var __create = Object.create; var __defProp = Object.defineProperty; var __getOwnPropDesc = Object.getOwnPropertyDescriptor; var __getOwnPropNames = Object.getOwnPropertyNames; var __getProtoOf = Object.getPrototypeOf; var __hasOwnProp = Object.prototype.hasOwnProperty; var __glob = (map) => (path17) => { var fn = map[path17]; if (fn) return fn(); throw new Error("Module not found in bundle: " + path17); }; var __esm = (fn, res) => function __init() { return fn && (res = (0, fn[__getOwnPropNames(fn)[0]])(fn = 0)), res; }; var __commonJS = (cb, mod) => function __require() { return mod || (0, cb[__getOwnPropNames(cb)[0]])((mod = { exports: {} }).exports, mod), mod.exports; }; var __export = (target, all) => { for (var name in all) __defProp(target, name, { get: all[name], enumerable: true }); }; var __copyProps = (to, from, except, desc) => { if (from && typeof from === "object" || typeof from === "function") { for (let key of __getOwnPropNames(from)) if (!__hasOwnProp.call(to, key) && key !== except) __defProp(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc(from, key)) || desc.enumerable }); } return to; }; var __toESM = (mod, isNodeMode, target) => (target = mod != null ? __create(__getProtoOf(mod)) : {}, __copyProps( // If the importer is in node compatibility mode or this is not an ESM // file that has been converted to a CommonJS file using a Babel- // compatible transform (i.e. "__esModule" has not been set), then set // "default" to the CommonJS "module.exports" for node compatibility. isNodeMode || !mod || !mod.__esModule ? __defProp(target, "default", { value: mod, enumerable: true }) : target, mod )); var __toCommonJS = (mod) => __copyProps(__defProp({}, "__esModule", { value: true }), mod); // node_modules/.pnpm/ms@2.1.2/node_modules/ms/index.js var require_ms = __commonJS({ "node_modules/.pnpm/ms@2.1.2/node_modules/ms/index.js"(exports2, module2) { var s = 1e3; var m = s * 60; var h = m * 60; var d = h * 24; var w = d * 7; var y = d * 365.25; module2.exports = function(val, options) { options = options || {}; var type = typeof val; if (type === "string" && val.length > 0) { return parse2(val); } else if (type === "number" && isFinite(val)) { return options.long ? fmtLong(val) : fmtShort(val); } throw new Error( "val is not a non-empty string or a valid number. val=" + JSON.stringify(val) ); }; function parse2(str) { str = String(str); if (str.length > 100) { return; } var match = /^(-?(?:\d+)?\.?\d+) *(milliseconds?|msecs?|ms|seconds?|secs?|s|minutes?|mins?|m|hours?|hrs?|h|days?|d|weeks?|w|years?|yrs?|y)?$/i.exec( str ); if (!match) { return; } var n = parseFloat(match[1]); var type = (match[2] || "ms").toLowerCase(); switch (type) { case "years": case "year": case "yrs": case "yr": case "y": return n * y; case "weeks": case "week": case "w": return n * w; case "days": case "day": case "d": return n * d; case "hours": case "hour": case "hrs": case "hr": case "h": return n * h; case "minutes": case "minute": case "mins": case "min": case "m": return n * m; case "seconds": case "second": case "secs": case "sec": case "s": return n * s; case "milliseconds": case "millisecond": case "msecs": case "msec": case "ms": return n; default: return void 0; } } function fmtShort(ms) { var msAbs = Math.abs(ms); if (msAbs >= d) { return Math.round(ms / d) + "d"; } if (msAbs >= h) { return Math.round(ms / h) + "h"; } if (msAbs >= m) { return Math.round(ms / m) + "m"; } if (msAbs >= s) { return Math.round(ms / s) + "s"; } return ms + "ms"; } function fmtLong(ms) { var msAbs = Math.abs(ms); if (msAbs >= d) { return plural(ms, msAbs, d, "day"); } if (msAbs >= h) { return plural(ms, msAbs, h, "hour"); } if (msAbs >= m) { return plural(ms, msAbs, m, "minute"); } if (msAbs >= s) { return plural(ms, msAbs, s, "second"); } return ms + " ms"; } function plural(ms, msAbs, n, name) { var isPlural = msAbs >= n * 1.5; return Math.round(ms / n) + " " + name + (isPlural ? "s" : ""); } } }); // node_modules/.pnpm/debug@4.3.5/node_modules/debug/src/common.js var require_common = __commonJS({ "node_modules/.pnpm/debug@4.3.5/node_modules/debug/src/common.js"(exports2, module2) { function setup(env) { createDebug2.debug = createDebug2; createDebug2.default = createDebug2; createDebug2.coerce = coerce2; createDebug2.disable = disable; createDebug2.enable = enable; createDebug2.enabled = enabled; createDebug2.humanize = require_ms(); createDebug2.destroy = destroy; Object.keys(env).forEach((key) => { createDebug2[key] = env[key]; }); createDebug2.names = []; createDebug2.skips = []; createDebug2.formatters = {}; function selectColor(namespace) { let hash = 0; for (let i = 0; i < namespace.length; i++) { hash = (hash << 5) - hash + namespace.charCodeAt(i); hash |= 0; } return createDebug2.colors[Math.abs(hash) % createDebug2.colors.length]; } createDebug2.selectColor = selectColor; function createDebug2(namespace) { let prevTime; let enableOverride = null; let namespacesCache; let enabledCache; function debug5(...args) { if (!debug5.enabled) { return; } const self2 = debug5; const curr = Number(/* @__PURE__ */ new Date()); const ms = curr - (prevTime || curr); self2.diff = ms; self2.prev = prevTime; self2.curr = curr; prevTime = curr; args[0] = createDebug2.coerce(args[0]); if (typeof args[0] !== "string") { args.unshift("%O"); } let index = 0; args[0] = args[0].replace(/%([a-zA-Z%])/g, (match, format2) => { if (match === "%%") { return "%"; } index++; const formatter = createDebug2.formatters[format2]; if (typeof formatter === "function") { const val = args[index]; match = formatter.call(self2, val); args.splice(index, 1); index--; } return match; }); createDebug2.formatArgs.call(self2, args); const logFn = self2.log || createDebug2.log; logFn.apply(self2, args); } debug5.namespace = namespace; debug5.useColors = createDebug2.useColors(); debug5.color = createDebug2.selectColor(namespace); debug5.extend = extend; debug5.destroy = createDebug2.destroy; Object.defineProperty(debug5, "enabled", { enumerable: true, configurable: false, get: () => { if (enableOverride !== null) { return enableOverride; } if (namespacesCache !== createDebug2.namespaces) { namespacesCache = createDebug2.namespaces; enabledCache = createDebug2.enabled(namespace); } return enabledCache; }, set: (v) => { enableOverride = v; } }); if (typeof createDebug2.init === "function") { createDebug2.init(debug5); } return debug5; } function extend(namespace, delimiter2) { const newDebug = createDebug2(this.namespace + (typeof delimiter2 === "undefined" ? ":" : delimiter2) + namespace); newDebug.log = this.log; return newDebug; } function enable(namespaces) { createDebug2.save(namespaces); createDebug2.namespaces = namespaces; createDebug2.names = []; createDebug2.skips = []; let i; const split = (typeof namespaces === "string" ? namespaces : "").split(/[\s,]+/); const len = split.length; for (i = 0; i < len; i++) { if (!split[i]) { continue; } namespaces = split[i].replace(/\*/g, ".*?"); if (namespaces[0] === "-") { createDebug2.skips.push(new RegExp("^" + namespaces.slice(1) + "$")); } else { createDebug2.names.push(new RegExp("^" + namespaces + "$")); } } } function disable() { const namespaces = [ ...createDebug2.names.map(toNamespace), ...createDebug2.skips.map(toNamespace).map((namespace) => "-" + namespace) ].join(","); createDebug2.enable(""); return namespaces; } function enabled(name) { if (name[name.length - 1] === "*") { return true; } let i; let len; for (i = 0, len = createDebug2.skips.length; i < len; i++) { if (createDebug2.skips[i].test(name)) { return false; } } for (i = 0, len = createDebug2.names.length; i < len; i++) { if (createDebug2.names[i].test(name)) { return true; } } return false; } function toNamespace(regexp) { return regexp.toString().substring(2, regexp.toString().length - 2).replace(/\.\*\?$/, "*"); } function coerce2(val) { if (val instanceof Error) { return val.stack || val.message; } return val; } function destroy() { console.warn("Instance method `debug.destroy()` is deprecated and no longer does anything. It will be removed in the next major version of `debug`."); } createDebug2.enable(createDebug2.load()); return createDebug2; } module2.exports = setup; } }); // node_modules/.pnpm/debug@4.3.5/node_modules/debug/src/browser.js var require_browser = __commonJS({ "node_modules/.pnpm/debug@4.3.5/node_modules/debug/src/browser.js"(exports2, module2) { exports2.formatArgs = formatArgs; exports2.save = save; exports2.load = load; exports2.useColors = useColors; exports2.storage = localstorage(); exports2.destroy = /* @__PURE__ */ (() => { let warned = false; return () => { if (!warned) { warned = true; console.warn("Instance method `debug.destroy()` is deprecated and no longer does anything. It will be removed in the next major version of `debug`."); } }; })(); exports2.colors = [ "#0000CC", "#0000FF", "#0033CC", "#0033FF", "#0066CC", "#0066FF", "#0099CC", "#0099FF", "#00CC00", "#00CC33", "#00CC66", "#00CC99", "#00CCCC", "#00CCFF", "#3300CC", "#3300FF", "#3333CC", "#3333FF", "#3366CC", "#3366FF", "#3399CC", "#3399FF", "#33CC00", "#33CC33", "#33CC66", "#33CC99", "#33CCCC", "#33CCFF", "#6600CC", "#6600FF", "#6633CC", "#6633FF", "#66CC00", "#66CC33", "#9900CC", "#9900FF", "#9933CC", "#9933FF", "#99CC00", "#99CC33", "#CC0000", "#CC0033", "#CC0066", "#CC0099", "#CC00CC", "#CC00FF", "#CC3300", "#CC3333", "#CC3366", "#CC3399", "#CC33CC", "#CC33FF", "#CC6600", "#CC6633", "#CC9900", "#CC9933", "#CCCC00", "#CCCC33", "#FF0000", "#FF0033", "#FF0066", "#FF0099", "#FF00CC", "#FF00FF", "#FF3300", "#FF3333", "#FF3366", "#FF3399", "#FF33CC", "#FF33FF", "#FF6600", "#FF6633", "#FF9900", "#FF9933", "#FFCC00", "#FFCC33" ]; function useColors() { if (typeof window !== "undefined" && window.process && (window.process.type === "renderer" || window.process.__nwjs)) { return true; } if (typeof navigator !== "undefined" && navigator.userAgent && navigator.userAgent.toLowerCase().match(/(edge|trident)\/(\d+)/)) { return false; } return typeof document !== "undefined" && document.documentElement && document.documentElement.style && document.documentElement.style.WebkitAppearance || // Is firebug? http://stackoverflow.com/a/398120/376773 typeof window !== "undefined" && window.console && (window.console.firebug || window.console.exception && window.console.table) || // Is firefox >= v31? // https://developer.mozilla.org/en-US/docs/Tools/Web_Console#Styling_messages typeof navigator !== "undefined" && navigator.userAgent && navigator.userAgent.toLowerCase().match(/firefox\/(\d+)/) && parseInt(RegExp.$1, 10) >= 31 || // Double check webkit in userAgent just in case we are in a worker typeof navigator !== "undefined" && navigator.userAgent && navigator.userAgent.toLowerCase().match(/applewebkit\/(\d+)/); } function formatArgs(args) { args[0] = (this.useColors ? "%c" : "") + this.namespace + (this.useColors ? " %c" : " ") + args[0] + (this.useColors ? "%c " : " ") + "+" + module2.exports.humanize(this.diff); if (!this.useColors) { return; } const c = "color: " + this.color; args.splice(1, 0, c, "color: inherit"); let index = 0; let lastC = 0; args[0].replace(/%[a-zA-Z%]/g, (match) => { if (match === "%%") { return; } index++; if (match === "%c") { lastC = index; } }); args.splice(lastC, 0, c); } exports2.log = console.debug || console.log || (() => { }); function save(namespaces) { try { if (namespaces) { exports2.storage.setItem("debug", namespaces); } else { exports2.storage.removeItem("debug"); } } catch (error) { } } function load() { let r; try { r = exports2.storage.getItem("debug"); } catch (error) { } if (!r && typeof process !== "undefined" && "env" in process) { r = process.env.DEBUG; } return r; } function localstorage() { try { return localStorage; } catch (error) { } } module2.exports = require_common()(exports2); var { formatters } = module2.exports; formatters.j = function(v) { try { return JSON.stringify(v); } catch (error) { return "[UnexpectedJSONParseError]: " + error.message; } }; } }); // node_modules/.pnpm/has-flag@4.0.0/node_modules/has-flag/index.js var require_has_flag = __commonJS({ "node_modules/.pnpm/has-flag@4.0.0/node_modules/has-flag/index.js"(exports2, module2) { "use strict"; module2.exports = (flag, argv = process.argv) => { const prefix = flag.startsWith("-") ? "" : flag.length === 1 ? "-" : "--"; const position = argv.indexOf(prefix + flag); const terminatorPosition = argv.indexOf("--"); return position !== -1 && (terminatorPosition === -1 || position < terminatorPosition); }; } }); // node_modules/.pnpm/supports-color@7.2.0/node_modules/supports-color/index.js var require_supports_color = __commonJS({ "node_modules/.pnpm/supports-color@7.2.0/node_modules/supports-color/index.js"(exports2, module2) { "use strict"; var os2 = require("os"); var tty = require("tty"); var hasFlag = require_has_flag(); var { env } = process; var forceColor; if (hasFlag("no-color") || hasFlag("no-colors") || hasFlag("color=false") || hasFlag("color=never")) { forceColor = 0; } else if (hasFlag("color") || hasFlag("colors") || hasFlag("color=true") || hasFlag("color=always")) { forceColor = 1; } if ("FORCE_COLOR" in env) { if (env.FORCE_COLOR === "true") { forceColor = 1; } else if (env.FORCE_COLOR === "false") { forceColor = 0; } else { forceColor = env.FORCE_COLOR.length === 0 ? 1 : Math.min(parseInt(env.FORCE_COLOR, 10), 3); } } function translateLevel(level) { if (level === 0) { return false; } return { level, hasBasic: true, has256: level >= 2, has16m: level >= 3 }; } function supportsColor(haveStream, streamIsTTY) { if (forceColor === 0) { return 0; } if (hasFlag("color=16m") || hasFlag("color=full") || hasFlag("color=truecolor")) { return 3; } if (hasFlag("color=256")) { return 2; } if (haveStream && !streamIsTTY && forceColor === void 0) { return 0; } const min = forceColor || 0; if (env.TERM === "dumb") { return min; } if (process.platform === "win32") { const osRelease = os2.release().split("."); if (Number(osRelease[0]) >= 10 && Number(osRelease[2]) >= 10586) { return Number(osRelease[2]) >= 14931 ? 3 : 2; } return 1; } if ("CI" in env) { if (["TRAVIS", "CIRCLECI", "APPVEYOR", "GITLAB_CI", "GITHUB_ACTIONS", "BUILDKITE"].some((sign) => sign in env) || env.CI_NAME === "codeship") { return 1; } return min; } if ("TEAMCITY_VERSION" in env) { return /^(9\.(0*[1-9]\d*)\.|\d{2,}\.)/.test(env.TEAMCITY_VERSION) ? 1 : 0; } if (env.COLORTERM === "truecolor") { return 3; } if ("TERM_PROGRAM" in env) { const version = parseInt((env.TERM_PROGRAM_VERSION || "").split(".")[0], 10); switch (env.TERM_PROGRAM) { case "iTerm.app": return version >= 3 ? 3 : 2; case "Apple_Terminal": return 2; } } if (/-256(color)?$/i.test(env.TERM)) { return 2; } if (/^screen|^xterm|^vt100|^vt220|^rxvt|color|ansi|cygwin|linux/i.test(env.TERM)) { return 1; } if ("COLORTERM" in env) { return 1; } return min; } function getSupportLevel(stream) { const level = supportsColor(stream, stream && stream.isTTY); return translateLevel(level); } module2.exports = { supportsColor: getSupportLevel, stdout: translateLevel(supportsColor(true, tty.isatty(1))), stderr: translateLevel(supportsColor(true, tty.isatty(2))) }; } }); // node_modules/.pnpm/debug@4.3.5/node_modules/debug/src/node.js var require_node = __commonJS({ "node_modules/.pnpm/debug@4.3.5/node_modules/debug/src/node.js"(exports2, module2) { var tty = require("tty"); var util5 = require("util"); exports2.init = init; exports2.log = log; exports2.formatArgs = formatArgs; exports2.save = save; exports2.load = load; exports2.useColors = useColors; exports2.destroy = util5.deprecate( () => { }, "Instance method `debug.destroy()` is deprecated and no longer does anything. It will be removed in the next major version of `debug`." ); exports2.colors = [6, 2, 3, 4, 5, 1]; try { const supportsColor = require_supports_color(); if (supportsColor && (supportsColor.stderr || supportsColor).level >= 2) { exports2.colors = [ 20, 21, 26, 27, 32, 33, 38, 39, 40, 41, 42, 43, 44, 45, 56, 57, 62, 63, 68, 69, 74, 75, 76, 77, 78, 79, 80, 81, 92, 93, 98, 99, 112, 113, 128, 129, 134, 135, 148, 149, 160, 161, 162, 163, 164, 165, 166, 167, 168, 169, 170, 171, 172, 173, 178, 179, 184, 185, 196, 197, 198, 199, 200, 201, 202, 203, 204, 205, 206, 207, 208, 209, 214, 215, 220, 221 ]; } } catch (error) { } exports2.inspectOpts = Object.keys(process.env).filter((key) => { return /^debug_/i.test(key); }).reduce((obj, key) => { const prop = key.substring(6).toLowerCase().replace(/_([a-z])/g, (_, k) => { return k.toUpperCase(); }); let val = process.env[key]; if (/^(yes|on|true|enabled)$/i.test(val)) { val = true; } else if (/^(no|off|false|disabled)$/i.test(val)) { val = false; } else if (val === "null") { val = null; } else { val = Number(val); } obj[prop] = val; return obj; }, {}); function useColors() { return "colors" in exports2.inspectOpts ? Boolean(exports2.inspectOpts.colors) : tty.isatty(process.stderr.fd); } function formatArgs(args) { const { namespace: name, useColors: useColors2 } = this; if (useColors2) { const c = this.color; const colorCode = "\x1B[3" + (c < 8 ? c : "8;5;" + c); const prefix = ` ${colorCode};1m${name} \x1B[0m`; args[0] = prefix + args[0].split("\n").join("\n" + prefix); args.push(colorCode + "m+" + module2.exports.humanize(this.diff) + "\x1B[0m"); } else { args[0] = getDate() + name + " " + args[0]; } } function getDate() { if (exports2.inspectOpts.hideDate) { return ""; } return (/* @__PURE__ */ new Date()).toISOString() + " "; } function log(...args) { return process.stderr.write(util5.formatWithOptions(exports2.inspectOpts, ...args) + "\n"); } function save(namespaces) { if (namespaces) { process.env.DEBUG = namespaces; } else { delete process.env.DEBUG; } } function load() { return process.env.DEBUG; } function init(debug5) { debug5.inspectOpts = {}; const keys2 = Object.keys(exports2.inspectOpts); for (let i = 0; i < keys2.length; i++) { debug5.inspectOpts[keys2[i]] = exports2.inspectOpts[keys2[i]]; } } module2.exports = require_common()(exports2); var { formatters } = module2.exports; formatters.o = function(v) { this.inspectOpts.colors = this.useColors; return util5.inspect(v, this.inspectOpts).split("\n").map((str) => str.trim()).join(" "); }; formatters.O = function(v) { this.inspectOpts.colors = this.useColors; return util5.inspect(v, this.inspectOpts); }; } }); // node_modules/.pnpm/debug@4.3.5/node_modules/debug/src/index.js var require_src = __commonJS({ "node_modules/.pnpm/debug@4.3.5/node_modules/debug/src/index.js"(exports2, module2) { if (typeof process === "undefined" || process.type === "renderer" || process.browser === true || process.__nwjs) { module2.exports = require_browser(); } else { module2.exports = require_node(); } } }); // node_modules/.pnpm/resolve-from@4.0.0/node_modules/resolve-from/index.js var require_resolve_from = __commonJS({ "node_modules/.pnpm/resolve-from@4.0.0/node_modules/resolve-from/index.js"(exports2, module2) { "use strict"; var path17 = require("path"); var Module2 = require("module"); var fs4 = require("fs"); var resolveFrom = (fromDir, moduleId, silent) => { if (typeof fromDir !== "string") { throw new TypeError(`Expected \`fromDir\` to be of type \`string\`, got \`${typeof fromDir}\``); } if (typeof moduleId !== "string") { throw new TypeError(`Expected \`moduleId\` to be of type \`string\`, got \`${typeof moduleId}\``); } try { fromDir = fs4.realpathSync(fromDir); } catch (err) { if (err.code === "ENOENT") { fromDir = path17.resolve(fromDir); } else if (silent) { return null; } else { throw err; } } const fromFile = path17.join(fromDir, "noop.js"); const resolveFileName = () => Module2._resolveFilename(moduleId, { id: fromFile, filename: fromFile, paths: Module2._nodeModulePaths(fromDir) }); if (silent) { try { return resolveFileName(); } catch (err) { return null; } } return resolveFileName(); }; module2.exports = (fromDir, moduleId) => resolveFrom(fromDir, moduleId); module2.exports.silent = (fromDir, moduleId) => resolveFrom(fromDir, moduleId, true); } }); // node_modules/.pnpm/callsites@3.1.0/node_modules/callsites/index.js var require_callsites = __commonJS({ "node_modules/.pnpm/callsites@3.1.0/node_modules/callsites/index.js"(exports2, module2) { "use strict"; var callsites = () => { const _prepareStackTrace = Error.prepareStackTrace; Error.prepareStackTrace = (_, stack2) => stack2; const stack = new Error().stack.slice(1); Error.prepareStackTrace = _prepareStackTrace; return stack; }; module2.exports = callsites; module2.exports.default = callsites; } }); // node_modules/.pnpm/parent-module@1.0.1/node_modules/parent-module/index.js var require_parent_module = __commonJS({ "node_modules/.pnpm/parent-module@1.0.1/node_modules/parent-module/index.js"(exports2, module2) { "use strict"; var callsites = require_callsites(); module2.exports = (filepath) => { const stacks = callsites(); if (!filepath) { return stacks[2].getFileName(); } let seenVal = false; stacks.shift(); for (const stack of stacks) { const parentFilepath = stack.getFileName(); if (typeof parentFilepath !== "string") { continue; } if (parentFilepath === filepath) { seenVal = true; continue; } if (parentFilepath === "module.js") { continue; } if (seenVal && parentFilepath !== filepath) { return parentFilepath; } } }; } }); // node_modules/.pnpm/import-fresh@3.3.0/node_modules/import-fresh/index.js var require_import_fresh = __commonJS({ "node_modules/.pnpm/import-fresh@3.3.0/node_modules/import-fresh/index.js"(exports2, module2) { "use strict"; var path17 = require("path"); var resolveFrom = require_resolve_from(); var parentModule = require_parent_module(); module2.exports = (moduleId) => { if (typeof moduleId !== "string") { throw new TypeError("Expected a string"); } const parentPath = parentModule(__filename); const cwd = parentPath ? path17.dirname(parentPath) : __dirname; const filePath = resolveFrom(cwd, moduleId); const oldModule = require.cache[filePath]; if (oldModule && oldModule.parent) { let i = oldModule.parent.children.length; while (i--) { if (oldModule.parent.children[i].id === filePath) { oldModule.parent.children.splice(i, 1); } } } delete require.cache[filePath]; const parent = require.cache[parentPath]; return parent === void 0 ? require(filePath) : parent.require(filePath); }; } }); // node_modules/.pnpm/strip-json-comments@3.1.1/node_modules/strip-json-comments/index.js var require_strip_json_comments = __commonJS({ "node_modules/.pnpm/strip-json-comments@3.1.1/node_modules/strip-json-comments/index.js"(exports2, module2) { "use strict"; var singleComment = Symbol("singleComment"); var multiComment = Symbol("multiComment"); var stripWithoutWhitespace = () => ""; var stripWithWhitespace = (string, start, end) => string.slice(start, end).replace(/\S/g, " "); var isEscaped = (jsonString, quotePosition) => { let index = quotePosition - 1; let backslashCount = 0; while (jsonString[index] === "\\") { index -= 1; backslashCount += 1; } return Boolean(backslashCount % 2); }; module2.exports = (jsonString, options = {}) => { if (typeof jsonString !== "string") { throw new TypeError(`Expected argument \`jsonString\` to be a \`string\`, got \`${typeof jsonString}\``); } const strip = options.whitespace === false ? stripWithoutWhitespace : stripWithWhitespace; let insideString = false; let insideComment = false; let offset = 0; let result = ""; for (let i = 0; i < jsonString.length; i++) { const currentCharacter = jsonString[i]; const nextCharacter = jsonString[i + 1]; if (!insideComment && currentCharacter === '"') { const escaped = isEscaped(jsonString, i); if (!escaped) { insideString = !insideString; } } if (insideString) { continue; } if (!insideComment && currentCharacter + nextCharacter === "//") { result += jsonString.slice(offset, i); offset = i; insideComment = singleComment; i++; } else if (insideComment === singleComment && currentCharacter + nextCharacter === "\r\n") { i++; insideComment = false; result += strip(jsonString, offset, i); offset = i; continue; } else if (insideComment === singleComment && currentCharacter === "\n") { insideComment = false; result += strip(jsonString, offset, i); offset = i; } else if (!insideComment && currentCharacter + nextCharacter === "/*") { result += jsonString.slice(offset, i); offset = i; insideComment = multiComment; i++; continue; } else if (insideComment === multiComment && currentCharacter + nextCharacter === "*/") { i++; insideComment = false; result += strip(jsonString, offset, i + 1); offset = i + 1; continue; } } return result + (insideComment ? strip(jsonString.slice(offset)) : jsonString.slice(offset)); }; } }); // node_modules/.pnpm/ignore@5.3.1/node_modules/ignore/index.js var require_ignore = __commonJS({ "node_modules/.pnpm/ignore@5.3.1/node_modules/ignore/index.js"(exports2, module2) { function makeArray(subject) { return Array.isArray(subject) ? subject : [subject]; } var EMPTY = ""; var SPACE = " "; var ESCAPE = "\\"; var REGEX_TEST_BLANK_LINE = /^\s+$/; var REGEX_INVALID_TRAILING_BACKSLASH = /(?:[^\\]|^)\\$/; var REGEX_REPLACE_LEADING_EXCAPED_EXCLAMATION = /^\\!/; var REGEX_REPLACE_LEADING_EXCAPED_HASH = /^\\#/; var REGEX_SPLITALL_CRLF = /\r?\n/g; var REGEX_TEST_INVALID_PATH = /^\.*\/|^\.+$/; var SLASH = "/"; var TMP_KEY_IGNORE = "node-ignore"; if (typeof Symbol !== "undefined") { TMP_KEY_IGNORE = Symbol.for("node-ignore"); } var KEY_IGNORE = TMP_KEY_IGNORE; var define2 = (object, key, value) => Object.defineProperty(object, key, { value }); var REGEX_REGEXP_RANGE = /([0-z])-([0-z])/g; var RETURN_FALSE = () => false; var sanitizeRange = (range) => range.replace( REGEX_REGEXP_RANGE, (match, from, to) => from.charCodeAt(0) <= to.charCodeAt(0) ? match : EMPTY ); var cleanRangeBackSlash = (slashes) => { const { length } = slashes; return slashes.slice(0, length - length % 2); }; var REPLACERS = [ [ // remove BOM // TODO: // Other similar zero-width characters? /^\uFEFF/, () => EMPTY ], // > Trailing spaces are ignored unless they are quoted with backslash ("\") [ // (a\ ) -> (a ) // (a ) -> (a) // (a \ ) -> (a ) /\\?\s+$/, (match) => match.indexOf("\\") === 0 ? SPACE : EMPTY ], // replace (\ ) with ' ' [ /\\\s/g, () => SPACE ], // Escape metacharacters // which is written down by users but means special for regular expressions. // > There are 12 characters with special meanings: // > - the backslash \, // > - the caret ^, // > - the dollar sign $, // > - the period or dot ., // > - the vertical bar or pipe symbol |, // > - the question mark ?, // > - the asterisk or star *, // > - the plus sign +, // > - the opening parenthesis (, // > - the closing parenthesis ), // > - and the opening square bracket [, // > - the opening curly brace {, // > These special characters are often called "metacharacters". [ /[\\$.|*+(){^]/g, (match) => `\\${match}` ], [ // > a question mark (?) matches a single character /(?!\\)\?/g, () => "[^/]" ], // leading slash [ // > A leading slash matches the beginning of the pathname. // > For example, "/*.c" matches "cat-file.c" but not "mozilla-sha1/sha1.c". // A leading slash matches the beginning of the pathname /^\//, () => "^" ], // replace special metacharacter slash after the leading slash [ /\//g, () => "\\/" ], [ // > A leading "**" followed by a slash means match in all directories. // > For example, "**/foo" matches file or directory "foo" anywhere, // > the same as pattern "foo". // > "**/foo/bar" matches file or directory "bar" anywhere that is directly // > under directory "foo". // Notice that the '*'s have been replaced as '\\*' /^\^*\\\*\\\*\\\//, // '**/foo' <-> 'foo' () => "^(?:.*\\/)?" ], // starting [ // there will be no leading '/' // (which has been replaced by section "leading slash") // If starts with '**', adding a '^' to the regular expression also works /^(?=[^^])/, function startingReplacer() { return !/\/(?!$)/.test(this) ? "(?:^|\\/)" : "^"; } ], // two globstars [ // Use lookahead assertions so that we could match more than one `'/**'` /\\\/\\\*\\\*(?=\\\/|$)/g, // Zero, one or several directories // should not use '*', or it will be replaced by the next replacer // Check if it is not the last `'/**'` (_, index, str) => index + 6 < str.length ? "(?:\\/[^\\/]+)*" : "\\/.+" ], // normal intermediate wildcards [ // Never replace escaped '*' // ignore rule '\*' will match the path '*' // 'abc.*/' -> go // 'abc.*' -> skip this rule, // coz trailing single wildcard will be handed by [trailing wildcard] /(^|[^\\]+)(\\\*)+(?=.+)/g, // '*.js' matches '.js' // '*.js' doesn't match 'abc' (_, p1, p2) => { const unescaped = p2.replace(/\\\*/g, "[^\\/]*"); return p1 + unescaped; } ], [ // unescape, revert step 3 except for back slash // For example, if a user escape a '\\*', // after step 3, the result will be '\\\\\\*' /\\\\\\(?=[$.|*+(){^])/g, () => ESCAPE ], [ // '\\\\' -> '\\' /\\\\/g, () => ESCAPE ], [ // > The range notation, e.g. [a-zA-Z], // > can be used to match one of the characters in a range. // `\` is escaped by step 3 /(\\)?\[([^\]/]*?)(\\*)($|\])/g, (match, leadEscape, range, endEscape, close) => leadEscape === ESCAPE ? `\\[${range}${cleanRangeBackSlash(endEscape)}${close}` : close === "]" ? endEscape.length % 2 === 0 ? `[${sanitizeRange(range)}${endEscape}]` : "[]" : "[]" ], // ending [ // 'js' will not match 'js.' // 'ab' will not match 'abc' /(?:[^*])$/, // WTF! // https://git-scm.com/docs/gitignore // changes in [2.22.1](https://git-scm.com/docs/gitignore/2.22.1) // which re-fixes #24, #38 // > If there is a separator at the end of the pattern then the pattern // > will only match directories, otherwise the pattern can match both // > files and directories. // 'js*' will not match 'a.js' // 'js/' will not match 'a.js' // 'js' will match 'a.js' and 'a.js/' (match) => /\/$/.test(match) ? `${match}$` : `${match}(?=$|\\/$)` ], // trailing wildcard [ /(\^|\\\/)?\\\*$/, (_, p1) => { const prefix = p1 ? `${p1}[^/]+` : "[^/]*"; return `${prefix}(?=$|\\/$)`; } ] ]; var regexCache = /* @__PURE__ */ Object.create(null); var makeRegex = (pattern, ignoreCase) => { let source = regexCache[pattern]; if (!source) { source = REPLACERS.reduce( (prev, current) => prev.replace(current[0], current[1].bind(pattern)), pattern ); regexCache[pattern] = source; } return ignoreCase ? new RegExp(source, "i") : new RegExp(source); }; var isString2 = (subject) => typeof subject === "string"; var checkPattern = (pattern) => pattern && isString2(pattern) && !REGEX_TEST_BLANK_LINE.test(pattern) && !REGEX_INVALID_TRAILING_BACKSLASH.test(pattern) && pattern.indexOf("#") !== 0; var splitPattern = (pattern) => pattern.split(REGEX_SPLITALL_CRLF); var IgnoreRule = class { constructor(origin, pattern, negative, regex) { this.origin = origin; this.pattern = pattern; this.negative = negative; this.regex = regex; } }; var createRule = (pattern, ignoreCase) => { const origin = pattern; let negative = false; if (pattern.indexOf("!") === 0) { negative = true; pattern = pattern.substr(1); } pattern = pattern.replace(REGEX_REPLACE_LEADING_EXCAPED_EXCLAMATION, "!").replace(REGEX_REPLACE_LEADING_EXCAPED_HASH, "#"); const regex = makeRegex(pattern, ignoreCase); return new IgnoreRule( origin, pattern, negative, regex ); }; var throwError = (message, Ctor) => { throw new Ctor(message); }; var checkPath = (path17, originalPath, doThrow) => { if (!isString2(path17)) { return doThrow( `path must be a string, but got \`${originalPath}\``, TypeError ); } if (!path17) { return doThrow(`path must not be empty`, TypeError); } if (checkPath.isNotRelative(path17)) { const r = "`path.relative()`d"; return doThrow( `path should be a ${r} string, but got "${originalPath}"`, RangeError ); } return true; }; var isNotRelative = (path17) => REGEX_TEST_INVALID_PATH.test(path17); checkPath.isNotRelative = isNotRelative; checkPath.convert = (p) => p; var Ignore = class { constructor({ ignorecase = true, ignoreCase = ignorecase, allowRelativePaths = false } = {}) { define2(this, KEY_IGNORE, true); this._rules = []; this._ignoreCase = ignoreCase; this._allowRelativePaths = allowRelativePaths; this._initCache(); } _initCache() { this._ignoreCache = /* @__PURE__ */ Object.create(null); this._testCache = /* @__PURE__ */ Object.create(null); } _addPattern(pattern) { if (pattern && pattern[KEY_IGNORE]) { this._rules = this._rules.concat(pattern._rules); this._added = true; return; } if (checkPattern(pattern)) { const rule = createRule(pattern, this._ignoreCase); this._added = true; this._rules.push(rule); } } // @param {Array | string | Ignore} pattern add(pattern) { this._added = false; makeArray( isString2(pattern) ? splitPattern(pattern) : pattern ).forEach(this._addPattern, this); if (this._added) { this._initCache(); } return this; } // legacy addPattern(pattern) { return this.add(pattern); } // | ignored : unignored // negative | 0:0 | 0:1 | 1:0 | 1:1 // -------- | ------- | ------- | ------- | -------- // 0 | TEST | TEST | SKIP | X // 1 | TESTIF | SKIP | TEST | X // - SKIP: always skip // - TEST: always test // - TESTIF: only test if checkUnignored // - X: that never happen // @param {boolean} whether should check if the path is unignored, // setting `checkUnignored` to `false` could reduce additional // path matching. // @returns {TestResult} true if a file is ignored _testOne(path17, checkUnignored) { let ignored3 = false; let unignored = false; this._rules.forEach((rule) => { const { negative } = rule; if (unignored === negative && ignored3 !== unignored || negative && !ignored3 && !unignored && !checkUnignored) { return; } const matched = rule.regex.test(path17); if (matched) { ignored3 = !negative; unignored = negative; } }); return { ignored: ignored3, unignored }; } // @returns {TestResult} _test(originalPath, cache, checkUnignored, slices) { const path17 = originalPath && checkPath.convert(originalPath); checkPath( path17, originalPath, this._allowRelativePaths ? RETURN_FALSE : throwError ); return this._t(path17, cache, checkUnignored, slices); } _t(path17, cache, checkUnignored, slices) { if (path17 in cache) { return cache[path17]; } if (!slices) { slices = path17.split(SLASH); } slices.pop(); if (!slices.length) { return cache[path17] = this._testOne(path17, checkUnignored); } const parent = this._t( slices.join(SLASH) + SLASH, cache, checkUnignored, slices ); return cache[path17] = parent.ignored ? parent : this._testOne(path17, checkUnignored); } ignores(path17) { return this._test(path17, this._ignoreCache, false).ignored; } createFilter() { return (path17) => !this.ignores(path17); } filter(paths) { return makeArray(paths).filter(this.createFilter()); } // @returns {TestResult} test(path17) { return this._test(path17, this._testCache, true); } }; var factory = (options) => new Ignore(options); var isPathValid = (path17) => checkPath(path17 && checkPath.convert(path17), path17, RETURN_FALSE); factory.isPathValid = isPathValid; factory.default = factory; module2.exports = factory; if ( // Detect `process` so that it can run in browsers. typeof process !== "undefined" && (process.env && process.env.IGNORE_TEST_WIN32 || process.platform === "win32") ) { const makePosix = (str) => /^\\\\\?\\/.test(str) || /["<>|\u0000-\u001F]+/u.test(str) ? str : str.replace(/\\/g, "/"); checkPath.convert = makePosix; const REGIX_IS_WINDOWS_PATH_ABSOLUTE = /^[a-z]:\//i; checkPath.isNotRelative = (path17) => REGIX_IS_WINDOWS_PATH_ABSOLUTE.test(path17) || isNotRelative(path17); } } }); // node_modules/.pnpm/concat-map@0.0.1/node_modules/concat-map/index.js var require_concat_map = __commonJS({ "node_modules/.pnpm/concat-map@0.0.1/node_modules/concat-map/index.js"(exports2, module2) { module2.exports = function(xs, fn) { var res = []; for (var i = 0; i < xs.length; i++) { var x = fn(xs[i], i); if (isArray3(x)) res.push.apply(res, x); else res.push(x); } return res; }; var isArray3 = Array.isArray || function(xs) { return Object.prototype.toString.call(xs) === "[object Array]"; }; } }); // node_modules/.pnpm/balanced-match@1.0.2/node_modules/balanced-match/index.js var require_balanced_match = __commonJS({ "node_modules/.pnpm/balanced-match@1.0.2/node_modules/balanced-match/index.js"(exports2, module2) { "use strict"; module2.exports = balanced; function balanced(a, b, str) { if (a instanceof RegExp) a = maybeMatch(a, str); if (b instanceof RegExp) b = maybeMatch(b, str); var r = range(a, b, str); return r && { start: r[0], end: r[1], pre: str.slice(0, r[0]), body: str.slice(r[0] + a.length, r[1]), post: str.slice(r[1] + b.length) }; } function maybeMatch(reg, str) { var m = str.match(reg); return m ? m[0] : null; } balanced.range = range; function range(a, b, str) { var begs, beg, left, right, result; var ai = str.indexOf(a); var bi = str.indexOf(b, ai + 1); var i = ai; if (ai >= 0 && bi > 0) { if (a === b) { return [ai, bi]; } begs = []; left = str.length; while (i >= 0 && !result) { if (i == ai) { begs.push(i); ai = str.indexOf(a, i + 1); } else if (begs.length == 1) { result = [begs.pop(), bi]; } else { beg = begs.pop(); if (beg < left) { left = beg; right = bi; } bi = str.indexOf(b, i + 1); } i = ai < bi && ai >= 0 ? ai : bi; } if (begs.length) { result = [left, right]; } } return result; } } }); // node_modules/.pnpm/brace-expansion@1.1.11/node_modules/brace-expansion/index.js var require_brace_expansion = __commonJS({ "node_modules/.pnpm/brace-expansion@1.1.11/node_modules/brace-expansion/index.js"(exports2, module2) { var concatMap = require_concat_map(); var balanced = require_balanced_match(); module2.exports = expandTop; var escSlash = "\0SLASH" + Math.random() + "\0"; var escOpen = "\0OPEN" + Math.random() + "\0"; var escClose = "\0CLOSE" + Math.random() + "\0"; var escComma = "\0COMMA" + Math.random() + "\0"; var escPeriod = "\0PERIOD" + Math.random() + "\0"; function numeric(str) { return parseInt(str, 10) == str ? parseInt(str, 10) : str.charCodeAt(0); } function escapeBraces(str) { return str.split("\\\\").join(escSlash).split("\\{").join(escOpen).split("\\}").join(escClose).split("\\,").join(escComma).split("\\.").join(escPeriod); } function unescapeBraces(str) { return str.split(escSlash).join("\\").split(escOpen).join("{").split(escClose).join("}").split(escComma).join(",").split(escPeriod).join("."); } function parseCommaParts(str) { if (!str) return [""]; var parts = []; var m = balanced("{", "}", str); if (!m) return str.split(","); var pre = m.pre; var body = m.body; var post = m.post; var p = pre.split(","); p[p.length - 1] += "{" + body + "}"; var postParts = parseCommaParts(post); if (post.length) { p[p.length - 1] += postParts.shift(); p.push.apply(p, postParts); } parts.push.apply(parts, p); return parts; } function expandTop(str) { if (!str) return []; if (str.substr(0, 2) === "{}") { str = "\\{\\}" + str.substr(2); } return expand(escapeBraces(str), true).map(unescapeBraces); } function embrace(str) { return "{" + str + "}"; } function isPadded(el) { return /^-?0\d/.test(el); } function lte(i, y) { return i <= y; } function gte(i, y) { return i >= y; } function expand(str, isTop) { var expansions = []; var m = balanced("{", "}", str); if (!m || /\$$/.test(m.pre)) return [str]; var isNumericSequence = /^-?\d+\.\.-?\d+(?:\.\.-?\d+)?$/.test(m.body); var isAlphaSequence = /^[a-zA-Z]\.\.[a-zA-Z](?:\.\.-?\d+)?$/.test(m.body); var isSequence = isNumericSequence || isAlphaSequence; var isOptions = m.body.indexOf(",") >= 0; if (!isSequence && !isOptions) { if (m.post.match(/,.*\}/)) { str = m.pre + "{" + m.body + escClose + m.post; return expand(str); } return [str]; } var n; if (isSequence) { n = m.body.split(/\.\./); } else { n = parseCommaParts(m.body); if (n.length === 1) { n = expand(n[0], false).map(embrace); if (n.length === 1) { var post = m.post.length ? expand(m.post, false) : [""]; return post.map(function(p) { return m.pre + n[0] + p; }); } } } var pre = m.pre; var post = m.post.length ? expand(m.post, false) : [""]; var N; if (isSequence) { var x = numeric(n[0]); var y = numeric(n[1]); var width = Math.max(n[0].length, n[1].length); var incr = n.length == 3 ? Math.abs(numeric(n[2])) : 1; var test = lte; var reverse = y < x; if (reverse) { incr *= -1; test = gte; } var pad = n.some(isPadded); N = []; for (var i = x; test(i, y); i += incr) { var c; if (isAlphaSequence) { c = String.fromCharCode(i); if (c === "\\") c = ""; } else { c = String(i); if (pad) { var need = width - c.length; if (need > 0) { var z2 = new Array(need + 1).join("0"); if (i < 0) c = "-" + z2 + c.slice(1); else c = z2 + c; } } } N.push(c); } } else { N = concatMap(n, function(el) { return expand(el, false); }); } for (var j = 0; j < N.length; j++) { for (var k = 0; k < post.length; k++) { var expansion = pre + N[j] + post[k]; if (!isTop || isSequence || expansion) expansions.push(expansion); } } return expansions; } } }); // node_modules/.pnpm/minimatch@3.1.2/node_modules/minimatch/minimatch.js var require_minimatch = __commonJS({ "node_modules/.pnpm/minimatch@3.1.2/node_modules/minimatch/minimatch.js"(exports2, module2) { module2.exports = minimatch2; minimatch2.Minimatch = Minimatch2; var path17 = function() { try { return require("path"); } catch (e) { } }() || { sep: "/" }; minimatch2.sep = path17.sep; var GLOBSTAR = minimatch2.GLOBSTAR = Minimatch2.GLOBSTAR = {}; var expand = require_brace_expansion(); var plTypes = { "!": { open: "(?:(?!(?:", close: "))[^/]*?)" }, "?": { open: "(?:", close: ")?" }, "+": { open: "(?:", close: ")+" }, "*": { open: "(?:", close: ")*" }, "@": { open: "(?:", close: ")" } }; var qmark = "[^/]"; var star = qmark + "*?"; var twoStarDot = "(?:(?!(?:\\/|^)(?:\\.{1,2})($|\\/)).)*?"; var twoStarNoDot = "(?:(?!(?:\\/|^)\\.).)*?"; var reSpecials = charSet("().*{}+?[]^$\\!"); function charSet(s) { return s.split("").reduce(function(set, c) { set[c] = true; return set; }, {}); } var slashSplit = /\/+/; minimatch2.filter = filter; function filter(pattern, options) { options = options || {}; return function(p, i, list) { return minimatch2(p, pattern, options); }; } function ext(a, b) { b = b || {}; var t = {}; Object.keys(a).forEach(function(k) { t[k] = a[k]; }); Object.keys(b).forEach(function(k) { t[k] = b[k]; }); return t; } minimatch2.defaults = function(def) { if (!def || typeof def !== "object" || !Object.keys(def).length) { return minimatch2; } var orig = minimatch2; var m = function minimatch3(p, pattern, options) { return orig(p, pattern, ext(def, options)); }; m.Minimatch = function Minimatch3(pattern, options) { return new orig.Minimatch(pattern, ext(def, options)); }; m.Minimatch.defaults = function defaults(options) { return orig.defaults(ext(def, options)).Minimatch; }; m.filter = function filter2(pattern, options) { return orig.filter(pattern, ext(def, options)); }; m.defaults = function defaults(options) { return orig.defaults(ext(def, options)); }; m.makeRe = function makeRe2(pattern, options) { return orig.makeRe(pattern, ext(def, options)); }; m.braceExpand = function braceExpand2(pattern, options) { return orig.braceExpand(pattern, ext(def, options)); }; m.match = function(list, pattern, options) { return orig.match(list, pattern, ext(def, options)); }; return m; }; Minimatch2.defaults = function(def) { return minimatch2.defaults(def).Minimatch; }; function minimatch2(p, pattern, options) { assertValidPattern(pattern); if (!options) options = {}; if (!options.nocomment && pattern.charAt(0) === "#") { return false; } return new Minimatch2(pattern, options).match(p); } function Minimatch2(pattern, options) { if (!(this instanceof Minimatch2)) { return new Minimatch2(pattern, options); } assertValidPattern(pattern); if (!options) options = {}; pattern = pattern.trim(); if (!options.allowWindowsEscape && path17.sep !== "/") { pattern = pattern.split(path17.sep).join("/"); } this.options = options; this.set = []; this.pattern = pattern; this.regexp = null; this.negate = false; this.comment = false; this.empty = false; this.partial = !!options.partial; this.make(); } Minimatch2.prototype.debug = function() { }; Minimatch2.prototype.make = make; function make() { var pattern = this.pattern; var options = this.options; if (!options.nocomment && pattern.charAt(0) === "#") { this.comment = true; return; } if (!pattern) { this.empty = true; return; } this.parseNegate(); var set = this.globSet = this.braceExpand(); if (options.debug) this.debug = function debug5() { console.error.apply(console, arguments); }; this.debug(this.pattern, set); set = this.globParts = set.map(function(s) { return s.split(slashSplit); }); this.debug(this.pattern, set); set = set.map(function(s, si, set2) { return s.map(this.parse, this); }, this); this.debug(this.pattern, set); set = set.filter(function(s) { return s.indexOf(false) === -1; }); this.debug(this.pattern, set); this.set = set; } Minimatch2.prototype.parseNegate = parseNegate; function parseNegate() { var pattern = this.pattern; var negate2 = false; var options = this.options; var negateOffset = 0; if (options.nonegate) return; for (var i = 0, l = pattern.length; i < l && pattern.charAt(i) === "!"; i++) { negate2 = !negate2; negateOffset++; } if (negateOffset) this.pattern = pattern.substr(negateOffset); this.negate = negate2; } minimatch2.braceExpand = function(pattern, options) { return braceExpand(pattern, options); }; Minimatch2.prototype.braceExpand = braceExpand; function braceExpand(pattern, options) { if (!options) { if (this instanceof Minimatch2) { options = this.options; } else { options = {}; } } pattern = typeof pattern === "undefined" ? this.pattern : pattern; assertValidPattern(pattern); if (options.nobrace || !/\{(?:(?!\{).)*\}/.test(pattern)) { return [pattern]; } return expand(pattern); } var MAX_PATTERN_LENGTH = 1024 * 64; var assertValidPattern = function(pattern) { if (typeof pattern !== "string") { throw new TypeError("invalid pattern"); } if (pattern.length > MAX_PATTERN_LENGTH) { throw new TypeError("pattern is too long"); } }; Minimatch2.prototype.parse = parse2; var SUBPARSE = {}; function parse2(pattern, isSub) { assertValidPattern(pattern); var options = this.options; if (pattern === "**") { if (!options.noglobstar) return GLOBSTAR; else pattern = "*"; } if (pattern === "") return ""; var re = ""; var hasMagic = !!options.nocase; var escaping = false; var patternListStack = []; var negativeLists = []; var stateChar; var inClass = false; var reClassStart = -1; var classStart = -1; var patternStart = pattern.charAt(0) === "." ? "" : options.dot ? "(?!(?:^|\\/)\\.{1,2}(?:$|\\/))" : "(?!\\.)"; var self2 = this; function clearStateChar() { if (stateChar) { switch (stateChar) { case "*": re += star; hasMagic = true; break; case "?": re += qmark; hasMagic = true; break; default: re += "\\" + stateChar; break; } self2.debug("clearStateChar %j %j", stateChar, re); stateChar = false; } } for (var i = 0, len = pattern.length, c; i < len && (c = pattern.charAt(i)); i++) { this.debug("%s %s %s %j", pattern, i, re, c); if (escaping && reSpecials[c]) { re += "\\" + c; escaping = false; continue; } switch (c) { case "/": { return false; } case "\\": clearStateChar(); escaping = true; continue; case "?": case "*": case "+": case "@": case "!": this.debug("%s %s %s %j <-- stateChar", pattern, i, re, c); if (inClass) { this.debug(" in class"); if (c === "!" && i === classStart + 1) c = "^"; re += c; continue; } self2.debug("call clearStateChar %j", stateChar); clearStateChar(); stateChar = c; if (options.noext) clearStateChar(); continue; case "(": if (inClass) { re += "("; continue; } if (!stateChar) { re += "\\("; continue; } patternListStack.push({ type: stateChar, start: i - 1, reStart: re.length, open: plTypes[stateChar].open, close: plTypes[stateChar].close }); re += stateChar === "!" ? "(?:(?!(?:" : "(?:"; this.debug("plType %j %j", stateChar, re); stateChar = false; continue; case ")": if (inClass || !patternListStack.length) { re += "\\)"; continue; } clearStateChar(); hasMagic = true; var pl = patternListStack.pop(); re += pl.close; if (pl.type === "!") { negativeLists.push(pl); } pl.reEnd = re.length; continue; case "|": if (inClass || !patternListStack.length || escaping) { re += "\\|"; escaping = false; continue; } clearStateChar(); re += "|"; continue; case "[": clearStateChar(); if (inClass) { re += "\\" + c; continue; } inClass = true; classStart = i; reClassStart = re.length; re += c; continue; case "]": if (i === classStart + 1 || !inClass) { re += "\\" + c; escaping = false; continue; } var cs = pattern.substring(classStart + 1, i); try { RegExp("[" + cs + "]"); } catch (er) { var sp = this.parse(cs, SUBPARSE); re = re.substr(0, reClassStart) + "\\[" + sp[0] + "\\]"; hasMagic = hasMagic || sp[1]; inClass = false; continue; } hasMagic = true; inClass = false; re += c; continue; default: clearStateChar(); if (escaping) { escaping = false; } else if (reSpecials[c] && !(c === "^" && inClass)) { re += "\\"; } re += c; } } if (inClass) { cs = pattern.substr(classStart + 1); sp = this.parse(cs, SUBPARSE); re = re.substr(0, reClassStart) + "\\[" + sp[0]; hasMagic = hasMagic || sp[1]; } for (pl = patternListStack.pop(); pl; pl = patternListStack.pop()) { var tail = re.slice(pl.reStart + pl.open.length); this.debug("setting tail", re, pl); tail = tail.replace(/((?:\\{2}){0,64})(\\?)\|/g, function(_, $1, $2) { if (!$2) { $2 = "\\"; } return $1 + $1 + $2 + "|"; }); this.debug("tail=%j\n %s", tail, tail, pl, re); var t = pl.type === "*" ? star : pl.type === "?" ? qmark : "\\" + pl.type; hasMagic = true; re = re.slice(0, pl.reStart) + t + "\\(" + tail; } clearStateChar(); if (escaping) { re += "\\\\"; } var addPatternStart = false; switch (re.charAt(0)) { case "[": case ".": case "(": addPatternStart = true; } for (var n = negativeLists.length - 1; n > -1; n--) { var nl = negativeLists[n]; var nlBefore = re.slice(0, nl.reStart); var nlFirst = re.slice(nl.reStart, nl.reEnd - 8); var nlLast = re.slice(nl.reEnd - 8, nl.reEnd); var nlAfter = re.slice(nl.reEnd); nlLast += nlAfter; var openParensBefore = nlBefore.split("(").length - 1; var cleanAfter = nlAfter; for (i = 0; i < openParensBefore; i++) { cleanAfter = cleanAfter.replace(/\)[+*?]?/, ""); } nlAfter = cleanAfter; var dollar = ""; if (nlAfter === "" && isSub !== SUBPARSE) { dollar = "$"; } var newRe = nlBefore + nlFirst + nlAfter + dollar + nlLast; re = newRe; } if (re !== "" && hasMagic) { re = "(?=.)" + re; } if (addPatternStart) { re = patternStart + re; } if (isSub === SUBPARSE) { return [re, hasMagic]; } if (!hasMagic) { return globUnescape(pattern); } var flags = options.nocase ? "i" : ""; try { var regExp = new RegExp("^" + re + "$", flags); } catch (er) { return new RegExp("$."); } regExp._glob = pattern; regExp._src = re; return regExp; } minimatch2.makeRe = function(pattern, options) { return new Minimatch2(pattern, options || {}).makeRe(); }; Minimatch2.prototype.makeRe = makeRe; function makeRe() { if (this.regexp || this.regexp === false) return this.regexp; var set = this.set; if (!set.length) { this.regexp = false; return this.regexp; } var options = this.options; var twoStar = options.noglobstar ? star : options.dot ? twoStarDot : twoStarNoDot; var flags = options.nocase ? "i" : ""; var re = set.map(function(pattern) { return pattern.map(function(p) { return p === GLOBSTAR ? twoStar : typeof p === "string" ? regExpEscape(p) : p._src; }).join("\\/"); }).join("|"); re = "^(?:" + re + ")$"; if (this.negate) re = "^(?!" + re + ").*$"; try { this.regexp = new RegExp(re, flags); } catch (ex) { this.regexp = false; } return this.regexp; } minimatch2.match = function(list, pattern, options) { options = options || {}; var mm = new Minimatch2(pattern, options); list = list.filter(function(f) { return mm.match(f); }); if (mm.options.nonull && !list.length) { list.push(pattern); } return list; }; Minimatch2.prototype.match = function match(f, partial) { if (typeof partial === "undefined") partial = this.partial; this.debug("match", f, this.pattern); if (this.comment) return false; if (this.empty) return f === ""; if (f === "/" && partial) return true; var options = this.options; if (path17.sep !== "/") { f = f.split(path17.sep).join("/"); } f = f.split(slashSplit); this.debug(this.pattern, "split", f); var set = this.set; this.debug(this.pattern, "set", set); var filename; var i; for (i = f.length - 1; i >= 0; i--) { filename = f[i]; if (filename) break; } for (i = 0; i < set.length; i++) { var pattern = set[i]; var file = f; if (options.matchBase && pattern.length === 1) { file = [filename]; } var hit = this.matchOne(file, pattern, partial); if (hit) { if (options.flipNegate) return true; return !this.negate; } } if (options.flipNegate) return false; return this.negate; }; Minimatch2.prototype.matchOne = function(file, pattern, partial) { var options = this.options; this.debug( "matchOne", { "this": this, file, pattern } ); this.debug("matchOne", file.length, pattern.length); for (var fi = 0, pi = 0, fl = file.length, pl = pattern.length; fi < fl && pi < pl; fi++, pi++) { this.debug("matchOne loop"); var p = pattern[pi]; var f = file[fi]; this.debug(pattern, p, f); if (p === false) return false; if (p === GLOBSTAR) { this.debug("GLOBSTAR", [pattern, p, f]); var fr = fi; var pr = pi + 1; if (pr === pl) { this.debug("** at the end"); for (; fi < fl; fi++) { if (file[fi] === "." || file[fi] === ".." || !options.dot && file[fi].charAt(0) === ".") return false; } return true; } while (fr < fl) { var swallowee = file[fr]; this.debug("\nglobstar while", file, fr, pattern, pr, swallowee); if (this.matchOne(file.slice(fr), pattern.slice(pr), partial)) { this.debug("globstar found match!", fr, fl, swallowee); return true; } else { if (swallowee === "." || swallowee === ".." || !options.dot && swallowee.charAt(0) === ".") { this.debug("dot detected!", file, fr, pattern, pr); break; } this.debug("globstar swallow a segment, and continue"); fr++; } } if (partial) { this.debug("\n>>> no match, partial?", file, fr, pattern, pr); if (fr === fl) return true; } return false; } var hit; if (typeof p === "string") { hit = f === p; this.debug("string match", p, f, hit); } else { hit = f.match(p); this.debug("pattern match", p, f, hit); } if (!hit) return false; } if (fi === fl && pi === pl) { return true; } else if (fi === fl) { return partial; } else if (pi === pl) { return fi === fl - 1 && file[fi] === ""; } throw new Error("wtf?"); }; function globUnescape(s) { return s.replace(/\\(.)/g, "$1"); } function regExpEscape(s) { return s.replace(/[-[\]{}()*+?.,\\^$|#\s]/g, "\\$&"); } } }); // node_modules/.pnpm/uri-js@4.4.1/node_modules/uri-js/dist/es5/uri.all.js var require_uri_all = __commonJS({ "node_modules/.pnpm/uri-js@4.4.1/node_modules/uri-js/dist/es5/uri.all.js"(exports2, module2) { (function(global2, factory) { typeof exports2 === "object" && typeof module2 !== "undefined" ? factory(exports2) : typeof define === "function" && define.amd ? define(["exports"], factory) : factory(global2.URI = global2.URI || {}); })(exports2, function(exports3) { "use strict"; function merge3() { for (var _len = arguments.length, sets = Array(_len), _key = 0; _key < _len; _key++) { sets[_key] = arguments[_key]; } if (sets.length > 1) { sets[0] = sets[0].slice(0, -1); var xl = sets.length - 1; for (var x = 1; x < xl; ++x) { sets[x] = sets[x].slice(1, -1); } sets[xl] = sets[xl].slice(1); return sets.join(""); } else { return sets[0]; } } function subexp(str) { return "(?:" + str + ")"; } function typeOf(o) { return o === void 0 ? "undefined" : o === null ? "null" : Object.prototype.toString.call(o).split(" ").pop().split("]").shift().toLowerCase(); } function toUpperCase(str) { return str.toUpperCase(); } function toArray(obj) { return obj !== void 0 && obj !== null ? obj instanceof Array ? obj : typeof obj.length !== "number" || obj.split || obj.setInterval || obj.call ? [obj] : Array.prototype.slice.call(obj) : []; } function assign(target, source) { var obj = target; if (source) { for (var key in source) { obj[key] = source[key]; } } return obj; } function buildExps(isIRI2) { var ALPHA$$ = "[A-Za-z]", CR$ = "[\\x0D]", DIGIT$$ = "[0-9]", DQUOTE$$ = "[\\x22]", HEXDIG$$2 = merge3(DIGIT$$, "[A-Fa-f]"), LF$$ = "[\\x0A]", SP$$ = "[\\x20]", PCT_ENCODED$2 = subexp(subexp("%[EFef]" + HEXDIG$$2 + "%" + HEXDIG$$2 + HEXDIG$$2 + "%" + HEXDIG$$2 + HEXDIG$$2) + "|" + subexp("%[89A-Fa-f]" + HEXDIG$$2 + "%" + HEXDIG$$2 + HEXDIG$$2) + "|" + subexp("%" + HEXDIG$$2 + HEXDIG$$2)), GEN_DELIMS$$ = "[\\:\\/\\?\\#\\[\\]\\@]", SUB_DELIMS$$ = "[\\!\\$\\&\\'\\(\\)\\*\\+\\,\\;\\=]", RESERVED$$ = merge3(GEN_DELIMS$$, SUB_DELIMS$$), UCSCHAR$$ = isIRI2 ? "[\\xA0-\\u200D\\u2010-\\u2029\\u202F-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFEF]" : "[]", IPRIVATE$$ = isIRI2 ? "[\\uE000-\\uF8FF]" : "[]", UNRESERVED$$2 = merge3(ALPHA$$, DIGIT$$, "[\\-\\.\\_\\~]", UCSCHAR$$), SCHEME$ = subexp(ALPHA$$ + merge3(ALPHA$$, DIGIT$$, "[\\+\\-\\.]") + "*"), USERINFO$ = subexp(subexp(PCT_ENCODED$2 + "|" + merge3(UNRESERVED$$2, SUB_DELIMS$$, "[\\:]")) + "*"), DEC_OCTET$ = subexp(subexp("25[0-5]") + "|" + subexp("2[0-4]" + DIGIT$$) + "|" + subexp("1" + DIGIT$$ + DIGIT$$) + "|" + subexp("[1-9]" + DIGIT$$) + "|" + DIGIT$$), DEC_OCTET_RELAXED$ = subexp(subexp("25[0-5]") + "|" + subexp("2[0-4]" + DIGIT$$) + "|" + subexp("1" + DIGIT$$ + DIGIT$$) + "|" + subexp("0?[1-9]" + DIGIT$$) + "|0?0?" + DIGIT$$), IPV4ADDRESS$ = subexp(DEC_OCTET_RELAXED$ + "\\." + DEC_OCTET_RELAXED$ + "\\." + DEC_OCTET_RELAXED$ + "\\." + DEC_OCTET_RELAXED$), H16$ = subexp(HEXDIG$$2 + "{1,4}"), LS32$ = subexp(subexp(H16$ + "\\:" + H16$) + "|" + IPV4ADDRESS$), IPV6ADDRESS1$ = subexp(subexp(H16$ + "\\:") + "{6}" + LS32$), IPV6ADDRESS2$ = subexp("\\:\\:" + subexp(H16$ + "\\:") + "{5}" + LS32$), IPV6ADDRESS3$ = subexp(subexp(H16$) + "?\\:\\:" + subexp(H16$ + "\\:") + "{4}" + LS32$), IPV6ADDRESS4$ = subexp(subexp(subexp(H16$ + "\\:") + "{0,1}" + H16$) + "?\\:\\:" + subexp(H16$ + "\\:") + "{3}" + LS32$), IPV6ADDRESS5$ = subexp(subexp(subexp(H16$ + "\\:") + "{0,2}" + H16$) + "?\\:\\:" + subexp(H16$ + "\\:") + "{2}" + LS32$), IPV6ADDRESS6$ = subexp(subexp(subexp(H16$ + "\\:") + "{0,3}" + H16$) + "?\\:\\:" + H16$ + "\\:" + LS32$), IPV6ADDRESS7$ = subexp(subexp(subexp(H16$ + "\\:") + "{0,4}" + H16$) + "?\\:\\:" + LS32$), IPV6ADDRESS8$ = subexp(subexp(subexp(H16$ + "\\:") + "{0,5}" + H16$) + "?\\:\\:" + H16$), IPV6ADDRESS9$ = subexp(subexp(subexp(H16$ + "\\:") + "{0,6}" + H16$) + "?\\:\\:"), IPV6ADDRESS$ = subexp([IPV6ADDRESS1$, IPV6ADDRESS2$, IPV6ADDRESS3$, IPV6ADDRESS4$, IPV6ADDRESS5$, IPV6ADDRESS6$, IPV6ADDRESS7$, IPV6ADDRESS8$, IPV6ADDRESS9$].join("|")), ZONEID$ = subexp(subexp(UNRESERVED$$2 + "|" + PCT_ENCODED$2) + "+"), IPV6ADDRZ$ = subexp(IPV6ADDRESS$ + "\\%25" + ZONEID$), IPV6ADDRZ_RELAXED$ = subexp(IPV6ADDRESS$ + subexp("\\%25|\\%(?!" + HEXDIG$$2 + "{2})") + ZONEID$), IPVFUTURE$ = subexp("[vV]" + HEXDIG$$2 + "+\\." + merge3(UNRESERVED$$2, SUB_DELIMS$$, "[\\:]") + "+"), IP_LITERAL$ = subexp("\\[" + subexp(IPV6ADDRZ_RELAXED$ + "|" + IPV6ADDRESS$ + "|" + IPVFUTURE$) + "\\]"), REG_NAME$ = subexp(subexp(PCT_ENCODED$2 + "|" + merge3(UNRESERVED$$2, SUB_DELIMS$$)) + "*"), HOST$ = subexp(IP_LITERAL$ + "|" + IPV4ADDRESS$ + "(?!" + REG_NAME$ + ")|" + REG_NAME$), PORT$ = subexp(DIGIT$$ + "*"), AUTHORITY$ = subexp(subexp(USERINFO$ + "@") + "?" + HOST$ + subexp("\\:" + PORT$) + "?"), PCHAR$ = subexp(PCT_ENCODED$2 + "|" + merge3(UNRESERVED$$2, SUB_DELIMS$$, "[\\:\\@]")), SEGMENT$ = subexp(PCHAR$ + "*"), SEGMENT_NZ$ = subexp(PCHAR$ + "+"), SEGMENT_NZ_NC$ = subexp(subexp(PCT_ENCODED$2 + "|" + merge3(UNRESERVED$$2, SUB_DELIMS$$, "[\\@]")) + "+"), PATH_ABEMPTY$ = subexp(subexp("\\/" + SEGMENT$) + "*"), PATH_ABSOLUTE$ = subexp("\\/" + subexp(SEGMENT_NZ$ + PATH_ABEMPTY$) + "?"), PATH_NOSCHEME$ = subexp(SEGMENT_NZ_NC$ + PATH_ABEMPTY$), PATH_ROOTLESS$ = subexp(SEGMENT_NZ$ + PATH_ABEMPTY$), PATH_EMPTY$ = "(?!" + PCHAR$ + ")", PATH$ = subexp(PATH_ABEMPTY$ + "|" + PATH_ABSOLUTE$ + "|" + PATH_NOSCHEME$ + "|" + PATH_ROOTLESS$ + "|" + PATH_EMPTY$), QUERY$ = subexp(subexp(PCHAR$ + "|" + merge3("[\\/\\?]", IPRIVATE$$)) + "*"), FRAGMENT$ = subexp(subexp(PCHAR$ + "|[\\/\\?]") + "*"), HIER_PART$ = subexp(subexp("\\/\\/" + AUTHORITY$ + PATH_ABEMPTY$) + "|" + PATH_ABSOLUTE$ + "|" + PATH_ROOTLESS$ + "|" + PATH_EMPTY$), URI$ = subexp(SCHEME$ + "\\:" + HIER_PART$ + subexp("\\?" + QUERY$) + "?" + subexp("\\#" + FRAGMENT$) + "?"), RELATIVE_PART$ = subexp(subexp("\\/\\/" + AUTHORITY$ + PATH_ABEMPTY$) + "|" + PATH_ABSOLUTE$ + "|" + PATH_NOSCHEME$ + "|" + PATH_EMPTY$), RELATIVE$ = subexp(RELATIVE_PART$ + subexp("\\?" + QUERY$) + "?" + subexp("\\#" + FRAGMENT$) + "?"), URI_REFERENCE$ = subexp(URI$ + "|" + RELATIVE$), ABSOLUTE_URI$ = subexp(SCHEME$ + "\\:" + HIER_PART$ + subexp("\\?" + QUERY$) + "?"), GENERIC_REF$ = "^(" + SCHEME$ + ")\\:" + subexp(subexp("\\/\\/(" + subexp("(" + USERINFO$ + ")@") + "?(" + HOST$ + ")" + subexp("\\:(" + PORT$ + ")") + "?)") + "?(" + PATH_ABEMPTY$ + "|" + PATH_ABSOLUTE$ + "|" + PATH_ROOTLESS$ + "|" + PATH_EMPTY$ + ")") + subexp("\\?(" + QUERY$ + ")") + "?" + subexp("\\#(" + FRAGMENT$ + ")") + "?$", RELATIVE_REF$ = "^(){0}" + subexp(subexp("\\/\\/(" + subexp("(" + USERINFO$ + ")@") + "?(" + HOST$ + ")" + subexp("\\:(" + PORT$ + ")") + "?)") + "?(" + PATH_ABEMPTY$ + "|" + PATH_ABSOLUTE$ + "|" + PATH_NOSCHEME$ + "|" + PATH_EMPTY$ + ")") + subexp("\\?(" + QUERY$ + ")") + "?" + subexp("\\#(" + FRAGMENT$ + ")") + "?$", ABSOLUTE_REF$ = "^(" + SCHEME$ + ")\\:" + subexp(subexp("\\/\\/(" + subexp("(" + USERINFO$ + ")@") + "?(" + HOST$ + ")" + subexp("\\:(" + PORT$ + ")") + "?)") + "?(" + PATH_ABEMPTY$ + "|" + PATH_ABSOLUTE$ + "|" + PATH_ROOTLESS$ + "|" + PATH_EMPTY$ + ")") + subexp("\\?(" + QUERY$ + ")") + "?$", SAMEDOC_REF$ = "^" + subexp("\\#(" + FRAGMENT$ + ")") + "?$", AUTHORITY_REF$ = "^" + subexp("(" + USERINFO$ + ")@") + "?(" + HOST$ + ")" + subexp("\\:(" + PORT$ + ")") + "?$"; return { NOT_SCHEME: new RegExp(merge3("[^]", ALPHA$$, DIGIT$$, "[\\+\\-\\.]"), "g"), NOT_USERINFO: new RegExp(merge3("[^\\%\\:]", UNRESERVED$$2, SUB_DELIMS$$), "g"), NOT_HOST: new RegExp(merge3("[^\\%\\[\\]\\:]", UNRESERVED$$2, SUB_DELIMS$$), "g"), NOT_PATH: new RegExp(merge3("[^\\%\\/\\:\\@]", UNRESERVED$$2, SUB_DELIMS$$), "g"), NOT_PATH_NOSCHEME: new RegExp(merge3("[^\\%\\/\\@]", UNRESERVED$$2, SUB_DELIMS$$), "g"), NOT_QUERY: new RegExp(merge3("[^\\%]", UNRESERVED$$2, SUB_DELIMS$$, "[\\:\\@\\/\\?]", IPRIVATE$$), "g"), NOT_FRAGMENT: new RegExp(merge3("[^\\%]", UNRESERVED$$2, SUB_DELIMS$$, "[\\:\\@\\/\\?]"), "g"), ESCAPE: new RegExp(merge3("[^]", UNRESERVED$$2, SUB_DELIMS$$), "g"), UNRESERVED: new RegExp(UNRESERVED$$2, "g"), OTHER_CHARS: new RegExp(merge3("[^\\%]", UNRESERVED$$2, RESERVED$$), "g"), PCT_ENCODED: new RegExp(PCT_ENCODED$2, "g"), IPV4ADDRESS: new RegExp("^(" + IPV4ADDRESS$ + ")$"), IPV6ADDRESS: new RegExp("^\\[?(" + IPV6ADDRESS$ + ")" + subexp(subexp("\\%25|\\%(?!" + HEXDIG$$2 + "{2})") + "(" + ZONEID$ + ")") + "?\\]?$") //RFC 6874, with relaxed parsing rules }; } var URI_PROTOCOL = buildExps(false); var IRI_PROTOCOL = buildExps(true); var slicedToArray = /* @__PURE__ */ function() { function sliceIterator(arr, i) { var _arr = []; var _n = true; var _d = false; var _e = void 0; try { for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) { _arr.push(_s.value); if (i && _arr.length === i) break; } } catch (err) { _d = true; _e = err; } finally { try { if (!_n && _i["return"]) _i["return"](); } finally { if (_d) throw _e; } } return _arr; } return function(arr, i) { if (Array.isArray(arr)) { return arr; } else if (Symbol.iterator in Object(arr)) { return sliceIterator(arr, i); } else { throw new TypeError("Invalid attempt to destructure non-iterable instance"); } }; }(); var toConsumableArray = function(arr) { if (Array.isArray(arr)) { for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) arr2[i] = arr[i]; return arr2; } else { return Array.from(arr); } }; var maxInt = 2147483647; var base = 36; var tMin = 1; var tMax = 26; var skew = 38; var damp = 700; var initialBias = 72; var initialN = 128; var delimiter2 = "-"; var regexPunycode = /^xn--/; var regexNonASCII = /[^\0-\x7E]/; var regexSeparators = /[\x2E\u3002\uFF0E\uFF61]/g; var errors = { "overflow": "Overflow: input needs wider integers to process", "not-basic": "Illegal input >= 0x80 (not a basic code point)", "invalid-input": "Invalid input" }; var baseMinusTMin = base - tMin; var floor = Math.floor; var stringFromCharCode = String.fromCharCode; function error$1(type) { throw new RangeError(errors[type]); } function map(array, fn) { var result = []; var length = array.length; while (length--) { result[length] = fn(array[length]); } return result; } function mapDomain(string, fn) { var parts = string.split("@"); var result = ""; if (parts.length > 1) { result = parts[0] + "@"; string = parts[1]; } string = string.replace(regexSeparators, "."); var labels = string.split("."); var encoded = map(labels, fn).join("."); return result + encoded; } function ucs2decode(string) { var output = []; var counter = 0; var length = string.length; while (counter < length) { var value = string.charCodeAt(counter++); if (value >= 55296 && value <= 56319 && counter < length) { var extra = string.charCodeAt(counter++); if ((extra & 64512) == 56320) { output.push(((value & 1023) << 10) + (extra & 1023) + 65536); } else { output.push(value); counter--; } } else { output.push(value); } } return output; } var ucs2encode = function ucs2encode2(array) { return String.fromCodePoint.apply(String, toConsumableArray(array)); }; var basicToDigit = function basicToDigit2(codePoint) { if (codePoint - 48 < 10) { return codePoint - 22; } if (codePoint - 65 < 26) { return codePoint - 65; } if (codePoint - 97 < 26) { return codePoint - 97; } return base; }; var digitToBasic = function digitToBasic2(digit, flag) { return digit + 22 + 75 * (digit < 26) - ((flag != 0) << 5); }; var adapt = function adapt2(delta, numPoints, firstTime) { var k = 0; delta = firstTime ? floor(delta / damp) : delta >> 1; delta += floor(delta / numPoints); for ( ; /* no initialization */ delta > baseMinusTMin * tMax >> 1; k += base ) { delta = floor(delta / baseMinusTMin); } return floor(k + (baseMinusTMin + 1) * delta / (delta + skew)); }; var decode = function decode2(input) { var output = []; var inputLength = input.length; var i = 0; var n = initialN; var bias = initialBias; var basic = input.lastIndexOf(delimiter2); if (basic < 0) { basic = 0; } for (var j = 0; j < basic; ++j) { if (input.charCodeAt(j) >= 128) { error$1("not-basic"); } output.push(input.charCodeAt(j)); } for (var index = basic > 0 ? basic + 1 : 0; index < inputLength; ) { var oldi = i; for ( var w = 1, k = base; ; /* no condition */ k += base ) { if (index >= inputLength) { error$1("invalid-input"); } var digit = basicToDigit(input.charCodeAt(index++)); if (digit >= base || digit > floor((maxInt - i) / w)) { error$1("overflow"); } i += digit * w; var t = k <= bias ? tMin : k >= bias + tMax ? tMax : k - bias; if (digit < t) { break; } var baseMinusT = base - t; if (w > floor(maxInt / baseMinusT)) { error$1("overflow"); } w *= baseMinusT; } var out = output.length + 1; bias = adapt(i - oldi, out, oldi == 0); if (floor(i / out) > maxInt - n) { error$1("overflow"); } n += floor(i / out); i %= out; output.splice(i++, 0, n); } return String.fromCodePoint.apply(String, output); }; var encode = function encode2(input) { var output = []; input = ucs2decode(input); var inputLength = input.length; var n = initialN; var delta = 0; var bias = initialBias; var _iteratorNormalCompletion = true; var _didIteratorError = false; var _iteratorError = void 0; try { for (var _iterator = input[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) { var _currentValue2 = _step.value; if (_currentValue2 < 128) { output.push(stringFromCharCode(_currentValue2)); } } } catch (err) { _didIteratorError = true; _iteratorError = err; } finally { try { if (!_iteratorNormalCompletion && _iterator.return) { _iterator.return(); } } finally { if (_didIteratorError) { throw _iteratorError; } } } var basicLength = output.length; var handledCPCount = basicLength; if (basicLength) { output.push(delimiter2); } while (handledCPCount < inputLength) { var m = maxInt; var _iteratorNormalCompletion2 = true; var _didIteratorError2 = false; var _iteratorError2 = void 0; try { for (var _iterator2 = input[Symbol.iterator](), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) { var currentValue = _step2.value; if (currentValue >= n && currentValue < m) { m = currentValue; } } } catch (err) { _didIteratorError2 = true; _iteratorError2 = err; } finally { try { if (!_iteratorNormalCompletion2 && _iterator2.return) { _iterator2.return(); } } finally { if (_didIteratorError2) { throw _iteratorError2; } } } var handledCPCountPlusOne = handledCPCount + 1; if (m - n > floor((maxInt - delta) / handledCPCountPlusOne)) { error$1("overflow"); } delta += (m - n) * handledCPCountPlusOne; n = m; var _iteratorNormalCompletion3 = true; var _didIteratorError3 = false; var _iteratorError3 = void 0; try { for (var _iterator3 = input[Symbol.iterator](), _step3; !(_iteratorNormalCompletion3 = (_step3 = _iterator3.next()).done); _iteratorNormalCompletion3 = true) { var _currentValue = _step3.value; if (_currentValue < n && ++delta > maxInt) { error$1("overflow"); } if (_currentValue == n) { var q = delta; for ( var k = base; ; /* no condition */ k += base ) { var t = k <= bias ? tMin : k >= bias + tMax ? tMax : k - bias; if (q < t) { break; } var qMinusT = q - t; var baseMinusT = base - t; output.push(stringFromCharCode(digitToBasic(t + qMinusT % baseMinusT, 0))); q = floor(qMinusT / baseMinusT); } output.push(stringFromCharCode(digitToBasic(q, 0))); bias = adapt(delta, handledCPCountPlusOne, handledCPCount == basicLength); delta = 0; ++handledCPCount; } } } catch (err) { _didIteratorError3 = true; _iteratorError3 = err; } finally { try { if (!_iteratorNormalCompletion3 && _iterator3.return) { _iterator3.return(); } } finally { if (_didIteratorError3) { throw _iteratorError3; } } } ++delta; ++n; } return output.join(""); }; var toUnicode = function toUnicode2(input) { return mapDomain(input, function(string) { return regexPunycode.test(string) ? decode(string.slice(4).toLowerCase()) : string; }); }; var toASCII = function toASCII2(input) { return mapDomain(input, function(string) { return regexNonASCII.test(string) ? "xn--" + encode(string) : string; }); }; var punycode = { /** * A string representing the current Punycode.js version number. * @memberOf punycode * @type String */ "version": "2.1.0", /** * An object of methods to convert from JavaScript's internal character * representation (UCS-2) to Unicode code points, and back. * @see * @memberOf punycode * @type Object */ "ucs2": { "decode": ucs2decode, "encode": ucs2encode }, "decode": decode, "encode": encode, "toASCII": toASCII, "toUnicode": toUnicode }; var SCHEMES = {}; function pctEncChar(chr) { var c = chr.charCodeAt(0); var e = void 0; if (c < 16) e = "%0" + c.toString(16).toUpperCase(); else if (c < 128) e = "%" + c.toString(16).toUpperCase(); else if (c < 2048) e = "%" + (c >> 6 | 192).toString(16).toUpperCase() + "%" + (c & 63 | 128).toString(16).toUpperCase(); else e = "%" + (c >> 12 | 224).toString(16).toUpperCase() + "%" + (c >> 6 & 63 | 128).toString(16).toUpperCase() + "%" + (c & 63 | 128).toString(16).toUpperCase(); return e; } function pctDecChars(str) { var newStr = ""; var i = 0; var il = str.length; while (i < il) { var c = parseInt(str.substr(i + 1, 2), 16); if (c < 128) { newStr += String.fromCharCode(c); i += 3; } else if (c >= 194 && c < 224) { if (il - i >= 6) { var c2 = parseInt(str.substr(i + 4, 2), 16); newStr += String.fromCharCode((c & 31) << 6 | c2 & 63); } else { newStr += str.substr(i, 6); } i += 6; } else if (c >= 224) { if (il - i >= 9) { var _c = parseInt(str.substr(i + 4, 2), 16); var c3 = parseInt(str.substr(i + 7, 2), 16); newStr += String.fromCharCode((c & 15) << 12 | (_c & 63) << 6 | c3 & 63); } else { newStr += str.substr(i, 9); } i += 9; } else { newStr += str.substr(i, 3); i += 3; } } return newStr; } function _normalizeComponentEncoding(components, protocol) { function decodeUnreserved2(str) { var decStr = pctDecChars(str); return !decStr.match(protocol.UNRESERVED) ? str : decStr; } if (components.scheme) components.scheme = String(components.scheme).replace(protocol.PCT_ENCODED, decodeUnreserved2).toLowerCase().replace(protocol.NOT_SCHEME, ""); if (components.userinfo !== void 0) components.userinfo = String(components.userinfo).replace(protocol.PCT_ENCODED, decodeUnreserved2).replace(protocol.NOT_USERINFO, pctEncChar).replace(protocol.PCT_ENCODED, toUpperCase); if (components.host !== void 0) components.host = String(components.host).replace(protocol.PCT_ENCODED, decodeUnreserved2).toLowerCase().replace(protocol.NOT_HOST, pctEncChar).replace(protocol.PCT_ENCODED, toUpperCase); if (components.path !== void 0) components.path = String(components.path).replace(protocol.PCT_ENCODED, decodeUnreserved2).replace(components.scheme ? protocol.NOT_PATH : protocol.NOT_PATH_NOSCHEME, pctEncChar).replace(protocol.PCT_ENCODED, toUpperCase); if (components.query !== void 0) components.query = String(components.query).replace(protocol.PCT_ENCODED, decodeUnreserved2).replace(protocol.NOT_QUERY, pctEncChar).replace(protocol.PCT_ENCODED, toUpperCase); if (components.fragment !== void 0) components.fragment = String(components.fragment).replace(protocol.PCT_ENCODED, decodeUnreserved2).replace(protocol.NOT_FRAGMENT, pctEncChar).replace(protocol.PCT_ENCODED, toUpperCase); return components; } function _stripLeadingZeros(str) { return str.replace(/^0*(.*)/, "$1") || "0"; } function _normalizeIPv4(host, protocol) { var matches = host.match(protocol.IPV4ADDRESS) || []; var _matches = slicedToArray(matches, 2), address = _matches[1]; if (address) { return address.split(".").map(_stripLeadingZeros).join("."); } else { return host; } } function _normalizeIPv6(host, protocol) { var matches = host.match(protocol.IPV6ADDRESS) || []; var _matches2 = slicedToArray(matches, 3), address = _matches2[1], zone = _matches2[2]; if (address) { var _address$toLowerCase$ = address.toLowerCase().split("::").reverse(), _address$toLowerCase$2 = slicedToArray(_address$toLowerCase$, 2), last = _address$toLowerCase$2[0], first = _address$toLowerCase$2[1]; var firstFields = first ? first.split(":").map(_stripLeadingZeros) : []; var lastFields = last.split(":").map(_stripLeadingZeros); var isLastFieldIPv4Address = protocol.IPV4ADDRESS.test(lastFields[lastFields.length - 1]); var fieldCount = isLastFieldIPv4Address ? 7 : 8; var lastFieldsStart = lastFields.length - fieldCount; var fields = Array(fieldCount); for (var x = 0; x < fieldCount; ++x) { fields[x] = firstFields[x] || lastFields[lastFieldsStart + x] || ""; } if (isLastFieldIPv4Address) { fields[fieldCount - 1] = _normalizeIPv4(fields[fieldCount - 1], protocol); } var allZeroFields = fields.reduce(function(acc, field, index) { if (!field || field === "0") { var lastLongest = acc[acc.length - 1]; if (lastLongest && lastLongest.index + lastLongest.length === index) { lastLongest.length++; } else { acc.push({ index, length: 1 }); } } return acc; }, []); var longestZeroFields = allZeroFields.sort(function(a, b) { return b.length - a.length; })[0]; var newHost = void 0; if (longestZeroFields && longestZeroFields.length > 1) { var newFirst = fields.slice(0, longestZeroFields.index); var newLast = fields.slice(longestZeroFields.index + longestZeroFields.length); newHost = newFirst.join(":") + "::" + newLast.join(":"); } else { newHost = fields.join(":"); } if (zone) { newHost += "%" + zone; } return newHost; } else { return host; } } var URI_PARSE = /^(?:([^:\/?#]+):)?(?:\/\/((?:([^\/?#@]*)@)?(\[[^\/?#\]]+\]|[^\/?#:]*)(?:\:(\d*))?))?([^?#]*)(?:\?([^#]*))?(?:#((?:.|\n|\r)*))?/i; var NO_MATCH_IS_UNDEFINED = "".match(/(){0}/)[1] === void 0; function parse2(uriString) { var options = arguments.length > 1 && arguments[1] !== void 0 ? arguments[1] : {}; var components = {}; var protocol = options.iri !== false ? IRI_PROTOCOL : URI_PROTOCOL; if (options.reference === "suffix") uriString = (options.scheme ? options.scheme + ":" : "") + "//" + uriString; var matches = uriString.match(URI_PARSE); if (matches) { if (NO_MATCH_IS_UNDEFINED) { components.scheme = matches[1]; components.userinfo = matches[3]; components.host = matches[4]; components.port = parseInt(matches[5], 10); components.path = matches[6] || ""; components.query = matches[7]; components.fragment = matches[8]; if (isNaN(components.port)) { components.port = matches[5]; } } else { components.scheme = matches[1] || void 0; components.userinfo = uriString.indexOf("@") !== -1 ? matches[3] : void 0; components.host = uriString.indexOf("//") !== -1 ? matches[4] : void 0; components.port = parseInt(matches[5], 10); components.path = matches[6] || ""; components.query = uriString.indexOf("?") !== -1 ? matches[7] : void 0; components.fragment = uriString.indexOf("#") !== -1 ? matches[8] : void 0; if (isNaN(components.port)) { components.port = uriString.match(/\/\/(?:.|\n)*\:(?:\/|\?|\#|$)/) ? matches[4] : void 0; } } if (components.host) { components.host = _normalizeIPv6(_normalizeIPv4(components.host, protocol), protocol); } if (components.scheme === void 0 && components.userinfo === void 0 && components.host === void 0 && components.port === void 0 && !components.path && components.query === void 0) { components.reference = "same-document"; } else if (components.scheme === void 0) { components.reference = "relative"; } else if (components.fragment === void 0) { components.reference = "absolute"; } else { components.reference = "uri"; } if (options.reference && options.reference !== "suffix" && options.reference !== components.reference) { components.error = components.error || "URI is not a " + options.reference + " reference."; } var schemeHandler = SCHEMES[(options.scheme || components.scheme || "").toLowerCase()]; if (!options.unicodeSupport && (!schemeHandler || !schemeHandler.unicodeSupport)) { if (components.host && (options.domainHost || schemeHandler && schemeHandler.domainHost)) { try { components.host = punycode.toASCII(components.host.replace(protocol.PCT_ENCODED, pctDecChars).toLowerCase()); } catch (e) { components.error = components.error || "Host's domain name can not be converted to ASCII via punycode: " + e; } } _normalizeComponentEncoding(components, URI_PROTOCOL); } else { _normalizeComponentEncoding(components, protocol); } if (schemeHandler && schemeHandler.parse) { schemeHandler.parse(components, options); } } else { components.error = components.error || "URI can not be parsed."; } return components; } function _recomposeAuthority(components, options) { var protocol = options.iri !== false ? IRI_PROTOCOL : URI_PROTOCOL; var uriTokens = []; if (components.userinfo !== void 0) { uriTokens.push(components.userinfo); uriTokens.push("@"); } if (components.host !== void 0) { uriTokens.push(_normalizeIPv6(_normalizeIPv4(String(components.host), protocol), protocol).replace(protocol.IPV6ADDRESS, function(_, $1, $2) { return "[" + $1 + ($2 ? "%25" + $2 : "") + "]"; })); } if (typeof components.port === "number" || typeof components.port === "string") { uriTokens.push(":"); uriTokens.push(String(components.port)); } return uriTokens.length ? uriTokens.join("") : void 0; } var RDS1 = /^\.\.?\//; var RDS2 = /^\/\.(\/|$)/; var RDS3 = /^\/\.\.(\/|$)/; var RDS5 = /^\/?(?:.|\n)*?(?=\/|$)/; function removeDotSegments(input) { var output = []; while (input.length) { if (input.match(RDS1)) { input = input.replace(RDS1, ""); } else if (input.match(RDS2)) { input = input.replace(RDS2, "/"); } else if (input.match(RDS3)) { input = input.replace(RDS3, "/"); output.pop(); } else if (input === "." || input === "..") { input = ""; } else { var im = input.match(RDS5); if (im) { var s = im[0]; input = input.slice(s.length); output.push(s); } else { throw new Error("Unexpected dot segment condition"); } } } return output.join(""); } function serialize(components) { var options = arguments.length > 1 && arguments[1] !== void 0 ? arguments[1] : {}; var protocol = options.iri ? IRI_PROTOCOL : URI_PROTOCOL; var uriTokens = []; var schemeHandler = SCHEMES[(options.scheme || components.scheme || "").toLowerCase()]; if (schemeHandler && schemeHandler.serialize) schemeHandler.serialize(components, options); if (components.host) { if (protocol.IPV6ADDRESS.test(components.host)) { } else if (options.domainHost || schemeHandler && schemeHandler.domainHost) { try { components.host = !options.iri ? punycode.toASCII(components.host.replace(protocol.PCT_ENCODED, pctDecChars).toLowerCase()) : punycode.toUnicode(components.host); } catch (e) { components.error = components.error || "Host's domain name can not be converted to " + (!options.iri ? "ASCII" : "Unicode") + " via punycode: " + e; } } } _normalizeComponentEncoding(components, protocol); if (options.reference !== "suffix" && components.scheme) { uriTokens.push(components.scheme); uriTokens.push(":"); } var authority = _recomposeAuthority(components, options); if (authority !== void 0) { if (options.reference !== "suffix") { uriTokens.push("//"); } uriTokens.push(authority); if (components.path && components.path.charAt(0) !== "/") { uriTokens.push("/"); } } if (components.path !== void 0) { var s = components.path; if (!options.absolutePath && (!schemeHandler || !schemeHandler.absolutePath)) { s = removeDotSegments(s); } if (authority === void 0) { s = s.replace(/^\/\//, "/%2F"); } uriTokens.push(s); } if (components.query !== void 0) { uriTokens.push("?"); uriTokens.push(components.query); } if (components.fragment !== void 0) { uriTokens.push("#"); uriTokens.push(components.fragment); } return uriTokens.join(""); } function resolveComponents(base2, relative2) { var options = arguments.length > 2 && arguments[2] !== void 0 ? arguments[2] : {}; var skipNormalization = arguments[3]; var target = {}; if (!skipNormalization) { base2 = parse2(serialize(base2, options), options); relative2 = parse2(serialize(relative2, options), options); } options = options || {}; if (!options.tolerant && relative2.scheme) { target.scheme = relative2.scheme; target.userinfo = relative2.userinfo; target.host = relative2.host; target.port = relative2.port; target.path = removeDotSegments(relative2.path || ""); target.query = relative2.query; } else { if (relative2.userinfo !== void 0 || relative2.host !== void 0 || relative2.port !== void 0) { target.userinfo = relative2.userinfo; target.host = relative2.host; target.port = relative2.port; target.path = removeDotSegments(relative2.path || ""); target.query = relative2.query; } else { if (!relative2.path) { target.path = base2.path; if (relative2.query !== void 0) { target.query = relative2.query; } else { target.query = base2.query; } } else { if (relative2.path.charAt(0) === "/") { target.path = removeDotSegments(relative2.path); } else { if ((base2.userinfo !== void 0 || base2.host !== void 0 || base2.port !== void 0) && !base2.path) { target.path = "/" + relative2.path; } else if (!base2.path) { target.path = relative2.path; } else { target.path = base2.path.slice(0, base2.path.lastIndexOf("/") + 1) + relative2.path; } target.path = removeDotSegments(target.path); } target.query = relative2.query; } target.userinfo = base2.userinfo; target.host = base2.host; target.port = base2.port; } target.scheme = base2.scheme; } target.fragment = relative2.fragment; return target; } function resolve2(baseURI, relativeURI, options) { var schemelessOptions = assign({ scheme: "null" }, options); return serialize(resolveComponents(parse2(baseURI, schemelessOptions), parse2(relativeURI, schemelessOptions), schemelessOptions, true), schemelessOptions); } function normalize(uri, options) { if (typeof uri === "string") { uri = serialize(parse2(uri, options), options); } else if (typeOf(uri) === "object") { uri = parse2(serialize(uri, options), options); } return uri; } function equal(uriA, uriB, options) { if (typeof uriA === "string") { uriA = serialize(parse2(uriA, options), options); } else if (typeOf(uriA) === "object") { uriA = serialize(uriA, options); } if (typeof uriB === "string") { uriB = serialize(parse2(uriB, options), options); } else if (typeOf(uriB) === "object") { uriB = serialize(uriB, options); } return uriA === uriB; } function escapeComponent(str, options) { return str && str.toString().replace(!options || !options.iri ? URI_PROTOCOL.ESCAPE : IRI_PROTOCOL.ESCAPE, pctEncChar); } function unescapeComponent(str, options) { return str && str.toString().replace(!options || !options.iri ? URI_PROTOCOL.PCT_ENCODED : IRI_PROTOCOL.PCT_ENCODED, pctDecChars); } var handler = { scheme: "http", domainHost: true, parse: function parse3(components, options) { if (!components.host) { components.error = components.error || "HTTP URIs must have a host."; } return components; }, serialize: function serialize2(components, options) { var secure = String(components.scheme).toLowerCase() === "https"; if (components.port === (secure ? 443 : 80) || components.port === "") { components.port = void 0; } if (!components.path) { components.path = "/"; } return components; } }; var handler$1 = { scheme: "https", domainHost: handler.domainHost, parse: handler.parse, serialize: handler.serialize }; function isSecure(wsComponents) { return typeof wsComponents.secure === "boolean" ? wsComponents.secure : String(wsComponents.scheme).toLowerCase() === "wss"; } var handler$2 = { scheme: "ws", domainHost: true, parse: function parse3(components, options) { var wsComponents = components; wsComponents.secure = isSecure(wsComponents); wsComponents.resourceName = (wsComponents.path || "/") + (wsComponents.query ? "?" + wsComponents.query : ""); wsComponents.path = void 0; wsComponents.query = void 0; return wsComponents; }, serialize: function serialize2(wsComponents, options) { if (wsComponents.port === (isSecure(wsComponents) ? 443 : 80) || wsComponents.port === "") { wsComponents.port = void 0; } if (typeof wsComponents.secure === "boolean") { wsComponents.scheme = wsComponents.secure ? "wss" : "ws"; wsComponents.secure = void 0; } if (wsComponents.resourceName) { var _wsComponents$resourc = wsComponents.resourceName.split("?"), _wsComponents$resourc2 = slicedToArray(_wsComponents$resourc, 2), path17 = _wsComponents$resourc2[0], query = _wsComponents$resourc2[1]; wsComponents.path = path17 && path17 !== "/" ? path17 : void 0; wsComponents.query = query; wsComponents.resourceName = void 0; } wsComponents.fragment = void 0; return wsComponents; } }; var handler$3 = { scheme: "wss", domainHost: handler$2.domainHost, parse: handler$2.parse, serialize: handler$2.serialize }; var O = {}; var isIRI = true; var UNRESERVED$$ = "[A-Za-z0-9\\-\\.\\_\\~" + (isIRI ? "\\xA0-\\u200D\\u2010-\\u2029\\u202F-\\uD7FF\\uF900-\\uFDCF\\uFDF0-\\uFFEF" : "") + "]"; var HEXDIG$$ = "[0-9A-Fa-f]"; var PCT_ENCODED$ = subexp(subexp("%[EFef]" + HEXDIG$$ + "%" + HEXDIG$$ + HEXDIG$$ + "%" + HEXDIG$$ + HEXDIG$$) + "|" + subexp("%[89A-Fa-f]" + HEXDIG$$ + "%" + HEXDIG$$ + HEXDIG$$) + "|" + subexp("%" + HEXDIG$$ + HEXDIG$$)); var ATEXT$$ = "[A-Za-z0-9\\!\\$\\%\\'\\*\\+\\-\\^\\_\\`\\{\\|\\}\\~]"; var QTEXT$$ = "[\\!\\$\\%\\'\\(\\)\\*\\+\\,\\-\\.0-9\\<\\>A-Z\\x5E-\\x7E]"; var VCHAR$$ = merge3(QTEXT$$, '[\\"\\\\]'); var SOME_DELIMS$$ = "[\\!\\$\\'\\(\\)\\*\\+\\,\\;\\:\\@]"; var UNRESERVED = new RegExp(UNRESERVED$$, "g"); var PCT_ENCODED = new RegExp(PCT_ENCODED$, "g"); var NOT_LOCAL_PART = new RegExp(merge3("[^]", ATEXT$$, "[\\.]", '[\\"]', VCHAR$$), "g"); var NOT_HFNAME = new RegExp(merge3("[^]", UNRESERVED$$, SOME_DELIMS$$), "g"); var NOT_HFVALUE = NOT_HFNAME; function decodeUnreserved(str) { var decStr = pctDecChars(str); return !decStr.match(UNRESERVED) ? str : decStr; } var handler$4 = { scheme: "mailto", parse: function parse$$1(components, options) { var mailtoComponents = components; var to = mailtoComponents.to = mailtoComponents.path ? mailtoComponents.path.split(",") : []; mailtoComponents.path = void 0; if (mailtoComponents.query) { var unknownHeaders = false; var headers = {}; var hfields = mailtoComponents.query.split("&"); for (var x = 0, xl = hfields.length; x < xl; ++x) { var hfield = hfields[x].split("="); switch (hfield[0]) { case "to": var toAddrs = hfield[1].split(","); for (var _x = 0, _xl = toAddrs.length; _x < _xl; ++_x) { to.push(toAddrs[_x]); } break; case "subject": mailtoComponents.subject = unescapeComponent(hfield[1], options); break; case "body": mailtoComponents.body = unescapeComponent(hfield[1], options); break; default: unknownHeaders = true; headers[unescapeComponent(hfield[0], options)] = unescapeComponent(hfield[1], options); break; } } if (unknownHeaders) mailtoComponents.headers = headers; } mailtoComponents.query = void 0; for (var _x2 = 0, _xl2 = to.length; _x2 < _xl2; ++_x2) { var addr = to[_x2].split("@"); addr[0] = unescapeComponent(addr[0]); if (!options.unicodeSupport) { try { addr[1] = punycode.toASCII(unescapeComponent(addr[1], options).toLowerCase()); } catch (e) { mailtoComponents.error = mailtoComponents.error || "Email address's domain name can not be converted to ASCII via punycode: " + e; } } else { addr[1] = unescapeComponent(addr[1], options).toLowerCase(); } to[_x2] = addr.join("@"); } return mailtoComponents; }, serialize: function serialize$$1(mailtoComponents, options) { var components = mailtoComponents; var to = toArray(mailtoComponents.to); if (to) { for (var x = 0, xl = to.length; x < xl; ++x) { var toAddr = String(to[x]); var atIdx = toAddr.lastIndexOf("@"); var localPart = toAddr.slice(0, atIdx).replace(PCT_ENCODED, decodeUnreserved).replace(PCT_ENCODED, toUpperCase).replace(NOT_LOCAL_PART, pctEncChar); var domain = toAddr.slice(atIdx + 1); try { domain = !options.iri ? punycode.toASCII(unescapeComponent(domain, options).toLowerCase()) : punycode.toUnicode(domain); } catch (e) { components.error = components.error || "Email address's domain name can not be converted to " + (!options.iri ? "ASCII" : "Unicode") + " via punycode: " + e; } to[x] = localPart + "@" + domain; } components.path = to.join(","); } var headers = mailtoComponents.headers = mailtoComponents.headers || {}; if (mailtoComponents.subject) headers["subject"] = mailtoComponents.subject; if (mailtoComponents.body) headers["body"] = mailtoComponents.body; var fields = []; for (var name in headers) { if (headers[name] !== O[name]) { fields.push(name.replace(PCT_ENCODED, decodeUnreserved).replace(PCT_ENCODED, toUpperCase).replace(NOT_HFNAME, pctEncChar) + "=" + headers[name].replace(PCT_ENCODED, decodeUnreserved).replace(PCT_ENCODED, toUpperCase).replace(NOT_HFVALUE, pctEncChar)); } } if (fields.length) { components.query = fields.join("&"); } return components; } }; var URN_PARSE = /^([^\:]+)\:(.*)/; var handler$5 = { scheme: "urn", parse: function parse$$1(components, options) { var matches = components.path && components.path.match(URN_PARSE); var urnComponents = components; if (matches) { var scheme = options.scheme || urnComponents.scheme || "urn"; var nid = matches[1].toLowerCase(); var nss = matches[2]; var urnScheme = scheme + ":" + (options.nid || nid); var schemeHandler = SCHEMES[urnScheme]; urnComponents.nid = nid; urnComponents.nss = nss; urnComponents.path = void 0; if (schemeHandler) { urnComponents = schemeHandler.parse(urnComponents, options); } } else { urnComponents.error = urnComponents.error || "URN can not be parsed."; } return urnComponents; }, serialize: function serialize$$1(urnComponents, options) { var scheme = options.scheme || urnComponents.scheme || "urn"; var nid = urnComponents.nid; var urnScheme = scheme + ":" + (options.nid || nid); var schemeHandler = SCHEMES[urnScheme]; if (schemeHandler) { urnComponents = schemeHandler.serialize(urnComponents, options); } var uriComponents = urnComponents; var nss = urnComponents.nss; uriComponents.path = (nid || options.nid) + ":" + nss; return uriComponents; } }; var UUID = /^[0-9A-Fa-f]{8}(?:\-[0-9A-Fa-f]{4}){3}\-[0-9A-Fa-f]{12}$/; var handler$6 = { scheme: "urn:uuid", parse: function parse3(urnComponents, options) { var uuidComponents = urnComponents; uuidComponents.uuid = uuidComponents.nss; uuidComponents.nss = void 0; if (!options.tolerant && (!uuidComponents.uuid || !uuidComponents.uuid.match(UUID))) { uuidComponents.error = uuidComponents.error || "UUID is not valid."; } return uuidComponents; }, serialize: function serialize2(uuidComponents, options) { var urnComponents = uuidComponents; urnComponents.nss = (uuidComponents.uuid || "").toLowerCase(); return urnComponents; } }; SCHEMES[handler.scheme] = handler; SCHEMES[handler$1.scheme] = handler$1; SCHEMES[handler$2.scheme] = handler$2; SCHEMES[handler$3.scheme] = handler$3; SCHEMES[handler$4.scheme] = handler$4; SCHEMES[handler$5.scheme] = handler$5; SCHEMES[handler$6.scheme] = handler$6; exports3.SCHEMES = SCHEMES; exports3.pctEncChar = pctEncChar; exports3.pctDecChars = pctDecChars; exports3.parse = parse2; exports3.removeDotSegments = removeDotSegments; exports3.serialize = serialize; exports3.resolveComponents = resolveComponents; exports3.resolve = resolve2; exports3.normalize = normalize; exports3.equal = equal; exports3.escapeComponent = escapeComponent; exports3.unescapeComponent = unescapeComponent; Object.defineProperty(exports3, "__esModule", { value: true }); }); } }); // node_modules/.pnpm/fast-deep-equal@3.1.3/node_modules/fast-deep-equal/index.js var require_fast_deep_equal = __commonJS({ "node_modules/.pnpm/fast-deep-equal@3.1.3/node_modules/fast-deep-equal/index.js"(exports2, module2) { "use strict"; module2.exports = function equal(a, b) { if (a === b) return true; if (a && b && typeof a == "object" && typeof b == "object") { if (a.constructor !== b.constructor) return false; var length, i, keys2; if (Array.isArray(a)) { length = a.length; if (length != b.length) return false; for (i = length; i-- !== 0; ) if (!equal(a[i], b[i])) return false; return true; } if (a.constructor === RegExp) return a.source === b.source && a.flags === b.flags; if (a.valueOf !== Object.prototype.valueOf) return a.valueOf() === b.valueOf(); if (a.toString !== Object.prototype.toString) return a.toString() === b.toString(); keys2 = Object.keys(a); length = keys2.length; if (length !== Object.keys(b).length) return false; for (i = length; i-- !== 0; ) if (!Object.prototype.hasOwnProperty.call(b, keys2[i])) return false; for (i = length; i-- !== 0; ) { var key = keys2[i]; if (!equal(a[key], b[key])) return false; } return true; } return a !== a && b !== b; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/ucs2length.js var require_ucs2length = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/ucs2length.js"(exports2, module2) { "use strict"; module2.exports = function ucs2length(str) { var length = 0, len = str.length, pos = 0, value; while (pos < len) { length++; value = str.charCodeAt(pos++); if (value >= 55296 && value <= 56319 && pos < len) { value = str.charCodeAt(pos); if ((value & 64512) == 56320) pos++; } } return length; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/util.js var require_util = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/util.js"(exports2, module2) { "use strict"; module2.exports = { copy, checkDataType, checkDataTypes, coerceToTypes, toHash, getProperty, escapeQuotes, equal: require_fast_deep_equal(), ucs2length: require_ucs2length(), varOccurences, varReplace, schemaHasRules, schemaHasRulesExcept, schemaUnknownRules, toQuotedString, getPathExpr, getPath, getData, unescapeFragment, unescapeJsonPointer, escapeFragment, escapeJsonPointer }; function copy(o, to) { to = to || {}; for (var key in o) to[key] = o[key]; return to; } function checkDataType(dataType, data, strictNumbers, negate2) { var EQUAL = negate2 ? " !== " : " === ", AND = negate2 ? " || " : " && ", OK2 = negate2 ? "!" : "", NOT = negate2 ? "" : "!"; switch (dataType) { case "null": return data + EQUAL + "null"; case "array": return OK2 + "Array.isArray(" + data + ")"; case "object": return "(" + OK2 + data + AND + "typeof " + data + EQUAL + '"object"' + AND + NOT + "Array.isArray(" + data + "))"; case "integer": return "(typeof " + data + EQUAL + '"number"' + AND + NOT + "(" + data + " % 1)" + AND + data + EQUAL + data + (strictNumbers ? AND + OK2 + "isFinite(" + data + ")" : "") + ")"; case "number": return "(typeof " + data + EQUAL + '"' + dataType + '"' + (strictNumbers ? AND + OK2 + "isFinite(" + data + ")" : "") + ")"; default: return "typeof " + data + EQUAL + '"' + dataType + '"'; } } function checkDataTypes(dataTypes, data, strictNumbers) { switch (dataTypes.length) { case 1: return checkDataType(dataTypes[0], data, strictNumbers, true); default: var code = ""; var types = toHash(dataTypes); if (types.array && types.object) { code = types.null ? "(" : "(!" + data + " || "; code += "typeof " + data + ' !== "object")'; delete types.null; delete types.array; delete types.object; } if (types.number) delete types.integer; for (var t in types) code += (code ? " && " : "") + checkDataType(t, data, strictNumbers, true); return code; } } var COERCE_TO_TYPES = toHash(["string", "number", "integer", "boolean", "null"]); function coerceToTypes(optionCoerceTypes, dataTypes) { if (Array.isArray(dataTypes)) { var types = []; for (var i = 0; i < dataTypes.length; i++) { var t = dataTypes[i]; if (COERCE_TO_TYPES[t]) types[types.length] = t; else if (optionCoerceTypes === "array" && t === "array") types[types.length] = t; } if (types.length) return types; } else if (COERCE_TO_TYPES[dataTypes]) { return [dataTypes]; } else if (optionCoerceTypes === "array" && dataTypes === "array") { return ["array"]; } } function toHash(arr) { var hash = {}; for (var i = 0; i < arr.length; i++) hash[arr[i]] = true; return hash; } var IDENTIFIER = /^[a-z$_][a-z$_0-9]*$/i; var SINGLE_QUOTE = /'|\\/g; function getProperty(key) { return typeof key == "number" ? "[" + key + "]" : IDENTIFIER.test(key) ? "." + key : "['" + escapeQuotes(key) + "']"; } function escapeQuotes(str) { return str.replace(SINGLE_QUOTE, "\\$&").replace(/\n/g, "\\n").replace(/\r/g, "\\r").replace(/\f/g, "\\f").replace(/\t/g, "\\t"); } function varOccurences(str, dataVar) { dataVar += "[^0-9]"; var matches = str.match(new RegExp(dataVar, "g")); return matches ? matches.length : 0; } function varReplace(str, dataVar, expr) { dataVar += "([^0-9])"; expr = expr.replace(/\$/g, "$$$$"); return str.replace(new RegExp(dataVar, "g"), expr + "$1"); } function schemaHasRules(schema30, rules) { if (typeof schema30 == "boolean") return !schema30; for (var key in schema30) if (rules[key]) return true; } function schemaHasRulesExcept(schema30, rules, exceptKeyword) { if (typeof schema30 == "boolean") return !schema30 && exceptKeyword != "not"; for (var key in schema30) if (key != exceptKeyword && rules[key]) return true; } function schemaUnknownRules(schema30, rules) { if (typeof schema30 == "boolean") return; for (var key in schema30) if (!rules[key]) return key; } function toQuotedString(str) { return "'" + escapeQuotes(str) + "'"; } function getPathExpr(currentPath, expr, jsonPointers, isNumber2) { var path17 = jsonPointers ? "'/' + " + expr + (isNumber2 ? "" : ".replace(/~/g, '~0').replace(/\\//g, '~1')") : isNumber2 ? "'[' + " + expr + " + ']'" : "'[\\'' + " + expr + " + '\\']'"; return joinPaths(currentPath, path17); } function getPath(currentPath, prop, jsonPointers) { var path17 = jsonPointers ? toQuotedString("/" + escapeJsonPointer(prop)) : toQuotedString(getProperty(prop)); return joinPaths(currentPath, path17); } var JSON_POINTER = /^\/(?:[^~]|~0|~1)*$/; var RELATIVE_JSON_POINTER = /^([0-9]+)(#|\/(?:[^~]|~0|~1)*)?$/; function getData($data, lvl, paths) { var up, jsonPointer, data, matches; if ($data === "") return "rootData"; if ($data[0] == "/") { if (!JSON_POINTER.test($data)) throw new Error("Invalid JSON-pointer: " + $data); jsonPointer = $data; data = "rootData"; } else { matches = $data.match(RELATIVE_JSON_POINTER); if (!matches) throw new Error("Invalid JSON-pointer: " + $data); up = +matches[1]; jsonPointer = matches[2]; if (jsonPointer == "#") { if (up >= lvl) throw new Error("Cannot access property/index " + up + " levels up, current level is " + lvl); return paths[lvl - up]; } if (up > lvl) throw new Error("Cannot access data " + up + " levels up, current level is " + lvl); data = "data" + (lvl - up || ""); if (!jsonPointer) return data; } var expr = data; var segments = jsonPointer.split("/"); for (var i = 0; i < segments.length; i++) { var segment = segments[i]; if (segment) { data += getProperty(unescapeJsonPointer(segment)); expr += " && " + data; } } return expr; } function joinPaths(a, b) { if (a == '""') return b; return (a + " + " + b).replace(/([^\\])' \+ '/g, "$1"); } function unescapeFragment(str) { return unescapeJsonPointer(decodeURIComponent(str)); } function escapeFragment(str) { return encodeURIComponent(escapeJsonPointer(str)); } function escapeJsonPointer(str) { return str.replace(/~/g, "~0").replace(/\//g, "~1"); } function unescapeJsonPointer(str) { return str.replace(/~1/g, "/").replace(/~0/g, "~"); } } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/schema_obj.js var require_schema_obj = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/schema_obj.js"(exports2, module2) { "use strict"; var util5 = require_util(); module2.exports = SchemaObject; function SchemaObject(obj) { util5.copy(obj, this); } } }); // node_modules/.pnpm/json-schema-traverse@0.4.1/node_modules/json-schema-traverse/index.js var require_json_schema_traverse = __commonJS({ "node_modules/.pnpm/json-schema-traverse@0.4.1/node_modules/json-schema-traverse/index.js"(exports2, module2) { "use strict"; var traverse = module2.exports = function(schema30, opts, cb) { if (typeof opts == "function") { cb = opts; opts = {}; } cb = opts.cb || cb; var pre = typeof cb == "function" ? cb : cb.pre || function() { }; var post = cb.post || function() { }; _traverse(opts, pre, post, schema30, "", schema30); }; traverse.keywords = { additionalItems: true, items: true, contains: true, additionalProperties: true, propertyNames: true, not: true }; traverse.arrayKeywords = { items: true, allOf: true, anyOf: true, oneOf: true }; traverse.propsKeywords = { definitions: true, properties: true, patternProperties: true, dependencies: true }; traverse.skipKeywords = { default: true, enum: true, const: true, required: true, maximum: true, minimum: true, exclusiveMaximum: true, exclusiveMinimum: true, multipleOf: true, maxLength: true, minLength: true, pattern: true, format: true, maxItems: true, minItems: true, uniqueItems: true, maxProperties: true, minProperties: true }; function _traverse(opts, pre, post, schema30, jsonPtr, rootSchema, parentJsonPtr, parentKeyword, parentSchema, keyIndex) { if (schema30 && typeof schema30 == "object" && !Array.isArray(schema30)) { pre(schema30, jsonPtr, rootSchema, parentJsonPtr, parentKeyword, parentSchema, keyIndex); for (var key in schema30) { var sch = schema30[key]; if (Array.isArray(sch)) { if (key in traverse.arrayKeywords) { for (var i = 0; i < sch.length; i++) _traverse(opts, pre, post, sch[i], jsonPtr + "/" + key + "/" + i, rootSchema, jsonPtr, key, schema30, i); } } else if (key in traverse.propsKeywords) { if (sch && typeof sch == "object") { for (var prop in sch) _traverse(opts, pre, post, sch[prop], jsonPtr + "/" + key + "/" + escapeJsonPtr(prop), rootSchema, jsonPtr, key, schema30, prop); } } else if (key in traverse.keywords || opts.allKeys && !(key in traverse.skipKeywords)) { _traverse(opts, pre, post, sch, jsonPtr + "/" + key, rootSchema, jsonPtr, key, schema30); } } post(schema30, jsonPtr, rootSchema, parentJsonPtr, parentKeyword, parentSchema, keyIndex); } } function escapeJsonPtr(str) { return str.replace(/~/g, "~0").replace(/\//g, "~1"); } } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/resolve.js var require_resolve = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/resolve.js"(exports2, module2) { "use strict"; var URI = require_uri_all(); var equal = require_fast_deep_equal(); var util5 = require_util(); var SchemaObject = require_schema_obj(); var traverse = require_json_schema_traverse(); module2.exports = resolve2; resolve2.normalizeId = normalizeId; resolve2.fullPath = getFullPath; resolve2.url = resolveUrl; resolve2.ids = resolveIds; resolve2.inlineRef = inlineRef; resolve2.schema = resolveSchema; function resolve2(compile, root2, ref) { var refVal = this._refs[ref]; if (typeof refVal == "string") { if (this._refs[refVal]) refVal = this._refs[refVal]; else return resolve2.call(this, compile, root2, refVal); } refVal = refVal || this._schemas[ref]; if (refVal instanceof SchemaObject) { return inlineRef(refVal.schema, this._opts.inlineRefs) ? refVal.schema : refVal.validate || this._compile(refVal); } var res = resolveSchema.call(this, root2, ref); var schema30, v, baseId; if (res) { schema30 = res.schema; root2 = res.root; baseId = res.baseId; } if (schema30 instanceof SchemaObject) { v = schema30.validate || compile.call(this, schema30.schema, root2, void 0, baseId); } else if (schema30 !== void 0) { v = inlineRef(schema30, this._opts.inlineRefs) ? schema30 : compile.call(this, schema30, root2, void 0, baseId); } return v; } function resolveSchema(root2, ref) { var p = URI.parse(ref), refPath = _getFullPath(p), baseId = getFullPath(this._getId(root2.schema)); if (Object.keys(root2.schema).length === 0 || refPath !== baseId) { var id = normalizeId(refPath); var refVal = this._refs[id]; if (typeof refVal == "string") { return resolveRecursive.call(this, root2, refVal, p); } else if (refVal instanceof SchemaObject) { if (!refVal.validate) this._compile(refVal); root2 = refVal; } else { refVal = this._schemas[id]; if (refVal instanceof SchemaObject) { if (!refVal.validate) this._compile(refVal); if (id == normalizeId(ref)) return { schema: refVal, root: root2, baseId }; root2 = refVal; } else { return; } } if (!root2.schema) return; baseId = getFullPath(this._getId(root2.schema)); } return getJsonPointer.call(this, p, baseId, root2.schema, root2); } function resolveRecursive(root2, ref, parsedRef) { var res = resolveSchema.call(this, root2, ref); if (res) { var schema30 = res.schema; var baseId = res.baseId; root2 = res.root; var id = this._getId(schema30); if (id) baseId = resolveUrl(baseId, id); return getJsonPointer.call(this, parsedRef, baseId, schema30, root2); } } var PREVENT_SCOPE_CHANGE = util5.toHash(["properties", "patternProperties", "enum", "dependencies", "definitions"]); function getJsonPointer(parsedRef, baseId, schema30, root2) { parsedRef.fragment = parsedRef.fragment || ""; if (parsedRef.fragment.slice(0, 1) != "/") return; var parts = parsedRef.fragment.split("/"); for (var i = 1; i < parts.length; i++) { var part = parts[i]; if (part) { part = util5.unescapeFragment(part); schema30 = schema30[part]; if (schema30 === void 0) break; var id; if (!PREVENT_SCOPE_CHANGE[part]) { id = this._getId(schema30); if (id) baseId = resolveUrl(baseId, id); if (schema30.$ref) { var $ref = resolveUrl(baseId, schema30.$ref); var res = resolveSchema.call(this, root2, $ref); if (res) { schema30 = res.schema; root2 = res.root; baseId = res.baseId; } } } } } if (schema30 !== void 0 && schema30 !== root2.schema) return { schema: schema30, root: root2, baseId }; } var SIMPLE_INLINED = util5.toHash([ "type", "format", "pattern", "maxLength", "minLength", "maxProperties", "minProperties", "maxItems", "minItems", "maximum", "minimum", "uniqueItems", "multipleOf", "required", "enum" ]); function inlineRef(schema30, limit) { if (limit === false) return false; if (limit === void 0 || limit === true) return checkNoRef(schema30); else if (limit) return countKeys(schema30) <= limit; } function checkNoRef(schema30) { var item; if (Array.isArray(schema30)) { for (var i = 0; i < schema30.length; i++) { item = schema30[i]; if (typeof item == "object" && !checkNoRef(item)) return false; } } else { for (var key in schema30) { if (key == "$ref") return false; item = schema30[key]; if (typeof item == "object" && !checkNoRef(item)) return false; } } return true; } function countKeys(schema30) { var count = 0, item; if (Array.isArray(schema30)) { for (var i = 0; i < schema30.length; i++) { item = schema30[i]; if (typeof item == "object") count += countKeys(item); if (count == Infinity) return Infinity; } } else { for (var key in schema30) { if (key == "$ref") return Infinity; if (SIMPLE_INLINED[key]) { count++; } else { item = schema30[key]; if (typeof item == "object") count += countKeys(item) + 1; if (count == Infinity) return Infinity; } } } return count; } function getFullPath(id, normalize) { if (normalize !== false) id = normalizeId(id); var p = URI.parse(id); return _getFullPath(p); } function _getFullPath(p) { return URI.serialize(p).split("#")[0] + "#"; } var TRAILING_SLASH_HASH = /#\/?$/; function normalizeId(id) { return id ? id.replace(TRAILING_SLASH_HASH, "") : ""; } function resolveUrl(baseId, id) { id = normalizeId(id); return URI.resolve(baseId, id); } function resolveIds(schema30) { var schemaId = normalizeId(this._getId(schema30)); var baseIds = { "": schemaId }; var fullPaths = { "": getFullPath(schemaId, false) }; var localRefs = {}; var self2 = this; traverse(schema30, { allKeys: true }, function(sch, jsonPtr, rootSchema, parentJsonPtr, parentKeyword, parentSchema, keyIndex) { if (jsonPtr === "") return; var id = self2._getId(sch); var baseId = baseIds[parentJsonPtr]; var fullPath = fullPaths[parentJsonPtr] + "/" + parentKeyword; if (keyIndex !== void 0) fullPath += "/" + (typeof keyIndex == "number" ? keyIndex : util5.escapeFragment(keyIndex)); if (typeof id == "string") { id = baseId = normalizeId(baseId ? URI.resolve(baseId, id) : id); var refVal = self2._refs[id]; if (typeof refVal == "string") refVal = self2._refs[refVal]; if (refVal && refVal.schema) { if (!equal(sch, refVal.schema)) throw new Error('id "' + id + '" resolves to more than one schema'); } else if (id != normalizeId(fullPath)) { if (id[0] == "#") { if (localRefs[id] && !equal(sch, localRefs[id])) throw new Error('id "' + id + '" resolves to more than one schema'); localRefs[id] = sch; } else { self2._refs[id] = fullPath; } } } baseIds[jsonPtr] = baseId; fullPaths[jsonPtr] = fullPath; }); return localRefs; } } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/error_classes.js var require_error_classes = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/error_classes.js"(exports2, module2) { "use strict"; var resolve2 = require_resolve(); module2.exports = { Validation: errorSubclass(ValidationError), MissingRef: errorSubclass(MissingRefError) }; function ValidationError(errors) { this.message = "validation failed"; this.errors = errors; this.ajv = this.validation = true; } MissingRefError.message = function(baseId, ref) { return "can't resolve reference " + ref + " from id " + baseId; }; function MissingRefError(baseId, ref, message) { this.message = message || MissingRefError.message(baseId, ref); this.missingRef = resolve2.url(baseId, ref); this.missingSchema = resolve2.normalizeId(resolve2.fullPath(this.missingRef)); } function errorSubclass(Subclass) { Subclass.prototype = Object.create(Error.prototype); Subclass.prototype.constructor = Subclass; return Subclass; } } }); // node_modules/.pnpm/fast-json-stable-stringify@2.1.0/node_modules/fast-json-stable-stringify/index.js var require_fast_json_stable_stringify = __commonJS({ "node_modules/.pnpm/fast-json-stable-stringify@2.1.0/node_modules/fast-json-stable-stringify/index.js"(exports2, module2) { "use strict"; module2.exports = function(data, opts) { if (!opts) opts = {}; if (typeof opts === "function") opts = { cmp: opts }; var cycles = typeof opts.cycles === "boolean" ? opts.cycles : false; var cmp = opts.cmp && /* @__PURE__ */ function(f) { return function(node) { return function(a, b) { var aobj = { key: a, value: node[a] }; var bobj = { key: b, value: node[b] }; return f(aobj, bobj); }; }; }(opts.cmp); var seen = []; return function stringify(node) { if (node && node.toJSON && typeof node.toJSON === "function") { node = node.toJSON(); } if (node === void 0) return; if (typeof node == "number") return isFinite(node) ? "" + node : "null"; if (typeof node !== "object") return JSON.stringify(node); var i, out; if (Array.isArray(node)) { out = "["; for (i = 0; i < node.length; i++) { if (i) out += ","; out += stringify(node[i]) || "null"; } return out + "]"; } if (node === null) return "null"; if (seen.indexOf(node) !== -1) { if (cycles) return JSON.stringify("__cycle__"); throw new TypeError("Converting circular structure to JSON"); } var seenIndex = seen.push(node) - 1; var keys2 = Object.keys(node).sort(cmp && cmp(node)); out = ""; for (i = 0; i < keys2.length; i++) { var key = keys2[i]; var value = stringify(node[key]); if (!value) continue; if (out) out += ","; out += JSON.stringify(key) + ":" + value; } seen.splice(seenIndex, 1); return "{" + out + "}"; }(data); }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/validate.js var require_validate = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/validate.js"(exports2, module2) { "use strict"; module2.exports = function generate_validate(it, $keyword, $ruleType) { var out = ""; var $async = it.schema.$async === true, $refKeywords = it.util.schemaHasRulesExcept(it.schema, it.RULES.all, "$ref"), $id = it.self._getId(it.schema); if (it.opts.strictKeywords) { var $unknownKwd = it.util.schemaUnknownRules(it.schema, it.RULES.keywords); if ($unknownKwd) { var $keywordsMsg = "unknown keyword: " + $unknownKwd; if (it.opts.strictKeywords === "log") it.logger.warn($keywordsMsg); else throw new Error($keywordsMsg); } } if (it.isTop) { out += " var validate = "; if ($async) { it.async = true; out += "async "; } out += "function(data, dataPath, parentData, parentDataProperty, rootData) { 'use strict'; "; if ($id && (it.opts.sourceCode || it.opts.processCode)) { out += " " + ("/*# sourceURL=" + $id + " */") + " "; } } if (typeof it.schema == "boolean" || !($refKeywords || it.schema.$ref)) { var $keyword = "false schema"; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $errorKeyword; var $data = "data" + ($dataLvl || ""); var $valid = "valid" + $lvl; if (it.schema === false) { if (it.isTop) { $breakOnError = true; } else { out += " var " + $valid + " = false; "; } var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: '" + ($errorKeyword || "false schema") + "' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: {} "; if (it.opts.messages !== false) { out += " , message: 'boolean schema is false' "; } if (it.opts.verbose) { out += " , schema: false , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } } else { if (it.isTop) { if ($async) { out += " return data; "; } else { out += " validate.errors = null; return true; "; } } else { out += " var " + $valid + " = true; "; } } if (it.isTop) { out += " }; return validate; "; } return out; } if (it.isTop) { var $top = it.isTop, $lvl = it.level = 0, $dataLvl = it.dataLevel = 0, $data = "data"; it.rootId = it.resolve.fullPath(it.self._getId(it.root.schema)); it.baseId = it.baseId || it.rootId; delete it.isTop; it.dataPathArr = [""]; if (it.schema.default !== void 0 && it.opts.useDefaults && it.opts.strictDefaults) { var $defaultMsg = "default is ignored in the schema root"; if (it.opts.strictDefaults === "log") it.logger.warn($defaultMsg); else throw new Error($defaultMsg); } out += " var vErrors = null; "; out += " var errors = 0; "; out += " if (rootData === undefined) rootData = data; "; } else { var $lvl = it.level, $dataLvl = it.dataLevel, $data = "data" + ($dataLvl || ""); if ($id) it.baseId = it.resolve.url(it.baseId, $id); if ($async && !it.async) throw new Error("async schema in sync schema"); out += " var errs_" + $lvl + " = errors;"; } var $valid = "valid" + $lvl, $breakOnError = !it.opts.allErrors, $closingBraces1 = "", $closingBraces2 = ""; var $errorKeyword; var $typeSchema = it.schema.type, $typeIsArray = Array.isArray($typeSchema); if ($typeSchema && it.opts.nullable && it.schema.nullable === true) { if ($typeIsArray) { if ($typeSchema.indexOf("null") == -1) $typeSchema = $typeSchema.concat("null"); } else if ($typeSchema != "null") { $typeSchema = [$typeSchema, "null"]; $typeIsArray = true; } } if ($typeIsArray && $typeSchema.length == 1) { $typeSchema = $typeSchema[0]; $typeIsArray = false; } if (it.schema.$ref && $refKeywords) { if (it.opts.extendRefs == "fail") { throw new Error('$ref: validation keywords used in schema at path "' + it.errSchemaPath + '" (see option extendRefs)'); } else if (it.opts.extendRefs !== true) { $refKeywords = false; it.logger.warn('$ref: keywords ignored in schema at path "' + it.errSchemaPath + '"'); } } if (it.schema.$comment && it.opts.$comment) { out += " " + it.RULES.all.$comment.code(it, "$comment"); } if ($typeSchema) { if (it.opts.coerceTypes) { var $coerceToTypes = it.util.coerceToTypes(it.opts.coerceTypes, $typeSchema); } var $rulesGroup = it.RULES.types[$typeSchema]; if ($coerceToTypes || $typeIsArray || $rulesGroup === true || $rulesGroup && !$shouldUseGroup($rulesGroup)) { var $schemaPath = it.schemaPath + ".type", $errSchemaPath = it.errSchemaPath + "/type"; var $schemaPath = it.schemaPath + ".type", $errSchemaPath = it.errSchemaPath + "/type", $method = $typeIsArray ? "checkDataTypes" : "checkDataType"; out += " if (" + it.util[$method]($typeSchema, $data, it.opts.strictNumbers, true) + ") { "; if ($coerceToTypes) { var $dataType = "dataType" + $lvl, $coerced = "coerced" + $lvl; out += " var " + $dataType + " = typeof " + $data + "; var " + $coerced + " = undefined; "; if (it.opts.coerceTypes == "array") { out += " if (" + $dataType + " == 'object' && Array.isArray(" + $data + ") && " + $data + ".length == 1) { " + $data + " = " + $data + "[0]; " + $dataType + " = typeof " + $data + "; if (" + it.util.checkDataType(it.schema.type, $data, it.opts.strictNumbers) + ") " + $coerced + " = " + $data + "; } "; } out += " if (" + $coerced + " !== undefined) ; "; var arr1 = $coerceToTypes; if (arr1) { var $type, $i = -1, l1 = arr1.length - 1; while ($i < l1) { $type = arr1[$i += 1]; if ($type == "string") { out += " else if (" + $dataType + " == 'number' || " + $dataType + " == 'boolean') " + $coerced + " = '' + " + $data + "; else if (" + $data + " === null) " + $coerced + " = ''; "; } else if ($type == "number" || $type == "integer") { out += " else if (" + $dataType + " == 'boolean' || " + $data + " === null || (" + $dataType + " == 'string' && " + $data + " && " + $data + " == +" + $data + " "; if ($type == "integer") { out += " && !(" + $data + " % 1)"; } out += ")) " + $coerced + " = +" + $data + "; "; } else if ($type == "boolean") { out += " else if (" + $data + " === 'false' || " + $data + " === 0 || " + $data + " === null) " + $coerced + " = false; else if (" + $data + " === 'true' || " + $data + " === 1) " + $coerced + " = true; "; } else if ($type == "null") { out += " else if (" + $data + " === '' || " + $data + " === 0 || " + $data + " === false) " + $coerced + " = null; "; } else if (it.opts.coerceTypes == "array" && $type == "array") { out += " else if (" + $dataType + " == 'string' || " + $dataType + " == 'number' || " + $dataType + " == 'boolean' || " + $data + " == null) " + $coerced + " = [" + $data + "]; "; } } } out += " else { "; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: '" + ($errorKeyword || "type") + "' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { type: '"; if ($typeIsArray) { out += "" + $typeSchema.join(","); } else { out += "" + $typeSchema; } out += "' } "; if (it.opts.messages !== false) { out += " , message: 'should be "; if ($typeIsArray) { out += "" + $typeSchema.join(","); } else { out += "" + $typeSchema; } out += "' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += " } if (" + $coerced + " !== undefined) { "; var $parentData = $dataLvl ? "data" + ($dataLvl - 1 || "") : "parentData", $parentDataProperty = $dataLvl ? it.dataPathArr[$dataLvl] : "parentDataProperty"; out += " " + $data + " = " + $coerced + "; "; if (!$dataLvl) { out += "if (" + $parentData + " !== undefined)"; } out += " " + $parentData + "[" + $parentDataProperty + "] = " + $coerced + "; } "; } else { var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: '" + ($errorKeyword || "type") + "' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { type: '"; if ($typeIsArray) { out += "" + $typeSchema.join(","); } else { out += "" + $typeSchema; } out += "' } "; if (it.opts.messages !== false) { out += " , message: 'should be "; if ($typeIsArray) { out += "" + $typeSchema.join(","); } else { out += "" + $typeSchema; } out += "' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } } out += " } "; } } if (it.schema.$ref && !$refKeywords) { out += " " + it.RULES.all.$ref.code(it, "$ref") + " "; if ($breakOnError) { out += " } if (errors === "; if ($top) { out += "0"; } else { out += "errs_" + $lvl; } out += ") { "; $closingBraces2 += "}"; } } else { var arr2 = it.RULES; if (arr2) { var $rulesGroup, i2 = -1, l2 = arr2.length - 1; while (i2 < l2) { $rulesGroup = arr2[i2 += 1]; if ($shouldUseGroup($rulesGroup)) { if ($rulesGroup.type) { out += " if (" + it.util.checkDataType($rulesGroup.type, $data, it.opts.strictNumbers) + ") { "; } if (it.opts.useDefaults) { if ($rulesGroup.type == "object" && it.schema.properties) { var $schema = it.schema.properties, $schemaKeys = Object.keys($schema); var arr3 = $schemaKeys; if (arr3) { var $propertyKey, i3 = -1, l3 = arr3.length - 1; while (i3 < l3) { $propertyKey = arr3[i3 += 1]; var $sch = $schema[$propertyKey]; if ($sch.default !== void 0) { var $passData = $data + it.util.getProperty($propertyKey); if (it.compositeRule) { if (it.opts.strictDefaults) { var $defaultMsg = "default is ignored for: " + $passData; if (it.opts.strictDefaults === "log") it.logger.warn($defaultMsg); else throw new Error($defaultMsg); } } else { out += " if (" + $passData + " === undefined "; if (it.opts.useDefaults == "empty") { out += " || " + $passData + " === null || " + $passData + " === '' "; } out += " ) " + $passData + " = "; if (it.opts.useDefaults == "shared") { out += " " + it.useDefault($sch.default) + " "; } else { out += " " + JSON.stringify($sch.default) + " "; } out += "; "; } } } } } else if ($rulesGroup.type == "array" && Array.isArray(it.schema.items)) { var arr4 = it.schema.items; if (arr4) { var $sch, $i = -1, l4 = arr4.length - 1; while ($i < l4) { $sch = arr4[$i += 1]; if ($sch.default !== void 0) { var $passData = $data + "[" + $i + "]"; if (it.compositeRule) { if (it.opts.strictDefaults) { var $defaultMsg = "default is ignored for: " + $passData; if (it.opts.strictDefaults === "log") it.logger.warn($defaultMsg); else throw new Error($defaultMsg); } } else { out += " if (" + $passData + " === undefined "; if (it.opts.useDefaults == "empty") { out += " || " + $passData + " === null || " + $passData + " === '' "; } out += " ) " + $passData + " = "; if (it.opts.useDefaults == "shared") { out += " " + it.useDefault($sch.default) + " "; } else { out += " " + JSON.stringify($sch.default) + " "; } out += "; "; } } } } } } var arr5 = $rulesGroup.rules; if (arr5) { var $rule, i5 = -1, l5 = arr5.length - 1; while (i5 < l5) { $rule = arr5[i5 += 1]; if ($shouldUseRule($rule)) { var $code = $rule.code(it, $rule.keyword, $rulesGroup.type); if ($code) { out += " " + $code + " "; if ($breakOnError) { $closingBraces1 += "}"; } } } } } if ($breakOnError) { out += " " + $closingBraces1 + " "; $closingBraces1 = ""; } if ($rulesGroup.type) { out += " } "; if ($typeSchema && $typeSchema === $rulesGroup.type && !$coerceToTypes) { out += " else { "; var $schemaPath = it.schemaPath + ".type", $errSchemaPath = it.errSchemaPath + "/type"; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: '" + ($errorKeyword || "type") + "' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { type: '"; if ($typeIsArray) { out += "" + $typeSchema.join(","); } else { out += "" + $typeSchema; } out += "' } "; if (it.opts.messages !== false) { out += " , message: 'should be "; if ($typeIsArray) { out += "" + $typeSchema.join(","); } else { out += "" + $typeSchema; } out += "' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += " } "; } } if ($breakOnError) { out += " if (errors === "; if ($top) { out += "0"; } else { out += "errs_" + $lvl; } out += ") { "; $closingBraces2 += "}"; } } } } } if ($breakOnError) { out += " " + $closingBraces2 + " "; } if ($top) { if ($async) { out += " if (errors === 0) return data; "; out += " else throw new ValidationError(vErrors); "; } else { out += " validate.errors = vErrors; "; out += " return errors === 0; "; } out += " }; return validate;"; } else { out += " var " + $valid + " = errors === errs_" + $lvl + ";"; } function $shouldUseGroup($rulesGroup2) { var rules = $rulesGroup2.rules; for (var i = 0; i < rules.length; i++) if ($shouldUseRule(rules[i])) return true; } function $shouldUseRule($rule2) { return it.schema[$rule2.keyword] !== void 0 || $rule2.implements && $ruleImplementsSomeKeyword($rule2); } function $ruleImplementsSomeKeyword($rule2) { var impl = $rule2.implements; for (var i = 0; i < impl.length; i++) if (it.schema[impl[i]] !== void 0) return true; } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/index.js var require_compile = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/index.js"(exports2, module2) { "use strict"; var resolve2 = require_resolve(); var util5 = require_util(); var errorClasses = require_error_classes(); var stableStringify = require_fast_json_stable_stringify(); var validateGenerator = require_validate(); var ucs2length = util5.ucs2length; var equal = require_fast_deep_equal(); var ValidationError = errorClasses.Validation; module2.exports = compile; function compile(schema30, root2, localRefs, baseId) { var self2 = this, opts = this._opts, refVal = [void 0], refs = {}, patterns = [], patternsHash = {}, defaults = [], defaultsHash = {}, customRules = []; root2 = root2 || { schema: schema30, refVal, refs }; var c = checkCompiling.call(this, schema30, root2, baseId); var compilation = this._compilations[c.index]; if (c.compiling) return compilation.callValidate = callValidate; var formats = this._formats; var RULES = this.RULES; try { var v = localCompile(schema30, root2, localRefs, baseId); compilation.validate = v; var cv = compilation.callValidate; if (cv) { cv.schema = v.schema; cv.errors = null; cv.refs = v.refs; cv.refVal = v.refVal; cv.root = v.root; cv.$async = v.$async; if (opts.sourceCode) cv.source = v.source; } return v; } finally { endCompiling.call(this, schema30, root2, baseId); } function callValidate() { var validate = compilation.validate; var result = validate.apply(this, arguments); callValidate.errors = validate.errors; return result; } function localCompile(_schema, _root, localRefs2, baseId2) { var isRoot = !_root || _root && _root.schema == _schema; if (_root.schema != root2.schema) return compile.call(self2, _schema, _root, localRefs2, baseId2); var $async = _schema.$async === true; var sourceCode = validateGenerator({ isTop: true, schema: _schema, isRoot, baseId: baseId2, root: _root, schemaPath: "", errSchemaPath: "#", errorPath: '""', MissingRefError: errorClasses.MissingRef, RULES, validate: validateGenerator, util: util5, resolve: resolve2, resolveRef, usePattern, useDefault, useCustomRule, opts, formats, logger: self2.logger, self: self2 }); sourceCode = vars(refVal, refValCode) + vars(patterns, patternCode) + vars(defaults, defaultCode) + vars(customRules, customRuleCode) + sourceCode; if (opts.processCode) sourceCode = opts.processCode(sourceCode, _schema); var validate; try { var makeValidate = new Function( "self", "RULES", "formats", "root", "refVal", "defaults", "customRules", "equal", "ucs2length", "ValidationError", sourceCode ); validate = makeValidate( self2, RULES, formats, root2, refVal, defaults, customRules, equal, ucs2length, ValidationError ); refVal[0] = validate; } catch (e) { self2.logger.error("Error compiling schema, function code:", sourceCode); throw e; } validate.schema = _schema; validate.errors = null; validate.refs = refs; validate.refVal = refVal; validate.root = isRoot ? validate : _root; if ($async) validate.$async = true; if (opts.sourceCode === true) { validate.source = { code: sourceCode, patterns, defaults }; } return validate; } function resolveRef(baseId2, ref, isRoot) { ref = resolve2.url(baseId2, ref); var refIndex = refs[ref]; var _refVal, refCode; if (refIndex !== void 0) { _refVal = refVal[refIndex]; refCode = "refVal[" + refIndex + "]"; return resolvedRef(_refVal, refCode); } if (!isRoot && root2.refs) { var rootRefId = root2.refs[ref]; if (rootRefId !== void 0) { _refVal = root2.refVal[rootRefId]; refCode = addLocalRef(ref, _refVal); return resolvedRef(_refVal, refCode); } } refCode = addLocalRef(ref); var v2 = resolve2.call(self2, localCompile, root2, ref); if (v2 === void 0) { var localSchema = localRefs && localRefs[ref]; if (localSchema) { v2 = resolve2.inlineRef(localSchema, opts.inlineRefs) ? localSchema : compile.call(self2, localSchema, root2, localRefs, baseId2); } } if (v2 === void 0) { removeLocalRef(ref); } else { replaceLocalRef(ref, v2); return resolvedRef(v2, refCode); } } function addLocalRef(ref, v2) { var refId = refVal.length; refVal[refId] = v2; refs[ref] = refId; return "refVal" + refId; } function removeLocalRef(ref) { delete refs[ref]; } function replaceLocalRef(ref, v2) { var refId = refs[ref]; refVal[refId] = v2; } function resolvedRef(refVal2, code) { return typeof refVal2 == "object" || typeof refVal2 == "boolean" ? { code, schema: refVal2, inline: true } : { code, $async: refVal2 && !!refVal2.$async }; } function usePattern(regexStr) { var index = patternsHash[regexStr]; if (index === void 0) { index = patternsHash[regexStr] = patterns.length; patterns[index] = regexStr; } return "pattern" + index; } function useDefault(value) { switch (typeof value) { case "boolean": case "number": return "" + value; case "string": return util5.toQuotedString(value); case "object": if (value === null) return "null"; var valueStr = stableStringify(value); var index = defaultsHash[valueStr]; if (index === void 0) { index = defaultsHash[valueStr] = defaults.length; defaults[index] = value; } return "default" + index; } } function useCustomRule(rule, schema31, parentSchema, it) { if (self2._opts.validateSchema !== false) { var deps = rule.definition.dependencies; if (deps && !deps.every(function(keyword) { return Object.prototype.hasOwnProperty.call(parentSchema, keyword); })) throw new Error("parent schema must have all required keywords: " + deps.join(",")); var validateSchema2 = rule.definition.validateSchema; if (validateSchema2) { var valid = validateSchema2(schema31); if (!valid) { var message = "keyword schema is invalid: " + self2.errorsText(validateSchema2.errors); if (self2._opts.validateSchema == "log") self2.logger.error(message); else throw new Error(message); } } } var compile2 = rule.definition.compile, inline = rule.definition.inline, macro = rule.definition.macro; var validate; if (compile2) { validate = compile2.call(self2, schema31, parentSchema, it); } else if (macro) { validate = macro.call(self2, schema31, parentSchema, it); if (opts.validateSchema !== false) self2.validateSchema(validate, true); } else if (inline) { validate = inline.call(self2, it, rule.keyword, schema31, parentSchema); } else { validate = rule.definition.validate; if (!validate) return; } if (validate === void 0) throw new Error('custom keyword "' + rule.keyword + '"failed to compile'); var index = customRules.length; customRules[index] = validate; return { code: "customRule" + index, validate }; } } function checkCompiling(schema30, root2, baseId) { var index = compIndex.call(this, schema30, root2, baseId); if (index >= 0) return { index, compiling: true }; index = this._compilations.length; this._compilations[index] = { schema: schema30, root: root2, baseId }; return { index, compiling: false }; } function endCompiling(schema30, root2, baseId) { var i = compIndex.call(this, schema30, root2, baseId); if (i >= 0) this._compilations.splice(i, 1); } function compIndex(schema30, root2, baseId) { for (var i = 0; i < this._compilations.length; i++) { var c = this._compilations[i]; if (c.schema == schema30 && c.root == root2 && c.baseId == baseId) return i; } return -1; } function patternCode(i, patterns) { return "var pattern" + i + " = new RegExp(" + util5.toQuotedString(patterns[i]) + ");"; } function defaultCode(i) { return "var default" + i + " = defaults[" + i + "];"; } function refValCode(i, refVal) { return refVal[i] === void 0 ? "" : "var refVal" + i + " = refVal[" + i + "];"; } function customRuleCode(i) { return "var customRule" + i + " = customRules[" + i + "];"; } function vars(arr, statement) { if (!arr.length) return ""; var code = ""; for (var i = 0; i < arr.length; i++) code += statement(i, arr); return code; } } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/cache.js var require_cache = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/cache.js"(exports2, module2) { "use strict"; var Cache = module2.exports = function Cache2() { this._cache = {}; }; Cache.prototype.put = function Cache_put(key, value) { this._cache[key] = value; }; Cache.prototype.get = function Cache_get(key) { return this._cache[key]; }; Cache.prototype.del = function Cache_del(key) { delete this._cache[key]; }; Cache.prototype.clear = function Cache_clear() { this._cache = {}; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/formats.js var require_formats = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/formats.js"(exports2, module2) { "use strict"; var util5 = require_util(); var DATE = /^(\d\d\d\d)-(\d\d)-(\d\d)$/; var DAYS = [0, 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31]; var TIME = /^(\d\d):(\d\d):(\d\d)(\.\d+)?(z|[+-]\d\d(?::?\d\d)?)?$/i; var HOSTNAME = /^(?=.{1,253}\.?$)[a-z0-9](?:[a-z0-9-]{0,61}[a-z0-9])?(?:\.[a-z0-9](?:[-0-9a-z]{0,61}[0-9a-z])?)*\.?$/i; var URI = /^(?:[a-z][a-z0-9+\-.]*:)(?:\/?\/(?:(?:[a-z0-9\-._~!$&'()*+,;=:]|%[0-9a-f]{2})*@)?(?:\[(?:(?:(?:(?:[0-9a-f]{1,4}:){6}|::(?:[0-9a-f]{1,4}:){5}|(?:[0-9a-f]{1,4})?::(?:[0-9a-f]{1,4}:){4}|(?:(?:[0-9a-f]{1,4}:){0,1}[0-9a-f]{1,4})?::(?:[0-9a-f]{1,4}:){3}|(?:(?:[0-9a-f]{1,4}:){0,2}[0-9a-f]{1,4})?::(?:[0-9a-f]{1,4}:){2}|(?:(?:[0-9a-f]{1,4}:){0,3}[0-9a-f]{1,4})?::[0-9a-f]{1,4}:|(?:(?:[0-9a-f]{1,4}:){0,4}[0-9a-f]{1,4})?::)(?:[0-9a-f]{1,4}:[0-9a-f]{1,4}|(?:(?:25[0-5]|2[0-4]\d|[01]?\d\d?)\.){3}(?:25[0-5]|2[0-4]\d|[01]?\d\d?))|(?:(?:[0-9a-f]{1,4}:){0,5}[0-9a-f]{1,4})?::[0-9a-f]{1,4}|(?:(?:[0-9a-f]{1,4}:){0,6}[0-9a-f]{1,4})?::)|[Vv][0-9a-f]+\.[a-z0-9\-._~!$&'()*+,;=:]+)\]|(?:(?:25[0-5]|2[0-4]\d|[01]?\d\d?)\.){3}(?:25[0-5]|2[0-4]\d|[01]?\d\d?)|(?:[a-z0-9\-._~!$&'()*+,;=]|%[0-9a-f]{2})*)(?::\d*)?(?:\/(?:[a-z0-9\-._~!$&'()*+,;=:@]|%[0-9a-f]{2})*)*|\/(?:(?:[a-z0-9\-._~!$&'()*+,;=:@]|%[0-9a-f]{2})+(?:\/(?:[a-z0-9\-._~!$&'()*+,;=:@]|%[0-9a-f]{2})*)*)?|(?:[a-z0-9\-._~!$&'()*+,;=:@]|%[0-9a-f]{2})+(?:\/(?:[a-z0-9\-._~!$&'()*+,;=:@]|%[0-9a-f]{2})*)*)(?:\?(?:[a-z0-9\-._~!$&'()*+,;=:@/?]|%[0-9a-f]{2})*)?(?:#(?:[a-z0-9\-._~!$&'()*+,;=:@/?]|%[0-9a-f]{2})*)?$/i; var URIREF = /^(?:[a-z][a-z0-9+\-.]*:)?(?:\/?\/(?:(?:[a-z0-9\-._~!$&'()*+,;=:]|%[0-9a-f]{2})*@)?(?:\[(?:(?:(?:(?:[0-9a-f]{1,4}:){6}|::(?:[0-9a-f]{1,4}:){5}|(?:[0-9a-f]{1,4})?::(?:[0-9a-f]{1,4}:){4}|(?:(?:[0-9a-f]{1,4}:){0,1}[0-9a-f]{1,4})?::(?:[0-9a-f]{1,4}:){3}|(?:(?:[0-9a-f]{1,4}:){0,2}[0-9a-f]{1,4})?::(?:[0-9a-f]{1,4}:){2}|(?:(?:[0-9a-f]{1,4}:){0,3}[0-9a-f]{1,4})?::[0-9a-f]{1,4}:|(?:(?:[0-9a-f]{1,4}:){0,4}[0-9a-f]{1,4})?::)(?:[0-9a-f]{1,4}:[0-9a-f]{1,4}|(?:(?:25[0-5]|2[0-4]\d|[01]?\d\d?)\.){3}(?:25[0-5]|2[0-4]\d|[01]?\d\d?))|(?:(?:[0-9a-f]{1,4}:){0,5}[0-9a-f]{1,4})?::[0-9a-f]{1,4}|(?:(?:[0-9a-f]{1,4}:){0,6}[0-9a-f]{1,4})?::)|[Vv][0-9a-f]+\.[a-z0-9\-._~!$&'()*+,;=:]+)\]|(?:(?:25[0-5]|2[0-4]\d|[01]?\d\d?)\.){3}(?:25[0-5]|2[0-4]\d|[01]?\d\d?)|(?:[a-z0-9\-._~!$&'"()*+,;=]|%[0-9a-f]{2})*)(?::\d*)?(?:\/(?:[a-z0-9\-._~!$&'"()*+,;=:@]|%[0-9a-f]{2})*)*|\/(?:(?:[a-z0-9\-._~!$&'"()*+,;=:@]|%[0-9a-f]{2})+(?:\/(?:[a-z0-9\-._~!$&'"()*+,;=:@]|%[0-9a-f]{2})*)*)?|(?:[a-z0-9\-._~!$&'"()*+,;=:@]|%[0-9a-f]{2})+(?:\/(?:[a-z0-9\-._~!$&'"()*+,;=:@]|%[0-9a-f]{2})*)*)?(?:\?(?:[a-z0-9\-._~!$&'"()*+,;=:@/?]|%[0-9a-f]{2})*)?(?:#(?:[a-z0-9\-._~!$&'"()*+,;=:@/?]|%[0-9a-f]{2})*)?$/i; var URITEMPLATE = /^(?:(?:[^\x00-\x20"'<>%\\^`{|}]|%[0-9a-f]{2})|\{[+#./;?&=,!@|]?(?:[a-z0-9_]|%[0-9a-f]{2})+(?::[1-9][0-9]{0,3}|\*)?(?:,(?:[a-z0-9_]|%[0-9a-f]{2})+(?::[1-9][0-9]{0,3}|\*)?)*\})*$/i; var URL2 = /^(?:(?:http[s\u017F]?|ftp):\/\/)(?:(?:[\0-\x08\x0E-\x1F!-\x9F\xA1-\u167F\u1681-\u1FFF\u200B-\u2027\u202A-\u202E\u2030-\u205E\u2060-\u2FFF\u3001-\uD7FF\uE000-\uFEFE\uFF00-\uFFFF]|[\uD800-\uDBFF][\uDC00-\uDFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF])+(?::(?:[\0-\x08\x0E-\x1F!-\x9F\xA1-\u167F\u1681-\u1FFF\u200B-\u2027\u202A-\u202E\u2030-\u205E\u2060-\u2FFF\u3001-\uD7FF\uE000-\uFEFE\uFF00-\uFFFF]|[\uD800-\uDBFF][\uDC00-\uDFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF])*)?@)?(?:(?!10(?:\.[0-9]{1,3}){3})(?!127(?:\.[0-9]{1,3}){3})(?!169\.254(?:\.[0-9]{1,3}){2})(?!192\.168(?:\.[0-9]{1,3}){2})(?!172\.(?:1[6-9]|2[0-9]|3[01])(?:\.[0-9]{1,3}){2})(?:[1-9][0-9]?|1[0-9][0-9]|2[01][0-9]|22[0-3])(?:\.(?:1?[0-9]{1,2}|2[0-4][0-9]|25[0-5])){2}(?:\.(?:[1-9][0-9]?|1[0-9][0-9]|2[0-4][0-9]|25[0-4]))|(?:(?:(?:[0-9a-z\xA1-\uD7FF\uE000-\uFFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF])+-)*(?:[0-9a-z\xA1-\uD7FF\uE000-\uFFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF])+)(?:\.(?:(?:[0-9a-z\xA1-\uD7FF\uE000-\uFFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF])+-)*(?:[0-9a-z\xA1-\uD7FF\uE000-\uFFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF])+)*(?:\.(?:(?:[a-z\xA1-\uD7FF\uE000-\uFFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF]){2,})))(?::[0-9]{2,5})?(?:\/(?:[\0-\x08\x0E-\x1F!-\x9F\xA1-\u167F\u1681-\u1FFF\u200B-\u2027\u202A-\u202E\u2030-\u205E\u2060-\u2FFF\u3001-\uD7FF\uE000-\uFEFE\uFF00-\uFFFF]|[\uD800-\uDBFF][\uDC00-\uDFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF])*)?$/i; var UUID = /^(?:urn:uuid:)?[0-9a-f]{8}-(?:[0-9a-f]{4}-){3}[0-9a-f]{12}$/i; var JSON_POINTER = /^(?:\/(?:[^~/]|~0|~1)*)*$/; var JSON_POINTER_URI_FRAGMENT = /^#(?:\/(?:[a-z0-9_\-.!$&'()*+,;:=@]|%[0-9a-f]{2}|~0|~1)*)*$/i; var RELATIVE_JSON_POINTER = /^(?:0|[1-9][0-9]*)(?:#|(?:\/(?:[^~/]|~0|~1)*)*)$/; module2.exports = formats; function formats(mode) { mode = mode == "full" ? "full" : "fast"; return util5.copy(formats[mode]); } formats.fast = { // date: http://tools.ietf.org/html/rfc3339#section-5.6 date: /^\d\d\d\d-[0-1]\d-[0-3]\d$/, // date-time: http://tools.ietf.org/html/rfc3339#section-5.6 time: /^(?:[0-2]\d:[0-5]\d:[0-5]\d|23:59:60)(?:\.\d+)?(?:z|[+-]\d\d(?::?\d\d)?)?$/i, "date-time": /^\d\d\d\d-[0-1]\d-[0-3]\d[t\s](?:[0-2]\d:[0-5]\d:[0-5]\d|23:59:60)(?:\.\d+)?(?:z|[+-]\d\d(?::?\d\d)?)$/i, // uri: https://github.com/mafintosh/is-my-json-valid/blob/master/formats.js uri: /^(?:[a-z][a-z0-9+\-.]*:)(?:\/?\/)?[^\s]*$/i, "uri-reference": /^(?:(?:[a-z][a-z0-9+\-.]*:)?\/?\/)?(?:[^\\\s#][^\s#]*)?(?:#[^\\\s]*)?$/i, "uri-template": URITEMPLATE, url: URL2, // email (sources from jsen validator): // http://stackoverflow.com/questions/201323/using-a-regular-expression-to-validate-an-email-address#answer-8829363 // http://www.w3.org/TR/html5/forms.html#valid-e-mail-address (search for 'willful violation') email: /^[a-z0-9.!#$%&'*+/=?^_`{|}~-]+@[a-z0-9](?:[a-z0-9-]{0,61}[a-z0-9])?(?:\.[a-z0-9](?:[a-z0-9-]{0,61}[a-z0-9])?)*$/i, hostname: HOSTNAME, // optimized https://www.safaribooksonline.com/library/view/regular-expressions-cookbook/9780596802837/ch07s16.html ipv4: /^(?:(?:25[0-5]|2[0-4]\d|[01]?\d\d?)\.){3}(?:25[0-5]|2[0-4]\d|[01]?\d\d?)$/, // optimized http://stackoverflow.com/questions/53497/regular-expression-that-matches-valid-ipv6-addresses ipv6: /^\s*(?:(?:(?:[0-9a-f]{1,4}:){7}(?:[0-9a-f]{1,4}|:))|(?:(?:[0-9a-f]{1,4}:){6}(?::[0-9a-f]{1,4}|(?:(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(?:\.(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(?:(?:[0-9a-f]{1,4}:){5}(?:(?:(?::[0-9a-f]{1,4}){1,2})|:(?:(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(?:\.(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(?:(?:[0-9a-f]{1,4}:){4}(?:(?:(?::[0-9a-f]{1,4}){1,3})|(?:(?::[0-9a-f]{1,4})?:(?:(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(?:\.(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(?:(?:[0-9a-f]{1,4}:){3}(?:(?:(?::[0-9a-f]{1,4}){1,4})|(?:(?::[0-9a-f]{1,4}){0,2}:(?:(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(?:\.(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(?:(?:[0-9a-f]{1,4}:){2}(?:(?:(?::[0-9a-f]{1,4}){1,5})|(?:(?::[0-9a-f]{1,4}){0,3}:(?:(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(?:\.(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(?:(?:[0-9a-f]{1,4}:){1}(?:(?:(?::[0-9a-f]{1,4}){1,6})|(?:(?::[0-9a-f]{1,4}){0,4}:(?:(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(?:\.(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(?::(?:(?:(?::[0-9a-f]{1,4}){1,7})|(?:(?::[0-9a-f]{1,4}){0,5}:(?:(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(?:\.(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:)))(?:%.+)?\s*$/i, regex, // uuid: http://tools.ietf.org/html/rfc4122 uuid: UUID, // JSON-pointer: https://tools.ietf.org/html/rfc6901 // uri fragment: https://tools.ietf.org/html/rfc3986#appendix-A "json-pointer": JSON_POINTER, "json-pointer-uri-fragment": JSON_POINTER_URI_FRAGMENT, // relative JSON-pointer: http://tools.ietf.org/html/draft-luff-relative-json-pointer-00 "relative-json-pointer": RELATIVE_JSON_POINTER }; formats.full = { date, time, "date-time": date_time, uri, "uri-reference": URIREF, "uri-template": URITEMPLATE, url: URL2, email: /^[a-z0-9!#$%&'*+/=?^_`{|}~-]+(?:\.[a-z0-9!#$%&'*+/=?^_`{|}~-]+)*@(?:[a-z0-9](?:[a-z0-9-]*[a-z0-9])?\.)+[a-z0-9](?:[a-z0-9-]*[a-z0-9])?$/i, hostname: HOSTNAME, ipv4: /^(?:(?:25[0-5]|2[0-4]\d|[01]?\d\d?)\.){3}(?:25[0-5]|2[0-4]\d|[01]?\d\d?)$/, ipv6: /^\s*(?:(?:(?:[0-9a-f]{1,4}:){7}(?:[0-9a-f]{1,4}|:))|(?:(?:[0-9a-f]{1,4}:){6}(?::[0-9a-f]{1,4}|(?:(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(?:\.(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(?:(?:[0-9a-f]{1,4}:){5}(?:(?:(?::[0-9a-f]{1,4}){1,2})|:(?:(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(?:\.(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3})|:))|(?:(?:[0-9a-f]{1,4}:){4}(?:(?:(?::[0-9a-f]{1,4}){1,3})|(?:(?::[0-9a-f]{1,4})?:(?:(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(?:\.(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(?:(?:[0-9a-f]{1,4}:){3}(?:(?:(?::[0-9a-f]{1,4}){1,4})|(?:(?::[0-9a-f]{1,4}){0,2}:(?:(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(?:\.(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(?:(?:[0-9a-f]{1,4}:){2}(?:(?:(?::[0-9a-f]{1,4}){1,5})|(?:(?::[0-9a-f]{1,4}){0,3}:(?:(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(?:\.(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(?:(?:[0-9a-f]{1,4}:){1}(?:(?:(?::[0-9a-f]{1,4}){1,6})|(?:(?::[0-9a-f]{1,4}){0,4}:(?:(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(?:\.(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:))|(?::(?:(?:(?::[0-9a-f]{1,4}){1,7})|(?:(?::[0-9a-f]{1,4}){0,5}:(?:(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)(?:\.(?:25[0-5]|2[0-4]\d|1\d\d|[1-9]?\d)){3}))|:)))(?:%.+)?\s*$/i, regex, uuid: UUID, "json-pointer": JSON_POINTER, "json-pointer-uri-fragment": JSON_POINTER_URI_FRAGMENT, "relative-json-pointer": RELATIVE_JSON_POINTER }; function isLeapYear(year) { return year % 4 === 0 && (year % 100 !== 0 || year % 400 === 0); } function date(str) { var matches = str.match(DATE); if (!matches) return false; var year = +matches[1]; var month = +matches[2]; var day = +matches[3]; return month >= 1 && month <= 12 && day >= 1 && day <= (month == 2 && isLeapYear(year) ? 29 : DAYS[month]); } function time(str, full) { var matches = str.match(TIME); if (!matches) return false; var hour = matches[1]; var minute = matches[2]; var second = matches[3]; var timeZone = matches[5]; return (hour <= 23 && minute <= 59 && second <= 59 || hour == 23 && minute == 59 && second == 60) && (!full || timeZone); } var DATE_TIME_SEPARATOR = /t|\s/i; function date_time(str) { var dateTime = str.split(DATE_TIME_SEPARATOR); return dateTime.length == 2 && date(dateTime[0]) && time(dateTime[1], true); } var NOT_URI_FRAGMENT = /\/|:/; function uri(str) { return NOT_URI_FRAGMENT.test(str) && URI.test(str); } var Z_ANCHOR = /[^\\]\\Z/; function regex(str) { if (Z_ANCHOR.test(str)) return false; try { new RegExp(str); return true; } catch (e) { return false; } } } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/ref.js var require_ref = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/ref.js"(exports2, module2) { "use strict"; module2.exports = function generate_ref(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $data = "data" + ($dataLvl || ""); var $valid = "valid" + $lvl; var $async, $refCode; if ($schema == "#" || $schema == "#/") { if (it.isRoot) { $async = it.async; $refCode = "validate"; } else { $async = it.root.schema.$async === true; $refCode = "root.refVal[0]"; } } else { var $refVal = it.resolveRef(it.baseId, $schema, it.isRoot); if ($refVal === void 0) { var $message = it.MissingRefError.message(it.baseId, $schema); if (it.opts.missingRefs == "fail") { it.logger.error($message); var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: '$ref' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { ref: '" + it.util.escapeQuotes($schema) + "' } "; if (it.opts.messages !== false) { out += " , message: 'can\\'t resolve reference " + it.util.escapeQuotes($schema) + "' "; } if (it.opts.verbose) { out += " , schema: " + it.util.toQuotedString($schema) + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } if ($breakOnError) { out += " if (false) { "; } } else if (it.opts.missingRefs == "ignore") { it.logger.warn($message); if ($breakOnError) { out += " if (true) { "; } } else { throw new it.MissingRefError(it.baseId, $schema, $message); } } else if ($refVal.inline) { var $it = it.util.copy(it); $it.level++; var $nextValid = "valid" + $it.level; $it.schema = $refVal.schema; $it.schemaPath = ""; $it.errSchemaPath = $schema; var $code = it.validate($it).replace(/validate\.schema/g, $refVal.code); out += " " + $code + " "; if ($breakOnError) { out += " if (" + $nextValid + ") { "; } } else { $async = $refVal.$async === true || it.async && $refVal.$async !== false; $refCode = $refVal.code; } } if ($refCode) { var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.opts.passContext) { out += " " + $refCode + ".call(this, "; } else { out += " " + $refCode + "( "; } out += " " + $data + ", (dataPath || '')"; if (it.errorPath != '""') { out += " + " + it.errorPath; } var $parentData = $dataLvl ? "data" + ($dataLvl - 1 || "") : "parentData", $parentDataProperty = $dataLvl ? it.dataPathArr[$dataLvl] : "parentDataProperty"; out += " , " + $parentData + " , " + $parentDataProperty + ", rootData) "; var __callValidate = out; out = $$outStack.pop(); if ($async) { if (!it.async) throw new Error("async schema referenced by sync schema"); if ($breakOnError) { out += " var " + $valid + "; "; } out += " try { await " + __callValidate + "; "; if ($breakOnError) { out += " " + $valid + " = true; "; } out += " } catch (e) { if (!(e instanceof ValidationError)) throw e; if (vErrors === null) vErrors = e.errors; else vErrors = vErrors.concat(e.errors); errors = vErrors.length; "; if ($breakOnError) { out += " " + $valid + " = false; "; } out += " } "; if ($breakOnError) { out += " if (" + $valid + ") { "; } } else { out += " if (!" + __callValidate + ") { if (vErrors === null) vErrors = " + $refCode + ".errors; else vErrors = vErrors.concat(" + $refCode + ".errors); errors = vErrors.length; } "; if ($breakOnError) { out += " else { "; } } } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/allOf.js var require_allOf = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/allOf.js"(exports2, module2) { "use strict"; module2.exports = function generate_allOf(it, $keyword, $ruleType) { var out = " "; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $it = it.util.copy(it); var $closingBraces = ""; $it.level++; var $nextValid = "valid" + $it.level; var $currentBaseId = $it.baseId, $allSchemasEmpty = true; var arr1 = $schema; if (arr1) { var $sch, $i = -1, l1 = arr1.length - 1; while ($i < l1) { $sch = arr1[$i += 1]; if (it.opts.strictKeywords ? typeof $sch == "object" && Object.keys($sch).length > 0 || $sch === false : it.util.schemaHasRules($sch, it.RULES.all)) { $allSchemasEmpty = false; $it.schema = $sch; $it.schemaPath = $schemaPath + "[" + $i + "]"; $it.errSchemaPath = $errSchemaPath + "/" + $i; out += " " + it.validate($it) + " "; $it.baseId = $currentBaseId; if ($breakOnError) { out += " if (" + $nextValid + ") { "; $closingBraces += "}"; } } } } if ($breakOnError) { if ($allSchemasEmpty) { out += " if (true) { "; } else { out += " " + $closingBraces.slice(0, -1) + " "; } } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/anyOf.js var require_anyOf = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/anyOf.js"(exports2, module2) { "use strict"; module2.exports = function generate_anyOf(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $data = "data" + ($dataLvl || ""); var $valid = "valid" + $lvl; var $errs = "errs__" + $lvl; var $it = it.util.copy(it); var $closingBraces = ""; $it.level++; var $nextValid = "valid" + $it.level; var $noEmptySchema = $schema.every(function($sch2) { return it.opts.strictKeywords ? typeof $sch2 == "object" && Object.keys($sch2).length > 0 || $sch2 === false : it.util.schemaHasRules($sch2, it.RULES.all); }); if ($noEmptySchema) { var $currentBaseId = $it.baseId; out += " var " + $errs + " = errors; var " + $valid + " = false; "; var $wasComposite = it.compositeRule; it.compositeRule = $it.compositeRule = true; var arr1 = $schema; if (arr1) { var $sch, $i = -1, l1 = arr1.length - 1; while ($i < l1) { $sch = arr1[$i += 1]; $it.schema = $sch; $it.schemaPath = $schemaPath + "[" + $i + "]"; $it.errSchemaPath = $errSchemaPath + "/" + $i; out += " " + it.validate($it) + " "; $it.baseId = $currentBaseId; out += " " + $valid + " = " + $valid + " || " + $nextValid + "; if (!" + $valid + ") { "; $closingBraces += "}"; } } it.compositeRule = $it.compositeRule = $wasComposite; out += " " + $closingBraces + " if (!" + $valid + ") { var err = "; if (it.createErrors !== false) { out += " { keyword: 'anyOf' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: {} "; if (it.opts.messages !== false) { out += " , message: 'should match some schema in anyOf' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } out += "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError(vErrors); "; } else { out += " validate.errors = vErrors; return false; "; } } out += " } else { errors = " + $errs + "; if (vErrors !== null) { if (" + $errs + ") vErrors.length = " + $errs + "; else vErrors = null; } "; if (it.opts.allErrors) { out += " } "; } } else { if ($breakOnError) { out += " if (true) { "; } } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/comment.js var require_comment = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/comment.js"(exports2, module2) { "use strict"; module2.exports = function generate_comment(it, $keyword, $ruleType) { var out = " "; var $schema = it.schema[$keyword]; var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $comment = it.util.toQuotedString($schema); if (it.opts.$comment === true) { out += " console.log(" + $comment + ");"; } else if (typeof it.opts.$comment == "function") { out += " self._opts.$comment(" + $comment + ", " + it.util.toQuotedString($errSchemaPath) + ", validate.root.schema);"; } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/const.js var require_const = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/const.js"(exports2, module2) { "use strict"; module2.exports = function generate_const(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $data = "data" + ($dataLvl || ""); var $valid = "valid" + $lvl; var $isData = it.opts.$data && $schema && $schema.$data, $schemaValue; if ($isData) { out += " var schema" + $lvl + " = " + it.util.getData($schema.$data, $dataLvl, it.dataPathArr) + "; "; $schemaValue = "schema" + $lvl; } else { $schemaValue = $schema; } if (!$isData) { out += " var schema" + $lvl + " = validate.schema" + $schemaPath + ";"; } out += "var " + $valid + " = equal(" + $data + ", schema" + $lvl + "); if (!" + $valid + ") { "; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: 'const' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { allowedValue: schema" + $lvl + " } "; if (it.opts.messages !== false) { out += " , message: 'should be equal to constant' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += " }"; if ($breakOnError) { out += " else { "; } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/contains.js var require_contains = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/contains.js"(exports2, module2) { "use strict"; module2.exports = function generate_contains(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $data = "data" + ($dataLvl || ""); var $valid = "valid" + $lvl; var $errs = "errs__" + $lvl; var $it = it.util.copy(it); var $closingBraces = ""; $it.level++; var $nextValid = "valid" + $it.level; var $idx = "i" + $lvl, $dataNxt = $it.dataLevel = it.dataLevel + 1, $nextData = "data" + $dataNxt, $currentBaseId = it.baseId, $nonEmptySchema = it.opts.strictKeywords ? typeof $schema == "object" && Object.keys($schema).length > 0 || $schema === false : it.util.schemaHasRules($schema, it.RULES.all); out += "var " + $errs + " = errors;var " + $valid + ";"; if ($nonEmptySchema) { var $wasComposite = it.compositeRule; it.compositeRule = $it.compositeRule = true; $it.schema = $schema; $it.schemaPath = $schemaPath; $it.errSchemaPath = $errSchemaPath; out += " var " + $nextValid + " = false; for (var " + $idx + " = 0; " + $idx + " < " + $data + ".length; " + $idx + "++) { "; $it.errorPath = it.util.getPathExpr(it.errorPath, $idx, it.opts.jsonPointers, true); var $passData = $data + "[" + $idx + "]"; $it.dataPathArr[$dataNxt] = $idx; var $code = it.validate($it); $it.baseId = $currentBaseId; if (it.util.varOccurences($code, $nextData) < 2) { out += " " + it.util.varReplace($code, $nextData, $passData) + " "; } else { out += " var " + $nextData + " = " + $passData + "; " + $code + " "; } out += " if (" + $nextValid + ") break; } "; it.compositeRule = $it.compositeRule = $wasComposite; out += " " + $closingBraces + " if (!" + $nextValid + ") {"; } else { out += " if (" + $data + ".length == 0) {"; } var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: 'contains' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: {} "; if (it.opts.messages !== false) { out += " , message: 'should contain a valid item' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += " } else { "; if ($nonEmptySchema) { out += " errors = " + $errs + "; if (vErrors !== null) { if (" + $errs + ") vErrors.length = " + $errs + "; else vErrors = null; } "; } if (it.opts.allErrors) { out += " } "; } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/dependencies.js var require_dependencies = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/dependencies.js"(exports2, module2) { "use strict"; module2.exports = function generate_dependencies(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $data = "data" + ($dataLvl || ""); var $errs = "errs__" + $lvl; var $it = it.util.copy(it); var $closingBraces = ""; $it.level++; var $nextValid = "valid" + $it.level; var $schemaDeps = {}, $propertyDeps = {}, $ownProperties = it.opts.ownProperties; for ($property in $schema) { if ($property == "__proto__") continue; var $sch = $schema[$property]; var $deps = Array.isArray($sch) ? $propertyDeps : $schemaDeps; $deps[$property] = $sch; } out += "var " + $errs + " = errors;"; var $currentErrorPath = it.errorPath; out += "var missing" + $lvl + ";"; for (var $property in $propertyDeps) { $deps = $propertyDeps[$property]; if ($deps.length) { out += " if ( " + $data + it.util.getProperty($property) + " !== undefined "; if ($ownProperties) { out += " && Object.prototype.hasOwnProperty.call(" + $data + ", '" + it.util.escapeQuotes($property) + "') "; } if ($breakOnError) { out += " && ( "; var arr1 = $deps; if (arr1) { var $propertyKey, $i = -1, l1 = arr1.length - 1; while ($i < l1) { $propertyKey = arr1[$i += 1]; if ($i) { out += " || "; } var $prop = it.util.getProperty($propertyKey), $useData = $data + $prop; out += " ( ( " + $useData + " === undefined "; if ($ownProperties) { out += " || ! Object.prototype.hasOwnProperty.call(" + $data + ", '" + it.util.escapeQuotes($propertyKey) + "') "; } out += ") && (missing" + $lvl + " = " + it.util.toQuotedString(it.opts.jsonPointers ? $propertyKey : $prop) + ") ) "; } } out += ")) { "; var $propertyPath = "missing" + $lvl, $missingProperty = "' + " + $propertyPath + " + '"; if (it.opts._errorDataPathProperty) { it.errorPath = it.opts.jsonPointers ? it.util.getPathExpr($currentErrorPath, $propertyPath, true) : $currentErrorPath + " + " + $propertyPath; } var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: 'dependencies' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { property: '" + it.util.escapeQuotes($property) + "', missingProperty: '" + $missingProperty + "', depsCount: " + $deps.length + ", deps: '" + it.util.escapeQuotes($deps.length == 1 ? $deps[0] : $deps.join(", ")) + "' } "; if (it.opts.messages !== false) { out += " , message: 'should have "; if ($deps.length == 1) { out += "property " + it.util.escapeQuotes($deps[0]); } else { out += "properties " + it.util.escapeQuotes($deps.join(", ")); } out += " when property " + it.util.escapeQuotes($property) + " is present' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } } else { out += " ) { "; var arr2 = $deps; if (arr2) { var $propertyKey, i2 = -1, l2 = arr2.length - 1; while (i2 < l2) { $propertyKey = arr2[i2 += 1]; var $prop = it.util.getProperty($propertyKey), $missingProperty = it.util.escapeQuotes($propertyKey), $useData = $data + $prop; if (it.opts._errorDataPathProperty) { it.errorPath = it.util.getPath($currentErrorPath, $propertyKey, it.opts.jsonPointers); } out += " if ( " + $useData + " === undefined "; if ($ownProperties) { out += " || ! Object.prototype.hasOwnProperty.call(" + $data + ", '" + it.util.escapeQuotes($propertyKey) + "') "; } out += ") { var err = "; if (it.createErrors !== false) { out += " { keyword: 'dependencies' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { property: '" + it.util.escapeQuotes($property) + "', missingProperty: '" + $missingProperty + "', depsCount: " + $deps.length + ", deps: '" + it.util.escapeQuotes($deps.length == 1 ? $deps[0] : $deps.join(", ")) + "' } "; if (it.opts.messages !== false) { out += " , message: 'should have "; if ($deps.length == 1) { out += "property " + it.util.escapeQuotes($deps[0]); } else { out += "properties " + it.util.escapeQuotes($deps.join(", ")); } out += " when property " + it.util.escapeQuotes($property) + " is present' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } out += "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; } "; } } } out += " } "; if ($breakOnError) { $closingBraces += "}"; out += " else { "; } } } it.errorPath = $currentErrorPath; var $currentBaseId = $it.baseId; for (var $property in $schemaDeps) { var $sch = $schemaDeps[$property]; if (it.opts.strictKeywords ? typeof $sch == "object" && Object.keys($sch).length > 0 || $sch === false : it.util.schemaHasRules($sch, it.RULES.all)) { out += " " + $nextValid + " = true; if ( " + $data + it.util.getProperty($property) + " !== undefined "; if ($ownProperties) { out += " && Object.prototype.hasOwnProperty.call(" + $data + ", '" + it.util.escapeQuotes($property) + "') "; } out += ") { "; $it.schema = $sch; $it.schemaPath = $schemaPath + it.util.getProperty($property); $it.errSchemaPath = $errSchemaPath + "/" + it.util.escapeFragment($property); out += " " + it.validate($it) + " "; $it.baseId = $currentBaseId; out += " } "; if ($breakOnError) { out += " if (" + $nextValid + ") { "; $closingBraces += "}"; } } } if ($breakOnError) { out += " " + $closingBraces + " if (" + $errs + " == errors) {"; } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/enum.js var require_enum = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/enum.js"(exports2, module2) { "use strict"; module2.exports = function generate_enum(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $data = "data" + ($dataLvl || ""); var $valid = "valid" + $lvl; var $isData = it.opts.$data && $schema && $schema.$data, $schemaValue; if ($isData) { out += " var schema" + $lvl + " = " + it.util.getData($schema.$data, $dataLvl, it.dataPathArr) + "; "; $schemaValue = "schema" + $lvl; } else { $schemaValue = $schema; } var $i = "i" + $lvl, $vSchema = "schema" + $lvl; if (!$isData) { out += " var " + $vSchema + " = validate.schema" + $schemaPath + ";"; } out += "var " + $valid + ";"; if ($isData) { out += " if (schema" + $lvl + " === undefined) " + $valid + " = true; else if (!Array.isArray(schema" + $lvl + ")) " + $valid + " = false; else {"; } out += "" + $valid + " = false;for (var " + $i + "=0; " + $i + "<" + $vSchema + ".length; " + $i + "++) if (equal(" + $data + ", " + $vSchema + "[" + $i + "])) { " + $valid + " = true; break; }"; if ($isData) { out += " } "; } out += " if (!" + $valid + ") { "; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: 'enum' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { allowedValues: schema" + $lvl + " } "; if (it.opts.messages !== false) { out += " , message: 'should be equal to one of the allowed values' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += " }"; if ($breakOnError) { out += " else { "; } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/format.js var require_format = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/format.js"(exports2, module2) { "use strict"; module2.exports = function generate_format(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $data = "data" + ($dataLvl || ""); if (it.opts.format === false) { if ($breakOnError) { out += " if (true) { "; } return out; } var $isData = it.opts.$data && $schema && $schema.$data, $schemaValue; if ($isData) { out += " var schema" + $lvl + " = " + it.util.getData($schema.$data, $dataLvl, it.dataPathArr) + "; "; $schemaValue = "schema" + $lvl; } else { $schemaValue = $schema; } var $unknownFormats = it.opts.unknownFormats, $allowUnknown = Array.isArray($unknownFormats); if ($isData) { var $format = "format" + $lvl, $isObject = "isObject" + $lvl, $formatType = "formatType" + $lvl; out += " var " + $format + " = formats[" + $schemaValue + "]; var " + $isObject + " = typeof " + $format + " == 'object' && !(" + $format + " instanceof RegExp) && " + $format + ".validate; var " + $formatType + " = " + $isObject + " && " + $format + ".type || 'string'; if (" + $isObject + ") { "; if (it.async) { out += " var async" + $lvl + " = " + $format + ".async; "; } out += " " + $format + " = " + $format + ".validate; } if ( "; if ($isData) { out += " (" + $schemaValue + " !== undefined && typeof " + $schemaValue + " != 'string') || "; } out += " ("; if ($unknownFormats != "ignore") { out += " (" + $schemaValue + " && !" + $format + " "; if ($allowUnknown) { out += " && self._opts.unknownFormats.indexOf(" + $schemaValue + ") == -1 "; } out += ") || "; } out += " (" + $format + " && " + $formatType + " == '" + $ruleType + "' && !(typeof " + $format + " == 'function' ? "; if (it.async) { out += " (async" + $lvl + " ? await " + $format + "(" + $data + ") : " + $format + "(" + $data + ")) "; } else { out += " " + $format + "(" + $data + ") "; } out += " : " + $format + ".test(" + $data + "))))) {"; } else { var $format = it.formats[$schema]; if (!$format) { if ($unknownFormats == "ignore") { it.logger.warn('unknown format "' + $schema + '" ignored in schema at path "' + it.errSchemaPath + '"'); if ($breakOnError) { out += " if (true) { "; } return out; } else if ($allowUnknown && $unknownFormats.indexOf($schema) >= 0) { if ($breakOnError) { out += " if (true) { "; } return out; } else { throw new Error('unknown format "' + $schema + '" is used in schema at path "' + it.errSchemaPath + '"'); } } var $isObject = typeof $format == "object" && !($format instanceof RegExp) && $format.validate; var $formatType = $isObject && $format.type || "string"; if ($isObject) { var $async = $format.async === true; $format = $format.validate; } if ($formatType != $ruleType) { if ($breakOnError) { out += " if (true) { "; } return out; } if ($async) { if (!it.async) throw new Error("async format in sync schema"); var $formatRef = "formats" + it.util.getProperty($schema) + ".validate"; out += " if (!(await " + $formatRef + "(" + $data + "))) { "; } else { out += " if (! "; var $formatRef = "formats" + it.util.getProperty($schema); if ($isObject) $formatRef += ".validate"; if (typeof $format == "function") { out += " " + $formatRef + "(" + $data + ") "; } else { out += " " + $formatRef + ".test(" + $data + ") "; } out += ") { "; } } var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: 'format' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { format: "; if ($isData) { out += "" + $schemaValue; } else { out += "" + it.util.toQuotedString($schema); } out += " } "; if (it.opts.messages !== false) { out += ` , message: 'should match format "`; if ($isData) { out += "' + " + $schemaValue + " + '"; } else { out += "" + it.util.escapeQuotes($schema); } out += `"' `; } if (it.opts.verbose) { out += " , schema: "; if ($isData) { out += "validate.schema" + $schemaPath; } else { out += "" + it.util.toQuotedString($schema); } out += " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += " } "; if ($breakOnError) { out += " else { "; } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/if.js var require_if = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/if.js"(exports2, module2) { "use strict"; module2.exports = function generate_if(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $data = "data" + ($dataLvl || ""); var $valid = "valid" + $lvl; var $errs = "errs__" + $lvl; var $it = it.util.copy(it); $it.level++; var $nextValid = "valid" + $it.level; var $thenSch = it.schema["then"], $elseSch = it.schema["else"], $thenPresent = $thenSch !== void 0 && (it.opts.strictKeywords ? typeof $thenSch == "object" && Object.keys($thenSch).length > 0 || $thenSch === false : it.util.schemaHasRules($thenSch, it.RULES.all)), $elsePresent = $elseSch !== void 0 && (it.opts.strictKeywords ? typeof $elseSch == "object" && Object.keys($elseSch).length > 0 || $elseSch === false : it.util.schemaHasRules($elseSch, it.RULES.all)), $currentBaseId = $it.baseId; if ($thenPresent || $elsePresent) { var $ifClause; $it.createErrors = false; $it.schema = $schema; $it.schemaPath = $schemaPath; $it.errSchemaPath = $errSchemaPath; out += " var " + $errs + " = errors; var " + $valid + " = true; "; var $wasComposite = it.compositeRule; it.compositeRule = $it.compositeRule = true; out += " " + it.validate($it) + " "; $it.baseId = $currentBaseId; $it.createErrors = true; out += " errors = " + $errs + "; if (vErrors !== null) { if (" + $errs + ") vErrors.length = " + $errs + "; else vErrors = null; } "; it.compositeRule = $it.compositeRule = $wasComposite; if ($thenPresent) { out += " if (" + $nextValid + ") { "; $it.schema = it.schema["then"]; $it.schemaPath = it.schemaPath + ".then"; $it.errSchemaPath = it.errSchemaPath + "/then"; out += " " + it.validate($it) + " "; $it.baseId = $currentBaseId; out += " " + $valid + " = " + $nextValid + "; "; if ($thenPresent && $elsePresent) { $ifClause = "ifClause" + $lvl; out += " var " + $ifClause + " = 'then'; "; } else { $ifClause = "'then'"; } out += " } "; if ($elsePresent) { out += " else { "; } } else { out += " if (!" + $nextValid + ") { "; } if ($elsePresent) { $it.schema = it.schema["else"]; $it.schemaPath = it.schemaPath + ".else"; $it.errSchemaPath = it.errSchemaPath + "/else"; out += " " + it.validate($it) + " "; $it.baseId = $currentBaseId; out += " " + $valid + " = " + $nextValid + "; "; if ($thenPresent && $elsePresent) { $ifClause = "ifClause" + $lvl; out += " var " + $ifClause + " = 'else'; "; } else { $ifClause = "'else'"; } out += " } "; } out += " if (!" + $valid + ") { var err = "; if (it.createErrors !== false) { out += " { keyword: 'if' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { failingKeyword: " + $ifClause + " } "; if (it.opts.messages !== false) { out += ` , message: 'should match "' + ` + $ifClause + ` + '" schema' `; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } out += "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError(vErrors); "; } else { out += " validate.errors = vErrors; return false; "; } } out += " } "; if ($breakOnError) { out += " else { "; } } else { if ($breakOnError) { out += " if (true) { "; } } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/items.js var require_items = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/items.js"(exports2, module2) { "use strict"; module2.exports = function generate_items(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $data = "data" + ($dataLvl || ""); var $valid = "valid" + $lvl; var $errs = "errs__" + $lvl; var $it = it.util.copy(it); var $closingBraces = ""; $it.level++; var $nextValid = "valid" + $it.level; var $idx = "i" + $lvl, $dataNxt = $it.dataLevel = it.dataLevel + 1, $nextData = "data" + $dataNxt, $currentBaseId = it.baseId; out += "var " + $errs + " = errors;var " + $valid + ";"; if (Array.isArray($schema)) { var $additionalItems = it.schema.additionalItems; if ($additionalItems === false) { out += " " + $valid + " = " + $data + ".length <= " + $schema.length + "; "; var $currErrSchemaPath = $errSchemaPath; $errSchemaPath = it.errSchemaPath + "/additionalItems"; out += " if (!" + $valid + ") { "; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: 'additionalItems' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { limit: " + $schema.length + " } "; if (it.opts.messages !== false) { out += " , message: 'should NOT have more than " + $schema.length + " items' "; } if (it.opts.verbose) { out += " , schema: false , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += " } "; $errSchemaPath = $currErrSchemaPath; if ($breakOnError) { $closingBraces += "}"; out += " else { "; } } var arr1 = $schema; if (arr1) { var $sch, $i = -1, l1 = arr1.length - 1; while ($i < l1) { $sch = arr1[$i += 1]; if (it.opts.strictKeywords ? typeof $sch == "object" && Object.keys($sch).length > 0 || $sch === false : it.util.schemaHasRules($sch, it.RULES.all)) { out += " " + $nextValid + " = true; if (" + $data + ".length > " + $i + ") { "; var $passData = $data + "[" + $i + "]"; $it.schema = $sch; $it.schemaPath = $schemaPath + "[" + $i + "]"; $it.errSchemaPath = $errSchemaPath + "/" + $i; $it.errorPath = it.util.getPathExpr(it.errorPath, $i, it.opts.jsonPointers, true); $it.dataPathArr[$dataNxt] = $i; var $code = it.validate($it); $it.baseId = $currentBaseId; if (it.util.varOccurences($code, $nextData) < 2) { out += " " + it.util.varReplace($code, $nextData, $passData) + " "; } else { out += " var " + $nextData + " = " + $passData + "; " + $code + " "; } out += " } "; if ($breakOnError) { out += " if (" + $nextValid + ") { "; $closingBraces += "}"; } } } } if (typeof $additionalItems == "object" && (it.opts.strictKeywords ? typeof $additionalItems == "object" && Object.keys($additionalItems).length > 0 || $additionalItems === false : it.util.schemaHasRules($additionalItems, it.RULES.all))) { $it.schema = $additionalItems; $it.schemaPath = it.schemaPath + ".additionalItems"; $it.errSchemaPath = it.errSchemaPath + "/additionalItems"; out += " " + $nextValid + " = true; if (" + $data + ".length > " + $schema.length + ") { for (var " + $idx + " = " + $schema.length + "; " + $idx + " < " + $data + ".length; " + $idx + "++) { "; $it.errorPath = it.util.getPathExpr(it.errorPath, $idx, it.opts.jsonPointers, true); var $passData = $data + "[" + $idx + "]"; $it.dataPathArr[$dataNxt] = $idx; var $code = it.validate($it); $it.baseId = $currentBaseId; if (it.util.varOccurences($code, $nextData) < 2) { out += " " + it.util.varReplace($code, $nextData, $passData) + " "; } else { out += " var " + $nextData + " = " + $passData + "; " + $code + " "; } if ($breakOnError) { out += " if (!" + $nextValid + ") break; "; } out += " } } "; if ($breakOnError) { out += " if (" + $nextValid + ") { "; $closingBraces += "}"; } } } else if (it.opts.strictKeywords ? typeof $schema == "object" && Object.keys($schema).length > 0 || $schema === false : it.util.schemaHasRules($schema, it.RULES.all)) { $it.schema = $schema; $it.schemaPath = $schemaPath; $it.errSchemaPath = $errSchemaPath; out += " for (var " + $idx + " = 0; " + $idx + " < " + $data + ".length; " + $idx + "++) { "; $it.errorPath = it.util.getPathExpr(it.errorPath, $idx, it.opts.jsonPointers, true); var $passData = $data + "[" + $idx + "]"; $it.dataPathArr[$dataNxt] = $idx; var $code = it.validate($it); $it.baseId = $currentBaseId; if (it.util.varOccurences($code, $nextData) < 2) { out += " " + it.util.varReplace($code, $nextData, $passData) + " "; } else { out += " var " + $nextData + " = " + $passData + "; " + $code + " "; } if ($breakOnError) { out += " if (!" + $nextValid + ") break; "; } out += " }"; } if ($breakOnError) { out += " " + $closingBraces + " if (" + $errs + " == errors) {"; } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/_limit.js var require_limit = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/_limit.js"(exports2, module2) { "use strict"; module2.exports = function generate__limit(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $errorKeyword; var $data = "data" + ($dataLvl || ""); var $isData = it.opts.$data && $schema && $schema.$data, $schemaValue; if ($isData) { out += " var schema" + $lvl + " = " + it.util.getData($schema.$data, $dataLvl, it.dataPathArr) + "; "; $schemaValue = "schema" + $lvl; } else { $schemaValue = $schema; } var $isMax = $keyword == "maximum", $exclusiveKeyword = $isMax ? "exclusiveMaximum" : "exclusiveMinimum", $schemaExcl = it.schema[$exclusiveKeyword], $isDataExcl = it.opts.$data && $schemaExcl && $schemaExcl.$data, $op = $isMax ? "<" : ">", $notOp = $isMax ? ">" : "<", $errorKeyword = void 0; if (!($isData || typeof $schema == "number" || $schema === void 0)) { throw new Error($keyword + " must be number"); } if (!($isDataExcl || $schemaExcl === void 0 || typeof $schemaExcl == "number" || typeof $schemaExcl == "boolean")) { throw new Error($exclusiveKeyword + " must be number or boolean"); } if ($isDataExcl) { var $schemaValueExcl = it.util.getData($schemaExcl.$data, $dataLvl, it.dataPathArr), $exclusive = "exclusive" + $lvl, $exclType = "exclType" + $lvl, $exclIsNumber = "exclIsNumber" + $lvl, $opExpr = "op" + $lvl, $opStr = "' + " + $opExpr + " + '"; out += " var schemaExcl" + $lvl + " = " + $schemaValueExcl + "; "; $schemaValueExcl = "schemaExcl" + $lvl; out += " var " + $exclusive + "; var " + $exclType + " = typeof " + $schemaValueExcl + "; if (" + $exclType + " != 'boolean' && " + $exclType + " != 'undefined' && " + $exclType + " != 'number') { "; var $errorKeyword = $exclusiveKeyword; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: '" + ($errorKeyword || "_exclusiveLimit") + "' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: {} "; if (it.opts.messages !== false) { out += " , message: '" + $exclusiveKeyword + " should be boolean' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += " } else if ( "; if ($isData) { out += " (" + $schemaValue + " !== undefined && typeof " + $schemaValue + " != 'number') || "; } out += " " + $exclType + " == 'number' ? ( (" + $exclusive + " = " + $schemaValue + " === undefined || " + $schemaValueExcl + " " + $op + "= " + $schemaValue + ") ? " + $data + " " + $notOp + "= " + $schemaValueExcl + " : " + $data + " " + $notOp + " " + $schemaValue + " ) : ( (" + $exclusive + " = " + $schemaValueExcl + " === true) ? " + $data + " " + $notOp + "= " + $schemaValue + " : " + $data + " " + $notOp + " " + $schemaValue + " ) || " + $data + " !== " + $data + ") { var op" + $lvl + " = " + $exclusive + " ? '" + $op + "' : '" + $op + "='; "; if ($schema === void 0) { $errorKeyword = $exclusiveKeyword; $errSchemaPath = it.errSchemaPath + "/" + $exclusiveKeyword; $schemaValue = $schemaValueExcl; $isData = $isDataExcl; } } else { var $exclIsNumber = typeof $schemaExcl == "number", $opStr = $op; if ($exclIsNumber && $isData) { var $opExpr = "'" + $opStr + "'"; out += " if ( "; if ($isData) { out += " (" + $schemaValue + " !== undefined && typeof " + $schemaValue + " != 'number') || "; } out += " ( " + $schemaValue + " === undefined || " + $schemaExcl + " " + $op + "= " + $schemaValue + " ? " + $data + " " + $notOp + "= " + $schemaExcl + " : " + $data + " " + $notOp + " " + $schemaValue + " ) || " + $data + " !== " + $data + ") { "; } else { if ($exclIsNumber && $schema === void 0) { $exclusive = true; $errorKeyword = $exclusiveKeyword; $errSchemaPath = it.errSchemaPath + "/" + $exclusiveKeyword; $schemaValue = $schemaExcl; $notOp += "="; } else { if ($exclIsNumber) $schemaValue = Math[$isMax ? "min" : "max"]($schemaExcl, $schema); if ($schemaExcl === ($exclIsNumber ? $schemaValue : true)) { $exclusive = true; $errorKeyword = $exclusiveKeyword; $errSchemaPath = it.errSchemaPath + "/" + $exclusiveKeyword; $notOp += "="; } else { $exclusive = false; $opStr += "="; } } var $opExpr = "'" + $opStr + "'"; out += " if ( "; if ($isData) { out += " (" + $schemaValue + " !== undefined && typeof " + $schemaValue + " != 'number') || "; } out += " " + $data + " " + $notOp + " " + $schemaValue + " || " + $data + " !== " + $data + ") { "; } } $errorKeyword = $errorKeyword || $keyword; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: '" + ($errorKeyword || "_limit") + "' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { comparison: " + $opExpr + ", limit: " + $schemaValue + ", exclusive: " + $exclusive + " } "; if (it.opts.messages !== false) { out += " , message: 'should be " + $opStr + " "; if ($isData) { out += "' + " + $schemaValue; } else { out += "" + $schemaValue + "'"; } } if (it.opts.verbose) { out += " , schema: "; if ($isData) { out += "validate.schema" + $schemaPath; } else { out += "" + $schema; } out += " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += " } "; if ($breakOnError) { out += " else { "; } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/_limitItems.js var require_limitItems = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/_limitItems.js"(exports2, module2) { "use strict"; module2.exports = function generate__limitItems(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $errorKeyword; var $data = "data" + ($dataLvl || ""); var $isData = it.opts.$data && $schema && $schema.$data, $schemaValue; if ($isData) { out += " var schema" + $lvl + " = " + it.util.getData($schema.$data, $dataLvl, it.dataPathArr) + "; "; $schemaValue = "schema" + $lvl; } else { $schemaValue = $schema; } if (!($isData || typeof $schema == "number")) { throw new Error($keyword + " must be number"); } var $op = $keyword == "maxItems" ? ">" : "<"; out += "if ( "; if ($isData) { out += " (" + $schemaValue + " !== undefined && typeof " + $schemaValue + " != 'number') || "; } out += " " + $data + ".length " + $op + " " + $schemaValue + ") { "; var $errorKeyword = $keyword; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: '" + ($errorKeyword || "_limitItems") + "' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { limit: " + $schemaValue + " } "; if (it.opts.messages !== false) { out += " , message: 'should NOT have "; if ($keyword == "maxItems") { out += "more"; } else { out += "fewer"; } out += " than "; if ($isData) { out += "' + " + $schemaValue + " + '"; } else { out += "" + $schema; } out += " items' "; } if (it.opts.verbose) { out += " , schema: "; if ($isData) { out += "validate.schema" + $schemaPath; } else { out += "" + $schema; } out += " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += "} "; if ($breakOnError) { out += " else { "; } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/_limitLength.js var require_limitLength = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/_limitLength.js"(exports2, module2) { "use strict"; module2.exports = function generate__limitLength(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $errorKeyword; var $data = "data" + ($dataLvl || ""); var $isData = it.opts.$data && $schema && $schema.$data, $schemaValue; if ($isData) { out += " var schema" + $lvl + " = " + it.util.getData($schema.$data, $dataLvl, it.dataPathArr) + "; "; $schemaValue = "schema" + $lvl; } else { $schemaValue = $schema; } if (!($isData || typeof $schema == "number")) { throw new Error($keyword + " must be number"); } var $op = $keyword == "maxLength" ? ">" : "<"; out += "if ( "; if ($isData) { out += " (" + $schemaValue + " !== undefined && typeof " + $schemaValue + " != 'number') || "; } if (it.opts.unicode === false) { out += " " + $data + ".length "; } else { out += " ucs2length(" + $data + ") "; } out += " " + $op + " " + $schemaValue + ") { "; var $errorKeyword = $keyword; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: '" + ($errorKeyword || "_limitLength") + "' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { limit: " + $schemaValue + " } "; if (it.opts.messages !== false) { out += " , message: 'should NOT be "; if ($keyword == "maxLength") { out += "longer"; } else { out += "shorter"; } out += " than "; if ($isData) { out += "' + " + $schemaValue + " + '"; } else { out += "" + $schema; } out += " characters' "; } if (it.opts.verbose) { out += " , schema: "; if ($isData) { out += "validate.schema" + $schemaPath; } else { out += "" + $schema; } out += " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += "} "; if ($breakOnError) { out += " else { "; } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/_limitProperties.js var require_limitProperties = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/_limitProperties.js"(exports2, module2) { "use strict"; module2.exports = function generate__limitProperties(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $errorKeyword; var $data = "data" + ($dataLvl || ""); var $isData = it.opts.$data && $schema && $schema.$data, $schemaValue; if ($isData) { out += " var schema" + $lvl + " = " + it.util.getData($schema.$data, $dataLvl, it.dataPathArr) + "; "; $schemaValue = "schema" + $lvl; } else { $schemaValue = $schema; } if (!($isData || typeof $schema == "number")) { throw new Error($keyword + " must be number"); } var $op = $keyword == "maxProperties" ? ">" : "<"; out += "if ( "; if ($isData) { out += " (" + $schemaValue + " !== undefined && typeof " + $schemaValue + " != 'number') || "; } out += " Object.keys(" + $data + ").length " + $op + " " + $schemaValue + ") { "; var $errorKeyword = $keyword; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: '" + ($errorKeyword || "_limitProperties") + "' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { limit: " + $schemaValue + " } "; if (it.opts.messages !== false) { out += " , message: 'should NOT have "; if ($keyword == "maxProperties") { out += "more"; } else { out += "fewer"; } out += " than "; if ($isData) { out += "' + " + $schemaValue + " + '"; } else { out += "" + $schema; } out += " properties' "; } if (it.opts.verbose) { out += " , schema: "; if ($isData) { out += "validate.schema" + $schemaPath; } else { out += "" + $schema; } out += " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += "} "; if ($breakOnError) { out += " else { "; } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/multipleOf.js var require_multipleOf = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/multipleOf.js"(exports2, module2) { "use strict"; module2.exports = function generate_multipleOf(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $data = "data" + ($dataLvl || ""); var $isData = it.opts.$data && $schema && $schema.$data, $schemaValue; if ($isData) { out += " var schema" + $lvl + " = " + it.util.getData($schema.$data, $dataLvl, it.dataPathArr) + "; "; $schemaValue = "schema" + $lvl; } else { $schemaValue = $schema; } if (!($isData || typeof $schema == "number")) { throw new Error($keyword + " must be number"); } out += "var division" + $lvl + ";if ("; if ($isData) { out += " " + $schemaValue + " !== undefined && ( typeof " + $schemaValue + " != 'number' || "; } out += " (division" + $lvl + " = " + $data + " / " + $schemaValue + ", "; if (it.opts.multipleOfPrecision) { out += " Math.abs(Math.round(division" + $lvl + ") - division" + $lvl + ") > 1e-" + it.opts.multipleOfPrecision + " "; } else { out += " division" + $lvl + " !== parseInt(division" + $lvl + ") "; } out += " ) "; if ($isData) { out += " ) "; } out += " ) { "; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: 'multipleOf' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { multipleOf: " + $schemaValue + " } "; if (it.opts.messages !== false) { out += " , message: 'should be multiple of "; if ($isData) { out += "' + " + $schemaValue; } else { out += "" + $schemaValue + "'"; } } if (it.opts.verbose) { out += " , schema: "; if ($isData) { out += "validate.schema" + $schemaPath; } else { out += "" + $schema; } out += " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += "} "; if ($breakOnError) { out += " else { "; } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/not.js var require_not = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/not.js"(exports2, module2) { "use strict"; module2.exports = function generate_not(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $data = "data" + ($dataLvl || ""); var $errs = "errs__" + $lvl; var $it = it.util.copy(it); $it.level++; var $nextValid = "valid" + $it.level; if (it.opts.strictKeywords ? typeof $schema == "object" && Object.keys($schema).length > 0 || $schema === false : it.util.schemaHasRules($schema, it.RULES.all)) { $it.schema = $schema; $it.schemaPath = $schemaPath; $it.errSchemaPath = $errSchemaPath; out += " var " + $errs + " = errors; "; var $wasComposite = it.compositeRule; it.compositeRule = $it.compositeRule = true; $it.createErrors = false; var $allErrorsOption; if ($it.opts.allErrors) { $allErrorsOption = $it.opts.allErrors; $it.opts.allErrors = false; } out += " " + it.validate($it) + " "; $it.createErrors = true; if ($allErrorsOption) $it.opts.allErrors = $allErrorsOption; it.compositeRule = $it.compositeRule = $wasComposite; out += " if (" + $nextValid + ") { "; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: 'not' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: {} "; if (it.opts.messages !== false) { out += " , message: 'should NOT be valid' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += " } else { errors = " + $errs + "; if (vErrors !== null) { if (" + $errs + ") vErrors.length = " + $errs + "; else vErrors = null; } "; if (it.opts.allErrors) { out += " } "; } } else { out += " var err = "; if (it.createErrors !== false) { out += " { keyword: 'not' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: {} "; if (it.opts.messages !== false) { out += " , message: 'should NOT be valid' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } out += "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; if ($breakOnError) { out += " if (false) { "; } } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/oneOf.js var require_oneOf = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/oneOf.js"(exports2, module2) { "use strict"; module2.exports = function generate_oneOf(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $data = "data" + ($dataLvl || ""); var $valid = "valid" + $lvl; var $errs = "errs__" + $lvl; var $it = it.util.copy(it); var $closingBraces = ""; $it.level++; var $nextValid = "valid" + $it.level; var $currentBaseId = $it.baseId, $prevValid = "prevValid" + $lvl, $passingSchemas = "passingSchemas" + $lvl; out += "var " + $errs + " = errors , " + $prevValid + " = false , " + $valid + " = false , " + $passingSchemas + " = null; "; var $wasComposite = it.compositeRule; it.compositeRule = $it.compositeRule = true; var arr1 = $schema; if (arr1) { var $sch, $i = -1, l1 = arr1.length - 1; while ($i < l1) { $sch = arr1[$i += 1]; if (it.opts.strictKeywords ? typeof $sch == "object" && Object.keys($sch).length > 0 || $sch === false : it.util.schemaHasRules($sch, it.RULES.all)) { $it.schema = $sch; $it.schemaPath = $schemaPath + "[" + $i + "]"; $it.errSchemaPath = $errSchemaPath + "/" + $i; out += " " + it.validate($it) + " "; $it.baseId = $currentBaseId; } else { out += " var " + $nextValid + " = true; "; } if ($i) { out += " if (" + $nextValid + " && " + $prevValid + ") { " + $valid + " = false; " + $passingSchemas + " = [" + $passingSchemas + ", " + $i + "]; } else { "; $closingBraces += "}"; } out += " if (" + $nextValid + ") { " + $valid + " = " + $prevValid + " = true; " + $passingSchemas + " = " + $i + "; }"; } } it.compositeRule = $it.compositeRule = $wasComposite; out += "" + $closingBraces + "if (!" + $valid + ") { var err = "; if (it.createErrors !== false) { out += " { keyword: 'oneOf' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { passingSchemas: " + $passingSchemas + " } "; if (it.opts.messages !== false) { out += " , message: 'should match exactly one schema in oneOf' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } out += "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError(vErrors); "; } else { out += " validate.errors = vErrors; return false; "; } } out += "} else { errors = " + $errs + "; if (vErrors !== null) { if (" + $errs + ") vErrors.length = " + $errs + "; else vErrors = null; }"; if (it.opts.allErrors) { out += " } "; } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/pattern.js var require_pattern = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/pattern.js"(exports2, module2) { "use strict"; module2.exports = function generate_pattern(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $data = "data" + ($dataLvl || ""); var $isData = it.opts.$data && $schema && $schema.$data, $schemaValue; if ($isData) { out += " var schema" + $lvl + " = " + it.util.getData($schema.$data, $dataLvl, it.dataPathArr) + "; "; $schemaValue = "schema" + $lvl; } else { $schemaValue = $schema; } var $regexp = $isData ? "(new RegExp(" + $schemaValue + "))" : it.usePattern($schema); out += "if ( "; if ($isData) { out += " (" + $schemaValue + " !== undefined && typeof " + $schemaValue + " != 'string') || "; } out += " !" + $regexp + ".test(" + $data + ") ) { "; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: 'pattern' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { pattern: "; if ($isData) { out += "" + $schemaValue; } else { out += "" + it.util.toQuotedString($schema); } out += " } "; if (it.opts.messages !== false) { out += ` , message: 'should match pattern "`; if ($isData) { out += "' + " + $schemaValue + " + '"; } else { out += "" + it.util.escapeQuotes($schema); } out += `"' `; } if (it.opts.verbose) { out += " , schema: "; if ($isData) { out += "validate.schema" + $schemaPath; } else { out += "" + it.util.toQuotedString($schema); } out += " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += "} "; if ($breakOnError) { out += " else { "; } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/properties.js var require_properties = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/properties.js"(exports2, module2) { "use strict"; module2.exports = function generate_properties(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $data = "data" + ($dataLvl || ""); var $errs = "errs__" + $lvl; var $it = it.util.copy(it); var $closingBraces = ""; $it.level++; var $nextValid = "valid" + $it.level; var $key = "key" + $lvl, $idx = "idx" + $lvl, $dataNxt = $it.dataLevel = it.dataLevel + 1, $nextData = "data" + $dataNxt, $dataProperties = "dataProperties" + $lvl; var $schemaKeys = Object.keys($schema || {}).filter(notProto), $pProperties = it.schema.patternProperties || {}, $pPropertyKeys = Object.keys($pProperties).filter(notProto), $aProperties = it.schema.additionalProperties, $someProperties = $schemaKeys.length || $pPropertyKeys.length, $noAdditional = $aProperties === false, $additionalIsSchema = typeof $aProperties == "object" && Object.keys($aProperties).length, $removeAdditional = it.opts.removeAdditional, $checkAdditional = $noAdditional || $additionalIsSchema || $removeAdditional, $ownProperties = it.opts.ownProperties, $currentBaseId = it.baseId; var $required = it.schema.required; if ($required && !(it.opts.$data && $required.$data) && $required.length < it.opts.loopRequired) { var $requiredHash = it.util.toHash($required); } function notProto(p) { return p !== "__proto__"; } out += "var " + $errs + " = errors;var " + $nextValid + " = true;"; if ($ownProperties) { out += " var " + $dataProperties + " = undefined;"; } if ($checkAdditional) { if ($ownProperties) { out += " " + $dataProperties + " = " + $dataProperties + " || Object.keys(" + $data + "); for (var " + $idx + "=0; " + $idx + "<" + $dataProperties + ".length; " + $idx + "++) { var " + $key + " = " + $dataProperties + "[" + $idx + "]; "; } else { out += " for (var " + $key + " in " + $data + ") { "; } if ($someProperties) { out += " var isAdditional" + $lvl + " = !(false "; if ($schemaKeys.length) { if ($schemaKeys.length > 8) { out += " || validate.schema" + $schemaPath + ".hasOwnProperty(" + $key + ") "; } else { var arr1 = $schemaKeys; if (arr1) { var $propertyKey, i1 = -1, l1 = arr1.length - 1; while (i1 < l1) { $propertyKey = arr1[i1 += 1]; out += " || " + $key + " == " + it.util.toQuotedString($propertyKey) + " "; } } } } if ($pPropertyKeys.length) { var arr2 = $pPropertyKeys; if (arr2) { var $pProperty, $i = -1, l2 = arr2.length - 1; while ($i < l2) { $pProperty = arr2[$i += 1]; out += " || " + it.usePattern($pProperty) + ".test(" + $key + ") "; } } } out += " ); if (isAdditional" + $lvl + ") { "; } if ($removeAdditional == "all") { out += " delete " + $data + "[" + $key + "]; "; } else { var $currentErrorPath = it.errorPath; var $additionalProperty = "' + " + $key + " + '"; if (it.opts._errorDataPathProperty) { it.errorPath = it.util.getPathExpr(it.errorPath, $key, it.opts.jsonPointers); } if ($noAdditional) { if ($removeAdditional) { out += " delete " + $data + "[" + $key + "]; "; } else { out += " " + $nextValid + " = false; "; var $currErrSchemaPath = $errSchemaPath; $errSchemaPath = it.errSchemaPath + "/additionalProperties"; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: 'additionalProperties' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { additionalProperty: '" + $additionalProperty + "' } "; if (it.opts.messages !== false) { out += " , message: '"; if (it.opts._errorDataPathProperty) { out += "is an invalid additional property"; } else { out += "should NOT have additional properties"; } out += "' "; } if (it.opts.verbose) { out += " , schema: false , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } $errSchemaPath = $currErrSchemaPath; if ($breakOnError) { out += " break; "; } } } else if ($additionalIsSchema) { if ($removeAdditional == "failing") { out += " var " + $errs + " = errors; "; var $wasComposite = it.compositeRule; it.compositeRule = $it.compositeRule = true; $it.schema = $aProperties; $it.schemaPath = it.schemaPath + ".additionalProperties"; $it.errSchemaPath = it.errSchemaPath + "/additionalProperties"; $it.errorPath = it.opts._errorDataPathProperty ? it.errorPath : it.util.getPathExpr(it.errorPath, $key, it.opts.jsonPointers); var $passData = $data + "[" + $key + "]"; $it.dataPathArr[$dataNxt] = $key; var $code = it.validate($it); $it.baseId = $currentBaseId; if (it.util.varOccurences($code, $nextData) < 2) { out += " " + it.util.varReplace($code, $nextData, $passData) + " "; } else { out += " var " + $nextData + " = " + $passData + "; " + $code + " "; } out += " if (!" + $nextValid + ") { errors = " + $errs + "; if (validate.errors !== null) { if (errors) validate.errors.length = errors; else validate.errors = null; } delete " + $data + "[" + $key + "]; } "; it.compositeRule = $it.compositeRule = $wasComposite; } else { $it.schema = $aProperties; $it.schemaPath = it.schemaPath + ".additionalProperties"; $it.errSchemaPath = it.errSchemaPath + "/additionalProperties"; $it.errorPath = it.opts._errorDataPathProperty ? it.errorPath : it.util.getPathExpr(it.errorPath, $key, it.opts.jsonPointers); var $passData = $data + "[" + $key + "]"; $it.dataPathArr[$dataNxt] = $key; var $code = it.validate($it); $it.baseId = $currentBaseId; if (it.util.varOccurences($code, $nextData) < 2) { out += " " + it.util.varReplace($code, $nextData, $passData) + " "; } else { out += " var " + $nextData + " = " + $passData + "; " + $code + " "; } if ($breakOnError) { out += " if (!" + $nextValid + ") break; "; } } } it.errorPath = $currentErrorPath; } if ($someProperties) { out += " } "; } out += " } "; if ($breakOnError) { out += " if (" + $nextValid + ") { "; $closingBraces += "}"; } } var $useDefaults = it.opts.useDefaults && !it.compositeRule; if ($schemaKeys.length) { var arr3 = $schemaKeys; if (arr3) { var $propertyKey, i3 = -1, l3 = arr3.length - 1; while (i3 < l3) { $propertyKey = arr3[i3 += 1]; var $sch = $schema[$propertyKey]; if (it.opts.strictKeywords ? typeof $sch == "object" && Object.keys($sch).length > 0 || $sch === false : it.util.schemaHasRules($sch, it.RULES.all)) { var $prop = it.util.getProperty($propertyKey), $passData = $data + $prop, $hasDefault = $useDefaults && $sch.default !== void 0; $it.schema = $sch; $it.schemaPath = $schemaPath + $prop; $it.errSchemaPath = $errSchemaPath + "/" + it.util.escapeFragment($propertyKey); $it.errorPath = it.util.getPath(it.errorPath, $propertyKey, it.opts.jsonPointers); $it.dataPathArr[$dataNxt] = it.util.toQuotedString($propertyKey); var $code = it.validate($it); $it.baseId = $currentBaseId; if (it.util.varOccurences($code, $nextData) < 2) { $code = it.util.varReplace($code, $nextData, $passData); var $useData = $passData; } else { var $useData = $nextData; out += " var " + $nextData + " = " + $passData + "; "; } if ($hasDefault) { out += " " + $code + " "; } else { if ($requiredHash && $requiredHash[$propertyKey]) { out += " if ( " + $useData + " === undefined "; if ($ownProperties) { out += " || ! Object.prototype.hasOwnProperty.call(" + $data + ", '" + it.util.escapeQuotes($propertyKey) + "') "; } out += ") { " + $nextValid + " = false; "; var $currentErrorPath = it.errorPath, $currErrSchemaPath = $errSchemaPath, $missingProperty = it.util.escapeQuotes($propertyKey); if (it.opts._errorDataPathProperty) { it.errorPath = it.util.getPath($currentErrorPath, $propertyKey, it.opts.jsonPointers); } $errSchemaPath = it.errSchemaPath + "/required"; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: 'required' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { missingProperty: '" + $missingProperty + "' } "; if (it.opts.messages !== false) { out += " , message: '"; if (it.opts._errorDataPathProperty) { out += "is a required property"; } else { out += "should have required property \\'" + $missingProperty + "\\'"; } out += "' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } $errSchemaPath = $currErrSchemaPath; it.errorPath = $currentErrorPath; out += " } else { "; } else { if ($breakOnError) { out += " if ( " + $useData + " === undefined "; if ($ownProperties) { out += " || ! Object.prototype.hasOwnProperty.call(" + $data + ", '" + it.util.escapeQuotes($propertyKey) + "') "; } out += ") { " + $nextValid + " = true; } else { "; } else { out += " if (" + $useData + " !== undefined "; if ($ownProperties) { out += " && Object.prototype.hasOwnProperty.call(" + $data + ", '" + it.util.escapeQuotes($propertyKey) + "') "; } out += " ) { "; } } out += " " + $code + " } "; } } if ($breakOnError) { out += " if (" + $nextValid + ") { "; $closingBraces += "}"; } } } } if ($pPropertyKeys.length) { var arr4 = $pPropertyKeys; if (arr4) { var $pProperty, i4 = -1, l4 = arr4.length - 1; while (i4 < l4) { $pProperty = arr4[i4 += 1]; var $sch = $pProperties[$pProperty]; if (it.opts.strictKeywords ? typeof $sch == "object" && Object.keys($sch).length > 0 || $sch === false : it.util.schemaHasRules($sch, it.RULES.all)) { $it.schema = $sch; $it.schemaPath = it.schemaPath + ".patternProperties" + it.util.getProperty($pProperty); $it.errSchemaPath = it.errSchemaPath + "/patternProperties/" + it.util.escapeFragment($pProperty); if ($ownProperties) { out += " " + $dataProperties + " = " + $dataProperties + " || Object.keys(" + $data + "); for (var " + $idx + "=0; " + $idx + "<" + $dataProperties + ".length; " + $idx + "++) { var " + $key + " = " + $dataProperties + "[" + $idx + "]; "; } else { out += " for (var " + $key + " in " + $data + ") { "; } out += " if (" + it.usePattern($pProperty) + ".test(" + $key + ")) { "; $it.errorPath = it.util.getPathExpr(it.errorPath, $key, it.opts.jsonPointers); var $passData = $data + "[" + $key + "]"; $it.dataPathArr[$dataNxt] = $key; var $code = it.validate($it); $it.baseId = $currentBaseId; if (it.util.varOccurences($code, $nextData) < 2) { out += " " + it.util.varReplace($code, $nextData, $passData) + " "; } else { out += " var " + $nextData + " = " + $passData + "; " + $code + " "; } if ($breakOnError) { out += " if (!" + $nextValid + ") break; "; } out += " } "; if ($breakOnError) { out += " else " + $nextValid + " = true; "; } out += " } "; if ($breakOnError) { out += " if (" + $nextValid + ") { "; $closingBraces += "}"; } } } } } if ($breakOnError) { out += " " + $closingBraces + " if (" + $errs + " == errors) {"; } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/propertyNames.js var require_propertyNames = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/propertyNames.js"(exports2, module2) { "use strict"; module2.exports = function generate_propertyNames(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $data = "data" + ($dataLvl || ""); var $errs = "errs__" + $lvl; var $it = it.util.copy(it); var $closingBraces = ""; $it.level++; var $nextValid = "valid" + $it.level; out += "var " + $errs + " = errors;"; if (it.opts.strictKeywords ? typeof $schema == "object" && Object.keys($schema).length > 0 || $schema === false : it.util.schemaHasRules($schema, it.RULES.all)) { $it.schema = $schema; $it.schemaPath = $schemaPath; $it.errSchemaPath = $errSchemaPath; var $key = "key" + $lvl, $idx = "idx" + $lvl, $i = "i" + $lvl, $invalidName = "' + " + $key + " + '", $dataNxt = $it.dataLevel = it.dataLevel + 1, $nextData = "data" + $dataNxt, $dataProperties = "dataProperties" + $lvl, $ownProperties = it.opts.ownProperties, $currentBaseId = it.baseId; if ($ownProperties) { out += " var " + $dataProperties + " = undefined; "; } if ($ownProperties) { out += " " + $dataProperties + " = " + $dataProperties + " || Object.keys(" + $data + "); for (var " + $idx + "=0; " + $idx + "<" + $dataProperties + ".length; " + $idx + "++) { var " + $key + " = " + $dataProperties + "[" + $idx + "]; "; } else { out += " for (var " + $key + " in " + $data + ") { "; } out += " var startErrs" + $lvl + " = errors; "; var $passData = $key; var $wasComposite = it.compositeRule; it.compositeRule = $it.compositeRule = true; var $code = it.validate($it); $it.baseId = $currentBaseId; if (it.util.varOccurences($code, $nextData) < 2) { out += " " + it.util.varReplace($code, $nextData, $passData) + " "; } else { out += " var " + $nextData + " = " + $passData + "; " + $code + " "; } it.compositeRule = $it.compositeRule = $wasComposite; out += " if (!" + $nextValid + ") { for (var " + $i + "=startErrs" + $lvl + "; " + $i + " 0 || $propertySch === false : it.util.schemaHasRules($propertySch, it.RULES.all)))) { $required[$required.length] = $property; } } } } else { var $required = $schema; } } if ($isData || $required.length) { var $currentErrorPath = it.errorPath, $loopRequired = $isData || $required.length >= it.opts.loopRequired, $ownProperties = it.opts.ownProperties; if ($breakOnError) { out += " var missing" + $lvl + "; "; if ($loopRequired) { if (!$isData) { out += " var " + $vSchema + " = validate.schema" + $schemaPath + "; "; } var $i = "i" + $lvl, $propertyPath = "schema" + $lvl + "[" + $i + "]", $missingProperty = "' + " + $propertyPath + " + '"; if (it.opts._errorDataPathProperty) { it.errorPath = it.util.getPathExpr($currentErrorPath, $propertyPath, it.opts.jsonPointers); } out += " var " + $valid + " = true; "; if ($isData) { out += " if (schema" + $lvl + " === undefined) " + $valid + " = true; else if (!Array.isArray(schema" + $lvl + ")) " + $valid + " = false; else {"; } out += " for (var " + $i + " = 0; " + $i + " < " + $vSchema + ".length; " + $i + "++) { " + $valid + " = " + $data + "[" + $vSchema + "[" + $i + "]] !== undefined "; if ($ownProperties) { out += " && Object.prototype.hasOwnProperty.call(" + $data + ", " + $vSchema + "[" + $i + "]) "; } out += "; if (!" + $valid + ") break; } "; if ($isData) { out += " } "; } out += " if (!" + $valid + ") { "; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: 'required' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { missingProperty: '" + $missingProperty + "' } "; if (it.opts.messages !== false) { out += " , message: '"; if (it.opts._errorDataPathProperty) { out += "is a required property"; } else { out += "should have required property \\'" + $missingProperty + "\\'"; } out += "' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += " } else { "; } else { out += " if ( "; var arr2 = $required; if (arr2) { var $propertyKey, $i = -1, l2 = arr2.length - 1; while ($i < l2) { $propertyKey = arr2[$i += 1]; if ($i) { out += " || "; } var $prop = it.util.getProperty($propertyKey), $useData = $data + $prop; out += " ( ( " + $useData + " === undefined "; if ($ownProperties) { out += " || ! Object.prototype.hasOwnProperty.call(" + $data + ", '" + it.util.escapeQuotes($propertyKey) + "') "; } out += ") && (missing" + $lvl + " = " + it.util.toQuotedString(it.opts.jsonPointers ? $propertyKey : $prop) + ") ) "; } } out += ") { "; var $propertyPath = "missing" + $lvl, $missingProperty = "' + " + $propertyPath + " + '"; if (it.opts._errorDataPathProperty) { it.errorPath = it.opts.jsonPointers ? it.util.getPathExpr($currentErrorPath, $propertyPath, true) : $currentErrorPath + " + " + $propertyPath; } var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: 'required' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { missingProperty: '" + $missingProperty + "' } "; if (it.opts.messages !== false) { out += " , message: '"; if (it.opts._errorDataPathProperty) { out += "is a required property"; } else { out += "should have required property \\'" + $missingProperty + "\\'"; } out += "' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += " } else { "; } } else { if ($loopRequired) { if (!$isData) { out += " var " + $vSchema + " = validate.schema" + $schemaPath + "; "; } var $i = "i" + $lvl, $propertyPath = "schema" + $lvl + "[" + $i + "]", $missingProperty = "' + " + $propertyPath + " + '"; if (it.opts._errorDataPathProperty) { it.errorPath = it.util.getPathExpr($currentErrorPath, $propertyPath, it.opts.jsonPointers); } if ($isData) { out += " if (" + $vSchema + " && !Array.isArray(" + $vSchema + ")) { var err = "; if (it.createErrors !== false) { out += " { keyword: 'required' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { missingProperty: '" + $missingProperty + "' } "; if (it.opts.messages !== false) { out += " , message: '"; if (it.opts._errorDataPathProperty) { out += "is a required property"; } else { out += "should have required property \\'" + $missingProperty + "\\'"; } out += "' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } out += "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; } else if (" + $vSchema + " !== undefined) { "; } out += " for (var " + $i + " = 0; " + $i + " < " + $vSchema + ".length; " + $i + "++) { if (" + $data + "[" + $vSchema + "[" + $i + "]] === undefined "; if ($ownProperties) { out += " || ! Object.prototype.hasOwnProperty.call(" + $data + ", " + $vSchema + "[" + $i + "]) "; } out += ") { var err = "; if (it.createErrors !== false) { out += " { keyword: 'required' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { missingProperty: '" + $missingProperty + "' } "; if (it.opts.messages !== false) { out += " , message: '"; if (it.opts._errorDataPathProperty) { out += "is a required property"; } else { out += "should have required property \\'" + $missingProperty + "\\'"; } out += "' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } out += "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; } } "; if ($isData) { out += " } "; } } else { var arr3 = $required; if (arr3) { var $propertyKey, i3 = -1, l3 = arr3.length - 1; while (i3 < l3) { $propertyKey = arr3[i3 += 1]; var $prop = it.util.getProperty($propertyKey), $missingProperty = it.util.escapeQuotes($propertyKey), $useData = $data + $prop; if (it.opts._errorDataPathProperty) { it.errorPath = it.util.getPath($currentErrorPath, $propertyKey, it.opts.jsonPointers); } out += " if ( " + $useData + " === undefined "; if ($ownProperties) { out += " || ! Object.prototype.hasOwnProperty.call(" + $data + ", '" + it.util.escapeQuotes($propertyKey) + "') "; } out += ") { var err = "; if (it.createErrors !== false) { out += " { keyword: 'required' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { missingProperty: '" + $missingProperty + "' } "; if (it.opts.messages !== false) { out += " , message: '"; if (it.opts._errorDataPathProperty) { out += "is a required property"; } else { out += "should have required property \\'" + $missingProperty + "\\'"; } out += "' "; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } out += "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; } "; } } } } it.errorPath = $currentErrorPath; } else if ($breakOnError) { out += " if (true) {"; } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/uniqueItems.js var require_uniqueItems = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/uniqueItems.js"(exports2, module2) { "use strict"; module2.exports = function generate_uniqueItems(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $data = "data" + ($dataLvl || ""); var $valid = "valid" + $lvl; var $isData = it.opts.$data && $schema && $schema.$data, $schemaValue; if ($isData) { out += " var schema" + $lvl + " = " + it.util.getData($schema.$data, $dataLvl, it.dataPathArr) + "; "; $schemaValue = "schema" + $lvl; } else { $schemaValue = $schema; } if (($schema || $isData) && it.opts.uniqueItems !== false) { if ($isData) { out += " var " + $valid + "; if (" + $schemaValue + " === false || " + $schemaValue + " === undefined) " + $valid + " = true; else if (typeof " + $schemaValue + " != 'boolean') " + $valid + " = false; else { "; } out += " var i = " + $data + ".length , " + $valid + " = true , j; if (i > 1) { "; var $itemType = it.schema.items && it.schema.items.type, $typeIsArray = Array.isArray($itemType); if (!$itemType || $itemType == "object" || $itemType == "array" || $typeIsArray && ($itemType.indexOf("object") >= 0 || $itemType.indexOf("array") >= 0)) { out += " outer: for (;i--;) { for (j = i; j--;) { if (equal(" + $data + "[i], " + $data + "[j])) { " + $valid + " = false; break outer; } } } "; } else { out += " var itemIndices = {}, item; for (;i--;) { var item = " + $data + "[i]; "; var $method = "checkDataType" + ($typeIsArray ? "s" : ""); out += " if (" + it.util[$method]($itemType, "item", it.opts.strictNumbers, true) + ") continue; "; if ($typeIsArray) { out += ` if (typeof item == 'string') item = '"' + item; `; } out += " if (typeof itemIndices[item] == 'number') { " + $valid + " = false; j = itemIndices[item]; break; } itemIndices[item] = i; } "; } out += " } "; if ($isData) { out += " } "; } out += " if (!" + $valid + ") { "; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: 'uniqueItems' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { i: i, j: j } "; if (it.opts.messages !== false) { out += " , message: 'should NOT have duplicate items (items ## ' + j + ' and ' + i + ' are identical)' "; } if (it.opts.verbose) { out += " , schema: "; if ($isData) { out += "validate.schema" + $schemaPath; } else { out += "" + $schema; } out += " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } out += " } "; if ($breakOnError) { out += " else { "; } } else { if ($breakOnError) { out += " if (true) { "; } } return out; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/index.js var require_dotjs = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/index.js"(exports2, module2) { "use strict"; module2.exports = { "$ref": require_ref(), allOf: require_allOf(), anyOf: require_anyOf(), "$comment": require_comment(), const: require_const(), contains: require_contains(), dependencies: require_dependencies(), "enum": require_enum(), format: require_format(), "if": require_if(), items: require_items(), maximum: require_limit(), minimum: require_limit(), maxItems: require_limitItems(), minItems: require_limitItems(), maxLength: require_limitLength(), minLength: require_limitLength(), maxProperties: require_limitProperties(), minProperties: require_limitProperties(), multipleOf: require_multipleOf(), not: require_not(), oneOf: require_oneOf(), pattern: require_pattern(), properties: require_properties(), propertyNames: require_propertyNames(), required: require_required(), uniqueItems: require_uniqueItems(), validate: require_validate() }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/rules.js var require_rules = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/rules.js"(exports2, module2) { "use strict"; var ruleModules = require_dotjs(); var toHash = require_util().toHash; module2.exports = function rules() { var RULES = [ { type: "number", rules: [ { "maximum": ["exclusiveMaximum"] }, { "minimum": ["exclusiveMinimum"] }, "multipleOf", "format" ] }, { type: "string", rules: ["maxLength", "minLength", "pattern", "format"] }, { type: "array", rules: ["maxItems", "minItems", "items", "contains", "uniqueItems"] }, { type: "object", rules: [ "maxProperties", "minProperties", "required", "dependencies", "propertyNames", { "properties": ["additionalProperties", "patternProperties"] } ] }, { rules: ["$ref", "const", "enum", "not", "anyOf", "oneOf", "allOf", "if"] } ]; var ALL = ["type", "$comment"]; var KEYWORDS = [ "$schema", "$id", "id", "$data", "$async", "title", "description", "default", "definitions", "examples", "readOnly", "writeOnly", "contentMediaType", "contentEncoding", "additionalItems", "then", "else" ]; var TYPES = ["number", "integer", "string", "array", "object", "boolean", "null"]; RULES.all = toHash(ALL); RULES.types = toHash(TYPES); RULES.forEach(function(group) { group.rules = group.rules.map(function(keyword) { var implKeywords; if (typeof keyword == "object") { var key = Object.keys(keyword)[0]; implKeywords = keyword[key]; keyword = key; implKeywords.forEach(function(k) { ALL.push(k); RULES.all[k] = true; }); } ALL.push(keyword); var rule = RULES.all[keyword] = { keyword, code: ruleModules[keyword], implements: implKeywords }; return rule; }); RULES.all.$comment = { keyword: "$comment", code: ruleModules.$comment }; if (group.type) RULES.types[group.type] = group; }); RULES.keywords = toHash(ALL.concat(KEYWORDS)); RULES.custom = {}; return RULES; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/data.js var require_data = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/data.js"(exports2, module2) { "use strict"; var KEYWORDS = [ "multipleOf", "maximum", "exclusiveMaximum", "minimum", "exclusiveMinimum", "maxLength", "minLength", "pattern", "additionalItems", "maxItems", "minItems", "uniqueItems", "maxProperties", "minProperties", "required", "additionalProperties", "enum", "format", "const" ]; module2.exports = function(metaSchema2, keywordsJsonPointers) { for (var i = 0; i < keywordsJsonPointers.length; i++) { metaSchema2 = JSON.parse(JSON.stringify(metaSchema2)); var segments = keywordsJsonPointers[i].split("/"); var keywords = metaSchema2; var j; for (j = 1; j < segments.length; j++) keywords = keywords[segments[j]]; for (j = 0; j < KEYWORDS.length; j++) { var key = KEYWORDS[j]; var schema30 = keywords[key]; if (schema30) { keywords[key] = { anyOf: [ schema30, { $ref: "https://raw.githubusercontent.com/ajv-validator/ajv/master/lib/refs/data.json#" } ] }; } } } return metaSchema2; }; } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/async.js var require_async = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/compile/async.js"(exports2, module2) { "use strict"; var MissingRefError = require_error_classes().MissingRef; module2.exports = compileAsync; function compileAsync(schema30, meta, callback) { var self2 = this; if (typeof this._opts.loadSchema != "function") throw new Error("options.loadSchema should be a function"); if (typeof meta == "function") { callback = meta; meta = void 0; } var p = loadMetaSchemaOf(schema30).then(function() { var schemaObj = self2._addSchema(schema30, void 0, meta); return schemaObj.validate || _compileAsync(schemaObj); }); if (callback) { p.then( function(v) { callback(null, v); }, callback ); } return p; function loadMetaSchemaOf(sch) { var $schema = sch.$schema; return $schema && !self2.getSchema($schema) ? compileAsync.call(self2, { $ref: $schema }, true) : Promise.resolve(); } function _compileAsync(schemaObj) { try { return self2._compile(schemaObj); } catch (e) { if (e instanceof MissingRefError) return loadMissingSchema(e); throw e; } function loadMissingSchema(e) { var ref = e.missingSchema; if (added(ref)) throw new Error("Schema " + ref + " is loaded but " + e.missingRef + " cannot be resolved"); var schemaPromise = self2._loadingSchemas[ref]; if (!schemaPromise) { schemaPromise = self2._loadingSchemas[ref] = self2._opts.loadSchema(ref); schemaPromise.then(removePromise, removePromise); } return schemaPromise.then(function(sch) { if (!added(ref)) { return loadMetaSchemaOf(sch).then(function() { if (!added(ref)) self2.addSchema(sch, ref, void 0, meta); }); } }).then(function() { return _compileAsync(schemaObj); }); function removePromise() { delete self2._loadingSchemas[ref]; } function added(ref2) { return self2._refs[ref2] || self2._schemas[ref2]; } } } } } }); // node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/custom.js var require_custom = __commonJS({ "node_modules/.pnpm/ajv@6.12.6/node_modules/ajv/lib/dotjs/custom.js"(exports2, module2) { "use strict"; module2.exports = function generate_custom(it, $keyword, $ruleType) { var out = " "; var $lvl = it.level; var $dataLvl = it.dataLevel; var $schema = it.schema[$keyword]; var $schemaPath = it.schemaPath + it.util.getProperty($keyword); var $errSchemaPath = it.errSchemaPath + "/" + $keyword; var $breakOnError = !it.opts.allErrors; var $errorKeyword; var $data = "data" + ($dataLvl || ""); var $valid = "valid" + $lvl; var $errs = "errs__" + $lvl; var $isData = it.opts.$data && $schema && $schema.$data, $schemaValue; if ($isData) { out += " var schema" + $lvl + " = " + it.util.getData($schema.$data, $dataLvl, it.dataPathArr) + "; "; $schemaValue = "schema" + $lvl; } else { $schemaValue = $schema; } var $rule = this, $definition = "definition" + $lvl, $rDef = $rule.definition, $closingBraces = ""; var $compile, $inline, $macro, $ruleValidate, $validateCode; if ($isData && $rDef.$data) { $validateCode = "keywordValidate" + $lvl; var $validateSchema = $rDef.validateSchema; out += " var " + $definition + " = RULES.custom['" + $keyword + "'].definition; var " + $validateCode + " = " + $definition + ".validate;"; } else { $ruleValidate = it.useCustomRule($rule, $schema, it.schema, it); if (!$ruleValidate) return; $schemaValue = "validate.schema" + $schemaPath; $validateCode = $ruleValidate.code; $compile = $rDef.compile; $inline = $rDef.inline; $macro = $rDef.macro; } var $ruleErrs = $validateCode + ".errors", $i = "i" + $lvl, $ruleErr = "ruleErr" + $lvl, $asyncKeyword = $rDef.async; if ($asyncKeyword && !it.async) throw new Error("async keyword in sync schema"); if (!($inline || $macro)) { out += "" + $ruleErrs + " = null;"; } out += "var " + $errs + " = errors;var " + $valid + ";"; if ($isData && $rDef.$data) { $closingBraces += "}"; out += " if (" + $schemaValue + " === undefined) { " + $valid + " = true; } else { "; if ($validateSchema) { $closingBraces += "}"; out += " " + $valid + " = " + $definition + ".validateSchema(" + $schemaValue + "); if (" + $valid + ") { "; } } if ($inline) { if ($rDef.statements) { out += " " + $ruleValidate.validate + " "; } else { out += " " + $valid + " = " + $ruleValidate.validate + "; "; } } else if ($macro) { var $it = it.util.copy(it); var $closingBraces = ""; $it.level++; var $nextValid = "valid" + $it.level; $it.schema = $ruleValidate.validate; $it.schemaPath = ""; var $wasComposite = it.compositeRule; it.compositeRule = $it.compositeRule = true; var $code = it.validate($it).replace(/validate\.schema/g, $validateCode); it.compositeRule = $it.compositeRule = $wasComposite; out += " " + $code; } else { var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; out += " " + $validateCode + ".call( "; if (it.opts.passContext) { out += "this"; } else { out += "self"; } if ($compile || $rDef.schema === false) { out += " , " + $data + " "; } else { out += " , " + $schemaValue + " , " + $data + " , validate.schema" + it.schemaPath + " "; } out += " , (dataPath || '')"; if (it.errorPath != '""') { out += " + " + it.errorPath; } var $parentData = $dataLvl ? "data" + ($dataLvl - 1 || "") : "parentData", $parentDataProperty = $dataLvl ? it.dataPathArr[$dataLvl] : "parentDataProperty"; out += " , " + $parentData + " , " + $parentDataProperty + " , rootData ) "; var def_callRuleValidate = out; out = $$outStack.pop(); if ($rDef.errors === false) { out += " " + $valid + " = "; if ($asyncKeyword) { out += "await "; } out += "" + def_callRuleValidate + "; "; } else { if ($asyncKeyword) { $ruleErrs = "customErrors" + $lvl; out += " var " + $ruleErrs + " = null; try { " + $valid + " = await " + def_callRuleValidate + "; } catch (e) { " + $valid + " = false; if (e instanceof ValidationError) " + $ruleErrs + " = e.errors; else throw e; } "; } else { out += " " + $ruleErrs + " = null; " + $valid + " = " + def_callRuleValidate + "; "; } } } if ($rDef.modifying) { out += " if (" + $parentData + ") " + $data + " = " + $parentData + "[" + $parentDataProperty + "];"; } out += "" + $closingBraces; if ($rDef.valid) { if ($breakOnError) { out += " if (true) { "; } } else { out += " if ( "; if ($rDef.valid === void 0) { out += " !"; if ($macro) { out += "" + $nextValid; } else { out += "" + $valid; } } else { out += " " + !$rDef.valid + " "; } out += ") { "; $errorKeyword = $rule.keyword; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; var $$outStack = $$outStack || []; $$outStack.push(out); out = ""; if (it.createErrors !== false) { out += " { keyword: '" + ($errorKeyword || "custom") + "' , dataPath: (dataPath || '') + " + it.errorPath + " , schemaPath: " + it.util.toQuotedString($errSchemaPath) + " , params: { keyword: '" + $rule.keyword + "' } "; if (it.opts.messages !== false) { out += ` , message: 'should pass "` + $rule.keyword + `" keyword validation' `; } if (it.opts.verbose) { out += " , schema: validate.schema" + $schemaPath + " , parentSchema: validate.schema" + it.schemaPath + " , data: " + $data + " "; } out += " } "; } else { out += " {} "; } var __err = out; out = $$outStack.pop(); if (!it.compositeRule && $breakOnError) { if (it.async) { out += " throw new ValidationError([" + __err + "]); "; } else { out += " validate.errors = [" + __err + "]; return false; "; } } else { out += " var err = " + __err + "; if (vErrors === null) vErrors = [err]; else vErrors.push(err); errors++; "; } var def_customError = out; out = $$outStack.pop(); if ($inline) { if ($rDef.errors) { if ($rDef.errors != "full") { out += " for (var " + $i + "=" + $errs + "; " + $i + " 1) { h -= 1; } } return [ h * 360, s * 100, v * 100 ]; }; convert.rgb.hwb = function(rgb) { const r = rgb[0]; const g = rgb[1]; let b = rgb[2]; const h = convert.rgb.hsl(rgb)[0]; const w = 1 / 255 * Math.min(r, Math.min(g, b)); b = 1 - 1 / 255 * Math.max(r, Math.max(g, b)); return [h, w * 100, b * 100]; }; convert.rgb.cmyk = function(rgb) { const r = rgb[0] / 255; const g = rgb[1] / 255; const b = rgb[2] / 255; const k = Math.min(1 - r, 1 - g, 1 - b); const c = (1 - r - k) / (1 - k) || 0; const m = (1 - g - k) / (1 - k) || 0; const y = (1 - b - k) / (1 - k) || 0; return [c * 100, m * 100, y * 100, k * 100]; }; function comparativeDistance(x, y) { return (x[0] - y[0]) ** 2 + (x[1] - y[1]) ** 2 + (x[2] - y[2]) ** 2; } convert.rgb.keyword = function(rgb) { const reversed = reverseKeywords[rgb]; if (reversed) { return reversed; } let currentClosestDistance = Infinity; let currentClosestKeyword; for (const keyword of Object.keys(cssKeywords)) { const value = cssKeywords[keyword]; const distance = comparativeDistance(rgb, value); if (distance < currentClosestDistance) { currentClosestDistance = distance; currentClosestKeyword = keyword; } } return currentClosestKeyword; }; convert.keyword.rgb = function(keyword) { return cssKeywords[keyword]; }; convert.rgb.xyz = function(rgb) { let r = rgb[0] / 255; let g = rgb[1] / 255; let b = rgb[2] / 255; r = r > 0.04045 ? ((r + 0.055) / 1.055) ** 2.4 : r / 12.92; g = g > 0.04045 ? ((g + 0.055) / 1.055) ** 2.4 : g / 12.92; b = b > 0.04045 ? ((b + 0.055) / 1.055) ** 2.4 : b / 12.92; const x = r * 0.4124 + g * 0.3576 + b * 0.1805; const y = r * 0.2126 + g * 0.7152 + b * 0.0722; const z2 = r * 0.0193 + g * 0.1192 + b * 0.9505; return [x * 100, y * 100, z2 * 100]; }; convert.rgb.lab = function(rgb) { const xyz = convert.rgb.xyz(rgb); let x = xyz[0]; let y = xyz[1]; let z2 = xyz[2]; x /= 95.047; y /= 100; z2 /= 108.883; x = x > 8856e-6 ? x ** (1 / 3) : 7.787 * x + 16 / 116; y = y > 8856e-6 ? y ** (1 / 3) : 7.787 * y + 16 / 116; z2 = z2 > 8856e-6 ? z2 ** (1 / 3) : 7.787 * z2 + 16 / 116; const l = 116 * y - 16; const a = 500 * (x - y); const b = 200 * (y - z2); return [l, a, b]; }; convert.hsl.rgb = function(hsl) { const h = hsl[0] / 360; const s = hsl[1] / 100; const l = hsl[2] / 100; let t2; let t3; let val; if (s === 0) { val = l * 255; return [val, val, val]; } if (l < 0.5) { t2 = l * (1 + s); } else { t2 = l + s - l * s; } const t1 = 2 * l - t2; const rgb = [0, 0, 0]; for (let i = 0; i < 3; i++) { t3 = h + 1 / 3 * -(i - 1); if (t3 < 0) { t3++; } if (t3 > 1) { t3--; } if (6 * t3 < 1) { val = t1 + (t2 - t1) * 6 * t3; } else if (2 * t3 < 1) { val = t2; } else if (3 * t3 < 2) { val = t1 + (t2 - t1) * (2 / 3 - t3) * 6; } else { val = t1; } rgb[i] = val * 255; } return rgb; }; convert.hsl.hsv = function(hsl) { const h = hsl[0]; let s = hsl[1] / 100; let l = hsl[2] / 100; let smin = s; const lmin = Math.max(l, 0.01); l *= 2; s *= l <= 1 ? l : 2 - l; smin *= lmin <= 1 ? lmin : 2 - lmin; const v = (l + s) / 2; const sv = l === 0 ? 2 * smin / (lmin + smin) : 2 * s / (l + s); return [h, sv * 100, v * 100]; }; convert.hsv.rgb = function(hsv) { const h = hsv[0] / 60; const s = hsv[1] / 100; let v = hsv[2] / 100; const hi = Math.floor(h) % 6; const f = h - Math.floor(h); const p = 255 * v * (1 - s); const q = 255 * v * (1 - s * f); const t = 255 * v * (1 - s * (1 - f)); v *= 255; switch (hi) { case 0: return [v, t, p]; case 1: return [q, v, p]; case 2: return [p, v, t]; case 3: return [p, q, v]; case 4: return [t, p, v]; case 5: return [v, p, q]; } }; convert.hsv.hsl = function(hsv) { const h = hsv[0]; const s = hsv[1] / 100; const v = hsv[2] / 100; const vmin = Math.max(v, 0.01); let sl; let l; l = (2 - s) * v; const lmin = (2 - s) * vmin; sl = s * vmin; sl /= lmin <= 1 ? lmin : 2 - lmin; sl = sl || 0; l /= 2; return [h, sl * 100, l * 100]; }; convert.hwb.rgb = function(hwb) { const h = hwb[0] / 360; let wh = hwb[1] / 100; let bl = hwb[2] / 100; const ratio = wh + bl; let f; if (ratio > 1) { wh /= ratio; bl /= ratio; } const i = Math.floor(6 * h); const v = 1 - bl; f = 6 * h - i; if ((i & 1) !== 0) { f = 1 - f; } const n = wh + f * (v - wh); let r; let g; let b; switch (i) { default: case 6: case 0: r = v; g = n; b = wh; break; case 1: r = n; g = v; b = wh; break; case 2: r = wh; g = v; b = n; break; case 3: r = wh; g = n; b = v; break; case 4: r = n; g = wh; b = v; break; case 5: r = v; g = wh; b = n; break; } return [r * 255, g * 255, b * 255]; }; convert.cmyk.rgb = function(cmyk) { const c = cmyk[0] / 100; const m = cmyk[1] / 100; const y = cmyk[2] / 100; const k = cmyk[3] / 100; const r = 1 - Math.min(1, c * (1 - k) + k); const g = 1 - Math.min(1, m * (1 - k) + k); const b = 1 - Math.min(1, y * (1 - k) + k); return [r * 255, g * 255, b * 255]; }; convert.xyz.rgb = function(xyz) { const x = xyz[0] / 100; const y = xyz[1] / 100; const z2 = xyz[2] / 100; let r; let g; let b; r = x * 3.2406 + y * -1.5372 + z2 * -0.4986; g = x * -0.9689 + y * 1.8758 + z2 * 0.0415; b = x * 0.0557 + y * -0.204 + z2 * 1.057; r = r > 31308e-7 ? 1.055 * r ** (1 / 2.4) - 0.055 : r * 12.92; g = g > 31308e-7 ? 1.055 * g ** (1 / 2.4) - 0.055 : g * 12.92; b = b > 31308e-7 ? 1.055 * b ** (1 / 2.4) - 0.055 : b * 12.92; r = Math.min(Math.max(0, r), 1); g = Math.min(Math.max(0, g), 1); b = Math.min(Math.max(0, b), 1); return [r * 255, g * 255, b * 255]; }; convert.xyz.lab = function(xyz) { let x = xyz[0]; let y = xyz[1]; let z2 = xyz[2]; x /= 95.047; y /= 100; z2 /= 108.883; x = x > 8856e-6 ? x ** (1 / 3) : 7.787 * x + 16 / 116; y = y > 8856e-6 ? y ** (1 / 3) : 7.787 * y + 16 / 116; z2 = z2 > 8856e-6 ? z2 ** (1 / 3) : 7.787 * z2 + 16 / 116; const l = 116 * y - 16; const a = 500 * (x - y); const b = 200 * (y - z2); return [l, a, b]; }; convert.lab.xyz = function(lab) { const l = lab[0]; const a = lab[1]; const b = lab[2]; let x; let y; let z2; y = (l + 16) / 116; x = a / 500 + y; z2 = y - b / 200; const y2 = y ** 3; const x2 = x ** 3; const z22 = z2 ** 3; y = y2 > 8856e-6 ? y2 : (y - 16 / 116) / 7.787; x = x2 > 8856e-6 ? x2 : (x - 16 / 116) / 7.787; z2 = z22 > 8856e-6 ? z22 : (z2 - 16 / 116) / 7.787; x *= 95.047; y *= 100; z2 *= 108.883; return [x, y, z2]; }; convert.lab.lch = function(lab) { const l = lab[0]; const a = lab[1]; const b = lab[2]; let h; const hr = Math.atan2(b, a); h = hr * 360 / 2 / Math.PI; if (h < 0) { h += 360; } const c = Math.sqrt(a * a + b * b); return [l, c, h]; }; convert.lch.lab = function(lch) { const l = lch[0]; const c = lch[1]; const h = lch[2]; const hr = h / 360 * 2 * Math.PI; const a = c * Math.cos(hr); const b = c * Math.sin(hr); return [l, a, b]; }; convert.rgb.ansi16 = function(args, saturation = null) { const [r, g, b] = args; let value = saturation === null ? convert.rgb.hsv(args)[2] : saturation; value = Math.round(value / 50); if (value === 0) { return 30; } let ansi = 30 + (Math.round(b / 255) << 2 | Math.round(g / 255) << 1 | Math.round(r / 255)); if (value === 2) { ansi += 60; } return ansi; }; convert.hsv.ansi16 = function(args) { return convert.rgb.ansi16(convert.hsv.rgb(args), args[2]); }; convert.rgb.ansi256 = function(args) { const r = args[0]; const g = args[1]; const b = args[2]; if (r === g && g === b) { if (r < 8) { return 16; } if (r > 248) { return 231; } return Math.round((r - 8) / 247 * 24) + 232; } const ansi = 16 + 36 * Math.round(r / 255 * 5) + 6 * Math.round(g / 255 * 5) + Math.round(b / 255 * 5); return ansi; }; convert.ansi16.rgb = function(args) { let color = args % 10; if (color === 0 || color === 7) { if (args > 50) { color += 3.5; } color = color / 10.5 * 255; return [color, color, color]; } const mult = (~~(args > 50) + 1) * 0.5; const r = (color & 1) * mult * 255; const g = (color >> 1 & 1) * mult * 255; const b = (color >> 2 & 1) * mult * 255; return [r, g, b]; }; convert.ansi256.rgb = function(args) { if (args >= 232) { const c = (args - 232) * 10 + 8; return [c, c, c]; } args -= 16; let rem; const r = Math.floor(args / 36) / 5 * 255; const g = Math.floor((rem = args % 36) / 6) / 5 * 255; const b = rem % 6 / 5 * 255; return [r, g, b]; }; convert.rgb.hex = function(args) { const integer = ((Math.round(args[0]) & 255) << 16) + ((Math.round(args[1]) & 255) << 8) + (Math.round(args[2]) & 255); const string = integer.toString(16).toUpperCase(); return "000000".substring(string.length) + string; }; convert.hex.rgb = function(args) { const match = args.toString(16).match(/[a-f0-9]{6}|[a-f0-9]{3}/i); if (!match) { return [0, 0, 0]; } let colorString = match[0]; if (match[0].length === 3) { colorString = colorString.split("").map((char) => { return char + char; }).join(""); } const integer = parseInt(colorString, 16); const r = integer >> 16 & 255; const g = integer >> 8 & 255; const b = integer & 255; return [r, g, b]; }; convert.rgb.hcg = function(rgb) { const r = rgb[0] / 255; const g = rgb[1] / 255; const b = rgb[2] / 255; const max = Math.max(Math.max(r, g), b); const min = Math.min(Math.min(r, g), b); const chroma = max - min; let grayscale; let hue; if (chroma < 1) { grayscale = min / (1 - chroma); } else { grayscale = 0; } if (chroma <= 0) { hue = 0; } else if (max === r) { hue = (g - b) / chroma % 6; } else if (max === g) { hue = 2 + (b - r) / chroma; } else { hue = 4 + (r - g) / chroma; } hue /= 6; hue %= 1; return [hue * 360, chroma * 100, grayscale * 100]; }; convert.hsl.hcg = function(hsl) { const s = hsl[1] / 100; const l = hsl[2] / 100; const c = l < 0.5 ? 2 * s * l : 2 * s * (1 - l); let f = 0; if (c < 1) { f = (l - 0.5 * c) / (1 - c); } return [hsl[0], c * 100, f * 100]; }; convert.hsv.hcg = function(hsv) { const s = hsv[1] / 100; const v = hsv[2] / 100; const c = s * v; let f = 0; if (c < 1) { f = (v - c) / (1 - c); } return [hsv[0], c * 100, f * 100]; }; convert.hcg.rgb = function(hcg) { const h = hcg[0] / 360; const c = hcg[1] / 100; const g = hcg[2] / 100; if (c === 0) { return [g * 255, g * 255, g * 255]; } const pure = [0, 0, 0]; const hi = h % 1 * 6; const v = hi % 1; const w = 1 - v; let mg = 0; switch (Math.floor(hi)) { case 0: pure[0] = 1; pure[1] = v; pure[2] = 0; break; case 1: pure[0] = w; pure[1] = 1; pure[2] = 0; break; case 2: pure[0] = 0; pure[1] = 1; pure[2] = v; break; case 3: pure[0] = 0; pure[1] = w; pure[2] = 1; break; case 4: pure[0] = v; pure[1] = 0; pure[2] = 1; break; default: pure[0] = 1; pure[1] = 0; pure[2] = w; } mg = (1 - c) * g; return [ (c * pure[0] + mg) * 255, (c * pure[1] + mg) * 255, (c * pure[2] + mg) * 255 ]; }; convert.hcg.hsv = function(hcg) { const c = hcg[1] / 100; const g = hcg[2] / 100; const v = c + g * (1 - c); let f = 0; if (v > 0) { f = c / v; } return [hcg[0], f * 100, v * 100]; }; convert.hcg.hsl = function(hcg) { const c = hcg[1] / 100; const g = hcg[2] / 100; const l = g * (1 - c) + 0.5 * c; let s = 0; if (l > 0 && l < 0.5) { s = c / (2 * l); } else if (l >= 0.5 && l < 1) { s = c / (2 * (1 - l)); } return [hcg[0], s * 100, l * 100]; }; convert.hcg.hwb = function(hcg) { const c = hcg[1] / 100; const g = hcg[2] / 100; const v = c + g * (1 - c); return [hcg[0], (v - c) * 100, (1 - v) * 100]; }; convert.hwb.hcg = function(hwb) { const w = hwb[1] / 100; const b = hwb[2] / 100; const v = 1 - b; const c = v - w; let g = 0; if (c < 1) { g = (v - c) / (1 - c); } return [hwb[0], c * 100, g * 100]; }; convert.apple.rgb = function(apple) { return [apple[0] / 65535 * 255, apple[1] / 65535 * 255, apple[2] / 65535 * 255]; }; convert.rgb.apple = function(rgb) { return [rgb[0] / 255 * 65535, rgb[1] / 255 * 65535, rgb[2] / 255 * 65535]; }; convert.gray.rgb = function(args) { return [args[0] / 100 * 255, args[0] / 100 * 255, args[0] / 100 * 255]; }; convert.gray.hsl = function(args) { return [0, 0, args[0]]; }; convert.gray.hsv = convert.gray.hsl; convert.gray.hwb = function(gray) { return [0, 100, gray[0]]; }; convert.gray.cmyk = function(gray) { return [0, 0, 0, gray[0]]; }; convert.gray.lab = function(gray) { return [gray[0], 0, 0]; }; convert.gray.hex = function(gray) { const val = Math.round(gray[0] / 100 * 255) & 255; const integer = (val << 16) + (val << 8) + val; const string = integer.toString(16).toUpperCase(); return "000000".substring(string.length) + string; }; convert.rgb.gray = function(rgb) { const val = (rgb[0] + rgb[1] + rgb[2]) / 3; return [val / 255 * 100]; }; } }); // node_modules/.pnpm/color-convert@2.0.1/node_modules/color-convert/route.js var require_route = __commonJS({ "node_modules/.pnpm/color-convert@2.0.1/node_modules/color-convert/route.js"(exports2, module2) { var conversions = require_conversions(); function buildGraph() { const graph = {}; const models = Object.keys(conversions); for (let len = models.length, i = 0; i < len; i++) { graph[models[i]] = { // http://jsperf.com/1-vs-infinity // micro-opt, but this is simple. distance: -1, parent: null }; } return graph; } function deriveBFS(fromModel) { const graph = buildGraph(); const queue = [fromModel]; graph[fromModel].distance = 0; while (queue.length) { const current = queue.pop(); const adjacents = Object.keys(conversions[current]); for (let len = adjacents.length, i = 0; i < len; i++) { const adjacent = adjacents[i]; const node = graph[adjacent]; if (node.distance === -1) { node.distance = graph[current].distance + 1; node.parent = current; queue.unshift(adjacent); } } } return graph; } function link(from, to) { return function(args) { return to(from(args)); }; } function wrapConversion(toModel, graph) { const path17 = [graph[toModel].parent, toModel]; let fn = conversions[graph[toModel].parent][toModel]; let cur = graph[toModel].parent; while (graph[cur].parent) { path17.unshift(graph[cur].parent); fn = link(conversions[graph[cur].parent][cur], fn); cur = graph[cur].parent; } fn.conversion = path17; return fn; } module2.exports = function(fromModel) { const graph = deriveBFS(fromModel); const conversion = {}; const models = Object.keys(graph); for (let len = models.length, i = 0; i < len; i++) { const toModel = models[i]; const node = graph[toModel]; if (node.parent === null) { continue; } conversion[toModel] = wrapConversion(toModel, graph); } return conversion; }; } }); // node_modules/.pnpm/color-convert@2.0.1/node_modules/color-convert/index.js var require_color_convert = __commonJS({ "node_modules/.pnpm/color-convert@2.0.1/node_modules/color-convert/index.js"(exports2, module2) { var conversions = require_conversions(); var route = require_route(); var convert = {}; var models = Object.keys(conversions); function wrapRaw(fn) { const wrappedFn = function(...args) { const arg0 = args[0]; if (arg0 === void 0 || arg0 === null) { return arg0; } if (arg0.length > 1) { args = arg0; } return fn(args); }; if ("conversion" in fn) { wrappedFn.conversion = fn.conversion; } return wrappedFn; } function wrapRounded(fn) { const wrappedFn = function(...args) { const arg0 = args[0]; if (arg0 === void 0 || arg0 === null) { return arg0; } if (arg0.length > 1) { args = arg0; } const result = fn(args); if (typeof result === "object") { for (let len = result.length, i = 0; i < len; i++) { result[i] = Math.round(result[i]); } } return result; }; if ("conversion" in fn) { wrappedFn.conversion = fn.conversion; } return wrappedFn; } models.forEach((fromModel) => { convert[fromModel] = {}; Object.defineProperty(convert[fromModel], "channels", { value: conversions[fromModel].channels }); Object.defineProperty(convert[fromModel], "labels", { value: conversions[fromModel].labels }); const routes = route(fromModel); const routeModels = Object.keys(routes); routeModels.forEach((toModel) => { const fn = routes[toModel]; convert[fromModel][toModel] = wrapRounded(fn); convert[fromModel][toModel].raw = wrapRaw(fn); }); }); module2.exports = convert; } }); // node_modules/.pnpm/ansi-styles@4.3.0/node_modules/ansi-styles/index.js var require_ansi_styles = __commonJS({ "node_modules/.pnpm/ansi-styles@4.3.0/node_modules/ansi-styles/index.js"(exports2, module2) { "use strict"; var wrapAnsi16 = (fn, offset) => (...args) => { const code = fn(...args); return `\x1B[${code + offset}m`; }; var wrapAnsi256 = (fn, offset) => (...args) => { const code = fn(...args); return `\x1B[${38 + offset};5;${code}m`; }; var wrapAnsi16m = (fn, offset) => (...args) => { const rgb = fn(...args); return `\x1B[${38 + offset};2;${rgb[0]};${rgb[1]};${rgb[2]}m`; }; var ansi2ansi = (n) => n; var rgb2rgb = (r, g, b) => [r, g, b]; var setLazyProperty = (object, property, get) => { Object.defineProperty(object, property, { get: () => { const value = get(); Object.defineProperty(object, property, { value, enumerable: true, configurable: true }); return value; }, enumerable: true, configurable: true }); }; var colorConvert; var makeDynamicStyles = (wrap, targetSpace, identity2, isBackground) => { if (colorConvert === void 0) { colorConvert = require_color_convert(); } const offset = isBackground ? 10 : 0; const styles = {}; for (const [sourceSpace, suite] of Object.entries(colorConvert)) { const name = sourceSpace === "ansi16" ? "ansi" : sourceSpace; if (sourceSpace === targetSpace) { styles[name] = wrap(identity2, offset); } else if (typeof suite === "object") { styles[name] = wrap(suite[targetSpace], offset); } } return styles; }; function assembleStyles() { const codes = /* @__PURE__ */ new Map(); const styles = { modifier: { reset: [0, 0], // 21 isn't widely supported and 22 does the same thing bold: [1, 22], dim: [2, 22], italic: [3, 23], underline: [4, 24], inverse: [7, 27], hidden: [8, 28], strikethrough: [9, 29] }, color: { black: [30, 39], red: [31, 39], green: [32, 39], yellow: [33, 39], blue: [34, 39], magenta: [35, 39], cyan: [36, 39], white: [37, 39], // Bright color blackBright: [90, 39], redBright: [91, 39], greenBright: [92, 39], yellowBright: [93, 39], blueBright: [94, 39], magentaBright: [95, 39], cyanBright: [96, 39], whiteBright: [97, 39] }, bgColor: { bgBlack: [40, 49], bgRed: [41, 49], bgGreen: [42, 49], bgYellow: [43, 49], bgBlue: [44, 49], bgMagenta: [45, 49], bgCyan: [46, 49], bgWhite: [47, 49], // Bright color bgBlackBright: [100, 49], bgRedBright: [101, 49], bgGreenBright: [102, 49], bgYellowBright: [103, 49], bgBlueBright: [104, 49], bgMagentaBright: [105, 49], bgCyanBright: [106, 49], bgWhiteBright: [107, 49] } }; styles.color.gray = styles.color.blackBright; styles.bgColor.bgGray = styles.bgColor.bgBlackBright; styles.color.grey = styles.color.blackBright; styles.bgColor.bgGrey = styles.bgColor.bgBlackBright; for (const [groupName, group] of Object.entries(styles)) { for (const [styleName, style] of Object.entries(group)) { styles[styleName] = { open: `\x1B[${style[0]}m`, close: `\x1B[${style[1]}m` }; group[styleName] = styles[styleName]; codes.set(style[0], style[1]); } Object.defineProperty(styles, groupName, { value: group, enumerable: false }); } Object.defineProperty(styles, "codes", { value: codes, enumerable: false }); styles.color.close = "\x1B[39m"; styles.bgColor.close = "\x1B[49m"; setLazyProperty(styles.color, "ansi", () => makeDynamicStyles(wrapAnsi16, "ansi16", ansi2ansi, false)); setLazyProperty(styles.color, "ansi256", () => makeDynamicStyles(wrapAnsi256, "ansi256", ansi2ansi, false)); setLazyProperty(styles.color, "ansi16m", () => makeDynamicStyles(wrapAnsi16m, "rgb", rgb2rgb, false)); setLazyProperty(styles.bgColor, "ansi", () => makeDynamicStyles(wrapAnsi16, "ansi16", ansi2ansi, true)); setLazyProperty(styles.bgColor, "ansi256", () => makeDynamicStyles(wrapAnsi256, "ansi256", ansi2ansi, true)); setLazyProperty(styles.bgColor, "ansi16m", () => makeDynamicStyles(wrapAnsi16m, "rgb", rgb2rgb, true)); return styles; } Object.defineProperty(module2, "exports", { enumerable: true, get: assembleStyles }); } }); // node_modules/.pnpm/chalk@4.1.2/node_modules/chalk/source/util.js var require_util2 = __commonJS({ "node_modules/.pnpm/chalk@4.1.2/node_modules/chalk/source/util.js"(exports2, module2) { "use strict"; var stringReplaceAll = (string, substring, replacer) => { let index = string.indexOf(substring); if (index === -1) { return string; } const substringLength = substring.length; let endIndex = 0; let returnValue = ""; do { returnValue += string.substr(endIndex, index - endIndex) + substring + replacer; endIndex = index + substringLength; index = string.indexOf(substring, endIndex); } while (index !== -1); returnValue += string.substr(endIndex); return returnValue; }; var stringEncaseCRLFWithFirstIndex = (string, prefix, postfix, index) => { let endIndex = 0; let returnValue = ""; do { const gotCR = string[index - 1] === "\r"; returnValue += string.substr(endIndex, (gotCR ? index - 1 : index) - endIndex) + prefix + (gotCR ? "\r\n" : "\n") + postfix; endIndex = index + 1; index = string.indexOf("\n", endIndex); } while (index !== -1); returnValue += string.substr(endIndex); return returnValue; }; module2.exports = { stringReplaceAll, stringEncaseCRLFWithFirstIndex }; } }); // node_modules/.pnpm/chalk@4.1.2/node_modules/chalk/source/templates.js var require_templates = __commonJS({ "node_modules/.pnpm/chalk@4.1.2/node_modules/chalk/source/templates.js"(exports2, module2) { "use strict"; var TEMPLATE_REGEX = /(?:\\(u(?:[a-f\d]{4}|\{[a-f\d]{1,6}\})|x[a-f\d]{2}|.))|(?:\{(~)?(\w+(?:\([^)]*\))?(?:\.\w+(?:\([^)]*\))?)*)(?:[ \t]|(?=\r?\n)))|(\})|((?:.|[\r\n\f])+?)/gi; var STYLE_REGEX = /(?:^|\.)(\w+)(?:\(([^)]*)\))?/g; var STRING_REGEX = /^(['"])((?:\\.|(?!\1)[^\\])*)\1$/; var ESCAPE_REGEX = /\\(u(?:[a-f\d]{4}|{[a-f\d]{1,6}})|x[a-f\d]{2}|.)|([^\\])/gi; var ESCAPES = /* @__PURE__ */ new Map([ ["n", "\n"], ["r", "\r"], ["t", " "], ["b", "\b"], ["f", "\f"], ["v", "\v"], ["0", "\0"], ["\\", "\\"], ["e", "\x1B"], ["a", "\x07"] ]); function unescape2(c) { const u = c[0] === "u"; const bracket = c[1] === "{"; if (u && !bracket && c.length === 5 || c[0] === "x" && c.length === 3) { return String.fromCharCode(parseInt(c.slice(1), 16)); } if (u && bracket) { return String.fromCodePoint(parseInt(c.slice(2, -1), 16)); } return ESCAPES.get(c) || c; } function parseArguments(name, arguments_) { const results = []; const chunks = arguments_.trim().split(/\s*,\s*/g); let matches; for (const chunk of chunks) { const number = Number(chunk); if (!Number.isNaN(number)) { results.push(number); } else if (matches = chunk.match(STRING_REGEX)) { results.push(matches[2].replace(ESCAPE_REGEX, (m, escape2, character) => escape2 ? unescape2(escape2) : character)); } else { throw new Error(`Invalid Chalk template style argument: ${chunk} (in style '${name}')`); } } return results; } function parseStyle(style) { STYLE_REGEX.lastIndex = 0; const results = []; let matches; while ((matches = STYLE_REGEX.exec(style)) !== null) { const name = matches[1]; if (matches[2]) { const args = parseArguments(name, matches[2]); results.push([name].concat(args)); } else { results.push([name]); } } return results; } function buildStyle(chalk2, styles) { const enabled = {}; for (const layer of styles) { for (const style of layer.styles) { enabled[style[0]] = layer.inverse ? null : style.slice(1); } } let current = chalk2; for (const [styleName, styles2] of Object.entries(enabled)) { if (!Array.isArray(styles2)) { continue; } if (!(styleName in current)) { throw new Error(`Unknown Chalk style: ${styleName}`); } current = styles2.length > 0 ? current[styleName](...styles2) : current[styleName]; } return current; } module2.exports = (chalk2, temporary) => { const styles = []; const chunks = []; let chunk = []; temporary.replace(TEMPLATE_REGEX, (m, escapeCharacter, inverse, style, close, character) => { if (escapeCharacter) { chunk.push(unescape2(escapeCharacter)); } else if (style) { const string = chunk.join(""); chunk = []; chunks.push(styles.length === 0 ? string : buildStyle(chalk2, styles)(string)); styles.push({ inverse, styles: parseStyle(style) }); } else if (close) { if (styles.length === 0) { throw new Error("Found extraneous } in Chalk template literal"); } chunks.push(buildStyle(chalk2, styles)(chunk.join(""))); chunk = []; styles.pop(); } else { chunk.push(character); } }); chunks.push(chunk.join("")); if (styles.length > 0) { const errMessage = `Chalk template literal is missing ${styles.length} closing bracket${styles.length === 1 ? "" : "s"} (\`}\`)`; throw new Error(errMessage); } return chunks.join(""); }; } }); // node_modules/.pnpm/chalk@4.1.2/node_modules/chalk/source/index.js var require_source = __commonJS({ "node_modules/.pnpm/chalk@4.1.2/node_modules/chalk/source/index.js"(exports2, module2) { "use strict"; var ansiStyles = require_ansi_styles(); var { stdout: stdoutColor, stderr: stderrColor } = require_supports_color(); var { stringReplaceAll, stringEncaseCRLFWithFirstIndex } = require_util2(); var { isArray: isArray3 } = Array; var levelMapping = [ "ansi", "ansi", "ansi256", "ansi16m" ]; var styles = /* @__PURE__ */ Object.create(null); var applyOptions = (object, options = {}) => { if (options.level && !(Number.isInteger(options.level) && options.level >= 0 && options.level <= 3)) { throw new Error("The `level` option should be an integer from 0 to 3"); } const colorLevel = stdoutColor ? stdoutColor.level : 0; object.level = options.level === void 0 ? colorLevel : options.level; }; var ChalkClass = class { constructor(options) { return chalkFactory(options); } }; var chalkFactory = (options) => { const chalk3 = {}; applyOptions(chalk3, options); chalk3.template = (...arguments_) => chalkTag(chalk3.template, ...arguments_); Object.setPrototypeOf(chalk3, Chalk.prototype); Object.setPrototypeOf(chalk3.template, chalk3); chalk3.template.constructor = () => { throw new Error("`chalk.constructor()` is deprecated. Use `new chalk.Instance()` instead."); }; chalk3.template.Instance = ChalkClass; return chalk3.template; }; function Chalk(options) { return chalkFactory(options); } for (const [styleName, style] of Object.entries(ansiStyles)) { styles[styleName] = { get() { const builder = createBuilder(this, createStyler(style.open, style.close, this._styler), this._isEmpty); Object.defineProperty(this, styleName, { value: builder }); return builder; } }; } styles.visible = { get() { const builder = createBuilder(this, this._styler, true); Object.defineProperty(this, "visible", { value: builder }); return builder; } }; var usedModels = ["rgb", "hex", "keyword", "hsl", "hsv", "hwb", "ansi", "ansi256"]; for (const model of usedModels) { styles[model] = { get() { const { level } = this; return function(...arguments_) { const styler = createStyler(ansiStyles.color[levelMapping[level]][model](...arguments_), ansiStyles.color.close, this._styler); return createBuilder(this, styler, this._isEmpty); }; } }; } for (const model of usedModels) { const bgModel = "bg" + model[0].toUpperCase() + model.slice(1); styles[bgModel] = { get() { const { level } = this; return function(...arguments_) { const styler = createStyler(ansiStyles.bgColor[levelMapping[level]][model](...arguments_), ansiStyles.bgColor.close, this._styler); return createBuilder(this, styler, this._isEmpty); }; } }; } var proto = Object.defineProperties(() => { }, { ...styles, level: { enumerable: true, get() { return this._generator.level; }, set(level) { this._generator.level = level; } } }); var createStyler = (open, close, parent) => { let openAll; let closeAll; if (parent === void 0) { openAll = open; closeAll = close; } else { openAll = parent.openAll + open; closeAll = close + parent.closeAll; } return { open, close, openAll, closeAll, parent }; }; var createBuilder = (self2, _styler, _isEmpty) => { const builder = (...arguments_) => { if (isArray3(arguments_[0]) && isArray3(arguments_[0].raw)) { return applyStyle(builder, chalkTag(builder, ...arguments_)); } return applyStyle(builder, arguments_.length === 1 ? "" + arguments_[0] : arguments_.join(" ")); }; Object.setPrototypeOf(builder, proto); builder._generator = self2; builder._styler = _styler; builder._isEmpty = _isEmpty; return builder; }; var applyStyle = (self2, string) => { if (self2.level <= 0 || !string) { return self2._isEmpty ? "" : string; } let styler = self2._styler; if (styler === void 0) { return string; } const { openAll, closeAll } = styler; if (string.indexOf("\x1B") !== -1) { while (styler !== void 0) { string = stringReplaceAll(string, styler.close, styler.open); styler = styler.parent; } } const lfIndex = string.indexOf("\n"); if (lfIndex !== -1) { string = stringEncaseCRLFWithFirstIndex(string, closeAll, openAll, lfIndex); } return openAll + string + closeAll; }; var template; var chalkTag = (chalk3, ...strings) => { const [firstString] = strings; if (!isArray3(firstString) || !isArray3(firstString.raw)) { return strings.join(" "); } const arguments_ = strings.slice(1); const parts = [firstString.raw[0]]; for (let i = 1; i < firstString.length; i++) { parts.push( String(arguments_[i - 1]).replace(/[{}\\]/g, "\\$&"), String(firstString.raw[i]) ); } if (template === void 0) { template = require_templates(); } return template(chalk3, parts.join("")); }; Object.defineProperties(Chalk.prototype, styles); var chalk2 = Chalk(); chalk2.supportsColor = stdoutColor; chalk2.stderr = Chalk({ level: stderrColor ? stderrColor.level : 0 }); chalk2.stderr.supportsColor = stderrColor; module2.exports = chalk2; } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/all.js var require_all = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/all.js"(exports2, module2) { "use strict"; module2.exports = { extends: ["./configs/base", "./configs/eslint-recommended"], rules: { "@typescript-eslint/adjacent-overload-signatures": "error", "@typescript-eslint/array-type": "error", "@typescript-eslint/await-thenable": "error", "@typescript-eslint/ban-ts-comment": "error", "@typescript-eslint/ban-tslint-comment": "error", "@typescript-eslint/ban-types": "error", "@typescript-eslint/class-literal-property-style": "error", "class-methods-use-this": "off", "@typescript-eslint/class-methods-use-this": "error", "@typescript-eslint/consistent-generic-constructors": "error", "@typescript-eslint/consistent-indexed-object-style": "error", "consistent-return": "off", "@typescript-eslint/consistent-return": "error", "@typescript-eslint/consistent-type-assertions": "error", "@typescript-eslint/consistent-type-definitions": "error", "@typescript-eslint/consistent-type-exports": "error", "@typescript-eslint/consistent-type-imports": "error", "default-param-last": "off", "@typescript-eslint/default-param-last": "error", "dot-notation": "off", "@typescript-eslint/dot-notation": "error", "@typescript-eslint/explicit-function-return-type": "error", "@typescript-eslint/explicit-member-accessibility": "error", "@typescript-eslint/explicit-module-boundary-types": "error", "init-declarations": "off", "@typescript-eslint/init-declarations": "error", "max-params": "off", "@typescript-eslint/max-params": "error", "@typescript-eslint/member-ordering": "error", "@typescript-eslint/method-signature-style": "error", "@typescript-eslint/naming-convention": "error", "no-array-constructor": "off", "@typescript-eslint/no-array-constructor": "error", "@typescript-eslint/no-array-delete": "error", "@typescript-eslint/no-base-to-string": "error", "@typescript-eslint/no-confusing-non-null-assertion": "error", "@typescript-eslint/no-confusing-void-expression": "error", "no-dupe-class-members": "off", "@typescript-eslint/no-dupe-class-members": "error", "@typescript-eslint/no-duplicate-enum-values": "error", "@typescript-eslint/no-duplicate-type-constituents": "error", "@typescript-eslint/no-dynamic-delete": "error", "no-empty-function": "off", "@typescript-eslint/no-empty-function": "error", "@typescript-eslint/no-empty-interface": "error", "@typescript-eslint/no-empty-object-type": "error", "@typescript-eslint/no-explicit-any": "error", "@typescript-eslint/no-extra-non-null-assertion": "error", "@typescript-eslint/no-extraneous-class": "error", "@typescript-eslint/no-floating-promises": "error", "@typescript-eslint/no-for-in-array": "error", "no-implied-eval": "off", "@typescript-eslint/no-implied-eval": "error", "@typescript-eslint/no-import-type-side-effects": "error", "@typescript-eslint/no-inferrable-types": "error", "no-invalid-this": "off", "@typescript-eslint/no-invalid-this": "error", "@typescript-eslint/no-invalid-void-type": "error", "no-loop-func": "off", "@typescript-eslint/no-loop-func": "error", "no-loss-of-precision": "off", "@typescript-eslint/no-loss-of-precision": "error", "no-magic-numbers": "off", "@typescript-eslint/no-magic-numbers": "error", "@typescript-eslint/no-meaningless-void-operator": "error", "@typescript-eslint/no-misused-new": "error", "@typescript-eslint/no-misused-promises": "error", "@typescript-eslint/no-mixed-enums": "error", "@typescript-eslint/no-namespace": "error", "@typescript-eslint/no-non-null-asserted-nullish-coalescing": "error", "@typescript-eslint/no-non-null-asserted-optional-chain": "error", "@typescript-eslint/no-non-null-assertion": "error", "no-redeclare": "off", "@typescript-eslint/no-redeclare": "error", "@typescript-eslint/no-redundant-type-constituents": "error", "@typescript-eslint/no-require-imports": "error", "no-restricted-imports": "off", "@typescript-eslint/no-restricted-imports": "error", "no-shadow": "off", "@typescript-eslint/no-shadow": "error", "@typescript-eslint/no-this-alias": "error", "@typescript-eslint/no-unnecessary-boolean-literal-compare": "error", "@typescript-eslint/no-unnecessary-condition": "error", "@typescript-eslint/no-unnecessary-parameter-property-assignment": "error", "@typescript-eslint/no-unnecessary-qualifier": "error", "@typescript-eslint/no-unnecessary-template-expression": "error", "@typescript-eslint/no-unnecessary-type-arguments": "error", "@typescript-eslint/no-unnecessary-type-assertion": "error", "@typescript-eslint/no-unnecessary-type-constraint": "error", "@typescript-eslint/no-unnecessary-type-parameters": "error", "@typescript-eslint/no-unsafe-argument": "error", "@typescript-eslint/no-unsafe-assignment": "error", "@typescript-eslint/no-unsafe-call": "error", "@typescript-eslint/no-unsafe-declaration-merging": "error", "@typescript-eslint/no-unsafe-enum-comparison": "error", "@typescript-eslint/no-unsafe-member-access": "error", "@typescript-eslint/no-unsafe-return": "error", "@typescript-eslint/no-unsafe-unary-minus": "error", "no-unused-expressions": "off", "@typescript-eslint/no-unused-expressions": "error", "no-unused-vars": "off", "@typescript-eslint/no-unused-vars": "error", "no-use-before-define": "off", "@typescript-eslint/no-use-before-define": "error", "no-useless-constructor": "off", "@typescript-eslint/no-useless-constructor": "error", "@typescript-eslint/no-useless-empty-export": "error", "@typescript-eslint/no-var-requires": "error", "@typescript-eslint/non-nullable-type-assertion-style": "error", "no-throw-literal": "off", "@typescript-eslint/only-throw-error": "error", "@typescript-eslint/parameter-properties": "error", "@typescript-eslint/prefer-as-const": "error", "prefer-destructuring": "off", "@typescript-eslint/prefer-destructuring": "error", "@typescript-eslint/prefer-enum-initializers": "error", "@typescript-eslint/prefer-find": "error", "@typescript-eslint/prefer-for-of": "error", "@typescript-eslint/prefer-function-type": "error", "@typescript-eslint/prefer-includes": "error", "@typescript-eslint/prefer-literal-enum-member": "error", "@typescript-eslint/prefer-namespace-keyword": "error", "@typescript-eslint/prefer-nullish-coalescing": "error", "@typescript-eslint/prefer-optional-chain": "error", "prefer-promise-reject-errors": "off", "@typescript-eslint/prefer-promise-reject-errors": "error", "@typescript-eslint/prefer-readonly": "error", "@typescript-eslint/prefer-readonly-parameter-types": "error", "@typescript-eslint/prefer-reduce-type-parameter": "error", "@typescript-eslint/prefer-regexp-exec": "error", "@typescript-eslint/prefer-return-this-type": "error", "@typescript-eslint/prefer-string-starts-ends-with": "error", "@typescript-eslint/promise-function-async": "error", "@typescript-eslint/require-array-sort-compare": "error", "require-await": "off", "@typescript-eslint/require-await": "error", "@typescript-eslint/restrict-plus-operands": "error", "@typescript-eslint/restrict-template-expressions": "error", "no-return-await": "off", "@typescript-eslint/return-await": "error", "@typescript-eslint/strict-boolean-expressions": "error", "@typescript-eslint/switch-exhaustiveness-check": "error", "@typescript-eslint/triple-slash-reference": "error", "@typescript-eslint/typedef": "error", "@typescript-eslint/unbound-method": "error", "@typescript-eslint/unified-signatures": "error", "@typescript-eslint/use-unknown-in-catch-callback-variable": "error" } }; } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/base.js var require_base = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/base.js"(exports2, module2) { "use strict"; module2.exports = { parser: "@typescript-eslint/parser", parserOptions: { sourceType: "module" }, plugins: ["@typescript-eslint"] }; } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/disable-type-checked.js var require_disable_type_checked = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/disable-type-checked.js"(exports2, module2) { "use strict"; module2.exports = { parserOptions: { project: false, program: null, EXPERIMENTAL_useProjectService: false }, rules: { "@typescript-eslint/await-thenable": "off", "@typescript-eslint/consistent-return": "off", "@typescript-eslint/consistent-type-exports": "off", "@typescript-eslint/dot-notation": "off", "@typescript-eslint/naming-convention": "off", "@typescript-eslint/no-array-delete": "off", "@typescript-eslint/no-base-to-string": "off", "@typescript-eslint/no-confusing-void-expression": "off", "@typescript-eslint/no-duplicate-type-constituents": "off", "@typescript-eslint/no-floating-promises": "off", "@typescript-eslint/no-for-in-array": "off", "@typescript-eslint/no-implied-eval": "off", "@typescript-eslint/no-meaningless-void-operator": "off", "@typescript-eslint/no-misused-promises": "off", "@typescript-eslint/no-mixed-enums": "off", "@typescript-eslint/no-redundant-type-constituents": "off", "@typescript-eslint/no-throw-literal": "off", "@typescript-eslint/no-unnecessary-boolean-literal-compare": "off", "@typescript-eslint/no-unnecessary-condition": "off", "@typescript-eslint/no-unnecessary-qualifier": "off", "@typescript-eslint/no-unnecessary-template-expression": "off", "@typescript-eslint/no-unnecessary-type-arguments": "off", "@typescript-eslint/no-unnecessary-type-assertion": "off", "@typescript-eslint/no-unnecessary-type-parameters": "off", "@typescript-eslint/no-unsafe-argument": "off", "@typescript-eslint/no-unsafe-assignment": "off", "@typescript-eslint/no-unsafe-call": "off", "@typescript-eslint/no-unsafe-enum-comparison": "off", "@typescript-eslint/no-unsafe-member-access": "off", "@typescript-eslint/no-unsafe-return": "off", "@typescript-eslint/no-unsafe-unary-minus": "off", "@typescript-eslint/no-useless-template-literals": "off", "@typescript-eslint/non-nullable-type-assertion-style": "off", "@typescript-eslint/only-throw-error": "off", "@typescript-eslint/prefer-destructuring": "off", "@typescript-eslint/prefer-find": "off", "@typescript-eslint/prefer-includes": "off", "@typescript-eslint/prefer-nullish-coalescing": "off", "@typescript-eslint/prefer-optional-chain": "off", "@typescript-eslint/prefer-promise-reject-errors": "off", "@typescript-eslint/prefer-readonly": "off", "@typescript-eslint/prefer-readonly-parameter-types": "off", "@typescript-eslint/prefer-reduce-type-parameter": "off", "@typescript-eslint/prefer-regexp-exec": "off", "@typescript-eslint/prefer-return-this-type": "off", "@typescript-eslint/prefer-string-starts-ends-with": "off", "@typescript-eslint/promise-function-async": "off", "@typescript-eslint/require-array-sort-compare": "off", "@typescript-eslint/require-await": "off", "@typescript-eslint/restrict-plus-operands": "off", "@typescript-eslint/restrict-template-expressions": "off", "@typescript-eslint/return-await": "off", "@typescript-eslint/strict-boolean-expressions": "off", "@typescript-eslint/switch-exhaustiveness-check": "off", "@typescript-eslint/unbound-method": "off", "@typescript-eslint/use-unknown-in-catch-callback-variable": "off" } }; } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/eslint-recommended-raw.js var require_eslint_recommended_raw = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/eslint-recommended-raw.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.default = (style) => ({ files: style === "glob" ? ( // classic configs use glob syntax ["*.ts", "*.tsx", "*.mts", "*.cts"] ) : ( // flat configs use minimatch syntax ["**/*.ts", "**/*.tsx", "**/*.mts", "**/*.cts"] ), rules: { "constructor-super": "off", // ts(2335) & ts(2377) "getter-return": "off", // ts(2378) "no-const-assign": "off", // ts(2588) "no-dupe-args": "off", // ts(2300) "no-dupe-class-members": "off", // ts(2393) & ts(2300) "no-dupe-keys": "off", // ts(1117) "no-func-assign": "off", // ts(2630) "no-import-assign": "off", // ts(2632) & ts(2540) // TODO - remove this once we no longer support ESLint v8 "no-new-symbol": "off", // ts(7009) "no-new-native-nonconstructor": "off", // ts(7009) "no-obj-calls": "off", // ts(2349) "no-redeclare": "off", // ts(2451) "no-setter-return": "off", // ts(2408) "no-this-before-super": "off", // ts(2376) & ts(17009) "no-undef": "off", // ts(2304) & ts(2552) "no-unreachable": "off", // ts(7027) "no-unsafe-negation": "off", // ts(2365) & ts(2322) & ts(2358) "no-var": "error", // ts transpiles let/const to var, so no need for vars any more "prefer-const": "error", // ts provides better types with const "prefer-rest-params": "error", // ts provides better types with rest args over arguments "prefer-spread": "error" // ts transpiles spread to apply, so no need for manual apply } }); } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/eslint-recommended.js var require_eslint_recommended = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/eslint-recommended.js"(exports2, module2) { "use strict"; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; var eslint_recommended_raw_1 = __importDefault2(require_eslint_recommended_raw()); module2.exports = { overrides: [(0, eslint_recommended_raw_1.default)("glob")] }; } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/recommended.js var require_recommended = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/recommended.js"(exports2, module2) { "use strict"; module2.exports = { extends: ["./configs/base", "./configs/eslint-recommended"], rules: { "@typescript-eslint/ban-ts-comment": "error", "@typescript-eslint/ban-types": "error", "no-array-constructor": "off", "@typescript-eslint/no-array-constructor": "error", "@typescript-eslint/no-duplicate-enum-values": "error", "@typescript-eslint/no-explicit-any": "error", "@typescript-eslint/no-extra-non-null-assertion": "error", "no-loss-of-precision": "off", "@typescript-eslint/no-loss-of-precision": "error", "@typescript-eslint/no-misused-new": "error", "@typescript-eslint/no-namespace": "error", "@typescript-eslint/no-non-null-asserted-optional-chain": "error", "@typescript-eslint/no-this-alias": "error", "@typescript-eslint/no-unnecessary-type-constraint": "error", "@typescript-eslint/no-unsafe-declaration-merging": "error", "no-unused-vars": "off", "@typescript-eslint/no-unused-vars": "error", "@typescript-eslint/no-var-requires": "error", "@typescript-eslint/prefer-as-const": "error", "@typescript-eslint/triple-slash-reference": "error" } }; } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/recommended-type-checked.js var require_recommended_type_checked = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/recommended-type-checked.js"(exports2, module2) { "use strict"; module2.exports = { extends: ["./configs/base", "./configs/eslint-recommended"], rules: { "@typescript-eslint/await-thenable": "error", "@typescript-eslint/ban-ts-comment": "error", "@typescript-eslint/ban-types": "error", "no-array-constructor": "off", "@typescript-eslint/no-array-constructor": "error", "@typescript-eslint/no-base-to-string": "error", "@typescript-eslint/no-duplicate-enum-values": "error", "@typescript-eslint/no-duplicate-type-constituents": "error", "@typescript-eslint/no-explicit-any": "error", "@typescript-eslint/no-extra-non-null-assertion": "error", "@typescript-eslint/no-floating-promises": "error", "@typescript-eslint/no-for-in-array": "error", "no-implied-eval": "off", "@typescript-eslint/no-implied-eval": "error", "no-loss-of-precision": "off", "@typescript-eslint/no-loss-of-precision": "error", "@typescript-eslint/no-misused-new": "error", "@typescript-eslint/no-misused-promises": "error", "@typescript-eslint/no-namespace": "error", "@typescript-eslint/no-non-null-asserted-optional-chain": "error", "@typescript-eslint/no-redundant-type-constituents": "error", "@typescript-eslint/no-this-alias": "error", "@typescript-eslint/no-unnecessary-type-assertion": "error", "@typescript-eslint/no-unnecessary-type-constraint": "error", "@typescript-eslint/no-unsafe-argument": "error", "@typescript-eslint/no-unsafe-assignment": "error", "@typescript-eslint/no-unsafe-call": "error", "@typescript-eslint/no-unsafe-declaration-merging": "error", "@typescript-eslint/no-unsafe-enum-comparison": "error", "@typescript-eslint/no-unsafe-member-access": "error", "@typescript-eslint/no-unsafe-return": "error", "no-unused-vars": "off", "@typescript-eslint/no-unused-vars": "error", "@typescript-eslint/no-var-requires": "error", "@typescript-eslint/prefer-as-const": "error", "require-await": "off", "@typescript-eslint/require-await": "error", "@typescript-eslint/restrict-plus-operands": "error", "@typescript-eslint/restrict-template-expressions": "error", "@typescript-eslint/triple-slash-reference": "error", "@typescript-eslint/unbound-method": "error" } }; } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/recommended-type-checked-only.js var require_recommended_type_checked_only = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/recommended-type-checked-only.js"(exports2, module2) { "use strict"; module2.exports = { extends: ["./configs/base", "./configs/eslint-recommended"], rules: { "@typescript-eslint/await-thenable": "error", "@typescript-eslint/no-base-to-string": "error", "@typescript-eslint/no-duplicate-type-constituents": "error", "@typescript-eslint/no-floating-promises": "error", "@typescript-eslint/no-for-in-array": "error", "no-implied-eval": "off", "@typescript-eslint/no-implied-eval": "error", "@typescript-eslint/no-misused-promises": "error", "@typescript-eslint/no-redundant-type-constituents": "error", "@typescript-eslint/no-unnecessary-type-assertion": "error", "@typescript-eslint/no-unsafe-argument": "error", "@typescript-eslint/no-unsafe-assignment": "error", "@typescript-eslint/no-unsafe-call": "error", "@typescript-eslint/no-unsafe-enum-comparison": "error", "@typescript-eslint/no-unsafe-member-access": "error", "@typescript-eslint/no-unsafe-return": "error", "require-await": "off", "@typescript-eslint/require-await": "error", "@typescript-eslint/restrict-plus-operands": "error", "@typescript-eslint/restrict-template-expressions": "error", "@typescript-eslint/unbound-method": "error" } }; } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/strict.js var require_strict = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/strict.js"(exports2, module2) { "use strict"; module2.exports = { extends: ["./configs/base", "./configs/eslint-recommended"], rules: { "@typescript-eslint/ban-ts-comment": [ "error", { minimumDescriptionLength: 10 } ], "@typescript-eslint/ban-types": "error", "no-array-constructor": "off", "@typescript-eslint/no-array-constructor": "error", "@typescript-eslint/no-duplicate-enum-values": "error", "@typescript-eslint/no-dynamic-delete": "error", "@typescript-eslint/no-explicit-any": "error", "@typescript-eslint/no-extra-non-null-assertion": "error", "@typescript-eslint/no-extraneous-class": "error", "@typescript-eslint/no-invalid-void-type": "error", "no-loss-of-precision": "off", "@typescript-eslint/no-loss-of-precision": "error", "@typescript-eslint/no-misused-new": "error", "@typescript-eslint/no-namespace": "error", "@typescript-eslint/no-non-null-asserted-nullish-coalescing": "error", "@typescript-eslint/no-non-null-asserted-optional-chain": "error", "@typescript-eslint/no-non-null-assertion": "error", "@typescript-eslint/no-this-alias": "error", "@typescript-eslint/no-unnecessary-type-constraint": "error", "@typescript-eslint/no-unsafe-declaration-merging": "error", "no-unused-vars": "off", "@typescript-eslint/no-unused-vars": "error", "no-useless-constructor": "off", "@typescript-eslint/no-useless-constructor": "error", "@typescript-eslint/no-var-requires": "error", "@typescript-eslint/prefer-as-const": "error", "@typescript-eslint/prefer-literal-enum-member": "error", "@typescript-eslint/triple-slash-reference": "error", "@typescript-eslint/unified-signatures": "error" } }; } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/strict-type-checked.js var require_strict_type_checked = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/strict-type-checked.js"(exports2, module2) { "use strict"; module2.exports = { extends: ["./configs/base", "./configs/eslint-recommended"], rules: { "@typescript-eslint/await-thenable": "error", "@typescript-eslint/ban-ts-comment": [ "error", { minimumDescriptionLength: 10 } ], "@typescript-eslint/ban-types": "error", "no-array-constructor": "off", "@typescript-eslint/no-array-constructor": "error", "@typescript-eslint/no-array-delete": "error", "@typescript-eslint/no-base-to-string": "error", "@typescript-eslint/no-confusing-void-expression": "error", "@typescript-eslint/no-duplicate-enum-values": "error", "@typescript-eslint/no-duplicate-type-constituents": "error", "@typescript-eslint/no-dynamic-delete": "error", "@typescript-eslint/no-explicit-any": "error", "@typescript-eslint/no-extra-non-null-assertion": "error", "@typescript-eslint/no-extraneous-class": "error", "@typescript-eslint/no-floating-promises": "error", "@typescript-eslint/no-for-in-array": "error", "no-implied-eval": "off", "@typescript-eslint/no-implied-eval": "error", "@typescript-eslint/no-invalid-void-type": "error", "no-loss-of-precision": "off", "@typescript-eslint/no-loss-of-precision": "error", "@typescript-eslint/no-meaningless-void-operator": "error", "@typescript-eslint/no-misused-new": "error", "@typescript-eslint/no-misused-promises": "error", "@typescript-eslint/no-mixed-enums": "error", "@typescript-eslint/no-namespace": "error", "@typescript-eslint/no-non-null-asserted-nullish-coalescing": "error", "@typescript-eslint/no-non-null-asserted-optional-chain": "error", "@typescript-eslint/no-non-null-assertion": "error", "@typescript-eslint/no-redundant-type-constituents": "error", "@typescript-eslint/no-this-alias": "error", "@typescript-eslint/no-unnecessary-boolean-literal-compare": "error", "@typescript-eslint/no-unnecessary-condition": "error", "@typescript-eslint/no-unnecessary-template-expression": "error", "@typescript-eslint/no-unnecessary-type-arguments": "error", "@typescript-eslint/no-unnecessary-type-assertion": "error", "@typescript-eslint/no-unnecessary-type-constraint": "error", "@typescript-eslint/no-unsafe-argument": "error", "@typescript-eslint/no-unsafe-assignment": "error", "@typescript-eslint/no-unsafe-call": "error", "@typescript-eslint/no-unsafe-declaration-merging": "error", "@typescript-eslint/no-unsafe-enum-comparison": "error", "@typescript-eslint/no-unsafe-member-access": "error", "@typescript-eslint/no-unsafe-return": "error", "no-unused-vars": "off", "@typescript-eslint/no-unused-vars": "error", "no-useless-constructor": "off", "@typescript-eslint/no-useless-constructor": "error", "@typescript-eslint/no-var-requires": "error", "no-throw-literal": "off", "@typescript-eslint/only-throw-error": "error", "@typescript-eslint/prefer-as-const": "error", "@typescript-eslint/prefer-includes": "error", "@typescript-eslint/prefer-literal-enum-member": "error", "prefer-promise-reject-errors": "off", "@typescript-eslint/prefer-promise-reject-errors": "error", "@typescript-eslint/prefer-reduce-type-parameter": "error", "@typescript-eslint/prefer-return-this-type": "error", "require-await": "off", "@typescript-eslint/require-await": "error", "@typescript-eslint/restrict-plus-operands": [ "error", { allowAny: false, allowBoolean: false, allowNullish: false, allowNumberAndString: false, allowRegExp: false } ], "@typescript-eslint/restrict-template-expressions": [ "error", { allowAny: false, allowBoolean: false, allowNullish: false, allowNumber: false, allowRegExp: false, allowNever: false } ], "@typescript-eslint/triple-slash-reference": "error", "@typescript-eslint/unbound-method": "error", "@typescript-eslint/unified-signatures": "error", "@typescript-eslint/use-unknown-in-catch-callback-variable": "error" } }; } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/strict-type-checked-only.js var require_strict_type_checked_only = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/strict-type-checked-only.js"(exports2, module2) { "use strict"; module2.exports = { extends: ["./configs/base", "./configs/eslint-recommended"], rules: { "@typescript-eslint/await-thenable": "error", "@typescript-eslint/no-array-delete": "error", "@typescript-eslint/no-base-to-string": "error", "@typescript-eslint/no-confusing-void-expression": "error", "@typescript-eslint/no-duplicate-type-constituents": "error", "@typescript-eslint/no-floating-promises": "error", "@typescript-eslint/no-for-in-array": "error", "no-implied-eval": "off", "@typescript-eslint/no-implied-eval": "error", "@typescript-eslint/no-meaningless-void-operator": "error", "@typescript-eslint/no-misused-promises": "error", "@typescript-eslint/no-mixed-enums": "error", "@typescript-eslint/no-redundant-type-constituents": "error", "@typescript-eslint/no-unnecessary-boolean-literal-compare": "error", "@typescript-eslint/no-unnecessary-condition": "error", "@typescript-eslint/no-unnecessary-template-expression": "error", "@typescript-eslint/no-unnecessary-type-arguments": "error", "@typescript-eslint/no-unnecessary-type-assertion": "error", "@typescript-eslint/no-unsafe-argument": "error", "@typescript-eslint/no-unsafe-assignment": "error", "@typescript-eslint/no-unsafe-call": "error", "@typescript-eslint/no-unsafe-enum-comparison": "error", "@typescript-eslint/no-unsafe-member-access": "error", "@typescript-eslint/no-unsafe-return": "error", "no-throw-literal": "off", "@typescript-eslint/only-throw-error": "error", "@typescript-eslint/prefer-includes": "error", "prefer-promise-reject-errors": "off", "@typescript-eslint/prefer-promise-reject-errors": "error", "@typescript-eslint/prefer-reduce-type-parameter": "error", "@typescript-eslint/prefer-return-this-type": "error", "require-await": "off", "@typescript-eslint/require-await": "error", "@typescript-eslint/restrict-plus-operands": [ "error", { allowAny: false, allowBoolean: false, allowNullish: false, allowNumberAndString: false, allowRegExp: false } ], "@typescript-eslint/restrict-template-expressions": [ "error", { allowAny: false, allowBoolean: false, allowNullish: false, allowNumber: false, allowRegExp: false, allowNever: false } ], "@typescript-eslint/unbound-method": "error", "@typescript-eslint/use-unknown-in-catch-callback-variable": "error" } }; } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/stylistic.js var require_stylistic = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/stylistic.js"(exports2, module2) { "use strict"; module2.exports = { extends: ["./configs/base", "./configs/eslint-recommended"], rules: { "@typescript-eslint/adjacent-overload-signatures": "error", "@typescript-eslint/array-type": "error", "@typescript-eslint/ban-tslint-comment": "error", "@typescript-eslint/class-literal-property-style": "error", "@typescript-eslint/consistent-generic-constructors": "error", "@typescript-eslint/consistent-indexed-object-style": "error", "@typescript-eslint/consistent-type-assertions": "error", "@typescript-eslint/consistent-type-definitions": "error", "@typescript-eslint/no-confusing-non-null-assertion": "error", "no-empty-function": "off", "@typescript-eslint/no-empty-function": "error", "@typescript-eslint/no-empty-interface": "error", "@typescript-eslint/no-inferrable-types": "error", "@typescript-eslint/prefer-for-of": "error", "@typescript-eslint/prefer-function-type": "error", "@typescript-eslint/prefer-namespace-keyword": "error" } }; } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/stylistic-type-checked.js var require_stylistic_type_checked = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/stylistic-type-checked.js"(exports2, module2) { "use strict"; module2.exports = { extends: ["./configs/base", "./configs/eslint-recommended"], rules: { "@typescript-eslint/adjacent-overload-signatures": "error", "@typescript-eslint/array-type": "error", "@typescript-eslint/ban-tslint-comment": "error", "@typescript-eslint/class-literal-property-style": "error", "@typescript-eslint/consistent-generic-constructors": "error", "@typescript-eslint/consistent-indexed-object-style": "error", "@typescript-eslint/consistent-type-assertions": "error", "@typescript-eslint/consistent-type-definitions": "error", "dot-notation": "off", "@typescript-eslint/dot-notation": "error", "@typescript-eslint/no-confusing-non-null-assertion": "error", "no-empty-function": "off", "@typescript-eslint/no-empty-function": "error", "@typescript-eslint/no-empty-interface": "error", "@typescript-eslint/no-inferrable-types": "error", "@typescript-eslint/non-nullable-type-assertion-style": "error", "@typescript-eslint/prefer-for-of": "error", "@typescript-eslint/prefer-function-type": "error", "@typescript-eslint/prefer-namespace-keyword": "error", "@typescript-eslint/prefer-nullish-coalescing": "error", "@typescript-eslint/prefer-optional-chain": "error", "@typescript-eslint/prefer-string-starts-ends-with": "error" } }; } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/stylistic-type-checked-only.js var require_stylistic_type_checked_only = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/configs/stylistic-type-checked-only.js"(exports2, module2) { "use strict"; module2.exports = { extends: ["./configs/base", "./configs/eslint-recommended"], rules: { "dot-notation": "off", "@typescript-eslint/dot-notation": "error", "@typescript-eslint/non-nullable-type-assertion-style": "error", "@typescript-eslint/prefer-nullish-coalescing": "error", "@typescript-eslint/prefer-optional-chain": "error", "@typescript-eslint/prefer-string-starts-ends-with": "error" } }; } }); // node_modules/.pnpm/eslint-visitor-keys@3.4.3/node_modules/eslint-visitor-keys/dist/eslint-visitor-keys.cjs var require_eslint_visitor_keys = __commonJS({ "node_modules/.pnpm/eslint-visitor-keys@3.4.3/node_modules/eslint-visitor-keys/dist/eslint-visitor-keys.cjs"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var KEYS2 = { ArrayExpression: [ "elements" ], ArrayPattern: [ "elements" ], ArrowFunctionExpression: [ "params", "body" ], AssignmentExpression: [ "left", "right" ], AssignmentPattern: [ "left", "right" ], AwaitExpression: [ "argument" ], BinaryExpression: [ "left", "right" ], BlockStatement: [ "body" ], BreakStatement: [ "label" ], CallExpression: [ "callee", "arguments" ], CatchClause: [ "param", "body" ], ChainExpression: [ "expression" ], ClassBody: [ "body" ], ClassDeclaration: [ "id", "superClass", "body" ], ClassExpression: [ "id", "superClass", "body" ], ConditionalExpression: [ "test", "consequent", "alternate" ], ContinueStatement: [ "label" ], DebuggerStatement: [], DoWhileStatement: [ "body", "test" ], EmptyStatement: [], ExperimentalRestProperty: [ "argument" ], ExperimentalSpreadProperty: [ "argument" ], ExportAllDeclaration: [ "exported", "source" ], ExportDefaultDeclaration: [ "declaration" ], ExportNamedDeclaration: [ "declaration", "specifiers", "source" ], ExportSpecifier: [ "exported", "local" ], ExpressionStatement: [ "expression" ], ForInStatement: [ "left", "right", "body" ], ForOfStatement: [ "left", "right", "body" ], ForStatement: [ "init", "test", "update", "body" ], FunctionDeclaration: [ "id", "params", "body" ], FunctionExpression: [ "id", "params", "body" ], Identifier: [], IfStatement: [ "test", "consequent", "alternate" ], ImportDeclaration: [ "specifiers", "source" ], ImportDefaultSpecifier: [ "local" ], ImportExpression: [ "source" ], ImportNamespaceSpecifier: [ "local" ], ImportSpecifier: [ "imported", "local" ], JSXAttribute: [ "name", "value" ], JSXClosingElement: [ "name" ], JSXClosingFragment: [], JSXElement: [ "openingElement", "children", "closingElement" ], JSXEmptyExpression: [], JSXExpressionContainer: [ "expression" ], JSXFragment: [ "openingFragment", "children", "closingFragment" ], JSXIdentifier: [], JSXMemberExpression: [ "object", "property" ], JSXNamespacedName: [ "namespace", "name" ], JSXOpeningElement: [ "name", "attributes" ], JSXOpeningFragment: [], JSXSpreadAttribute: [ "argument" ], JSXSpreadChild: [ "expression" ], JSXText: [], LabeledStatement: [ "label", "body" ], Literal: [], LogicalExpression: [ "left", "right" ], MemberExpression: [ "object", "property" ], MetaProperty: [ "meta", "property" ], MethodDefinition: [ "key", "value" ], NewExpression: [ "callee", "arguments" ], ObjectExpression: [ "properties" ], ObjectPattern: [ "properties" ], PrivateIdentifier: [], Program: [ "body" ], Property: [ "key", "value" ], PropertyDefinition: [ "key", "value" ], RestElement: [ "argument" ], ReturnStatement: [ "argument" ], SequenceExpression: [ "expressions" ], SpreadElement: [ "argument" ], StaticBlock: [ "body" ], Super: [], SwitchCase: [ "test", "consequent" ], SwitchStatement: [ "discriminant", "cases" ], TaggedTemplateExpression: [ "tag", "quasi" ], TemplateElement: [], TemplateLiteral: [ "quasis", "expressions" ], ThisExpression: [], ThrowStatement: [ "argument" ], TryStatement: [ "block", "handler", "finalizer" ], UnaryExpression: [ "argument" ], UpdateExpression: [ "argument" ], VariableDeclaration: [ "declarations" ], VariableDeclarator: [ "id", "init" ], WhileStatement: [ "test", "body" ], WithStatement: [ "object", "body" ], YieldExpression: [ "argument" ] }; var NODE_TYPES2 = Object.keys(KEYS2); for (const type of NODE_TYPES2) { Object.freeze(KEYS2[type]); } Object.freeze(KEYS2); var KEY_BLACKLIST2 = /* @__PURE__ */ new Set([ "parent", "leadingComments", "trailingComments" ]); function filterKey2(key) { return !KEY_BLACKLIST2.has(key) && key[0] !== "_"; } function getKeys2(node) { return Object.keys(node).filter(filterKey2); } function unionWith(additionalKeys) { const retv = ( /** @type {{ [type: string]: ReadonlyArray }} */ Object.assign({}, KEYS2) ); for (const type of Object.keys(additionalKeys)) { if (Object.prototype.hasOwnProperty.call(retv, type)) { const keys2 = new Set(additionalKeys[type]); for (const key of retv[type]) { keys2.add(key); } retv[type] = Object.freeze(Array.from(keys2)); } else { retv[type] = Object.freeze(Array.from(additionalKeys[type])); } } return Object.freeze(retv); } exports2.KEYS = KEYS2; exports2.getKeys = getKeys2; exports2.unionWith = unionWith; } }); // node_modules/.pnpm/@eslint-community+eslint-utils@4.4.0_eslint@9.5.0/node_modules/@eslint-community/eslint-utils/index.js var require_eslint_utils = __commonJS({ "node_modules/.pnpm/@eslint-community+eslint-utils@4.4.0_eslint@9.5.0/node_modules/@eslint-community/eslint-utils/index.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var eslintVisitorKeys = require_eslint_visitor_keys(); function getInnermostScope2(initialScope, node) { const location = node.range[0]; let scope = initialScope; let found = false; do { found = false; for (const childScope of scope.childScopes) { const range = childScope.block.range; if (range[0] <= location && location < range[1]) { scope = childScope; found = true; break; } } } while (found); return scope; } function findVariable2(initialScope, nameOrNode) { let name = ""; let scope = initialScope; if (typeof nameOrNode === "string") { name = nameOrNode; } else { name = nameOrNode.name; scope = getInnermostScope2(scope, nameOrNode); } while (scope != null) { const variable = scope.set.get(name); if (variable != null) { return variable; } scope = scope.upper; } return null; } function negate02(token) { return !this(token); } function negate2(f) { return negate02.bind(f); } function isPunctuatorTokenWithValue2(token, value) { return token.type === "Punctuator" && token.value === value; } function isArrowToken2(token) { return isPunctuatorTokenWithValue2(token, "=>"); } function isCommaToken2(token) { return isPunctuatorTokenWithValue2(token, ","); } function isSemicolonToken2(token) { return isPunctuatorTokenWithValue2(token, ";"); } function isColonToken2(token) { return isPunctuatorTokenWithValue2(token, ":"); } function isOpeningParenToken2(token) { return isPunctuatorTokenWithValue2(token, "("); } function isClosingParenToken2(token) { return isPunctuatorTokenWithValue2(token, ")"); } function isOpeningBracketToken2(token) { return isPunctuatorTokenWithValue2(token, "["); } function isClosingBracketToken2(token) { return isPunctuatorTokenWithValue2(token, "]"); } function isOpeningBraceToken2(token) { return isPunctuatorTokenWithValue2(token, "{"); } function isClosingBraceToken2(token) { return isPunctuatorTokenWithValue2(token, "}"); } function isCommentToken2(token) { return ["Block", "Line", "Shebang"].includes(token.type); } var isNotArrowToken2 = negate2(isArrowToken2); var isNotCommaToken2 = negate2(isCommaToken2); var isNotSemicolonToken2 = negate2(isSemicolonToken2); var isNotColonToken2 = negate2(isColonToken2); var isNotOpeningParenToken2 = negate2(isOpeningParenToken2); var isNotClosingParenToken2 = negate2(isClosingParenToken2); var isNotOpeningBracketToken2 = negate2(isOpeningBracketToken2); var isNotClosingBracketToken2 = negate2(isClosingBracketToken2); var isNotOpeningBraceToken2 = negate2(isOpeningBraceToken2); var isNotClosingBraceToken2 = negate2(isClosingBraceToken2); var isNotCommentToken2 = negate2(isCommentToken2); function getOpeningParenOfParams2(node, sourceCode) { return node.id ? sourceCode.getTokenAfter(node.id, isOpeningParenToken2) : sourceCode.getFirstToken(node, isOpeningParenToken2); } function getFunctionHeadLocation2(node, sourceCode) { const parent = node.parent; let start = null; let end = null; if (node.type === "ArrowFunctionExpression") { const arrowToken = sourceCode.getTokenBefore(node.body, isArrowToken2); start = arrowToken.loc.start; end = arrowToken.loc.end; } else if (parent.type === "Property" || parent.type === "MethodDefinition" || parent.type === "PropertyDefinition") { start = parent.loc.start; end = getOpeningParenOfParams2(node, sourceCode).loc.start; } else { start = node.loc.start; end = getOpeningParenOfParams2(node, sourceCode).loc.start; } return { start: { ...start }, end: { ...end } }; } var globalObject2 = typeof globalThis !== "undefined" ? globalThis : typeof self !== "undefined" ? self : typeof window !== "undefined" ? window : typeof global !== "undefined" ? global : {}; var builtinNames2 = Object.freeze( /* @__PURE__ */ new Set([ "Array", "ArrayBuffer", "BigInt", "BigInt64Array", "BigUint64Array", "Boolean", "DataView", "Date", "decodeURI", "decodeURIComponent", "encodeURI", "encodeURIComponent", "escape", "Float32Array", "Float64Array", "Function", "Infinity", "Int16Array", "Int32Array", "Int8Array", "isFinite", "isNaN", "isPrototypeOf", "JSON", "Map", "Math", "NaN", "Number", "Object", "parseFloat", "parseInt", "Promise", "Proxy", "Reflect", "RegExp", "Set", "String", "Symbol", "Uint16Array", "Uint32Array", "Uint8Array", "Uint8ClampedArray", "undefined", "unescape", "WeakMap", "WeakSet" ]) ); var callAllowed2 = new Set( [ Array.isArray, Array.of, Array.prototype.at, Array.prototype.concat, Array.prototype.entries, Array.prototype.every, Array.prototype.filter, Array.prototype.find, Array.prototype.findIndex, Array.prototype.flat, Array.prototype.includes, Array.prototype.indexOf, Array.prototype.join, Array.prototype.keys, Array.prototype.lastIndexOf, Array.prototype.slice, Array.prototype.some, Array.prototype.toString, Array.prototype.values, typeof BigInt === "function" ? BigInt : void 0, Boolean, Date, Date.parse, decodeURI, decodeURIComponent, encodeURI, encodeURIComponent, escape, isFinite, isNaN, isPrototypeOf, Map, Map.prototype.entries, Map.prototype.get, Map.prototype.has, Map.prototype.keys, Map.prototype.values, ...Object.getOwnPropertyNames(Math).filter((k) => k !== "random").map((k) => Math[k]).filter((f) => typeof f === "function"), Number, Number.isFinite, Number.isNaN, Number.parseFloat, Number.parseInt, Number.prototype.toExponential, Number.prototype.toFixed, Number.prototype.toPrecision, Number.prototype.toString, Object, Object.entries, Object.is, Object.isExtensible, Object.isFrozen, Object.isSealed, Object.keys, Object.values, parseFloat, parseInt, RegExp, Set, Set.prototype.entries, Set.prototype.has, Set.prototype.keys, Set.prototype.values, String, String.fromCharCode, String.fromCodePoint, String.raw, String.prototype.at, String.prototype.charAt, String.prototype.charCodeAt, String.prototype.codePointAt, String.prototype.concat, String.prototype.endsWith, String.prototype.includes, String.prototype.indexOf, String.prototype.lastIndexOf, String.prototype.normalize, String.prototype.padEnd, String.prototype.padStart, String.prototype.slice, String.prototype.startsWith, String.prototype.substr, String.prototype.substring, String.prototype.toLowerCase, String.prototype.toString, String.prototype.toUpperCase, String.prototype.trim, String.prototype.trimEnd, String.prototype.trimLeft, String.prototype.trimRight, String.prototype.trimStart, Symbol.for, Symbol.keyFor, unescape ].filter((f) => typeof f === "function") ); var callPassThrough2 = /* @__PURE__ */ new Set([ Object.freeze, Object.preventExtensions, Object.seal ]); var getterAllowed2 = [ [Map, /* @__PURE__ */ new Set(["size"])], [ RegExp, /* @__PURE__ */ new Set([ "dotAll", "flags", "global", "hasIndices", "ignoreCase", "multiline", "source", "sticky", "unicode" ]) ], [Set, /* @__PURE__ */ new Set(["size"])] ]; function getPropertyDescriptor2(object, name) { let x = object; while ((typeof x === "object" || typeof x === "function") && x !== null) { const d = Object.getOwnPropertyDescriptor(x, name); if (d) { return d; } x = Object.getPrototypeOf(x); } return null; } function isGetter2(object, name) { const d = getPropertyDescriptor2(object, name); return d != null && d.get != null; } function getElementValues2(nodeList, initialScope) { const valueList = []; for (let i = 0; i < nodeList.length; ++i) { const elementNode = nodeList[i]; if (elementNode == null) { valueList.length = i + 1; } else if (elementNode.type === "SpreadElement") { const argument = getStaticValueR2(elementNode.argument, initialScope); if (argument == null) { return null; } valueList.push(...argument.value); } else { const element = getStaticValueR2(elementNode, initialScope); if (element == null) { return null; } valueList.push(element.value); } } return valueList; } function isEffectivelyConst2(variable) { const refs = variable.references; const inits = refs.filter((r) => r.init).length; const reads = refs.filter((r) => r.isReadOnly()).length; if (inits === 1 && reads + inits === refs.length) { return true; } return false; } var operations2 = Object.freeze({ ArrayExpression(node, initialScope) { const elements = getElementValues2(node.elements, initialScope); return elements != null ? { value: elements } : null; }, AssignmentExpression(node, initialScope) { if (node.operator === "=") { return getStaticValueR2(node.right, initialScope); } return null; }, //eslint-disable-next-line complexity BinaryExpression(node, initialScope) { if (node.operator === "in" || node.operator === "instanceof") { return null; } const left = getStaticValueR2(node.left, initialScope); const right = getStaticValueR2(node.right, initialScope); if (left != null && right != null) { switch (node.operator) { case "==": return { value: left.value == right.value }; case "!=": return { value: left.value != right.value }; case "===": return { value: left.value === right.value }; case "!==": return { value: left.value !== right.value }; case "<": return { value: left.value < right.value }; case "<=": return { value: left.value <= right.value }; case ">": return { value: left.value > right.value }; case ">=": return { value: left.value >= right.value }; case "<<": return { value: left.value << right.value }; case ">>": return { value: left.value >> right.value }; case ">>>": return { value: left.value >>> right.value }; case "+": return { value: left.value + right.value }; case "-": return { value: left.value - right.value }; case "*": return { value: left.value * right.value }; case "/": return { value: left.value / right.value }; case "%": return { value: left.value % right.value }; case "**": return { value: left.value ** right.value }; case "|": return { value: left.value | right.value }; case "^": return { value: left.value ^ right.value }; case "&": return { value: left.value & right.value }; } } return null; }, CallExpression(node, initialScope) { const calleeNode = node.callee; const args = getElementValues2(node.arguments, initialScope); if (args != null) { if (calleeNode.type === "MemberExpression") { if (calleeNode.property.type === "PrivateIdentifier") { return null; } const object = getStaticValueR2(calleeNode.object, initialScope); if (object != null) { if (object.value == null && (object.optional || node.optional)) { return { value: void 0, optional: true }; } const property = getStaticPropertyNameValue2( calleeNode, initialScope ); if (property != null) { const receiver = object.value; const methodName = property.value; if (callAllowed2.has(receiver[methodName])) { return { value: receiver[methodName](...args) }; } if (callPassThrough2.has(receiver[methodName])) { return { value: args[0] }; } } } } else { const callee = getStaticValueR2(calleeNode, initialScope); if (callee != null) { if (callee.value == null && node.optional) { return { value: void 0, optional: true }; } const func = callee.value; if (callAllowed2.has(func)) { return { value: func(...args) }; } if (callPassThrough2.has(func)) { return { value: args[0] }; } } } } return null; }, ConditionalExpression(node, initialScope) { const test = getStaticValueR2(node.test, initialScope); if (test != null) { return test.value ? getStaticValueR2(node.consequent, initialScope) : getStaticValueR2(node.alternate, initialScope); } return null; }, ExpressionStatement(node, initialScope) { return getStaticValueR2(node.expression, initialScope); }, Identifier(node, initialScope) { if (initialScope != null) { const variable = findVariable2(initialScope, node); if (variable != null && variable.defs.length === 0 && builtinNames2.has(variable.name) && variable.name in globalObject2) { return { value: globalObject2[variable.name] }; } if (variable != null && variable.defs.length === 1) { const def = variable.defs[0]; if (def.parent && def.type === "Variable" && (def.parent.kind === "const" || isEffectivelyConst2(variable)) && // TODO(mysticatea): don't support destructuring here. def.node.id.type === "Identifier") { return getStaticValueR2(def.node.init, initialScope); } } } return null; }, Literal(node) { if ((node.regex != null || node.bigint != null) && node.value == null) { return null; } return { value: node.value }; }, LogicalExpression(node, initialScope) { const left = getStaticValueR2(node.left, initialScope); if (left != null) { if (node.operator === "||" && Boolean(left.value) === true || node.operator === "&&" && Boolean(left.value) === false || node.operator === "??" && left.value != null) { return left; } const right = getStaticValueR2(node.right, initialScope); if (right != null) { return right; } } return null; }, MemberExpression(node, initialScope) { if (node.property.type === "PrivateIdentifier") { return null; } const object = getStaticValueR2(node.object, initialScope); if (object != null) { if (object.value == null && (object.optional || node.optional)) { return { value: void 0, optional: true }; } const property = getStaticPropertyNameValue2(node, initialScope); if (property != null) { if (!isGetter2(object.value, property.value)) { return { value: object.value[property.value] }; } for (const [classFn, allowed] of getterAllowed2) { if (object.value instanceof classFn && allowed.has(property.value)) { return { value: object.value[property.value] }; } } } } return null; }, ChainExpression(node, initialScope) { const expression = getStaticValueR2(node.expression, initialScope); if (expression != null) { return { value: expression.value }; } return null; }, NewExpression(node, initialScope) { const callee = getStaticValueR2(node.callee, initialScope); const args = getElementValues2(node.arguments, initialScope); if (callee != null && args != null) { const Func = callee.value; if (callAllowed2.has(Func)) { return { value: new Func(...args) }; } } return null; }, ObjectExpression(node, initialScope) { const object = {}; for (const propertyNode of node.properties) { if (propertyNode.type === "Property") { if (propertyNode.kind !== "init") { return null; } const key = getStaticPropertyNameValue2( propertyNode, initialScope ); const value = getStaticValueR2(propertyNode.value, initialScope); if (key == null || value == null) { return null; } object[key.value] = value.value; } else if (propertyNode.type === "SpreadElement" || propertyNode.type === "ExperimentalSpreadProperty") { const argument = getStaticValueR2( propertyNode.argument, initialScope ); if (argument == null) { return null; } Object.assign(object, argument.value); } else { return null; } } return { value: object }; }, SequenceExpression(node, initialScope) { const last = node.expressions[node.expressions.length - 1]; return getStaticValueR2(last, initialScope); }, TaggedTemplateExpression(node, initialScope) { const tag = getStaticValueR2(node.tag, initialScope); const expressions = getElementValues2( node.quasi.expressions, initialScope ); if (tag != null && expressions != null) { const func = tag.value; const strings = node.quasi.quasis.map((q) => q.value.cooked); strings.raw = node.quasi.quasis.map((q) => q.value.raw); if (func === String.raw) { return { value: func(strings, ...expressions) }; } } return null; }, TemplateLiteral(node, initialScope) { const expressions = getElementValues2(node.expressions, initialScope); if (expressions != null) { let value = node.quasis[0].value.cooked; for (let i = 0; i < expressions.length; ++i) { value += expressions[i]; value += node.quasis[i + 1].value.cooked; } return { value }; } return null; }, UnaryExpression(node, initialScope) { if (node.operator === "delete") { return null; } if (node.operator === "void") { return { value: void 0 }; } const arg = getStaticValueR2(node.argument, initialScope); if (arg != null) { switch (node.operator) { case "-": return { value: -arg.value }; case "+": return { value: +arg.value }; case "!": return { value: !arg.value }; case "~": return { value: ~arg.value }; case "typeof": return { value: typeof arg.value }; } } return null; } }); function getStaticValueR2(node, initialScope) { if (node != null && Object.hasOwnProperty.call(operations2, node.type)) { return operations2[node.type](node, initialScope); } return null; } function getStaticPropertyNameValue2(node, initialScope) { const nameNode = node.type === "Property" ? node.key : node.property; if (node.computed) { return getStaticValueR2(nameNode, initialScope); } if (nameNode.type === "Identifier") { return { value: nameNode.name }; } if (nameNode.type === "Literal") { if (nameNode.bigint) { return { value: nameNode.bigint }; } return { value: String(nameNode.value) }; } return null; } function getStaticValue2(node, initialScope = null) { try { return getStaticValueR2(node, initialScope); } catch (_error) { return null; } } function getStringIfConstant2(node, initialScope = null) { if (node && node.type === "Literal" && node.value === null) { if (node.regex) { return `/${node.regex.pattern}/${node.regex.flags}`; } if (node.bigint) { return node.bigint; } } const evaluated = getStaticValue2(node, initialScope); return evaluated && String(evaluated.value); } function getPropertyName2(node, initialScope) { switch (node.type) { case "MemberExpression": if (node.computed) { return getStringIfConstant2(node.property, initialScope); } if (node.property.type === "PrivateIdentifier") { return null; } return node.property.name; case "Property": case "MethodDefinition": case "PropertyDefinition": if (node.computed) { return getStringIfConstant2(node.key, initialScope); } if (node.key.type === "Literal") { return String(node.key.value); } if (node.key.type === "PrivateIdentifier") { return null; } return node.key.name; } return null; } function getFunctionNameWithKind2(node, sourceCode) { const parent = node.parent; const tokens = []; const isObjectMethod = parent.type === "Property" && parent.value === node; const isClassMethod = parent.type === "MethodDefinition" && parent.value === node; const isClassFieldMethod = parent.type === "PropertyDefinition" && parent.value === node; if (isClassMethod || isClassFieldMethod) { if (parent.static) { tokens.push("static"); } if (parent.key.type === "PrivateIdentifier") { tokens.push("private"); } } if (node.async) { tokens.push("async"); } if (node.generator) { tokens.push("generator"); } if (isObjectMethod || isClassMethod) { if (parent.kind === "constructor") { return "constructor"; } if (parent.kind === "get") { tokens.push("getter"); } else if (parent.kind === "set") { tokens.push("setter"); } else { tokens.push("method"); } } else if (isClassFieldMethod) { tokens.push("method"); } else { if (node.type === "ArrowFunctionExpression") { tokens.push("arrow"); } tokens.push("function"); } if (isObjectMethod || isClassMethod || isClassFieldMethod) { if (parent.key.type === "PrivateIdentifier") { tokens.push(`#${parent.key.name}`); } else { const name = getPropertyName2(parent); if (name) { tokens.push(`'${name}'`); } else if (sourceCode) { const keyText = sourceCode.getText(parent.key); if (!keyText.includes("\n")) { tokens.push(`[${keyText}]`); } } } } else if (node.id) { tokens.push(`'${node.id.name}'`); } else if (parent.type === "VariableDeclarator" && parent.id && parent.id.type === "Identifier") { tokens.push(`'${parent.id.name}'`); } else if ((parent.type === "AssignmentExpression" || parent.type === "AssignmentPattern") && parent.left && parent.left.type === "Identifier") { tokens.push(`'${parent.left.name}'`); } else if (parent.type === "ExportDefaultDeclaration" && parent.declaration === node) { tokens.push("'default'"); } return tokens.join(" "); } var typeConversionBinaryOps2 = Object.freeze( /* @__PURE__ */ new Set([ "==", "!=", "<", "<=", ">", ">=", "<<", ">>", ">>>", "+", "-", "*", "/", "%", "|", "^", "&", "in" ]) ); var typeConversionUnaryOps2 = Object.freeze(/* @__PURE__ */ new Set(["-", "+", "!", "~"])); function isNode2(x) { return x !== null && typeof x === "object" && typeof x.type === "string"; } var visitor2 = Object.freeze( Object.assign(/* @__PURE__ */ Object.create(null), { $visit(node, options, visitorKeys) { const { type } = node; if (typeof this[type] === "function") { return this[type](node, options, visitorKeys); } return this.$visitChildren(node, options, visitorKeys); }, $visitChildren(node, options, visitorKeys) { const { type } = node; for (const key of visitorKeys[type] || eslintVisitorKeys.getKeys(node)) { const value = node[key]; if (Array.isArray(value)) { for (const element of value) { if (isNode2(element) && this.$visit(element, options, visitorKeys)) { return true; } } } else if (isNode2(value) && this.$visit(value, options, visitorKeys)) { return true; } } return false; }, ArrowFunctionExpression() { return false; }, AssignmentExpression() { return true; }, AwaitExpression() { return true; }, BinaryExpression(node, options, visitorKeys) { if (options.considerImplicitTypeConversion && typeConversionBinaryOps2.has(node.operator) && (node.left.type !== "Literal" || node.right.type !== "Literal")) { return true; } return this.$visitChildren(node, options, visitorKeys); }, CallExpression() { return true; }, FunctionExpression() { return false; }, ImportExpression() { return true; }, MemberExpression(node, options, visitorKeys) { if (options.considerGetters) { return true; } if (options.considerImplicitTypeConversion && node.computed && node.property.type !== "Literal") { return true; } return this.$visitChildren(node, options, visitorKeys); }, MethodDefinition(node, options, visitorKeys) { if (options.considerImplicitTypeConversion && node.computed && node.key.type !== "Literal") { return true; } return this.$visitChildren(node, options, visitorKeys); }, NewExpression() { return true; }, Property(node, options, visitorKeys) { if (options.considerImplicitTypeConversion && node.computed && node.key.type !== "Literal") { return true; } return this.$visitChildren(node, options, visitorKeys); }, PropertyDefinition(node, options, visitorKeys) { if (options.considerImplicitTypeConversion && node.computed && node.key.type !== "Literal") { return true; } return this.$visitChildren(node, options, visitorKeys); }, UnaryExpression(node, options, visitorKeys) { if (node.operator === "delete") { return true; } if (options.considerImplicitTypeConversion && typeConversionUnaryOps2.has(node.operator) && node.argument.type !== "Literal") { return true; } return this.$visitChildren(node, options, visitorKeys); }, UpdateExpression() { return true; }, YieldExpression() { return true; } }) ); function hasSideEffect2(node, sourceCode, { considerGetters = false, considerImplicitTypeConversion = false } = {}) { return visitor2.$visit( node, { considerGetters, considerImplicitTypeConversion }, sourceCode.visitorKeys || eslintVisitorKeys.KEYS ); } function getParentSyntaxParen2(node, sourceCode) { const parent = node.parent; switch (parent.type) { case "CallExpression": case "NewExpression": if (parent.arguments.length === 1 && parent.arguments[0] === node) { return sourceCode.getTokenAfter( parent.callee, isOpeningParenToken2 ); } return null; case "DoWhileStatement": if (parent.test === node) { return sourceCode.getTokenAfter( parent.body, isOpeningParenToken2 ); } return null; case "IfStatement": case "WhileStatement": if (parent.test === node) { return sourceCode.getFirstToken(parent, 1); } return null; case "ImportExpression": if (parent.source === node) { return sourceCode.getFirstToken(parent, 1); } return null; case "SwitchStatement": if (parent.discriminant === node) { return sourceCode.getFirstToken(parent, 1); } return null; case "WithStatement": if (parent.object === node) { return sourceCode.getFirstToken(parent, 1); } return null; default: return null; } } function isParenthesized2(timesOrNode, nodeOrSourceCode, optionalSourceCode) { let times, node, sourceCode, maybeLeftParen, maybeRightParen; if (typeof timesOrNode === "number") { times = timesOrNode | 0; node = nodeOrSourceCode; sourceCode = optionalSourceCode; if (!(times >= 1)) { throw new TypeError("'times' should be a positive integer."); } } else { times = 1; node = timesOrNode; sourceCode = nodeOrSourceCode; } if (node == null || // `Program` can't be parenthesized node.parent == null || // `CatchClause.param` can't be parenthesized, example `try {} catch (error) {}` node.parent.type === "CatchClause" && node.parent.param === node) { return false; } maybeLeftParen = maybeRightParen = node; do { maybeLeftParen = sourceCode.getTokenBefore(maybeLeftParen); maybeRightParen = sourceCode.getTokenAfter(maybeRightParen); } while (maybeLeftParen != null && maybeRightParen != null && isOpeningParenToken2(maybeLeftParen) && isClosingParenToken2(maybeRightParen) && // Avoid false positive such as `if (a) {}` maybeLeftParen !== getParentSyntaxParen2(node, sourceCode) && --times > 0); return times === 0; } var placeholder = /\$(?:[$&`']|[1-9][0-9]?)/gu; var internal = /* @__PURE__ */ new WeakMap(); function isEscaped(str, index2) { let escaped = false; for (let i = index2 - 1; i >= 0 && str.charCodeAt(i) === 92; --i) { escaped = !escaped; } return escaped; } function replaceS(matcher, str, replacement) { const chunks = []; let index2 = 0; let match = null; function replacer(key) { switch (key) { case "$$": return "$"; case "$&": return match[0]; case "$`": return str.slice(0, match.index); case "$'": return str.slice(match.index + match[0].length); default: { const i = key.slice(1); if (i in match) { return match[i]; } return key; } } } for (match of matcher.execAll(str)) { chunks.push(str.slice(index2, match.index)); chunks.push(replacement.replace(placeholder, replacer)); index2 = match.index + match[0].length; } chunks.push(str.slice(index2)); return chunks.join(""); } function replaceF(matcher, str, replace) { const chunks = []; let index2 = 0; for (const match of matcher.execAll(str)) { chunks.push(str.slice(index2, match.index)); chunks.push(String(replace(...match, match.index, match.input))); index2 = match.index + match[0].length; } chunks.push(str.slice(index2)); return chunks.join(""); } var PatternMatcher = class { /** * Initialize this matcher. * @param {RegExp} pattern The pattern to match. * @param {{escaped:boolean}} options The options. */ constructor(pattern, { escaped = false } = {}) { if (!(pattern instanceof RegExp)) { throw new TypeError("'pattern' should be a RegExp instance."); } if (!pattern.flags.includes("g")) { throw new Error("'pattern' should contains 'g' flag."); } internal.set(this, { pattern: new RegExp(pattern.source, pattern.flags), escaped: Boolean(escaped) }); } /** * Find the pattern in a given string. * @param {string} str The string to find. * @returns {IterableIterator} The iterator which iterate the matched information. */ *execAll(str) { const { pattern, escaped } = internal.get(this); let match = null; let lastIndex = 0; pattern.lastIndex = 0; while ((match = pattern.exec(str)) != null) { if (escaped || !isEscaped(str, match.index)) { lastIndex = pattern.lastIndex; yield match; pattern.lastIndex = lastIndex; } } } /** * Check whether the pattern is found in a given string. * @param {string} str The string to check. * @returns {boolean} `true` if the pattern was found in the string. */ test(str) { const it = this.execAll(str); const ret = it.next(); return !ret.done; } /** * Replace a given string. * @param {string} str The string to be replaced. * @param {(string|((...strs:string[])=>string))} replacer The string or function to replace. This is the same as the 2nd argument of `String.prototype.replace`. * @returns {string} The replaced string. */ [Symbol.replace](str, replacer) { return typeof replacer === "function" ? replaceF(this, String(str), replacer) : replaceS(this, String(str), String(replacer)); } }; var IMPORT_TYPE2 = /^(?:Import|Export(?:All|Default|Named))Declaration$/u; var has2 = Function.call.bind(Object.hasOwnProperty); var READ2 = Symbol("read"); var CALL2 = Symbol("call"); var CONSTRUCT2 = Symbol("construct"); var ESM2 = Symbol("esm"); var requireCall2 = { require: { [CALL2]: true } }; function isModifiedGlobal2(variable) { return variable == null || variable.defs.length !== 0 || variable.references.some((r) => r.isWrite()); } function isPassThrough2(node) { const parent = node.parent; switch (parent && parent.type) { case "ConditionalExpression": return parent.consequent === node || parent.alternate === node; case "LogicalExpression": return true; case "SequenceExpression": return parent.expressions[parent.expressions.length - 1] === node; case "ChainExpression": return true; default: return false; } } var ReferenceTracker2 = class { /** * Initialize this tracker. * @param {Scope} globalScope The global scope. * @param {object} [options] The options. * @param {"legacy"|"strict"} [options.mode="strict"] The mode to determine the ImportDeclaration's behavior for CJS modules. * @param {string[]} [options.globalObjectNames=["global","globalThis","self","window"]] The variable names for Global Object. */ constructor(globalScope, { mode = "strict", globalObjectNames = ["global", "globalThis", "self", "window"] } = {}) { this.variableStack = []; this.globalScope = globalScope; this.mode = mode; this.globalObjectNames = globalObjectNames.slice(0); } /** * Iterate the references of global variables. * @param {object} traceMap The trace map. * @returns {IterableIterator<{node:Node,path:string[],type:symbol,info:any}>} The iterator to iterate references. */ *iterateGlobalReferences(traceMap) { for (const key of Object.keys(traceMap)) { const nextTraceMap = traceMap[key]; const path17 = [key]; const variable = this.globalScope.set.get(key); if (isModifiedGlobal2(variable)) { continue; } yield* this._iterateVariableReferences( variable, path17, nextTraceMap, true ); } for (const key of this.globalObjectNames) { const path17 = []; const variable = this.globalScope.set.get(key); if (isModifiedGlobal2(variable)) { continue; } yield* this._iterateVariableReferences( variable, path17, traceMap, false ); } } /** * Iterate the references of CommonJS modules. * @param {object} traceMap The trace map. * @returns {IterableIterator<{node:Node,path:string[],type:symbol,info:any}>} The iterator to iterate references. */ *iterateCjsReferences(traceMap) { for (const { node } of this.iterateGlobalReferences(requireCall2)) { const key = getStringIfConstant2(node.arguments[0]); if (key == null || !has2(traceMap, key)) { continue; } const nextTraceMap = traceMap[key]; const path17 = [key]; if (nextTraceMap[READ2]) { yield { node, path: path17, type: READ2, info: nextTraceMap[READ2] }; } yield* this._iteratePropertyReferences(node, path17, nextTraceMap); } } /** * Iterate the references of ES modules. * @param {object} traceMap The trace map. * @returns {IterableIterator<{node:Node,path:string[],type:symbol,info:any}>} The iterator to iterate references. */ *iterateEsmReferences(traceMap) { const programNode = this.globalScope.block; for (const node of programNode.body) { if (!IMPORT_TYPE2.test(node.type) || node.source == null) { continue; } const moduleId = node.source.value; if (!has2(traceMap, moduleId)) { continue; } const nextTraceMap = traceMap[moduleId]; const path17 = [moduleId]; if (nextTraceMap[READ2]) { yield { node, path: path17, type: READ2, info: nextTraceMap[READ2] }; } if (node.type === "ExportAllDeclaration") { for (const key of Object.keys(nextTraceMap)) { const exportTraceMap = nextTraceMap[key]; if (exportTraceMap[READ2]) { yield { node, path: path17.concat(key), type: READ2, info: exportTraceMap[READ2] }; } } } else { for (const specifier of node.specifiers) { const esm = has2(nextTraceMap, ESM2); const it = this._iterateImportReferences( specifier, path17, esm ? nextTraceMap : this.mode === "legacy" ? { default: nextTraceMap, ...nextTraceMap } : { default: nextTraceMap } ); if (esm) { yield* it; } else { for (const report of it) { report.path = report.path.filter(exceptDefault2); if (report.path.length >= 2 || report.type !== READ2) { yield report; } } } } } } } /** * Iterate the references for a given variable. * @param {Variable} variable The variable to iterate that references. * @param {string[]} path The current path. * @param {object} traceMap The trace map. * @param {boolean} shouldReport = The flag to report those references. * @returns {IterableIterator<{node:Node,path:string[],type:symbol,info:any}>} The iterator to iterate references. */ *_iterateVariableReferences(variable, path17, traceMap, shouldReport) { if (this.variableStack.includes(variable)) { return; } this.variableStack.push(variable); try { for (const reference of variable.references) { if (!reference.isRead()) { continue; } const node = reference.identifier; if (shouldReport && traceMap[READ2]) { yield { node, path: path17, type: READ2, info: traceMap[READ2] }; } yield* this._iteratePropertyReferences(node, path17, traceMap); } } finally { this.variableStack.pop(); } } /** * Iterate the references for a given AST node. * @param rootNode The AST node to iterate references. * @param {string[]} path The current path. * @param {object} traceMap The trace map. * @returns {IterableIterator<{node:Node,path:string[],type:symbol,info:any}>} The iterator to iterate references. */ //eslint-disable-next-line complexity *_iteratePropertyReferences(rootNode, path17, traceMap) { let node = rootNode; while (isPassThrough2(node)) { node = node.parent; } const parent = node.parent; if (parent.type === "MemberExpression") { if (parent.object === node) { const key = getPropertyName2(parent); if (key == null || !has2(traceMap, key)) { return; } path17 = path17.concat(key); const nextTraceMap = traceMap[key]; if (nextTraceMap[READ2]) { yield { node: parent, path: path17, type: READ2, info: nextTraceMap[READ2] }; } yield* this._iteratePropertyReferences( parent, path17, nextTraceMap ); } return; } if (parent.type === "CallExpression") { if (parent.callee === node && traceMap[CALL2]) { yield { node: parent, path: path17, type: CALL2, info: traceMap[CALL2] }; } return; } if (parent.type === "NewExpression") { if (parent.callee === node && traceMap[CONSTRUCT2]) { yield { node: parent, path: path17, type: CONSTRUCT2, info: traceMap[CONSTRUCT2] }; } return; } if (parent.type === "AssignmentExpression") { if (parent.right === node) { yield* this._iterateLhsReferences(parent.left, path17, traceMap); yield* this._iteratePropertyReferences(parent, path17, traceMap); } return; } if (parent.type === "AssignmentPattern") { if (parent.right === node) { yield* this._iterateLhsReferences(parent.left, path17, traceMap); } return; } if (parent.type === "VariableDeclarator") { if (parent.init === node) { yield* this._iterateLhsReferences(parent.id, path17, traceMap); } } } /** * Iterate the references for a given Pattern node. * @param {Node} patternNode The Pattern node to iterate references. * @param {string[]} path The current path. * @param {object} traceMap The trace map. * @returns {IterableIterator<{node:Node,path:string[],type:symbol,info:any}>} The iterator to iterate references. */ *_iterateLhsReferences(patternNode, path17, traceMap) { if (patternNode.type === "Identifier") { const variable = findVariable2(this.globalScope, patternNode); if (variable != null) { yield* this._iterateVariableReferences( variable, path17, traceMap, false ); } return; } if (patternNode.type === "ObjectPattern") { for (const property of patternNode.properties) { const key = getPropertyName2(property); if (key == null || !has2(traceMap, key)) { continue; } const nextPath = path17.concat(key); const nextTraceMap = traceMap[key]; if (nextTraceMap[READ2]) { yield { node: property, path: nextPath, type: READ2, info: nextTraceMap[READ2] }; } yield* this._iterateLhsReferences( property.value, nextPath, nextTraceMap ); } return; } if (patternNode.type === "AssignmentPattern") { yield* this._iterateLhsReferences(patternNode.left, path17, traceMap); } } /** * Iterate the references for a given ModuleSpecifier node. * @param {Node} specifierNode The ModuleSpecifier node to iterate references. * @param {string[]} path The current path. * @param {object} traceMap The trace map. * @returns {IterableIterator<{node:Node,path:string[],type:symbol,info:any}>} The iterator to iterate references. */ *_iterateImportReferences(specifierNode, path17, traceMap) { const type = specifierNode.type; if (type === "ImportSpecifier" || type === "ImportDefaultSpecifier") { const key = type === "ImportDefaultSpecifier" ? "default" : specifierNode.imported.name; if (!has2(traceMap, key)) { return; } path17 = path17.concat(key); const nextTraceMap = traceMap[key]; if (nextTraceMap[READ2]) { yield { node: specifierNode, path: path17, type: READ2, info: nextTraceMap[READ2] }; } yield* this._iterateVariableReferences( findVariable2(this.globalScope, specifierNode.local), path17, nextTraceMap, false ); return; } if (type === "ImportNamespaceSpecifier") { yield* this._iterateVariableReferences( findVariable2(this.globalScope, specifierNode.local), path17, traceMap, false ); return; } if (type === "ExportSpecifier") { const key = specifierNode.local.name; if (!has2(traceMap, key)) { return; } path17 = path17.concat(key); const nextTraceMap = traceMap[key]; if (nextTraceMap[READ2]) { yield { node: specifierNode, path: path17, type: READ2, info: nextTraceMap[READ2] }; } } } }; ReferenceTracker2.READ = READ2; ReferenceTracker2.CALL = CALL2; ReferenceTracker2.CONSTRUCT = CONSTRUCT2; ReferenceTracker2.ESM = ESM2; function exceptDefault2(name, index2) { return !(index2 === 1 && name === "default"); } var index = { CALL: CALL2, CONSTRUCT: CONSTRUCT2, ESM: ESM2, findVariable: findVariable2, getFunctionHeadLocation: getFunctionHeadLocation2, getFunctionNameWithKind: getFunctionNameWithKind2, getInnermostScope: getInnermostScope2, getPropertyName: getPropertyName2, getStaticValue: getStaticValue2, getStringIfConstant: getStringIfConstant2, hasSideEffect: hasSideEffect2, isArrowToken: isArrowToken2, isClosingBraceToken: isClosingBraceToken2, isClosingBracketToken: isClosingBracketToken2, isClosingParenToken: isClosingParenToken2, isColonToken: isColonToken2, isCommaToken: isCommaToken2, isCommentToken: isCommentToken2, isNotArrowToken: isNotArrowToken2, isNotClosingBraceToken: isNotClosingBraceToken2, isNotClosingBracketToken: isNotClosingBracketToken2, isNotClosingParenToken: isNotClosingParenToken2, isNotColonToken: isNotColonToken2, isNotCommaToken: isNotCommaToken2, isNotCommentToken: isNotCommentToken2, isNotOpeningBraceToken: isNotOpeningBraceToken2, isNotOpeningBracketToken: isNotOpeningBracketToken2, isNotOpeningParenToken: isNotOpeningParenToken2, isNotSemicolonToken: isNotSemicolonToken2, isOpeningBraceToken: isOpeningBraceToken2, isOpeningBracketToken: isOpeningBracketToken2, isOpeningParenToken: isOpeningParenToken2, isParenthesized: isParenthesized2, isSemicolonToken: isSemicolonToken2, PatternMatcher, READ: READ2, ReferenceTracker: ReferenceTracker2 }; exports2.CALL = CALL2; exports2.CONSTRUCT = CONSTRUCT2; exports2.ESM = ESM2; exports2.PatternMatcher = PatternMatcher; exports2.READ = READ2; exports2.ReferenceTracker = ReferenceTracker2; exports2["default"] = index; exports2.findVariable = findVariable2; exports2.getFunctionHeadLocation = getFunctionHeadLocation2; exports2.getFunctionNameWithKind = getFunctionNameWithKind2; exports2.getInnermostScope = getInnermostScope2; exports2.getPropertyName = getPropertyName2; exports2.getStaticValue = getStaticValue2; exports2.getStringIfConstant = getStringIfConstant2; exports2.hasSideEffect = hasSideEffect2; exports2.isArrowToken = isArrowToken2; exports2.isClosingBraceToken = isClosingBraceToken2; exports2.isClosingBracketToken = isClosingBracketToken2; exports2.isClosingParenToken = isClosingParenToken2; exports2.isColonToken = isColonToken2; exports2.isCommaToken = isCommaToken2; exports2.isCommentToken = isCommentToken2; exports2.isNotArrowToken = isNotArrowToken2; exports2.isNotClosingBraceToken = isNotClosingBraceToken2; exports2.isNotClosingBracketToken = isNotClosingBracketToken2; exports2.isNotClosingParenToken = isNotClosingParenToken2; exports2.isNotColonToken = isNotColonToken2; exports2.isNotCommaToken = isNotCommaToken2; exports2.isNotCommentToken = isNotCommentToken2; exports2.isNotOpeningBraceToken = isNotOpeningBraceToken2; exports2.isNotOpeningBracketToken = isNotOpeningBracketToken2; exports2.isNotOpeningParenToken = isNotOpeningParenToken2; exports2.isNotSemicolonToken = isNotSemicolonToken2; exports2.isOpeningBraceToken = isOpeningBraceToken2; exports2.isOpeningBracketToken = isOpeningBracketToken2; exports2.isOpeningParenToken = isOpeningParenToken2; exports2.isParenthesized = isParenthesized2; exports2.isSemicolonToken = isSemicolonToken2; } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/astUtilities.js var require_astUtilities = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/astUtilities.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.isParenthesized = exports2.hasSideEffect = exports2.getStringIfConstant = exports2.getStaticValue = exports2.getPropertyName = exports2.getFunctionNameWithKind = exports2.getFunctionHeadLocation = void 0; var eslintUtils = __importStar2(require_eslint_utils()); var getFunctionHeadLocation2 = eslintUtils.getFunctionHeadLocation; exports2.getFunctionHeadLocation = getFunctionHeadLocation2; var getFunctionNameWithKind2 = eslintUtils.getFunctionNameWithKind; exports2.getFunctionNameWithKind = getFunctionNameWithKind2; var getPropertyName2 = eslintUtils.getPropertyName; exports2.getPropertyName = getPropertyName2; var getStaticValue2 = eslintUtils.getStaticValue; exports2.getStaticValue = getStaticValue2; var getStringIfConstant2 = eslintUtils.getStringIfConstant; exports2.getStringIfConstant = getStringIfConstant2; var hasSideEffect2 = eslintUtils.hasSideEffect; exports2.hasSideEffect = hasSideEffect2; var isParenthesized2 = eslintUtils.isParenthesized; exports2.isParenthesized = isParenthesized2; } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/PatternMatcher.js var require_PatternMatcher = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/PatternMatcher.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.PatternMatcher = void 0; var eslintUtils = __importStar2(require_eslint_utils()); var PatternMatcher = eslintUtils.PatternMatcher; exports2.PatternMatcher = PatternMatcher; } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/predicates.js var require_predicates = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/predicates.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.isSemicolonToken = exports2.isOpeningParenToken = exports2.isOpeningBracketToken = exports2.isOpeningBraceToken = exports2.isNotSemicolonToken = exports2.isNotOpeningParenToken = exports2.isNotOpeningBracketToken = exports2.isNotOpeningBraceToken = exports2.isNotCommentToken = exports2.isNotCommaToken = exports2.isNotColonToken = exports2.isNotClosingParenToken = exports2.isNotClosingBracketToken = exports2.isNotClosingBraceToken = exports2.isNotArrowToken = exports2.isCommentToken = exports2.isCommaToken = exports2.isColonToken = exports2.isClosingParenToken = exports2.isClosingBracketToken = exports2.isClosingBraceToken = exports2.isArrowToken = void 0; var eslintUtils = __importStar2(require_eslint_utils()); var isArrowToken2 = eslintUtils.isArrowToken; exports2.isArrowToken = isArrowToken2; var isNotArrowToken2 = eslintUtils.isNotArrowToken; exports2.isNotArrowToken = isNotArrowToken2; var isClosingBraceToken2 = eslintUtils.isClosingBraceToken; exports2.isClosingBraceToken = isClosingBraceToken2; var isNotClosingBraceToken2 = eslintUtils.isNotClosingBraceToken; exports2.isNotClosingBraceToken = isNotClosingBraceToken2; var isClosingBracketToken2 = eslintUtils.isClosingBracketToken; exports2.isClosingBracketToken = isClosingBracketToken2; var isNotClosingBracketToken2 = eslintUtils.isNotClosingBracketToken; exports2.isNotClosingBracketToken = isNotClosingBracketToken2; var isClosingParenToken2 = eslintUtils.isClosingParenToken; exports2.isClosingParenToken = isClosingParenToken2; var isNotClosingParenToken2 = eslintUtils.isNotClosingParenToken; exports2.isNotClosingParenToken = isNotClosingParenToken2; var isColonToken2 = eslintUtils.isColonToken; exports2.isColonToken = isColonToken2; var isNotColonToken2 = eslintUtils.isNotColonToken; exports2.isNotColonToken = isNotColonToken2; var isCommaToken2 = eslintUtils.isCommaToken; exports2.isCommaToken = isCommaToken2; var isNotCommaToken2 = eslintUtils.isNotCommaToken; exports2.isNotCommaToken = isNotCommaToken2; var isCommentToken2 = eslintUtils.isCommentToken; exports2.isCommentToken = isCommentToken2; var isNotCommentToken2 = eslintUtils.isNotCommentToken; exports2.isNotCommentToken = isNotCommentToken2; var isOpeningBraceToken2 = eslintUtils.isOpeningBraceToken; exports2.isOpeningBraceToken = isOpeningBraceToken2; var isNotOpeningBraceToken2 = eslintUtils.isNotOpeningBraceToken; exports2.isNotOpeningBraceToken = isNotOpeningBraceToken2; var isOpeningBracketToken2 = eslintUtils.isOpeningBracketToken; exports2.isOpeningBracketToken = isOpeningBracketToken2; var isNotOpeningBracketToken2 = eslintUtils.isNotOpeningBracketToken; exports2.isNotOpeningBracketToken = isNotOpeningBracketToken2; var isOpeningParenToken2 = eslintUtils.isOpeningParenToken; exports2.isOpeningParenToken = isOpeningParenToken2; var isNotOpeningParenToken2 = eslintUtils.isNotOpeningParenToken; exports2.isNotOpeningParenToken = isNotOpeningParenToken2; var isSemicolonToken2 = eslintUtils.isSemicolonToken; exports2.isSemicolonToken = isSemicolonToken2; var isNotSemicolonToken2 = eslintUtils.isNotSemicolonToken; exports2.isNotSemicolonToken = isNotSemicolonToken2; } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/ReferenceTracker.js var require_ReferenceTracker = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/ReferenceTracker.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ReferenceTracker = void 0; var eslintUtils = __importStar2(require_eslint_utils()); var ReferenceTrackerREAD = eslintUtils.ReferenceTracker.READ; var ReferenceTrackerCALL = eslintUtils.ReferenceTracker.CALL; var ReferenceTrackerCONSTRUCT = eslintUtils.ReferenceTracker.CONSTRUCT; var ReferenceTrackerESM = eslintUtils.ReferenceTracker.ESM; var ReferenceTracker2 = eslintUtils.ReferenceTracker; exports2.ReferenceTracker = ReferenceTracker2; } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/scopeAnalysis.js var require_scopeAnalysis = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/scopeAnalysis.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getInnermostScope = exports2.findVariable = void 0; var eslintUtils = __importStar2(require_eslint_utils()); var findVariable2 = eslintUtils.findVariable; exports2.findVariable = findVariable2; var getInnermostScope2 = eslintUtils.getInnermostScope; exports2.getInnermostScope = getInnermostScope2; } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/index.js var require_eslint_utils2 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/index.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) { for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p); }; Object.defineProperty(exports2, "__esModule", { value: true }); __exportStar2(require_astUtilities(), exports2); __exportStar2(require_PatternMatcher(), exports2); __exportStar2(require_predicates(), exports2); __exportStar2(require_ReferenceTracker(), exports2); __exportStar2(require_scopeAnalysis(), exports2); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/helpers.js var require_helpers = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/helpers.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.isNotTokenOfTypeWithConditions = exports2.isTokenOfTypeWithConditions = exports2.isNodeOfTypeWithConditions = exports2.isNodeOfTypes = exports2.isNodeOfType = void 0; var isNodeOfType = (nodeType) => (node) => node?.type === nodeType; exports2.isNodeOfType = isNodeOfType; var isNodeOfTypes = (nodeTypes) => (node) => !!node && nodeTypes.includes(node.type); exports2.isNodeOfTypes = isNodeOfTypes; var isNodeOfTypeWithConditions = (nodeType, conditions) => { const entries = Object.entries(conditions); return (node) => node?.type === nodeType && entries.every(([key, value]) => node[key] === value); }; exports2.isNodeOfTypeWithConditions = isNodeOfTypeWithConditions; var isTokenOfTypeWithConditions = (tokenType, conditions) => { const entries = Object.entries(conditions); return (token) => token?.type === tokenType && entries.every(([key, value]) => token[key] === value); }; exports2.isTokenOfTypeWithConditions = isTokenOfTypeWithConditions; var isNotTokenOfTypeWithConditions = (tokenType, conditions) => (token) => !(0, exports2.isTokenOfTypeWithConditions)(tokenType, conditions)(token); exports2.isNotTokenOfTypeWithConditions = isNotTokenOfTypeWithConditions; } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/misc.js var require_misc = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/misc.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.LINEBREAK_MATCHER = void 0; exports2.isTokenOnSameLine = isTokenOnSameLine; var LINEBREAK_MATCHER = /\r\n|[\r\n\u2028\u2029]/; exports2.LINEBREAK_MATCHER = LINEBREAK_MATCHER; function isTokenOnSameLine(left, right) { return left.loc.end.line === right.loc.start.line; } } }); // node_modules/.pnpm/@typescript-eslint+types@7.16.0/node_modules/@typescript-eslint/types/dist/generated/ast-spec.js var require_ast_spec = __commonJS({ "node_modules/.pnpm/@typescript-eslint+types@7.16.0/node_modules/@typescript-eslint/types/dist/generated/ast-spec.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.AST_TOKEN_TYPES = exports2.AST_NODE_TYPES = void 0; var AST_NODE_TYPES; (function(AST_NODE_TYPES2) { AST_NODE_TYPES2["AccessorProperty"] = "AccessorProperty"; AST_NODE_TYPES2["ArrayExpression"] = "ArrayExpression"; AST_NODE_TYPES2["ArrayPattern"] = "ArrayPattern"; AST_NODE_TYPES2["ArrowFunctionExpression"] = "ArrowFunctionExpression"; AST_NODE_TYPES2["AssignmentExpression"] = "AssignmentExpression"; AST_NODE_TYPES2["AssignmentPattern"] = "AssignmentPattern"; AST_NODE_TYPES2["AwaitExpression"] = "AwaitExpression"; AST_NODE_TYPES2["BinaryExpression"] = "BinaryExpression"; AST_NODE_TYPES2["BlockStatement"] = "BlockStatement"; AST_NODE_TYPES2["BreakStatement"] = "BreakStatement"; AST_NODE_TYPES2["CallExpression"] = "CallExpression"; AST_NODE_TYPES2["CatchClause"] = "CatchClause"; AST_NODE_TYPES2["ChainExpression"] = "ChainExpression"; AST_NODE_TYPES2["ClassBody"] = "ClassBody"; AST_NODE_TYPES2["ClassDeclaration"] = "ClassDeclaration"; AST_NODE_TYPES2["ClassExpression"] = "ClassExpression"; AST_NODE_TYPES2["ConditionalExpression"] = "ConditionalExpression"; AST_NODE_TYPES2["ContinueStatement"] = "ContinueStatement"; AST_NODE_TYPES2["DebuggerStatement"] = "DebuggerStatement"; AST_NODE_TYPES2["Decorator"] = "Decorator"; AST_NODE_TYPES2["DoWhileStatement"] = "DoWhileStatement"; AST_NODE_TYPES2["EmptyStatement"] = "EmptyStatement"; AST_NODE_TYPES2["ExportAllDeclaration"] = "ExportAllDeclaration"; AST_NODE_TYPES2["ExportDefaultDeclaration"] = "ExportDefaultDeclaration"; AST_NODE_TYPES2["ExportNamedDeclaration"] = "ExportNamedDeclaration"; AST_NODE_TYPES2["ExportSpecifier"] = "ExportSpecifier"; AST_NODE_TYPES2["ExpressionStatement"] = "ExpressionStatement"; AST_NODE_TYPES2["ForInStatement"] = "ForInStatement"; AST_NODE_TYPES2["ForOfStatement"] = "ForOfStatement"; AST_NODE_TYPES2["ForStatement"] = "ForStatement"; AST_NODE_TYPES2["FunctionDeclaration"] = "FunctionDeclaration"; AST_NODE_TYPES2["FunctionExpression"] = "FunctionExpression"; AST_NODE_TYPES2["Identifier"] = "Identifier"; AST_NODE_TYPES2["IfStatement"] = "IfStatement"; AST_NODE_TYPES2["ImportAttribute"] = "ImportAttribute"; AST_NODE_TYPES2["ImportDeclaration"] = "ImportDeclaration"; AST_NODE_TYPES2["ImportDefaultSpecifier"] = "ImportDefaultSpecifier"; AST_NODE_TYPES2["ImportExpression"] = "ImportExpression"; AST_NODE_TYPES2["ImportNamespaceSpecifier"] = "ImportNamespaceSpecifier"; AST_NODE_TYPES2["ImportSpecifier"] = "ImportSpecifier"; AST_NODE_TYPES2["JSXAttribute"] = "JSXAttribute"; AST_NODE_TYPES2["JSXClosingElement"] = "JSXClosingElement"; AST_NODE_TYPES2["JSXClosingFragment"] = "JSXClosingFragment"; AST_NODE_TYPES2["JSXElement"] = "JSXElement"; AST_NODE_TYPES2["JSXEmptyExpression"] = "JSXEmptyExpression"; AST_NODE_TYPES2["JSXExpressionContainer"] = "JSXExpressionContainer"; AST_NODE_TYPES2["JSXFragment"] = "JSXFragment"; AST_NODE_TYPES2["JSXIdentifier"] = "JSXIdentifier"; AST_NODE_TYPES2["JSXMemberExpression"] = "JSXMemberExpression"; AST_NODE_TYPES2["JSXNamespacedName"] = "JSXNamespacedName"; AST_NODE_TYPES2["JSXOpeningElement"] = "JSXOpeningElement"; AST_NODE_TYPES2["JSXOpeningFragment"] = "JSXOpeningFragment"; AST_NODE_TYPES2["JSXSpreadAttribute"] = "JSXSpreadAttribute"; AST_NODE_TYPES2["JSXSpreadChild"] = "JSXSpreadChild"; AST_NODE_TYPES2["JSXText"] = "JSXText"; AST_NODE_TYPES2["LabeledStatement"] = "LabeledStatement"; AST_NODE_TYPES2["Literal"] = "Literal"; AST_NODE_TYPES2["LogicalExpression"] = "LogicalExpression"; AST_NODE_TYPES2["MemberExpression"] = "MemberExpression"; AST_NODE_TYPES2["MetaProperty"] = "MetaProperty"; AST_NODE_TYPES2["MethodDefinition"] = "MethodDefinition"; AST_NODE_TYPES2["NewExpression"] = "NewExpression"; AST_NODE_TYPES2["ObjectExpression"] = "ObjectExpression"; AST_NODE_TYPES2["ObjectPattern"] = "ObjectPattern"; AST_NODE_TYPES2["PrivateIdentifier"] = "PrivateIdentifier"; AST_NODE_TYPES2["Program"] = "Program"; AST_NODE_TYPES2["Property"] = "Property"; AST_NODE_TYPES2["PropertyDefinition"] = "PropertyDefinition"; AST_NODE_TYPES2["RestElement"] = "RestElement"; AST_NODE_TYPES2["ReturnStatement"] = "ReturnStatement"; AST_NODE_TYPES2["SequenceExpression"] = "SequenceExpression"; AST_NODE_TYPES2["SpreadElement"] = "SpreadElement"; AST_NODE_TYPES2["StaticBlock"] = "StaticBlock"; AST_NODE_TYPES2["Super"] = "Super"; AST_NODE_TYPES2["SwitchCase"] = "SwitchCase"; AST_NODE_TYPES2["SwitchStatement"] = "SwitchStatement"; AST_NODE_TYPES2["TaggedTemplateExpression"] = "TaggedTemplateExpression"; AST_NODE_TYPES2["TemplateElement"] = "TemplateElement"; AST_NODE_TYPES2["TemplateLiteral"] = "TemplateLiteral"; AST_NODE_TYPES2["ThisExpression"] = "ThisExpression"; AST_NODE_TYPES2["ThrowStatement"] = "ThrowStatement"; AST_NODE_TYPES2["TryStatement"] = "TryStatement"; AST_NODE_TYPES2["UnaryExpression"] = "UnaryExpression"; AST_NODE_TYPES2["UpdateExpression"] = "UpdateExpression"; AST_NODE_TYPES2["VariableDeclaration"] = "VariableDeclaration"; AST_NODE_TYPES2["VariableDeclarator"] = "VariableDeclarator"; AST_NODE_TYPES2["WhileStatement"] = "WhileStatement"; AST_NODE_TYPES2["WithStatement"] = "WithStatement"; AST_NODE_TYPES2["YieldExpression"] = "YieldExpression"; AST_NODE_TYPES2["TSAbstractAccessorProperty"] = "TSAbstractAccessorProperty"; AST_NODE_TYPES2["TSAbstractKeyword"] = "TSAbstractKeyword"; AST_NODE_TYPES2["TSAbstractMethodDefinition"] = "TSAbstractMethodDefinition"; AST_NODE_TYPES2["TSAbstractPropertyDefinition"] = "TSAbstractPropertyDefinition"; AST_NODE_TYPES2["TSAnyKeyword"] = "TSAnyKeyword"; AST_NODE_TYPES2["TSArrayType"] = "TSArrayType"; AST_NODE_TYPES2["TSAsExpression"] = "TSAsExpression"; AST_NODE_TYPES2["TSAsyncKeyword"] = "TSAsyncKeyword"; AST_NODE_TYPES2["TSBigIntKeyword"] = "TSBigIntKeyword"; AST_NODE_TYPES2["TSBooleanKeyword"] = "TSBooleanKeyword"; AST_NODE_TYPES2["TSCallSignatureDeclaration"] = "TSCallSignatureDeclaration"; AST_NODE_TYPES2["TSClassImplements"] = "TSClassImplements"; AST_NODE_TYPES2["TSConditionalType"] = "TSConditionalType"; AST_NODE_TYPES2["TSConstructorType"] = "TSConstructorType"; AST_NODE_TYPES2["TSConstructSignatureDeclaration"] = "TSConstructSignatureDeclaration"; AST_NODE_TYPES2["TSDeclareFunction"] = "TSDeclareFunction"; AST_NODE_TYPES2["TSDeclareKeyword"] = "TSDeclareKeyword"; AST_NODE_TYPES2["TSEmptyBodyFunctionExpression"] = "TSEmptyBodyFunctionExpression"; AST_NODE_TYPES2["TSEnumDeclaration"] = "TSEnumDeclaration"; AST_NODE_TYPES2["TSEnumMember"] = "TSEnumMember"; AST_NODE_TYPES2["TSExportAssignment"] = "TSExportAssignment"; AST_NODE_TYPES2["TSExportKeyword"] = "TSExportKeyword"; AST_NODE_TYPES2["TSExternalModuleReference"] = "TSExternalModuleReference"; AST_NODE_TYPES2["TSFunctionType"] = "TSFunctionType"; AST_NODE_TYPES2["TSInstantiationExpression"] = "TSInstantiationExpression"; AST_NODE_TYPES2["TSImportEqualsDeclaration"] = "TSImportEqualsDeclaration"; AST_NODE_TYPES2["TSImportType"] = "TSImportType"; AST_NODE_TYPES2["TSIndexedAccessType"] = "TSIndexedAccessType"; AST_NODE_TYPES2["TSIndexSignature"] = "TSIndexSignature"; AST_NODE_TYPES2["TSInferType"] = "TSInferType"; AST_NODE_TYPES2["TSInterfaceBody"] = "TSInterfaceBody"; AST_NODE_TYPES2["TSInterfaceDeclaration"] = "TSInterfaceDeclaration"; AST_NODE_TYPES2["TSInterfaceHeritage"] = "TSInterfaceHeritage"; AST_NODE_TYPES2["TSIntersectionType"] = "TSIntersectionType"; AST_NODE_TYPES2["TSIntrinsicKeyword"] = "TSIntrinsicKeyword"; AST_NODE_TYPES2["TSLiteralType"] = "TSLiteralType"; AST_NODE_TYPES2["TSMappedType"] = "TSMappedType"; AST_NODE_TYPES2["TSMethodSignature"] = "TSMethodSignature"; AST_NODE_TYPES2["TSModuleBlock"] = "TSModuleBlock"; AST_NODE_TYPES2["TSModuleDeclaration"] = "TSModuleDeclaration"; AST_NODE_TYPES2["TSNamedTupleMember"] = "TSNamedTupleMember"; AST_NODE_TYPES2["TSNamespaceExportDeclaration"] = "TSNamespaceExportDeclaration"; AST_NODE_TYPES2["TSNeverKeyword"] = "TSNeverKeyword"; AST_NODE_TYPES2["TSNonNullExpression"] = "TSNonNullExpression"; AST_NODE_TYPES2["TSNullKeyword"] = "TSNullKeyword"; AST_NODE_TYPES2["TSNumberKeyword"] = "TSNumberKeyword"; AST_NODE_TYPES2["TSObjectKeyword"] = "TSObjectKeyword"; AST_NODE_TYPES2["TSOptionalType"] = "TSOptionalType"; AST_NODE_TYPES2["TSParameterProperty"] = "TSParameterProperty"; AST_NODE_TYPES2["TSPrivateKeyword"] = "TSPrivateKeyword"; AST_NODE_TYPES2["TSPropertySignature"] = "TSPropertySignature"; AST_NODE_TYPES2["TSProtectedKeyword"] = "TSProtectedKeyword"; AST_NODE_TYPES2["TSPublicKeyword"] = "TSPublicKeyword"; AST_NODE_TYPES2["TSQualifiedName"] = "TSQualifiedName"; AST_NODE_TYPES2["TSReadonlyKeyword"] = "TSReadonlyKeyword"; AST_NODE_TYPES2["TSRestType"] = "TSRestType"; AST_NODE_TYPES2["TSSatisfiesExpression"] = "TSSatisfiesExpression"; AST_NODE_TYPES2["TSStaticKeyword"] = "TSStaticKeyword"; AST_NODE_TYPES2["TSStringKeyword"] = "TSStringKeyword"; AST_NODE_TYPES2["TSSymbolKeyword"] = "TSSymbolKeyword"; AST_NODE_TYPES2["TSTemplateLiteralType"] = "TSTemplateLiteralType"; AST_NODE_TYPES2["TSThisType"] = "TSThisType"; AST_NODE_TYPES2["TSTupleType"] = "TSTupleType"; AST_NODE_TYPES2["TSTypeAliasDeclaration"] = "TSTypeAliasDeclaration"; AST_NODE_TYPES2["TSTypeAnnotation"] = "TSTypeAnnotation"; AST_NODE_TYPES2["TSTypeAssertion"] = "TSTypeAssertion"; AST_NODE_TYPES2["TSTypeLiteral"] = "TSTypeLiteral"; AST_NODE_TYPES2["TSTypeOperator"] = "TSTypeOperator"; AST_NODE_TYPES2["TSTypeParameter"] = "TSTypeParameter"; AST_NODE_TYPES2["TSTypeParameterDeclaration"] = "TSTypeParameterDeclaration"; AST_NODE_TYPES2["TSTypeParameterInstantiation"] = "TSTypeParameterInstantiation"; AST_NODE_TYPES2["TSTypePredicate"] = "TSTypePredicate"; AST_NODE_TYPES2["TSTypeQuery"] = "TSTypeQuery"; AST_NODE_TYPES2["TSTypeReference"] = "TSTypeReference"; AST_NODE_TYPES2["TSUndefinedKeyword"] = "TSUndefinedKeyword"; AST_NODE_TYPES2["TSUnionType"] = "TSUnionType"; AST_NODE_TYPES2["TSUnknownKeyword"] = "TSUnknownKeyword"; AST_NODE_TYPES2["TSVoidKeyword"] = "TSVoidKeyword"; })(AST_NODE_TYPES || (exports2.AST_NODE_TYPES = AST_NODE_TYPES = {})); var AST_TOKEN_TYPES; (function(AST_TOKEN_TYPES2) { AST_TOKEN_TYPES2["Boolean"] = "Boolean"; AST_TOKEN_TYPES2["Identifier"] = "Identifier"; AST_TOKEN_TYPES2["JSXIdentifier"] = "JSXIdentifier"; AST_TOKEN_TYPES2["JSXText"] = "JSXText"; AST_TOKEN_TYPES2["Keyword"] = "Keyword"; AST_TOKEN_TYPES2["Null"] = "Null"; AST_TOKEN_TYPES2["Numeric"] = "Numeric"; AST_TOKEN_TYPES2["Punctuator"] = "Punctuator"; AST_TOKEN_TYPES2["RegularExpression"] = "RegularExpression"; AST_TOKEN_TYPES2["String"] = "String"; AST_TOKEN_TYPES2["Template"] = "Template"; AST_TOKEN_TYPES2["Block"] = "Block"; AST_TOKEN_TYPES2["Line"] = "Line"; })(AST_TOKEN_TYPES || (exports2.AST_TOKEN_TYPES = AST_TOKEN_TYPES = {})); } }); // node_modules/.pnpm/@typescript-eslint+types@7.16.0/node_modules/@typescript-eslint/types/dist/lib.js var require_lib = __commonJS({ "node_modules/.pnpm/@typescript-eslint+types@7.16.0/node_modules/@typescript-eslint/types/dist/lib.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); } }); // node_modules/.pnpm/@typescript-eslint+types@7.16.0/node_modules/@typescript-eslint/types/dist/parser-options.js var require_parser_options = __commonJS({ "node_modules/.pnpm/@typescript-eslint+types@7.16.0/node_modules/@typescript-eslint/types/dist/parser-options.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); } }); // node_modules/.pnpm/@typescript-eslint+types@7.16.0/node_modules/@typescript-eslint/types/dist/ts-estree.js var require_ts_estree = __commonJS({ "node_modules/.pnpm/@typescript-eslint+types@7.16.0/node_modules/@typescript-eslint/types/dist/ts-estree.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.TSESTree = void 0; exports2.TSESTree = __importStar2(require_ast_spec()); } }); // node_modules/.pnpm/@typescript-eslint+types@7.16.0/node_modules/@typescript-eslint/types/dist/index.js var require_dist = __commonJS({ "node_modules/.pnpm/@typescript-eslint+types@7.16.0/node_modules/@typescript-eslint/types/dist/index.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) { for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p); }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.AST_TOKEN_TYPES = exports2.AST_NODE_TYPES = void 0; var ast_spec_1 = require_ast_spec(); Object.defineProperty(exports2, "AST_NODE_TYPES", { enumerable: true, get: function() { return ast_spec_1.AST_NODE_TYPES; } }); Object.defineProperty(exports2, "AST_TOKEN_TYPES", { enumerable: true, get: function() { return ast_spec_1.AST_TOKEN_TYPES; } }); __exportStar2(require_lib(), exports2); __exportStar2(require_parser_options(), exports2); __exportStar2(require_ts_estree(), exports2); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-estree.js var require_ts_estree2 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-estree.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.TSESTree = exports2.AST_TOKEN_TYPES = exports2.AST_NODE_TYPES = void 0; var types_1 = require_dist(); Object.defineProperty(exports2, "AST_NODE_TYPES", { enumerable: true, get: function() { return types_1.AST_NODE_TYPES; } }); Object.defineProperty(exports2, "AST_TOKEN_TYPES", { enumerable: true, get: function() { return types_1.AST_TOKEN_TYPES; } }); Object.defineProperty(exports2, "TSESTree", { enumerable: true, get: function() { return types_1.TSESTree; } }); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/predicates.js var require_predicates2 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/predicates.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.isVariableDeclarator = exports2.isTypeKeyword = exports2.isTypeAssertion = exports2.isTSFunctionType = exports2.isTSConstructorType = exports2.isOptionalCallExpression = exports2.isOptionalChainPunctuator = exports2.isNotOptionalChainPunctuator = exports2.isNotNonNullAssertionPunctuator = exports2.isNonNullAssertionPunctuator = exports2.isLogicalOrOperator = exports2.isLoop = exports2.isImportKeyword = exports2.isIdentifier = exports2.isFunctionType = exports2.isFunctionOrFunctionType = exports2.isFunction = exports2.isClassOrTypeElement = exports2.isConstructor = exports2.isAwaitKeyword = exports2.isAwaitExpression = void 0; exports2.isSetter = isSetter; var ts_estree_1 = require_ts_estree2(); var helpers_1 = require_helpers(); var isOptionalChainPunctuator = (0, helpers_1.isTokenOfTypeWithConditions)(ts_estree_1.AST_TOKEN_TYPES.Punctuator, { value: "?." }); exports2.isOptionalChainPunctuator = isOptionalChainPunctuator; var isNotOptionalChainPunctuator = (0, helpers_1.isNotTokenOfTypeWithConditions)(ts_estree_1.AST_TOKEN_TYPES.Punctuator, { value: "?." }); exports2.isNotOptionalChainPunctuator = isNotOptionalChainPunctuator; var isNonNullAssertionPunctuator = (0, helpers_1.isTokenOfTypeWithConditions)(ts_estree_1.AST_TOKEN_TYPES.Punctuator, { value: "!" }); exports2.isNonNullAssertionPunctuator = isNonNullAssertionPunctuator; var isNotNonNullAssertionPunctuator = (0, helpers_1.isNotTokenOfTypeWithConditions)(ts_estree_1.AST_TOKEN_TYPES.Punctuator, { value: "!" }); exports2.isNotNonNullAssertionPunctuator = isNotNonNullAssertionPunctuator; var isOptionalCallExpression = (0, helpers_1.isNodeOfTypeWithConditions)( ts_estree_1.AST_NODE_TYPES.CallExpression, // this flag means the call expression itself is option // i.e. it is foo.bar?.() and not foo?.bar() { optional: true } ); exports2.isOptionalCallExpression = isOptionalCallExpression; var isLogicalOrOperator = (0, helpers_1.isNodeOfTypeWithConditions)(ts_estree_1.AST_NODE_TYPES.LogicalExpression, { operator: "||" }); exports2.isLogicalOrOperator = isLogicalOrOperator; var isTypeAssertion = (0, helpers_1.isNodeOfTypes)([ ts_estree_1.AST_NODE_TYPES.TSAsExpression, ts_estree_1.AST_NODE_TYPES.TSTypeAssertion ]); exports2.isTypeAssertion = isTypeAssertion; var isVariableDeclarator = (0, helpers_1.isNodeOfType)(ts_estree_1.AST_NODE_TYPES.VariableDeclarator); exports2.isVariableDeclarator = isVariableDeclarator; var functionTypes2 = [ ts_estree_1.AST_NODE_TYPES.ArrowFunctionExpression, ts_estree_1.AST_NODE_TYPES.FunctionDeclaration, ts_estree_1.AST_NODE_TYPES.FunctionExpression ]; var isFunction3 = (0, helpers_1.isNodeOfTypes)(functionTypes2); exports2.isFunction = isFunction3; var functionTypeTypes = [ ts_estree_1.AST_NODE_TYPES.TSCallSignatureDeclaration, ts_estree_1.AST_NODE_TYPES.TSConstructorType, ts_estree_1.AST_NODE_TYPES.TSConstructSignatureDeclaration, ts_estree_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression, ts_estree_1.AST_NODE_TYPES.TSFunctionType, ts_estree_1.AST_NODE_TYPES.TSMethodSignature ]; var isFunctionType = (0, helpers_1.isNodeOfTypes)(functionTypeTypes); exports2.isFunctionType = isFunctionType; var isFunctionOrFunctionType = (0, helpers_1.isNodeOfTypes)([ ...functionTypes2, ...functionTypeTypes ]); exports2.isFunctionOrFunctionType = isFunctionOrFunctionType; var isTSFunctionType = (0, helpers_1.isNodeOfType)(ts_estree_1.AST_NODE_TYPES.TSFunctionType); exports2.isTSFunctionType = isTSFunctionType; var isTSConstructorType = (0, helpers_1.isNodeOfType)(ts_estree_1.AST_NODE_TYPES.TSConstructorType); exports2.isTSConstructorType = isTSConstructorType; var isClassOrTypeElement = (0, helpers_1.isNodeOfTypes)([ // ClassElement ts_estree_1.AST_NODE_TYPES.PropertyDefinition, ts_estree_1.AST_NODE_TYPES.FunctionExpression, ts_estree_1.AST_NODE_TYPES.MethodDefinition, ts_estree_1.AST_NODE_TYPES.TSAbstractPropertyDefinition, ts_estree_1.AST_NODE_TYPES.TSAbstractMethodDefinition, ts_estree_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression, ts_estree_1.AST_NODE_TYPES.TSIndexSignature, // TypeElement ts_estree_1.AST_NODE_TYPES.TSCallSignatureDeclaration, ts_estree_1.AST_NODE_TYPES.TSConstructSignatureDeclaration, // AST_NODE_TYPES.TSIndexSignature, ts_estree_1.AST_NODE_TYPES.TSMethodSignature, ts_estree_1.AST_NODE_TYPES.TSPropertySignature ]); exports2.isClassOrTypeElement = isClassOrTypeElement; var isConstructor = (0, helpers_1.isNodeOfTypeWithConditions)(ts_estree_1.AST_NODE_TYPES.MethodDefinition, { kind: "constructor" }); exports2.isConstructor = isConstructor; function isSetter(node) { return !!node && (node.type === ts_estree_1.AST_NODE_TYPES.MethodDefinition || node.type === ts_estree_1.AST_NODE_TYPES.Property) && node.kind === "set"; } var isIdentifier = (0, helpers_1.isNodeOfType)(ts_estree_1.AST_NODE_TYPES.Identifier); exports2.isIdentifier = isIdentifier; var isAwaitExpression = (0, helpers_1.isNodeOfType)(ts_estree_1.AST_NODE_TYPES.AwaitExpression); exports2.isAwaitExpression = isAwaitExpression; var isAwaitKeyword = (0, helpers_1.isTokenOfTypeWithConditions)(ts_estree_1.AST_TOKEN_TYPES.Identifier, { value: "await" }); exports2.isAwaitKeyword = isAwaitKeyword; var isTypeKeyword = (0, helpers_1.isTokenOfTypeWithConditions)(ts_estree_1.AST_TOKEN_TYPES.Identifier, { value: "type" }); exports2.isTypeKeyword = isTypeKeyword; var isImportKeyword = (0, helpers_1.isTokenOfTypeWithConditions)(ts_estree_1.AST_TOKEN_TYPES.Keyword, { value: "import" }); exports2.isImportKeyword = isImportKeyword; var isLoop = (0, helpers_1.isNodeOfTypes)([ ts_estree_1.AST_NODE_TYPES.DoWhileStatement, ts_estree_1.AST_NODE_TYPES.ForStatement, ts_estree_1.AST_NODE_TYPES.ForInStatement, ts_estree_1.AST_NODE_TYPES.ForOfStatement, ts_estree_1.AST_NODE_TYPES.WhileStatement ]); exports2.isLoop = isLoop; } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/index.js var require_ast_utils = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ast-utils/index.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) { for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p); }; Object.defineProperty(exports2, "__esModule", { value: true }); __exportStar2(require_eslint_utils2(), exports2); __exportStar2(require_helpers(), exports2); __exportStar2(require_misc(), exports2); __exportStar2(require_predicates2(), exports2); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/deepMerge.js var require_deepMerge = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/deepMerge.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.deepMerge = deepMerge; exports2.isObjectNotArray = isObjectNotArray; function isObjectNotArray(obj) { return typeof obj === "object" && obj != null && !Array.isArray(obj); } function deepMerge(first = {}, second = {}) { const keys2 = new Set(Object.keys(first).concat(Object.keys(second))); return Array.from(keys2).reduce((acc, key) => { const firstHasKey = key in first; const secondHasKey = key in second; const firstValue = first[key]; const secondValue = second[key]; if (firstHasKey && secondHasKey) { if (isObjectNotArray(firstValue) && isObjectNotArray(secondValue)) { acc[key] = deepMerge(firstValue, secondValue); } else { acc[key] = secondValue; } } else if (firstHasKey) { acc[key] = firstValue; } else { acc[key] = secondValue; } return acc; }, {}); } } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/applyDefault.js var require_applyDefault = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/applyDefault.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.applyDefault = applyDefault; var deepMerge_1 = require_deepMerge(); function applyDefault(defaultOptions2, userOptions) { const options = JSON.parse(JSON.stringify(defaultOptions2)); if (userOptions == null) { return options; } options.forEach((opt, i) => { if (userOptions[i] !== void 0) { const userOpt = userOptions[i]; if ((0, deepMerge_1.isObjectNotArray)(userOpt) && (0, deepMerge_1.isObjectNotArray)(opt)) { options[i] = (0, deepMerge_1.deepMerge)(opt, userOpt); } else { options[i] = userOpt; } } }); return options; } } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/context.js var require_context = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/context.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getAncestors = getAncestors; exports2.getCwd = getCwd; exports2.getDeclaredVariables = getDeclaredVariables; exports2.getFilename = getFilename; exports2.getScope = getScope; exports2.getSourceCode = getSourceCode; function getAncestors(context) { return context.getAncestors(); } function getCwd(context) { return context.getCwd(); } function getDeclaredVariables(context, node) { return context.sourceCode.getDeclaredVariables(node); } function getFilename(context) { return context.filename; } function getScope(context) { return context.getScope(); } function getSourceCode(context) { return context.sourceCode; } } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/parserSeemsToBeTSESLint.js var require_parserSeemsToBeTSESLint = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/parserSeemsToBeTSESLint.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.parserSeemsToBeTSESLint = parserSeemsToBeTSESLint; function parserSeemsToBeTSESLint(parser) { return !!parser && /(?:typescript-eslint|\.\.)[\w/\\]*parser/.test(parser); } } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/getParserServices.js var require_getParserServices = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/getParserServices.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getParserServices = getParserServices; var parserSeemsToBeTSESLint_1 = require_parserSeemsToBeTSESLint(); var ERROR_MESSAGE_REQUIRES_PARSER_SERVICES = 'You have used a rule which requires parserServices to be generated. You must therefore provide a value for the "parserOptions.project" property for @typescript-eslint/parser.'; var ERROR_MESSAGE_UNKNOWN_PARSER = 'Note: detected a parser other than @typescript-eslint/parser. Make sure the parser is configured to forward "parserOptions.project" to @typescript-eslint/parser.'; function getParserServices(context, allowWithoutFullTypeInformation = false) { const parser = context.parserPath || context.languageOptions.parser?.meta?.name; if (context.sourceCode.parserServices?.esTreeNodeToTSNodeMap == null || context.sourceCode.parserServices.tsNodeToESTreeNodeMap == null) { throwError(parser); } if (context.sourceCode.parserServices.program == null && !allowWithoutFullTypeInformation) { throwError(parser); } return context.sourceCode.parserServices; } function throwError(parser) { const messages116 = [ ERROR_MESSAGE_REQUIRES_PARSER_SERVICES, `Parser: ${parser || "(unknown)"}`, !(0, parserSeemsToBeTSESLint_1.parserSeemsToBeTSESLint)(parser) && ERROR_MESSAGE_UNKNOWN_PARSER ].filter(Boolean); throw new Error(messages116.join("\n")); } } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/InferTypesFromRule.js var require_InferTypesFromRule = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/InferTypesFromRule.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/RuleCreator.js var require_RuleCreator = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/RuleCreator.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.RuleCreator = RuleCreator; var applyDefault_1 = require_applyDefault(); function RuleCreator(urlCreator) { return function createNamedRule({ name, meta, ...rule }) { return createRule({ meta: { ...meta, docs: { ...meta.docs, url: urlCreator(name) } }, ...rule }); }; } function createRule({ create: create119, defaultOptions: defaultOptions2, meta }) { return { create(context) { const optionsWithDefault = (0, applyDefault_1.applyDefault)(defaultOptions2, context.options); return create119(context, optionsWithDefault); }, defaultOptions: defaultOptions2, meta }; } RuleCreator.withoutDocs = createRule; } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/nullThrows.js var require_nullThrows = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/nullThrows.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.NullThrowsReasons = void 0; exports2.nullThrows = nullThrows; var NullThrowsReasons = { MissingParent: "Expected node to have a parent.", MissingToken: (token, thing) => `Expected to find a ${token} for the ${thing}.` }; exports2.NullThrowsReasons = NullThrowsReasons; function nullThrows(value, message) { if (value == null) { throw new Error(`Non-null Assertion Failed: ${message}`); } return value; } } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/index.js var require_eslint_utils3 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/eslint-utils/index.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) { for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p); }; Object.defineProperty(exports2, "__esModule", { value: true }); __exportStar2(require_applyDefault(), exports2); __exportStar2(require_context(), exports2); __exportStar2(require_getParserServices(), exports2); __exportStar2(require_InferTypesFromRule(), exports2); __exportStar2(require_RuleCreator(), exports2); __exportStar2(require_deepMerge(), exports2); __exportStar2(require_nullThrows(), exports2); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/json-schema.js var require_json_schema = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/json-schema.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/AST.js var require_AST = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/AST.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/Config.js var require_Config = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/Config.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/eslint/LegacyESLint.js var require_LegacyESLint = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/eslint/LegacyESLint.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.LegacyESLint = void 0; var use_at_your_own_risk_1 = require("eslint/use-at-your-own-risk"); var LegacyESLint = class extends use_at_your_own_risk_1.LegacyESLint { }; exports2.LegacyESLint = LegacyESLint; } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/eslint/FlatESLint.js var require_FlatESLint = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/eslint/FlatESLint.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.FlatESLint = void 0; var use_at_your_own_risk_1 = require("eslint/use-at-your-own-risk"); var FlatESLint = class extends use_at_your_own_risk_1.FlatESLint { }; exports2.FlatESLint = FlatESLint; } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/ESLint.js var require_ESLint = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/ESLint.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.LegacyESLint = exports2.FlatESLint = exports2.ESLint = void 0; var LegacyESLint_1 = require_LegacyESLint(); Object.defineProperty(exports2, "ESLint", { enumerable: true, get: function() { return LegacyESLint_1.LegacyESLint; } }); var FlatESLint_1 = require_FlatESLint(); Object.defineProperty(exports2, "FlatESLint", { enumerable: true, get: function() { return FlatESLint_1.FlatESLint; } }); var LegacyESLint_2 = require_LegacyESLint(); Object.defineProperty(exports2, "LegacyESLint", { enumerable: true, get: function() { return LegacyESLint_2.LegacyESLint; } }); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/Linter.js var require_Linter = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/Linter.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.Linter = void 0; var eslint_1 = require("eslint"); var Linter = class extends eslint_1.Linter { }; exports2.Linter = Linter; } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/Parser.js var require_Parser = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/Parser.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/ParserOptions.js var require_ParserOptions = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/ParserOptions.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/Processor.js var require_Processor = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/Processor.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/Rule.js var require_Rule = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/Rule.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/RuleTester.js var require_RuleTester = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/RuleTester.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.RuleTester = void 0; var eslint_1 = require("eslint"); var RuleTester = class extends eslint_1.RuleTester { }; exports2.RuleTester = RuleTester; } }); // node_modules/.pnpm/@typescript-eslint+visitor-keys@7.16.0/node_modules/@typescript-eslint/visitor-keys/dist/get-keys.js var require_get_keys = __commonJS({ "node_modules/.pnpm/@typescript-eslint+visitor-keys@7.16.0/node_modules/@typescript-eslint/visitor-keys/dist/get-keys.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getKeys = void 0; var eslint_visitor_keys_1 = require_eslint_visitor_keys(); var getKeys2 = eslint_visitor_keys_1.getKeys; exports2.getKeys = getKeys2; } }); // node_modules/.pnpm/@typescript-eslint+visitor-keys@7.16.0/node_modules/@typescript-eslint/visitor-keys/dist/visitor-keys.js var require_visitor_keys = __commonJS({ "node_modules/.pnpm/@typescript-eslint+visitor-keys@7.16.0/node_modules/@typescript-eslint/visitor-keys/dist/visitor-keys.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.visitorKeys = void 0; var eslintVisitorKeys = __importStar2(require_eslint_visitor_keys()); var SharedVisitorKeys = (() => { const FunctionType = ["typeParameters", "params", "returnType"]; const AnonymousFunction = [...FunctionType, "body"]; const AbstractPropertyDefinition = [ "decorators", "key", "typeAnnotation" ]; return { AnonymousFunction, Function: ["id", ...AnonymousFunction], FunctionType, ClassDeclaration: [ "decorators", "id", "typeParameters", "superClass", "superTypeArguments", "implements", "body" ], AbstractPropertyDefinition: ["decorators", "key", "typeAnnotation"], PropertyDefinition: [...AbstractPropertyDefinition, "value"], TypeAssertion: ["expression", "typeAnnotation"] }; })(); var additionalKeys = { AccessorProperty: SharedVisitorKeys.PropertyDefinition, ArrayPattern: ["decorators", "elements", "typeAnnotation"], ArrowFunctionExpression: SharedVisitorKeys.AnonymousFunction, AssignmentPattern: ["decorators", "left", "right", "typeAnnotation"], CallExpression: ["callee", "typeArguments", "arguments"], ClassDeclaration: SharedVisitorKeys.ClassDeclaration, ClassExpression: SharedVisitorKeys.ClassDeclaration, Decorator: ["expression"], ExportAllDeclaration: ["exported", "source", "assertions"], ExportNamedDeclaration: ["declaration", "specifiers", "source", "assertions"], FunctionDeclaration: SharedVisitorKeys.Function, FunctionExpression: SharedVisitorKeys.Function, Identifier: ["decorators", "typeAnnotation"], ImportAttribute: ["key", "value"], ImportDeclaration: ["specifiers", "source", "assertions"], ImportExpression: ["source", "attributes"], JSXClosingFragment: [], JSXOpeningElement: ["name", "typeArguments", "attributes"], JSXOpeningFragment: [], JSXSpreadChild: ["expression"], MethodDefinition: ["decorators", "key", "value"], NewExpression: ["callee", "typeArguments", "arguments"], ObjectPattern: ["decorators", "properties", "typeAnnotation"], PropertyDefinition: SharedVisitorKeys.PropertyDefinition, RestElement: ["decorators", "argument", "typeAnnotation"], StaticBlock: ["body"], TaggedTemplateExpression: ["tag", "typeArguments", "quasi"], TSAbstractAccessorProperty: SharedVisitorKeys.AbstractPropertyDefinition, TSAbstractKeyword: [], TSAbstractMethodDefinition: ["key", "value"], TSAbstractPropertyDefinition: SharedVisitorKeys.AbstractPropertyDefinition, TSAnyKeyword: [], TSArrayType: ["elementType"], TSAsExpression: SharedVisitorKeys.TypeAssertion, TSAsyncKeyword: [], TSBigIntKeyword: [], TSBooleanKeyword: [], TSCallSignatureDeclaration: SharedVisitorKeys.FunctionType, TSClassImplements: ["expression", "typeArguments"], TSConditionalType: ["checkType", "extendsType", "trueType", "falseType"], TSConstructorType: SharedVisitorKeys.FunctionType, TSConstructSignatureDeclaration: SharedVisitorKeys.FunctionType, TSDeclareFunction: SharedVisitorKeys.Function, TSDeclareKeyword: [], TSEmptyBodyFunctionExpression: ["id", ...SharedVisitorKeys.FunctionType], TSEnumDeclaration: ["id", "members"], TSEnumMember: ["id", "initializer"], TSExportAssignment: ["expression"], TSExportKeyword: [], TSExternalModuleReference: ["expression"], TSFunctionType: SharedVisitorKeys.FunctionType, TSImportEqualsDeclaration: ["id", "moduleReference"], TSImportType: ["argument", "qualifier", "typeArguments"], TSIndexedAccessType: ["indexType", "objectType"], TSIndexSignature: ["parameters", "typeAnnotation"], TSInferType: ["typeParameter"], TSInstantiationExpression: ["expression", "typeArguments"], TSInterfaceBody: ["body"], TSInterfaceDeclaration: ["id", "typeParameters", "extends", "body"], TSInterfaceHeritage: ["expression", "typeArguments"], TSIntersectionType: ["types"], TSIntrinsicKeyword: [], TSLiteralType: ["literal"], TSMappedType: ["nameType", "typeParameter", "typeAnnotation"], TSMethodSignature: ["typeParameters", "key", "params", "returnType"], TSModuleBlock: ["body"], TSModuleDeclaration: ["id", "body"], TSNamedTupleMember: ["label", "elementType"], TSNamespaceExportDeclaration: ["id"], TSNeverKeyword: [], TSNonNullExpression: ["expression"], TSNullKeyword: [], TSNumberKeyword: [], TSObjectKeyword: [], TSOptionalType: ["typeAnnotation"], TSParameterProperty: ["decorators", "parameter"], TSPrivateKeyword: [], TSPropertySignature: ["typeAnnotation", "key"], TSProtectedKeyword: [], TSPublicKeyword: [], TSQualifiedName: ["left", "right"], TSReadonlyKeyword: [], TSRestType: ["typeAnnotation"], TSSatisfiesExpression: [ // this is intentionally different to SharedVisitorKeys.TypeAssertion because // the type annotation comes first in the source code "typeAnnotation", "expression" ], TSStaticKeyword: [], TSStringKeyword: [], TSSymbolKeyword: [], TSTemplateLiteralType: ["quasis", "types"], TSThisType: [], TSTupleType: ["elementTypes"], TSTypeAliasDeclaration: ["id", "typeParameters", "typeAnnotation"], TSTypeAnnotation: ["typeAnnotation"], TSTypeAssertion: SharedVisitorKeys.TypeAssertion, TSTypeLiteral: ["members"], TSTypeOperator: ["typeAnnotation"], TSTypeParameter: ["name", "constraint", "default"], TSTypeParameterDeclaration: ["params"], TSTypeParameterInstantiation: ["params"], TSTypePredicate: ["typeAnnotation", "parameterName"], TSTypeQuery: ["exprName", "typeArguments"], TSTypeReference: ["typeName", "typeArguments"], TSUndefinedKeyword: [], TSUnionType: ["types"], TSUnknownKeyword: [], TSVoidKeyword: [] }; var visitorKeys = eslintVisitorKeys.unionWith(additionalKeys); exports2.visitorKeys = visitorKeys; } }); // node_modules/.pnpm/@typescript-eslint+visitor-keys@7.16.0/node_modules/@typescript-eslint/visitor-keys/dist/index.js var require_dist2 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+visitor-keys@7.16.0/node_modules/@typescript-eslint/visitor-keys/dist/index.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.visitorKeys = exports2.getKeys = void 0; var get_keys_1 = require_get_keys(); Object.defineProperty(exports2, "getKeys", { enumerable: true, get: function() { return get_keys_1.getKeys; } }); var visitor_keys_1 = require_visitor_keys(); Object.defineProperty(exports2, "visitorKeys", { enumerable: true, get: function() { return visitor_keys_1.visitorKeys; } }); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/assert.js var require_assert = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/assert.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.assert = assert3; function assert3(value, message) { if (value == null) { throw new Error(message); } } } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/ID.js var require_ID = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/ID.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.createIdGenerator = createIdGenerator; exports2.resetIds = resetIds; var ID_CACHE = /* @__PURE__ */ new Map(); var NEXT_KEY = 0; function createIdGenerator() { const key = NEXT_KEY += 1; ID_CACHE.set(key, 0); return () => { const current = ID_CACHE.get(key) ?? 0; const next = current + 1; ID_CACHE.set(key, next); return next; }; } function resetIds() { ID_CACHE.clear(); } } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/DefinitionBase.js var require_DefinitionBase = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/DefinitionBase.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.DefinitionBase = void 0; var ID_1 = require_ID(); var generator = (0, ID_1.createIdGenerator)(); var DefinitionBase = class { constructor(type, name, node, parent) { this.$id = generator(); this.type = type; this.name = name; this.node = node; this.parent = parent; } }; exports2.DefinitionBase = DefinitionBase; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/DefinitionType.js var require_DefinitionType = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/DefinitionType.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.DefinitionType = void 0; var DefinitionType; (function(DefinitionType2) { DefinitionType2["CatchClause"] = "CatchClause"; DefinitionType2["ClassName"] = "ClassName"; DefinitionType2["FunctionName"] = "FunctionName"; DefinitionType2["ImplicitGlobalVariable"] = "ImplicitGlobalVariable"; DefinitionType2["ImportBinding"] = "ImportBinding"; DefinitionType2["Parameter"] = "Parameter"; DefinitionType2["TSEnumName"] = "TSEnumName"; DefinitionType2["TSEnumMember"] = "TSEnumMemberName"; DefinitionType2["TSModuleName"] = "TSModuleName"; DefinitionType2["Type"] = "Type"; DefinitionType2["Variable"] = "Variable"; })(DefinitionType || (exports2.DefinitionType = DefinitionType = {})); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/CatchClauseDefinition.js var require_CatchClauseDefinition = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/CatchClauseDefinition.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.CatchClauseDefinition = void 0; var DefinitionBase_1 = require_DefinitionBase(); var DefinitionType_1 = require_DefinitionType(); var CatchClauseDefinition = class extends DefinitionBase_1.DefinitionBase { constructor(name, node) { super(DefinitionType_1.DefinitionType.CatchClause, name, node, null); this.isTypeDefinition = false; this.isVariableDefinition = true; } }; exports2.CatchClauseDefinition = CatchClauseDefinition; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/ClassNameDefinition.js var require_ClassNameDefinition = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/ClassNameDefinition.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ClassNameDefinition = void 0; var DefinitionBase_1 = require_DefinitionBase(); var DefinitionType_1 = require_DefinitionType(); var ClassNameDefinition = class extends DefinitionBase_1.DefinitionBase { constructor(name, node) { super(DefinitionType_1.DefinitionType.ClassName, name, node, null); this.isTypeDefinition = true; this.isVariableDefinition = true; } }; exports2.ClassNameDefinition = ClassNameDefinition; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/Definition.js var require_Definition = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/Definition.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/FunctionNameDefinition.js var require_FunctionNameDefinition = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/FunctionNameDefinition.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.FunctionNameDefinition = void 0; var DefinitionBase_1 = require_DefinitionBase(); var DefinitionType_1 = require_DefinitionType(); var FunctionNameDefinition = class extends DefinitionBase_1.DefinitionBase { constructor(name, node) { super(DefinitionType_1.DefinitionType.FunctionName, name, node, null); this.isTypeDefinition = false; this.isVariableDefinition = true; } }; exports2.FunctionNameDefinition = FunctionNameDefinition; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/ImplicitGlobalVariableDefinition.js var require_ImplicitGlobalVariableDefinition = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/ImplicitGlobalVariableDefinition.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ImplicitGlobalVariableDefinition = void 0; var DefinitionBase_1 = require_DefinitionBase(); var DefinitionType_1 = require_DefinitionType(); var ImplicitGlobalVariableDefinition = class extends DefinitionBase_1.DefinitionBase { constructor(name, node) { super(DefinitionType_1.DefinitionType.ImplicitGlobalVariable, name, node, null); this.isTypeDefinition = false; this.isVariableDefinition = true; } }; exports2.ImplicitGlobalVariableDefinition = ImplicitGlobalVariableDefinition; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/ImportBindingDefinition.js var require_ImportBindingDefinition = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/ImportBindingDefinition.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ImportBindingDefinition = void 0; var DefinitionBase_1 = require_DefinitionBase(); var DefinitionType_1 = require_DefinitionType(); var ImportBindingDefinition = class extends DefinitionBase_1.DefinitionBase { constructor(name, node, decl) { super(DefinitionType_1.DefinitionType.ImportBinding, name, node, decl); this.isTypeDefinition = true; this.isVariableDefinition = true; } }; exports2.ImportBindingDefinition = ImportBindingDefinition; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/ParameterDefinition.js var require_ParameterDefinition = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/ParameterDefinition.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ParameterDefinition = void 0; var DefinitionBase_1 = require_DefinitionBase(); var DefinitionType_1 = require_DefinitionType(); var ParameterDefinition = class extends DefinitionBase_1.DefinitionBase { constructor(name, node, rest) { super(DefinitionType_1.DefinitionType.Parameter, name, node, null); this.isTypeDefinition = false; this.isVariableDefinition = true; this.rest = rest; } }; exports2.ParameterDefinition = ParameterDefinition; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/TSEnumMemberDefinition.js var require_TSEnumMemberDefinition = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/TSEnumMemberDefinition.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.TSEnumMemberDefinition = void 0; var DefinitionBase_1 = require_DefinitionBase(); var DefinitionType_1 = require_DefinitionType(); var TSEnumMemberDefinition = class extends DefinitionBase_1.DefinitionBase { constructor(name, node) { super(DefinitionType_1.DefinitionType.TSEnumMember, name, node, null); this.isTypeDefinition = true; this.isVariableDefinition = true; } }; exports2.TSEnumMemberDefinition = TSEnumMemberDefinition; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/TSEnumNameDefinition.js var require_TSEnumNameDefinition = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/TSEnumNameDefinition.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.TSEnumNameDefinition = void 0; var DefinitionBase_1 = require_DefinitionBase(); var DefinitionType_1 = require_DefinitionType(); var TSEnumNameDefinition = class extends DefinitionBase_1.DefinitionBase { constructor(name, node) { super(DefinitionType_1.DefinitionType.TSEnumName, name, node, null); this.isTypeDefinition = true; this.isVariableDefinition = true; } }; exports2.TSEnumNameDefinition = TSEnumNameDefinition; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/TSModuleNameDefinition.js var require_TSModuleNameDefinition = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/TSModuleNameDefinition.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.TSModuleNameDefinition = void 0; var DefinitionBase_1 = require_DefinitionBase(); var DefinitionType_1 = require_DefinitionType(); var TSModuleNameDefinition = class extends DefinitionBase_1.DefinitionBase { constructor(name, node) { super(DefinitionType_1.DefinitionType.TSModuleName, name, node, null); this.isTypeDefinition = true; this.isVariableDefinition = true; } }; exports2.TSModuleNameDefinition = TSModuleNameDefinition; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/TypeDefinition.js var require_TypeDefinition = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/TypeDefinition.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.TypeDefinition = void 0; var DefinitionBase_1 = require_DefinitionBase(); var DefinitionType_1 = require_DefinitionType(); var TypeDefinition = class extends DefinitionBase_1.DefinitionBase { constructor(name, node) { super(DefinitionType_1.DefinitionType.Type, name, node, null); this.isTypeDefinition = true; this.isVariableDefinition = false; } }; exports2.TypeDefinition = TypeDefinition; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/VariableDefinition.js var require_VariableDefinition = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/VariableDefinition.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.VariableDefinition = void 0; var DefinitionBase_1 = require_DefinitionBase(); var DefinitionType_1 = require_DefinitionType(); var VariableDefinition = class extends DefinitionBase_1.DefinitionBase { constructor(name, node, decl) { super(DefinitionType_1.DefinitionType.Variable, name, node, decl); this.isTypeDefinition = false; this.isVariableDefinition = true; } }; exports2.VariableDefinition = VariableDefinition; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/index.js var require_definition = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/definition/index.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) { for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p); }; Object.defineProperty(exports2, "__esModule", { value: true }); __exportStar2(require_CatchClauseDefinition(), exports2); __exportStar2(require_ClassNameDefinition(), exports2); __exportStar2(require_Definition(), exports2); __exportStar2(require_DefinitionType(), exports2); __exportStar2(require_FunctionNameDefinition(), exports2); __exportStar2(require_ImplicitGlobalVariableDefinition(), exports2); __exportStar2(require_ImportBindingDefinition(), exports2); __exportStar2(require_ParameterDefinition(), exports2); __exportStar2(require_TSEnumMemberDefinition(), exports2); __exportStar2(require_TSEnumNameDefinition(), exports2); __exportStar2(require_TSModuleNameDefinition(), exports2); __exportStar2(require_TypeDefinition(), exports2); __exportStar2(require_VariableDefinition(), exports2); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/base-config.js var require_base_config = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/base-config.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.TYPE_VALUE = exports2.VALUE = exports2.TYPE = void 0; exports2.TYPE = Object.freeze({ eslintImplicitGlobalSetting: "readonly", isTypeVariable: true, isValueVariable: false }); exports2.VALUE = Object.freeze({ eslintImplicitGlobalSetting: "readonly", isTypeVariable: false, isValueVariable: true }); exports2.TYPE_VALUE = Object.freeze({ eslintImplicitGlobalSetting: "readonly", isTypeVariable: true, isValueVariable: true }); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/decorators.js var require_decorators = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/decorators.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.decorators = void 0; var base_config_1 = require_base_config(); exports2.decorators = { ClassMemberDecoratorContext: base_config_1.TYPE, DecoratorContext: base_config_1.TYPE, DecoratorMetadataObject: base_config_1.TYPE, DecoratorMetadata: base_config_1.TYPE, ClassDecoratorContext: base_config_1.TYPE, ClassMethodDecoratorContext: base_config_1.TYPE, ClassGetterDecoratorContext: base_config_1.TYPE, ClassSetterDecoratorContext: base_config_1.TYPE, ClassAccessorDecoratorContext: base_config_1.TYPE, ClassAccessorDecoratorTarget: base_config_1.TYPE, ClassAccessorDecoratorResult: base_config_1.TYPE, ClassFieldDecoratorContext: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/decorators.legacy.js var require_decorators_legacy = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/decorators.legacy.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.decorators_legacy = void 0; var base_config_1 = require_base_config(); exports2.decorators_legacy = { ClassDecorator: base_config_1.TYPE, PropertyDecorator: base_config_1.TYPE, MethodDecorator: base_config_1.TYPE, ParameterDecorator: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/dom.js var require_dom = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/dom.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.dom = void 0; var base_config_1 = require_base_config(); exports2.dom = { AddEventListenerOptions: base_config_1.TYPE, AesCbcParams: base_config_1.TYPE, AesCtrParams: base_config_1.TYPE, AesDerivedKeyParams: base_config_1.TYPE, AesGcmParams: base_config_1.TYPE, AesKeyAlgorithm: base_config_1.TYPE, AesKeyGenParams: base_config_1.TYPE, Algorithm: base_config_1.TYPE, AnalyserOptions: base_config_1.TYPE, AnimationEventInit: base_config_1.TYPE, AnimationPlaybackEventInit: base_config_1.TYPE, AssignedNodesOptions: base_config_1.TYPE, AudioBufferOptions: base_config_1.TYPE, AudioBufferSourceOptions: base_config_1.TYPE, AudioConfiguration: base_config_1.TYPE, AudioContextOptions: base_config_1.TYPE, AudioNodeOptions: base_config_1.TYPE, AudioProcessingEventInit: base_config_1.TYPE, AudioTimestamp: base_config_1.TYPE, AudioWorkletNodeOptions: base_config_1.TYPE, AuthenticationExtensionsClientInputs: base_config_1.TYPE, AuthenticationExtensionsClientOutputs: base_config_1.TYPE, AuthenticatorSelectionCriteria: base_config_1.TYPE, AvcEncoderConfig: base_config_1.TYPE, BiquadFilterOptions: base_config_1.TYPE, BlobEventInit: base_config_1.TYPE, BlobPropertyBag: base_config_1.TYPE, CSSMatrixComponentOptions: base_config_1.TYPE, CSSNumericType: base_config_1.TYPE, CSSStyleSheetInit: base_config_1.TYPE, CacheQueryOptions: base_config_1.TYPE, CanvasRenderingContext2DSettings: base_config_1.TYPE, ChannelMergerOptions: base_config_1.TYPE, ChannelSplitterOptions: base_config_1.TYPE, CheckVisibilityOptions: base_config_1.TYPE, ClientQueryOptions: base_config_1.TYPE, ClipboardEventInit: base_config_1.TYPE, ClipboardItemOptions: base_config_1.TYPE, CloseEventInit: base_config_1.TYPE, CompositionEventInit: base_config_1.TYPE, ComputedEffectTiming: base_config_1.TYPE, ComputedKeyframe: base_config_1.TYPE, ConstantSourceOptions: base_config_1.TYPE, ConstrainBooleanParameters: base_config_1.TYPE, ConstrainDOMStringParameters: base_config_1.TYPE, ConstrainDoubleRange: base_config_1.TYPE, ConstrainULongRange: base_config_1.TYPE, ContentVisibilityAutoStateChangeEventInit: base_config_1.TYPE, ConvolverOptions: base_config_1.TYPE, CredentialCreationOptions: base_config_1.TYPE, CredentialPropertiesOutput: base_config_1.TYPE, CredentialRequestOptions: base_config_1.TYPE, CryptoKeyPair: base_config_1.TYPE, CustomEventInit: base_config_1.TYPE, DOMMatrix2DInit: base_config_1.TYPE, DOMMatrixInit: base_config_1.TYPE, DOMPointInit: base_config_1.TYPE, DOMQuadInit: base_config_1.TYPE, DOMRectInit: base_config_1.TYPE, DelayOptions: base_config_1.TYPE, DeviceMotionEventAccelerationInit: base_config_1.TYPE, DeviceMotionEventInit: base_config_1.TYPE, DeviceMotionEventRotationRateInit: base_config_1.TYPE, DeviceOrientationEventInit: base_config_1.TYPE, DisplayMediaStreamOptions: base_config_1.TYPE, DocumentTimelineOptions: base_config_1.TYPE, DoubleRange: base_config_1.TYPE, DragEventInit: base_config_1.TYPE, DynamicsCompressorOptions: base_config_1.TYPE, EcKeyAlgorithm: base_config_1.TYPE, EcKeyGenParams: base_config_1.TYPE, EcKeyImportParams: base_config_1.TYPE, EcdhKeyDeriveParams: base_config_1.TYPE, EcdsaParams: base_config_1.TYPE, EffectTiming: base_config_1.TYPE, ElementCreationOptions: base_config_1.TYPE, ElementDefinitionOptions: base_config_1.TYPE, EncodedVideoChunkInit: base_config_1.TYPE, EncodedVideoChunkMetadata: base_config_1.TYPE, ErrorEventInit: base_config_1.TYPE, EventInit: base_config_1.TYPE, EventListenerOptions: base_config_1.TYPE, EventModifierInit: base_config_1.TYPE, EventSourceInit: base_config_1.TYPE, FilePropertyBag: base_config_1.TYPE, FileSystemCreateWritableOptions: base_config_1.TYPE, FileSystemFlags: base_config_1.TYPE, FileSystemGetDirectoryOptions: base_config_1.TYPE, FileSystemGetFileOptions: base_config_1.TYPE, FileSystemRemoveOptions: base_config_1.TYPE, FocusEventInit: base_config_1.TYPE, FocusOptions: base_config_1.TYPE, FontFaceDescriptors: base_config_1.TYPE, FontFaceSetLoadEventInit: base_config_1.TYPE, FormDataEventInit: base_config_1.TYPE, FullscreenOptions: base_config_1.TYPE, GainOptions: base_config_1.TYPE, GamepadEffectParameters: base_config_1.TYPE, GamepadEventInit: base_config_1.TYPE, GetAnimationsOptions: base_config_1.TYPE, GetNotificationOptions: base_config_1.TYPE, GetRootNodeOptions: base_config_1.TYPE, HashChangeEventInit: base_config_1.TYPE, HkdfParams: base_config_1.TYPE, HmacImportParams: base_config_1.TYPE, HmacKeyAlgorithm: base_config_1.TYPE, HmacKeyGenParams: base_config_1.TYPE, IDBDatabaseInfo: base_config_1.TYPE, IDBIndexParameters: base_config_1.TYPE, IDBObjectStoreParameters: base_config_1.TYPE, IDBTransactionOptions: base_config_1.TYPE, IDBVersionChangeEventInit: base_config_1.TYPE, IIRFilterOptions: base_config_1.TYPE, IdleRequestOptions: base_config_1.TYPE, ImageBitmapOptions: base_config_1.TYPE, ImageBitmapRenderingContextSettings: base_config_1.TYPE, ImageDataSettings: base_config_1.TYPE, ImageEncodeOptions: base_config_1.TYPE, ImportMeta: base_config_1.TYPE, InputEventInit: base_config_1.TYPE, IntersectionObserverEntryInit: base_config_1.TYPE, IntersectionObserverInit: base_config_1.TYPE, JsonWebKey: base_config_1.TYPE, KeyAlgorithm: base_config_1.TYPE, KeyboardEventInit: base_config_1.TYPE, Keyframe: base_config_1.TYPE, KeyframeAnimationOptions: base_config_1.TYPE, KeyframeEffectOptions: base_config_1.TYPE, LockInfo: base_config_1.TYPE, LockManagerSnapshot: base_config_1.TYPE, LockOptions: base_config_1.TYPE, MIDIConnectionEventInit: base_config_1.TYPE, MIDIMessageEventInit: base_config_1.TYPE, MIDIOptions: base_config_1.TYPE, MediaCapabilitiesDecodingInfo: base_config_1.TYPE, MediaCapabilitiesEncodingInfo: base_config_1.TYPE, MediaCapabilitiesInfo: base_config_1.TYPE, MediaConfiguration: base_config_1.TYPE, MediaDecodingConfiguration: base_config_1.TYPE, MediaElementAudioSourceOptions: base_config_1.TYPE, MediaEncodingConfiguration: base_config_1.TYPE, MediaEncryptedEventInit: base_config_1.TYPE, MediaImage: base_config_1.TYPE, MediaKeyMessageEventInit: base_config_1.TYPE, MediaKeySystemConfiguration: base_config_1.TYPE, MediaKeySystemMediaCapability: base_config_1.TYPE, MediaMetadataInit: base_config_1.TYPE, MediaPositionState: base_config_1.TYPE, MediaQueryListEventInit: base_config_1.TYPE, MediaRecorderOptions: base_config_1.TYPE, MediaSessionActionDetails: base_config_1.TYPE, MediaStreamAudioSourceOptions: base_config_1.TYPE, MediaStreamConstraints: base_config_1.TYPE, MediaStreamTrackEventInit: base_config_1.TYPE, MediaTrackCapabilities: base_config_1.TYPE, MediaTrackConstraintSet: base_config_1.TYPE, MediaTrackConstraints: base_config_1.TYPE, MediaTrackSettings: base_config_1.TYPE, MediaTrackSupportedConstraints: base_config_1.TYPE, MessageEventInit: base_config_1.TYPE, MouseEventInit: base_config_1.TYPE, MultiCacheQueryOptions: base_config_1.TYPE, MutationObserverInit: base_config_1.TYPE, NavigationPreloadState: base_config_1.TYPE, NotificationOptions: base_config_1.TYPE, OfflineAudioCompletionEventInit: base_config_1.TYPE, OfflineAudioContextOptions: base_config_1.TYPE, OptionalEffectTiming: base_config_1.TYPE, OscillatorOptions: base_config_1.TYPE, PageTransitionEventInit: base_config_1.TYPE, PannerOptions: base_config_1.TYPE, PaymentCurrencyAmount: base_config_1.TYPE, PaymentDetailsBase: base_config_1.TYPE, PaymentDetailsInit: base_config_1.TYPE, PaymentDetailsModifier: base_config_1.TYPE, PaymentDetailsUpdate: base_config_1.TYPE, PaymentItem: base_config_1.TYPE, PaymentMethodChangeEventInit: base_config_1.TYPE, PaymentMethodData: base_config_1.TYPE, PaymentRequestUpdateEventInit: base_config_1.TYPE, PaymentValidationErrors: base_config_1.TYPE, Pbkdf2Params: base_config_1.TYPE, PerformanceMarkOptions: base_config_1.TYPE, PerformanceMeasureOptions: base_config_1.TYPE, PerformanceObserverInit: base_config_1.TYPE, PeriodicWaveConstraints: base_config_1.TYPE, PeriodicWaveOptions: base_config_1.TYPE, PermissionDescriptor: base_config_1.TYPE, PictureInPictureEventInit: base_config_1.TYPE, PlaneLayout: base_config_1.TYPE, PointerEventInit: base_config_1.TYPE, PopStateEventInit: base_config_1.TYPE, PositionOptions: base_config_1.TYPE, ProgressEventInit: base_config_1.TYPE, PromiseRejectionEventInit: base_config_1.TYPE, PropertyDefinition: base_config_1.TYPE, PropertyIndexedKeyframes: base_config_1.TYPE, PublicKeyCredentialCreationOptions: base_config_1.TYPE, PublicKeyCredentialDescriptor: base_config_1.TYPE, PublicKeyCredentialEntity: base_config_1.TYPE, PublicKeyCredentialParameters: base_config_1.TYPE, PublicKeyCredentialRequestOptions: base_config_1.TYPE, PublicKeyCredentialRpEntity: base_config_1.TYPE, PublicKeyCredentialUserEntity: base_config_1.TYPE, PushSubscriptionJSON: base_config_1.TYPE, PushSubscriptionOptionsInit: base_config_1.TYPE, QueuingStrategy: base_config_1.TYPE, QueuingStrategyInit: base_config_1.TYPE, RTCAnswerOptions: base_config_1.TYPE, RTCCertificateExpiration: base_config_1.TYPE, RTCConfiguration: base_config_1.TYPE, RTCDTMFToneChangeEventInit: base_config_1.TYPE, RTCDataChannelEventInit: base_config_1.TYPE, RTCDataChannelInit: base_config_1.TYPE, RTCDtlsFingerprint: base_config_1.TYPE, RTCEncodedAudioFrameMetadata: base_config_1.TYPE, RTCEncodedVideoFrameMetadata: base_config_1.TYPE, RTCErrorEventInit: base_config_1.TYPE, RTCErrorInit: base_config_1.TYPE, RTCIceCandidateInit: base_config_1.TYPE, RTCIceCandidatePair: base_config_1.TYPE, RTCIceCandidatePairStats: base_config_1.TYPE, RTCIceServer: base_config_1.TYPE, RTCInboundRtpStreamStats: base_config_1.TYPE, RTCLocalSessionDescriptionInit: base_config_1.TYPE, RTCOfferAnswerOptions: base_config_1.TYPE, RTCOfferOptions: base_config_1.TYPE, RTCOutboundRtpStreamStats: base_config_1.TYPE, RTCPeerConnectionIceErrorEventInit: base_config_1.TYPE, RTCPeerConnectionIceEventInit: base_config_1.TYPE, RTCReceivedRtpStreamStats: base_config_1.TYPE, RTCRtcpParameters: base_config_1.TYPE, RTCRtpCapabilities: base_config_1.TYPE, RTCRtpCodec: base_config_1.TYPE, RTCRtpCodecCapability: base_config_1.TYPE, RTCRtpCodecParameters: base_config_1.TYPE, RTCRtpCodingParameters: base_config_1.TYPE, RTCRtpContributingSource: base_config_1.TYPE, RTCRtpEncodingParameters: base_config_1.TYPE, RTCRtpHeaderExtensionCapability: base_config_1.TYPE, RTCRtpHeaderExtensionParameters: base_config_1.TYPE, RTCRtpParameters: base_config_1.TYPE, RTCRtpReceiveParameters: base_config_1.TYPE, RTCRtpSendParameters: base_config_1.TYPE, RTCRtpStreamStats: base_config_1.TYPE, RTCRtpSynchronizationSource: base_config_1.TYPE, RTCRtpTransceiverInit: base_config_1.TYPE, RTCSentRtpStreamStats: base_config_1.TYPE, RTCSessionDescriptionInit: base_config_1.TYPE, RTCSetParameterOptions: base_config_1.TYPE, RTCStats: base_config_1.TYPE, RTCTrackEventInit: base_config_1.TYPE, RTCTransportStats: base_config_1.TYPE, ReadableStreamGetReaderOptions: base_config_1.TYPE, ReadableStreamIteratorOptions: base_config_1.TYPE, ReadableStreamReadDoneResult: base_config_1.TYPE, ReadableStreamReadValueResult: base_config_1.TYPE, ReadableWritablePair: base_config_1.TYPE, RegistrationOptions: base_config_1.TYPE, ReportingObserverOptions: base_config_1.TYPE, RequestInit: base_config_1.TYPE, ResizeObserverOptions: base_config_1.TYPE, ResponseInit: base_config_1.TYPE, RsaHashedImportParams: base_config_1.TYPE, RsaHashedKeyAlgorithm: base_config_1.TYPE, RsaHashedKeyGenParams: base_config_1.TYPE, RsaKeyAlgorithm: base_config_1.TYPE, RsaKeyGenParams: base_config_1.TYPE, RsaOaepParams: base_config_1.TYPE, RsaOtherPrimesInfo: base_config_1.TYPE, RsaPssParams: base_config_1.TYPE, SVGBoundingBoxOptions: base_config_1.TYPE, ScrollIntoViewOptions: base_config_1.TYPE, ScrollOptions: base_config_1.TYPE, ScrollToOptions: base_config_1.TYPE, SecurityPolicyViolationEventInit: base_config_1.TYPE, ShadowRootInit: base_config_1.TYPE, ShareData: base_config_1.TYPE, SpeechSynthesisErrorEventInit: base_config_1.TYPE, SpeechSynthesisEventInit: base_config_1.TYPE, StaticRangeInit: base_config_1.TYPE, StereoPannerOptions: base_config_1.TYPE, StorageEstimate: base_config_1.TYPE, StorageEventInit: base_config_1.TYPE, StreamPipeOptions: base_config_1.TYPE, StructuredSerializeOptions: base_config_1.TYPE, SubmitEventInit: base_config_1.TYPE, TextDecodeOptions: base_config_1.TYPE, TextDecoderOptions: base_config_1.TYPE, TextEncoderEncodeIntoResult: base_config_1.TYPE, ToggleEventInit: base_config_1.TYPE, TouchEventInit: base_config_1.TYPE, TouchInit: base_config_1.TYPE, TrackEventInit: base_config_1.TYPE, Transformer: base_config_1.TYPE, TransitionEventInit: base_config_1.TYPE, UIEventInit: base_config_1.TYPE, ULongRange: base_config_1.TYPE, UnderlyingByteSource: base_config_1.TYPE, UnderlyingDefaultSource: base_config_1.TYPE, UnderlyingSink: base_config_1.TYPE, UnderlyingSource: base_config_1.TYPE, ValidityStateFlags: base_config_1.TYPE, VideoColorSpaceInit: base_config_1.TYPE, VideoConfiguration: base_config_1.TYPE, VideoDecoderConfig: base_config_1.TYPE, VideoDecoderInit: base_config_1.TYPE, VideoDecoderSupport: base_config_1.TYPE, VideoEncoderConfig: base_config_1.TYPE, VideoEncoderEncodeOptions: base_config_1.TYPE, VideoEncoderInit: base_config_1.TYPE, VideoEncoderSupport: base_config_1.TYPE, VideoFrameBufferInit: base_config_1.TYPE, VideoFrameCallbackMetadata: base_config_1.TYPE, VideoFrameCopyToOptions: base_config_1.TYPE, VideoFrameInit: base_config_1.TYPE, WaveShaperOptions: base_config_1.TYPE, WebGLContextAttributes: base_config_1.TYPE, WebGLContextEventInit: base_config_1.TYPE, WebTransportCloseInfo: base_config_1.TYPE, WebTransportErrorOptions: base_config_1.TYPE, WebTransportHash: base_config_1.TYPE, WebTransportOptions: base_config_1.TYPE, WebTransportSendStreamOptions: base_config_1.TYPE, WheelEventInit: base_config_1.TYPE, WindowPostMessageOptions: base_config_1.TYPE, WorkerOptions: base_config_1.TYPE, WorkletOptions: base_config_1.TYPE, WriteParams: base_config_1.TYPE, NodeFilter: base_config_1.TYPE_VALUE, XPathNSResolver: base_config_1.TYPE, ANGLE_instanced_arrays: base_config_1.TYPE, ARIAMixin: base_config_1.TYPE, AbortController: base_config_1.TYPE_VALUE, AbortSignalEventMap: base_config_1.TYPE, AbortSignal: base_config_1.TYPE_VALUE, AbstractRange: base_config_1.TYPE_VALUE, AbstractWorkerEventMap: base_config_1.TYPE, AbstractWorker: base_config_1.TYPE, AnalyserNode: base_config_1.TYPE_VALUE, Animatable: base_config_1.TYPE, AnimationEventMap: base_config_1.TYPE, Animation: base_config_1.TYPE_VALUE, AnimationEffect: base_config_1.TYPE_VALUE, AnimationEvent: base_config_1.TYPE_VALUE, AnimationFrameProvider: base_config_1.TYPE, AnimationPlaybackEvent: base_config_1.TYPE_VALUE, AnimationTimeline: base_config_1.TYPE_VALUE, Attr: base_config_1.TYPE_VALUE, AudioBuffer: base_config_1.TYPE_VALUE, AudioBufferSourceNode: base_config_1.TYPE_VALUE, AudioContext: base_config_1.TYPE_VALUE, AudioDestinationNode: base_config_1.TYPE_VALUE, AudioListener: base_config_1.TYPE_VALUE, AudioNode: base_config_1.TYPE_VALUE, AudioParam: base_config_1.TYPE_VALUE, AudioParamMap: base_config_1.TYPE_VALUE, AudioProcessingEvent: base_config_1.TYPE_VALUE, AudioScheduledSourceNodeEventMap: base_config_1.TYPE, AudioScheduledSourceNode: base_config_1.TYPE_VALUE, AudioWorklet: base_config_1.TYPE_VALUE, AudioWorkletNodeEventMap: base_config_1.TYPE, AudioWorkletNode: base_config_1.TYPE_VALUE, AuthenticatorAssertionResponse: base_config_1.TYPE_VALUE, AuthenticatorAttestationResponse: base_config_1.TYPE_VALUE, AuthenticatorResponse: base_config_1.TYPE_VALUE, BarProp: base_config_1.TYPE_VALUE, BaseAudioContextEventMap: base_config_1.TYPE, BaseAudioContext: base_config_1.TYPE_VALUE, BeforeUnloadEvent: base_config_1.TYPE_VALUE, BiquadFilterNode: base_config_1.TYPE_VALUE, Blob: base_config_1.TYPE_VALUE, BlobEvent: base_config_1.TYPE_VALUE, Body: base_config_1.TYPE, BroadcastChannelEventMap: base_config_1.TYPE, BroadcastChannel: base_config_1.TYPE_VALUE, ByteLengthQueuingStrategy: base_config_1.TYPE_VALUE, CDATASection: base_config_1.TYPE_VALUE, CSSAnimation: base_config_1.TYPE_VALUE, CSSConditionRule: base_config_1.TYPE_VALUE, CSSContainerRule: base_config_1.TYPE_VALUE, CSSCounterStyleRule: base_config_1.TYPE_VALUE, CSSFontFaceRule: base_config_1.TYPE_VALUE, CSSFontFeatureValuesRule: base_config_1.TYPE_VALUE, CSSFontPaletteValuesRule: base_config_1.TYPE_VALUE, CSSGroupingRule: base_config_1.TYPE_VALUE, CSSImageValue: base_config_1.TYPE_VALUE, CSSImportRule: base_config_1.TYPE_VALUE, CSSKeyframeRule: base_config_1.TYPE_VALUE, CSSKeyframesRule: base_config_1.TYPE_VALUE, CSSKeywordValue: base_config_1.TYPE_VALUE, CSSLayerBlockRule: base_config_1.TYPE_VALUE, CSSLayerStatementRule: base_config_1.TYPE_VALUE, CSSMathClamp: base_config_1.TYPE_VALUE, CSSMathInvert: base_config_1.TYPE_VALUE, CSSMathMax: base_config_1.TYPE_VALUE, CSSMathMin: base_config_1.TYPE_VALUE, CSSMathNegate: base_config_1.TYPE_VALUE, CSSMathProduct: base_config_1.TYPE_VALUE, CSSMathSum: base_config_1.TYPE_VALUE, CSSMathValue: base_config_1.TYPE_VALUE, CSSMatrixComponent: base_config_1.TYPE_VALUE, CSSMediaRule: base_config_1.TYPE_VALUE, CSSNamespaceRule: base_config_1.TYPE_VALUE, CSSNumericArray: base_config_1.TYPE_VALUE, CSSNumericValue: base_config_1.TYPE_VALUE, CSSPageRule: base_config_1.TYPE_VALUE, CSSPerspective: base_config_1.TYPE_VALUE, CSSPropertyRule: base_config_1.TYPE_VALUE, CSSRotate: base_config_1.TYPE_VALUE, CSSRule: base_config_1.TYPE_VALUE, CSSRuleList: base_config_1.TYPE_VALUE, CSSScale: base_config_1.TYPE_VALUE, CSSScopeRule: base_config_1.TYPE_VALUE, CSSSkew: base_config_1.TYPE_VALUE, CSSSkewX: base_config_1.TYPE_VALUE, CSSSkewY: base_config_1.TYPE_VALUE, CSSStartingStyleRule: base_config_1.TYPE_VALUE, CSSStyleDeclaration: base_config_1.TYPE_VALUE, CSSStyleRule: base_config_1.TYPE_VALUE, CSSStyleSheet: base_config_1.TYPE_VALUE, CSSStyleValue: base_config_1.TYPE_VALUE, CSSSupportsRule: base_config_1.TYPE_VALUE, CSSTransformComponent: base_config_1.TYPE_VALUE, CSSTransformValue: base_config_1.TYPE_VALUE, CSSTransition: base_config_1.TYPE_VALUE, CSSTranslate: base_config_1.TYPE_VALUE, CSSUnitValue: base_config_1.TYPE_VALUE, CSSUnparsedValue: base_config_1.TYPE_VALUE, CSSVariableReferenceValue: base_config_1.TYPE_VALUE, Cache: base_config_1.TYPE_VALUE, CacheStorage: base_config_1.TYPE_VALUE, CanvasCaptureMediaStreamTrack: base_config_1.TYPE_VALUE, CanvasCompositing: base_config_1.TYPE, CanvasDrawImage: base_config_1.TYPE, CanvasDrawPath: base_config_1.TYPE, CanvasFillStrokeStyles: base_config_1.TYPE, CanvasFilters: base_config_1.TYPE, CanvasGradient: base_config_1.TYPE_VALUE, CanvasImageData: base_config_1.TYPE, CanvasImageSmoothing: base_config_1.TYPE, CanvasPath: base_config_1.TYPE, CanvasPathDrawingStyles: base_config_1.TYPE, CanvasPattern: base_config_1.TYPE_VALUE, CanvasRect: base_config_1.TYPE, CanvasRenderingContext2D: base_config_1.TYPE_VALUE, CanvasShadowStyles: base_config_1.TYPE, CanvasState: base_config_1.TYPE, CanvasText: base_config_1.TYPE, CanvasTextDrawingStyles: base_config_1.TYPE, CanvasTransform: base_config_1.TYPE, CanvasUserInterface: base_config_1.TYPE, ChannelMergerNode: base_config_1.TYPE_VALUE, ChannelSplitterNode: base_config_1.TYPE_VALUE, CharacterData: base_config_1.TYPE_VALUE, ChildNode: base_config_1.TYPE, ClientRect: base_config_1.TYPE, Clipboard: base_config_1.TYPE_VALUE, ClipboardEvent: base_config_1.TYPE_VALUE, ClipboardItem: base_config_1.TYPE_VALUE, CloseEvent: base_config_1.TYPE_VALUE, Comment: base_config_1.TYPE_VALUE, CompositionEvent: base_config_1.TYPE_VALUE, CompressionStream: base_config_1.TYPE_VALUE, ConstantSourceNode: base_config_1.TYPE_VALUE, ContentVisibilityAutoStateChangeEvent: base_config_1.TYPE_VALUE, ConvolverNode: base_config_1.TYPE_VALUE, CountQueuingStrategy: base_config_1.TYPE_VALUE, Credential: base_config_1.TYPE_VALUE, CredentialsContainer: base_config_1.TYPE_VALUE, Crypto: base_config_1.TYPE_VALUE, CryptoKey: base_config_1.TYPE_VALUE, CustomElementRegistry: base_config_1.TYPE_VALUE, CustomEvent: base_config_1.TYPE_VALUE, CustomStateSet: base_config_1.TYPE_VALUE, DOMException: base_config_1.TYPE_VALUE, DOMImplementation: base_config_1.TYPE_VALUE, DOMMatrix: base_config_1.TYPE_VALUE, SVGMatrix: base_config_1.TYPE_VALUE, WebKitCSSMatrix: base_config_1.TYPE_VALUE, DOMMatrixReadOnly: base_config_1.TYPE_VALUE, DOMParser: base_config_1.TYPE_VALUE, DOMPoint: base_config_1.TYPE_VALUE, SVGPoint: base_config_1.TYPE_VALUE, DOMPointReadOnly: base_config_1.TYPE_VALUE, DOMQuad: base_config_1.TYPE_VALUE, DOMRect: base_config_1.TYPE_VALUE, SVGRect: base_config_1.TYPE_VALUE, DOMRectList: base_config_1.TYPE_VALUE, DOMRectReadOnly: base_config_1.TYPE_VALUE, DOMStringList: base_config_1.TYPE_VALUE, DOMStringMap: base_config_1.TYPE_VALUE, DOMTokenList: base_config_1.TYPE_VALUE, DataTransfer: base_config_1.TYPE_VALUE, DataTransferItem: base_config_1.TYPE_VALUE, DataTransferItemList: base_config_1.TYPE_VALUE, DecompressionStream: base_config_1.TYPE_VALUE, DelayNode: base_config_1.TYPE_VALUE, DeviceMotionEvent: base_config_1.TYPE_VALUE, DeviceMotionEventAcceleration: base_config_1.TYPE, DeviceMotionEventRotationRate: base_config_1.TYPE, DeviceOrientationEvent: base_config_1.TYPE_VALUE, DocumentEventMap: base_config_1.TYPE, Document: base_config_1.TYPE_VALUE, DocumentFragment: base_config_1.TYPE_VALUE, DocumentOrShadowRoot: base_config_1.TYPE, DocumentTimeline: base_config_1.TYPE_VALUE, DocumentType: base_config_1.TYPE_VALUE, DragEvent: base_config_1.TYPE_VALUE, DynamicsCompressorNode: base_config_1.TYPE_VALUE, EXT_blend_minmax: base_config_1.TYPE, EXT_color_buffer_float: base_config_1.TYPE, EXT_color_buffer_half_float: base_config_1.TYPE, EXT_float_blend: base_config_1.TYPE, EXT_frag_depth: base_config_1.TYPE, EXT_sRGB: base_config_1.TYPE, EXT_shader_texture_lod: base_config_1.TYPE, EXT_texture_compression_bptc: base_config_1.TYPE, EXT_texture_compression_rgtc: base_config_1.TYPE, EXT_texture_filter_anisotropic: base_config_1.TYPE, EXT_texture_norm16: base_config_1.TYPE, ElementEventMap: base_config_1.TYPE, Element: base_config_1.TYPE_VALUE, ElementCSSInlineStyle: base_config_1.TYPE, ElementContentEditable: base_config_1.TYPE, ElementInternals: base_config_1.TYPE_VALUE, EncodedVideoChunk: base_config_1.TYPE_VALUE, ErrorEvent: base_config_1.TYPE_VALUE, Event: base_config_1.TYPE_VALUE, EventCounts: base_config_1.TYPE_VALUE, EventListener: base_config_1.TYPE, EventListenerObject: base_config_1.TYPE, EventSourceEventMap: base_config_1.TYPE, EventSource: base_config_1.TYPE_VALUE, EventTarget: base_config_1.TYPE_VALUE, External: base_config_1.TYPE_VALUE, File: base_config_1.TYPE_VALUE, FileList: base_config_1.TYPE_VALUE, FileReaderEventMap: base_config_1.TYPE, FileReader: base_config_1.TYPE_VALUE, FileSystem: base_config_1.TYPE_VALUE, FileSystemDirectoryEntry: base_config_1.TYPE_VALUE, FileSystemDirectoryHandle: base_config_1.TYPE_VALUE, FileSystemDirectoryReader: base_config_1.TYPE_VALUE, FileSystemEntry: base_config_1.TYPE_VALUE, FileSystemFileEntry: base_config_1.TYPE_VALUE, FileSystemFileHandle: base_config_1.TYPE_VALUE, FileSystemHandle: base_config_1.TYPE_VALUE, FileSystemWritableFileStream: base_config_1.TYPE_VALUE, FocusEvent: base_config_1.TYPE_VALUE, FontFace: base_config_1.TYPE_VALUE, FontFaceSetEventMap: base_config_1.TYPE, FontFaceSet: base_config_1.TYPE_VALUE, FontFaceSetLoadEvent: base_config_1.TYPE_VALUE, FontFaceSource: base_config_1.TYPE, FormData: base_config_1.TYPE_VALUE, FormDataEvent: base_config_1.TYPE_VALUE, GainNode: base_config_1.TYPE_VALUE, Gamepad: base_config_1.TYPE_VALUE, GamepadButton: base_config_1.TYPE_VALUE, GamepadEvent: base_config_1.TYPE_VALUE, GamepadHapticActuator: base_config_1.TYPE_VALUE, GenericTransformStream: base_config_1.TYPE, Geolocation: base_config_1.TYPE_VALUE, GeolocationCoordinates: base_config_1.TYPE_VALUE, GeolocationPosition: base_config_1.TYPE_VALUE, GeolocationPositionError: base_config_1.TYPE_VALUE, GlobalEventHandlersEventMap: base_config_1.TYPE, GlobalEventHandlers: base_config_1.TYPE, HTMLAllCollection: base_config_1.TYPE_VALUE, HTMLAnchorElement: base_config_1.TYPE_VALUE, HTMLAreaElement: base_config_1.TYPE_VALUE, HTMLAudioElement: base_config_1.TYPE_VALUE, HTMLBRElement: base_config_1.TYPE_VALUE, HTMLBaseElement: base_config_1.TYPE_VALUE, HTMLBodyElementEventMap: base_config_1.TYPE, HTMLBodyElement: base_config_1.TYPE_VALUE, HTMLButtonElement: base_config_1.TYPE_VALUE, HTMLCanvasElement: base_config_1.TYPE_VALUE, HTMLCollectionBase: base_config_1.TYPE, HTMLCollection: base_config_1.TYPE_VALUE, HTMLCollectionOf: base_config_1.TYPE, HTMLDListElement: base_config_1.TYPE_VALUE, HTMLDataElement: base_config_1.TYPE_VALUE, HTMLDataListElement: base_config_1.TYPE_VALUE, HTMLDetailsElement: base_config_1.TYPE_VALUE, HTMLDialogElement: base_config_1.TYPE_VALUE, HTMLDirectoryElement: base_config_1.TYPE_VALUE, HTMLDivElement: base_config_1.TYPE_VALUE, HTMLDocument: base_config_1.TYPE_VALUE, HTMLElementEventMap: base_config_1.TYPE, HTMLElement: base_config_1.TYPE_VALUE, HTMLEmbedElement: base_config_1.TYPE_VALUE, HTMLFieldSetElement: base_config_1.TYPE_VALUE, HTMLFontElement: base_config_1.TYPE_VALUE, HTMLFormControlsCollection: base_config_1.TYPE_VALUE, HTMLFormElement: base_config_1.TYPE_VALUE, HTMLFrameElement: base_config_1.TYPE_VALUE, HTMLFrameSetElementEventMap: base_config_1.TYPE, HTMLFrameSetElement: base_config_1.TYPE_VALUE, HTMLHRElement: base_config_1.TYPE_VALUE, HTMLHeadElement: base_config_1.TYPE_VALUE, HTMLHeadingElement: base_config_1.TYPE_VALUE, HTMLHtmlElement: base_config_1.TYPE_VALUE, HTMLHyperlinkElementUtils: base_config_1.TYPE, HTMLIFrameElement: base_config_1.TYPE_VALUE, HTMLImageElement: base_config_1.TYPE_VALUE, HTMLInputElement: base_config_1.TYPE_VALUE, HTMLLIElement: base_config_1.TYPE_VALUE, HTMLLabelElement: base_config_1.TYPE_VALUE, HTMLLegendElement: base_config_1.TYPE_VALUE, HTMLLinkElement: base_config_1.TYPE_VALUE, HTMLMapElement: base_config_1.TYPE_VALUE, HTMLMarqueeElement: base_config_1.TYPE_VALUE, HTMLMediaElementEventMap: base_config_1.TYPE, HTMLMediaElement: base_config_1.TYPE_VALUE, HTMLMenuElement: base_config_1.TYPE_VALUE, HTMLMetaElement: base_config_1.TYPE_VALUE, HTMLMeterElement: base_config_1.TYPE_VALUE, HTMLModElement: base_config_1.TYPE_VALUE, HTMLOListElement: base_config_1.TYPE_VALUE, HTMLObjectElement: base_config_1.TYPE_VALUE, HTMLOptGroupElement: base_config_1.TYPE_VALUE, HTMLOptionElement: base_config_1.TYPE_VALUE, HTMLOptionsCollection: base_config_1.TYPE_VALUE, HTMLOrSVGElement: base_config_1.TYPE, HTMLOutputElement: base_config_1.TYPE_VALUE, HTMLParagraphElement: base_config_1.TYPE_VALUE, HTMLParamElement: base_config_1.TYPE_VALUE, HTMLPictureElement: base_config_1.TYPE_VALUE, HTMLPreElement: base_config_1.TYPE_VALUE, HTMLProgressElement: base_config_1.TYPE_VALUE, HTMLQuoteElement: base_config_1.TYPE_VALUE, HTMLScriptElement: base_config_1.TYPE_VALUE, HTMLSelectElement: base_config_1.TYPE_VALUE, HTMLSlotElement: base_config_1.TYPE_VALUE, HTMLSourceElement: base_config_1.TYPE_VALUE, HTMLSpanElement: base_config_1.TYPE_VALUE, HTMLStyleElement: base_config_1.TYPE_VALUE, HTMLTableCaptionElement: base_config_1.TYPE_VALUE, HTMLTableCellElement: base_config_1.TYPE_VALUE, HTMLTableColElement: base_config_1.TYPE_VALUE, HTMLTableDataCellElement: base_config_1.TYPE, HTMLTableElement: base_config_1.TYPE_VALUE, HTMLTableHeaderCellElement: base_config_1.TYPE, HTMLTableRowElement: base_config_1.TYPE_VALUE, HTMLTableSectionElement: base_config_1.TYPE_VALUE, HTMLTemplateElement: base_config_1.TYPE_VALUE, HTMLTextAreaElement: base_config_1.TYPE_VALUE, HTMLTimeElement: base_config_1.TYPE_VALUE, HTMLTitleElement: base_config_1.TYPE_VALUE, HTMLTrackElement: base_config_1.TYPE_VALUE, HTMLUListElement: base_config_1.TYPE_VALUE, HTMLUnknownElement: base_config_1.TYPE_VALUE, HTMLVideoElementEventMap: base_config_1.TYPE, HTMLVideoElement: base_config_1.TYPE_VALUE, HashChangeEvent: base_config_1.TYPE_VALUE, Headers: base_config_1.TYPE_VALUE, Highlight: base_config_1.TYPE_VALUE, HighlightRegistry: base_config_1.TYPE_VALUE, History: base_config_1.TYPE_VALUE, IDBCursor: base_config_1.TYPE_VALUE, IDBCursorWithValue: base_config_1.TYPE_VALUE, IDBDatabaseEventMap: base_config_1.TYPE, IDBDatabase: base_config_1.TYPE_VALUE, IDBFactory: base_config_1.TYPE_VALUE, IDBIndex: base_config_1.TYPE_VALUE, IDBKeyRange: base_config_1.TYPE_VALUE, IDBObjectStore: base_config_1.TYPE_VALUE, IDBOpenDBRequestEventMap: base_config_1.TYPE, IDBOpenDBRequest: base_config_1.TYPE_VALUE, IDBRequestEventMap: base_config_1.TYPE, IDBRequest: base_config_1.TYPE_VALUE, IDBTransactionEventMap: base_config_1.TYPE, IDBTransaction: base_config_1.TYPE_VALUE, IDBVersionChangeEvent: base_config_1.TYPE_VALUE, IIRFilterNode: base_config_1.TYPE_VALUE, IdleDeadline: base_config_1.TYPE_VALUE, ImageBitmap: base_config_1.TYPE_VALUE, ImageBitmapRenderingContext: base_config_1.TYPE_VALUE, ImageData: base_config_1.TYPE_VALUE, InnerHTML: base_config_1.TYPE, InputDeviceInfo: base_config_1.TYPE_VALUE, InputEvent: base_config_1.TYPE_VALUE, IntersectionObserver: base_config_1.TYPE_VALUE, IntersectionObserverEntry: base_config_1.TYPE_VALUE, KHR_parallel_shader_compile: base_config_1.TYPE, KeyboardEvent: base_config_1.TYPE_VALUE, KeyframeEffect: base_config_1.TYPE_VALUE, LargestContentfulPaint: base_config_1.TYPE_VALUE, LinkStyle: base_config_1.TYPE, Location: base_config_1.TYPE_VALUE, Lock: base_config_1.TYPE_VALUE, LockManager: base_config_1.TYPE_VALUE, MIDIAccessEventMap: base_config_1.TYPE, MIDIAccess: base_config_1.TYPE_VALUE, MIDIConnectionEvent: base_config_1.TYPE_VALUE, MIDIInputEventMap: base_config_1.TYPE, MIDIInput: base_config_1.TYPE_VALUE, MIDIInputMap: base_config_1.TYPE_VALUE, MIDIMessageEvent: base_config_1.TYPE_VALUE, MIDIOutput: base_config_1.TYPE_VALUE, MIDIOutputMap: base_config_1.TYPE_VALUE, MIDIPortEventMap: base_config_1.TYPE, MIDIPort: base_config_1.TYPE_VALUE, MathMLElementEventMap: base_config_1.TYPE, MathMLElement: base_config_1.TYPE_VALUE, MediaCapabilities: base_config_1.TYPE_VALUE, MediaDeviceInfo: base_config_1.TYPE_VALUE, MediaDevicesEventMap: base_config_1.TYPE, MediaDevices: base_config_1.TYPE_VALUE, MediaElementAudioSourceNode: base_config_1.TYPE_VALUE, MediaEncryptedEvent: base_config_1.TYPE_VALUE, MediaError: base_config_1.TYPE_VALUE, MediaKeyMessageEvent: base_config_1.TYPE_VALUE, MediaKeySessionEventMap: base_config_1.TYPE, MediaKeySession: base_config_1.TYPE_VALUE, MediaKeyStatusMap: base_config_1.TYPE_VALUE, MediaKeySystemAccess: base_config_1.TYPE_VALUE, MediaKeys: base_config_1.TYPE_VALUE, MediaList: base_config_1.TYPE_VALUE, MediaMetadata: base_config_1.TYPE_VALUE, MediaQueryListEventMap: base_config_1.TYPE, MediaQueryList: base_config_1.TYPE_VALUE, MediaQueryListEvent: base_config_1.TYPE_VALUE, MediaRecorderEventMap: base_config_1.TYPE, MediaRecorder: base_config_1.TYPE_VALUE, MediaSession: base_config_1.TYPE_VALUE, MediaSourceEventMap: base_config_1.TYPE, MediaSource: base_config_1.TYPE_VALUE, MediaStreamEventMap: base_config_1.TYPE, MediaStream: base_config_1.TYPE_VALUE, MediaStreamAudioDestinationNode: base_config_1.TYPE_VALUE, MediaStreamAudioSourceNode: base_config_1.TYPE_VALUE, MediaStreamTrackEventMap: base_config_1.TYPE, MediaStreamTrack: base_config_1.TYPE_VALUE, MediaStreamTrackEvent: base_config_1.TYPE_VALUE, MessageChannel: base_config_1.TYPE_VALUE, MessageEvent: base_config_1.TYPE_VALUE, MessagePortEventMap: base_config_1.TYPE, MessagePort: base_config_1.TYPE_VALUE, MimeType: base_config_1.TYPE_VALUE, MimeTypeArray: base_config_1.TYPE_VALUE, MouseEvent: base_config_1.TYPE_VALUE, MutationEvent: base_config_1.TYPE_VALUE, MutationObserver: base_config_1.TYPE_VALUE, MutationRecord: base_config_1.TYPE_VALUE, NamedNodeMap: base_config_1.TYPE_VALUE, NavigationPreloadManager: base_config_1.TYPE_VALUE, Navigator: base_config_1.TYPE_VALUE, NavigatorAutomationInformation: base_config_1.TYPE, NavigatorBadge: base_config_1.TYPE, NavigatorConcurrentHardware: base_config_1.TYPE, NavigatorContentUtils: base_config_1.TYPE, NavigatorCookies: base_config_1.TYPE, NavigatorID: base_config_1.TYPE, NavigatorLanguage: base_config_1.TYPE, NavigatorLocks: base_config_1.TYPE, NavigatorOnLine: base_config_1.TYPE, NavigatorPlugins: base_config_1.TYPE, NavigatorStorage: base_config_1.TYPE, Node: base_config_1.TYPE_VALUE, NodeIterator: base_config_1.TYPE_VALUE, NodeList: base_config_1.TYPE_VALUE, NodeListOf: base_config_1.TYPE, NonDocumentTypeChildNode: base_config_1.TYPE, NonElementParentNode: base_config_1.TYPE, NotificationEventMap: base_config_1.TYPE, Notification: base_config_1.TYPE_VALUE, OES_draw_buffers_indexed: base_config_1.TYPE, OES_element_index_uint: base_config_1.TYPE, OES_fbo_render_mipmap: base_config_1.TYPE, OES_standard_derivatives: base_config_1.TYPE, OES_texture_float: base_config_1.TYPE, OES_texture_float_linear: base_config_1.TYPE, OES_texture_half_float: base_config_1.TYPE, OES_texture_half_float_linear: base_config_1.TYPE, OES_vertex_array_object: base_config_1.TYPE, OVR_multiview2: base_config_1.TYPE, OfflineAudioCompletionEvent: base_config_1.TYPE_VALUE, OfflineAudioContextEventMap: base_config_1.TYPE, OfflineAudioContext: base_config_1.TYPE_VALUE, OffscreenCanvasEventMap: base_config_1.TYPE, OffscreenCanvas: base_config_1.TYPE_VALUE, OffscreenCanvasRenderingContext2D: base_config_1.TYPE_VALUE, OscillatorNode: base_config_1.TYPE_VALUE, OverconstrainedError: base_config_1.TYPE_VALUE, PageTransitionEvent: base_config_1.TYPE_VALUE, PannerNode: base_config_1.TYPE_VALUE, ParentNode: base_config_1.TYPE, Path2D: base_config_1.TYPE_VALUE, PaymentMethodChangeEvent: base_config_1.TYPE_VALUE, PaymentRequestEventMap: base_config_1.TYPE, PaymentRequest: base_config_1.TYPE_VALUE, PaymentRequestUpdateEvent: base_config_1.TYPE_VALUE, PaymentResponse: base_config_1.TYPE_VALUE, PerformanceEventMap: base_config_1.TYPE, Performance: base_config_1.TYPE_VALUE, PerformanceEntry: base_config_1.TYPE_VALUE, PerformanceEventTiming: base_config_1.TYPE_VALUE, PerformanceMark: base_config_1.TYPE_VALUE, PerformanceMeasure: base_config_1.TYPE_VALUE, PerformanceNavigation: base_config_1.TYPE_VALUE, PerformanceNavigationTiming: base_config_1.TYPE_VALUE, PerformanceObserver: base_config_1.TYPE_VALUE, PerformanceObserverEntryList: base_config_1.TYPE_VALUE, PerformancePaintTiming: base_config_1.TYPE_VALUE, PerformanceResourceTiming: base_config_1.TYPE_VALUE, PerformanceServerTiming: base_config_1.TYPE_VALUE, PerformanceTiming: base_config_1.TYPE_VALUE, PeriodicWave: base_config_1.TYPE_VALUE, PermissionStatusEventMap: base_config_1.TYPE, PermissionStatus: base_config_1.TYPE_VALUE, Permissions: base_config_1.TYPE_VALUE, PictureInPictureEvent: base_config_1.TYPE_VALUE, PictureInPictureWindowEventMap: base_config_1.TYPE, PictureInPictureWindow: base_config_1.TYPE_VALUE, Plugin: base_config_1.TYPE_VALUE, PluginArray: base_config_1.TYPE_VALUE, PointerEvent: base_config_1.TYPE_VALUE, PopStateEvent: base_config_1.TYPE_VALUE, PopoverInvokerElement: base_config_1.TYPE, ProcessingInstruction: base_config_1.TYPE_VALUE, ProgressEvent: base_config_1.TYPE_VALUE, PromiseRejectionEvent: base_config_1.TYPE_VALUE, PublicKeyCredential: base_config_1.TYPE_VALUE, PushManager: base_config_1.TYPE_VALUE, PushSubscription: base_config_1.TYPE_VALUE, PushSubscriptionOptions: base_config_1.TYPE_VALUE, RTCCertificate: base_config_1.TYPE_VALUE, RTCDTMFSenderEventMap: base_config_1.TYPE, RTCDTMFSender: base_config_1.TYPE_VALUE, RTCDTMFToneChangeEvent: base_config_1.TYPE_VALUE, RTCDataChannelEventMap: base_config_1.TYPE, RTCDataChannel: base_config_1.TYPE_VALUE, RTCDataChannelEvent: base_config_1.TYPE_VALUE, RTCDtlsTransportEventMap: base_config_1.TYPE, RTCDtlsTransport: base_config_1.TYPE_VALUE, RTCEncodedAudioFrame: base_config_1.TYPE_VALUE, RTCEncodedVideoFrame: base_config_1.TYPE_VALUE, RTCError: base_config_1.TYPE_VALUE, RTCErrorEvent: base_config_1.TYPE_VALUE, RTCIceCandidate: base_config_1.TYPE_VALUE, RTCIceTransportEventMap: base_config_1.TYPE, RTCIceTransport: base_config_1.TYPE_VALUE, RTCPeerConnectionEventMap: base_config_1.TYPE, RTCPeerConnection: base_config_1.TYPE_VALUE, RTCPeerConnectionIceErrorEvent: base_config_1.TYPE_VALUE, RTCPeerConnectionIceEvent: base_config_1.TYPE_VALUE, RTCRtpReceiver: base_config_1.TYPE_VALUE, RTCRtpScriptTransform: base_config_1.TYPE_VALUE, RTCRtpSender: base_config_1.TYPE_VALUE, RTCRtpTransceiver: base_config_1.TYPE_VALUE, RTCSctpTransportEventMap: base_config_1.TYPE, RTCSctpTransport: base_config_1.TYPE_VALUE, RTCSessionDescription: base_config_1.TYPE_VALUE, RTCStatsReport: base_config_1.TYPE_VALUE, RTCTrackEvent: base_config_1.TYPE_VALUE, RadioNodeList: base_config_1.TYPE_VALUE, Range: base_config_1.TYPE_VALUE, ReadableByteStreamController: base_config_1.TYPE_VALUE, ReadableStream: base_config_1.TYPE_VALUE, ReadableStreamBYOBReader: base_config_1.TYPE_VALUE, ReadableStreamBYOBRequest: base_config_1.TYPE_VALUE, ReadableStreamDefaultController: base_config_1.TYPE_VALUE, ReadableStreamDefaultReader: base_config_1.TYPE_VALUE, ReadableStreamGenericReader: base_config_1.TYPE, RemotePlaybackEventMap: base_config_1.TYPE, RemotePlayback: base_config_1.TYPE_VALUE, Report: base_config_1.TYPE_VALUE, ReportBody: base_config_1.TYPE_VALUE, ReportingObserver: base_config_1.TYPE_VALUE, Request: base_config_1.TYPE_VALUE, ResizeObserver: base_config_1.TYPE_VALUE, ResizeObserverEntry: base_config_1.TYPE_VALUE, ResizeObserverSize: base_config_1.TYPE_VALUE, Response: base_config_1.TYPE_VALUE, SVGAElement: base_config_1.TYPE_VALUE, SVGAngle: base_config_1.TYPE_VALUE, SVGAnimateElement: base_config_1.TYPE_VALUE, SVGAnimateMotionElement: base_config_1.TYPE_VALUE, SVGAnimateTransformElement: base_config_1.TYPE_VALUE, SVGAnimatedAngle: base_config_1.TYPE_VALUE, SVGAnimatedBoolean: base_config_1.TYPE_VALUE, SVGAnimatedEnumeration: base_config_1.TYPE_VALUE, SVGAnimatedInteger: base_config_1.TYPE_VALUE, SVGAnimatedLength: base_config_1.TYPE_VALUE, SVGAnimatedLengthList: base_config_1.TYPE_VALUE, SVGAnimatedNumber: base_config_1.TYPE_VALUE, SVGAnimatedNumberList: base_config_1.TYPE_VALUE, SVGAnimatedPoints: base_config_1.TYPE, SVGAnimatedPreserveAspectRatio: base_config_1.TYPE_VALUE, SVGAnimatedRect: base_config_1.TYPE_VALUE, SVGAnimatedString: base_config_1.TYPE_VALUE, SVGAnimatedTransformList: base_config_1.TYPE_VALUE, SVGAnimationElement: base_config_1.TYPE_VALUE, SVGCircleElement: base_config_1.TYPE_VALUE, SVGClipPathElement: base_config_1.TYPE_VALUE, SVGComponentTransferFunctionElement: base_config_1.TYPE_VALUE, SVGDefsElement: base_config_1.TYPE_VALUE, SVGDescElement: base_config_1.TYPE_VALUE, SVGElementEventMap: base_config_1.TYPE, SVGElement: base_config_1.TYPE_VALUE, SVGEllipseElement: base_config_1.TYPE_VALUE, SVGFEBlendElement: base_config_1.TYPE_VALUE, SVGFEColorMatrixElement: base_config_1.TYPE_VALUE, SVGFEComponentTransferElement: base_config_1.TYPE_VALUE, SVGFECompositeElement: base_config_1.TYPE_VALUE, SVGFEConvolveMatrixElement: base_config_1.TYPE_VALUE, SVGFEDiffuseLightingElement: base_config_1.TYPE_VALUE, SVGFEDisplacementMapElement: base_config_1.TYPE_VALUE, SVGFEDistantLightElement: base_config_1.TYPE_VALUE, SVGFEDropShadowElement: base_config_1.TYPE_VALUE, SVGFEFloodElement: base_config_1.TYPE_VALUE, SVGFEFuncAElement: base_config_1.TYPE_VALUE, SVGFEFuncBElement: base_config_1.TYPE_VALUE, SVGFEFuncGElement: base_config_1.TYPE_VALUE, SVGFEFuncRElement: base_config_1.TYPE_VALUE, SVGFEGaussianBlurElement: base_config_1.TYPE_VALUE, SVGFEImageElement: base_config_1.TYPE_VALUE, SVGFEMergeElement: base_config_1.TYPE_VALUE, SVGFEMergeNodeElement: base_config_1.TYPE_VALUE, SVGFEMorphologyElement: base_config_1.TYPE_VALUE, SVGFEOffsetElement: base_config_1.TYPE_VALUE, SVGFEPointLightElement: base_config_1.TYPE_VALUE, SVGFESpecularLightingElement: base_config_1.TYPE_VALUE, SVGFESpotLightElement: base_config_1.TYPE_VALUE, SVGFETileElement: base_config_1.TYPE_VALUE, SVGFETurbulenceElement: base_config_1.TYPE_VALUE, SVGFilterElement: base_config_1.TYPE_VALUE, SVGFilterPrimitiveStandardAttributes: base_config_1.TYPE, SVGFitToViewBox: base_config_1.TYPE, SVGForeignObjectElement: base_config_1.TYPE_VALUE, SVGGElement: base_config_1.TYPE_VALUE, SVGGeometryElement: base_config_1.TYPE_VALUE, SVGGradientElement: base_config_1.TYPE_VALUE, SVGGraphicsElement: base_config_1.TYPE_VALUE, SVGImageElement: base_config_1.TYPE_VALUE, SVGLength: base_config_1.TYPE_VALUE, SVGLengthList: base_config_1.TYPE_VALUE, SVGLineElement: base_config_1.TYPE_VALUE, SVGLinearGradientElement: base_config_1.TYPE_VALUE, SVGMPathElement: base_config_1.TYPE_VALUE, SVGMarkerElement: base_config_1.TYPE_VALUE, SVGMaskElement: base_config_1.TYPE_VALUE, SVGMetadataElement: base_config_1.TYPE_VALUE, SVGNumber: base_config_1.TYPE_VALUE, SVGNumberList: base_config_1.TYPE_VALUE, SVGPathElement: base_config_1.TYPE_VALUE, SVGPatternElement: base_config_1.TYPE_VALUE, SVGPointList: base_config_1.TYPE_VALUE, SVGPolygonElement: base_config_1.TYPE_VALUE, SVGPolylineElement: base_config_1.TYPE_VALUE, SVGPreserveAspectRatio: base_config_1.TYPE_VALUE, SVGRadialGradientElement: base_config_1.TYPE_VALUE, SVGRectElement: base_config_1.TYPE_VALUE, SVGSVGElementEventMap: base_config_1.TYPE, SVGSVGElement: base_config_1.TYPE_VALUE, SVGScriptElement: base_config_1.TYPE_VALUE, SVGSetElement: base_config_1.TYPE_VALUE, SVGStopElement: base_config_1.TYPE_VALUE, SVGStringList: base_config_1.TYPE_VALUE, SVGStyleElement: base_config_1.TYPE_VALUE, SVGSwitchElement: base_config_1.TYPE_VALUE, SVGSymbolElement: base_config_1.TYPE_VALUE, SVGTSpanElement: base_config_1.TYPE_VALUE, SVGTests: base_config_1.TYPE, SVGTextContentElement: base_config_1.TYPE_VALUE, SVGTextElement: base_config_1.TYPE_VALUE, SVGTextPathElement: base_config_1.TYPE_VALUE, SVGTextPositioningElement: base_config_1.TYPE_VALUE, SVGTitleElement: base_config_1.TYPE_VALUE, SVGTransform: base_config_1.TYPE_VALUE, SVGTransformList: base_config_1.TYPE_VALUE, SVGURIReference: base_config_1.TYPE, SVGUnitTypes: base_config_1.TYPE_VALUE, SVGUseElement: base_config_1.TYPE_VALUE, SVGViewElement: base_config_1.TYPE_VALUE, Screen: base_config_1.TYPE_VALUE, ScreenOrientationEventMap: base_config_1.TYPE, ScreenOrientation: base_config_1.TYPE_VALUE, ScriptProcessorNodeEventMap: base_config_1.TYPE, ScriptProcessorNode: base_config_1.TYPE_VALUE, SecurityPolicyViolationEvent: base_config_1.TYPE_VALUE, Selection: base_config_1.TYPE_VALUE, ServiceWorkerEventMap: base_config_1.TYPE, ServiceWorker: base_config_1.TYPE_VALUE, ServiceWorkerContainerEventMap: base_config_1.TYPE, ServiceWorkerContainer: base_config_1.TYPE_VALUE, ServiceWorkerRegistrationEventMap: base_config_1.TYPE, ServiceWorkerRegistration: base_config_1.TYPE_VALUE, ShadowRootEventMap: base_config_1.TYPE, ShadowRoot: base_config_1.TYPE_VALUE, SharedWorker: base_config_1.TYPE_VALUE, Slottable: base_config_1.TYPE, SourceBufferEventMap: base_config_1.TYPE, SourceBuffer: base_config_1.TYPE_VALUE, SourceBufferListEventMap: base_config_1.TYPE, SourceBufferList: base_config_1.TYPE_VALUE, SpeechRecognitionAlternative: base_config_1.TYPE_VALUE, SpeechRecognitionResult: base_config_1.TYPE_VALUE, SpeechRecognitionResultList: base_config_1.TYPE_VALUE, SpeechSynthesisEventMap: base_config_1.TYPE, SpeechSynthesis: base_config_1.TYPE_VALUE, SpeechSynthesisErrorEvent: base_config_1.TYPE_VALUE, SpeechSynthesisEvent: base_config_1.TYPE_VALUE, SpeechSynthesisUtteranceEventMap: base_config_1.TYPE, SpeechSynthesisUtterance: base_config_1.TYPE_VALUE, SpeechSynthesisVoice: base_config_1.TYPE_VALUE, StaticRange: base_config_1.TYPE_VALUE, StereoPannerNode: base_config_1.TYPE_VALUE, Storage: base_config_1.TYPE_VALUE, StorageEvent: base_config_1.TYPE_VALUE, StorageManager: base_config_1.TYPE_VALUE, StyleMedia: base_config_1.TYPE, StylePropertyMap: base_config_1.TYPE_VALUE, StylePropertyMapReadOnly: base_config_1.TYPE_VALUE, StyleSheet: base_config_1.TYPE_VALUE, StyleSheetList: base_config_1.TYPE_VALUE, SubmitEvent: base_config_1.TYPE_VALUE, SubtleCrypto: base_config_1.TYPE_VALUE, Text: base_config_1.TYPE_VALUE, TextDecoder: base_config_1.TYPE_VALUE, TextDecoderCommon: base_config_1.TYPE, TextDecoderStream: base_config_1.TYPE_VALUE, TextEncoder: base_config_1.TYPE_VALUE, TextEncoderCommon: base_config_1.TYPE, TextEncoderStream: base_config_1.TYPE_VALUE, TextMetrics: base_config_1.TYPE_VALUE, TextTrackEventMap: base_config_1.TYPE, TextTrack: base_config_1.TYPE_VALUE, TextTrackCueEventMap: base_config_1.TYPE, TextTrackCue: base_config_1.TYPE_VALUE, TextTrackCueList: base_config_1.TYPE_VALUE, TextTrackListEventMap: base_config_1.TYPE, TextTrackList: base_config_1.TYPE_VALUE, TimeRanges: base_config_1.TYPE_VALUE, ToggleEvent: base_config_1.TYPE_VALUE, Touch: base_config_1.TYPE_VALUE, TouchEvent: base_config_1.TYPE_VALUE, TouchList: base_config_1.TYPE_VALUE, TrackEvent: base_config_1.TYPE_VALUE, TransformStream: base_config_1.TYPE_VALUE, TransformStreamDefaultController: base_config_1.TYPE_VALUE, TransitionEvent: base_config_1.TYPE_VALUE, TreeWalker: base_config_1.TYPE_VALUE, UIEvent: base_config_1.TYPE_VALUE, URL: base_config_1.TYPE_VALUE, webkitURL: base_config_1.TYPE_VALUE, URLSearchParams: base_config_1.TYPE_VALUE, UserActivation: base_config_1.TYPE_VALUE, VTTCue: base_config_1.TYPE_VALUE, VTTRegion: base_config_1.TYPE_VALUE, ValidityState: base_config_1.TYPE_VALUE, VideoColorSpace: base_config_1.TYPE_VALUE, VideoDecoderEventMap: base_config_1.TYPE, VideoDecoder: base_config_1.TYPE_VALUE, VideoEncoderEventMap: base_config_1.TYPE, VideoEncoder: base_config_1.TYPE_VALUE, VideoFrame: base_config_1.TYPE_VALUE, VideoPlaybackQuality: base_config_1.TYPE_VALUE, VisualViewportEventMap: base_config_1.TYPE, VisualViewport: base_config_1.TYPE_VALUE, WEBGL_color_buffer_float: base_config_1.TYPE, WEBGL_compressed_texture_astc: base_config_1.TYPE, WEBGL_compressed_texture_etc: base_config_1.TYPE, WEBGL_compressed_texture_etc1: base_config_1.TYPE, WEBGL_compressed_texture_pvrtc: base_config_1.TYPE, WEBGL_compressed_texture_s3tc: base_config_1.TYPE, WEBGL_compressed_texture_s3tc_srgb: base_config_1.TYPE, WEBGL_debug_renderer_info: base_config_1.TYPE, WEBGL_debug_shaders: base_config_1.TYPE, WEBGL_depth_texture: base_config_1.TYPE, WEBGL_draw_buffers: base_config_1.TYPE, WEBGL_lose_context: base_config_1.TYPE, WEBGL_multi_draw: base_config_1.TYPE, WakeLock: base_config_1.TYPE_VALUE, WakeLockSentinelEventMap: base_config_1.TYPE, WakeLockSentinel: base_config_1.TYPE_VALUE, WaveShaperNode: base_config_1.TYPE_VALUE, WebGL2RenderingContext: base_config_1.TYPE_VALUE, WebGL2RenderingContextBase: base_config_1.TYPE, WebGL2RenderingContextOverloads: base_config_1.TYPE, WebGLActiveInfo: base_config_1.TYPE_VALUE, WebGLBuffer: base_config_1.TYPE_VALUE, WebGLContextEvent: base_config_1.TYPE_VALUE, WebGLFramebuffer: base_config_1.TYPE_VALUE, WebGLProgram: base_config_1.TYPE_VALUE, WebGLQuery: base_config_1.TYPE_VALUE, WebGLRenderbuffer: base_config_1.TYPE_VALUE, WebGLRenderingContext: base_config_1.TYPE_VALUE, WebGLRenderingContextBase: base_config_1.TYPE, WebGLRenderingContextOverloads: base_config_1.TYPE, WebGLSampler: base_config_1.TYPE_VALUE, WebGLShader: base_config_1.TYPE_VALUE, WebGLShaderPrecisionFormat: base_config_1.TYPE_VALUE, WebGLSync: base_config_1.TYPE_VALUE, WebGLTexture: base_config_1.TYPE_VALUE, WebGLTransformFeedback: base_config_1.TYPE_VALUE, WebGLUniformLocation: base_config_1.TYPE_VALUE, WebGLVertexArrayObject: base_config_1.TYPE_VALUE, WebGLVertexArrayObjectOES: base_config_1.TYPE, WebSocketEventMap: base_config_1.TYPE, WebSocket: base_config_1.TYPE_VALUE, WebTransport: base_config_1.TYPE_VALUE, WebTransportBidirectionalStream: base_config_1.TYPE_VALUE, WebTransportDatagramDuplexStream: base_config_1.TYPE_VALUE, WebTransportError: base_config_1.TYPE_VALUE, WheelEvent: base_config_1.TYPE_VALUE, WindowEventMap: base_config_1.TYPE, Window: base_config_1.TYPE_VALUE, WindowEventHandlersEventMap: base_config_1.TYPE, WindowEventHandlers: base_config_1.TYPE, WindowLocalStorage: base_config_1.TYPE, WindowOrWorkerGlobalScope: base_config_1.TYPE, WindowSessionStorage: base_config_1.TYPE, WorkerEventMap: base_config_1.TYPE, Worker: base_config_1.TYPE_VALUE, Worklet: base_config_1.TYPE_VALUE, WritableStream: base_config_1.TYPE_VALUE, WritableStreamDefaultController: base_config_1.TYPE_VALUE, WritableStreamDefaultWriter: base_config_1.TYPE_VALUE, XMLDocument: base_config_1.TYPE_VALUE, XMLHttpRequestEventMap: base_config_1.TYPE, XMLHttpRequest: base_config_1.TYPE_VALUE, XMLHttpRequestEventTargetEventMap: base_config_1.TYPE, XMLHttpRequestEventTarget: base_config_1.TYPE_VALUE, XMLHttpRequestUpload: base_config_1.TYPE_VALUE, XMLSerializer: base_config_1.TYPE_VALUE, XPathEvaluator: base_config_1.TYPE_VALUE, XPathEvaluatorBase: base_config_1.TYPE, XPathExpression: base_config_1.TYPE_VALUE, XPathResult: base_config_1.TYPE_VALUE, XSLTProcessor: base_config_1.TYPE_VALUE, Console: base_config_1.TYPE, CSS: base_config_1.TYPE_VALUE, WebAssembly: base_config_1.TYPE_VALUE, BlobCallback: base_config_1.TYPE, CustomElementConstructor: base_config_1.TYPE, DecodeErrorCallback: base_config_1.TYPE, DecodeSuccessCallback: base_config_1.TYPE, EncodedVideoChunkOutputCallback: base_config_1.TYPE, ErrorCallback: base_config_1.TYPE, FileCallback: base_config_1.TYPE, FileSystemEntriesCallback: base_config_1.TYPE, FileSystemEntryCallback: base_config_1.TYPE, FrameRequestCallback: base_config_1.TYPE, FunctionStringCallback: base_config_1.TYPE, IdleRequestCallback: base_config_1.TYPE, IntersectionObserverCallback: base_config_1.TYPE, LockGrantedCallback: base_config_1.TYPE, MediaSessionActionHandler: base_config_1.TYPE, MutationCallback: base_config_1.TYPE, NotificationPermissionCallback: base_config_1.TYPE, OnBeforeUnloadEventHandlerNonNull: base_config_1.TYPE, OnErrorEventHandlerNonNull: base_config_1.TYPE, PerformanceObserverCallback: base_config_1.TYPE, PositionCallback: base_config_1.TYPE, PositionErrorCallback: base_config_1.TYPE, QueuingStrategySize: base_config_1.TYPE, RTCPeerConnectionErrorCallback: base_config_1.TYPE, RTCSessionDescriptionCallback: base_config_1.TYPE, RemotePlaybackAvailabilityCallback: base_config_1.TYPE, ReportingObserverCallback: base_config_1.TYPE, ResizeObserverCallback: base_config_1.TYPE, TransformerFlushCallback: base_config_1.TYPE, TransformerStartCallback: base_config_1.TYPE, TransformerTransformCallback: base_config_1.TYPE, UnderlyingSinkAbortCallback: base_config_1.TYPE, UnderlyingSinkCloseCallback: base_config_1.TYPE, UnderlyingSinkStartCallback: base_config_1.TYPE, UnderlyingSinkWriteCallback: base_config_1.TYPE, UnderlyingSourceCancelCallback: base_config_1.TYPE, UnderlyingSourcePullCallback: base_config_1.TYPE, UnderlyingSourceStartCallback: base_config_1.TYPE, VideoFrameOutputCallback: base_config_1.TYPE, VideoFrameRequestCallback: base_config_1.TYPE, VoidFunction: base_config_1.TYPE, WebCodecsErrorCallback: base_config_1.TYPE, HTMLElementTagNameMap: base_config_1.TYPE, HTMLElementDeprecatedTagNameMap: base_config_1.TYPE, SVGElementTagNameMap: base_config_1.TYPE, MathMLElementTagNameMap: base_config_1.TYPE, ElementTagNameMap: base_config_1.TYPE, AlgorithmIdentifier: base_config_1.TYPE, AllowSharedBufferSource: base_config_1.TYPE, AutoFill: base_config_1.TYPE, AutoFillField: base_config_1.TYPE, AutoFillSection: base_config_1.TYPE, BigInteger: base_config_1.TYPE, BinaryData: base_config_1.TYPE, BlobPart: base_config_1.TYPE, BodyInit: base_config_1.TYPE, BufferSource: base_config_1.TYPE, COSEAlgorithmIdentifier: base_config_1.TYPE, CSSKeywordish: base_config_1.TYPE, CSSNumberish: base_config_1.TYPE, CSSPerspectiveValue: base_config_1.TYPE, CSSUnparsedSegment: base_config_1.TYPE, CanvasImageSource: base_config_1.TYPE, ClipboardItemData: base_config_1.TYPE, ClipboardItems: base_config_1.TYPE, ConstrainBoolean: base_config_1.TYPE, ConstrainDOMString: base_config_1.TYPE, ConstrainDouble: base_config_1.TYPE, ConstrainULong: base_config_1.TYPE, DOMHighResTimeStamp: base_config_1.TYPE, EpochTimeStamp: base_config_1.TYPE, EventListenerOrEventListenerObject: base_config_1.TYPE, FileSystemWriteChunkType: base_config_1.TYPE, Float32List: base_config_1.TYPE, FormDataEntryValue: base_config_1.TYPE, GLbitfield: base_config_1.TYPE, GLboolean: base_config_1.TYPE, GLclampf: base_config_1.TYPE, GLenum: base_config_1.TYPE, GLfloat: base_config_1.TYPE, GLint: base_config_1.TYPE, GLint64: base_config_1.TYPE, GLintptr: base_config_1.TYPE, GLsizei: base_config_1.TYPE, GLsizeiptr: base_config_1.TYPE, GLuint: base_config_1.TYPE, GLuint64: base_config_1.TYPE, HTMLOrSVGImageElement: base_config_1.TYPE, HTMLOrSVGScriptElement: base_config_1.TYPE, HashAlgorithmIdentifier: base_config_1.TYPE, HeadersInit: base_config_1.TYPE, IDBValidKey: base_config_1.TYPE, ImageBitmapSource: base_config_1.TYPE, Int32List: base_config_1.TYPE, LineAndPositionSetting: base_config_1.TYPE, MediaProvider: base_config_1.TYPE, MessageEventSource: base_config_1.TYPE, MutationRecordType: base_config_1.TYPE, NamedCurve: base_config_1.TYPE, OffscreenRenderingContext: base_config_1.TYPE, OnBeforeUnloadEventHandler: base_config_1.TYPE, OnErrorEventHandler: base_config_1.TYPE, OptionalPostfixToken: base_config_1.TYPE, OptionalPrefixToken: base_config_1.TYPE, PerformanceEntryList: base_config_1.TYPE, RTCRtpTransform: base_config_1.TYPE, ReadableStreamController: base_config_1.TYPE, ReadableStreamReadResult: base_config_1.TYPE, ReadableStreamReader: base_config_1.TYPE, RenderingContext: base_config_1.TYPE, ReportList: base_config_1.TYPE, RequestInfo: base_config_1.TYPE, TexImageSource: base_config_1.TYPE, TimerHandler: base_config_1.TYPE, Transferable: base_config_1.TYPE, Uint32List: base_config_1.TYPE, VibratePattern: base_config_1.TYPE, WindowProxy: base_config_1.TYPE, XMLHttpRequestBodyInit: base_config_1.TYPE, AlignSetting: base_config_1.TYPE, AlphaOption: base_config_1.TYPE, AnimationPlayState: base_config_1.TYPE, AnimationReplaceState: base_config_1.TYPE, AppendMode: base_config_1.TYPE, AttestationConveyancePreference: base_config_1.TYPE, AudioContextLatencyCategory: base_config_1.TYPE, AudioContextState: base_config_1.TYPE, AuthenticatorAttachment: base_config_1.TYPE, AuthenticatorTransport: base_config_1.TYPE, AutoFillAddressKind: base_config_1.TYPE, AutoFillBase: base_config_1.TYPE, AutoFillContactField: base_config_1.TYPE, AutoFillContactKind: base_config_1.TYPE, AutoFillCredentialField: base_config_1.TYPE, AutoFillNormalField: base_config_1.TYPE, AutoKeyword: base_config_1.TYPE, AutomationRate: base_config_1.TYPE, AvcBitstreamFormat: base_config_1.TYPE, BinaryType: base_config_1.TYPE, BiquadFilterType: base_config_1.TYPE, CSSMathOperator: base_config_1.TYPE, CSSNumericBaseType: base_config_1.TYPE, CanPlayTypeResult: base_config_1.TYPE, CanvasDirection: base_config_1.TYPE, CanvasFillRule: base_config_1.TYPE, CanvasFontKerning: base_config_1.TYPE, CanvasFontStretch: base_config_1.TYPE, CanvasFontVariantCaps: base_config_1.TYPE, CanvasLineCap: base_config_1.TYPE, CanvasLineJoin: base_config_1.TYPE, CanvasTextAlign: base_config_1.TYPE, CanvasTextBaseline: base_config_1.TYPE, CanvasTextRendering: base_config_1.TYPE, ChannelCountMode: base_config_1.TYPE, ChannelInterpretation: base_config_1.TYPE, ClientTypes: base_config_1.TYPE, CodecState: base_config_1.TYPE, ColorGamut: base_config_1.TYPE, ColorSpaceConversion: base_config_1.TYPE, CompositeOperation: base_config_1.TYPE, CompositeOperationOrAuto: base_config_1.TYPE, CompressionFormat: base_config_1.TYPE, CredentialMediationRequirement: base_config_1.TYPE, DOMParserSupportedType: base_config_1.TYPE, DirectionSetting: base_config_1.TYPE, DisplayCaptureSurfaceType: base_config_1.TYPE, DistanceModelType: base_config_1.TYPE, DocumentReadyState: base_config_1.TYPE, DocumentVisibilityState: base_config_1.TYPE, EncodedVideoChunkType: base_config_1.TYPE, EndOfStreamError: base_config_1.TYPE, EndingType: base_config_1.TYPE, FileSystemHandleKind: base_config_1.TYPE, FillMode: base_config_1.TYPE, FontDisplay: base_config_1.TYPE, FontFaceLoadStatus: base_config_1.TYPE, FontFaceSetLoadStatus: base_config_1.TYPE, FullscreenNavigationUI: base_config_1.TYPE, GamepadHapticEffectType: base_config_1.TYPE, GamepadHapticsResult: base_config_1.TYPE, GamepadMappingType: base_config_1.TYPE, GlobalCompositeOperation: base_config_1.TYPE, HardwareAcceleration: base_config_1.TYPE, HdrMetadataType: base_config_1.TYPE, HighlightType: base_config_1.TYPE, IDBCursorDirection: base_config_1.TYPE, IDBRequestReadyState: base_config_1.TYPE, IDBTransactionDurability: base_config_1.TYPE, IDBTransactionMode: base_config_1.TYPE, ImageOrientation: base_config_1.TYPE, ImageSmoothingQuality: base_config_1.TYPE, InsertPosition: base_config_1.TYPE, IterationCompositeOperation: base_config_1.TYPE, KeyFormat: base_config_1.TYPE, KeyType: base_config_1.TYPE, KeyUsage: base_config_1.TYPE, LatencyMode: base_config_1.TYPE, LineAlignSetting: base_config_1.TYPE, LockMode: base_config_1.TYPE, MIDIPortConnectionState: base_config_1.TYPE, MIDIPortDeviceState: base_config_1.TYPE, MIDIPortType: base_config_1.TYPE, MediaDecodingType: base_config_1.TYPE, MediaDeviceKind: base_config_1.TYPE, MediaEncodingType: base_config_1.TYPE, MediaKeyMessageType: base_config_1.TYPE, MediaKeySessionClosedReason: base_config_1.TYPE, MediaKeySessionType: base_config_1.TYPE, MediaKeyStatus: base_config_1.TYPE, MediaKeysRequirement: base_config_1.TYPE, MediaSessionAction: base_config_1.TYPE, MediaSessionPlaybackState: base_config_1.TYPE, MediaStreamTrackState: base_config_1.TYPE, NavigationTimingType: base_config_1.TYPE, NotificationDirection: base_config_1.TYPE, NotificationPermission: base_config_1.TYPE, OffscreenRenderingContextId: base_config_1.TYPE, OrientationType: base_config_1.TYPE, OscillatorType: base_config_1.TYPE, OverSampleType: base_config_1.TYPE, PanningModelType: base_config_1.TYPE, PaymentComplete: base_config_1.TYPE, PermissionName: base_config_1.TYPE, PermissionState: base_config_1.TYPE, PlaybackDirection: base_config_1.TYPE, PositionAlignSetting: base_config_1.TYPE, PredefinedColorSpace: base_config_1.TYPE, PremultiplyAlpha: base_config_1.TYPE, PresentationStyle: base_config_1.TYPE, PublicKeyCredentialType: base_config_1.TYPE, PushEncryptionKeyName: base_config_1.TYPE, RTCBundlePolicy: base_config_1.TYPE, RTCDataChannelState: base_config_1.TYPE, RTCDegradationPreference: base_config_1.TYPE, RTCDtlsTransportState: base_config_1.TYPE, RTCEncodedVideoFrameType: base_config_1.TYPE, RTCErrorDetailType: base_config_1.TYPE, RTCIceCandidateType: base_config_1.TYPE, RTCIceComponent: base_config_1.TYPE, RTCIceConnectionState: base_config_1.TYPE, RTCIceGathererState: base_config_1.TYPE, RTCIceGatheringState: base_config_1.TYPE, RTCIceProtocol: base_config_1.TYPE, RTCIceTcpCandidateType: base_config_1.TYPE, RTCIceTransportPolicy: base_config_1.TYPE, RTCIceTransportState: base_config_1.TYPE, RTCPeerConnectionState: base_config_1.TYPE, RTCPriorityType: base_config_1.TYPE, RTCRtcpMuxPolicy: base_config_1.TYPE, RTCRtpTransceiverDirection: base_config_1.TYPE, RTCSctpTransportState: base_config_1.TYPE, RTCSdpType: base_config_1.TYPE, RTCSignalingState: base_config_1.TYPE, RTCStatsIceCandidatePairState: base_config_1.TYPE, RTCStatsType: base_config_1.TYPE, ReadableStreamReaderMode: base_config_1.TYPE, ReadableStreamType: base_config_1.TYPE, ReadyState: base_config_1.TYPE, RecordingState: base_config_1.TYPE, ReferrerPolicy: base_config_1.TYPE, RemotePlaybackState: base_config_1.TYPE, RequestCache: base_config_1.TYPE, RequestCredentials: base_config_1.TYPE, RequestDestination: base_config_1.TYPE, RequestMode: base_config_1.TYPE, RequestPriority: base_config_1.TYPE, RequestRedirect: base_config_1.TYPE, ResidentKeyRequirement: base_config_1.TYPE, ResizeObserverBoxOptions: base_config_1.TYPE, ResizeQuality: base_config_1.TYPE, ResponseType: base_config_1.TYPE, ScrollBehavior: base_config_1.TYPE, ScrollLogicalPosition: base_config_1.TYPE, ScrollRestoration: base_config_1.TYPE, ScrollSetting: base_config_1.TYPE, SecurityPolicyViolationEventDisposition: base_config_1.TYPE, SelectionMode: base_config_1.TYPE, ServiceWorkerState: base_config_1.TYPE, ServiceWorkerUpdateViaCache: base_config_1.TYPE, ShadowRootMode: base_config_1.TYPE, SlotAssignmentMode: base_config_1.TYPE, SpeechSynthesisErrorCode: base_config_1.TYPE, TextTrackKind: base_config_1.TYPE, TextTrackMode: base_config_1.TYPE, TouchType: base_config_1.TYPE, TransferFunction: base_config_1.TYPE, UserVerificationRequirement: base_config_1.TYPE, VideoColorPrimaries: base_config_1.TYPE, VideoEncoderBitrateMode: base_config_1.TYPE, VideoFacingModeEnum: base_config_1.TYPE, VideoMatrixCoefficients: base_config_1.TYPE, VideoPixelFormat: base_config_1.TYPE, VideoTransferCharacteristics: base_config_1.TYPE, WakeLockType: base_config_1.TYPE, WebGLPowerPreference: base_config_1.TYPE, WebTransportCongestionControl: base_config_1.TYPE, WebTransportErrorSource: base_config_1.TYPE, WorkerType: base_config_1.TYPE, WriteCommandType: base_config_1.TYPE, XMLHttpRequestResponseType: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/dom.asynciterable.js var require_dom_asynciterable = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/dom.asynciterable.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.dom_asynciterable = void 0; var base_config_1 = require_base_config(); exports2.dom_asynciterable = { FileSystemDirectoryHandle: base_config_1.TYPE, ReadableStream: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/dom.iterable.js var require_dom_iterable = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/dom.iterable.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.dom_iterable = void 0; var base_config_1 = require_base_config(); exports2.dom_iterable = { AbortSignal: base_config_1.TYPE, AudioParam: base_config_1.TYPE, AudioParamMap: base_config_1.TYPE, BaseAudioContext: base_config_1.TYPE, CSSKeyframesRule: base_config_1.TYPE, CSSNumericArray: base_config_1.TYPE, CSSRuleList: base_config_1.TYPE, CSSStyleDeclaration: base_config_1.TYPE, CSSTransformValue: base_config_1.TYPE, CSSUnparsedValue: base_config_1.TYPE, Cache: base_config_1.TYPE, CanvasPath: base_config_1.TYPE, CanvasPathDrawingStyles: base_config_1.TYPE, CustomStateSet: base_config_1.TYPE, DOMRectList: base_config_1.TYPE, DOMStringList: base_config_1.TYPE, DOMTokenList: base_config_1.TYPE, DataTransferItemList: base_config_1.TYPE, EventCounts: base_config_1.TYPE, FileList: base_config_1.TYPE, FontFaceSet: base_config_1.TYPE, FormData: base_config_1.TYPE, HTMLAllCollection: base_config_1.TYPE, HTMLCollectionBase: base_config_1.TYPE, HTMLCollectionOf: base_config_1.TYPE, HTMLFormElement: base_config_1.TYPE, HTMLSelectElement: base_config_1.TYPE, Headers: base_config_1.TYPE, Highlight: base_config_1.TYPE, HighlightRegistry: base_config_1.TYPE, IDBDatabase: base_config_1.TYPE, IDBObjectStore: base_config_1.TYPE, MIDIInputMap: base_config_1.TYPE, MIDIOutput: base_config_1.TYPE, MIDIOutputMap: base_config_1.TYPE, MediaKeyStatusMap: base_config_1.TYPE, MediaList: base_config_1.TYPE, MessageEvent: base_config_1.TYPE, MimeTypeArray: base_config_1.TYPE, NamedNodeMap: base_config_1.TYPE, Navigator: base_config_1.TYPE, NodeList: base_config_1.TYPE, NodeListOf: base_config_1.TYPE, Plugin: base_config_1.TYPE, PluginArray: base_config_1.TYPE, RTCRtpTransceiver: base_config_1.TYPE, RTCStatsReport: base_config_1.TYPE, SVGLengthList: base_config_1.TYPE, SVGNumberList: base_config_1.TYPE, SVGPointList: base_config_1.TYPE, SVGStringList: base_config_1.TYPE, SVGTransformList: base_config_1.TYPE, SourceBufferList: base_config_1.TYPE, SpeechRecognitionResult: base_config_1.TYPE, SpeechRecognitionResultList: base_config_1.TYPE, StylePropertyMapReadOnly: base_config_1.TYPE, StyleSheetList: base_config_1.TYPE, SubtleCrypto: base_config_1.TYPE, TextTrackCueList: base_config_1.TYPE, TextTrackList: base_config_1.TYPE, TouchList: base_config_1.TYPE, URLSearchParams: base_config_1.TYPE, WEBGL_draw_buffers: base_config_1.TYPE, WEBGL_multi_draw: base_config_1.TYPE, WebGL2RenderingContextBase: base_config_1.TYPE, WebGL2RenderingContextOverloads: base_config_1.TYPE, WebGLRenderingContextBase: base_config_1.TYPE, WebGLRenderingContextOverloads: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es5.js var require_es5 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es5.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es5 = void 0; var base_config_1 = require_base_config(); var decorators_1 = require_decorators(); var decorators_legacy_1 = require_decorators_legacy(); exports2.es5 = { ...decorators_1.decorators, ...decorators_legacy_1.decorators_legacy, Symbol: base_config_1.TYPE, PropertyKey: base_config_1.TYPE, PropertyDescriptor: base_config_1.TYPE, PropertyDescriptorMap: base_config_1.TYPE, Object: base_config_1.TYPE_VALUE, ObjectConstructor: base_config_1.TYPE, Function: base_config_1.TYPE_VALUE, FunctionConstructor: base_config_1.TYPE, ThisParameterType: base_config_1.TYPE, OmitThisParameter: base_config_1.TYPE, CallableFunction: base_config_1.TYPE, NewableFunction: base_config_1.TYPE, IArguments: base_config_1.TYPE, String: base_config_1.TYPE_VALUE, StringConstructor: base_config_1.TYPE, Boolean: base_config_1.TYPE_VALUE, BooleanConstructor: base_config_1.TYPE, Number: base_config_1.TYPE_VALUE, NumberConstructor: base_config_1.TYPE, TemplateStringsArray: base_config_1.TYPE, ImportMeta: base_config_1.TYPE, ImportCallOptions: base_config_1.TYPE, ImportAssertions: base_config_1.TYPE, ImportAttributes: base_config_1.TYPE, Math: base_config_1.TYPE_VALUE, Date: base_config_1.TYPE_VALUE, DateConstructor: base_config_1.TYPE, RegExpMatchArray: base_config_1.TYPE, RegExpExecArray: base_config_1.TYPE, RegExp: base_config_1.TYPE_VALUE, RegExpConstructor: base_config_1.TYPE, Error: base_config_1.TYPE_VALUE, ErrorConstructor: base_config_1.TYPE, EvalError: base_config_1.TYPE_VALUE, EvalErrorConstructor: base_config_1.TYPE, RangeError: base_config_1.TYPE_VALUE, RangeErrorConstructor: base_config_1.TYPE, ReferenceError: base_config_1.TYPE_VALUE, ReferenceErrorConstructor: base_config_1.TYPE, SyntaxError: base_config_1.TYPE_VALUE, SyntaxErrorConstructor: base_config_1.TYPE, TypeError: base_config_1.TYPE_VALUE, TypeErrorConstructor: base_config_1.TYPE, URIError: base_config_1.TYPE_VALUE, URIErrorConstructor: base_config_1.TYPE, JSON: base_config_1.TYPE_VALUE, ReadonlyArray: base_config_1.TYPE, ConcatArray: base_config_1.TYPE, Array: base_config_1.TYPE_VALUE, ArrayConstructor: base_config_1.TYPE, TypedPropertyDescriptor: base_config_1.TYPE, PromiseConstructorLike: base_config_1.TYPE, PromiseLike: base_config_1.TYPE, Promise: base_config_1.TYPE, Awaited: base_config_1.TYPE, ArrayLike: base_config_1.TYPE, Partial: base_config_1.TYPE, Required: base_config_1.TYPE, Readonly: base_config_1.TYPE, Pick: base_config_1.TYPE, Record: base_config_1.TYPE, Exclude: base_config_1.TYPE, Extract: base_config_1.TYPE, Omit: base_config_1.TYPE, NonNullable: base_config_1.TYPE, Parameters: base_config_1.TYPE, ConstructorParameters: base_config_1.TYPE, ReturnType: base_config_1.TYPE, InstanceType: base_config_1.TYPE, Uppercase: base_config_1.TYPE, Lowercase: base_config_1.TYPE, Capitalize: base_config_1.TYPE, Uncapitalize: base_config_1.TYPE, NoInfer: base_config_1.TYPE, ThisType: base_config_1.TYPE, WeakKeyTypes: base_config_1.TYPE, WeakKey: base_config_1.TYPE, ArrayBuffer: base_config_1.TYPE_VALUE, ArrayBufferTypes: base_config_1.TYPE, ArrayBufferLike: base_config_1.TYPE, ArrayBufferConstructor: base_config_1.TYPE, ArrayBufferView: base_config_1.TYPE, DataView: base_config_1.TYPE_VALUE, DataViewConstructor: base_config_1.TYPE, Int8Array: base_config_1.TYPE_VALUE, Int8ArrayConstructor: base_config_1.TYPE, Uint8Array: base_config_1.TYPE_VALUE, Uint8ArrayConstructor: base_config_1.TYPE, Uint8ClampedArray: base_config_1.TYPE_VALUE, Uint8ClampedArrayConstructor: base_config_1.TYPE, Int16Array: base_config_1.TYPE_VALUE, Int16ArrayConstructor: base_config_1.TYPE, Uint16Array: base_config_1.TYPE_VALUE, Uint16ArrayConstructor: base_config_1.TYPE, Int32Array: base_config_1.TYPE_VALUE, Int32ArrayConstructor: base_config_1.TYPE, Uint32Array: base_config_1.TYPE_VALUE, Uint32ArrayConstructor: base_config_1.TYPE, Float32Array: base_config_1.TYPE_VALUE, Float32ArrayConstructor: base_config_1.TYPE, Float64Array: base_config_1.TYPE_VALUE, Float64ArrayConstructor: base_config_1.TYPE, Intl: base_config_1.TYPE_VALUE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.collection.js var require_es2015_collection = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.collection.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2015_collection = void 0; var base_config_1 = require_base_config(); exports2.es2015_collection = { Map: base_config_1.TYPE_VALUE, MapConstructor: base_config_1.TYPE, ReadonlyMap: base_config_1.TYPE, WeakMap: base_config_1.TYPE_VALUE, WeakMapConstructor: base_config_1.TYPE, Set: base_config_1.TYPE_VALUE, SetConstructor: base_config_1.TYPE, ReadonlySet: base_config_1.TYPE, WeakSet: base_config_1.TYPE_VALUE, WeakSetConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.core.js var require_es2015_core = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.core.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2015_core = void 0; var base_config_1 = require_base_config(); exports2.es2015_core = { Array: base_config_1.TYPE, ArrayConstructor: base_config_1.TYPE, DateConstructor: base_config_1.TYPE, Function: base_config_1.TYPE, Math: base_config_1.TYPE, NumberConstructor: base_config_1.TYPE, ObjectConstructor: base_config_1.TYPE, ReadonlyArray: base_config_1.TYPE, RegExp: base_config_1.TYPE, RegExpConstructor: base_config_1.TYPE, String: base_config_1.TYPE, StringConstructor: base_config_1.TYPE, Int8Array: base_config_1.TYPE, Uint8Array: base_config_1.TYPE, Uint8ClampedArray: base_config_1.TYPE, Int16Array: base_config_1.TYPE, Uint16Array: base_config_1.TYPE, Int32Array: base_config_1.TYPE, Uint32Array: base_config_1.TYPE, Float32Array: base_config_1.TYPE, Float64Array: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.symbol.js var require_es2015_symbol = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.symbol.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2015_symbol = void 0; var base_config_1 = require_base_config(); exports2.es2015_symbol = { SymbolConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.iterable.js var require_es2015_iterable = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.iterable.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2015_iterable = void 0; var base_config_1 = require_base_config(); var es2015_symbol_1 = require_es2015_symbol(); exports2.es2015_iterable = { ...es2015_symbol_1.es2015_symbol, SymbolConstructor: base_config_1.TYPE, IteratorYieldResult: base_config_1.TYPE, IteratorReturnResult: base_config_1.TYPE, IteratorResult: base_config_1.TYPE, Iterator: base_config_1.TYPE, Iterable: base_config_1.TYPE, IterableIterator: base_config_1.TYPE, Array: base_config_1.TYPE, ArrayConstructor: base_config_1.TYPE, ReadonlyArray: base_config_1.TYPE, IArguments: base_config_1.TYPE, Map: base_config_1.TYPE, ReadonlyMap: base_config_1.TYPE, MapConstructor: base_config_1.TYPE, WeakMap: base_config_1.TYPE, WeakMapConstructor: base_config_1.TYPE, Set: base_config_1.TYPE, ReadonlySet: base_config_1.TYPE, SetConstructor: base_config_1.TYPE, WeakSet: base_config_1.TYPE, WeakSetConstructor: base_config_1.TYPE, Promise: base_config_1.TYPE, PromiseConstructor: base_config_1.TYPE, String: base_config_1.TYPE, Int8Array: base_config_1.TYPE, Int8ArrayConstructor: base_config_1.TYPE, Uint8Array: base_config_1.TYPE, Uint8ArrayConstructor: base_config_1.TYPE, Uint8ClampedArray: base_config_1.TYPE, Uint8ClampedArrayConstructor: base_config_1.TYPE, Int16Array: base_config_1.TYPE, Int16ArrayConstructor: base_config_1.TYPE, Uint16Array: base_config_1.TYPE, Uint16ArrayConstructor: base_config_1.TYPE, Int32Array: base_config_1.TYPE, Int32ArrayConstructor: base_config_1.TYPE, Uint32Array: base_config_1.TYPE, Uint32ArrayConstructor: base_config_1.TYPE, Float32Array: base_config_1.TYPE, Float32ArrayConstructor: base_config_1.TYPE, Float64Array: base_config_1.TYPE, Float64ArrayConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.generator.js var require_es2015_generator = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.generator.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2015_generator = void 0; var base_config_1 = require_base_config(); var es2015_iterable_1 = require_es2015_iterable(); exports2.es2015_generator = { ...es2015_iterable_1.es2015_iterable, Generator: base_config_1.TYPE, GeneratorFunction: base_config_1.TYPE, GeneratorFunctionConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.promise.js var require_es2015_promise = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.promise.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2015_promise = void 0; var base_config_1 = require_base_config(); exports2.es2015_promise = { PromiseConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.proxy.js var require_es2015_proxy = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.proxy.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2015_proxy = void 0; var base_config_1 = require_base_config(); exports2.es2015_proxy = { ProxyHandler: base_config_1.TYPE, ProxyConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.reflect.js var require_es2015_reflect = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.reflect.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2015_reflect = void 0; var base_config_1 = require_base_config(); exports2.es2015_reflect = { Reflect: base_config_1.TYPE_VALUE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.symbol.wellknown.js var require_es2015_symbol_wellknown = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.symbol.wellknown.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2015_symbol_wellknown = void 0; var base_config_1 = require_base_config(); var es2015_symbol_1 = require_es2015_symbol(); exports2.es2015_symbol_wellknown = { ...es2015_symbol_1.es2015_symbol, SymbolConstructor: base_config_1.TYPE, Symbol: base_config_1.TYPE, Array: base_config_1.TYPE, ReadonlyArray: base_config_1.TYPE, Date: base_config_1.TYPE, Map: base_config_1.TYPE, WeakMap: base_config_1.TYPE, Set: base_config_1.TYPE, WeakSet: base_config_1.TYPE, JSON: base_config_1.TYPE, Function: base_config_1.TYPE, GeneratorFunction: base_config_1.TYPE, Math: base_config_1.TYPE, Promise: base_config_1.TYPE, PromiseConstructor: base_config_1.TYPE, RegExp: base_config_1.TYPE, RegExpConstructor: base_config_1.TYPE, String: base_config_1.TYPE, ArrayBuffer: base_config_1.TYPE, DataView: base_config_1.TYPE, Int8Array: base_config_1.TYPE, Uint8Array: base_config_1.TYPE, Uint8ClampedArray: base_config_1.TYPE, Int16Array: base_config_1.TYPE, Uint16Array: base_config_1.TYPE, Int32Array: base_config_1.TYPE, Uint32Array: base_config_1.TYPE, Float32Array: base_config_1.TYPE, Float64Array: base_config_1.TYPE, ArrayConstructor: base_config_1.TYPE, MapConstructor: base_config_1.TYPE, SetConstructor: base_config_1.TYPE, ArrayBufferConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es6.js var require_es6 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es6.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es6 = void 0; var es5_1 = require_es5(); var es2015_collection_1 = require_es2015_collection(); var es2015_core_1 = require_es2015_core(); var es2015_generator_1 = require_es2015_generator(); var es2015_iterable_1 = require_es2015_iterable(); var es2015_promise_1 = require_es2015_promise(); var es2015_proxy_1 = require_es2015_proxy(); var es2015_reflect_1 = require_es2015_reflect(); var es2015_symbol_1 = require_es2015_symbol(); var es2015_symbol_wellknown_1 = require_es2015_symbol_wellknown(); exports2.es6 = { ...es5_1.es5, ...es2015_core_1.es2015_core, ...es2015_collection_1.es2015_collection, ...es2015_iterable_1.es2015_iterable, ...es2015_generator_1.es2015_generator, ...es2015_promise_1.es2015_promise, ...es2015_proxy_1.es2015_proxy, ...es2015_reflect_1.es2015_reflect, ...es2015_symbol_1.es2015_symbol, ...es2015_symbol_wellknown_1.es2015_symbol_wellknown }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.js var require_es2015 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2015.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2015 = void 0; var es5_1 = require_es5(); var es2015_collection_1 = require_es2015_collection(); var es2015_core_1 = require_es2015_core(); var es2015_generator_1 = require_es2015_generator(); var es2015_iterable_1 = require_es2015_iterable(); var es2015_promise_1 = require_es2015_promise(); var es2015_proxy_1 = require_es2015_proxy(); var es2015_reflect_1 = require_es2015_reflect(); var es2015_symbol_1 = require_es2015_symbol(); var es2015_symbol_wellknown_1 = require_es2015_symbol_wellknown(); exports2.es2015 = { ...es5_1.es5, ...es2015_core_1.es2015_core, ...es2015_collection_1.es2015_collection, ...es2015_iterable_1.es2015_iterable, ...es2015_generator_1.es2015_generator, ...es2015_promise_1.es2015_promise, ...es2015_proxy_1.es2015_proxy, ...es2015_reflect_1.es2015_reflect, ...es2015_symbol_1.es2015_symbol, ...es2015_symbol_wellknown_1.es2015_symbol_wellknown }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2016.array.include.js var require_es2016_array_include = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2016.array.include.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2016_array_include = void 0; var base_config_1 = require_base_config(); exports2.es2016_array_include = { Array: base_config_1.TYPE, ReadonlyArray: base_config_1.TYPE, Int8Array: base_config_1.TYPE, Uint8Array: base_config_1.TYPE, Uint8ClampedArray: base_config_1.TYPE, Int16Array: base_config_1.TYPE, Uint16Array: base_config_1.TYPE, Int32Array: base_config_1.TYPE, Uint32Array: base_config_1.TYPE, Float32Array: base_config_1.TYPE, Float64Array: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2016.intl.js var require_es2016_intl = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2016.intl.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2016_intl = void 0; var base_config_1 = require_base_config(); exports2.es2016_intl = { Intl: base_config_1.TYPE_VALUE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es7.js var require_es7 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es7.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es7 = void 0; var es2015_1 = require_es2015(); var es2016_array_include_1 = require_es2016_array_include(); var es2016_intl_1 = require_es2016_intl(); exports2.es7 = { ...es2015_1.es2015, ...es2016_array_include_1.es2016_array_include, ...es2016_intl_1.es2016_intl }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2016.js var require_es2016 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2016.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2016 = void 0; var es2015_1 = require_es2015(); var es2016_array_include_1 = require_es2016_array_include(); var es2016_intl_1 = require_es2016_intl(); exports2.es2016 = { ...es2015_1.es2015, ...es2016_array_include_1.es2016_array_include, ...es2016_intl_1.es2016_intl }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/scripthost.js var require_scripthost = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/scripthost.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.scripthost = void 0; var base_config_1 = require_base_config(); exports2.scripthost = { ActiveXObject: base_config_1.TYPE_VALUE, ITextWriter: base_config_1.TYPE, TextStreamBase: base_config_1.TYPE, TextStreamWriter: base_config_1.TYPE, TextStreamReader: base_config_1.TYPE, SafeArray: base_config_1.TYPE_VALUE, Enumerator: base_config_1.TYPE_VALUE, EnumeratorConstructor: base_config_1.TYPE, VBArray: base_config_1.TYPE_VALUE, VBArrayConstructor: base_config_1.TYPE, VarDate: base_config_1.TYPE_VALUE, DateConstructor: base_config_1.TYPE, Date: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/webworker.importscripts.js var require_webworker_importscripts = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/webworker.importscripts.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.webworker_importscripts = void 0; exports2.webworker_importscripts = {}; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2016.full.js var require_es2016_full = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2016.full.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2016_full = void 0; var dom_1 = require_dom(); var dom_iterable_1 = require_dom_iterable(); var es2016_1 = require_es2016(); var scripthost_1 = require_scripthost(); var webworker_importscripts_1 = require_webworker_importscripts(); exports2.es2016_full = { ...es2016_1.es2016, ...dom_1.dom, ...webworker_importscripts_1.webworker_importscripts, ...scripthost_1.scripthost, ...dom_iterable_1.dom_iterable }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2017.date.js var require_es2017_date = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2017.date.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2017_date = void 0; var base_config_1 = require_base_config(); exports2.es2017_date = { DateConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2017.intl.js var require_es2017_intl = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2017.intl.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2017_intl = void 0; var base_config_1 = require_base_config(); exports2.es2017_intl = { Intl: base_config_1.TYPE_VALUE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2017.object.js var require_es2017_object = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2017.object.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2017_object = void 0; var base_config_1 = require_base_config(); exports2.es2017_object = { ObjectConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2017.sharedmemory.js var require_es2017_sharedmemory = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2017.sharedmemory.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2017_sharedmemory = void 0; var base_config_1 = require_base_config(); var es2015_symbol_1 = require_es2015_symbol(); var es2015_symbol_wellknown_1 = require_es2015_symbol_wellknown(); exports2.es2017_sharedmemory = { ...es2015_symbol_1.es2015_symbol, ...es2015_symbol_wellknown_1.es2015_symbol_wellknown, SharedArrayBuffer: base_config_1.TYPE_VALUE, SharedArrayBufferConstructor: base_config_1.TYPE, ArrayBufferTypes: base_config_1.TYPE, Atomics: base_config_1.TYPE_VALUE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2017.string.js var require_es2017_string = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2017.string.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2017_string = void 0; var base_config_1 = require_base_config(); exports2.es2017_string = { String: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2017.typedarrays.js var require_es2017_typedarrays = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2017.typedarrays.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2017_typedarrays = void 0; var base_config_1 = require_base_config(); exports2.es2017_typedarrays = { Int8ArrayConstructor: base_config_1.TYPE, Uint8ArrayConstructor: base_config_1.TYPE, Uint8ClampedArrayConstructor: base_config_1.TYPE, Int16ArrayConstructor: base_config_1.TYPE, Uint16ArrayConstructor: base_config_1.TYPE, Int32ArrayConstructor: base_config_1.TYPE, Uint32ArrayConstructor: base_config_1.TYPE, Float32ArrayConstructor: base_config_1.TYPE, Float64ArrayConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2017.js var require_es2017 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2017.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2017 = void 0; var es2016_1 = require_es2016(); var es2017_date_1 = require_es2017_date(); var es2017_intl_1 = require_es2017_intl(); var es2017_object_1 = require_es2017_object(); var es2017_sharedmemory_1 = require_es2017_sharedmemory(); var es2017_string_1 = require_es2017_string(); var es2017_typedarrays_1 = require_es2017_typedarrays(); exports2.es2017 = { ...es2016_1.es2016, ...es2017_object_1.es2017_object, ...es2017_sharedmemory_1.es2017_sharedmemory, ...es2017_string_1.es2017_string, ...es2017_intl_1.es2017_intl, ...es2017_typedarrays_1.es2017_typedarrays, ...es2017_date_1.es2017_date }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2017.full.js var require_es2017_full = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2017.full.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2017_full = void 0; var dom_1 = require_dom(); var dom_iterable_1 = require_dom_iterable(); var es2017_1 = require_es2017(); var scripthost_1 = require_scripthost(); var webworker_importscripts_1 = require_webworker_importscripts(); exports2.es2017_full = { ...es2017_1.es2017, ...dom_1.dom, ...webworker_importscripts_1.webworker_importscripts, ...scripthost_1.scripthost, ...dom_iterable_1.dom_iterable }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2018.asynciterable.js var require_es2018_asynciterable = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2018.asynciterable.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2018_asynciterable = void 0; var base_config_1 = require_base_config(); var es2015_iterable_1 = require_es2015_iterable(); var es2015_symbol_1 = require_es2015_symbol(); exports2.es2018_asynciterable = { ...es2015_symbol_1.es2015_symbol, ...es2015_iterable_1.es2015_iterable, SymbolConstructor: base_config_1.TYPE, AsyncIterator: base_config_1.TYPE, AsyncIterable: base_config_1.TYPE, AsyncIterableIterator: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2018.asyncgenerator.js var require_es2018_asyncgenerator = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2018.asyncgenerator.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2018_asyncgenerator = void 0; var base_config_1 = require_base_config(); var es2018_asynciterable_1 = require_es2018_asynciterable(); exports2.es2018_asyncgenerator = { ...es2018_asynciterable_1.es2018_asynciterable, AsyncGenerator: base_config_1.TYPE, AsyncGeneratorFunction: base_config_1.TYPE, AsyncGeneratorFunctionConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2018.intl.js var require_es2018_intl = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2018.intl.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2018_intl = void 0; var base_config_1 = require_base_config(); exports2.es2018_intl = { Intl: base_config_1.TYPE_VALUE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2018.promise.js var require_es2018_promise = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2018.promise.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2018_promise = void 0; var base_config_1 = require_base_config(); exports2.es2018_promise = { Promise: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2018.regexp.js var require_es2018_regexp = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2018.regexp.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2018_regexp = void 0; var base_config_1 = require_base_config(); exports2.es2018_regexp = { RegExpMatchArray: base_config_1.TYPE, RegExpExecArray: base_config_1.TYPE, RegExp: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2018.js var require_es2018 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2018.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2018 = void 0; var es2017_1 = require_es2017(); var es2018_asyncgenerator_1 = require_es2018_asyncgenerator(); var es2018_asynciterable_1 = require_es2018_asynciterable(); var es2018_intl_1 = require_es2018_intl(); var es2018_promise_1 = require_es2018_promise(); var es2018_regexp_1 = require_es2018_regexp(); exports2.es2018 = { ...es2017_1.es2017, ...es2018_asynciterable_1.es2018_asynciterable, ...es2018_asyncgenerator_1.es2018_asyncgenerator, ...es2018_promise_1.es2018_promise, ...es2018_regexp_1.es2018_regexp, ...es2018_intl_1.es2018_intl }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2018.full.js var require_es2018_full = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2018.full.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2018_full = void 0; var dom_1 = require_dom(); var dom_asynciterable_1 = require_dom_asynciterable(); var dom_iterable_1 = require_dom_iterable(); var es2018_1 = require_es2018(); var scripthost_1 = require_scripthost(); var webworker_importscripts_1 = require_webworker_importscripts(); exports2.es2018_full = { ...es2018_1.es2018, ...dom_1.dom, ...webworker_importscripts_1.webworker_importscripts, ...scripthost_1.scripthost, ...dom_iterable_1.dom_iterable, ...dom_asynciterable_1.dom_asynciterable }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2019.array.js var require_es2019_array = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2019.array.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2019_array = void 0; var base_config_1 = require_base_config(); exports2.es2019_array = { FlatArray: base_config_1.TYPE, ReadonlyArray: base_config_1.TYPE, Array: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2019.intl.js var require_es2019_intl = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2019.intl.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2019_intl = void 0; var base_config_1 = require_base_config(); exports2.es2019_intl = { Intl: base_config_1.TYPE_VALUE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2019.object.js var require_es2019_object = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2019.object.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2019_object = void 0; var base_config_1 = require_base_config(); var es2015_iterable_1 = require_es2015_iterable(); exports2.es2019_object = { ...es2015_iterable_1.es2015_iterable, ObjectConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2019.string.js var require_es2019_string = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2019.string.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2019_string = void 0; var base_config_1 = require_base_config(); exports2.es2019_string = { String: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2019.symbol.js var require_es2019_symbol = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2019.symbol.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2019_symbol = void 0; var base_config_1 = require_base_config(); exports2.es2019_symbol = { Symbol: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2019.js var require_es2019 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2019.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2019 = void 0; var es2018_1 = require_es2018(); var es2019_array_1 = require_es2019_array(); var es2019_intl_1 = require_es2019_intl(); var es2019_object_1 = require_es2019_object(); var es2019_string_1 = require_es2019_string(); var es2019_symbol_1 = require_es2019_symbol(); exports2.es2019 = { ...es2018_1.es2018, ...es2019_array_1.es2019_array, ...es2019_object_1.es2019_object, ...es2019_string_1.es2019_string, ...es2019_symbol_1.es2019_symbol, ...es2019_intl_1.es2019_intl }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2019.full.js var require_es2019_full = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2019.full.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2019_full = void 0; var dom_1 = require_dom(); var dom_asynciterable_1 = require_dom_asynciterable(); var dom_iterable_1 = require_dom_iterable(); var es2019_1 = require_es2019(); var scripthost_1 = require_scripthost(); var webworker_importscripts_1 = require_webworker_importscripts(); exports2.es2019_full = { ...es2019_1.es2019, ...dom_1.dom, ...webworker_importscripts_1.webworker_importscripts, ...scripthost_1.scripthost, ...dom_iterable_1.dom_iterable, ...dom_asynciterable_1.dom_asynciterable }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.intl.js var require_es2020_intl = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.intl.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2020_intl = void 0; var base_config_1 = require_base_config(); var es2018_intl_1 = require_es2018_intl(); exports2.es2020_intl = { ...es2018_intl_1.es2018_intl, Intl: base_config_1.TYPE_VALUE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.bigint.js var require_es2020_bigint = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.bigint.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2020_bigint = void 0; var base_config_1 = require_base_config(); var es2020_intl_1 = require_es2020_intl(); exports2.es2020_bigint = { ...es2020_intl_1.es2020_intl, BigIntToLocaleStringOptions: base_config_1.TYPE, BigInt: base_config_1.TYPE_VALUE, BigIntConstructor: base_config_1.TYPE, BigInt64Array: base_config_1.TYPE_VALUE, BigInt64ArrayConstructor: base_config_1.TYPE, BigUint64Array: base_config_1.TYPE_VALUE, BigUint64ArrayConstructor: base_config_1.TYPE, DataView: base_config_1.TYPE, Intl: base_config_1.TYPE_VALUE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.date.js var require_es2020_date = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.date.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2020_date = void 0; var base_config_1 = require_base_config(); var es2020_intl_1 = require_es2020_intl(); exports2.es2020_date = { ...es2020_intl_1.es2020_intl, Date: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.number.js var require_es2020_number = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.number.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2020_number = void 0; var base_config_1 = require_base_config(); var es2020_intl_1 = require_es2020_intl(); exports2.es2020_number = { ...es2020_intl_1.es2020_intl, Number: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.promise.js var require_es2020_promise = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.promise.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2020_promise = void 0; var base_config_1 = require_base_config(); exports2.es2020_promise = { PromiseFulfilledResult: base_config_1.TYPE, PromiseRejectedResult: base_config_1.TYPE, PromiseSettledResult: base_config_1.TYPE, PromiseConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.sharedmemory.js var require_es2020_sharedmemory = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.sharedmemory.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2020_sharedmemory = void 0; var base_config_1 = require_base_config(); exports2.es2020_sharedmemory = { Atomics: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.string.js var require_es2020_string = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.string.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2020_string = void 0; var base_config_1 = require_base_config(); var es2015_iterable_1 = require_es2015_iterable(); exports2.es2020_string = { ...es2015_iterable_1.es2015_iterable, String: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.symbol.wellknown.js var require_es2020_symbol_wellknown = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.symbol.wellknown.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2020_symbol_wellknown = void 0; var base_config_1 = require_base_config(); var es2015_iterable_1 = require_es2015_iterable(); var es2015_symbol_1 = require_es2015_symbol(); exports2.es2020_symbol_wellknown = { ...es2015_iterable_1.es2015_iterable, ...es2015_symbol_1.es2015_symbol, SymbolConstructor: base_config_1.TYPE, RegExp: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.js var require_es2020 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2020 = void 0; var es2019_1 = require_es2019(); var es2020_bigint_1 = require_es2020_bigint(); var es2020_date_1 = require_es2020_date(); var es2020_intl_1 = require_es2020_intl(); var es2020_number_1 = require_es2020_number(); var es2020_promise_1 = require_es2020_promise(); var es2020_sharedmemory_1 = require_es2020_sharedmemory(); var es2020_string_1 = require_es2020_string(); var es2020_symbol_wellknown_1 = require_es2020_symbol_wellknown(); exports2.es2020 = { ...es2019_1.es2019, ...es2020_bigint_1.es2020_bigint, ...es2020_date_1.es2020_date, ...es2020_number_1.es2020_number, ...es2020_promise_1.es2020_promise, ...es2020_sharedmemory_1.es2020_sharedmemory, ...es2020_string_1.es2020_string, ...es2020_symbol_wellknown_1.es2020_symbol_wellknown, ...es2020_intl_1.es2020_intl }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.full.js var require_es2020_full = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2020.full.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2020_full = void 0; var dom_1 = require_dom(); var dom_asynciterable_1 = require_dom_asynciterable(); var dom_iterable_1 = require_dom_iterable(); var es2020_1 = require_es2020(); var scripthost_1 = require_scripthost(); var webworker_importscripts_1 = require_webworker_importscripts(); exports2.es2020_full = { ...es2020_1.es2020, ...dom_1.dom, ...webworker_importscripts_1.webworker_importscripts, ...scripthost_1.scripthost, ...dom_iterable_1.dom_iterable, ...dom_asynciterable_1.dom_asynciterable }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2021.intl.js var require_es2021_intl = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2021.intl.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2021_intl = void 0; var base_config_1 = require_base_config(); exports2.es2021_intl = { Intl: base_config_1.TYPE_VALUE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2021.promise.js var require_es2021_promise = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2021.promise.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2021_promise = void 0; var base_config_1 = require_base_config(); exports2.es2021_promise = { AggregateError: base_config_1.TYPE_VALUE, AggregateErrorConstructor: base_config_1.TYPE, PromiseConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2021.string.js var require_es2021_string = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2021.string.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2021_string = void 0; var base_config_1 = require_base_config(); exports2.es2021_string = { String: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2021.weakref.js var require_es2021_weakref = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2021.weakref.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2021_weakref = void 0; var base_config_1 = require_base_config(); exports2.es2021_weakref = { WeakRef: base_config_1.TYPE_VALUE, WeakRefConstructor: base_config_1.TYPE, FinalizationRegistry: base_config_1.TYPE_VALUE, FinalizationRegistryConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2021.js var require_es2021 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2021.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2021 = void 0; var es2020_1 = require_es2020(); var es2021_intl_1 = require_es2021_intl(); var es2021_promise_1 = require_es2021_promise(); var es2021_string_1 = require_es2021_string(); var es2021_weakref_1 = require_es2021_weakref(); exports2.es2021 = { ...es2020_1.es2020, ...es2021_promise_1.es2021_promise, ...es2021_string_1.es2021_string, ...es2021_weakref_1.es2021_weakref, ...es2021_intl_1.es2021_intl }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2021.full.js var require_es2021_full = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2021.full.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2021_full = void 0; var dom_1 = require_dom(); var dom_asynciterable_1 = require_dom_asynciterable(); var dom_iterable_1 = require_dom_iterable(); var es2021_1 = require_es2021(); var scripthost_1 = require_scripthost(); var webworker_importscripts_1 = require_webworker_importscripts(); exports2.es2021_full = { ...es2021_1.es2021, ...dom_1.dom, ...webworker_importscripts_1.webworker_importscripts, ...scripthost_1.scripthost, ...dom_iterable_1.dom_iterable, ...dom_asynciterable_1.dom_asynciterable }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.array.js var require_es2022_array = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.array.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2022_array = void 0; var base_config_1 = require_base_config(); exports2.es2022_array = { Array: base_config_1.TYPE, ReadonlyArray: base_config_1.TYPE, Int8Array: base_config_1.TYPE, Uint8Array: base_config_1.TYPE, Uint8ClampedArray: base_config_1.TYPE, Int16Array: base_config_1.TYPE, Uint16Array: base_config_1.TYPE, Int32Array: base_config_1.TYPE, Uint32Array: base_config_1.TYPE, Float32Array: base_config_1.TYPE, Float64Array: base_config_1.TYPE, BigInt64Array: base_config_1.TYPE, BigUint64Array: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.error.js var require_es2022_error = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.error.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2022_error = void 0; var base_config_1 = require_base_config(); exports2.es2022_error = { ErrorOptions: base_config_1.TYPE, Error: base_config_1.TYPE, ErrorConstructor: base_config_1.TYPE, EvalErrorConstructor: base_config_1.TYPE, RangeErrorConstructor: base_config_1.TYPE, ReferenceErrorConstructor: base_config_1.TYPE, SyntaxErrorConstructor: base_config_1.TYPE, TypeErrorConstructor: base_config_1.TYPE, URIErrorConstructor: base_config_1.TYPE, AggregateErrorConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.intl.js var require_es2022_intl = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.intl.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2022_intl = void 0; var base_config_1 = require_base_config(); exports2.es2022_intl = { Intl: base_config_1.TYPE_VALUE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.object.js var require_es2022_object = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.object.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2022_object = void 0; var base_config_1 = require_base_config(); exports2.es2022_object = { ObjectConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.regexp.js var require_es2022_regexp = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.regexp.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2022_regexp = void 0; var base_config_1 = require_base_config(); exports2.es2022_regexp = { RegExpMatchArray: base_config_1.TYPE, RegExpExecArray: base_config_1.TYPE, RegExpIndicesArray: base_config_1.TYPE, RegExp: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.sharedmemory.js var require_es2022_sharedmemory = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.sharedmemory.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2022_sharedmemory = void 0; var base_config_1 = require_base_config(); exports2.es2022_sharedmemory = { Atomics: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.string.js var require_es2022_string = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.string.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2022_string = void 0; var base_config_1 = require_base_config(); exports2.es2022_string = { String: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.js var require_es2022 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2022 = void 0; var es2021_1 = require_es2021(); var es2022_array_1 = require_es2022_array(); var es2022_error_1 = require_es2022_error(); var es2022_intl_1 = require_es2022_intl(); var es2022_object_1 = require_es2022_object(); var es2022_regexp_1 = require_es2022_regexp(); var es2022_sharedmemory_1 = require_es2022_sharedmemory(); var es2022_string_1 = require_es2022_string(); exports2.es2022 = { ...es2021_1.es2021, ...es2022_array_1.es2022_array, ...es2022_error_1.es2022_error, ...es2022_intl_1.es2022_intl, ...es2022_object_1.es2022_object, ...es2022_sharedmemory_1.es2022_sharedmemory, ...es2022_string_1.es2022_string, ...es2022_regexp_1.es2022_regexp }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.full.js var require_es2022_full = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2022.full.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2022_full = void 0; var dom_1 = require_dom(); var dom_asynciterable_1 = require_dom_asynciterable(); var dom_iterable_1 = require_dom_iterable(); var es2022_1 = require_es2022(); var scripthost_1 = require_scripthost(); var webworker_importscripts_1 = require_webworker_importscripts(); exports2.es2022_full = { ...es2022_1.es2022, ...dom_1.dom, ...webworker_importscripts_1.webworker_importscripts, ...scripthost_1.scripthost, ...dom_iterable_1.dom_iterable, ...dom_asynciterable_1.dom_asynciterable }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2023.array.js var require_es2023_array = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2023.array.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2023_array = void 0; var base_config_1 = require_base_config(); exports2.es2023_array = { Array: base_config_1.TYPE, ReadonlyArray: base_config_1.TYPE, Int8Array: base_config_1.TYPE, Uint8Array: base_config_1.TYPE, Uint8ClampedArray: base_config_1.TYPE, Int16Array: base_config_1.TYPE, Uint16Array: base_config_1.TYPE, Int32Array: base_config_1.TYPE, Uint32Array: base_config_1.TYPE, Float32Array: base_config_1.TYPE, Float64Array: base_config_1.TYPE, BigInt64Array: base_config_1.TYPE, BigUint64Array: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2023.collection.js var require_es2023_collection = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2023.collection.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2023_collection = void 0; var base_config_1 = require_base_config(); exports2.es2023_collection = { WeakKeyTypes: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2023.intl.js var require_es2023_intl = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2023.intl.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2023_intl = void 0; var base_config_1 = require_base_config(); exports2.es2023_intl = { Intl: base_config_1.TYPE_VALUE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2023.js var require_es2023 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2023.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2023 = void 0; var es2022_1 = require_es2022(); var es2023_array_1 = require_es2023_array(); var es2023_collection_1 = require_es2023_collection(); var es2023_intl_1 = require_es2023_intl(); exports2.es2023 = { ...es2022_1.es2022, ...es2023_array_1.es2023_array, ...es2023_collection_1.es2023_collection, ...es2023_intl_1.es2023_intl }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2023.full.js var require_es2023_full = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/es2023.full.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.es2023_full = void 0; var dom_1 = require_dom(); var dom_asynciterable_1 = require_dom_asynciterable(); var dom_iterable_1 = require_dom_iterable(); var es2023_1 = require_es2023(); var scripthost_1 = require_scripthost(); var webworker_importscripts_1 = require_webworker_importscripts(); exports2.es2023_full = { ...es2023_1.es2023, ...dom_1.dom, ...webworker_importscripts_1.webworker_importscripts, ...scripthost_1.scripthost, ...dom_iterable_1.dom_iterable, ...dom_asynciterable_1.dom_asynciterable }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.array.js var require_esnext_array = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.array.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.esnext_array = void 0; var base_config_1 = require_base_config(); exports2.esnext_array = { ArrayConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.collection.js var require_esnext_collection = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.collection.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.esnext_collection = void 0; var base_config_1 = require_base_config(); exports2.esnext_collection = { MapConstructor: base_config_1.TYPE, ReadonlySetLike: base_config_1.TYPE, Set: base_config_1.TYPE, ReadonlySet: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.decorators.js var require_esnext_decorators = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.decorators.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.esnext_decorators = void 0; var base_config_1 = require_base_config(); var decorators_1 = require_decorators(); var es2015_symbol_1 = require_es2015_symbol(); exports2.esnext_decorators = { ...es2015_symbol_1.es2015_symbol, ...decorators_1.decorators, SymbolConstructor: base_config_1.TYPE, Function: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.disposable.js var require_esnext_disposable = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.disposable.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.esnext_disposable = void 0; var base_config_1 = require_base_config(); var es2015_symbol_1 = require_es2015_symbol(); exports2.esnext_disposable = { ...es2015_symbol_1.es2015_symbol, SymbolConstructor: base_config_1.TYPE, Disposable: base_config_1.TYPE, AsyncDisposable: base_config_1.TYPE, SuppressedError: base_config_1.TYPE_VALUE, SuppressedErrorConstructor: base_config_1.TYPE, DisposableStack: base_config_1.TYPE_VALUE, DisposableStackConstructor: base_config_1.TYPE, AsyncDisposableStack: base_config_1.TYPE_VALUE, AsyncDisposableStackConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.intl.js var require_esnext_intl = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.intl.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.esnext_intl = void 0; var base_config_1 = require_base_config(); exports2.esnext_intl = { Intl: base_config_1.TYPE_VALUE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.object.js var require_esnext_object = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.object.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.esnext_object = void 0; var base_config_1 = require_base_config(); exports2.esnext_object = { ObjectConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.promise.js var require_esnext_promise = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.promise.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.esnext_promise = void 0; var base_config_1 = require_base_config(); exports2.esnext_promise = { PromiseWithResolvers: base_config_1.TYPE, PromiseConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.regexp.js var require_esnext_regexp = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.regexp.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.esnext_regexp = void 0; var base_config_1 = require_base_config(); exports2.esnext_regexp = { RegExp: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.string.js var require_esnext_string = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.string.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.esnext_string = void 0; var base_config_1 = require_base_config(); exports2.esnext_string = { String: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.js var require_esnext = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.esnext = void 0; var es2023_1 = require_es2023(); var esnext_array_1 = require_esnext_array(); var esnext_collection_1 = require_esnext_collection(); var esnext_decorators_1 = require_esnext_decorators(); var esnext_disposable_1 = require_esnext_disposable(); var esnext_intl_1 = require_esnext_intl(); var esnext_object_1 = require_esnext_object(); var esnext_promise_1 = require_esnext_promise(); var esnext_regexp_1 = require_esnext_regexp(); var esnext_string_1 = require_esnext_string(); exports2.esnext = { ...es2023_1.es2023, ...esnext_intl_1.esnext_intl, ...esnext_decorators_1.esnext_decorators, ...esnext_disposable_1.esnext_disposable, ...esnext_promise_1.esnext_promise, ...esnext_object_1.esnext_object, ...esnext_collection_1.esnext_collection, ...esnext_array_1.esnext_array, ...esnext_regexp_1.esnext_regexp, ...esnext_string_1.esnext_string }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.asynciterable.js var require_esnext_asynciterable = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.asynciterable.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.esnext_asynciterable = void 0; var base_config_1 = require_base_config(); var es2015_iterable_1 = require_es2015_iterable(); var es2015_symbol_1 = require_es2015_symbol(); exports2.esnext_asynciterable = { ...es2015_symbol_1.es2015_symbol, ...es2015_iterable_1.es2015_iterable, SymbolConstructor: base_config_1.TYPE, AsyncIterator: base_config_1.TYPE, AsyncIterable: base_config_1.TYPE, AsyncIterableIterator: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.bigint.js var require_esnext_bigint = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.bigint.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.esnext_bigint = void 0; var base_config_1 = require_base_config(); var es2020_intl_1 = require_es2020_intl(); exports2.esnext_bigint = { ...es2020_intl_1.es2020_intl, BigIntToLocaleStringOptions: base_config_1.TYPE, BigInt: base_config_1.TYPE_VALUE, BigIntConstructor: base_config_1.TYPE, BigInt64Array: base_config_1.TYPE_VALUE, BigInt64ArrayConstructor: base_config_1.TYPE, BigUint64Array: base_config_1.TYPE_VALUE, BigUint64ArrayConstructor: base_config_1.TYPE, DataView: base_config_1.TYPE, Intl: base_config_1.TYPE_VALUE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.full.js var require_esnext_full = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.full.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.esnext_full = void 0; var dom_1 = require_dom(); var dom_asynciterable_1 = require_dom_asynciterable(); var dom_iterable_1 = require_dom_iterable(); var esnext_1 = require_esnext(); var scripthost_1 = require_scripthost(); var webworker_importscripts_1 = require_webworker_importscripts(); exports2.esnext_full = { ...esnext_1.esnext, ...dom_1.dom, ...webworker_importscripts_1.webworker_importscripts, ...scripthost_1.scripthost, ...dom_iterable_1.dom_iterable, ...dom_asynciterable_1.dom_asynciterable }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.symbol.js var require_esnext_symbol = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.symbol.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.esnext_symbol = void 0; var base_config_1 = require_base_config(); exports2.esnext_symbol = { Symbol: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.weakref.js var require_esnext_weakref = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/esnext.weakref.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.esnext_weakref = void 0; var base_config_1 = require_base_config(); exports2.esnext_weakref = { WeakRef: base_config_1.TYPE_VALUE, WeakRefConstructor: base_config_1.TYPE, FinalizationRegistry: base_config_1.TYPE_VALUE, FinalizationRegistryConstructor: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/lib.js var require_lib2 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/lib.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.lib = void 0; var dom_1 = require_dom(); var es5_1 = require_es5(); var scripthost_1 = require_scripthost(); var webworker_importscripts_1 = require_webworker_importscripts(); exports2.lib = { ...es5_1.es5, ...dom_1.dom, ...webworker_importscripts_1.webworker_importscripts, ...scripthost_1.scripthost }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/webworker.js var require_webworker = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/webworker.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.webworker = void 0; var base_config_1 = require_base_config(); exports2.webworker = { AddEventListenerOptions: base_config_1.TYPE, AesCbcParams: base_config_1.TYPE, AesCtrParams: base_config_1.TYPE, AesDerivedKeyParams: base_config_1.TYPE, AesGcmParams: base_config_1.TYPE, AesKeyAlgorithm: base_config_1.TYPE, AesKeyGenParams: base_config_1.TYPE, Algorithm: base_config_1.TYPE, AudioConfiguration: base_config_1.TYPE, AvcEncoderConfig: base_config_1.TYPE, BlobPropertyBag: base_config_1.TYPE, CSSMatrixComponentOptions: base_config_1.TYPE, CSSNumericType: base_config_1.TYPE, CacheQueryOptions: base_config_1.TYPE, ClientQueryOptions: base_config_1.TYPE, CloseEventInit: base_config_1.TYPE, CryptoKeyPair: base_config_1.TYPE, CustomEventInit: base_config_1.TYPE, DOMMatrix2DInit: base_config_1.TYPE, DOMMatrixInit: base_config_1.TYPE, DOMPointInit: base_config_1.TYPE, DOMQuadInit: base_config_1.TYPE, DOMRectInit: base_config_1.TYPE, EcKeyGenParams: base_config_1.TYPE, EcKeyImportParams: base_config_1.TYPE, EcdhKeyDeriveParams: base_config_1.TYPE, EcdsaParams: base_config_1.TYPE, EncodedVideoChunkInit: base_config_1.TYPE, EncodedVideoChunkMetadata: base_config_1.TYPE, ErrorEventInit: base_config_1.TYPE, EventInit: base_config_1.TYPE, EventListenerOptions: base_config_1.TYPE, EventSourceInit: base_config_1.TYPE, ExtendableEventInit: base_config_1.TYPE, ExtendableMessageEventInit: base_config_1.TYPE, FetchEventInit: base_config_1.TYPE, FilePropertyBag: base_config_1.TYPE, FileSystemCreateWritableOptions: base_config_1.TYPE, FileSystemGetDirectoryOptions: base_config_1.TYPE, FileSystemGetFileOptions: base_config_1.TYPE, FileSystemReadWriteOptions: base_config_1.TYPE, FileSystemRemoveOptions: base_config_1.TYPE, FontFaceDescriptors: base_config_1.TYPE, FontFaceSetLoadEventInit: base_config_1.TYPE, GetNotificationOptions: base_config_1.TYPE, HkdfParams: base_config_1.TYPE, HmacImportParams: base_config_1.TYPE, HmacKeyGenParams: base_config_1.TYPE, IDBDatabaseInfo: base_config_1.TYPE, IDBIndexParameters: base_config_1.TYPE, IDBObjectStoreParameters: base_config_1.TYPE, IDBTransactionOptions: base_config_1.TYPE, IDBVersionChangeEventInit: base_config_1.TYPE, ImageBitmapOptions: base_config_1.TYPE, ImageBitmapRenderingContextSettings: base_config_1.TYPE, ImageDataSettings: base_config_1.TYPE, ImageEncodeOptions: base_config_1.TYPE, ImportMeta: base_config_1.TYPE, JsonWebKey: base_config_1.TYPE, KeyAlgorithm: base_config_1.TYPE, LockInfo: base_config_1.TYPE, LockManagerSnapshot: base_config_1.TYPE, LockOptions: base_config_1.TYPE, MediaCapabilitiesDecodingInfo: base_config_1.TYPE, MediaCapabilitiesEncodingInfo: base_config_1.TYPE, MediaCapabilitiesInfo: base_config_1.TYPE, MediaConfiguration: base_config_1.TYPE, MediaDecodingConfiguration: base_config_1.TYPE, MediaEncodingConfiguration: base_config_1.TYPE, MessageEventInit: base_config_1.TYPE, MultiCacheQueryOptions: base_config_1.TYPE, NavigationPreloadState: base_config_1.TYPE, NotificationEventInit: base_config_1.TYPE, NotificationOptions: base_config_1.TYPE, Pbkdf2Params: base_config_1.TYPE, PerformanceMarkOptions: base_config_1.TYPE, PerformanceMeasureOptions: base_config_1.TYPE, PerformanceObserverInit: base_config_1.TYPE, PermissionDescriptor: base_config_1.TYPE, PlaneLayout: base_config_1.TYPE, ProgressEventInit: base_config_1.TYPE, PromiseRejectionEventInit: base_config_1.TYPE, PushEventInit: base_config_1.TYPE, PushSubscriptionJSON: base_config_1.TYPE, PushSubscriptionOptionsInit: base_config_1.TYPE, QueuingStrategy: base_config_1.TYPE, QueuingStrategyInit: base_config_1.TYPE, RTCEncodedAudioFrameMetadata: base_config_1.TYPE, RTCEncodedVideoFrameMetadata: base_config_1.TYPE, ReadableStreamGetReaderOptions: base_config_1.TYPE, ReadableStreamIteratorOptions: base_config_1.TYPE, ReadableStreamReadDoneResult: base_config_1.TYPE, ReadableStreamReadValueResult: base_config_1.TYPE, ReadableWritablePair: base_config_1.TYPE, RegistrationOptions: base_config_1.TYPE, ReportingObserverOptions: base_config_1.TYPE, RequestInit: base_config_1.TYPE, ResponseInit: base_config_1.TYPE, RsaHashedImportParams: base_config_1.TYPE, RsaHashedKeyGenParams: base_config_1.TYPE, RsaKeyGenParams: base_config_1.TYPE, RsaOaepParams: base_config_1.TYPE, RsaOtherPrimesInfo: base_config_1.TYPE, RsaPssParams: base_config_1.TYPE, SecurityPolicyViolationEventInit: base_config_1.TYPE, StorageEstimate: base_config_1.TYPE, StreamPipeOptions: base_config_1.TYPE, StructuredSerializeOptions: base_config_1.TYPE, TextDecodeOptions: base_config_1.TYPE, TextDecoderOptions: base_config_1.TYPE, TextEncoderEncodeIntoResult: base_config_1.TYPE, Transformer: base_config_1.TYPE, UnderlyingByteSource: base_config_1.TYPE, UnderlyingDefaultSource: base_config_1.TYPE, UnderlyingSink: base_config_1.TYPE, UnderlyingSource: base_config_1.TYPE, VideoColorSpaceInit: base_config_1.TYPE, VideoConfiguration: base_config_1.TYPE, VideoDecoderConfig: base_config_1.TYPE, VideoDecoderInit: base_config_1.TYPE, VideoDecoderSupport: base_config_1.TYPE, VideoEncoderConfig: base_config_1.TYPE, VideoEncoderEncodeOptions: base_config_1.TYPE, VideoEncoderInit: base_config_1.TYPE, VideoEncoderSupport: base_config_1.TYPE, VideoFrameBufferInit: base_config_1.TYPE, VideoFrameCopyToOptions: base_config_1.TYPE, VideoFrameInit: base_config_1.TYPE, WebGLContextAttributes: base_config_1.TYPE, WebGLContextEventInit: base_config_1.TYPE, WebTransportCloseInfo: base_config_1.TYPE, WebTransportErrorOptions: base_config_1.TYPE, WebTransportHash: base_config_1.TYPE, WebTransportOptions: base_config_1.TYPE, WebTransportSendStreamOptions: base_config_1.TYPE, WorkerOptions: base_config_1.TYPE, WriteParams: base_config_1.TYPE, ANGLE_instanced_arrays: base_config_1.TYPE, AbortController: base_config_1.TYPE_VALUE, AbortSignalEventMap: base_config_1.TYPE, AbortSignal: base_config_1.TYPE_VALUE, AbstractWorkerEventMap: base_config_1.TYPE, AbstractWorker: base_config_1.TYPE, AnimationFrameProvider: base_config_1.TYPE, Blob: base_config_1.TYPE_VALUE, Body: base_config_1.TYPE, BroadcastChannelEventMap: base_config_1.TYPE, BroadcastChannel: base_config_1.TYPE_VALUE, ByteLengthQueuingStrategy: base_config_1.TYPE_VALUE, CSSImageValue: base_config_1.TYPE_VALUE, CSSKeywordValue: base_config_1.TYPE_VALUE, CSSMathClamp: base_config_1.TYPE_VALUE, CSSMathInvert: base_config_1.TYPE_VALUE, CSSMathMax: base_config_1.TYPE_VALUE, CSSMathMin: base_config_1.TYPE_VALUE, CSSMathNegate: base_config_1.TYPE_VALUE, CSSMathProduct: base_config_1.TYPE_VALUE, CSSMathSum: base_config_1.TYPE_VALUE, CSSMathValue: base_config_1.TYPE_VALUE, CSSMatrixComponent: base_config_1.TYPE_VALUE, CSSNumericArray: base_config_1.TYPE_VALUE, CSSNumericValue: base_config_1.TYPE_VALUE, CSSPerspective: base_config_1.TYPE_VALUE, CSSRotate: base_config_1.TYPE_VALUE, CSSScale: base_config_1.TYPE_VALUE, CSSSkew: base_config_1.TYPE_VALUE, CSSSkewX: base_config_1.TYPE_VALUE, CSSSkewY: base_config_1.TYPE_VALUE, CSSStyleValue: base_config_1.TYPE_VALUE, CSSTransformComponent: base_config_1.TYPE_VALUE, CSSTransformValue: base_config_1.TYPE_VALUE, CSSTranslate: base_config_1.TYPE_VALUE, CSSUnitValue: base_config_1.TYPE_VALUE, CSSUnparsedValue: base_config_1.TYPE_VALUE, CSSVariableReferenceValue: base_config_1.TYPE_VALUE, Cache: base_config_1.TYPE_VALUE, CacheStorage: base_config_1.TYPE_VALUE, CanvasCompositing: base_config_1.TYPE, CanvasDrawImage: base_config_1.TYPE, CanvasDrawPath: base_config_1.TYPE, CanvasFillStrokeStyles: base_config_1.TYPE, CanvasFilters: base_config_1.TYPE, CanvasGradient: base_config_1.TYPE_VALUE, CanvasImageData: base_config_1.TYPE, CanvasImageSmoothing: base_config_1.TYPE, CanvasPath: base_config_1.TYPE, CanvasPathDrawingStyles: base_config_1.TYPE, CanvasPattern: base_config_1.TYPE_VALUE, CanvasRect: base_config_1.TYPE, CanvasShadowStyles: base_config_1.TYPE, CanvasState: base_config_1.TYPE, CanvasText: base_config_1.TYPE, CanvasTextDrawingStyles: base_config_1.TYPE, CanvasTransform: base_config_1.TYPE, Client: base_config_1.TYPE_VALUE, Clients: base_config_1.TYPE_VALUE, CloseEvent: base_config_1.TYPE_VALUE, CompressionStream: base_config_1.TYPE_VALUE, CountQueuingStrategy: base_config_1.TYPE_VALUE, Crypto: base_config_1.TYPE_VALUE, CryptoKey: base_config_1.TYPE_VALUE, CustomEvent: base_config_1.TYPE_VALUE, DOMException: base_config_1.TYPE_VALUE, DOMMatrix: base_config_1.TYPE_VALUE, DOMMatrixReadOnly: base_config_1.TYPE_VALUE, DOMPoint: base_config_1.TYPE_VALUE, DOMPointReadOnly: base_config_1.TYPE_VALUE, DOMQuad: base_config_1.TYPE_VALUE, DOMRect: base_config_1.TYPE_VALUE, DOMRectReadOnly: base_config_1.TYPE_VALUE, DOMStringList: base_config_1.TYPE_VALUE, DecompressionStream: base_config_1.TYPE_VALUE, DedicatedWorkerGlobalScopeEventMap: base_config_1.TYPE, DedicatedWorkerGlobalScope: base_config_1.TYPE_VALUE, EXT_blend_minmax: base_config_1.TYPE, EXT_color_buffer_float: base_config_1.TYPE, EXT_color_buffer_half_float: base_config_1.TYPE, EXT_float_blend: base_config_1.TYPE, EXT_frag_depth: base_config_1.TYPE, EXT_sRGB: base_config_1.TYPE, EXT_shader_texture_lod: base_config_1.TYPE, EXT_texture_compression_bptc: base_config_1.TYPE, EXT_texture_compression_rgtc: base_config_1.TYPE, EXT_texture_filter_anisotropic: base_config_1.TYPE, EXT_texture_norm16: base_config_1.TYPE, EncodedVideoChunk: base_config_1.TYPE_VALUE, ErrorEvent: base_config_1.TYPE_VALUE, Event: base_config_1.TYPE_VALUE, EventListener: base_config_1.TYPE, EventListenerObject: base_config_1.TYPE, EventSourceEventMap: base_config_1.TYPE, EventSource: base_config_1.TYPE_VALUE, EventTarget: base_config_1.TYPE_VALUE, ExtendableEvent: base_config_1.TYPE_VALUE, ExtendableMessageEvent: base_config_1.TYPE_VALUE, FetchEvent: base_config_1.TYPE_VALUE, File: base_config_1.TYPE_VALUE, FileList: base_config_1.TYPE_VALUE, FileReaderEventMap: base_config_1.TYPE, FileReader: base_config_1.TYPE_VALUE, FileReaderSync: base_config_1.TYPE_VALUE, FileSystemDirectoryHandle: base_config_1.TYPE_VALUE, FileSystemFileHandle: base_config_1.TYPE_VALUE, FileSystemHandle: base_config_1.TYPE_VALUE, FileSystemSyncAccessHandle: base_config_1.TYPE_VALUE, FileSystemWritableFileStream: base_config_1.TYPE_VALUE, FontFace: base_config_1.TYPE_VALUE, FontFaceSetEventMap: base_config_1.TYPE, FontFaceSet: base_config_1.TYPE_VALUE, FontFaceSetLoadEvent: base_config_1.TYPE_VALUE, FontFaceSource: base_config_1.TYPE, FormData: base_config_1.TYPE_VALUE, GenericTransformStream: base_config_1.TYPE, Headers: base_config_1.TYPE_VALUE, IDBCursor: base_config_1.TYPE_VALUE, IDBCursorWithValue: base_config_1.TYPE_VALUE, IDBDatabaseEventMap: base_config_1.TYPE, IDBDatabase: base_config_1.TYPE_VALUE, IDBFactory: base_config_1.TYPE_VALUE, IDBIndex: base_config_1.TYPE_VALUE, IDBKeyRange: base_config_1.TYPE_VALUE, IDBObjectStore: base_config_1.TYPE_VALUE, IDBOpenDBRequestEventMap: base_config_1.TYPE, IDBOpenDBRequest: base_config_1.TYPE_VALUE, IDBRequestEventMap: base_config_1.TYPE, IDBRequest: base_config_1.TYPE_VALUE, IDBTransactionEventMap: base_config_1.TYPE, IDBTransaction: base_config_1.TYPE_VALUE, IDBVersionChangeEvent: base_config_1.TYPE_VALUE, ImageBitmap: base_config_1.TYPE_VALUE, ImageBitmapRenderingContext: base_config_1.TYPE_VALUE, ImageData: base_config_1.TYPE_VALUE, KHR_parallel_shader_compile: base_config_1.TYPE, Lock: base_config_1.TYPE_VALUE, LockManager: base_config_1.TYPE_VALUE, MediaCapabilities: base_config_1.TYPE_VALUE, MessageChannel: base_config_1.TYPE_VALUE, MessageEvent: base_config_1.TYPE_VALUE, MessagePortEventMap: base_config_1.TYPE, MessagePort: base_config_1.TYPE_VALUE, NavigationPreloadManager: base_config_1.TYPE_VALUE, NavigatorBadge: base_config_1.TYPE, NavigatorConcurrentHardware: base_config_1.TYPE, NavigatorID: base_config_1.TYPE, NavigatorLanguage: base_config_1.TYPE, NavigatorLocks: base_config_1.TYPE, NavigatorOnLine: base_config_1.TYPE, NavigatorStorage: base_config_1.TYPE, NotificationEventMap: base_config_1.TYPE, Notification: base_config_1.TYPE_VALUE, NotificationEvent: base_config_1.TYPE_VALUE, OES_draw_buffers_indexed: base_config_1.TYPE, OES_element_index_uint: base_config_1.TYPE, OES_fbo_render_mipmap: base_config_1.TYPE, OES_standard_derivatives: base_config_1.TYPE, OES_texture_float: base_config_1.TYPE, OES_texture_float_linear: base_config_1.TYPE, OES_texture_half_float: base_config_1.TYPE, OES_texture_half_float_linear: base_config_1.TYPE, OES_vertex_array_object: base_config_1.TYPE, OVR_multiview2: base_config_1.TYPE, OffscreenCanvasEventMap: base_config_1.TYPE, OffscreenCanvas: base_config_1.TYPE_VALUE, OffscreenCanvasRenderingContext2D: base_config_1.TYPE_VALUE, Path2D: base_config_1.TYPE_VALUE, PerformanceEventMap: base_config_1.TYPE, Performance: base_config_1.TYPE_VALUE, PerformanceEntry: base_config_1.TYPE_VALUE, PerformanceMark: base_config_1.TYPE_VALUE, PerformanceMeasure: base_config_1.TYPE_VALUE, PerformanceObserver: base_config_1.TYPE_VALUE, PerformanceObserverEntryList: base_config_1.TYPE_VALUE, PerformanceResourceTiming: base_config_1.TYPE_VALUE, PerformanceServerTiming: base_config_1.TYPE_VALUE, PermissionStatusEventMap: base_config_1.TYPE, PermissionStatus: base_config_1.TYPE_VALUE, Permissions: base_config_1.TYPE_VALUE, ProgressEvent: base_config_1.TYPE_VALUE, PromiseRejectionEvent: base_config_1.TYPE_VALUE, PushEvent: base_config_1.TYPE_VALUE, PushManager: base_config_1.TYPE_VALUE, PushMessageData: base_config_1.TYPE_VALUE, PushSubscription: base_config_1.TYPE_VALUE, PushSubscriptionOptions: base_config_1.TYPE_VALUE, RTCEncodedAudioFrame: base_config_1.TYPE_VALUE, RTCEncodedVideoFrame: base_config_1.TYPE_VALUE, RTCRtpScriptTransformer: base_config_1.TYPE_VALUE, RTCTransformEvent: base_config_1.TYPE_VALUE, ReadableByteStreamController: base_config_1.TYPE_VALUE, ReadableStream: base_config_1.TYPE_VALUE, ReadableStreamBYOBReader: base_config_1.TYPE_VALUE, ReadableStreamBYOBRequest: base_config_1.TYPE_VALUE, ReadableStreamDefaultController: base_config_1.TYPE_VALUE, ReadableStreamDefaultReader: base_config_1.TYPE_VALUE, ReadableStreamGenericReader: base_config_1.TYPE, Report: base_config_1.TYPE_VALUE, ReportBody: base_config_1.TYPE_VALUE, ReportingObserver: base_config_1.TYPE_VALUE, Request: base_config_1.TYPE_VALUE, Response: base_config_1.TYPE_VALUE, SecurityPolicyViolationEvent: base_config_1.TYPE_VALUE, ServiceWorkerEventMap: base_config_1.TYPE, ServiceWorker: base_config_1.TYPE_VALUE, ServiceWorkerContainerEventMap: base_config_1.TYPE, ServiceWorkerContainer: base_config_1.TYPE_VALUE, ServiceWorkerGlobalScopeEventMap: base_config_1.TYPE, ServiceWorkerGlobalScope: base_config_1.TYPE_VALUE, ServiceWorkerRegistrationEventMap: base_config_1.TYPE, ServiceWorkerRegistration: base_config_1.TYPE_VALUE, SharedWorkerGlobalScopeEventMap: base_config_1.TYPE, SharedWorkerGlobalScope: base_config_1.TYPE_VALUE, StorageManager: base_config_1.TYPE_VALUE, StylePropertyMapReadOnly: base_config_1.TYPE_VALUE, SubtleCrypto: base_config_1.TYPE_VALUE, TextDecoder: base_config_1.TYPE_VALUE, TextDecoderCommon: base_config_1.TYPE, TextDecoderStream: base_config_1.TYPE_VALUE, TextEncoder: base_config_1.TYPE_VALUE, TextEncoderCommon: base_config_1.TYPE, TextEncoderStream: base_config_1.TYPE_VALUE, TextMetrics: base_config_1.TYPE_VALUE, TransformStream: base_config_1.TYPE_VALUE, TransformStreamDefaultController: base_config_1.TYPE_VALUE, URL: base_config_1.TYPE_VALUE, URLSearchParams: base_config_1.TYPE_VALUE, VideoColorSpace: base_config_1.TYPE_VALUE, VideoDecoderEventMap: base_config_1.TYPE, VideoDecoder: base_config_1.TYPE_VALUE, VideoEncoderEventMap: base_config_1.TYPE, VideoEncoder: base_config_1.TYPE_VALUE, VideoFrame: base_config_1.TYPE_VALUE, WEBGL_color_buffer_float: base_config_1.TYPE, WEBGL_compressed_texture_astc: base_config_1.TYPE, WEBGL_compressed_texture_etc: base_config_1.TYPE, WEBGL_compressed_texture_etc1: base_config_1.TYPE, WEBGL_compressed_texture_pvrtc: base_config_1.TYPE, WEBGL_compressed_texture_s3tc: base_config_1.TYPE, WEBGL_compressed_texture_s3tc_srgb: base_config_1.TYPE, WEBGL_debug_renderer_info: base_config_1.TYPE, WEBGL_debug_shaders: base_config_1.TYPE, WEBGL_depth_texture: base_config_1.TYPE, WEBGL_draw_buffers: base_config_1.TYPE, WEBGL_lose_context: base_config_1.TYPE, WEBGL_multi_draw: base_config_1.TYPE, WebGL2RenderingContext: base_config_1.TYPE_VALUE, WebGL2RenderingContextBase: base_config_1.TYPE, WebGL2RenderingContextOverloads: base_config_1.TYPE, WebGLActiveInfo: base_config_1.TYPE_VALUE, WebGLBuffer: base_config_1.TYPE_VALUE, WebGLContextEvent: base_config_1.TYPE_VALUE, WebGLFramebuffer: base_config_1.TYPE_VALUE, WebGLProgram: base_config_1.TYPE_VALUE, WebGLQuery: base_config_1.TYPE_VALUE, WebGLRenderbuffer: base_config_1.TYPE_VALUE, WebGLRenderingContext: base_config_1.TYPE_VALUE, WebGLRenderingContextBase: base_config_1.TYPE, WebGLRenderingContextOverloads: base_config_1.TYPE, WebGLSampler: base_config_1.TYPE_VALUE, WebGLShader: base_config_1.TYPE_VALUE, WebGLShaderPrecisionFormat: base_config_1.TYPE_VALUE, WebGLSync: base_config_1.TYPE_VALUE, WebGLTexture: base_config_1.TYPE_VALUE, WebGLTransformFeedback: base_config_1.TYPE_VALUE, WebGLUniformLocation: base_config_1.TYPE_VALUE, WebGLVertexArrayObject: base_config_1.TYPE_VALUE, WebGLVertexArrayObjectOES: base_config_1.TYPE, WebSocketEventMap: base_config_1.TYPE, WebSocket: base_config_1.TYPE_VALUE, WebTransport: base_config_1.TYPE_VALUE, WebTransportBidirectionalStream: base_config_1.TYPE_VALUE, WebTransportDatagramDuplexStream: base_config_1.TYPE_VALUE, WebTransportError: base_config_1.TYPE_VALUE, WindowClient: base_config_1.TYPE_VALUE, WindowOrWorkerGlobalScope: base_config_1.TYPE, WorkerEventMap: base_config_1.TYPE, Worker: base_config_1.TYPE_VALUE, WorkerGlobalScopeEventMap: base_config_1.TYPE, WorkerGlobalScope: base_config_1.TYPE_VALUE, WorkerLocation: base_config_1.TYPE_VALUE, WorkerNavigator: base_config_1.TYPE_VALUE, WritableStream: base_config_1.TYPE_VALUE, WritableStreamDefaultController: base_config_1.TYPE_VALUE, WritableStreamDefaultWriter: base_config_1.TYPE_VALUE, XMLHttpRequestEventMap: base_config_1.TYPE, XMLHttpRequest: base_config_1.TYPE_VALUE, XMLHttpRequestEventTargetEventMap: base_config_1.TYPE, XMLHttpRequestEventTarget: base_config_1.TYPE_VALUE, XMLHttpRequestUpload: base_config_1.TYPE_VALUE, Console: base_config_1.TYPE, WebAssembly: base_config_1.TYPE_VALUE, EncodedVideoChunkOutputCallback: base_config_1.TYPE, FrameRequestCallback: base_config_1.TYPE, LockGrantedCallback: base_config_1.TYPE, OnErrorEventHandlerNonNull: base_config_1.TYPE, PerformanceObserverCallback: base_config_1.TYPE, QueuingStrategySize: base_config_1.TYPE, ReportingObserverCallback: base_config_1.TYPE, TransformerFlushCallback: base_config_1.TYPE, TransformerStartCallback: base_config_1.TYPE, TransformerTransformCallback: base_config_1.TYPE, UnderlyingSinkAbortCallback: base_config_1.TYPE, UnderlyingSinkCloseCallback: base_config_1.TYPE, UnderlyingSinkStartCallback: base_config_1.TYPE, UnderlyingSinkWriteCallback: base_config_1.TYPE, UnderlyingSourceCancelCallback: base_config_1.TYPE, UnderlyingSourcePullCallback: base_config_1.TYPE, UnderlyingSourceStartCallback: base_config_1.TYPE, VideoFrameOutputCallback: base_config_1.TYPE, VoidFunction: base_config_1.TYPE, WebCodecsErrorCallback: base_config_1.TYPE, AlgorithmIdentifier: base_config_1.TYPE, AllowSharedBufferSource: base_config_1.TYPE, BigInteger: base_config_1.TYPE, BinaryData: base_config_1.TYPE, BlobPart: base_config_1.TYPE, BodyInit: base_config_1.TYPE, BufferSource: base_config_1.TYPE, CSSKeywordish: base_config_1.TYPE, CSSNumberish: base_config_1.TYPE, CSSPerspectiveValue: base_config_1.TYPE, CSSUnparsedSegment: base_config_1.TYPE, CanvasImageSource: base_config_1.TYPE, DOMHighResTimeStamp: base_config_1.TYPE, EpochTimeStamp: base_config_1.TYPE, EventListenerOrEventListenerObject: base_config_1.TYPE, FileSystemWriteChunkType: base_config_1.TYPE, Float32List: base_config_1.TYPE, FormDataEntryValue: base_config_1.TYPE, GLbitfield: base_config_1.TYPE, GLboolean: base_config_1.TYPE, GLclampf: base_config_1.TYPE, GLenum: base_config_1.TYPE, GLfloat: base_config_1.TYPE, GLint: base_config_1.TYPE, GLint64: base_config_1.TYPE, GLintptr: base_config_1.TYPE, GLsizei: base_config_1.TYPE, GLsizeiptr: base_config_1.TYPE, GLuint: base_config_1.TYPE, GLuint64: base_config_1.TYPE, HashAlgorithmIdentifier: base_config_1.TYPE, HeadersInit: base_config_1.TYPE, IDBValidKey: base_config_1.TYPE, ImageBitmapSource: base_config_1.TYPE, Int32List: base_config_1.TYPE, MessageEventSource: base_config_1.TYPE, NamedCurve: base_config_1.TYPE, OffscreenRenderingContext: base_config_1.TYPE, OnErrorEventHandler: base_config_1.TYPE, PerformanceEntryList: base_config_1.TYPE, PushMessageDataInit: base_config_1.TYPE, ReadableStreamController: base_config_1.TYPE, ReadableStreamReadResult: base_config_1.TYPE, ReadableStreamReader: base_config_1.TYPE, ReportList: base_config_1.TYPE, RequestInfo: base_config_1.TYPE, TexImageSource: base_config_1.TYPE, TimerHandler: base_config_1.TYPE, Transferable: base_config_1.TYPE, Uint32List: base_config_1.TYPE, XMLHttpRequestBodyInit: base_config_1.TYPE, AlphaOption: base_config_1.TYPE, AvcBitstreamFormat: base_config_1.TYPE, BinaryType: base_config_1.TYPE, CSSMathOperator: base_config_1.TYPE, CSSNumericBaseType: base_config_1.TYPE, CanvasDirection: base_config_1.TYPE, CanvasFillRule: base_config_1.TYPE, CanvasFontKerning: base_config_1.TYPE, CanvasFontStretch: base_config_1.TYPE, CanvasFontVariantCaps: base_config_1.TYPE, CanvasLineCap: base_config_1.TYPE, CanvasLineJoin: base_config_1.TYPE, CanvasTextAlign: base_config_1.TYPE, CanvasTextBaseline: base_config_1.TYPE, CanvasTextRendering: base_config_1.TYPE, ClientTypes: base_config_1.TYPE, CodecState: base_config_1.TYPE, ColorGamut: base_config_1.TYPE, ColorSpaceConversion: base_config_1.TYPE, CompressionFormat: base_config_1.TYPE, DocumentVisibilityState: base_config_1.TYPE, EncodedVideoChunkType: base_config_1.TYPE, EndingType: base_config_1.TYPE, FileSystemHandleKind: base_config_1.TYPE, FontDisplay: base_config_1.TYPE, FontFaceLoadStatus: base_config_1.TYPE, FontFaceSetLoadStatus: base_config_1.TYPE, FrameType: base_config_1.TYPE, GlobalCompositeOperation: base_config_1.TYPE, HardwareAcceleration: base_config_1.TYPE, HdrMetadataType: base_config_1.TYPE, IDBCursorDirection: base_config_1.TYPE, IDBRequestReadyState: base_config_1.TYPE, IDBTransactionDurability: base_config_1.TYPE, IDBTransactionMode: base_config_1.TYPE, ImageOrientation: base_config_1.TYPE, ImageSmoothingQuality: base_config_1.TYPE, KeyFormat: base_config_1.TYPE, KeyType: base_config_1.TYPE, KeyUsage: base_config_1.TYPE, LatencyMode: base_config_1.TYPE, LockMode: base_config_1.TYPE, MediaDecodingType: base_config_1.TYPE, MediaEncodingType: base_config_1.TYPE, NotificationDirection: base_config_1.TYPE, NotificationPermission: base_config_1.TYPE, OffscreenRenderingContextId: base_config_1.TYPE, PermissionName: base_config_1.TYPE, PermissionState: base_config_1.TYPE, PredefinedColorSpace: base_config_1.TYPE, PremultiplyAlpha: base_config_1.TYPE, PushEncryptionKeyName: base_config_1.TYPE, RTCEncodedVideoFrameType: base_config_1.TYPE, ReadableStreamReaderMode: base_config_1.TYPE, ReadableStreamType: base_config_1.TYPE, ReferrerPolicy: base_config_1.TYPE, RequestCache: base_config_1.TYPE, RequestCredentials: base_config_1.TYPE, RequestDestination: base_config_1.TYPE, RequestMode: base_config_1.TYPE, RequestPriority: base_config_1.TYPE, RequestRedirect: base_config_1.TYPE, ResizeQuality: base_config_1.TYPE, ResponseType: base_config_1.TYPE, SecurityPolicyViolationEventDisposition: base_config_1.TYPE, ServiceWorkerState: base_config_1.TYPE, ServiceWorkerUpdateViaCache: base_config_1.TYPE, TransferFunction: base_config_1.TYPE, VideoColorPrimaries: base_config_1.TYPE, VideoEncoderBitrateMode: base_config_1.TYPE, VideoMatrixCoefficients: base_config_1.TYPE, VideoPixelFormat: base_config_1.TYPE, VideoTransferCharacteristics: base_config_1.TYPE, WebGLPowerPreference: base_config_1.TYPE, WebTransportCongestionControl: base_config_1.TYPE, WebTransportErrorSource: base_config_1.TYPE, WorkerType: base_config_1.TYPE, WriteCommandType: base_config_1.TYPE, XMLHttpRequestResponseType: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/webworker.asynciterable.js var require_webworker_asynciterable = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/webworker.asynciterable.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.webworker_asynciterable = void 0; var base_config_1 = require_base_config(); exports2.webworker_asynciterable = { FileSystemDirectoryHandle: base_config_1.TYPE, ReadableStream: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/webworker.iterable.js var require_webworker_iterable = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/webworker.iterable.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.webworker_iterable = void 0; var base_config_1 = require_base_config(); exports2.webworker_iterable = { AbortSignal: base_config_1.TYPE, CSSNumericArray: base_config_1.TYPE, CSSTransformValue: base_config_1.TYPE, CSSUnparsedValue: base_config_1.TYPE, Cache: base_config_1.TYPE, CanvasPath: base_config_1.TYPE, CanvasPathDrawingStyles: base_config_1.TYPE, DOMStringList: base_config_1.TYPE, FileList: base_config_1.TYPE, FontFaceSet: base_config_1.TYPE, FormData: base_config_1.TYPE, Headers: base_config_1.TYPE, IDBDatabase: base_config_1.TYPE, IDBObjectStore: base_config_1.TYPE, MessageEvent: base_config_1.TYPE, StylePropertyMapReadOnly: base_config_1.TYPE, SubtleCrypto: base_config_1.TYPE, URLSearchParams: base_config_1.TYPE, WEBGL_draw_buffers: base_config_1.TYPE, WEBGL_multi_draw: base_config_1.TYPE, WebGL2RenderingContextBase: base_config_1.TYPE, WebGL2RenderingContextOverloads: base_config_1.TYPE, WebGLRenderingContextBase: base_config_1.TYPE, WebGLRenderingContextOverloads: base_config_1.TYPE }; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/index.js var require_lib3 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/lib/index.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.lib = void 0; var decorators_1 = require_decorators(); var decorators_legacy_1 = require_decorators_legacy(); var dom_1 = require_dom(); var dom_asynciterable_1 = require_dom_asynciterable(); var dom_iterable_1 = require_dom_iterable(); var es5_1 = require_es5(); var es6_1 = require_es6(); var es7_1 = require_es7(); var es2015_1 = require_es2015(); var es2015_collection_1 = require_es2015_collection(); var es2015_core_1 = require_es2015_core(); var es2015_generator_1 = require_es2015_generator(); var es2015_iterable_1 = require_es2015_iterable(); var es2015_promise_1 = require_es2015_promise(); var es2015_proxy_1 = require_es2015_proxy(); var es2015_reflect_1 = require_es2015_reflect(); var es2015_symbol_1 = require_es2015_symbol(); var es2015_symbol_wellknown_1 = require_es2015_symbol_wellknown(); var es2016_1 = require_es2016(); var es2016_array_include_1 = require_es2016_array_include(); var es2016_full_1 = require_es2016_full(); var es2016_intl_1 = require_es2016_intl(); var es2017_1 = require_es2017(); var es2017_date_1 = require_es2017_date(); var es2017_full_1 = require_es2017_full(); var es2017_intl_1 = require_es2017_intl(); var es2017_object_1 = require_es2017_object(); var es2017_sharedmemory_1 = require_es2017_sharedmemory(); var es2017_string_1 = require_es2017_string(); var es2017_typedarrays_1 = require_es2017_typedarrays(); var es2018_1 = require_es2018(); var es2018_asyncgenerator_1 = require_es2018_asyncgenerator(); var es2018_asynciterable_1 = require_es2018_asynciterable(); var es2018_full_1 = require_es2018_full(); var es2018_intl_1 = require_es2018_intl(); var es2018_promise_1 = require_es2018_promise(); var es2018_regexp_1 = require_es2018_regexp(); var es2019_1 = require_es2019(); var es2019_array_1 = require_es2019_array(); var es2019_full_1 = require_es2019_full(); var es2019_intl_1 = require_es2019_intl(); var es2019_object_1 = require_es2019_object(); var es2019_string_1 = require_es2019_string(); var es2019_symbol_1 = require_es2019_symbol(); var es2020_1 = require_es2020(); var es2020_bigint_1 = require_es2020_bigint(); var es2020_date_1 = require_es2020_date(); var es2020_full_1 = require_es2020_full(); var es2020_intl_1 = require_es2020_intl(); var es2020_number_1 = require_es2020_number(); var es2020_promise_1 = require_es2020_promise(); var es2020_sharedmemory_1 = require_es2020_sharedmemory(); var es2020_string_1 = require_es2020_string(); var es2020_symbol_wellknown_1 = require_es2020_symbol_wellknown(); var es2021_1 = require_es2021(); var es2021_full_1 = require_es2021_full(); var es2021_intl_1 = require_es2021_intl(); var es2021_promise_1 = require_es2021_promise(); var es2021_string_1 = require_es2021_string(); var es2021_weakref_1 = require_es2021_weakref(); var es2022_1 = require_es2022(); var es2022_array_1 = require_es2022_array(); var es2022_error_1 = require_es2022_error(); var es2022_full_1 = require_es2022_full(); var es2022_intl_1 = require_es2022_intl(); var es2022_object_1 = require_es2022_object(); var es2022_regexp_1 = require_es2022_regexp(); var es2022_sharedmemory_1 = require_es2022_sharedmemory(); var es2022_string_1 = require_es2022_string(); var es2023_1 = require_es2023(); var es2023_array_1 = require_es2023_array(); var es2023_collection_1 = require_es2023_collection(); var es2023_full_1 = require_es2023_full(); var es2023_intl_1 = require_es2023_intl(); var esnext_1 = require_esnext(); var esnext_array_1 = require_esnext_array(); var esnext_asynciterable_1 = require_esnext_asynciterable(); var esnext_bigint_1 = require_esnext_bigint(); var esnext_collection_1 = require_esnext_collection(); var esnext_decorators_1 = require_esnext_decorators(); var esnext_disposable_1 = require_esnext_disposable(); var esnext_full_1 = require_esnext_full(); var esnext_intl_1 = require_esnext_intl(); var esnext_object_1 = require_esnext_object(); var esnext_promise_1 = require_esnext_promise(); var esnext_regexp_1 = require_esnext_regexp(); var esnext_string_1 = require_esnext_string(); var esnext_symbol_1 = require_esnext_symbol(); var esnext_weakref_1 = require_esnext_weakref(); var lib_1 = require_lib2(); var scripthost_1 = require_scripthost(); var webworker_1 = require_webworker(); var webworker_asynciterable_1 = require_webworker_asynciterable(); var webworker_importscripts_1 = require_webworker_importscripts(); var webworker_iterable_1 = require_webworker_iterable(); var lib = { es5: es5_1.es5, es6: es6_1.es6, es2015: es2015_1.es2015, es7: es7_1.es7, es2016: es2016_1.es2016, es2017: es2017_1.es2017, es2018: es2018_1.es2018, es2019: es2019_1.es2019, es2020: es2020_1.es2020, es2021: es2021_1.es2021, es2022: es2022_1.es2022, es2023: es2023_1.es2023, esnext: esnext_1.esnext, dom: dom_1.dom, "dom.iterable": dom_iterable_1.dom_iterable, "dom.asynciterable": dom_asynciterable_1.dom_asynciterable, webworker: webworker_1.webworker, "webworker.importscripts": webworker_importscripts_1.webworker_importscripts, "webworker.iterable": webworker_iterable_1.webworker_iterable, "webworker.asynciterable": webworker_asynciterable_1.webworker_asynciterable, scripthost: scripthost_1.scripthost, "es2015.core": es2015_core_1.es2015_core, "es2015.collection": es2015_collection_1.es2015_collection, "es2015.generator": es2015_generator_1.es2015_generator, "es2015.iterable": es2015_iterable_1.es2015_iterable, "es2015.promise": es2015_promise_1.es2015_promise, "es2015.proxy": es2015_proxy_1.es2015_proxy, "es2015.reflect": es2015_reflect_1.es2015_reflect, "es2015.symbol": es2015_symbol_1.es2015_symbol, "es2015.symbol.wellknown": es2015_symbol_wellknown_1.es2015_symbol_wellknown, "es2016.array.include": es2016_array_include_1.es2016_array_include, "es2016.intl": es2016_intl_1.es2016_intl, "es2017.date": es2017_date_1.es2017_date, "es2017.object": es2017_object_1.es2017_object, "es2017.sharedmemory": es2017_sharedmemory_1.es2017_sharedmemory, "es2017.string": es2017_string_1.es2017_string, "es2017.intl": es2017_intl_1.es2017_intl, "es2017.typedarrays": es2017_typedarrays_1.es2017_typedarrays, "es2018.asyncgenerator": es2018_asyncgenerator_1.es2018_asyncgenerator, "es2018.asynciterable": es2018_asynciterable_1.es2018_asynciterable, "es2018.intl": es2018_intl_1.es2018_intl, "es2018.promise": es2018_promise_1.es2018_promise, "es2018.regexp": es2018_regexp_1.es2018_regexp, "es2019.array": es2019_array_1.es2019_array, "es2019.object": es2019_object_1.es2019_object, "es2019.string": es2019_string_1.es2019_string, "es2019.symbol": es2019_symbol_1.es2019_symbol, "es2019.intl": es2019_intl_1.es2019_intl, "es2020.bigint": es2020_bigint_1.es2020_bigint, "es2020.date": es2020_date_1.es2020_date, "es2020.promise": es2020_promise_1.es2020_promise, "es2020.sharedmemory": es2020_sharedmemory_1.es2020_sharedmemory, "es2020.string": es2020_string_1.es2020_string, "es2020.symbol.wellknown": es2020_symbol_wellknown_1.es2020_symbol_wellknown, "es2020.intl": es2020_intl_1.es2020_intl, "es2020.number": es2020_number_1.es2020_number, "es2021.promise": es2021_promise_1.es2021_promise, "es2021.string": es2021_string_1.es2021_string, "es2021.weakref": es2021_weakref_1.es2021_weakref, "es2021.intl": es2021_intl_1.es2021_intl, "es2022.array": es2022_array_1.es2022_array, "es2022.error": es2022_error_1.es2022_error, "es2022.intl": es2022_intl_1.es2022_intl, "es2022.object": es2022_object_1.es2022_object, "es2022.sharedmemory": es2022_sharedmemory_1.es2022_sharedmemory, "es2022.string": es2022_string_1.es2022_string, "es2022.regexp": es2022_regexp_1.es2022_regexp, "es2023.array": es2023_array_1.es2023_array, "es2023.collection": es2023_collection_1.es2023_collection, "es2023.intl": es2023_intl_1.es2023_intl, "esnext.array": esnext_array_1.esnext_array, "esnext.collection": esnext_collection_1.esnext_collection, "esnext.symbol": esnext_symbol_1.esnext_symbol, "esnext.asynciterable": esnext_asynciterable_1.esnext_asynciterable, "esnext.intl": esnext_intl_1.esnext_intl, "esnext.disposable": esnext_disposable_1.esnext_disposable, "esnext.bigint": esnext_bigint_1.esnext_bigint, "esnext.string": esnext_string_1.esnext_string, "esnext.promise": esnext_promise_1.esnext_promise, "esnext.weakref": esnext_weakref_1.esnext_weakref, "esnext.decorators": esnext_decorators_1.esnext_decorators, "esnext.object": esnext_object_1.esnext_object, "esnext.regexp": esnext_regexp_1.esnext_regexp, decorators: decorators_1.decorators, "decorators.legacy": decorators_legacy_1.decorators_legacy, "es2016.full": es2016_full_1.es2016_full, "es2017.full": es2017_full_1.es2017_full, "es2018.full": es2018_full_1.es2018_full, "es2019.full": es2019_full_1.es2019_full, "es2020.full": es2020_full_1.es2020_full, "es2021.full": es2021_full_1.es2021_full, "es2022.full": es2022_full_1.es2022_full, "es2023.full": es2023_full_1.es2023_full, "esnext.full": esnext_full_1.esnext_full, lib: lib_1.lib }; exports2.lib = lib; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/Reference.js var require_Reference = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/Reference.js"(exports2) { "use strict"; var __classPrivateFieldGet3 = exports2 && exports2.__classPrivateFieldGet || function(receiver, state, kind, f) { if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it"); return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); }; var __classPrivateFieldSet3 = exports2 && exports2.__classPrivateFieldSet || function(receiver, state, value, kind, f) { if (kind === "m") throw new TypeError("Private method is not writable"); if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it"); return kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value; }; var _Reference_flag; var _Reference_referenceType; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ReferenceTypeFlag = exports2.ReferenceFlag = exports2.Reference = void 0; var ID_1 = require_ID(); var ReferenceFlag; (function(ReferenceFlag2) { ReferenceFlag2[ReferenceFlag2["Read"] = 1] = "Read"; ReferenceFlag2[ReferenceFlag2["Write"] = 2] = "Write"; ReferenceFlag2[ReferenceFlag2["ReadWrite"] = 3] = "ReadWrite"; })(ReferenceFlag || (exports2.ReferenceFlag = ReferenceFlag = {})); var generator = (0, ID_1.createIdGenerator)(); var ReferenceTypeFlag; (function(ReferenceTypeFlag2) { ReferenceTypeFlag2[ReferenceTypeFlag2["Value"] = 1] = "Value"; ReferenceTypeFlag2[ReferenceTypeFlag2["Type"] = 2] = "Type"; })(ReferenceTypeFlag || (exports2.ReferenceTypeFlag = ReferenceTypeFlag = {})); var Reference = class { /** * True if this reference can reference types */ get isTypeReference() { return (__classPrivateFieldGet3(this, _Reference_referenceType, "f") & ReferenceTypeFlag.Type) !== 0; } /** * True if this reference can reference values */ get isValueReference() { return (__classPrivateFieldGet3(this, _Reference_referenceType, "f") & ReferenceTypeFlag.Value) !== 0; } constructor(identifier, scope, flag, writeExpr, maybeImplicitGlobal, init, referenceType = ReferenceTypeFlag.Value) { this.$id = generator(); _Reference_flag.set(this, void 0); _Reference_referenceType.set(this, void 0); this.identifier = identifier; this.from = scope; this.resolved = null; __classPrivateFieldSet3(this, _Reference_flag, flag, "f"); if (this.isWrite()) { this.writeExpr = writeExpr; this.init = init; } this.maybeImplicitGlobal = maybeImplicitGlobal; __classPrivateFieldSet3(this, _Reference_referenceType, referenceType, "f"); } /** * Whether the reference is writeable. * @public */ isWrite() { return !!(__classPrivateFieldGet3(this, _Reference_flag, "f") & ReferenceFlag.Write); } /** * Whether the reference is readable. * @public */ isRead() { return !!(__classPrivateFieldGet3(this, _Reference_flag, "f") & ReferenceFlag.Read); } /** * Whether the reference is read-only. * @public */ isReadOnly() { return __classPrivateFieldGet3(this, _Reference_flag, "f") === ReferenceFlag.Read; } /** * Whether the reference is write-only. * @public */ isWriteOnly() { return __classPrivateFieldGet3(this, _Reference_flag, "f") === ReferenceFlag.Write; } /** * Whether the reference is read-write. * @public */ isReadWrite() { return __classPrivateFieldGet3(this, _Reference_flag, "f") === ReferenceFlag.ReadWrite; } }; exports2.Reference = Reference; _Reference_flag = /* @__PURE__ */ new WeakMap(), _Reference_referenceType = /* @__PURE__ */ new WeakMap(); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/variable/VariableBase.js var require_VariableBase = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/variable/VariableBase.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.VariableBase = void 0; var ID_1 = require_ID(); var generator = (0, ID_1.createIdGenerator)(); var VariableBase = class { constructor(name, scope) { this.$id = generator(); this.defs = []; this.eslintUsed = false; this.identifiers = []; this.references = []; this.name = name; this.scope = scope; } }; exports2.VariableBase = VariableBase; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/variable/ESLintScopeVariable.js var require_ESLintScopeVariable = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/variable/ESLintScopeVariable.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ESLintScopeVariable = void 0; var VariableBase_1 = require_VariableBase(); var ESLintScopeVariable = class extends VariableBase_1.VariableBase { }; exports2.ESLintScopeVariable = ESLintScopeVariable; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/variable/ImplicitLibVariable.js var require_ImplicitLibVariable = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/variable/ImplicitLibVariable.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ImplicitLibVariable = void 0; var ESLintScopeVariable_1 = require_ESLintScopeVariable(); var ImplicitLibVariable = class extends ESLintScopeVariable_1.ESLintScopeVariable { constructor(scope, name, { isTypeVariable, isValueVariable, writeable, eslintImplicitGlobalSetting }) { super(name, scope); this.isTypeVariable = isTypeVariable ?? false; this.isValueVariable = isValueVariable ?? false; this.writeable = writeable ?? false; this.eslintImplicitGlobalSetting = eslintImplicitGlobalSetting ?? "readonly"; } }; exports2.ImplicitLibVariable = ImplicitLibVariable; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/variable/Variable.js var require_Variable = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/variable/Variable.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.Variable = void 0; var VariableBase_1 = require_VariableBase(); var Variable = class extends VariableBase_1.VariableBase { /** * `true` if the variable is valid in a type context, false otherwise * @public */ get isTypeVariable() { if (this.defs.length === 0) { return true; } return this.defs.some((def) => def.isTypeDefinition); } /** * `true` if the variable is valid in a value context, false otherwise * @public */ get isValueVariable() { if (this.defs.length === 0) { return true; } return this.defs.some((def) => def.isVariableDefinition); } }; exports2.Variable = Variable; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/variable/index.js var require_variable = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/variable/index.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.Variable = exports2.ImplicitLibVariable = exports2.ESLintScopeVariable = void 0; var ESLintScopeVariable_1 = require_ESLintScopeVariable(); Object.defineProperty(exports2, "ESLintScopeVariable", { enumerable: true, get: function() { return ESLintScopeVariable_1.ESLintScopeVariable; } }); var ImplicitLibVariable_1 = require_ImplicitLibVariable(); Object.defineProperty(exports2, "ImplicitLibVariable", { enumerable: true, get: function() { return ImplicitLibVariable_1.ImplicitLibVariable; } }); var Variable_1 = require_Variable(); Object.defineProperty(exports2, "Variable", { enumerable: true, get: function() { return Variable_1.Variable; } }); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/ScopeType.js var require_ScopeType = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/ScopeType.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ScopeType = void 0; var ScopeType; (function(ScopeType2) { ScopeType2["block"] = "block"; ScopeType2["catch"] = "catch"; ScopeType2["class"] = "class"; ScopeType2["classFieldInitializer"] = "class-field-initializer"; ScopeType2["classStaticBlock"] = "class-static-block"; ScopeType2["conditionalType"] = "conditionalType"; ScopeType2["for"] = "for"; ScopeType2["function"] = "function"; ScopeType2["functionExpressionName"] = "function-expression-name"; ScopeType2["functionType"] = "functionType"; ScopeType2["global"] = "global"; ScopeType2["mappedType"] = "mappedType"; ScopeType2["module"] = "module"; ScopeType2["switch"] = "switch"; ScopeType2["tsEnum"] = "tsEnum"; ScopeType2["tsModule"] = "tsModule"; ScopeType2["type"] = "type"; ScopeType2["with"] = "with"; })(ScopeType || (exports2.ScopeType = ScopeType = {})); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/ScopeBase.js var require_ScopeBase = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/ScopeBase.js"(exports2) { "use strict"; var __classPrivateFieldSet3 = exports2 && exports2.__classPrivateFieldSet || function(receiver, state, value, kind, f) { if (kind === "m") throw new TypeError("Private method is not writable"); if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it"); return kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value; }; var __classPrivateFieldGet3 = exports2 && exports2.__classPrivateFieldGet || function(receiver, state, kind, f) { if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it"); return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); }; var _ScopeBase_declaredVariables; var _ScopeBase_dynamic; var _ScopeBase_staticCloseRef; var _ScopeBase_dynamicCloseRef; var _ScopeBase_globalCloseRef; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ScopeBase = void 0; var types_1 = require_dist(); var assert_1 = require_assert(); var definition_1 = require_definition(); var ID_1 = require_ID(); var Reference_1 = require_Reference(); var variable_1 = require_variable(); var ScopeType_1 = require_ScopeType(); function isStrictScope(scope, block, isMethodDefinition2) { let body; if (scope.upper?.isStrict) { return true; } if (isMethodDefinition2) { return true; } if (scope.type === ScopeType_1.ScopeType.class || scope.type === ScopeType_1.ScopeType.conditionalType || scope.type === ScopeType_1.ScopeType.functionType || scope.type === ScopeType_1.ScopeType.mappedType || scope.type === ScopeType_1.ScopeType.module || scope.type === ScopeType_1.ScopeType.tsEnum || scope.type === ScopeType_1.ScopeType.tsModule || scope.type === ScopeType_1.ScopeType.type) { return true; } if (scope.type === ScopeType_1.ScopeType.block || scope.type === ScopeType_1.ScopeType.switch) { return false; } if (scope.type === ScopeType_1.ScopeType.function) { const functionBody = block; switch (functionBody.type) { case types_1.AST_NODE_TYPES.ArrowFunctionExpression: if (functionBody.body.type !== types_1.AST_NODE_TYPES.BlockStatement) { return false; } body = functionBody.body; break; case types_1.AST_NODE_TYPES.Program: body = functionBody; break; default: body = functionBody.body; } if (!body) { return false; } } else if (scope.type === ScopeType_1.ScopeType.global) { body = block; } else { return false; } for (const stmt of body.body) { if (stmt.type !== types_1.AST_NODE_TYPES.ExpressionStatement) { break; } if (stmt.directive === "use strict") { return true; } const expr = stmt.expression; if (expr.type !== types_1.AST_NODE_TYPES.Literal) { break; } if (expr.raw === '"use strict"' || expr.raw === "'use strict'") { return true; } if (expr.value === "use strict") { return true; } } return false; } function registerScope(scopeManager, scope) { scopeManager.scopes.push(scope); const scopes = scopeManager.nodeToScope.get(scope.block); if (scopes) { scopes.push(scope); } else { scopeManager.nodeToScope.set(scope.block, [scope]); } } var generator = (0, ID_1.createIdGenerator)(); var VARIABLE_SCOPE_TYPES = /* @__PURE__ */ new Set([ ScopeType_1.ScopeType.classFieldInitializer, ScopeType_1.ScopeType.classStaticBlock, ScopeType_1.ScopeType.function, ScopeType_1.ScopeType.global, ScopeType_1.ScopeType.module, ScopeType_1.ScopeType.tsModule ]); var ScopeBase = class { constructor(scopeManager, type, upperScope, block, isMethodDefinition2) { this.$id = generator(); this.childScopes = []; _ScopeBase_declaredVariables.set(this, void 0); _ScopeBase_dynamic.set(this, void 0); this.functionExpressionScope = false; this.leftToResolve = []; this.references = []; this.set = /* @__PURE__ */ new Map(); this.through = []; this.variables = []; _ScopeBase_staticCloseRef.set(this, (ref) => { const resolve2 = () => { const name = ref.identifier.name; const variable = this.set.get(name); if (!variable) { return false; } if (!this.isValidResolution(ref, variable)) { return false; } const isValidTypeReference = ref.isTypeReference && variable.isTypeVariable; const isValidValueReference = ref.isValueReference && variable.isValueVariable; if (!isValidTypeReference && !isValidValueReference) { return false; } variable.references.push(ref); ref.resolved = variable; return true; }; if (!resolve2()) { this.delegateToUpperScope(ref); } }); _ScopeBase_dynamicCloseRef.set(this, (ref) => { let current = this; do { current.through.push(ref); current = current.upper; } while (current); }); _ScopeBase_globalCloseRef.set(this, (ref, scopeManager2) => { if (this.shouldStaticallyCloseForGlobal(ref, scopeManager2)) { __classPrivateFieldGet3(this, _ScopeBase_staticCloseRef, "f").call(this, ref); } else { __classPrivateFieldGet3(this, _ScopeBase_dynamicCloseRef, "f").call(this, ref); } }); const upperScopeAsScopeBase = upperScope; this.type = type; __classPrivateFieldSet3(this, _ScopeBase_dynamic, this.type === ScopeType_1.ScopeType.global || this.type === ScopeType_1.ScopeType.with, "f"); this.block = block; this.variableScope = this.isVariableScope() ? this : ( // eslint-disable-next-line @typescript-eslint/no-non-null-assertion upperScopeAsScopeBase.variableScope ); this.upper = upperScope; this.isStrict = isStrictScope(this, block, isMethodDefinition2); upperScopeAsScopeBase?.childScopes.push(this); __classPrivateFieldSet3(this, _ScopeBase_declaredVariables, scopeManager.declaredVariables, "f"); registerScope(scopeManager, this); } isVariableScope() { return VARIABLE_SCOPE_TYPES.has(this.type); } shouldStaticallyClose() { return !__classPrivateFieldGet3(this, _ScopeBase_dynamic, "f"); } shouldStaticallyCloseForGlobal(ref, scopeManager) { const name = ref.identifier.name; const variable = this.set.get(name); if (!variable) { return false; } if (scopeManager.isModule()) { return true; } const defs = variable.defs; return defs.length > 0 && defs.every((def) => { if (def.type === definition_1.DefinitionType.Variable && def.parent.kind === "var") { return false; } return true; }); } close(scopeManager) { let closeRef; if (this.shouldStaticallyClose()) { closeRef = __classPrivateFieldGet3(this, _ScopeBase_staticCloseRef, "f"); } else if (this.type !== "global") { closeRef = __classPrivateFieldGet3(this, _ScopeBase_dynamicCloseRef, "f"); } else { closeRef = __classPrivateFieldGet3(this, _ScopeBase_globalCloseRef, "f"); } (0, assert_1.assert)(this.leftToResolve); this.leftToResolve.forEach((ref) => closeRef(ref, scopeManager)); this.leftToResolve = null; return this.upper; } /** * To override by function scopes. * References in default parameters isn't resolved to variables which are in their function body. */ isValidResolution(_ref, _variable) { return true; } delegateToUpperScope(ref) { this.upper?.leftToResolve?.push(ref); this.through.push(ref); } addDeclaredVariablesOfNode(variable, node) { if (node == null) { return; } let variables = __classPrivateFieldGet3(this, _ScopeBase_declaredVariables, "f").get(node); if (variables == null) { variables = []; __classPrivateFieldGet3(this, _ScopeBase_declaredVariables, "f").set(node, variables); } if (!variables.includes(variable)) { variables.push(variable); } } defineVariable(nameOrVariable, set, variables, node, def) { const name = typeof nameOrVariable === "string" ? nameOrVariable : nameOrVariable.name; let variable = set.get(name); if (!variable) { variable = typeof nameOrVariable === "string" ? new variable_1.Variable(name, this) : nameOrVariable; set.set(name, variable); variables.push(variable); } if (def) { variable.defs.push(def); this.addDeclaredVariablesOfNode(variable, def.node); this.addDeclaredVariablesOfNode(variable, def.parent); } if (node) { variable.identifiers.push(node); } } defineIdentifier(node, def) { this.defineVariable(node.name, this.set, this.variables, node, def); } defineLiteralIdentifier(node, def) { this.defineVariable(node.value, this.set, this.variables, null, def); } referenceValue(node, assign = Reference_1.ReferenceFlag.Read, writeExpr, maybeImplicitGlobal, init = false) { const ref = new Reference_1.Reference(node, this, assign, writeExpr, maybeImplicitGlobal, init, Reference_1.ReferenceTypeFlag.Value); this.references.push(ref); this.leftToResolve?.push(ref); } referenceType(node) { const ref = new Reference_1.Reference(node, this, Reference_1.ReferenceFlag.Read, null, null, false, Reference_1.ReferenceTypeFlag.Type); this.references.push(ref); this.leftToResolve?.push(ref); } referenceDualValueType(node) { const ref = new Reference_1.Reference(node, this, Reference_1.ReferenceFlag.Read, null, null, false, Reference_1.ReferenceTypeFlag.Type | Reference_1.ReferenceTypeFlag.Value); this.references.push(ref); this.leftToResolve?.push(ref); } }; exports2.ScopeBase = ScopeBase; _ScopeBase_declaredVariables = /* @__PURE__ */ new WeakMap(), _ScopeBase_dynamic = /* @__PURE__ */ new WeakMap(), _ScopeBase_staticCloseRef = /* @__PURE__ */ new WeakMap(), _ScopeBase_dynamicCloseRef = /* @__PURE__ */ new WeakMap(), _ScopeBase_globalCloseRef = /* @__PURE__ */ new WeakMap(); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/BlockScope.js var require_BlockScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/BlockScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.BlockScope = void 0; var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var BlockScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, upperScope, block) { super(scopeManager, ScopeType_1.ScopeType.block, upperScope, block, false); } }; exports2.BlockScope = BlockScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/CatchScope.js var require_CatchScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/CatchScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.CatchScope = void 0; var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var CatchScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, upperScope, block) { super(scopeManager, ScopeType_1.ScopeType.catch, upperScope, block, false); } }; exports2.CatchScope = CatchScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/ClassFieldInitializerScope.js var require_ClassFieldInitializerScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/ClassFieldInitializerScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ClassFieldInitializerScope = void 0; var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var ClassFieldInitializerScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, upperScope, block) { super(scopeManager, ScopeType_1.ScopeType.classFieldInitializer, upperScope, block, false); } }; exports2.ClassFieldInitializerScope = ClassFieldInitializerScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/ClassScope.js var require_ClassScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/ClassScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ClassScope = void 0; var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var ClassScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, upperScope, block) { super(scopeManager, ScopeType_1.ScopeType.class, upperScope, block, false); } }; exports2.ClassScope = ClassScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/ConditionalTypeScope.js var require_ConditionalTypeScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/ConditionalTypeScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ConditionalTypeScope = void 0; var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var ConditionalTypeScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, upperScope, block) { super(scopeManager, ScopeType_1.ScopeType.conditionalType, upperScope, block, false); } }; exports2.ConditionalTypeScope = ConditionalTypeScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/ForScope.js var require_ForScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/ForScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ForScope = void 0; var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var ForScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, upperScope, block) { super(scopeManager, ScopeType_1.ScopeType.for, upperScope, block, false); } }; exports2.ForScope = ForScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/FunctionExpressionNameScope.js var require_FunctionExpressionNameScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/FunctionExpressionNameScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.FunctionExpressionNameScope = void 0; var definition_1 = require_definition(); var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var FunctionExpressionNameScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, upperScope, block) { super(scopeManager, ScopeType_1.ScopeType.functionExpressionName, upperScope, block, false); if (block.id) { this.defineIdentifier(block.id, new definition_1.FunctionNameDefinition(block.id, block)); } this.functionExpressionScope = true; } }; exports2.FunctionExpressionNameScope = FunctionExpressionNameScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/FunctionScope.js var require_FunctionScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/FunctionScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.FunctionScope = void 0; var types_1 = require_dist(); var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var FunctionScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, upperScope, block, isMethodDefinition2) { super(scopeManager, ScopeType_1.ScopeType.function, upperScope, block, isMethodDefinition2); if (this.block.type !== types_1.AST_NODE_TYPES.ArrowFunctionExpression) { this.defineVariable("arguments", this.set, this.variables, null, null); } } // References in default parameters isn't resolved to variables which are in their function body. // const x = 1 // function f(a = x) { // This `x` is resolved to the `x` in the outer scope. // const x = 2 // console.log(a) // } isValidResolution(ref, variable) { if (this.block.type === types_1.AST_NODE_TYPES.Program) { return true; } const bodyStart = this.block.body?.range[0] ?? -1; return !(variable.scope === this && ref.identifier.range[0] < bodyStart && // the reference is in the parameter part. variable.defs.every((d) => d.name.range[0] >= bodyStart)); } }; exports2.FunctionScope = FunctionScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/FunctionTypeScope.js var require_FunctionTypeScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/FunctionTypeScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.FunctionTypeScope = void 0; var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var FunctionTypeScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, upperScope, block) { super(scopeManager, ScopeType_1.ScopeType.functionType, upperScope, block, false); } }; exports2.FunctionTypeScope = FunctionTypeScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/GlobalScope.js var require_GlobalScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/GlobalScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.GlobalScope = void 0; var types_1 = require_dist(); var assert_1 = require_assert(); var ImplicitGlobalVariableDefinition_1 = require_ImplicitGlobalVariableDefinition(); var variable_1 = require_variable(); var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var GlobalScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, block) { super(scopeManager, ScopeType_1.ScopeType.global, null, block, false); this.implicit = { set: /* @__PURE__ */ new Map(), variables: [], leftToBeResolved: [] }; } defineImplicitVariable(name, options) { this.defineVariable(new variable_1.ImplicitLibVariable(this, name, options), this.set, this.variables, null, null); } close(scopeManager) { (0, assert_1.assert)(this.leftToResolve); for (const ref of this.leftToResolve) { if (ref.maybeImplicitGlobal && !this.set.has(ref.identifier.name)) { const info = ref.maybeImplicitGlobal; const node = info.pattern; if (node.type === types_1.AST_NODE_TYPES.Identifier) { this.defineVariable(node.name, this.implicit.set, this.implicit.variables, node, new ImplicitGlobalVariableDefinition_1.ImplicitGlobalVariableDefinition(info.pattern, info.node)); } } } this.implicit.leftToBeResolved = this.leftToResolve; return super.close(scopeManager); } }; exports2.GlobalScope = GlobalScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/MappedTypeScope.js var require_MappedTypeScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/MappedTypeScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.MappedTypeScope = void 0; var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var MappedTypeScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, upperScope, block) { super(scopeManager, ScopeType_1.ScopeType.mappedType, upperScope, block, false); } }; exports2.MappedTypeScope = MappedTypeScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/ModuleScope.js var require_ModuleScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/ModuleScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ModuleScope = void 0; var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var ModuleScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, upperScope, block) { super(scopeManager, ScopeType_1.ScopeType.module, upperScope, block, false); } }; exports2.ModuleScope = ModuleScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/Scope.js var require_Scope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/Scope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/SwitchScope.js var require_SwitchScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/SwitchScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.SwitchScope = void 0; var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var SwitchScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, upperScope, block) { super(scopeManager, ScopeType_1.ScopeType.switch, upperScope, block, false); } }; exports2.SwitchScope = SwitchScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/TSEnumScope.js var require_TSEnumScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/TSEnumScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.TSEnumScope = void 0; var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var TSEnumScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, upperScope, block) { super(scopeManager, ScopeType_1.ScopeType.tsEnum, upperScope, block, false); } }; exports2.TSEnumScope = TSEnumScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/TSModuleScope.js var require_TSModuleScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/TSModuleScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.TSModuleScope = void 0; var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var TSModuleScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, upperScope, block) { super(scopeManager, ScopeType_1.ScopeType.tsModule, upperScope, block, false); } }; exports2.TSModuleScope = TSModuleScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/TypeScope.js var require_TypeScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/TypeScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.TypeScope = void 0; var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var TypeScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, upperScope, block) { super(scopeManager, ScopeType_1.ScopeType.type, upperScope, block, false); } }; exports2.TypeScope = TypeScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/WithScope.js var require_WithScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/WithScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.WithScope = void 0; var assert_1 = require_assert(); var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var WithScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, upperScope, block) { super(scopeManager, ScopeType_1.ScopeType.with, upperScope, block, false); } close(scopeManager) { if (this.shouldStaticallyClose()) { return super.close(scopeManager); } (0, assert_1.assert)(this.leftToResolve); this.leftToResolve.forEach((ref) => this.delegateToUpperScope(ref)); this.leftToResolve = null; return this.upper; } }; exports2.WithScope = WithScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/index.js var require_scope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/index.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) { for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p); }; Object.defineProperty(exports2, "__esModule", { value: true }); __exportStar2(require_BlockScope(), exports2); __exportStar2(require_CatchScope(), exports2); __exportStar2(require_ClassFieldInitializerScope(), exports2); __exportStar2(require_ClassScope(), exports2); __exportStar2(require_ConditionalTypeScope(), exports2); __exportStar2(require_ForScope(), exports2); __exportStar2(require_FunctionExpressionNameScope(), exports2); __exportStar2(require_FunctionScope(), exports2); __exportStar2(require_FunctionTypeScope(), exports2); __exportStar2(require_GlobalScope(), exports2); __exportStar2(require_MappedTypeScope(), exports2); __exportStar2(require_ModuleScope(), exports2); __exportStar2(require_Scope(), exports2); __exportStar2(require_ScopeType(), exports2); __exportStar2(require_SwitchScope(), exports2); __exportStar2(require_TSEnumScope(), exports2); __exportStar2(require_TSModuleScope(), exports2); __exportStar2(require_TypeScope(), exports2); __exportStar2(require_WithScope(), exports2); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/VisitorBase.js var require_VisitorBase = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/VisitorBase.js"(exports2) { "use strict"; var __classPrivateFieldSet3 = exports2 && exports2.__classPrivateFieldSet || function(receiver, state, value, kind, f) { if (kind === "m") throw new TypeError("Private method is not writable"); if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it"); return kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value; }; var __classPrivateFieldGet3 = exports2 && exports2.__classPrivateFieldGet || function(receiver, state, kind, f) { if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it"); return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); }; var _VisitorBase_childVisitorKeys; var _VisitorBase_visitChildrenEvenIfSelectorExists; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.VisitorBase = void 0; var visitor_keys_1 = require_dist2(); function isObject2(obj) { return typeof obj === "object" && obj != null; } function isNode2(node) { return isObject2(node) && typeof node.type === "string"; } var VisitorBase = class { constructor(options) { _VisitorBase_childVisitorKeys.set(this, void 0); _VisitorBase_visitChildrenEvenIfSelectorExists.set(this, void 0); __classPrivateFieldSet3(this, _VisitorBase_childVisitorKeys, options.childVisitorKeys ?? visitor_keys_1.visitorKeys, "f"); __classPrivateFieldSet3(this, _VisitorBase_visitChildrenEvenIfSelectorExists, options.visitChildrenEvenIfSelectorExists ?? false, "f"); } /** * Default method for visiting children. * @param node the node whose children should be visited * @param excludeArr a list of keys to not visit */ visitChildren(node, excludeArr = []) { if (node?.type == null) { return; } const exclude = /* @__PURE__ */ new Set([...excludeArr, "parent"]); const children = __classPrivateFieldGet3(this, _VisitorBase_childVisitorKeys, "f")[node.type] ?? Object.keys(node); for (const key of children) { if (exclude.has(key)) { continue; } const child = node[key]; if (!child) { continue; } if (Array.isArray(child)) { for (const subChild of child) { if (isNode2(subChild)) { this.visit(subChild); } } } else if (isNode2(child)) { this.visit(child); } } } /** * Dispatching node. */ visit(node) { if (node?.type == null) { return; } const visitor2 = this[node.type]; if (visitor2) { visitor2.call(this, node); if (!__classPrivateFieldGet3(this, _VisitorBase_visitChildrenEvenIfSelectorExists, "f")) { return; } } this.visitChildren(node); } }; exports2.VisitorBase = VisitorBase; _VisitorBase_childVisitorKeys = /* @__PURE__ */ new WeakMap(), _VisitorBase_visitChildrenEvenIfSelectorExists = /* @__PURE__ */ new WeakMap(); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/PatternVisitor.js var require_PatternVisitor = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/PatternVisitor.js"(exports2) { "use strict"; var __classPrivateFieldSet3 = exports2 && exports2.__classPrivateFieldSet || function(receiver, state, value, kind, f) { if (kind === "m") throw new TypeError("Private method is not writable"); if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it"); return kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value; }; var __classPrivateFieldGet3 = exports2 && exports2.__classPrivateFieldGet || function(receiver, state, kind, f) { if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it"); return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); }; var _PatternVisitor_rootPattern; var _PatternVisitor_callback; var _PatternVisitor_assignments; var _PatternVisitor_restElements; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.PatternVisitor = void 0; var types_1 = require_dist(); var VisitorBase_1 = require_VisitorBase(); var PatternVisitor = class extends VisitorBase_1.VisitorBase { static isPattern(node) { const nodeType = node.type; return nodeType === types_1.AST_NODE_TYPES.Identifier || nodeType === types_1.AST_NODE_TYPES.ObjectPattern || nodeType === types_1.AST_NODE_TYPES.ArrayPattern || nodeType === types_1.AST_NODE_TYPES.SpreadElement || nodeType === types_1.AST_NODE_TYPES.RestElement || nodeType === types_1.AST_NODE_TYPES.AssignmentPattern; } constructor(options, rootPattern, callback) { super(options); _PatternVisitor_rootPattern.set(this, void 0); _PatternVisitor_callback.set(this, void 0); _PatternVisitor_assignments.set(this, []); this.rightHandNodes = []; _PatternVisitor_restElements.set(this, []); __classPrivateFieldSet3(this, _PatternVisitor_rootPattern, rootPattern, "f"); __classPrivateFieldSet3(this, _PatternVisitor_callback, callback, "f"); } ArrayExpression(node) { node.elements.forEach(this.visit, this); } ArrayPattern(pattern) { for (const element of pattern.elements) { this.visit(element); } } AssignmentExpression(node) { __classPrivateFieldGet3(this, _PatternVisitor_assignments, "f").push(node); this.visit(node.left); this.rightHandNodes.push(node.right); __classPrivateFieldGet3(this, _PatternVisitor_assignments, "f").pop(); } AssignmentPattern(pattern) { __classPrivateFieldGet3(this, _PatternVisitor_assignments, "f").push(pattern); this.visit(pattern.left); this.rightHandNodes.push(pattern.right); __classPrivateFieldGet3(this, _PatternVisitor_assignments, "f").pop(); } CallExpression(node) { node.arguments.forEach((a) => { this.rightHandNodes.push(a); }); this.visit(node.callee); } Decorator() { } Identifier(pattern) { const lastRestElement = __classPrivateFieldGet3(this, _PatternVisitor_restElements, "f").at(-1); __classPrivateFieldGet3(this, _PatternVisitor_callback, "f").call(this, pattern, { topLevel: pattern === __classPrivateFieldGet3(this, _PatternVisitor_rootPattern, "f"), rest: lastRestElement?.argument === pattern, assignments: __classPrivateFieldGet3(this, _PatternVisitor_assignments, "f") }); } MemberExpression(node) { if (node.computed) { this.rightHandNodes.push(node.property); } this.rightHandNodes.push(node.object); } Property(property) { if (property.computed) { this.rightHandNodes.push(property.key); } this.visit(property.value); } RestElement(pattern) { __classPrivateFieldGet3(this, _PatternVisitor_restElements, "f").push(pattern); this.visit(pattern.argument); __classPrivateFieldGet3(this, _PatternVisitor_restElements, "f").pop(); } SpreadElement(node) { this.visit(node.argument); } TSTypeAnnotation() { } }; exports2.PatternVisitor = PatternVisitor; _PatternVisitor_rootPattern = /* @__PURE__ */ new WeakMap(), _PatternVisitor_callback = /* @__PURE__ */ new WeakMap(), _PatternVisitor_assignments = /* @__PURE__ */ new WeakMap(), _PatternVisitor_restElements = /* @__PURE__ */ new WeakMap(); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/Visitor.js var require_Visitor = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/Visitor.js"(exports2) { "use strict"; var __classPrivateFieldGet3 = exports2 && exports2.__classPrivateFieldGet || function(receiver, state, kind, f) { if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it"); return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); }; var __classPrivateFieldSet3 = exports2 && exports2.__classPrivateFieldSet || function(receiver, state, value, kind, f) { if (kind === "m") throw new TypeError("Private method is not writable"); if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it"); return kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value; }; var _Visitor_options; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.VisitorBase = exports2.Visitor = void 0; var PatternVisitor_1 = require_PatternVisitor(); var VisitorBase_1 = require_VisitorBase(); Object.defineProperty(exports2, "VisitorBase", { enumerable: true, get: function() { return VisitorBase_1.VisitorBase; } }); var Visitor = class _Visitor extends VisitorBase_1.VisitorBase { constructor(optionsOrVisitor) { super(optionsOrVisitor instanceof _Visitor ? __classPrivateFieldGet3(optionsOrVisitor, _Visitor_options, "f") : optionsOrVisitor); _Visitor_options.set(this, void 0); __classPrivateFieldSet3(this, _Visitor_options, optionsOrVisitor instanceof _Visitor ? __classPrivateFieldGet3(optionsOrVisitor, _Visitor_options, "f") : optionsOrVisitor, "f"); } visitPattern(node, callback, options = { processRightHandNodes: false }) { const visitor2 = new PatternVisitor_1.PatternVisitor(__classPrivateFieldGet3(this, _Visitor_options, "f"), node, callback); visitor2.visit(node); if (options.processRightHandNodes) { visitor2.rightHandNodes.forEach(this.visit, this); } } }; exports2.Visitor = Visitor; _Visitor_options = /* @__PURE__ */ new WeakMap(); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/TypeVisitor.js var require_TypeVisitor = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/TypeVisitor.js"(exports2) { "use strict"; var __classPrivateFieldSet3 = exports2 && exports2.__classPrivateFieldSet || function(receiver, state, value, kind, f) { if (kind === "m") throw new TypeError("Private method is not writable"); if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it"); return kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value; }; var __classPrivateFieldGet3 = exports2 && exports2.__classPrivateFieldGet || function(receiver, state, kind, f) { if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it"); return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); }; var _TypeVisitor_referencer; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.TypeVisitor = void 0; var types_1 = require_dist(); var definition_1 = require_definition(); var scope_1 = require_scope(); var Visitor_1 = require_Visitor(); var TypeVisitor = class _TypeVisitor extends Visitor_1.Visitor { constructor(referencer) { super(referencer); _TypeVisitor_referencer.set(this, void 0); __classPrivateFieldSet3(this, _TypeVisitor_referencer, referencer, "f"); } static visit(referencer, node) { const typeReferencer = new _TypeVisitor(referencer); typeReferencer.visit(node); } /////////////////// // Visit helpers // /////////////////// visitFunctionType(node) { __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").scopeManager.nestFunctionTypeScope(node); this.visit(node.typeParameters); for (const param of node.params) { let didVisitAnnotation = false; this.visitPattern(param, (pattern, info) => { __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").currentScope().defineIdentifier(pattern, new definition_1.ParameterDefinition(pattern, node, info.rest)); if (pattern.typeAnnotation) { this.visit(pattern.typeAnnotation); didVisitAnnotation = true; } }); if (!didVisitAnnotation && "typeAnnotation" in param) { this.visit(param.typeAnnotation); } } this.visit(node.returnType); __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").close(node); } visitPropertyKey(node) { if (!node.computed) { return; } __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").visit(node.key); } ///////////////////// // Visit selectors // ///////////////////// Identifier(node) { __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").currentScope().referenceType(node); } MemberExpression(node) { this.visit(node.object); } TSCallSignatureDeclaration(node) { this.visitFunctionType(node); } TSConditionalType(node) { __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").scopeManager.nestConditionalTypeScope(node); this.visitChildren(node, ["falseType"]); __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").close(node); this.visit(node.falseType); } TSConstructorType(node) { this.visitFunctionType(node); } TSConstructSignatureDeclaration(node) { this.visitFunctionType(node); } TSFunctionType(node) { this.visitFunctionType(node); } TSImportType(node) { this.visit(node.typeArguments); } TSIndexSignature(node) { for (const param of node.parameters) { if (param.type === types_1.AST_NODE_TYPES.Identifier) { this.visit(param.typeAnnotation); } } this.visit(node.typeAnnotation); } TSInferType(node) { const typeParameter = node.typeParameter; let scope = __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").currentScope(); if (scope.type === scope_1.ScopeType.functionType || scope.type === scope_1.ScopeType.mappedType) { let currentScope = scope.upper; while (currentScope) { if (currentScope.type === scope_1.ScopeType.functionType || currentScope.type === scope_1.ScopeType.mappedType) { currentScope = currentScope.upper; continue; } if (currentScope.type === scope_1.ScopeType.conditionalType) { scope = currentScope; break; } break; } } scope.defineIdentifier(typeParameter.name, new definition_1.TypeDefinition(typeParameter.name, typeParameter)); this.visit(typeParameter.constraint); } TSInterfaceDeclaration(node) { __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").currentScope().defineIdentifier(node.id, new definition_1.TypeDefinition(node.id, node)); if (node.typeParameters) { __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").scopeManager.nestTypeScope(node); this.visit(node.typeParameters); } node.extends.forEach(this.visit, this); this.visit(node.body); if (node.typeParameters) { __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").close(node); } } TSMappedType(node) { __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").scopeManager.nestMappedTypeScope(node); this.visitChildren(node); __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").close(node); } TSMethodSignature(node) { this.visitPropertyKey(node); this.visitFunctionType(node); } TSNamedTupleMember(node) { this.visit(node.elementType); } TSPropertySignature(node) { this.visitPropertyKey(node); this.visit(node.typeAnnotation); } TSQualifiedName(node) { this.visit(node.left); } TSTypeAliasDeclaration(node) { __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").currentScope().defineIdentifier(node.id, new definition_1.TypeDefinition(node.id, node)); if (node.typeParameters) { __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").scopeManager.nestTypeScope(node); this.visit(node.typeParameters); } this.visit(node.typeAnnotation); if (node.typeParameters) { __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").close(node); } } TSTypeParameter(node) { __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").currentScope().defineIdentifier(node.name, new definition_1.TypeDefinition(node.name, node)); this.visit(node.constraint); this.visit(node.default); } TSTypePredicate(node) { if (node.parameterName.type !== types_1.AST_NODE_TYPES.TSThisType) { __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").currentScope().referenceValue(node.parameterName); } this.visit(node.typeAnnotation); } // a type query `typeof foo` is a special case that references a _non-type_ variable, TSTypeQuery(node) { let entityName; if (node.exprName.type === types_1.AST_NODE_TYPES.TSQualifiedName) { let iter = node.exprName; while (iter.left.type === types_1.AST_NODE_TYPES.TSQualifiedName) { iter = iter.left; } entityName = iter.left; } else { entityName = node.exprName; if (node.exprName.type === types_1.AST_NODE_TYPES.TSImportType) { this.visit(node.exprName); } } if (entityName.type === types_1.AST_NODE_TYPES.Identifier) { __classPrivateFieldGet3(this, _TypeVisitor_referencer, "f").currentScope().referenceValue(entityName); } this.visit(node.typeArguments); } TSTypeAnnotation(node) { this.visitChildren(node); } }; exports2.TypeVisitor = TypeVisitor; _TypeVisitor_referencer = /* @__PURE__ */ new WeakMap(); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/ClassVisitor.js var require_ClassVisitor = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/ClassVisitor.js"(exports2) { "use strict"; var __classPrivateFieldSet3 = exports2 && exports2.__classPrivateFieldSet || function(receiver, state, value, kind, f) { if (kind === "m") throw new TypeError("Private method is not writable"); if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it"); return kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value; }; var __classPrivateFieldGet3 = exports2 && exports2.__classPrivateFieldGet || function(receiver, state, kind, f) { if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it"); return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); }; var _ClassVisitor_classNode; var _ClassVisitor_referencer; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ClassVisitor = void 0; var types_1 = require_dist(); var definition_1 = require_definition(); var TypeVisitor_1 = require_TypeVisitor(); var Visitor_1 = require_Visitor(); var ClassVisitor = class _ClassVisitor extends Visitor_1.Visitor { constructor(referencer, node) { super(referencer); _ClassVisitor_classNode.set(this, void 0); _ClassVisitor_referencer.set(this, void 0); __classPrivateFieldSet3(this, _ClassVisitor_referencer, referencer, "f"); __classPrivateFieldSet3(this, _ClassVisitor_classNode, node, "f"); } static visit(referencer, node) { const classVisitor = new _ClassVisitor(referencer, node); classVisitor.visitClass(node); } visit(node) { if (node && node.type in this) { super.visit(node); } else { __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").visit(node); } } /////////////////// // Visit helpers // /////////////////// visitClass(node) { if (node.type === types_1.AST_NODE_TYPES.ClassDeclaration && node.id) { __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").currentScope().defineIdentifier(node.id, new definition_1.ClassNameDefinition(node.id, node)); } node.decorators.forEach((d) => __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").visit(d)); __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").scopeManager.nestClassScope(node); if (node.id) { __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").currentScope().defineIdentifier(node.id, new definition_1.ClassNameDefinition(node.id, node)); } __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").visit(node.superClass); this.visitType(node.typeParameters); this.visitType(node.superTypeArguments); node.implements.forEach((imp) => this.visitType(imp)); this.visit(node.body); __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").close(node); } visitPropertyDefinition(node) { this.visitPropertyBase(node); this.visitType(node.typeAnnotation); } visitFunctionParameterTypeAnnotation(node) { switch (node.type) { case types_1.AST_NODE_TYPES.AssignmentPattern: this.visitType(node.left.typeAnnotation); break; case types_1.AST_NODE_TYPES.TSParameterProperty: this.visitFunctionParameterTypeAnnotation(node.parameter); break; default: this.visitType(node.typeAnnotation); } } visitMethodFunction(node, methodNode) { if (node.id) { __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").scopeManager.nestFunctionExpressionNameScope(node); } __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").scopeManager.nestFunctionScope(node, true); let withMethodDecorators = !!methodNode.decorators.length; withMethodDecorators ||= methodNode.kind !== "set" && node.params.some((param) => param.decorators.length); if (!withMethodDecorators && methodNode.kind === "set") { const keyName = getLiteralMethodKeyName(methodNode); if (keyName != null && __classPrivateFieldGet3(this, _ClassVisitor_classNode, "f").body.body.find((node2) => node2 !== methodNode && node2.type === types_1.AST_NODE_TYPES.MethodDefinition && // Node must both be static or not node2.static === methodNode.static && getLiteralMethodKeyName(node2) === keyName)?.decorators.length) { withMethodDecorators = true; } } if (!withMethodDecorators && methodNode.kind === "constructor" && __classPrivateFieldGet3(this, _ClassVisitor_classNode, "f").decorators.length) { withMethodDecorators = true; } for (const param of node.params) { this.visitPattern(param, (pattern, info) => { __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").currentScope().defineIdentifier(pattern, new definition_1.ParameterDefinition(pattern, node, info.rest)); __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").referencingDefaultValue(pattern, info.assignments, null, true); }, { processRightHandNodes: true }); this.visitFunctionParameterTypeAnnotation(param); param.decorators.forEach((d) => this.visit(d)); } this.visitType(node.returnType); this.visitType(node.typeParameters); __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").visitChildren(node.body); __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").close(node); } visitPropertyBase(node) { if (node.computed) { __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").visit(node.key); } if (node.value) { if (node.type === types_1.AST_NODE_TYPES.PropertyDefinition || node.type === types_1.AST_NODE_TYPES.AccessorProperty) { __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").scopeManager.nestClassFieldInitializerScope(node.value); } __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").visit(node.value); if (node.type === types_1.AST_NODE_TYPES.PropertyDefinition || node.type === types_1.AST_NODE_TYPES.AccessorProperty) { __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").close(node.value); } } node.decorators.forEach((d) => __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").visit(d)); } visitMethod(node) { if (node.computed) { __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").visit(node.key); } if (node.value.type === types_1.AST_NODE_TYPES.FunctionExpression) { this.visitMethodFunction(node.value, node); } else { __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").visit(node.value); } node.decorators.forEach((d) => __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").visit(d)); } visitType(node) { if (!node) { return; } TypeVisitor_1.TypeVisitor.visit(__classPrivateFieldGet3(this, _ClassVisitor_referencer, "f"), node); } ///////////////////// // Visit selectors // ///////////////////// AccessorProperty(node) { this.visitPropertyDefinition(node); } ClassBody(node) { this.visitChildren(node); } PropertyDefinition(node) { this.visitPropertyDefinition(node); } MethodDefinition(node) { this.visitMethod(node); } TSAbstractAccessorProperty(node) { this.visitPropertyDefinition(node); } TSAbstractPropertyDefinition(node) { this.visitPropertyDefinition(node); } TSAbstractMethodDefinition(node) { this.visitPropertyBase(node); } Identifier(node) { __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").visit(node); } PrivateIdentifier() { } TSIndexSignature(node) { this.visitType(node); } StaticBlock(node) { __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").scopeManager.nestClassStaticBlockScope(node); node.body.forEach((b) => this.visit(b)); __classPrivateFieldGet3(this, _ClassVisitor_referencer, "f").close(node); } }; exports2.ClassVisitor = ClassVisitor; _ClassVisitor_classNode = /* @__PURE__ */ new WeakMap(), _ClassVisitor_referencer = /* @__PURE__ */ new WeakMap(); function getLiteralMethodKeyName(node) { if (node.computed && node.key.type === types_1.AST_NODE_TYPES.Literal) { if (typeof node.key.value === "string" || typeof node.key.value === "number") { return node.key.value; } } else if (!node.computed && node.key.type === types_1.AST_NODE_TYPES.Identifier) { return node.key.name; } return null; } } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/ExportVisitor.js var require_ExportVisitor = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/ExportVisitor.js"(exports2) { "use strict"; var __classPrivateFieldSet3 = exports2 && exports2.__classPrivateFieldSet || function(receiver, state, value, kind, f) { if (kind === "m") throw new TypeError("Private method is not writable"); if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it"); return kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value; }; var __classPrivateFieldGet3 = exports2 && exports2.__classPrivateFieldGet || function(receiver, state, kind, f) { if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it"); return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); }; var _ExportVisitor_referencer; var _ExportVisitor_exportNode; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ExportVisitor = void 0; var types_1 = require_dist(); var Visitor_1 = require_Visitor(); var ExportVisitor = class _ExportVisitor extends Visitor_1.Visitor { constructor(node, referencer) { super(referencer); _ExportVisitor_referencer.set(this, void 0); _ExportVisitor_exportNode.set(this, void 0); __classPrivateFieldSet3(this, _ExportVisitor_exportNode, node, "f"); __classPrivateFieldSet3(this, _ExportVisitor_referencer, referencer, "f"); } static visit(referencer, node) { const exportReferencer = new _ExportVisitor(node, referencer); exportReferencer.visit(node); } Identifier(node) { if (__classPrivateFieldGet3(this, _ExportVisitor_exportNode, "f").exportKind === "type") { __classPrivateFieldGet3(this, _ExportVisitor_referencer, "f").currentScope().referenceType(node); } else { __classPrivateFieldGet3(this, _ExportVisitor_referencer, "f").currentScope().referenceDualValueType(node); } } ExportDefaultDeclaration(node) { if (node.declaration.type === types_1.AST_NODE_TYPES.Identifier) { this.visit(node.declaration); } else { } } ExportNamedDeclaration(node) { if (node.source) { return; } if (!node.declaration) { this.visitChildren(node); } else { } } ExportSpecifier(node) { if (node.exportKind === "type") { __classPrivateFieldGet3(this, _ExportVisitor_referencer, "f").currentScope().referenceType(node.local); } else { this.visit(node.local); } } }; exports2.ExportVisitor = ExportVisitor; _ExportVisitor_referencer = /* @__PURE__ */ new WeakMap(), _ExportVisitor_exportNode = /* @__PURE__ */ new WeakMap(); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/ImportVisitor.js var require_ImportVisitor = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/ImportVisitor.js"(exports2) { "use strict"; var __classPrivateFieldSet3 = exports2 && exports2.__classPrivateFieldSet || function(receiver, state, value, kind, f) { if (kind === "m") throw new TypeError("Private method is not writable"); if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it"); return kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value; }; var __classPrivateFieldGet3 = exports2 && exports2.__classPrivateFieldGet || function(receiver, state, kind, f) { if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it"); return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); }; var _ImportVisitor_declaration; var _ImportVisitor_referencer; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ImportVisitor = void 0; var definition_1 = require_definition(); var Visitor_1 = require_Visitor(); var ImportVisitor = class _ImportVisitor extends Visitor_1.Visitor { constructor(declaration, referencer) { super(referencer); _ImportVisitor_declaration.set(this, void 0); _ImportVisitor_referencer.set(this, void 0); __classPrivateFieldSet3(this, _ImportVisitor_declaration, declaration, "f"); __classPrivateFieldSet3(this, _ImportVisitor_referencer, referencer, "f"); } static visit(referencer, declaration) { const importReferencer = new _ImportVisitor(declaration, referencer); importReferencer.visit(declaration); } visitImport(id, specifier) { __classPrivateFieldGet3(this, _ImportVisitor_referencer, "f").currentScope().defineIdentifier(id, new definition_1.ImportBindingDefinition(id, specifier, __classPrivateFieldGet3(this, _ImportVisitor_declaration, "f"))); } ImportNamespaceSpecifier(node) { const local = node.local; this.visitImport(local, node); } ImportDefaultSpecifier(node) { const local = node.local; this.visitImport(local, node); } ImportSpecifier(node) { const local = node.local; this.visitImport(local, node); } }; exports2.ImportVisitor = ImportVisitor; _ImportVisitor_declaration = /* @__PURE__ */ new WeakMap(), _ImportVisitor_referencer = /* @__PURE__ */ new WeakMap(); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/Referencer.js var require_Referencer = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/Referencer.js"(exports2) { "use strict"; var __classPrivateFieldSet3 = exports2 && exports2.__classPrivateFieldSet || function(receiver, state, value, kind, f) { if (kind === "m") throw new TypeError("Private method is not writable"); if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it"); return kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value; }; var __classPrivateFieldGet3 = exports2 && exports2.__classPrivateFieldGet || function(receiver, state, kind, f) { if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it"); return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); }; var _Referencer_jsxPragma; var _Referencer_jsxFragmentName; var _Referencer_hasReferencedJsxFactory; var _Referencer_hasReferencedJsxFragmentFactory; var _Referencer_lib; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.Referencer = void 0; var types_1 = require_dist(); var assert_1 = require_assert(); var definition_1 = require_definition(); var lib_1 = require_lib3(); var ClassVisitor_1 = require_ClassVisitor(); var ExportVisitor_1 = require_ExportVisitor(); var ImportVisitor_1 = require_ImportVisitor(); var PatternVisitor_1 = require_PatternVisitor(); var Reference_1 = require_Reference(); var TypeVisitor_1 = require_TypeVisitor(); var Visitor_1 = require_Visitor(); var Referencer = class extends Visitor_1.Visitor { constructor(options, scopeManager) { super(options); _Referencer_jsxPragma.set(this, void 0); _Referencer_jsxFragmentName.set(this, void 0); _Referencer_hasReferencedJsxFactory.set(this, false); _Referencer_hasReferencedJsxFragmentFactory.set(this, false); _Referencer_lib.set(this, void 0); this.scopeManager = scopeManager; __classPrivateFieldSet3(this, _Referencer_jsxPragma, options.jsxPragma, "f"); __classPrivateFieldSet3(this, _Referencer_jsxFragmentName, options.jsxFragmentName, "f"); __classPrivateFieldSet3(this, _Referencer_lib, options.lib, "f"); } currentScope(dontThrowOnNull) { if (!dontThrowOnNull) { (0, assert_1.assert)(this.scopeManager.currentScope, "aaa"); } return this.scopeManager.currentScope; } close(node) { while (this.currentScope(true) && node === this.currentScope().block) { this.scopeManager.currentScope = this.currentScope().close(this.scopeManager); } } referencingDefaultValue(pattern, assignments, maybeImplicitGlobal, init) { assignments.forEach((assignment) => { this.currentScope().referenceValue(pattern, Reference_1.ReferenceFlag.Write, assignment.right, maybeImplicitGlobal, init); }); } populateGlobalsFromLib(globalScope) { for (const lib of __classPrivateFieldGet3(this, _Referencer_lib, "f")) { const variables = lib_1.lib[lib]; if (!variables) { throw new Error(`Invalid value for lib provided: ${lib}`); } for (const [name, variable] of Object.entries(variables)) { globalScope.defineImplicitVariable(name, variable); } } globalScope.defineImplicitVariable("const", { eslintImplicitGlobalSetting: "readonly", isTypeVariable: true, isValueVariable: false }); } /** * Searches for a variable named "name" in the upper scopes and adds a pseudo-reference from itself to itself */ referenceInSomeUpperScope(name) { let scope = this.scopeManager.currentScope; while (scope) { const variable = scope.set.get(name); if (!variable) { scope = scope.upper; continue; } scope.referenceValue(variable.identifiers[0]); return true; } return false; } referenceJsxPragma() { if (__classPrivateFieldGet3(this, _Referencer_jsxPragma, "f") == null || __classPrivateFieldGet3(this, _Referencer_hasReferencedJsxFactory, "f")) { return; } __classPrivateFieldSet3(this, _Referencer_hasReferencedJsxFactory, this.referenceInSomeUpperScope(__classPrivateFieldGet3(this, _Referencer_jsxPragma, "f")), "f"); } referenceJsxFragment() { if (__classPrivateFieldGet3(this, _Referencer_jsxFragmentName, "f") == null || __classPrivateFieldGet3(this, _Referencer_hasReferencedJsxFragmentFactory, "f")) { return; } __classPrivateFieldSet3(this, _Referencer_hasReferencedJsxFragmentFactory, this.referenceInSomeUpperScope(__classPrivateFieldGet3(this, _Referencer_jsxFragmentName, "f")), "f"); } /////////////////// // Visit helpers // /////////////////// visitClass(node) { ClassVisitor_1.ClassVisitor.visit(this, node); } visitForIn(node) { if (node.left.type === types_1.AST_NODE_TYPES.VariableDeclaration && node.left.kind !== "var") { this.scopeManager.nestForScope(node); } if (node.left.type === types_1.AST_NODE_TYPES.VariableDeclaration) { this.visit(node.left); this.visitPattern(node.left.declarations[0].id, (pattern) => { this.currentScope().referenceValue(pattern, Reference_1.ReferenceFlag.Write, node.right, null, true); }); } else { this.visitPattern(node.left, (pattern, info) => { const maybeImplicitGlobal = !this.currentScope().isStrict ? { pattern, node } : null; this.referencingDefaultValue(pattern, info.assignments, maybeImplicitGlobal, false); this.currentScope().referenceValue(pattern, Reference_1.ReferenceFlag.Write, node.right, maybeImplicitGlobal, false); }, { processRightHandNodes: true }); } this.visit(node.right); this.visit(node.body); this.close(node); } visitFunctionParameterTypeAnnotation(node) { switch (node.type) { case types_1.AST_NODE_TYPES.AssignmentPattern: this.visitType(node.left.typeAnnotation); break; case types_1.AST_NODE_TYPES.TSParameterProperty: this.visitFunctionParameterTypeAnnotation(node.parameter); break; default: this.visitType(node.typeAnnotation); break; } } visitFunction(node) { if (node.type === types_1.AST_NODE_TYPES.FunctionExpression) { if (node.id) { this.scopeManager.nestFunctionExpressionNameScope(node); } } else if (node.id) { this.currentScope().defineIdentifier(node.id, new definition_1.FunctionNameDefinition(node.id, node)); } this.scopeManager.nestFunctionScope(node, false); for (const param of node.params) { this.visitPattern(param, (pattern, info) => { this.currentScope().defineIdentifier(pattern, new definition_1.ParameterDefinition(pattern, node, info.rest)); this.referencingDefaultValue(pattern, info.assignments, null, true); }, { processRightHandNodes: true }); this.visitFunctionParameterTypeAnnotation(param); param.decorators.forEach((d) => this.visit(d)); } this.visitType(node.returnType); this.visitType(node.typeParameters); if (node.body) { if (node.body.type === types_1.AST_NODE_TYPES.BlockStatement) { this.visitChildren(node.body); } else { this.visit(node.body); } } this.close(node); } visitProperty(node) { if (node.computed) { this.visit(node.key); } this.visit(node.value); } visitType(node) { if (!node) { return; } TypeVisitor_1.TypeVisitor.visit(this, node); } visitTypeAssertion(node) { this.visit(node.expression); this.visitType(node.typeAnnotation); } ///////////////////// // Visit selectors // ///////////////////// ArrowFunctionExpression(node) { this.visitFunction(node); } AssignmentExpression(node) { let left = node.left; switch (left.type) { case types_1.AST_NODE_TYPES.TSAsExpression: case types_1.AST_NODE_TYPES.TSTypeAssertion: this.visitType(left.typeAnnotation); case types_1.AST_NODE_TYPES.TSNonNullExpression: left = left.expression; } if (PatternVisitor_1.PatternVisitor.isPattern(left)) { if (node.operator === "=") { this.visitPattern(left, (pattern, info) => { const maybeImplicitGlobal = !this.currentScope().isStrict ? { pattern, node } : null; this.referencingDefaultValue(pattern, info.assignments, maybeImplicitGlobal, false); this.currentScope().referenceValue(pattern, Reference_1.ReferenceFlag.Write, node.right, maybeImplicitGlobal, false); }, { processRightHandNodes: true }); } else if (left.type === types_1.AST_NODE_TYPES.Identifier) { this.currentScope().referenceValue(left, Reference_1.ReferenceFlag.ReadWrite, node.right); } } else { this.visit(left); } this.visit(node.right); } BlockStatement(node) { this.scopeManager.nestBlockScope(node); this.visitChildren(node); this.close(node); } BreakStatement() { } CallExpression(node) { this.visitChildren(node, ["typeArguments"]); this.visitType(node.typeArguments); } CatchClause(node) { this.scopeManager.nestCatchScope(node); if (node.param) { const param = node.param; this.visitPattern(param, (pattern, info) => { this.currentScope().defineIdentifier(pattern, new definition_1.CatchClauseDefinition(param, node)); this.referencingDefaultValue(pattern, info.assignments, null, true); }, { processRightHandNodes: true }); } this.visit(node.body); this.close(node); } ClassExpression(node) { this.visitClass(node); } ClassDeclaration(node) { this.visitClass(node); } ContinueStatement() { } ExportAllDeclaration() { } ExportDefaultDeclaration(node) { if (node.declaration.type === types_1.AST_NODE_TYPES.Identifier) { ExportVisitor_1.ExportVisitor.visit(this, node); } else { this.visit(node.declaration); } } TSExportAssignment(node) { if (node.expression.type === types_1.AST_NODE_TYPES.Identifier) { this.currentScope().referenceDualValueType(node.expression); } else { this.visit(node.expression); } } ExportNamedDeclaration(node) { if (node.declaration) { this.visit(node.declaration); } else { ExportVisitor_1.ExportVisitor.visit(this, node); } } ForInStatement(node) { this.visitForIn(node); } ForOfStatement(node) { this.visitForIn(node); } ForStatement(node) { if (node.init && node.init.type === types_1.AST_NODE_TYPES.VariableDeclaration && node.init.kind !== "var") { this.scopeManager.nestForScope(node); } this.visitChildren(node); this.close(node); } FunctionDeclaration(node) { this.visitFunction(node); } FunctionExpression(node) { this.visitFunction(node); } Identifier(node) { this.currentScope().referenceValue(node); this.visitType(node.typeAnnotation); } ImportDeclaration(node) { (0, assert_1.assert)(this.scopeManager.isModule(), "ImportDeclaration should appear when the mode is ES6 and in the module context."); ImportVisitor_1.ImportVisitor.visit(this, node); } JSXAttribute(node) { this.visit(node.value); } JSXClosingElement() { } JSXFragment(node) { this.referenceJsxPragma(); this.referenceJsxFragment(); this.visitChildren(node); } JSXIdentifier(node) { this.currentScope().referenceValue(node); } JSXMemberExpression(node) { if (node.object.type !== types_1.AST_NODE_TYPES.JSXIdentifier) { this.visit(node.object); } else { if (node.object.name !== "this") { this.visit(node.object); } } } JSXOpeningElement(node) { this.referenceJsxPragma(); if (node.name.type === types_1.AST_NODE_TYPES.JSXIdentifier) { if (node.name.name[0].toUpperCase() === node.name.name[0] || node.name.name === "this") { this.visit(node.name); } } else { this.visit(node.name); } this.visitType(node.typeArguments); for (const attr of node.attributes) { this.visit(attr); } } LabeledStatement(node) { this.visit(node.body); } MemberExpression(node) { this.visit(node.object); if (node.computed) { this.visit(node.property); } } MetaProperty() { } NewExpression(node) { this.visitChildren(node, ["typeArguments"]); this.visitType(node.typeArguments); } PrivateIdentifier() { } Program(node) { const globalScope = this.scopeManager.nestGlobalScope(node); this.populateGlobalsFromLib(globalScope); if (this.scopeManager.isGlobalReturn()) { this.currentScope().isStrict = false; this.scopeManager.nestFunctionScope(node, false); } if (this.scopeManager.isModule()) { this.scopeManager.nestModuleScope(node); } if (this.scopeManager.isImpliedStrict()) { this.currentScope().isStrict = true; } this.visitChildren(node); this.close(node); } Property(node) { this.visitProperty(node); } SwitchStatement(node) { this.visit(node.discriminant); this.scopeManager.nestSwitchScope(node); for (const switchCase of node.cases) { this.visit(switchCase); } this.close(node); } TaggedTemplateExpression(node) { this.visit(node.tag); this.visit(node.quasi); this.visitType(node.typeArguments); } TSAsExpression(node) { this.visitTypeAssertion(node); } TSDeclareFunction(node) { this.visitFunction(node); } TSImportEqualsDeclaration(node) { this.currentScope().defineIdentifier(node.id, new definition_1.ImportBindingDefinition(node.id, node, node)); if (node.moduleReference.type === types_1.AST_NODE_TYPES.TSQualifiedName) { this.visit(node.moduleReference.left); } else { this.visit(node.moduleReference); } } TSEmptyBodyFunctionExpression(node) { this.visitFunction(node); } TSEnumDeclaration(node) { this.currentScope().defineIdentifier(node.id, new definition_1.TSEnumNameDefinition(node.id, node)); this.scopeManager.nestTSEnumScope(node); this.currentScope().defineIdentifier(node.id, new definition_1.TSEnumNameDefinition(node.id, node)); for (const member of node.members) { if (member.id.type === types_1.AST_NODE_TYPES.Literal && typeof member.id.value === "string") { const name = member.id; this.currentScope().defineLiteralIdentifier(name, new definition_1.TSEnumMemberDefinition(name, member)); } else if (!member.computed && member.id.type === types_1.AST_NODE_TYPES.Identifier) { this.currentScope().defineIdentifier(member.id, new definition_1.TSEnumMemberDefinition(member.id, member)); } this.visit(member.initializer); } this.close(node); } TSInstantiationExpression(node) { this.visitChildren(node, ["typeArguments"]); this.visitType(node.typeArguments); } TSInterfaceDeclaration(node) { this.visitType(node); } TSModuleDeclaration(node) { if (node.id.type === types_1.AST_NODE_TYPES.Identifier && node.kind !== "global") { this.currentScope().defineIdentifier(node.id, new definition_1.TSModuleNameDefinition(node.id, node)); } this.scopeManager.nestTSModuleScope(node); this.visit(node.body); this.close(node); } TSSatisfiesExpression(node) { this.visitTypeAssertion(node); } TSTypeAliasDeclaration(node) { this.visitType(node); } TSTypeAssertion(node) { this.visitTypeAssertion(node); } UpdateExpression(node) { if (PatternVisitor_1.PatternVisitor.isPattern(node.argument)) { this.visitPattern(node.argument, (pattern) => { this.currentScope().referenceValue(pattern, Reference_1.ReferenceFlag.ReadWrite, null); }); } else { this.visitChildren(node); } } VariableDeclaration(node) { const variableTargetScope = node.kind === "var" ? this.currentScope().variableScope : this.currentScope(); for (const decl of node.declarations) { const init = decl.init; this.visitPattern(decl.id, (pattern, info) => { variableTargetScope.defineIdentifier(pattern, new definition_1.VariableDefinition(pattern, decl, node)); this.referencingDefaultValue(pattern, info.assignments, null, true); if (init) { this.currentScope().referenceValue(pattern, Reference_1.ReferenceFlag.Write, init, null, true); } }, { processRightHandNodes: true }); this.visit(decl.init); this.visitType(decl.id.typeAnnotation); } } WithStatement(node) { this.visit(node.object); this.scopeManager.nestWithScope(node); this.visit(node.body); this.close(node); } ImportAttribute() { } }; exports2.Referencer = Referencer; _Referencer_jsxPragma = /* @__PURE__ */ new WeakMap(), _Referencer_jsxFragmentName = /* @__PURE__ */ new WeakMap(), _Referencer_hasReferencedJsxFactory = /* @__PURE__ */ new WeakMap(), _Referencer_hasReferencedJsxFragmentFactory = /* @__PURE__ */ new WeakMap(), _Referencer_lib = /* @__PURE__ */ new WeakMap(); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/index.js var require_referencer = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/referencer/index.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.Referencer = void 0; var Referencer_1 = require_Referencer(); Object.defineProperty(exports2, "Referencer", { enumerable: true, get: function() { return Referencer_1.Referencer; } }); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/ClassStaticBlockScope.js var require_ClassStaticBlockScope = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/scope/ClassStaticBlockScope.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ClassStaticBlockScope = void 0; var ScopeBase_1 = require_ScopeBase(); var ScopeType_1 = require_ScopeType(); var ClassStaticBlockScope = class extends ScopeBase_1.ScopeBase { constructor(scopeManager, upperScope, block) { super(scopeManager, ScopeType_1.ScopeType.classStaticBlock, upperScope, block, false); } }; exports2.ClassStaticBlockScope = ClassStaticBlockScope; } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/ScopeManager.js var require_ScopeManager = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/ScopeManager.js"(exports2) { "use strict"; var __classPrivateFieldSet3 = exports2 && exports2.__classPrivateFieldSet || function(receiver, state, value, kind, f) { if (kind === "m") throw new TypeError("Private method is not writable"); if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it"); return kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value; }; var __classPrivateFieldGet3 = exports2 && exports2.__classPrivateFieldGet || function(receiver, state, kind, f) { if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it"); return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); }; var _ScopeManager_options; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ScopeManager = void 0; var assert_1 = require_assert(); var scope_1 = require_scope(); var ClassFieldInitializerScope_1 = require_ClassFieldInitializerScope(); var ClassStaticBlockScope_1 = require_ClassStaticBlockScope(); var ScopeManager = class { get variables() { const variables = /* @__PURE__ */ new Set(); function recurse(scope) { scope.variables.forEach((v) => variables.add(v)); scope.childScopes.forEach(recurse); } this.scopes.forEach(recurse); return Array.from(variables).sort((a, b) => a.$id - b.$id); } constructor(options) { _ScopeManager_options.set(this, void 0); this.scopes = []; this.globalScope = null; this.nodeToScope = /* @__PURE__ */ new WeakMap(); this.currentScope = null; __classPrivateFieldSet3(this, _ScopeManager_options, options, "f"); this.declaredVariables = /* @__PURE__ */ new WeakMap(); } isGlobalReturn() { return __classPrivateFieldGet3(this, _ScopeManager_options, "f").globalReturn === true; } isModule() { return __classPrivateFieldGet3(this, _ScopeManager_options, "f").sourceType === "module"; } isImpliedStrict() { return __classPrivateFieldGet3(this, _ScopeManager_options, "f").impliedStrict === true; } isStrictModeSupported() { return true; } isES6() { return true; } /** * Get the variables that a given AST node defines. The gotten variables' `def[].node`/`def[].parent` property is the node. * If the node does not define any variable, this returns an empty array. * @param node An AST node to get their variables. */ getDeclaredVariables(node) { return this.declaredVariables.get(node) ?? []; } /** * Get the scope of a given AST node. The gotten scope's `block` property is the node. * This method never returns `function-expression-name` scope. If the node does not have their scope, this returns `null`. * * @param node An AST node to get their scope. * @param inner If the node has multiple scopes, this returns the outermost scope normally. * If `inner` is `true` then this returns the innermost scope. */ acquire(node, inner = false) { function predicate(testScope) { if (testScope.type === scope_1.ScopeType.function && testScope.functionExpressionScope) { return false; } return true; } const scopes = this.nodeToScope.get(node); if (!scopes || scopes.length === 0) { return null; } if (scopes.length === 1) { return scopes[0]; } if (inner) { for (let i = scopes.length - 1; i >= 0; --i) { const scope = scopes[i]; if (predicate(scope)) { return scope; } } return null; } return scopes.find(predicate) ?? null; } nestScope(scope) { if (scope instanceof scope_1.GlobalScope) { (0, assert_1.assert)(this.currentScope == null); this.globalScope = scope; } this.currentScope = scope; return scope; } nestBlockScope(node) { (0, assert_1.assert)(this.currentScope); return this.nestScope(new scope_1.BlockScope(this, this.currentScope, node)); } nestCatchScope(node) { (0, assert_1.assert)(this.currentScope); return this.nestScope(new scope_1.CatchScope(this, this.currentScope, node)); } nestClassScope(node) { (0, assert_1.assert)(this.currentScope); return this.nestScope(new scope_1.ClassScope(this, this.currentScope, node)); } nestClassFieldInitializerScope(node) { (0, assert_1.assert)(this.currentScope); return this.nestScope(new ClassFieldInitializerScope_1.ClassFieldInitializerScope(this, this.currentScope, node)); } nestClassStaticBlockScope(node) { (0, assert_1.assert)(this.currentScope); return this.nestScope(new ClassStaticBlockScope_1.ClassStaticBlockScope(this, this.currentScope, node)); } nestConditionalTypeScope(node) { (0, assert_1.assert)(this.currentScope); return this.nestScope(new scope_1.ConditionalTypeScope(this, this.currentScope, node)); } nestForScope(node) { (0, assert_1.assert)(this.currentScope); return this.nestScope(new scope_1.ForScope(this, this.currentScope, node)); } nestFunctionExpressionNameScope(node) { (0, assert_1.assert)(this.currentScope); return this.nestScope(new scope_1.FunctionExpressionNameScope(this, this.currentScope, node)); } nestFunctionScope(node, isMethodDefinition2) { (0, assert_1.assert)(this.currentScope); return this.nestScope(new scope_1.FunctionScope(this, this.currentScope, node, isMethodDefinition2)); } nestFunctionTypeScope(node) { (0, assert_1.assert)(this.currentScope); return this.nestScope(new scope_1.FunctionTypeScope(this, this.currentScope, node)); } nestGlobalScope(node) { return this.nestScope(new scope_1.GlobalScope(this, node)); } nestMappedTypeScope(node) { (0, assert_1.assert)(this.currentScope); return this.nestScope(new scope_1.MappedTypeScope(this, this.currentScope, node)); } nestModuleScope(node) { (0, assert_1.assert)(this.currentScope); return this.nestScope(new scope_1.ModuleScope(this, this.currentScope, node)); } nestSwitchScope(node) { (0, assert_1.assert)(this.currentScope); return this.nestScope(new scope_1.SwitchScope(this, this.currentScope, node)); } nestTSEnumScope(node) { (0, assert_1.assert)(this.currentScope); return this.nestScope(new scope_1.TSEnumScope(this, this.currentScope, node)); } nestTSModuleScope(node) { (0, assert_1.assert)(this.currentScope); return this.nestScope(new scope_1.TSModuleScope(this, this.currentScope, node)); } nestTypeScope(node) { (0, assert_1.assert)(this.currentScope); return this.nestScope(new scope_1.TypeScope(this, this.currentScope, node)); } nestWithScope(node) { (0, assert_1.assert)(this.currentScope); return this.nestScope(new scope_1.WithScope(this, this.currentScope, node)); } }; exports2.ScopeManager = ScopeManager; _ScopeManager_options = /* @__PURE__ */ new WeakMap(); } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/analyze.js var require_analyze = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/analyze.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.analyze = analyze; var visitor_keys_1 = require_dist2(); var referencer_1 = require_referencer(); var ScopeManager_1 = require_ScopeManager(); var DEFAULT_OPTIONS = { childVisitorKeys: visitor_keys_1.visitorKeys, globalReturn: false, impliedStrict: false, jsxPragma: "React", jsxFragmentName: null, lib: ["es2018"], sourceType: "script", emitDecoratorMetadata: false }; function analyze(tree, providedOptions) { const options = { childVisitorKeys: providedOptions?.childVisitorKeys ?? DEFAULT_OPTIONS.childVisitorKeys, globalReturn: providedOptions?.globalReturn ?? DEFAULT_OPTIONS.globalReturn, impliedStrict: providedOptions?.impliedStrict ?? DEFAULT_OPTIONS.impliedStrict, jsxPragma: providedOptions?.jsxPragma === void 0 ? DEFAULT_OPTIONS.jsxPragma : providedOptions.jsxPragma, jsxFragmentName: providedOptions?.jsxFragmentName ?? DEFAULT_OPTIONS.jsxFragmentName, sourceType: providedOptions?.sourceType ?? DEFAULT_OPTIONS.sourceType, lib: providedOptions?.lib ?? ["esnext"], emitDecoratorMetadata: false }; options.lib = options.lib.map((l) => l.toLowerCase()); const scopeManager = new ScopeManager_1.ScopeManager(options); const referencer = new referencer_1.Referencer(options, scopeManager); referencer.visit(tree); return scopeManager; } } }); // node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/index.js var require_dist3 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+scope-manager@7.16.0/node_modules/@typescript-eslint/scope-manager/dist/index.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) { for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p); }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ScopeManager = exports2.PatternVisitor = exports2.Visitor = exports2.Reference = exports2.analyze = void 0; var analyze_1 = require_analyze(); Object.defineProperty(exports2, "analyze", { enumerable: true, get: function() { return analyze_1.analyze; } }); __exportStar2(require_definition(), exports2); var Reference_1 = require_Reference(); Object.defineProperty(exports2, "Reference", { enumerable: true, get: function() { return Reference_1.Reference; } }); var Visitor_1 = require_Visitor(); Object.defineProperty(exports2, "Visitor", { enumerable: true, get: function() { return Visitor_1.Visitor; } }); var PatternVisitor_1 = require_PatternVisitor(); Object.defineProperty(exports2, "PatternVisitor", { enumerable: true, get: function() { return PatternVisitor_1.PatternVisitor; } }); __exportStar2(require_scope(), exports2); var ScopeManager_1 = require_ScopeManager(); Object.defineProperty(exports2, "ScopeManager", { enumerable: true, get: function() { return ScopeManager_1.ScopeManager; } }); __exportStar2(require_variable(), exports2); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/Scope.js var require_Scope2 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/Scope.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.Scope = void 0; var scopeManager = __importStar2(require_dist3()); var Scope; (function(Scope2) { Scope2.ScopeType = scopeManager.ScopeType; Scope2.DefinitionType = scopeManager.DefinitionType; })(Scope || (exports2.Scope = Scope = {})); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/SourceCode.js var require_SourceCode = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/SourceCode.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.SourceCode = void 0; var eslint_1 = require("eslint"); var SourceCode = class extends eslint_1.SourceCode { }; exports2.SourceCode = SourceCode; } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/index.js var require_ts_eslint = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-eslint/index.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) { for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p); }; Object.defineProperty(exports2, "__esModule", { value: true }); __exportStar2(require_AST(), exports2); __exportStar2(require_Config(), exports2); __exportStar2(require_ESLint(), exports2); __exportStar2(require_Linter(), exports2); __exportStar2(require_Parser(), exports2); __exportStar2(require_ParserOptions(), exports2); __exportStar2(require_Processor(), exports2); __exportStar2(require_Rule(), exports2); __exportStar2(require_RuleTester(), exports2); __exportStar2(require_Scope2(), exports2); __exportStar2(require_SourceCode(), exports2); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-utils/isArray.js var require_isArray = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-utils/isArray.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.isArray = isArray3; function isArray3(arg) { return Array.isArray(arg); } } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-utils/index.js var require_ts_utils = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/ts-utils/index.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) { for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p); }; Object.defineProperty(exports2, "__esModule", { value: true }); __exportStar2(require_isArray(), exports2); } }); // node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/index.js var require_dist4 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/utils/dist/index.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) { for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p); }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.TSUtils = exports2.TSESLint = exports2.JSONSchema = exports2.ESLintUtils = exports2.ASTUtils = void 0; var ASTUtils = __importStar2(require_ast_utils()); exports2.ASTUtils = ASTUtils; var ESLintUtils = __importStar2(require_eslint_utils3()); exports2.ESLintUtils = ESLintUtils; var JSONSchema = __importStar2(require_json_schema()); exports2.JSONSchema = JSONSchema; var TSESLint = __importStar2(require_ts_eslint()); exports2.TSESLint = TSESLint; var TSUtils = __importStar2(require_ts_utils()); exports2.TSUtils = TSUtils; __exportStar2(require_ts_estree2(), exports2); } }); // node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/base64.js var require_base64 = __commonJS({ "node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/base64.js"(exports2) { var intToCharMap = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/".split(""); exports2.encode = function(number) { if (0 <= number && number < intToCharMap.length) { return intToCharMap[number]; } throw new TypeError("Must be between 0 and 63: " + number); }; exports2.decode = function(charCode) { var bigA = 65; var bigZ = 90; var littleA = 97; var littleZ = 122; var zero = 48; var nine = 57; var plus = 43; var slash = 47; var littleOffset = 26; var numberOffset = 52; if (bigA <= charCode && charCode <= bigZ) { return charCode - bigA; } if (littleA <= charCode && charCode <= littleZ) { return charCode - littleA + littleOffset; } if (zero <= charCode && charCode <= nine) { return charCode - zero + numberOffset; } if (charCode == plus) { return 62; } if (charCode == slash) { return 63; } return -1; }; } }); // node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/base64-vlq.js var require_base64_vlq = __commonJS({ "node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/base64-vlq.js"(exports2) { var base64 = require_base64(); var VLQ_BASE_SHIFT = 5; var VLQ_BASE = 1 << VLQ_BASE_SHIFT; var VLQ_BASE_MASK = VLQ_BASE - 1; var VLQ_CONTINUATION_BIT = VLQ_BASE; function toVLQSigned(aValue) { return aValue < 0 ? (-aValue << 1) + 1 : (aValue << 1) + 0; } function fromVLQSigned(aValue) { var isNegative2 = (aValue & 1) === 1; var shifted = aValue >> 1; return isNegative2 ? -shifted : shifted; } exports2.encode = function base64VLQ_encode(aValue) { var encoded = ""; var digit; var vlq = toVLQSigned(aValue); do { digit = vlq & VLQ_BASE_MASK; vlq >>>= VLQ_BASE_SHIFT; if (vlq > 0) { digit |= VLQ_CONTINUATION_BIT; } encoded += base64.encode(digit); } while (vlq > 0); return encoded; }; exports2.decode = function base64VLQ_decode(aStr, aIndex, aOutParam) { var strLen = aStr.length; var result = 0; var shift = 0; var continuation, digit; do { if (aIndex >= strLen) { throw new Error("Expected more digits in base 64 VLQ value."); } digit = base64.decode(aStr.charCodeAt(aIndex++)); if (digit === -1) { throw new Error("Invalid base64 digit: " + aStr.charAt(aIndex - 1)); } continuation = !!(digit & VLQ_CONTINUATION_BIT); digit &= VLQ_BASE_MASK; result = result + (digit << shift); shift += VLQ_BASE_SHIFT; } while (continuation); aOutParam.value = fromVLQSigned(result); aOutParam.rest = aIndex; }; } }); // node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/util.js var require_util3 = __commonJS({ "node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/util.js"(exports2) { function getArg(aArgs, aName, aDefaultValue) { if (aName in aArgs) { return aArgs[aName]; } else if (arguments.length === 3) { return aDefaultValue; } else { throw new Error('"' + aName + '" is a required argument.'); } } exports2.getArg = getArg; var urlRegexp = /^(?:([\w+\-.]+):)?\/\/(?:(\w+:\w+)@)?([\w.-]*)(?::(\d+))?(.*)$/; var dataUrlRegexp = /^data:.+\,.+$/; function urlParse(aUrl) { var match = aUrl.match(urlRegexp); if (!match) { return null; } return { scheme: match[1], auth: match[2], host: match[3], port: match[4], path: match[5] }; } exports2.urlParse = urlParse; function urlGenerate(aParsedUrl) { var url = ""; if (aParsedUrl.scheme) { url += aParsedUrl.scheme + ":"; } url += "//"; if (aParsedUrl.auth) { url += aParsedUrl.auth + "@"; } if (aParsedUrl.host) { url += aParsedUrl.host; } if (aParsedUrl.port) { url += ":" + aParsedUrl.port; } if (aParsedUrl.path) { url += aParsedUrl.path; } return url; } exports2.urlGenerate = urlGenerate; function normalize(aPath) { var path17 = aPath; var url = urlParse(aPath); if (url) { if (!url.path) { return aPath; } path17 = url.path; } var isAbsolute = exports2.isAbsolute(path17); var parts = path17.split(/\/+/); for (var part, up = 0, i = parts.length - 1; i >= 0; i--) { part = parts[i]; if (part === ".") { parts.splice(i, 1); } else if (part === "..") { up++; } else if (up > 0) { if (part === "") { parts.splice(i + 1, up); up = 0; } else { parts.splice(i, 2); up--; } } } path17 = parts.join("/"); if (path17 === "") { path17 = isAbsolute ? "/" : "."; } if (url) { url.path = path17; return urlGenerate(url); } return path17; } exports2.normalize = normalize; function join3(aRoot, aPath) { if (aRoot === "") { aRoot = "."; } if (aPath === "") { aPath = "."; } var aPathUrl = urlParse(aPath); var aRootUrl = urlParse(aRoot); if (aRootUrl) { aRoot = aRootUrl.path || "/"; } if (aPathUrl && !aPathUrl.scheme) { if (aRootUrl) { aPathUrl.scheme = aRootUrl.scheme; } return urlGenerate(aPathUrl); } if (aPathUrl || aPath.match(dataUrlRegexp)) { return aPath; } if (aRootUrl && !aRootUrl.host && !aRootUrl.path) { aRootUrl.host = aPath; return urlGenerate(aRootUrl); } var joined = aPath.charAt(0) === "/" ? aPath : normalize(aRoot.replace(/\/+$/, "") + "/" + aPath); if (aRootUrl) { aRootUrl.path = joined; return urlGenerate(aRootUrl); } return joined; } exports2.join = join3; exports2.isAbsolute = function(aPath) { return aPath.charAt(0) === "/" || urlRegexp.test(aPath); }; function relative2(aRoot, aPath) { if (aRoot === "") { aRoot = "."; } aRoot = aRoot.replace(/\/$/, ""); var level = 0; while (aPath.indexOf(aRoot + "/") !== 0) { var index = aRoot.lastIndexOf("/"); if (index < 0) { return aPath; } aRoot = aRoot.slice(0, index); if (aRoot.match(/^([^\/]+:\/)?\/*$/)) { return aPath; } ++level; } return Array(level + 1).join("../") + aPath.substr(aRoot.length + 1); } exports2.relative = relative2; var supportsNullProto = function() { var obj = /* @__PURE__ */ Object.create(null); return !("__proto__" in obj); }(); function identity2(s) { return s; } function toSetString(aStr) { if (isProtoString(aStr)) { return "$" + aStr; } return aStr; } exports2.toSetString = supportsNullProto ? identity2 : toSetString; function fromSetString(aStr) { if (isProtoString(aStr)) { return aStr.slice(1); } return aStr; } exports2.fromSetString = supportsNullProto ? identity2 : fromSetString; function isProtoString(s) { if (!s) { return false; } var length = s.length; if (length < 9) { return false; } if (s.charCodeAt(length - 1) !== 95 || s.charCodeAt(length - 2) !== 95 || s.charCodeAt(length - 3) !== 111 || s.charCodeAt(length - 4) !== 116 || s.charCodeAt(length - 5) !== 111 || s.charCodeAt(length - 6) !== 114 || s.charCodeAt(length - 7) !== 112 || s.charCodeAt(length - 8) !== 95 || s.charCodeAt(length - 9) !== 95) { return false; } for (var i = length - 10; i >= 0; i--) { if (s.charCodeAt(i) !== 36) { return false; } } return true; } function compareByOriginalPositions(mappingA, mappingB, onlyCompareOriginal) { var cmp = strcmp(mappingA.source, mappingB.source); if (cmp !== 0) { return cmp; } cmp = mappingA.originalLine - mappingB.originalLine; if (cmp !== 0) { return cmp; } cmp = mappingA.originalColumn - mappingB.originalColumn; if (cmp !== 0 || onlyCompareOriginal) { return cmp; } cmp = mappingA.generatedColumn - mappingB.generatedColumn; if (cmp !== 0) { return cmp; } cmp = mappingA.generatedLine - mappingB.generatedLine; if (cmp !== 0) { return cmp; } return strcmp(mappingA.name, mappingB.name); } exports2.compareByOriginalPositions = compareByOriginalPositions; function compareByGeneratedPositionsDeflated(mappingA, mappingB, onlyCompareGenerated) { var cmp = mappingA.generatedLine - mappingB.generatedLine; if (cmp !== 0) { return cmp; } cmp = mappingA.generatedColumn - mappingB.generatedColumn; if (cmp !== 0 || onlyCompareGenerated) { return cmp; } cmp = strcmp(mappingA.source, mappingB.source); if (cmp !== 0) { return cmp; } cmp = mappingA.originalLine - mappingB.originalLine; if (cmp !== 0) { return cmp; } cmp = mappingA.originalColumn - mappingB.originalColumn; if (cmp !== 0) { return cmp; } return strcmp(mappingA.name, mappingB.name); } exports2.compareByGeneratedPositionsDeflated = compareByGeneratedPositionsDeflated; function strcmp(aStr1, aStr2) { if (aStr1 === aStr2) { return 0; } if (aStr1 === null) { return 1; } if (aStr2 === null) { return -1; } if (aStr1 > aStr2) { return 1; } return -1; } function compareByGeneratedPositionsInflated(mappingA, mappingB) { var cmp = mappingA.generatedLine - mappingB.generatedLine; if (cmp !== 0) { return cmp; } cmp = mappingA.generatedColumn - mappingB.generatedColumn; if (cmp !== 0) { return cmp; } cmp = strcmp(mappingA.source, mappingB.source); if (cmp !== 0) { return cmp; } cmp = mappingA.originalLine - mappingB.originalLine; if (cmp !== 0) { return cmp; } cmp = mappingA.originalColumn - mappingB.originalColumn; if (cmp !== 0) { return cmp; } return strcmp(mappingA.name, mappingB.name); } exports2.compareByGeneratedPositionsInflated = compareByGeneratedPositionsInflated; function parseSourceMapInput(str) { return JSON.parse(str.replace(/^\)]}'[^\n]*\n/, "")); } exports2.parseSourceMapInput = parseSourceMapInput; function computeSourceURL(sourceRoot, sourceURL, sourceMapURL) { sourceURL = sourceURL || ""; if (sourceRoot) { if (sourceRoot[sourceRoot.length - 1] !== "/" && sourceURL[0] !== "/") { sourceRoot += "/"; } sourceURL = sourceRoot + sourceURL; } if (sourceMapURL) { var parsed = urlParse(sourceMapURL); if (!parsed) { throw new Error("sourceMapURL could not be parsed"); } if (parsed.path) { var index = parsed.path.lastIndexOf("/"); if (index >= 0) { parsed.path = parsed.path.substring(0, index + 1); } } sourceURL = join3(urlGenerate(parsed), sourceURL); } return normalize(sourceURL); } exports2.computeSourceURL = computeSourceURL; } }); // node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/array-set.js var require_array_set = __commonJS({ "node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/array-set.js"(exports2) { var util5 = require_util3(); var has2 = Object.prototype.hasOwnProperty; var hasNativeMap = typeof Map !== "undefined"; function ArraySet() { this._array = []; this._set = hasNativeMap ? /* @__PURE__ */ new Map() : /* @__PURE__ */ Object.create(null); } ArraySet.fromArray = function ArraySet_fromArray(aArray, aAllowDuplicates) { var set = new ArraySet(); for (var i = 0, len = aArray.length; i < len; i++) { set.add(aArray[i], aAllowDuplicates); } return set; }; ArraySet.prototype.size = function ArraySet_size() { return hasNativeMap ? this._set.size : Object.getOwnPropertyNames(this._set).length; }; ArraySet.prototype.add = function ArraySet_add(aStr, aAllowDuplicates) { var sStr = hasNativeMap ? aStr : util5.toSetString(aStr); var isDuplicate = hasNativeMap ? this.has(aStr) : has2.call(this._set, sStr); var idx = this._array.length; if (!isDuplicate || aAllowDuplicates) { this._array.push(aStr); } if (!isDuplicate) { if (hasNativeMap) { this._set.set(aStr, idx); } else { this._set[sStr] = idx; } } }; ArraySet.prototype.has = function ArraySet_has(aStr) { if (hasNativeMap) { return this._set.has(aStr); } else { var sStr = util5.toSetString(aStr); return has2.call(this._set, sStr); } }; ArraySet.prototype.indexOf = function ArraySet_indexOf(aStr) { if (hasNativeMap) { var idx = this._set.get(aStr); if (idx >= 0) { return idx; } } else { var sStr = util5.toSetString(aStr); if (has2.call(this._set, sStr)) { return this._set[sStr]; } } throw new Error('"' + aStr + '" is not in the set.'); }; ArraySet.prototype.at = function ArraySet_at(aIdx) { if (aIdx >= 0 && aIdx < this._array.length) { return this._array[aIdx]; } throw new Error("No element indexed by " + aIdx); }; ArraySet.prototype.toArray = function ArraySet_toArray() { return this._array.slice(); }; exports2.ArraySet = ArraySet; } }); // node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/mapping-list.js var require_mapping_list = __commonJS({ "node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/mapping-list.js"(exports2) { var util5 = require_util3(); function generatedPositionAfter(mappingA, mappingB) { var lineA = mappingA.generatedLine; var lineB = mappingB.generatedLine; var columnA = mappingA.generatedColumn; var columnB = mappingB.generatedColumn; return lineB > lineA || lineB == lineA && columnB >= columnA || util5.compareByGeneratedPositionsInflated(mappingA, mappingB) <= 0; } function MappingList() { this._array = []; this._sorted = true; this._last = { generatedLine: -1, generatedColumn: 0 }; } MappingList.prototype.unsortedForEach = function MappingList_forEach(aCallback, aThisArg) { this._array.forEach(aCallback, aThisArg); }; MappingList.prototype.add = function MappingList_add(aMapping) { if (generatedPositionAfter(this._last, aMapping)) { this._last = aMapping; this._array.push(aMapping); } else { this._sorted = false; this._array.push(aMapping); } }; MappingList.prototype.toArray = function MappingList_toArray() { if (!this._sorted) { this._array.sort(util5.compareByGeneratedPositionsInflated); this._sorted = true; } return this._array; }; exports2.MappingList = MappingList; } }); // node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/source-map-generator.js var require_source_map_generator = __commonJS({ "node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/source-map-generator.js"(exports2) { var base64VLQ = require_base64_vlq(); var util5 = require_util3(); var ArraySet = require_array_set().ArraySet; var MappingList = require_mapping_list().MappingList; function SourceMapGenerator(aArgs) { if (!aArgs) { aArgs = {}; } this._file = util5.getArg(aArgs, "file", null); this._sourceRoot = util5.getArg(aArgs, "sourceRoot", null); this._skipValidation = util5.getArg(aArgs, "skipValidation", false); this._sources = new ArraySet(); this._names = new ArraySet(); this._mappings = new MappingList(); this._sourcesContents = null; } SourceMapGenerator.prototype._version = 3; SourceMapGenerator.fromSourceMap = function SourceMapGenerator_fromSourceMap(aSourceMapConsumer) { var sourceRoot = aSourceMapConsumer.sourceRoot; var generator = new SourceMapGenerator({ file: aSourceMapConsumer.file, sourceRoot }); aSourceMapConsumer.eachMapping(function(mapping) { var newMapping = { generated: { line: mapping.generatedLine, column: mapping.generatedColumn } }; if (mapping.source != null) { newMapping.source = mapping.source; if (sourceRoot != null) { newMapping.source = util5.relative(sourceRoot, newMapping.source); } newMapping.original = { line: mapping.originalLine, column: mapping.originalColumn }; if (mapping.name != null) { newMapping.name = mapping.name; } } generator.addMapping(newMapping); }); aSourceMapConsumer.sources.forEach(function(sourceFile) { var sourceRelative = sourceFile; if (sourceRoot !== null) { sourceRelative = util5.relative(sourceRoot, sourceFile); } if (!generator._sources.has(sourceRelative)) { generator._sources.add(sourceRelative); } var content = aSourceMapConsumer.sourceContentFor(sourceFile); if (content != null) { generator.setSourceContent(sourceFile, content); } }); return generator; }; SourceMapGenerator.prototype.addMapping = function SourceMapGenerator_addMapping(aArgs) { var generated = util5.getArg(aArgs, "generated"); var original = util5.getArg(aArgs, "original", null); var source = util5.getArg(aArgs, "source", null); var name = util5.getArg(aArgs, "name", null); if (!this._skipValidation) { this._validateMapping(generated, original, source, name); } if (source != null) { source = String(source); if (!this._sources.has(source)) { this._sources.add(source); } } if (name != null) { name = String(name); if (!this._names.has(name)) { this._names.add(name); } } this._mappings.add({ generatedLine: generated.line, generatedColumn: generated.column, originalLine: original != null && original.line, originalColumn: original != null && original.column, source, name }); }; SourceMapGenerator.prototype.setSourceContent = function SourceMapGenerator_setSourceContent(aSourceFile, aSourceContent) { var source = aSourceFile; if (this._sourceRoot != null) { source = util5.relative(this._sourceRoot, source); } if (aSourceContent != null) { if (!this._sourcesContents) { this._sourcesContents = /* @__PURE__ */ Object.create(null); } this._sourcesContents[util5.toSetString(source)] = aSourceContent; } else if (this._sourcesContents) { delete this._sourcesContents[util5.toSetString(source)]; if (Object.keys(this._sourcesContents).length === 0) { this._sourcesContents = null; } } }; SourceMapGenerator.prototype.applySourceMap = function SourceMapGenerator_applySourceMap(aSourceMapConsumer, aSourceFile, aSourceMapPath) { var sourceFile = aSourceFile; if (aSourceFile == null) { if (aSourceMapConsumer.file == null) { throw new Error( `SourceMapGenerator.prototype.applySourceMap requires either an explicit source file, or the source map's "file" property. Both were omitted.` ); } sourceFile = aSourceMapConsumer.file; } var sourceRoot = this._sourceRoot; if (sourceRoot != null) { sourceFile = util5.relative(sourceRoot, sourceFile); } var newSources = new ArraySet(); var newNames = new ArraySet(); this._mappings.unsortedForEach(function(mapping) { if (mapping.source === sourceFile && mapping.originalLine != null) { var original = aSourceMapConsumer.originalPositionFor({ line: mapping.originalLine, column: mapping.originalColumn }); if (original.source != null) { mapping.source = original.source; if (aSourceMapPath != null) { mapping.source = util5.join(aSourceMapPath, mapping.source); } if (sourceRoot != null) { mapping.source = util5.relative(sourceRoot, mapping.source); } mapping.originalLine = original.line; mapping.originalColumn = original.column; if (original.name != null) { mapping.name = original.name; } } } var source = mapping.source; if (source != null && !newSources.has(source)) { newSources.add(source); } var name = mapping.name; if (name != null && !newNames.has(name)) { newNames.add(name); } }, this); this._sources = newSources; this._names = newNames; aSourceMapConsumer.sources.forEach(function(sourceFile2) { var content = aSourceMapConsumer.sourceContentFor(sourceFile2); if (content != null) { if (aSourceMapPath != null) { sourceFile2 = util5.join(aSourceMapPath, sourceFile2); } if (sourceRoot != null) { sourceFile2 = util5.relative(sourceRoot, sourceFile2); } this.setSourceContent(sourceFile2, content); } }, this); }; SourceMapGenerator.prototype._validateMapping = function SourceMapGenerator_validateMapping(aGenerated, aOriginal, aSource, aName) { if (aOriginal && typeof aOriginal.line !== "number" && typeof aOriginal.column !== "number") { 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 (aGenerated && "line" in aGenerated && "column" in aGenerated && aGenerated.line > 0 && aGenerated.column >= 0 && !aOriginal && !aSource && !aName) { return; } else if (aGenerated && "line" in aGenerated && "column" in aGenerated && aOriginal && "line" in aOriginal && "column" in aOriginal && aGenerated.line > 0 && aGenerated.column >= 0 && aOriginal.line > 0 && aOriginal.column >= 0 && aSource) { return; } else { throw new Error("Invalid mapping: " + JSON.stringify({ generated: aGenerated, source: aSource, original: aOriginal, name: aName })); } }; SourceMapGenerator.prototype._serializeMappings = function SourceMapGenerator_serializeMappings() { var previousGeneratedColumn = 0; var previousGeneratedLine = 1; var previousOriginalColumn = 0; var previousOriginalLine = 0; var previousName = 0; var previousSource = 0; var result = ""; var next; var mapping; var nameIdx; var sourceIdx; var mappings = this._mappings.toArray(); for (var i = 0, len = mappings.length; i < len; i++) { mapping = mappings[i]; next = ""; if (mapping.generatedLine !== previousGeneratedLine) { previousGeneratedColumn = 0; while (mapping.generatedLine !== previousGeneratedLine) { next += ";"; previousGeneratedLine++; } } else { if (i > 0) { if (!util5.compareByGeneratedPositionsInflated(mapping, mappings[i - 1])) { continue; } next += ","; } } next += base64VLQ.encode(mapping.generatedColumn - previousGeneratedColumn); previousGeneratedColumn = mapping.generatedColumn; if (mapping.source != null) { sourceIdx = this._sources.indexOf(mapping.source); next += base64VLQ.encode(sourceIdx - previousSource); previousSource = sourceIdx; next += base64VLQ.encode(mapping.originalLine - 1 - previousOriginalLine); previousOriginalLine = mapping.originalLine - 1; next += base64VLQ.encode(mapping.originalColumn - previousOriginalColumn); previousOriginalColumn = mapping.originalColumn; if (mapping.name != null) { nameIdx = this._names.indexOf(mapping.name); next += base64VLQ.encode(nameIdx - previousName); previousName = nameIdx; } } result += next; } return result; }; SourceMapGenerator.prototype._generateSourcesContent = function SourceMapGenerator_generateSourcesContent(aSources, aSourceRoot) { return aSources.map(function(source) { if (!this._sourcesContents) { return null; } if (aSourceRoot != null) { source = util5.relative(aSourceRoot, source); } var key = util5.toSetString(source); return Object.prototype.hasOwnProperty.call(this._sourcesContents, key) ? this._sourcesContents[key] : null; }, this); }; SourceMapGenerator.prototype.toJSON = function SourceMapGenerator_toJSON() { var map = { version: this._version, sources: this._sources.toArray(), names: this._names.toArray(), mappings: this._serializeMappings() }; if (this._file != null) { map.file = this._file; } if (this._sourceRoot != null) { map.sourceRoot = this._sourceRoot; } if (this._sourcesContents) { map.sourcesContent = this._generateSourcesContent(map.sources, map.sourceRoot); } return map; }; SourceMapGenerator.prototype.toString = function SourceMapGenerator_toString() { return JSON.stringify(this.toJSON()); }; exports2.SourceMapGenerator = SourceMapGenerator; } }); // node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/binary-search.js var require_binary_search = __commonJS({ "node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/binary-search.js"(exports2) { exports2.GREATEST_LOWER_BOUND = 1; exports2.LEAST_UPPER_BOUND = 2; function recursiveSearch(aLow, aHigh, aNeedle, aHaystack, aCompare, aBias) { var mid = Math.floor((aHigh - aLow) / 2) + aLow; var cmp = aCompare(aNeedle, aHaystack[mid], true); if (cmp === 0) { return mid; } else if (cmp > 0) { if (aHigh - mid > 1) { return recursiveSearch(mid, aHigh, aNeedle, aHaystack, aCompare, aBias); } if (aBias == exports2.LEAST_UPPER_BOUND) { return aHigh < aHaystack.length ? aHigh : -1; } else { return mid; } } else { if (mid - aLow > 1) { return recursiveSearch(aLow, mid, aNeedle, aHaystack, aCompare, aBias); } if (aBias == exports2.LEAST_UPPER_BOUND) { return mid; } else { return aLow < 0 ? -1 : aLow; } } } exports2.search = function search(aNeedle, aHaystack, aCompare, aBias) { if (aHaystack.length === 0) { return -1; } var index = recursiveSearch( -1, aHaystack.length, aNeedle, aHaystack, aCompare, aBias || exports2.GREATEST_LOWER_BOUND ); if (index < 0) { return -1; } while (index - 1 >= 0) { if (aCompare(aHaystack[index], aHaystack[index - 1], true) !== 0) { break; } --index; } return index; }; } }); // node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/quick-sort.js var require_quick_sort = __commonJS({ "node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/quick-sort.js"(exports2) { function swap(ary, x, y) { var temp = ary[x]; ary[x] = ary[y]; ary[y] = temp; } function randomIntInRange(low, high) { return Math.round(low + Math.random() * (high - low)); } function doQuickSort(ary, comparator, p, r) { if (p < r) { var pivotIndex = randomIntInRange(p, r); var i = p - 1; swap(ary, pivotIndex, r); var pivot = ary[r]; for (var j = p; j < r; j++) { if (comparator(ary[j], pivot) <= 0) { i += 1; swap(ary, i, j); } } swap(ary, i + 1, j); var q = i + 1; doQuickSort(ary, comparator, p, q - 1); doQuickSort(ary, comparator, q + 1, r); } } exports2.quickSort = function(ary, comparator) { doQuickSort(ary, comparator, 0, ary.length - 1); }; } }); // node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/source-map-consumer.js var require_source_map_consumer = __commonJS({ "node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/source-map-consumer.js"(exports2) { var util5 = require_util3(); var binarySearch = require_binary_search(); var ArraySet = require_array_set().ArraySet; var base64VLQ = require_base64_vlq(); var quickSort = require_quick_sort().quickSort; function SourceMapConsumer(aSourceMap, aSourceMapURL) { var sourceMap = aSourceMap; if (typeof aSourceMap === "string") { sourceMap = util5.parseSourceMapInput(aSourceMap); } return sourceMap.sections != null ? new IndexedSourceMapConsumer(sourceMap, aSourceMapURL) : new BasicSourceMapConsumer(sourceMap, aSourceMapURL); } SourceMapConsumer.fromSourceMap = function(aSourceMap, aSourceMapURL) { return BasicSourceMapConsumer.fromSourceMap(aSourceMap, aSourceMapURL); }; SourceMapConsumer.prototype._version = 3; SourceMapConsumer.prototype.__generatedMappings = null; Object.defineProperty(SourceMapConsumer.prototype, "_generatedMappings", { configurable: true, enumerable: true, get: function() { if (!this.__generatedMappings) { this._parseMappings(this._mappings, this.sourceRoot); } return this.__generatedMappings; } }); SourceMapConsumer.prototype.__originalMappings = null; Object.defineProperty(SourceMapConsumer.prototype, "_originalMappings", { configurable: true, enumerable: true, get: function() { if (!this.__originalMappings) { this._parseMappings(this._mappings, this.sourceRoot); } return this.__originalMappings; } }); SourceMapConsumer.prototype._charIsMappingSeparator = function SourceMapConsumer_charIsMappingSeparator(aStr, index) { var c = aStr.charAt(index); return c === ";" || c === ","; }; SourceMapConsumer.prototype._parseMappings = function SourceMapConsumer_parseMappings(aStr, aSourceRoot) { throw new Error("Subclasses must implement _parseMappings"); }; SourceMapConsumer.GENERATED_ORDER = 1; SourceMapConsumer.ORIGINAL_ORDER = 2; SourceMapConsumer.GREATEST_LOWER_BOUND = 1; SourceMapConsumer.LEAST_UPPER_BOUND = 2; SourceMapConsumer.prototype.eachMapping = function SourceMapConsumer_eachMapping(aCallback, aContext, aOrder) { var context = aContext || null; var order = aOrder || SourceMapConsumer.GENERATED_ORDER; var mappings; switch (order) { case SourceMapConsumer.GENERATED_ORDER: mappings = this._generatedMappings; break; case SourceMapConsumer.ORIGINAL_ORDER: mappings = this._originalMappings; break; default: throw new Error("Unknown order of iteration."); } var sourceRoot = this.sourceRoot; mappings.map(function(mapping) { var source = mapping.source === null ? null : this._sources.at(mapping.source); source = util5.computeSourceURL(sourceRoot, source, this._sourceMapURL); return { source, generatedLine: mapping.generatedLine, generatedColumn: mapping.generatedColumn, originalLine: mapping.originalLine, originalColumn: mapping.originalColumn, name: mapping.name === null ? null : this._names.at(mapping.name) }; }, this).forEach(aCallback, context); }; SourceMapConsumer.prototype.allGeneratedPositionsFor = function SourceMapConsumer_allGeneratedPositionsFor(aArgs) { var line = util5.getArg(aArgs, "line"); var needle = { source: util5.getArg(aArgs, "source"), originalLine: line, originalColumn: util5.getArg(aArgs, "column", 0) }; needle.source = this._findSourceIndex(needle.source); if (needle.source < 0) { return []; } var mappings = []; var index = this._findMapping( needle, this._originalMappings, "originalLine", "originalColumn", util5.compareByOriginalPositions, binarySearch.LEAST_UPPER_BOUND ); if (index >= 0) { var mapping = this._originalMappings[index]; if (aArgs.column === void 0) { var originalLine = mapping.originalLine; while (mapping && mapping.originalLine === originalLine) { mappings.push({ line: util5.getArg(mapping, "generatedLine", null), column: util5.getArg(mapping, "generatedColumn", null), lastColumn: util5.getArg(mapping, "lastGeneratedColumn", null) }); mapping = this._originalMappings[++index]; } } else { var originalColumn = mapping.originalColumn; while (mapping && mapping.originalLine === line && mapping.originalColumn == originalColumn) { mappings.push({ line: util5.getArg(mapping, "generatedLine", null), column: util5.getArg(mapping, "generatedColumn", null), lastColumn: util5.getArg(mapping, "lastGeneratedColumn", null) }); mapping = this._originalMappings[++index]; } } } return mappings; }; exports2.SourceMapConsumer = SourceMapConsumer; function BasicSourceMapConsumer(aSourceMap, aSourceMapURL) { var sourceMap = aSourceMap; if (typeof aSourceMap === "string") { sourceMap = util5.parseSourceMapInput(aSourceMap); } var version = util5.getArg(sourceMap, "version"); var sources = util5.getArg(sourceMap, "sources"); var names = util5.getArg(sourceMap, "names", []); var sourceRoot = util5.getArg(sourceMap, "sourceRoot", null); var sourcesContent = util5.getArg(sourceMap, "sourcesContent", null); var mappings = util5.getArg(sourceMap, "mappings"); var file = util5.getArg(sourceMap, "file", null); if (version != this._version) { throw new Error("Unsupported version: " + version); } if (sourceRoot) { sourceRoot = util5.normalize(sourceRoot); } sources = sources.map(String).map(util5.normalize).map(function(source) { return sourceRoot && util5.isAbsolute(sourceRoot) && util5.isAbsolute(source) ? util5.relative(sourceRoot, source) : source; }); this._names = ArraySet.fromArray(names.map(String), true); this._sources = ArraySet.fromArray(sources, true); this._absoluteSources = this._sources.toArray().map(function(s) { return util5.computeSourceURL(sourceRoot, s, aSourceMapURL); }); this.sourceRoot = sourceRoot; this.sourcesContent = sourcesContent; this._mappings = mappings; this._sourceMapURL = aSourceMapURL; this.file = file; } BasicSourceMapConsumer.prototype = Object.create(SourceMapConsumer.prototype); BasicSourceMapConsumer.prototype.consumer = SourceMapConsumer; BasicSourceMapConsumer.prototype._findSourceIndex = function(aSource) { var relativeSource = aSource; if (this.sourceRoot != null) { relativeSource = util5.relative(this.sourceRoot, relativeSource); } if (this._sources.has(relativeSource)) { return this._sources.indexOf(relativeSource); } var i; for (i = 0; i < this._absoluteSources.length; ++i) { if (this._absoluteSources[i] == aSource) { return i; } } return -1; }; BasicSourceMapConsumer.fromSourceMap = function SourceMapConsumer_fromSourceMap(aSourceMap, aSourceMapURL) { var smc = Object.create(BasicSourceMapConsumer.prototype); var names = smc._names = ArraySet.fromArray(aSourceMap._names.toArray(), true); var sources = smc._sources = ArraySet.fromArray(aSourceMap._sources.toArray(), true); smc.sourceRoot = aSourceMap._sourceRoot; smc.sourcesContent = aSourceMap._generateSourcesContent( smc._sources.toArray(), smc.sourceRoot ); smc.file = aSourceMap._file; smc._sourceMapURL = aSourceMapURL; smc._absoluteSources = smc._sources.toArray().map(function(s) { return util5.computeSourceURL(smc.sourceRoot, s, aSourceMapURL); }); var generatedMappings = aSourceMap._mappings.toArray().slice(); var destGeneratedMappings = smc.__generatedMappings = []; var destOriginalMappings = smc.__originalMappings = []; for (var i = 0, length = generatedMappings.length; i < length; i++) { var srcMapping = generatedMappings[i]; var destMapping = new Mapping(); destMapping.generatedLine = srcMapping.generatedLine; destMapping.generatedColumn = srcMapping.generatedColumn; if (srcMapping.source) { destMapping.source = sources.indexOf(srcMapping.source); destMapping.originalLine = srcMapping.originalLine; destMapping.originalColumn = srcMapping.originalColumn; if (srcMapping.name) { destMapping.name = names.indexOf(srcMapping.name); } destOriginalMappings.push(destMapping); } destGeneratedMappings.push(destMapping); } quickSort(smc.__originalMappings, util5.compareByOriginalPositions); return smc; }; BasicSourceMapConsumer.prototype._version = 3; Object.defineProperty(BasicSourceMapConsumer.prototype, "sources", { get: function() { return this._absoluteSources.slice(); } }); function Mapping() { this.generatedLine = 0; this.generatedColumn = 0; this.source = null; this.originalLine = null; this.originalColumn = null; this.name = null; } BasicSourceMapConsumer.prototype._parseMappings = function SourceMapConsumer_parseMappings(aStr, aSourceRoot) { var generatedLine = 1; var previousGeneratedColumn = 0; var previousOriginalLine = 0; var previousOriginalColumn = 0; var previousSource = 0; var previousName = 0; var length = aStr.length; var index = 0; var cachedSegments = {}; var temp = {}; var originalMappings = []; var generatedMappings = []; var mapping, str, segment, end, value; while (index < length) { if (aStr.charAt(index) === ";") { generatedLine++; index++; previousGeneratedColumn = 0; } else if (aStr.charAt(index) === ",") { index++; } else { mapping = new Mapping(); mapping.generatedLine = generatedLine; for (end = index; end < length; end++) { if (this._charIsMappingSeparator(aStr, end)) { break; } } str = aStr.slice(index, end); segment = cachedSegments[str]; if (segment) { index += str.length; } else { segment = []; while (index < end) { base64VLQ.decode(aStr, index, temp); value = temp.value; index = temp.rest; segment.push(value); } if (segment.length === 2) { throw new Error("Found a source, but no line and column"); } if (segment.length === 3) { throw new Error("Found a source and line, but no column"); } cachedSegments[str] = segment; } mapping.generatedColumn = previousGeneratedColumn + segment[0]; previousGeneratedColumn = mapping.generatedColumn; if (segment.length > 1) { mapping.source = previousSource + segment[1]; previousSource += segment[1]; mapping.originalLine = previousOriginalLine + segment[2]; previousOriginalLine = mapping.originalLine; mapping.originalLine += 1; mapping.originalColumn = previousOriginalColumn + segment[3]; previousOriginalColumn = mapping.originalColumn; if (segment.length > 4) { mapping.name = previousName + segment[4]; previousName += segment[4]; } } generatedMappings.push(mapping); if (typeof mapping.originalLine === "number") { originalMappings.push(mapping); } } } quickSort(generatedMappings, util5.compareByGeneratedPositionsDeflated); this.__generatedMappings = generatedMappings; quickSort(originalMappings, util5.compareByOriginalPositions); this.__originalMappings = originalMappings; }; BasicSourceMapConsumer.prototype._findMapping = function SourceMapConsumer_findMapping(aNeedle, aMappings, aLineName, aColumnName, aComparator, aBias) { if (aNeedle[aLineName] <= 0) { throw new TypeError("Line must be greater than or equal to 1, got " + aNeedle[aLineName]); } if (aNeedle[aColumnName] < 0) { throw new TypeError("Column must be greater than or equal to 0, got " + aNeedle[aColumnName]); } return binarySearch.search(aNeedle, aMappings, aComparator, aBias); }; BasicSourceMapConsumer.prototype.computeColumnSpans = function SourceMapConsumer_computeColumnSpans() { for (var index = 0; index < this._generatedMappings.length; ++index) { var mapping = this._generatedMappings[index]; if (index + 1 < this._generatedMappings.length) { var nextMapping = this._generatedMappings[index + 1]; if (mapping.generatedLine === nextMapping.generatedLine) { mapping.lastGeneratedColumn = nextMapping.generatedColumn - 1; continue; } } mapping.lastGeneratedColumn = Infinity; } }; BasicSourceMapConsumer.prototype.originalPositionFor = function SourceMapConsumer_originalPositionFor(aArgs) { var needle = { generatedLine: util5.getArg(aArgs, "line"), generatedColumn: util5.getArg(aArgs, "column") }; var index = this._findMapping( needle, this._generatedMappings, "generatedLine", "generatedColumn", util5.compareByGeneratedPositionsDeflated, util5.getArg(aArgs, "bias", SourceMapConsumer.GREATEST_LOWER_BOUND) ); if (index >= 0) { var mapping = this._generatedMappings[index]; if (mapping.generatedLine === needle.generatedLine) { var source = util5.getArg(mapping, "source", null); if (source !== null) { source = this._sources.at(source); source = util5.computeSourceURL(this.sourceRoot, source, this._sourceMapURL); } var name = util5.getArg(mapping, "name", null); if (name !== null) { name = this._names.at(name); } return { source, line: util5.getArg(mapping, "originalLine", null), column: util5.getArg(mapping, "originalColumn", null), name }; } } return { source: null, line: null, column: null, name: null }; }; BasicSourceMapConsumer.prototype.hasContentsOfAllSources = function BasicSourceMapConsumer_hasContentsOfAllSources() { if (!this.sourcesContent) { return false; } return this.sourcesContent.length >= this._sources.size() && !this.sourcesContent.some(function(sc) { return sc == null; }); }; BasicSourceMapConsumer.prototype.sourceContentFor = function SourceMapConsumer_sourceContentFor(aSource, nullOnMissing) { if (!this.sourcesContent) { return null; } var index = this._findSourceIndex(aSource); if (index >= 0) { return this.sourcesContent[index]; } var relativeSource = aSource; if (this.sourceRoot != null) { relativeSource = util5.relative(this.sourceRoot, relativeSource); } var url; if (this.sourceRoot != null && (url = util5.urlParse(this.sourceRoot))) { var fileUriAbsPath = relativeSource.replace(/^file:\/\//, ""); if (url.scheme == "file" && this._sources.has(fileUriAbsPath)) { return this.sourcesContent[this._sources.indexOf(fileUriAbsPath)]; } if ((!url.path || url.path == "/") && this._sources.has("/" + relativeSource)) { return this.sourcesContent[this._sources.indexOf("/" + relativeSource)]; } } if (nullOnMissing) { return null; } else { throw new Error('"' + relativeSource + '" is not in the SourceMap.'); } }; BasicSourceMapConsumer.prototype.generatedPositionFor = function SourceMapConsumer_generatedPositionFor(aArgs) { var source = util5.getArg(aArgs, "source"); source = this._findSourceIndex(source); if (source < 0) { return { line: null, column: null, lastColumn: null }; } var needle = { source, originalLine: util5.getArg(aArgs, "line"), originalColumn: util5.getArg(aArgs, "column") }; var index = this._findMapping( needle, this._originalMappings, "originalLine", "originalColumn", util5.compareByOriginalPositions, util5.getArg(aArgs, "bias", SourceMapConsumer.GREATEST_LOWER_BOUND) ); if (index >= 0) { var mapping = this._originalMappings[index]; if (mapping.source === needle.source) { return { line: util5.getArg(mapping, "generatedLine", null), column: util5.getArg(mapping, "generatedColumn", null), lastColumn: util5.getArg(mapping, "lastGeneratedColumn", null) }; } } return { line: null, column: null, lastColumn: null }; }; exports2.BasicSourceMapConsumer = BasicSourceMapConsumer; function IndexedSourceMapConsumer(aSourceMap, aSourceMapURL) { var sourceMap = aSourceMap; if (typeof aSourceMap === "string") { sourceMap = util5.parseSourceMapInput(aSourceMap); } var version = util5.getArg(sourceMap, "version"); var sections = util5.getArg(sourceMap, "sections"); if (version != this._version) { throw new Error("Unsupported version: " + version); } this._sources = new ArraySet(); this._names = new ArraySet(); var lastOffset = { line: -1, column: 0 }; this._sections = sections.map(function(s) { if (s.url) { throw new Error("Support for url field in sections not implemented."); } var offset = util5.getArg(s, "offset"); var offsetLine = util5.getArg(offset, "line"); var offsetColumn = util5.getArg(offset, "column"); if (offsetLine < lastOffset.line || offsetLine === lastOffset.line && offsetColumn < lastOffset.column) { throw new Error("Section offsets must be ordered and non-overlapping."); } lastOffset = offset; return { generatedOffset: { // The offset fields are 0-based, but we use 1-based indices when // encoding/decoding from VLQ. generatedLine: offsetLine + 1, generatedColumn: offsetColumn + 1 }, consumer: new SourceMapConsumer(util5.getArg(s, "map"), aSourceMapURL) }; }); } IndexedSourceMapConsumer.prototype = Object.create(SourceMapConsumer.prototype); IndexedSourceMapConsumer.prototype.constructor = SourceMapConsumer; IndexedSourceMapConsumer.prototype._version = 3; Object.defineProperty(IndexedSourceMapConsumer.prototype, "sources", { get: function() { var sources = []; for (var i = 0; i < this._sections.length; i++) { for (var j = 0; j < this._sections[i].consumer.sources.length; j++) { sources.push(this._sections[i].consumer.sources[j]); } } return sources; } }); IndexedSourceMapConsumer.prototype.originalPositionFor = function IndexedSourceMapConsumer_originalPositionFor(aArgs) { var needle = { generatedLine: util5.getArg(aArgs, "line"), generatedColumn: util5.getArg(aArgs, "column") }; var sectionIndex = binarySearch.search( needle, this._sections, function(needle2, section2) { var cmp = needle2.generatedLine - section2.generatedOffset.generatedLine; if (cmp) { return cmp; } return needle2.generatedColumn - section2.generatedOffset.generatedColumn; } ); var section = this._sections[sectionIndex]; if (!section) { return { source: null, line: null, column: null, name: null }; } return section.consumer.originalPositionFor({ line: needle.generatedLine - (section.generatedOffset.generatedLine - 1), column: needle.generatedColumn - (section.generatedOffset.generatedLine === needle.generatedLine ? section.generatedOffset.generatedColumn - 1 : 0), bias: aArgs.bias }); }; IndexedSourceMapConsumer.prototype.hasContentsOfAllSources = function IndexedSourceMapConsumer_hasContentsOfAllSources() { return this._sections.every(function(s) { return s.consumer.hasContentsOfAllSources(); }); }; IndexedSourceMapConsumer.prototype.sourceContentFor = function IndexedSourceMapConsumer_sourceContentFor(aSource, nullOnMissing) { for (var i = 0; i < this._sections.length; i++) { var section = this._sections[i]; var content = section.consumer.sourceContentFor(aSource, true); if (content) { return content; } } if (nullOnMissing) { return null; } else { throw new Error('"' + aSource + '" is not in the SourceMap.'); } }; IndexedSourceMapConsumer.prototype.generatedPositionFor = function IndexedSourceMapConsumer_generatedPositionFor(aArgs) { for (var i = 0; i < this._sections.length; i++) { var section = this._sections[i]; if (section.consumer._findSourceIndex(util5.getArg(aArgs, "source")) === -1) { continue; } var generatedPosition = section.consumer.generatedPositionFor(aArgs); if (generatedPosition) { var ret = { line: generatedPosition.line + (section.generatedOffset.generatedLine - 1), column: generatedPosition.column + (section.generatedOffset.generatedLine === generatedPosition.line ? section.generatedOffset.generatedColumn - 1 : 0) }; return ret; } } return { line: null, column: null }; }; IndexedSourceMapConsumer.prototype._parseMappings = function IndexedSourceMapConsumer_parseMappings(aStr, aSourceRoot) { this.__generatedMappings = []; this.__originalMappings = []; for (var i = 0; i < this._sections.length; i++) { var section = this._sections[i]; var sectionMappings = section.consumer._generatedMappings; for (var j = 0; j < sectionMappings.length; j++) { var mapping = sectionMappings[j]; var source = section.consumer._sources.at(mapping.source); source = util5.computeSourceURL(section.consumer.sourceRoot, source, this._sourceMapURL); this._sources.add(source); source = this._sources.indexOf(source); var name = null; if (mapping.name) { name = section.consumer._names.at(mapping.name); this._names.add(name); name = this._names.indexOf(name); } var adjustedMapping = { source, generatedLine: mapping.generatedLine + (section.generatedOffset.generatedLine - 1), generatedColumn: mapping.generatedColumn + (section.generatedOffset.generatedLine === mapping.generatedLine ? section.generatedOffset.generatedColumn - 1 : 0), originalLine: mapping.originalLine, originalColumn: mapping.originalColumn, name }; this.__generatedMappings.push(adjustedMapping); if (typeof adjustedMapping.originalLine === "number") { this.__originalMappings.push(adjustedMapping); } } } quickSort(this.__generatedMappings, util5.compareByGeneratedPositionsDeflated); quickSort(this.__originalMappings, util5.compareByOriginalPositions); }; exports2.IndexedSourceMapConsumer = IndexedSourceMapConsumer; } }); // node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/source-node.js var require_source_node = __commonJS({ "node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/lib/source-node.js"(exports2) { var SourceMapGenerator = require_source_map_generator().SourceMapGenerator; var util5 = require_util3(); var REGEX_NEWLINE = /(\r?\n)/; var NEWLINE_CODE = 10; var isSourceNode = "$$$isSourceNode$$$"; function SourceNode(aLine, aColumn, aSource, aChunks, aName) { this.children = []; this.sourceContents = {}; this.line = aLine == null ? null : aLine; this.column = aColumn == null ? null : aColumn; this.source = aSource == null ? null : aSource; this.name = aName == null ? null : aName; this[isSourceNode] = true; if (aChunks != null) this.add(aChunks); } SourceNode.fromStringWithSourceMap = function SourceNode_fromStringWithSourceMap(aGeneratedCode, aSourceMapConsumer, aRelativePath) { var node = new SourceNode(); var remainingLines = aGeneratedCode.split(REGEX_NEWLINE); var remainingLinesIndex = 0; var shiftNextLine = function() { var lineContents = getNextLine(); var newLine = getNextLine() || ""; return lineContents + newLine; function getNextLine() { return remainingLinesIndex < remainingLines.length ? remainingLines[remainingLinesIndex++] : void 0; } }; var lastGeneratedLine = 1, lastGeneratedColumn = 0; var lastMapping = null; aSourceMapConsumer.eachMapping(function(mapping) { if (lastMapping !== null) { if (lastGeneratedLine < mapping.generatedLine) { addMappingWithCode(lastMapping, shiftNextLine()); lastGeneratedLine++; lastGeneratedColumn = 0; } else { var nextLine = remainingLines[remainingLinesIndex] || ""; var code = nextLine.substr(0, mapping.generatedColumn - lastGeneratedColumn); remainingLines[remainingLinesIndex] = nextLine.substr(mapping.generatedColumn - lastGeneratedColumn); lastGeneratedColumn = mapping.generatedColumn; addMappingWithCode(lastMapping, code); lastMapping = mapping; return; } } while (lastGeneratedLine < mapping.generatedLine) { node.add(shiftNextLine()); lastGeneratedLine++; } if (lastGeneratedColumn < mapping.generatedColumn) { var nextLine = remainingLines[remainingLinesIndex] || ""; node.add(nextLine.substr(0, mapping.generatedColumn)); remainingLines[remainingLinesIndex] = nextLine.substr(mapping.generatedColumn); lastGeneratedColumn = mapping.generatedColumn; } lastMapping = mapping; }, this); if (remainingLinesIndex < remainingLines.length) { if (lastMapping) { addMappingWithCode(lastMapping, shiftNextLine()); } node.add(remainingLines.splice(remainingLinesIndex).join("")); } aSourceMapConsumer.sources.forEach(function(sourceFile) { var content = aSourceMapConsumer.sourceContentFor(sourceFile); if (content != null) { if (aRelativePath != null) { sourceFile = util5.join(aRelativePath, sourceFile); } node.setSourceContent(sourceFile, content); } }); return node; function addMappingWithCode(mapping, code) { if (mapping === null || mapping.source === void 0) { node.add(code); } else { var source = aRelativePath ? util5.join(aRelativePath, mapping.source) : mapping.source; node.add(new SourceNode( mapping.originalLine, mapping.originalColumn, source, code, mapping.name )); } } }; SourceNode.prototype.add = function SourceNode_add(aChunk) { if (Array.isArray(aChunk)) { aChunk.forEach(function(chunk) { this.add(chunk); }, this); } else if (aChunk[isSourceNode] || typeof aChunk === "string") { if (aChunk) { this.children.push(aChunk); } } else { throw new TypeError( "Expected a SourceNode, string, or an array of SourceNodes and strings. Got " + aChunk ); } return this; }; SourceNode.prototype.prepend = function SourceNode_prepend(aChunk) { if (Array.isArray(aChunk)) { for (var i = aChunk.length - 1; i >= 0; i--) { this.prepend(aChunk[i]); } } else if (aChunk[isSourceNode] || typeof aChunk === "string") { this.children.unshift(aChunk); } else { throw new TypeError( "Expected a SourceNode, string, or an array of SourceNodes and strings. Got " + aChunk ); } return this; }; SourceNode.prototype.walk = function SourceNode_walk(aFn) { var chunk; for (var i = 0, len = this.children.length; i < len; i++) { chunk = this.children[i]; if (chunk[isSourceNode]) { chunk.walk(aFn); } else { if (chunk !== "") { aFn(chunk, { source: this.source, line: this.line, column: this.column, name: this.name }); } } } }; SourceNode.prototype.join = function SourceNode_join(aSep) { var newChildren; var i; var len = this.children.length; if (len > 0) { newChildren = []; for (i = 0; i < len - 1; i++) { newChildren.push(this.children[i]); newChildren.push(aSep); } newChildren.push(this.children[i]); this.children = newChildren; } return this; }; SourceNode.prototype.replaceRight = function SourceNode_replaceRight(aPattern, aReplacement) { var lastChild = this.children[this.children.length - 1]; if (lastChild[isSourceNode]) { lastChild.replaceRight(aPattern, aReplacement); } else if (typeof lastChild === "string") { this.children[this.children.length - 1] = lastChild.replace(aPattern, aReplacement); } else { this.children.push("".replace(aPattern, aReplacement)); } return this; }; SourceNode.prototype.setSourceContent = function SourceNode_setSourceContent(aSourceFile, aSourceContent) { this.sourceContents[util5.toSetString(aSourceFile)] = aSourceContent; }; SourceNode.prototype.walkSourceContents = function SourceNode_walkSourceContents(aFn) { for (var i = 0, len = this.children.length; i < len; i++) { if (this.children[i][isSourceNode]) { this.children[i].walkSourceContents(aFn); } } var sources = Object.keys(this.sourceContents); for (var i = 0, len = sources.length; i < len; i++) { aFn(util5.fromSetString(sources[i]), this.sourceContents[sources[i]]); } }; SourceNode.prototype.toString = function SourceNode_toString() { var str = ""; this.walk(function(chunk) { str += chunk; }); return str; }; SourceNode.prototype.toStringWithSourceMap = function SourceNode_toStringWithSourceMap(aArgs) { var generated = { code: "", line: 1, column: 0 }; var map = new SourceMapGenerator(aArgs); var sourceMappingActive = false; var lastOriginalSource = null; var lastOriginalLine = null; var lastOriginalColumn = null; var lastOriginalName = null; this.walk(function(chunk, original) { generated.code += chunk; if (original.source !== null && original.line !== null && original.column !== null) { if (lastOriginalSource !== original.source || lastOriginalLine !== original.line || lastOriginalColumn !== original.column || lastOriginalName !== original.name) { map.addMapping({ source: original.source, original: { line: original.line, column: original.column }, generated: { line: generated.line, column: generated.column }, name: original.name }); } lastOriginalSource = original.source; lastOriginalLine = original.line; lastOriginalColumn = original.column; lastOriginalName = original.name; sourceMappingActive = true; } else if (sourceMappingActive) { map.addMapping({ generated: { line: generated.line, column: generated.column } }); lastOriginalSource = null; sourceMappingActive = false; } for (var idx = 0, length = chunk.length; idx < length; idx++) { if (chunk.charCodeAt(idx) === NEWLINE_CODE) { generated.line++; generated.column = 0; if (idx + 1 === length) { lastOriginalSource = null; sourceMappingActive = false; } else if (sourceMappingActive) { map.addMapping({ source: original.source, original: { line: original.line, column: original.column }, generated: { line: generated.line, column: generated.column }, name: original.name }); } } else { generated.column++; } } }); this.walkSourceContents(function(sourceFile, sourceContent) { map.setSourceContent(sourceFile, sourceContent); }); return { code: generated.code, map }; }; exports2.SourceNode = SourceNode; } }); // node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/source-map.js var require_source_map = __commonJS({ "node_modules/.pnpm/source-map@0.6.1/node_modules/source-map/source-map.js"(exports2) { exports2.SourceMapGenerator = require_source_map_generator().SourceMapGenerator; exports2.SourceMapConsumer = require_source_map_consumer().SourceMapConsumer; exports2.SourceNode = require_source_node().SourceNode; } }); // node_modules/.pnpm/buffer-from@1.1.2/node_modules/buffer-from/index.js var require_buffer_from = __commonJS({ "node_modules/.pnpm/buffer-from@1.1.2/node_modules/buffer-from/index.js"(exports2, module2) { var toString2 = Object.prototype.toString; var isModern = typeof Buffer !== "undefined" && typeof Buffer.alloc === "function" && typeof Buffer.allocUnsafe === "function" && typeof Buffer.from === "function"; function isArrayBuffer(input) { return toString2.call(input).slice(8, -1) === "ArrayBuffer"; } function fromArrayBuffer(obj, byteOffset, length) { byteOffset >>>= 0; var maxLength = obj.byteLength - byteOffset; if (maxLength < 0) { throw new RangeError("'offset' is out of bounds"); } if (length === void 0) { length = maxLength; } else { length >>>= 0; if (length > maxLength) { throw new RangeError("'length' is out of bounds"); } } return isModern ? Buffer.from(obj.slice(byteOffset, byteOffset + length)) : new Buffer(new Uint8Array(obj.slice(byteOffset, byteOffset + length))); } function fromString(string, encoding) { if (typeof encoding !== "string" || encoding === "") { encoding = "utf8"; } if (!Buffer.isEncoding(encoding)) { throw new TypeError('"encoding" must be a valid string encoding'); } return isModern ? Buffer.from(string, encoding) : new Buffer(string, encoding); } function bufferFrom(value, encodingOrOffset, length) { if (typeof value === "number") { throw new TypeError('"value" argument must not be a number'); } if (isArrayBuffer(value)) { return fromArrayBuffer(value, encodingOrOffset, length); } if (typeof value === "string") { return fromString(value, encodingOrOffset); } return isModern ? Buffer.from(value) : new Buffer(value); } module2.exports = bufferFrom; } }); // node_modules/.pnpm/source-map-support@0.5.19/node_modules/source-map-support/source-map-support.js var require_source_map_support = __commonJS({ "node_modules/.pnpm/source-map-support@0.5.19/node_modules/source-map-support/source-map-support.js"(exports2, module2) { var SourceMapConsumer = require_source_map().SourceMapConsumer; var path17 = require("path"); var fs4; try { fs4 = require("fs"); if (!fs4.existsSync || !fs4.readFileSync) { fs4 = null; } } catch (err) { } var bufferFrom = require_buffer_from(); function dynamicRequire(mod, request) { return mod.require(request); } var errorFormatterInstalled = false; var uncaughtShimInstalled = false; var emptyCacheBetweenOperations = false; var environment = "auto"; var fileContentsCache = {}; var sourceMapCache = {}; var reSourceMap = /^data:application\/json[^,]+base64,/; var retrieveFileHandlers = []; var retrieveMapHandlers = []; function isInBrowser() { if (environment === "browser") return true; if (environment === "node") return false; return typeof window !== "undefined" && typeof XMLHttpRequest === "function" && !(window.require && window.module && window.process && window.process.type === "renderer"); } function hasGlobalProcessEventEmitter() { return typeof process === "object" && process !== null && typeof process.on === "function"; } function handlerExec(list) { return function(arg) { for (var i = 0; i < list.length; i++) { var ret = list[i](arg); if (ret) { return ret; } } return null; }; } var retrieveFile = handlerExec(retrieveFileHandlers); retrieveFileHandlers.push(function(path18) { path18 = path18.trim(); if (/^file:/.test(path18)) { path18 = path18.replace(/file:\/\/\/(\w:)?/, function(protocol, drive) { return drive ? "" : ( // file:///C:/dir/file -> C:/dir/file "/" ); }); } if (path18 in fileContentsCache) { return fileContentsCache[path18]; } var contents = ""; try { if (!fs4) { var xhr = new XMLHttpRequest(); xhr.open( "GET", path18, /** async */ false ); xhr.send(null); if (xhr.readyState === 4 && xhr.status === 200) { contents = xhr.responseText; } } else if (fs4.existsSync(path18)) { contents = fs4.readFileSync(path18, "utf8"); } } catch (er) { } return fileContentsCache[path18] = contents; }); function supportRelativeURL(file, url) { if (!file) return url; var dir = path17.dirname(file); var match = /^\w+:\/\/[^\/]*/.exec(dir); var protocol = match ? match[0] : ""; var startPath = dir.slice(protocol.length); if (protocol && /^\/\w\:/.test(startPath)) { protocol += "/"; return protocol + path17.resolve(dir.slice(protocol.length), url).replace(/\\/g, "/"); } return protocol + path17.resolve(dir.slice(protocol.length), url); } function retrieveSourceMapURL(source) { var fileData; if (isInBrowser()) { try { var xhr = new XMLHttpRequest(); xhr.open("GET", source, false); xhr.send(null); fileData = xhr.readyState === 4 ? xhr.responseText : null; var sourceMapHeader = xhr.getResponseHeader("SourceMap") || xhr.getResponseHeader("X-SourceMap"); if (sourceMapHeader) { return sourceMapHeader; } } catch (e) { } } fileData = retrieveFile(source); var re = /(?:\/\/[@#][\s]*sourceMappingURL=([^\s'"]+)[\s]*$)|(?:\/\*[@#][\s]*sourceMappingURL=([^\s*'"]+)[\s]*(?:\*\/)[\s]*$)/mg; var lastMatch, match; while (match = re.exec(fileData)) lastMatch = match; if (!lastMatch) return null; return lastMatch[1]; } var retrieveSourceMap = handlerExec(retrieveMapHandlers); retrieveMapHandlers.push(function(source) { var sourceMappingURL = retrieveSourceMapURL(source); if (!sourceMappingURL) return null; var sourceMapData; if (reSourceMap.test(sourceMappingURL)) { var rawData = sourceMappingURL.slice(sourceMappingURL.indexOf(",") + 1); sourceMapData = bufferFrom(rawData, "base64").toString(); sourceMappingURL = source; } else { sourceMappingURL = supportRelativeURL(source, sourceMappingURL); sourceMapData = retrieveFile(sourceMappingURL); } if (!sourceMapData) { return null; } return { url: sourceMappingURL, map: sourceMapData }; }); function mapSourcePosition(position) { var sourceMap = sourceMapCache[position.source]; if (!sourceMap) { var urlAndMap = retrieveSourceMap(position.source); if (urlAndMap) { sourceMap = sourceMapCache[position.source] = { url: urlAndMap.url, map: new SourceMapConsumer(urlAndMap.map) }; if (sourceMap.map.sourcesContent) { sourceMap.map.sources.forEach(function(source, i) { var contents = sourceMap.map.sourcesContent[i]; if (contents) { var url = supportRelativeURL(sourceMap.url, source); fileContentsCache[url] = contents; } }); } } else { sourceMap = sourceMapCache[position.source] = { url: null, map: null }; } } if (sourceMap && sourceMap.map && typeof sourceMap.map.originalPositionFor === "function") { var originalPosition = sourceMap.map.originalPositionFor(position); if (originalPosition.source !== null) { originalPosition.source = supportRelativeURL( sourceMap.url, originalPosition.source ); return originalPosition; } } return position; } function mapEvalOrigin(origin) { var match = /^eval at ([^(]+) \((.+):(\d+):(\d+)\)$/.exec(origin); if (match) { var position = mapSourcePosition({ source: match[2], line: +match[3], column: match[4] - 1 }); return "eval at " + match[1] + " (" + position.source + ":" + position.line + ":" + (position.column + 1) + ")"; } match = /^eval at ([^(]+) \((.+)\)$/.exec(origin); if (match) { return "eval at " + match[1] + " (" + mapEvalOrigin(match[2]) + ")"; } return origin; } function CallSiteToString() { var fileName; var fileLocation = ""; if (this.isNative()) { fileLocation = "native"; } else { fileName = this.getScriptNameOrSourceURL(); if (!fileName && this.isEval()) { fileLocation = this.getEvalOrigin(); fileLocation += ", "; } if (fileName) { fileLocation += fileName; } else { fileLocation += ""; } var lineNumber = this.getLineNumber(); if (lineNumber != null) { fileLocation += ":" + lineNumber; var columnNumber = this.getColumnNumber(); if (columnNumber) { fileLocation += ":" + columnNumber; } } } var line = ""; var functionName = this.getFunctionName(); var addSuffix = true; var isConstructor = this.isConstructor(); var isMethodCall2 = !(this.isToplevel() || isConstructor); if (isMethodCall2) { var typeName = this.getTypeName(); if (typeName === "[object Object]") { typeName = "null"; } var methodName = this.getMethodName(); if (functionName) { if (typeName && functionName.indexOf(typeName) != 0) { line += typeName + "."; } line += functionName; if (methodName && functionName.indexOf("." + methodName) != functionName.length - methodName.length - 1) { line += " [as " + methodName + "]"; } } else { line += typeName + "." + (methodName || ""); } } else if (isConstructor) { line += "new " + (functionName || ""); } else if (functionName) { line += functionName; } else { line += fileLocation; addSuffix = false; } if (addSuffix) { line += " (" + fileLocation + ")"; } return line; } function cloneCallSite(frame) { var object = {}; Object.getOwnPropertyNames(Object.getPrototypeOf(frame)).forEach(function(name) { object[name] = /^(?:is|get)/.test(name) ? function() { return frame[name].call(frame); } : frame[name]; }); object.toString = CallSiteToString; return object; } function wrapCallSite(frame, state) { if (state === void 0) { state = { nextPosition: null, curPosition: null }; } if (frame.isNative()) { state.curPosition = null; return frame; } var source = frame.getFileName() || frame.getScriptNameOrSourceURL(); if (source) { var line = frame.getLineNumber(); var column = frame.getColumnNumber() - 1; var noHeader = /^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)/; var headerLength = noHeader.test(process.version) ? 0 : 62; if (line === 1 && column > headerLength && !isInBrowser() && !frame.isEval()) { column -= headerLength; } var position = mapSourcePosition({ source, line, column }); state.curPosition = position; frame = cloneCallSite(frame); var originalFunctionName = frame.getFunctionName; frame.getFunctionName = function() { if (state.nextPosition == null) { return originalFunctionName(); } return state.nextPosition.name || originalFunctionName(); }; frame.getFileName = function() { return position.source; }; frame.getLineNumber = function() { return position.line; }; frame.getColumnNumber = function() { return position.column + 1; }; frame.getScriptNameOrSourceURL = function() { return position.source; }; return frame; } var origin = frame.isEval() && frame.getEvalOrigin(); if (origin) { origin = mapEvalOrigin(origin); frame = cloneCallSite(frame); frame.getEvalOrigin = function() { return origin; }; return frame; } return frame; } function prepareStackTrace(error, stack) { if (emptyCacheBetweenOperations) { fileContentsCache = {}; sourceMapCache = {}; } var name = error.name || "Error"; var message = error.message || ""; var errorString = name + ": " + message; var state = { nextPosition: null, curPosition: null }; var processedStack = []; for (var i = stack.length - 1; i >= 0; i--) { processedStack.push("\n at " + wrapCallSite(stack[i], state)); state.nextPosition = state.curPosition; } state.curPosition = state.nextPosition = null; return errorString + processedStack.reverse().join(""); } function getErrorSource(error) { var match = /\n at [^(]+ \((.*):(\d+):(\d+)\)/.exec(error.stack); if (match) { var source = match[1]; var line = +match[2]; var column = +match[3]; var contents = fileContentsCache[source]; if (!contents && fs4 && fs4.existsSync(source)) { try { contents = fs4.readFileSync(source, "utf8"); } catch (er) { contents = ""; } } if (contents) { var code = contents.split(/(?:\r\n|\r|\n)/)[line - 1]; if (code) { return source + ":" + line + "\n" + code + "\n" + new Array(column).join(" ") + "^"; } } } return null; } function printErrorAndExit(error) { var source = getErrorSource(error); if (process.stderr._handle && process.stderr._handle.setBlocking) { process.stderr._handle.setBlocking(true); } if (source) { console.error(); console.error(source); } console.error(error.stack); process.exit(1); } function shimEmitUncaughtException() { var origEmit = process.emit; process.emit = function(type) { if (type === "uncaughtException") { var hasStack = arguments[1] && arguments[1].stack; var hasListeners = this.listeners(type).length > 0; if (hasStack && !hasListeners) { return printErrorAndExit(arguments[1]); } } return origEmit.apply(this, arguments); }; } var originalRetrieveFileHandlers = retrieveFileHandlers.slice(0); var originalRetrieveMapHandlers = retrieveMapHandlers.slice(0); exports2.wrapCallSite = wrapCallSite; exports2.getErrorSource = getErrorSource; exports2.mapSourcePosition = mapSourcePosition; exports2.retrieveSourceMap = retrieveSourceMap; exports2.install = function(options) { options = options || {}; if (options.environment) { environment = options.environment; if (["node", "browser", "auto"].indexOf(environment) === -1) { throw new Error("environment " + environment + " was unknown. Available options are {auto, browser, node}"); } } if (options.retrieveFile) { if (options.overrideRetrieveFile) { retrieveFileHandlers.length = 0; } retrieveFileHandlers.unshift(options.retrieveFile); } if (options.retrieveSourceMap) { if (options.overrideRetrieveSourceMap) { retrieveMapHandlers.length = 0; } retrieveMapHandlers.unshift(options.retrieveSourceMap); } if (options.hookRequire && !isInBrowser()) { var Module2 = dynamicRequire(module2, "module"); var $compile = Module2.prototype._compile; if (!$compile.__sourceMapSupport) { Module2.prototype._compile = function(content, filename) { fileContentsCache[filename] = content; sourceMapCache[filename] = void 0; return $compile.call(this, content, filename); }; Module2.prototype._compile.__sourceMapSupport = true; } } if (!emptyCacheBetweenOperations) { emptyCacheBetweenOperations = "emptyCacheBetweenOperations" in options ? options.emptyCacheBetweenOperations : false; } if (!errorFormatterInstalled) { errorFormatterInstalled = true; Error.prepareStackTrace = prepareStackTrace; } if (!uncaughtShimInstalled) { var installHandler = "handleUncaughtExceptions" in options ? options.handleUncaughtExceptions : true; try { var worker_threads = dynamicRequire(module2, "worker_threads"); if (worker_threads.isMainThread === false) { installHandler = false; } } catch (e) { } if (installHandler && hasGlobalProcessEventEmitter()) { uncaughtShimInstalled = true; shimEmitUncaughtException(); } } }; exports2.resetRetrieveHandlers = function() { retrieveFileHandlers.length = 0; retrieveMapHandlers.length = 0; retrieveFileHandlers = originalRetrieveFileHandlers.slice(0); retrieveMapHandlers = originalRetrieveMapHandlers.slice(0); retrieveSourceMap = handlerExec(retrieveMapHandlers); retrieveFile = handlerExec(retrieveFileHandlers); }; } }); // node_modules/.pnpm/typescript@5.5.3/node_modules/typescript/lib/typescript.js var require_typescript = __commonJS({ "node_modules/.pnpm/typescript@5.5.3/node_modules/typescript/lib/typescript.js"(exports2, module2) { var ts = {}; ((module3) => { "use strict"; var __defProp2 = Object.defineProperty; var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor; var __getOwnPropNames2 = Object.getOwnPropertyNames; var __hasOwnProp2 = Object.prototype.hasOwnProperty; var __export2 = (target, all) => { for (var name in all) __defProp2(target, name, { get: all[name], enumerable: true }); }; var __copyProps2 = (to, from, except, desc) => { if (from && typeof from === "object" || typeof from === "function") { for (let key of __getOwnPropNames2(from)) if (!__hasOwnProp2.call(to, key) && key !== except) __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable }); } return to; }; var __toCommonJS2 = (mod) => (__copyProps2, mod); var typescript_exports = {}; __export2(typescript_exports, { ANONYMOUS: () => ANONYMOUS, AccessFlags: () => AccessFlags, AssertionLevel: () => AssertionLevel, AssignmentDeclarationKind: () => AssignmentDeclarationKind, AssignmentKind: () => AssignmentKind, Associativity: () => Associativity, BreakpointResolver: () => ts_BreakpointResolver_exports, BuilderFileEmit: () => BuilderFileEmit, BuilderProgramKind: () => BuilderProgramKind, BuilderState: () => BuilderState, CallHierarchy: () => ts_CallHierarchy_exports, CharacterCodes: () => CharacterCodes, CheckFlags: () => CheckFlags, CheckMode: () => CheckMode, ClassificationType: () => ClassificationType, ClassificationTypeNames: () => ClassificationTypeNames, CommentDirectiveType: () => CommentDirectiveType, Comparison: () => Comparison, CompletionInfoFlags: () => CompletionInfoFlags, CompletionTriggerKind: () => CompletionTriggerKind, Completions: () => ts_Completions_exports, ContainerFlags: () => ContainerFlags, ContextFlags: () => ContextFlags, Debug: () => Debug, DiagnosticCategory: () => DiagnosticCategory, Diagnostics: () => Diagnostics, DocumentHighlights: () => DocumentHighlights, ElementFlags: () => ElementFlags, EmitFlags: () => EmitFlags, EmitHint: () => EmitHint, EmitOnly: () => EmitOnly, EndOfLineState: () => EndOfLineState, ExitStatus: () => ExitStatus, ExportKind: () => ExportKind, Extension: () => Extension, ExternalEmitHelpers: () => ExternalEmitHelpers, FileIncludeKind: () => FileIncludeKind, FilePreprocessingDiagnosticsKind: () => FilePreprocessingDiagnosticsKind, FileSystemEntryKind: () => FileSystemEntryKind, FileWatcherEventKind: () => FileWatcherEventKind, FindAllReferences: () => ts_FindAllReferences_exports, FlattenLevel: () => FlattenLevel, FlowFlags: () => FlowFlags, ForegroundColorEscapeSequences: () => ForegroundColorEscapeSequences, FunctionFlags: () => FunctionFlags, GeneratedIdentifierFlags: () => GeneratedIdentifierFlags, GetLiteralTextFlags: () => GetLiteralTextFlags, GoToDefinition: () => ts_GoToDefinition_exports, HighlightSpanKind: () => HighlightSpanKind, IdentifierNameMap: () => IdentifierNameMap, IdentifierNameMultiMap: () => IdentifierNameMultiMap, ImportKind: () => ImportKind, ImportsNotUsedAsValues: () => ImportsNotUsedAsValues, IndentStyle: () => IndentStyle, IndexFlags: () => IndexFlags, IndexKind: () => IndexKind, InferenceFlags: () => InferenceFlags, InferencePriority: () => InferencePriority, InlayHintKind: () => InlayHintKind2, InlayHints: () => ts_InlayHints_exports, InternalEmitFlags: () => InternalEmitFlags, InternalSymbolName: () => InternalSymbolName, IntersectionFlags: () => IntersectionFlags, InvalidatedProjectKind: () => InvalidatedProjectKind, JSDocParsingMode: () => JSDocParsingMode, JsDoc: () => ts_JsDoc_exports, JsTyping: () => ts_JsTyping_exports, JsxEmit: () => JsxEmit, JsxFlags: () => JsxFlags, JsxReferenceKind: () => JsxReferenceKind, LanguageFeatureMinimumTarget: () => LanguageFeatureMinimumTarget, LanguageServiceMode: () => LanguageServiceMode, LanguageVariant: () => LanguageVariant, LexicalEnvironmentFlags: () => LexicalEnvironmentFlags, ListFormat: () => ListFormat, LogLevel: () => LogLevel2, MapCode: () => ts_MapCode_exports, MemberOverrideStatus: () => MemberOverrideStatus, ModifierFlags: () => ModifierFlags, ModuleDetectionKind: () => ModuleDetectionKind, ModuleInstanceState: () => ModuleInstanceState, ModuleKind: () => ModuleKind, ModuleResolutionKind: () => ModuleResolutionKind, ModuleSpecifierEnding: () => ModuleSpecifierEnding, NavigateTo: () => ts_NavigateTo_exports, NavigationBar: () => ts_NavigationBar_exports, NewLineKind: () => NewLineKind, NodeBuilderFlags: () => NodeBuilderFlags, NodeCheckFlags: () => NodeCheckFlags, NodeFactoryFlags: () => NodeFactoryFlags, NodeFlags: () => NodeFlags, NodeResolutionFeatures: () => NodeResolutionFeatures, ObjectFlags: () => ObjectFlags, OperationCanceledException: () => OperationCanceledException, OperatorPrecedence: () => OperatorPrecedence, OrganizeImports: () => ts_OrganizeImports_exports, OrganizeImportsMode: () => OrganizeImportsMode, OuterExpressionKinds: () => OuterExpressionKinds, OutliningElementsCollector: () => ts_OutliningElementsCollector_exports, OutliningSpanKind: () => OutliningSpanKind, OutputFileType: () => OutputFileType, PackageJsonAutoImportPreference: () => PackageJsonAutoImportPreference, PackageJsonDependencyGroup: () => PackageJsonDependencyGroup, PatternMatchKind: () => PatternMatchKind, PollingInterval: () => PollingInterval, PollingWatchKind: () => PollingWatchKind, PragmaKindFlags: () => PragmaKindFlags, PrivateIdentifierKind: () => PrivateIdentifierKind, ProcessLevel: () => ProcessLevel, ProgramUpdateLevel: () => ProgramUpdateLevel, QuotePreference: () => QuotePreference, RegularExpressionFlags: () => RegularExpressionFlags, RelationComparisonResult: () => RelationComparisonResult, Rename: () => ts_Rename_exports, ScriptElementKind: () => ScriptElementKind, ScriptElementKindModifier: () => ScriptElementKindModifier, ScriptKind: () => ScriptKind, ScriptSnapshot: () => ScriptSnapshot, ScriptTarget: () => ScriptTarget, SemanticClassificationFormat: () => SemanticClassificationFormat, SemanticMeaning: () => SemanticMeaning, SemicolonPreference: () => SemicolonPreference, SignatureCheckMode: () => SignatureCheckMode, SignatureFlags: () => SignatureFlags, SignatureHelp: () => ts_SignatureHelp_exports, SignatureInfo: () => SignatureInfo, SignatureKind: () => SignatureKind, SmartSelectionRange: () => ts_SmartSelectionRange_exports, SnippetKind: () => SnippetKind, StatisticType: () => StatisticType, StructureIsReused: () => StructureIsReused, SymbolAccessibility: () => SymbolAccessibility, SymbolDisplay: () => ts_SymbolDisplay_exports, SymbolDisplayPartKind: () => SymbolDisplayPartKind, SymbolFlags: () => SymbolFlags, SymbolFormatFlags: () => SymbolFormatFlags, SyntaxKind: () => SyntaxKind, SyntheticSymbolKind: () => SyntheticSymbolKind, Ternary: () => Ternary, ThrottledCancellationToken: () => ThrottledCancellationToken, TokenClass: () => TokenClass, TokenFlags: () => TokenFlags, TransformFlags: () => TransformFlags, TypeFacts: () => TypeFacts, TypeFlags: () => TypeFlags, TypeFormatFlags: () => TypeFormatFlags, TypeMapKind: () => TypeMapKind, TypePredicateKind: () => TypePredicateKind, TypeReferenceSerializationKind: () => TypeReferenceSerializationKind, UnionReduction: () => UnionReduction, UpToDateStatusType: () => UpToDateStatusType, VarianceFlags: () => VarianceFlags, Version: () => Version, VersionRange: () => VersionRange, WatchDirectoryFlags: () => WatchDirectoryFlags, WatchDirectoryKind: () => WatchDirectoryKind, WatchFileKind: () => WatchFileKind, WatchLogLevel: () => WatchLogLevel, WatchType: () => WatchType, accessPrivateIdentifier: () => accessPrivateIdentifier, addDisposableResourceHelper: () => addDisposableResourceHelper, addEmitFlags: () => addEmitFlags, addEmitHelper: () => addEmitHelper, addEmitHelpers: () => addEmitHelpers, addInternalEmitFlags: () => addInternalEmitFlags, addNodeFactoryPatcher: () => addNodeFactoryPatcher, addObjectAllocatorPatcher: () => addObjectAllocatorPatcher, addRange: () => addRange, addRelatedInfo: () => addRelatedInfo, addSyntheticLeadingComment: () => addSyntheticLeadingComment, addSyntheticTrailingComment: () => addSyntheticTrailingComment, addToSeen: () => addToSeen, advancedAsyncSuperHelper: () => advancedAsyncSuperHelper, affectsDeclarationPathOptionDeclarations: () => affectsDeclarationPathOptionDeclarations, affectsEmitOptionDeclarations: () => affectsEmitOptionDeclarations, allKeysStartWithDot: () => allKeysStartWithDot, altDirectorySeparator: () => altDirectorySeparator, and: () => and, append: () => append, appendIfUnique: () => appendIfUnique, arrayFrom: () => arrayFrom, arrayIsEqualTo: () => arrayIsEqualTo, arrayIsHomogeneous: () => arrayIsHomogeneous, arrayIsSorted: () => arrayIsSorted, arrayOf: () => arrayOf, arrayReverseIterator: () => arrayReverseIterator, arrayToMap: () => arrayToMap, arrayToMultiMap: () => arrayToMultiMap, arrayToNumericMap: () => arrayToNumericMap, arraysEqual: () => arraysEqual, assertType: () => assertType, assign: () => assign, assignHelper: () => assignHelper, asyncDelegator: () => asyncDelegator, asyncGeneratorHelper: () => asyncGeneratorHelper, asyncSuperHelper: () => asyncSuperHelper, asyncValues: () => asyncValues, attachFileToDiagnostics: () => attachFileToDiagnostics, awaitHelper: () => awaitHelper, awaiterHelper: () => awaiterHelper, base64decode: () => base64decode, base64encode: () => base64encode, binarySearch: () => binarySearch, binarySearchKey: () => binarySearchKey, bindSourceFile: () => bindSourceFile, breakIntoCharacterSpans: () => breakIntoCharacterSpans, breakIntoWordSpans: () => breakIntoWordSpans, buildLinkParts: () => buildLinkParts, buildOpts: () => buildOpts, buildOverload: () => buildOverload, bundlerModuleNameResolver: () => bundlerModuleNameResolver, canBeConvertedToAsync: () => canBeConvertedToAsync, canHaveDecorators: () => canHaveDecorators, canHaveExportModifier: () => canHaveExportModifier, canHaveFlowNode: () => canHaveFlowNode, canHaveIllegalDecorators: () => canHaveIllegalDecorators, canHaveIllegalModifiers: () => canHaveIllegalModifiers, canHaveIllegalType: () => canHaveIllegalType, canHaveIllegalTypeParameters: () => canHaveIllegalTypeParameters, canHaveJSDoc: () => canHaveJSDoc, canHaveLocals: () => canHaveLocals, canHaveModifiers: () => canHaveModifiers, canHaveSymbol: () => canHaveSymbol, canIncludeBindAndCheckDiagnsotics: () => canIncludeBindAndCheckDiagnsotics, canJsonReportNoInputFiles: () => canJsonReportNoInputFiles, canProduceDiagnostics: () => canProduceDiagnostics, canUsePropertyAccess: () => canUsePropertyAccess, canWatchAffectingLocation: () => canWatchAffectingLocation, canWatchAtTypes: () => canWatchAtTypes, canWatchDirectoryOrFile: () => canWatchDirectoryOrFile, cartesianProduct: () => cartesianProduct, cast: () => cast, chainBundle: () => chainBundle, chainDiagnosticMessages: () => chainDiagnosticMessages, changeAnyExtension: () => changeAnyExtension, changeCompilerHostLikeToUseCache: () => changeCompilerHostLikeToUseCache, changeExtension: () => changeExtension, changeFullExtension: () => changeFullExtension, changesAffectModuleResolution: () => changesAffectModuleResolution, changesAffectingProgramStructure: () => changesAffectingProgramStructure, characterToRegularExpressionFlag: () => characterToRegularExpressionFlag, childIsDecorated: () => childIsDecorated, classElementOrClassElementParameterIsDecorated: () => classElementOrClassElementParameterIsDecorated, classHasClassThisAssignment: () => classHasClassThisAssignment, classHasDeclaredOrExplicitlyAssignedName: () => classHasDeclaredOrExplicitlyAssignedName, classHasExplicitlyAssignedName: () => classHasExplicitlyAssignedName, classOrConstructorParameterIsDecorated: () => classOrConstructorParameterIsDecorated, classPrivateFieldGetHelper: () => classPrivateFieldGetHelper, classPrivateFieldInHelper: () => classPrivateFieldInHelper, classPrivateFieldSetHelper: () => classPrivateFieldSetHelper, classicNameResolver: () => classicNameResolver, classifier: () => ts_classifier_exports, cleanExtendedConfigCache: () => cleanExtendedConfigCache, clear: () => clear, clearMap: () => clearMap, clearSharedExtendedConfigFileWatcher: () => clearSharedExtendedConfigFileWatcher, climbPastPropertyAccess: () => climbPastPropertyAccess, climbPastPropertyOrElementAccess: () => climbPastPropertyOrElementAccess, clone: () => clone, cloneCompilerOptions: () => cloneCompilerOptions, closeFileWatcher: () => closeFileWatcher, closeFileWatcherOf: () => closeFileWatcherOf, codefix: () => ts_codefix_exports, collapseTextChangeRangesAcrossMultipleVersions: () => collapseTextChangeRangesAcrossMultipleVersions, collectExternalModuleInfo: () => collectExternalModuleInfo, combine: () => combine, combinePaths: () => combinePaths, commandLineOptionOfCustomType: () => commandLineOptionOfCustomType, commentPragmas: () => commentPragmas, commonOptionsWithBuild: () => commonOptionsWithBuild, commonPackageFolders: () => commonPackageFolders, compact: () => compact, compareBooleans: () => compareBooleans, compareDataObjects: () => compareDataObjects, compareDiagnostics: () => compareDiagnostics, compareDiagnosticsSkipRelatedInformation: () => compareDiagnosticsSkipRelatedInformation, compareEmitHelpers: () => compareEmitHelpers, compareNumberOfDirectorySeparators: () => compareNumberOfDirectorySeparators, comparePaths: () => comparePaths, comparePathsCaseInsensitive: () => comparePathsCaseInsensitive, comparePathsCaseSensitive: () => comparePathsCaseSensitive, comparePatternKeys: () => comparePatternKeys, compareProperties: () => compareProperties, compareStringsCaseInsensitive: () => compareStringsCaseInsensitive, compareStringsCaseInsensitiveEslintCompatible: () => compareStringsCaseInsensitiveEslintCompatible, compareStringsCaseSensitive: () => compareStringsCaseSensitive, compareStringsCaseSensitiveUI: () => compareStringsCaseSensitiveUI, compareTextSpans: () => compareTextSpans, compareValues: () => compareValues, compileOnSaveCommandLineOption: () => compileOnSaveCommandLineOption, compilerOptionsAffectDeclarationPath: () => compilerOptionsAffectDeclarationPath, compilerOptionsAffectEmit: () => compilerOptionsAffectEmit, compilerOptionsAffectSemanticDiagnostics: () => compilerOptionsAffectSemanticDiagnostics, compilerOptionsDidYouMeanDiagnostics: () => compilerOptionsDidYouMeanDiagnostics, compilerOptionsIndicateEsModules: () => compilerOptionsIndicateEsModules, compose: () => compose, computeCommonSourceDirectoryOfFilenames: () => computeCommonSourceDirectoryOfFilenames, computeLineAndCharacterOfPosition: () => computeLineAndCharacterOfPosition, computeLineOfPosition: () => computeLineOfPosition, computeLineStarts: () => computeLineStarts, computePositionOfLineAndCharacter: () => computePositionOfLineAndCharacter, computeSignature: () => computeSignature, computeSignatureWithDiagnostics: () => computeSignatureWithDiagnostics, computeSuggestionDiagnostics: () => computeSuggestionDiagnostics, computedOptions: () => computedOptions, concatenate: () => concatenate, concatenateDiagnosticMessageChains: () => concatenateDiagnosticMessageChains, configDirTemplateSubstitutionOptions: () => configDirTemplateSubstitutionOptions, configDirTemplateSubstitutionWatchOptions: () => configDirTemplateSubstitutionWatchOptions, consumesNodeCoreModules: () => consumesNodeCoreModules, contains: () => contains, containsIgnoredPath: () => containsIgnoredPath, containsObjectRestOrSpread: () => containsObjectRestOrSpread, containsParseError: () => containsParseError, containsPath: () => containsPath, convertCompilerOptionsForTelemetry: () => convertCompilerOptionsForTelemetry, convertCompilerOptionsFromJson: () => convertCompilerOptionsFromJson, convertJsonOption: () => convertJsonOption, convertToBase64: () => convertToBase64, convertToJson: () => convertToJson, convertToObject: () => convertToObject, convertToOptionsWithAbsolutePaths: () => convertToOptionsWithAbsolutePaths, convertToRelativePath: () => convertToRelativePath, convertToTSConfig: () => convertToTSConfig, convertTypeAcquisitionFromJson: () => convertTypeAcquisitionFromJson, copyComments: () => copyComments, copyEntries: () => copyEntries, copyLeadingComments: () => copyLeadingComments, copyProperties: () => copyProperties, copyTrailingAsLeadingComments: () => copyTrailingAsLeadingComments, copyTrailingComments: () => copyTrailingComments, couldStartTrivia: () => couldStartTrivia, countWhere: () => countWhere, createAbstractBuilder: () => createAbstractBuilder, createAccessorPropertyBackingField: () => createAccessorPropertyBackingField, createAccessorPropertyGetRedirector: () => createAccessorPropertyGetRedirector, createAccessorPropertySetRedirector: () => createAccessorPropertySetRedirector, createBaseNodeFactory: () => createBaseNodeFactory, createBinaryExpressionTrampoline: () => createBinaryExpressionTrampoline, createBindingHelper: () => createBindingHelper, createBuildInfo: () => createBuildInfo, createBuilderProgram: () => createBuilderProgram, createBuilderProgramUsingProgramBuildInfo: () => createBuilderProgramUsingProgramBuildInfo, createBuilderStatusReporter: () => createBuilderStatusReporter, createCacheWithRedirects: () => createCacheWithRedirects, createCacheableExportInfoMap: () => createCacheableExportInfoMap, createCachedDirectoryStructureHost: () => createCachedDirectoryStructureHost, createClassNamedEvaluationHelperBlock: () => createClassNamedEvaluationHelperBlock, createClassThisAssignmentBlock: () => createClassThisAssignmentBlock, createClassifier: () => createClassifier, createCommentDirectivesMap: () => createCommentDirectivesMap, createCompilerDiagnostic: () => createCompilerDiagnostic, createCompilerDiagnosticForInvalidCustomType: () => createCompilerDiagnosticForInvalidCustomType, createCompilerDiagnosticFromMessageChain: () => createCompilerDiagnosticFromMessageChain, createCompilerHost: () => createCompilerHost, createCompilerHostFromProgramHost: () => createCompilerHostFromProgramHost, createCompilerHostWorker: () => createCompilerHostWorker, createDetachedDiagnostic: () => createDetachedDiagnostic, createDiagnosticCollection: () => createDiagnosticCollection, createDiagnosticForFileFromMessageChain: () => createDiagnosticForFileFromMessageChain, createDiagnosticForNode: () => createDiagnosticForNode, createDiagnosticForNodeArray: () => createDiagnosticForNodeArray, createDiagnosticForNodeArrayFromMessageChain: () => createDiagnosticForNodeArrayFromMessageChain, createDiagnosticForNodeFromMessageChain: () => createDiagnosticForNodeFromMessageChain, createDiagnosticForNodeInSourceFile: () => createDiagnosticForNodeInSourceFile, createDiagnosticForRange: () => createDiagnosticForRange, createDiagnosticMessageChainFromDiagnostic: () => createDiagnosticMessageChainFromDiagnostic, createDiagnosticReporter: () => createDiagnosticReporter, createDocumentPositionMapper: () => createDocumentPositionMapper, createDocumentRegistry: () => createDocumentRegistry, createDocumentRegistryInternal: () => createDocumentRegistryInternal, createEmitAndSemanticDiagnosticsBuilderProgram: () => createEmitAndSemanticDiagnosticsBuilderProgram, createEmitHelperFactory: () => createEmitHelperFactory, createEmptyExports: () => createEmptyExports, createEvaluator: () => createEvaluator, createExpressionForJsxElement: () => createExpressionForJsxElement, createExpressionForJsxFragment: () => createExpressionForJsxFragment, createExpressionForObjectLiteralElementLike: () => createExpressionForObjectLiteralElementLike, createExpressionForPropertyName: () => createExpressionForPropertyName, createExpressionFromEntityName: () => createExpressionFromEntityName, createExternalHelpersImportDeclarationIfNeeded: () => createExternalHelpersImportDeclarationIfNeeded, createFileDiagnostic: () => createFileDiagnostic, createFileDiagnosticFromMessageChain: () => createFileDiagnosticFromMessageChain, createFlowNode: () => createFlowNode, createForOfBindingStatement: () => createForOfBindingStatement, createFutureSourceFile: () => createFutureSourceFile, createGetCanonicalFileName: () => createGetCanonicalFileName, createGetIsolatedDeclarationErrors: () => createGetIsolatedDeclarationErrors, createGetSourceFile: () => createGetSourceFile, createGetSymbolAccessibilityDiagnosticForNode: () => createGetSymbolAccessibilityDiagnosticForNode, createGetSymbolAccessibilityDiagnosticForNodeName: () => createGetSymbolAccessibilityDiagnosticForNodeName, createGetSymbolWalker: () => createGetSymbolWalker, createIncrementalCompilerHost: () => createIncrementalCompilerHost, createIncrementalProgram: () => createIncrementalProgram, createJsxFactoryExpression: () => createJsxFactoryExpression, createLanguageService: () => createLanguageService, createLanguageServiceSourceFile: () => createLanguageServiceSourceFile, createMemberAccessForPropertyName: () => createMemberAccessForPropertyName, createModeAwareCache: () => createModeAwareCache, createModeAwareCacheKey: () => createModeAwareCacheKey, createModuleNotFoundChain: () => createModuleNotFoundChain, createModuleResolutionCache: () => createModuleResolutionCache, createModuleResolutionLoader: () => createModuleResolutionLoader, createModuleResolutionLoaderUsingGlobalCache: () => createModuleResolutionLoaderUsingGlobalCache, createModuleSpecifierResolutionHost: () => createModuleSpecifierResolutionHost, createMultiMap: () => createMultiMap, createNameResolver: () => createNameResolver, createNodeConverters: () => createNodeConverters, createNodeFactory: () => createNodeFactory, createOptionNameMap: () => createOptionNameMap, createOverload: () => createOverload, createPackageJsonImportFilter: () => createPackageJsonImportFilter, createPackageJsonInfo: () => createPackageJsonInfo, createParenthesizerRules: () => createParenthesizerRules, createPatternMatcher: () => createPatternMatcher, createPrinter: () => createPrinter, createPrinterWithDefaults: () => createPrinterWithDefaults, createPrinterWithRemoveComments: () => createPrinterWithRemoveComments, createPrinterWithRemoveCommentsNeverAsciiEscape: () => createPrinterWithRemoveCommentsNeverAsciiEscape, createPrinterWithRemoveCommentsOmitTrailingSemicolon: () => createPrinterWithRemoveCommentsOmitTrailingSemicolon, createProgram: () => createProgram, createProgramHost: () => createProgramHost, createPropertyNameNodeForIdentifierOrLiteral: () => createPropertyNameNodeForIdentifierOrLiteral, createQueue: () => createQueue, createRange: () => createRange, createRedirectedBuilderProgram: () => createRedirectedBuilderProgram, createResolutionCache: () => createResolutionCache, createRuntimeTypeSerializer: () => createRuntimeTypeSerializer, createScanner: () => createScanner, createSemanticDiagnosticsBuilderProgram: () => createSemanticDiagnosticsBuilderProgram, createSet: () => createSet, createSolutionBuilder: () => createSolutionBuilder, createSolutionBuilderHost: () => createSolutionBuilderHost, createSolutionBuilderWithWatch: () => createSolutionBuilderWithWatch, createSolutionBuilderWithWatchHost: () => createSolutionBuilderWithWatchHost, createSortedArray: () => createSortedArray, createSourceFile: () => createSourceFile, createSourceMapGenerator: () => createSourceMapGenerator, createSourceMapSource: () => createSourceMapSource, createSuperAccessVariableStatement: () => createSuperAccessVariableStatement, createSymbolTable: () => createSymbolTable, createSymlinkCache: () => createSymlinkCache, createSyntacticTypeNodeBuilder: () => createSyntacticTypeNodeBuilder, createSystemWatchFunctions: () => createSystemWatchFunctions, createTextChange: () => createTextChange, createTextChangeFromStartLength: () => createTextChangeFromStartLength, createTextChangeRange: () => createTextChangeRange, createTextRangeFromNode: () => createTextRangeFromNode, createTextRangeFromSpan: () => createTextRangeFromSpan, createTextSpan: () => createTextSpan, createTextSpanFromBounds: () => createTextSpanFromBounds, createTextSpanFromNode: () => createTextSpanFromNode, createTextSpanFromRange: () => createTextSpanFromRange, createTextSpanFromStringLiteralLikeContent: () => createTextSpanFromStringLiteralLikeContent, createTextWriter: () => createTextWriter, createTokenRange: () => createTokenRange, createTypeChecker: () => createTypeChecker, createTypeReferenceDirectiveResolutionCache: () => createTypeReferenceDirectiveResolutionCache, createTypeReferenceResolutionLoader: () => createTypeReferenceResolutionLoader, createWatchCompilerHost: () => createWatchCompilerHost2, createWatchCompilerHostOfConfigFile: () => createWatchCompilerHostOfConfigFile, createWatchCompilerHostOfFilesAndCompilerOptions: () => createWatchCompilerHostOfFilesAndCompilerOptions, createWatchFactory: () => createWatchFactory, createWatchHost: () => createWatchHost, createWatchProgram: () => createWatchProgram, createWatchStatusReporter: () => createWatchStatusReporter, createWriteFileMeasuringIO: () => createWriteFileMeasuringIO, declarationNameToString: () => declarationNameToString, decodeMappings: () => decodeMappings, decodedTextSpanIntersectsWith: () => decodedTextSpanIntersectsWith, decorateHelper: () => decorateHelper, deduplicate: () => deduplicate, defaultIncludeSpec: () => defaultIncludeSpec, defaultInitCompilerOptions: () => defaultInitCompilerOptions, defaultMaximumTruncationLength: () => defaultMaximumTruncationLength, diagnosticCategoryName: () => diagnosticCategoryName, diagnosticToString: () => diagnosticToString, diagnosticsEqualityComparer: () => diagnosticsEqualityComparer, directoryProbablyExists: () => directoryProbablyExists, directorySeparator: () => directorySeparator, displayPart: () => displayPart, displayPartsToString: () => displayPartsToString, disposeEmitNodes: () => disposeEmitNodes, disposeResourcesHelper: () => disposeResourcesHelper, documentSpansEqual: () => documentSpansEqual, dumpTracingLegend: () => dumpTracingLegend, elementAt: () => elementAt, elideNodes: () => elideNodes, emitComments: () => emitComments, emitDetachedComments: () => emitDetachedComments, emitFiles: () => emitFiles, emitFilesAndReportErrors: () => emitFilesAndReportErrors, emitFilesAndReportErrorsAndGetExitStatus: () => emitFilesAndReportErrorsAndGetExitStatus, emitModuleKindIsNonNodeESM: () => emitModuleKindIsNonNodeESM, emitNewLineBeforeLeadingCommentOfPosition: () => emitNewLineBeforeLeadingCommentOfPosition, emitNewLineBeforeLeadingComments: () => emitNewLineBeforeLeadingComments, emitNewLineBeforeLeadingCommentsOfPosition: () => emitNewLineBeforeLeadingCommentsOfPosition, emitResolverSkipsTypeChecking: () => emitResolverSkipsTypeChecking, emitSkippedWithNoDiagnostics: () => emitSkippedWithNoDiagnostics, emptyArray: () => emptyArray, emptyFileSystemEntries: () => emptyFileSystemEntries, emptyMap: () => emptyMap, emptyOptions: () => emptyOptions, emptySet: () => emptySet, endsWith: () => endsWith, ensurePathIsNonModuleName: () => ensurePathIsNonModuleName, ensureScriptKind: () => ensureScriptKind, ensureTrailingDirectorySeparator: () => ensureTrailingDirectorySeparator, entityNameToString: () => entityNameToString, enumerateInsertsAndDeletes: () => enumerateInsertsAndDeletes, equalOwnProperties: () => equalOwnProperties, equateStringsCaseInsensitive: () => equateStringsCaseInsensitive, equateStringsCaseSensitive: () => equateStringsCaseSensitive, equateValues: () => equateValues, esDecorateHelper: () => esDecorateHelper, escapeJsxAttributeString: () => escapeJsxAttributeString, escapeLeadingUnderscores: () => escapeLeadingUnderscores, escapeNonAsciiString: () => escapeNonAsciiString, escapeSnippetText: () => escapeSnippetText, escapeString: () => escapeString2, escapeTemplateSubstitution: () => escapeTemplateSubstitution, evaluatorResult: () => evaluatorResult, every: () => every, executeCommandLine: () => executeCommandLine, expandPreOrPostfixIncrementOrDecrementExpression: () => expandPreOrPostfixIncrementOrDecrementExpression, explainFiles: () => explainFiles, explainIfFileIsRedirectAndImpliedFormat: () => explainIfFileIsRedirectAndImpliedFormat, exportAssignmentIsAlias: () => exportAssignmentIsAlias, exportStarHelper: () => exportStarHelper, expressionResultIsUnused: () => expressionResultIsUnused, extend: () => extend, extendsHelper: () => extendsHelper, extensionFromPath: () => extensionFromPath, extensionIsTS: () => extensionIsTS, extensionsNotSupportingExtensionlessResolution: () => extensionsNotSupportingExtensionlessResolution, externalHelpersModuleNameText: () => externalHelpersModuleNameText, factory: () => factory, fileExtensionIs: () => fileExtensionIs, fileExtensionIsOneOf: () => fileExtensionIsOneOf, fileIncludeReasonToDiagnostics: () => fileIncludeReasonToDiagnostics, fileShouldUseJavaScriptRequire: () => fileShouldUseJavaScriptRequire, filter: () => filter, filterMutate: () => filterMutate, filterSemanticDiagnostics: () => filterSemanticDiagnostics, find: () => find, findAncestor: () => findAncestor, findBestPatternMatch: () => findBestPatternMatch, findChildOfKind: () => findChildOfKind, findComputedPropertyNameCacheAssignment: () => findComputedPropertyNameCacheAssignment, findConfigFile: () => findConfigFile, findConstructorDeclaration: () => findConstructorDeclaration, findContainingList: () => findContainingList, findDiagnosticForNode: () => findDiagnosticForNode, findFirstNonJsxWhitespaceToken: () => findFirstNonJsxWhitespaceToken, findIndex: () => findIndex, findLast: () => findLast, findLastIndex: () => findLastIndex, findListItemInfo: () => findListItemInfo, findMap: () => findMap, findModifier: () => findModifier, findNextToken: () => findNextToken, findPackageJson: () => findPackageJson, findPackageJsons: () => findPackageJsons, findPrecedingMatchingToken: () => findPrecedingMatchingToken, findPrecedingToken: () => findPrecedingToken, findSuperStatementIndexPath: () => findSuperStatementIndexPath, findTokenOnLeftOfPosition: () => findTokenOnLeftOfPosition, findUseStrictPrologue: () => findUseStrictPrologue, first: () => first, firstDefined: () => firstDefined, firstDefinedIterator: () => firstDefinedIterator, firstIterator: () => firstIterator, firstOrOnly: () => firstOrOnly, firstOrUndefined: () => firstOrUndefined, firstOrUndefinedIterator: () => firstOrUndefinedIterator, fixupCompilerOptions: () => fixupCompilerOptions, flatMap: () => flatMap, flatMapIterator: () => flatMapIterator, flatMapToMutable: () => flatMapToMutable, flatten: () => flatten, flattenCommaList: () => flattenCommaList, flattenDestructuringAssignment: () => flattenDestructuringAssignment, flattenDestructuringBinding: () => flattenDestructuringBinding, flattenDiagnosticMessageText: () => flattenDiagnosticMessageText, forEach: () => forEach, forEachAncestor: () => forEachAncestor, forEachAncestorDirectory: () => forEachAncestorDirectory, forEachChild: () => forEachChild, forEachChildRecursively: () => forEachChildRecursively, forEachEmittedFile: () => forEachEmittedFile, forEachEnclosingBlockScopeContainer: () => forEachEnclosingBlockScopeContainer, forEachEntry: () => forEachEntry, forEachExternalModuleToImportFrom: () => forEachExternalModuleToImportFrom, forEachImportClauseDeclaration: () => forEachImportClauseDeclaration, forEachKey: () => forEachKey, forEachLeadingCommentRange: () => forEachLeadingCommentRange, forEachNameInAccessChainWalkingLeft: () => forEachNameInAccessChainWalkingLeft, forEachNameOfDefaultExport: () => forEachNameOfDefaultExport, forEachPropertyAssignment: () => forEachPropertyAssignment, forEachResolvedProjectReference: () => forEachResolvedProjectReference, forEachReturnStatement: () => forEachReturnStatement, forEachRight: () => forEachRight, forEachTrailingCommentRange: () => forEachTrailingCommentRange, forEachTsConfigPropArray: () => forEachTsConfigPropArray, forEachUnique: () => forEachUnique, forEachYieldExpression: () => forEachYieldExpression, forSomeAncestorDirectory: () => forSomeAncestorDirectory, formatColorAndReset: () => formatColorAndReset, formatDiagnostic: () => formatDiagnostic, formatDiagnostics: () => formatDiagnostics, formatDiagnosticsWithColorAndContext: () => formatDiagnosticsWithColorAndContext, formatGeneratedName: () => formatGeneratedName, formatGeneratedNamePart: () => formatGeneratedNamePart, formatLocation: () => formatLocation, formatMessage: () => formatMessage, formatStringFromArgs: () => formatStringFromArgs, formatting: () => ts_formatting_exports, fullTripleSlashAMDReferencePathRegEx: () => fullTripleSlashAMDReferencePathRegEx, fullTripleSlashReferencePathRegEx: () => fullTripleSlashReferencePathRegEx, generateDjb2Hash: () => generateDjb2Hash, generateTSConfig: () => generateTSConfig, generatorHelper: () => generatorHelper, getAdjustedReferenceLocation: () => getAdjustedReferenceLocation, getAdjustedRenameLocation: () => getAdjustedRenameLocation, getAliasDeclarationFromName: () => getAliasDeclarationFromName, getAllAccessorDeclarations: () => getAllAccessorDeclarations, getAllDecoratorsOfClass: () => getAllDecoratorsOfClass, getAllDecoratorsOfClassElement: () => getAllDecoratorsOfClassElement, getAllJSDocTags: () => getAllJSDocTags, getAllJSDocTagsOfKind: () => getAllJSDocTagsOfKind, getAllKeys: () => getAllKeys, getAllProjectOutputs: () => getAllProjectOutputs, getAllSuperTypeNodes: () => getAllSuperTypeNodes, getAllowJSCompilerOption: () => getAllowJSCompilerOption, getAllowSyntheticDefaultImports: () => getAllowSyntheticDefaultImports, getAncestor: () => getAncestor2, getAnyExtensionFromPath: () => getAnyExtensionFromPath, getAreDeclarationMapsEnabled: () => getAreDeclarationMapsEnabled, getAssignedExpandoInitializer: () => getAssignedExpandoInitializer, getAssignedName: () => getAssignedName, getAssignedNameOfIdentifier: () => getAssignedNameOfIdentifier, getAssignmentDeclarationKind: () => getAssignmentDeclarationKind, getAssignmentDeclarationPropertyAccessKind: () => getAssignmentDeclarationPropertyAccessKind, getAssignmentTargetKind: () => getAssignmentTargetKind, getAutomaticTypeDirectiveNames: () => getAutomaticTypeDirectiveNames, getBaseFileName: () => getBaseFileName, getBinaryOperatorPrecedence: () => getBinaryOperatorPrecedence, getBuildInfo: () => getBuildInfo, getBuildInfoFileVersionMap: () => getBuildInfoFileVersionMap, getBuildInfoText: () => getBuildInfoText, getBuildOrderFromAnyBuildOrder: () => getBuildOrderFromAnyBuildOrder, getBuilderCreationParameters: () => getBuilderCreationParameters, getBuilderFileEmit: () => getBuilderFileEmit, getCanonicalDiagnostic: () => getCanonicalDiagnostic, getCheckFlags: () => getCheckFlags, getClassExtendsHeritageElement: () => getClassExtendsHeritageElement, getClassLikeDeclarationOfSymbol: () => getClassLikeDeclarationOfSymbol, getCombinedLocalAndExportSymbolFlags: () => getCombinedLocalAndExportSymbolFlags, getCombinedModifierFlags: () => getCombinedModifierFlags, getCombinedNodeFlags: () => getCombinedNodeFlags, getCombinedNodeFlagsAlwaysIncludeJSDoc: () => getCombinedNodeFlagsAlwaysIncludeJSDoc, getCommentRange: () => getCommentRange, getCommonSourceDirectory: () => getCommonSourceDirectory, getCommonSourceDirectoryOfConfig: () => getCommonSourceDirectoryOfConfig, getCompilerOptionValue: () => getCompilerOptionValue, getCompilerOptionsDiffValue: () => getCompilerOptionsDiffValue, getConditions: () => getConditions, getConfigFileParsingDiagnostics: () => getConfigFileParsingDiagnostics, getConstantValue: () => getConstantValue, getContainerFlags: () => getContainerFlags, getContainerNode: () => getContainerNode, getContainingClass: () => getContainingClass, getContainingClassExcludingClassDecorators: () => getContainingClassExcludingClassDecorators, getContainingClassStaticBlock: () => getContainingClassStaticBlock, getContainingFunction: () => getContainingFunction, getContainingFunctionDeclaration: () => getContainingFunctionDeclaration, getContainingFunctionOrClassStaticBlock: () => getContainingFunctionOrClassStaticBlock, getContainingNodeArray: () => getContainingNodeArray, getContainingObjectLiteralElement: () => getContainingObjectLiteralElement, getContextualTypeFromParent: () => getContextualTypeFromParent, getContextualTypeFromParentOrAncestorTypeNode: () => getContextualTypeFromParentOrAncestorTypeNode, getCurrentTime: () => getCurrentTime, getDeclarationDiagnostics: () => getDeclarationDiagnostics, getDeclarationEmitExtensionForPath: () => getDeclarationEmitExtensionForPath, getDeclarationEmitOutputFilePath: () => getDeclarationEmitOutputFilePath, getDeclarationEmitOutputFilePathWorker: () => getDeclarationEmitOutputFilePathWorker, getDeclarationFileExtension: () => getDeclarationFileExtension, getDeclarationFromName: () => getDeclarationFromName, getDeclarationModifierFlagsFromSymbol: () => getDeclarationModifierFlagsFromSymbol, getDeclarationOfKind: () => getDeclarationOfKind, getDeclarationsOfKind: () => getDeclarationsOfKind, getDeclaredExpandoInitializer: () => getDeclaredExpandoInitializer, getDecorators: () => getDecorators, getDefaultCompilerOptions: () => getDefaultCompilerOptions2, getDefaultFormatCodeSettings: () => getDefaultFormatCodeSettings, getDefaultLibFileName: () => getDefaultLibFileName, getDefaultLibFilePath: () => getDefaultLibFilePath, getDefaultLikeExportInfo: () => getDefaultLikeExportInfo, getDefaultLikeExportNameFromDeclaration: () => getDefaultLikeExportNameFromDeclaration, getDiagnosticText: () => getDiagnosticText, getDiagnosticsWithinSpan: () => getDiagnosticsWithinSpan, getDirectoryPath: () => getDirectoryPath, getDirectoryToWatchFailedLookupLocation: () => getDirectoryToWatchFailedLookupLocation, getDirectoryToWatchFailedLookupLocationFromTypeRoot: () => getDirectoryToWatchFailedLookupLocationFromTypeRoot, getDocumentPositionMapper: () => getDocumentPositionMapper, getDocumentSpansEqualityComparer: () => getDocumentSpansEqualityComparer, getESModuleInterop: () => getESModuleInterop, getEditsForFileRename: () => getEditsForFileRename, getEffectiveBaseTypeNode: () => getEffectiveBaseTypeNode, getEffectiveConstraintOfTypeParameter: () => getEffectiveConstraintOfTypeParameter, getEffectiveContainerForJSDocTemplateTag: () => getEffectiveContainerForJSDocTemplateTag, getEffectiveImplementsTypeNodes: () => getEffectiveImplementsTypeNodes, getEffectiveInitializer: () => getEffectiveInitializer, getEffectiveJSDocHost: () => getEffectiveJSDocHost, getEffectiveModifierFlags: () => getEffectiveModifierFlags, getEffectiveModifierFlagsAlwaysIncludeJSDoc: () => getEffectiveModifierFlagsAlwaysIncludeJSDoc, getEffectiveModifierFlagsNoCache: () => getEffectiveModifierFlagsNoCache, getEffectiveReturnTypeNode: () => getEffectiveReturnTypeNode, getEffectiveSetAccessorTypeAnnotationNode: () => getEffectiveSetAccessorTypeAnnotationNode, getEffectiveTypeAnnotationNode: () => getEffectiveTypeAnnotationNode, getEffectiveTypeParameterDeclarations: () => getEffectiveTypeParameterDeclarations, getEffectiveTypeRoots: () => getEffectiveTypeRoots, getElementOrPropertyAccessArgumentExpressionOrName: () => getElementOrPropertyAccessArgumentExpressionOrName, getElementOrPropertyAccessName: () => getElementOrPropertyAccessName, getElementsOfBindingOrAssignmentPattern: () => getElementsOfBindingOrAssignmentPattern, getEmitDeclarations: () => getEmitDeclarations, getEmitFlags: () => getEmitFlags, getEmitHelpers: () => getEmitHelpers, getEmitModuleDetectionKind: () => getEmitModuleDetectionKind, getEmitModuleKind: () => getEmitModuleKind, getEmitModuleResolutionKind: () => getEmitModuleResolutionKind, getEmitScriptTarget: () => getEmitScriptTarget, getEmitStandardClassFields: () => getEmitStandardClassFields, getEnclosingBlockScopeContainer: () => getEnclosingBlockScopeContainer, getEnclosingContainer: () => getEnclosingContainer, getEncodedSemanticClassifications: () => getEncodedSemanticClassifications, getEncodedSyntacticClassifications: () => getEncodedSyntacticClassifications, getEndLinePosition: () => getEndLinePosition, getEntityNameFromTypeNode: () => getEntityNameFromTypeNode, getEntrypointsFromPackageJsonInfo: () => getEntrypointsFromPackageJsonInfo, getErrorCountForSummary: () => getErrorCountForSummary, getErrorSpanForNode: () => getErrorSpanForNode, getErrorSummaryText: () => getErrorSummaryText, getEscapedTextOfIdentifierOrLiteral: () => getEscapedTextOfIdentifierOrLiteral, getEscapedTextOfJsxAttributeName: () => getEscapedTextOfJsxAttributeName, getEscapedTextOfJsxNamespacedName: () => getEscapedTextOfJsxNamespacedName, getExpandoInitializer: () => getExpandoInitializer, getExportAssignmentExpression: () => getExportAssignmentExpression, getExportInfoMap: () => getExportInfoMap, getExportNeedsImportStarHelper: () => getExportNeedsImportStarHelper, getExpressionAssociativity: () => getExpressionAssociativity, getExpressionPrecedence: () => getExpressionPrecedence, getExternalHelpersModuleName: () => getExternalHelpersModuleName, getExternalModuleImportEqualsDeclarationExpression: () => getExternalModuleImportEqualsDeclarationExpression, getExternalModuleName: () => getExternalModuleName, getExternalModuleNameFromDeclaration: () => getExternalModuleNameFromDeclaration, getExternalModuleNameFromPath: () => getExternalModuleNameFromPath, getExternalModuleNameLiteral: () => getExternalModuleNameLiteral, getExternalModuleRequireArgument: () => getExternalModuleRequireArgument, getFallbackOptions: () => getFallbackOptions, getFileEmitOutput: () => getFileEmitOutput, getFileMatcherPatterns: () => getFileMatcherPatterns, getFileNamesFromConfigSpecs: () => getFileNamesFromConfigSpecs, getFileWatcherEventKind: () => getFileWatcherEventKind, getFilesInErrorForSummary: () => getFilesInErrorForSummary, getFirstConstructorWithBody: () => getFirstConstructorWithBody, getFirstIdentifier: () => getFirstIdentifier, getFirstNonSpaceCharacterPosition: () => getFirstNonSpaceCharacterPosition, getFirstProjectOutput: () => getFirstProjectOutput, getFixableErrorSpanExpression: () => getFixableErrorSpanExpression, getFormatCodeSettingsForWriting: () => getFormatCodeSettingsForWriting, getFullWidth: () => getFullWidth, getFunctionFlags: () => getFunctionFlags, getHeritageClause: () => getHeritageClause, getHostSignatureFromJSDoc: () => getHostSignatureFromJSDoc, getIdentifierAutoGenerate: () => getIdentifierAutoGenerate, getIdentifierGeneratedImportReference: () => getIdentifierGeneratedImportReference, getIdentifierTypeArguments: () => getIdentifierTypeArguments, getImmediatelyInvokedFunctionExpression: () => getImmediatelyInvokedFunctionExpression, getImpliedNodeFormatForFile: () => getImpliedNodeFormatForFile, getImpliedNodeFormatForFileWorker: () => getImpliedNodeFormatForFileWorker, getImportNeedsImportDefaultHelper: () => getImportNeedsImportDefaultHelper, getImportNeedsImportStarHelper: () => getImportNeedsImportStarHelper, getIndentSize: () => getIndentSize, getIndentString: () => getIndentString2, getInferredLibraryNameResolveFrom: () => getInferredLibraryNameResolveFrom, getInitializedVariables: () => getInitializedVariables, getInitializerOfBinaryExpression: () => getInitializerOfBinaryExpression, getInitializerOfBindingOrAssignmentElement: () => getInitializerOfBindingOrAssignmentElement, getInterfaceBaseTypeNodes: () => getInterfaceBaseTypeNodes, getInternalEmitFlags: () => getInternalEmitFlags, getInvokedExpression: () => getInvokedExpression, getIsolatedModules: () => getIsolatedModules, getJSDocAugmentsTag: () => getJSDocAugmentsTag, getJSDocClassTag: () => getJSDocClassTag, getJSDocCommentRanges: () => getJSDocCommentRanges, getJSDocCommentsAndTags: () => getJSDocCommentsAndTags, getJSDocDeprecatedTag: () => getJSDocDeprecatedTag, getJSDocDeprecatedTagNoCache: () => getJSDocDeprecatedTagNoCache, getJSDocEnumTag: () => getJSDocEnumTag, getJSDocHost: () => getJSDocHost, getJSDocImplementsTags: () => getJSDocImplementsTags, getJSDocOverloadTags: () => getJSDocOverloadTags, getJSDocOverrideTagNoCache: () => getJSDocOverrideTagNoCache, getJSDocParameterTags: () => getJSDocParameterTags, getJSDocParameterTagsNoCache: () => getJSDocParameterTagsNoCache, getJSDocPrivateTag: () => getJSDocPrivateTag, getJSDocPrivateTagNoCache: () => getJSDocPrivateTagNoCache, getJSDocProtectedTag: () => getJSDocProtectedTag, getJSDocProtectedTagNoCache: () => getJSDocProtectedTagNoCache, getJSDocPublicTag: () => getJSDocPublicTag, getJSDocPublicTagNoCache: () => getJSDocPublicTagNoCache, getJSDocReadonlyTag: () => getJSDocReadonlyTag, getJSDocReadonlyTagNoCache: () => getJSDocReadonlyTagNoCache, getJSDocReturnTag: () => getJSDocReturnTag, getJSDocReturnType: () => getJSDocReturnType, getJSDocRoot: () => getJSDocRoot, getJSDocSatisfiesExpressionType: () => getJSDocSatisfiesExpressionType, getJSDocSatisfiesTag: () => getJSDocSatisfiesTag, getJSDocTags: () => getJSDocTags, getJSDocTagsNoCache: () => getJSDocTagsNoCache, getJSDocTemplateTag: () => getJSDocTemplateTag, getJSDocThisTag: () => getJSDocThisTag, getJSDocType: () => getJSDocType, getJSDocTypeAliasName: () => getJSDocTypeAliasName, getJSDocTypeAssertionType: () => getJSDocTypeAssertionType, getJSDocTypeParameterDeclarations: () => getJSDocTypeParameterDeclarations, getJSDocTypeParameterTags: () => getJSDocTypeParameterTags, getJSDocTypeParameterTagsNoCache: () => getJSDocTypeParameterTagsNoCache, getJSDocTypeTag: () => getJSDocTypeTag, getJSXImplicitImportBase: () => getJSXImplicitImportBase, getJSXRuntimeImport: () => getJSXRuntimeImport, getJSXTransformEnabled: () => getJSXTransformEnabled, getKeyForCompilerOptions: () => getKeyForCompilerOptions, getLanguageVariant: () => getLanguageVariant, getLastChild: () => getLastChild, getLeadingCommentRanges: () => getLeadingCommentRanges, getLeadingCommentRangesOfNode: () => getLeadingCommentRangesOfNode, getLeftmostAccessExpression: () => getLeftmostAccessExpression, getLeftmostExpression: () => getLeftmostExpression, getLibraryNameFromLibFileName: () => getLibraryNameFromLibFileName, getLineAndCharacterOfPosition: () => getLineAndCharacterOfPosition, getLineInfo: () => getLineInfo, getLineOfLocalPosition: () => getLineOfLocalPosition, getLineOfLocalPositionFromLineMap: () => getLineOfLocalPositionFromLineMap, getLineStartPositionForPosition: () => getLineStartPositionForPosition, getLineStarts: () => getLineStarts, getLinesBetweenPositionAndNextNonWhitespaceCharacter: () => getLinesBetweenPositionAndNextNonWhitespaceCharacter, getLinesBetweenPositionAndPrecedingNonWhitespaceCharacter: () => getLinesBetweenPositionAndPrecedingNonWhitespaceCharacter, getLinesBetweenPositions: () => getLinesBetweenPositions, getLinesBetweenRangeEndAndRangeStart: () => getLinesBetweenRangeEndAndRangeStart, getLinesBetweenRangeEndPositions: () => getLinesBetweenRangeEndPositions, getLiteralText: () => getLiteralText, getLocalNameForExternalImport: () => getLocalNameForExternalImport, getLocalSymbolForExportDefault: () => getLocalSymbolForExportDefault, getLocaleSpecificMessage: () => getLocaleSpecificMessage, getLocaleTimeString: () => getLocaleTimeString, getMappedContextSpan: () => getMappedContextSpan, getMappedDocumentSpan: () => getMappedDocumentSpan, getMappedLocation: () => getMappedLocation, getMatchedFileSpec: () => getMatchedFileSpec, getMatchedIncludeSpec: () => getMatchedIncludeSpec, getMeaningFromDeclaration: () => getMeaningFromDeclaration, getMeaningFromLocation: () => getMeaningFromLocation, getMembersOfDeclaration: () => getMembersOfDeclaration, getModeForFileReference: () => getModeForFileReference, getModeForResolutionAtIndex: () => getModeForResolutionAtIndex, getModeForUsageLocation: () => getModeForUsageLocation, getModifiedTime: () => getModifiedTime, getModifiers: () => getModifiers, getModuleInstanceState: () => getModuleInstanceState, getModuleNameStringLiteralAt: () => getModuleNameStringLiteralAt, getModuleSpecifierEndingPreference: () => getModuleSpecifierEndingPreference, getModuleSpecifierResolverHost: () => getModuleSpecifierResolverHost, getNameForExportedSymbol: () => getNameForExportedSymbol, getNameFromImportAttribute: () => getNameFromImportAttribute, getNameFromIndexInfo: () => getNameFromIndexInfo, getNameFromPropertyName: () => getNameFromPropertyName, getNameOfAccessExpression: () => getNameOfAccessExpression, getNameOfCompilerOptionValue: () => getNameOfCompilerOptionValue, getNameOfDeclaration: () => getNameOfDeclaration, getNameOfExpando: () => getNameOfExpando, getNameOfJSDocTypedef: () => getNameOfJSDocTypedef, getNameOfScriptTarget: () => getNameOfScriptTarget, getNameOrArgument: () => getNameOrArgument, getNameTable: () => getNameTable, getNamesForExportedSymbol: () => getNamesForExportedSymbol, getNamespaceDeclarationNode: () => getNamespaceDeclarationNode, getNewLineCharacter: () => getNewLineCharacter, getNewLineKind: () => getNewLineKind, getNewLineOrDefaultFromHost: () => getNewLineOrDefaultFromHost, getNewTargetContainer: () => getNewTargetContainer, getNextJSDocCommentLocation: () => getNextJSDocCommentLocation, getNodeChildren: () => getNodeChildren, getNodeForGeneratedName: () => getNodeForGeneratedName, getNodeId: () => getNodeId, getNodeKind: () => getNodeKind, getNodeModifiers: () => getNodeModifiers, getNodeModulePathParts: () => getNodeModulePathParts, getNonAssignedNameOfDeclaration: () => getNonAssignedNameOfDeclaration, getNonAssignmentOperatorForCompoundAssignment: () => getNonAssignmentOperatorForCompoundAssignment, getNonAugmentationDeclaration: () => getNonAugmentationDeclaration, getNonDecoratorTokenPosOfNode: () => getNonDecoratorTokenPosOfNode, getNormalizedAbsolutePath: () => getNormalizedAbsolutePath, getNormalizedAbsolutePathWithoutRoot: () => getNormalizedAbsolutePathWithoutRoot, getNormalizedPathComponents: () => getNormalizedPathComponents, getObjectFlags: () => getObjectFlags, getOperator: () => getOperator, getOperatorAssociativity: () => getOperatorAssociativity, getOperatorPrecedence: () => getOperatorPrecedence, getOptionFromName: () => getOptionFromName, getOptionsForLibraryResolution: () => getOptionsForLibraryResolution, getOptionsNameMap: () => getOptionsNameMap, getOrCreateEmitNode: () => getOrCreateEmitNode, getOrCreateExternalHelpersModuleNameIfNeeded: () => getOrCreateExternalHelpersModuleNameIfNeeded, getOrUpdate: () => getOrUpdate, getOriginalNode: () => getOriginalNode, getOriginalNodeId: () => getOriginalNodeId, getOriginalSourceFile: () => getOriginalSourceFile, getOutputDeclarationFileName: () => getOutputDeclarationFileName, getOutputDeclarationFileNameWorker: () => getOutputDeclarationFileNameWorker, getOutputExtension: () => getOutputExtension, getOutputFileNames: () => getOutputFileNames, getOutputJSFileNameWorker: () => getOutputJSFileNameWorker, getOutputPathsFor: () => getOutputPathsFor, getOutputPathsForBundle: () => getOutputPathsForBundle, getOwnEmitOutputFilePath: () => getOwnEmitOutputFilePath, getOwnKeys: () => getOwnKeys, getOwnValues: () => getOwnValues, getPackageJsonInfo: () => getPackageJsonInfo, getPackageJsonTypesVersionsPaths: () => getPackageJsonTypesVersionsPaths, getPackageJsonsVisibleToFile: () => getPackageJsonsVisibleToFile, getPackageNameFromTypesPackageName: () => getPackageNameFromTypesPackageName, getPackageScopeForPath: () => getPackageScopeForPath, getParameterSymbolFromJSDoc: () => getParameterSymbolFromJSDoc, getParameterTypeNode: () => getParameterTypeNode, getParentNodeInSpan: () => getParentNodeInSpan, getParseTreeNode: () => getParseTreeNode, getParsedCommandLineOfConfigFile: () => getParsedCommandLineOfConfigFile, getPathComponents: () => getPathComponents, getPathComponentsRelativeTo: () => getPathComponentsRelativeTo, getPathFromPathComponents: () => getPathFromPathComponents, getPathUpdater: () => getPathUpdater, getPathsBasePath: () => getPathsBasePath, getPatternFromSpec: () => getPatternFromSpec, getPendingEmitKind: () => getPendingEmitKind, getPositionOfLineAndCharacter: () => getPositionOfLineAndCharacter, getPossibleGenericSignatures: () => getPossibleGenericSignatures, getPossibleOriginalInputExtensionForExtension: () => getPossibleOriginalInputExtensionForExtension, getPossibleTypeArgumentsInfo: () => getPossibleTypeArgumentsInfo, getPreEmitDiagnostics: () => getPreEmitDiagnostics, getPrecedingNonSpaceCharacterPosition: () => getPrecedingNonSpaceCharacterPosition, getPrivateIdentifier: () => getPrivateIdentifier, getProperties: () => getProperties, getProperty: () => getProperty, getPropertyArrayElementValue: () => getPropertyArrayElementValue, getPropertyAssignmentAliasLikeExpression: () => getPropertyAssignmentAliasLikeExpression, getPropertyNameForPropertyNameNode: () => getPropertyNameForPropertyNameNode, getPropertyNameForUniqueESSymbol: () => getPropertyNameForUniqueESSymbol, getPropertyNameFromType: () => getPropertyNameFromType, getPropertyNameOfBindingOrAssignmentElement: () => getPropertyNameOfBindingOrAssignmentElement, getPropertySymbolFromBindingElement: () => getPropertySymbolFromBindingElement, getPropertySymbolsFromContextualType: () => getPropertySymbolsFromContextualType, getQuoteFromPreference: () => getQuoteFromPreference, getQuotePreference: () => getQuotePreference, getRangesWhere: () => getRangesWhere, getRefactorContextSpan: () => getRefactorContextSpan, getReferencedFileLocation: () => getReferencedFileLocation, getRegexFromPattern: () => getRegexFromPattern, getRegularExpressionForWildcard: () => getRegularExpressionForWildcard, getRegularExpressionsForWildcards: () => getRegularExpressionsForWildcards, getRelativePathFromDirectory: () => getRelativePathFromDirectory, getRelativePathFromFile: () => getRelativePathFromFile, getRelativePathToDirectoryOrUrl: () => getRelativePathToDirectoryOrUrl, getRenameLocation: () => getRenameLocation, getReplacementSpanForContextToken: () => getReplacementSpanForContextToken, getResolutionDiagnostic: () => getResolutionDiagnostic, getResolutionModeOverride: () => getResolutionModeOverride, getResolveJsonModule: () => getResolveJsonModule, getResolvePackageJsonExports: () => getResolvePackageJsonExports, getResolvePackageJsonImports: () => getResolvePackageJsonImports, getResolvedExternalModuleName: () => getResolvedExternalModuleName, getRestIndicatorOfBindingOrAssignmentElement: () => getRestIndicatorOfBindingOrAssignmentElement, getRestParameterElementType: () => getRestParameterElementType, getRightMostAssignedExpression: () => getRightMostAssignedExpression, getRootDeclaration: () => getRootDeclaration, getRootDirectoryOfResolutionCache: () => getRootDirectoryOfResolutionCache, getRootLength: () => getRootLength, getRootPathSplitLength: () => getRootPathSplitLength, getScriptKind: () => getScriptKind, getScriptKindFromFileName: () => getScriptKindFromFileName, getScriptTargetFeatures: () => getScriptTargetFeatures, getSelectedEffectiveModifierFlags: () => getSelectedEffectiveModifierFlags, getSelectedSyntacticModifierFlags: () => getSelectedSyntacticModifierFlags, getSemanticClassifications: () => getSemanticClassifications, getSemanticJsxChildren: () => getSemanticJsxChildren, getSetAccessorTypeAnnotationNode: () => getSetAccessorTypeAnnotationNode, getSetAccessorValueParameter: () => getSetAccessorValueParameter, getSetExternalModuleIndicator: () => getSetExternalModuleIndicator, getShebang: () => getShebang, getSingleInitializerOfVariableStatementOrPropertyDeclaration: () => getSingleInitializerOfVariableStatementOrPropertyDeclaration, getSingleVariableOfVariableStatement: () => getSingleVariableOfVariableStatement, getSnapshotText: () => getSnapshotText, getSnippetElement: () => getSnippetElement, getSourceFileOfModule: () => getSourceFileOfModule, getSourceFileOfNode: () => getSourceFileOfNode, getSourceFilePathInNewDir: () => getSourceFilePathInNewDir, getSourceFilePathInNewDirWorker: () => getSourceFilePathInNewDirWorker, getSourceFileVersionAsHashFromText: () => getSourceFileVersionAsHashFromText, getSourceFilesToEmit: () => getSourceFilesToEmit, getSourceMapRange: () => getSourceMapRange, getSourceMapper: () => getSourceMapper, getSourceTextOfNodeFromSourceFile: () => getSourceTextOfNodeFromSourceFile, getSpanOfTokenAtPosition: () => getSpanOfTokenAtPosition, getSpellingSuggestion: () => getSpellingSuggestion, getStartPositionOfLine: () => getStartPositionOfLine, getStartPositionOfRange: () => getStartPositionOfRange, getStartsOnNewLine: () => getStartsOnNewLine, getStaticPropertiesAndClassStaticBlock: () => getStaticPropertiesAndClassStaticBlock, getStrictOptionValue: () => getStrictOptionValue, getStringComparer: () => getStringComparer, getSubPatternFromSpec: () => getSubPatternFromSpec, getSuperCallFromStatement: () => getSuperCallFromStatement, getSuperContainer: () => getSuperContainer, getSupportedCodeFixes: () => getSupportedCodeFixes, getSupportedExtensions: () => getSupportedExtensions, getSupportedExtensionsWithJsonIfResolveJsonModule: () => getSupportedExtensionsWithJsonIfResolveJsonModule, getSwitchedType: () => getSwitchedType, getSymbolId: () => getSymbolId, getSymbolNameForPrivateIdentifier: () => getSymbolNameForPrivateIdentifier, getSymbolParentOrFail: () => getSymbolParentOrFail, getSymbolTarget: () => getSymbolTarget, getSyntacticClassifications: () => getSyntacticClassifications, getSyntacticModifierFlags: () => getSyntacticModifierFlags, getSyntacticModifierFlagsNoCache: () => getSyntacticModifierFlagsNoCache, getSynthesizedDeepClone: () => getSynthesizedDeepClone, getSynthesizedDeepCloneWithReplacements: () => getSynthesizedDeepCloneWithReplacements, getSynthesizedDeepClones: () => getSynthesizedDeepClones, getSynthesizedDeepClonesWithReplacements: () => getSynthesizedDeepClonesWithReplacements, getSyntheticLeadingComments: () => getSyntheticLeadingComments, getSyntheticTrailingComments: () => getSyntheticTrailingComments, getTargetLabel: () => getTargetLabel, getTargetOfBindingOrAssignmentElement: () => getTargetOfBindingOrAssignmentElement, getTemporaryModuleResolutionState: () => getTemporaryModuleResolutionState, getTextOfConstantValue: () => getTextOfConstantValue, getTextOfIdentifierOrLiteral: () => getTextOfIdentifierOrLiteral, getTextOfJSDocComment: () => getTextOfJSDocComment, getTextOfJsxAttributeName: () => getTextOfJsxAttributeName, getTextOfJsxNamespacedName: () => getTextOfJsxNamespacedName, getTextOfNode: () => getTextOfNode, getTextOfNodeFromSourceText: () => getTextOfNodeFromSourceText, getTextOfPropertyName: () => getTextOfPropertyName, getThisContainer: () => getThisContainer, getThisParameter: () => getThisParameter, getTokenAtPosition: () => getTokenAtPosition, getTokenPosOfNode: () => getTokenPosOfNode, getTokenSourceMapRange: () => getTokenSourceMapRange, getTouchingPropertyName: () => getTouchingPropertyName, getTouchingToken: () => getTouchingToken, getTrailingCommentRanges: () => getTrailingCommentRanges, getTrailingSemicolonDeferringWriter: () => getTrailingSemicolonDeferringWriter, getTransformFlagsSubtreeExclusions: () => getTransformFlagsSubtreeExclusions, getTransformers: () => getTransformers, getTsBuildInfoEmitOutputFilePath: () => getTsBuildInfoEmitOutputFilePath, getTsConfigObjectLiteralExpression: () => getTsConfigObjectLiteralExpression, getTsConfigPropArrayElementValue: () => getTsConfigPropArrayElementValue, getTypeAnnotationNode: () => getTypeAnnotationNode, getTypeArgumentOrTypeParameterList: () => getTypeArgumentOrTypeParameterList, getTypeKeywordOfTypeOnlyImport: () => getTypeKeywordOfTypeOnlyImport, getTypeNode: () => getTypeNode, getTypeNodeIfAccessible: () => getTypeNodeIfAccessible, getTypeParameterFromJsDoc: () => getTypeParameterFromJsDoc, getTypeParameterOwner: () => getTypeParameterOwner, getTypesPackageName: () => getTypesPackageName, getUILocale: () => getUILocale, getUniqueName: () => getUniqueName, getUniqueSymbolId: () => getUniqueSymbolId, getUseDefineForClassFields: () => getUseDefineForClassFields, getWatchErrorSummaryDiagnosticMessage: () => getWatchErrorSummaryDiagnosticMessage, getWatchFactory: () => getWatchFactory, group: () => group, groupBy: () => groupBy, guessIndentation: () => guessIndentation, handleNoEmitOptions: () => handleNoEmitOptions, handleWatchOptionsConfigDirTemplateSubstitution: () => handleWatchOptionsConfigDirTemplateSubstitution, hasAbstractModifier: () => hasAbstractModifier, hasAccessorModifier: () => hasAccessorModifier, hasAmbientModifier: () => hasAmbientModifier, hasChangesInResolutions: () => hasChangesInResolutions, hasChildOfKind: () => hasChildOfKind, hasContextSensitiveParameters: () => hasContextSensitiveParameters, hasDecorators: () => hasDecorators, hasDocComment: () => hasDocComment, hasDynamicName: () => hasDynamicName, hasEffectiveModifier: () => hasEffectiveModifier, hasEffectiveModifiers: () => hasEffectiveModifiers, hasEffectiveReadonlyModifier: () => hasEffectiveReadonlyModifier, hasExtension: () => hasExtension, hasIndexSignature: () => hasIndexSignature, hasInferredType: () => hasInferredType, hasInitializer: () => hasInitializer, hasInvalidEscape: () => hasInvalidEscape, hasJSDocNodes: () => hasJSDocNodes, hasJSDocParameterTags: () => hasJSDocParameterTags, hasJSFileExtension: () => hasJSFileExtension, hasJsonModuleEmitEnabled: () => hasJsonModuleEmitEnabled, hasOnlyExpressionInitializer: () => hasOnlyExpressionInitializer, hasOverrideModifier: () => hasOverrideModifier, hasPossibleExternalModuleReference: () => hasPossibleExternalModuleReference, hasProperty: () => hasProperty, hasPropertyAccessExpressionWithName: () => hasPropertyAccessExpressionWithName, hasQuestionToken: () => hasQuestionToken, hasRecordedExternalHelpers: () => hasRecordedExternalHelpers, hasResolutionModeOverride: () => hasResolutionModeOverride, hasRestParameter: () => hasRestParameter, hasScopeMarker: () => hasScopeMarker, hasStaticModifier: () => hasStaticModifier, hasSyntacticModifier: () => hasSyntacticModifier, hasSyntacticModifiers: () => hasSyntacticModifiers, hasTSFileExtension: () => hasTSFileExtension, hasTabstop: () => hasTabstop, hasTrailingDirectorySeparator: () => hasTrailingDirectorySeparator, hasType: () => hasType, hasTypeArguments: () => hasTypeArguments, hasZeroOrOneAsteriskCharacter: () => hasZeroOrOneAsteriskCharacter, helperString: () => helperString, hostGetCanonicalFileName: () => hostGetCanonicalFileName, hostUsesCaseSensitiveFileNames: () => hostUsesCaseSensitiveFileNames, idText: () => idText, identifierIsThisKeyword: () => identifierIsThisKeyword, identifierToKeywordKind: () => identifierToKeywordKind, identity: () => identity2, identitySourceMapConsumer: () => identitySourceMapConsumer, ignoreSourceNewlines: () => ignoreSourceNewlines, ignoredPaths: () => ignoredPaths, importDefaultHelper: () => importDefaultHelper, importFromModuleSpecifier: () => importFromModuleSpecifier, importStarHelper: () => importStarHelper, indexOfAnyCharCode: () => indexOfAnyCharCode, indexOfNode: () => indexOfNode, indicesOf: () => indicesOf, inferredTypesContainingFile: () => inferredTypesContainingFile, injectClassNamedEvaluationHelperBlockIfMissing: () => injectClassNamedEvaluationHelperBlockIfMissing, injectClassThisAssignmentIfMissing: () => injectClassThisAssignmentIfMissing, insertImports: () => insertImports, insertLeadingStatement: () => insertLeadingStatement, insertSorted: () => insertSorted, insertStatementAfterCustomPrologue: () => insertStatementAfterCustomPrologue, insertStatementAfterStandardPrologue: () => insertStatementAfterStandardPrologue, insertStatementsAfterCustomPrologue: () => insertStatementsAfterCustomPrologue, insertStatementsAfterStandardPrologue: () => insertStatementsAfterStandardPrologue, intersperse: () => intersperse, intrinsicTagNameToString: () => intrinsicTagNameToString, introducesArgumentsExoticObject: () => introducesArgumentsExoticObject, inverseJsxOptionMap: () => inverseJsxOptionMap, isAbstractConstructorSymbol: () => isAbstractConstructorSymbol, isAbstractModifier: () => isAbstractModifier, isAccessExpression: () => isAccessExpression, isAccessibilityModifier: () => isAccessibilityModifier, isAccessor: () => isAccessor, isAccessorModifier: () => isAccessorModifier, isAliasSymbolDeclaration: () => isAliasSymbolDeclaration, isAliasableExpression: () => isAliasableExpression, isAmbientModule: () => isAmbientModule, isAmbientPropertyDeclaration: () => isAmbientPropertyDeclaration, isAnonymousFunctionDefinition: () => isAnonymousFunctionDefinition, isAnyDirectorySeparator: () => isAnyDirectorySeparator, isAnyImportOrBareOrAccessedRequire: () => isAnyImportOrBareOrAccessedRequire, isAnyImportOrReExport: () => isAnyImportOrReExport, isAnyImportOrRequireStatement: () => isAnyImportOrRequireStatement, isAnyImportSyntax: () => isAnyImportSyntax, isAnySupportedFileExtension: () => isAnySupportedFileExtension, isApplicableVersionedTypesKey: () => isApplicableVersionedTypesKey, isArgumentExpressionOfElementAccess: () => isArgumentExpressionOfElementAccess, isArray: () => isArray3, isArrayBindingElement: () => isArrayBindingElement, isArrayBindingOrAssignmentElement: () => isArrayBindingOrAssignmentElement, isArrayBindingOrAssignmentPattern: () => isArrayBindingOrAssignmentPattern, isArrayBindingPattern: () => isArrayBindingPattern, isArrayLiteralExpression: () => isArrayLiteralExpression, isArrayLiteralOrObjectLiteralDestructuringPattern: () => isArrayLiteralOrObjectLiteralDestructuringPattern, isArrayTypeNode: () => isArrayTypeNode, isArrowFunction: () => isArrowFunction, isAsExpression: () => isAsExpression, isAssertClause: () => isAssertClause, isAssertEntry: () => isAssertEntry, isAssertionExpression: () => isAssertionExpression, isAssertsKeyword: () => isAssertsKeyword, isAssignmentDeclaration: () => isAssignmentDeclaration, isAssignmentExpression: () => isAssignmentExpression2, isAssignmentOperator: () => isAssignmentOperator, isAssignmentPattern: () => isAssignmentPattern, isAssignmentTarget: () => isAssignmentTarget, isAsteriskToken: () => isAsteriskToken, isAsyncFunction: () => isAsyncFunction, isAsyncModifier: () => isAsyncModifier, isAutoAccessorPropertyDeclaration: () => isAutoAccessorPropertyDeclaration, isAwaitExpression: () => isAwaitExpression, isAwaitKeyword: () => isAwaitKeyword, isBigIntLiteral: () => isBigIntLiteral2, isBinaryExpression: () => isBinaryExpression, isBinaryOperatorToken: () => isBinaryOperatorToken, isBindableObjectDefinePropertyCall: () => isBindableObjectDefinePropertyCall, isBindableStaticAccessExpression: () => isBindableStaticAccessExpression, isBindableStaticElementAccessExpression: () => isBindableStaticElementAccessExpression, isBindableStaticNameExpression: () => isBindableStaticNameExpression, isBindingElement: () => isBindingElement, isBindingElementOfBareOrAccessedRequire: () => isBindingElementOfBareOrAccessedRequire, isBindingName: () => isBindingName, isBindingOrAssignmentElement: () => isBindingOrAssignmentElement, isBindingOrAssignmentPattern: () => isBindingOrAssignmentPattern, isBindingPattern: () => isBindingPattern, isBlock: () => isBlock, isBlockLike: () => isBlockLike, isBlockOrCatchScoped: () => isBlockOrCatchScoped, isBlockScope: () => isBlockScope, isBlockScopedContainerTopLevel: () => isBlockScopedContainerTopLevel, isBooleanLiteral: () => isBooleanLiteral, isBreakOrContinueStatement: () => isBreakOrContinueStatement, isBreakStatement: () => isBreakStatement, isBuild: () => isBuild, isBuildInfoFile: () => isBuildInfoFile, isBuilderProgram: () => isBuilderProgram2, isBundle: () => isBundle, isCallChain: () => isCallChain, isCallExpression: () => isCallExpression2, isCallExpressionTarget: () => isCallExpressionTarget, isCallLikeExpression: () => isCallLikeExpression, isCallLikeOrFunctionLikeExpression: () => isCallLikeOrFunctionLikeExpression, isCallOrNewExpression: () => isCallOrNewExpression2, isCallOrNewExpressionTarget: () => isCallOrNewExpressionTarget, isCallSignatureDeclaration: () => isCallSignatureDeclaration, isCallToHelper: () => isCallToHelper, isCaseBlock: () => isCaseBlock, isCaseClause: () => isCaseClause, isCaseKeyword: () => isCaseKeyword, isCaseOrDefaultClause: () => isCaseOrDefaultClause, isCatchClause: () => isCatchClause, isCatchClauseVariableDeclaration: () => isCatchClauseVariableDeclaration, isCatchClauseVariableDeclarationOrBindingElement: () => isCatchClauseVariableDeclarationOrBindingElement, isCheckJsEnabledForFile: () => isCheckJsEnabledForFile, isChildOfNodeWithKind: () => isChildOfNodeWithKind, isCircularBuildOrder: () => isCircularBuildOrder, isClassDeclaration: () => isClassDeclaration, isClassElement: () => isClassElement, isClassExpression: () => isClassExpression, isClassInstanceProperty: () => isClassInstanceProperty, isClassLike: () => isClassLike, isClassMemberModifier: () => isClassMemberModifier, isClassNamedEvaluationHelperBlock: () => isClassNamedEvaluationHelperBlock, isClassOrTypeElement: () => isClassOrTypeElement, isClassStaticBlockDeclaration: () => isClassStaticBlockDeclaration, isClassThisAssignmentBlock: () => isClassThisAssignmentBlock, isCollapsedRange: () => isCollapsedRange, isColonToken: () => isColonToken2, isCommaExpression: () => isCommaExpression, isCommaListExpression: () => isCommaListExpression, isCommaSequence: () => isCommaSequence, isCommaToken: () => isCommaToken2, isComment: () => isComment, isCommonJsExportPropertyAssignment: () => isCommonJsExportPropertyAssignment, isCommonJsExportedExpression: () => isCommonJsExportedExpression, isCompoundAssignment: () => isCompoundAssignment, isComputedNonLiteralName: () => isComputedNonLiteralName, isComputedPropertyName: () => isComputedPropertyName, isConciseBody: () => isConciseBody, isConditionalExpression: () => isConditionalExpression, isConditionalTypeNode: () => isConditionalTypeNode, isConstAssertion: () => isConstAssertion, isConstTypeReference: () => isConstTypeReference, isConstructSignatureDeclaration: () => isConstructSignatureDeclaration, isConstructorDeclaration: () => isConstructorDeclaration, isConstructorTypeNode: () => isConstructorTypeNode, isContextualKeyword: () => isContextualKeyword, isContinueStatement: () => isContinueStatement, isCustomPrologue: () => isCustomPrologue, isDebuggerStatement: () => isDebuggerStatement, isDeclaration: () => isDeclaration, isDeclarationBindingElement: () => isDeclarationBindingElement, isDeclarationFileName: () => isDeclarationFileName, isDeclarationName: () => isDeclarationName, isDeclarationNameOfEnumOrNamespace: () => isDeclarationNameOfEnumOrNamespace, isDeclarationReadonly: () => isDeclarationReadonly, isDeclarationStatement: () => isDeclarationStatement, isDeclarationWithTypeParameterChildren: () => isDeclarationWithTypeParameterChildren, isDeclarationWithTypeParameters: () => isDeclarationWithTypeParameters, isDecorator: () => isDecorator, isDecoratorTarget: () => isDecoratorTarget, isDefaultClause: () => isDefaultClause, isDefaultImport: () => isDefaultImport, isDefaultModifier: () => isDefaultModifier, isDefaultedExpandoInitializer: () => isDefaultedExpandoInitializer, isDeleteExpression: () => isDeleteExpression, isDeleteTarget: () => isDeleteTarget, isDeprecatedDeclaration: () => isDeprecatedDeclaration, isDestructuringAssignment: () => isDestructuringAssignment, isDiagnosticWithLocation: () => isDiagnosticWithLocation, isDiskPathRoot: () => isDiskPathRoot, isDoStatement: () => isDoStatement, isDocumentRegistryEntry: () => isDocumentRegistryEntry, isDotDotDotToken: () => isDotDotDotToken, isDottedName: () => isDottedName, isDynamicName: () => isDynamicName, isESSymbolIdentifier: () => isESSymbolIdentifier, isEffectiveExternalModule: () => isEffectiveExternalModule, isEffectiveModuleDeclaration: () => isEffectiveModuleDeclaration, isEffectiveStrictModeSourceFile: () => isEffectiveStrictModeSourceFile, isElementAccessChain: () => isElementAccessChain, isElementAccessExpression: () => isElementAccessExpression, isEmittedFileOfProgram: () => isEmittedFileOfProgram, isEmptyArrayLiteral: () => isEmptyArrayLiteral, isEmptyBindingElement: () => isEmptyBindingElement, isEmptyBindingPattern: () => isEmptyBindingPattern, isEmptyObjectLiteral: () => isEmptyObjectLiteral, isEmptyStatement: () => isEmptyStatement, isEmptyStringLiteral: () => isEmptyStringLiteral2, isEntityName: () => isEntityName, isEntityNameExpression: () => isEntityNameExpression, isEnumConst: () => isEnumConst, isEnumDeclaration: () => isEnumDeclaration, isEnumMember: () => isEnumMember, isEqualityOperatorKind: () => isEqualityOperatorKind, isEqualsGreaterThanToken: () => isEqualsGreaterThanToken, isExclamationToken: () => isExclamationToken, isExcludedFile: () => isExcludedFile, isExclusivelyTypeOnlyImportOrExport: () => isExclusivelyTypeOnlyImportOrExport, isExpandoPropertyDeclaration: () => isExpandoPropertyDeclaration, isExportAssignment: () => isExportAssignment, isExportDeclaration: () => isExportDeclaration, isExportModifier: () => isExportModifier, isExportName: () => isExportName, isExportNamespaceAsDefaultDeclaration: () => isExportNamespaceAsDefaultDeclaration, isExportOrDefaultModifier: () => isExportOrDefaultModifier, isExportSpecifier: () => isExportSpecifier, isExportsIdentifier: () => isExportsIdentifier, isExportsOrModuleExportsOrAlias: () => isExportsOrModuleExportsOrAlias, isExpression: () => isExpression, isExpressionNode: () => isExpressionNode, isExpressionOfExternalModuleImportEqualsDeclaration: () => isExpressionOfExternalModuleImportEqualsDeclaration, isExpressionOfOptionalChainRoot: () => isExpressionOfOptionalChainRoot, isExpressionStatement: () => isExpressionStatement2, isExpressionWithTypeArguments: () => isExpressionWithTypeArguments, isExpressionWithTypeArgumentsInClassExtendsClause: () => isExpressionWithTypeArgumentsInClassExtendsClause, isExternalModule: () => isExternalModule, isExternalModuleAugmentation: () => isExternalModuleAugmentation, isExternalModuleImportEqualsDeclaration: () => isExternalModuleImportEqualsDeclaration, isExternalModuleIndicator: () => isExternalModuleIndicator, isExternalModuleNameRelative: () => isExternalModuleNameRelative, isExternalModuleReference: () => isExternalModuleReference, isExternalModuleSymbol: () => isExternalModuleSymbol, isExternalOrCommonJsModule: () => isExternalOrCommonJsModule, isFileLevelReservedGeneratedIdentifier: () => isFileLevelReservedGeneratedIdentifier, isFileLevelUniqueName: () => isFileLevelUniqueName, isFileProbablyExternalModule: () => isFileProbablyExternalModule, isFirstDeclarationOfSymbolParameter: () => isFirstDeclarationOfSymbolParameter, isFixablePromiseHandler: () => isFixablePromiseHandler, isForInOrOfStatement: () => isForInOrOfStatement, isForInStatement: () => isForInStatement, isForInitializer: () => isForInitializer, isForOfStatement: () => isForOfStatement, isForStatement: () => isForStatement, isFullSourceFile: () => isFullSourceFile, isFunctionBlock: () => isFunctionBlock, isFunctionBody: () => isFunctionBody, isFunctionDeclaration: () => isFunctionDeclaration, isFunctionExpression: () => isFunctionExpression, isFunctionExpressionOrArrowFunction: () => isFunctionExpressionOrArrowFunction, isFunctionLike: () => isFunctionLike, isFunctionLikeDeclaration: () => isFunctionLikeDeclaration, isFunctionLikeKind: () => isFunctionLikeKind, isFunctionLikeOrClassStaticBlockDeclaration: () => isFunctionLikeOrClassStaticBlockDeclaration, isFunctionOrConstructorTypeNode: () => isFunctionOrConstructorTypeNode, isFunctionOrModuleBlock: () => isFunctionOrModuleBlock, isFunctionSymbol: () => isFunctionSymbol, isFunctionTypeNode: () => isFunctionTypeNode, isFutureReservedKeyword: () => isFutureReservedKeyword, isGeneratedIdentifier: () => isGeneratedIdentifier, isGeneratedPrivateIdentifier: () => isGeneratedPrivateIdentifier, isGetAccessor: () => isGetAccessor, isGetAccessorDeclaration: () => isGetAccessorDeclaration, isGetOrSetAccessorDeclaration: () => isGetOrSetAccessorDeclaration, isGlobalDeclaration: () => isGlobalDeclaration, isGlobalScopeAugmentation: () => isGlobalScopeAugmentation, isGlobalSourceFile: () => isGlobalSourceFile, isGrammarError: () => isGrammarError, isHeritageClause: () => isHeritageClause, isHoistedFunction: () => isHoistedFunction, isHoistedVariableStatement: () => isHoistedVariableStatement, isIdentifier: () => isIdentifier, isIdentifierANonContextualKeyword: () => isIdentifierANonContextualKeyword, isIdentifierName: () => isIdentifierName4, isIdentifierOrThisTypeNode: () => isIdentifierOrThisTypeNode, isIdentifierPart: () => isIdentifierPart, isIdentifierStart: () => isIdentifierStart, isIdentifierText: () => isIdentifierText, isIdentifierTypePredicate: () => isIdentifierTypePredicate, isIdentifierTypeReference: () => isIdentifierTypeReference, isIfStatement: () => isIfStatement, isIgnoredFileFromWildCardWatching: () => isIgnoredFileFromWildCardWatching, isImplicitGlob: () => isImplicitGlob, isImportAttribute: () => isImportAttribute, isImportAttributeName: () => isImportAttributeName, isImportAttributes: () => isImportAttributes, isImportCall: () => isImportCall, isImportClause: () => isImportClause, isImportDeclaration: () => isImportDeclaration, isImportEqualsDeclaration: () => isImportEqualsDeclaration, isImportKeyword: () => isImportKeyword, isImportMeta: () => isImportMeta, isImportOrExportSpecifier: () => isImportOrExportSpecifier, isImportOrExportSpecifierName: () => isImportOrExportSpecifierName, isImportSpecifier: () => isImportSpecifier, isImportTypeAssertionContainer: () => isImportTypeAssertionContainer, isImportTypeNode: () => isImportTypeNode, isImportableFile: () => isImportableFile, isInComment: () => isInComment, isInCompoundLikeAssignment: () => isInCompoundLikeAssignment, isInExpressionContext: () => isInExpressionContext, isInJSDoc: () => isInJSDoc, isInJSFile: () => isInJSFile, isInJSXText: () => isInJSXText, isInJsonFile: () => isInJsonFile, isInNonReferenceComment: () => isInNonReferenceComment, isInReferenceComment: () => isInReferenceComment, isInRightSideOfInternalImportEqualsDeclaration: () => isInRightSideOfInternalImportEqualsDeclaration, isInString: () => isInString, isInTemplateString: () => isInTemplateString, isInTopLevelContext: () => isInTopLevelContext, isInTypeQuery: () => isInTypeQuery, isIncrementalCompilation: () => isIncrementalCompilation, isIndexSignatureDeclaration: () => isIndexSignatureDeclaration, isIndexedAccessTypeNode: () => isIndexedAccessTypeNode, isInferTypeNode: () => isInferTypeNode, isInfinityOrNaNString: () => isInfinityOrNaNString, isInitializedProperty: () => isInitializedProperty, isInitializedVariable: () => isInitializedVariable, isInsideJsxElement: () => isInsideJsxElement, isInsideJsxElementOrAttribute: () => isInsideJsxElementOrAttribute, isInsideNodeModules: () => isInsideNodeModules, isInsideTemplateLiteral: () => isInsideTemplateLiteral, isInstanceOfExpression: () => isInstanceOfExpression, isInstantiatedModule: () => isInstantiatedModule, isInterfaceDeclaration: () => isInterfaceDeclaration, isInternalDeclaration: () => isInternalDeclaration, isInternalModuleImportEqualsDeclaration: () => isInternalModuleImportEqualsDeclaration, isInternalName: () => isInternalName, isIntersectionTypeNode: () => isIntersectionTypeNode, isIntrinsicJsxName: () => isIntrinsicJsxName, isIterationStatement: () => isIterationStatement, isJSDoc: () => isJSDoc, isJSDocAllType: () => isJSDocAllType, isJSDocAugmentsTag: () => isJSDocAugmentsTag, isJSDocAuthorTag: () => isJSDocAuthorTag, isJSDocCallbackTag: () => isJSDocCallbackTag, isJSDocClassTag: () => isJSDocClassTag, isJSDocCommentContainingNode: () => isJSDocCommentContainingNode, isJSDocConstructSignature: () => isJSDocConstructSignature, isJSDocDeprecatedTag: () => isJSDocDeprecatedTag, isJSDocEnumTag: () => isJSDocEnumTag, isJSDocFunctionType: () => isJSDocFunctionType, isJSDocImplementsTag: () => isJSDocImplementsTag, isJSDocImportTag: () => isJSDocImportTag, isJSDocIndexSignature: () => isJSDocIndexSignature, isJSDocLikeText: () => isJSDocLikeText, isJSDocLink: () => isJSDocLink, isJSDocLinkCode: () => isJSDocLinkCode, isJSDocLinkLike: () => isJSDocLinkLike, isJSDocLinkPlain: () => isJSDocLinkPlain, isJSDocMemberName: () => isJSDocMemberName, isJSDocNameReference: () => isJSDocNameReference, isJSDocNamepathType: () => isJSDocNamepathType, isJSDocNamespaceBody: () => isJSDocNamespaceBody, isJSDocNode: () => isJSDocNode, isJSDocNonNullableType: () => isJSDocNonNullableType, isJSDocNullableType: () => isJSDocNullableType, isJSDocOptionalParameter: () => isJSDocOptionalParameter, isJSDocOptionalType: () => isJSDocOptionalType, isJSDocOverloadTag: () => isJSDocOverloadTag, isJSDocOverrideTag: () => isJSDocOverrideTag, isJSDocParameterTag: () => isJSDocParameterTag, isJSDocPrivateTag: () => isJSDocPrivateTag, isJSDocPropertyLikeTag: () => isJSDocPropertyLikeTag, isJSDocPropertyTag: () => isJSDocPropertyTag, isJSDocProtectedTag: () => isJSDocProtectedTag, isJSDocPublicTag: () => isJSDocPublicTag, isJSDocReadonlyTag: () => isJSDocReadonlyTag, isJSDocReturnTag: () => isJSDocReturnTag, isJSDocSatisfiesExpression: () => isJSDocSatisfiesExpression, isJSDocSatisfiesTag: () => isJSDocSatisfiesTag, isJSDocSeeTag: () => isJSDocSeeTag, isJSDocSignature: () => isJSDocSignature, isJSDocTag: () => isJSDocTag, isJSDocTemplateTag: () => isJSDocTemplateTag, isJSDocThisTag: () => isJSDocThisTag, isJSDocThrowsTag: () => isJSDocThrowsTag, isJSDocTypeAlias: () => isJSDocTypeAlias, isJSDocTypeAssertion: () => isJSDocTypeAssertion, isJSDocTypeExpression: () => isJSDocTypeExpression, isJSDocTypeLiteral: () => isJSDocTypeLiteral, isJSDocTypeTag: () => isJSDocTypeTag, isJSDocTypedefTag: () => isJSDocTypedefTag, isJSDocUnknownTag: () => isJSDocUnknownTag, isJSDocUnknownType: () => isJSDocUnknownType, isJSDocVariadicType: () => isJSDocVariadicType, isJSXTagName: () => isJSXTagName, isJsonEqual: () => isJsonEqual, isJsonSourceFile: () => isJsonSourceFile, isJsxAttribute: () => isJsxAttribute, isJsxAttributeLike: () => isJsxAttributeLike, isJsxAttributeName: () => isJsxAttributeName, isJsxAttributes: () => isJsxAttributes, isJsxChild: () => isJsxChild, isJsxClosingElement: () => isJsxClosingElement, isJsxClosingFragment: () => isJsxClosingFragment, isJsxElement: () => isJsxElement, isJsxExpression: () => isJsxExpression, isJsxFragment: () => isJsxFragment, isJsxNamespacedName: () => isJsxNamespacedName, isJsxOpeningElement: () => isJsxOpeningElement, isJsxOpeningFragment: () => isJsxOpeningFragment, isJsxOpeningLikeElement: () => isJsxOpeningLikeElement, isJsxOpeningLikeElementTagName: () => isJsxOpeningLikeElementTagName, isJsxSelfClosingElement: () => isJsxSelfClosingElement, isJsxSpreadAttribute: () => isJsxSpreadAttribute, isJsxTagNameExpression: () => isJsxTagNameExpression, isJsxText: () => isJsxText, isJumpStatementTarget: () => isJumpStatementTarget, isKeyword: () => isKeyword2, isKeywordOrPunctuation: () => isKeywordOrPunctuation, isKnownSymbol: () => isKnownSymbol, isLabelName: () => isLabelName, isLabelOfLabeledStatement: () => isLabelOfLabeledStatement, isLabeledStatement: () => isLabeledStatement, isLateVisibilityPaintedStatement: () => isLateVisibilityPaintedStatement, isLeftHandSideExpression: () => isLeftHandSideExpression, isLeftHandSideOfAssignment: () => isLeftHandSideOfAssignment, isLet: () => isLet, isLineBreak: () => isLineBreak, isLiteralComputedPropertyDeclarationName: () => isLiteralComputedPropertyDeclarationName, isLiteralExpression: () => isLiteralExpression, isLiteralExpressionOfObject: () => isLiteralExpressionOfObject, isLiteralImportTypeNode: () => isLiteralImportTypeNode, isLiteralKind: () => isLiteralKind, isLiteralLikeAccess: () => isLiteralLikeAccess, isLiteralLikeElementAccess: () => isLiteralLikeElementAccess, isLiteralNameOfPropertyDeclarationOrIndexAccess: () => isLiteralNameOfPropertyDeclarationOrIndexAccess, isLiteralTypeLikeExpression: () => isLiteralTypeLikeExpression, isLiteralTypeLiteral: () => isLiteralTypeLiteral, isLiteralTypeNode: () => isLiteralTypeNode, isLocalName: () => isLocalName, isLogicalOperator: () => isLogicalOperator, isLogicalOrCoalescingAssignmentExpression: () => isLogicalOrCoalescingAssignmentExpression, isLogicalOrCoalescingAssignmentOperator: () => isLogicalOrCoalescingAssignmentOperator, isLogicalOrCoalescingBinaryExpression: () => isLogicalOrCoalescingBinaryExpression, isLogicalOrCoalescingBinaryOperator: () => isLogicalOrCoalescingBinaryOperator, isMappedTypeNode: () => isMappedTypeNode, isMemberName: () => isMemberName, isMetaProperty: () => isMetaProperty, isMethodDeclaration: () => isMethodDeclaration, isMethodOrAccessor: () => isMethodOrAccessor, isMethodSignature: () => isMethodSignature, isMinusToken: () => isMinusToken, isMissingDeclaration: () => isMissingDeclaration, isMissingPackageJsonInfo: () => isMissingPackageJsonInfo, isModifier: () => isModifier, isModifierKind: () => isModifierKind, isModifierLike: () => isModifierLike, isModuleAugmentationExternal: () => isModuleAugmentationExternal, isModuleBlock: () => isModuleBlock, isModuleBody: () => isModuleBody, isModuleDeclaration: () => isModuleDeclaration, isModuleExportsAccessExpression: () => isModuleExportsAccessExpression, isModuleIdentifier: () => isModuleIdentifier, isModuleName: () => isModuleName, isModuleOrEnumDeclaration: () => isModuleOrEnumDeclaration, isModuleReference: () => isModuleReference, isModuleSpecifierLike: () => isModuleSpecifierLike, isModuleWithStringLiteralName: () => isModuleWithStringLiteralName, isNameOfFunctionDeclaration: () => isNameOfFunctionDeclaration, isNameOfModuleDeclaration: () => isNameOfModuleDeclaration, isNamedClassElement: () => isNamedClassElement, isNamedDeclaration: () => isNamedDeclaration, isNamedEvaluation: () => isNamedEvaluation, isNamedEvaluationSource: () => isNamedEvaluationSource, isNamedExportBindings: () => isNamedExportBindings, isNamedExports: () => isNamedExports, isNamedImportBindings: () => isNamedImportBindings, isNamedImports: () => isNamedImports, isNamedImportsOrExports: () => isNamedImportsOrExports, isNamedTupleMember: () => isNamedTupleMember, isNamespaceBody: () => isNamespaceBody, isNamespaceExport: () => isNamespaceExport, isNamespaceExportDeclaration: () => isNamespaceExportDeclaration, isNamespaceImport: () => isNamespaceImport, isNamespaceReexportDeclaration: () => isNamespaceReexportDeclaration, isNewExpression: () => isNewExpression2, isNewExpressionTarget: () => isNewExpressionTarget, isNoSubstitutionTemplateLiteral: () => isNoSubstitutionTemplateLiteral, isNode: () => isNode2, isNodeArray: () => isNodeArray, isNodeArrayMultiLine: () => isNodeArrayMultiLine, isNodeDescendantOf: () => isNodeDescendantOf, isNodeKind: () => isNodeKind, isNodeLikeSystem: () => isNodeLikeSystem, isNodeModulesDirectory: () => isNodeModulesDirectory, isNodeWithPossibleHoistedDeclaration: () => isNodeWithPossibleHoistedDeclaration, isNonContextualKeyword: () => isNonContextualKeyword, isNonExportDefaultModifier: () => isNonExportDefaultModifier, isNonGlobalAmbientModule: () => isNonGlobalAmbientModule, isNonGlobalDeclaration: () => isNonGlobalDeclaration, isNonNullAccess: () => isNonNullAccess, isNonNullChain: () => isNonNullChain, isNonNullExpression: () => isNonNullExpression, isNonStaticMethodOrAccessorWithPrivateName: () => isNonStaticMethodOrAccessorWithPrivateName, isNotEmittedOrPartiallyEmittedNode: () => isNotEmittedOrPartiallyEmittedNode, isNotEmittedStatement: () => isNotEmittedStatement, isNullishCoalesce: () => isNullishCoalesce, isNumber: () => isNumber2, isNumericLiteral: () => isNumericLiteral, isNumericLiteralName: () => isNumericLiteralName, isObjectBindingElementWithoutPropertyName: () => isObjectBindingElementWithoutPropertyName, isObjectBindingOrAssignmentElement: () => isObjectBindingOrAssignmentElement, isObjectBindingOrAssignmentPattern: () => isObjectBindingOrAssignmentPattern, isObjectBindingPattern: () => isObjectBindingPattern, isObjectLiteralElement: () => isObjectLiteralElement, isObjectLiteralElementLike: () => isObjectLiteralElementLike, isObjectLiteralExpression: () => isObjectLiteralExpression, isObjectLiteralMethod: () => isObjectLiteralMethod, isObjectLiteralOrClassExpressionMethodOrAccessor: () => isObjectLiteralOrClassExpressionMethodOrAccessor, isObjectTypeDeclaration: () => isObjectTypeDeclaration, isOctalDigit: () => isOctalDigit, isOmittedExpression: () => isOmittedExpression, isOptionalChain: () => isOptionalChain, isOptionalChainRoot: () => isOptionalChainRoot, isOptionalDeclaration: () => isOptionalDeclaration, isOptionalJSDocPropertyLikeTag: () => isOptionalJSDocPropertyLikeTag, isOptionalTypeNode: () => isOptionalTypeNode, isOuterExpression: () => isOuterExpression, isOutermostOptionalChain: () => isOutermostOptionalChain, isOverrideModifier: () => isOverrideModifier, isPackageJsonInfo: () => isPackageJsonInfo, isPackedArrayLiteral: () => isPackedArrayLiteral, isParameter: () => isParameter, isParameterPropertyDeclaration: () => isParameterPropertyDeclaration, isParameterPropertyModifier: () => isParameterPropertyModifier, isParenthesizedExpression: () => isParenthesizedExpression, isParenthesizedTypeNode: () => isParenthesizedTypeNode, isParseTreeNode: () => isParseTreeNode, isPartOfParameterDeclaration: () => isPartOfParameterDeclaration, isPartOfTypeNode: () => isPartOfTypeNode, isPartOfTypeQuery: () => isPartOfTypeQuery, isPartiallyEmittedExpression: () => isPartiallyEmittedExpression, isPatternMatch: () => isPatternMatch, isPinnedComment: () => isPinnedComment, isPlainJsFile: () => isPlainJsFile, isPlusToken: () => isPlusToken, isPossiblyTypeArgumentPosition: () => isPossiblyTypeArgumentPosition, isPostfixUnaryExpression: () => isPostfixUnaryExpression, isPrefixUnaryExpression: () => isPrefixUnaryExpression, isPrimitiveLiteralValue: () => isPrimitiveLiteralValue, isPrivateIdentifier: () => isPrivateIdentifier, isPrivateIdentifierClassElementDeclaration: () => isPrivateIdentifierClassElementDeclaration, isPrivateIdentifierPropertyAccessExpression: () => isPrivateIdentifierPropertyAccessExpression, isPrivateIdentifierSymbol: () => isPrivateIdentifierSymbol, isProgramBundleEmitBuildInfo: () => isProgramBundleEmitBuildInfo, isProgramUptoDate: () => isProgramUptoDate, isPrologueDirective: () => isPrologueDirective, isPropertyAccessChain: () => isPropertyAccessChain, isPropertyAccessEntityNameExpression: () => isPropertyAccessEntityNameExpression, isPropertyAccessExpression: () => isPropertyAccessExpression, isPropertyAccessOrQualifiedName: () => isPropertyAccessOrQualifiedName, isPropertyAccessOrQualifiedNameOrImportTypeNode: () => isPropertyAccessOrQualifiedNameOrImportTypeNode, isPropertyAssignment: () => isPropertyAssignment, isPropertyDeclaration: () => isPropertyDeclaration, isPropertyName: () => isPropertyName, isPropertyNameLiteral: () => isPropertyNameLiteral, isPropertySignature: () => isPropertySignature, isProtoSetter: () => isProtoSetter, isPrototypeAccess: () => isPrototypeAccess, isPrototypePropertyAssignment: () => isPrototypePropertyAssignment, isPunctuation: () => isPunctuation, isPushOrUnshiftIdentifier: () => isPushOrUnshiftIdentifier, isQualifiedName: () => isQualifiedName, isQuestionDotToken: () => isQuestionDotToken, isQuestionOrExclamationToken: () => isQuestionOrExclamationToken, isQuestionOrPlusOrMinusToken: () => isQuestionOrPlusOrMinusToken, isQuestionToken: () => isQuestionToken, isRawSourceMap: () => isRawSourceMap, isReadonlyKeyword: () => isReadonlyKeyword, isReadonlyKeywordOrPlusOrMinusToken: () => isReadonlyKeywordOrPlusOrMinusToken, isRecognizedTripleSlashComment: () => isRecognizedTripleSlashComment, isReferenceFileLocation: () => isReferenceFileLocation, isReferencedFile: () => isReferencedFile, isRegularExpressionLiteral: () => isRegularExpressionLiteral, isRequireCall: () => isRequireCall, isRequireVariableStatement: () => isRequireVariableStatement, isRestParameter: () => isRestParameter, isRestTypeNode: () => isRestTypeNode, isReturnStatement: () => isReturnStatement, isReturnStatementWithFixablePromiseHandler: () => isReturnStatementWithFixablePromiseHandler, isRightSideOfAccessExpression: () => isRightSideOfAccessExpression, isRightSideOfInstanceofExpression: () => isRightSideOfInstanceofExpression, isRightSideOfPropertyAccess: () => isRightSideOfPropertyAccess, isRightSideOfQualifiedName: () => isRightSideOfQualifiedName, isRightSideOfQualifiedNameOrPropertyAccess: () => isRightSideOfQualifiedNameOrPropertyAccess, isRightSideOfQualifiedNameOrPropertyAccessOrJSDocMemberName: () => isRightSideOfQualifiedNameOrPropertyAccessOrJSDocMemberName, isRootedDiskPath: () => isRootedDiskPath, isSameEntityName: () => isSameEntityName, isSatisfiesExpression: () => isSatisfiesExpression, isScopeMarker: () => isScopeMarker, isSemicolonClassElement: () => isSemicolonClassElement, isSetAccessor: () => isSetAccessor, isSetAccessorDeclaration: () => isSetAccessorDeclaration, isShebangTrivia: () => isShebangTrivia, isShiftOperatorOrHigher: () => isShiftOperatorOrHigher, isShorthandAmbientModuleSymbol: () => isShorthandAmbientModuleSymbol, isShorthandPropertyAssignment: () => isShorthandPropertyAssignment, isSignedNumericLiteral: () => isSignedNumericLiteral, isSimpleCopiableExpression: () => isSimpleCopiableExpression, isSimpleInlineableExpression: () => isSimpleInlineableExpression, isSimpleParameter: () => isSimpleParameter, isSimpleParameterList: () => isSimpleParameterList, isSingleOrDoubleQuote: () => isSingleOrDoubleQuote, isSourceFile: () => isSourceFile, isSourceFileFromLibrary: () => isSourceFileFromLibrary, isSourceFileJS: () => isSourceFileJS, isSourceFileNotJS: () => isSourceFileNotJS, isSourceFileNotJson: () => isSourceFileNotJson, isSourceMapping: () => isSourceMapping, isSpecialPropertyDeclaration: () => isSpecialPropertyDeclaration, isSpreadAssignment: () => isSpreadAssignment, isSpreadElement: () => isSpreadElement, isStatement: () => isStatement, isStatementButNotDeclaration: () => isStatementButNotDeclaration, isStatementOrBlock: () => isStatementOrBlock, isStatementWithLocals: () => isStatementWithLocals, isStatic: () => isStatic, isStaticModifier: () => isStaticModifier, isString: () => isString2, isStringAKeyword: () => isStringAKeyword, isStringANonContextualKeyword: () => isStringANonContextualKeyword, isStringAndEmptyAnonymousObjectIntersection: () => isStringAndEmptyAnonymousObjectIntersection, isStringDoubleQuoted: () => isStringDoubleQuoted, isStringLiteral: () => isStringLiteral2, isStringLiteralLike: () => isStringLiteralLike, isStringLiteralOrJsxExpression: () => isStringLiteralOrJsxExpression, isStringLiteralOrTemplate: () => isStringLiteralOrTemplate, isStringOrNumericLiteralLike: () => isStringOrNumericLiteralLike, isStringOrRegularExpressionOrTemplateLiteral: () => isStringOrRegularExpressionOrTemplateLiteral, isStringTextContainingNode: () => isStringTextContainingNode, isSuperCall: () => isSuperCall, isSuperKeyword: () => isSuperKeyword, isSuperOrSuperProperty: () => isSuperOrSuperProperty, isSuperProperty: () => isSuperProperty, isSupportedSourceFileName: () => isSupportedSourceFileName, isSwitchStatement: () => isSwitchStatement, isSyntaxList: () => isSyntaxList, isSyntheticExpression: () => isSyntheticExpression, isSyntheticReference: () => isSyntheticReference, isTagName: () => isTagName, isTaggedTemplateExpression: () => isTaggedTemplateExpression, isTaggedTemplateTag: () => isTaggedTemplateTag, isTemplateExpression: () => isTemplateExpression, isTemplateHead: () => isTemplateHead, isTemplateLiteral: () => isTemplateLiteral, isTemplateLiteralKind: () => isTemplateLiteralKind, isTemplateLiteralToken: () => isTemplateLiteralToken, isTemplateLiteralTypeNode: () => isTemplateLiteralTypeNode, isTemplateLiteralTypeSpan: () => isTemplateLiteralTypeSpan, isTemplateMiddle: () => isTemplateMiddle, isTemplateMiddleOrTemplateTail: () => isTemplateMiddleOrTemplateTail, isTemplateSpan: () => isTemplateSpan, isTemplateTail: () => isTemplateTail, isTextWhiteSpaceLike: () => isTextWhiteSpaceLike, isThis: () => isThis, isThisContainerOrFunctionBlock: () => isThisContainerOrFunctionBlock, isThisIdentifier: () => isThisIdentifier, isThisInTypeQuery: () => isThisInTypeQuery, isThisInitializedDeclaration: () => isThisInitializedDeclaration, isThisInitializedObjectBindingExpression: () => isThisInitializedObjectBindingExpression, isThisProperty: () => isThisProperty, isThisTypeNode: () => isThisTypeNode, isThisTypeParameter: () => isThisTypeParameter, isThisTypePredicate: () => isThisTypePredicate, isThrowStatement: () => isThrowStatement, isToken: () => isToken, isTokenKind: () => isTokenKind, isTraceEnabled: () => isTraceEnabled, isTransientSymbol: () => isTransientSymbol, isTrivia: () => isTrivia, isTryStatement: () => isTryStatement, isTupleTypeNode: () => isTupleTypeNode, isTypeAlias: () => isTypeAlias, isTypeAliasDeclaration: () => isTypeAliasDeclaration, isTypeAssertionExpression: () => isTypeAssertionExpression, isTypeDeclaration: () => isTypeDeclaration, isTypeElement: () => isTypeElement, isTypeKeyword: () => isTypeKeyword, isTypeKeywordToken: () => isTypeKeywordToken, isTypeKeywordTokenOrIdentifier: () => isTypeKeywordTokenOrIdentifier, isTypeLiteralNode: () => isTypeLiteralNode, isTypeNode: () => isTypeNode, isTypeNodeKind: () => isTypeNodeKind, isTypeOfExpression: () => isTypeOfExpression, isTypeOnlyExportDeclaration: () => isTypeOnlyExportDeclaration, isTypeOnlyImportDeclaration: () => isTypeOnlyImportDeclaration, isTypeOnlyImportOrExportDeclaration: () => isTypeOnlyImportOrExportDeclaration, isTypeOperatorNode: () => isTypeOperatorNode, isTypeParameterDeclaration: () => isTypeParameterDeclaration, isTypePredicateNode: () => isTypePredicateNode, isTypeQueryNode: () => isTypeQueryNode, isTypeReferenceNode: () => isTypeReferenceNode, isTypeReferenceType: () => isTypeReferenceType, isTypeUsableAsPropertyName: () => isTypeUsableAsPropertyName, isUMDExportSymbol: () => isUMDExportSymbol, isUnaryExpression: () => isUnaryExpression, isUnaryExpressionWithWrite: () => isUnaryExpressionWithWrite, isUnicodeIdentifierStart: () => isUnicodeIdentifierStart, isUnionTypeNode: () => isUnionTypeNode, isUrl: () => isUrl, isValidBigIntString: () => isValidBigIntString, isValidESSymbolDeclaration: () => isValidESSymbolDeclaration, isValidTypeOnlyAliasUseSite: () => isValidTypeOnlyAliasUseSite, isValueSignatureDeclaration: () => isValueSignatureDeclaration, isVarAwaitUsing: () => isVarAwaitUsing, isVarConst: () => isVarConst, isVarConstLike: () => isVarConstLike, isVarUsing: () => isVarUsing, isVariableDeclaration: () => isVariableDeclaration, isVariableDeclarationInVariableStatement: () => isVariableDeclarationInVariableStatement, isVariableDeclarationInitializedToBareOrAccessedRequire: () => isVariableDeclarationInitializedToBareOrAccessedRequire, isVariableDeclarationInitializedToRequire: () => isVariableDeclarationInitializedToRequire, isVariableDeclarationList: () => isVariableDeclarationList, isVariableLike: () => isVariableLike, isVariableLikeOrAccessor: () => isVariableLikeOrAccessor, isVariableStatement: () => isVariableStatement, isVoidExpression: () => isVoidExpression, isWatchSet: () => isWatchSet, isWhileStatement: () => isWhileStatement, isWhiteSpaceLike: () => isWhiteSpaceLike, isWhiteSpaceSingleLine: () => isWhiteSpaceSingleLine, isWithStatement: () => isWithStatement, isWriteAccess: () => isWriteAccess, isWriteOnlyAccess: () => isWriteOnlyAccess, isYieldExpression: () => isYieldExpression, jsxModeNeedsExplicitImport: () => jsxModeNeedsExplicitImport, keywordPart: () => keywordPart, last: () => last, lastOrUndefined: () => lastOrUndefined, length: () => length, libMap: () => libMap, libs: () => libs, lineBreakPart: () => lineBreakPart, linkNamePart: () => linkNamePart, linkPart: () => linkPart, linkTextPart: () => linkTextPart, listFiles: () => listFiles, loadModuleFromGlobalCache: () => loadModuleFromGlobalCache, loadWithModeAwareCache: () => loadWithModeAwareCache, makeIdentifierFromModuleName: () => makeIdentifierFromModuleName, makeImport: () => makeImport, makeStringLiteral: () => makeStringLiteral, mangleScopedPackageName: () => mangleScopedPackageName, map: () => map, mapAllOrFail: () => mapAllOrFail, mapDefined: () => mapDefined, mapDefinedEntries: () => mapDefinedEntries, mapDefinedIterator: () => mapDefinedIterator, mapEntries: () => mapEntries, mapIterator: () => mapIterator, mapOneOrMany: () => mapOneOrMany, mapToDisplayParts: () => mapToDisplayParts, matchFiles: () => matchFiles, matchPatternOrExact: () => matchPatternOrExact, matchedText: () => matchedText, matchesExclude: () => matchesExclude, maybeBind: () => maybeBind, maybeSetLocalizedDiagnosticMessages: () => maybeSetLocalizedDiagnosticMessages, memoize: () => memoize, memoizeCached: () => memoizeCached, memoizeOne: () => memoizeOne, memoizeWeak: () => memoizeWeak, metadataHelper: () => metadataHelper, min: () => min, minAndMax: () => minAndMax, missingFileModifiedTime: () => missingFileModifiedTime, modifierToFlag: () => modifierToFlag, modifiersToFlags: () => modifiersToFlags, moduleOptionDeclaration: () => moduleOptionDeclaration, moduleResolutionIsEqualTo: () => moduleResolutionIsEqualTo, moduleResolutionNameAndModeGetter: () => moduleResolutionNameAndModeGetter, moduleResolutionOptionDeclarations: () => moduleResolutionOptionDeclarations, moduleResolutionSupportsPackageJsonExportsAndImports: () => moduleResolutionSupportsPackageJsonExportsAndImports, moduleResolutionUsesNodeModules: () => moduleResolutionUsesNodeModules, moduleSpecifierToValidIdentifier: () => moduleSpecifierToValidIdentifier, moduleSpecifiers: () => ts_moduleSpecifiers_exports, moduleSymbolToValidIdentifier: () => moduleSymbolToValidIdentifier, moveEmitHelpers: () => moveEmitHelpers, moveRangeEnd: () => moveRangeEnd, moveRangePastDecorators: () => moveRangePastDecorators, moveRangePastModifiers: () => moveRangePastModifiers, moveRangePos: () => moveRangePos, moveSyntheticComments: () => moveSyntheticComments, mutateMap: () => mutateMap, mutateMapSkippingNewValues: () => mutateMapSkippingNewValues, needsParentheses: () => needsParentheses2, needsScopeMarker: () => needsScopeMarker, newCaseClauseTracker: () => newCaseClauseTracker, newPrivateEnvironment: () => newPrivateEnvironment, noEmitNotification: () => noEmitNotification, noEmitSubstitution: () => noEmitSubstitution, noTransformers: () => noTransformers, noTruncationMaximumTruncationLength: () => noTruncationMaximumTruncationLength, nodeCanBeDecorated: () => nodeCanBeDecorated, nodeHasName: () => nodeHasName, nodeIsDecorated: () => nodeIsDecorated, nodeIsMissing: () => nodeIsMissing, nodeIsPresent: () => nodeIsPresent, nodeIsSynthesized: () => nodeIsSynthesized, nodeModuleNameResolver: () => nodeModuleNameResolver, nodeModulesPathPart: () => nodeModulesPathPart, nodeNextJsonConfigResolver: () => nodeNextJsonConfigResolver, nodeOrChildIsDecorated: () => nodeOrChildIsDecorated, nodeOverlapsWithStartEnd: () => nodeOverlapsWithStartEnd, nodePosToString: () => nodePosToString, nodeSeenTracker: () => nodeSeenTracker, nodeStartsNewLexicalEnvironment: () => nodeStartsNewLexicalEnvironment, nodeToDisplayParts: () => nodeToDisplayParts, noop: () => noop2, noopFileWatcher: () => noopFileWatcher, normalizePath: () => normalizePath, normalizeSlashes: () => normalizeSlashes, not: () => not, notImplemented: () => notImplemented, notImplementedResolver: () => notImplementedResolver, nullNodeConverters: () => nullNodeConverters, nullParenthesizerRules: () => nullParenthesizerRules, nullTransformationContext: () => nullTransformationContext, objectAllocator: () => objectAllocator, operatorPart: () => operatorPart, optionDeclarations: () => optionDeclarations, optionMapToObject: () => optionMapToObject, optionsAffectingProgramStructure: () => optionsAffectingProgramStructure, optionsForBuild: () => optionsForBuild, optionsForWatch: () => optionsForWatch, optionsHaveChanges: () => optionsHaveChanges, optionsHaveModuleResolutionChanges: () => optionsHaveModuleResolutionChanges, or: () => or, orderedRemoveItem: () => orderedRemoveItem, orderedRemoveItemAt: () => orderedRemoveItemAt, packageIdToPackageName: () => packageIdToPackageName, packageIdToString: () => packageIdToString, paramHelper: () => paramHelper, parameterIsThisKeyword: () => parameterIsThisKeyword, parameterNamePart: () => parameterNamePart, parseBaseNodeFactory: () => parseBaseNodeFactory, parseBigInt: () => parseBigInt, parseBuildCommand: () => parseBuildCommand, parseCommandLine: () => parseCommandLine, parseCommandLineWorker: () => parseCommandLineWorker, parseConfigFileTextToJson: () => parseConfigFileTextToJson, parseConfigFileWithSystem: () => parseConfigFileWithSystem, parseConfigHostFromCompilerHostLike: () => parseConfigHostFromCompilerHostLike, parseCustomTypeOption: () => parseCustomTypeOption, parseIsolatedEntityName: () => parseIsolatedEntityName, parseIsolatedJSDocComment: () => parseIsolatedJSDocComment, parseJSDocTypeExpressionForTests: () => parseJSDocTypeExpressionForTests, parseJsonConfigFileContent: () => parseJsonConfigFileContent, parseJsonSourceFileConfigFileContent: () => parseJsonSourceFileConfigFileContent, parseJsonText: () => parseJsonText, parseListTypeOption: () => parseListTypeOption, parseNodeFactory: () => parseNodeFactory, parseNodeModuleFromPath: () => parseNodeModuleFromPath, parsePackageName: () => parsePackageName, parsePseudoBigInt: () => parsePseudoBigInt, parseValidBigInt: () => parseValidBigInt, pasteEdits: () => ts_PasteEdits_exports, patchWriteFileEnsuringDirectory: () => patchWriteFileEnsuringDirectory, pathContainsNodeModules: () => pathContainsNodeModules, pathIsAbsolute: () => pathIsAbsolute, pathIsBareSpecifier: () => pathIsBareSpecifier, pathIsRelative: () => pathIsRelative, patternText: () => patternText, perfLogger: () => perfLogger, performIncrementalCompilation: () => performIncrementalCompilation, performance: () => ts_performance_exports, plainJSErrors: () => plainJSErrors, positionBelongsToNode: () => positionBelongsToNode, positionIsASICandidate: () => positionIsASICandidate, positionIsSynthesized: () => positionIsSynthesized, positionsAreOnSameLine: () => positionsAreOnSameLine, preProcessFile: () => preProcessFile, probablyUsesSemicolons: () => probablyUsesSemicolons, processCommentPragmas: () => processCommentPragmas, processPragmasIntoFields: () => processPragmasIntoFields, processTaggedTemplateExpression: () => processTaggedTemplateExpression, programContainsEsModules: () => programContainsEsModules, programContainsModules: () => programContainsModules, projectReferenceIsEqualTo: () => projectReferenceIsEqualTo, propKeyHelper: () => propKeyHelper, propertyNamePart: () => propertyNamePart, pseudoBigIntToString: () => pseudoBigIntToString, punctuationPart: () => punctuationPart, pushIfUnique: () => pushIfUnique, quote: () => quote, quotePreferenceFromString: () => quotePreferenceFromString, rangeContainsPosition: () => rangeContainsPosition, rangeContainsPositionExclusive: () => rangeContainsPositionExclusive, rangeContainsRange: () => rangeContainsRange, rangeContainsRangeExclusive: () => rangeContainsRangeExclusive, rangeContainsStartEnd: () => rangeContainsStartEnd, rangeEndIsOnSameLineAsRangeStart: () => rangeEndIsOnSameLineAsRangeStart, rangeEndPositionsAreOnSameLine: () => rangeEndPositionsAreOnSameLine, rangeEquals: () => rangeEquals, rangeIsOnSingleLine: () => rangeIsOnSingleLine, rangeOfNode: () => rangeOfNode, rangeOfTypeParameters: () => rangeOfTypeParameters, rangeOverlapsWithStartEnd: () => rangeOverlapsWithStartEnd, rangeStartIsOnSameLineAsRangeEnd: () => rangeStartIsOnSameLineAsRangeEnd, rangeStartPositionsAreOnSameLine: () => rangeStartPositionsAreOnSameLine, readBuilderProgram: () => readBuilderProgram, readConfigFile: () => readConfigFile, readHelper: () => readHelper, readJson: () => readJson, readJsonConfigFile: () => readJsonConfigFile, readJsonOrUndefined: () => readJsonOrUndefined, reduceEachLeadingCommentRange: () => reduceEachLeadingCommentRange, reduceEachTrailingCommentRange: () => reduceEachTrailingCommentRange, reduceLeft: () => reduceLeft, reduceLeftIterator: () => reduceLeftIterator, reducePathComponents: () => reducePathComponents, refactor: () => ts_refactor_exports, regExpEscape: () => regExpEscape, regularExpressionFlagToCharacter: () => regularExpressionFlagToCharacter, relativeComplement: () => relativeComplement, removeAllComments: () => removeAllComments, removeEmitHelper: () => removeEmitHelper, removeExtension: () => removeExtension, removeFileExtension: () => removeFileExtension, removeIgnoredPath: () => removeIgnoredPath, removeMinAndVersionNumbers: () => removeMinAndVersionNumbers, removeOptionality: () => removeOptionality, removePrefix: () => removePrefix, removeSuffix: () => removeSuffix, removeTrailingDirectorySeparator: () => removeTrailingDirectorySeparator, repeatString: () => repeatString, replaceElement: () => replaceElement, replaceFirstStar: () => replaceFirstStar, resolutionExtensionIsTSOrJson: () => resolutionExtensionIsTSOrJson, resolveConfigFileProjectName: () => resolveConfigFileProjectName, resolveJSModule: () => resolveJSModule, resolveLibrary: () => resolveLibrary, resolveModuleName: () => resolveModuleName, resolveModuleNameFromCache: () => resolveModuleNameFromCache, resolvePackageNameToPackageJson: () => resolvePackageNameToPackageJson, resolvePath: () => resolvePath, resolveProjectReferencePath: () => resolveProjectReferencePath, resolveTripleslashReference: () => resolveTripleslashReference, resolveTypeReferenceDirective: () => resolveTypeReferenceDirective, resolvingEmptyArray: () => resolvingEmptyArray, restHelper: () => restHelper, returnFalse: () => returnFalse, returnNoopFileWatcher: () => returnNoopFileWatcher, returnTrue: () => returnTrue, returnUndefined: () => returnUndefined, returnsPromise: () => returnsPromise, runInitializersHelper: () => runInitializersHelper, sameFlatMap: () => sameFlatMap, sameMap: () => sameMap, sameMapping: () => sameMapping, scanShebangTrivia: () => scanShebangTrivia, scanTokenAtPosition: () => scanTokenAtPosition, scanner: () => scanner, screenStartingMessageCodes: () => screenStartingMessageCodes, semanticDiagnosticsOptionDeclarations: () => semanticDiagnosticsOptionDeclarations, serializeCompilerOptions: () => serializeCompilerOptions, server: () => ts_server_exports4, servicesVersion: () => servicesVersion, setCommentRange: () => setCommentRange, setConfigFileInOptions: () => setConfigFileInOptions, setConstantValue: () => setConstantValue, setEachParent: () => setEachParent, setEmitFlags: () => setEmitFlags, setFunctionNameHelper: () => setFunctionNameHelper, setGetSourceFileAsHashVersioned: () => setGetSourceFileAsHashVersioned, setIdentifierAutoGenerate: () => setIdentifierAutoGenerate, setIdentifierGeneratedImportReference: () => setIdentifierGeneratedImportReference, setIdentifierTypeArguments: () => setIdentifierTypeArguments, setInternalEmitFlags: () => setInternalEmitFlags, setLocalizedDiagnosticMessages: () => setLocalizedDiagnosticMessages, setModuleDefaultHelper: () => setModuleDefaultHelper, setNodeChildren: () => setNodeChildren, setNodeFlags: () => setNodeFlags, setObjectAllocator: () => setObjectAllocator, setOriginalNode: () => setOriginalNode, setParent: () => setParent, setParentRecursive: () => setParentRecursive, setPrivateIdentifier: () => setPrivateIdentifier, setSnippetElement: () => setSnippetElement, setSourceMapRange: () => setSourceMapRange, setStackTraceLimit: () => setStackTraceLimit, setStartsOnNewLine: () => setStartsOnNewLine, setSyntheticLeadingComments: () => setSyntheticLeadingComments, setSyntheticTrailingComments: () => setSyntheticTrailingComments, setSys: () => setSys, setSysLog: () => setSysLog, setTextRange: () => setTextRange, setTextRangeEnd: () => setTextRangeEnd, setTextRangePos: () => setTextRangePos, setTextRangePosEnd: () => setTextRangePosEnd, setTextRangePosWidth: () => setTextRangePosWidth, setTokenSourceMapRange: () => setTokenSourceMapRange, setTypeNode: () => setTypeNode, setUILocale: () => setUILocale, setValueDeclaration: () => setValueDeclaration, shouldAllowImportingTsExtension: () => shouldAllowImportingTsExtension, shouldPreserveConstEnums: () => shouldPreserveConstEnums, shouldUseUriStyleNodeCoreModules: () => shouldUseUriStyleNodeCoreModules, showModuleSpecifier: () => showModuleSpecifier, signatureHasLiteralTypes: () => signatureHasLiteralTypes, signatureHasRestParameter: () => signatureHasRestParameter, signatureToDisplayParts: () => signatureToDisplayParts, single: () => single, singleElementArray: () => singleElementArray, singleIterator: () => singleIterator, singleOrMany: () => singleOrMany, singleOrUndefined: () => singleOrUndefined, skipAlias: () => skipAlias, skipAssertions: () => skipAssertions, skipConstraint: () => skipConstraint, skipOuterExpressions: () => skipOuterExpressions, skipParentheses: () => skipParentheses, skipPartiallyEmittedExpressions: () => skipPartiallyEmittedExpressions, skipTrivia: () => skipTrivia, skipTypeChecking: () => skipTypeChecking, skipTypeParentheses: () => skipTypeParentheses, skipWhile: () => skipWhile, sliceAfter: () => sliceAfter, some: () => some, sort: () => sort, sortAndDeduplicate: () => sortAndDeduplicate, sortAndDeduplicateDiagnostics: () => sortAndDeduplicateDiagnostics, sourceFileAffectingCompilerOptions: () => sourceFileAffectingCompilerOptions, sourceFileMayBeEmitted: () => sourceFileMayBeEmitted, sourceMapCommentRegExp: () => sourceMapCommentRegExp, sourceMapCommentRegExpDontCareLineStart: () => sourceMapCommentRegExpDontCareLineStart, spacePart: () => spacePart, spanMap: () => spanMap, spreadArrayHelper: () => spreadArrayHelper, stableSort: () => stableSort, startEndContainsRange: () => startEndContainsRange, startEndOverlapsWithStartEnd: () => startEndOverlapsWithStartEnd, startOnNewLine: () => startOnNewLine, startTracing: () => startTracing, startsWith: () => startsWith2, startsWithDirectory: () => startsWithDirectory, startsWithUnderscore: () => startsWithUnderscore, startsWithUseStrict: () => startsWithUseStrict, stringContainsAt: () => stringContainsAt, stringToToken: () => stringToToken, stripQuotes: () => stripQuotes, supportedDeclarationExtensions: () => supportedDeclarationExtensions, supportedJSExtensions: () => supportedJSExtensions, supportedJSExtensionsFlat: () => supportedJSExtensionsFlat, supportedLocaleDirectories: () => supportedLocaleDirectories, supportedTSExtensions: () => supportedTSExtensions, supportedTSExtensionsFlat: () => supportedTSExtensionsFlat, supportedTSImplementationExtensions: () => supportedTSImplementationExtensions, suppressLeadingAndTrailingTrivia: () => suppressLeadingAndTrailingTrivia, suppressLeadingTrivia: () => suppressLeadingTrivia, suppressTrailingTrivia: () => suppressTrailingTrivia, symbolEscapedNameNoDefault: () => symbolEscapedNameNoDefault, symbolName: () => symbolName, symbolNameNoDefault: () => symbolNameNoDefault, symbolPart: () => symbolPart, symbolToDisplayParts: () => symbolToDisplayParts, syntaxMayBeASICandidate: () => syntaxMayBeASICandidate, syntaxRequiresTrailingSemicolonOrASI: () => syntaxRequiresTrailingSemicolonOrASI, sys: () => sys, sysLog: () => sysLog, tagNamesAreEquivalent: () => tagNamesAreEquivalent, takeWhile: () => takeWhile, targetOptionDeclaration: () => targetOptionDeclaration, templateObjectHelper: () => templateObjectHelper, testFormatSettings: () => testFormatSettings, textChangeRangeIsUnchanged: () => textChangeRangeIsUnchanged, textChangeRangeNewSpan: () => textChangeRangeNewSpan, textChanges: () => ts_textChanges_exports, textOrKeywordPart: () => textOrKeywordPart, textPart: () => textPart, textRangeContainsPositionInclusive: () => textRangeContainsPositionInclusive, textSpanContainsPosition: () => textSpanContainsPosition, textSpanContainsTextSpan: () => textSpanContainsTextSpan, textSpanEnd: () => textSpanEnd, textSpanIntersection: () => textSpanIntersection, textSpanIntersectsWith: () => textSpanIntersectsWith, textSpanIntersectsWithPosition: () => textSpanIntersectsWithPosition, textSpanIntersectsWithTextSpan: () => textSpanIntersectsWithTextSpan, textSpanIsEmpty: () => textSpanIsEmpty, textSpanOverlap: () => textSpanOverlap, textSpanOverlapsWith: () => textSpanOverlapsWith, textSpansEqual: () => textSpansEqual, textToKeywordObj: () => textToKeywordObj, timestamp: () => timestamp, toArray: () => toArray, toBuilderFileEmit: () => toBuilderFileEmit, toBuilderStateFileInfoForMultiEmit: () => toBuilderStateFileInfoForMultiEmit, toEditorSettings: () => toEditorSettings, toFileNameLowerCase: () => toFileNameLowerCase, toLowerCase: () => toLowerCase, toPath: () => toPath3, toProgramEmitPending: () => toProgramEmitPending, tokenIsIdentifierOrKeyword: () => tokenIsIdentifierOrKeyword, tokenIsIdentifierOrKeywordOrGreaterThan: () => tokenIsIdentifierOrKeywordOrGreaterThan, tokenToString: () => tokenToString, trace: () => trace, tracing: () => tracing, tracingEnabled: () => tracingEnabled, transform: () => transform, transformClassFields: () => transformClassFields, transformDeclarations: () => transformDeclarations, transformECMAScriptModule: () => transformECMAScriptModule, transformES2015: () => transformES2015, transformES2016: () => transformES2016, transformES2017: () => transformES2017, transformES2018: () => transformES2018, transformES2019: () => transformES2019, transformES2020: () => transformES2020, transformES2021: () => transformES2021, transformESDecorators: () => transformESDecorators, transformESNext: () => transformESNext, transformGenerators: () => transformGenerators, transformJsx: () => transformJsx, transformLegacyDecorators: () => transformLegacyDecorators, transformModule: () => transformModule, transformNamedEvaluation: () => transformNamedEvaluation, transformNodeModule: () => transformNodeModule, transformNodes: () => transformNodes, transformSystemModule: () => transformSystemModule, transformTypeScript: () => transformTypeScript, transpile: () => transpile, transpileDeclaration: () => transpileDeclaration, transpileModule: () => transpileModule, transpileOptionValueCompilerOptions: () => transpileOptionValueCompilerOptions, tryAddToSet: () => tryAddToSet, tryAndIgnoreErrors: () => tryAndIgnoreErrors, tryCast: () => tryCast, tryDirectoryExists: () => tryDirectoryExists, tryExtractTSExtension: () => tryExtractTSExtension, tryFileExists: () => tryFileExists, tryGetClassExtendingExpressionWithTypeArguments: () => tryGetClassExtendingExpressionWithTypeArguments, tryGetClassImplementingOrExtendingExpressionWithTypeArguments: () => tryGetClassImplementingOrExtendingExpressionWithTypeArguments, tryGetDirectories: () => tryGetDirectories, tryGetExtensionFromPath: () => tryGetExtensionFromPath2, tryGetImportFromModuleSpecifier: () => tryGetImportFromModuleSpecifier, tryGetJSDocSatisfiesTypeNode: () => tryGetJSDocSatisfiesTypeNode, tryGetModuleNameFromFile: () => tryGetModuleNameFromFile, tryGetModuleSpecifierFromDeclaration: () => tryGetModuleSpecifierFromDeclaration, tryGetNativePerformanceHooks: () => tryGetNativePerformanceHooks, tryGetPropertyAccessOrIdentifierToString: () => tryGetPropertyAccessOrIdentifierToString, tryGetPropertyNameOfBindingOrAssignmentElement: () => tryGetPropertyNameOfBindingOrAssignmentElement, tryGetSourceMappingURL: () => tryGetSourceMappingURL, tryGetTextOfPropertyName: () => tryGetTextOfPropertyName, tryIOAndConsumeErrors: () => tryIOAndConsumeErrors, tryParseJson: () => tryParseJson, tryParsePattern: () => tryParsePattern, tryParsePatterns: () => tryParsePatterns, tryParseRawSourceMap: () => tryParseRawSourceMap, tryReadDirectory: () => tryReadDirectory, tryReadFile: () => tryReadFile, tryRemoveDirectoryPrefix: () => tryRemoveDirectoryPrefix, tryRemoveExtension: () => tryRemoveExtension, tryRemovePrefix: () => tryRemovePrefix, tryRemoveSuffix: () => tryRemoveSuffix, typeAcquisitionDeclarations: () => typeAcquisitionDeclarations, typeAliasNamePart: () => typeAliasNamePart, typeDirectiveIsEqualTo: () => typeDirectiveIsEqualTo, typeKeywords: () => typeKeywords, typeParameterNamePart: () => typeParameterNamePart, typeToDisplayParts: () => typeToDisplayParts, unchangedPollThresholds: () => unchangedPollThresholds, unchangedTextChangeRange: () => unchangedTextChangeRange, unescapeLeadingUnderscores: () => unescapeLeadingUnderscores, unmangleScopedPackageName: () => unmangleScopedPackageName, unorderedRemoveItem: () => unorderedRemoveItem, unorderedRemoveItemAt: () => unorderedRemoveItemAt, unreachableCodeIsError: () => unreachableCodeIsError, unsetNodeChildren: () => unsetNodeChildren, unusedLabelIsError: () => unusedLabelIsError, unwrapInnermostStatementOfLabel: () => unwrapInnermostStatementOfLabel, unwrapParenthesizedExpression: () => unwrapParenthesizedExpression, updateErrorForNoInputFiles: () => updateErrorForNoInputFiles, updateLanguageServiceSourceFile: () => updateLanguageServiceSourceFile, updateMissingFilePathsWatch: () => updateMissingFilePathsWatch, updateResolutionField: () => updateResolutionField, updateSharedExtendedConfigFileWatcher: () => updateSharedExtendedConfigFileWatcher, updateSourceFile: () => updateSourceFile, updateWatchingWildcardDirectories: () => updateWatchingWildcardDirectories, usesExtensionsOnImports: () => usesExtensionsOnImports, usingSingleLineStringWriter: () => usingSingleLineStringWriter, utf16EncodeAsString: () => utf16EncodeAsString, validateLocaleAndSetLanguage: () => validateLocaleAndSetLanguage, valuesHelper: () => valuesHelper, version: () => version, versionMajorMinor: () => versionMajorMinor, visitArray: () => visitArray, visitCommaListElements: () => visitCommaListElements, visitEachChild: () => visitEachChild, visitFunctionBody: () => visitFunctionBody, visitIterationBody: () => visitIterationBody, visitLexicalEnvironment: () => visitLexicalEnvironment, visitNode: () => visitNode, visitNodes: () => visitNodes2, visitParameterList: () => visitParameterList, walkUpBindingElementsAndPatterns: () => walkUpBindingElementsAndPatterns, walkUpLexicalEnvironments: () => walkUpLexicalEnvironments, walkUpOuterExpressions: () => walkUpOuterExpressions, walkUpParenthesizedExpressions: () => walkUpParenthesizedExpressions, walkUpParenthesizedTypes: () => walkUpParenthesizedTypes, walkUpParenthesizedTypesAndGetParentAndChild: () => walkUpParenthesizedTypesAndGetParentAndChild, whitespaceOrMapCommentRegExp: () => whitespaceOrMapCommentRegExp, writeCommentRange: () => writeCommentRange, writeFile: () => writeFile, writeFileEnsuringDirectories: () => writeFileEnsuringDirectories, zipWith: () => zipWith }); module3.exports = __toCommonJS2(typescript_exports); var versionMajorMinor = "5.5"; var version = "5.5.3"; var Comparison = /* @__PURE__ */ ((Comparison3) => { Comparison3[Comparison3["LessThan"] = -1] = "LessThan"; Comparison3[Comparison3["EqualTo"] = 0] = "EqualTo"; Comparison3[Comparison3["GreaterThan"] = 1] = "GreaterThan"; return Comparison3; })(Comparison || {}); var emptyArray = []; var emptyMap = /* @__PURE__ */ new Map(); var emptySet = /* @__PURE__ */ new Set(); function length(array) { return array ? array.length : 0; } function forEach(array, callback) { if (array) { for (let i = 0; i < array.length; i++) { const result = callback(array[i], i); if (result) { return result; } } } return void 0; } function forEachRight(array, callback) { if (array) { for (let i = array.length - 1; i >= 0; i--) { const result = callback(array[i], i); if (result) { return result; } } } return void 0; } function firstDefined(array, callback) { if (array === void 0) { return void 0; } for (let i = 0; i < array.length; i++) { const result = callback(array[i], i); if (result !== void 0) { return result; } } return void 0; } function firstDefinedIterator(iter, callback) { for (const value of iter) { const result = callback(value); if (result !== void 0) { return result; } } return void 0; } function reduceLeftIterator(iterator, f, initial) { let result = initial; if (iterator) { let pos = 0; for (const value of iterator) { result = f(result, value, pos); pos++; } } return result; } function zipWith(arrayA, arrayB, callback) { const result = []; Debug.assertEqual(arrayA.length, arrayB.length); for (let i = 0; i < arrayA.length; i++) { result.push(callback(arrayA[i], arrayB[i], i)); } return result; } function intersperse(input, element) { if (input.length <= 1) { return input; } const result = []; for (let i = 0, n = input.length; i < n; i++) { if (i) result.push(element); result.push(input[i]); } return result; } function every(array, callback) { if (array) { for (let i = 0; i < array.length; i++) { if (!callback(array[i], i)) { return false; } } } return true; } function find(array, predicate, startIndex) { if (array === void 0) return void 0; for (let i = startIndex ?? 0; i < array.length; i++) { const value = array[i]; if (predicate(value, i)) { return value; } } return void 0; } function findLast(array, predicate, startIndex) { if (array === void 0) return void 0; for (let i = startIndex ?? array.length - 1; i >= 0; i--) { const value = array[i]; if (predicate(value, i)) { return value; } } return void 0; } function findIndex(array, predicate, startIndex) { if (array === void 0) return -1; for (let i = startIndex ?? 0; i < array.length; i++) { if (predicate(array[i], i)) { return i; } } return -1; } function findLastIndex(array, predicate, startIndex) { if (array === void 0) return -1; for (let i = startIndex ?? array.length - 1; i >= 0; i--) { if (predicate(array[i], i)) { return i; } } return -1; } function findMap(array, callback) { for (let i = 0; i < array.length; i++) { const result = callback(array[i], i); if (result) { return result; } } return Debug.fail(); } function contains(array, value, equalityComparer = equateValues) { if (array) { for (const v of array) { if (equalityComparer(v, value)) { return true; } } } return false; } function arraysEqual(a, b, equalityComparer = equateValues) { return a.length === b.length && a.every((x, i) => equalityComparer(x, b[i])); } function indexOfAnyCharCode(text, charCodes, start) { for (let i = start || 0; i < text.length; i++) { if (contains(charCodes, text.charCodeAt(i))) { return i; } } return -1; } function countWhere(array, predicate) { let count = 0; if (array) { for (let i = 0; i < array.length; i++) { const v = array[i]; if (predicate(v, i)) { count++; } } } return count; } function filter(array, f) { if (array) { const len = array.length; let i = 0; while (i < len && f(array[i])) i++; if (i < len) { const result = array.slice(0, i); i++; while (i < len) { const item = array[i]; if (f(item)) { result.push(item); } i++; } return result; } } return array; } function filterMutate(array, f) { let outIndex = 0; for (let i = 0; i < array.length; i++) { if (f(array[i], i, array)) { array[outIndex] = array[i]; outIndex++; } } array.length = outIndex; } function clear(array) { array.length = 0; } function map(array, f) { let result; if (array) { result = []; for (let i = 0; i < array.length; i++) { result.push(f(array[i], i)); } } return result; } function* mapIterator(iter, mapFn) { for (const x of iter) { yield mapFn(x); } } function sameMap(array, f) { if (array) { for (let i = 0; i < array.length; i++) { const item = array[i]; const mapped = f(item, i); if (item !== mapped) { const result = array.slice(0, i); result.push(mapped); for (i++; i < array.length; i++) { result.push(f(array[i], i)); } return result; } } } return array; } function flatten(array) { const result = []; for (const v of array) { if (v) { if (isArray3(v)) { addRange(result, v); } else { result.push(v); } } } return result; } function flatMap(array, mapfn) { let result; if (array) { for (let i = 0; i < array.length; i++) { const v = mapfn(array[i], i); if (v) { if (isArray3(v)) { result = addRange(result, v); } else { result = append(result, v); } } } } return result || emptyArray; } function flatMapToMutable(array, mapfn) { const result = []; if (array) { for (let i = 0; i < array.length; i++) { const v = mapfn(array[i], i); if (v) { if (isArray3(v)) { addRange(result, v); } else { result.push(v); } } } } return result; } function* flatMapIterator(iter, mapfn) { for (const x of iter) { const iter2 = mapfn(x); if (!iter2) continue; yield* iter2; } } function sameFlatMap(array, mapfn) { let result; if (array) { for (let i = 0; i < array.length; i++) { const item = array[i]; const mapped = mapfn(item, i); if (result || item !== mapped || isArray3(mapped)) { if (!result) { result = array.slice(0, i); } if (isArray3(mapped)) { addRange(result, mapped); } else { result.push(mapped); } } } } return result || array; } function mapAllOrFail(array, mapFn) { const result = []; for (let i = 0; i < array.length; i++) { const mapped = mapFn(array[i], i); if (mapped === void 0) { return void 0; } result.push(mapped); } return result; } function mapDefined(array, mapFn) { const result = []; if (array) { for (let i = 0; i < array.length; i++) { const mapped = mapFn(array[i], i); if (mapped !== void 0) { result.push(mapped); } } } return result; } function* mapDefinedIterator(iter, mapFn) { for (const x of iter) { const value = mapFn(x); if (value !== void 0) { yield value; } } } function mapDefinedEntries(map2, f) { if (!map2) { return void 0; } const result = /* @__PURE__ */ new Map(); map2.forEach((value, key) => { const entry = f(key, value); if (entry !== void 0) { const [newKey, newValue] = entry; if (newKey !== void 0 && newValue !== void 0) { result.set(newKey, newValue); } } }); return result; } function getOrUpdate(map2, key, callback) { if (map2.has(key)) { return map2.get(key); } const value = callback(); map2.set(key, value); return value; } function tryAddToSet(set, value) { if (!set.has(value)) { set.add(value); return true; } return false; } function* singleIterator(value) { yield value; } function spanMap(array, keyfn, mapfn) { let result; if (array) { result = []; const len = array.length; let previousKey; let key; let start = 0; let pos = 0; while (start < len) { while (pos < len) { const value = array[pos]; key = keyfn(value, pos); if (pos === 0) { previousKey = key; } else if (key !== previousKey) { break; } pos++; } if (start < pos) { const v = mapfn(array.slice(start, pos), previousKey, start, pos); if (v) { result.push(v); } start = pos; } previousKey = key; pos++; } } return result; } function mapEntries(map2, f) { if (!map2) { return void 0; } const result = /* @__PURE__ */ new Map(); map2.forEach((value, key) => { const [newKey, newValue] = f(key, value); result.set(newKey, newValue); }); return result; } function some(array, predicate) { if (array) { if (predicate) { for (const v of array) { if (predicate(v)) { return true; } } } else { return array.length > 0; } } return false; } function getRangesWhere(arr, pred, cb) { let start; for (let i = 0; i < arr.length; i++) { if (pred(arr[i])) { start = start === void 0 ? i : start; } else { if (start !== void 0) { cb(start, i); start = void 0; } } } if (start !== void 0) cb(start, arr.length); } function concatenate(array1, array2) { if (!some(array2)) return array1; if (!some(array1)) return array2; return [...array1, ...array2]; } function selectIndex(_, i) { return i; } function indicesOf(array) { return array.map(selectIndex); } function deduplicateRelational(array, equalityComparer, comparer) { const indices = indicesOf(array); stableSortIndices(array, indices, comparer); let last2 = array[indices[0]]; const deduplicated = [indices[0]]; for (let i = 1; i < indices.length; i++) { const index = indices[i]; const item = array[index]; if (!equalityComparer(last2, item)) { deduplicated.push(index); last2 = item; } } deduplicated.sort(); return deduplicated.map((i) => array[i]); } function deduplicateEquality(array, equalityComparer) { const result = []; for (const item of array) { pushIfUnique(result, item, equalityComparer); } return result; } function deduplicate(array, equalityComparer, comparer) { return array.length === 0 ? [] : array.length === 1 ? array.slice() : comparer ? deduplicateRelational(array, equalityComparer, comparer) : deduplicateEquality(array, equalityComparer); } function deduplicateSorted(array, comparer) { if (array.length === 0) return emptyArray; let last2 = array[0]; const deduplicated = [last2]; for (let i = 1; i < array.length; i++) { const next = array[i]; switch (comparer(next, last2)) { case true: case 0: continue; case -1: return Debug.fail("Array is unsorted."); } deduplicated.push(last2 = next); } return deduplicated; } function createSortedArray() { return []; } function insertSorted(array, insert, compare, equalityComparer, allowDuplicates) { if (array.length === 0) { array.push(insert); return true; } const insertIndex = binarySearch(array, insert, identity2, compare); if (insertIndex < 0) { if (equalityComparer && !allowDuplicates) { const idx = ~insertIndex; if (idx > 0 && equalityComparer(insert, array[idx - 1])) { return false; } if (idx < array.length && equalityComparer(insert, array[idx])) { array.splice(idx, 1, insert); return true; } } array.splice(~insertIndex, 0, insert); return true; } if (allowDuplicates) { array.splice(insertIndex, 0, insert); return true; } return false; } function sortAndDeduplicate(array, comparer, equalityComparer) { return deduplicateSorted(sort(array, comparer), equalityComparer || comparer || compareStringsCaseSensitive); } function arrayIsSorted(array, comparer) { if (array.length < 2) return true; for (let i = 1, len = array.length; i < len; i++) { if (comparer(array[i - 1], array[i]) === 1) { return false; } } return true; } function arrayIsEqualTo(array1, array2, equalityComparer = equateValues) { if (!array1 || !array2) { return array1 === array2; } if (array1.length !== array2.length) { return false; } for (let i = 0; i < array1.length; i++) { if (!equalityComparer(array1[i], array2[i], i)) { return false; } } return true; } function compact(array) { let result; if (array) { for (let i = 0; i < array.length; i++) { const v = array[i]; if (result || !v) { if (!result) { result = array.slice(0, i); } if (v) { result.push(v); } } } } return result || array; } function relativeComplement(arrayA, arrayB, comparer) { if (!arrayB || !arrayA || arrayB.length === 0 || arrayA.length === 0) return arrayB; const result = []; loopB: for (let offsetA = 0, offsetB = 0; offsetB < arrayB.length; offsetB++) { if (offsetB > 0) { Debug.assertGreaterThanOrEqual( comparer(arrayB[offsetB], arrayB[offsetB - 1]), 0 /* EqualTo */ ); } loopA: for (const startA = offsetA; offsetA < arrayA.length; offsetA++) { if (offsetA > startA) { Debug.assertGreaterThanOrEqual( comparer(arrayA[offsetA], arrayA[offsetA - 1]), 0 /* EqualTo */ ); } switch (comparer(arrayB[offsetB], arrayA[offsetA])) { case -1: result.push(arrayB[offsetB]); continue loopB; case 0: continue loopB; case 1: continue loopA; } } } return result; } function append(to, value) { if (value === void 0) return to; if (to === void 0) return [value]; to.push(value); return to; } function combine(xs, ys) { if (xs === void 0) return ys; if (ys === void 0) return xs; if (isArray3(xs)) return isArray3(ys) ? concatenate(xs, ys) : append(xs, ys); if (isArray3(ys)) return append(ys, xs); return [xs, ys]; } function toOffset(array, offset) { return offset < 0 ? array.length + offset : offset; } function addRange(to, from, start, end) { if (from === void 0 || from.length === 0) return to; if (to === void 0) return from.slice(start, end); start = start === void 0 ? 0 : toOffset(from, start); end = end === void 0 ? from.length : toOffset(from, end); for (let i = start; i < end && i < from.length; i++) { if (from[i] !== void 0) { to.push(from[i]); } } return to; } function pushIfUnique(array, toAdd, equalityComparer) { if (contains(array, toAdd, equalityComparer)) { return false; } else { array.push(toAdd); return true; } } function appendIfUnique(array, toAdd, equalityComparer) { if (array) { pushIfUnique(array, toAdd, equalityComparer); return array; } else { return [toAdd]; } } function stableSortIndices(array, indices, comparer) { indices.sort((x, y) => comparer(array[x], array[y]) || compareValues(x, y)); } function sort(array, comparer) { return array.length === 0 ? array : array.slice().sort(comparer); } function* arrayReverseIterator(array) { for (let i = array.length - 1; i >= 0; i--) { yield array[i]; } } function stableSort(array, comparer) { const indices = indicesOf(array); stableSortIndices(array, indices, comparer); return indices.map((i) => array[i]); } function rangeEquals(array1, array2, pos, end) { while (pos < end) { if (array1[pos] !== array2[pos]) { return false; } pos++; } return true; } var elementAt = !!Array.prototype.at ? (array, offset) => array == null ? void 0 : array.at(offset) : (array, offset) => { if (array) { offset = toOffset(array, offset); if (offset < array.length) { return array[offset]; } } return void 0; }; function firstOrUndefined(array) { return array === void 0 || array.length === 0 ? void 0 : array[0]; } function firstOrUndefinedIterator(iter) { if (iter) { for (const value of iter) { return value; } } return void 0; } function first(array) { Debug.assert(array.length !== 0); return array[0]; } function firstIterator(iter) { for (const value of iter) { return value; } Debug.fail("iterator is empty"); } function lastOrUndefined(array) { return array === void 0 || array.length === 0 ? void 0 : array[array.length - 1]; } function last(array) { Debug.assert(array.length !== 0); return array[array.length - 1]; } function singleOrUndefined(array) { return array && array.length === 1 ? array[0] : void 0; } function single(array) { return Debug.checkDefined(singleOrUndefined(array)); } function singleOrMany(array) { return array && array.length === 1 ? array[0] : array; } function replaceElement(array, index, value) { const result = array.slice(0); result[index] = value; return result; } function binarySearch(array, value, keySelector, keyComparer, offset) { return binarySearchKey(array, keySelector(value), keySelector, keyComparer, offset); } function binarySearchKey(array, key, keySelector, keyComparer, offset) { if (!some(array)) { return -1; } let low = offset || 0; let high = array.length - 1; while (low <= high) { const middle = low + (high - low >> 1); const midKey = keySelector(array[middle], middle); switch (keyComparer(midKey, key)) { case -1: low = middle + 1; break; case 0: return middle; case 1: high = middle - 1; break; } } return ~low; } function reduceLeft(array, f, initial, start, count) { if (array && array.length > 0) { const size = array.length; if (size > 0) { let pos = start === void 0 || start < 0 ? 0 : start; const end = count === void 0 || pos + count > size - 1 ? size - 1 : pos + count; let result; if (arguments.length <= 2) { result = array[pos]; pos++; } else { result = initial; } while (pos <= end) { result = f(result, array[pos], pos); pos++; } return result; } } return initial; } var hasOwnProperty10 = Object.prototype.hasOwnProperty; function hasProperty(map2, key) { return hasOwnProperty10.call(map2, key); } function getProperty(map2, key) { return hasOwnProperty10.call(map2, key) ? map2[key] : void 0; } function getOwnKeys(map2) { const keys2 = []; for (const key in map2) { if (hasOwnProperty10.call(map2, key)) { keys2.push(key); } } return keys2; } function getAllKeys(obj) { const result = []; do { const names = Object.getOwnPropertyNames(obj); for (const name of names) { pushIfUnique(result, name); } } while (obj = Object.getPrototypeOf(obj)); return result; } function getOwnValues(collection) { const values = []; for (const key in collection) { if (hasOwnProperty10.call(collection, key)) { values.push(collection[key]); } } return values; } function arrayOf(count, f) { const result = new Array(count); for (let i = 0; i < count; i++) { result[i] = f(i); } return result; } function arrayFrom(iterator, map2) { const result = []; for (const value of iterator) { result.push(map2 ? map2(value) : value); } return result; } function assign(t, ...args) { for (const arg of args) { if (arg === void 0) continue; for (const p in arg) { if (hasProperty(arg, p)) { t[p] = arg[p]; } } } return t; } function equalOwnProperties(left, right, equalityComparer = equateValues) { if (left === right) return true; if (!left || !right) return false; for (const key in left) { if (hasOwnProperty10.call(left, key)) { if (!hasOwnProperty10.call(right, key)) return false; if (!equalityComparer(left[key], right[key])) return false; } } for (const key in right) { if (hasOwnProperty10.call(right, key)) { if (!hasOwnProperty10.call(left, key)) return false; } } return true; } function arrayToMap(array, makeKey, makeValue = identity2) { const result = /* @__PURE__ */ new Map(); for (const value of array) { const key = makeKey(value); if (key !== void 0) result.set(key, makeValue(value)); } return result; } function arrayToNumericMap(array, makeKey, makeValue = identity2) { const result = []; for (const value of array) { result[makeKey(value)] = makeValue(value); } return result; } function arrayToMultiMap(values, makeKey, makeValue = identity2) { const result = createMultiMap(); for (const value of values) { result.add(makeKey(value), makeValue(value)); } return result; } function group(values, getGroupId, resultSelector = identity2) { return arrayFrom(arrayToMultiMap(values, getGroupId).values(), resultSelector); } function groupBy(values, keySelector) { const result = {}; if (values) { for (const value of values) { const key = `${keySelector(value)}`; const array = result[key] ?? (result[key] = []); array.push(value); } } return result; } function clone(object) { const result = {}; for (const id in object) { if (hasOwnProperty10.call(object, id)) { result[id] = object[id]; } } return result; } function extend(first2, second) { const result = {}; for (const id in second) { if (hasOwnProperty10.call(second, id)) { result[id] = second[id]; } } for (const id in first2) { if (hasOwnProperty10.call(first2, id)) { result[id] = first2[id]; } } return result; } function copyProperties(first2, second) { for (const id in second) { if (hasOwnProperty10.call(second, id)) { first2[id] = second[id]; } } } function maybeBind(obj, fn) { return fn ? fn.bind(obj) : void 0; } function createMultiMap() { const map2 = /* @__PURE__ */ new Map(); map2.add = multiMapAdd; map2.remove = multiMapRemove; return map2; } function multiMapAdd(key, value) { let values = this.get(key); if (values) { values.push(value); } else { this.set(key, values = [value]); } return values; } function multiMapRemove(key, value) { const values = this.get(key); if (values) { unorderedRemoveItem(values, value); if (!values.length) { this.delete(key); } } } function createQueue(items) { const elements = (items == null ? void 0 : items.slice()) || []; let headIndex = 0; function isEmpty2() { return headIndex === elements.length; } function enqueue(...items2) { elements.push(...items2); } function dequeue() { if (isEmpty2()) { throw new Error("Queue is empty"); } const result = elements[headIndex]; elements[headIndex] = void 0; headIndex++; if (headIndex > 100 && headIndex > elements.length >> 1) { const newLength = elements.length - headIndex; elements.copyWithin( /*target*/ 0, /*start*/ headIndex ); elements.length = newLength; headIndex = 0; } return result; } return { enqueue, dequeue, isEmpty: isEmpty2 }; } function createSet(getHashCode, equals) { const multiMap = /* @__PURE__ */ new Map(); let size = 0; function* getElementIterator() { for (const value of multiMap.values()) { if (isArray3(value)) { yield* value; } else { yield value; } } } const set = { has(element) { const hash = getHashCode(element); if (!multiMap.has(hash)) return false; const candidates = multiMap.get(hash); if (!isArray3(candidates)) return equals(candidates, element); for (const candidate of candidates) { if (equals(candidate, element)) { return true; } } return false; }, add(element) { const hash = getHashCode(element); if (multiMap.has(hash)) { const values = multiMap.get(hash); if (isArray3(values)) { if (!contains(values, element, equals)) { values.push(element); size++; } } else { const value = values; if (!equals(value, element)) { multiMap.set(hash, [value, element]); size++; } } } else { multiMap.set(hash, element); size++; } return this; }, delete(element) { const hash = getHashCode(element); if (!multiMap.has(hash)) return false; const candidates = multiMap.get(hash); if (isArray3(candidates)) { for (let i = 0; i < candidates.length; i++) { if (equals(candidates[i], element)) { if (candidates.length === 1) { multiMap.delete(hash); } else if (candidates.length === 2) { multiMap.set(hash, candidates[1 - i]); } else { unorderedRemoveItemAt(candidates, i); } size--; return true; } } } else { const candidate = candidates; if (equals(candidate, element)) { multiMap.delete(hash); size--; return true; } } return false; }, clear() { multiMap.clear(); size = 0; }, get size() { return size; }, forEach(action) { for (const elements of arrayFrom(multiMap.values())) { if (isArray3(elements)) { for (const element of elements) { action(element, element, set); } } else { const element = elements; action(element, element, set); } } }, keys() { return getElementIterator(); }, values() { return getElementIterator(); }, *entries() { for (const value of getElementIterator()) { yield [value, value]; } }, [Symbol.iterator]: () => { return getElementIterator(); }, [Symbol.toStringTag]: multiMap[Symbol.toStringTag] }; return set; } function isArray3(value) { return Array.isArray(value); } function toArray(value) { return isArray3(value) ? value : [value]; } function isString2(text) { return typeof text === "string"; } function isNumber2(x) { return typeof x === "number"; } function tryCast(value, test) { return value !== void 0 && test(value) ? value : void 0; } function cast(value, test) { if (value !== void 0 && test(value)) return value; return Debug.fail(`Invalid cast. The supplied value ${value} did not pass the test '${Debug.getFunctionName(test)}'.`); } function noop2(_) { } function returnFalse() { return false; } function returnTrue() { return true; } function returnUndefined() { return void 0; } function identity2(x) { return x; } function toLowerCase(x) { return x.toLowerCase(); } var fileNameLowerCaseRegExp = /[^\u0130\u0131\u00DFa-z0-9\\/:\-_. ]+/g; function toFileNameLowerCase(x) { return fileNameLowerCaseRegExp.test(x) ? x.replace(fileNameLowerCaseRegExp, toLowerCase) : x; } function notImplemented() { throw new Error("Not implemented"); } function memoize(callback) { let value; return () => { if (callback) { value = callback(); callback = void 0; } return value; }; } function memoizeOne(callback) { const map2 = /* @__PURE__ */ new Map(); return (arg) => { const key = `${typeof arg}:${arg}`; let value = map2.get(key); if (value === void 0 && !map2.has(key)) { value = callback(arg); map2.set(key, value); } return value; }; } function memoizeWeak(callback) { const map2 = /* @__PURE__ */ new WeakMap(); return (arg) => { let value = map2.get(arg); if (value === void 0 && !map2.has(arg)) { value = callback(arg); map2.set(arg, value); } return value; }; } function memoizeCached(callback, cache) { return (...args) => { let value = cache.get(args); if (value === void 0 && !cache.has(args)) { value = callback(...args); cache.set(args, value); } return value; }; } function compose(a, b, c, d, e) { if (!!e) { const args = []; for (let i = 0; i < arguments.length; i++) { args[i] = arguments[i]; } return (t) => reduceLeft(args, (u, f) => f(u), t); } else if (d) { return (t) => d(c(b(a(t)))); } else if (c) { return (t) => c(b(a(t))); } else if (b) { return (t) => b(a(t)); } else if (a) { return (t) => a(t); } else { return (t) => t; } } var AssertionLevel = /* @__PURE__ */ ((AssertionLevel2) => { AssertionLevel2[AssertionLevel2["None"] = 0] = "None"; AssertionLevel2[AssertionLevel2["Normal"] = 1] = "Normal"; AssertionLevel2[AssertionLevel2["Aggressive"] = 2] = "Aggressive"; AssertionLevel2[AssertionLevel2["VeryAggressive"] = 3] = "VeryAggressive"; return AssertionLevel2; })(AssertionLevel || {}); function equateValues(a, b) { return a === b; } function equateStringsCaseInsensitive(a, b) { return a === b || a !== void 0 && b !== void 0 && a.toUpperCase() === b.toUpperCase(); } function equateStringsCaseSensitive(a, b) { return equateValues(a, b); } function compareComparableValues(a, b) { return a === b ? 0 : a === void 0 ? -1 : b === void 0 ? 1 : a < b ? -1 : 1; } function compareValues(a, b) { return compareComparableValues(a, b); } function compareTextSpans(a, b) { return compareValues(a == null ? void 0 : a.start, b == null ? void 0 : b.start) || compareValues(a == null ? void 0 : a.length, b == null ? void 0 : b.length); } function min(items, compare) { return reduceLeft(items, (x, y) => compare(x, y) === -1 ? x : y); } function compareStringsCaseInsensitive(a, b) { if (a === b) return 0; if (a === void 0) return -1; if (b === void 0) return 1; a = a.toUpperCase(); b = b.toUpperCase(); return a < b ? -1 : a > b ? 1 : 0; } function compareStringsCaseInsensitiveEslintCompatible(a, b) { if (a === b) return 0; if (a === void 0) return -1; if (b === void 0) return 1; a = a.toLowerCase(); b = b.toLowerCase(); return a < b ? -1 : a > b ? 1 : 0; } function compareStringsCaseSensitive(a, b) { return compareComparableValues(a, b); } function getStringComparer(ignoreCase) { return ignoreCase ? compareStringsCaseInsensitive : compareStringsCaseSensitive; } var createUIStringComparer = /* @__PURE__ */ (() => { return createIntlCollatorStringComparer; function compareWithCallback(a, b, comparer) { if (a === b) return 0; if (a === void 0) return -1; if (b === void 0) return 1; const value = comparer(a, b); return value < 0 ? -1 : value > 0 ? 1 : 0; } function createIntlCollatorStringComparer(locale) { const comparer = new Intl.Collator(locale, { usage: "sort", sensitivity: "variant", numeric: true }).compare; return (a, b) => compareWithCallback(a, b, comparer); } })(); var uiComparerCaseSensitive; var uiLocale; function getUILocale() { return uiLocale; } function setUILocale(value) { if (uiLocale !== value) { uiLocale = value; uiComparerCaseSensitive = void 0; } } function compareStringsCaseSensitiveUI(a, b) { const comparer = uiComparerCaseSensitive || (uiComparerCaseSensitive = createUIStringComparer(uiLocale)); return comparer(a, b); } function compareProperties(a, b, key, comparer) { return a === b ? 0 : a === void 0 ? -1 : b === void 0 ? 1 : comparer(a[key], b[key]); } function compareBooleans(a, b) { return compareValues(a ? 1 : 0, b ? 1 : 0); } function getSpellingSuggestion(name, candidates, getName) { const maximumLengthDifference = Math.max(2, Math.floor(name.length * 0.34)); let bestDistance = Math.floor(name.length * 0.4) + 1; let bestCandidate; for (const candidate of candidates) { const candidateName = getName(candidate); if (candidateName !== void 0 && Math.abs(candidateName.length - name.length) <= maximumLengthDifference) { if (candidateName === name) { continue; } if (candidateName.length < 3 && candidateName.toLowerCase() !== name.toLowerCase()) { continue; } const distance = levenshteinWithMax(name, candidateName, bestDistance - 0.1); if (distance === void 0) { continue; } Debug.assert(distance < bestDistance); bestDistance = distance; bestCandidate = candidate; } } return bestCandidate; } function levenshteinWithMax(s1, s2, max) { let previous = new Array(s2.length + 1); let current = new Array(s2.length + 1); const big = max + 0.01; for (let i = 0; i <= s2.length; i++) { previous[i] = i; } for (let i = 1; i <= s1.length; i++) { const c1 = s1.charCodeAt(i - 1); const minJ = Math.ceil(i > max ? i - max : 1); const maxJ = Math.floor(s2.length > max + i ? max + i : s2.length); current[0] = i; let colMin = i; for (let j = 1; j < minJ; j++) { current[j] = big; } for (let j = minJ; j <= maxJ; j++) { const substitutionDistance = s1[i - 1].toLowerCase() === s2[j - 1].toLowerCase() ? previous[j - 1] + 0.1 : previous[j - 1] + 2; const dist = c1 === s2.charCodeAt(j - 1) ? previous[j - 1] : Math.min( /*delete*/ previous[j] + 1, /*insert*/ current[j - 1] + 1, /*substitute*/ substitutionDistance ); current[j] = dist; colMin = Math.min(colMin, dist); } for (let j = maxJ + 1; j <= s2.length; j++) { current[j] = big; } if (colMin > max) { return void 0; } const temp = previous; previous = current; current = temp; } const res = previous[s2.length]; return res > max ? void 0 : res; } function endsWith(str, suffix, ignoreCase) { const expectedPos = str.length - suffix.length; return expectedPos >= 0 && (ignoreCase ? equateStringsCaseInsensitive(str.slice(expectedPos), suffix) : str.indexOf(suffix, expectedPos) === expectedPos); } function removeSuffix(str, suffix) { return endsWith(str, suffix) ? str.slice(0, str.length - suffix.length) : str; } function tryRemoveSuffix(str, suffix) { return endsWith(str, suffix) ? str.slice(0, str.length - suffix.length) : void 0; } function removeMinAndVersionNumbers(fileName) { let end = fileName.length; for (let pos = end - 1; pos > 0; pos--) { let ch = fileName.charCodeAt(pos); if (ch >= 48 && ch <= 57) { do { --pos; ch = fileName.charCodeAt(pos); } while (pos > 0 && ch >= 48 && ch <= 57); } else if (pos > 4 && (ch === 110 || ch === 78)) { --pos; ch = fileName.charCodeAt(pos); if (ch !== 105 && ch !== 73) { break; } --pos; ch = fileName.charCodeAt(pos); if (ch !== 109 && ch !== 77) { break; } --pos; ch = fileName.charCodeAt(pos); } else { break; } if (ch !== 45 && ch !== 46) { break; } end = pos; } return end === fileName.length ? fileName : fileName.slice(0, end); } function orderedRemoveItem(array, item) { for (let i = 0; i < array.length; i++) { if (array[i] === item) { orderedRemoveItemAt(array, i); return true; } } return false; } function orderedRemoveItemAt(array, index) { for (let i = index; i < array.length - 1; i++) { array[i] = array[i + 1]; } array.pop(); } function unorderedRemoveItemAt(array, index) { array[index] = array[array.length - 1]; array.pop(); } function unorderedRemoveItem(array, item) { return unorderedRemoveFirstItemWhere(array, (element) => element === item); } function unorderedRemoveFirstItemWhere(array, predicate) { for (let i = 0; i < array.length; i++) { if (predicate(array[i])) { unorderedRemoveItemAt(array, i); return true; } } return false; } function createGetCanonicalFileName(useCaseSensitiveFileNames2) { return useCaseSensitiveFileNames2 ? identity2 : toFileNameLowerCase; } function patternText({ prefix, suffix }) { return `${prefix}*${suffix}`; } function matchedText(pattern, candidate) { Debug.assert(isPatternMatch(pattern, candidate)); return candidate.substring(pattern.prefix.length, candidate.length - pattern.suffix.length); } function findBestPatternMatch(values, getPattern, candidate) { let matchedValue; let longestMatchPrefixLength = -1; for (const v of values) { const pattern = getPattern(v); if (isPatternMatch(pattern, candidate) && pattern.prefix.length > longestMatchPrefixLength) { longestMatchPrefixLength = pattern.prefix.length; matchedValue = v; } } return matchedValue; } function startsWith2(str, prefix, ignoreCase) { return ignoreCase ? equateStringsCaseInsensitive(str.slice(0, prefix.length), prefix) : str.lastIndexOf(prefix, 0) === 0; } function removePrefix(str, prefix) { return startsWith2(str, prefix) ? str.substr(prefix.length) : str; } function tryRemovePrefix(str, prefix, getCanonicalFileName = identity2) { return startsWith2(getCanonicalFileName(str), getCanonicalFileName(prefix)) ? str.substring(prefix.length) : void 0; } function isPatternMatch({ prefix, suffix }, candidate) { return candidate.length >= prefix.length + suffix.length && startsWith2(candidate, prefix) && endsWith(candidate, suffix); } function and(f, g) { return (arg) => f(arg) && g(arg); } function or(...fs4) { return (...args) => { let lastResult; for (const f of fs4) { lastResult = f(...args); if (lastResult) { return lastResult; } } return lastResult; }; } function not(fn) { return (...args) => !fn(...args); } function assertType(_) { } function singleElementArray(t) { return t === void 0 ? void 0 : [t]; } function enumerateInsertsAndDeletes(newItems, oldItems, comparer, inserted, deleted, unchanged) { unchanged = unchanged || noop2; let newIndex = 0; let oldIndex = 0; const newLen = newItems.length; const oldLen = oldItems.length; let hasChanges = false; while (newIndex < newLen && oldIndex < oldLen) { const newItem = newItems[newIndex]; const oldItem = oldItems[oldIndex]; const compareResult = comparer(newItem, oldItem); if (compareResult === -1) { inserted(newItem); newIndex++; hasChanges = true; } else if (compareResult === 1) { deleted(oldItem); oldIndex++; hasChanges = true; } else { unchanged(oldItem, newItem); newIndex++; oldIndex++; } } while (newIndex < newLen) { inserted(newItems[newIndex++]); hasChanges = true; } while (oldIndex < oldLen) { deleted(oldItems[oldIndex++]); hasChanges = true; } return hasChanges; } function cartesianProduct(arrays) { const result = []; cartesianProductWorker( arrays, result, /*outer*/ void 0, 0 ); return result; } function cartesianProductWorker(arrays, result, outer, index) { for (const element of arrays[index]) { let inner; if (outer) { inner = outer.slice(); inner.push(element); } else { inner = [element]; } if (index === arrays.length - 1) { result.push(inner); } else { cartesianProductWorker(arrays, result, inner, index + 1); } } } function takeWhile(array, predicate) { if (array) { const len = array.length; let index = 0; while (index < len && predicate(array[index])) { index++; } return array.slice(0, index); } } function skipWhile(array, predicate) { if (array) { const len = array.length; let index = 0; while (index < len && predicate(array[index])) { index++; } return array.slice(index); } } function isNodeLikeSystem() { return typeof process !== "undefined" && !!process.nextTick && !process.browser && typeof require !== "undefined"; } var LogLevel2 = /* @__PURE__ */ ((LogLevel3) => { LogLevel3[LogLevel3["Off"] = 0] = "Off"; LogLevel3[LogLevel3["Error"] = 1] = "Error"; LogLevel3[LogLevel3["Warning"] = 2] = "Warning"; LogLevel3[LogLevel3["Info"] = 3] = "Info"; LogLevel3[LogLevel3["Verbose"] = 4] = "Verbose"; return LogLevel3; })(LogLevel2 || {}); var Debug; ((Debug2) => { let currentAssertionLevel = 0; Debug2.currentLogLevel = 2; Debug2.isDebugging = false; function shouldLog(level) { return Debug2.currentLogLevel <= level; } Debug2.shouldLog = shouldLog; function logMessage(level, s) { if (Debug2.loggingHost && shouldLog(level)) { Debug2.loggingHost.log(level, s); } } function log(s) { logMessage(3, s); } Debug2.log = log; ((_log) => { function error2(s) { logMessage(1, s); } _log.error = error2; function warn(s) { logMessage(2, s); } _log.warn = warn; function log2(s) { logMessage(3, s); } _log.log = log2; function trace2(s) { logMessage(4, s); } _log.trace = trace2; })(log = Debug2.log || (Debug2.log = {})); const assertionCache = {}; function getAssertionLevel() { return currentAssertionLevel; } Debug2.getAssertionLevel = getAssertionLevel; function setAssertionLevel(level) { const prevAssertionLevel = currentAssertionLevel; currentAssertionLevel = level; if (level > prevAssertionLevel) { for (const key of getOwnKeys(assertionCache)) { const cachedFunc = assertionCache[key]; if (cachedFunc !== void 0 && Debug2[key] !== cachedFunc.assertion && level >= cachedFunc.level) { Debug2[key] = cachedFunc; assertionCache[key] = void 0; } } } } Debug2.setAssertionLevel = setAssertionLevel; function shouldAssert(level) { return currentAssertionLevel >= level; } Debug2.shouldAssert = shouldAssert; function shouldAssertFunction(level, name) { if (!shouldAssert(level)) { assertionCache[name] = { level, assertion: Debug2[name] }; Debug2[name] = noop2; return false; } return true; } function fail(message, stackCrawlMark) { debugger; const e = new Error(message ? `Debug Failure. ${message}` : "Debug Failure."); if (Error.captureStackTrace) { Error.captureStackTrace(e, stackCrawlMark || fail); } throw e; } Debug2.fail = fail; function failBadSyntaxKind(node, message, stackCrawlMark) { return fail( `${message || "Unexpected node."}\r Node ${formatSyntaxKind(node.kind)} was unexpected.`, stackCrawlMark || failBadSyntaxKind ); } Debug2.failBadSyntaxKind = failBadSyntaxKind; function assert3(expression, message, verboseDebugInfo, stackCrawlMark) { if (!expression) { message = message ? `False expression: ${message}` : "False expression."; if (verboseDebugInfo) { message += "\r\nVerbose Debug Information: " + (typeof verboseDebugInfo === "string" ? verboseDebugInfo : verboseDebugInfo()); } fail(message, stackCrawlMark || assert3); } } Debug2.assert = assert3; function assertEqual(a, b, msg, msg2, stackCrawlMark) { if (a !== b) { const message = msg ? msg2 ? `${msg} ${msg2}` : msg : ""; fail(`Expected ${a} === ${b}. ${message}`, stackCrawlMark || assertEqual); } } Debug2.assertEqual = assertEqual; function assertLessThan(a, b, msg, stackCrawlMark) { if (a >= b) { fail(`Expected ${a} < ${b}. ${msg || ""}`, stackCrawlMark || assertLessThan); } } Debug2.assertLessThan = assertLessThan; function assertLessThanOrEqual(a, b, stackCrawlMark) { if (a > b) { fail(`Expected ${a} <= ${b}`, stackCrawlMark || assertLessThanOrEqual); } } Debug2.assertLessThanOrEqual = assertLessThanOrEqual; function assertGreaterThanOrEqual(a, b, stackCrawlMark) { if (a < b) { fail(`Expected ${a} >= ${b}`, stackCrawlMark || assertGreaterThanOrEqual); } } Debug2.assertGreaterThanOrEqual = assertGreaterThanOrEqual; function assertIsDefined(value, message, stackCrawlMark) { if (value === void 0 || value === null) { fail(message, stackCrawlMark || assertIsDefined); } } Debug2.assertIsDefined = assertIsDefined; function checkDefined(value, message, stackCrawlMark) { assertIsDefined(value, message, stackCrawlMark || checkDefined); return value; } Debug2.checkDefined = checkDefined; function assertEachIsDefined(value, message, stackCrawlMark) { for (const v of value) { assertIsDefined(v, message, stackCrawlMark || assertEachIsDefined); } } Debug2.assertEachIsDefined = assertEachIsDefined; function checkEachDefined(value, message, stackCrawlMark) { assertEachIsDefined(value, message, stackCrawlMark || checkEachDefined); return value; } Debug2.checkEachDefined = checkEachDefined; function assertNever(member, message = "Illegal value:", stackCrawlMark) { const detail = typeof member === "object" && hasProperty(member, "kind") && hasProperty(member, "pos") ? "SyntaxKind: " + formatSyntaxKind(member.kind) : JSON.stringify(member); return fail(`${message} ${detail}`, stackCrawlMark || assertNever); } Debug2.assertNever = assertNever; function assertEachNode(nodes, test, message, stackCrawlMark) { if (shouldAssertFunction(1, "assertEachNode")) { assert3( test === void 0 || every(nodes, test), message || "Unexpected node.", () => `Node array did not pass test '${getFunctionName(test)}'.`, stackCrawlMark || assertEachNode ); } } Debug2.assertEachNode = assertEachNode; function assertNode(node, test, message, stackCrawlMark) { if (shouldAssertFunction(1, "assertNode")) { assert3( node !== void 0 && (test === void 0 || test(node)), message || "Unexpected node.", () => `Node ${formatSyntaxKind(node == null ? void 0 : node.kind)} did not pass test '${getFunctionName(test)}'.`, stackCrawlMark || assertNode ); } } Debug2.assertNode = assertNode; function assertNotNode(node, test, message, stackCrawlMark) { if (shouldAssertFunction(1, "assertNotNode")) { assert3( node === void 0 || test === void 0 || !test(node), message || "Unexpected node.", () => `Node ${formatSyntaxKind(node.kind)} should not have passed test '${getFunctionName(test)}'.`, stackCrawlMark || assertNotNode ); } } Debug2.assertNotNode = assertNotNode; function assertOptionalNode(node, test, message, stackCrawlMark) { if (shouldAssertFunction(1, "assertOptionalNode")) { assert3( test === void 0 || node === void 0 || test(node), message || "Unexpected node.", () => `Node ${formatSyntaxKind(node == null ? void 0 : node.kind)} did not pass test '${getFunctionName(test)}'.`, stackCrawlMark || assertOptionalNode ); } } Debug2.assertOptionalNode = assertOptionalNode; function assertOptionalToken(node, kind, message, stackCrawlMark) { if (shouldAssertFunction(1, "assertOptionalToken")) { assert3( kind === void 0 || node === void 0 || node.kind === kind, message || "Unexpected node.", () => `Node ${formatSyntaxKind(node == null ? void 0 : node.kind)} was not a '${formatSyntaxKind(kind)}' token.`, stackCrawlMark || assertOptionalToken ); } } Debug2.assertOptionalToken = assertOptionalToken; function assertMissingNode(node, message, stackCrawlMark) { if (shouldAssertFunction(1, "assertMissingNode")) { assert3( node === void 0, message || "Unexpected node.", () => `Node ${formatSyntaxKind(node.kind)} was unexpected'.`, stackCrawlMark || assertMissingNode ); } } Debug2.assertMissingNode = assertMissingNode; function type(_value) { } Debug2.type = type; function getFunctionName(func) { if (typeof func !== "function") { return ""; } else if (hasProperty(func, "name")) { return func.name; } else { const text = Function.prototype.toString.call(func); const match = /^function\s+([\w$]+)\s*\(/.exec(text); return match ? match[1] : ""; } } Debug2.getFunctionName = getFunctionName; function formatSymbol(symbol) { return `{ name: ${unescapeLeadingUnderscores(symbol.escapedName)}; flags: ${formatSymbolFlags(symbol.flags)}; declarations: ${map(symbol.declarations, (node) => formatSyntaxKind(node.kind))} }`; } Debug2.formatSymbol = formatSymbol; function formatEnum(value = 0, enumObject, isFlags) { const members = getEnumMembers(enumObject); if (value === 0) { return members.length > 0 && members[0][0] === 0 ? members[0][1] : "0"; } if (isFlags) { const result = []; let remainingFlags = value; for (const [enumValue, enumName] of members) { if (enumValue > value) { break; } if (enumValue !== 0 && enumValue & value) { result.push(enumName); remainingFlags &= ~enumValue; } } if (remainingFlags === 0) { return result.join("|"); } } else { for (const [enumValue, enumName] of members) { if (enumValue === value) { return enumName; } } } return value.toString(); } Debug2.formatEnum = formatEnum; const enumMemberCache = /* @__PURE__ */ new Map(); function getEnumMembers(enumObject) { const existing = enumMemberCache.get(enumObject); if (existing) { return existing; } const result = []; for (const name in enumObject) { const value = enumObject[name]; if (typeof value === "number") { result.push([value, name]); } } const sorted = stableSort(result, (x, y) => compareValues(x[0], y[0])); enumMemberCache.set(enumObject, sorted); return sorted; } function formatSyntaxKind(kind) { return formatEnum( kind, SyntaxKind, /*isFlags*/ false ); } Debug2.formatSyntaxKind = formatSyntaxKind; function formatSnippetKind(kind) { return formatEnum( kind, SnippetKind, /*isFlags*/ false ); } Debug2.formatSnippetKind = formatSnippetKind; function formatScriptKind(kind) { return formatEnum( kind, ScriptKind, /*isFlags*/ false ); } Debug2.formatScriptKind = formatScriptKind; function formatNodeFlags(flags) { return formatEnum( flags, NodeFlags, /*isFlags*/ true ); } Debug2.formatNodeFlags = formatNodeFlags; function formatNodeCheckFlags(flags) { return formatEnum( flags, NodeCheckFlags, /*isFlags*/ true ); } Debug2.formatNodeCheckFlags = formatNodeCheckFlags; function formatModifierFlags(flags) { return formatEnum( flags, ModifierFlags, /*isFlags*/ true ); } Debug2.formatModifierFlags = formatModifierFlags; function formatTransformFlags(flags) { return formatEnum( flags, TransformFlags, /*isFlags*/ true ); } Debug2.formatTransformFlags = formatTransformFlags; function formatEmitFlags(flags) { return formatEnum( flags, EmitFlags, /*isFlags*/ true ); } Debug2.formatEmitFlags = formatEmitFlags; function formatSymbolFlags(flags) { return formatEnum( flags, SymbolFlags, /*isFlags*/ true ); } Debug2.formatSymbolFlags = formatSymbolFlags; function formatTypeFlags(flags) { return formatEnum( flags, TypeFlags, /*isFlags*/ true ); } Debug2.formatTypeFlags = formatTypeFlags; function formatSignatureFlags(flags) { return formatEnum( flags, SignatureFlags, /*isFlags*/ true ); } Debug2.formatSignatureFlags = formatSignatureFlags; function formatObjectFlags(flags) { return formatEnum( flags, ObjectFlags, /*isFlags*/ true ); } Debug2.formatObjectFlags = formatObjectFlags; function formatFlowFlags(flags) { return formatEnum( flags, FlowFlags, /*isFlags*/ true ); } Debug2.formatFlowFlags = formatFlowFlags; function formatRelationComparisonResult(result) { return formatEnum( result, RelationComparisonResult, /*isFlags*/ true ); } Debug2.formatRelationComparisonResult = formatRelationComparisonResult; function formatCheckMode(mode) { return formatEnum( mode, CheckMode, /*isFlags*/ true ); } Debug2.formatCheckMode = formatCheckMode; function formatSignatureCheckMode(mode) { return formatEnum( mode, SignatureCheckMode, /*isFlags*/ true ); } Debug2.formatSignatureCheckMode = formatSignatureCheckMode; function formatTypeFacts(facts) { return formatEnum( facts, TypeFacts, /*isFlags*/ true ); } Debug2.formatTypeFacts = formatTypeFacts; let isDebugInfoEnabled = false; let flowNodeProto; function attachFlowNodeDebugInfoWorker(flowNode) { if (!("__debugFlowFlags" in flowNode)) { Object.defineProperties(flowNode, { // for use with vscode-js-debug's new customDescriptionGenerator in launch.json __tsDebuggerDisplay: { value() { const flowHeader = this.flags & 2 ? "FlowStart" : this.flags & 4 ? "FlowBranchLabel" : this.flags & 8 ? "FlowLoopLabel" : this.flags & 16 ? "FlowAssignment" : this.flags & 32 ? "FlowTrueCondition" : this.flags & 64 ? "FlowFalseCondition" : this.flags & 128 ? "FlowSwitchClause" : this.flags & 256 ? "FlowArrayMutation" : this.flags & 512 ? "FlowCall" : this.flags & 1024 ? "FlowReduceLabel" : this.flags & 1 ? "FlowUnreachable" : "UnknownFlow"; const remainingFlags = this.flags & ~(2048 - 1); return `${flowHeader}${remainingFlags ? ` (${formatFlowFlags(remainingFlags)})` : ""}`; } }, __debugFlowFlags: { get() { return formatEnum( this.flags, FlowFlags, /*isFlags*/ true ); } }, __debugToString: { value() { return formatControlFlowGraph(this); } } }); } } function attachFlowNodeDebugInfo(flowNode) { if (isDebugInfoEnabled) { if (typeof Object.setPrototypeOf === "function") { if (!flowNodeProto) { flowNodeProto = Object.create(Object.prototype); attachFlowNodeDebugInfoWorker(flowNodeProto); } Object.setPrototypeOf(flowNode, flowNodeProto); } else { attachFlowNodeDebugInfoWorker(flowNode); } } return flowNode; } Debug2.attachFlowNodeDebugInfo = attachFlowNodeDebugInfo; let nodeArrayProto; function attachNodeArrayDebugInfoWorker(array) { if (!("__tsDebuggerDisplay" in array)) { Object.defineProperties(array, { __tsDebuggerDisplay: { value(defaultValue) { defaultValue = String(defaultValue).replace(/(?:,[\s\w\d_]+:[^,]+)+\]$/, "]"); return `NodeArray ${defaultValue}`; } } }); } } function attachNodeArrayDebugInfo(array) { if (isDebugInfoEnabled) { if (typeof Object.setPrototypeOf === "function") { if (!nodeArrayProto) { nodeArrayProto = Object.create(Array.prototype); attachNodeArrayDebugInfoWorker(nodeArrayProto); } Object.setPrototypeOf(array, nodeArrayProto); } else { attachNodeArrayDebugInfoWorker(array); } } } Debug2.attachNodeArrayDebugInfo = attachNodeArrayDebugInfo; function enableDebugInfo() { if (isDebugInfoEnabled) return; const weakTypeTextMap = /* @__PURE__ */ new WeakMap(); const weakNodeTextMap = /* @__PURE__ */ new WeakMap(); Object.defineProperties(objectAllocator.getSymbolConstructor().prototype, { // for use with vscode-js-debug's new customDescriptionGenerator in launch.json __tsDebuggerDisplay: { value() { const symbolHeader = this.flags & 33554432 ? "TransientSymbol" : "Symbol"; const remainingSymbolFlags = this.flags & ~33554432; return `${symbolHeader} '${symbolName(this)}'${remainingSymbolFlags ? ` (${formatSymbolFlags(remainingSymbolFlags)})` : ""}`; } }, __debugFlags: { get() { return formatSymbolFlags(this.flags); } } }); Object.defineProperties(objectAllocator.getTypeConstructor().prototype, { // for use with vscode-js-debug's new customDescriptionGenerator in launch.json __tsDebuggerDisplay: { value() { const typeHeader = this.flags & 67359327 ? `IntrinsicType ${this.intrinsicName}${this.debugIntrinsicName ? ` (${this.debugIntrinsicName})` : ""}` : this.flags & 98304 ? "NullableType" : this.flags & 384 ? `LiteralType ${JSON.stringify(this.value)}` : this.flags & 2048 ? `LiteralType ${this.value.negative ? "-" : ""}${this.value.base10Value}n` : this.flags & 8192 ? "UniqueESSymbolType" : this.flags & 32 ? "EnumType" : this.flags & 1048576 ? "UnionType" : this.flags & 2097152 ? "IntersectionType" : this.flags & 4194304 ? "IndexType" : this.flags & 8388608 ? "IndexedAccessType" : this.flags & 16777216 ? "ConditionalType" : this.flags & 33554432 ? "SubstitutionType" : this.flags & 262144 ? "TypeParameter" : this.flags & 524288 ? this.objectFlags & 3 ? "InterfaceType" : this.objectFlags & 4 ? "TypeReference" : this.objectFlags & 8 ? "TupleType" : this.objectFlags & 16 ? "AnonymousType" : this.objectFlags & 32 ? "MappedType" : this.objectFlags & 1024 ? "ReverseMappedType" : this.objectFlags & 256 ? "EvolvingArrayType" : "ObjectType" : "Type"; const remainingObjectFlags = this.flags & 524288 ? this.objectFlags & ~1343 : 0; return `${typeHeader}${this.symbol ? ` '${symbolName(this.symbol)}'` : ""}${remainingObjectFlags ? ` (${formatObjectFlags(remainingObjectFlags)})` : ""}`; } }, __debugFlags: { get() { return formatTypeFlags(this.flags); } }, __debugObjectFlags: { get() { return this.flags & 524288 ? formatObjectFlags(this.objectFlags) : ""; } }, __debugTypeToString: { value() { let text = weakTypeTextMap.get(this); if (text === void 0) { text = this.checker.typeToString(this); weakTypeTextMap.set(this, text); } return text; } } }); Object.defineProperties(objectAllocator.getSignatureConstructor().prototype, { __debugFlags: { get() { return formatSignatureFlags(this.flags); } }, __debugSignatureToString: { value() { var _a; return (_a = this.checker) == null ? void 0 : _a.signatureToString(this); } } }); const nodeConstructors = [ objectAllocator.getNodeConstructor(), objectAllocator.getIdentifierConstructor(), objectAllocator.getTokenConstructor(), objectAllocator.getSourceFileConstructor() ]; for (const ctor of nodeConstructors) { if (!hasProperty(ctor.prototype, "__debugKind")) { Object.defineProperties(ctor.prototype, { // for use with vscode-js-debug's new customDescriptionGenerator in launch.json __tsDebuggerDisplay: { value() { const nodeHeader = isGeneratedIdentifier(this) ? "GeneratedIdentifier" : isIdentifier(this) ? `Identifier '${idText(this)}'` : isPrivateIdentifier(this) ? `PrivateIdentifier '${idText(this)}'` : isStringLiteral2(this) ? `StringLiteral ${JSON.stringify(this.text.length < 10 ? this.text : this.text.slice(10) + "...")}` : isNumericLiteral(this) ? `NumericLiteral ${this.text}` : isBigIntLiteral2(this) ? `BigIntLiteral ${this.text}n` : isTypeParameterDeclaration(this) ? "TypeParameterDeclaration" : isParameter(this) ? "ParameterDeclaration" : isConstructorDeclaration(this) ? "ConstructorDeclaration" : isGetAccessorDeclaration(this) ? "GetAccessorDeclaration" : isSetAccessorDeclaration(this) ? "SetAccessorDeclaration" : isCallSignatureDeclaration(this) ? "CallSignatureDeclaration" : isConstructSignatureDeclaration(this) ? "ConstructSignatureDeclaration" : isIndexSignatureDeclaration(this) ? "IndexSignatureDeclaration" : isTypePredicateNode(this) ? "TypePredicateNode" : isTypeReferenceNode(this) ? "TypeReferenceNode" : isFunctionTypeNode(this) ? "FunctionTypeNode" : isConstructorTypeNode(this) ? "ConstructorTypeNode" : isTypeQueryNode(this) ? "TypeQueryNode" : isTypeLiteralNode(this) ? "TypeLiteralNode" : isArrayTypeNode(this) ? "ArrayTypeNode" : isTupleTypeNode(this) ? "TupleTypeNode" : isOptionalTypeNode(this) ? "OptionalTypeNode" : isRestTypeNode(this) ? "RestTypeNode" : isUnionTypeNode(this) ? "UnionTypeNode" : isIntersectionTypeNode(this) ? "IntersectionTypeNode" : isConditionalTypeNode(this) ? "ConditionalTypeNode" : isInferTypeNode(this) ? "InferTypeNode" : isParenthesizedTypeNode(this) ? "ParenthesizedTypeNode" : isThisTypeNode(this) ? "ThisTypeNode" : isTypeOperatorNode(this) ? "TypeOperatorNode" : isIndexedAccessTypeNode(this) ? "IndexedAccessTypeNode" : isMappedTypeNode(this) ? "MappedTypeNode" : isLiteralTypeNode(this) ? "LiteralTypeNode" : isNamedTupleMember(this) ? "NamedTupleMember" : isImportTypeNode(this) ? "ImportTypeNode" : formatSyntaxKind(this.kind); return `${nodeHeader}${this.flags ? ` (${formatNodeFlags(this.flags)})` : ""}`; } }, __debugKind: { get() { return formatSyntaxKind(this.kind); } }, __debugNodeFlags: { get() { return formatNodeFlags(this.flags); } }, __debugModifierFlags: { get() { return formatModifierFlags(getEffectiveModifierFlagsNoCache(this)); } }, __debugTransformFlags: { get() { return formatTransformFlags(this.transformFlags); } }, __debugIsParseTreeNode: { get() { return isParseTreeNode(this); } }, __debugEmitFlags: { get() { return formatEmitFlags(getEmitFlags(this)); } }, __debugGetText: { value(includeTrivia) { if (nodeIsSynthesized(this)) return ""; let text = weakNodeTextMap.get(this); if (text === void 0) { const parseNode = getParseTreeNode(this); const sourceFile = parseNode && getSourceFileOfNode(parseNode); text = sourceFile ? getSourceTextOfNodeFromSourceFile(sourceFile, parseNode, includeTrivia) : ""; weakNodeTextMap.set(this, text); } return text; } } }); } } isDebugInfoEnabled = true; } Debug2.enableDebugInfo = enableDebugInfo; function formatVariance(varianceFlags) { const variance = varianceFlags & 7; let result = variance === 0 ? "in out" : variance === 3 ? "[bivariant]" : variance === 2 ? "in" : variance === 1 ? "out" : variance === 4 ? "[independent]" : ""; if (varianceFlags & 8) { result += " (unmeasurable)"; } else if (varianceFlags & 16) { result += " (unreliable)"; } return result; } Debug2.formatVariance = formatVariance; class DebugTypeMapper { __debugToString() { var _a; type(this); switch (this.kind) { case 3: return ((_a = this.debugInfo) == null ? void 0 : _a.call(this)) || "(function mapper)"; case 0: return `${this.source.__debugTypeToString()} -> ${this.target.__debugTypeToString()}`; case 1: return zipWith( this.sources, this.targets || map(this.sources, () => "any"), (s, t) => `${s.__debugTypeToString()} -> ${typeof t === "string" ? t : t.__debugTypeToString()}` ).join(", "); case 2: return zipWith( this.sources, this.targets, (s, t) => `${s.__debugTypeToString()} -> ${t().__debugTypeToString()}` ).join(", "); case 5: case 4: return `m1: ${this.mapper1.__debugToString().split("\n").join("\n ")} m2: ${this.mapper2.__debugToString().split("\n").join("\n ")}`; default: return assertNever(this); } } } Debug2.DebugTypeMapper = DebugTypeMapper; function attachDebugPrototypeIfDebug(mapper) { if (Debug2.isDebugging) { return Object.setPrototypeOf(mapper, DebugTypeMapper.prototype); } return mapper; } Debug2.attachDebugPrototypeIfDebug = attachDebugPrototypeIfDebug; function printControlFlowGraph(flowNode) { return console.log(formatControlFlowGraph(flowNode)); } Debug2.printControlFlowGraph = printControlFlowGraph; function formatControlFlowGraph(flowNode) { let nextDebugFlowId = -1; function getDebugFlowNodeId(f) { if (!f.id) { f.id = nextDebugFlowId; nextDebugFlowId--; } return f.id; } let BoxCharacter; ((BoxCharacter2) => { BoxCharacter2["lr"] = "\u2500"; BoxCharacter2["ud"] = "\u2502"; BoxCharacter2["dr"] = "\u256D"; BoxCharacter2["dl"] = "\u256E"; BoxCharacter2["ul"] = "\u256F"; BoxCharacter2["ur"] = "\u2570"; BoxCharacter2["udr"] = "\u251C"; BoxCharacter2["udl"] = "\u2524"; BoxCharacter2["dlr"] = "\u252C"; BoxCharacter2["ulr"] = "\u2534"; BoxCharacter2["udlr"] = "\u256B"; })(BoxCharacter || (BoxCharacter = {})); let Connection; ((Connection2) => { Connection2[Connection2["None"] = 0] = "None"; Connection2[Connection2["Up"] = 1] = "Up"; Connection2[Connection2["Down"] = 2] = "Down"; Connection2[Connection2["Left"] = 4] = "Left"; Connection2[Connection2["Right"] = 8] = "Right"; Connection2[Connection2["UpDown"] = 3] = "UpDown"; Connection2[Connection2["LeftRight"] = 12] = "LeftRight"; Connection2[Connection2["UpLeft"] = 5] = "UpLeft"; Connection2[Connection2["UpRight"] = 9] = "UpRight"; Connection2[Connection2["DownLeft"] = 6] = "DownLeft"; Connection2[Connection2["DownRight"] = 10] = "DownRight"; Connection2[Connection2["UpDownLeft"] = 7] = "UpDownLeft"; Connection2[Connection2["UpDownRight"] = 11] = "UpDownRight"; Connection2[Connection2["UpLeftRight"] = 13] = "UpLeftRight"; Connection2[Connection2["DownLeftRight"] = 14] = "DownLeftRight"; Connection2[Connection2["UpDownLeftRight"] = 15] = "UpDownLeftRight"; Connection2[Connection2["NoChildren"] = 16] = "NoChildren"; })(Connection || (Connection = {})); const hasAntecedentFlags = 16 | 96 | 128 | 256 | 512 | 1024; const hasNodeFlags = 2 | 16 | 512 | 96 | 256; const links = /* @__PURE__ */ Object.create( /*o*/ null ); const nodes = []; const edges = []; const root2 = buildGraphNode(flowNode, /* @__PURE__ */ new Set()); for (const node of nodes) { node.text = renderFlowNode(node.flowNode, node.circular); computeLevel(node); } const height = computeHeight(root2); const columnWidths = computeColumnWidths(height); computeLanes(root2, 0); return renderGraph(); function isFlowSwitchClause(f) { return !!(f.flags & 128); } function hasAntecedents(f) { return !!(f.flags & 12) && !!f.antecedent; } function hasAntecedent(f) { return !!(f.flags & hasAntecedentFlags); } function hasNode(f) { return !!(f.flags & hasNodeFlags); } function getChildren(node) { const children = []; for (const edge of node.edges) { if (edge.source === node) { children.push(edge.target); } } return children; } function getParents(node) { const parents = []; for (const edge of node.edges) { if (edge.target === node) { parents.push(edge.source); } } return parents; } function buildGraphNode(flowNode2, seen) { const id = getDebugFlowNodeId(flowNode2); let graphNode = links[id]; if (graphNode && seen.has(flowNode2)) { graphNode.circular = true; graphNode = { id: -1, flowNode: flowNode2, edges: [], text: "", lane: -1, endLane: -1, level: -1, circular: "circularity" }; nodes.push(graphNode); return graphNode; } seen.add(flowNode2); if (!graphNode) { links[id] = graphNode = { id, flowNode: flowNode2, edges: [], text: "", lane: -1, endLane: -1, level: -1, circular: false }; nodes.push(graphNode); if (hasAntecedents(flowNode2)) { for (const antecedent of flowNode2.antecedent) { buildGraphEdge(graphNode, antecedent, seen); } } else if (hasAntecedent(flowNode2)) { buildGraphEdge(graphNode, flowNode2.antecedent, seen); } } seen.delete(flowNode2); return graphNode; } function buildGraphEdge(source, antecedent, seen) { const target = buildGraphNode(antecedent, seen); const edge = { source, target }; edges.push(edge); source.edges.push(edge); target.edges.push(edge); } function computeLevel(node) { if (node.level !== -1) { return node.level; } let level = 0; for (const parent2 of getParents(node)) { level = Math.max(level, computeLevel(parent2) + 1); } return node.level = level; } function computeHeight(node) { let height2 = 0; for (const child of getChildren(node)) { height2 = Math.max(height2, computeHeight(child)); } return height2 + 1; } function computeColumnWidths(height2) { const columns = fill(Array(height2), 0); for (const node of nodes) { columns[node.level] = Math.max(columns[node.level], node.text.length); } return columns; } function computeLanes(node, lane) { if (node.lane === -1) { node.lane = lane; node.endLane = lane; const children = getChildren(node); for (let i = 0; i < children.length; i++) { if (i > 0) lane++; const child = children[i]; computeLanes(child, lane); if (child.endLane > node.endLane) { lane = child.endLane; } } node.endLane = lane; } } function getHeader2(flags) { if (flags & 2) return "Start"; if (flags & 4) return "Branch"; if (flags & 8) return "Loop"; if (flags & 16) return "Assignment"; if (flags & 32) return "True"; if (flags & 64) return "False"; if (flags & 128) return "SwitchClause"; if (flags & 256) return "ArrayMutation"; if (flags & 512) return "Call"; if (flags & 1024) return "ReduceLabel"; if (flags & 1) return "Unreachable"; throw new Error(); } function getNodeText(node) { const sourceFile = getSourceFileOfNode(node); return getSourceTextOfNodeFromSourceFile( sourceFile, node, /*includeTrivia*/ false ); } function renderFlowNode(flowNode2, circular) { let text = getHeader2(flowNode2.flags); if (circular) { text = `${text}#${getDebugFlowNodeId(flowNode2)}`; } if (isFlowSwitchClause(flowNode2)) { const clauses = []; const { switchStatement, clauseStart, clauseEnd } = flowNode2.node; for (let i = clauseStart; i < clauseEnd; i++) { const clause = switchStatement.caseBlock.clauses[i]; if (isDefaultClause(clause)) { clauses.push("default"); } else { clauses.push(getNodeText(clause.expression)); } } text += ` (${clauses.join(", ")})`; } else if (hasNode(flowNode2)) { if (flowNode2.node) { text += ` (${getNodeText(flowNode2.node)})`; } } return circular === "circularity" ? `Circular(${text})` : text; } function renderGraph() { const columnCount = columnWidths.length; const laneCount = nodes.reduce((x, n) => Math.max(x, n.lane), 0) + 1; const lanes = fill(Array(laneCount), ""); const grid = columnWidths.map(() => Array(laneCount)); const connectors = columnWidths.map(() => fill(Array(laneCount), 0)); for (const node of nodes) { grid[node.level][node.lane] = node; const children = getChildren(node); for (let i = 0; i < children.length; i++) { const child = children[i]; let connector = 8; if (child.lane === node.lane) connector |= 4; if (i > 0) connector |= 1; if (i < children.length - 1) connector |= 2; connectors[node.level][child.lane] |= connector; } if (children.length === 0) { connectors[node.level][node.lane] |= 16; } const parents = getParents(node); for (let i = 0; i < parents.length; i++) { const parent2 = parents[i]; let connector = 4; if (i > 0) connector |= 1; if (i < parents.length - 1) connector |= 2; connectors[node.level - 1][parent2.lane] |= connector; } } for (let column = 0; column < columnCount; column++) { for (let lane = 0; lane < laneCount; lane++) { const left = column > 0 ? connectors[column - 1][lane] : 0; const above = lane > 0 ? connectors[column][lane - 1] : 0; let connector = connectors[column][lane]; if (!connector) { if (left & 8) connector |= 12; if (above & 2) connector |= 3; connectors[column][lane] = connector; } } } for (let column = 0; column < columnCount; column++) { for (let lane = 0; lane < lanes.length; lane++) { const connector = connectors[column][lane]; const fill2 = connector & 4 ? "\u2500" : " "; const node = grid[column][lane]; if (!node) { if (column < columnCount - 1) { writeLane(lane, repeat(fill2, columnWidths[column] + 1)); } } else { writeLane(lane, node.text); if (column < columnCount - 1) { writeLane(lane, " "); writeLane(lane, repeat(fill2, columnWidths[column] - node.text.length)); } } writeLane(lane, getBoxCharacter(connector)); writeLane(lane, connector & 8 && column < columnCount - 1 && !grid[column + 1][lane] ? "\u2500" : " "); } } return ` ${lanes.join("\n")} `; function writeLane(lane, text) { lanes[lane] += text; } } function getBoxCharacter(connector) { switch (connector) { case 3: return "\u2502"; case 12: return "\u2500"; case 5: return "\u256F"; case 9: return "\u2570"; case 6: return "\u256E"; case 10: return "\u256D"; case 7: return "\u2524"; case 11: return "\u251C"; case 13: return "\u2534"; case 14: return "\u252C"; case 15: return "\u256B"; } return " "; } function fill(array, value) { if (array.fill) { array.fill(value); } else { for (let i = 0; i < array.length; i++) { array[i] = value; } } return array; } function repeat(ch, length2) { if (ch.repeat) { return length2 > 0 ? ch.repeat(length2) : ""; } let s = ""; while (s.length < length2) { s += ch; } return s; } } Debug2.formatControlFlowGraph = formatControlFlowGraph; })(Debug || (Debug = {})); var versionRegExp = /^(0|[1-9]\d*)(?:\.(0|[1-9]\d*)(?:\.(0|[1-9]\d*)(?:-([a-z0-9-.]+))?(?:\+([a-z0-9-.]+))?)?)?$/i; var prereleaseRegExp = /^(?:0|[1-9]\d*|[a-z-][a-z0-9-]*)(?:\.(?:0|[1-9]\d*|[a-z-][a-z0-9-]*))*$/i; var prereleasePartRegExp = /^(?:0|[1-9]\d*|[a-z-][a-z0-9-]*)$/i; var buildRegExp = /^[a-z0-9-]+(?:\.[a-z0-9-]+)*$/i; var buildPartRegExp = /^[a-z0-9-]+$/i; var numericIdentifierRegExp = /^(0|[1-9]\d*)$/; var _Version = class _Version2 { constructor(major, minor = 0, patch = 0, prerelease = "", build2 = "") { if (typeof major === "string") { const result = Debug.checkDefined(tryParseComponents(major), "Invalid version"); ({ major, minor, patch, prerelease, build: build2 } = result); } Debug.assert(major >= 0, "Invalid argument: major"); Debug.assert(minor >= 0, "Invalid argument: minor"); Debug.assert(patch >= 0, "Invalid argument: patch"); const prereleaseArray = prerelease ? isArray3(prerelease) ? prerelease : prerelease.split(".") : emptyArray; const buildArray = build2 ? isArray3(build2) ? build2 : build2.split(".") : emptyArray; Debug.assert(every(prereleaseArray, (s) => prereleasePartRegExp.test(s)), "Invalid argument: prerelease"); Debug.assert(every(buildArray, (s) => buildPartRegExp.test(s)), "Invalid argument: build"); this.major = major; this.minor = minor; this.patch = patch; this.prerelease = prereleaseArray; this.build = buildArray; } static tryParse(text) { const result = tryParseComponents(text); if (!result) return void 0; const { major, minor, patch, prerelease, build: build2 } = result; return new _Version2(major, minor, patch, prerelease, build2); } compareTo(other) { if (this === other) return 0; if (other === void 0) return 1; return compareValues(this.major, other.major) || compareValues(this.minor, other.minor) || compareValues(this.patch, other.patch) || comparePrereleaseIdentifiers(this.prerelease, other.prerelease); } increment(field) { switch (field) { case "major": return new _Version2(this.major + 1, 0, 0); case "minor": return new _Version2(this.major, this.minor + 1, 0); case "patch": return new _Version2(this.major, this.minor, this.patch + 1); default: return Debug.assertNever(field); } } with(fields) { const { major = this.major, minor = this.minor, patch = this.patch, prerelease = this.prerelease, build: build2 = this.build } = fields; return new _Version2(major, minor, patch, prerelease, build2); } toString() { let result = `${this.major}.${this.minor}.${this.patch}`; if (some(this.prerelease)) result += `-${this.prerelease.join(".")}`; if (some(this.build)) result += `+${this.build.join(".")}`; return result; } }; _Version.zero = new _Version(0, 0, 0, ["0"]); var Version = _Version; function tryParseComponents(text) { const match = versionRegExp.exec(text); if (!match) return void 0; const [, major, minor = "0", patch = "0", prerelease = "", build2 = ""] = match; if (prerelease && !prereleaseRegExp.test(prerelease)) return void 0; if (build2 && !buildRegExp.test(build2)) return void 0; return { major: parseInt(major, 10), minor: parseInt(minor, 10), patch: parseInt(patch, 10), prerelease, build: build2 }; } function comparePrereleaseIdentifiers(left, right) { if (left === right) return 0; if (left.length === 0) return right.length === 0 ? 0 : 1; if (right.length === 0) return -1; const length2 = Math.min(left.length, right.length); for (let i = 0; i < length2; i++) { const leftIdentifier = left[i]; const rightIdentifier = right[i]; if (leftIdentifier === rightIdentifier) continue; const leftIsNumeric = numericIdentifierRegExp.test(leftIdentifier); const rightIsNumeric = numericIdentifierRegExp.test(rightIdentifier); if (leftIsNumeric || rightIsNumeric) { if (leftIsNumeric !== rightIsNumeric) return leftIsNumeric ? -1 : 1; const result = compareValues(+leftIdentifier, +rightIdentifier); if (result) return result; } else { const result = compareStringsCaseSensitive(leftIdentifier, rightIdentifier); if (result) return result; } } return compareValues(left.length, right.length); } var VersionRange = class _VersionRange { constructor(spec) { this._alternatives = spec ? Debug.checkDefined(parseRange(spec), "Invalid range spec.") : emptyArray; } static tryParse(text) { const sets = parseRange(text); if (sets) { const range = new _VersionRange(""); range._alternatives = sets; return range; } return void 0; } /** * Tests whether a version matches the range. This is equivalent to `satisfies(version, range, { includePrerelease: true })`. * in `node-semver`. */ test(version2) { if (typeof version2 === "string") version2 = new Version(version2); return testDisjunction(version2, this._alternatives); } toString() { return formatDisjunction(this._alternatives); } }; var logicalOrRegExp = /\|\|/g; var whitespaceRegExp = /\s+/g; var partialRegExp = /^([xX*0]|[1-9]\d*)(?:\.([xX*0]|[1-9]\d*)(?:\.([xX*0]|[1-9]\d*)(?:-([a-z0-9-.]+))?(?:\+([a-z0-9-.]+))?)?)?$/i; var hyphenRegExp = /^\s*([a-z0-9-+.*]+)\s+-\s+([a-z0-9-+.*]+)\s*$/i; var rangeRegExp = /^(~|\^|<|<=|>|>=|=)?\s*([a-z0-9-+.*]+)$/i; function parseRange(text) { const alternatives = []; for (let range of text.trim().split(logicalOrRegExp)) { if (!range) continue; const comparators = []; range = range.trim(); const match = hyphenRegExp.exec(range); if (match) { if (!parseHyphen(match[1], match[2], comparators)) return void 0; } else { for (const simple of range.split(whitespaceRegExp)) { const match2 = rangeRegExp.exec(simple.trim()); if (!match2 || !parseComparator(match2[1], match2[2], comparators)) return void 0; } } alternatives.push(comparators); } return alternatives; } function parsePartial(text) { const match = partialRegExp.exec(text); if (!match) return void 0; const [, major, minor = "*", patch = "*", prerelease, build2] = match; const version2 = new Version( isWildcard(major) ? 0 : parseInt(major, 10), isWildcard(major) || isWildcard(minor) ? 0 : parseInt(minor, 10), isWildcard(major) || isWildcard(minor) || isWildcard(patch) ? 0 : parseInt(patch, 10), prerelease, build2 ); return { version: version2, major, minor, patch }; } function parseHyphen(left, right, comparators) { const leftResult = parsePartial(left); if (!leftResult) return false; const rightResult = parsePartial(right); if (!rightResult) return false; if (!isWildcard(leftResult.major)) { comparators.push(createComparator(">=", leftResult.version)); } if (!isWildcard(rightResult.major)) { comparators.push( isWildcard(rightResult.minor) ? createComparator("<", rightResult.version.increment("major")) : isWildcard(rightResult.patch) ? createComparator("<", rightResult.version.increment("minor")) : createComparator("<=", rightResult.version) ); } return true; } function parseComparator(operator, text, comparators) { const result = parsePartial(text); if (!result) return false; const { version: version2, major, minor, patch } = result; if (!isWildcard(major)) { switch (operator) { case "~": comparators.push(createComparator(">=", version2)); comparators.push(createComparator( "<", version2.increment( isWildcard(minor) ? "major" : "minor" ) )); break; case "^": comparators.push(createComparator(">=", version2)); comparators.push(createComparator( "<", version2.increment( version2.major > 0 || isWildcard(minor) ? "major" : version2.minor > 0 || isWildcard(patch) ? "minor" : "patch" ) )); break; case "<": case ">=": comparators.push( isWildcard(minor) || isWildcard(patch) ? createComparator(operator, version2.with({ prerelease: "0" })) : createComparator(operator, version2) ); break; case "<=": case ">": comparators.push( isWildcard(minor) ? createComparator(operator === "<=" ? "<" : ">=", version2.increment("major").with({ prerelease: "0" })) : isWildcard(patch) ? createComparator(operator === "<=" ? "<" : ">=", version2.increment("minor").with({ prerelease: "0" })) : createComparator(operator, version2) ); break; case "=": case void 0: if (isWildcard(minor) || isWildcard(patch)) { comparators.push(createComparator(">=", version2.with({ prerelease: "0" }))); comparators.push(createComparator("<", version2.increment(isWildcard(minor) ? "major" : "minor").with({ prerelease: "0" }))); } else { comparators.push(createComparator("=", version2)); } break; default: return false; } } else if (operator === "<" || operator === ">") { comparators.push(createComparator("<", Version.zero)); } return true; } function isWildcard(part) { return part === "*" || part === "x" || part === "X"; } function createComparator(operator, operand) { return { operator, operand }; } function testDisjunction(version2, alternatives) { if (alternatives.length === 0) return true; for (const alternative of alternatives) { if (testAlternative(version2, alternative)) return true; } return false; } function testAlternative(version2, comparators) { for (const comparator of comparators) { if (!testComparator(version2, comparator.operator, comparator.operand)) return false; } return true; } function testComparator(version2, operator, operand) { const cmp = version2.compareTo(operand); switch (operator) { case "<": return cmp < 0; case "<=": return cmp <= 0; case ">": return cmp > 0; case ">=": return cmp >= 0; case "=": return cmp === 0; default: return Debug.assertNever(operator); } } function formatDisjunction(alternatives) { return map(alternatives, formatAlternative).join(" || ") || "*"; } function formatAlternative(comparators) { return map(comparators, formatComparator).join(" "); } function formatComparator(comparator) { return `${comparator.operator}${comparator.operand}`; } function tryGetPerformance() { if (isNodeLikeSystem()) { try { const { performance: performance2 } = require("perf_hooks"); return { shouldWriteNativeEvents: false, performance: performance2 }; } catch { } } if (typeof performance === "object") { return { shouldWriteNativeEvents: true, performance }; } return void 0; } function tryGetPerformanceHooks() { const p = tryGetPerformance(); if (!p) return void 0; const { shouldWriteNativeEvents, performance: performance2 } = p; const hooks = { shouldWriteNativeEvents, performance: void 0, performanceTime: void 0 }; if (typeof performance2.timeOrigin === "number" && typeof performance2.now === "function") { hooks.performanceTime = performance2; } if (hooks.performanceTime && typeof performance2.mark === "function" && typeof performance2.measure === "function" && typeof performance2.clearMarks === "function" && typeof performance2.clearMeasures === "function") { hooks.performance = performance2; } return hooks; } var nativePerformanceHooks = tryGetPerformanceHooks(); var nativePerformanceTime = nativePerformanceHooks == null ? void 0 : nativePerformanceHooks.performanceTime; function tryGetNativePerformanceHooks() { return nativePerformanceHooks; } var timestamp = nativePerformanceTime ? () => nativePerformanceTime.now() : Date.now; var etwModule; try { const etwModulePath = process.env.TS_ETW_MODULE_PATH ?? "./node_modules/@microsoft/typescript-etw"; etwModule = require(etwModulePath); } catch (e) { etwModule = void 0; } var perfLogger = (etwModule == null ? void 0 : etwModule.logEvent) ? etwModule : void 0; var ts_performance_exports = {}; __export2(ts_performance_exports, { clearMarks: () => clearMarks, clearMeasures: () => clearMeasures, createTimer: () => createTimer, createTimerIf: () => createTimerIf, disable: () => disable, enable: () => enable, forEachMark: () => forEachMark, forEachMeasure: () => forEachMeasure, getCount: () => getCount, getDuration: () => getDuration, isEnabled: () => isEnabled, mark: () => mark, measure: () => measure, nullTimer: () => nullTimer }); var perfHooks; var performanceImpl; function createTimerIf(condition, measureName, startMarkName, endMarkName) { return condition ? createTimer(measureName, startMarkName, endMarkName) : nullTimer; } function createTimer(measureName, startMarkName, endMarkName) { let enterCount = 0; return { enter, exit }; function enter() { if (++enterCount === 1) { mark(startMarkName); } } function exit() { if (--enterCount === 0) { mark(endMarkName); measure(measureName, startMarkName, endMarkName); } else if (enterCount < 0) { Debug.fail("enter/exit count does not match."); } } } var nullTimer = { enter: noop2, exit: noop2 }; var enabled = false; var timeorigin = timestamp(); var marks = /* @__PURE__ */ new Map(); var counts = /* @__PURE__ */ new Map(); var durations = /* @__PURE__ */ new Map(); function mark(markName) { if (enabled) { const count = counts.get(markName) ?? 0; counts.set(markName, count + 1); marks.set(markName, timestamp()); performanceImpl == null ? void 0 : performanceImpl.mark(markName); if (typeof onProfilerEvent === "function") { onProfilerEvent(markName); } } } function measure(measureName, startMarkName, endMarkName) { if (enabled) { const end = (endMarkName !== void 0 ? marks.get(endMarkName) : void 0) ?? timestamp(); const start = (startMarkName !== void 0 ? marks.get(startMarkName) : void 0) ?? timeorigin; const previousDuration = durations.get(measureName) || 0; durations.set(measureName, previousDuration + (end - start)); performanceImpl == null ? void 0 : performanceImpl.measure(measureName, startMarkName, endMarkName); } } function getCount(markName) { return counts.get(markName) || 0; } function getDuration(measureName) { return durations.get(measureName) || 0; } function forEachMeasure(cb) { durations.forEach((duration, measureName) => cb(measureName, duration)); } function forEachMark(cb) { marks.forEach((_time, markName) => cb(markName)); } function clearMeasures(name) { if (name !== void 0) durations.delete(name); else durations.clear(); performanceImpl == null ? void 0 : performanceImpl.clearMeasures(name); } function clearMarks(name) { if (name !== void 0) { counts.delete(name); marks.delete(name); } else { counts.clear(); marks.clear(); } performanceImpl == null ? void 0 : performanceImpl.clearMarks(name); } function isEnabled() { return enabled; } function enable(system = sys) { var _a; if (!enabled) { enabled = true; perfHooks || (perfHooks = tryGetNativePerformanceHooks()); if (perfHooks == null ? void 0 : perfHooks.performance) { timeorigin = perfHooks.performance.timeOrigin; if (perfHooks.shouldWriteNativeEvents || ((_a = system == null ? void 0 : system.cpuProfilingEnabled) == null ? void 0 : _a.call(system)) || (system == null ? void 0 : system.debugMode)) { performanceImpl = perfHooks.performance; } } } return true; } function disable() { if (enabled) { marks.clear(); counts.clear(); durations.clear(); performanceImpl = void 0; enabled = false; } } var tracing; var tracingEnabled; ((tracingEnabled2) => { let fs4; let traceCount = 0; let traceFd = 0; let mode; const typeCatalog = []; let legendPath; const legend = []; function startTracing2(tracingMode, traceDir, configFilePath) { Debug.assert(!tracing, "Tracing already started"); if (fs4 === void 0) { try { fs4 = require("fs"); } catch (e) { throw new Error(`tracing requires having fs (original error: ${e.message || e})`); } } mode = tracingMode; typeCatalog.length = 0; if (legendPath === void 0) { legendPath = combinePaths(traceDir, "legend.json"); } if (!fs4.existsSync(traceDir)) { fs4.mkdirSync(traceDir, { recursive: true }); } const countPart = mode === "build" ? `.${process.pid}-${++traceCount}` : mode === "server" ? `.${process.pid}` : ``; const tracePath = combinePaths(traceDir, `trace${countPart}.json`); const typesPath = combinePaths(traceDir, `types${countPart}.json`); legend.push({ configFilePath, tracePath, typesPath }); traceFd = fs4.openSync(tracePath, "w"); tracing = tracingEnabled2; const meta = { cat: "__metadata", ph: "M", ts: 1e3 * timestamp(), pid: 1, tid: 1 }; fs4.writeSync( traceFd, "[\n" + [{ name: "process_name", args: { name: "tsc" }, ...meta }, { name: "thread_name", args: { name: "Main" }, ...meta }, { name: "TracingStartedInBrowser", ...meta, cat: "disabled-by-default-devtools.timeline" }].map((v) => JSON.stringify(v)).join(",\n") ); } tracingEnabled2.startTracing = startTracing2; function stopTracing() { Debug.assert(tracing, "Tracing is not in progress"); Debug.assert(!!typeCatalog.length === (mode !== "server")); fs4.writeSync(traceFd, ` ] `); fs4.closeSync(traceFd); tracing = void 0; if (typeCatalog.length) { dumpTypes(typeCatalog); } else { legend[legend.length - 1].typesPath = void 0; } } tracingEnabled2.stopTracing = stopTracing; function recordType2(type) { if (mode !== "server") { typeCatalog.push(type); } } tracingEnabled2.recordType = recordType2; let Phase; ((Phase2) => { Phase2["Parse"] = "parse"; Phase2["Program"] = "program"; Phase2["Bind"] = "bind"; Phase2["Check"] = "check"; Phase2["CheckTypes"] = "checkTypes"; Phase2["Emit"] = "emit"; Phase2["Session"] = "session"; })(Phase = tracingEnabled2.Phase || (tracingEnabled2.Phase = {})); function instant(phase, name, args) { writeEvent("I", phase, name, args, `"s":"g"`); } tracingEnabled2.instant = instant; const eventStack = []; function push(phase, name, args, separateBeginAndEnd = false) { if (separateBeginAndEnd) { writeEvent("B", phase, name, args); } eventStack.push({ phase, name, args, time: 1e3 * timestamp(), separateBeginAndEnd }); } tracingEnabled2.push = push; function pop(results) { Debug.assert(eventStack.length > 0); writeStackEvent(eventStack.length - 1, 1e3 * timestamp(), results); eventStack.length--; } tracingEnabled2.pop = pop; function popAll() { const endTime = 1e3 * timestamp(); for (let i = eventStack.length - 1; i >= 0; i--) { writeStackEvent(i, endTime); } eventStack.length = 0; } tracingEnabled2.popAll = popAll; const sampleInterval = 1e3 * 10; function writeStackEvent(index, endTime, results) { const { phase, name, args, time, separateBeginAndEnd } = eventStack[index]; if (separateBeginAndEnd) { Debug.assert(!results, "`results` are not supported for events with `separateBeginAndEnd`"); writeEvent( "E", phase, name, args, /*extras*/ void 0, endTime ); } else if (sampleInterval - time % sampleInterval <= endTime - time) { writeEvent("X", phase, name, { ...args, results }, `"dur":${endTime - time}`, time); } } function writeEvent(eventType, phase, name, args, extras, time = 1e3 * timestamp()) { if (mode === "server" && phase === "checkTypes") return; mark("beginTracing"); fs4.writeSync(traceFd, `, {"pid":1,"tid":1,"ph":"${eventType}","cat":"${phase}","ts":${time},"name":"${name}"`); if (extras) fs4.writeSync(traceFd, `,${extras}`); if (args) fs4.writeSync(traceFd, `,"args":${JSON.stringify(args)}`); fs4.writeSync(traceFd, `}`); mark("endTracing"); measure("Tracing", "beginTracing", "endTracing"); } function getLocation(node) { const file = getSourceFileOfNode(node); return !file ? void 0 : { path: file.path, start: indexFromOne(getLineAndCharacterOfPosition(file, node.pos)), end: indexFromOne(getLineAndCharacterOfPosition(file, node.end)) }; function indexFromOne(lc) { return { line: lc.line + 1, character: lc.character + 1 }; } } function dumpTypes(types) { var _a, _b, _c, _d, _e, _f, _g, _h, _i, _j, _k, _l, _m, _n, _o, _p, _q, _r, _s; mark("beginDumpTypes"); const typesPath = legend[legend.length - 1].typesPath; const typesFd = fs4.openSync(typesPath, "w"); const recursionIdentityMap = /* @__PURE__ */ new Map(); fs4.writeSync(typesFd, "["); const numTypes = types.length; for (let i = 0; i < numTypes; i++) { const type = types[i]; const objectFlags = type.objectFlags; const symbol = type.aliasSymbol ?? type.symbol; let display; if (objectFlags & 16 | type.flags & 2944) { try { display = (_a = type.checker) == null ? void 0 : _a.typeToString(type); } catch { display = void 0; } } let indexedAccessProperties = {}; if (type.flags & 8388608) { const indexedAccessType = type; indexedAccessProperties = { indexedAccessObjectType: (_b = indexedAccessType.objectType) == null ? void 0 : _b.id, indexedAccessIndexType: (_c = indexedAccessType.indexType) == null ? void 0 : _c.id }; } let referenceProperties = {}; if (objectFlags & 4) { const referenceType = type; referenceProperties = { instantiatedType: (_d = referenceType.target) == null ? void 0 : _d.id, typeArguments: (_e = referenceType.resolvedTypeArguments) == null ? void 0 : _e.map((t) => t.id), referenceLocation: getLocation(referenceType.node) }; } let conditionalProperties = {}; if (type.flags & 16777216) { const conditionalType = type; conditionalProperties = { conditionalCheckType: (_f = conditionalType.checkType) == null ? void 0 : _f.id, conditionalExtendsType: (_g = conditionalType.extendsType) == null ? void 0 : _g.id, conditionalTrueType: ((_h = conditionalType.resolvedTrueType) == null ? void 0 : _h.id) ?? -1, conditionalFalseType: ((_i = conditionalType.resolvedFalseType) == null ? void 0 : _i.id) ?? -1 }; } let substitutionProperties = {}; if (type.flags & 33554432) { const substitutionType = type; substitutionProperties = { substitutionBaseType: (_j = substitutionType.baseType) == null ? void 0 : _j.id, constraintType: (_k = substitutionType.constraint) == null ? void 0 : _k.id }; } let reverseMappedProperties = {}; if (objectFlags & 1024) { const reverseMappedType = type; reverseMappedProperties = { reverseMappedSourceType: (_l = reverseMappedType.source) == null ? void 0 : _l.id, reverseMappedMappedType: (_m = reverseMappedType.mappedType) == null ? void 0 : _m.id, reverseMappedConstraintType: (_n = reverseMappedType.constraintType) == null ? void 0 : _n.id }; } let evolvingArrayProperties = {}; if (objectFlags & 256) { const evolvingArrayType = type; evolvingArrayProperties = { evolvingArrayElementType: evolvingArrayType.elementType.id, evolvingArrayFinalType: (_o = evolvingArrayType.finalArrayType) == null ? void 0 : _o.id }; } let recursionToken; const recursionIdentity = type.checker.getRecursionIdentity(type); if (recursionIdentity) { recursionToken = recursionIdentityMap.get(recursionIdentity); if (!recursionToken) { recursionToken = recursionIdentityMap.size; recursionIdentityMap.set(recursionIdentity, recursionToken); } } const descriptor = { id: type.id, intrinsicName: type.intrinsicName, symbolName: (symbol == null ? void 0 : symbol.escapedName) && unescapeLeadingUnderscores(symbol.escapedName), recursionId: recursionToken, isTuple: objectFlags & 8 ? true : void 0, unionTypes: type.flags & 1048576 ? (_p = type.types) == null ? void 0 : _p.map((t) => t.id) : void 0, intersectionTypes: type.flags & 2097152 ? type.types.map((t) => t.id) : void 0, aliasTypeArguments: (_q = type.aliasTypeArguments) == null ? void 0 : _q.map((t) => t.id), keyofType: type.flags & 4194304 ? (_r = type.type) == null ? void 0 : _r.id : void 0, ...indexedAccessProperties, ...referenceProperties, ...conditionalProperties, ...substitutionProperties, ...reverseMappedProperties, ...evolvingArrayProperties, destructuringPattern: getLocation(type.pattern), firstDeclaration: getLocation((_s = symbol == null ? void 0 : symbol.declarations) == null ? void 0 : _s[0]), flags: Debug.formatTypeFlags(type.flags).split("|"), display }; fs4.writeSync(typesFd, JSON.stringify(descriptor)); if (i < numTypes - 1) { fs4.writeSync(typesFd, ",\n"); } } fs4.writeSync(typesFd, "]\n"); fs4.closeSync(typesFd); mark("endDumpTypes"); measure("Dump types", "beginDumpTypes", "endDumpTypes"); } function dumpLegend() { if (!legendPath) { return; } fs4.writeFileSync(legendPath, JSON.stringify(legend)); } tracingEnabled2.dumpLegend = dumpLegend; })(tracingEnabled || (tracingEnabled = {})); var startTracing = tracingEnabled.startTracing; var dumpTracingLegend = tracingEnabled.dumpLegend; var SyntaxKind = /* @__PURE__ */ ((SyntaxKind5) => { SyntaxKind5[SyntaxKind5["Unknown"] = 0] = "Unknown"; SyntaxKind5[SyntaxKind5["EndOfFileToken"] = 1] = "EndOfFileToken"; SyntaxKind5[SyntaxKind5["SingleLineCommentTrivia"] = 2] = "SingleLineCommentTrivia"; SyntaxKind5[SyntaxKind5["MultiLineCommentTrivia"] = 3] = "MultiLineCommentTrivia"; SyntaxKind5[SyntaxKind5["NewLineTrivia"] = 4] = "NewLineTrivia"; SyntaxKind5[SyntaxKind5["WhitespaceTrivia"] = 5] = "WhitespaceTrivia"; SyntaxKind5[SyntaxKind5["ShebangTrivia"] = 6] = "ShebangTrivia"; SyntaxKind5[SyntaxKind5["ConflictMarkerTrivia"] = 7] = "ConflictMarkerTrivia"; SyntaxKind5[SyntaxKind5["NonTextFileMarkerTrivia"] = 8] = "NonTextFileMarkerTrivia"; SyntaxKind5[SyntaxKind5["NumericLiteral"] = 9] = "NumericLiteral"; SyntaxKind5[SyntaxKind5["BigIntLiteral"] = 10] = "BigIntLiteral"; SyntaxKind5[SyntaxKind5["StringLiteral"] = 11] = "StringLiteral"; SyntaxKind5[SyntaxKind5["JsxText"] = 12] = "JsxText"; SyntaxKind5[SyntaxKind5["JsxTextAllWhiteSpaces"] = 13] = "JsxTextAllWhiteSpaces"; SyntaxKind5[SyntaxKind5["RegularExpressionLiteral"] = 14] = "RegularExpressionLiteral"; SyntaxKind5[SyntaxKind5["NoSubstitutionTemplateLiteral"] = 15] = "NoSubstitutionTemplateLiteral"; SyntaxKind5[SyntaxKind5["TemplateHead"] = 16] = "TemplateHead"; SyntaxKind5[SyntaxKind5["TemplateMiddle"] = 17] = "TemplateMiddle"; SyntaxKind5[SyntaxKind5["TemplateTail"] = 18] = "TemplateTail"; SyntaxKind5[SyntaxKind5["OpenBraceToken"] = 19] = "OpenBraceToken"; SyntaxKind5[SyntaxKind5["CloseBraceToken"] = 20] = "CloseBraceToken"; SyntaxKind5[SyntaxKind5["OpenParenToken"] = 21] = "OpenParenToken"; SyntaxKind5[SyntaxKind5["CloseParenToken"] = 22] = "CloseParenToken"; SyntaxKind5[SyntaxKind5["OpenBracketToken"] = 23] = "OpenBracketToken"; SyntaxKind5[SyntaxKind5["CloseBracketToken"] = 24] = "CloseBracketToken"; SyntaxKind5[SyntaxKind5["DotToken"] = 25] = "DotToken"; SyntaxKind5[SyntaxKind5["DotDotDotToken"] = 26] = "DotDotDotToken"; SyntaxKind5[SyntaxKind5["SemicolonToken"] = 27] = "SemicolonToken"; SyntaxKind5[SyntaxKind5["CommaToken"] = 28] = "CommaToken"; SyntaxKind5[SyntaxKind5["QuestionDotToken"] = 29] = "QuestionDotToken"; SyntaxKind5[SyntaxKind5["LessThanToken"] = 30] = "LessThanToken"; SyntaxKind5[SyntaxKind5["LessThanSlashToken"] = 31] = "LessThanSlashToken"; SyntaxKind5[SyntaxKind5["GreaterThanToken"] = 32] = "GreaterThanToken"; SyntaxKind5[SyntaxKind5["LessThanEqualsToken"] = 33] = "LessThanEqualsToken"; SyntaxKind5[SyntaxKind5["GreaterThanEqualsToken"] = 34] = "GreaterThanEqualsToken"; SyntaxKind5[SyntaxKind5["EqualsEqualsToken"] = 35] = "EqualsEqualsToken"; SyntaxKind5[SyntaxKind5["ExclamationEqualsToken"] = 36] = "ExclamationEqualsToken"; SyntaxKind5[SyntaxKind5["EqualsEqualsEqualsToken"] = 37] = "EqualsEqualsEqualsToken"; SyntaxKind5[SyntaxKind5["ExclamationEqualsEqualsToken"] = 38] = "ExclamationEqualsEqualsToken"; SyntaxKind5[SyntaxKind5["EqualsGreaterThanToken"] = 39] = "EqualsGreaterThanToken"; SyntaxKind5[SyntaxKind5["PlusToken"] = 40] = "PlusToken"; SyntaxKind5[SyntaxKind5["MinusToken"] = 41] = "MinusToken"; SyntaxKind5[SyntaxKind5["AsteriskToken"] = 42] = "AsteriskToken"; SyntaxKind5[SyntaxKind5["AsteriskAsteriskToken"] = 43] = "AsteriskAsteriskToken"; SyntaxKind5[SyntaxKind5["SlashToken"] = 44] = "SlashToken"; SyntaxKind5[SyntaxKind5["PercentToken"] = 45] = "PercentToken"; SyntaxKind5[SyntaxKind5["PlusPlusToken"] = 46] = "PlusPlusToken"; SyntaxKind5[SyntaxKind5["MinusMinusToken"] = 47] = "MinusMinusToken"; SyntaxKind5[SyntaxKind5["LessThanLessThanToken"] = 48] = "LessThanLessThanToken"; SyntaxKind5[SyntaxKind5["GreaterThanGreaterThanToken"] = 49] = "GreaterThanGreaterThanToken"; SyntaxKind5[SyntaxKind5["GreaterThanGreaterThanGreaterThanToken"] = 50] = "GreaterThanGreaterThanGreaterThanToken"; SyntaxKind5[SyntaxKind5["AmpersandToken"] = 51] = "AmpersandToken"; SyntaxKind5[SyntaxKind5["BarToken"] = 52] = "BarToken"; SyntaxKind5[SyntaxKind5["CaretToken"] = 53] = "CaretToken"; SyntaxKind5[SyntaxKind5["ExclamationToken"] = 54] = "ExclamationToken"; SyntaxKind5[SyntaxKind5["TildeToken"] = 55] = "TildeToken"; SyntaxKind5[SyntaxKind5["AmpersandAmpersandToken"] = 56] = "AmpersandAmpersandToken"; SyntaxKind5[SyntaxKind5["BarBarToken"] = 57] = "BarBarToken"; SyntaxKind5[SyntaxKind5["QuestionToken"] = 58] = "QuestionToken"; SyntaxKind5[SyntaxKind5["ColonToken"] = 59] = "ColonToken"; SyntaxKind5[SyntaxKind5["AtToken"] = 60] = "AtToken"; SyntaxKind5[SyntaxKind5["QuestionQuestionToken"] = 61] = "QuestionQuestionToken"; SyntaxKind5[SyntaxKind5["BacktickToken"] = 62] = "BacktickToken"; SyntaxKind5[SyntaxKind5["HashToken"] = 63] = "HashToken"; SyntaxKind5[SyntaxKind5["EqualsToken"] = 64] = "EqualsToken"; SyntaxKind5[SyntaxKind5["PlusEqualsToken"] = 65] = "PlusEqualsToken"; SyntaxKind5[SyntaxKind5["MinusEqualsToken"] = 66] = "MinusEqualsToken"; SyntaxKind5[SyntaxKind5["AsteriskEqualsToken"] = 67] = "AsteriskEqualsToken"; SyntaxKind5[SyntaxKind5["AsteriskAsteriskEqualsToken"] = 68] = "AsteriskAsteriskEqualsToken"; SyntaxKind5[SyntaxKind5["SlashEqualsToken"] = 69] = "SlashEqualsToken"; SyntaxKind5[SyntaxKind5["PercentEqualsToken"] = 70] = "PercentEqualsToken"; SyntaxKind5[SyntaxKind5["LessThanLessThanEqualsToken"] = 71] = "LessThanLessThanEqualsToken"; SyntaxKind5[SyntaxKind5["GreaterThanGreaterThanEqualsToken"] = 72] = "GreaterThanGreaterThanEqualsToken"; SyntaxKind5[SyntaxKind5["GreaterThanGreaterThanGreaterThanEqualsToken"] = 73] = "GreaterThanGreaterThanGreaterThanEqualsToken"; SyntaxKind5[SyntaxKind5["AmpersandEqualsToken"] = 74] = "AmpersandEqualsToken"; SyntaxKind5[SyntaxKind5["BarEqualsToken"] = 75] = "BarEqualsToken"; SyntaxKind5[SyntaxKind5["BarBarEqualsToken"] = 76] = "BarBarEqualsToken"; SyntaxKind5[SyntaxKind5["AmpersandAmpersandEqualsToken"] = 77] = "AmpersandAmpersandEqualsToken"; SyntaxKind5[SyntaxKind5["QuestionQuestionEqualsToken"] = 78] = "QuestionQuestionEqualsToken"; SyntaxKind5[SyntaxKind5["CaretEqualsToken"] = 79] = "CaretEqualsToken"; SyntaxKind5[SyntaxKind5["Identifier"] = 80] = "Identifier"; SyntaxKind5[SyntaxKind5["PrivateIdentifier"] = 81] = "PrivateIdentifier"; SyntaxKind5[SyntaxKind5["JSDocCommentTextToken"] = 82] = "JSDocCommentTextToken"; SyntaxKind5[SyntaxKind5["BreakKeyword"] = 83] = "BreakKeyword"; SyntaxKind5[SyntaxKind5["CaseKeyword"] = 84] = "CaseKeyword"; SyntaxKind5[SyntaxKind5["CatchKeyword"] = 85] = "CatchKeyword"; SyntaxKind5[SyntaxKind5["ClassKeyword"] = 86] = "ClassKeyword"; SyntaxKind5[SyntaxKind5["ConstKeyword"] = 87] = "ConstKeyword"; SyntaxKind5[SyntaxKind5["ContinueKeyword"] = 88] = "ContinueKeyword"; SyntaxKind5[SyntaxKind5["DebuggerKeyword"] = 89] = "DebuggerKeyword"; SyntaxKind5[SyntaxKind5["DefaultKeyword"] = 90] = "DefaultKeyword"; SyntaxKind5[SyntaxKind5["DeleteKeyword"] = 91] = "DeleteKeyword"; SyntaxKind5[SyntaxKind5["DoKeyword"] = 92] = "DoKeyword"; SyntaxKind5[SyntaxKind5["ElseKeyword"] = 93] = "ElseKeyword"; SyntaxKind5[SyntaxKind5["EnumKeyword"] = 94] = "EnumKeyword"; SyntaxKind5[SyntaxKind5["ExportKeyword"] = 95] = "ExportKeyword"; SyntaxKind5[SyntaxKind5["ExtendsKeyword"] = 96] = "ExtendsKeyword"; SyntaxKind5[SyntaxKind5["FalseKeyword"] = 97] = "FalseKeyword"; SyntaxKind5[SyntaxKind5["FinallyKeyword"] = 98] = "FinallyKeyword"; SyntaxKind5[SyntaxKind5["ForKeyword"] = 99] = "ForKeyword"; SyntaxKind5[SyntaxKind5["FunctionKeyword"] = 100] = "FunctionKeyword"; SyntaxKind5[SyntaxKind5["IfKeyword"] = 101] = "IfKeyword"; SyntaxKind5[SyntaxKind5["ImportKeyword"] = 102] = "ImportKeyword"; SyntaxKind5[SyntaxKind5["InKeyword"] = 103] = "InKeyword"; SyntaxKind5[SyntaxKind5["InstanceOfKeyword"] = 104] = "InstanceOfKeyword"; SyntaxKind5[SyntaxKind5["NewKeyword"] = 105] = "NewKeyword"; SyntaxKind5[SyntaxKind5["NullKeyword"] = 106] = "NullKeyword"; SyntaxKind5[SyntaxKind5["ReturnKeyword"] = 107] = "ReturnKeyword"; SyntaxKind5[SyntaxKind5["SuperKeyword"] = 108] = "SuperKeyword"; SyntaxKind5[SyntaxKind5["SwitchKeyword"] = 109] = "SwitchKeyword"; SyntaxKind5[SyntaxKind5["ThisKeyword"] = 110] = "ThisKeyword"; SyntaxKind5[SyntaxKind5["ThrowKeyword"] = 111] = "ThrowKeyword"; SyntaxKind5[SyntaxKind5["TrueKeyword"] = 112] = "TrueKeyword"; SyntaxKind5[SyntaxKind5["TryKeyword"] = 113] = "TryKeyword"; SyntaxKind5[SyntaxKind5["TypeOfKeyword"] = 114] = "TypeOfKeyword"; SyntaxKind5[SyntaxKind5["VarKeyword"] = 115] = "VarKeyword"; SyntaxKind5[SyntaxKind5["VoidKeyword"] = 116] = "VoidKeyword"; SyntaxKind5[SyntaxKind5["WhileKeyword"] = 117] = "WhileKeyword"; SyntaxKind5[SyntaxKind5["WithKeyword"] = 118] = "WithKeyword"; SyntaxKind5[SyntaxKind5["ImplementsKeyword"] = 119] = "ImplementsKeyword"; SyntaxKind5[SyntaxKind5["InterfaceKeyword"] = 120] = "InterfaceKeyword"; SyntaxKind5[SyntaxKind5["LetKeyword"] = 121] = "LetKeyword"; SyntaxKind5[SyntaxKind5["PackageKeyword"] = 122] = "PackageKeyword"; SyntaxKind5[SyntaxKind5["PrivateKeyword"] = 123] = "PrivateKeyword"; SyntaxKind5[SyntaxKind5["ProtectedKeyword"] = 124] = "ProtectedKeyword"; SyntaxKind5[SyntaxKind5["PublicKeyword"] = 125] = "PublicKeyword"; SyntaxKind5[SyntaxKind5["StaticKeyword"] = 126] = "StaticKeyword"; SyntaxKind5[SyntaxKind5["YieldKeyword"] = 127] = "YieldKeyword"; SyntaxKind5[SyntaxKind5["AbstractKeyword"] = 128] = "AbstractKeyword"; SyntaxKind5[SyntaxKind5["AccessorKeyword"] = 129] = "AccessorKeyword"; SyntaxKind5[SyntaxKind5["AsKeyword"] = 130] = "AsKeyword"; SyntaxKind5[SyntaxKind5["AssertsKeyword"] = 131] = "AssertsKeyword"; SyntaxKind5[SyntaxKind5["AssertKeyword"] = 132] = "AssertKeyword"; SyntaxKind5[SyntaxKind5["AnyKeyword"] = 133] = "AnyKeyword"; SyntaxKind5[SyntaxKind5["AsyncKeyword"] = 134] = "AsyncKeyword"; SyntaxKind5[SyntaxKind5["AwaitKeyword"] = 135] = "AwaitKeyword"; SyntaxKind5[SyntaxKind5["BooleanKeyword"] = 136] = "BooleanKeyword"; SyntaxKind5[SyntaxKind5["ConstructorKeyword"] = 137] = "ConstructorKeyword"; SyntaxKind5[SyntaxKind5["DeclareKeyword"] = 138] = "DeclareKeyword"; SyntaxKind5[SyntaxKind5["GetKeyword"] = 139] = "GetKeyword"; SyntaxKind5[SyntaxKind5["InferKeyword"] = 140] = "InferKeyword"; SyntaxKind5[SyntaxKind5["IntrinsicKeyword"] = 141] = "IntrinsicKeyword"; SyntaxKind5[SyntaxKind5["IsKeyword"] = 142] = "IsKeyword"; SyntaxKind5[SyntaxKind5["KeyOfKeyword"] = 143] = "KeyOfKeyword"; SyntaxKind5[SyntaxKind5["ModuleKeyword"] = 144] = "ModuleKeyword"; SyntaxKind5[SyntaxKind5["NamespaceKeyword"] = 145] = "NamespaceKeyword"; SyntaxKind5[SyntaxKind5["NeverKeyword"] = 146] = "NeverKeyword"; SyntaxKind5[SyntaxKind5["OutKeyword"] = 147] = "OutKeyword"; SyntaxKind5[SyntaxKind5["ReadonlyKeyword"] = 148] = "ReadonlyKeyword"; SyntaxKind5[SyntaxKind5["RequireKeyword"] = 149] = "RequireKeyword"; SyntaxKind5[SyntaxKind5["NumberKeyword"] = 150] = "NumberKeyword"; SyntaxKind5[SyntaxKind5["ObjectKeyword"] = 151] = "ObjectKeyword"; SyntaxKind5[SyntaxKind5["SatisfiesKeyword"] = 152] = "SatisfiesKeyword"; SyntaxKind5[SyntaxKind5["SetKeyword"] = 153] = "SetKeyword"; SyntaxKind5[SyntaxKind5["StringKeyword"] = 154] = "StringKeyword"; SyntaxKind5[SyntaxKind5["SymbolKeyword"] = 155] = "SymbolKeyword"; SyntaxKind5[SyntaxKind5["TypeKeyword"] = 156] = "TypeKeyword"; SyntaxKind5[SyntaxKind5["UndefinedKeyword"] = 157] = "UndefinedKeyword"; SyntaxKind5[SyntaxKind5["UniqueKeyword"] = 158] = "UniqueKeyword"; SyntaxKind5[SyntaxKind5["UnknownKeyword"] = 159] = "UnknownKeyword"; SyntaxKind5[SyntaxKind5["UsingKeyword"] = 160] = "UsingKeyword"; SyntaxKind5[SyntaxKind5["FromKeyword"] = 161] = "FromKeyword"; SyntaxKind5[SyntaxKind5["GlobalKeyword"] = 162] = "GlobalKeyword"; SyntaxKind5[SyntaxKind5["BigIntKeyword"] = 163] = "BigIntKeyword"; SyntaxKind5[SyntaxKind5["OverrideKeyword"] = 164] = "OverrideKeyword"; SyntaxKind5[SyntaxKind5["OfKeyword"] = 165] = "OfKeyword"; SyntaxKind5[SyntaxKind5["QualifiedName"] = 166] = "QualifiedName"; SyntaxKind5[SyntaxKind5["ComputedPropertyName"] = 167] = "ComputedPropertyName"; SyntaxKind5[SyntaxKind5["TypeParameter"] = 168] = "TypeParameter"; SyntaxKind5[SyntaxKind5["Parameter"] = 169] = "Parameter"; SyntaxKind5[SyntaxKind5["Decorator"] = 170] = "Decorator"; SyntaxKind5[SyntaxKind5["PropertySignature"] = 171] = "PropertySignature"; SyntaxKind5[SyntaxKind5["PropertyDeclaration"] = 172] = "PropertyDeclaration"; SyntaxKind5[SyntaxKind5["MethodSignature"] = 173] = "MethodSignature"; SyntaxKind5[SyntaxKind5["MethodDeclaration"] = 174] = "MethodDeclaration"; SyntaxKind5[SyntaxKind5["ClassStaticBlockDeclaration"] = 175] = "ClassStaticBlockDeclaration"; SyntaxKind5[SyntaxKind5["Constructor"] = 176] = "Constructor"; SyntaxKind5[SyntaxKind5["GetAccessor"] = 177] = "GetAccessor"; SyntaxKind5[SyntaxKind5["SetAccessor"] = 178] = "SetAccessor"; SyntaxKind5[SyntaxKind5["CallSignature"] = 179] = "CallSignature"; SyntaxKind5[SyntaxKind5["ConstructSignature"] = 180] = "ConstructSignature"; SyntaxKind5[SyntaxKind5["IndexSignature"] = 181] = "IndexSignature"; SyntaxKind5[SyntaxKind5["TypePredicate"] = 182] = "TypePredicate"; SyntaxKind5[SyntaxKind5["TypeReference"] = 183] = "TypeReference"; SyntaxKind5[SyntaxKind5["FunctionType"] = 184] = "FunctionType"; SyntaxKind5[SyntaxKind5["ConstructorType"] = 185] = "ConstructorType"; SyntaxKind5[SyntaxKind5["TypeQuery"] = 186] = "TypeQuery"; SyntaxKind5[SyntaxKind5["TypeLiteral"] = 187] = "TypeLiteral"; SyntaxKind5[SyntaxKind5["ArrayType"] = 188] = "ArrayType"; SyntaxKind5[SyntaxKind5["TupleType"] = 189] = "TupleType"; SyntaxKind5[SyntaxKind5["OptionalType"] = 190] = "OptionalType"; SyntaxKind5[SyntaxKind5["RestType"] = 191] = "RestType"; SyntaxKind5[SyntaxKind5["UnionType"] = 192] = "UnionType"; SyntaxKind5[SyntaxKind5["IntersectionType"] = 193] = "IntersectionType"; SyntaxKind5[SyntaxKind5["ConditionalType"] = 194] = "ConditionalType"; SyntaxKind5[SyntaxKind5["InferType"] = 195] = "InferType"; SyntaxKind5[SyntaxKind5["ParenthesizedType"] = 196] = "ParenthesizedType"; SyntaxKind5[SyntaxKind5["ThisType"] = 197] = "ThisType"; SyntaxKind5[SyntaxKind5["TypeOperator"] = 198] = "TypeOperator"; SyntaxKind5[SyntaxKind5["IndexedAccessType"] = 199] = "IndexedAccessType"; SyntaxKind5[SyntaxKind5["MappedType"] = 200] = "MappedType"; SyntaxKind5[SyntaxKind5["LiteralType"] = 201] = "LiteralType"; SyntaxKind5[SyntaxKind5["NamedTupleMember"] = 202] = "NamedTupleMember"; SyntaxKind5[SyntaxKind5["TemplateLiteralType"] = 203] = "TemplateLiteralType"; SyntaxKind5[SyntaxKind5["TemplateLiteralTypeSpan"] = 204] = "TemplateLiteralTypeSpan"; SyntaxKind5[SyntaxKind5["ImportType"] = 205] = "ImportType"; SyntaxKind5[SyntaxKind5["ObjectBindingPattern"] = 206] = "ObjectBindingPattern"; SyntaxKind5[SyntaxKind5["ArrayBindingPattern"] = 207] = "ArrayBindingPattern"; SyntaxKind5[SyntaxKind5["BindingElement"] = 208] = "BindingElement"; SyntaxKind5[SyntaxKind5["ArrayLiteralExpression"] = 209] = "ArrayLiteralExpression"; SyntaxKind5[SyntaxKind5["ObjectLiteralExpression"] = 210] = "ObjectLiteralExpression"; SyntaxKind5[SyntaxKind5["PropertyAccessExpression"] = 211] = "PropertyAccessExpression"; SyntaxKind5[SyntaxKind5["ElementAccessExpression"] = 212] = "ElementAccessExpression"; SyntaxKind5[SyntaxKind5["CallExpression"] = 213] = "CallExpression"; SyntaxKind5[SyntaxKind5["NewExpression"] = 214] = "NewExpression"; SyntaxKind5[SyntaxKind5["TaggedTemplateExpression"] = 215] = "TaggedTemplateExpression"; SyntaxKind5[SyntaxKind5["TypeAssertionExpression"] = 216] = "TypeAssertionExpression"; SyntaxKind5[SyntaxKind5["ParenthesizedExpression"] = 217] = "ParenthesizedExpression"; SyntaxKind5[SyntaxKind5["FunctionExpression"] = 218] = "FunctionExpression"; SyntaxKind5[SyntaxKind5["ArrowFunction"] = 219] = "ArrowFunction"; SyntaxKind5[SyntaxKind5["DeleteExpression"] = 220] = "DeleteExpression"; SyntaxKind5[SyntaxKind5["TypeOfExpression"] = 221] = "TypeOfExpression"; SyntaxKind5[SyntaxKind5["VoidExpression"] = 222] = "VoidExpression"; SyntaxKind5[SyntaxKind5["AwaitExpression"] = 223] = "AwaitExpression"; SyntaxKind5[SyntaxKind5["PrefixUnaryExpression"] = 224] = "PrefixUnaryExpression"; SyntaxKind5[SyntaxKind5["PostfixUnaryExpression"] = 225] = "PostfixUnaryExpression"; SyntaxKind5[SyntaxKind5["BinaryExpression"] = 226] = "BinaryExpression"; SyntaxKind5[SyntaxKind5["ConditionalExpression"] = 227] = "ConditionalExpression"; SyntaxKind5[SyntaxKind5["TemplateExpression"] = 228] = "TemplateExpression"; SyntaxKind5[SyntaxKind5["YieldExpression"] = 229] = "YieldExpression"; SyntaxKind5[SyntaxKind5["SpreadElement"] = 230] = "SpreadElement"; SyntaxKind5[SyntaxKind5["ClassExpression"] = 231] = "ClassExpression"; SyntaxKind5[SyntaxKind5["OmittedExpression"] = 232] = "OmittedExpression"; SyntaxKind5[SyntaxKind5["ExpressionWithTypeArguments"] = 233] = "ExpressionWithTypeArguments"; SyntaxKind5[SyntaxKind5["AsExpression"] = 234] = "AsExpression"; SyntaxKind5[SyntaxKind5["NonNullExpression"] = 235] = "NonNullExpression"; SyntaxKind5[SyntaxKind5["MetaProperty"] = 236] = "MetaProperty"; SyntaxKind5[SyntaxKind5["SyntheticExpression"] = 237] = "SyntheticExpression"; SyntaxKind5[SyntaxKind5["SatisfiesExpression"] = 238] = "SatisfiesExpression"; SyntaxKind5[SyntaxKind5["TemplateSpan"] = 239] = "TemplateSpan"; SyntaxKind5[SyntaxKind5["SemicolonClassElement"] = 240] = "SemicolonClassElement"; SyntaxKind5[SyntaxKind5["Block"] = 241] = "Block"; SyntaxKind5[SyntaxKind5["EmptyStatement"] = 242] = "EmptyStatement"; SyntaxKind5[SyntaxKind5["VariableStatement"] = 243] = "VariableStatement"; SyntaxKind5[SyntaxKind5["ExpressionStatement"] = 244] = "ExpressionStatement"; SyntaxKind5[SyntaxKind5["IfStatement"] = 245] = "IfStatement"; SyntaxKind5[SyntaxKind5["DoStatement"] = 246] = "DoStatement"; SyntaxKind5[SyntaxKind5["WhileStatement"] = 247] = "WhileStatement"; SyntaxKind5[SyntaxKind5["ForStatement"] = 248] = "ForStatement"; SyntaxKind5[SyntaxKind5["ForInStatement"] = 249] = "ForInStatement"; SyntaxKind5[SyntaxKind5["ForOfStatement"] = 250] = "ForOfStatement"; SyntaxKind5[SyntaxKind5["ContinueStatement"] = 251] = "ContinueStatement"; SyntaxKind5[SyntaxKind5["BreakStatement"] = 252] = "BreakStatement"; SyntaxKind5[SyntaxKind5["ReturnStatement"] = 253] = "ReturnStatement"; SyntaxKind5[SyntaxKind5["WithStatement"] = 254] = "WithStatement"; SyntaxKind5[SyntaxKind5["SwitchStatement"] = 255] = "SwitchStatement"; SyntaxKind5[SyntaxKind5["LabeledStatement"] = 256] = "LabeledStatement"; SyntaxKind5[SyntaxKind5["ThrowStatement"] = 257] = "ThrowStatement"; SyntaxKind5[SyntaxKind5["TryStatement"] = 258] = "TryStatement"; SyntaxKind5[SyntaxKind5["DebuggerStatement"] = 259] = "DebuggerStatement"; SyntaxKind5[SyntaxKind5["VariableDeclaration"] = 260] = "VariableDeclaration"; SyntaxKind5[SyntaxKind5["VariableDeclarationList"] = 261] = "VariableDeclarationList"; SyntaxKind5[SyntaxKind5["FunctionDeclaration"] = 262] = "FunctionDeclaration"; SyntaxKind5[SyntaxKind5["ClassDeclaration"] = 263] = "ClassDeclaration"; SyntaxKind5[SyntaxKind5["InterfaceDeclaration"] = 264] = "InterfaceDeclaration"; SyntaxKind5[SyntaxKind5["TypeAliasDeclaration"] = 265] = "TypeAliasDeclaration"; SyntaxKind5[SyntaxKind5["EnumDeclaration"] = 266] = "EnumDeclaration"; SyntaxKind5[SyntaxKind5["ModuleDeclaration"] = 267] = "ModuleDeclaration"; SyntaxKind5[SyntaxKind5["ModuleBlock"] = 268] = "ModuleBlock"; SyntaxKind5[SyntaxKind5["CaseBlock"] = 269] = "CaseBlock"; SyntaxKind5[SyntaxKind5["NamespaceExportDeclaration"] = 270] = "NamespaceExportDeclaration"; SyntaxKind5[SyntaxKind5["ImportEqualsDeclaration"] = 271] = "ImportEqualsDeclaration"; SyntaxKind5[SyntaxKind5["ImportDeclaration"] = 272] = "ImportDeclaration"; SyntaxKind5[SyntaxKind5["ImportClause"] = 273] = "ImportClause"; SyntaxKind5[SyntaxKind5["NamespaceImport"] = 274] = "NamespaceImport"; SyntaxKind5[SyntaxKind5["NamedImports"] = 275] = "NamedImports"; SyntaxKind5[SyntaxKind5["ImportSpecifier"] = 276] = "ImportSpecifier"; SyntaxKind5[SyntaxKind5["ExportAssignment"] = 277] = "ExportAssignment"; SyntaxKind5[SyntaxKind5["ExportDeclaration"] = 278] = "ExportDeclaration"; SyntaxKind5[SyntaxKind5["NamedExports"] = 279] = "NamedExports"; SyntaxKind5[SyntaxKind5["NamespaceExport"] = 280] = "NamespaceExport"; SyntaxKind5[SyntaxKind5["ExportSpecifier"] = 281] = "ExportSpecifier"; SyntaxKind5[SyntaxKind5["MissingDeclaration"] = 282] = "MissingDeclaration"; SyntaxKind5[SyntaxKind5["ExternalModuleReference"] = 283] = "ExternalModuleReference"; SyntaxKind5[SyntaxKind5["JsxElement"] = 284] = "JsxElement"; SyntaxKind5[SyntaxKind5["JsxSelfClosingElement"] = 285] = "JsxSelfClosingElement"; SyntaxKind5[SyntaxKind5["JsxOpeningElement"] = 286] = "JsxOpeningElement"; SyntaxKind5[SyntaxKind5["JsxClosingElement"] = 287] = "JsxClosingElement"; SyntaxKind5[SyntaxKind5["JsxFragment"] = 288] = "JsxFragment"; SyntaxKind5[SyntaxKind5["JsxOpeningFragment"] = 289] = "JsxOpeningFragment"; SyntaxKind5[SyntaxKind5["JsxClosingFragment"] = 290] = "JsxClosingFragment"; SyntaxKind5[SyntaxKind5["JsxAttribute"] = 291] = "JsxAttribute"; SyntaxKind5[SyntaxKind5["JsxAttributes"] = 292] = "JsxAttributes"; SyntaxKind5[SyntaxKind5["JsxSpreadAttribute"] = 293] = "JsxSpreadAttribute"; SyntaxKind5[SyntaxKind5["JsxExpression"] = 294] = "JsxExpression"; SyntaxKind5[SyntaxKind5["JsxNamespacedName"] = 295] = "JsxNamespacedName"; SyntaxKind5[SyntaxKind5["CaseClause"] = 296] = "CaseClause"; SyntaxKind5[SyntaxKind5["DefaultClause"] = 297] = "DefaultClause"; SyntaxKind5[SyntaxKind5["HeritageClause"] = 298] = "HeritageClause"; SyntaxKind5[SyntaxKind5["CatchClause"] = 299] = "CatchClause"; SyntaxKind5[SyntaxKind5["ImportAttributes"] = 300] = "ImportAttributes"; SyntaxKind5[SyntaxKind5["ImportAttribute"] = 301] = "ImportAttribute"; SyntaxKind5[ SyntaxKind5["AssertClause"] = 300 /* ImportAttributes */ ] = "AssertClause"; SyntaxKind5[ SyntaxKind5["AssertEntry"] = 301 /* ImportAttribute */ ] = "AssertEntry"; SyntaxKind5[SyntaxKind5["ImportTypeAssertionContainer"] = 302] = "ImportTypeAssertionContainer"; SyntaxKind5[SyntaxKind5["PropertyAssignment"] = 303] = "PropertyAssignment"; SyntaxKind5[SyntaxKind5["ShorthandPropertyAssignment"] = 304] = "ShorthandPropertyAssignment"; SyntaxKind5[SyntaxKind5["SpreadAssignment"] = 305] = "SpreadAssignment"; SyntaxKind5[SyntaxKind5["EnumMember"] = 306] = "EnumMember"; SyntaxKind5[SyntaxKind5["SourceFile"] = 307] = "SourceFile"; SyntaxKind5[SyntaxKind5["Bundle"] = 308] = "Bundle"; SyntaxKind5[SyntaxKind5["JSDocTypeExpression"] = 309] = "JSDocTypeExpression"; SyntaxKind5[SyntaxKind5["JSDocNameReference"] = 310] = "JSDocNameReference"; SyntaxKind5[SyntaxKind5["JSDocMemberName"] = 311] = "JSDocMemberName"; SyntaxKind5[SyntaxKind5["JSDocAllType"] = 312] = "JSDocAllType"; SyntaxKind5[SyntaxKind5["JSDocUnknownType"] = 313] = "JSDocUnknownType"; SyntaxKind5[SyntaxKind5["JSDocNullableType"] = 314] = "JSDocNullableType"; SyntaxKind5[SyntaxKind5["JSDocNonNullableType"] = 315] = "JSDocNonNullableType"; SyntaxKind5[SyntaxKind5["JSDocOptionalType"] = 316] = "JSDocOptionalType"; SyntaxKind5[SyntaxKind5["JSDocFunctionType"] = 317] = "JSDocFunctionType"; SyntaxKind5[SyntaxKind5["JSDocVariadicType"] = 318] = "JSDocVariadicType"; SyntaxKind5[SyntaxKind5["JSDocNamepathType"] = 319] = "JSDocNamepathType"; SyntaxKind5[SyntaxKind5["JSDoc"] = 320] = "JSDoc"; SyntaxKind5[ SyntaxKind5["JSDocComment"] = 320 /* JSDoc */ ] = "JSDocComment"; SyntaxKind5[SyntaxKind5["JSDocText"] = 321] = "JSDocText"; SyntaxKind5[SyntaxKind5["JSDocTypeLiteral"] = 322] = "JSDocTypeLiteral"; SyntaxKind5[SyntaxKind5["JSDocSignature"] = 323] = "JSDocSignature"; SyntaxKind5[SyntaxKind5["JSDocLink"] = 324] = "JSDocLink"; SyntaxKind5[SyntaxKind5["JSDocLinkCode"] = 325] = "JSDocLinkCode"; SyntaxKind5[SyntaxKind5["JSDocLinkPlain"] = 326] = "JSDocLinkPlain"; SyntaxKind5[SyntaxKind5["JSDocTag"] = 327] = "JSDocTag"; SyntaxKind5[SyntaxKind5["JSDocAugmentsTag"] = 328] = "JSDocAugmentsTag"; SyntaxKind5[SyntaxKind5["JSDocImplementsTag"] = 329] = "JSDocImplementsTag"; SyntaxKind5[SyntaxKind5["JSDocAuthorTag"] = 330] = "JSDocAuthorTag"; SyntaxKind5[SyntaxKind5["JSDocDeprecatedTag"] = 331] = "JSDocDeprecatedTag"; SyntaxKind5[SyntaxKind5["JSDocClassTag"] = 332] = "JSDocClassTag"; SyntaxKind5[SyntaxKind5["JSDocPublicTag"] = 333] = "JSDocPublicTag"; SyntaxKind5[SyntaxKind5["JSDocPrivateTag"] = 334] = "JSDocPrivateTag"; SyntaxKind5[SyntaxKind5["JSDocProtectedTag"] = 335] = "JSDocProtectedTag"; SyntaxKind5[SyntaxKind5["JSDocReadonlyTag"] = 336] = "JSDocReadonlyTag"; SyntaxKind5[SyntaxKind5["JSDocOverrideTag"] = 337] = "JSDocOverrideTag"; SyntaxKind5[SyntaxKind5["JSDocCallbackTag"] = 338] = "JSDocCallbackTag"; SyntaxKind5[SyntaxKind5["JSDocOverloadTag"] = 339] = "JSDocOverloadTag"; SyntaxKind5[SyntaxKind5["JSDocEnumTag"] = 340] = "JSDocEnumTag"; SyntaxKind5[SyntaxKind5["JSDocParameterTag"] = 341] = "JSDocParameterTag"; SyntaxKind5[SyntaxKind5["JSDocReturnTag"] = 342] = "JSDocReturnTag"; SyntaxKind5[SyntaxKind5["JSDocThisTag"] = 343] = "JSDocThisTag"; SyntaxKind5[SyntaxKind5["JSDocTypeTag"] = 344] = "JSDocTypeTag"; SyntaxKind5[SyntaxKind5["JSDocTemplateTag"] = 345] = "JSDocTemplateTag"; SyntaxKind5[SyntaxKind5["JSDocTypedefTag"] = 346] = "JSDocTypedefTag"; SyntaxKind5[SyntaxKind5["JSDocSeeTag"] = 347] = "JSDocSeeTag"; SyntaxKind5[SyntaxKind5["JSDocPropertyTag"] = 348] = "JSDocPropertyTag"; SyntaxKind5[SyntaxKind5["JSDocThrowsTag"] = 349] = "JSDocThrowsTag"; SyntaxKind5[SyntaxKind5["JSDocSatisfiesTag"] = 350] = "JSDocSatisfiesTag"; SyntaxKind5[SyntaxKind5["JSDocImportTag"] = 351] = "JSDocImportTag"; SyntaxKind5[SyntaxKind5["SyntaxList"] = 352] = "SyntaxList"; SyntaxKind5[SyntaxKind5["NotEmittedStatement"] = 353] = "NotEmittedStatement"; SyntaxKind5[SyntaxKind5["PartiallyEmittedExpression"] = 354] = "PartiallyEmittedExpression"; SyntaxKind5[SyntaxKind5["CommaListExpression"] = 355] = "CommaListExpression"; SyntaxKind5[SyntaxKind5["SyntheticReferenceExpression"] = 356] = "SyntheticReferenceExpression"; SyntaxKind5[SyntaxKind5["Count"] = 357] = "Count"; SyntaxKind5[ SyntaxKind5["FirstAssignment"] = 64 /* EqualsToken */ ] = "FirstAssignment"; SyntaxKind5[ SyntaxKind5["LastAssignment"] = 79 /* CaretEqualsToken */ ] = "LastAssignment"; SyntaxKind5[ SyntaxKind5["FirstCompoundAssignment"] = 65 /* PlusEqualsToken */ ] = "FirstCompoundAssignment"; SyntaxKind5[ SyntaxKind5["LastCompoundAssignment"] = 79 /* CaretEqualsToken */ ] = "LastCompoundAssignment"; SyntaxKind5[ SyntaxKind5["FirstReservedWord"] = 83 /* BreakKeyword */ ] = "FirstReservedWord"; SyntaxKind5[ SyntaxKind5["LastReservedWord"] = 118 /* WithKeyword */ ] = "LastReservedWord"; SyntaxKind5[ SyntaxKind5["FirstKeyword"] = 83 /* BreakKeyword */ ] = "FirstKeyword"; SyntaxKind5[ SyntaxKind5["LastKeyword"] = 165 /* OfKeyword */ ] = "LastKeyword"; SyntaxKind5[ SyntaxKind5["FirstFutureReservedWord"] = 119 /* ImplementsKeyword */ ] = "FirstFutureReservedWord"; SyntaxKind5[ SyntaxKind5["LastFutureReservedWord"] = 127 /* YieldKeyword */ ] = "LastFutureReservedWord"; SyntaxKind5[ SyntaxKind5["FirstTypeNode"] = 182 /* TypePredicate */ ] = "FirstTypeNode"; SyntaxKind5[ SyntaxKind5["LastTypeNode"] = 205 /* ImportType */ ] = "LastTypeNode"; SyntaxKind5[ SyntaxKind5["FirstPunctuation"] = 19 /* OpenBraceToken */ ] = "FirstPunctuation"; SyntaxKind5[ SyntaxKind5["LastPunctuation"] = 79 /* CaretEqualsToken */ ] = "LastPunctuation"; SyntaxKind5[ SyntaxKind5["FirstToken"] = 0 /* Unknown */ ] = "FirstToken"; SyntaxKind5[ SyntaxKind5["LastToken"] = 165 /* LastKeyword */ ] = "LastToken"; SyntaxKind5[ SyntaxKind5["FirstTriviaToken"] = 2 /* SingleLineCommentTrivia */ ] = "FirstTriviaToken"; SyntaxKind5[ SyntaxKind5["LastTriviaToken"] = 7 /* ConflictMarkerTrivia */ ] = "LastTriviaToken"; SyntaxKind5[ SyntaxKind5["FirstLiteralToken"] = 9 /* NumericLiteral */ ] = "FirstLiteralToken"; SyntaxKind5[ SyntaxKind5["LastLiteralToken"] = 15 /* NoSubstitutionTemplateLiteral */ ] = "LastLiteralToken"; SyntaxKind5[ SyntaxKind5["FirstTemplateToken"] = 15 /* NoSubstitutionTemplateLiteral */ ] = "FirstTemplateToken"; SyntaxKind5[ SyntaxKind5["LastTemplateToken"] = 18 /* TemplateTail */ ] = "LastTemplateToken"; SyntaxKind5[ SyntaxKind5["FirstBinaryOperator"] = 30 /* LessThanToken */ ] = "FirstBinaryOperator"; SyntaxKind5[ SyntaxKind5["LastBinaryOperator"] = 79 /* CaretEqualsToken */ ] = "LastBinaryOperator"; SyntaxKind5[ SyntaxKind5["FirstStatement"] = 243 /* VariableStatement */ ] = "FirstStatement"; SyntaxKind5[ SyntaxKind5["LastStatement"] = 259 /* DebuggerStatement */ ] = "LastStatement"; SyntaxKind5[ SyntaxKind5["FirstNode"] = 166 /* QualifiedName */ ] = "FirstNode"; SyntaxKind5[ SyntaxKind5["FirstJSDocNode"] = 309 /* JSDocTypeExpression */ ] = "FirstJSDocNode"; SyntaxKind5[ SyntaxKind5["LastJSDocNode"] = 351 /* JSDocImportTag */ ] = "LastJSDocNode"; SyntaxKind5[ SyntaxKind5["FirstJSDocTagNode"] = 327 /* JSDocTag */ ] = "FirstJSDocTagNode"; SyntaxKind5[ SyntaxKind5["LastJSDocTagNode"] = 351 /* JSDocImportTag */ ] = "LastJSDocTagNode"; SyntaxKind5[ SyntaxKind5["FirstContextualKeyword"] = 128 /* AbstractKeyword */ ] = "FirstContextualKeyword"; SyntaxKind5[ SyntaxKind5["LastContextualKeyword"] = 165 /* OfKeyword */ ] = "LastContextualKeyword"; return SyntaxKind5; })(SyntaxKind || {}); var NodeFlags = /* @__PURE__ */ ((NodeFlags3) => { NodeFlags3[NodeFlags3["None"] = 0] = "None"; NodeFlags3[NodeFlags3["Let"] = 1] = "Let"; NodeFlags3[NodeFlags3["Const"] = 2] = "Const"; NodeFlags3[NodeFlags3["Using"] = 4] = "Using"; NodeFlags3[NodeFlags3["AwaitUsing"] = 6] = "AwaitUsing"; NodeFlags3[NodeFlags3["NestedNamespace"] = 8] = "NestedNamespace"; NodeFlags3[NodeFlags3["Synthesized"] = 16] = "Synthesized"; NodeFlags3[NodeFlags3["Namespace"] = 32] = "Namespace"; NodeFlags3[NodeFlags3["OptionalChain"] = 64] = "OptionalChain"; NodeFlags3[NodeFlags3["ExportContext"] = 128] = "ExportContext"; NodeFlags3[NodeFlags3["ContainsThis"] = 256] = "ContainsThis"; NodeFlags3[NodeFlags3["HasImplicitReturn"] = 512] = "HasImplicitReturn"; NodeFlags3[NodeFlags3["HasExplicitReturn"] = 1024] = "HasExplicitReturn"; NodeFlags3[NodeFlags3["GlobalAugmentation"] = 2048] = "GlobalAugmentation"; NodeFlags3[NodeFlags3["HasAsyncFunctions"] = 4096] = "HasAsyncFunctions"; NodeFlags3[NodeFlags3["DisallowInContext"] = 8192] = "DisallowInContext"; NodeFlags3[NodeFlags3["YieldContext"] = 16384] = "YieldContext"; NodeFlags3[NodeFlags3["DecoratorContext"] = 32768] = "DecoratorContext"; NodeFlags3[NodeFlags3["AwaitContext"] = 65536] = "AwaitContext"; NodeFlags3[NodeFlags3["DisallowConditionalTypesContext"] = 131072] = "DisallowConditionalTypesContext"; NodeFlags3[NodeFlags3["ThisNodeHasError"] = 262144] = "ThisNodeHasError"; NodeFlags3[NodeFlags3["JavaScriptFile"] = 524288] = "JavaScriptFile"; NodeFlags3[NodeFlags3["ThisNodeOrAnySubNodesHasError"] = 1048576] = "ThisNodeOrAnySubNodesHasError"; NodeFlags3[NodeFlags3["HasAggregatedChildData"] = 2097152] = "HasAggregatedChildData"; NodeFlags3[NodeFlags3["PossiblyContainsDynamicImport"] = 4194304] = "PossiblyContainsDynamicImport"; NodeFlags3[NodeFlags3["PossiblyContainsImportMeta"] = 8388608] = "PossiblyContainsImportMeta"; NodeFlags3[NodeFlags3["JSDoc"] = 16777216] = "JSDoc"; NodeFlags3[NodeFlags3["Ambient"] = 33554432] = "Ambient"; NodeFlags3[NodeFlags3["InWithStatement"] = 67108864] = "InWithStatement"; NodeFlags3[NodeFlags3["JsonFile"] = 134217728] = "JsonFile"; NodeFlags3[NodeFlags3["TypeCached"] = 268435456] = "TypeCached"; NodeFlags3[NodeFlags3["Deprecated"] = 536870912] = "Deprecated"; NodeFlags3[NodeFlags3["BlockScoped"] = 7] = "BlockScoped"; NodeFlags3[NodeFlags3["Constant"] = 6] = "Constant"; NodeFlags3[NodeFlags3["ReachabilityCheckFlags"] = 1536] = "ReachabilityCheckFlags"; NodeFlags3[NodeFlags3["ReachabilityAndEmitFlags"] = 5632] = "ReachabilityAndEmitFlags"; NodeFlags3[NodeFlags3["ContextFlags"] = 101441536] = "ContextFlags"; NodeFlags3[NodeFlags3["TypeExcludesFlags"] = 81920] = "TypeExcludesFlags"; NodeFlags3[NodeFlags3["PermanentlySetIncrementalFlags"] = 12582912] = "PermanentlySetIncrementalFlags"; NodeFlags3[ NodeFlags3["IdentifierHasExtendedUnicodeEscape"] = 256 /* ContainsThis */ ] = "IdentifierHasExtendedUnicodeEscape"; NodeFlags3[ NodeFlags3["IdentifierIsInJSDocNamespace"] = 4096 /* HasAsyncFunctions */ ] = "IdentifierIsInJSDocNamespace"; return NodeFlags3; })(NodeFlags || {}); var ModifierFlags = /* @__PURE__ */ ((ModifierFlags3) => { ModifierFlags3[ModifierFlags3["None"] = 0] = "None"; ModifierFlags3[ModifierFlags3["Public"] = 1] = "Public"; ModifierFlags3[ModifierFlags3["Private"] = 2] = "Private"; ModifierFlags3[ModifierFlags3["Protected"] = 4] = "Protected"; ModifierFlags3[ModifierFlags3["Readonly"] = 8] = "Readonly"; ModifierFlags3[ModifierFlags3["Override"] = 16] = "Override"; ModifierFlags3[ModifierFlags3["Export"] = 32] = "Export"; ModifierFlags3[ModifierFlags3["Abstract"] = 64] = "Abstract"; ModifierFlags3[ModifierFlags3["Ambient"] = 128] = "Ambient"; ModifierFlags3[ModifierFlags3["Static"] = 256] = "Static"; ModifierFlags3[ModifierFlags3["Accessor"] = 512] = "Accessor"; ModifierFlags3[ModifierFlags3["Async"] = 1024] = "Async"; ModifierFlags3[ModifierFlags3["Default"] = 2048] = "Default"; ModifierFlags3[ModifierFlags3["Const"] = 4096] = "Const"; ModifierFlags3[ModifierFlags3["In"] = 8192] = "In"; ModifierFlags3[ModifierFlags3["Out"] = 16384] = "Out"; ModifierFlags3[ModifierFlags3["Decorator"] = 32768] = "Decorator"; ModifierFlags3[ModifierFlags3["Deprecated"] = 65536] = "Deprecated"; ModifierFlags3[ModifierFlags3["JSDocPublic"] = 8388608] = "JSDocPublic"; ModifierFlags3[ModifierFlags3["JSDocPrivate"] = 16777216] = "JSDocPrivate"; ModifierFlags3[ModifierFlags3["JSDocProtected"] = 33554432] = "JSDocProtected"; ModifierFlags3[ModifierFlags3["JSDocReadonly"] = 67108864] = "JSDocReadonly"; ModifierFlags3[ModifierFlags3["JSDocOverride"] = 134217728] = "JSDocOverride"; ModifierFlags3[ModifierFlags3["SyntacticOrJSDocModifiers"] = 31] = "SyntacticOrJSDocModifiers"; ModifierFlags3[ModifierFlags3["SyntacticOnlyModifiers"] = 65504] = "SyntacticOnlyModifiers"; ModifierFlags3[ModifierFlags3["SyntacticModifiers"] = 65535] = "SyntacticModifiers"; ModifierFlags3[ModifierFlags3["JSDocCacheOnlyModifiers"] = 260046848] = "JSDocCacheOnlyModifiers"; ModifierFlags3[ ModifierFlags3["JSDocOnlyModifiers"] = 65536 /* Deprecated */ ] = "JSDocOnlyModifiers"; ModifierFlags3[ModifierFlags3["NonCacheOnlyModifiers"] = 131071] = "NonCacheOnlyModifiers"; ModifierFlags3[ModifierFlags3["HasComputedJSDocModifiers"] = 268435456] = "HasComputedJSDocModifiers"; ModifierFlags3[ModifierFlags3["HasComputedFlags"] = 536870912] = "HasComputedFlags"; ModifierFlags3[ModifierFlags3["AccessibilityModifier"] = 7] = "AccessibilityModifier"; ModifierFlags3[ModifierFlags3["ParameterPropertyModifier"] = 31] = "ParameterPropertyModifier"; ModifierFlags3[ModifierFlags3["NonPublicAccessibilityModifier"] = 6] = "NonPublicAccessibilityModifier"; ModifierFlags3[ModifierFlags3["TypeScriptModifier"] = 28895] = "TypeScriptModifier"; ModifierFlags3[ModifierFlags3["ExportDefault"] = 2080] = "ExportDefault"; ModifierFlags3[ModifierFlags3["All"] = 131071] = "All"; ModifierFlags3[ModifierFlags3["Modifier"] = 98303] = "Modifier"; return ModifierFlags3; })(ModifierFlags || {}); var JsxFlags = /* @__PURE__ */ ((JsxFlags2) => { JsxFlags2[JsxFlags2["None"] = 0] = "None"; JsxFlags2[JsxFlags2["IntrinsicNamedElement"] = 1] = "IntrinsicNamedElement"; JsxFlags2[JsxFlags2["IntrinsicIndexedElement"] = 2] = "IntrinsicIndexedElement"; JsxFlags2[JsxFlags2["IntrinsicElement"] = 3] = "IntrinsicElement"; return JsxFlags2; })(JsxFlags || {}); var RelationComparisonResult = /* @__PURE__ */ ((RelationComparisonResult3) => { RelationComparisonResult3[RelationComparisonResult3["None"] = 0] = "None"; RelationComparisonResult3[RelationComparisonResult3["Succeeded"] = 1] = "Succeeded"; RelationComparisonResult3[RelationComparisonResult3["Failed"] = 2] = "Failed"; RelationComparisonResult3[RelationComparisonResult3["Reported"] = 4] = "Reported"; RelationComparisonResult3[RelationComparisonResult3["ReportsUnmeasurable"] = 8] = "ReportsUnmeasurable"; RelationComparisonResult3[RelationComparisonResult3["ReportsUnreliable"] = 16] = "ReportsUnreliable"; RelationComparisonResult3[RelationComparisonResult3["ReportsMask"] = 24] = "ReportsMask"; return RelationComparisonResult3; })(RelationComparisonResult || {}); var GeneratedIdentifierFlags = /* @__PURE__ */ ((GeneratedIdentifierFlags2) => { GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["None"] = 0] = "None"; GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["Auto"] = 1] = "Auto"; GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["Loop"] = 2] = "Loop"; GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["Unique"] = 3] = "Unique"; GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["Node"] = 4] = "Node"; GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["KindMask"] = 7] = "KindMask"; GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["ReservedInNestedScopes"] = 8] = "ReservedInNestedScopes"; GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["Optimistic"] = 16] = "Optimistic"; GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["FileLevel"] = 32] = "FileLevel"; GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["AllowNameSubstitution"] = 64] = "AllowNameSubstitution"; return GeneratedIdentifierFlags2; })(GeneratedIdentifierFlags || {}); var RegularExpressionFlags = /* @__PURE__ */ ((RegularExpressionFlags2) => { RegularExpressionFlags2[RegularExpressionFlags2["None"] = 0] = "None"; RegularExpressionFlags2[RegularExpressionFlags2["HasIndices"] = 1] = "HasIndices"; RegularExpressionFlags2[RegularExpressionFlags2["Global"] = 2] = "Global"; RegularExpressionFlags2[RegularExpressionFlags2["IgnoreCase"] = 4] = "IgnoreCase"; RegularExpressionFlags2[RegularExpressionFlags2["Multiline"] = 8] = "Multiline"; RegularExpressionFlags2[RegularExpressionFlags2["DotAll"] = 16] = "DotAll"; RegularExpressionFlags2[RegularExpressionFlags2["Unicode"] = 32] = "Unicode"; RegularExpressionFlags2[RegularExpressionFlags2["UnicodeSets"] = 64] = "UnicodeSets"; RegularExpressionFlags2[RegularExpressionFlags2["Sticky"] = 128] = "Sticky"; RegularExpressionFlags2[RegularExpressionFlags2["AnyUnicodeMode"] = 96] = "AnyUnicodeMode"; RegularExpressionFlags2[RegularExpressionFlags2["Modifiers"] = 28] = "Modifiers"; return RegularExpressionFlags2; })(RegularExpressionFlags || {}); var TokenFlags = /* @__PURE__ */ ((TokenFlags2) => { TokenFlags2[TokenFlags2["None"] = 0] = "None"; TokenFlags2[TokenFlags2["PrecedingLineBreak"] = 1] = "PrecedingLineBreak"; TokenFlags2[TokenFlags2["PrecedingJSDocComment"] = 2] = "PrecedingJSDocComment"; TokenFlags2[TokenFlags2["Unterminated"] = 4] = "Unterminated"; TokenFlags2[TokenFlags2["ExtendedUnicodeEscape"] = 8] = "ExtendedUnicodeEscape"; TokenFlags2[TokenFlags2["Scientific"] = 16] = "Scientific"; TokenFlags2[TokenFlags2["Octal"] = 32] = "Octal"; TokenFlags2[TokenFlags2["HexSpecifier"] = 64] = "HexSpecifier"; TokenFlags2[TokenFlags2["BinarySpecifier"] = 128] = "BinarySpecifier"; TokenFlags2[TokenFlags2["OctalSpecifier"] = 256] = "OctalSpecifier"; TokenFlags2[TokenFlags2["ContainsSeparator"] = 512] = "ContainsSeparator"; TokenFlags2[TokenFlags2["UnicodeEscape"] = 1024] = "UnicodeEscape"; TokenFlags2[TokenFlags2["ContainsInvalidEscape"] = 2048] = "ContainsInvalidEscape"; TokenFlags2[TokenFlags2["HexEscape"] = 4096] = "HexEscape"; TokenFlags2[TokenFlags2["ContainsLeadingZero"] = 8192] = "ContainsLeadingZero"; TokenFlags2[TokenFlags2["ContainsInvalidSeparator"] = 16384] = "ContainsInvalidSeparator"; TokenFlags2[TokenFlags2["BinaryOrOctalSpecifier"] = 384] = "BinaryOrOctalSpecifier"; TokenFlags2[TokenFlags2["WithSpecifier"] = 448] = "WithSpecifier"; TokenFlags2[TokenFlags2["StringLiteralFlags"] = 7176] = "StringLiteralFlags"; TokenFlags2[TokenFlags2["NumericLiteralFlags"] = 25584] = "NumericLiteralFlags"; TokenFlags2[TokenFlags2["TemplateLiteralLikeFlags"] = 7176] = "TemplateLiteralLikeFlags"; TokenFlags2[TokenFlags2["IsInvalid"] = 26656] = "IsInvalid"; return TokenFlags2; })(TokenFlags || {}); var FlowFlags = /* @__PURE__ */ ((FlowFlags2) => { FlowFlags2[FlowFlags2["Unreachable"] = 1] = "Unreachable"; FlowFlags2[FlowFlags2["Start"] = 2] = "Start"; FlowFlags2[FlowFlags2["BranchLabel"] = 4] = "BranchLabel"; FlowFlags2[FlowFlags2["LoopLabel"] = 8] = "LoopLabel"; FlowFlags2[FlowFlags2["Assignment"] = 16] = "Assignment"; FlowFlags2[FlowFlags2["TrueCondition"] = 32] = "TrueCondition"; FlowFlags2[FlowFlags2["FalseCondition"] = 64] = "FalseCondition"; FlowFlags2[FlowFlags2["SwitchClause"] = 128] = "SwitchClause"; FlowFlags2[FlowFlags2["ArrayMutation"] = 256] = "ArrayMutation"; FlowFlags2[FlowFlags2["Call"] = 512] = "Call"; FlowFlags2[FlowFlags2["ReduceLabel"] = 1024] = "ReduceLabel"; FlowFlags2[FlowFlags2["Referenced"] = 2048] = "Referenced"; FlowFlags2[FlowFlags2["Shared"] = 4096] = "Shared"; FlowFlags2[FlowFlags2["Label"] = 12] = "Label"; FlowFlags2[FlowFlags2["Condition"] = 96] = "Condition"; return FlowFlags2; })(FlowFlags || {}); var CommentDirectiveType = /* @__PURE__ */ ((CommentDirectiveType2) => { CommentDirectiveType2[CommentDirectiveType2["ExpectError"] = 0] = "ExpectError"; CommentDirectiveType2[CommentDirectiveType2["Ignore"] = 1] = "Ignore"; return CommentDirectiveType2; })(CommentDirectiveType || {}); var OperationCanceledException = class { }; var FileIncludeKind = /* @__PURE__ */ ((FileIncludeKind2) => { FileIncludeKind2[FileIncludeKind2["RootFile"] = 0] = "RootFile"; FileIncludeKind2[FileIncludeKind2["SourceFromProjectReference"] = 1] = "SourceFromProjectReference"; FileIncludeKind2[FileIncludeKind2["OutputFromProjectReference"] = 2] = "OutputFromProjectReference"; FileIncludeKind2[FileIncludeKind2["Import"] = 3] = "Import"; FileIncludeKind2[FileIncludeKind2["ReferenceFile"] = 4] = "ReferenceFile"; FileIncludeKind2[FileIncludeKind2["TypeReferenceDirective"] = 5] = "TypeReferenceDirective"; FileIncludeKind2[FileIncludeKind2["LibFile"] = 6] = "LibFile"; FileIncludeKind2[FileIncludeKind2["LibReferenceDirective"] = 7] = "LibReferenceDirective"; FileIncludeKind2[FileIncludeKind2["AutomaticTypeDirectiveFile"] = 8] = "AutomaticTypeDirectiveFile"; return FileIncludeKind2; })(FileIncludeKind || {}); var FilePreprocessingDiagnosticsKind = /* @__PURE__ */ ((FilePreprocessingDiagnosticsKind2) => { FilePreprocessingDiagnosticsKind2[FilePreprocessingDiagnosticsKind2["FilePreprocessingLibReferenceDiagnostic"] = 0] = "FilePreprocessingLibReferenceDiagnostic"; FilePreprocessingDiagnosticsKind2[FilePreprocessingDiagnosticsKind2["FilePreprocessingFileExplainingDiagnostic"] = 1] = "FilePreprocessingFileExplainingDiagnostic"; FilePreprocessingDiagnosticsKind2[FilePreprocessingDiagnosticsKind2["ResolutionDiagnostics"] = 2] = "ResolutionDiagnostics"; return FilePreprocessingDiagnosticsKind2; })(FilePreprocessingDiagnosticsKind || {}); var EmitOnly = /* @__PURE__ */ ((EmitOnly4) => { EmitOnly4[EmitOnly4["Js"] = 0] = "Js"; EmitOnly4[EmitOnly4["Dts"] = 1] = "Dts"; return EmitOnly4; })(EmitOnly || {}); var StructureIsReused = /* @__PURE__ */ ((StructureIsReused2) => { StructureIsReused2[StructureIsReused2["Not"] = 0] = "Not"; StructureIsReused2[StructureIsReused2["SafeModules"] = 1] = "SafeModules"; StructureIsReused2[StructureIsReused2["Completely"] = 2] = "Completely"; return StructureIsReused2; })(StructureIsReused || {}); var ExitStatus = /* @__PURE__ */ ((ExitStatus2) => { ExitStatus2[ExitStatus2["Success"] = 0] = "Success"; ExitStatus2[ExitStatus2["DiagnosticsPresent_OutputsSkipped"] = 1] = "DiagnosticsPresent_OutputsSkipped"; ExitStatus2[ExitStatus2["DiagnosticsPresent_OutputsGenerated"] = 2] = "DiagnosticsPresent_OutputsGenerated"; ExitStatus2[ExitStatus2["InvalidProject_OutputsSkipped"] = 3] = "InvalidProject_OutputsSkipped"; ExitStatus2[ExitStatus2["ProjectReferenceCycle_OutputsSkipped"] = 4] = "ProjectReferenceCycle_OutputsSkipped"; return ExitStatus2; })(ExitStatus || {}); var MemberOverrideStatus = /* @__PURE__ */ ((MemberOverrideStatus2) => { MemberOverrideStatus2[MemberOverrideStatus2["Ok"] = 0] = "Ok"; MemberOverrideStatus2[MemberOverrideStatus2["NeedsOverride"] = 1] = "NeedsOverride"; MemberOverrideStatus2[MemberOverrideStatus2["HasInvalidOverride"] = 2] = "HasInvalidOverride"; return MemberOverrideStatus2; })(MemberOverrideStatus || {}); var UnionReduction = /* @__PURE__ */ ((UnionReduction2) => { UnionReduction2[UnionReduction2["None"] = 0] = "None"; UnionReduction2[UnionReduction2["Literal"] = 1] = "Literal"; UnionReduction2[UnionReduction2["Subtype"] = 2] = "Subtype"; return UnionReduction2; })(UnionReduction || {}); var IntersectionFlags = /* @__PURE__ */ ((IntersectionFlags2) => { IntersectionFlags2[IntersectionFlags2["None"] = 0] = "None"; IntersectionFlags2[IntersectionFlags2["NoSupertypeReduction"] = 1] = "NoSupertypeReduction"; IntersectionFlags2[IntersectionFlags2["NoConstraintReduction"] = 2] = "NoConstraintReduction"; return IntersectionFlags2; })(IntersectionFlags || {}); var ContextFlags = /* @__PURE__ */ ((ContextFlags3) => { ContextFlags3[ContextFlags3["None"] = 0] = "None"; ContextFlags3[ContextFlags3["Signature"] = 1] = "Signature"; ContextFlags3[ContextFlags3["NoConstraints"] = 2] = "NoConstraints"; ContextFlags3[ContextFlags3["Completions"] = 4] = "Completions"; ContextFlags3[ContextFlags3["SkipBindingPatterns"] = 8] = "SkipBindingPatterns"; return ContextFlags3; })(ContextFlags || {}); var NodeBuilderFlags = /* @__PURE__ */ ((NodeBuilderFlags2) => { NodeBuilderFlags2[NodeBuilderFlags2["None"] = 0] = "None"; NodeBuilderFlags2[NodeBuilderFlags2["NoTruncation"] = 1] = "NoTruncation"; NodeBuilderFlags2[NodeBuilderFlags2["WriteArrayAsGenericType"] = 2] = "WriteArrayAsGenericType"; NodeBuilderFlags2[NodeBuilderFlags2["GenerateNamesForShadowedTypeParams"] = 4] = "GenerateNamesForShadowedTypeParams"; NodeBuilderFlags2[NodeBuilderFlags2["UseStructuralFallback"] = 8] = "UseStructuralFallback"; NodeBuilderFlags2[NodeBuilderFlags2["ForbidIndexedAccessSymbolReferences"] = 16] = "ForbidIndexedAccessSymbolReferences"; NodeBuilderFlags2[NodeBuilderFlags2["WriteTypeArgumentsOfSignature"] = 32] = "WriteTypeArgumentsOfSignature"; NodeBuilderFlags2[NodeBuilderFlags2["UseFullyQualifiedType"] = 64] = "UseFullyQualifiedType"; NodeBuilderFlags2[NodeBuilderFlags2["UseOnlyExternalAliasing"] = 128] = "UseOnlyExternalAliasing"; NodeBuilderFlags2[NodeBuilderFlags2["SuppressAnyReturnType"] = 256] = "SuppressAnyReturnType"; NodeBuilderFlags2[NodeBuilderFlags2["WriteTypeParametersInQualifiedName"] = 512] = "WriteTypeParametersInQualifiedName"; NodeBuilderFlags2[NodeBuilderFlags2["MultilineObjectLiterals"] = 1024] = "MultilineObjectLiterals"; NodeBuilderFlags2[NodeBuilderFlags2["WriteClassExpressionAsTypeLiteral"] = 2048] = "WriteClassExpressionAsTypeLiteral"; NodeBuilderFlags2[NodeBuilderFlags2["UseTypeOfFunction"] = 4096] = "UseTypeOfFunction"; NodeBuilderFlags2[NodeBuilderFlags2["OmitParameterModifiers"] = 8192] = "OmitParameterModifiers"; NodeBuilderFlags2[NodeBuilderFlags2["UseAliasDefinedOutsideCurrentScope"] = 16384] = "UseAliasDefinedOutsideCurrentScope"; NodeBuilderFlags2[NodeBuilderFlags2["UseSingleQuotesForStringLiteralType"] = 268435456] = "UseSingleQuotesForStringLiteralType"; NodeBuilderFlags2[NodeBuilderFlags2["NoTypeReduction"] = 536870912] = "NoTypeReduction"; NodeBuilderFlags2[NodeBuilderFlags2["OmitThisParameter"] = 33554432] = "OmitThisParameter"; NodeBuilderFlags2[NodeBuilderFlags2["AllowThisInObjectLiteral"] = 32768] = "AllowThisInObjectLiteral"; NodeBuilderFlags2[NodeBuilderFlags2["AllowQualifiedNameInPlaceOfIdentifier"] = 65536] = "AllowQualifiedNameInPlaceOfIdentifier"; NodeBuilderFlags2[NodeBuilderFlags2["AllowAnonymousIdentifier"] = 131072] = "AllowAnonymousIdentifier"; NodeBuilderFlags2[NodeBuilderFlags2["AllowEmptyUnionOrIntersection"] = 262144] = "AllowEmptyUnionOrIntersection"; NodeBuilderFlags2[NodeBuilderFlags2["AllowEmptyTuple"] = 524288] = "AllowEmptyTuple"; NodeBuilderFlags2[NodeBuilderFlags2["AllowUniqueESSymbolType"] = 1048576] = "AllowUniqueESSymbolType"; NodeBuilderFlags2[NodeBuilderFlags2["AllowEmptyIndexInfoType"] = 2097152] = "AllowEmptyIndexInfoType"; NodeBuilderFlags2[NodeBuilderFlags2["WriteComputedProps"] = 1073741824] = "WriteComputedProps"; NodeBuilderFlags2[NodeBuilderFlags2["NoSyntacticPrinter"] = -2147483648] = "NoSyntacticPrinter"; NodeBuilderFlags2[NodeBuilderFlags2["AllowNodeModulesRelativePaths"] = 67108864] = "AllowNodeModulesRelativePaths"; NodeBuilderFlags2[NodeBuilderFlags2["DoNotIncludeSymbolChain"] = 134217728] = "DoNotIncludeSymbolChain"; NodeBuilderFlags2[NodeBuilderFlags2["AllowUnresolvedNames"] = 1] = "AllowUnresolvedNames"; NodeBuilderFlags2[NodeBuilderFlags2["IgnoreErrors"] = 70221824] = "IgnoreErrors"; NodeBuilderFlags2[NodeBuilderFlags2["InObjectTypeLiteral"] = 4194304] = "InObjectTypeLiteral"; NodeBuilderFlags2[NodeBuilderFlags2["InTypeAlias"] = 8388608] = "InTypeAlias"; NodeBuilderFlags2[NodeBuilderFlags2["InInitialEntityName"] = 16777216] = "InInitialEntityName"; return NodeBuilderFlags2; })(NodeBuilderFlags || {}); var TypeFormatFlags = /* @__PURE__ */ ((TypeFormatFlags2) => { TypeFormatFlags2[TypeFormatFlags2["None"] = 0] = "None"; TypeFormatFlags2[TypeFormatFlags2["NoTruncation"] = 1] = "NoTruncation"; TypeFormatFlags2[TypeFormatFlags2["WriteArrayAsGenericType"] = 2] = "WriteArrayAsGenericType"; TypeFormatFlags2[TypeFormatFlags2["GenerateNamesForShadowedTypeParams"] = 4] = "GenerateNamesForShadowedTypeParams"; TypeFormatFlags2[TypeFormatFlags2["UseStructuralFallback"] = 8] = "UseStructuralFallback"; TypeFormatFlags2[TypeFormatFlags2["WriteTypeArgumentsOfSignature"] = 32] = "WriteTypeArgumentsOfSignature"; TypeFormatFlags2[TypeFormatFlags2["UseFullyQualifiedType"] = 64] = "UseFullyQualifiedType"; TypeFormatFlags2[TypeFormatFlags2["SuppressAnyReturnType"] = 256] = "SuppressAnyReturnType"; TypeFormatFlags2[TypeFormatFlags2["MultilineObjectLiterals"] = 1024] = "MultilineObjectLiterals"; TypeFormatFlags2[TypeFormatFlags2["WriteClassExpressionAsTypeLiteral"] = 2048] = "WriteClassExpressionAsTypeLiteral"; TypeFormatFlags2[TypeFormatFlags2["UseTypeOfFunction"] = 4096] = "UseTypeOfFunction"; TypeFormatFlags2[TypeFormatFlags2["OmitParameterModifiers"] = 8192] = "OmitParameterModifiers"; TypeFormatFlags2[TypeFormatFlags2["UseAliasDefinedOutsideCurrentScope"] = 16384] = "UseAliasDefinedOutsideCurrentScope"; TypeFormatFlags2[TypeFormatFlags2["UseSingleQuotesForStringLiteralType"] = 268435456] = "UseSingleQuotesForStringLiteralType"; TypeFormatFlags2[TypeFormatFlags2["NoTypeReduction"] = 536870912] = "NoTypeReduction"; TypeFormatFlags2[TypeFormatFlags2["OmitThisParameter"] = 33554432] = "OmitThisParameter"; TypeFormatFlags2[TypeFormatFlags2["AllowUniqueESSymbolType"] = 1048576] = "AllowUniqueESSymbolType"; TypeFormatFlags2[TypeFormatFlags2["AddUndefined"] = 131072] = "AddUndefined"; TypeFormatFlags2[TypeFormatFlags2["WriteArrowStyleSignature"] = 262144] = "WriteArrowStyleSignature"; TypeFormatFlags2[TypeFormatFlags2["InArrayType"] = 524288] = "InArrayType"; TypeFormatFlags2[TypeFormatFlags2["InElementType"] = 2097152] = "InElementType"; TypeFormatFlags2[TypeFormatFlags2["InFirstTypeArgument"] = 4194304] = "InFirstTypeArgument"; TypeFormatFlags2[TypeFormatFlags2["InTypeAlias"] = 8388608] = "InTypeAlias"; TypeFormatFlags2[TypeFormatFlags2["NodeBuilderFlagsMask"] = 848330095] = "NodeBuilderFlagsMask"; return TypeFormatFlags2; })(TypeFormatFlags || {}); var SymbolFormatFlags = /* @__PURE__ */ ((SymbolFormatFlags2) => { SymbolFormatFlags2[SymbolFormatFlags2["None"] = 0] = "None"; SymbolFormatFlags2[SymbolFormatFlags2["WriteTypeParametersOrArguments"] = 1] = "WriteTypeParametersOrArguments"; SymbolFormatFlags2[SymbolFormatFlags2["UseOnlyExternalAliasing"] = 2] = "UseOnlyExternalAliasing"; SymbolFormatFlags2[SymbolFormatFlags2["AllowAnyNodeKind"] = 4] = "AllowAnyNodeKind"; SymbolFormatFlags2[SymbolFormatFlags2["UseAliasDefinedOutsideCurrentScope"] = 8] = "UseAliasDefinedOutsideCurrentScope"; SymbolFormatFlags2[SymbolFormatFlags2["WriteComputedProps"] = 16] = "WriteComputedProps"; SymbolFormatFlags2[SymbolFormatFlags2["DoNotIncludeSymbolChain"] = 32] = "DoNotIncludeSymbolChain"; return SymbolFormatFlags2; })(SymbolFormatFlags || {}); var SymbolAccessibility = /* @__PURE__ */ ((SymbolAccessibility2) => { SymbolAccessibility2[SymbolAccessibility2["Accessible"] = 0] = "Accessible"; SymbolAccessibility2[SymbolAccessibility2["NotAccessible"] = 1] = "NotAccessible"; SymbolAccessibility2[SymbolAccessibility2["CannotBeNamed"] = 2] = "CannotBeNamed"; SymbolAccessibility2[SymbolAccessibility2["NotResolved"] = 3] = "NotResolved"; return SymbolAccessibility2; })(SymbolAccessibility || {}); var SyntheticSymbolKind = /* @__PURE__ */ ((SyntheticSymbolKind2) => { SyntheticSymbolKind2[SyntheticSymbolKind2["UnionOrIntersection"] = 0] = "UnionOrIntersection"; SyntheticSymbolKind2[SyntheticSymbolKind2["Spread"] = 1] = "Spread"; return SyntheticSymbolKind2; })(SyntheticSymbolKind || {}); var TypePredicateKind = /* @__PURE__ */ ((TypePredicateKind2) => { TypePredicateKind2[TypePredicateKind2["This"] = 0] = "This"; TypePredicateKind2[TypePredicateKind2["Identifier"] = 1] = "Identifier"; TypePredicateKind2[TypePredicateKind2["AssertsThis"] = 2] = "AssertsThis"; TypePredicateKind2[TypePredicateKind2["AssertsIdentifier"] = 3] = "AssertsIdentifier"; return TypePredicateKind2; })(TypePredicateKind || {}); var TypeReferenceSerializationKind = /* @__PURE__ */ ((TypeReferenceSerializationKind2) => { TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["Unknown"] = 0] = "Unknown"; TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["TypeWithConstructSignatureAndValue"] = 1] = "TypeWithConstructSignatureAndValue"; TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["VoidNullableOrNeverType"] = 2] = "VoidNullableOrNeverType"; TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["NumberLikeType"] = 3] = "NumberLikeType"; TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["BigIntLikeType"] = 4] = "BigIntLikeType"; TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["StringLikeType"] = 5] = "StringLikeType"; TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["BooleanType"] = 6] = "BooleanType"; TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["ArrayLikeType"] = 7] = "ArrayLikeType"; TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["ESSymbolType"] = 8] = "ESSymbolType"; TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["Promise"] = 9] = "Promise"; TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["TypeWithCallSignature"] = 10] = "TypeWithCallSignature"; TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["ObjectType"] = 11] = "ObjectType"; return TypeReferenceSerializationKind2; })(TypeReferenceSerializationKind || {}); var SymbolFlags = /* @__PURE__ */ ((SymbolFlags3) => { SymbolFlags3[SymbolFlags3["None"] = 0] = "None"; SymbolFlags3[SymbolFlags3["FunctionScopedVariable"] = 1] = "FunctionScopedVariable"; SymbolFlags3[SymbolFlags3["BlockScopedVariable"] = 2] = "BlockScopedVariable"; SymbolFlags3[SymbolFlags3["Property"] = 4] = "Property"; SymbolFlags3[SymbolFlags3["EnumMember"] = 8] = "EnumMember"; SymbolFlags3[SymbolFlags3["Function"] = 16] = "Function"; SymbolFlags3[SymbolFlags3["Class"] = 32] = "Class"; SymbolFlags3[SymbolFlags3["Interface"] = 64] = "Interface"; SymbolFlags3[SymbolFlags3["ConstEnum"] = 128] = "ConstEnum"; SymbolFlags3[SymbolFlags3["RegularEnum"] = 256] = "RegularEnum"; SymbolFlags3[SymbolFlags3["ValueModule"] = 512] = "ValueModule"; SymbolFlags3[SymbolFlags3["NamespaceModule"] = 1024] = "NamespaceModule"; SymbolFlags3[SymbolFlags3["TypeLiteral"] = 2048] = "TypeLiteral"; SymbolFlags3[SymbolFlags3["ObjectLiteral"] = 4096] = "ObjectLiteral"; SymbolFlags3[SymbolFlags3["Method"] = 8192] = "Method"; SymbolFlags3[SymbolFlags3["Constructor"] = 16384] = "Constructor"; SymbolFlags3[SymbolFlags3["GetAccessor"] = 32768] = "GetAccessor"; SymbolFlags3[SymbolFlags3["SetAccessor"] = 65536] = "SetAccessor"; SymbolFlags3[SymbolFlags3["Signature"] = 131072] = "Signature"; SymbolFlags3[SymbolFlags3["TypeParameter"] = 262144] = "TypeParameter"; SymbolFlags3[SymbolFlags3["TypeAlias"] = 524288] = "TypeAlias"; SymbolFlags3[SymbolFlags3["ExportValue"] = 1048576] = "ExportValue"; SymbolFlags3[SymbolFlags3["Alias"] = 2097152] = "Alias"; SymbolFlags3[SymbolFlags3["Prototype"] = 4194304] = "Prototype"; SymbolFlags3[SymbolFlags3["ExportStar"] = 8388608] = "ExportStar"; SymbolFlags3[SymbolFlags3["Optional"] = 16777216] = "Optional"; SymbolFlags3[SymbolFlags3["Transient"] = 33554432] = "Transient"; SymbolFlags3[SymbolFlags3["Assignment"] = 67108864] = "Assignment"; SymbolFlags3[SymbolFlags3["ModuleExports"] = 134217728] = "ModuleExports"; SymbolFlags3[SymbolFlags3["All"] = -1] = "All"; SymbolFlags3[SymbolFlags3["Enum"] = 384] = "Enum"; SymbolFlags3[SymbolFlags3["Variable"] = 3] = "Variable"; SymbolFlags3[SymbolFlags3["Value"] = 111551] = "Value"; SymbolFlags3[SymbolFlags3["Type"] = 788968] = "Type"; SymbolFlags3[SymbolFlags3["Namespace"] = 1920] = "Namespace"; SymbolFlags3[SymbolFlags3["Module"] = 1536] = "Module"; SymbolFlags3[SymbolFlags3["Accessor"] = 98304] = "Accessor"; SymbolFlags3[SymbolFlags3["FunctionScopedVariableExcludes"] = 111550] = "FunctionScopedVariableExcludes"; SymbolFlags3[ SymbolFlags3["BlockScopedVariableExcludes"] = 111551 /* Value */ ] = "BlockScopedVariableExcludes"; SymbolFlags3[ SymbolFlags3["ParameterExcludes"] = 111551 /* Value */ ] = "ParameterExcludes"; SymbolFlags3[ SymbolFlags3["PropertyExcludes"] = 0 /* None */ ] = "PropertyExcludes"; SymbolFlags3[SymbolFlags3["EnumMemberExcludes"] = 900095] = "EnumMemberExcludes"; SymbolFlags3[SymbolFlags3["FunctionExcludes"] = 110991] = "FunctionExcludes"; SymbolFlags3[SymbolFlags3["ClassExcludes"] = 899503] = "ClassExcludes"; SymbolFlags3[SymbolFlags3["InterfaceExcludes"] = 788872] = "InterfaceExcludes"; SymbolFlags3[SymbolFlags3["RegularEnumExcludes"] = 899327] = "RegularEnumExcludes"; SymbolFlags3[SymbolFlags3["ConstEnumExcludes"] = 899967] = "ConstEnumExcludes"; SymbolFlags3[SymbolFlags3["ValueModuleExcludes"] = 110735] = "ValueModuleExcludes"; SymbolFlags3[SymbolFlags3["NamespaceModuleExcludes"] = 0] = "NamespaceModuleExcludes"; SymbolFlags3[SymbolFlags3["MethodExcludes"] = 103359] = "MethodExcludes"; SymbolFlags3[SymbolFlags3["GetAccessorExcludes"] = 46015] = "GetAccessorExcludes"; SymbolFlags3[SymbolFlags3["SetAccessorExcludes"] = 78783] = "SetAccessorExcludes"; SymbolFlags3[SymbolFlags3["AccessorExcludes"] = 13247] = "AccessorExcludes"; SymbolFlags3[SymbolFlags3["TypeParameterExcludes"] = 526824] = "TypeParameterExcludes"; SymbolFlags3[ SymbolFlags3["TypeAliasExcludes"] = 788968 /* Type */ ] = "TypeAliasExcludes"; SymbolFlags3[ SymbolFlags3["AliasExcludes"] = 2097152 /* Alias */ ] = "AliasExcludes"; SymbolFlags3[SymbolFlags3["ModuleMember"] = 2623475] = "ModuleMember"; SymbolFlags3[SymbolFlags3["ExportHasLocal"] = 944] = "ExportHasLocal"; SymbolFlags3[SymbolFlags3["BlockScoped"] = 418] = "BlockScoped"; SymbolFlags3[SymbolFlags3["PropertyOrAccessor"] = 98308] = "PropertyOrAccessor"; SymbolFlags3[SymbolFlags3["ClassMember"] = 106500] = "ClassMember"; SymbolFlags3[SymbolFlags3["ExportSupportsDefaultModifier"] = 112] = "ExportSupportsDefaultModifier"; SymbolFlags3[SymbolFlags3["ExportDoesNotSupportDefaultModifier"] = -113] = "ExportDoesNotSupportDefaultModifier"; SymbolFlags3[SymbolFlags3["Classifiable"] = 2885600] = "Classifiable"; SymbolFlags3[SymbolFlags3["LateBindingContainer"] = 6256] = "LateBindingContainer"; return SymbolFlags3; })(SymbolFlags || {}); var CheckFlags = /* @__PURE__ */ ((CheckFlags2) => { CheckFlags2[CheckFlags2["None"] = 0] = "None"; CheckFlags2[CheckFlags2["Instantiated"] = 1] = "Instantiated"; CheckFlags2[CheckFlags2["SyntheticProperty"] = 2] = "SyntheticProperty"; CheckFlags2[CheckFlags2["SyntheticMethod"] = 4] = "SyntheticMethod"; CheckFlags2[CheckFlags2["Readonly"] = 8] = "Readonly"; CheckFlags2[CheckFlags2["ReadPartial"] = 16] = "ReadPartial"; CheckFlags2[CheckFlags2["WritePartial"] = 32] = "WritePartial"; CheckFlags2[CheckFlags2["HasNonUniformType"] = 64] = "HasNonUniformType"; CheckFlags2[CheckFlags2["HasLiteralType"] = 128] = "HasLiteralType"; CheckFlags2[CheckFlags2["ContainsPublic"] = 256] = "ContainsPublic"; CheckFlags2[CheckFlags2["ContainsProtected"] = 512] = "ContainsProtected"; CheckFlags2[CheckFlags2["ContainsPrivate"] = 1024] = "ContainsPrivate"; CheckFlags2[CheckFlags2["ContainsStatic"] = 2048] = "ContainsStatic"; CheckFlags2[CheckFlags2["Late"] = 4096] = "Late"; CheckFlags2[CheckFlags2["ReverseMapped"] = 8192] = "ReverseMapped"; CheckFlags2[CheckFlags2["OptionalParameter"] = 16384] = "OptionalParameter"; CheckFlags2[CheckFlags2["RestParameter"] = 32768] = "RestParameter"; CheckFlags2[CheckFlags2["DeferredType"] = 65536] = "DeferredType"; CheckFlags2[CheckFlags2["HasNeverType"] = 131072] = "HasNeverType"; CheckFlags2[CheckFlags2["Mapped"] = 262144] = "Mapped"; CheckFlags2[CheckFlags2["StripOptional"] = 524288] = "StripOptional"; CheckFlags2[CheckFlags2["Unresolved"] = 1048576] = "Unresolved"; CheckFlags2[CheckFlags2["Synthetic"] = 6] = "Synthetic"; CheckFlags2[CheckFlags2["Discriminant"] = 192] = "Discriminant"; CheckFlags2[CheckFlags2["Partial"] = 48] = "Partial"; return CheckFlags2; })(CheckFlags || {}); var InternalSymbolName = /* @__PURE__ */ ((InternalSymbolName2) => { InternalSymbolName2["Call"] = "__call"; InternalSymbolName2["Constructor"] = "__constructor"; InternalSymbolName2["New"] = "__new"; InternalSymbolName2["Index"] = "__index"; InternalSymbolName2["ExportStar"] = "__export"; InternalSymbolName2["Global"] = "__global"; InternalSymbolName2["Missing"] = "__missing"; InternalSymbolName2["Type"] = "__type"; InternalSymbolName2["Object"] = "__object"; InternalSymbolName2["JSXAttributes"] = "__jsxAttributes"; InternalSymbolName2["Class"] = "__class"; InternalSymbolName2["Function"] = "__function"; InternalSymbolName2["Computed"] = "__computed"; InternalSymbolName2["Resolving"] = "__resolving__"; InternalSymbolName2["ExportEquals"] = "export="; InternalSymbolName2["Default"] = "default"; InternalSymbolName2["This"] = "this"; InternalSymbolName2["InstantiationExpression"] = "__instantiationExpression"; InternalSymbolName2["ImportAttributes"] = "__importAttributes"; return InternalSymbolName2; })(InternalSymbolName || {}); var NodeCheckFlags = /* @__PURE__ */ ((NodeCheckFlags3) => { NodeCheckFlags3[NodeCheckFlags3["None"] = 0] = "None"; NodeCheckFlags3[NodeCheckFlags3["TypeChecked"] = 1] = "TypeChecked"; NodeCheckFlags3[NodeCheckFlags3["LexicalThis"] = 2] = "LexicalThis"; NodeCheckFlags3[NodeCheckFlags3["CaptureThis"] = 4] = "CaptureThis"; NodeCheckFlags3[NodeCheckFlags3["CaptureNewTarget"] = 8] = "CaptureNewTarget"; NodeCheckFlags3[NodeCheckFlags3["SuperInstance"] = 16] = "SuperInstance"; NodeCheckFlags3[NodeCheckFlags3["SuperStatic"] = 32] = "SuperStatic"; NodeCheckFlags3[NodeCheckFlags3["ContextChecked"] = 64] = "ContextChecked"; NodeCheckFlags3[NodeCheckFlags3["MethodWithSuperPropertyAccessInAsync"] = 128] = "MethodWithSuperPropertyAccessInAsync"; NodeCheckFlags3[NodeCheckFlags3["MethodWithSuperPropertyAssignmentInAsync"] = 256] = "MethodWithSuperPropertyAssignmentInAsync"; NodeCheckFlags3[NodeCheckFlags3["CaptureArguments"] = 512] = "CaptureArguments"; NodeCheckFlags3[NodeCheckFlags3["EnumValuesComputed"] = 1024] = "EnumValuesComputed"; NodeCheckFlags3[NodeCheckFlags3["LexicalModuleMergesWithClass"] = 2048] = "LexicalModuleMergesWithClass"; NodeCheckFlags3[NodeCheckFlags3["LoopWithCapturedBlockScopedBinding"] = 4096] = "LoopWithCapturedBlockScopedBinding"; NodeCheckFlags3[NodeCheckFlags3["ContainsCapturedBlockScopeBinding"] = 8192] = "ContainsCapturedBlockScopeBinding"; NodeCheckFlags3[NodeCheckFlags3["CapturedBlockScopedBinding"] = 16384] = "CapturedBlockScopedBinding"; NodeCheckFlags3[NodeCheckFlags3["BlockScopedBindingInLoop"] = 32768] = "BlockScopedBindingInLoop"; NodeCheckFlags3[NodeCheckFlags3["NeedsLoopOutParameter"] = 65536] = "NeedsLoopOutParameter"; NodeCheckFlags3[NodeCheckFlags3["AssignmentsMarked"] = 131072] = "AssignmentsMarked"; NodeCheckFlags3[NodeCheckFlags3["ContainsConstructorReference"] = 262144] = "ContainsConstructorReference"; NodeCheckFlags3[NodeCheckFlags3["ConstructorReference"] = 536870912] = "ConstructorReference"; NodeCheckFlags3[NodeCheckFlags3["ContainsClassWithPrivateIdentifiers"] = 1048576] = "ContainsClassWithPrivateIdentifiers"; NodeCheckFlags3[NodeCheckFlags3["ContainsSuperPropertyInStaticInitializer"] = 2097152] = "ContainsSuperPropertyInStaticInitializer"; NodeCheckFlags3[NodeCheckFlags3["InCheckIdentifier"] = 4194304] = "InCheckIdentifier"; NodeCheckFlags3[NodeCheckFlags3["LazyFlags"] = 539358128] = "LazyFlags"; return NodeCheckFlags3; })(NodeCheckFlags || {}); var TypeFlags = /* @__PURE__ */ ((TypeFlags2) => { TypeFlags2[TypeFlags2["Any"] = 1] = "Any"; TypeFlags2[TypeFlags2["Unknown"] = 2] = "Unknown"; TypeFlags2[TypeFlags2["String"] = 4] = "String"; TypeFlags2[TypeFlags2["Number"] = 8] = "Number"; TypeFlags2[TypeFlags2["Boolean"] = 16] = "Boolean"; TypeFlags2[TypeFlags2["Enum"] = 32] = "Enum"; TypeFlags2[TypeFlags2["BigInt"] = 64] = "BigInt"; TypeFlags2[TypeFlags2["StringLiteral"] = 128] = "StringLiteral"; TypeFlags2[TypeFlags2["NumberLiteral"] = 256] = "NumberLiteral"; TypeFlags2[TypeFlags2["BooleanLiteral"] = 512] = "BooleanLiteral"; TypeFlags2[TypeFlags2["EnumLiteral"] = 1024] = "EnumLiteral"; TypeFlags2[TypeFlags2["BigIntLiteral"] = 2048] = "BigIntLiteral"; TypeFlags2[TypeFlags2["ESSymbol"] = 4096] = "ESSymbol"; TypeFlags2[TypeFlags2["UniqueESSymbol"] = 8192] = "UniqueESSymbol"; TypeFlags2[TypeFlags2["Void"] = 16384] = "Void"; TypeFlags2[TypeFlags2["Undefined"] = 32768] = "Undefined"; TypeFlags2[TypeFlags2["Null"] = 65536] = "Null"; TypeFlags2[TypeFlags2["Never"] = 131072] = "Never"; TypeFlags2[TypeFlags2["TypeParameter"] = 262144] = "TypeParameter"; TypeFlags2[TypeFlags2["Object"] = 524288] = "Object"; TypeFlags2[TypeFlags2["Union"] = 1048576] = "Union"; TypeFlags2[TypeFlags2["Intersection"] = 2097152] = "Intersection"; TypeFlags2[TypeFlags2["Index"] = 4194304] = "Index"; TypeFlags2[TypeFlags2["IndexedAccess"] = 8388608] = "IndexedAccess"; TypeFlags2[TypeFlags2["Conditional"] = 16777216] = "Conditional"; TypeFlags2[TypeFlags2["Substitution"] = 33554432] = "Substitution"; TypeFlags2[TypeFlags2["NonPrimitive"] = 67108864] = "NonPrimitive"; TypeFlags2[TypeFlags2["TemplateLiteral"] = 134217728] = "TemplateLiteral"; TypeFlags2[TypeFlags2["StringMapping"] = 268435456] = "StringMapping"; TypeFlags2[TypeFlags2["Reserved1"] = 536870912] = "Reserved1"; TypeFlags2[TypeFlags2["Reserved2"] = 1073741824] = "Reserved2"; TypeFlags2[TypeFlags2["AnyOrUnknown"] = 3] = "AnyOrUnknown"; TypeFlags2[TypeFlags2["Nullable"] = 98304] = "Nullable"; TypeFlags2[TypeFlags2["Literal"] = 2944] = "Literal"; TypeFlags2[TypeFlags2["Unit"] = 109472] = "Unit"; TypeFlags2[TypeFlags2["Freshable"] = 2976] = "Freshable"; TypeFlags2[TypeFlags2["StringOrNumberLiteral"] = 384] = "StringOrNumberLiteral"; TypeFlags2[TypeFlags2["StringOrNumberLiteralOrUnique"] = 8576] = "StringOrNumberLiteralOrUnique"; TypeFlags2[TypeFlags2["DefinitelyFalsy"] = 117632] = "DefinitelyFalsy"; TypeFlags2[TypeFlags2["PossiblyFalsy"] = 117724] = "PossiblyFalsy"; TypeFlags2[TypeFlags2["Intrinsic"] = 67359327] = "Intrinsic"; TypeFlags2[TypeFlags2["StringLike"] = 402653316] = "StringLike"; TypeFlags2[TypeFlags2["NumberLike"] = 296] = "NumberLike"; TypeFlags2[TypeFlags2["BigIntLike"] = 2112] = "BigIntLike"; TypeFlags2[TypeFlags2["BooleanLike"] = 528] = "BooleanLike"; TypeFlags2[TypeFlags2["EnumLike"] = 1056] = "EnumLike"; TypeFlags2[TypeFlags2["ESSymbolLike"] = 12288] = "ESSymbolLike"; TypeFlags2[TypeFlags2["VoidLike"] = 49152] = "VoidLike"; TypeFlags2[TypeFlags2["Primitive"] = 402784252] = "Primitive"; TypeFlags2[TypeFlags2["DefinitelyNonNullable"] = 470302716] = "DefinitelyNonNullable"; TypeFlags2[TypeFlags2["DisjointDomains"] = 469892092] = "DisjointDomains"; TypeFlags2[TypeFlags2["UnionOrIntersection"] = 3145728] = "UnionOrIntersection"; TypeFlags2[TypeFlags2["StructuredType"] = 3670016] = "StructuredType"; TypeFlags2[TypeFlags2["TypeVariable"] = 8650752] = "TypeVariable"; TypeFlags2[TypeFlags2["InstantiableNonPrimitive"] = 58982400] = "InstantiableNonPrimitive"; TypeFlags2[TypeFlags2["InstantiablePrimitive"] = 406847488] = "InstantiablePrimitive"; TypeFlags2[TypeFlags2["Instantiable"] = 465829888] = "Instantiable"; TypeFlags2[TypeFlags2["StructuredOrInstantiable"] = 469499904] = "StructuredOrInstantiable"; TypeFlags2[TypeFlags2["ObjectFlagsType"] = 3899393] = "ObjectFlagsType"; TypeFlags2[TypeFlags2["Simplifiable"] = 25165824] = "Simplifiable"; TypeFlags2[TypeFlags2["Singleton"] = 67358815] = "Singleton"; TypeFlags2[TypeFlags2["Narrowable"] = 536624127] = "Narrowable"; TypeFlags2[TypeFlags2["IncludesMask"] = 473694207] = "IncludesMask"; TypeFlags2[ TypeFlags2["IncludesMissingType"] = 262144 /* TypeParameter */ ] = "IncludesMissingType"; TypeFlags2[ TypeFlags2["IncludesNonWideningType"] = 4194304 /* Index */ ] = "IncludesNonWideningType"; TypeFlags2[ TypeFlags2["IncludesWildcard"] = 8388608 /* IndexedAccess */ ] = "IncludesWildcard"; TypeFlags2[ TypeFlags2["IncludesEmptyObject"] = 16777216 /* Conditional */ ] = "IncludesEmptyObject"; TypeFlags2[ TypeFlags2["IncludesInstantiable"] = 33554432 /* Substitution */ ] = "IncludesInstantiable"; TypeFlags2[ TypeFlags2["IncludesConstrainedTypeVariable"] = 536870912 /* Reserved1 */ ] = "IncludesConstrainedTypeVariable"; TypeFlags2[ TypeFlags2["IncludesError"] = 1073741824 /* Reserved2 */ ] = "IncludesError"; TypeFlags2[TypeFlags2["NotPrimitiveUnion"] = 36323331] = "NotPrimitiveUnion"; return TypeFlags2; })(TypeFlags || {}); var ObjectFlags = /* @__PURE__ */ ((ObjectFlags3) => { ObjectFlags3[ObjectFlags3["None"] = 0] = "None"; ObjectFlags3[ObjectFlags3["Class"] = 1] = "Class"; ObjectFlags3[ObjectFlags3["Interface"] = 2] = "Interface"; ObjectFlags3[ObjectFlags3["Reference"] = 4] = "Reference"; ObjectFlags3[ObjectFlags3["Tuple"] = 8] = "Tuple"; ObjectFlags3[ObjectFlags3["Anonymous"] = 16] = "Anonymous"; ObjectFlags3[ObjectFlags3["Mapped"] = 32] = "Mapped"; ObjectFlags3[ObjectFlags3["Instantiated"] = 64] = "Instantiated"; ObjectFlags3[ObjectFlags3["ObjectLiteral"] = 128] = "ObjectLiteral"; ObjectFlags3[ObjectFlags3["EvolvingArray"] = 256] = "EvolvingArray"; ObjectFlags3[ObjectFlags3["ObjectLiteralPatternWithComputedProperties"] = 512] = "ObjectLiteralPatternWithComputedProperties"; ObjectFlags3[ObjectFlags3["ReverseMapped"] = 1024] = "ReverseMapped"; ObjectFlags3[ObjectFlags3["JsxAttributes"] = 2048] = "JsxAttributes"; ObjectFlags3[ObjectFlags3["JSLiteral"] = 4096] = "JSLiteral"; ObjectFlags3[ObjectFlags3["FreshLiteral"] = 8192] = "FreshLiteral"; ObjectFlags3[ObjectFlags3["ArrayLiteral"] = 16384] = "ArrayLiteral"; ObjectFlags3[ObjectFlags3["PrimitiveUnion"] = 32768] = "PrimitiveUnion"; ObjectFlags3[ObjectFlags3["ContainsWideningType"] = 65536] = "ContainsWideningType"; ObjectFlags3[ObjectFlags3["ContainsObjectOrArrayLiteral"] = 131072] = "ContainsObjectOrArrayLiteral"; ObjectFlags3[ObjectFlags3["NonInferrableType"] = 262144] = "NonInferrableType"; ObjectFlags3[ObjectFlags3["CouldContainTypeVariablesComputed"] = 524288] = "CouldContainTypeVariablesComputed"; ObjectFlags3[ObjectFlags3["CouldContainTypeVariables"] = 1048576] = "CouldContainTypeVariables"; ObjectFlags3[ObjectFlags3["ClassOrInterface"] = 3] = "ClassOrInterface"; ObjectFlags3[ObjectFlags3["RequiresWidening"] = 196608] = "RequiresWidening"; ObjectFlags3[ObjectFlags3["PropagatingFlags"] = 458752] = "PropagatingFlags"; ObjectFlags3[ObjectFlags3["InstantiatedMapped"] = 96] = "InstantiatedMapped"; ObjectFlags3[ObjectFlags3["ObjectTypeKindMask"] = 1343] = "ObjectTypeKindMask"; ObjectFlags3[ObjectFlags3["ContainsSpread"] = 2097152] = "ContainsSpread"; ObjectFlags3[ObjectFlags3["ObjectRestType"] = 4194304] = "ObjectRestType"; ObjectFlags3[ObjectFlags3["InstantiationExpressionType"] = 8388608] = "InstantiationExpressionType"; ObjectFlags3[ObjectFlags3["SingleSignatureType"] = 134217728] = "SingleSignatureType"; ObjectFlags3[ObjectFlags3["IsClassInstanceClone"] = 16777216] = "IsClassInstanceClone"; ObjectFlags3[ObjectFlags3["IdenticalBaseTypeCalculated"] = 33554432] = "IdenticalBaseTypeCalculated"; ObjectFlags3[ObjectFlags3["IdenticalBaseTypeExists"] = 67108864] = "IdenticalBaseTypeExists"; ObjectFlags3[ObjectFlags3["IsGenericTypeComputed"] = 2097152] = "IsGenericTypeComputed"; ObjectFlags3[ObjectFlags3["IsGenericObjectType"] = 4194304] = "IsGenericObjectType"; ObjectFlags3[ObjectFlags3["IsGenericIndexType"] = 8388608] = "IsGenericIndexType"; ObjectFlags3[ObjectFlags3["IsGenericType"] = 12582912] = "IsGenericType"; ObjectFlags3[ObjectFlags3["ContainsIntersections"] = 16777216] = "ContainsIntersections"; ObjectFlags3[ObjectFlags3["IsUnknownLikeUnionComputed"] = 33554432] = "IsUnknownLikeUnionComputed"; ObjectFlags3[ObjectFlags3["IsUnknownLikeUnion"] = 67108864] = "IsUnknownLikeUnion"; ObjectFlags3[ObjectFlags3["IsNeverIntersectionComputed"] = 16777216] = "IsNeverIntersectionComputed"; ObjectFlags3[ObjectFlags3["IsNeverIntersection"] = 33554432] = "IsNeverIntersection"; ObjectFlags3[ObjectFlags3["IsConstrainedTypeVariable"] = 67108864] = "IsConstrainedTypeVariable"; return ObjectFlags3; })(ObjectFlags || {}); var VarianceFlags = /* @__PURE__ */ ((VarianceFlags2) => { VarianceFlags2[VarianceFlags2["Invariant"] = 0] = "Invariant"; VarianceFlags2[VarianceFlags2["Covariant"] = 1] = "Covariant"; VarianceFlags2[VarianceFlags2["Contravariant"] = 2] = "Contravariant"; VarianceFlags2[VarianceFlags2["Bivariant"] = 3] = "Bivariant"; VarianceFlags2[VarianceFlags2["Independent"] = 4] = "Independent"; VarianceFlags2[VarianceFlags2["VarianceMask"] = 7] = "VarianceMask"; VarianceFlags2[VarianceFlags2["Unmeasurable"] = 8] = "Unmeasurable"; VarianceFlags2[VarianceFlags2["Unreliable"] = 16] = "Unreliable"; VarianceFlags2[VarianceFlags2["AllowsStructuralFallback"] = 24] = "AllowsStructuralFallback"; return VarianceFlags2; })(VarianceFlags || {}); var ElementFlags = /* @__PURE__ */ ((ElementFlags2) => { ElementFlags2[ElementFlags2["Required"] = 1] = "Required"; ElementFlags2[ElementFlags2["Optional"] = 2] = "Optional"; ElementFlags2[ElementFlags2["Rest"] = 4] = "Rest"; ElementFlags2[ElementFlags2["Variadic"] = 8] = "Variadic"; ElementFlags2[ElementFlags2["Fixed"] = 3] = "Fixed"; ElementFlags2[ElementFlags2["Variable"] = 12] = "Variable"; ElementFlags2[ElementFlags2["NonRequired"] = 14] = "NonRequired"; ElementFlags2[ElementFlags2["NonRest"] = 11] = "NonRest"; return ElementFlags2; })(ElementFlags || {}); var AccessFlags = /* @__PURE__ */ ((AccessFlags2) => { AccessFlags2[AccessFlags2["None"] = 0] = "None"; AccessFlags2[AccessFlags2["IncludeUndefined"] = 1] = "IncludeUndefined"; AccessFlags2[AccessFlags2["NoIndexSignatures"] = 2] = "NoIndexSignatures"; AccessFlags2[AccessFlags2["Writing"] = 4] = "Writing"; AccessFlags2[AccessFlags2["CacheSymbol"] = 8] = "CacheSymbol"; AccessFlags2[AccessFlags2["NoTupleBoundsCheck"] = 16] = "NoTupleBoundsCheck"; AccessFlags2[AccessFlags2["ExpressionPosition"] = 32] = "ExpressionPosition"; AccessFlags2[AccessFlags2["ReportDeprecated"] = 64] = "ReportDeprecated"; AccessFlags2[AccessFlags2["SuppressNoImplicitAnyError"] = 128] = "SuppressNoImplicitAnyError"; AccessFlags2[AccessFlags2["Contextual"] = 256] = "Contextual"; AccessFlags2[ AccessFlags2["Persistent"] = 1 /* IncludeUndefined */ ] = "Persistent"; return AccessFlags2; })(AccessFlags || {}); var IndexFlags = /* @__PURE__ */ ((IndexFlags2) => { IndexFlags2[IndexFlags2["None"] = 0] = "None"; IndexFlags2[IndexFlags2["StringsOnly"] = 1] = "StringsOnly"; IndexFlags2[IndexFlags2["NoIndexSignatures"] = 2] = "NoIndexSignatures"; IndexFlags2[IndexFlags2["NoReducibleCheck"] = 4] = "NoReducibleCheck"; return IndexFlags2; })(IndexFlags || {}); var JsxReferenceKind = /* @__PURE__ */ ((JsxReferenceKind2) => { JsxReferenceKind2[JsxReferenceKind2["Component"] = 0] = "Component"; JsxReferenceKind2[JsxReferenceKind2["Function"] = 1] = "Function"; JsxReferenceKind2[JsxReferenceKind2["Mixed"] = 2] = "Mixed"; return JsxReferenceKind2; })(JsxReferenceKind || {}); var SignatureKind = /* @__PURE__ */ ((SignatureKind2) => { SignatureKind2[SignatureKind2["Call"] = 0] = "Call"; SignatureKind2[SignatureKind2["Construct"] = 1] = "Construct"; return SignatureKind2; })(SignatureKind || {}); var SignatureFlags = /* @__PURE__ */ ((SignatureFlags5) => { SignatureFlags5[SignatureFlags5["None"] = 0] = "None"; SignatureFlags5[SignatureFlags5["HasRestParameter"] = 1] = "HasRestParameter"; SignatureFlags5[SignatureFlags5["HasLiteralTypes"] = 2] = "HasLiteralTypes"; SignatureFlags5[SignatureFlags5["Abstract"] = 4] = "Abstract"; SignatureFlags5[SignatureFlags5["IsInnerCallChain"] = 8] = "IsInnerCallChain"; SignatureFlags5[SignatureFlags5["IsOuterCallChain"] = 16] = "IsOuterCallChain"; SignatureFlags5[SignatureFlags5["IsUntypedSignatureInJSFile"] = 32] = "IsUntypedSignatureInJSFile"; SignatureFlags5[SignatureFlags5["IsNonInferrable"] = 64] = "IsNonInferrable"; SignatureFlags5[SignatureFlags5["IsSignatureCandidateForOverloadFailure"] = 128] = "IsSignatureCandidateForOverloadFailure"; SignatureFlags5[SignatureFlags5["PropagatingFlags"] = 167] = "PropagatingFlags"; SignatureFlags5[SignatureFlags5["CallChainFlags"] = 24] = "CallChainFlags"; return SignatureFlags5; })(SignatureFlags || {}); var IndexKind = /* @__PURE__ */ ((IndexKind2) => { IndexKind2[IndexKind2["String"] = 0] = "String"; IndexKind2[IndexKind2["Number"] = 1] = "Number"; return IndexKind2; })(IndexKind || {}); var TypeMapKind = /* @__PURE__ */ ((TypeMapKind2) => { TypeMapKind2[TypeMapKind2["Simple"] = 0] = "Simple"; TypeMapKind2[TypeMapKind2["Array"] = 1] = "Array"; TypeMapKind2[TypeMapKind2["Deferred"] = 2] = "Deferred"; TypeMapKind2[TypeMapKind2["Function"] = 3] = "Function"; TypeMapKind2[TypeMapKind2["Composite"] = 4] = "Composite"; TypeMapKind2[TypeMapKind2["Merged"] = 5] = "Merged"; return TypeMapKind2; })(TypeMapKind || {}); var InferencePriority = /* @__PURE__ */ ((InferencePriority2) => { InferencePriority2[InferencePriority2["None"] = 0] = "None"; InferencePriority2[InferencePriority2["NakedTypeVariable"] = 1] = "NakedTypeVariable"; InferencePriority2[InferencePriority2["SpeculativeTuple"] = 2] = "SpeculativeTuple"; InferencePriority2[InferencePriority2["SubstituteSource"] = 4] = "SubstituteSource"; InferencePriority2[InferencePriority2["HomomorphicMappedType"] = 8] = "HomomorphicMappedType"; InferencePriority2[InferencePriority2["PartialHomomorphicMappedType"] = 16] = "PartialHomomorphicMappedType"; InferencePriority2[InferencePriority2["MappedTypeConstraint"] = 32] = "MappedTypeConstraint"; InferencePriority2[InferencePriority2["ContravariantConditional"] = 64] = "ContravariantConditional"; InferencePriority2[InferencePriority2["ReturnType"] = 128] = "ReturnType"; InferencePriority2[InferencePriority2["LiteralKeyof"] = 256] = "LiteralKeyof"; InferencePriority2[InferencePriority2["NoConstraints"] = 512] = "NoConstraints"; InferencePriority2[InferencePriority2["AlwaysStrict"] = 1024] = "AlwaysStrict"; InferencePriority2[InferencePriority2["MaxValue"] = 2048] = "MaxValue"; InferencePriority2[InferencePriority2["PriorityImpliesCombination"] = 416] = "PriorityImpliesCombination"; InferencePriority2[InferencePriority2["Circularity"] = -1] = "Circularity"; return InferencePriority2; })(InferencePriority || {}); var InferenceFlags = /* @__PURE__ */ ((InferenceFlags2) => { InferenceFlags2[InferenceFlags2["None"] = 0] = "None"; InferenceFlags2[InferenceFlags2["NoDefault"] = 1] = "NoDefault"; InferenceFlags2[InferenceFlags2["AnyDefault"] = 2] = "AnyDefault"; InferenceFlags2[InferenceFlags2["SkippedGenericFunction"] = 4] = "SkippedGenericFunction"; return InferenceFlags2; })(InferenceFlags || {}); var Ternary = /* @__PURE__ */ ((Ternary2) => { Ternary2[Ternary2["False"] = 0] = "False"; Ternary2[Ternary2["Unknown"] = 1] = "Unknown"; Ternary2[Ternary2["Maybe"] = 3] = "Maybe"; Ternary2[Ternary2["True"] = -1] = "True"; return Ternary2; })(Ternary || {}); var AssignmentDeclarationKind = /* @__PURE__ */ ((AssignmentDeclarationKind2) => { AssignmentDeclarationKind2[AssignmentDeclarationKind2["None"] = 0] = "None"; AssignmentDeclarationKind2[AssignmentDeclarationKind2["ExportsProperty"] = 1] = "ExportsProperty"; AssignmentDeclarationKind2[AssignmentDeclarationKind2["ModuleExports"] = 2] = "ModuleExports"; AssignmentDeclarationKind2[AssignmentDeclarationKind2["PrototypeProperty"] = 3] = "PrototypeProperty"; AssignmentDeclarationKind2[AssignmentDeclarationKind2["ThisProperty"] = 4] = "ThisProperty"; AssignmentDeclarationKind2[AssignmentDeclarationKind2["Property"] = 5] = "Property"; AssignmentDeclarationKind2[AssignmentDeclarationKind2["Prototype"] = 6] = "Prototype"; AssignmentDeclarationKind2[AssignmentDeclarationKind2["ObjectDefinePropertyValue"] = 7] = "ObjectDefinePropertyValue"; AssignmentDeclarationKind2[AssignmentDeclarationKind2["ObjectDefinePropertyExports"] = 8] = "ObjectDefinePropertyExports"; AssignmentDeclarationKind2[AssignmentDeclarationKind2["ObjectDefinePrototypeProperty"] = 9] = "ObjectDefinePrototypeProperty"; return AssignmentDeclarationKind2; })(AssignmentDeclarationKind || {}); var DiagnosticCategory = /* @__PURE__ */ ((DiagnosticCategory2) => { DiagnosticCategory2[DiagnosticCategory2["Warning"] = 0] = "Warning"; DiagnosticCategory2[DiagnosticCategory2["Error"] = 1] = "Error"; DiagnosticCategory2[DiagnosticCategory2["Suggestion"] = 2] = "Suggestion"; DiagnosticCategory2[DiagnosticCategory2["Message"] = 3] = "Message"; return DiagnosticCategory2; })(DiagnosticCategory || {}); function diagnosticCategoryName(d, lowerCase = true) { const name = DiagnosticCategory[d.category]; return lowerCase ? name.toLowerCase() : name; } var ModuleResolutionKind = /* @__PURE__ */ ((ModuleResolutionKind3) => { ModuleResolutionKind3[ModuleResolutionKind3["Classic"] = 1] = "Classic"; ModuleResolutionKind3[ModuleResolutionKind3["NodeJs"] = 2] = "NodeJs"; ModuleResolutionKind3[ModuleResolutionKind3["Node10"] = 2] = "Node10"; ModuleResolutionKind3[ModuleResolutionKind3["Node16"] = 3] = "Node16"; ModuleResolutionKind3[ModuleResolutionKind3["NodeNext"] = 99] = "NodeNext"; ModuleResolutionKind3[ModuleResolutionKind3["Bundler"] = 100] = "Bundler"; return ModuleResolutionKind3; })(ModuleResolutionKind || {}); var ModuleDetectionKind = /* @__PURE__ */ ((ModuleDetectionKind2) => { ModuleDetectionKind2[ModuleDetectionKind2["Legacy"] = 1] = "Legacy"; ModuleDetectionKind2[ModuleDetectionKind2["Auto"] = 2] = "Auto"; ModuleDetectionKind2[ModuleDetectionKind2["Force"] = 3] = "Force"; return ModuleDetectionKind2; })(ModuleDetectionKind || {}); var WatchFileKind = /* @__PURE__ */ ((WatchFileKind3) => { WatchFileKind3[WatchFileKind3["FixedPollingInterval"] = 0] = "FixedPollingInterval"; WatchFileKind3[WatchFileKind3["PriorityPollingInterval"] = 1] = "PriorityPollingInterval"; WatchFileKind3[WatchFileKind3["DynamicPriorityPolling"] = 2] = "DynamicPriorityPolling"; WatchFileKind3[WatchFileKind3["FixedChunkSizePolling"] = 3] = "FixedChunkSizePolling"; WatchFileKind3[WatchFileKind3["UseFsEvents"] = 4] = "UseFsEvents"; WatchFileKind3[WatchFileKind3["UseFsEventsOnParentDirectory"] = 5] = "UseFsEventsOnParentDirectory"; return WatchFileKind3; })(WatchFileKind || {}); var WatchDirectoryKind = /* @__PURE__ */ ((WatchDirectoryKind3) => { WatchDirectoryKind3[WatchDirectoryKind3["UseFsEvents"] = 0] = "UseFsEvents"; WatchDirectoryKind3[WatchDirectoryKind3["FixedPollingInterval"] = 1] = "FixedPollingInterval"; WatchDirectoryKind3[WatchDirectoryKind3["DynamicPriorityPolling"] = 2] = "DynamicPriorityPolling"; WatchDirectoryKind3[WatchDirectoryKind3["FixedChunkSizePolling"] = 3] = "FixedChunkSizePolling"; return WatchDirectoryKind3; })(WatchDirectoryKind || {}); var PollingWatchKind = /* @__PURE__ */ ((PollingWatchKind3) => { PollingWatchKind3[PollingWatchKind3["FixedInterval"] = 0] = "FixedInterval"; PollingWatchKind3[PollingWatchKind3["PriorityInterval"] = 1] = "PriorityInterval"; PollingWatchKind3[PollingWatchKind3["DynamicPriority"] = 2] = "DynamicPriority"; PollingWatchKind3[PollingWatchKind3["FixedChunkSize"] = 3] = "FixedChunkSize"; return PollingWatchKind3; })(PollingWatchKind || {}); var ModuleKind = /* @__PURE__ */ ((ModuleKind3) => { ModuleKind3[ModuleKind3["None"] = 0] = "None"; ModuleKind3[ModuleKind3["CommonJS"] = 1] = "CommonJS"; ModuleKind3[ModuleKind3["AMD"] = 2] = "AMD"; ModuleKind3[ModuleKind3["UMD"] = 3] = "UMD"; ModuleKind3[ModuleKind3["System"] = 4] = "System"; ModuleKind3[ModuleKind3["ES2015"] = 5] = "ES2015"; ModuleKind3[ModuleKind3["ES2020"] = 6] = "ES2020"; ModuleKind3[ModuleKind3["ES2022"] = 7] = "ES2022"; ModuleKind3[ModuleKind3["ESNext"] = 99] = "ESNext"; ModuleKind3[ModuleKind3["Node16"] = 100] = "Node16"; ModuleKind3[ModuleKind3["NodeNext"] = 199] = "NodeNext"; ModuleKind3[ModuleKind3["Preserve"] = 200] = "Preserve"; return ModuleKind3; })(ModuleKind || {}); var JsxEmit = /* @__PURE__ */ ((JsxEmit3) => { JsxEmit3[JsxEmit3["None"] = 0] = "None"; JsxEmit3[JsxEmit3["Preserve"] = 1] = "Preserve"; JsxEmit3[JsxEmit3["React"] = 2] = "React"; JsxEmit3[JsxEmit3["ReactNative"] = 3] = "ReactNative"; JsxEmit3[JsxEmit3["ReactJSX"] = 4] = "ReactJSX"; JsxEmit3[JsxEmit3["ReactJSXDev"] = 5] = "ReactJSXDev"; return JsxEmit3; })(JsxEmit || {}); var ImportsNotUsedAsValues = /* @__PURE__ */ ((ImportsNotUsedAsValues2) => { ImportsNotUsedAsValues2[ImportsNotUsedAsValues2["Remove"] = 0] = "Remove"; ImportsNotUsedAsValues2[ImportsNotUsedAsValues2["Preserve"] = 1] = "Preserve"; ImportsNotUsedAsValues2[ImportsNotUsedAsValues2["Error"] = 2] = "Error"; return ImportsNotUsedAsValues2; })(ImportsNotUsedAsValues || {}); var NewLineKind = /* @__PURE__ */ ((NewLineKind3) => { NewLineKind3[NewLineKind3["CarriageReturnLineFeed"] = 0] = "CarriageReturnLineFeed"; NewLineKind3[NewLineKind3["LineFeed"] = 1] = "LineFeed"; return NewLineKind3; })(NewLineKind || {}); var ScriptKind = /* @__PURE__ */ ((ScriptKind7) => { ScriptKind7[ScriptKind7["Unknown"] = 0] = "Unknown"; ScriptKind7[ScriptKind7["JS"] = 1] = "JS"; ScriptKind7[ScriptKind7["JSX"] = 2] = "JSX"; ScriptKind7[ScriptKind7["TS"] = 3] = "TS"; ScriptKind7[ScriptKind7["TSX"] = 4] = "TSX"; ScriptKind7[ScriptKind7["External"] = 5] = "External"; ScriptKind7[ScriptKind7["JSON"] = 6] = "JSON"; ScriptKind7[ScriptKind7["Deferred"] = 7] = "Deferred"; return ScriptKind7; })(ScriptKind || {}); var ScriptTarget = /* @__PURE__ */ ((ScriptTarget11) => { ScriptTarget11[ScriptTarget11["ES3"] = 0] = "ES3"; ScriptTarget11[ScriptTarget11["ES5"] = 1] = "ES5"; ScriptTarget11[ScriptTarget11["ES2015"] = 2] = "ES2015"; ScriptTarget11[ScriptTarget11["ES2016"] = 3] = "ES2016"; ScriptTarget11[ScriptTarget11["ES2017"] = 4] = "ES2017"; ScriptTarget11[ScriptTarget11["ES2018"] = 5] = "ES2018"; ScriptTarget11[ScriptTarget11["ES2019"] = 6] = "ES2019"; ScriptTarget11[ScriptTarget11["ES2020"] = 7] = "ES2020"; ScriptTarget11[ScriptTarget11["ES2021"] = 8] = "ES2021"; ScriptTarget11[ScriptTarget11["ES2022"] = 9] = "ES2022"; ScriptTarget11[ScriptTarget11["ES2023"] = 10] = "ES2023"; ScriptTarget11[ScriptTarget11["ESNext"] = 99] = "ESNext"; ScriptTarget11[ScriptTarget11["JSON"] = 100] = "JSON"; ScriptTarget11[ ScriptTarget11["Latest"] = 99 /* ESNext */ ] = "Latest"; return ScriptTarget11; })(ScriptTarget || {}); var LanguageVariant = /* @__PURE__ */ ((LanguageVariant4) => { LanguageVariant4[LanguageVariant4["Standard"] = 0] = "Standard"; LanguageVariant4[LanguageVariant4["JSX"] = 1] = "JSX"; return LanguageVariant4; })(LanguageVariant || {}); var WatchDirectoryFlags = /* @__PURE__ */ ((WatchDirectoryFlags3) => { WatchDirectoryFlags3[WatchDirectoryFlags3["None"] = 0] = "None"; WatchDirectoryFlags3[WatchDirectoryFlags3["Recursive"] = 1] = "Recursive"; return WatchDirectoryFlags3; })(WatchDirectoryFlags || {}); var CharacterCodes = /* @__PURE__ */ ((CharacterCodes2) => { CharacterCodes2[CharacterCodes2["EOF"] = -1] = "EOF"; CharacterCodes2[CharacterCodes2["nullCharacter"] = 0] = "nullCharacter"; CharacterCodes2[CharacterCodes2["maxAsciiCharacter"] = 127] = "maxAsciiCharacter"; CharacterCodes2[CharacterCodes2["lineFeed"] = 10] = "lineFeed"; CharacterCodes2[CharacterCodes2["carriageReturn"] = 13] = "carriageReturn"; CharacterCodes2[CharacterCodes2["lineSeparator"] = 8232] = "lineSeparator"; CharacterCodes2[CharacterCodes2["paragraphSeparator"] = 8233] = "paragraphSeparator"; CharacterCodes2[CharacterCodes2["nextLine"] = 133] = "nextLine"; CharacterCodes2[CharacterCodes2["space"] = 32] = "space"; CharacterCodes2[CharacterCodes2["nonBreakingSpace"] = 160] = "nonBreakingSpace"; CharacterCodes2[CharacterCodes2["enQuad"] = 8192] = "enQuad"; CharacterCodes2[CharacterCodes2["emQuad"] = 8193] = "emQuad"; CharacterCodes2[CharacterCodes2["enSpace"] = 8194] = "enSpace"; CharacterCodes2[CharacterCodes2["emSpace"] = 8195] = "emSpace"; CharacterCodes2[CharacterCodes2["threePerEmSpace"] = 8196] = "threePerEmSpace"; CharacterCodes2[CharacterCodes2["fourPerEmSpace"] = 8197] = "fourPerEmSpace"; CharacterCodes2[CharacterCodes2["sixPerEmSpace"] = 8198] = "sixPerEmSpace"; CharacterCodes2[CharacterCodes2["figureSpace"] = 8199] = "figureSpace"; CharacterCodes2[CharacterCodes2["punctuationSpace"] = 8200] = "punctuationSpace"; CharacterCodes2[CharacterCodes2["thinSpace"] = 8201] = "thinSpace"; CharacterCodes2[CharacterCodes2["hairSpace"] = 8202] = "hairSpace"; CharacterCodes2[CharacterCodes2["zeroWidthSpace"] = 8203] = "zeroWidthSpace"; CharacterCodes2[CharacterCodes2["narrowNoBreakSpace"] = 8239] = "narrowNoBreakSpace"; CharacterCodes2[CharacterCodes2["ideographicSpace"] = 12288] = "ideographicSpace"; CharacterCodes2[CharacterCodes2["mathematicalSpace"] = 8287] = "mathematicalSpace"; CharacterCodes2[CharacterCodes2["ogham"] = 5760] = "ogham"; CharacterCodes2[CharacterCodes2["replacementCharacter"] = 65533] = "replacementCharacter"; CharacterCodes2[CharacterCodes2["_"] = 95] = "_"; CharacterCodes2[CharacterCodes2["$"] = 36] = "$"; CharacterCodes2[CharacterCodes2["_0"] = 48] = "_0"; CharacterCodes2[CharacterCodes2["_1"] = 49] = "_1"; CharacterCodes2[CharacterCodes2["_2"] = 50] = "_2"; CharacterCodes2[CharacterCodes2["_3"] = 51] = "_3"; CharacterCodes2[CharacterCodes2["_4"] = 52] = "_4"; CharacterCodes2[CharacterCodes2["_5"] = 53] = "_5"; CharacterCodes2[CharacterCodes2["_6"] = 54] = "_6"; CharacterCodes2[CharacterCodes2["_7"] = 55] = "_7"; CharacterCodes2[CharacterCodes2["_8"] = 56] = "_8"; CharacterCodes2[CharacterCodes2["_9"] = 57] = "_9"; CharacterCodes2[CharacterCodes2["a"] = 97] = "a"; CharacterCodes2[CharacterCodes2["b"] = 98] = "b"; CharacterCodes2[CharacterCodes2["c"] = 99] = "c"; CharacterCodes2[CharacterCodes2["d"] = 100] = "d"; CharacterCodes2[CharacterCodes2["e"] = 101] = "e"; CharacterCodes2[CharacterCodes2["f"] = 102] = "f"; CharacterCodes2[CharacterCodes2["g"] = 103] = "g"; CharacterCodes2[CharacterCodes2["h"] = 104] = "h"; CharacterCodes2[CharacterCodes2["i"] = 105] = "i"; CharacterCodes2[CharacterCodes2["j"] = 106] = "j"; CharacterCodes2[CharacterCodes2["k"] = 107] = "k"; CharacterCodes2[CharacterCodes2["l"] = 108] = "l"; CharacterCodes2[CharacterCodes2["m"] = 109] = "m"; CharacterCodes2[CharacterCodes2["n"] = 110] = "n"; CharacterCodes2[CharacterCodes2["o"] = 111] = "o"; CharacterCodes2[CharacterCodes2["p"] = 112] = "p"; CharacterCodes2[CharacterCodes2["q"] = 113] = "q"; CharacterCodes2[CharacterCodes2["r"] = 114] = "r"; CharacterCodes2[CharacterCodes2["s"] = 115] = "s"; CharacterCodes2[CharacterCodes2["t"] = 116] = "t"; CharacterCodes2[CharacterCodes2["u"] = 117] = "u"; CharacterCodes2[CharacterCodes2["v"] = 118] = "v"; CharacterCodes2[CharacterCodes2["w"] = 119] = "w"; CharacterCodes2[CharacterCodes2["x"] = 120] = "x"; CharacterCodes2[CharacterCodes2["y"] = 121] = "y"; CharacterCodes2[CharacterCodes2["z"] = 122] = "z"; CharacterCodes2[CharacterCodes2["A"] = 65] = "A"; CharacterCodes2[CharacterCodes2["B"] = 66] = "B"; CharacterCodes2[CharacterCodes2["C"] = 67] = "C"; CharacterCodes2[CharacterCodes2["D"] = 68] = "D"; CharacterCodes2[CharacterCodes2["E"] = 69] = "E"; CharacterCodes2[CharacterCodes2["F"] = 70] = "F"; CharacterCodes2[CharacterCodes2["G"] = 71] = "G"; CharacterCodes2[CharacterCodes2["H"] = 72] = "H"; CharacterCodes2[CharacterCodes2["I"] = 73] = "I"; CharacterCodes2[CharacterCodes2["J"] = 74] = "J"; CharacterCodes2[CharacterCodes2["K"] = 75] = "K"; CharacterCodes2[CharacterCodes2["L"] = 76] = "L"; CharacterCodes2[CharacterCodes2["M"] = 77] = "M"; CharacterCodes2[CharacterCodes2["N"] = 78] = "N"; CharacterCodes2[CharacterCodes2["O"] = 79] = "O"; CharacterCodes2[CharacterCodes2["P"] = 80] = "P"; CharacterCodes2[CharacterCodes2["Q"] = 81] = "Q"; CharacterCodes2[CharacterCodes2["R"] = 82] = "R"; CharacterCodes2[CharacterCodes2["S"] = 83] = "S"; CharacterCodes2[CharacterCodes2["T"] = 84] = "T"; CharacterCodes2[CharacterCodes2["U"] = 85] = "U"; CharacterCodes2[CharacterCodes2["V"] = 86] = "V"; CharacterCodes2[CharacterCodes2["W"] = 87] = "W"; CharacterCodes2[CharacterCodes2["X"] = 88] = "X"; CharacterCodes2[CharacterCodes2["Y"] = 89] = "Y"; CharacterCodes2[CharacterCodes2["Z"] = 90] = "Z"; CharacterCodes2[CharacterCodes2["ampersand"] = 38] = "ampersand"; CharacterCodes2[CharacterCodes2["asterisk"] = 42] = "asterisk"; CharacterCodes2[CharacterCodes2["at"] = 64] = "at"; CharacterCodes2[CharacterCodes2["backslash"] = 92] = "backslash"; CharacterCodes2[CharacterCodes2["backtick"] = 96] = "backtick"; CharacterCodes2[CharacterCodes2["bar"] = 124] = "bar"; CharacterCodes2[CharacterCodes2["caret"] = 94] = "caret"; CharacterCodes2[CharacterCodes2["closeBrace"] = 125] = "closeBrace"; CharacterCodes2[CharacterCodes2["closeBracket"] = 93] = "closeBracket"; CharacterCodes2[CharacterCodes2["closeParen"] = 41] = "closeParen"; CharacterCodes2[CharacterCodes2["colon"] = 58] = "colon"; CharacterCodes2[CharacterCodes2["comma"] = 44] = "comma"; CharacterCodes2[CharacterCodes2["dot"] = 46] = "dot"; CharacterCodes2[CharacterCodes2["doubleQuote"] = 34] = "doubleQuote"; CharacterCodes2[CharacterCodes2["equals"] = 61] = "equals"; CharacterCodes2[CharacterCodes2["exclamation"] = 33] = "exclamation"; CharacterCodes2[CharacterCodes2["greaterThan"] = 62] = "greaterThan"; CharacterCodes2[CharacterCodes2["hash"] = 35] = "hash"; CharacterCodes2[CharacterCodes2["lessThan"] = 60] = "lessThan"; CharacterCodes2[CharacterCodes2["minus"] = 45] = "minus"; CharacterCodes2[CharacterCodes2["openBrace"] = 123] = "openBrace"; CharacterCodes2[CharacterCodes2["openBracket"] = 91] = "openBracket"; CharacterCodes2[CharacterCodes2["openParen"] = 40] = "openParen"; CharacterCodes2[CharacterCodes2["percent"] = 37] = "percent"; CharacterCodes2[CharacterCodes2["plus"] = 43] = "plus"; CharacterCodes2[CharacterCodes2["question"] = 63] = "question"; CharacterCodes2[CharacterCodes2["semicolon"] = 59] = "semicolon"; CharacterCodes2[CharacterCodes2["singleQuote"] = 39] = "singleQuote"; CharacterCodes2[CharacterCodes2["slash"] = 47] = "slash"; CharacterCodes2[CharacterCodes2["tilde"] = 126] = "tilde"; CharacterCodes2[CharacterCodes2["backspace"] = 8] = "backspace"; CharacterCodes2[CharacterCodes2["formFeed"] = 12] = "formFeed"; CharacterCodes2[CharacterCodes2["byteOrderMark"] = 65279] = "byteOrderMark"; CharacterCodes2[CharacterCodes2["tab"] = 9] = "tab"; CharacterCodes2[CharacterCodes2["verticalTab"] = 11] = "verticalTab"; return CharacterCodes2; })(CharacterCodes || {}); var Extension = /* @__PURE__ */ ((Extension2) => { Extension2["Ts"] = ".ts"; Extension2["Tsx"] = ".tsx"; Extension2["Dts"] = ".d.ts"; Extension2["Js"] = ".js"; Extension2["Jsx"] = ".jsx"; Extension2["Json"] = ".json"; Extension2["TsBuildInfo"] = ".tsbuildinfo"; Extension2["Mjs"] = ".mjs"; Extension2["Mts"] = ".mts"; Extension2["Dmts"] = ".d.mts"; Extension2["Cjs"] = ".cjs"; Extension2["Cts"] = ".cts"; Extension2["Dcts"] = ".d.cts"; return Extension2; })(Extension || {}); var TransformFlags = /* @__PURE__ */ ((TransformFlags3) => { TransformFlags3[TransformFlags3["None"] = 0] = "None"; TransformFlags3[TransformFlags3["ContainsTypeScript"] = 1] = "ContainsTypeScript"; TransformFlags3[TransformFlags3["ContainsJsx"] = 2] = "ContainsJsx"; TransformFlags3[TransformFlags3["ContainsESNext"] = 4] = "ContainsESNext"; TransformFlags3[TransformFlags3["ContainsES2022"] = 8] = "ContainsES2022"; TransformFlags3[TransformFlags3["ContainsES2021"] = 16] = "ContainsES2021"; TransformFlags3[TransformFlags3["ContainsES2020"] = 32] = "ContainsES2020"; TransformFlags3[TransformFlags3["ContainsES2019"] = 64] = "ContainsES2019"; TransformFlags3[TransformFlags3["ContainsES2018"] = 128] = "ContainsES2018"; TransformFlags3[TransformFlags3["ContainsES2017"] = 256] = "ContainsES2017"; TransformFlags3[TransformFlags3["ContainsES2016"] = 512] = "ContainsES2016"; TransformFlags3[TransformFlags3["ContainsES2015"] = 1024] = "ContainsES2015"; TransformFlags3[TransformFlags3["ContainsGenerator"] = 2048] = "ContainsGenerator"; TransformFlags3[TransformFlags3["ContainsDestructuringAssignment"] = 4096] = "ContainsDestructuringAssignment"; TransformFlags3[TransformFlags3["ContainsTypeScriptClassSyntax"] = 8192] = "ContainsTypeScriptClassSyntax"; TransformFlags3[TransformFlags3["ContainsLexicalThis"] = 16384] = "ContainsLexicalThis"; TransformFlags3[TransformFlags3["ContainsRestOrSpread"] = 32768] = "ContainsRestOrSpread"; TransformFlags3[TransformFlags3["ContainsObjectRestOrSpread"] = 65536] = "ContainsObjectRestOrSpread"; TransformFlags3[TransformFlags3["ContainsComputedPropertyName"] = 131072] = "ContainsComputedPropertyName"; TransformFlags3[TransformFlags3["ContainsBlockScopedBinding"] = 262144] = "ContainsBlockScopedBinding"; TransformFlags3[TransformFlags3["ContainsBindingPattern"] = 524288] = "ContainsBindingPattern"; TransformFlags3[TransformFlags3["ContainsYield"] = 1048576] = "ContainsYield"; TransformFlags3[TransformFlags3["ContainsAwait"] = 2097152] = "ContainsAwait"; TransformFlags3[TransformFlags3["ContainsHoistedDeclarationOrCompletion"] = 4194304] = "ContainsHoistedDeclarationOrCompletion"; TransformFlags3[TransformFlags3["ContainsDynamicImport"] = 8388608] = "ContainsDynamicImport"; TransformFlags3[TransformFlags3["ContainsClassFields"] = 16777216] = "ContainsClassFields"; TransformFlags3[TransformFlags3["ContainsDecorators"] = 33554432] = "ContainsDecorators"; TransformFlags3[TransformFlags3["ContainsPossibleTopLevelAwait"] = 67108864] = "ContainsPossibleTopLevelAwait"; TransformFlags3[TransformFlags3["ContainsLexicalSuper"] = 134217728] = "ContainsLexicalSuper"; TransformFlags3[TransformFlags3["ContainsUpdateExpressionForIdentifier"] = 268435456] = "ContainsUpdateExpressionForIdentifier"; TransformFlags3[TransformFlags3["ContainsPrivateIdentifierInExpression"] = 536870912] = "ContainsPrivateIdentifierInExpression"; TransformFlags3[TransformFlags3["HasComputedFlags"] = -2147483648] = "HasComputedFlags"; TransformFlags3[ TransformFlags3["AssertTypeScript"] = 1 /* ContainsTypeScript */ ] = "AssertTypeScript"; TransformFlags3[ TransformFlags3["AssertJsx"] = 2 /* ContainsJsx */ ] = "AssertJsx"; TransformFlags3[ TransformFlags3["AssertESNext"] = 4 /* ContainsESNext */ ] = "AssertESNext"; TransformFlags3[ TransformFlags3["AssertES2022"] = 8 /* ContainsES2022 */ ] = "AssertES2022"; TransformFlags3[ TransformFlags3["AssertES2021"] = 16 /* ContainsES2021 */ ] = "AssertES2021"; TransformFlags3[ TransformFlags3["AssertES2020"] = 32 /* ContainsES2020 */ ] = "AssertES2020"; TransformFlags3[ TransformFlags3["AssertES2019"] = 64 /* ContainsES2019 */ ] = "AssertES2019"; TransformFlags3[ TransformFlags3["AssertES2018"] = 128 /* ContainsES2018 */ ] = "AssertES2018"; TransformFlags3[ TransformFlags3["AssertES2017"] = 256 /* ContainsES2017 */ ] = "AssertES2017"; TransformFlags3[ TransformFlags3["AssertES2016"] = 512 /* ContainsES2016 */ ] = "AssertES2016"; TransformFlags3[ TransformFlags3["AssertES2015"] = 1024 /* ContainsES2015 */ ] = "AssertES2015"; TransformFlags3[ TransformFlags3["AssertGenerator"] = 2048 /* ContainsGenerator */ ] = "AssertGenerator"; TransformFlags3[ TransformFlags3["AssertDestructuringAssignment"] = 4096 /* ContainsDestructuringAssignment */ ] = "AssertDestructuringAssignment"; TransformFlags3[ TransformFlags3["OuterExpressionExcludes"] = -2147483648 /* HasComputedFlags */ ] = "OuterExpressionExcludes"; TransformFlags3[ TransformFlags3["PropertyAccessExcludes"] = -2147483648 /* OuterExpressionExcludes */ ] = "PropertyAccessExcludes"; TransformFlags3[ TransformFlags3["NodeExcludes"] = -2147483648 /* PropertyAccessExcludes */ ] = "NodeExcludes"; TransformFlags3[TransformFlags3["ArrowFunctionExcludes"] = -2072174592] = "ArrowFunctionExcludes"; TransformFlags3[TransformFlags3["FunctionExcludes"] = -1937940480] = "FunctionExcludes"; TransformFlags3[TransformFlags3["ConstructorExcludes"] = -1937948672] = "ConstructorExcludes"; TransformFlags3[TransformFlags3["MethodOrAccessorExcludes"] = -2005057536] = "MethodOrAccessorExcludes"; TransformFlags3[TransformFlags3["PropertyExcludes"] = -2013249536] = "PropertyExcludes"; TransformFlags3[TransformFlags3["ClassExcludes"] = -2147344384] = "ClassExcludes"; TransformFlags3[TransformFlags3["ModuleExcludes"] = -1941676032] = "ModuleExcludes"; TransformFlags3[TransformFlags3["TypeExcludes"] = -2] = "TypeExcludes"; TransformFlags3[TransformFlags3["ObjectLiteralExcludes"] = -2147278848] = "ObjectLiteralExcludes"; TransformFlags3[TransformFlags3["ArrayLiteralOrCallOrNewExcludes"] = -2147450880] = "ArrayLiteralOrCallOrNewExcludes"; TransformFlags3[TransformFlags3["VariableDeclarationListExcludes"] = -2146893824] = "VariableDeclarationListExcludes"; TransformFlags3[ TransformFlags3["ParameterExcludes"] = -2147483648 /* NodeExcludes */ ] = "ParameterExcludes"; TransformFlags3[TransformFlags3["CatchClauseExcludes"] = -2147418112] = "CatchClauseExcludes"; TransformFlags3[TransformFlags3["BindingPatternExcludes"] = -2147450880] = "BindingPatternExcludes"; TransformFlags3[TransformFlags3["ContainsLexicalThisOrSuper"] = 134234112] = "ContainsLexicalThisOrSuper"; TransformFlags3[TransformFlags3["PropertyNamePropagatingFlags"] = 134234112] = "PropertyNamePropagatingFlags"; return TransformFlags3; })(TransformFlags || {}); var SnippetKind = /* @__PURE__ */ ((SnippetKind3) => { SnippetKind3[SnippetKind3["TabStop"] = 0] = "TabStop"; SnippetKind3[SnippetKind3["Placeholder"] = 1] = "Placeholder"; SnippetKind3[SnippetKind3["Choice"] = 2] = "Choice"; SnippetKind3[SnippetKind3["Variable"] = 3] = "Variable"; return SnippetKind3; })(SnippetKind || {}); var EmitFlags = /* @__PURE__ */ ((EmitFlags3) => { EmitFlags3[EmitFlags3["None"] = 0] = "None"; EmitFlags3[EmitFlags3["SingleLine"] = 1] = "SingleLine"; EmitFlags3[EmitFlags3["MultiLine"] = 2] = "MultiLine"; EmitFlags3[EmitFlags3["AdviseOnEmitNode"] = 4] = "AdviseOnEmitNode"; EmitFlags3[EmitFlags3["NoSubstitution"] = 8] = "NoSubstitution"; EmitFlags3[EmitFlags3["CapturesThis"] = 16] = "CapturesThis"; EmitFlags3[EmitFlags3["NoLeadingSourceMap"] = 32] = "NoLeadingSourceMap"; EmitFlags3[EmitFlags3["NoTrailingSourceMap"] = 64] = "NoTrailingSourceMap"; EmitFlags3[EmitFlags3["NoSourceMap"] = 96] = "NoSourceMap"; EmitFlags3[EmitFlags3["NoNestedSourceMaps"] = 128] = "NoNestedSourceMaps"; EmitFlags3[EmitFlags3["NoTokenLeadingSourceMaps"] = 256] = "NoTokenLeadingSourceMaps"; EmitFlags3[EmitFlags3["NoTokenTrailingSourceMaps"] = 512] = "NoTokenTrailingSourceMaps"; EmitFlags3[EmitFlags3["NoTokenSourceMaps"] = 768] = "NoTokenSourceMaps"; EmitFlags3[EmitFlags3["NoLeadingComments"] = 1024] = "NoLeadingComments"; EmitFlags3[EmitFlags3["NoTrailingComments"] = 2048] = "NoTrailingComments"; EmitFlags3[EmitFlags3["NoComments"] = 3072] = "NoComments"; EmitFlags3[EmitFlags3["NoNestedComments"] = 4096] = "NoNestedComments"; EmitFlags3[EmitFlags3["HelperName"] = 8192] = "HelperName"; EmitFlags3[EmitFlags3["ExportName"] = 16384] = "ExportName"; EmitFlags3[EmitFlags3["LocalName"] = 32768] = "LocalName"; EmitFlags3[EmitFlags3["InternalName"] = 65536] = "InternalName"; EmitFlags3[EmitFlags3["Indented"] = 131072] = "Indented"; EmitFlags3[EmitFlags3["NoIndentation"] = 262144] = "NoIndentation"; EmitFlags3[EmitFlags3["AsyncFunctionBody"] = 524288] = "AsyncFunctionBody"; EmitFlags3[EmitFlags3["ReuseTempVariableScope"] = 1048576] = "ReuseTempVariableScope"; EmitFlags3[EmitFlags3["CustomPrologue"] = 2097152] = "CustomPrologue"; EmitFlags3[EmitFlags3["NoHoisting"] = 4194304] = "NoHoisting"; EmitFlags3[EmitFlags3["Iterator"] = 8388608] = "Iterator"; EmitFlags3[EmitFlags3["NoAsciiEscaping"] = 16777216] = "NoAsciiEscaping"; return EmitFlags3; })(EmitFlags || {}); var InternalEmitFlags = /* @__PURE__ */ ((InternalEmitFlags3) => { InternalEmitFlags3[InternalEmitFlags3["None"] = 0] = "None"; InternalEmitFlags3[InternalEmitFlags3["TypeScriptClassWrapper"] = 1] = "TypeScriptClassWrapper"; InternalEmitFlags3[InternalEmitFlags3["NeverApplyImportHelper"] = 2] = "NeverApplyImportHelper"; InternalEmitFlags3[InternalEmitFlags3["IgnoreSourceNewlines"] = 4] = "IgnoreSourceNewlines"; InternalEmitFlags3[InternalEmitFlags3["Immutable"] = 8] = "Immutable"; InternalEmitFlags3[InternalEmitFlags3["IndirectCall"] = 16] = "IndirectCall"; InternalEmitFlags3[InternalEmitFlags3["TransformPrivateStaticElements"] = 32] = "TransformPrivateStaticElements"; return InternalEmitFlags3; })(InternalEmitFlags || {}); var LanguageFeatureMinimumTarget = /* @__PURE__ */ ((LanguageFeatureMinimumTarget2) => { LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["Classes"] = 2 /* ES2015 */ ] = "Classes"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["ForOf"] = 2 /* ES2015 */ ] = "ForOf"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["Generators"] = 2 /* ES2015 */ ] = "Generators"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["Iteration"] = 2 /* ES2015 */ ] = "Iteration"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["SpreadElements"] = 2 /* ES2015 */ ] = "SpreadElements"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["RestElements"] = 2 /* ES2015 */ ] = "RestElements"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["TaggedTemplates"] = 2 /* ES2015 */ ] = "TaggedTemplates"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["DestructuringAssignment"] = 2 /* ES2015 */ ] = "DestructuringAssignment"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["BindingPatterns"] = 2 /* ES2015 */ ] = "BindingPatterns"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["ArrowFunctions"] = 2 /* ES2015 */ ] = "ArrowFunctions"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["BlockScopedVariables"] = 2 /* ES2015 */ ] = "BlockScopedVariables"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["ObjectAssign"] = 2 /* ES2015 */ ] = "ObjectAssign"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["RegularExpressionFlagsUnicode"] = 2 /* ES2015 */ ] = "RegularExpressionFlagsUnicode"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["RegularExpressionFlagsSticky"] = 2 /* ES2015 */ ] = "RegularExpressionFlagsSticky"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["Exponentiation"] = 3 /* ES2016 */ ] = "Exponentiation"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["AsyncFunctions"] = 4 /* ES2017 */ ] = "AsyncFunctions"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["ForAwaitOf"] = 5 /* ES2018 */ ] = "ForAwaitOf"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["AsyncGenerators"] = 5 /* ES2018 */ ] = "AsyncGenerators"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["AsyncIteration"] = 5 /* ES2018 */ ] = "AsyncIteration"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["ObjectSpreadRest"] = 5 /* ES2018 */ ] = "ObjectSpreadRest"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["RegularExpressionFlagsDotAll"] = 5 /* ES2018 */ ] = "RegularExpressionFlagsDotAll"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["BindinglessCatch"] = 6 /* ES2019 */ ] = "BindinglessCatch"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["BigInt"] = 7 /* ES2020 */ ] = "BigInt"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["NullishCoalesce"] = 7 /* ES2020 */ ] = "NullishCoalesce"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["OptionalChaining"] = 7 /* ES2020 */ ] = "OptionalChaining"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["LogicalAssignment"] = 8 /* ES2021 */ ] = "LogicalAssignment"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["TopLevelAwait"] = 9 /* ES2022 */ ] = "TopLevelAwait"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["ClassFields"] = 9 /* ES2022 */ ] = "ClassFields"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["PrivateNamesAndClassStaticBlocks"] = 9 /* ES2022 */ ] = "PrivateNamesAndClassStaticBlocks"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["RegularExpressionFlagsHasIndices"] = 9 /* ES2022 */ ] = "RegularExpressionFlagsHasIndices"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["ShebangComments"] = 99 /* ESNext */ ] = "ShebangComments"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["UsingAndAwaitUsing"] = 99 /* ESNext */ ] = "UsingAndAwaitUsing"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["ClassAndClassElementDecorators"] = 99 /* ESNext */ ] = "ClassAndClassElementDecorators"; LanguageFeatureMinimumTarget2[ LanguageFeatureMinimumTarget2["RegularExpressionFlagsUnicodeSets"] = 99 /* ESNext */ ] = "RegularExpressionFlagsUnicodeSets"; return LanguageFeatureMinimumTarget2; })(LanguageFeatureMinimumTarget || {}); var ExternalEmitHelpers = /* @__PURE__ */ ((ExternalEmitHelpers2) => { ExternalEmitHelpers2[ExternalEmitHelpers2["Extends"] = 1] = "Extends"; ExternalEmitHelpers2[ExternalEmitHelpers2["Assign"] = 2] = "Assign"; ExternalEmitHelpers2[ExternalEmitHelpers2["Rest"] = 4] = "Rest"; ExternalEmitHelpers2[ExternalEmitHelpers2["Decorate"] = 8] = "Decorate"; ExternalEmitHelpers2[ ExternalEmitHelpers2["ESDecorateAndRunInitializers"] = 8 /* Decorate */ ] = "ESDecorateAndRunInitializers"; ExternalEmitHelpers2[ExternalEmitHelpers2["Metadata"] = 16] = "Metadata"; ExternalEmitHelpers2[ExternalEmitHelpers2["Param"] = 32] = "Param"; ExternalEmitHelpers2[ExternalEmitHelpers2["Awaiter"] = 64] = "Awaiter"; ExternalEmitHelpers2[ExternalEmitHelpers2["Generator"] = 128] = "Generator"; ExternalEmitHelpers2[ExternalEmitHelpers2["Values"] = 256] = "Values"; ExternalEmitHelpers2[ExternalEmitHelpers2["Read"] = 512] = "Read"; ExternalEmitHelpers2[ExternalEmitHelpers2["SpreadArray"] = 1024] = "SpreadArray"; ExternalEmitHelpers2[ExternalEmitHelpers2["Await"] = 2048] = "Await"; ExternalEmitHelpers2[ExternalEmitHelpers2["AsyncGenerator"] = 4096] = "AsyncGenerator"; ExternalEmitHelpers2[ExternalEmitHelpers2["AsyncDelegator"] = 8192] = "AsyncDelegator"; ExternalEmitHelpers2[ExternalEmitHelpers2["AsyncValues"] = 16384] = "AsyncValues"; ExternalEmitHelpers2[ExternalEmitHelpers2["ExportStar"] = 32768] = "ExportStar"; ExternalEmitHelpers2[ExternalEmitHelpers2["ImportStar"] = 65536] = "ImportStar"; ExternalEmitHelpers2[ExternalEmitHelpers2["ImportDefault"] = 131072] = "ImportDefault"; ExternalEmitHelpers2[ExternalEmitHelpers2["MakeTemplateObject"] = 262144] = "MakeTemplateObject"; ExternalEmitHelpers2[ExternalEmitHelpers2["ClassPrivateFieldGet"] = 524288] = "ClassPrivateFieldGet"; ExternalEmitHelpers2[ExternalEmitHelpers2["ClassPrivateFieldSet"] = 1048576] = "ClassPrivateFieldSet"; ExternalEmitHelpers2[ExternalEmitHelpers2["ClassPrivateFieldIn"] = 2097152] = "ClassPrivateFieldIn"; ExternalEmitHelpers2[ExternalEmitHelpers2["SetFunctionName"] = 4194304] = "SetFunctionName"; ExternalEmitHelpers2[ExternalEmitHelpers2["PropKey"] = 8388608] = "PropKey"; ExternalEmitHelpers2[ExternalEmitHelpers2["AddDisposableResourceAndDisposeResources"] = 16777216] = "AddDisposableResourceAndDisposeResources"; ExternalEmitHelpers2[ ExternalEmitHelpers2["FirstEmitHelper"] = 1 /* Extends */ ] = "FirstEmitHelper"; ExternalEmitHelpers2[ ExternalEmitHelpers2["LastEmitHelper"] = 16777216 /* AddDisposableResourceAndDisposeResources */ ] = "LastEmitHelper"; ExternalEmitHelpers2[ ExternalEmitHelpers2["ForOfIncludes"] = 256 /* Values */ ] = "ForOfIncludes"; ExternalEmitHelpers2[ ExternalEmitHelpers2["ForAwaitOfIncludes"] = 16384 /* AsyncValues */ ] = "ForAwaitOfIncludes"; ExternalEmitHelpers2[ExternalEmitHelpers2["AsyncGeneratorIncludes"] = 6144] = "AsyncGeneratorIncludes"; ExternalEmitHelpers2[ExternalEmitHelpers2["AsyncDelegatorIncludes"] = 26624] = "AsyncDelegatorIncludes"; ExternalEmitHelpers2[ExternalEmitHelpers2["SpreadIncludes"] = 1536] = "SpreadIncludes"; return ExternalEmitHelpers2; })(ExternalEmitHelpers || {}); var EmitHint = /* @__PURE__ */ ((EmitHint5) => { EmitHint5[EmitHint5["SourceFile"] = 0] = "SourceFile"; EmitHint5[EmitHint5["Expression"] = 1] = "Expression"; EmitHint5[EmitHint5["IdentifierName"] = 2] = "IdentifierName"; EmitHint5[EmitHint5["MappedTypeParameter"] = 3] = "MappedTypeParameter"; EmitHint5[EmitHint5["Unspecified"] = 4] = "Unspecified"; EmitHint5[EmitHint5["EmbeddedStatement"] = 5] = "EmbeddedStatement"; EmitHint5[EmitHint5["JsxAttributeValue"] = 6] = "JsxAttributeValue"; EmitHint5[EmitHint5["ImportTypeNodeAttributes"] = 7] = "ImportTypeNodeAttributes"; return EmitHint5; })(EmitHint || {}); var OuterExpressionKinds = /* @__PURE__ */ ((OuterExpressionKinds2) => { OuterExpressionKinds2[OuterExpressionKinds2["Parentheses"] = 1] = "Parentheses"; OuterExpressionKinds2[OuterExpressionKinds2["TypeAssertions"] = 2] = "TypeAssertions"; OuterExpressionKinds2[OuterExpressionKinds2["NonNullAssertions"] = 4] = "NonNullAssertions"; OuterExpressionKinds2[OuterExpressionKinds2["PartiallyEmittedExpressions"] = 8] = "PartiallyEmittedExpressions"; OuterExpressionKinds2[OuterExpressionKinds2["Assertions"] = 6] = "Assertions"; OuterExpressionKinds2[OuterExpressionKinds2["All"] = 15] = "All"; OuterExpressionKinds2[OuterExpressionKinds2["ExcludeJSDocTypeAssertion"] = 16] = "ExcludeJSDocTypeAssertion"; return OuterExpressionKinds2; })(OuterExpressionKinds || {}); var LexicalEnvironmentFlags = /* @__PURE__ */ ((LexicalEnvironmentFlags2) => { LexicalEnvironmentFlags2[LexicalEnvironmentFlags2["None"] = 0] = "None"; LexicalEnvironmentFlags2[LexicalEnvironmentFlags2["InParameters"] = 1] = "InParameters"; LexicalEnvironmentFlags2[LexicalEnvironmentFlags2["VariablesHoistedInParameters"] = 2] = "VariablesHoistedInParameters"; return LexicalEnvironmentFlags2; })(LexicalEnvironmentFlags || {}); var ListFormat = /* @__PURE__ */ ((ListFormat2) => { ListFormat2[ListFormat2["None"] = 0] = "None"; ListFormat2[ListFormat2["SingleLine"] = 0] = "SingleLine"; ListFormat2[ListFormat2["MultiLine"] = 1] = "MultiLine"; ListFormat2[ListFormat2["PreserveLines"] = 2] = "PreserveLines"; ListFormat2[ListFormat2["LinesMask"] = 3] = "LinesMask"; ListFormat2[ListFormat2["NotDelimited"] = 0] = "NotDelimited"; ListFormat2[ListFormat2["BarDelimited"] = 4] = "BarDelimited"; ListFormat2[ListFormat2["AmpersandDelimited"] = 8] = "AmpersandDelimited"; ListFormat2[ListFormat2["CommaDelimited"] = 16] = "CommaDelimited"; ListFormat2[ListFormat2["AsteriskDelimited"] = 32] = "AsteriskDelimited"; ListFormat2[ListFormat2["DelimitersMask"] = 60] = "DelimitersMask"; ListFormat2[ListFormat2["AllowTrailingComma"] = 64] = "AllowTrailingComma"; ListFormat2[ListFormat2["Indented"] = 128] = "Indented"; ListFormat2[ListFormat2["SpaceBetweenBraces"] = 256] = "SpaceBetweenBraces"; ListFormat2[ListFormat2["SpaceBetweenSiblings"] = 512] = "SpaceBetweenSiblings"; ListFormat2[ListFormat2["Braces"] = 1024] = "Braces"; ListFormat2[ListFormat2["Parenthesis"] = 2048] = "Parenthesis"; ListFormat2[ListFormat2["AngleBrackets"] = 4096] = "AngleBrackets"; ListFormat2[ListFormat2["SquareBrackets"] = 8192] = "SquareBrackets"; ListFormat2[ListFormat2["BracketsMask"] = 15360] = "BracketsMask"; ListFormat2[ListFormat2["OptionalIfUndefined"] = 16384] = "OptionalIfUndefined"; ListFormat2[ListFormat2["OptionalIfEmpty"] = 32768] = "OptionalIfEmpty"; ListFormat2[ListFormat2["Optional"] = 49152] = "Optional"; ListFormat2[ListFormat2["PreferNewLine"] = 65536] = "PreferNewLine"; ListFormat2[ListFormat2["NoTrailingNewLine"] = 131072] = "NoTrailingNewLine"; ListFormat2[ListFormat2["NoInterveningComments"] = 262144] = "NoInterveningComments"; ListFormat2[ListFormat2["NoSpaceIfEmpty"] = 524288] = "NoSpaceIfEmpty"; ListFormat2[ListFormat2["SingleElement"] = 1048576] = "SingleElement"; ListFormat2[ListFormat2["SpaceAfterList"] = 2097152] = "SpaceAfterList"; ListFormat2[ListFormat2["Modifiers"] = 2359808] = "Modifiers"; ListFormat2[ListFormat2["HeritageClauses"] = 512] = "HeritageClauses"; ListFormat2[ListFormat2["SingleLineTypeLiteralMembers"] = 768] = "SingleLineTypeLiteralMembers"; ListFormat2[ListFormat2["MultiLineTypeLiteralMembers"] = 32897] = "MultiLineTypeLiteralMembers"; ListFormat2[ListFormat2["SingleLineTupleTypeElements"] = 528] = "SingleLineTupleTypeElements"; ListFormat2[ListFormat2["MultiLineTupleTypeElements"] = 657] = "MultiLineTupleTypeElements"; ListFormat2[ListFormat2["UnionTypeConstituents"] = 516] = "UnionTypeConstituents"; ListFormat2[ListFormat2["IntersectionTypeConstituents"] = 520] = "IntersectionTypeConstituents"; ListFormat2[ListFormat2["ObjectBindingPatternElements"] = 525136] = "ObjectBindingPatternElements"; ListFormat2[ListFormat2["ArrayBindingPatternElements"] = 524880] = "ArrayBindingPatternElements"; ListFormat2[ListFormat2["ObjectLiteralExpressionProperties"] = 526226] = "ObjectLiteralExpressionProperties"; ListFormat2[ListFormat2["ImportAttributes"] = 526226] = "ImportAttributes"; ListFormat2[ ListFormat2["ImportClauseEntries"] = 526226 /* ImportAttributes */ ] = "ImportClauseEntries"; ListFormat2[ListFormat2["ArrayLiteralExpressionElements"] = 8914] = "ArrayLiteralExpressionElements"; ListFormat2[ListFormat2["CommaListElements"] = 528] = "CommaListElements"; ListFormat2[ListFormat2["CallExpressionArguments"] = 2576] = "CallExpressionArguments"; ListFormat2[ListFormat2["NewExpressionArguments"] = 18960] = "NewExpressionArguments"; ListFormat2[ListFormat2["TemplateExpressionSpans"] = 262144] = "TemplateExpressionSpans"; ListFormat2[ListFormat2["SingleLineBlockStatements"] = 768] = "SingleLineBlockStatements"; ListFormat2[ListFormat2["MultiLineBlockStatements"] = 129] = "MultiLineBlockStatements"; ListFormat2[ListFormat2["VariableDeclarationList"] = 528] = "VariableDeclarationList"; ListFormat2[ListFormat2["SingleLineFunctionBodyStatements"] = 768] = "SingleLineFunctionBodyStatements"; ListFormat2[ ListFormat2["MultiLineFunctionBodyStatements"] = 1 /* MultiLine */ ] = "MultiLineFunctionBodyStatements"; ListFormat2[ ListFormat2["ClassHeritageClauses"] = 0 /* SingleLine */ ] = "ClassHeritageClauses"; ListFormat2[ListFormat2["ClassMembers"] = 129] = "ClassMembers"; ListFormat2[ListFormat2["InterfaceMembers"] = 129] = "InterfaceMembers"; ListFormat2[ListFormat2["EnumMembers"] = 145] = "EnumMembers"; ListFormat2[ListFormat2["CaseBlockClauses"] = 129] = "CaseBlockClauses"; ListFormat2[ListFormat2["NamedImportsOrExportsElements"] = 525136] = "NamedImportsOrExportsElements"; ListFormat2[ListFormat2["JsxElementOrFragmentChildren"] = 262144] = "JsxElementOrFragmentChildren"; ListFormat2[ListFormat2["JsxElementAttributes"] = 262656] = "JsxElementAttributes"; ListFormat2[ListFormat2["CaseOrDefaultClauseStatements"] = 163969] = "CaseOrDefaultClauseStatements"; ListFormat2[ListFormat2["HeritageClauseTypes"] = 528] = "HeritageClauseTypes"; ListFormat2[ListFormat2["SourceFileStatements"] = 131073] = "SourceFileStatements"; ListFormat2[ListFormat2["Decorators"] = 2146305] = "Decorators"; ListFormat2[ListFormat2["TypeArguments"] = 53776] = "TypeArguments"; ListFormat2[ListFormat2["TypeParameters"] = 53776] = "TypeParameters"; ListFormat2[ListFormat2["Parameters"] = 2576] = "Parameters"; ListFormat2[ListFormat2["IndexSignatureParameters"] = 8848] = "IndexSignatureParameters"; ListFormat2[ListFormat2["JSDocComment"] = 33] = "JSDocComment"; return ListFormat2; })(ListFormat || {}); var PragmaKindFlags = /* @__PURE__ */ ((PragmaKindFlags2) => { PragmaKindFlags2[PragmaKindFlags2["None"] = 0] = "None"; PragmaKindFlags2[PragmaKindFlags2["TripleSlashXML"] = 1] = "TripleSlashXML"; PragmaKindFlags2[PragmaKindFlags2["SingleLine"] = 2] = "SingleLine"; PragmaKindFlags2[PragmaKindFlags2["MultiLine"] = 4] = "MultiLine"; PragmaKindFlags2[PragmaKindFlags2["All"] = 7] = "All"; PragmaKindFlags2[ PragmaKindFlags2["Default"] = 7 /* All */ ] = "Default"; return PragmaKindFlags2; })(PragmaKindFlags || {}); var commentPragmas = { "reference": { args: [ { name: "types", optional: true, captureSpan: true }, { name: "lib", optional: true, captureSpan: true }, { name: "path", optional: true, captureSpan: true }, { name: "no-default-lib", optional: true }, { name: "resolution-mode", optional: true }, { name: "preserve", optional: true } ], kind: 1 /* TripleSlashXML */ }, "amd-dependency": { args: [{ name: "path" }, { name: "name", optional: true }], kind: 1 /* TripleSlashXML */ }, "amd-module": { args: [{ name: "name" }], kind: 1 /* TripleSlashXML */ }, "ts-check": { kind: 2 /* SingleLine */ }, "ts-nocheck": { kind: 2 /* SingleLine */ }, "jsx": { args: [{ name: "factory" }], kind: 4 /* MultiLine */ }, "jsxfrag": { args: [{ name: "factory" }], kind: 4 /* MultiLine */ }, "jsximportsource": { args: [{ name: "factory" }], kind: 4 /* MultiLine */ }, "jsxruntime": { args: [{ name: "factory" }], kind: 4 /* MultiLine */ } }; var JSDocParsingMode = /* @__PURE__ */ ((JSDocParsingMode6) => { JSDocParsingMode6[JSDocParsingMode6["ParseAll"] = 0] = "ParseAll"; JSDocParsingMode6[JSDocParsingMode6["ParseNone"] = 1] = "ParseNone"; JSDocParsingMode6[JSDocParsingMode6["ParseForTypeErrors"] = 2] = "ParseForTypeErrors"; JSDocParsingMode6[JSDocParsingMode6["ParseForTypeInfo"] = 3] = "ParseForTypeInfo"; return JSDocParsingMode6; })(JSDocParsingMode || {}); function generateDjb2Hash(data) { let acc = 5381; for (let i = 0; i < data.length; i++) { acc = (acc << 5) + acc + data.charCodeAt(i); } return acc.toString(); } function setStackTraceLimit() { if (Error.stackTraceLimit < 100) { Error.stackTraceLimit = 100; } } var FileWatcherEventKind = /* @__PURE__ */ ((FileWatcherEventKind2) => { FileWatcherEventKind2[FileWatcherEventKind2["Created"] = 0] = "Created"; FileWatcherEventKind2[FileWatcherEventKind2["Changed"] = 1] = "Changed"; FileWatcherEventKind2[FileWatcherEventKind2["Deleted"] = 2] = "Deleted"; return FileWatcherEventKind2; })(FileWatcherEventKind || {}); var PollingInterval = /* @__PURE__ */ ((PollingInterval3) => { PollingInterval3[PollingInterval3["High"] = 2e3] = "High"; PollingInterval3[PollingInterval3["Medium"] = 500] = "Medium"; PollingInterval3[PollingInterval3["Low"] = 250] = "Low"; return PollingInterval3; })(PollingInterval || {}); var missingFileModifiedTime = /* @__PURE__ */ new Date(0); function getModifiedTime(host, fileName) { return host.getModifiedTime(fileName) || missingFileModifiedTime; } function createPollingIntervalBasedLevels(levels) { return { [ 250 /* Low */ ]: levels.Low, [ 500 /* Medium */ ]: levels.Medium, [ 2e3 /* High */ ]: levels.High }; } var defaultChunkLevels = { Low: 32, Medium: 64, High: 256 }; var pollingChunkSize = createPollingIntervalBasedLevels(defaultChunkLevels); var unchangedPollThresholds = createPollingIntervalBasedLevels(defaultChunkLevels); function setCustomPollingValues(system) { if (!system.getEnvironmentVariable) { return; } const pollingIntervalChanged = setCustomLevels("TSC_WATCH_POLLINGINTERVAL", PollingInterval); pollingChunkSize = getCustomPollingBasedLevels("TSC_WATCH_POLLINGCHUNKSIZE", defaultChunkLevels) || pollingChunkSize; unchangedPollThresholds = getCustomPollingBasedLevels("TSC_WATCH_UNCHANGEDPOLLTHRESHOLDS", defaultChunkLevels) || unchangedPollThresholds; function getLevel(envVar, level) { return system.getEnvironmentVariable(`${envVar}_${level.toUpperCase()}`); } function getCustomLevels(baseVariable) { let customLevels; setCustomLevel("Low"); setCustomLevel("Medium"); setCustomLevel("High"); return customLevels; function setCustomLevel(level) { const customLevel = getLevel(baseVariable, level); if (customLevel) { (customLevels || (customLevels = {}))[level] = Number(customLevel); } } } function setCustomLevels(baseVariable, levels) { const customLevels = getCustomLevels(baseVariable); if (customLevels) { setLevel("Low"); setLevel("Medium"); setLevel("High"); return true; } return false; function setLevel(level) { levels[level] = customLevels[level] || levels[level]; } } function getCustomPollingBasedLevels(baseVariable, defaultLevels) { const customLevels = getCustomLevels(baseVariable); return (pollingIntervalChanged || customLevels) && createPollingIntervalBasedLevels(customLevels ? { ...defaultLevels, ...customLevels } : defaultLevels); } } function pollWatchedFileQueue(host, queue, pollIndex, chunkSize, callbackOnWatchFileStat) { let definedValueCopyToIndex = pollIndex; for (let canVisit = queue.length; chunkSize && canVisit; nextPollIndex(), canVisit--) { const watchedFile = queue[pollIndex]; if (!watchedFile) { continue; } else if (watchedFile.isClosed) { queue[pollIndex] = void 0; continue; } chunkSize--; const fileChanged = onWatchedFileStat(watchedFile, getModifiedTime(host, watchedFile.fileName)); if (watchedFile.isClosed) { queue[pollIndex] = void 0; continue; } callbackOnWatchFileStat == null ? void 0 : callbackOnWatchFileStat(watchedFile, pollIndex, fileChanged); if (queue[pollIndex]) { if (definedValueCopyToIndex < pollIndex) { queue[definedValueCopyToIndex] = watchedFile; queue[pollIndex] = void 0; } definedValueCopyToIndex++; } } return pollIndex; function nextPollIndex() { pollIndex++; if (pollIndex === queue.length) { if (definedValueCopyToIndex < pollIndex) { queue.length = definedValueCopyToIndex; } pollIndex = 0; definedValueCopyToIndex = 0; } } } function createDynamicPriorityPollingWatchFile(host) { const watchedFiles = []; const changedFilesInLastPoll = []; const lowPollingIntervalQueue = createPollingIntervalQueue( 250 /* Low */ ); const mediumPollingIntervalQueue = createPollingIntervalQueue( 500 /* Medium */ ); const highPollingIntervalQueue = createPollingIntervalQueue( 2e3 /* High */ ); return watchFile2; function watchFile2(fileName, callback, defaultPollingInterval) { const file = { fileName, callback, unchangedPolls: 0, mtime: getModifiedTime(host, fileName) }; watchedFiles.push(file); addToPollingIntervalQueue(file, defaultPollingInterval); return { close: () => { file.isClosed = true; unorderedRemoveItem(watchedFiles, file); } }; } function createPollingIntervalQueue(pollingInterval) { const queue = []; queue.pollingInterval = pollingInterval; queue.pollIndex = 0; queue.pollScheduled = false; return queue; } function pollPollingIntervalQueue(_timeoutType, queue) { queue.pollIndex = pollQueue(queue, queue.pollingInterval, queue.pollIndex, pollingChunkSize[queue.pollingInterval]); if (queue.length) { scheduleNextPoll(queue.pollingInterval); } else { Debug.assert(queue.pollIndex === 0); queue.pollScheduled = false; } } function pollLowPollingIntervalQueue(_timeoutType, queue) { pollQueue( changedFilesInLastPoll, 250, /*pollIndex*/ 0, changedFilesInLastPoll.length ); pollPollingIntervalQueue(_timeoutType, queue); if (!queue.pollScheduled && changedFilesInLastPoll.length) { scheduleNextPoll( 250 /* Low */ ); } } function pollQueue(queue, pollingInterval, pollIndex, chunkSize) { return pollWatchedFileQueue( host, queue, pollIndex, chunkSize, onWatchFileStat ); function onWatchFileStat(watchedFile, pollIndex2, fileChanged) { if (fileChanged) { watchedFile.unchangedPolls = 0; if (queue !== changedFilesInLastPoll) { queue[pollIndex2] = void 0; addChangedFileToLowPollingIntervalQueue(watchedFile); } } else if (watchedFile.unchangedPolls !== unchangedPollThresholds[pollingInterval]) { watchedFile.unchangedPolls++; } else if (queue === changedFilesInLastPoll) { watchedFile.unchangedPolls = 1; queue[pollIndex2] = void 0; addToPollingIntervalQueue( watchedFile, 250 /* Low */ ); } else if (pollingInterval !== 2e3) { watchedFile.unchangedPolls++; queue[pollIndex2] = void 0; addToPollingIntervalQueue( watchedFile, pollingInterval === 250 ? 500 : 2e3 /* High */ ); } } } function pollingIntervalQueue(pollingInterval) { switch (pollingInterval) { case 250: return lowPollingIntervalQueue; case 500: return mediumPollingIntervalQueue; case 2e3: return highPollingIntervalQueue; } } function addToPollingIntervalQueue(file, pollingInterval) { pollingIntervalQueue(pollingInterval).push(file); scheduleNextPollIfNotAlreadyScheduled(pollingInterval); } function addChangedFileToLowPollingIntervalQueue(file) { changedFilesInLastPoll.push(file); scheduleNextPollIfNotAlreadyScheduled( 250 /* Low */ ); } function scheduleNextPollIfNotAlreadyScheduled(pollingInterval) { if (!pollingIntervalQueue(pollingInterval).pollScheduled) { scheduleNextPoll(pollingInterval); } } function scheduleNextPoll(pollingInterval) { pollingIntervalQueue(pollingInterval).pollScheduled = host.setTimeout(pollingInterval === 250 ? pollLowPollingIntervalQueue : pollPollingIntervalQueue, pollingInterval, pollingInterval === 250 ? "pollLowPollingIntervalQueue" : "pollPollingIntervalQueue", pollingIntervalQueue(pollingInterval)); } } function createUseFsEventsOnParentDirectoryWatchFile(fsWatch, useCaseSensitiveFileNames2, getModifiedTime3, fsWatchWithTimestamp) { const fileWatcherCallbacks = createMultiMap(); const fileTimestamps = fsWatchWithTimestamp ? /* @__PURE__ */ new Map() : void 0; const dirWatchers = /* @__PURE__ */ new Map(); const toCanonicalName = createGetCanonicalFileName(useCaseSensitiveFileNames2); return nonPollingWatchFile; function nonPollingWatchFile(fileName, callback, _pollingInterval, fallbackOptions) { const filePath = toCanonicalName(fileName); if (fileWatcherCallbacks.add(filePath, callback).length === 1 && fileTimestamps) { fileTimestamps.set(filePath, getModifiedTime3(fileName) || missingFileModifiedTime); } const dirPath = getDirectoryPath(filePath) || "."; const watcher = dirWatchers.get(dirPath) || createDirectoryWatcher(getDirectoryPath(fileName) || ".", dirPath, fallbackOptions); watcher.referenceCount++; return { close: () => { if (watcher.referenceCount === 1) { watcher.close(); dirWatchers.delete(dirPath); } else { watcher.referenceCount--; } fileWatcherCallbacks.remove(filePath, callback); } }; } function createDirectoryWatcher(dirName, dirPath, fallbackOptions) { const watcher = fsWatch( dirName, 1, (eventName, relativeFileName) => { if (!isString2(relativeFileName)) return; const fileName = getNormalizedAbsolutePath(relativeFileName, dirName); const filePath = toCanonicalName(fileName); const callbacks = fileName && fileWatcherCallbacks.get(filePath); if (callbacks) { let currentModifiedTime; let eventKind = 1; if (fileTimestamps) { const existingTime = fileTimestamps.get(filePath); if (eventName === "change") { currentModifiedTime = getModifiedTime3(fileName) || missingFileModifiedTime; if (currentModifiedTime.getTime() === existingTime.getTime()) return; } currentModifiedTime || (currentModifiedTime = getModifiedTime3(fileName) || missingFileModifiedTime); fileTimestamps.set(filePath, currentModifiedTime); if (existingTime === missingFileModifiedTime) eventKind = 0; else if (currentModifiedTime === missingFileModifiedTime) eventKind = 2; } for (const fileCallback of callbacks) { fileCallback(fileName, eventKind, currentModifiedTime); } } }, /*recursive*/ false, 500, fallbackOptions ); watcher.referenceCount = 0; dirWatchers.set(dirPath, watcher); return watcher; } } function createFixedChunkSizePollingWatchFile(host) { const watchedFiles = []; let pollIndex = 0; let pollScheduled; return watchFile2; function watchFile2(fileName, callback) { const file = { fileName, callback, mtime: getModifiedTime(host, fileName) }; watchedFiles.push(file); scheduleNextPoll(); return { close: () => { file.isClosed = true; unorderedRemoveItem(watchedFiles, file); } }; } function pollQueue() { pollScheduled = void 0; pollIndex = pollWatchedFileQueue(host, watchedFiles, pollIndex, pollingChunkSize[ 250 /* Low */ ]); scheduleNextPoll(); } function scheduleNextPoll() { if (!watchedFiles.length || pollScheduled) return; pollScheduled = host.setTimeout(pollQueue, 2e3, "pollQueue"); } } function createSingleWatcherPerName(cache, useCaseSensitiveFileNames2, name, callback, createWatcher) { const toCanonicalFileName = createGetCanonicalFileName(useCaseSensitiveFileNames2); const path17 = toCanonicalFileName(name); const existing = cache.get(path17); if (existing) { existing.callbacks.push(callback); } else { cache.set(path17, { watcher: createWatcher( // Cant infer types correctly so lets satisfy checker (param1, param2, param3) => { var _a; return (_a = cache.get(path17)) == null ? void 0 : _a.callbacks.slice().forEach((cb) => cb(param1, param2, param3)); } ), callbacks: [callback] }); } return { close: () => { const watcher = cache.get(path17); if (!watcher) return; if (!orderedRemoveItem(watcher.callbacks, callback) || watcher.callbacks.length) return; cache.delete(path17); closeFileWatcherOf(watcher); } }; } function onWatchedFileStat(watchedFile, modifiedTime) { const oldTime = watchedFile.mtime.getTime(); const newTime = modifiedTime.getTime(); if (oldTime !== newTime) { watchedFile.mtime = modifiedTime; watchedFile.callback(watchedFile.fileName, getFileWatcherEventKind(oldTime, newTime), modifiedTime); return true; } return false; } function getFileWatcherEventKind(oldTime, newTime) { return oldTime === 0 ? 0 : newTime === 0 ? 2 : 1; } var ignoredPaths = ["/node_modules/.", "/.git", "/.#"]; var curSysLog = noop2; function sysLog(s) { return curSysLog(s); } function setSysLog(logger) { curSysLog = logger; } function createDirectoryWatcherSupportingRecursive({ watchDirectory, useCaseSensitiveFileNames: useCaseSensitiveFileNames2, getCurrentDirectory, getAccessibleSortedChildDirectories, fileSystemEntryExists, realpath, setTimeout: setTimeout2, clearTimeout: clearTimeout2 }) { const cache = /* @__PURE__ */ new Map(); const callbackCache = createMultiMap(); const cacheToUpdateChildWatches = /* @__PURE__ */ new Map(); let timerToUpdateChildWatches; const filePathComparer = getStringComparer(!useCaseSensitiveFileNames2); const toCanonicalFilePath = createGetCanonicalFileName(useCaseSensitiveFileNames2); return (dirName, callback, recursive, options) => recursive ? createDirectoryWatcher(dirName, options, callback) : watchDirectory(dirName, callback, recursive, options); function createDirectoryWatcher(dirName, options, callback, link) { const dirPath = toCanonicalFilePath(dirName); let directoryWatcher = cache.get(dirPath); if (directoryWatcher) { directoryWatcher.refCount++; } else { directoryWatcher = { watcher: watchDirectory( dirName, (fileName) => { var _a; if (isIgnoredPath(fileName, options)) return; if (options == null ? void 0 : options.synchronousWatchDirectory) { if (!((_a = cache.get(dirPath)) == null ? void 0 : _a.targetWatcher)) invokeCallbacks(dirName, dirPath, fileName); updateChildWatches(dirName, dirPath, options); } else { nonSyncUpdateChildWatches(dirName, dirPath, fileName, options); } }, /*recursive*/ false, options ), refCount: 1, childWatches: emptyArray, targetWatcher: void 0, links: void 0 }; cache.set(dirPath, directoryWatcher); updateChildWatches(dirName, dirPath, options); } if (link) (directoryWatcher.links ?? (directoryWatcher.links = /* @__PURE__ */ new Set())).add(link); const callbackToAdd = callback && { dirName, callback }; if (callbackToAdd) { callbackCache.add(dirPath, callbackToAdd); } return { dirName, close: () => { var _a; const directoryWatcher2 = Debug.checkDefined(cache.get(dirPath)); if (callbackToAdd) callbackCache.remove(dirPath, callbackToAdd); if (link) (_a = directoryWatcher2.links) == null ? void 0 : _a.delete(link); directoryWatcher2.refCount--; if (directoryWatcher2.refCount) return; cache.delete(dirPath); directoryWatcher2.links = void 0; closeFileWatcherOf(directoryWatcher2); closeTargetWatcher(directoryWatcher2); directoryWatcher2.childWatches.forEach(closeFileWatcher); } }; } function invokeCallbacks(dirName, dirPath, fileNameOrInvokeMap, fileNames) { var _a, _b; let fileName; let invokeMap; if (isString2(fileNameOrInvokeMap)) { fileName = fileNameOrInvokeMap; } else { invokeMap = fileNameOrInvokeMap; } callbackCache.forEach((callbacks, rootDirName) => { if (invokeMap && invokeMap.get(rootDirName) === true) return; if (rootDirName === dirPath || startsWith2(dirPath, rootDirName) && dirPath[rootDirName.length] === directorySeparator) { if (invokeMap) { if (fileNames) { const existing = invokeMap.get(rootDirName); if (existing) { existing.push(...fileNames); } else { invokeMap.set(rootDirName, fileNames.slice()); } } else { invokeMap.set(rootDirName, true); } } else { callbacks.forEach(({ callback }) => callback(fileName)); } } }); (_b = (_a = cache.get(dirPath)) == null ? void 0 : _a.links) == null ? void 0 : _b.forEach((link) => { const toPathInLink = (fileName2) => combinePaths(link, getRelativePathFromDirectory(dirName, fileName2, toCanonicalFilePath)); if (invokeMap) { invokeCallbacks(link, toCanonicalFilePath(link), invokeMap, fileNames == null ? void 0 : fileNames.map(toPathInLink)); } else { invokeCallbacks(link, toCanonicalFilePath(link), toPathInLink(fileName)); } }); } function nonSyncUpdateChildWatches(dirName, dirPath, fileName, options) { const parentWatcher = cache.get(dirPath); if (parentWatcher && fileSystemEntryExists( dirName, 1 /* Directory */ )) { scheduleUpdateChildWatches(dirName, dirPath, fileName, options); return; } invokeCallbacks(dirName, dirPath, fileName); closeTargetWatcher(parentWatcher); removeChildWatches(parentWatcher); } function scheduleUpdateChildWatches(dirName, dirPath, fileName, options) { const existing = cacheToUpdateChildWatches.get(dirPath); if (existing) { existing.fileNames.push(fileName); } else { cacheToUpdateChildWatches.set(dirPath, { dirName, options, fileNames: [fileName] }); } if (timerToUpdateChildWatches) { clearTimeout2(timerToUpdateChildWatches); timerToUpdateChildWatches = void 0; } timerToUpdateChildWatches = setTimeout2(onTimerToUpdateChildWatches, 1e3, "timerToUpdateChildWatches"); } function onTimerToUpdateChildWatches() { var _a; timerToUpdateChildWatches = void 0; sysLog(`sysLog:: onTimerToUpdateChildWatches:: ${cacheToUpdateChildWatches.size}`); const start = timestamp(); const invokeMap = /* @__PURE__ */ new Map(); while (!timerToUpdateChildWatches && cacheToUpdateChildWatches.size) { const result = cacheToUpdateChildWatches.entries().next(); Debug.assert(!result.done); const { value: [dirPath, { dirName, options, fileNames }] } = result; cacheToUpdateChildWatches.delete(dirPath); const hasChanges = updateChildWatches(dirName, dirPath, options); if (!((_a = cache.get(dirPath)) == null ? void 0 : _a.targetWatcher)) invokeCallbacks(dirName, dirPath, invokeMap, hasChanges ? void 0 : fileNames); } sysLog(`sysLog:: invokingWatchers:: Elapsed:: ${timestamp() - start}ms:: ${cacheToUpdateChildWatches.size}`); callbackCache.forEach((callbacks, rootDirName) => { const existing = invokeMap.get(rootDirName); if (existing) { callbacks.forEach(({ callback, dirName }) => { if (isArray3(existing)) { existing.forEach(callback); } else { callback(dirName); } }); } }); const elapsed = timestamp() - start; sysLog(`sysLog:: Elapsed:: ${elapsed}ms:: onTimerToUpdateChildWatches:: ${cacheToUpdateChildWatches.size} ${timerToUpdateChildWatches}`); } function removeChildWatches(parentWatcher) { if (!parentWatcher) return; const existingChildWatches = parentWatcher.childWatches; parentWatcher.childWatches = emptyArray; for (const childWatcher of existingChildWatches) { childWatcher.close(); removeChildWatches(cache.get(toCanonicalFilePath(childWatcher.dirName))); } } function closeTargetWatcher(watcher) { if (watcher == null ? void 0 : watcher.targetWatcher) { watcher.targetWatcher.close(); watcher.targetWatcher = void 0; } } function updateChildWatches(parentDir, parentDirPath, options) { const parentWatcher = cache.get(parentDirPath); if (!parentWatcher) return false; const target = normalizePath(realpath(parentDir)); let hasChanges; let newChildWatches; if (filePathComparer(target, parentDir) === 0) { hasChanges = enumerateInsertsAndDeletes( fileSystemEntryExists( parentDir, 1 /* Directory */ ) ? mapDefined(getAccessibleSortedChildDirectories(parentDir), (child) => { const childFullName = getNormalizedAbsolutePath(child, parentDir); return !isIgnoredPath(childFullName, options) && filePathComparer(childFullName, normalizePath(realpath(childFullName))) === 0 ? childFullName : void 0; }) : emptyArray, parentWatcher.childWatches, (child, childWatcher) => filePathComparer(child, childWatcher.dirName), createAndAddChildDirectoryWatcher, closeFileWatcher, addChildDirectoryWatcher ); } else if (parentWatcher.targetWatcher && filePathComparer(target, parentWatcher.targetWatcher.dirName) === 0) { hasChanges = false; Debug.assert(parentWatcher.childWatches === emptyArray); } else { closeTargetWatcher(parentWatcher); parentWatcher.targetWatcher = createDirectoryWatcher( target, options, /*callback*/ void 0, parentDir ); parentWatcher.childWatches.forEach(closeFileWatcher); hasChanges = true; } parentWatcher.childWatches = newChildWatches || emptyArray; return hasChanges; function createAndAddChildDirectoryWatcher(childName) { const result = createDirectoryWatcher(childName, options); addChildDirectoryWatcher(result); } function addChildDirectoryWatcher(childWatcher) { (newChildWatches || (newChildWatches = [])).push(childWatcher); } } function isIgnoredPath(path17, options) { return some(ignoredPaths, (searchPath) => isInPath(path17, searchPath)) || isIgnoredByWatchOptions(path17, options, useCaseSensitiveFileNames2, getCurrentDirectory); } function isInPath(path17, searchPath) { if (path17.includes(searchPath)) return true; if (useCaseSensitiveFileNames2) return false; return toCanonicalFilePath(path17).includes(searchPath); } } var FileSystemEntryKind = /* @__PURE__ */ ((FileSystemEntryKind2) => { FileSystemEntryKind2[FileSystemEntryKind2["File"] = 0] = "File"; FileSystemEntryKind2[FileSystemEntryKind2["Directory"] = 1] = "Directory"; return FileSystemEntryKind2; })(FileSystemEntryKind || {}); function createFileWatcherCallback(callback) { return (_fileName, eventKind, modifiedTime) => callback(eventKind === 1 ? "change" : "rename", "", modifiedTime); } function createFsWatchCallbackForFileWatcherCallback(fileName, callback, getModifiedTime3) { return (eventName, _relativeFileName, modifiedTime) => { if (eventName === "rename") { modifiedTime || (modifiedTime = getModifiedTime3(fileName) || missingFileModifiedTime); callback(fileName, modifiedTime !== missingFileModifiedTime ? 0 : 2, modifiedTime); } else { callback(fileName, 1, modifiedTime); } }; } function isIgnoredByWatchOptions(pathToCheck, options, useCaseSensitiveFileNames2, getCurrentDirectory) { return ((options == null ? void 0 : options.excludeDirectories) || (options == null ? void 0 : options.excludeFiles)) && (matchesExclude(pathToCheck, options == null ? void 0 : options.excludeFiles, useCaseSensitiveFileNames2, getCurrentDirectory()) || matchesExclude(pathToCheck, options == null ? void 0 : options.excludeDirectories, useCaseSensitiveFileNames2, getCurrentDirectory())); } function createFsWatchCallbackForDirectoryWatcherCallback(directoryName, callback, options, useCaseSensitiveFileNames2, getCurrentDirectory) { return (eventName, relativeFileName) => { if (eventName === "rename") { const fileName = !relativeFileName ? directoryName : normalizePath(combinePaths(directoryName, relativeFileName)); if (!relativeFileName || !isIgnoredByWatchOptions(fileName, options, useCaseSensitiveFileNames2, getCurrentDirectory)) { callback(fileName); } } }; } function createSystemWatchFunctions({ pollingWatchFileWorker, getModifiedTime: getModifiedTime3, setTimeout: setTimeout2, clearTimeout: clearTimeout2, fsWatchWorker, fileSystemEntryExists, useCaseSensitiveFileNames: useCaseSensitiveFileNames2, getCurrentDirectory, fsSupportsRecursiveFsWatch, getAccessibleSortedChildDirectories, realpath, tscWatchFile, useNonPollingWatchers, tscWatchDirectory, inodeWatching, fsWatchWithTimestamp, sysLog: sysLog2 }) { const pollingWatches = /* @__PURE__ */ new Map(); const fsWatches = /* @__PURE__ */ new Map(); const fsWatchesRecursive = /* @__PURE__ */ new Map(); let dynamicPollingWatchFile; let fixedChunkSizePollingWatchFile; let nonPollingWatchFile; let hostRecursiveDirectoryWatcher; let hitSystemWatcherLimit = false; return { watchFile: watchFile2, watchDirectory }; function watchFile2(fileName, callback, pollingInterval, options) { options = updateOptionsForWatchFile(options, useNonPollingWatchers); const watchFileKind = Debug.checkDefined(options.watchFile); switch (watchFileKind) { case 0: return pollingWatchFile( fileName, callback, 250, /*options*/ void 0 ); case 1: return pollingWatchFile( fileName, callback, pollingInterval, /*options*/ void 0 ); case 2: return ensureDynamicPollingWatchFile()( fileName, callback, pollingInterval, /*options*/ void 0 ); case 3: return ensureFixedChunkSizePollingWatchFile()( fileName, callback, /* pollingInterval */ void 0, /*options*/ void 0 ); case 4: return fsWatch( fileName, 0, createFsWatchCallbackForFileWatcherCallback(fileName, callback, getModifiedTime3), /*recursive*/ false, pollingInterval, getFallbackOptions(options) ); case 5: if (!nonPollingWatchFile) { nonPollingWatchFile = createUseFsEventsOnParentDirectoryWatchFile(fsWatch, useCaseSensitiveFileNames2, getModifiedTime3, fsWatchWithTimestamp); } return nonPollingWatchFile(fileName, callback, pollingInterval, getFallbackOptions(options)); default: Debug.assertNever(watchFileKind); } } function ensureDynamicPollingWatchFile() { return dynamicPollingWatchFile || (dynamicPollingWatchFile = createDynamicPriorityPollingWatchFile({ getModifiedTime: getModifiedTime3, setTimeout: setTimeout2 })); } function ensureFixedChunkSizePollingWatchFile() { return fixedChunkSizePollingWatchFile || (fixedChunkSizePollingWatchFile = createFixedChunkSizePollingWatchFile({ getModifiedTime: getModifiedTime3, setTimeout: setTimeout2 })); } function updateOptionsForWatchFile(options, useNonPollingWatchers2) { if (options && options.watchFile !== void 0) return options; switch (tscWatchFile) { case "PriorityPollingInterval": return { watchFile: 1 /* PriorityPollingInterval */ }; case "DynamicPriorityPolling": return { watchFile: 2 /* DynamicPriorityPolling */ }; case "UseFsEvents": return generateWatchFileOptions(4, 1, options); case "UseFsEventsWithFallbackDynamicPolling": return generateWatchFileOptions(4, 2, options); case "UseFsEventsOnParentDirectory": useNonPollingWatchers2 = true; default: return useNonPollingWatchers2 ? ( // Use notifications from FS to watch with falling back to fs.watchFile generateWatchFileOptions(5, 1, options) ) : ( // Default to using fs events { watchFile: 4 /* UseFsEvents */ } ); } } function generateWatchFileOptions(watchFile3, fallbackPolling, options) { const defaultFallbackPolling = options == null ? void 0 : options.fallbackPolling; return { watchFile: watchFile3, fallbackPolling: defaultFallbackPolling === void 0 ? fallbackPolling : defaultFallbackPolling }; } function watchDirectory(directoryName, callback, recursive, options) { if (fsSupportsRecursiveFsWatch) { return fsWatch( directoryName, 1, createFsWatchCallbackForDirectoryWatcherCallback(directoryName, callback, options, useCaseSensitiveFileNames2, getCurrentDirectory), recursive, 500, getFallbackOptions(options) ); } if (!hostRecursiveDirectoryWatcher) { hostRecursiveDirectoryWatcher = createDirectoryWatcherSupportingRecursive({ useCaseSensitiveFileNames: useCaseSensitiveFileNames2, getCurrentDirectory, fileSystemEntryExists, getAccessibleSortedChildDirectories, watchDirectory: nonRecursiveWatchDirectory, realpath, setTimeout: setTimeout2, clearTimeout: clearTimeout2 }); } return hostRecursiveDirectoryWatcher(directoryName, callback, recursive, options); } function nonRecursiveWatchDirectory(directoryName, callback, recursive, options) { Debug.assert(!recursive); const watchDirectoryOptions = updateOptionsForWatchDirectory(options); const watchDirectoryKind = Debug.checkDefined(watchDirectoryOptions.watchDirectory); switch (watchDirectoryKind) { case 1: return pollingWatchFile( directoryName, () => callback(directoryName), 500, /*options*/ void 0 ); case 2: return ensureDynamicPollingWatchFile()( directoryName, () => callback(directoryName), 500, /*options*/ void 0 ); case 3: return ensureFixedChunkSizePollingWatchFile()( directoryName, () => callback(directoryName), /* pollingInterval */ void 0, /*options*/ void 0 ); case 0: return fsWatch( directoryName, 1, createFsWatchCallbackForDirectoryWatcherCallback(directoryName, callback, options, useCaseSensitiveFileNames2, getCurrentDirectory), recursive, 500, getFallbackOptions(watchDirectoryOptions) ); default: Debug.assertNever(watchDirectoryKind); } } function updateOptionsForWatchDirectory(options) { if (options && options.watchDirectory !== void 0) return options; switch (tscWatchDirectory) { case "RecursiveDirectoryUsingFsWatchFile": return { watchDirectory: 1 /* FixedPollingInterval */ }; case "RecursiveDirectoryUsingDynamicPriorityPolling": return { watchDirectory: 2 /* DynamicPriorityPolling */ }; default: const defaultFallbackPolling = options == null ? void 0 : options.fallbackPolling; return { watchDirectory: 0, fallbackPolling: defaultFallbackPolling !== void 0 ? defaultFallbackPolling : void 0 }; } } function pollingWatchFile(fileName, callback, pollingInterval, options) { return createSingleWatcherPerName( pollingWatches, useCaseSensitiveFileNames2, fileName, callback, (cb) => pollingWatchFileWorker(fileName, cb, pollingInterval, options) ); } function fsWatch(fileOrDirectory, entryKind, callback, recursive, fallbackPollingInterval, fallbackOptions) { return createSingleWatcherPerName( recursive ? fsWatchesRecursive : fsWatches, useCaseSensitiveFileNames2, fileOrDirectory, callback, (cb) => fsWatchHandlingExistenceOnHost(fileOrDirectory, entryKind, cb, recursive, fallbackPollingInterval, fallbackOptions) ); } function fsWatchHandlingExistenceOnHost(fileOrDirectory, entryKind, callback, recursive, fallbackPollingInterval, fallbackOptions) { let lastDirectoryPartWithDirectorySeparator; let lastDirectoryPart; if (inodeWatching) { lastDirectoryPartWithDirectorySeparator = fileOrDirectory.substring(fileOrDirectory.lastIndexOf(directorySeparator)); lastDirectoryPart = lastDirectoryPartWithDirectorySeparator.slice(directorySeparator.length); } let watcher = !fileSystemEntryExists(fileOrDirectory, entryKind) ? watchMissingFileSystemEntry() : watchPresentFileSystemEntry(); return { close: () => { if (watcher) { watcher.close(); watcher = void 0; } } }; function updateWatcher(createWatcher) { if (watcher) { sysLog2(`sysLog:: ${fileOrDirectory}:: Changing watcher to ${createWatcher === watchPresentFileSystemEntry ? "Present" : "Missing"}FileSystemEntryWatcher`); watcher.close(); watcher = createWatcher(); } } function watchPresentFileSystemEntry() { if (hitSystemWatcherLimit) { sysLog2(`sysLog:: ${fileOrDirectory}:: Defaulting to watchFile`); return watchPresentFileSystemEntryWithFsWatchFile(); } try { const presentWatcher = (entryKind === 1 || !fsWatchWithTimestamp ? fsWatchWorker : fsWatchWorkerHandlingTimestamp)( fileOrDirectory, recursive, inodeWatching ? callbackChangingToMissingFileSystemEntry : callback ); presentWatcher.on("error", () => { callback("rename", ""); updateWatcher(watchMissingFileSystemEntry); }); return presentWatcher; } catch (e) { hitSystemWatcherLimit || (hitSystemWatcherLimit = e.code === "ENOSPC"); sysLog2(`sysLog:: ${fileOrDirectory}:: Changing to watchFile`); return watchPresentFileSystemEntryWithFsWatchFile(); } } function callbackChangingToMissingFileSystemEntry(event, relativeName) { let originalRelativeName; if (relativeName && endsWith(relativeName, "~")) { originalRelativeName = relativeName; relativeName = relativeName.slice(0, relativeName.length - 1); } if (event === "rename" && (!relativeName || relativeName === lastDirectoryPart || endsWith(relativeName, lastDirectoryPartWithDirectorySeparator))) { const modifiedTime = getModifiedTime3(fileOrDirectory) || missingFileModifiedTime; if (originalRelativeName) callback(event, originalRelativeName, modifiedTime); callback(event, relativeName, modifiedTime); if (inodeWatching) { updateWatcher(modifiedTime === missingFileModifiedTime ? watchMissingFileSystemEntry : watchPresentFileSystemEntry); } else if (modifiedTime === missingFileModifiedTime) { updateWatcher(watchMissingFileSystemEntry); } } else { if (originalRelativeName) callback(event, originalRelativeName); callback(event, relativeName); } } function watchPresentFileSystemEntryWithFsWatchFile() { return watchFile2( fileOrDirectory, createFileWatcherCallback(callback), fallbackPollingInterval, fallbackOptions ); } function watchMissingFileSystemEntry() { return watchFile2( fileOrDirectory, (_fileName, eventKind, modifiedTime) => { if (eventKind === 0) { modifiedTime || (modifiedTime = getModifiedTime3(fileOrDirectory) || missingFileModifiedTime); if (modifiedTime !== missingFileModifiedTime) { callback("rename", "", modifiedTime); updateWatcher(watchPresentFileSystemEntry); } } }, fallbackPollingInterval, fallbackOptions ); } } function fsWatchWorkerHandlingTimestamp(fileOrDirectory, recursive, callback) { let modifiedTime = getModifiedTime3(fileOrDirectory) || missingFileModifiedTime; return fsWatchWorker(fileOrDirectory, recursive, (eventName, relativeFileName, currentModifiedTime) => { if (eventName === "change") { currentModifiedTime || (currentModifiedTime = getModifiedTime3(fileOrDirectory) || missingFileModifiedTime); if (currentModifiedTime.getTime() === modifiedTime.getTime()) return; } modifiedTime = currentModifiedTime || getModifiedTime3(fileOrDirectory) || missingFileModifiedTime; callback(eventName, relativeFileName, modifiedTime); }); } } function patchWriteFileEnsuringDirectory(sys2) { const originalWriteFile = sys2.writeFile; sys2.writeFile = (path17, data, writeBom) => writeFileEnsuringDirectories( path17, data, !!writeBom, (path22, data2, writeByteOrderMark) => originalWriteFile.call(sys2, path22, data2, writeByteOrderMark), (path22) => sys2.createDirectory(path22), (path22) => sys2.directoryExists(path22) ); } var sys = (() => { const byteOrderMarkIndicator = "\uFEFF"; function getNodeSystem() { const nativePattern = /^native |^\([^)]+\)$|^(internal[\\/]|[a-zA-Z0-9_\s]+(\.js)?$)/; const _fs = require("fs"); const _path = require("path"); const _os = require("os"); let _crypto; try { _crypto = require("crypto"); } catch { _crypto = void 0; } let activeSession; let profilePath = "./profile.cpuprofile"; const isMacOs = process.platform === "darwin"; const isLinuxOrMacOs = process.platform === "linux" || isMacOs; const platform = _os.platform(); const useCaseSensitiveFileNames2 = isFileSystemCaseSensitive(); const fsRealpath = !!_fs.realpathSync.native ? process.platform === "win32" ? fsRealPathHandlingLongPath : _fs.realpathSync.native : _fs.realpathSync; const executingFilePath = __filename.endsWith("sys.js") ? _path.join(_path.dirname(__dirname), "__fake__.js") : __filename; const fsSupportsRecursiveFsWatch = process.platform === "win32" || isMacOs; const getCurrentDirectory = memoize(() => process.cwd()); const { watchFile: watchFile2, watchDirectory } = createSystemWatchFunctions({ pollingWatchFileWorker: fsWatchFileWorker, getModifiedTime: getModifiedTime3, setTimeout, clearTimeout, fsWatchWorker, useCaseSensitiveFileNames: useCaseSensitiveFileNames2, getCurrentDirectory, fileSystemEntryExists, // Node 4.0 `fs.watch` function supports the "recursive" option on both OSX and Windows // (ref: https://github.com/nodejs/node/pull/2649 and https://github.com/Microsoft/TypeScript/issues/4643) fsSupportsRecursiveFsWatch, getAccessibleSortedChildDirectories: (path17) => getAccessibleFileSystemEntries(path17).directories, realpath, tscWatchFile: process.env.TSC_WATCHFILE, useNonPollingWatchers: !!process.env.TSC_NONPOLLING_WATCHER, tscWatchDirectory: process.env.TSC_WATCHDIRECTORY, inodeWatching: isLinuxOrMacOs, fsWatchWithTimestamp: isMacOs, sysLog }); const nodeSystem = { args: process.argv.slice(2), newLine: _os.EOL, useCaseSensitiveFileNames: useCaseSensitiveFileNames2, write(s) { process.stdout.write(s); }, getWidthOfTerminal() { return process.stdout.columns; }, writeOutputIsTTY() { return process.stdout.isTTY; }, readFile: readFile2, writeFile: writeFile2, watchFile: watchFile2, watchDirectory, resolvePath: (path17) => _path.resolve(path17), fileExists, directoryExists, getAccessibleFileSystemEntries, createDirectory(directoryName) { if (!nodeSystem.directoryExists(directoryName)) { try { _fs.mkdirSync(directoryName); } catch (e) { if (e.code !== "EEXIST") { throw e; } } } }, getExecutingFilePath() { return executingFilePath; }, getCurrentDirectory, getDirectories, getEnvironmentVariable(name) { return process.env[name] || ""; }, readDirectory, getModifiedTime: getModifiedTime3, setModifiedTime, deleteFile, createHash: _crypto ? createSHA256Hash : generateDjb2Hash, createSHA256Hash: _crypto ? createSHA256Hash : void 0, getMemoryUsage() { if (global.gc) { global.gc(); } return process.memoryUsage().heapUsed; }, getFileSize(path17) { try { const stat = statSync(path17); if (stat == null ? void 0 : stat.isFile()) { return stat.size; } } catch { } return 0; }, exit(exitCode) { disableCPUProfiler(() => process.exit(exitCode)); }, enableCPUProfiler, disableCPUProfiler, cpuProfilingEnabled: () => !!activeSession || contains(process.execArgv, "--cpu-prof") || contains(process.execArgv, "--prof"), realpath, debugMode: !!process.env.NODE_INSPECTOR_IPC || !!process.env.VSCODE_INSPECTOR_OPTIONS || some(process.execArgv, (arg) => /^--(inspect|debug)(-brk)?(=\d+)?$/i.test(arg)) || !!process.recordreplay, tryEnableSourceMapsForHost() { try { require_source_map_support().install(); } catch { } }, setTimeout, clearTimeout, clearScreen: () => { process.stdout.write("\x1Bc"); }, setBlocking: () => { var _a; const handle = (_a = process.stdout) == null ? void 0 : _a._handle; if (handle && handle.setBlocking) { handle.setBlocking(true); } }, base64decode: (input) => Buffer.from(input, "base64").toString("utf8"), base64encode: (input) => Buffer.from(input).toString("base64"), require: (baseDir, moduleName) => { try { const modulePath = resolveJSModule(moduleName, baseDir, nodeSystem); return { module: require(modulePath), modulePath, error: void 0 }; } catch (error2) { return { module: void 0, modulePath: void 0, error: error2 }; } } }; return nodeSystem; function statSync(path17) { return _fs.statSync(path17, { throwIfNoEntry: false }); } function enableCPUProfiler(path17, cb) { if (activeSession) { cb(); return false; } const inspector = require("inspector"); if (!inspector || !inspector.Session) { cb(); return false; } const session = new inspector.Session(); session.connect(); session.post("Profiler.enable", () => { session.post("Profiler.start", () => { activeSession = session; profilePath = path17; cb(); }); }); return true; } function cleanupPaths(profile) { let externalFileCounter = 0; const remappedPaths = /* @__PURE__ */ new Map(); const normalizedDir = normalizeSlashes(_path.dirname(executingFilePath)); const fileUrlRoot = `file://${getRootLength(normalizedDir) === 1 ? "" : "/"}${normalizedDir}`; for (const node of profile.nodes) { if (node.callFrame.url) { const url = normalizeSlashes(node.callFrame.url); if (containsPath(fileUrlRoot, url, useCaseSensitiveFileNames2)) { node.callFrame.url = getRelativePathToDirectoryOrUrl( fileUrlRoot, url, fileUrlRoot, createGetCanonicalFileName(useCaseSensitiveFileNames2), /*isAbsolutePathAnUrl*/ true ); } else if (!nativePattern.test(url)) { node.callFrame.url = (remappedPaths.has(url) ? remappedPaths : remappedPaths.set(url, `external${externalFileCounter}.js`)).get(url); externalFileCounter++; } } } return profile; } function disableCPUProfiler(cb) { if (activeSession && activeSession !== "stopping") { const s = activeSession; activeSession.post("Profiler.stop", (err, { profile }) => { var _a; if (!err) { try { if ((_a = statSync(profilePath)) == null ? void 0 : _a.isDirectory()) { profilePath = _path.join(profilePath, `${(/* @__PURE__ */ new Date()).toISOString().replace(/:/g, "-")}+P${process.pid}.cpuprofile`); } } catch { } try { _fs.mkdirSync(_path.dirname(profilePath), { recursive: true }); } catch { } _fs.writeFileSync(profilePath, JSON.stringify(cleanupPaths(profile))); } activeSession = void 0; s.disconnect(); cb(); }); activeSession = "stopping"; return true; } else { cb(); return false; } } function isFileSystemCaseSensitive() { if (platform === "win32" || platform === "win64") { return false; } return !fileExists(swapCase(__filename)); } function swapCase(s) { return s.replace(/\w/g, (ch) => { const up = ch.toUpperCase(); return ch === up ? ch.toLowerCase() : up; }); } function fsWatchFileWorker(fileName, callback, pollingInterval) { _fs.watchFile(fileName, { persistent: true, interval: pollingInterval }, fileChanged); let eventKind; return { close: () => _fs.unwatchFile(fileName, fileChanged) }; function fileChanged(curr, prev) { const isPreviouslyDeleted = +prev.mtime === 0 || eventKind === 2; if (+curr.mtime === 0) { if (isPreviouslyDeleted) { return; } eventKind = 2; } else if (isPreviouslyDeleted) { eventKind = 0; } else if (+curr.mtime === +prev.mtime) { return; } else { eventKind = 1; } callback(fileName, eventKind, curr.mtime); } } function fsWatchWorker(fileOrDirectory, recursive, callback) { return _fs.watch( fileOrDirectory, fsSupportsRecursiveFsWatch ? { persistent: true, recursive: !!recursive } : { persistent: true }, callback ); } function readFileWorker(fileName, _encoding) { let buffer; try { buffer = _fs.readFileSync(fileName); } catch (e) { return void 0; } let len = buffer.length; if (len >= 2 && buffer[0] === 254 && buffer[1] === 255) { len &= ~1; for (let i = 0; i < len; i += 2) { const temp = buffer[i]; buffer[i] = buffer[i + 1]; buffer[i + 1] = temp; } return buffer.toString("utf16le", 2); } if (len >= 2 && buffer[0] === 255 && buffer[1] === 254) { return buffer.toString("utf16le", 2); } if (len >= 3 && buffer[0] === 239 && buffer[1] === 187 && buffer[2] === 191) { return buffer.toString("utf8", 3); } return buffer.toString("utf8"); } function readFile2(fileName, _encoding) { var _a, _b; (_a = perfLogger) == null ? void 0 : _a.logStartReadFile(fileName); const file = readFileWorker(fileName, _encoding); (_b = perfLogger) == null ? void 0 : _b.logStopReadFile(); return file; } function writeFile2(fileName, data, writeByteOrderMark) { var _a; (_a = perfLogger) == null ? void 0 : _a.logEvent("WriteFile: " + fileName); if (writeByteOrderMark) { data = byteOrderMarkIndicator + data; } let fd; try { fd = _fs.openSync(fileName, "w"); _fs.writeSync( fd, data, /*position*/ void 0, "utf8" ); } finally { if (fd !== void 0) { _fs.closeSync(fd); } } } function getAccessibleFileSystemEntries(path17) { var _a; (_a = perfLogger) == null ? void 0 : _a.logEvent("ReadDir: " + (path17 || ".")); try { const entries = _fs.readdirSync(path17 || ".", { withFileTypes: true }); const files = []; const directories = []; for (const dirent of entries) { const entry = typeof dirent === "string" ? dirent : dirent.name; if (entry === "." || entry === "..") { continue; } let stat; if (typeof dirent === "string" || dirent.isSymbolicLink()) { const name = combinePaths(path17, entry); try { stat = statSync(name); if (!stat) { continue; } } catch (e) { continue; } } else { stat = dirent; } if (stat.isFile()) { files.push(entry); } else if (stat.isDirectory()) { directories.push(entry); } } files.sort(); directories.sort(); return { files, directories }; } catch (e) { return emptyFileSystemEntries; } } function readDirectory(path17, extensions, excludes, includes, depth2) { return matchFiles(path17, extensions, excludes, includes, useCaseSensitiveFileNames2, process.cwd(), depth2, getAccessibleFileSystemEntries, realpath); } function fileSystemEntryExists(path17, entryKind) { const originalStackTraceLimit = Error.stackTraceLimit; Error.stackTraceLimit = 0; try { const stat = statSync(path17); if (!stat) { return false; } switch (entryKind) { case 0: return stat.isFile(); case 1: return stat.isDirectory(); default: return false; } } catch (e) { return false; } finally { Error.stackTraceLimit = originalStackTraceLimit; } } function fileExists(path17) { return fileSystemEntryExists( path17, 0 /* File */ ); } function directoryExists(path17) { return fileSystemEntryExists( path17, 1 /* Directory */ ); } function getDirectories(path17) { return getAccessibleFileSystemEntries(path17).directories.slice(); } function fsRealPathHandlingLongPath(path17) { return path17.length < 260 ? _fs.realpathSync.native(path17) : _fs.realpathSync(path17); } function realpath(path17) { try { return fsRealpath(path17); } catch { return path17; } } function getModifiedTime3(path17) { var _a; const originalStackTraceLimit = Error.stackTraceLimit; Error.stackTraceLimit = 0; try { return (_a = statSync(path17)) == null ? void 0 : _a.mtime; } catch (e) { return void 0; } finally { Error.stackTraceLimit = originalStackTraceLimit; } } function setModifiedTime(path17, time) { try { _fs.utimesSync(path17, time, time); } catch (e) { return; } } function deleteFile(path17) { try { return _fs.unlinkSync(path17); } catch (e) { return; } } function createSHA256Hash(data) { const hash = _crypto.createHash("sha256"); hash.update(data); return hash.digest("hex"); } } let sys2; if (isNodeLikeSystem()) { sys2 = getNodeSystem(); } if (sys2) { patchWriteFileEnsuringDirectory(sys2); } return sys2; })(); function setSys(s) { sys = s; } if (sys && sys.getEnvironmentVariable) { setCustomPollingValues(sys); Debug.setAssertionLevel( /^development$/i.test(sys.getEnvironmentVariable("NODE_ENV")) ? 1 : 0 /* None */ ); } if (sys && sys.debugMode) { Debug.isDebugging = true; } var directorySeparator = "/"; var altDirectorySeparator = "\\"; var urlSchemeSeparator = "://"; var backslashRegExp = /\\/g; function isAnyDirectorySeparator(charCode) { return charCode === 47 || charCode === 92; } function isUrl(path17) { return getEncodedRootLength(path17) < 0; } function isRootedDiskPath(path17) { return getEncodedRootLength(path17) > 0; } function isDiskPathRoot(path17) { const rootLength = getEncodedRootLength(path17); return rootLength > 0 && rootLength === path17.length; } function pathIsAbsolute(path17) { return getEncodedRootLength(path17) !== 0; } function pathIsRelative(path17) { return /^\.\.?($|[\\/])/.test(path17); } function pathIsBareSpecifier(path17) { return !pathIsAbsolute(path17) && !pathIsRelative(path17); } function hasExtension(fileName) { return getBaseFileName(fileName).includes("."); } function fileExtensionIs(path17, extension) { return path17.length > extension.length && endsWith(path17, extension); } function fileExtensionIsOneOf(path17, extensions) { for (const extension of extensions) { if (fileExtensionIs(path17, extension)) { return true; } } return false; } function hasTrailingDirectorySeparator(path17) { return path17.length > 0 && isAnyDirectorySeparator(path17.charCodeAt(path17.length - 1)); } function isVolumeCharacter(charCode) { return charCode >= 97 && charCode <= 122 || charCode >= 65 && charCode <= 90; } function getFileUrlVolumeSeparatorEnd(url, start) { const ch0 = url.charCodeAt(start); if (ch0 === 58) return start + 1; if (ch0 === 37 && url.charCodeAt(start + 1) === 51) { const ch2 = url.charCodeAt(start + 2); if (ch2 === 97 || ch2 === 65) return start + 3; } return -1; } function getEncodedRootLength(path17) { if (!path17) return 0; const ch0 = path17.charCodeAt(0); if (ch0 === 47 || ch0 === 92) { if (path17.charCodeAt(1) !== ch0) return 1; const p1 = path17.indexOf(ch0 === 47 ? directorySeparator : altDirectorySeparator, 2); if (p1 < 0) return path17.length; return p1 + 1; } if (isVolumeCharacter(ch0) && path17.charCodeAt(1) === 58) { const ch2 = path17.charCodeAt(2); if (ch2 === 47 || ch2 === 92) return 3; if (path17.length === 2) return 2; } const schemeEnd = path17.indexOf(urlSchemeSeparator); if (schemeEnd !== -1) { const authorityStart = schemeEnd + urlSchemeSeparator.length; const authorityEnd = path17.indexOf(directorySeparator, authorityStart); if (authorityEnd !== -1) { const scheme = path17.slice(0, schemeEnd); const authority = path17.slice(authorityStart, authorityEnd); if (scheme === "file" && (authority === "" || authority === "localhost") && isVolumeCharacter(path17.charCodeAt(authorityEnd + 1))) { const volumeSeparatorEnd = getFileUrlVolumeSeparatorEnd(path17, authorityEnd + 2); if (volumeSeparatorEnd !== -1) { if (path17.charCodeAt(volumeSeparatorEnd) === 47) { return ~(volumeSeparatorEnd + 1); } if (volumeSeparatorEnd === path17.length) { return ~volumeSeparatorEnd; } } } return ~(authorityEnd + 1); } return ~path17.length; } return 0; } function getRootLength(path17) { const rootLength = getEncodedRootLength(path17); return rootLength < 0 ? ~rootLength : rootLength; } function getDirectoryPath(path17) { path17 = normalizeSlashes(path17); const rootLength = getRootLength(path17); if (rootLength === path17.length) return path17; path17 = removeTrailingDirectorySeparator(path17); return path17.slice(0, Math.max(rootLength, path17.lastIndexOf(directorySeparator))); } function getBaseFileName(path17, extensions, ignoreCase) { path17 = normalizeSlashes(path17); const rootLength = getRootLength(path17); if (rootLength === path17.length) return ""; path17 = removeTrailingDirectorySeparator(path17); const name = path17.slice(Math.max(getRootLength(path17), path17.lastIndexOf(directorySeparator) + 1)); const extension = extensions !== void 0 && ignoreCase !== void 0 ? getAnyExtensionFromPath(name, extensions, ignoreCase) : void 0; return extension ? name.slice(0, name.length - extension.length) : name; } function tryGetExtensionFromPath(path17, extension, stringEqualityComparer) { if (!startsWith2(extension, ".")) extension = "." + extension; if (path17.length >= extension.length && path17.charCodeAt(path17.length - extension.length) === 46) { const pathExtension = path17.slice(path17.length - extension.length); if (stringEqualityComparer(pathExtension, extension)) { return pathExtension; } } } function getAnyExtensionFromPathWorker(path17, extensions, stringEqualityComparer) { if (typeof extensions === "string") { return tryGetExtensionFromPath(path17, extensions, stringEqualityComparer) || ""; } for (const extension of extensions) { const result = tryGetExtensionFromPath(path17, extension, stringEqualityComparer); if (result) return result; } return ""; } function getAnyExtensionFromPath(path17, extensions, ignoreCase) { if (extensions) { return getAnyExtensionFromPathWorker(removeTrailingDirectorySeparator(path17), extensions, ignoreCase ? equateStringsCaseInsensitive : equateStringsCaseSensitive); } const baseFileName = getBaseFileName(path17); const extensionIndex = baseFileName.lastIndexOf("."); if (extensionIndex >= 0) { return baseFileName.substring(extensionIndex); } return ""; } function pathComponents(path17, rootLength) { const root2 = path17.substring(0, rootLength); const rest = path17.substring(rootLength).split(directorySeparator); if (rest.length && !lastOrUndefined(rest)) rest.pop(); return [root2, ...rest]; } function getPathComponents(path17, currentDirectory = "") { path17 = combinePaths(currentDirectory, path17); return pathComponents(path17, getRootLength(path17)); } function getPathFromPathComponents(pathComponents2, length2) { if (pathComponents2.length === 0) return ""; const root2 = pathComponents2[0] && ensureTrailingDirectorySeparator(pathComponents2[0]); return root2 + pathComponents2.slice(1, length2).join(directorySeparator); } function normalizeSlashes(path17) { return path17.includes("\\") ? path17.replace(backslashRegExp, directorySeparator) : path17; } function reducePathComponents(components) { if (!some(components)) return []; const reduced = [components[0]]; for (let i = 1; i < components.length; i++) { const component = components[i]; if (!component) continue; if (component === ".") continue; if (component === "..") { if (reduced.length > 1) { if (reduced[reduced.length - 1] !== "..") { reduced.pop(); continue; } } else if (reduced[0]) continue; } reduced.push(component); } return reduced; } function combinePaths(path17, ...paths) { if (path17) path17 = normalizeSlashes(path17); for (let relativePath of paths) { if (!relativePath) continue; relativePath = normalizeSlashes(relativePath); if (!path17 || getRootLength(relativePath) !== 0) { path17 = relativePath; } else { path17 = ensureTrailingDirectorySeparator(path17) + relativePath; } } return path17; } function resolvePath(path17, ...paths) { return normalizePath(some(paths) ? combinePaths(path17, ...paths) : normalizeSlashes(path17)); } function getNormalizedPathComponents(path17, currentDirectory) { return reducePathComponents(getPathComponents(path17, currentDirectory)); } function getNormalizedAbsolutePath(fileName, currentDirectory) { return getPathFromPathComponents(getNormalizedPathComponents(fileName, currentDirectory)); } function normalizePath(path17) { path17 = normalizeSlashes(path17); if (!relativePathSegmentRegExp.test(path17)) { return path17; } const simplified = path17.replace(/\/\.\//g, "/").replace(/^\.\//, ""); if (simplified !== path17) { path17 = simplified; if (!relativePathSegmentRegExp.test(path17)) { return path17; } } const normalized = getPathFromPathComponents(reducePathComponents(getPathComponents(path17))); return normalized && hasTrailingDirectorySeparator(path17) ? ensureTrailingDirectorySeparator(normalized) : normalized; } function getPathWithoutRoot(pathComponents2) { if (pathComponents2.length === 0) return ""; return pathComponents2.slice(1).join(directorySeparator); } function getNormalizedAbsolutePathWithoutRoot(fileName, currentDirectory) { return getPathWithoutRoot(getNormalizedPathComponents(fileName, currentDirectory)); } function toPath3(fileName, basePath, getCanonicalFileName) { const nonCanonicalizedPath = isRootedDiskPath(fileName) ? normalizePath(fileName) : getNormalizedAbsolutePath(fileName, basePath); return getCanonicalFileName(nonCanonicalizedPath); } function removeTrailingDirectorySeparator(path17) { if (hasTrailingDirectorySeparator(path17)) { return path17.substr(0, path17.length - 1); } return path17; } function ensureTrailingDirectorySeparator(path17) { if (!hasTrailingDirectorySeparator(path17)) { return path17 + directorySeparator; } return path17; } function ensurePathIsNonModuleName(path17) { return !pathIsAbsolute(path17) && !pathIsRelative(path17) ? "./" + path17 : path17; } function changeAnyExtension(path17, ext, extensions, ignoreCase) { const pathext = extensions !== void 0 && ignoreCase !== void 0 ? getAnyExtensionFromPath(path17, extensions, ignoreCase) : getAnyExtensionFromPath(path17); return pathext ? path17.slice(0, path17.length - pathext.length) + (startsWith2(ext, ".") ? ext : "." + ext) : path17; } function changeFullExtension(path17, newExtension) { const declarationExtension = getDeclarationFileExtension(path17); if (declarationExtension) { return path17.slice(0, path17.length - declarationExtension.length) + (startsWith2(newExtension, ".") ? newExtension : "." + newExtension); } return changeAnyExtension(path17, newExtension); } var relativePathSegmentRegExp = /(?:\/\/)|(?:^|\/)\.\.?(?:$|\/)/; function comparePathsWorker(a, b, componentComparer) { if (a === b) return 0; if (a === void 0) return -1; if (b === void 0) return 1; const aRoot = a.substring(0, getRootLength(a)); const bRoot = b.substring(0, getRootLength(b)); const result = compareStringsCaseInsensitive(aRoot, bRoot); if (result !== 0) { return result; } const aRest = a.substring(aRoot.length); const bRest = b.substring(bRoot.length); if (!relativePathSegmentRegExp.test(aRest) && !relativePathSegmentRegExp.test(bRest)) { return componentComparer(aRest, bRest); } const aComponents = reducePathComponents(getPathComponents(a)); const bComponents = reducePathComponents(getPathComponents(b)); const sharedLength = Math.min(aComponents.length, bComponents.length); for (let i = 1; i < sharedLength; i++) { const result2 = componentComparer(aComponents[i], bComponents[i]); if (result2 !== 0) { return result2; } } return compareValues(aComponents.length, bComponents.length); } function comparePathsCaseSensitive(a, b) { return comparePathsWorker(a, b, compareStringsCaseSensitive); } function comparePathsCaseInsensitive(a, b) { return comparePathsWorker(a, b, compareStringsCaseInsensitive); } function comparePaths(a, b, currentDirectory, ignoreCase) { if (typeof currentDirectory === "string") { a = combinePaths(currentDirectory, a); b = combinePaths(currentDirectory, b); } else if (typeof currentDirectory === "boolean") { ignoreCase = currentDirectory; } return comparePathsWorker(a, b, getStringComparer(ignoreCase)); } function containsPath(parent2, child, currentDirectory, ignoreCase) { if (typeof currentDirectory === "string") { parent2 = combinePaths(currentDirectory, parent2); child = combinePaths(currentDirectory, child); } else if (typeof currentDirectory === "boolean") { ignoreCase = currentDirectory; } if (parent2 === void 0 || child === void 0) return false; if (parent2 === child) return true; const parentComponents = reducePathComponents(getPathComponents(parent2)); const childComponents = reducePathComponents(getPathComponents(child)); if (childComponents.length < parentComponents.length) { return false; } const componentEqualityComparer = ignoreCase ? equateStringsCaseInsensitive : equateStringsCaseSensitive; for (let i = 0; i < parentComponents.length; i++) { const equalityComparer = i === 0 ? equateStringsCaseInsensitive : componentEqualityComparer; if (!equalityComparer(parentComponents[i], childComponents[i])) { return false; } } return true; } function startsWithDirectory(fileName, directoryName, getCanonicalFileName) { const canonicalFileName = getCanonicalFileName(fileName); const canonicalDirectoryName = getCanonicalFileName(directoryName); return startsWith2(canonicalFileName, canonicalDirectoryName + "/") || startsWith2(canonicalFileName, canonicalDirectoryName + "\\"); } function getPathComponentsRelativeTo(from, to, stringEqualityComparer, getCanonicalFileName) { const fromComponents = reducePathComponents(getPathComponents(from)); const toComponents = reducePathComponents(getPathComponents(to)); let start; for (start = 0; start < fromComponents.length && start < toComponents.length; start++) { const fromComponent = getCanonicalFileName(fromComponents[start]); const toComponent = getCanonicalFileName(toComponents[start]); const comparer = start === 0 ? equateStringsCaseInsensitive : stringEqualityComparer; if (!comparer(fromComponent, toComponent)) break; } if (start === 0) { return toComponents; } const components = toComponents.slice(start); const relative2 = []; for (; start < fromComponents.length; start++) { relative2.push(".."); } return ["", ...relative2, ...components]; } function getRelativePathFromDirectory(fromDirectory, to, getCanonicalFileNameOrIgnoreCase) { Debug.assert(getRootLength(fromDirectory) > 0 === getRootLength(to) > 0, "Paths must either both be absolute or both be relative"); const getCanonicalFileName = typeof getCanonicalFileNameOrIgnoreCase === "function" ? getCanonicalFileNameOrIgnoreCase : identity2; const ignoreCase = typeof getCanonicalFileNameOrIgnoreCase === "boolean" ? getCanonicalFileNameOrIgnoreCase : false; const pathComponents2 = getPathComponentsRelativeTo(fromDirectory, to, ignoreCase ? equateStringsCaseInsensitive : equateStringsCaseSensitive, getCanonicalFileName); return getPathFromPathComponents(pathComponents2); } function convertToRelativePath(absoluteOrRelativePath, basePath, getCanonicalFileName) { return !isRootedDiskPath(absoluteOrRelativePath) ? absoluteOrRelativePath : getRelativePathToDirectoryOrUrl( basePath, absoluteOrRelativePath, basePath, getCanonicalFileName, /*isAbsolutePathAnUrl*/ false ); } function getRelativePathFromFile(from, to, getCanonicalFileName) { return ensurePathIsNonModuleName(getRelativePathFromDirectory(getDirectoryPath(from), to, getCanonicalFileName)); } function getRelativePathToDirectoryOrUrl(directoryPathOrUrl, relativeOrAbsolutePath, currentDirectory, getCanonicalFileName, isAbsolutePathAnUrl) { const pathComponents2 = getPathComponentsRelativeTo( resolvePath(currentDirectory, directoryPathOrUrl), resolvePath(currentDirectory, relativeOrAbsolutePath), equateStringsCaseSensitive, getCanonicalFileName ); const firstComponent = pathComponents2[0]; if (isAbsolutePathAnUrl && isRootedDiskPath(firstComponent)) { const prefix = firstComponent.charAt(0) === directorySeparator ? "file://" : "file:///"; pathComponents2[0] = prefix + firstComponent; } return getPathFromPathComponents(pathComponents2); } function forEachAncestorDirectory(directory, callback) { while (true) { const result = callback(directory); if (result !== void 0) { return result; } const parentPath = getDirectoryPath(directory); if (parentPath === directory) { return void 0; } directory = parentPath; } } function isNodeModulesDirectory(dirPath) { return endsWith(dirPath, "/node_modules"); } function diag(code, category, key, message, reportsUnnecessary, elidedInCompatabilityPyramid, reportsDeprecated) { return { code, category, key, message, reportsUnnecessary, elidedInCompatabilityPyramid, reportsDeprecated }; } var Diagnostics = { Unterminated_string_literal: diag(1002, 1, "Unterminated_string_literal_1002", "Unterminated string literal."), Identifier_expected: diag(1003, 1, "Identifier_expected_1003", "Identifier expected."), _0_expected: diag(1005, 1, "_0_expected_1005", "'{0}' expected."), A_file_cannot_have_a_reference_to_itself: diag(1006, 1, "A_file_cannot_have_a_reference_to_itself_1006", "A file cannot have a reference to itself."), The_parser_expected_to_find_a_1_to_match_the_0_token_here: diag(1007, 1, "The_parser_expected_to_find_a_1_to_match_the_0_token_here_1007", "The parser expected to find a '{1}' to match the '{0}' token here."), Trailing_comma_not_allowed: diag(1009, 1, "Trailing_comma_not_allowed_1009", "Trailing comma not allowed."), Asterisk_Slash_expected: diag(1010, 1, "Asterisk_Slash_expected_1010", "'*/' expected."), An_element_access_expression_should_take_an_argument: diag(1011, 1, "An_element_access_expression_should_take_an_argument_1011", "An element access expression should take an argument."), Unexpected_token: diag(1012, 1, "Unexpected_token_1012", "Unexpected token."), A_rest_parameter_or_binding_pattern_may_not_have_a_trailing_comma: diag(1013, 1, "A_rest_parameter_or_binding_pattern_may_not_have_a_trailing_comma_1013", "A rest parameter or binding pattern may not have a trailing comma."), A_rest_parameter_must_be_last_in_a_parameter_list: diag(1014, 1, "A_rest_parameter_must_be_last_in_a_parameter_list_1014", "A rest parameter must be last in a parameter list."), Parameter_cannot_have_question_mark_and_initializer: diag(1015, 1, "Parameter_cannot_have_question_mark_and_initializer_1015", "Parameter cannot have question mark and initializer."), A_required_parameter_cannot_follow_an_optional_parameter: diag(1016, 1, "A_required_parameter_cannot_follow_an_optional_parameter_1016", "A required parameter cannot follow an optional parameter."), An_index_signature_cannot_have_a_rest_parameter: diag(1017, 1, "An_index_signature_cannot_have_a_rest_parameter_1017", "An index signature cannot have a rest parameter."), An_index_signature_parameter_cannot_have_an_accessibility_modifier: diag(1018, 1, "An_index_signature_parameter_cannot_have_an_accessibility_modifier_1018", "An index signature parameter cannot have an accessibility modifier."), An_index_signature_parameter_cannot_have_a_question_mark: diag(1019, 1, "An_index_signature_parameter_cannot_have_a_question_mark_1019", "An index signature parameter cannot have a question mark."), An_index_signature_parameter_cannot_have_an_initializer: diag(1020, 1, "An_index_signature_parameter_cannot_have_an_initializer_1020", "An index signature parameter cannot have an initializer."), An_index_signature_must_have_a_type_annotation: diag(1021, 1, "An_index_signature_must_have_a_type_annotation_1021", "An index signature must have a type annotation."), An_index_signature_parameter_must_have_a_type_annotation: diag(1022, 1, "An_index_signature_parameter_must_have_a_type_annotation_1022", "An index signature parameter must have a type annotation."), readonly_modifier_can_only_appear_on_a_property_declaration_or_index_signature: diag(1024, 1, "readonly_modifier_can_only_appear_on_a_property_declaration_or_index_signature_1024", "'readonly' modifier can only appear on a property declaration or index signature."), An_index_signature_cannot_have_a_trailing_comma: diag(1025, 1, "An_index_signature_cannot_have_a_trailing_comma_1025", "An index signature cannot have a trailing comma."), Accessibility_modifier_already_seen: diag(1028, 1, "Accessibility_modifier_already_seen_1028", "Accessibility modifier already seen."), _0_modifier_must_precede_1_modifier: diag(1029, 1, "_0_modifier_must_precede_1_modifier_1029", "'{0}' modifier must precede '{1}' modifier."), _0_modifier_already_seen: diag(1030, 1, "_0_modifier_already_seen_1030", "'{0}' modifier already seen."), _0_modifier_cannot_appear_on_class_elements_of_this_kind: diag(1031, 1, "_0_modifier_cannot_appear_on_class_elements_of_this_kind_1031", "'{0}' modifier cannot appear on class elements of this kind."), super_must_be_followed_by_an_argument_list_or_member_access: diag(1034, 1, "super_must_be_followed_by_an_argument_list_or_member_access_1034", "'super' must be followed by an argument list or member access."), Only_ambient_modules_can_use_quoted_names: diag(1035, 1, "Only_ambient_modules_can_use_quoted_names_1035", "Only ambient modules can use quoted names."), Statements_are_not_allowed_in_ambient_contexts: diag(1036, 1, "Statements_are_not_allowed_in_ambient_contexts_1036", "Statements are not allowed in ambient contexts."), A_declare_modifier_cannot_be_used_in_an_already_ambient_context: diag(1038, 1, "A_declare_modifier_cannot_be_used_in_an_already_ambient_context_1038", "A 'declare' modifier cannot be used in an already ambient context."), Initializers_are_not_allowed_in_ambient_contexts: diag(1039, 1, "Initializers_are_not_allowed_in_ambient_contexts_1039", "Initializers are not allowed in ambient contexts."), _0_modifier_cannot_be_used_in_an_ambient_context: diag(1040, 1, "_0_modifier_cannot_be_used_in_an_ambient_context_1040", "'{0}' modifier cannot be used in an ambient context."), _0_modifier_cannot_be_used_here: diag(1042, 1, "_0_modifier_cannot_be_used_here_1042", "'{0}' modifier cannot be used here."), _0_modifier_cannot_appear_on_a_module_or_namespace_element: diag(1044, 1, "_0_modifier_cannot_appear_on_a_module_or_namespace_element_1044", "'{0}' modifier cannot appear on a module or namespace element."), Top_level_declarations_in_d_ts_files_must_start_with_either_a_declare_or_export_modifier: diag(1046, 1, "Top_level_declarations_in_d_ts_files_must_start_with_either_a_declare_or_export_modifier_1046", "Top-level declarations in .d.ts files must start with either a 'declare' or 'export' modifier."), A_rest_parameter_cannot_be_optional: diag(1047, 1, "A_rest_parameter_cannot_be_optional_1047", "A rest parameter cannot be optional."), A_rest_parameter_cannot_have_an_initializer: diag(1048, 1, "A_rest_parameter_cannot_have_an_initializer_1048", "A rest parameter cannot have an initializer."), A_set_accessor_must_have_exactly_one_parameter: diag(1049, 1, "A_set_accessor_must_have_exactly_one_parameter_1049", "A 'set' accessor must have exactly one parameter."), A_set_accessor_cannot_have_an_optional_parameter: diag(1051, 1, "A_set_accessor_cannot_have_an_optional_parameter_1051", "A 'set' accessor cannot have an optional parameter."), A_set_accessor_parameter_cannot_have_an_initializer: diag(1052, 1, "A_set_accessor_parameter_cannot_have_an_initializer_1052", "A 'set' accessor parameter cannot have an initializer."), A_set_accessor_cannot_have_rest_parameter: diag(1053, 1, "A_set_accessor_cannot_have_rest_parameter_1053", "A 'set' accessor cannot have rest parameter."), A_get_accessor_cannot_have_parameters: diag(1054, 1, "A_get_accessor_cannot_have_parameters_1054", "A 'get' accessor cannot have parameters."), Type_0_is_not_a_valid_async_function_return_type_in_ES5_because_it_does_not_refer_to_a_Promise_compatible_constructor_value: diag(1055, 1, "Type_0_is_not_a_valid_async_function_return_type_in_ES5_because_it_does_not_refer_to_a_Promise_compa_1055", "Type '{0}' is not a valid async function return type in ES5 because it does not refer to a Promise-compatible constructor value."), Accessors_are_only_available_when_targeting_ECMAScript_5_and_higher: diag(1056, 1, "Accessors_are_only_available_when_targeting_ECMAScript_5_and_higher_1056", "Accessors are only available when targeting ECMAScript 5 and higher."), The_return_type_of_an_async_function_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member: diag(1058, 1, "The_return_type_of_an_async_function_must_either_be_a_valid_promise_or_must_not_contain_a_callable_t_1058", "The return type of an async function must either be a valid promise or must not contain a callable 'then' member."), A_promise_must_have_a_then_method: diag(1059, 1, "A_promise_must_have_a_then_method_1059", "A promise must have a 'then' method."), The_first_parameter_of_the_then_method_of_a_promise_must_be_a_callback: diag(1060, 1, "The_first_parameter_of_the_then_method_of_a_promise_must_be_a_callback_1060", "The first parameter of the 'then' method of a promise must be a callback."), Enum_member_must_have_initializer: diag(1061, 1, "Enum_member_must_have_initializer_1061", "Enum member must have initializer."), Type_is_referenced_directly_or_indirectly_in_the_fulfillment_callback_of_its_own_then_method: diag(1062, 1, "Type_is_referenced_directly_or_indirectly_in_the_fulfillment_callback_of_its_own_then_method_1062", "Type is referenced directly or indirectly in the fulfillment callback of its own 'then' method."), An_export_assignment_cannot_be_used_in_a_namespace: diag(1063, 1, "An_export_assignment_cannot_be_used_in_a_namespace_1063", "An export assignment cannot be used in a namespace."), The_return_type_of_an_async_function_or_method_must_be_the_global_Promise_T_type_Did_you_mean_to_write_Promise_0: diag(1064, 1, "The_return_type_of_an_async_function_or_method_must_be_the_global_Promise_T_type_Did_you_mean_to_wri_1064", "The return type of an async function or method must be the global Promise type. Did you mean to write 'Promise<{0}>'?"), The_return_type_of_an_async_function_or_method_must_be_the_global_Promise_T_type: diag(1065, 1, "The_return_type_of_an_async_function_or_method_must_be_the_global_Promise_T_type_1065", "The return type of an async function or method must be the global Promise type."), In_ambient_enum_declarations_member_initializer_must_be_constant_expression: diag(1066, 1, "In_ambient_enum_declarations_member_initializer_must_be_constant_expression_1066", "In ambient enum declarations member initializer must be constant expression."), Unexpected_token_A_constructor_method_accessor_or_property_was_expected: diag(1068, 1, "Unexpected_token_A_constructor_method_accessor_or_property_was_expected_1068", "Unexpected token. A constructor, method, accessor, or property was expected."), Unexpected_token_A_type_parameter_name_was_expected_without_curly_braces: diag(1069, 1, "Unexpected_token_A_type_parameter_name_was_expected_without_curly_braces_1069", "Unexpected token. A type parameter name was expected without curly braces."), _0_modifier_cannot_appear_on_a_type_member: diag(1070, 1, "_0_modifier_cannot_appear_on_a_type_member_1070", "'{0}' modifier cannot appear on a type member."), _0_modifier_cannot_appear_on_an_index_signature: diag(1071, 1, "_0_modifier_cannot_appear_on_an_index_signature_1071", "'{0}' modifier cannot appear on an index signature."), A_0_modifier_cannot_be_used_with_an_import_declaration: diag(1079, 1, "A_0_modifier_cannot_be_used_with_an_import_declaration_1079", "A '{0}' modifier cannot be used with an import declaration."), Invalid_reference_directive_syntax: diag(1084, 1, "Invalid_reference_directive_syntax_1084", "Invalid 'reference' directive syntax."), _0_modifier_cannot_appear_on_a_constructor_declaration: diag(1089, 1, "_0_modifier_cannot_appear_on_a_constructor_declaration_1089", "'{0}' modifier cannot appear on a constructor declaration."), _0_modifier_cannot_appear_on_a_parameter: diag(1090, 1, "_0_modifier_cannot_appear_on_a_parameter_1090", "'{0}' modifier cannot appear on a parameter."), Only_a_single_variable_declaration_is_allowed_in_a_for_in_statement: diag(1091, 1, "Only_a_single_variable_declaration_is_allowed_in_a_for_in_statement_1091", "Only a single variable declaration is allowed in a 'for...in' statement."), Type_parameters_cannot_appear_on_a_constructor_declaration: diag(1092, 1, "Type_parameters_cannot_appear_on_a_constructor_declaration_1092", "Type parameters cannot appear on a constructor declaration."), Type_annotation_cannot_appear_on_a_constructor_declaration: diag(1093, 1, "Type_annotation_cannot_appear_on_a_constructor_declaration_1093", "Type annotation cannot appear on a constructor declaration."), An_accessor_cannot_have_type_parameters: diag(1094, 1, "An_accessor_cannot_have_type_parameters_1094", "An accessor cannot have type parameters."), A_set_accessor_cannot_have_a_return_type_annotation: diag(1095, 1, "A_set_accessor_cannot_have_a_return_type_annotation_1095", "A 'set' accessor cannot have a return type annotation."), An_index_signature_must_have_exactly_one_parameter: diag(1096, 1, "An_index_signature_must_have_exactly_one_parameter_1096", "An index signature must have exactly one parameter."), _0_list_cannot_be_empty: diag(1097, 1, "_0_list_cannot_be_empty_1097", "'{0}' list cannot be empty."), Type_parameter_list_cannot_be_empty: diag(1098, 1, "Type_parameter_list_cannot_be_empty_1098", "Type parameter list cannot be empty."), Type_argument_list_cannot_be_empty: diag(1099, 1, "Type_argument_list_cannot_be_empty_1099", "Type argument list cannot be empty."), Invalid_use_of_0_in_strict_mode: diag(1100, 1, "Invalid_use_of_0_in_strict_mode_1100", "Invalid use of '{0}' in strict mode."), with_statements_are_not_allowed_in_strict_mode: diag(1101, 1, "with_statements_are_not_allowed_in_strict_mode_1101", "'with' statements are not allowed in strict mode."), delete_cannot_be_called_on_an_identifier_in_strict_mode: diag(1102, 1, "delete_cannot_be_called_on_an_identifier_in_strict_mode_1102", "'delete' cannot be called on an identifier in strict mode."), for_await_loops_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules: diag(1103, 1, "for_await_loops_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules_1103", "'for await' loops are only allowed within async functions and at the top levels of modules."), A_continue_statement_can_only_be_used_within_an_enclosing_iteration_statement: diag(1104, 1, "A_continue_statement_can_only_be_used_within_an_enclosing_iteration_statement_1104", "A 'continue' statement can only be used within an enclosing iteration statement."), A_break_statement_can_only_be_used_within_an_enclosing_iteration_or_switch_statement: diag(1105, 1, "A_break_statement_can_only_be_used_within_an_enclosing_iteration_or_switch_statement_1105", "A 'break' statement can only be used within an enclosing iteration or switch statement."), The_left_hand_side_of_a_for_of_statement_may_not_be_async: diag(1106, 1, "The_left_hand_side_of_a_for_of_statement_may_not_be_async_1106", "The left-hand side of a 'for...of' statement may not be 'async'."), Jump_target_cannot_cross_function_boundary: diag(1107, 1, "Jump_target_cannot_cross_function_boundary_1107", "Jump target cannot cross function boundary."), A_return_statement_can_only_be_used_within_a_function_body: diag(1108, 1, "A_return_statement_can_only_be_used_within_a_function_body_1108", "A 'return' statement can only be used within a function body."), Expression_expected: diag(1109, 1, "Expression_expected_1109", "Expression expected."), Type_expected: diag(1110, 1, "Type_expected_1110", "Type expected."), Private_field_0_must_be_declared_in_an_enclosing_class: diag(1111, 1, "Private_field_0_must_be_declared_in_an_enclosing_class_1111", "Private field '{0}' must be declared in an enclosing class."), A_default_clause_cannot_appear_more_than_once_in_a_switch_statement: diag(1113, 1, "A_default_clause_cannot_appear_more_than_once_in_a_switch_statement_1113", "A 'default' clause cannot appear more than once in a 'switch' statement."), Duplicate_label_0: diag(1114, 1, "Duplicate_label_0_1114", "Duplicate label '{0}'."), A_continue_statement_can_only_jump_to_a_label_of_an_enclosing_iteration_statement: diag(1115, 1, "A_continue_statement_can_only_jump_to_a_label_of_an_enclosing_iteration_statement_1115", "A 'continue' statement can only jump to a label of an enclosing iteration statement."), A_break_statement_can_only_jump_to_a_label_of_an_enclosing_statement: diag(1116, 1, "A_break_statement_can_only_jump_to_a_label_of_an_enclosing_statement_1116", "A 'break' statement can only jump to a label of an enclosing statement."), An_object_literal_cannot_have_multiple_properties_with_the_same_name: diag(1117, 1, "An_object_literal_cannot_have_multiple_properties_with_the_same_name_1117", "An object literal cannot have multiple properties with the same name."), An_object_literal_cannot_have_multiple_get_Slashset_accessors_with_the_same_name: diag(1118, 1, "An_object_literal_cannot_have_multiple_get_Slashset_accessors_with_the_same_name_1118", "An object literal cannot have multiple get/set accessors with the same name."), An_object_literal_cannot_have_property_and_accessor_with_the_same_name: diag(1119, 1, "An_object_literal_cannot_have_property_and_accessor_with_the_same_name_1119", "An object literal cannot have property and accessor with the same name."), An_export_assignment_cannot_have_modifiers: diag(1120, 1, "An_export_assignment_cannot_have_modifiers_1120", "An export assignment cannot have modifiers."), Octal_literals_are_not_allowed_Use_the_syntax_0: diag(1121, 1, "Octal_literals_are_not_allowed_Use_the_syntax_0_1121", "Octal literals are not allowed. Use the syntax '{0}'."), Variable_declaration_list_cannot_be_empty: diag(1123, 1, "Variable_declaration_list_cannot_be_empty_1123", "Variable declaration list cannot be empty."), Digit_expected: diag(1124, 1, "Digit_expected_1124", "Digit expected."), Hexadecimal_digit_expected: diag(1125, 1, "Hexadecimal_digit_expected_1125", "Hexadecimal digit expected."), Unexpected_end_of_text: diag(1126, 1, "Unexpected_end_of_text_1126", "Unexpected end of text."), Invalid_character: diag(1127, 1, "Invalid_character_1127", "Invalid character."), Declaration_or_statement_expected: diag(1128, 1, "Declaration_or_statement_expected_1128", "Declaration or statement expected."), Statement_expected: diag(1129, 1, "Statement_expected_1129", "Statement expected."), case_or_default_expected: diag(1130, 1, "case_or_default_expected_1130", "'case' or 'default' expected."), Property_or_signature_expected: diag(1131, 1, "Property_or_signature_expected_1131", "Property or signature expected."), Enum_member_expected: diag(1132, 1, "Enum_member_expected_1132", "Enum member expected."), Variable_declaration_expected: diag(1134, 1, "Variable_declaration_expected_1134", "Variable declaration expected."), Argument_expression_expected: diag(1135, 1, "Argument_expression_expected_1135", "Argument expression expected."), Property_assignment_expected: diag(1136, 1, "Property_assignment_expected_1136", "Property assignment expected."), Expression_or_comma_expected: diag(1137, 1, "Expression_or_comma_expected_1137", "Expression or comma expected."), Parameter_declaration_expected: diag(1138, 1, "Parameter_declaration_expected_1138", "Parameter declaration expected."), Type_parameter_declaration_expected: diag(1139, 1, "Type_parameter_declaration_expected_1139", "Type parameter declaration expected."), Type_argument_expected: diag(1140, 1, "Type_argument_expected_1140", "Type argument expected."), String_literal_expected: diag(1141, 1, "String_literal_expected_1141", "String literal expected."), Line_break_not_permitted_here: diag(1142, 1, "Line_break_not_permitted_here_1142", "Line break not permitted here."), or_expected: diag(1144, 1, "or_expected_1144", "'{' or ';' expected."), or_JSX_element_expected: diag(1145, 1, "or_JSX_element_expected_1145", "'{' or JSX element expected."), Declaration_expected: diag(1146, 1, "Declaration_expected_1146", "Declaration expected."), Import_declarations_in_a_namespace_cannot_reference_a_module: diag(1147, 1, "Import_declarations_in_a_namespace_cannot_reference_a_module_1147", "Import declarations in a namespace cannot reference a module."), Cannot_use_imports_exports_or_module_augmentations_when_module_is_none: diag(1148, 1, "Cannot_use_imports_exports_or_module_augmentations_when_module_is_none_1148", "Cannot use imports, exports, or module augmentations when '--module' is 'none'."), File_name_0_differs_from_already_included_file_name_1_only_in_casing: diag(1149, 1, "File_name_0_differs_from_already_included_file_name_1_only_in_casing_1149", "File name '{0}' differs from already included file name '{1}' only in casing."), _0_declarations_must_be_initialized: diag(1155, 1, "_0_declarations_must_be_initialized_1155", "'{0}' declarations must be initialized."), _0_declarations_can_only_be_declared_inside_a_block: diag(1156, 1, "_0_declarations_can_only_be_declared_inside_a_block_1156", "'{0}' declarations can only be declared inside a block."), Unterminated_template_literal: diag(1160, 1, "Unterminated_template_literal_1160", "Unterminated template literal."), Unterminated_regular_expression_literal: diag(1161, 1, "Unterminated_regular_expression_literal_1161", "Unterminated regular expression literal."), An_object_member_cannot_be_declared_optional: diag(1162, 1, "An_object_member_cannot_be_declared_optional_1162", "An object member cannot be declared optional."), A_yield_expression_is_only_allowed_in_a_generator_body: diag(1163, 1, "A_yield_expression_is_only_allowed_in_a_generator_body_1163", "A 'yield' expression is only allowed in a generator body."), Computed_property_names_are_not_allowed_in_enums: diag(1164, 1, "Computed_property_names_are_not_allowed_in_enums_1164", "Computed property names are not allowed in enums."), A_computed_property_name_in_an_ambient_context_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type: diag(1165, 1, "A_computed_property_name_in_an_ambient_context_must_refer_to_an_expression_whose_type_is_a_literal_t_1165", "A computed property name in an ambient context must refer to an expression whose type is a literal type or a 'unique symbol' type."), A_computed_property_name_in_a_class_property_declaration_must_have_a_simple_literal_type_or_a_unique_symbol_type: diag(1166, 1, "A_computed_property_name_in_a_class_property_declaration_must_have_a_simple_literal_type_or_a_unique_1166", "A computed property name in a class property declaration must have a simple literal type or a 'unique symbol' type."), A_computed_property_name_in_a_method_overload_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type: diag(1168, 1, "A_computed_property_name_in_a_method_overload_must_refer_to_an_expression_whose_type_is_a_literal_ty_1168", "A computed property name in a method overload must refer to an expression whose type is a literal type or a 'unique symbol' type."), A_computed_property_name_in_an_interface_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type: diag(1169, 1, "A_computed_property_name_in_an_interface_must_refer_to_an_expression_whose_type_is_a_literal_type_or_1169", "A computed property name in an interface must refer to an expression whose type is a literal type or a 'unique symbol' type."), A_computed_property_name_in_a_type_literal_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type: diag(1170, 1, "A_computed_property_name_in_a_type_literal_must_refer_to_an_expression_whose_type_is_a_literal_type__1170", "A computed property name in a type literal must refer to an expression whose type is a literal type or a 'unique symbol' type."), A_comma_expression_is_not_allowed_in_a_computed_property_name: diag(1171, 1, "A_comma_expression_is_not_allowed_in_a_computed_property_name_1171", "A comma expression is not allowed in a computed property name."), extends_clause_already_seen: diag(1172, 1, "extends_clause_already_seen_1172", "'extends' clause already seen."), extends_clause_must_precede_implements_clause: diag(1173, 1, "extends_clause_must_precede_implements_clause_1173", "'extends' clause must precede 'implements' clause."), Classes_can_only_extend_a_single_class: diag(1174, 1, "Classes_can_only_extend_a_single_class_1174", "Classes can only extend a single class."), implements_clause_already_seen: diag(1175, 1, "implements_clause_already_seen_1175", "'implements' clause already seen."), Interface_declaration_cannot_have_implements_clause: diag(1176, 1, "Interface_declaration_cannot_have_implements_clause_1176", "Interface declaration cannot have 'implements' clause."), Binary_digit_expected: diag(1177, 1, "Binary_digit_expected_1177", "Binary digit expected."), Octal_digit_expected: diag(1178, 1, "Octal_digit_expected_1178", "Octal digit expected."), Unexpected_token_expected: diag(1179, 1, "Unexpected_token_expected_1179", "Unexpected token. '{' expected."), Property_destructuring_pattern_expected: diag(1180, 1, "Property_destructuring_pattern_expected_1180", "Property destructuring pattern expected."), Array_element_destructuring_pattern_expected: diag(1181, 1, "Array_element_destructuring_pattern_expected_1181", "Array element destructuring pattern expected."), A_destructuring_declaration_must_have_an_initializer: diag(1182, 1, "A_destructuring_declaration_must_have_an_initializer_1182", "A destructuring declaration must have an initializer."), An_implementation_cannot_be_declared_in_ambient_contexts: diag(1183, 1, "An_implementation_cannot_be_declared_in_ambient_contexts_1183", "An implementation cannot be declared in ambient contexts."), Modifiers_cannot_appear_here: diag(1184, 1, "Modifiers_cannot_appear_here_1184", "Modifiers cannot appear here."), Merge_conflict_marker_encountered: diag(1185, 1, "Merge_conflict_marker_encountered_1185", "Merge conflict marker encountered."), A_rest_element_cannot_have_an_initializer: diag(1186, 1, "A_rest_element_cannot_have_an_initializer_1186", "A rest element cannot have an initializer."), A_parameter_property_may_not_be_declared_using_a_binding_pattern: diag(1187, 1, "A_parameter_property_may_not_be_declared_using_a_binding_pattern_1187", "A parameter property may not be declared using a binding pattern."), Only_a_single_variable_declaration_is_allowed_in_a_for_of_statement: diag(1188, 1, "Only_a_single_variable_declaration_is_allowed_in_a_for_of_statement_1188", "Only a single variable declaration is allowed in a 'for...of' statement."), The_variable_declaration_of_a_for_in_statement_cannot_have_an_initializer: diag(1189, 1, "The_variable_declaration_of_a_for_in_statement_cannot_have_an_initializer_1189", "The variable declaration of a 'for...in' statement cannot have an initializer."), The_variable_declaration_of_a_for_of_statement_cannot_have_an_initializer: diag(1190, 1, "The_variable_declaration_of_a_for_of_statement_cannot_have_an_initializer_1190", "The variable declaration of a 'for...of' statement cannot have an initializer."), An_import_declaration_cannot_have_modifiers: diag(1191, 1, "An_import_declaration_cannot_have_modifiers_1191", "An import declaration cannot have modifiers."), Module_0_has_no_default_export: diag(1192, 1, "Module_0_has_no_default_export_1192", "Module '{0}' has no default export."), An_export_declaration_cannot_have_modifiers: diag(1193, 1, "An_export_declaration_cannot_have_modifiers_1193", "An export declaration cannot have modifiers."), Export_declarations_are_not_permitted_in_a_namespace: diag(1194, 1, "Export_declarations_are_not_permitted_in_a_namespace_1194", "Export declarations are not permitted in a namespace."), export_Asterisk_does_not_re_export_a_default: diag(1195, 1, "export_Asterisk_does_not_re_export_a_default_1195", "'export *' does not re-export a default."), Catch_clause_variable_type_annotation_must_be_any_or_unknown_if_specified: diag(1196, 1, "Catch_clause_variable_type_annotation_must_be_any_or_unknown_if_specified_1196", "Catch clause variable type annotation must be 'any' or 'unknown' if specified."), Catch_clause_variable_cannot_have_an_initializer: diag(1197, 1, "Catch_clause_variable_cannot_have_an_initializer_1197", "Catch clause variable cannot have an initializer."), An_extended_Unicode_escape_value_must_be_between_0x0_and_0x10FFFF_inclusive: diag(1198, 1, "An_extended_Unicode_escape_value_must_be_between_0x0_and_0x10FFFF_inclusive_1198", "An extended Unicode escape value must be between 0x0 and 0x10FFFF inclusive."), Unterminated_Unicode_escape_sequence: diag(1199, 1, "Unterminated_Unicode_escape_sequence_1199", "Unterminated Unicode escape sequence."), Line_terminator_not_permitted_before_arrow: diag(1200, 1, "Line_terminator_not_permitted_before_arrow_1200", "Line terminator not permitted before arrow."), Import_assignment_cannot_be_used_when_targeting_ECMAScript_modules_Consider_using_import_Asterisk_as_ns_from_mod_import_a_from_mod_import_d_from_mod_or_another_module_format_instead: diag(1202, 1, "Import_assignment_cannot_be_used_when_targeting_ECMAScript_modules_Consider_using_import_Asterisk_as_1202", `Import assignment cannot be used when targeting ECMAScript modules. Consider using 'import * as ns from "mod"', 'import {a} from "mod"', 'import d from "mod"', or another module format instead.`), Export_assignment_cannot_be_used_when_targeting_ECMAScript_modules_Consider_using_export_default_or_another_module_format_instead: diag(1203, 1, "Export_assignment_cannot_be_used_when_targeting_ECMAScript_modules_Consider_using_export_default_or__1203", "Export assignment cannot be used when targeting ECMAScript modules. Consider using 'export default' or another module format instead."), Re_exporting_a_type_when_0_is_enabled_requires_using_export_type: diag(1205, 1, "Re_exporting_a_type_when_0_is_enabled_requires_using_export_type_1205", "Re-exporting a type when '{0}' is enabled requires using 'export type'."), Decorators_are_not_valid_here: diag(1206, 1, "Decorators_are_not_valid_here_1206", "Decorators are not valid here."), Decorators_cannot_be_applied_to_multiple_get_Slashset_accessors_of_the_same_name: diag(1207, 1, "Decorators_cannot_be_applied_to_multiple_get_Slashset_accessors_of_the_same_name_1207", "Decorators cannot be applied to multiple get/set accessors of the same name."), Invalid_optional_chain_from_new_expression_Did_you_mean_to_call_0: diag(1209, 1, "Invalid_optional_chain_from_new_expression_Did_you_mean_to_call_0_1209", "Invalid optional chain from new expression. Did you mean to call '{0}()'?"), Code_contained_in_a_class_is_evaluated_in_JavaScript_s_strict_mode_which_does_not_allow_this_use_of_0_For_more_information_see_https_Colon_Slash_Slashdeveloper_mozilla_org_Slashen_US_Slashdocs_SlashWeb_SlashJavaScript_SlashReference_SlashStrict_mode: diag(1210, 1, "Code_contained_in_a_class_is_evaluated_in_JavaScript_s_strict_mode_which_does_not_allow_this_use_of__1210", "Code contained in a class is evaluated in JavaScript's strict mode which does not allow this use of '{0}'. For more information, see https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Strict_mode."), A_class_declaration_without_the_default_modifier_must_have_a_name: diag(1211, 1, "A_class_declaration_without_the_default_modifier_must_have_a_name_1211", "A class declaration without the 'default' modifier must have a name."), Identifier_expected_0_is_a_reserved_word_in_strict_mode: diag(1212, 1, "Identifier_expected_0_is_a_reserved_word_in_strict_mode_1212", "Identifier expected. '{0}' is a reserved word in strict mode."), Identifier_expected_0_is_a_reserved_word_in_strict_mode_Class_definitions_are_automatically_in_strict_mode: diag(1213, 1, "Identifier_expected_0_is_a_reserved_word_in_strict_mode_Class_definitions_are_automatically_in_stric_1213", "Identifier expected. '{0}' is a reserved word in strict mode. Class definitions are automatically in strict mode."), Identifier_expected_0_is_a_reserved_word_in_strict_mode_Modules_are_automatically_in_strict_mode: diag(1214, 1, "Identifier_expected_0_is_a_reserved_word_in_strict_mode_Modules_are_automatically_in_strict_mode_1214", "Identifier expected. '{0}' is a reserved word in strict mode. Modules are automatically in strict mode."), Invalid_use_of_0_Modules_are_automatically_in_strict_mode: diag(1215, 1, "Invalid_use_of_0_Modules_are_automatically_in_strict_mode_1215", "Invalid use of '{0}'. Modules are automatically in strict mode."), Identifier_expected_esModule_is_reserved_as_an_exported_marker_when_transforming_ECMAScript_modules: diag(1216, 1, "Identifier_expected_esModule_is_reserved_as_an_exported_marker_when_transforming_ECMAScript_modules_1216", "Identifier expected. '__esModule' is reserved as an exported marker when transforming ECMAScript modules."), Export_assignment_is_not_supported_when_module_flag_is_system: diag(1218, 1, "Export_assignment_is_not_supported_when_module_flag_is_system_1218", "Export assignment is not supported when '--module' flag is 'system'."), Generators_are_not_allowed_in_an_ambient_context: diag(1221, 1, "Generators_are_not_allowed_in_an_ambient_context_1221", "Generators are not allowed in an ambient context."), An_overload_signature_cannot_be_declared_as_a_generator: diag(1222, 1, "An_overload_signature_cannot_be_declared_as_a_generator_1222", "An overload signature cannot be declared as a generator."), _0_tag_already_specified: diag(1223, 1, "_0_tag_already_specified_1223", "'{0}' tag already specified."), Signature_0_must_be_a_type_predicate: diag(1224, 1, "Signature_0_must_be_a_type_predicate_1224", "Signature '{0}' must be a type predicate."), Cannot_find_parameter_0: diag(1225, 1, "Cannot_find_parameter_0_1225", "Cannot find parameter '{0}'."), Type_predicate_0_is_not_assignable_to_1: diag(1226, 1, "Type_predicate_0_is_not_assignable_to_1_1226", "Type predicate '{0}' is not assignable to '{1}'."), Parameter_0_is_not_in_the_same_position_as_parameter_1: diag(1227, 1, "Parameter_0_is_not_in_the_same_position_as_parameter_1_1227", "Parameter '{0}' is not in the same position as parameter '{1}'."), A_type_predicate_is_only_allowed_in_return_type_position_for_functions_and_methods: diag(1228, 1, "A_type_predicate_is_only_allowed_in_return_type_position_for_functions_and_methods_1228", "A type predicate is only allowed in return type position for functions and methods."), A_type_predicate_cannot_reference_a_rest_parameter: diag(1229, 1, "A_type_predicate_cannot_reference_a_rest_parameter_1229", "A type predicate cannot reference a rest parameter."), A_type_predicate_cannot_reference_element_0_in_a_binding_pattern: diag(1230, 1, "A_type_predicate_cannot_reference_element_0_in_a_binding_pattern_1230", "A type predicate cannot reference element '{0}' in a binding pattern."), An_export_assignment_must_be_at_the_top_level_of_a_file_or_module_declaration: diag(1231, 1, "An_export_assignment_must_be_at_the_top_level_of_a_file_or_module_declaration_1231", "An export assignment must be at the top level of a file or module declaration."), An_import_declaration_can_only_be_used_at_the_top_level_of_a_namespace_or_module: diag(1232, 1, "An_import_declaration_can_only_be_used_at_the_top_level_of_a_namespace_or_module_1232", "An import declaration can only be used at the top level of a namespace or module."), An_export_declaration_can_only_be_used_at_the_top_level_of_a_namespace_or_module: diag(1233, 1, "An_export_declaration_can_only_be_used_at_the_top_level_of_a_namespace_or_module_1233", "An export declaration can only be used at the top level of a namespace or module."), An_ambient_module_declaration_is_only_allowed_at_the_top_level_in_a_file: diag(1234, 1, "An_ambient_module_declaration_is_only_allowed_at_the_top_level_in_a_file_1234", "An ambient module declaration is only allowed at the top level in a file."), A_namespace_declaration_is_only_allowed_at_the_top_level_of_a_namespace_or_module: diag(1235, 1, "A_namespace_declaration_is_only_allowed_at_the_top_level_of_a_namespace_or_module_1235", "A namespace declaration is only allowed at the top level of a namespace or module."), The_return_type_of_a_property_decorator_function_must_be_either_void_or_any: diag(1236, 1, "The_return_type_of_a_property_decorator_function_must_be_either_void_or_any_1236", "The return type of a property decorator function must be either 'void' or 'any'."), The_return_type_of_a_parameter_decorator_function_must_be_either_void_or_any: diag(1237, 1, "The_return_type_of_a_parameter_decorator_function_must_be_either_void_or_any_1237", "The return type of a parameter decorator function must be either 'void' or 'any'."), Unable_to_resolve_signature_of_class_decorator_when_called_as_an_expression: diag(1238, 1, "Unable_to_resolve_signature_of_class_decorator_when_called_as_an_expression_1238", "Unable to resolve signature of class decorator when called as an expression."), Unable_to_resolve_signature_of_parameter_decorator_when_called_as_an_expression: diag(1239, 1, "Unable_to_resolve_signature_of_parameter_decorator_when_called_as_an_expression_1239", "Unable to resolve signature of parameter decorator when called as an expression."), Unable_to_resolve_signature_of_property_decorator_when_called_as_an_expression: diag(1240, 1, "Unable_to_resolve_signature_of_property_decorator_when_called_as_an_expression_1240", "Unable to resolve signature of property decorator when called as an expression."), Unable_to_resolve_signature_of_method_decorator_when_called_as_an_expression: diag(1241, 1, "Unable_to_resolve_signature_of_method_decorator_when_called_as_an_expression_1241", "Unable to resolve signature of method decorator when called as an expression."), abstract_modifier_can_only_appear_on_a_class_method_or_property_declaration: diag(1242, 1, "abstract_modifier_can_only_appear_on_a_class_method_or_property_declaration_1242", "'abstract' modifier can only appear on a class, method, or property declaration."), _0_modifier_cannot_be_used_with_1_modifier: diag(1243, 1, "_0_modifier_cannot_be_used_with_1_modifier_1243", "'{0}' modifier cannot be used with '{1}' modifier."), Abstract_methods_can_only_appear_within_an_abstract_class: diag(1244, 1, "Abstract_methods_can_only_appear_within_an_abstract_class_1244", "Abstract methods can only appear within an abstract class."), Method_0_cannot_have_an_implementation_because_it_is_marked_abstract: diag(1245, 1, "Method_0_cannot_have_an_implementation_because_it_is_marked_abstract_1245", "Method '{0}' cannot have an implementation because it is marked abstract."), An_interface_property_cannot_have_an_initializer: diag(1246, 1, "An_interface_property_cannot_have_an_initializer_1246", "An interface property cannot have an initializer."), A_type_literal_property_cannot_have_an_initializer: diag(1247, 1, "A_type_literal_property_cannot_have_an_initializer_1247", "A type literal property cannot have an initializer."), A_class_member_cannot_have_the_0_keyword: diag(1248, 1, "A_class_member_cannot_have_the_0_keyword_1248", "A class member cannot have the '{0}' keyword."), A_decorator_can_only_decorate_a_method_implementation_not_an_overload: diag(1249, 1, "A_decorator_can_only_decorate_a_method_implementation_not_an_overload_1249", "A decorator can only decorate a method implementation, not an overload."), Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5: diag(1250, 1, "Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5_1250", "Function declarations are not allowed inside blocks in strict mode when targeting 'ES5'."), Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5_Class_definitions_are_automatically_in_strict_mode: diag(1251, 1, "Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5_Class_definiti_1251", "Function declarations are not allowed inside blocks in strict mode when targeting 'ES5'. Class definitions are automatically in strict mode."), Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5_Modules_are_automatically_in_strict_mode: diag(1252, 1, "Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5_Modules_are_au_1252", "Function declarations are not allowed inside blocks in strict mode when targeting 'ES5'. Modules are automatically in strict mode."), Abstract_properties_can_only_appear_within_an_abstract_class: diag(1253, 1, "Abstract_properties_can_only_appear_within_an_abstract_class_1253", "Abstract properties can only appear within an abstract class."), A_const_initializer_in_an_ambient_context_must_be_a_string_or_numeric_literal_or_literal_enum_reference: diag(1254, 1, "A_const_initializer_in_an_ambient_context_must_be_a_string_or_numeric_literal_or_literal_enum_refere_1254", "A 'const' initializer in an ambient context must be a string or numeric literal or literal enum reference."), A_definite_assignment_assertion_is_not_permitted_in_this_context: diag(1255, 1, "A_definite_assignment_assertion_is_not_permitted_in_this_context_1255", "A definite assignment assertion '!' is not permitted in this context."), A_required_element_cannot_follow_an_optional_element: diag(1257, 1, "A_required_element_cannot_follow_an_optional_element_1257", "A required element cannot follow an optional element."), A_default_export_must_be_at_the_top_level_of_a_file_or_module_declaration: diag(1258, 1, "A_default_export_must_be_at_the_top_level_of_a_file_or_module_declaration_1258", "A default export must be at the top level of a file or module declaration."), Module_0_can_only_be_default_imported_using_the_1_flag: diag(1259, 1, "Module_0_can_only_be_default_imported_using_the_1_flag_1259", "Module '{0}' can only be default-imported using the '{1}' flag"), Keywords_cannot_contain_escape_characters: diag(1260, 1, "Keywords_cannot_contain_escape_characters_1260", "Keywords cannot contain escape characters."), Already_included_file_name_0_differs_from_file_name_1_only_in_casing: diag(1261, 1, "Already_included_file_name_0_differs_from_file_name_1_only_in_casing_1261", "Already included file name '{0}' differs from file name '{1}' only in casing."), Identifier_expected_0_is_a_reserved_word_at_the_top_level_of_a_module: diag(1262, 1, "Identifier_expected_0_is_a_reserved_word_at_the_top_level_of_a_module_1262", "Identifier expected. '{0}' is a reserved word at the top-level of a module."), Declarations_with_initializers_cannot_also_have_definite_assignment_assertions: diag(1263, 1, "Declarations_with_initializers_cannot_also_have_definite_assignment_assertions_1263", "Declarations with initializers cannot also have definite assignment assertions."), Declarations_with_definite_assignment_assertions_must_also_have_type_annotations: diag(1264, 1, "Declarations_with_definite_assignment_assertions_must_also_have_type_annotations_1264", "Declarations with definite assignment assertions must also have type annotations."), A_rest_element_cannot_follow_another_rest_element: diag(1265, 1, "A_rest_element_cannot_follow_another_rest_element_1265", "A rest element cannot follow another rest element."), An_optional_element_cannot_follow_a_rest_element: diag(1266, 1, "An_optional_element_cannot_follow_a_rest_element_1266", "An optional element cannot follow a rest element."), Property_0_cannot_have_an_initializer_because_it_is_marked_abstract: diag(1267, 1, "Property_0_cannot_have_an_initializer_because_it_is_marked_abstract_1267", "Property '{0}' cannot have an initializer because it is marked abstract."), An_index_signature_parameter_type_must_be_string_number_symbol_or_a_template_literal_type: diag(1268, 1, "An_index_signature_parameter_type_must_be_string_number_symbol_or_a_template_literal_type_1268", "An index signature parameter type must be 'string', 'number', 'symbol', or a template literal type."), Cannot_use_export_import_on_a_type_or_type_only_namespace_when_0_is_enabled: diag(1269, 1, "Cannot_use_export_import_on_a_type_or_type_only_namespace_when_0_is_enabled_1269", "Cannot use 'export import' on a type or type-only namespace when '{0}' is enabled."), Decorator_function_return_type_0_is_not_assignable_to_type_1: diag(1270, 1, "Decorator_function_return_type_0_is_not_assignable_to_type_1_1270", "Decorator function return type '{0}' is not assignable to type '{1}'."), Decorator_function_return_type_is_0_but_is_expected_to_be_void_or_any: diag(1271, 1, "Decorator_function_return_type_is_0_but_is_expected_to_be_void_or_any_1271", "Decorator function return type is '{0}' but is expected to be 'void' or 'any'."), A_type_referenced_in_a_decorated_signature_must_be_imported_with_import_type_or_a_namespace_import_when_isolatedModules_and_emitDecoratorMetadata_are_enabled: diag(1272, 1, "A_type_referenced_in_a_decorated_signature_must_be_imported_with_import_type_or_a_namespace_import_w_1272", "A type referenced in a decorated signature must be imported with 'import type' or a namespace import when 'isolatedModules' and 'emitDecoratorMetadata' are enabled."), _0_modifier_cannot_appear_on_a_type_parameter: diag(1273, 1, "_0_modifier_cannot_appear_on_a_type_parameter_1273", "'{0}' modifier cannot appear on a type parameter"), _0_modifier_can_only_appear_on_a_type_parameter_of_a_class_interface_or_type_alias: diag(1274, 1, "_0_modifier_can_only_appear_on_a_type_parameter_of_a_class_interface_or_type_alias_1274", "'{0}' modifier can only appear on a type parameter of a class, interface or type alias"), accessor_modifier_can_only_appear_on_a_property_declaration: diag(1275, 1, "accessor_modifier_can_only_appear_on_a_property_declaration_1275", "'accessor' modifier can only appear on a property declaration."), An_accessor_property_cannot_be_declared_optional: diag(1276, 1, "An_accessor_property_cannot_be_declared_optional_1276", "An 'accessor' property cannot be declared optional."), _0_modifier_can_only_appear_on_a_type_parameter_of_a_function_method_or_class: diag(1277, 1, "_0_modifier_can_only_appear_on_a_type_parameter_of_a_function_method_or_class_1277", "'{0}' modifier can only appear on a type parameter of a function, method or class"), The_runtime_will_invoke_the_decorator_with_1_arguments_but_the_decorator_expects_0: diag(1278, 1, "The_runtime_will_invoke_the_decorator_with_1_arguments_but_the_decorator_expects_0_1278", "The runtime will invoke the decorator with {1} arguments, but the decorator expects {0}."), The_runtime_will_invoke_the_decorator_with_1_arguments_but_the_decorator_expects_at_least_0: diag(1279, 1, "The_runtime_will_invoke_the_decorator_with_1_arguments_but_the_decorator_expects_at_least_0_1279", "The runtime will invoke the decorator with {1} arguments, but the decorator expects at least {0}."), Namespaces_are_not_allowed_in_global_script_files_when_0_is_enabled_If_this_file_is_not_intended_to_be_a_global_script_set_moduleDetection_to_force_or_add_an_empty_export_statement: diag(1280, 1, "Namespaces_are_not_allowed_in_global_script_files_when_0_is_enabled_If_this_file_is_not_intended_to__1280", "Namespaces are not allowed in global script files when '{0}' is enabled. If this file is not intended to be a global script, set 'moduleDetection' to 'force' or add an empty 'export {}' statement."), Cannot_access_0_from_another_file_without_qualification_when_1_is_enabled_Use_2_instead: diag(1281, 1, "Cannot_access_0_from_another_file_without_qualification_when_1_is_enabled_Use_2_instead_1281", "Cannot access '{0}' from another file without qualification when '{1}' is enabled. Use '{2}' instead."), An_export_declaration_must_reference_a_value_when_verbatimModuleSyntax_is_enabled_but_0_only_refers_to_a_type: diag(1282, 1, "An_export_declaration_must_reference_a_value_when_verbatimModuleSyntax_is_enabled_but_0_only_refers__1282", "An 'export =' declaration must reference a value when 'verbatimModuleSyntax' is enabled, but '{0}' only refers to a type."), An_export_declaration_must_reference_a_real_value_when_verbatimModuleSyntax_is_enabled_but_0_resolves_to_a_type_only_declaration: diag(1283, 1, "An_export_declaration_must_reference_a_real_value_when_verbatimModuleSyntax_is_enabled_but_0_resolve_1283", "An 'export =' declaration must reference a real value when 'verbatimModuleSyntax' is enabled, but '{0}' resolves to a type-only declaration."), An_export_default_must_reference_a_value_when_verbatimModuleSyntax_is_enabled_but_0_only_refers_to_a_type: diag(1284, 1, "An_export_default_must_reference_a_value_when_verbatimModuleSyntax_is_enabled_but_0_only_refers_to_a_1284", "An 'export default' must reference a value when 'verbatimModuleSyntax' is enabled, but '{0}' only refers to a type."), An_export_default_must_reference_a_real_value_when_verbatimModuleSyntax_is_enabled_but_0_resolves_to_a_type_only_declaration: diag(1285, 1, "An_export_default_must_reference_a_real_value_when_verbatimModuleSyntax_is_enabled_but_0_resolves_to_1285", "An 'export default' must reference a real value when 'verbatimModuleSyntax' is enabled, but '{0}' resolves to a type-only declaration."), ESM_syntax_is_not_allowed_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled: diag(1286, 1, "ESM_syntax_is_not_allowed_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled_1286", "ESM syntax is not allowed in a CommonJS module when 'verbatimModuleSyntax' is enabled."), A_top_level_export_modifier_cannot_be_used_on_value_declarations_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled: diag(1287, 1, "A_top_level_export_modifier_cannot_be_used_on_value_declarations_in_a_CommonJS_module_when_verbatimM_1287", "A top-level 'export' modifier cannot be used on value declarations in a CommonJS module when 'verbatimModuleSyntax' is enabled."), An_import_alias_cannot_resolve_to_a_type_or_type_only_declaration_when_verbatimModuleSyntax_is_enabled: diag(1288, 1, "An_import_alias_cannot_resolve_to_a_type_or_type_only_declaration_when_verbatimModuleSyntax_is_enabl_1288", "An import alias cannot resolve to a type or type-only declaration when 'verbatimModuleSyntax' is enabled."), _0_resolves_to_a_type_only_declaration_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enabled_Consider_using_import_type_where_0_is_imported: diag(1289, 1, "_0_resolves_to_a_type_only_declaration_and_must_be_marked_type_only_in_this_file_before_re_exporting_1289", "'{0}' resolves to a type-only declaration and must be marked type-only in this file before re-exporting when '{1}' is enabled. Consider using 'import type' where '{0}' is imported."), _0_resolves_to_a_type_only_declaration_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enabled_Consider_using_export_type_0_as_default: diag(1290, 1, "_0_resolves_to_a_type_only_declaration_and_must_be_marked_type_only_in_this_file_before_re_exporting_1290", "'{0}' resolves to a type-only declaration and must be marked type-only in this file before re-exporting when '{1}' is enabled. Consider using 'export type { {0} as default }'."), _0_resolves_to_a_type_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enabled_Consider_using_import_type_where_0_is_imported: diag(1291, 1, "_0_resolves_to_a_type_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enable_1291", "'{0}' resolves to a type and must be marked type-only in this file before re-exporting when '{1}' is enabled. Consider using 'import type' where '{0}' is imported."), _0_resolves_to_a_type_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enabled_Consider_using_export_type_0_as_default: diag(1292, 1, "_0_resolves_to_a_type_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enable_1292", "'{0}' resolves to a type and must be marked type-only in this file before re-exporting when '{1}' is enabled. Consider using 'export type { {0} as default }'."), with_statements_are_not_allowed_in_an_async_function_block: diag(1300, 1, "with_statements_are_not_allowed_in_an_async_function_block_1300", "'with' statements are not allowed in an async function block."), await_expressions_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules: diag(1308, 1, "await_expressions_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules_1308", "'await' expressions are only allowed within async functions and at the top levels of modules."), The_current_file_is_a_CommonJS_module_and_cannot_use_await_at_the_top_level: diag(1309, 1, "The_current_file_is_a_CommonJS_module_and_cannot_use_await_at_the_top_level_1309", "The current file is a CommonJS module and cannot use 'await' at the top level."), Did_you_mean_to_use_a_Colon_An_can_only_follow_a_property_name_when_the_containing_object_literal_is_part_of_a_destructuring_pattern: diag(1312, 1, "Did_you_mean_to_use_a_Colon_An_can_only_follow_a_property_name_when_the_containing_object_literal_is_1312", "Did you mean to use a ':'? An '=' can only follow a property name when the containing object literal is part of a destructuring pattern."), The_body_of_an_if_statement_cannot_be_the_empty_statement: diag(1313, 1, "The_body_of_an_if_statement_cannot_be_the_empty_statement_1313", "The body of an 'if' statement cannot be the empty statement."), Global_module_exports_may_only_appear_in_module_files: diag(1314, 1, "Global_module_exports_may_only_appear_in_module_files_1314", "Global module exports may only appear in module files."), Global_module_exports_may_only_appear_in_declaration_files: diag(1315, 1, "Global_module_exports_may_only_appear_in_declaration_files_1315", "Global module exports may only appear in declaration files."), Global_module_exports_may_only_appear_at_top_level: diag(1316, 1, "Global_module_exports_may_only_appear_at_top_level_1316", "Global module exports may only appear at top level."), A_parameter_property_cannot_be_declared_using_a_rest_parameter: diag(1317, 1, "A_parameter_property_cannot_be_declared_using_a_rest_parameter_1317", "A parameter property cannot be declared using a rest parameter."), An_abstract_accessor_cannot_have_an_implementation: diag(1318, 1, "An_abstract_accessor_cannot_have_an_implementation_1318", "An abstract accessor cannot have an implementation."), A_default_export_can_only_be_used_in_an_ECMAScript_style_module: diag(1319, 1, "A_default_export_can_only_be_used_in_an_ECMAScript_style_module_1319", "A default export can only be used in an ECMAScript-style module."), Type_of_await_operand_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member: diag(1320, 1, "Type_of_await_operand_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member_1320", "Type of 'await' operand must either be a valid promise or must not contain a callable 'then' member."), Type_of_yield_operand_in_an_async_generator_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member: diag(1321, 1, "Type_of_yield_operand_in_an_async_generator_must_either_be_a_valid_promise_or_must_not_contain_a_cal_1321", "Type of 'yield' operand in an async generator must either be a valid promise or must not contain a callable 'then' member."), Type_of_iterated_elements_of_a_yield_Asterisk_operand_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member: diag(1322, 1, "Type_of_iterated_elements_of_a_yield_Asterisk_operand_must_either_be_a_valid_promise_or_must_not_con_1322", "Type of iterated elements of a 'yield*' operand must either be a valid promise or must not contain a callable 'then' member."), Dynamic_imports_are_only_supported_when_the_module_flag_is_set_to_es2020_es2022_esnext_commonjs_amd_system_umd_node16_or_nodenext: diag(1323, 1, "Dynamic_imports_are_only_supported_when_the_module_flag_is_set_to_es2020_es2022_esnext_commonjs_amd__1323", "Dynamic imports are only supported when the '--module' flag is set to 'es2020', 'es2022', 'esnext', 'commonjs', 'amd', 'system', 'umd', 'node16', or 'nodenext'."), Dynamic_imports_only_support_a_second_argument_when_the_module_option_is_set_to_esnext_node16_or_nodenext: diag(1324, 1, "Dynamic_imports_only_support_a_second_argument_when_the_module_option_is_set_to_esnext_node16_or_nod_1324", "Dynamic imports only support a second argument when the '--module' option is set to 'esnext', 'node16', or 'nodenext'."), Argument_of_dynamic_import_cannot_be_spread_element: diag(1325, 1, "Argument_of_dynamic_import_cannot_be_spread_element_1325", "Argument of dynamic import cannot be spread element."), This_use_of_import_is_invalid_import_calls_can_be_written_but_they_must_have_parentheses_and_cannot_have_type_arguments: diag(1326, 1, "This_use_of_import_is_invalid_import_calls_can_be_written_but_they_must_have_parentheses_and_cannot__1326", "This use of 'import' is invalid. 'import()' calls can be written, but they must have parentheses and cannot have type arguments."), String_literal_with_double_quotes_expected: diag(1327, 1, "String_literal_with_double_quotes_expected_1327", "String literal with double quotes expected."), Property_value_can_only_be_string_literal_numeric_literal_true_false_null_object_literal_or_array_literal: diag(1328, 1, "Property_value_can_only_be_string_literal_numeric_literal_true_false_null_object_literal_or_array_li_1328", "Property value can only be string literal, numeric literal, 'true', 'false', 'null', object literal or array literal."), _0_accepts_too_few_arguments_to_be_used_as_a_decorator_here_Did_you_mean_to_call_it_first_and_write_0: diag(1329, 1, "_0_accepts_too_few_arguments_to_be_used_as_a_decorator_here_Did_you_mean_to_call_it_first_and_write__1329", "'{0}' accepts too few arguments to be used as a decorator here. Did you mean to call it first and write '@{0}()'?"), A_property_of_an_interface_or_type_literal_whose_type_is_a_unique_symbol_type_must_be_readonly: diag(1330, 1, "A_property_of_an_interface_or_type_literal_whose_type_is_a_unique_symbol_type_must_be_readonly_1330", "A property of an interface or type literal whose type is a 'unique symbol' type must be 'readonly'."), A_property_of_a_class_whose_type_is_a_unique_symbol_type_must_be_both_static_and_readonly: diag(1331, 1, "A_property_of_a_class_whose_type_is_a_unique_symbol_type_must_be_both_static_and_readonly_1331", "A property of a class whose type is a 'unique symbol' type must be both 'static' and 'readonly'."), A_variable_whose_type_is_a_unique_symbol_type_must_be_const: diag(1332, 1, "A_variable_whose_type_is_a_unique_symbol_type_must_be_const_1332", "A variable whose type is a 'unique symbol' type must be 'const'."), unique_symbol_types_may_not_be_used_on_a_variable_declaration_with_a_binding_name: diag(1333, 1, "unique_symbol_types_may_not_be_used_on_a_variable_declaration_with_a_binding_name_1333", "'unique symbol' types may not be used on a variable declaration with a binding name."), unique_symbol_types_are_only_allowed_on_variables_in_a_variable_statement: diag(1334, 1, "unique_symbol_types_are_only_allowed_on_variables_in_a_variable_statement_1334", "'unique symbol' types are only allowed on variables in a variable statement."), unique_symbol_types_are_not_allowed_here: diag(1335, 1, "unique_symbol_types_are_not_allowed_here_1335", "'unique symbol' types are not allowed here."), An_index_signature_parameter_type_cannot_be_a_literal_type_or_generic_type_Consider_using_a_mapped_object_type_instead: diag(1337, 1, "An_index_signature_parameter_type_cannot_be_a_literal_type_or_generic_type_Consider_using_a_mapped_o_1337", "An index signature parameter type cannot be a literal type or generic type. Consider using a mapped object type instead."), infer_declarations_are_only_permitted_in_the_extends_clause_of_a_conditional_type: diag(1338, 1, "infer_declarations_are_only_permitted_in_the_extends_clause_of_a_conditional_type_1338", "'infer' declarations are only permitted in the 'extends' clause of a conditional type."), Module_0_does_not_refer_to_a_value_but_is_used_as_a_value_here: diag(1339, 1, "Module_0_does_not_refer_to_a_value_but_is_used_as_a_value_here_1339", "Module '{0}' does not refer to a value, but is used as a value here."), Module_0_does_not_refer_to_a_type_but_is_used_as_a_type_here_Did_you_mean_typeof_import_0: diag(1340, 1, "Module_0_does_not_refer_to_a_type_but_is_used_as_a_type_here_Did_you_mean_typeof_import_0_1340", "Module '{0}' does not refer to a type, but is used as a type here. Did you mean 'typeof import('{0}')'?"), Class_constructor_may_not_be_an_accessor: diag(1341, 1, "Class_constructor_may_not_be_an_accessor_1341", "Class constructor may not be an accessor."), The_import_meta_meta_property_is_only_allowed_when_the_module_option_is_es2020_es2022_esnext_system_node16_or_nodenext: diag(1343, 1, "The_import_meta_meta_property_is_only_allowed_when_the_module_option_is_es2020_es2022_esnext_system__1343", "The 'import.meta' meta-property is only allowed when the '--module' option is 'es2020', 'es2022', 'esnext', 'system', 'node16', or 'nodenext'."), A_label_is_not_allowed_here: diag(1344, 1, "A_label_is_not_allowed_here_1344", "'A label is not allowed here."), An_expression_of_type_void_cannot_be_tested_for_truthiness: diag(1345, 1, "An_expression_of_type_void_cannot_be_tested_for_truthiness_1345", "An expression of type 'void' cannot be tested for truthiness."), This_parameter_is_not_allowed_with_use_strict_directive: diag(1346, 1, "This_parameter_is_not_allowed_with_use_strict_directive_1346", "This parameter is not allowed with 'use strict' directive."), use_strict_directive_cannot_be_used_with_non_simple_parameter_list: diag(1347, 1, "use_strict_directive_cannot_be_used_with_non_simple_parameter_list_1347", "'use strict' directive cannot be used with non-simple parameter list."), Non_simple_parameter_declared_here: diag(1348, 1, "Non_simple_parameter_declared_here_1348", "Non-simple parameter declared here."), use_strict_directive_used_here: diag(1349, 1, "use_strict_directive_used_here_1349", "'use strict' directive used here."), Print_the_final_configuration_instead_of_building: diag(1350, 3, "Print_the_final_configuration_instead_of_building_1350", "Print the final configuration instead of building."), An_identifier_or_keyword_cannot_immediately_follow_a_numeric_literal: diag(1351, 1, "An_identifier_or_keyword_cannot_immediately_follow_a_numeric_literal_1351", "An identifier or keyword cannot immediately follow a numeric literal."), A_bigint_literal_cannot_use_exponential_notation: diag(1352, 1, "A_bigint_literal_cannot_use_exponential_notation_1352", "A bigint literal cannot use exponential notation."), A_bigint_literal_must_be_an_integer: diag(1353, 1, "A_bigint_literal_must_be_an_integer_1353", "A bigint literal must be an integer."), readonly_type_modifier_is_only_permitted_on_array_and_tuple_literal_types: diag(1354, 1, "readonly_type_modifier_is_only_permitted_on_array_and_tuple_literal_types_1354", "'readonly' type modifier is only permitted on array and tuple literal types."), A_const_assertions_can_only_be_applied_to_references_to_enum_members_or_string_number_boolean_array_or_object_literals: diag(1355, 1, "A_const_assertions_can_only_be_applied_to_references_to_enum_members_or_string_number_boolean_array__1355", "A 'const' assertions can only be applied to references to enum members, or string, number, boolean, array, or object literals."), Did_you_mean_to_mark_this_function_as_async: diag(1356, 1, "Did_you_mean_to_mark_this_function_as_async_1356", "Did you mean to mark this function as 'async'?"), An_enum_member_name_must_be_followed_by_a_or: diag(1357, 1, "An_enum_member_name_must_be_followed_by_a_or_1357", "An enum member name must be followed by a ',', '=', or '}'."), Tagged_template_expressions_are_not_permitted_in_an_optional_chain: diag(1358, 1, "Tagged_template_expressions_are_not_permitted_in_an_optional_chain_1358", "Tagged template expressions are not permitted in an optional chain."), Identifier_expected_0_is_a_reserved_word_that_cannot_be_used_here: diag(1359, 1, "Identifier_expected_0_is_a_reserved_word_that_cannot_be_used_here_1359", "Identifier expected. '{0}' is a reserved word that cannot be used here."), Type_0_does_not_satisfy_the_expected_type_1: diag(1360, 1, "Type_0_does_not_satisfy_the_expected_type_1_1360", "Type '{0}' does not satisfy the expected type '{1}'."), _0_cannot_be_used_as_a_value_because_it_was_imported_using_import_type: diag(1361, 1, "_0_cannot_be_used_as_a_value_because_it_was_imported_using_import_type_1361", "'{0}' cannot be used as a value because it was imported using 'import type'."), _0_cannot_be_used_as_a_value_because_it_was_exported_using_export_type: diag(1362, 1, "_0_cannot_be_used_as_a_value_because_it_was_exported_using_export_type_1362", "'{0}' cannot be used as a value because it was exported using 'export type'."), A_type_only_import_can_specify_a_default_import_or_named_bindings_but_not_both: diag(1363, 1, "A_type_only_import_can_specify_a_default_import_or_named_bindings_but_not_both_1363", "A type-only import can specify a default import or named bindings, but not both."), Convert_to_type_only_export: diag(1364, 3, "Convert_to_type_only_export_1364", "Convert to type-only export"), Convert_all_re_exported_types_to_type_only_exports: diag(1365, 3, "Convert_all_re_exported_types_to_type_only_exports_1365", "Convert all re-exported types to type-only exports"), Split_into_two_separate_import_declarations: diag(1366, 3, "Split_into_two_separate_import_declarations_1366", "Split into two separate import declarations"), Split_all_invalid_type_only_imports: diag(1367, 3, "Split_all_invalid_type_only_imports_1367", "Split all invalid type-only imports"), Class_constructor_may_not_be_a_generator: diag(1368, 1, "Class_constructor_may_not_be_a_generator_1368", "Class constructor may not be a generator."), Did_you_mean_0: diag(1369, 3, "Did_you_mean_0_1369", "Did you mean '{0}'?"), await_expressions_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module: diag(1375, 1, "await_expressions_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_fi_1375", "'await' expressions are only allowed at the top level of a file when that file is a module, but this file has no imports or exports. Consider adding an empty 'export {}' to make this file a module."), _0_was_imported_here: diag(1376, 3, "_0_was_imported_here_1376", "'{0}' was imported here."), _0_was_exported_here: diag(1377, 3, "_0_was_exported_here_1377", "'{0}' was exported here."), Top_level_await_expressions_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher: diag(1378, 1, "Top_level_await_expressions_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_n_1378", "Top-level 'await' expressions are only allowed when the 'module' option is set to 'es2022', 'esnext', 'system', 'node16', 'nodenext', or 'preserve', and the 'target' option is set to 'es2017' or higher."), An_import_alias_cannot_reference_a_declaration_that_was_exported_using_export_type: diag(1379, 1, "An_import_alias_cannot_reference_a_declaration_that_was_exported_using_export_type_1379", "An import alias cannot reference a declaration that was exported using 'export type'."), An_import_alias_cannot_reference_a_declaration_that_was_imported_using_import_type: diag(1380, 1, "An_import_alias_cannot_reference_a_declaration_that_was_imported_using_import_type_1380", "An import alias cannot reference a declaration that was imported using 'import type'."), Unexpected_token_Did_you_mean_or_rbrace: diag(1381, 1, "Unexpected_token_Did_you_mean_or_rbrace_1381", "Unexpected token. Did you mean `{'}'}` or `}`?"), Unexpected_token_Did_you_mean_or_gt: diag(1382, 1, "Unexpected_token_Did_you_mean_or_gt_1382", "Unexpected token. Did you mean `{'>'}` or `>`?"), Function_type_notation_must_be_parenthesized_when_used_in_a_union_type: diag(1385, 1, "Function_type_notation_must_be_parenthesized_when_used_in_a_union_type_1385", "Function type notation must be parenthesized when used in a union type."), Constructor_type_notation_must_be_parenthesized_when_used_in_a_union_type: diag(1386, 1, "Constructor_type_notation_must_be_parenthesized_when_used_in_a_union_type_1386", "Constructor type notation must be parenthesized when used in a union type."), Function_type_notation_must_be_parenthesized_when_used_in_an_intersection_type: diag(1387, 1, "Function_type_notation_must_be_parenthesized_when_used_in_an_intersection_type_1387", "Function type notation must be parenthesized when used in an intersection type."), Constructor_type_notation_must_be_parenthesized_when_used_in_an_intersection_type: diag(1388, 1, "Constructor_type_notation_must_be_parenthesized_when_used_in_an_intersection_type_1388", "Constructor type notation must be parenthesized when used in an intersection type."), _0_is_not_allowed_as_a_variable_declaration_name: diag(1389, 1, "_0_is_not_allowed_as_a_variable_declaration_name_1389", "'{0}' is not allowed as a variable declaration name."), _0_is_not_allowed_as_a_parameter_name: diag(1390, 1, "_0_is_not_allowed_as_a_parameter_name_1390", "'{0}' is not allowed as a parameter name."), An_import_alias_cannot_use_import_type: diag(1392, 1, "An_import_alias_cannot_use_import_type_1392", "An import alias cannot use 'import type'"), Imported_via_0_from_file_1: diag(1393, 3, "Imported_via_0_from_file_1_1393", "Imported via {0} from file '{1}'"), Imported_via_0_from_file_1_with_packageId_2: diag(1394, 3, "Imported_via_0_from_file_1_with_packageId_2_1394", "Imported via {0} from file '{1}' with packageId '{2}'"), Imported_via_0_from_file_1_to_import_importHelpers_as_specified_in_compilerOptions: diag(1395, 3, "Imported_via_0_from_file_1_to_import_importHelpers_as_specified_in_compilerOptions_1395", "Imported via {0} from file '{1}' to import 'importHelpers' as specified in compilerOptions"), Imported_via_0_from_file_1_with_packageId_2_to_import_importHelpers_as_specified_in_compilerOptions: diag(1396, 3, "Imported_via_0_from_file_1_with_packageId_2_to_import_importHelpers_as_specified_in_compilerOptions_1396", "Imported via {0} from file '{1}' with packageId '{2}' to import 'importHelpers' as specified in compilerOptions"), Imported_via_0_from_file_1_to_import_jsx_and_jsxs_factory_functions: diag(1397, 3, "Imported_via_0_from_file_1_to_import_jsx_and_jsxs_factory_functions_1397", "Imported via {0} from file '{1}' to import 'jsx' and 'jsxs' factory functions"), Imported_via_0_from_file_1_with_packageId_2_to_import_jsx_and_jsxs_factory_functions: diag(1398, 3, "Imported_via_0_from_file_1_with_packageId_2_to_import_jsx_and_jsxs_factory_functions_1398", "Imported via {0} from file '{1}' with packageId '{2}' to import 'jsx' and 'jsxs' factory functions"), File_is_included_via_import_here: diag(1399, 3, "File_is_included_via_import_here_1399", "File is included via import here."), Referenced_via_0_from_file_1: diag(1400, 3, "Referenced_via_0_from_file_1_1400", "Referenced via '{0}' from file '{1}'"), File_is_included_via_reference_here: diag(1401, 3, "File_is_included_via_reference_here_1401", "File is included via reference here."), Type_library_referenced_via_0_from_file_1: diag(1402, 3, "Type_library_referenced_via_0_from_file_1_1402", "Type library referenced via '{0}' from file '{1}'"), Type_library_referenced_via_0_from_file_1_with_packageId_2: diag(1403, 3, "Type_library_referenced_via_0_from_file_1_with_packageId_2_1403", "Type library referenced via '{0}' from file '{1}' with packageId '{2}'"), File_is_included_via_type_library_reference_here: diag(1404, 3, "File_is_included_via_type_library_reference_here_1404", "File is included via type library reference here."), Library_referenced_via_0_from_file_1: diag(1405, 3, "Library_referenced_via_0_from_file_1_1405", "Library referenced via '{0}' from file '{1}'"), File_is_included_via_library_reference_here: diag(1406, 3, "File_is_included_via_library_reference_here_1406", "File is included via library reference here."), Matched_by_include_pattern_0_in_1: diag(1407, 3, "Matched_by_include_pattern_0_in_1_1407", "Matched by include pattern '{0}' in '{1}'"), File_is_matched_by_include_pattern_specified_here: diag(1408, 3, "File_is_matched_by_include_pattern_specified_here_1408", "File is matched by include pattern specified here."), Part_of_files_list_in_tsconfig_json: diag(1409, 3, "Part_of_files_list_in_tsconfig_json_1409", "Part of 'files' list in tsconfig.json"), File_is_matched_by_files_list_specified_here: diag(1410, 3, "File_is_matched_by_files_list_specified_here_1410", "File is matched by 'files' list specified here."), Output_from_referenced_project_0_included_because_1_specified: diag(1411, 3, "Output_from_referenced_project_0_included_because_1_specified_1411", "Output from referenced project '{0}' included because '{1}' specified"), Output_from_referenced_project_0_included_because_module_is_specified_as_none: diag(1412, 3, "Output_from_referenced_project_0_included_because_module_is_specified_as_none_1412", "Output from referenced project '{0}' included because '--module' is specified as 'none'"), File_is_output_from_referenced_project_specified_here: diag(1413, 3, "File_is_output_from_referenced_project_specified_here_1413", "File is output from referenced project specified here."), Source_from_referenced_project_0_included_because_1_specified: diag(1414, 3, "Source_from_referenced_project_0_included_because_1_specified_1414", "Source from referenced project '{0}' included because '{1}' specified"), Source_from_referenced_project_0_included_because_module_is_specified_as_none: diag(1415, 3, "Source_from_referenced_project_0_included_because_module_is_specified_as_none_1415", "Source from referenced project '{0}' included because '--module' is specified as 'none'"), File_is_source_from_referenced_project_specified_here: diag(1416, 3, "File_is_source_from_referenced_project_specified_here_1416", "File is source from referenced project specified here."), Entry_point_of_type_library_0_specified_in_compilerOptions: diag(1417, 3, "Entry_point_of_type_library_0_specified_in_compilerOptions_1417", "Entry point of type library '{0}' specified in compilerOptions"), Entry_point_of_type_library_0_specified_in_compilerOptions_with_packageId_1: diag(1418, 3, "Entry_point_of_type_library_0_specified_in_compilerOptions_with_packageId_1_1418", "Entry point of type library '{0}' specified in compilerOptions with packageId '{1}'"), File_is_entry_point_of_type_library_specified_here: diag(1419, 3, "File_is_entry_point_of_type_library_specified_here_1419", "File is entry point of type library specified here."), Entry_point_for_implicit_type_library_0: diag(1420, 3, "Entry_point_for_implicit_type_library_0_1420", "Entry point for implicit type library '{0}'"), Entry_point_for_implicit_type_library_0_with_packageId_1: diag(1421, 3, "Entry_point_for_implicit_type_library_0_with_packageId_1_1421", "Entry point for implicit type library '{0}' with packageId '{1}'"), Library_0_specified_in_compilerOptions: diag(1422, 3, "Library_0_specified_in_compilerOptions_1422", "Library '{0}' specified in compilerOptions"), File_is_library_specified_here: diag(1423, 3, "File_is_library_specified_here_1423", "File is library specified here."), Default_library: diag(1424, 3, "Default_library_1424", "Default library"), Default_library_for_target_0: diag(1425, 3, "Default_library_for_target_0_1425", "Default library for target '{0}'"), File_is_default_library_for_target_specified_here: diag(1426, 3, "File_is_default_library_for_target_specified_here_1426", "File is default library for target specified here."), Root_file_specified_for_compilation: diag(1427, 3, "Root_file_specified_for_compilation_1427", "Root file specified for compilation"), File_is_output_of_project_reference_source_0: diag(1428, 3, "File_is_output_of_project_reference_source_0_1428", "File is output of project reference source '{0}'"), File_redirects_to_file_0: diag(1429, 3, "File_redirects_to_file_0_1429", "File redirects to file '{0}'"), The_file_is_in_the_program_because_Colon: diag(1430, 3, "The_file_is_in_the_program_because_Colon_1430", "The file is in the program because:"), for_await_loops_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module: diag(1431, 1, "for_await_loops_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_1431", "'for await' loops are only allowed at the top level of a file when that file is a module, but this file has no imports or exports. Consider adding an empty 'export {}' to make this file a module."), Top_level_for_await_loops_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher: diag(1432, 1, "Top_level_for_await_loops_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_nod_1432", "Top-level 'for await' loops are only allowed when the 'module' option is set to 'es2022', 'esnext', 'system', 'node16', 'nodenext', or 'preserve', and the 'target' option is set to 'es2017' or higher."), Neither_decorators_nor_modifiers_may_be_applied_to_this_parameters: diag(1433, 1, "Neither_decorators_nor_modifiers_may_be_applied_to_this_parameters_1433", "Neither decorators nor modifiers may be applied to 'this' parameters."), Unexpected_keyword_or_identifier: diag(1434, 1, "Unexpected_keyword_or_identifier_1434", "Unexpected keyword or identifier."), Unknown_keyword_or_identifier_Did_you_mean_0: diag(1435, 1, "Unknown_keyword_or_identifier_Did_you_mean_0_1435", "Unknown keyword or identifier. Did you mean '{0}'?"), Decorators_must_precede_the_name_and_all_keywords_of_property_declarations: diag(1436, 1, "Decorators_must_precede_the_name_and_all_keywords_of_property_declarations_1436", "Decorators must precede the name and all keywords of property declarations."), Namespace_must_be_given_a_name: diag(1437, 1, "Namespace_must_be_given_a_name_1437", "Namespace must be given a name."), Interface_must_be_given_a_name: diag(1438, 1, "Interface_must_be_given_a_name_1438", "Interface must be given a name."), Type_alias_must_be_given_a_name: diag(1439, 1, "Type_alias_must_be_given_a_name_1439", "Type alias must be given a name."), Variable_declaration_not_allowed_at_this_location: diag(1440, 1, "Variable_declaration_not_allowed_at_this_location_1440", "Variable declaration not allowed at this location."), Cannot_start_a_function_call_in_a_type_annotation: diag(1441, 1, "Cannot_start_a_function_call_in_a_type_annotation_1441", "Cannot start a function call in a type annotation."), Expected_for_property_initializer: diag(1442, 1, "Expected_for_property_initializer_1442", "Expected '=' for property initializer."), Module_declaration_names_may_only_use_or_quoted_strings: diag(1443, 1, "Module_declaration_names_may_only_use_or_quoted_strings_1443", `Module declaration names may only use ' or " quoted strings.`), _0_resolves_to_a_type_only_declaration_and_must_be_re_exported_using_a_type_only_re_export_when_1_is_enabled: diag(1448, 1, "_0_resolves_to_a_type_only_declaration_and_must_be_re_exported_using_a_type_only_re_export_when_1_is_1448", "'{0}' resolves to a type-only declaration and must be re-exported using a type-only re-export when '{1}' is enabled."), Preserve_unused_imported_values_in_the_JavaScript_output_that_would_otherwise_be_removed: diag(1449, 3, "Preserve_unused_imported_values_in_the_JavaScript_output_that_would_otherwise_be_removed_1449", "Preserve unused imported values in the JavaScript output that would otherwise be removed."), Dynamic_imports_can_only_accept_a_module_specifier_and_an_optional_set_of_attributes_as_arguments: diag(1450, 3, "Dynamic_imports_can_only_accept_a_module_specifier_and_an_optional_set_of_attributes_as_arguments_1450", "Dynamic imports can only accept a module specifier and an optional set of attributes as arguments"), Private_identifiers_are_only_allowed_in_class_bodies_and_may_only_be_used_as_part_of_a_class_member_declaration_property_access_or_on_the_left_hand_side_of_an_in_expression: diag(1451, 1, "Private_identifiers_are_only_allowed_in_class_bodies_and_may_only_be_used_as_part_of_a_class_member__1451", "Private identifiers are only allowed in class bodies and may only be used as part of a class member declaration, property access, or on the left-hand-side of an 'in' expression"), resolution_mode_should_be_either_require_or_import: diag(1453, 1, "resolution_mode_should_be_either_require_or_import_1453", "`resolution-mode` should be either `require` or `import`."), resolution_mode_can_only_be_set_for_type_only_imports: diag(1454, 1, "resolution_mode_can_only_be_set_for_type_only_imports_1454", "`resolution-mode` can only be set for type-only imports."), resolution_mode_is_the_only_valid_key_for_type_import_assertions: diag(1455, 1, "resolution_mode_is_the_only_valid_key_for_type_import_assertions_1455", "`resolution-mode` is the only valid key for type import assertions."), Type_import_assertions_should_have_exactly_one_key_resolution_mode_with_value_import_or_require: diag(1456, 1, "Type_import_assertions_should_have_exactly_one_key_resolution_mode_with_value_import_or_require_1456", "Type import assertions should have exactly one key - `resolution-mode` - with value `import` or `require`."), Matched_by_default_include_pattern_Asterisk_Asterisk_Slash_Asterisk: diag(1457, 3, "Matched_by_default_include_pattern_Asterisk_Asterisk_Slash_Asterisk_1457", "Matched by default include pattern '**/*'"), File_is_ECMAScript_module_because_0_has_field_type_with_value_module: diag(1458, 3, "File_is_ECMAScript_module_because_0_has_field_type_with_value_module_1458", `File is ECMAScript module because '{0}' has field "type" with value "module"`), File_is_CommonJS_module_because_0_has_field_type_whose_value_is_not_module: diag(1459, 3, "File_is_CommonJS_module_because_0_has_field_type_whose_value_is_not_module_1459", `File is CommonJS module because '{0}' has field "type" whose value is not "module"`), File_is_CommonJS_module_because_0_does_not_have_field_type: diag(1460, 3, "File_is_CommonJS_module_because_0_does_not_have_field_type_1460", `File is CommonJS module because '{0}' does not have field "type"`), File_is_CommonJS_module_because_package_json_was_not_found: diag(1461, 3, "File_is_CommonJS_module_because_package_json_was_not_found_1461", "File is CommonJS module because 'package.json' was not found"), resolution_mode_is_the_only_valid_key_for_type_import_attributes: diag(1463, 1, "resolution_mode_is_the_only_valid_key_for_type_import_attributes_1463", "'resolution-mode' is the only valid key for type import attributes."), Type_import_attributes_should_have_exactly_one_key_resolution_mode_with_value_import_or_require: diag(1464, 1, "Type_import_attributes_should_have_exactly_one_key_resolution_mode_with_value_import_or_require_1464", "Type import attributes should have exactly one key - 'resolution-mode' - with value 'import' or 'require'."), The_import_meta_meta_property_is_not_allowed_in_files_which_will_build_into_CommonJS_output: diag(1470, 1, "The_import_meta_meta_property_is_not_allowed_in_files_which_will_build_into_CommonJS_output_1470", "The 'import.meta' meta-property is not allowed in files which will build into CommonJS output."), Module_0_cannot_be_imported_using_this_construct_The_specifier_only_resolves_to_an_ES_module_which_cannot_be_imported_with_require_Use_an_ECMAScript_import_instead: diag(1471, 1, "Module_0_cannot_be_imported_using_this_construct_The_specifier_only_resolves_to_an_ES_module_which_c_1471", "Module '{0}' cannot be imported using this construct. The specifier only resolves to an ES module, which cannot be imported with 'require'. Use an ECMAScript import instead."), catch_or_finally_expected: diag(1472, 1, "catch_or_finally_expected_1472", "'catch' or 'finally' expected."), An_import_declaration_can_only_be_used_at_the_top_level_of_a_module: diag(1473, 1, "An_import_declaration_can_only_be_used_at_the_top_level_of_a_module_1473", "An import declaration can only be used at the top level of a module."), An_export_declaration_can_only_be_used_at_the_top_level_of_a_module: diag(1474, 1, "An_export_declaration_can_only_be_used_at_the_top_level_of_a_module_1474", "An export declaration can only be used at the top level of a module."), Control_what_method_is_used_to_detect_module_format_JS_files: diag(1475, 3, "Control_what_method_is_used_to_detect_module_format_JS_files_1475", "Control what method is used to detect module-format JS files."), auto_Colon_Treat_files_with_imports_exports_import_meta_jsx_with_jsx_Colon_react_jsx_or_esm_format_with_module_Colon_node16_as_modules: diag(1476, 3, "auto_Colon_Treat_files_with_imports_exports_import_meta_jsx_with_jsx_Colon_react_jsx_or_esm_format_w_1476", '"auto": Treat files with imports, exports, import.meta, jsx (with jsx: react-jsx), or esm format (with module: node16+) as modules.'), An_instantiation_expression_cannot_be_followed_by_a_property_access: diag(1477, 1, "An_instantiation_expression_cannot_be_followed_by_a_property_access_1477", "An instantiation expression cannot be followed by a property access."), Identifier_or_string_literal_expected: diag(1478, 1, "Identifier_or_string_literal_expected_1478", "Identifier or string literal expected."), The_current_file_is_a_CommonJS_module_whose_imports_will_produce_require_calls_however_the_referenced_file_is_an_ECMAScript_module_and_cannot_be_imported_with_require_Consider_writing_a_dynamic_import_0_call_instead: diag(1479, 1, "The_current_file_is_a_CommonJS_module_whose_imports_will_produce_require_calls_however_the_reference_1479", `The current file is a CommonJS module whose imports will produce 'require' calls; however, the referenced file is an ECMAScript module and cannot be imported with 'require'. Consider writing a dynamic 'import("{0}")' call instead.`), To_convert_this_file_to_an_ECMAScript_module_change_its_file_extension_to_0_or_create_a_local_package_json_file_with_type_Colon_module: diag(1480, 3, "To_convert_this_file_to_an_ECMAScript_module_change_its_file_extension_to_0_or_create_a_local_packag_1480", 'To convert this file to an ECMAScript module, change its file extension to \'{0}\' or create a local package.json file with `{ "type": "module" }`.'), To_convert_this_file_to_an_ECMAScript_module_change_its_file_extension_to_0_or_add_the_field_type_Colon_module_to_1: diag(1481, 3, "To_convert_this_file_to_an_ECMAScript_module_change_its_file_extension_to_0_or_add_the_field_type_Co_1481", `To convert this file to an ECMAScript module, change its file extension to '{0}', or add the field \`"type": "module"\` to '{1}'.`), To_convert_this_file_to_an_ECMAScript_module_add_the_field_type_Colon_module_to_0: diag(1482, 3, "To_convert_this_file_to_an_ECMAScript_module_add_the_field_type_Colon_module_to_0_1482", 'To convert this file to an ECMAScript module, add the field `"type": "module"` to \'{0}\'.'), To_convert_this_file_to_an_ECMAScript_module_create_a_local_package_json_file_with_type_Colon_module: diag(1483, 3, "To_convert_this_file_to_an_ECMAScript_module_create_a_local_package_json_file_with_type_Colon_module_1483", 'To convert this file to an ECMAScript module, create a local package.json file with `{ "type": "module" }`.'), _0_is_a_type_and_must_be_imported_using_a_type_only_import_when_verbatimModuleSyntax_is_enabled: diag(1484, 1, "_0_is_a_type_and_must_be_imported_using_a_type_only_import_when_verbatimModuleSyntax_is_enabled_1484", "'{0}' is a type and must be imported using a type-only import when 'verbatimModuleSyntax' is enabled."), _0_resolves_to_a_type_only_declaration_and_must_be_imported_using_a_type_only_import_when_verbatimModuleSyntax_is_enabled: diag(1485, 1, "_0_resolves_to_a_type_only_declaration_and_must_be_imported_using_a_type_only_import_when_verbatimMo_1485", "'{0}' resolves to a type-only declaration and must be imported using a type-only import when 'verbatimModuleSyntax' is enabled."), Decorator_used_before_export_here: diag(1486, 1, "Decorator_used_before_export_here_1486", "Decorator used before 'export' here."), Octal_escape_sequences_are_not_allowed_Use_the_syntax_0: diag(1487, 1, "Octal_escape_sequences_are_not_allowed_Use_the_syntax_0_1487", "Octal escape sequences are not allowed. Use the syntax '{0}'."), Escape_sequence_0_is_not_allowed: diag(1488, 1, "Escape_sequence_0_is_not_allowed_1488", "Escape sequence '{0}' is not allowed."), Decimals_with_leading_zeros_are_not_allowed: diag(1489, 1, "Decimals_with_leading_zeros_are_not_allowed_1489", "Decimals with leading zeros are not allowed."), File_appears_to_be_binary: diag(1490, 1, "File_appears_to_be_binary_1490", "File appears to be binary."), _0_modifier_cannot_appear_on_a_using_declaration: diag(1491, 1, "_0_modifier_cannot_appear_on_a_using_declaration_1491", "'{0}' modifier cannot appear on a 'using' declaration."), _0_declarations_may_not_have_binding_patterns: diag(1492, 1, "_0_declarations_may_not_have_binding_patterns_1492", "'{0}' declarations may not have binding patterns."), The_left_hand_side_of_a_for_in_statement_cannot_be_a_using_declaration: diag(1493, 1, "The_left_hand_side_of_a_for_in_statement_cannot_be_a_using_declaration_1493", "The left-hand side of a 'for...in' statement cannot be a 'using' declaration."), The_left_hand_side_of_a_for_in_statement_cannot_be_an_await_using_declaration: diag(1494, 1, "The_left_hand_side_of_a_for_in_statement_cannot_be_an_await_using_declaration_1494", "The left-hand side of a 'for...in' statement cannot be an 'await using' declaration."), _0_modifier_cannot_appear_on_an_await_using_declaration: diag(1495, 1, "_0_modifier_cannot_appear_on_an_await_using_declaration_1495", "'{0}' modifier cannot appear on an 'await using' declaration."), Identifier_string_literal_or_number_literal_expected: diag(1496, 1, "Identifier_string_literal_or_number_literal_expected_1496", "Identifier, string literal, or number literal expected."), Expression_must_be_enclosed_in_parentheses_to_be_used_as_a_decorator: diag(1497, 1, "Expression_must_be_enclosed_in_parentheses_to_be_used_as_a_decorator_1497", "Expression must be enclosed in parentheses to be used as a decorator."), Invalid_syntax_in_decorator: diag(1498, 1, "Invalid_syntax_in_decorator_1498", "Invalid syntax in decorator."), Unknown_regular_expression_flag: diag(1499, 1, "Unknown_regular_expression_flag_1499", "Unknown regular expression flag."), Duplicate_regular_expression_flag: diag(1500, 1, "Duplicate_regular_expression_flag_1500", "Duplicate regular expression flag."), This_regular_expression_flag_is_only_available_when_targeting_0_or_later: diag(1501, 1, "This_regular_expression_flag_is_only_available_when_targeting_0_or_later_1501", "This regular expression flag is only available when targeting '{0}' or later."), The_Unicode_u_flag_and_the_Unicode_Sets_v_flag_cannot_be_set_simultaneously: diag(1502, 1, "The_Unicode_u_flag_and_the_Unicode_Sets_v_flag_cannot_be_set_simultaneously_1502", "The Unicode (u) flag and the Unicode Sets (v) flag cannot be set simultaneously."), Named_capturing_groups_are_only_available_when_targeting_ES2018_or_later: diag(1503, 1, "Named_capturing_groups_are_only_available_when_targeting_ES2018_or_later_1503", "Named capturing groups are only available when targeting 'ES2018' or later."), Subpattern_flags_must_be_present_when_there_is_a_minus_sign: diag(1504, 1, "Subpattern_flags_must_be_present_when_there_is_a_minus_sign_1504", "Subpattern flags must be present when there is a minus sign."), Incomplete_quantifier_Digit_expected: diag(1505, 1, "Incomplete_quantifier_Digit_expected_1505", "Incomplete quantifier. Digit expected."), Numbers_out_of_order_in_quantifier: diag(1506, 1, "Numbers_out_of_order_in_quantifier_1506", "Numbers out of order in quantifier."), There_is_nothing_available_for_repetition: diag(1507, 1, "There_is_nothing_available_for_repetition_1507", "There is nothing available for repetition."), Unexpected_0_Did_you_mean_to_escape_it_with_backslash: diag(1508, 1, "Unexpected_0_Did_you_mean_to_escape_it_with_backslash_1508", "Unexpected '{0}'. Did you mean to escape it with backslash?"), This_regular_expression_flag_cannot_be_toggled_within_a_subpattern: diag(1509, 1, "This_regular_expression_flag_cannot_be_toggled_within_a_subpattern_1509", "This regular expression flag cannot be toggled within a subpattern."), k_must_be_followed_by_a_capturing_group_name_enclosed_in_angle_brackets: diag(1510, 1, "k_must_be_followed_by_a_capturing_group_name_enclosed_in_angle_brackets_1510", "'\\k' must be followed by a capturing group name enclosed in angle brackets."), q_is_only_available_inside_character_class: diag(1511, 1, "q_is_only_available_inside_character_class_1511", "'\\q' is only available inside character class."), c_must_be_followed_by_an_ASCII_letter: diag(1512, 1, "c_must_be_followed_by_an_ASCII_letter_1512", "'\\c' must be followed by an ASCII letter."), Undetermined_character_escape: diag(1513, 1, "Undetermined_character_escape_1513", "Undetermined character escape."), Expected_a_capturing_group_name: diag(1514, 1, "Expected_a_capturing_group_name_1514", "Expected a capturing group name."), Named_capturing_groups_with_the_same_name_must_be_mutually_exclusive_to_each_other: diag(1515, 1, "Named_capturing_groups_with_the_same_name_must_be_mutually_exclusive_to_each_other_1515", "Named capturing groups with the same name must be mutually exclusive to each other."), A_character_class_range_must_not_be_bounded_by_another_character_class: diag(1516, 1, "A_character_class_range_must_not_be_bounded_by_another_character_class_1516", "A character class range must not be bounded by another character class."), Range_out_of_order_in_character_class: diag(1517, 1, "Range_out_of_order_in_character_class_1517", "Range out of order in character class."), Anything_that_would_possibly_match_more_than_a_single_character_is_invalid_inside_a_negated_character_class: diag(1518, 1, "Anything_that_would_possibly_match_more_than_a_single_character_is_invalid_inside_a_negated_characte_1518", "Anything that would possibly match more than a single character is invalid inside a negated character class."), Operators_must_not_be_mixed_within_a_character_class_Wrap_it_in_a_nested_class_instead: diag(1519, 1, "Operators_must_not_be_mixed_within_a_character_class_Wrap_it_in_a_nested_class_instead_1519", "Operators must not be mixed within a character class. Wrap it in a nested class instead."), Expected_a_class_set_operand: diag(1520, 1, "Expected_a_class_set_operand_1520", "Expected a class set operand."), q_must_be_followed_by_string_alternatives_enclosed_in_braces: diag(1521, 1, "q_must_be_followed_by_string_alternatives_enclosed_in_braces_1521", "'\\q' must be followed by string alternatives enclosed in braces."), A_character_class_must_not_contain_a_reserved_double_punctuator_Did_you_mean_to_escape_it_with_backslash: diag(1522, 1, "A_character_class_must_not_contain_a_reserved_double_punctuator_Did_you_mean_to_escape_it_with_backs_1522", "A character class must not contain a reserved double punctuator. Did you mean to escape it with backslash?"), Expected_a_Unicode_property_name: diag(1523, 1, "Expected_a_Unicode_property_name_1523", "Expected a Unicode property name."), Unknown_Unicode_property_name: diag(1524, 1, "Unknown_Unicode_property_name_1524", "Unknown Unicode property name."), Expected_a_Unicode_property_value: diag(1525, 1, "Expected_a_Unicode_property_value_1525", "Expected a Unicode property value."), Unknown_Unicode_property_value: diag(1526, 1, "Unknown_Unicode_property_value_1526", "Unknown Unicode property value."), Expected_a_Unicode_property_name_or_value: diag(1527, 1, "Expected_a_Unicode_property_name_or_value_1527", "Expected a Unicode property name or value."), Any_Unicode_property_that_would_possibly_match_more_than_a_single_character_is_only_available_when_the_Unicode_Sets_v_flag_is_set: diag(1528, 1, "Any_Unicode_property_that_would_possibly_match_more_than_a_single_character_is_only_available_when_t_1528", "Any Unicode property that would possibly match more than a single character is only available when the Unicode Sets (v) flag is set."), Unknown_Unicode_property_name_or_value: diag(1529, 1, "Unknown_Unicode_property_name_or_value_1529", "Unknown Unicode property name or value."), Unicode_property_value_expressions_are_only_available_when_the_Unicode_u_flag_or_the_Unicode_Sets_v_flag_is_set: diag(1530, 1, "Unicode_property_value_expressions_are_only_available_when_the_Unicode_u_flag_or_the_Unicode_Sets_v__1530", "Unicode property value expressions are only available when the Unicode (u) flag or the Unicode Sets (v) flag is set."), _0_must_be_followed_by_a_Unicode_property_value_expression_enclosed_in_braces: diag(1531, 1, "_0_must_be_followed_by_a_Unicode_property_value_expression_enclosed_in_braces_1531", "'\\{0}' must be followed by a Unicode property value expression enclosed in braces."), There_is_no_capturing_group_named_0_in_this_regular_expression: diag(1532, 1, "There_is_no_capturing_group_named_0_in_this_regular_expression_1532", "There is no capturing group named '{0}' in this regular expression."), This_backreference_refers_to_a_group_that_does_not_exist_There_are_only_0_capturing_groups_in_this_regular_expression: diag(1533, 1, "This_backreference_refers_to_a_group_that_does_not_exist_There_are_only_0_capturing_groups_in_this_r_1533", "This backreference refers to a group that does not exist. There are only {0} capturing groups in this regular expression."), This_backreference_refers_to_a_group_that_does_not_exist_There_are_no_capturing_groups_in_this_regular_expression: diag(1534, 1, "This_backreference_refers_to_a_group_that_does_not_exist_There_are_no_capturing_groups_in_this_regul_1534", "This backreference refers to a group that does not exist. There are no capturing groups in this regular expression."), This_character_cannot_be_escaped_in_a_regular_expression: diag(1535, 1, "This_character_cannot_be_escaped_in_a_regular_expression_1535", "This character cannot be escaped in a regular expression."), Octal_escape_sequences_and_backreferences_are_not_allowed_in_a_character_class_If_this_was_intended_as_an_escape_sequence_use_the_syntax_0_instead: diag(1536, 1, "Octal_escape_sequences_and_backreferences_are_not_allowed_in_a_character_class_If_this_was_intended__1536", "Octal escape sequences and backreferences are not allowed in a character class. If this was intended as an escape sequence, use the syntax '{0}' instead."), Decimal_escape_sequences_and_backreferences_are_not_allowed_in_a_character_class: diag(1537, 1, "Decimal_escape_sequences_and_backreferences_are_not_allowed_in_a_character_class_1537", "Decimal escape sequences and backreferences are not allowed in a character class."), The_types_of_0_are_incompatible_between_these_types: diag(2200, 1, "The_types_of_0_are_incompatible_between_these_types_2200", "The types of '{0}' are incompatible between these types."), The_types_returned_by_0_are_incompatible_between_these_types: diag(2201, 1, "The_types_returned_by_0_are_incompatible_between_these_types_2201", "The types returned by '{0}' are incompatible between these types."), Call_signature_return_types_0_and_1_are_incompatible: diag( 2202, 1, "Call_signature_return_types_0_and_1_are_incompatible_2202", "Call signature return types '{0}' and '{1}' are incompatible.", /*reportsUnnecessary*/ void 0, /*elidedInCompatabilityPyramid*/ true ), Construct_signature_return_types_0_and_1_are_incompatible: diag( 2203, 1, "Construct_signature_return_types_0_and_1_are_incompatible_2203", "Construct signature return types '{0}' and '{1}' are incompatible.", /*reportsUnnecessary*/ void 0, /*elidedInCompatabilityPyramid*/ true ), Call_signatures_with_no_arguments_have_incompatible_return_types_0_and_1: diag( 2204, 1, "Call_signatures_with_no_arguments_have_incompatible_return_types_0_and_1_2204", "Call signatures with no arguments have incompatible return types '{0}' and '{1}'.", /*reportsUnnecessary*/ void 0, /*elidedInCompatabilityPyramid*/ true ), Construct_signatures_with_no_arguments_have_incompatible_return_types_0_and_1: diag( 2205, 1, "Construct_signatures_with_no_arguments_have_incompatible_return_types_0_and_1_2205", "Construct signatures with no arguments have incompatible return types '{0}' and '{1}'.", /*reportsUnnecessary*/ void 0, /*elidedInCompatabilityPyramid*/ true ), The_type_modifier_cannot_be_used_on_a_named_import_when_import_type_is_used_on_its_import_statement: diag(2206, 1, "The_type_modifier_cannot_be_used_on_a_named_import_when_import_type_is_used_on_its_import_statement_2206", "The 'type' modifier cannot be used on a named import when 'import type' is used on its import statement."), The_type_modifier_cannot_be_used_on_a_named_export_when_export_type_is_used_on_its_export_statement: diag(2207, 1, "The_type_modifier_cannot_be_used_on_a_named_export_when_export_type_is_used_on_its_export_statement_2207", "The 'type' modifier cannot be used on a named export when 'export type' is used on its export statement."), This_type_parameter_might_need_an_extends_0_constraint: diag(2208, 1, "This_type_parameter_might_need_an_extends_0_constraint_2208", "This type parameter might need an `extends {0}` constraint."), The_project_root_is_ambiguous_but_is_required_to_resolve_export_map_entry_0_in_file_1_Supply_the_rootDir_compiler_option_to_disambiguate: diag(2209, 1, "The_project_root_is_ambiguous_but_is_required_to_resolve_export_map_entry_0_in_file_1_Supply_the_roo_2209", "The project root is ambiguous, but is required to resolve export map entry '{0}' in file '{1}'. Supply the `rootDir` compiler option to disambiguate."), The_project_root_is_ambiguous_but_is_required_to_resolve_import_map_entry_0_in_file_1_Supply_the_rootDir_compiler_option_to_disambiguate: diag(2210, 1, "The_project_root_is_ambiguous_but_is_required_to_resolve_import_map_entry_0_in_file_1_Supply_the_roo_2210", "The project root is ambiguous, but is required to resolve import map entry '{0}' in file '{1}'. Supply the `rootDir` compiler option to disambiguate."), Add_extends_constraint: diag(2211, 3, "Add_extends_constraint_2211", "Add `extends` constraint."), Add_extends_constraint_to_all_type_parameters: diag(2212, 3, "Add_extends_constraint_to_all_type_parameters_2212", "Add `extends` constraint to all type parameters"), Duplicate_identifier_0: diag(2300, 1, "Duplicate_identifier_0_2300", "Duplicate identifier '{0}'."), Initializer_of_instance_member_variable_0_cannot_reference_identifier_1_declared_in_the_constructor: diag(2301, 1, "Initializer_of_instance_member_variable_0_cannot_reference_identifier_1_declared_in_the_constructor_2301", "Initializer of instance member variable '{0}' cannot reference identifier '{1}' declared in the constructor."), Static_members_cannot_reference_class_type_parameters: diag(2302, 1, "Static_members_cannot_reference_class_type_parameters_2302", "Static members cannot reference class type parameters."), Circular_definition_of_import_alias_0: diag(2303, 1, "Circular_definition_of_import_alias_0_2303", "Circular definition of import alias '{0}'."), Cannot_find_name_0: diag(2304, 1, "Cannot_find_name_0_2304", "Cannot find name '{0}'."), Module_0_has_no_exported_member_1: diag(2305, 1, "Module_0_has_no_exported_member_1_2305", "Module '{0}' has no exported member '{1}'."), File_0_is_not_a_module: diag(2306, 1, "File_0_is_not_a_module_2306", "File '{0}' is not a module."), Cannot_find_module_0_or_its_corresponding_type_declarations: diag(2307, 1, "Cannot_find_module_0_or_its_corresponding_type_declarations_2307", "Cannot find module '{0}' or its corresponding type declarations."), Module_0_has_already_exported_a_member_named_1_Consider_explicitly_re_exporting_to_resolve_the_ambiguity: diag(2308, 1, "Module_0_has_already_exported_a_member_named_1_Consider_explicitly_re_exporting_to_resolve_the_ambig_2308", "Module {0} has already exported a member named '{1}'. Consider explicitly re-exporting to resolve the ambiguity."), An_export_assignment_cannot_be_used_in_a_module_with_other_exported_elements: diag(2309, 1, "An_export_assignment_cannot_be_used_in_a_module_with_other_exported_elements_2309", "An export assignment cannot be used in a module with other exported elements."), Type_0_recursively_references_itself_as_a_base_type: diag(2310, 1, "Type_0_recursively_references_itself_as_a_base_type_2310", "Type '{0}' recursively references itself as a base type."), Cannot_find_name_0_Did_you_mean_to_write_this_in_an_async_function: diag(2311, 1, "Cannot_find_name_0_Did_you_mean_to_write_this_in_an_async_function_2311", "Cannot find name '{0}'. Did you mean to write this in an async function?"), An_interface_can_only_extend_an_object_type_or_intersection_of_object_types_with_statically_known_members: diag(2312, 1, "An_interface_can_only_extend_an_object_type_or_intersection_of_object_types_with_statically_known_me_2312", "An interface can only extend an object type or intersection of object types with statically known members."), Type_parameter_0_has_a_circular_constraint: diag(2313, 1, "Type_parameter_0_has_a_circular_constraint_2313", "Type parameter '{0}' has a circular constraint."), Generic_type_0_requires_1_type_argument_s: diag(2314, 1, "Generic_type_0_requires_1_type_argument_s_2314", "Generic type '{0}' requires {1} type argument(s)."), Type_0_is_not_generic: diag(2315, 1, "Type_0_is_not_generic_2315", "Type '{0}' is not generic."), Global_type_0_must_be_a_class_or_interface_type: diag(2316, 1, "Global_type_0_must_be_a_class_or_interface_type_2316", "Global type '{0}' must be a class or interface type."), Global_type_0_must_have_1_type_parameter_s: diag(2317, 1, "Global_type_0_must_have_1_type_parameter_s_2317", "Global type '{0}' must have {1} type parameter(s)."), Cannot_find_global_type_0: diag(2318, 1, "Cannot_find_global_type_0_2318", "Cannot find global type '{0}'."), Named_property_0_of_types_1_and_2_are_not_identical: diag(2319, 1, "Named_property_0_of_types_1_and_2_are_not_identical_2319", "Named property '{0}' of types '{1}' and '{2}' are not identical."), Interface_0_cannot_simultaneously_extend_types_1_and_2: diag(2320, 1, "Interface_0_cannot_simultaneously_extend_types_1_and_2_2320", "Interface '{0}' cannot simultaneously extend types '{1}' and '{2}'."), Excessive_stack_depth_comparing_types_0_and_1: diag(2321, 1, "Excessive_stack_depth_comparing_types_0_and_1_2321", "Excessive stack depth comparing types '{0}' and '{1}'."), Type_0_is_not_assignable_to_type_1: diag(2322, 1, "Type_0_is_not_assignable_to_type_1_2322", "Type '{0}' is not assignable to type '{1}'."), Cannot_redeclare_exported_variable_0: diag(2323, 1, "Cannot_redeclare_exported_variable_0_2323", "Cannot redeclare exported variable '{0}'."), Property_0_is_missing_in_type_1: diag(2324, 1, "Property_0_is_missing_in_type_1_2324", "Property '{0}' is missing in type '{1}'."), Property_0_is_private_in_type_1_but_not_in_type_2: diag(2325, 1, "Property_0_is_private_in_type_1_but_not_in_type_2_2325", "Property '{0}' is private in type '{1}' but not in type '{2}'."), Types_of_property_0_are_incompatible: diag(2326, 1, "Types_of_property_0_are_incompatible_2326", "Types of property '{0}' are incompatible."), Property_0_is_optional_in_type_1_but_required_in_type_2: diag(2327, 1, "Property_0_is_optional_in_type_1_but_required_in_type_2_2327", "Property '{0}' is optional in type '{1}' but required in type '{2}'."), Types_of_parameters_0_and_1_are_incompatible: diag(2328, 1, "Types_of_parameters_0_and_1_are_incompatible_2328", "Types of parameters '{0}' and '{1}' are incompatible."), Index_signature_for_type_0_is_missing_in_type_1: diag(2329, 1, "Index_signature_for_type_0_is_missing_in_type_1_2329", "Index signature for type '{0}' is missing in type '{1}'."), _0_and_1_index_signatures_are_incompatible: diag(2330, 1, "_0_and_1_index_signatures_are_incompatible_2330", "'{0}' and '{1}' index signatures are incompatible."), this_cannot_be_referenced_in_a_module_or_namespace_body: diag(2331, 1, "this_cannot_be_referenced_in_a_module_or_namespace_body_2331", "'this' cannot be referenced in a module or namespace body."), this_cannot_be_referenced_in_current_location: diag(2332, 1, "this_cannot_be_referenced_in_current_location_2332", "'this' cannot be referenced in current location."), this_cannot_be_referenced_in_a_static_property_initializer: diag(2334, 1, "this_cannot_be_referenced_in_a_static_property_initializer_2334", "'this' cannot be referenced in a static property initializer."), super_can_only_be_referenced_in_a_derived_class: diag(2335, 1, "super_can_only_be_referenced_in_a_derived_class_2335", "'super' can only be referenced in a derived class."), super_cannot_be_referenced_in_constructor_arguments: diag(2336, 1, "super_cannot_be_referenced_in_constructor_arguments_2336", "'super' cannot be referenced in constructor arguments."), Super_calls_are_not_permitted_outside_constructors_or_in_nested_functions_inside_constructors: diag(2337, 1, "Super_calls_are_not_permitted_outside_constructors_or_in_nested_functions_inside_constructors_2337", "Super calls are not permitted outside constructors or in nested functions inside constructors."), super_property_access_is_permitted_only_in_a_constructor_member_function_or_member_accessor_of_a_derived_class: diag(2338, 1, "super_property_access_is_permitted_only_in_a_constructor_member_function_or_member_accessor_of_a_der_2338", "'super' property access is permitted only in a constructor, member function, or member accessor of a derived class."), Property_0_does_not_exist_on_type_1: diag(2339, 1, "Property_0_does_not_exist_on_type_1_2339", "Property '{0}' does not exist on type '{1}'."), Only_public_and_protected_methods_of_the_base_class_are_accessible_via_the_super_keyword: diag(2340, 1, "Only_public_and_protected_methods_of_the_base_class_are_accessible_via_the_super_keyword_2340", "Only public and protected methods of the base class are accessible via the 'super' keyword."), Property_0_is_private_and_only_accessible_within_class_1: diag(2341, 1, "Property_0_is_private_and_only_accessible_within_class_1_2341", "Property '{0}' is private and only accessible within class '{1}'."), This_syntax_requires_an_imported_helper_named_1_which_does_not_exist_in_0_Consider_upgrading_your_version_of_0: diag(2343, 1, "This_syntax_requires_an_imported_helper_named_1_which_does_not_exist_in_0_Consider_upgrading_your_ve_2343", "This syntax requires an imported helper named '{1}' which does not exist in '{0}'. Consider upgrading your version of '{0}'."), Type_0_does_not_satisfy_the_constraint_1: diag(2344, 1, "Type_0_does_not_satisfy_the_constraint_1_2344", "Type '{0}' does not satisfy the constraint '{1}'."), Argument_of_type_0_is_not_assignable_to_parameter_of_type_1: diag(2345, 1, "Argument_of_type_0_is_not_assignable_to_parameter_of_type_1_2345", "Argument of type '{0}' is not assignable to parameter of type '{1}'."), Untyped_function_calls_may_not_accept_type_arguments: diag(2347, 1, "Untyped_function_calls_may_not_accept_type_arguments_2347", "Untyped function calls may not accept type arguments."), Value_of_type_0_is_not_callable_Did_you_mean_to_include_new: diag(2348, 1, "Value_of_type_0_is_not_callable_Did_you_mean_to_include_new_2348", "Value of type '{0}' is not callable. Did you mean to include 'new'?"), This_expression_is_not_callable: diag(2349, 1, "This_expression_is_not_callable_2349", "This expression is not callable."), Only_a_void_function_can_be_called_with_the_new_keyword: diag(2350, 1, "Only_a_void_function_can_be_called_with_the_new_keyword_2350", "Only a void function can be called with the 'new' keyword."), This_expression_is_not_constructable: diag(2351, 1, "This_expression_is_not_constructable_2351", "This expression is not constructable."), Conversion_of_type_0_to_type_1_may_be_a_mistake_because_neither_type_sufficiently_overlaps_with_the_other_If_this_was_intentional_convert_the_expression_to_unknown_first: diag(2352, 1, "Conversion_of_type_0_to_type_1_may_be_a_mistake_because_neither_type_sufficiently_overlaps_with_the__2352", "Conversion of type '{0}' to type '{1}' may be a mistake because neither type sufficiently overlaps with the other. If this was intentional, convert the expression to 'unknown' first."), Object_literal_may_only_specify_known_properties_and_0_does_not_exist_in_type_1: diag(2353, 1, "Object_literal_may_only_specify_known_properties_and_0_does_not_exist_in_type_1_2353", "Object literal may only specify known properties, and '{0}' does not exist in type '{1}'."), This_syntax_requires_an_imported_helper_but_module_0_cannot_be_found: diag(2354, 1, "This_syntax_requires_an_imported_helper_but_module_0_cannot_be_found_2354", "This syntax requires an imported helper but module '{0}' cannot be found."), A_function_whose_declared_type_is_neither_undefined_void_nor_any_must_return_a_value: diag(2355, 1, "A_function_whose_declared_type_is_neither_undefined_void_nor_any_must_return_a_value_2355", "A function whose declared type is neither 'undefined', 'void', nor 'any' must return a value."), An_arithmetic_operand_must_be_of_type_any_number_bigint_or_an_enum_type: diag(2356, 1, "An_arithmetic_operand_must_be_of_type_any_number_bigint_or_an_enum_type_2356", "An arithmetic operand must be of type 'any', 'number', 'bigint' or an enum type."), The_operand_of_an_increment_or_decrement_operator_must_be_a_variable_or_a_property_access: diag(2357, 1, "The_operand_of_an_increment_or_decrement_operator_must_be_a_variable_or_a_property_access_2357", "The operand of an increment or decrement operator must be a variable or a property access."), The_left_hand_side_of_an_instanceof_expression_must_be_of_type_any_an_object_type_or_a_type_parameter: diag(2358, 1, "The_left_hand_side_of_an_instanceof_expression_must_be_of_type_any_an_object_type_or_a_type_paramete_2358", "The left-hand side of an 'instanceof' expression must be of type 'any', an object type or a type parameter."), The_right_hand_side_of_an_instanceof_expression_must_be_either_of_type_any_a_class_function_or_other_type_assignable_to_the_Function_interface_type_or_an_object_type_with_a_Symbol_hasInstance_method: diag(2359, 1, "The_right_hand_side_of_an_instanceof_expression_must_be_either_of_type_any_a_class_function_or_other_2359", "The right-hand side of an 'instanceof' expression must be either of type 'any', a class, function, or other type assignable to the 'Function' interface type, or an object type with a 'Symbol.hasInstance' method."), The_left_hand_side_of_an_arithmetic_operation_must_be_of_type_any_number_bigint_or_an_enum_type: diag(2362, 1, "The_left_hand_side_of_an_arithmetic_operation_must_be_of_type_any_number_bigint_or_an_enum_type_2362", "The left-hand side of an arithmetic operation must be of type 'any', 'number', 'bigint' or an enum type."), The_right_hand_side_of_an_arithmetic_operation_must_be_of_type_any_number_bigint_or_an_enum_type: diag(2363, 1, "The_right_hand_side_of_an_arithmetic_operation_must_be_of_type_any_number_bigint_or_an_enum_type_2363", "The right-hand side of an arithmetic operation must be of type 'any', 'number', 'bigint' or an enum type."), The_left_hand_side_of_an_assignment_expression_must_be_a_variable_or_a_property_access: diag(2364, 1, "The_left_hand_side_of_an_assignment_expression_must_be_a_variable_or_a_property_access_2364", "The left-hand side of an assignment expression must be a variable or a property access."), Operator_0_cannot_be_applied_to_types_1_and_2: diag(2365, 1, "Operator_0_cannot_be_applied_to_types_1_and_2_2365", "Operator '{0}' cannot be applied to types '{1}' and '{2}'."), Function_lacks_ending_return_statement_and_return_type_does_not_include_undefined: diag(2366, 1, "Function_lacks_ending_return_statement_and_return_type_does_not_include_undefined_2366", "Function lacks ending return statement and return type does not include 'undefined'."), This_comparison_appears_to_be_unintentional_because_the_types_0_and_1_have_no_overlap: diag(2367, 1, "This_comparison_appears_to_be_unintentional_because_the_types_0_and_1_have_no_overlap_2367", "This comparison appears to be unintentional because the types '{0}' and '{1}' have no overlap."), Type_parameter_name_cannot_be_0: diag(2368, 1, "Type_parameter_name_cannot_be_0_2368", "Type parameter name cannot be '{0}'."), A_parameter_property_is_only_allowed_in_a_constructor_implementation: diag(2369, 1, "A_parameter_property_is_only_allowed_in_a_constructor_implementation_2369", "A parameter property is only allowed in a constructor implementation."), A_rest_parameter_must_be_of_an_array_type: diag(2370, 1, "A_rest_parameter_must_be_of_an_array_type_2370", "A rest parameter must be of an array type."), A_parameter_initializer_is_only_allowed_in_a_function_or_constructor_implementation: diag(2371, 1, "A_parameter_initializer_is_only_allowed_in_a_function_or_constructor_implementation_2371", "A parameter initializer is only allowed in a function or constructor implementation."), Parameter_0_cannot_reference_itself: diag(2372, 1, "Parameter_0_cannot_reference_itself_2372", "Parameter '{0}' cannot reference itself."), Parameter_0_cannot_reference_identifier_1_declared_after_it: diag(2373, 1, "Parameter_0_cannot_reference_identifier_1_declared_after_it_2373", "Parameter '{0}' cannot reference identifier '{1}' declared after it."), Duplicate_index_signature_for_type_0: diag(2374, 1, "Duplicate_index_signature_for_type_0_2374", "Duplicate index signature for type '{0}'."), Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_types_of_the_target_s_properties: diag(2375, 1, "Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefi_2375", "Type '{0}' is not assignable to type '{1}' with 'exactOptionalPropertyTypes: true'. Consider adding 'undefined' to the types of the target's properties."), A_super_call_must_be_the_first_statement_in_the_constructor_to_refer_to_super_or_this_when_a_derived_class_contains_initialized_properties_parameter_properties_or_private_identifiers: diag(2376, 1, "A_super_call_must_be_the_first_statement_in_the_constructor_to_refer_to_super_or_this_when_a_derived_2376", "A 'super' call must be the first statement in the constructor to refer to 'super' or 'this' when a derived class contains initialized properties, parameter properties, or private identifiers."), Constructors_for_derived_classes_must_contain_a_super_call: diag(2377, 1, "Constructors_for_derived_classes_must_contain_a_super_call_2377", "Constructors for derived classes must contain a 'super' call."), A_get_accessor_must_return_a_value: diag(2378, 1, "A_get_accessor_must_return_a_value_2378", "A 'get' accessor must return a value."), Argument_of_type_0_is_not_assignable_to_parameter_of_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_types_of_the_target_s_properties: diag(2379, 1, "Argument_of_type_0_is_not_assignable_to_parameter_of_type_1_with_exactOptionalPropertyTypes_Colon_tr_2379", "Argument of type '{0}' is not assignable to parameter of type '{1}' with 'exactOptionalPropertyTypes: true'. Consider adding 'undefined' to the types of the target's properties."), Overload_signatures_must_all_be_exported_or_non_exported: diag(2383, 1, "Overload_signatures_must_all_be_exported_or_non_exported_2383", "Overload signatures must all be exported or non-exported."), Overload_signatures_must_all_be_ambient_or_non_ambient: diag(2384, 1, "Overload_signatures_must_all_be_ambient_or_non_ambient_2384", "Overload signatures must all be ambient or non-ambient."), Overload_signatures_must_all_be_public_private_or_protected: diag(2385, 1, "Overload_signatures_must_all_be_public_private_or_protected_2385", "Overload signatures must all be public, private or protected."), Overload_signatures_must_all_be_optional_or_required: diag(2386, 1, "Overload_signatures_must_all_be_optional_or_required_2386", "Overload signatures must all be optional or required."), Function_overload_must_be_static: diag(2387, 1, "Function_overload_must_be_static_2387", "Function overload must be static."), Function_overload_must_not_be_static: diag(2388, 1, "Function_overload_must_not_be_static_2388", "Function overload must not be static."), Function_implementation_name_must_be_0: diag(2389, 1, "Function_implementation_name_must_be_0_2389", "Function implementation name must be '{0}'."), Constructor_implementation_is_missing: diag(2390, 1, "Constructor_implementation_is_missing_2390", "Constructor implementation is missing."), Function_implementation_is_missing_or_not_immediately_following_the_declaration: diag(2391, 1, "Function_implementation_is_missing_or_not_immediately_following_the_declaration_2391", "Function implementation is missing or not immediately following the declaration."), Multiple_constructor_implementations_are_not_allowed: diag(2392, 1, "Multiple_constructor_implementations_are_not_allowed_2392", "Multiple constructor implementations are not allowed."), Duplicate_function_implementation: diag(2393, 1, "Duplicate_function_implementation_2393", "Duplicate function implementation."), This_overload_signature_is_not_compatible_with_its_implementation_signature: diag(2394, 1, "This_overload_signature_is_not_compatible_with_its_implementation_signature_2394", "This overload signature is not compatible with its implementation signature."), Individual_declarations_in_merged_declaration_0_must_be_all_exported_or_all_local: diag(2395, 1, "Individual_declarations_in_merged_declaration_0_must_be_all_exported_or_all_local_2395", "Individual declarations in merged declaration '{0}' must be all exported or all local."), Duplicate_identifier_arguments_Compiler_uses_arguments_to_initialize_rest_parameters: diag(2396, 1, "Duplicate_identifier_arguments_Compiler_uses_arguments_to_initialize_rest_parameters_2396", "Duplicate identifier 'arguments'. Compiler uses 'arguments' to initialize rest parameters."), Declaration_name_conflicts_with_built_in_global_identifier_0: diag(2397, 1, "Declaration_name_conflicts_with_built_in_global_identifier_0_2397", "Declaration name conflicts with built-in global identifier '{0}'."), constructor_cannot_be_used_as_a_parameter_property_name: diag(2398, 1, "constructor_cannot_be_used_as_a_parameter_property_name_2398", "'constructor' cannot be used as a parameter property name."), Duplicate_identifier_this_Compiler_uses_variable_declaration_this_to_capture_this_reference: diag(2399, 1, "Duplicate_identifier_this_Compiler_uses_variable_declaration_this_to_capture_this_reference_2399", "Duplicate identifier '_this'. Compiler uses variable declaration '_this' to capture 'this' reference."), Expression_resolves_to_variable_declaration_this_that_compiler_uses_to_capture_this_reference: diag(2400, 1, "Expression_resolves_to_variable_declaration_this_that_compiler_uses_to_capture_this_reference_2400", "Expression resolves to variable declaration '_this' that compiler uses to capture 'this' reference."), A_super_call_must_be_a_root_level_statement_within_a_constructor_of_a_derived_class_that_contains_initialized_properties_parameter_properties_or_private_identifiers: diag(2401, 1, "A_super_call_must_be_a_root_level_statement_within_a_constructor_of_a_derived_class_that_contains_in_2401", "A 'super' call must be a root-level statement within a constructor of a derived class that contains initialized properties, parameter properties, or private identifiers."), Expression_resolves_to_super_that_compiler_uses_to_capture_base_class_reference: diag(2402, 1, "Expression_resolves_to_super_that_compiler_uses_to_capture_base_class_reference_2402", "Expression resolves to '_super' that compiler uses to capture base class reference."), Subsequent_variable_declarations_must_have_the_same_type_Variable_0_must_be_of_type_1_but_here_has_type_2: diag(2403, 1, "Subsequent_variable_declarations_must_have_the_same_type_Variable_0_must_be_of_type_1_but_here_has_t_2403", "Subsequent variable declarations must have the same type. Variable '{0}' must be of type '{1}', but here has type '{2}'."), The_left_hand_side_of_a_for_in_statement_cannot_use_a_type_annotation: diag(2404, 1, "The_left_hand_side_of_a_for_in_statement_cannot_use_a_type_annotation_2404", "The left-hand side of a 'for...in' statement cannot use a type annotation."), The_left_hand_side_of_a_for_in_statement_must_be_of_type_string_or_any: diag(2405, 1, "The_left_hand_side_of_a_for_in_statement_must_be_of_type_string_or_any_2405", "The left-hand side of a 'for...in' statement must be of type 'string' or 'any'."), The_left_hand_side_of_a_for_in_statement_must_be_a_variable_or_a_property_access: diag(2406, 1, "The_left_hand_side_of_a_for_in_statement_must_be_a_variable_or_a_property_access_2406", "The left-hand side of a 'for...in' statement must be a variable or a property access."), The_right_hand_side_of_a_for_in_statement_must_be_of_type_any_an_object_type_or_a_type_parameter_but_here_has_type_0: diag(2407, 1, "The_right_hand_side_of_a_for_in_statement_must_be_of_type_any_an_object_type_or_a_type_parameter_but_2407", "The right-hand side of a 'for...in' statement must be of type 'any', an object type or a type parameter, but here has type '{0}'."), Setters_cannot_return_a_value: diag(2408, 1, "Setters_cannot_return_a_value_2408", "Setters cannot return a value."), Return_type_of_constructor_signature_must_be_assignable_to_the_instance_type_of_the_class: diag(2409, 1, "Return_type_of_constructor_signature_must_be_assignable_to_the_instance_type_of_the_class_2409", "Return type of constructor signature must be assignable to the instance type of the class."), The_with_statement_is_not_supported_All_symbols_in_a_with_block_will_have_type_any: diag(2410, 1, "The_with_statement_is_not_supported_All_symbols_in_a_with_block_will_have_type_any_2410", "The 'with' statement is not supported. All symbols in a 'with' block will have type 'any'."), Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_type_of_the_target: diag(2412, 1, "Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefi_2412", "Type '{0}' is not assignable to type '{1}' with 'exactOptionalPropertyTypes: true'. Consider adding 'undefined' to the type of the target."), Property_0_of_type_1_is_not_assignable_to_2_index_type_3: diag(2411, 1, "Property_0_of_type_1_is_not_assignable_to_2_index_type_3_2411", "Property '{0}' of type '{1}' is not assignable to '{2}' index type '{3}'."), _0_index_type_1_is_not_assignable_to_2_index_type_3: diag(2413, 1, "_0_index_type_1_is_not_assignable_to_2_index_type_3_2413", "'{0}' index type '{1}' is not assignable to '{2}' index type '{3}'."), Class_name_cannot_be_0: diag(2414, 1, "Class_name_cannot_be_0_2414", "Class name cannot be '{0}'."), Class_0_incorrectly_extends_base_class_1: diag(2415, 1, "Class_0_incorrectly_extends_base_class_1_2415", "Class '{0}' incorrectly extends base class '{1}'."), Property_0_in_type_1_is_not_assignable_to_the_same_property_in_base_type_2: diag(2416, 1, "Property_0_in_type_1_is_not_assignable_to_the_same_property_in_base_type_2_2416", "Property '{0}' in type '{1}' is not assignable to the same property in base type '{2}'."), Class_static_side_0_incorrectly_extends_base_class_static_side_1: diag(2417, 1, "Class_static_side_0_incorrectly_extends_base_class_static_side_1_2417", "Class static side '{0}' incorrectly extends base class static side '{1}'."), Type_of_computed_property_s_value_is_0_which_is_not_assignable_to_type_1: diag(2418, 1, "Type_of_computed_property_s_value_is_0_which_is_not_assignable_to_type_1_2418", "Type of computed property's value is '{0}', which is not assignable to type '{1}'."), Types_of_construct_signatures_are_incompatible: diag(2419, 1, "Types_of_construct_signatures_are_incompatible_2419", "Types of construct signatures are incompatible."), Class_0_incorrectly_implements_interface_1: diag(2420, 1, "Class_0_incorrectly_implements_interface_1_2420", "Class '{0}' incorrectly implements interface '{1}'."), A_class_can_only_implement_an_object_type_or_intersection_of_object_types_with_statically_known_members: diag(2422, 1, "A_class_can_only_implement_an_object_type_or_intersection_of_object_types_with_statically_known_memb_2422", "A class can only implement an object type or intersection of object types with statically known members."), Class_0_defines_instance_member_function_1_but_extended_class_2_defines_it_as_instance_member_accessor: diag(2423, 1, "Class_0_defines_instance_member_function_1_but_extended_class_2_defines_it_as_instance_member_access_2423", "Class '{0}' defines instance member function '{1}', but extended class '{2}' defines it as instance member accessor."), Class_0_defines_instance_member_property_1_but_extended_class_2_defines_it_as_instance_member_function: diag(2425, 1, "Class_0_defines_instance_member_property_1_but_extended_class_2_defines_it_as_instance_member_functi_2425", "Class '{0}' defines instance member property '{1}', but extended class '{2}' defines it as instance member function."), Class_0_defines_instance_member_accessor_1_but_extended_class_2_defines_it_as_instance_member_function: diag(2426, 1, "Class_0_defines_instance_member_accessor_1_but_extended_class_2_defines_it_as_instance_member_functi_2426", "Class '{0}' defines instance member accessor '{1}', but extended class '{2}' defines it as instance member function."), Interface_name_cannot_be_0: diag(2427, 1, "Interface_name_cannot_be_0_2427", "Interface name cannot be '{0}'."), All_declarations_of_0_must_have_identical_type_parameters: diag(2428, 1, "All_declarations_of_0_must_have_identical_type_parameters_2428", "All declarations of '{0}' must have identical type parameters."), Interface_0_incorrectly_extends_interface_1: diag(2430, 1, "Interface_0_incorrectly_extends_interface_1_2430", "Interface '{0}' incorrectly extends interface '{1}'."), Enum_name_cannot_be_0: diag(2431, 1, "Enum_name_cannot_be_0_2431", "Enum name cannot be '{0}'."), In_an_enum_with_multiple_declarations_only_one_declaration_can_omit_an_initializer_for_its_first_enum_element: diag(2432, 1, "In_an_enum_with_multiple_declarations_only_one_declaration_can_omit_an_initializer_for_its_first_enu_2432", "In an enum with multiple declarations, only one declaration can omit an initializer for its first enum element."), A_namespace_declaration_cannot_be_in_a_different_file_from_a_class_or_function_with_which_it_is_merged: diag(2433, 1, "A_namespace_declaration_cannot_be_in_a_different_file_from_a_class_or_function_with_which_it_is_merg_2433", "A namespace declaration cannot be in a different file from a class or function with which it is merged."), A_namespace_declaration_cannot_be_located_prior_to_a_class_or_function_with_which_it_is_merged: diag(2434, 1, "A_namespace_declaration_cannot_be_located_prior_to_a_class_or_function_with_which_it_is_merged_2434", "A namespace declaration cannot be located prior to a class or function with which it is merged."), Ambient_modules_cannot_be_nested_in_other_modules_or_namespaces: diag(2435, 1, "Ambient_modules_cannot_be_nested_in_other_modules_or_namespaces_2435", "Ambient modules cannot be nested in other modules or namespaces."), Ambient_module_declaration_cannot_specify_relative_module_name: diag(2436, 1, "Ambient_module_declaration_cannot_specify_relative_module_name_2436", "Ambient module declaration cannot specify relative module name."), Module_0_is_hidden_by_a_local_declaration_with_the_same_name: diag(2437, 1, "Module_0_is_hidden_by_a_local_declaration_with_the_same_name_2437", "Module '{0}' is hidden by a local declaration with the same name."), Import_name_cannot_be_0: diag(2438, 1, "Import_name_cannot_be_0_2438", "Import name cannot be '{0}'."), Import_or_export_declaration_in_an_ambient_module_declaration_cannot_reference_module_through_relative_module_name: diag(2439, 1, "Import_or_export_declaration_in_an_ambient_module_declaration_cannot_reference_module_through_relati_2439", "Import or export declaration in an ambient module declaration cannot reference module through relative module name."), Import_declaration_conflicts_with_local_declaration_of_0: diag(2440, 1, "Import_declaration_conflicts_with_local_declaration_of_0_2440", "Import declaration conflicts with local declaration of '{0}'."), Duplicate_identifier_0_Compiler_reserves_name_1_in_top_level_scope_of_a_module: diag(2441, 1, "Duplicate_identifier_0_Compiler_reserves_name_1_in_top_level_scope_of_a_module_2441", "Duplicate identifier '{0}'. Compiler reserves name '{1}' in top level scope of a module."), Types_have_separate_declarations_of_a_private_property_0: diag(2442, 1, "Types_have_separate_declarations_of_a_private_property_0_2442", "Types have separate declarations of a private property '{0}'."), Property_0_is_protected_but_type_1_is_not_a_class_derived_from_2: diag(2443, 1, "Property_0_is_protected_but_type_1_is_not_a_class_derived_from_2_2443", "Property '{0}' is protected but type '{1}' is not a class derived from '{2}'."), Property_0_is_protected_in_type_1_but_public_in_type_2: diag(2444, 1, "Property_0_is_protected_in_type_1_but_public_in_type_2_2444", "Property '{0}' is protected in type '{1}' but public in type '{2}'."), Property_0_is_protected_and_only_accessible_within_class_1_and_its_subclasses: diag(2445, 1, "Property_0_is_protected_and_only_accessible_within_class_1_and_its_subclasses_2445", "Property '{0}' is protected and only accessible within class '{1}' and its subclasses."), Property_0_is_protected_and_only_accessible_through_an_instance_of_class_1_This_is_an_instance_of_class_2: diag(2446, 1, "Property_0_is_protected_and_only_accessible_through_an_instance_of_class_1_This_is_an_instance_of_cl_2446", "Property '{0}' is protected and only accessible through an instance of class '{1}'. This is an instance of class '{2}'."), The_0_operator_is_not_allowed_for_boolean_types_Consider_using_1_instead: diag(2447, 1, "The_0_operator_is_not_allowed_for_boolean_types_Consider_using_1_instead_2447", "The '{0}' operator is not allowed for boolean types. Consider using '{1}' instead."), Block_scoped_variable_0_used_before_its_declaration: diag(2448, 1, "Block_scoped_variable_0_used_before_its_declaration_2448", "Block-scoped variable '{0}' used before its declaration."), Class_0_used_before_its_declaration: diag(2449, 1, "Class_0_used_before_its_declaration_2449", "Class '{0}' used before its declaration."), Enum_0_used_before_its_declaration: diag(2450, 1, "Enum_0_used_before_its_declaration_2450", "Enum '{0}' used before its declaration."), Cannot_redeclare_block_scoped_variable_0: diag(2451, 1, "Cannot_redeclare_block_scoped_variable_0_2451", "Cannot redeclare block-scoped variable '{0}'."), An_enum_member_cannot_have_a_numeric_name: diag(2452, 1, "An_enum_member_cannot_have_a_numeric_name_2452", "An enum member cannot have a numeric name."), Variable_0_is_used_before_being_assigned: diag(2454, 1, "Variable_0_is_used_before_being_assigned_2454", "Variable '{0}' is used before being assigned."), Type_alias_0_circularly_references_itself: diag(2456, 1, "Type_alias_0_circularly_references_itself_2456", "Type alias '{0}' circularly references itself."), Type_alias_name_cannot_be_0: diag(2457, 1, "Type_alias_name_cannot_be_0_2457", "Type alias name cannot be '{0}'."), An_AMD_module_cannot_have_multiple_name_assignments: diag(2458, 1, "An_AMD_module_cannot_have_multiple_name_assignments_2458", "An AMD module cannot have multiple name assignments."), Module_0_declares_1_locally_but_it_is_not_exported: diag(2459, 1, "Module_0_declares_1_locally_but_it_is_not_exported_2459", "Module '{0}' declares '{1}' locally, but it is not exported."), Module_0_declares_1_locally_but_it_is_exported_as_2: diag(2460, 1, "Module_0_declares_1_locally_but_it_is_exported_as_2_2460", "Module '{0}' declares '{1}' locally, but it is exported as '{2}'."), Type_0_is_not_an_array_type: diag(2461, 1, "Type_0_is_not_an_array_type_2461", "Type '{0}' is not an array type."), A_rest_element_must_be_last_in_a_destructuring_pattern: diag(2462, 1, "A_rest_element_must_be_last_in_a_destructuring_pattern_2462", "A rest element must be last in a destructuring pattern."), A_binding_pattern_parameter_cannot_be_optional_in_an_implementation_signature: diag(2463, 1, "A_binding_pattern_parameter_cannot_be_optional_in_an_implementation_signature_2463", "A binding pattern parameter cannot be optional in an implementation signature."), A_computed_property_name_must_be_of_type_string_number_symbol_or_any: diag(2464, 1, "A_computed_property_name_must_be_of_type_string_number_symbol_or_any_2464", "A computed property name must be of type 'string', 'number', 'symbol', or 'any'."), this_cannot_be_referenced_in_a_computed_property_name: diag(2465, 1, "this_cannot_be_referenced_in_a_computed_property_name_2465", "'this' cannot be referenced in a computed property name."), super_cannot_be_referenced_in_a_computed_property_name: diag(2466, 1, "super_cannot_be_referenced_in_a_computed_property_name_2466", "'super' cannot be referenced in a computed property name."), A_computed_property_name_cannot_reference_a_type_parameter_from_its_containing_type: diag(2467, 1, "A_computed_property_name_cannot_reference_a_type_parameter_from_its_containing_type_2467", "A computed property name cannot reference a type parameter from its containing type."), Cannot_find_global_value_0: diag(2468, 1, "Cannot_find_global_value_0_2468", "Cannot find global value '{0}'."), The_0_operator_cannot_be_applied_to_type_symbol: diag(2469, 1, "The_0_operator_cannot_be_applied_to_type_symbol_2469", "The '{0}' operator cannot be applied to type 'symbol'."), Spread_operator_in_new_expressions_is_only_available_when_targeting_ECMAScript_5_and_higher: diag(2472, 1, "Spread_operator_in_new_expressions_is_only_available_when_targeting_ECMAScript_5_and_higher_2472", "Spread operator in 'new' expressions is only available when targeting ECMAScript 5 and higher."), Enum_declarations_must_all_be_const_or_non_const: diag(2473, 1, "Enum_declarations_must_all_be_const_or_non_const_2473", "Enum declarations must all be const or non-const."), const_enum_member_initializers_must_be_constant_expressions: diag(2474, 1, "const_enum_member_initializers_must_be_constant_expressions_2474", "const enum member initializers must be constant expressions."), const_enums_can_only_be_used_in_property_or_index_access_expressions_or_the_right_hand_side_of_an_import_declaration_or_export_assignment_or_type_query: diag(2475, 1, "const_enums_can_only_be_used_in_property_or_index_access_expressions_or_the_right_hand_side_of_an_im_2475", "'const' enums can only be used in property or index access expressions or the right hand side of an import declaration or export assignment or type query."), A_const_enum_member_can_only_be_accessed_using_a_string_literal: diag(2476, 1, "A_const_enum_member_can_only_be_accessed_using_a_string_literal_2476", "A const enum member can only be accessed using a string literal."), const_enum_member_initializer_was_evaluated_to_a_non_finite_value: diag(2477, 1, "const_enum_member_initializer_was_evaluated_to_a_non_finite_value_2477", "'const' enum member initializer was evaluated to a non-finite value."), const_enum_member_initializer_was_evaluated_to_disallowed_value_NaN: diag(2478, 1, "const_enum_member_initializer_was_evaluated_to_disallowed_value_NaN_2478", "'const' enum member initializer was evaluated to disallowed value 'NaN'."), let_is_not_allowed_to_be_used_as_a_name_in_let_or_const_declarations: diag(2480, 1, "let_is_not_allowed_to_be_used_as_a_name_in_let_or_const_declarations_2480", "'let' is not allowed to be used as a name in 'let' or 'const' declarations."), Cannot_initialize_outer_scoped_variable_0_in_the_same_scope_as_block_scoped_declaration_1: diag(2481, 1, "Cannot_initialize_outer_scoped_variable_0_in_the_same_scope_as_block_scoped_declaration_1_2481", "Cannot initialize outer scoped variable '{0}' in the same scope as block scoped declaration '{1}'."), The_left_hand_side_of_a_for_of_statement_cannot_use_a_type_annotation: diag(2483, 1, "The_left_hand_side_of_a_for_of_statement_cannot_use_a_type_annotation_2483", "The left-hand side of a 'for...of' statement cannot use a type annotation."), Export_declaration_conflicts_with_exported_declaration_of_0: diag(2484, 1, "Export_declaration_conflicts_with_exported_declaration_of_0_2484", "Export declaration conflicts with exported declaration of '{0}'."), The_left_hand_side_of_a_for_of_statement_must_be_a_variable_or_a_property_access: diag(2487, 1, "The_left_hand_side_of_a_for_of_statement_must_be_a_variable_or_a_property_access_2487", "The left-hand side of a 'for...of' statement must be a variable or a property access."), Type_0_must_have_a_Symbol_iterator_method_that_returns_an_iterator: diag(2488, 1, "Type_0_must_have_a_Symbol_iterator_method_that_returns_an_iterator_2488", "Type '{0}' must have a '[Symbol.iterator]()' method that returns an iterator."), An_iterator_must_have_a_next_method: diag(2489, 1, "An_iterator_must_have_a_next_method_2489", "An iterator must have a 'next()' method."), The_type_returned_by_the_0_method_of_an_iterator_must_have_a_value_property: diag(2490, 1, "The_type_returned_by_the_0_method_of_an_iterator_must_have_a_value_property_2490", "The type returned by the '{0}()' method of an iterator must have a 'value' property."), The_left_hand_side_of_a_for_in_statement_cannot_be_a_destructuring_pattern: diag(2491, 1, "The_left_hand_side_of_a_for_in_statement_cannot_be_a_destructuring_pattern_2491", "The left-hand side of a 'for...in' statement cannot be a destructuring pattern."), Cannot_redeclare_identifier_0_in_catch_clause: diag(2492, 1, "Cannot_redeclare_identifier_0_in_catch_clause_2492", "Cannot redeclare identifier '{0}' in catch clause."), Tuple_type_0_of_length_1_has_no_element_at_index_2: diag(2493, 1, "Tuple_type_0_of_length_1_has_no_element_at_index_2_2493", "Tuple type '{0}' of length '{1}' has no element at index '{2}'."), Using_a_string_in_a_for_of_statement_is_only_supported_in_ECMAScript_5_and_higher: diag(2494, 1, "Using_a_string_in_a_for_of_statement_is_only_supported_in_ECMAScript_5_and_higher_2494", "Using a string in a 'for...of' statement is only supported in ECMAScript 5 and higher."), Type_0_is_not_an_array_type_or_a_string_type: diag(2495, 1, "Type_0_is_not_an_array_type_or_a_string_type_2495", "Type '{0}' is not an array type or a string type."), The_arguments_object_cannot_be_referenced_in_an_arrow_function_in_ES5_Consider_using_a_standard_function_expression: diag(2496, 1, "The_arguments_object_cannot_be_referenced_in_an_arrow_function_in_ES5_Consider_using_a_standard_func_2496", "The 'arguments' object cannot be referenced in an arrow function in ES5. Consider using a standard function expression."), This_module_can_only_be_referenced_with_ECMAScript_imports_Slashexports_by_turning_on_the_0_flag_and_referencing_its_default_export: diag(2497, 1, "This_module_can_only_be_referenced_with_ECMAScript_imports_Slashexports_by_turning_on_the_0_flag_and_2497", "This module can only be referenced with ECMAScript imports/exports by turning on the '{0}' flag and referencing its default export."), Module_0_uses_export_and_cannot_be_used_with_export_Asterisk: diag(2498, 1, "Module_0_uses_export_and_cannot_be_used_with_export_Asterisk_2498", "Module '{0}' uses 'export =' and cannot be used with 'export *'."), An_interface_can_only_extend_an_identifier_Slashqualified_name_with_optional_type_arguments: diag(2499, 1, "An_interface_can_only_extend_an_identifier_Slashqualified_name_with_optional_type_arguments_2499", "An interface can only extend an identifier/qualified-name with optional type arguments."), A_class_can_only_implement_an_identifier_Slashqualified_name_with_optional_type_arguments: diag(2500, 1, "A_class_can_only_implement_an_identifier_Slashqualified_name_with_optional_type_arguments_2500", "A class can only implement an identifier/qualified-name with optional type arguments."), A_rest_element_cannot_contain_a_binding_pattern: diag(2501, 1, "A_rest_element_cannot_contain_a_binding_pattern_2501", "A rest element cannot contain a binding pattern."), _0_is_referenced_directly_or_indirectly_in_its_own_type_annotation: diag(2502, 1, "_0_is_referenced_directly_or_indirectly_in_its_own_type_annotation_2502", "'{0}' is referenced directly or indirectly in its own type annotation."), Cannot_find_namespace_0: diag(2503, 1, "Cannot_find_namespace_0_2503", "Cannot find namespace '{0}'."), Type_0_must_have_a_Symbol_asyncIterator_method_that_returns_an_async_iterator: diag(2504, 1, "Type_0_must_have_a_Symbol_asyncIterator_method_that_returns_an_async_iterator_2504", "Type '{0}' must have a '[Symbol.asyncIterator]()' method that returns an async iterator."), A_generator_cannot_have_a_void_type_annotation: diag(2505, 1, "A_generator_cannot_have_a_void_type_annotation_2505", "A generator cannot have a 'void' type annotation."), _0_is_referenced_directly_or_indirectly_in_its_own_base_expression: diag(2506, 1, "_0_is_referenced_directly_or_indirectly_in_its_own_base_expression_2506", "'{0}' is referenced directly or indirectly in its own base expression."), Type_0_is_not_a_constructor_function_type: diag(2507, 1, "Type_0_is_not_a_constructor_function_type_2507", "Type '{0}' is not a constructor function type."), No_base_constructor_has_the_specified_number_of_type_arguments: diag(2508, 1, "No_base_constructor_has_the_specified_number_of_type_arguments_2508", "No base constructor has the specified number of type arguments."), Base_constructor_return_type_0_is_not_an_object_type_or_intersection_of_object_types_with_statically_known_members: diag(2509, 1, "Base_constructor_return_type_0_is_not_an_object_type_or_intersection_of_object_types_with_statically_2509", "Base constructor return type '{0}' is not an object type or intersection of object types with statically known members."), Base_constructors_must_all_have_the_same_return_type: diag(2510, 1, "Base_constructors_must_all_have_the_same_return_type_2510", "Base constructors must all have the same return type."), Cannot_create_an_instance_of_an_abstract_class: diag(2511, 1, "Cannot_create_an_instance_of_an_abstract_class_2511", "Cannot create an instance of an abstract class."), Overload_signatures_must_all_be_abstract_or_non_abstract: diag(2512, 1, "Overload_signatures_must_all_be_abstract_or_non_abstract_2512", "Overload signatures must all be abstract or non-abstract."), Abstract_method_0_in_class_1_cannot_be_accessed_via_super_expression: diag(2513, 1, "Abstract_method_0_in_class_1_cannot_be_accessed_via_super_expression_2513", "Abstract method '{0}' in class '{1}' cannot be accessed via super expression."), A_tuple_type_cannot_be_indexed_with_a_negative_value: diag(2514, 1, "A_tuple_type_cannot_be_indexed_with_a_negative_value_2514", "A tuple type cannot be indexed with a negative value."), Non_abstract_class_0_does_not_implement_inherited_abstract_member_1_from_class_2: diag(2515, 1, "Non_abstract_class_0_does_not_implement_inherited_abstract_member_1_from_class_2_2515", "Non-abstract class '{0}' does not implement inherited abstract member {1} from class '{2}'."), All_declarations_of_an_abstract_method_must_be_consecutive: diag(2516, 1, "All_declarations_of_an_abstract_method_must_be_consecutive_2516", "All declarations of an abstract method must be consecutive."), Cannot_assign_an_abstract_constructor_type_to_a_non_abstract_constructor_type: diag(2517, 1, "Cannot_assign_an_abstract_constructor_type_to_a_non_abstract_constructor_type_2517", "Cannot assign an abstract constructor type to a non-abstract constructor type."), A_this_based_type_guard_is_not_compatible_with_a_parameter_based_type_guard: diag(2518, 1, "A_this_based_type_guard_is_not_compatible_with_a_parameter_based_type_guard_2518", "A 'this'-based type guard is not compatible with a parameter-based type guard."), An_async_iterator_must_have_a_next_method: diag(2519, 1, "An_async_iterator_must_have_a_next_method_2519", "An async iterator must have a 'next()' method."), Duplicate_identifier_0_Compiler_uses_declaration_1_to_support_async_functions: diag(2520, 1, "Duplicate_identifier_0_Compiler_uses_declaration_1_to_support_async_functions_2520", "Duplicate identifier '{0}'. Compiler uses declaration '{1}' to support async functions."), The_arguments_object_cannot_be_referenced_in_an_async_function_or_method_in_ES5_Consider_using_a_standard_function_or_method: diag(2522, 1, "The_arguments_object_cannot_be_referenced_in_an_async_function_or_method_in_ES5_Consider_using_a_sta_2522", "The 'arguments' object cannot be referenced in an async function or method in ES5. Consider using a standard function or method."), yield_expressions_cannot_be_used_in_a_parameter_initializer: diag(2523, 1, "yield_expressions_cannot_be_used_in_a_parameter_initializer_2523", "'yield' expressions cannot be used in a parameter initializer."), await_expressions_cannot_be_used_in_a_parameter_initializer: diag(2524, 1, "await_expressions_cannot_be_used_in_a_parameter_initializer_2524", "'await' expressions cannot be used in a parameter initializer."), Initializer_provides_no_value_for_this_binding_element_and_the_binding_element_has_no_default_value: diag(2525, 1, "Initializer_provides_no_value_for_this_binding_element_and_the_binding_element_has_no_default_value_2525", "Initializer provides no value for this binding element and the binding element has no default value."), A_this_type_is_available_only_in_a_non_static_member_of_a_class_or_interface: diag(2526, 1, "A_this_type_is_available_only_in_a_non_static_member_of_a_class_or_interface_2526", "A 'this' type is available only in a non-static member of a class or interface."), The_inferred_type_of_0_references_an_inaccessible_1_type_A_type_annotation_is_necessary: diag(2527, 1, "The_inferred_type_of_0_references_an_inaccessible_1_type_A_type_annotation_is_necessary_2527", "The inferred type of '{0}' references an inaccessible '{1}' type. A type annotation is necessary."), A_module_cannot_have_multiple_default_exports: diag(2528, 1, "A_module_cannot_have_multiple_default_exports_2528", "A module cannot have multiple default exports."), Duplicate_identifier_0_Compiler_reserves_name_1_in_top_level_scope_of_a_module_containing_async_functions: diag(2529, 1, "Duplicate_identifier_0_Compiler_reserves_name_1_in_top_level_scope_of_a_module_containing_async_func_2529", "Duplicate identifier '{0}'. Compiler reserves name '{1}' in top level scope of a module containing async functions."), Property_0_is_incompatible_with_index_signature: diag(2530, 1, "Property_0_is_incompatible_with_index_signature_2530", "Property '{0}' is incompatible with index signature."), Object_is_possibly_null: diag(2531, 1, "Object_is_possibly_null_2531", "Object is possibly 'null'."), Object_is_possibly_undefined: diag(2532, 1, "Object_is_possibly_undefined_2532", "Object is possibly 'undefined'."), Object_is_possibly_null_or_undefined: diag(2533, 1, "Object_is_possibly_null_or_undefined_2533", "Object is possibly 'null' or 'undefined'."), A_function_returning_never_cannot_have_a_reachable_end_point: diag(2534, 1, "A_function_returning_never_cannot_have_a_reachable_end_point_2534", "A function returning 'never' cannot have a reachable end point."), Type_0_cannot_be_used_to_index_type_1: diag(2536, 1, "Type_0_cannot_be_used_to_index_type_1_2536", "Type '{0}' cannot be used to index type '{1}'."), Type_0_has_no_matching_index_signature_for_type_1: diag(2537, 1, "Type_0_has_no_matching_index_signature_for_type_1_2537", "Type '{0}' has no matching index signature for type '{1}'."), Type_0_cannot_be_used_as_an_index_type: diag(2538, 1, "Type_0_cannot_be_used_as_an_index_type_2538", "Type '{0}' cannot be used as an index type."), Cannot_assign_to_0_because_it_is_not_a_variable: diag(2539, 1, "Cannot_assign_to_0_because_it_is_not_a_variable_2539", "Cannot assign to '{0}' because it is not a variable."), Cannot_assign_to_0_because_it_is_a_read_only_property: diag(2540, 1, "Cannot_assign_to_0_because_it_is_a_read_only_property_2540", "Cannot assign to '{0}' because it is a read-only property."), Index_signature_in_type_0_only_permits_reading: diag(2542, 1, "Index_signature_in_type_0_only_permits_reading_2542", "Index signature in type '{0}' only permits reading."), Duplicate_identifier_newTarget_Compiler_uses_variable_declaration_newTarget_to_capture_new_target_meta_property_reference: diag(2543, 1, "Duplicate_identifier_newTarget_Compiler_uses_variable_declaration_newTarget_to_capture_new_target_me_2543", "Duplicate identifier '_newTarget'. Compiler uses variable declaration '_newTarget' to capture 'new.target' meta-property reference."), Expression_resolves_to_variable_declaration_newTarget_that_compiler_uses_to_capture_new_target_meta_property_reference: diag(2544, 1, "Expression_resolves_to_variable_declaration_newTarget_that_compiler_uses_to_capture_new_target_meta__2544", "Expression resolves to variable declaration '_newTarget' that compiler uses to capture 'new.target' meta-property reference."), A_mixin_class_must_have_a_constructor_with_a_single_rest_parameter_of_type_any: diag(2545, 1, "A_mixin_class_must_have_a_constructor_with_a_single_rest_parameter_of_type_any_2545", "A mixin class must have a constructor with a single rest parameter of type 'any[]'."), The_type_returned_by_the_0_method_of_an_async_iterator_must_be_a_promise_for_a_type_with_a_value_property: diag(2547, 1, "The_type_returned_by_the_0_method_of_an_async_iterator_must_be_a_promise_for_a_type_with_a_value_pro_2547", "The type returned by the '{0}()' method of an async iterator must be a promise for a type with a 'value' property."), Type_0_is_not_an_array_type_or_does_not_have_a_Symbol_iterator_method_that_returns_an_iterator: diag(2548, 1, "Type_0_is_not_an_array_type_or_does_not_have_a_Symbol_iterator_method_that_returns_an_iterator_2548", "Type '{0}' is not an array type or does not have a '[Symbol.iterator]()' method that returns an iterator."), Type_0_is_not_an_array_type_or_a_string_type_or_does_not_have_a_Symbol_iterator_method_that_returns_an_iterator: diag(2549, 1, "Type_0_is_not_an_array_type_or_a_string_type_or_does_not_have_a_Symbol_iterator_method_that_returns__2549", "Type '{0}' is not an array type or a string type or does not have a '[Symbol.iterator]()' method that returns an iterator."), Property_0_does_not_exist_on_type_1_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_2_or_later: diag(2550, 1, "Property_0_does_not_exist_on_type_1_Do_you_need_to_change_your_target_library_Try_changing_the_lib_c_2550", "Property '{0}' does not exist on type '{1}'. Do you need to change your target library? Try changing the 'lib' compiler option to '{2}' or later."), Property_0_does_not_exist_on_type_1_Did_you_mean_2: diag(2551, 1, "Property_0_does_not_exist_on_type_1_Did_you_mean_2_2551", "Property '{0}' does not exist on type '{1}'. Did you mean '{2}'?"), Cannot_find_name_0_Did_you_mean_1: diag(2552, 1, "Cannot_find_name_0_Did_you_mean_1_2552", "Cannot find name '{0}'. Did you mean '{1}'?"), Computed_values_are_not_permitted_in_an_enum_with_string_valued_members: diag(2553, 1, "Computed_values_are_not_permitted_in_an_enum_with_string_valued_members_2553", "Computed values are not permitted in an enum with string valued members."), Expected_0_arguments_but_got_1: diag(2554, 1, "Expected_0_arguments_but_got_1_2554", "Expected {0} arguments, but got {1}."), Expected_at_least_0_arguments_but_got_1: diag(2555, 1, "Expected_at_least_0_arguments_but_got_1_2555", "Expected at least {0} arguments, but got {1}."), A_spread_argument_must_either_have_a_tuple_type_or_be_passed_to_a_rest_parameter: diag(2556, 1, "A_spread_argument_must_either_have_a_tuple_type_or_be_passed_to_a_rest_parameter_2556", "A spread argument must either have a tuple type or be passed to a rest parameter."), Expected_0_type_arguments_but_got_1: diag(2558, 1, "Expected_0_type_arguments_but_got_1_2558", "Expected {0} type arguments, but got {1}."), Type_0_has_no_properties_in_common_with_type_1: diag(2559, 1, "Type_0_has_no_properties_in_common_with_type_1_2559", "Type '{0}' has no properties in common with type '{1}'."), Value_of_type_0_has_no_properties_in_common_with_type_1_Did_you_mean_to_call_it: diag(2560, 1, "Value_of_type_0_has_no_properties_in_common_with_type_1_Did_you_mean_to_call_it_2560", "Value of type '{0}' has no properties in common with type '{1}'. Did you mean to call it?"), Object_literal_may_only_specify_known_properties_but_0_does_not_exist_in_type_1_Did_you_mean_to_write_2: diag(2561, 1, "Object_literal_may_only_specify_known_properties_but_0_does_not_exist_in_type_1_Did_you_mean_to_writ_2561", "Object literal may only specify known properties, but '{0}' does not exist in type '{1}'. Did you mean to write '{2}'?"), Base_class_expressions_cannot_reference_class_type_parameters: diag(2562, 1, "Base_class_expressions_cannot_reference_class_type_parameters_2562", "Base class expressions cannot reference class type parameters."), The_containing_function_or_module_body_is_too_large_for_control_flow_analysis: diag(2563, 1, "The_containing_function_or_module_body_is_too_large_for_control_flow_analysis_2563", "The containing function or module body is too large for control flow analysis."), Property_0_has_no_initializer_and_is_not_definitely_assigned_in_the_constructor: diag(2564, 1, "Property_0_has_no_initializer_and_is_not_definitely_assigned_in_the_constructor_2564", "Property '{0}' has no initializer and is not definitely assigned in the constructor."), Property_0_is_used_before_being_assigned: diag(2565, 1, "Property_0_is_used_before_being_assigned_2565", "Property '{0}' is used before being assigned."), A_rest_element_cannot_have_a_property_name: diag(2566, 1, "A_rest_element_cannot_have_a_property_name_2566", "A rest element cannot have a property name."), Enum_declarations_can_only_merge_with_namespace_or_other_enum_declarations: diag(2567, 1, "Enum_declarations_can_only_merge_with_namespace_or_other_enum_declarations_2567", "Enum declarations can only merge with namespace or other enum declarations."), Property_0_may_not_exist_on_type_1_Did_you_mean_2: diag(2568, 1, "Property_0_may_not_exist_on_type_1_Did_you_mean_2_2568", "Property '{0}' may not exist on type '{1}'. Did you mean '{2}'?"), Could_not_find_name_0_Did_you_mean_1: diag(2570, 1, "Could_not_find_name_0_Did_you_mean_1_2570", "Could not find name '{0}'. Did you mean '{1}'?"), Object_is_of_type_unknown: diag(2571, 1, "Object_is_of_type_unknown_2571", "Object is of type 'unknown'."), A_rest_element_type_must_be_an_array_type: diag(2574, 1, "A_rest_element_type_must_be_an_array_type_2574", "A rest element type must be an array type."), No_overload_expects_0_arguments_but_overloads_do_exist_that_expect_either_1_or_2_arguments: diag(2575, 1, "No_overload_expects_0_arguments_but_overloads_do_exist_that_expect_either_1_or_2_arguments_2575", "No overload expects {0} arguments, but overloads do exist that expect either {1} or {2} arguments."), Property_0_does_not_exist_on_type_1_Did_you_mean_to_access_the_static_member_2_instead: diag(2576, 1, "Property_0_does_not_exist_on_type_1_Did_you_mean_to_access_the_static_member_2_instead_2576", "Property '{0}' does not exist on type '{1}'. Did you mean to access the static member '{2}' instead?"), Return_type_annotation_circularly_references_itself: diag(2577, 1, "Return_type_annotation_circularly_references_itself_2577", "Return type annotation circularly references itself."), Unused_ts_expect_error_directive: diag(2578, 1, "Unused_ts_expect_error_directive_2578", "Unused '@ts-expect-error' directive."), Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_node_Try_npm_i_save_dev_types_Slashnode: diag(2580, 1, "Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_node_Try_npm_i_save_dev_types_Slashno_2580", "Cannot find name '{0}'. Do you need to install type definitions for node? Try `npm i --save-dev @types/node`."), Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_jQuery_Try_npm_i_save_dev_types_Slashjquery: diag(2581, 1, "Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_jQuery_Try_npm_i_save_dev_types_Slash_2581", "Cannot find name '{0}'. Do you need to install type definitions for jQuery? Try `npm i --save-dev @types/jquery`."), Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_a_test_runner_Try_npm_i_save_dev_types_Slashjest_or_npm_i_save_dev_types_Slashmocha: diag(2582, 1, "Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_a_test_runner_Try_npm_i_save_dev_type_2582", "Cannot find name '{0}'. Do you need to install type definitions for a test runner? Try `npm i --save-dev @types/jest` or `npm i --save-dev @types/mocha`."), Cannot_find_name_0_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_1_or_later: diag(2583, 1, "Cannot_find_name_0_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_2583", "Cannot find name '{0}'. Do you need to change your target library? Try changing the 'lib' compiler option to '{1}' or later."), Cannot_find_name_0_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_include_dom: diag(2584, 1, "Cannot_find_name_0_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_2584", "Cannot find name '{0}'. Do you need to change your target library? Try changing the 'lib' compiler option to include 'dom'."), _0_only_refers_to_a_type_but_is_being_used_as_a_value_here_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_es2015_or_later: diag(2585, 1, "_0_only_refers_to_a_type_but_is_being_used_as_a_value_here_Do_you_need_to_change_your_target_library_2585", "'{0}' only refers to a type, but is being used as a value here. Do you need to change your target library? Try changing the 'lib' compiler option to es2015 or later."), Cannot_assign_to_0_because_it_is_a_constant: diag(2588, 1, "Cannot_assign_to_0_because_it_is_a_constant_2588", "Cannot assign to '{0}' because it is a constant."), Type_instantiation_is_excessively_deep_and_possibly_infinite: diag(2589, 1, "Type_instantiation_is_excessively_deep_and_possibly_infinite_2589", "Type instantiation is excessively deep and possibly infinite."), Expression_produces_a_union_type_that_is_too_complex_to_represent: diag(2590, 1, "Expression_produces_a_union_type_that_is_too_complex_to_represent_2590", "Expression produces a union type that is too complex to represent."), Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_node_Try_npm_i_save_dev_types_Slashnode_and_then_add_node_to_the_types_field_in_your_tsconfig: diag(2591, 1, "Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_node_Try_npm_i_save_dev_types_Slashno_2591", "Cannot find name '{0}'. Do you need to install type definitions for node? Try `npm i --save-dev @types/node` and then add 'node' to the types field in your tsconfig."), Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_jQuery_Try_npm_i_save_dev_types_Slashjquery_and_then_add_jquery_to_the_types_field_in_your_tsconfig: diag(2592, 1, "Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_jQuery_Try_npm_i_save_dev_types_Slash_2592", "Cannot find name '{0}'. Do you need to install type definitions for jQuery? Try `npm i --save-dev @types/jquery` and then add 'jquery' to the types field in your tsconfig."), Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_a_test_runner_Try_npm_i_save_dev_types_Slashjest_or_npm_i_save_dev_types_Slashmocha_and_then_add_jest_or_mocha_to_the_types_field_in_your_tsconfig: diag(2593, 1, "Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_a_test_runner_Try_npm_i_save_dev_type_2593", "Cannot find name '{0}'. Do you need to install type definitions for a test runner? Try `npm i --save-dev @types/jest` or `npm i --save-dev @types/mocha` and then add 'jest' or 'mocha' to the types field in your tsconfig."), This_module_is_declared_with_export_and_can_only_be_used_with_a_default_import_when_using_the_0_flag: diag(2594, 1, "This_module_is_declared_with_export_and_can_only_be_used_with_a_default_import_when_using_the_0_flag_2594", "This module is declared with 'export =', and can only be used with a default import when using the '{0}' flag."), _0_can_only_be_imported_by_using_a_default_import: diag(2595, 1, "_0_can_only_be_imported_by_using_a_default_import_2595", "'{0}' can only be imported by using a default import."), _0_can_only_be_imported_by_turning_on_the_esModuleInterop_flag_and_using_a_default_import: diag(2596, 1, "_0_can_only_be_imported_by_turning_on_the_esModuleInterop_flag_and_using_a_default_import_2596", "'{0}' can only be imported by turning on the 'esModuleInterop' flag and using a default import."), _0_can_only_be_imported_by_using_a_require_call_or_by_using_a_default_import: diag(2597, 1, "_0_can_only_be_imported_by_using_a_require_call_or_by_using_a_default_import_2597", "'{0}' can only be imported by using a 'require' call or by using a default import."), _0_can_only_be_imported_by_using_a_require_call_or_by_turning_on_the_esModuleInterop_flag_and_using_a_default_import: diag(2598, 1, "_0_can_only_be_imported_by_using_a_require_call_or_by_turning_on_the_esModuleInterop_flag_and_using__2598", "'{0}' can only be imported by using a 'require' call or by turning on the 'esModuleInterop' flag and using a default import."), JSX_element_implicitly_has_type_any_because_the_global_type_JSX_Element_does_not_exist: diag(2602, 1, "JSX_element_implicitly_has_type_any_because_the_global_type_JSX_Element_does_not_exist_2602", "JSX element implicitly has type 'any' because the global type 'JSX.Element' does not exist."), Property_0_in_type_1_is_not_assignable_to_type_2: diag(2603, 1, "Property_0_in_type_1_is_not_assignable_to_type_2_2603", "Property '{0}' in type '{1}' is not assignable to type '{2}'."), JSX_element_type_0_does_not_have_any_construct_or_call_signatures: diag(2604, 1, "JSX_element_type_0_does_not_have_any_construct_or_call_signatures_2604", "JSX element type '{0}' does not have any construct or call signatures."), Property_0_of_JSX_spread_attribute_is_not_assignable_to_target_property: diag(2606, 1, "Property_0_of_JSX_spread_attribute_is_not_assignable_to_target_property_2606", "Property '{0}' of JSX spread attribute is not assignable to target property."), JSX_element_class_does_not_support_attributes_because_it_does_not_have_a_0_property: diag(2607, 1, "JSX_element_class_does_not_support_attributes_because_it_does_not_have_a_0_property_2607", "JSX element class does not support attributes because it does not have a '{0}' property."), The_global_type_JSX_0_may_not_have_more_than_one_property: diag(2608, 1, "The_global_type_JSX_0_may_not_have_more_than_one_property_2608", "The global type 'JSX.{0}' may not have more than one property."), JSX_spread_child_must_be_an_array_type: diag(2609, 1, "JSX_spread_child_must_be_an_array_type_2609", "JSX spread child must be an array type."), _0_is_defined_as_an_accessor_in_class_1_but_is_overridden_here_in_2_as_an_instance_property: diag(2610, 1, "_0_is_defined_as_an_accessor_in_class_1_but_is_overridden_here_in_2_as_an_instance_property_2610", "'{0}' is defined as an accessor in class '{1}', but is overridden here in '{2}' as an instance property."), _0_is_defined_as_a_property_in_class_1_but_is_overridden_here_in_2_as_an_accessor: diag(2611, 1, "_0_is_defined_as_a_property_in_class_1_but_is_overridden_here_in_2_as_an_accessor_2611", "'{0}' is defined as a property in class '{1}', but is overridden here in '{2}' as an accessor."), Property_0_will_overwrite_the_base_property_in_1_If_this_is_intentional_add_an_initializer_Otherwise_add_a_declare_modifier_or_remove_the_redundant_declaration: diag(2612, 1, "Property_0_will_overwrite_the_base_property_in_1_If_this_is_intentional_add_an_initializer_Otherwise_2612", "Property '{0}' will overwrite the base property in '{1}'. If this is intentional, add an initializer. Otherwise, add a 'declare' modifier or remove the redundant declaration."), Module_0_has_no_default_export_Did_you_mean_to_use_import_1_from_0_instead: diag(2613, 1, "Module_0_has_no_default_export_Did_you_mean_to_use_import_1_from_0_instead_2613", "Module '{0}' has no default export. Did you mean to use 'import { {1} } from {0}' instead?"), Module_0_has_no_exported_member_1_Did_you_mean_to_use_import_1_from_0_instead: diag(2614, 1, "Module_0_has_no_exported_member_1_Did_you_mean_to_use_import_1_from_0_instead_2614", "Module '{0}' has no exported member '{1}'. Did you mean to use 'import {1} from {0}' instead?"), Type_of_property_0_circularly_references_itself_in_mapped_type_1: diag(2615, 1, "Type_of_property_0_circularly_references_itself_in_mapped_type_1_2615", "Type of property '{0}' circularly references itself in mapped type '{1}'."), _0_can_only_be_imported_by_using_import_1_require_2_or_a_default_import: diag(2616, 1, "_0_can_only_be_imported_by_using_import_1_require_2_or_a_default_import_2616", "'{0}' can only be imported by using 'import {1} = require({2})' or a default import."), _0_can_only_be_imported_by_using_import_1_require_2_or_by_turning_on_the_esModuleInterop_flag_and_using_a_default_import: diag(2617, 1, "_0_can_only_be_imported_by_using_import_1_require_2_or_by_turning_on_the_esModuleInterop_flag_and_us_2617", "'{0}' can only be imported by using 'import {1} = require({2})' or by turning on the 'esModuleInterop' flag and using a default import."), Source_has_0_element_s_but_target_requires_1: diag(2618, 1, "Source_has_0_element_s_but_target_requires_1_2618", "Source has {0} element(s) but target requires {1}."), Source_has_0_element_s_but_target_allows_only_1: diag(2619, 1, "Source_has_0_element_s_but_target_allows_only_1_2619", "Source has {0} element(s) but target allows only {1}."), Target_requires_0_element_s_but_source_may_have_fewer: diag(2620, 1, "Target_requires_0_element_s_but_source_may_have_fewer_2620", "Target requires {0} element(s) but source may have fewer."), Target_allows_only_0_element_s_but_source_may_have_more: diag(2621, 1, "Target_allows_only_0_element_s_but_source_may_have_more_2621", "Target allows only {0} element(s) but source may have more."), Source_provides_no_match_for_required_element_at_position_0_in_target: diag(2623, 1, "Source_provides_no_match_for_required_element_at_position_0_in_target_2623", "Source provides no match for required element at position {0} in target."), Source_provides_no_match_for_variadic_element_at_position_0_in_target: diag(2624, 1, "Source_provides_no_match_for_variadic_element_at_position_0_in_target_2624", "Source provides no match for variadic element at position {0} in target."), Variadic_element_at_position_0_in_source_does_not_match_element_at_position_1_in_target: diag(2625, 1, "Variadic_element_at_position_0_in_source_does_not_match_element_at_position_1_in_target_2625", "Variadic element at position {0} in source does not match element at position {1} in target."), Type_at_position_0_in_source_is_not_compatible_with_type_at_position_1_in_target: diag(2626, 1, "Type_at_position_0_in_source_is_not_compatible_with_type_at_position_1_in_target_2626", "Type at position {0} in source is not compatible with type at position {1} in target."), Type_at_positions_0_through_1_in_source_is_not_compatible_with_type_at_position_2_in_target: diag(2627, 1, "Type_at_positions_0_through_1_in_source_is_not_compatible_with_type_at_position_2_in_target_2627", "Type at positions {0} through {1} in source is not compatible with type at position {2} in target."), Cannot_assign_to_0_because_it_is_an_enum: diag(2628, 1, "Cannot_assign_to_0_because_it_is_an_enum_2628", "Cannot assign to '{0}' because it is an enum."), Cannot_assign_to_0_because_it_is_a_class: diag(2629, 1, "Cannot_assign_to_0_because_it_is_a_class_2629", "Cannot assign to '{0}' because it is a class."), Cannot_assign_to_0_because_it_is_a_function: diag(2630, 1, "Cannot_assign_to_0_because_it_is_a_function_2630", "Cannot assign to '{0}' because it is a function."), Cannot_assign_to_0_because_it_is_a_namespace: diag(2631, 1, "Cannot_assign_to_0_because_it_is_a_namespace_2631", "Cannot assign to '{0}' because it is a namespace."), Cannot_assign_to_0_because_it_is_an_import: diag(2632, 1, "Cannot_assign_to_0_because_it_is_an_import_2632", "Cannot assign to '{0}' because it is an import."), JSX_property_access_expressions_cannot_include_JSX_namespace_names: diag(2633, 1, "JSX_property_access_expressions_cannot_include_JSX_namespace_names_2633", "JSX property access expressions cannot include JSX namespace names"), _0_index_signatures_are_incompatible: diag(2634, 1, "_0_index_signatures_are_incompatible_2634", "'{0}' index signatures are incompatible."), Type_0_has_no_signatures_for_which_the_type_argument_list_is_applicable: diag(2635, 1, "Type_0_has_no_signatures_for_which_the_type_argument_list_is_applicable_2635", "Type '{0}' has no signatures for which the type argument list is applicable."), Type_0_is_not_assignable_to_type_1_as_implied_by_variance_annotation: diag(2636, 1, "Type_0_is_not_assignable_to_type_1_as_implied_by_variance_annotation_2636", "Type '{0}' is not assignable to type '{1}' as implied by variance annotation."), Variance_annotations_are_only_supported_in_type_aliases_for_object_function_constructor_and_mapped_types: diag(2637, 1, "Variance_annotations_are_only_supported_in_type_aliases_for_object_function_constructor_and_mapped_t_2637", "Variance annotations are only supported in type aliases for object, function, constructor, and mapped types."), Type_0_may_represent_a_primitive_value_which_is_not_permitted_as_the_right_operand_of_the_in_operator: diag(2638, 1, "Type_0_may_represent_a_primitive_value_which_is_not_permitted_as_the_right_operand_of_the_in_operato_2638", "Type '{0}' may represent a primitive value, which is not permitted as the right operand of the 'in' operator."), React_components_cannot_include_JSX_namespace_names: diag(2639, 1, "React_components_cannot_include_JSX_namespace_names_2639", "React components cannot include JSX namespace names"), Cannot_augment_module_0_with_value_exports_because_it_resolves_to_a_non_module_entity: diag(2649, 1, "Cannot_augment_module_0_with_value_exports_because_it_resolves_to_a_non_module_entity_2649", "Cannot augment module '{0}' with value exports because it resolves to a non-module entity."), Non_abstract_class_expression_is_missing_implementations_for_the_following_members_of_0_Colon_1_and_2_more: diag(2650, 1, "Non_abstract_class_expression_is_missing_implementations_for_the_following_members_of_0_Colon_1_and__2650", "Non-abstract class expression is missing implementations for the following members of '{0}': {1} and {2} more."), A_member_initializer_in_a_enum_declaration_cannot_reference_members_declared_after_it_including_members_defined_in_other_enums: diag(2651, 1, "A_member_initializer_in_a_enum_declaration_cannot_reference_members_declared_after_it_including_memb_2651", "A member initializer in a enum declaration cannot reference members declared after it, including members defined in other enums."), Merged_declaration_0_cannot_include_a_default_export_declaration_Consider_adding_a_separate_export_default_0_declaration_instead: diag(2652, 1, "Merged_declaration_0_cannot_include_a_default_export_declaration_Consider_adding_a_separate_export_d_2652", "Merged declaration '{0}' cannot include a default export declaration. Consider adding a separate 'export default {0}' declaration instead."), Non_abstract_class_expression_does_not_implement_inherited_abstract_member_0_from_class_1: diag(2653, 1, "Non_abstract_class_expression_does_not_implement_inherited_abstract_member_0_from_class_1_2653", "Non-abstract class expression does not implement inherited abstract member '{0}' from class '{1}'."), Non_abstract_class_0_is_missing_implementations_for_the_following_members_of_1_Colon_2: diag(2654, 1, "Non_abstract_class_0_is_missing_implementations_for_the_following_members_of_1_Colon_2_2654", "Non-abstract class '{0}' is missing implementations for the following members of '{1}': {2}."), Non_abstract_class_0_is_missing_implementations_for_the_following_members_of_1_Colon_2_and_3_more: diag(2655, 1, "Non_abstract_class_0_is_missing_implementations_for_the_following_members_of_1_Colon_2_and_3_more_2655", "Non-abstract class '{0}' is missing implementations for the following members of '{1}': {2} and {3} more."), Non_abstract_class_expression_is_missing_implementations_for_the_following_members_of_0_Colon_1: diag(2656, 1, "Non_abstract_class_expression_is_missing_implementations_for_the_following_members_of_0_Colon_1_2656", "Non-abstract class expression is missing implementations for the following members of '{0}': {1}."), JSX_expressions_must_have_one_parent_element: diag(2657, 1, "JSX_expressions_must_have_one_parent_element_2657", "JSX expressions must have one parent element."), Type_0_provides_no_match_for_the_signature_1: diag(2658, 1, "Type_0_provides_no_match_for_the_signature_1_2658", "Type '{0}' provides no match for the signature '{1}'."), super_is_only_allowed_in_members_of_object_literal_expressions_when_option_target_is_ES2015_or_higher: diag(2659, 1, "super_is_only_allowed_in_members_of_object_literal_expressions_when_option_target_is_ES2015_or_highe_2659", "'super' is only allowed in members of object literal expressions when option 'target' is 'ES2015' or higher."), super_can_only_be_referenced_in_members_of_derived_classes_or_object_literal_expressions: diag(2660, 1, "super_can_only_be_referenced_in_members_of_derived_classes_or_object_literal_expressions_2660", "'super' can only be referenced in members of derived classes or object literal expressions."), Cannot_export_0_Only_local_declarations_can_be_exported_from_a_module: diag(2661, 1, "Cannot_export_0_Only_local_declarations_can_be_exported_from_a_module_2661", "Cannot export '{0}'. Only local declarations can be exported from a module."), Cannot_find_name_0_Did_you_mean_the_static_member_1_0: diag(2662, 1, "Cannot_find_name_0_Did_you_mean_the_static_member_1_0_2662", "Cannot find name '{0}'. Did you mean the static member '{1}.{0}'?"), Cannot_find_name_0_Did_you_mean_the_instance_member_this_0: diag(2663, 1, "Cannot_find_name_0_Did_you_mean_the_instance_member_this_0_2663", "Cannot find name '{0}'. Did you mean the instance member 'this.{0}'?"), Invalid_module_name_in_augmentation_module_0_cannot_be_found: diag(2664, 1, "Invalid_module_name_in_augmentation_module_0_cannot_be_found_2664", "Invalid module name in augmentation, module '{0}' cannot be found."), Invalid_module_name_in_augmentation_Module_0_resolves_to_an_untyped_module_at_1_which_cannot_be_augmented: diag(2665, 1, "Invalid_module_name_in_augmentation_Module_0_resolves_to_an_untyped_module_at_1_which_cannot_be_augm_2665", "Invalid module name in augmentation. Module '{0}' resolves to an untyped module at '{1}', which cannot be augmented."), Exports_and_export_assignments_are_not_permitted_in_module_augmentations: diag(2666, 1, "Exports_and_export_assignments_are_not_permitted_in_module_augmentations_2666", "Exports and export assignments are not permitted in module augmentations."), Imports_are_not_permitted_in_module_augmentations_Consider_moving_them_to_the_enclosing_external_module: diag(2667, 1, "Imports_are_not_permitted_in_module_augmentations_Consider_moving_them_to_the_enclosing_external_mod_2667", "Imports are not permitted in module augmentations. Consider moving them to the enclosing external module."), export_modifier_cannot_be_applied_to_ambient_modules_and_module_augmentations_since_they_are_always_visible: diag(2668, 1, "export_modifier_cannot_be_applied_to_ambient_modules_and_module_augmentations_since_they_are_always__2668", "'export' modifier cannot be applied to ambient modules and module augmentations since they are always visible."), Augmentations_for_the_global_scope_can_only_be_directly_nested_in_external_modules_or_ambient_module_declarations: diag(2669, 1, "Augmentations_for_the_global_scope_can_only_be_directly_nested_in_external_modules_or_ambient_module_2669", "Augmentations for the global scope can only be directly nested in external modules or ambient module declarations."), Augmentations_for_the_global_scope_should_have_declare_modifier_unless_they_appear_in_already_ambient_context: diag(2670, 1, "Augmentations_for_the_global_scope_should_have_declare_modifier_unless_they_appear_in_already_ambien_2670", "Augmentations for the global scope should have 'declare' modifier unless they appear in already ambient context."), Cannot_augment_module_0_because_it_resolves_to_a_non_module_entity: diag(2671, 1, "Cannot_augment_module_0_because_it_resolves_to_a_non_module_entity_2671", "Cannot augment module '{0}' because it resolves to a non-module entity."), Cannot_assign_a_0_constructor_type_to_a_1_constructor_type: diag(2672, 1, "Cannot_assign_a_0_constructor_type_to_a_1_constructor_type_2672", "Cannot assign a '{0}' constructor type to a '{1}' constructor type."), Constructor_of_class_0_is_private_and_only_accessible_within_the_class_declaration: diag(2673, 1, "Constructor_of_class_0_is_private_and_only_accessible_within_the_class_declaration_2673", "Constructor of class '{0}' is private and only accessible within the class declaration."), Constructor_of_class_0_is_protected_and_only_accessible_within_the_class_declaration: diag(2674, 1, "Constructor_of_class_0_is_protected_and_only_accessible_within_the_class_declaration_2674", "Constructor of class '{0}' is protected and only accessible within the class declaration."), Cannot_extend_a_class_0_Class_constructor_is_marked_as_private: diag(2675, 1, "Cannot_extend_a_class_0_Class_constructor_is_marked_as_private_2675", "Cannot extend a class '{0}'. Class constructor is marked as private."), Accessors_must_both_be_abstract_or_non_abstract: diag(2676, 1, "Accessors_must_both_be_abstract_or_non_abstract_2676", "Accessors must both be abstract or non-abstract."), A_type_predicate_s_type_must_be_assignable_to_its_parameter_s_type: diag(2677, 1, "A_type_predicate_s_type_must_be_assignable_to_its_parameter_s_type_2677", "A type predicate's type must be assignable to its parameter's type."), Type_0_is_not_comparable_to_type_1: diag(2678, 1, "Type_0_is_not_comparable_to_type_1_2678", "Type '{0}' is not comparable to type '{1}'."), A_function_that_is_called_with_the_new_keyword_cannot_have_a_this_type_that_is_void: diag(2679, 1, "A_function_that_is_called_with_the_new_keyword_cannot_have_a_this_type_that_is_void_2679", "A function that is called with the 'new' keyword cannot have a 'this' type that is 'void'."), A_0_parameter_must_be_the_first_parameter: diag(2680, 1, "A_0_parameter_must_be_the_first_parameter_2680", "A '{0}' parameter must be the first parameter."), A_constructor_cannot_have_a_this_parameter: diag(2681, 1, "A_constructor_cannot_have_a_this_parameter_2681", "A constructor cannot have a 'this' parameter."), this_implicitly_has_type_any_because_it_does_not_have_a_type_annotation: diag(2683, 1, "this_implicitly_has_type_any_because_it_does_not_have_a_type_annotation_2683", "'this' implicitly has type 'any' because it does not have a type annotation."), The_this_context_of_type_0_is_not_assignable_to_method_s_this_of_type_1: diag(2684, 1, "The_this_context_of_type_0_is_not_assignable_to_method_s_this_of_type_1_2684", "The 'this' context of type '{0}' is not assignable to method's 'this' of type '{1}'."), The_this_types_of_each_signature_are_incompatible: diag(2685, 1, "The_this_types_of_each_signature_are_incompatible_2685", "The 'this' types of each signature are incompatible."), _0_refers_to_a_UMD_global_but_the_current_file_is_a_module_Consider_adding_an_import_instead: diag(2686, 1, "_0_refers_to_a_UMD_global_but_the_current_file_is_a_module_Consider_adding_an_import_instead_2686", "'{0}' refers to a UMD global, but the current file is a module. Consider adding an import instead."), All_declarations_of_0_must_have_identical_modifiers: diag(2687, 1, "All_declarations_of_0_must_have_identical_modifiers_2687", "All declarations of '{0}' must have identical modifiers."), Cannot_find_type_definition_file_for_0: diag(2688, 1, "Cannot_find_type_definition_file_for_0_2688", "Cannot find type definition file for '{0}'."), Cannot_extend_an_interface_0_Did_you_mean_implements: diag(2689, 1, "Cannot_extend_an_interface_0_Did_you_mean_implements_2689", "Cannot extend an interface '{0}'. Did you mean 'implements'?"), _0_only_refers_to_a_type_but_is_being_used_as_a_value_here_Did_you_mean_to_use_1_in_0: diag(2690, 1, "_0_only_refers_to_a_type_but_is_being_used_as_a_value_here_Did_you_mean_to_use_1_in_0_2690", "'{0}' only refers to a type, but is being used as a value here. Did you mean to use '{1} in {0}'?"), _0_is_a_primitive_but_1_is_a_wrapper_object_Prefer_using_0_when_possible: diag(2692, 1, "_0_is_a_primitive_but_1_is_a_wrapper_object_Prefer_using_0_when_possible_2692", "'{0}' is a primitive, but '{1}' is a wrapper object. Prefer using '{0}' when possible."), _0_only_refers_to_a_type_but_is_being_used_as_a_value_here: diag(2693, 1, "_0_only_refers_to_a_type_but_is_being_used_as_a_value_here_2693", "'{0}' only refers to a type, but is being used as a value here."), Namespace_0_has_no_exported_member_1: diag(2694, 1, "Namespace_0_has_no_exported_member_1_2694", "Namespace '{0}' has no exported member '{1}'."), Left_side_of_comma_operator_is_unused_and_has_no_side_effects: diag( 2695, 1, "Left_side_of_comma_operator_is_unused_and_has_no_side_effects_2695", "Left side of comma operator is unused and has no side effects.", /*reportsUnnecessary*/ true ), The_Object_type_is_assignable_to_very_few_other_types_Did_you_mean_to_use_the_any_type_instead: diag(2696, 1, "The_Object_type_is_assignable_to_very_few_other_types_Did_you_mean_to_use_the_any_type_instead_2696", "The 'Object' type is assignable to very few other types. Did you mean to use the 'any' type instead?"), An_async_function_or_method_must_return_a_Promise_Make_sure_you_have_a_declaration_for_Promise_or_include_ES2015_in_your_lib_option: diag(2697, 1, "An_async_function_or_method_must_return_a_Promise_Make_sure_you_have_a_declaration_for_Promise_or_in_2697", "An async function or method must return a 'Promise'. Make sure you have a declaration for 'Promise' or include 'ES2015' in your '--lib' option."), Spread_types_may_only_be_created_from_object_types: diag(2698, 1, "Spread_types_may_only_be_created_from_object_types_2698", "Spread types may only be created from object types."), Static_property_0_conflicts_with_built_in_property_Function_0_of_constructor_function_1: diag(2699, 1, "Static_property_0_conflicts_with_built_in_property_Function_0_of_constructor_function_1_2699", "Static property '{0}' conflicts with built-in property 'Function.{0}' of constructor function '{1}'."), Rest_types_may_only_be_created_from_object_types: diag(2700, 1, "Rest_types_may_only_be_created_from_object_types_2700", "Rest types may only be created from object types."), The_target_of_an_object_rest_assignment_must_be_a_variable_or_a_property_access: diag(2701, 1, "The_target_of_an_object_rest_assignment_must_be_a_variable_or_a_property_access_2701", "The target of an object rest assignment must be a variable or a property access."), _0_only_refers_to_a_type_but_is_being_used_as_a_namespace_here: diag(2702, 1, "_0_only_refers_to_a_type_but_is_being_used_as_a_namespace_here_2702", "'{0}' only refers to a type, but is being used as a namespace here."), The_operand_of_a_delete_operator_must_be_a_property_reference: diag(2703, 1, "The_operand_of_a_delete_operator_must_be_a_property_reference_2703", "The operand of a 'delete' operator must be a property reference."), The_operand_of_a_delete_operator_cannot_be_a_read_only_property: diag(2704, 1, "The_operand_of_a_delete_operator_cannot_be_a_read_only_property_2704", "The operand of a 'delete' operator cannot be a read-only property."), An_async_function_or_method_in_ES5_requires_the_Promise_constructor_Make_sure_you_have_a_declaration_for_the_Promise_constructor_or_include_ES2015_in_your_lib_option: diag(2705, 1, "An_async_function_or_method_in_ES5_requires_the_Promise_constructor_Make_sure_you_have_a_declaration_2705", "An async function or method in ES5 requires the 'Promise' constructor. Make sure you have a declaration for the 'Promise' constructor or include 'ES2015' in your '--lib' option."), Required_type_parameters_may_not_follow_optional_type_parameters: diag(2706, 1, "Required_type_parameters_may_not_follow_optional_type_parameters_2706", "Required type parameters may not follow optional type parameters."), Generic_type_0_requires_between_1_and_2_type_arguments: diag(2707, 1, "Generic_type_0_requires_between_1_and_2_type_arguments_2707", "Generic type '{0}' requires between {1} and {2} type arguments."), Cannot_use_namespace_0_as_a_value: diag(2708, 1, "Cannot_use_namespace_0_as_a_value_2708", "Cannot use namespace '{0}' as a value."), Cannot_use_namespace_0_as_a_type: diag(2709, 1, "Cannot_use_namespace_0_as_a_type_2709", "Cannot use namespace '{0}' as a type."), _0_are_specified_twice_The_attribute_named_0_will_be_overwritten: diag(2710, 1, "_0_are_specified_twice_The_attribute_named_0_will_be_overwritten_2710", "'{0}' are specified twice. The attribute named '{0}' will be overwritten."), A_dynamic_import_call_returns_a_Promise_Make_sure_you_have_a_declaration_for_Promise_or_include_ES2015_in_your_lib_option: diag(2711, 1, "A_dynamic_import_call_returns_a_Promise_Make_sure_you_have_a_declaration_for_Promise_or_include_ES20_2711", "A dynamic import call returns a 'Promise'. Make sure you have a declaration for 'Promise' or include 'ES2015' in your '--lib' option."), A_dynamic_import_call_in_ES5_requires_the_Promise_constructor_Make_sure_you_have_a_declaration_for_the_Promise_constructor_or_include_ES2015_in_your_lib_option: diag(2712, 1, "A_dynamic_import_call_in_ES5_requires_the_Promise_constructor_Make_sure_you_have_a_declaration_for_t_2712", "A dynamic import call in ES5 requires the 'Promise' constructor. Make sure you have a declaration for the 'Promise' constructor or include 'ES2015' in your '--lib' option."), Cannot_access_0_1_because_0_is_a_type_but_not_a_namespace_Did_you_mean_to_retrieve_the_type_of_the_property_1_in_0_with_0_1: diag(2713, 1, "Cannot_access_0_1_because_0_is_a_type_but_not_a_namespace_Did_you_mean_to_retrieve_the_type_of_the_p_2713", `Cannot access '{0}.{1}' because '{0}' is a type, but not a namespace. Did you mean to retrieve the type of the property '{1}' in '{0}' with '{0}["{1}"]'?`), The_expression_of_an_export_assignment_must_be_an_identifier_or_qualified_name_in_an_ambient_context: diag(2714, 1, "The_expression_of_an_export_assignment_must_be_an_identifier_or_qualified_name_in_an_ambient_context_2714", "The expression of an export assignment must be an identifier or qualified name in an ambient context."), Abstract_property_0_in_class_1_cannot_be_accessed_in_the_constructor: diag(2715, 1, "Abstract_property_0_in_class_1_cannot_be_accessed_in_the_constructor_2715", "Abstract property '{0}' in class '{1}' cannot be accessed in the constructor."), Type_parameter_0_has_a_circular_default: diag(2716, 1, "Type_parameter_0_has_a_circular_default_2716", "Type parameter '{0}' has a circular default."), Subsequent_property_declarations_must_have_the_same_type_Property_0_must_be_of_type_1_but_here_has_type_2: diag(2717, 1, "Subsequent_property_declarations_must_have_the_same_type_Property_0_must_be_of_type_1_but_here_has_t_2717", "Subsequent property declarations must have the same type. Property '{0}' must be of type '{1}', but here has type '{2}'."), Duplicate_property_0: diag(2718, 1, "Duplicate_property_0_2718", "Duplicate property '{0}'."), Type_0_is_not_assignable_to_type_1_Two_different_types_with_this_name_exist_but_they_are_unrelated: diag(2719, 1, "Type_0_is_not_assignable_to_type_1_Two_different_types_with_this_name_exist_but_they_are_unrelated_2719", "Type '{0}' is not assignable to type '{1}'. Two different types with this name exist, but they are unrelated."), Class_0_incorrectly_implements_class_1_Did_you_mean_to_extend_1_and_inherit_its_members_as_a_subclass: diag(2720, 1, "Class_0_incorrectly_implements_class_1_Did_you_mean_to_extend_1_and_inherit_its_members_as_a_subclas_2720", "Class '{0}' incorrectly implements class '{1}'. Did you mean to extend '{1}' and inherit its members as a subclass?"), Cannot_invoke_an_object_which_is_possibly_null: diag(2721, 1, "Cannot_invoke_an_object_which_is_possibly_null_2721", "Cannot invoke an object which is possibly 'null'."), Cannot_invoke_an_object_which_is_possibly_undefined: diag(2722, 1, "Cannot_invoke_an_object_which_is_possibly_undefined_2722", "Cannot invoke an object which is possibly 'undefined'."), Cannot_invoke_an_object_which_is_possibly_null_or_undefined: diag(2723, 1, "Cannot_invoke_an_object_which_is_possibly_null_or_undefined_2723", "Cannot invoke an object which is possibly 'null' or 'undefined'."), _0_has_no_exported_member_named_1_Did_you_mean_2: diag(2724, 1, "_0_has_no_exported_member_named_1_Did_you_mean_2_2724", "'{0}' has no exported member named '{1}'. Did you mean '{2}'?"), Class_name_cannot_be_Object_when_targeting_ES5_with_module_0: diag(2725, 1, "Class_name_cannot_be_Object_when_targeting_ES5_with_module_0_2725", "Class name cannot be 'Object' when targeting ES5 with module {0}."), Cannot_find_lib_definition_for_0: diag(2726, 1, "Cannot_find_lib_definition_for_0_2726", "Cannot find lib definition for '{0}'."), Cannot_find_lib_definition_for_0_Did_you_mean_1: diag(2727, 1, "Cannot_find_lib_definition_for_0_Did_you_mean_1_2727", "Cannot find lib definition for '{0}'. Did you mean '{1}'?"), _0_is_declared_here: diag(2728, 3, "_0_is_declared_here_2728", "'{0}' is declared here."), Property_0_is_used_before_its_initialization: diag(2729, 1, "Property_0_is_used_before_its_initialization_2729", "Property '{0}' is used before its initialization."), An_arrow_function_cannot_have_a_this_parameter: diag(2730, 1, "An_arrow_function_cannot_have_a_this_parameter_2730", "An arrow function cannot have a 'this' parameter."), Implicit_conversion_of_a_symbol_to_a_string_will_fail_at_runtime_Consider_wrapping_this_expression_in_String: diag(2731, 1, "Implicit_conversion_of_a_symbol_to_a_string_will_fail_at_runtime_Consider_wrapping_this_expression_i_2731", "Implicit conversion of a 'symbol' to a 'string' will fail at runtime. Consider wrapping this expression in 'String(...)'."), Cannot_find_module_0_Consider_using_resolveJsonModule_to_import_module_with_json_extension: diag(2732, 1, "Cannot_find_module_0_Consider_using_resolveJsonModule_to_import_module_with_json_extension_2732", "Cannot find module '{0}'. Consider using '--resolveJsonModule' to import module with '.json' extension."), Property_0_was_also_declared_here: diag(2733, 1, "Property_0_was_also_declared_here_2733", "Property '{0}' was also declared here."), Are_you_missing_a_semicolon: diag(2734, 1, "Are_you_missing_a_semicolon_2734", "Are you missing a semicolon?"), Did_you_mean_for_0_to_be_constrained_to_type_new_args_Colon_any_1: diag(2735, 1, "Did_you_mean_for_0_to_be_constrained_to_type_new_args_Colon_any_1_2735", "Did you mean for '{0}' to be constrained to type 'new (...args: any[]) => {1}'?"), Operator_0_cannot_be_applied_to_type_1: diag(2736, 1, "Operator_0_cannot_be_applied_to_type_1_2736", "Operator '{0}' cannot be applied to type '{1}'."), BigInt_literals_are_not_available_when_targeting_lower_than_ES2020: diag(2737, 1, "BigInt_literals_are_not_available_when_targeting_lower_than_ES2020_2737", "BigInt literals are not available when targeting lower than ES2020."), An_outer_value_of_this_is_shadowed_by_this_container: diag(2738, 3, "An_outer_value_of_this_is_shadowed_by_this_container_2738", "An outer value of 'this' is shadowed by this container."), Type_0_is_missing_the_following_properties_from_type_1_Colon_2: diag(2739, 1, "Type_0_is_missing_the_following_properties_from_type_1_Colon_2_2739", "Type '{0}' is missing the following properties from type '{1}': {2}"), Type_0_is_missing_the_following_properties_from_type_1_Colon_2_and_3_more: diag(2740, 1, "Type_0_is_missing_the_following_properties_from_type_1_Colon_2_and_3_more_2740", "Type '{0}' is missing the following properties from type '{1}': {2}, and {3} more."), Property_0_is_missing_in_type_1_but_required_in_type_2: diag(2741, 1, "Property_0_is_missing_in_type_1_but_required_in_type_2_2741", "Property '{0}' is missing in type '{1}' but required in type '{2}'."), The_inferred_type_of_0_cannot_be_named_without_a_reference_to_1_This_is_likely_not_portable_A_type_annotation_is_necessary: diag(2742, 1, "The_inferred_type_of_0_cannot_be_named_without_a_reference_to_1_This_is_likely_not_portable_A_type_a_2742", "The inferred type of '{0}' cannot be named without a reference to '{1}'. This is likely not portable. A type annotation is necessary."), No_overload_expects_0_type_arguments_but_overloads_do_exist_that_expect_either_1_or_2_type_arguments: diag(2743, 1, "No_overload_expects_0_type_arguments_but_overloads_do_exist_that_expect_either_1_or_2_type_arguments_2743", "No overload expects {0} type arguments, but overloads do exist that expect either {1} or {2} type arguments."), Type_parameter_defaults_can_only_reference_previously_declared_type_parameters: diag(2744, 1, "Type_parameter_defaults_can_only_reference_previously_declared_type_parameters_2744", "Type parameter defaults can only reference previously declared type parameters."), This_JSX_tag_s_0_prop_expects_type_1_which_requires_multiple_children_but_only_a_single_child_was_provided: diag(2745, 1, "This_JSX_tag_s_0_prop_expects_type_1_which_requires_multiple_children_but_only_a_single_child_was_pr_2745", "This JSX tag's '{0}' prop expects type '{1}' which requires multiple children, but only a single child was provided."), This_JSX_tag_s_0_prop_expects_a_single_child_of_type_1_but_multiple_children_were_provided: diag(2746, 1, "This_JSX_tag_s_0_prop_expects_a_single_child_of_type_1_but_multiple_children_were_provided_2746", "This JSX tag's '{0}' prop expects a single child of type '{1}', but multiple children were provided."), _0_components_don_t_accept_text_as_child_elements_Text_in_JSX_has_the_type_string_but_the_expected_type_of_1_is_2: diag(2747, 1, "_0_components_don_t_accept_text_as_child_elements_Text_in_JSX_has_the_type_string_but_the_expected_t_2747", "'{0}' components don't accept text as child elements. Text in JSX has the type 'string', but the expected type of '{1}' is '{2}'."), Cannot_access_ambient_const_enums_when_0_is_enabled: diag(2748, 1, "Cannot_access_ambient_const_enums_when_0_is_enabled_2748", "Cannot access ambient const enums when '{0}' is enabled."), _0_refers_to_a_value_but_is_being_used_as_a_type_here_Did_you_mean_typeof_0: diag(2749, 1, "_0_refers_to_a_value_but_is_being_used_as_a_type_here_Did_you_mean_typeof_0_2749", "'{0}' refers to a value, but is being used as a type here. Did you mean 'typeof {0}'?"), The_implementation_signature_is_declared_here: diag(2750, 1, "The_implementation_signature_is_declared_here_2750", "The implementation signature is declared here."), Circularity_originates_in_type_at_this_location: diag(2751, 1, "Circularity_originates_in_type_at_this_location_2751", "Circularity originates in type at this location."), The_first_export_default_is_here: diag(2752, 1, "The_first_export_default_is_here_2752", "The first export default is here."), Another_export_default_is_here: diag(2753, 1, "Another_export_default_is_here_2753", "Another export default is here."), super_may_not_use_type_arguments: diag(2754, 1, "super_may_not_use_type_arguments_2754", "'super' may not use type arguments."), No_constituent_of_type_0_is_callable: diag(2755, 1, "No_constituent_of_type_0_is_callable_2755", "No constituent of type '{0}' is callable."), Not_all_constituents_of_type_0_are_callable: diag(2756, 1, "Not_all_constituents_of_type_0_are_callable_2756", "Not all constituents of type '{0}' are callable."), Type_0_has_no_call_signatures: diag(2757, 1, "Type_0_has_no_call_signatures_2757", "Type '{0}' has no call signatures."), Each_member_of_the_union_type_0_has_signatures_but_none_of_those_signatures_are_compatible_with_each_other: diag(2758, 1, "Each_member_of_the_union_type_0_has_signatures_but_none_of_those_signatures_are_compatible_with_each_2758", "Each member of the union type '{0}' has signatures, but none of those signatures are compatible with each other."), No_constituent_of_type_0_is_constructable: diag(2759, 1, "No_constituent_of_type_0_is_constructable_2759", "No constituent of type '{0}' is constructable."), Not_all_constituents_of_type_0_are_constructable: diag(2760, 1, "Not_all_constituents_of_type_0_are_constructable_2760", "Not all constituents of type '{0}' are constructable."), Type_0_has_no_construct_signatures: diag(2761, 1, "Type_0_has_no_construct_signatures_2761", "Type '{0}' has no construct signatures."), Each_member_of_the_union_type_0_has_construct_signatures_but_none_of_those_signatures_are_compatible_with_each_other: diag(2762, 1, "Each_member_of_the_union_type_0_has_construct_signatures_but_none_of_those_signatures_are_compatible_2762", "Each member of the union type '{0}' has construct signatures, but none of those signatures are compatible with each other."), Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_for_of_will_always_send_0: diag(2763, 1, "Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_for_of_will_always_s_2763", "Cannot iterate value because the 'next' method of its iterator expects type '{1}', but for-of will always send '{0}'."), Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_array_spread_will_always_send_0: diag(2764, 1, "Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_array_spread_will_al_2764", "Cannot iterate value because the 'next' method of its iterator expects type '{1}', but array spread will always send '{0}'."), Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_array_destructuring_will_always_send_0: diag(2765, 1, "Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_array_destructuring__2765", "Cannot iterate value because the 'next' method of its iterator expects type '{1}', but array destructuring will always send '{0}'."), Cannot_delegate_iteration_to_value_because_the_next_method_of_its_iterator_expects_type_1_but_the_containing_generator_will_always_send_0: diag(2766, 1, "Cannot_delegate_iteration_to_value_because_the_next_method_of_its_iterator_expects_type_1_but_the_co_2766", "Cannot delegate iteration to value because the 'next' method of its iterator expects type '{1}', but the containing generator will always send '{0}'."), The_0_property_of_an_iterator_must_be_a_method: diag(2767, 1, "The_0_property_of_an_iterator_must_be_a_method_2767", "The '{0}' property of an iterator must be a method."), The_0_property_of_an_async_iterator_must_be_a_method: diag(2768, 1, "The_0_property_of_an_async_iterator_must_be_a_method_2768", "The '{0}' property of an async iterator must be a method."), No_overload_matches_this_call: diag(2769, 1, "No_overload_matches_this_call_2769", "No overload matches this call."), The_last_overload_gave_the_following_error: diag(2770, 1, "The_last_overload_gave_the_following_error_2770", "The last overload gave the following error."), The_last_overload_is_declared_here: diag(2771, 1, "The_last_overload_is_declared_here_2771", "The last overload is declared here."), Overload_0_of_1_2_gave_the_following_error: diag(2772, 1, "Overload_0_of_1_2_gave_the_following_error_2772", "Overload {0} of {1}, '{2}', gave the following error."), Did_you_forget_to_use_await: diag(2773, 1, "Did_you_forget_to_use_await_2773", "Did you forget to use 'await'?"), This_condition_will_always_return_true_since_this_function_is_always_defined_Did_you_mean_to_call_it_instead: diag(2774, 1, "This_condition_will_always_return_true_since_this_function_is_always_defined_Did_you_mean_to_call_it_2774", "This condition will always return true since this function is always defined. Did you mean to call it instead?"), Assertions_require_every_name_in_the_call_target_to_be_declared_with_an_explicit_type_annotation: diag(2775, 1, "Assertions_require_every_name_in_the_call_target_to_be_declared_with_an_explicit_type_annotation_2775", "Assertions require every name in the call target to be declared with an explicit type annotation."), Assertions_require_the_call_target_to_be_an_identifier_or_qualified_name: diag(2776, 1, "Assertions_require_the_call_target_to_be_an_identifier_or_qualified_name_2776", "Assertions require the call target to be an identifier or qualified name."), The_operand_of_an_increment_or_decrement_operator_may_not_be_an_optional_property_access: diag(2777, 1, "The_operand_of_an_increment_or_decrement_operator_may_not_be_an_optional_property_access_2777", "The operand of an increment or decrement operator may not be an optional property access."), The_target_of_an_object_rest_assignment_may_not_be_an_optional_property_access: diag(2778, 1, "The_target_of_an_object_rest_assignment_may_not_be_an_optional_property_access_2778", "The target of an object rest assignment may not be an optional property access."), The_left_hand_side_of_an_assignment_expression_may_not_be_an_optional_property_access: diag(2779, 1, "The_left_hand_side_of_an_assignment_expression_may_not_be_an_optional_property_access_2779", "The left-hand side of an assignment expression may not be an optional property access."), The_left_hand_side_of_a_for_in_statement_may_not_be_an_optional_property_access: diag(2780, 1, "The_left_hand_side_of_a_for_in_statement_may_not_be_an_optional_property_access_2780", "The left-hand side of a 'for...in' statement may not be an optional property access."), The_left_hand_side_of_a_for_of_statement_may_not_be_an_optional_property_access: diag(2781, 1, "The_left_hand_side_of_a_for_of_statement_may_not_be_an_optional_property_access_2781", "The left-hand side of a 'for...of' statement may not be an optional property access."), _0_needs_an_explicit_type_annotation: diag(2782, 3, "_0_needs_an_explicit_type_annotation_2782", "'{0}' needs an explicit type annotation."), _0_is_specified_more_than_once_so_this_usage_will_be_overwritten: diag(2783, 1, "_0_is_specified_more_than_once_so_this_usage_will_be_overwritten_2783", "'{0}' is specified more than once, so this usage will be overwritten."), get_and_set_accessors_cannot_declare_this_parameters: diag(2784, 1, "get_and_set_accessors_cannot_declare_this_parameters_2784", "'get' and 'set' accessors cannot declare 'this' parameters."), This_spread_always_overwrites_this_property: diag(2785, 1, "This_spread_always_overwrites_this_property_2785", "This spread always overwrites this property."), _0_cannot_be_used_as_a_JSX_component: diag(2786, 1, "_0_cannot_be_used_as_a_JSX_component_2786", "'{0}' cannot be used as a JSX component."), Its_return_type_0_is_not_a_valid_JSX_element: diag(2787, 1, "Its_return_type_0_is_not_a_valid_JSX_element_2787", "Its return type '{0}' is not a valid JSX element."), Its_instance_type_0_is_not_a_valid_JSX_element: diag(2788, 1, "Its_instance_type_0_is_not_a_valid_JSX_element_2788", "Its instance type '{0}' is not a valid JSX element."), Its_element_type_0_is_not_a_valid_JSX_element: diag(2789, 1, "Its_element_type_0_is_not_a_valid_JSX_element_2789", "Its element type '{0}' is not a valid JSX element."), The_operand_of_a_delete_operator_must_be_optional: diag(2790, 1, "The_operand_of_a_delete_operator_must_be_optional_2790", "The operand of a 'delete' operator must be optional."), Exponentiation_cannot_be_performed_on_bigint_values_unless_the_target_option_is_set_to_es2016_or_later: diag(2791, 1, "Exponentiation_cannot_be_performed_on_bigint_values_unless_the_target_option_is_set_to_es2016_or_lat_2791", "Exponentiation cannot be performed on 'bigint' values unless the 'target' option is set to 'es2016' or later."), Cannot_find_module_0_Did_you_mean_to_set_the_moduleResolution_option_to_nodenext_or_to_add_aliases_to_the_paths_option: diag(2792, 1, "Cannot_find_module_0_Did_you_mean_to_set_the_moduleResolution_option_to_nodenext_or_to_add_aliases_t_2792", "Cannot find module '{0}'. Did you mean to set the 'moduleResolution' option to 'nodenext', or to add aliases to the 'paths' option?"), The_call_would_have_succeeded_against_this_implementation_but_implementation_signatures_of_overloads_are_not_externally_visible: diag(2793, 1, "The_call_would_have_succeeded_against_this_implementation_but_implementation_signatures_of_overloads_2793", "The call would have succeeded against this implementation, but implementation signatures of overloads are not externally visible."), Expected_0_arguments_but_got_1_Did_you_forget_to_include_void_in_your_type_argument_to_Promise: diag(2794, 1, "Expected_0_arguments_but_got_1_Did_you_forget_to_include_void_in_your_type_argument_to_Promise_2794", "Expected {0} arguments, but got {1}. Did you forget to include 'void' in your type argument to 'Promise'?"), The_intrinsic_keyword_can_only_be_used_to_declare_compiler_provided_intrinsic_types: diag(2795, 1, "The_intrinsic_keyword_can_only_be_used_to_declare_compiler_provided_intrinsic_types_2795", "The 'intrinsic' keyword can only be used to declare compiler provided intrinsic types."), It_is_likely_that_you_are_missing_a_comma_to_separate_these_two_template_expressions_They_form_a_tagged_template_expression_which_cannot_be_invoked: diag(2796, 1, "It_is_likely_that_you_are_missing_a_comma_to_separate_these_two_template_expressions_They_form_a_tag_2796", "It is likely that you are missing a comma to separate these two template expressions. They form a tagged template expression which cannot be invoked."), A_mixin_class_that_extends_from_a_type_variable_containing_an_abstract_construct_signature_must_also_be_declared_abstract: diag(2797, 1, "A_mixin_class_that_extends_from_a_type_variable_containing_an_abstract_construct_signature_must_also_2797", "A mixin class that extends from a type variable containing an abstract construct signature must also be declared 'abstract'."), The_declaration_was_marked_as_deprecated_here: diag(2798, 1, "The_declaration_was_marked_as_deprecated_here_2798", "The declaration was marked as deprecated here."), Type_produces_a_tuple_type_that_is_too_large_to_represent: diag(2799, 1, "Type_produces_a_tuple_type_that_is_too_large_to_represent_2799", "Type produces a tuple type that is too large to represent."), Expression_produces_a_tuple_type_that_is_too_large_to_represent: diag(2800, 1, "Expression_produces_a_tuple_type_that_is_too_large_to_represent_2800", "Expression produces a tuple type that is too large to represent."), This_condition_will_always_return_true_since_this_0_is_always_defined: diag(2801, 1, "This_condition_will_always_return_true_since_this_0_is_always_defined_2801", "This condition will always return true since this '{0}' is always defined."), Type_0_can_only_be_iterated_through_when_using_the_downlevelIteration_flag_or_with_a_target_of_es2015_or_higher: diag(2802, 1, "Type_0_can_only_be_iterated_through_when_using_the_downlevelIteration_flag_or_with_a_target_of_es201_2802", "Type '{0}' can only be iterated through when using the '--downlevelIteration' flag or with a '--target' of 'es2015' or higher."), Cannot_assign_to_private_method_0_Private_methods_are_not_writable: diag(2803, 1, "Cannot_assign_to_private_method_0_Private_methods_are_not_writable_2803", "Cannot assign to private method '{0}'. Private methods are not writable."), Duplicate_identifier_0_Static_and_instance_elements_cannot_share_the_same_private_name: diag(2804, 1, "Duplicate_identifier_0_Static_and_instance_elements_cannot_share_the_same_private_name_2804", "Duplicate identifier '{0}'. Static and instance elements cannot share the same private name."), Private_accessor_was_defined_without_a_getter: diag(2806, 1, "Private_accessor_was_defined_without_a_getter_2806", "Private accessor was defined without a getter."), This_syntax_requires_an_imported_helper_named_1_with_2_parameters_which_is_not_compatible_with_the_one_in_0_Consider_upgrading_your_version_of_0: diag(2807, 1, "This_syntax_requires_an_imported_helper_named_1_with_2_parameters_which_is_not_compatible_with_the_o_2807", "This syntax requires an imported helper named '{1}' with {2} parameters, which is not compatible with the one in '{0}'. Consider upgrading your version of '{0}'."), A_get_accessor_must_be_at_least_as_accessible_as_the_setter: diag(2808, 1, "A_get_accessor_must_be_at_least_as_accessible_as_the_setter_2808", "A get accessor must be at least as accessible as the setter"), Declaration_or_statement_expected_This_follows_a_block_of_statements_so_if_you_intended_to_write_a_destructuring_assignment_you_might_need_to_wrap_the_whole_assignment_in_parentheses: diag(2809, 1, "Declaration_or_statement_expected_This_follows_a_block_of_statements_so_if_you_intended_to_write_a_d_2809", "Declaration or statement expected. This '=' follows a block of statements, so if you intended to write a destructuring assignment, you might need to wrap the whole assignment in parentheses."), Expected_1_argument_but_got_0_new_Promise_needs_a_JSDoc_hint_to_produce_a_resolve_that_can_be_called_without_arguments: diag(2810, 1, "Expected_1_argument_but_got_0_new_Promise_needs_a_JSDoc_hint_to_produce_a_resolve_that_can_be_called_2810", "Expected 1 argument, but got 0. 'new Promise()' needs a JSDoc hint to produce a 'resolve' that can be called without arguments."), Initializer_for_property_0: diag(2811, 1, "Initializer_for_property_0_2811", "Initializer for property '{0}'"), Property_0_does_not_exist_on_type_1_Try_changing_the_lib_compiler_option_to_include_dom: diag(2812, 1, "Property_0_does_not_exist_on_type_1_Try_changing_the_lib_compiler_option_to_include_dom_2812", "Property '{0}' does not exist on type '{1}'. Try changing the 'lib' compiler option to include 'dom'."), Class_declaration_cannot_implement_overload_list_for_0: diag(2813, 1, "Class_declaration_cannot_implement_overload_list_for_0_2813", "Class declaration cannot implement overload list for '{0}'."), Function_with_bodies_can_only_merge_with_classes_that_are_ambient: diag(2814, 1, "Function_with_bodies_can_only_merge_with_classes_that_are_ambient_2814", "Function with bodies can only merge with classes that are ambient."), arguments_cannot_be_referenced_in_property_initializers: diag(2815, 1, "arguments_cannot_be_referenced_in_property_initializers_2815", "'arguments' cannot be referenced in property initializers."), Cannot_use_this_in_a_static_property_initializer_of_a_decorated_class: diag(2816, 1, "Cannot_use_this_in_a_static_property_initializer_of_a_decorated_class_2816", "Cannot use 'this' in a static property initializer of a decorated class."), Property_0_has_no_initializer_and_is_not_definitely_assigned_in_a_class_static_block: diag(2817, 1, "Property_0_has_no_initializer_and_is_not_definitely_assigned_in_a_class_static_block_2817", "Property '{0}' has no initializer and is not definitely assigned in a class static block."), Duplicate_identifier_0_Compiler_reserves_name_1_when_emitting_super_references_in_static_initializers: diag(2818, 1, "Duplicate_identifier_0_Compiler_reserves_name_1_when_emitting_super_references_in_static_initializer_2818", "Duplicate identifier '{0}'. Compiler reserves name '{1}' when emitting 'super' references in static initializers."), Namespace_name_cannot_be_0: diag(2819, 1, "Namespace_name_cannot_be_0_2819", "Namespace name cannot be '{0}'."), Type_0_is_not_assignable_to_type_1_Did_you_mean_2: diag(2820, 1, "Type_0_is_not_assignable_to_type_1_Did_you_mean_2_2820", "Type '{0}' is not assignable to type '{1}'. Did you mean '{2}'?"), Import_assertions_are_only_supported_when_the_module_option_is_set_to_esnext_nodenext_or_preserve: diag(2821, 1, "Import_assertions_are_only_supported_when_the_module_option_is_set_to_esnext_nodenext_or_preserve_2821", "Import assertions are only supported when the '--module' option is set to 'esnext', 'nodenext', or 'preserve'."), Import_assertions_cannot_be_used_with_type_only_imports_or_exports: diag(2822, 1, "Import_assertions_cannot_be_used_with_type_only_imports_or_exports_2822", "Import assertions cannot be used with type-only imports or exports."), Import_attributes_are_only_supported_when_the_module_option_is_set_to_esnext_nodenext_or_preserve: diag(2823, 1, "Import_attributes_are_only_supported_when_the_module_option_is_set_to_esnext_nodenext_or_preserve_2823", "Import attributes are only supported when the '--module' option is set to 'esnext', 'nodenext', or 'preserve'."), Cannot_find_namespace_0_Did_you_mean_1: diag(2833, 1, "Cannot_find_namespace_0_Did_you_mean_1_2833", "Cannot find namespace '{0}'. Did you mean '{1}'?"), Relative_import_paths_need_explicit_file_extensions_in_ECMAScript_imports_when_moduleResolution_is_node16_or_nodenext_Consider_adding_an_extension_to_the_import_path: diag(2834, 1, "Relative_import_paths_need_explicit_file_extensions_in_ECMAScript_imports_when_moduleResolution_is_n_2834", "Relative import paths need explicit file extensions in ECMAScript imports when '--moduleResolution' is 'node16' or 'nodenext'. Consider adding an extension to the import path."), Relative_import_paths_need_explicit_file_extensions_in_ECMAScript_imports_when_moduleResolution_is_node16_or_nodenext_Did_you_mean_0: diag(2835, 1, "Relative_import_paths_need_explicit_file_extensions_in_ECMAScript_imports_when_moduleResolution_is_n_2835", "Relative import paths need explicit file extensions in ECMAScript imports when '--moduleResolution' is 'node16' or 'nodenext'. Did you mean '{0}'?"), Import_assertions_are_not_allowed_on_statements_that_compile_to_CommonJS_require_calls: diag(2836, 1, "Import_assertions_are_not_allowed_on_statements_that_compile_to_CommonJS_require_calls_2836", "Import assertions are not allowed on statements that compile to CommonJS 'require' calls."), Import_assertion_values_must_be_string_literal_expressions: diag(2837, 1, "Import_assertion_values_must_be_string_literal_expressions_2837", "Import assertion values must be string literal expressions."), All_declarations_of_0_must_have_identical_constraints: diag(2838, 1, "All_declarations_of_0_must_have_identical_constraints_2838", "All declarations of '{0}' must have identical constraints."), This_condition_will_always_return_0_since_JavaScript_compares_objects_by_reference_not_value: diag(2839, 1, "This_condition_will_always_return_0_since_JavaScript_compares_objects_by_reference_not_value_2839", "This condition will always return '{0}' since JavaScript compares objects by reference, not value."), An_interface_cannot_extend_a_primitive_type_like_0_It_can_only_extend_other_named_object_types: diag(2840, 1, "An_interface_cannot_extend_a_primitive_type_like_0_It_can_only_extend_other_named_object_types_2840", "An interface cannot extend a primitive type like '{0}'. It can only extend other named object types."), _0_is_an_unused_renaming_of_1_Did_you_intend_to_use_it_as_a_type_annotation: diag(2842, 1, "_0_is_an_unused_renaming_of_1_Did_you_intend_to_use_it_as_a_type_annotation_2842", "'{0}' is an unused renaming of '{1}'. Did you intend to use it as a type annotation?"), We_can_only_write_a_type_for_0_by_adding_a_type_for_the_entire_parameter_here: diag(2843, 1, "We_can_only_write_a_type_for_0_by_adding_a_type_for_the_entire_parameter_here_2843", "We can only write a type for '{0}' by adding a type for the entire parameter here."), Type_of_instance_member_variable_0_cannot_reference_identifier_1_declared_in_the_constructor: diag(2844, 1, "Type_of_instance_member_variable_0_cannot_reference_identifier_1_declared_in_the_constructor_2844", "Type of instance member variable '{0}' cannot reference identifier '{1}' declared in the constructor."), This_condition_will_always_return_0: diag(2845, 1, "This_condition_will_always_return_0_2845", "This condition will always return '{0}'."), A_declaration_file_cannot_be_imported_without_import_type_Did_you_mean_to_import_an_implementation_file_0_instead: diag(2846, 1, "A_declaration_file_cannot_be_imported_without_import_type_Did_you_mean_to_import_an_implementation_f_2846", "A declaration file cannot be imported without 'import type'. Did you mean to import an implementation file '{0}' instead?"), The_right_hand_side_of_an_instanceof_expression_must_not_be_an_instantiation_expression: diag(2848, 1, "The_right_hand_side_of_an_instanceof_expression_must_not_be_an_instantiation_expression_2848", "The right-hand side of an 'instanceof' expression must not be an instantiation expression."), Target_signature_provides_too_few_arguments_Expected_0_or_more_but_got_1: diag(2849, 1, "Target_signature_provides_too_few_arguments_Expected_0_or_more_but_got_1_2849", "Target signature provides too few arguments. Expected {0} or more, but got {1}."), The_initializer_of_a_using_declaration_must_be_either_an_object_with_a_Symbol_dispose_method_or_be_null_or_undefined: diag(2850, 1, "The_initializer_of_a_using_declaration_must_be_either_an_object_with_a_Symbol_dispose_method_or_be_n_2850", "The initializer of a 'using' declaration must be either an object with a '[Symbol.dispose]()' method, or be 'null' or 'undefined'."), The_initializer_of_an_await_using_declaration_must_be_either_an_object_with_a_Symbol_asyncDispose_or_Symbol_dispose_method_or_be_null_or_undefined: diag(2851, 1, "The_initializer_of_an_await_using_declaration_must_be_either_an_object_with_a_Symbol_asyncDispose_or_2851", "The initializer of an 'await using' declaration must be either an object with a '[Symbol.asyncDispose]()' or '[Symbol.dispose]()' method, or be 'null' or 'undefined'."), await_using_statements_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules: diag(2852, 1, "await_using_statements_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules_2852", "'await using' statements are only allowed within async functions and at the top levels of modules."), await_using_statements_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module: diag(2853, 1, "await_using_statements_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_th_2853", "'await using' statements are only allowed at the top level of a file when that file is a module, but this file has no imports or exports. Consider adding an empty 'export {}' to make this file a module."), Top_level_await_using_statements_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher: diag(2854, 1, "Top_level_await_using_statements_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_sys_2854", "Top-level 'await using' statements are only allowed when the 'module' option is set to 'es2022', 'esnext', 'system', 'node16', 'nodenext', or 'preserve', and the 'target' option is set to 'es2017' or higher."), Class_field_0_defined_by_the_parent_class_is_not_accessible_in_the_child_class_via_super: diag(2855, 1, "Class_field_0_defined_by_the_parent_class_is_not_accessible_in_the_child_class_via_super_2855", "Class field '{0}' defined by the parent class is not accessible in the child class via super."), Import_attributes_are_not_allowed_on_statements_that_compile_to_CommonJS_require_calls: diag(2856, 1, "Import_attributes_are_not_allowed_on_statements_that_compile_to_CommonJS_require_calls_2856", "Import attributes are not allowed on statements that compile to CommonJS 'require' calls."), Import_attributes_cannot_be_used_with_type_only_imports_or_exports: diag(2857, 1, "Import_attributes_cannot_be_used_with_type_only_imports_or_exports_2857", "Import attributes cannot be used with type-only imports or exports."), Import_attribute_values_must_be_string_literal_expressions: diag(2858, 1, "Import_attribute_values_must_be_string_literal_expressions_2858", "Import attribute values must be string literal expressions."), Excessive_complexity_comparing_types_0_and_1: diag(2859, 1, "Excessive_complexity_comparing_types_0_and_1_2859", "Excessive complexity comparing types '{0}' and '{1}'."), The_left_hand_side_of_an_instanceof_expression_must_be_assignable_to_the_first_argument_of_the_right_hand_side_s_Symbol_hasInstance_method: diag(2860, 1, "The_left_hand_side_of_an_instanceof_expression_must_be_assignable_to_the_first_argument_of_the_right_2860", "The left-hand side of an 'instanceof' expression must be assignable to the first argument of the right-hand side's '[Symbol.hasInstance]' method."), An_object_s_Symbol_hasInstance_method_must_return_a_boolean_value_for_it_to_be_used_on_the_right_hand_side_of_an_instanceof_expression: diag(2861, 1, "An_object_s_Symbol_hasInstance_method_must_return_a_boolean_value_for_it_to_be_used_on_the_right_han_2861", "An object's '[Symbol.hasInstance]' method must return a boolean value for it to be used on the right-hand side of an 'instanceof' expression."), Type_0_is_generic_and_can_only_be_indexed_for_reading: diag(2862, 1, "Type_0_is_generic_and_can_only_be_indexed_for_reading_2862", "Type '{0}' is generic and can only be indexed for reading."), A_class_cannot_extend_a_primitive_type_like_0_Classes_can_only_extend_constructable_values: diag(2863, 1, "A_class_cannot_extend_a_primitive_type_like_0_Classes_can_only_extend_constructable_values_2863", "A class cannot extend a primitive type like '{0}'. Classes can only extend constructable values."), A_class_cannot_implement_a_primitive_type_like_0_It_can_only_implement_other_named_object_types: diag(2864, 1, "A_class_cannot_implement_a_primitive_type_like_0_It_can_only_implement_other_named_object_types_2864", "A class cannot implement a primitive type like '{0}'. It can only implement other named object types."), Import_0_conflicts_with_local_value_so_must_be_declared_with_a_type_only_import_when_isolatedModules_is_enabled: diag(2865, 1, "Import_0_conflicts_with_local_value_so_must_be_declared_with_a_type_only_import_when_isolatedModules_2865", "Import '{0}' conflicts with local value, so must be declared with a type-only import when 'isolatedModules' is enabled."), Import_0_conflicts_with_global_value_used_in_this_file_so_must_be_declared_with_a_type_only_import_when_isolatedModules_is_enabled: diag(2866, 1, "Import_0_conflicts_with_global_value_used_in_this_file_so_must_be_declared_with_a_type_only_import_w_2866", "Import '{0}' conflicts with global value used in this file, so must be declared with a type-only import when 'isolatedModules' is enabled."), Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_Bun_Try_npm_i_save_dev_types_Slashbun: diag(2867, 1, "Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_Bun_Try_npm_i_save_dev_types_Slashbun_2867", "Cannot find name '{0}'. Do you need to install type definitions for Bun? Try `npm i --save-dev @types/bun`."), Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_Bun_Try_npm_i_save_dev_types_Slashbun_and_then_add_bun_to_the_types_field_in_your_tsconfig: diag(2868, 1, "Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_Bun_Try_npm_i_save_dev_types_Slashbun_2868", "Cannot find name '{0}'. Do you need to install type definitions for Bun? Try `npm i --save-dev @types/bun` and then add 'bun' to the types field in your tsconfig."), Import_declaration_0_is_using_private_name_1: diag(4e3, 1, "Import_declaration_0_is_using_private_name_1_4000", "Import declaration '{0}' is using private name '{1}'."), Type_parameter_0_of_exported_class_has_or_is_using_private_name_1: diag(4002, 1, "Type_parameter_0_of_exported_class_has_or_is_using_private_name_1_4002", "Type parameter '{0}' of exported class has or is using private name '{1}'."), Type_parameter_0_of_exported_interface_has_or_is_using_private_name_1: diag(4004, 1, "Type_parameter_0_of_exported_interface_has_or_is_using_private_name_1_4004", "Type parameter '{0}' of exported interface has or is using private name '{1}'."), Type_parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_1: diag(4006, 1, "Type_parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_1_4006", "Type parameter '{0}' of constructor signature from exported interface has or is using private name '{1}'."), Type_parameter_0_of_call_signature_from_exported_interface_has_or_is_using_private_name_1: diag(4008, 1, "Type_parameter_0_of_call_signature_from_exported_interface_has_or_is_using_private_name_1_4008", "Type parameter '{0}' of call signature from exported interface has or is using private name '{1}'."), Type_parameter_0_of_public_static_method_from_exported_class_has_or_is_using_private_name_1: diag(4010, 1, "Type_parameter_0_of_public_static_method_from_exported_class_has_or_is_using_private_name_1_4010", "Type parameter '{0}' of public static method from exported class has or is using private name '{1}'."), Type_parameter_0_of_public_method_from_exported_class_has_or_is_using_private_name_1: diag(4012, 1, "Type_parameter_0_of_public_method_from_exported_class_has_or_is_using_private_name_1_4012", "Type parameter '{0}' of public method from exported class has or is using private name '{1}'."), Type_parameter_0_of_method_from_exported_interface_has_or_is_using_private_name_1: diag(4014, 1, "Type_parameter_0_of_method_from_exported_interface_has_or_is_using_private_name_1_4014", "Type parameter '{0}' of method from exported interface has or is using private name '{1}'."), Type_parameter_0_of_exported_function_has_or_is_using_private_name_1: diag(4016, 1, "Type_parameter_0_of_exported_function_has_or_is_using_private_name_1_4016", "Type parameter '{0}' of exported function has or is using private name '{1}'."), Implements_clause_of_exported_class_0_has_or_is_using_private_name_1: diag(4019, 1, "Implements_clause_of_exported_class_0_has_or_is_using_private_name_1_4019", "Implements clause of exported class '{0}' has or is using private name '{1}'."), extends_clause_of_exported_class_0_has_or_is_using_private_name_1: diag(4020, 1, "extends_clause_of_exported_class_0_has_or_is_using_private_name_1_4020", "'extends' clause of exported class '{0}' has or is using private name '{1}'."), extends_clause_of_exported_class_has_or_is_using_private_name_0: diag(4021, 1, "extends_clause_of_exported_class_has_or_is_using_private_name_0_4021", "'extends' clause of exported class has or is using private name '{0}'."), extends_clause_of_exported_interface_0_has_or_is_using_private_name_1: diag(4022, 1, "extends_clause_of_exported_interface_0_has_or_is_using_private_name_1_4022", "'extends' clause of exported interface '{0}' has or is using private name '{1}'."), Exported_variable_0_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4023, 1, "Exported_variable_0_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named_4023", "Exported variable '{0}' has or is using name '{1}' from external module {2} but cannot be named."), Exported_variable_0_has_or_is_using_name_1_from_private_module_2: diag(4024, 1, "Exported_variable_0_has_or_is_using_name_1_from_private_module_2_4024", "Exported variable '{0}' has or is using name '{1}' from private module '{2}'."), Exported_variable_0_has_or_is_using_private_name_1: diag(4025, 1, "Exported_variable_0_has_or_is_using_private_name_1_4025", "Exported variable '{0}' has or is using private name '{1}'."), Public_static_property_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4026, 1, "Public_static_property_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot__4026", "Public static property '{0}' of exported class has or is using name '{1}' from external module {2} but cannot be named."), Public_static_property_0_of_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4027, 1, "Public_static_property_0_of_exported_class_has_or_is_using_name_1_from_private_module_2_4027", "Public static property '{0}' of exported class has or is using name '{1}' from private module '{2}'."), Public_static_property_0_of_exported_class_has_or_is_using_private_name_1: diag(4028, 1, "Public_static_property_0_of_exported_class_has_or_is_using_private_name_1_4028", "Public static property '{0}' of exported class has or is using private name '{1}'."), Public_property_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4029, 1, "Public_property_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_name_4029", "Public property '{0}' of exported class has or is using name '{1}' from external module {2} but cannot be named."), Public_property_0_of_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4030, 1, "Public_property_0_of_exported_class_has_or_is_using_name_1_from_private_module_2_4030", "Public property '{0}' of exported class has or is using name '{1}' from private module '{2}'."), Public_property_0_of_exported_class_has_or_is_using_private_name_1: diag(4031, 1, "Public_property_0_of_exported_class_has_or_is_using_private_name_1_4031", "Public property '{0}' of exported class has or is using private name '{1}'."), Property_0_of_exported_interface_has_or_is_using_name_1_from_private_module_2: diag(4032, 1, "Property_0_of_exported_interface_has_or_is_using_name_1_from_private_module_2_4032", "Property '{0}' of exported interface has or is using name '{1}' from private module '{2}'."), Property_0_of_exported_interface_has_or_is_using_private_name_1: diag(4033, 1, "Property_0_of_exported_interface_has_or_is_using_private_name_1_4033", "Property '{0}' of exported interface has or is using private name '{1}'."), Parameter_type_of_public_static_setter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4034, 1, "Parameter_type_of_public_static_setter_0_from_exported_class_has_or_is_using_name_1_from_private_mod_4034", "Parameter type of public static setter '{0}' from exported class has or is using name '{1}' from private module '{2}'."), Parameter_type_of_public_static_setter_0_from_exported_class_has_or_is_using_private_name_1: diag(4035, 1, "Parameter_type_of_public_static_setter_0_from_exported_class_has_or_is_using_private_name_1_4035", "Parameter type of public static setter '{0}' from exported class has or is using private name '{1}'."), Parameter_type_of_public_setter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4036, 1, "Parameter_type_of_public_setter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2_4036", "Parameter type of public setter '{0}' from exported class has or is using name '{1}' from private module '{2}'."), Parameter_type_of_public_setter_0_from_exported_class_has_or_is_using_private_name_1: diag(4037, 1, "Parameter_type_of_public_setter_0_from_exported_class_has_or_is_using_private_name_1_4037", "Parameter type of public setter '{0}' from exported class has or is using private name '{1}'."), Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4038, 1, "Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_name_1_from_external_modul_4038", "Return type of public static getter '{0}' from exported class has or is using name '{1}' from external module {2} but cannot be named."), Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4039, 1, "Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_name_1_from_private_module_4039", "Return type of public static getter '{0}' from exported class has or is using name '{1}' from private module '{2}'."), Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_private_name_1: diag(4040, 1, "Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_private_name_1_4040", "Return type of public static getter '{0}' from exported class has or is using private name '{1}'."), Return_type_of_public_getter_0_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4041, 1, "Return_type_of_public_getter_0_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_4041", "Return type of public getter '{0}' from exported class has or is using name '{1}' from external module {2} but cannot be named."), Return_type_of_public_getter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4042, 1, "Return_type_of_public_getter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2_4042", "Return type of public getter '{0}' from exported class has or is using name '{1}' from private module '{2}'."), Return_type_of_public_getter_0_from_exported_class_has_or_is_using_private_name_1: diag(4043, 1, "Return_type_of_public_getter_0_from_exported_class_has_or_is_using_private_name_1_4043", "Return type of public getter '{0}' from exported class has or is using private name '{1}'."), Return_type_of_constructor_signature_from_exported_interface_has_or_is_using_name_0_from_private_module_1: diag(4044, 1, "Return_type_of_constructor_signature_from_exported_interface_has_or_is_using_name_0_from_private_mod_4044", "Return type of constructor signature from exported interface has or is using name '{0}' from private module '{1}'."), Return_type_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_0: diag(4045, 1, "Return_type_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_0_4045", "Return type of constructor signature from exported interface has or is using private name '{0}'."), Return_type_of_call_signature_from_exported_interface_has_or_is_using_name_0_from_private_module_1: diag(4046, 1, "Return_type_of_call_signature_from_exported_interface_has_or_is_using_name_0_from_private_module_1_4046", "Return type of call signature from exported interface has or is using name '{0}' from private module '{1}'."), Return_type_of_call_signature_from_exported_interface_has_or_is_using_private_name_0: diag(4047, 1, "Return_type_of_call_signature_from_exported_interface_has_or_is_using_private_name_0_4047", "Return type of call signature from exported interface has or is using private name '{0}'."), Return_type_of_index_signature_from_exported_interface_has_or_is_using_name_0_from_private_module_1: diag(4048, 1, "Return_type_of_index_signature_from_exported_interface_has_or_is_using_name_0_from_private_module_1_4048", "Return type of index signature from exported interface has or is using name '{0}' from private module '{1}'."), Return_type_of_index_signature_from_exported_interface_has_or_is_using_private_name_0: diag(4049, 1, "Return_type_of_index_signature_from_exported_interface_has_or_is_using_private_name_0_4049", "Return type of index signature from exported interface has or is using private name '{0}'."), Return_type_of_public_static_method_from_exported_class_has_or_is_using_name_0_from_external_module_1_but_cannot_be_named: diag(4050, 1, "Return_type_of_public_static_method_from_exported_class_has_or_is_using_name_0_from_external_module__4050", "Return type of public static method from exported class has or is using name '{0}' from external module {1} but cannot be named."), Return_type_of_public_static_method_from_exported_class_has_or_is_using_name_0_from_private_module_1: diag(4051, 1, "Return_type_of_public_static_method_from_exported_class_has_or_is_using_name_0_from_private_module_1_4051", "Return type of public static method from exported class has or is using name '{0}' from private module '{1}'."), Return_type_of_public_static_method_from_exported_class_has_or_is_using_private_name_0: diag(4052, 1, "Return_type_of_public_static_method_from_exported_class_has_or_is_using_private_name_0_4052", "Return type of public static method from exported class has or is using private name '{0}'."), Return_type_of_public_method_from_exported_class_has_or_is_using_name_0_from_external_module_1_but_cannot_be_named: diag(4053, 1, "Return_type_of_public_method_from_exported_class_has_or_is_using_name_0_from_external_module_1_but_c_4053", "Return type of public method from exported class has or is using name '{0}' from external module {1} but cannot be named."), Return_type_of_public_method_from_exported_class_has_or_is_using_name_0_from_private_module_1: diag(4054, 1, "Return_type_of_public_method_from_exported_class_has_or_is_using_name_0_from_private_module_1_4054", "Return type of public method from exported class has or is using name '{0}' from private module '{1}'."), Return_type_of_public_method_from_exported_class_has_or_is_using_private_name_0: diag(4055, 1, "Return_type_of_public_method_from_exported_class_has_or_is_using_private_name_0_4055", "Return type of public method from exported class has or is using private name '{0}'."), Return_type_of_method_from_exported_interface_has_or_is_using_name_0_from_private_module_1: diag(4056, 1, "Return_type_of_method_from_exported_interface_has_or_is_using_name_0_from_private_module_1_4056", "Return type of method from exported interface has or is using name '{0}' from private module '{1}'."), Return_type_of_method_from_exported_interface_has_or_is_using_private_name_0: diag(4057, 1, "Return_type_of_method_from_exported_interface_has_or_is_using_private_name_0_4057", "Return type of method from exported interface has or is using private name '{0}'."), Return_type_of_exported_function_has_or_is_using_name_0_from_external_module_1_but_cannot_be_named: diag(4058, 1, "Return_type_of_exported_function_has_or_is_using_name_0_from_external_module_1_but_cannot_be_named_4058", "Return type of exported function has or is using name '{0}' from external module {1} but cannot be named."), Return_type_of_exported_function_has_or_is_using_name_0_from_private_module_1: diag(4059, 1, "Return_type_of_exported_function_has_or_is_using_name_0_from_private_module_1_4059", "Return type of exported function has or is using name '{0}' from private module '{1}'."), Return_type_of_exported_function_has_or_is_using_private_name_0: diag(4060, 1, "Return_type_of_exported_function_has_or_is_using_private_name_0_4060", "Return type of exported function has or is using private name '{0}'."), Parameter_0_of_constructor_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4061, 1, "Parameter_0_of_constructor_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_can_4061", "Parameter '{0}' of constructor from exported class has or is using name '{1}' from external module {2} but cannot be named."), Parameter_0_of_constructor_from_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4062, 1, "Parameter_0_of_constructor_from_exported_class_has_or_is_using_name_1_from_private_module_2_4062", "Parameter '{0}' of constructor from exported class has or is using name '{1}' from private module '{2}'."), Parameter_0_of_constructor_from_exported_class_has_or_is_using_private_name_1: diag(4063, 1, "Parameter_0_of_constructor_from_exported_class_has_or_is_using_private_name_1_4063", "Parameter '{0}' of constructor from exported class has or is using private name '{1}'."), Parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_name_1_from_private_module_2: diag(4064, 1, "Parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_name_1_from_private_mod_4064", "Parameter '{0}' of constructor signature from exported interface has or is using name '{1}' from private module '{2}'."), Parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_1: diag(4065, 1, "Parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_1_4065", "Parameter '{0}' of constructor signature from exported interface has or is using private name '{1}'."), Parameter_0_of_call_signature_from_exported_interface_has_or_is_using_name_1_from_private_module_2: diag(4066, 1, "Parameter_0_of_call_signature_from_exported_interface_has_or_is_using_name_1_from_private_module_2_4066", "Parameter '{0}' of call signature from exported interface has or is using name '{1}' from private module '{2}'."), Parameter_0_of_call_signature_from_exported_interface_has_or_is_using_private_name_1: diag(4067, 1, "Parameter_0_of_call_signature_from_exported_interface_has_or_is_using_private_name_1_4067", "Parameter '{0}' of call signature from exported interface has or is using private name '{1}'."), Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4068, 1, "Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_name_1_from_external_module__4068", "Parameter '{0}' of public static method from exported class has or is using name '{1}' from external module {2} but cannot be named."), Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4069, 1, "Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_name_1_from_private_module_2_4069", "Parameter '{0}' of public static method from exported class has or is using name '{1}' from private module '{2}'."), Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_private_name_1: diag(4070, 1, "Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_private_name_1_4070", "Parameter '{0}' of public static method from exported class has or is using private name '{1}'."), Parameter_0_of_public_method_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4071, 1, "Parameter_0_of_public_method_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_c_4071", "Parameter '{0}' of public method from exported class has or is using name '{1}' from external module {2} but cannot be named."), Parameter_0_of_public_method_from_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4072, 1, "Parameter_0_of_public_method_from_exported_class_has_or_is_using_name_1_from_private_module_2_4072", "Parameter '{0}' of public method from exported class has or is using name '{1}' from private module '{2}'."), Parameter_0_of_public_method_from_exported_class_has_or_is_using_private_name_1: diag(4073, 1, "Parameter_0_of_public_method_from_exported_class_has_or_is_using_private_name_1_4073", "Parameter '{0}' of public method from exported class has or is using private name '{1}'."), Parameter_0_of_method_from_exported_interface_has_or_is_using_name_1_from_private_module_2: diag(4074, 1, "Parameter_0_of_method_from_exported_interface_has_or_is_using_name_1_from_private_module_2_4074", "Parameter '{0}' of method from exported interface has or is using name '{1}' from private module '{2}'."), Parameter_0_of_method_from_exported_interface_has_or_is_using_private_name_1: diag(4075, 1, "Parameter_0_of_method_from_exported_interface_has_or_is_using_private_name_1_4075", "Parameter '{0}' of method from exported interface has or is using private name '{1}'."), Parameter_0_of_exported_function_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4076, 1, "Parameter_0_of_exported_function_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named_4076", "Parameter '{0}' of exported function has or is using name '{1}' from external module {2} but cannot be named."), Parameter_0_of_exported_function_has_or_is_using_name_1_from_private_module_2: diag(4077, 1, "Parameter_0_of_exported_function_has_or_is_using_name_1_from_private_module_2_4077", "Parameter '{0}' of exported function has or is using name '{1}' from private module '{2}'."), Parameter_0_of_exported_function_has_or_is_using_private_name_1: diag(4078, 1, "Parameter_0_of_exported_function_has_or_is_using_private_name_1_4078", "Parameter '{0}' of exported function has or is using private name '{1}'."), Exported_type_alias_0_has_or_is_using_private_name_1: diag(4081, 1, "Exported_type_alias_0_has_or_is_using_private_name_1_4081", "Exported type alias '{0}' has or is using private name '{1}'."), Default_export_of_the_module_has_or_is_using_private_name_0: diag(4082, 1, "Default_export_of_the_module_has_or_is_using_private_name_0_4082", "Default export of the module has or is using private name '{0}'."), Type_parameter_0_of_exported_type_alias_has_or_is_using_private_name_1: diag(4083, 1, "Type_parameter_0_of_exported_type_alias_has_or_is_using_private_name_1_4083", "Type parameter '{0}' of exported type alias has or is using private name '{1}'."), Exported_type_alias_0_has_or_is_using_private_name_1_from_module_2: diag(4084, 1, "Exported_type_alias_0_has_or_is_using_private_name_1_from_module_2_4084", "Exported type alias '{0}' has or is using private name '{1}' from module {2}."), Extends_clause_for_inferred_type_0_has_or_is_using_private_name_1: diag(4085, 1, "Extends_clause_for_inferred_type_0_has_or_is_using_private_name_1_4085", "Extends clause for inferred type '{0}' has or is using private name '{1}'."), Parameter_0_of_index_signature_from_exported_interface_has_or_is_using_name_1_from_private_module_2: diag(4091, 1, "Parameter_0_of_index_signature_from_exported_interface_has_or_is_using_name_1_from_private_module_2_4091", "Parameter '{0}' of index signature from exported interface has or is using name '{1}' from private module '{2}'."), Parameter_0_of_index_signature_from_exported_interface_has_or_is_using_private_name_1: diag(4092, 1, "Parameter_0_of_index_signature_from_exported_interface_has_or_is_using_private_name_1_4092", "Parameter '{0}' of index signature from exported interface has or is using private name '{1}'."), Property_0_of_exported_class_expression_may_not_be_private_or_protected: diag(4094, 1, "Property_0_of_exported_class_expression_may_not_be_private_or_protected_4094", "Property '{0}' of exported class expression may not be private or protected."), Public_static_method_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4095, 1, "Public_static_method_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_4095", "Public static method '{0}' of exported class has or is using name '{1}' from external module {2} but cannot be named."), Public_static_method_0_of_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4096, 1, "Public_static_method_0_of_exported_class_has_or_is_using_name_1_from_private_module_2_4096", "Public static method '{0}' of exported class has or is using name '{1}' from private module '{2}'."), Public_static_method_0_of_exported_class_has_or_is_using_private_name_1: diag(4097, 1, "Public_static_method_0_of_exported_class_has_or_is_using_private_name_1_4097", "Public static method '{0}' of exported class has or is using private name '{1}'."), Public_method_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4098, 1, "Public_method_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named_4098", "Public method '{0}' of exported class has or is using name '{1}' from external module {2} but cannot be named."), Public_method_0_of_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4099, 1, "Public_method_0_of_exported_class_has_or_is_using_name_1_from_private_module_2_4099", "Public method '{0}' of exported class has or is using name '{1}' from private module '{2}'."), Public_method_0_of_exported_class_has_or_is_using_private_name_1: diag(4100, 1, "Public_method_0_of_exported_class_has_or_is_using_private_name_1_4100", "Public method '{0}' of exported class has or is using private name '{1}'."), Method_0_of_exported_interface_has_or_is_using_name_1_from_private_module_2: diag(4101, 1, "Method_0_of_exported_interface_has_or_is_using_name_1_from_private_module_2_4101", "Method '{0}' of exported interface has or is using name '{1}' from private module '{2}'."), Method_0_of_exported_interface_has_or_is_using_private_name_1: diag(4102, 1, "Method_0_of_exported_interface_has_or_is_using_private_name_1_4102", "Method '{0}' of exported interface has or is using private name '{1}'."), Type_parameter_0_of_exported_mapped_object_type_is_using_private_name_1: diag(4103, 1, "Type_parameter_0_of_exported_mapped_object_type_is_using_private_name_1_4103", "Type parameter '{0}' of exported mapped object type is using private name '{1}'."), The_type_0_is_readonly_and_cannot_be_assigned_to_the_mutable_type_1: diag(4104, 1, "The_type_0_is_readonly_and_cannot_be_assigned_to_the_mutable_type_1_4104", "The type '{0}' is 'readonly' and cannot be assigned to the mutable type '{1}'."), Private_or_protected_member_0_cannot_be_accessed_on_a_type_parameter: diag(4105, 1, "Private_or_protected_member_0_cannot_be_accessed_on_a_type_parameter_4105", "Private or protected member '{0}' cannot be accessed on a type parameter."), Parameter_0_of_accessor_has_or_is_using_private_name_1: diag(4106, 1, "Parameter_0_of_accessor_has_or_is_using_private_name_1_4106", "Parameter '{0}' of accessor has or is using private name '{1}'."), Parameter_0_of_accessor_has_or_is_using_name_1_from_private_module_2: diag(4107, 1, "Parameter_0_of_accessor_has_or_is_using_name_1_from_private_module_2_4107", "Parameter '{0}' of accessor has or is using name '{1}' from private module '{2}'."), Parameter_0_of_accessor_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4108, 1, "Parameter_0_of_accessor_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named_4108", "Parameter '{0}' of accessor has or is using name '{1}' from external module '{2}' but cannot be named."), Type_arguments_for_0_circularly_reference_themselves: diag(4109, 1, "Type_arguments_for_0_circularly_reference_themselves_4109", "Type arguments for '{0}' circularly reference themselves."), Tuple_type_arguments_circularly_reference_themselves: diag(4110, 1, "Tuple_type_arguments_circularly_reference_themselves_4110", "Tuple type arguments circularly reference themselves."), Property_0_comes_from_an_index_signature_so_it_must_be_accessed_with_0: diag(4111, 1, "Property_0_comes_from_an_index_signature_so_it_must_be_accessed_with_0_4111", "Property '{0}' comes from an index signature, so it must be accessed with ['{0}']."), This_member_cannot_have_an_override_modifier_because_its_containing_class_0_does_not_extend_another_class: diag(4112, 1, "This_member_cannot_have_an_override_modifier_because_its_containing_class_0_does_not_extend_another__4112", "This member cannot have an 'override' modifier because its containing class '{0}' does not extend another class."), This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0: diag(4113, 1, "This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0_4113", "This member cannot have an 'override' modifier because it is not declared in the base class '{0}'."), This_member_must_have_an_override_modifier_because_it_overrides_a_member_in_the_base_class_0: diag(4114, 1, "This_member_must_have_an_override_modifier_because_it_overrides_a_member_in_the_base_class_0_4114", "This member must have an 'override' modifier because it overrides a member in the base class '{0}'."), This_parameter_property_must_have_an_override_modifier_because_it_overrides_a_member_in_base_class_0: diag(4115, 1, "This_parameter_property_must_have_an_override_modifier_because_it_overrides_a_member_in_base_class_0_4115", "This parameter property must have an 'override' modifier because it overrides a member in base class '{0}'."), This_member_must_have_an_override_modifier_because_it_overrides_an_abstract_method_that_is_declared_in_the_base_class_0: diag(4116, 1, "This_member_must_have_an_override_modifier_because_it_overrides_an_abstract_method_that_is_declared__4116", "This member must have an 'override' modifier because it overrides an abstract method that is declared in the base class '{0}'."), This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0_Did_you_mean_1: diag(4117, 1, "This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0_Did_you__4117", "This member cannot have an 'override' modifier because it is not declared in the base class '{0}'. Did you mean '{1}'?"), The_type_of_this_node_cannot_be_serialized_because_its_property_0_cannot_be_serialized: diag(4118, 1, "The_type_of_this_node_cannot_be_serialized_because_its_property_0_cannot_be_serialized_4118", "The type of this node cannot be serialized because its property '{0}' cannot be serialized."), This_member_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0: diag(4119, 1, "This_member_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_4119", "This member must have a JSDoc comment with an '@override' tag because it overrides a member in the base class '{0}'."), This_parameter_property_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0: diag(4120, 1, "This_parameter_property_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_4120", "This parameter property must have a JSDoc comment with an '@override' tag because it overrides a member in the base class '{0}'."), This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_its_containing_class_0_does_not_extend_another_class: diag(4121, 1, "This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_its_containing_class_0_does_not_4121", "This member cannot have a JSDoc comment with an '@override' tag because its containing class '{0}' does not extend another class."), This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base_class_0: diag(4122, 1, "This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base__4122", "This member cannot have a JSDoc comment with an '@override' tag because it is not declared in the base class '{0}'."), This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base_class_0_Did_you_mean_1: diag(4123, 1, "This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base__4123", "This member cannot have a JSDoc comment with an 'override' tag because it is not declared in the base class '{0}'. Did you mean '{1}'?"), Compiler_option_0_of_value_1_is_unstable_Use_nightly_TypeScript_to_silence_this_error_Try_updating_with_npm_install_D_typescript_next: diag(4124, 1, "Compiler_option_0_of_value_1_is_unstable_Use_nightly_TypeScript_to_silence_this_error_Try_updating_w_4124", "Compiler option '{0}' of value '{1}' is unstable. Use nightly TypeScript to silence this error. Try updating with 'npm install -D typescript@next'."), Each_declaration_of_0_1_differs_in_its_value_where_2_was_expected_but_3_was_given: diag(4125, 1, "Each_declaration_of_0_1_differs_in_its_value_where_2_was_expected_but_3_was_given_4125", "Each declaration of '{0}.{1}' differs in its value, where '{2}' was expected but '{3}' was given."), One_value_of_0_1_is_the_string_2_and_the_other_is_assumed_to_be_an_unknown_numeric_value: diag(4126, 1, "One_value_of_0_1_is_the_string_2_and_the_other_is_assumed_to_be_an_unknown_numeric_value_4126", "One value of '{0}.{1}' is the string '{2}', and the other is assumed to be an unknown numeric value."), The_current_host_does_not_support_the_0_option: diag(5001, 1, "The_current_host_does_not_support_the_0_option_5001", "The current host does not support the '{0}' option."), Cannot_find_the_common_subdirectory_path_for_the_input_files: diag(5009, 1, "Cannot_find_the_common_subdirectory_path_for_the_input_files_5009", "Cannot find the common subdirectory path for the input files."), File_specification_cannot_end_in_a_recursive_directory_wildcard_Asterisk_Asterisk_Colon_0: diag(5010, 1, "File_specification_cannot_end_in_a_recursive_directory_wildcard_Asterisk_Asterisk_Colon_0_5010", "File specification cannot end in a recursive directory wildcard ('**'): '{0}'."), Cannot_read_file_0_Colon_1: diag(5012, 1, "Cannot_read_file_0_Colon_1_5012", "Cannot read file '{0}': {1}."), Failed_to_parse_file_0_Colon_1: diag(5014, 1, "Failed_to_parse_file_0_Colon_1_5014", "Failed to parse file '{0}': {1}."), Unknown_compiler_option_0: diag(5023, 1, "Unknown_compiler_option_0_5023", "Unknown compiler option '{0}'."), Compiler_option_0_requires_a_value_of_type_1: diag(5024, 1, "Compiler_option_0_requires_a_value_of_type_1_5024", "Compiler option '{0}' requires a value of type {1}."), Unknown_compiler_option_0_Did_you_mean_1: diag(5025, 1, "Unknown_compiler_option_0_Did_you_mean_1_5025", "Unknown compiler option '{0}'. Did you mean '{1}'?"), Could_not_write_file_0_Colon_1: diag(5033, 1, "Could_not_write_file_0_Colon_1_5033", "Could not write file '{0}': {1}."), Option_project_cannot_be_mixed_with_source_files_on_a_command_line: diag(5042, 1, "Option_project_cannot_be_mixed_with_source_files_on_a_command_line_5042", "Option 'project' cannot be mixed with source files on a command line."), Option_isolatedModules_can_only_be_used_when_either_option_module_is_provided_or_option_target_is_ES2015_or_higher: diag(5047, 1, "Option_isolatedModules_can_only_be_used_when_either_option_module_is_provided_or_option_target_is_ES_5047", "Option 'isolatedModules' can only be used when either option '--module' is provided or option 'target' is 'ES2015' or higher."), Option_0_can_only_be_used_when_either_option_inlineSourceMap_or_option_sourceMap_is_provided: diag(5051, 1, "Option_0_can_only_be_used_when_either_option_inlineSourceMap_or_option_sourceMap_is_provided_5051", "Option '{0} can only be used when either option '--inlineSourceMap' or option '--sourceMap' is provided."), Option_0_cannot_be_specified_without_specifying_option_1: diag(5052, 1, "Option_0_cannot_be_specified_without_specifying_option_1_5052", "Option '{0}' cannot be specified without specifying option '{1}'."), Option_0_cannot_be_specified_with_option_1: diag(5053, 1, "Option_0_cannot_be_specified_with_option_1_5053", "Option '{0}' cannot be specified with option '{1}'."), A_tsconfig_json_file_is_already_defined_at_Colon_0: diag(5054, 1, "A_tsconfig_json_file_is_already_defined_at_Colon_0_5054", "A 'tsconfig.json' file is already defined at: '{0}'."), Cannot_write_file_0_because_it_would_overwrite_input_file: diag(5055, 1, "Cannot_write_file_0_because_it_would_overwrite_input_file_5055", "Cannot write file '{0}' because it would overwrite input file."), Cannot_write_file_0_because_it_would_be_overwritten_by_multiple_input_files: diag(5056, 1, "Cannot_write_file_0_because_it_would_be_overwritten_by_multiple_input_files_5056", "Cannot write file '{0}' because it would be overwritten by multiple input files."), Cannot_find_a_tsconfig_json_file_at_the_specified_directory_Colon_0: diag(5057, 1, "Cannot_find_a_tsconfig_json_file_at_the_specified_directory_Colon_0_5057", "Cannot find a tsconfig.json file at the specified directory: '{0}'."), The_specified_path_does_not_exist_Colon_0: diag(5058, 1, "The_specified_path_does_not_exist_Colon_0_5058", "The specified path does not exist: '{0}'."), Invalid_value_for_reactNamespace_0_is_not_a_valid_identifier: diag(5059, 1, "Invalid_value_for_reactNamespace_0_is_not_a_valid_identifier_5059", "Invalid value for '--reactNamespace'. '{0}' is not a valid identifier."), Pattern_0_can_have_at_most_one_Asterisk_character: diag(5061, 1, "Pattern_0_can_have_at_most_one_Asterisk_character_5061", "Pattern '{0}' can have at most one '*' character."), Substitution_0_in_pattern_1_can_have_at_most_one_Asterisk_character: diag(5062, 1, "Substitution_0_in_pattern_1_can_have_at_most_one_Asterisk_character_5062", "Substitution '{0}' in pattern '{1}' can have at most one '*' character."), Substitutions_for_pattern_0_should_be_an_array: diag(5063, 1, "Substitutions_for_pattern_0_should_be_an_array_5063", "Substitutions for pattern '{0}' should be an array."), Substitution_0_for_pattern_1_has_incorrect_type_expected_string_got_2: diag(5064, 1, "Substitution_0_for_pattern_1_has_incorrect_type_expected_string_got_2_5064", "Substitution '{0}' for pattern '{1}' has incorrect type, expected 'string', got '{2}'."), File_specification_cannot_contain_a_parent_directory_that_appears_after_a_recursive_directory_wildcard_Asterisk_Asterisk_Colon_0: diag(5065, 1, "File_specification_cannot_contain_a_parent_directory_that_appears_after_a_recursive_directory_wildca_5065", "File specification cannot contain a parent directory ('..') that appears after a recursive directory wildcard ('**'): '{0}'."), Substitutions_for_pattern_0_shouldn_t_be_an_empty_array: diag(5066, 1, "Substitutions_for_pattern_0_shouldn_t_be_an_empty_array_5066", "Substitutions for pattern '{0}' shouldn't be an empty array."), Invalid_value_for_jsxFactory_0_is_not_a_valid_identifier_or_qualified_name: diag(5067, 1, "Invalid_value_for_jsxFactory_0_is_not_a_valid_identifier_or_qualified_name_5067", "Invalid value for 'jsxFactory'. '{0}' is not a valid identifier or qualified-name."), Adding_a_tsconfig_json_file_will_help_organize_projects_that_contain_both_TypeScript_and_JavaScript_files_Learn_more_at_https_Colon_Slash_Slashaka_ms_Slashtsconfig: diag(5068, 1, "Adding_a_tsconfig_json_file_will_help_organize_projects_that_contain_both_TypeScript_and_JavaScript__5068", "Adding a tsconfig.json file will help organize projects that contain both TypeScript and JavaScript files. Learn more at https://aka.ms/tsconfig."), Option_0_cannot_be_specified_without_specifying_option_1_or_option_2: diag(5069, 1, "Option_0_cannot_be_specified_without_specifying_option_1_or_option_2_5069", "Option '{0}' cannot be specified without specifying option '{1}' or option '{2}'."), Option_resolveJsonModule_cannot_be_specified_when_moduleResolution_is_set_to_classic: diag(5070, 1, "Option_resolveJsonModule_cannot_be_specified_when_moduleResolution_is_set_to_classic_5070", "Option '--resolveJsonModule' cannot be specified when 'moduleResolution' is set to 'classic'."), Option_resolveJsonModule_cannot_be_specified_when_module_is_set_to_none_system_or_umd: diag(5071, 1, "Option_resolveJsonModule_cannot_be_specified_when_module_is_set_to_none_system_or_umd_5071", "Option '--resolveJsonModule' cannot be specified when 'module' is set to 'none', 'system', or 'umd'."), Unknown_build_option_0: diag(5072, 1, "Unknown_build_option_0_5072", "Unknown build option '{0}'."), Build_option_0_requires_a_value_of_type_1: diag(5073, 1, "Build_option_0_requires_a_value_of_type_1_5073", "Build option '{0}' requires a value of type {1}."), Option_incremental_can_only_be_specified_using_tsconfig_emitting_to_single_file_or_when_option_tsBuildInfoFile_is_specified: diag(5074, 1, "Option_incremental_can_only_be_specified_using_tsconfig_emitting_to_single_file_or_when_option_tsBui_5074", "Option '--incremental' can only be specified using tsconfig, emitting to single file or when option '--tsBuildInfoFile' is specified."), _0_is_assignable_to_the_constraint_of_type_1_but_1_could_be_instantiated_with_a_different_subtype_of_constraint_2: diag(5075, 1, "_0_is_assignable_to_the_constraint_of_type_1_but_1_could_be_instantiated_with_a_different_subtype_of_5075", "'{0}' is assignable to the constraint of type '{1}', but '{1}' could be instantiated with a different subtype of constraint '{2}'."), _0_and_1_operations_cannot_be_mixed_without_parentheses: diag(5076, 1, "_0_and_1_operations_cannot_be_mixed_without_parentheses_5076", "'{0}' and '{1}' operations cannot be mixed without parentheses."), Unknown_build_option_0_Did_you_mean_1: diag(5077, 1, "Unknown_build_option_0_Did_you_mean_1_5077", "Unknown build option '{0}'. Did you mean '{1}'?"), Unknown_watch_option_0: diag(5078, 1, "Unknown_watch_option_0_5078", "Unknown watch option '{0}'."), Unknown_watch_option_0_Did_you_mean_1: diag(5079, 1, "Unknown_watch_option_0_Did_you_mean_1_5079", "Unknown watch option '{0}'. Did you mean '{1}'?"), Watch_option_0_requires_a_value_of_type_1: diag(5080, 1, "Watch_option_0_requires_a_value_of_type_1_5080", "Watch option '{0}' requires a value of type {1}."), Cannot_find_a_tsconfig_json_file_at_the_current_directory_Colon_0: diag(5081, 1, "Cannot_find_a_tsconfig_json_file_at_the_current_directory_Colon_0_5081", "Cannot find a tsconfig.json file at the current directory: {0}."), _0_could_be_instantiated_with_an_arbitrary_type_which_could_be_unrelated_to_1: diag(5082, 1, "_0_could_be_instantiated_with_an_arbitrary_type_which_could_be_unrelated_to_1_5082", "'{0}' could be instantiated with an arbitrary type which could be unrelated to '{1}'."), Cannot_read_file_0: diag(5083, 1, "Cannot_read_file_0_5083", "Cannot read file '{0}'."), A_tuple_member_cannot_be_both_optional_and_rest: diag(5085, 1, "A_tuple_member_cannot_be_both_optional_and_rest_5085", "A tuple member cannot be both optional and rest."), A_labeled_tuple_element_is_declared_as_optional_with_a_question_mark_after_the_name_and_before_the_colon_rather_than_after_the_type: diag(5086, 1, "A_labeled_tuple_element_is_declared_as_optional_with_a_question_mark_after_the_name_and_before_the_c_5086", "A labeled tuple element is declared as optional with a question mark after the name and before the colon, rather than after the type."), A_labeled_tuple_element_is_declared_as_rest_with_a_before_the_name_rather_than_before_the_type: diag(5087, 1, "A_labeled_tuple_element_is_declared_as_rest_with_a_before_the_name_rather_than_before_the_type_5087", "A labeled tuple element is declared as rest with a '...' before the name, rather than before the type."), The_inferred_type_of_0_references_a_type_with_a_cyclic_structure_which_cannot_be_trivially_serialized_A_type_annotation_is_necessary: diag(5088, 1, "The_inferred_type_of_0_references_a_type_with_a_cyclic_structure_which_cannot_be_trivially_serialize_5088", "The inferred type of '{0}' references a type with a cyclic structure which cannot be trivially serialized. A type annotation is necessary."), Option_0_cannot_be_specified_when_option_jsx_is_1: diag(5089, 1, "Option_0_cannot_be_specified_when_option_jsx_is_1_5089", "Option '{0}' cannot be specified when option 'jsx' is '{1}'."), Non_relative_paths_are_not_allowed_when_baseUrl_is_not_set_Did_you_forget_a_leading_Slash: diag(5090, 1, "Non_relative_paths_are_not_allowed_when_baseUrl_is_not_set_Did_you_forget_a_leading_Slash_5090", "Non-relative paths are not allowed when 'baseUrl' is not set. Did you forget a leading './'?"), Option_preserveConstEnums_cannot_be_disabled_when_0_is_enabled: diag(5091, 1, "Option_preserveConstEnums_cannot_be_disabled_when_0_is_enabled_5091", "Option 'preserveConstEnums' cannot be disabled when '{0}' is enabled."), The_root_value_of_a_0_file_must_be_an_object: diag(5092, 1, "The_root_value_of_a_0_file_must_be_an_object_5092", "The root value of a '{0}' file must be an object."), Compiler_option_0_may_only_be_used_with_build: diag(5093, 1, "Compiler_option_0_may_only_be_used_with_build_5093", "Compiler option '--{0}' may only be used with '--build'."), Compiler_option_0_may_not_be_used_with_build: diag(5094, 1, "Compiler_option_0_may_not_be_used_with_build_5094", "Compiler option '--{0}' may not be used with '--build'."), Option_0_can_only_be_used_when_module_is_set_to_preserve_or_to_es2015_or_later: diag(5095, 1, "Option_0_can_only_be_used_when_module_is_set_to_preserve_or_to_es2015_or_later_5095", "Option '{0}' can only be used when 'module' is set to 'preserve' or to 'es2015' or later."), Option_allowImportingTsExtensions_can_only_be_used_when_either_noEmit_or_emitDeclarationOnly_is_set: diag(5096, 1, "Option_allowImportingTsExtensions_can_only_be_used_when_either_noEmit_or_emitDeclarationOnly_is_set_5096", "Option 'allowImportingTsExtensions' can only be used when either 'noEmit' or 'emitDeclarationOnly' is set."), An_import_path_can_only_end_with_a_0_extension_when_allowImportingTsExtensions_is_enabled: diag(5097, 1, "An_import_path_can_only_end_with_a_0_extension_when_allowImportingTsExtensions_is_enabled_5097", "An import path can only end with a '{0}' extension when 'allowImportingTsExtensions' is enabled."), Option_0_can_only_be_used_when_moduleResolution_is_set_to_node16_nodenext_or_bundler: diag(5098, 1, "Option_0_can_only_be_used_when_moduleResolution_is_set_to_node16_nodenext_or_bundler_5098", "Option '{0}' can only be used when 'moduleResolution' is set to 'node16', 'nodenext', or 'bundler'."), Option_0_is_deprecated_and_will_stop_functioning_in_TypeScript_1_Specify_compilerOption_ignoreDeprecations_Colon_2_to_silence_this_error: diag(5101, 1, "Option_0_is_deprecated_and_will_stop_functioning_in_TypeScript_1_Specify_compilerOption_ignoreDeprec_5101", `Option '{0}' is deprecated and will stop functioning in TypeScript {1}. Specify compilerOption '"ignoreDeprecations": "{2}"' to silence this error.`), Option_0_has_been_removed_Please_remove_it_from_your_configuration: diag(5102, 1, "Option_0_has_been_removed_Please_remove_it_from_your_configuration_5102", "Option '{0}' has been removed. Please remove it from your configuration."), Invalid_value_for_ignoreDeprecations: diag(5103, 1, "Invalid_value_for_ignoreDeprecations_5103", "Invalid value for '--ignoreDeprecations'."), Option_0_is_redundant_and_cannot_be_specified_with_option_1: diag(5104, 1, "Option_0_is_redundant_and_cannot_be_specified_with_option_1_5104", "Option '{0}' is redundant and cannot be specified with option '{1}'."), Option_verbatimModuleSyntax_cannot_be_used_when_module_is_set_to_UMD_AMD_or_System: diag(5105, 1, "Option_verbatimModuleSyntax_cannot_be_used_when_module_is_set_to_UMD_AMD_or_System_5105", "Option 'verbatimModuleSyntax' cannot be used when 'module' is set to 'UMD', 'AMD', or 'System'."), Use_0_instead: diag(5106, 3, "Use_0_instead_5106", "Use '{0}' instead."), Option_0_1_is_deprecated_and_will_stop_functioning_in_TypeScript_2_Specify_compilerOption_ignoreDeprecations_Colon_3_to_silence_this_error: diag(5107, 1, "Option_0_1_is_deprecated_and_will_stop_functioning_in_TypeScript_2_Specify_compilerOption_ignoreDepr_5107", `Option '{0}={1}' is deprecated and will stop functioning in TypeScript {2}. Specify compilerOption '"ignoreDeprecations": "{3}"' to silence this error.`), Option_0_1_has_been_removed_Please_remove_it_from_your_configuration: diag(5108, 1, "Option_0_1_has_been_removed_Please_remove_it_from_your_configuration_5108", "Option '{0}={1}' has been removed. Please remove it from your configuration."), Option_moduleResolution_must_be_set_to_0_or_left_unspecified_when_option_module_is_set_to_1: diag(5109, 1, "Option_moduleResolution_must_be_set_to_0_or_left_unspecified_when_option_module_is_set_to_1_5109", "Option 'moduleResolution' must be set to '{0}' (or left unspecified) when option 'module' is set to '{1}'."), Option_module_must_be_set_to_0_when_option_moduleResolution_is_set_to_1: diag(5110, 1, "Option_module_must_be_set_to_0_when_option_moduleResolution_is_set_to_1_5110", "Option 'module' must be set to '{0}' when option 'moduleResolution' is set to '{1}'."), Generates_a_sourcemap_for_each_corresponding_d_ts_file: diag(6e3, 3, "Generates_a_sourcemap_for_each_corresponding_d_ts_file_6000", "Generates a sourcemap for each corresponding '.d.ts' file."), Concatenate_and_emit_output_to_single_file: diag(6001, 3, "Concatenate_and_emit_output_to_single_file_6001", "Concatenate and emit output to single file."), Generates_corresponding_d_ts_file: diag(6002, 3, "Generates_corresponding_d_ts_file_6002", "Generates corresponding '.d.ts' file."), Specify_the_location_where_debugger_should_locate_TypeScript_files_instead_of_source_locations: diag(6004, 3, "Specify_the_location_where_debugger_should_locate_TypeScript_files_instead_of_source_locations_6004", "Specify the location where debugger should locate TypeScript files instead of source locations."), Watch_input_files: diag(6005, 3, "Watch_input_files_6005", "Watch input files."), Redirect_output_structure_to_the_directory: diag(6006, 3, "Redirect_output_structure_to_the_directory_6006", "Redirect output structure to the directory."), Do_not_erase_const_enum_declarations_in_generated_code: diag(6007, 3, "Do_not_erase_const_enum_declarations_in_generated_code_6007", "Do not erase const enum declarations in generated code."), Do_not_emit_outputs_if_any_errors_were_reported: diag(6008, 3, "Do_not_emit_outputs_if_any_errors_were_reported_6008", "Do not emit outputs if any errors were reported."), Do_not_emit_comments_to_output: diag(6009, 3, "Do_not_emit_comments_to_output_6009", "Do not emit comments to output."), Do_not_emit_outputs: diag(6010, 3, "Do_not_emit_outputs_6010", "Do not emit outputs."), Allow_default_imports_from_modules_with_no_default_export_This_does_not_affect_code_emit_just_typechecking: diag(6011, 3, "Allow_default_imports_from_modules_with_no_default_export_This_does_not_affect_code_emit_just_typech_6011", "Allow default imports from modules with no default export. This does not affect code emit, just typechecking."), Skip_type_checking_of_declaration_files: diag(6012, 3, "Skip_type_checking_of_declaration_files_6012", "Skip type checking of declaration files."), Do_not_resolve_the_real_path_of_symlinks: diag(6013, 3, "Do_not_resolve_the_real_path_of_symlinks_6013", "Do not resolve the real path of symlinks."), Only_emit_d_ts_declaration_files: diag(6014, 3, "Only_emit_d_ts_declaration_files_6014", "Only emit '.d.ts' declaration files."), Specify_ECMAScript_target_version: diag(6015, 3, "Specify_ECMAScript_target_version_6015", "Specify ECMAScript target version."), Specify_module_code_generation: diag(6016, 3, "Specify_module_code_generation_6016", "Specify module code generation."), Print_this_message: diag(6017, 3, "Print_this_message_6017", "Print this message."), Print_the_compiler_s_version: diag(6019, 3, "Print_the_compiler_s_version_6019", "Print the compiler's version."), Compile_the_project_given_the_path_to_its_configuration_file_or_to_a_folder_with_a_tsconfig_json: diag(6020, 3, "Compile_the_project_given_the_path_to_its_configuration_file_or_to_a_folder_with_a_tsconfig_json_6020", "Compile the project given the path to its configuration file, or to a folder with a 'tsconfig.json'."), Syntax_Colon_0: diag(6023, 3, "Syntax_Colon_0_6023", "Syntax: {0}"), options: diag(6024, 3, "options_6024", "options"), file: diag(6025, 3, "file_6025", "file"), Examples_Colon_0: diag(6026, 3, "Examples_Colon_0_6026", "Examples: {0}"), Options_Colon: diag(6027, 3, "Options_Colon_6027", "Options:"), Version_0: diag(6029, 3, "Version_0_6029", "Version {0}"), Insert_command_line_options_and_files_from_a_file: diag(6030, 3, "Insert_command_line_options_and_files_from_a_file_6030", "Insert command line options and files from a file."), Starting_compilation_in_watch_mode: diag(6031, 3, "Starting_compilation_in_watch_mode_6031", "Starting compilation in watch mode..."), File_change_detected_Starting_incremental_compilation: diag(6032, 3, "File_change_detected_Starting_incremental_compilation_6032", "File change detected. Starting incremental compilation..."), KIND: diag(6034, 3, "KIND_6034", "KIND"), FILE: diag(6035, 3, "FILE_6035", "FILE"), VERSION: diag(6036, 3, "VERSION_6036", "VERSION"), LOCATION: diag(6037, 3, "LOCATION_6037", "LOCATION"), DIRECTORY: diag(6038, 3, "DIRECTORY_6038", "DIRECTORY"), STRATEGY: diag(6039, 3, "STRATEGY_6039", "STRATEGY"), FILE_OR_DIRECTORY: diag(6040, 3, "FILE_OR_DIRECTORY_6040", "FILE OR DIRECTORY"), Errors_Files: diag(6041, 3, "Errors_Files_6041", "Errors Files"), Generates_corresponding_map_file: diag(6043, 3, "Generates_corresponding_map_file_6043", "Generates corresponding '.map' file."), Compiler_option_0_expects_an_argument: diag(6044, 1, "Compiler_option_0_expects_an_argument_6044", "Compiler option '{0}' expects an argument."), Unterminated_quoted_string_in_response_file_0: diag(6045, 1, "Unterminated_quoted_string_in_response_file_0_6045", "Unterminated quoted string in response file '{0}'."), Argument_for_0_option_must_be_Colon_1: diag(6046, 1, "Argument_for_0_option_must_be_Colon_1_6046", "Argument for '{0}' option must be: {1}."), Locale_must_be_of_the_form_language_or_language_territory_For_example_0_or_1: diag(6048, 1, "Locale_must_be_of_the_form_language_or_language_territory_For_example_0_or_1_6048", "Locale must be of the form or -. For example '{0}' or '{1}'."), Unable_to_open_file_0: diag(6050, 1, "Unable_to_open_file_0_6050", "Unable to open file '{0}'."), Corrupted_locale_file_0: diag(6051, 1, "Corrupted_locale_file_0_6051", "Corrupted locale file {0}."), Raise_error_on_expressions_and_declarations_with_an_implied_any_type: diag(6052, 3, "Raise_error_on_expressions_and_declarations_with_an_implied_any_type_6052", "Raise error on expressions and declarations with an implied 'any' type."), File_0_not_found: diag(6053, 1, "File_0_not_found_6053", "File '{0}' not found."), File_0_has_an_unsupported_extension_The_only_supported_extensions_are_1: diag(6054, 1, "File_0_has_an_unsupported_extension_The_only_supported_extensions_are_1_6054", "File '{0}' has an unsupported extension. The only supported extensions are {1}."), Suppress_noImplicitAny_errors_for_indexing_objects_lacking_index_signatures: diag(6055, 3, "Suppress_noImplicitAny_errors_for_indexing_objects_lacking_index_signatures_6055", "Suppress noImplicitAny errors for indexing objects lacking index signatures."), Do_not_emit_declarations_for_code_that_has_an_internal_annotation: diag(6056, 3, "Do_not_emit_declarations_for_code_that_has_an_internal_annotation_6056", "Do not emit declarations for code that has an '@internal' annotation."), Specify_the_root_directory_of_input_files_Use_to_control_the_output_directory_structure_with_outDir: diag(6058, 3, "Specify_the_root_directory_of_input_files_Use_to_control_the_output_directory_structure_with_outDir_6058", "Specify the root directory of input files. Use to control the output directory structure with --outDir."), File_0_is_not_under_rootDir_1_rootDir_is_expected_to_contain_all_source_files: diag(6059, 1, "File_0_is_not_under_rootDir_1_rootDir_is_expected_to_contain_all_source_files_6059", "File '{0}' is not under 'rootDir' '{1}'. 'rootDir' is expected to contain all source files."), Specify_the_end_of_line_sequence_to_be_used_when_emitting_files_Colon_CRLF_dos_or_LF_unix: diag(6060, 3, "Specify_the_end_of_line_sequence_to_be_used_when_emitting_files_Colon_CRLF_dos_or_LF_unix_6060", "Specify the end of line sequence to be used when emitting files: 'CRLF' (dos) or 'LF' (unix)."), NEWLINE: diag(6061, 3, "NEWLINE_6061", "NEWLINE"), Option_0_can_only_be_specified_in_tsconfig_json_file_or_set_to_null_on_command_line: diag(6064, 1, "Option_0_can_only_be_specified_in_tsconfig_json_file_or_set_to_null_on_command_line_6064", "Option '{0}' can only be specified in 'tsconfig.json' file or set to 'null' on command line."), Enables_experimental_support_for_ES7_decorators: diag(6065, 3, "Enables_experimental_support_for_ES7_decorators_6065", "Enables experimental support for ES7 decorators."), Enables_experimental_support_for_emitting_type_metadata_for_decorators: diag(6066, 3, "Enables_experimental_support_for_emitting_type_metadata_for_decorators_6066", "Enables experimental support for emitting type metadata for decorators."), Initializes_a_TypeScript_project_and_creates_a_tsconfig_json_file: diag(6070, 3, "Initializes_a_TypeScript_project_and_creates_a_tsconfig_json_file_6070", "Initializes a TypeScript project and creates a tsconfig.json file."), Successfully_created_a_tsconfig_json_file: diag(6071, 3, "Successfully_created_a_tsconfig_json_file_6071", "Successfully created a tsconfig.json file."), Suppress_excess_property_checks_for_object_literals: diag(6072, 3, "Suppress_excess_property_checks_for_object_literals_6072", "Suppress excess property checks for object literals."), Stylize_errors_and_messages_using_color_and_context_experimental: diag(6073, 3, "Stylize_errors_and_messages_using_color_and_context_experimental_6073", "Stylize errors and messages using color and context (experimental)."), Do_not_report_errors_on_unused_labels: diag(6074, 3, "Do_not_report_errors_on_unused_labels_6074", "Do not report errors on unused labels."), Report_error_when_not_all_code_paths_in_function_return_a_value: diag(6075, 3, "Report_error_when_not_all_code_paths_in_function_return_a_value_6075", "Report error when not all code paths in function return a value."), Report_errors_for_fallthrough_cases_in_switch_statement: diag(6076, 3, "Report_errors_for_fallthrough_cases_in_switch_statement_6076", "Report errors for fallthrough cases in switch statement."), Do_not_report_errors_on_unreachable_code: diag(6077, 3, "Do_not_report_errors_on_unreachable_code_6077", "Do not report errors on unreachable code."), Disallow_inconsistently_cased_references_to_the_same_file: diag(6078, 3, "Disallow_inconsistently_cased_references_to_the_same_file_6078", "Disallow inconsistently-cased references to the same file."), Specify_library_files_to_be_included_in_the_compilation: diag(6079, 3, "Specify_library_files_to_be_included_in_the_compilation_6079", "Specify library files to be included in the compilation."), Specify_JSX_code_generation: diag(6080, 3, "Specify_JSX_code_generation_6080", "Specify JSX code generation."), Only_amd_and_system_modules_are_supported_alongside_0: diag(6082, 1, "Only_amd_and_system_modules_are_supported_alongside_0_6082", "Only 'amd' and 'system' modules are supported alongside --{0}."), Base_directory_to_resolve_non_absolute_module_names: diag(6083, 3, "Base_directory_to_resolve_non_absolute_module_names_6083", "Base directory to resolve non-absolute module names."), Deprecated_Use_jsxFactory_instead_Specify_the_object_invoked_for_createElement_when_targeting_react_JSX_emit: diag(6084, 3, "Deprecated_Use_jsxFactory_instead_Specify_the_object_invoked_for_createElement_when_targeting_react__6084", "[Deprecated] Use '--jsxFactory' instead. Specify the object invoked for createElement when targeting 'react' JSX emit"), Enable_tracing_of_the_name_resolution_process: diag(6085, 3, "Enable_tracing_of_the_name_resolution_process_6085", "Enable tracing of the name resolution process."), Resolving_module_0_from_1: diag(6086, 3, "Resolving_module_0_from_1_6086", "======== Resolving module '{0}' from '{1}'. ========"), Explicitly_specified_module_resolution_kind_Colon_0: diag(6087, 3, "Explicitly_specified_module_resolution_kind_Colon_0_6087", "Explicitly specified module resolution kind: '{0}'."), Module_resolution_kind_is_not_specified_using_0: diag(6088, 3, "Module_resolution_kind_is_not_specified_using_0_6088", "Module resolution kind is not specified, using '{0}'."), Module_name_0_was_successfully_resolved_to_1: diag(6089, 3, "Module_name_0_was_successfully_resolved_to_1_6089", "======== Module name '{0}' was successfully resolved to '{1}'. ========"), Module_name_0_was_not_resolved: diag(6090, 3, "Module_name_0_was_not_resolved_6090", "======== Module name '{0}' was not resolved. ========"), paths_option_is_specified_looking_for_a_pattern_to_match_module_name_0: diag(6091, 3, "paths_option_is_specified_looking_for_a_pattern_to_match_module_name_0_6091", "'paths' option is specified, looking for a pattern to match module name '{0}'."), Module_name_0_matched_pattern_1: diag(6092, 3, "Module_name_0_matched_pattern_1_6092", "Module name '{0}', matched pattern '{1}'."), Trying_substitution_0_candidate_module_location_Colon_1: diag(6093, 3, "Trying_substitution_0_candidate_module_location_Colon_1_6093", "Trying substitution '{0}', candidate module location: '{1}'."), Resolving_module_name_0_relative_to_base_url_1_2: diag(6094, 3, "Resolving_module_name_0_relative_to_base_url_1_2_6094", "Resolving module name '{0}' relative to base url '{1}' - '{2}'."), Loading_module_as_file_Slash_folder_candidate_module_location_0_target_file_types_Colon_1: diag(6095, 3, "Loading_module_as_file_Slash_folder_candidate_module_location_0_target_file_types_Colon_1_6095", "Loading module as file / folder, candidate module location '{0}', target file types: {1}."), File_0_does_not_exist: diag(6096, 3, "File_0_does_not_exist_6096", "File '{0}' does not exist."), File_0_exists_use_it_as_a_name_resolution_result: diag(6097, 3, "File_0_exists_use_it_as_a_name_resolution_result_6097", "File '{0}' exists - use it as a name resolution result."), Loading_module_0_from_node_modules_folder_target_file_types_Colon_1: diag(6098, 3, "Loading_module_0_from_node_modules_folder_target_file_types_Colon_1_6098", "Loading module '{0}' from 'node_modules' folder, target file types: {1}."), Found_package_json_at_0: diag(6099, 3, "Found_package_json_at_0_6099", "Found 'package.json' at '{0}'."), package_json_does_not_have_a_0_field: diag(6100, 3, "package_json_does_not_have_a_0_field_6100", "'package.json' does not have a '{0}' field."), package_json_has_0_field_1_that_references_2: diag(6101, 3, "package_json_has_0_field_1_that_references_2_6101", "'package.json' has '{0}' field '{1}' that references '{2}'."), Allow_javascript_files_to_be_compiled: diag(6102, 3, "Allow_javascript_files_to_be_compiled_6102", "Allow javascript files to be compiled."), Checking_if_0_is_the_longest_matching_prefix_for_1_2: diag(6104, 3, "Checking_if_0_is_the_longest_matching_prefix_for_1_2_6104", "Checking if '{0}' is the longest matching prefix for '{1}' - '{2}'."), Expected_type_of_0_field_in_package_json_to_be_1_got_2: diag(6105, 3, "Expected_type_of_0_field_in_package_json_to_be_1_got_2_6105", "Expected type of '{0}' field in 'package.json' to be '{1}', got '{2}'."), baseUrl_option_is_set_to_0_using_this_value_to_resolve_non_relative_module_name_1: diag(6106, 3, "baseUrl_option_is_set_to_0_using_this_value_to_resolve_non_relative_module_name_1_6106", "'baseUrl' option is set to '{0}', using this value to resolve non-relative module name '{1}'."), rootDirs_option_is_set_using_it_to_resolve_relative_module_name_0: diag(6107, 3, "rootDirs_option_is_set_using_it_to_resolve_relative_module_name_0_6107", "'rootDirs' option is set, using it to resolve relative module name '{0}'."), Longest_matching_prefix_for_0_is_1: diag(6108, 3, "Longest_matching_prefix_for_0_is_1_6108", "Longest matching prefix for '{0}' is '{1}'."), Loading_0_from_the_root_dir_1_candidate_location_2: diag(6109, 3, "Loading_0_from_the_root_dir_1_candidate_location_2_6109", "Loading '{0}' from the root dir '{1}', candidate location '{2}'."), Trying_other_entries_in_rootDirs: diag(6110, 3, "Trying_other_entries_in_rootDirs_6110", "Trying other entries in 'rootDirs'."), Module_resolution_using_rootDirs_has_failed: diag(6111, 3, "Module_resolution_using_rootDirs_has_failed_6111", "Module resolution using 'rootDirs' has failed."), Do_not_emit_use_strict_directives_in_module_output: diag(6112, 3, "Do_not_emit_use_strict_directives_in_module_output_6112", "Do not emit 'use strict' directives in module output."), Enable_strict_null_checks: diag(6113, 3, "Enable_strict_null_checks_6113", "Enable strict null checks."), Unknown_option_excludes_Did_you_mean_exclude: diag(6114, 1, "Unknown_option_excludes_Did_you_mean_exclude_6114", "Unknown option 'excludes'. Did you mean 'exclude'?"), Raise_error_on_this_expressions_with_an_implied_any_type: diag(6115, 3, "Raise_error_on_this_expressions_with_an_implied_any_type_6115", "Raise error on 'this' expressions with an implied 'any' type."), Resolving_type_reference_directive_0_containing_file_1_root_directory_2: diag(6116, 3, "Resolving_type_reference_directive_0_containing_file_1_root_directory_2_6116", "======== Resolving type reference directive '{0}', containing file '{1}', root directory '{2}'. ========"), Type_reference_directive_0_was_successfully_resolved_to_1_primary_Colon_2: diag(6119, 3, "Type_reference_directive_0_was_successfully_resolved_to_1_primary_Colon_2_6119", "======== Type reference directive '{0}' was successfully resolved to '{1}', primary: {2}. ========"), Type_reference_directive_0_was_not_resolved: diag(6120, 3, "Type_reference_directive_0_was_not_resolved_6120", "======== Type reference directive '{0}' was not resolved. ========"), Resolving_with_primary_search_path_0: diag(6121, 3, "Resolving_with_primary_search_path_0_6121", "Resolving with primary search path '{0}'."), Root_directory_cannot_be_determined_skipping_primary_search_paths: diag(6122, 3, "Root_directory_cannot_be_determined_skipping_primary_search_paths_6122", "Root directory cannot be determined, skipping primary search paths."), Resolving_type_reference_directive_0_containing_file_1_root_directory_not_set: diag(6123, 3, "Resolving_type_reference_directive_0_containing_file_1_root_directory_not_set_6123", "======== Resolving type reference directive '{0}', containing file '{1}', root directory not set. ========"), Type_declaration_files_to_be_included_in_compilation: diag(6124, 3, "Type_declaration_files_to_be_included_in_compilation_6124", "Type declaration files to be included in compilation."), Looking_up_in_node_modules_folder_initial_location_0: diag(6125, 3, "Looking_up_in_node_modules_folder_initial_location_0_6125", "Looking up in 'node_modules' folder, initial location '{0}'."), Containing_file_is_not_specified_and_root_directory_cannot_be_determined_skipping_lookup_in_node_modules_folder: diag(6126, 3, "Containing_file_is_not_specified_and_root_directory_cannot_be_determined_skipping_lookup_in_node_mod_6126", "Containing file is not specified and root directory cannot be determined, skipping lookup in 'node_modules' folder."), Resolving_type_reference_directive_0_containing_file_not_set_root_directory_1: diag(6127, 3, "Resolving_type_reference_directive_0_containing_file_not_set_root_directory_1_6127", "======== Resolving type reference directive '{0}', containing file not set, root directory '{1}'. ========"), Resolving_type_reference_directive_0_containing_file_not_set_root_directory_not_set: diag(6128, 3, "Resolving_type_reference_directive_0_containing_file_not_set_root_directory_not_set_6128", "======== Resolving type reference directive '{0}', containing file not set, root directory not set. ========"), Resolving_real_path_for_0_result_1: diag(6130, 3, "Resolving_real_path_for_0_result_1_6130", "Resolving real path for '{0}', result '{1}'."), Cannot_compile_modules_using_option_0_unless_the_module_flag_is_amd_or_system: diag(6131, 1, "Cannot_compile_modules_using_option_0_unless_the_module_flag_is_amd_or_system_6131", "Cannot compile modules using option '{0}' unless the '--module' flag is 'amd' or 'system'."), File_name_0_has_a_1_extension_stripping_it: diag(6132, 3, "File_name_0_has_a_1_extension_stripping_it_6132", "File name '{0}' has a '{1}' extension - stripping it."), _0_is_declared_but_its_value_is_never_read: diag( 6133, 1, "_0_is_declared_but_its_value_is_never_read_6133", "'{0}' is declared but its value is never read.", /*reportsUnnecessary*/ true ), Report_errors_on_unused_locals: diag(6134, 3, "Report_errors_on_unused_locals_6134", "Report errors on unused locals."), Report_errors_on_unused_parameters: diag(6135, 3, "Report_errors_on_unused_parameters_6135", "Report errors on unused parameters."), The_maximum_dependency_depth_to_search_under_node_modules_and_load_JavaScript_files: diag(6136, 3, "The_maximum_dependency_depth_to_search_under_node_modules_and_load_JavaScript_files_6136", "The maximum dependency depth to search under node_modules and load JavaScript files."), Cannot_import_type_declaration_files_Consider_importing_0_instead_of_1: diag(6137, 1, "Cannot_import_type_declaration_files_Consider_importing_0_instead_of_1_6137", "Cannot import type declaration files. Consider importing '{0}' instead of '{1}'."), Property_0_is_declared_but_its_value_is_never_read: diag( 6138, 1, "Property_0_is_declared_but_its_value_is_never_read_6138", "Property '{0}' is declared but its value is never read.", /*reportsUnnecessary*/ true ), Import_emit_helpers_from_tslib: diag(6139, 3, "Import_emit_helpers_from_tslib_6139", "Import emit helpers from 'tslib'."), Auto_discovery_for_typings_is_enabled_in_project_0_Running_extra_resolution_pass_for_module_1_using_cache_location_2: diag(6140, 1, "Auto_discovery_for_typings_is_enabled_in_project_0_Running_extra_resolution_pass_for_module_1_using__6140", "Auto discovery for typings is enabled in project '{0}'. Running extra resolution pass for module '{1}' using cache location '{2}'."), Parse_in_strict_mode_and_emit_use_strict_for_each_source_file: diag(6141, 3, "Parse_in_strict_mode_and_emit_use_strict_for_each_source_file_6141", 'Parse in strict mode and emit "use strict" for each source file.'), Module_0_was_resolved_to_1_but_jsx_is_not_set: diag(6142, 1, "Module_0_was_resolved_to_1_but_jsx_is_not_set_6142", "Module '{0}' was resolved to '{1}', but '--jsx' is not set."), Module_0_was_resolved_as_locally_declared_ambient_module_in_file_1: diag(6144, 3, "Module_0_was_resolved_as_locally_declared_ambient_module_in_file_1_6144", "Module '{0}' was resolved as locally declared ambient module in file '{1}'."), Module_0_was_resolved_as_ambient_module_declared_in_1_since_this_file_was_not_modified: diag(6145, 3, "Module_0_was_resolved_as_ambient_module_declared_in_1_since_this_file_was_not_modified_6145", "Module '{0}' was resolved as ambient module declared in '{1}' since this file was not modified."), Specify_the_JSX_factory_function_to_use_when_targeting_react_JSX_emit_e_g_React_createElement_or_h: diag(6146, 3, "Specify_the_JSX_factory_function_to_use_when_targeting_react_JSX_emit_e_g_React_createElement_or_h_6146", "Specify the JSX factory function to use when targeting 'react' JSX emit, e.g. 'React.createElement' or 'h'."), Resolution_for_module_0_was_found_in_cache_from_location_1: diag(6147, 3, "Resolution_for_module_0_was_found_in_cache_from_location_1_6147", "Resolution for module '{0}' was found in cache from location '{1}'."), Directory_0_does_not_exist_skipping_all_lookups_in_it: diag(6148, 3, "Directory_0_does_not_exist_skipping_all_lookups_in_it_6148", "Directory '{0}' does not exist, skipping all lookups in it."), Show_diagnostic_information: diag(6149, 3, "Show_diagnostic_information_6149", "Show diagnostic information."), Show_verbose_diagnostic_information: diag(6150, 3, "Show_verbose_diagnostic_information_6150", "Show verbose diagnostic information."), Emit_a_single_file_with_source_maps_instead_of_having_a_separate_file: diag(6151, 3, "Emit_a_single_file_with_source_maps_instead_of_having_a_separate_file_6151", "Emit a single file with source maps instead of having a separate file."), Emit_the_source_alongside_the_sourcemaps_within_a_single_file_requires_inlineSourceMap_or_sourceMap_to_be_set: diag(6152, 3, "Emit_the_source_alongside_the_sourcemaps_within_a_single_file_requires_inlineSourceMap_or_sourceMap__6152", "Emit the source alongside the sourcemaps within a single file; requires '--inlineSourceMap' or '--sourceMap' to be set."), Transpile_each_file_as_a_separate_module_similar_to_ts_transpileModule: diag(6153, 3, "Transpile_each_file_as_a_separate_module_similar_to_ts_transpileModule_6153", "Transpile each file as a separate module (similar to 'ts.transpileModule')."), Print_names_of_generated_files_part_of_the_compilation: diag(6154, 3, "Print_names_of_generated_files_part_of_the_compilation_6154", "Print names of generated files part of the compilation."), Print_names_of_files_part_of_the_compilation: diag(6155, 3, "Print_names_of_files_part_of_the_compilation_6155", "Print names of files part of the compilation."), The_locale_used_when_displaying_messages_to_the_user_e_g_en_us: diag(6156, 3, "The_locale_used_when_displaying_messages_to_the_user_e_g_en_us_6156", "The locale used when displaying messages to the user (e.g. 'en-us')"), Do_not_generate_custom_helper_functions_like_extends_in_compiled_output: diag(6157, 3, "Do_not_generate_custom_helper_functions_like_extends_in_compiled_output_6157", "Do not generate custom helper functions like '__extends' in compiled output."), Do_not_include_the_default_library_file_lib_d_ts: diag(6158, 3, "Do_not_include_the_default_library_file_lib_d_ts_6158", "Do not include the default library file (lib.d.ts)."), Do_not_add_triple_slash_references_or_imported_modules_to_the_list_of_compiled_files: diag(6159, 3, "Do_not_add_triple_slash_references_or_imported_modules_to_the_list_of_compiled_files_6159", "Do not add triple-slash references or imported modules to the list of compiled files."), Deprecated_Use_skipLibCheck_instead_Skip_type_checking_of_default_library_declaration_files: diag(6160, 3, "Deprecated_Use_skipLibCheck_instead_Skip_type_checking_of_default_library_declaration_files_6160", "[Deprecated] Use '--skipLibCheck' instead. Skip type checking of default library declaration files."), List_of_folders_to_include_type_definitions_from: diag(6161, 3, "List_of_folders_to_include_type_definitions_from_6161", "List of folders to include type definitions from."), Disable_size_limitations_on_JavaScript_projects: diag(6162, 3, "Disable_size_limitations_on_JavaScript_projects_6162", "Disable size limitations on JavaScript projects."), The_character_set_of_the_input_files: diag(6163, 3, "The_character_set_of_the_input_files_6163", "The character set of the input files."), Skipping_module_0_that_looks_like_an_absolute_URI_target_file_types_Colon_1: diag(6164, 3, "Skipping_module_0_that_looks_like_an_absolute_URI_target_file_types_Colon_1_6164", "Skipping module '{0}' that looks like an absolute URI, target file types: {1}."), Do_not_truncate_error_messages: diag(6165, 3, "Do_not_truncate_error_messages_6165", "Do not truncate error messages."), Output_directory_for_generated_declaration_files: diag(6166, 3, "Output_directory_for_generated_declaration_files_6166", "Output directory for generated declaration files."), A_series_of_entries_which_re_map_imports_to_lookup_locations_relative_to_the_baseUrl: diag(6167, 3, "A_series_of_entries_which_re_map_imports_to_lookup_locations_relative_to_the_baseUrl_6167", "A series of entries which re-map imports to lookup locations relative to the 'baseUrl'."), List_of_root_folders_whose_combined_content_represents_the_structure_of_the_project_at_runtime: diag(6168, 3, "List_of_root_folders_whose_combined_content_represents_the_structure_of_the_project_at_runtime_6168", "List of root folders whose combined content represents the structure of the project at runtime."), Show_all_compiler_options: diag(6169, 3, "Show_all_compiler_options_6169", "Show all compiler options."), Deprecated_Use_outFile_instead_Concatenate_and_emit_output_to_single_file: diag(6170, 3, "Deprecated_Use_outFile_instead_Concatenate_and_emit_output_to_single_file_6170", "[Deprecated] Use '--outFile' instead. Concatenate and emit output to single file"), Command_line_Options: diag(6171, 3, "Command_line_Options_6171", "Command-line Options"), Provide_full_support_for_iterables_in_for_of_spread_and_destructuring_when_targeting_ES5: diag(6179, 3, "Provide_full_support_for_iterables_in_for_of_spread_and_destructuring_when_targeting_ES5_6179", "Provide full support for iterables in 'for-of', spread, and destructuring when targeting 'ES5'."), Enable_all_strict_type_checking_options: diag(6180, 3, "Enable_all_strict_type_checking_options_6180", "Enable all strict type-checking options."), Scoped_package_detected_looking_in_0: diag(6182, 3, "Scoped_package_detected_looking_in_0_6182", "Scoped package detected, looking in '{0}'"), Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2: diag(6183, 3, "Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2_6183", "Reusing resolution of module '{0}' from '{1}' of old program, it was successfully resolved to '{2}'."), Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package_ID_3: diag(6184, 3, "Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package__6184", "Reusing resolution of module '{0}' from '{1}' of old program, it was successfully resolved to '{2}' with Package ID '{3}'."), Enable_strict_checking_of_function_types: diag(6186, 3, "Enable_strict_checking_of_function_types_6186", "Enable strict checking of function types."), Enable_strict_checking_of_property_initialization_in_classes: diag(6187, 3, "Enable_strict_checking_of_property_initialization_in_classes_6187", "Enable strict checking of property initialization in classes."), Numeric_separators_are_not_allowed_here: diag(6188, 1, "Numeric_separators_are_not_allowed_here_6188", "Numeric separators are not allowed here."), Multiple_consecutive_numeric_separators_are_not_permitted: diag(6189, 1, "Multiple_consecutive_numeric_separators_are_not_permitted_6189", "Multiple consecutive numeric separators are not permitted."), Whether_to_keep_outdated_console_output_in_watch_mode_instead_of_clearing_the_screen: diag(6191, 3, "Whether_to_keep_outdated_console_output_in_watch_mode_instead_of_clearing_the_screen_6191", "Whether to keep outdated console output in watch mode instead of clearing the screen."), All_imports_in_import_declaration_are_unused: diag( 6192, 1, "All_imports_in_import_declaration_are_unused_6192", "All imports in import declaration are unused.", /*reportsUnnecessary*/ true ), Found_1_error_Watching_for_file_changes: diag(6193, 3, "Found_1_error_Watching_for_file_changes_6193", "Found 1 error. Watching for file changes."), Found_0_errors_Watching_for_file_changes: diag(6194, 3, "Found_0_errors_Watching_for_file_changes_6194", "Found {0} errors. Watching for file changes."), Resolve_keyof_to_string_valued_property_names_only_no_numbers_or_symbols: diag(6195, 3, "Resolve_keyof_to_string_valued_property_names_only_no_numbers_or_symbols_6195", "Resolve 'keyof' to string valued property names only (no numbers or symbols)."), _0_is_declared_but_never_used: diag( 6196, 1, "_0_is_declared_but_never_used_6196", "'{0}' is declared but never used.", /*reportsUnnecessary*/ true ), Include_modules_imported_with_json_extension: diag(6197, 3, "Include_modules_imported_with_json_extension_6197", "Include modules imported with '.json' extension"), All_destructured_elements_are_unused: diag( 6198, 1, "All_destructured_elements_are_unused_6198", "All destructured elements are unused.", /*reportsUnnecessary*/ true ), All_variables_are_unused: diag( 6199, 1, "All_variables_are_unused_6199", "All variables are unused.", /*reportsUnnecessary*/ true ), Definitions_of_the_following_identifiers_conflict_with_those_in_another_file_Colon_0: diag(6200, 1, "Definitions_of_the_following_identifiers_conflict_with_those_in_another_file_Colon_0_6200", "Definitions of the following identifiers conflict with those in another file: {0}"), Conflicts_are_in_this_file: diag(6201, 3, "Conflicts_are_in_this_file_6201", "Conflicts are in this file."), Project_references_may_not_form_a_circular_graph_Cycle_detected_Colon_0: diag(6202, 1, "Project_references_may_not_form_a_circular_graph_Cycle_detected_Colon_0_6202", "Project references may not form a circular graph. Cycle detected: {0}"), _0_was_also_declared_here: diag(6203, 3, "_0_was_also_declared_here_6203", "'{0}' was also declared here."), and_here: diag(6204, 3, "and_here_6204", "and here."), All_type_parameters_are_unused: diag(6205, 1, "All_type_parameters_are_unused_6205", "All type parameters are unused."), package_json_has_a_typesVersions_field_with_version_specific_path_mappings: diag(6206, 3, "package_json_has_a_typesVersions_field_with_version_specific_path_mappings_6206", "'package.json' has a 'typesVersions' field with version-specific path mappings."), package_json_does_not_have_a_typesVersions_entry_that_matches_version_0: diag(6207, 3, "package_json_does_not_have_a_typesVersions_entry_that_matches_version_0_6207", "'package.json' does not have a 'typesVersions' entry that matches version '{0}'."), package_json_has_a_typesVersions_entry_0_that_matches_compiler_version_1_looking_for_a_pattern_to_match_module_name_2: diag(6208, 3, "package_json_has_a_typesVersions_entry_0_that_matches_compiler_version_1_looking_for_a_pattern_to_ma_6208", "'package.json' has a 'typesVersions' entry '{0}' that matches compiler version '{1}', looking for a pattern to match module name '{2}'."), package_json_has_a_typesVersions_entry_0_that_is_not_a_valid_semver_range: diag(6209, 3, "package_json_has_a_typesVersions_entry_0_that_is_not_a_valid_semver_range_6209", "'package.json' has a 'typesVersions' entry '{0}' that is not a valid semver range."), An_argument_for_0_was_not_provided: diag(6210, 3, "An_argument_for_0_was_not_provided_6210", "An argument for '{0}' was not provided."), An_argument_matching_this_binding_pattern_was_not_provided: diag(6211, 3, "An_argument_matching_this_binding_pattern_was_not_provided_6211", "An argument matching this binding pattern was not provided."), Did_you_mean_to_call_this_expression: diag(6212, 3, "Did_you_mean_to_call_this_expression_6212", "Did you mean to call this expression?"), Did_you_mean_to_use_new_with_this_expression: diag(6213, 3, "Did_you_mean_to_use_new_with_this_expression_6213", "Did you mean to use 'new' with this expression?"), Enable_strict_bind_call_and_apply_methods_on_functions: diag(6214, 3, "Enable_strict_bind_call_and_apply_methods_on_functions_6214", "Enable strict 'bind', 'call', and 'apply' methods on functions."), Using_compiler_options_of_project_reference_redirect_0: diag(6215, 3, "Using_compiler_options_of_project_reference_redirect_0_6215", "Using compiler options of project reference redirect '{0}'."), Found_1_error: diag(6216, 3, "Found_1_error_6216", "Found 1 error."), Found_0_errors: diag(6217, 3, "Found_0_errors_6217", "Found {0} errors."), Module_name_0_was_successfully_resolved_to_1_with_Package_ID_2: diag(6218, 3, "Module_name_0_was_successfully_resolved_to_1_with_Package_ID_2_6218", "======== Module name '{0}' was successfully resolved to '{1}' with Package ID '{2}'. ========"), Type_reference_directive_0_was_successfully_resolved_to_1_with_Package_ID_2_primary_Colon_3: diag(6219, 3, "Type_reference_directive_0_was_successfully_resolved_to_1_with_Package_ID_2_primary_Colon_3_6219", "======== Type reference directive '{0}' was successfully resolved to '{1}' with Package ID '{2}', primary: {3}. ========"), package_json_had_a_falsy_0_field: diag(6220, 3, "package_json_had_a_falsy_0_field_6220", "'package.json' had a falsy '{0}' field."), Disable_use_of_source_files_instead_of_declaration_files_from_referenced_projects: diag(6221, 3, "Disable_use_of_source_files_instead_of_declaration_files_from_referenced_projects_6221", "Disable use of source files instead of declaration files from referenced projects."), Emit_class_fields_with_Define_instead_of_Set: diag(6222, 3, "Emit_class_fields_with_Define_instead_of_Set_6222", "Emit class fields with Define instead of Set."), Generates_a_CPU_profile: diag(6223, 3, "Generates_a_CPU_profile_6223", "Generates a CPU profile."), Disable_solution_searching_for_this_project: diag(6224, 3, "Disable_solution_searching_for_this_project_6224", "Disable solution searching for this project."), Specify_strategy_for_watching_file_Colon_FixedPollingInterval_default_PriorityPollingInterval_DynamicPriorityPolling_FixedChunkSizePolling_UseFsEvents_UseFsEventsOnParentDirectory: diag(6225, 3, "Specify_strategy_for_watching_file_Colon_FixedPollingInterval_default_PriorityPollingInterval_Dynami_6225", "Specify strategy for watching file: 'FixedPollingInterval' (default), 'PriorityPollingInterval', 'DynamicPriorityPolling', 'FixedChunkSizePolling', 'UseFsEvents', 'UseFsEventsOnParentDirectory'."), Specify_strategy_for_watching_directory_on_platforms_that_don_t_support_recursive_watching_natively_Colon_UseFsEvents_default_FixedPollingInterval_DynamicPriorityPolling_FixedChunkSizePolling: diag(6226, 3, "Specify_strategy_for_watching_directory_on_platforms_that_don_t_support_recursive_watching_natively__6226", "Specify strategy for watching directory on platforms that don't support recursive watching natively: 'UseFsEvents' (default), 'FixedPollingInterval', 'DynamicPriorityPolling', 'FixedChunkSizePolling'."), Specify_strategy_for_creating_a_polling_watch_when_it_fails_to_create_using_file_system_events_Colon_FixedInterval_default_PriorityInterval_DynamicPriority_FixedChunkSize: diag(6227, 3, "Specify_strategy_for_creating_a_polling_watch_when_it_fails_to_create_using_file_system_events_Colon_6227", "Specify strategy for creating a polling watch when it fails to create using file system events: 'FixedInterval' (default), 'PriorityInterval', 'DynamicPriority', 'FixedChunkSize'."), Tag_0_expects_at_least_1_arguments_but_the_JSX_factory_2_provides_at_most_3: diag(6229, 1, "Tag_0_expects_at_least_1_arguments_but_the_JSX_factory_2_provides_at_most_3_6229", "Tag '{0}' expects at least '{1}' arguments, but the JSX factory '{2}' provides at most '{3}'."), Option_0_can_only_be_specified_in_tsconfig_json_file_or_set_to_false_or_null_on_command_line: diag(6230, 1, "Option_0_can_only_be_specified_in_tsconfig_json_file_or_set_to_false_or_null_on_command_line_6230", "Option '{0}' can only be specified in 'tsconfig.json' file or set to 'false' or 'null' on command line."), Could_not_resolve_the_path_0_with_the_extensions_Colon_1: diag(6231, 1, "Could_not_resolve_the_path_0_with_the_extensions_Colon_1_6231", "Could not resolve the path '{0}' with the extensions: {1}."), Declaration_augments_declaration_in_another_file_This_cannot_be_serialized: diag(6232, 1, "Declaration_augments_declaration_in_another_file_This_cannot_be_serialized_6232", "Declaration augments declaration in another file. This cannot be serialized."), This_is_the_declaration_being_augmented_Consider_moving_the_augmenting_declaration_into_the_same_file: diag(6233, 1, "This_is_the_declaration_being_augmented_Consider_moving_the_augmenting_declaration_into_the_same_fil_6233", "This is the declaration being augmented. Consider moving the augmenting declaration into the same file."), This_expression_is_not_callable_because_it_is_a_get_accessor_Did_you_mean_to_use_it_without: diag(6234, 1, "This_expression_is_not_callable_because_it_is_a_get_accessor_Did_you_mean_to_use_it_without_6234", "This expression is not callable because it is a 'get' accessor. Did you mean to use it without '()'?"), Disable_loading_referenced_projects: diag(6235, 3, "Disable_loading_referenced_projects_6235", "Disable loading referenced projects."), Arguments_for_the_rest_parameter_0_were_not_provided: diag(6236, 1, "Arguments_for_the_rest_parameter_0_were_not_provided_6236", "Arguments for the rest parameter '{0}' were not provided."), Generates_an_event_trace_and_a_list_of_types: diag(6237, 3, "Generates_an_event_trace_and_a_list_of_types_6237", "Generates an event trace and a list of types."), Specify_the_module_specifier_to_be_used_to_import_the_jsx_and_jsxs_factory_functions_from_eg_react: diag(6238, 1, "Specify_the_module_specifier_to_be_used_to_import_the_jsx_and_jsxs_factory_functions_from_eg_react_6238", "Specify the module specifier to be used to import the 'jsx' and 'jsxs' factory functions from. eg, react"), File_0_exists_according_to_earlier_cached_lookups: diag(6239, 3, "File_0_exists_according_to_earlier_cached_lookups_6239", "File '{0}' exists according to earlier cached lookups."), File_0_does_not_exist_according_to_earlier_cached_lookups: diag(6240, 3, "File_0_does_not_exist_according_to_earlier_cached_lookups_6240", "File '{0}' does not exist according to earlier cached lookups."), Resolution_for_type_reference_directive_0_was_found_in_cache_from_location_1: diag(6241, 3, "Resolution_for_type_reference_directive_0_was_found_in_cache_from_location_1_6241", "Resolution for type reference directive '{0}' was found in cache from location '{1}'."), Resolving_type_reference_directive_0_containing_file_1: diag(6242, 3, "Resolving_type_reference_directive_0_containing_file_1_6242", "======== Resolving type reference directive '{0}', containing file '{1}'. ========"), Interpret_optional_property_types_as_written_rather_than_adding_undefined: diag(6243, 3, "Interpret_optional_property_types_as_written_rather_than_adding_undefined_6243", "Interpret optional property types as written, rather than adding 'undefined'."), Modules: diag(6244, 3, "Modules_6244", "Modules"), File_Management: diag(6245, 3, "File_Management_6245", "File Management"), Emit: diag(6246, 3, "Emit_6246", "Emit"), JavaScript_Support: diag(6247, 3, "JavaScript_Support_6247", "JavaScript Support"), Type_Checking: diag(6248, 3, "Type_Checking_6248", "Type Checking"), Editor_Support: diag(6249, 3, "Editor_Support_6249", "Editor Support"), Watch_and_Build_Modes: diag(6250, 3, "Watch_and_Build_Modes_6250", "Watch and Build Modes"), Compiler_Diagnostics: diag(6251, 3, "Compiler_Diagnostics_6251", "Compiler Diagnostics"), Interop_Constraints: diag(6252, 3, "Interop_Constraints_6252", "Interop Constraints"), Backwards_Compatibility: diag(6253, 3, "Backwards_Compatibility_6253", "Backwards Compatibility"), Language_and_Environment: diag(6254, 3, "Language_and_Environment_6254", "Language and Environment"), Projects: diag(6255, 3, "Projects_6255", "Projects"), Output_Formatting: diag(6256, 3, "Output_Formatting_6256", "Output Formatting"), Completeness: diag(6257, 3, "Completeness_6257", "Completeness"), _0_should_be_set_inside_the_compilerOptions_object_of_the_config_json_file: diag(6258, 1, "_0_should_be_set_inside_the_compilerOptions_object_of_the_config_json_file_6258", "'{0}' should be set inside the 'compilerOptions' object of the config json file"), Found_1_error_in_0: diag(6259, 3, "Found_1_error_in_0_6259", "Found 1 error in {0}"), Found_0_errors_in_the_same_file_starting_at_Colon_1: diag(6260, 3, "Found_0_errors_in_the_same_file_starting_at_Colon_1_6260", "Found {0} errors in the same file, starting at: {1}"), Found_0_errors_in_1_files: diag(6261, 3, "Found_0_errors_in_1_files_6261", "Found {0} errors in {1} files."), File_name_0_has_a_1_extension_looking_up_2_instead: diag(6262, 3, "File_name_0_has_a_1_extension_looking_up_2_instead_6262", "File name '{0}' has a '{1}' extension - looking up '{2}' instead."), Module_0_was_resolved_to_1_but_allowArbitraryExtensions_is_not_set: diag(6263, 1, "Module_0_was_resolved_to_1_but_allowArbitraryExtensions_is_not_set_6263", "Module '{0}' was resolved to '{1}', but '--allowArbitraryExtensions' is not set."), Enable_importing_files_with_any_extension_provided_a_declaration_file_is_present: diag(6264, 3, "Enable_importing_files_with_any_extension_provided_a_declaration_file_is_present_6264", "Enable importing files with any extension, provided a declaration file is present."), Resolving_type_reference_directive_for_program_that_specifies_custom_typeRoots_skipping_lookup_in_node_modules_folder: diag(6265, 3, "Resolving_type_reference_directive_for_program_that_specifies_custom_typeRoots_skipping_lookup_in_no_6265", "Resolving type reference directive for program that specifies custom typeRoots, skipping lookup in 'node_modules' folder."), Option_0_can_only_be_specified_on_command_line: diag(6266, 1, "Option_0_can_only_be_specified_on_command_line_6266", "Option '{0}' can only be specified on command line."), Directory_0_has_no_containing_package_json_scope_Imports_will_not_resolve: diag(6270, 3, "Directory_0_has_no_containing_package_json_scope_Imports_will_not_resolve_6270", "Directory '{0}' has no containing package.json scope. Imports will not resolve."), Import_specifier_0_does_not_exist_in_package_json_scope_at_path_1: diag(6271, 3, "Import_specifier_0_does_not_exist_in_package_json_scope_at_path_1_6271", "Import specifier '{0}' does not exist in package.json scope at path '{1}'."), Invalid_import_specifier_0_has_no_possible_resolutions: diag(6272, 3, "Invalid_import_specifier_0_has_no_possible_resolutions_6272", "Invalid import specifier '{0}' has no possible resolutions."), package_json_scope_0_has_no_imports_defined: diag(6273, 3, "package_json_scope_0_has_no_imports_defined_6273", "package.json scope '{0}' has no imports defined."), package_json_scope_0_explicitly_maps_specifier_1_to_null: diag(6274, 3, "package_json_scope_0_explicitly_maps_specifier_1_to_null_6274", "package.json scope '{0}' explicitly maps specifier '{1}' to null."), package_json_scope_0_has_invalid_type_for_target_of_specifier_1: diag(6275, 3, "package_json_scope_0_has_invalid_type_for_target_of_specifier_1_6275", "package.json scope '{0}' has invalid type for target of specifier '{1}'"), Export_specifier_0_does_not_exist_in_package_json_scope_at_path_1: diag(6276, 3, "Export_specifier_0_does_not_exist_in_package_json_scope_at_path_1_6276", "Export specifier '{0}' does not exist in package.json scope at path '{1}'."), Resolution_of_non_relative_name_failed_trying_with_modern_Node_resolution_features_disabled_to_see_if_npm_library_needs_configuration_update: diag(6277, 3, "Resolution_of_non_relative_name_failed_trying_with_modern_Node_resolution_features_disabled_to_see_i_6277", "Resolution of non-relative name failed; trying with modern Node resolution features disabled to see if npm library needs configuration update."), There_are_types_at_0_but_this_result_could_not_be_resolved_when_respecting_package_json_exports_The_1_library_may_need_to_update_its_package_json_or_typings: diag(6278, 3, "There_are_types_at_0_but_this_result_could_not_be_resolved_when_respecting_package_json_exports_The__6278", `There are types at '{0}', but this result could not be resolved when respecting package.json "exports". The '{1}' library may need to update its package.json or typings.`), Resolution_of_non_relative_name_failed_trying_with_moduleResolution_bundler_to_see_if_project_may_need_configuration_update: diag(6279, 3, "Resolution_of_non_relative_name_failed_trying_with_moduleResolution_bundler_to_see_if_project_may_ne_6279", "Resolution of non-relative name failed; trying with '--moduleResolution bundler' to see if project may need configuration update."), There_are_types_at_0_but_this_result_could_not_be_resolved_under_your_current_moduleResolution_setting_Consider_updating_to_node16_nodenext_or_bundler: diag(6280, 3, "There_are_types_at_0_but_this_result_could_not_be_resolved_under_your_current_moduleResolution_setti_6280", "There are types at '{0}', but this result could not be resolved under your current 'moduleResolution' setting. Consider updating to 'node16', 'nodenext', or 'bundler'."), package_json_has_a_peerDependencies_field: diag(6281, 3, "package_json_has_a_peerDependencies_field_6281", "'package.json' has a 'peerDependencies' field."), Found_peerDependency_0_with_1_version: diag(6282, 3, "Found_peerDependency_0_with_1_version_6282", "Found peerDependency '{0}' with '{1}' version."), Failed_to_find_peerDependency_0: diag(6283, 3, "Failed_to_find_peerDependency_0_6283", "Failed to find peerDependency '{0}'."), Enable_project_compilation: diag(6302, 3, "Enable_project_compilation_6302", "Enable project compilation"), Composite_projects_may_not_disable_declaration_emit: diag(6304, 1, "Composite_projects_may_not_disable_declaration_emit_6304", "Composite projects may not disable declaration emit."), Output_file_0_has_not_been_built_from_source_file_1: diag(6305, 1, "Output_file_0_has_not_been_built_from_source_file_1_6305", "Output file '{0}' has not been built from source file '{1}'."), Referenced_project_0_must_have_setting_composite_Colon_true: diag(6306, 1, "Referenced_project_0_must_have_setting_composite_Colon_true_6306", `Referenced project '{0}' must have setting "composite": true.`), File_0_is_not_listed_within_the_file_list_of_project_1_Projects_must_list_all_files_or_use_an_include_pattern: diag(6307, 1, "File_0_is_not_listed_within_the_file_list_of_project_1_Projects_must_list_all_files_or_use_an_includ_6307", "File '{0}' is not listed within the file list of project '{1}'. Projects must list all files or use an 'include' pattern."), Referenced_project_0_may_not_disable_emit: diag(6310, 1, "Referenced_project_0_may_not_disable_emit_6310", "Referenced project '{0}' may not disable emit."), Project_0_is_out_of_date_because_output_1_is_older_than_input_2: diag(6350, 3, "Project_0_is_out_of_date_because_output_1_is_older_than_input_2_6350", "Project '{0}' is out of date because output '{1}' is older than input '{2}'"), Project_0_is_up_to_date_because_newest_input_1_is_older_than_output_2: diag(6351, 3, "Project_0_is_up_to_date_because_newest_input_1_is_older_than_output_2_6351", "Project '{0}' is up to date because newest input '{1}' is older than output '{2}'"), Project_0_is_out_of_date_because_output_file_1_does_not_exist: diag(6352, 3, "Project_0_is_out_of_date_because_output_file_1_does_not_exist_6352", "Project '{0}' is out of date because output file '{1}' does not exist"), Project_0_is_out_of_date_because_its_dependency_1_is_out_of_date: diag(6353, 3, "Project_0_is_out_of_date_because_its_dependency_1_is_out_of_date_6353", "Project '{0}' is out of date because its dependency '{1}' is out of date"), Project_0_is_up_to_date_with_d_ts_files_from_its_dependencies: diag(6354, 3, "Project_0_is_up_to_date_with_d_ts_files_from_its_dependencies_6354", "Project '{0}' is up to date with .d.ts files from its dependencies"), Projects_in_this_build_Colon_0: diag(6355, 3, "Projects_in_this_build_Colon_0_6355", "Projects in this build: {0}"), A_non_dry_build_would_delete_the_following_files_Colon_0: diag(6356, 3, "A_non_dry_build_would_delete_the_following_files_Colon_0_6356", "A non-dry build would delete the following files: {0}"), A_non_dry_build_would_build_project_0: diag(6357, 3, "A_non_dry_build_would_build_project_0_6357", "A non-dry build would build project '{0}'"), Building_project_0: diag(6358, 3, "Building_project_0_6358", "Building project '{0}'..."), Updating_output_timestamps_of_project_0: diag(6359, 3, "Updating_output_timestamps_of_project_0_6359", "Updating output timestamps of project '{0}'..."), Project_0_is_up_to_date: diag(6361, 3, "Project_0_is_up_to_date_6361", "Project '{0}' is up to date"), Skipping_build_of_project_0_because_its_dependency_1_has_errors: diag(6362, 3, "Skipping_build_of_project_0_because_its_dependency_1_has_errors_6362", "Skipping build of project '{0}' because its dependency '{1}' has errors"), Project_0_can_t_be_built_because_its_dependency_1_has_errors: diag(6363, 3, "Project_0_can_t_be_built_because_its_dependency_1_has_errors_6363", "Project '{0}' can't be built because its dependency '{1}' has errors"), Build_one_or_more_projects_and_their_dependencies_if_out_of_date: diag(6364, 3, "Build_one_or_more_projects_and_their_dependencies_if_out_of_date_6364", "Build one or more projects and their dependencies, if out of date"), Delete_the_outputs_of_all_projects: diag(6365, 3, "Delete_the_outputs_of_all_projects_6365", "Delete the outputs of all projects."), Show_what_would_be_built_or_deleted_if_specified_with_clean: diag(6367, 3, "Show_what_would_be_built_or_deleted_if_specified_with_clean_6367", "Show what would be built (or deleted, if specified with '--clean')"), Option_build_must_be_the_first_command_line_argument: diag(6369, 1, "Option_build_must_be_the_first_command_line_argument_6369", "Option '--build' must be the first command line argument."), Options_0_and_1_cannot_be_combined: diag(6370, 1, "Options_0_and_1_cannot_be_combined_6370", "Options '{0}' and '{1}' cannot be combined."), Updating_unchanged_output_timestamps_of_project_0: diag(6371, 3, "Updating_unchanged_output_timestamps_of_project_0_6371", "Updating unchanged output timestamps of project '{0}'..."), A_non_dry_build_would_update_timestamps_for_output_of_project_0: diag(6374, 3, "A_non_dry_build_would_update_timestamps_for_output_of_project_0_6374", "A non-dry build would update timestamps for output of project '{0}'"), Cannot_write_file_0_because_it_will_overwrite_tsbuildinfo_file_generated_by_referenced_project_1: diag(6377, 1, "Cannot_write_file_0_because_it_will_overwrite_tsbuildinfo_file_generated_by_referenced_project_1_6377", "Cannot write file '{0}' because it will overwrite '.tsbuildinfo' file generated by referenced project '{1}'"), Composite_projects_may_not_disable_incremental_compilation: diag(6379, 1, "Composite_projects_may_not_disable_incremental_compilation_6379", "Composite projects may not disable incremental compilation."), Specify_file_to_store_incremental_compilation_information: diag(6380, 3, "Specify_file_to_store_incremental_compilation_information_6380", "Specify file to store incremental compilation information"), Project_0_is_out_of_date_because_output_for_it_was_generated_with_version_1_that_differs_with_current_version_2: diag(6381, 3, "Project_0_is_out_of_date_because_output_for_it_was_generated_with_version_1_that_differs_with_curren_6381", "Project '{0}' is out of date because output for it was generated with version '{1}' that differs with current version '{2}'"), Skipping_build_of_project_0_because_its_dependency_1_was_not_built: diag(6382, 3, "Skipping_build_of_project_0_because_its_dependency_1_was_not_built_6382", "Skipping build of project '{0}' because its dependency '{1}' was not built"), Project_0_can_t_be_built_because_its_dependency_1_was_not_built: diag(6383, 3, "Project_0_can_t_be_built_because_its_dependency_1_was_not_built_6383", "Project '{0}' can't be built because its dependency '{1}' was not built"), Have_recompiles_in_incremental_and_watch_assume_that_changes_within_a_file_will_only_affect_files_directly_depending_on_it: diag(6384, 3, "Have_recompiles_in_incremental_and_watch_assume_that_changes_within_a_file_will_only_affect_files_di_6384", "Have recompiles in '--incremental' and '--watch' assume that changes within a file will only affect files directly depending on it."), _0_is_deprecated: diag( 6385, 2, "_0_is_deprecated_6385", "'{0}' is deprecated.", /*reportsUnnecessary*/ void 0, /*elidedInCompatabilityPyramid*/ void 0, /*reportsDeprecated*/ true ), Performance_timings_for_diagnostics_or_extendedDiagnostics_are_not_available_in_this_session_A_native_implementation_of_the_Web_Performance_API_could_not_be_found: diag(6386, 3, "Performance_timings_for_diagnostics_or_extendedDiagnostics_are_not_available_in_this_session_A_nativ_6386", "Performance timings for '--diagnostics' or '--extendedDiagnostics' are not available in this session. A native implementation of the Web Performance API could not be found."), The_signature_0_of_1_is_deprecated: diag( 6387, 2, "The_signature_0_of_1_is_deprecated_6387", "The signature '{0}' of '{1}' is deprecated.", /*reportsUnnecessary*/ void 0, /*elidedInCompatabilityPyramid*/ void 0, /*reportsDeprecated*/ true ), Project_0_is_being_forcibly_rebuilt: diag(6388, 3, "Project_0_is_being_forcibly_rebuilt_6388", "Project '{0}' is being forcibly rebuilt"), Reusing_resolution_of_module_0_from_1_of_old_program_it_was_not_resolved: diag(6389, 3, "Reusing_resolution_of_module_0_from_1_of_old_program_it_was_not_resolved_6389", "Reusing resolution of module '{0}' from '{1}' of old program, it was not resolved."), Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_successfully_resolved_to_2: diag(6390, 3, "Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_successfully_resolved__6390", "Reusing resolution of type reference directive '{0}' from '{1}' of old program, it was successfully resolved to '{2}'."), Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package_ID_3: diag(6391, 3, "Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_successfully_resolved__6391", "Reusing resolution of type reference directive '{0}' from '{1}' of old program, it was successfully resolved to '{2}' with Package ID '{3}'."), Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_not_resolved: diag(6392, 3, "Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_not_resolved_6392", "Reusing resolution of type reference directive '{0}' from '{1}' of old program, it was not resolved."), Reusing_resolution_of_module_0_from_1_found_in_cache_from_location_2_it_was_successfully_resolved_to_3: diag(6393, 3, "Reusing_resolution_of_module_0_from_1_found_in_cache_from_location_2_it_was_successfully_resolved_to_6393", "Reusing resolution of module '{0}' from '{1}' found in cache from location '{2}', it was successfully resolved to '{3}'."), Reusing_resolution_of_module_0_from_1_found_in_cache_from_location_2_it_was_successfully_resolved_to_3_with_Package_ID_4: diag(6394, 3, "Reusing_resolution_of_module_0_from_1_found_in_cache_from_location_2_it_was_successfully_resolved_to_6394", "Reusing resolution of module '{0}' from '{1}' found in cache from location '{2}', it was successfully resolved to '{3}' with Package ID '{4}'."), Reusing_resolution_of_module_0_from_1_found_in_cache_from_location_2_it_was_not_resolved: diag(6395, 3, "Reusing_resolution_of_module_0_from_1_found_in_cache_from_location_2_it_was_not_resolved_6395", "Reusing resolution of module '{0}' from '{1}' found in cache from location '{2}', it was not resolved."), Reusing_resolution_of_type_reference_directive_0_from_1_found_in_cache_from_location_2_it_was_successfully_resolved_to_3: diag(6396, 3, "Reusing_resolution_of_type_reference_directive_0_from_1_found_in_cache_from_location_2_it_was_succes_6396", "Reusing resolution of type reference directive '{0}' from '{1}' found in cache from location '{2}', it was successfully resolved to '{3}'."), Reusing_resolution_of_type_reference_directive_0_from_1_found_in_cache_from_location_2_it_was_successfully_resolved_to_3_with_Package_ID_4: diag(6397, 3, "Reusing_resolution_of_type_reference_directive_0_from_1_found_in_cache_from_location_2_it_was_succes_6397", "Reusing resolution of type reference directive '{0}' from '{1}' found in cache from location '{2}', it was successfully resolved to '{3}' with Package ID '{4}'."), Reusing_resolution_of_type_reference_directive_0_from_1_found_in_cache_from_location_2_it_was_not_resolved: diag(6398, 3, "Reusing_resolution_of_type_reference_directive_0_from_1_found_in_cache_from_location_2_it_was_not_re_6398", "Reusing resolution of type reference directive '{0}' from '{1}' found in cache from location '{2}', it was not resolved."), Project_0_is_out_of_date_because_buildinfo_file_1_indicates_that_some_of_the_changes_were_not_emitted: diag(6399, 3, "Project_0_is_out_of_date_because_buildinfo_file_1_indicates_that_some_of_the_changes_were_not_emitte_6399", "Project '{0}' is out of date because buildinfo file '{1}' indicates that some of the changes were not emitted"), Project_0_is_up_to_date_but_needs_to_update_timestamps_of_output_files_that_are_older_than_input_files: diag(6400, 3, "Project_0_is_up_to_date_but_needs_to_update_timestamps_of_output_files_that_are_older_than_input_fil_6400", "Project '{0}' is up to date but needs to update timestamps of output files that are older than input files"), Project_0_is_out_of_date_because_there_was_error_reading_file_1: diag(6401, 3, "Project_0_is_out_of_date_because_there_was_error_reading_file_1_6401", "Project '{0}' is out of date because there was error reading file '{1}'"), Resolving_in_0_mode_with_conditions_1: diag(6402, 3, "Resolving_in_0_mode_with_conditions_1_6402", "Resolving in {0} mode with conditions {1}."), Matched_0_condition_1: diag(6403, 3, "Matched_0_condition_1_6403", "Matched '{0}' condition '{1}'."), Using_0_subpath_1_with_target_2: diag(6404, 3, "Using_0_subpath_1_with_target_2_6404", "Using '{0}' subpath '{1}' with target '{2}'."), Saw_non_matching_condition_0: diag(6405, 3, "Saw_non_matching_condition_0_6405", "Saw non-matching condition '{0}'."), Project_0_is_out_of_date_because_buildinfo_file_1_indicates_there_is_change_in_compilerOptions: diag(6406, 3, "Project_0_is_out_of_date_because_buildinfo_file_1_indicates_there_is_change_in_compilerOptions_6406", "Project '{0}' is out of date because buildinfo file '{1}' indicates there is change in compilerOptions"), Allow_imports_to_include_TypeScript_file_extensions_Requires_moduleResolution_bundler_and_either_noEmit_or_emitDeclarationOnly_to_be_set: diag(6407, 3, "Allow_imports_to_include_TypeScript_file_extensions_Requires_moduleResolution_bundler_and_either_noE_6407", "Allow imports to include TypeScript file extensions. Requires '--moduleResolution bundler' and either '--noEmit' or '--emitDeclarationOnly' to be set."), Use_the_package_json_exports_field_when_resolving_package_imports: diag(6408, 3, "Use_the_package_json_exports_field_when_resolving_package_imports_6408", "Use the package.json 'exports' field when resolving package imports."), Use_the_package_json_imports_field_when_resolving_imports: diag(6409, 3, "Use_the_package_json_imports_field_when_resolving_imports_6409", "Use the package.json 'imports' field when resolving imports."), Conditions_to_set_in_addition_to_the_resolver_specific_defaults_when_resolving_imports: diag(6410, 3, "Conditions_to_set_in_addition_to_the_resolver_specific_defaults_when_resolving_imports_6410", "Conditions to set in addition to the resolver-specific defaults when resolving imports."), true_when_moduleResolution_is_node16_nodenext_or_bundler_otherwise_false: diag(6411, 3, "true_when_moduleResolution_is_node16_nodenext_or_bundler_otherwise_false_6411", "`true` when 'moduleResolution' is 'node16', 'nodenext', or 'bundler'; otherwise `false`."), Project_0_is_out_of_date_because_buildinfo_file_1_indicates_that_file_2_was_root_file_of_compilation_but_not_any_more: diag(6412, 3, "Project_0_is_out_of_date_because_buildinfo_file_1_indicates_that_file_2_was_root_file_of_compilation_6412", "Project '{0}' is out of date because buildinfo file '{1}' indicates that file '{2}' was root file of compilation but not any more."), Entering_conditional_exports: diag(6413, 3, "Entering_conditional_exports_6413", "Entering conditional exports."), Resolved_under_condition_0: diag(6414, 3, "Resolved_under_condition_0_6414", "Resolved under condition '{0}'."), Failed_to_resolve_under_condition_0: diag(6415, 3, "Failed_to_resolve_under_condition_0_6415", "Failed to resolve under condition '{0}'."), Exiting_conditional_exports: diag(6416, 3, "Exiting_conditional_exports_6416", "Exiting conditional exports."), Searching_all_ancestor_node_modules_directories_for_preferred_extensions_Colon_0: diag(6417, 3, "Searching_all_ancestor_node_modules_directories_for_preferred_extensions_Colon_0_6417", "Searching all ancestor node_modules directories for preferred extensions: {0}."), Searching_all_ancestor_node_modules_directories_for_fallback_extensions_Colon_0: diag(6418, 3, "Searching_all_ancestor_node_modules_directories_for_fallback_extensions_Colon_0_6418", "Searching all ancestor node_modules directories for fallback extensions: {0}."), The_expected_type_comes_from_property_0_which_is_declared_here_on_type_1: diag(6500, 3, "The_expected_type_comes_from_property_0_which_is_declared_here_on_type_1_6500", "The expected type comes from property '{0}' which is declared here on type '{1}'"), The_expected_type_comes_from_this_index_signature: diag(6501, 3, "The_expected_type_comes_from_this_index_signature_6501", "The expected type comes from this index signature."), The_expected_type_comes_from_the_return_type_of_this_signature: diag(6502, 3, "The_expected_type_comes_from_the_return_type_of_this_signature_6502", "The expected type comes from the return type of this signature."), Print_names_of_files_that_are_part_of_the_compilation_and_then_stop_processing: diag(6503, 3, "Print_names_of_files_that_are_part_of_the_compilation_and_then_stop_processing_6503", "Print names of files that are part of the compilation and then stop processing."), File_0_is_a_JavaScript_file_Did_you_mean_to_enable_the_allowJs_option: diag(6504, 1, "File_0_is_a_JavaScript_file_Did_you_mean_to_enable_the_allowJs_option_6504", "File '{0}' is a JavaScript file. Did you mean to enable the 'allowJs' option?"), Print_names_of_files_and_the_reason_they_are_part_of_the_compilation: diag(6505, 3, "Print_names_of_files_and_the_reason_they_are_part_of_the_compilation_6505", "Print names of files and the reason they are part of the compilation."), Consider_adding_a_declare_modifier_to_this_class: diag(6506, 3, "Consider_adding_a_declare_modifier_to_this_class_6506", "Consider adding a 'declare' modifier to this class."), Allow_JavaScript_files_to_be_a_part_of_your_program_Use_the_checkJS_option_to_get_errors_from_these_files: diag(6600, 3, "Allow_JavaScript_files_to_be_a_part_of_your_program_Use_the_checkJS_option_to_get_errors_from_these__6600", "Allow JavaScript files to be a part of your program. Use the 'checkJS' option to get errors from these files."), Allow_import_x_from_y_when_a_module_doesn_t_have_a_default_export: diag(6601, 3, "Allow_import_x_from_y_when_a_module_doesn_t_have_a_default_export_6601", "Allow 'import x from y' when a module doesn't have a default export."), Allow_accessing_UMD_globals_from_modules: diag(6602, 3, "Allow_accessing_UMD_globals_from_modules_6602", "Allow accessing UMD globals from modules."), Disable_error_reporting_for_unreachable_code: diag(6603, 3, "Disable_error_reporting_for_unreachable_code_6603", "Disable error reporting for unreachable code."), Disable_error_reporting_for_unused_labels: diag(6604, 3, "Disable_error_reporting_for_unused_labels_6604", "Disable error reporting for unused labels."), Ensure_use_strict_is_always_emitted: diag(6605, 3, "Ensure_use_strict_is_always_emitted_6605", "Ensure 'use strict' is always emitted."), Have_recompiles_in_projects_that_use_incremental_and_watch_mode_assume_that_changes_within_a_file_will_only_affect_files_directly_depending_on_it: diag(6606, 3, "Have_recompiles_in_projects_that_use_incremental_and_watch_mode_assume_that_changes_within_a_file_wi_6606", "Have recompiles in projects that use 'incremental' and 'watch' mode assume that changes within a file will only affect files directly depending on it."), Specify_the_base_directory_to_resolve_non_relative_module_names: diag(6607, 3, "Specify_the_base_directory_to_resolve_non_relative_module_names_6607", "Specify the base directory to resolve non-relative module names."), No_longer_supported_In_early_versions_manually_set_the_text_encoding_for_reading_files: diag(6608, 3, "No_longer_supported_In_early_versions_manually_set_the_text_encoding_for_reading_files_6608", "No longer supported. In early versions, manually set the text encoding for reading files."), Enable_error_reporting_in_type_checked_JavaScript_files: diag(6609, 3, "Enable_error_reporting_in_type_checked_JavaScript_files_6609", "Enable error reporting in type-checked JavaScript files."), Enable_constraints_that_allow_a_TypeScript_project_to_be_used_with_project_references: diag(6611, 3, "Enable_constraints_that_allow_a_TypeScript_project_to_be_used_with_project_references_6611", "Enable constraints that allow a TypeScript project to be used with project references."), Generate_d_ts_files_from_TypeScript_and_JavaScript_files_in_your_project: diag(6612, 3, "Generate_d_ts_files_from_TypeScript_and_JavaScript_files_in_your_project_6612", "Generate .d.ts files from TypeScript and JavaScript files in your project."), Specify_the_output_directory_for_generated_declaration_files: diag(6613, 3, "Specify_the_output_directory_for_generated_declaration_files_6613", "Specify the output directory for generated declaration files."), Create_sourcemaps_for_d_ts_files: diag(6614, 3, "Create_sourcemaps_for_d_ts_files_6614", "Create sourcemaps for d.ts files."), Output_compiler_performance_information_after_building: diag(6615, 3, "Output_compiler_performance_information_after_building_6615", "Output compiler performance information after building."), Disables_inference_for_type_acquisition_by_looking_at_filenames_in_a_project: diag(6616, 3, "Disables_inference_for_type_acquisition_by_looking_at_filenames_in_a_project_6616", "Disables inference for type acquisition by looking at filenames in a project."), Reduce_the_number_of_projects_loaded_automatically_by_TypeScript: diag(6617, 3, "Reduce_the_number_of_projects_loaded_automatically_by_TypeScript_6617", "Reduce the number of projects loaded automatically by TypeScript."), Remove_the_20mb_cap_on_total_source_code_size_for_JavaScript_files_in_the_TypeScript_language_server: diag(6618, 3, "Remove_the_20mb_cap_on_total_source_code_size_for_JavaScript_files_in_the_TypeScript_language_server_6618", "Remove the 20mb cap on total source code size for JavaScript files in the TypeScript language server."), Opt_a_project_out_of_multi_project_reference_checking_when_editing: diag(6619, 3, "Opt_a_project_out_of_multi_project_reference_checking_when_editing_6619", "Opt a project out of multi-project reference checking when editing."), Disable_preferring_source_files_instead_of_declaration_files_when_referencing_composite_projects: diag(6620, 3, "Disable_preferring_source_files_instead_of_declaration_files_when_referencing_composite_projects_6620", "Disable preferring source files instead of declaration files when referencing composite projects."), Emit_more_compliant_but_verbose_and_less_performant_JavaScript_for_iteration: diag(6621, 3, "Emit_more_compliant_but_verbose_and_less_performant_JavaScript_for_iteration_6621", "Emit more compliant, but verbose and less performant JavaScript for iteration."), Emit_a_UTF_8_Byte_Order_Mark_BOM_in_the_beginning_of_output_files: diag(6622, 3, "Emit_a_UTF_8_Byte_Order_Mark_BOM_in_the_beginning_of_output_files_6622", "Emit a UTF-8 Byte Order Mark (BOM) in the beginning of output files."), Only_output_d_ts_files_and_not_JavaScript_files: diag(6623, 3, "Only_output_d_ts_files_and_not_JavaScript_files_6623", "Only output d.ts files and not JavaScript files."), Emit_design_type_metadata_for_decorated_declarations_in_source_files: diag(6624, 3, "Emit_design_type_metadata_for_decorated_declarations_in_source_files_6624", "Emit design-type metadata for decorated declarations in source files."), Disable_the_type_acquisition_for_JavaScript_projects: diag(6625, 3, "Disable_the_type_acquisition_for_JavaScript_projects_6625", "Disable the type acquisition for JavaScript projects"), Emit_additional_JavaScript_to_ease_support_for_importing_CommonJS_modules_This_enables_allowSyntheticDefaultImports_for_type_compatibility: diag(6626, 3, "Emit_additional_JavaScript_to_ease_support_for_importing_CommonJS_modules_This_enables_allowSyntheti_6626", "Emit additional JavaScript to ease support for importing CommonJS modules. This enables 'allowSyntheticDefaultImports' for type compatibility."), Filters_results_from_the_include_option: diag(6627, 3, "Filters_results_from_the_include_option_6627", "Filters results from the `include` option."), Remove_a_list_of_directories_from_the_watch_process: diag(6628, 3, "Remove_a_list_of_directories_from_the_watch_process_6628", "Remove a list of directories from the watch process."), Remove_a_list_of_files_from_the_watch_mode_s_processing: diag(6629, 3, "Remove_a_list_of_files_from_the_watch_mode_s_processing_6629", "Remove a list of files from the watch mode's processing."), Enable_experimental_support_for_legacy_experimental_decorators: diag(6630, 3, "Enable_experimental_support_for_legacy_experimental_decorators_6630", "Enable experimental support for legacy experimental decorators."), Print_files_read_during_the_compilation_including_why_it_was_included: diag(6631, 3, "Print_files_read_during_the_compilation_including_why_it_was_included_6631", "Print files read during the compilation including why it was included."), Output_more_detailed_compiler_performance_information_after_building: diag(6632, 3, "Output_more_detailed_compiler_performance_information_after_building_6632", "Output more detailed compiler performance information after building."), Specify_one_or_more_path_or_node_module_references_to_base_configuration_files_from_which_settings_are_inherited: diag(6633, 3, "Specify_one_or_more_path_or_node_module_references_to_base_configuration_files_from_which_settings_a_6633", "Specify one or more path or node module references to base configuration files from which settings are inherited."), Specify_what_approach_the_watcher_should_use_if_the_system_runs_out_of_native_file_watchers: diag(6634, 3, "Specify_what_approach_the_watcher_should_use_if_the_system_runs_out_of_native_file_watchers_6634", "Specify what approach the watcher should use if the system runs out of native file watchers."), Include_a_list_of_files_This_does_not_support_glob_patterns_as_opposed_to_include: diag(6635, 3, "Include_a_list_of_files_This_does_not_support_glob_patterns_as_opposed_to_include_6635", "Include a list of files. This does not support glob patterns, as opposed to `include`."), Build_all_projects_including_those_that_appear_to_be_up_to_date: diag(6636, 3, "Build_all_projects_including_those_that_appear_to_be_up_to_date_6636", "Build all projects, including those that appear to be up to date."), Ensure_that_casing_is_correct_in_imports: diag(6637, 3, "Ensure_that_casing_is_correct_in_imports_6637", "Ensure that casing is correct in imports."), Emit_a_v8_CPU_profile_of_the_compiler_run_for_debugging: diag(6638, 3, "Emit_a_v8_CPU_profile_of_the_compiler_run_for_debugging_6638", "Emit a v8 CPU profile of the compiler run for debugging."), Allow_importing_helper_functions_from_tslib_once_per_project_instead_of_including_them_per_file: diag(6639, 3, "Allow_importing_helper_functions_from_tslib_once_per_project_instead_of_including_them_per_file_6639", "Allow importing helper functions from tslib once per project, instead of including them per-file."), Specify_a_list_of_glob_patterns_that_match_files_to_be_included_in_compilation: diag(6641, 3, "Specify_a_list_of_glob_patterns_that_match_files_to_be_included_in_compilation_6641", "Specify a list of glob patterns that match files to be included in compilation."), Save_tsbuildinfo_files_to_allow_for_incremental_compilation_of_projects: diag(6642, 3, "Save_tsbuildinfo_files_to_allow_for_incremental_compilation_of_projects_6642", "Save .tsbuildinfo files to allow for incremental compilation of projects."), Include_sourcemap_files_inside_the_emitted_JavaScript: diag(6643, 3, "Include_sourcemap_files_inside_the_emitted_JavaScript_6643", "Include sourcemap files inside the emitted JavaScript."), Include_source_code_in_the_sourcemaps_inside_the_emitted_JavaScript: diag(6644, 3, "Include_source_code_in_the_sourcemaps_inside_the_emitted_JavaScript_6644", "Include source code in the sourcemaps inside the emitted JavaScript."), Ensure_that_each_file_can_be_safely_transpiled_without_relying_on_other_imports: diag(6645, 3, "Ensure_that_each_file_can_be_safely_transpiled_without_relying_on_other_imports_6645", "Ensure that each file can be safely transpiled without relying on other imports."), Specify_what_JSX_code_is_generated: diag(6646, 3, "Specify_what_JSX_code_is_generated_6646", "Specify what JSX code is generated."), Specify_the_JSX_factory_function_used_when_targeting_React_JSX_emit_e_g_React_createElement_or_h: diag(6647, 3, "Specify_the_JSX_factory_function_used_when_targeting_React_JSX_emit_e_g_React_createElement_or_h_6647", "Specify the JSX factory function used when targeting React JSX emit, e.g. 'React.createElement' or 'h'."), Specify_the_JSX_Fragment_reference_used_for_fragments_when_targeting_React_JSX_emit_e_g_React_Fragment_or_Fragment: diag(6648, 3, "Specify_the_JSX_Fragment_reference_used_for_fragments_when_targeting_React_JSX_emit_e_g_React_Fragme_6648", "Specify the JSX Fragment reference used for fragments when targeting React JSX emit e.g. 'React.Fragment' or 'Fragment'."), Specify_module_specifier_used_to_import_the_JSX_factory_functions_when_using_jsx_Colon_react_jsx_Asterisk: diag(6649, 3, "Specify_module_specifier_used_to_import_the_JSX_factory_functions_when_using_jsx_Colon_react_jsx_Ast_6649", "Specify module specifier used to import the JSX factory functions when using 'jsx: react-jsx*'."), Make_keyof_only_return_strings_instead_of_string_numbers_or_symbols_Legacy_option: diag(6650, 3, "Make_keyof_only_return_strings_instead_of_string_numbers_or_symbols_Legacy_option_6650", "Make keyof only return strings instead of string, numbers or symbols. Legacy option."), Specify_a_set_of_bundled_library_declaration_files_that_describe_the_target_runtime_environment: diag(6651, 3, "Specify_a_set_of_bundled_library_declaration_files_that_describe_the_target_runtime_environment_6651", "Specify a set of bundled library declaration files that describe the target runtime environment."), Print_the_names_of_emitted_files_after_a_compilation: diag(6652, 3, "Print_the_names_of_emitted_files_after_a_compilation_6652", "Print the names of emitted files after a compilation."), Print_all_of_the_files_read_during_the_compilation: diag(6653, 3, "Print_all_of_the_files_read_during_the_compilation_6653", "Print all of the files read during the compilation."), Set_the_language_of_the_messaging_from_TypeScript_This_does_not_affect_emit: diag(6654, 3, "Set_the_language_of_the_messaging_from_TypeScript_This_does_not_affect_emit_6654", "Set the language of the messaging from TypeScript. This does not affect emit."), Specify_the_location_where_debugger_should_locate_map_files_instead_of_generated_locations: diag(6655, 3, "Specify_the_location_where_debugger_should_locate_map_files_instead_of_generated_locations_6655", "Specify the location where debugger should locate map files instead of generated locations."), Specify_the_maximum_folder_depth_used_for_checking_JavaScript_files_from_node_modules_Only_applicable_with_allowJs: diag(6656, 3, "Specify_the_maximum_folder_depth_used_for_checking_JavaScript_files_from_node_modules_Only_applicabl_6656", "Specify the maximum folder depth used for checking JavaScript files from 'node_modules'. Only applicable with 'allowJs'."), Specify_what_module_code_is_generated: diag(6657, 3, "Specify_what_module_code_is_generated_6657", "Specify what module code is generated."), Specify_how_TypeScript_looks_up_a_file_from_a_given_module_specifier: diag(6658, 3, "Specify_how_TypeScript_looks_up_a_file_from_a_given_module_specifier_6658", "Specify how TypeScript looks up a file from a given module specifier."), Set_the_newline_character_for_emitting_files: diag(6659, 3, "Set_the_newline_character_for_emitting_files_6659", "Set the newline character for emitting files."), Disable_emitting_files_from_a_compilation: diag(6660, 3, "Disable_emitting_files_from_a_compilation_6660", "Disable emitting files from a compilation."), Disable_generating_custom_helper_functions_like_extends_in_compiled_output: diag(6661, 3, "Disable_generating_custom_helper_functions_like_extends_in_compiled_output_6661", "Disable generating custom helper functions like '__extends' in compiled output."), Disable_emitting_files_if_any_type_checking_errors_are_reported: diag(6662, 3, "Disable_emitting_files_if_any_type_checking_errors_are_reported_6662", "Disable emitting files if any type checking errors are reported."), Disable_truncating_types_in_error_messages: diag(6663, 3, "Disable_truncating_types_in_error_messages_6663", "Disable truncating types in error messages."), Enable_error_reporting_for_fallthrough_cases_in_switch_statements: diag(6664, 3, "Enable_error_reporting_for_fallthrough_cases_in_switch_statements_6664", "Enable error reporting for fallthrough cases in switch statements."), Enable_error_reporting_for_expressions_and_declarations_with_an_implied_any_type: diag(6665, 3, "Enable_error_reporting_for_expressions_and_declarations_with_an_implied_any_type_6665", "Enable error reporting for expressions and declarations with an implied 'any' type."), Ensure_overriding_members_in_derived_classes_are_marked_with_an_override_modifier: diag(6666, 3, "Ensure_overriding_members_in_derived_classes_are_marked_with_an_override_modifier_6666", "Ensure overriding members in derived classes are marked with an override modifier."), Enable_error_reporting_for_codepaths_that_do_not_explicitly_return_in_a_function: diag(6667, 3, "Enable_error_reporting_for_codepaths_that_do_not_explicitly_return_in_a_function_6667", "Enable error reporting for codepaths that do not explicitly return in a function."), Enable_error_reporting_when_this_is_given_the_type_any: diag(6668, 3, "Enable_error_reporting_when_this_is_given_the_type_any_6668", "Enable error reporting when 'this' is given the type 'any'."), Disable_adding_use_strict_directives_in_emitted_JavaScript_files: diag(6669, 3, "Disable_adding_use_strict_directives_in_emitted_JavaScript_files_6669", "Disable adding 'use strict' directives in emitted JavaScript files."), Disable_including_any_library_files_including_the_default_lib_d_ts: diag(6670, 3, "Disable_including_any_library_files_including_the_default_lib_d_ts_6670", "Disable including any library files, including the default lib.d.ts."), Enforces_using_indexed_accessors_for_keys_declared_using_an_indexed_type: diag(6671, 3, "Enforces_using_indexed_accessors_for_keys_declared_using_an_indexed_type_6671", "Enforces using indexed accessors for keys declared using an indexed type."), Disallow_import_s_require_s_or_reference_s_from_expanding_the_number_of_files_TypeScript_should_add_to_a_project: diag(6672, 3, "Disallow_import_s_require_s_or_reference_s_from_expanding_the_number_of_files_TypeScript_should_add__6672", "Disallow 'import's, 'require's or ''s from expanding the number of files TypeScript should add to a project."), Disable_strict_checking_of_generic_signatures_in_function_types: diag(6673, 3, "Disable_strict_checking_of_generic_signatures_in_function_types_6673", "Disable strict checking of generic signatures in function types."), Add_undefined_to_a_type_when_accessed_using_an_index: diag(6674, 3, "Add_undefined_to_a_type_when_accessed_using_an_index_6674", "Add 'undefined' to a type when accessed using an index."), Enable_error_reporting_when_local_variables_aren_t_read: diag(6675, 3, "Enable_error_reporting_when_local_variables_aren_t_read_6675", "Enable error reporting when local variables aren't read."), Raise_an_error_when_a_function_parameter_isn_t_read: diag(6676, 3, "Raise_an_error_when_a_function_parameter_isn_t_read_6676", "Raise an error when a function parameter isn't read."), Deprecated_setting_Use_outFile_instead: diag(6677, 3, "Deprecated_setting_Use_outFile_instead_6677", "Deprecated setting. Use 'outFile' instead."), Specify_an_output_folder_for_all_emitted_files: diag(6678, 3, "Specify_an_output_folder_for_all_emitted_files_6678", "Specify an output folder for all emitted files."), Specify_a_file_that_bundles_all_outputs_into_one_JavaScript_file_If_declaration_is_true_also_designates_a_file_that_bundles_all_d_ts_output: diag(6679, 3, "Specify_a_file_that_bundles_all_outputs_into_one_JavaScript_file_If_declaration_is_true_also_designa_6679", "Specify a file that bundles all outputs into one JavaScript file. If 'declaration' is true, also designates a file that bundles all .d.ts output."), Specify_a_set_of_entries_that_re_map_imports_to_additional_lookup_locations: diag(6680, 3, "Specify_a_set_of_entries_that_re_map_imports_to_additional_lookup_locations_6680", "Specify a set of entries that re-map imports to additional lookup locations."), Specify_a_list_of_language_service_plugins_to_include: diag(6681, 3, "Specify_a_list_of_language_service_plugins_to_include_6681", "Specify a list of language service plugins to include."), Disable_erasing_const_enum_declarations_in_generated_code: diag(6682, 3, "Disable_erasing_const_enum_declarations_in_generated_code_6682", "Disable erasing 'const enum' declarations in generated code."), Disable_resolving_symlinks_to_their_realpath_This_correlates_to_the_same_flag_in_node: diag(6683, 3, "Disable_resolving_symlinks_to_their_realpath_This_correlates_to_the_same_flag_in_node_6683", "Disable resolving symlinks to their realpath. This correlates to the same flag in node."), Disable_wiping_the_console_in_watch_mode: diag(6684, 3, "Disable_wiping_the_console_in_watch_mode_6684", "Disable wiping the console in watch mode."), Enable_color_and_formatting_in_TypeScript_s_output_to_make_compiler_errors_easier_to_read: diag(6685, 3, "Enable_color_and_formatting_in_TypeScript_s_output_to_make_compiler_errors_easier_to_read_6685", "Enable color and formatting in TypeScript's output to make compiler errors easier to read."), Specify_the_object_invoked_for_createElement_This_only_applies_when_targeting_react_JSX_emit: diag(6686, 3, "Specify_the_object_invoked_for_createElement_This_only_applies_when_targeting_react_JSX_emit_6686", "Specify the object invoked for 'createElement'. This only applies when targeting 'react' JSX emit."), Specify_an_array_of_objects_that_specify_paths_for_projects_Used_in_project_references: diag(6687, 3, "Specify_an_array_of_objects_that_specify_paths_for_projects_Used_in_project_references_6687", "Specify an array of objects that specify paths for projects. Used in project references."), Disable_emitting_comments: diag(6688, 3, "Disable_emitting_comments_6688", "Disable emitting comments."), Enable_importing_json_files: diag(6689, 3, "Enable_importing_json_files_6689", "Enable importing .json files."), Specify_the_root_folder_within_your_source_files: diag(6690, 3, "Specify_the_root_folder_within_your_source_files_6690", "Specify the root folder within your source files."), Allow_multiple_folders_to_be_treated_as_one_when_resolving_modules: diag(6691, 3, "Allow_multiple_folders_to_be_treated_as_one_when_resolving_modules_6691", "Allow multiple folders to be treated as one when resolving modules."), Skip_type_checking_d_ts_files_that_are_included_with_TypeScript: diag(6692, 3, "Skip_type_checking_d_ts_files_that_are_included_with_TypeScript_6692", "Skip type checking .d.ts files that are included with TypeScript."), Skip_type_checking_all_d_ts_files: diag(6693, 3, "Skip_type_checking_all_d_ts_files_6693", "Skip type checking all .d.ts files."), Create_source_map_files_for_emitted_JavaScript_files: diag(6694, 3, "Create_source_map_files_for_emitted_JavaScript_files_6694", "Create source map files for emitted JavaScript files."), Specify_the_root_path_for_debuggers_to_find_the_reference_source_code: diag(6695, 3, "Specify_the_root_path_for_debuggers_to_find_the_reference_source_code_6695", "Specify the root path for debuggers to find the reference source code."), Check_that_the_arguments_for_bind_call_and_apply_methods_match_the_original_function: diag(6697, 3, "Check_that_the_arguments_for_bind_call_and_apply_methods_match_the_original_function_6697", "Check that the arguments for 'bind', 'call', and 'apply' methods match the original function."), When_assigning_functions_check_to_ensure_parameters_and_the_return_values_are_subtype_compatible: diag(6698, 3, "When_assigning_functions_check_to_ensure_parameters_and_the_return_values_are_subtype_compatible_6698", "When assigning functions, check to ensure parameters and the return values are subtype-compatible."), When_type_checking_take_into_account_null_and_undefined: diag(6699, 3, "When_type_checking_take_into_account_null_and_undefined_6699", "When type checking, take into account 'null' and 'undefined'."), Check_for_class_properties_that_are_declared_but_not_set_in_the_constructor: diag(6700, 3, "Check_for_class_properties_that_are_declared_but_not_set_in_the_constructor_6700", "Check for class properties that are declared but not set in the constructor."), Disable_emitting_declarations_that_have_internal_in_their_JSDoc_comments: diag(6701, 3, "Disable_emitting_declarations_that_have_internal_in_their_JSDoc_comments_6701", "Disable emitting declarations that have '@internal' in their JSDoc comments."), Disable_reporting_of_excess_property_errors_during_the_creation_of_object_literals: diag(6702, 3, "Disable_reporting_of_excess_property_errors_during_the_creation_of_object_literals_6702", "Disable reporting of excess property errors during the creation of object literals."), Suppress_noImplicitAny_errors_when_indexing_objects_that_lack_index_signatures: diag(6703, 3, "Suppress_noImplicitAny_errors_when_indexing_objects_that_lack_index_signatures_6703", "Suppress 'noImplicitAny' errors when indexing objects that lack index signatures."), Synchronously_call_callbacks_and_update_the_state_of_directory_watchers_on_platforms_that_don_t_support_recursive_watching_natively: diag(6704, 3, "Synchronously_call_callbacks_and_update_the_state_of_directory_watchers_on_platforms_that_don_t_supp_6704", "Synchronously call callbacks and update the state of directory watchers on platforms that don`t support recursive watching natively."), Set_the_JavaScript_language_version_for_emitted_JavaScript_and_include_compatible_library_declarations: diag(6705, 3, "Set_the_JavaScript_language_version_for_emitted_JavaScript_and_include_compatible_library_declaratio_6705", "Set the JavaScript language version for emitted JavaScript and include compatible library declarations."), Log_paths_used_during_the_moduleResolution_process: diag(6706, 3, "Log_paths_used_during_the_moduleResolution_process_6706", "Log paths used during the 'moduleResolution' process."), Specify_the_path_to_tsbuildinfo_incremental_compilation_file: diag(6707, 3, "Specify_the_path_to_tsbuildinfo_incremental_compilation_file_6707", "Specify the path to .tsbuildinfo incremental compilation file."), Specify_options_for_automatic_acquisition_of_declaration_files: diag(6709, 3, "Specify_options_for_automatic_acquisition_of_declaration_files_6709", "Specify options for automatic acquisition of declaration files."), Specify_multiple_folders_that_act_like_Slashnode_modules_Slash_types: diag(6710, 3, "Specify_multiple_folders_that_act_like_Slashnode_modules_Slash_types_6710", "Specify multiple folders that act like './node_modules/@types'."), Specify_type_package_names_to_be_included_without_being_referenced_in_a_source_file: diag(6711, 3, "Specify_type_package_names_to_be_included_without_being_referenced_in_a_source_file_6711", "Specify type package names to be included without being referenced in a source file."), Emit_ECMAScript_standard_compliant_class_fields: diag(6712, 3, "Emit_ECMAScript_standard_compliant_class_fields_6712", "Emit ECMAScript-standard-compliant class fields."), Enable_verbose_logging: diag(6713, 3, "Enable_verbose_logging_6713", "Enable verbose logging."), Specify_how_directories_are_watched_on_systems_that_lack_recursive_file_watching_functionality: diag(6714, 3, "Specify_how_directories_are_watched_on_systems_that_lack_recursive_file_watching_functionality_6714", "Specify how directories are watched on systems that lack recursive file-watching functionality."), Specify_how_the_TypeScript_watch_mode_works: diag(6715, 3, "Specify_how_the_TypeScript_watch_mode_works_6715", "Specify how the TypeScript watch mode works."), Require_undeclared_properties_from_index_signatures_to_use_element_accesses: diag(6717, 3, "Require_undeclared_properties_from_index_signatures_to_use_element_accesses_6717", "Require undeclared properties from index signatures to use element accesses."), Specify_emit_Slashchecking_behavior_for_imports_that_are_only_used_for_types: diag(6718, 3, "Specify_emit_Slashchecking_behavior_for_imports_that_are_only_used_for_types_6718", "Specify emit/checking behavior for imports that are only used for types."), Require_sufficient_annotation_on_exports_so_other_tools_can_trivially_generate_declaration_files: diag(6719, 3, "Require_sufficient_annotation_on_exports_so_other_tools_can_trivially_generate_declaration_files_6719", "Require sufficient annotation on exports so other tools can trivially generate declaration files."), Default_catch_clause_variables_as_unknown_instead_of_any: diag(6803, 3, "Default_catch_clause_variables_as_unknown_instead_of_any_6803", "Default catch clause variables as 'unknown' instead of 'any'."), Do_not_transform_or_elide_any_imports_or_exports_not_marked_as_type_only_ensuring_they_are_written_in_the_output_file_s_format_based_on_the_module_setting: diag(6804, 3, "Do_not_transform_or_elide_any_imports_or_exports_not_marked_as_type_only_ensuring_they_are_written_i_6804", "Do not transform or elide any imports or exports not marked as type-only, ensuring they are written in the output file's format based on the 'module' setting."), Disable_full_type_checking_only_critical_parse_and_emit_errors_will_be_reported: diag(6805, 3, "Disable_full_type_checking_only_critical_parse_and_emit_errors_will_be_reported_6805", "Disable full type checking (only critical parse and emit errors will be reported)."), one_of_Colon: diag(6900, 3, "one_of_Colon_6900", "one of:"), one_or_more_Colon: diag(6901, 3, "one_or_more_Colon_6901", "one or more:"), type_Colon: diag(6902, 3, "type_Colon_6902", "type:"), default_Colon: diag(6903, 3, "default_Colon_6903", "default:"), module_system_or_esModuleInterop: diag(6904, 3, "module_system_or_esModuleInterop_6904", 'module === "system" or esModuleInterop'), false_unless_strict_is_set: diag(6905, 3, "false_unless_strict_is_set_6905", "`false`, unless `strict` is set"), false_unless_composite_is_set: diag(6906, 3, "false_unless_composite_is_set_6906", "`false`, unless `composite` is set"), node_modules_bower_components_jspm_packages_plus_the_value_of_outDir_if_one_is_specified: diag(6907, 3, "node_modules_bower_components_jspm_packages_plus_the_value_of_outDir_if_one_is_specified_6907", '`["node_modules", "bower_components", "jspm_packages"]`, plus the value of `outDir` if one is specified.'), if_files_is_specified_otherwise_Asterisk_Asterisk_Slash_Asterisk: diag(6908, 3, "if_files_is_specified_otherwise_Asterisk_Asterisk_Slash_Asterisk_6908", '`[]` if `files` is specified, otherwise `["**/*"]`'), true_if_composite_false_otherwise: diag(6909, 3, "true_if_composite_false_otherwise_6909", "`true` if `composite`, `false` otherwise"), module_AMD_or_UMD_or_System_or_ES6_then_Classic_Otherwise_Node: diag(69010, 3, "module_AMD_or_UMD_or_System_or_ES6_then_Classic_Otherwise_Node_69010", "module === `AMD` or `UMD` or `System` or `ES6`, then `Classic`, Otherwise `Node`"), Computed_from_the_list_of_input_files: diag(6911, 3, "Computed_from_the_list_of_input_files_6911", "Computed from the list of input files"), Platform_specific: diag(6912, 3, "Platform_specific_6912", "Platform specific"), You_can_learn_about_all_of_the_compiler_options_at_0: diag(6913, 3, "You_can_learn_about_all_of_the_compiler_options_at_0_6913", "You can learn about all of the compiler options at {0}"), Including_watch_w_will_start_watching_the_current_project_for_the_file_changes_Once_set_you_can_config_watch_mode_with_Colon: diag(6914, 3, "Including_watch_w_will_start_watching_the_current_project_for_the_file_changes_Once_set_you_can_conf_6914", "Including --watch, -w will start watching the current project for the file changes. Once set, you can config watch mode with:"), Using_build_b_will_make_tsc_behave_more_like_a_build_orchestrator_than_a_compiler_This_is_used_to_trigger_building_composite_projects_which_you_can_learn_more_about_at_0: diag(6915, 3, "Using_build_b_will_make_tsc_behave_more_like_a_build_orchestrator_than_a_compiler_This_is_used_to_tr_6915", "Using --build, -b will make tsc behave more like a build orchestrator than a compiler. This is used to trigger building composite projects which you can learn more about at {0}"), COMMON_COMMANDS: diag(6916, 3, "COMMON_COMMANDS_6916", "COMMON COMMANDS"), ALL_COMPILER_OPTIONS: diag(6917, 3, "ALL_COMPILER_OPTIONS_6917", "ALL COMPILER OPTIONS"), WATCH_OPTIONS: diag(6918, 3, "WATCH_OPTIONS_6918", "WATCH OPTIONS"), BUILD_OPTIONS: diag(6919, 3, "BUILD_OPTIONS_6919", "BUILD OPTIONS"), COMMON_COMPILER_OPTIONS: diag(6920, 3, "COMMON_COMPILER_OPTIONS_6920", "COMMON COMPILER OPTIONS"), COMMAND_LINE_FLAGS: diag(6921, 3, "COMMAND_LINE_FLAGS_6921", "COMMAND LINE FLAGS"), tsc_Colon_The_TypeScript_Compiler: diag(6922, 3, "tsc_Colon_The_TypeScript_Compiler_6922", "tsc: The TypeScript Compiler"), Compiles_the_current_project_tsconfig_json_in_the_working_directory: diag(6923, 3, "Compiles_the_current_project_tsconfig_json_in_the_working_directory_6923", "Compiles the current project (tsconfig.json in the working directory.)"), Ignoring_tsconfig_json_compiles_the_specified_files_with_default_compiler_options: diag(6924, 3, "Ignoring_tsconfig_json_compiles_the_specified_files_with_default_compiler_options_6924", "Ignoring tsconfig.json, compiles the specified files with default compiler options."), Build_a_composite_project_in_the_working_directory: diag(6925, 3, "Build_a_composite_project_in_the_working_directory_6925", "Build a composite project in the working directory."), Creates_a_tsconfig_json_with_the_recommended_settings_in_the_working_directory: diag(6926, 3, "Creates_a_tsconfig_json_with_the_recommended_settings_in_the_working_directory_6926", "Creates a tsconfig.json with the recommended settings in the working directory."), Compiles_the_TypeScript_project_located_at_the_specified_path: diag(6927, 3, "Compiles_the_TypeScript_project_located_at_the_specified_path_6927", "Compiles the TypeScript project located at the specified path."), An_expanded_version_of_this_information_showing_all_possible_compiler_options: diag(6928, 3, "An_expanded_version_of_this_information_showing_all_possible_compiler_options_6928", "An expanded version of this information, showing all possible compiler options"), Compiles_the_current_project_with_additional_settings: diag(6929, 3, "Compiles_the_current_project_with_additional_settings_6929", "Compiles the current project, with additional settings."), true_for_ES2022_and_above_including_ESNext: diag(6930, 3, "true_for_ES2022_and_above_including_ESNext_6930", "`true` for ES2022 and above, including ESNext."), List_of_file_name_suffixes_to_search_when_resolving_a_module: diag(6931, 1, "List_of_file_name_suffixes_to_search_when_resolving_a_module_6931", "List of file name suffixes to search when resolving a module."), Variable_0_implicitly_has_an_1_type: diag(7005, 1, "Variable_0_implicitly_has_an_1_type_7005", "Variable '{0}' implicitly has an '{1}' type."), Parameter_0_implicitly_has_an_1_type: diag(7006, 1, "Parameter_0_implicitly_has_an_1_type_7006", "Parameter '{0}' implicitly has an '{1}' type."), Member_0_implicitly_has_an_1_type: diag(7008, 1, "Member_0_implicitly_has_an_1_type_7008", "Member '{0}' implicitly has an '{1}' type."), new_expression_whose_target_lacks_a_construct_signature_implicitly_has_an_any_type: diag(7009, 1, "new_expression_whose_target_lacks_a_construct_signature_implicitly_has_an_any_type_7009", "'new' expression, whose target lacks a construct signature, implicitly has an 'any' type."), _0_which_lacks_return_type_annotation_implicitly_has_an_1_return_type: diag(7010, 1, "_0_which_lacks_return_type_annotation_implicitly_has_an_1_return_type_7010", "'{0}', which lacks return-type annotation, implicitly has an '{1}' return type."), Function_expression_which_lacks_return_type_annotation_implicitly_has_an_0_return_type: diag(7011, 1, "Function_expression_which_lacks_return_type_annotation_implicitly_has_an_0_return_type_7011", "Function expression, which lacks return-type annotation, implicitly has an '{0}' return type."), This_overload_implicitly_returns_the_type_0_because_it_lacks_a_return_type_annotation: diag(7012, 1, "This_overload_implicitly_returns_the_type_0_because_it_lacks_a_return_type_annotation_7012", "This overload implicitly returns the type '{0}' because it lacks a return type annotation."), Construct_signature_which_lacks_return_type_annotation_implicitly_has_an_any_return_type: diag(7013, 1, "Construct_signature_which_lacks_return_type_annotation_implicitly_has_an_any_return_type_7013", "Construct signature, which lacks return-type annotation, implicitly has an 'any' return type."), Function_type_which_lacks_return_type_annotation_implicitly_has_an_0_return_type: diag(7014, 1, "Function_type_which_lacks_return_type_annotation_implicitly_has_an_0_return_type_7014", "Function type, which lacks return-type annotation, implicitly has an '{0}' return type."), Element_implicitly_has_an_any_type_because_index_expression_is_not_of_type_number: diag(7015, 1, "Element_implicitly_has_an_any_type_because_index_expression_is_not_of_type_number_7015", "Element implicitly has an 'any' type because index expression is not of type 'number'."), Could_not_find_a_declaration_file_for_module_0_1_implicitly_has_an_any_type: diag(7016, 1, "Could_not_find_a_declaration_file_for_module_0_1_implicitly_has_an_any_type_7016", "Could not find a declaration file for module '{0}'. '{1}' implicitly has an 'any' type."), Element_implicitly_has_an_any_type_because_type_0_has_no_index_signature: diag(7017, 1, "Element_implicitly_has_an_any_type_because_type_0_has_no_index_signature_7017", "Element implicitly has an 'any' type because type '{0}' has no index signature."), Object_literal_s_property_0_implicitly_has_an_1_type: diag(7018, 1, "Object_literal_s_property_0_implicitly_has_an_1_type_7018", "Object literal's property '{0}' implicitly has an '{1}' type."), Rest_parameter_0_implicitly_has_an_any_type: diag(7019, 1, "Rest_parameter_0_implicitly_has_an_any_type_7019", "Rest parameter '{0}' implicitly has an 'any[]' type."), Call_signature_which_lacks_return_type_annotation_implicitly_has_an_any_return_type: diag(7020, 1, "Call_signature_which_lacks_return_type_annotation_implicitly_has_an_any_return_type_7020", "Call signature, which lacks return-type annotation, implicitly has an 'any' return type."), _0_implicitly_has_type_any_because_it_does_not_have_a_type_annotation_and_is_referenced_directly_or_indirectly_in_its_own_initializer: diag(7022, 1, "_0_implicitly_has_type_any_because_it_does_not_have_a_type_annotation_and_is_referenced_directly_or__7022", "'{0}' implicitly has type 'any' because it does not have a type annotation and is referenced directly or indirectly in its own initializer."), _0_implicitly_has_return_type_any_because_it_does_not_have_a_return_type_annotation_and_is_referenced_directly_or_indirectly_in_one_of_its_return_expressions: diag(7023, 1, "_0_implicitly_has_return_type_any_because_it_does_not_have_a_return_type_annotation_and_is_reference_7023", "'{0}' implicitly has return type 'any' because it does not have a return type annotation and is referenced directly or indirectly in one of its return expressions."), Function_implicitly_has_return_type_any_because_it_does_not_have_a_return_type_annotation_and_is_referenced_directly_or_indirectly_in_one_of_its_return_expressions: diag(7024, 1, "Function_implicitly_has_return_type_any_because_it_does_not_have_a_return_type_annotation_and_is_ref_7024", "Function implicitly has return type 'any' because it does not have a return type annotation and is referenced directly or indirectly in one of its return expressions."), Generator_implicitly_has_yield_type_0_because_it_does_not_yield_any_values_Consider_supplying_a_return_type_annotation: diag(7025, 1, "Generator_implicitly_has_yield_type_0_because_it_does_not_yield_any_values_Consider_supplying_a_retu_7025", "Generator implicitly has yield type '{0}' because it does not yield any values. Consider supplying a return type annotation."), JSX_element_implicitly_has_type_any_because_no_interface_JSX_0_exists: diag(7026, 1, "JSX_element_implicitly_has_type_any_because_no_interface_JSX_0_exists_7026", "JSX element implicitly has type 'any' because no interface 'JSX.{0}' exists."), Unreachable_code_detected: diag( 7027, 1, "Unreachable_code_detected_7027", "Unreachable code detected.", /*reportsUnnecessary*/ true ), Unused_label: diag( 7028, 1, "Unused_label_7028", "Unused label.", /*reportsUnnecessary*/ true ), Fallthrough_case_in_switch: diag(7029, 1, "Fallthrough_case_in_switch_7029", "Fallthrough case in switch."), Not_all_code_paths_return_a_value: diag(7030, 1, "Not_all_code_paths_return_a_value_7030", "Not all code paths return a value."), Binding_element_0_implicitly_has_an_1_type: diag(7031, 1, "Binding_element_0_implicitly_has_an_1_type_7031", "Binding element '{0}' implicitly has an '{1}' type."), Property_0_implicitly_has_type_any_because_its_set_accessor_lacks_a_parameter_type_annotation: diag(7032, 1, "Property_0_implicitly_has_type_any_because_its_set_accessor_lacks_a_parameter_type_annotation_7032", "Property '{0}' implicitly has type 'any', because its set accessor lacks a parameter type annotation."), Property_0_implicitly_has_type_any_because_its_get_accessor_lacks_a_return_type_annotation: diag(7033, 1, "Property_0_implicitly_has_type_any_because_its_get_accessor_lacks_a_return_type_annotation_7033", "Property '{0}' implicitly has type 'any', because its get accessor lacks a return type annotation."), Variable_0_implicitly_has_type_1_in_some_locations_where_its_type_cannot_be_determined: diag(7034, 1, "Variable_0_implicitly_has_type_1_in_some_locations_where_its_type_cannot_be_determined_7034", "Variable '{0}' implicitly has type '{1}' in some locations where its type cannot be determined."), Try_npm_i_save_dev_types_Slash_1_if_it_exists_or_add_a_new_declaration_d_ts_file_containing_declare_module_0: diag(7035, 1, "Try_npm_i_save_dev_types_Slash_1_if_it_exists_or_add_a_new_declaration_d_ts_file_containing_declare__7035", "Try `npm i --save-dev @types/{1}` if it exists or add a new declaration (.d.ts) file containing `declare module '{0}';`"), Dynamic_import_s_specifier_must_be_of_type_string_but_here_has_type_0: diag(7036, 1, "Dynamic_import_s_specifier_must_be_of_type_string_but_here_has_type_0_7036", "Dynamic import's specifier must be of type 'string', but here has type '{0}'."), Enables_emit_interoperability_between_CommonJS_and_ES_Modules_via_creation_of_namespace_objects_for_all_imports_Implies_allowSyntheticDefaultImports: diag(7037, 3, "Enables_emit_interoperability_between_CommonJS_and_ES_Modules_via_creation_of_namespace_objects_for__7037", "Enables emit interoperability between CommonJS and ES Modules via creation of namespace objects for all imports. Implies 'allowSyntheticDefaultImports'."), Type_originates_at_this_import_A_namespace_style_import_cannot_be_called_or_constructed_and_will_cause_a_failure_at_runtime_Consider_using_a_default_import_or_import_require_here_instead: diag(7038, 3, "Type_originates_at_this_import_A_namespace_style_import_cannot_be_called_or_constructed_and_will_cau_7038", "Type originates at this import. A namespace-style import cannot be called or constructed, and will cause a failure at runtime. Consider using a default import or import require here instead."), Mapped_object_type_implicitly_has_an_any_template_type: diag(7039, 1, "Mapped_object_type_implicitly_has_an_any_template_type_7039", "Mapped object type implicitly has an 'any' template type."), If_the_0_package_actually_exposes_this_module_consider_sending_a_pull_request_to_amend_https_Colon_Slash_Slashgithub_com_SlashDefinitelyTyped_SlashDefinitelyTyped_Slashtree_Slashmaster_Slashtypes_Slash_1: diag(7040, 1, "If_the_0_package_actually_exposes_this_module_consider_sending_a_pull_request_to_amend_https_Colon_S_7040", "If the '{0}' package actually exposes this module, consider sending a pull request to amend 'https://github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/{1}'"), The_containing_arrow_function_captures_the_global_value_of_this: diag(7041, 1, "The_containing_arrow_function_captures_the_global_value_of_this_7041", "The containing arrow function captures the global value of 'this'."), Module_0_was_resolved_to_1_but_resolveJsonModule_is_not_used: diag(7042, 1, "Module_0_was_resolved_to_1_but_resolveJsonModule_is_not_used_7042", "Module '{0}' was resolved to '{1}', but '--resolveJsonModule' is not used."), Variable_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage: diag(7043, 2, "Variable_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage_7043", "Variable '{0}' implicitly has an '{1}' type, but a better type may be inferred from usage."), Parameter_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage: diag(7044, 2, "Parameter_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage_7044", "Parameter '{0}' implicitly has an '{1}' type, but a better type may be inferred from usage."), Member_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage: diag(7045, 2, "Member_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage_7045", "Member '{0}' implicitly has an '{1}' type, but a better type may be inferred from usage."), Variable_0_implicitly_has_type_1_in_some_locations_but_a_better_type_may_be_inferred_from_usage: diag(7046, 2, "Variable_0_implicitly_has_type_1_in_some_locations_but_a_better_type_may_be_inferred_from_usage_7046", "Variable '{0}' implicitly has type '{1}' in some locations, but a better type may be inferred from usage."), Rest_parameter_0_implicitly_has_an_any_type_but_a_better_type_may_be_inferred_from_usage: diag(7047, 2, "Rest_parameter_0_implicitly_has_an_any_type_but_a_better_type_may_be_inferred_from_usage_7047", "Rest parameter '{0}' implicitly has an 'any[]' type, but a better type may be inferred from usage."), Property_0_implicitly_has_type_any_but_a_better_type_for_its_get_accessor_may_be_inferred_from_usage: diag(7048, 2, "Property_0_implicitly_has_type_any_but_a_better_type_for_its_get_accessor_may_be_inferred_from_usage_7048", "Property '{0}' implicitly has type 'any', but a better type for its get accessor may be inferred from usage."), Property_0_implicitly_has_type_any_but_a_better_type_for_its_set_accessor_may_be_inferred_from_usage: diag(7049, 2, "Property_0_implicitly_has_type_any_but_a_better_type_for_its_set_accessor_may_be_inferred_from_usage_7049", "Property '{0}' implicitly has type 'any', but a better type for its set accessor may be inferred from usage."), _0_implicitly_has_an_1_return_type_but_a_better_type_may_be_inferred_from_usage: diag(7050, 2, "_0_implicitly_has_an_1_return_type_but_a_better_type_may_be_inferred_from_usage_7050", "'{0}' implicitly has an '{1}' return type, but a better type may be inferred from usage."), Parameter_has_a_name_but_no_type_Did_you_mean_0_Colon_1: diag(7051, 1, "Parameter_has_a_name_but_no_type_Did_you_mean_0_Colon_1_7051", "Parameter has a name but no type. Did you mean '{0}: {1}'?"), Element_implicitly_has_an_any_type_because_type_0_has_no_index_signature_Did_you_mean_to_call_1: diag(7052, 1, "Element_implicitly_has_an_any_type_because_type_0_has_no_index_signature_Did_you_mean_to_call_1_7052", "Element implicitly has an 'any' type because type '{0}' has no index signature. Did you mean to call '{1}'?"), Element_implicitly_has_an_any_type_because_expression_of_type_0_can_t_be_used_to_index_type_1: diag(7053, 1, "Element_implicitly_has_an_any_type_because_expression_of_type_0_can_t_be_used_to_index_type_1_7053", "Element implicitly has an 'any' type because expression of type '{0}' can't be used to index type '{1}'."), No_index_signature_with_a_parameter_of_type_0_was_found_on_type_1: diag(7054, 1, "No_index_signature_with_a_parameter_of_type_0_was_found_on_type_1_7054", "No index signature with a parameter of type '{0}' was found on type '{1}'."), _0_which_lacks_return_type_annotation_implicitly_has_an_1_yield_type: diag(7055, 1, "_0_which_lacks_return_type_annotation_implicitly_has_an_1_yield_type_7055", "'{0}', which lacks return-type annotation, implicitly has an '{1}' yield type."), The_inferred_type_of_this_node_exceeds_the_maximum_length_the_compiler_will_serialize_An_explicit_type_annotation_is_needed: diag(7056, 1, "The_inferred_type_of_this_node_exceeds_the_maximum_length_the_compiler_will_serialize_An_explicit_ty_7056", "The inferred type of this node exceeds the maximum length the compiler will serialize. An explicit type annotation is needed."), yield_expression_implicitly_results_in_an_any_type_because_its_containing_generator_lacks_a_return_type_annotation: diag(7057, 1, "yield_expression_implicitly_results_in_an_any_type_because_its_containing_generator_lacks_a_return_t_7057", "'yield' expression implicitly results in an 'any' type because its containing generator lacks a return-type annotation."), If_the_0_package_actually_exposes_this_module_try_adding_a_new_declaration_d_ts_file_containing_declare_module_1: diag(7058, 1, "If_the_0_package_actually_exposes_this_module_try_adding_a_new_declaration_d_ts_file_containing_decl_7058", "If the '{0}' package actually exposes this module, try adding a new declaration (.d.ts) file containing `declare module '{1}';`"), This_syntax_is_reserved_in_files_with_the_mts_or_cts_extension_Use_an_as_expression_instead: diag(7059, 1, "This_syntax_is_reserved_in_files_with_the_mts_or_cts_extension_Use_an_as_expression_instead_7059", "This syntax is reserved in files with the .mts or .cts extension. Use an `as` expression instead."), This_syntax_is_reserved_in_files_with_the_mts_or_cts_extension_Add_a_trailing_comma_or_explicit_constraint: diag(7060, 1, "This_syntax_is_reserved_in_files_with_the_mts_or_cts_extension_Add_a_trailing_comma_or_explicit_cons_7060", "This syntax is reserved in files with the .mts or .cts extension. Add a trailing comma or explicit constraint."), A_mapped_type_may_not_declare_properties_or_methods: diag(7061, 1, "A_mapped_type_may_not_declare_properties_or_methods_7061", "A mapped type may not declare properties or methods."), You_cannot_rename_this_element: diag(8e3, 1, "You_cannot_rename_this_element_8000", "You cannot rename this element."), You_cannot_rename_elements_that_are_defined_in_the_standard_TypeScript_library: diag(8001, 1, "You_cannot_rename_elements_that_are_defined_in_the_standard_TypeScript_library_8001", "You cannot rename elements that are defined in the standard TypeScript library."), import_can_only_be_used_in_TypeScript_files: diag(8002, 1, "import_can_only_be_used_in_TypeScript_files_8002", "'import ... =' can only be used in TypeScript files."), export_can_only_be_used_in_TypeScript_files: diag(8003, 1, "export_can_only_be_used_in_TypeScript_files_8003", "'export =' can only be used in TypeScript files."), Type_parameter_declarations_can_only_be_used_in_TypeScript_files: diag(8004, 1, "Type_parameter_declarations_can_only_be_used_in_TypeScript_files_8004", "Type parameter declarations can only be used in TypeScript files."), implements_clauses_can_only_be_used_in_TypeScript_files: diag(8005, 1, "implements_clauses_can_only_be_used_in_TypeScript_files_8005", "'implements' clauses can only be used in TypeScript files."), _0_declarations_can_only_be_used_in_TypeScript_files: diag(8006, 1, "_0_declarations_can_only_be_used_in_TypeScript_files_8006", "'{0}' declarations can only be used in TypeScript files."), Type_aliases_can_only_be_used_in_TypeScript_files: diag(8008, 1, "Type_aliases_can_only_be_used_in_TypeScript_files_8008", "Type aliases can only be used in TypeScript files."), The_0_modifier_can_only_be_used_in_TypeScript_files: diag(8009, 1, "The_0_modifier_can_only_be_used_in_TypeScript_files_8009", "The '{0}' modifier can only be used in TypeScript files."), Type_annotations_can_only_be_used_in_TypeScript_files: diag(8010, 1, "Type_annotations_can_only_be_used_in_TypeScript_files_8010", "Type annotations can only be used in TypeScript files."), Type_arguments_can_only_be_used_in_TypeScript_files: diag(8011, 1, "Type_arguments_can_only_be_used_in_TypeScript_files_8011", "Type arguments can only be used in TypeScript files."), Parameter_modifiers_can_only_be_used_in_TypeScript_files: diag(8012, 1, "Parameter_modifiers_can_only_be_used_in_TypeScript_files_8012", "Parameter modifiers can only be used in TypeScript files."), Non_null_assertions_can_only_be_used_in_TypeScript_files: diag(8013, 1, "Non_null_assertions_can_only_be_used_in_TypeScript_files_8013", "Non-null assertions can only be used in TypeScript files."), Type_assertion_expressions_can_only_be_used_in_TypeScript_files: diag(8016, 1, "Type_assertion_expressions_can_only_be_used_in_TypeScript_files_8016", "Type assertion expressions can only be used in TypeScript files."), Signature_declarations_can_only_be_used_in_TypeScript_files: diag(8017, 1, "Signature_declarations_can_only_be_used_in_TypeScript_files_8017", "Signature declarations can only be used in TypeScript files."), Report_errors_in_js_files: diag(8019, 3, "Report_errors_in_js_files_8019", "Report errors in .js files."), JSDoc_types_can_only_be_used_inside_documentation_comments: diag(8020, 1, "JSDoc_types_can_only_be_used_inside_documentation_comments_8020", "JSDoc types can only be used inside documentation comments."), JSDoc_typedef_tag_should_either_have_a_type_annotation_or_be_followed_by_property_or_member_tags: diag(8021, 1, "JSDoc_typedef_tag_should_either_have_a_type_annotation_or_be_followed_by_property_or_member_tags_8021", "JSDoc '@typedef' tag should either have a type annotation or be followed by '@property' or '@member' tags."), JSDoc_0_is_not_attached_to_a_class: diag(8022, 1, "JSDoc_0_is_not_attached_to_a_class_8022", "JSDoc '@{0}' is not attached to a class."), JSDoc_0_1_does_not_match_the_extends_2_clause: diag(8023, 1, "JSDoc_0_1_does_not_match_the_extends_2_clause_8023", "JSDoc '@{0} {1}' does not match the 'extends {2}' clause."), JSDoc_param_tag_has_name_0_but_there_is_no_parameter_with_that_name: diag(8024, 1, "JSDoc_param_tag_has_name_0_but_there_is_no_parameter_with_that_name_8024", "JSDoc '@param' tag has name '{0}', but there is no parameter with that name."), Class_declarations_cannot_have_more_than_one_augments_or_extends_tag: diag(8025, 1, "Class_declarations_cannot_have_more_than_one_augments_or_extends_tag_8025", "Class declarations cannot have more than one '@augments' or '@extends' tag."), Expected_0_type_arguments_provide_these_with_an_extends_tag: diag(8026, 1, "Expected_0_type_arguments_provide_these_with_an_extends_tag_8026", "Expected {0} type arguments; provide these with an '@extends' tag."), Expected_0_1_type_arguments_provide_these_with_an_extends_tag: diag(8027, 1, "Expected_0_1_type_arguments_provide_these_with_an_extends_tag_8027", "Expected {0}-{1} type arguments; provide these with an '@extends' tag."), JSDoc_may_only_appear_in_the_last_parameter_of_a_signature: diag(8028, 1, "JSDoc_may_only_appear_in_the_last_parameter_of_a_signature_8028", "JSDoc '...' may only appear in the last parameter of a signature."), JSDoc_param_tag_has_name_0_but_there_is_no_parameter_with_that_name_It_would_match_arguments_if_it_had_an_array_type: diag(8029, 1, "JSDoc_param_tag_has_name_0_but_there_is_no_parameter_with_that_name_It_would_match_arguments_if_it_h_8029", "JSDoc '@param' tag has name '{0}', but there is no parameter with that name. It would match 'arguments' if it had an array type."), The_type_of_a_function_declaration_must_match_the_function_s_signature: diag(8030, 1, "The_type_of_a_function_declaration_must_match_the_function_s_signature_8030", "The type of a function declaration must match the function's signature."), You_cannot_rename_a_module_via_a_global_import: diag(8031, 1, "You_cannot_rename_a_module_via_a_global_import_8031", "You cannot rename a module via a global import."), Qualified_name_0_is_not_allowed_without_a_leading_param_object_1: diag(8032, 1, "Qualified_name_0_is_not_allowed_without_a_leading_param_object_1_8032", "Qualified name '{0}' is not allowed without a leading '@param {object} {1}'."), A_JSDoc_typedef_comment_may_not_contain_multiple_type_tags: diag(8033, 1, "A_JSDoc_typedef_comment_may_not_contain_multiple_type_tags_8033", "A JSDoc '@typedef' comment may not contain multiple '@type' tags."), The_tag_was_first_specified_here: diag(8034, 1, "The_tag_was_first_specified_here_8034", "The tag was first specified here."), You_cannot_rename_elements_that_are_defined_in_a_node_modules_folder: diag(8035, 1, "You_cannot_rename_elements_that_are_defined_in_a_node_modules_folder_8035", "You cannot rename elements that are defined in a 'node_modules' folder."), You_cannot_rename_elements_that_are_defined_in_another_node_modules_folder: diag(8036, 1, "You_cannot_rename_elements_that_are_defined_in_another_node_modules_folder_8036", "You cannot rename elements that are defined in another 'node_modules' folder."), Type_satisfaction_expressions_can_only_be_used_in_TypeScript_files: diag(8037, 1, "Type_satisfaction_expressions_can_only_be_used_in_TypeScript_files_8037", "Type satisfaction expressions can only be used in TypeScript files."), Decorators_may_not_appear_after_export_or_export_default_if_they_also_appear_before_export: diag(8038, 1, "Decorators_may_not_appear_after_export_or_export_default_if_they_also_appear_before_export_8038", "Decorators may not appear after 'export' or 'export default' if they also appear before 'export'."), A_JSDoc_template_tag_may_not_follow_a_typedef_callback_or_overload_tag: diag(8039, 1, "A_JSDoc_template_tag_may_not_follow_a_typedef_callback_or_overload_tag_8039", "A JSDoc '@template' tag may not follow a '@typedef', '@callback', or '@overload' tag"), Declaration_emit_for_this_file_requires_using_private_name_0_An_explicit_type_annotation_may_unblock_declaration_emit: diag(9005, 1, "Declaration_emit_for_this_file_requires_using_private_name_0_An_explicit_type_annotation_may_unblock_9005", "Declaration emit for this file requires using private name '{0}'. An explicit type annotation may unblock declaration emit."), Declaration_emit_for_this_file_requires_using_private_name_0_from_module_1_An_explicit_type_annotation_may_unblock_declaration_emit: diag(9006, 1, "Declaration_emit_for_this_file_requires_using_private_name_0_from_module_1_An_explicit_type_annotati_9006", "Declaration emit for this file requires using private name '{0}' from module '{1}'. An explicit type annotation may unblock declaration emit."), Function_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations: diag(9007, 1, "Function_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations_9007", "Function must have an explicit return type annotation with --isolatedDeclarations."), Method_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations: diag(9008, 1, "Method_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations_9008", "Method must have an explicit return type annotation with --isolatedDeclarations."), At_least_one_accessor_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations: diag(9009, 1, "At_least_one_accessor_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations_9009", "At least one accessor must have an explicit return type annotation with --isolatedDeclarations."), Variable_must_have_an_explicit_type_annotation_with_isolatedDeclarations: diag(9010, 1, "Variable_must_have_an_explicit_type_annotation_with_isolatedDeclarations_9010", "Variable must have an explicit type annotation with --isolatedDeclarations."), Parameter_must_have_an_explicit_type_annotation_with_isolatedDeclarations: diag(9011, 1, "Parameter_must_have_an_explicit_type_annotation_with_isolatedDeclarations_9011", "Parameter must have an explicit type annotation with --isolatedDeclarations."), Property_must_have_an_explicit_type_annotation_with_isolatedDeclarations: diag(9012, 1, "Property_must_have_an_explicit_type_annotation_with_isolatedDeclarations_9012", "Property must have an explicit type annotation with --isolatedDeclarations."), Expression_type_can_t_be_inferred_with_isolatedDeclarations: diag(9013, 1, "Expression_type_can_t_be_inferred_with_isolatedDeclarations_9013", "Expression type can't be inferred with --isolatedDeclarations."), Computed_properties_must_be_number_or_string_literals_variables_or_dotted_expressions_with_isolatedDeclarations: diag(9014, 1, "Computed_properties_must_be_number_or_string_literals_variables_or_dotted_expressions_with_isolatedD_9014", "Computed properties must be number or string literals, variables or dotted expressions with --isolatedDeclarations."), Objects_that_contain_spread_assignments_can_t_be_inferred_with_isolatedDeclarations: diag(9015, 1, "Objects_that_contain_spread_assignments_can_t_be_inferred_with_isolatedDeclarations_9015", "Objects that contain spread assignments can't be inferred with --isolatedDeclarations."), Objects_that_contain_shorthand_properties_can_t_be_inferred_with_isolatedDeclarations: diag(9016, 1, "Objects_that_contain_shorthand_properties_can_t_be_inferred_with_isolatedDeclarations_9016", "Objects that contain shorthand properties can't be inferred with --isolatedDeclarations."), Only_const_arrays_can_be_inferred_with_isolatedDeclarations: diag(9017, 1, "Only_const_arrays_can_be_inferred_with_isolatedDeclarations_9017", "Only const arrays can be inferred with --isolatedDeclarations."), Arrays_with_spread_elements_can_t_inferred_with_isolatedDeclarations: diag(9018, 1, "Arrays_with_spread_elements_can_t_inferred_with_isolatedDeclarations_9018", "Arrays with spread elements can't inferred with --isolatedDeclarations."), Binding_elements_can_t_be_exported_directly_with_isolatedDeclarations: diag(9019, 1, "Binding_elements_can_t_be_exported_directly_with_isolatedDeclarations_9019", "Binding elements can't be exported directly with --isolatedDeclarations."), Enum_member_initializers_must_be_computable_without_references_to_external_symbols_with_isolatedDeclarations: diag(9020, 1, "Enum_member_initializers_must_be_computable_without_references_to_external_symbols_with_isolatedDecl_9020", "Enum member initializers must be computable without references to external symbols with --isolatedDeclarations."), Extends_clause_can_t_contain_an_expression_with_isolatedDeclarations: diag(9021, 1, "Extends_clause_can_t_contain_an_expression_with_isolatedDeclarations_9021", "Extends clause can't contain an expression with --isolatedDeclarations."), Inference_from_class_expressions_is_not_supported_with_isolatedDeclarations: diag(9022, 1, "Inference_from_class_expressions_is_not_supported_with_isolatedDeclarations_9022", "Inference from class expressions is not supported with --isolatedDeclarations."), Assigning_properties_to_functions_without_declaring_them_is_not_supported_with_isolatedDeclarations_Add_an_explicit_declaration_for_the_properties_assigned_to_this_function: diag(9023, 1, "Assigning_properties_to_functions_without_declaring_them_is_not_supported_with_isolatedDeclarations__9023", "Assigning properties to functions without declaring them is not supported with --isolatedDeclarations. Add an explicit declaration for the properties assigned to this function."), Declaration_emit_for_this_parameter_requires_implicitly_adding_undefined_to_it_s_type_This_is_not_supported_with_isolatedDeclarations: diag(9025, 1, "Declaration_emit_for_this_parameter_requires_implicitly_adding_undefined_to_it_s_type_This_is_not_su_9025", "Declaration emit for this parameter requires implicitly adding undefined to it's type. This is not supported with --isolatedDeclarations."), Declaration_emit_for_this_file_requires_preserving_this_import_for_augmentations_This_is_not_supported_with_isolatedDeclarations: diag(9026, 1, "Declaration_emit_for_this_file_requires_preserving_this_import_for_augmentations_This_is_not_support_9026", "Declaration emit for this file requires preserving this import for augmentations. This is not supported with --isolatedDeclarations."), Add_a_type_annotation_to_the_variable_0: diag(9027, 1, "Add_a_type_annotation_to_the_variable_0_9027", "Add a type annotation to the variable {0}."), Add_a_type_annotation_to_the_parameter_0: diag(9028, 1, "Add_a_type_annotation_to_the_parameter_0_9028", "Add a type annotation to the parameter {0}."), Add_a_type_annotation_to_the_property_0: diag(9029, 1, "Add_a_type_annotation_to_the_property_0_9029", "Add a type annotation to the property {0}."), Add_a_return_type_to_the_function_expression: diag(9030, 1, "Add_a_return_type_to_the_function_expression_9030", "Add a return type to the function expression."), Add_a_return_type_to_the_function_declaration: diag(9031, 1, "Add_a_return_type_to_the_function_declaration_9031", "Add a return type to the function declaration."), Add_a_return_type_to_the_get_accessor_declaration: diag(9032, 1, "Add_a_return_type_to_the_get_accessor_declaration_9032", "Add a return type to the get accessor declaration."), Add_a_type_to_parameter_of_the_set_accessor_declaration: diag(9033, 1, "Add_a_type_to_parameter_of_the_set_accessor_declaration_9033", "Add a type to parameter of the set accessor declaration."), Add_a_return_type_to_the_method: diag(9034, 1, "Add_a_return_type_to_the_method_9034", "Add a return type to the method"), Add_satisfies_and_a_type_assertion_to_this_expression_satisfies_T_as_T_to_make_the_type_explicit: diag(9035, 1, "Add_satisfies_and_a_type_assertion_to_this_expression_satisfies_T_as_T_to_make_the_type_explicit_9035", "Add satisfies and a type assertion to this expression (satisfies T as T) to make the type explicit."), Move_the_expression_in_default_export_to_a_variable_and_add_a_type_annotation_to_it: diag(9036, 1, "Move_the_expression_in_default_export_to_a_variable_and_add_a_type_annotation_to_it_9036", "Move the expression in default export to a variable and add a type annotation to it."), Default_exports_can_t_be_inferred_with_isolatedDeclarations: diag(9037, 1, "Default_exports_can_t_be_inferred_with_isolatedDeclarations_9037", "Default exports can't be inferred with --isolatedDeclarations."), Computed_property_names_on_class_or_object_literals_cannot_be_inferred_with_isolatedDeclarations: diag(9038, 1, "Computed_property_names_on_class_or_object_literals_cannot_be_inferred_with_isolatedDeclarations_9038", "Computed property names on class or object literals cannot be inferred with --isolatedDeclarations."), Type_containing_private_name_0_can_t_be_used_with_isolatedDeclarations: diag(9039, 1, "Type_containing_private_name_0_can_t_be_used_with_isolatedDeclarations_9039", "Type containing private name '{0}' can't be used with --isolatedDeclarations."), JSX_attributes_must_only_be_assigned_a_non_empty_expression: diag(17e3, 1, "JSX_attributes_must_only_be_assigned_a_non_empty_expression_17000", "JSX attributes must only be assigned a non-empty 'expression'."), JSX_elements_cannot_have_multiple_attributes_with_the_same_name: diag(17001, 1, "JSX_elements_cannot_have_multiple_attributes_with_the_same_name_17001", "JSX elements cannot have multiple attributes with the same name."), Expected_corresponding_JSX_closing_tag_for_0: diag(17002, 1, "Expected_corresponding_JSX_closing_tag_for_0_17002", "Expected corresponding JSX closing tag for '{0}'."), Cannot_use_JSX_unless_the_jsx_flag_is_provided: diag(17004, 1, "Cannot_use_JSX_unless_the_jsx_flag_is_provided_17004", "Cannot use JSX unless the '--jsx' flag is provided."), A_constructor_cannot_contain_a_super_call_when_its_class_extends_null: diag(17005, 1, "A_constructor_cannot_contain_a_super_call_when_its_class_extends_null_17005", "A constructor cannot contain a 'super' call when its class extends 'null'."), An_unary_expression_with_the_0_operator_is_not_allowed_in_the_left_hand_side_of_an_exponentiation_expression_Consider_enclosing_the_expression_in_parentheses: diag(17006, 1, "An_unary_expression_with_the_0_operator_is_not_allowed_in_the_left_hand_side_of_an_exponentiation_ex_17006", "An unary expression with the '{0}' operator is not allowed in the left-hand side of an exponentiation expression. Consider enclosing the expression in parentheses."), A_type_assertion_expression_is_not_allowed_in_the_left_hand_side_of_an_exponentiation_expression_Consider_enclosing_the_expression_in_parentheses: diag(17007, 1, "A_type_assertion_expression_is_not_allowed_in_the_left_hand_side_of_an_exponentiation_expression_Con_17007", "A type assertion expression is not allowed in the left-hand side of an exponentiation expression. Consider enclosing the expression in parentheses."), JSX_element_0_has_no_corresponding_closing_tag: diag(17008, 1, "JSX_element_0_has_no_corresponding_closing_tag_17008", "JSX element '{0}' has no corresponding closing tag."), super_must_be_called_before_accessing_this_in_the_constructor_of_a_derived_class: diag(17009, 1, "super_must_be_called_before_accessing_this_in_the_constructor_of_a_derived_class_17009", "'super' must be called before accessing 'this' in the constructor of a derived class."), Unknown_type_acquisition_option_0: diag(17010, 1, "Unknown_type_acquisition_option_0_17010", "Unknown type acquisition option '{0}'."), super_must_be_called_before_accessing_a_property_of_super_in_the_constructor_of_a_derived_class: diag(17011, 1, "super_must_be_called_before_accessing_a_property_of_super_in_the_constructor_of_a_derived_class_17011", "'super' must be called before accessing a property of 'super' in the constructor of a derived class."), _0_is_not_a_valid_meta_property_for_keyword_1_Did_you_mean_2: diag(17012, 1, "_0_is_not_a_valid_meta_property_for_keyword_1_Did_you_mean_2_17012", "'{0}' is not a valid meta-property for keyword '{1}'. Did you mean '{2}'?"), Meta_property_0_is_only_allowed_in_the_body_of_a_function_declaration_function_expression_or_constructor: diag(17013, 1, "Meta_property_0_is_only_allowed_in_the_body_of_a_function_declaration_function_expression_or_constru_17013", "Meta-property '{0}' is only allowed in the body of a function declaration, function expression, or constructor."), JSX_fragment_has_no_corresponding_closing_tag: diag(17014, 1, "JSX_fragment_has_no_corresponding_closing_tag_17014", "JSX fragment has no corresponding closing tag."), Expected_corresponding_closing_tag_for_JSX_fragment: diag(17015, 1, "Expected_corresponding_closing_tag_for_JSX_fragment_17015", "Expected corresponding closing tag for JSX fragment."), The_jsxFragmentFactory_compiler_option_must_be_provided_to_use_JSX_fragments_with_the_jsxFactory_compiler_option: diag(17016, 1, "The_jsxFragmentFactory_compiler_option_must_be_provided_to_use_JSX_fragments_with_the_jsxFactory_com_17016", "The 'jsxFragmentFactory' compiler option must be provided to use JSX fragments with the 'jsxFactory' compiler option."), An_jsxFrag_pragma_is_required_when_using_an_jsx_pragma_with_JSX_fragments: diag(17017, 1, "An_jsxFrag_pragma_is_required_when_using_an_jsx_pragma_with_JSX_fragments_17017", "An @jsxFrag pragma is required when using an @jsx pragma with JSX fragments."), Unknown_type_acquisition_option_0_Did_you_mean_1: diag(17018, 1, "Unknown_type_acquisition_option_0_Did_you_mean_1_17018", "Unknown type acquisition option '{0}'. Did you mean '{1}'?"), _0_at_the_end_of_a_type_is_not_valid_TypeScript_syntax_Did_you_mean_to_write_1: diag(17019, 1, "_0_at_the_end_of_a_type_is_not_valid_TypeScript_syntax_Did_you_mean_to_write_1_17019", "'{0}' at the end of a type is not valid TypeScript syntax. Did you mean to write '{1}'?"), _0_at_the_start_of_a_type_is_not_valid_TypeScript_syntax_Did_you_mean_to_write_1: diag(17020, 1, "_0_at_the_start_of_a_type_is_not_valid_TypeScript_syntax_Did_you_mean_to_write_1_17020", "'{0}' at the start of a type is not valid TypeScript syntax. Did you mean to write '{1}'?"), Unicode_escape_sequence_cannot_appear_here: diag(17021, 1, "Unicode_escape_sequence_cannot_appear_here_17021", "Unicode escape sequence cannot appear here."), Circularity_detected_while_resolving_configuration_Colon_0: diag(18e3, 1, "Circularity_detected_while_resolving_configuration_Colon_0_18000", "Circularity detected while resolving configuration: {0}"), The_files_list_in_config_file_0_is_empty: diag(18002, 1, "The_files_list_in_config_file_0_is_empty_18002", "The 'files' list in config file '{0}' is empty."), No_inputs_were_found_in_config_file_0_Specified_include_paths_were_1_and_exclude_paths_were_2: diag(18003, 1, "No_inputs_were_found_in_config_file_0_Specified_include_paths_were_1_and_exclude_paths_were_2_18003", "No inputs were found in config file '{0}'. Specified 'include' paths were '{1}' and 'exclude' paths were '{2}'."), File_is_a_CommonJS_module_it_may_be_converted_to_an_ES_module: diag(80001, 2, "File_is_a_CommonJS_module_it_may_be_converted_to_an_ES_module_80001", "File is a CommonJS module; it may be converted to an ES module."), This_constructor_function_may_be_converted_to_a_class_declaration: diag(80002, 2, "This_constructor_function_may_be_converted_to_a_class_declaration_80002", "This constructor function may be converted to a class declaration."), Import_may_be_converted_to_a_default_import: diag(80003, 2, "Import_may_be_converted_to_a_default_import_80003", "Import may be converted to a default import."), JSDoc_types_may_be_moved_to_TypeScript_types: diag(80004, 2, "JSDoc_types_may_be_moved_to_TypeScript_types_80004", "JSDoc types may be moved to TypeScript types."), require_call_may_be_converted_to_an_import: diag(80005, 2, "require_call_may_be_converted_to_an_import_80005", "'require' call may be converted to an import."), This_may_be_converted_to_an_async_function: diag(80006, 2, "This_may_be_converted_to_an_async_function_80006", "This may be converted to an async function."), await_has_no_effect_on_the_type_of_this_expression: diag(80007, 2, "await_has_no_effect_on_the_type_of_this_expression_80007", "'await' has no effect on the type of this expression."), Numeric_literals_with_absolute_values_equal_to_2_53_or_greater_are_too_large_to_be_represented_accurately_as_integers: diag(80008, 2, "Numeric_literals_with_absolute_values_equal_to_2_53_or_greater_are_too_large_to_be_represented_accur_80008", "Numeric literals with absolute values equal to 2^53 or greater are too large to be represented accurately as integers."), JSDoc_typedef_may_be_converted_to_TypeScript_type: diag(80009, 2, "JSDoc_typedef_may_be_converted_to_TypeScript_type_80009", "JSDoc typedef may be converted to TypeScript type."), JSDoc_typedefs_may_be_converted_to_TypeScript_types: diag(80010, 2, "JSDoc_typedefs_may_be_converted_to_TypeScript_types_80010", "JSDoc typedefs may be converted to TypeScript types."), Add_missing_super_call: diag(90001, 3, "Add_missing_super_call_90001", "Add missing 'super()' call"), Make_super_call_the_first_statement_in_the_constructor: diag(90002, 3, "Make_super_call_the_first_statement_in_the_constructor_90002", "Make 'super()' call the first statement in the constructor"), Change_extends_to_implements: diag(90003, 3, "Change_extends_to_implements_90003", "Change 'extends' to 'implements'"), Remove_unused_declaration_for_Colon_0: diag(90004, 3, "Remove_unused_declaration_for_Colon_0_90004", "Remove unused declaration for: '{0}'"), Remove_import_from_0: diag(90005, 3, "Remove_import_from_0_90005", "Remove import from '{0}'"), Implement_interface_0: diag(90006, 3, "Implement_interface_0_90006", "Implement interface '{0}'"), Implement_inherited_abstract_class: diag(90007, 3, "Implement_inherited_abstract_class_90007", "Implement inherited abstract class"), Add_0_to_unresolved_variable: diag(90008, 3, "Add_0_to_unresolved_variable_90008", "Add '{0}.' to unresolved variable"), Remove_variable_statement: diag(90010, 3, "Remove_variable_statement_90010", "Remove variable statement"), Remove_template_tag: diag(90011, 3, "Remove_template_tag_90011", "Remove template tag"), Remove_type_parameters: diag(90012, 3, "Remove_type_parameters_90012", "Remove type parameters"), Import_0_from_1: diag(90013, 3, "Import_0_from_1_90013", `Import '{0}' from "{1}"`), Change_0_to_1: diag(90014, 3, "Change_0_to_1_90014", "Change '{0}' to '{1}'"), Declare_property_0: diag(90016, 3, "Declare_property_0_90016", "Declare property '{0}'"), Add_index_signature_for_property_0: diag(90017, 3, "Add_index_signature_for_property_0_90017", "Add index signature for property '{0}'"), Disable_checking_for_this_file: diag(90018, 3, "Disable_checking_for_this_file_90018", "Disable checking for this file"), Ignore_this_error_message: diag(90019, 3, "Ignore_this_error_message_90019", "Ignore this error message"), Initialize_property_0_in_the_constructor: diag(90020, 3, "Initialize_property_0_in_the_constructor_90020", "Initialize property '{0}' in the constructor"), Initialize_static_property_0: diag(90021, 3, "Initialize_static_property_0_90021", "Initialize static property '{0}'"), Change_spelling_to_0: diag(90022, 3, "Change_spelling_to_0_90022", "Change spelling to '{0}'"), Declare_method_0: diag(90023, 3, "Declare_method_0_90023", "Declare method '{0}'"), Declare_static_method_0: diag(90024, 3, "Declare_static_method_0_90024", "Declare static method '{0}'"), Prefix_0_with_an_underscore: diag(90025, 3, "Prefix_0_with_an_underscore_90025", "Prefix '{0}' with an underscore"), Rewrite_as_the_indexed_access_type_0: diag(90026, 3, "Rewrite_as_the_indexed_access_type_0_90026", "Rewrite as the indexed access type '{0}'"), Declare_static_property_0: diag(90027, 3, "Declare_static_property_0_90027", "Declare static property '{0}'"), Call_decorator_expression: diag(90028, 3, "Call_decorator_expression_90028", "Call decorator expression"), Add_async_modifier_to_containing_function: diag(90029, 3, "Add_async_modifier_to_containing_function_90029", "Add async modifier to containing function"), Replace_infer_0_with_unknown: diag(90030, 3, "Replace_infer_0_with_unknown_90030", "Replace 'infer {0}' with 'unknown'"), Replace_all_unused_infer_with_unknown: diag(90031, 3, "Replace_all_unused_infer_with_unknown_90031", "Replace all unused 'infer' with 'unknown'"), Add_parameter_name: diag(90034, 3, "Add_parameter_name_90034", "Add parameter name"), Declare_private_property_0: diag(90035, 3, "Declare_private_property_0_90035", "Declare private property '{0}'"), Replace_0_with_Promise_1: diag(90036, 3, "Replace_0_with_Promise_1_90036", "Replace '{0}' with 'Promise<{1}>'"), Fix_all_incorrect_return_type_of_an_async_functions: diag(90037, 3, "Fix_all_incorrect_return_type_of_an_async_functions_90037", "Fix all incorrect return type of an async functions"), Declare_private_method_0: diag(90038, 3, "Declare_private_method_0_90038", "Declare private method '{0}'"), Remove_unused_destructuring_declaration: diag(90039, 3, "Remove_unused_destructuring_declaration_90039", "Remove unused destructuring declaration"), Remove_unused_declarations_for_Colon_0: diag(90041, 3, "Remove_unused_declarations_for_Colon_0_90041", "Remove unused declarations for: '{0}'"), Declare_a_private_field_named_0: diag(90053, 3, "Declare_a_private_field_named_0_90053", "Declare a private field named '{0}'."), Includes_imports_of_types_referenced_by_0: diag(90054, 3, "Includes_imports_of_types_referenced_by_0_90054", "Includes imports of types referenced by '{0}'"), Remove_type_from_import_declaration_from_0: diag(90055, 3, "Remove_type_from_import_declaration_from_0_90055", `Remove 'type' from import declaration from "{0}"`), Remove_type_from_import_of_0_from_1: diag(90056, 3, "Remove_type_from_import_of_0_from_1_90056", `Remove 'type' from import of '{0}' from "{1}"`), Add_import_from_0: diag(90057, 3, "Add_import_from_0_90057", 'Add import from "{0}"'), Update_import_from_0: diag(90058, 3, "Update_import_from_0_90058", 'Update import from "{0}"'), Export_0_from_module_1: diag(90059, 3, "Export_0_from_module_1_90059", "Export '{0}' from module '{1}'"), Export_all_referenced_locals: diag(90060, 3, "Export_all_referenced_locals_90060", "Export all referenced locals"), Update_modifiers_of_0: diag(90061, 3, "Update_modifiers_of_0_90061", "Update modifiers of '{0}'"), Add_annotation_of_type_0: diag(90062, 3, "Add_annotation_of_type_0_90062", "Add annotation of type '{0}'"), Add_return_type_0: diag(90063, 3, "Add_return_type_0_90063", "Add return type '{0}'"), Extract_base_class_to_variable: diag(90064, 3, "Extract_base_class_to_variable_90064", "Extract base class to variable"), Extract_default_export_to_variable: diag(90065, 3, "Extract_default_export_to_variable_90065", "Extract default export to variable"), Extract_binding_expressions_to_variable: diag(90066, 3, "Extract_binding_expressions_to_variable_90066", "Extract binding expressions to variable"), Add_all_missing_type_annotations: diag(90067, 3, "Add_all_missing_type_annotations_90067", "Add all missing type annotations"), Add_satisfies_and_an_inline_type_assertion_with_0: diag(90068, 3, "Add_satisfies_and_an_inline_type_assertion_with_0_90068", "Add satisfies and an inline type assertion with '{0}'"), Extract_to_variable_and_replace_with_0_as_typeof_0: diag(90069, 3, "Extract_to_variable_and_replace_with_0_as_typeof_0_90069", "Extract to variable and replace with '{0} as typeof {0}'"), Mark_array_literal_as_const: diag(90070, 3, "Mark_array_literal_as_const_90070", "Mark array literal as const"), Annotate_types_of_properties_expando_function_in_a_namespace: diag(90071, 3, "Annotate_types_of_properties_expando_function_in_a_namespace_90071", "Annotate types of properties expando function in a namespace"), Convert_function_to_an_ES2015_class: diag(95001, 3, "Convert_function_to_an_ES2015_class_95001", "Convert function to an ES2015 class"), Convert_0_to_1_in_0: diag(95003, 3, "Convert_0_to_1_in_0_95003", "Convert '{0}' to '{1} in {0}'"), Extract_to_0_in_1: diag(95004, 3, "Extract_to_0_in_1_95004", "Extract to {0} in {1}"), Extract_function: diag(95005, 3, "Extract_function_95005", "Extract function"), Extract_constant: diag(95006, 3, "Extract_constant_95006", "Extract constant"), Extract_to_0_in_enclosing_scope: diag(95007, 3, "Extract_to_0_in_enclosing_scope_95007", "Extract to {0} in enclosing scope"), Extract_to_0_in_1_scope: diag(95008, 3, "Extract_to_0_in_1_scope_95008", "Extract to {0} in {1} scope"), Annotate_with_type_from_JSDoc: diag(95009, 3, "Annotate_with_type_from_JSDoc_95009", "Annotate with type from JSDoc"), Infer_type_of_0_from_usage: diag(95011, 3, "Infer_type_of_0_from_usage_95011", "Infer type of '{0}' from usage"), Infer_parameter_types_from_usage: diag(95012, 3, "Infer_parameter_types_from_usage_95012", "Infer parameter types from usage"), Convert_to_default_import: diag(95013, 3, "Convert_to_default_import_95013", "Convert to default import"), Install_0: diag(95014, 3, "Install_0_95014", "Install '{0}'"), Replace_import_with_0: diag(95015, 3, "Replace_import_with_0_95015", "Replace import with '{0}'."), Use_synthetic_default_member: diag(95016, 3, "Use_synthetic_default_member_95016", "Use synthetic 'default' member."), Convert_to_ES_module: diag(95017, 3, "Convert_to_ES_module_95017", "Convert to ES module"), Add_undefined_type_to_property_0: diag(95018, 3, "Add_undefined_type_to_property_0_95018", "Add 'undefined' type to property '{0}'"), Add_initializer_to_property_0: diag(95019, 3, "Add_initializer_to_property_0_95019", "Add initializer to property '{0}'"), Add_definite_assignment_assertion_to_property_0: diag(95020, 3, "Add_definite_assignment_assertion_to_property_0_95020", "Add definite assignment assertion to property '{0}'"), Convert_all_type_literals_to_mapped_type: diag(95021, 3, "Convert_all_type_literals_to_mapped_type_95021", "Convert all type literals to mapped type"), Add_all_missing_members: diag(95022, 3, "Add_all_missing_members_95022", "Add all missing members"), Infer_all_types_from_usage: diag(95023, 3, "Infer_all_types_from_usage_95023", "Infer all types from usage"), Delete_all_unused_declarations: diag(95024, 3, "Delete_all_unused_declarations_95024", "Delete all unused declarations"), Prefix_all_unused_declarations_with_where_possible: diag(95025, 3, "Prefix_all_unused_declarations_with_where_possible_95025", "Prefix all unused declarations with '_' where possible"), Fix_all_detected_spelling_errors: diag(95026, 3, "Fix_all_detected_spelling_errors_95026", "Fix all detected spelling errors"), Add_initializers_to_all_uninitialized_properties: diag(95027, 3, "Add_initializers_to_all_uninitialized_properties_95027", "Add initializers to all uninitialized properties"), Add_definite_assignment_assertions_to_all_uninitialized_properties: diag(95028, 3, "Add_definite_assignment_assertions_to_all_uninitialized_properties_95028", "Add definite assignment assertions to all uninitialized properties"), Add_undefined_type_to_all_uninitialized_properties: diag(95029, 3, "Add_undefined_type_to_all_uninitialized_properties_95029", "Add undefined type to all uninitialized properties"), Change_all_jsdoc_style_types_to_TypeScript: diag(95030, 3, "Change_all_jsdoc_style_types_to_TypeScript_95030", "Change all jsdoc-style types to TypeScript"), Change_all_jsdoc_style_types_to_TypeScript_and_add_undefined_to_nullable_types: diag(95031, 3, "Change_all_jsdoc_style_types_to_TypeScript_and_add_undefined_to_nullable_types_95031", "Change all jsdoc-style types to TypeScript (and add '| undefined' to nullable types)"), Implement_all_unimplemented_interfaces: diag(95032, 3, "Implement_all_unimplemented_interfaces_95032", "Implement all unimplemented interfaces"), Install_all_missing_types_packages: diag(95033, 3, "Install_all_missing_types_packages_95033", "Install all missing types packages"), Rewrite_all_as_indexed_access_types: diag(95034, 3, "Rewrite_all_as_indexed_access_types_95034", "Rewrite all as indexed access types"), Convert_all_to_default_imports: diag(95035, 3, "Convert_all_to_default_imports_95035", "Convert all to default imports"), Make_all_super_calls_the_first_statement_in_their_constructor: diag(95036, 3, "Make_all_super_calls_the_first_statement_in_their_constructor_95036", "Make all 'super()' calls the first statement in their constructor"), Add_qualifier_to_all_unresolved_variables_matching_a_member_name: diag(95037, 3, "Add_qualifier_to_all_unresolved_variables_matching_a_member_name_95037", "Add qualifier to all unresolved variables matching a member name"), Change_all_extended_interfaces_to_implements: diag(95038, 3, "Change_all_extended_interfaces_to_implements_95038", "Change all extended interfaces to 'implements'"), Add_all_missing_super_calls: diag(95039, 3, "Add_all_missing_super_calls_95039", "Add all missing super calls"), Implement_all_inherited_abstract_classes: diag(95040, 3, "Implement_all_inherited_abstract_classes_95040", "Implement all inherited abstract classes"), Add_all_missing_async_modifiers: diag(95041, 3, "Add_all_missing_async_modifiers_95041", "Add all missing 'async' modifiers"), Add_ts_ignore_to_all_error_messages: diag(95042, 3, "Add_ts_ignore_to_all_error_messages_95042", "Add '@ts-ignore' to all error messages"), Annotate_everything_with_types_from_JSDoc: diag(95043, 3, "Annotate_everything_with_types_from_JSDoc_95043", "Annotate everything with types from JSDoc"), Add_to_all_uncalled_decorators: diag(95044, 3, "Add_to_all_uncalled_decorators_95044", "Add '()' to all uncalled decorators"), Convert_all_constructor_functions_to_classes: diag(95045, 3, "Convert_all_constructor_functions_to_classes_95045", "Convert all constructor functions to classes"), Generate_get_and_set_accessors: diag(95046, 3, "Generate_get_and_set_accessors_95046", "Generate 'get' and 'set' accessors"), Convert_require_to_import: diag(95047, 3, "Convert_require_to_import_95047", "Convert 'require' to 'import'"), Convert_all_require_to_import: diag(95048, 3, "Convert_all_require_to_import_95048", "Convert all 'require' to 'import'"), Move_to_a_new_file: diag(95049, 3, "Move_to_a_new_file_95049", "Move to a new file"), Remove_unreachable_code: diag(95050, 3, "Remove_unreachable_code_95050", "Remove unreachable code"), Remove_all_unreachable_code: diag(95051, 3, "Remove_all_unreachable_code_95051", "Remove all unreachable code"), Add_missing_typeof: diag(95052, 3, "Add_missing_typeof_95052", "Add missing 'typeof'"), Remove_unused_label: diag(95053, 3, "Remove_unused_label_95053", "Remove unused label"), Remove_all_unused_labels: diag(95054, 3, "Remove_all_unused_labels_95054", "Remove all unused labels"), Convert_0_to_mapped_object_type: diag(95055, 3, "Convert_0_to_mapped_object_type_95055", "Convert '{0}' to mapped object type"), Convert_namespace_import_to_named_imports: diag(95056, 3, "Convert_namespace_import_to_named_imports_95056", "Convert namespace import to named imports"), Convert_named_imports_to_namespace_import: diag(95057, 3, "Convert_named_imports_to_namespace_import_95057", "Convert named imports to namespace import"), Add_or_remove_braces_in_an_arrow_function: diag(95058, 3, "Add_or_remove_braces_in_an_arrow_function_95058", "Add or remove braces in an arrow function"), Add_braces_to_arrow_function: diag(95059, 3, "Add_braces_to_arrow_function_95059", "Add braces to arrow function"), Remove_braces_from_arrow_function: diag(95060, 3, "Remove_braces_from_arrow_function_95060", "Remove braces from arrow function"), Convert_default_export_to_named_export: diag(95061, 3, "Convert_default_export_to_named_export_95061", "Convert default export to named export"), Convert_named_export_to_default_export: diag(95062, 3, "Convert_named_export_to_default_export_95062", "Convert named export to default export"), Add_missing_enum_member_0: diag(95063, 3, "Add_missing_enum_member_0_95063", "Add missing enum member '{0}'"), Add_all_missing_imports: diag(95064, 3, "Add_all_missing_imports_95064", "Add all missing imports"), Convert_to_async_function: diag(95065, 3, "Convert_to_async_function_95065", "Convert to async function"), Convert_all_to_async_functions: diag(95066, 3, "Convert_all_to_async_functions_95066", "Convert all to async functions"), Add_missing_call_parentheses: diag(95067, 3, "Add_missing_call_parentheses_95067", "Add missing call parentheses"), Add_all_missing_call_parentheses: diag(95068, 3, "Add_all_missing_call_parentheses_95068", "Add all missing call parentheses"), Add_unknown_conversion_for_non_overlapping_types: diag(95069, 3, "Add_unknown_conversion_for_non_overlapping_types_95069", "Add 'unknown' conversion for non-overlapping types"), Add_unknown_to_all_conversions_of_non_overlapping_types: diag(95070, 3, "Add_unknown_to_all_conversions_of_non_overlapping_types_95070", "Add 'unknown' to all conversions of non-overlapping types"), Add_missing_new_operator_to_call: diag(95071, 3, "Add_missing_new_operator_to_call_95071", "Add missing 'new' operator to call"), Add_missing_new_operator_to_all_calls: diag(95072, 3, "Add_missing_new_operator_to_all_calls_95072", "Add missing 'new' operator to all calls"), Add_names_to_all_parameters_without_names: diag(95073, 3, "Add_names_to_all_parameters_without_names_95073", "Add names to all parameters without names"), Enable_the_experimentalDecorators_option_in_your_configuration_file: diag(95074, 3, "Enable_the_experimentalDecorators_option_in_your_configuration_file_95074", "Enable the 'experimentalDecorators' option in your configuration file"), Convert_parameters_to_destructured_object: diag(95075, 3, "Convert_parameters_to_destructured_object_95075", "Convert parameters to destructured object"), Extract_type: diag(95077, 3, "Extract_type_95077", "Extract type"), Extract_to_type_alias: diag(95078, 3, "Extract_to_type_alias_95078", "Extract to type alias"), Extract_to_typedef: diag(95079, 3, "Extract_to_typedef_95079", "Extract to typedef"), Infer_this_type_of_0_from_usage: diag(95080, 3, "Infer_this_type_of_0_from_usage_95080", "Infer 'this' type of '{0}' from usage"), Add_const_to_unresolved_variable: diag(95081, 3, "Add_const_to_unresolved_variable_95081", "Add 'const' to unresolved variable"), Add_const_to_all_unresolved_variables: diag(95082, 3, "Add_const_to_all_unresolved_variables_95082", "Add 'const' to all unresolved variables"), Add_await: diag(95083, 3, "Add_await_95083", "Add 'await'"), Add_await_to_initializer_for_0: diag(95084, 3, "Add_await_to_initializer_for_0_95084", "Add 'await' to initializer for '{0}'"), Fix_all_expressions_possibly_missing_await: diag(95085, 3, "Fix_all_expressions_possibly_missing_await_95085", "Fix all expressions possibly missing 'await'"), Remove_unnecessary_await: diag(95086, 3, "Remove_unnecessary_await_95086", "Remove unnecessary 'await'"), Remove_all_unnecessary_uses_of_await: diag(95087, 3, "Remove_all_unnecessary_uses_of_await_95087", "Remove all unnecessary uses of 'await'"), Enable_the_jsx_flag_in_your_configuration_file: diag(95088, 3, "Enable_the_jsx_flag_in_your_configuration_file_95088", "Enable the '--jsx' flag in your configuration file"), Add_await_to_initializers: diag(95089, 3, "Add_await_to_initializers_95089", "Add 'await' to initializers"), Extract_to_interface: diag(95090, 3, "Extract_to_interface_95090", "Extract to interface"), Convert_to_a_bigint_numeric_literal: diag(95091, 3, "Convert_to_a_bigint_numeric_literal_95091", "Convert to a bigint numeric literal"), Convert_all_to_bigint_numeric_literals: diag(95092, 3, "Convert_all_to_bigint_numeric_literals_95092", "Convert all to bigint numeric literals"), Convert_const_to_let: diag(95093, 3, "Convert_const_to_let_95093", "Convert 'const' to 'let'"), Prefix_with_declare: diag(95094, 3, "Prefix_with_declare_95094", "Prefix with 'declare'"), Prefix_all_incorrect_property_declarations_with_declare: diag(95095, 3, "Prefix_all_incorrect_property_declarations_with_declare_95095", "Prefix all incorrect property declarations with 'declare'"), Convert_to_template_string: diag(95096, 3, "Convert_to_template_string_95096", "Convert to template string"), Add_export_to_make_this_file_into_a_module: diag(95097, 3, "Add_export_to_make_this_file_into_a_module_95097", "Add 'export {}' to make this file into a module"), Set_the_target_option_in_your_configuration_file_to_0: diag(95098, 3, "Set_the_target_option_in_your_configuration_file_to_0_95098", "Set the 'target' option in your configuration file to '{0}'"), Set_the_module_option_in_your_configuration_file_to_0: diag(95099, 3, "Set_the_module_option_in_your_configuration_file_to_0_95099", "Set the 'module' option in your configuration file to '{0}'"), Convert_invalid_character_to_its_html_entity_code: diag(95100, 3, "Convert_invalid_character_to_its_html_entity_code_95100", "Convert invalid character to its html entity code"), Convert_all_invalid_characters_to_HTML_entity_code: diag(95101, 3, "Convert_all_invalid_characters_to_HTML_entity_code_95101", "Convert all invalid characters to HTML entity code"), Convert_all_const_to_let: diag(95102, 3, "Convert_all_const_to_let_95102", "Convert all 'const' to 'let'"), Convert_function_expression_0_to_arrow_function: diag(95105, 3, "Convert_function_expression_0_to_arrow_function_95105", "Convert function expression '{0}' to arrow function"), Convert_function_declaration_0_to_arrow_function: diag(95106, 3, "Convert_function_declaration_0_to_arrow_function_95106", "Convert function declaration '{0}' to arrow function"), Fix_all_implicit_this_errors: diag(95107, 3, "Fix_all_implicit_this_errors_95107", "Fix all implicit-'this' errors"), Wrap_invalid_character_in_an_expression_container: diag(95108, 3, "Wrap_invalid_character_in_an_expression_container_95108", "Wrap invalid character in an expression container"), Wrap_all_invalid_characters_in_an_expression_container: diag(95109, 3, "Wrap_all_invalid_characters_in_an_expression_container_95109", "Wrap all invalid characters in an expression container"), Visit_https_Colon_Slash_Slashaka_ms_Slashtsconfig_to_read_more_about_this_file: diag(95110, 3, "Visit_https_Colon_Slash_Slashaka_ms_Slashtsconfig_to_read_more_about_this_file_95110", "Visit https://aka.ms/tsconfig to read more about this file"), Add_a_return_statement: diag(95111, 3, "Add_a_return_statement_95111", "Add a return statement"), Remove_braces_from_arrow_function_body: diag(95112, 3, "Remove_braces_from_arrow_function_body_95112", "Remove braces from arrow function body"), Wrap_the_following_body_with_parentheses_which_should_be_an_object_literal: diag(95113, 3, "Wrap_the_following_body_with_parentheses_which_should_be_an_object_literal_95113", "Wrap the following body with parentheses which should be an object literal"), Add_all_missing_return_statement: diag(95114, 3, "Add_all_missing_return_statement_95114", "Add all missing return statement"), Remove_braces_from_all_arrow_function_bodies_with_relevant_issues: diag(95115, 3, "Remove_braces_from_all_arrow_function_bodies_with_relevant_issues_95115", "Remove braces from all arrow function bodies with relevant issues"), Wrap_all_object_literal_with_parentheses: diag(95116, 3, "Wrap_all_object_literal_with_parentheses_95116", "Wrap all object literal with parentheses"), Move_labeled_tuple_element_modifiers_to_labels: diag(95117, 3, "Move_labeled_tuple_element_modifiers_to_labels_95117", "Move labeled tuple element modifiers to labels"), Convert_overload_list_to_single_signature: diag(95118, 3, "Convert_overload_list_to_single_signature_95118", "Convert overload list to single signature"), Generate_get_and_set_accessors_for_all_overriding_properties: diag(95119, 3, "Generate_get_and_set_accessors_for_all_overriding_properties_95119", "Generate 'get' and 'set' accessors for all overriding properties"), Wrap_in_JSX_fragment: diag(95120, 3, "Wrap_in_JSX_fragment_95120", "Wrap in JSX fragment"), Wrap_all_unparented_JSX_in_JSX_fragment: diag(95121, 3, "Wrap_all_unparented_JSX_in_JSX_fragment_95121", "Wrap all unparented JSX in JSX fragment"), Convert_arrow_function_or_function_expression: diag(95122, 3, "Convert_arrow_function_or_function_expression_95122", "Convert arrow function or function expression"), Convert_to_anonymous_function: diag(95123, 3, "Convert_to_anonymous_function_95123", "Convert to anonymous function"), Convert_to_named_function: diag(95124, 3, "Convert_to_named_function_95124", "Convert to named function"), Convert_to_arrow_function: diag(95125, 3, "Convert_to_arrow_function_95125", "Convert to arrow function"), Remove_parentheses: diag(95126, 3, "Remove_parentheses_95126", "Remove parentheses"), Could_not_find_a_containing_arrow_function: diag(95127, 3, "Could_not_find_a_containing_arrow_function_95127", "Could not find a containing arrow function"), Containing_function_is_not_an_arrow_function: diag(95128, 3, "Containing_function_is_not_an_arrow_function_95128", "Containing function is not an arrow function"), Could_not_find_export_statement: diag(95129, 3, "Could_not_find_export_statement_95129", "Could not find export statement"), This_file_already_has_a_default_export: diag(95130, 3, "This_file_already_has_a_default_export_95130", "This file already has a default export"), Could_not_find_import_clause: diag(95131, 3, "Could_not_find_import_clause_95131", "Could not find import clause"), Could_not_find_namespace_import_or_named_imports: diag(95132, 3, "Could_not_find_namespace_import_or_named_imports_95132", "Could not find namespace import or named imports"), Selection_is_not_a_valid_type_node: diag(95133, 3, "Selection_is_not_a_valid_type_node_95133", "Selection is not a valid type node"), No_type_could_be_extracted_from_this_type_node: diag(95134, 3, "No_type_could_be_extracted_from_this_type_node_95134", "No type could be extracted from this type node"), Could_not_find_property_for_which_to_generate_accessor: diag(95135, 3, "Could_not_find_property_for_which_to_generate_accessor_95135", "Could not find property for which to generate accessor"), Name_is_not_valid: diag(95136, 3, "Name_is_not_valid_95136", "Name is not valid"), Can_only_convert_property_with_modifier: diag(95137, 3, "Can_only_convert_property_with_modifier_95137", "Can only convert property with modifier"), Switch_each_misused_0_to_1: diag(95138, 3, "Switch_each_misused_0_to_1_95138", "Switch each misused '{0}' to '{1}'"), Convert_to_optional_chain_expression: diag(95139, 3, "Convert_to_optional_chain_expression_95139", "Convert to optional chain expression"), Could_not_find_convertible_access_expression: diag(95140, 3, "Could_not_find_convertible_access_expression_95140", "Could not find convertible access expression"), Could_not_find_matching_access_expressions: diag(95141, 3, "Could_not_find_matching_access_expressions_95141", "Could not find matching access expressions"), Can_only_convert_logical_AND_access_chains: diag(95142, 3, "Can_only_convert_logical_AND_access_chains_95142", "Can only convert logical AND access chains"), Add_void_to_Promise_resolved_without_a_value: diag(95143, 3, "Add_void_to_Promise_resolved_without_a_value_95143", "Add 'void' to Promise resolved without a value"), Add_void_to_all_Promises_resolved_without_a_value: diag(95144, 3, "Add_void_to_all_Promises_resolved_without_a_value_95144", "Add 'void' to all Promises resolved without a value"), Use_element_access_for_0: diag(95145, 3, "Use_element_access_for_0_95145", "Use element access for '{0}'"), Use_element_access_for_all_undeclared_properties: diag(95146, 3, "Use_element_access_for_all_undeclared_properties_95146", "Use element access for all undeclared properties."), Delete_all_unused_imports: diag(95147, 3, "Delete_all_unused_imports_95147", "Delete all unused imports"), Infer_function_return_type: diag(95148, 3, "Infer_function_return_type_95148", "Infer function return type"), Return_type_must_be_inferred_from_a_function: diag(95149, 3, "Return_type_must_be_inferred_from_a_function_95149", "Return type must be inferred from a function"), Could_not_determine_function_return_type: diag(95150, 3, "Could_not_determine_function_return_type_95150", "Could not determine function return type"), Could_not_convert_to_arrow_function: diag(95151, 3, "Could_not_convert_to_arrow_function_95151", "Could not convert to arrow function"), Could_not_convert_to_named_function: diag(95152, 3, "Could_not_convert_to_named_function_95152", "Could not convert to named function"), Could_not_convert_to_anonymous_function: diag(95153, 3, "Could_not_convert_to_anonymous_function_95153", "Could not convert to anonymous function"), Can_only_convert_string_concatenations_and_string_literals: diag(95154, 3, "Can_only_convert_string_concatenations_and_string_literals_95154", "Can only convert string concatenations and string literals"), Selection_is_not_a_valid_statement_or_statements: diag(95155, 3, "Selection_is_not_a_valid_statement_or_statements_95155", "Selection is not a valid statement or statements"), Add_missing_function_declaration_0: diag(95156, 3, "Add_missing_function_declaration_0_95156", "Add missing function declaration '{0}'"), Add_all_missing_function_declarations: diag(95157, 3, "Add_all_missing_function_declarations_95157", "Add all missing function declarations"), Method_not_implemented: diag(95158, 3, "Method_not_implemented_95158", "Method not implemented."), Function_not_implemented: diag(95159, 3, "Function_not_implemented_95159", "Function not implemented."), Add_override_modifier: diag(95160, 3, "Add_override_modifier_95160", "Add 'override' modifier"), Remove_override_modifier: diag(95161, 3, "Remove_override_modifier_95161", "Remove 'override' modifier"), Add_all_missing_override_modifiers: diag(95162, 3, "Add_all_missing_override_modifiers_95162", "Add all missing 'override' modifiers"), Remove_all_unnecessary_override_modifiers: diag(95163, 3, "Remove_all_unnecessary_override_modifiers_95163", "Remove all unnecessary 'override' modifiers"), Can_only_convert_named_export: diag(95164, 3, "Can_only_convert_named_export_95164", "Can only convert named export"), Add_missing_properties: diag(95165, 3, "Add_missing_properties_95165", "Add missing properties"), Add_all_missing_properties: diag(95166, 3, "Add_all_missing_properties_95166", "Add all missing properties"), Add_missing_attributes: diag(95167, 3, "Add_missing_attributes_95167", "Add missing attributes"), Add_all_missing_attributes: diag(95168, 3, "Add_all_missing_attributes_95168", "Add all missing attributes"), Add_undefined_to_optional_property_type: diag(95169, 3, "Add_undefined_to_optional_property_type_95169", "Add 'undefined' to optional property type"), Convert_named_imports_to_default_import: diag(95170, 3, "Convert_named_imports_to_default_import_95170", "Convert named imports to default import"), Delete_unused_param_tag_0: diag(95171, 3, "Delete_unused_param_tag_0_95171", "Delete unused '@param' tag '{0}'"), Delete_all_unused_param_tags: diag(95172, 3, "Delete_all_unused_param_tags_95172", "Delete all unused '@param' tags"), Rename_param_tag_name_0_to_1: diag(95173, 3, "Rename_param_tag_name_0_to_1_95173", "Rename '@param' tag name '{0}' to '{1}'"), Use_0: diag(95174, 3, "Use_0_95174", "Use `{0}`."), Use_Number_isNaN_in_all_conditions: diag(95175, 3, "Use_Number_isNaN_in_all_conditions_95175", "Use `Number.isNaN` in all conditions."), Convert_typedef_to_TypeScript_type: diag(95176, 3, "Convert_typedef_to_TypeScript_type_95176", "Convert typedef to TypeScript type."), Convert_all_typedef_to_TypeScript_types: diag(95177, 3, "Convert_all_typedef_to_TypeScript_types_95177", "Convert all typedef to TypeScript types."), Move_to_file: diag(95178, 3, "Move_to_file_95178", "Move to file"), Cannot_move_to_file_selected_file_is_invalid: diag(95179, 3, "Cannot_move_to_file_selected_file_is_invalid_95179", "Cannot move to file, selected file is invalid"), Use_import_type: diag(95180, 3, "Use_import_type_95180", "Use 'import type'"), Use_type_0: diag(95181, 3, "Use_type_0_95181", "Use 'type {0}'"), Fix_all_with_type_only_imports: diag(95182, 3, "Fix_all_with_type_only_imports_95182", "Fix all with type-only imports"), Cannot_move_statements_to_the_selected_file: diag(95183, 3, "Cannot_move_statements_to_the_selected_file_95183", "Cannot move statements to the selected file"), Inline_variable: diag(95184, 3, "Inline_variable_95184", "Inline variable"), Could_not_find_variable_to_inline: diag(95185, 3, "Could_not_find_variable_to_inline_95185", "Could not find variable to inline."), Variables_with_multiple_declarations_cannot_be_inlined: diag(95186, 3, "Variables_with_multiple_declarations_cannot_be_inlined_95186", "Variables with multiple declarations cannot be inlined."), Add_missing_comma_for_object_member_completion_0: diag(95187, 3, "Add_missing_comma_for_object_member_completion_0_95187", "Add missing comma for object member completion '{0}'."), Add_missing_parameter_to_0: diag(95188, 3, "Add_missing_parameter_to_0_95188", "Add missing parameter to '{0}'"), Add_missing_parameters_to_0: diag(95189, 3, "Add_missing_parameters_to_0_95189", "Add missing parameters to '{0}'"), Add_all_missing_parameters: diag(95190, 3, "Add_all_missing_parameters_95190", "Add all missing parameters"), Add_optional_parameter_to_0: diag(95191, 3, "Add_optional_parameter_to_0_95191", "Add optional parameter to '{0}'"), Add_optional_parameters_to_0: diag(95192, 3, "Add_optional_parameters_to_0_95192", "Add optional parameters to '{0}'"), Add_all_optional_parameters: diag(95193, 3, "Add_all_optional_parameters_95193", "Add all optional parameters"), Wrap_in_parentheses: diag(95194, 3, "Wrap_in_parentheses_95194", "Wrap in parentheses"), Wrap_all_invalid_decorator_expressions_in_parentheses: diag(95195, 3, "Wrap_all_invalid_decorator_expressions_in_parentheses_95195", "Wrap all invalid decorator expressions in parentheses"), No_value_exists_in_scope_for_the_shorthand_property_0_Either_declare_one_or_provide_an_initializer: diag(18004, 1, "No_value_exists_in_scope_for_the_shorthand_property_0_Either_declare_one_or_provide_an_initializer_18004", "No value exists in scope for the shorthand property '{0}'. Either declare one or provide an initializer."), Classes_may_not_have_a_field_named_constructor: diag(18006, 1, "Classes_may_not_have_a_field_named_constructor_18006", "Classes may not have a field named 'constructor'."), JSX_expressions_may_not_use_the_comma_operator_Did_you_mean_to_write_an_array: diag(18007, 1, "JSX_expressions_may_not_use_the_comma_operator_Did_you_mean_to_write_an_array_18007", "JSX expressions may not use the comma operator. Did you mean to write an array?"), Private_identifiers_cannot_be_used_as_parameters: diag(18009, 1, "Private_identifiers_cannot_be_used_as_parameters_18009", "Private identifiers cannot be used as parameters."), An_accessibility_modifier_cannot_be_used_with_a_private_identifier: diag(18010, 1, "An_accessibility_modifier_cannot_be_used_with_a_private_identifier_18010", "An accessibility modifier cannot be used with a private identifier."), The_operand_of_a_delete_operator_cannot_be_a_private_identifier: diag(18011, 1, "The_operand_of_a_delete_operator_cannot_be_a_private_identifier_18011", "The operand of a 'delete' operator cannot be a private identifier."), constructor_is_a_reserved_word: diag(18012, 1, "constructor_is_a_reserved_word_18012", "'#constructor' is a reserved word."), Property_0_is_not_accessible_outside_class_1_because_it_has_a_private_identifier: diag(18013, 1, "Property_0_is_not_accessible_outside_class_1_because_it_has_a_private_identifier_18013", "Property '{0}' is not accessible outside class '{1}' because it has a private identifier."), The_property_0_cannot_be_accessed_on_type_1_within_this_class_because_it_is_shadowed_by_another_private_identifier_with_the_same_spelling: diag(18014, 1, "The_property_0_cannot_be_accessed_on_type_1_within_this_class_because_it_is_shadowed_by_another_priv_18014", "The property '{0}' cannot be accessed on type '{1}' within this class because it is shadowed by another private identifier with the same spelling."), Property_0_in_type_1_refers_to_a_different_member_that_cannot_be_accessed_from_within_type_2: diag(18015, 1, "Property_0_in_type_1_refers_to_a_different_member_that_cannot_be_accessed_from_within_type_2_18015", "Property '{0}' in type '{1}' refers to a different member that cannot be accessed from within type '{2}'."), Private_identifiers_are_not_allowed_outside_class_bodies: diag(18016, 1, "Private_identifiers_are_not_allowed_outside_class_bodies_18016", "Private identifiers are not allowed outside class bodies."), The_shadowing_declaration_of_0_is_defined_here: diag(18017, 1, "The_shadowing_declaration_of_0_is_defined_here_18017", "The shadowing declaration of '{0}' is defined here"), The_declaration_of_0_that_you_probably_intended_to_use_is_defined_here: diag(18018, 1, "The_declaration_of_0_that_you_probably_intended_to_use_is_defined_here_18018", "The declaration of '{0}' that you probably intended to use is defined here"), _0_modifier_cannot_be_used_with_a_private_identifier: diag(18019, 1, "_0_modifier_cannot_be_used_with_a_private_identifier_18019", "'{0}' modifier cannot be used with a private identifier."), An_enum_member_cannot_be_named_with_a_private_identifier: diag(18024, 1, "An_enum_member_cannot_be_named_with_a_private_identifier_18024", "An enum member cannot be named with a private identifier."), can_only_be_used_at_the_start_of_a_file: diag(18026, 1, "can_only_be_used_at_the_start_of_a_file_18026", "'#!' can only be used at the start of a file."), Compiler_reserves_name_0_when_emitting_private_identifier_downlevel: diag(18027, 1, "Compiler_reserves_name_0_when_emitting_private_identifier_downlevel_18027", "Compiler reserves name '{0}' when emitting private identifier downlevel."), Private_identifiers_are_only_available_when_targeting_ECMAScript_2015_and_higher: diag(18028, 1, "Private_identifiers_are_only_available_when_targeting_ECMAScript_2015_and_higher_18028", "Private identifiers are only available when targeting ECMAScript 2015 and higher."), Private_identifiers_are_not_allowed_in_variable_declarations: diag(18029, 1, "Private_identifiers_are_not_allowed_in_variable_declarations_18029", "Private identifiers are not allowed in variable declarations."), An_optional_chain_cannot_contain_private_identifiers: diag(18030, 1, "An_optional_chain_cannot_contain_private_identifiers_18030", "An optional chain cannot contain private identifiers."), The_intersection_0_was_reduced_to_never_because_property_1_has_conflicting_types_in_some_constituents: diag(18031, 1, "The_intersection_0_was_reduced_to_never_because_property_1_has_conflicting_types_in_some_constituent_18031", "The intersection '{0}' was reduced to 'never' because property '{1}' has conflicting types in some constituents."), The_intersection_0_was_reduced_to_never_because_property_1_exists_in_multiple_constituents_and_is_private_in_some: diag(18032, 1, "The_intersection_0_was_reduced_to_never_because_property_1_exists_in_multiple_constituents_and_is_pr_18032", "The intersection '{0}' was reduced to 'never' because property '{1}' exists in multiple constituents and is private in some."), Type_0_is_not_assignable_to_type_1_as_required_for_computed_enum_member_values: diag(18033, 1, "Type_0_is_not_assignable_to_type_1_as_required_for_computed_enum_member_values_18033", "Type '{0}' is not assignable to type '{1}' as required for computed enum member values."), Specify_the_JSX_fragment_factory_function_to_use_when_targeting_react_JSX_emit_with_jsxFactory_compiler_option_is_specified_e_g_Fragment: diag(18034, 3, "Specify_the_JSX_fragment_factory_function_to_use_when_targeting_react_JSX_emit_with_jsxFactory_compi_18034", "Specify the JSX fragment factory function to use when targeting 'react' JSX emit with 'jsxFactory' compiler option is specified, e.g. 'Fragment'."), Invalid_value_for_jsxFragmentFactory_0_is_not_a_valid_identifier_or_qualified_name: diag(18035, 1, "Invalid_value_for_jsxFragmentFactory_0_is_not_a_valid_identifier_or_qualified_name_18035", "Invalid value for 'jsxFragmentFactory'. '{0}' is not a valid identifier or qualified-name."), Class_decorators_can_t_be_used_with_static_private_identifier_Consider_removing_the_experimental_decorator: diag(18036, 1, "Class_decorators_can_t_be_used_with_static_private_identifier_Consider_removing_the_experimental_dec_18036", "Class decorators can't be used with static private identifier. Consider removing the experimental decorator."), await_expression_cannot_be_used_inside_a_class_static_block: diag(18037, 1, "await_expression_cannot_be_used_inside_a_class_static_block_18037", "'await' expression cannot be used inside a class static block."), for_await_loops_cannot_be_used_inside_a_class_static_block: diag(18038, 1, "for_await_loops_cannot_be_used_inside_a_class_static_block_18038", "'for await' loops cannot be used inside a class static block."), Invalid_use_of_0_It_cannot_be_used_inside_a_class_static_block: diag(18039, 1, "Invalid_use_of_0_It_cannot_be_used_inside_a_class_static_block_18039", "Invalid use of '{0}'. It cannot be used inside a class static block."), A_return_statement_cannot_be_used_inside_a_class_static_block: diag(18041, 1, "A_return_statement_cannot_be_used_inside_a_class_static_block_18041", "A 'return' statement cannot be used inside a class static block."), _0_is_a_type_and_cannot_be_imported_in_JavaScript_files_Use_1_in_a_JSDoc_type_annotation: diag(18042, 1, "_0_is_a_type_and_cannot_be_imported_in_JavaScript_files_Use_1_in_a_JSDoc_type_annotation_18042", "'{0}' is a type and cannot be imported in JavaScript files. Use '{1}' in a JSDoc type annotation."), Types_cannot_appear_in_export_declarations_in_JavaScript_files: diag(18043, 1, "Types_cannot_appear_in_export_declarations_in_JavaScript_files_18043", "Types cannot appear in export declarations in JavaScript files."), _0_is_automatically_exported_here: diag(18044, 3, "_0_is_automatically_exported_here_18044", "'{0}' is automatically exported here."), Properties_with_the_accessor_modifier_are_only_available_when_targeting_ECMAScript_2015_and_higher: diag(18045, 1, "Properties_with_the_accessor_modifier_are_only_available_when_targeting_ECMAScript_2015_and_higher_18045", "Properties with the 'accessor' modifier are only available when targeting ECMAScript 2015 and higher."), _0_is_of_type_unknown: diag(18046, 1, "_0_is_of_type_unknown_18046", "'{0}' is of type 'unknown'."), _0_is_possibly_null: diag(18047, 1, "_0_is_possibly_null_18047", "'{0}' is possibly 'null'."), _0_is_possibly_undefined: diag(18048, 1, "_0_is_possibly_undefined_18048", "'{0}' is possibly 'undefined'."), _0_is_possibly_null_or_undefined: diag(18049, 1, "_0_is_possibly_null_or_undefined_18049", "'{0}' is possibly 'null' or 'undefined'."), The_value_0_cannot_be_used_here: diag(18050, 1, "The_value_0_cannot_be_used_here_18050", "The value '{0}' cannot be used here."), Compiler_option_0_cannot_be_given_an_empty_string: diag(18051, 1, "Compiler_option_0_cannot_be_given_an_empty_string_18051", "Compiler option '{0}' cannot be given an empty string."), Its_type_0_is_not_a_valid_JSX_element_type: diag(18053, 1, "Its_type_0_is_not_a_valid_JSX_element_type_18053", "Its type '{0}' is not a valid JSX element type."), await_using_statements_cannot_be_used_inside_a_class_static_block: diag(18054, 1, "await_using_statements_cannot_be_used_inside_a_class_static_block_18054", "'await using' statements cannot be used inside a class static block."), _0_has_a_string_type_but_must_have_syntactically_recognizable_string_syntax_when_isolatedModules_is_enabled: diag(18055, 1, "_0_has_a_string_type_but_must_have_syntactically_recognizable_string_syntax_when_isolatedModules_is__18055", "'{0}' has a string type, but must have syntactically recognizable string syntax when 'isolatedModules' is enabled."), Enum_member_following_a_non_literal_numeric_member_must_have_an_initializer_when_isolatedModules_is_enabled: diag(18056, 1, "Enum_member_following_a_non_literal_numeric_member_must_have_an_initializer_when_isolatedModules_is__18056", "Enum member following a non-literal numeric member must have an initializer when 'isolatedModules' is enabled.") }; function tokenIsIdentifierOrKeyword(token) { return token >= 80; } function tokenIsIdentifierOrKeywordOrGreaterThan(token) { return token === 32 || tokenIsIdentifierOrKeyword(token); } var textToKeywordObj = { abstract: 128, accessor: 129, any: 133, as: 130, asserts: 131, assert: 132, bigint: 163, boolean: 136, break: 83, case: 84, catch: 85, class: 86, continue: 88, const: 87, ["constructor"]: 137, debugger: 89, declare: 138, default: 90, delete: 91, do: 92, else: 93, enum: 94, export: 95, extends: 96, false: 97, finally: 98, for: 99, from: 161, function: 100, get: 139, if: 101, implements: 119, import: 102, in: 103, infer: 140, instanceof: 104, interface: 120, intrinsic: 141, is: 142, keyof: 143, let: 121, module: 144, namespace: 145, never: 146, new: 105, null: 106, number: 150, object: 151, package: 122, private: 123, protected: 124, public: 125, override: 164, out: 147, readonly: 148, require: 149, global: 162, return: 107, satisfies: 152, set: 153, static: 126, string: 154, super: 108, switch: 109, symbol: 155, this: 110, throw: 111, true: 112, try: 113, type: 156, typeof: 114, undefined: 157, unique: 158, unknown: 159, using: 160, var: 115, void: 116, while: 117, with: 118, yield: 127, async: 134, await: 135, of: 165 /* OfKeyword */ }; var textToKeyword = new Map(Object.entries(textToKeywordObj)); var textToToken = new Map(Object.entries({ ...textToKeywordObj, "{": 19, "}": 20, "(": 21, ")": 22, "[": 23, "]": 24, ".": 25, "...": 26, ";": 27, ",": 28, "<": 30, ">": 32, "<=": 33, ">=": 34, "==": 35, "!=": 36, "===": 37, "!==": 38, "=>": 39, "+": 40, "-": 41, "**": 43, "*": 42, "/": 44, "%": 45, "++": 46, "--": 47, "<<": 48, ">": 49, ">>>": 50, "&": 51, "|": 52, "^": 53, "!": 54, "~": 55, "&&": 56, "||": 57, "?": 58, "??": 61, "?.": 29, ":": 59, "=": 64, "+=": 65, "-=": 66, "*=": 67, "**=": 68, "/=": 69, "%=": 70, "<<=": 71, ">>=": 72, ">>>=": 73, "&=": 74, "|=": 75, "^=": 79, "||=": 76, "&&=": 77, "??=": 78, "@": 60, "#": 63, "`": 62 /* BacktickToken */ })); var charToRegExpFlag = new Map(Object.entries({ d: 1, g: 2, i: 4, m: 8, s: 16, u: 32, v: 64, y: 128 /* Sticky */ })); var regExpFlagToFirstAvailableLanguageVersion = /* @__PURE__ */ new Map([ [ 1, 9 /* RegularExpressionFlagsHasIndices */ ], [ 16, 5 /* RegularExpressionFlagsDotAll */ ], [ 32, 2 /* RegularExpressionFlagsUnicode */ ], [ 64, 99 /* RegularExpressionFlagsUnicodeSets */ ], [ 128, 2 /* RegularExpressionFlagsSticky */ ] ]); var unicodeES5IdentifierStart = [170, 170, 181, 181, 186, 186, 192, 214, 216, 246, 248, 705, 710, 721, 736, 740, 748, 748, 750, 750, 880, 884, 886, 887, 890, 893, 902, 902, 904, 906, 908, 908, 910, 929, 931, 1013, 1015, 1153, 1162, 1319, 1329, 1366, 1369, 1369, 1377, 1415, 1488, 1514, 1520, 1522, 1568, 1610, 1646, 1647, 1649, 1747, 1749, 1749, 1765, 1766, 1774, 1775, 1786, 1788, 1791, 1791, 1808, 1808, 1810, 1839, 1869, 1957, 1969, 1969, 1994, 2026, 2036, 2037, 2042, 2042, 2048, 2069, 2074, 2074, 2084, 2084, 2088, 2088, 2112, 2136, 2208, 2208, 2210, 2220, 2308, 2361, 2365, 2365, 2384, 2384, 2392, 2401, 2417, 2423, 2425, 2431, 2437, 2444, 2447, 2448, 2451, 2472, 2474, 2480, 2482, 2482, 2486, 2489, 2493, 2493, 2510, 2510, 2524, 2525, 2527, 2529, 2544, 2545, 2565, 2570, 2575, 2576, 2579, 2600, 2602, 2608, 2610, 2611, 2613, 2614, 2616, 2617, 2649, 2652, 2654, 2654, 2674, 2676, 2693, 2701, 2703, 2705, 2707, 2728, 2730, 2736, 2738, 2739, 2741, 2745, 2749, 2749, 2768, 2768, 2784, 2785, 2821, 2828, 2831, 2832, 2835, 2856, 2858, 2864, 2866, 2867, 2869, 2873, 2877, 2877, 2908, 2909, 2911, 2913, 2929, 2929, 2947, 2947, 2949, 2954, 2958, 2960, 2962, 2965, 2969, 2970, 2972, 2972, 2974, 2975, 2979, 2980, 2984, 2986, 2990, 3001, 3024, 3024, 3077, 3084, 3086, 3088, 3090, 3112, 3114, 3123, 3125, 3129, 3133, 3133, 3160, 3161, 3168, 3169, 3205, 3212, 3214, 3216, 3218, 3240, 3242, 3251, 3253, 3257, 3261, 3261, 3294, 3294, 3296, 3297, 3313, 3314, 3333, 3340, 3342, 3344, 3346, 3386, 3389, 3389, 3406, 3406, 3424, 3425, 3450, 3455, 3461, 3478, 3482, 3505, 3507, 3515, 3517, 3517, 3520, 3526, 3585, 3632, 3634, 3635, 3648, 3654, 3713, 3714, 3716, 3716, 3719, 3720, 3722, 3722, 3725, 3725, 3732, 3735, 3737, 3743, 3745, 3747, 3749, 3749, 3751, 3751, 3754, 3755, 3757, 3760, 3762, 3763, 3773, 3773, 3776, 3780, 3782, 3782, 3804, 3807, 3840, 3840, 3904, 3911, 3913, 3948, 3976, 3980, 4096, 4138, 4159, 4159, 4176, 4181, 4186, 4189, 4193, 4193, 4197, 4198, 4206, 4208, 4213, 4225, 4238, 4238, 4256, 4293, 4295, 4295, 4301, 4301, 4304, 4346, 4348, 4680, 4682, 4685, 4688, 4694, 4696, 4696, 4698, 4701, 4704, 4744, 4746, 4749, 4752, 4784, 4786, 4789, 4792, 4798, 4800, 4800, 4802, 4805, 4808, 4822, 4824, 4880, 4882, 4885, 4888, 4954, 4992, 5007, 5024, 5108, 5121, 5740, 5743, 5759, 5761, 5786, 5792, 5866, 5870, 5872, 5888, 5900, 5902, 5905, 5920, 5937, 5952, 5969, 5984, 5996, 5998, 6e3, 6016, 6067, 6103, 6103, 6108, 6108, 6176, 6263, 6272, 6312, 6314, 6314, 6320, 6389, 6400, 6428, 6480, 6509, 6512, 6516, 6528, 6571, 6593, 6599, 6656, 6678, 6688, 6740, 6823, 6823, 6917, 6963, 6981, 6987, 7043, 7072, 7086, 7087, 7098, 7141, 7168, 7203, 7245, 7247, 7258, 7293, 7401, 7404, 7406, 7409, 7413, 7414, 7424, 7615, 7680, 7957, 7960, 7965, 7968, 8005, 8008, 8013, 8016, 8023, 8025, 8025, 8027, 8027, 8029, 8029, 8031, 8061, 8064, 8116, 8118, 8124, 8126, 8126, 8130, 8132, 8134, 8140, 8144, 8147, 8150, 8155, 8160, 8172, 8178, 8180, 8182, 8188, 8305, 8305, 8319, 8319, 8336, 8348, 8450, 8450, 8455, 8455, 8458, 8467, 8469, 8469, 8473, 8477, 8484, 8484, 8486, 8486, 8488, 8488, 8490, 8493, 8495, 8505, 8508, 8511, 8517, 8521, 8526, 8526, 8544, 8584, 11264, 11310, 11312, 11358, 11360, 11492, 11499, 11502, 11506, 11507, 11520, 11557, 11559, 11559, 11565, 11565, 11568, 11623, 11631, 11631, 11648, 11670, 11680, 11686, 11688, 11694, 11696, 11702, 11704, 11710, 11712, 11718, 11720, 11726, 11728, 11734, 11736, 11742, 11823, 11823, 12293, 12295, 12321, 12329, 12337, 12341, 12344, 12348, 12353, 12438, 12445, 12447, 12449, 12538, 12540, 12543, 12549, 12589, 12593, 12686, 12704, 12730, 12784, 12799, 13312, 19893, 19968, 40908, 40960, 42124, 42192, 42237, 42240, 42508, 42512, 42527, 42538, 42539, 42560, 42606, 42623, 42647, 42656, 42735, 42775, 42783, 42786, 42888, 42891, 42894, 42896, 42899, 42912, 42922, 43e3, 43009, 43011, 43013, 43015, 43018, 43020, 43042, 43072, 43123, 43138, 43187, 43250, 43255, 43259, 43259, 43274, 43301, 43312, 43334, 43360, 43388, 43396, 43442, 43471, 43471, 43520, 43560, 43584, 43586, 43588, 43595, 43616, 43638, 43642, 43642, 43648, 43695, 43697, 43697, 43701, 43702, 43705, 43709, 43712, 43712, 43714, 43714, 43739, 43741, 43744, 43754, 43762, 43764, 43777, 43782, 43785, 43790, 43793, 43798, 43808, 43814, 43816, 43822, 43968, 44002, 44032, 55203, 55216, 55238, 55243, 55291, 63744, 64109, 64112, 64217, 64256, 64262, 64275, 64279, 64285, 64285, 64287, 64296, 64298, 64310, 64312, 64316, 64318, 64318, 64320, 64321, 64323, 64324, 64326, 64433, 64467, 64829, 64848, 64911, 64914, 64967, 65008, 65019, 65136, 65140, 65142, 65276, 65313, 65338, 65345, 65370, 65382, 65470, 65474, 65479, 65482, 65487, 65490, 65495, 65498, 65500]; var unicodeES5IdentifierPart = [170, 170, 181, 181, 186, 186, 192, 214, 216, 246, 248, 705, 710, 721, 736, 740, 748, 748, 750, 750, 768, 884, 886, 887, 890, 893, 902, 902, 904, 906, 908, 908, 910, 929, 931, 1013, 1015, 1153, 1155, 1159, 1162, 1319, 1329, 1366, 1369, 1369, 1377, 1415, 1425, 1469, 1471, 1471, 1473, 1474, 1476, 1477, 1479, 1479, 1488, 1514, 1520, 1522, 1552, 1562, 1568, 1641, 1646, 1747, 1749, 1756, 1759, 1768, 1770, 1788, 1791, 1791, 1808, 1866, 1869, 1969, 1984, 2037, 2042, 2042, 2048, 2093, 2112, 2139, 2208, 2208, 2210, 2220, 2276, 2302, 2304, 2403, 2406, 2415, 2417, 2423, 2425, 2431, 2433, 2435, 2437, 2444, 2447, 2448, 2451, 2472, 2474, 2480, 2482, 2482, 2486, 2489, 2492, 2500, 2503, 2504, 2507, 2510, 2519, 2519, 2524, 2525, 2527, 2531, 2534, 2545, 2561, 2563, 2565, 2570, 2575, 2576, 2579, 2600, 2602, 2608, 2610, 2611, 2613, 2614, 2616, 2617, 2620, 2620, 2622, 2626, 2631, 2632, 2635, 2637, 2641, 2641, 2649, 2652, 2654, 2654, 2662, 2677, 2689, 2691, 2693, 2701, 2703, 2705, 2707, 2728, 2730, 2736, 2738, 2739, 2741, 2745, 2748, 2757, 2759, 2761, 2763, 2765, 2768, 2768, 2784, 2787, 2790, 2799, 2817, 2819, 2821, 2828, 2831, 2832, 2835, 2856, 2858, 2864, 2866, 2867, 2869, 2873, 2876, 2884, 2887, 2888, 2891, 2893, 2902, 2903, 2908, 2909, 2911, 2915, 2918, 2927, 2929, 2929, 2946, 2947, 2949, 2954, 2958, 2960, 2962, 2965, 2969, 2970, 2972, 2972, 2974, 2975, 2979, 2980, 2984, 2986, 2990, 3001, 3006, 3010, 3014, 3016, 3018, 3021, 3024, 3024, 3031, 3031, 3046, 3055, 3073, 3075, 3077, 3084, 3086, 3088, 3090, 3112, 3114, 3123, 3125, 3129, 3133, 3140, 3142, 3144, 3146, 3149, 3157, 3158, 3160, 3161, 3168, 3171, 3174, 3183, 3202, 3203, 3205, 3212, 3214, 3216, 3218, 3240, 3242, 3251, 3253, 3257, 3260, 3268, 3270, 3272, 3274, 3277, 3285, 3286, 3294, 3294, 3296, 3299, 3302, 3311, 3313, 3314, 3330, 3331, 3333, 3340, 3342, 3344, 3346, 3386, 3389, 3396, 3398, 3400, 3402, 3406, 3415, 3415, 3424, 3427, 3430, 3439, 3450, 3455, 3458, 3459, 3461, 3478, 3482, 3505, 3507, 3515, 3517, 3517, 3520, 3526, 3530, 3530, 3535, 3540, 3542, 3542, 3544, 3551, 3570, 3571, 3585, 3642, 3648, 3662, 3664, 3673, 3713, 3714, 3716, 3716, 3719, 3720, 3722, 3722, 3725, 3725, 3732, 3735, 3737, 3743, 3745, 3747, 3749, 3749, 3751, 3751, 3754, 3755, 3757, 3769, 3771, 3773, 3776, 3780, 3782, 3782, 3784, 3789, 3792, 3801, 3804, 3807, 3840, 3840, 3864, 3865, 3872, 3881, 3893, 3893, 3895, 3895, 3897, 3897, 3902, 3911, 3913, 3948, 3953, 3972, 3974, 3991, 3993, 4028, 4038, 4038, 4096, 4169, 4176, 4253, 4256, 4293, 4295, 4295, 4301, 4301, 4304, 4346, 4348, 4680, 4682, 4685, 4688, 4694, 4696, 4696, 4698, 4701, 4704, 4744, 4746, 4749, 4752, 4784, 4786, 4789, 4792, 4798, 4800, 4800, 4802, 4805, 4808, 4822, 4824, 4880, 4882, 4885, 4888, 4954, 4957, 4959, 4992, 5007, 5024, 5108, 5121, 5740, 5743, 5759, 5761, 5786, 5792, 5866, 5870, 5872, 5888, 5900, 5902, 5908, 5920, 5940, 5952, 5971, 5984, 5996, 5998, 6e3, 6002, 6003, 6016, 6099, 6103, 6103, 6108, 6109, 6112, 6121, 6155, 6157, 6160, 6169, 6176, 6263, 6272, 6314, 6320, 6389, 6400, 6428, 6432, 6443, 6448, 6459, 6470, 6509, 6512, 6516, 6528, 6571, 6576, 6601, 6608, 6617, 6656, 6683, 6688, 6750, 6752, 6780, 6783, 6793, 6800, 6809, 6823, 6823, 6912, 6987, 6992, 7001, 7019, 7027, 7040, 7155, 7168, 7223, 7232, 7241, 7245, 7293, 7376, 7378, 7380, 7414, 7424, 7654, 7676, 7957, 7960, 7965, 7968, 8005, 8008, 8013, 8016, 8023, 8025, 8025, 8027, 8027, 8029, 8029, 8031, 8061, 8064, 8116, 8118, 8124, 8126, 8126, 8130, 8132, 8134, 8140, 8144, 8147, 8150, 8155, 8160, 8172, 8178, 8180, 8182, 8188, 8204, 8205, 8255, 8256, 8276, 8276, 8305, 8305, 8319, 8319, 8336, 8348, 8400, 8412, 8417, 8417, 8421, 8432, 8450, 8450, 8455, 8455, 8458, 8467, 8469, 8469, 8473, 8477, 8484, 8484, 8486, 8486, 8488, 8488, 8490, 8493, 8495, 8505, 8508, 8511, 8517, 8521, 8526, 8526, 8544, 8584, 11264, 11310, 11312, 11358, 11360, 11492, 11499, 11507, 11520, 11557, 11559, 11559, 11565, 11565, 11568, 11623, 11631, 11631, 11647, 11670, 11680, 11686, 11688, 11694, 11696, 11702, 11704, 11710, 11712, 11718, 11720, 11726, 11728, 11734, 11736, 11742, 11744, 11775, 11823, 11823, 12293, 12295, 12321, 12335, 12337, 12341, 12344, 12348, 12353, 12438, 12441, 12442, 12445, 12447, 12449, 12538, 12540, 12543, 12549, 12589, 12593, 12686, 12704, 12730, 12784, 12799, 13312, 19893, 19968, 40908, 40960, 42124, 42192, 42237, 42240, 42508, 42512, 42539, 42560, 42607, 42612, 42621, 42623, 42647, 42655, 42737, 42775, 42783, 42786, 42888, 42891, 42894, 42896, 42899, 42912, 42922, 43e3, 43047, 43072, 43123, 43136, 43204, 43216, 43225, 43232, 43255, 43259, 43259, 43264, 43309, 43312, 43347, 43360, 43388, 43392, 43456, 43471, 43481, 43520, 43574, 43584, 43597, 43600, 43609, 43616, 43638, 43642, 43643, 43648, 43714, 43739, 43741, 43744, 43759, 43762, 43766, 43777, 43782, 43785, 43790, 43793, 43798, 43808, 43814, 43816, 43822, 43968, 44010, 44012, 44013, 44016, 44025, 44032, 55203, 55216, 55238, 55243, 55291, 63744, 64109, 64112, 64217, 64256, 64262, 64275, 64279, 64285, 64296, 64298, 64310, 64312, 64316, 64318, 64318, 64320, 64321, 64323, 64324, 64326, 64433, 64467, 64829, 64848, 64911, 64914, 64967, 65008, 65019, 65024, 65039, 65056, 65062, 65075, 65076, 65101, 65103, 65136, 65140, 65142, 65276, 65296, 65305, 65313, 65338, 65343, 65343, 65345, 65370, 65382, 65470, 65474, 65479, 65482, 65487, 65490, 65495, 65498, 65500]; var unicodeESNextIdentifierStart = [65, 90, 97, 122, 170, 170, 181, 181, 186, 186, 192, 214, 216, 246, 248, 705, 710, 721, 736, 740, 748, 748, 750, 750, 880, 884, 886, 887, 890, 893, 895, 895, 902, 902, 904, 906, 908, 908, 910, 929, 931, 1013, 1015, 1153, 1162, 1327, 1329, 1366, 1369, 1369, 1376, 1416, 1488, 1514, 1519, 1522, 1568, 1610, 1646, 1647, 1649, 1747, 1749, 1749, 1765, 1766, 1774, 1775, 1786, 1788, 1791, 1791, 1808, 1808, 1810, 1839, 1869, 1957, 1969, 1969, 1994, 2026, 2036, 2037, 2042, 2042, 2048, 2069, 2074, 2074, 2084, 2084, 2088, 2088, 2112, 2136, 2144, 2154, 2160, 2183, 2185, 2190, 2208, 2249, 2308, 2361, 2365, 2365, 2384, 2384, 2392, 2401, 2417, 2432, 2437, 2444, 2447, 2448, 2451, 2472, 2474, 2480, 2482, 2482, 2486, 2489, 2493, 2493, 2510, 2510, 2524, 2525, 2527, 2529, 2544, 2545, 2556, 2556, 2565, 2570, 2575, 2576, 2579, 2600, 2602, 2608, 2610, 2611, 2613, 2614, 2616, 2617, 2649, 2652, 2654, 2654, 2674, 2676, 2693, 2701, 2703, 2705, 2707, 2728, 2730, 2736, 2738, 2739, 2741, 2745, 2749, 2749, 2768, 2768, 2784, 2785, 2809, 2809, 2821, 2828, 2831, 2832, 2835, 2856, 2858, 2864, 2866, 2867, 2869, 2873, 2877, 2877, 2908, 2909, 2911, 2913, 2929, 2929, 2947, 2947, 2949, 2954, 2958, 2960, 2962, 2965, 2969, 2970, 2972, 2972, 2974, 2975, 2979, 2980, 2984, 2986, 2990, 3001, 3024, 3024, 3077, 3084, 3086, 3088, 3090, 3112, 3114, 3129, 3133, 3133, 3160, 3162, 3165, 3165, 3168, 3169, 3200, 3200, 3205, 3212, 3214, 3216, 3218, 3240, 3242, 3251, 3253, 3257, 3261, 3261, 3293, 3294, 3296, 3297, 3313, 3314, 3332, 3340, 3342, 3344, 3346, 3386, 3389, 3389, 3406, 3406, 3412, 3414, 3423, 3425, 3450, 3455, 3461, 3478, 3482, 3505, 3507, 3515, 3517, 3517, 3520, 3526, 3585, 3632, 3634, 3635, 3648, 3654, 3713, 3714, 3716, 3716, 3718, 3722, 3724, 3747, 3749, 3749, 3751, 3760, 3762, 3763, 3773, 3773, 3776, 3780, 3782, 3782, 3804, 3807, 3840, 3840, 3904, 3911, 3913, 3948, 3976, 3980, 4096, 4138, 4159, 4159, 4176, 4181, 4186, 4189, 4193, 4193, 4197, 4198, 4206, 4208, 4213, 4225, 4238, 4238, 4256, 4293, 4295, 4295, 4301, 4301, 4304, 4346, 4348, 4680, 4682, 4685, 4688, 4694, 4696, 4696, 4698, 4701, 4704, 4744, 4746, 4749, 4752, 4784, 4786, 4789, 4792, 4798, 4800, 4800, 4802, 4805, 4808, 4822, 4824, 4880, 4882, 4885, 4888, 4954, 4992, 5007, 5024, 5109, 5112, 5117, 5121, 5740, 5743, 5759, 5761, 5786, 5792, 5866, 5870, 5880, 5888, 5905, 5919, 5937, 5952, 5969, 5984, 5996, 5998, 6e3, 6016, 6067, 6103, 6103, 6108, 6108, 6176, 6264, 6272, 6312, 6314, 6314, 6320, 6389, 6400, 6430, 6480, 6509, 6512, 6516, 6528, 6571, 6576, 6601, 6656, 6678, 6688, 6740, 6823, 6823, 6917, 6963, 6981, 6988, 7043, 7072, 7086, 7087, 7098, 7141, 7168, 7203, 7245, 7247, 7258, 7293, 7296, 7304, 7312, 7354, 7357, 7359, 7401, 7404, 7406, 7411, 7413, 7414, 7418, 7418, 7424, 7615, 7680, 7957, 7960, 7965, 7968, 8005, 8008, 8013, 8016, 8023, 8025, 8025, 8027, 8027, 8029, 8029, 8031, 8061, 8064, 8116, 8118, 8124, 8126, 8126, 8130, 8132, 8134, 8140, 8144, 8147, 8150, 8155, 8160, 8172, 8178, 8180, 8182, 8188, 8305, 8305, 8319, 8319, 8336, 8348, 8450, 8450, 8455, 8455, 8458, 8467, 8469, 8469, 8472, 8477, 8484, 8484, 8486, 8486, 8488, 8488, 8490, 8505, 8508, 8511, 8517, 8521, 8526, 8526, 8544, 8584, 11264, 11492, 11499, 11502, 11506, 11507, 11520, 11557, 11559, 11559, 11565, 11565, 11568, 11623, 11631, 11631, 11648, 11670, 11680, 11686, 11688, 11694, 11696, 11702, 11704, 11710, 11712, 11718, 11720, 11726, 11728, 11734, 11736, 11742, 12293, 12295, 12321, 12329, 12337, 12341, 12344, 12348, 12353, 12438, 12443, 12447, 12449, 12538, 12540, 12543, 12549, 12591, 12593, 12686, 12704, 12735, 12784, 12799, 13312, 19903, 19968, 42124, 42192, 42237, 42240, 42508, 42512, 42527, 42538, 42539, 42560, 42606, 42623, 42653, 42656, 42735, 42775, 42783, 42786, 42888, 42891, 42954, 42960, 42961, 42963, 42963, 42965, 42969, 42994, 43009, 43011, 43013, 43015, 43018, 43020, 43042, 43072, 43123, 43138, 43187, 43250, 43255, 43259, 43259, 43261, 43262, 43274, 43301, 43312, 43334, 43360, 43388, 43396, 43442, 43471, 43471, 43488, 43492, 43494, 43503, 43514, 43518, 43520, 43560, 43584, 43586, 43588, 43595, 43616, 43638, 43642, 43642, 43646, 43695, 43697, 43697, 43701, 43702, 43705, 43709, 43712, 43712, 43714, 43714, 43739, 43741, 43744, 43754, 43762, 43764, 43777, 43782, 43785, 43790, 43793, 43798, 43808, 43814, 43816, 43822, 43824, 43866, 43868, 43881, 43888, 44002, 44032, 55203, 55216, 55238, 55243, 55291, 63744, 64109, 64112, 64217, 64256, 64262, 64275, 64279, 64285, 64285, 64287, 64296, 64298, 64310, 64312, 64316, 64318, 64318, 64320, 64321, 64323, 64324, 64326, 64433, 64467, 64829, 64848, 64911, 64914, 64967, 65008, 65019, 65136, 65140, 65142, 65276, 65313, 65338, 65345, 65370, 65382, 65470, 65474, 65479, 65482, 65487, 65490, 65495, 65498, 65500, 65536, 65547, 65549, 65574, 65576, 65594, 65596, 65597, 65599, 65613, 65616, 65629, 65664, 65786, 65856, 65908, 66176, 66204, 66208, 66256, 66304, 66335, 66349, 66378, 66384, 66421, 66432, 66461, 66464, 66499, 66504, 66511, 66513, 66517, 66560, 66717, 66736, 66771, 66776, 66811, 66816, 66855, 66864, 66915, 66928, 66938, 66940, 66954, 66956, 66962, 66964, 66965, 66967, 66977, 66979, 66993, 66995, 67001, 67003, 67004, 67072, 67382, 67392, 67413, 67424, 67431, 67456, 67461, 67463, 67504, 67506, 67514, 67584, 67589, 67592, 67592, 67594, 67637, 67639, 67640, 67644, 67644, 67647, 67669, 67680, 67702, 67712, 67742, 67808, 67826, 67828, 67829, 67840, 67861, 67872, 67897, 67968, 68023, 68030, 68031, 68096, 68096, 68112, 68115, 68117, 68119, 68121, 68149, 68192, 68220, 68224, 68252, 68288, 68295, 68297, 68324, 68352, 68405, 68416, 68437, 68448, 68466, 68480, 68497, 68608, 68680, 68736, 68786, 68800, 68850, 68864, 68899, 69248, 69289, 69296, 69297, 69376, 69404, 69415, 69415, 69424, 69445, 69488, 69505, 69552, 69572, 69600, 69622, 69635, 69687, 69745, 69746, 69749, 69749, 69763, 69807, 69840, 69864, 69891, 69926, 69956, 69956, 69959, 69959, 69968, 70002, 70006, 70006, 70019, 70066, 70081, 70084, 70106, 70106, 70108, 70108, 70144, 70161, 70163, 70187, 70207, 70208, 70272, 70278, 70280, 70280, 70282, 70285, 70287, 70301, 70303, 70312, 70320, 70366, 70405, 70412, 70415, 70416, 70419, 70440, 70442, 70448, 70450, 70451, 70453, 70457, 70461, 70461, 70480, 70480, 70493, 70497, 70656, 70708, 70727, 70730, 70751, 70753, 70784, 70831, 70852, 70853, 70855, 70855, 71040, 71086, 71128, 71131, 71168, 71215, 71236, 71236, 71296, 71338, 71352, 71352, 71424, 71450, 71488, 71494, 71680, 71723, 71840, 71903, 71935, 71942, 71945, 71945, 71948, 71955, 71957, 71958, 71960, 71983, 71999, 71999, 72001, 72001, 72096, 72103, 72106, 72144, 72161, 72161, 72163, 72163, 72192, 72192, 72203, 72242, 72250, 72250, 72272, 72272, 72284, 72329, 72349, 72349, 72368, 72440, 72704, 72712, 72714, 72750, 72768, 72768, 72818, 72847, 72960, 72966, 72968, 72969, 72971, 73008, 73030, 73030, 73056, 73061, 73063, 73064, 73066, 73097, 73112, 73112, 73440, 73458, 73474, 73474, 73476, 73488, 73490, 73523, 73648, 73648, 73728, 74649, 74752, 74862, 74880, 75075, 77712, 77808, 77824, 78895, 78913, 78918, 82944, 83526, 92160, 92728, 92736, 92766, 92784, 92862, 92880, 92909, 92928, 92975, 92992, 92995, 93027, 93047, 93053, 93071, 93760, 93823, 93952, 94026, 94032, 94032, 94099, 94111, 94176, 94177, 94179, 94179, 94208, 100343, 100352, 101589, 101632, 101640, 110576, 110579, 110581, 110587, 110589, 110590, 110592, 110882, 110898, 110898, 110928, 110930, 110933, 110933, 110948, 110951, 110960, 111355, 113664, 113770, 113776, 113788, 113792, 113800, 113808, 113817, 119808, 119892, 119894, 119964, 119966, 119967, 119970, 119970, 119973, 119974, 119977, 119980, 119982, 119993, 119995, 119995, 119997, 120003, 120005, 120069, 120071, 120074, 120077, 120084, 120086, 120092, 120094, 120121, 120123, 120126, 120128, 120132, 120134, 120134, 120138, 120144, 120146, 120485, 120488, 120512, 120514, 120538, 120540, 120570, 120572, 120596, 120598, 120628, 120630, 120654, 120656, 120686, 120688, 120712, 120714, 120744, 120746, 120770, 120772, 120779, 122624, 122654, 122661, 122666, 122928, 122989, 123136, 123180, 123191, 123197, 123214, 123214, 123536, 123565, 123584, 123627, 124112, 124139, 124896, 124902, 124904, 124907, 124909, 124910, 124912, 124926, 124928, 125124, 125184, 125251, 125259, 125259, 126464, 126467, 126469, 126495, 126497, 126498, 126500, 126500, 126503, 126503, 126505, 126514, 126516, 126519, 126521, 126521, 126523, 126523, 126530, 126530, 126535, 126535, 126537, 126537, 126539, 126539, 126541, 126543, 126545, 126546, 126548, 126548, 126551, 126551, 126553, 126553, 126555, 126555, 126557, 126557, 126559, 126559, 126561, 126562, 126564, 126564, 126567, 126570, 126572, 126578, 126580, 126583, 126585, 126588, 126590, 126590, 126592, 126601, 126603, 126619, 126625, 126627, 126629, 126633, 126635, 126651, 131072, 173791, 173824, 177977, 177984, 178205, 178208, 183969, 183984, 191456, 191472, 192093, 194560, 195101, 196608, 201546, 201552, 205743]; var unicodeESNextIdentifierPart = [48, 57, 65, 90, 95, 95, 97, 122, 170, 170, 181, 181, 183, 183, 186, 186, 192, 214, 216, 246, 248, 705, 710, 721, 736, 740, 748, 748, 750, 750, 768, 884, 886, 887, 890, 893, 895, 895, 902, 906, 908, 908, 910, 929, 931, 1013, 1015, 1153, 1155, 1159, 1162, 1327, 1329, 1366, 1369, 1369, 1376, 1416, 1425, 1469, 1471, 1471, 1473, 1474, 1476, 1477, 1479, 1479, 1488, 1514, 1519, 1522, 1552, 1562, 1568, 1641, 1646, 1747, 1749, 1756, 1759, 1768, 1770, 1788, 1791, 1791, 1808, 1866, 1869, 1969, 1984, 2037, 2042, 2042, 2045, 2045, 2048, 2093, 2112, 2139, 2144, 2154, 2160, 2183, 2185, 2190, 2200, 2273, 2275, 2403, 2406, 2415, 2417, 2435, 2437, 2444, 2447, 2448, 2451, 2472, 2474, 2480, 2482, 2482, 2486, 2489, 2492, 2500, 2503, 2504, 2507, 2510, 2519, 2519, 2524, 2525, 2527, 2531, 2534, 2545, 2556, 2556, 2558, 2558, 2561, 2563, 2565, 2570, 2575, 2576, 2579, 2600, 2602, 2608, 2610, 2611, 2613, 2614, 2616, 2617, 2620, 2620, 2622, 2626, 2631, 2632, 2635, 2637, 2641, 2641, 2649, 2652, 2654, 2654, 2662, 2677, 2689, 2691, 2693, 2701, 2703, 2705, 2707, 2728, 2730, 2736, 2738, 2739, 2741, 2745, 2748, 2757, 2759, 2761, 2763, 2765, 2768, 2768, 2784, 2787, 2790, 2799, 2809, 2815, 2817, 2819, 2821, 2828, 2831, 2832, 2835, 2856, 2858, 2864, 2866, 2867, 2869, 2873, 2876, 2884, 2887, 2888, 2891, 2893, 2901, 2903, 2908, 2909, 2911, 2915, 2918, 2927, 2929, 2929, 2946, 2947, 2949, 2954, 2958, 2960, 2962, 2965, 2969, 2970, 2972, 2972, 2974, 2975, 2979, 2980, 2984, 2986, 2990, 3001, 3006, 3010, 3014, 3016, 3018, 3021, 3024, 3024, 3031, 3031, 3046, 3055, 3072, 3084, 3086, 3088, 3090, 3112, 3114, 3129, 3132, 3140, 3142, 3144, 3146, 3149, 3157, 3158, 3160, 3162, 3165, 3165, 3168, 3171, 3174, 3183, 3200, 3203, 3205, 3212, 3214, 3216, 3218, 3240, 3242, 3251, 3253, 3257, 3260, 3268, 3270, 3272, 3274, 3277, 3285, 3286, 3293, 3294, 3296, 3299, 3302, 3311, 3313, 3315, 3328, 3340, 3342, 3344, 3346, 3396, 3398, 3400, 3402, 3406, 3412, 3415, 3423, 3427, 3430, 3439, 3450, 3455, 3457, 3459, 3461, 3478, 3482, 3505, 3507, 3515, 3517, 3517, 3520, 3526, 3530, 3530, 3535, 3540, 3542, 3542, 3544, 3551, 3558, 3567, 3570, 3571, 3585, 3642, 3648, 3662, 3664, 3673, 3713, 3714, 3716, 3716, 3718, 3722, 3724, 3747, 3749, 3749, 3751, 3773, 3776, 3780, 3782, 3782, 3784, 3790, 3792, 3801, 3804, 3807, 3840, 3840, 3864, 3865, 3872, 3881, 3893, 3893, 3895, 3895, 3897, 3897, 3902, 3911, 3913, 3948, 3953, 3972, 3974, 3991, 3993, 4028, 4038, 4038, 4096, 4169, 4176, 4253, 4256, 4293, 4295, 4295, 4301, 4301, 4304, 4346, 4348, 4680, 4682, 4685, 4688, 4694, 4696, 4696, 4698, 4701, 4704, 4744, 4746, 4749, 4752, 4784, 4786, 4789, 4792, 4798, 4800, 4800, 4802, 4805, 4808, 4822, 4824, 4880, 4882, 4885, 4888, 4954, 4957, 4959, 4969, 4977, 4992, 5007, 5024, 5109, 5112, 5117, 5121, 5740, 5743, 5759, 5761, 5786, 5792, 5866, 5870, 5880, 5888, 5909, 5919, 5940, 5952, 5971, 5984, 5996, 5998, 6e3, 6002, 6003, 6016, 6099, 6103, 6103, 6108, 6109, 6112, 6121, 6155, 6157, 6159, 6169, 6176, 6264, 6272, 6314, 6320, 6389, 6400, 6430, 6432, 6443, 6448, 6459, 6470, 6509, 6512, 6516, 6528, 6571, 6576, 6601, 6608, 6618, 6656, 6683, 6688, 6750, 6752, 6780, 6783, 6793, 6800, 6809, 6823, 6823, 6832, 6845, 6847, 6862, 6912, 6988, 6992, 7001, 7019, 7027, 7040, 7155, 7168, 7223, 7232, 7241, 7245, 7293, 7296, 7304, 7312, 7354, 7357, 7359, 7376, 7378, 7380, 7418, 7424, 7957, 7960, 7965, 7968, 8005, 8008, 8013, 8016, 8023, 8025, 8025, 8027, 8027, 8029, 8029, 8031, 8061, 8064, 8116, 8118, 8124, 8126, 8126, 8130, 8132, 8134, 8140, 8144, 8147, 8150, 8155, 8160, 8172, 8178, 8180, 8182, 8188, 8204, 8205, 8255, 8256, 8276, 8276, 8305, 8305, 8319, 8319, 8336, 8348, 8400, 8412, 8417, 8417, 8421, 8432, 8450, 8450, 8455, 8455, 8458, 8467, 8469, 8469, 8472, 8477, 8484, 8484, 8486, 8486, 8488, 8488, 8490, 8505, 8508, 8511, 8517, 8521, 8526, 8526, 8544, 8584, 11264, 11492, 11499, 11507, 11520, 11557, 11559, 11559, 11565, 11565, 11568, 11623, 11631, 11631, 11647, 11670, 11680, 11686, 11688, 11694, 11696, 11702, 11704, 11710, 11712, 11718, 11720, 11726, 11728, 11734, 11736, 11742, 11744, 11775, 12293, 12295, 12321, 12335, 12337, 12341, 12344, 12348, 12353, 12438, 12441, 12447, 12449, 12543, 12549, 12591, 12593, 12686, 12704, 12735, 12784, 12799, 13312, 19903, 19968, 42124, 42192, 42237, 42240, 42508, 42512, 42539, 42560, 42607, 42612, 42621, 42623, 42737, 42775, 42783, 42786, 42888, 42891, 42954, 42960, 42961, 42963, 42963, 42965, 42969, 42994, 43047, 43052, 43052, 43072, 43123, 43136, 43205, 43216, 43225, 43232, 43255, 43259, 43259, 43261, 43309, 43312, 43347, 43360, 43388, 43392, 43456, 43471, 43481, 43488, 43518, 43520, 43574, 43584, 43597, 43600, 43609, 43616, 43638, 43642, 43714, 43739, 43741, 43744, 43759, 43762, 43766, 43777, 43782, 43785, 43790, 43793, 43798, 43808, 43814, 43816, 43822, 43824, 43866, 43868, 43881, 43888, 44010, 44012, 44013, 44016, 44025, 44032, 55203, 55216, 55238, 55243, 55291, 63744, 64109, 64112, 64217, 64256, 64262, 64275, 64279, 64285, 64296, 64298, 64310, 64312, 64316, 64318, 64318, 64320, 64321, 64323, 64324, 64326, 64433, 64467, 64829, 64848, 64911, 64914, 64967, 65008, 65019, 65024, 65039, 65056, 65071, 65075, 65076, 65101, 65103, 65136, 65140, 65142, 65276, 65296, 65305, 65313, 65338, 65343, 65343, 65345, 65370, 65381, 65470, 65474, 65479, 65482, 65487, 65490, 65495, 65498, 65500, 65536, 65547, 65549, 65574, 65576, 65594, 65596, 65597, 65599, 65613, 65616, 65629, 65664, 65786, 65856, 65908, 66045, 66045, 66176, 66204, 66208, 66256, 66272, 66272, 66304, 66335, 66349, 66378, 66384, 66426, 66432, 66461, 66464, 66499, 66504, 66511, 66513, 66517, 66560, 66717, 66720, 66729, 66736, 66771, 66776, 66811, 66816, 66855, 66864, 66915, 66928, 66938, 66940, 66954, 66956, 66962, 66964, 66965, 66967, 66977, 66979, 66993, 66995, 67001, 67003, 67004, 67072, 67382, 67392, 67413, 67424, 67431, 67456, 67461, 67463, 67504, 67506, 67514, 67584, 67589, 67592, 67592, 67594, 67637, 67639, 67640, 67644, 67644, 67647, 67669, 67680, 67702, 67712, 67742, 67808, 67826, 67828, 67829, 67840, 67861, 67872, 67897, 67968, 68023, 68030, 68031, 68096, 68099, 68101, 68102, 68108, 68115, 68117, 68119, 68121, 68149, 68152, 68154, 68159, 68159, 68192, 68220, 68224, 68252, 68288, 68295, 68297, 68326, 68352, 68405, 68416, 68437, 68448, 68466, 68480, 68497, 68608, 68680, 68736, 68786, 68800, 68850, 68864, 68903, 68912, 68921, 69248, 69289, 69291, 69292, 69296, 69297, 69373, 69404, 69415, 69415, 69424, 69456, 69488, 69509, 69552, 69572, 69600, 69622, 69632, 69702, 69734, 69749, 69759, 69818, 69826, 69826, 69840, 69864, 69872, 69881, 69888, 69940, 69942, 69951, 69956, 69959, 69968, 70003, 70006, 70006, 70016, 70084, 70089, 70092, 70094, 70106, 70108, 70108, 70144, 70161, 70163, 70199, 70206, 70209, 70272, 70278, 70280, 70280, 70282, 70285, 70287, 70301, 70303, 70312, 70320, 70378, 70384, 70393, 70400, 70403, 70405, 70412, 70415, 70416, 70419, 70440, 70442, 70448, 70450, 70451, 70453, 70457, 70459, 70468, 70471, 70472, 70475, 70477, 70480, 70480, 70487, 70487, 70493, 70499, 70502, 70508, 70512, 70516, 70656, 70730, 70736, 70745, 70750, 70753, 70784, 70853, 70855, 70855, 70864, 70873, 71040, 71093, 71096, 71104, 71128, 71133, 71168, 71232, 71236, 71236, 71248, 71257, 71296, 71352, 71360, 71369, 71424, 71450, 71453, 71467, 71472, 71481, 71488, 71494, 71680, 71738, 71840, 71913, 71935, 71942, 71945, 71945, 71948, 71955, 71957, 71958, 71960, 71989, 71991, 71992, 71995, 72003, 72016, 72025, 72096, 72103, 72106, 72151, 72154, 72161, 72163, 72164, 72192, 72254, 72263, 72263, 72272, 72345, 72349, 72349, 72368, 72440, 72704, 72712, 72714, 72758, 72760, 72768, 72784, 72793, 72818, 72847, 72850, 72871, 72873, 72886, 72960, 72966, 72968, 72969, 72971, 73014, 73018, 73018, 73020, 73021, 73023, 73031, 73040, 73049, 73056, 73061, 73063, 73064, 73066, 73102, 73104, 73105, 73107, 73112, 73120, 73129, 73440, 73462, 73472, 73488, 73490, 73530, 73534, 73538, 73552, 73561, 73648, 73648, 73728, 74649, 74752, 74862, 74880, 75075, 77712, 77808, 77824, 78895, 78912, 78933, 82944, 83526, 92160, 92728, 92736, 92766, 92768, 92777, 92784, 92862, 92864, 92873, 92880, 92909, 92912, 92916, 92928, 92982, 92992, 92995, 93008, 93017, 93027, 93047, 93053, 93071, 93760, 93823, 93952, 94026, 94031, 94087, 94095, 94111, 94176, 94177, 94179, 94180, 94192, 94193, 94208, 100343, 100352, 101589, 101632, 101640, 110576, 110579, 110581, 110587, 110589, 110590, 110592, 110882, 110898, 110898, 110928, 110930, 110933, 110933, 110948, 110951, 110960, 111355, 113664, 113770, 113776, 113788, 113792, 113800, 113808, 113817, 113821, 113822, 118528, 118573, 118576, 118598, 119141, 119145, 119149, 119154, 119163, 119170, 119173, 119179, 119210, 119213, 119362, 119364, 119808, 119892, 119894, 119964, 119966, 119967, 119970, 119970, 119973, 119974, 119977, 119980, 119982, 119993, 119995, 119995, 119997, 120003, 120005, 120069, 120071, 120074, 120077, 120084, 120086, 120092, 120094, 120121, 120123, 120126, 120128, 120132, 120134, 120134, 120138, 120144, 120146, 120485, 120488, 120512, 120514, 120538, 120540, 120570, 120572, 120596, 120598, 120628, 120630, 120654, 120656, 120686, 120688, 120712, 120714, 120744, 120746, 120770, 120772, 120779, 120782, 120831, 121344, 121398, 121403, 121452, 121461, 121461, 121476, 121476, 121499, 121503, 121505, 121519, 122624, 122654, 122661, 122666, 122880, 122886, 122888, 122904, 122907, 122913, 122915, 122916, 122918, 122922, 122928, 122989, 123023, 123023, 123136, 123180, 123184, 123197, 123200, 123209, 123214, 123214, 123536, 123566, 123584, 123641, 124112, 124153, 124896, 124902, 124904, 124907, 124909, 124910, 124912, 124926, 124928, 125124, 125136, 125142, 125184, 125259, 125264, 125273, 126464, 126467, 126469, 126495, 126497, 126498, 126500, 126500, 126503, 126503, 126505, 126514, 126516, 126519, 126521, 126521, 126523, 126523, 126530, 126530, 126535, 126535, 126537, 126537, 126539, 126539, 126541, 126543, 126545, 126546, 126548, 126548, 126551, 126551, 126553, 126553, 126555, 126555, 126557, 126557, 126559, 126559, 126561, 126562, 126564, 126564, 126567, 126570, 126572, 126578, 126580, 126583, 126585, 126588, 126590, 126590, 126592, 126601, 126603, 126619, 126625, 126627, 126629, 126633, 126635, 126651, 130032, 130041, 131072, 173791, 173824, 177977, 177984, 178205, 178208, 183969, 183984, 191456, 191472, 192093, 194560, 195101, 196608, 201546, 201552, 205743, 917760, 917999]; var commentDirectiveRegExSingleLine = /^\/\/\/?\s*@(ts-expect-error|ts-ignore)/; var commentDirectiveRegExMultiLine = /^(?:\/|\*)*\s*@(ts-expect-error|ts-ignore)/; var jsDocSeeOrLink = /@(?:see|link)/i; function lookupInUnicodeMap(code, map2) { if (code < map2[0]) { return false; } let lo = 0; let hi = map2.length; let mid; while (lo + 1 < hi) { mid = lo + (hi - lo) / 2; mid -= mid % 2; if (map2[mid] <= code && code <= map2[mid + 1]) { return true; } if (code < map2[mid]) { hi = mid; } else { lo = mid + 2; } } return false; } function isUnicodeIdentifierStart(code, languageVersion) { return languageVersion >= 2 ? lookupInUnicodeMap(code, unicodeESNextIdentifierStart) : lookupInUnicodeMap(code, unicodeES5IdentifierStart); } function isUnicodeIdentifierPart(code, languageVersion) { return languageVersion >= 2 ? lookupInUnicodeMap(code, unicodeESNextIdentifierPart) : lookupInUnicodeMap(code, unicodeES5IdentifierPart); } function makeReverseMap(source) { const result = []; source.forEach((value, name) => { result[value] = name; }); return result; } var tokenStrings = makeReverseMap(textToToken); function tokenToString(t) { return tokenStrings[t]; } function stringToToken(s) { return textToToken.get(s); } var regExpFlagChars = makeReverseMap(charToRegExpFlag); function regularExpressionFlagToCharacter(f) { return regExpFlagChars[f]; } function characterToRegularExpressionFlag(c) { return charToRegExpFlag.get(c); } function computeLineStarts(text) { const result = []; let pos = 0; let lineStart = 0; while (pos < text.length) { const ch = text.charCodeAt(pos); pos++; switch (ch) { case 13: if (text.charCodeAt(pos) === 10) { pos++; } case 10: result.push(lineStart); lineStart = pos; break; default: if (ch > 127 && isLineBreak(ch)) { result.push(lineStart); lineStart = pos; } break; } } result.push(lineStart); return result; } function getPositionOfLineAndCharacter(sourceFile, line, character, allowEdits) { return sourceFile.getPositionOfLineAndCharacter ? sourceFile.getPositionOfLineAndCharacter(line, character, allowEdits) : computePositionOfLineAndCharacter(getLineStarts(sourceFile), line, character, sourceFile.text, allowEdits); } function computePositionOfLineAndCharacter(lineStarts, line, character, debugText, allowEdits) { if (line < 0 || line >= lineStarts.length) { if (allowEdits) { line = line < 0 ? 0 : line >= lineStarts.length ? lineStarts.length - 1 : line; } else { Debug.fail(`Bad line number. Line: ${line}, lineStarts.length: ${lineStarts.length} , line map is correct? ${debugText !== void 0 ? arraysEqual(lineStarts, computeLineStarts(debugText)) : "unknown"}`); } } const res = lineStarts[line] + character; if (allowEdits) { return res > lineStarts[line + 1] ? lineStarts[line + 1] : typeof debugText === "string" && res > debugText.length ? debugText.length : res; } if (line < lineStarts.length - 1) { Debug.assert(res < lineStarts[line + 1]); } else if (debugText !== void 0) { Debug.assert(res <= debugText.length); } return res; } function getLineStarts(sourceFile) { return sourceFile.lineMap || (sourceFile.lineMap = computeLineStarts(sourceFile.text)); } function computeLineAndCharacterOfPosition(lineStarts, position) { const lineNumber = computeLineOfPosition(lineStarts, position); return { line: lineNumber, character: position - lineStarts[lineNumber] }; } function computeLineOfPosition(lineStarts, position, lowerBound) { let lineNumber = binarySearch(lineStarts, position, identity2, compareValues, lowerBound); if (lineNumber < 0) { lineNumber = ~lineNumber - 1; Debug.assert(lineNumber !== -1, "position cannot precede the beginning of the file"); } return lineNumber; } function getLinesBetweenPositions(sourceFile, pos1, pos2) { if (pos1 === pos2) return 0; const lineStarts = getLineStarts(sourceFile); const lower = Math.min(pos1, pos2); const isNegative2 = lower === pos2; const upper = isNegative2 ? pos1 : pos2; const lowerLine = computeLineOfPosition(lineStarts, lower); const upperLine = computeLineOfPosition(lineStarts, upper, lowerLine); return isNegative2 ? lowerLine - upperLine : upperLine - lowerLine; } function getLineAndCharacterOfPosition(sourceFile, position) { return computeLineAndCharacterOfPosition(getLineStarts(sourceFile), position); } function isWhiteSpaceLike(ch) { return isWhiteSpaceSingleLine(ch) || isLineBreak(ch); } function isWhiteSpaceSingleLine(ch) { return ch === 32 || ch === 9 || ch === 11 || ch === 12 || ch === 160 || ch === 133 || ch === 5760 || ch >= 8192 && ch <= 8203 || ch === 8239 || ch === 8287 || ch === 12288 || ch === 65279; } function isLineBreak(ch) { return ch === 10 || ch === 13 || ch === 8232 || ch === 8233; } function isDigit(ch) { return ch >= 48 && ch <= 57; } function isHexDigit(ch) { return isDigit(ch) || ch >= 65 && ch <= 70 || ch >= 97 && ch <= 102; } function isASCIILetter(ch) { return ch >= 65 && ch <= 90 || ch >= 97 && ch <= 122; } function isWordCharacter(ch) { return isASCIILetter(ch) || isDigit(ch) || ch === 95; } function isOctalDigit(ch) { return ch >= 48 && ch <= 55; } function couldStartTrivia(text, pos) { const ch = text.charCodeAt(pos); switch (ch) { case 13: case 10: case 9: case 11: case 12: case 32: case 47: case 60: case 124: case 61: case 62: return true; case 35: return pos === 0; default: return ch > 127; } } function skipTrivia(text, pos, stopAfterLineBreak, stopAtComments, inJSDoc) { if (positionIsSynthesized(pos)) { return pos; } let canConsumeStar = false; while (true) { const ch = text.charCodeAt(pos); switch (ch) { case 13: if (text.charCodeAt(pos + 1) === 10) { pos++; } case 10: pos++; if (stopAfterLineBreak) { return pos; } canConsumeStar = !!inJSDoc; continue; case 9: case 11: case 12: case 32: pos++; continue; case 47: if (stopAtComments) { break; } if (text.charCodeAt(pos + 1) === 47) { pos += 2; while (pos < text.length) { if (isLineBreak(text.charCodeAt(pos))) { break; } pos++; } canConsumeStar = false; continue; } if (text.charCodeAt(pos + 1) === 42) { pos += 2; while (pos < text.length) { if (text.charCodeAt(pos) === 42 && text.charCodeAt(pos + 1) === 47) { pos += 2; break; } pos++; } canConsumeStar = false; continue; } break; case 60: case 124: case 61: case 62: if (isConflictMarkerTrivia(text, pos)) { pos = scanConflictMarkerTrivia(text, pos); canConsumeStar = false; continue; } break; case 35: if (pos === 0 && isShebangTrivia(text, pos)) { pos = scanShebangTrivia(text, pos); canConsumeStar = false; continue; } break; case 42: if (canConsumeStar) { pos++; canConsumeStar = false; continue; } break; default: if (ch > 127 && isWhiteSpaceLike(ch)) { pos++; continue; } break; } return pos; } } var mergeConflictMarkerLength = "<<<<<<<".length; function isConflictMarkerTrivia(text, pos) { Debug.assert(pos >= 0); if (pos === 0 || isLineBreak(text.charCodeAt(pos - 1))) { const ch = text.charCodeAt(pos); if (pos + mergeConflictMarkerLength < text.length) { for (let i = 0; i < mergeConflictMarkerLength; i++) { if (text.charCodeAt(pos + i) !== ch) { return false; } } return ch === 61 || text.charCodeAt(pos + mergeConflictMarkerLength) === 32; } } return false; } function scanConflictMarkerTrivia(text, pos, error2) { if (error2) { error2(Diagnostics.Merge_conflict_marker_encountered, pos, mergeConflictMarkerLength); } const ch = text.charCodeAt(pos); const len = text.length; if (ch === 60 || ch === 62) { while (pos < len && !isLineBreak(text.charCodeAt(pos))) { pos++; } } else { Debug.assert( ch === 124 || ch === 61 /* equals */ ); while (pos < len) { const currentChar = text.charCodeAt(pos); if ((currentChar === 61 || currentChar === 62) && currentChar !== ch && isConflictMarkerTrivia(text, pos)) { break; } pos++; } } return pos; } var shebangTriviaRegex = /^#!.*/; function isShebangTrivia(text, pos) { Debug.assert(pos === 0); return shebangTriviaRegex.test(text); } function scanShebangTrivia(text, pos) { const shebang = shebangTriviaRegex.exec(text)[0]; pos = pos + shebang.length; return pos; } function iterateCommentRanges(reduce, text, pos, trailing, cb, state, initial) { let pendingPos; let pendingEnd; let pendingKind; let pendingHasTrailingNewLine; let hasPendingCommentRange = false; let collecting = trailing; let accumulator = initial; if (pos === 0) { collecting = true; const shebang = getShebang(text); if (shebang) { pos = shebang.length; } } scan: while (pos >= 0 && pos < text.length) { const ch = text.charCodeAt(pos); switch (ch) { case 13: if (text.charCodeAt(pos + 1) === 10) { pos++; } case 10: pos++; if (trailing) { break scan; } collecting = true; if (hasPendingCommentRange) { pendingHasTrailingNewLine = true; } continue; case 9: case 11: case 12: case 32: pos++; continue; case 47: const nextChar = text.charCodeAt(pos + 1); let hasTrailingNewLine = false; if (nextChar === 47 || nextChar === 42) { const kind = nextChar === 47 ? 2 : 3; const startPos = pos; pos += 2; if (nextChar === 47) { while (pos < text.length) { if (isLineBreak(text.charCodeAt(pos))) { hasTrailingNewLine = true; break; } pos++; } } else { while (pos < text.length) { if (text.charCodeAt(pos) === 42 && text.charCodeAt(pos + 1) === 47) { pos += 2; break; } pos++; } } if (collecting) { if (hasPendingCommentRange) { accumulator = cb(pendingPos, pendingEnd, pendingKind, pendingHasTrailingNewLine, state, accumulator); if (!reduce && accumulator) { return accumulator; } } pendingPos = startPos; pendingEnd = pos; pendingKind = kind; pendingHasTrailingNewLine = hasTrailingNewLine; hasPendingCommentRange = true; } continue; } break scan; default: if (ch > 127 && isWhiteSpaceLike(ch)) { if (hasPendingCommentRange && isLineBreak(ch)) { pendingHasTrailingNewLine = true; } pos++; continue; } break scan; } } if (hasPendingCommentRange) { accumulator = cb(pendingPos, pendingEnd, pendingKind, pendingHasTrailingNewLine, state, accumulator); } return accumulator; } function forEachLeadingCommentRange(text, pos, cb, state) { return iterateCommentRanges( /*reduce*/ false, text, pos, /*trailing*/ false, cb, state ); } function forEachTrailingCommentRange(text, pos, cb, state) { return iterateCommentRanges( /*reduce*/ false, text, pos, /*trailing*/ true, cb, state ); } function reduceEachLeadingCommentRange(text, pos, cb, state, initial) { return iterateCommentRanges( /*reduce*/ true, text, pos, /*trailing*/ false, cb, state, initial ); } function reduceEachTrailingCommentRange(text, pos, cb, state, initial) { return iterateCommentRanges( /*reduce*/ true, text, pos, /*trailing*/ true, cb, state, initial ); } function appendCommentRange(pos, end, kind, hasTrailingNewLine, _state, comments = []) { comments.push({ kind, pos, end, hasTrailingNewLine }); return comments; } function getLeadingCommentRanges(text, pos) { return reduceEachLeadingCommentRange( text, pos, appendCommentRange, /*state*/ void 0, /*initial*/ void 0 ); } function getTrailingCommentRanges(text, pos) { return reduceEachTrailingCommentRange( text, pos, appendCommentRange, /*state*/ void 0, /*initial*/ void 0 ); } function getShebang(text) { const match = shebangTriviaRegex.exec(text); if (match) { return match[0]; } } function isIdentifierStart(ch, languageVersion) { return isASCIILetter(ch) || ch === 36 || ch === 95 || ch > 127 && isUnicodeIdentifierStart(ch, languageVersion); } function isIdentifierPart(ch, languageVersion, identifierVariant) { return isWordCharacter(ch) || ch === 36 || // "-" and ":" are valid in JSX Identifiers (identifierVariant === 1 ? ch === 45 || ch === 58 : false) || ch > 127 && isUnicodeIdentifierPart(ch, languageVersion); } function isIdentifierText(name, languageVersion, identifierVariant) { let ch = codePointAt(name, 0); if (!isIdentifierStart(ch, languageVersion)) { return false; } for (let i = charSize(ch); i < name.length; i += charSize(ch)) { if (!isIdentifierPart(ch = codePointAt(name, i), languageVersion, identifierVariant)) { return false; } } return true; } function createScanner(languageVersion, skipTrivia2, languageVariant = 0, textInitial, onError, start, length2) { var text = textInitial; var pos; var end; var fullStartPos; var tokenStart; var token; var tokenValue; var tokenFlags; var commentDirectives; var skipJsDocLeadingAsterisks = 0; var scriptKind = 0; var jsDocParsingMode = 0; setText(text, start, length2); var scanner2 = { getTokenFullStart: () => fullStartPos, getStartPos: () => fullStartPos, getTokenEnd: () => pos, getTextPos: () => pos, getToken: () => token, getTokenStart: () => tokenStart, getTokenPos: () => tokenStart, getTokenText: () => text.substring(tokenStart, pos), getTokenValue: () => tokenValue, hasUnicodeEscape: () => (tokenFlags & 1024) !== 0, hasExtendedUnicodeEscape: () => (tokenFlags & 8) !== 0, hasPrecedingLineBreak: () => (tokenFlags & 1) !== 0, hasPrecedingJSDocComment: () => (tokenFlags & 2) !== 0, isIdentifier: () => token === 80 || token > 118, isReservedWord: () => token >= 83 && token <= 118, isUnterminated: () => (tokenFlags & 4) !== 0, getCommentDirectives: () => commentDirectives, getNumericLiteralFlags: () => tokenFlags & 25584, getTokenFlags: () => tokenFlags, reScanGreaterToken, reScanAsteriskEqualsToken, reScanSlashToken, reScanTemplateToken, reScanTemplateHeadOrNoSubstitutionTemplate, scanJsxIdentifier, scanJsxAttributeValue, reScanJsxAttributeValue, reScanJsxToken, reScanLessThanToken, reScanHashToken, reScanQuestionToken, reScanInvalidIdentifier, scanJsxToken, scanJsDocToken, scanJSDocCommentTextToken, scan, getText, clearCommentDirectives, setText, setScriptTarget, setLanguageVariant, setScriptKind, setJSDocParsingMode, setOnError, resetTokenState, setTextPos: resetTokenState, setSkipJsDocLeadingAsterisks, tryScan, lookAhead, scanRange }; if (Debug.isDebugging) { Object.defineProperty(scanner2, "__debugShowCurrentPositionInText", { get: () => { const text2 = scanner2.getText(); return text2.slice(0, scanner2.getTokenFullStart()) + "\u2551" + text2.slice(scanner2.getTokenFullStart()); } }); } return scanner2; function codePointUnchecked(pos2) { return codePointAt(text, pos2); } function codePointChecked(pos2) { return pos2 >= 0 && pos2 < end ? codePointUnchecked(pos2) : -1; } function charCodeUnchecked(pos2) { return text.charCodeAt(pos2); } function charCodeChecked(pos2) { return pos2 >= 0 && pos2 < end ? charCodeUnchecked(pos2) : -1; } function error2(message, errPos = pos, length3, arg0) { if (onError) { const oldPos = pos; pos = errPos; onError(message, length3 || 0, arg0); pos = oldPos; } } function scanNumberFragment() { let start2 = pos; let allowSeparator = false; let isPreviousTokenSeparator = false; let result = ""; while (true) { const ch = charCodeUnchecked(pos); if (ch === 95) { tokenFlags |= 512; if (allowSeparator) { allowSeparator = false; isPreviousTokenSeparator = true; result += text.substring(start2, pos); } else { tokenFlags |= 16384; if (isPreviousTokenSeparator) { error2(Diagnostics.Multiple_consecutive_numeric_separators_are_not_permitted, pos, 1); } else { error2(Diagnostics.Numeric_separators_are_not_allowed_here, pos, 1); } } pos++; start2 = pos; continue; } if (isDigit(ch)) { allowSeparator = true; isPreviousTokenSeparator = false; pos++; continue; } break; } if (charCodeUnchecked(pos - 1) === 95) { tokenFlags |= 16384; error2(Diagnostics.Numeric_separators_are_not_allowed_here, pos - 1, 1); } return result + text.substring(start2, pos); } function scanNumber() { let start2 = pos; let mainFragment; if (charCodeUnchecked(pos) === 48) { pos++; if (charCodeUnchecked(pos) === 95) { tokenFlags |= 512 | 16384; error2(Diagnostics.Numeric_separators_are_not_allowed_here, pos, 1); pos--; mainFragment = scanNumberFragment(); } else if (!scanDigits()) { tokenFlags |= 8192; mainFragment = "" + +tokenValue; } else if (!tokenValue) { mainFragment = "0"; } else { tokenValue = "" + parseInt(tokenValue, 8); tokenFlags |= 32; const withMinus = token === 41; const literal = (withMinus ? "-" : "") + "0o" + (+tokenValue).toString(8); if (withMinus) start2--; error2(Diagnostics.Octal_literals_are_not_allowed_Use_the_syntax_0, start2, pos - start2, literal); return 9; } } else { mainFragment = scanNumberFragment(); } let decimalFragment; let scientificFragment; if (charCodeUnchecked(pos) === 46) { pos++; decimalFragment = scanNumberFragment(); } let end2 = pos; if (charCodeUnchecked(pos) === 69 || charCodeUnchecked(pos) === 101) { pos++; tokenFlags |= 16; if (charCodeUnchecked(pos) === 43 || charCodeUnchecked(pos) === 45) pos++; const preNumericPart = pos; const finalFragment = scanNumberFragment(); if (!finalFragment) { error2(Diagnostics.Digit_expected); } else { scientificFragment = text.substring(end2, preNumericPart) + finalFragment; end2 = pos; } } let result; if (tokenFlags & 512) { result = mainFragment; if (decimalFragment) { result += "." + decimalFragment; } if (scientificFragment) { result += scientificFragment; } } else { result = text.substring(start2, end2); } if (tokenFlags & 8192) { error2(Diagnostics.Decimals_with_leading_zeros_are_not_allowed, start2, end2 - start2); tokenValue = "" + +result; return 9; } if (decimalFragment !== void 0 || tokenFlags & 16) { checkForIdentifierStartAfterNumericLiteral(start2, decimalFragment === void 0 && !!(tokenFlags & 16)); tokenValue = "" + +result; return 9; } else { tokenValue = result; const type = checkBigIntSuffix(); checkForIdentifierStartAfterNumericLiteral(start2); return type; } } function checkForIdentifierStartAfterNumericLiteral(numericStart, isScientific) { if (!isIdentifierStart(codePointUnchecked(pos), languageVersion)) { return; } const identifierStart = pos; const { length: length3 } = scanIdentifierParts(); if (length3 === 1 && text[identifierStart] === "n") { if (isScientific) { error2(Diagnostics.A_bigint_literal_cannot_use_exponential_notation, numericStart, identifierStart - numericStart + 1); } else { error2(Diagnostics.A_bigint_literal_must_be_an_integer, numericStart, identifierStart - numericStart + 1); } } else { error2(Diagnostics.An_identifier_or_keyword_cannot_immediately_follow_a_numeric_literal, identifierStart, length3); pos = identifierStart; } } function scanDigits() { const start2 = pos; let isOctal = true; while (isDigit(charCodeChecked(pos))) { if (!isOctalDigit(charCodeUnchecked(pos))) { isOctal = false; } pos++; } tokenValue = text.substring(start2, pos); return isOctal; } function scanExactNumberOfHexDigits(count, canHaveSeparators) { const valueString = scanHexDigits( /*minCount*/ count, /*scanAsManyAsPossible*/ false, canHaveSeparators ); return valueString ? parseInt(valueString, 16) : -1; } function scanMinimumNumberOfHexDigits(count, canHaveSeparators) { return scanHexDigits( /*minCount*/ count, /*scanAsManyAsPossible*/ true, canHaveSeparators ); } function scanHexDigits(minCount, scanAsManyAsPossible, canHaveSeparators) { let valueChars = []; let allowSeparator = false; let isPreviousTokenSeparator = false; while (valueChars.length < minCount || scanAsManyAsPossible) { let ch = charCodeUnchecked(pos); if (canHaveSeparators && ch === 95) { tokenFlags |= 512; if (allowSeparator) { allowSeparator = false; isPreviousTokenSeparator = true; } else if (isPreviousTokenSeparator) { error2(Diagnostics.Multiple_consecutive_numeric_separators_are_not_permitted, pos, 1); } else { error2(Diagnostics.Numeric_separators_are_not_allowed_here, pos, 1); } pos++; continue; } allowSeparator = canHaveSeparators; if (ch >= 65 && ch <= 70) { ch += 97 - 65; } else if (!(ch >= 48 && ch <= 57 || ch >= 97 && ch <= 102)) { break; } valueChars.push(ch); pos++; isPreviousTokenSeparator = false; } if (valueChars.length < minCount) { valueChars = []; } if (charCodeUnchecked(pos - 1) === 95) { error2(Diagnostics.Numeric_separators_are_not_allowed_here, pos - 1, 1); } return String.fromCharCode(...valueChars); } function scanString(jsxAttributeString = false) { const quote2 = charCodeUnchecked(pos); pos++; let result = ""; let start2 = pos; while (true) { if (pos >= end) { result += text.substring(start2, pos); tokenFlags |= 4; error2(Diagnostics.Unterminated_string_literal); break; } const ch = charCodeUnchecked(pos); if (ch === quote2) { result += text.substring(start2, pos); pos++; break; } if (ch === 92 && !jsxAttributeString) { result += text.substring(start2, pos); result += scanEscapeSequence( 1 | 2 /* ReportErrors */ ); start2 = pos; continue; } if ((ch === 10 || ch === 13) && !jsxAttributeString) { result += text.substring(start2, pos); tokenFlags |= 4; error2(Diagnostics.Unterminated_string_literal); break; } pos++; } return result; } function scanTemplateAndSetTokenValue(shouldEmitInvalidEscapeError) { const startedWithBacktick = charCodeUnchecked(pos) === 96; pos++; let start2 = pos; let contents = ""; let resultingToken; while (true) { if (pos >= end) { contents += text.substring(start2, pos); tokenFlags |= 4; error2(Diagnostics.Unterminated_template_literal); resultingToken = startedWithBacktick ? 15 : 18; break; } const currChar = charCodeUnchecked(pos); if (currChar === 96) { contents += text.substring(start2, pos); pos++; resultingToken = startedWithBacktick ? 15 : 18; break; } if (currChar === 36 && pos + 1 < end && charCodeUnchecked(pos + 1) === 123) { contents += text.substring(start2, pos); pos += 2; resultingToken = startedWithBacktick ? 16 : 17; break; } if (currChar === 92) { contents += text.substring(start2, pos); contents += scanEscapeSequence(1 | (shouldEmitInvalidEscapeError ? 2 : 0)); start2 = pos; continue; } if (currChar === 13) { contents += text.substring(start2, pos); pos++; if (pos < end && charCodeUnchecked(pos) === 10) { pos++; } contents += "\n"; start2 = pos; continue; } pos++; } Debug.assert(resultingToken !== void 0); tokenValue = contents; return resultingToken; } function scanEscapeSequence(flags) { const start2 = pos; pos++; if (pos >= end) { error2(Diagnostics.Unexpected_end_of_text); return ""; } const ch = charCodeUnchecked(pos); pos++; switch (ch) { case 48: if (pos >= end || !isDigit(charCodeUnchecked(pos))) { return "\0"; } case 49: case 50: case 51: if (pos < end && isOctalDigit(charCodeUnchecked(pos))) { pos++; } case 52: case 53: case 54: case 55: if (pos < end && isOctalDigit(charCodeUnchecked(pos))) { pos++; } tokenFlags |= 2048; if (flags & 6) { const code = parseInt(text.substring(start2 + 1, pos), 8); if (flags & 4 && !(flags & 32) && ch !== 48) { error2(Diagnostics.Octal_escape_sequences_and_backreferences_are_not_allowed_in_a_character_class_If_this_was_intended_as_an_escape_sequence_use_the_syntax_0_instead, start2, pos - start2, "\\x" + code.toString(16).padStart(2, "0")); } else { error2(Diagnostics.Octal_escape_sequences_are_not_allowed_Use_the_syntax_0, start2, pos - start2, "\\x" + code.toString(16).padStart(2, "0")); } return String.fromCharCode(code); } return text.substring(start2, pos); case 56: case 57: tokenFlags |= 2048; if (flags & 6) { if (flags & 4 && !(flags & 32)) { error2(Diagnostics.Decimal_escape_sequences_and_backreferences_are_not_allowed_in_a_character_class, start2, pos - start2); } else { error2(Diagnostics.Escape_sequence_0_is_not_allowed, start2, pos - start2, text.substring(start2, pos)); } return String.fromCharCode(ch); } return text.substring(start2, pos); case 98: return "\b"; case 116: return " "; case 110: return "\n"; case 118: return "\v"; case 102: return "\f"; case 114: return "\r"; case 39: return "'"; case 34: return '"'; case 117: if (flags & 17 && pos < end && charCodeUnchecked(pos) === 123) { pos -= 2; return scanExtendedUnicodeEscape(!!(flags & 6)); } for (; pos < start2 + 6; pos++) { if (!(pos < end && isHexDigit(charCodeUnchecked(pos)))) { tokenFlags |= 2048; if (flags & 6) { error2(Diagnostics.Hexadecimal_digit_expected); } return text.substring(start2, pos); } } tokenFlags |= 1024; const escapedValue = parseInt(text.substring(start2 + 2, pos), 16); const escapedValueString = String.fromCharCode(escapedValue); if (flags & 16 && escapedValue >= 55296 && escapedValue <= 56319 && pos + 6 < end && text.substring(pos, pos + 2) === "\\u" && charCodeUnchecked(pos + 2) !== 123) { const nextStart = pos; let nextPos = pos + 2; for (; nextPos < nextStart + 6; nextPos++) { if (!isHexDigit(charCodeUnchecked(pos))) { return escapedValueString; } } const nextEscapedValue = parseInt(text.substring(nextStart + 2, nextPos), 16); if (nextEscapedValue >= 56320 && nextEscapedValue <= 57343) { pos = nextPos; return escapedValueString + String.fromCharCode(nextEscapedValue); } } return escapedValueString; case 120: for (; pos < start2 + 4; pos++) { if (!(pos < end && isHexDigit(charCodeUnchecked(pos)))) { tokenFlags |= 2048; if (flags & 6) { error2(Diagnostics.Hexadecimal_digit_expected); } return text.substring(start2, pos); } } tokenFlags |= 4096; return String.fromCharCode(parseInt(text.substring(start2 + 2, pos), 16)); case 13: if (pos < end && charCodeUnchecked(pos) === 10) { pos++; } case 10: case 8232: case 8233: return ""; default: if (flags & 16 || flags & 4 && !(flags & 8) && isIdentifierPart(ch, languageVersion)) { error2(Diagnostics.This_character_cannot_be_escaped_in_a_regular_expression, pos - 2, 2); } return String.fromCharCode(ch); } } function scanExtendedUnicodeEscape(shouldEmitInvalidEscapeError) { const start2 = pos; pos += 3; const escapedStart = pos; const escapedValueString = scanMinimumNumberOfHexDigits( 1, /*canHaveSeparators*/ false ); const escapedValue = escapedValueString ? parseInt(escapedValueString, 16) : -1; let isInvalidExtendedEscape = false; if (escapedValue < 0) { if (shouldEmitInvalidEscapeError) { error2(Diagnostics.Hexadecimal_digit_expected); } isInvalidExtendedEscape = true; } else if (escapedValue > 1114111) { if (shouldEmitInvalidEscapeError) { error2(Diagnostics.An_extended_Unicode_escape_value_must_be_between_0x0_and_0x10FFFF_inclusive, escapedStart, pos - escapedStart); } isInvalidExtendedEscape = true; } if (pos >= end) { if (shouldEmitInvalidEscapeError) { error2(Diagnostics.Unexpected_end_of_text); } isInvalidExtendedEscape = true; } else if (charCodeUnchecked(pos) === 125) { pos++; } else { if (shouldEmitInvalidEscapeError) { error2(Diagnostics.Unterminated_Unicode_escape_sequence); } isInvalidExtendedEscape = true; } if (isInvalidExtendedEscape) { tokenFlags |= 2048; return text.substring(start2, pos); } tokenFlags |= 8; return utf16EncodeAsString(escapedValue); } function peekUnicodeEscape() { if (pos + 5 < end && charCodeUnchecked(pos + 1) === 117) { const start2 = pos; pos += 2; const value = scanExactNumberOfHexDigits( 4, /*canHaveSeparators*/ false ); pos = start2; return value; } return -1; } function peekExtendedUnicodeEscape() { if (codePointUnchecked(pos + 1) === 117 && codePointUnchecked(pos + 2) === 123) { const start2 = pos; pos += 3; const escapedValueString = scanMinimumNumberOfHexDigits( 1, /*canHaveSeparators*/ false ); const escapedValue = escapedValueString ? parseInt(escapedValueString, 16) : -1; pos = start2; return escapedValue; } return -1; } function scanIdentifierParts() { let result = ""; let start2 = pos; while (pos < end) { let ch = codePointUnchecked(pos); if (isIdentifierPart(ch, languageVersion)) { pos += charSize(ch); } else if (ch === 92) { ch = peekExtendedUnicodeEscape(); if (ch >= 0 && isIdentifierPart(ch, languageVersion)) { result += scanExtendedUnicodeEscape( /*shouldEmitInvalidEscapeError*/ true ); start2 = pos; continue; } ch = peekUnicodeEscape(); if (!(ch >= 0 && isIdentifierPart(ch, languageVersion))) { break; } tokenFlags |= 1024; result += text.substring(start2, pos); result += utf16EncodeAsString(ch); pos += 6; start2 = pos; } else { break; } } result += text.substring(start2, pos); return result; } function getIdentifierToken() { const len = tokenValue.length; if (len >= 2 && len <= 12) { const ch = tokenValue.charCodeAt(0); if (ch >= 97 && ch <= 122) { const keyword = textToKeyword.get(tokenValue); if (keyword !== void 0) { return token = keyword; } } } return token = 80; } function scanBinaryOrOctalDigits(base) { let value = ""; let separatorAllowed = false; let isPreviousTokenSeparator = false; while (true) { const ch = charCodeUnchecked(pos); if (ch === 95) { tokenFlags |= 512; if (separatorAllowed) { separatorAllowed = false; isPreviousTokenSeparator = true; } else if (isPreviousTokenSeparator) { error2(Diagnostics.Multiple_consecutive_numeric_separators_are_not_permitted, pos, 1); } else { error2(Diagnostics.Numeric_separators_are_not_allowed_here, pos, 1); } pos++; continue; } separatorAllowed = true; if (!isDigit(ch) || ch - 48 >= base) { break; } value += text[pos]; pos++; isPreviousTokenSeparator = false; } if (charCodeUnchecked(pos - 1) === 95) { error2(Diagnostics.Numeric_separators_are_not_allowed_here, pos - 1, 1); } return value; } function checkBigIntSuffix() { if (charCodeUnchecked(pos) === 110) { tokenValue += "n"; if (tokenFlags & 384) { tokenValue = parsePseudoBigInt(tokenValue) + "n"; } pos++; return 10; } else { const numericValue = tokenFlags & 128 ? parseInt(tokenValue.slice(2), 2) : tokenFlags & 256 ? parseInt(tokenValue.slice(2), 8) : +tokenValue; tokenValue = "" + numericValue; return 9; } } function scan() { fullStartPos = pos; tokenFlags = 0; let asteriskSeen = false; while (true) { tokenStart = pos; if (pos >= end) { return token = 1; } const ch = codePointUnchecked(pos); if (pos === 0) { if (ch === 35 && isShebangTrivia(text, pos)) { pos = scanShebangTrivia(text, pos); if (skipTrivia2) { continue; } else { return token = 6; } } } switch (ch) { case 10: case 13: tokenFlags |= 1; if (skipTrivia2) { pos++; continue; } else { if (ch === 13 && pos + 1 < end && charCodeUnchecked(pos + 1) === 10) { pos += 2; } else { pos++; } return token = 4; } case 9: case 11: case 12: case 32: case 160: case 5760: case 8192: case 8193: case 8194: case 8195: case 8196: case 8197: case 8198: case 8199: case 8200: case 8201: case 8202: case 8203: case 8239: case 8287: case 12288: case 65279: if (skipTrivia2) { pos++; continue; } else { while (pos < end && isWhiteSpaceSingleLine(charCodeUnchecked(pos))) { pos++; } return token = 5; } case 33: if (charCodeUnchecked(pos + 1) === 61) { if (charCodeUnchecked(pos + 2) === 61) { return pos += 3, token = 38; } return pos += 2, token = 36; } pos++; return token = 54; case 34: case 39: tokenValue = scanString(); return token = 11; case 96: return token = scanTemplateAndSetTokenValue( /*shouldEmitInvalidEscapeError*/ false ); case 37: if (charCodeUnchecked(pos + 1) === 61) { return pos += 2, token = 70; } pos++; return token = 45; case 38: if (charCodeUnchecked(pos + 1) === 38) { if (charCodeUnchecked(pos + 2) === 61) { return pos += 3, token = 77; } return pos += 2, token = 56; } if (charCodeUnchecked(pos + 1) === 61) { return pos += 2, token = 74; } pos++; return token = 51; case 40: pos++; return token = 21; case 41: pos++; return token = 22; case 42: if (charCodeUnchecked(pos + 1) === 61) { return pos += 2, token = 67; } if (charCodeUnchecked(pos + 1) === 42) { if (charCodeUnchecked(pos + 2) === 61) { return pos += 3, token = 68; } return pos += 2, token = 43; } pos++; if (skipJsDocLeadingAsterisks && !asteriskSeen && tokenFlags & 1) { asteriskSeen = true; continue; } return token = 42; case 43: if (charCodeUnchecked(pos + 1) === 43) { return pos += 2, token = 46; } if (charCodeUnchecked(pos + 1) === 61) { return pos += 2, token = 65; } pos++; return token = 40; case 44: pos++; return token = 28; case 45: if (charCodeUnchecked(pos + 1) === 45) { return pos += 2, token = 47; } if (charCodeUnchecked(pos + 1) === 61) { return pos += 2, token = 66; } pos++; return token = 41; case 46: if (isDigit(charCodeUnchecked(pos + 1))) { scanNumber(); return token = 9; } if (charCodeUnchecked(pos + 1) === 46 && charCodeUnchecked(pos + 2) === 46) { return pos += 3, token = 26; } pos++; return token = 25; case 47: if (charCodeUnchecked(pos + 1) === 47) { pos += 2; while (pos < end) { if (isLineBreak(charCodeUnchecked(pos))) { break; } pos++; } commentDirectives = appendIfCommentDirective( commentDirectives, text.slice(tokenStart, pos), commentDirectiveRegExSingleLine, tokenStart ); if (skipTrivia2) { continue; } else { return token = 2; } } if (charCodeUnchecked(pos + 1) === 42) { pos += 2; const isJSDoc2 = charCodeUnchecked(pos) === 42 && charCodeUnchecked(pos + 1) !== 47; let commentClosed = false; let lastLineStart = tokenStart; while (pos < end) { const ch2 = charCodeUnchecked(pos); if (ch2 === 42 && charCodeUnchecked(pos + 1) === 47) { pos += 2; commentClosed = true; break; } pos++; if (isLineBreak(ch2)) { lastLineStart = pos; tokenFlags |= 1; } } if (isJSDoc2 && shouldParseJSDoc()) { tokenFlags |= 2; } commentDirectives = appendIfCommentDirective(commentDirectives, text.slice(lastLineStart, pos), commentDirectiveRegExMultiLine, lastLineStart); if (!commentClosed) { error2(Diagnostics.Asterisk_Slash_expected); } if (skipTrivia2) { continue; } else { if (!commentClosed) { tokenFlags |= 4; } return token = 3; } } if (charCodeUnchecked(pos + 1) === 61) { return pos += 2, token = 69; } pos++; return token = 44; case 48: if (pos + 2 < end && (charCodeUnchecked(pos + 1) === 88 || charCodeUnchecked(pos + 1) === 120)) { pos += 2; tokenValue = scanMinimumNumberOfHexDigits( 1, /*canHaveSeparators*/ true ); if (!tokenValue) { error2(Diagnostics.Hexadecimal_digit_expected); tokenValue = "0"; } tokenValue = "0x" + tokenValue; tokenFlags |= 64; return token = checkBigIntSuffix(); } else if (pos + 2 < end && (charCodeUnchecked(pos + 1) === 66 || charCodeUnchecked(pos + 1) === 98)) { pos += 2; tokenValue = scanBinaryOrOctalDigits( /* base */ 2 ); if (!tokenValue) { error2(Diagnostics.Binary_digit_expected); tokenValue = "0"; } tokenValue = "0b" + tokenValue; tokenFlags |= 128; return token = checkBigIntSuffix(); } else if (pos + 2 < end && (charCodeUnchecked(pos + 1) === 79 || charCodeUnchecked(pos + 1) === 111)) { pos += 2; tokenValue = scanBinaryOrOctalDigits( /* base */ 8 ); if (!tokenValue) { error2(Diagnostics.Octal_digit_expected); tokenValue = "0"; } tokenValue = "0o" + tokenValue; tokenFlags |= 256; return token = checkBigIntSuffix(); } case 49: case 50: case 51: case 52: case 53: case 54: case 55: case 56: case 57: return token = scanNumber(); case 58: pos++; return token = 59; case 59: pos++; return token = 27; case 60: if (isConflictMarkerTrivia(text, pos)) { pos = scanConflictMarkerTrivia(text, pos, error2); if (skipTrivia2) { continue; } else { return token = 7; } } if (charCodeUnchecked(pos + 1) === 60) { if (charCodeUnchecked(pos + 2) === 61) { return pos += 3, token = 71; } return pos += 2, token = 48; } if (charCodeUnchecked(pos + 1) === 61) { return pos += 2, token = 33; } if (languageVariant === 1 && charCodeUnchecked(pos + 1) === 47 && charCodeUnchecked(pos + 2) !== 42) { return pos += 2, token = 31; } pos++; return token = 30; case 61: if (isConflictMarkerTrivia(text, pos)) { pos = scanConflictMarkerTrivia(text, pos, error2); if (skipTrivia2) { continue; } else { return token = 7; } } if (charCodeUnchecked(pos + 1) === 61) { if (charCodeUnchecked(pos + 2) === 61) { return pos += 3, token = 37; } return pos += 2, token = 35; } if (charCodeUnchecked(pos + 1) === 62) { return pos += 2, token = 39; } pos++; return token = 64; case 62: if (isConflictMarkerTrivia(text, pos)) { pos = scanConflictMarkerTrivia(text, pos, error2); if (skipTrivia2) { continue; } else { return token = 7; } } pos++; return token = 32; case 63: if (charCodeUnchecked(pos + 1) === 46 && !isDigit(charCodeUnchecked(pos + 2))) { return pos += 2, token = 29; } if (charCodeUnchecked(pos + 1) === 63) { if (charCodeUnchecked(pos + 2) === 61) { return pos += 3, token = 78; } return pos += 2, token = 61; } pos++; return token = 58; case 91: pos++; return token = 23; case 93: pos++; return token = 24; case 94: if (charCodeUnchecked(pos + 1) === 61) { return pos += 2, token = 79; } pos++; return token = 53; case 123: pos++; return token = 19; case 124: if (isConflictMarkerTrivia(text, pos)) { pos = scanConflictMarkerTrivia(text, pos, error2); if (skipTrivia2) { continue; } else { return token = 7; } } if (charCodeUnchecked(pos + 1) === 124) { if (charCodeUnchecked(pos + 2) === 61) { return pos += 3, token = 76; } return pos += 2, token = 57; } if (charCodeUnchecked(pos + 1) === 61) { return pos += 2, token = 75; } pos++; return token = 52; case 125: pos++; return token = 20; case 126: pos++; return token = 55; case 64: pos++; return token = 60; case 92: const extendedCookedChar = peekExtendedUnicodeEscape(); if (extendedCookedChar >= 0 && isIdentifierStart(extendedCookedChar, languageVersion)) { tokenValue = scanExtendedUnicodeEscape( /*shouldEmitInvalidEscapeError*/ true ) + scanIdentifierParts(); return token = getIdentifierToken(); } const cookedChar = peekUnicodeEscape(); if (cookedChar >= 0 && isIdentifierStart(cookedChar, languageVersion)) { pos += 6; tokenFlags |= 1024; tokenValue = String.fromCharCode(cookedChar) + scanIdentifierParts(); return token = getIdentifierToken(); } error2(Diagnostics.Invalid_character); pos++; return token = 0; case 35: if (pos !== 0 && text[pos + 1] === "!") { error2(Diagnostics.can_only_be_used_at_the_start_of_a_file, pos, 2); pos++; return token = 0; } const charAfterHash = codePointUnchecked(pos + 1); if (charAfterHash === 92) { pos++; const extendedCookedChar2 = peekExtendedUnicodeEscape(); if (extendedCookedChar2 >= 0 && isIdentifierStart(extendedCookedChar2, languageVersion)) { tokenValue = "#" + scanExtendedUnicodeEscape( /*shouldEmitInvalidEscapeError*/ true ) + scanIdentifierParts(); return token = 81; } const cookedChar2 = peekUnicodeEscape(); if (cookedChar2 >= 0 && isIdentifierStart(cookedChar2, languageVersion)) { pos += 6; tokenFlags |= 1024; tokenValue = "#" + String.fromCharCode(cookedChar2) + scanIdentifierParts(); return token = 81; } pos--; } if (isIdentifierStart(charAfterHash, languageVersion)) { pos++; scanIdentifier(charAfterHash, languageVersion); } else { tokenValue = "#"; error2(Diagnostics.Invalid_character, pos++, charSize(ch)); } return token = 81; case 65533: error2(Diagnostics.File_appears_to_be_binary, 0, 0); pos = end; return token = 8; default: const identifierKind = scanIdentifier(ch, languageVersion); if (identifierKind) { return token = identifierKind; } else if (isWhiteSpaceSingleLine(ch)) { pos += charSize(ch); continue; } else if (isLineBreak(ch)) { tokenFlags |= 1; pos += charSize(ch); continue; } const size = charSize(ch); error2(Diagnostics.Invalid_character, pos, size); pos += size; return token = 0; } } } function shouldParseJSDoc() { switch (jsDocParsingMode) { case 0: return true; case 1: return false; } if (scriptKind !== 3 && scriptKind !== 4) { return true; } if (jsDocParsingMode === 3) { return false; } return jsDocSeeOrLink.test(text.slice(fullStartPos, pos)); } function reScanInvalidIdentifier() { Debug.assert(token === 0, "'reScanInvalidIdentifier' should only be called when the current token is 'SyntaxKind.Unknown'."); pos = tokenStart = fullStartPos; tokenFlags = 0; const ch = codePointUnchecked(pos); const identifierKind = scanIdentifier( ch, 99 /* ESNext */ ); if (identifierKind) { return token = identifierKind; } pos += charSize(ch); return token; } function scanIdentifier(startCharacter, languageVersion2) { let ch = startCharacter; if (isIdentifierStart(ch, languageVersion2)) { pos += charSize(ch); while (pos < end && isIdentifierPart(ch = codePointUnchecked(pos), languageVersion2)) pos += charSize(ch); tokenValue = text.substring(tokenStart, pos); if (ch === 92) { tokenValue += scanIdentifierParts(); } return getIdentifierToken(); } } function reScanGreaterToken() { if (token === 32) { if (charCodeUnchecked(pos) === 62) { if (charCodeUnchecked(pos + 1) === 62) { if (charCodeUnchecked(pos + 2) === 61) { return pos += 3, token = 73; } return pos += 2, token = 50; } if (charCodeUnchecked(pos + 1) === 61) { return pos += 2, token = 72; } pos++; return token = 49; } if (charCodeUnchecked(pos) === 61) { pos++; return token = 34; } } return token; } function reScanAsteriskEqualsToken() { Debug.assert(token === 67, "'reScanAsteriskEqualsToken' should only be called on a '*='"); pos = tokenStart + 1; return token = 64; } function reScanSlashToken(reportErrors2) { if (token === 44 || token === 69) { const startOfRegExpBody = tokenStart + 1; pos = startOfRegExpBody; let inEscape = false; let namedCaptureGroups = false; let inCharacterClass = false; while (true) { const ch = charCodeChecked(pos); if (ch === -1 || isLineBreak(ch)) { tokenFlags |= 4; break; } if (inEscape) { inEscape = false; } else if (ch === 47 && !inCharacterClass) { break; } else if (ch === 91) { inCharacterClass = true; } else if (ch === 92) { inEscape = true; } else if (ch === 93) { inCharacterClass = false; } else if (!inCharacterClass && ch === 40 && charCodeChecked(pos + 1) === 63 && charCodeChecked(pos + 2) === 60 && charCodeChecked(pos + 3) !== 61 && charCodeChecked(pos + 3) !== 33) { namedCaptureGroups = true; } pos++; } const endOfRegExpBody = pos; if (tokenFlags & 4) { pos = startOfRegExpBody; inEscape = false; let characterClassDepth = 0; let inDecimalQuantifier = false; let groupDepth = 0; while (pos < endOfRegExpBody) { const ch = charCodeUnchecked(pos); if (inEscape) { inEscape = false; } else if (ch === 92) { inEscape = true; } else if (ch === 91) { characterClassDepth++; } else if (ch === 93 && characterClassDepth) { characterClassDepth--; } else if (!characterClassDepth) { if (ch === 123) { inDecimalQuantifier = true; } else if (ch === 125 && inDecimalQuantifier) { inDecimalQuantifier = false; } else if (!inDecimalQuantifier) { if (ch === 40) { groupDepth++; } else if (ch === 41 && groupDepth) { groupDepth--; } else if (ch === 41 || ch === 93 || ch === 125) { break; } } } pos++; } while (isWhiteSpaceLike(charCodeChecked(pos - 1)) || charCodeChecked(pos - 1) === 59) pos--; error2(Diagnostics.Unterminated_regular_expression_literal, tokenStart, pos - tokenStart); } else { pos++; let regExpFlags = 0; while (true) { const ch = charCodeChecked(pos); if (ch === -1 || !isIdentifierPart(ch, languageVersion)) { break; } if (reportErrors2) { const flag = characterToRegularExpressionFlag(String.fromCharCode(ch)); if (flag === void 0) { error2(Diagnostics.Unknown_regular_expression_flag, pos, 1); } else if (regExpFlags & flag) { error2(Diagnostics.Duplicate_regular_expression_flag, pos, 1); } else if (((regExpFlags | flag) & 96) === 96) { error2(Diagnostics.The_Unicode_u_flag_and_the_Unicode_Sets_v_flag_cannot_be_set_simultaneously, pos, 1); } else { regExpFlags |= flag; checkRegularExpressionFlagAvailable(flag, pos); } } pos++; } if (reportErrors2) { scanRange(startOfRegExpBody, endOfRegExpBody - startOfRegExpBody, () => { scanRegularExpressionWorker( regExpFlags, /*annexB*/ true, namedCaptureGroups ); }); } } tokenValue = text.substring(tokenStart, pos); token = 14; } return token; } function scanRegularExpressionWorker(regExpFlags, annexB, namedCaptureGroups) { var unicodeSetsMode = !!(regExpFlags & 64); var anyUnicodeMode = !!(regExpFlags & 96); var anyUnicodeModeOrNonAnnexB = anyUnicodeMode || !annexB; var mayContainStrings = false; var numberOfCapturingGroups = 0; var groupSpecifiers; var groupNameReferences; var decimalEscapes; var namedCapturingGroupsScopeStack = []; var topNamedCapturingGroupsScope; function scanDisjunction(isInGroup) { while (true) { namedCapturingGroupsScopeStack.push(topNamedCapturingGroupsScope); topNamedCapturingGroupsScope = void 0; scanAlternative(isInGroup); topNamedCapturingGroupsScope = namedCapturingGroupsScopeStack.pop(); if (charCodeChecked(pos) !== 124) { return; } pos++; } } function scanAlternative(isInGroup) { let isPreviousTermQuantifiable = false; while (true) { const start2 = pos; const ch = charCodeChecked(pos); switch (ch) { case -1: return; case 94: case 36: pos++; isPreviousTermQuantifiable = false; break; case 92: pos++; switch (charCodeChecked(pos)) { case 98: case 66: pos++; isPreviousTermQuantifiable = false; break; default: scanAtomEscape(); isPreviousTermQuantifiable = true; break; } break; case 40: pos++; if (charCodeChecked(pos) === 63) { pos++; switch (charCodeChecked(pos)) { case 61: case 33: pos++; isPreviousTermQuantifiable = !anyUnicodeModeOrNonAnnexB; break; case 60: const groupNameStart = pos; pos++; switch (charCodeChecked(pos)) { case 61: case 33: pos++; isPreviousTermQuantifiable = false; break; default: scanGroupName( /*isReference*/ false ); scanExpectedChar( 62 /* greaterThan */ ); if (languageVersion < 5) { error2(Diagnostics.Named_capturing_groups_are_only_available_when_targeting_ES2018_or_later, groupNameStart, pos - groupNameStart); } numberOfCapturingGroups++; isPreviousTermQuantifiable = true; break; } break; default: const start3 = pos; const setFlags = scanPatternModifiers( 0 /* None */ ); if (charCodeChecked(pos) === 45) { pos++; scanPatternModifiers(setFlags); if (pos === start3 + 1) { error2(Diagnostics.Subpattern_flags_must_be_present_when_there_is_a_minus_sign, start3, pos - start3); } } scanExpectedChar( 58 /* colon */ ); isPreviousTermQuantifiable = true; break; } } else { numberOfCapturingGroups++; isPreviousTermQuantifiable = true; } scanDisjunction( /*isInGroup*/ true ); scanExpectedChar( 41 /* closeParen */ ); break; case 123: pos++; const digitsStart = pos; scanDigits(); const min2 = tokenValue; if (!anyUnicodeModeOrNonAnnexB && !min2) { isPreviousTermQuantifiable = true; break; } if (charCodeChecked(pos) === 44) { pos++; scanDigits(); const max = tokenValue; if (!min2) { if (max || charCodeChecked(pos) === 125) { error2(Diagnostics.Incomplete_quantifier_Digit_expected, digitsStart, 0); } else { error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, start2, 1, String.fromCharCode(ch)); isPreviousTermQuantifiable = true; break; } } else if (max && Number.parseInt(min2) > Number.parseInt(max) && (anyUnicodeModeOrNonAnnexB || charCodeChecked(pos) === 125)) { error2(Diagnostics.Numbers_out_of_order_in_quantifier, digitsStart, pos - digitsStart); } } else if (!min2) { if (anyUnicodeModeOrNonAnnexB) { error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, start2, 1, String.fromCharCode(ch)); } isPreviousTermQuantifiable = true; break; } if (charCodeChecked(pos) !== 125) { if (anyUnicodeModeOrNonAnnexB) { error2(Diagnostics._0_expected, pos, 0, String.fromCharCode( 125 /* closeBrace */ )); pos--; } else { isPreviousTermQuantifiable = true; break; } } case 42: case 43: case 63: pos++; if (charCodeChecked(pos) === 63) { pos++; } if (!isPreviousTermQuantifiable) { error2(Diagnostics.There_is_nothing_available_for_repetition, start2, pos - start2); } isPreviousTermQuantifiable = false; break; case 46: pos++; isPreviousTermQuantifiable = true; break; case 91: pos++; if (unicodeSetsMode) { scanClassSetExpression(); } else { scanClassRanges(); } scanExpectedChar( 93 /* closeBracket */ ); isPreviousTermQuantifiable = true; break; case 41: if (isInGroup) { return; } case 93: case 125: if (anyUnicodeModeOrNonAnnexB || ch === 41) { error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, pos, 1, String.fromCharCode(ch)); } pos++; isPreviousTermQuantifiable = true; break; case 47: case 124: return; default: scanSourceCharacter(); isPreviousTermQuantifiable = true; break; } } } function scanPatternModifiers(currFlags) { while (true) { const ch = charCodeChecked(pos); if (ch === -1 || !isIdentifierPart(ch, languageVersion)) { break; } const flag = characterToRegularExpressionFlag(String.fromCharCode(ch)); if (flag === void 0) { error2(Diagnostics.Unknown_regular_expression_flag, pos, 1); } else if (currFlags & flag) { error2(Diagnostics.Duplicate_regular_expression_flag, pos, 1); } else if (!(flag & 28)) { error2(Diagnostics.This_regular_expression_flag_cannot_be_toggled_within_a_subpattern, pos, 1); } else { currFlags |= flag; checkRegularExpressionFlagAvailable(flag, pos); } pos++; } return currFlags; } function scanAtomEscape() { Debug.assertEqual( charCodeUnchecked(pos - 1), 92 /* backslash */ ); switch (charCodeChecked(pos)) { case 107: pos++; if (charCodeChecked(pos) === 60) { pos++; scanGroupName( /*isReference*/ true ); scanExpectedChar( 62 /* greaterThan */ ); } else if (anyUnicodeModeOrNonAnnexB || namedCaptureGroups) { error2(Diagnostics.k_must_be_followed_by_a_capturing_group_name_enclosed_in_angle_brackets, pos - 2, 2); } break; case 113: if (unicodeSetsMode) { pos++; error2(Diagnostics.q_is_only_available_inside_character_class, pos - 2, 2); break; } default: Debug.assert(scanCharacterClassEscape() || scanDecimalEscape() || scanCharacterEscape( /*atomEscape*/ true )); break; } } function scanDecimalEscape() { Debug.assertEqual( charCodeUnchecked(pos - 1), 92 /* backslash */ ); const ch = charCodeChecked(pos); if (ch >= 49 && ch <= 57) { const start2 = pos; scanDigits(); decimalEscapes = append(decimalEscapes, { pos: start2, end: pos, value: +tokenValue }); return true; } return false; } function scanCharacterEscape(atomEscape) { Debug.assertEqual( charCodeUnchecked(pos - 1), 92 /* backslash */ ); let ch = charCodeChecked(pos); switch (ch) { case -1: error2(Diagnostics.Undetermined_character_escape, pos - 1, 1); return "\\"; case 99: pos++; ch = charCodeChecked(pos); if (isASCIILetter(ch)) { pos++; return String.fromCharCode(ch & 31); } if (anyUnicodeModeOrNonAnnexB) { error2(Diagnostics.c_must_be_followed_by_an_ASCII_letter, pos - 2, 2); } else if (atomEscape) { pos--; return "\\"; } return String.fromCharCode(ch); case 94: case 36: case 47: case 92: case 46: case 42: case 43: case 63: case 40: case 41: case 91: case 93: case 123: case 125: case 124: pos++; return String.fromCharCode(ch); default: pos--; return scanEscapeSequence( 4 | (annexB ? 8 : 0) | (anyUnicodeMode ? 16 : 0) | (atomEscape ? 32 : 0) ); } } function scanGroupName(isReference) { Debug.assertEqual( charCodeUnchecked(pos - 1), 60 /* lessThan */ ); tokenStart = pos; scanIdentifier(codePointChecked(pos), languageVersion); if (pos === tokenStart) { error2(Diagnostics.Expected_a_capturing_group_name); } else if (isReference) { groupNameReferences = append(groupNameReferences, { pos: tokenStart, end: pos, name: tokenValue }); } else if ((topNamedCapturingGroupsScope == null ? void 0 : topNamedCapturingGroupsScope.has(tokenValue)) || namedCapturingGroupsScopeStack.some((group2) => group2 == null ? void 0 : group2.has(tokenValue))) { error2(Diagnostics.Named_capturing_groups_with_the_same_name_must_be_mutually_exclusive_to_each_other, tokenStart, pos - tokenStart); } else { topNamedCapturingGroupsScope ?? (topNamedCapturingGroupsScope = /* @__PURE__ */ new Set()); topNamedCapturingGroupsScope.add(tokenValue); groupSpecifiers ?? (groupSpecifiers = /* @__PURE__ */ new Set()); groupSpecifiers.add(tokenValue); } } function isClassContentExit(ch) { return ch === 93 || ch === -1 || pos >= end; } function scanClassRanges() { Debug.assertEqual( charCodeUnchecked(pos - 1), 91 /* openBracket */ ); if (charCodeChecked(pos) === 94) { pos++; } while (true) { const ch = charCodeChecked(pos); if (isClassContentExit(ch)) { return; } const minStart = pos; const minCharacter = scanClassAtom(); if (charCodeChecked(pos) === 45) { pos++; const ch2 = charCodeChecked(pos); if (isClassContentExit(ch2)) { return; } if (!minCharacter && anyUnicodeModeOrNonAnnexB) { error2(Diagnostics.A_character_class_range_must_not_be_bounded_by_another_character_class, minStart, pos - 1 - minStart); } const maxStart = pos; const maxCharacter = scanClassAtom(); if (!maxCharacter && anyUnicodeModeOrNonAnnexB) { error2(Diagnostics.A_character_class_range_must_not_be_bounded_by_another_character_class, maxStart, pos - maxStart); continue; } if (!minCharacter) { continue; } const minCharacterValue = codePointAt(minCharacter, 0); const maxCharacterValue = codePointAt(maxCharacter, 0); if (minCharacter.length === charSize(minCharacterValue) && maxCharacter.length === charSize(maxCharacterValue) && minCharacterValue > maxCharacterValue) { error2(Diagnostics.Range_out_of_order_in_character_class, minStart, pos - minStart); } } } } function scanClassSetExpression() { Debug.assertEqual( charCodeUnchecked(pos - 1), 91 /* openBracket */ ); let isCharacterComplement = false; if (charCodeChecked(pos) === 94) { pos++; isCharacterComplement = true; } let expressionMayContainStrings = false; let ch = charCodeChecked(pos); if (isClassContentExit(ch)) { return; } let start2 = pos; let operand; switch (text.slice(pos, pos + 2)) { case "--": case "&&": error2(Diagnostics.Expected_a_class_set_operand); mayContainStrings = false; break; default: operand = scanClassSetOperand(); break; } switch (charCodeChecked(pos)) { case 45: if (charCodeChecked(pos + 1) === 45) { if (isCharacterComplement && mayContainStrings) { error2(Diagnostics.Anything_that_would_possibly_match_more_than_a_single_character_is_invalid_inside_a_negated_character_class, start2, pos - start2); } expressionMayContainStrings = mayContainStrings; scanClassSetSubExpression( 3 /* ClassSubtraction */ ); mayContainStrings = !isCharacterComplement && expressionMayContainStrings; return; } break; case 38: if (charCodeChecked(pos + 1) === 38) { scanClassSetSubExpression( 2 /* ClassIntersection */ ); if (isCharacterComplement && mayContainStrings) { error2(Diagnostics.Anything_that_would_possibly_match_more_than_a_single_character_is_invalid_inside_a_negated_character_class, start2, pos - start2); } expressionMayContainStrings = mayContainStrings; mayContainStrings = !isCharacterComplement && expressionMayContainStrings; return; } else { error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, pos, 1, String.fromCharCode(ch)); } break; default: if (isCharacterComplement && mayContainStrings) { error2(Diagnostics.Anything_that_would_possibly_match_more_than_a_single_character_is_invalid_inside_a_negated_character_class, start2, pos - start2); } expressionMayContainStrings = mayContainStrings; break; } while (true) { ch = charCodeChecked(pos); if (ch === -1) { break; } switch (ch) { case 45: pos++; ch = charCodeChecked(pos); if (isClassContentExit(ch)) { mayContainStrings = !isCharacterComplement && expressionMayContainStrings; return; } if (ch === 45) { pos++; error2(Diagnostics.Operators_must_not_be_mixed_within_a_character_class_Wrap_it_in_a_nested_class_instead, pos - 2, 2); start2 = pos - 2; operand = text.slice(start2, pos); continue; } else { if (!operand) { error2(Diagnostics.A_character_class_range_must_not_be_bounded_by_another_character_class, start2, pos - 1 - start2); } const secondStart = pos; const secondOperand = scanClassSetOperand(); if (isCharacterComplement && mayContainStrings) { error2(Diagnostics.Anything_that_would_possibly_match_more_than_a_single_character_is_invalid_inside_a_negated_character_class, secondStart, pos - secondStart); } expressionMayContainStrings || (expressionMayContainStrings = mayContainStrings); if (!secondOperand) { error2(Diagnostics.A_character_class_range_must_not_be_bounded_by_another_character_class, secondStart, pos - secondStart); break; } if (!operand) { break; } const minCharacterValue = codePointAt(operand, 0); const maxCharacterValue = codePointAt(secondOperand, 0); if (operand.length === charSize(minCharacterValue) && secondOperand.length === charSize(maxCharacterValue) && minCharacterValue > maxCharacterValue) { error2(Diagnostics.Range_out_of_order_in_character_class, start2, pos - start2); } } break; case 38: start2 = pos; pos++; if (charCodeChecked(pos) === 38) { pos++; error2(Diagnostics.Operators_must_not_be_mixed_within_a_character_class_Wrap_it_in_a_nested_class_instead, pos - 2, 2); if (charCodeChecked(pos) === 38) { error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, pos, 1, String.fromCharCode(ch)); pos++; } } else { error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, pos - 1, 1, String.fromCharCode(ch)); } operand = text.slice(start2, pos); continue; } if (isClassContentExit(charCodeChecked(pos))) { break; } start2 = pos; switch (text.slice(pos, pos + 2)) { case "--": case "&&": error2(Diagnostics.Operators_must_not_be_mixed_within_a_character_class_Wrap_it_in_a_nested_class_instead, pos, 2); pos += 2; operand = text.slice(start2, pos); break; default: operand = scanClassSetOperand(); break; } } mayContainStrings = !isCharacterComplement && expressionMayContainStrings; } function scanClassSetSubExpression(expressionType) { let expressionMayContainStrings = mayContainStrings; while (true) { let ch = charCodeChecked(pos); if (isClassContentExit(ch)) { break; } switch (ch) { case 45: pos++; if (charCodeChecked(pos) === 45) { pos++; if (expressionType !== 3) { error2(Diagnostics.Operators_must_not_be_mixed_within_a_character_class_Wrap_it_in_a_nested_class_instead, pos - 2, 2); } } else { error2(Diagnostics.Operators_must_not_be_mixed_within_a_character_class_Wrap_it_in_a_nested_class_instead, pos - 1, 1); } break; case 38: pos++; if (charCodeChecked(pos) === 38) { pos++; if (expressionType !== 2) { error2(Diagnostics.Operators_must_not_be_mixed_within_a_character_class_Wrap_it_in_a_nested_class_instead, pos - 2, 2); } if (charCodeChecked(pos) === 38) { error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, pos, 1, String.fromCharCode(ch)); pos++; } } else { error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, pos - 1, 1, String.fromCharCode(ch)); } break; default: switch (expressionType) { case 3: error2(Diagnostics._0_expected, pos, 0, "--"); break; case 2: error2(Diagnostics._0_expected, pos, 0, "&&"); break; default: break; } break; } ch = charCodeChecked(pos); if (isClassContentExit(ch)) { error2(Diagnostics.Expected_a_class_set_operand); break; } scanClassSetOperand(); expressionMayContainStrings && (expressionMayContainStrings = mayContainStrings); } mayContainStrings = expressionMayContainStrings; } function scanClassSetOperand() { mayContainStrings = false; switch (charCodeChecked(pos)) { case -1: return ""; case 91: pos++; scanClassSetExpression(); scanExpectedChar( 93 /* closeBracket */ ); return ""; case 92: pos++; if (scanCharacterClassEscape()) { return ""; } else if (charCodeChecked(pos) === 113) { pos++; if (charCodeChecked(pos) === 123) { pos++; scanClassStringDisjunctionContents(); scanExpectedChar( 125 /* closeBrace */ ); return ""; } else { error2(Diagnostics.q_must_be_followed_by_string_alternatives_enclosed_in_braces, pos - 2, 2); return "q"; } } pos--; default: return scanClassSetCharacter(); } } function scanClassStringDisjunctionContents() { Debug.assertEqual( charCodeUnchecked(pos - 1), 123 /* openBrace */ ); let characterCount = 0; while (true) { const ch = charCodeChecked(pos); switch (ch) { case -1: return; case 125: if (characterCount !== 1) { mayContainStrings = true; } return; case 124: if (characterCount !== 1) { mayContainStrings = true; } pos++; start = pos; characterCount = 0; break; default: scanClassSetCharacter(); characterCount++; break; } } } function scanClassSetCharacter() { const ch = charCodeChecked(pos); if (ch === -1) { return ""; } if (ch === 92) { pos++; const ch2 = charCodeChecked(pos); switch (ch2) { case 98: pos++; return "\b"; case 38: case 45: case 33: case 35: case 37: case 44: case 58: case 59: case 60: case 61: case 62: case 64: case 96: case 126: pos++; return String.fromCharCode(ch2); default: return scanCharacterEscape( /*atomEscape*/ false ); } } else if (ch === charCodeChecked(pos + 1)) { switch (ch) { case 38: case 33: case 35: case 37: case 42: case 43: case 44: case 46: case 58: case 59: case 60: case 61: case 62: case 63: case 64: case 96: case 126: error2(Diagnostics.A_character_class_must_not_contain_a_reserved_double_punctuator_Did_you_mean_to_escape_it_with_backslash, pos, 2); pos += 2; return text.substring(pos - 2, pos); } } switch (ch) { case 47: case 40: case 41: case 91: case 93: case 123: case 125: case 45: case 124: error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, pos, 1, String.fromCharCode(ch)); pos++; return String.fromCharCode(ch); } return scanSourceCharacter(); } function scanClassAtom() { if (charCodeChecked(pos) === 92) { pos++; const ch = charCodeChecked(pos); switch (ch) { case 98: pos++; return "\b"; case 45: pos++; return String.fromCharCode(ch); default: if (scanCharacterClassEscape()) { return ""; } return scanCharacterEscape( /*atomEscape*/ false ); } } else { return scanSourceCharacter(); } } function scanCharacterClassEscape() { Debug.assertEqual( charCodeUnchecked(pos - 1), 92 /* backslash */ ); let isCharacterComplement = false; const start2 = pos - 1; const ch = charCodeChecked(pos); switch (ch) { case 100: case 68: case 115: case 83: case 119: case 87: pos++; return true; case 80: isCharacterComplement = true; case 112: pos++; if (charCodeChecked(pos) === 123) { pos++; const propertyNameOrValueStart = pos; const propertyNameOrValue = scanWordCharacters(); if (charCodeChecked(pos) === 61) { const propertyName = nonBinaryUnicodeProperties.get(propertyNameOrValue); if (pos === propertyNameOrValueStart) { error2(Diagnostics.Expected_a_Unicode_property_name); } else if (propertyName === void 0) { error2(Diagnostics.Unknown_Unicode_property_name, propertyNameOrValueStart, pos - propertyNameOrValueStart); const suggestion = getSpellingSuggestion(propertyNameOrValue, nonBinaryUnicodeProperties.keys(), identity2); if (suggestion) { error2(Diagnostics.Did_you_mean_0, propertyNameOrValueStart, pos - propertyNameOrValueStart, suggestion); } } pos++; const propertyValueStart = pos; const propertyValue = scanWordCharacters(); if (pos === propertyValueStart) { error2(Diagnostics.Expected_a_Unicode_property_value); } else if (propertyName !== void 0 && !valuesOfNonBinaryUnicodeProperties[propertyName].has(propertyValue)) { error2(Diagnostics.Unknown_Unicode_property_value, propertyValueStart, pos - propertyValueStart); const suggestion = getSpellingSuggestion(propertyValue, valuesOfNonBinaryUnicodeProperties[propertyName], identity2); if (suggestion) { error2(Diagnostics.Did_you_mean_0, propertyValueStart, pos - propertyValueStart, suggestion); } } } else { if (pos === propertyNameOrValueStart) { error2(Diagnostics.Expected_a_Unicode_property_name_or_value); } else if (binaryUnicodePropertiesOfStrings.has(propertyNameOrValue)) { if (!unicodeSetsMode) { error2(Diagnostics.Any_Unicode_property_that_would_possibly_match_more_than_a_single_character_is_only_available_when_the_Unicode_Sets_v_flag_is_set, propertyNameOrValueStart, pos - propertyNameOrValueStart); } else if (isCharacterComplement) { error2(Diagnostics.Anything_that_would_possibly_match_more_than_a_single_character_is_invalid_inside_a_negated_character_class, propertyNameOrValueStart, pos - propertyNameOrValueStart); } else { mayContainStrings = true; } } else if (!valuesOfNonBinaryUnicodeProperties.General_Category.has(propertyNameOrValue) && !binaryUnicodeProperties.has(propertyNameOrValue)) { error2(Diagnostics.Unknown_Unicode_property_name_or_value, propertyNameOrValueStart, pos - propertyNameOrValueStart); const suggestion = getSpellingSuggestion(propertyNameOrValue, [...valuesOfNonBinaryUnicodeProperties.General_Category, ...binaryUnicodeProperties, ...binaryUnicodePropertiesOfStrings], identity2); if (suggestion) { error2(Diagnostics.Did_you_mean_0, propertyNameOrValueStart, pos - propertyNameOrValueStart, suggestion); } } } scanExpectedChar( 125 /* closeBrace */ ); if (!anyUnicodeMode) { error2(Diagnostics.Unicode_property_value_expressions_are_only_available_when_the_Unicode_u_flag_or_the_Unicode_Sets_v_flag_is_set, start2, pos - start2); } } else if (anyUnicodeModeOrNonAnnexB) { error2(Diagnostics._0_must_be_followed_by_a_Unicode_property_value_expression_enclosed_in_braces, pos - 2, 2, String.fromCharCode(ch)); } else { pos--; return false; } return true; } return false; } function scanWordCharacters() { let value = ""; while (true) { const ch = charCodeChecked(pos); if (ch === -1 || !isWordCharacter(ch)) { break; } value += String.fromCharCode(ch); pos++; } return value; } function scanSourceCharacter() { const size = anyUnicodeMode ? charSize(charCodeChecked(pos)) : 1; pos += size; return size > 0 ? text.substring(pos - size, pos) : ""; } function scanExpectedChar(ch) { if (charCodeChecked(pos) === ch) { pos++; } else { error2(Diagnostics._0_expected, pos, 0, String.fromCharCode(ch)); } } scanDisjunction( /*isInGroup*/ false ); forEach(groupNameReferences, (reference) => { if (!(groupSpecifiers == null ? void 0 : groupSpecifiers.has(reference.name))) { error2(Diagnostics.There_is_no_capturing_group_named_0_in_this_regular_expression, reference.pos, reference.end - reference.pos, reference.name); } }); forEach(decimalEscapes, (escape2) => { if (escape2.value > numberOfCapturingGroups) { if (numberOfCapturingGroups) { error2(Diagnostics.This_backreference_refers_to_a_group_that_does_not_exist_There_are_only_0_capturing_groups_in_this_regular_expression, escape2.pos, escape2.end - escape2.pos, numberOfCapturingGroups); } else { error2(Diagnostics.This_backreference_refers_to_a_group_that_does_not_exist_There_are_no_capturing_groups_in_this_regular_expression, escape2.pos, escape2.end - escape2.pos); } } }); } function checkRegularExpressionFlagAvailable(flag, pos2) { const availableFrom = regExpFlagToFirstAvailableLanguageVersion.get(flag); if (availableFrom && languageVersion < availableFrom) { error2(Diagnostics.This_regular_expression_flag_is_only_available_when_targeting_0_or_later, pos2, 1, getNameOfScriptTarget(availableFrom)); } } function appendIfCommentDirective(commentDirectives2, text2, commentDirectiveRegEx, lineStart) { const type = getDirectiveFromComment(text2.trimStart(), commentDirectiveRegEx); if (type === void 0) { return commentDirectives2; } return append( commentDirectives2, { range: { pos: lineStart, end: pos }, type } ); } function getDirectiveFromComment(text2, commentDirectiveRegEx) { const match = commentDirectiveRegEx.exec(text2); if (!match) { return void 0; } switch (match[1]) { case "ts-expect-error": return 0; case "ts-ignore": return 1; } return void 0; } function reScanTemplateToken(isTaggedTemplate) { pos = tokenStart; return token = scanTemplateAndSetTokenValue(!isTaggedTemplate); } function reScanTemplateHeadOrNoSubstitutionTemplate() { pos = tokenStart; return token = scanTemplateAndSetTokenValue( /*shouldEmitInvalidEscapeError*/ true ); } function reScanJsxToken(allowMultilineJsxText = true) { pos = tokenStart = fullStartPos; return token = scanJsxToken(allowMultilineJsxText); } function reScanLessThanToken() { if (token === 48) { pos = tokenStart + 1; return token = 30; } return token; } function reScanHashToken() { if (token === 81) { pos = tokenStart + 1; return token = 63; } return token; } function reScanQuestionToken() { Debug.assert(token === 61, "'reScanQuestionToken' should only be called on a '??'"); pos = tokenStart + 1; return token = 58; } function scanJsxToken(allowMultilineJsxText = true) { fullStartPos = tokenStart = pos; if (pos >= end) { return token = 1; } let char = charCodeUnchecked(pos); if (char === 60) { if (charCodeUnchecked(pos + 1) === 47) { pos += 2; return token = 31; } pos++; return token = 30; } if (char === 123) { pos++; return token = 19; } let firstNonWhitespace = 0; while (pos < end) { char = charCodeUnchecked(pos); if (char === 123) { break; } if (char === 60) { if (isConflictMarkerTrivia(text, pos)) { pos = scanConflictMarkerTrivia(text, pos, error2); return token = 7; } break; } if (char === 62) { error2(Diagnostics.Unexpected_token_Did_you_mean_or_gt, pos, 1); } if (char === 125) { error2(Diagnostics.Unexpected_token_Did_you_mean_or_rbrace, pos, 1); } if (isLineBreak(char) && firstNonWhitespace === 0) { firstNonWhitespace = -1; } else if (!allowMultilineJsxText && isLineBreak(char) && firstNonWhitespace > 0) { break; } else if (!isWhiteSpaceLike(char)) { firstNonWhitespace = pos; } pos++; } tokenValue = text.substring(fullStartPos, pos); return firstNonWhitespace === -1 ? 13 : 12; } function scanJsxIdentifier() { if (tokenIsIdentifierOrKeyword(token)) { while (pos < end) { const ch = charCodeUnchecked(pos); if (ch === 45) { tokenValue += "-"; pos++; continue; } const oldPos = pos; tokenValue += scanIdentifierParts(); if (pos === oldPos) { break; } } return getIdentifierToken(); } return token; } function scanJsxAttributeValue() { fullStartPos = pos; switch (charCodeUnchecked(pos)) { case 34: case 39: tokenValue = scanString( /*jsxAttributeString*/ true ); return token = 11; default: return scan(); } } function reScanJsxAttributeValue() { pos = tokenStart = fullStartPos; return scanJsxAttributeValue(); } function scanJSDocCommentTextToken(inBackticks) { fullStartPos = tokenStart = pos; tokenFlags = 0; if (pos >= end) { return token = 1; } for (let ch = charCodeUnchecked(pos); pos < end && (!isLineBreak(ch) && ch !== 96); ch = codePointUnchecked(++pos)) { if (!inBackticks) { if (ch === 123) { break; } else if (ch === 64 && pos - 1 >= 0 && isWhiteSpaceSingleLine(charCodeUnchecked(pos - 1)) && !(pos + 1 < end && isWhiteSpaceLike(charCodeUnchecked(pos + 1)))) { break; } } } if (pos === tokenStart) { return scanJsDocToken(); } tokenValue = text.substring(tokenStart, pos); return token = 82; } function scanJsDocToken() { fullStartPos = tokenStart = pos; tokenFlags = 0; if (pos >= end) { return token = 1; } const ch = codePointUnchecked(pos); pos += charSize(ch); switch (ch) { case 9: case 11: case 12: case 32: while (pos < end && isWhiteSpaceSingleLine(charCodeUnchecked(pos))) { pos++; } return token = 5; case 64: return token = 60; case 13: if (charCodeUnchecked(pos) === 10) { pos++; } case 10: tokenFlags |= 1; return token = 4; case 42: return token = 42; case 123: return token = 19; case 125: return token = 20; case 91: return token = 23; case 93: return token = 24; case 40: return token = 21; case 41: return token = 22; case 60: return token = 30; case 62: return token = 32; case 61: return token = 64; case 44: return token = 28; case 46: return token = 25; case 96: return token = 62; case 35: return token = 63; case 92: pos--; const extendedCookedChar = peekExtendedUnicodeEscape(); if (extendedCookedChar >= 0 && isIdentifierStart(extendedCookedChar, languageVersion)) { tokenValue = scanExtendedUnicodeEscape( /*shouldEmitInvalidEscapeError*/ true ) + scanIdentifierParts(); return token = getIdentifierToken(); } const cookedChar = peekUnicodeEscape(); if (cookedChar >= 0 && isIdentifierStart(cookedChar, languageVersion)) { pos += 6; tokenFlags |= 1024; tokenValue = String.fromCharCode(cookedChar) + scanIdentifierParts(); return token = getIdentifierToken(); } pos++; return token = 0; } if (isIdentifierStart(ch, languageVersion)) { let char = ch; while (pos < end && isIdentifierPart(char = codePointUnchecked(pos), languageVersion) || char === 45) pos += charSize(char); tokenValue = text.substring(tokenStart, pos); if (char === 92) { tokenValue += scanIdentifierParts(); } return token = getIdentifierToken(); } else { return token = 0; } } function speculationHelper(callback, isLookahead) { const savePos = pos; const saveStartPos = fullStartPos; const saveTokenPos = tokenStart; const saveToken = token; const saveTokenValue = tokenValue; const saveTokenFlags = tokenFlags; const result = callback(); if (!result || isLookahead) { pos = savePos; fullStartPos = saveStartPos; tokenStart = saveTokenPos; token = saveToken; tokenValue = saveTokenValue; tokenFlags = saveTokenFlags; } return result; } function scanRange(start2, length3, callback) { const saveEnd = end; const savePos = pos; const saveStartPos = fullStartPos; const saveTokenPos = tokenStart; const saveToken = token; const saveTokenValue = tokenValue; const saveTokenFlags = tokenFlags; const saveErrorExpectations = commentDirectives; setText(text, start2, length3); const result = callback(); end = saveEnd; pos = savePos; fullStartPos = saveStartPos; tokenStart = saveTokenPos; token = saveToken; tokenValue = saveTokenValue; tokenFlags = saveTokenFlags; commentDirectives = saveErrorExpectations; return result; } function lookAhead(callback) { return speculationHelper( callback, /*isLookahead*/ true ); } function tryScan(callback) { return speculationHelper( callback, /*isLookahead*/ false ); } function getText() { return text; } function clearCommentDirectives() { commentDirectives = void 0; } function setText(newText, start2, length3) { text = newText || ""; end = length3 === void 0 ? text.length : start2 + length3; resetTokenState(start2 || 0); } function setOnError(errorCallback) { onError = errorCallback; } function setScriptTarget(scriptTarget) { languageVersion = scriptTarget; } function setLanguageVariant(variant) { languageVariant = variant; } function setScriptKind(kind) { scriptKind = kind; } function setJSDocParsingMode(kind) { jsDocParsingMode = kind; } function resetTokenState(position) { Debug.assert(position >= 0); pos = position; fullStartPos = position; tokenStart = position; token = 0; tokenValue = void 0; tokenFlags = 0; } function setSkipJsDocLeadingAsterisks(skip) { skipJsDocLeadingAsterisks += skip ? 1 : -1; } } function codePointAt(s, i) { return s.codePointAt(i); } function charSize(ch) { if (ch >= 65536) { return 2; } if (ch === -1) { return 0; } return 1; } function utf16EncodeAsStringFallback(codePoint) { Debug.assert(0 <= codePoint && codePoint <= 1114111); if (codePoint <= 65535) { return String.fromCharCode(codePoint); } const codeUnit1 = Math.floor((codePoint - 65536) / 1024) + 55296; const codeUnit2 = (codePoint - 65536) % 1024 + 56320; return String.fromCharCode(codeUnit1, codeUnit2); } var utf16EncodeAsStringWorker = String.fromCodePoint ? (codePoint) => String.fromCodePoint(codePoint) : utf16EncodeAsStringFallback; function utf16EncodeAsString(codePoint) { return utf16EncodeAsStringWorker(codePoint); } var nonBinaryUnicodeProperties = new Map(Object.entries({ General_Category: "General_Category", gc: "General_Category", Script: "Script", sc: "Script", Script_Extensions: "Script_Extensions", scx: "Script_Extensions" })); var binaryUnicodeProperties = /* @__PURE__ */ new Set(["ASCII", "ASCII_Hex_Digit", "AHex", "Alphabetic", "Alpha", "Any", "Assigned", "Bidi_Control", "Bidi_C", "Bidi_Mirrored", "Bidi_M", "Case_Ignorable", "CI", "Cased", "Changes_When_Casefolded", "CWCF", "Changes_When_Casemapped", "CWCM", "Changes_When_Lowercased", "CWL", "Changes_When_NFKC_Casefolded", "CWKCF", "Changes_When_Titlecased", "CWT", "Changes_When_Uppercased", "CWU", "Dash", "Default_Ignorable_Code_Point", "DI", "Deprecated", "Dep", "Diacritic", "Dia", "Emoji", "Emoji_Component", "EComp", "Emoji_Modifier", "EMod", "Emoji_Modifier_Base", "EBase", "Emoji_Presentation", "EPres", "Extended_Pictographic", "ExtPict", "Extender", "Ext", "Grapheme_Base", "Gr_Base", "Grapheme_Extend", "Gr_Ext", "Hex_Digit", "Hex", "IDS_Binary_Operator", "IDSB", "IDS_Trinary_Operator", "IDST", "ID_Continue", "IDC", "ID_Start", "IDS", "Ideographic", "Ideo", "Join_Control", "Join_C", "Logical_Order_Exception", "LOE", "Lowercase", "Lower", "Math", "Noncharacter_Code_Point", "NChar", "Pattern_Syntax", "Pat_Syn", "Pattern_White_Space", "Pat_WS", "Quotation_Mark", "QMark", "Radical", "Regional_Indicator", "RI", "Sentence_Terminal", "STerm", "Soft_Dotted", "SD", "Terminal_Punctuation", "Term", "Unified_Ideograph", "UIdeo", "Uppercase", "Upper", "Variation_Selector", "VS", "White_Space", "space", "XID_Continue", "XIDC", "XID_Start", "XIDS"]); var binaryUnicodePropertiesOfStrings = /* @__PURE__ */ new Set(["Basic_Emoji", "Emoji_Keycap_Sequence", "RGI_Emoji_Modifier_Sequence", "RGI_Emoji_Flag_Sequence", "RGI_Emoji_Tag_Sequence", "RGI_Emoji_ZWJ_Sequence", "RGI_Emoji"]); var valuesOfNonBinaryUnicodeProperties = { General_Category: /* @__PURE__ */ new Set(["C", "Other", "Cc", "Control", "cntrl", "Cf", "Format", "Cn", "Unassigned", "Co", "Private_Use", "Cs", "Surrogate", "L", "Letter", "LC", "Cased_Letter", "Ll", "Lowercase_Letter", "Lm", "Modifier_Letter", "Lo", "Other_Letter", "Lt", "Titlecase_Letter", "Lu", "Uppercase_Letter", "M", "Mark", "Combining_Mark", "Mc", "Spacing_Mark", "Me", "Enclosing_Mark", "Mn", "Nonspacing_Mark", "N", "Number", "Nd", "Decimal_Number", "digit", "Nl", "Letter_Number", "No", "Other_Number", "P", "Punctuation", "punct", "Pc", "Connector_Punctuation", "Pd", "Dash_Punctuation", "Pe", "Close_Punctuation", "Pf", "Final_Punctuation", "Pi", "Initial_Punctuation", "Po", "Other_Punctuation", "Ps", "Open_Punctuation", "S", "Symbol", "Sc", "Currency_Symbol", "Sk", "Modifier_Symbol", "Sm", "Math_Symbol", "So", "Other_Symbol", "Z", "Separator", "Zl", "Line_Separator", "Zp", "Paragraph_Separator", "Zs", "Space_Separator"]), Script: /* @__PURE__ */ new Set(["Adlm", "Adlam", "Aghb", "Caucasian_Albanian", "Ahom", "Arab", "Arabic", "Armi", "Imperial_Aramaic", "Armn", "Armenian", "Avst", "Avestan", "Bali", "Balinese", "Bamu", "Bamum", "Bass", "Bassa_Vah", "Batk", "Batak", "Beng", "Bengali", "Bhks", "Bhaiksuki", "Bopo", "Bopomofo", "Brah", "Brahmi", "Brai", "Braille", "Bugi", "Buginese", "Buhd", "Buhid", "Cakm", "Chakma", "Cans", "Canadian_Aboriginal", "Cari", "Carian", "Cham", "Cher", "Cherokee", "Chrs", "Chorasmian", "Copt", "Coptic", "Qaac", "Cpmn", "Cypro_Minoan", "Cprt", "Cypriot", "Cyrl", "Cyrillic", "Deva", "Devanagari", "Diak", "Dives_Akuru", "Dogr", "Dogra", "Dsrt", "Deseret", "Dupl", "Duployan", "Egyp", "Egyptian_Hieroglyphs", "Elba", "Elbasan", "Elym", "Elymaic", "Ethi", "Ethiopic", "Geor", "Georgian", "Glag", "Glagolitic", "Gong", "Gunjala_Gondi", "Gonm", "Masaram_Gondi", "Goth", "Gothic", "Gran", "Grantha", "Grek", "Greek", "Gujr", "Gujarati", "Guru", "Gurmukhi", "Hang", "Hangul", "Hani", "Han", "Hano", "Hanunoo", "Hatr", "Hatran", "Hebr", "Hebrew", "Hira", "Hiragana", "Hluw", "Anatolian_Hieroglyphs", "Hmng", "Pahawh_Hmong", "Hmnp", "Nyiakeng_Puachue_Hmong", "Hrkt", "Katakana_Or_Hiragana", "Hung", "Old_Hungarian", "Ital", "Old_Italic", "Java", "Javanese", "Kali", "Kayah_Li", "Kana", "Katakana", "Kawi", "Khar", "Kharoshthi", "Khmr", "Khmer", "Khoj", "Khojki", "Kits", "Khitan_Small_Script", "Knda", "Kannada", "Kthi", "Kaithi", "Lana", "Tai_Tham", "Laoo", "Lao", "Latn", "Latin", "Lepc", "Lepcha", "Limb", "Limbu", "Lina", "Linear_A", "Linb", "Linear_B", "Lisu", "Lyci", "Lycian", "Lydi", "Lydian", "Mahj", "Mahajani", "Maka", "Makasar", "Mand", "Mandaic", "Mani", "Manichaean", "Marc", "Marchen", "Medf", "Medefaidrin", "Mend", "Mende_Kikakui", "Merc", "Meroitic_Cursive", "Mero", "Meroitic_Hieroglyphs", "Mlym", "Malayalam", "Modi", "Mong", "Mongolian", "Mroo", "Mro", "Mtei", "Meetei_Mayek", "Mult", "Multani", "Mymr", "Myanmar", "Nagm", "Nag_Mundari", "Nand", "Nandinagari", "Narb", "Old_North_Arabian", "Nbat", "Nabataean", "Newa", "Nkoo", "Nko", "Nshu", "Nushu", "Ogam", "Ogham", "Olck", "Ol_Chiki", "Orkh", "Old_Turkic", "Orya", "Oriya", "Osge", "Osage", "Osma", "Osmanya", "Ougr", "Old_Uyghur", "Palm", "Palmyrene", "Pauc", "Pau_Cin_Hau", "Perm", "Old_Permic", "Phag", "Phags_Pa", "Phli", "Inscriptional_Pahlavi", "Phlp", "Psalter_Pahlavi", "Phnx", "Phoenician", "Plrd", "Miao", "Prti", "Inscriptional_Parthian", "Rjng", "Rejang", "Rohg", "Hanifi_Rohingya", "Runr", "Runic", "Samr", "Samaritan", "Sarb", "Old_South_Arabian", "Saur", "Saurashtra", "Sgnw", "SignWriting", "Shaw", "Shavian", "Shrd", "Sharada", "Sidd", "Siddham", "Sind", "Khudawadi", "Sinh", "Sinhala", "Sogd", "Sogdian", "Sogo", "Old_Sogdian", "Sora", "Sora_Sompeng", "Soyo", "Soyombo", "Sund", "Sundanese", "Sylo", "Syloti_Nagri", "Syrc", "Syriac", "Tagb", "Tagbanwa", "Takr", "Takri", "Tale", "Tai_Le", "Talu", "New_Tai_Lue", "Taml", "Tamil", "Tang", "Tangut", "Tavt", "Tai_Viet", "Telu", "Telugu", "Tfng", "Tifinagh", "Tglg", "Tagalog", "Thaa", "Thaana", "Thai", "Tibt", "Tibetan", "Tirh", "Tirhuta", "Tnsa", "Tangsa", "Toto", "Ugar", "Ugaritic", "Vaii", "Vai", "Vith", "Vithkuqi", "Wara", "Warang_Citi", "Wcho", "Wancho", "Xpeo", "Old_Persian", "Xsux", "Cuneiform", "Yezi", "Yezidi", "Yiii", "Yi", "Zanb", "Zanabazar_Square", "Zinh", "Inherited", "Qaai", "Zyyy", "Common", "Zzzz", "Unknown"]), Script_Extensions: void 0 }; valuesOfNonBinaryUnicodeProperties.Script_Extensions = valuesOfNonBinaryUnicodeProperties.Script; function isExternalModuleNameRelative(moduleName) { return pathIsRelative(moduleName) || isRootedDiskPath(moduleName); } function sortAndDeduplicateDiagnostics(diagnostics) { return sortAndDeduplicate(diagnostics, compareDiagnostics, diagnosticsEqualityComparer); } function getDefaultLibFileName(options) { switch (getEmitScriptTarget(options)) { case 99: return "lib.esnext.full.d.ts"; case 10: return "lib.es2023.full.d.ts"; case 9: return "lib.es2022.full.d.ts"; case 8: return "lib.es2021.full.d.ts"; case 7: return "lib.es2020.full.d.ts"; case 6: return "lib.es2019.full.d.ts"; case 5: return "lib.es2018.full.d.ts"; case 4: return "lib.es2017.full.d.ts"; case 3: return "lib.es2016.full.d.ts"; case 2: return "lib.es6.d.ts"; default: return "lib.d.ts"; } } function textSpanEnd(span) { return span.start + span.length; } function textSpanIsEmpty(span) { return span.length === 0; } function textSpanContainsPosition(span, position) { return position >= span.start && position < textSpanEnd(span); } function textRangeContainsPositionInclusive(span, position) { return position >= span.pos && position <= span.end; } function textSpanContainsTextSpan(span, other) { return other.start >= span.start && textSpanEnd(other) <= textSpanEnd(span); } function textSpanOverlapsWith(span, other) { return textSpanOverlap(span, other) !== void 0; } function textSpanOverlap(span1, span2) { const overlap = textSpanIntersection(span1, span2); return overlap && overlap.length === 0 ? void 0 : overlap; } function textSpanIntersectsWithTextSpan(span, other) { return decodedTextSpanIntersectsWith(span.start, span.length, other.start, other.length); } function textSpanIntersectsWith(span, start, length2) { return decodedTextSpanIntersectsWith(span.start, span.length, start, length2); } function decodedTextSpanIntersectsWith(start1, length1, start2, length2) { const end1 = start1 + length1; const end2 = start2 + length2; return start2 <= end1 && end2 >= start1; } function textSpanIntersectsWithPosition(span, position) { return position <= textSpanEnd(span) && position >= span.start; } function textSpanIntersection(span1, span2) { const start = Math.max(span1.start, span2.start); const end = Math.min(textSpanEnd(span1), textSpanEnd(span2)); return start <= end ? createTextSpanFromBounds(start, end) : void 0; } function createTextSpan(start, length2) { if (start < 0) { throw new Error("start < 0"); } if (length2 < 0) { throw new Error("length < 0"); } return { start, length: length2 }; } function createTextSpanFromBounds(start, end) { return createTextSpan(start, end - start); } function textChangeRangeNewSpan(range) { return createTextSpan(range.span.start, range.newLength); } function textChangeRangeIsUnchanged(range) { return textSpanIsEmpty(range.span) && range.newLength === 0; } function createTextChangeRange(span, newLength) { if (newLength < 0) { throw new Error("newLength < 0"); } return { span, newLength }; } var unchangedTextChangeRange = createTextChangeRange(createTextSpan(0, 0), 0); function collapseTextChangeRangesAcrossMultipleVersions(changes) { if (changes.length === 0) { return unchangedTextChangeRange; } if (changes.length === 1) { return changes[0]; } const change0 = changes[0]; let oldStartN = change0.span.start; let oldEndN = textSpanEnd(change0.span); let newEndN = oldStartN + change0.newLength; for (let i = 1; i < changes.length; i++) { const nextChange = changes[i]; const oldStart1 = oldStartN; const oldEnd1 = oldEndN; const newEnd1 = newEndN; const oldStart2 = nextChange.span.start; const oldEnd2 = textSpanEnd(nextChange.span); const newEnd2 = oldStart2 + nextChange.newLength; oldStartN = Math.min(oldStart1, oldStart2); oldEndN = Math.max(oldEnd1, oldEnd1 + (oldEnd2 - newEnd1)); newEndN = Math.max(newEnd2, newEnd2 + (newEnd1 - oldEnd2)); } return createTextChangeRange( createTextSpanFromBounds(oldStartN, oldEndN), /*newLength*/ newEndN - oldStartN ); } function getTypeParameterOwner(d) { if (d && d.kind === 168) { for (let current = d; current; current = current.parent) { if (isFunctionLike(current) || isClassLike(current) || current.kind === 264) { return current; } } } } function isParameterPropertyDeclaration(node, parent2) { return isParameter(node) && hasSyntacticModifier( node, 31 /* ParameterPropertyModifier */ ) && parent2.kind === 176; } function isEmptyBindingPattern(node) { if (isBindingPattern(node)) { return every(node.elements, isEmptyBindingElement); } return false; } function isEmptyBindingElement(node) { if (isOmittedExpression(node)) { return true; } return isEmptyBindingPattern(node.name); } function walkUpBindingElementsAndPatterns(binding) { let node = binding.parent; while (isBindingElement(node.parent)) { node = node.parent.parent; } return node.parent; } function getCombinedFlags(node, getFlags) { if (isBindingElement(node)) { node = walkUpBindingElementsAndPatterns(node); } let flags = getFlags(node); if (node.kind === 260) { node = node.parent; } if (node && node.kind === 261) { flags |= getFlags(node); node = node.parent; } if (node && node.kind === 243) { flags |= getFlags(node); } return flags; } function getCombinedModifierFlags(node) { return getCombinedFlags(node, getEffectiveModifierFlags); } function getCombinedNodeFlagsAlwaysIncludeJSDoc(node) { return getCombinedFlags(node, getEffectiveModifierFlagsAlwaysIncludeJSDoc); } function getCombinedNodeFlags(node) { return getCombinedFlags(node, getNodeFlags); } function getNodeFlags(node) { return node.flags; } var supportedLocaleDirectories = ["cs", "de", "es", "fr", "it", "ja", "ko", "pl", "pt-br", "ru", "tr", "zh-cn", "zh-tw"]; function validateLocaleAndSetLanguage(locale, sys2, errors) { const lowerCaseLocale = locale.toLowerCase(); const matchResult = /^([a-z]+)([_-]([a-z]+))?$/.exec(lowerCaseLocale); if (!matchResult) { if (errors) { errors.push(createCompilerDiagnostic(Diagnostics.Locale_must_be_of_the_form_language_or_language_territory_For_example_0_or_1, "en", "ja-jp")); } return; } const language = matchResult[1]; const territory = matchResult[3]; if (contains(supportedLocaleDirectories, lowerCaseLocale) && !trySetLanguageAndTerritory(language, territory, errors)) { trySetLanguageAndTerritory( language, /*territory*/ void 0, errors ); } setUILocale(locale); function trySetLanguageAndTerritory(language2, territory2, errors2) { const compilerFilePath = normalizePath(sys2.getExecutingFilePath()); const containingDirectoryPath = getDirectoryPath(compilerFilePath); let filePath = combinePaths(containingDirectoryPath, language2); if (territory2) { filePath = filePath + "-" + territory2; } filePath = sys2.resolvePath(combinePaths(filePath, "diagnosticMessages.generated.json")); if (!sys2.fileExists(filePath)) { return false; } let fileContents = ""; try { fileContents = sys2.readFile(filePath); } catch (e) { if (errors2) { errors2.push(createCompilerDiagnostic(Diagnostics.Unable_to_open_file_0, filePath)); } return false; } try { setLocalizedDiagnosticMessages(JSON.parse(fileContents)); } catch { if (errors2) { errors2.push(createCompilerDiagnostic(Diagnostics.Corrupted_locale_file_0, filePath)); } return false; } return true; } } function getOriginalNode(node, nodeTest) { if (node) { while (node.original !== void 0) { node = node.original; } } if (!node || !nodeTest) { return node; } return nodeTest(node) ? node : void 0; } function findAncestor(node, callback) { while (node) { const result = callback(node); if (result === "quit") { return void 0; } else if (result) { return node; } node = node.parent; } return void 0; } function isParseTreeNode(node) { return (node.flags & 16) === 0; } function getParseTreeNode(node, nodeTest) { if (node === void 0 || isParseTreeNode(node)) { return node; } node = node.original; while (node) { if (isParseTreeNode(node)) { return !nodeTest || nodeTest(node) ? node : void 0; } node = node.original; } } function escapeLeadingUnderscores(identifier) { return identifier.length >= 2 && identifier.charCodeAt(0) === 95 && identifier.charCodeAt(1) === 95 ? "_" + identifier : identifier; } function unescapeLeadingUnderscores(identifier) { const id = identifier; return id.length >= 3 && id.charCodeAt(0) === 95 && id.charCodeAt(1) === 95 && id.charCodeAt(2) === 95 ? id.substr(1) : id; } function idText(identifierOrPrivateName) { return unescapeLeadingUnderscores(identifierOrPrivateName.escapedText); } function identifierToKeywordKind(node) { const token = stringToToken(node.escapedText); return token ? tryCast(token, isKeyword2) : void 0; } function symbolName(symbol) { if (symbol.valueDeclaration && isPrivateIdentifierClassElementDeclaration(symbol.valueDeclaration)) { return idText(symbol.valueDeclaration.name); } return unescapeLeadingUnderscores(symbol.escapedName); } function nameForNamelessJSDocTypedef(declaration) { const hostNode = declaration.parent.parent; if (!hostNode) { return void 0; } if (isDeclaration(hostNode)) { return getDeclarationIdentifier(hostNode); } switch (hostNode.kind) { case 243: if (hostNode.declarationList && hostNode.declarationList.declarations[0]) { return getDeclarationIdentifier(hostNode.declarationList.declarations[0]); } break; case 244: let expr = hostNode.expression; if (expr.kind === 226 && expr.operatorToken.kind === 64) { expr = expr.left; } switch (expr.kind) { case 211: return expr.name; case 212: const arg = expr.argumentExpression; if (isIdentifier(arg)) { return arg; } } break; case 217: { return getDeclarationIdentifier(hostNode.expression); } case 256: { if (isDeclaration(hostNode.statement) || isExpression(hostNode.statement)) { return getDeclarationIdentifier(hostNode.statement); } break; } } } function getDeclarationIdentifier(node) { const name = getNameOfDeclaration(node); return name && isIdentifier(name) ? name : void 0; } function nodeHasName(statement, name) { if (isNamedDeclaration(statement) && isIdentifier(statement.name) && idText(statement.name) === idText(name)) { return true; } if (isVariableStatement(statement) && some(statement.declarationList.declarations, (d) => nodeHasName(d, name))) { return true; } return false; } function getNameOfJSDocTypedef(declaration) { return declaration.name || nameForNamelessJSDocTypedef(declaration); } function isNamedDeclaration(node) { return !!node.name; } function getNonAssignedNameOfDeclaration(declaration) { switch (declaration.kind) { case 80: return declaration; case 348: case 341: { const { name } = declaration; if (name.kind === 166) { return name.right; } break; } case 213: case 226: { const expr2 = declaration; switch (getAssignmentDeclarationKind(expr2)) { case 1: case 4: case 5: case 3: return getElementOrPropertyAccessArgumentExpressionOrName(expr2.left); case 7: case 8: case 9: return expr2.arguments[1]; default: return void 0; } } case 346: return getNameOfJSDocTypedef(declaration); case 340: return nameForNamelessJSDocTypedef(declaration); case 277: { const { expression } = declaration; return isIdentifier(expression) ? expression : void 0; } case 212: const expr = declaration; if (isBindableStaticElementAccessExpression(expr)) { return expr.argumentExpression; } } return declaration.name; } function getNameOfDeclaration(declaration) { if (declaration === void 0) return void 0; return getNonAssignedNameOfDeclaration(declaration) || (isFunctionExpression(declaration) || isArrowFunction(declaration) || isClassExpression(declaration) ? getAssignedName(declaration) : void 0); } function getAssignedName(node) { if (!node.parent) { return void 0; } else if (isPropertyAssignment(node.parent) || isBindingElement(node.parent)) { return node.parent.name; } else if (isBinaryExpression(node.parent) && node === node.parent.right) { if (isIdentifier(node.parent.left)) { return node.parent.left; } else if (isAccessExpression(node.parent.left)) { return getElementOrPropertyAccessArgumentExpressionOrName(node.parent.left); } } else if (isVariableDeclaration(node.parent) && isIdentifier(node.parent.name)) { return node.parent.name; } } function getDecorators(node) { if (hasDecorators(node)) { return filter(node.modifiers, isDecorator); } } function getModifiers(node) { if (hasSyntacticModifier( node, 98303 /* Modifier */ )) { return filter(node.modifiers, isModifier); } } function getJSDocParameterTagsWorker(param, noCache) { if (param.name) { if (isIdentifier(param.name)) { const name = param.name.escapedText; return getJSDocTagsWorker(param.parent, noCache).filter((tag) => isJSDocParameterTag(tag) && isIdentifier(tag.name) && tag.name.escapedText === name); } else { const i = param.parent.parameters.indexOf(param); Debug.assert(i > -1, "Parameters should always be in their parents' parameter list"); const paramTags = getJSDocTagsWorker(param.parent, noCache).filter(isJSDocParameterTag); if (i < paramTags.length) { return [paramTags[i]]; } } } return emptyArray; } function getJSDocParameterTags(param) { return getJSDocParameterTagsWorker( param, /*noCache*/ false ); } function getJSDocParameterTagsNoCache(param) { return getJSDocParameterTagsWorker( param, /*noCache*/ true ); } function getJSDocTypeParameterTagsWorker(param, noCache) { const name = param.name.escapedText; return getJSDocTagsWorker(param.parent, noCache).filter((tag) => isJSDocTemplateTag(tag) && tag.typeParameters.some((tp) => tp.name.escapedText === name)); } function getJSDocTypeParameterTags(param) { return getJSDocTypeParameterTagsWorker( param, /*noCache*/ false ); } function getJSDocTypeParameterTagsNoCache(param) { return getJSDocTypeParameterTagsWorker( param, /*noCache*/ true ); } function hasJSDocParameterTags(node) { return !!getFirstJSDocTag(node, isJSDocParameterTag); } function getJSDocAugmentsTag(node) { return getFirstJSDocTag(node, isJSDocAugmentsTag); } function getJSDocImplementsTags(node) { return getAllJSDocTags(node, isJSDocImplementsTag); } function getJSDocClassTag(node) { return getFirstJSDocTag(node, isJSDocClassTag); } function getJSDocPublicTag(node) { return getFirstJSDocTag(node, isJSDocPublicTag); } function getJSDocPublicTagNoCache(node) { return getFirstJSDocTag( node, isJSDocPublicTag, /*noCache*/ true ); } function getJSDocPrivateTag(node) { return getFirstJSDocTag(node, isJSDocPrivateTag); } function getJSDocPrivateTagNoCache(node) { return getFirstJSDocTag( node, isJSDocPrivateTag, /*noCache*/ true ); } function getJSDocProtectedTag(node) { return getFirstJSDocTag(node, isJSDocProtectedTag); } function getJSDocProtectedTagNoCache(node) { return getFirstJSDocTag( node, isJSDocProtectedTag, /*noCache*/ true ); } function getJSDocReadonlyTag(node) { return getFirstJSDocTag(node, isJSDocReadonlyTag); } function getJSDocReadonlyTagNoCache(node) { return getFirstJSDocTag( node, isJSDocReadonlyTag, /*noCache*/ true ); } function getJSDocOverrideTagNoCache(node) { return getFirstJSDocTag( node, isJSDocOverrideTag, /*noCache*/ true ); } function getJSDocDeprecatedTag(node) { return getFirstJSDocTag(node, isJSDocDeprecatedTag); } function getJSDocDeprecatedTagNoCache(node) { return getFirstJSDocTag( node, isJSDocDeprecatedTag, /*noCache*/ true ); } function getJSDocEnumTag(node) { return getFirstJSDocTag(node, isJSDocEnumTag); } function getJSDocThisTag(node) { return getFirstJSDocTag(node, isJSDocThisTag); } function getJSDocReturnTag(node) { return getFirstJSDocTag(node, isJSDocReturnTag); } function getJSDocTemplateTag(node) { return getFirstJSDocTag(node, isJSDocTemplateTag); } function getJSDocSatisfiesTag(node) { return getFirstJSDocTag(node, isJSDocSatisfiesTag); } function getJSDocTypeTag(node) { const tag = getFirstJSDocTag(node, isJSDocTypeTag); if (tag && tag.typeExpression && tag.typeExpression.type) { return tag; } return void 0; } function getJSDocType(node) { let tag = getFirstJSDocTag(node, isJSDocTypeTag); if (!tag && isParameter(node)) { tag = find(getJSDocParameterTags(node), (tag2) => !!tag2.typeExpression); } return tag && tag.typeExpression && tag.typeExpression.type; } function getJSDocReturnType(node) { const returnTag = getJSDocReturnTag(node); if (returnTag && returnTag.typeExpression) { return returnTag.typeExpression.type; } const typeTag = getJSDocTypeTag(node); if (typeTag && typeTag.typeExpression) { const type = typeTag.typeExpression.type; if (isTypeLiteralNode(type)) { const sig = find(type.members, isCallSignatureDeclaration); return sig && sig.type; } if (isFunctionTypeNode(type) || isJSDocFunctionType(type)) { return type.type; } } } function getJSDocTagsWorker(node, noCache) { var _a; if (!canHaveJSDoc(node)) return emptyArray; let tags = (_a = node.jsDoc) == null ? void 0 : _a.jsDocCache; if (tags === void 0 || noCache) { const comments = getJSDocCommentsAndTags(node, noCache); Debug.assert(comments.length < 2 || comments[0] !== comments[1]); tags = flatMap(comments, (j) => isJSDoc(j) ? j.tags : j); if (!noCache) { node.jsDoc ?? (node.jsDoc = []); node.jsDoc.jsDocCache = tags; } } return tags; } function getJSDocTags(node) { return getJSDocTagsWorker( node, /*noCache*/ false ); } function getJSDocTagsNoCache(node) { return getJSDocTagsWorker( node, /*noCache*/ true ); } function getFirstJSDocTag(node, predicate, noCache) { return find(getJSDocTagsWorker(node, noCache), predicate); } function getAllJSDocTags(node, predicate) { return getJSDocTags(node).filter(predicate); } function getAllJSDocTagsOfKind(node, kind) { return getJSDocTags(node).filter((doc) => doc.kind === kind); } function getTextOfJSDocComment(comment) { return typeof comment === "string" ? comment : comment == null ? void 0 : comment.map((c) => c.kind === 321 ? c.text : formatJSDocLink(c)).join(""); } function formatJSDocLink(link) { const kind = link.kind === 324 ? "link" : link.kind === 325 ? "linkcode" : "linkplain"; const name = link.name ? entityNameToString(link.name) : ""; const space = link.name && (link.text === "" || link.text.startsWith("://")) ? "" : " "; return `{@${kind} ${name}${space}${link.text}}`; } function getEffectiveTypeParameterDeclarations(node) { if (isJSDocSignature(node)) { if (isJSDocOverloadTag(node.parent)) { const jsDoc = getJSDocRoot(node.parent); if (jsDoc && length(jsDoc.tags)) { return flatMap(jsDoc.tags, (tag) => isJSDocTemplateTag(tag) ? tag.typeParameters : void 0); } } return emptyArray; } if (isJSDocTypeAlias(node)) { Debug.assert( node.parent.kind === 320 /* JSDoc */ ); return flatMap(node.parent.tags, (tag) => isJSDocTemplateTag(tag) ? tag.typeParameters : void 0); } if (node.typeParameters) { return node.typeParameters; } if (canHaveIllegalTypeParameters(node) && node.typeParameters) { return node.typeParameters; } if (isInJSFile(node)) { const decls = getJSDocTypeParameterDeclarations(node); if (decls.length) { return decls; } const typeTag = getJSDocType(node); if (typeTag && isFunctionTypeNode(typeTag) && typeTag.typeParameters) { return typeTag.typeParameters; } } return emptyArray; } function getEffectiveConstraintOfTypeParameter(node) { return node.constraint ? node.constraint : isJSDocTemplateTag(node.parent) && node === node.parent.typeParameters[0] ? node.parent.constraint : void 0; } function isMemberName(node) { return node.kind === 80 || node.kind === 81; } function isGetOrSetAccessorDeclaration(node) { return node.kind === 178 || node.kind === 177; } function isPropertyAccessChain(node) { return isPropertyAccessExpression(node) && !!(node.flags & 64); } function isElementAccessChain(node) { return isElementAccessExpression(node) && !!(node.flags & 64); } function isCallChain(node) { return isCallExpression2(node) && !!(node.flags & 64); } function isOptionalChain(node) { const kind = node.kind; return !!(node.flags & 64) && (kind === 211 || kind === 212 || kind === 213 || kind === 235); } function isOptionalChainRoot(node) { return isOptionalChain(node) && !isNonNullExpression(node) && !!node.questionDotToken; } function isExpressionOfOptionalChainRoot(node) { return isOptionalChainRoot(node.parent) && node.parent.expression === node; } function isOutermostOptionalChain(node) { return !isOptionalChain(node.parent) || isOptionalChainRoot(node.parent) || node !== node.parent.expression; } function isNullishCoalesce(node) { return node.kind === 226 && node.operatorToken.kind === 61; } function isConstTypeReference(node) { return isTypeReferenceNode(node) && isIdentifier(node.typeName) && node.typeName.escapedText === "const" && !node.typeArguments; } function skipPartiallyEmittedExpressions(node) { return skipOuterExpressions( node, 8 /* PartiallyEmittedExpressions */ ); } function isNonNullChain(node) { return isNonNullExpression(node) && !!(node.flags & 64); } function isBreakOrContinueStatement(node) { return node.kind === 252 || node.kind === 251; } function isNamedExportBindings(node) { return node.kind === 280 || node.kind === 279; } function isJSDocPropertyLikeTag(node) { return node.kind === 348 || node.kind === 341; } function isNode2(node) { return isNodeKind(node.kind); } function isNodeKind(kind) { return kind >= 166; } function isTokenKind(kind) { return kind >= 0 && kind <= 165; } function isToken(n) { return isTokenKind(n.kind); } function isNodeArray(array) { return hasProperty(array, "pos") && hasProperty(array, "end"); } function isLiteralKind(kind) { return 9 <= kind && kind <= 15; } function isLiteralExpression(node) { return isLiteralKind(node.kind); } function isLiteralExpressionOfObject(node) { switch (node.kind) { case 210: case 209: case 14: case 218: case 231: return true; } return false; } function isTemplateLiteralKind(kind) { return 15 <= kind && kind <= 18; } function isTemplateLiteralToken(node) { return isTemplateLiteralKind(node.kind); } function isTemplateMiddleOrTemplateTail(node) { const kind = node.kind; return kind === 17 || kind === 18; } function isImportOrExportSpecifier(node) { return isImportSpecifier(node) || isExportSpecifier(node); } function isTypeOnlyImportDeclaration(node) { switch (node.kind) { case 276: return node.isTypeOnly || node.parent.parent.isTypeOnly; case 274: return node.parent.isTypeOnly; case 273: case 271: return node.isTypeOnly; } return false; } function isTypeOnlyExportDeclaration(node) { switch (node.kind) { case 281: return node.isTypeOnly || node.parent.parent.isTypeOnly; case 278: return node.isTypeOnly && !!node.moduleSpecifier && !node.exportClause; case 280: return node.parent.isTypeOnly; } return false; } function isTypeOnlyImportOrExportDeclaration(node) { return isTypeOnlyImportDeclaration(node) || isTypeOnlyExportDeclaration(node); } function isStringTextContainingNode(node) { return node.kind === 11 || isTemplateLiteralKind(node.kind); } function isImportAttributeName(node) { return isStringLiteral2(node) || isIdentifier(node); } function isGeneratedIdentifier(node) { var _a; return isIdentifier(node) && ((_a = node.emitNode) == null ? void 0 : _a.autoGenerate) !== void 0; } function isGeneratedPrivateIdentifier(node) { var _a; return isPrivateIdentifier(node) && ((_a = node.emitNode) == null ? void 0 : _a.autoGenerate) !== void 0; } function isFileLevelReservedGeneratedIdentifier(node) { const flags = node.emitNode.autoGenerate.flags; return !!(flags & 32) && !!(flags & 16) && !!(flags & 8); } function isPrivateIdentifierClassElementDeclaration(node) { return (isPropertyDeclaration(node) || isMethodOrAccessor(node)) && isPrivateIdentifier(node.name); } function isPrivateIdentifierPropertyAccessExpression(node) { return isPropertyAccessExpression(node) && isPrivateIdentifier(node.name); } function isModifierKind(token) { switch (token) { case 128: case 129: case 134: case 87: case 138: case 90: case 95: case 103: case 125: case 123: case 124: case 148: case 126: case 147: case 164: return true; } return false; } function isParameterPropertyModifier(kind) { return !!(modifierToFlag(kind) & 31); } function isClassMemberModifier(idToken) { return isParameterPropertyModifier(idToken) || idToken === 126 || idToken === 164 || idToken === 129; } function isModifier(node) { return isModifierKind(node.kind); } function isEntityName(node) { const kind = node.kind; return kind === 166 || kind === 80; } function isPropertyName(node) { const kind = node.kind; return kind === 80 || kind === 81 || kind === 11 || kind === 9 || kind === 167; } function isBindingName(node) { const kind = node.kind; return kind === 80 || kind === 206 || kind === 207; } function isFunctionLike(node) { return !!node && isFunctionLikeKind(node.kind); } function isFunctionLikeOrClassStaticBlockDeclaration(node) { return !!node && (isFunctionLikeKind(node.kind) || isClassStaticBlockDeclaration(node)); } function isFunctionLikeDeclaration(node) { return node && isFunctionLikeDeclarationKind(node.kind); } function isBooleanLiteral(node) { return node.kind === 112 || node.kind === 97; } function isFunctionLikeDeclarationKind(kind) { switch (kind) { case 262: case 174: case 176: case 177: case 178: case 218: case 219: return true; default: return false; } } function isFunctionLikeKind(kind) { switch (kind) { case 173: case 179: case 323: case 180: case 181: case 184: case 317: case 185: return true; default: return isFunctionLikeDeclarationKind(kind); } } function isFunctionOrModuleBlock(node) { return isSourceFile(node) || isModuleBlock(node) || isBlock(node) && isFunctionLike(node.parent); } function isClassElement(node) { const kind = node.kind; return kind === 176 || kind === 172 || kind === 174 || kind === 177 || kind === 178 || kind === 181 || kind === 175 || kind === 240; } function isClassLike(node) { return node && (node.kind === 263 || node.kind === 231); } function isAccessor(node) { return node && (node.kind === 177 || node.kind === 178); } function isAutoAccessorPropertyDeclaration(node) { return isPropertyDeclaration(node) && hasAccessorModifier(node); } function isClassInstanceProperty(node) { if (isInJSFile(node) && isExpandoPropertyDeclaration(node)) { return (!isBindableStaticAccessExpression(node) || !isPrototypeAccess(node.expression)) && !isBindableStaticNameExpression( node, /*excludeThisKeyword*/ true ); } return node.parent && isClassLike(node.parent) && isPropertyDeclaration(node) && !hasAccessorModifier(node); } function isMethodOrAccessor(node) { switch (node.kind) { case 174: case 177: case 178: return true; default: return false; } } function isNamedClassElement(node) { switch (node.kind) { case 174: case 177: case 178: case 172: return true; default: return false; } } function isModifierLike(node) { return isModifier(node) || isDecorator(node); } function isTypeElement(node) { const kind = node.kind; return kind === 180 || kind === 179 || kind === 171 || kind === 173 || kind === 181 || kind === 177 || kind === 178; } function isClassOrTypeElement(node) { return isTypeElement(node) || isClassElement(node); } function isObjectLiteralElementLike(node) { const kind = node.kind; return kind === 303 || kind === 304 || kind === 305 || kind === 174 || kind === 177 || kind === 178; } function isTypeNode(node) { return isTypeNodeKind(node.kind); } function isFunctionOrConstructorTypeNode(node) { switch (node.kind) { case 184: case 185: return true; } return false; } function isBindingPattern(node) { if (node) { const kind = node.kind; return kind === 207 || kind === 206; } return false; } function isAssignmentPattern(node) { const kind = node.kind; return kind === 209 || kind === 210; } function isArrayBindingElement(node) { const kind = node.kind; return kind === 208 || kind === 232; } function isDeclarationBindingElement(bindingElement) { switch (bindingElement.kind) { case 260: case 169: case 208: return true; } return false; } function isBindingOrAssignmentElement(node) { return isVariableDeclaration(node) || isParameter(node) || isObjectBindingOrAssignmentElement(node) || isArrayBindingOrAssignmentElement(node); } function isBindingOrAssignmentPattern(node) { return isObjectBindingOrAssignmentPattern(node) || isArrayBindingOrAssignmentPattern(node); } function isObjectBindingOrAssignmentPattern(node) { switch (node.kind) { case 206: case 210: return true; } return false; } function isObjectBindingOrAssignmentElement(node) { switch (node.kind) { case 208: case 303: case 304: case 305: return true; } return false; } function isArrayBindingOrAssignmentPattern(node) { switch (node.kind) { case 207: case 209: return true; } return false; } function isArrayBindingOrAssignmentElement(node) { switch (node.kind) { case 208: case 232: case 230: case 209: case 210: case 80: case 211: case 212: return true; } return isAssignmentExpression2( node, /*excludeCompoundAssignment*/ true ); } function isPropertyAccessOrQualifiedNameOrImportTypeNode(node) { const kind = node.kind; return kind === 211 || kind === 166 || kind === 205; } function isPropertyAccessOrQualifiedName(node) { const kind = node.kind; return kind === 211 || kind === 166; } function isCallLikeOrFunctionLikeExpression(node) { return isCallLikeExpression(node) || isFunctionExpressionOrArrowFunction(node); } function isCallLikeExpression(node) { switch (node.kind) { case 286: case 285: case 213: case 214: case 215: case 170: return true; default: return false; } } function isCallOrNewExpression2(node) { return node.kind === 213 || node.kind === 214; } function isTemplateLiteral(node) { const kind = node.kind; return kind === 228 || kind === 15; } function isLeftHandSideExpression(node) { return isLeftHandSideExpressionKind(skipPartiallyEmittedExpressions(node).kind); } function isLeftHandSideExpressionKind(kind) { switch (kind) { case 211: case 212: case 214: case 213: case 284: case 285: case 288: case 215: case 209: case 217: case 210: case 231: case 218: case 80: case 81: case 14: case 9: case 10: case 11: case 15: case 228: case 97: case 106: case 110: case 112: case 108: case 235: case 233: case 236: case 102: case 282: return true; default: return false; } } function isUnaryExpression(node) { return isUnaryExpressionKind(skipPartiallyEmittedExpressions(node).kind); } function isUnaryExpressionKind(kind) { switch (kind) { case 224: case 225: case 220: case 221: case 222: case 223: case 216: return true; default: return isLeftHandSideExpressionKind(kind); } } function isUnaryExpressionWithWrite(expr) { switch (expr.kind) { case 225: return true; case 224: return expr.operator === 46 || expr.operator === 47; default: return false; } } function isLiteralTypeLiteral(node) { switch (node.kind) { case 106: case 112: case 97: case 224: return true; default: return isLiteralExpression(node); } } function isExpression(node) { return isExpressionKind(skipPartiallyEmittedExpressions(node).kind); } function isExpressionKind(kind) { switch (kind) { case 227: case 229: case 219: case 226: case 230: case 234: case 232: case 355: case 354: case 238: return true; default: return isUnaryExpressionKind(kind); } } function isAssertionExpression(node) { const kind = node.kind; return kind === 216 || kind === 234; } function isNotEmittedOrPartiallyEmittedNode(node) { return isNotEmittedStatement(node) || isPartiallyEmittedExpression(node); } function isIterationStatement(node, lookInLabeledStatements) { switch (node.kind) { case 248: case 249: case 250: case 246: case 247: return true; case 256: return lookInLabeledStatements && isIterationStatement(node.statement, lookInLabeledStatements); } return false; } function isScopeMarker(node) { return isExportAssignment(node) || isExportDeclaration(node); } function hasScopeMarker(statements) { return some(statements, isScopeMarker); } function needsScopeMarker(result) { return !isAnyImportOrReExport(result) && !isExportAssignment(result) && !hasSyntacticModifier( result, 32 /* Export */ ) && !isAmbientModule(result); } function isExternalModuleIndicator(result) { return isAnyImportOrReExport(result) || isExportAssignment(result) || hasSyntacticModifier( result, 32 /* Export */ ); } function isForInOrOfStatement(node) { return node.kind === 249 || node.kind === 250; } function isConciseBody(node) { return isBlock(node) || isExpression(node); } function isFunctionBody(node) { return isBlock(node); } function isForInitializer(node) { return isVariableDeclarationList(node) || isExpression(node); } function isModuleBody(node) { const kind = node.kind; return kind === 268 || kind === 267 || kind === 80; } function isNamespaceBody(node) { const kind = node.kind; return kind === 268 || kind === 267; } function isJSDocNamespaceBody(node) { const kind = node.kind; return kind === 80 || kind === 267; } function isNamedImportBindings(node) { const kind = node.kind; return kind === 275 || kind === 274; } function isModuleOrEnumDeclaration(node) { return node.kind === 267 || node.kind === 266; } function canHaveSymbol(node) { switch (node.kind) { case 219: case 226: case 208: case 213: case 179: case 263: case 231: case 175: case 176: case 185: case 180: case 212: case 266: case 306: case 277: case 278: case 281: case 262: case 218: case 184: case 177: case 80: case 273: case 271: case 276: case 181: case 264: case 338: case 340: case 317: case 341: case 348: case 323: case 346: case 322: case 291: case 292: case 293: case 200: case 174: case 173: case 267: case 202: case 280: case 270: case 274: case 214: case 15: case 9: case 210: case 169: case 211: case 303: case 172: case 171: case 178: case 304: case 307: case 305: case 11: case 265: case 187: case 168: case 260: return true; default: return false; } } function canHaveLocals(node) { switch (node.kind) { case 219: case 241: case 179: case 269: case 299: case 175: case 194: case 176: case 185: case 180: case 248: case 249: case 250: case 262: case 218: case 184: case 177: case 181: case 338: case 340: case 317: case 323: case 346: case 200: case 174: case 173: case 267: case 178: case 307: case 265: return true; default: return false; } } function isDeclarationKind(kind) { return kind === 219 || kind === 208 || kind === 263 || kind === 231 || kind === 175 || kind === 176 || kind === 266 || kind === 306 || kind === 281 || kind === 262 || kind === 218 || kind === 177 || kind === 273 || kind === 271 || kind === 276 || kind === 264 || kind === 291 || kind === 174 || kind === 173 || kind === 267 || kind === 270 || kind === 274 || kind === 280 || kind === 169 || kind === 303 || kind === 172 || kind === 171 || kind === 178 || kind === 304 || kind === 265 || kind === 168 || kind === 260 || kind === 346 || kind === 338 || kind === 348 || kind === 202; } function isDeclarationStatementKind(kind) { return kind === 262 || kind === 282 || kind === 263 || kind === 264 || kind === 265 || kind === 266 || kind === 267 || kind === 272 || kind === 271 || kind === 278 || kind === 277 || kind === 270; } function isStatementKindButNotDeclarationKind(kind) { return kind === 252 || kind === 251 || kind === 259 || kind === 246 || kind === 244 || kind === 242 || kind === 249 || kind === 250 || kind === 248 || kind === 245 || kind === 256 || kind === 253 || kind === 255 || kind === 257 || kind === 258 || kind === 243 || kind === 247 || kind === 254 || kind === 353; } function isDeclaration(node) { if (node.kind === 168) { return node.parent && node.parent.kind !== 345 || isInJSFile(node); } return isDeclarationKind(node.kind); } function isDeclarationStatement(node) { return isDeclarationStatementKind(node.kind); } function isStatementButNotDeclaration(node) { return isStatementKindButNotDeclarationKind(node.kind); } function isStatement(node) { const kind = node.kind; return isStatementKindButNotDeclarationKind(kind) || isDeclarationStatementKind(kind) || isBlockStatement(node); } function isBlockStatement(node) { if (node.kind !== 241) return false; if (node.parent !== void 0) { if (node.parent.kind === 258 || node.parent.kind === 299) { return false; } } return !isFunctionBlock(node); } function isStatementOrBlock(node) { const kind = node.kind; return isStatementKindButNotDeclarationKind(kind) || isDeclarationStatementKind(kind) || kind === 241; } function isModuleReference(node) { const kind = node.kind; return kind === 283 || kind === 166 || kind === 80; } function isJsxTagNameExpression(node) { const kind = node.kind; return kind === 110 || kind === 80 || kind === 211 || kind === 295; } function isJsxChild(node) { const kind = node.kind; return kind === 284 || kind === 294 || kind === 285 || kind === 12 || kind === 288; } function isJsxAttributeLike(node) { const kind = node.kind; return kind === 291 || kind === 293; } function isStringLiteralOrJsxExpression(node) { const kind = node.kind; return kind === 11 || kind === 294; } function isJsxOpeningLikeElement(node) { const kind = node.kind; return kind === 286 || kind === 285; } function isCaseOrDefaultClause(node) { const kind = node.kind; return kind === 296 || kind === 297; } function isJSDocNode(node) { return node.kind >= 309 && node.kind <= 351; } function isJSDocCommentContainingNode(node) { return node.kind === 320 || node.kind === 319 || node.kind === 321 || isJSDocLinkLike(node) || isJSDocTag(node) || isJSDocTypeLiteral(node) || isJSDocSignature(node); } function isJSDocTag(node) { return node.kind >= 327 && node.kind <= 351; } function isSetAccessor(node) { return node.kind === 178; } function isGetAccessor(node) { return node.kind === 177; } function hasJSDocNodes(node) { if (!canHaveJSDoc(node)) return false; const { jsDoc } = node; return !!jsDoc && jsDoc.length > 0; } function hasType(node) { return !!node.type; } function hasInitializer(node) { return !!node.initializer; } function hasOnlyExpressionInitializer(node) { switch (node.kind) { case 260: case 169: case 208: case 172: case 303: case 306: return true; default: return false; } } function isObjectLiteralElement(node) { return node.kind === 291 || node.kind === 293 || isObjectLiteralElementLike(node); } function isTypeReferenceType(node) { return node.kind === 183 || node.kind === 233; } var MAX_SMI_X86 = 1073741823; function guessIndentation(lines) { let indentation = MAX_SMI_X86; for (const line of lines) { if (!line.length) { continue; } let i = 0; for (; i < line.length && i < indentation; i++) { if (!isWhiteSpaceLike(line.charCodeAt(i))) { break; } } if (i < indentation) { indentation = i; } if (indentation === 0) { return 0; } } return indentation === MAX_SMI_X86 ? void 0 : indentation; } function isStringLiteralLike(node) { return node.kind === 11 || node.kind === 15; } function isJSDocLinkLike(node) { return node.kind === 324 || node.kind === 325 || node.kind === 326; } function hasRestParameter(s) { const last2 = lastOrUndefined(s.parameters); return !!last2 && isRestParameter(last2); } function isRestParameter(node) { const type = isJSDocParameterTag(node) ? node.typeExpression && node.typeExpression.type : node.type; return node.dotDotDotToken !== void 0 || !!type && type.kind === 318; } function hasInternalAnnotation(range, sourceFile) { const comment = sourceFile.text.substring(range.pos, range.end); return comment.includes("@internal"); } function isInternalDeclaration(node, sourceFile) { sourceFile ?? (sourceFile = getSourceFileOfNode(node)); const parseTreeNode = getParseTreeNode(node); if (parseTreeNode && parseTreeNode.kind === 169) { const paramIdx = parseTreeNode.parent.parameters.indexOf(parseTreeNode); const previousSibling = paramIdx > 0 ? parseTreeNode.parent.parameters[paramIdx - 1] : void 0; const text = sourceFile.text; const commentRanges = previousSibling ? concatenate( // to handle // ... parameters, /** @internal */ // public param: string getTrailingCommentRanges(text, skipTrivia( text, previousSibling.end + 1, /*stopAfterLineBreak*/ false, /*stopAtComments*/ true )), getLeadingCommentRanges(text, node.pos) ) : getTrailingCommentRanges(text, skipTrivia( text, node.pos, /*stopAfterLineBreak*/ false, /*stopAtComments*/ true )); return some(commentRanges) && hasInternalAnnotation(last(commentRanges), sourceFile); } const leadingCommentRanges = parseTreeNode && getLeadingCommentRangesOfNode(parseTreeNode, sourceFile); return !!forEach(leadingCommentRanges, (range) => { return hasInternalAnnotation(range, sourceFile); }); } var resolvingEmptyArray = []; var externalHelpersModuleNameText = "tslib"; var defaultMaximumTruncationLength = 160; var noTruncationMaximumTruncationLength = 1e6; function getDeclarationOfKind(symbol, kind) { const declarations = symbol.declarations; if (declarations) { for (const declaration of declarations) { if (declaration.kind === kind) { return declaration; } } } return void 0; } function getDeclarationsOfKind(symbol, kind) { return filter(symbol.declarations || emptyArray, (d) => d.kind === kind); } function createSymbolTable(symbols) { const result = /* @__PURE__ */ new Map(); if (symbols) { for (const symbol of symbols) { result.set(symbol.escapedName, symbol); } } return result; } function isTransientSymbol(symbol) { return (symbol.flags & 33554432) !== 0; } function isExternalModuleSymbol(moduleSymbol) { return !!(moduleSymbol.flags & 1536) && moduleSymbol.escapedName.charCodeAt(0) === 34; } var stringWriter = createSingleLineStringWriter(); function createSingleLineStringWriter() { var str = ""; const writeText = (text) => str += text; return { getText: () => str, write: writeText, rawWrite: writeText, writeKeyword: writeText, writeOperator: writeText, writePunctuation: writeText, writeSpace: writeText, writeStringLiteral: writeText, writeLiteral: writeText, writeParameter: writeText, writeProperty: writeText, writeSymbol: (s, _) => writeText(s), writeTrailingSemicolon: writeText, writeComment: writeText, getTextPos: () => str.length, getLine: () => 0, getColumn: () => 0, getIndent: () => 0, isAtStartOfLine: () => false, hasTrailingComment: () => false, hasTrailingWhitespace: () => !!str.length && isWhiteSpaceLike(str.charCodeAt(str.length - 1)), // Completely ignore indentation for string writers. And map newlines to // a single space. writeLine: () => str += " ", increaseIndent: noop2, decreaseIndent: noop2, clear: () => str = "" }; } function changesAffectModuleResolution(oldOptions, newOptions) { return oldOptions.configFilePath !== newOptions.configFilePath || optionsHaveModuleResolutionChanges(oldOptions, newOptions); } function optionsHaveModuleResolutionChanges(oldOptions, newOptions) { return optionsHaveChanges(oldOptions, newOptions, moduleResolutionOptionDeclarations); } function changesAffectingProgramStructure(oldOptions, newOptions) { return optionsHaveChanges(oldOptions, newOptions, optionsAffectingProgramStructure); } function optionsHaveChanges(oldOptions, newOptions, optionDeclarations2) { return oldOptions !== newOptions && optionDeclarations2.some((o) => !isJsonEqual(getCompilerOptionValue(oldOptions, o), getCompilerOptionValue(newOptions, o))); } function forEachAncestor(node, callback) { while (true) { const res = callback(node); if (res === "quit") return void 0; if (res !== void 0) return res; if (isSourceFile(node)) return void 0; node = node.parent; } } function forEachEntry(map2, callback) { const iterator = map2.entries(); for (const [key, value] of iterator) { const result = callback(value, key); if (result) { return result; } } return void 0; } function forEachKey(map2, callback) { const iterator = map2.keys(); for (const key of iterator) { const result = callback(key); if (result) { return result; } } return void 0; } function copyEntries(source, target) { source.forEach((value, key) => { target.set(key, value); }); } function usingSingleLineStringWriter(action) { const oldString = stringWriter.getText(); try { action(stringWriter); return stringWriter.getText(); } finally { stringWriter.clear(); stringWriter.writeKeyword(oldString); } } function getFullWidth(node) { return node.end - node.pos; } function projectReferenceIsEqualTo(oldRef, newRef) { return oldRef.path === newRef.path && !oldRef.prepend === !newRef.prepend && !oldRef.circular === !newRef.circular; } function moduleResolutionIsEqualTo(oldResolution, newResolution) { return oldResolution === newResolution || oldResolution.resolvedModule === newResolution.resolvedModule || !!oldResolution.resolvedModule && !!newResolution.resolvedModule && oldResolution.resolvedModule.isExternalLibraryImport === newResolution.resolvedModule.isExternalLibraryImport && oldResolution.resolvedModule.extension === newResolution.resolvedModule.extension && oldResolution.resolvedModule.resolvedFileName === newResolution.resolvedModule.resolvedFileName && oldResolution.resolvedModule.originalPath === newResolution.resolvedModule.originalPath && packageIdIsEqual(oldResolution.resolvedModule.packageId, newResolution.resolvedModule.packageId) && oldResolution.alternateResult === newResolution.alternateResult; } function createModuleNotFoundChain(sourceFile, host, moduleReference, mode, packageName) { var _a; const alternateResult = (_a = host.getResolvedModule(sourceFile, moduleReference, mode)) == null ? void 0 : _a.alternateResult; const alternateResultMessage = alternateResult && (getEmitModuleResolutionKind(host.getCompilerOptions()) === 2 ? [Diagnostics.There_are_types_at_0_but_this_result_could_not_be_resolved_under_your_current_moduleResolution_setting_Consider_updating_to_node16_nodenext_or_bundler, [alternateResult]] : [ Diagnostics.There_are_types_at_0_but_this_result_could_not_be_resolved_when_respecting_package_json_exports_The_1_library_may_need_to_update_its_package_json_or_typings, [alternateResult, alternateResult.includes(nodeModulesPathPart + "@types/") ? `@types/${mangleScopedPackageName(packageName)}` : packageName] ]); const result = alternateResultMessage ? chainDiagnosticMessages( /*details*/ void 0, alternateResultMessage[0], ...alternateResultMessage[1] ) : host.typesPackageExists(packageName) ? chainDiagnosticMessages( /*details*/ void 0, Diagnostics.If_the_0_package_actually_exposes_this_module_consider_sending_a_pull_request_to_amend_https_Colon_Slash_Slashgithub_com_SlashDefinitelyTyped_SlashDefinitelyTyped_Slashtree_Slashmaster_Slashtypes_Slash_1, packageName, mangleScopedPackageName(packageName) ) : host.packageBundlesTypes(packageName) ? chainDiagnosticMessages( /*details*/ void 0, Diagnostics.If_the_0_package_actually_exposes_this_module_try_adding_a_new_declaration_d_ts_file_containing_declare_module_1, packageName, moduleReference ) : chainDiagnosticMessages( /*details*/ void 0, Diagnostics.Try_npm_i_save_dev_types_Slash_1_if_it_exists_or_add_a_new_declaration_d_ts_file_containing_declare_module_0, moduleReference, mangleScopedPackageName(packageName) ); if (result) result.repopulateInfo = () => ({ moduleReference, mode, packageName: packageName === moduleReference ? void 0 : packageName }); return result; } function packageIdIsEqual(a, b) { return a === b || !!a && !!b && a.name === b.name && a.subModuleName === b.subModuleName && a.version === b.version && a.peerDependencies === b.peerDependencies; } function packageIdToPackageName({ name, subModuleName }) { return subModuleName ? `${name}/${subModuleName}` : name; } function packageIdToString(packageId) { return `${packageIdToPackageName(packageId)}@${packageId.version}${packageId.peerDependencies ?? ""}`; } function typeDirectiveIsEqualTo(oldResolution, newResolution) { return oldResolution === newResolution || oldResolution.resolvedTypeReferenceDirective === newResolution.resolvedTypeReferenceDirective || !!oldResolution.resolvedTypeReferenceDirective && !!newResolution.resolvedTypeReferenceDirective && oldResolution.resolvedTypeReferenceDirective.resolvedFileName === newResolution.resolvedTypeReferenceDirective.resolvedFileName && !!oldResolution.resolvedTypeReferenceDirective.primary === !!newResolution.resolvedTypeReferenceDirective.primary && oldResolution.resolvedTypeReferenceDirective.originalPath === newResolution.resolvedTypeReferenceDirective.originalPath; } function hasChangesInResolutions(names, newResolutions, getOldResolution, comparer) { Debug.assert(names.length === newResolutions.length); for (let i = 0; i < names.length; i++) { const newResolution = newResolutions[i]; const entry = names[i]; const oldResolution = getOldResolution(entry); const changed = oldResolution ? !newResolution || !comparer(oldResolution, newResolution) : newResolution; if (changed) { return true; } } return false; } function containsParseError(node) { aggregateChildData(node); return (node.flags & 1048576) !== 0; } function aggregateChildData(node) { if (!(node.flags & 2097152)) { const thisNodeOrAnySubNodesHasError = (node.flags & 262144) !== 0 || forEachChild(node, containsParseError); if (thisNodeOrAnySubNodesHasError) { node.flags |= 1048576; } node.flags |= 2097152; } } function getSourceFileOfNode(node) { while (node && node.kind !== 307) { node = node.parent; } return node; } function getSourceFileOfModule(module22) { return getSourceFileOfNode(module22.valueDeclaration || getNonAugmentationDeclaration(module22)); } function isPlainJsFile(file, checkJs) { return !!file && (file.scriptKind === 1 || file.scriptKind === 2) && !file.checkJsDirective && checkJs === void 0; } function isStatementWithLocals(node) { switch (node.kind) { case 241: case 269: case 248: case 249: case 250: return true; } return false; } function getStartPositionOfLine(line, sourceFile) { Debug.assert(line >= 0); return getLineStarts(sourceFile)[line]; } function nodePosToString(node) { const file = getSourceFileOfNode(node); const loc = getLineAndCharacterOfPosition(file, node.pos); return `${file.fileName}(${loc.line + 1},${loc.character + 1})`; } function getEndLinePosition(line, sourceFile) { Debug.assert(line >= 0); const lineStarts = getLineStarts(sourceFile); const lineIndex = line; const sourceText = sourceFile.text; if (lineIndex + 1 === lineStarts.length) { return sourceText.length - 1; } else { const start = lineStarts[lineIndex]; let pos = lineStarts[lineIndex + 1] - 1; Debug.assert(isLineBreak(sourceText.charCodeAt(pos))); while (start <= pos && isLineBreak(sourceText.charCodeAt(pos))) { pos--; } return pos; } } function isFileLevelUniqueName(sourceFile, name, hasGlobalName) { return !(hasGlobalName && hasGlobalName(name)) && !sourceFile.identifiers.has(name); } function nodeIsMissing(node) { if (node === void 0) { return true; } return node.pos === node.end && node.pos >= 0 && node.kind !== 1; } function nodeIsPresent(node) { return !nodeIsMissing(node); } function isGrammarError(parent2, child) { if (isTypeParameterDeclaration(parent2)) return child === parent2.expression; if (isClassStaticBlockDeclaration(parent2)) return child === parent2.modifiers; if (isPropertySignature(parent2)) return child === parent2.initializer; if (isPropertyDeclaration(parent2)) return child === parent2.questionToken && isAutoAccessorPropertyDeclaration(parent2); if (isPropertyAssignment(parent2)) return child === parent2.modifiers || child === parent2.questionToken || child === parent2.exclamationToken || isGrammarErrorElement(parent2.modifiers, child, isModifierLike); if (isShorthandPropertyAssignment(parent2)) return child === parent2.equalsToken || child === parent2.modifiers || child === parent2.questionToken || child === parent2.exclamationToken || isGrammarErrorElement(parent2.modifiers, child, isModifierLike); if (isMethodDeclaration(parent2)) return child === parent2.exclamationToken; if (isConstructorDeclaration(parent2)) return child === parent2.typeParameters || child === parent2.type || isGrammarErrorElement(parent2.typeParameters, child, isTypeParameterDeclaration); if (isGetAccessorDeclaration(parent2)) return child === parent2.typeParameters || isGrammarErrorElement(parent2.typeParameters, child, isTypeParameterDeclaration); if (isSetAccessorDeclaration(parent2)) return child === parent2.typeParameters || child === parent2.type || isGrammarErrorElement(parent2.typeParameters, child, isTypeParameterDeclaration); if (isNamespaceExportDeclaration(parent2)) return child === parent2.modifiers || isGrammarErrorElement(parent2.modifiers, child, isModifierLike); return false; } function isGrammarErrorElement(nodeArray, child, isElement) { if (!nodeArray || isArray3(child) || !isElement(child)) return false; return contains(nodeArray, child); } function insertStatementsAfterPrologue(to, from, isPrologueDirective2) { if (from === void 0 || from.length === 0) return to; let statementIndex = 0; for (; statementIndex < to.length; ++statementIndex) { if (!isPrologueDirective2(to[statementIndex])) { break; } } to.splice(statementIndex, 0, ...from); return to; } function insertStatementAfterPrologue(to, statement, isPrologueDirective2) { if (statement === void 0) return to; let statementIndex = 0; for (; statementIndex < to.length; ++statementIndex) { if (!isPrologueDirective2(to[statementIndex])) { break; } } to.splice(statementIndex, 0, statement); return to; } function isAnyPrologueDirective(node) { return isPrologueDirective(node) || !!(getEmitFlags(node) & 2097152); } function insertStatementsAfterStandardPrologue(to, from) { return insertStatementsAfterPrologue(to, from, isPrologueDirective); } function insertStatementsAfterCustomPrologue(to, from) { return insertStatementsAfterPrologue(to, from, isAnyPrologueDirective); } function insertStatementAfterStandardPrologue(to, statement) { return insertStatementAfterPrologue(to, statement, isPrologueDirective); } function insertStatementAfterCustomPrologue(to, statement) { return insertStatementAfterPrologue(to, statement, isAnyPrologueDirective); } function isRecognizedTripleSlashComment(text, commentPos, commentEnd) { if (text.charCodeAt(commentPos + 1) === 47 && commentPos + 2 < commentEnd && text.charCodeAt(commentPos + 2) === 47) { const textSubStr = text.substring(commentPos, commentEnd); return fullTripleSlashReferencePathRegEx.test(textSubStr) || fullTripleSlashAMDReferencePathRegEx.test(textSubStr) || fullTripleSlashAMDModuleRegEx.test(textSubStr) || fullTripleSlashReferenceTypeReferenceDirectiveRegEx.test(textSubStr) || fullTripleSlashLibReferenceRegEx.test(textSubStr) || defaultLibReferenceRegEx.test(textSubStr) ? true : false; } return false; } function isPinnedComment(text, start) { return text.charCodeAt(start + 1) === 42 && text.charCodeAt(start + 2) === 33; } function createCommentDirectivesMap(sourceFile, commentDirectives) { const directivesByLine = new Map( commentDirectives.map((commentDirective) => [ `${getLineAndCharacterOfPosition(sourceFile, commentDirective.range.end).line}`, commentDirective ]) ); const usedLines = /* @__PURE__ */ new Map(); return { getUnusedExpectations, markUsed }; function getUnusedExpectations() { return arrayFrom(directivesByLine.entries()).filter(([line, directive]) => directive.type === 0 && !usedLines.get(line)).map(([_, directive]) => directive); } function markUsed(line) { if (!directivesByLine.has(`${line}`)) { return false; } usedLines.set(`${line}`, true); return true; } } function getTokenPosOfNode(node, sourceFile, includeJsDoc) { if (nodeIsMissing(node)) { return node.pos; } if (isJSDocNode(node) || node.kind === 12) { return skipTrivia( (sourceFile || getSourceFileOfNode(node)).text, node.pos, /*stopAfterLineBreak*/ false, /*stopAtComments*/ true ); } if (includeJsDoc && hasJSDocNodes(node)) { return getTokenPosOfNode(node.jsDoc[0], sourceFile); } if (node.kind === 352) { const first2 = firstOrUndefined(getNodeChildren(node)); if (first2) { return getTokenPosOfNode(first2, sourceFile, includeJsDoc); } } return skipTrivia( (sourceFile || getSourceFileOfNode(node)).text, node.pos, /*stopAfterLineBreak*/ false, /*stopAtComments*/ false, isInJSDoc(node) ); } function getNonDecoratorTokenPosOfNode(node, sourceFile) { const lastDecorator = !nodeIsMissing(node) && canHaveModifiers(node) ? findLast(node.modifiers, isDecorator) : void 0; if (!lastDecorator) { return getTokenPosOfNode(node, sourceFile); } return skipTrivia((sourceFile || getSourceFileOfNode(node)).text, lastDecorator.end); } function getSourceTextOfNodeFromSourceFile(sourceFile, node, includeTrivia = false) { return getTextOfNodeFromSourceText(sourceFile.text, node, includeTrivia); } function isJSDocTypeExpressionOrChild(node) { return !!findAncestor(node, isJSDocTypeExpression); } function isExportNamespaceAsDefaultDeclaration(node) { return !!(isExportDeclaration(node) && node.exportClause && isNamespaceExport(node.exportClause) && node.exportClause.name.escapedText === "default"); } function getTextOfNodeFromSourceText(sourceText, node, includeTrivia = false) { if (nodeIsMissing(node)) { return ""; } let text = sourceText.substring(includeTrivia ? node.pos : skipTrivia(sourceText, node.pos), node.end); if (isJSDocTypeExpressionOrChild(node)) { text = text.split(/\r\n|\n|\r/).map((line) => line.replace(/^\s*\*/, "").trimStart()).join("\n"); } return text; } function getTextOfNode(node, includeTrivia = false) { return getSourceTextOfNodeFromSourceFile(getSourceFileOfNode(node), node, includeTrivia); } function getPos(range) { return range.pos; } function indexOfNode(nodeArray, node) { return binarySearch(nodeArray, node, getPos, compareValues); } function getEmitFlags(node) { const emitNode = node.emitNode; return emitNode && emitNode.flags || 0; } function getInternalEmitFlags(node) { const emitNode = node.emitNode; return emitNode && emitNode.internalFlags || 0; } var getScriptTargetFeatures = /* @__PURE__ */ memoize( () => new Map(Object.entries({ Array: new Map(Object.entries({ es2015: [ "find", "findIndex", "fill", "copyWithin", "entries", "keys", "values" ], es2016: [ "includes" ], es2019: [ "flat", "flatMap" ], es2022: [ "at" ], es2023: [ "findLastIndex", "findLast" ] })), Iterator: new Map(Object.entries({ es2015: emptyArray })), AsyncIterator: new Map(Object.entries({ es2015: emptyArray })), Atomics: new Map(Object.entries({ es2017: emptyArray })), SharedArrayBuffer: new Map(Object.entries({ es2017: emptyArray })), AsyncIterable: new Map(Object.entries({ es2018: emptyArray })), AsyncIterableIterator: new Map(Object.entries({ es2018: emptyArray })), AsyncGenerator: new Map(Object.entries({ es2018: emptyArray })), AsyncGeneratorFunction: new Map(Object.entries({ es2018: emptyArray })), RegExp: new Map(Object.entries({ es2015: [ "flags", "sticky", "unicode" ], es2018: [ "dotAll" ] })), Reflect: new Map(Object.entries({ es2015: [ "apply", "construct", "defineProperty", "deleteProperty", "get", "getOwnPropertyDescriptor", "getPrototypeOf", "has", "isExtensible", "ownKeys", "preventExtensions", "set", "setPrototypeOf" ] })), ArrayConstructor: new Map(Object.entries({ es2015: [ "from", "of" ], esnext: [ "fromAsync" ] })), ObjectConstructor: new Map(Object.entries({ es2015: [ "assign", "getOwnPropertySymbols", "keys", "is", "setPrototypeOf" ], es2017: [ "values", "entries", "getOwnPropertyDescriptors" ], es2019: [ "fromEntries" ], es2022: [ "hasOwn" ] })), NumberConstructor: new Map(Object.entries({ es2015: [ "isFinite", "isInteger", "isNaN", "isSafeInteger", "parseFloat", "parseInt" ] })), Math: new Map(Object.entries({ es2015: [ "clz32", "imul", "sign", "log10", "log2", "log1p", "expm1", "cosh", "sinh", "tanh", "acosh", "asinh", "atanh", "hypot", "trunc", "fround", "cbrt" ] })), Map: new Map(Object.entries({ es2015: [ "entries", "keys", "values" ] })), Set: new Map(Object.entries({ es2015: [ "entries", "keys", "values" ] })), PromiseConstructor: new Map(Object.entries({ es2015: [ "all", "race", "reject", "resolve" ], es2020: [ "allSettled" ], es2021: [ "any" ] })), Symbol: new Map(Object.entries({ es2015: [ "for", "keyFor" ], es2019: [ "description" ] })), WeakMap: new Map(Object.entries({ es2015: [ "entries", "keys", "values" ] })), WeakSet: new Map(Object.entries({ es2015: [ "entries", "keys", "values" ] })), String: new Map(Object.entries({ es2015: [ "codePointAt", "includes", "endsWith", "normalize", "repeat", "startsWith", "anchor", "big", "blink", "bold", "fixed", "fontcolor", "fontsize", "italics", "link", "small", "strike", "sub", "sup" ], es2017: [ "padStart", "padEnd" ], es2019: [ "trimStart", "trimEnd", "trimLeft", "trimRight" ], es2020: [ "matchAll" ], es2021: [ "replaceAll" ], es2022: [ "at" ], esnext: [ "isWellFormed", "toWellFormed" ] })), StringConstructor: new Map(Object.entries({ es2015: [ "fromCodePoint", "raw" ] })), DateTimeFormat: new Map(Object.entries({ es2017: [ "formatToParts" ] })), Promise: new Map(Object.entries({ es2015: emptyArray, es2018: [ "finally" ] })), RegExpMatchArray: new Map(Object.entries({ es2018: [ "groups" ] })), RegExpExecArray: new Map(Object.entries({ es2018: [ "groups" ] })), Intl: new Map(Object.entries({ es2018: [ "PluralRules" ] })), NumberFormat: new Map(Object.entries({ es2018: [ "formatToParts" ] })), SymbolConstructor: new Map(Object.entries({ es2020: [ "matchAll" ] })), DataView: new Map(Object.entries({ es2020: [ "setBigInt64", "setBigUint64", "getBigInt64", "getBigUint64" ] })), BigInt: new Map(Object.entries({ es2020: emptyArray })), RelativeTimeFormat: new Map(Object.entries({ es2020: [ "format", "formatToParts", "resolvedOptions" ] })), Int8Array: new Map(Object.entries({ es2022: [ "at" ], es2023: [ "findLastIndex", "findLast" ] })), Uint8Array: new Map(Object.entries({ es2022: [ "at" ], es2023: [ "findLastIndex", "findLast" ] })), Uint8ClampedArray: new Map(Object.entries({ es2022: [ "at" ], es2023: [ "findLastIndex", "findLast" ] })), Int16Array: new Map(Object.entries({ es2022: [ "at" ], es2023: [ "findLastIndex", "findLast" ] })), Uint16Array: new Map(Object.entries({ es2022: [ "at" ], es2023: [ "findLastIndex", "findLast" ] })), Int32Array: new Map(Object.entries({ es2022: [ "at" ], es2023: [ "findLastIndex", "findLast" ] })), Uint32Array: new Map(Object.entries({ es2022: [ "at" ], es2023: [ "findLastIndex", "findLast" ] })), Float32Array: new Map(Object.entries({ es2022: [ "at" ], es2023: [ "findLastIndex", "findLast" ] })), Float64Array: new Map(Object.entries({ es2022: [ "at" ], es2023: [ "findLastIndex", "findLast" ] })), BigInt64Array: new Map(Object.entries({ es2020: emptyArray, es2022: [ "at" ], es2023: [ "findLastIndex", "findLast" ] })), BigUint64Array: new Map(Object.entries({ es2020: emptyArray, es2022: [ "at" ], es2023: [ "findLastIndex", "findLast" ] })), Error: new Map(Object.entries({ es2022: [ "cause" ] })) })) ); var GetLiteralTextFlags = /* @__PURE__ */ ((GetLiteralTextFlags2) => { GetLiteralTextFlags2[GetLiteralTextFlags2["None"] = 0] = "None"; GetLiteralTextFlags2[GetLiteralTextFlags2["NeverAsciiEscape"] = 1] = "NeverAsciiEscape"; GetLiteralTextFlags2[GetLiteralTextFlags2["JsxAttributeEscape"] = 2] = "JsxAttributeEscape"; GetLiteralTextFlags2[GetLiteralTextFlags2["TerminateUnterminatedLiterals"] = 4] = "TerminateUnterminatedLiterals"; GetLiteralTextFlags2[GetLiteralTextFlags2["AllowNumericSeparator"] = 8] = "AllowNumericSeparator"; return GetLiteralTextFlags2; })(GetLiteralTextFlags || {}); function getLiteralText(node, sourceFile, flags) { if (sourceFile && canUseOriginalText(node, flags)) { return getSourceTextOfNodeFromSourceFile(sourceFile, node); } switch (node.kind) { case 11: { const escapeText = flags & 2 ? escapeJsxAttributeString : flags & 1 || getEmitFlags(node) & 16777216 ? escapeString2 : escapeNonAsciiString; if (node.singleQuote) { return "'" + escapeText( node.text, 39 /* singleQuote */ ) + "'"; } else { return '"' + escapeText( node.text, 34 /* doubleQuote */ ) + '"'; } } case 15: case 16: case 17: case 18: { const escapeText = flags & 1 || getEmitFlags(node) & 16777216 ? escapeString2 : escapeNonAsciiString; const rawText = node.rawText ?? escapeTemplateSubstitution(escapeText( node.text, 96 /* backtick */ )); switch (node.kind) { case 15: return "`" + rawText + "`"; case 16: return "`" + rawText + "${"; case 17: return "}" + rawText + "${"; case 18: return "}" + rawText + "`"; } break; } case 9: case 10: return node.text; case 14: if (flags & 4 && node.isUnterminated) { return node.text + (node.text.charCodeAt(node.text.length - 1) === 92 ? " /" : "/"); } return node.text; } return Debug.fail(`Literal kind '${node.kind}' not accounted for.`); } function canUseOriginalText(node, flags) { if (nodeIsSynthesized(node) || !node.parent || flags & 4 && node.isUnterminated) { return false; } if (isNumericLiteral(node)) { if (node.numericLiteralFlags & 26656) { return false; } if (node.numericLiteralFlags & 512) { return !!(flags & 8); } } return !isBigIntLiteral2(node); } function getTextOfConstantValue(value) { return isString2(value) ? `"${escapeString2(value)}"` : "" + value; } function makeIdentifierFromModuleName(moduleName) { return getBaseFileName(moduleName).replace(/^(\d)/, "_$1").replace(/\W/g, "_"); } function isBlockOrCatchScoped(declaration) { return (getCombinedNodeFlags(declaration) & 7) !== 0 || isCatchClauseVariableDeclarationOrBindingElement(declaration); } function isCatchClauseVariableDeclarationOrBindingElement(declaration) { const node = getRootDeclaration(declaration); return node.kind === 260 && node.parent.kind === 299; } function isAmbientModule(node) { return isModuleDeclaration(node) && (node.name.kind === 11 || isGlobalScopeAugmentation(node)); } function isModuleWithStringLiteralName(node) { return isModuleDeclaration(node) && node.name.kind === 11; } function isNonGlobalAmbientModule(node) { return isModuleDeclaration(node) && isStringLiteral2(node.name); } function isEffectiveModuleDeclaration(node) { return isModuleDeclaration(node) || isIdentifier(node); } function isShorthandAmbientModuleSymbol(moduleSymbol) { return isShorthandAmbientModule(moduleSymbol.valueDeclaration); } function isShorthandAmbientModule(node) { return !!node && node.kind === 267 && !node.body; } function isBlockScopedContainerTopLevel(node) { return node.kind === 307 || node.kind === 267 || isFunctionLikeOrClassStaticBlockDeclaration(node); } function isGlobalScopeAugmentation(module22) { return !!(module22.flags & 2048); } function isExternalModuleAugmentation(node) { return isAmbientModule(node) && isModuleAugmentationExternal(node); } function isModuleAugmentationExternal(node) { switch (node.parent.kind) { case 307: return isExternalModule(node.parent); case 268: return isAmbientModule(node.parent.parent) && isSourceFile(node.parent.parent.parent) && !isExternalModule(node.parent.parent.parent); } return false; } function getNonAugmentationDeclaration(symbol) { var _a; return (_a = symbol.declarations) == null ? void 0 : _a.find((d) => !isExternalModuleAugmentation(d) && !(isModuleDeclaration(d) && isGlobalScopeAugmentation(d))); } function isCommonJSContainingModuleKind(kind) { return kind === 1 || kind === 100 || kind === 199; } function isEffectiveExternalModule(node, compilerOptions) { return isExternalModule(node) || isCommonJSContainingModuleKind(getEmitModuleKind(compilerOptions)) && !!node.commonJsModuleIndicator; } function isEffectiveStrictModeSourceFile(node, compilerOptions) { switch (node.scriptKind) { case 1: case 3: case 2: case 4: break; default: return false; } if (node.isDeclarationFile) { return false; } if (getStrictOptionValue(compilerOptions, "alwaysStrict")) { return true; } if (startsWithUseStrict(node.statements)) { return true; } if (isExternalModule(node) || getIsolatedModules(compilerOptions)) { return true; } return false; } function isAmbientPropertyDeclaration(node) { return !!(node.flags & 33554432) || hasSyntacticModifier( node, 128 /* Ambient */ ); } function isBlockScope(node, parentNode) { switch (node.kind) { case 307: case 269: case 299: case 267: case 248: case 249: case 250: case 176: case 174: case 177: case 178: case 262: case 218: case 219: case 172: case 175: return true; case 241: return !isFunctionLikeOrClassStaticBlockDeclaration(parentNode); } return false; } function isDeclarationWithTypeParameters(node) { Debug.type(node); switch (node.kind) { case 338: case 346: case 323: return true; default: assertType(node); return isDeclarationWithTypeParameterChildren(node); } } function isDeclarationWithTypeParameterChildren(node) { Debug.type(node); switch (node.kind) { case 179: case 180: case 173: case 181: case 184: case 185: case 317: case 263: case 231: case 264: case 265: case 345: case 262: case 174: case 176: case 177: case 178: case 218: case 219: return true; default: assertType(node); return false; } } function isAnyImportSyntax(node) { switch (node.kind) { case 272: case 271: return true; default: return false; } } function isAnyImportOrBareOrAccessedRequire(node) { return isAnyImportSyntax(node) || isVariableDeclarationInitializedToBareOrAccessedRequire(node); } function isAnyImportOrRequireStatement(node) { return isAnyImportSyntax(node) || isRequireVariableStatement(node); } function isLateVisibilityPaintedStatement(node) { switch (node.kind) { case 272: case 271: case 243: case 263: case 262: case 267: case 265: case 264: case 266: return true; default: return false; } } function hasPossibleExternalModuleReference(node) { return isAnyImportOrReExport(node) || isModuleDeclaration(node) || isImportTypeNode(node) || isImportCall(node); } function isAnyImportOrReExport(node) { return isAnyImportSyntax(node) || isExportDeclaration(node); } function getEnclosingContainer(node) { return findAncestor(node.parent, (n) => !!(getContainerFlags(n) & 1)); } function getEnclosingBlockScopeContainer(node) { return findAncestor(node.parent, (current) => isBlockScope(current, current.parent)); } function forEachEnclosingBlockScopeContainer(node, cb) { let container = getEnclosingBlockScopeContainer(node); while (container) { cb(container); container = getEnclosingBlockScopeContainer(container); } } function declarationNameToString(name) { return !name || getFullWidth(name) === 0 ? "(Missing)" : getTextOfNode(name); } function getNameFromIndexInfo(info) { return info.declaration ? declarationNameToString(info.declaration.parameters[0].name) : void 0; } function isComputedNonLiteralName(name) { return name.kind === 167 && !isStringOrNumericLiteralLike(name.expression); } function tryGetTextOfPropertyName(name) { var _a; switch (name.kind) { case 80: case 81: return ((_a = name.emitNode) == null ? void 0 : _a.autoGenerate) ? void 0 : name.escapedText; case 11: case 9: case 15: return escapeLeadingUnderscores(name.text); case 167: if (isStringOrNumericLiteralLike(name.expression)) return escapeLeadingUnderscores(name.expression.text); return void 0; case 295: return getEscapedTextOfJsxNamespacedName(name); default: return Debug.assertNever(name); } } function getTextOfPropertyName(name) { return Debug.checkDefined(tryGetTextOfPropertyName(name)); } function entityNameToString(name) { switch (name.kind) { case 110: return "this"; case 81: case 80: return getFullWidth(name) === 0 ? idText(name) : getTextOfNode(name); case 166: return entityNameToString(name.left) + "." + entityNameToString(name.right); case 211: if (isIdentifier(name.name) || isPrivateIdentifier(name.name)) { return entityNameToString(name.expression) + "." + entityNameToString(name.name); } else { return Debug.assertNever(name.name); } case 311: return entityNameToString(name.left) + "#" + entityNameToString(name.right); case 295: return entityNameToString(name.namespace) + ":" + entityNameToString(name.name); default: return Debug.assertNever(name); } } function createDiagnosticForNode(node, message, ...args) { const sourceFile = getSourceFileOfNode(node); return createDiagnosticForNodeInSourceFile(sourceFile, node, message, ...args); } function createDiagnosticForNodeArray(sourceFile, nodes, message, ...args) { const start = skipTrivia(sourceFile.text, nodes.pos); return createFileDiagnostic(sourceFile, start, nodes.end - start, message, ...args); } function createDiagnosticForNodeInSourceFile(sourceFile, node, message, ...args) { const span = getErrorSpanForNode(sourceFile, node); return createFileDiagnostic(sourceFile, span.start, span.length, message, ...args); } function createDiagnosticForNodeFromMessageChain(sourceFile, node, messageChain, relatedInformation) { const span = getErrorSpanForNode(sourceFile, node); return createFileDiagnosticFromMessageChain(sourceFile, span.start, span.length, messageChain, relatedInformation); } function createDiagnosticForNodeArrayFromMessageChain(sourceFile, nodes, messageChain, relatedInformation) { const start = skipTrivia(sourceFile.text, nodes.pos); return createFileDiagnosticFromMessageChain(sourceFile, start, nodes.end - start, messageChain, relatedInformation); } function assertDiagnosticLocation(sourceText, start, length2) { Debug.assertGreaterThanOrEqual(start, 0); Debug.assertGreaterThanOrEqual(length2, 0); Debug.assertLessThanOrEqual(start, sourceText.length); Debug.assertLessThanOrEqual(start + length2, sourceText.length); } function createFileDiagnosticFromMessageChain(file, start, length2, messageChain, relatedInformation) { assertDiagnosticLocation(file.text, start, length2); return { file, start, length: length2, code: messageChain.code, category: messageChain.category, messageText: messageChain.next ? messageChain : messageChain.messageText, relatedInformation, canonicalHead: messageChain.canonicalHead }; } function createDiagnosticForFileFromMessageChain(sourceFile, messageChain, relatedInformation) { return { file: sourceFile, start: 0, length: 0, code: messageChain.code, category: messageChain.category, messageText: messageChain.next ? messageChain : messageChain.messageText, relatedInformation }; } function createDiagnosticMessageChainFromDiagnostic(diagnostic) { return typeof diagnostic.messageText === "string" ? { code: diagnostic.code, category: diagnostic.category, messageText: diagnostic.messageText, next: diagnostic.next } : diagnostic.messageText; } function createDiagnosticForRange(sourceFile, range, message) { return { file: sourceFile, start: range.pos, length: range.end - range.pos, code: message.code, category: message.category, messageText: message.message }; } function getCanonicalDiagnostic(message, ...args) { return { code: message.code, messageText: formatMessage(message, ...args) }; } function getSpanOfTokenAtPosition(sourceFile, pos) { const scanner2 = createScanner( sourceFile.languageVersion, /*skipTrivia*/ true, sourceFile.languageVariant, sourceFile.text, /*onError*/ void 0, pos ); scanner2.scan(); const start = scanner2.getTokenStart(); return createTextSpanFromBounds(start, scanner2.getTokenEnd()); } function scanTokenAtPosition(sourceFile, pos) { const scanner2 = createScanner( sourceFile.languageVersion, /*skipTrivia*/ true, sourceFile.languageVariant, sourceFile.text, /*onError*/ void 0, pos ); scanner2.scan(); return scanner2.getToken(); } function getErrorSpanForArrowFunction(sourceFile, node) { const pos = skipTrivia(sourceFile.text, node.pos); if (node.body && node.body.kind === 241) { const { line: startLine } = getLineAndCharacterOfPosition(sourceFile, node.body.pos); const { line: endLine } = getLineAndCharacterOfPosition(sourceFile, node.body.end); if (startLine < endLine) { return createTextSpan(pos, getEndLinePosition(startLine, sourceFile) - pos + 1); } } return createTextSpanFromBounds(pos, node.end); } function getErrorSpanForNode(sourceFile, node) { let errorNode = node; switch (node.kind) { case 307: { const pos2 = skipTrivia( sourceFile.text, 0, /*stopAfterLineBreak*/ false ); if (pos2 === sourceFile.text.length) { return createTextSpan(0, 0); } return getSpanOfTokenAtPosition(sourceFile, pos2); } case 260: case 208: case 263: case 231: case 264: case 267: case 266: case 306: case 262: case 218: case 174: case 177: case 178: case 265: case 172: case 171: case 274: errorNode = node.name; break; case 219: return getErrorSpanForArrowFunction(sourceFile, node); case 296: case 297: { const start = skipTrivia(sourceFile.text, node.pos); const end = node.statements.length > 0 ? node.statements[0].pos : node.end; return createTextSpanFromBounds(start, end); } case 253: case 229: { const pos2 = skipTrivia(sourceFile.text, node.pos); return getSpanOfTokenAtPosition(sourceFile, pos2); } case 238: { const pos2 = skipTrivia(sourceFile.text, node.expression.end); return getSpanOfTokenAtPosition(sourceFile, pos2); } case 350: { const pos2 = skipTrivia(sourceFile.text, node.tagName.pos); return getSpanOfTokenAtPosition(sourceFile, pos2); } case 176: { const constructorDeclaration = node; const start = skipTrivia(sourceFile.text, constructorDeclaration.pos); const scanner2 = createScanner( sourceFile.languageVersion, /*skipTrivia*/ true, sourceFile.languageVariant, sourceFile.text, /*onError*/ void 0, start ); let token = scanner2.scan(); while (token !== 137 && token !== 1) { token = scanner2.scan(); } const end = scanner2.getTokenEnd(); return createTextSpanFromBounds(start, end); } } if (errorNode === void 0) { return getSpanOfTokenAtPosition(sourceFile, node.pos); } Debug.assert(!isJSDoc(errorNode)); const isMissing = nodeIsMissing(errorNode); const pos = isMissing || isJsxText(node) ? errorNode.pos : skipTrivia(sourceFile.text, errorNode.pos); if (isMissing) { Debug.assert(pos === errorNode.pos, "This failure could trigger https://github.com/Microsoft/TypeScript/issues/20809"); Debug.assert(pos === errorNode.end, "This failure could trigger https://github.com/Microsoft/TypeScript/issues/20809"); } else { Debug.assert(pos >= errorNode.pos, "This failure could trigger https://github.com/Microsoft/TypeScript/issues/20809"); Debug.assert(pos <= errorNode.end, "This failure could trigger https://github.com/Microsoft/TypeScript/issues/20809"); } return createTextSpanFromBounds(pos, errorNode.end); } function isGlobalSourceFile(node) { return node.kind === 307 && !isExternalOrCommonJsModule(node); } function isExternalOrCommonJsModule(file) { return (file.externalModuleIndicator || file.commonJsModuleIndicator) !== void 0; } function isJsonSourceFile(file) { return file.scriptKind === 6; } function isEnumConst(node) { return !!(getCombinedModifierFlags(node) & 4096); } function isDeclarationReadonly(declaration) { return !!(getCombinedModifierFlags(declaration) & 8 && !isParameterPropertyDeclaration(declaration, declaration.parent)); } function isVarAwaitUsing(node) { return (getCombinedNodeFlags(node) & 7) === 6; } function isVarUsing(node) { return (getCombinedNodeFlags(node) & 7) === 4; } function isVarConst(node) { return (getCombinedNodeFlags(node) & 7) === 2; } function isVarConstLike(node) { const blockScopeKind = getCombinedNodeFlags(node) & 7; return blockScopeKind === 2 || blockScopeKind === 4 || blockScopeKind === 6; } function isLet(node) { return (getCombinedNodeFlags(node) & 7) === 1; } function isSuperCall(n) { return n.kind === 213 && n.expression.kind === 108; } function isImportCall(n) { return n.kind === 213 && n.expression.kind === 102; } function isImportMeta(n) { return isMetaProperty(n) && n.keywordToken === 102 && n.name.escapedText === "meta"; } function isLiteralImportTypeNode(n) { return isImportTypeNode(n) && isLiteralTypeNode(n.argument) && isStringLiteral2(n.argument.literal); } function isPrologueDirective(node) { return node.kind === 244 && node.expression.kind === 11; } function isCustomPrologue(node) { return !!(getEmitFlags(node) & 2097152); } function isHoistedFunction(node) { return isCustomPrologue(node) && isFunctionDeclaration(node); } function isHoistedVariable(node) { return isIdentifier(node.name) && !node.initializer; } function isHoistedVariableStatement(node) { return isCustomPrologue(node) && isVariableStatement(node) && every(node.declarationList.declarations, isHoistedVariable); } function getLeadingCommentRangesOfNode(node, sourceFileOfNode) { return node.kind !== 12 ? getLeadingCommentRanges(sourceFileOfNode.text, node.pos) : void 0; } function getJSDocCommentRanges(node, text) { const commentRanges = node.kind === 169 || node.kind === 168 || node.kind === 218 || node.kind === 219 || node.kind === 217 || node.kind === 260 || node.kind === 281 ? concatenate(getTrailingCommentRanges(text, node.pos), getLeadingCommentRanges(text, node.pos)) : getLeadingCommentRanges(text, node.pos); return filter( commentRanges, (comment) => comment.end <= node.end && // Due to parse errors sometime empty parameter may get comments assigned to it that end up not in parameter range text.charCodeAt(comment.pos + 1) === 42 && text.charCodeAt(comment.pos + 2) === 42 && text.charCodeAt(comment.pos + 3) !== 47 /* slash */ ); } var fullTripleSlashReferencePathRegEx = /^(\/\/\/\s*/; var fullTripleSlashReferenceTypeReferenceDirectiveRegEx = /^(\/\/\/\s*/; var fullTripleSlashLibReferenceRegEx = /^(\/\/\/\s*/; var fullTripleSlashAMDReferencePathRegEx = /^(\/\/\/\s*/; var fullTripleSlashAMDModuleRegEx = /^\/\/\/\s*/; var defaultLibReferenceRegEx = /^(\/\/\/\s*/; function isPartOfTypeNode(node) { if (182 <= node.kind && node.kind <= 205) { return true; } switch (node.kind) { case 133: case 159: case 150: case 163: case 154: case 136: case 155: case 151: case 157: case 106: case 146: return true; case 116: return node.parent.kind !== 222; case 233: return isPartOfTypeExpressionWithTypeArguments(node); case 168: return node.parent.kind === 200 || node.parent.kind === 195; case 80: if (node.parent.kind === 166 && node.parent.right === node) { node = node.parent; } else if (node.parent.kind === 211 && node.parent.name === node) { node = node.parent; } Debug.assert(node.kind === 80 || node.kind === 166 || node.kind === 211, "'node' was expected to be a qualified name, identifier or property access in 'isPartOfTypeNode'."); case 166: case 211: case 110: { const { parent: parent2 } = node; if (parent2.kind === 186) { return false; } if (parent2.kind === 205) { return !parent2.isTypeOf; } if (182 <= parent2.kind && parent2.kind <= 205) { return true; } switch (parent2.kind) { case 233: return isPartOfTypeExpressionWithTypeArguments(parent2); case 168: return node === parent2.constraint; case 345: return node === parent2.constraint; case 172: case 171: case 169: case 260: return node === parent2.type; case 262: case 218: case 219: case 176: case 174: case 173: case 177: case 178: return node === parent2.type; case 179: case 180: case 181: return node === parent2.type; case 216: return node === parent2.type; case 213: case 214: case 215: return contains(parent2.typeArguments, node); } } } return false; } function isPartOfTypeExpressionWithTypeArguments(node) { return isJSDocImplementsTag(node.parent) || isJSDocAugmentsTag(node.parent) || isHeritageClause(node.parent) && !isExpressionWithTypeArgumentsInClassExtendsClause(node); } function isChildOfNodeWithKind(node, kind) { while (node) { if (node.kind === kind) { return true; } node = node.parent; } return false; } function forEachReturnStatement(body, visitor2) { return traverse(body); function traverse(node) { switch (node.kind) { case 253: return visitor2(node); case 269: case 241: case 245: case 246: case 247: case 248: case 249: case 250: case 254: case 255: case 296: case 297: case 256: case 258: case 299: return forEachChild(node, traverse); } } } function forEachYieldExpression(body, visitor2) { return traverse(body); function traverse(node) { switch (node.kind) { case 229: visitor2(node); const operand = node.expression; if (operand) { traverse(operand); } return; case 266: case 264: case 267: case 265: return; default: if (isFunctionLike(node)) { if (node.name && node.name.kind === 167) { traverse(node.name.expression); return; } } else if (!isPartOfTypeNode(node)) { forEachChild(node, traverse); } } } } function getRestParameterElementType(node) { if (node && node.kind === 188) { return node.elementType; } else if (node && node.kind === 183) { return singleOrUndefined(node.typeArguments); } else { return void 0; } } function getMembersOfDeclaration(node) { switch (node.kind) { case 264: case 263: case 231: case 187: return node.members; case 210: return node.properties; } } function isVariableLike(node) { if (node) { switch (node.kind) { case 208: case 306: case 169: case 303: case 172: case 171: case 304: case 260: return true; } } return false; } function isVariableLikeOrAccessor(node) { return isVariableLike(node) || isAccessor(node); } function isVariableDeclarationInVariableStatement(node) { return node.parent.kind === 261 && node.parent.parent.kind === 243; } function isCommonJsExportedExpression(node) { if (!isInJSFile(node)) return false; return isObjectLiteralExpression(node.parent) && isBinaryExpression(node.parent.parent) && getAssignmentDeclarationKind(node.parent.parent) === 2 || isCommonJsExportPropertyAssignment(node.parent); } function isCommonJsExportPropertyAssignment(node) { if (!isInJSFile(node)) return false; return isBinaryExpression(node) && getAssignmentDeclarationKind(node) === 1; } function isValidESSymbolDeclaration(node) { return (isVariableDeclaration(node) ? isVarConst(node) && isIdentifier(node.name) && isVariableDeclarationInVariableStatement(node) : isPropertyDeclaration(node) ? hasEffectiveReadonlyModifier(node) && hasStaticModifier(node) : isPropertySignature(node) && hasEffectiveReadonlyModifier(node)) || isCommonJsExportPropertyAssignment(node); } function introducesArgumentsExoticObject(node) { switch (node.kind) { case 174: case 173: case 176: case 177: case 178: case 262: case 218: return true; } return false; } function unwrapInnermostStatementOfLabel(node, beforeUnwrapLabelCallback) { while (true) { if (beforeUnwrapLabelCallback) { beforeUnwrapLabelCallback(node); } if (node.statement.kind !== 256) { return node.statement; } node = node.statement; } } function isFunctionBlock(node) { return node && node.kind === 241 && isFunctionLike(node.parent); } function isObjectLiteralMethod(node) { return node && node.kind === 174 && node.parent.kind === 210; } function isObjectLiteralOrClassExpressionMethodOrAccessor(node) { return (node.kind === 174 || node.kind === 177 || node.kind === 178) && (node.parent.kind === 210 || node.parent.kind === 231); } function isIdentifierTypePredicate(predicate) { return predicate && predicate.kind === 1; } function isThisTypePredicate(predicate) { return predicate && predicate.kind === 0; } function forEachPropertyAssignment(objectLiteral, key, callback, key2) { return forEach(objectLiteral == null ? void 0 : objectLiteral.properties, (property) => { if (!isPropertyAssignment(property)) return void 0; const propName = tryGetTextOfPropertyName(property.name); return key === propName || key2 && key2 === propName ? callback(property) : void 0; }); } function getPropertyArrayElementValue(objectLiteral, propKey, elementValue) { return forEachPropertyAssignment(objectLiteral, propKey, (property) => isArrayLiteralExpression(property.initializer) ? find(property.initializer.elements, (element) => isStringLiteral2(element) && element.text === elementValue) : void 0); } function getTsConfigObjectLiteralExpression(tsConfigSourceFile) { if (tsConfigSourceFile && tsConfigSourceFile.statements.length) { const expression = tsConfigSourceFile.statements[0].expression; return tryCast(expression, isObjectLiteralExpression); } } function getTsConfigPropArrayElementValue(tsConfigSourceFile, propKey, elementValue) { return forEachTsConfigPropArray(tsConfigSourceFile, propKey, (property) => isArrayLiteralExpression(property.initializer) ? find(property.initializer.elements, (element) => isStringLiteral2(element) && element.text === elementValue) : void 0); } function forEachTsConfigPropArray(tsConfigSourceFile, propKey, callback) { return forEachPropertyAssignment(getTsConfigObjectLiteralExpression(tsConfigSourceFile), propKey, callback); } function getContainingFunction(node) { return findAncestor(node.parent, isFunctionLike); } function getContainingFunctionDeclaration(node) { return findAncestor(node.parent, isFunctionLikeDeclaration); } function getContainingClass(node) { return findAncestor(node.parent, isClassLike); } function getContainingClassStaticBlock(node) { return findAncestor(node.parent, (n) => { if (isClassLike(n) || isFunctionLike(n)) { return "quit"; } return isClassStaticBlockDeclaration(n); }); } function getContainingFunctionOrClassStaticBlock(node) { return findAncestor(node.parent, isFunctionLikeOrClassStaticBlockDeclaration); } function getContainingClassExcludingClassDecorators(node) { const decorator = findAncestor(node.parent, (n) => isClassLike(n) ? "quit" : isDecorator(n)); return decorator && isClassLike(decorator.parent) ? getContainingClass(decorator.parent) : getContainingClass(decorator ?? node); } function getThisContainer(node, includeArrowFunctions, includeClassComputedPropertyName) { Debug.assert( node.kind !== 307 /* SourceFile */ ); while (true) { node = node.parent; if (!node) { return Debug.fail(); } switch (node.kind) { case 167: if (includeClassComputedPropertyName && isClassLike(node.parent.parent)) { return node; } node = node.parent.parent; break; case 170: if (node.parent.kind === 169 && isClassElement(node.parent.parent)) { node = node.parent.parent; } else if (isClassElement(node.parent)) { node = node.parent; } break; case 219: if (!includeArrowFunctions) { continue; } case 262: case 218: case 267: case 175: case 172: case 171: case 174: case 173: case 176: case 177: case 178: case 179: case 180: case 181: case 266: case 307: return node; } } } function isThisContainerOrFunctionBlock(node) { switch (node.kind) { case 219: case 262: case 218: case 172: return true; case 241: switch (node.parent.kind) { case 176: case 174: case 177: case 178: return true; default: return false; } default: return false; } } function isInTopLevelContext(node) { if (isIdentifier(node) && (isClassDeclaration(node.parent) || isFunctionDeclaration(node.parent)) && node.parent.name === node) { node = node.parent; } const container = getThisContainer( node, /*includeArrowFunctions*/ true, /*includeClassComputedPropertyName*/ false ); return isSourceFile(container); } function getNewTargetContainer(node) { const container = getThisContainer( node, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ); if (container) { switch (container.kind) { case 176: case 262: case 218: return container; } } return void 0; } function getSuperContainer(node, stopOnFunctions) { while (true) { node = node.parent; if (!node) { return void 0; } switch (node.kind) { case 167: node = node.parent; break; case 262: case 218: case 219: if (!stopOnFunctions) { continue; } case 172: case 171: case 174: case 173: case 176: case 177: case 178: case 175: return node; case 170: if (node.parent.kind === 169 && isClassElement(node.parent.parent)) { node = node.parent.parent; } else if (isClassElement(node.parent)) { node = node.parent; } break; } } } function getImmediatelyInvokedFunctionExpression(func) { if (func.kind === 218 || func.kind === 219) { let prev = func; let parent2 = func.parent; while (parent2.kind === 217) { prev = parent2; parent2 = parent2.parent; } if (parent2.kind === 213 && parent2.expression === prev) { return parent2; } } } function isSuperOrSuperProperty(node) { return node.kind === 108 || isSuperProperty(node); } function isSuperProperty(node) { const kind = node.kind; return (kind === 211 || kind === 212) && node.expression.kind === 108; } function isThisProperty(node) { const kind = node.kind; return (kind === 211 || kind === 212) && node.expression.kind === 110; } function isThisInitializedDeclaration(node) { var _a; return !!node && isVariableDeclaration(node) && ((_a = node.initializer) == null ? void 0 : _a.kind) === 110; } function isThisInitializedObjectBindingExpression(node) { return !!node && (isShorthandPropertyAssignment(node) || isPropertyAssignment(node)) && isBinaryExpression(node.parent.parent) && node.parent.parent.operatorToken.kind === 64 && node.parent.parent.right.kind === 110; } function getEntityNameFromTypeNode(node) { switch (node.kind) { case 183: return node.typeName; case 233: return isEntityNameExpression(node.expression) ? node.expression : void 0; case 80: case 166: return node; } return void 0; } function getInvokedExpression(node) { switch (node.kind) { case 215: return node.tag; case 286: case 285: return node.tagName; case 226: return node.right; default: return node.expression; } } function nodeCanBeDecorated(useLegacyDecorators, node, parent2, grandparent) { if (useLegacyDecorators && isNamedDeclaration(node) && isPrivateIdentifier(node.name)) { return false; } switch (node.kind) { case 263: return true; case 231: return !useLegacyDecorators; case 172: return parent2 !== void 0 && (useLegacyDecorators ? isClassDeclaration(parent2) : isClassLike(parent2) && !hasAbstractModifier(node) && !hasAmbientModifier(node)); case 177: case 178: case 174: return node.body !== void 0 && parent2 !== void 0 && (useLegacyDecorators ? isClassDeclaration(parent2) : isClassLike(parent2)); case 169: if (!useLegacyDecorators) return false; return parent2 !== void 0 && parent2.body !== void 0 && (parent2.kind === 176 || parent2.kind === 174 || parent2.kind === 178) && getThisParameter(parent2) !== node && grandparent !== void 0 && grandparent.kind === 263; } return false; } function nodeIsDecorated(useLegacyDecorators, node, parent2, grandparent) { return hasDecorators(node) && nodeCanBeDecorated(useLegacyDecorators, node, parent2, grandparent); } function nodeOrChildIsDecorated(useLegacyDecorators, node, parent2, grandparent) { return nodeIsDecorated(useLegacyDecorators, node, parent2, grandparent) || childIsDecorated(useLegacyDecorators, node, parent2); } function childIsDecorated(useLegacyDecorators, node, parent2) { switch (node.kind) { case 263: return some(node.members, (m) => nodeOrChildIsDecorated(useLegacyDecorators, m, node, parent2)); case 231: return !useLegacyDecorators && some(node.members, (m) => nodeOrChildIsDecorated(useLegacyDecorators, m, node, parent2)); case 174: case 178: case 176: return some(node.parameters, (p) => nodeIsDecorated(useLegacyDecorators, p, node, parent2)); default: return false; } } function classOrConstructorParameterIsDecorated(useLegacyDecorators, node) { if (nodeIsDecorated(useLegacyDecorators, node)) return true; const constructor = getFirstConstructorWithBody(node); return !!constructor && childIsDecorated(useLegacyDecorators, constructor, node); } function classElementOrClassElementParameterIsDecorated(useLegacyDecorators, node, parent2) { let parameters; if (isAccessor(node)) { const { firstAccessor, secondAccessor, setAccessor } = getAllAccessorDeclarations(parent2.members, node); const firstAccessorWithDecorators = hasDecorators(firstAccessor) ? firstAccessor : secondAccessor && hasDecorators(secondAccessor) ? secondAccessor : void 0; if (!firstAccessorWithDecorators || node !== firstAccessorWithDecorators) { return false; } parameters = setAccessor == null ? void 0 : setAccessor.parameters; } else if (isMethodDeclaration(node)) { parameters = node.parameters; } if (nodeIsDecorated(useLegacyDecorators, node, parent2)) { return true; } if (parameters) { for (const parameter of parameters) { if (parameterIsThisKeyword(parameter)) continue; if (nodeIsDecorated(useLegacyDecorators, parameter, node, parent2)) return true; } } return false; } function isEmptyStringLiteral2(node) { if (node.textSourceNode) { switch (node.textSourceNode.kind) { case 11: return isEmptyStringLiteral2(node.textSourceNode); case 15: return node.text === ""; } return false; } return node.text === ""; } function isJSXTagName(node) { const { parent: parent2 } = node; if (parent2.kind === 286 || parent2.kind === 285 || parent2.kind === 287) { return parent2.tagName === node; } return false; } function isExpressionNode(node) { switch (node.kind) { case 108: case 106: case 112: case 97: case 14: case 209: case 210: case 211: case 212: case 213: case 214: case 215: case 234: case 216: case 238: case 235: case 217: case 218: case 231: case 219: case 222: case 220: case 221: case 224: case 225: case 226: case 227: case 230: case 228: case 232: case 284: case 285: case 288: case 229: case 223: case 236: return true; case 233: return !isHeritageClause(node.parent) && !isJSDocAugmentsTag(node.parent); case 166: while (node.parent.kind === 166) { node = node.parent; } return node.parent.kind === 186 || isJSDocLinkLike(node.parent) || isJSDocNameReference(node.parent) || isJSDocMemberName(node.parent) || isJSXTagName(node); case 311: while (isJSDocMemberName(node.parent)) { node = node.parent; } return node.parent.kind === 186 || isJSDocLinkLike(node.parent) || isJSDocNameReference(node.parent) || isJSDocMemberName(node.parent) || isJSXTagName(node); case 81: return isBinaryExpression(node.parent) && node.parent.left === node && node.parent.operatorToken.kind === 103; case 80: if (node.parent.kind === 186 || isJSDocLinkLike(node.parent) || isJSDocNameReference(node.parent) || isJSDocMemberName(node.parent) || isJSXTagName(node)) { return true; } case 9: case 10: case 11: case 15: case 110: return isInExpressionContext(node); default: return false; } } function isInExpressionContext(node) { const { parent: parent2 } = node; switch (parent2.kind) { case 260: case 169: case 172: case 171: case 306: case 303: case 208: return parent2.initializer === node; case 244: case 245: case 246: case 247: case 253: case 254: case 255: case 296: case 257: return parent2.expression === node; case 248: const forStatement = parent2; return forStatement.initializer === node && forStatement.initializer.kind !== 261 || forStatement.condition === node || forStatement.incrementor === node; case 249: case 250: const forInOrOfStatement = parent2; return forInOrOfStatement.initializer === node && forInOrOfStatement.initializer.kind !== 261 || forInOrOfStatement.expression === node; case 216: case 234: return node === parent2.expression; case 239: return node === parent2.expression; case 167: return node === parent2.expression; case 170: case 294: case 293: case 305: return true; case 233: return parent2.expression === node && !isPartOfTypeNode(parent2); case 304: return parent2.objectAssignmentInitializer === node; case 238: return node === parent2.expression; default: return isExpressionNode(parent2); } } function isPartOfTypeQuery(node) { while (node.kind === 166 || node.kind === 80) { node = node.parent; } return node.kind === 186; } function isNamespaceReexportDeclaration(node) { return isNamespaceExport(node) && !!node.parent.moduleSpecifier; } function isExternalModuleImportEqualsDeclaration(node) { return node.kind === 271 && node.moduleReference.kind === 283; } function getExternalModuleImportEqualsDeclarationExpression(node) { Debug.assert(isExternalModuleImportEqualsDeclaration(node)); return node.moduleReference.expression; } function getExternalModuleRequireArgument(node) { return isVariableDeclarationInitializedToBareOrAccessedRequire(node) && getLeftmostAccessExpression(node.initializer).arguments[0]; } function isInternalModuleImportEqualsDeclaration(node) { return node.kind === 271 && node.moduleReference.kind !== 283; } function isFullSourceFile(sourceFile) { return (sourceFile == null ? void 0 : sourceFile.kind) === 307; } function isSourceFileJS(file) { return isInJSFile(file); } function isSourceFileNotJS(file) { return !isInJSFile(file); } function isInJSFile(node) { return !!node && !!(node.flags & 524288); } function isInJsonFile(node) { return !!node && !!(node.flags & 134217728); } function isSourceFileNotJson(file) { return !isJsonSourceFile(file); } function isInJSDoc(node) { return !!node && !!(node.flags & 16777216); } function isJSDocIndexSignature(node) { return isTypeReferenceNode(node) && isIdentifier(node.typeName) && node.typeName.escapedText === "Object" && node.typeArguments && node.typeArguments.length === 2 && (node.typeArguments[0].kind === 154 || node.typeArguments[0].kind === 150); } function isRequireCall(callExpression, requireStringLiteralLikeArgument) { if (callExpression.kind !== 213) { return false; } const { expression, arguments: args } = callExpression; if (expression.kind !== 80 || expression.escapedText !== "require") { return false; } if (args.length !== 1) { return false; } const arg = args[0]; return !requireStringLiteralLikeArgument || isStringLiteralLike(arg); } function isVariableDeclarationInitializedToRequire(node) { return isVariableDeclarationInitializedWithRequireHelper( node, /*allowAccessedRequire*/ false ); } function isVariableDeclarationInitializedToBareOrAccessedRequire(node) { return isVariableDeclarationInitializedWithRequireHelper( node, /*allowAccessedRequire*/ true ); } function isBindingElementOfBareOrAccessedRequire(node) { return isBindingElement(node) && isVariableDeclarationInitializedToBareOrAccessedRequire(node.parent.parent); } function isVariableDeclarationInitializedWithRequireHelper(node, allowAccessedRequire) { return isVariableDeclaration(node) && !!node.initializer && isRequireCall( allowAccessedRequire ? getLeftmostAccessExpression(node.initializer) : node.initializer, /*requireStringLiteralLikeArgument*/ true ); } function isRequireVariableStatement(node) { return isVariableStatement(node) && node.declarationList.declarations.length > 0 && every(node.declarationList.declarations, (decl) => isVariableDeclarationInitializedToRequire(decl)); } function isSingleOrDoubleQuote(charCode) { return charCode === 39 || charCode === 34; } function isStringDoubleQuoted(str, sourceFile) { return getSourceTextOfNodeFromSourceFile(sourceFile, str).charCodeAt(0) === 34; } function isAssignmentDeclaration(decl) { return isBinaryExpression(decl) || isAccessExpression(decl) || isIdentifier(decl) || isCallExpression2(decl); } function getEffectiveInitializer(node) { if (isInJSFile(node) && node.initializer && isBinaryExpression(node.initializer) && (node.initializer.operatorToken.kind === 57 || node.initializer.operatorToken.kind === 61) && node.name && isEntityNameExpression(node.name) && isSameEntityName(node.name, node.initializer.left)) { return node.initializer.right; } return node.initializer; } function getDeclaredExpandoInitializer(node) { const init = getEffectiveInitializer(node); return init && getExpandoInitializer(init, isPrototypeAccess(node.name)); } function hasExpandoValueProperty(node, isPrototypeAssignment) { return forEach(node.properties, (p) => isPropertyAssignment(p) && isIdentifier(p.name) && p.name.escapedText === "value" && p.initializer && getExpandoInitializer(p.initializer, isPrototypeAssignment)); } function getAssignedExpandoInitializer(node) { if (node && node.parent && isBinaryExpression(node.parent) && node.parent.operatorToken.kind === 64) { const isPrototypeAssignment = isPrototypeAccess(node.parent.left); return getExpandoInitializer(node.parent.right, isPrototypeAssignment) || getDefaultedExpandoInitializer(node.parent.left, node.parent.right, isPrototypeAssignment); } if (node && isCallExpression2(node) && isBindableObjectDefinePropertyCall(node)) { const result = hasExpandoValueProperty(node.arguments[2], node.arguments[1].text === "prototype"); if (result) { return result; } } } function getExpandoInitializer(initializer, isPrototypeAssignment) { if (isCallExpression2(initializer)) { const e = skipParentheses(initializer.expression); return e.kind === 218 || e.kind === 219 ? initializer : void 0; } if (initializer.kind === 218 || initializer.kind === 231 || initializer.kind === 219) { return initializer; } if (isObjectLiteralExpression(initializer) && (initializer.properties.length === 0 || isPrototypeAssignment)) { return initializer; } } function getDefaultedExpandoInitializer(name, initializer, isPrototypeAssignment) { const e = isBinaryExpression(initializer) && (initializer.operatorToken.kind === 57 || initializer.operatorToken.kind === 61) && getExpandoInitializer(initializer.right, isPrototypeAssignment); if (e && isSameEntityName(name, initializer.left)) { return e; } } function isDefaultedExpandoInitializer(node) { const name = isVariableDeclaration(node.parent) ? node.parent.name : isBinaryExpression(node.parent) && node.parent.operatorToken.kind === 64 ? node.parent.left : void 0; return name && getExpandoInitializer(node.right, isPrototypeAccess(name)) && isEntityNameExpression(name) && isSameEntityName(name, node.left); } function getNameOfExpando(node) { if (isBinaryExpression(node.parent)) { const parent2 = (node.parent.operatorToken.kind === 57 || node.parent.operatorToken.kind === 61) && isBinaryExpression(node.parent.parent) ? node.parent.parent : node.parent; if (parent2.operatorToken.kind === 64 && isIdentifier(parent2.left)) { return parent2.left; } } else if (isVariableDeclaration(node.parent)) { return node.parent.name; } } function isSameEntityName(name, initializer) { if (isPropertyNameLiteral(name) && isPropertyNameLiteral(initializer)) { return getTextOfIdentifierOrLiteral(name) === getTextOfIdentifierOrLiteral(initializer); } if (isMemberName(name) && isLiteralLikeAccess(initializer) && (initializer.expression.kind === 110 || isIdentifier(initializer.expression) && (initializer.expression.escapedText === "window" || initializer.expression.escapedText === "self" || initializer.expression.escapedText === "global"))) { return isSameEntityName(name, getNameOrArgument(initializer)); } if (isLiteralLikeAccess(name) && isLiteralLikeAccess(initializer)) { return getElementOrPropertyAccessName(name) === getElementOrPropertyAccessName(initializer) && isSameEntityName(name.expression, initializer.expression); } return false; } function getRightMostAssignedExpression(node) { while (isAssignmentExpression2( node, /*excludeCompoundAssignment*/ true )) { node = node.right; } return node; } function isExportsIdentifier(node) { return isIdentifier(node) && node.escapedText === "exports"; } function isModuleIdentifier(node) { return isIdentifier(node) && node.escapedText === "module"; } function isModuleExportsAccessExpression(node) { return (isPropertyAccessExpression(node) || isLiteralLikeElementAccess(node)) && isModuleIdentifier(node.expression) && getElementOrPropertyAccessName(node) === "exports"; } function getAssignmentDeclarationKind(expr) { const special = getAssignmentDeclarationKindWorker(expr); return special === 5 || isInJSFile(expr) ? special : 0; } function isBindableObjectDefinePropertyCall(expr) { return length(expr.arguments) === 3 && isPropertyAccessExpression(expr.expression) && isIdentifier(expr.expression.expression) && idText(expr.expression.expression) === "Object" && idText(expr.expression.name) === "defineProperty" && isStringOrNumericLiteralLike(expr.arguments[1]) && isBindableStaticNameExpression( expr.arguments[0], /*excludeThisKeyword*/ true ); } function isLiteralLikeAccess(node) { return isPropertyAccessExpression(node) || isLiteralLikeElementAccess(node); } function isLiteralLikeElementAccess(node) { return isElementAccessExpression(node) && isStringOrNumericLiteralLike(node.argumentExpression); } function isBindableStaticAccessExpression(node, excludeThisKeyword) { return isPropertyAccessExpression(node) && (!excludeThisKeyword && node.expression.kind === 110 || isIdentifier(node.name) && isBindableStaticNameExpression( node.expression, /*excludeThisKeyword*/ true )) || isBindableStaticElementAccessExpression(node, excludeThisKeyword); } function isBindableStaticElementAccessExpression(node, excludeThisKeyword) { return isLiteralLikeElementAccess(node) && (!excludeThisKeyword && node.expression.kind === 110 || isEntityNameExpression(node.expression) || isBindableStaticAccessExpression( node.expression, /*excludeThisKeyword*/ true )); } function isBindableStaticNameExpression(node, excludeThisKeyword) { return isEntityNameExpression(node) || isBindableStaticAccessExpression(node, excludeThisKeyword); } function getNameOrArgument(expr) { if (isPropertyAccessExpression(expr)) { return expr.name; } return expr.argumentExpression; } function getAssignmentDeclarationKindWorker(expr) { if (isCallExpression2(expr)) { if (!isBindableObjectDefinePropertyCall(expr)) { return 0; } const entityName = expr.arguments[0]; if (isExportsIdentifier(entityName) || isModuleExportsAccessExpression(entityName)) { return 8; } if (isBindableStaticAccessExpression(entityName) && getElementOrPropertyAccessName(entityName) === "prototype") { return 9; } return 7; } if (expr.operatorToken.kind !== 64 || !isAccessExpression(expr.left) || isVoidZero(getRightMostAssignedExpression(expr))) { return 0; } if (isBindableStaticNameExpression( expr.left.expression, /*excludeThisKeyword*/ true ) && getElementOrPropertyAccessName(expr.left) === "prototype" && isObjectLiteralExpression(getInitializerOfBinaryExpression(expr))) { return 6; } return getAssignmentDeclarationPropertyAccessKind(expr.left); } function isVoidZero(node) { return isVoidExpression(node) && isNumericLiteral(node.expression) && node.expression.text === "0"; } function getElementOrPropertyAccessArgumentExpressionOrName(node) { if (isPropertyAccessExpression(node)) { return node.name; } const arg = skipParentheses(node.argumentExpression); if (isNumericLiteral(arg) || isStringLiteralLike(arg)) { return arg; } return node; } function getElementOrPropertyAccessName(node) { const name = getElementOrPropertyAccessArgumentExpressionOrName(node); if (name) { if (isIdentifier(name)) { return name.escapedText; } if (isStringLiteralLike(name) || isNumericLiteral(name)) { return escapeLeadingUnderscores(name.text); } } return void 0; } function getAssignmentDeclarationPropertyAccessKind(lhs) { if (lhs.expression.kind === 110) { return 4; } else if (isModuleExportsAccessExpression(lhs)) { return 2; } else if (isBindableStaticNameExpression( lhs.expression, /*excludeThisKeyword*/ true )) { if (isPrototypeAccess(lhs.expression)) { return 3; } let nextToLast = lhs; while (!isIdentifier(nextToLast.expression)) { nextToLast = nextToLast.expression; } const id = nextToLast.expression; if ((id.escapedText === "exports" || id.escapedText === "module" && getElementOrPropertyAccessName(nextToLast) === "exports") && // ExportsProperty does not support binding with computed names isBindableStaticAccessExpression(lhs)) { return 1; } if (isBindableStaticNameExpression( lhs, /*excludeThisKeyword*/ true ) || isElementAccessExpression(lhs) && isDynamicName(lhs)) { return 5; } } return 0; } function getInitializerOfBinaryExpression(expr) { while (isBinaryExpression(expr.right)) { expr = expr.right; } return expr.right; } function isPrototypePropertyAssignment(node) { return isBinaryExpression(node) && getAssignmentDeclarationKind(node) === 3; } function isSpecialPropertyDeclaration(expr) { return isInJSFile(expr) && expr.parent && expr.parent.kind === 244 && (!isElementAccessExpression(expr) || isLiteralLikeElementAccess(expr)) && !!getJSDocTypeTag(expr.parent); } function setValueDeclaration(symbol, node) { const { valueDeclaration } = symbol; if (!valueDeclaration || !(node.flags & 33554432 && !isInJSFile(node) && !(valueDeclaration.flags & 33554432)) && (isAssignmentDeclaration(valueDeclaration) && !isAssignmentDeclaration(node)) || valueDeclaration.kind !== node.kind && isEffectiveModuleDeclaration(valueDeclaration)) { symbol.valueDeclaration = node; } } function isFunctionSymbol(symbol) { if (!symbol || !symbol.valueDeclaration) { return false; } const decl = symbol.valueDeclaration; return decl.kind === 262 || isVariableDeclaration(decl) && decl.initializer && isFunctionLike(decl.initializer); } function tryGetModuleSpecifierFromDeclaration(node) { var _a, _b; switch (node.kind) { case 260: case 208: return (_a = findAncestor(node.initializer, (node2) => isRequireCall( node2, /*requireStringLiteralLikeArgument*/ true ))) == null ? void 0 : _a.arguments[0]; case 272: case 278: case 351: return tryCast(node.moduleSpecifier, isStringLiteralLike); case 271: return tryCast((_b = tryCast(node.moduleReference, isExternalModuleReference)) == null ? void 0 : _b.expression, isStringLiteralLike); case 273: case 280: return tryCast(node.parent.moduleSpecifier, isStringLiteralLike); case 274: case 281: return tryCast(node.parent.parent.moduleSpecifier, isStringLiteralLike); case 276: return tryCast(node.parent.parent.parent.moduleSpecifier, isStringLiteralLike); case 205: return isLiteralImportTypeNode(node) ? node.argument.literal : void 0; default: Debug.assertNever(node); } } function importFromModuleSpecifier(node) { return tryGetImportFromModuleSpecifier(node) || Debug.failBadSyntaxKind(node.parent); } function tryGetImportFromModuleSpecifier(node) { switch (node.parent.kind) { case 272: case 278: case 351: return node.parent; case 283: return node.parent.parent; case 213: return isImportCall(node.parent) || isRequireCall( node.parent, /*requireStringLiteralLikeArgument*/ false ) ? node.parent : void 0; case 201: Debug.assert(isStringLiteral2(node)); return tryCast(node.parent.parent, isImportTypeNode); default: return void 0; } } function getExternalModuleName(node) { switch (node.kind) { case 272: case 278: case 351: return node.moduleSpecifier; case 271: return node.moduleReference.kind === 283 ? node.moduleReference.expression : void 0; case 205: return isLiteralImportTypeNode(node) ? node.argument.literal : void 0; case 213: return node.arguments[0]; case 267: return node.name.kind === 11 ? node.name : void 0; default: return Debug.assertNever(node); } } function getNamespaceDeclarationNode(node) { switch (node.kind) { case 272: return node.importClause && tryCast(node.importClause.namedBindings, isNamespaceImport); case 271: return node; case 278: return node.exportClause && tryCast(node.exportClause, isNamespaceExport); default: return Debug.assertNever(node); } } function isDefaultImport(node) { return (node.kind === 272 || node.kind === 351) && !!node.importClause && !!node.importClause.name; } function forEachImportClauseDeclaration(node, action) { if (node.name) { const result = action(node); if (result) return result; } if (node.namedBindings) { const result = isNamespaceImport(node.namedBindings) ? action(node.namedBindings) : forEach(node.namedBindings.elements, action); if (result) return result; } } function hasQuestionToken(node) { if (node) { switch (node.kind) { case 169: case 174: case 173: case 304: case 303: case 172: case 171: return node.questionToken !== void 0; } } return false; } function isJSDocConstructSignature(node) { const param = isJSDocFunctionType(node) ? firstOrUndefined(node.parameters) : void 0; const name = tryCast(param && param.name, isIdentifier); return !!name && name.escapedText === "new"; } function isJSDocTypeAlias(node) { return node.kind === 346 || node.kind === 338 || node.kind === 340; } function isTypeAlias(node) { return isJSDocTypeAlias(node) || isTypeAliasDeclaration(node); } function getSourceOfAssignment(node) { return isExpressionStatement2(node) && isBinaryExpression(node.expression) && node.expression.operatorToken.kind === 64 ? getRightMostAssignedExpression(node.expression) : void 0; } function getSourceOfDefaultedAssignment(node) { return isExpressionStatement2(node) && isBinaryExpression(node.expression) && getAssignmentDeclarationKind(node.expression) !== 0 && isBinaryExpression(node.expression.right) && (node.expression.right.operatorToken.kind === 57 || node.expression.right.operatorToken.kind === 61) ? node.expression.right.right : void 0; } function getSingleInitializerOfVariableStatementOrPropertyDeclaration(node) { switch (node.kind) { case 243: const v = getSingleVariableOfVariableStatement(node); return v && v.initializer; case 172: return node.initializer; case 303: return node.initializer; } } function getSingleVariableOfVariableStatement(node) { return isVariableStatement(node) ? firstOrUndefined(node.declarationList.declarations) : void 0; } function getNestedModuleDeclaration(node) { return isModuleDeclaration(node) && node.body && node.body.kind === 267 ? node.body : void 0; } function canHaveFlowNode(node) { if (node.kind >= 243 && node.kind <= 259) { return true; } switch (node.kind) { case 80: case 110: case 108: case 166: case 236: case 212: case 211: case 208: case 218: case 219: case 174: case 177: case 178: return true; default: return false; } } function canHaveJSDoc(node) { switch (node.kind) { case 219: case 226: case 241: case 252: case 179: case 296: case 263: case 231: case 175: case 176: case 185: case 180: case 251: case 259: case 246: case 212: case 242: case 1: case 266: case 306: case 277: case 278: case 281: case 244: case 249: case 250: case 248: case 262: case 218: case 184: case 177: case 80: case 245: case 272: case 271: case 181: case 264: case 317: case 323: case 256: case 174: case 173: case 267: case 202: case 270: case 210: case 169: case 217: case 211: case 303: case 172: case 171: case 253: case 240: case 178: case 304: case 305: case 255: case 257: case 258: case 265: case 168: case 260: case 243: case 247: case 254: return true; default: return false; } } function getJSDocCommentsAndTags(hostNode, noCache) { let result; if (isVariableLike(hostNode) && hasInitializer(hostNode) && hasJSDocNodes(hostNode.initializer)) { result = addRange(result, filterOwnedJSDocTags(hostNode, hostNode.initializer.jsDoc)); } let node = hostNode; while (node && node.parent) { if (hasJSDocNodes(node)) { result = addRange(result, filterOwnedJSDocTags(hostNode, node.jsDoc)); } if (node.kind === 169) { result = addRange(result, (noCache ? getJSDocParameterTagsNoCache : getJSDocParameterTags)(node)); break; } if (node.kind === 168) { result = addRange(result, (noCache ? getJSDocTypeParameterTagsNoCache : getJSDocTypeParameterTags)(node)); break; } node = getNextJSDocCommentLocation(node); } return result || emptyArray; } function filterOwnedJSDocTags(hostNode, comments) { const lastJsDoc = last(comments); return flatMap(comments, (jsDoc) => { if (jsDoc === lastJsDoc) { const ownedTags = filter(jsDoc.tags, (tag) => ownsJSDocTag(hostNode, tag)); return jsDoc.tags === ownedTags ? [jsDoc] : ownedTags; } else { return filter(jsDoc.tags, isJSDocOverloadTag); } }); } function ownsJSDocTag(hostNode, tag) { return !(isJSDocTypeTag(tag) || isJSDocSatisfiesTag(tag)) || !tag.parent || !isJSDoc(tag.parent) || !isParenthesizedExpression(tag.parent.parent) || tag.parent.parent === hostNode; } function getNextJSDocCommentLocation(node) { const parent2 = node.parent; if (parent2.kind === 303 || parent2.kind === 277 || parent2.kind === 172 || parent2.kind === 244 && node.kind === 211 || parent2.kind === 253 || getNestedModuleDeclaration(parent2) || isAssignmentExpression2(node)) { return parent2; } else if (parent2.parent && (getSingleVariableOfVariableStatement(parent2.parent) === node || isAssignmentExpression2(parent2))) { return parent2.parent; } else if (parent2.parent && parent2.parent.parent && (getSingleVariableOfVariableStatement(parent2.parent.parent) || getSingleInitializerOfVariableStatementOrPropertyDeclaration(parent2.parent.parent) === node || getSourceOfDefaultedAssignment(parent2.parent.parent))) { return parent2.parent.parent; } } function getParameterSymbolFromJSDoc(node) { if (node.symbol) { return node.symbol; } if (!isIdentifier(node.name)) { return void 0; } const name = node.name.escapedText; const decl = getHostSignatureFromJSDoc(node); if (!decl) { return void 0; } const parameter = find(decl.parameters, (p) => p.name.kind === 80 && p.name.escapedText === name); return parameter && parameter.symbol; } function getEffectiveContainerForJSDocTemplateTag(node) { if (isJSDoc(node.parent) && node.parent.tags) { const typeAlias = find(node.parent.tags, isJSDocTypeAlias); if (typeAlias) { return typeAlias; } } return getHostSignatureFromJSDoc(node); } function getJSDocOverloadTags(node) { return getAllJSDocTags(node, isJSDocOverloadTag); } function getHostSignatureFromJSDoc(node) { const host = getEffectiveJSDocHost(node); if (host) { return isPropertySignature(host) && host.type && isFunctionLike(host.type) ? host.type : isFunctionLike(host) ? host : void 0; } return void 0; } function getEffectiveJSDocHost(node) { const host = getJSDocHost(node); if (host) { return getSourceOfDefaultedAssignment(host) || getSourceOfAssignment(host) || getSingleInitializerOfVariableStatementOrPropertyDeclaration(host) || getSingleVariableOfVariableStatement(host) || getNestedModuleDeclaration(host) || host; } } function getJSDocHost(node) { const jsDoc = getJSDocRoot(node); if (!jsDoc) { return void 0; } const host = jsDoc.parent; if (host && host.jsDoc && jsDoc === lastOrUndefined(host.jsDoc)) { return host; } } function getJSDocRoot(node) { return findAncestor(node.parent, isJSDoc); } function getTypeParameterFromJsDoc(node) { const name = node.name.escapedText; const { typeParameters } = node.parent.parent.parent; return typeParameters && find(typeParameters, (p) => p.name.escapedText === name); } function hasTypeArguments(node) { return !!node.typeArguments; } var AssignmentKind = /* @__PURE__ */ ((AssignmentKind2) => { AssignmentKind2[AssignmentKind2["None"] = 0] = "None"; AssignmentKind2[AssignmentKind2["Definite"] = 1] = "Definite"; AssignmentKind2[AssignmentKind2["Compound"] = 2] = "Compound"; return AssignmentKind2; })(AssignmentKind || {}); function getAssignmentTarget(node) { let parent2 = node.parent; while (true) { switch (parent2.kind) { case 226: const binaryExpression = parent2; const binaryOperator = binaryExpression.operatorToken.kind; return isAssignmentOperator(binaryOperator) && binaryExpression.left === node ? binaryExpression : void 0; case 224: case 225: const unaryExpression = parent2; const unaryOperator = unaryExpression.operator; return unaryOperator === 46 || unaryOperator === 47 ? unaryExpression : void 0; case 249: case 250: const forInOrOfStatement = parent2; return forInOrOfStatement.initializer === node ? forInOrOfStatement : void 0; case 217: case 209: case 230: case 235: node = parent2; break; case 305: node = parent2.parent; break; case 304: if (parent2.name !== node) { return void 0; } node = parent2.parent; break; case 303: if (parent2.name === node) { return void 0; } node = parent2.parent; break; default: return void 0; } parent2 = node.parent; } } function getAssignmentTargetKind(node) { const target = getAssignmentTarget(node); if (!target) { return 0; } switch (target.kind) { case 226: const binaryOperator = target.operatorToken.kind; return binaryOperator === 64 || isLogicalOrCoalescingAssignmentOperator(binaryOperator) ? 1 : 2; case 224: case 225: return 2; case 249: case 250: return 1; } } function isAssignmentTarget(node) { return !!getAssignmentTarget(node); } function isCompoundLikeAssignment(assignment) { const right = skipParentheses(assignment.right); return right.kind === 226 && isShiftOperatorOrHigher(right.operatorToken.kind); } function isInCompoundLikeAssignment(node) { const target = getAssignmentTarget(node); return !!target && isAssignmentExpression2( target, /*excludeCompoundAssignment*/ true ) && isCompoundLikeAssignment(target); } function isNodeWithPossibleHoistedDeclaration(node) { switch (node.kind) { case 241: case 243: case 254: case 245: case 255: case 269: case 296: case 297: case 256: case 248: case 249: case 250: case 246: case 247: case 258: case 299: return true; } return false; } function isValueSignatureDeclaration(node) { return isFunctionExpression(node) || isArrowFunction(node) || isMethodOrAccessor(node) || isFunctionDeclaration(node) || isConstructorDeclaration(node); } function walkUp(node, kind) { while (node && node.kind === kind) { node = node.parent; } return node; } function walkUpParenthesizedTypes(node) { return walkUp( node, 196 /* ParenthesizedType */ ); } function walkUpParenthesizedExpressions(node) { return walkUp( node, 217 /* ParenthesizedExpression */ ); } function walkUpParenthesizedTypesAndGetParentAndChild(node) { let child; while (node && node.kind === 196) { child = node; node = node.parent; } return [child, node]; } function skipTypeParentheses(node) { while (isParenthesizedTypeNode(node)) node = node.type; return node; } function skipParentheses(node, excludeJSDocTypeAssertions) { const flags = excludeJSDocTypeAssertions ? 1 | 16 : 1; return skipOuterExpressions(node, flags); } function isDeleteTarget(node) { if (node.kind !== 211 && node.kind !== 212) { return false; } node = walkUpParenthesizedExpressions(node.parent); return node && node.kind === 220; } function isNodeDescendantOf(node, ancestor) { while (node) { if (node === ancestor) return true; node = node.parent; } return false; } function isDeclarationName(name) { return !isSourceFile(name) && !isBindingPattern(name) && isDeclaration(name.parent) && name.parent.name === name; } function getDeclarationFromName(name) { const parent2 = name.parent; switch (name.kind) { case 11: case 15: case 9: if (isComputedPropertyName(parent2)) return parent2.parent; case 80: if (isDeclaration(parent2)) { return parent2.name === name ? parent2 : void 0; } else if (isQualifiedName(parent2)) { const tag = parent2.parent; return isJSDocParameterTag(tag) && tag.name === parent2 ? tag : void 0; } else { const binExp = parent2.parent; return isBinaryExpression(binExp) && getAssignmentDeclarationKind(binExp) !== 0 && (binExp.left.symbol || binExp.symbol) && getNameOfDeclaration(binExp) === name ? binExp : void 0; } case 81: return isDeclaration(parent2) && parent2.name === name ? parent2 : void 0; default: return void 0; } } function isLiteralComputedPropertyDeclarationName(node) { return isStringOrNumericLiteralLike(node) && node.parent.kind === 167 && isDeclaration(node.parent.parent); } function isIdentifierName4(node) { const parent2 = node.parent; switch (parent2.kind) { case 172: case 171: case 174: case 173: case 177: case 178: case 306: case 303: case 211: return parent2.name === node; case 166: return parent2.right === node; case 208: case 276: return parent2.propertyName === node; case 281: case 291: case 285: case 286: case 287: return true; } return false; } function isAliasSymbolDeclaration(node) { if (node.kind === 271 || node.kind === 270 || node.kind === 273 && !!node.name || node.kind === 274 || node.kind === 280 || node.kind === 276 || node.kind === 281 || node.kind === 277 && exportAssignmentIsAlias(node)) { return true; } return isInJSFile(node) && (isBinaryExpression(node) && getAssignmentDeclarationKind(node) === 2 && exportAssignmentIsAlias(node) || isPropertyAccessExpression(node) && isBinaryExpression(node.parent) && node.parent.left === node && node.parent.operatorToken.kind === 64 && isAliasableExpression(node.parent.right)); } function getAliasDeclarationFromName(node) { switch (node.parent.kind) { case 273: case 276: case 274: case 281: case 277: case 271: case 280: return node.parent; case 166: do { node = node.parent; } while (node.parent.kind === 166); return getAliasDeclarationFromName(node); } } function isAliasableExpression(e) { return isEntityNameExpression(e) || isClassExpression(e); } function exportAssignmentIsAlias(node) { const e = getExportAssignmentExpression(node); return isAliasableExpression(e); } function getExportAssignmentExpression(node) { return isExportAssignment(node) ? node.expression : node.right; } function getPropertyAssignmentAliasLikeExpression(node) { return node.kind === 304 ? node.name : node.kind === 303 ? node.initializer : node.parent.right; } function getEffectiveBaseTypeNode(node) { const baseType = getClassExtendsHeritageElement(node); if (baseType && isInJSFile(node)) { const tag = getJSDocAugmentsTag(node); if (tag) { return tag.class; } } return baseType; } function getClassExtendsHeritageElement(node) { const heritageClause = getHeritageClause( node.heritageClauses, 96 /* ExtendsKeyword */ ); return heritageClause && heritageClause.types.length > 0 ? heritageClause.types[0] : void 0; } function getEffectiveImplementsTypeNodes(node) { if (isInJSFile(node)) { return getJSDocImplementsTags(node).map((n) => n.class); } else { const heritageClause = getHeritageClause( node.heritageClauses, 119 /* ImplementsKeyword */ ); return heritageClause == null ? void 0 : heritageClause.types; } } function getAllSuperTypeNodes(node) { return isInterfaceDeclaration(node) ? getInterfaceBaseTypeNodes(node) || emptyArray : isClassLike(node) ? concatenate(singleElementArray(getEffectiveBaseTypeNode(node)), getEffectiveImplementsTypeNodes(node)) || emptyArray : emptyArray; } function getInterfaceBaseTypeNodes(node) { const heritageClause = getHeritageClause( node.heritageClauses, 96 /* ExtendsKeyword */ ); return heritageClause ? heritageClause.types : void 0; } function getHeritageClause(clauses, kind) { if (clauses) { for (const clause of clauses) { if (clause.token === kind) { return clause; } } } return void 0; } function getAncestor2(node, kind) { while (node) { if (node.kind === kind) { return node; } node = node.parent; } return void 0; } function isKeyword2(token) { return 83 <= token && token <= 165; } function isPunctuation(token) { return 19 <= token && token <= 79; } function isKeywordOrPunctuation(token) { return isKeyword2(token) || isPunctuation(token); } function isContextualKeyword(token) { return 128 <= token && token <= 165; } function isNonContextualKeyword(token) { return isKeyword2(token) && !isContextualKeyword(token); } function isFutureReservedKeyword(token) { return 119 <= token && token <= 127; } function isStringANonContextualKeyword(name) { const token = stringToToken(name); return token !== void 0 && isNonContextualKeyword(token); } function isStringAKeyword(name) { const token = stringToToken(name); return token !== void 0 && isKeyword2(token); } function isIdentifierANonContextualKeyword(node) { const originalKeywordKind = identifierToKeywordKind(node); return !!originalKeywordKind && !isContextualKeyword(originalKeywordKind); } function isTrivia(token) { return 2 <= token && token <= 7; } var FunctionFlags = /* @__PURE__ */ ((FunctionFlags2) => { FunctionFlags2[FunctionFlags2["Normal"] = 0] = "Normal"; FunctionFlags2[FunctionFlags2["Generator"] = 1] = "Generator"; FunctionFlags2[FunctionFlags2["Async"] = 2] = "Async"; FunctionFlags2[FunctionFlags2["Invalid"] = 4] = "Invalid"; FunctionFlags2[FunctionFlags2["AsyncGenerator"] = 3] = "AsyncGenerator"; return FunctionFlags2; })(FunctionFlags || {}); function getFunctionFlags(node) { if (!node) { return 4; } let flags = 0; switch (node.kind) { case 262: case 218: case 174: if (node.asteriskToken) { flags |= 1; } case 219: if (hasSyntacticModifier( node, 1024 /* Async */ )) { flags |= 2; } break; } if (!node.body) { flags |= 4; } return flags; } function isAsyncFunction(node) { switch (node.kind) { case 262: case 218: case 219: case 174: return node.body !== void 0 && node.asteriskToken === void 0 && hasSyntacticModifier( node, 1024 /* Async */ ); } return false; } function isStringOrNumericLiteralLike(node) { return isStringLiteralLike(node) || isNumericLiteral(node); } function isSignedNumericLiteral(node) { return isPrefixUnaryExpression(node) && (node.operator === 40 || node.operator === 41) && isNumericLiteral(node.operand); } function hasDynamicName(declaration) { const name = getNameOfDeclaration(declaration); return !!name && isDynamicName(name); } function isDynamicName(name) { if (!(name.kind === 167 || name.kind === 212)) { return false; } const expr = isElementAccessExpression(name) ? skipParentheses(name.argumentExpression) : name.expression; return !isStringOrNumericLiteralLike(expr) && !isSignedNumericLiteral(expr); } function getPropertyNameForPropertyNameNode(name) { switch (name.kind) { case 80: case 81: return name.escapedText; case 11: case 15: case 9: return escapeLeadingUnderscores(name.text); case 167: const nameExpression = name.expression; if (isStringOrNumericLiteralLike(nameExpression)) { return escapeLeadingUnderscores(nameExpression.text); } else if (isSignedNumericLiteral(nameExpression)) { if (nameExpression.operator === 41) { return tokenToString(nameExpression.operator) + nameExpression.operand.text; } return nameExpression.operand.text; } return void 0; case 295: return getEscapedTextOfJsxNamespacedName(name); default: return Debug.assertNever(name); } } function isPropertyNameLiteral(node) { switch (node.kind) { case 80: case 11: case 15: case 9: return true; default: return false; } } function getTextOfIdentifierOrLiteral(node) { return isMemberName(node) ? idText(node) : isJsxNamespacedName(node) ? getTextOfJsxNamespacedName(node) : node.text; } function getEscapedTextOfIdentifierOrLiteral(node) { return isMemberName(node) ? node.escapedText : isJsxNamespacedName(node) ? getEscapedTextOfJsxNamespacedName(node) : escapeLeadingUnderscores(node.text); } function getPropertyNameForUniqueESSymbol(symbol) { return `__@${getSymbolId(symbol)}@${symbol.escapedName}`; } function getSymbolNameForPrivateIdentifier(containingClassSymbol, description3) { return `__#${getSymbolId(containingClassSymbol)}@${description3}`; } function isKnownSymbol(symbol) { return startsWith2(symbol.escapedName, "__@"); } function isPrivateIdentifierSymbol(symbol) { return startsWith2(symbol.escapedName, "__#"); } function isESSymbolIdentifier(node) { return node.kind === 80 && node.escapedText === "Symbol"; } function isProtoSetter(node) { return isIdentifier(node) ? idText(node) === "__proto__" : isStringLiteral2(node) && node.text === "__proto__"; } function isAnonymousFunctionDefinition(node, cb) { node = skipOuterExpressions(node); switch (node.kind) { case 231: if (classHasDeclaredOrExplicitlyAssignedName(node)) { return false; } break; case 218: if (node.name) { return false; } break; case 219: break; default: return false; } return typeof cb === "function" ? cb(node) : true; } function isNamedEvaluationSource(node) { switch (node.kind) { case 303: return !isProtoSetter(node.name); case 304: return !!node.objectAssignmentInitializer; case 260: return isIdentifier(node.name) && !!node.initializer; case 169: return isIdentifier(node.name) && !!node.initializer && !node.dotDotDotToken; case 208: return isIdentifier(node.name) && !!node.initializer && !node.dotDotDotToken; case 172: return !!node.initializer; case 226: switch (node.operatorToken.kind) { case 64: case 77: case 76: case 78: return isIdentifier(node.left); } break; case 277: return true; } return false; } function isNamedEvaluation(node, cb) { if (!isNamedEvaluationSource(node)) return false; switch (node.kind) { case 303: return isAnonymousFunctionDefinition(node.initializer, cb); case 304: return isAnonymousFunctionDefinition(node.objectAssignmentInitializer, cb); case 260: case 169: case 208: case 172: return isAnonymousFunctionDefinition(node.initializer, cb); case 226: return isAnonymousFunctionDefinition(node.right, cb); case 277: return isAnonymousFunctionDefinition(node.expression, cb); } } function isPushOrUnshiftIdentifier(node) { return node.escapedText === "push" || node.escapedText === "unshift"; } function isPartOfParameterDeclaration(node) { const root2 = getRootDeclaration(node); return root2.kind === 169; } function getRootDeclaration(node) { while (node.kind === 208) { node = node.parent.parent; } return node; } function nodeStartsNewLexicalEnvironment(node) { const kind = node.kind; return kind === 176 || kind === 218 || kind === 262 || kind === 219 || kind === 174 || kind === 177 || kind === 178 || kind === 267 || kind === 307; } function nodeIsSynthesized(range) { return positionIsSynthesized(range.pos) || positionIsSynthesized(range.end); } function getOriginalSourceFile(sourceFile) { return getParseTreeNode(sourceFile, isSourceFile) || sourceFile; } var Associativity = /* @__PURE__ */ ((Associativity2) => { Associativity2[Associativity2["Left"] = 0] = "Left"; Associativity2[Associativity2["Right"] = 1] = "Right"; return Associativity2; })(Associativity || {}); function getExpressionAssociativity(expression) { const operator = getOperator(expression); const hasArguments = expression.kind === 214 && expression.arguments !== void 0; return getOperatorAssociativity(expression.kind, operator, hasArguments); } function getOperatorAssociativity(kind, operator, hasArguments) { switch (kind) { case 214: return hasArguments ? 0 : 1; case 224: case 221: case 222: case 220: case 223: case 227: case 229: return 1; case 226: switch (operator) { case 43: case 64: case 65: case 66: case 68: case 67: case 69: case 70: case 71: case 72: case 73: case 74: case 79: case 75: case 76: case 77: case 78: return 1; } } return 0; } function getExpressionPrecedence(expression) { const operator = getOperator(expression); const hasArguments = expression.kind === 214 && expression.arguments !== void 0; return getOperatorPrecedence(expression.kind, operator, hasArguments); } function getOperator(expression) { if (expression.kind === 226) { return expression.operatorToken.kind; } else if (expression.kind === 224 || expression.kind === 225) { return expression.operator; } else { return expression.kind; } } var OperatorPrecedence = /* @__PURE__ */ ((OperatorPrecedence2) => { OperatorPrecedence2[OperatorPrecedence2["Comma"] = 0] = "Comma"; OperatorPrecedence2[OperatorPrecedence2["Spread"] = 1] = "Spread"; OperatorPrecedence2[OperatorPrecedence2["Yield"] = 2] = "Yield"; OperatorPrecedence2[OperatorPrecedence2["Assignment"] = 3] = "Assignment"; OperatorPrecedence2[OperatorPrecedence2["Conditional"] = 4] = "Conditional"; OperatorPrecedence2[ OperatorPrecedence2["Coalesce"] = 4 /* Conditional */ ] = "Coalesce"; OperatorPrecedence2[OperatorPrecedence2["LogicalOR"] = 5] = "LogicalOR"; OperatorPrecedence2[OperatorPrecedence2["LogicalAND"] = 6] = "LogicalAND"; OperatorPrecedence2[OperatorPrecedence2["BitwiseOR"] = 7] = "BitwiseOR"; OperatorPrecedence2[OperatorPrecedence2["BitwiseXOR"] = 8] = "BitwiseXOR"; OperatorPrecedence2[OperatorPrecedence2["BitwiseAND"] = 9] = "BitwiseAND"; OperatorPrecedence2[OperatorPrecedence2["Equality"] = 10] = "Equality"; OperatorPrecedence2[OperatorPrecedence2["Relational"] = 11] = "Relational"; OperatorPrecedence2[OperatorPrecedence2["Shift"] = 12] = "Shift"; OperatorPrecedence2[OperatorPrecedence2["Additive"] = 13] = "Additive"; OperatorPrecedence2[OperatorPrecedence2["Multiplicative"] = 14] = "Multiplicative"; OperatorPrecedence2[OperatorPrecedence2["Exponentiation"] = 15] = "Exponentiation"; OperatorPrecedence2[OperatorPrecedence2["Unary"] = 16] = "Unary"; OperatorPrecedence2[OperatorPrecedence2["Update"] = 17] = "Update"; OperatorPrecedence2[OperatorPrecedence2["LeftHandSide"] = 18] = "LeftHandSide"; OperatorPrecedence2[OperatorPrecedence2["Member"] = 19] = "Member"; OperatorPrecedence2[OperatorPrecedence2["Primary"] = 20] = "Primary"; OperatorPrecedence2[ OperatorPrecedence2["Highest"] = 20 /* Primary */ ] = "Highest"; OperatorPrecedence2[ OperatorPrecedence2["Lowest"] = 0 /* Comma */ ] = "Lowest"; OperatorPrecedence2[OperatorPrecedence2["Invalid"] = -1] = "Invalid"; return OperatorPrecedence2; })(OperatorPrecedence || {}); function getOperatorPrecedence(nodeKind, operatorKind, hasArguments) { switch (nodeKind) { case 355: return 0; case 230: return 1; case 229: return 2; case 227: return 4; case 226: switch (operatorKind) { case 28: return 0; case 64: case 65: case 66: case 68: case 67: case 69: case 70: case 71: case 72: case 73: case 74: case 79: case 75: case 76: case 77: case 78: return 3; default: return getBinaryOperatorPrecedence(operatorKind); } case 216: case 235: case 224: case 221: case 222: case 220: case 223: return 16; case 225: return 17; case 213: return 18; case 214: return hasArguments ? 19 : 18; case 215: case 211: case 212: case 236: return 19; case 234: case 238: return 11; case 110: case 108: case 80: case 81: case 106: case 112: case 97: case 9: case 10: case 11: case 209: case 210: case 218: case 219: case 231: case 14: case 15: case 228: case 217: case 232: case 284: case 285: case 288: return 20; default: return -1; } } function getBinaryOperatorPrecedence(kind) { switch (kind) { case 61: return 4; case 57: return 5; case 56: return 6; case 52: return 7; case 53: return 8; case 51: return 9; case 35: case 36: case 37: case 38: return 10; case 30: case 32: case 33: case 34: case 104: case 103: case 130: case 152: return 11; case 48: case 49: case 50: return 12; case 40: case 41: return 13; case 42: case 44: case 45: return 14; case 43: return 15; } return -1; } function getSemanticJsxChildren(children) { return filter(children, (i) => { switch (i.kind) { case 294: return !!i.expression; case 12: return !i.containsOnlyTriviaWhiteSpaces; default: return true; } }); } function createDiagnosticCollection() { let nonFileDiagnostics = []; const filesWithDiagnostics = []; const fileDiagnostics = /* @__PURE__ */ new Map(); let hasReadNonFileDiagnostics = false; return { add, lookup, getGlobalDiagnostics, getDiagnostics: getDiagnostics2 }; function lookup(diagnostic) { let diagnostics; if (diagnostic.file) { diagnostics = fileDiagnostics.get(diagnostic.file.fileName); } else { diagnostics = nonFileDiagnostics; } if (!diagnostics) { return void 0; } const result = binarySearch(diagnostics, diagnostic, identity2, compareDiagnosticsSkipRelatedInformation); if (result >= 0) { return diagnostics[result]; } if (~result > 0 && diagnosticsEqualityComparer(diagnostic, diagnostics[~result - 1])) { return diagnostics[~result - 1]; } return void 0; } function add(diagnostic) { let diagnostics; if (diagnostic.file) { diagnostics = fileDiagnostics.get(diagnostic.file.fileName); if (!diagnostics) { diagnostics = []; fileDiagnostics.set(diagnostic.file.fileName, diagnostics); insertSorted(filesWithDiagnostics, diagnostic.file.fileName, compareStringsCaseSensitive); } } else { if (hasReadNonFileDiagnostics) { hasReadNonFileDiagnostics = false; nonFileDiagnostics = nonFileDiagnostics.slice(); } diagnostics = nonFileDiagnostics; } insertSorted(diagnostics, diagnostic, compareDiagnosticsSkipRelatedInformation, diagnosticsEqualityComparer); } function getGlobalDiagnostics() { hasReadNonFileDiagnostics = true; return nonFileDiagnostics; } function getDiagnostics2(fileName) { if (fileName) { return fileDiagnostics.get(fileName) || []; } const fileDiags = flatMapToMutable(filesWithDiagnostics, (f) => fileDiagnostics.get(f)); if (!nonFileDiagnostics.length) { return fileDiags; } fileDiags.unshift(...nonFileDiagnostics); return fileDiags; } } var templateSubstitutionRegExp = /\$\{/g; function escapeTemplateSubstitution(str) { return str.replace(templateSubstitutionRegExp, "\\${"); } function containsInvalidEscapeFlag(node) { return !!((node.templateFlags || 0) & 2048); } function hasInvalidEscape(template) { return template && !!(isNoSubstitutionTemplateLiteral(template) ? containsInvalidEscapeFlag(template) : containsInvalidEscapeFlag(template.head) || some(template.templateSpans, (span) => containsInvalidEscapeFlag(span.literal))); } var doubleQuoteEscapedCharsRegExp = /[\\"\u0000-\u001f\t\v\f\b\r\n\u2028\u2029\u0085]/g; var singleQuoteEscapedCharsRegExp = /[\\'\u0000-\u001f\t\v\f\b\r\n\u2028\u2029\u0085]/g; var backtickQuoteEscapedCharsRegExp = /\r\n|[\\`\u0000-\u001f\t\v\f\b\r\u2028\u2029\u0085]/g; var escapedCharsMap = new Map(Object.entries({ " ": "\\t", "\v": "\\v", "\f": "\\f", "\b": "\\b", "\r": "\\r", "\n": "\\n", "\\": "\\\\", '"': '\\"', "'": "\\'", "`": "\\`", "\u2028": "\\u2028", // lineSeparator "\u2029": "\\u2029", // paragraphSeparator "\x85": "\\u0085", // nextLine "\r\n": "\\r\\n" // special case for CRLFs in backticks })); function encodeUtf16EscapeSequence(charCode) { const hexCharCode = charCode.toString(16).toUpperCase(); const paddedHexCode = ("0000" + hexCharCode).slice(-4); return "\\u" + paddedHexCode; } function getReplacement3(c, offset, input) { if (c.charCodeAt(0) === 0) { const lookAhead = input.charCodeAt(offset + c.length); if (lookAhead >= 48 && lookAhead <= 57) { return "\\x00"; } return "\\0"; } return escapedCharsMap.get(c) || encodeUtf16EscapeSequence(c.charCodeAt(0)); } function escapeString2(s, quoteChar) { const escapedCharsRegExp = quoteChar === 96 ? backtickQuoteEscapedCharsRegExp : quoteChar === 39 ? singleQuoteEscapedCharsRegExp : doubleQuoteEscapedCharsRegExp; return s.replace(escapedCharsRegExp, getReplacement3); } var nonAsciiCharacters = /[^\u0000-\u007F]/g; function escapeNonAsciiString(s, quoteChar) { s = escapeString2(s, quoteChar); return nonAsciiCharacters.test(s) ? s.replace(nonAsciiCharacters, (c) => encodeUtf16EscapeSequence(c.charCodeAt(0))) : s; } var jsxDoubleQuoteEscapedCharsRegExp = /["\u0000-\u001f\u2028\u2029\u0085]/g; var jsxSingleQuoteEscapedCharsRegExp = /['\u0000-\u001f\u2028\u2029\u0085]/g; var jsxEscapedCharsMap = new Map(Object.entries({ '"': """, "'": "'" })); function encodeJsxCharacterEntity(charCode) { const hexCharCode = charCode.toString(16).toUpperCase(); return "&#x" + hexCharCode + ";"; } function getJsxAttributeStringReplacement(c) { if (c.charCodeAt(0) === 0) { return "�"; } return jsxEscapedCharsMap.get(c) || encodeJsxCharacterEntity(c.charCodeAt(0)); } function escapeJsxAttributeString(s, quoteChar) { const escapedCharsRegExp = quoteChar === 39 ? jsxSingleQuoteEscapedCharsRegExp : jsxDoubleQuoteEscapedCharsRegExp; return s.replace(escapedCharsRegExp, getJsxAttributeStringReplacement); } function stripQuotes(name) { const length2 = name.length; if (length2 >= 2 && name.charCodeAt(0) === name.charCodeAt(length2 - 1) && isQuoteOrBacktick(name.charCodeAt(0))) { return name.substring(1, length2 - 1); } return name; } function isQuoteOrBacktick(charCode) { return charCode === 39 || charCode === 34 || charCode === 96; } function isIntrinsicJsxName(name) { const ch = name.charCodeAt(0); return ch >= 97 && ch <= 122 || name.includes("-"); } var indentStrings = ["", " "]; function getIndentString2(level) { const singleLevel = indentStrings[1]; for (let current = indentStrings.length; current <= level; current++) { indentStrings.push(indentStrings[current - 1] + singleLevel); } return indentStrings[level]; } function getIndentSize() { return indentStrings[1].length; } function createTextWriter(newLine) { var output; var indent3; var lineStart; var lineCount; var linePos; var hasTrailingComment = false; function updateLineCountAndPosFor(s) { const lineStartsOfS = computeLineStarts(s); if (lineStartsOfS.length > 1) { lineCount = lineCount + lineStartsOfS.length - 1; linePos = output.length - s.length + last(lineStartsOfS); lineStart = linePos - output.length === 0; } else { lineStart = false; } } function writeText(s) { if (s && s.length) { if (lineStart) { s = getIndentString2(indent3) + s; lineStart = false; } output += s; updateLineCountAndPosFor(s); } } function write(s) { if (s) hasTrailingComment = false; writeText(s); } function writeComment(s) { if (s) hasTrailingComment = true; writeText(s); } function reset2() { output = ""; indent3 = 0; lineStart = true; lineCount = 0; linePos = 0; hasTrailingComment = false; } function rawWrite(s) { if (s !== void 0) { output += s; updateLineCountAndPosFor(s); hasTrailingComment = false; } } function writeLiteral(s) { if (s && s.length) { write(s); } } function writeLine(force) { if (!lineStart || force) { output += newLine; lineCount++; linePos = output.length; lineStart = true; hasTrailingComment = false; } } reset2(); return { write, rawWrite, writeLiteral, writeLine, increaseIndent: () => { indent3++; }, decreaseIndent: () => { indent3--; }, getIndent: () => indent3, getTextPos: () => output.length, getLine: () => lineCount, getColumn: () => lineStart ? indent3 * getIndentSize() : output.length - linePos, getText: () => output, isAtStartOfLine: () => lineStart, hasTrailingComment: () => hasTrailingComment, hasTrailingWhitespace: () => !!output.length && isWhiteSpaceLike(output.charCodeAt(output.length - 1)), clear: reset2, writeKeyword: write, writeOperator: write, writeParameter: write, writeProperty: write, writePunctuation: write, writeSpace: write, writeStringLiteral: write, writeSymbol: (s, _) => write(s), writeTrailingSemicolon: write, writeComment }; } function getTrailingSemicolonDeferringWriter(writer) { let pendingTrailingSemicolon = false; function commitPendingTrailingSemicolon() { if (pendingTrailingSemicolon) { writer.writeTrailingSemicolon(";"); pendingTrailingSemicolon = false; } } return { ...writer, writeTrailingSemicolon() { pendingTrailingSemicolon = true; }, writeLiteral(s) { commitPendingTrailingSemicolon(); writer.writeLiteral(s); }, writeStringLiteral(s) { commitPendingTrailingSemicolon(); writer.writeStringLiteral(s); }, writeSymbol(s, sym) { commitPendingTrailingSemicolon(); writer.writeSymbol(s, sym); }, writePunctuation(s) { commitPendingTrailingSemicolon(); writer.writePunctuation(s); }, writeKeyword(s) { commitPendingTrailingSemicolon(); writer.writeKeyword(s); }, writeOperator(s) { commitPendingTrailingSemicolon(); writer.writeOperator(s); }, writeParameter(s) { commitPendingTrailingSemicolon(); writer.writeParameter(s); }, writeSpace(s) { commitPendingTrailingSemicolon(); writer.writeSpace(s); }, writeProperty(s) { commitPendingTrailingSemicolon(); writer.writeProperty(s); }, writeComment(s) { commitPendingTrailingSemicolon(); writer.writeComment(s); }, writeLine() { commitPendingTrailingSemicolon(); writer.writeLine(); }, increaseIndent() { commitPendingTrailingSemicolon(); writer.increaseIndent(); }, decreaseIndent() { commitPendingTrailingSemicolon(); writer.decreaseIndent(); } }; } function hostUsesCaseSensitiveFileNames(host) { return host.useCaseSensitiveFileNames ? host.useCaseSensitiveFileNames() : false; } function hostGetCanonicalFileName(host) { return createGetCanonicalFileName(hostUsesCaseSensitiveFileNames(host)); } function getResolvedExternalModuleName(host, file, referenceFile) { return file.moduleName || getExternalModuleNameFromPath(host, file.fileName, referenceFile && referenceFile.fileName); } function getCanonicalAbsolutePath(host, path17) { return host.getCanonicalFileName(getNormalizedAbsolutePath(path17, host.getCurrentDirectory())); } function getExternalModuleNameFromDeclaration(host, resolver, declaration) { const file = resolver.getExternalModuleFileFromDeclaration(declaration); if (!file || file.isDeclarationFile) { return void 0; } const specifier = getExternalModuleName(declaration); if (specifier && isStringLiteralLike(specifier) && !pathIsRelative(specifier.text) && !getCanonicalAbsolutePath(host, file.path).includes(getCanonicalAbsolutePath(host, ensureTrailingDirectorySeparator(host.getCommonSourceDirectory())))) { return void 0; } return getResolvedExternalModuleName(host, file); } function getExternalModuleNameFromPath(host, fileName, referencePath) { const getCanonicalFileName = (f) => host.getCanonicalFileName(f); const dir = toPath3(referencePath ? getDirectoryPath(referencePath) : host.getCommonSourceDirectory(), host.getCurrentDirectory(), getCanonicalFileName); const filePath = getNormalizedAbsolutePath(fileName, host.getCurrentDirectory()); const relativePath = getRelativePathToDirectoryOrUrl( dir, filePath, dir, getCanonicalFileName, /*isAbsolutePathAnUrl*/ false ); const extensionless = removeFileExtension(relativePath); return referencePath ? ensurePathIsNonModuleName(extensionless) : extensionless; } function getOwnEmitOutputFilePath(fileName, host, extension) { const compilerOptions = host.getCompilerOptions(); let emitOutputFilePathWithoutExtension; if (compilerOptions.outDir) { emitOutputFilePathWithoutExtension = removeFileExtension(getSourceFilePathInNewDir(fileName, host, compilerOptions.outDir)); } else { emitOutputFilePathWithoutExtension = removeFileExtension(fileName); } return emitOutputFilePathWithoutExtension + extension; } function getDeclarationEmitOutputFilePath(fileName, host) { return getDeclarationEmitOutputFilePathWorker(fileName, host.getCompilerOptions(), host.getCurrentDirectory(), host.getCommonSourceDirectory(), (f) => host.getCanonicalFileName(f)); } function getDeclarationEmitOutputFilePathWorker(fileName, options, currentDirectory, commonSourceDirectory, getCanonicalFileName) { const outputDir = options.declarationDir || options.outDir; const path17 = outputDir ? getSourceFilePathInNewDirWorker(fileName, outputDir, currentDirectory, commonSourceDirectory, getCanonicalFileName) : fileName; const declarationExtension = getDeclarationEmitExtensionForPath(path17); return removeFileExtension(path17) + declarationExtension; } function getDeclarationEmitExtensionForPath(path17) { return fileExtensionIsOneOf(path17, [ ".mjs", ".mts" /* Mts */ ]) ? ".d.mts" : fileExtensionIsOneOf(path17, [ ".cjs", ".cts" /* Cts */ ]) ? ".d.cts" : fileExtensionIsOneOf(path17, [ ".json" /* Json */ ]) ? `.d.json.ts` : ( // Drive-by redefinition of json declaration file output name so if it's ever enabled, it behaves well ".d.ts" ); } function getPossibleOriginalInputExtensionForExtension(path17) { return fileExtensionIsOneOf(path17, [ ".d.mts", ".mjs", ".mts" /* Mts */ ]) ? [ ".mts", ".mjs" /* Mjs */ ] : fileExtensionIsOneOf(path17, [ ".d.cts", ".cjs", ".cts" /* Cts */ ]) ? [ ".cts", ".cjs" /* Cjs */ ] : fileExtensionIsOneOf(path17, [`.d.json.ts`]) ? [ ".json" /* Json */ ] : [ ".tsx", ".ts", ".jsx", ".js" /* Js */ ]; } function getPathsBasePath(options, host) { var _a; if (!options.paths) return void 0; return options.baseUrl ?? Debug.checkDefined(options.pathsBasePath || ((_a = host.getCurrentDirectory) == null ? void 0 : _a.call(host)), "Encountered 'paths' without a 'baseUrl', config file, or host 'getCurrentDirectory'."); } function getSourceFilesToEmit(host, targetSourceFile, forceDtsEmit) { const options = host.getCompilerOptions(); if (options.outFile) { const moduleKind = getEmitModuleKind(options); const moduleEmitEnabled = options.emitDeclarationOnly || moduleKind === 2 || moduleKind === 4; return filter( host.getSourceFiles(), (sourceFile) => (moduleEmitEnabled || !isExternalModule(sourceFile)) && sourceFileMayBeEmitted(sourceFile, host, forceDtsEmit) ); } else { const sourceFiles = targetSourceFile === void 0 ? host.getSourceFiles() : [targetSourceFile]; return filter( sourceFiles, (sourceFile) => sourceFileMayBeEmitted(sourceFile, host, forceDtsEmit) ); } } function sourceFileMayBeEmitted(sourceFile, host, forceDtsEmit) { const options = host.getCompilerOptions(); if (options.noEmitForJsFiles && isSourceFileJS(sourceFile)) return false; if (sourceFile.isDeclarationFile) return false; if (host.isSourceFileFromExternalLibrary(sourceFile)) return false; if (forceDtsEmit) return true; if (host.isSourceOfProjectReferenceRedirect(sourceFile.fileName)) return false; if (!isJsonSourceFile(sourceFile)) return true; if (host.getResolvedProjectReferenceToRedirect(sourceFile.fileName)) return false; if (options.outFile) return true; if (!options.outDir) return false; if (options.rootDir || options.composite && options.configFilePath) { const commonDir = getNormalizedAbsolutePath(getCommonSourceDirectory(options, () => [], host.getCurrentDirectory(), host.getCanonicalFileName), host.getCurrentDirectory()); const outputPath = getSourceFilePathInNewDirWorker(sourceFile.fileName, options.outDir, host.getCurrentDirectory(), commonDir, host.getCanonicalFileName); if (comparePaths(sourceFile.fileName, outputPath, host.getCurrentDirectory(), !host.useCaseSensitiveFileNames()) === 0) return false; } return true; } function getSourceFilePathInNewDir(fileName, host, newDirPath) { return getSourceFilePathInNewDirWorker(fileName, newDirPath, host.getCurrentDirectory(), host.getCommonSourceDirectory(), (f) => host.getCanonicalFileName(f)); } function getSourceFilePathInNewDirWorker(fileName, newDirPath, currentDirectory, commonSourceDirectory, getCanonicalFileName) { let sourceFilePath = getNormalizedAbsolutePath(fileName, currentDirectory); const isSourceFileInCommonSourceDirectory = getCanonicalFileName(sourceFilePath).indexOf(getCanonicalFileName(commonSourceDirectory)) === 0; sourceFilePath = isSourceFileInCommonSourceDirectory ? sourceFilePath.substring(commonSourceDirectory.length) : sourceFilePath; return combinePaths(newDirPath, sourceFilePath); } function writeFile(host, diagnostics, fileName, text, writeByteOrderMark, sourceFiles, data) { host.writeFile( fileName, text, writeByteOrderMark, (hostErrorMessage) => { diagnostics.add(createCompilerDiagnostic(Diagnostics.Could_not_write_file_0_Colon_1, fileName, hostErrorMessage)); }, sourceFiles, data ); } function ensureDirectoriesExist(directoryPath, createDirectory, directoryExists) { if (directoryPath.length > getRootLength(directoryPath) && !directoryExists(directoryPath)) { const parentDirectory = getDirectoryPath(directoryPath); ensureDirectoriesExist(parentDirectory, createDirectory, directoryExists); createDirectory(directoryPath); } } function writeFileEnsuringDirectories(path17, data, writeByteOrderMark, writeFile2, createDirectory, directoryExists) { try { writeFile2(path17, data, writeByteOrderMark); } catch { ensureDirectoriesExist(getDirectoryPath(normalizePath(path17)), createDirectory, directoryExists); writeFile2(path17, data, writeByteOrderMark); } } function getLineOfLocalPosition(sourceFile, pos) { const lineStarts = getLineStarts(sourceFile); return computeLineOfPosition(lineStarts, pos); } function getLineOfLocalPositionFromLineMap(lineMap, pos) { return computeLineOfPosition(lineMap, pos); } function getFirstConstructorWithBody(node) { return find(node.members, (member) => isConstructorDeclaration(member) && nodeIsPresent(member.body)); } function getSetAccessorValueParameter(accessor) { if (accessor && accessor.parameters.length > 0) { const hasThis = accessor.parameters.length === 2 && parameterIsThisKeyword(accessor.parameters[0]); return accessor.parameters[hasThis ? 1 : 0]; } } function getSetAccessorTypeAnnotationNode(accessor) { const parameter = getSetAccessorValueParameter(accessor); return parameter && parameter.type; } function getThisParameter(signature) { if (signature.parameters.length && !isJSDocSignature(signature)) { const thisParameter = signature.parameters[0]; if (parameterIsThisKeyword(thisParameter)) { return thisParameter; } } } function parameterIsThisKeyword(parameter) { return isThisIdentifier(parameter.name); } function isThisIdentifier(node) { return !!node && node.kind === 80 && identifierIsThisKeyword(node); } function isInTypeQuery(node) { return !!findAncestor( node, (n) => n.kind === 186 ? true : n.kind === 80 || n.kind === 166 ? false : "quit" ); } function isThisInTypeQuery(node) { if (!isThisIdentifier(node)) { return false; } while (isQualifiedName(node.parent) && node.parent.left === node) { node = node.parent; } return node.parent.kind === 186; } function identifierIsThisKeyword(id) { return id.escapedText === "this"; } function getAllAccessorDeclarations(declarations, accessor) { let firstAccessor; let secondAccessor; let getAccessor; let setAccessor; if (hasDynamicName(accessor)) { firstAccessor = accessor; if (accessor.kind === 177) { getAccessor = accessor; } else if (accessor.kind === 178) { setAccessor = accessor; } else { Debug.fail("Accessor has wrong kind"); } } else { forEach(declarations, (member) => { if (isAccessor(member) && isStatic(member) === isStatic(accessor)) { const memberName = getPropertyNameForPropertyNameNode(member.name); const accessorName = getPropertyNameForPropertyNameNode(accessor.name); if (memberName === accessorName) { if (!firstAccessor) { firstAccessor = member; } else if (!secondAccessor) { secondAccessor = member; } if (member.kind === 177 && !getAccessor) { getAccessor = member; } if (member.kind === 178 && !setAccessor) { setAccessor = member; } } } }); } return { firstAccessor, secondAccessor, getAccessor, setAccessor }; } function getEffectiveTypeAnnotationNode(node) { if (!isInJSFile(node) && isFunctionDeclaration(node)) return void 0; if (isTypeAliasDeclaration(node)) return void 0; const type = node.type; if (type || !isInJSFile(node)) return type; return isJSDocPropertyLikeTag(node) ? node.typeExpression && node.typeExpression.type : getJSDocType(node); } function getTypeAnnotationNode(node) { return node.type; } function getEffectiveReturnTypeNode(node) { return isJSDocSignature(node) ? node.type && node.type.typeExpression && node.type.typeExpression.type : node.type || (isInJSFile(node) ? getJSDocReturnType(node) : void 0); } function getJSDocTypeParameterDeclarations(node) { return flatMap(getJSDocTags(node), (tag) => isNonTypeAliasTemplate(tag) ? tag.typeParameters : void 0); } function isNonTypeAliasTemplate(tag) { return isJSDocTemplateTag(tag) && !(tag.parent.kind === 320 && (tag.parent.tags.some(isJSDocTypeAlias) || tag.parent.tags.some(isJSDocOverloadTag))); } function getEffectiveSetAccessorTypeAnnotationNode(node) { const parameter = getSetAccessorValueParameter(node); return parameter && getEffectiveTypeAnnotationNode(parameter); } function emitNewLineBeforeLeadingComments(lineMap, writer, node, leadingComments) { emitNewLineBeforeLeadingCommentsOfPosition(lineMap, writer, node.pos, leadingComments); } function emitNewLineBeforeLeadingCommentsOfPosition(lineMap, writer, pos, leadingComments) { if (leadingComments && leadingComments.length && pos !== leadingComments[0].pos && getLineOfLocalPositionFromLineMap(lineMap, pos) !== getLineOfLocalPositionFromLineMap(lineMap, leadingComments[0].pos)) { writer.writeLine(); } } function emitNewLineBeforeLeadingCommentOfPosition(lineMap, writer, pos, commentPos) { if (pos !== commentPos && getLineOfLocalPositionFromLineMap(lineMap, pos) !== getLineOfLocalPositionFromLineMap(lineMap, commentPos)) { writer.writeLine(); } } function emitComments(text, lineMap, writer, comments, leadingSeparator, trailingSeparator, newLine, writeComment) { if (comments && comments.length > 0) { if (leadingSeparator) { writer.writeSpace(" "); } let emitInterveningSeparator = false; for (const comment of comments) { if (emitInterveningSeparator) { writer.writeSpace(" "); emitInterveningSeparator = false; } writeComment(text, lineMap, writer, comment.pos, comment.end, newLine); if (comment.hasTrailingNewLine) { writer.writeLine(); } else { emitInterveningSeparator = true; } } if (emitInterveningSeparator && trailingSeparator) { writer.writeSpace(" "); } } } function emitDetachedComments(text, lineMap, writer, writeComment, node, newLine, removeComments) { let leadingComments; let currentDetachedCommentInfo; if (removeComments) { if (node.pos === 0) { leadingComments = filter(getLeadingCommentRanges(text, node.pos), isPinnedCommentLocal); } } else { leadingComments = getLeadingCommentRanges(text, node.pos); } if (leadingComments) { const detachedComments = []; let lastComment; for (const comment of leadingComments) { if (lastComment) { const lastCommentLine = getLineOfLocalPositionFromLineMap(lineMap, lastComment.end); const commentLine = getLineOfLocalPositionFromLineMap(lineMap, comment.pos); if (commentLine >= lastCommentLine + 2) { break; } } detachedComments.push(comment); lastComment = comment; } if (detachedComments.length) { const lastCommentLine = getLineOfLocalPositionFromLineMap(lineMap, last(detachedComments).end); const nodeLine = getLineOfLocalPositionFromLineMap(lineMap, skipTrivia(text, node.pos)); if (nodeLine >= lastCommentLine + 2) { emitNewLineBeforeLeadingComments(lineMap, writer, node, leadingComments); emitComments( text, lineMap, writer, detachedComments, /*leadingSeparator*/ false, /*trailingSeparator*/ true, newLine, writeComment ); currentDetachedCommentInfo = { nodePos: node.pos, detachedCommentEndPos: last(detachedComments).end }; } } } return currentDetachedCommentInfo; function isPinnedCommentLocal(comment) { return isPinnedComment(text, comment.pos); } } function writeCommentRange(text, lineMap, writer, commentPos, commentEnd, newLine) { if (text.charCodeAt(commentPos + 1) === 42) { const firstCommentLineAndCharacter = computeLineAndCharacterOfPosition(lineMap, commentPos); const lineCount = lineMap.length; let firstCommentLineIndent; for (let pos = commentPos, currentLine = firstCommentLineAndCharacter.line; pos < commentEnd; currentLine++) { const nextLineStart = currentLine + 1 === lineCount ? text.length + 1 : lineMap[currentLine + 1]; if (pos !== commentPos) { if (firstCommentLineIndent === void 0) { firstCommentLineIndent = calculateIndent(text, lineMap[firstCommentLineAndCharacter.line], commentPos); } const currentWriterIndentSpacing = writer.getIndent() * getIndentSize(); const spacesToEmit = currentWriterIndentSpacing - firstCommentLineIndent + calculateIndent(text, pos, nextLineStart); if (spacesToEmit > 0) { let numberOfSingleSpacesToEmit = spacesToEmit % getIndentSize(); const indentSizeSpaceString = getIndentString2((spacesToEmit - numberOfSingleSpacesToEmit) / getIndentSize()); writer.rawWrite(indentSizeSpaceString); while (numberOfSingleSpacesToEmit) { writer.rawWrite(" "); numberOfSingleSpacesToEmit--; } } else { writer.rawWrite(""); } } writeTrimmedCurrentLine(text, commentEnd, writer, newLine, pos, nextLineStart); pos = nextLineStart; } } else { writer.writeComment(text.substring(commentPos, commentEnd)); } } function writeTrimmedCurrentLine(text, commentEnd, writer, newLine, pos, nextLineStart) { const end = Math.min(commentEnd, nextLineStart - 1); const currentLineText = text.substring(pos, end).trim(); if (currentLineText) { writer.writeComment(currentLineText); if (end !== commentEnd) { writer.writeLine(); } } else { writer.rawWrite(newLine); } } function calculateIndent(text, pos, end) { let currentLineIndent = 0; for (; pos < end && isWhiteSpaceSingleLine(text.charCodeAt(pos)); pos++) { if (text.charCodeAt(pos) === 9) { currentLineIndent += getIndentSize() - currentLineIndent % getIndentSize(); } else { currentLineIndent++; } } return currentLineIndent; } function hasEffectiveModifiers(node) { return getEffectiveModifierFlags(node) !== 0; } function hasSyntacticModifiers(node) { return getSyntacticModifierFlags(node) !== 0; } function hasEffectiveModifier(node, flags) { return !!getSelectedEffectiveModifierFlags(node, flags); } function hasSyntacticModifier(node, flags) { return !!getSelectedSyntacticModifierFlags(node, flags); } function isStatic(node) { return isClassElement(node) && hasStaticModifier(node) || isClassStaticBlockDeclaration(node); } function hasStaticModifier(node) { return hasSyntacticModifier( node, 256 /* Static */ ); } function hasOverrideModifier(node) { return hasEffectiveModifier( node, 16 /* Override */ ); } function hasAbstractModifier(node) { return hasSyntacticModifier( node, 64 /* Abstract */ ); } function hasAmbientModifier(node) { return hasSyntacticModifier( node, 128 /* Ambient */ ); } function hasAccessorModifier(node) { return hasSyntacticModifier( node, 512 /* Accessor */ ); } function hasEffectiveReadonlyModifier(node) { return hasEffectiveModifier( node, 8 /* Readonly */ ); } function hasDecorators(node) { return hasSyntacticModifier( node, 32768 /* Decorator */ ); } function getSelectedEffectiveModifierFlags(node, flags) { return getEffectiveModifierFlags(node) & flags; } function getSelectedSyntacticModifierFlags(node, flags) { return getSyntacticModifierFlags(node) & flags; } function getModifierFlagsWorker(node, includeJSDoc, alwaysIncludeJSDoc) { if (node.kind >= 0 && node.kind <= 165) { return 0; } if (!(node.modifierFlagsCache & 536870912)) { node.modifierFlagsCache = getSyntacticModifierFlagsNoCache(node) | 536870912; } if (alwaysIncludeJSDoc || includeJSDoc && isInJSFile(node)) { if (!(node.modifierFlagsCache & 268435456) && node.parent) { node.modifierFlagsCache |= getRawJSDocModifierFlagsNoCache(node) | 268435456; } return selectEffectiveModifierFlags(node.modifierFlagsCache); } return selectSyntacticModifierFlags(node.modifierFlagsCache); } function getEffectiveModifierFlags(node) { return getModifierFlagsWorker( node, /*includeJSDoc*/ true ); } function getEffectiveModifierFlagsAlwaysIncludeJSDoc(node) { return getModifierFlagsWorker( node, /*includeJSDoc*/ true, /*alwaysIncludeJSDoc*/ true ); } function getSyntacticModifierFlags(node) { return getModifierFlagsWorker( node, /*includeJSDoc*/ false ); } function getRawJSDocModifierFlagsNoCache(node) { let flags = 0; if (!!node.parent && !isParameter(node)) { if (isInJSFile(node)) { if (getJSDocPublicTagNoCache(node)) flags |= 8388608; if (getJSDocPrivateTagNoCache(node)) flags |= 16777216; if (getJSDocProtectedTagNoCache(node)) flags |= 33554432; if (getJSDocReadonlyTagNoCache(node)) flags |= 67108864; if (getJSDocOverrideTagNoCache(node)) flags |= 134217728; } if (getJSDocDeprecatedTagNoCache(node)) flags |= 65536; } return flags; } function selectSyntacticModifierFlags(flags) { return flags & 65535; } function selectEffectiveModifierFlags(flags) { return flags & 131071 | (flags & 260046848) >>> 23; } function getJSDocModifierFlagsNoCache(node) { return selectEffectiveModifierFlags(getRawJSDocModifierFlagsNoCache(node)); } function getEffectiveModifierFlagsNoCache(node) { return getSyntacticModifierFlagsNoCache(node) | getJSDocModifierFlagsNoCache(node); } function getSyntacticModifierFlagsNoCache(node) { let flags = canHaveModifiers(node) ? modifiersToFlags(node.modifiers) : 0; if (node.flags & 8 || node.kind === 80 && node.flags & 4096) { flags |= 32; } return flags; } function modifiersToFlags(modifiers) { let flags = 0; if (modifiers) { for (const modifier of modifiers) { flags |= modifierToFlag(modifier.kind); } } return flags; } function modifierToFlag(token) { switch (token) { case 126: return 256; case 125: return 1; case 124: return 4; case 123: return 2; case 128: return 64; case 129: return 512; case 95: return 32; case 138: return 128; case 87: return 4096; case 90: return 2048; case 134: return 1024; case 148: return 8; case 164: return 16; case 103: return 8192; case 147: return 16384; case 170: return 32768; } return 0; } function isBinaryLogicalOperator(token) { return token === 57 || token === 56; } function isLogicalOperator(token) { return isBinaryLogicalOperator(token) || token === 54; } function isLogicalOrCoalescingAssignmentOperator(token) { return token === 76 || token === 77 || token === 78; } function isLogicalOrCoalescingAssignmentExpression(expr) { return isBinaryExpression(expr) && isLogicalOrCoalescingAssignmentOperator(expr.operatorToken.kind); } function isLogicalOrCoalescingBinaryOperator(token) { return isBinaryLogicalOperator(token) || token === 61; } function isLogicalOrCoalescingBinaryExpression(expr) { return isBinaryExpression(expr) && isLogicalOrCoalescingBinaryOperator(expr.operatorToken.kind); } function isAssignmentOperator(token) { return token >= 64 && token <= 79; } function tryGetClassExtendingExpressionWithTypeArguments(node) { const cls = tryGetClassImplementingOrExtendingExpressionWithTypeArguments(node); return cls && !cls.isImplements ? cls.class : void 0; } function tryGetClassImplementingOrExtendingExpressionWithTypeArguments(node) { if (isExpressionWithTypeArguments(node)) { if (isHeritageClause(node.parent) && isClassLike(node.parent.parent)) { return { class: node.parent.parent, isImplements: node.parent.token === 119 /* ImplementsKeyword */ }; } if (isJSDocAugmentsTag(node.parent)) { const host = getEffectiveJSDocHost(node.parent); if (host && isClassLike(host)) { return { class: host, isImplements: false }; } } } return void 0; } function isAssignmentExpression2(node, excludeCompoundAssignment) { return isBinaryExpression(node) && (excludeCompoundAssignment ? node.operatorToken.kind === 64 : isAssignmentOperator(node.operatorToken.kind)) && isLeftHandSideExpression(node.left); } function isLeftHandSideOfAssignment(node) { return isAssignmentExpression2(node.parent) && node.parent.left === node; } function isDestructuringAssignment(node) { if (isAssignmentExpression2( node, /*excludeCompoundAssignment*/ true )) { const kind = node.left.kind; return kind === 210 || kind === 209; } return false; } function isExpressionWithTypeArgumentsInClassExtendsClause(node) { return tryGetClassExtendingExpressionWithTypeArguments(node) !== void 0; } function isEntityNameExpression(node) { return node.kind === 80 || isPropertyAccessEntityNameExpression(node); } function getFirstIdentifier(node) { switch (node.kind) { case 80: return node; case 166: do { node = node.left; } while (node.kind !== 80); return node; case 211: do { node = node.expression; } while (node.kind !== 80); return node; } } function isDottedName(node) { return node.kind === 80 || node.kind === 110 || node.kind === 108 || node.kind === 236 || node.kind === 211 && isDottedName(node.expression) || node.kind === 217 && isDottedName(node.expression); } function isPropertyAccessEntityNameExpression(node) { return isPropertyAccessExpression(node) && isIdentifier(node.name) && isEntityNameExpression(node.expression); } function tryGetPropertyAccessOrIdentifierToString(expr) { if (isPropertyAccessExpression(expr)) { const baseStr = tryGetPropertyAccessOrIdentifierToString(expr.expression); if (baseStr !== void 0) { return baseStr + "." + entityNameToString(expr.name); } } else if (isElementAccessExpression(expr)) { const baseStr = tryGetPropertyAccessOrIdentifierToString(expr.expression); if (baseStr !== void 0 && isPropertyName(expr.argumentExpression)) { return baseStr + "." + getPropertyNameForPropertyNameNode(expr.argumentExpression); } } else if (isIdentifier(expr)) { return unescapeLeadingUnderscores(expr.escapedText); } else if (isJsxNamespacedName(expr)) { return getTextOfJsxNamespacedName(expr); } return void 0; } function isPrototypeAccess(node) { return isBindableStaticAccessExpression(node) && getElementOrPropertyAccessName(node) === "prototype"; } function isRightSideOfQualifiedNameOrPropertyAccess(node) { return node.parent.kind === 166 && node.parent.right === node || node.parent.kind === 211 && node.parent.name === node || node.parent.kind === 236 && node.parent.name === node; } function isRightSideOfAccessExpression(node) { return !!node.parent && (isPropertyAccessExpression(node.parent) && node.parent.name === node || isElementAccessExpression(node.parent) && node.parent.argumentExpression === node); } function isRightSideOfQualifiedNameOrPropertyAccessOrJSDocMemberName(node) { return isQualifiedName(node.parent) && node.parent.right === node || isPropertyAccessExpression(node.parent) && node.parent.name === node || isJSDocMemberName(node.parent) && node.parent.right === node; } function isInstanceOfExpression(node) { return isBinaryExpression(node) && node.operatorToken.kind === 104; } function isRightSideOfInstanceofExpression(node) { return isInstanceOfExpression(node.parent) && node === node.parent.right; } function isEmptyObjectLiteral(expression) { return expression.kind === 210 && expression.properties.length === 0; } function isEmptyArrayLiteral(expression) { return expression.kind === 209 && expression.elements.length === 0; } function getLocalSymbolForExportDefault(symbol) { if (!isExportDefaultSymbol(symbol) || !symbol.declarations) return void 0; for (const decl of symbol.declarations) { if (decl.localSymbol) return decl.localSymbol; } return void 0; } function isExportDefaultSymbol(symbol) { return symbol && length(symbol.declarations) > 0 && hasSyntacticModifier( symbol.declarations[0], 2048 /* Default */ ); } function tryExtractTSExtension(fileName) { return find(supportedTSExtensionsForExtractExtension, (extension) => fileExtensionIs(fileName, extension)); } function getExpandedCharCodes(input) { const output = []; const length2 = input.length; for (let i = 0; i < length2; i++) { const charCode = input.charCodeAt(i); if (charCode < 128) { output.push(charCode); } else if (charCode < 2048) { output.push(charCode >> 6 | 192); output.push(charCode & 63 | 128); } else if (charCode < 65536) { output.push(charCode >> 12 | 224); output.push(charCode >> 6 & 63 | 128); output.push(charCode & 63 | 128); } else if (charCode < 131072) { output.push(charCode >> 18 | 240); output.push(charCode >> 12 & 63 | 128); output.push(charCode >> 6 & 63 | 128); output.push(charCode & 63 | 128); } else { Debug.assert(false, "Unexpected code point"); } } return output; } var base64Digits = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/="; function convertToBase64(input) { let result = ""; const charCodes = getExpandedCharCodes(input); let i = 0; const length2 = charCodes.length; let byte1, byte2, byte3, byte4; while (i < length2) { byte1 = charCodes[i] >> 2; byte2 = (charCodes[i] & 3) << 4 | charCodes[i + 1] >> 4; byte3 = (charCodes[i + 1] & 15) << 2 | charCodes[i + 2] >> 6; byte4 = charCodes[i + 2] & 63; if (i + 1 >= length2) { byte3 = byte4 = 64; } else if (i + 2 >= length2) { byte4 = 64; } result += base64Digits.charAt(byte1) + base64Digits.charAt(byte2) + base64Digits.charAt(byte3) + base64Digits.charAt(byte4); i += 3; } return result; } function getStringFromExpandedCharCodes(codes) { let output = ""; let i = 0; const length2 = codes.length; while (i < length2) { const charCode = codes[i]; if (charCode < 128) { output += String.fromCharCode(charCode); i++; } else if ((charCode & 192) === 192) { let value = charCode & 63; i++; let nextCode = codes[i]; while ((nextCode & 192) === 128) { value = value << 6 | nextCode & 63; i++; nextCode = codes[i]; } output += String.fromCharCode(value); } else { output += String.fromCharCode(charCode); i++; } } return output; } function base64encode(host, input) { if (host && host.base64encode) { return host.base64encode(input); } return convertToBase64(input); } function base64decode(host, input) { if (host && host.base64decode) { return host.base64decode(input); } const length2 = input.length; const expandedCharCodes = []; let i = 0; while (i < length2) { if (input.charCodeAt(i) === base64Digits.charCodeAt(64)) { break; } const ch1 = base64Digits.indexOf(input[i]); const ch2 = base64Digits.indexOf(input[i + 1]); const ch3 = base64Digits.indexOf(input[i + 2]); const ch4 = base64Digits.indexOf(input[i + 3]); const code1 = (ch1 & 63) << 2 | ch2 >> 4 & 3; const code2 = (ch2 & 15) << 4 | ch3 >> 2 & 15; const code3 = (ch3 & 3) << 6 | ch4 & 63; if (code2 === 0 && ch3 !== 0) { expandedCharCodes.push(code1); } else if (code3 === 0 && ch4 !== 0) { expandedCharCodes.push(code1, code2); } else { expandedCharCodes.push(code1, code2, code3); } i += 4; } return getStringFromExpandedCharCodes(expandedCharCodes); } function readJsonOrUndefined(path17, hostOrText) { const jsonText = isString2(hostOrText) ? hostOrText : hostOrText.readFile(path17); if (!jsonText) return void 0; const result = parseConfigFileTextToJson(path17, jsonText); return !result.error ? result.config : void 0; } function readJson(path17, host) { return readJsonOrUndefined(path17, host) || {}; } function tryParseJson(text) { try { return JSON.parse(text); } catch { return void 0; } } function directoryProbablyExists(directoryName, host) { return !host.directoryExists || host.directoryExists(directoryName); } var carriageReturnLineFeed = "\r\n"; var lineFeed = "\n"; function getNewLineCharacter(options) { switch (options.newLine) { case 0: return carriageReturnLineFeed; case 1: case void 0: return lineFeed; } } function createRange(pos, end = pos) { Debug.assert(end >= pos || end === -1); return { pos, end }; } function moveRangeEnd(range, end) { return createRange(range.pos, end); } function moveRangePos(range, pos) { return createRange(pos, range.end); } function moveRangePastDecorators(node) { const lastDecorator = canHaveModifiers(node) ? findLast(node.modifiers, isDecorator) : void 0; return lastDecorator && !positionIsSynthesized(lastDecorator.end) ? moveRangePos(node, lastDecorator.end) : node; } function moveRangePastModifiers(node) { if (isPropertyDeclaration(node) || isMethodDeclaration(node)) { return moveRangePos(node, node.name.pos); } const lastModifier = canHaveModifiers(node) ? lastOrUndefined(node.modifiers) : void 0; return lastModifier && !positionIsSynthesized(lastModifier.end) ? moveRangePos(node, lastModifier.end) : moveRangePastDecorators(node); } function isCollapsedRange(range) { return range.pos === range.end; } function createTokenRange(pos, token) { return createRange(pos, pos + tokenToString(token).length); } function rangeIsOnSingleLine(range, sourceFile) { return rangeStartIsOnSameLineAsRangeEnd(range, range, sourceFile); } function rangeStartPositionsAreOnSameLine(range1, range2, sourceFile) { return positionsAreOnSameLine( getStartPositionOfRange( range1, sourceFile, /*includeComments*/ false ), getStartPositionOfRange( range2, sourceFile, /*includeComments*/ false ), sourceFile ); } function rangeEndPositionsAreOnSameLine(range1, range2, sourceFile) { return positionsAreOnSameLine(range1.end, range2.end, sourceFile); } function rangeStartIsOnSameLineAsRangeEnd(range1, range2, sourceFile) { return positionsAreOnSameLine(getStartPositionOfRange( range1, sourceFile, /*includeComments*/ false ), range2.end, sourceFile); } function rangeEndIsOnSameLineAsRangeStart(range1, range2, sourceFile) { return positionsAreOnSameLine(range1.end, getStartPositionOfRange( range2, sourceFile, /*includeComments*/ false ), sourceFile); } function getLinesBetweenRangeEndAndRangeStart(range1, range2, sourceFile, includeSecondRangeComments) { const range2Start = getStartPositionOfRange(range2, sourceFile, includeSecondRangeComments); return getLinesBetweenPositions(sourceFile, range1.end, range2Start); } function getLinesBetweenRangeEndPositions(range1, range2, sourceFile) { return getLinesBetweenPositions(sourceFile, range1.end, range2.end); } function isNodeArrayMultiLine(list, sourceFile) { return !positionsAreOnSameLine(list.pos, list.end, sourceFile); } function positionsAreOnSameLine(pos1, pos2, sourceFile) { return getLinesBetweenPositions(sourceFile, pos1, pos2) === 0; } function getStartPositionOfRange(range, sourceFile, includeComments) { return positionIsSynthesized(range.pos) ? -1 : skipTrivia( sourceFile.text, range.pos, /*stopAfterLineBreak*/ false, includeComments ); } function getLinesBetweenPositionAndPrecedingNonWhitespaceCharacter(pos, stopPos, sourceFile, includeComments) { const startPos = skipTrivia( sourceFile.text, pos, /*stopAfterLineBreak*/ false, includeComments ); const prevPos = getPreviousNonWhitespacePosition(startPos, stopPos, sourceFile); return getLinesBetweenPositions(sourceFile, prevPos ?? stopPos, startPos); } function getLinesBetweenPositionAndNextNonWhitespaceCharacter(pos, stopPos, sourceFile, includeComments) { const nextPos = skipTrivia( sourceFile.text, pos, /*stopAfterLineBreak*/ false, includeComments ); return getLinesBetweenPositions(sourceFile, pos, Math.min(stopPos, nextPos)); } function getPreviousNonWhitespacePosition(pos, stopPos = 0, sourceFile) { while (pos-- > stopPos) { if (!isWhiteSpaceLike(sourceFile.text.charCodeAt(pos))) { return pos; } } } function isDeclarationNameOfEnumOrNamespace(node) { const parseNode = getParseTreeNode(node); if (parseNode) { switch (parseNode.parent.kind) { case 266: case 267: return parseNode === parseNode.parent.name; } } return false; } function getInitializedVariables(node) { return filter(node.declarations, isInitializedVariable); } function isInitializedVariable(node) { return isVariableDeclaration(node) && node.initializer !== void 0; } function isWatchSet(options) { return options.watch && hasProperty(options, "watch"); } function closeFileWatcher(watcher) { watcher.close(); } function getCheckFlags(symbol) { return symbol.flags & 33554432 ? symbol.links.checkFlags : 0; } function getDeclarationModifierFlagsFromSymbol(s, isWrite = false) { if (s.valueDeclaration) { const declaration = isWrite && s.declarations && find(s.declarations, isSetAccessorDeclaration) || s.flags & 32768 && find(s.declarations, isGetAccessorDeclaration) || s.valueDeclaration; const flags = getCombinedModifierFlags(declaration); return s.parent && s.parent.flags & 32 ? flags : flags & ~7; } if (getCheckFlags(s) & 6) { const checkFlags = s.links.checkFlags; const accessModifier = checkFlags & 1024 ? 2 : checkFlags & 256 ? 1 : 4; const staticModifier = checkFlags & 2048 ? 256 : 0; return accessModifier | staticModifier; } if (s.flags & 4194304) { return 1 | 256; } return 0; } function skipAlias(symbol, checker) { return symbol.flags & 2097152 ? checker.getAliasedSymbol(symbol) : symbol; } function getCombinedLocalAndExportSymbolFlags(symbol) { return symbol.exportSymbol ? symbol.exportSymbol.flags | symbol.flags : symbol.flags; } function isWriteOnlyAccess(node) { return accessKind(node) === 1; } function isWriteAccess(node) { return accessKind(node) !== 0; } function accessKind(node) { const { parent: parent2 } = node; switch (parent2 == null ? void 0 : parent2.kind) { case 217: return accessKind(parent2); case 225: case 224: const { operator } = parent2; return operator === 46 || operator === 47 ? 2 : 0; case 226: const { left, operatorToken } = parent2; return left === node && isAssignmentOperator(operatorToken.kind) ? operatorToken.kind === 64 ? 1 : 2 : 0; case 211: return parent2.name !== node ? 0 : accessKind(parent2); case 303: { const parentAccess = accessKind(parent2.parent); return node === parent2.name ? reverseAccessKind(parentAccess) : parentAccess; } case 304: return node === parent2.objectAssignmentInitializer ? 0 : accessKind(parent2.parent); case 209: return accessKind(parent2); default: return 0; } } function reverseAccessKind(a) { switch (a) { case 0: return 1; case 1: return 0; case 2: return 2; default: return Debug.assertNever(a); } } function compareDataObjects(dst, src) { if (!dst || !src || Object.keys(dst).length !== Object.keys(src).length) { return false; } for (const e in dst) { if (typeof dst[e] === "object") { if (!compareDataObjects(dst[e], src[e])) { return false; } } else if (typeof dst[e] !== "function") { if (dst[e] !== src[e]) { return false; } } } return true; } function clearMap(map2, onDeleteValue) { map2.forEach(onDeleteValue); map2.clear(); } function mutateMapSkippingNewValues(map2, newMap, options) { const { onDeleteValue, onExistingValue } = options; map2.forEach((existingValue, key) => { var _a; if (!(newMap == null ? void 0 : newMap.has(key))) { map2.delete(key); onDeleteValue(existingValue, key); } else if (onExistingValue) { onExistingValue(existingValue, (_a = newMap.get) == null ? void 0 : _a.call(newMap, key), key); } }); } function mutateMap(map2, newMap, options) { mutateMapSkippingNewValues(map2, newMap, options); const { createNewValue } = options; newMap == null ? void 0 : newMap.forEach((valueInNewMap, key) => { if (!map2.has(key)) { map2.set(key, createNewValue(key, valueInNewMap)); } }); } function isAbstractConstructorSymbol(symbol) { if (symbol.flags & 32) { const declaration = getClassLikeDeclarationOfSymbol(symbol); return !!declaration && hasSyntacticModifier( declaration, 64 /* Abstract */ ); } return false; } function getClassLikeDeclarationOfSymbol(symbol) { var _a; return (_a = symbol.declarations) == null ? void 0 : _a.find(isClassLike); } function getObjectFlags(type) { return type.flags & 3899393 ? type.objectFlags : 0; } function forSomeAncestorDirectory(directory, callback) { return !!forEachAncestorDirectory(directory, (d) => callback(d) ? true : void 0); } function isUMDExportSymbol(symbol) { return !!symbol && !!symbol.declarations && !!symbol.declarations[0] && isNamespaceExportDeclaration(symbol.declarations[0]); } function showModuleSpecifier({ moduleSpecifier }) { return isStringLiteral2(moduleSpecifier) ? moduleSpecifier.text : getTextOfNode(moduleSpecifier); } function getLastChild(node) { let lastChild; forEachChild(node, (child) => { if (nodeIsPresent(child)) lastChild = child; }, (children) => { for (let i = children.length - 1; i >= 0; i--) { if (nodeIsPresent(children[i])) { lastChild = children[i]; break; } } }); return lastChild; } function addToSeen(seen, key, value = true) { if (seen.has(key)) { return false; } seen.set(key, value); return true; } function isObjectTypeDeclaration(node) { return isClassLike(node) || isInterfaceDeclaration(node) || isTypeLiteralNode(node); } function isTypeNodeKind(kind) { return kind >= 182 && kind <= 205 || kind === 133 || kind === 159 || kind === 150 || kind === 163 || kind === 151 || kind === 136 || kind === 154 || kind === 155 || kind === 116 || kind === 157 || kind === 146 || kind === 141 || kind === 233 || kind === 312 || kind === 313 || kind === 314 || kind === 315 || kind === 316 || kind === 317 || kind === 318; } function isAccessExpression(node) { return node.kind === 211 || node.kind === 212; } function getNameOfAccessExpression(node) { if (node.kind === 211) { return node.name; } Debug.assert( node.kind === 212 /* ElementAccessExpression */ ); return node.argumentExpression; } function isNamedImportsOrExports(node) { return node.kind === 275 || node.kind === 279; } function getLeftmostAccessExpression(expr) { while (isAccessExpression(expr)) { expr = expr.expression; } return expr; } function forEachNameInAccessChainWalkingLeft(name, action) { if (isAccessExpression(name.parent) && isRightSideOfAccessExpression(name)) { return walkAccessExpression(name.parent); } function walkAccessExpression(access) { if (access.kind === 211) { const res = action(access.name); if (res !== void 0) { return res; } } else if (access.kind === 212) { if (isIdentifier(access.argumentExpression) || isStringLiteralLike(access.argumentExpression)) { const res = action(access.argumentExpression); if (res !== void 0) { return res; } } else { return void 0; } } if (isAccessExpression(access.expression)) { return walkAccessExpression(access.expression); } if (isIdentifier(access.expression)) { return action(access.expression); } return void 0; } } function getLeftmostExpression(node, stopAtCallExpressions) { while (true) { switch (node.kind) { case 225: node = node.operand; continue; case 226: node = node.left; continue; case 227: node = node.condition; continue; case 215: node = node.tag; continue; case 213: if (stopAtCallExpressions) { return node; } case 234: case 212: case 211: case 235: case 354: case 238: node = node.expression; continue; } return node; } } function Symbol4(flags, name) { this.flags = flags; this.escapedName = name; this.declarations = void 0; this.valueDeclaration = void 0; this.id = 0; this.mergeId = 0; this.parent = void 0; this.members = void 0; this.exports = void 0; this.exportSymbol = void 0; this.constEnumOnlyModule = void 0; this.isReferenced = void 0; this.lastAssignmentPos = void 0; this.links = void 0; } function Type3(checker, flags) { this.flags = flags; if (Debug.isDebugging || tracing) { this.checker = checker; } } function Signature2(checker, flags) { this.flags = flags; if (Debug.isDebugging) { this.checker = checker; } } function Node4(kind, pos, end) { this.pos = pos; this.end = end; this.kind = kind; this.id = 0; this.flags = 0; this.modifierFlagsCache = 0; this.transformFlags = 0; this.parent = void 0; this.original = void 0; this.emitNode = void 0; } function Token(kind, pos, end) { this.pos = pos; this.end = end; this.kind = kind; this.id = 0; this.flags = 0; this.transformFlags = 0; this.parent = void 0; this.emitNode = void 0; } function Identifier2(kind, pos, end) { this.pos = pos; this.end = end; this.kind = kind; this.id = 0; this.flags = 0; this.transformFlags = 0; this.parent = void 0; this.original = void 0; this.emitNode = void 0; } function SourceMapSource(fileName, text, skipTrivia2) { this.fileName = fileName; this.text = text; this.skipTrivia = skipTrivia2 || ((pos) => pos); } var objectAllocator = { getNodeConstructor: () => Node4, getTokenConstructor: () => Token, getIdentifierConstructor: () => Identifier2, getPrivateIdentifierConstructor: () => Node4, getSourceFileConstructor: () => Node4, getSymbolConstructor: () => Symbol4, getTypeConstructor: () => Type3, getSignatureConstructor: () => Signature2, getSourceMapSourceConstructor: () => SourceMapSource }; var objectAllocatorPatchers = []; function addObjectAllocatorPatcher(fn) { objectAllocatorPatchers.push(fn); fn(objectAllocator); } function setObjectAllocator(alloc) { Object.assign(objectAllocator, alloc); forEach(objectAllocatorPatchers, (fn) => fn(objectAllocator)); } function formatStringFromArgs(text, args) { return text.replace(/{(\d+)}/g, (_match, index) => "" + Debug.checkDefined(args[+index])); } var localizedDiagnosticMessages; function setLocalizedDiagnosticMessages(messages116) { localizedDiagnosticMessages = messages116; } function maybeSetLocalizedDiagnosticMessages(getMessages) { if (!localizedDiagnosticMessages && getMessages) { localizedDiagnosticMessages = getMessages(); } } function getLocaleSpecificMessage(message) { return localizedDiagnosticMessages && localizedDiagnosticMessages[message.key] || message.message; } function createDetachedDiagnostic(fileName, sourceText, start, length2, message, ...args) { if (start + length2 > sourceText.length) { length2 = sourceText.length - start; } assertDiagnosticLocation(sourceText, start, length2); let text = getLocaleSpecificMessage(message); if (some(args)) { text = formatStringFromArgs(text, args); } return { file: void 0, start, length: length2, messageText: text, category: message.category, code: message.code, reportsUnnecessary: message.reportsUnnecessary, fileName }; } function isDiagnosticWithDetachedLocation(diagnostic) { return diagnostic.file === void 0 && diagnostic.start !== void 0 && diagnostic.length !== void 0 && typeof diagnostic.fileName === "string"; } function attachFileToDiagnostic(diagnostic, file) { const fileName = file.fileName || ""; const length2 = file.text.length; Debug.assertEqual(diagnostic.fileName, fileName); Debug.assertLessThanOrEqual(diagnostic.start, length2); Debug.assertLessThanOrEqual(diagnostic.start + diagnostic.length, length2); const diagnosticWithLocation = { file, start: diagnostic.start, length: diagnostic.length, messageText: diagnostic.messageText, category: diagnostic.category, code: diagnostic.code, reportsUnnecessary: diagnostic.reportsUnnecessary }; if (diagnostic.relatedInformation) { diagnosticWithLocation.relatedInformation = []; for (const related of diagnostic.relatedInformation) { if (isDiagnosticWithDetachedLocation(related) && related.fileName === fileName) { Debug.assertLessThanOrEqual(related.start, length2); Debug.assertLessThanOrEqual(related.start + related.length, length2); diagnosticWithLocation.relatedInformation.push(attachFileToDiagnostic(related, file)); } else { diagnosticWithLocation.relatedInformation.push(related); } } } return diagnosticWithLocation; } function attachFileToDiagnostics(diagnostics, file) { const diagnosticsWithLocation = []; for (const diagnostic of diagnostics) { diagnosticsWithLocation.push(attachFileToDiagnostic(diagnostic, file)); } return diagnosticsWithLocation; } function createFileDiagnostic(file, start, length2, message, ...args) { assertDiagnosticLocation(file.text, start, length2); let text = getLocaleSpecificMessage(message); if (some(args)) { text = formatStringFromArgs(text, args); } return { file, start, length: length2, messageText: text, category: message.category, code: message.code, reportsUnnecessary: message.reportsUnnecessary, reportsDeprecated: message.reportsDeprecated }; } function formatMessage(message, ...args) { let text = getLocaleSpecificMessage(message); if (some(args)) { text = formatStringFromArgs(text, args); } return text; } function createCompilerDiagnostic(message, ...args) { let text = getLocaleSpecificMessage(message); if (some(args)) { text = formatStringFromArgs(text, args); } return { file: void 0, start: void 0, length: void 0, messageText: text, category: message.category, code: message.code, reportsUnnecessary: message.reportsUnnecessary, reportsDeprecated: message.reportsDeprecated }; } function createCompilerDiagnosticFromMessageChain(chain, relatedInformation) { return { file: void 0, start: void 0, length: void 0, code: chain.code, category: chain.category, messageText: chain.next ? chain : chain.messageText, relatedInformation }; } function chainDiagnosticMessages(details, message, ...args) { let text = getLocaleSpecificMessage(message); if (some(args)) { text = formatStringFromArgs(text, args); } return { messageText: text, category: message.category, code: message.code, next: details === void 0 || Array.isArray(details) ? details : [details] }; } function concatenateDiagnosticMessageChains(headChain, tailChain) { let lastChain = headChain; while (lastChain.next) { lastChain = lastChain.next[0]; } lastChain.next = [tailChain]; } function getDiagnosticFilePath(diagnostic) { return diagnostic.file ? diagnostic.file.path : void 0; } function compareDiagnostics(d1, d2) { return compareDiagnosticsSkipRelatedInformation(d1, d2) || compareRelatedInformation(d1, d2) || 0; } function compareDiagnosticsSkipRelatedInformation(d1, d2) { const code1 = getDiagnosticCode(d1); const code2 = getDiagnosticCode(d2); return compareStringsCaseSensitive(getDiagnosticFilePath(d1), getDiagnosticFilePath(d2)) || compareValues(d1.start, d2.start) || compareValues(d1.length, d2.length) || compareValues(code1, code2) || compareMessageText(d1, d2) || 0; } function compareRelatedInformation(d1, d2) { if (!d1.relatedInformation && !d2.relatedInformation) { return 0; } if (d1.relatedInformation && d2.relatedInformation) { return compareValues(d2.relatedInformation.length, d1.relatedInformation.length) || forEach(d1.relatedInformation, (d1i, index) => { const d2i = d2.relatedInformation[index]; return compareDiagnostics(d1i, d2i); }) || 0; } return d1.relatedInformation ? -1 : 1; } function compareMessageText(d1, d2) { let headMsg1 = getDiagnosticMessage(d1); let headMsg2 = getDiagnosticMessage(d2); if (typeof headMsg1 !== "string") { headMsg1 = headMsg1.messageText; } if (typeof headMsg2 !== "string") { headMsg2 = headMsg2.messageText; } const chain1 = typeof d1.messageText !== "string" ? d1.messageText.next : void 0; const chain2 = typeof d2.messageText !== "string" ? d2.messageText.next : void 0; let res = compareStringsCaseSensitive(headMsg1, headMsg2); if (res) { return res; } res = compareMessageChain(chain1, chain2); if (res) { return res; } if (d1.canonicalHead && !d2.canonicalHead) { return -1; } if (d2.canonicalHead && !d1.canonicalHead) { return 1; } return 0; } function compareMessageChain(c1, c2) { if (c1 === void 0 && c2 === void 0) { return 0; } if (c1 === void 0) { return 1; } if (c2 === void 0) { return -1; } return compareMessageChainSize(c1, c2) || compareMessageChainContent(c1, c2); } function compareMessageChainSize(c1, c2) { if (c1 === void 0 && c2 === void 0) { return 0; } if (c1 === void 0) { return 1; } if (c2 === void 0) { return -1; } let res = compareValues(c2.length, c1.length); if (res) { return res; } for (let i = 0; i < c2.length; i++) { res = compareMessageChainSize(c1[i].next, c2[i].next); if (res) { return res; } } return 0; } function compareMessageChainContent(c1, c2) { let res; for (let i = 0; i < c2.length; i++) { res = compareStringsCaseSensitive(c1[i].messageText, c2[i].messageText); if (res) { return res; } if (c1[i].next === void 0) { continue; } res = compareMessageChainContent(c1[i].next, c2[i].next); if (res) { return res; } } return 0; } function diagnosticsEqualityComparer(d1, d2) { const code1 = getDiagnosticCode(d1); const code2 = getDiagnosticCode(d2); const msg1 = getDiagnosticMessage(d1); const msg2 = getDiagnosticMessage(d2); return compareStringsCaseSensitive(getDiagnosticFilePath(d1), getDiagnosticFilePath(d2)) === 0 && compareValues(d1.start, d2.start) === 0 && compareValues(d1.length, d2.length) === 0 && compareValues(code1, code2) === 0 && messageTextEqualityComparer(msg1, msg2); } function getDiagnosticCode(d) { var _a; return ((_a = d.canonicalHead) == null ? void 0 : _a.code) || d.code; } function getDiagnosticMessage(d) { var _a; return ((_a = d.canonicalHead) == null ? void 0 : _a.messageText) || d.messageText; } function messageTextEqualityComparer(m1, m2) { const t1 = typeof m1 === "string" ? m1 : m1.messageText; const t2 = typeof m2 === "string" ? m2 : m2.messageText; return compareStringsCaseSensitive(t1, t2) === 0; } function getLanguageVariant(scriptKind) { return scriptKind === 4 || scriptKind === 2 || scriptKind === 1 || scriptKind === 6 ? 1 : 0; } function walkTreeForJSXTags(node) { if (!(node.transformFlags & 2)) return void 0; return isJsxOpeningLikeElement(node) || isJsxFragment(node) ? node : forEachChild(node, walkTreeForJSXTags); } function isFileModuleFromUsingJSXTag(file) { return !file.isDeclarationFile ? walkTreeForJSXTags(file) : void 0; } function isFileForcedToBeModuleByFormat(file) { return (file.impliedNodeFormat === 99 || fileExtensionIsOneOf(file.fileName, [ ".cjs", ".cts", ".mjs", ".mts" /* Mts */ ])) && !file.isDeclarationFile ? true : void 0; } function getSetExternalModuleIndicator(options) { switch (getEmitModuleDetectionKind(options)) { case 3: return (file) => { file.externalModuleIndicator = isFileProbablyExternalModule(file) || !file.isDeclarationFile || void 0; }; case 1: return (file) => { file.externalModuleIndicator = isFileProbablyExternalModule(file); }; case 2: const checks = [isFileProbablyExternalModule]; if (options.jsx === 4 || options.jsx === 5) { checks.push(isFileModuleFromUsingJSXTag); } checks.push(isFileForcedToBeModuleByFormat); const combined = or(...checks); const callback = (file) => void (file.externalModuleIndicator = combined(file)); return callback; } } function createComputedCompilerOptions(options) { return options; } var computedOptions = createComputedCompilerOptions({ target: { dependencies: ["module"], computeValue: (compilerOptions) => { const target = compilerOptions.target === 0 ? void 0 : compilerOptions.target; return target ?? (compilerOptions.module === 100 && 9 || compilerOptions.module === 199 && 99 || 1); } }, module: { dependencies: ["target"], computeValue: (compilerOptions) => { return typeof compilerOptions.module === "number" ? compilerOptions.module : computedOptions.target.computeValue(compilerOptions) >= 2 ? 5 : 1; } }, moduleResolution: { dependencies: ["module", "target"], computeValue: (compilerOptions) => { let moduleResolution = compilerOptions.moduleResolution; if (moduleResolution === void 0) { switch (computedOptions.module.computeValue(compilerOptions)) { case 1: moduleResolution = 2; break; case 100: moduleResolution = 3; break; case 199: moduleResolution = 99; break; case 200: moduleResolution = 100; break; default: moduleResolution = 1; break; } } return moduleResolution; } }, moduleDetection: { dependencies: ["module", "target"], computeValue: (compilerOptions) => { return compilerOptions.moduleDetection || (computedOptions.module.computeValue(compilerOptions) === 100 || computedOptions.module.computeValue(compilerOptions) === 199 ? 3 : 2); } }, isolatedModules: { dependencies: ["verbatimModuleSyntax"], computeValue: (compilerOptions) => { return !!(compilerOptions.isolatedModules || compilerOptions.verbatimModuleSyntax); } }, esModuleInterop: { dependencies: ["module", "target"], computeValue: (compilerOptions) => { if (compilerOptions.esModuleInterop !== void 0) { return compilerOptions.esModuleInterop; } switch (computedOptions.module.computeValue(compilerOptions)) { case 100: case 199: case 200: return true; } return false; } }, allowSyntheticDefaultImports: { dependencies: ["module", "target", "moduleResolution"], computeValue: (compilerOptions) => { if (compilerOptions.allowSyntheticDefaultImports !== void 0) { return compilerOptions.allowSyntheticDefaultImports; } return computedOptions.esModuleInterop.computeValue(compilerOptions) || computedOptions.module.computeValue(compilerOptions) === 4 || computedOptions.moduleResolution.computeValue(compilerOptions) === 100; } }, resolvePackageJsonExports: { dependencies: ["moduleResolution"], computeValue: (compilerOptions) => { const moduleResolution = computedOptions.moduleResolution.computeValue(compilerOptions); if (!moduleResolutionSupportsPackageJsonExportsAndImports(moduleResolution)) { return false; } if (compilerOptions.resolvePackageJsonExports !== void 0) { return compilerOptions.resolvePackageJsonExports; } switch (moduleResolution) { case 3: case 99: case 100: return true; } return false; } }, resolvePackageJsonImports: { dependencies: ["moduleResolution", "resolvePackageJsonExports"], computeValue: (compilerOptions) => { const moduleResolution = computedOptions.moduleResolution.computeValue(compilerOptions); if (!moduleResolutionSupportsPackageJsonExportsAndImports(moduleResolution)) { return false; } if (compilerOptions.resolvePackageJsonExports !== void 0) { return compilerOptions.resolvePackageJsonExports; } switch (moduleResolution) { case 3: case 99: case 100: return true; } return false; } }, resolveJsonModule: { dependencies: ["moduleResolution", "module", "target"], computeValue: (compilerOptions) => { if (compilerOptions.resolveJsonModule !== void 0) { return compilerOptions.resolveJsonModule; } return computedOptions.moduleResolution.computeValue(compilerOptions) === 100; } }, declaration: { dependencies: ["composite"], computeValue: (compilerOptions) => { return !!(compilerOptions.declaration || compilerOptions.composite); } }, preserveConstEnums: { dependencies: ["isolatedModules", "verbatimModuleSyntax"], computeValue: (compilerOptions) => { return !!(compilerOptions.preserveConstEnums || computedOptions.isolatedModules.computeValue(compilerOptions)); } }, incremental: { dependencies: ["composite"], computeValue: (compilerOptions) => { return !!(compilerOptions.incremental || compilerOptions.composite); } }, declarationMap: { dependencies: ["declaration", "composite"], computeValue: (compilerOptions) => { return !!(compilerOptions.declarationMap && computedOptions.declaration.computeValue(compilerOptions)); } }, allowJs: { dependencies: ["checkJs"], computeValue: (compilerOptions) => { return compilerOptions.allowJs === void 0 ? !!compilerOptions.checkJs : compilerOptions.allowJs; } }, useDefineForClassFields: { dependencies: ["target", "module"], computeValue: (compilerOptions) => { return compilerOptions.useDefineForClassFields === void 0 ? computedOptions.target.computeValue(compilerOptions) >= 9 : compilerOptions.useDefineForClassFields; } }, noImplicitAny: { dependencies: ["strict"], computeValue: (compilerOptions) => { return getStrictOptionValue(compilerOptions, "noImplicitAny"); } }, noImplicitThis: { dependencies: ["strict"], computeValue: (compilerOptions) => { return getStrictOptionValue(compilerOptions, "noImplicitThis"); } }, strictNullChecks: { dependencies: ["strict"], computeValue: (compilerOptions) => { return getStrictOptionValue(compilerOptions, "strictNullChecks"); } }, strictFunctionTypes: { dependencies: ["strict"], computeValue: (compilerOptions) => { return getStrictOptionValue(compilerOptions, "strictFunctionTypes"); } }, strictBindCallApply: { dependencies: ["strict"], computeValue: (compilerOptions) => { return getStrictOptionValue(compilerOptions, "strictBindCallApply"); } }, strictPropertyInitialization: { dependencies: ["strict"], computeValue: (compilerOptions) => { return getStrictOptionValue(compilerOptions, "strictPropertyInitialization"); } }, alwaysStrict: { dependencies: ["strict"], computeValue: (compilerOptions) => { return getStrictOptionValue(compilerOptions, "alwaysStrict"); } }, useUnknownInCatchVariables: { dependencies: ["strict"], computeValue: (compilerOptions) => { return getStrictOptionValue(compilerOptions, "useUnknownInCatchVariables"); } } }); var getEmitScriptTarget = computedOptions.target.computeValue; var getEmitModuleKind = computedOptions.module.computeValue; var getEmitModuleResolutionKind = computedOptions.moduleResolution.computeValue; var getEmitModuleDetectionKind = computedOptions.moduleDetection.computeValue; var getIsolatedModules = computedOptions.isolatedModules.computeValue; var getESModuleInterop = computedOptions.esModuleInterop.computeValue; var getAllowSyntheticDefaultImports = computedOptions.allowSyntheticDefaultImports.computeValue; var getResolvePackageJsonExports = computedOptions.resolvePackageJsonExports.computeValue; var getResolvePackageJsonImports = computedOptions.resolvePackageJsonImports.computeValue; var getResolveJsonModule = computedOptions.resolveJsonModule.computeValue; var getEmitDeclarations = computedOptions.declaration.computeValue; var shouldPreserveConstEnums = computedOptions.preserveConstEnums.computeValue; var isIncrementalCompilation = computedOptions.incremental.computeValue; var getAreDeclarationMapsEnabled = computedOptions.declarationMap.computeValue; var getAllowJSCompilerOption = computedOptions.allowJs.computeValue; var getUseDefineForClassFields = computedOptions.useDefineForClassFields.computeValue; function emitModuleKindIsNonNodeESM(moduleKind) { return moduleKind >= 5 && moduleKind <= 99; } function hasJsonModuleEmitEnabled(options) { switch (getEmitModuleKind(options)) { case 0: case 4: case 3: return false; } return true; } function unreachableCodeIsError(options) { return options.allowUnreachableCode === false; } function unusedLabelIsError(options) { return options.allowUnusedLabels === false; } function moduleResolutionSupportsPackageJsonExportsAndImports(moduleResolution) { return moduleResolution >= 3 && moduleResolution <= 99 || moduleResolution === 100; } function getStrictOptionValue(compilerOptions, flag) { return compilerOptions[flag] === void 0 ? !!compilerOptions.strict : !!compilerOptions[flag]; } function getNameOfScriptTarget(scriptTarget) { return forEachEntry(targetOptionDeclaration.type, (value, key) => value === scriptTarget ? key : void 0); } function getEmitStandardClassFields(compilerOptions) { return compilerOptions.useDefineForClassFields !== false && getEmitScriptTarget(compilerOptions) >= 9; } function compilerOptionsAffectSemanticDiagnostics(newOptions, oldOptions) { return optionsHaveChanges(oldOptions, newOptions, semanticDiagnosticsOptionDeclarations); } function compilerOptionsAffectEmit(newOptions, oldOptions) { return optionsHaveChanges(oldOptions, newOptions, affectsEmitOptionDeclarations); } function compilerOptionsAffectDeclarationPath(newOptions, oldOptions) { return optionsHaveChanges(oldOptions, newOptions, affectsDeclarationPathOptionDeclarations); } function getCompilerOptionValue(options, option) { return option.strictFlag ? getStrictOptionValue(options, option.name) : option.allowJsFlag ? getAllowJSCompilerOption(options) : options[option.name]; } function getJSXTransformEnabled(options) { const jsx = options.jsx; return jsx === 2 || jsx === 4 || jsx === 5; } function getJSXImplicitImportBase(compilerOptions, file) { const jsxImportSourcePragmas = file == null ? void 0 : file.pragmas.get("jsximportsource"); const jsxImportSourcePragma = isArray3(jsxImportSourcePragmas) ? jsxImportSourcePragmas[jsxImportSourcePragmas.length - 1] : jsxImportSourcePragmas; return compilerOptions.jsx === 4 || compilerOptions.jsx === 5 || compilerOptions.jsxImportSource || jsxImportSourcePragma ? (jsxImportSourcePragma == null ? void 0 : jsxImportSourcePragma.arguments.factory) || compilerOptions.jsxImportSource || "react" : void 0; } function getJSXRuntimeImport(base, options) { return base ? `${base}/${options.jsx === 5 ? "jsx-dev-runtime" : "jsx-runtime"}` : void 0; } function hasZeroOrOneAsteriskCharacter(str) { let seenAsterisk = false; for (let i = 0; i < str.length; i++) { if (str.charCodeAt(i) === 42) { if (!seenAsterisk) { seenAsterisk = true; } else { return false; } } } return true; } function createSymlinkCache(cwd, getCanonicalFileName) { let symlinkedDirectories; let symlinkedDirectoriesByRealpath; let symlinkedFiles; let hasProcessedResolutions = false; return { getSymlinkedFiles: () => symlinkedFiles, getSymlinkedDirectories: () => symlinkedDirectories, getSymlinkedDirectoriesByRealpath: () => symlinkedDirectoriesByRealpath, setSymlinkedFile: (path17, real) => (symlinkedFiles || (symlinkedFiles = /* @__PURE__ */ new Map())).set(path17, real), setSymlinkedDirectory: (symlink, real) => { let symlinkPath = toPath3(symlink, cwd, getCanonicalFileName); if (!containsIgnoredPath(symlinkPath)) { symlinkPath = ensureTrailingDirectorySeparator(symlinkPath); if (real !== false && !(symlinkedDirectories == null ? void 0 : symlinkedDirectories.has(symlinkPath))) { (symlinkedDirectoriesByRealpath || (symlinkedDirectoriesByRealpath = createMultiMap())).add(real.realPath, symlink); } (symlinkedDirectories || (symlinkedDirectories = /* @__PURE__ */ new Map())).set(symlinkPath, real); } }, setSymlinksFromResolutions(forEachResolvedModule, forEachResolvedTypeReferenceDirective, typeReferenceDirectives) { Debug.assert(!hasProcessedResolutions); hasProcessedResolutions = true; forEachResolvedModule((resolution) => processResolution(this, resolution.resolvedModule)); forEachResolvedTypeReferenceDirective((resolution) => processResolution(this, resolution.resolvedTypeReferenceDirective)); typeReferenceDirectives.forEach((resolution) => processResolution(this, resolution.resolvedTypeReferenceDirective)); }, hasProcessedResolutions: () => hasProcessedResolutions, setSymlinksFromResolution(resolution) { processResolution(this, resolution); }, hasAnySymlinks }; function hasAnySymlinks() { return !!(symlinkedFiles == null ? void 0 : symlinkedFiles.size) || !!symlinkedDirectories && !!forEachEntry(symlinkedDirectories, (value) => !!value); } function processResolution(cache, resolution) { if (!resolution || !resolution.originalPath || !resolution.resolvedFileName) return; const { resolvedFileName, originalPath } = resolution; cache.setSymlinkedFile(toPath3(originalPath, cwd, getCanonicalFileName), resolvedFileName); const [commonResolved, commonOriginal] = guessDirectorySymlink(resolvedFileName, originalPath, cwd, getCanonicalFileName) || emptyArray; if (commonResolved && commonOriginal) { cache.setSymlinkedDirectory( commonOriginal, { real: ensureTrailingDirectorySeparator(commonResolved), realPath: ensureTrailingDirectorySeparator(toPath3(commonResolved, cwd, getCanonicalFileName)) } ); } } } function guessDirectorySymlink(a, b, cwd, getCanonicalFileName) { const aParts = getPathComponents(getNormalizedAbsolutePath(a, cwd)); const bParts = getPathComponents(getNormalizedAbsolutePath(b, cwd)); let isDirectory = false; while (aParts.length >= 2 && bParts.length >= 2 && !isNodeModulesOrScopedPackageDirectory(aParts[aParts.length - 2], getCanonicalFileName) && !isNodeModulesOrScopedPackageDirectory(bParts[bParts.length - 2], getCanonicalFileName) && getCanonicalFileName(aParts[aParts.length - 1]) === getCanonicalFileName(bParts[bParts.length - 1])) { aParts.pop(); bParts.pop(); isDirectory = true; } return isDirectory ? [getPathFromPathComponents(aParts), getPathFromPathComponents(bParts)] : void 0; } function isNodeModulesOrScopedPackageDirectory(s, getCanonicalFileName) { return s !== void 0 && (getCanonicalFileName(s) === "node_modules" || startsWith2(s, "@")); } function stripLeadingDirectorySeparator(s) { return isAnyDirectorySeparator(s.charCodeAt(0)) ? s.slice(1) : void 0; } function tryRemoveDirectoryPrefix(path17, dirPath, getCanonicalFileName) { const withoutPrefix = tryRemovePrefix(path17, dirPath, getCanonicalFileName); return withoutPrefix === void 0 ? void 0 : stripLeadingDirectorySeparator(withoutPrefix); } var reservedCharacterPattern = /[^\w\s/]/g; function regExpEscape(text) { return text.replace(reservedCharacterPattern, escapeRegExpCharacter); } function escapeRegExpCharacter(match) { return "\\" + match; } var wildcardCharCodes = [ 42, 63 /* question */ ]; var commonPackageFolders = ["node_modules", "bower_components", "jspm_packages"]; var implicitExcludePathRegexPattern = `(?!(${commonPackageFolders.join("|")})(/|$))`; var filesMatcher = { /** * Matches any single directory segment unless it is the last segment and a .min.js file * Breakdown: * [^./] # matches everything up to the first . character (excluding directory separators) * (\\.(?!min\\.js$))? # matches . characters but not if they are part of the .min.js file extension */ singleAsteriskRegexFragment: "([^./]|(\\.(?!min\\.js$))?)*", /** * Regex for the ** wildcard. Matches any number of subdirectories. When used for including * files or directories, does not match subdirectories that start with a . character */ doubleAsteriskRegexFragment: `(/${implicitExcludePathRegexPattern}[^/.][^/]*)*?`, replaceWildcardCharacter: (match) => replaceWildcardCharacter(match, filesMatcher.singleAsteriskRegexFragment) }; var directoriesMatcher = { singleAsteriskRegexFragment: "[^/]*", /** * Regex for the ** wildcard. Matches any number of subdirectories. When used for including * files or directories, does not match subdirectories that start with a . character */ doubleAsteriskRegexFragment: `(/${implicitExcludePathRegexPattern}[^/.][^/]*)*?`, replaceWildcardCharacter: (match) => replaceWildcardCharacter(match, directoriesMatcher.singleAsteriskRegexFragment) }; var excludeMatcher = { singleAsteriskRegexFragment: "[^/]*", doubleAsteriskRegexFragment: "(/.+?)?", replaceWildcardCharacter: (match) => replaceWildcardCharacter(match, excludeMatcher.singleAsteriskRegexFragment) }; var wildcardMatchers = { files: filesMatcher, directories: directoriesMatcher, exclude: excludeMatcher }; function getRegularExpressionForWildcard(specs, basePath, usage) { const patterns = getRegularExpressionsForWildcards(specs, basePath, usage); if (!patterns || !patterns.length) { return void 0; } const pattern = patterns.map((pattern2) => `(${pattern2})`).join("|"); const terminator = usage === "exclude" ? "($|/)" : "$"; return `^(${pattern})${terminator}`; } function getRegularExpressionsForWildcards(specs, basePath, usage) { if (specs === void 0 || specs.length === 0) { return void 0; } return flatMap(specs, (spec) => spec && getSubPatternFromSpec(spec, basePath, usage, wildcardMatchers[usage])); } function isImplicitGlob(lastPathComponent) { return !/[.*?]/.test(lastPathComponent); } function getPatternFromSpec(spec, basePath, usage) { const pattern = spec && getSubPatternFromSpec(spec, basePath, usage, wildcardMatchers[usage]); return pattern && `^(${pattern})${usage === "exclude" ? "($|/)" : "$"}`; } function getSubPatternFromSpec(spec, basePath, usage, { singleAsteriskRegexFragment, doubleAsteriskRegexFragment, replaceWildcardCharacter: replaceWildcardCharacter2 } = wildcardMatchers[usage]) { let subpattern = ""; let hasWrittenComponent = false; const components = getNormalizedPathComponents(spec, basePath); const lastComponent = last(components); if (usage !== "exclude" && lastComponent === "**") { return void 0; } components[0] = removeTrailingDirectorySeparator(components[0]); if (isImplicitGlob(lastComponent)) { components.push("**", "*"); } let optionalCount = 0; for (let component of components) { if (component === "**") { subpattern += doubleAsteriskRegexFragment; } else { if (usage === "directories") { subpattern += "("; optionalCount++; } if (hasWrittenComponent) { subpattern += directorySeparator; } if (usage !== "exclude") { let componentPattern = ""; if (component.charCodeAt(0) === 42) { componentPattern += "([^./]" + singleAsteriskRegexFragment + ")?"; component = component.substr(1); } else if (component.charCodeAt(0) === 63) { componentPattern += "[^./]"; component = component.substr(1); } componentPattern += component.replace(reservedCharacterPattern, replaceWildcardCharacter2); if (componentPattern !== component) { subpattern += implicitExcludePathRegexPattern; } subpattern += componentPattern; } else { subpattern += component.replace(reservedCharacterPattern, replaceWildcardCharacter2); } } hasWrittenComponent = true; } while (optionalCount > 0) { subpattern += ")?"; optionalCount--; } return subpattern; } function replaceWildcardCharacter(match, singleAsteriskRegexFragment) { return match === "*" ? singleAsteriskRegexFragment : match === "?" ? "[^/]" : "\\" + match; } function getFileMatcherPatterns(path17, excludes, includes, useCaseSensitiveFileNames2, currentDirectory) { path17 = normalizePath(path17); currentDirectory = normalizePath(currentDirectory); const absolutePath = combinePaths(currentDirectory, path17); return { includeFilePatterns: map(getRegularExpressionsForWildcards(includes, absolutePath, "files"), (pattern) => `^${pattern}$`), includeFilePattern: getRegularExpressionForWildcard(includes, absolutePath, "files"), includeDirectoryPattern: getRegularExpressionForWildcard(includes, absolutePath, "directories"), excludePattern: getRegularExpressionForWildcard(excludes, absolutePath, "exclude"), basePaths: getBasePaths(path17, includes, useCaseSensitiveFileNames2) }; } function getRegexFromPattern(pattern, useCaseSensitiveFileNames2) { return new RegExp(pattern, useCaseSensitiveFileNames2 ? "" : "i"); } function matchFiles(path17, extensions, excludes, includes, useCaseSensitiveFileNames2, currentDirectory, depth2, getFileSystemEntries, realpath) { path17 = normalizePath(path17); currentDirectory = normalizePath(currentDirectory); const patterns = getFileMatcherPatterns(path17, excludes, includes, useCaseSensitiveFileNames2, currentDirectory); const includeFileRegexes = patterns.includeFilePatterns && patterns.includeFilePatterns.map((pattern) => getRegexFromPattern(pattern, useCaseSensitiveFileNames2)); const includeDirectoryRegex = patterns.includeDirectoryPattern && getRegexFromPattern(patterns.includeDirectoryPattern, useCaseSensitiveFileNames2); const excludeRegex = patterns.excludePattern && getRegexFromPattern(patterns.excludePattern, useCaseSensitiveFileNames2); const results = includeFileRegexes ? includeFileRegexes.map(() => []) : [[]]; const visited = /* @__PURE__ */ new Map(); const toCanonical = createGetCanonicalFileName(useCaseSensitiveFileNames2); for (const basePath of patterns.basePaths) { visitDirectory(basePath, combinePaths(currentDirectory, basePath), depth2); } return flatten(results); function visitDirectory(path22, absolutePath, depth22) { const canonicalPath = toCanonical(realpath(absolutePath)); if (visited.has(canonicalPath)) return; visited.set(canonicalPath, true); const { files, directories } = getFileSystemEntries(path22); for (const current of sort(files, compareStringsCaseSensitive)) { const name = combinePaths(path22, current); const absoluteName = combinePaths(absolutePath, current); if (extensions && !fileExtensionIsOneOf(name, extensions)) continue; if (excludeRegex && excludeRegex.test(absoluteName)) continue; if (!includeFileRegexes) { results[0].push(name); } else { const includeIndex = findIndex(includeFileRegexes, (re) => re.test(absoluteName)); if (includeIndex !== -1) { results[includeIndex].push(name); } } } if (depth22 !== void 0) { depth22--; if (depth22 === 0) { return; } } for (const current of sort(directories, compareStringsCaseSensitive)) { const name = combinePaths(path22, current); const absoluteName = combinePaths(absolutePath, current); if ((!includeDirectoryRegex || includeDirectoryRegex.test(absoluteName)) && (!excludeRegex || !excludeRegex.test(absoluteName))) { visitDirectory(name, absoluteName, depth22); } } } } function getBasePaths(path17, includes, useCaseSensitiveFileNames2) { const basePaths = [path17]; if (includes) { const includeBasePaths = []; for (const include of includes) { const absolute = isRootedDiskPath(include) ? include : normalizePath(combinePaths(path17, include)); includeBasePaths.push(getIncludeBasePath(absolute)); } includeBasePaths.sort(getStringComparer(!useCaseSensitiveFileNames2)); for (const includeBasePath of includeBasePaths) { if (every(basePaths, (basePath) => !containsPath(basePath, includeBasePath, path17, !useCaseSensitiveFileNames2))) { basePaths.push(includeBasePath); } } } return basePaths; } function getIncludeBasePath(absolute) { const wildcardOffset = indexOfAnyCharCode(absolute, wildcardCharCodes); if (wildcardOffset < 0) { return !hasExtension(absolute) ? absolute : removeTrailingDirectorySeparator(getDirectoryPath(absolute)); } return absolute.substring(0, absolute.lastIndexOf(directorySeparator, wildcardOffset)); } function ensureScriptKind(fileName, scriptKind) { return scriptKind || getScriptKindFromFileName(fileName) || 3; } function getScriptKindFromFileName(fileName) { const ext = fileName.substr(fileName.lastIndexOf(".")); switch (ext.toLowerCase()) { case ".js": case ".cjs": case ".mjs": return 1; case ".jsx": return 2; case ".ts": case ".cts": case ".mts": return 3; case ".tsx": return 4; case ".json": return 6; default: return 0; } } var supportedTSExtensions = [[ ".ts", ".tsx", ".d.ts" /* Dts */ ], [ ".cts", ".d.cts" /* Dcts */ ], [ ".mts", ".d.mts" /* Dmts */ ]]; var supportedTSExtensionsFlat = flatten(supportedTSExtensions); var supportedTSExtensionsWithJson = [...supportedTSExtensions, [ ".json" /* Json */ ]]; var supportedTSExtensionsForExtractExtension = [ ".d.ts", ".d.cts", ".d.mts", ".cts", ".mts", ".ts", ".tsx" /* Tsx */ ]; var supportedJSExtensions = [[ ".js", ".jsx" /* Jsx */ ], [ ".mjs" /* Mjs */ ], [ ".cjs" /* Cjs */ ]]; var supportedJSExtensionsFlat = flatten(supportedJSExtensions); var allSupportedExtensions = [[ ".ts", ".tsx", ".d.ts", ".js", ".jsx" /* Jsx */ ], [ ".cts", ".d.cts", ".cjs" /* Cjs */ ], [ ".mts", ".d.mts", ".mjs" /* Mjs */ ]]; var allSupportedExtensionsWithJson = [...allSupportedExtensions, [ ".json" /* Json */ ]]; var supportedDeclarationExtensions = [ ".d.ts", ".d.cts", ".d.mts" /* Dmts */ ]; var supportedTSImplementationExtensions = [ ".ts", ".cts", ".mts", ".tsx" /* Tsx */ ]; var extensionsNotSupportingExtensionlessResolution = [ ".mts", ".d.mts", ".mjs", ".cts", ".d.cts", ".cjs" /* Cjs */ ]; function getSupportedExtensions(options, extraFileExtensions) { const needJsExtensions = options && getAllowJSCompilerOption(options); if (!extraFileExtensions || extraFileExtensions.length === 0) { return needJsExtensions ? allSupportedExtensions : supportedTSExtensions; } const builtins = needJsExtensions ? allSupportedExtensions : supportedTSExtensions; const flatBuiltins = flatten(builtins); const extensions = [ ...builtins, ...mapDefined(extraFileExtensions, (x) => x.scriptKind === 7 || needJsExtensions && isJSLike(x.scriptKind) && !flatBuiltins.includes(x.extension) ? [x.extension] : void 0) ]; return extensions; } function getSupportedExtensionsWithJsonIfResolveJsonModule(options, supportedExtensions) { if (!options || !getResolveJsonModule(options)) return supportedExtensions; if (supportedExtensions === allSupportedExtensions) return allSupportedExtensionsWithJson; if (supportedExtensions === supportedTSExtensions) return supportedTSExtensionsWithJson; return [...supportedExtensions, [ ".json" /* Json */ ]]; } function isJSLike(scriptKind) { return scriptKind === 1 || scriptKind === 2; } function hasJSFileExtension(fileName) { return some(supportedJSExtensionsFlat, (extension) => fileExtensionIs(fileName, extension)); } function hasTSFileExtension(fileName) { return some(supportedTSExtensionsFlat, (extension) => fileExtensionIs(fileName, extension)); } var ModuleSpecifierEnding = /* @__PURE__ */ ((ModuleSpecifierEnding2) => { ModuleSpecifierEnding2[ModuleSpecifierEnding2["Minimal"] = 0] = "Minimal"; ModuleSpecifierEnding2[ModuleSpecifierEnding2["Index"] = 1] = "Index"; ModuleSpecifierEnding2[ModuleSpecifierEnding2["JsExtension"] = 2] = "JsExtension"; ModuleSpecifierEnding2[ModuleSpecifierEnding2["TsExtension"] = 3] = "TsExtension"; return ModuleSpecifierEnding2; })(ModuleSpecifierEnding || {}); function usesExtensionsOnImports({ imports }, hasExtension2 = or(hasJSFileExtension, hasTSFileExtension)) { return firstDefined(imports, ({ text }) => pathIsRelative(text) && !fileExtensionIsOneOf(text, extensionsNotSupportingExtensionlessResolution) ? hasExtension2(text) : void 0) || false; } function getModuleSpecifierEndingPreference(preference, resolutionMode, compilerOptions, sourceFile) { const moduleResolution = getEmitModuleResolutionKind(compilerOptions); const moduleResolutionIsNodeNext = 3 <= moduleResolution && moduleResolution <= 99; if (preference === "js" || resolutionMode === 99 && moduleResolutionIsNodeNext) { if (!shouldAllowImportingTsExtension(compilerOptions)) { return 2; } return inferPreference() !== 2 ? 3 : 2; } if (preference === "minimal") { return 0; } if (preference === "index") { return 1; } if (!shouldAllowImportingTsExtension(compilerOptions)) { return sourceFile && usesExtensionsOnImports(sourceFile) ? 2 : 0; } return inferPreference(); function inferPreference() { let usesJsExtensions = false; const specifiers = (sourceFile == null ? void 0 : sourceFile.imports.length) ? sourceFile.imports : sourceFile && isSourceFileJS(sourceFile) ? getRequiresAtTopOfFile(sourceFile).map((r) => r.arguments[0]) : emptyArray; for (const specifier of specifiers) { if (pathIsRelative(specifier.text)) { if (moduleResolutionIsNodeNext && resolutionMode === 1 && getModeForUsageLocation(sourceFile, specifier, compilerOptions) === 99) { continue; } if (fileExtensionIsOneOf(specifier.text, extensionsNotSupportingExtensionlessResolution)) { continue; } if (hasTSFileExtension(specifier.text)) { return 3; } if (hasJSFileExtension(specifier.text)) { usesJsExtensions = true; } } } return usesJsExtensions ? 2 : 0; } } function getRequiresAtTopOfFile(sourceFile) { let nonRequireStatementCount = 0; let requires; for (const statement of sourceFile.statements) { if (nonRequireStatementCount > 3) { break; } if (isRequireVariableStatement(statement)) { requires = concatenate(requires, statement.declarationList.declarations.map((d) => d.initializer)); } else if (isExpressionStatement2(statement) && isRequireCall( statement.expression, /*requireStringLiteralLikeArgument*/ true )) { requires = append(requires, statement.expression); } else { nonRequireStatementCount++; } } return requires || emptyArray; } function isSupportedSourceFileName(fileName, compilerOptions, extraFileExtensions) { if (!fileName) return false; const supportedExtensions = getSupportedExtensions(compilerOptions, extraFileExtensions); for (const extension of flatten(getSupportedExtensionsWithJsonIfResolveJsonModule(compilerOptions, supportedExtensions))) { if (fileExtensionIs(fileName, extension)) { return true; } } return false; } function numberOfDirectorySeparators(str) { const match = str.match(/\//g); return match ? match.length : 0; } function compareNumberOfDirectorySeparators(path1, path22) { return compareValues( numberOfDirectorySeparators(path1), numberOfDirectorySeparators(path22) ); } var extensionsToRemove = [ ".d.ts", ".d.mts", ".d.cts", ".mjs", ".mts", ".cjs", ".cts", ".ts", ".js", ".tsx", ".jsx", ".json" /* Json */ ]; function removeFileExtension(path17) { for (const ext of extensionsToRemove) { const extensionless = tryRemoveExtension(path17, ext); if (extensionless !== void 0) { return extensionless; } } return path17; } function tryRemoveExtension(path17, extension) { return fileExtensionIs(path17, extension) ? removeExtension(path17, extension) : void 0; } function removeExtension(path17, extension) { return path17.substring(0, path17.length - extension.length); } function changeExtension(path17, newExtension) { return changeAnyExtension( path17, newExtension, extensionsToRemove, /*ignoreCase*/ false ); } function tryParsePattern(pattern) { const indexOfStar = pattern.indexOf("*"); if (indexOfStar === -1) { return pattern; } return pattern.indexOf("*", indexOfStar + 1) !== -1 ? void 0 : { prefix: pattern.substr(0, indexOfStar), suffix: pattern.substr(indexOfStar + 1) }; } function tryParsePatterns(paths) { return mapDefined(getOwnKeys(paths), (path17) => tryParsePattern(path17)); } function positionIsSynthesized(pos) { return !(pos >= 0); } function extensionIsTS(ext) { return ext === ".ts" || ext === ".tsx" || ext === ".d.ts" || ext === ".cts" || ext === ".mts" || ext === ".d.mts" || ext === ".d.cts" || startsWith2(ext, ".d.") && endsWith(ext, ".ts"); } function resolutionExtensionIsTSOrJson(ext) { return extensionIsTS(ext) || ext === ".json"; } function extensionFromPath(path17) { const ext = tryGetExtensionFromPath2(path17); return ext !== void 0 ? ext : Debug.fail(`File ${path17} has unknown extension.`); } function isAnySupportedFileExtension(path17) { return tryGetExtensionFromPath2(path17) !== void 0; } function tryGetExtensionFromPath2(path17) { return find(extensionsToRemove, (e) => fileExtensionIs(path17, e)); } function isCheckJsEnabledForFile(sourceFile, compilerOptions) { return sourceFile.checkJsDirective ? sourceFile.checkJsDirective.enabled : compilerOptions.checkJs; } var emptyFileSystemEntries = { files: emptyArray, directories: emptyArray }; function matchPatternOrExact(patternOrStrings, candidate) { const patterns = []; for (const patternOrString of patternOrStrings) { if (patternOrString === candidate) { return candidate; } if (!isString2(patternOrString)) { patterns.push(patternOrString); } } return findBestPatternMatch(patterns, (_) => _, candidate); } function sliceAfter(arr, value) { const index = arr.indexOf(value); Debug.assert(index !== -1); return arr.slice(index); } function addRelatedInfo(diagnostic, ...relatedInformation) { if (!relatedInformation.length) { return diagnostic; } if (!diagnostic.relatedInformation) { diagnostic.relatedInformation = []; } Debug.assert(diagnostic.relatedInformation !== emptyArray, "Diagnostic had empty array singleton for related info, but is still being constructed!"); diagnostic.relatedInformation.push(...relatedInformation); return diagnostic; } function minAndMax(arr, getValue2) { Debug.assert(arr.length !== 0); let min2 = getValue2(arr[0]); let max = min2; for (let i = 1; i < arr.length; i++) { const value = getValue2(arr[i]); if (value < min2) { min2 = value; } else if (value > max) { max = value; } } return { min: min2, max }; } function rangeOfNode(node) { return { pos: getTokenPosOfNode(node), end: node.end }; } function rangeOfTypeParameters(sourceFile, typeParameters) { const pos = typeParameters.pos - 1; const end = Math.min(sourceFile.text.length, skipTrivia(sourceFile.text, typeParameters.end) + 1); return { pos, end }; } function skipTypeChecking(sourceFile, options, host) { return options.skipLibCheck && sourceFile.isDeclarationFile || options.skipDefaultLibCheck && sourceFile.hasNoDefaultLib || options.noCheck || host.isSourceOfProjectReferenceRedirect(sourceFile.fileName) || !canIncludeBindAndCheckDiagnsotics(sourceFile, options); } function canIncludeBindAndCheckDiagnsotics(sourceFile, options) { if (!!sourceFile.checkJsDirective && sourceFile.checkJsDirective.enabled === false) return false; if (sourceFile.scriptKind === 3 || sourceFile.scriptKind === 4 || sourceFile.scriptKind === 5) return true; const isJs = sourceFile.scriptKind === 1 || sourceFile.scriptKind === 2; const isCheckJs = isJs && isCheckJsEnabledForFile(sourceFile, options); const isPlainJs = isPlainJsFile(sourceFile, options.checkJs); return isPlainJs || isCheckJs || sourceFile.scriptKind === 7; } function isJsonEqual(a, b) { return a === b || typeof a === "object" && a !== null && typeof b === "object" && b !== null && equalOwnProperties(a, b, isJsonEqual); } function parsePseudoBigInt(stringValue) { let log2Base; switch (stringValue.charCodeAt(1)) { case 98: case 66: log2Base = 1; break; case 111: case 79: log2Base = 3; break; case 120: case 88: log2Base = 4; break; default: const nIndex = stringValue.length - 1; let nonZeroStart = 0; while (stringValue.charCodeAt(nonZeroStart) === 48) { nonZeroStart++; } return stringValue.slice(nonZeroStart, nIndex) || "0"; } const startIndex = 2, endIndex = stringValue.length - 1; const bitsNeeded = (endIndex - startIndex) * log2Base; const segments = new Uint16Array((bitsNeeded >>> 4) + (bitsNeeded & 15 ? 1 : 0)); for (let i = endIndex - 1, bitOffset = 0; i >= startIndex; i--, bitOffset += log2Base) { const segment = bitOffset >>> 4; const digitChar = stringValue.charCodeAt(i); const digit = digitChar <= 57 ? digitChar - 48 : 10 + digitChar - (digitChar <= 70 ? 65 : 97); const shiftedDigit = digit << (bitOffset & 15); segments[segment] |= shiftedDigit; const residual = shiftedDigit >>> 16; if (residual) segments[segment + 1] |= residual; } let base10Value = ""; let firstNonzeroSegment = segments.length - 1; let segmentsRemaining = true; while (segmentsRemaining) { let mod10 = 0; segmentsRemaining = false; for (let segment = firstNonzeroSegment; segment >= 0; segment--) { const newSegment = mod10 << 16 | segments[segment]; const segmentValue = newSegment / 10 | 0; segments[segment] = segmentValue; mod10 = newSegment - segmentValue * 10; if (segmentValue && !segmentsRemaining) { firstNonzeroSegment = segment; segmentsRemaining = true; } } base10Value = mod10 + base10Value; } return base10Value; } function pseudoBigIntToString({ negative, base10Value }) { return (negative && base10Value !== "0" ? "-" : "") + base10Value; } function parseBigInt(text) { if (!isValidBigIntString( text, /*roundTripOnly*/ false )) { return void 0; } return parseValidBigInt(text); } function parseValidBigInt(text) { const negative = text.startsWith("-"); const base10Value = parsePseudoBigInt(`${negative ? text.slice(1) : text}n`); return { negative, base10Value }; } function isValidBigIntString(s, roundTripOnly) { if (s === "") return false; const scanner2 = createScanner( 99, /*skipTrivia*/ false ); let success = true; scanner2.setOnError(() => success = false); scanner2.setText(s + "n"); let result = scanner2.scan(); const negative = result === 41; if (negative) { result = scanner2.scan(); } const flags = scanner2.getTokenFlags(); return success && result === 10 && scanner2.getTokenEnd() === s.length + 1 && !(flags & 512) && (!roundTripOnly || s === pseudoBigIntToString({ negative, base10Value: parsePseudoBigInt(scanner2.getTokenValue()) })); } function isValidTypeOnlyAliasUseSite(useSite) { return !!(useSite.flags & 33554432) || isPartOfTypeQuery(useSite) || isIdentifierInNonEmittingHeritageClause(useSite) || isPartOfPossiblyValidTypeOrAbstractComputedPropertyName(useSite) || !(isExpressionNode(useSite) || isShorthandPropertyNameUseSite(useSite)); } function isShorthandPropertyNameUseSite(useSite) { return isIdentifier(useSite) && isShorthandPropertyAssignment(useSite.parent) && useSite.parent.name === useSite; } function isPartOfPossiblyValidTypeOrAbstractComputedPropertyName(node) { while (node.kind === 80 || node.kind === 211) { node = node.parent; } if (node.kind !== 167) { return false; } if (hasSyntacticModifier( node.parent, 64 /* Abstract */ )) { return true; } const containerKind = node.parent.parent.kind; return containerKind === 264 || containerKind === 187; } function isIdentifierInNonEmittingHeritageClause(node) { if (node.kind !== 80) return false; const heritageClause = findAncestor(node.parent, (parent2) => { switch (parent2.kind) { case 298: return true; case 211: case 233: return false; default: return "quit"; } }); return (heritageClause == null ? void 0 : heritageClause.token) === 119 || (heritageClause == null ? void 0 : heritageClause.parent.kind) === 264; } function isIdentifierTypeReference(node) { return isTypeReferenceNode(node) && isIdentifier(node.typeName); } function arrayIsHomogeneous(array, comparer = equateValues) { if (array.length < 2) return true; const first2 = array[0]; for (let i = 1, length2 = array.length; i < length2; i++) { const target = array[i]; if (!comparer(first2, target)) return false; } return true; } function setTextRangePos(range, pos) { range.pos = pos; return range; } function setTextRangeEnd(range, end) { range.end = end; return range; } function setTextRangePosEnd(range, pos, end) { return setTextRangeEnd(setTextRangePos(range, pos), end); } function setTextRangePosWidth(range, pos, width) { return setTextRangePosEnd(range, pos, pos + width); } function setNodeFlags(node, newFlags) { if (node) { node.flags = newFlags; } return node; } function setParent(child, parent2) { if (child && parent2) { child.parent = parent2; } return child; } function setEachParent(children, parent2) { if (children) { for (const child of children) { setParent(child, parent2); } } return children; } function setParentRecursive(rootNode, incremental) { if (!rootNode) return rootNode; forEachChildRecursively(rootNode, isJSDocNode(rootNode) ? bindParentToChildIgnoringJSDoc : bindParentToChild); return rootNode; function bindParentToChildIgnoringJSDoc(child, parent2) { if (incremental && child.parent === parent2) { return "skip"; } setParent(child, parent2); } function bindJSDoc(child) { if (hasJSDocNodes(child)) { for (const doc of child.jsDoc) { bindParentToChildIgnoringJSDoc(doc, child); forEachChildRecursively(doc, bindParentToChildIgnoringJSDoc); } } } function bindParentToChild(child, parent2) { return bindParentToChildIgnoringJSDoc(child, parent2) || bindJSDoc(child); } } function isPackedElement(node) { return !isOmittedExpression(node); } function isPackedArrayLiteral(node) { return isArrayLiteralExpression(node) && every(node.elements, isPackedElement); } function expressionResultIsUnused(node) { Debug.assertIsDefined(node.parent); while (true) { const parent2 = node.parent; if (isParenthesizedExpression(parent2)) { node = parent2; continue; } if (isExpressionStatement2(parent2) || isVoidExpression(parent2) || isForStatement(parent2) && (parent2.initializer === node || parent2.incrementor === node)) { return true; } if (isCommaListExpression(parent2)) { if (node !== last(parent2.elements)) return true; node = parent2; continue; } if (isBinaryExpression(parent2) && parent2.operatorToken.kind === 28) { if (node === parent2.left) return true; node = parent2; continue; } return false; } } function containsIgnoredPath(path17) { return some(ignoredPaths, (p) => path17.includes(p)); } function getContainingNodeArray(node) { if (!node.parent) return void 0; switch (node.kind) { case 168: const { parent: parent3 } = node; return parent3.kind === 195 ? void 0 : parent3.typeParameters; case 169: return node.parent.parameters; case 204: return node.parent.templateSpans; case 239: return node.parent.templateSpans; case 170: { const { parent: parent4 } = node; return canHaveDecorators(parent4) ? parent4.modifiers : void 0; } case 298: return node.parent.heritageClauses; } const { parent: parent2 } = node; if (isJSDocTag(node)) { return isJSDocTypeLiteral(node.parent) ? void 0 : node.parent.tags; } switch (parent2.kind) { case 187: case 264: return isTypeElement(node) ? parent2.members : void 0; case 192: case 193: return parent2.types; case 189: case 209: case 355: case 275: case 279: return parent2.elements; case 210: case 292: return parent2.properties; case 213: case 214: return isTypeNode(node) ? parent2.typeArguments : parent2.expression === node ? void 0 : parent2.arguments; case 284: case 288: return isJsxChild(node) ? parent2.children : void 0; case 286: case 285: return isTypeNode(node) ? parent2.typeArguments : void 0; case 241: case 296: case 297: case 268: return parent2.statements; case 269: return parent2.clauses; case 263: case 231: return isClassElement(node) ? parent2.members : void 0; case 266: return isEnumMember(node) ? parent2.members : void 0; case 307: return parent2.statements; } } function hasContextSensitiveParameters(node) { if (!node.typeParameters) { if (some(node.parameters, (p) => !getEffectiveTypeAnnotationNode(p))) { return true; } if (node.kind !== 219) { const parameter = firstOrUndefined(node.parameters); if (!(parameter && parameterIsThisKeyword(parameter))) { return true; } } } return false; } function isInfinityOrNaNString(name) { return name === "Infinity" || name === "-Infinity" || name === "NaN"; } function isCatchClauseVariableDeclaration(node) { return node.kind === 260 && node.parent.kind === 299; } function isFunctionExpressionOrArrowFunction(node) { return node.kind === 218 || node.kind === 219; } function escapeSnippetText(text) { return text.replace(/\$/gm, () => "\\$"); } function isNumericLiteralName(name) { return (+name).toString() === name; } function createPropertyNameNodeForIdentifierOrLiteral(name, target, singleQuote, stringNamed, isMethod) { const isMethodNamedNew = isMethod && name === "new"; return !isMethodNamedNew && isIdentifierText(name, target) ? factory.createIdentifier(name) : !stringNamed && !isMethodNamedNew && isNumericLiteralName(name) && +name >= 0 ? factory.createNumericLiteral(+name) : factory.createStringLiteral(name, !!singleQuote); } function isThisTypeParameter(type) { return !!(type.flags & 262144 && type.isThisType); } function getNodeModulePathParts(fullPath) { let topLevelNodeModulesIndex = 0; let topLevelPackageNameIndex = 0; let packageRootIndex = 0; let fileNameIndex = 0; let States; ((States2) => { States2[States2["BeforeNodeModules"] = 0] = "BeforeNodeModules"; States2[States2["NodeModules"] = 1] = "NodeModules"; States2[States2["Scope"] = 2] = "Scope"; States2[States2["PackageContent"] = 3] = "PackageContent"; })(States || (States = {})); let partStart = 0; let partEnd = 0; let state = 0; while (partEnd >= 0) { partStart = partEnd; partEnd = fullPath.indexOf("/", partStart + 1); switch (state) { case 0: if (fullPath.indexOf(nodeModulesPathPart, partStart) === partStart) { topLevelNodeModulesIndex = partStart; topLevelPackageNameIndex = partEnd; state = 1; } break; case 1: case 2: if (state === 1 && fullPath.charAt(partStart + 1) === "@") { state = 2; } else { packageRootIndex = partEnd; state = 3; } break; case 3: if (fullPath.indexOf(nodeModulesPathPart, partStart) === partStart) { state = 1; } else { state = 3; } break; } } fileNameIndex = partStart; return state > 1 ? { topLevelNodeModulesIndex, topLevelPackageNameIndex, packageRootIndex, fileNameIndex } : void 0; } function getParameterTypeNode(parameter) { var _a; return parameter.kind === 341 ? (_a = parameter.typeExpression) == null ? void 0 : _a.type : parameter.type; } function isTypeDeclaration(node) { switch (node.kind) { case 168: case 263: case 264: case 265: case 266: case 346: case 338: case 340: return true; case 273: return node.isTypeOnly; case 276: case 281: return node.parent.parent.isTypeOnly; default: return false; } } function canHaveExportModifier(node) { return isEnumDeclaration(node) || isVariableStatement(node) || isFunctionDeclaration(node) || isClassDeclaration(node) || isInterfaceDeclaration(node) || isTypeDeclaration(node) || isModuleDeclaration(node) && !isExternalModuleAugmentation(node) && !isGlobalScopeAugmentation(node); } function isOptionalJSDocPropertyLikeTag(node) { if (!isJSDocPropertyLikeTag(node)) { return false; } const { isBracketed, typeExpression } = node; return isBracketed || !!typeExpression && typeExpression.type.kind === 316; } function canUsePropertyAccess(name, languageVersion) { if (name.length === 0) { return false; } const firstChar = name.charCodeAt(0); return firstChar === 35 ? name.length > 1 && isIdentifierStart(name.charCodeAt(1), languageVersion) : isIdentifierStart(firstChar, languageVersion); } function hasTabstop(node) { var _a; return ((_a = getSnippetElement(node)) == null ? void 0 : _a.kind) === 0; } function isJSDocOptionalParameter(node) { return isInJSFile(node) && // node.type should only be a JSDocOptionalType when node is a parameter of a JSDocFunctionType (node.type && node.type.kind === 316 || getJSDocParameterTags(node).some(isOptionalJSDocPropertyLikeTag)); } function isOptionalDeclaration(declaration) { switch (declaration.kind) { case 172: case 171: return !!declaration.questionToken; case 169: return !!declaration.questionToken || isJSDocOptionalParameter(declaration); case 348: case 341: return isOptionalJSDocPropertyLikeTag(declaration); default: return false; } } function isNonNullAccess(node) { const kind = node.kind; return (kind === 211 || kind === 212) && isNonNullExpression(node.expression); } function isJSDocSatisfiesExpression(node) { return isInJSFile(node) && isParenthesizedExpression(node) && hasJSDocNodes(node) && !!getJSDocSatisfiesTag(node); } function getJSDocSatisfiesExpressionType(node) { return Debug.checkDefined(tryGetJSDocSatisfiesTypeNode(node)); } function tryGetJSDocSatisfiesTypeNode(node) { const tag = getJSDocSatisfiesTag(node); return tag && tag.typeExpression && tag.typeExpression.type; } function getEscapedTextOfJsxAttributeName(node) { return isIdentifier(node) ? node.escapedText : getEscapedTextOfJsxNamespacedName(node); } function getTextOfJsxAttributeName(node) { return isIdentifier(node) ? idText(node) : getTextOfJsxNamespacedName(node); } function isJsxAttributeName(node) { const kind = node.kind; return kind === 80 || kind === 295; } function getEscapedTextOfJsxNamespacedName(node) { return `${node.namespace.escapedText}:${idText(node.name)}`; } function getTextOfJsxNamespacedName(node) { return `${idText(node.namespace)}:${idText(node.name)}`; } function intrinsicTagNameToString(node) { return isIdentifier(node) ? idText(node) : getTextOfJsxNamespacedName(node); } function isTypeUsableAsPropertyName(type) { return !!(type.flags & 8576); } function getPropertyNameFromType(type) { if (type.flags & 8192) { return type.escapedName; } if (type.flags & (128 | 256)) { return escapeLeadingUnderscores("" + type.value); } return Debug.fail(); } function isExpandoPropertyDeclaration(declaration) { return !!declaration && (isPropertyAccessExpression(declaration) || isElementAccessExpression(declaration) || isBinaryExpression(declaration)); } function hasResolutionModeOverride(node) { if (node === void 0) { return false; } return !!getResolutionModeOverride(node.attributes); } var stringReplace = String.prototype.replace; function replaceFirstStar(s, replacement) { return stringReplace.call(s, "*", replacement); } function getNameFromImportAttribute(node) { return isIdentifier(node.name) ? node.name.escapedText : escapeLeadingUnderscores(node.name.text); } function evaluatorResult(value, isSyntacticallyString = false, resolvedOtherFiles = false, hasExternalReferences = false) { return { value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences }; } function createEvaluator({ evaluateElementAccessExpression, evaluateEntityNameExpression }) { function evaluate(expr, location) { let isSyntacticallyString = false; let resolvedOtherFiles = false; let hasExternalReferences = false; expr = skipParentheses(expr); switch (expr.kind) { case 224: const result = evaluate(expr.operand, location); resolvedOtherFiles = result.resolvedOtherFiles; hasExternalReferences = result.hasExternalReferences; if (typeof result.value === "number") { switch (expr.operator) { case 40: return evaluatorResult(result.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences); case 41: return evaluatorResult(-result.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences); case 55: return evaluatorResult(~result.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences); } } break; case 226: { const left = evaluate(expr.left, location); const right = evaluate(expr.right, location); isSyntacticallyString = (left.isSyntacticallyString || right.isSyntacticallyString) && expr.operatorToken.kind === 40; resolvedOtherFiles = left.resolvedOtherFiles || right.resolvedOtherFiles; hasExternalReferences = left.hasExternalReferences || right.hasExternalReferences; if (typeof left.value === "number" && typeof right.value === "number") { switch (expr.operatorToken.kind) { case 52: return evaluatorResult(left.value | right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences); case 51: return evaluatorResult(left.value & right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences); case 49: return evaluatorResult(left.value >> right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences); case 50: return evaluatorResult(left.value >>> right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences); case 48: return evaluatorResult(left.value << right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences); case 53: return evaluatorResult(left.value ^ right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences); case 42: return evaluatorResult(left.value * right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences); case 44: return evaluatorResult(left.value / right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences); case 40: return evaluatorResult(left.value + right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences); case 41: return evaluatorResult(left.value - right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences); case 45: return evaluatorResult(left.value % right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences); case 43: return evaluatorResult(left.value ** right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences); } } else if ((typeof left.value === "string" || typeof left.value === "number") && (typeof right.value === "string" || typeof right.value === "number") && expr.operatorToken.kind === 40) { return evaluatorResult( "" + left.value + right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences ); } break; } case 11: case 15: return evaluatorResult( expr.text, /*isSyntacticallyString*/ true ); case 228: return evaluateTemplateExpression(expr, location); case 9: return evaluatorResult(+expr.text); case 80: return evaluateEntityNameExpression(expr, location); case 211: if (isEntityNameExpression(expr)) { return evaluateEntityNameExpression(expr, location); } break; case 212: return evaluateElementAccessExpression(expr, location); } return evaluatorResult( /*value*/ void 0, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences ); } function evaluateTemplateExpression(expr, location) { let result = expr.head.text; let resolvedOtherFiles = false; let hasExternalReferences = false; for (const span of expr.templateSpans) { const spanResult = evaluate(span.expression, location); if (spanResult.value === void 0) { return evaluatorResult( /*value*/ void 0, /*isSyntacticallyString*/ true ); } result += spanResult.value; result += span.literal.text; resolvedOtherFiles || (resolvedOtherFiles = spanResult.resolvedOtherFiles); hasExternalReferences || (hasExternalReferences = spanResult.hasExternalReferences); } return evaluatorResult( result, /*isSyntacticallyString*/ true, resolvedOtherFiles, hasExternalReferences ); } return evaluate; } function isConstAssertion(location) { return isAssertionExpression(location) && isConstTypeReference(location.type) || isJSDocTypeTag(location) && isConstTypeReference(location.typeExpression); } function findConstructorDeclaration(node) { const members = node.members; for (const member of members) { if (member.kind === 176 && nodeIsPresent(member.body)) { return member; } } } function createNameResolver({ compilerOptions, requireSymbol, argumentsSymbol, error: error2, getSymbolOfDeclaration, globals: globals2, lookup, setRequiresScopeChangeCache = returnUndefined, getRequiresScopeChangeCache = returnUndefined, onPropertyWithInvalidInitializer = returnFalse, onFailedToResolveSymbol = returnUndefined, onSuccessfullyResolvedSymbol = returnUndefined }) { var isolatedModulesLikeFlagName = compilerOptions.verbatimModuleSyntax ? "verbatimModuleSyntax" : "isolatedModules"; var emitStandardClassFields = getEmitStandardClassFields(compilerOptions); var emptySymbols = createSymbolTable(); return resolveNameHelper; function resolveNameHelper(location, nameArg, meaning, nameNotFoundMessage, isUse, excludeGlobals) { var _a, _b, _c; const originalLocation = location; let result; let lastLocation; let lastSelfReferenceLocation; let propertyWithInvalidInitializer; let associatedDeclarationForContainingInitializerOrBindingName; let withinDeferredContext = false; let grandparent; const name = isString2(nameArg) ? nameArg : nameArg.escapedText; loop: while (location) { if (name === "const" && isConstAssertion(location)) { return void 0; } if (isModuleOrEnumDeclaration(location) && lastLocation && location.name === lastLocation) { lastLocation = location; location = location.parent; } if (canHaveLocals(location) && location.locals && !isGlobalSourceFile(location)) { if (result = lookup(location.locals, name, meaning)) { let useResult = true; if (isFunctionLike(location) && lastLocation && lastLocation !== location.body) { if (meaning & result.flags & 788968 && lastLocation.kind !== 320) { useResult = result.flags & 262144 ? !!(lastLocation.flags & 16) || // Synthetic fake scopes are added for signatures so type parameters are accessible from them lastLocation === location.type || lastLocation.kind === 169 || lastLocation.kind === 341 || lastLocation.kind === 342 || lastLocation.kind === 168 : false; } if (meaning & result.flags & 3) { if (useOuterVariableScopeInParameter(result, location, lastLocation)) { useResult = false; } else if (result.flags & 1) { useResult = lastLocation.kind === 169 || !!(lastLocation.flags & 16) || // Synthetic fake scopes are added for signatures so parameters are accessible from them lastLocation === location.type && !!findAncestor(result.valueDeclaration, isParameter); } } } else if (location.kind === 194) { useResult = lastLocation === location.trueType; } if (useResult) { break loop; } else { result = void 0; } } } withinDeferredContext = withinDeferredContext || getIsDeferredContext(location, lastLocation); switch (location.kind) { case 307: if (!isExternalOrCommonJsModule(location)) break; case 267: const moduleExports4 = ((_a = getSymbolOfDeclaration(location)) == null ? void 0 : _a.exports) || emptySymbols; if (location.kind === 307 || isModuleDeclaration(location) && location.flags & 33554432 && !isGlobalScopeAugmentation(location)) { if (result = moduleExports4.get( "default" /* Default */ )) { const localSymbol = getLocalSymbolForExportDefault(result); if (localSymbol && result.flags & meaning && localSymbol.escapedName === name) { break loop; } result = void 0; } const moduleExport = moduleExports4.get(name); if (moduleExport && moduleExport.flags === 2097152 && (getDeclarationOfKind( moduleExport, 281 /* ExportSpecifier */ ) || getDeclarationOfKind( moduleExport, 280 /* NamespaceExport */ ))) { break; } } if (name !== "default" && (result = lookup( moduleExports4, name, meaning & 2623475 /* ModuleMember */ ))) { if (isSourceFile(location) && location.commonJsModuleIndicator && !((_b = result.declarations) == null ? void 0 : _b.some(isJSDocTypeAlias))) { result = void 0; } else { break loop; } } break; case 266: if (result = lookup( ((_c = getSymbolOfDeclaration(location)) == null ? void 0 : _c.exports) || emptySymbols, name, meaning & 8 /* EnumMember */ )) { if (nameNotFoundMessage && getIsolatedModules(compilerOptions) && !(location.flags & 33554432) && getSourceFileOfNode(location) !== getSourceFileOfNode(result.valueDeclaration)) { error2( originalLocation, Diagnostics.Cannot_access_0_from_another_file_without_qualification_when_1_is_enabled_Use_2_instead, unescapeLeadingUnderscores(name), isolatedModulesLikeFlagName, `${unescapeLeadingUnderscores(getSymbolOfDeclaration(location).escapedName)}.${unescapeLeadingUnderscores(name)}` ); } break loop; } break; case 172: if (!isStatic(location)) { const ctor = findConstructorDeclaration(location.parent); if (ctor && ctor.locals) { if (lookup( ctor.locals, name, meaning & 111551 /* Value */ )) { Debug.assertNode(location, isPropertyDeclaration); propertyWithInvalidInitializer = location; } } } break; case 263: case 231: case 264: if (result = lookup( getSymbolOfDeclaration(location).members || emptySymbols, name, meaning & 788968 /* Type */ )) { if (!isTypeParameterSymbolDeclaredInContainer(result, location)) { result = void 0; break; } if (lastLocation && isStatic(lastLocation)) { if (nameNotFoundMessage) { error2(originalLocation, Diagnostics.Static_members_cannot_reference_class_type_parameters); } return void 0; } break loop; } if (isClassExpression(location) && meaning & 32) { const className = location.name; if (className && name === className.escapedText) { result = location.symbol; break loop; } } break; case 233: if (lastLocation === location.expression && location.parent.token === 96) { const container = location.parent.parent; if (isClassLike(container) && (result = lookup( getSymbolOfDeclaration(container).members, name, meaning & 788968 /* Type */ ))) { if (nameNotFoundMessage) { error2(originalLocation, Diagnostics.Base_class_expressions_cannot_reference_class_type_parameters); } return void 0; } } break; case 167: grandparent = location.parent.parent; if (isClassLike(grandparent) || grandparent.kind === 264) { if (result = lookup( getSymbolOfDeclaration(grandparent).members, name, meaning & 788968 /* Type */ )) { if (nameNotFoundMessage) { error2(originalLocation, Diagnostics.A_computed_property_name_cannot_reference_a_type_parameter_from_its_containing_type); } return void 0; } } break; case 219: if (getEmitScriptTarget(compilerOptions) >= 2) { break; } case 174: case 176: case 177: case 178: case 262: if (meaning & 3 && name === "arguments") { result = argumentsSymbol; break loop; } break; case 218: if (meaning & 3 && name === "arguments") { result = argumentsSymbol; break loop; } if (meaning & 16) { const functionName = location.name; if (functionName && name === functionName.escapedText) { result = location.symbol; break loop; } } break; case 170: if (location.parent && location.parent.kind === 169) { location = location.parent; } if (location.parent && (isClassElement(location.parent) || location.parent.kind === 263)) { location = location.parent; } break; case 346: case 338: case 340: case 351: const root2 = getJSDocRoot(location); if (root2) { location = root2.parent; } break; case 169: if (lastLocation && (lastLocation === location.initializer || lastLocation === location.name && isBindingPattern(lastLocation))) { if (!associatedDeclarationForContainingInitializerOrBindingName) { associatedDeclarationForContainingInitializerOrBindingName = location; } } break; case 208: if (lastLocation && (lastLocation === location.initializer || lastLocation === location.name && isBindingPattern(lastLocation))) { if (isPartOfParameterDeclaration(location) && !associatedDeclarationForContainingInitializerOrBindingName) { associatedDeclarationForContainingInitializerOrBindingName = location; } } break; case 195: if (meaning & 262144) { const parameterName = location.typeParameter.name; if (parameterName && name === parameterName.escapedText) { result = location.typeParameter.symbol; break loop; } } break; case 281: if (lastLocation && lastLocation === location.propertyName && location.parent.parent.moduleSpecifier) { location = location.parent.parent.parent; } break; } if (isSelfReferenceLocation(location, lastLocation)) { lastSelfReferenceLocation = location; } lastLocation = location; location = isJSDocTemplateTag(location) ? getEffectiveContainerForJSDocTemplateTag(location) || location.parent : isJSDocParameterTag(location) || isJSDocReturnTag(location) ? getHostSignatureFromJSDoc(location) || location.parent : location.parent; } if (isUse && result && (!lastSelfReferenceLocation || result !== lastSelfReferenceLocation.symbol)) { result.isReferenced |= meaning; } if (!result) { if (lastLocation) { Debug.assertNode(lastLocation, isSourceFile); if (lastLocation.commonJsModuleIndicator && name === "exports" && meaning & lastLocation.symbol.flags) { return lastLocation.symbol; } } if (!excludeGlobals) { result = lookup(globals2, name, meaning); } } if (!result) { if (originalLocation && isInJSFile(originalLocation) && originalLocation.parent) { if (isRequireCall( originalLocation.parent, /*requireStringLiteralLikeArgument*/ false )) { return requireSymbol; } } } if (nameNotFoundMessage) { if (propertyWithInvalidInitializer && onPropertyWithInvalidInitializer(originalLocation, name, propertyWithInvalidInitializer, result)) { return void 0; } if (!result) { onFailedToResolveSymbol(originalLocation, nameArg, meaning, nameNotFoundMessage); } else { onSuccessfullyResolvedSymbol(originalLocation, result, meaning, lastLocation, associatedDeclarationForContainingInitializerOrBindingName, withinDeferredContext); } } return result; } function useOuterVariableScopeInParameter(result, location, lastLocation) { const target = getEmitScriptTarget(compilerOptions); const functionLocation = location; if (isParameter(lastLocation) && functionLocation.body && result.valueDeclaration && result.valueDeclaration.pos >= functionLocation.body.pos && result.valueDeclaration.end <= functionLocation.body.end) { if (target >= 2) { let declarationRequiresScopeChange = getRequiresScopeChangeCache(functionLocation); if (declarationRequiresScopeChange === void 0) { declarationRequiresScopeChange = forEach(functionLocation.parameters, requiresScopeChange) || false; setRequiresScopeChangeCache(functionLocation, declarationRequiresScopeChange); } return !declarationRequiresScopeChange; } } return false; function requiresScopeChange(node) { return requiresScopeChangeWorker(node.name) || !!node.initializer && requiresScopeChangeWorker(node.initializer); } function requiresScopeChangeWorker(node) { switch (node.kind) { case 219: case 218: case 262: case 176: return false; case 174: case 177: case 178: case 303: return requiresScopeChangeWorker(node.name); case 172: if (hasStaticModifier(node)) { return !emitStandardClassFields; } return requiresScopeChangeWorker(node.name); default: if (isNullishCoalesce(node) || isOptionalChain(node)) { return target < 7; } if (isBindingElement(node) && node.dotDotDotToken && isObjectBindingPattern(node.parent)) { return target < 4; } if (isTypeNode(node)) return false; return forEachChild(node, requiresScopeChangeWorker) || false; } } } function getIsDeferredContext(location, lastLocation) { if (location.kind !== 219 && location.kind !== 218) { return isTypeQueryNode(location) || (isFunctionLikeDeclaration(location) || location.kind === 172 && !isStatic(location)) && (!lastLocation || lastLocation !== location.name); } if (lastLocation && lastLocation === location.name) { return false; } if (location.asteriskToken || hasSyntacticModifier( location, 1024 /* Async */ )) { return true; } return !getImmediatelyInvokedFunctionExpression(location); } function isSelfReferenceLocation(node, lastLocation) { switch (node.kind) { case 169: return !!lastLocation && lastLocation === node.name; case 262: case 263: case 264: case 266: case 265: case 267: return true; default: return false; } } function isTypeParameterSymbolDeclaredInContainer(symbol, container) { if (symbol.declarations) { for (const decl of symbol.declarations) { if (decl.kind === 168) { const parent2 = isJSDocTemplateTag(decl.parent) ? getJSDocHost(decl.parent) : decl.parent; if (parent2 === container) { return !(isJSDocTemplateTag(decl.parent) && find(decl.parent.parent.tags, isJSDocTypeAlias)); } } } } return false; } } function isPrimitiveLiteralValue(node, includeBigInt = true) { Debug.type(node); switch (node.kind) { case 112: case 97: case 9: case 11: case 15: return true; case 10: return includeBigInt; case 224: if (node.operator === 41) { return isNumericLiteral(node.operand) || includeBigInt && isBigIntLiteral2(node.operand); } if (node.operator === 40) { return isNumericLiteral(node.operand); } return false; default: assertType(node); return false; } } function unwrapParenthesizedExpression(o) { while (o.kind === 217) { o = o.expression; } return o; } function hasInferredType(node) { Debug.type(node); switch (node.kind) { case 169: case 171: case 172: case 208: case 211: case 212: case 226: case 260: case 277: case 303: return true; default: assertType(node); return false; } } function createBaseNodeFactory() { let NodeConstructor2; let TokenConstructor2; let IdentifierConstructor2; let PrivateIdentifierConstructor2; let SourceFileConstructor2; return { createBaseSourceFileNode, createBaseIdentifierNode, createBasePrivateIdentifierNode, createBaseTokenNode, createBaseNode }; function createBaseSourceFileNode(kind) { return new (SourceFileConstructor2 || (SourceFileConstructor2 = objectAllocator.getSourceFileConstructor()))( kind, /*pos*/ -1, /*end*/ -1 ); } function createBaseIdentifierNode(kind) { return new (IdentifierConstructor2 || (IdentifierConstructor2 = objectAllocator.getIdentifierConstructor()))( kind, /*pos*/ -1, /*end*/ -1 ); } function createBasePrivateIdentifierNode(kind) { return new (PrivateIdentifierConstructor2 || (PrivateIdentifierConstructor2 = objectAllocator.getPrivateIdentifierConstructor()))( kind, /*pos*/ -1, /*end*/ -1 ); } function createBaseTokenNode(kind) { return new (TokenConstructor2 || (TokenConstructor2 = objectAllocator.getTokenConstructor()))( kind, /*pos*/ -1, /*end*/ -1 ); } function createBaseNode(kind) { return new (NodeConstructor2 || (NodeConstructor2 = objectAllocator.getNodeConstructor()))( kind, /*pos*/ -1, /*end*/ -1 ); } } function createParenthesizerRules(factory2) { let binaryLeftOperandParenthesizerCache; let binaryRightOperandParenthesizerCache; return { getParenthesizeLeftSideOfBinaryForOperator, getParenthesizeRightSideOfBinaryForOperator, parenthesizeLeftSideOfBinary, parenthesizeRightSideOfBinary, parenthesizeExpressionOfComputedPropertyName, parenthesizeConditionOfConditionalExpression, parenthesizeBranchOfConditionalExpression, parenthesizeExpressionOfExportDefault, parenthesizeExpressionOfNew, parenthesizeLeftSideOfAccess, parenthesizeOperandOfPostfixUnary, parenthesizeOperandOfPrefixUnary, parenthesizeExpressionsOfCommaDelimitedList, parenthesizeExpressionForDisallowedComma, parenthesizeExpressionOfExpressionStatement, parenthesizeConciseBodyOfArrowFunction, parenthesizeCheckTypeOfConditionalType, parenthesizeExtendsTypeOfConditionalType, parenthesizeConstituentTypesOfUnionType, parenthesizeConstituentTypeOfUnionType, parenthesizeConstituentTypesOfIntersectionType, parenthesizeConstituentTypeOfIntersectionType, parenthesizeOperandOfTypeOperator, parenthesizeOperandOfReadonlyTypeOperator, parenthesizeNonArrayTypeOfPostfixType, parenthesizeElementTypesOfTupleType, parenthesizeElementTypeOfTupleType, parenthesizeTypeOfOptionalType, parenthesizeTypeArguments, parenthesizeLeadingTypeArgument }; function getParenthesizeLeftSideOfBinaryForOperator(operatorKind) { binaryLeftOperandParenthesizerCache || (binaryLeftOperandParenthesizerCache = /* @__PURE__ */ new Map()); let parenthesizerRule = binaryLeftOperandParenthesizerCache.get(operatorKind); if (!parenthesizerRule) { parenthesizerRule = (node) => parenthesizeLeftSideOfBinary(operatorKind, node); binaryLeftOperandParenthesizerCache.set(operatorKind, parenthesizerRule); } return parenthesizerRule; } function getParenthesizeRightSideOfBinaryForOperator(operatorKind) { binaryRightOperandParenthesizerCache || (binaryRightOperandParenthesizerCache = /* @__PURE__ */ new Map()); let parenthesizerRule = binaryRightOperandParenthesizerCache.get(operatorKind); if (!parenthesizerRule) { parenthesizerRule = (node) => parenthesizeRightSideOfBinary( operatorKind, /*leftSide*/ void 0, node ); binaryRightOperandParenthesizerCache.set(operatorKind, parenthesizerRule); } return parenthesizerRule; } function binaryOperandNeedsParentheses(binaryOperator, operand, isLeftSideOfBinary, leftOperand) { const binaryOperatorPrecedence = getOperatorPrecedence(226, binaryOperator); const binaryOperatorAssociativity = getOperatorAssociativity(226, binaryOperator); const emittedOperand = skipPartiallyEmittedExpressions(operand); if (!isLeftSideOfBinary && operand.kind === 219 && binaryOperatorPrecedence > 3) { return true; } const operandPrecedence = getExpressionPrecedence(emittedOperand); switch (compareValues(operandPrecedence, binaryOperatorPrecedence)) { case -1: if (!isLeftSideOfBinary && binaryOperatorAssociativity === 1 && operand.kind === 229) { return false; } return true; case 1: return false; case 0: if (isLeftSideOfBinary) { return binaryOperatorAssociativity === 1; } else { if (isBinaryExpression(emittedOperand) && emittedOperand.operatorToken.kind === binaryOperator) { if (operatorHasAssociativeProperty(binaryOperator)) { return false; } if (binaryOperator === 40) { const leftKind = leftOperand ? getLiteralKindOfBinaryPlusOperand(leftOperand) : 0; if (isLiteralKind(leftKind) && leftKind === getLiteralKindOfBinaryPlusOperand(emittedOperand)) { return false; } } } const operandAssociativity = getExpressionAssociativity(emittedOperand); return operandAssociativity === 0; } } } function operatorHasAssociativeProperty(binaryOperator) { return binaryOperator === 42 || binaryOperator === 52 || binaryOperator === 51 || binaryOperator === 53 || binaryOperator === 28; } function getLiteralKindOfBinaryPlusOperand(node) { node = skipPartiallyEmittedExpressions(node); if (isLiteralKind(node.kind)) { return node.kind; } if (node.kind === 226 && node.operatorToken.kind === 40) { if (node.cachedLiteralKind !== void 0) { return node.cachedLiteralKind; } const leftKind = getLiteralKindOfBinaryPlusOperand(node.left); const literalKind = isLiteralKind(leftKind) && leftKind === getLiteralKindOfBinaryPlusOperand(node.right) ? leftKind : 0; node.cachedLiteralKind = literalKind; return literalKind; } return 0; } function parenthesizeBinaryOperand(binaryOperator, operand, isLeftSideOfBinary, leftOperand) { const skipped = skipPartiallyEmittedExpressions(operand); if (skipped.kind === 217) { return operand; } return binaryOperandNeedsParentheses(binaryOperator, operand, isLeftSideOfBinary, leftOperand) ? factory2.createParenthesizedExpression(operand) : operand; } function parenthesizeLeftSideOfBinary(binaryOperator, leftSide) { return parenthesizeBinaryOperand( binaryOperator, leftSide, /*isLeftSideOfBinary*/ true ); } function parenthesizeRightSideOfBinary(binaryOperator, leftSide, rightSide) { return parenthesizeBinaryOperand( binaryOperator, rightSide, /*isLeftSideOfBinary*/ false, leftSide ); } function parenthesizeExpressionOfComputedPropertyName(expression) { return isCommaSequence(expression) ? factory2.createParenthesizedExpression(expression) : expression; } function parenthesizeConditionOfConditionalExpression(condition) { const conditionalPrecedence = getOperatorPrecedence( 227, 58 /* QuestionToken */ ); const emittedCondition = skipPartiallyEmittedExpressions(condition); const conditionPrecedence = getExpressionPrecedence(emittedCondition); if (compareValues(conditionPrecedence, conditionalPrecedence) !== 1) { return factory2.createParenthesizedExpression(condition); } return condition; } function parenthesizeBranchOfConditionalExpression(branch) { const emittedExpression = skipPartiallyEmittedExpressions(branch); return isCommaSequence(emittedExpression) ? factory2.createParenthesizedExpression(branch) : branch; } function parenthesizeExpressionOfExportDefault(expression) { const check = skipPartiallyEmittedExpressions(expression); let needsParens = isCommaSequence(check); if (!needsParens) { switch (getLeftmostExpression( check, /*stopAtCallExpressions*/ false ).kind) { case 231: case 218: needsParens = true; } } return needsParens ? factory2.createParenthesizedExpression(expression) : expression; } function parenthesizeExpressionOfNew(expression) { const leftmostExpr = getLeftmostExpression( expression, /*stopAtCallExpressions*/ true ); switch (leftmostExpr.kind) { case 213: return factory2.createParenthesizedExpression(expression); case 214: return !leftmostExpr.arguments ? factory2.createParenthesizedExpression(expression) : expression; } return parenthesizeLeftSideOfAccess(expression); } function parenthesizeLeftSideOfAccess(expression, optionalChain) { const emittedExpression = skipPartiallyEmittedExpressions(expression); if (isLeftHandSideExpression(emittedExpression) && (emittedExpression.kind !== 214 || emittedExpression.arguments) && (optionalChain || !isOptionalChain(emittedExpression))) { return expression; } return setTextRange(factory2.createParenthesizedExpression(expression), expression); } function parenthesizeOperandOfPostfixUnary(operand) { return isLeftHandSideExpression(operand) ? operand : setTextRange(factory2.createParenthesizedExpression(operand), operand); } function parenthesizeOperandOfPrefixUnary(operand) { return isUnaryExpression(operand) ? operand : setTextRange(factory2.createParenthesizedExpression(operand), operand); } function parenthesizeExpressionsOfCommaDelimitedList(elements) { const result = sameMap(elements, parenthesizeExpressionForDisallowedComma); return setTextRange(factory2.createNodeArray(result, elements.hasTrailingComma), elements); } function parenthesizeExpressionForDisallowedComma(expression) { const emittedExpression = skipPartiallyEmittedExpressions(expression); const expressionPrecedence = getExpressionPrecedence(emittedExpression); const commaPrecedence = getOperatorPrecedence( 226, 28 /* CommaToken */ ); return expressionPrecedence > commaPrecedence ? expression : setTextRange(factory2.createParenthesizedExpression(expression), expression); } function parenthesizeExpressionOfExpressionStatement(expression) { const emittedExpression = skipPartiallyEmittedExpressions(expression); if (isCallExpression2(emittedExpression)) { const callee = emittedExpression.expression; const kind = skipPartiallyEmittedExpressions(callee).kind; if (kind === 218 || kind === 219) { const updated = factory2.updateCallExpression( emittedExpression, setTextRange(factory2.createParenthesizedExpression(callee), callee), emittedExpression.typeArguments, emittedExpression.arguments ); return factory2.restoreOuterExpressions( expression, updated, 8 /* PartiallyEmittedExpressions */ ); } } const leftmostExpressionKind = getLeftmostExpression( emittedExpression, /*stopAtCallExpressions*/ false ).kind; if (leftmostExpressionKind === 210 || leftmostExpressionKind === 218) { return setTextRange(factory2.createParenthesizedExpression(expression), expression); } return expression; } function parenthesizeConciseBodyOfArrowFunction(body) { if (!isBlock(body) && (isCommaSequence(body) || getLeftmostExpression( body, /*stopAtCallExpressions*/ false ).kind === 210)) { return setTextRange(factory2.createParenthesizedExpression(body), body); } return body; } function parenthesizeCheckTypeOfConditionalType(checkType) { switch (checkType.kind) { case 184: case 185: case 194: return factory2.createParenthesizedType(checkType); } return checkType; } function parenthesizeExtendsTypeOfConditionalType(extendsType) { switch (extendsType.kind) { case 194: return factory2.createParenthesizedType(extendsType); } return extendsType; } function parenthesizeConstituentTypeOfUnionType(type) { switch (type.kind) { case 192: case 193: return factory2.createParenthesizedType(type); } return parenthesizeCheckTypeOfConditionalType(type); } function parenthesizeConstituentTypesOfUnionType(members) { return factory2.createNodeArray(sameMap(members, parenthesizeConstituentTypeOfUnionType)); } function parenthesizeConstituentTypeOfIntersectionType(type) { switch (type.kind) { case 192: case 193: return factory2.createParenthesizedType(type); } return parenthesizeConstituentTypeOfUnionType(type); } function parenthesizeConstituentTypesOfIntersectionType(members) { return factory2.createNodeArray(sameMap(members, parenthesizeConstituentTypeOfIntersectionType)); } function parenthesizeOperandOfTypeOperator(type) { switch (type.kind) { case 193: return factory2.createParenthesizedType(type); } return parenthesizeConstituentTypeOfIntersectionType(type); } function parenthesizeOperandOfReadonlyTypeOperator(type) { switch (type.kind) { case 198: return factory2.createParenthesizedType(type); } return parenthesizeOperandOfTypeOperator(type); } function parenthesizeNonArrayTypeOfPostfixType(type) { switch (type.kind) { case 195: case 198: case 186: return factory2.createParenthesizedType(type); } return parenthesizeOperandOfTypeOperator(type); } function parenthesizeElementTypesOfTupleType(types) { return factory2.createNodeArray(sameMap(types, parenthesizeElementTypeOfTupleType)); } function parenthesizeElementTypeOfTupleType(type) { if (hasJSDocPostfixQuestion(type)) return factory2.createParenthesizedType(type); return type; } function hasJSDocPostfixQuestion(type) { if (isJSDocNullableType(type)) return type.postfix; if (isNamedTupleMember(type)) return hasJSDocPostfixQuestion(type.type); if (isFunctionTypeNode(type) || isConstructorTypeNode(type) || isTypeOperatorNode(type)) return hasJSDocPostfixQuestion(type.type); if (isConditionalTypeNode(type)) return hasJSDocPostfixQuestion(type.falseType); if (isUnionTypeNode(type)) return hasJSDocPostfixQuestion(last(type.types)); if (isIntersectionTypeNode(type)) return hasJSDocPostfixQuestion(last(type.types)); if (isInferTypeNode(type)) return !!type.typeParameter.constraint && hasJSDocPostfixQuestion(type.typeParameter.constraint); return false; } function parenthesizeTypeOfOptionalType(type) { if (hasJSDocPostfixQuestion(type)) return factory2.createParenthesizedType(type); return parenthesizeNonArrayTypeOfPostfixType(type); } function parenthesizeLeadingTypeArgument(node) { return isFunctionOrConstructorTypeNode(node) && node.typeParameters ? factory2.createParenthesizedType(node) : node; } function parenthesizeOrdinalTypeArgument(node, i) { return i === 0 ? parenthesizeLeadingTypeArgument(node) : node; } function parenthesizeTypeArguments(typeArguments) { if (some(typeArguments)) { return factory2.createNodeArray(sameMap(typeArguments, parenthesizeOrdinalTypeArgument)); } } } var nullParenthesizerRules = { getParenthesizeLeftSideOfBinaryForOperator: (_) => identity2, getParenthesizeRightSideOfBinaryForOperator: (_) => identity2, parenthesizeLeftSideOfBinary: (_binaryOperator, leftSide) => leftSide, parenthesizeRightSideOfBinary: (_binaryOperator, _leftSide, rightSide) => rightSide, parenthesizeExpressionOfComputedPropertyName: identity2, parenthesizeConditionOfConditionalExpression: identity2, parenthesizeBranchOfConditionalExpression: identity2, parenthesizeExpressionOfExportDefault: identity2, parenthesizeExpressionOfNew: (expression) => cast(expression, isLeftHandSideExpression), parenthesizeLeftSideOfAccess: (expression) => cast(expression, isLeftHandSideExpression), parenthesizeOperandOfPostfixUnary: (operand) => cast(operand, isLeftHandSideExpression), parenthesizeOperandOfPrefixUnary: (operand) => cast(operand, isUnaryExpression), parenthesizeExpressionsOfCommaDelimitedList: (nodes) => cast(nodes, isNodeArray), parenthesizeExpressionForDisallowedComma: identity2, parenthesizeExpressionOfExpressionStatement: identity2, parenthesizeConciseBodyOfArrowFunction: identity2, parenthesizeCheckTypeOfConditionalType: identity2, parenthesizeExtendsTypeOfConditionalType: identity2, parenthesizeConstituentTypesOfUnionType: (nodes) => cast(nodes, isNodeArray), parenthesizeConstituentTypeOfUnionType: identity2, parenthesizeConstituentTypesOfIntersectionType: (nodes) => cast(nodes, isNodeArray), parenthesizeConstituentTypeOfIntersectionType: identity2, parenthesizeOperandOfTypeOperator: identity2, parenthesizeOperandOfReadonlyTypeOperator: identity2, parenthesizeNonArrayTypeOfPostfixType: identity2, parenthesizeElementTypesOfTupleType: (nodes) => cast(nodes, isNodeArray), parenthesizeElementTypeOfTupleType: identity2, parenthesizeTypeOfOptionalType: identity2, parenthesizeTypeArguments: (nodes) => nodes && cast(nodes, isNodeArray), parenthesizeLeadingTypeArgument: identity2 }; function createNodeConverters(factory2) { return { convertToFunctionBlock, convertToFunctionExpression, convertToClassExpression, convertToArrayAssignmentElement, convertToObjectAssignmentElement, convertToAssignmentPattern, convertToObjectAssignmentPattern, convertToArrayAssignmentPattern, convertToAssignmentElementTarget }; function convertToFunctionBlock(node, multiLine) { if (isBlock(node)) return node; const returnStatement = factory2.createReturnStatement(node); setTextRange(returnStatement, node); const body = factory2.createBlock([returnStatement], multiLine); setTextRange(body, node); return body; } function convertToFunctionExpression(node) { var _a; if (!node.body) return Debug.fail(`Cannot convert a FunctionDeclaration without a body`); const updated = factory2.createFunctionExpression( (_a = getModifiers(node)) == null ? void 0 : _a.filter((modifier) => !isExportModifier(modifier) && !isDefaultModifier(modifier)), node.asteriskToken, node.name, node.typeParameters, node.parameters, node.type, node.body ); setOriginalNode(updated, node); setTextRange(updated, node); if (getStartsOnNewLine(node)) { setStartsOnNewLine( updated, /*newLine*/ true ); } return updated; } function convertToClassExpression(node) { var _a; const updated = factory2.createClassExpression( (_a = node.modifiers) == null ? void 0 : _a.filter((modifier) => !isExportModifier(modifier) && !isDefaultModifier(modifier)), node.name, node.typeParameters, node.heritageClauses, node.members ); setOriginalNode(updated, node); setTextRange(updated, node); if (getStartsOnNewLine(node)) { setStartsOnNewLine( updated, /*newLine*/ true ); } return updated; } function convertToArrayAssignmentElement(element) { if (isBindingElement(element)) { if (element.dotDotDotToken) { Debug.assertNode(element.name, isIdentifier); return setOriginalNode(setTextRange(factory2.createSpreadElement(element.name), element), element); } const expression = convertToAssignmentElementTarget(element.name); return element.initializer ? setOriginalNode( setTextRange( factory2.createAssignment(expression, element.initializer), element ), element ) : expression; } return cast(element, isExpression); } function convertToObjectAssignmentElement(element) { if (isBindingElement(element)) { if (element.dotDotDotToken) { Debug.assertNode(element.name, isIdentifier); return setOriginalNode(setTextRange(factory2.createSpreadAssignment(element.name), element), element); } if (element.propertyName) { const expression = convertToAssignmentElementTarget(element.name); return setOriginalNode(setTextRange(factory2.createPropertyAssignment(element.propertyName, element.initializer ? factory2.createAssignment(expression, element.initializer) : expression), element), element); } Debug.assertNode(element.name, isIdentifier); return setOriginalNode(setTextRange(factory2.createShorthandPropertyAssignment(element.name, element.initializer), element), element); } return cast(element, isObjectLiteralElementLike); } function convertToAssignmentPattern(node) { switch (node.kind) { case 207: case 209: return convertToArrayAssignmentPattern(node); case 206: case 210: return convertToObjectAssignmentPattern(node); } } function convertToObjectAssignmentPattern(node) { if (isObjectBindingPattern(node)) { return setOriginalNode( setTextRange( factory2.createObjectLiteralExpression(map(node.elements, convertToObjectAssignmentElement)), node ), node ); } return cast(node, isObjectLiteralExpression); } function convertToArrayAssignmentPattern(node) { if (isArrayBindingPattern(node)) { return setOriginalNode( setTextRange( factory2.createArrayLiteralExpression(map(node.elements, convertToArrayAssignmentElement)), node ), node ); } return cast(node, isArrayLiteralExpression); } function convertToAssignmentElementTarget(node) { if (isBindingPattern(node)) { return convertToAssignmentPattern(node); } return cast(node, isExpression); } } var nullNodeConverters = { convertToFunctionBlock: notImplemented, convertToFunctionExpression: notImplemented, convertToClassExpression: notImplemented, convertToArrayAssignmentElement: notImplemented, convertToObjectAssignmentElement: notImplemented, convertToAssignmentPattern: notImplemented, convertToObjectAssignmentPattern: notImplemented, convertToArrayAssignmentPattern: notImplemented, convertToAssignmentElementTarget: notImplemented }; var nextAutoGenerateId = 0; var NodeFactoryFlags = /* @__PURE__ */ ((NodeFactoryFlags2) => { NodeFactoryFlags2[NodeFactoryFlags2["None"] = 0] = "None"; NodeFactoryFlags2[NodeFactoryFlags2["NoParenthesizerRules"] = 1] = "NoParenthesizerRules"; NodeFactoryFlags2[NodeFactoryFlags2["NoNodeConverters"] = 2] = "NoNodeConverters"; NodeFactoryFlags2[NodeFactoryFlags2["NoIndentationOnFreshPropertyAccess"] = 4] = "NoIndentationOnFreshPropertyAccess"; NodeFactoryFlags2[NodeFactoryFlags2["NoOriginalNode"] = 8] = "NoOriginalNode"; return NodeFactoryFlags2; })(NodeFactoryFlags || {}); var nodeFactoryPatchers = []; function addNodeFactoryPatcher(fn) { nodeFactoryPatchers.push(fn); } function createNodeFactory(flags, baseFactory2) { const setOriginal = flags & 8 ? identity2 : setOriginalNode; const parenthesizerRules = memoize(() => flags & 1 ? nullParenthesizerRules : createParenthesizerRules(factory2)); const converters = memoize(() => flags & 2 ? nullNodeConverters : createNodeConverters(factory2)); const getBinaryCreateFunction = memoizeOne((operator) => (left, right) => createBinaryExpression(left, operator, right)); const getPrefixUnaryCreateFunction = memoizeOne((operator) => (operand) => createPrefixUnaryExpression(operator, operand)); const getPostfixUnaryCreateFunction = memoizeOne((operator) => (operand) => createPostfixUnaryExpression(operand, operator)); const getJSDocPrimaryTypeCreateFunction = memoizeOne((kind) => () => createJSDocPrimaryTypeWorker(kind)); const getJSDocUnaryTypeCreateFunction = memoizeOne((kind) => (type) => createJSDocUnaryTypeWorker(kind, type)); const getJSDocUnaryTypeUpdateFunction = memoizeOne((kind) => (node, type) => updateJSDocUnaryTypeWorker(kind, node, type)); const getJSDocPrePostfixUnaryTypeCreateFunction = memoizeOne((kind) => (type, postfix) => createJSDocPrePostfixUnaryTypeWorker(kind, type, postfix)); const getJSDocPrePostfixUnaryTypeUpdateFunction = memoizeOne((kind) => (node, type) => updateJSDocPrePostfixUnaryTypeWorker(kind, node, type)); const getJSDocSimpleTagCreateFunction = memoizeOne((kind) => (tagName, comment) => createJSDocSimpleTagWorker(kind, tagName, comment)); const getJSDocSimpleTagUpdateFunction = memoizeOne((kind) => (node, tagName, comment) => updateJSDocSimpleTagWorker(kind, node, tagName, comment)); const getJSDocTypeLikeTagCreateFunction = memoizeOne((kind) => (tagName, typeExpression, comment) => createJSDocTypeLikeTagWorker(kind, tagName, typeExpression, comment)); const getJSDocTypeLikeTagUpdateFunction = memoizeOne((kind) => (node, tagName, typeExpression, comment) => updateJSDocTypeLikeTagWorker(kind, node, tagName, typeExpression, comment)); const factory2 = { get parenthesizer() { return parenthesizerRules(); }, get converters() { return converters(); }, baseFactory: baseFactory2, flags, createNodeArray, createNumericLiteral, createBigIntLiteral, createStringLiteral, createStringLiteralFromNode, createRegularExpressionLiteral, createLiteralLikeNode, createIdentifier, createTempVariable, createLoopVariable, createUniqueName, getGeneratedNameForNode, createPrivateIdentifier, createUniquePrivateName, getGeneratedPrivateNameForNode, createToken, createSuper, createThis, createNull, createTrue, createFalse, createModifier, createModifiersFromModifierFlags, createQualifiedName, updateQualifiedName, createComputedPropertyName, updateComputedPropertyName, createTypeParameterDeclaration, updateTypeParameterDeclaration, createParameterDeclaration, updateParameterDeclaration, createDecorator, updateDecorator, createPropertySignature, updatePropertySignature, createPropertyDeclaration, updatePropertyDeclaration: updatePropertyDeclaration2, createMethodSignature, updateMethodSignature, createMethodDeclaration, updateMethodDeclaration, createConstructorDeclaration, updateConstructorDeclaration, createGetAccessorDeclaration, updateGetAccessorDeclaration, createSetAccessorDeclaration, updateSetAccessorDeclaration, createCallSignature, updateCallSignature, createConstructSignature, updateConstructSignature, createIndexSignature, updateIndexSignature, createClassStaticBlockDeclaration, updateClassStaticBlockDeclaration, createTemplateLiteralTypeSpan, updateTemplateLiteralTypeSpan, createKeywordTypeNode, createTypePredicateNode, updateTypePredicateNode, createTypeReferenceNode, updateTypeReferenceNode, createFunctionTypeNode, updateFunctionTypeNode, createConstructorTypeNode, updateConstructorTypeNode, createTypeQueryNode, updateTypeQueryNode, createTypeLiteralNode, updateTypeLiteralNode, createArrayTypeNode, updateArrayTypeNode, createTupleTypeNode, updateTupleTypeNode, createNamedTupleMember, updateNamedTupleMember, createOptionalTypeNode, updateOptionalTypeNode, createRestTypeNode, updateRestTypeNode, createUnionTypeNode, updateUnionTypeNode, createIntersectionTypeNode, updateIntersectionTypeNode, createConditionalTypeNode, updateConditionalTypeNode, createInferTypeNode, updateInferTypeNode, createImportTypeNode, updateImportTypeNode, createParenthesizedType, updateParenthesizedType, createThisTypeNode, createTypeOperatorNode, updateTypeOperatorNode, createIndexedAccessTypeNode, updateIndexedAccessTypeNode, createMappedTypeNode, updateMappedTypeNode, createLiteralTypeNode, updateLiteralTypeNode, createTemplateLiteralType, updateTemplateLiteralType, createObjectBindingPattern, updateObjectBindingPattern, createArrayBindingPattern, updateArrayBindingPattern, createBindingElement, updateBindingElement, createArrayLiteralExpression, updateArrayLiteralExpression, createObjectLiteralExpression, updateObjectLiteralExpression, createPropertyAccessExpression: flags & 4 ? (expression, name) => setEmitFlags( createPropertyAccessExpression(expression, name), 262144 /* NoIndentation */ ) : createPropertyAccessExpression, updatePropertyAccessExpression, createPropertyAccessChain: flags & 4 ? (expression, questionDotToken, name) => setEmitFlags( createPropertyAccessChain(expression, questionDotToken, name), 262144 /* NoIndentation */ ) : createPropertyAccessChain, updatePropertyAccessChain, createElementAccessExpression, updateElementAccessExpression, createElementAccessChain, updateElementAccessChain, createCallExpression, updateCallExpression, createCallChain, updateCallChain, createNewExpression, updateNewExpression, createTaggedTemplateExpression, updateTaggedTemplateExpression, createTypeAssertion, updateTypeAssertion, createParenthesizedExpression, updateParenthesizedExpression, createFunctionExpression, updateFunctionExpression, createArrowFunction, updateArrowFunction, createDeleteExpression, updateDeleteExpression, createTypeOfExpression, updateTypeOfExpression, createVoidExpression, updateVoidExpression, createAwaitExpression, updateAwaitExpression, createPrefixUnaryExpression, updatePrefixUnaryExpression, createPostfixUnaryExpression, updatePostfixUnaryExpression, createBinaryExpression, updateBinaryExpression, createConditionalExpression, updateConditionalExpression, createTemplateExpression, updateTemplateExpression, createTemplateHead, createTemplateMiddle, createTemplateTail, createNoSubstitutionTemplateLiteral, createTemplateLiteralLikeNode, createYieldExpression, updateYieldExpression, createSpreadElement, updateSpreadElement, createClassExpression, updateClassExpression, createOmittedExpression, createExpressionWithTypeArguments, updateExpressionWithTypeArguments, createAsExpression, updateAsExpression, createNonNullExpression, updateNonNullExpression, createSatisfiesExpression, updateSatisfiesExpression, createNonNullChain, updateNonNullChain, createMetaProperty, updateMetaProperty, createTemplateSpan, updateTemplateSpan, createSemicolonClassElement, createBlock, updateBlock, createVariableStatement, updateVariableStatement, createEmptyStatement, createExpressionStatement, updateExpressionStatement, createIfStatement, updateIfStatement, createDoStatement, updateDoStatement, createWhileStatement, updateWhileStatement, createForStatement, updateForStatement, createForInStatement, updateForInStatement, createForOfStatement, updateForOfStatement, createContinueStatement, updateContinueStatement, createBreakStatement, updateBreakStatement, createReturnStatement, updateReturnStatement, createWithStatement, updateWithStatement, createSwitchStatement, updateSwitchStatement, createLabeledStatement, updateLabeledStatement, createThrowStatement, updateThrowStatement, createTryStatement, updateTryStatement, createDebuggerStatement, createVariableDeclaration, updateVariableDeclaration, createVariableDeclarationList, updateVariableDeclarationList, createFunctionDeclaration, updateFunctionDeclaration, createClassDeclaration, updateClassDeclaration, createInterfaceDeclaration, updateInterfaceDeclaration, createTypeAliasDeclaration, updateTypeAliasDeclaration, createEnumDeclaration, updateEnumDeclaration, createModuleDeclaration, updateModuleDeclaration, createModuleBlock, updateModuleBlock, createCaseBlock, updateCaseBlock, createNamespaceExportDeclaration, updateNamespaceExportDeclaration, createImportEqualsDeclaration, updateImportEqualsDeclaration, createImportDeclaration, updateImportDeclaration, createImportClause: createImportClause2, updateImportClause, createAssertClause, updateAssertClause, createAssertEntry, updateAssertEntry, createImportTypeAssertionContainer, updateImportTypeAssertionContainer, createImportAttributes, updateImportAttributes, createImportAttribute, updateImportAttribute, createNamespaceImport, updateNamespaceImport, createNamespaceExport, updateNamespaceExport, createNamedImports, updateNamedImports, createImportSpecifier, updateImportSpecifier, createExportAssignment: createExportAssignment2, updateExportAssignment, createExportDeclaration, updateExportDeclaration, createNamedExports, updateNamedExports, createExportSpecifier, updateExportSpecifier, createMissingDeclaration, createExternalModuleReference, updateExternalModuleReference, // lazily load factory members for JSDoc types with similar structure get createJSDocAllType() { return getJSDocPrimaryTypeCreateFunction( 312 /* JSDocAllType */ ); }, get createJSDocUnknownType() { return getJSDocPrimaryTypeCreateFunction( 313 /* JSDocUnknownType */ ); }, get createJSDocNonNullableType() { return getJSDocPrePostfixUnaryTypeCreateFunction( 315 /* JSDocNonNullableType */ ); }, get updateJSDocNonNullableType() { return getJSDocPrePostfixUnaryTypeUpdateFunction( 315 /* JSDocNonNullableType */ ); }, get createJSDocNullableType() { return getJSDocPrePostfixUnaryTypeCreateFunction( 314 /* JSDocNullableType */ ); }, get updateJSDocNullableType() { return getJSDocPrePostfixUnaryTypeUpdateFunction( 314 /* JSDocNullableType */ ); }, get createJSDocOptionalType() { return getJSDocUnaryTypeCreateFunction( 316 /* JSDocOptionalType */ ); }, get updateJSDocOptionalType() { return getJSDocUnaryTypeUpdateFunction( 316 /* JSDocOptionalType */ ); }, get createJSDocVariadicType() { return getJSDocUnaryTypeCreateFunction( 318 /* JSDocVariadicType */ ); }, get updateJSDocVariadicType() { return getJSDocUnaryTypeUpdateFunction( 318 /* JSDocVariadicType */ ); }, get createJSDocNamepathType() { return getJSDocUnaryTypeCreateFunction( 319 /* JSDocNamepathType */ ); }, get updateJSDocNamepathType() { return getJSDocUnaryTypeUpdateFunction( 319 /* JSDocNamepathType */ ); }, createJSDocFunctionType, updateJSDocFunctionType, createJSDocTypeLiteral, updateJSDocTypeLiteral, createJSDocTypeExpression, updateJSDocTypeExpression, createJSDocSignature, updateJSDocSignature, createJSDocTemplateTag, updateJSDocTemplateTag, createJSDocTypedefTag, updateJSDocTypedefTag, createJSDocParameterTag, updateJSDocParameterTag, createJSDocPropertyTag, updateJSDocPropertyTag, createJSDocCallbackTag, updateJSDocCallbackTag, createJSDocOverloadTag, updateJSDocOverloadTag, createJSDocAugmentsTag, updateJSDocAugmentsTag, createJSDocImplementsTag, updateJSDocImplementsTag, createJSDocSeeTag, updateJSDocSeeTag, createJSDocImportTag, updateJSDocImportTag, createJSDocNameReference, updateJSDocNameReference, createJSDocMemberName, updateJSDocMemberName, createJSDocLink, updateJSDocLink, createJSDocLinkCode, updateJSDocLinkCode, createJSDocLinkPlain, updateJSDocLinkPlain, // lazily load factory members for JSDoc tags with similar structure get createJSDocTypeTag() { return getJSDocTypeLikeTagCreateFunction( 344 /* JSDocTypeTag */ ); }, get updateJSDocTypeTag() { return getJSDocTypeLikeTagUpdateFunction( 344 /* JSDocTypeTag */ ); }, get createJSDocReturnTag() { return getJSDocTypeLikeTagCreateFunction( 342 /* JSDocReturnTag */ ); }, get updateJSDocReturnTag() { return getJSDocTypeLikeTagUpdateFunction( 342 /* JSDocReturnTag */ ); }, get createJSDocThisTag() { return getJSDocTypeLikeTagCreateFunction( 343 /* JSDocThisTag */ ); }, get updateJSDocThisTag() { return getJSDocTypeLikeTagUpdateFunction( 343 /* JSDocThisTag */ ); }, get createJSDocAuthorTag() { return getJSDocSimpleTagCreateFunction( 330 /* JSDocAuthorTag */ ); }, get updateJSDocAuthorTag() { return getJSDocSimpleTagUpdateFunction( 330 /* JSDocAuthorTag */ ); }, get createJSDocClassTag() { return getJSDocSimpleTagCreateFunction( 332 /* JSDocClassTag */ ); }, get updateJSDocClassTag() { return getJSDocSimpleTagUpdateFunction( 332 /* JSDocClassTag */ ); }, get createJSDocPublicTag() { return getJSDocSimpleTagCreateFunction( 333 /* JSDocPublicTag */ ); }, get updateJSDocPublicTag() { return getJSDocSimpleTagUpdateFunction( 333 /* JSDocPublicTag */ ); }, get createJSDocPrivateTag() { return getJSDocSimpleTagCreateFunction( 334 /* JSDocPrivateTag */ ); }, get updateJSDocPrivateTag() { return getJSDocSimpleTagUpdateFunction( 334 /* JSDocPrivateTag */ ); }, get createJSDocProtectedTag() { return getJSDocSimpleTagCreateFunction( 335 /* JSDocProtectedTag */ ); }, get updateJSDocProtectedTag() { return getJSDocSimpleTagUpdateFunction( 335 /* JSDocProtectedTag */ ); }, get createJSDocReadonlyTag() { return getJSDocSimpleTagCreateFunction( 336 /* JSDocReadonlyTag */ ); }, get updateJSDocReadonlyTag() { return getJSDocSimpleTagUpdateFunction( 336 /* JSDocReadonlyTag */ ); }, get createJSDocOverrideTag() { return getJSDocSimpleTagCreateFunction( 337 /* JSDocOverrideTag */ ); }, get updateJSDocOverrideTag() { return getJSDocSimpleTagUpdateFunction( 337 /* JSDocOverrideTag */ ); }, get createJSDocDeprecatedTag() { return getJSDocSimpleTagCreateFunction( 331 /* JSDocDeprecatedTag */ ); }, get updateJSDocDeprecatedTag() { return getJSDocSimpleTagUpdateFunction( 331 /* JSDocDeprecatedTag */ ); }, get createJSDocThrowsTag() { return getJSDocTypeLikeTagCreateFunction( 349 /* JSDocThrowsTag */ ); }, get updateJSDocThrowsTag() { return getJSDocTypeLikeTagUpdateFunction( 349 /* JSDocThrowsTag */ ); }, get createJSDocSatisfiesTag() { return getJSDocTypeLikeTagCreateFunction( 350 /* JSDocSatisfiesTag */ ); }, get updateJSDocSatisfiesTag() { return getJSDocTypeLikeTagUpdateFunction( 350 /* JSDocSatisfiesTag */ ); }, createJSDocEnumTag, updateJSDocEnumTag, createJSDocUnknownTag, updateJSDocUnknownTag, createJSDocText, updateJSDocText, createJSDocComment, updateJSDocComment, createJsxElement, updateJsxElement, createJsxSelfClosingElement, updateJsxSelfClosingElement, createJsxOpeningElement, updateJsxOpeningElement, createJsxClosingElement, updateJsxClosingElement, createJsxFragment, createJsxText, updateJsxText, createJsxOpeningFragment, createJsxJsxClosingFragment, updateJsxFragment, createJsxAttribute, updateJsxAttribute, createJsxAttributes, updateJsxAttributes, createJsxSpreadAttribute, updateJsxSpreadAttribute, createJsxExpression, updateJsxExpression, createJsxNamespacedName, updateJsxNamespacedName, createCaseClause, updateCaseClause, createDefaultClause, updateDefaultClause, createHeritageClause, updateHeritageClause, createCatchClause, updateCatchClause, createPropertyAssignment, updatePropertyAssignment, createShorthandPropertyAssignment, updateShorthandPropertyAssignment, createSpreadAssignment, updateSpreadAssignment, createEnumMember, updateEnumMember, createSourceFile: createSourceFile2, updateSourceFile: updateSourceFile2, createRedirectedSourceFile, createBundle, updateBundle, createSyntheticExpression, createSyntaxList: createSyntaxList3, createNotEmittedStatement, createPartiallyEmittedExpression, updatePartiallyEmittedExpression, createCommaListExpression, updateCommaListExpression, createSyntheticReferenceExpression, updateSyntheticReferenceExpression, cloneNode, // Lazily load factory methods for common operator factories and utilities get createComma() { return getBinaryCreateFunction( 28 /* CommaToken */ ); }, get createAssignment() { return getBinaryCreateFunction( 64 /* EqualsToken */ ); }, get createLogicalOr() { return getBinaryCreateFunction( 57 /* BarBarToken */ ); }, get createLogicalAnd() { return getBinaryCreateFunction( 56 /* AmpersandAmpersandToken */ ); }, get createBitwiseOr() { return getBinaryCreateFunction( 52 /* BarToken */ ); }, get createBitwiseXor() { return getBinaryCreateFunction( 53 /* CaretToken */ ); }, get createBitwiseAnd() { return getBinaryCreateFunction( 51 /* AmpersandToken */ ); }, get createStrictEquality() { return getBinaryCreateFunction( 37 /* EqualsEqualsEqualsToken */ ); }, get createStrictInequality() { return getBinaryCreateFunction( 38 /* ExclamationEqualsEqualsToken */ ); }, get createEquality() { return getBinaryCreateFunction( 35 /* EqualsEqualsToken */ ); }, get createInequality() { return getBinaryCreateFunction( 36 /* ExclamationEqualsToken */ ); }, get createLessThan() { return getBinaryCreateFunction( 30 /* LessThanToken */ ); }, get createLessThanEquals() { return getBinaryCreateFunction( 33 /* LessThanEqualsToken */ ); }, get createGreaterThan() { return getBinaryCreateFunction( 32 /* GreaterThanToken */ ); }, get createGreaterThanEquals() { return getBinaryCreateFunction( 34 /* GreaterThanEqualsToken */ ); }, get createLeftShift() { return getBinaryCreateFunction( 48 /* LessThanLessThanToken */ ); }, get createRightShift() { return getBinaryCreateFunction( 49 /* GreaterThanGreaterThanToken */ ); }, get createUnsignedRightShift() { return getBinaryCreateFunction( 50 /* GreaterThanGreaterThanGreaterThanToken */ ); }, get createAdd() { return getBinaryCreateFunction( 40 /* PlusToken */ ); }, get createSubtract() { return getBinaryCreateFunction( 41 /* MinusToken */ ); }, get createMultiply() { return getBinaryCreateFunction( 42 /* AsteriskToken */ ); }, get createDivide() { return getBinaryCreateFunction( 44 /* SlashToken */ ); }, get createModulo() { return getBinaryCreateFunction( 45 /* PercentToken */ ); }, get createExponent() { return getBinaryCreateFunction( 43 /* AsteriskAsteriskToken */ ); }, get createPrefixPlus() { return getPrefixUnaryCreateFunction( 40 /* PlusToken */ ); }, get createPrefixMinus() { return getPrefixUnaryCreateFunction( 41 /* MinusToken */ ); }, get createPrefixIncrement() { return getPrefixUnaryCreateFunction( 46 /* PlusPlusToken */ ); }, get createPrefixDecrement() { return getPrefixUnaryCreateFunction( 47 /* MinusMinusToken */ ); }, get createBitwiseNot() { return getPrefixUnaryCreateFunction( 55 /* TildeToken */ ); }, get createLogicalNot() { return getPrefixUnaryCreateFunction( 54 /* ExclamationToken */ ); }, get createPostfixIncrement() { return getPostfixUnaryCreateFunction( 46 /* PlusPlusToken */ ); }, get createPostfixDecrement() { return getPostfixUnaryCreateFunction( 47 /* MinusMinusToken */ ); }, // Compound nodes createImmediatelyInvokedFunctionExpression, createImmediatelyInvokedArrowFunction, createVoidZero, createExportDefault, createExternalModuleExport, createTypeCheck, createIsNotTypeCheck, createMethodCall, createGlobalMethodCall, createFunctionBindCall, createFunctionCallCall, createFunctionApplyCall, createArraySliceCall, createArrayConcatCall, createObjectDefinePropertyCall, createObjectGetOwnPropertyDescriptorCall, createReflectGetCall, createReflectSetCall, createPropertyDescriptor, createCallBinding, createAssignmentTargetWrapper, // Utilities inlineExpressions, getInternalName, getLocalName, getExportName, getDeclarationName, getNamespaceMemberName, getExternalModuleOrNamespaceExportName, restoreOuterExpressions, restoreEnclosingLabel, createUseStrictPrologue, copyPrologue, copyStandardPrologue, copyCustomPrologue, ensureUseStrict, liftToBlock, mergeLexicalEnvironment, replaceModifiers, replaceDecoratorsAndModifiers, replacePropertyName }; forEach(nodeFactoryPatchers, (fn) => fn(factory2)); return factory2; function createNodeArray(elements, hasTrailingComma) { if (elements === void 0 || elements === emptyArray) { elements = []; } else if (isNodeArray(elements)) { if (hasTrailingComma === void 0 || elements.hasTrailingComma === hasTrailingComma) { if (elements.transformFlags === void 0) { aggregateChildrenFlags(elements); } Debug.attachNodeArrayDebugInfo(elements); return elements; } const array2 = elements.slice(); array2.pos = elements.pos; array2.end = elements.end; array2.hasTrailingComma = hasTrailingComma; array2.transformFlags = elements.transformFlags; Debug.attachNodeArrayDebugInfo(array2); return array2; } const length2 = elements.length; const array = length2 >= 1 && length2 <= 4 ? elements.slice() : elements; array.pos = -1; array.end = -1; array.hasTrailingComma = !!hasTrailingComma; array.transformFlags = 0; aggregateChildrenFlags(array); Debug.attachNodeArrayDebugInfo(array); return array; } function createBaseNode(kind) { return baseFactory2.createBaseNode(kind); } function createBaseDeclaration(kind) { const node = createBaseNode(kind); node.symbol = void 0; node.localSymbol = void 0; return node; } function finishUpdateBaseSignatureDeclaration(updated, original) { if (updated !== original) { updated.typeArguments = original.typeArguments; } return update(updated, original); } function createNumericLiteral(value, numericLiteralFlags = 0) { const text = typeof value === "number" ? value + "" : value; Debug.assert(text.charCodeAt(0) !== 45, "Negative numbers should be created in combination with createPrefixUnaryExpression"); const node = createBaseDeclaration( 9 /* NumericLiteral */ ); node.text = text; node.numericLiteralFlags = numericLiteralFlags; if (numericLiteralFlags & 384) node.transformFlags |= 1024; return node; } function createBigIntLiteral(value) { const node = createBaseToken( 10 /* BigIntLiteral */ ); node.text = typeof value === "string" ? value : pseudoBigIntToString(value) + "n"; node.transformFlags |= 32; return node; } function createBaseStringLiteral(text, isSingleQuote) { const node = createBaseDeclaration( 11 /* StringLiteral */ ); node.text = text; node.singleQuote = isSingleQuote; return node; } function createStringLiteral(text, isSingleQuote, hasExtendedUnicodeEscape) { const node = createBaseStringLiteral(text, isSingleQuote); node.hasExtendedUnicodeEscape = hasExtendedUnicodeEscape; if (hasExtendedUnicodeEscape) node.transformFlags |= 1024; return node; } function createStringLiteralFromNode(sourceNode) { const node = createBaseStringLiteral( getTextOfIdentifierOrLiteral(sourceNode), /*isSingleQuote*/ void 0 ); node.textSourceNode = sourceNode; return node; } function createRegularExpressionLiteral(text) { const node = createBaseToken( 14 /* RegularExpressionLiteral */ ); node.text = text; return node; } function createLiteralLikeNode(kind, text) { switch (kind) { case 9: return createNumericLiteral( text, /*numericLiteralFlags*/ 0 ); case 10: return createBigIntLiteral(text); case 11: return createStringLiteral( text, /*isSingleQuote*/ void 0 ); case 12: return createJsxText( text, /*containsOnlyTriviaWhiteSpaces*/ false ); case 13: return createJsxText( text, /*containsOnlyTriviaWhiteSpaces*/ true ); case 14: return createRegularExpressionLiteral(text); case 15: return createTemplateLiteralLikeNode( kind, text, /*rawText*/ void 0, /*templateFlags*/ 0 ); } } function createBaseIdentifier(escapedText) { const node = baseFactory2.createBaseIdentifierNode( 80 /* Identifier */ ); node.escapedText = escapedText; node.jsDoc = void 0; node.flowNode = void 0; node.symbol = void 0; return node; } function createBaseGeneratedIdentifier(text, autoGenerateFlags, prefix, suffix) { const node = createBaseIdentifier(escapeLeadingUnderscores(text)); setIdentifierAutoGenerate(node, { flags: autoGenerateFlags, id: nextAutoGenerateId, prefix, suffix }); nextAutoGenerateId++; return node; } function createIdentifier(text, originalKeywordKind, hasExtendedUnicodeEscape) { if (originalKeywordKind === void 0 && text) { originalKeywordKind = stringToToken(text); } if (originalKeywordKind === 80) { originalKeywordKind = void 0; } const node = createBaseIdentifier(escapeLeadingUnderscores(text)); if (hasExtendedUnicodeEscape) node.flags |= 256; if (node.escapedText === "await") { node.transformFlags |= 67108864; } if (node.flags & 256) { node.transformFlags |= 1024; } return node; } function createTempVariable(recordTempVariable, reservedInNestedScopes, prefix, suffix) { let flags2 = 1; if (reservedInNestedScopes) flags2 |= 8; const name = createBaseGeneratedIdentifier("", flags2, prefix, suffix); if (recordTempVariable) { recordTempVariable(name); } return name; } function createLoopVariable(reservedInNestedScopes) { let flags2 = 2; if (reservedInNestedScopes) flags2 |= 8; return createBaseGeneratedIdentifier( "", flags2, /*prefix*/ void 0, /*suffix*/ void 0 ); } function createUniqueName(text, flags2 = 0, prefix, suffix) { Debug.assert(!(flags2 & 7), "Argument out of range: flags"); Debug.assert((flags2 & (16 | 32)) !== 32, "GeneratedIdentifierFlags.FileLevel cannot be set without also setting GeneratedIdentifierFlags.Optimistic"); return createBaseGeneratedIdentifier(text, 3 | flags2, prefix, suffix); } function getGeneratedNameForNode(node, flags2 = 0, prefix, suffix) { Debug.assert(!(flags2 & 7), "Argument out of range: flags"); const text = !node ? "" : isMemberName(node) ? formatGeneratedName( /*privateName*/ false, prefix, node, suffix, idText ) : `generated@${getNodeId(node)}`; if (prefix || suffix) flags2 |= 16; const name = createBaseGeneratedIdentifier(text, 4 | flags2, prefix, suffix); name.original = node; return name; } function createBasePrivateIdentifier(escapedText) { const node = baseFactory2.createBasePrivateIdentifierNode( 81 /* PrivateIdentifier */ ); node.escapedText = escapedText; node.transformFlags |= 16777216; return node; } function createPrivateIdentifier(text) { if (!startsWith2(text, "#")) Debug.fail("First character of private identifier must be #: " + text); return createBasePrivateIdentifier(escapeLeadingUnderscores(text)); } function createBaseGeneratedPrivateIdentifier(text, autoGenerateFlags, prefix, suffix) { const node = createBasePrivateIdentifier(escapeLeadingUnderscores(text)); setIdentifierAutoGenerate(node, { flags: autoGenerateFlags, id: nextAutoGenerateId, prefix, suffix }); nextAutoGenerateId++; return node; } function createUniquePrivateName(text, prefix, suffix) { if (text && !startsWith2(text, "#")) Debug.fail("First character of private identifier must be #: " + text); const autoGenerateFlags = 8 | (text ? 3 : 1); return createBaseGeneratedPrivateIdentifier(text ?? "", autoGenerateFlags, prefix, suffix); } function getGeneratedPrivateNameForNode(node, prefix, suffix) { const text = isMemberName(node) ? formatGeneratedName( /*privateName*/ true, prefix, node, suffix, idText ) : `#generated@${getNodeId(node)}`; const flags2 = prefix || suffix ? 16 : 0; const name = createBaseGeneratedPrivateIdentifier(text, 4 | flags2, prefix, suffix); name.original = node; return name; } function createBaseToken(kind) { return baseFactory2.createBaseTokenNode(kind); } function createToken(token) { Debug.assert(token >= 0 && token <= 165, "Invalid token"); Debug.assert(token <= 15 || token >= 18, "Invalid token. Use 'createTemplateLiteralLikeNode' to create template literals."); Debug.assert(token <= 9 || token >= 15, "Invalid token. Use 'createLiteralLikeNode' to create literals."); Debug.assert(token !== 80, "Invalid token. Use 'createIdentifier' to create identifiers"); const node = createBaseToken(token); let transformFlags = 0; switch (token) { case 134: transformFlags = 256 | 128; break; case 160: transformFlags = 4; break; case 125: case 123: case 124: case 148: case 128: case 138: case 87: case 133: case 150: case 163: case 146: case 151: case 103: case 147: case 164: case 154: case 136: case 155: case 116: case 159: case 157: transformFlags = 1; break; case 108: transformFlags = 1024 | 134217728; node.flowNode = void 0; break; case 126: transformFlags = 1024; break; case 129: transformFlags = 16777216; break; case 110: transformFlags = 16384; node.flowNode = void 0; break; } if (transformFlags) { node.transformFlags |= transformFlags; } return node; } function createSuper() { return createToken( 108 /* SuperKeyword */ ); } function createThis() { return createToken( 110 /* ThisKeyword */ ); } function createNull() { return createToken( 106 /* NullKeyword */ ); } function createTrue() { return createToken( 112 /* TrueKeyword */ ); } function createFalse() { return createToken( 97 /* FalseKeyword */ ); } function createModifier(kind) { return createToken(kind); } function createModifiersFromModifierFlags(flags2) { const result = []; if (flags2 & 32) result.push(createModifier( 95 /* ExportKeyword */ )); if (flags2 & 128) result.push(createModifier( 138 /* DeclareKeyword */ )); if (flags2 & 2048) result.push(createModifier( 90 /* DefaultKeyword */ )); if (flags2 & 4096) result.push(createModifier( 87 /* ConstKeyword */ )); if (flags2 & 1) result.push(createModifier( 125 /* PublicKeyword */ )); if (flags2 & 2) result.push(createModifier( 123 /* PrivateKeyword */ )); if (flags2 & 4) result.push(createModifier( 124 /* ProtectedKeyword */ )); if (flags2 & 64) result.push(createModifier( 128 /* AbstractKeyword */ )); if (flags2 & 256) result.push(createModifier( 126 /* StaticKeyword */ )); if (flags2 & 16) result.push(createModifier( 164 /* OverrideKeyword */ )); if (flags2 & 8) result.push(createModifier( 148 /* ReadonlyKeyword */ )); if (flags2 & 512) result.push(createModifier( 129 /* AccessorKeyword */ )); if (flags2 & 1024) result.push(createModifier( 134 /* AsyncKeyword */ )); if (flags2 & 8192) result.push(createModifier( 103 /* InKeyword */ )); if (flags2 & 16384) result.push(createModifier( 147 /* OutKeyword */ )); return result.length ? result : void 0; } function createQualifiedName(left, right) { const node = createBaseNode( 166 /* QualifiedName */ ); node.left = left; node.right = asName(right); node.transformFlags |= propagateChildFlags(node.left) | propagateIdentifierNameFlags(node.right); node.flowNode = void 0; return node; } function updateQualifiedName(node, left, right) { return node.left !== left || node.right !== right ? update(createQualifiedName(left, right), node) : node; } function createComputedPropertyName(expression) { const node = createBaseNode( 167 /* ComputedPropertyName */ ); node.expression = parenthesizerRules().parenthesizeExpressionOfComputedPropertyName(expression); node.transformFlags |= propagateChildFlags(node.expression) | 1024 | 131072; return node; } function updateComputedPropertyName(node, expression) { return node.expression !== expression ? update(createComputedPropertyName(expression), node) : node; } function createTypeParameterDeclaration(modifiers, name, constraint, defaultType) { const node = createBaseDeclaration( 168 /* TypeParameter */ ); node.modifiers = asNodeArray(modifiers); node.name = asName(name); node.constraint = constraint; node.default = defaultType; node.transformFlags = 1; node.expression = void 0; node.jsDoc = void 0; return node; } function updateTypeParameterDeclaration(node, modifiers, name, constraint, defaultType) { return node.modifiers !== modifiers || node.name !== name || node.constraint !== constraint || node.default !== defaultType ? update(createTypeParameterDeclaration(modifiers, name, constraint, defaultType), node) : node; } function createParameterDeclaration(modifiers, dotDotDotToken, name, questionToken, type, initializer) { const node = createBaseDeclaration( 169 /* Parameter */ ); node.modifiers = asNodeArray(modifiers); node.dotDotDotToken = dotDotDotToken; node.name = asName(name); node.questionToken = questionToken; node.type = type; node.initializer = asInitializer(initializer); if (isThisIdentifier(node.name)) { node.transformFlags = 1; } else { node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.dotDotDotToken) | propagateNameFlags(node.name) | propagateChildFlags(node.questionToken) | propagateChildFlags(node.initializer) | (node.questionToken ?? node.type ? 1 : 0) | (node.dotDotDotToken ?? node.initializer ? 1024 : 0) | (modifiersToFlags(node.modifiers) & 31 ? 8192 : 0); } node.jsDoc = void 0; return node; } function updateParameterDeclaration(node, modifiers, dotDotDotToken, name, questionToken, type, initializer) { return node.modifiers !== modifiers || node.dotDotDotToken !== dotDotDotToken || node.name !== name || node.questionToken !== questionToken || node.type !== type || node.initializer !== initializer ? update(createParameterDeclaration(modifiers, dotDotDotToken, name, questionToken, type, initializer), node) : node; } function createDecorator(expression) { const node = createBaseNode( 170 /* Decorator */ ); node.expression = parenthesizerRules().parenthesizeLeftSideOfAccess( expression, /*optionalChain*/ false ); node.transformFlags |= propagateChildFlags(node.expression) | 1 | 8192 | 33554432; return node; } function updateDecorator(node, expression) { return node.expression !== expression ? update(createDecorator(expression), node) : node; } function createPropertySignature(modifiers, name, questionToken, type) { const node = createBaseDeclaration( 171 /* PropertySignature */ ); node.modifiers = asNodeArray(modifiers); node.name = asName(name); node.type = type; node.questionToken = questionToken; node.transformFlags = 1; node.initializer = void 0; node.jsDoc = void 0; return node; } function updatePropertySignature(node, modifiers, name, questionToken, type) { return node.modifiers !== modifiers || node.name !== name || node.questionToken !== questionToken || node.type !== type ? finishUpdatePropertySignature(createPropertySignature(modifiers, name, questionToken, type), node) : node; } function finishUpdatePropertySignature(updated, original) { if (updated !== original) { updated.initializer = original.initializer; } return update(updated, original); } function createPropertyDeclaration(modifiers, name, questionOrExclamationToken, type, initializer) { const node = createBaseDeclaration( 172 /* PropertyDeclaration */ ); node.modifiers = asNodeArray(modifiers); node.name = asName(name); node.questionToken = questionOrExclamationToken && isQuestionToken(questionOrExclamationToken) ? questionOrExclamationToken : void 0; node.exclamationToken = questionOrExclamationToken && isExclamationToken(questionOrExclamationToken) ? questionOrExclamationToken : void 0; node.type = type; node.initializer = asInitializer(initializer); const isAmbient = node.flags & 33554432 || modifiersToFlags(node.modifiers) & 128; node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateNameFlags(node.name) | propagateChildFlags(node.initializer) | (isAmbient || node.questionToken || node.exclamationToken || node.type ? 1 : 0) | (isComputedPropertyName(node.name) || modifiersToFlags(node.modifiers) & 256 && node.initializer ? 8192 : 0) | 16777216; node.jsDoc = void 0; return node; } function updatePropertyDeclaration2(node, modifiers, name, questionOrExclamationToken, type, initializer) { return node.modifiers !== modifiers || node.name !== name || node.questionToken !== (questionOrExclamationToken !== void 0 && isQuestionToken(questionOrExclamationToken) ? questionOrExclamationToken : void 0) || node.exclamationToken !== (questionOrExclamationToken !== void 0 && isExclamationToken(questionOrExclamationToken) ? questionOrExclamationToken : void 0) || node.type !== type || node.initializer !== initializer ? update(createPropertyDeclaration(modifiers, name, questionOrExclamationToken, type, initializer), node) : node; } function createMethodSignature(modifiers, name, questionToken, typeParameters, parameters, type) { const node = createBaseDeclaration( 173 /* MethodSignature */ ); node.modifiers = asNodeArray(modifiers); node.name = asName(name); node.questionToken = questionToken; node.typeParameters = asNodeArray(typeParameters); node.parameters = asNodeArray(parameters); node.type = type; node.transformFlags = 1; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.typeArguments = void 0; return node; } function updateMethodSignature(node, modifiers, name, questionToken, typeParameters, parameters, type) { return node.modifiers !== modifiers || node.name !== name || node.questionToken !== questionToken || node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type ? finishUpdateBaseSignatureDeclaration(createMethodSignature(modifiers, name, questionToken, typeParameters, parameters, type), node) : node; } function createMethodDeclaration(modifiers, asteriskToken, name, questionToken, typeParameters, parameters, type, body) { const node = createBaseDeclaration( 174 /* MethodDeclaration */ ); node.modifiers = asNodeArray(modifiers); node.asteriskToken = asteriskToken; node.name = asName(name); node.questionToken = questionToken; node.exclamationToken = void 0; node.typeParameters = asNodeArray(typeParameters); node.parameters = createNodeArray(parameters); node.type = type; node.body = body; if (!node.body) { node.transformFlags = 1; } else { const isAsync2 = modifiersToFlags(node.modifiers) & 1024; const isGenerator = !!node.asteriskToken; const isAsyncGenerator = isAsync2 && isGenerator; node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.asteriskToken) | propagateNameFlags(node.name) | propagateChildFlags(node.questionToken) | propagateChildrenFlags(node.typeParameters) | propagateChildrenFlags(node.parameters) | propagateChildFlags(node.type) | propagateChildFlags(node.body) & ~67108864 | (isAsyncGenerator ? 128 : isAsync2 ? 256 : isGenerator ? 2048 : 0) | (node.questionToken || node.typeParameters || node.type ? 1 : 0) | 1024; } node.typeArguments = void 0; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.flowNode = void 0; node.endFlowNode = void 0; node.returnFlowNode = void 0; return node; } function updateMethodDeclaration(node, modifiers, asteriskToken, name, questionToken, typeParameters, parameters, type, body) { return node.modifiers !== modifiers || node.asteriskToken !== asteriskToken || node.name !== name || node.questionToken !== questionToken || node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type || node.body !== body ? finishUpdateMethodDeclaration(createMethodDeclaration(modifiers, asteriskToken, name, questionToken, typeParameters, parameters, type, body), node) : node; } function finishUpdateMethodDeclaration(updated, original) { if (updated !== original) { updated.exclamationToken = original.exclamationToken; } return update(updated, original); } function createClassStaticBlockDeclaration(body) { const node = createBaseDeclaration( 175 /* ClassStaticBlockDeclaration */ ); node.body = body; node.transformFlags = propagateChildFlags(body) | 16777216; node.modifiers = void 0; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.endFlowNode = void 0; node.returnFlowNode = void 0; return node; } function updateClassStaticBlockDeclaration(node, body) { return node.body !== body ? finishUpdateClassStaticBlockDeclaration(createClassStaticBlockDeclaration(body), node) : node; } function finishUpdateClassStaticBlockDeclaration(updated, original) { if (updated !== original) { updated.modifiers = original.modifiers; } return update(updated, original); } function createConstructorDeclaration(modifiers, parameters, body) { const node = createBaseDeclaration( 176 /* Constructor */ ); node.modifiers = asNodeArray(modifiers); node.parameters = createNodeArray(parameters); node.body = body; node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateChildrenFlags(node.parameters) | propagateChildFlags(node.body) & ~67108864 | 1024; node.typeParameters = void 0; node.type = void 0; node.typeArguments = void 0; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.endFlowNode = void 0; node.returnFlowNode = void 0; return node; } function updateConstructorDeclaration(node, modifiers, parameters, body) { return node.modifiers !== modifiers || node.parameters !== parameters || node.body !== body ? finishUpdateConstructorDeclaration(createConstructorDeclaration(modifiers, parameters, body), node) : node; } function finishUpdateConstructorDeclaration(updated, original) { if (updated !== original) { updated.typeParameters = original.typeParameters; updated.type = original.type; } return finishUpdateBaseSignatureDeclaration(updated, original); } function createGetAccessorDeclaration(modifiers, name, parameters, type, body) { const node = createBaseDeclaration( 177 /* GetAccessor */ ); node.modifiers = asNodeArray(modifiers); node.name = asName(name); node.parameters = createNodeArray(parameters); node.type = type; node.body = body; if (!node.body) { node.transformFlags = 1; } else { node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateNameFlags(node.name) | propagateChildrenFlags(node.parameters) | propagateChildFlags(node.type) | propagateChildFlags(node.body) & ~67108864 | (node.type ? 1 : 0); } node.typeArguments = void 0; node.typeParameters = void 0; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.flowNode = void 0; node.endFlowNode = void 0; node.returnFlowNode = void 0; return node; } function updateGetAccessorDeclaration(node, modifiers, name, parameters, type, body) { return node.modifiers !== modifiers || node.name !== name || node.parameters !== parameters || node.type !== type || node.body !== body ? finishUpdateGetAccessorDeclaration(createGetAccessorDeclaration(modifiers, name, parameters, type, body), node) : node; } function finishUpdateGetAccessorDeclaration(updated, original) { if (updated !== original) { updated.typeParameters = original.typeParameters; } return finishUpdateBaseSignatureDeclaration(updated, original); } function createSetAccessorDeclaration(modifiers, name, parameters, body) { const node = createBaseDeclaration( 178 /* SetAccessor */ ); node.modifiers = asNodeArray(modifiers); node.name = asName(name); node.parameters = createNodeArray(parameters); node.body = body; if (!node.body) { node.transformFlags = 1; } else { node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateNameFlags(node.name) | propagateChildrenFlags(node.parameters) | propagateChildFlags(node.body) & ~67108864 | (node.type ? 1 : 0); } node.typeArguments = void 0; node.typeParameters = void 0; node.type = void 0; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.flowNode = void 0; node.endFlowNode = void 0; node.returnFlowNode = void 0; return node; } function updateSetAccessorDeclaration(node, modifiers, name, parameters, body) { return node.modifiers !== modifiers || node.name !== name || node.parameters !== parameters || node.body !== body ? finishUpdateSetAccessorDeclaration(createSetAccessorDeclaration(modifiers, name, parameters, body), node) : node; } function finishUpdateSetAccessorDeclaration(updated, original) { if (updated !== original) { updated.typeParameters = original.typeParameters; updated.type = original.type; } return finishUpdateBaseSignatureDeclaration(updated, original); } function createCallSignature(typeParameters, parameters, type) { const node = createBaseDeclaration( 179 /* CallSignature */ ); node.typeParameters = asNodeArray(typeParameters); node.parameters = asNodeArray(parameters); node.type = type; node.transformFlags = 1; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.typeArguments = void 0; return node; } function updateCallSignature(node, typeParameters, parameters, type) { return node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type ? finishUpdateBaseSignatureDeclaration(createCallSignature(typeParameters, parameters, type), node) : node; } function createConstructSignature(typeParameters, parameters, type) { const node = createBaseDeclaration( 180 /* ConstructSignature */ ); node.typeParameters = asNodeArray(typeParameters); node.parameters = asNodeArray(parameters); node.type = type; node.transformFlags = 1; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.typeArguments = void 0; return node; } function updateConstructSignature(node, typeParameters, parameters, type) { return node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type ? finishUpdateBaseSignatureDeclaration(createConstructSignature(typeParameters, parameters, type), node) : node; } function createIndexSignature(modifiers, parameters, type) { const node = createBaseDeclaration( 181 /* IndexSignature */ ); node.modifiers = asNodeArray(modifiers); node.parameters = asNodeArray(parameters); node.type = type; node.transformFlags = 1; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.typeArguments = void 0; return node; } function updateIndexSignature(node, modifiers, parameters, type) { return node.parameters !== parameters || node.type !== type || node.modifiers !== modifiers ? finishUpdateBaseSignatureDeclaration(createIndexSignature(modifiers, parameters, type), node) : node; } function createTemplateLiteralTypeSpan(type, literal) { const node = createBaseNode( 204 /* TemplateLiteralTypeSpan */ ); node.type = type; node.literal = literal; node.transformFlags = 1; return node; } function updateTemplateLiteralTypeSpan(node, type, literal) { return node.type !== type || node.literal !== literal ? update(createTemplateLiteralTypeSpan(type, literal), node) : node; } function createKeywordTypeNode(kind) { return createToken(kind); } function createTypePredicateNode(assertsModifier, parameterName, type) { const node = createBaseNode( 182 /* TypePredicate */ ); node.assertsModifier = assertsModifier; node.parameterName = asName(parameterName); node.type = type; node.transformFlags = 1; return node; } function updateTypePredicateNode(node, assertsModifier, parameterName, type) { return node.assertsModifier !== assertsModifier || node.parameterName !== parameterName || node.type !== type ? update(createTypePredicateNode(assertsModifier, parameterName, type), node) : node; } function createTypeReferenceNode(typeName, typeArguments) { const node = createBaseNode( 183 /* TypeReference */ ); node.typeName = asName(typeName); node.typeArguments = typeArguments && parenthesizerRules().parenthesizeTypeArguments(createNodeArray(typeArguments)); node.transformFlags = 1; return node; } function updateTypeReferenceNode(node, typeName, typeArguments) { return node.typeName !== typeName || node.typeArguments !== typeArguments ? update(createTypeReferenceNode(typeName, typeArguments), node) : node; } function createFunctionTypeNode(typeParameters, parameters, type) { const node = createBaseDeclaration( 184 /* FunctionType */ ); node.typeParameters = asNodeArray(typeParameters); node.parameters = asNodeArray(parameters); node.type = type; node.transformFlags = 1; node.modifiers = void 0; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.typeArguments = void 0; return node; } function updateFunctionTypeNode(node, typeParameters, parameters, type) { return node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type ? finishUpdateFunctionTypeNode(createFunctionTypeNode(typeParameters, parameters, type), node) : node; } function finishUpdateFunctionTypeNode(updated, original) { if (updated !== original) { updated.modifiers = original.modifiers; } return finishUpdateBaseSignatureDeclaration(updated, original); } function createConstructorTypeNode(...args) { return args.length === 4 ? createConstructorTypeNode1(...args) : args.length === 3 ? createConstructorTypeNode2(...args) : Debug.fail("Incorrect number of arguments specified."); } function createConstructorTypeNode1(modifiers, typeParameters, parameters, type) { const node = createBaseDeclaration( 185 /* ConstructorType */ ); node.modifiers = asNodeArray(modifiers); node.typeParameters = asNodeArray(typeParameters); node.parameters = asNodeArray(parameters); node.type = type; node.transformFlags = 1; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.typeArguments = void 0; return node; } function createConstructorTypeNode2(typeParameters, parameters, type) { return createConstructorTypeNode1( /*modifiers*/ void 0, typeParameters, parameters, type ); } function updateConstructorTypeNode(...args) { return args.length === 5 ? updateConstructorTypeNode1(...args) : args.length === 4 ? updateConstructorTypeNode2(...args) : Debug.fail("Incorrect number of arguments specified."); } function updateConstructorTypeNode1(node, modifiers, typeParameters, parameters, type) { return node.modifiers !== modifiers || node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type ? finishUpdateBaseSignatureDeclaration(createConstructorTypeNode(modifiers, typeParameters, parameters, type), node) : node; } function updateConstructorTypeNode2(node, typeParameters, parameters, type) { return updateConstructorTypeNode1(node, node.modifiers, typeParameters, parameters, type); } function createTypeQueryNode(exprName, typeArguments) { const node = createBaseNode( 186 /* TypeQuery */ ); node.exprName = exprName; node.typeArguments = typeArguments && parenthesizerRules().parenthesizeTypeArguments(typeArguments); node.transformFlags = 1; return node; } function updateTypeQueryNode(node, exprName, typeArguments) { return node.exprName !== exprName || node.typeArguments !== typeArguments ? update(createTypeQueryNode(exprName, typeArguments), node) : node; } function createTypeLiteralNode(members) { const node = createBaseDeclaration( 187 /* TypeLiteral */ ); node.members = createNodeArray(members); node.transformFlags = 1; return node; } function updateTypeLiteralNode(node, members) { return node.members !== members ? update(createTypeLiteralNode(members), node) : node; } function createArrayTypeNode(elementType) { const node = createBaseNode( 188 /* ArrayType */ ); node.elementType = parenthesizerRules().parenthesizeNonArrayTypeOfPostfixType(elementType); node.transformFlags = 1; return node; } function updateArrayTypeNode(node, elementType) { return node.elementType !== elementType ? update(createArrayTypeNode(elementType), node) : node; } function createTupleTypeNode(elements) { const node = createBaseNode( 189 /* TupleType */ ); node.elements = createNodeArray(parenthesizerRules().parenthesizeElementTypesOfTupleType(elements)); node.transformFlags = 1; return node; } function updateTupleTypeNode(node, elements) { return node.elements !== elements ? update(createTupleTypeNode(elements), node) : node; } function createNamedTupleMember(dotDotDotToken, name, questionToken, type) { const node = createBaseDeclaration( 202 /* NamedTupleMember */ ); node.dotDotDotToken = dotDotDotToken; node.name = name; node.questionToken = questionToken; node.type = type; node.transformFlags = 1; node.jsDoc = void 0; return node; } function updateNamedTupleMember(node, dotDotDotToken, name, questionToken, type) { return node.dotDotDotToken !== dotDotDotToken || node.name !== name || node.questionToken !== questionToken || node.type !== type ? update(createNamedTupleMember(dotDotDotToken, name, questionToken, type), node) : node; } function createOptionalTypeNode(type) { const node = createBaseNode( 190 /* OptionalType */ ); node.type = parenthesizerRules().parenthesizeTypeOfOptionalType(type); node.transformFlags = 1; return node; } function updateOptionalTypeNode(node, type) { return node.type !== type ? update(createOptionalTypeNode(type), node) : node; } function createRestTypeNode(type) { const node = createBaseNode( 191 /* RestType */ ); node.type = type; node.transformFlags = 1; return node; } function updateRestTypeNode(node, type) { return node.type !== type ? update(createRestTypeNode(type), node) : node; } function createUnionOrIntersectionTypeNode(kind, types, parenthesize) { const node = createBaseNode(kind); node.types = factory2.createNodeArray(parenthesize(types)); node.transformFlags = 1; return node; } function updateUnionOrIntersectionTypeNode(node, types, parenthesize) { return node.types !== types ? update(createUnionOrIntersectionTypeNode(node.kind, types, parenthesize), node) : node; } function createUnionTypeNode(types) { return createUnionOrIntersectionTypeNode(192, types, parenthesizerRules().parenthesizeConstituentTypesOfUnionType); } function updateUnionTypeNode(node, types) { return updateUnionOrIntersectionTypeNode(node, types, parenthesizerRules().parenthesizeConstituentTypesOfUnionType); } function createIntersectionTypeNode(types) { return createUnionOrIntersectionTypeNode(193, types, parenthesizerRules().parenthesizeConstituentTypesOfIntersectionType); } function updateIntersectionTypeNode(node, types) { return updateUnionOrIntersectionTypeNode(node, types, parenthesizerRules().parenthesizeConstituentTypesOfIntersectionType); } function createConditionalTypeNode(checkType, extendsType, trueType, falseType) { const node = createBaseNode( 194 /* ConditionalType */ ); node.checkType = parenthesizerRules().parenthesizeCheckTypeOfConditionalType(checkType); node.extendsType = parenthesizerRules().parenthesizeExtendsTypeOfConditionalType(extendsType); node.trueType = trueType; node.falseType = falseType; node.transformFlags = 1; node.locals = void 0; node.nextContainer = void 0; return node; } function updateConditionalTypeNode(node, checkType, extendsType, trueType, falseType) { return node.checkType !== checkType || node.extendsType !== extendsType || node.trueType !== trueType || node.falseType !== falseType ? update(createConditionalTypeNode(checkType, extendsType, trueType, falseType), node) : node; } function createInferTypeNode(typeParameter) { const node = createBaseNode( 195 /* InferType */ ); node.typeParameter = typeParameter; node.transformFlags = 1; return node; } function updateInferTypeNode(node, typeParameter) { return node.typeParameter !== typeParameter ? update(createInferTypeNode(typeParameter), node) : node; } function createTemplateLiteralType(head, templateSpans) { const node = createBaseNode( 203 /* TemplateLiteralType */ ); node.head = head; node.templateSpans = createNodeArray(templateSpans); node.transformFlags = 1; return node; } function updateTemplateLiteralType(node, head, templateSpans) { return node.head !== head || node.templateSpans !== templateSpans ? update(createTemplateLiteralType(head, templateSpans), node) : node; } function createImportTypeNode(argument, attributes, qualifier, typeArguments, isTypeOf = false) { const node = createBaseNode( 205 /* ImportType */ ); node.argument = argument; node.attributes = attributes; if (node.assertions && node.assertions.assertClause && node.attributes) { node.assertions.assertClause = node.attributes; } node.qualifier = qualifier; node.typeArguments = typeArguments && parenthesizerRules().parenthesizeTypeArguments(typeArguments); node.isTypeOf = isTypeOf; node.transformFlags = 1; return node; } function updateImportTypeNode(node, argument, attributes, qualifier, typeArguments, isTypeOf = node.isTypeOf) { return node.argument !== argument || node.attributes !== attributes || node.qualifier !== qualifier || node.typeArguments !== typeArguments || node.isTypeOf !== isTypeOf ? update(createImportTypeNode(argument, attributes, qualifier, typeArguments, isTypeOf), node) : node; } function createParenthesizedType(type) { const node = createBaseNode( 196 /* ParenthesizedType */ ); node.type = type; node.transformFlags = 1; return node; } function updateParenthesizedType(node, type) { return node.type !== type ? update(createParenthesizedType(type), node) : node; } function createThisTypeNode() { const node = createBaseNode( 197 /* ThisType */ ); node.transformFlags = 1; return node; } function createTypeOperatorNode(operator, type) { const node = createBaseNode( 198 /* TypeOperator */ ); node.operator = operator; node.type = operator === 148 ? parenthesizerRules().parenthesizeOperandOfReadonlyTypeOperator(type) : parenthesizerRules().parenthesizeOperandOfTypeOperator(type); node.transformFlags = 1; return node; } function updateTypeOperatorNode(node, type) { return node.type !== type ? update(createTypeOperatorNode(node.operator, type), node) : node; } function createIndexedAccessTypeNode(objectType2, indexType) { const node = createBaseNode( 199 /* IndexedAccessType */ ); node.objectType = parenthesizerRules().parenthesizeNonArrayTypeOfPostfixType(objectType2); node.indexType = indexType; node.transformFlags = 1; return node; } function updateIndexedAccessTypeNode(node, objectType2, indexType) { return node.objectType !== objectType2 || node.indexType !== indexType ? update(createIndexedAccessTypeNode(objectType2, indexType), node) : node; } function createMappedTypeNode(readonlyToken, typeParameter, nameType, questionToken, type, members) { const node = createBaseDeclaration( 200 /* MappedType */ ); node.readonlyToken = readonlyToken; node.typeParameter = typeParameter; node.nameType = nameType; node.questionToken = questionToken; node.type = type; node.members = members && createNodeArray(members); node.transformFlags = 1; node.locals = void 0; node.nextContainer = void 0; return node; } function updateMappedTypeNode(node, readonlyToken, typeParameter, nameType, questionToken, type, members) { return node.readonlyToken !== readonlyToken || node.typeParameter !== typeParameter || node.nameType !== nameType || node.questionToken !== questionToken || node.type !== type || node.members !== members ? update(createMappedTypeNode(readonlyToken, typeParameter, nameType, questionToken, type, members), node) : node; } function createLiteralTypeNode(literal) { const node = createBaseNode( 201 /* LiteralType */ ); node.literal = literal; node.transformFlags = 1; return node; } function updateLiteralTypeNode(node, literal) { return node.literal !== literal ? update(createLiteralTypeNode(literal), node) : node; } function createObjectBindingPattern(elements) { const node = createBaseNode( 206 /* ObjectBindingPattern */ ); node.elements = createNodeArray(elements); node.transformFlags |= propagateChildrenFlags(node.elements) | 1024 | 524288; if (node.transformFlags & 32768) { node.transformFlags |= 128 | 65536; } return node; } function updateObjectBindingPattern(node, elements) { return node.elements !== elements ? update(createObjectBindingPattern(elements), node) : node; } function createArrayBindingPattern(elements) { const node = createBaseNode( 207 /* ArrayBindingPattern */ ); node.elements = createNodeArray(elements); node.transformFlags |= propagateChildrenFlags(node.elements) | 1024 | 524288; return node; } function updateArrayBindingPattern(node, elements) { return node.elements !== elements ? update(createArrayBindingPattern(elements), node) : node; } function createBindingElement(dotDotDotToken, propertyName, name, initializer) { const node = createBaseDeclaration( 208 /* BindingElement */ ); node.dotDotDotToken = dotDotDotToken; node.propertyName = asName(propertyName); node.name = asName(name); node.initializer = asInitializer(initializer); node.transformFlags |= propagateChildFlags(node.dotDotDotToken) | propagateNameFlags(node.propertyName) | propagateNameFlags(node.name) | propagateChildFlags(node.initializer) | (node.dotDotDotToken ? 32768 : 0) | 1024; node.flowNode = void 0; return node; } function updateBindingElement(node, dotDotDotToken, propertyName, name, initializer) { return node.propertyName !== propertyName || node.dotDotDotToken !== dotDotDotToken || node.name !== name || node.initializer !== initializer ? update(createBindingElement(dotDotDotToken, propertyName, name, initializer), node) : node; } function createArrayLiteralExpression(elements, multiLine) { const node = createBaseNode( 209 /* ArrayLiteralExpression */ ); const lastElement = elements && lastOrUndefined(elements); const elementsArray = createNodeArray(elements, lastElement && isOmittedExpression(lastElement) ? true : void 0); node.elements = parenthesizerRules().parenthesizeExpressionsOfCommaDelimitedList(elementsArray); node.multiLine = multiLine; node.transformFlags |= propagateChildrenFlags(node.elements); return node; } function updateArrayLiteralExpression(node, elements) { return node.elements !== elements ? update(createArrayLiteralExpression(elements, node.multiLine), node) : node; } function createObjectLiteralExpression(properties, multiLine) { const node = createBaseDeclaration( 210 /* ObjectLiteralExpression */ ); node.properties = createNodeArray(properties); node.multiLine = multiLine; node.transformFlags |= propagateChildrenFlags(node.properties); node.jsDoc = void 0; return node; } function updateObjectLiteralExpression(node, properties) { return node.properties !== properties ? update(createObjectLiteralExpression(properties, node.multiLine), node) : node; } function createBasePropertyAccessExpression(expression, questionDotToken, name) { const node = createBaseDeclaration( 211 /* PropertyAccessExpression */ ); node.expression = expression; node.questionDotToken = questionDotToken; node.name = name; node.transformFlags = propagateChildFlags(node.expression) | propagateChildFlags(node.questionDotToken) | (isIdentifier(node.name) ? propagateIdentifierNameFlags(node.name) : propagateChildFlags(node.name) | 536870912); node.jsDoc = void 0; node.flowNode = void 0; return node; } function createPropertyAccessExpression(expression, name) { const node = createBasePropertyAccessExpression( parenthesizerRules().parenthesizeLeftSideOfAccess( expression, /*optionalChain*/ false ), /*questionDotToken*/ void 0, asName(name) ); if (isSuperKeyword(expression)) { node.transformFlags |= 256 | 128; } return node; } function updatePropertyAccessExpression(node, expression, name) { if (isPropertyAccessChain(node)) { return updatePropertyAccessChain(node, expression, node.questionDotToken, cast(name, isIdentifier)); } return node.expression !== expression || node.name !== name ? update(createPropertyAccessExpression(expression, name), node) : node; } function createPropertyAccessChain(expression, questionDotToken, name) { const node = createBasePropertyAccessExpression( parenthesizerRules().parenthesizeLeftSideOfAccess( expression, /*optionalChain*/ true ), questionDotToken, asName(name) ); node.flags |= 64; node.transformFlags |= 32; return node; } function updatePropertyAccessChain(node, expression, questionDotToken, name) { Debug.assert(!!(node.flags & 64), "Cannot update a PropertyAccessExpression using updatePropertyAccessChain. Use updatePropertyAccess instead."); return node.expression !== expression || node.questionDotToken !== questionDotToken || node.name !== name ? update(createPropertyAccessChain(expression, questionDotToken, name), node) : node; } function createBaseElementAccessExpression(expression, questionDotToken, argumentExpression) { const node = createBaseDeclaration( 212 /* ElementAccessExpression */ ); node.expression = expression; node.questionDotToken = questionDotToken; node.argumentExpression = argumentExpression; node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.questionDotToken) | propagateChildFlags(node.argumentExpression); node.jsDoc = void 0; node.flowNode = void 0; return node; } function createElementAccessExpression(expression, index) { const node = createBaseElementAccessExpression( parenthesizerRules().parenthesizeLeftSideOfAccess( expression, /*optionalChain*/ false ), /*questionDotToken*/ void 0, asExpression(index) ); if (isSuperKeyword(expression)) { node.transformFlags |= 256 | 128; } return node; } function updateElementAccessExpression(node, expression, argumentExpression) { if (isElementAccessChain(node)) { return updateElementAccessChain(node, expression, node.questionDotToken, argumentExpression); } return node.expression !== expression || node.argumentExpression !== argumentExpression ? update(createElementAccessExpression(expression, argumentExpression), node) : node; } function createElementAccessChain(expression, questionDotToken, index) { const node = createBaseElementAccessExpression( parenthesizerRules().parenthesizeLeftSideOfAccess( expression, /*optionalChain*/ true ), questionDotToken, asExpression(index) ); node.flags |= 64; node.transformFlags |= 32; return node; } function updateElementAccessChain(node, expression, questionDotToken, argumentExpression) { Debug.assert(!!(node.flags & 64), "Cannot update a ElementAccessExpression using updateElementAccessChain. Use updateElementAccess instead."); return node.expression !== expression || node.questionDotToken !== questionDotToken || node.argumentExpression !== argumentExpression ? update(createElementAccessChain(expression, questionDotToken, argumentExpression), node) : node; } function createBaseCallExpression(expression, questionDotToken, typeArguments, argumentsArray) { const node = createBaseDeclaration( 213 /* CallExpression */ ); node.expression = expression; node.questionDotToken = questionDotToken; node.typeArguments = typeArguments; node.arguments = argumentsArray; node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.questionDotToken) | propagateChildrenFlags(node.typeArguments) | propagateChildrenFlags(node.arguments); if (node.typeArguments) { node.transformFlags |= 1; } if (isSuperProperty(node.expression)) { node.transformFlags |= 16384; } return node; } function createCallExpression(expression, typeArguments, argumentsArray) { const node = createBaseCallExpression( parenthesizerRules().parenthesizeLeftSideOfAccess( expression, /*optionalChain*/ false ), /*questionDotToken*/ void 0, asNodeArray(typeArguments), parenthesizerRules().parenthesizeExpressionsOfCommaDelimitedList(createNodeArray(argumentsArray)) ); if (isImportKeyword(node.expression)) { node.transformFlags |= 8388608; } return node; } function updateCallExpression(node, expression, typeArguments, argumentsArray) { if (isCallChain(node)) { return updateCallChain(node, expression, node.questionDotToken, typeArguments, argumentsArray); } return node.expression !== expression || node.typeArguments !== typeArguments || node.arguments !== argumentsArray ? update(createCallExpression(expression, typeArguments, argumentsArray), node) : node; } function createCallChain(expression, questionDotToken, typeArguments, argumentsArray) { const node = createBaseCallExpression( parenthesizerRules().parenthesizeLeftSideOfAccess( expression, /*optionalChain*/ true ), questionDotToken, asNodeArray(typeArguments), parenthesizerRules().parenthesizeExpressionsOfCommaDelimitedList(createNodeArray(argumentsArray)) ); node.flags |= 64; node.transformFlags |= 32; return node; } function updateCallChain(node, expression, questionDotToken, typeArguments, argumentsArray) { Debug.assert(!!(node.flags & 64), "Cannot update a CallExpression using updateCallChain. Use updateCall instead."); return node.expression !== expression || node.questionDotToken !== questionDotToken || node.typeArguments !== typeArguments || node.arguments !== argumentsArray ? update(createCallChain(expression, questionDotToken, typeArguments, argumentsArray), node) : node; } function createNewExpression(expression, typeArguments, argumentsArray) { const node = createBaseDeclaration( 214 /* NewExpression */ ); node.expression = parenthesizerRules().parenthesizeExpressionOfNew(expression); node.typeArguments = asNodeArray(typeArguments); node.arguments = argumentsArray ? parenthesizerRules().parenthesizeExpressionsOfCommaDelimitedList(argumentsArray) : void 0; node.transformFlags |= propagateChildFlags(node.expression) | propagateChildrenFlags(node.typeArguments) | propagateChildrenFlags(node.arguments) | 32; if (node.typeArguments) { node.transformFlags |= 1; } return node; } function updateNewExpression(node, expression, typeArguments, argumentsArray) { return node.expression !== expression || node.typeArguments !== typeArguments || node.arguments !== argumentsArray ? update(createNewExpression(expression, typeArguments, argumentsArray), node) : node; } function createTaggedTemplateExpression(tag, typeArguments, template) { const node = createBaseNode( 215 /* TaggedTemplateExpression */ ); node.tag = parenthesizerRules().parenthesizeLeftSideOfAccess( tag, /*optionalChain*/ false ); node.typeArguments = asNodeArray(typeArguments); node.template = template; node.transformFlags |= propagateChildFlags(node.tag) | propagateChildrenFlags(node.typeArguments) | propagateChildFlags(node.template) | 1024; if (node.typeArguments) { node.transformFlags |= 1; } if (hasInvalidEscape(node.template)) { node.transformFlags |= 128; } return node; } function updateTaggedTemplateExpression(node, tag, typeArguments, template) { return node.tag !== tag || node.typeArguments !== typeArguments || node.template !== template ? update(createTaggedTemplateExpression(tag, typeArguments, template), node) : node; } function createTypeAssertion(type, expression) { const node = createBaseNode( 216 /* TypeAssertionExpression */ ); node.expression = parenthesizerRules().parenthesizeOperandOfPrefixUnary(expression); node.type = type; node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.type) | 1; return node; } function updateTypeAssertion(node, type, expression) { return node.type !== type || node.expression !== expression ? update(createTypeAssertion(type, expression), node) : node; } function createParenthesizedExpression(expression) { const node = createBaseNode( 217 /* ParenthesizedExpression */ ); node.expression = expression; node.transformFlags = propagateChildFlags(node.expression); node.jsDoc = void 0; return node; } function updateParenthesizedExpression(node, expression) { return node.expression !== expression ? update(createParenthesizedExpression(expression), node) : node; } function createFunctionExpression(modifiers, asteriskToken, name, typeParameters, parameters, type, body) { const node = createBaseDeclaration( 218 /* FunctionExpression */ ); node.modifiers = asNodeArray(modifiers); node.asteriskToken = asteriskToken; node.name = asName(name); node.typeParameters = asNodeArray(typeParameters); node.parameters = createNodeArray(parameters); node.type = type; node.body = body; const isAsync2 = modifiersToFlags(node.modifiers) & 1024; const isGenerator = !!node.asteriskToken; const isAsyncGenerator = isAsync2 && isGenerator; node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.asteriskToken) | propagateNameFlags(node.name) | propagateChildrenFlags(node.typeParameters) | propagateChildrenFlags(node.parameters) | propagateChildFlags(node.type) | propagateChildFlags(node.body) & ~67108864 | (isAsyncGenerator ? 128 : isAsync2 ? 256 : isGenerator ? 2048 : 0) | (node.typeParameters || node.type ? 1 : 0) | 4194304; node.typeArguments = void 0; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.flowNode = void 0; node.endFlowNode = void 0; node.returnFlowNode = void 0; return node; } function updateFunctionExpression(node, modifiers, asteriskToken, name, typeParameters, parameters, type, body) { return node.name !== name || node.modifiers !== modifiers || node.asteriskToken !== asteriskToken || node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type || node.body !== body ? finishUpdateBaseSignatureDeclaration(createFunctionExpression(modifiers, asteriskToken, name, typeParameters, parameters, type, body), node) : node; } function createArrowFunction(modifiers, typeParameters, parameters, type, equalsGreaterThanToken, body) { const node = createBaseDeclaration( 219 /* ArrowFunction */ ); node.modifiers = asNodeArray(modifiers); node.typeParameters = asNodeArray(typeParameters); node.parameters = createNodeArray(parameters); node.type = type; node.equalsGreaterThanToken = equalsGreaterThanToken ?? createToken( 39 /* EqualsGreaterThanToken */ ); node.body = parenthesizerRules().parenthesizeConciseBodyOfArrowFunction(body); const isAsync2 = modifiersToFlags(node.modifiers) & 1024; node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateChildrenFlags(node.typeParameters) | propagateChildrenFlags(node.parameters) | propagateChildFlags(node.type) | propagateChildFlags(node.equalsGreaterThanToken) | propagateChildFlags(node.body) & ~67108864 | (node.typeParameters || node.type ? 1 : 0) | (isAsync2 ? 256 | 16384 : 0) | 1024; node.typeArguments = void 0; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.flowNode = void 0; node.endFlowNode = void 0; node.returnFlowNode = void 0; return node; } function updateArrowFunction(node, modifiers, typeParameters, parameters, type, equalsGreaterThanToken, body) { return node.modifiers !== modifiers || node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type || node.equalsGreaterThanToken !== equalsGreaterThanToken || node.body !== body ? finishUpdateBaseSignatureDeclaration(createArrowFunction(modifiers, typeParameters, parameters, type, equalsGreaterThanToken, body), node) : node; } function createDeleteExpression(expression) { const node = createBaseNode( 220 /* DeleteExpression */ ); node.expression = parenthesizerRules().parenthesizeOperandOfPrefixUnary(expression); node.transformFlags |= propagateChildFlags(node.expression); return node; } function updateDeleteExpression(node, expression) { return node.expression !== expression ? update(createDeleteExpression(expression), node) : node; } function createTypeOfExpression(expression) { const node = createBaseNode( 221 /* TypeOfExpression */ ); node.expression = parenthesizerRules().parenthesizeOperandOfPrefixUnary(expression); node.transformFlags |= propagateChildFlags(node.expression); return node; } function updateTypeOfExpression(node, expression) { return node.expression !== expression ? update(createTypeOfExpression(expression), node) : node; } function createVoidExpression(expression) { const node = createBaseNode( 222 /* VoidExpression */ ); node.expression = parenthesizerRules().parenthesizeOperandOfPrefixUnary(expression); node.transformFlags |= propagateChildFlags(node.expression); return node; } function updateVoidExpression(node, expression) { return node.expression !== expression ? update(createVoidExpression(expression), node) : node; } function createAwaitExpression(expression) { const node = createBaseNode( 223 /* AwaitExpression */ ); node.expression = parenthesizerRules().parenthesizeOperandOfPrefixUnary(expression); node.transformFlags |= propagateChildFlags(node.expression) | 256 | 128 | 2097152; return node; } function updateAwaitExpression(node, expression) { return node.expression !== expression ? update(createAwaitExpression(expression), node) : node; } function createPrefixUnaryExpression(operator, operand) { const node = createBaseNode( 224 /* PrefixUnaryExpression */ ); node.operator = operator; node.operand = parenthesizerRules().parenthesizeOperandOfPrefixUnary(operand); node.transformFlags |= propagateChildFlags(node.operand); if ((operator === 46 || operator === 47) && isIdentifier(node.operand) && !isGeneratedIdentifier(node.operand) && !isLocalName(node.operand)) { node.transformFlags |= 268435456; } return node; } function updatePrefixUnaryExpression(node, operand) { return node.operand !== operand ? update(createPrefixUnaryExpression(node.operator, operand), node) : node; } function createPostfixUnaryExpression(operand, operator) { const node = createBaseNode( 225 /* PostfixUnaryExpression */ ); node.operator = operator; node.operand = parenthesizerRules().parenthesizeOperandOfPostfixUnary(operand); node.transformFlags |= propagateChildFlags(node.operand); if (isIdentifier(node.operand) && !isGeneratedIdentifier(node.operand) && !isLocalName(node.operand)) { node.transformFlags |= 268435456; } return node; } function updatePostfixUnaryExpression(node, operand) { return node.operand !== operand ? update(createPostfixUnaryExpression(operand, node.operator), node) : node; } function createBinaryExpression(left, operator, right) { const node = createBaseDeclaration( 226 /* BinaryExpression */ ); const operatorToken = asToken(operator); const operatorKind = operatorToken.kind; node.left = parenthesizerRules().parenthesizeLeftSideOfBinary(operatorKind, left); node.operatorToken = operatorToken; node.right = parenthesizerRules().parenthesizeRightSideOfBinary(operatorKind, node.left, right); node.transformFlags |= propagateChildFlags(node.left) | propagateChildFlags(node.operatorToken) | propagateChildFlags(node.right); if (operatorKind === 61) { node.transformFlags |= 32; } else if (operatorKind === 64) { if (isObjectLiteralExpression(node.left)) { node.transformFlags |= 1024 | 128 | 4096 | propagateAssignmentPatternFlags(node.left); } else if (isArrayLiteralExpression(node.left)) { node.transformFlags |= 1024 | 4096 | propagateAssignmentPatternFlags(node.left); } } else if (operatorKind === 43 || operatorKind === 68) { node.transformFlags |= 512; } else if (isLogicalOrCoalescingAssignmentOperator(operatorKind)) { node.transformFlags |= 16; } if (operatorKind === 103 && isPrivateIdentifier(node.left)) { node.transformFlags |= 536870912; } node.jsDoc = void 0; return node; } function propagateAssignmentPatternFlags(node) { return containsObjectRestOrSpread(node) ? 65536 : 0; } function updateBinaryExpression(node, left, operator, right) { return node.left !== left || node.operatorToken !== operator || node.right !== right ? update(createBinaryExpression(left, operator, right), node) : node; } function createConditionalExpression(condition, questionToken, whenTrue, colonToken, whenFalse) { const node = createBaseNode( 227 /* ConditionalExpression */ ); node.condition = parenthesizerRules().parenthesizeConditionOfConditionalExpression(condition); node.questionToken = questionToken ?? createToken( 58 /* QuestionToken */ ); node.whenTrue = parenthesizerRules().parenthesizeBranchOfConditionalExpression(whenTrue); node.colonToken = colonToken ?? createToken( 59 /* ColonToken */ ); node.whenFalse = parenthesizerRules().parenthesizeBranchOfConditionalExpression(whenFalse); node.transformFlags |= propagateChildFlags(node.condition) | propagateChildFlags(node.questionToken) | propagateChildFlags(node.whenTrue) | propagateChildFlags(node.colonToken) | propagateChildFlags(node.whenFalse); return node; } function updateConditionalExpression(node, condition, questionToken, whenTrue, colonToken, whenFalse) { return node.condition !== condition || node.questionToken !== questionToken || node.whenTrue !== whenTrue || node.colonToken !== colonToken || node.whenFalse !== whenFalse ? update(createConditionalExpression(condition, questionToken, whenTrue, colonToken, whenFalse), node) : node; } function createTemplateExpression(head, templateSpans) { const node = createBaseNode( 228 /* TemplateExpression */ ); node.head = head; node.templateSpans = createNodeArray(templateSpans); node.transformFlags |= propagateChildFlags(node.head) | propagateChildrenFlags(node.templateSpans) | 1024; return node; } function updateTemplateExpression(node, head, templateSpans) { return node.head !== head || node.templateSpans !== templateSpans ? update(createTemplateExpression(head, templateSpans), node) : node; } function checkTemplateLiteralLikeNode(kind, text, rawText, templateFlags = 0) { Debug.assert(!(templateFlags & ~7176), "Unsupported template flags."); let cooked = void 0; if (rawText !== void 0 && rawText !== text) { cooked = getCookedText(kind, rawText); if (typeof cooked === "object") { return Debug.fail("Invalid raw text"); } } if (text === void 0) { if (cooked === void 0) { return Debug.fail("Arguments 'text' and 'rawText' may not both be undefined."); } text = cooked; } else if (cooked !== void 0) { Debug.assert(text === cooked, "Expected argument 'text' to be the normalized (i.e. 'cooked') version of argument 'rawText'."); } return text; } function getTransformFlagsOfTemplateLiteralLike(templateFlags) { let transformFlags = 1024; if (templateFlags) { transformFlags |= 128; } return transformFlags; } function createTemplateLiteralLikeToken(kind, text, rawText, templateFlags) { const node = createBaseToken(kind); node.text = text; node.rawText = rawText; node.templateFlags = templateFlags & 7176; node.transformFlags = getTransformFlagsOfTemplateLiteralLike(node.templateFlags); return node; } function createTemplateLiteralLikeDeclaration(kind, text, rawText, templateFlags) { const node = createBaseDeclaration(kind); node.text = text; node.rawText = rawText; node.templateFlags = templateFlags & 7176; node.transformFlags = getTransformFlagsOfTemplateLiteralLike(node.templateFlags); return node; } function createTemplateLiteralLikeNode(kind, text, rawText, templateFlags) { if (kind === 15) { return createTemplateLiteralLikeDeclaration(kind, text, rawText, templateFlags); } return createTemplateLiteralLikeToken(kind, text, rawText, templateFlags); } function createTemplateHead(text, rawText, templateFlags) { text = checkTemplateLiteralLikeNode(16, text, rawText, templateFlags); return createTemplateLiteralLikeNode(16, text, rawText, templateFlags); } function createTemplateMiddle(text, rawText, templateFlags) { text = checkTemplateLiteralLikeNode(16, text, rawText, templateFlags); return createTemplateLiteralLikeNode(17, text, rawText, templateFlags); } function createTemplateTail(text, rawText, templateFlags) { text = checkTemplateLiteralLikeNode(16, text, rawText, templateFlags); return createTemplateLiteralLikeNode(18, text, rawText, templateFlags); } function createNoSubstitutionTemplateLiteral(text, rawText, templateFlags) { text = checkTemplateLiteralLikeNode(16, text, rawText, templateFlags); return createTemplateLiteralLikeDeclaration(15, text, rawText, templateFlags); } function createYieldExpression(asteriskToken, expression) { Debug.assert(!asteriskToken || !!expression, "A `YieldExpression` with an asteriskToken must have an expression."); const node = createBaseNode( 229 /* YieldExpression */ ); node.expression = expression && parenthesizerRules().parenthesizeExpressionForDisallowedComma(expression); node.asteriskToken = asteriskToken; node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.asteriskToken) | 1024 | 128 | 1048576; return node; } function updateYieldExpression(node, asteriskToken, expression) { return node.expression !== expression || node.asteriskToken !== asteriskToken ? update(createYieldExpression(asteriskToken, expression), node) : node; } function createSpreadElement(expression) { const node = createBaseNode( 230 /* SpreadElement */ ); node.expression = parenthesizerRules().parenthesizeExpressionForDisallowedComma(expression); node.transformFlags |= propagateChildFlags(node.expression) | 1024 | 32768; return node; } function updateSpreadElement(node, expression) { return node.expression !== expression ? update(createSpreadElement(expression), node) : node; } function createClassExpression(modifiers, name, typeParameters, heritageClauses, members) { const node = createBaseDeclaration( 231 /* ClassExpression */ ); node.modifiers = asNodeArray(modifiers); node.name = asName(name); node.typeParameters = asNodeArray(typeParameters); node.heritageClauses = asNodeArray(heritageClauses); node.members = createNodeArray(members); node.transformFlags |= propagateChildrenFlags(node.modifiers) | propagateNameFlags(node.name) | propagateChildrenFlags(node.typeParameters) | propagateChildrenFlags(node.heritageClauses) | propagateChildrenFlags(node.members) | (node.typeParameters ? 1 : 0) | 1024; node.jsDoc = void 0; return node; } function updateClassExpression(node, modifiers, name, typeParameters, heritageClauses, members) { return node.modifiers !== modifiers || node.name !== name || node.typeParameters !== typeParameters || node.heritageClauses !== heritageClauses || node.members !== members ? update(createClassExpression(modifiers, name, typeParameters, heritageClauses, members), node) : node; } function createOmittedExpression() { return createBaseNode( 232 /* OmittedExpression */ ); } function createExpressionWithTypeArguments(expression, typeArguments) { const node = createBaseNode( 233 /* ExpressionWithTypeArguments */ ); node.expression = parenthesizerRules().parenthesizeLeftSideOfAccess( expression, /*optionalChain*/ false ); node.typeArguments = typeArguments && parenthesizerRules().parenthesizeTypeArguments(typeArguments); node.transformFlags |= propagateChildFlags(node.expression) | propagateChildrenFlags(node.typeArguments) | 1024; return node; } function updateExpressionWithTypeArguments(node, expression, typeArguments) { return node.expression !== expression || node.typeArguments !== typeArguments ? update(createExpressionWithTypeArguments(expression, typeArguments), node) : node; } function createAsExpression(expression, type) { const node = createBaseNode( 234 /* AsExpression */ ); node.expression = expression; node.type = type; node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.type) | 1; return node; } function updateAsExpression(node, expression, type) { return node.expression !== expression || node.type !== type ? update(createAsExpression(expression, type), node) : node; } function createNonNullExpression(expression) { const node = createBaseNode( 235 /* NonNullExpression */ ); node.expression = parenthesizerRules().parenthesizeLeftSideOfAccess( expression, /*optionalChain*/ false ); node.transformFlags |= propagateChildFlags(node.expression) | 1; return node; } function updateNonNullExpression(node, expression) { if (isNonNullChain(node)) { return updateNonNullChain(node, expression); } return node.expression !== expression ? update(createNonNullExpression(expression), node) : node; } function createSatisfiesExpression(expression, type) { const node = createBaseNode( 238 /* SatisfiesExpression */ ); node.expression = expression; node.type = type; node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.type) | 1; return node; } function updateSatisfiesExpression(node, expression, type) { return node.expression !== expression || node.type !== type ? update(createSatisfiesExpression(expression, type), node) : node; } function createNonNullChain(expression) { const node = createBaseNode( 235 /* NonNullExpression */ ); node.flags |= 64; node.expression = parenthesizerRules().parenthesizeLeftSideOfAccess( expression, /*optionalChain*/ true ); node.transformFlags |= propagateChildFlags(node.expression) | 1; return node; } function updateNonNullChain(node, expression) { Debug.assert(!!(node.flags & 64), "Cannot update a NonNullExpression using updateNonNullChain. Use updateNonNullExpression instead."); return node.expression !== expression ? update(createNonNullChain(expression), node) : node; } function createMetaProperty(keywordToken, name) { const node = createBaseNode( 236 /* MetaProperty */ ); node.keywordToken = keywordToken; node.name = name; node.transformFlags |= propagateChildFlags(node.name); switch (keywordToken) { case 105: node.transformFlags |= 1024; break; case 102: node.transformFlags |= 32; break; default: return Debug.assertNever(keywordToken); } node.flowNode = void 0; return node; } function updateMetaProperty(node, name) { return node.name !== name ? update(createMetaProperty(node.keywordToken, name), node) : node; } function createTemplateSpan(expression, literal) { const node = createBaseNode( 239 /* TemplateSpan */ ); node.expression = expression; node.literal = literal; node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.literal) | 1024; return node; } function updateTemplateSpan(node, expression, literal) { return node.expression !== expression || node.literal !== literal ? update(createTemplateSpan(expression, literal), node) : node; } function createSemicolonClassElement() { const node = createBaseNode( 240 /* SemicolonClassElement */ ); node.transformFlags |= 1024; return node; } function createBlock(statements, multiLine) { const node = createBaseNode( 241 /* Block */ ); node.statements = createNodeArray(statements); node.multiLine = multiLine; node.transformFlags |= propagateChildrenFlags(node.statements); node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; return node; } function updateBlock(node, statements) { return node.statements !== statements ? update(createBlock(statements, node.multiLine), node) : node; } function createVariableStatement(modifiers, declarationList) { const node = createBaseNode( 243 /* VariableStatement */ ); node.modifiers = asNodeArray(modifiers); node.declarationList = isArray3(declarationList) ? createVariableDeclarationList(declarationList) : declarationList; node.transformFlags |= propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.declarationList); if (modifiersToFlags(node.modifiers) & 128) { node.transformFlags = 1; } node.jsDoc = void 0; node.flowNode = void 0; return node; } function updateVariableStatement(node, modifiers, declarationList) { return node.modifiers !== modifiers || node.declarationList !== declarationList ? update(createVariableStatement(modifiers, declarationList), node) : node; } function createEmptyStatement() { const node = createBaseNode( 242 /* EmptyStatement */ ); node.jsDoc = void 0; return node; } function createExpressionStatement(expression) { const node = createBaseNode( 244 /* ExpressionStatement */ ); node.expression = parenthesizerRules().parenthesizeExpressionOfExpressionStatement(expression); node.transformFlags |= propagateChildFlags(node.expression); node.jsDoc = void 0; node.flowNode = void 0; return node; } function updateExpressionStatement(node, expression) { return node.expression !== expression ? update(createExpressionStatement(expression), node) : node; } function createIfStatement(expression, thenStatement, elseStatement) { const node = createBaseNode( 245 /* IfStatement */ ); node.expression = expression; node.thenStatement = asEmbeddedStatement(thenStatement); node.elseStatement = asEmbeddedStatement(elseStatement); node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.thenStatement) | propagateChildFlags(node.elseStatement); node.jsDoc = void 0; node.flowNode = void 0; return node; } function updateIfStatement(node, expression, thenStatement, elseStatement) { return node.expression !== expression || node.thenStatement !== thenStatement || node.elseStatement !== elseStatement ? update(createIfStatement(expression, thenStatement, elseStatement), node) : node; } function createDoStatement(statement, expression) { const node = createBaseNode( 246 /* DoStatement */ ); node.statement = asEmbeddedStatement(statement); node.expression = expression; node.transformFlags |= propagateChildFlags(node.statement) | propagateChildFlags(node.expression); node.jsDoc = void 0; node.flowNode = void 0; return node; } function updateDoStatement(node, statement, expression) { return node.statement !== statement || node.expression !== expression ? update(createDoStatement(statement, expression), node) : node; } function createWhileStatement(expression, statement) { const node = createBaseNode( 247 /* WhileStatement */ ); node.expression = expression; node.statement = asEmbeddedStatement(statement); node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.statement); node.jsDoc = void 0; node.flowNode = void 0; return node; } function updateWhileStatement(node, expression, statement) { return node.expression !== expression || node.statement !== statement ? update(createWhileStatement(expression, statement), node) : node; } function createForStatement(initializer, condition, incrementor, statement) { const node = createBaseNode( 248 /* ForStatement */ ); node.initializer = initializer; node.condition = condition; node.incrementor = incrementor; node.statement = asEmbeddedStatement(statement); node.transformFlags |= propagateChildFlags(node.initializer) | propagateChildFlags(node.condition) | propagateChildFlags(node.incrementor) | propagateChildFlags(node.statement); node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.flowNode = void 0; return node; } function updateForStatement(node, initializer, condition, incrementor, statement) { return node.initializer !== initializer || node.condition !== condition || node.incrementor !== incrementor || node.statement !== statement ? update(createForStatement(initializer, condition, incrementor, statement), node) : node; } function createForInStatement(initializer, expression, statement) { const node = createBaseNode( 249 /* ForInStatement */ ); node.initializer = initializer; node.expression = expression; node.statement = asEmbeddedStatement(statement); node.transformFlags |= propagateChildFlags(node.initializer) | propagateChildFlags(node.expression) | propagateChildFlags(node.statement); node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.flowNode = void 0; return node; } function updateForInStatement(node, initializer, expression, statement) { return node.initializer !== initializer || node.expression !== expression || node.statement !== statement ? update(createForInStatement(initializer, expression, statement), node) : node; } function createForOfStatement(awaitModifier, initializer, expression, statement) { const node = createBaseNode( 250 /* ForOfStatement */ ); node.awaitModifier = awaitModifier; node.initializer = initializer; node.expression = parenthesizerRules().parenthesizeExpressionForDisallowedComma(expression); node.statement = asEmbeddedStatement(statement); node.transformFlags |= propagateChildFlags(node.awaitModifier) | propagateChildFlags(node.initializer) | propagateChildFlags(node.expression) | propagateChildFlags(node.statement) | 1024; if (awaitModifier) node.transformFlags |= 128; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.flowNode = void 0; return node; } function updateForOfStatement(node, awaitModifier, initializer, expression, statement) { return node.awaitModifier !== awaitModifier || node.initializer !== initializer || node.expression !== expression || node.statement !== statement ? update(createForOfStatement(awaitModifier, initializer, expression, statement), node) : node; } function createContinueStatement(label) { const node = createBaseNode( 251 /* ContinueStatement */ ); node.label = asName(label); node.transformFlags |= propagateChildFlags(node.label) | 4194304; node.jsDoc = void 0; node.flowNode = void 0; return node; } function updateContinueStatement(node, label) { return node.label !== label ? update(createContinueStatement(label), node) : node; } function createBreakStatement(label) { const node = createBaseNode( 252 /* BreakStatement */ ); node.label = asName(label); node.transformFlags |= propagateChildFlags(node.label) | 4194304; node.jsDoc = void 0; node.flowNode = void 0; return node; } function updateBreakStatement(node, label) { return node.label !== label ? update(createBreakStatement(label), node) : node; } function createReturnStatement(expression) { const node = createBaseNode( 253 /* ReturnStatement */ ); node.expression = expression; node.transformFlags |= propagateChildFlags(node.expression) | 128 | 4194304; node.jsDoc = void 0; node.flowNode = void 0; return node; } function updateReturnStatement(node, expression) { return node.expression !== expression ? update(createReturnStatement(expression), node) : node; } function createWithStatement(expression, statement) { const node = createBaseNode( 254 /* WithStatement */ ); node.expression = expression; node.statement = asEmbeddedStatement(statement); node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.statement); node.jsDoc = void 0; node.flowNode = void 0; return node; } function updateWithStatement(node, expression, statement) { return node.expression !== expression || node.statement !== statement ? update(createWithStatement(expression, statement), node) : node; } function createSwitchStatement(expression, caseBlock) { const node = createBaseNode( 255 /* SwitchStatement */ ); node.expression = parenthesizerRules().parenthesizeExpressionForDisallowedComma(expression); node.caseBlock = caseBlock; node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.caseBlock); node.jsDoc = void 0; node.flowNode = void 0; node.possiblyExhaustive = false; return node; } function updateSwitchStatement(node, expression, caseBlock) { return node.expression !== expression || node.caseBlock !== caseBlock ? update(createSwitchStatement(expression, caseBlock), node) : node; } function createLabeledStatement(label, statement) { const node = createBaseNode( 256 /* LabeledStatement */ ); node.label = asName(label); node.statement = asEmbeddedStatement(statement); node.transformFlags |= propagateChildFlags(node.label) | propagateChildFlags(node.statement); node.jsDoc = void 0; node.flowNode = void 0; return node; } function updateLabeledStatement(node, label, statement) { return node.label !== label || node.statement !== statement ? update(createLabeledStatement(label, statement), node) : node; } function createThrowStatement(expression) { const node = createBaseNode( 257 /* ThrowStatement */ ); node.expression = expression; node.transformFlags |= propagateChildFlags(node.expression); node.jsDoc = void 0; node.flowNode = void 0; return node; } function updateThrowStatement(node, expression) { return node.expression !== expression ? update(createThrowStatement(expression), node) : node; } function createTryStatement(tryBlock, catchClause, finallyBlock) { const node = createBaseNode( 258 /* TryStatement */ ); node.tryBlock = tryBlock; node.catchClause = catchClause; node.finallyBlock = finallyBlock; node.transformFlags |= propagateChildFlags(node.tryBlock) | propagateChildFlags(node.catchClause) | propagateChildFlags(node.finallyBlock); node.jsDoc = void 0; node.flowNode = void 0; return node; } function updateTryStatement(node, tryBlock, catchClause, finallyBlock) { return node.tryBlock !== tryBlock || node.catchClause !== catchClause || node.finallyBlock !== finallyBlock ? update(createTryStatement(tryBlock, catchClause, finallyBlock), node) : node; } function createDebuggerStatement() { const node = createBaseNode( 259 /* DebuggerStatement */ ); node.jsDoc = void 0; node.flowNode = void 0; return node; } function createVariableDeclaration(name, exclamationToken, type, initializer) { const node = createBaseDeclaration( 260 /* VariableDeclaration */ ); node.name = asName(name); node.exclamationToken = exclamationToken; node.type = type; node.initializer = asInitializer(initializer); node.transformFlags |= propagateNameFlags(node.name) | propagateChildFlags(node.initializer) | (node.exclamationToken ?? node.type ? 1 : 0); node.jsDoc = void 0; return node; } function updateVariableDeclaration(node, name, exclamationToken, type, initializer) { return node.name !== name || node.type !== type || node.exclamationToken !== exclamationToken || node.initializer !== initializer ? update(createVariableDeclaration(name, exclamationToken, type, initializer), node) : node; } function createVariableDeclarationList(declarations, flags2 = 0) { const node = createBaseNode( 261 /* VariableDeclarationList */ ); node.flags |= flags2 & 7; node.declarations = createNodeArray(declarations); node.transformFlags |= propagateChildrenFlags(node.declarations) | 4194304; if (flags2 & 7) { node.transformFlags |= 1024 | 262144; } if (flags2 & 4) { node.transformFlags |= 4; } return node; } function updateVariableDeclarationList(node, declarations) { return node.declarations !== declarations ? update(createVariableDeclarationList(declarations, node.flags), node) : node; } function createFunctionDeclaration(modifiers, asteriskToken, name, typeParameters, parameters, type, body) { const node = createBaseDeclaration( 262 /* FunctionDeclaration */ ); node.modifiers = asNodeArray(modifiers); node.asteriskToken = asteriskToken; node.name = asName(name); node.typeParameters = asNodeArray(typeParameters); node.parameters = createNodeArray(parameters); node.type = type; node.body = body; if (!node.body || modifiersToFlags(node.modifiers) & 128) { node.transformFlags = 1; } else { const isAsync2 = modifiersToFlags(node.modifiers) & 1024; const isGenerator = !!node.asteriskToken; const isAsyncGenerator = isAsync2 && isGenerator; node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.asteriskToken) | propagateNameFlags(node.name) | propagateChildrenFlags(node.typeParameters) | propagateChildrenFlags(node.parameters) | propagateChildFlags(node.type) | propagateChildFlags(node.body) & ~67108864 | (isAsyncGenerator ? 128 : isAsync2 ? 256 : isGenerator ? 2048 : 0) | (node.typeParameters || node.type ? 1 : 0) | 4194304; } node.typeArguments = void 0; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.endFlowNode = void 0; node.returnFlowNode = void 0; return node; } function updateFunctionDeclaration(node, modifiers, asteriskToken, name, typeParameters, parameters, type, body) { return node.modifiers !== modifiers || node.asteriskToken !== asteriskToken || node.name !== name || node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type || node.body !== body ? finishUpdateFunctionDeclaration(createFunctionDeclaration(modifiers, asteriskToken, name, typeParameters, parameters, type, body), node) : node; } function finishUpdateFunctionDeclaration(updated, original) { if (updated !== original) { if (updated.modifiers === original.modifiers) { updated.modifiers = original.modifiers; } } return finishUpdateBaseSignatureDeclaration(updated, original); } function createClassDeclaration(modifiers, name, typeParameters, heritageClauses, members) { const node = createBaseDeclaration( 263 /* ClassDeclaration */ ); node.modifiers = asNodeArray(modifiers); node.name = asName(name); node.typeParameters = asNodeArray(typeParameters); node.heritageClauses = asNodeArray(heritageClauses); node.members = createNodeArray(members); if (modifiersToFlags(node.modifiers) & 128) { node.transformFlags = 1; } else { node.transformFlags |= propagateChildrenFlags(node.modifiers) | propagateNameFlags(node.name) | propagateChildrenFlags(node.typeParameters) | propagateChildrenFlags(node.heritageClauses) | propagateChildrenFlags(node.members) | (node.typeParameters ? 1 : 0) | 1024; if (node.transformFlags & 8192) { node.transformFlags |= 1; } } node.jsDoc = void 0; return node; } function updateClassDeclaration(node, modifiers, name, typeParameters, heritageClauses, members) { return node.modifiers !== modifiers || node.name !== name || node.typeParameters !== typeParameters || node.heritageClauses !== heritageClauses || node.members !== members ? update(createClassDeclaration(modifiers, name, typeParameters, heritageClauses, members), node) : node; } function createInterfaceDeclaration(modifiers, name, typeParameters, heritageClauses, members) { const node = createBaseDeclaration( 264 /* InterfaceDeclaration */ ); node.modifiers = asNodeArray(modifiers); node.name = asName(name); node.typeParameters = asNodeArray(typeParameters); node.heritageClauses = asNodeArray(heritageClauses); node.members = createNodeArray(members); node.transformFlags = 1; node.jsDoc = void 0; return node; } function updateInterfaceDeclaration(node, modifiers, name, typeParameters, heritageClauses, members) { return node.modifiers !== modifiers || node.name !== name || node.typeParameters !== typeParameters || node.heritageClauses !== heritageClauses || node.members !== members ? update(createInterfaceDeclaration(modifiers, name, typeParameters, heritageClauses, members), node) : node; } function createTypeAliasDeclaration(modifiers, name, typeParameters, type) { const node = createBaseDeclaration( 265 /* TypeAliasDeclaration */ ); node.modifiers = asNodeArray(modifiers); node.name = asName(name); node.typeParameters = asNodeArray(typeParameters); node.type = type; node.transformFlags = 1; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; return node; } function updateTypeAliasDeclaration(node, modifiers, name, typeParameters, type) { return node.modifiers !== modifiers || node.name !== name || node.typeParameters !== typeParameters || node.type !== type ? update(createTypeAliasDeclaration(modifiers, name, typeParameters, type), node) : node; } function createEnumDeclaration(modifiers, name, members) { const node = createBaseDeclaration( 266 /* EnumDeclaration */ ); node.modifiers = asNodeArray(modifiers); node.name = asName(name); node.members = createNodeArray(members); node.transformFlags |= propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.name) | propagateChildrenFlags(node.members) | 1; node.transformFlags &= ~67108864; node.jsDoc = void 0; return node; } function updateEnumDeclaration(node, modifiers, name, members) { return node.modifiers !== modifiers || node.name !== name || node.members !== members ? update(createEnumDeclaration(modifiers, name, members), node) : node; } function createModuleDeclaration(modifiers, name, body, flags2 = 0) { const node = createBaseDeclaration( 267 /* ModuleDeclaration */ ); node.modifiers = asNodeArray(modifiers); node.flags |= flags2 & (32 | 8 | 2048); node.name = name; node.body = body; if (modifiersToFlags(node.modifiers) & 128) { node.transformFlags = 1; } else { node.transformFlags |= propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.name) | propagateChildFlags(node.body) | 1; } node.transformFlags &= ~67108864; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; return node; } function updateModuleDeclaration(node, modifiers, name, body) { return node.modifiers !== modifiers || node.name !== name || node.body !== body ? update(createModuleDeclaration(modifiers, name, body, node.flags), node) : node; } function createModuleBlock(statements) { const node = createBaseNode( 268 /* ModuleBlock */ ); node.statements = createNodeArray(statements); node.transformFlags |= propagateChildrenFlags(node.statements); node.jsDoc = void 0; return node; } function updateModuleBlock(node, statements) { return node.statements !== statements ? update(createModuleBlock(statements), node) : node; } function createCaseBlock(clauses) { const node = createBaseNode( 269 /* CaseBlock */ ); node.clauses = createNodeArray(clauses); node.transformFlags |= propagateChildrenFlags(node.clauses); node.locals = void 0; node.nextContainer = void 0; return node; } function updateCaseBlock(node, clauses) { return node.clauses !== clauses ? update(createCaseBlock(clauses), node) : node; } function createNamespaceExportDeclaration(name) { const node = createBaseDeclaration( 270 /* NamespaceExportDeclaration */ ); node.name = asName(name); node.transformFlags |= propagateIdentifierNameFlags(node.name) | 1; node.modifiers = void 0; node.jsDoc = void 0; return node; } function updateNamespaceExportDeclaration(node, name) { return node.name !== name ? finishUpdateNamespaceExportDeclaration(createNamespaceExportDeclaration(name), node) : node; } function finishUpdateNamespaceExportDeclaration(updated, original) { if (updated !== original) { updated.modifiers = original.modifiers; } return update(updated, original); } function createImportEqualsDeclaration(modifiers, isTypeOnly, name, moduleReference) { const node = createBaseDeclaration( 271 /* ImportEqualsDeclaration */ ); node.modifiers = asNodeArray(modifiers); node.name = asName(name); node.isTypeOnly = isTypeOnly; node.moduleReference = moduleReference; node.transformFlags |= propagateChildrenFlags(node.modifiers) | propagateIdentifierNameFlags(node.name) | propagateChildFlags(node.moduleReference); if (!isExternalModuleReference(node.moduleReference)) { node.transformFlags |= 1; } node.transformFlags &= ~67108864; node.jsDoc = void 0; return node; } function updateImportEqualsDeclaration(node, modifiers, isTypeOnly, name, moduleReference) { return node.modifiers !== modifiers || node.isTypeOnly !== isTypeOnly || node.name !== name || node.moduleReference !== moduleReference ? update(createImportEqualsDeclaration(modifiers, isTypeOnly, name, moduleReference), node) : node; } function createImportDeclaration(modifiers, importClause, moduleSpecifier, attributes) { const node = createBaseNode( 272 /* ImportDeclaration */ ); node.modifiers = asNodeArray(modifiers); node.importClause = importClause; node.moduleSpecifier = moduleSpecifier; node.attributes = node.assertClause = attributes; node.transformFlags |= propagateChildFlags(node.importClause) | propagateChildFlags(node.moduleSpecifier); node.transformFlags &= ~67108864; node.jsDoc = void 0; return node; } function updateImportDeclaration(node, modifiers, importClause, moduleSpecifier, attributes) { return node.modifiers !== modifiers || node.importClause !== importClause || node.moduleSpecifier !== moduleSpecifier || node.attributes !== attributes ? update(createImportDeclaration(modifiers, importClause, moduleSpecifier, attributes), node) : node; } function createImportClause2(isTypeOnly, name, namedBindings) { const node = createBaseDeclaration( 273 /* ImportClause */ ); node.isTypeOnly = isTypeOnly; node.name = name; node.namedBindings = namedBindings; node.transformFlags |= propagateChildFlags(node.name) | propagateChildFlags(node.namedBindings); if (isTypeOnly) { node.transformFlags |= 1; } node.transformFlags &= ~67108864; return node; } function updateImportClause(node, isTypeOnly, name, namedBindings) { return node.isTypeOnly !== isTypeOnly || node.name !== name || node.namedBindings !== namedBindings ? update(createImportClause2(isTypeOnly, name, namedBindings), node) : node; } function createAssertClause(elements, multiLine) { const node = createBaseNode( 300 /* AssertClause */ ); node.elements = createNodeArray(elements); node.multiLine = multiLine; node.token = 132; node.transformFlags |= 4; return node; } function updateAssertClause(node, elements, multiLine) { return node.elements !== elements || node.multiLine !== multiLine ? update(createAssertClause(elements, multiLine), node) : node; } function createAssertEntry(name, value) { const node = createBaseNode( 301 /* AssertEntry */ ); node.name = name; node.value = value; node.transformFlags |= 4; return node; } function updateAssertEntry(node, name, value) { return node.name !== name || node.value !== value ? update(createAssertEntry(name, value), node) : node; } function createImportTypeAssertionContainer(clause, multiLine) { const node = createBaseNode( 302 /* ImportTypeAssertionContainer */ ); node.assertClause = clause; node.multiLine = multiLine; return node; } function updateImportTypeAssertionContainer(node, clause, multiLine) { return node.assertClause !== clause || node.multiLine !== multiLine ? update(createImportTypeAssertionContainer(clause, multiLine), node) : node; } function createImportAttributes(elements, multiLine, token) { const node = createBaseNode( 300 /* ImportAttributes */ ); node.token = token ?? 118; node.elements = createNodeArray(elements); node.multiLine = multiLine; node.transformFlags |= 4; return node; } function updateImportAttributes(node, elements, multiLine) { return node.elements !== elements || node.multiLine !== multiLine ? update(createImportAttributes(elements, multiLine, node.token), node) : node; } function createImportAttribute(name, value) { const node = createBaseNode( 301 /* ImportAttribute */ ); node.name = name; node.value = value; node.transformFlags |= 4; return node; } function updateImportAttribute(node, name, value) { return node.name !== name || node.value !== value ? update(createImportAttribute(name, value), node) : node; } function createNamespaceImport(name) { const node = createBaseDeclaration( 274 /* NamespaceImport */ ); node.name = name; node.transformFlags |= propagateChildFlags(node.name); node.transformFlags &= ~67108864; return node; } function updateNamespaceImport(node, name) { return node.name !== name ? update(createNamespaceImport(name), node) : node; } function createNamespaceExport(name) { const node = createBaseDeclaration( 280 /* NamespaceExport */ ); node.name = name; node.transformFlags |= propagateChildFlags(node.name) | 32; node.transformFlags &= ~67108864; return node; } function updateNamespaceExport(node, name) { return node.name !== name ? update(createNamespaceExport(name), node) : node; } function createNamedImports(elements) { const node = createBaseNode( 275 /* NamedImports */ ); node.elements = createNodeArray(elements); node.transformFlags |= propagateChildrenFlags(node.elements); node.transformFlags &= ~67108864; return node; } function updateNamedImports(node, elements) { return node.elements !== elements ? update(createNamedImports(elements), node) : node; } function createImportSpecifier(isTypeOnly, propertyName, name) { const node = createBaseDeclaration( 276 /* ImportSpecifier */ ); node.isTypeOnly = isTypeOnly; node.propertyName = propertyName; node.name = name; node.transformFlags |= propagateChildFlags(node.propertyName) | propagateChildFlags(node.name); node.transformFlags &= ~67108864; return node; } function updateImportSpecifier(node, isTypeOnly, propertyName, name) { return node.isTypeOnly !== isTypeOnly || node.propertyName !== propertyName || node.name !== name ? update(createImportSpecifier(isTypeOnly, propertyName, name), node) : node; } function createExportAssignment2(modifiers, isExportEquals, expression) { const node = createBaseDeclaration( 277 /* ExportAssignment */ ); node.modifiers = asNodeArray(modifiers); node.isExportEquals = isExportEquals; node.expression = isExportEquals ? parenthesizerRules().parenthesizeRightSideOfBinary( 64, /*leftSide*/ void 0, expression ) : parenthesizerRules().parenthesizeExpressionOfExportDefault(expression); node.transformFlags |= propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.expression); node.transformFlags &= ~67108864; node.jsDoc = void 0; return node; } function updateExportAssignment(node, modifiers, expression) { return node.modifiers !== modifiers || node.expression !== expression ? update(createExportAssignment2(modifiers, node.isExportEquals, expression), node) : node; } function createExportDeclaration(modifiers, isTypeOnly, exportClause, moduleSpecifier, attributes) { const node = createBaseDeclaration( 278 /* ExportDeclaration */ ); node.modifiers = asNodeArray(modifiers); node.isTypeOnly = isTypeOnly; node.exportClause = exportClause; node.moduleSpecifier = moduleSpecifier; node.attributes = node.assertClause = attributes; node.transformFlags |= propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.exportClause) | propagateChildFlags(node.moduleSpecifier); node.transformFlags &= ~67108864; node.jsDoc = void 0; return node; } function updateExportDeclaration(node, modifiers, isTypeOnly, exportClause, moduleSpecifier, attributes) { return node.modifiers !== modifiers || node.isTypeOnly !== isTypeOnly || node.exportClause !== exportClause || node.moduleSpecifier !== moduleSpecifier || node.attributes !== attributes ? finishUpdateExportDeclaration(createExportDeclaration(modifiers, isTypeOnly, exportClause, moduleSpecifier, attributes), node) : node; } function finishUpdateExportDeclaration(updated, original) { if (updated !== original) { if (updated.modifiers === original.modifiers) { updated.modifiers = original.modifiers; } } return update(updated, original); } function createNamedExports(elements) { const node = createBaseNode( 279 /* NamedExports */ ); node.elements = createNodeArray(elements); node.transformFlags |= propagateChildrenFlags(node.elements); node.transformFlags &= ~67108864; return node; } function updateNamedExports(node, elements) { return node.elements !== elements ? update(createNamedExports(elements), node) : node; } function createExportSpecifier(isTypeOnly, propertyName, name) { const node = createBaseNode( 281 /* ExportSpecifier */ ); node.isTypeOnly = isTypeOnly; node.propertyName = asName(propertyName); node.name = asName(name); node.transformFlags |= propagateChildFlags(node.propertyName) | propagateChildFlags(node.name); node.transformFlags &= ~67108864; node.jsDoc = void 0; return node; } function updateExportSpecifier(node, isTypeOnly, propertyName, name) { return node.isTypeOnly !== isTypeOnly || node.propertyName !== propertyName || node.name !== name ? update(createExportSpecifier(isTypeOnly, propertyName, name), node) : node; } function createMissingDeclaration() { const node = createBaseDeclaration( 282 /* MissingDeclaration */ ); node.jsDoc = void 0; return node; } function createExternalModuleReference(expression) { const node = createBaseNode( 283 /* ExternalModuleReference */ ); node.expression = expression; node.transformFlags |= propagateChildFlags(node.expression); node.transformFlags &= ~67108864; return node; } function updateExternalModuleReference(node, expression) { return node.expression !== expression ? update(createExternalModuleReference(expression), node) : node; } function createJSDocPrimaryTypeWorker(kind) { return createBaseNode(kind); } function createJSDocPrePostfixUnaryTypeWorker(kind, type, postfix = false) { const node = createJSDocUnaryTypeWorker( kind, postfix ? type && parenthesizerRules().parenthesizeNonArrayTypeOfPostfixType(type) : type ); node.postfix = postfix; return node; } function createJSDocUnaryTypeWorker(kind, type) { const node = createBaseNode(kind); node.type = type; return node; } function updateJSDocPrePostfixUnaryTypeWorker(kind, node, type) { return node.type !== type ? update(createJSDocPrePostfixUnaryTypeWorker(kind, type, node.postfix), node) : node; } function updateJSDocUnaryTypeWorker(kind, node, type) { return node.type !== type ? update(createJSDocUnaryTypeWorker(kind, type), node) : node; } function createJSDocFunctionType(parameters, type) { const node = createBaseDeclaration( 317 /* JSDocFunctionType */ ); node.parameters = asNodeArray(parameters); node.type = type; node.transformFlags = propagateChildrenFlags(node.parameters) | (node.type ? 1 : 0); node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; node.typeArguments = void 0; return node; } function updateJSDocFunctionType(node, parameters, type) { return node.parameters !== parameters || node.type !== type ? update(createJSDocFunctionType(parameters, type), node) : node; } function createJSDocTypeLiteral(propertyTags, isArrayType = false) { const node = createBaseDeclaration( 322 /* JSDocTypeLiteral */ ); node.jsDocPropertyTags = asNodeArray(propertyTags); node.isArrayType = isArrayType; return node; } function updateJSDocTypeLiteral(node, propertyTags, isArrayType) { return node.jsDocPropertyTags !== propertyTags || node.isArrayType !== isArrayType ? update(createJSDocTypeLiteral(propertyTags, isArrayType), node) : node; } function createJSDocTypeExpression(type) { const node = createBaseNode( 309 /* JSDocTypeExpression */ ); node.type = type; return node; } function updateJSDocTypeExpression(node, type) { return node.type !== type ? update(createJSDocTypeExpression(type), node) : node; } function createJSDocSignature(typeParameters, parameters, type) { const node = createBaseDeclaration( 323 /* JSDocSignature */ ); node.typeParameters = asNodeArray(typeParameters); node.parameters = createNodeArray(parameters); node.type = type; node.jsDoc = void 0; node.locals = void 0; node.nextContainer = void 0; return node; } function updateJSDocSignature(node, typeParameters, parameters, type) { return node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type ? update(createJSDocSignature(typeParameters, parameters, type), node) : node; } function getDefaultTagName(node) { const defaultTagName = getDefaultTagNameForKind(node.kind); return node.tagName.escapedText === escapeLeadingUnderscores(defaultTagName) ? node.tagName : createIdentifier(defaultTagName); } function createBaseJSDocTag(kind, tagName, comment) { const node = createBaseNode(kind); node.tagName = tagName; node.comment = comment; return node; } function createBaseJSDocTagDeclaration(kind, tagName, comment) { const node = createBaseDeclaration(kind); node.tagName = tagName; node.comment = comment; return node; } function createJSDocTemplateTag(tagName, constraint, typeParameters, comment) { const node = createBaseJSDocTag(345, tagName ?? createIdentifier("template"), comment); node.constraint = constraint; node.typeParameters = createNodeArray(typeParameters); return node; } function updateJSDocTemplateTag(node, tagName = getDefaultTagName(node), constraint, typeParameters, comment) { return node.tagName !== tagName || node.constraint !== constraint || node.typeParameters !== typeParameters || node.comment !== comment ? update(createJSDocTemplateTag(tagName, constraint, typeParameters, comment), node) : node; } function createJSDocTypedefTag(tagName, typeExpression, fullName, comment) { const node = createBaseJSDocTagDeclaration(346, tagName ?? createIdentifier("typedef"), comment); node.typeExpression = typeExpression; node.fullName = fullName; node.name = getJSDocTypeAliasName(fullName); node.locals = void 0; node.nextContainer = void 0; return node; } function updateJSDocTypedefTag(node, tagName = getDefaultTagName(node), typeExpression, fullName, comment) { return node.tagName !== tagName || node.typeExpression !== typeExpression || node.fullName !== fullName || node.comment !== comment ? update(createJSDocTypedefTag(tagName, typeExpression, fullName, comment), node) : node; } function createJSDocParameterTag(tagName, name, isBracketed, typeExpression, isNameFirst, comment) { const node = createBaseJSDocTagDeclaration(341, tagName ?? createIdentifier("param"), comment); node.typeExpression = typeExpression; node.name = name; node.isNameFirst = !!isNameFirst; node.isBracketed = isBracketed; return node; } function updateJSDocParameterTag(node, tagName = getDefaultTagName(node), name, isBracketed, typeExpression, isNameFirst, comment) { return node.tagName !== tagName || node.name !== name || node.isBracketed !== isBracketed || node.typeExpression !== typeExpression || node.isNameFirst !== isNameFirst || node.comment !== comment ? update(createJSDocParameterTag(tagName, name, isBracketed, typeExpression, isNameFirst, comment), node) : node; } function createJSDocPropertyTag(tagName, name, isBracketed, typeExpression, isNameFirst, comment) { const node = createBaseJSDocTagDeclaration(348, tagName ?? createIdentifier("prop"), comment); node.typeExpression = typeExpression; node.name = name; node.isNameFirst = !!isNameFirst; node.isBracketed = isBracketed; return node; } function updateJSDocPropertyTag(node, tagName = getDefaultTagName(node), name, isBracketed, typeExpression, isNameFirst, comment) { return node.tagName !== tagName || node.name !== name || node.isBracketed !== isBracketed || node.typeExpression !== typeExpression || node.isNameFirst !== isNameFirst || node.comment !== comment ? update(createJSDocPropertyTag(tagName, name, isBracketed, typeExpression, isNameFirst, comment), node) : node; } function createJSDocCallbackTag(tagName, typeExpression, fullName, comment) { const node = createBaseJSDocTagDeclaration(338, tagName ?? createIdentifier("callback"), comment); node.typeExpression = typeExpression; node.fullName = fullName; node.name = getJSDocTypeAliasName(fullName); node.locals = void 0; node.nextContainer = void 0; return node; } function updateJSDocCallbackTag(node, tagName = getDefaultTagName(node), typeExpression, fullName, comment) { return node.tagName !== tagName || node.typeExpression !== typeExpression || node.fullName !== fullName || node.comment !== comment ? update(createJSDocCallbackTag(tagName, typeExpression, fullName, comment), node) : node; } function createJSDocOverloadTag(tagName, typeExpression, comment) { const node = createBaseJSDocTag(339, tagName ?? createIdentifier("overload"), comment); node.typeExpression = typeExpression; return node; } function updateJSDocOverloadTag(node, tagName = getDefaultTagName(node), typeExpression, comment) { return node.tagName !== tagName || node.typeExpression !== typeExpression || node.comment !== comment ? update(createJSDocOverloadTag(tagName, typeExpression, comment), node) : node; } function createJSDocAugmentsTag(tagName, className, comment) { const node = createBaseJSDocTag(328, tagName ?? createIdentifier("augments"), comment); node.class = className; return node; } function updateJSDocAugmentsTag(node, tagName = getDefaultTagName(node), className, comment) { return node.tagName !== tagName || node.class !== className || node.comment !== comment ? update(createJSDocAugmentsTag(tagName, className, comment), node) : node; } function createJSDocImplementsTag(tagName, className, comment) { const node = createBaseJSDocTag(329, tagName ?? createIdentifier("implements"), comment); node.class = className; return node; } function createJSDocSeeTag(tagName, name, comment) { const node = createBaseJSDocTag(347, tagName ?? createIdentifier("see"), comment); node.name = name; return node; } function updateJSDocSeeTag(node, tagName, name, comment) { return node.tagName !== tagName || node.name !== name || node.comment !== comment ? update(createJSDocSeeTag(tagName, name, comment), node) : node; } function createJSDocNameReference(name) { const node = createBaseNode( 310 /* JSDocNameReference */ ); node.name = name; return node; } function updateJSDocNameReference(node, name) { return node.name !== name ? update(createJSDocNameReference(name), node) : node; } function createJSDocMemberName(left, right) { const node = createBaseNode( 311 /* JSDocMemberName */ ); node.left = left; node.right = right; node.transformFlags |= propagateChildFlags(node.left) | propagateChildFlags(node.right); return node; } function updateJSDocMemberName(node, left, right) { return node.left !== left || node.right !== right ? update(createJSDocMemberName(left, right), node) : node; } function createJSDocLink(name, text) { const node = createBaseNode( 324 /* JSDocLink */ ); node.name = name; node.text = text; return node; } function updateJSDocLink(node, name, text) { return node.name !== name ? update(createJSDocLink(name, text), node) : node; } function createJSDocLinkCode(name, text) { const node = createBaseNode( 325 /* JSDocLinkCode */ ); node.name = name; node.text = text; return node; } function updateJSDocLinkCode(node, name, text) { return node.name !== name ? update(createJSDocLinkCode(name, text), node) : node; } function createJSDocLinkPlain(name, text) { const node = createBaseNode( 326 /* JSDocLinkPlain */ ); node.name = name; node.text = text; return node; } function updateJSDocLinkPlain(node, name, text) { return node.name !== name ? update(createJSDocLinkPlain(name, text), node) : node; } function updateJSDocImplementsTag(node, tagName = getDefaultTagName(node), className, comment) { return node.tagName !== tagName || node.class !== className || node.comment !== comment ? update(createJSDocImplementsTag(tagName, className, comment), node) : node; } function createJSDocSimpleTagWorker(kind, tagName, comment) { const node = createBaseJSDocTag(kind, tagName ?? createIdentifier(getDefaultTagNameForKind(kind)), comment); return node; } function updateJSDocSimpleTagWorker(kind, node, tagName = getDefaultTagName(node), comment) { return node.tagName !== tagName || node.comment !== comment ? update(createJSDocSimpleTagWorker(kind, tagName, comment), node) : node; } function createJSDocTypeLikeTagWorker(kind, tagName, typeExpression, comment) { const node = createBaseJSDocTag(kind, tagName ?? createIdentifier(getDefaultTagNameForKind(kind)), comment); node.typeExpression = typeExpression; return node; } function updateJSDocTypeLikeTagWorker(kind, node, tagName = getDefaultTagName(node), typeExpression, comment) { return node.tagName !== tagName || node.typeExpression !== typeExpression || node.comment !== comment ? update(createJSDocTypeLikeTagWorker(kind, tagName, typeExpression, comment), node) : node; } function createJSDocUnknownTag(tagName, comment) { const node = createBaseJSDocTag(327, tagName, comment); return node; } function updateJSDocUnknownTag(node, tagName, comment) { return node.tagName !== tagName || node.comment !== comment ? update(createJSDocUnknownTag(tagName, comment), node) : node; } function createJSDocEnumTag(tagName, typeExpression, comment) { const node = createBaseJSDocTagDeclaration(340, tagName ?? createIdentifier(getDefaultTagNameForKind( 340 /* JSDocEnumTag */ )), comment); node.typeExpression = typeExpression; node.locals = void 0; node.nextContainer = void 0; return node; } function updateJSDocEnumTag(node, tagName = getDefaultTagName(node), typeExpression, comment) { return node.tagName !== tagName || node.typeExpression !== typeExpression || node.comment !== comment ? update(createJSDocEnumTag(tagName, typeExpression, comment), node) : node; } function createJSDocImportTag(tagName, importClause, moduleSpecifier, attributes, comment) { const node = createBaseJSDocTag(351, tagName ?? createIdentifier("import"), comment); node.importClause = importClause; node.moduleSpecifier = moduleSpecifier; node.attributes = attributes; node.comment = comment; return node; } function updateJSDocImportTag(node, tagName, importClause, moduleSpecifier, attributes, comment) { return node.tagName !== tagName || node.comment !== comment || node.importClause !== importClause || node.moduleSpecifier !== moduleSpecifier || node.attributes !== attributes ? update(createJSDocImportTag(tagName, importClause, moduleSpecifier, attributes, comment), node) : node; } function createJSDocText(text) { const node = createBaseNode( 321 /* JSDocText */ ); node.text = text; return node; } function updateJSDocText(node, text) { return node.text !== text ? update(createJSDocText(text), node) : node; } function createJSDocComment(comment, tags) { const node = createBaseNode( 320 /* JSDoc */ ); node.comment = comment; node.tags = asNodeArray(tags); return node; } function updateJSDocComment(node, comment, tags) { return node.comment !== comment || node.tags !== tags ? update(createJSDocComment(comment, tags), node) : node; } function createJsxElement(openingElement, children, closingElement) { const node = createBaseNode( 284 /* JsxElement */ ); node.openingElement = openingElement; node.children = createNodeArray(children); node.closingElement = closingElement; node.transformFlags |= propagateChildFlags(node.openingElement) | propagateChildrenFlags(node.children) | propagateChildFlags(node.closingElement) | 2; return node; } function updateJsxElement(node, openingElement, children, closingElement) { return node.openingElement !== openingElement || node.children !== children || node.closingElement !== closingElement ? update(createJsxElement(openingElement, children, closingElement), node) : node; } function createJsxSelfClosingElement(tagName, typeArguments, attributes) { const node = createBaseNode( 285 /* JsxSelfClosingElement */ ); node.tagName = tagName; node.typeArguments = asNodeArray(typeArguments); node.attributes = attributes; node.transformFlags |= propagateChildFlags(node.tagName) | propagateChildrenFlags(node.typeArguments) | propagateChildFlags(node.attributes) | 2; if (node.typeArguments) { node.transformFlags |= 1; } return node; } function updateJsxSelfClosingElement(node, tagName, typeArguments, attributes) { return node.tagName !== tagName || node.typeArguments !== typeArguments || node.attributes !== attributes ? update(createJsxSelfClosingElement(tagName, typeArguments, attributes), node) : node; } function createJsxOpeningElement(tagName, typeArguments, attributes) { const node = createBaseNode( 286 /* JsxOpeningElement */ ); node.tagName = tagName; node.typeArguments = asNodeArray(typeArguments); node.attributes = attributes; node.transformFlags |= propagateChildFlags(node.tagName) | propagateChildrenFlags(node.typeArguments) | propagateChildFlags(node.attributes) | 2; if (typeArguments) { node.transformFlags |= 1; } return node; } function updateJsxOpeningElement(node, tagName, typeArguments, attributes) { return node.tagName !== tagName || node.typeArguments !== typeArguments || node.attributes !== attributes ? update(createJsxOpeningElement(tagName, typeArguments, attributes), node) : node; } function createJsxClosingElement(tagName) { const node = createBaseNode( 287 /* JsxClosingElement */ ); node.tagName = tagName; node.transformFlags |= propagateChildFlags(node.tagName) | 2; return node; } function updateJsxClosingElement(node, tagName) { return node.tagName !== tagName ? update(createJsxClosingElement(tagName), node) : node; } function createJsxFragment(openingFragment, children, closingFragment) { const node = createBaseNode( 288 /* JsxFragment */ ); node.openingFragment = openingFragment; node.children = createNodeArray(children); node.closingFragment = closingFragment; node.transformFlags |= propagateChildFlags(node.openingFragment) | propagateChildrenFlags(node.children) | propagateChildFlags(node.closingFragment) | 2; return node; } function updateJsxFragment(node, openingFragment, children, closingFragment) { return node.openingFragment !== openingFragment || node.children !== children || node.closingFragment !== closingFragment ? update(createJsxFragment(openingFragment, children, closingFragment), node) : node; } function createJsxText(text, containsOnlyTriviaWhiteSpaces) { const node = createBaseNode( 12 /* JsxText */ ); node.text = text; node.containsOnlyTriviaWhiteSpaces = !!containsOnlyTriviaWhiteSpaces; node.transformFlags |= 2; return node; } function updateJsxText(node, text, containsOnlyTriviaWhiteSpaces) { return node.text !== text || node.containsOnlyTriviaWhiteSpaces !== containsOnlyTriviaWhiteSpaces ? update(createJsxText(text, containsOnlyTriviaWhiteSpaces), node) : node; } function createJsxOpeningFragment() { const node = createBaseNode( 289 /* JsxOpeningFragment */ ); node.transformFlags |= 2; return node; } function createJsxJsxClosingFragment() { const node = createBaseNode( 290 /* JsxClosingFragment */ ); node.transformFlags |= 2; return node; } function createJsxAttribute(name, initializer) { const node = createBaseDeclaration( 291 /* JsxAttribute */ ); node.name = name; node.initializer = initializer; node.transformFlags |= propagateChildFlags(node.name) | propagateChildFlags(node.initializer) | 2; return node; } function updateJsxAttribute(node, name, initializer) { return node.name !== name || node.initializer !== initializer ? update(createJsxAttribute(name, initializer), node) : node; } function createJsxAttributes(properties) { const node = createBaseDeclaration( 292 /* JsxAttributes */ ); node.properties = createNodeArray(properties); node.transformFlags |= propagateChildrenFlags(node.properties) | 2; return node; } function updateJsxAttributes(node, properties) { return node.properties !== properties ? update(createJsxAttributes(properties), node) : node; } function createJsxSpreadAttribute(expression) { const node = createBaseNode( 293 /* JsxSpreadAttribute */ ); node.expression = expression; node.transformFlags |= propagateChildFlags(node.expression) | 2; return node; } function updateJsxSpreadAttribute(node, expression) { return node.expression !== expression ? update(createJsxSpreadAttribute(expression), node) : node; } function createJsxExpression(dotDotDotToken, expression) { const node = createBaseNode( 294 /* JsxExpression */ ); node.dotDotDotToken = dotDotDotToken; node.expression = expression; node.transformFlags |= propagateChildFlags(node.dotDotDotToken) | propagateChildFlags(node.expression) | 2; return node; } function updateJsxExpression(node, expression) { return node.expression !== expression ? update(createJsxExpression(node.dotDotDotToken, expression), node) : node; } function createJsxNamespacedName(namespace, name) { const node = createBaseNode( 295 /* JsxNamespacedName */ ); node.namespace = namespace; node.name = name; node.transformFlags |= propagateChildFlags(node.namespace) | propagateChildFlags(node.name) | 2; return node; } function updateJsxNamespacedName(node, namespace, name) { return node.namespace !== namespace || node.name !== name ? update(createJsxNamespacedName(namespace, name), node) : node; } function createCaseClause(expression, statements) { const node = createBaseNode( 296 /* CaseClause */ ); node.expression = parenthesizerRules().parenthesizeExpressionForDisallowedComma(expression); node.statements = createNodeArray(statements); node.transformFlags |= propagateChildFlags(node.expression) | propagateChildrenFlags(node.statements); node.jsDoc = void 0; return node; } function updateCaseClause(node, expression, statements) { return node.expression !== expression || node.statements !== statements ? update(createCaseClause(expression, statements), node) : node; } function createDefaultClause(statements) { const node = createBaseNode( 297 /* DefaultClause */ ); node.statements = createNodeArray(statements); node.transformFlags = propagateChildrenFlags(node.statements); return node; } function updateDefaultClause(node, statements) { return node.statements !== statements ? update(createDefaultClause(statements), node) : node; } function createHeritageClause(token, types) { const node = createBaseNode( 298 /* HeritageClause */ ); node.token = token; node.types = createNodeArray(types); node.transformFlags |= propagateChildrenFlags(node.types); switch (token) { case 96: node.transformFlags |= 1024; break; case 119: node.transformFlags |= 1; break; default: return Debug.assertNever(token); } return node; } function updateHeritageClause(node, types) { return node.types !== types ? update(createHeritageClause(node.token, types), node) : node; } function createCatchClause(variableDeclaration, block) { const node = createBaseNode( 299 /* CatchClause */ ); node.variableDeclaration = asVariableDeclaration(variableDeclaration); node.block = block; node.transformFlags |= propagateChildFlags(node.variableDeclaration) | propagateChildFlags(node.block) | (!variableDeclaration ? 64 : 0); node.locals = void 0; node.nextContainer = void 0; return node; } function updateCatchClause(node, variableDeclaration, block) { return node.variableDeclaration !== variableDeclaration || node.block !== block ? update(createCatchClause(variableDeclaration, block), node) : node; } function createPropertyAssignment(name, initializer) { const node = createBaseDeclaration( 303 /* PropertyAssignment */ ); node.name = asName(name); node.initializer = parenthesizerRules().parenthesizeExpressionForDisallowedComma(initializer); node.transformFlags |= propagateNameFlags(node.name) | propagateChildFlags(node.initializer); node.modifiers = void 0; node.questionToken = void 0; node.exclamationToken = void 0; node.jsDoc = void 0; return node; } function updatePropertyAssignment(node, name, initializer) { return node.name !== name || node.initializer !== initializer ? finishUpdatePropertyAssignment(createPropertyAssignment(name, initializer), node) : node; } function finishUpdatePropertyAssignment(updated, original) { if (updated !== original) { updated.modifiers = original.modifiers; updated.questionToken = original.questionToken; updated.exclamationToken = original.exclamationToken; } return update(updated, original); } function createShorthandPropertyAssignment(name, objectAssignmentInitializer) { const node = createBaseDeclaration( 304 /* ShorthandPropertyAssignment */ ); node.name = asName(name); node.objectAssignmentInitializer = objectAssignmentInitializer && parenthesizerRules().parenthesizeExpressionForDisallowedComma(objectAssignmentInitializer); node.transformFlags |= propagateIdentifierNameFlags(node.name) | propagateChildFlags(node.objectAssignmentInitializer) | 1024; node.equalsToken = void 0; node.modifiers = void 0; node.questionToken = void 0; node.exclamationToken = void 0; node.jsDoc = void 0; return node; } function updateShorthandPropertyAssignment(node, name, objectAssignmentInitializer) { return node.name !== name || node.objectAssignmentInitializer !== objectAssignmentInitializer ? finishUpdateShorthandPropertyAssignment(createShorthandPropertyAssignment(name, objectAssignmentInitializer), node) : node; } function finishUpdateShorthandPropertyAssignment(updated, original) { if (updated !== original) { updated.modifiers = original.modifiers; updated.questionToken = original.questionToken; updated.exclamationToken = original.exclamationToken; updated.equalsToken = original.equalsToken; } return update(updated, original); } function createSpreadAssignment(expression) { const node = createBaseDeclaration( 305 /* SpreadAssignment */ ); node.expression = parenthesizerRules().parenthesizeExpressionForDisallowedComma(expression); node.transformFlags |= propagateChildFlags(node.expression) | 128 | 65536; node.jsDoc = void 0; return node; } function updateSpreadAssignment(node, expression) { return node.expression !== expression ? update(createSpreadAssignment(expression), node) : node; } function createEnumMember(name, initializer) { const node = createBaseDeclaration( 306 /* EnumMember */ ); node.name = asName(name); node.initializer = initializer && parenthesizerRules().parenthesizeExpressionForDisallowedComma(initializer); node.transformFlags |= propagateChildFlags(node.name) | propagateChildFlags(node.initializer) | 1; node.jsDoc = void 0; return node; } function updateEnumMember(node, name, initializer) { return node.name !== name || node.initializer !== initializer ? update(createEnumMember(name, initializer), node) : node; } function createSourceFile2(statements, endOfFileToken, flags2) { const node = baseFactory2.createBaseSourceFileNode( 307 /* SourceFile */ ); node.statements = createNodeArray(statements); node.endOfFileToken = endOfFileToken; node.flags |= flags2; node.text = ""; node.fileName = ""; node.path = ""; node.resolvedPath = ""; node.originalFileName = ""; node.languageVersion = 1; node.languageVariant = 0; node.scriptKind = 0; node.isDeclarationFile = false; node.hasNoDefaultLib = false; node.transformFlags |= propagateChildrenFlags(node.statements) | propagateChildFlags(node.endOfFileToken); node.locals = void 0; node.nextContainer = void 0; node.endFlowNode = void 0; node.nodeCount = 0; node.identifierCount = 0; node.symbolCount = 0; node.parseDiagnostics = void 0; node.bindDiagnostics = void 0; node.bindSuggestionDiagnostics = void 0; node.lineMap = void 0; node.externalModuleIndicator = void 0; node.setExternalModuleIndicator = void 0; node.pragmas = void 0; node.checkJsDirective = void 0; node.referencedFiles = void 0; node.typeReferenceDirectives = void 0; node.libReferenceDirectives = void 0; node.amdDependencies = void 0; node.commentDirectives = void 0; node.identifiers = void 0; node.packageJsonLocations = void 0; node.packageJsonScope = void 0; node.imports = void 0; node.moduleAugmentations = void 0; node.ambientModuleNames = void 0; node.classifiableNames = void 0; node.impliedNodeFormat = void 0; return node; } function createRedirectedSourceFile(redirectInfo) { const node = Object.create(redirectInfo.redirectTarget); Object.defineProperties(node, { id: { get() { return this.redirectInfo.redirectTarget.id; }, set(value) { this.redirectInfo.redirectTarget.id = value; } }, symbol: { get() { return this.redirectInfo.redirectTarget.symbol; }, set(value) { this.redirectInfo.redirectTarget.symbol = value; } } }); node.redirectInfo = redirectInfo; return node; } function cloneRedirectedSourceFile(source) { const node = createRedirectedSourceFile(source.redirectInfo); node.flags |= source.flags & ~16; node.fileName = source.fileName; node.path = source.path; node.resolvedPath = source.resolvedPath; node.originalFileName = source.originalFileName; node.packageJsonLocations = source.packageJsonLocations; node.packageJsonScope = source.packageJsonScope; node.emitNode = void 0; return node; } function cloneSourceFileWorker(source) { const node = baseFactory2.createBaseSourceFileNode( 307 /* SourceFile */ ); node.flags |= source.flags & ~16; for (const p in source) { if (hasProperty(node, p) || !hasProperty(source, p)) { continue; } if (p === "emitNode") { node.emitNode = void 0; continue; } node[p] = source[p]; } return node; } function cloneSourceFile(source) { const node = source.redirectInfo ? cloneRedirectedSourceFile(source) : cloneSourceFileWorker(source); setOriginal(node, source); return node; } function cloneSourceFileWithChanges(source, statements, isDeclarationFile, referencedFiles, typeReferences, hasNoDefaultLib, libReferences) { const node = cloneSourceFile(source); node.statements = createNodeArray(statements); node.isDeclarationFile = isDeclarationFile; node.referencedFiles = referencedFiles; node.typeReferenceDirectives = typeReferences; node.hasNoDefaultLib = hasNoDefaultLib; node.libReferenceDirectives = libReferences; node.transformFlags = propagateChildrenFlags(node.statements) | propagateChildFlags(node.endOfFileToken); return node; } function updateSourceFile2(node, statements, isDeclarationFile = node.isDeclarationFile, referencedFiles = node.referencedFiles, typeReferenceDirectives = node.typeReferenceDirectives, hasNoDefaultLib = node.hasNoDefaultLib, libReferenceDirectives = node.libReferenceDirectives) { return node.statements !== statements || node.isDeclarationFile !== isDeclarationFile || node.referencedFiles !== referencedFiles || node.typeReferenceDirectives !== typeReferenceDirectives || node.hasNoDefaultLib !== hasNoDefaultLib || node.libReferenceDirectives !== libReferenceDirectives ? update(cloneSourceFileWithChanges(node, statements, isDeclarationFile, referencedFiles, typeReferenceDirectives, hasNoDefaultLib, libReferenceDirectives), node) : node; } function createBundle(sourceFiles) { const node = createBaseNode( 308 /* Bundle */ ); node.sourceFiles = sourceFiles; node.syntheticFileReferences = void 0; node.syntheticTypeReferences = void 0; node.syntheticLibReferences = void 0; node.hasNoDefaultLib = void 0; return node; } function updateBundle(node, sourceFiles) { return node.sourceFiles !== sourceFiles ? update(createBundle(sourceFiles), node) : node; } function createSyntheticExpression(type, isSpread = false, tupleNameSource) { const node = createBaseNode( 237 /* SyntheticExpression */ ); node.type = type; node.isSpread = isSpread; node.tupleNameSource = tupleNameSource; return node; } function createSyntaxList3(children) { const node = createBaseNode( 352 /* SyntaxList */ ); setNodeChildren(node, children); return node; } function createNotEmittedStatement(original) { const node = createBaseNode( 353 /* NotEmittedStatement */ ); node.original = original; setTextRange(node, original); return node; } function createPartiallyEmittedExpression(expression, original) { const node = createBaseNode( 354 /* PartiallyEmittedExpression */ ); node.expression = expression; node.original = original; node.transformFlags |= propagateChildFlags(node.expression) | 1; setTextRange(node, original); return node; } function updatePartiallyEmittedExpression(node, expression) { return node.expression !== expression ? update(createPartiallyEmittedExpression(expression, node.original), node) : node; } function flattenCommaElements(node) { if (nodeIsSynthesized(node) && !isParseTreeNode(node) && !node.original && !node.emitNode && !node.id) { if (isCommaListExpression(node)) { return node.elements; } if (isBinaryExpression(node) && isCommaToken2(node.operatorToken)) { return [node.left, node.right]; } } return node; } function createCommaListExpression(elements) { const node = createBaseNode( 355 /* CommaListExpression */ ); node.elements = createNodeArray(sameFlatMap(elements, flattenCommaElements)); node.transformFlags |= propagateChildrenFlags(node.elements); return node; } function updateCommaListExpression(node, elements) { return node.elements !== elements ? update(createCommaListExpression(elements), node) : node; } function createSyntheticReferenceExpression(expression, thisArg) { const node = createBaseNode( 356 /* SyntheticReferenceExpression */ ); node.expression = expression; node.thisArg = thisArg; node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.thisArg); return node; } function updateSyntheticReferenceExpression(node, expression, thisArg) { return node.expression !== expression || node.thisArg !== thisArg ? update(createSyntheticReferenceExpression(expression, thisArg), node) : node; } function cloneGeneratedIdentifier(node) { const clone2 = createBaseIdentifier(node.escapedText); clone2.flags |= node.flags & ~16; clone2.transformFlags = node.transformFlags; setOriginal(clone2, node); setIdentifierAutoGenerate(clone2, { ...node.emitNode.autoGenerate }); return clone2; } function cloneIdentifier(node) { const clone2 = createBaseIdentifier(node.escapedText); clone2.flags |= node.flags & ~16; clone2.jsDoc = node.jsDoc; clone2.flowNode = node.flowNode; clone2.symbol = node.symbol; clone2.transformFlags = node.transformFlags; setOriginal(clone2, node); const typeArguments = getIdentifierTypeArguments(node); if (typeArguments) setIdentifierTypeArguments(clone2, typeArguments); return clone2; } function cloneGeneratedPrivateIdentifier(node) { const clone2 = createBasePrivateIdentifier(node.escapedText); clone2.flags |= node.flags & ~16; clone2.transformFlags = node.transformFlags; setOriginal(clone2, node); setIdentifierAutoGenerate(clone2, { ...node.emitNode.autoGenerate }); return clone2; } function clonePrivateIdentifier(node) { const clone2 = createBasePrivateIdentifier(node.escapedText); clone2.flags |= node.flags & ~16; clone2.transformFlags = node.transformFlags; setOriginal(clone2, node); return clone2; } function cloneNode(node) { if (node === void 0) { return node; } if (isSourceFile(node)) { return cloneSourceFile(node); } if (isGeneratedIdentifier(node)) { return cloneGeneratedIdentifier(node); } if (isIdentifier(node)) { return cloneIdentifier(node); } if (isGeneratedPrivateIdentifier(node)) { return cloneGeneratedPrivateIdentifier(node); } if (isPrivateIdentifier(node)) { return clonePrivateIdentifier(node); } const clone2 = !isNodeKind(node.kind) ? baseFactory2.createBaseTokenNode(node.kind) : baseFactory2.createBaseNode(node.kind); clone2.flags |= node.flags & ~16; clone2.transformFlags = node.transformFlags; setOriginal(clone2, node); for (const key in node) { if (hasProperty(clone2, key) || !hasProperty(node, key)) { continue; } clone2[key] = node[key]; } return clone2; } function createImmediatelyInvokedFunctionExpression(statements, param, paramValue) { return createCallExpression( createFunctionExpression( /*modifiers*/ void 0, /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, /*parameters*/ param ? [param] : [], /*type*/ void 0, createBlock( statements, /*multiLine*/ true ) ), /*typeArguments*/ void 0, /*argumentsArray*/ paramValue ? [paramValue] : [] ); } function createImmediatelyInvokedArrowFunction(statements, param, paramValue) { return createCallExpression( createArrowFunction( /*modifiers*/ void 0, /*typeParameters*/ void 0, /*parameters*/ param ? [param] : [], /*type*/ void 0, /*equalsGreaterThanToken*/ void 0, createBlock( statements, /*multiLine*/ true ) ), /*typeArguments*/ void 0, /*argumentsArray*/ paramValue ? [paramValue] : [] ); } function createVoidZero() { return createVoidExpression(createNumericLiteral("0")); } function createExportDefault(expression) { return createExportAssignment2( /*modifiers*/ void 0, /*isExportEquals*/ false, expression ); } function createExternalModuleExport(exportName) { return createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, createNamedExports([ createExportSpecifier( /*isTypeOnly*/ false, /*propertyName*/ void 0, exportName ) ]) ); } function createTypeCheck(value, tag) { return tag === "null" ? factory2.createStrictEquality(value, createNull()) : tag === "undefined" ? factory2.createStrictEquality(value, createVoidZero()) : factory2.createStrictEquality(createTypeOfExpression(value), createStringLiteral(tag)); } function createIsNotTypeCheck(value, tag) { return tag === "null" ? factory2.createStrictInequality(value, createNull()) : tag === "undefined" ? factory2.createStrictInequality(value, createVoidZero()) : factory2.createStrictInequality(createTypeOfExpression(value), createStringLiteral(tag)); } function createMethodCall(object, methodName, argumentsList) { if (isCallChain(object)) { return createCallChain( createPropertyAccessChain( object, /*questionDotToken*/ void 0, methodName ), /*questionDotToken*/ void 0, /*typeArguments*/ void 0, argumentsList ); } return createCallExpression( createPropertyAccessExpression(object, methodName), /*typeArguments*/ void 0, argumentsList ); } function createFunctionBindCall(target, thisArg, argumentsList) { return createMethodCall(target, "bind", [thisArg, ...argumentsList]); } function createFunctionCallCall(target, thisArg, argumentsList) { return createMethodCall(target, "call", [thisArg, ...argumentsList]); } function createFunctionApplyCall(target, thisArg, argumentsExpression) { return createMethodCall(target, "apply", [thisArg, argumentsExpression]); } function createGlobalMethodCall(globalObjectName, methodName, argumentsList) { return createMethodCall(createIdentifier(globalObjectName), methodName, argumentsList); } function createArraySliceCall(array, start) { return createMethodCall(array, "slice", start === void 0 ? [] : [asExpression(start)]); } function createArrayConcatCall(array, argumentsList) { return createMethodCall(array, "concat", argumentsList); } function createObjectDefinePropertyCall(target, propertyName, attributes) { return createGlobalMethodCall("Object", "defineProperty", [target, asExpression(propertyName), attributes]); } function createObjectGetOwnPropertyDescriptorCall(target, propertyName) { return createGlobalMethodCall("Object", "getOwnPropertyDescriptor", [target, asExpression(propertyName)]); } function createReflectGetCall(target, propertyKey, receiver) { return createGlobalMethodCall("Reflect", "get", receiver ? [target, propertyKey, receiver] : [target, propertyKey]); } function createReflectSetCall(target, propertyKey, value, receiver) { return createGlobalMethodCall("Reflect", "set", receiver ? [target, propertyKey, value, receiver] : [target, propertyKey, value]); } function tryAddPropertyAssignment(properties, propertyName, expression) { if (expression) { properties.push(createPropertyAssignment(propertyName, expression)); return true; } return false; } function createPropertyDescriptor(attributes, singleLine) { const properties = []; tryAddPropertyAssignment(properties, "enumerable", asExpression(attributes.enumerable)); tryAddPropertyAssignment(properties, "configurable", asExpression(attributes.configurable)); let isData = tryAddPropertyAssignment(properties, "writable", asExpression(attributes.writable)); isData = tryAddPropertyAssignment(properties, "value", attributes.value) || isData; let isAccessor2 = tryAddPropertyAssignment(properties, "get", attributes.get); isAccessor2 = tryAddPropertyAssignment(properties, "set", attributes.set) || isAccessor2; Debug.assert(!(isData && isAccessor2), "A PropertyDescriptor may not be both an accessor descriptor and a data descriptor."); return createObjectLiteralExpression(properties, !singleLine); } function updateOuterExpression(outerExpression, expression) { switch (outerExpression.kind) { case 217: return updateParenthesizedExpression(outerExpression, expression); case 216: return updateTypeAssertion(outerExpression, outerExpression.type, expression); case 234: return updateAsExpression(outerExpression, expression, outerExpression.type); case 238: return updateSatisfiesExpression(outerExpression, expression, outerExpression.type); case 235: return updateNonNullExpression(outerExpression, expression); case 354: return updatePartiallyEmittedExpression(outerExpression, expression); } } function isIgnorableParen(node) { return isParenthesizedExpression(node) && nodeIsSynthesized(node) && nodeIsSynthesized(getSourceMapRange(node)) && nodeIsSynthesized(getCommentRange(node)) && !some(getSyntheticLeadingComments(node)) && !some(getSyntheticTrailingComments(node)); } function restoreOuterExpressions(outerExpression, innerExpression, kinds = 15) { if (outerExpression && isOuterExpression(outerExpression, kinds) && !isIgnorableParen(outerExpression)) { return updateOuterExpression( outerExpression, restoreOuterExpressions(outerExpression.expression, innerExpression) ); } return innerExpression; } function restoreEnclosingLabel(node, outermostLabeledStatement, afterRestoreLabelCallback) { if (!outermostLabeledStatement) { return node; } const updated = updateLabeledStatement( outermostLabeledStatement, outermostLabeledStatement.label, isLabeledStatement(outermostLabeledStatement.statement) ? restoreEnclosingLabel(node, outermostLabeledStatement.statement) : node ); if (afterRestoreLabelCallback) { afterRestoreLabelCallback(outermostLabeledStatement); } return updated; } function shouldBeCapturedInTempVariable(node, cacheIdentifiers) { const target = skipParentheses(node); switch (target.kind) { case 80: return cacheIdentifiers; case 110: case 9: case 10: case 11: return false; case 209: const elements = target.elements; if (elements.length === 0) { return false; } return true; case 210: return target.properties.length > 0; default: return true; } } function createCallBinding(expression, recordTempVariable, languageVersion, cacheIdentifiers = false) { const callee = skipOuterExpressions( expression, 15 /* All */ ); let thisArg; let target; if (isSuperProperty(callee)) { thisArg = createThis(); target = callee; } else if (isSuperKeyword(callee)) { thisArg = createThis(); target = languageVersion !== void 0 && languageVersion < 2 ? setTextRange(createIdentifier("_super"), callee) : callee; } else if (getEmitFlags(callee) & 8192) { thisArg = createVoidZero(); target = parenthesizerRules().parenthesizeLeftSideOfAccess( callee, /*optionalChain*/ false ); } else if (isPropertyAccessExpression(callee)) { if (shouldBeCapturedInTempVariable(callee.expression, cacheIdentifiers)) { thisArg = createTempVariable(recordTempVariable); target = createPropertyAccessExpression( setTextRange( factory2.createAssignment( thisArg, callee.expression ), callee.expression ), callee.name ); setTextRange(target, callee); } else { thisArg = callee.expression; target = callee; } } else if (isElementAccessExpression(callee)) { if (shouldBeCapturedInTempVariable(callee.expression, cacheIdentifiers)) { thisArg = createTempVariable(recordTempVariable); target = createElementAccessExpression( setTextRange( factory2.createAssignment( thisArg, callee.expression ), callee.expression ), callee.argumentExpression ); setTextRange(target, callee); } else { thisArg = callee.expression; target = callee; } } else { thisArg = createVoidZero(); target = parenthesizerRules().parenthesizeLeftSideOfAccess( expression, /*optionalChain*/ false ); } return { target, thisArg }; } function createAssignmentTargetWrapper(paramName, expression) { return createPropertyAccessExpression( // Explicit parens required because of v8 regression (https://bugs.chromium.org/p/v8/issues/detail?id=9560) createParenthesizedExpression( createObjectLiteralExpression([ createSetAccessorDeclaration( /*modifiers*/ void 0, "value", [createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, paramName, /*questionToken*/ void 0, /*type*/ void 0, /*initializer*/ void 0 )], createBlock([ createExpressionStatement(expression) ]) ) ]) ), "value" ); } function inlineExpressions(expressions) { return expressions.length > 10 ? createCommaListExpression(expressions) : reduceLeft(expressions, factory2.createComma); } function getName(node, allowComments, allowSourceMaps, emitFlags = 0, ignoreAssignedName) { const nodeName = ignoreAssignedName ? node && getNonAssignedNameOfDeclaration(node) : getNameOfDeclaration(node); if (nodeName && isIdentifier(nodeName) && !isGeneratedIdentifier(nodeName)) { const name = setParent(setTextRange(cloneNode(nodeName), nodeName), nodeName.parent); emitFlags |= getEmitFlags(nodeName); if (!allowSourceMaps) emitFlags |= 96; if (!allowComments) emitFlags |= 3072; if (emitFlags) setEmitFlags(name, emitFlags); return name; } return getGeneratedNameForNode(node); } function getInternalName(node, allowComments, allowSourceMaps) { return getName( node, allowComments, allowSourceMaps, 32768 | 65536 /* InternalName */ ); } function getLocalName(node, allowComments, allowSourceMaps, ignoreAssignedName) { return getName(node, allowComments, allowSourceMaps, 32768, ignoreAssignedName); } function getExportName(node, allowComments, allowSourceMaps) { return getName( node, allowComments, allowSourceMaps, 16384 /* ExportName */ ); } function getDeclarationName(node, allowComments, allowSourceMaps) { return getName(node, allowComments, allowSourceMaps); } function getNamespaceMemberName(ns, name, allowComments, allowSourceMaps) { const qualifiedName = createPropertyAccessExpression(ns, nodeIsSynthesized(name) ? name : cloneNode(name)); setTextRange(qualifiedName, name); let emitFlags = 0; if (!allowSourceMaps) emitFlags |= 96; if (!allowComments) emitFlags |= 3072; if (emitFlags) setEmitFlags(qualifiedName, emitFlags); return qualifiedName; } function getExternalModuleOrNamespaceExportName(ns, node, allowComments, allowSourceMaps) { if (ns && hasSyntacticModifier( node, 32 /* Export */ )) { return getNamespaceMemberName(ns, getName(node), allowComments, allowSourceMaps); } return getExportName(node, allowComments, allowSourceMaps); } function copyPrologue(source, target, ensureUseStrict2, visitor2) { const offset = copyStandardPrologue(source, target, 0, ensureUseStrict2); return copyCustomPrologue(source, target, offset, visitor2); } function isUseStrictPrologue2(node) { return isStringLiteral2(node.expression) && node.expression.text === "use strict"; } function createUseStrictPrologue() { return startOnNewLine(createExpressionStatement(createStringLiteral("use strict"))); } function copyStandardPrologue(source, target, statementOffset = 0, ensureUseStrict2) { Debug.assert(target.length === 0, "Prologue directives should be at the first statement in the target statements array"); let foundUseStrict = false; const numStatements = source.length; while (statementOffset < numStatements) { const statement = source[statementOffset]; if (isPrologueDirective(statement)) { if (isUseStrictPrologue2(statement)) { foundUseStrict = true; } target.push(statement); } else { break; } statementOffset++; } if (ensureUseStrict2 && !foundUseStrict) { target.push(createUseStrictPrologue()); } return statementOffset; } function copyCustomPrologue(source, target, statementOffset, visitor2, filter2 = returnTrue) { const numStatements = source.length; while (statementOffset !== void 0 && statementOffset < numStatements) { const statement = source[statementOffset]; if (getEmitFlags(statement) & 2097152 && filter2(statement)) { append(target, visitor2 ? visitNode(statement, visitor2, isStatement) : statement); } else { break; } statementOffset++; } return statementOffset; } function ensureUseStrict(statements) { const foundUseStrict = findUseStrictPrologue(statements); if (!foundUseStrict) { return setTextRange(createNodeArray([createUseStrictPrologue(), ...statements]), statements); } return statements; } function liftToBlock(nodes) { Debug.assert(every(nodes, isStatementOrBlock), "Cannot lift nodes to a Block."); return singleOrUndefined(nodes) || createBlock(nodes); } function findSpanEnd(array, test, start) { let i = start; while (i < array.length && test(array[i])) { i++; } return i; } function mergeLexicalEnvironment(statements, declarations) { if (!some(declarations)) { return statements; } const leftStandardPrologueEnd = findSpanEnd(statements, isPrologueDirective, 0); const leftHoistedFunctionsEnd = findSpanEnd(statements, isHoistedFunction, leftStandardPrologueEnd); const leftHoistedVariablesEnd = findSpanEnd(statements, isHoistedVariableStatement, leftHoistedFunctionsEnd); const rightStandardPrologueEnd = findSpanEnd(declarations, isPrologueDirective, 0); const rightHoistedFunctionsEnd = findSpanEnd(declarations, isHoistedFunction, rightStandardPrologueEnd); const rightHoistedVariablesEnd = findSpanEnd(declarations, isHoistedVariableStatement, rightHoistedFunctionsEnd); const rightCustomPrologueEnd = findSpanEnd(declarations, isCustomPrologue, rightHoistedVariablesEnd); Debug.assert(rightCustomPrologueEnd === declarations.length, "Expected declarations to be valid standard or custom prologues"); const left = isNodeArray(statements) ? statements.slice() : statements; if (rightCustomPrologueEnd > rightHoistedVariablesEnd) { left.splice(leftHoistedVariablesEnd, 0, ...declarations.slice(rightHoistedVariablesEnd, rightCustomPrologueEnd)); } if (rightHoistedVariablesEnd > rightHoistedFunctionsEnd) { left.splice(leftHoistedFunctionsEnd, 0, ...declarations.slice(rightHoistedFunctionsEnd, rightHoistedVariablesEnd)); } if (rightHoistedFunctionsEnd > rightStandardPrologueEnd) { left.splice(leftStandardPrologueEnd, 0, ...declarations.slice(rightStandardPrologueEnd, rightHoistedFunctionsEnd)); } if (rightStandardPrologueEnd > 0) { if (leftStandardPrologueEnd === 0) { left.splice(0, 0, ...declarations.slice(0, rightStandardPrologueEnd)); } else { const leftPrologues = /* @__PURE__ */ new Map(); for (let i = 0; i < leftStandardPrologueEnd; i++) { const leftPrologue = statements[i]; leftPrologues.set(leftPrologue.expression.text, true); } for (let i = rightStandardPrologueEnd - 1; i >= 0; i--) { const rightPrologue = declarations[i]; if (!leftPrologues.has(rightPrologue.expression.text)) { left.unshift(rightPrologue); } } } } if (isNodeArray(statements)) { return setTextRange(createNodeArray(left, statements.hasTrailingComma), statements); } return statements; } function replaceModifiers(node, modifiers) { let modifierArray; if (typeof modifiers === "number") { modifierArray = createModifiersFromModifierFlags(modifiers); } else { modifierArray = modifiers; } return isTypeParameterDeclaration(node) ? updateTypeParameterDeclaration(node, modifierArray, node.name, node.constraint, node.default) : isParameter(node) ? updateParameterDeclaration(node, modifierArray, node.dotDotDotToken, node.name, node.questionToken, node.type, node.initializer) : isConstructorTypeNode(node) ? updateConstructorTypeNode1(node, modifierArray, node.typeParameters, node.parameters, node.type) : isPropertySignature(node) ? updatePropertySignature(node, modifierArray, node.name, node.questionToken, node.type) : isPropertyDeclaration(node) ? updatePropertyDeclaration2(node, modifierArray, node.name, node.questionToken ?? node.exclamationToken, node.type, node.initializer) : isMethodSignature(node) ? updateMethodSignature(node, modifierArray, node.name, node.questionToken, node.typeParameters, node.parameters, node.type) : isMethodDeclaration(node) ? updateMethodDeclaration(node, modifierArray, node.asteriskToken, node.name, node.questionToken, node.typeParameters, node.parameters, node.type, node.body) : isConstructorDeclaration(node) ? updateConstructorDeclaration(node, modifierArray, node.parameters, node.body) : isGetAccessorDeclaration(node) ? updateGetAccessorDeclaration(node, modifierArray, node.name, node.parameters, node.type, node.body) : isSetAccessorDeclaration(node) ? updateSetAccessorDeclaration(node, modifierArray, node.name, node.parameters, node.body) : isIndexSignatureDeclaration(node) ? updateIndexSignature(node, modifierArray, node.parameters, node.type) : isFunctionExpression(node) ? updateFunctionExpression(node, modifierArray, node.asteriskToken, node.name, node.typeParameters, node.parameters, node.type, node.body) : isArrowFunction(node) ? updateArrowFunction(node, modifierArray, node.typeParameters, node.parameters, node.type, node.equalsGreaterThanToken, node.body) : isClassExpression(node) ? updateClassExpression(node, modifierArray, node.name, node.typeParameters, node.heritageClauses, node.members) : isVariableStatement(node) ? updateVariableStatement(node, modifierArray, node.declarationList) : isFunctionDeclaration(node) ? updateFunctionDeclaration(node, modifierArray, node.asteriskToken, node.name, node.typeParameters, node.parameters, node.type, node.body) : isClassDeclaration(node) ? updateClassDeclaration(node, modifierArray, node.name, node.typeParameters, node.heritageClauses, node.members) : isInterfaceDeclaration(node) ? updateInterfaceDeclaration(node, modifierArray, node.name, node.typeParameters, node.heritageClauses, node.members) : isTypeAliasDeclaration(node) ? updateTypeAliasDeclaration(node, modifierArray, node.name, node.typeParameters, node.type) : isEnumDeclaration(node) ? updateEnumDeclaration(node, modifierArray, node.name, node.members) : isModuleDeclaration(node) ? updateModuleDeclaration(node, modifierArray, node.name, node.body) : isImportEqualsDeclaration(node) ? updateImportEqualsDeclaration(node, modifierArray, node.isTypeOnly, node.name, node.moduleReference) : isImportDeclaration(node) ? updateImportDeclaration(node, modifierArray, node.importClause, node.moduleSpecifier, node.attributes) : isExportAssignment(node) ? updateExportAssignment(node, modifierArray, node.expression) : isExportDeclaration(node) ? updateExportDeclaration(node, modifierArray, node.isTypeOnly, node.exportClause, node.moduleSpecifier, node.attributes) : Debug.assertNever(node); } function replaceDecoratorsAndModifiers(node, modifierArray) { return isParameter(node) ? updateParameterDeclaration(node, modifierArray, node.dotDotDotToken, node.name, node.questionToken, node.type, node.initializer) : isPropertyDeclaration(node) ? updatePropertyDeclaration2(node, modifierArray, node.name, node.questionToken ?? node.exclamationToken, node.type, node.initializer) : isMethodDeclaration(node) ? updateMethodDeclaration(node, modifierArray, node.asteriskToken, node.name, node.questionToken, node.typeParameters, node.parameters, node.type, node.body) : isGetAccessorDeclaration(node) ? updateGetAccessorDeclaration(node, modifierArray, node.name, node.parameters, node.type, node.body) : isSetAccessorDeclaration(node) ? updateSetAccessorDeclaration(node, modifierArray, node.name, node.parameters, node.body) : isClassExpression(node) ? updateClassExpression(node, modifierArray, node.name, node.typeParameters, node.heritageClauses, node.members) : isClassDeclaration(node) ? updateClassDeclaration(node, modifierArray, node.name, node.typeParameters, node.heritageClauses, node.members) : Debug.assertNever(node); } function replacePropertyName(node, name) { switch (node.kind) { case 177: return updateGetAccessorDeclaration(node, node.modifiers, name, node.parameters, node.type, node.body); case 178: return updateSetAccessorDeclaration(node, node.modifiers, name, node.parameters, node.body); case 174: return updateMethodDeclaration(node, node.modifiers, node.asteriskToken, name, node.questionToken, node.typeParameters, node.parameters, node.type, node.body); case 173: return updateMethodSignature(node, node.modifiers, name, node.questionToken, node.typeParameters, node.parameters, node.type); case 172: return updatePropertyDeclaration2(node, node.modifiers, name, node.questionToken ?? node.exclamationToken, node.type, node.initializer); case 171: return updatePropertySignature(node, node.modifiers, name, node.questionToken, node.type); case 303: return updatePropertyAssignment(node, name, node.initializer); } } function asNodeArray(array) { return array ? createNodeArray(array) : void 0; } function asName(name) { return typeof name === "string" ? createIdentifier(name) : name; } function asExpression(value) { return typeof value === "string" ? createStringLiteral(value) : typeof value === "number" ? createNumericLiteral(value) : typeof value === "boolean" ? value ? createTrue() : createFalse() : value; } function asInitializer(node) { return node && parenthesizerRules().parenthesizeExpressionForDisallowedComma(node); } function asToken(value) { return typeof value === "number" ? createToken(value) : value; } function asEmbeddedStatement(statement) { return statement && isNotEmittedStatement(statement) ? setTextRange(setOriginal(createEmptyStatement(), statement), statement) : statement; } function asVariableDeclaration(variableDeclaration) { if (typeof variableDeclaration === "string" || variableDeclaration && !isVariableDeclaration(variableDeclaration)) { return createVariableDeclaration( variableDeclaration, /*exclamationToken*/ void 0, /*type*/ void 0, /*initializer*/ void 0 ); } return variableDeclaration; } function update(updated, original) { if (updated !== original) { setOriginal(updated, original); setTextRange(updated, original); } return updated; } } function getDefaultTagNameForKind(kind) { switch (kind) { case 344: return "type"; case 342: return "returns"; case 343: return "this"; case 340: return "enum"; case 330: return "author"; case 332: return "class"; case 333: return "public"; case 334: return "private"; case 335: return "protected"; case 336: return "readonly"; case 337: return "override"; case 345: return "template"; case 346: return "typedef"; case 341: return "param"; case 348: return "prop"; case 338: return "callback"; case 339: return "overload"; case 328: return "augments"; case 329: return "implements"; case 351: return "import"; default: return Debug.fail(`Unsupported kind: ${Debug.formatSyntaxKind(kind)}`); } } var rawTextScanner; var invalidValueSentinel = {}; function getCookedText(kind, rawText) { if (!rawTextScanner) { rawTextScanner = createScanner( 99, /*skipTrivia*/ false, 0 /* Standard */ ); } switch (kind) { case 15: rawTextScanner.setText("`" + rawText + "`"); break; case 16: rawTextScanner.setText("`" + rawText + "${"); break; case 17: rawTextScanner.setText("}" + rawText + "${"); break; case 18: rawTextScanner.setText("}" + rawText + "`"); break; } let token = rawTextScanner.scan(); if (token === 20) { token = rawTextScanner.reScanTemplateToken( /*isTaggedTemplate*/ false ); } if (rawTextScanner.isUnterminated()) { rawTextScanner.setText(void 0); return invalidValueSentinel; } let tokenValue; switch (token) { case 15: case 16: case 17: case 18: tokenValue = rawTextScanner.getTokenValue(); break; } if (tokenValue === void 0 || rawTextScanner.scan() !== 1) { rawTextScanner.setText(void 0); return invalidValueSentinel; } rawTextScanner.setText(void 0); return tokenValue; } function propagateNameFlags(node) { return node && isIdentifier(node) ? propagateIdentifierNameFlags(node) : propagateChildFlags(node); } function propagateIdentifierNameFlags(node) { return propagateChildFlags(node) & ~67108864; } function propagatePropertyNameFlagsOfChild(node, transformFlags) { return transformFlags | node.transformFlags & 134234112; } function propagateChildFlags(child) { if (!child) return 0; const childFlags = child.transformFlags & ~getTransformFlagsSubtreeExclusions(child.kind); return isNamedDeclaration(child) && isPropertyName(child.name) ? propagatePropertyNameFlagsOfChild(child.name, childFlags) : childFlags; } function propagateChildrenFlags(children) { return children ? children.transformFlags : 0; } function aggregateChildrenFlags(children) { let subtreeFlags = 0; for (const child of children) { subtreeFlags |= propagateChildFlags(child); } children.transformFlags = subtreeFlags; } function getTransformFlagsSubtreeExclusions(kind) { if (kind >= 182 && kind <= 205) { return -2; } switch (kind) { case 213: case 214: case 209: return -2147450880; case 267: return -1941676032; case 169: return -2147483648; case 219: return -2072174592; case 218: case 262: return -1937940480; case 261: return -2146893824; case 263: case 231: return -2147344384; case 176: return -1937948672; case 172: return -2013249536; case 174: case 177: case 178: return -2005057536; case 133: case 150: case 163: case 146: case 154: case 151: case 136: case 155: case 116: case 168: case 171: case 173: case 179: case 180: case 181: case 264: case 265: return -2; case 210: return -2147278848; case 299: return -2147418112; case 206: case 207: return -2147450880; case 216: case 238: case 234: case 354: case 217: case 108: return -2147483648; case 211: case 212: return -2147483648; default: return -2147483648; } } var baseFactory = createBaseNodeFactory(); function makeSynthetic(node) { node.flags |= 16; return node; } var syntheticFactory = { createBaseSourceFileNode: (kind) => makeSynthetic(baseFactory.createBaseSourceFileNode(kind)), createBaseIdentifierNode: (kind) => makeSynthetic(baseFactory.createBaseIdentifierNode(kind)), createBasePrivateIdentifierNode: (kind) => makeSynthetic(baseFactory.createBasePrivateIdentifierNode(kind)), createBaseTokenNode: (kind) => makeSynthetic(baseFactory.createBaseTokenNode(kind)), createBaseNode: (kind) => makeSynthetic(baseFactory.createBaseNode(kind)) }; var factory = createNodeFactory(4, syntheticFactory); var SourceMapSource2; function createSourceMapSource(fileName, text, skipTrivia2) { return new (SourceMapSource2 || (SourceMapSource2 = objectAllocator.getSourceMapSourceConstructor()))(fileName, text, skipTrivia2); } function setOriginalNode(node, original) { if (node.original !== original) { node.original = original; if (original) { const emitNode = original.emitNode; if (emitNode) node.emitNode = mergeEmitNode(emitNode, node.emitNode); } } return node; } function mergeEmitNode(sourceEmitNode, destEmitNode) { const { flags, internalFlags, leadingComments, trailingComments, commentRange, sourceMapRange, tokenSourceMapRanges, constantValue, helpers, startsOnNewLine, snippetElement, classThis, assignedName } = sourceEmitNode; if (!destEmitNode) destEmitNode = {}; if (flags) { destEmitNode.flags = flags; } if (internalFlags) { destEmitNode.internalFlags = internalFlags & ~8; } if (leadingComments) { destEmitNode.leadingComments = addRange(leadingComments.slice(), destEmitNode.leadingComments); } if (trailingComments) { destEmitNode.trailingComments = addRange(trailingComments.slice(), destEmitNode.trailingComments); } if (commentRange) { destEmitNode.commentRange = commentRange; } if (sourceMapRange) { destEmitNode.sourceMapRange = sourceMapRange; } if (tokenSourceMapRanges) { destEmitNode.tokenSourceMapRanges = mergeTokenSourceMapRanges(tokenSourceMapRanges, destEmitNode.tokenSourceMapRanges); } if (constantValue !== void 0) { destEmitNode.constantValue = constantValue; } if (helpers) { for (const helper of helpers) { destEmitNode.helpers = appendIfUnique(destEmitNode.helpers, helper); } } if (startsOnNewLine !== void 0) { destEmitNode.startsOnNewLine = startsOnNewLine; } if (snippetElement !== void 0) { destEmitNode.snippetElement = snippetElement; } if (classThis) { destEmitNode.classThis = classThis; } if (assignedName) { destEmitNode.assignedName = assignedName; } return destEmitNode; } function mergeTokenSourceMapRanges(sourceRanges, destRanges) { if (!destRanges) destRanges = []; for (const key in sourceRanges) { destRanges[key] = sourceRanges[key]; } return destRanges; } function getOrCreateEmitNode(node) { if (!node.emitNode) { if (isParseTreeNode(node)) { if (node.kind === 307) { return node.emitNode = { annotatedNodes: [node] }; } const sourceFile = getSourceFileOfNode(getParseTreeNode(getSourceFileOfNode(node))) ?? Debug.fail("Could not determine parsed source file."); getOrCreateEmitNode(sourceFile).annotatedNodes.push(node); } node.emitNode = {}; } else { Debug.assert(!(node.emitNode.internalFlags & 8), "Invalid attempt to mutate an immutable node."); } return node.emitNode; } function disposeEmitNodes(sourceFile) { var _a, _b; const annotatedNodes = (_b = (_a = getSourceFileOfNode(getParseTreeNode(sourceFile))) == null ? void 0 : _a.emitNode) == null ? void 0 : _b.annotatedNodes; if (annotatedNodes) { for (const node of annotatedNodes) { node.emitNode = void 0; } } } function removeAllComments(node) { const emitNode = getOrCreateEmitNode(node); emitNode.flags |= 3072; emitNode.leadingComments = void 0; emitNode.trailingComments = void 0; return node; } function setEmitFlags(node, emitFlags) { getOrCreateEmitNode(node).flags = emitFlags; return node; } function addEmitFlags(node, emitFlags) { const emitNode = getOrCreateEmitNode(node); emitNode.flags = emitNode.flags | emitFlags; return node; } function setInternalEmitFlags(node, emitFlags) { getOrCreateEmitNode(node).internalFlags = emitFlags; return node; } function addInternalEmitFlags(node, emitFlags) { const emitNode = getOrCreateEmitNode(node); emitNode.internalFlags = emitNode.internalFlags | emitFlags; return node; } function getSourceMapRange(node) { var _a; return ((_a = node.emitNode) == null ? void 0 : _a.sourceMapRange) ?? node; } function setSourceMapRange(node, range) { getOrCreateEmitNode(node).sourceMapRange = range; return node; } function getTokenSourceMapRange(node, token) { var _a, _b; return (_b = (_a = node.emitNode) == null ? void 0 : _a.tokenSourceMapRanges) == null ? void 0 : _b[token]; } function setTokenSourceMapRange(node, token, range) { const emitNode = getOrCreateEmitNode(node); const tokenSourceMapRanges = emitNode.tokenSourceMapRanges ?? (emitNode.tokenSourceMapRanges = []); tokenSourceMapRanges[token] = range; return node; } function getStartsOnNewLine(node) { var _a; return (_a = node.emitNode) == null ? void 0 : _a.startsOnNewLine; } function setStartsOnNewLine(node, newLine) { getOrCreateEmitNode(node).startsOnNewLine = newLine; return node; } function getCommentRange(node) { var _a; return ((_a = node.emitNode) == null ? void 0 : _a.commentRange) ?? node; } function setCommentRange(node, range) { getOrCreateEmitNode(node).commentRange = range; return node; } function getSyntheticLeadingComments(node) { var _a; return (_a = node.emitNode) == null ? void 0 : _a.leadingComments; } function setSyntheticLeadingComments(node, comments) { getOrCreateEmitNode(node).leadingComments = comments; return node; } function addSyntheticLeadingComment(node, kind, text, hasTrailingNewLine) { return setSyntheticLeadingComments(node, append(getSyntheticLeadingComments(node), { kind, pos: -1, end: -1, hasTrailingNewLine, text })); } function getSyntheticTrailingComments(node) { var _a; return (_a = node.emitNode) == null ? void 0 : _a.trailingComments; } function setSyntheticTrailingComments(node, comments) { getOrCreateEmitNode(node).trailingComments = comments; return node; } function addSyntheticTrailingComment(node, kind, text, hasTrailingNewLine) { return setSyntheticTrailingComments(node, append(getSyntheticTrailingComments(node), { kind, pos: -1, end: -1, hasTrailingNewLine, text })); } function moveSyntheticComments(node, original) { setSyntheticLeadingComments(node, getSyntheticLeadingComments(original)); setSyntheticTrailingComments(node, getSyntheticTrailingComments(original)); const emit = getOrCreateEmitNode(original); emit.leadingComments = void 0; emit.trailingComments = void 0; return node; } function getConstantValue(node) { var _a; return (_a = node.emitNode) == null ? void 0 : _a.constantValue; } function setConstantValue(node, value) { const emitNode = getOrCreateEmitNode(node); emitNode.constantValue = value; return node; } function addEmitHelper(node, helper) { const emitNode = getOrCreateEmitNode(node); emitNode.helpers = append(emitNode.helpers, helper); return node; } function addEmitHelpers(node, helpers) { if (some(helpers)) { const emitNode = getOrCreateEmitNode(node); for (const helper of helpers) { emitNode.helpers = appendIfUnique(emitNode.helpers, helper); } } return node; } function removeEmitHelper(node, helper) { var _a; const helpers = (_a = node.emitNode) == null ? void 0 : _a.helpers; if (helpers) { return orderedRemoveItem(helpers, helper); } return false; } function getEmitHelpers(node) { var _a; return (_a = node.emitNode) == null ? void 0 : _a.helpers; } function moveEmitHelpers(source, target, predicate) { const sourceEmitNode = source.emitNode; const sourceEmitHelpers = sourceEmitNode && sourceEmitNode.helpers; if (!some(sourceEmitHelpers)) return; const targetEmitNode = getOrCreateEmitNode(target); let helpersRemoved = 0; for (let i = 0; i < sourceEmitHelpers.length; i++) { const helper = sourceEmitHelpers[i]; if (predicate(helper)) { helpersRemoved++; targetEmitNode.helpers = appendIfUnique(targetEmitNode.helpers, helper); } else if (helpersRemoved > 0) { sourceEmitHelpers[i - helpersRemoved] = helper; } } if (helpersRemoved > 0) { sourceEmitHelpers.length -= helpersRemoved; } } function getSnippetElement(node) { var _a; return (_a = node.emitNode) == null ? void 0 : _a.snippetElement; } function setSnippetElement(node, snippet) { const emitNode = getOrCreateEmitNode(node); emitNode.snippetElement = snippet; return node; } function ignoreSourceNewlines(node) { getOrCreateEmitNode(node).internalFlags |= 4; return node; } function setTypeNode(node, type) { const emitNode = getOrCreateEmitNode(node); emitNode.typeNode = type; return node; } function getTypeNode(node) { var _a; return (_a = node.emitNode) == null ? void 0 : _a.typeNode; } function setIdentifierTypeArguments(node, typeArguments) { getOrCreateEmitNode(node).identifierTypeArguments = typeArguments; return node; } function getIdentifierTypeArguments(node) { var _a; return (_a = node.emitNode) == null ? void 0 : _a.identifierTypeArguments; } function setIdentifierAutoGenerate(node, autoGenerate) { getOrCreateEmitNode(node).autoGenerate = autoGenerate; return node; } function getIdentifierAutoGenerate(node) { var _a; return (_a = node.emitNode) == null ? void 0 : _a.autoGenerate; } function setIdentifierGeneratedImportReference(node, value) { getOrCreateEmitNode(node).generatedImportReference = value; return node; } function getIdentifierGeneratedImportReference(node) { var _a; return (_a = node.emitNode) == null ? void 0 : _a.generatedImportReference; } var PrivateIdentifierKind = /* @__PURE__ */ ((PrivateIdentifierKind2) => { PrivateIdentifierKind2["Field"] = "f"; PrivateIdentifierKind2["Method"] = "m"; PrivateIdentifierKind2["Accessor"] = "a"; return PrivateIdentifierKind2; })(PrivateIdentifierKind || {}); function createEmitHelperFactory(context) { const factory2 = context.factory; const immutableTrue = memoize(() => setInternalEmitFlags( factory2.createTrue(), 8 /* Immutable */ )); const immutableFalse = memoize(() => setInternalEmitFlags( factory2.createFalse(), 8 /* Immutable */ )); return { getUnscopedHelperName, // TypeScript Helpers createDecorateHelper, createMetadataHelper, createParamHelper, // ES Decorators Helpers createESDecorateHelper, createRunInitializersHelper, // ES2018 Helpers createAssignHelper, createAwaitHelper, createAsyncGeneratorHelper, createAsyncDelegatorHelper, createAsyncValuesHelper, // ES2018 Destructuring Helpers createRestHelper, // ES2017 Helpers createAwaiterHelper, // ES2015 Helpers createExtendsHelper, createTemplateObjectHelper, createSpreadArrayHelper, createPropKeyHelper, createSetFunctionNameHelper, // ES2015 Destructuring Helpers createValuesHelper, createReadHelper, // ES2015 Generator Helpers createGeneratorHelper, // ES Module Helpers createImportStarHelper, createImportStarCallbackHelper, createImportDefaultHelper, createExportStarHelper, // Class Fields Helpers createClassPrivateFieldGetHelper, createClassPrivateFieldSetHelper, createClassPrivateFieldInHelper, // 'using' helpers createAddDisposableResourceHelper, createDisposeResourcesHelper }; function getUnscopedHelperName(name) { return setEmitFlags( factory2.createIdentifier(name), 8192 | 4 /* AdviseOnEmitNode */ ); } function createDecorateHelper(decoratorExpressions, target, memberName, descriptor) { context.requestEmitHelper(decorateHelper); const argumentsArray = []; argumentsArray.push(factory2.createArrayLiteralExpression( decoratorExpressions, /*multiLine*/ true )); argumentsArray.push(target); if (memberName) { argumentsArray.push(memberName); if (descriptor) { argumentsArray.push(descriptor); } } return factory2.createCallExpression( getUnscopedHelperName("__decorate"), /*typeArguments*/ void 0, argumentsArray ); } function createMetadataHelper(metadataKey, metadataValue) { context.requestEmitHelper(metadataHelper); return factory2.createCallExpression( getUnscopedHelperName("__metadata"), /*typeArguments*/ void 0, [ factory2.createStringLiteral(metadataKey), metadataValue ] ); } function createParamHelper(expression, parameterOffset, location) { context.requestEmitHelper(paramHelper); return setTextRange( factory2.createCallExpression( getUnscopedHelperName("__param"), /*typeArguments*/ void 0, [ factory2.createNumericLiteral(parameterOffset + ""), expression ] ), location ); } function createESDecorateClassContextObject(contextIn) { const properties = [ factory2.createPropertyAssignment(factory2.createIdentifier("kind"), factory2.createStringLiteral("class")), factory2.createPropertyAssignment(factory2.createIdentifier("name"), contextIn.name), factory2.createPropertyAssignment(factory2.createIdentifier("metadata"), contextIn.metadata) ]; return factory2.createObjectLiteralExpression(properties); } function createESDecorateClassElementAccessGetMethod(elementName) { const accessor = elementName.computed ? factory2.createElementAccessExpression(factory2.createIdentifier("obj"), elementName.name) : factory2.createPropertyAccessExpression(factory2.createIdentifier("obj"), elementName.name); return factory2.createPropertyAssignment( "get", factory2.createArrowFunction( /*modifiers*/ void 0, /*typeParameters*/ void 0, [factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, factory2.createIdentifier("obj") )], /*type*/ void 0, /*equalsGreaterThanToken*/ void 0, accessor ) ); } function createESDecorateClassElementAccessSetMethod(elementName) { const accessor = elementName.computed ? factory2.createElementAccessExpression(factory2.createIdentifier("obj"), elementName.name) : factory2.createPropertyAccessExpression(factory2.createIdentifier("obj"), elementName.name); return factory2.createPropertyAssignment( "set", factory2.createArrowFunction( /*modifiers*/ void 0, /*typeParameters*/ void 0, [ factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, factory2.createIdentifier("obj") ), factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, factory2.createIdentifier("value") ) ], /*type*/ void 0, /*equalsGreaterThanToken*/ void 0, factory2.createBlock([ factory2.createExpressionStatement( factory2.createAssignment( accessor, factory2.createIdentifier("value") ) ) ]) ) ); } function createESDecorateClassElementAccessHasMethod(elementName) { const propertyName = elementName.computed ? elementName.name : isIdentifier(elementName.name) ? factory2.createStringLiteralFromNode(elementName.name) : elementName.name; return factory2.createPropertyAssignment( "has", factory2.createArrowFunction( /*modifiers*/ void 0, /*typeParameters*/ void 0, [factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, factory2.createIdentifier("obj") )], /*type*/ void 0, /*equalsGreaterThanToken*/ void 0, factory2.createBinaryExpression( propertyName, 103, factory2.createIdentifier("obj") ) ) ); } function createESDecorateClassElementAccessObject(name, access) { const properties = []; properties.push(createESDecorateClassElementAccessHasMethod(name)); if (access.get) properties.push(createESDecorateClassElementAccessGetMethod(name)); if (access.set) properties.push(createESDecorateClassElementAccessSetMethod(name)); return factory2.createObjectLiteralExpression(properties); } function createESDecorateClassElementContextObject(contextIn) { const properties = [ factory2.createPropertyAssignment(factory2.createIdentifier("kind"), factory2.createStringLiteral(contextIn.kind)), factory2.createPropertyAssignment(factory2.createIdentifier("name"), contextIn.name.computed ? contextIn.name.name : factory2.createStringLiteralFromNode(contextIn.name.name)), factory2.createPropertyAssignment(factory2.createIdentifier("static"), contextIn.static ? factory2.createTrue() : factory2.createFalse()), factory2.createPropertyAssignment(factory2.createIdentifier("private"), contextIn.private ? factory2.createTrue() : factory2.createFalse()), factory2.createPropertyAssignment(factory2.createIdentifier("access"), createESDecorateClassElementAccessObject(contextIn.name, contextIn.access)), factory2.createPropertyAssignment(factory2.createIdentifier("metadata"), contextIn.metadata) ]; return factory2.createObjectLiteralExpression(properties); } function createESDecorateContextObject(contextIn) { return contextIn.kind === "class" ? createESDecorateClassContextObject(contextIn) : createESDecorateClassElementContextObject(contextIn); } function createESDecorateHelper(ctor, descriptorIn, decorators, contextIn, initializers, extraInitializers) { context.requestEmitHelper(esDecorateHelper); return factory2.createCallExpression( getUnscopedHelperName("__esDecorate"), /*typeArguments*/ void 0, [ ctor ?? factory2.createNull(), descriptorIn ?? factory2.createNull(), decorators, createESDecorateContextObject(contextIn), initializers, extraInitializers ] ); } function createRunInitializersHelper(thisArg, initializers, value) { context.requestEmitHelper(runInitializersHelper); return factory2.createCallExpression( getUnscopedHelperName("__runInitializers"), /*typeArguments*/ void 0, value ? [thisArg, initializers, value] : [thisArg, initializers] ); } function createAssignHelper(attributesSegments) { if (getEmitScriptTarget(context.getCompilerOptions()) >= 2) { return factory2.createCallExpression( factory2.createPropertyAccessExpression(factory2.createIdentifier("Object"), "assign"), /*typeArguments*/ void 0, attributesSegments ); } context.requestEmitHelper(assignHelper); return factory2.createCallExpression( getUnscopedHelperName("__assign"), /*typeArguments*/ void 0, attributesSegments ); } function createAwaitHelper(expression) { context.requestEmitHelper(awaitHelper); return factory2.createCallExpression( getUnscopedHelperName("__await"), /*typeArguments*/ void 0, [expression] ); } function createAsyncGeneratorHelper(generatorFunc, hasLexicalThis) { context.requestEmitHelper(awaitHelper); context.requestEmitHelper(asyncGeneratorHelper); (generatorFunc.emitNode || (generatorFunc.emitNode = {})).flags |= 524288 | 1048576; return factory2.createCallExpression( getUnscopedHelperName("__asyncGenerator"), /*typeArguments*/ void 0, [ hasLexicalThis ? factory2.createThis() : factory2.createVoidZero(), factory2.createIdentifier("arguments"), generatorFunc ] ); } function createAsyncDelegatorHelper(expression) { context.requestEmitHelper(awaitHelper); context.requestEmitHelper(asyncDelegator); return factory2.createCallExpression( getUnscopedHelperName("__asyncDelegator"), /*typeArguments*/ void 0, [expression] ); } function createAsyncValuesHelper(expression) { context.requestEmitHelper(asyncValues); return factory2.createCallExpression( getUnscopedHelperName("__asyncValues"), /*typeArguments*/ void 0, [expression] ); } function createRestHelper(value, elements, computedTempVariables, location) { context.requestEmitHelper(restHelper); const propertyNames = []; let computedTempVariableOffset = 0; for (let i = 0; i < elements.length - 1; i++) { const propertyName = getPropertyNameOfBindingOrAssignmentElement(elements[i]); if (propertyName) { if (isComputedPropertyName(propertyName)) { Debug.assertIsDefined(computedTempVariables, "Encountered computed property name but 'computedTempVariables' argument was not provided."); const temp = computedTempVariables[computedTempVariableOffset]; computedTempVariableOffset++; propertyNames.push( factory2.createConditionalExpression( factory2.createTypeCheck(temp, "symbol"), /*questionToken*/ void 0, temp, /*colonToken*/ void 0, factory2.createAdd(temp, factory2.createStringLiteral("")) ) ); } else { propertyNames.push(factory2.createStringLiteralFromNode(propertyName)); } } } return factory2.createCallExpression( getUnscopedHelperName("__rest"), /*typeArguments*/ void 0, [ value, setTextRange( factory2.createArrayLiteralExpression(propertyNames), location ) ] ); } function createAwaiterHelper(hasLexicalThis, argumentsExpression, promiseConstructor, parameters, body) { context.requestEmitHelper(awaiterHelper); const generatorFunc = factory2.createFunctionExpression( /*modifiers*/ void 0, factory2.createToken( 42 /* AsteriskToken */ ), /*name*/ void 0, /*typeParameters*/ void 0, parameters ?? [], /*type*/ void 0, body ); (generatorFunc.emitNode || (generatorFunc.emitNode = {})).flags |= 524288 | 1048576; return factory2.createCallExpression( getUnscopedHelperName("__awaiter"), /*typeArguments*/ void 0, [ hasLexicalThis ? factory2.createThis() : factory2.createVoidZero(), argumentsExpression ?? factory2.createVoidZero(), promiseConstructor ? createExpressionFromEntityName(factory2, promiseConstructor) : factory2.createVoidZero(), generatorFunc ] ); } function createExtendsHelper(name) { context.requestEmitHelper(extendsHelper); return factory2.createCallExpression( getUnscopedHelperName("__extends"), /*typeArguments*/ void 0, [name, factory2.createUniqueName( "_super", 16 | 32 /* FileLevel */ )] ); } function createTemplateObjectHelper(cooked, raw) { context.requestEmitHelper(templateObjectHelper); return factory2.createCallExpression( getUnscopedHelperName("__makeTemplateObject"), /*typeArguments*/ void 0, [cooked, raw] ); } function createSpreadArrayHelper(to, from, packFrom) { context.requestEmitHelper(spreadArrayHelper); return factory2.createCallExpression( getUnscopedHelperName("__spreadArray"), /*typeArguments*/ void 0, [to, from, packFrom ? immutableTrue() : immutableFalse()] ); } function createPropKeyHelper(expr) { context.requestEmitHelper(propKeyHelper); return factory2.createCallExpression( getUnscopedHelperName("__propKey"), /*typeArguments*/ void 0, [expr] ); } function createSetFunctionNameHelper(f, name, prefix) { context.requestEmitHelper(setFunctionNameHelper); return context.factory.createCallExpression( getUnscopedHelperName("__setFunctionName"), /*typeArguments*/ void 0, prefix ? [f, name, context.factory.createStringLiteral(prefix)] : [f, name] ); } function createValuesHelper(expression) { context.requestEmitHelper(valuesHelper); return factory2.createCallExpression( getUnscopedHelperName("__values"), /*typeArguments*/ void 0, [expression] ); } function createReadHelper(iteratorRecord, count) { context.requestEmitHelper(readHelper); return factory2.createCallExpression( getUnscopedHelperName("__read"), /*typeArguments*/ void 0, count !== void 0 ? [iteratorRecord, factory2.createNumericLiteral(count + "")] : [iteratorRecord] ); } function createGeneratorHelper(body) { context.requestEmitHelper(generatorHelper); return factory2.createCallExpression( getUnscopedHelperName("__generator"), /*typeArguments*/ void 0, [factory2.createThis(), body] ); } function createImportStarHelper(expression) { context.requestEmitHelper(importStarHelper); return factory2.createCallExpression( getUnscopedHelperName("__importStar"), /*typeArguments*/ void 0, [expression] ); } function createImportStarCallbackHelper() { context.requestEmitHelper(importStarHelper); return getUnscopedHelperName("__importStar"); } function createImportDefaultHelper(expression) { context.requestEmitHelper(importDefaultHelper); return factory2.createCallExpression( getUnscopedHelperName("__importDefault"), /*typeArguments*/ void 0, [expression] ); } function createExportStarHelper(moduleExpression, exportsExpression = factory2.createIdentifier("exports")) { context.requestEmitHelper(exportStarHelper); context.requestEmitHelper(createBindingHelper); return factory2.createCallExpression( getUnscopedHelperName("__exportStar"), /*typeArguments*/ void 0, [moduleExpression, exportsExpression] ); } function createClassPrivateFieldGetHelper(receiver, state, kind, f) { context.requestEmitHelper(classPrivateFieldGetHelper); let args; if (!f) { args = [receiver, state, factory2.createStringLiteral(kind)]; } else { args = [receiver, state, factory2.createStringLiteral(kind), f]; } return factory2.createCallExpression( getUnscopedHelperName("__classPrivateFieldGet"), /*typeArguments*/ void 0, args ); } function createClassPrivateFieldSetHelper(receiver, state, value, kind, f) { context.requestEmitHelper(classPrivateFieldSetHelper); let args; if (!f) { args = [receiver, state, value, factory2.createStringLiteral(kind)]; } else { args = [receiver, state, value, factory2.createStringLiteral(kind), f]; } return factory2.createCallExpression( getUnscopedHelperName("__classPrivateFieldSet"), /*typeArguments*/ void 0, args ); } function createClassPrivateFieldInHelper(state, receiver) { context.requestEmitHelper(classPrivateFieldInHelper); return factory2.createCallExpression( getUnscopedHelperName("__classPrivateFieldIn"), /*typeArguments*/ void 0, [state, receiver] ); } function createAddDisposableResourceHelper(envBinding, value, async) { context.requestEmitHelper(addDisposableResourceHelper); return factory2.createCallExpression( getUnscopedHelperName("__addDisposableResource"), /*typeArguments*/ void 0, [envBinding, value, async ? factory2.createTrue() : factory2.createFalse()] ); } function createDisposeResourcesHelper(envBinding) { context.requestEmitHelper(disposeResourcesHelper); return factory2.createCallExpression( getUnscopedHelperName("__disposeResources"), /*typeArguments*/ void 0, [envBinding] ); } } function compareEmitHelpers(x, y) { if (x === y) return 0; if (x.priority === y.priority) return 0; if (x.priority === void 0) return 1; if (y.priority === void 0) return -1; return compareValues(x.priority, y.priority); } function helperString(input, ...args) { return (uniqueName) => { let result = ""; for (let i = 0; i < args.length; i++) { result += input[i]; result += uniqueName(args[i]); } result += input[input.length - 1]; return result; }; } var decorateHelper = { name: "typescript:decorate", importName: "__decorate", scoped: false, priority: 2, text: ` var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) { var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d; if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc); else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r; return c > 3 && r && Object.defineProperty(target, key, r), r; };` }; var metadataHelper = { name: "typescript:metadata", importName: "__metadata", scoped: false, priority: 3, text: ` var __metadata = (this && this.__metadata) || function (k, v) { if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v); };` }; var paramHelper = { name: "typescript:param", importName: "__param", scoped: false, priority: 4, text: ` var __param = (this && this.__param) || function (paramIndex, decorator) { return function (target, key) { decorator(target, key, paramIndex); } };` }; var esDecorateHelper = { name: "typescript:esDecorate", importName: "__esDecorate", scoped: false, priority: 2, text: ` var __esDecorate = (this && this.__esDecorate) || function (ctor, descriptorIn, decorators, contextIn, initializers, extraInitializers) { function accept(f) { if (f !== void 0 && typeof f !== "function") throw new TypeError("Function expected"); return f; } var kind = contextIn.kind, key = kind === "getter" ? "get" : kind === "setter" ? "set" : "value"; var target = !descriptorIn && ctor ? contextIn["static"] ? ctor : ctor.prototype : null; var descriptor = descriptorIn || (target ? Object.getOwnPropertyDescriptor(target, contextIn.name) : {}); var _, done = false; for (var i = decorators.length - 1; i >= 0; i--) { var context = {}; for (var p in contextIn) context[p] = p === "access" ? {} : contextIn[p]; for (var p in contextIn.access) context.access[p] = contextIn.access[p]; context.addInitializer = function (f) { if (done) throw new TypeError("Cannot add initializers after decoration has completed"); extraInitializers.push(accept(f || null)); }; var result = (0, decorators[i])(kind === "accessor" ? { get: descriptor.get, set: descriptor.set } : descriptor[key], context); if (kind === "accessor") { if (result === void 0) continue; if (result === null || typeof result !== "object") throw new TypeError("Object expected"); if (_ = accept(result.get)) descriptor.get = _; if (_ = accept(result.set)) descriptor.set = _; if (_ = accept(result.init)) initializers.unshift(_); } else if (_ = accept(result)) { if (kind === "field") initializers.unshift(_); else descriptor[key] = _; } } if (target) Object.defineProperty(target, contextIn.name, descriptor); done = true; };` }; var runInitializersHelper = { name: "typescript:runInitializers", importName: "__runInitializers", scoped: false, priority: 2, text: ` var __runInitializers = (this && this.__runInitializers) || function (thisArg, initializers, value) { var useValue = arguments.length > 2; for (var i = 0; i < initializers.length; i++) { value = useValue ? initializers[i].call(thisArg, value) : initializers[i].call(thisArg); } return useValue ? value : void 0; };` }; var assignHelper = { name: "typescript:assign", importName: "__assign", scoped: false, priority: 1, text: ` var __assign = (this && this.__assign) || function () { __assign = Object.assign || function(t) { for (var s, i = 1, n = arguments.length; i < n; i++) { s = arguments[i]; for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p]; } return t; }; return __assign.apply(this, arguments); };` }; var awaitHelper = { name: "typescript:await", importName: "__await", scoped: false, text: ` var __await = (this && this.__await) || function (v) { return this instanceof __await ? (this.v = v, this) : new __await(v); }` }; var asyncGeneratorHelper = { name: "typescript:asyncGenerator", importName: "__asyncGenerator", scoped: false, dependencies: [awaitHelper], text: ` var __asyncGenerator = (this && this.__asyncGenerator) || function (thisArg, _arguments, generator) { if (!Symbol.asyncIterator) throw new TypeError("Symbol.asyncIterator is not defined."); var g = generator.apply(thisArg, _arguments || []), i, q = []; return i = {}, verb("next"), verb("throw"), verb("return", awaitReturn), i[Symbol.asyncIterator] = function () { return this; }, i; function awaitReturn(f) { return function (v) { return Promise.resolve(v).then(f, reject); }; } function verb(n, f) { if (g[n]) { i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; if (f) i[n] = f(i[n]); } } function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } } function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); } function fulfill(value) { resume("next", value); } function reject(value) { resume("throw", value); } function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); } };` }; var asyncDelegator = { name: "typescript:asyncDelegator", importName: "__asyncDelegator", scoped: false, dependencies: [awaitHelper], text: ` var __asyncDelegator = (this && this.__asyncDelegator) || function (o) { var i, p; return i = {}, verb("next"), verb("throw", function (e) { throw e; }), verb("return"), i[Symbol.iterator] = function () { return this; }, i; function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: false } : f ? f(v) : v; } : f; } };` }; var asyncValues = { name: "typescript:asyncValues", importName: "__asyncValues", scoped: false, text: ` var __asyncValues = (this && this.__asyncValues) || function (o) { if (!Symbol.asyncIterator) throw new TypeError("Symbol.asyncIterator is not defined."); var m = o[Symbol.asyncIterator], i; return m ? m.call(o) : (o = typeof __values === "function" ? __values(o) : o[Symbol.iterator](), i = {}, verb("next"), verb("throw"), verb("return"), i[Symbol.asyncIterator] = function () { return this; }, i); function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; } function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); } };` }; var restHelper = { name: "typescript:rest", importName: "__rest", scoped: false, text: ` var __rest = (this && this.__rest) || function (s, e) { var t = {}; for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0) t[p] = s[p]; if (s != null && typeof Object.getOwnPropertySymbols === "function") for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) { if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i])) t[p[i]] = s[p[i]]; } return t; };` }; var awaiterHelper = { name: "typescript:awaiter", importName: "__awaiter", scoped: false, priority: 5, text: ` var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) { function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); } return new (P || (P = Promise))(function (resolve, reject) { function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } } function rejected(value) { try { step(generator["throw"](value)); } catch (e) { reject(e); } } function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); } step((generator = generator.apply(thisArg, _arguments || [])).next()); }); };` }; var extendsHelper = { name: "typescript:extends", importName: "__extends", scoped: false, priority: 0, text: ` var __extends = (this && this.__extends) || (function () { var extendStatics = function (d, b) { extendStatics = Object.setPrototypeOf || ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) || function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; }; return extendStatics(d, b); }; return function (d, b) { if (typeof b !== "function" && b !== null) throw new TypeError("Class extends value " + String(b) + " is not a constructor or null"); extendStatics(d, b); function __() { this.constructor = d; } d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __()); }; })();` }; var templateObjectHelper = { name: "typescript:makeTemplateObject", importName: "__makeTemplateObject", scoped: false, priority: 0, text: ` var __makeTemplateObject = (this && this.__makeTemplateObject) || function (cooked, raw) { if (Object.defineProperty) { Object.defineProperty(cooked, "raw", { value: raw }); } else { cooked.raw = raw; } return cooked; };` }; var readHelper = { name: "typescript:read", importName: "__read", scoped: false, text: ` var __read = (this && this.__read) || function (o, n) { var m = typeof Symbol === "function" && o[Symbol.iterator]; if (!m) return o; var i = m.call(o), r, ar = [], e; try { while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value); } catch (error) { e = { error: error }; } finally { try { if (r && !r.done && (m = i["return"])) m.call(i); } finally { if (e) throw e.error; } } return ar; };` }; var spreadArrayHelper = { name: "typescript:spreadArray", importName: "__spreadArray", scoped: false, text: ` var __spreadArray = (this && this.__spreadArray) || function (to, from, pack) { if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) { if (ar || !(i in from)) { if (!ar) ar = Array.prototype.slice.call(from, 0, i); ar[i] = from[i]; } } return to.concat(ar || Array.prototype.slice.call(from)); };` }; var propKeyHelper = { name: "typescript:propKey", importName: "__propKey", scoped: false, text: ` var __propKey = (this && this.__propKey) || function (x) { return typeof x === "symbol" ? x : "".concat(x); };` }; var setFunctionNameHelper = { name: "typescript:setFunctionName", importName: "__setFunctionName", scoped: false, text: ` var __setFunctionName = (this && this.__setFunctionName) || function (f, name, prefix) { if (typeof name === "symbol") name = name.description ? "[".concat(name.description, "]") : ""; return Object.defineProperty(f, "name", { configurable: true, value: prefix ? "".concat(prefix, " ", name) : name }); };` }; var valuesHelper = { name: "typescript:values", importName: "__values", scoped: false, text: ` var __values = (this && this.__values) || function(o) { var s = typeof Symbol === "function" && Symbol.iterator, m = s && o[s], i = 0; if (m) return m.call(o); if (o && typeof o.length === "number") return { next: function () { if (o && i >= o.length) o = void 0; return { value: o && o[i++], done: !o }; } }; throw new TypeError(s ? "Object is not iterable." : "Symbol.iterator is not defined."); };` }; var generatorHelper = { name: "typescript:generator", importName: "__generator", scoped: false, priority: 6, text: ` var __generator = (this && this.__generator) || function (thisArg, body) { var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g; return g = { next: verb(0), "throw": verb(1), "return": verb(2) }, typeof Symbol === "function" && (g[Symbol.iterator] = function() { return this; }), g; function verb(n) { return function (v) { return step([n, v]); }; } function step(op) { if (f) throw new TypeError("Generator is already executing."); while (g && (g = 0, op[0] && (_ = 0)), _) try { if (f = 1, y && (t = op[0] & 2 ? y["return"] : op[0] ? y["throw"] || ((t = y["return"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t; if (y = 0, t) op = [op[0] & 2, t.value]; switch (op[0]) { case 0: case 1: t = op; break; case 4: _.label++; return { value: op[1], done: false }; case 5: _.label++; y = op[1]; op = [0]; continue; case 7: op = _.ops.pop(); _.trys.pop(); continue; default: if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; } if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; } if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; } if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; } if (t[2]) _.ops.pop(); _.trys.pop(); continue; } op = body.call(thisArg, _); } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; } if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true }; } };` }; var createBindingHelper = { name: "typescript:commonjscreatebinding", importName: "__createBinding", scoped: false, priority: 1, text: ` var __createBinding = (this && this.__createBinding) || (Object.create ? (function(o, m, k, k2) { if (k2 === undefined) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); }) : (function(o, m, k, k2) { if (k2 === undefined) k2 = k; o[k2] = m[k]; }));` }; var setModuleDefaultHelper = { name: "typescript:commonjscreatevalue", importName: "__setModuleDefault", scoped: false, priority: 1, text: ` var __setModuleDefault = (this && this.__setModuleDefault) || (Object.create ? (function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); }) : function(o, v) { o["default"] = v; });` }; var importStarHelper = { name: "typescript:commonjsimportstar", importName: "__importStar", scoped: false, dependencies: [createBindingHelper, setModuleDefaultHelper], priority: 2, text: ` var __importStar = (this && this.__importStar) || function (mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k); __setModuleDefault(result, mod); return result; };` }; var importDefaultHelper = { name: "typescript:commonjsimportdefault", importName: "__importDefault", scoped: false, text: ` var __importDefault = (this && this.__importDefault) || function (mod) { return (mod && mod.__esModule) ? mod : { "default": mod }; };` }; var exportStarHelper = { name: "typescript:export-star", importName: "__exportStar", scoped: false, dependencies: [createBindingHelper], priority: 2, text: ` var __exportStar = (this && this.__exportStar) || function(m, exports) { for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports, p)) __createBinding(exports, m, p); };` }; var classPrivateFieldGetHelper = { name: "typescript:classPrivateFieldGet", importName: "__classPrivateFieldGet", scoped: false, text: ` var __classPrivateFieldGet = (this && this.__classPrivateFieldGet) || function (receiver, state, kind, f) { if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it"); return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); };` }; var classPrivateFieldSetHelper = { name: "typescript:classPrivateFieldSet", importName: "__classPrivateFieldSet", scoped: false, text: ` var __classPrivateFieldSet = (this && this.__classPrivateFieldSet) || function (receiver, state, value, kind, f) { if (kind === "m") throw new TypeError("Private method is not writable"); if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it"); return (kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value; };` }; var classPrivateFieldInHelper = { name: "typescript:classPrivateFieldIn", importName: "__classPrivateFieldIn", scoped: false, text: ` var __classPrivateFieldIn = (this && this.__classPrivateFieldIn) || function(state, receiver) { if (receiver === null || (typeof receiver !== "object" && typeof receiver !== "function")) throw new TypeError("Cannot use 'in' operator on non-object"); return typeof state === "function" ? receiver === state : state.has(receiver); };` }; var addDisposableResourceHelper = { name: "typescript:addDisposableResource", importName: "__addDisposableResource", scoped: false, text: ` var __addDisposableResource = (this && this.__addDisposableResource) || function (env, value, async) { if (value !== null && value !== void 0) { if (typeof value !== "object" && typeof value !== "function") throw new TypeError("Object expected."); var dispose, inner; if (async) { if (!Symbol.asyncDispose) throw new TypeError("Symbol.asyncDispose is not defined."); dispose = value[Symbol.asyncDispose]; } if (dispose === void 0) { if (!Symbol.dispose) throw new TypeError("Symbol.dispose is not defined."); dispose = value[Symbol.dispose]; if (async) inner = dispose; } if (typeof dispose !== "function") throw new TypeError("Object not disposable."); if (inner) dispose = function() { try { inner.call(this); } catch (e) { return Promise.reject(e); } }; env.stack.push({ value: value, dispose: dispose, async: async }); } else if (async) { env.stack.push({ async: true }); } return value; };` }; var disposeResourcesHelper = { name: "typescript:disposeResources", importName: "__disposeResources", scoped: false, text: ` var __disposeResources = (this && this.__disposeResources) || (function (SuppressedError) { return function (env) { function fail(e) { env.error = env.hasError ? new SuppressedError(e, env.error, "An error was suppressed during disposal.") : e; env.hasError = true; } function next() { while (env.stack.length) { var rec = env.stack.pop(); try { var result = rec.dispose && rec.dispose.call(rec.value); if (rec.async) return Promise.resolve(result).then(next, function(e) { fail(e); return next(); }); } catch (e) { fail(e); } } if (env.hasError) throw env.error; } return next(); }; })(typeof SuppressedError === "function" ? SuppressedError : function (error, suppressed, message) { var e = new Error(message); return e.name = "SuppressedError", e.error = error, e.suppressed = suppressed, e; });` }; var asyncSuperHelper = { name: "typescript:async-super", scoped: true, text: helperString` const ${"_superIndex"} = name => super[name];` }; var advancedAsyncSuperHelper = { name: "typescript:advanced-async-super", scoped: true, text: helperString` const ${"_superIndex"} = (function (geti, seti) { const cache = Object.create(null); return name => cache[name] || (cache[name] = { get value() { return geti(name); }, set value(v) { seti(name, v); } }); })(name => super[name], (name, value) => super[name] = value);` }; function isCallToHelper(firstSegment, helperName) { return isCallExpression2(firstSegment) && isIdentifier(firstSegment.expression) && (getEmitFlags(firstSegment.expression) & 8192) !== 0 && firstSegment.expression.escapedText === helperName; } function isNumericLiteral(node) { return node.kind === 9; } function isBigIntLiteral2(node) { return node.kind === 10; } function isStringLiteral2(node) { return node.kind === 11; } function isJsxText(node) { return node.kind === 12; } function isRegularExpressionLiteral(node) { return node.kind === 14; } function isNoSubstitutionTemplateLiteral(node) { return node.kind === 15; } function isTemplateHead(node) { return node.kind === 16; } function isTemplateMiddle(node) { return node.kind === 17; } function isTemplateTail(node) { return node.kind === 18; } function isDotDotDotToken(node) { return node.kind === 26; } function isCommaToken2(node) { return node.kind === 28; } function isPlusToken(node) { return node.kind === 40; } function isMinusToken(node) { return node.kind === 41; } function isAsteriskToken(node) { return node.kind === 42; } function isExclamationToken(node) { return node.kind === 54; } function isQuestionToken(node) { return node.kind === 58; } function isColonToken2(node) { return node.kind === 59; } function isQuestionDotToken(node) { return node.kind === 29; } function isEqualsGreaterThanToken(node) { return node.kind === 39; } function isIdentifier(node) { return node.kind === 80; } function isPrivateIdentifier(node) { return node.kind === 81; } function isExportModifier(node) { return node.kind === 95; } function isDefaultModifier(node) { return node.kind === 90; } function isAsyncModifier(node) { return node.kind === 134; } function isAssertsKeyword(node) { return node.kind === 131; } function isAwaitKeyword(node) { return node.kind === 135; } function isReadonlyKeyword(node) { return node.kind === 148; } function isStaticModifier(node) { return node.kind === 126; } function isAbstractModifier(node) { return node.kind === 128; } function isOverrideModifier(node) { return node.kind === 164; } function isAccessorModifier(node) { return node.kind === 129; } function isSuperKeyword(node) { return node.kind === 108; } function isImportKeyword(node) { return node.kind === 102; } function isCaseKeyword(node) { return node.kind === 84; } function isQualifiedName(node) { return node.kind === 166; } function isComputedPropertyName(node) { return node.kind === 167; } function isTypeParameterDeclaration(node) { return node.kind === 168; } function isParameter(node) { return node.kind === 169; } function isDecorator(node) { return node.kind === 170; } function isPropertySignature(node) { return node.kind === 171; } function isPropertyDeclaration(node) { return node.kind === 172; } function isMethodSignature(node) { return node.kind === 173; } function isMethodDeclaration(node) { return node.kind === 174; } function isClassStaticBlockDeclaration(node) { return node.kind === 175; } function isConstructorDeclaration(node) { return node.kind === 176; } function isGetAccessorDeclaration(node) { return node.kind === 177; } function isSetAccessorDeclaration(node) { return node.kind === 178; } function isCallSignatureDeclaration(node) { return node.kind === 179; } function isConstructSignatureDeclaration(node) { return node.kind === 180; } function isIndexSignatureDeclaration(node) { return node.kind === 181; } function isTypePredicateNode(node) { return node.kind === 182; } function isTypeReferenceNode(node) { return node.kind === 183; } function isFunctionTypeNode(node) { return node.kind === 184; } function isConstructorTypeNode(node) { return node.kind === 185; } function isTypeQueryNode(node) { return node.kind === 186; } function isTypeLiteralNode(node) { return node.kind === 187; } function isArrayTypeNode(node) { return node.kind === 188; } function isTupleTypeNode(node) { return node.kind === 189; } function isNamedTupleMember(node) { return node.kind === 202; } function isOptionalTypeNode(node) { return node.kind === 190; } function isRestTypeNode(node) { return node.kind === 191; } function isUnionTypeNode(node) { return node.kind === 192; } function isIntersectionTypeNode(node) { return node.kind === 193; } function isConditionalTypeNode(node) { return node.kind === 194; } function isInferTypeNode(node) { return node.kind === 195; } function isParenthesizedTypeNode(node) { return node.kind === 196; } function isThisTypeNode(node) { return node.kind === 197; } function isTypeOperatorNode(node) { return node.kind === 198; } function isIndexedAccessTypeNode(node) { return node.kind === 199; } function isMappedTypeNode(node) { return node.kind === 200; } function isLiteralTypeNode(node) { return node.kind === 201; } function isImportTypeNode(node) { return node.kind === 205; } function isTemplateLiteralTypeSpan(node) { return node.kind === 204; } function isTemplateLiteralTypeNode(node) { return node.kind === 203; } function isObjectBindingPattern(node) { return node.kind === 206; } function isArrayBindingPattern(node) { return node.kind === 207; } function isBindingElement(node) { return node.kind === 208; } function isArrayLiteralExpression(node) { return node.kind === 209; } function isObjectLiteralExpression(node) { return node.kind === 210; } function isPropertyAccessExpression(node) { return node.kind === 211; } function isElementAccessExpression(node) { return node.kind === 212; } function isCallExpression2(node) { return node.kind === 213; } function isNewExpression2(node) { return node.kind === 214; } function isTaggedTemplateExpression(node) { return node.kind === 215; } function isTypeAssertionExpression(node) { return node.kind === 216; } function isParenthesizedExpression(node) { return node.kind === 217; } function isFunctionExpression(node) { return node.kind === 218; } function isArrowFunction(node) { return node.kind === 219; } function isDeleteExpression(node) { return node.kind === 220; } function isTypeOfExpression(node) { return node.kind === 221; } function isVoidExpression(node) { return node.kind === 222; } function isAwaitExpression(node) { return node.kind === 223; } function isPrefixUnaryExpression(node) { return node.kind === 224; } function isPostfixUnaryExpression(node) { return node.kind === 225; } function isBinaryExpression(node) { return node.kind === 226; } function isConditionalExpression(node) { return node.kind === 227; } function isTemplateExpression(node) { return node.kind === 228; } function isYieldExpression(node) { return node.kind === 229; } function isSpreadElement(node) { return node.kind === 230; } function isClassExpression(node) { return node.kind === 231; } function isOmittedExpression(node) { return node.kind === 232; } function isExpressionWithTypeArguments(node) { return node.kind === 233; } function isAsExpression(node) { return node.kind === 234; } function isSatisfiesExpression(node) { return node.kind === 238; } function isNonNullExpression(node) { return node.kind === 235; } function isMetaProperty(node) { return node.kind === 236; } function isSyntheticExpression(node) { return node.kind === 237; } function isPartiallyEmittedExpression(node) { return node.kind === 354; } function isCommaListExpression(node) { return node.kind === 355; } function isTemplateSpan(node) { return node.kind === 239; } function isSemicolonClassElement(node) { return node.kind === 240; } function isBlock(node) { return node.kind === 241; } function isVariableStatement(node) { return node.kind === 243; } function isEmptyStatement(node) { return node.kind === 242; } function isExpressionStatement2(node) { return node.kind === 244; } function isIfStatement(node) { return node.kind === 245; } function isDoStatement(node) { return node.kind === 246; } function isWhileStatement(node) { return node.kind === 247; } function isForStatement(node) { return node.kind === 248; } function isForInStatement(node) { return node.kind === 249; } function isForOfStatement(node) { return node.kind === 250; } function isContinueStatement(node) { return node.kind === 251; } function isBreakStatement(node) { return node.kind === 252; } function isReturnStatement(node) { return node.kind === 253; } function isWithStatement(node) { return node.kind === 254; } function isSwitchStatement(node) { return node.kind === 255; } function isLabeledStatement(node) { return node.kind === 256; } function isThrowStatement(node) { return node.kind === 257; } function isTryStatement(node) { return node.kind === 258; } function isDebuggerStatement(node) { return node.kind === 259; } function isVariableDeclaration(node) { return node.kind === 260; } function isVariableDeclarationList(node) { return node.kind === 261; } function isFunctionDeclaration(node) { return node.kind === 262; } function isClassDeclaration(node) { return node.kind === 263; } function isInterfaceDeclaration(node) { return node.kind === 264; } function isTypeAliasDeclaration(node) { return node.kind === 265; } function isEnumDeclaration(node) { return node.kind === 266; } function isModuleDeclaration(node) { return node.kind === 267; } function isModuleBlock(node) { return node.kind === 268; } function isCaseBlock(node) { return node.kind === 269; } function isNamespaceExportDeclaration(node) { return node.kind === 270; } function isImportEqualsDeclaration(node) { return node.kind === 271; } function isImportDeclaration(node) { return node.kind === 272; } function isImportClause(node) { return node.kind === 273; } function isImportTypeAssertionContainer(node) { return node.kind === 302; } function isAssertClause(node) { return node.kind === 300; } function isAssertEntry(node) { return node.kind === 301; } function isImportAttributes(node) { return node.kind === 300; } function isImportAttribute(node) { return node.kind === 301; } function isNamespaceImport(node) { return node.kind === 274; } function isNamespaceExport(node) { return node.kind === 280; } function isNamedImports(node) { return node.kind === 275; } function isImportSpecifier(node) { return node.kind === 276; } function isExportAssignment(node) { return node.kind === 277; } function isExportDeclaration(node) { return node.kind === 278; } function isNamedExports(node) { return node.kind === 279; } function isExportSpecifier(node) { return node.kind === 281; } function isMissingDeclaration(node) { return node.kind === 282; } function isNotEmittedStatement(node) { return node.kind === 353; } function isSyntheticReference(node) { return node.kind === 356; } function isExternalModuleReference(node) { return node.kind === 283; } function isJsxElement(node) { return node.kind === 284; } function isJsxSelfClosingElement(node) { return node.kind === 285; } function isJsxOpeningElement(node) { return node.kind === 286; } function isJsxClosingElement(node) { return node.kind === 287; } function isJsxFragment(node) { return node.kind === 288; } function isJsxOpeningFragment(node) { return node.kind === 289; } function isJsxClosingFragment(node) { return node.kind === 290; } function isJsxAttribute(node) { return node.kind === 291; } function isJsxAttributes(node) { return node.kind === 292; } function isJsxSpreadAttribute(node) { return node.kind === 293; } function isJsxExpression(node) { return node.kind === 294; } function isJsxNamespacedName(node) { return node.kind === 295; } function isCaseClause(node) { return node.kind === 296; } function isDefaultClause(node) { return node.kind === 297; } function isHeritageClause(node) { return node.kind === 298; } function isCatchClause(node) { return node.kind === 299; } function isPropertyAssignment(node) { return node.kind === 303; } function isShorthandPropertyAssignment(node) { return node.kind === 304; } function isSpreadAssignment(node) { return node.kind === 305; } function isEnumMember(node) { return node.kind === 306; } function isSourceFile(node) { return node.kind === 307; } function isBundle(node) { return node.kind === 308; } function isJSDocTypeExpression(node) { return node.kind === 309; } function isJSDocNameReference(node) { return node.kind === 310; } function isJSDocMemberName(node) { return node.kind === 311; } function isJSDocLink(node) { return node.kind === 324; } function isJSDocLinkCode(node) { return node.kind === 325; } function isJSDocLinkPlain(node) { return node.kind === 326; } function isJSDocAllType(node) { return node.kind === 312; } function isJSDocUnknownType(node) { return node.kind === 313; } function isJSDocNullableType(node) { return node.kind === 314; } function isJSDocNonNullableType(node) { return node.kind === 315; } function isJSDocOptionalType(node) { return node.kind === 316; } function isJSDocFunctionType(node) { return node.kind === 317; } function isJSDocVariadicType(node) { return node.kind === 318; } function isJSDocNamepathType(node) { return node.kind === 319; } function isJSDoc(node) { return node.kind === 320; } function isJSDocTypeLiteral(node) { return node.kind === 322; } function isJSDocSignature(node) { return node.kind === 323; } function isJSDocAugmentsTag(node) { return node.kind === 328; } function isJSDocAuthorTag(node) { return node.kind === 330; } function isJSDocClassTag(node) { return node.kind === 332; } function isJSDocCallbackTag(node) { return node.kind === 338; } function isJSDocPublicTag(node) { return node.kind === 333; } function isJSDocPrivateTag(node) { return node.kind === 334; } function isJSDocProtectedTag(node) { return node.kind === 335; } function isJSDocReadonlyTag(node) { return node.kind === 336; } function isJSDocOverrideTag(node) { return node.kind === 337; } function isJSDocOverloadTag(node) { return node.kind === 339; } function isJSDocDeprecatedTag(node) { return node.kind === 331; } function isJSDocSeeTag(node) { return node.kind === 347; } function isJSDocEnumTag(node) { return node.kind === 340; } function isJSDocParameterTag(node) { return node.kind === 341; } function isJSDocReturnTag(node) { return node.kind === 342; } function isJSDocThisTag(node) { return node.kind === 343; } function isJSDocTypeTag(node) { return node.kind === 344; } function isJSDocTemplateTag(node) { return node.kind === 345; } function isJSDocTypedefTag(node) { return node.kind === 346; } function isJSDocUnknownTag(node) { return node.kind === 327; } function isJSDocPropertyTag(node) { return node.kind === 348; } function isJSDocImplementsTag(node) { return node.kind === 329; } function isJSDocSatisfiesTag(node) { return node.kind === 350; } function isJSDocThrowsTag(node) { return node.kind === 349; } function isJSDocImportTag(node) { return node.kind === 351; } function isSyntaxList(n) { return n.kind === 352; } var nodeChildren = /* @__PURE__ */ new WeakMap(); function getNodeChildren(node) { if (!isNodeKind(node.kind)) return emptyArray; return nodeChildren.get(node); } function setNodeChildren(node, children) { nodeChildren.set(node, children); return children; } function unsetNodeChildren(node) { nodeChildren.delete(node); } function createEmptyExports(factory2) { return factory2.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory2.createNamedExports([]), /*moduleSpecifier*/ void 0 ); } function createMemberAccessForPropertyName(factory2, target, memberName, location) { if (isComputedPropertyName(memberName)) { return setTextRange(factory2.createElementAccessExpression(target, memberName.expression), location); } else { const expression = setTextRange( isMemberName(memberName) ? factory2.createPropertyAccessExpression(target, memberName) : factory2.createElementAccessExpression(target, memberName), memberName ); addEmitFlags( expression, 128 /* NoNestedSourceMaps */ ); return expression; } } function createReactNamespace(reactNamespace, parent2) { const react = parseNodeFactory.createIdentifier(reactNamespace || "React"); setParent(react, getParseTreeNode(parent2)); return react; } function createJsxFactoryExpressionFromEntityName(factory2, jsxFactory, parent2) { if (isQualifiedName(jsxFactory)) { const left = createJsxFactoryExpressionFromEntityName(factory2, jsxFactory.left, parent2); const right = factory2.createIdentifier(idText(jsxFactory.right)); right.escapedText = jsxFactory.right.escapedText; return factory2.createPropertyAccessExpression(left, right); } else { return createReactNamespace(idText(jsxFactory), parent2); } } function createJsxFactoryExpression(factory2, jsxFactoryEntity, reactNamespace, parent2) { return jsxFactoryEntity ? createJsxFactoryExpressionFromEntityName(factory2, jsxFactoryEntity, parent2) : factory2.createPropertyAccessExpression( createReactNamespace(reactNamespace, parent2), "createElement" ); } function createJsxFragmentFactoryExpression(factory2, jsxFragmentFactoryEntity, reactNamespace, parent2) { return jsxFragmentFactoryEntity ? createJsxFactoryExpressionFromEntityName(factory2, jsxFragmentFactoryEntity, parent2) : factory2.createPropertyAccessExpression( createReactNamespace(reactNamespace, parent2), "Fragment" ); } function createExpressionForJsxElement(factory2, callee, tagName, props, children, location) { const argumentsList = [tagName]; if (props) { argumentsList.push(props); } if (children && children.length > 0) { if (!props) { argumentsList.push(factory2.createNull()); } if (children.length > 1) { for (const child of children) { startOnNewLine(child); argumentsList.push(child); } } else { argumentsList.push(children[0]); } } return setTextRange( factory2.createCallExpression( callee, /*typeArguments*/ void 0, argumentsList ), location ); } function createExpressionForJsxFragment(factory2, jsxFactoryEntity, jsxFragmentFactoryEntity, reactNamespace, children, parentElement, location) { const tagName = createJsxFragmentFactoryExpression(factory2, jsxFragmentFactoryEntity, reactNamespace, parentElement); const argumentsList = [tagName, factory2.createNull()]; if (children && children.length > 0) { if (children.length > 1) { for (const child of children) { startOnNewLine(child); argumentsList.push(child); } } else { argumentsList.push(children[0]); } } return setTextRange( factory2.createCallExpression( createJsxFactoryExpression(factory2, jsxFactoryEntity, reactNamespace, parentElement), /*typeArguments*/ void 0, argumentsList ), location ); } function createForOfBindingStatement(factory2, node, boundValue) { if (isVariableDeclarationList(node)) { const firstDeclaration = first(node.declarations); const updatedDeclaration = factory2.updateVariableDeclaration( firstDeclaration, firstDeclaration.name, /*exclamationToken*/ void 0, /*type*/ void 0, boundValue ); return setTextRange( factory2.createVariableStatement( /*modifiers*/ void 0, factory2.updateVariableDeclarationList(node, [updatedDeclaration]) ), /*location*/ node ); } else { const updatedExpression = setTextRange( factory2.createAssignment(node, boundValue), /*location*/ node ); return setTextRange( factory2.createExpressionStatement(updatedExpression), /*location*/ node ); } } function insertLeadingStatement(factory2, dest, source) { if (isBlock(dest)) { return factory2.updateBlock(dest, setTextRange(factory2.createNodeArray([source, ...dest.statements]), dest.statements)); } else { return factory2.createBlock( factory2.createNodeArray([dest, source]), /*multiLine*/ true ); } } function createExpressionFromEntityName(factory2, node) { if (isQualifiedName(node)) { const left = createExpressionFromEntityName(factory2, node.left); const right = setParent(setTextRange(factory2.cloneNode(node.right), node.right), node.right.parent); return setTextRange(factory2.createPropertyAccessExpression(left, right), node); } else { return setParent(setTextRange(factory2.cloneNode(node), node), node.parent); } } function createExpressionForPropertyName(factory2, memberName) { if (isIdentifier(memberName)) { return factory2.createStringLiteralFromNode(memberName); } else if (isComputedPropertyName(memberName)) { return setParent(setTextRange(factory2.cloneNode(memberName.expression), memberName.expression), memberName.expression.parent); } else { return setParent(setTextRange(factory2.cloneNode(memberName), memberName), memberName.parent); } } function createExpressionForAccessorDeclaration(factory2, properties, property, receiver, multiLine) { const { firstAccessor, getAccessor, setAccessor } = getAllAccessorDeclarations(properties, property); if (property === firstAccessor) { return setTextRange( factory2.createObjectDefinePropertyCall( receiver, createExpressionForPropertyName(factory2, property.name), factory2.createPropertyDescriptor({ enumerable: factory2.createFalse(), configurable: true, get: getAccessor && setTextRange( setOriginalNode( factory2.createFunctionExpression( getModifiers(getAccessor), /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, getAccessor.parameters, /*type*/ void 0, getAccessor.body // TODO: GH#18217 ), getAccessor ), getAccessor ), set: setAccessor && setTextRange( setOriginalNode( factory2.createFunctionExpression( getModifiers(setAccessor), /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, setAccessor.parameters, /*type*/ void 0, setAccessor.body // TODO: GH#18217 ), setAccessor ), setAccessor ) }, !multiLine) ), firstAccessor ); } return void 0; } function createExpressionForPropertyAssignment(factory2, property, receiver) { return setOriginalNode( setTextRange( factory2.createAssignment( createMemberAccessForPropertyName( factory2, receiver, property.name, /*location*/ property.name ), property.initializer ), property ), property ); } function createExpressionForShorthandPropertyAssignment(factory2, property, receiver) { return setOriginalNode( setTextRange( factory2.createAssignment( createMemberAccessForPropertyName( factory2, receiver, property.name, /*location*/ property.name ), factory2.cloneNode(property.name) ), /*location*/ property ), /*original*/ property ); } function createExpressionForMethodDeclaration(factory2, method, receiver) { return setOriginalNode( setTextRange( factory2.createAssignment( createMemberAccessForPropertyName( factory2, receiver, method.name, /*location*/ method.name ), setOriginalNode( setTextRange( factory2.createFunctionExpression( getModifiers(method), method.asteriskToken, /*name*/ void 0, /*typeParameters*/ void 0, method.parameters, /*type*/ void 0, method.body // TODO: GH#18217 ), /*location*/ method ), /*original*/ method ) ), /*location*/ method ), /*original*/ method ); } function createExpressionForObjectLiteralElementLike(factory2, node, property, receiver) { if (property.name && isPrivateIdentifier(property.name)) { Debug.failBadSyntaxKind(property.name, "Private identifiers are not allowed in object literals."); } switch (property.kind) { case 177: case 178: return createExpressionForAccessorDeclaration(factory2, node.properties, property, receiver, !!node.multiLine); case 303: return createExpressionForPropertyAssignment(factory2, property, receiver); case 304: return createExpressionForShorthandPropertyAssignment(factory2, property, receiver); case 174: return createExpressionForMethodDeclaration(factory2, property, receiver); } } function expandPreOrPostfixIncrementOrDecrementExpression(factory2, node, expression, recordTempVariable, resultVariable) { const operator = node.operator; Debug.assert(operator === 46 || operator === 47, "Expected 'node' to be a pre- or post-increment or pre- or post-decrement expression"); const temp = factory2.createTempVariable(recordTempVariable); expression = factory2.createAssignment(temp, expression); setTextRange(expression, node.operand); let operation = isPrefixUnaryExpression(node) ? factory2.createPrefixUnaryExpression(operator, temp) : factory2.createPostfixUnaryExpression(temp, operator); setTextRange(operation, node); if (resultVariable) { operation = factory2.createAssignment(resultVariable, operation); setTextRange(operation, node); } expression = factory2.createComma(expression, operation); setTextRange(expression, node); if (isPostfixUnaryExpression(node)) { expression = factory2.createComma(expression, temp); setTextRange(expression, node); } return expression; } function isInternalName(node) { return (getEmitFlags(node) & 65536) !== 0; } function isLocalName(node) { return (getEmitFlags(node) & 32768) !== 0; } function isExportName(node) { return (getEmitFlags(node) & 16384) !== 0; } function isUseStrictPrologue(node) { return isStringLiteral2(node.expression) && node.expression.text === "use strict"; } function findUseStrictPrologue(statements) { for (const statement of statements) { if (isPrologueDirective(statement)) { if (isUseStrictPrologue(statement)) { return statement; } } else { break; } } return void 0; } function startsWithUseStrict(statements) { const firstStatement = firstOrUndefined(statements); return firstStatement !== void 0 && isPrologueDirective(firstStatement) && isUseStrictPrologue(firstStatement); } function isCommaExpression(node) { return node.kind === 226 && node.operatorToken.kind === 28; } function isCommaSequence(node) { return isCommaExpression(node) || isCommaListExpression(node); } function isJSDocTypeAssertion(node) { return isParenthesizedExpression(node) && isInJSFile(node) && !!getJSDocTypeTag(node); } function getJSDocTypeAssertionType(node) { const type = getJSDocType(node); Debug.assertIsDefined(type); return type; } function isOuterExpression(node, kinds = 15) { switch (node.kind) { case 217: if (kinds & 16 && isJSDocTypeAssertion(node)) { return false; } return (kinds & 1) !== 0; case 216: case 234: case 233: case 238: return (kinds & 2) !== 0; case 235: return (kinds & 4) !== 0; case 354: return (kinds & 8) !== 0; } return false; } function skipOuterExpressions(node, kinds = 15) { while (isOuterExpression(node, kinds)) { node = node.expression; } return node; } function walkUpOuterExpressions(node, kinds = 15) { let parent2 = node.parent; while (isOuterExpression(parent2, kinds)) { parent2 = parent2.parent; Debug.assert(parent2); } return parent2; } function skipAssertions(node) { return skipOuterExpressions( node, 6 /* Assertions */ ); } function startOnNewLine(node) { return setStartsOnNewLine( node, /*newLine*/ true ); } function getExternalHelpersModuleName(node) { const parseNode = getOriginalNode(node, isSourceFile); const emitNode = parseNode && parseNode.emitNode; return emitNode && emitNode.externalHelpersModuleName; } function hasRecordedExternalHelpers(sourceFile) { const parseNode = getOriginalNode(sourceFile, isSourceFile); const emitNode = parseNode && parseNode.emitNode; return !!emitNode && (!!emitNode.externalHelpersModuleName || !!emitNode.externalHelpers); } function createExternalHelpersImportDeclarationIfNeeded(nodeFactory, helperFactory, sourceFile, compilerOptions, hasExportStarsToExportValues, hasImportStar, hasImportDefault) { if (compilerOptions.importHelpers && isEffectiveExternalModule(sourceFile, compilerOptions)) { let namedBindings; const moduleKind = getEmitModuleKind(compilerOptions); if (moduleKind >= 5 && moduleKind <= 99 || sourceFile.impliedNodeFormat === 99) { const helpers = getEmitHelpers(sourceFile); if (helpers) { const helperNames = []; for (const helper of helpers) { if (!helper.scoped) { const importName = helper.importName; if (importName) { pushIfUnique(helperNames, importName); } } } if (some(helperNames)) { helperNames.sort(compareStringsCaseSensitive); namedBindings = nodeFactory.createNamedImports( map(helperNames, (name) => isFileLevelUniqueName(sourceFile, name) ? nodeFactory.createImportSpecifier( /*isTypeOnly*/ false, /*propertyName*/ void 0, nodeFactory.createIdentifier(name) ) : nodeFactory.createImportSpecifier( /*isTypeOnly*/ false, nodeFactory.createIdentifier(name), helperFactory.getUnscopedHelperName(name) )) ); const parseNode = getOriginalNode(sourceFile, isSourceFile); const emitNode = getOrCreateEmitNode(parseNode); emitNode.externalHelpers = true; } } } else { const externalHelpersModuleName = getOrCreateExternalHelpersModuleNameIfNeeded(nodeFactory, sourceFile, compilerOptions, hasExportStarsToExportValues, hasImportStar || hasImportDefault); if (externalHelpersModuleName) { namedBindings = nodeFactory.createNamespaceImport(externalHelpersModuleName); } } if (namedBindings) { const externalHelpersImportDeclaration = nodeFactory.createImportDeclaration( /*modifiers*/ void 0, nodeFactory.createImportClause( /*isTypeOnly*/ false, /*name*/ void 0, namedBindings ), nodeFactory.createStringLiteral(externalHelpersModuleNameText), /*attributes*/ void 0 ); addInternalEmitFlags( externalHelpersImportDeclaration, 2 /* NeverApplyImportHelper */ ); return externalHelpersImportDeclaration; } } } function getOrCreateExternalHelpersModuleNameIfNeeded(factory2, node, compilerOptions, hasExportStarsToExportValues, hasImportStarOrImportDefault) { if (compilerOptions.importHelpers && isEffectiveExternalModule(node, compilerOptions)) { const externalHelpersModuleName = getExternalHelpersModuleName(node); if (externalHelpersModuleName) { return externalHelpersModuleName; } const moduleKind = getEmitModuleKind(compilerOptions); let create119 = (hasExportStarsToExportValues || getESModuleInterop(compilerOptions) && hasImportStarOrImportDefault) && moduleKind !== 4 && (moduleKind < 5 || node.impliedNodeFormat === 1); if (!create119) { const helpers = getEmitHelpers(node); if (helpers) { for (const helper of helpers) { if (!helper.scoped) { create119 = true; break; } } } } if (create119) { const parseNode = getOriginalNode(node, isSourceFile); const emitNode = getOrCreateEmitNode(parseNode); return emitNode.externalHelpersModuleName || (emitNode.externalHelpersModuleName = factory2.createUniqueName(externalHelpersModuleNameText)); } } } function getLocalNameForExternalImport(factory2, node, sourceFile) { const namespaceDeclaration = getNamespaceDeclarationNode(node); if (namespaceDeclaration && !isDefaultImport(node) && !isExportNamespaceAsDefaultDeclaration(node)) { const name = namespaceDeclaration.name; return isGeneratedIdentifier(name) ? name : factory2.createIdentifier(getSourceTextOfNodeFromSourceFile(sourceFile, name) || idText(name)); } if (node.kind === 272 && node.importClause) { return factory2.getGeneratedNameForNode(node); } if (node.kind === 278 && node.moduleSpecifier) { return factory2.getGeneratedNameForNode(node); } return void 0; } function getExternalModuleNameLiteral(factory2, importNode, sourceFile, host, resolver, compilerOptions) { const moduleName = getExternalModuleName(importNode); if (moduleName && isStringLiteral2(moduleName)) { return tryGetModuleNameFromDeclaration(importNode, host, factory2, resolver, compilerOptions) || tryRenameExternalModule(factory2, moduleName, sourceFile) || factory2.cloneNode(moduleName); } return void 0; } function tryRenameExternalModule(factory2, moduleName, sourceFile) { const rename = sourceFile.renamedDependencies && sourceFile.renamedDependencies.get(moduleName.text); return rename ? factory2.createStringLiteral(rename) : void 0; } function tryGetModuleNameFromFile(factory2, file, host, options) { if (!file) { return void 0; } if (file.moduleName) { return factory2.createStringLiteral(file.moduleName); } if (!file.isDeclarationFile && options.outFile) { return factory2.createStringLiteral(getExternalModuleNameFromPath(host, file.fileName)); } return void 0; } function tryGetModuleNameFromDeclaration(declaration, host, factory2, resolver, compilerOptions) { return tryGetModuleNameFromFile(factory2, resolver.getExternalModuleFileFromDeclaration(declaration), host, compilerOptions); } function getInitializerOfBindingOrAssignmentElement(bindingElement) { if (isDeclarationBindingElement(bindingElement)) { return bindingElement.initializer; } if (isPropertyAssignment(bindingElement)) { const initializer = bindingElement.initializer; return isAssignmentExpression2( initializer, /*excludeCompoundAssignment*/ true ) ? initializer.right : void 0; } if (isShorthandPropertyAssignment(bindingElement)) { return bindingElement.objectAssignmentInitializer; } if (isAssignmentExpression2( bindingElement, /*excludeCompoundAssignment*/ true )) { return bindingElement.right; } if (isSpreadElement(bindingElement)) { return getInitializerOfBindingOrAssignmentElement(bindingElement.expression); } } function getTargetOfBindingOrAssignmentElement(bindingElement) { if (isDeclarationBindingElement(bindingElement)) { return bindingElement.name; } if (isObjectLiteralElementLike(bindingElement)) { switch (bindingElement.kind) { case 303: return getTargetOfBindingOrAssignmentElement(bindingElement.initializer); case 304: return bindingElement.name; case 305: return getTargetOfBindingOrAssignmentElement(bindingElement.expression); } return void 0; } if (isAssignmentExpression2( bindingElement, /*excludeCompoundAssignment*/ true )) { return getTargetOfBindingOrAssignmentElement(bindingElement.left); } if (isSpreadElement(bindingElement)) { return getTargetOfBindingOrAssignmentElement(bindingElement.expression); } return bindingElement; } function getRestIndicatorOfBindingOrAssignmentElement(bindingElement) { switch (bindingElement.kind) { case 169: case 208: return bindingElement.dotDotDotToken; case 230: case 305: return bindingElement; } return void 0; } function getPropertyNameOfBindingOrAssignmentElement(bindingElement) { const propertyName = tryGetPropertyNameOfBindingOrAssignmentElement(bindingElement); Debug.assert(!!propertyName || isSpreadAssignment(bindingElement), "Invalid property name for binding element."); return propertyName; } function tryGetPropertyNameOfBindingOrAssignmentElement(bindingElement) { switch (bindingElement.kind) { case 208: if (bindingElement.propertyName) { const propertyName = bindingElement.propertyName; if (isPrivateIdentifier(propertyName)) { return Debug.failBadSyntaxKind(propertyName); } return isComputedPropertyName(propertyName) && isStringOrNumericLiteral(propertyName.expression) ? propertyName.expression : propertyName; } break; case 303: if (bindingElement.name) { const propertyName = bindingElement.name; if (isPrivateIdentifier(propertyName)) { return Debug.failBadSyntaxKind(propertyName); } return isComputedPropertyName(propertyName) && isStringOrNumericLiteral(propertyName.expression) ? propertyName.expression : propertyName; } break; case 305: if (bindingElement.name && isPrivateIdentifier(bindingElement.name)) { return Debug.failBadSyntaxKind(bindingElement.name); } return bindingElement.name; } const target = getTargetOfBindingOrAssignmentElement(bindingElement); if (target && isPropertyName(target)) { return target; } } function isStringOrNumericLiteral(node) { const kind = node.kind; return kind === 11 || kind === 9; } function getElementsOfBindingOrAssignmentPattern(name) { switch (name.kind) { case 206: case 207: case 209: return name.elements; case 210: return name.properties; } } function getJSDocTypeAliasName(fullName) { if (fullName) { let rightNode = fullName; while (true) { if (isIdentifier(rightNode) || !rightNode.body) { return isIdentifier(rightNode) ? rightNode : rightNode.name; } rightNode = rightNode.body; } } } function canHaveIllegalType(node) { const kind = node.kind; return kind === 176 || kind === 178; } function canHaveIllegalTypeParameters(node) { const kind = node.kind; return kind === 176 || kind === 177 || kind === 178; } function canHaveIllegalDecorators(node) { const kind = node.kind; return kind === 303 || kind === 304 || kind === 262 || kind === 176 || kind === 181 || kind === 175 || kind === 282 || kind === 243 || kind === 264 || kind === 265 || kind === 266 || kind === 267 || kind === 271 || kind === 272 || kind === 270 || kind === 278 || kind === 277; } function canHaveIllegalModifiers(node) { const kind = node.kind; return kind === 175 || kind === 303 || kind === 304 || kind === 282 || kind === 270; } function isQuestionOrExclamationToken(node) { return isQuestionToken(node) || isExclamationToken(node); } function isIdentifierOrThisTypeNode(node) { return isIdentifier(node) || isThisTypeNode(node); } function isReadonlyKeywordOrPlusOrMinusToken(node) { return isReadonlyKeyword(node) || isPlusToken(node) || isMinusToken(node); } function isQuestionOrPlusOrMinusToken(node) { return isQuestionToken(node) || isPlusToken(node) || isMinusToken(node); } function isModuleName(node) { return isIdentifier(node) || isStringLiteral2(node); } function isLiteralTypeLikeExpression(node) { const kind = node.kind; return kind === 106 || kind === 112 || kind === 97 || isLiteralExpression(node) || isPrefixUnaryExpression(node); } function isExponentiationOperator(kind) { return kind === 43; } function isMultiplicativeOperator(kind) { return kind === 42 || kind === 44 || kind === 45; } function isMultiplicativeOperatorOrHigher(kind) { return isExponentiationOperator(kind) || isMultiplicativeOperator(kind); } function isAdditiveOperator(kind) { return kind === 40 || kind === 41; } function isAdditiveOperatorOrHigher(kind) { return isAdditiveOperator(kind) || isMultiplicativeOperatorOrHigher(kind); } function isShiftOperator(kind) { return kind === 48 || kind === 49 || kind === 50; } function isShiftOperatorOrHigher(kind) { return isShiftOperator(kind) || isAdditiveOperatorOrHigher(kind); } function isRelationalOperator(kind) { return kind === 30 || kind === 33 || kind === 32 || kind === 34 || kind === 104 || kind === 103; } function isRelationalOperatorOrHigher(kind) { return isRelationalOperator(kind) || isShiftOperatorOrHigher(kind); } function isEqualityOperator(kind) { return kind === 35 || kind === 37 || kind === 36 || kind === 38; } function isEqualityOperatorOrHigher(kind) { return isEqualityOperator(kind) || isRelationalOperatorOrHigher(kind); } function isBitwiseOperator(kind) { return kind === 51 || kind === 52 || kind === 53; } function isBitwiseOperatorOrHigher(kind) { return isBitwiseOperator(kind) || isEqualityOperatorOrHigher(kind); } function isLogicalOperator2(kind) { return kind === 56 || kind === 57; } function isLogicalOperatorOrHigher(kind) { return isLogicalOperator2(kind) || isBitwiseOperatorOrHigher(kind); } function isAssignmentOperatorOrHigher(kind) { return kind === 61 || isLogicalOperatorOrHigher(kind) || isAssignmentOperator(kind); } function isBinaryOperator(kind) { return isAssignmentOperatorOrHigher(kind) || kind === 28; } function isBinaryOperatorToken(node) { return isBinaryOperator(node.kind); } var BinaryExpressionState; ((BinaryExpressionState2) => { function enter(machine, stackIndex, stateStack, nodeStack, userStateStack, _resultHolder, outerState) { const prevUserState = stackIndex > 0 ? userStateStack[stackIndex - 1] : void 0; Debug.assertEqual(stateStack[stackIndex], enter); userStateStack[stackIndex] = machine.onEnter(nodeStack[stackIndex], prevUserState, outerState); stateStack[stackIndex] = nextState(machine, enter); return stackIndex; } BinaryExpressionState2.enter = enter; function left(machine, stackIndex, stateStack, nodeStack, userStateStack, _resultHolder, _outerState) { Debug.assertEqual(stateStack[stackIndex], left); Debug.assertIsDefined(machine.onLeft); stateStack[stackIndex] = nextState(machine, left); const nextNode = machine.onLeft(nodeStack[stackIndex].left, userStateStack[stackIndex], nodeStack[stackIndex]); if (nextNode) { checkCircularity(stackIndex, nodeStack, nextNode); return pushStack(stackIndex, stateStack, nodeStack, userStateStack, nextNode); } return stackIndex; } BinaryExpressionState2.left = left; function operator(machine, stackIndex, stateStack, nodeStack, userStateStack, _resultHolder, _outerState) { Debug.assertEqual(stateStack[stackIndex], operator); Debug.assertIsDefined(machine.onOperator); stateStack[stackIndex] = nextState(machine, operator); machine.onOperator(nodeStack[stackIndex].operatorToken, userStateStack[stackIndex], nodeStack[stackIndex]); return stackIndex; } BinaryExpressionState2.operator = operator; function right(machine, stackIndex, stateStack, nodeStack, userStateStack, _resultHolder, _outerState) { Debug.assertEqual(stateStack[stackIndex], right); Debug.assertIsDefined(machine.onRight); stateStack[stackIndex] = nextState(machine, right); const nextNode = machine.onRight(nodeStack[stackIndex].right, userStateStack[stackIndex], nodeStack[stackIndex]); if (nextNode) { checkCircularity(stackIndex, nodeStack, nextNode); return pushStack(stackIndex, stateStack, nodeStack, userStateStack, nextNode); } return stackIndex; } BinaryExpressionState2.right = right; function exit(machine, stackIndex, stateStack, nodeStack, userStateStack, resultHolder, _outerState) { Debug.assertEqual(stateStack[stackIndex], exit); stateStack[stackIndex] = nextState(machine, exit); const result = machine.onExit(nodeStack[stackIndex], userStateStack[stackIndex]); if (stackIndex > 0) { stackIndex--; if (machine.foldState) { const side = stateStack[stackIndex] === exit ? "right" : "left"; userStateStack[stackIndex] = machine.foldState(userStateStack[stackIndex], result, side); } } else { resultHolder.value = result; } return stackIndex; } BinaryExpressionState2.exit = exit; function done(_machine, stackIndex, stateStack, _nodeStack, _userStateStack, _resultHolder, _outerState) { Debug.assertEqual(stateStack[stackIndex], done); return stackIndex; } BinaryExpressionState2.done = done; function nextState(machine, currentState) { switch (currentState) { case enter: if (machine.onLeft) return left; case left: if (machine.onOperator) return operator; case operator: if (machine.onRight) return right; case right: return exit; case exit: return done; case done: return done; default: Debug.fail("Invalid state"); } } BinaryExpressionState2.nextState = nextState; function pushStack(stackIndex, stateStack, nodeStack, userStateStack, node) { stackIndex++; stateStack[stackIndex] = enter; nodeStack[stackIndex] = node; userStateStack[stackIndex] = void 0; return stackIndex; } function checkCircularity(stackIndex, nodeStack, node) { if (Debug.shouldAssert( 2 /* Aggressive */ )) { while (stackIndex >= 0) { Debug.assert(nodeStack[stackIndex] !== node, "Circular traversal detected."); stackIndex--; } } } })(BinaryExpressionState || (BinaryExpressionState = {})); var BinaryExpressionStateMachine = class { constructor(onEnter, onLeft, onOperator, onRight, onExit, foldState) { this.onEnter = onEnter; this.onLeft = onLeft; this.onOperator = onOperator; this.onRight = onRight; this.onExit = onExit; this.foldState = foldState; } }; function createBinaryExpressionTrampoline(onEnter, onLeft, onOperator, onRight, onExit, foldState) { const machine = new BinaryExpressionStateMachine(onEnter, onLeft, onOperator, onRight, onExit, foldState); return trampoline; function trampoline(node, outerState) { const resultHolder = { value: void 0 }; const stateStack = [BinaryExpressionState.enter]; const nodeStack = [node]; const userStateStack = [void 0]; let stackIndex = 0; while (stateStack[stackIndex] !== BinaryExpressionState.done) { stackIndex = stateStack[stackIndex](machine, stackIndex, stateStack, nodeStack, userStateStack, resultHolder, outerState); } Debug.assertEqual(stackIndex, 0); return resultHolder.value; } } function isExportOrDefaultKeywordKind(kind) { return kind === 95 || kind === 90; } function isExportOrDefaultModifier(node) { const kind = node.kind; return isExportOrDefaultKeywordKind(kind); } function isNonExportDefaultModifier(node) { const kind = node.kind; return isModifierKind(kind) && !isExportOrDefaultKeywordKind(kind); } function elideNodes(factory2, nodes) { if (nodes === void 0) return void 0; if (nodes.length === 0) return nodes; return setTextRange(factory2.createNodeArray([], nodes.hasTrailingComma), nodes); } function getNodeForGeneratedName(name) { var _a; const autoGenerate = name.emitNode.autoGenerate; if (autoGenerate.flags & 4) { const autoGenerateId = autoGenerate.id; let node = name; let original = node.original; while (original) { node = original; const autoGenerate2 = (_a = node.emitNode) == null ? void 0 : _a.autoGenerate; if (isMemberName(node) && (autoGenerate2 === void 0 || !!(autoGenerate2.flags & 4) && autoGenerate2.id !== autoGenerateId)) { break; } original = node.original; } return node; } return name; } function formatGeneratedNamePart(part, generateName) { return typeof part === "object" ? formatGeneratedName( /*privateName*/ false, part.prefix, part.node, part.suffix, generateName ) : typeof part === "string" ? part.length > 0 && part.charCodeAt(0) === 35 ? part.slice(1) : part : ""; } function formatIdentifier(name, generateName) { return typeof name === "string" ? name : formatIdentifierWorker(name, Debug.checkDefined(generateName)); } function formatIdentifierWorker(node, generateName) { return isGeneratedPrivateIdentifier(node) ? generateName(node).slice(1) : isGeneratedIdentifier(node) ? generateName(node) : isPrivateIdentifier(node) ? node.escapedText.slice(1) : idText(node); } function formatGeneratedName(privateName, prefix, baseName, suffix, generateName) { prefix = formatGeneratedNamePart(prefix, generateName); suffix = formatGeneratedNamePart(suffix, generateName); baseName = formatIdentifier(baseName, generateName); return `${privateName ? "#" : ""}${prefix}${baseName}${suffix}`; } function createAccessorPropertyBackingField(factory2, node, modifiers, initializer) { return factory2.updatePropertyDeclaration( node, modifiers, factory2.getGeneratedPrivateNameForNode( node.name, /*prefix*/ void 0, "_accessor_storage" ), /*questionOrExclamationToken*/ void 0, /*type*/ void 0, initializer ); } function createAccessorPropertyGetRedirector(factory2, node, modifiers, name, receiver = factory2.createThis()) { return factory2.createGetAccessorDeclaration( modifiers, name, [], /*type*/ void 0, factory2.createBlock([ factory2.createReturnStatement( factory2.createPropertyAccessExpression( receiver, factory2.getGeneratedPrivateNameForNode( node.name, /*prefix*/ void 0, "_accessor_storage" ) ) ) ]) ); } function createAccessorPropertySetRedirector(factory2, node, modifiers, name, receiver = factory2.createThis()) { return factory2.createSetAccessorDeclaration( modifiers, name, [factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, "value" )], factory2.createBlock([ factory2.createExpressionStatement( factory2.createAssignment( factory2.createPropertyAccessExpression( receiver, factory2.getGeneratedPrivateNameForNode( node.name, /*prefix*/ void 0, "_accessor_storage" ) ), factory2.createIdentifier("value") ) ) ]) ); } function findComputedPropertyNameCacheAssignment(name) { let node = name.expression; while (true) { node = skipOuterExpressions(node); if (isCommaListExpression(node)) { node = last(node.elements); continue; } if (isCommaExpression(node)) { node = node.right; continue; } if (isAssignmentExpression2( node, /*excludeCompoundAssignment*/ true ) && isGeneratedIdentifier(node.left)) { return node; } break; } } function isSyntheticParenthesizedExpression(node) { return isParenthesizedExpression(node) && nodeIsSynthesized(node) && !node.emitNode; } function flattenCommaListWorker(node, expressions) { if (isSyntheticParenthesizedExpression(node)) { flattenCommaListWorker(node.expression, expressions); } else if (isCommaExpression(node)) { flattenCommaListWorker(node.left, expressions); flattenCommaListWorker(node.right, expressions); } else if (isCommaListExpression(node)) { for (const child of node.elements) { flattenCommaListWorker(child, expressions); } } else { expressions.push(node); } } function flattenCommaList(node) { const expressions = []; flattenCommaListWorker(node, expressions); return expressions; } function containsObjectRestOrSpread(node) { if (node.transformFlags & 65536) return true; if (node.transformFlags & 128) { for (const element of getElementsOfBindingOrAssignmentPattern(node)) { const target = getTargetOfBindingOrAssignmentElement(element); if (target && isAssignmentPattern(target)) { if (target.transformFlags & 65536) { return true; } if (target.transformFlags & 128) { if (containsObjectRestOrSpread(target)) return true; } } } } return false; } function setTextRange(range, location) { return location ? setTextRangePosEnd(range, location.pos, location.end) : range; } function canHaveModifiers(node) { const kind = node.kind; return kind === 168 || kind === 169 || kind === 171 || kind === 172 || kind === 173 || kind === 174 || kind === 176 || kind === 177 || kind === 178 || kind === 181 || kind === 185 || kind === 218 || kind === 219 || kind === 231 || kind === 243 || kind === 262 || kind === 263 || kind === 264 || kind === 265 || kind === 266 || kind === 267 || kind === 271 || kind === 272 || kind === 277 || kind === 278; } function canHaveDecorators(node) { const kind = node.kind; return kind === 169 || kind === 172 || kind === 174 || kind === 177 || kind === 178 || kind === 231 || kind === 263; } var NodeConstructor; var TokenConstructor; var IdentifierConstructor; var PrivateIdentifierConstructor; var SourceFileConstructor; var parseBaseNodeFactory = { createBaseSourceFileNode: (kind) => new (SourceFileConstructor || (SourceFileConstructor = objectAllocator.getSourceFileConstructor()))(kind, -1, -1), createBaseIdentifierNode: (kind) => new (IdentifierConstructor || (IdentifierConstructor = objectAllocator.getIdentifierConstructor()))(kind, -1, -1), createBasePrivateIdentifierNode: (kind) => new (PrivateIdentifierConstructor || (PrivateIdentifierConstructor = objectAllocator.getPrivateIdentifierConstructor()))(kind, -1, -1), createBaseTokenNode: (kind) => new (TokenConstructor || (TokenConstructor = objectAllocator.getTokenConstructor()))(kind, -1, -1), createBaseNode: (kind) => new (NodeConstructor || (NodeConstructor = objectAllocator.getNodeConstructor()))(kind, -1, -1) }; var parseNodeFactory = createNodeFactory(1, parseBaseNodeFactory); function visitNode2(cbNode, node) { return node && cbNode(node); } function visitNodes(cbNode, cbNodes, nodes) { if (nodes) { if (cbNodes) { return cbNodes(nodes); } for (const node of nodes) { const result = cbNode(node); if (result) { return result; } } } } function isJSDocLikeText(text, start) { return text.charCodeAt(start + 1) === 42 && text.charCodeAt(start + 2) === 42 && text.charCodeAt(start + 3) !== 47; } function isFileProbablyExternalModule(sourceFile) { return forEach(sourceFile.statements, isAnExternalModuleIndicatorNode) || getImportMetaIfNecessary(sourceFile); } function isAnExternalModuleIndicatorNode(node) { return canHaveModifiers(node) && hasModifierOfKind( node, 95 /* ExportKeyword */ ) || isImportEqualsDeclaration(node) && isExternalModuleReference(node.moduleReference) || isImportDeclaration(node) || isExportAssignment(node) || isExportDeclaration(node) ? node : void 0; } function getImportMetaIfNecessary(sourceFile) { return sourceFile.flags & 8388608 ? walkTreeForImportMeta(sourceFile) : void 0; } function walkTreeForImportMeta(node) { return isImportMeta2(node) ? node : forEachChild(node, walkTreeForImportMeta); } function hasModifierOfKind(node, kind) { return some(node.modifiers, (m) => m.kind === kind); } function isImportMeta2(node) { return isMetaProperty(node) && node.keywordToken === 102 && node.name.escapedText === "meta"; } var forEachChildTable = { [ 166 /* QualifiedName */ ]: function forEachChildInQualifiedName(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.left) || visitNode2(cbNode, node.right); }, [ 168 /* TypeParameter */ ]: function forEachChildInTypeParameter(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.constraint) || visitNode2(cbNode, node.default) || visitNode2(cbNode, node.expression); }, [ 304 /* ShorthandPropertyAssignment */ ]: function forEachChildInShorthandPropertyAssignment(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.exclamationToken) || visitNode2(cbNode, node.equalsToken) || visitNode2(cbNode, node.objectAssignmentInitializer); }, [ 305 /* SpreadAssignment */ ]: function forEachChildInSpreadAssignment(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [ 169 /* Parameter */ ]: function forEachChildInParameter(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.dotDotDotToken) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.initializer); }, [ 172 /* PropertyDeclaration */ ]: function forEachChildInPropertyDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.exclamationToken) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.initializer); }, [ 171 /* PropertySignature */ ]: function forEachChildInPropertySignature(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.initializer); }, [ 303 /* PropertyAssignment */ ]: function forEachChildInPropertyAssignment(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.exclamationToken) || visitNode2(cbNode, node.initializer); }, [ 260 /* VariableDeclaration */ ]: function forEachChildInVariableDeclaration(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name) || visitNode2(cbNode, node.exclamationToken) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.initializer); }, [ 208 /* BindingElement */ ]: function forEachChildInBindingElement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.dotDotDotToken) || visitNode2(cbNode, node.propertyName) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.initializer); }, [ 181 /* IndexSignature */ ]: function forEachChildInIndexSignature(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type); }, [ 185 /* ConstructorType */ ]: function forEachChildInConstructorType(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type); }, [ 184 /* FunctionType */ ]: function forEachChildInFunctionType(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type); }, [ 179 /* CallSignature */ ]: forEachChildInCallOrConstructSignature, [ 180 /* ConstructSignature */ ]: forEachChildInCallOrConstructSignature, [ 174 /* MethodDeclaration */ ]: function forEachChildInMethodDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.asteriskToken) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.exclamationToken) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.body); }, [ 173 /* MethodSignature */ ]: function forEachChildInMethodSignature(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.questionToken) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type); }, [ 176 /* Constructor */ ]: function forEachChildInConstructor(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.body); }, [ 177 /* GetAccessor */ ]: function forEachChildInGetAccessor(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.body); }, [ 178 /* SetAccessor */ ]: function forEachChildInSetAccessor(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.body); }, [ 262 /* FunctionDeclaration */ ]: function forEachChildInFunctionDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.asteriskToken) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.body); }, [ 218 /* FunctionExpression */ ]: function forEachChildInFunctionExpression(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.asteriskToken) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.body); }, [ 219 /* ArrowFunction */ ]: function forEachChildInArrowFunction(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.equalsGreaterThanToken) || visitNode2(cbNode, node.body); }, [ 175 /* ClassStaticBlockDeclaration */ ]: function forEachChildInClassStaticBlockDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.body); }, [ 183 /* TypeReference */ ]: function forEachChildInTypeReference(node, cbNode, cbNodes) { return visitNode2(cbNode, node.typeName) || visitNodes(cbNode, cbNodes, node.typeArguments); }, [ 182 /* TypePredicate */ ]: function forEachChildInTypePredicate(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.assertsModifier) || visitNode2(cbNode, node.parameterName) || visitNode2(cbNode, node.type); }, [ 186 /* TypeQuery */ ]: function forEachChildInTypeQuery(node, cbNode, cbNodes) { return visitNode2(cbNode, node.exprName) || visitNodes(cbNode, cbNodes, node.typeArguments); }, [ 187 /* TypeLiteral */ ]: function forEachChildInTypeLiteral(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.members); }, [ 188 /* ArrayType */ ]: function forEachChildInArrayType(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.elementType); }, [ 189 /* TupleType */ ]: function forEachChildInTupleType(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.elements); }, [ 192 /* UnionType */ ]: forEachChildInUnionOrIntersectionType, [ 193 /* IntersectionType */ ]: forEachChildInUnionOrIntersectionType, [ 194 /* ConditionalType */ ]: function forEachChildInConditionalType(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.checkType) || visitNode2(cbNode, node.extendsType) || visitNode2(cbNode, node.trueType) || visitNode2(cbNode, node.falseType); }, [ 195 /* InferType */ ]: function forEachChildInInferType(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.typeParameter); }, [ 205 /* ImportType */ ]: function forEachChildInImportType(node, cbNode, cbNodes) { return visitNode2(cbNode, node.argument) || visitNode2(cbNode, node.attributes) || visitNode2(cbNode, node.qualifier) || visitNodes(cbNode, cbNodes, node.typeArguments); }, [ 302 /* ImportTypeAssertionContainer */ ]: function forEachChildInImportTypeAssertionContainer(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.assertClause); }, [ 196 /* ParenthesizedType */ ]: forEachChildInParenthesizedTypeOrTypeOperator, [ 198 /* TypeOperator */ ]: forEachChildInParenthesizedTypeOrTypeOperator, [ 199 /* IndexedAccessType */ ]: function forEachChildInIndexedAccessType(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.objectType) || visitNode2(cbNode, node.indexType); }, [ 200 /* MappedType */ ]: function forEachChildInMappedType(node, cbNode, cbNodes) { return visitNode2(cbNode, node.readonlyToken) || visitNode2(cbNode, node.typeParameter) || visitNode2(cbNode, node.nameType) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.type) || visitNodes(cbNode, cbNodes, node.members); }, [ 201 /* LiteralType */ ]: function forEachChildInLiteralType(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.literal); }, [ 202 /* NamedTupleMember */ ]: function forEachChildInNamedTupleMember(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.dotDotDotToken) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.type); }, [ 206 /* ObjectBindingPattern */ ]: forEachChildInObjectOrArrayBindingPattern, [ 207 /* ArrayBindingPattern */ ]: forEachChildInObjectOrArrayBindingPattern, [ 209 /* ArrayLiteralExpression */ ]: function forEachChildInArrayLiteralExpression(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.elements); }, [ 210 /* ObjectLiteralExpression */ ]: function forEachChildInObjectLiteralExpression(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.properties); }, [ 211 /* PropertyAccessExpression */ ]: function forEachChildInPropertyAccessExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.questionDotToken) || visitNode2(cbNode, node.name); }, [ 212 /* ElementAccessExpression */ ]: function forEachChildInElementAccessExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.questionDotToken) || visitNode2(cbNode, node.argumentExpression); }, [ 213 /* CallExpression */ ]: forEachChildInCallOrNewExpression, [ 214 /* NewExpression */ ]: forEachChildInCallOrNewExpression, [ 215 /* TaggedTemplateExpression */ ]: function forEachChildInTaggedTemplateExpression(node, cbNode, cbNodes) { return visitNode2(cbNode, node.tag) || visitNode2(cbNode, node.questionDotToken) || visitNodes(cbNode, cbNodes, node.typeArguments) || visitNode2(cbNode, node.template); }, [ 216 /* TypeAssertionExpression */ ]: function forEachChildInTypeAssertionExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.type) || visitNode2(cbNode, node.expression); }, [ 217 /* ParenthesizedExpression */ ]: function forEachChildInParenthesizedExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [ 220 /* DeleteExpression */ ]: function forEachChildInDeleteExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [ 221 /* TypeOfExpression */ ]: function forEachChildInTypeOfExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [ 222 /* VoidExpression */ ]: function forEachChildInVoidExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [ 224 /* PrefixUnaryExpression */ ]: function forEachChildInPrefixUnaryExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.operand); }, [ 229 /* YieldExpression */ ]: function forEachChildInYieldExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.asteriskToken) || visitNode2(cbNode, node.expression); }, [ 223 /* AwaitExpression */ ]: function forEachChildInAwaitExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [ 225 /* PostfixUnaryExpression */ ]: function forEachChildInPostfixUnaryExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.operand); }, [ 226 /* BinaryExpression */ ]: function forEachChildInBinaryExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.left) || visitNode2(cbNode, node.operatorToken) || visitNode2(cbNode, node.right); }, [ 234 /* AsExpression */ ]: function forEachChildInAsExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.type); }, [ 235 /* NonNullExpression */ ]: function forEachChildInNonNullExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [ 238 /* SatisfiesExpression */ ]: function forEachChildInSatisfiesExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.type); }, [ 236 /* MetaProperty */ ]: function forEachChildInMetaProperty(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name); }, [ 227 /* ConditionalExpression */ ]: function forEachChildInConditionalExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.condition) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.whenTrue) || visitNode2(cbNode, node.colonToken) || visitNode2(cbNode, node.whenFalse); }, [ 230 /* SpreadElement */ ]: function forEachChildInSpreadElement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [ 241 /* Block */ ]: forEachChildInBlock, [ 268 /* ModuleBlock */ ]: forEachChildInBlock, [ 307 /* SourceFile */ ]: function forEachChildInSourceFile(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.statements) || visitNode2(cbNode, node.endOfFileToken); }, [ 243 /* VariableStatement */ ]: function forEachChildInVariableStatement(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.declarationList); }, [ 261 /* VariableDeclarationList */ ]: function forEachChildInVariableDeclarationList(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.declarations); }, [ 244 /* ExpressionStatement */ ]: function forEachChildInExpressionStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [ 245 /* IfStatement */ ]: function forEachChildInIfStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.thenStatement) || visitNode2(cbNode, node.elseStatement); }, [ 246 /* DoStatement */ ]: function forEachChildInDoStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.statement) || visitNode2(cbNode, node.expression); }, [ 247 /* WhileStatement */ ]: function forEachChildInWhileStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.statement); }, [ 248 /* ForStatement */ ]: function forEachChildInForStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.initializer) || visitNode2(cbNode, node.condition) || visitNode2(cbNode, node.incrementor) || visitNode2(cbNode, node.statement); }, [ 249 /* ForInStatement */ ]: function forEachChildInForInStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.initializer) || visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.statement); }, [ 250 /* ForOfStatement */ ]: function forEachChildInForOfStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.awaitModifier) || visitNode2(cbNode, node.initializer) || visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.statement); }, [ 251 /* ContinueStatement */ ]: forEachChildInContinueOrBreakStatement, [ 252 /* BreakStatement */ ]: forEachChildInContinueOrBreakStatement, [ 253 /* ReturnStatement */ ]: function forEachChildInReturnStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [ 254 /* WithStatement */ ]: function forEachChildInWithStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.statement); }, [ 255 /* SwitchStatement */ ]: function forEachChildInSwitchStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.caseBlock); }, [ 269 /* CaseBlock */ ]: function forEachChildInCaseBlock(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.clauses); }, [ 296 /* CaseClause */ ]: function forEachChildInCaseClause(node, cbNode, cbNodes) { return visitNode2(cbNode, node.expression) || visitNodes(cbNode, cbNodes, node.statements); }, [ 297 /* DefaultClause */ ]: function forEachChildInDefaultClause(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.statements); }, [ 256 /* LabeledStatement */ ]: function forEachChildInLabeledStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.label) || visitNode2(cbNode, node.statement); }, [ 257 /* ThrowStatement */ ]: function forEachChildInThrowStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [ 258 /* TryStatement */ ]: function forEachChildInTryStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.tryBlock) || visitNode2(cbNode, node.catchClause) || visitNode2(cbNode, node.finallyBlock); }, [ 299 /* CatchClause */ ]: function forEachChildInCatchClause(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.variableDeclaration) || visitNode2(cbNode, node.block); }, [ 170 /* Decorator */ ]: function forEachChildInDecorator(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [ 263 /* ClassDeclaration */ ]: forEachChildInClassDeclarationOrExpression, [ 231 /* ClassExpression */ ]: forEachChildInClassDeclarationOrExpression, [ 264 /* InterfaceDeclaration */ ]: function forEachChildInInterfaceDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.heritageClauses) || visitNodes(cbNode, cbNodes, node.members); }, [ 265 /* TypeAliasDeclaration */ ]: function forEachChildInTypeAliasDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNode2(cbNode, node.type); }, [ 266 /* EnumDeclaration */ ]: function forEachChildInEnumDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.members); }, [ 306 /* EnumMember */ ]: function forEachChildInEnumMember(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name) || visitNode2(cbNode, node.initializer); }, [ 267 /* ModuleDeclaration */ ]: function forEachChildInModuleDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.body); }, [ 271 /* ImportEqualsDeclaration */ ]: function forEachChildInImportEqualsDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.moduleReference); }, [ 272 /* ImportDeclaration */ ]: function forEachChildInImportDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.importClause) || visitNode2(cbNode, node.moduleSpecifier) || visitNode2(cbNode, node.attributes); }, [ 273 /* ImportClause */ ]: function forEachChildInImportClause(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name) || visitNode2(cbNode, node.namedBindings); }, [ 300 /* ImportAttributes */ ]: function forEachChildInImportAttributes(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.elements); }, [ 301 /* ImportAttribute */ ]: function forEachChildInImportAttribute(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name) || visitNode2(cbNode, node.value); }, [ 270 /* NamespaceExportDeclaration */ ]: function forEachChildInNamespaceExportDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name); }, [ 274 /* NamespaceImport */ ]: function forEachChildInNamespaceImport(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name); }, [ 280 /* NamespaceExport */ ]: function forEachChildInNamespaceExport(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name); }, [ 275 /* NamedImports */ ]: forEachChildInNamedImportsOrExports, [ 279 /* NamedExports */ ]: forEachChildInNamedImportsOrExports, [ 278 /* ExportDeclaration */ ]: function forEachChildInExportDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.exportClause) || visitNode2(cbNode, node.moduleSpecifier) || visitNode2(cbNode, node.attributes); }, [ 276 /* ImportSpecifier */ ]: forEachChildInImportOrExportSpecifier, [ 281 /* ExportSpecifier */ ]: forEachChildInImportOrExportSpecifier, [ 277 /* ExportAssignment */ ]: function forEachChildInExportAssignment(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.expression); }, [ 228 /* TemplateExpression */ ]: function forEachChildInTemplateExpression(node, cbNode, cbNodes) { return visitNode2(cbNode, node.head) || visitNodes(cbNode, cbNodes, node.templateSpans); }, [ 239 /* TemplateSpan */ ]: function forEachChildInTemplateSpan(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.literal); }, [ 203 /* TemplateLiteralType */ ]: function forEachChildInTemplateLiteralType(node, cbNode, cbNodes) { return visitNode2(cbNode, node.head) || visitNodes(cbNode, cbNodes, node.templateSpans); }, [ 204 /* TemplateLiteralTypeSpan */ ]: function forEachChildInTemplateLiteralTypeSpan(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.type) || visitNode2(cbNode, node.literal); }, [ 167 /* ComputedPropertyName */ ]: function forEachChildInComputedPropertyName(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [ 298 /* HeritageClause */ ]: function forEachChildInHeritageClause(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.types); }, [ 233 /* ExpressionWithTypeArguments */ ]: function forEachChildInExpressionWithTypeArguments(node, cbNode, cbNodes) { return visitNode2(cbNode, node.expression) || visitNodes(cbNode, cbNodes, node.typeArguments); }, [ 283 /* ExternalModuleReference */ ]: function forEachChildInExternalModuleReference(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [ 282 /* MissingDeclaration */ ]: function forEachChildInMissingDeclaration(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers); }, [ 355 /* CommaListExpression */ ]: function forEachChildInCommaListExpression(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.elements); }, [ 284 /* JsxElement */ ]: function forEachChildInJsxElement(node, cbNode, cbNodes) { return visitNode2(cbNode, node.openingElement) || visitNodes(cbNode, cbNodes, node.children) || visitNode2(cbNode, node.closingElement); }, [ 288 /* JsxFragment */ ]: function forEachChildInJsxFragment(node, cbNode, cbNodes) { return visitNode2(cbNode, node.openingFragment) || visitNodes(cbNode, cbNodes, node.children) || visitNode2(cbNode, node.closingFragment); }, [ 285 /* JsxSelfClosingElement */ ]: forEachChildInJsxOpeningOrSelfClosingElement, [ 286 /* JsxOpeningElement */ ]: forEachChildInJsxOpeningOrSelfClosingElement, [ 292 /* JsxAttributes */ ]: function forEachChildInJsxAttributes(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.properties); }, [ 291 /* JsxAttribute */ ]: function forEachChildInJsxAttribute(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name) || visitNode2(cbNode, node.initializer); }, [ 293 /* JsxSpreadAttribute */ ]: function forEachChildInJsxSpreadAttribute(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); }, [ 294 /* JsxExpression */ ]: function forEachChildInJsxExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.dotDotDotToken) || visitNode2(cbNode, node.expression); }, [ 287 /* JsxClosingElement */ ]: function forEachChildInJsxClosingElement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.tagName); }, [ 295 /* JsxNamespacedName */ ]: function forEachChildInJsxNamespacedName(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.namespace) || visitNode2(cbNode, node.name); }, [ 190 /* OptionalType */ ]: forEachChildInOptionalRestOrJSDocParameterModifier, [ 191 /* RestType */ ]: forEachChildInOptionalRestOrJSDocParameterModifier, [ 309 /* JSDocTypeExpression */ ]: forEachChildInOptionalRestOrJSDocParameterModifier, [ 315 /* JSDocNonNullableType */ ]: forEachChildInOptionalRestOrJSDocParameterModifier, [ 314 /* JSDocNullableType */ ]: forEachChildInOptionalRestOrJSDocParameterModifier, [ 316 /* JSDocOptionalType */ ]: forEachChildInOptionalRestOrJSDocParameterModifier, [ 318 /* JSDocVariadicType */ ]: forEachChildInOptionalRestOrJSDocParameterModifier, [ 317 /* JSDocFunctionType */ ]: function forEachChildInJSDocFunctionType(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type); }, [ 320 /* JSDoc */ ]: function forEachChildInJSDoc(node, cbNode, cbNodes) { return (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment)) || visitNodes(cbNode, cbNodes, node.tags); }, [ 347 /* JSDocSeeTag */ ]: function forEachChildInJSDocSeeTag(node, cbNode, cbNodes) { return visitNode2(cbNode, node.tagName) || visitNode2(cbNode, node.name) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment)); }, [ 310 /* JSDocNameReference */ ]: function forEachChildInJSDocNameReference(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name); }, [ 311 /* JSDocMemberName */ ]: function forEachChildInJSDocMemberName(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.left) || visitNode2(cbNode, node.right); }, [ 341 /* JSDocParameterTag */ ]: forEachChildInJSDocParameterOrPropertyTag, [ 348 /* JSDocPropertyTag */ ]: forEachChildInJSDocParameterOrPropertyTag, [ 330 /* JSDocAuthorTag */ ]: function forEachChildInJSDocAuthorTag(node, cbNode, cbNodes) { return visitNode2(cbNode, node.tagName) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment)); }, [ 329 /* JSDocImplementsTag */ ]: function forEachChildInJSDocImplementsTag(node, cbNode, cbNodes) { return visitNode2(cbNode, node.tagName) || visitNode2(cbNode, node.class) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment)); }, [ 328 /* JSDocAugmentsTag */ ]: function forEachChildInJSDocAugmentsTag(node, cbNode, cbNodes) { return visitNode2(cbNode, node.tagName) || visitNode2(cbNode, node.class) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment)); }, [ 345 /* JSDocTemplateTag */ ]: function forEachChildInJSDocTemplateTag(node, cbNode, cbNodes) { return visitNode2(cbNode, node.tagName) || visitNode2(cbNode, node.constraint) || visitNodes(cbNode, cbNodes, node.typeParameters) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment)); }, [ 346 /* JSDocTypedefTag */ ]: function forEachChildInJSDocTypedefTag(node, cbNode, cbNodes) { return visitNode2(cbNode, node.tagName) || (node.typeExpression && node.typeExpression.kind === 309 ? visitNode2(cbNode, node.typeExpression) || visitNode2(cbNode, node.fullName) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment)) : visitNode2(cbNode, node.fullName) || visitNode2(cbNode, node.typeExpression) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment))); }, [ 338 /* JSDocCallbackTag */ ]: function forEachChildInJSDocCallbackTag(node, cbNode, cbNodes) { return visitNode2(cbNode, node.tagName) || visitNode2(cbNode, node.fullName) || visitNode2(cbNode, node.typeExpression) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment)); }, [ 342 /* JSDocReturnTag */ ]: forEachChildInJSDocTypeLikeTag, [ 344 /* JSDocTypeTag */ ]: forEachChildInJSDocTypeLikeTag, [ 343 /* JSDocThisTag */ ]: forEachChildInJSDocTypeLikeTag, [ 340 /* JSDocEnumTag */ ]: forEachChildInJSDocTypeLikeTag, [ 350 /* JSDocSatisfiesTag */ ]: forEachChildInJSDocTypeLikeTag, [ 349 /* JSDocThrowsTag */ ]: forEachChildInJSDocTypeLikeTag, [ 339 /* JSDocOverloadTag */ ]: forEachChildInJSDocTypeLikeTag, [ 323 /* JSDocSignature */ ]: function forEachChildInJSDocSignature(node, cbNode, _cbNodes) { return forEach(node.typeParameters, cbNode) || forEach(node.parameters, cbNode) || visitNode2(cbNode, node.type); }, [ 324 /* JSDocLink */ ]: forEachChildInJSDocLinkCodeOrPlain, [ 325 /* JSDocLinkCode */ ]: forEachChildInJSDocLinkCodeOrPlain, [ 326 /* JSDocLinkPlain */ ]: forEachChildInJSDocLinkCodeOrPlain, [ 322 /* JSDocTypeLiteral */ ]: function forEachChildInJSDocTypeLiteral(node, cbNode, _cbNodes) { return forEach(node.jsDocPropertyTags, cbNode); }, [ 327 /* JSDocTag */ ]: forEachChildInJSDocTag, [ 332 /* JSDocClassTag */ ]: forEachChildInJSDocTag, [ 333 /* JSDocPublicTag */ ]: forEachChildInJSDocTag, [ 334 /* JSDocPrivateTag */ ]: forEachChildInJSDocTag, [ 335 /* JSDocProtectedTag */ ]: forEachChildInJSDocTag, [ 336 /* JSDocReadonlyTag */ ]: forEachChildInJSDocTag, [ 331 /* JSDocDeprecatedTag */ ]: forEachChildInJSDocTag, [ 337 /* JSDocOverrideTag */ ]: forEachChildInJSDocTag, [ 351 /* JSDocImportTag */ ]: forEachChildInJSDocImportTag, [ 354 /* PartiallyEmittedExpression */ ]: forEachChildInPartiallyEmittedExpression }; function forEachChildInCallOrConstructSignature(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type); } function forEachChildInUnionOrIntersectionType(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.types); } function forEachChildInParenthesizedTypeOrTypeOperator(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.type); } function forEachChildInObjectOrArrayBindingPattern(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.elements); } function forEachChildInCallOrNewExpression(node, cbNode, cbNodes) { return visitNode2(cbNode, node.expression) || // TODO: should we separate these branches out? visitNode2(cbNode, node.questionDotToken) || visitNodes(cbNode, cbNodes, node.typeArguments) || visitNodes(cbNode, cbNodes, node.arguments); } function forEachChildInBlock(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.statements); } function forEachChildInContinueOrBreakStatement(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.label); } function forEachChildInClassDeclarationOrExpression(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.heritageClauses) || visitNodes(cbNode, cbNodes, node.members); } function forEachChildInNamedImportsOrExports(node, cbNode, cbNodes) { return visitNodes(cbNode, cbNodes, node.elements); } function forEachChildInImportOrExportSpecifier(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.propertyName) || visitNode2(cbNode, node.name); } function forEachChildInJsxOpeningOrSelfClosingElement(node, cbNode, cbNodes) { return visitNode2(cbNode, node.tagName) || visitNodes(cbNode, cbNodes, node.typeArguments) || visitNode2(cbNode, node.attributes); } function forEachChildInOptionalRestOrJSDocParameterModifier(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.type); } function forEachChildInJSDocParameterOrPropertyTag(node, cbNode, cbNodes) { return visitNode2(cbNode, node.tagName) || (node.isNameFirst ? visitNode2(cbNode, node.name) || visitNode2(cbNode, node.typeExpression) : visitNode2(cbNode, node.typeExpression) || visitNode2(cbNode, node.name)) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment)); } function forEachChildInJSDocTypeLikeTag(node, cbNode, cbNodes) { return visitNode2(cbNode, node.tagName) || visitNode2(cbNode, node.typeExpression) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment)); } function forEachChildInJSDocLinkCodeOrPlain(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.name); } function forEachChildInJSDocTag(node, cbNode, cbNodes) { return visitNode2(cbNode, node.tagName) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment)); } function forEachChildInJSDocImportTag(node, cbNode, cbNodes) { return visitNode2(cbNode, node.tagName) || visitNode2(cbNode, node.importClause) || visitNode2(cbNode, node.moduleSpecifier) || visitNode2(cbNode, node.attributes) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment)); } function forEachChildInPartiallyEmittedExpression(node, cbNode, _cbNodes) { return visitNode2(cbNode, node.expression); } function forEachChild(node, cbNode, cbNodes) { if (node === void 0 || node.kind <= 165) { return; } const fn = forEachChildTable[node.kind]; return fn === void 0 ? void 0 : fn(node, cbNode, cbNodes); } function forEachChildRecursively(rootNode, cbNode, cbNodes) { const queue = gatherPossibleChildren(rootNode); const parents = []; while (parents.length < queue.length) { parents.push(rootNode); } while (queue.length !== 0) { const current = queue.pop(); const parent2 = parents.pop(); if (isArray3(current)) { if (cbNodes) { const res = cbNodes(current, parent2); if (res) { if (res === "skip") continue; return res; } } for (let i = current.length - 1; i >= 0; --i) { queue.push(current[i]); parents.push(parent2); } } else { const res = cbNode(current, parent2); if (res) { if (res === "skip") continue; return res; } if (current.kind >= 166) { for (const child of gatherPossibleChildren(current)) { queue.push(child); parents.push(current); } } } } } function gatherPossibleChildren(node) { const children = []; forEachChild(node, addWorkItem, addWorkItem); return children; function addWorkItem(n) { children.unshift(n); } } function setExternalModuleIndicator(sourceFile) { sourceFile.externalModuleIndicator = isFileProbablyExternalModule(sourceFile); } function createSourceFile(fileName, sourceText, languageVersionOrOptions, setParentNodes = false, scriptKind) { var _a, _b, _c, _d; (_a = tracing) == null ? void 0 : _a.push( tracing.Phase.Parse, "createSourceFile", { path: fileName }, /*separateBeginAndEnd*/ true ); mark("beforeParse"); let result; (_b = perfLogger) == null ? void 0 : _b.logStartParseSourceFile(fileName); const { languageVersion, setExternalModuleIndicator: overrideSetExternalModuleIndicator, impliedNodeFormat: format2, jsDocParsingMode } = typeof languageVersionOrOptions === "object" ? languageVersionOrOptions : { languageVersion: languageVersionOrOptions }; if (languageVersion === 100) { result = Parser.parseSourceFile( fileName, sourceText, languageVersion, /*syntaxCursor*/ void 0, setParentNodes, 6, noop2, jsDocParsingMode ); } else { const setIndicator = format2 === void 0 ? overrideSetExternalModuleIndicator : (file) => { file.impliedNodeFormat = format2; return (overrideSetExternalModuleIndicator || setExternalModuleIndicator)(file); }; result = Parser.parseSourceFile( fileName, sourceText, languageVersion, /*syntaxCursor*/ void 0, setParentNodes, scriptKind, setIndicator, jsDocParsingMode ); } (_c = perfLogger) == null ? void 0 : _c.logStopParseSourceFile(); mark("afterParse"); measure("Parse", "beforeParse", "afterParse"); (_d = tracing) == null ? void 0 : _d.pop(); return result; } function parseIsolatedEntityName(text, languageVersion) { return Parser.parseIsolatedEntityName(text, languageVersion); } function parseJsonText(fileName, sourceText) { return Parser.parseJsonText(fileName, sourceText); } function isExternalModule(file) { return file.externalModuleIndicator !== void 0; } function updateSourceFile(sourceFile, newText, textChangeRange, aggressiveChecks = false) { const newSourceFile = IncrementalParser.updateSourceFile(sourceFile, newText, textChangeRange, aggressiveChecks); newSourceFile.flags |= sourceFile.flags & 12582912; return newSourceFile; } function parseIsolatedJSDocComment(content, start, length2) { const result = Parser.JSDocParser.parseIsolatedJSDocComment(content, start, length2); if (result && result.jsDoc) { Parser.fixupParentReferences(result.jsDoc); } return result; } function parseJSDocTypeExpressionForTests(content, start, length2) { return Parser.JSDocParser.parseJSDocTypeExpressionForTests(content, start, length2); } var Parser; ((Parser2) => { var scanner2 = createScanner( 99, /*skipTrivia*/ true ); var disallowInAndDecoratorContext = 8192 | 32768; var NodeConstructor2; var TokenConstructor2; var IdentifierConstructor2; var PrivateIdentifierConstructor2; var SourceFileConstructor2; function countNode(node) { nodeCount++; return node; } var baseNodeFactory = { createBaseSourceFileNode: (kind) => countNode(new SourceFileConstructor2( kind, /*pos*/ 0, /*end*/ 0 )), createBaseIdentifierNode: (kind) => countNode(new IdentifierConstructor2( kind, /*pos*/ 0, /*end*/ 0 )), createBasePrivateIdentifierNode: (kind) => countNode(new PrivateIdentifierConstructor2( kind, /*pos*/ 0, /*end*/ 0 )), createBaseTokenNode: (kind) => countNode(new TokenConstructor2( kind, /*pos*/ 0, /*end*/ 0 )), createBaseNode: (kind) => countNode(new NodeConstructor2( kind, /*pos*/ 0, /*end*/ 0 )) }; var factory2 = createNodeFactory(1 | 2 | 8, baseNodeFactory); var { createNodeArray: factoryCreateNodeArray, createNumericLiteral: factoryCreateNumericLiteral, createStringLiteral: factoryCreateStringLiteral, createLiteralLikeNode: factoryCreateLiteralLikeNode, createIdentifier: factoryCreateIdentifier, createPrivateIdentifier: factoryCreatePrivateIdentifier, createToken: factoryCreateToken, createArrayLiteralExpression: factoryCreateArrayLiteralExpression, createObjectLiteralExpression: factoryCreateObjectLiteralExpression, createPropertyAccessExpression: factoryCreatePropertyAccessExpression, createPropertyAccessChain: factoryCreatePropertyAccessChain, createElementAccessExpression: factoryCreateElementAccessExpression, createElementAccessChain: factoryCreateElementAccessChain, createCallExpression: factoryCreateCallExpression, createCallChain: factoryCreateCallChain, createNewExpression: factoryCreateNewExpression, createParenthesizedExpression: factoryCreateParenthesizedExpression, createBlock: factoryCreateBlock, createVariableStatement: factoryCreateVariableStatement, createExpressionStatement: factoryCreateExpressionStatement, createIfStatement: factoryCreateIfStatement, createWhileStatement: factoryCreateWhileStatement, createForStatement: factoryCreateForStatement, createForOfStatement: factoryCreateForOfStatement, createVariableDeclaration: factoryCreateVariableDeclaration, createVariableDeclarationList: factoryCreateVariableDeclarationList } = factory2; var fileName; var sourceFlags; var sourceText; var languageVersion; var scriptKind; var languageVariant; var parseDiagnostics; var jsDocDiagnostics; var syntaxCursor; var currentToken; var nodeCount; var identifiers; var identifierCount; var parsingContext; var notParenthesizedArrow; var contextFlags; var topLevel = true; var parseErrorBeforeNextFinishedNode = false; function parseSourceFile(fileName2, sourceText2, languageVersion2, syntaxCursor2, setParentNodes = false, scriptKind2, setExternalModuleIndicatorOverride, jsDocParsingMode = 0) { var _a; scriptKind2 = ensureScriptKind(fileName2, scriptKind2); if (scriptKind2 === 6) { const result2 = parseJsonText2(fileName2, sourceText2, languageVersion2, syntaxCursor2, setParentNodes); convertToJson( result2, (_a = result2.statements[0]) == null ? void 0 : _a.expression, result2.parseDiagnostics, /*returnValue*/ false, /*jsonConversionNotifier*/ void 0 ); result2.referencedFiles = emptyArray; result2.typeReferenceDirectives = emptyArray; result2.libReferenceDirectives = emptyArray; result2.amdDependencies = emptyArray; result2.hasNoDefaultLib = false; result2.pragmas = emptyMap; return result2; } initializeState(fileName2, sourceText2, languageVersion2, syntaxCursor2, scriptKind2, jsDocParsingMode); const result = parseSourceFileWorker(languageVersion2, setParentNodes, scriptKind2, setExternalModuleIndicatorOverride || setExternalModuleIndicator, jsDocParsingMode); clearState(); return result; } Parser2.parseSourceFile = parseSourceFile; function parseIsolatedEntityName2(content, languageVersion2) { initializeState( "", content, languageVersion2, /*syntaxCursor*/ void 0, 1, 0 /* ParseAll */ ); nextToken(); const entityName = parseEntityName( /*allowReservedWords*/ true ); const isValid2 = token() === 1 && !parseDiagnostics.length; clearState(); return isValid2 ? entityName : void 0; } Parser2.parseIsolatedEntityName = parseIsolatedEntityName2; function parseJsonText2(fileName2, sourceText2, languageVersion2 = 2, syntaxCursor2, setParentNodes = false) { initializeState( fileName2, sourceText2, languageVersion2, syntaxCursor2, 6, 0 /* ParseAll */ ); sourceFlags = contextFlags; nextToken(); const pos = getNodePos(); let statements, endOfFileToken; if (token() === 1) { statements = createNodeArray([], pos, pos); endOfFileToken = parseTokenNode(); } else { let expressions; while (token() !== 1) { let expression2; switch (token()) { case 23: expression2 = parseArrayLiteralExpression(); break; case 112: case 97: case 106: expression2 = parseTokenNode(); break; case 41: if (lookAhead( () => nextToken() === 9 && nextToken() !== 59 /* ColonToken */ )) { expression2 = parsePrefixUnaryExpression(); } else { expression2 = parseObjectLiteralExpression(); } break; case 9: case 11: if (lookAhead( () => nextToken() !== 59 /* ColonToken */ )) { expression2 = parseLiteralNode(); break; } default: expression2 = parseObjectLiteralExpression(); break; } if (expressions && isArray3(expressions)) { expressions.push(expression2); } else if (expressions) { expressions = [expressions, expression2]; } else { expressions = expression2; if (token() !== 1) { parseErrorAtCurrentToken(Diagnostics.Unexpected_token); } } } const expression = isArray3(expressions) ? finishNode(factoryCreateArrayLiteralExpression(expressions), pos) : Debug.checkDefined(expressions); const statement = factoryCreateExpressionStatement(expression); finishNode(statement, pos); statements = createNodeArray([statement], pos); endOfFileToken = parseExpectedToken(1, Diagnostics.Unexpected_token); } const sourceFile = createSourceFile2( fileName2, 2, 6, /*isDeclarationFile*/ false, statements, endOfFileToken, sourceFlags, noop2 ); if (setParentNodes) { fixupParentReferences(sourceFile); } sourceFile.nodeCount = nodeCount; sourceFile.identifierCount = identifierCount; sourceFile.identifiers = identifiers; sourceFile.parseDiagnostics = attachFileToDiagnostics(parseDiagnostics, sourceFile); if (jsDocDiagnostics) { sourceFile.jsDocDiagnostics = attachFileToDiagnostics(jsDocDiagnostics, sourceFile); } const result = sourceFile; clearState(); return result; } Parser2.parseJsonText = parseJsonText2; function initializeState(_fileName, _sourceText, _languageVersion, _syntaxCursor, _scriptKind, _jsDocParsingMode) { NodeConstructor2 = objectAllocator.getNodeConstructor(); TokenConstructor2 = objectAllocator.getTokenConstructor(); IdentifierConstructor2 = objectAllocator.getIdentifierConstructor(); PrivateIdentifierConstructor2 = objectAllocator.getPrivateIdentifierConstructor(); SourceFileConstructor2 = objectAllocator.getSourceFileConstructor(); fileName = normalizePath(_fileName); sourceText = _sourceText; languageVersion = _languageVersion; syntaxCursor = _syntaxCursor; scriptKind = _scriptKind; languageVariant = getLanguageVariant(_scriptKind); parseDiagnostics = []; parsingContext = 0; identifiers = /* @__PURE__ */ new Map(); identifierCount = 0; nodeCount = 0; sourceFlags = 0; topLevel = true; switch (scriptKind) { case 1: case 2: contextFlags = 524288; break; case 6: contextFlags = 524288 | 134217728; break; default: contextFlags = 0; break; } parseErrorBeforeNextFinishedNode = false; scanner2.setText(sourceText); scanner2.setOnError(scanError); scanner2.setScriptTarget(languageVersion); scanner2.setLanguageVariant(languageVariant); scanner2.setScriptKind(scriptKind); scanner2.setJSDocParsingMode(_jsDocParsingMode); } function clearState() { scanner2.clearCommentDirectives(); scanner2.setText(""); scanner2.setOnError(void 0); scanner2.setScriptKind( 0 /* Unknown */ ); scanner2.setJSDocParsingMode( 0 /* ParseAll */ ); sourceText = void 0; languageVersion = void 0; syntaxCursor = void 0; scriptKind = void 0; languageVariant = void 0; sourceFlags = 0; parseDiagnostics = void 0; jsDocDiagnostics = void 0; parsingContext = 0; identifiers = void 0; notParenthesizedArrow = void 0; topLevel = true; } function parseSourceFileWorker(languageVersion2, setParentNodes, scriptKind2, setExternalModuleIndicator2, jsDocParsingMode) { const isDeclarationFile = isDeclarationFileName(fileName); if (isDeclarationFile) { contextFlags |= 33554432; } sourceFlags = contextFlags; nextToken(); const statements = parseList(0, parseStatement); Debug.assert( token() === 1 /* EndOfFileToken */ ); const endHasJSDoc = hasPrecedingJSDocComment(); const endOfFileToken = withJSDoc(parseTokenNode(), endHasJSDoc); const sourceFile = createSourceFile2(fileName, languageVersion2, scriptKind2, isDeclarationFile, statements, endOfFileToken, sourceFlags, setExternalModuleIndicator2); processCommentPragmas(sourceFile, sourceText); processPragmasIntoFields(sourceFile, reportPragmaDiagnostic); sourceFile.commentDirectives = scanner2.getCommentDirectives(); sourceFile.nodeCount = nodeCount; sourceFile.identifierCount = identifierCount; sourceFile.identifiers = identifiers; sourceFile.parseDiagnostics = attachFileToDiagnostics(parseDiagnostics, sourceFile); sourceFile.jsDocParsingMode = jsDocParsingMode; if (jsDocDiagnostics) { sourceFile.jsDocDiagnostics = attachFileToDiagnostics(jsDocDiagnostics, sourceFile); } if (setParentNodes) { fixupParentReferences(sourceFile); } return sourceFile; function reportPragmaDiagnostic(pos, end, diagnostic) { parseDiagnostics.push(createDetachedDiagnostic(fileName, sourceText, pos, end, diagnostic)); } } let hasDeprecatedTag = false; function withJSDoc(node, hasJSDoc) { if (!hasJSDoc) { return node; } Debug.assert(!node.jsDoc); const jsDoc = mapDefined(getJSDocCommentRanges(node, sourceText), (comment) => JSDocParser.parseJSDocComment(node, comment.pos, comment.end - comment.pos)); if (jsDoc.length) node.jsDoc = jsDoc; if (hasDeprecatedTag) { hasDeprecatedTag = false; node.flags |= 536870912; } return node; } function reparseTopLevelAwait(sourceFile) { const savedSyntaxCursor = syntaxCursor; const baseSyntaxCursor = IncrementalParser.createSyntaxCursor(sourceFile); syntaxCursor = { currentNode: currentNode2 }; const statements = []; const savedParseDiagnostics = parseDiagnostics; parseDiagnostics = []; let pos = 0; let start = findNextStatementWithAwait(sourceFile.statements, 0); while (start !== -1) { const prevStatement = sourceFile.statements[pos]; const nextStatement = sourceFile.statements[start]; addRange(statements, sourceFile.statements, pos, start); pos = findNextStatementWithoutAwait(sourceFile.statements, start); const diagnosticStart = findIndex(savedParseDiagnostics, (diagnostic) => diagnostic.start >= prevStatement.pos); const diagnosticEnd = diagnosticStart >= 0 ? findIndex(savedParseDiagnostics, (diagnostic) => diagnostic.start >= nextStatement.pos, diagnosticStart) : -1; if (diagnosticStart >= 0) { addRange(parseDiagnostics, savedParseDiagnostics, diagnosticStart, diagnosticEnd >= 0 ? diagnosticEnd : void 0); } speculationHelper( () => { const savedContextFlags = contextFlags; contextFlags |= 65536; scanner2.resetTokenState(nextStatement.pos); nextToken(); while (token() !== 1) { const startPos = scanner2.getTokenFullStart(); const statement = parseListElement(0, parseStatement); statements.push(statement); if (startPos === scanner2.getTokenFullStart()) { nextToken(); } if (pos >= 0) { const nonAwaitStatement = sourceFile.statements[pos]; if (statement.end === nonAwaitStatement.pos) { break; } if (statement.end > nonAwaitStatement.pos) { pos = findNextStatementWithoutAwait(sourceFile.statements, pos + 1); } } } contextFlags = savedContextFlags; }, 2 /* Reparse */ ); start = pos >= 0 ? findNextStatementWithAwait(sourceFile.statements, pos) : -1; } if (pos >= 0) { const prevStatement = sourceFile.statements[pos]; addRange(statements, sourceFile.statements, pos); const diagnosticStart = findIndex(savedParseDiagnostics, (diagnostic) => diagnostic.start >= prevStatement.pos); if (diagnosticStart >= 0) { addRange(parseDiagnostics, savedParseDiagnostics, diagnosticStart); } } syntaxCursor = savedSyntaxCursor; return factory2.updateSourceFile(sourceFile, setTextRange(factoryCreateNodeArray(statements), sourceFile.statements)); function containsPossibleTopLevelAwait(node) { return !(node.flags & 65536) && !!(node.transformFlags & 67108864); } function findNextStatementWithAwait(statements2, start2) { for (let i = start2; i < statements2.length; i++) { if (containsPossibleTopLevelAwait(statements2[i])) { return i; } } return -1; } function findNextStatementWithoutAwait(statements2, start2) { for (let i = start2; i < statements2.length; i++) { if (!containsPossibleTopLevelAwait(statements2[i])) { return i; } } return -1; } function currentNode2(position) { const node = baseSyntaxCursor.currentNode(position); if (topLevel && node && containsPossibleTopLevelAwait(node)) { markAsIntersectingIncrementalChange(node); } return node; } } function fixupParentReferences(rootNode) { setParentRecursive( rootNode, /*incremental*/ true ); } Parser2.fixupParentReferences = fixupParentReferences; function createSourceFile2(fileName2, languageVersion2, scriptKind2, isDeclarationFile, statements, endOfFileToken, flags, setExternalModuleIndicator2) { let sourceFile = factory2.createSourceFile(statements, endOfFileToken, flags); setTextRangePosWidth(sourceFile, 0, sourceText.length); setFields(sourceFile); if (!isDeclarationFile && isExternalModule(sourceFile) && sourceFile.transformFlags & 67108864) { const oldSourceFile = sourceFile; sourceFile = reparseTopLevelAwait(sourceFile); if (oldSourceFile !== sourceFile) setFields(sourceFile); } return sourceFile; function setFields(sourceFile2) { sourceFile2.text = sourceText; sourceFile2.bindDiagnostics = []; sourceFile2.bindSuggestionDiagnostics = void 0; sourceFile2.languageVersion = languageVersion2; sourceFile2.fileName = fileName2; sourceFile2.languageVariant = getLanguageVariant(scriptKind2); sourceFile2.isDeclarationFile = isDeclarationFile; sourceFile2.scriptKind = scriptKind2; setExternalModuleIndicator2(sourceFile2); sourceFile2.setExternalModuleIndicator = setExternalModuleIndicator2; } } function setContextFlag(val, flag) { if (val) { contextFlags |= flag; } else { contextFlags &= ~flag; } } function setDisallowInContext(val) { setContextFlag( val, 8192 /* DisallowInContext */ ); } function setYieldContext(val) { setContextFlag( val, 16384 /* YieldContext */ ); } function setDecoratorContext(val) { setContextFlag( val, 32768 /* DecoratorContext */ ); } function setAwaitContext(val) { setContextFlag( val, 65536 /* AwaitContext */ ); } function doOutsideOfContext(context, func) { const contextFlagsToClear = context & contextFlags; if (contextFlagsToClear) { setContextFlag( /*val*/ false, contextFlagsToClear ); const result = func(); setContextFlag( /*val*/ true, contextFlagsToClear ); return result; } return func(); } function doInsideOfContext(context, func) { const contextFlagsToSet = context & ~contextFlags; if (contextFlagsToSet) { setContextFlag( /*val*/ true, contextFlagsToSet ); const result = func(); setContextFlag( /*val*/ false, contextFlagsToSet ); return result; } return func(); } function allowInAnd(func) { return doOutsideOfContext(8192, func); } function disallowInAnd(func) { return doInsideOfContext(8192, func); } function allowConditionalTypesAnd(func) { return doOutsideOfContext(131072, func); } function disallowConditionalTypesAnd(func) { return doInsideOfContext(131072, func); } function doInYieldContext(func) { return doInsideOfContext(16384, func); } function doInDecoratorContext(func) { return doInsideOfContext(32768, func); } function doInAwaitContext(func) { return doInsideOfContext(65536, func); } function doOutsideOfAwaitContext(func) { return doOutsideOfContext(65536, func); } function doInYieldAndAwaitContext(func) { return doInsideOfContext(16384 | 65536, func); } function doOutsideOfYieldAndAwaitContext(func) { return doOutsideOfContext(16384 | 65536, func); } function inContext(flags) { return (contextFlags & flags) !== 0; } function inYieldContext() { return inContext( 16384 /* YieldContext */ ); } function inDisallowInContext() { return inContext( 8192 /* DisallowInContext */ ); } function inDisallowConditionalTypesContext() { return inContext( 131072 /* DisallowConditionalTypesContext */ ); } function inDecoratorContext() { return inContext( 32768 /* DecoratorContext */ ); } function inAwaitContext() { return inContext( 65536 /* AwaitContext */ ); } function parseErrorAtCurrentToken(message, ...args) { return parseErrorAt(scanner2.getTokenStart(), scanner2.getTokenEnd(), message, ...args); } function parseErrorAtPosition(start, length2, message, ...args) { const lastError = lastOrUndefined(parseDiagnostics); let result; if (!lastError || start !== lastError.start) { result = createDetachedDiagnostic(fileName, sourceText, start, length2, message, ...args); parseDiagnostics.push(result); } parseErrorBeforeNextFinishedNode = true; return result; } function parseErrorAt(start, end, message, ...args) { return parseErrorAtPosition(start, end - start, message, ...args); } function parseErrorAtRange(range, message, ...args) { parseErrorAt(range.pos, range.end, message, ...args); } function scanError(message, length2, arg0) { parseErrorAtPosition(scanner2.getTokenEnd(), length2, message, arg0); } function getNodePos() { return scanner2.getTokenFullStart(); } function hasPrecedingJSDocComment() { return scanner2.hasPrecedingJSDocComment(); } function token() { return currentToken; } function nextTokenWithoutCheck() { return currentToken = scanner2.scan(); } function nextTokenAnd(func) { nextToken(); return func(); } function nextToken() { if (isKeyword2(currentToken) && (scanner2.hasUnicodeEscape() || scanner2.hasExtendedUnicodeEscape())) { parseErrorAt(scanner2.getTokenStart(), scanner2.getTokenEnd(), Diagnostics.Keywords_cannot_contain_escape_characters); } return nextTokenWithoutCheck(); } function nextTokenJSDoc() { return currentToken = scanner2.scanJsDocToken(); } function nextJSDocCommentTextToken(inBackticks) { return currentToken = scanner2.scanJSDocCommentTextToken(inBackticks); } function reScanGreaterToken() { return currentToken = scanner2.reScanGreaterToken(); } function reScanSlashToken() { return currentToken = scanner2.reScanSlashToken(); } function reScanTemplateToken(isTaggedTemplate) { return currentToken = scanner2.reScanTemplateToken(isTaggedTemplate); } function reScanLessThanToken() { return currentToken = scanner2.reScanLessThanToken(); } function reScanHashToken() { return currentToken = scanner2.reScanHashToken(); } function scanJsxIdentifier() { return currentToken = scanner2.scanJsxIdentifier(); } function scanJsxText() { return currentToken = scanner2.scanJsxToken(); } function scanJsxAttributeValue() { return currentToken = scanner2.scanJsxAttributeValue(); } function speculationHelper(callback, speculationKind) { const saveToken = currentToken; const saveParseDiagnosticsLength = parseDiagnostics.length; const saveParseErrorBeforeNextFinishedNode = parseErrorBeforeNextFinishedNode; const saveContextFlags = contextFlags; const result = speculationKind !== 0 ? scanner2.lookAhead(callback) : scanner2.tryScan(callback); Debug.assert(saveContextFlags === contextFlags); if (!result || speculationKind !== 0) { currentToken = saveToken; if (speculationKind !== 2) { parseDiagnostics.length = saveParseDiagnosticsLength; } parseErrorBeforeNextFinishedNode = saveParseErrorBeforeNextFinishedNode; } return result; } function lookAhead(callback) { return speculationHelper( callback, 1 /* Lookahead */ ); } function tryParse(callback) { return speculationHelper( callback, 0 /* TryParse */ ); } function isBindingIdentifier() { if (token() === 80) { return true; } return token() > 118; } function isIdentifier2() { if (token() === 80) { return true; } if (token() === 127 && inYieldContext()) { return false; } if (token() === 135 && inAwaitContext()) { return false; } return token() > 118; } function parseExpected(kind, diagnosticMessage, shouldAdvance = true) { if (token() === kind) { if (shouldAdvance) { nextToken(); } return true; } if (diagnosticMessage) { parseErrorAtCurrentToken(diagnosticMessage); } else { parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString(kind)); } return false; } const viableKeywordSuggestions = Object.keys(textToKeywordObj).filter((keyword) => keyword.length > 2); function parseErrorForMissingSemicolonAfter(node) { if (isTaggedTemplateExpression(node)) { parseErrorAt(skipTrivia(sourceText, node.template.pos), node.template.end, Diagnostics.Module_declaration_names_may_only_use_or_quoted_strings); return; } const expressionText = isIdentifier(node) ? idText(node) : void 0; if (!expressionText || !isIdentifierText(expressionText, languageVersion)) { parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString( 27 /* SemicolonToken */ )); return; } const pos = skipTrivia(sourceText, node.pos); switch (expressionText) { case "const": case "let": case "var": parseErrorAt(pos, node.end, Diagnostics.Variable_declaration_not_allowed_at_this_location); return; case "declare": return; case "interface": parseErrorForInvalidName( Diagnostics.Interface_name_cannot_be_0, Diagnostics.Interface_must_be_given_a_name, 19 /* OpenBraceToken */ ); return; case "is": parseErrorAt(pos, scanner2.getTokenStart(), Diagnostics.A_type_predicate_is_only_allowed_in_return_type_position_for_functions_and_methods); return; case "module": case "namespace": parseErrorForInvalidName( Diagnostics.Namespace_name_cannot_be_0, Diagnostics.Namespace_must_be_given_a_name, 19 /* OpenBraceToken */ ); return; case "type": parseErrorForInvalidName( Diagnostics.Type_alias_name_cannot_be_0, Diagnostics.Type_alias_must_be_given_a_name, 64 /* EqualsToken */ ); return; } const suggestion = getSpellingSuggestion(expressionText, viableKeywordSuggestions, identity2) ?? getSpaceSuggestion(expressionText); if (suggestion) { parseErrorAt(pos, node.end, Diagnostics.Unknown_keyword_or_identifier_Did_you_mean_0, suggestion); return; } if (token() === 0) { return; } parseErrorAt(pos, node.end, Diagnostics.Unexpected_keyword_or_identifier); } function parseErrorForInvalidName(nameDiagnostic, blankDiagnostic, tokenIfBlankName) { if (token() === tokenIfBlankName) { parseErrorAtCurrentToken(blankDiagnostic); } else { parseErrorAtCurrentToken(nameDiagnostic, scanner2.getTokenValue()); } } function getSpaceSuggestion(expressionText) { for (const keyword of viableKeywordSuggestions) { if (expressionText.length > keyword.length + 2 && startsWith2(expressionText, keyword)) { return `${keyword} ${expressionText.slice(keyword.length)}`; } } return void 0; } function parseSemicolonAfterPropertyName(name, type, initializer) { if (token() === 60 && !scanner2.hasPrecedingLineBreak()) { parseErrorAtCurrentToken(Diagnostics.Decorators_must_precede_the_name_and_all_keywords_of_property_declarations); return; } if (token() === 21) { parseErrorAtCurrentToken(Diagnostics.Cannot_start_a_function_call_in_a_type_annotation); nextToken(); return; } if (type && !canParseSemicolon()) { if (initializer) { parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString( 27 /* SemicolonToken */ )); } else { parseErrorAtCurrentToken(Diagnostics.Expected_for_property_initializer); } return; } if (tryParseSemicolon()) { return; } if (initializer) { parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString( 27 /* SemicolonToken */ )); return; } parseErrorForMissingSemicolonAfter(name); } function parseExpectedJSDoc(kind) { if (token() === kind) { nextTokenJSDoc(); return true; } Debug.assert(isKeywordOrPunctuation(kind)); parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString(kind)); return false; } function parseExpectedMatchingBrackets(openKind, closeKind, openParsed, openPosition) { if (token() === closeKind) { nextToken(); return; } const lastError = parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString(closeKind)); if (!openParsed) { return; } if (lastError) { addRelatedInfo( lastError, createDetachedDiagnostic(fileName, sourceText, openPosition, 1, Diagnostics.The_parser_expected_to_find_a_1_to_match_the_0_token_here, tokenToString(openKind), tokenToString(closeKind)) ); } } function parseOptional(t) { if (token() === t) { nextToken(); return true; } return false; } function parseOptionalToken(t) { if (token() === t) { return parseTokenNode(); } return void 0; } function parseOptionalTokenJSDoc(t) { if (token() === t) { return parseTokenNodeJSDoc(); } return void 0; } function parseExpectedToken(t, diagnosticMessage, arg0) { return parseOptionalToken(t) || createMissingNode( t, /*reportAtCurrentPosition*/ false, diagnosticMessage || Diagnostics._0_expected, arg0 || tokenToString(t) ); } function parseExpectedTokenJSDoc(t) { const optional = parseOptionalTokenJSDoc(t); if (optional) return optional; Debug.assert(isKeywordOrPunctuation(t)); return createMissingNode( t, /*reportAtCurrentPosition*/ false, Diagnostics._0_expected, tokenToString(t) ); } function parseTokenNode() { const pos = getNodePos(); const kind = token(); nextToken(); return finishNode(factoryCreateToken(kind), pos); } function parseTokenNodeJSDoc() { const pos = getNodePos(); const kind = token(); nextTokenJSDoc(); return finishNode(factoryCreateToken(kind), pos); } function canParseSemicolon() { if (token() === 27) { return true; } return token() === 20 || token() === 1 || scanner2.hasPrecedingLineBreak(); } function tryParseSemicolon() { if (!canParseSemicolon()) { return false; } if (token() === 27) { nextToken(); } return true; } function parseSemicolon() { return tryParseSemicolon() || parseExpected( 27 /* SemicolonToken */ ); } function createNodeArray(elements, pos, end, hasTrailingComma) { const array = factoryCreateNodeArray(elements, hasTrailingComma); setTextRangePosEnd(array, pos, end ?? scanner2.getTokenFullStart()); return array; } function finishNode(node, pos, end) { setTextRangePosEnd(node, pos, end ?? scanner2.getTokenFullStart()); if (contextFlags) { node.flags |= contextFlags; } if (parseErrorBeforeNextFinishedNode) { parseErrorBeforeNextFinishedNode = false; node.flags |= 262144; } return node; } function createMissingNode(kind, reportAtCurrentPosition, diagnosticMessage, ...args) { if (reportAtCurrentPosition) { parseErrorAtPosition(scanner2.getTokenFullStart(), 0, diagnosticMessage, ...args); } else if (diagnosticMessage) { parseErrorAtCurrentToken(diagnosticMessage, ...args); } const pos = getNodePos(); const result = kind === 80 ? factoryCreateIdentifier( "", /*originalKeywordKind*/ void 0 ) : isTemplateLiteralKind(kind) ? factory2.createTemplateLiteralLikeNode( kind, "", "", /*templateFlags*/ void 0 ) : kind === 9 ? factoryCreateNumericLiteral( "", /*numericLiteralFlags*/ void 0 ) : kind === 11 ? factoryCreateStringLiteral( "", /*isSingleQuote*/ void 0 ) : kind === 282 ? factory2.createMissingDeclaration() : factoryCreateToken(kind); return finishNode(result, pos); } function internIdentifier(text) { let identifier = identifiers.get(text); if (identifier === void 0) { identifiers.set(text, identifier = text); } return identifier; } function createIdentifier(isIdentifier3, diagnosticMessage, privateIdentifierDiagnosticMessage) { if (isIdentifier3) { identifierCount++; const pos = getNodePos(); const originalKeywordKind = token(); const text = internIdentifier(scanner2.getTokenValue()); const hasExtendedUnicodeEscape = scanner2.hasExtendedUnicodeEscape(); nextTokenWithoutCheck(); return finishNode(factoryCreateIdentifier(text, originalKeywordKind, hasExtendedUnicodeEscape), pos); } if (token() === 81) { parseErrorAtCurrentToken(privateIdentifierDiagnosticMessage || Diagnostics.Private_identifiers_are_not_allowed_outside_class_bodies); return createIdentifier( /*isIdentifier*/ true ); } if (token() === 0 && scanner2.tryScan( () => scanner2.reScanInvalidIdentifier() === 80 /* Identifier */ )) { return createIdentifier( /*isIdentifier*/ true ); } identifierCount++; const reportAtCurrentPosition = token() === 1; const isReservedWord = scanner2.isReservedWord(); const msgArg = scanner2.getTokenText(); const defaultMessage2 = isReservedWord ? Diagnostics.Identifier_expected_0_is_a_reserved_word_that_cannot_be_used_here : Diagnostics.Identifier_expected; return createMissingNode(80, reportAtCurrentPosition, diagnosticMessage || defaultMessage2, msgArg); } function parseBindingIdentifier(privateIdentifierDiagnosticMessage) { return createIdentifier( isBindingIdentifier(), /*diagnosticMessage*/ void 0, privateIdentifierDiagnosticMessage ); } function parseIdentifier(diagnosticMessage, privateIdentifierDiagnosticMessage) { return createIdentifier(isIdentifier2(), diagnosticMessage, privateIdentifierDiagnosticMessage); } function parseIdentifierName(diagnosticMessage) { return createIdentifier(tokenIsIdentifierOrKeyword(token()), diagnosticMessage); } function parseIdentifierNameErrorOnUnicodeEscapeSequence() { if (scanner2.hasUnicodeEscape() || scanner2.hasExtendedUnicodeEscape()) { parseErrorAtCurrentToken(Diagnostics.Unicode_escape_sequence_cannot_appear_here); } return createIdentifier(tokenIsIdentifierOrKeyword(token())); } function isLiteralPropertyName() { return tokenIsIdentifierOrKeyword(token()) || token() === 11 || token() === 9; } function isImportAttributeName2() { return tokenIsIdentifierOrKeyword(token()) || token() === 11; } function parsePropertyNameWorker(allowComputedPropertyNames) { if (token() === 11 || token() === 9) { const node = parseLiteralNode(); node.text = internIdentifier(node.text); return node; } if (allowComputedPropertyNames && token() === 23) { return parseComputedPropertyName(); } if (token() === 81) { return parsePrivateIdentifier(); } return parseIdentifierName(); } function parsePropertyName() { return parsePropertyNameWorker( /*allowComputedPropertyNames*/ true ); } function parseComputedPropertyName() { const pos = getNodePos(); parseExpected( 23 /* OpenBracketToken */ ); const expression = allowInAnd(parseExpression); parseExpected( 24 /* CloseBracketToken */ ); return finishNode(factory2.createComputedPropertyName(expression), pos); } function parsePrivateIdentifier() { const pos = getNodePos(); const node = factoryCreatePrivateIdentifier(internIdentifier(scanner2.getTokenValue())); nextToken(); return finishNode(node, pos); } function parseContextualModifier(t) { return token() === t && tryParse(nextTokenCanFollowModifier); } function nextTokenIsOnSameLineAndCanFollowModifier() { nextToken(); if (scanner2.hasPrecedingLineBreak()) { return false; } return canFollowModifier(); } function nextTokenCanFollowModifier() { switch (token()) { case 87: return nextToken() === 94; case 95: nextToken(); if (token() === 90) { return lookAhead(nextTokenCanFollowDefaultKeyword); } if (token() === 156) { return lookAhead(nextTokenCanFollowExportModifier); } return canFollowExportModifier(); case 90: return nextTokenCanFollowDefaultKeyword(); case 126: case 139: case 153: nextToken(); return canFollowModifier(); default: return nextTokenIsOnSameLineAndCanFollowModifier(); } } function canFollowExportModifier() { return token() === 60 || token() !== 42 && token() !== 130 && token() !== 19 && canFollowModifier(); } function nextTokenCanFollowExportModifier() { nextToken(); return canFollowExportModifier(); } function parseAnyContextualModifier() { return isModifierKind(token()) && tryParse(nextTokenCanFollowModifier); } function canFollowModifier() { return token() === 23 || token() === 19 || token() === 42 || token() === 26 || isLiteralPropertyName(); } function nextTokenCanFollowDefaultKeyword() { nextToken(); return token() === 86 || token() === 100 || token() === 120 || token() === 60 || token() === 128 && lookAhead(nextTokenIsClassKeywordOnSameLine) || token() === 134 && lookAhead(nextTokenIsFunctionKeywordOnSameLine); } function isListElement2(parsingContext2, inErrorRecovery) { const node = currentNode(parsingContext2); if (node) { return true; } switch (parsingContext2) { case 0: case 1: case 3: return !(token() === 27 && inErrorRecovery) && isStartOfStatement(); case 2: return token() === 84 || token() === 90; case 4: return lookAhead(isTypeMemberStart); case 5: return lookAhead(isClassMemberStart) || token() === 27 && !inErrorRecovery; case 6: return token() === 23 || isLiteralPropertyName(); case 12: switch (token()) { case 23: case 42: case 26: case 25: return true; default: return isLiteralPropertyName(); } case 18: return isLiteralPropertyName(); case 9: return token() === 23 || token() === 26 || isLiteralPropertyName(); case 24: return isImportAttributeName2(); case 7: if (token() === 19) { return lookAhead(isValidHeritageClauseObjectLiteral); } if (!inErrorRecovery) { return isStartOfLeftHandSideExpression() && !isHeritageClauseExtendsOrImplementsKeyword(); } else { return isIdentifier2() && !isHeritageClauseExtendsOrImplementsKeyword(); } case 8: return isBindingIdentifierOrPrivateIdentifierOrPattern(); case 10: return token() === 28 || token() === 26 || isBindingIdentifierOrPrivateIdentifierOrPattern(); case 19: return token() === 103 || token() === 87 || isIdentifier2(); case 15: switch (token()) { case 28: case 25: return true; } case 11: return token() === 26 || isStartOfExpression(); case 16: return isStartOfParameter( /*isJSDocParameter*/ false ); case 17: return isStartOfParameter( /*isJSDocParameter*/ true ); case 20: case 21: return token() === 28 || isStartOfType(); case 22: return isHeritageClause2(); case 23: if (token() === 161 && lookAhead(nextTokenIsStringLiteral)) { return false; } return tokenIsIdentifierOrKeyword(token()); case 13: return tokenIsIdentifierOrKeyword(token()) || token() === 19; case 14: return true; case 25: return true; case 26: return Debug.fail("ParsingContext.Count used as a context"); default: Debug.assertNever(parsingContext2, "Non-exhaustive case in 'isListElement'."); } } function isValidHeritageClauseObjectLiteral() { Debug.assert( token() === 19 /* OpenBraceToken */ ); if (nextToken() === 20) { const next = nextToken(); return next === 28 || next === 19 || next === 96 || next === 119; } return true; } function nextTokenIsIdentifier() { nextToken(); return isIdentifier2(); } function nextTokenIsIdentifierOrKeyword() { nextToken(); return tokenIsIdentifierOrKeyword(token()); } function nextTokenIsIdentifierOrKeywordOrGreaterThan() { nextToken(); return tokenIsIdentifierOrKeywordOrGreaterThan(token()); } function isHeritageClauseExtendsOrImplementsKeyword() { if (token() === 119 || token() === 96) { return lookAhead(nextTokenIsStartOfExpression); } return false; } function nextTokenIsStartOfExpression() { nextToken(); return isStartOfExpression(); } function nextTokenIsStartOfType() { nextToken(); return isStartOfType(); } function isListTerminator(kind) { if (token() === 1) { return true; } switch (kind) { case 1: case 2: case 4: case 5: case 6: case 12: case 9: case 23: case 24: return token() === 20; case 3: return token() === 20 || token() === 84 || token() === 90; case 7: return token() === 19 || token() === 96 || token() === 119; case 8: return isVariableDeclaratorListTerminator(); case 19: return token() === 32 || token() === 21 || token() === 19 || token() === 96 || token() === 119; case 11: return token() === 22 || token() === 27; case 15: case 21: case 10: return token() === 24; case 17: case 16: case 18: return token() === 22 || token() === 24; case 20: return token() !== 28; case 22: return token() === 19 || token() === 20; case 13: return token() === 32 || token() === 44; case 14: return token() === 30 && lookAhead(nextTokenIsSlash); default: return false; } } function isVariableDeclaratorListTerminator() { if (canParseSemicolon()) { return true; } if (isInOrOfKeyword(token())) { return true; } if (token() === 39) { return true; } return false; } function isInSomeParsingContext() { Debug.assert(parsingContext, "Missing parsing context"); for (let kind = 0; kind < 26; kind++) { if (parsingContext & 1 << kind) { if (isListElement2( kind, /*inErrorRecovery*/ true ) || isListTerminator(kind)) { return true; } } } return false; } function parseList(kind, parseElement) { const saveParsingContext = parsingContext; parsingContext |= 1 << kind; const list = []; const listPos = getNodePos(); while (!isListTerminator(kind)) { if (isListElement2( kind, /*inErrorRecovery*/ false )) { list.push(parseListElement(kind, parseElement)); continue; } if (abortParsingListOrMoveToNextToken(kind)) { break; } } parsingContext = saveParsingContext; return createNodeArray(list, listPos); } function parseListElement(parsingContext2, parseElement) { const node = currentNode(parsingContext2); if (node) { return consumeNode(node); } return parseElement(); } function currentNode(parsingContext2, pos) { var _a; if (!syntaxCursor || !isReusableParsingContext(parsingContext2) || parseErrorBeforeNextFinishedNode) { return void 0; } const node = syntaxCursor.currentNode(pos ?? scanner2.getTokenFullStart()); if (nodeIsMissing(node) || intersectsIncrementalChange(node) || containsParseError(node)) { return void 0; } const nodeContextFlags = node.flags & 101441536; if (nodeContextFlags !== contextFlags) { return void 0; } if (!canReuseNode(node, parsingContext2)) { return void 0; } if (canHaveJSDoc(node) && ((_a = node.jsDoc) == null ? void 0 : _a.jsDocCache)) { node.jsDoc.jsDocCache = void 0; } return node; } function consumeNode(node) { scanner2.resetTokenState(node.end); nextToken(); return node; } function isReusableParsingContext(parsingContext2) { switch (parsingContext2) { case 5: case 2: case 0: case 1: case 3: case 6: case 4: case 8: case 17: case 16: return true; } return false; } function canReuseNode(node, parsingContext2) { switch (parsingContext2) { case 5: return isReusableClassMember(node); case 2: return isReusableSwitchClause(node); case 0: case 1: case 3: return isReusableStatement(node); case 6: return isReusableEnumMember(node); case 4: return isReusableTypeMember(node); case 8: return isReusableVariableDeclaration(node); case 17: case 16: return isReusableParameter(node); } return false; } function isReusableClassMember(node) { if (node) { switch (node.kind) { case 176: case 181: case 177: case 178: case 172: case 240: return true; case 174: const methodDeclaration = node; const nameIsConstructor = methodDeclaration.name.kind === 80 && methodDeclaration.name.escapedText === "constructor"; return !nameIsConstructor; } } return false; } function isReusableSwitchClause(node) { if (node) { switch (node.kind) { case 296: case 297: return true; } } return false; } function isReusableStatement(node) { if (node) { switch (node.kind) { case 262: case 243: case 241: case 245: case 244: case 257: case 253: case 255: case 252: case 251: case 249: case 250: case 248: case 247: case 254: case 242: case 258: case 256: case 246: case 259: case 272: case 271: case 278: case 277: case 267: case 263: case 264: case 266: case 265: return true; } } return false; } function isReusableEnumMember(node) { return node.kind === 306; } function isReusableTypeMember(node) { if (node) { switch (node.kind) { case 180: case 173: case 181: case 171: case 179: return true; } } return false; } function isReusableVariableDeclaration(node) { if (node.kind !== 260) { return false; } const variableDeclarator = node; return variableDeclarator.initializer === void 0; } function isReusableParameter(node) { if (node.kind !== 169) { return false; } const parameter = node; return parameter.initializer === void 0; } function abortParsingListOrMoveToNextToken(kind) { parsingContextErrors(kind); if (isInSomeParsingContext()) { return true; } nextToken(); return false; } function parsingContextErrors(context) { switch (context) { case 0: return token() === 90 ? parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString( 95 /* ExportKeyword */ )) : parseErrorAtCurrentToken(Diagnostics.Declaration_or_statement_expected); case 1: return parseErrorAtCurrentToken(Diagnostics.Declaration_or_statement_expected); case 2: return parseErrorAtCurrentToken(Diagnostics.case_or_default_expected); case 3: return parseErrorAtCurrentToken(Diagnostics.Statement_expected); case 18: case 4: return parseErrorAtCurrentToken(Diagnostics.Property_or_signature_expected); case 5: return parseErrorAtCurrentToken(Diagnostics.Unexpected_token_A_constructor_method_accessor_or_property_was_expected); case 6: return parseErrorAtCurrentToken(Diagnostics.Enum_member_expected); case 7: return parseErrorAtCurrentToken(Diagnostics.Expression_expected); case 8: return isKeyword2(token()) ? parseErrorAtCurrentToken(Diagnostics._0_is_not_allowed_as_a_variable_declaration_name, tokenToString(token())) : parseErrorAtCurrentToken(Diagnostics.Variable_declaration_expected); case 9: return parseErrorAtCurrentToken(Diagnostics.Property_destructuring_pattern_expected); case 10: return parseErrorAtCurrentToken(Diagnostics.Array_element_destructuring_pattern_expected); case 11: return parseErrorAtCurrentToken(Diagnostics.Argument_expression_expected); case 12: return parseErrorAtCurrentToken(Diagnostics.Property_assignment_expected); case 15: return parseErrorAtCurrentToken(Diagnostics.Expression_or_comma_expected); case 17: return parseErrorAtCurrentToken(Diagnostics.Parameter_declaration_expected); case 16: return isKeyword2(token()) ? parseErrorAtCurrentToken(Diagnostics._0_is_not_allowed_as_a_parameter_name, tokenToString(token())) : parseErrorAtCurrentToken(Diagnostics.Parameter_declaration_expected); case 19: return parseErrorAtCurrentToken(Diagnostics.Type_parameter_declaration_expected); case 20: return parseErrorAtCurrentToken(Diagnostics.Type_argument_expected); case 21: return parseErrorAtCurrentToken(Diagnostics.Type_expected); case 22: return parseErrorAtCurrentToken(Diagnostics.Unexpected_token_expected); case 23: if (token() === 161) { return parseErrorAtCurrentToken(Diagnostics._0_expected, "}"); } return parseErrorAtCurrentToken(Diagnostics.Identifier_expected); case 13: return parseErrorAtCurrentToken(Diagnostics.Identifier_expected); case 14: return parseErrorAtCurrentToken(Diagnostics.Identifier_expected); case 24: return parseErrorAtCurrentToken(Diagnostics.Identifier_or_string_literal_expected); case 25: return parseErrorAtCurrentToken(Diagnostics.Identifier_expected); case 26: return Debug.fail("ParsingContext.Count used as a context"); default: Debug.assertNever(context); } } function parseDelimitedList(kind, parseElement, considerSemicolonAsDelimiter) { const saveParsingContext = parsingContext; parsingContext |= 1 << kind; const list = []; const listPos = getNodePos(); let commaStart = -1; while (true) { if (isListElement2( kind, /*inErrorRecovery*/ false )) { const startPos = scanner2.getTokenFullStart(); const result = parseListElement(kind, parseElement); if (!result) { parsingContext = saveParsingContext; return void 0; } list.push(result); commaStart = scanner2.getTokenStart(); if (parseOptional( 28 /* CommaToken */ )) { continue; } commaStart = -1; if (isListTerminator(kind)) { break; } parseExpected(28, getExpectedCommaDiagnostic(kind)); if (considerSemicolonAsDelimiter && token() === 27 && !scanner2.hasPrecedingLineBreak()) { nextToken(); } if (startPos === scanner2.getTokenFullStart()) { nextToken(); } continue; } if (isListTerminator(kind)) { break; } if (abortParsingListOrMoveToNextToken(kind)) { break; } } parsingContext = saveParsingContext; return createNodeArray( list, listPos, /*end*/ void 0, commaStart >= 0 ); } function getExpectedCommaDiagnostic(kind) { return kind === 6 ? Diagnostics.An_enum_member_name_must_be_followed_by_a_or : void 0; } function createMissingList() { const list = createNodeArray([], getNodePos()); list.isMissingList = true; return list; } function isMissingList(arr) { return !!arr.isMissingList; } function parseBracketedList(kind, parseElement, open, close) { if (parseExpected(open)) { const result = parseDelimitedList(kind, parseElement); parseExpected(close); return result; } return createMissingList(); } function parseEntityName(allowReservedWords, diagnosticMessage) { const pos = getNodePos(); let entity = allowReservedWords ? parseIdentifierName(diagnosticMessage) : parseIdentifier(diagnosticMessage); while (parseOptional( 25 /* DotToken */ )) { if (token() === 30) { break; } entity = finishNode( factory2.createQualifiedName( entity, parseRightSideOfDot( allowReservedWords, /*allowPrivateIdentifiers*/ false, /*allowUnicodeEscapeSequenceInIdentifierName*/ true ) ), pos ); } return entity; } function createQualifiedName(entity, name) { return finishNode(factory2.createQualifiedName(entity, name), entity.pos); } function parseRightSideOfDot(allowIdentifierNames, allowPrivateIdentifiers, allowUnicodeEscapeSequenceInIdentifierName) { if (scanner2.hasPrecedingLineBreak() && tokenIsIdentifierOrKeyword(token())) { const matchesPattern = lookAhead(nextTokenIsIdentifierOrKeywordOnSameLine); if (matchesPattern) { return createMissingNode( 80, /*reportAtCurrentPosition*/ true, Diagnostics.Identifier_expected ); } } if (token() === 81) { const node = parsePrivateIdentifier(); return allowPrivateIdentifiers ? node : createMissingNode( 80, /*reportAtCurrentPosition*/ true, Diagnostics.Identifier_expected ); } if (allowIdentifierNames) { return allowUnicodeEscapeSequenceInIdentifierName ? parseIdentifierName() : parseIdentifierNameErrorOnUnicodeEscapeSequence(); } return parseIdentifier(); } function parseTemplateSpans(isTaggedTemplate) { const pos = getNodePos(); const list = []; let node; do { node = parseTemplateSpan(isTaggedTemplate); list.push(node); } while (node.literal.kind === 17); return createNodeArray(list, pos); } function parseTemplateExpression(isTaggedTemplate) { const pos = getNodePos(); return finishNode( factory2.createTemplateExpression( parseTemplateHead(isTaggedTemplate), parseTemplateSpans(isTaggedTemplate) ), pos ); } function parseTemplateType() { const pos = getNodePos(); return finishNode( factory2.createTemplateLiteralType( parseTemplateHead( /*isTaggedTemplate*/ false ), parseTemplateTypeSpans() ), pos ); } function parseTemplateTypeSpans() { const pos = getNodePos(); const list = []; let node; do { node = parseTemplateTypeSpan(); list.push(node); } while (node.literal.kind === 17); return createNodeArray(list, pos); } function parseTemplateTypeSpan() { const pos = getNodePos(); return finishNode( factory2.createTemplateLiteralTypeSpan( parseType(), parseLiteralOfTemplateSpan( /*isTaggedTemplate*/ false ) ), pos ); } function parseLiteralOfTemplateSpan(isTaggedTemplate) { if (token() === 20) { reScanTemplateToken(isTaggedTemplate); return parseTemplateMiddleOrTemplateTail(); } else { return parseExpectedToken(18, Diagnostics._0_expected, tokenToString( 20 /* CloseBraceToken */ )); } } function parseTemplateSpan(isTaggedTemplate) { const pos = getNodePos(); return finishNode( factory2.createTemplateSpan( allowInAnd(parseExpression), parseLiteralOfTemplateSpan(isTaggedTemplate) ), pos ); } function parseLiteralNode() { return parseLiteralLikeNode(token()); } function parseTemplateHead(isTaggedTemplate) { if (!isTaggedTemplate && scanner2.getTokenFlags() & 26656) { reScanTemplateToken( /*isTaggedTemplate*/ false ); } const fragment = parseLiteralLikeNode(token()); Debug.assert(fragment.kind === 16, "Template head has wrong token kind"); return fragment; } function parseTemplateMiddleOrTemplateTail() { const fragment = parseLiteralLikeNode(token()); Debug.assert(fragment.kind === 17 || fragment.kind === 18, "Template fragment has wrong token kind"); return fragment; } function getTemplateLiteralRawText(kind) { const isLast = kind === 15 || kind === 18; const tokenText = scanner2.getTokenText(); return tokenText.substring(1, tokenText.length - (scanner2.isUnterminated() ? 0 : isLast ? 1 : 2)); } function parseLiteralLikeNode(kind) { const pos = getNodePos(); const node = isTemplateLiteralKind(kind) ? factory2.createTemplateLiteralLikeNode( kind, scanner2.getTokenValue(), getTemplateLiteralRawText(kind), scanner2.getTokenFlags() & 7176 /* TemplateLiteralLikeFlags */ ) : ( // Note that theoretically the following condition would hold true literals like 009, // which is not octal. But because of how the scanner separates the tokens, we would // never get a token like this. Instead, we would get 00 and 9 as two separate tokens. // We also do not need to check for negatives because any prefix operator would be part of a // parent unary expression. kind === 9 ? factoryCreateNumericLiteral(scanner2.getTokenValue(), scanner2.getNumericLiteralFlags()) : kind === 11 ? factoryCreateStringLiteral( scanner2.getTokenValue(), /*isSingleQuote*/ void 0, scanner2.hasExtendedUnicodeEscape() ) : isLiteralKind(kind) ? factoryCreateLiteralLikeNode(kind, scanner2.getTokenValue()) : Debug.fail() ); if (scanner2.hasExtendedUnicodeEscape()) { node.hasExtendedUnicodeEscape = true; } if (scanner2.isUnterminated()) { node.isUnterminated = true; } nextToken(); return finishNode(node, pos); } function parseEntityNameOfTypeReference() { return parseEntityName( /*allowReservedWords*/ true, Diagnostics.Type_expected ); } function parseTypeArgumentsOfTypeReference() { if (!scanner2.hasPrecedingLineBreak() && reScanLessThanToken() === 30) { return parseBracketedList( 20, parseType, 30, 32 /* GreaterThanToken */ ); } } function parseTypeReference() { const pos = getNodePos(); return finishNode( factory2.createTypeReferenceNode( parseEntityNameOfTypeReference(), parseTypeArgumentsOfTypeReference() ), pos ); } function typeHasArrowFunctionBlockingParseError(node) { switch (node.kind) { case 183: return nodeIsMissing(node.typeName); case 184: case 185: { const { parameters, type } = node; return isMissingList(parameters) || typeHasArrowFunctionBlockingParseError(type); } case 196: return typeHasArrowFunctionBlockingParseError(node.type); default: return false; } } function parseThisTypePredicate(lhs) { nextToken(); return finishNode(factory2.createTypePredicateNode( /*assertsModifier*/ void 0, lhs, parseType() ), lhs.pos); } function parseThisTypeNode() { const pos = getNodePos(); nextToken(); return finishNode(factory2.createThisTypeNode(), pos); } function parseJSDocAllType() { const pos = getNodePos(); nextToken(); return finishNode(factory2.createJSDocAllType(), pos); } function parseJSDocNonNullableType() { const pos = getNodePos(); nextToken(); return finishNode(factory2.createJSDocNonNullableType( parseNonArrayType(), /*postfix*/ false ), pos); } function parseJSDocUnknownOrNullableType() { const pos = getNodePos(); nextToken(); if (token() === 28 || token() === 20 || token() === 22 || token() === 32 || token() === 64 || token() === 52) { return finishNode(factory2.createJSDocUnknownType(), pos); } else { return finishNode(factory2.createJSDocNullableType( parseType(), /*postfix*/ false ), pos); } } function parseJSDocFunctionType() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); if (tryParse(nextTokenIsOpenParen)) { const parameters = parseParameters( 4 | 32 /* JSDoc */ ); const type = parseReturnType( 59, /*isType*/ false ); return withJSDoc(finishNode(factory2.createJSDocFunctionType(parameters, type), pos), hasJSDoc); } return finishNode(factory2.createTypeReferenceNode( parseIdentifierName(), /*typeArguments*/ void 0 ), pos); } function parseJSDocParameter() { const pos = getNodePos(); let name; if (token() === 110 || token() === 105) { name = parseIdentifierName(); parseExpected( 59 /* ColonToken */ ); } return finishNode( factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, // TODO(rbuckton): JSDoc parameters don't have names (except `this`/`new`), should we manufacture an empty identifier? name, /*questionToken*/ void 0, parseJSDocType(), /*initializer*/ void 0 ), pos ); } function parseJSDocType() { scanner2.setSkipJsDocLeadingAsterisks(true); const pos = getNodePos(); if (parseOptional( 144 /* ModuleKeyword */ )) { const moduleTag = factory2.createJSDocNamepathType( /*type*/ void 0 ); terminate: while (true) { switch (token()) { case 20: case 1: case 28: case 5: break terminate; default: nextTokenJSDoc(); } } scanner2.setSkipJsDocLeadingAsterisks(false); return finishNode(moduleTag, pos); } const hasDotDotDot = parseOptional( 26 /* DotDotDotToken */ ); let type = parseTypeOrTypePredicate(); scanner2.setSkipJsDocLeadingAsterisks(false); if (hasDotDotDot) { type = finishNode(factory2.createJSDocVariadicType(type), pos); } if (token() === 64) { nextToken(); return finishNode(factory2.createJSDocOptionalType(type), pos); } return type; } function parseTypeQuery() { const pos = getNodePos(); parseExpected( 114 /* TypeOfKeyword */ ); const entityName = parseEntityName( /*allowReservedWords*/ true ); const typeArguments = !scanner2.hasPrecedingLineBreak() ? tryParseTypeArguments() : void 0; return finishNode(factory2.createTypeQueryNode(entityName, typeArguments), pos); } function parseTypeParameter() { const pos = getNodePos(); const modifiers = parseModifiers( /*allowDecorators*/ false, /*permitConstAsModifier*/ true ); const name = parseIdentifier(); let constraint; let expression; if (parseOptional( 96 /* ExtendsKeyword */ )) { if (isStartOfType() || !isStartOfExpression()) { constraint = parseType(); } else { expression = parseUnaryExpressionOrHigher(); } } const defaultType = parseOptional( 64 /* EqualsToken */ ) ? parseType() : void 0; const node = factory2.createTypeParameterDeclaration(modifiers, name, constraint, defaultType); node.expression = expression; return finishNode(node, pos); } function parseTypeParameters() { if (token() === 30) { return parseBracketedList( 19, parseTypeParameter, 30, 32 /* GreaterThanToken */ ); } } function isStartOfParameter(isJSDocParameter) { return token() === 26 || isBindingIdentifierOrPrivateIdentifierOrPattern() || isModifierKind(token()) || token() === 60 || isStartOfType( /*inStartOfParameter*/ !isJSDocParameter ); } function parseNameOfParameter(modifiers) { const name = parseIdentifierOrPattern(Diagnostics.Private_identifiers_cannot_be_used_as_parameters); if (getFullWidth(name) === 0 && !some(modifiers) && isModifierKind(token())) { nextToken(); } return name; } function isParameterNameStart() { return isBindingIdentifier() || token() === 23 || token() === 19; } function parseParameter(inOuterAwaitContext) { return parseParameterWorker(inOuterAwaitContext); } function parseParameterForSpeculation(inOuterAwaitContext) { return parseParameterWorker( inOuterAwaitContext, /*allowAmbiguity*/ false ); } function parseParameterWorker(inOuterAwaitContext, allowAmbiguity = true) { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const modifiers = inOuterAwaitContext ? doInAwaitContext(() => parseModifiers( /*allowDecorators*/ true )) : doOutsideOfAwaitContext(() => parseModifiers( /*allowDecorators*/ true )); if (token() === 110) { const node2 = factory2.createParameterDeclaration( modifiers, /*dotDotDotToken*/ void 0, createIdentifier( /*isIdentifier*/ true ), /*questionToken*/ void 0, parseTypeAnnotation(), /*initializer*/ void 0 ); const modifier = firstOrUndefined(modifiers); if (modifier) { parseErrorAtRange(modifier, Diagnostics.Neither_decorators_nor_modifiers_may_be_applied_to_this_parameters); } return withJSDoc(finishNode(node2, pos), hasJSDoc); } const savedTopLevel = topLevel; topLevel = false; const dotDotDotToken = parseOptionalToken( 26 /* DotDotDotToken */ ); if (!allowAmbiguity && !isParameterNameStart()) { return void 0; } const node = withJSDoc( finishNode( factory2.createParameterDeclaration( modifiers, dotDotDotToken, parseNameOfParameter(modifiers), parseOptionalToken( 58 /* QuestionToken */ ), parseTypeAnnotation(), parseInitializer() ), pos ), hasJSDoc ); topLevel = savedTopLevel; return node; } function parseReturnType(returnToken, isType) { if (shouldParseReturnType(returnToken, isType)) { return allowConditionalTypesAnd(parseTypeOrTypePredicate); } } function shouldParseReturnType(returnToken, isType) { if (returnToken === 39) { parseExpected(returnToken); return true; } else if (parseOptional( 59 /* ColonToken */ )) { return true; } else if (isType && token() === 39) { parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString( 59 /* ColonToken */ )); nextToken(); return true; } return false; } function parseParametersWorker(flags, allowAmbiguity) { const savedYieldContext = inYieldContext(); const savedAwaitContext = inAwaitContext(); setYieldContext(!!(flags & 1)); setAwaitContext(!!(flags & 2)); const parameters = flags & 32 ? parseDelimitedList(17, parseJSDocParameter) : parseDelimitedList(16, () => allowAmbiguity ? parseParameter(savedAwaitContext) : parseParameterForSpeculation(savedAwaitContext)); setYieldContext(savedYieldContext); setAwaitContext(savedAwaitContext); return parameters; } function parseParameters(flags) { if (!parseExpected( 21 /* OpenParenToken */ )) { return createMissingList(); } const parameters = parseParametersWorker( flags, /*allowAmbiguity*/ true ); parseExpected( 22 /* CloseParenToken */ ); return parameters; } function parseTypeMemberSemicolon() { if (parseOptional( 28 /* CommaToken */ )) { return; } parseSemicolon(); } function parseSignatureMember(kind) { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); if (kind === 180) { parseExpected( 105 /* NewKeyword */ ); } const typeParameters = parseTypeParameters(); const parameters = parseParameters( 4 /* Type */ ); const type = parseReturnType( 59, /*isType*/ true ); parseTypeMemberSemicolon(); const node = kind === 179 ? factory2.createCallSignature(typeParameters, parameters, type) : factory2.createConstructSignature(typeParameters, parameters, type); return withJSDoc(finishNode(node, pos), hasJSDoc); } function isIndexSignature() { return token() === 23 && lookAhead(isUnambiguouslyIndexSignature); } function isUnambiguouslyIndexSignature() { nextToken(); if (token() === 26 || token() === 24) { return true; } if (isModifierKind(token())) { nextToken(); if (isIdentifier2()) { return true; } } else if (!isIdentifier2()) { return false; } else { nextToken(); } if (token() === 59 || token() === 28) { return true; } if (token() !== 58) { return false; } nextToken(); return token() === 59 || token() === 28 || token() === 24; } function parseIndexSignatureDeclaration(pos, hasJSDoc, modifiers) { const parameters = parseBracketedList( 16, () => parseParameter( /*inOuterAwaitContext*/ false ), 23, 24 /* CloseBracketToken */ ); const type = parseTypeAnnotation(); parseTypeMemberSemicolon(); const node = factory2.createIndexSignature(modifiers, parameters, type); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parsePropertyOrMethodSignature(pos, hasJSDoc, modifiers) { const name = parsePropertyName(); const questionToken = parseOptionalToken( 58 /* QuestionToken */ ); let node; if (token() === 21 || token() === 30) { const typeParameters = parseTypeParameters(); const parameters = parseParameters( 4 /* Type */ ); const type = parseReturnType( 59, /*isType*/ true ); node = factory2.createMethodSignature(modifiers, name, questionToken, typeParameters, parameters, type); } else { const type = parseTypeAnnotation(); node = factory2.createPropertySignature(modifiers, name, questionToken, type); if (token() === 64) node.initializer = parseInitializer(); } parseTypeMemberSemicolon(); return withJSDoc(finishNode(node, pos), hasJSDoc); } function isTypeMemberStart() { if (token() === 21 || token() === 30 || token() === 139 || token() === 153) { return true; } let idToken = false; while (isModifierKind(token())) { idToken = true; nextToken(); } if (token() === 23) { return true; } if (isLiteralPropertyName()) { idToken = true; nextToken(); } if (idToken) { return token() === 21 || token() === 30 || token() === 58 || token() === 59 || token() === 28 || canParseSemicolon(); } return false; } function parseTypeMember() { if (token() === 21 || token() === 30) { return parseSignatureMember( 179 /* CallSignature */ ); } if (token() === 105 && lookAhead(nextTokenIsOpenParenOrLessThan)) { return parseSignatureMember( 180 /* ConstructSignature */ ); } const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const modifiers = parseModifiers( /*allowDecorators*/ false ); if (parseContextualModifier( 139 /* GetKeyword */ )) { return parseAccessorDeclaration( pos, hasJSDoc, modifiers, 177, 4 /* Type */ ); } if (parseContextualModifier( 153 /* SetKeyword */ )) { return parseAccessorDeclaration( pos, hasJSDoc, modifiers, 178, 4 /* Type */ ); } if (isIndexSignature()) { return parseIndexSignatureDeclaration(pos, hasJSDoc, modifiers); } return parsePropertyOrMethodSignature(pos, hasJSDoc, modifiers); } function nextTokenIsOpenParenOrLessThan() { nextToken(); return token() === 21 || token() === 30; } function nextTokenIsDot() { return nextToken() === 25; } function nextTokenIsOpenParenOrLessThanOrDot() { switch (nextToken()) { case 21: case 30: case 25: return true; } return false; } function parseTypeLiteral() { const pos = getNodePos(); return finishNode(factory2.createTypeLiteralNode(parseObjectTypeMembers()), pos); } function parseObjectTypeMembers() { let members; if (parseExpected( 19 /* OpenBraceToken */ )) { members = parseList(4, parseTypeMember); parseExpected( 20 /* CloseBraceToken */ ); } else { members = createMissingList(); } return members; } function isStartOfMappedType() { nextToken(); if (token() === 40 || token() === 41) { return nextToken() === 148; } if (token() === 148) { nextToken(); } return token() === 23 && nextTokenIsIdentifier() && nextToken() === 103; } function parseMappedTypeParameter() { const pos = getNodePos(); const name = parseIdentifierName(); parseExpected( 103 /* InKeyword */ ); const type = parseType(); return finishNode(factory2.createTypeParameterDeclaration( /*modifiers*/ void 0, name, type, /*defaultType*/ void 0 ), pos); } function parseMappedType() { const pos = getNodePos(); parseExpected( 19 /* OpenBraceToken */ ); let readonlyToken; if (token() === 148 || token() === 40 || token() === 41) { readonlyToken = parseTokenNode(); if (readonlyToken.kind !== 148) { parseExpected( 148 /* ReadonlyKeyword */ ); } } parseExpected( 23 /* OpenBracketToken */ ); const typeParameter = parseMappedTypeParameter(); const nameType = parseOptional( 130 /* AsKeyword */ ) ? parseType() : void 0; parseExpected( 24 /* CloseBracketToken */ ); let questionToken; if (token() === 58 || token() === 40 || token() === 41) { questionToken = parseTokenNode(); if (questionToken.kind !== 58) { parseExpected( 58 /* QuestionToken */ ); } } const type = parseTypeAnnotation(); parseSemicolon(); const members = parseList(4, parseTypeMember); parseExpected( 20 /* CloseBraceToken */ ); return finishNode(factory2.createMappedTypeNode(readonlyToken, typeParameter, nameType, questionToken, type, members), pos); } function parseTupleElementType() { const pos = getNodePos(); if (parseOptional( 26 /* DotDotDotToken */ )) { return finishNode(factory2.createRestTypeNode(parseType()), pos); } const type = parseType(); if (isJSDocNullableType(type) && type.pos === type.type.pos) { const node = factory2.createOptionalTypeNode(type.type); setTextRange(node, type); node.flags = type.flags; return node; } return type; } function isNextTokenColonOrQuestionColon() { return nextToken() === 59 || token() === 58 && nextToken() === 59; } function isTupleElementName() { if (token() === 26) { return tokenIsIdentifierOrKeyword(nextToken()) && isNextTokenColonOrQuestionColon(); } return tokenIsIdentifierOrKeyword(token()) && isNextTokenColonOrQuestionColon(); } function parseTupleElementNameOrTupleElementType() { if (lookAhead(isTupleElementName)) { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const dotDotDotToken = parseOptionalToken( 26 /* DotDotDotToken */ ); const name = parseIdentifierName(); const questionToken = parseOptionalToken( 58 /* QuestionToken */ ); parseExpected( 59 /* ColonToken */ ); const type = parseTupleElementType(); const node = factory2.createNamedTupleMember(dotDotDotToken, name, questionToken, type); return withJSDoc(finishNode(node, pos), hasJSDoc); } return parseTupleElementType(); } function parseTupleType() { const pos = getNodePos(); return finishNode( factory2.createTupleTypeNode( parseBracketedList( 21, parseTupleElementNameOrTupleElementType, 23, 24 /* CloseBracketToken */ ) ), pos ); } function parseParenthesizedType() { const pos = getNodePos(); parseExpected( 21 /* OpenParenToken */ ); const type = parseType(); parseExpected( 22 /* CloseParenToken */ ); return finishNode(factory2.createParenthesizedType(type), pos); } function parseModifiersForConstructorType() { let modifiers; if (token() === 128) { const pos = getNodePos(); nextToken(); const modifier = finishNode(factoryCreateToken( 128 /* AbstractKeyword */ ), pos); modifiers = createNodeArray([modifier], pos); } return modifiers; } function parseFunctionOrConstructorType() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const modifiers = parseModifiersForConstructorType(); const isConstructorType = parseOptional( 105 /* NewKeyword */ ); Debug.assert(!modifiers || isConstructorType, "Per isStartOfFunctionOrConstructorType, a function type cannot have modifiers."); const typeParameters = parseTypeParameters(); const parameters = parseParameters( 4 /* Type */ ); const type = parseReturnType( 39, /*isType*/ false ); const node = isConstructorType ? factory2.createConstructorTypeNode(modifiers, typeParameters, parameters, type) : factory2.createFunctionTypeNode(typeParameters, parameters, type); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseKeywordAndNoDot() { const node = parseTokenNode(); return token() === 25 ? void 0 : node; } function parseLiteralTypeNode(negative) { const pos = getNodePos(); if (negative) { nextToken(); } let expression = token() === 112 || token() === 97 || token() === 106 ? parseTokenNode() : parseLiteralLikeNode(token()); if (negative) { expression = finishNode(factory2.createPrefixUnaryExpression(41, expression), pos); } return finishNode(factory2.createLiteralTypeNode(expression), pos); } function isStartOfTypeOfImportType() { nextToken(); return token() === 102; } function parseImportType() { sourceFlags |= 4194304; const pos = getNodePos(); const isTypeOf = parseOptional( 114 /* TypeOfKeyword */ ); parseExpected( 102 /* ImportKeyword */ ); parseExpected( 21 /* OpenParenToken */ ); const type = parseType(); let attributes; if (parseOptional( 28 /* CommaToken */ )) { const openBracePosition = scanner2.getTokenStart(); parseExpected( 19 /* OpenBraceToken */ ); const currentToken2 = token(); if (currentToken2 === 118 || currentToken2 === 132) { nextToken(); } else { parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString( 118 /* WithKeyword */ )); } parseExpected( 59 /* ColonToken */ ); attributes = parseImportAttributes( currentToken2, /*skipKeyword*/ true ); if (!parseExpected( 20 /* CloseBraceToken */ )) { const lastError = lastOrUndefined(parseDiagnostics); if (lastError && lastError.code === Diagnostics._0_expected.code) { addRelatedInfo( lastError, createDetachedDiagnostic(fileName, sourceText, openBracePosition, 1, Diagnostics.The_parser_expected_to_find_a_1_to_match_the_0_token_here, "{", "}") ); } } } parseExpected( 22 /* CloseParenToken */ ); const qualifier = parseOptional( 25 /* DotToken */ ) ? parseEntityNameOfTypeReference() : void 0; const typeArguments = parseTypeArgumentsOfTypeReference(); return finishNode(factory2.createImportTypeNode(type, attributes, qualifier, typeArguments, isTypeOf), pos); } function nextTokenIsNumericOrBigIntLiteral() { nextToken(); return token() === 9 || token() === 10; } function parseNonArrayType() { switch (token()) { case 133: case 159: case 154: case 150: case 163: case 155: case 136: case 157: case 146: case 151: return tryParse(parseKeywordAndNoDot) || parseTypeReference(); case 67: scanner2.reScanAsteriskEqualsToken(); case 42: return parseJSDocAllType(); case 61: scanner2.reScanQuestionToken(); case 58: return parseJSDocUnknownOrNullableType(); case 100: return parseJSDocFunctionType(); case 54: return parseJSDocNonNullableType(); case 15: case 11: case 9: case 10: case 112: case 97: case 106: return parseLiteralTypeNode(); case 41: return lookAhead(nextTokenIsNumericOrBigIntLiteral) ? parseLiteralTypeNode( /*negative*/ true ) : parseTypeReference(); case 116: return parseTokenNode(); case 110: { const thisKeyword = parseThisTypeNode(); if (token() === 142 && !scanner2.hasPrecedingLineBreak()) { return parseThisTypePredicate(thisKeyword); } else { return thisKeyword; } } case 114: return lookAhead(isStartOfTypeOfImportType) ? parseImportType() : parseTypeQuery(); case 19: return lookAhead(isStartOfMappedType) ? parseMappedType() : parseTypeLiteral(); case 23: return parseTupleType(); case 21: return parseParenthesizedType(); case 102: return parseImportType(); case 131: return lookAhead(nextTokenIsIdentifierOrKeywordOnSameLine) ? parseAssertsTypePredicate() : parseTypeReference(); case 16: return parseTemplateType(); default: return parseTypeReference(); } } function isStartOfType(inStartOfParameter) { switch (token()) { case 133: case 159: case 154: case 150: case 163: case 136: case 148: case 155: case 158: case 116: case 157: case 106: case 110: case 114: case 146: case 19: case 23: case 30: case 52: case 51: case 105: case 11: case 9: case 10: case 112: case 97: case 151: case 42: case 58: case 54: case 26: case 140: case 102: case 131: case 15: case 16: return true; case 100: return !inStartOfParameter; case 41: return !inStartOfParameter && lookAhead(nextTokenIsNumericOrBigIntLiteral); case 21: return !inStartOfParameter && lookAhead(isStartOfParenthesizedOrFunctionType); default: return isIdentifier2(); } } function isStartOfParenthesizedOrFunctionType() { nextToken(); return token() === 22 || isStartOfParameter( /*isJSDocParameter*/ false ) || isStartOfType(); } function parsePostfixTypeOrHigher() { const pos = getNodePos(); let type = parseNonArrayType(); while (!scanner2.hasPrecedingLineBreak()) { switch (token()) { case 54: nextToken(); type = finishNode(factory2.createJSDocNonNullableType( type, /*postfix*/ true ), pos); break; case 58: if (lookAhead(nextTokenIsStartOfType)) { return type; } nextToken(); type = finishNode(factory2.createJSDocNullableType( type, /*postfix*/ true ), pos); break; case 23: parseExpected( 23 /* OpenBracketToken */ ); if (isStartOfType()) { const indexType = parseType(); parseExpected( 24 /* CloseBracketToken */ ); type = finishNode(factory2.createIndexedAccessTypeNode(type, indexType), pos); } else { parseExpected( 24 /* CloseBracketToken */ ); type = finishNode(factory2.createArrayTypeNode(type), pos); } break; default: return type; } } return type; } function parseTypeOperator(operator) { const pos = getNodePos(); parseExpected(operator); return finishNode(factory2.createTypeOperatorNode(operator, parseTypeOperatorOrHigher()), pos); } function tryParseConstraintOfInferType() { if (parseOptional( 96 /* ExtendsKeyword */ )) { const constraint = disallowConditionalTypesAnd(parseType); if (inDisallowConditionalTypesContext() || token() !== 58) { return constraint; } } } function parseTypeParameterOfInferType() { const pos = getNodePos(); const name = parseIdentifier(); const constraint = tryParse(tryParseConstraintOfInferType); const node = factory2.createTypeParameterDeclaration( /*modifiers*/ void 0, name, constraint ); return finishNode(node, pos); } function parseInferType() { const pos = getNodePos(); parseExpected( 140 /* InferKeyword */ ); return finishNode(factory2.createInferTypeNode(parseTypeParameterOfInferType()), pos); } function parseTypeOperatorOrHigher() { const operator = token(); switch (operator) { case 143: case 158: case 148: return parseTypeOperator(operator); case 140: return parseInferType(); } return allowConditionalTypesAnd(parsePostfixTypeOrHigher); } function parseFunctionOrConstructorTypeToError(isInUnionType) { if (isStartOfFunctionTypeOrConstructorType()) { const type = parseFunctionOrConstructorType(); let diagnostic; if (isFunctionTypeNode(type)) { diagnostic = isInUnionType ? Diagnostics.Function_type_notation_must_be_parenthesized_when_used_in_a_union_type : Diagnostics.Function_type_notation_must_be_parenthesized_when_used_in_an_intersection_type; } else { diagnostic = isInUnionType ? Diagnostics.Constructor_type_notation_must_be_parenthesized_when_used_in_a_union_type : Diagnostics.Constructor_type_notation_must_be_parenthesized_when_used_in_an_intersection_type; } parseErrorAtRange(type, diagnostic); return type; } return void 0; } function parseUnionOrIntersectionType(operator, parseConstituentType, createTypeNode) { const pos = getNodePos(); const isUnionType = operator === 52; const hasLeadingOperator = parseOptional(operator); let type = hasLeadingOperator && parseFunctionOrConstructorTypeToError(isUnionType) || parseConstituentType(); if (token() === operator || hasLeadingOperator) { const types = [type]; while (parseOptional(operator)) { types.push(parseFunctionOrConstructorTypeToError(isUnionType) || parseConstituentType()); } type = finishNode(createTypeNode(createNodeArray(types, pos)), pos); } return type; } function parseIntersectionTypeOrHigher() { return parseUnionOrIntersectionType(51, parseTypeOperatorOrHigher, factory2.createIntersectionTypeNode); } function parseUnionTypeOrHigher() { return parseUnionOrIntersectionType(52, parseIntersectionTypeOrHigher, factory2.createUnionTypeNode); } function nextTokenIsNewKeyword() { nextToken(); return token() === 105; } function isStartOfFunctionTypeOrConstructorType() { if (token() === 30) { return true; } if (token() === 21 && lookAhead(isUnambiguouslyStartOfFunctionType)) { return true; } return token() === 105 || token() === 128 && lookAhead(nextTokenIsNewKeyword); } function skipParameterStart() { if (isModifierKind(token())) { parseModifiers( /*allowDecorators*/ false ); } if (isIdentifier2() || token() === 110) { nextToken(); return true; } if (token() === 23 || token() === 19) { const previousErrorCount = parseDiagnostics.length; parseIdentifierOrPattern(); return previousErrorCount === parseDiagnostics.length; } return false; } function isUnambiguouslyStartOfFunctionType() { nextToken(); if (token() === 22 || token() === 26) { return true; } if (skipParameterStart()) { if (token() === 59 || token() === 28 || token() === 58 || token() === 64) { return true; } if (token() === 22) { nextToken(); if (token() === 39) { return true; } } } return false; } function parseTypeOrTypePredicate() { const pos = getNodePos(); const typePredicateVariable = isIdentifier2() && tryParse(parseTypePredicatePrefix); const type = parseType(); if (typePredicateVariable) { return finishNode(factory2.createTypePredicateNode( /*assertsModifier*/ void 0, typePredicateVariable, type ), pos); } else { return type; } } function parseTypePredicatePrefix() { const id = parseIdentifier(); if (token() === 142 && !scanner2.hasPrecedingLineBreak()) { nextToken(); return id; } } function parseAssertsTypePredicate() { const pos = getNodePos(); const assertsModifier = parseExpectedToken( 131 /* AssertsKeyword */ ); const parameterName = token() === 110 ? parseThisTypeNode() : parseIdentifier(); const type = parseOptional( 142 /* IsKeyword */ ) ? parseType() : void 0; return finishNode(factory2.createTypePredicateNode(assertsModifier, parameterName, type), pos); } function parseType() { if (contextFlags & 81920) { return doOutsideOfContext(81920, parseType); } if (isStartOfFunctionTypeOrConstructorType()) { return parseFunctionOrConstructorType(); } const pos = getNodePos(); const type = parseUnionTypeOrHigher(); if (!inDisallowConditionalTypesContext() && !scanner2.hasPrecedingLineBreak() && parseOptional( 96 /* ExtendsKeyword */ )) { const extendsType = disallowConditionalTypesAnd(parseType); parseExpected( 58 /* QuestionToken */ ); const trueType = allowConditionalTypesAnd(parseType); parseExpected( 59 /* ColonToken */ ); const falseType = allowConditionalTypesAnd(parseType); return finishNode(factory2.createConditionalTypeNode(type, extendsType, trueType, falseType), pos); } return type; } function parseTypeAnnotation() { return parseOptional( 59 /* ColonToken */ ) ? parseType() : void 0; } function isStartOfLeftHandSideExpression() { switch (token()) { case 110: case 108: case 106: case 112: case 97: case 9: case 10: case 11: case 15: case 16: case 21: case 23: case 19: case 100: case 86: case 105: case 44: case 69: case 80: return true; case 102: return lookAhead(nextTokenIsOpenParenOrLessThanOrDot); default: return isIdentifier2(); } } function isStartOfExpression() { if (isStartOfLeftHandSideExpression()) { return true; } switch (token()) { case 40: case 41: case 55: case 54: case 91: case 114: case 116: case 46: case 47: case 30: case 135: case 127: case 81: case 60: return true; default: if (isBinaryOperator2()) { return true; } return isIdentifier2(); } } function isStartOfExpressionStatement() { return token() !== 19 && token() !== 100 && token() !== 86 && token() !== 60 && isStartOfExpression(); } function parseExpression() { const saveDecoratorContext = inDecoratorContext(); if (saveDecoratorContext) { setDecoratorContext( /*val*/ false ); } const pos = getNodePos(); let expr = parseAssignmentExpressionOrHigher( /*allowReturnTypeInArrowFunction*/ true ); let operatorToken; while (operatorToken = parseOptionalToken( 28 /* CommaToken */ )) { expr = makeBinaryExpression(expr, operatorToken, parseAssignmentExpressionOrHigher( /*allowReturnTypeInArrowFunction*/ true ), pos); } if (saveDecoratorContext) { setDecoratorContext( /*val*/ true ); } return expr; } function parseInitializer() { return parseOptional( 64 /* EqualsToken */ ) ? parseAssignmentExpressionOrHigher( /*allowReturnTypeInArrowFunction*/ true ) : void 0; } function parseAssignmentExpressionOrHigher(allowReturnTypeInArrowFunction) { if (isYieldExpression2()) { return parseYieldExpression(); } const arrowExpression = tryParseParenthesizedArrowFunctionExpression(allowReturnTypeInArrowFunction) || tryParseAsyncSimpleArrowFunctionExpression(allowReturnTypeInArrowFunction); if (arrowExpression) { return arrowExpression; } const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const expr = parseBinaryExpressionOrHigher( 0 /* Lowest */ ); if (expr.kind === 80 && token() === 39) { return parseSimpleArrowFunctionExpression( pos, expr, allowReturnTypeInArrowFunction, hasJSDoc, /*asyncModifier*/ void 0 ); } if (isLeftHandSideExpression(expr) && isAssignmentOperator(reScanGreaterToken())) { return makeBinaryExpression(expr, parseTokenNode(), parseAssignmentExpressionOrHigher(allowReturnTypeInArrowFunction), pos); } return parseConditionalExpressionRest(expr, pos, allowReturnTypeInArrowFunction); } function isYieldExpression2() { if (token() === 127) { if (inYieldContext()) { return true; } return lookAhead(nextTokenIsIdentifierOrKeywordOrLiteralOnSameLine); } return false; } function nextTokenIsIdentifierOnSameLine() { nextToken(); return !scanner2.hasPrecedingLineBreak() && isIdentifier2(); } function parseYieldExpression() { const pos = getNodePos(); nextToken(); if (!scanner2.hasPrecedingLineBreak() && (token() === 42 || isStartOfExpression())) { return finishNode( factory2.createYieldExpression( parseOptionalToken( 42 /* AsteriskToken */ ), parseAssignmentExpressionOrHigher( /*allowReturnTypeInArrowFunction*/ true ) ), pos ); } else { return finishNode(factory2.createYieldExpression( /*asteriskToken*/ void 0, /*expression*/ void 0 ), pos); } } function parseSimpleArrowFunctionExpression(pos, identifier, allowReturnTypeInArrowFunction, hasJSDoc, asyncModifier) { Debug.assert(token() === 39, "parseSimpleArrowFunctionExpression should only have been called if we had a =>"); const parameter = factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, identifier, /*questionToken*/ void 0, /*type*/ void 0, /*initializer*/ void 0 ); finishNode(parameter, identifier.pos); const parameters = createNodeArray([parameter], parameter.pos, parameter.end); const equalsGreaterThanToken = parseExpectedToken( 39 /* EqualsGreaterThanToken */ ); const body = parseArrowFunctionExpressionBody( /*isAsync*/ !!asyncModifier, allowReturnTypeInArrowFunction ); const node = factory2.createArrowFunction( asyncModifier, /*typeParameters*/ void 0, parameters, /*type*/ void 0, equalsGreaterThanToken, body ); return withJSDoc(finishNode(node, pos), hasJSDoc); } function tryParseParenthesizedArrowFunctionExpression(allowReturnTypeInArrowFunction) { const triState = isParenthesizedArrowFunctionExpression(); if (triState === 0) { return void 0; } return triState === 1 ? parseParenthesizedArrowFunctionExpression( /*allowAmbiguity*/ true, /*allowReturnTypeInArrowFunction*/ true ) : tryParse(() => parsePossibleParenthesizedArrowFunctionExpression(allowReturnTypeInArrowFunction)); } function isParenthesizedArrowFunctionExpression() { if (token() === 21 || token() === 30 || token() === 134) { return lookAhead(isParenthesizedArrowFunctionExpressionWorker); } if (token() === 39) { return 1; } return 0; } function isParenthesizedArrowFunctionExpressionWorker() { if (token() === 134) { nextToken(); if (scanner2.hasPrecedingLineBreak()) { return 0; } if (token() !== 21 && token() !== 30) { return 0; } } const first2 = token(); const second = nextToken(); if (first2 === 21) { if (second === 22) { const third = nextToken(); switch (third) { case 39: case 59: case 19: return 1; default: return 0; } } if (second === 23 || second === 19) { return 2; } if (second === 26) { return 1; } if (isModifierKind(second) && second !== 134 && lookAhead(nextTokenIsIdentifier)) { if (nextToken() === 130) { return 0; } return 1; } if (!isIdentifier2() && second !== 110) { return 0; } switch (nextToken()) { case 59: return 1; case 58: nextToken(); if (token() === 59 || token() === 28 || token() === 64 || token() === 22) { return 1; } return 0; case 28: case 64: case 22: return 2; } return 0; } else { Debug.assert( first2 === 30 /* LessThanToken */ ); if (!isIdentifier2() && token() !== 87) { return 0; } if (languageVariant === 1) { const isArrowFunctionInJsx = lookAhead(() => { parseOptional( 87 /* ConstKeyword */ ); const third = nextToken(); if (third === 96) { const fourth = nextToken(); switch (fourth) { case 64: case 32: case 44: return false; default: return true; } } else if (third === 28 || third === 64) { return true; } return false; }); if (isArrowFunctionInJsx) { return 1; } return 0; } return 2; } } function parsePossibleParenthesizedArrowFunctionExpression(allowReturnTypeInArrowFunction) { const tokenPos = scanner2.getTokenStart(); if (notParenthesizedArrow == null ? void 0 : notParenthesizedArrow.has(tokenPos)) { return void 0; } const result = parseParenthesizedArrowFunctionExpression( /*allowAmbiguity*/ false, allowReturnTypeInArrowFunction ); if (!result) { (notParenthesizedArrow || (notParenthesizedArrow = /* @__PURE__ */ new Set())).add(tokenPos); } return result; } function tryParseAsyncSimpleArrowFunctionExpression(allowReturnTypeInArrowFunction) { if (token() === 134) { if (lookAhead(isUnParenthesizedAsyncArrowFunctionWorker) === 1) { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const asyncModifier = parseModifiersForArrowFunction(); const expr = parseBinaryExpressionOrHigher( 0 /* Lowest */ ); return parseSimpleArrowFunctionExpression(pos, expr, allowReturnTypeInArrowFunction, hasJSDoc, asyncModifier); } } return void 0; } function isUnParenthesizedAsyncArrowFunctionWorker() { if (token() === 134) { nextToken(); if (scanner2.hasPrecedingLineBreak() || token() === 39) { return 0; } const expr = parseBinaryExpressionOrHigher( 0 /* Lowest */ ); if (!scanner2.hasPrecedingLineBreak() && expr.kind === 80 && token() === 39) { return 1; } } return 0; } function parseParenthesizedArrowFunctionExpression(allowAmbiguity, allowReturnTypeInArrowFunction) { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const modifiers = parseModifiersForArrowFunction(); const isAsync2 = some(modifiers, isAsyncModifier) ? 2 : 0; const typeParameters = parseTypeParameters(); let parameters; if (!parseExpected( 21 /* OpenParenToken */ )) { if (!allowAmbiguity) { return void 0; } parameters = createMissingList(); } else { if (!allowAmbiguity) { const maybeParameters = parseParametersWorker(isAsync2, allowAmbiguity); if (!maybeParameters) { return void 0; } parameters = maybeParameters; } else { parameters = parseParametersWorker(isAsync2, allowAmbiguity); } if (!parseExpected( 22 /* CloseParenToken */ ) && !allowAmbiguity) { return void 0; } } const hasReturnColon = token() === 59; const type = parseReturnType( 59, /*isType*/ false ); if (type && !allowAmbiguity && typeHasArrowFunctionBlockingParseError(type)) { return void 0; } let unwrappedType = type; while ((unwrappedType == null ? void 0 : unwrappedType.kind) === 196) { unwrappedType = unwrappedType.type; } const hasJSDocFunctionType = unwrappedType && isJSDocFunctionType(unwrappedType); if (!allowAmbiguity && token() !== 39 && (hasJSDocFunctionType || token() !== 19)) { return void 0; } const lastToken = token(); const equalsGreaterThanToken = parseExpectedToken( 39 /* EqualsGreaterThanToken */ ); const body = lastToken === 39 || lastToken === 19 ? parseArrowFunctionExpressionBody(some(modifiers, isAsyncModifier), allowReturnTypeInArrowFunction) : parseIdentifier(); if (!allowReturnTypeInArrowFunction && hasReturnColon) { if (token() !== 59) { return void 0; } } const node = factory2.createArrowFunction(modifiers, typeParameters, parameters, type, equalsGreaterThanToken, body); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseArrowFunctionExpressionBody(isAsync2, allowReturnTypeInArrowFunction) { if (token() === 19) { return parseFunctionBlock( isAsync2 ? 2 : 0 /* None */ ); } if (token() !== 27 && token() !== 100 && token() !== 86 && isStartOfStatement() && !isStartOfExpressionStatement()) { return parseFunctionBlock(16 | (isAsync2 ? 2 : 0)); } const savedTopLevel = topLevel; topLevel = false; const node = isAsync2 ? doInAwaitContext(() => parseAssignmentExpressionOrHigher(allowReturnTypeInArrowFunction)) : doOutsideOfAwaitContext(() => parseAssignmentExpressionOrHigher(allowReturnTypeInArrowFunction)); topLevel = savedTopLevel; return node; } function parseConditionalExpressionRest(leftOperand, pos, allowReturnTypeInArrowFunction) { const questionToken = parseOptionalToken( 58 /* QuestionToken */ ); if (!questionToken) { return leftOperand; } let colonToken; return finishNode( factory2.createConditionalExpression( leftOperand, questionToken, doOutsideOfContext(disallowInAndDecoratorContext, () => parseAssignmentExpressionOrHigher( /*allowReturnTypeInArrowFunction*/ false )), colonToken = parseExpectedToken( 59 /* ColonToken */ ), nodeIsPresent(colonToken) ? parseAssignmentExpressionOrHigher(allowReturnTypeInArrowFunction) : createMissingNode( 80, /*reportAtCurrentPosition*/ false, Diagnostics._0_expected, tokenToString( 59 /* ColonToken */ ) ) ), pos ); } function parseBinaryExpressionOrHigher(precedence) { const pos = getNodePos(); const leftOperand = parseUnaryExpressionOrHigher(); return parseBinaryExpressionRest(precedence, leftOperand, pos); } function isInOrOfKeyword(t) { return t === 103 || t === 165; } function parseBinaryExpressionRest(precedence, leftOperand, pos) { while (true) { reScanGreaterToken(); const newPrecedence = getBinaryOperatorPrecedence(token()); const consumeCurrentOperator = token() === 43 ? newPrecedence >= precedence : newPrecedence > precedence; if (!consumeCurrentOperator) { break; } if (token() === 103 && inDisallowInContext()) { break; } if (token() === 130 || token() === 152) { if (scanner2.hasPrecedingLineBreak()) { break; } else { const keywordKind = token(); nextToken(); leftOperand = keywordKind === 152 ? makeSatisfiesExpression(leftOperand, parseType()) : makeAsExpression(leftOperand, parseType()); } } else { leftOperand = makeBinaryExpression(leftOperand, parseTokenNode(), parseBinaryExpressionOrHigher(newPrecedence), pos); } } return leftOperand; } function isBinaryOperator2() { if (inDisallowInContext() && token() === 103) { return false; } return getBinaryOperatorPrecedence(token()) > 0; } function makeSatisfiesExpression(left, right) { return finishNode(factory2.createSatisfiesExpression(left, right), left.pos); } function makeBinaryExpression(left, operatorToken, right, pos) { return finishNode(factory2.createBinaryExpression(left, operatorToken, right), pos); } function makeAsExpression(left, right) { return finishNode(factory2.createAsExpression(left, right), left.pos); } function parsePrefixUnaryExpression() { const pos = getNodePos(); return finishNode(factory2.createPrefixUnaryExpression(token(), nextTokenAnd(parseSimpleUnaryExpression)), pos); } function parseDeleteExpression() { const pos = getNodePos(); return finishNode(factory2.createDeleteExpression(nextTokenAnd(parseSimpleUnaryExpression)), pos); } function parseTypeOfExpression() { const pos = getNodePos(); return finishNode(factory2.createTypeOfExpression(nextTokenAnd(parseSimpleUnaryExpression)), pos); } function parseVoidExpression() { const pos = getNodePos(); return finishNode(factory2.createVoidExpression(nextTokenAnd(parseSimpleUnaryExpression)), pos); } function isAwaitExpression2() { if (token() === 135) { if (inAwaitContext()) { return true; } return lookAhead(nextTokenIsIdentifierOrKeywordOrLiteralOnSameLine); } return false; } function parseAwaitExpression() { const pos = getNodePos(); return finishNode(factory2.createAwaitExpression(nextTokenAnd(parseSimpleUnaryExpression)), pos); } function parseUnaryExpressionOrHigher() { if (isUpdateExpression()) { const pos = getNodePos(); const updateExpression = parseUpdateExpression(); return token() === 43 ? parseBinaryExpressionRest(getBinaryOperatorPrecedence(token()), updateExpression, pos) : updateExpression; } const unaryOperator = token(); const simpleUnaryExpression = parseSimpleUnaryExpression(); if (token() === 43) { const pos = skipTrivia(sourceText, simpleUnaryExpression.pos); const { end } = simpleUnaryExpression; if (simpleUnaryExpression.kind === 216) { parseErrorAt(pos, end, Diagnostics.A_type_assertion_expression_is_not_allowed_in_the_left_hand_side_of_an_exponentiation_expression_Consider_enclosing_the_expression_in_parentheses); } else { Debug.assert(isKeywordOrPunctuation(unaryOperator)); parseErrorAt(pos, end, Diagnostics.An_unary_expression_with_the_0_operator_is_not_allowed_in_the_left_hand_side_of_an_exponentiation_expression_Consider_enclosing_the_expression_in_parentheses, tokenToString(unaryOperator)); } } return simpleUnaryExpression; } function parseSimpleUnaryExpression() { switch (token()) { case 40: case 41: case 55: case 54: return parsePrefixUnaryExpression(); case 91: return parseDeleteExpression(); case 114: return parseTypeOfExpression(); case 116: return parseVoidExpression(); case 30: if (languageVariant === 1) { return parseJsxElementOrSelfClosingElementOrFragment( /*inExpressionContext*/ true, /*topInvalidNodePosition*/ void 0, /*openingTag*/ void 0, /*mustBeUnary*/ true ); } return parseTypeAssertion(); case 135: if (isAwaitExpression2()) { return parseAwaitExpression(); } default: return parseUpdateExpression(); } } function isUpdateExpression() { switch (token()) { case 40: case 41: case 55: case 54: case 91: case 114: case 116: case 135: return false; case 30: if (languageVariant !== 1) { return false; } default: return true; } } function parseUpdateExpression() { if (token() === 46 || token() === 47) { const pos = getNodePos(); return finishNode(factory2.createPrefixUnaryExpression(token(), nextTokenAnd(parseLeftHandSideExpressionOrHigher)), pos); } else if (languageVariant === 1 && token() === 30 && lookAhead(nextTokenIsIdentifierOrKeywordOrGreaterThan)) { return parseJsxElementOrSelfClosingElementOrFragment( /*inExpressionContext*/ true ); } const expression = parseLeftHandSideExpressionOrHigher(); Debug.assert(isLeftHandSideExpression(expression)); if ((token() === 46 || token() === 47) && !scanner2.hasPrecedingLineBreak()) { const operator = token(); nextToken(); return finishNode(factory2.createPostfixUnaryExpression(expression, operator), expression.pos); } return expression; } function parseLeftHandSideExpressionOrHigher() { const pos = getNodePos(); let expression; if (token() === 102) { if (lookAhead(nextTokenIsOpenParenOrLessThan)) { sourceFlags |= 4194304; expression = parseTokenNode(); } else if (lookAhead(nextTokenIsDot)) { nextToken(); nextToken(); expression = finishNode(factory2.createMetaProperty(102, parseIdentifierName()), pos); sourceFlags |= 8388608; } else { expression = parseMemberExpressionOrHigher(); } } else { expression = token() === 108 ? parseSuperExpression() : parseMemberExpressionOrHigher(); } return parseCallExpressionRest(pos, expression); } function parseMemberExpressionOrHigher() { const pos = getNodePos(); const expression = parsePrimaryExpression(); return parseMemberExpressionRest( pos, expression, /*allowOptionalChain*/ true ); } function parseSuperExpression() { const pos = getNodePos(); let expression = parseTokenNode(); if (token() === 30) { const startPos = getNodePos(); const typeArguments = tryParse(parseTypeArgumentsInExpression); if (typeArguments !== void 0) { parseErrorAt(startPos, getNodePos(), Diagnostics.super_may_not_use_type_arguments); if (!isTemplateStartOfTaggedTemplate()) { expression = factory2.createExpressionWithTypeArguments(expression, typeArguments); } } } if (token() === 21 || token() === 25 || token() === 23) { return expression; } parseExpectedToken(25, Diagnostics.super_must_be_followed_by_an_argument_list_or_member_access); return finishNode(factoryCreatePropertyAccessExpression(expression, parseRightSideOfDot( /*allowIdentifierNames*/ true, /*allowPrivateIdentifiers*/ true, /*allowUnicodeEscapeSequenceInIdentifierName*/ true )), pos); } function parseJsxElementOrSelfClosingElementOrFragment(inExpressionContext, topInvalidNodePosition, openingTag, mustBeUnary = false) { const pos = getNodePos(); const opening = parseJsxOpeningOrSelfClosingElementOrOpeningFragment(inExpressionContext); let result; if (opening.kind === 286) { let children = parseJsxChildren(opening); let closingElement; const lastChild = children[children.length - 1]; if ((lastChild == null ? void 0 : lastChild.kind) === 284 && !tagNamesAreEquivalent(lastChild.openingElement.tagName, lastChild.closingElement.tagName) && tagNamesAreEquivalent(opening.tagName, lastChild.closingElement.tagName)) { const end = lastChild.children.end; const newLast = finishNode( factory2.createJsxElement( lastChild.openingElement, lastChild.children, finishNode(factory2.createJsxClosingElement(finishNode(factoryCreateIdentifier(""), end, end)), end, end) ), lastChild.openingElement.pos, end ); children = createNodeArray([...children.slice(0, children.length - 1), newLast], children.pos, end); closingElement = lastChild.closingElement; } else { closingElement = parseJsxClosingElement(opening, inExpressionContext); if (!tagNamesAreEquivalent(opening.tagName, closingElement.tagName)) { if (openingTag && isJsxOpeningElement(openingTag) && tagNamesAreEquivalent(closingElement.tagName, openingTag.tagName)) { parseErrorAtRange(opening.tagName, Diagnostics.JSX_element_0_has_no_corresponding_closing_tag, getTextOfNodeFromSourceText(sourceText, opening.tagName)); } else { parseErrorAtRange(closingElement.tagName, Diagnostics.Expected_corresponding_JSX_closing_tag_for_0, getTextOfNodeFromSourceText(sourceText, opening.tagName)); } } } result = finishNode(factory2.createJsxElement(opening, children, closingElement), pos); } else if (opening.kind === 289) { result = finishNode(factory2.createJsxFragment(opening, parseJsxChildren(opening), parseJsxClosingFragment(inExpressionContext)), pos); } else { Debug.assert( opening.kind === 285 /* JsxSelfClosingElement */ ); result = opening; } if (!mustBeUnary && inExpressionContext && token() === 30) { const topBadPos = typeof topInvalidNodePosition === "undefined" ? result.pos : topInvalidNodePosition; const invalidElement = tryParse(() => parseJsxElementOrSelfClosingElementOrFragment( /*inExpressionContext*/ true, topBadPos )); if (invalidElement) { const operatorToken = createMissingNode( 28, /*reportAtCurrentPosition*/ false ); setTextRangePosWidth(operatorToken, invalidElement.pos, 0); parseErrorAt(skipTrivia(sourceText, topBadPos), invalidElement.end, Diagnostics.JSX_expressions_must_have_one_parent_element); return finishNode(factory2.createBinaryExpression(result, operatorToken, invalidElement), pos); } } return result; } function parseJsxText() { const pos = getNodePos(); const node = factory2.createJsxText( scanner2.getTokenValue(), currentToken === 13 /* JsxTextAllWhiteSpaces */ ); currentToken = scanner2.scanJsxToken(); return finishNode(node, pos); } function parseJsxChild(openingTag, token2) { switch (token2) { case 1: if (isJsxOpeningFragment(openingTag)) { parseErrorAtRange(openingTag, Diagnostics.JSX_fragment_has_no_corresponding_closing_tag); } else { const tag = openingTag.tagName; const start = Math.min(skipTrivia(sourceText, tag.pos), tag.end); parseErrorAt(start, tag.end, Diagnostics.JSX_element_0_has_no_corresponding_closing_tag, getTextOfNodeFromSourceText(sourceText, openingTag.tagName)); } return void 0; case 31: case 7: return void 0; case 12: case 13: return parseJsxText(); case 19: return parseJsxExpression( /*inExpressionContext*/ false ); case 30: return parseJsxElementOrSelfClosingElementOrFragment( /*inExpressionContext*/ false, /*topInvalidNodePosition*/ void 0, openingTag ); default: return Debug.assertNever(token2); } } function parseJsxChildren(openingTag) { const list = []; const listPos = getNodePos(); const saveParsingContext = parsingContext; parsingContext |= 1 << 14; while (true) { const child = parseJsxChild(openingTag, currentToken = scanner2.reScanJsxToken()); if (!child) break; list.push(child); if (isJsxOpeningElement(openingTag) && (child == null ? void 0 : child.kind) === 284 && !tagNamesAreEquivalent(child.openingElement.tagName, child.closingElement.tagName) && tagNamesAreEquivalent(openingTag.tagName, child.closingElement.tagName)) { break; } } parsingContext = saveParsingContext; return createNodeArray(list, listPos); } function parseJsxAttributes() { const pos = getNodePos(); return finishNode(factory2.createJsxAttributes(parseList(13, parseJsxAttribute)), pos); } function parseJsxOpeningOrSelfClosingElementOrOpeningFragment(inExpressionContext) { const pos = getNodePos(); parseExpected( 30 /* LessThanToken */ ); if (token() === 32) { scanJsxText(); return finishNode(factory2.createJsxOpeningFragment(), pos); } const tagName = parseJsxElementName(); const typeArguments = (contextFlags & 524288) === 0 ? tryParseTypeArguments() : void 0; const attributes = parseJsxAttributes(); let node; if (token() === 32) { scanJsxText(); node = factory2.createJsxOpeningElement(tagName, typeArguments, attributes); } else { parseExpected( 44 /* SlashToken */ ); if (parseExpected( 32, /*diagnosticMessage*/ void 0, /*shouldAdvance*/ false )) { if (inExpressionContext) { nextToken(); } else { scanJsxText(); } } node = factory2.createJsxSelfClosingElement(tagName, typeArguments, attributes); } return finishNode(node, pos); } function parseJsxElementName() { const pos = getNodePos(); const initialExpression = parseJsxTagName(); if (isJsxNamespacedName(initialExpression)) { return initialExpression; } let expression = initialExpression; while (parseOptional( 25 /* DotToken */ )) { expression = finishNode(factoryCreatePropertyAccessExpression(expression, parseRightSideOfDot( /*allowIdentifierNames*/ true, /*allowPrivateIdentifiers*/ false, /*allowUnicodeEscapeSequenceInIdentifierName*/ false )), pos); } return expression; } function parseJsxTagName() { const pos = getNodePos(); scanJsxIdentifier(); const isThis2 = token() === 110; const tagName = parseIdentifierNameErrorOnUnicodeEscapeSequence(); if (parseOptional( 59 /* ColonToken */ )) { scanJsxIdentifier(); return finishNode(factory2.createJsxNamespacedName(tagName, parseIdentifierNameErrorOnUnicodeEscapeSequence()), pos); } return isThis2 ? finishNode(factory2.createToken( 110 /* ThisKeyword */ ), pos) : tagName; } function parseJsxExpression(inExpressionContext) { const pos = getNodePos(); if (!parseExpected( 19 /* OpenBraceToken */ )) { return void 0; } let dotDotDotToken; let expression; if (token() !== 20) { if (!inExpressionContext) { dotDotDotToken = parseOptionalToken( 26 /* DotDotDotToken */ ); } expression = parseExpression(); } if (inExpressionContext) { parseExpected( 20 /* CloseBraceToken */ ); } else { if (parseExpected( 20, /*diagnosticMessage*/ void 0, /*shouldAdvance*/ false )) { scanJsxText(); } } return finishNode(factory2.createJsxExpression(dotDotDotToken, expression), pos); } function parseJsxAttribute() { if (token() === 19) { return parseJsxSpreadAttribute(); } const pos = getNodePos(); return finishNode(factory2.createJsxAttribute(parseJsxAttributeName(), parseJsxAttributeValue()), pos); } function parseJsxAttributeValue() { if (token() === 64) { if (scanJsxAttributeValue() === 11) { return parseLiteralNode(); } if (token() === 19) { return parseJsxExpression( /*inExpressionContext*/ true ); } if (token() === 30) { return parseJsxElementOrSelfClosingElementOrFragment( /*inExpressionContext*/ true ); } parseErrorAtCurrentToken(Diagnostics.or_JSX_element_expected); } return void 0; } function parseJsxAttributeName() { const pos = getNodePos(); scanJsxIdentifier(); const attrName = parseIdentifierNameErrorOnUnicodeEscapeSequence(); if (parseOptional( 59 /* ColonToken */ )) { scanJsxIdentifier(); return finishNode(factory2.createJsxNamespacedName(attrName, parseIdentifierNameErrorOnUnicodeEscapeSequence()), pos); } return attrName; } function parseJsxSpreadAttribute() { const pos = getNodePos(); parseExpected( 19 /* OpenBraceToken */ ); parseExpected( 26 /* DotDotDotToken */ ); const expression = parseExpression(); parseExpected( 20 /* CloseBraceToken */ ); return finishNode(factory2.createJsxSpreadAttribute(expression), pos); } function parseJsxClosingElement(open, inExpressionContext) { const pos = getNodePos(); parseExpected( 31 /* LessThanSlashToken */ ); const tagName = parseJsxElementName(); if (parseExpected( 32, /*diagnosticMessage*/ void 0, /*shouldAdvance*/ false )) { if (inExpressionContext || !tagNamesAreEquivalent(open.tagName, tagName)) { nextToken(); } else { scanJsxText(); } } return finishNode(factory2.createJsxClosingElement(tagName), pos); } function parseJsxClosingFragment(inExpressionContext) { const pos = getNodePos(); parseExpected( 31 /* LessThanSlashToken */ ); if (parseExpected( 32, Diagnostics.Expected_corresponding_closing_tag_for_JSX_fragment, /*shouldAdvance*/ false )) { if (inExpressionContext) { nextToken(); } else { scanJsxText(); } } return finishNode(factory2.createJsxJsxClosingFragment(), pos); } function parseTypeAssertion() { Debug.assert(languageVariant !== 1, "Type assertions should never be parsed in JSX; they should be parsed as comparisons or JSX elements/fragments."); const pos = getNodePos(); parseExpected( 30 /* LessThanToken */ ); const type = parseType(); parseExpected( 32 /* GreaterThanToken */ ); const expression = parseSimpleUnaryExpression(); return finishNode(factory2.createTypeAssertion(type, expression), pos); } function nextTokenIsIdentifierOrKeywordOrOpenBracketOrTemplate() { nextToken(); return tokenIsIdentifierOrKeyword(token()) || token() === 23 || isTemplateStartOfTaggedTemplate(); } function isStartOfOptionalPropertyOrElementAccessChain() { return token() === 29 && lookAhead(nextTokenIsIdentifierOrKeywordOrOpenBracketOrTemplate); } function tryReparseOptionalChain(node) { if (node.flags & 64) { return true; } if (isNonNullExpression(node)) { let expr = node.expression; while (isNonNullExpression(expr) && !(expr.flags & 64)) { expr = expr.expression; } if (expr.flags & 64) { while (isNonNullExpression(node)) { node.flags |= 64; node = node.expression; } return true; } } return false; } function parsePropertyAccessExpressionRest(pos, expression, questionDotToken) { const name = parseRightSideOfDot( /*allowIdentifierNames*/ true, /*allowPrivateIdentifiers*/ true, /*allowUnicodeEscapeSequenceInIdentifierName*/ true ); const isOptionalChain2 = questionDotToken || tryReparseOptionalChain(expression); const propertyAccess = isOptionalChain2 ? factoryCreatePropertyAccessChain(expression, questionDotToken, name) : factoryCreatePropertyAccessExpression(expression, name); if (isOptionalChain2 && isPrivateIdentifier(propertyAccess.name)) { parseErrorAtRange(propertyAccess.name, Diagnostics.An_optional_chain_cannot_contain_private_identifiers); } if (isExpressionWithTypeArguments(expression) && expression.typeArguments) { const pos2 = expression.typeArguments.pos - 1; const end = skipTrivia(sourceText, expression.typeArguments.end) + 1; parseErrorAt(pos2, end, Diagnostics.An_instantiation_expression_cannot_be_followed_by_a_property_access); } return finishNode(propertyAccess, pos); } function parseElementAccessExpressionRest(pos, expression, questionDotToken) { let argumentExpression; if (token() === 24) { argumentExpression = createMissingNode( 80, /*reportAtCurrentPosition*/ true, Diagnostics.An_element_access_expression_should_take_an_argument ); } else { const argument = allowInAnd(parseExpression); if (isStringOrNumericLiteralLike(argument)) { argument.text = internIdentifier(argument.text); } argumentExpression = argument; } parseExpected( 24 /* CloseBracketToken */ ); const indexedAccess = questionDotToken || tryReparseOptionalChain(expression) ? factoryCreateElementAccessChain(expression, questionDotToken, argumentExpression) : factoryCreateElementAccessExpression(expression, argumentExpression); return finishNode(indexedAccess, pos); } function parseMemberExpressionRest(pos, expression, allowOptionalChain) { while (true) { let questionDotToken; let isPropertyAccess = false; if (allowOptionalChain && isStartOfOptionalPropertyOrElementAccessChain()) { questionDotToken = parseExpectedToken( 29 /* QuestionDotToken */ ); isPropertyAccess = tokenIsIdentifierOrKeyword(token()); } else { isPropertyAccess = parseOptional( 25 /* DotToken */ ); } if (isPropertyAccess) { expression = parsePropertyAccessExpressionRest(pos, expression, questionDotToken); continue; } if ((questionDotToken || !inDecoratorContext()) && parseOptional( 23 /* OpenBracketToken */ )) { expression = parseElementAccessExpressionRest(pos, expression, questionDotToken); continue; } if (isTemplateStartOfTaggedTemplate()) { expression = !questionDotToken && expression.kind === 233 ? parseTaggedTemplateRest(pos, expression.expression, questionDotToken, expression.typeArguments) : parseTaggedTemplateRest( pos, expression, questionDotToken, /*typeArguments*/ void 0 ); continue; } if (!questionDotToken) { if (token() === 54 && !scanner2.hasPrecedingLineBreak()) { nextToken(); expression = finishNode(factory2.createNonNullExpression(expression), pos); continue; } const typeArguments = tryParse(parseTypeArgumentsInExpression); if (typeArguments) { expression = finishNode(factory2.createExpressionWithTypeArguments(expression, typeArguments), pos); continue; } } return expression; } } function isTemplateStartOfTaggedTemplate() { return token() === 15 || token() === 16; } function parseTaggedTemplateRest(pos, tag, questionDotToken, typeArguments) { const tagExpression = factory2.createTaggedTemplateExpression( tag, typeArguments, token() === 15 ? (reScanTemplateToken( /*isTaggedTemplate*/ true ), parseLiteralNode()) : parseTemplateExpression( /*isTaggedTemplate*/ true ) ); if (questionDotToken || tag.flags & 64) { tagExpression.flags |= 64; } tagExpression.questionDotToken = questionDotToken; return finishNode(tagExpression, pos); } function parseCallExpressionRest(pos, expression) { while (true) { expression = parseMemberExpressionRest( pos, expression, /*allowOptionalChain*/ true ); let typeArguments; const questionDotToken = parseOptionalToken( 29 /* QuestionDotToken */ ); if (questionDotToken) { typeArguments = tryParse(parseTypeArgumentsInExpression); if (isTemplateStartOfTaggedTemplate()) { expression = parseTaggedTemplateRest(pos, expression, questionDotToken, typeArguments); continue; } } if (typeArguments || token() === 21) { if (!questionDotToken && expression.kind === 233) { typeArguments = expression.typeArguments; expression = expression.expression; } const argumentList = parseArgumentList(); const callExpr = questionDotToken || tryReparseOptionalChain(expression) ? factoryCreateCallChain(expression, questionDotToken, typeArguments, argumentList) : factoryCreateCallExpression(expression, typeArguments, argumentList); expression = finishNode(callExpr, pos); continue; } if (questionDotToken) { const name = createMissingNode( 80, /*reportAtCurrentPosition*/ false, Diagnostics.Identifier_expected ); expression = finishNode(factoryCreatePropertyAccessChain(expression, questionDotToken, name), pos); } break; } return expression; } function parseArgumentList() { parseExpected( 21 /* OpenParenToken */ ); const result = parseDelimitedList(11, parseArgumentExpression); parseExpected( 22 /* CloseParenToken */ ); return result; } function parseTypeArgumentsInExpression() { if ((contextFlags & 524288) !== 0) { return void 0; } if (reScanLessThanToken() !== 30) { return void 0; } nextToken(); const typeArguments = parseDelimitedList(20, parseType); if (reScanGreaterToken() !== 32) { return void 0; } nextToken(); return typeArguments && canFollowTypeArgumentsInExpression() ? typeArguments : void 0; } function canFollowTypeArgumentsInExpression() { switch (token()) { case 21: case 15: case 16: return true; case 30: case 32: case 40: case 41: return false; } return scanner2.hasPrecedingLineBreak() || isBinaryOperator2() || !isStartOfExpression(); } function parsePrimaryExpression() { switch (token()) { case 15: if (scanner2.getTokenFlags() & 26656) { reScanTemplateToken( /*isTaggedTemplate*/ false ); } case 9: case 10: case 11: return parseLiteralNode(); case 110: case 108: case 106: case 112: case 97: return parseTokenNode(); case 21: return parseParenthesizedExpression(); case 23: return parseArrayLiteralExpression(); case 19: return parseObjectLiteralExpression(); case 134: if (!lookAhead(nextTokenIsFunctionKeywordOnSameLine)) { break; } return parseFunctionExpression(); case 60: return parseDecoratedExpression(); case 86: return parseClassExpression(); case 100: return parseFunctionExpression(); case 105: return parseNewExpressionOrNewDotTarget(); case 44: case 69: if (reScanSlashToken() === 14) { return parseLiteralNode(); } break; case 16: return parseTemplateExpression( /*isTaggedTemplate*/ false ); case 81: return parsePrivateIdentifier(); } return parseIdentifier(Diagnostics.Expression_expected); } function parseParenthesizedExpression() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected( 21 /* OpenParenToken */ ); const expression = allowInAnd(parseExpression); parseExpected( 22 /* CloseParenToken */ ); return withJSDoc(finishNode(factoryCreateParenthesizedExpression(expression), pos), hasJSDoc); } function parseSpreadElement() { const pos = getNodePos(); parseExpected( 26 /* DotDotDotToken */ ); const expression = parseAssignmentExpressionOrHigher( /*allowReturnTypeInArrowFunction*/ true ); return finishNode(factory2.createSpreadElement(expression), pos); } function parseArgumentOrArrayLiteralElement() { return token() === 26 ? parseSpreadElement() : token() === 28 ? finishNode(factory2.createOmittedExpression(), getNodePos()) : parseAssignmentExpressionOrHigher( /*allowReturnTypeInArrowFunction*/ true ); } function parseArgumentExpression() { return doOutsideOfContext(disallowInAndDecoratorContext, parseArgumentOrArrayLiteralElement); } function parseArrayLiteralExpression() { const pos = getNodePos(); const openBracketPosition = scanner2.getTokenStart(); const openBracketParsed = parseExpected( 23 /* OpenBracketToken */ ); const multiLine = scanner2.hasPrecedingLineBreak(); const elements = parseDelimitedList(15, parseArgumentOrArrayLiteralElement); parseExpectedMatchingBrackets(23, 24, openBracketParsed, openBracketPosition); return finishNode(factoryCreateArrayLiteralExpression(elements, multiLine), pos); } function parseObjectLiteralElement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); if (parseOptionalToken( 26 /* DotDotDotToken */ )) { const expression = parseAssignmentExpressionOrHigher( /*allowReturnTypeInArrowFunction*/ true ); return withJSDoc(finishNode(factory2.createSpreadAssignment(expression), pos), hasJSDoc); } const modifiers = parseModifiers( /*allowDecorators*/ true ); if (parseContextualModifier( 139 /* GetKeyword */ )) { return parseAccessorDeclaration( pos, hasJSDoc, modifiers, 177, 0 /* None */ ); } if (parseContextualModifier( 153 /* SetKeyword */ )) { return parseAccessorDeclaration( pos, hasJSDoc, modifiers, 178, 0 /* None */ ); } const asteriskToken = parseOptionalToken( 42 /* AsteriskToken */ ); const tokenIsIdentifier = isIdentifier2(); const name = parsePropertyName(); const questionToken = parseOptionalToken( 58 /* QuestionToken */ ); const exclamationToken = parseOptionalToken( 54 /* ExclamationToken */ ); if (asteriskToken || token() === 21 || token() === 30) { return parseMethodDeclaration(pos, hasJSDoc, modifiers, asteriskToken, name, questionToken, exclamationToken); } let node; const isShorthandPropertyAssignment2 = tokenIsIdentifier && token() !== 59; if (isShorthandPropertyAssignment2) { const equalsToken = parseOptionalToken( 64 /* EqualsToken */ ); const objectAssignmentInitializer = equalsToken ? allowInAnd(() => parseAssignmentExpressionOrHigher( /*allowReturnTypeInArrowFunction*/ true )) : void 0; node = factory2.createShorthandPropertyAssignment(name, objectAssignmentInitializer); node.equalsToken = equalsToken; } else { parseExpected( 59 /* ColonToken */ ); const initializer = allowInAnd(() => parseAssignmentExpressionOrHigher( /*allowReturnTypeInArrowFunction*/ true )); node = factory2.createPropertyAssignment(name, initializer); } node.modifiers = modifiers; node.questionToken = questionToken; node.exclamationToken = exclamationToken; return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseObjectLiteralExpression() { const pos = getNodePos(); const openBracePosition = scanner2.getTokenStart(); const openBraceParsed = parseExpected( 19 /* OpenBraceToken */ ); const multiLine = scanner2.hasPrecedingLineBreak(); const properties = parseDelimitedList( 12, parseObjectLiteralElement, /*considerSemicolonAsDelimiter*/ true ); parseExpectedMatchingBrackets(19, 20, openBraceParsed, openBracePosition); return finishNode(factoryCreateObjectLiteralExpression(properties, multiLine), pos); } function parseFunctionExpression() { const savedDecoratorContext = inDecoratorContext(); setDecoratorContext( /*val*/ false ); const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const modifiers = parseModifiers( /*allowDecorators*/ false ); parseExpected( 100 /* FunctionKeyword */ ); const asteriskToken = parseOptionalToken( 42 /* AsteriskToken */ ); const isGenerator = asteriskToken ? 1 : 0; const isAsync2 = some(modifiers, isAsyncModifier) ? 2 : 0; const name = isGenerator && isAsync2 ? doInYieldAndAwaitContext(parseOptionalBindingIdentifier) : isGenerator ? doInYieldContext(parseOptionalBindingIdentifier) : isAsync2 ? doInAwaitContext(parseOptionalBindingIdentifier) : parseOptionalBindingIdentifier(); const typeParameters = parseTypeParameters(); const parameters = parseParameters(isGenerator | isAsync2); const type = parseReturnType( 59, /*isType*/ false ); const body = parseFunctionBlock(isGenerator | isAsync2); setDecoratorContext(savedDecoratorContext); const node = factory2.createFunctionExpression(modifiers, asteriskToken, name, typeParameters, parameters, type, body); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseOptionalBindingIdentifier() { return isBindingIdentifier() ? parseBindingIdentifier() : void 0; } function parseNewExpressionOrNewDotTarget() { const pos = getNodePos(); parseExpected( 105 /* NewKeyword */ ); if (parseOptional( 25 /* DotToken */ )) { const name = parseIdentifierName(); return finishNode(factory2.createMetaProperty(105, name), pos); } const expressionPos = getNodePos(); let expression = parseMemberExpressionRest( expressionPos, parsePrimaryExpression(), /*allowOptionalChain*/ false ); let typeArguments; if (expression.kind === 233) { typeArguments = expression.typeArguments; expression = expression.expression; } if (token() === 29) { parseErrorAtCurrentToken(Diagnostics.Invalid_optional_chain_from_new_expression_Did_you_mean_to_call_0, getTextOfNodeFromSourceText(sourceText, expression)); } const argumentList = token() === 21 ? parseArgumentList() : void 0; return finishNode(factoryCreateNewExpression(expression, typeArguments, argumentList), pos); } function parseBlock(ignoreMissingOpenBrace, diagnosticMessage) { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const openBracePosition = scanner2.getTokenStart(); const openBraceParsed = parseExpected(19, diagnosticMessage); if (openBraceParsed || ignoreMissingOpenBrace) { const multiLine = scanner2.hasPrecedingLineBreak(); const statements = parseList(1, parseStatement); parseExpectedMatchingBrackets(19, 20, openBraceParsed, openBracePosition); const result = withJSDoc(finishNode(factoryCreateBlock(statements, multiLine), pos), hasJSDoc); if (token() === 64) { parseErrorAtCurrentToken(Diagnostics.Declaration_or_statement_expected_This_follows_a_block_of_statements_so_if_you_intended_to_write_a_destructuring_assignment_you_might_need_to_wrap_the_whole_assignment_in_parentheses); nextToken(); } return result; } else { const statements = createMissingList(); return withJSDoc(finishNode(factoryCreateBlock( statements, /*multiLine*/ void 0 ), pos), hasJSDoc); } } function parseFunctionBlock(flags, diagnosticMessage) { const savedYieldContext = inYieldContext(); setYieldContext(!!(flags & 1)); const savedAwaitContext = inAwaitContext(); setAwaitContext(!!(flags & 2)); const savedTopLevel = topLevel; topLevel = false; const saveDecoratorContext = inDecoratorContext(); if (saveDecoratorContext) { setDecoratorContext( /*val*/ false ); } const block = parseBlock(!!(flags & 16), diagnosticMessage); if (saveDecoratorContext) { setDecoratorContext( /*val*/ true ); } topLevel = savedTopLevel; setYieldContext(savedYieldContext); setAwaitContext(savedAwaitContext); return block; } function parseEmptyStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected( 27 /* SemicolonToken */ ); return withJSDoc(finishNode(factory2.createEmptyStatement(), pos), hasJSDoc); } function parseIfStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected( 101 /* IfKeyword */ ); const openParenPosition = scanner2.getTokenStart(); const openParenParsed = parseExpected( 21 /* OpenParenToken */ ); const expression = allowInAnd(parseExpression); parseExpectedMatchingBrackets(21, 22, openParenParsed, openParenPosition); const thenStatement = parseStatement(); const elseStatement = parseOptional( 93 /* ElseKeyword */ ) ? parseStatement() : void 0; return withJSDoc(finishNode(factoryCreateIfStatement(expression, thenStatement, elseStatement), pos), hasJSDoc); } function parseDoStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected( 92 /* DoKeyword */ ); const statement = parseStatement(); parseExpected( 117 /* WhileKeyword */ ); const openParenPosition = scanner2.getTokenStart(); const openParenParsed = parseExpected( 21 /* OpenParenToken */ ); const expression = allowInAnd(parseExpression); parseExpectedMatchingBrackets(21, 22, openParenParsed, openParenPosition); parseOptional( 27 /* SemicolonToken */ ); return withJSDoc(finishNode(factory2.createDoStatement(statement, expression), pos), hasJSDoc); } function parseWhileStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected( 117 /* WhileKeyword */ ); const openParenPosition = scanner2.getTokenStart(); const openParenParsed = parseExpected( 21 /* OpenParenToken */ ); const expression = allowInAnd(parseExpression); parseExpectedMatchingBrackets(21, 22, openParenParsed, openParenPosition); const statement = parseStatement(); return withJSDoc(finishNode(factoryCreateWhileStatement(expression, statement), pos), hasJSDoc); } function parseForOrForInOrForOfStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected( 99 /* ForKeyword */ ); const awaitToken = parseOptionalToken( 135 /* AwaitKeyword */ ); parseExpected( 21 /* OpenParenToken */ ); let initializer; if (token() !== 27) { if (token() === 115 || token() === 121 || token() === 87 || token() === 160 && lookAhead(nextTokenIsBindingIdentifierOrStartOfDestructuringOnSameLineDisallowOf) || // this one is meant to allow of token() === 135 && lookAhead(nextTokenIsUsingKeywordThenBindingIdentifierOrStartOfObjectDestructuringOnSameLine)) { initializer = parseVariableDeclarationList( /*inForStatementInitializer*/ true ); } else { initializer = disallowInAnd(parseExpression); } } let node; if (awaitToken ? parseExpected( 165 /* OfKeyword */ ) : parseOptional( 165 /* OfKeyword */ )) { const expression = allowInAnd(() => parseAssignmentExpressionOrHigher( /*allowReturnTypeInArrowFunction*/ true )); parseExpected( 22 /* CloseParenToken */ ); node = factoryCreateForOfStatement(awaitToken, initializer, expression, parseStatement()); } else if (parseOptional( 103 /* InKeyword */ )) { const expression = allowInAnd(parseExpression); parseExpected( 22 /* CloseParenToken */ ); node = factory2.createForInStatement(initializer, expression, parseStatement()); } else { parseExpected( 27 /* SemicolonToken */ ); const condition = token() !== 27 && token() !== 22 ? allowInAnd(parseExpression) : void 0; parseExpected( 27 /* SemicolonToken */ ); const incrementor = token() !== 22 ? allowInAnd(parseExpression) : void 0; parseExpected( 22 /* CloseParenToken */ ); node = factoryCreateForStatement(initializer, condition, incrementor, parseStatement()); } return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseBreakOrContinueStatement(kind) { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected( kind === 252 ? 83 : 88 /* ContinueKeyword */ ); const label = canParseSemicolon() ? void 0 : parseIdentifier(); parseSemicolon(); const node = kind === 252 ? factory2.createBreakStatement(label) : factory2.createContinueStatement(label); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseReturnStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected( 107 /* ReturnKeyword */ ); const expression = canParseSemicolon() ? void 0 : allowInAnd(parseExpression); parseSemicolon(); return withJSDoc(finishNode(factory2.createReturnStatement(expression), pos), hasJSDoc); } function parseWithStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected( 118 /* WithKeyword */ ); const openParenPosition = scanner2.getTokenStart(); const openParenParsed = parseExpected( 21 /* OpenParenToken */ ); const expression = allowInAnd(parseExpression); parseExpectedMatchingBrackets(21, 22, openParenParsed, openParenPosition); const statement = doInsideOfContext(67108864, parseStatement); return withJSDoc(finishNode(factory2.createWithStatement(expression, statement), pos), hasJSDoc); } function parseCaseClause() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected( 84 /* CaseKeyword */ ); const expression = allowInAnd(parseExpression); parseExpected( 59 /* ColonToken */ ); const statements = parseList(3, parseStatement); return withJSDoc(finishNode(factory2.createCaseClause(expression, statements), pos), hasJSDoc); } function parseDefaultClause() { const pos = getNodePos(); parseExpected( 90 /* DefaultKeyword */ ); parseExpected( 59 /* ColonToken */ ); const statements = parseList(3, parseStatement); return finishNode(factory2.createDefaultClause(statements), pos); } function parseCaseOrDefaultClause() { return token() === 84 ? parseCaseClause() : parseDefaultClause(); } function parseCaseBlock() { const pos = getNodePos(); parseExpected( 19 /* OpenBraceToken */ ); const clauses = parseList(2, parseCaseOrDefaultClause); parseExpected( 20 /* CloseBraceToken */ ); return finishNode(factory2.createCaseBlock(clauses), pos); } function parseSwitchStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected( 109 /* SwitchKeyword */ ); parseExpected( 21 /* OpenParenToken */ ); const expression = allowInAnd(parseExpression); parseExpected( 22 /* CloseParenToken */ ); const caseBlock = parseCaseBlock(); return withJSDoc(finishNode(factory2.createSwitchStatement(expression, caseBlock), pos), hasJSDoc); } function parseThrowStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected( 111 /* ThrowKeyword */ ); let expression = scanner2.hasPrecedingLineBreak() ? void 0 : allowInAnd(parseExpression); if (expression === void 0) { identifierCount++; expression = finishNode(factoryCreateIdentifier(""), getNodePos()); } if (!tryParseSemicolon()) { parseErrorForMissingSemicolonAfter(expression); } return withJSDoc(finishNode(factory2.createThrowStatement(expression), pos), hasJSDoc); } function parseTryStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected( 113 /* TryKeyword */ ); const tryBlock = parseBlock( /*ignoreMissingOpenBrace*/ false ); const catchClause = token() === 85 ? parseCatchClause() : void 0; let finallyBlock; if (!catchClause || token() === 98) { parseExpected(98, Diagnostics.catch_or_finally_expected); finallyBlock = parseBlock( /*ignoreMissingOpenBrace*/ false ); } return withJSDoc(finishNode(factory2.createTryStatement(tryBlock, catchClause, finallyBlock), pos), hasJSDoc); } function parseCatchClause() { const pos = getNodePos(); parseExpected( 85 /* CatchKeyword */ ); let variableDeclaration; if (parseOptional( 21 /* OpenParenToken */ )) { variableDeclaration = parseVariableDeclaration(); parseExpected( 22 /* CloseParenToken */ ); } else { variableDeclaration = void 0; } const block = parseBlock( /*ignoreMissingOpenBrace*/ false ); return finishNode(factory2.createCatchClause(variableDeclaration, block), pos); } function parseDebuggerStatement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); parseExpected( 89 /* DebuggerKeyword */ ); parseSemicolon(); return withJSDoc(finishNode(factory2.createDebuggerStatement(), pos), hasJSDoc); } function parseExpressionOrLabeledStatement() { const pos = getNodePos(); let hasJSDoc = hasPrecedingJSDocComment(); let node; const hasParen = token() === 21; const expression = allowInAnd(parseExpression); if (isIdentifier(expression) && parseOptional( 59 /* ColonToken */ )) { node = factory2.createLabeledStatement(expression, parseStatement()); } else { if (!tryParseSemicolon()) { parseErrorForMissingSemicolonAfter(expression); } node = factoryCreateExpressionStatement(expression); if (hasParen) { hasJSDoc = false; } } return withJSDoc(finishNode(node, pos), hasJSDoc); } function nextTokenIsIdentifierOrKeywordOnSameLine() { nextToken(); return tokenIsIdentifierOrKeyword(token()) && !scanner2.hasPrecedingLineBreak(); } function nextTokenIsClassKeywordOnSameLine() { nextToken(); return token() === 86 && !scanner2.hasPrecedingLineBreak(); } function nextTokenIsFunctionKeywordOnSameLine() { nextToken(); return token() === 100 && !scanner2.hasPrecedingLineBreak(); } function nextTokenIsIdentifierOrKeywordOrLiteralOnSameLine() { nextToken(); return (tokenIsIdentifierOrKeyword(token()) || token() === 9 || token() === 10 || token() === 11) && !scanner2.hasPrecedingLineBreak(); } function isDeclaration2() { while (true) { switch (token()) { case 115: case 121: case 87: case 100: case 86: case 94: return true; case 160: return isUsingDeclaration(); case 135: return isAwaitUsingDeclaration(); case 120: case 156: return nextTokenIsIdentifierOnSameLine(); case 144: case 145: return nextTokenIsIdentifierOrStringLiteralOnSameLine(); case 128: case 129: case 134: case 138: case 123: case 124: case 125: case 148: const previousToken = token(); nextToken(); if (scanner2.hasPrecedingLineBreak()) { return false; } if (previousToken === 138 && token() === 156) { return true; } continue; case 162: nextToken(); return token() === 19 || token() === 80 || token() === 95; case 102: nextToken(); return token() === 11 || token() === 42 || token() === 19 || tokenIsIdentifierOrKeyword(token()); case 95: let currentToken2 = nextToken(); if (currentToken2 === 156) { currentToken2 = lookAhead(nextToken); } if (currentToken2 === 64 || currentToken2 === 42 || currentToken2 === 19 || currentToken2 === 90 || currentToken2 === 130 || currentToken2 === 60) { return true; } continue; case 126: nextToken(); continue; default: return false; } } } function isStartOfDeclaration() { return lookAhead(isDeclaration2); } function isStartOfStatement() { switch (token()) { case 60: case 27: case 19: case 115: case 121: case 160: case 100: case 86: case 94: case 101: case 92: case 117: case 99: case 88: case 83: case 107: case 118: case 109: case 111: case 113: case 89: case 85: case 98: return true; case 102: return isStartOfDeclaration() || lookAhead(nextTokenIsOpenParenOrLessThanOrDot); case 87: case 95: return isStartOfDeclaration(); case 134: case 138: case 120: case 144: case 145: case 156: case 162: return true; case 129: case 125: case 123: case 124: case 126: case 148: return isStartOfDeclaration() || !lookAhead(nextTokenIsIdentifierOrKeywordOnSameLine); default: return isStartOfExpression(); } } function nextTokenIsBindingIdentifierOrStartOfDestructuring() { nextToken(); return isBindingIdentifier() || token() === 19 || token() === 23; } function isLetDeclaration() { return lookAhead(nextTokenIsBindingIdentifierOrStartOfDestructuring); } function nextTokenIsBindingIdentifierOrStartOfDestructuringOnSameLineDisallowOf() { return nextTokenIsBindingIdentifierOrStartOfDestructuringOnSameLine( /*disallowOf*/ true ); } function nextTokenIsBindingIdentifierOrStartOfDestructuringOnSameLine(disallowOf) { nextToken(); if (disallowOf && token() === 165) return false; return (isBindingIdentifier() || token() === 19) && !scanner2.hasPrecedingLineBreak(); } function isUsingDeclaration() { return lookAhead(nextTokenIsBindingIdentifierOrStartOfDestructuringOnSameLine); } function nextTokenIsUsingKeywordThenBindingIdentifierOrStartOfObjectDestructuringOnSameLine(disallowOf) { if (nextToken() === 160) { return nextTokenIsBindingIdentifierOrStartOfDestructuringOnSameLine(disallowOf); } return false; } function isAwaitUsingDeclaration() { return lookAhead(nextTokenIsUsingKeywordThenBindingIdentifierOrStartOfObjectDestructuringOnSameLine); } function parseStatement() { switch (token()) { case 27: return parseEmptyStatement(); case 19: return parseBlock( /*ignoreMissingOpenBrace*/ false ); case 115: return parseVariableStatement( getNodePos(), hasPrecedingJSDocComment(), /*modifiers*/ void 0 ); case 121: if (isLetDeclaration()) { return parseVariableStatement( getNodePos(), hasPrecedingJSDocComment(), /*modifiers*/ void 0 ); } break; case 135: if (isAwaitUsingDeclaration()) { return parseVariableStatement( getNodePos(), hasPrecedingJSDocComment(), /*modifiers*/ void 0 ); } break; case 160: if (isUsingDeclaration()) { return parseVariableStatement( getNodePos(), hasPrecedingJSDocComment(), /*modifiers*/ void 0 ); } break; case 100: return parseFunctionDeclaration( getNodePos(), hasPrecedingJSDocComment(), /*modifiers*/ void 0 ); case 86: return parseClassDeclaration( getNodePos(), hasPrecedingJSDocComment(), /*modifiers*/ void 0 ); case 101: return parseIfStatement(); case 92: return parseDoStatement(); case 117: return parseWhileStatement(); case 99: return parseForOrForInOrForOfStatement(); case 88: return parseBreakOrContinueStatement( 251 /* ContinueStatement */ ); case 83: return parseBreakOrContinueStatement( 252 /* BreakStatement */ ); case 107: return parseReturnStatement(); case 118: return parseWithStatement(); case 109: return parseSwitchStatement(); case 111: return parseThrowStatement(); case 113: case 85: case 98: return parseTryStatement(); case 89: return parseDebuggerStatement(); case 60: return parseDeclaration(); case 134: case 120: case 156: case 144: case 145: case 138: case 87: case 94: case 95: case 102: case 123: case 124: case 125: case 128: case 129: case 126: case 148: case 162: if (isStartOfDeclaration()) { return parseDeclaration(); } break; } return parseExpressionOrLabeledStatement(); } function isDeclareModifier(modifier) { return modifier.kind === 138; } function parseDeclaration() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const modifiers = parseModifiers( /*allowDecorators*/ true ); const isAmbient = some(modifiers, isDeclareModifier); if (isAmbient) { const node = tryReuseAmbientDeclaration(pos); if (node) { return node; } for (const m of modifiers) { m.flags |= 33554432; } return doInsideOfContext(33554432, () => parseDeclarationWorker(pos, hasJSDoc, modifiers)); } else { return parseDeclarationWorker(pos, hasJSDoc, modifiers); } } function tryReuseAmbientDeclaration(pos) { return doInsideOfContext(33554432, () => { const node = currentNode(parsingContext, pos); if (node) { return consumeNode(node); } }); } function parseDeclarationWorker(pos, hasJSDoc, modifiersIn) { switch (token()) { case 115: case 121: case 87: case 160: case 135: return parseVariableStatement(pos, hasJSDoc, modifiersIn); case 100: return parseFunctionDeclaration(pos, hasJSDoc, modifiersIn); case 86: return parseClassDeclaration(pos, hasJSDoc, modifiersIn); case 120: return parseInterfaceDeclaration(pos, hasJSDoc, modifiersIn); case 156: return parseTypeAliasDeclaration(pos, hasJSDoc, modifiersIn); case 94: return parseEnumDeclaration(pos, hasJSDoc, modifiersIn); case 162: case 144: case 145: return parseModuleDeclaration(pos, hasJSDoc, modifiersIn); case 102: return parseImportDeclarationOrImportEqualsDeclaration(pos, hasJSDoc, modifiersIn); case 95: nextToken(); switch (token()) { case 90: case 64: return parseExportAssignment(pos, hasJSDoc, modifiersIn); case 130: return parseNamespaceExportDeclaration(pos, hasJSDoc, modifiersIn); default: return parseExportDeclaration(pos, hasJSDoc, modifiersIn); } default: if (modifiersIn) { const missing = createMissingNode( 282, /*reportAtCurrentPosition*/ true, Diagnostics.Declaration_expected ); setTextRangePos(missing, pos); missing.modifiers = modifiersIn; return missing; } return void 0; } } function nextTokenIsStringLiteral() { return nextToken() === 11; } function nextTokenIsFromKeywordOrEqualsToken() { nextToken(); return token() === 161 || token() === 64; } function nextTokenIsIdentifierOrStringLiteralOnSameLine() { nextToken(); return !scanner2.hasPrecedingLineBreak() && (isIdentifier2() || token() === 11); } function parseFunctionBlockOrSemicolon(flags, diagnosticMessage) { if (token() !== 19) { if (flags & 4) { parseTypeMemberSemicolon(); return; } if (canParseSemicolon()) { parseSemicolon(); return; } } return parseFunctionBlock(flags, diagnosticMessage); } function parseArrayBindingElement() { const pos = getNodePos(); if (token() === 28) { return finishNode(factory2.createOmittedExpression(), pos); } const dotDotDotToken = parseOptionalToken( 26 /* DotDotDotToken */ ); const name = parseIdentifierOrPattern(); const initializer = parseInitializer(); return finishNode(factory2.createBindingElement( dotDotDotToken, /*propertyName*/ void 0, name, initializer ), pos); } function parseObjectBindingElement() { const pos = getNodePos(); const dotDotDotToken = parseOptionalToken( 26 /* DotDotDotToken */ ); const tokenIsIdentifier = isBindingIdentifier(); let propertyName = parsePropertyName(); let name; if (tokenIsIdentifier && token() !== 59) { name = propertyName; propertyName = void 0; } else { parseExpected( 59 /* ColonToken */ ); name = parseIdentifierOrPattern(); } const initializer = parseInitializer(); return finishNode(factory2.createBindingElement(dotDotDotToken, propertyName, name, initializer), pos); } function parseObjectBindingPattern() { const pos = getNodePos(); parseExpected( 19 /* OpenBraceToken */ ); const elements = allowInAnd(() => parseDelimitedList(9, parseObjectBindingElement)); parseExpected( 20 /* CloseBraceToken */ ); return finishNode(factory2.createObjectBindingPattern(elements), pos); } function parseArrayBindingPattern() { const pos = getNodePos(); parseExpected( 23 /* OpenBracketToken */ ); const elements = allowInAnd(() => parseDelimitedList(10, parseArrayBindingElement)); parseExpected( 24 /* CloseBracketToken */ ); return finishNode(factory2.createArrayBindingPattern(elements), pos); } function isBindingIdentifierOrPrivateIdentifierOrPattern() { return token() === 19 || token() === 23 || token() === 81 || isBindingIdentifier(); } function parseIdentifierOrPattern(privateIdentifierDiagnosticMessage) { if (token() === 23) { return parseArrayBindingPattern(); } if (token() === 19) { return parseObjectBindingPattern(); } return parseBindingIdentifier(privateIdentifierDiagnosticMessage); } function parseVariableDeclarationAllowExclamation() { return parseVariableDeclaration( /*allowExclamation*/ true ); } function parseVariableDeclaration(allowExclamation) { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const name = parseIdentifierOrPattern(Diagnostics.Private_identifiers_are_not_allowed_in_variable_declarations); let exclamationToken; if (allowExclamation && name.kind === 80 && token() === 54 && !scanner2.hasPrecedingLineBreak()) { exclamationToken = parseTokenNode(); } const type = parseTypeAnnotation(); const initializer = isInOrOfKeyword(token()) ? void 0 : parseInitializer(); const node = factoryCreateVariableDeclaration(name, exclamationToken, type, initializer); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseVariableDeclarationList(inForStatementInitializer) { const pos = getNodePos(); let flags = 0; switch (token()) { case 115: break; case 121: flags |= 1; break; case 87: flags |= 2; break; case 160: flags |= 4; break; case 135: Debug.assert(isAwaitUsingDeclaration()); flags |= 6; nextToken(); break; default: Debug.fail(); } nextToken(); let declarations; if (token() === 165 && lookAhead(canFollowContextualOfKeyword)) { declarations = createMissingList(); } else { const savedDisallowIn = inDisallowInContext(); setDisallowInContext(inForStatementInitializer); declarations = parseDelimitedList( 8, inForStatementInitializer ? parseVariableDeclaration : parseVariableDeclarationAllowExclamation ); setDisallowInContext(savedDisallowIn); } return finishNode(factoryCreateVariableDeclarationList(declarations, flags), pos); } function canFollowContextualOfKeyword() { return nextTokenIsIdentifier() && nextToken() === 22; } function parseVariableStatement(pos, hasJSDoc, modifiers) { const declarationList = parseVariableDeclarationList( /*inForStatementInitializer*/ false ); parseSemicolon(); const node = factoryCreateVariableStatement(modifiers, declarationList); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseFunctionDeclaration(pos, hasJSDoc, modifiers) { const savedAwaitContext = inAwaitContext(); const modifierFlags = modifiersToFlags(modifiers); parseExpected( 100 /* FunctionKeyword */ ); const asteriskToken = parseOptionalToken( 42 /* AsteriskToken */ ); const name = modifierFlags & 2048 ? parseOptionalBindingIdentifier() : parseBindingIdentifier(); const isGenerator = asteriskToken ? 1 : 0; const isAsync2 = modifierFlags & 1024 ? 2 : 0; const typeParameters = parseTypeParameters(); if (modifierFlags & 32) setAwaitContext( /*value*/ true ); const parameters = parseParameters(isGenerator | isAsync2); const type = parseReturnType( 59, /*isType*/ false ); const body = parseFunctionBlockOrSemicolon(isGenerator | isAsync2, Diagnostics.or_expected); setAwaitContext(savedAwaitContext); const node = factory2.createFunctionDeclaration(modifiers, asteriskToken, name, typeParameters, parameters, type, body); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseConstructorName() { if (token() === 137) { return parseExpected( 137 /* ConstructorKeyword */ ); } if (token() === 11 && lookAhead(nextToken) === 21) { return tryParse(() => { const literalNode = parseLiteralNode(); return literalNode.text === "constructor" ? literalNode : void 0; }); } } function tryParseConstructorDeclaration(pos, hasJSDoc, modifiers) { return tryParse(() => { if (parseConstructorName()) { const typeParameters = parseTypeParameters(); const parameters = parseParameters( 0 /* None */ ); const type = parseReturnType( 59, /*isType*/ false ); const body = parseFunctionBlockOrSemicolon(0, Diagnostics.or_expected); const node = factory2.createConstructorDeclaration(modifiers, parameters, body); node.typeParameters = typeParameters; node.type = type; return withJSDoc(finishNode(node, pos), hasJSDoc); } }); } function parseMethodDeclaration(pos, hasJSDoc, modifiers, asteriskToken, name, questionToken, exclamationToken, diagnosticMessage) { const isGenerator = asteriskToken ? 1 : 0; const isAsync2 = some(modifiers, isAsyncModifier) ? 2 : 0; const typeParameters = parseTypeParameters(); const parameters = parseParameters(isGenerator | isAsync2); const type = parseReturnType( 59, /*isType*/ false ); const body = parseFunctionBlockOrSemicolon(isGenerator | isAsync2, diagnosticMessage); const node = factory2.createMethodDeclaration( modifiers, asteriskToken, name, questionToken, typeParameters, parameters, type, body ); node.exclamationToken = exclamationToken; return withJSDoc(finishNode(node, pos), hasJSDoc); } function parsePropertyDeclaration(pos, hasJSDoc, modifiers, name, questionToken) { const exclamationToken = !questionToken && !scanner2.hasPrecedingLineBreak() ? parseOptionalToken( 54 /* ExclamationToken */ ) : void 0; const type = parseTypeAnnotation(); const initializer = doOutsideOfContext(16384 | 65536 | 8192, parseInitializer); parseSemicolonAfterPropertyName(name, type, initializer); const node = factory2.createPropertyDeclaration( modifiers, name, questionToken || exclamationToken, type, initializer ); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parsePropertyOrMethodDeclaration(pos, hasJSDoc, modifiers) { const asteriskToken = parseOptionalToken( 42 /* AsteriskToken */ ); const name = parsePropertyName(); const questionToken = parseOptionalToken( 58 /* QuestionToken */ ); if (asteriskToken || token() === 21 || token() === 30) { return parseMethodDeclaration( pos, hasJSDoc, modifiers, asteriskToken, name, questionToken, /*exclamationToken*/ void 0, Diagnostics.or_expected ); } return parsePropertyDeclaration(pos, hasJSDoc, modifiers, name, questionToken); } function parseAccessorDeclaration(pos, hasJSDoc, modifiers, kind, flags) { const name = parsePropertyName(); const typeParameters = parseTypeParameters(); const parameters = parseParameters( 0 /* None */ ); const type = parseReturnType( 59, /*isType*/ false ); const body = parseFunctionBlockOrSemicolon(flags); const node = kind === 177 ? factory2.createGetAccessorDeclaration(modifiers, name, parameters, type, body) : factory2.createSetAccessorDeclaration(modifiers, name, parameters, body); node.typeParameters = typeParameters; if (isSetAccessorDeclaration(node)) node.type = type; return withJSDoc(finishNode(node, pos), hasJSDoc); } function isClassMemberStart() { let idToken; if (token() === 60) { return true; } while (isModifierKind(token())) { idToken = token(); if (isClassMemberModifier(idToken)) { return true; } nextToken(); } if (token() === 42) { return true; } if (isLiteralPropertyName()) { idToken = token(); nextToken(); } if (token() === 23) { return true; } if (idToken !== void 0) { if (!isKeyword2(idToken) || idToken === 153 || idToken === 139) { return true; } switch (token()) { case 21: case 30: case 54: case 59: case 64: case 58: return true; default: return canParseSemicolon(); } } return false; } function parseClassStaticBlockDeclaration(pos, hasJSDoc, modifiers) { parseExpectedToken( 126 /* StaticKeyword */ ); const body = parseClassStaticBlockBody(); const node = withJSDoc(finishNode(factory2.createClassStaticBlockDeclaration(body), pos), hasJSDoc); node.modifiers = modifiers; return node; } function parseClassStaticBlockBody() { const savedYieldContext = inYieldContext(); const savedAwaitContext = inAwaitContext(); setYieldContext(false); setAwaitContext(true); const body = parseBlock( /*ignoreMissingOpenBrace*/ false ); setYieldContext(savedYieldContext); setAwaitContext(savedAwaitContext); return body; } function parseDecoratorExpression() { if (inAwaitContext() && token() === 135) { const pos = getNodePos(); const awaitExpression = parseIdentifier(Diagnostics.Expression_expected); nextToken(); const memberExpression = parseMemberExpressionRest( pos, awaitExpression, /*allowOptionalChain*/ true ); return parseCallExpressionRest(pos, memberExpression); } return parseLeftHandSideExpressionOrHigher(); } function tryParseDecorator() { const pos = getNodePos(); if (!parseOptional( 60 /* AtToken */ )) { return void 0; } const expression = doInDecoratorContext(parseDecoratorExpression); return finishNode(factory2.createDecorator(expression), pos); } function tryParseModifier(hasSeenStaticModifier, permitConstAsModifier, stopOnStartOfClassStaticBlock) { const pos = getNodePos(); const kind = token(); if (token() === 87 && permitConstAsModifier) { if (!tryParse(nextTokenIsOnSameLineAndCanFollowModifier)) { return void 0; } } else if (stopOnStartOfClassStaticBlock && token() === 126 && lookAhead(nextTokenIsOpenBrace)) { return void 0; } else if (hasSeenStaticModifier && token() === 126) { return void 0; } else { if (!parseAnyContextualModifier()) { return void 0; } } return finishNode(factoryCreateToken(kind), pos); } function parseModifiers(allowDecorators, permitConstAsModifier, stopOnStartOfClassStaticBlock) { const pos = getNodePos(); let list; let decorator, modifier, hasSeenStaticModifier = false, hasLeadingModifier = false, hasTrailingDecorator = false; if (allowDecorators && token() === 60) { while (decorator = tryParseDecorator()) { list = append(list, decorator); } } while (modifier = tryParseModifier(hasSeenStaticModifier, permitConstAsModifier, stopOnStartOfClassStaticBlock)) { if (modifier.kind === 126) hasSeenStaticModifier = true; list = append(list, modifier); hasLeadingModifier = true; } if (hasLeadingModifier && allowDecorators && token() === 60) { while (decorator = tryParseDecorator()) { list = append(list, decorator); hasTrailingDecorator = true; } } if (hasTrailingDecorator) { while (modifier = tryParseModifier(hasSeenStaticModifier, permitConstAsModifier, stopOnStartOfClassStaticBlock)) { if (modifier.kind === 126) hasSeenStaticModifier = true; list = append(list, modifier); } } return list && createNodeArray(list, pos); } function parseModifiersForArrowFunction() { let modifiers; if (token() === 134) { const pos = getNodePos(); nextToken(); const modifier = finishNode(factoryCreateToken( 134 /* AsyncKeyword */ ), pos); modifiers = createNodeArray([modifier], pos); } return modifiers; } function parseClassElement() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); if (token() === 27) { nextToken(); return withJSDoc(finishNode(factory2.createSemicolonClassElement(), pos), hasJSDoc); } const modifiers = parseModifiers( /*allowDecorators*/ true, /*permitConstAsModifier*/ true, /*stopOnStartOfClassStaticBlock*/ true ); if (token() === 126 && lookAhead(nextTokenIsOpenBrace)) { return parseClassStaticBlockDeclaration(pos, hasJSDoc, modifiers); } if (parseContextualModifier( 139 /* GetKeyword */ )) { return parseAccessorDeclaration( pos, hasJSDoc, modifiers, 177, 0 /* None */ ); } if (parseContextualModifier( 153 /* SetKeyword */ )) { return parseAccessorDeclaration( pos, hasJSDoc, modifiers, 178, 0 /* None */ ); } if (token() === 137 || token() === 11) { const constructorDeclaration = tryParseConstructorDeclaration(pos, hasJSDoc, modifiers); if (constructorDeclaration) { return constructorDeclaration; } } if (isIndexSignature()) { return parseIndexSignatureDeclaration(pos, hasJSDoc, modifiers); } if (tokenIsIdentifierOrKeyword(token()) || token() === 11 || token() === 9 || token() === 42 || token() === 23) { const isAmbient = some(modifiers, isDeclareModifier); if (isAmbient) { for (const m of modifiers) { m.flags |= 33554432; } return doInsideOfContext(33554432, () => parsePropertyOrMethodDeclaration(pos, hasJSDoc, modifiers)); } else { return parsePropertyOrMethodDeclaration(pos, hasJSDoc, modifiers); } } if (modifiers) { const name = createMissingNode( 80, /*reportAtCurrentPosition*/ true, Diagnostics.Declaration_expected ); return parsePropertyDeclaration( pos, hasJSDoc, modifiers, name, /*questionToken*/ void 0 ); } return Debug.fail("Should not have attempted to parse class member declaration."); } function parseDecoratedExpression() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const modifiers = parseModifiers( /*allowDecorators*/ true ); if (token() === 86) { return parseClassDeclarationOrExpression( pos, hasJSDoc, modifiers, 231 /* ClassExpression */ ); } const missing = createMissingNode( 282, /*reportAtCurrentPosition*/ true, Diagnostics.Expression_expected ); setTextRangePos(missing, pos); missing.modifiers = modifiers; return missing; } function parseClassExpression() { return parseClassDeclarationOrExpression( getNodePos(), hasPrecedingJSDocComment(), /*modifiers*/ void 0, 231 /* ClassExpression */ ); } function parseClassDeclaration(pos, hasJSDoc, modifiers) { return parseClassDeclarationOrExpression( pos, hasJSDoc, modifiers, 263 /* ClassDeclaration */ ); } function parseClassDeclarationOrExpression(pos, hasJSDoc, modifiers, kind) { const savedAwaitContext = inAwaitContext(); parseExpected( 86 /* ClassKeyword */ ); const name = parseNameOfClassDeclarationOrExpression(); const typeParameters = parseTypeParameters(); if (some(modifiers, isExportModifier)) setAwaitContext( /*value*/ true ); const heritageClauses = parseHeritageClauses(); let members; if (parseExpected( 19 /* OpenBraceToken */ )) { members = parseClassMembers(); parseExpected( 20 /* CloseBraceToken */ ); } else { members = createMissingList(); } setAwaitContext(savedAwaitContext); const node = kind === 263 ? factory2.createClassDeclaration(modifiers, name, typeParameters, heritageClauses, members) : factory2.createClassExpression(modifiers, name, typeParameters, heritageClauses, members); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseNameOfClassDeclarationOrExpression() { return isBindingIdentifier() && !isImplementsClause() ? createIdentifier(isBindingIdentifier()) : void 0; } function isImplementsClause() { return token() === 119 && lookAhead(nextTokenIsIdentifierOrKeyword); } function parseHeritageClauses() { if (isHeritageClause2()) { return parseList(22, parseHeritageClause); } return void 0; } function parseHeritageClause() { const pos = getNodePos(); const tok = token(); Debug.assert( tok === 96 || tok === 119 /* ImplementsKeyword */ ); nextToken(); const types = parseDelimitedList(7, parseExpressionWithTypeArguments); return finishNode(factory2.createHeritageClause(tok, types), pos); } function parseExpressionWithTypeArguments() { const pos = getNodePos(); const expression = parseLeftHandSideExpressionOrHigher(); if (expression.kind === 233) { return expression; } const typeArguments = tryParseTypeArguments(); return finishNode(factory2.createExpressionWithTypeArguments(expression, typeArguments), pos); } function tryParseTypeArguments() { return token() === 30 ? parseBracketedList( 20, parseType, 30, 32 /* GreaterThanToken */ ) : void 0; } function isHeritageClause2() { return token() === 96 || token() === 119; } function parseClassMembers() { return parseList(5, parseClassElement); } function parseInterfaceDeclaration(pos, hasJSDoc, modifiers) { parseExpected( 120 /* InterfaceKeyword */ ); const name = parseIdentifier(); const typeParameters = parseTypeParameters(); const heritageClauses = parseHeritageClauses(); const members = parseObjectTypeMembers(); const node = factory2.createInterfaceDeclaration(modifiers, name, typeParameters, heritageClauses, members); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseTypeAliasDeclaration(pos, hasJSDoc, modifiers) { parseExpected( 156 /* TypeKeyword */ ); if (scanner2.hasPrecedingLineBreak()) { parseErrorAtCurrentToken(Diagnostics.Line_break_not_permitted_here); } const name = parseIdentifier(); const typeParameters = parseTypeParameters(); parseExpected( 64 /* EqualsToken */ ); const type = token() === 141 && tryParse(parseKeywordAndNoDot) || parseType(); parseSemicolon(); const node = factory2.createTypeAliasDeclaration(modifiers, name, typeParameters, type); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseEnumMember() { const pos = getNodePos(); const hasJSDoc = hasPrecedingJSDocComment(); const name = parsePropertyName(); const initializer = allowInAnd(parseInitializer); return withJSDoc(finishNode(factory2.createEnumMember(name, initializer), pos), hasJSDoc); } function parseEnumDeclaration(pos, hasJSDoc, modifiers) { parseExpected( 94 /* EnumKeyword */ ); const name = parseIdentifier(); let members; if (parseExpected( 19 /* OpenBraceToken */ )) { members = doOutsideOfYieldAndAwaitContext(() => parseDelimitedList(6, parseEnumMember)); parseExpected( 20 /* CloseBraceToken */ ); } else { members = createMissingList(); } const node = factory2.createEnumDeclaration(modifiers, name, members); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseModuleBlock() { const pos = getNodePos(); let statements; if (parseExpected( 19 /* OpenBraceToken */ )) { statements = parseList(1, parseStatement); parseExpected( 20 /* CloseBraceToken */ ); } else { statements = createMissingList(); } return finishNode(factory2.createModuleBlock(statements), pos); } function parseModuleOrNamespaceDeclaration(pos, hasJSDoc, modifiers, flags) { const namespaceFlag = flags & 32; const name = flags & 8 ? parseIdentifierName() : parseIdentifier(); const body = parseOptional( 25 /* DotToken */ ) ? parseModuleOrNamespaceDeclaration( getNodePos(), /*hasJSDoc*/ false, /*modifiers*/ void 0, 8 | namespaceFlag ) : parseModuleBlock(); const node = factory2.createModuleDeclaration(modifiers, name, body, flags); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseAmbientExternalModuleDeclaration(pos, hasJSDoc, modifiersIn) { let flags = 0; let name; if (token() === 162) { name = parseIdentifier(); flags |= 2048; } else { name = parseLiteralNode(); name.text = internIdentifier(name.text); } let body; if (token() === 19) { body = parseModuleBlock(); } else { parseSemicolon(); } const node = factory2.createModuleDeclaration(modifiersIn, name, body, flags); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseModuleDeclaration(pos, hasJSDoc, modifiersIn) { let flags = 0; if (token() === 162) { return parseAmbientExternalModuleDeclaration(pos, hasJSDoc, modifiersIn); } else if (parseOptional( 145 /* NamespaceKeyword */ )) { flags |= 32; } else { parseExpected( 144 /* ModuleKeyword */ ); if (token() === 11) { return parseAmbientExternalModuleDeclaration(pos, hasJSDoc, modifiersIn); } } return parseModuleOrNamespaceDeclaration(pos, hasJSDoc, modifiersIn, flags); } function isExternalModuleReference2() { return token() === 149 && lookAhead(nextTokenIsOpenParen); } function nextTokenIsOpenParen() { return nextToken() === 21; } function nextTokenIsOpenBrace() { return nextToken() === 19; } function nextTokenIsSlash() { return nextToken() === 44; } function parseNamespaceExportDeclaration(pos, hasJSDoc, modifiers) { parseExpected( 130 /* AsKeyword */ ); parseExpected( 145 /* NamespaceKeyword */ ); const name = parseIdentifier(); parseSemicolon(); const node = factory2.createNamespaceExportDeclaration(name); node.modifiers = modifiers; return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseImportDeclarationOrImportEqualsDeclaration(pos, hasJSDoc, modifiers) { parseExpected( 102 /* ImportKeyword */ ); const afterImportPos = scanner2.getTokenFullStart(); let identifier; if (isIdentifier2()) { identifier = parseIdentifier(); } let isTypeOnly = false; if ((identifier == null ? void 0 : identifier.escapedText) === "type" && (token() !== 161 || isIdentifier2() && lookAhead(nextTokenIsFromKeywordOrEqualsToken)) && (isIdentifier2() || tokenAfterImportDefinitelyProducesImportDeclaration())) { isTypeOnly = true; identifier = isIdentifier2() ? parseIdentifier() : void 0; } if (identifier && !tokenAfterImportedIdentifierDefinitelyProducesImportDeclaration()) { return parseImportEqualsDeclaration(pos, hasJSDoc, modifiers, identifier, isTypeOnly); } const importClause = tryParseImportClause(identifier, afterImportPos, isTypeOnly); const moduleSpecifier = parseModuleSpecifier(); const attributes = tryParseImportAttributes(); parseSemicolon(); const node = factory2.createImportDeclaration(modifiers, importClause, moduleSpecifier, attributes); return withJSDoc(finishNode(node, pos), hasJSDoc); } function tryParseImportClause(identifier, pos, isTypeOnly, skipJsDocLeadingAsterisks = false) { let importClause; if (identifier || // import id token() === 42 || // import * token() === 19) { importClause = parseImportClause(identifier, pos, isTypeOnly, skipJsDocLeadingAsterisks); parseExpected( 161 /* FromKeyword */ ); } return importClause; } function tryParseImportAttributes() { const currentToken2 = token(); if ((currentToken2 === 118 || currentToken2 === 132) && !scanner2.hasPrecedingLineBreak()) { return parseImportAttributes(currentToken2); } } function parseImportAttribute() { const pos = getNodePos(); const name = tokenIsIdentifierOrKeyword(token()) ? parseIdentifierName() : parseLiteralLikeNode( 11 /* StringLiteral */ ); parseExpected( 59 /* ColonToken */ ); const value = parseAssignmentExpressionOrHigher( /*allowReturnTypeInArrowFunction*/ true ); return finishNode(factory2.createImportAttribute(name, value), pos); } function parseImportAttributes(token2, skipKeyword) { const pos = getNodePos(); if (!skipKeyword) { parseExpected(token2); } const openBracePosition = scanner2.getTokenStart(); if (parseExpected( 19 /* OpenBraceToken */ )) { const multiLine = scanner2.hasPrecedingLineBreak(); const elements = parseDelimitedList( 24, parseImportAttribute, /*considerSemicolonAsDelimiter*/ true ); if (!parseExpected( 20 /* CloseBraceToken */ )) { const lastError = lastOrUndefined(parseDiagnostics); if (lastError && lastError.code === Diagnostics._0_expected.code) { addRelatedInfo( lastError, createDetachedDiagnostic(fileName, sourceText, openBracePosition, 1, Diagnostics.The_parser_expected_to_find_a_1_to_match_the_0_token_here, "{", "}") ); } } return finishNode(factory2.createImportAttributes(elements, multiLine, token2), pos); } else { const elements = createNodeArray( [], getNodePos(), /*end*/ void 0, /*hasTrailingComma*/ false ); return finishNode(factory2.createImportAttributes( elements, /*multiLine*/ false, token2 ), pos); } } function tokenAfterImportDefinitelyProducesImportDeclaration() { return token() === 42 || token() === 19; } function tokenAfterImportedIdentifierDefinitelyProducesImportDeclaration() { return token() === 28 || token() === 161; } function parseImportEqualsDeclaration(pos, hasJSDoc, modifiers, identifier, isTypeOnly) { parseExpected( 64 /* EqualsToken */ ); const moduleReference = parseModuleReference(); parseSemicolon(); const node = factory2.createImportEqualsDeclaration(modifiers, isTypeOnly, identifier, moduleReference); const finished = withJSDoc(finishNode(node, pos), hasJSDoc); return finished; } function parseImportClause(identifier, pos, isTypeOnly, skipJsDocLeadingAsterisks) { let namedBindings; if (!identifier || parseOptional( 28 /* CommaToken */ )) { if (skipJsDocLeadingAsterisks) scanner2.setSkipJsDocLeadingAsterisks(true); namedBindings = token() === 42 ? parseNamespaceImport() : parseNamedImportsOrExports( 275 /* NamedImports */ ); if (skipJsDocLeadingAsterisks) scanner2.setSkipJsDocLeadingAsterisks(false); } return finishNode(factory2.createImportClause(isTypeOnly, identifier, namedBindings), pos); } function parseModuleReference() { return isExternalModuleReference2() ? parseExternalModuleReference() : parseEntityName( /*allowReservedWords*/ false ); } function parseExternalModuleReference() { const pos = getNodePos(); parseExpected( 149 /* RequireKeyword */ ); parseExpected( 21 /* OpenParenToken */ ); const expression = parseModuleSpecifier(); parseExpected( 22 /* CloseParenToken */ ); return finishNode(factory2.createExternalModuleReference(expression), pos); } function parseModuleSpecifier() { if (token() === 11) { const result = parseLiteralNode(); result.text = internIdentifier(result.text); return result; } else { return parseExpression(); } } function parseNamespaceImport() { const pos = getNodePos(); parseExpected( 42 /* AsteriskToken */ ); parseExpected( 130 /* AsKeyword */ ); const name = parseIdentifier(); return finishNode(factory2.createNamespaceImport(name), pos); } function parseNamedImportsOrExports(kind) { const pos = getNodePos(); const node = kind === 275 ? factory2.createNamedImports(parseBracketedList( 23, parseImportSpecifier, 19, 20 /* CloseBraceToken */ )) : factory2.createNamedExports(parseBracketedList( 23, parseExportSpecifier, 19, 20 /* CloseBraceToken */ )); return finishNode(node, pos); } function parseExportSpecifier() { const hasJSDoc = hasPrecedingJSDocComment(); return withJSDoc(parseImportOrExportSpecifier( 281 /* ExportSpecifier */ ), hasJSDoc); } function parseImportSpecifier() { return parseImportOrExportSpecifier( 276 /* ImportSpecifier */ ); } function parseImportOrExportSpecifier(kind) { const pos = getNodePos(); let checkIdentifierIsKeyword = isKeyword2(token()) && !isIdentifier2(); let checkIdentifierStart = scanner2.getTokenStart(); let checkIdentifierEnd = scanner2.getTokenEnd(); let isTypeOnly = false; let propertyName; let canParseAsKeyword = true; let name = parseIdentifierName(); if (name.escapedText === "type") { if (token() === 130) { const firstAs = parseIdentifierName(); if (token() === 130) { const secondAs = parseIdentifierName(); if (tokenIsIdentifierOrKeyword(token())) { isTypeOnly = true; propertyName = firstAs; name = parseNameWithKeywordCheck(); canParseAsKeyword = false; } else { propertyName = name; name = secondAs; canParseAsKeyword = false; } } else if (tokenIsIdentifierOrKeyword(token())) { propertyName = name; canParseAsKeyword = false; name = parseNameWithKeywordCheck(); } else { isTypeOnly = true; name = firstAs; } } else if (tokenIsIdentifierOrKeyword(token())) { isTypeOnly = true; name = parseNameWithKeywordCheck(); } } if (canParseAsKeyword && token() === 130) { propertyName = name; parseExpected( 130 /* AsKeyword */ ); name = parseNameWithKeywordCheck(); } if (kind === 276 && checkIdentifierIsKeyword) { parseErrorAt(checkIdentifierStart, checkIdentifierEnd, Diagnostics.Identifier_expected); } const node = kind === 276 ? factory2.createImportSpecifier(isTypeOnly, propertyName, name) : factory2.createExportSpecifier(isTypeOnly, propertyName, name); return finishNode(node, pos); function parseNameWithKeywordCheck() { checkIdentifierIsKeyword = isKeyword2(token()) && !isIdentifier2(); checkIdentifierStart = scanner2.getTokenStart(); checkIdentifierEnd = scanner2.getTokenEnd(); return parseIdentifierName(); } } function parseNamespaceExport(pos) { return finishNode(factory2.createNamespaceExport(parseIdentifierName()), pos); } function parseExportDeclaration(pos, hasJSDoc, modifiers) { const savedAwaitContext = inAwaitContext(); setAwaitContext( /*value*/ true ); let exportClause; let moduleSpecifier; let attributes; const isTypeOnly = parseOptional( 156 /* TypeKeyword */ ); const namespaceExportPos = getNodePos(); if (parseOptional( 42 /* AsteriskToken */ )) { if (parseOptional( 130 /* AsKeyword */ )) { exportClause = parseNamespaceExport(namespaceExportPos); } parseExpected( 161 /* FromKeyword */ ); moduleSpecifier = parseModuleSpecifier(); } else { exportClause = parseNamedImportsOrExports( 279 /* NamedExports */ ); if (token() === 161 || token() === 11 && !scanner2.hasPrecedingLineBreak()) { parseExpected( 161 /* FromKeyword */ ); moduleSpecifier = parseModuleSpecifier(); } } const currentToken2 = token(); if (moduleSpecifier && (currentToken2 === 118 || currentToken2 === 132) && !scanner2.hasPrecedingLineBreak()) { attributes = parseImportAttributes(currentToken2); } parseSemicolon(); setAwaitContext(savedAwaitContext); const node = factory2.createExportDeclaration(modifiers, isTypeOnly, exportClause, moduleSpecifier, attributes); return withJSDoc(finishNode(node, pos), hasJSDoc); } function parseExportAssignment(pos, hasJSDoc, modifiers) { const savedAwaitContext = inAwaitContext(); setAwaitContext( /*value*/ true ); let isExportEquals; if (parseOptional( 64 /* EqualsToken */ )) { isExportEquals = true; } else { parseExpected( 90 /* DefaultKeyword */ ); } const expression = parseAssignmentExpressionOrHigher( /*allowReturnTypeInArrowFunction*/ true ); parseSemicolon(); setAwaitContext(savedAwaitContext); const node = factory2.createExportAssignment(modifiers, isExportEquals, expression); return withJSDoc(finishNode(node, pos), hasJSDoc); } let ParsingContext; ((ParsingContext2) => { ParsingContext2[ParsingContext2["SourceElements"] = 0] = "SourceElements"; ParsingContext2[ParsingContext2["BlockStatements"] = 1] = "BlockStatements"; ParsingContext2[ParsingContext2["SwitchClauses"] = 2] = "SwitchClauses"; ParsingContext2[ParsingContext2["SwitchClauseStatements"] = 3] = "SwitchClauseStatements"; ParsingContext2[ParsingContext2["TypeMembers"] = 4] = "TypeMembers"; ParsingContext2[ParsingContext2["ClassMembers"] = 5] = "ClassMembers"; ParsingContext2[ParsingContext2["EnumMembers"] = 6] = "EnumMembers"; ParsingContext2[ParsingContext2["HeritageClauseElement"] = 7] = "HeritageClauseElement"; ParsingContext2[ParsingContext2["VariableDeclarations"] = 8] = "VariableDeclarations"; ParsingContext2[ParsingContext2["ObjectBindingElements"] = 9] = "ObjectBindingElements"; ParsingContext2[ParsingContext2["ArrayBindingElements"] = 10] = "ArrayBindingElements"; ParsingContext2[ParsingContext2["ArgumentExpressions"] = 11] = "ArgumentExpressions"; ParsingContext2[ParsingContext2["ObjectLiteralMembers"] = 12] = "ObjectLiteralMembers"; ParsingContext2[ParsingContext2["JsxAttributes"] = 13] = "JsxAttributes"; ParsingContext2[ParsingContext2["JsxChildren"] = 14] = "JsxChildren"; ParsingContext2[ParsingContext2["ArrayLiteralMembers"] = 15] = "ArrayLiteralMembers"; ParsingContext2[ParsingContext2["Parameters"] = 16] = "Parameters"; ParsingContext2[ParsingContext2["JSDocParameters"] = 17] = "JSDocParameters"; ParsingContext2[ParsingContext2["RestProperties"] = 18] = "RestProperties"; ParsingContext2[ParsingContext2["TypeParameters"] = 19] = "TypeParameters"; ParsingContext2[ParsingContext2["TypeArguments"] = 20] = "TypeArguments"; ParsingContext2[ParsingContext2["TupleElementTypes"] = 21] = "TupleElementTypes"; ParsingContext2[ParsingContext2["HeritageClauses"] = 22] = "HeritageClauses"; ParsingContext2[ParsingContext2["ImportOrExportSpecifiers"] = 23] = "ImportOrExportSpecifiers"; ParsingContext2[ParsingContext2["ImportAttributes"] = 24] = "ImportAttributes"; ParsingContext2[ParsingContext2["JSDocComment"] = 25] = "JSDocComment"; ParsingContext2[ParsingContext2["Count"] = 26] = "Count"; })(ParsingContext || (ParsingContext = {})); let Tristate; ((Tristate2) => { Tristate2[Tristate2["False"] = 0] = "False"; Tristate2[Tristate2["True"] = 1] = "True"; Tristate2[Tristate2["Unknown"] = 2] = "Unknown"; })(Tristate || (Tristate = {})); let JSDocParser; ((JSDocParser2) => { function parseJSDocTypeExpressionForTests2(content, start, length2) { initializeState( "file.js", content, 99, /*syntaxCursor*/ void 0, 1, 0 /* ParseAll */ ); scanner2.setText(content, start, length2); currentToken = scanner2.scan(); const jsDocTypeExpression = parseJSDocTypeExpression(); const sourceFile = createSourceFile2( "file.js", 99, 1, /*isDeclarationFile*/ false, [], factoryCreateToken( 1 /* EndOfFileToken */ ), 0, noop2 ); const diagnostics = attachFileToDiagnostics(parseDiagnostics, sourceFile); if (jsDocDiagnostics) { sourceFile.jsDocDiagnostics = attachFileToDiagnostics(jsDocDiagnostics, sourceFile); } clearState(); return jsDocTypeExpression ? { jsDocTypeExpression, diagnostics } : void 0; } JSDocParser2.parseJSDocTypeExpressionForTests = parseJSDocTypeExpressionForTests2; function parseJSDocTypeExpression(mayOmitBraces) { const pos = getNodePos(); const hasBrace = (mayOmitBraces ? parseOptional : parseExpected)( 19 /* OpenBraceToken */ ); const type = doInsideOfContext(16777216, parseJSDocType); if (!mayOmitBraces || hasBrace) { parseExpectedJSDoc( 20 /* CloseBraceToken */ ); } const result = factory2.createJSDocTypeExpression(type); fixupParentReferences(result); return finishNode(result, pos); } JSDocParser2.parseJSDocTypeExpression = parseJSDocTypeExpression; function parseJSDocNameReference() { const pos = getNodePos(); const hasBrace = parseOptional( 19 /* OpenBraceToken */ ); const p2 = getNodePos(); let entityName = parseEntityName( /*allowReservedWords*/ false ); while (token() === 81) { reScanHashToken(); nextTokenJSDoc(); entityName = finishNode(factory2.createJSDocMemberName(entityName, parseIdentifier()), p2); } if (hasBrace) { parseExpectedJSDoc( 20 /* CloseBraceToken */ ); } const result = factory2.createJSDocNameReference(entityName); fixupParentReferences(result); return finishNode(result, pos); } JSDocParser2.parseJSDocNameReference = parseJSDocNameReference; function parseIsolatedJSDocComment2(content, start, length2) { initializeState( "", content, 99, /*syntaxCursor*/ void 0, 1, 0 /* ParseAll */ ); const jsDoc = doInsideOfContext(16777216, () => parseJSDocCommentWorker(start, length2)); const sourceFile = { languageVariant: 0, text: content }; const diagnostics = attachFileToDiagnostics(parseDiagnostics, sourceFile); clearState(); return jsDoc ? { jsDoc, diagnostics } : void 0; } JSDocParser2.parseIsolatedJSDocComment = parseIsolatedJSDocComment2; function parseJSDocComment(parent2, start, length2) { const saveToken = currentToken; const saveParseDiagnosticsLength = parseDiagnostics.length; const saveParseErrorBeforeNextFinishedNode = parseErrorBeforeNextFinishedNode; const comment = doInsideOfContext(16777216, () => parseJSDocCommentWorker(start, length2)); setParent(comment, parent2); if (contextFlags & 524288) { if (!jsDocDiagnostics) { jsDocDiagnostics = []; } addRange(jsDocDiagnostics, parseDiagnostics, saveParseDiagnosticsLength); } currentToken = saveToken; parseDiagnostics.length = saveParseDiagnosticsLength; parseErrorBeforeNextFinishedNode = saveParseErrorBeforeNextFinishedNode; return comment; } JSDocParser2.parseJSDocComment = parseJSDocComment; let JSDocState; ((JSDocState2) => { JSDocState2[JSDocState2["BeginningOfLine"] = 0] = "BeginningOfLine"; JSDocState2[JSDocState2["SawAsterisk"] = 1] = "SawAsterisk"; JSDocState2[JSDocState2["SavingComments"] = 2] = "SavingComments"; JSDocState2[JSDocState2["SavingBackticks"] = 3] = "SavingBackticks"; })(JSDocState || (JSDocState = {})); let PropertyLikeParse; ((PropertyLikeParse2) => { PropertyLikeParse2[PropertyLikeParse2["Property"] = 1] = "Property"; PropertyLikeParse2[PropertyLikeParse2["Parameter"] = 2] = "Parameter"; PropertyLikeParse2[PropertyLikeParse2["CallbackParameter"] = 4] = "CallbackParameter"; })(PropertyLikeParse || (PropertyLikeParse = {})); function parseJSDocCommentWorker(start = 0, length2) { const content = sourceText; const end = length2 === void 0 ? content.length : start + length2; length2 = end - start; Debug.assert(start >= 0); Debug.assert(start <= end); Debug.assert(end <= content.length); if (!isJSDocLikeText(content, start)) { return void 0; } let tags; let tagsPos; let tagsEnd; let linkEnd; let commentsPos; let comments = []; const parts = []; const saveParsingContext = parsingContext; parsingContext |= 1 << 25; const result = scanner2.scanRange(start + 3, length2 - 5, doJSDocScan); parsingContext = saveParsingContext; return result; function doJSDocScan() { let state = 1; let margin; let indent3 = start - (content.lastIndexOf("\n", start) + 1) + 4; function pushComment(text) { if (!margin) { margin = indent3; } comments.push(text); indent3 += text.length; } nextTokenJSDoc(); while (parseOptionalJsdoc( 5 /* WhitespaceTrivia */ )) ; if (parseOptionalJsdoc( 4 /* NewLineTrivia */ )) { state = 0; indent3 = 0; } loop: while (true) { switch (token()) { case 60: removeTrailingWhitespace(comments); if (!commentsPos) commentsPos = getNodePos(); addTag(parseTag(indent3)); state = 0; margin = void 0; break; case 4: comments.push(scanner2.getTokenText()); state = 0; indent3 = 0; break; case 42: const asterisk = scanner2.getTokenText(); if (state === 1) { state = 2; pushComment(asterisk); } else { Debug.assert( state === 0 /* BeginningOfLine */ ); state = 1; indent3 += asterisk.length; } break; case 5: Debug.assert(state !== 2, "whitespace shouldn't come from the scanner while saving top-level comment text"); const whitespace = scanner2.getTokenText(); if (margin !== void 0 && indent3 + whitespace.length > margin) { comments.push(whitespace.slice(margin - indent3)); } indent3 += whitespace.length; break; case 1: break loop; case 82: state = 2; pushComment(scanner2.getTokenValue()); break; case 19: state = 2; const commentEnd = scanner2.getTokenFullStart(); const linkStart = scanner2.getTokenEnd() - 1; const link = parseJSDocLink(linkStart); if (link) { if (!linkEnd) { removeLeadingNewlines(comments); } parts.push(finishNode(factory2.createJSDocText(comments.join("")), linkEnd ?? start, commentEnd)); parts.push(link); comments = []; linkEnd = scanner2.getTokenEnd(); break; } default: state = 2; pushComment(scanner2.getTokenText()); break; } if (state === 2) { nextJSDocCommentTextToken( /*inBackticks*/ false ); } else { nextTokenJSDoc(); } } const trimmedComments = comments.join("").trimEnd(); if (parts.length && trimmedComments.length) { parts.push(finishNode(factory2.createJSDocText(trimmedComments), linkEnd ?? start, commentsPos)); } if (parts.length && tags) Debug.assertIsDefined(commentsPos, "having parsed tags implies that the end of the comment span should be set"); const tagsArray = tags && createNodeArray(tags, tagsPos, tagsEnd); return finishNode(factory2.createJSDocComment(parts.length ? createNodeArray(parts, start, commentsPos) : trimmedComments.length ? trimmedComments : void 0, tagsArray), start, end); } function removeLeadingNewlines(comments2) { while (comments2.length && (comments2[0] === "\n" || comments2[0] === "\r")) { comments2.shift(); } } function removeTrailingWhitespace(comments2) { while (comments2.length) { const trimmed = comments2[comments2.length - 1].trimEnd(); if (trimmed === "") { comments2.pop(); } else if (trimmed.length < comments2[comments2.length - 1].length) { comments2[comments2.length - 1] = trimmed; break; } else { break; } } } function isNextNonwhitespaceTokenEndOfFile() { while (true) { nextTokenJSDoc(); if (token() === 1) { return true; } if (!(token() === 5 || token() === 4)) { return false; } } } function skipWhitespace() { if (token() === 5 || token() === 4) { if (lookAhead(isNextNonwhitespaceTokenEndOfFile)) { return; } } while (token() === 5 || token() === 4) { nextTokenJSDoc(); } } function skipWhitespaceOrAsterisk() { if (token() === 5 || token() === 4) { if (lookAhead(isNextNonwhitespaceTokenEndOfFile)) { return ""; } } let precedingLineBreak = scanner2.hasPrecedingLineBreak(); let seenLineBreak = false; let indentText = ""; while (precedingLineBreak && token() === 42 || token() === 5 || token() === 4) { indentText += scanner2.getTokenText(); if (token() === 4) { precedingLineBreak = true; seenLineBreak = true; indentText = ""; } else if (token() === 42) { precedingLineBreak = false; } nextTokenJSDoc(); } return seenLineBreak ? indentText : ""; } function parseTag(margin) { Debug.assert( token() === 60 /* AtToken */ ); const start2 = scanner2.getTokenStart(); nextTokenJSDoc(); const tagName = parseJSDocIdentifierName( /*message*/ void 0 ); const indentText = skipWhitespaceOrAsterisk(); let tag; switch (tagName.escapedText) { case "author": tag = parseAuthorTag(start2, tagName, margin, indentText); break; case "implements": tag = parseImplementsTag(start2, tagName, margin, indentText); break; case "augments": case "extends": tag = parseAugmentsTag(start2, tagName, margin, indentText); break; case "class": case "constructor": tag = parseSimpleTag(start2, factory2.createJSDocClassTag, tagName, margin, indentText); break; case "public": tag = parseSimpleTag(start2, factory2.createJSDocPublicTag, tagName, margin, indentText); break; case "private": tag = parseSimpleTag(start2, factory2.createJSDocPrivateTag, tagName, margin, indentText); break; case "protected": tag = parseSimpleTag(start2, factory2.createJSDocProtectedTag, tagName, margin, indentText); break; case "readonly": tag = parseSimpleTag(start2, factory2.createJSDocReadonlyTag, tagName, margin, indentText); break; case "override": tag = parseSimpleTag(start2, factory2.createJSDocOverrideTag, tagName, margin, indentText); break; case "deprecated": hasDeprecatedTag = true; tag = parseSimpleTag(start2, factory2.createJSDocDeprecatedTag, tagName, margin, indentText); break; case "this": tag = parseThisTag(start2, tagName, margin, indentText); break; case "enum": tag = parseEnumTag(start2, tagName, margin, indentText); break; case "arg": case "argument": case "param": return parseParameterOrPropertyTag(start2, tagName, 2, margin); case "return": case "returns": tag = parseReturnTag(start2, tagName, margin, indentText); break; case "template": tag = parseTemplateTag(start2, tagName, margin, indentText); break; case "type": tag = parseTypeTag(start2, tagName, margin, indentText); break; case "typedef": tag = parseTypedefTag(start2, tagName, margin, indentText); break; case "callback": tag = parseCallbackTag(start2, tagName, margin, indentText); break; case "overload": tag = parseOverloadTag(start2, tagName, margin, indentText); break; case "satisfies": tag = parseSatisfiesTag(start2, tagName, margin, indentText); break; case "see": tag = parseSeeTag(start2, tagName, margin, indentText); break; case "exception": case "throws": tag = parseThrowsTag(start2, tagName, margin, indentText); break; case "import": tag = parseImportTag(start2, tagName, margin, indentText); break; default: tag = parseUnknownTag(start2, tagName, margin, indentText); break; } return tag; } function parseTrailingTagComments(pos, end2, margin, indentText) { if (!indentText) { margin += end2 - pos; } return parseTagComments(margin, indentText.slice(margin)); } function parseTagComments(indent3, initialMargin) { const commentsPos2 = getNodePos(); let comments2 = []; const parts2 = []; let linkEnd2; let state = 0; let margin; function pushComment(text) { if (!margin) { margin = indent3; } comments2.push(text); indent3 += text.length; } if (initialMargin !== void 0) { if (initialMargin !== "") { pushComment(initialMargin); } state = 1; } let tok = token(); loop: while (true) { switch (tok) { case 4: state = 0; comments2.push(scanner2.getTokenText()); indent3 = 0; break; case 60: scanner2.resetTokenState(scanner2.getTokenEnd() - 1); break loop; case 1: break loop; case 5: Debug.assert(state !== 2 && state !== 3, "whitespace shouldn't come from the scanner while saving comment text"); const whitespace = scanner2.getTokenText(); if (margin !== void 0 && indent3 + whitespace.length > margin) { comments2.push(whitespace.slice(margin - indent3)); state = 2; } indent3 += whitespace.length; break; case 19: state = 2; const commentEnd = scanner2.getTokenFullStart(); const linkStart = scanner2.getTokenEnd() - 1; const link = parseJSDocLink(linkStart); if (link) { parts2.push(finishNode(factory2.createJSDocText(comments2.join("")), linkEnd2 ?? commentsPos2, commentEnd)); parts2.push(link); comments2 = []; linkEnd2 = scanner2.getTokenEnd(); } else { pushComment(scanner2.getTokenText()); } break; case 62: if (state === 3) { state = 2; } else { state = 3; } pushComment(scanner2.getTokenText()); break; case 82: if (state !== 3) { state = 2; } pushComment(scanner2.getTokenValue()); break; case 42: if (state === 0) { state = 1; indent3 += 1; break; } default: if (state !== 3) { state = 2; } pushComment(scanner2.getTokenText()); break; } if (state === 2 || state === 3) { tok = nextJSDocCommentTextToken( state === 3 /* SavingBackticks */ ); } else { tok = nextTokenJSDoc(); } } removeLeadingNewlines(comments2); const trimmedComments = comments2.join("").trimEnd(); if (parts2.length) { if (trimmedComments.length) { parts2.push(finishNode(factory2.createJSDocText(trimmedComments), linkEnd2 ?? commentsPos2)); } return createNodeArray(parts2, commentsPos2, scanner2.getTokenEnd()); } else if (trimmedComments.length) { return trimmedComments; } } function parseJSDocLink(start2) { const linkType = tryParse(parseJSDocLinkPrefix); if (!linkType) { return void 0; } nextTokenJSDoc(); skipWhitespace(); const name = parseJSDocLinkName(); const text = []; while (token() !== 20 && token() !== 4 && token() !== 1) { text.push(scanner2.getTokenText()); nextTokenJSDoc(); } const create119 = linkType === "link" ? factory2.createJSDocLink : linkType === "linkcode" ? factory2.createJSDocLinkCode : factory2.createJSDocLinkPlain; return finishNode(create119(name, text.join("")), start2, scanner2.getTokenEnd()); } function parseJSDocLinkName() { if (tokenIsIdentifierOrKeyword(token())) { const pos = getNodePos(); let name = parseIdentifierName(); while (parseOptional( 25 /* DotToken */ )) { name = finishNode(factory2.createQualifiedName(name, token() === 81 ? createMissingNode( 80, /*reportAtCurrentPosition*/ false ) : parseIdentifierName()), pos); } while (token() === 81) { reScanHashToken(); nextTokenJSDoc(); name = finishNode(factory2.createJSDocMemberName(name, parseIdentifier()), pos); } return name; } return void 0; } function parseJSDocLinkPrefix() { skipWhitespaceOrAsterisk(); if (token() === 19 && nextTokenJSDoc() === 60 && tokenIsIdentifierOrKeyword(nextTokenJSDoc())) { const kind = scanner2.getTokenValue(); if (isJSDocLinkTag(kind)) return kind; } } function isJSDocLinkTag(kind) { return kind === "link" || kind === "linkcode" || kind === "linkplain"; } function parseUnknownTag(start2, tagName, indent3, indentText) { return finishNode(factory2.createJSDocUnknownTag(tagName, parseTrailingTagComments(start2, getNodePos(), indent3, indentText)), start2); } function addTag(tag) { if (!tag) { return; } if (!tags) { tags = [tag]; tagsPos = tag.pos; } else { tags.push(tag); } tagsEnd = tag.end; } function tryParseTypeExpression() { skipWhitespaceOrAsterisk(); return token() === 19 ? parseJSDocTypeExpression() : void 0; } function parseBracketNameInPropertyAndParamTag() { const isBracketed = parseOptionalJsdoc( 23 /* OpenBracketToken */ ); if (isBracketed) { skipWhitespace(); } const isBackquoted = parseOptionalJsdoc( 62 /* BacktickToken */ ); const name = parseJSDocEntityName(); if (isBackquoted) { parseExpectedTokenJSDoc( 62 /* BacktickToken */ ); } if (isBracketed) { skipWhitespace(); if (parseOptionalToken( 64 /* EqualsToken */ )) { parseExpression(); } parseExpected( 24 /* CloseBracketToken */ ); } return { name, isBracketed }; } function isObjectOrObjectArrayTypeReference(node) { switch (node.kind) { case 151: return true; case 188: return isObjectOrObjectArrayTypeReference(node.elementType); default: return isTypeReferenceNode(node) && isIdentifier(node.typeName) && node.typeName.escapedText === "Object" && !node.typeArguments; } } function parseParameterOrPropertyTag(start2, tagName, target, indent3) { let typeExpression = tryParseTypeExpression(); let isNameFirst = !typeExpression; skipWhitespaceOrAsterisk(); const { name, isBracketed } = parseBracketNameInPropertyAndParamTag(); const indentText = skipWhitespaceOrAsterisk(); if (isNameFirst && !lookAhead(parseJSDocLinkPrefix)) { typeExpression = tryParseTypeExpression(); } const comment = parseTrailingTagComments(start2, getNodePos(), indent3, indentText); const nestedTypeLiteral = parseNestedTypeLiteral(typeExpression, name, target, indent3); if (nestedTypeLiteral) { typeExpression = nestedTypeLiteral; isNameFirst = true; } const result2 = target === 1 ? factory2.createJSDocPropertyTag(tagName, name, isBracketed, typeExpression, isNameFirst, comment) : factory2.createJSDocParameterTag(tagName, name, isBracketed, typeExpression, isNameFirst, comment); return finishNode(result2, start2); } function parseNestedTypeLiteral(typeExpression, name, target, indent3) { if (typeExpression && isObjectOrObjectArrayTypeReference(typeExpression.type)) { const pos = getNodePos(); let child; let children; while (child = tryParse(() => parseChildParameterOrPropertyTag(target, indent3, name))) { if (child.kind === 341 || child.kind === 348) { children = append(children, child); } else if (child.kind === 345) { parseErrorAtRange(child.tagName, Diagnostics.A_JSDoc_template_tag_may_not_follow_a_typedef_callback_or_overload_tag); } } if (children) { const literal = finishNode(factory2.createJSDocTypeLiteral( children, typeExpression.type.kind === 188 /* ArrayType */ ), pos); return finishNode(factory2.createJSDocTypeExpression(literal), pos); } } } function parseReturnTag(start2, tagName, indent3, indentText) { if (some(tags, isJSDocReturnTag)) { parseErrorAt(tagName.pos, scanner2.getTokenStart(), Diagnostics._0_tag_already_specified, unescapeLeadingUnderscores(tagName.escapedText)); } const typeExpression = tryParseTypeExpression(); return finishNode(factory2.createJSDocReturnTag(tagName, typeExpression, parseTrailingTagComments(start2, getNodePos(), indent3, indentText)), start2); } function parseTypeTag(start2, tagName, indent3, indentText) { if (some(tags, isJSDocTypeTag)) { parseErrorAt(tagName.pos, scanner2.getTokenStart(), Diagnostics._0_tag_already_specified, unescapeLeadingUnderscores(tagName.escapedText)); } const typeExpression = parseJSDocTypeExpression( /*mayOmitBraces*/ true ); const comments2 = indent3 !== void 0 && indentText !== void 0 ? parseTrailingTagComments(start2, getNodePos(), indent3, indentText) : void 0; return finishNode(factory2.createJSDocTypeTag(tagName, typeExpression, comments2), start2); } function parseSeeTag(start2, tagName, indent3, indentText) { const isMarkdownOrJSDocLink = token() === 23 || lookAhead(() => nextTokenJSDoc() === 60 && tokenIsIdentifierOrKeyword(nextTokenJSDoc()) && isJSDocLinkTag(scanner2.getTokenValue())); const nameExpression = isMarkdownOrJSDocLink ? void 0 : parseJSDocNameReference(); const comments2 = indent3 !== void 0 && indentText !== void 0 ? parseTrailingTagComments(start2, getNodePos(), indent3, indentText) : void 0; return finishNode(factory2.createJSDocSeeTag(tagName, nameExpression, comments2), start2); } function parseThrowsTag(start2, tagName, indent3, indentText) { const typeExpression = tryParseTypeExpression(); const comment = parseTrailingTagComments(start2, getNodePos(), indent3, indentText); return finishNode(factory2.createJSDocThrowsTag(tagName, typeExpression, comment), start2); } function parseAuthorTag(start2, tagName, indent3, indentText) { const commentStart = getNodePos(); const textOnly = parseAuthorNameAndEmail(); let commentEnd = scanner2.getTokenFullStart(); const comments2 = parseTrailingTagComments(start2, commentEnd, indent3, indentText); if (!comments2) { commentEnd = scanner2.getTokenFullStart(); } const allParts = typeof comments2 !== "string" ? createNodeArray(concatenate([finishNode(textOnly, commentStart, commentEnd)], comments2), commentStart) : textOnly.text + comments2; return finishNode(factory2.createJSDocAuthorTag(tagName, allParts), start2); } function parseAuthorNameAndEmail() { const comments2 = []; let inEmail = false; let token2 = scanner2.getToken(); while (token2 !== 1 && token2 !== 4) { if (token2 === 30) { inEmail = true; } else if (token2 === 60 && !inEmail) { break; } else if (token2 === 32 && inEmail) { comments2.push(scanner2.getTokenText()); scanner2.resetTokenState(scanner2.getTokenEnd()); break; } comments2.push(scanner2.getTokenText()); token2 = nextTokenJSDoc(); } return factory2.createJSDocText(comments2.join("")); } function parseImplementsTag(start2, tagName, margin, indentText) { const className = parseExpressionWithTypeArgumentsForAugments(); return finishNode(factory2.createJSDocImplementsTag(tagName, className, parseTrailingTagComments(start2, getNodePos(), margin, indentText)), start2); } function parseAugmentsTag(start2, tagName, margin, indentText) { const className = parseExpressionWithTypeArgumentsForAugments(); return finishNode(factory2.createJSDocAugmentsTag(tagName, className, parseTrailingTagComments(start2, getNodePos(), margin, indentText)), start2); } function parseSatisfiesTag(start2, tagName, margin, indentText) { const typeExpression = parseJSDocTypeExpression( /*mayOmitBraces*/ false ); const comments2 = margin !== void 0 && indentText !== void 0 ? parseTrailingTagComments(start2, getNodePos(), margin, indentText) : void 0; return finishNode(factory2.createJSDocSatisfiesTag(tagName, typeExpression, comments2), start2); } function parseImportTag(start2, tagName, margin, indentText) { const afterImportTagPos = scanner2.getTokenFullStart(); let identifier; if (isIdentifier2()) { identifier = parseIdentifier(); } const importClause = tryParseImportClause( identifier, afterImportTagPos, /*isTypeOnly*/ true, /*skipJsDocLeadingAsterisks*/ true ); const moduleSpecifier = parseModuleSpecifier(); const attributes = tryParseImportAttributes(); const comments2 = margin !== void 0 && indentText !== void 0 ? parseTrailingTagComments(start2, getNodePos(), margin, indentText) : void 0; return finishNode(factory2.createJSDocImportTag(tagName, importClause, moduleSpecifier, attributes, comments2), start2); } function parseExpressionWithTypeArgumentsForAugments() { const usedBrace = parseOptional( 19 /* OpenBraceToken */ ); const pos = getNodePos(); const expression = parsePropertyAccessEntityNameExpression(); scanner2.setSkipJsDocLeadingAsterisks(true); const typeArguments = tryParseTypeArguments(); scanner2.setSkipJsDocLeadingAsterisks(false); const node = factory2.createExpressionWithTypeArguments(expression, typeArguments); const res = finishNode(node, pos); if (usedBrace) { parseExpected( 20 /* CloseBraceToken */ ); } return res; } function parsePropertyAccessEntityNameExpression() { const pos = getNodePos(); let node = parseJSDocIdentifierName(); while (parseOptional( 25 /* DotToken */ )) { const name = parseJSDocIdentifierName(); node = finishNode(factoryCreatePropertyAccessExpression(node, name), pos); } return node; } function parseSimpleTag(start2, createTag, tagName, margin, indentText) { return finishNode(createTag(tagName, parseTrailingTagComments(start2, getNodePos(), margin, indentText)), start2); } function parseThisTag(start2, tagName, margin, indentText) { const typeExpression = parseJSDocTypeExpression( /*mayOmitBraces*/ true ); skipWhitespace(); return finishNode(factory2.createJSDocThisTag(tagName, typeExpression, parseTrailingTagComments(start2, getNodePos(), margin, indentText)), start2); } function parseEnumTag(start2, tagName, margin, indentText) { const typeExpression = parseJSDocTypeExpression( /*mayOmitBraces*/ true ); skipWhitespace(); return finishNode(factory2.createJSDocEnumTag(tagName, typeExpression, parseTrailingTagComments(start2, getNodePos(), margin, indentText)), start2); } function parseTypedefTag(start2, tagName, indent3, indentText) { let typeExpression = tryParseTypeExpression(); skipWhitespaceOrAsterisk(); const fullName = parseJSDocTypeNameWithNamespace(); skipWhitespace(); let comment = parseTagComments(indent3); let end2; if (!typeExpression || isObjectOrObjectArrayTypeReference(typeExpression.type)) { let child; let childTypeTag; let jsDocPropertyTags; let hasChildren = false; while (child = tryParse(() => parseChildPropertyTag(indent3))) { if (child.kind === 345) { break; } hasChildren = true; if (child.kind === 344) { if (childTypeTag) { const lastError = parseErrorAtCurrentToken(Diagnostics.A_JSDoc_typedef_comment_may_not_contain_multiple_type_tags); if (lastError) { addRelatedInfo(lastError, createDetachedDiagnostic(fileName, sourceText, 0, 0, Diagnostics.The_tag_was_first_specified_here)); } break; } else { childTypeTag = child; } } else { jsDocPropertyTags = append(jsDocPropertyTags, child); } } if (hasChildren) { const isArrayType = typeExpression && typeExpression.type.kind === 188; const jsdocTypeLiteral = factory2.createJSDocTypeLiteral(jsDocPropertyTags, isArrayType); typeExpression = childTypeTag && childTypeTag.typeExpression && !isObjectOrObjectArrayTypeReference(childTypeTag.typeExpression.type) ? childTypeTag.typeExpression : finishNode(jsdocTypeLiteral, start2); end2 = typeExpression.end; } } end2 = end2 || comment !== void 0 ? getNodePos() : (fullName ?? typeExpression ?? tagName).end; if (!comment) { comment = parseTrailingTagComments(start2, end2, indent3, indentText); } const typedefTag = factory2.createJSDocTypedefTag(tagName, typeExpression, fullName, comment); return finishNode(typedefTag, start2, end2); } function parseJSDocTypeNameWithNamespace(nested) { const start2 = scanner2.getTokenStart(); if (!tokenIsIdentifierOrKeyword(token())) { return void 0; } const typeNameOrNamespaceName = parseJSDocIdentifierName(); if (parseOptional( 25 /* DotToken */ )) { const body = parseJSDocTypeNameWithNamespace( /*nested*/ true ); const jsDocNamespaceNode = factory2.createModuleDeclaration( /*modifiers*/ void 0, typeNameOrNamespaceName, body, nested ? 8 : void 0 ); return finishNode(jsDocNamespaceNode, start2); } if (nested) { typeNameOrNamespaceName.flags |= 4096; } return typeNameOrNamespaceName; } function parseCallbackTagParameters(indent3) { const pos = getNodePos(); let child; let parameters; while (child = tryParse(() => parseChildParameterOrPropertyTag(4, indent3))) { if (child.kind === 345) { parseErrorAtRange(child.tagName, Diagnostics.A_JSDoc_template_tag_may_not_follow_a_typedef_callback_or_overload_tag); break; } parameters = append(parameters, child); } return createNodeArray(parameters || [], pos); } function parseJSDocSignature(start2, indent3) { const parameters = parseCallbackTagParameters(indent3); const returnTag = tryParse(() => { if (parseOptionalJsdoc( 60 /* AtToken */ )) { const tag = parseTag(indent3); if (tag && tag.kind === 342) { return tag; } } }); return finishNode(factory2.createJSDocSignature( /*typeParameters*/ void 0, parameters, returnTag ), start2); } function parseCallbackTag(start2, tagName, indent3, indentText) { const fullName = parseJSDocTypeNameWithNamespace(); skipWhitespace(); let comment = parseTagComments(indent3); const typeExpression = parseJSDocSignature(start2, indent3); if (!comment) { comment = parseTrailingTagComments(start2, getNodePos(), indent3, indentText); } const end2 = comment !== void 0 ? getNodePos() : typeExpression.end; return finishNode(factory2.createJSDocCallbackTag(tagName, typeExpression, fullName, comment), start2, end2); } function parseOverloadTag(start2, tagName, indent3, indentText) { skipWhitespace(); let comment = parseTagComments(indent3); const typeExpression = parseJSDocSignature(start2, indent3); if (!comment) { comment = parseTrailingTagComments(start2, getNodePos(), indent3, indentText); } const end2 = comment !== void 0 ? getNodePos() : typeExpression.end; return finishNode(factory2.createJSDocOverloadTag(tagName, typeExpression, comment), start2, end2); } function escapedTextsEqual(a, b) { while (!isIdentifier(a) || !isIdentifier(b)) { if (!isIdentifier(a) && !isIdentifier(b) && a.right.escapedText === b.right.escapedText) { a = a.left; b = b.left; } else { return false; } } return a.escapedText === b.escapedText; } function parseChildPropertyTag(indent3) { return parseChildParameterOrPropertyTag(1, indent3); } function parseChildParameterOrPropertyTag(target, indent3, name) { let canParseTag = true; let seenAsterisk = false; while (true) { switch (nextTokenJSDoc()) { case 60: if (canParseTag) { const child = tryParseChildTag(target, indent3); if (child && (child.kind === 341 || child.kind === 348) && name && (isIdentifier(child.name) || !escapedTextsEqual(name, child.name.left))) { return false; } return child; } seenAsterisk = false; break; case 4: canParseTag = true; seenAsterisk = false; break; case 42: if (seenAsterisk) { canParseTag = false; } seenAsterisk = true; break; case 80: canParseTag = false; break; case 1: return false; } } } function tryParseChildTag(target, indent3) { Debug.assert( token() === 60 /* AtToken */ ); const start2 = scanner2.getTokenFullStart(); nextTokenJSDoc(); const tagName = parseJSDocIdentifierName(); const indentText = skipWhitespaceOrAsterisk(); let t; switch (tagName.escapedText) { case "type": return target === 1 && parseTypeTag(start2, tagName); case "prop": case "property": t = 1; break; case "arg": case "argument": case "param": t = 2 | 4; break; case "template": return parseTemplateTag(start2, tagName, indent3, indentText); case "this": return parseThisTag(start2, tagName, indent3, indentText); default: return false; } if (!(target & t)) { return false; } return parseParameterOrPropertyTag(start2, tagName, target, indent3); } function parseTemplateTagTypeParameter() { const typeParameterPos = getNodePos(); const isBracketed = parseOptionalJsdoc( 23 /* OpenBracketToken */ ); if (isBracketed) { skipWhitespace(); } const modifiers = parseModifiers( /*allowDecorators*/ false, /*permitConstAsModifier*/ true ); const name = parseJSDocIdentifierName(Diagnostics.Unexpected_token_A_type_parameter_name_was_expected_without_curly_braces); let defaultType; if (isBracketed) { skipWhitespace(); parseExpected( 64 /* EqualsToken */ ); defaultType = doInsideOfContext(16777216, parseJSDocType); parseExpected( 24 /* CloseBracketToken */ ); } if (nodeIsMissing(name)) { return void 0; } return finishNode(factory2.createTypeParameterDeclaration( modifiers, name, /*constraint*/ void 0, defaultType ), typeParameterPos); } function parseTemplateTagTypeParameters() { const pos = getNodePos(); const typeParameters = []; do { skipWhitespace(); const node = parseTemplateTagTypeParameter(); if (node !== void 0) { typeParameters.push(node); } skipWhitespaceOrAsterisk(); } while (parseOptionalJsdoc( 28 /* CommaToken */ )); return createNodeArray(typeParameters, pos); } function parseTemplateTag(start2, tagName, indent3, indentText) { const constraint = token() === 19 ? parseJSDocTypeExpression() : void 0; const typeParameters = parseTemplateTagTypeParameters(); return finishNode(factory2.createJSDocTemplateTag(tagName, constraint, typeParameters, parseTrailingTagComments(start2, getNodePos(), indent3, indentText)), start2); } function parseOptionalJsdoc(t) { if (token() === t) { nextTokenJSDoc(); return true; } return false; } function parseJSDocEntityName() { let entity = parseJSDocIdentifierName(); if (parseOptional( 23 /* OpenBracketToken */ )) { parseExpected( 24 /* CloseBracketToken */ ); } while (parseOptional( 25 /* DotToken */ )) { const name = parseJSDocIdentifierName(); if (parseOptional( 23 /* OpenBracketToken */ )) { parseExpected( 24 /* CloseBracketToken */ ); } entity = createQualifiedName(entity, name); } return entity; } function parseJSDocIdentifierName(message) { if (!tokenIsIdentifierOrKeyword(token())) { return createMissingNode( 80, /*reportAtCurrentPosition*/ !message, message || Diagnostics.Identifier_expected ); } identifierCount++; const start2 = scanner2.getTokenStart(); const end2 = scanner2.getTokenEnd(); const originalKeywordKind = token(); const text = internIdentifier(scanner2.getTokenValue()); const result2 = finishNode(factoryCreateIdentifier(text, originalKeywordKind), start2, end2); nextTokenJSDoc(); return result2; } } })(JSDocParser = Parser2.JSDocParser || (Parser2.JSDocParser = {})); })(Parser || (Parser = {})); var incrementallyParsedFiles = /* @__PURE__ */ new WeakSet(); function markAsIncrementallyParsed(sourceFile) { if (incrementallyParsedFiles.has(sourceFile)) { Debug.fail("Source file has already been incrementally parsed"); } incrementallyParsedFiles.add(sourceFile); } var intersectingChangeSet = /* @__PURE__ */ new WeakSet(); function intersectsIncrementalChange(node) { return intersectingChangeSet.has(node); } function markAsIntersectingIncrementalChange(node) { intersectingChangeSet.add(node); } var IncrementalParser; ((IncrementalParser2) => { function updateSourceFile2(sourceFile, newText, textChangeRange, aggressiveChecks) { aggressiveChecks = aggressiveChecks || Debug.shouldAssert( 2 /* Aggressive */ ); checkChangeRange(sourceFile, newText, textChangeRange, aggressiveChecks); if (textChangeRangeIsUnchanged(textChangeRange)) { return sourceFile; } if (sourceFile.statements.length === 0) { return Parser.parseSourceFile( sourceFile.fileName, newText, sourceFile.languageVersion, /*syntaxCursor*/ void 0, /*setParentNodes*/ true, sourceFile.scriptKind, sourceFile.setExternalModuleIndicator, sourceFile.jsDocParsingMode ); } markAsIncrementallyParsed(sourceFile); Parser.fixupParentReferences(sourceFile); const oldText = sourceFile.text; const syntaxCursor = createSyntaxCursor(sourceFile); const changeRange = extendToAffectedRange(sourceFile, textChangeRange); checkChangeRange(sourceFile, newText, changeRange, aggressiveChecks); Debug.assert(changeRange.span.start <= textChangeRange.span.start); Debug.assert(textSpanEnd(changeRange.span) === textSpanEnd(textChangeRange.span)); Debug.assert(textSpanEnd(textChangeRangeNewSpan(changeRange)) === textSpanEnd(textChangeRangeNewSpan(textChangeRange))); const delta = textChangeRangeNewSpan(changeRange).length - changeRange.span.length; updateTokenPositionsAndMarkElements(sourceFile, changeRange.span.start, textSpanEnd(changeRange.span), textSpanEnd(textChangeRangeNewSpan(changeRange)), delta, oldText, newText, aggressiveChecks); const result = Parser.parseSourceFile( sourceFile.fileName, newText, sourceFile.languageVersion, syntaxCursor, /*setParentNodes*/ true, sourceFile.scriptKind, sourceFile.setExternalModuleIndicator, sourceFile.jsDocParsingMode ); result.commentDirectives = getNewCommentDirectives( sourceFile.commentDirectives, result.commentDirectives, changeRange.span.start, textSpanEnd(changeRange.span), delta, oldText, newText, aggressiveChecks ); result.impliedNodeFormat = sourceFile.impliedNodeFormat; return result; } IncrementalParser2.updateSourceFile = updateSourceFile2; function getNewCommentDirectives(oldDirectives, newDirectives, changeStart, changeRangeOldEnd, delta, oldText, newText, aggressiveChecks) { if (!oldDirectives) return newDirectives; let commentDirectives; let addedNewlyScannedDirectives = false; for (const directive of oldDirectives) { const { range, type } = directive; if (range.end < changeStart) { commentDirectives = append(commentDirectives, directive); } else if (range.pos > changeRangeOldEnd) { addNewlyScannedDirectives(); const updatedDirective = { range: { pos: range.pos + delta, end: range.end + delta }, type }; commentDirectives = append(commentDirectives, updatedDirective); if (aggressiveChecks) { Debug.assert(oldText.substring(range.pos, range.end) === newText.substring(updatedDirective.range.pos, updatedDirective.range.end)); } } } addNewlyScannedDirectives(); return commentDirectives; function addNewlyScannedDirectives() { if (addedNewlyScannedDirectives) return; addedNewlyScannedDirectives = true; if (!commentDirectives) { commentDirectives = newDirectives; } else if (newDirectives) { commentDirectives.push(...newDirectives); } } } function moveElementEntirelyPastChangeRange(element, isArray22, delta, oldText, newText, aggressiveChecks) { if (isArray22) { visitArray2(element); } else { visitNode3(element); } return; function visitNode3(node) { let text = ""; if (aggressiveChecks && shouldCheckNode(node)) { text = oldText.substring(node.pos, node.end); } unsetNodeChildren(node); setTextRangePosEnd(node, node.pos + delta, node.end + delta); if (aggressiveChecks && shouldCheckNode(node)) { Debug.assert(text === newText.substring(node.pos, node.end)); } forEachChild(node, visitNode3, visitArray2); if (hasJSDocNodes(node)) { for (const jsDocComment of node.jsDoc) { visitNode3(jsDocComment); } } checkNodePositions(node, aggressiveChecks); } function visitArray2(array) { setTextRangePosEnd(array, array.pos + delta, array.end + delta); for (const node of array) { visitNode3(node); } } } function shouldCheckNode(node) { switch (node.kind) { case 11: case 9: case 80: return true; } return false; } function adjustIntersectingElement(element, changeStart, changeRangeOldEnd, changeRangeNewEnd, delta) { Debug.assert(element.end >= changeStart, "Adjusting an element that was entirely before the change range"); Debug.assert(element.pos <= changeRangeOldEnd, "Adjusting an element that was entirely after the change range"); Debug.assert(element.pos <= element.end); const pos = Math.min(element.pos, changeRangeNewEnd); const end = element.end >= changeRangeOldEnd ? ( // Element ends after the change range. Always adjust the end pos. element.end + delta ) : ( // Element ends in the change range. The element will keep its position if // possible. Or Move backward to the new-end if it's in the 'Y' range. Math.min(element.end, changeRangeNewEnd) ); Debug.assert(pos <= end); if (element.parent) { const parent2 = element.parent; Debug.assertGreaterThanOrEqual(pos, parent2.pos); Debug.assertLessThanOrEqual(end, parent2.end); } setTextRangePosEnd(element, pos, end); } function checkNodePositions(node, aggressiveChecks) { if (aggressiveChecks) { let pos = node.pos; const visitNode3 = (child) => { Debug.assert(child.pos >= pos); pos = child.end; }; if (hasJSDocNodes(node)) { for (const jsDocComment of node.jsDoc) { visitNode3(jsDocComment); } } forEachChild(node, visitNode3); Debug.assert(pos <= node.end); } } function updateTokenPositionsAndMarkElements(sourceFile, changeStart, changeRangeOldEnd, changeRangeNewEnd, delta, oldText, newText, aggressiveChecks) { visitNode3(sourceFile); return; function visitNode3(child) { Debug.assert(child.pos <= child.end); if (child.pos > changeRangeOldEnd) { moveElementEntirelyPastChangeRange( child, /*isArray*/ false, delta, oldText, newText, aggressiveChecks ); return; } const fullEnd = child.end; if (fullEnd >= changeStart) { markAsIntersectingIncrementalChange(child); unsetNodeChildren(child); adjustIntersectingElement(child, changeStart, changeRangeOldEnd, changeRangeNewEnd, delta); forEachChild(child, visitNode3, visitArray2); if (hasJSDocNodes(child)) { for (const jsDocComment of child.jsDoc) { visitNode3(jsDocComment); } } checkNodePositions(child, aggressiveChecks); return; } Debug.assert(fullEnd < changeStart); } function visitArray2(array) { Debug.assert(array.pos <= array.end); if (array.pos > changeRangeOldEnd) { moveElementEntirelyPastChangeRange( array, /*isArray*/ true, delta, oldText, newText, aggressiveChecks ); return; } const fullEnd = array.end; if (fullEnd >= changeStart) { markAsIntersectingIncrementalChange(array); adjustIntersectingElement(array, changeStart, changeRangeOldEnd, changeRangeNewEnd, delta); for (const node of array) { visitNode3(node); } return; } Debug.assert(fullEnd < changeStart); } } function extendToAffectedRange(sourceFile, changeRange) { const maxLookahead = 1; let start = changeRange.span.start; for (let i = 0; start > 0 && i <= maxLookahead; i++) { const nearestNode = findNearestNodeStartingBeforeOrAtPosition(sourceFile, start); Debug.assert(nearestNode.pos <= start); const position = nearestNode.pos; start = Math.max(0, position - 1); } const finalSpan = createTextSpanFromBounds(start, textSpanEnd(changeRange.span)); const finalLength = changeRange.newLength + (changeRange.span.start - start); return createTextChangeRange(finalSpan, finalLength); } function findNearestNodeStartingBeforeOrAtPosition(sourceFile, position) { let bestResult = sourceFile; let lastNodeEntirelyBeforePosition; forEachChild(sourceFile, visit); if (lastNodeEntirelyBeforePosition) { const lastChildOfLastEntireNodeBeforePosition = getLastDescendant(lastNodeEntirelyBeforePosition); if (lastChildOfLastEntireNodeBeforePosition.pos > bestResult.pos) { bestResult = lastChildOfLastEntireNodeBeforePosition; } } return bestResult; function getLastDescendant(node) { while (true) { const lastChild = getLastChild(node); if (lastChild) { node = lastChild; } else { return node; } } } function visit(child) { if (nodeIsMissing(child)) { return; } if (child.pos <= position) { if (child.pos >= bestResult.pos) { bestResult = child; } if (position < child.end) { forEachChild(child, visit); return true; } else { Debug.assert(child.end <= position); lastNodeEntirelyBeforePosition = child; } } else { Debug.assert(child.pos > position); return true; } } } function checkChangeRange(sourceFile, newText, textChangeRange, aggressiveChecks) { const oldText = sourceFile.text; if (textChangeRange) { Debug.assert(oldText.length - textChangeRange.span.length + textChangeRange.newLength === newText.length); if (aggressiveChecks || Debug.shouldAssert( 3 /* VeryAggressive */ )) { const oldTextPrefix = oldText.substr(0, textChangeRange.span.start); const newTextPrefix = newText.substr(0, textChangeRange.span.start); Debug.assert(oldTextPrefix === newTextPrefix); const oldTextSuffix = oldText.substring(textSpanEnd(textChangeRange.span), oldText.length); const newTextSuffix = newText.substring(textSpanEnd(textChangeRangeNewSpan(textChangeRange)), newText.length); Debug.assert(oldTextSuffix === newTextSuffix); } } } function createSyntaxCursor(sourceFile) { let currentArray = sourceFile.statements; let currentArrayIndex = 0; Debug.assert(currentArrayIndex < currentArray.length); let current = currentArray[currentArrayIndex]; let lastQueriedPosition = -1; return { currentNode(position) { if (position !== lastQueriedPosition) { if (current && current.end === position && currentArrayIndex < currentArray.length - 1) { currentArrayIndex++; current = currentArray[currentArrayIndex]; } if (!current || current.pos !== position) { findHighestListElementThatStartsAtPosition(position); } } lastQueriedPosition = position; Debug.assert(!current || current.pos === position); return current; } }; function findHighestListElementThatStartsAtPosition(position) { currentArray = void 0; currentArrayIndex = -1; current = void 0; forEachChild(sourceFile, visitNode3, visitArray2); return; function visitNode3(node) { if (position >= node.pos && position < node.end) { forEachChild(node, visitNode3, visitArray2); return true; } return false; } function visitArray2(array) { if (position >= array.pos && position < array.end) { for (let i = 0; i < array.length; i++) { const child = array[i]; if (child) { if (child.pos === position) { currentArray = array; currentArrayIndex = i; current = child; return true; } else { if (child.pos < position && position < child.end) { forEachChild(child, visitNode3, visitArray2); return true; } } } } } return false; } } } IncrementalParser2.createSyntaxCursor = createSyntaxCursor; let InvalidPosition; ((InvalidPosition2) => { InvalidPosition2[InvalidPosition2["Value"] = -1] = "Value"; })(InvalidPosition || (InvalidPosition = {})); })(IncrementalParser || (IncrementalParser = {})); function isDeclarationFileName(fileName) { return getDeclarationFileExtension(fileName) !== void 0; } function getDeclarationFileExtension(fileName) { const standardExtension = getAnyExtensionFromPath( fileName, supportedDeclarationExtensions, /*ignoreCase*/ false ); if (standardExtension) { return standardExtension; } if (fileExtensionIs( fileName, ".ts" /* Ts */ )) { const index = getBaseFileName(fileName).lastIndexOf(".d."); if (index >= 0) { return fileName.substring(index); } } return void 0; } function parseResolutionMode(mode, pos, end, reportDiagnostic) { if (!mode) { return void 0; } if (mode === "import") { return 99; } if (mode === "require") { return 1; } reportDiagnostic(pos, end - pos, Diagnostics.resolution_mode_should_be_either_require_or_import); return void 0; } function processCommentPragmas(context, sourceText) { const pragmas = []; for (const range of getLeadingCommentRanges(sourceText, 0) || emptyArray) { const comment = sourceText.substring(range.pos, range.end); extractPragmas(pragmas, range, comment); } context.pragmas = /* @__PURE__ */ new Map(); for (const pragma of pragmas) { if (context.pragmas.has(pragma.name)) { const currentValue = context.pragmas.get(pragma.name); if (currentValue instanceof Array) { currentValue.push(pragma.args); } else { context.pragmas.set(pragma.name, [currentValue, pragma.args]); } continue; } context.pragmas.set(pragma.name, pragma.args); } } function processPragmasIntoFields(context, reportDiagnostic) { context.checkJsDirective = void 0; context.referencedFiles = []; context.typeReferenceDirectives = []; context.libReferenceDirectives = []; context.amdDependencies = []; context.hasNoDefaultLib = false; context.pragmas.forEach((entryOrList, key) => { switch (key) { case "reference": { const referencedFiles = context.referencedFiles; const typeReferenceDirectives = context.typeReferenceDirectives; const libReferenceDirectives = context.libReferenceDirectives; forEach(toArray(entryOrList), (arg) => { const { types, lib, path: path17, ["resolution-mode"]: res, preserve: _preserve } = arg.arguments; const preserve = _preserve === "true" ? true : void 0; if (arg.arguments["no-default-lib"] === "true") { context.hasNoDefaultLib = true; } else if (types) { const parsed = parseResolutionMode(res, types.pos, types.end, reportDiagnostic); typeReferenceDirectives.push({ pos: types.pos, end: types.end, fileName: types.value, ...parsed ? { resolutionMode: parsed } : {}, ...preserve ? { preserve } : {} }); } else if (lib) { libReferenceDirectives.push({ pos: lib.pos, end: lib.end, fileName: lib.value, ...preserve ? { preserve } : {} }); } else if (path17) { referencedFiles.push({ pos: path17.pos, end: path17.end, fileName: path17.value, ...preserve ? { preserve } : {} }); } else { reportDiagnostic(arg.range.pos, arg.range.end - arg.range.pos, Diagnostics.Invalid_reference_directive_syntax); } }); break; } case "amd-dependency": { context.amdDependencies = map( toArray(entryOrList), (x) => ({ name: x.arguments.name, path: x.arguments.path }) ); break; } case "amd-module": { if (entryOrList instanceof Array) { for (const entry of entryOrList) { if (context.moduleName) { reportDiagnostic(entry.range.pos, entry.range.end - entry.range.pos, Diagnostics.An_AMD_module_cannot_have_multiple_name_assignments); } context.moduleName = entry.arguments.name; } } else { context.moduleName = entryOrList.arguments.name; } break; } case "ts-nocheck": case "ts-check": { forEach(toArray(entryOrList), (entry) => { if (!context.checkJsDirective || entry.range.pos > context.checkJsDirective.pos) { context.checkJsDirective = { enabled: key === "ts-check", end: entry.range.end, pos: entry.range.pos }; } }); break; } case "jsx": case "jsxfrag": case "jsximportsource": case "jsxruntime": return; default: Debug.fail("Unhandled pragma kind"); } }); } var namedArgRegExCache = /* @__PURE__ */ new Map(); function getNamedArgRegEx(name) { if (namedArgRegExCache.has(name)) { return namedArgRegExCache.get(name); } const result = new RegExp(`(\\s${name}\\s*=\\s*)(?:(?:'([^']*)')|(?:"([^"]*)"))`, "im"); namedArgRegExCache.set(name, result); return result; } var tripleSlashXMLCommentStartRegEx = /^\/\/\/\s*<(\S+)\s.*?\/>/im; var singleLinePragmaRegEx = /^\/\/\/?\s*@([^\s:]+)(.*)\s*$/im; function extractPragmas(pragmas, range, text) { const tripleSlash = range.kind === 2 && tripleSlashXMLCommentStartRegEx.exec(text); if (tripleSlash) { const name = tripleSlash[1].toLowerCase(); const pragma = commentPragmas[name]; if (!pragma || !(pragma.kind & 1)) { return; } if (pragma.args) { const argument = {}; for (const arg of pragma.args) { const matcher = getNamedArgRegEx(arg.name); const matchResult = matcher.exec(text); if (!matchResult && !arg.optional) { return; } else if (matchResult) { const value = matchResult[2] || matchResult[3]; if (arg.captureSpan) { const startPos = range.pos + matchResult.index + matchResult[1].length + 1; argument[arg.name] = { value, pos: startPos, end: startPos + value.length }; } else { argument[arg.name] = value; } } } pragmas.push({ name, args: { arguments: argument, range } }); } else { pragmas.push({ name, args: { arguments: {}, range } }); } return; } const singleLine = range.kind === 2 && singleLinePragmaRegEx.exec(text); if (singleLine) { return addPragmaForMatch(pragmas, range, 2, singleLine); } if (range.kind === 3) { const multiLinePragmaRegEx = /@(\S+)(\s+.*)?$/gim; let multiLineMatch; while (multiLineMatch = multiLinePragmaRegEx.exec(text)) { addPragmaForMatch(pragmas, range, 4, multiLineMatch); } } } function addPragmaForMatch(pragmas, range, kind, match) { if (!match) return; const name = match[1].toLowerCase(); const pragma = commentPragmas[name]; if (!pragma || !(pragma.kind & kind)) { return; } const args = match[2]; const argument = getNamedPragmaArguments(pragma, args); if (argument === "fail") return; pragmas.push({ name, args: { arguments: argument, range } }); return; } function getNamedPragmaArguments(pragma, text) { if (!text) return {}; if (!pragma.args) return {}; const args = text.trim().split(/\s+/); const argMap = {}; for (let i = 0; i < pragma.args.length; i++) { const argument = pragma.args[i]; if (!args[i] && !argument.optional) { return "fail"; } if (argument.captureSpan) { return Debug.fail("Capture spans not yet implemented for non-xml pragmas"); } argMap[argument.name] = args[i]; } return argMap; } function tagNamesAreEquivalent(lhs, rhs) { if (lhs.kind !== rhs.kind) { return false; } if (lhs.kind === 80) { return lhs.escapedText === rhs.escapedText; } if (lhs.kind === 110) { return true; } if (lhs.kind === 295) { return lhs.namespace.escapedText === rhs.namespace.escapedText && lhs.name.escapedText === rhs.name.escapedText; } return lhs.name.escapedText === rhs.name.escapedText && tagNamesAreEquivalent(lhs.expression, rhs.expression); } var compileOnSaveCommandLineOption = { name: "compileOnSave", type: "boolean", defaultValueDescription: false }; var jsxOptionMap = new Map(Object.entries({ "preserve": 1, "react-native": 3, "react": 2, "react-jsx": 4, "react-jsxdev": 5 /* ReactJSXDev */ })); var inverseJsxOptionMap = new Map(mapIterator(jsxOptionMap.entries(), ([key, value]) => ["" + value, key])); var libEntries = [ // JavaScript only ["es5", "lib.es5.d.ts"], ["es6", "lib.es2015.d.ts"], ["es2015", "lib.es2015.d.ts"], ["es7", "lib.es2016.d.ts"], ["es2016", "lib.es2016.d.ts"], ["es2017", "lib.es2017.d.ts"], ["es2018", "lib.es2018.d.ts"], ["es2019", "lib.es2019.d.ts"], ["es2020", "lib.es2020.d.ts"], ["es2021", "lib.es2021.d.ts"], ["es2022", "lib.es2022.d.ts"], ["es2023", "lib.es2023.d.ts"], ["esnext", "lib.esnext.d.ts"], // Host only ["dom", "lib.dom.d.ts"], ["dom.iterable", "lib.dom.iterable.d.ts"], ["dom.asynciterable", "lib.dom.asynciterable.d.ts"], ["webworker", "lib.webworker.d.ts"], ["webworker.importscripts", "lib.webworker.importscripts.d.ts"], ["webworker.iterable", "lib.webworker.iterable.d.ts"], ["webworker.asynciterable", "lib.webworker.asynciterable.d.ts"], ["scripthost", "lib.scripthost.d.ts"], // ES2015 Or ESNext By-feature options ["es2015.core", "lib.es2015.core.d.ts"], ["es2015.collection", "lib.es2015.collection.d.ts"], ["es2015.generator", "lib.es2015.generator.d.ts"], ["es2015.iterable", "lib.es2015.iterable.d.ts"], ["es2015.promise", "lib.es2015.promise.d.ts"], ["es2015.proxy", "lib.es2015.proxy.d.ts"], ["es2015.reflect", "lib.es2015.reflect.d.ts"], ["es2015.symbol", "lib.es2015.symbol.d.ts"], ["es2015.symbol.wellknown", "lib.es2015.symbol.wellknown.d.ts"], ["es2016.array.include", "lib.es2016.array.include.d.ts"], ["es2016.intl", "lib.es2016.intl.d.ts"], ["es2017.date", "lib.es2017.date.d.ts"], ["es2017.object", "lib.es2017.object.d.ts"], ["es2017.sharedmemory", "lib.es2017.sharedmemory.d.ts"], ["es2017.string", "lib.es2017.string.d.ts"], ["es2017.intl", "lib.es2017.intl.d.ts"], ["es2017.typedarrays", "lib.es2017.typedarrays.d.ts"], ["es2018.asyncgenerator", "lib.es2018.asyncgenerator.d.ts"], ["es2018.asynciterable", "lib.es2018.asynciterable.d.ts"], ["es2018.intl", "lib.es2018.intl.d.ts"], ["es2018.promise", "lib.es2018.promise.d.ts"], ["es2018.regexp", "lib.es2018.regexp.d.ts"], ["es2019.array", "lib.es2019.array.d.ts"], ["es2019.object", "lib.es2019.object.d.ts"], ["es2019.string", "lib.es2019.string.d.ts"], ["es2019.symbol", "lib.es2019.symbol.d.ts"], ["es2019.intl", "lib.es2019.intl.d.ts"], ["es2020.bigint", "lib.es2020.bigint.d.ts"], ["es2020.date", "lib.es2020.date.d.ts"], ["es2020.promise", "lib.es2020.promise.d.ts"], ["es2020.sharedmemory", "lib.es2020.sharedmemory.d.ts"], ["es2020.string", "lib.es2020.string.d.ts"], ["es2020.symbol.wellknown", "lib.es2020.symbol.wellknown.d.ts"], ["es2020.intl", "lib.es2020.intl.d.ts"], ["es2020.number", "lib.es2020.number.d.ts"], ["es2021.promise", "lib.es2021.promise.d.ts"], ["es2021.string", "lib.es2021.string.d.ts"], ["es2021.weakref", "lib.es2021.weakref.d.ts"], ["es2021.intl", "lib.es2021.intl.d.ts"], ["es2022.array", "lib.es2022.array.d.ts"], ["es2022.error", "lib.es2022.error.d.ts"], ["es2022.intl", "lib.es2022.intl.d.ts"], ["es2022.object", "lib.es2022.object.d.ts"], ["es2022.sharedmemory", "lib.es2022.sharedmemory.d.ts"], ["es2022.string", "lib.es2022.string.d.ts"], ["es2022.regexp", "lib.es2022.regexp.d.ts"], ["es2023.array", "lib.es2023.array.d.ts"], ["es2023.collection", "lib.es2023.collection.d.ts"], ["es2023.intl", "lib.es2023.intl.d.ts"], ["esnext.array", "lib.es2023.array.d.ts"], ["esnext.collection", "lib.esnext.collection.d.ts"], ["esnext.symbol", "lib.es2019.symbol.d.ts"], ["esnext.asynciterable", "lib.es2018.asynciterable.d.ts"], ["esnext.intl", "lib.esnext.intl.d.ts"], ["esnext.disposable", "lib.esnext.disposable.d.ts"], ["esnext.bigint", "lib.es2020.bigint.d.ts"], ["esnext.string", "lib.es2022.string.d.ts"], ["esnext.promise", "lib.esnext.promise.d.ts"], ["esnext.weakref", "lib.es2021.weakref.d.ts"], ["esnext.decorators", "lib.esnext.decorators.d.ts"], ["esnext.object", "lib.esnext.object.d.ts"], ["esnext.array", "lib.esnext.array.d.ts"], ["esnext.regexp", "lib.esnext.regexp.d.ts"], ["esnext.string", "lib.esnext.string.d.ts"], ["decorators", "lib.decorators.d.ts"], ["decorators.legacy", "lib.decorators.legacy.d.ts"] ]; var libs = libEntries.map((entry) => entry[0]); var libMap = new Map(libEntries); var optionsForWatch = [ { name: "watchFile", type: new Map(Object.entries({ fixedpollinginterval: 0, prioritypollinginterval: 1, dynamicprioritypolling: 2, fixedchunksizepolling: 3, usefsevents: 4, usefseventsonparentdirectory: 5 /* UseFsEventsOnParentDirectory */ })), category: Diagnostics.Watch_and_Build_Modes, description: Diagnostics.Specify_how_the_TypeScript_watch_mode_works, defaultValueDescription: 4 /* UseFsEvents */ }, { name: "watchDirectory", type: new Map(Object.entries({ usefsevents: 0, fixedpollinginterval: 1, dynamicprioritypolling: 2, fixedchunksizepolling: 3 /* FixedChunkSizePolling */ })), category: Diagnostics.Watch_and_Build_Modes, description: Diagnostics.Specify_how_directories_are_watched_on_systems_that_lack_recursive_file_watching_functionality, defaultValueDescription: 0 /* UseFsEvents */ }, { name: "fallbackPolling", type: new Map(Object.entries({ fixedinterval: 0, priorityinterval: 1, dynamicpriority: 2, fixedchunksize: 3 /* FixedChunkSize */ })), category: Diagnostics.Watch_and_Build_Modes, description: Diagnostics.Specify_what_approach_the_watcher_should_use_if_the_system_runs_out_of_native_file_watchers, defaultValueDescription: 1 /* PriorityInterval */ }, { name: "synchronousWatchDirectory", type: "boolean", category: Diagnostics.Watch_and_Build_Modes, description: Diagnostics.Synchronously_call_callbacks_and_update_the_state_of_directory_watchers_on_platforms_that_don_t_support_recursive_watching_natively, defaultValueDescription: false }, { name: "excludeDirectories", type: "list", element: { name: "excludeDirectory", type: "string", isFilePath: true, extraValidation: specToDiagnostic }, allowConfigDirTemplateSubstitution: true, category: Diagnostics.Watch_and_Build_Modes, description: Diagnostics.Remove_a_list_of_directories_from_the_watch_process }, { name: "excludeFiles", type: "list", element: { name: "excludeFile", type: "string", isFilePath: true, extraValidation: specToDiagnostic }, allowConfigDirTemplateSubstitution: true, category: Diagnostics.Watch_and_Build_Modes, description: Diagnostics.Remove_a_list_of_files_from_the_watch_mode_s_processing } ]; var commonOptionsWithBuild = [ { name: "help", shortName: "h", type: "boolean", showInSimplifiedHelpView: true, isCommandLineOnly: true, category: Diagnostics.Command_line_Options, description: Diagnostics.Print_this_message, defaultValueDescription: false }, { name: "help", shortName: "?", type: "boolean", isCommandLineOnly: true, category: Diagnostics.Command_line_Options, defaultValueDescription: false }, { name: "watch", shortName: "w", type: "boolean", showInSimplifiedHelpView: true, isCommandLineOnly: true, category: Diagnostics.Command_line_Options, description: Diagnostics.Watch_input_files, defaultValueDescription: false }, { name: "preserveWatchOutput", type: "boolean", showInSimplifiedHelpView: false, category: Diagnostics.Output_Formatting, description: Diagnostics.Disable_wiping_the_console_in_watch_mode, defaultValueDescription: false }, { name: "listFiles", type: "boolean", category: Diagnostics.Compiler_Diagnostics, description: Diagnostics.Print_all_of_the_files_read_during_the_compilation, defaultValueDescription: false }, { name: "explainFiles", type: "boolean", category: Diagnostics.Compiler_Diagnostics, description: Diagnostics.Print_files_read_during_the_compilation_including_why_it_was_included, defaultValueDescription: false }, { name: "listEmittedFiles", type: "boolean", category: Diagnostics.Compiler_Diagnostics, description: Diagnostics.Print_the_names_of_emitted_files_after_a_compilation, defaultValueDescription: false }, { name: "pretty", type: "boolean", showInSimplifiedHelpView: true, category: Diagnostics.Output_Formatting, description: Diagnostics.Enable_color_and_formatting_in_TypeScript_s_output_to_make_compiler_errors_easier_to_read, defaultValueDescription: true }, { name: "traceResolution", type: "boolean", category: Diagnostics.Compiler_Diagnostics, description: Diagnostics.Log_paths_used_during_the_moduleResolution_process, defaultValueDescription: false }, { name: "diagnostics", type: "boolean", category: Diagnostics.Compiler_Diagnostics, description: Diagnostics.Output_compiler_performance_information_after_building, defaultValueDescription: false }, { name: "extendedDiagnostics", type: "boolean", category: Diagnostics.Compiler_Diagnostics, description: Diagnostics.Output_more_detailed_compiler_performance_information_after_building, defaultValueDescription: false }, { name: "generateCpuProfile", type: "string", isFilePath: true, paramType: Diagnostics.FILE_OR_DIRECTORY, category: Diagnostics.Compiler_Diagnostics, description: Diagnostics.Emit_a_v8_CPU_profile_of_the_compiler_run_for_debugging, defaultValueDescription: "profile.cpuprofile" }, { name: "generateTrace", type: "string", isFilePath: true, isCommandLineOnly: true, paramType: Diagnostics.DIRECTORY, category: Diagnostics.Compiler_Diagnostics, description: Diagnostics.Generates_an_event_trace_and_a_list_of_types }, { name: "incremental", shortName: "i", type: "boolean", category: Diagnostics.Projects, description: Diagnostics.Save_tsbuildinfo_files_to_allow_for_incremental_compilation_of_projects, transpileOptionValue: void 0, defaultValueDescription: Diagnostics.false_unless_composite_is_set }, { name: "declaration", shortName: "d", type: "boolean", // Not setting affectsEmit because we calculate this flag might not affect full emit affectsBuildInfo: true, showInSimplifiedHelpView: true, category: Diagnostics.Emit, transpileOptionValue: void 0, description: Diagnostics.Generate_d_ts_files_from_TypeScript_and_JavaScript_files_in_your_project, defaultValueDescription: Diagnostics.false_unless_composite_is_set }, { name: "declarationMap", type: "boolean", // Not setting affectsEmit because we calculate this flag might not affect full emit affectsBuildInfo: true, showInSimplifiedHelpView: true, category: Diagnostics.Emit, transpileOptionValue: void 0, defaultValueDescription: false, description: Diagnostics.Create_sourcemaps_for_d_ts_files }, { name: "emitDeclarationOnly", type: "boolean", // Not setting affectsEmit because we calculate this flag might not affect full emit affectsBuildInfo: true, showInSimplifiedHelpView: true, category: Diagnostics.Emit, description: Diagnostics.Only_output_d_ts_files_and_not_JavaScript_files, transpileOptionValue: void 0, defaultValueDescription: false }, { name: "sourceMap", type: "boolean", // Not setting affectsEmit because we calculate this flag might not affect full emit affectsBuildInfo: true, showInSimplifiedHelpView: true, category: Diagnostics.Emit, defaultValueDescription: false, description: Diagnostics.Create_source_map_files_for_emitted_JavaScript_files }, { name: "inlineSourceMap", type: "boolean", // Not setting affectsEmit because we calculate this flag might not affect full emit affectsBuildInfo: true, category: Diagnostics.Emit, description: Diagnostics.Include_sourcemap_files_inside_the_emitted_JavaScript, defaultValueDescription: false }, { name: "assumeChangesOnlyAffectDirectDependencies", type: "boolean", affectsSemanticDiagnostics: true, affectsEmit: true, affectsBuildInfo: true, category: Diagnostics.Watch_and_Build_Modes, description: Diagnostics.Have_recompiles_in_projects_that_use_incremental_and_watch_mode_assume_that_changes_within_a_file_will_only_affect_files_directly_depending_on_it, defaultValueDescription: false }, { name: "locale", type: "string", category: Diagnostics.Command_line_Options, isCommandLineOnly: true, description: Diagnostics.Set_the_language_of_the_messaging_from_TypeScript_This_does_not_affect_emit, defaultValueDescription: Diagnostics.Platform_specific } ]; var targetOptionDeclaration = { name: "target", shortName: "t", type: new Map(Object.entries({ es3: 0, es5: 1, es6: 2, es2015: 2, es2016: 3, es2017: 4, es2018: 5, es2019: 6, es2020: 7, es2021: 8, es2022: 9, es2023: 10, esnext: 99 /* ESNext */ })), affectsSourceFile: true, affectsModuleResolution: true, affectsEmit: true, affectsBuildInfo: true, deprecatedKeys: /* @__PURE__ */ new Set(["es3"]), paramType: Diagnostics.VERSION, showInSimplifiedHelpView: true, category: Diagnostics.Language_and_Environment, description: Diagnostics.Set_the_JavaScript_language_version_for_emitted_JavaScript_and_include_compatible_library_declarations, defaultValueDescription: 1 /* ES5 */ }; var moduleOptionDeclaration = { name: "module", shortName: "m", type: new Map(Object.entries({ none: 0, commonjs: 1, amd: 2, system: 4, umd: 3, es6: 5, es2015: 5, es2020: 6, es2022: 7, esnext: 99, node16: 100, nodenext: 199, preserve: 200 /* Preserve */ })), affectsSourceFile: true, affectsModuleResolution: true, affectsEmit: true, affectsBuildInfo: true, paramType: Diagnostics.KIND, showInSimplifiedHelpView: true, category: Diagnostics.Modules, description: Diagnostics.Specify_what_module_code_is_generated, defaultValueDescription: void 0 }; var commandOptionsWithoutBuild = [ // CommandLine only options { name: "all", type: "boolean", showInSimplifiedHelpView: true, category: Diagnostics.Command_line_Options, description: Diagnostics.Show_all_compiler_options, defaultValueDescription: false }, { name: "version", shortName: "v", type: "boolean", showInSimplifiedHelpView: true, category: Diagnostics.Command_line_Options, description: Diagnostics.Print_the_compiler_s_version, defaultValueDescription: false }, { name: "init", type: "boolean", showInSimplifiedHelpView: true, category: Diagnostics.Command_line_Options, description: Diagnostics.Initializes_a_TypeScript_project_and_creates_a_tsconfig_json_file, defaultValueDescription: false }, { name: "project", shortName: "p", type: "string", isFilePath: true, showInSimplifiedHelpView: true, category: Diagnostics.Command_line_Options, paramType: Diagnostics.FILE_OR_DIRECTORY, description: Diagnostics.Compile_the_project_given_the_path_to_its_configuration_file_or_to_a_folder_with_a_tsconfig_json }, { name: "build", type: "boolean", shortName: "b", showInSimplifiedHelpView: true, category: Diagnostics.Command_line_Options, description: Diagnostics.Build_one_or_more_projects_and_their_dependencies_if_out_of_date, defaultValueDescription: false }, { name: "showConfig", type: "boolean", showInSimplifiedHelpView: true, category: Diagnostics.Command_line_Options, isCommandLineOnly: true, description: Diagnostics.Print_the_final_configuration_instead_of_building, defaultValueDescription: false }, { name: "listFilesOnly", type: "boolean", category: Diagnostics.Command_line_Options, isCommandLineOnly: true, description: Diagnostics.Print_names_of_files_that_are_part_of_the_compilation_and_then_stop_processing, defaultValueDescription: false }, // Basic targetOptionDeclaration, moduleOptionDeclaration, { name: "lib", type: "list", element: { name: "lib", type: libMap, defaultValueDescription: void 0 }, affectsProgramStructure: true, showInSimplifiedHelpView: true, category: Diagnostics.Language_and_Environment, description: Diagnostics.Specify_a_set_of_bundled_library_declaration_files_that_describe_the_target_runtime_environment, transpileOptionValue: void 0 }, { name: "allowJs", type: "boolean", allowJsFlag: true, affectsBuildInfo: true, showInSimplifiedHelpView: true, category: Diagnostics.JavaScript_Support, description: Diagnostics.Allow_JavaScript_files_to_be_a_part_of_your_program_Use_the_checkJS_option_to_get_errors_from_these_files, defaultValueDescription: false }, { name: "checkJs", type: "boolean", affectsModuleResolution: true, affectsSemanticDiagnostics: true, affectsBuildInfo: true, showInSimplifiedHelpView: true, category: Diagnostics.JavaScript_Support, description: Diagnostics.Enable_error_reporting_in_type_checked_JavaScript_files, defaultValueDescription: false }, { name: "jsx", type: jsxOptionMap, affectsSourceFile: true, affectsEmit: true, affectsBuildInfo: true, affectsModuleResolution: true, // The checker emits an error when it sees JSX but this option is not set in compilerOptions. // This is effectively a semantic error, so mark this option as affecting semantic diagnostics // so we know to refresh errors when this option is changed. affectsSemanticDiagnostics: true, paramType: Diagnostics.KIND, showInSimplifiedHelpView: true, category: Diagnostics.Language_and_Environment, description: Diagnostics.Specify_what_JSX_code_is_generated, defaultValueDescription: void 0 }, { name: "outFile", type: "string", affectsEmit: true, affectsBuildInfo: true, affectsDeclarationPath: true, isFilePath: true, paramType: Diagnostics.FILE, showInSimplifiedHelpView: true, category: Diagnostics.Emit, description: Diagnostics.Specify_a_file_that_bundles_all_outputs_into_one_JavaScript_file_If_declaration_is_true_also_designates_a_file_that_bundles_all_d_ts_output, transpileOptionValue: void 0 }, { name: "outDir", type: "string", affectsEmit: true, affectsBuildInfo: true, affectsDeclarationPath: true, isFilePath: true, paramType: Diagnostics.DIRECTORY, showInSimplifiedHelpView: true, category: Diagnostics.Emit, description: Diagnostics.Specify_an_output_folder_for_all_emitted_files }, { name: "rootDir", type: "string", affectsEmit: true, affectsBuildInfo: true, affectsDeclarationPath: true, isFilePath: true, paramType: Diagnostics.LOCATION, category: Diagnostics.Modules, description: Diagnostics.Specify_the_root_folder_within_your_source_files, defaultValueDescription: Diagnostics.Computed_from_the_list_of_input_files }, { name: "composite", type: "boolean", // Not setting affectsEmit because we calculate this flag might not affect full emit affectsBuildInfo: true, isTSConfigOnly: true, category: Diagnostics.Projects, transpileOptionValue: void 0, defaultValueDescription: false, description: Diagnostics.Enable_constraints_that_allow_a_TypeScript_project_to_be_used_with_project_references }, { name: "tsBuildInfoFile", type: "string", affectsEmit: true, affectsBuildInfo: true, isFilePath: true, paramType: Diagnostics.FILE, category: Diagnostics.Projects, transpileOptionValue: void 0, defaultValueDescription: ".tsbuildinfo", description: Diagnostics.Specify_the_path_to_tsbuildinfo_incremental_compilation_file }, { name: "removeComments", type: "boolean", affectsEmit: true, affectsBuildInfo: true, showInSimplifiedHelpView: true, category: Diagnostics.Emit, defaultValueDescription: false, description: Diagnostics.Disable_emitting_comments }, { name: "noCheck", type: "boolean", showInSimplifiedHelpView: false, category: Diagnostics.Compiler_Diagnostics, description: Diagnostics.Disable_full_type_checking_only_critical_parse_and_emit_errors_will_be_reported, transpileOptionValue: true, defaultValueDescription: false, affectsSemanticDiagnostics: true, affectsBuildInfo: true, extraValidation() { return [Diagnostics.Unknown_compiler_option_0, "noCheck"]; } }, { name: "noEmit", type: "boolean", showInSimplifiedHelpView: true, category: Diagnostics.Emit, description: Diagnostics.Disable_emitting_files_from_a_compilation, transpileOptionValue: void 0, defaultValueDescription: false }, { name: "importHelpers", type: "boolean", affectsEmit: true, affectsBuildInfo: true, category: Diagnostics.Emit, description: Diagnostics.Allow_importing_helper_functions_from_tslib_once_per_project_instead_of_including_them_per_file, defaultValueDescription: false }, { name: "importsNotUsedAsValues", type: new Map(Object.entries({ remove: 0, preserve: 1, error: 2 /* Error */ })), affectsEmit: true, affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Backwards_Compatibility, description: Diagnostics.Specify_emit_Slashchecking_behavior_for_imports_that_are_only_used_for_types, defaultValueDescription: 0 /* Remove */ }, { name: "downlevelIteration", type: "boolean", affectsEmit: true, affectsBuildInfo: true, category: Diagnostics.Emit, description: Diagnostics.Emit_more_compliant_but_verbose_and_less_performant_JavaScript_for_iteration, defaultValueDescription: false }, { name: "isolatedModules", type: "boolean", category: Diagnostics.Interop_Constraints, description: Diagnostics.Ensure_that_each_file_can_be_safely_transpiled_without_relying_on_other_imports, transpileOptionValue: true, defaultValueDescription: false }, { name: "verbatimModuleSyntax", type: "boolean", affectsEmit: true, affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Interop_Constraints, description: Diagnostics.Do_not_transform_or_elide_any_imports_or_exports_not_marked_as_type_only_ensuring_they_are_written_in_the_output_file_s_format_based_on_the_module_setting, defaultValueDescription: false }, { name: "isolatedDeclarations", type: "boolean", category: Diagnostics.Interop_Constraints, description: Diagnostics.Require_sufficient_annotation_on_exports_so_other_tools_can_trivially_generate_declaration_files, defaultValueDescription: false, affectsBuildInfo: true, affectsSemanticDiagnostics: true }, // Strict Type Checks { name: "strict", type: "boolean", // Though this affects semantic diagnostics, affectsSemanticDiagnostics is not set here // The value of each strictFlag depends on own strictFlag value or this and never accessed directly. // But we need to store `strict` in builf info, even though it won't be examined directly, so that the // flags it controls (e.g. `strictNullChecks`) will be retrieved correctly affectsBuildInfo: true, showInSimplifiedHelpView: true, category: Diagnostics.Type_Checking, description: Diagnostics.Enable_all_strict_type_checking_options, defaultValueDescription: false }, { name: "noImplicitAny", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, strictFlag: true, category: Diagnostics.Type_Checking, description: Diagnostics.Enable_error_reporting_for_expressions_and_declarations_with_an_implied_any_type, defaultValueDescription: Diagnostics.false_unless_strict_is_set }, { name: "strictNullChecks", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, strictFlag: true, category: Diagnostics.Type_Checking, description: Diagnostics.When_type_checking_take_into_account_null_and_undefined, defaultValueDescription: Diagnostics.false_unless_strict_is_set }, { name: "strictFunctionTypes", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, strictFlag: true, category: Diagnostics.Type_Checking, description: Diagnostics.When_assigning_functions_check_to_ensure_parameters_and_the_return_values_are_subtype_compatible, defaultValueDescription: Diagnostics.false_unless_strict_is_set }, { name: "strictBindCallApply", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, strictFlag: true, category: Diagnostics.Type_Checking, description: Diagnostics.Check_that_the_arguments_for_bind_call_and_apply_methods_match_the_original_function, defaultValueDescription: Diagnostics.false_unless_strict_is_set }, { name: "strictPropertyInitialization", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, strictFlag: true, category: Diagnostics.Type_Checking, description: Diagnostics.Check_for_class_properties_that_are_declared_but_not_set_in_the_constructor, defaultValueDescription: Diagnostics.false_unless_strict_is_set }, { name: "noImplicitThis", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, strictFlag: true, category: Diagnostics.Type_Checking, description: Diagnostics.Enable_error_reporting_when_this_is_given_the_type_any, defaultValueDescription: Diagnostics.false_unless_strict_is_set }, { name: "useUnknownInCatchVariables", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, strictFlag: true, category: Diagnostics.Type_Checking, description: Diagnostics.Default_catch_clause_variables_as_unknown_instead_of_any, defaultValueDescription: Diagnostics.false_unless_strict_is_set }, { name: "alwaysStrict", type: "boolean", affectsSourceFile: true, affectsEmit: true, affectsBuildInfo: true, strictFlag: true, category: Diagnostics.Type_Checking, description: Diagnostics.Ensure_use_strict_is_always_emitted, defaultValueDescription: Diagnostics.false_unless_strict_is_set }, // Additional Checks { name: "noUnusedLocals", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Type_Checking, description: Diagnostics.Enable_error_reporting_when_local_variables_aren_t_read, defaultValueDescription: false }, { name: "noUnusedParameters", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Type_Checking, description: Diagnostics.Raise_an_error_when_a_function_parameter_isn_t_read, defaultValueDescription: false }, { name: "exactOptionalPropertyTypes", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Type_Checking, description: Diagnostics.Interpret_optional_property_types_as_written_rather_than_adding_undefined, defaultValueDescription: false }, { name: "noImplicitReturns", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Type_Checking, description: Diagnostics.Enable_error_reporting_for_codepaths_that_do_not_explicitly_return_in_a_function, defaultValueDescription: false }, { name: "noFallthroughCasesInSwitch", type: "boolean", affectsBindDiagnostics: true, affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Type_Checking, description: Diagnostics.Enable_error_reporting_for_fallthrough_cases_in_switch_statements, defaultValueDescription: false }, { name: "noUncheckedIndexedAccess", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Type_Checking, description: Diagnostics.Add_undefined_to_a_type_when_accessed_using_an_index, defaultValueDescription: false }, { name: "noImplicitOverride", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Type_Checking, description: Diagnostics.Ensure_overriding_members_in_derived_classes_are_marked_with_an_override_modifier, defaultValueDescription: false }, { name: "noPropertyAccessFromIndexSignature", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, showInSimplifiedHelpView: false, category: Diagnostics.Type_Checking, description: Diagnostics.Enforces_using_indexed_accessors_for_keys_declared_using_an_indexed_type, defaultValueDescription: false }, // Module Resolution { name: "moduleResolution", type: new Map(Object.entries({ // N.B. The first entry specifies the value shown in `tsc --init` node10: 2, node: 2, classic: 1, node16: 3, nodenext: 99, bundler: 100 /* Bundler */ })), deprecatedKeys: /* @__PURE__ */ new Set(["node"]), affectsSourceFile: true, affectsModuleResolution: true, paramType: Diagnostics.STRATEGY, category: Diagnostics.Modules, description: Diagnostics.Specify_how_TypeScript_looks_up_a_file_from_a_given_module_specifier, defaultValueDescription: Diagnostics.module_AMD_or_UMD_or_System_or_ES6_then_Classic_Otherwise_Node }, { name: "baseUrl", type: "string", affectsModuleResolution: true, isFilePath: true, category: Diagnostics.Modules, description: Diagnostics.Specify_the_base_directory_to_resolve_non_relative_module_names }, { // this option can only be specified in tsconfig.json // use type = object to copy the value as-is name: "paths", type: "object", affectsModuleResolution: true, allowConfigDirTemplateSubstitution: true, isTSConfigOnly: true, category: Diagnostics.Modules, description: Diagnostics.Specify_a_set_of_entries_that_re_map_imports_to_additional_lookup_locations, transpileOptionValue: void 0 }, { // this option can only be specified in tsconfig.json // use type = object to copy the value as-is name: "rootDirs", type: "list", isTSConfigOnly: true, element: { name: "rootDirs", type: "string", isFilePath: true }, affectsModuleResolution: true, allowConfigDirTemplateSubstitution: true, category: Diagnostics.Modules, description: Diagnostics.Allow_multiple_folders_to_be_treated_as_one_when_resolving_modules, transpileOptionValue: void 0, defaultValueDescription: Diagnostics.Computed_from_the_list_of_input_files }, { name: "typeRoots", type: "list", element: { name: "typeRoots", type: "string", isFilePath: true }, affectsModuleResolution: true, allowConfigDirTemplateSubstitution: true, category: Diagnostics.Modules, description: Diagnostics.Specify_multiple_folders_that_act_like_Slashnode_modules_Slash_types }, { name: "types", type: "list", element: { name: "types", type: "string" }, affectsProgramStructure: true, showInSimplifiedHelpView: true, category: Diagnostics.Modules, description: Diagnostics.Specify_type_package_names_to_be_included_without_being_referenced_in_a_source_file, transpileOptionValue: void 0 }, { name: "allowSyntheticDefaultImports", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Interop_Constraints, description: Diagnostics.Allow_import_x_from_y_when_a_module_doesn_t_have_a_default_export, defaultValueDescription: Diagnostics.module_system_or_esModuleInterop }, { name: "esModuleInterop", type: "boolean", affectsSemanticDiagnostics: true, affectsEmit: true, affectsBuildInfo: true, showInSimplifiedHelpView: true, category: Diagnostics.Interop_Constraints, description: Diagnostics.Emit_additional_JavaScript_to_ease_support_for_importing_CommonJS_modules_This_enables_allowSyntheticDefaultImports_for_type_compatibility, defaultValueDescription: false }, { name: "preserveSymlinks", type: "boolean", category: Diagnostics.Interop_Constraints, description: Diagnostics.Disable_resolving_symlinks_to_their_realpath_This_correlates_to_the_same_flag_in_node, defaultValueDescription: false }, { name: "allowUmdGlobalAccess", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Modules, description: Diagnostics.Allow_accessing_UMD_globals_from_modules, defaultValueDescription: false }, { name: "moduleSuffixes", type: "list", element: { name: "suffix", type: "string" }, listPreserveFalsyValues: true, affectsModuleResolution: true, category: Diagnostics.Modules, description: Diagnostics.List_of_file_name_suffixes_to_search_when_resolving_a_module }, { name: "allowImportingTsExtensions", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Modules, description: Diagnostics.Allow_imports_to_include_TypeScript_file_extensions_Requires_moduleResolution_bundler_and_either_noEmit_or_emitDeclarationOnly_to_be_set, defaultValueDescription: false, transpileOptionValue: void 0 }, { name: "resolvePackageJsonExports", type: "boolean", affectsModuleResolution: true, category: Diagnostics.Modules, description: Diagnostics.Use_the_package_json_exports_field_when_resolving_package_imports, defaultValueDescription: Diagnostics.true_when_moduleResolution_is_node16_nodenext_or_bundler_otherwise_false }, { name: "resolvePackageJsonImports", type: "boolean", affectsModuleResolution: true, category: Diagnostics.Modules, description: Diagnostics.Use_the_package_json_imports_field_when_resolving_imports, defaultValueDescription: Diagnostics.true_when_moduleResolution_is_node16_nodenext_or_bundler_otherwise_false }, { name: "customConditions", type: "list", element: { name: "condition", type: "string" }, affectsModuleResolution: true, category: Diagnostics.Modules, description: Diagnostics.Conditions_to_set_in_addition_to_the_resolver_specific_defaults_when_resolving_imports }, // Source Maps { name: "sourceRoot", type: "string", affectsEmit: true, affectsBuildInfo: true, paramType: Diagnostics.LOCATION, category: Diagnostics.Emit, description: Diagnostics.Specify_the_root_path_for_debuggers_to_find_the_reference_source_code }, { name: "mapRoot", type: "string", affectsEmit: true, affectsBuildInfo: true, paramType: Diagnostics.LOCATION, category: Diagnostics.Emit, description: Diagnostics.Specify_the_location_where_debugger_should_locate_map_files_instead_of_generated_locations }, { name: "inlineSources", type: "boolean", affectsEmit: true, affectsBuildInfo: true, category: Diagnostics.Emit, description: Diagnostics.Include_source_code_in_the_sourcemaps_inside_the_emitted_JavaScript, defaultValueDescription: false }, // Experimental { name: "experimentalDecorators", type: "boolean", affectsEmit: true, affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Language_and_Environment, description: Diagnostics.Enable_experimental_support_for_legacy_experimental_decorators, defaultValueDescription: false }, { name: "emitDecoratorMetadata", type: "boolean", affectsSemanticDiagnostics: true, affectsEmit: true, affectsBuildInfo: true, category: Diagnostics.Language_and_Environment, description: Diagnostics.Emit_design_type_metadata_for_decorated_declarations_in_source_files, defaultValueDescription: false }, // Advanced { name: "jsxFactory", type: "string", category: Diagnostics.Language_and_Environment, description: Diagnostics.Specify_the_JSX_factory_function_used_when_targeting_React_JSX_emit_e_g_React_createElement_or_h, defaultValueDescription: "`React.createElement`" }, { name: "jsxFragmentFactory", type: "string", category: Diagnostics.Language_and_Environment, description: Diagnostics.Specify_the_JSX_Fragment_reference_used_for_fragments_when_targeting_React_JSX_emit_e_g_React_Fragment_or_Fragment, defaultValueDescription: "React.Fragment" }, { name: "jsxImportSource", type: "string", affectsSemanticDiagnostics: true, affectsEmit: true, affectsBuildInfo: true, affectsModuleResolution: true, category: Diagnostics.Language_and_Environment, description: Diagnostics.Specify_module_specifier_used_to_import_the_JSX_factory_functions_when_using_jsx_Colon_react_jsx_Asterisk, defaultValueDescription: "react" }, { name: "resolveJsonModule", type: "boolean", affectsModuleResolution: true, category: Diagnostics.Modules, description: Diagnostics.Enable_importing_json_files, defaultValueDescription: false }, { name: "allowArbitraryExtensions", type: "boolean", affectsProgramStructure: true, category: Diagnostics.Modules, description: Diagnostics.Enable_importing_files_with_any_extension_provided_a_declaration_file_is_present, defaultValueDescription: false }, { name: "out", type: "string", affectsEmit: true, affectsBuildInfo: true, affectsDeclarationPath: true, isFilePath: false, // This is intentionally broken to support compatibility with existing tsconfig files // for correct behaviour, please use outFile category: Diagnostics.Backwards_Compatibility, paramType: Diagnostics.FILE, transpileOptionValue: void 0, description: Diagnostics.Deprecated_setting_Use_outFile_instead }, { name: "reactNamespace", type: "string", affectsEmit: true, affectsBuildInfo: true, category: Diagnostics.Language_and_Environment, description: Diagnostics.Specify_the_object_invoked_for_createElement_This_only_applies_when_targeting_react_JSX_emit, defaultValueDescription: "`React`" }, { name: "skipDefaultLibCheck", type: "boolean", // We need to store these to determine whether `lib` files need to be rechecked affectsBuildInfo: true, category: Diagnostics.Completeness, description: Diagnostics.Skip_type_checking_d_ts_files_that_are_included_with_TypeScript, defaultValueDescription: false }, { name: "charset", type: "string", category: Diagnostics.Backwards_Compatibility, description: Diagnostics.No_longer_supported_In_early_versions_manually_set_the_text_encoding_for_reading_files, defaultValueDescription: "utf8" }, { name: "emitBOM", type: "boolean", affectsEmit: true, affectsBuildInfo: true, category: Diagnostics.Emit, description: Diagnostics.Emit_a_UTF_8_Byte_Order_Mark_BOM_in_the_beginning_of_output_files, defaultValueDescription: false }, { name: "newLine", type: new Map(Object.entries({ crlf: 0, lf: 1 /* LineFeed */ })), affectsEmit: true, affectsBuildInfo: true, paramType: Diagnostics.NEWLINE, category: Diagnostics.Emit, description: Diagnostics.Set_the_newline_character_for_emitting_files, defaultValueDescription: "lf" }, { name: "noErrorTruncation", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Output_Formatting, description: Diagnostics.Disable_truncating_types_in_error_messages, defaultValueDescription: false }, { name: "noLib", type: "boolean", category: Diagnostics.Language_and_Environment, affectsProgramStructure: true, description: Diagnostics.Disable_including_any_library_files_including_the_default_lib_d_ts, // We are not returning a sourceFile for lib file when asked by the program, // so pass --noLib to avoid reporting a file not found error. transpileOptionValue: true, defaultValueDescription: false }, { name: "noResolve", type: "boolean", affectsModuleResolution: true, category: Diagnostics.Modules, description: Diagnostics.Disallow_import_s_require_s_or_reference_s_from_expanding_the_number_of_files_TypeScript_should_add_to_a_project, // We are not doing a full typecheck, we are not resolving the whole context, // so pass --noResolve to avoid reporting missing file errors. transpileOptionValue: true, defaultValueDescription: false }, { name: "stripInternal", type: "boolean", affectsEmit: true, affectsBuildInfo: true, category: Diagnostics.Emit, description: Diagnostics.Disable_emitting_declarations_that_have_internal_in_their_JSDoc_comments, defaultValueDescription: false }, { name: "disableSizeLimit", type: "boolean", affectsProgramStructure: true, category: Diagnostics.Editor_Support, description: Diagnostics.Remove_the_20mb_cap_on_total_source_code_size_for_JavaScript_files_in_the_TypeScript_language_server, defaultValueDescription: false }, { name: "disableSourceOfProjectReferenceRedirect", type: "boolean", isTSConfigOnly: true, category: Diagnostics.Projects, description: Diagnostics.Disable_preferring_source_files_instead_of_declaration_files_when_referencing_composite_projects, defaultValueDescription: false }, { name: "disableSolutionSearching", type: "boolean", isTSConfigOnly: true, category: Diagnostics.Projects, description: Diagnostics.Opt_a_project_out_of_multi_project_reference_checking_when_editing, defaultValueDescription: false }, { name: "disableReferencedProjectLoad", type: "boolean", isTSConfigOnly: true, category: Diagnostics.Projects, description: Diagnostics.Reduce_the_number_of_projects_loaded_automatically_by_TypeScript, defaultValueDescription: false }, { name: "noImplicitUseStrict", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Backwards_Compatibility, description: Diagnostics.Disable_adding_use_strict_directives_in_emitted_JavaScript_files, defaultValueDescription: false }, { name: "noEmitHelpers", type: "boolean", affectsEmit: true, affectsBuildInfo: true, category: Diagnostics.Emit, description: Diagnostics.Disable_generating_custom_helper_functions_like_extends_in_compiled_output, defaultValueDescription: false }, { name: "noEmitOnError", type: "boolean", affectsEmit: true, affectsBuildInfo: true, category: Diagnostics.Emit, transpileOptionValue: void 0, description: Diagnostics.Disable_emitting_files_if_any_type_checking_errors_are_reported, defaultValueDescription: false }, { name: "preserveConstEnums", type: "boolean", affectsEmit: true, affectsBuildInfo: true, category: Diagnostics.Emit, description: Diagnostics.Disable_erasing_const_enum_declarations_in_generated_code, defaultValueDescription: false }, { name: "declarationDir", type: "string", affectsEmit: true, affectsBuildInfo: true, affectsDeclarationPath: true, isFilePath: true, paramType: Diagnostics.DIRECTORY, category: Diagnostics.Emit, transpileOptionValue: void 0, description: Diagnostics.Specify_the_output_directory_for_generated_declaration_files }, { name: "skipLibCheck", type: "boolean", // We need to store these to determine whether `lib` files need to be rechecked affectsBuildInfo: true, category: Diagnostics.Completeness, description: Diagnostics.Skip_type_checking_all_d_ts_files, defaultValueDescription: false }, { name: "allowUnusedLabels", type: "boolean", affectsBindDiagnostics: true, affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Type_Checking, description: Diagnostics.Disable_error_reporting_for_unused_labels, defaultValueDescription: void 0 }, { name: "allowUnreachableCode", type: "boolean", affectsBindDiagnostics: true, affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Type_Checking, description: Diagnostics.Disable_error_reporting_for_unreachable_code, defaultValueDescription: void 0 }, { name: "suppressExcessPropertyErrors", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Backwards_Compatibility, description: Diagnostics.Disable_reporting_of_excess_property_errors_during_the_creation_of_object_literals, defaultValueDescription: false }, { name: "suppressImplicitAnyIndexErrors", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Backwards_Compatibility, description: Diagnostics.Suppress_noImplicitAny_errors_when_indexing_objects_that_lack_index_signatures, defaultValueDescription: false }, { name: "forceConsistentCasingInFileNames", type: "boolean", affectsModuleResolution: true, category: Diagnostics.Interop_Constraints, description: Diagnostics.Ensure_that_casing_is_correct_in_imports, defaultValueDescription: true }, { name: "maxNodeModuleJsDepth", type: "number", affectsModuleResolution: true, category: Diagnostics.JavaScript_Support, description: Diagnostics.Specify_the_maximum_folder_depth_used_for_checking_JavaScript_files_from_node_modules_Only_applicable_with_allowJs, defaultValueDescription: 0 }, { name: "noStrictGenericChecks", type: "boolean", affectsSemanticDiagnostics: true, affectsBuildInfo: true, category: Diagnostics.Backwards_Compatibility, description: Diagnostics.Disable_strict_checking_of_generic_signatures_in_function_types, defaultValueDescription: false }, { name: "useDefineForClassFields", type: "boolean", affectsSemanticDiagnostics: true, affectsEmit: true, affectsBuildInfo: true, category: Diagnostics.Language_and_Environment, description: Diagnostics.Emit_ECMAScript_standard_compliant_class_fields, defaultValueDescription: Diagnostics.true_for_ES2022_and_above_including_ESNext }, { name: "preserveValueImports", type: "boolean", affectsEmit: true, affectsBuildInfo: true, category: Diagnostics.Backwards_Compatibility, description: Diagnostics.Preserve_unused_imported_values_in_the_JavaScript_output_that_would_otherwise_be_removed, defaultValueDescription: false }, { name: "keyofStringsOnly", type: "boolean", category: Diagnostics.Backwards_Compatibility, description: Diagnostics.Make_keyof_only_return_strings_instead_of_string_numbers_or_symbols_Legacy_option, defaultValueDescription: false }, { // A list of plugins to load in the language service name: "plugins", type: "list", isTSConfigOnly: true, element: { name: "plugin", type: "object" }, description: Diagnostics.Specify_a_list_of_language_service_plugins_to_include, category: Diagnostics.Editor_Support }, { name: "moduleDetection", type: new Map(Object.entries({ auto: 2, legacy: 1, force: 3 /* Force */ })), affectsSourceFile: true, affectsModuleResolution: true, description: Diagnostics.Control_what_method_is_used_to_detect_module_format_JS_files, category: Diagnostics.Language_and_Environment, defaultValueDescription: Diagnostics.auto_Colon_Treat_files_with_imports_exports_import_meta_jsx_with_jsx_Colon_react_jsx_or_esm_format_with_module_Colon_node16_as_modules }, { name: "ignoreDeprecations", type: "string", defaultValueDescription: void 0 } ]; var optionDeclarations = [ ...commonOptionsWithBuild, ...commandOptionsWithoutBuild ]; var semanticDiagnosticsOptionDeclarations = optionDeclarations.filter((option) => !!option.affectsSemanticDiagnostics); var affectsEmitOptionDeclarations = optionDeclarations.filter((option) => !!option.affectsEmit); var affectsDeclarationPathOptionDeclarations = optionDeclarations.filter((option) => !!option.affectsDeclarationPath); var moduleResolutionOptionDeclarations = optionDeclarations.filter((option) => !!option.affectsModuleResolution); var sourceFileAffectingCompilerOptions = optionDeclarations.filter((option) => !!option.affectsSourceFile || !!option.affectsBindDiagnostics); var optionsAffectingProgramStructure = optionDeclarations.filter((option) => !!option.affectsProgramStructure); var transpileOptionValueCompilerOptions = optionDeclarations.filter((option) => hasProperty(option, "transpileOptionValue")); var configDirTemplateSubstitutionOptions = optionDeclarations.filter( (option) => option.allowConfigDirTemplateSubstitution || !option.isCommandLineOnly && option.isFilePath ); var configDirTemplateSubstitutionWatchOptions = optionsForWatch.filter( (option) => option.allowConfigDirTemplateSubstitution || !option.isCommandLineOnly && option.isFilePath ); var commandLineOptionOfCustomType = optionDeclarations.filter(isCommandLineOptionOfCustomType); function isCommandLineOptionOfCustomType(option) { return !isString2(option.type); } var optionsForBuild = [ { name: "verbose", shortName: "v", category: Diagnostics.Command_line_Options, description: Diagnostics.Enable_verbose_logging, type: "boolean", defaultValueDescription: false }, { name: "dry", shortName: "d", category: Diagnostics.Command_line_Options, description: Diagnostics.Show_what_would_be_built_or_deleted_if_specified_with_clean, type: "boolean", defaultValueDescription: false }, { name: "force", shortName: "f", category: Diagnostics.Command_line_Options, description: Diagnostics.Build_all_projects_including_those_that_appear_to_be_up_to_date, type: "boolean", defaultValueDescription: false }, { name: "clean", category: Diagnostics.Command_line_Options, description: Diagnostics.Delete_the_outputs_of_all_projects, type: "boolean", defaultValueDescription: false } ]; var buildOpts = [ ...commonOptionsWithBuild, ...optionsForBuild ]; var typeAcquisitionDeclarations = [ { name: "enable", type: "boolean", defaultValueDescription: false }, { name: "include", type: "list", element: { name: "include", type: "string" } }, { name: "exclude", type: "list", element: { name: "exclude", type: "string" } }, { name: "disableFilenameBasedTypeAcquisition", type: "boolean", defaultValueDescription: false } ]; function createOptionNameMap(optionDeclarations2) { const optionsNameMap = /* @__PURE__ */ new Map(); const shortOptionNames = /* @__PURE__ */ new Map(); forEach(optionDeclarations2, (option) => { optionsNameMap.set(option.name.toLowerCase(), option); if (option.shortName) { shortOptionNames.set(option.shortName, option.name); } }); return { optionsNameMap, shortOptionNames }; } var optionsNameMapCache; function getOptionsNameMap() { return optionsNameMapCache || (optionsNameMapCache = createOptionNameMap(optionDeclarations)); } var compilerOptionsAlternateMode = { diagnostic: Diagnostics.Compiler_option_0_may_only_be_used_with_build, getOptionsNameMap: getBuildOptionsNameMap }; var defaultInitCompilerOptions = { module: 1, target: 3, strict: true, esModuleInterop: true, forceConsistentCasingInFileNames: true, skipLibCheck: true }; function createCompilerDiagnosticForInvalidCustomType(opt) { return createDiagnosticForInvalidCustomType(opt, createCompilerDiagnostic); } function createDiagnosticForInvalidCustomType(opt, createDiagnostic) { const namesOfType = arrayFrom(opt.type.keys()); const stringNames = (opt.deprecatedKeys ? namesOfType.filter((k) => !opt.deprecatedKeys.has(k)) : namesOfType).map((key) => `'${key}'`).join(", "); return createDiagnostic(Diagnostics.Argument_for_0_option_must_be_Colon_1, `--${opt.name}`, stringNames); } function parseCustomTypeOption(opt, value, errors) { return convertJsonOptionOfCustomType(opt, (value ?? "").trim(), errors); } function parseListTypeOption(opt, value = "", errors) { value = value.trim(); if (startsWith2(value, "-")) { return void 0; } if (opt.type === "listOrElement" && !value.includes(",")) { return validateJsonOptionValue(opt, value, errors); } if (value === "") { return []; } const values = value.split(","); switch (opt.element.type) { case "number": return mapDefined(values, (v) => validateJsonOptionValue(opt.element, parseInt(v), errors)); case "string": return mapDefined(values, (v) => validateJsonOptionValue(opt.element, v || "", errors)); case "boolean": case "object": return Debug.fail(`List of ${opt.element.type} is not yet supported.`); default: return mapDefined(values, (v) => parseCustomTypeOption(opt.element, v, errors)); } } function getOptionName(option) { return option.name; } function createUnknownOptionError(unknownOption, diagnostics, unknownOptionErrorText, node, sourceFile) { var _a; if ((_a = diagnostics.alternateMode) == null ? void 0 : _a.getOptionsNameMap().optionsNameMap.has(unknownOption.toLowerCase())) { return createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, node, diagnostics.alternateMode.diagnostic, unknownOption); } const possibleOption = getSpellingSuggestion(unknownOption, diagnostics.optionDeclarations, getOptionName); return possibleOption ? createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, node, diagnostics.unknownDidYouMeanDiagnostic, unknownOptionErrorText || unknownOption, possibleOption.name) : createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, node, diagnostics.unknownOptionDiagnostic, unknownOptionErrorText || unknownOption); } function parseCommandLineWorker(diagnostics, commandLine, readFile2) { const options = {}; let watchOptions; const fileNames = []; const errors = []; parseStrings(commandLine); return { options, watchOptions, fileNames, errors }; function parseStrings(args) { let i = 0; while (i < args.length) { const s = args[i]; i++; if (s.charCodeAt(0) === 64) { parseResponseFile(s.slice(1)); } else if (s.charCodeAt(0) === 45) { const inputOptionName = s.slice(s.charCodeAt(1) === 45 ? 2 : 1); const opt = getOptionDeclarationFromName( diagnostics.getOptionsNameMap, inputOptionName, /*allowShort*/ true ); if (opt) { i = parseOptionValue(args, i, diagnostics, opt, options, errors); } else { const watchOpt = getOptionDeclarationFromName( watchOptionsDidYouMeanDiagnostics.getOptionsNameMap, inputOptionName, /*allowShort*/ true ); if (watchOpt) { i = parseOptionValue(args, i, watchOptionsDidYouMeanDiagnostics, watchOpt, watchOptions || (watchOptions = {}), errors); } else { errors.push(createUnknownOptionError(inputOptionName, diagnostics, s)); } } } else { fileNames.push(s); } } } function parseResponseFile(fileName) { const text = tryReadFile(fileName, readFile2 || ((fileName2) => sys.readFile(fileName2))); if (!isString2(text)) { errors.push(text); return; } const args = []; let pos = 0; while (true) { while (pos < text.length && text.charCodeAt(pos) <= 32) pos++; if (pos >= text.length) break; const start = pos; if (text.charCodeAt(start) === 34) { pos++; while (pos < text.length && text.charCodeAt(pos) !== 34) pos++; if (pos < text.length) { args.push(text.substring(start + 1, pos)); pos++; } else { errors.push(createCompilerDiagnostic(Diagnostics.Unterminated_quoted_string_in_response_file_0, fileName)); } } else { while (text.charCodeAt(pos) > 32) pos++; args.push(text.substring(start, pos)); } } parseStrings(args); } } function parseOptionValue(args, i, diagnostics, opt, options, errors) { if (opt.isTSConfigOnly) { const optValue = args[i]; if (optValue === "null") { options[opt.name] = void 0; i++; } else if (opt.type === "boolean") { if (optValue === "false") { options[opt.name] = validateJsonOptionValue( opt, /*value*/ false, errors ); i++; } else { if (optValue === "true") i++; errors.push(createCompilerDiagnostic(Diagnostics.Option_0_can_only_be_specified_in_tsconfig_json_file_or_set_to_false_or_null_on_command_line, opt.name)); } } else { errors.push(createCompilerDiagnostic(Diagnostics.Option_0_can_only_be_specified_in_tsconfig_json_file_or_set_to_null_on_command_line, opt.name)); if (optValue && !startsWith2(optValue, "-")) i++; } } else { if (!args[i] && opt.type !== "boolean") { errors.push(createCompilerDiagnostic(diagnostics.optionTypeMismatchDiagnostic, opt.name, getCompilerOptionValueTypeString(opt))); } if (args[i] !== "null") { switch (opt.type) { case "number": options[opt.name] = validateJsonOptionValue(opt, parseInt(args[i]), errors); i++; break; case "boolean": const optValue = args[i]; options[opt.name] = validateJsonOptionValue(opt, optValue !== "false", errors); if (optValue === "false" || optValue === "true") { i++; } break; case "string": options[opt.name] = validateJsonOptionValue(opt, args[i] || "", errors); i++; break; case "list": const result = parseListTypeOption(opt, args[i], errors); options[opt.name] = result || []; if (result) { i++; } break; case "listOrElement": Debug.fail("listOrElement not supported here"); break; default: options[opt.name] = parseCustomTypeOption(opt, args[i], errors); i++; break; } } else { options[opt.name] = void 0; i++; } } return i; } var compilerOptionsDidYouMeanDiagnostics = { alternateMode: compilerOptionsAlternateMode, getOptionsNameMap, optionDeclarations, unknownOptionDiagnostic: Diagnostics.Unknown_compiler_option_0, unknownDidYouMeanDiagnostic: Diagnostics.Unknown_compiler_option_0_Did_you_mean_1, optionTypeMismatchDiagnostic: Diagnostics.Compiler_option_0_expects_an_argument }; function parseCommandLine(commandLine, readFile2) { return parseCommandLineWorker(compilerOptionsDidYouMeanDiagnostics, commandLine, readFile2); } function getOptionFromName(optionName, allowShort) { return getOptionDeclarationFromName(getOptionsNameMap, optionName, allowShort); } function getOptionDeclarationFromName(getOptionNameMap, optionName, allowShort = false) { optionName = optionName.toLowerCase(); const { optionsNameMap, shortOptionNames } = getOptionNameMap(); if (allowShort) { const short = shortOptionNames.get(optionName); if (short !== void 0) { optionName = short; } } return optionsNameMap.get(optionName); } var buildOptionsNameMapCache; function getBuildOptionsNameMap() { return buildOptionsNameMapCache || (buildOptionsNameMapCache = createOptionNameMap(buildOpts)); } var buildOptionsAlternateMode = { diagnostic: Diagnostics.Compiler_option_0_may_not_be_used_with_build, getOptionsNameMap }; var buildOptionsDidYouMeanDiagnostics = { alternateMode: buildOptionsAlternateMode, getOptionsNameMap: getBuildOptionsNameMap, optionDeclarations: buildOpts, unknownOptionDiagnostic: Diagnostics.Unknown_build_option_0, unknownDidYouMeanDiagnostic: Diagnostics.Unknown_build_option_0_Did_you_mean_1, optionTypeMismatchDiagnostic: Diagnostics.Build_option_0_requires_a_value_of_type_1 }; function parseBuildCommand(args) { const { options, watchOptions, fileNames: projects, errors } = parseCommandLineWorker( buildOptionsDidYouMeanDiagnostics, args ); const buildOptions = options; if (projects.length === 0) { projects.push("."); } if (buildOptions.clean && buildOptions.force) { errors.push(createCompilerDiagnostic(Diagnostics.Options_0_and_1_cannot_be_combined, "clean", "force")); } if (buildOptions.clean && buildOptions.verbose) { errors.push(createCompilerDiagnostic(Diagnostics.Options_0_and_1_cannot_be_combined, "clean", "verbose")); } if (buildOptions.clean && buildOptions.watch) { errors.push(createCompilerDiagnostic(Diagnostics.Options_0_and_1_cannot_be_combined, "clean", "watch")); } if (buildOptions.watch && buildOptions.dry) { errors.push(createCompilerDiagnostic(Diagnostics.Options_0_and_1_cannot_be_combined, "watch", "dry")); } return { buildOptions, watchOptions, projects, errors }; } function getDiagnosticText(message, ...args) { return cast(createCompilerDiagnostic(message, ...args).messageText, isString2); } function getParsedCommandLineOfConfigFile(configFileName, optionsToExtend, host, extendedConfigCache, watchOptionsToExtend, extraFileExtensions) { const configFileText = tryReadFile(configFileName, (fileName) => host.readFile(fileName)); if (!isString2(configFileText)) { host.onUnRecoverableConfigFileDiagnostic(configFileText); return void 0; } const result = parseJsonText(configFileName, configFileText); const cwd = host.getCurrentDirectory(); result.path = toPath3(configFileName, cwd, createGetCanonicalFileName(host.useCaseSensitiveFileNames)); result.resolvedPath = result.path; result.originalFileName = result.fileName; return parseJsonSourceFileConfigFileContent( result, host, getNormalizedAbsolutePath(getDirectoryPath(configFileName), cwd), optionsToExtend, getNormalizedAbsolutePath(configFileName, cwd), /*resolutionStack*/ void 0, extraFileExtensions, extendedConfigCache, watchOptionsToExtend ); } function readConfigFile(fileName, readFile2) { const textOrDiagnostic = tryReadFile(fileName, readFile2); return isString2(textOrDiagnostic) ? parseConfigFileTextToJson(fileName, textOrDiagnostic) : { config: {}, error: textOrDiagnostic }; } function parseConfigFileTextToJson(fileName, jsonText) { const jsonSourceFile = parseJsonText(fileName, jsonText); return { config: convertConfigFileToObject( jsonSourceFile, jsonSourceFile.parseDiagnostics, /*jsonConversionNotifier*/ void 0 ), error: jsonSourceFile.parseDiagnostics.length ? jsonSourceFile.parseDiagnostics[0] : void 0 }; } function readJsonConfigFile(fileName, readFile2) { const textOrDiagnostic = tryReadFile(fileName, readFile2); return isString2(textOrDiagnostic) ? parseJsonText(fileName, textOrDiagnostic) : { fileName, parseDiagnostics: [textOrDiagnostic] }; } function tryReadFile(fileName, readFile2) { let text; try { text = readFile2(fileName); } catch (e) { return createCompilerDiagnostic(Diagnostics.Cannot_read_file_0_Colon_1, fileName, e.message); } return text === void 0 ? createCompilerDiagnostic(Diagnostics.Cannot_read_file_0, fileName) : text; } function commandLineOptionsToMap(options) { return arrayToMap(options, getOptionName); } var typeAcquisitionDidYouMeanDiagnostics = { optionDeclarations: typeAcquisitionDeclarations, unknownOptionDiagnostic: Diagnostics.Unknown_type_acquisition_option_0, unknownDidYouMeanDiagnostic: Diagnostics.Unknown_type_acquisition_option_0_Did_you_mean_1 }; var watchOptionsNameMapCache; function getWatchOptionsNameMap() { return watchOptionsNameMapCache || (watchOptionsNameMapCache = createOptionNameMap(optionsForWatch)); } var watchOptionsDidYouMeanDiagnostics = { getOptionsNameMap: getWatchOptionsNameMap, optionDeclarations: optionsForWatch, unknownOptionDiagnostic: Diagnostics.Unknown_watch_option_0, unknownDidYouMeanDiagnostic: Diagnostics.Unknown_watch_option_0_Did_you_mean_1, optionTypeMismatchDiagnostic: Diagnostics.Watch_option_0_requires_a_value_of_type_1 }; var commandLineCompilerOptionsMapCache; function getCommandLineCompilerOptionsMap() { return commandLineCompilerOptionsMapCache || (commandLineCompilerOptionsMapCache = commandLineOptionsToMap(optionDeclarations)); } var commandLineWatchOptionsMapCache; function getCommandLineWatchOptionsMap() { return commandLineWatchOptionsMapCache || (commandLineWatchOptionsMapCache = commandLineOptionsToMap(optionsForWatch)); } var commandLineTypeAcquisitionMapCache; function getCommandLineTypeAcquisitionMap() { return commandLineTypeAcquisitionMapCache || (commandLineTypeAcquisitionMapCache = commandLineOptionsToMap(typeAcquisitionDeclarations)); } var extendsOptionDeclaration = { name: "extends", type: "listOrElement", element: { name: "extends", type: "string" }, category: Diagnostics.File_Management, disallowNullOrUndefined: true }; var compilerOptionsDeclaration = { name: "compilerOptions", type: "object", elementOptions: getCommandLineCompilerOptionsMap(), extraKeyDiagnostics: compilerOptionsDidYouMeanDiagnostics }; var watchOptionsDeclaration = { name: "watchOptions", type: "object", elementOptions: getCommandLineWatchOptionsMap(), extraKeyDiagnostics: watchOptionsDidYouMeanDiagnostics }; var typeAcquisitionDeclaration = { name: "typeAcquisition", type: "object", elementOptions: getCommandLineTypeAcquisitionMap(), extraKeyDiagnostics: typeAcquisitionDidYouMeanDiagnostics }; var _tsconfigRootOptions; function getTsconfigRootOptionsMap() { if (_tsconfigRootOptions === void 0) { _tsconfigRootOptions = { name: void 0, // should never be needed since this is root type: "object", elementOptions: commandLineOptionsToMap([ compilerOptionsDeclaration, watchOptionsDeclaration, typeAcquisitionDeclaration, extendsOptionDeclaration, { name: "references", type: "list", element: { name: "references", type: "object" }, category: Diagnostics.Projects }, { name: "files", type: "list", element: { name: "files", type: "string" }, category: Diagnostics.File_Management }, { name: "include", type: "list", element: { name: "include", type: "string" }, category: Diagnostics.File_Management, defaultValueDescription: Diagnostics.if_files_is_specified_otherwise_Asterisk_Asterisk_Slash_Asterisk }, { name: "exclude", type: "list", element: { name: "exclude", type: "string" }, category: Diagnostics.File_Management, defaultValueDescription: Diagnostics.node_modules_bower_components_jspm_packages_plus_the_value_of_outDir_if_one_is_specified }, compileOnSaveCommandLineOption ]) }; } return _tsconfigRootOptions; } function convertConfigFileToObject(sourceFile, errors, jsonConversionNotifier) { var _a; const rootExpression = (_a = sourceFile.statements[0]) == null ? void 0 : _a.expression; if (rootExpression && rootExpression.kind !== 210) { errors.push(createDiagnosticForNodeInSourceFile( sourceFile, rootExpression, Diagnostics.The_root_value_of_a_0_file_must_be_an_object, getBaseFileName(sourceFile.fileName) === "jsconfig.json" ? "jsconfig.json" : "tsconfig.json" )); if (isArrayLiteralExpression(rootExpression)) { const firstObject = find(rootExpression.elements, isObjectLiteralExpression); if (firstObject) { return convertToJson( sourceFile, firstObject, errors, /*returnValue*/ true, jsonConversionNotifier ); } } return {}; } return convertToJson( sourceFile, rootExpression, errors, /*returnValue*/ true, jsonConversionNotifier ); } function convertToObject(sourceFile, errors) { var _a; return convertToJson( sourceFile, (_a = sourceFile.statements[0]) == null ? void 0 : _a.expression, errors, /*returnValue*/ true, /*jsonConversionNotifier*/ void 0 ); } function convertToJson(sourceFile, rootExpression, errors, returnValue, jsonConversionNotifier) { if (!rootExpression) { return returnValue ? {} : void 0; } return convertPropertyValueToJson(rootExpression, jsonConversionNotifier == null ? void 0 : jsonConversionNotifier.rootOptions); function convertObjectLiteralExpressionToJson(node, objectOption) { var _a; const result = returnValue ? {} : void 0; for (const element of node.properties) { if (element.kind !== 303) { errors.push(createDiagnosticForNodeInSourceFile(sourceFile, element, Diagnostics.Property_assignment_expected)); continue; } if (element.questionToken) { errors.push(createDiagnosticForNodeInSourceFile(sourceFile, element.questionToken, Diagnostics.The_0_modifier_can_only_be_used_in_TypeScript_files, "?")); } if (!isDoubleQuotedString(element.name)) { errors.push(createDiagnosticForNodeInSourceFile(sourceFile, element.name, Diagnostics.String_literal_with_double_quotes_expected)); } const textOfKey = isComputedNonLiteralName(element.name) ? void 0 : getTextOfPropertyName(element.name); const keyText = textOfKey && unescapeLeadingUnderscores(textOfKey); const option = keyText ? (_a = objectOption == null ? void 0 : objectOption.elementOptions) == null ? void 0 : _a.get(keyText) : void 0; const value = convertPropertyValueToJson(element.initializer, option); if (typeof keyText !== "undefined") { if (returnValue) { result[keyText] = value; } jsonConversionNotifier == null ? void 0 : jsonConversionNotifier.onPropertySet(keyText, value, element, objectOption, option); } } return result; } function convertArrayLiteralExpressionToJson(elements, elementOption) { if (!returnValue) { elements.forEach((element) => convertPropertyValueToJson(element, elementOption)); return void 0; } return filter(elements.map((element) => convertPropertyValueToJson(element, elementOption)), (v) => v !== void 0); } function convertPropertyValueToJson(valueExpression, option) { switch (valueExpression.kind) { case 112: return true; case 97: return false; case 106: return null; case 11: if (!isDoubleQuotedString(valueExpression)) { errors.push(createDiagnosticForNodeInSourceFile(sourceFile, valueExpression, Diagnostics.String_literal_with_double_quotes_expected)); } return valueExpression.text; case 9: return Number(valueExpression.text); case 224: if (valueExpression.operator !== 41 || valueExpression.operand.kind !== 9) { break; } return -Number(valueExpression.operand.text); case 210: const objectLiteralExpression = valueExpression; return convertObjectLiteralExpressionToJson(objectLiteralExpression, option); case 209: return convertArrayLiteralExpressionToJson( valueExpression.elements, option && option.element ); } if (option) { errors.push(createDiagnosticForNodeInSourceFile(sourceFile, valueExpression, Diagnostics.Compiler_option_0_requires_a_value_of_type_1, option.name, getCompilerOptionValueTypeString(option))); } else { errors.push(createDiagnosticForNodeInSourceFile(sourceFile, valueExpression, Diagnostics.Property_value_can_only_be_string_literal_numeric_literal_true_false_null_object_literal_or_array_literal)); } return void 0; } function isDoubleQuotedString(node) { return isStringLiteral2(node) && isStringDoubleQuoted(node, sourceFile); } } function getCompilerOptionValueTypeString(option) { return option.type === "listOrElement" ? `${getCompilerOptionValueTypeString(option.element)} or Array` : option.type === "list" ? "Array" : isString2(option.type) ? option.type : "string"; } function isCompilerOptionsValue(option, value) { if (option) { if (isNullOrUndefined(value)) return !option.disallowNullOrUndefined; if (option.type === "list") { return isArray3(value); } if (option.type === "listOrElement") { return isArray3(value) || isCompilerOptionsValue(option.element, value); } const expectedType = isString2(option.type) ? option.type : "string"; return typeof value === expectedType; } return false; } function convertToTSConfig(configParseResult, configFileName, host) { var _a, _b, _c; const getCanonicalFileName = createGetCanonicalFileName(host.useCaseSensitiveFileNames); const files = map( filter( configParseResult.fileNames, !((_b = (_a = configParseResult.options.configFile) == null ? void 0 : _a.configFileSpecs) == null ? void 0 : _b.validatedIncludeSpecs) ? returnTrue : matchesSpecs( configFileName, configParseResult.options.configFile.configFileSpecs.validatedIncludeSpecs, configParseResult.options.configFile.configFileSpecs.validatedExcludeSpecs, host ) ), (f) => getRelativePathFromFile(getNormalizedAbsolutePath(configFileName, host.getCurrentDirectory()), getNormalizedAbsolutePath(f, host.getCurrentDirectory()), getCanonicalFileName) ); const pathOptions = { configFilePath: getNormalizedAbsolutePath(configFileName, host.getCurrentDirectory()), useCaseSensitiveFileNames: host.useCaseSensitiveFileNames }; const optionMap = serializeCompilerOptions(configParseResult.options, pathOptions); const watchOptionMap = configParseResult.watchOptions && serializeWatchOptions(configParseResult.watchOptions); const config7 = { compilerOptions: { ...optionMapToObject(optionMap), showConfig: void 0, configFile: void 0, configFilePath: void 0, help: void 0, init: void 0, listFiles: void 0, listEmittedFiles: void 0, project: void 0, build: void 0, version: void 0 }, watchOptions: watchOptionMap && optionMapToObject(watchOptionMap), references: map(configParseResult.projectReferences, (r) => ({ ...r, path: r.originalPath ? r.originalPath : "", originalPath: void 0 })), files: length(files) ? files : void 0, ...((_c = configParseResult.options.configFile) == null ? void 0 : _c.configFileSpecs) ? { include: filterSameAsDefaultInclude(configParseResult.options.configFile.configFileSpecs.validatedIncludeSpecs), exclude: configParseResult.options.configFile.configFileSpecs.validatedExcludeSpecs } : {}, compileOnSave: !!configParseResult.compileOnSave ? true : void 0 }; const providedKeys = new Set(optionMap.keys()); const impliedCompilerOptions = {}; for (const option in computedOptions) { if (!providedKeys.has(option) && some(computedOptions[option].dependencies, (dep) => providedKeys.has(dep))) { const implied = computedOptions[option].computeValue(configParseResult.options); const defaultValue = computedOptions[option].computeValue({}); if (implied !== defaultValue) { impliedCompilerOptions[option] = computedOptions[option].computeValue(configParseResult.options); } } } assign(config7.compilerOptions, optionMapToObject(serializeCompilerOptions(impliedCompilerOptions, pathOptions))); return config7; } function optionMapToObject(optionMap) { return { ...arrayFrom(optionMap.entries()).reduce((prev, cur) => ({ ...prev, [cur[0]]: cur[1] }), {}) }; } function filterSameAsDefaultInclude(specs) { if (!length(specs)) return void 0; if (length(specs) !== 1) return specs; if (specs[0] === defaultIncludeSpec) return void 0; return specs; } function matchesSpecs(path17, includeSpecs, excludeSpecs, host) { if (!includeSpecs) return returnTrue; const patterns = getFileMatcherPatterns(path17, excludeSpecs, includeSpecs, host.useCaseSensitiveFileNames, host.getCurrentDirectory()); const excludeRe = patterns.excludePattern && getRegexFromPattern(patterns.excludePattern, host.useCaseSensitiveFileNames); const includeRe = patterns.includeFilePattern && getRegexFromPattern(patterns.includeFilePattern, host.useCaseSensitiveFileNames); if (includeRe) { if (excludeRe) { return (path22) => !(includeRe.test(path22) && !excludeRe.test(path22)); } return (path22) => !includeRe.test(path22); } if (excludeRe) { return (path22) => excludeRe.test(path22); } return returnTrue; } function getCustomTypeMapOfCommandLineOption(optionDefinition) { switch (optionDefinition.type) { case "string": case "number": case "boolean": case "object": return void 0; case "list": case "listOrElement": return getCustomTypeMapOfCommandLineOption(optionDefinition.element); default: return optionDefinition.type; } } function getNameOfCompilerOptionValue(value, customTypeMap) { return forEachEntry(customTypeMap, (mapValue, key) => { if (mapValue === value) { return key; } }); } function serializeCompilerOptions(options, pathOptions) { return serializeOptionBaseObject(options, getOptionsNameMap(), pathOptions); } function serializeWatchOptions(options) { return serializeOptionBaseObject(options, getWatchOptionsNameMap()); } function serializeOptionBaseObject(options, { optionsNameMap }, pathOptions) { const result = /* @__PURE__ */ new Map(); const getCanonicalFileName = pathOptions && createGetCanonicalFileName(pathOptions.useCaseSensitiveFileNames); for (const name in options) { if (hasProperty(options, name)) { if (optionsNameMap.has(name) && (optionsNameMap.get(name).category === Diagnostics.Command_line_Options || optionsNameMap.get(name).category === Diagnostics.Output_Formatting)) { continue; } const value = options[name]; const optionDefinition = optionsNameMap.get(name.toLowerCase()); if (optionDefinition) { Debug.assert(optionDefinition.type !== "listOrElement"); const customTypeMap = getCustomTypeMapOfCommandLineOption(optionDefinition); if (!customTypeMap) { if (pathOptions && optionDefinition.isFilePath) { result.set(name, getRelativePathFromFile(pathOptions.configFilePath, getNormalizedAbsolutePath(value, getDirectoryPath(pathOptions.configFilePath)), getCanonicalFileName)); } else if (pathOptions && optionDefinition.type === "list" && optionDefinition.element.isFilePath) { result.set(name, value.map((v) => getRelativePathFromFile(pathOptions.configFilePath, getNormalizedAbsolutePath(v, getDirectoryPath(pathOptions.configFilePath)), getCanonicalFileName))); } else { result.set(name, value); } } else { if (optionDefinition.type === "list") { result.set(name, value.map((element) => getNameOfCompilerOptionValue(element, customTypeMap))); } else { result.set(name, getNameOfCompilerOptionValue(value, customTypeMap)); } } } } } return result; } function getCompilerOptionsDiffValue(options, newLine) { const compilerOptionsMap = getSerializedCompilerOption(options); return getOverwrittenDefaultOptions(); function makePadding(paddingLength) { return Array(paddingLength + 1).join(" "); } function getOverwrittenDefaultOptions() { const result = []; const tab = makePadding(2); commandOptionsWithoutBuild.forEach((cmd) => { if (!compilerOptionsMap.has(cmd.name)) { return; } const newValue = compilerOptionsMap.get(cmd.name); const defaultValue = getDefaultValueForOption(cmd); if (newValue !== defaultValue) { result.push(`${tab}${cmd.name}: ${newValue}`); } else if (hasProperty(defaultInitCompilerOptions, cmd.name)) { result.push(`${tab}${cmd.name}: ${defaultValue}`); } }); return result.join(newLine) + newLine; } } function getSerializedCompilerOption(options) { const compilerOptions = extend(options, defaultInitCompilerOptions); return serializeCompilerOptions(compilerOptions); } function generateTSConfig(options, fileNames, newLine) { const compilerOptionsMap = getSerializedCompilerOption(options); return writeConfigurations(); function makePadding(paddingLength) { return Array(paddingLength + 1).join(" "); } function isAllowedOptionForOutput({ category, name, isCommandLineOnly }) { const categoriesToSkip = [Diagnostics.Command_line_Options, Diagnostics.Editor_Support, Diagnostics.Compiler_Diagnostics, Diagnostics.Backwards_Compatibility, Diagnostics.Watch_and_Build_Modes, Diagnostics.Output_Formatting]; return !isCommandLineOnly && category !== void 0 && (!categoriesToSkip.includes(category) || compilerOptionsMap.has(name)); } function writeConfigurations() { const categorizedOptions = /* @__PURE__ */ new Map(); categorizedOptions.set(Diagnostics.Projects, []); categorizedOptions.set(Diagnostics.Language_and_Environment, []); categorizedOptions.set(Diagnostics.Modules, []); categorizedOptions.set(Diagnostics.JavaScript_Support, []); categorizedOptions.set(Diagnostics.Emit, []); categorizedOptions.set(Diagnostics.Interop_Constraints, []); categorizedOptions.set(Diagnostics.Type_Checking, []); categorizedOptions.set(Diagnostics.Completeness, []); for (const option of optionDeclarations) { if (isAllowedOptionForOutput(option)) { let listForCategory = categorizedOptions.get(option.category); if (!listForCategory) categorizedOptions.set(option.category, listForCategory = []); listForCategory.push(option); } } let marginLength = 0; let seenKnownKeys = 0; const entries = []; categorizedOptions.forEach((options2, category) => { if (entries.length !== 0) { entries.push({ value: "" }); } entries.push({ value: `/* ${getLocaleSpecificMessage(category)} */` }); for (const option of options2) { let optionName; if (compilerOptionsMap.has(option.name)) { optionName = `"${option.name}": ${JSON.stringify(compilerOptionsMap.get(option.name))}${(seenKnownKeys += 1) === compilerOptionsMap.size ? "" : ","}`; } else { optionName = `// "${option.name}": ${JSON.stringify(getDefaultValueForOption(option))},`; } entries.push({ value: optionName, description: `/* ${option.description && getLocaleSpecificMessage(option.description) || option.name} */` }); marginLength = Math.max(optionName.length, marginLength); } }); const tab = makePadding(2); const result = []; result.push(`{`); result.push(`${tab}"compilerOptions": {`); result.push(`${tab}${tab}/* ${getLocaleSpecificMessage(Diagnostics.Visit_https_Colon_Slash_Slashaka_ms_Slashtsconfig_to_read_more_about_this_file)} */`); result.push(""); for (const entry of entries) { const { value, description: description3 = "" } = entry; result.push(value && `${tab}${tab}${value}${description3 && makePadding(marginLength - value.length + 2) + description3}`); } if (fileNames.length) { result.push(`${tab}},`); result.push(`${tab}"files": [`); for (let i = 0; i < fileNames.length; i++) { result.push(`${tab}${tab}${JSON.stringify(fileNames[i])}${i === fileNames.length - 1 ? "" : ","}`); } result.push(`${tab}]`); } else { result.push(`${tab}}`); } result.push(`}`); return result.join(newLine) + newLine; } } function convertToOptionsWithAbsolutePaths(options, toAbsolutePath) { const result = {}; const optionsNameMap = getOptionsNameMap().optionsNameMap; for (const name in options) { if (hasProperty(options, name)) { result[name] = convertToOptionValueWithAbsolutePaths( optionsNameMap.get(name.toLowerCase()), options[name], toAbsolutePath ); } } if (result.configFilePath) { result.configFilePath = toAbsolutePath(result.configFilePath); } return result; } function convertToOptionValueWithAbsolutePaths(option, value, toAbsolutePath) { if (option && !isNullOrUndefined(value)) { if (option.type === "list") { const values = value; if (option.element.isFilePath && values.length) { return values.map(toAbsolutePath); } } else if (option.isFilePath) { return toAbsolutePath(value); } Debug.assert(option.type !== "listOrElement"); } return value; } function parseJsonConfigFileContent(json, host, basePath, existingOptions, configFileName, resolutionStack, extraFileExtensions, extendedConfigCache, existingWatchOptions) { return parseJsonConfigFileContentWorker( json, /*sourceFile*/ void 0, host, basePath, existingOptions, existingWatchOptions, configFileName, resolutionStack, extraFileExtensions, extendedConfigCache ); } function parseJsonSourceFileConfigFileContent(sourceFile, host, basePath, existingOptions, configFileName, resolutionStack, extraFileExtensions, extendedConfigCache, existingWatchOptions) { var _a, _b; (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Parse, "parseJsonSourceFileConfigFileContent", { path: sourceFile.fileName }); const result = parseJsonConfigFileContentWorker( /*json*/ void 0, sourceFile, host, basePath, existingOptions, existingWatchOptions, configFileName, resolutionStack, extraFileExtensions, extendedConfigCache ); (_b = tracing) == null ? void 0 : _b.pop(); return result; } function setConfigFileInOptions(options, configFile) { if (configFile) { Object.defineProperty(options, "configFile", { enumerable: false, writable: false, value: configFile }); } } function isNullOrUndefined(x) { return x === void 0 || x === null; } function directoryOfCombinedPath(fileName, basePath) { return getDirectoryPath(getNormalizedAbsolutePath(fileName, basePath)); } var defaultIncludeSpec = "**/*"; function parseJsonConfigFileContentWorker(json, sourceFile, host, basePath, existingOptions = {}, existingWatchOptions, configFileName, resolutionStack = [], extraFileExtensions = [], extendedConfigCache) { Debug.assert(json === void 0 && sourceFile !== void 0 || json !== void 0 && sourceFile === void 0); const errors = []; const parsedConfig = parseConfig(json, sourceFile, host, basePath, configFileName, resolutionStack, errors, extendedConfigCache); const { raw } = parsedConfig; const options = handleOptionConfigDirTemplateSubstitution( extend(existingOptions, parsedConfig.options || {}), configDirTemplateSubstitutionOptions, basePath ); const watchOptions = handleWatchOptionsConfigDirTemplateSubstitution( existingWatchOptions && parsedConfig.watchOptions ? extend(existingWatchOptions, parsedConfig.watchOptions) : parsedConfig.watchOptions || existingWatchOptions, basePath ); options.configFilePath = configFileName && normalizeSlashes(configFileName); const basePathForFileNames = normalizePath(configFileName ? directoryOfCombinedPath(configFileName, basePath) : basePath); const configFileSpecs = getConfigFileSpecs(); if (sourceFile) sourceFile.configFileSpecs = configFileSpecs; setConfigFileInOptions(options, sourceFile); return { options, watchOptions, fileNames: getFileNames(basePathForFileNames), projectReferences: getProjectReferences(basePathForFileNames), typeAcquisition: parsedConfig.typeAcquisition || getDefaultTypeAcquisition(), raw, errors, // Wildcard directories (provided as part of a wildcard path) are stored in a // file map that marks whether it was a regular wildcard match (with a `*` or `?` token), // or a recursive directory. This information is used by filesystem watchers to monitor for // new entries in these paths. wildcardDirectories: getWildcardDirectories(configFileSpecs, basePathForFileNames, host.useCaseSensitiveFileNames), compileOnSave: !!raw.compileOnSave }; function getConfigFileSpecs() { const referencesOfRaw = getPropFromRaw("references", (element) => typeof element === "object", "object"); const filesSpecs = toPropValue(getSpecsFromRaw("files")); if (filesSpecs) { const hasZeroOrNoReferences = referencesOfRaw === "no-prop" || isArray3(referencesOfRaw) && referencesOfRaw.length === 0; const hasExtends = hasProperty(raw, "extends"); if (filesSpecs.length === 0 && hasZeroOrNoReferences && !hasExtends) { if (sourceFile) { const fileName = configFileName || "tsconfig.json"; const diagnosticMessage = Diagnostics.The_files_list_in_config_file_0_is_empty; const nodeValue = forEachTsConfigPropArray(sourceFile, "files", (property) => property.initializer); const error2 = createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, nodeValue, diagnosticMessage, fileName); errors.push(error2); } else { createCompilerDiagnosticOnlyIfJson(Diagnostics.The_files_list_in_config_file_0_is_empty, configFileName || "tsconfig.json"); } } } let includeSpecs = toPropValue(getSpecsFromRaw("include")); const excludeOfRaw = getSpecsFromRaw("exclude"); let isDefaultIncludeSpec = false; let excludeSpecs = toPropValue(excludeOfRaw); if (excludeOfRaw === "no-prop") { const outDir = options.outDir; const declarationDir = options.declarationDir; if (outDir || declarationDir) { excludeSpecs = filter([outDir, declarationDir], (d) => !!d); } } if (filesSpecs === void 0 && includeSpecs === void 0) { includeSpecs = [defaultIncludeSpec]; isDefaultIncludeSpec = true; } let validatedIncludeSpecsBeforeSubstitution, validatedExcludeSpecsBeforeSubstitution; let validatedIncludeSpecs, validatedExcludeSpecs; if (includeSpecs) { validatedIncludeSpecsBeforeSubstitution = validateSpecs( includeSpecs, errors, /*disallowTrailingRecursion*/ true, sourceFile, "include" ); validatedIncludeSpecs = getSubstitutedStringArrayWithConfigDirTemplate( validatedIncludeSpecsBeforeSubstitution, basePathForFileNames ) || validatedIncludeSpecsBeforeSubstitution; } if (excludeSpecs) { validatedExcludeSpecsBeforeSubstitution = validateSpecs( excludeSpecs, errors, /*disallowTrailingRecursion*/ false, sourceFile, "exclude" ); validatedExcludeSpecs = getSubstitutedStringArrayWithConfigDirTemplate( validatedExcludeSpecsBeforeSubstitution, basePathForFileNames ) || validatedExcludeSpecsBeforeSubstitution; } const validatedFilesSpecBeforeSubstitution = filter(filesSpecs, isString2); const validatedFilesSpec = getSubstitutedStringArrayWithConfigDirTemplate( validatedFilesSpecBeforeSubstitution, basePathForFileNames ) || validatedFilesSpecBeforeSubstitution; return { filesSpecs, includeSpecs, excludeSpecs, validatedFilesSpec, validatedIncludeSpecs, validatedExcludeSpecs, validatedFilesSpecBeforeSubstitution, validatedIncludeSpecsBeforeSubstitution, validatedExcludeSpecsBeforeSubstitution, pathPatterns: void 0, // Initialized on first use isDefaultIncludeSpec }; } function getFileNames(basePath2) { const fileNames = getFileNamesFromConfigSpecs(configFileSpecs, basePath2, options, host, extraFileExtensions); if (shouldReportNoInputFiles(fileNames, canJsonReportNoInputFiles(raw), resolutionStack)) { errors.push(getErrorForNoInputFiles(configFileSpecs, configFileName)); } return fileNames; } function getProjectReferences(basePath2) { let projectReferences; const referencesOfRaw = getPropFromRaw("references", (element) => typeof element === "object", "object"); if (isArray3(referencesOfRaw)) { for (const ref of referencesOfRaw) { if (typeof ref.path !== "string") { createCompilerDiagnosticOnlyIfJson(Diagnostics.Compiler_option_0_requires_a_value_of_type_1, "reference.path", "string"); } else { (projectReferences || (projectReferences = [])).push({ path: getNormalizedAbsolutePath(ref.path, basePath2), originalPath: ref.path, prepend: ref.prepend, circular: ref.circular }); } } } return projectReferences; } function toPropValue(specResult) { return isArray3(specResult) ? specResult : void 0; } function getSpecsFromRaw(prop) { return getPropFromRaw(prop, isString2, "string"); } function getPropFromRaw(prop, validateElement, elementTypeName) { if (hasProperty(raw, prop) && !isNullOrUndefined(raw[prop])) { if (isArray3(raw[prop])) { const result = raw[prop]; if (!sourceFile && !every(result, validateElement)) { errors.push(createCompilerDiagnostic(Diagnostics.Compiler_option_0_requires_a_value_of_type_1, prop, elementTypeName)); } return result; } else { createCompilerDiagnosticOnlyIfJson(Diagnostics.Compiler_option_0_requires_a_value_of_type_1, prop, "Array"); return "not-array"; } } return "no-prop"; } function createCompilerDiagnosticOnlyIfJson(message, ...args) { if (!sourceFile) { errors.push(createCompilerDiagnostic(message, ...args)); } } } function handleWatchOptionsConfigDirTemplateSubstitution(watchOptions, basePath) { return handleOptionConfigDirTemplateSubstitution(watchOptions, configDirTemplateSubstitutionWatchOptions, basePath); } function handleOptionConfigDirTemplateSubstitution(options, optionDeclarations2, basePath) { if (!options) return options; let result; for (const option of optionDeclarations2) { if (options[option.name] !== void 0) { const value = options[option.name]; switch (option.type) { case "string": Debug.assert(option.isFilePath); if (startsWithConfigDirTemplate(value)) { setOptionValue(option, getSubstitutedPathWithConfigDirTemplate(value, basePath)); } break; case "list": Debug.assert(option.element.isFilePath); const listResult = getSubstitutedStringArrayWithConfigDirTemplate(value, basePath); if (listResult) setOptionValue(option, listResult); break; case "object": Debug.assert(option.name === "paths"); const objectResult = getSubstitutedMapLikeOfStringArrayWithConfigDirTemplate(value, basePath); if (objectResult) setOptionValue(option, objectResult); break; default: Debug.fail("option type not supported"); } } } return result || options; function setOptionValue(option, value) { (result ?? (result = assign({}, options)))[option.name] = value; } } var configDirTemplate = `\${configDir}`; function startsWithConfigDirTemplate(value) { return isString2(value) && startsWith2( value, configDirTemplate, /*ignoreCase*/ true ); } function getSubstitutedPathWithConfigDirTemplate(value, basePath) { return getNormalizedAbsolutePath(value.replace(configDirTemplate, "./"), basePath); } function getSubstitutedStringArrayWithConfigDirTemplate(list, basePath) { if (!list) return list; let result; list.forEach((element, index) => { if (!startsWithConfigDirTemplate(element)) return; (result ?? (result = list.slice()))[index] = getSubstitutedPathWithConfigDirTemplate(element, basePath); }); return result; } function getSubstitutedMapLikeOfStringArrayWithConfigDirTemplate(mapLike, basePath) { let result; const ownKeys = getOwnKeys(mapLike); ownKeys.forEach((key) => { if (!isArray3(mapLike[key])) return; const subStitution = getSubstitutedStringArrayWithConfigDirTemplate(mapLike[key], basePath); if (!subStitution) return; (result ?? (result = assign({}, mapLike)))[key] = subStitution; }); return result; } function isErrorNoInputFiles(error2) { return error2.code === Diagnostics.No_inputs_were_found_in_config_file_0_Specified_include_paths_were_1_and_exclude_paths_were_2.code; } function getErrorForNoInputFiles({ includeSpecs, excludeSpecs }, configFileName) { return createCompilerDiagnostic( Diagnostics.No_inputs_were_found_in_config_file_0_Specified_include_paths_were_1_and_exclude_paths_were_2, configFileName || "tsconfig.json", JSON.stringify(includeSpecs || []), JSON.stringify(excludeSpecs || []) ); } function shouldReportNoInputFiles(fileNames, canJsonReportNoInutFiles, resolutionStack) { return fileNames.length === 0 && canJsonReportNoInutFiles && (!resolutionStack || resolutionStack.length === 0); } function canJsonReportNoInputFiles(raw) { return !hasProperty(raw, "files") && !hasProperty(raw, "references"); } function updateErrorForNoInputFiles(fileNames, configFileName, configFileSpecs, configParseDiagnostics, canJsonReportNoInutFiles) { const existingErrors = configParseDiagnostics.length; if (shouldReportNoInputFiles(fileNames, canJsonReportNoInutFiles)) { configParseDiagnostics.push(getErrorForNoInputFiles(configFileSpecs, configFileName)); } else { filterMutate(configParseDiagnostics, (error2) => !isErrorNoInputFiles(error2)); } return existingErrors !== configParseDiagnostics.length; } function isSuccessfulParsedTsconfig(value) { return !!value.options; } function parseConfig(json, sourceFile, host, basePath, configFileName, resolutionStack, errors, extendedConfigCache) { var _a; basePath = normalizeSlashes(basePath); const resolvedPath = getNormalizedAbsolutePath(configFileName || "", basePath); if (resolutionStack.includes(resolvedPath)) { errors.push(createCompilerDiagnostic(Diagnostics.Circularity_detected_while_resolving_configuration_Colon_0, [...resolutionStack, resolvedPath].join(" -> "))); return { raw: json || convertToObject(sourceFile, errors) }; } const ownConfig = json ? parseOwnConfigOfJson(json, host, basePath, configFileName, errors) : parseOwnConfigOfJsonSourceFile(sourceFile, host, basePath, configFileName, errors); if ((_a = ownConfig.options) == null ? void 0 : _a.paths) { ownConfig.options.pathsBasePath = basePath; } if (ownConfig.extendedConfigPath) { resolutionStack = resolutionStack.concat([resolvedPath]); const result = { options: {} }; if (isString2(ownConfig.extendedConfigPath)) { applyExtendedConfig(result, ownConfig.extendedConfigPath); } else { ownConfig.extendedConfigPath.forEach((extendedConfigPath) => applyExtendedConfig(result, extendedConfigPath)); } if (result.include) ownConfig.raw.include = result.include; if (result.exclude) ownConfig.raw.exclude = result.exclude; if (result.files) ownConfig.raw.files = result.files; if (ownConfig.raw.compileOnSave === void 0 && result.compileOnSave) ownConfig.raw.compileOnSave = result.compileOnSave; if (sourceFile && result.extendedSourceFiles) sourceFile.extendedSourceFiles = arrayFrom(result.extendedSourceFiles.keys()); ownConfig.options = assign(result.options, ownConfig.options); ownConfig.watchOptions = ownConfig.watchOptions && result.watchOptions ? assign(result.watchOptions, ownConfig.watchOptions) : ownConfig.watchOptions || result.watchOptions; } return ownConfig; function applyExtendedConfig(result, extendedConfigPath) { const extendedConfig = getExtendedConfig(sourceFile, extendedConfigPath, host, resolutionStack, errors, extendedConfigCache, result); if (extendedConfig && isSuccessfulParsedTsconfig(extendedConfig)) { const extendsRaw = extendedConfig.raw; let relativeDifference; const setPropertyInResultIfNotUndefined = (propertyName) => { if (ownConfig.raw[propertyName]) return; if (extendsRaw[propertyName]) { result[propertyName] = map(extendsRaw[propertyName], (path17) => startsWithConfigDirTemplate(path17) || isRootedDiskPath(path17) ? path17 : combinePaths( relativeDifference || (relativeDifference = convertToRelativePath(getDirectoryPath(extendedConfigPath), basePath, createGetCanonicalFileName(host.useCaseSensitiveFileNames))), path17 )); } }; setPropertyInResultIfNotUndefined("include"); setPropertyInResultIfNotUndefined("exclude"); setPropertyInResultIfNotUndefined("files"); if (extendsRaw.compileOnSave !== void 0) { result.compileOnSave = extendsRaw.compileOnSave; } assign(result.options, extendedConfig.options); result.watchOptions = result.watchOptions && extendedConfig.watchOptions ? assign({}, result.watchOptions, extendedConfig.watchOptions) : result.watchOptions || extendedConfig.watchOptions; } } } function parseOwnConfigOfJson(json, host, basePath, configFileName, errors) { if (hasProperty(json, "excludes")) { errors.push(createCompilerDiagnostic(Diagnostics.Unknown_option_excludes_Did_you_mean_exclude)); } const options = convertCompilerOptionsFromJsonWorker(json.compilerOptions, basePath, errors, configFileName); const typeAcquisition = convertTypeAcquisitionFromJsonWorker(json.typeAcquisition, basePath, errors, configFileName); const watchOptions = convertWatchOptionsFromJsonWorker(json.watchOptions, basePath, errors); json.compileOnSave = convertCompileOnSaveOptionFromJson(json, basePath, errors); const extendedConfigPath = json.extends || json.extends === "" ? getExtendsConfigPathOrArray(json.extends, host, basePath, configFileName, errors) : void 0; return { raw: json, options, watchOptions, typeAcquisition, extendedConfigPath }; } function getExtendsConfigPathOrArray(value, host, basePath, configFileName, errors, propertyAssignment, valueExpression, sourceFile) { let extendedConfigPath; const newBase = configFileName ? directoryOfCombinedPath(configFileName, basePath) : basePath; if (isString2(value)) { extendedConfigPath = getExtendsConfigPath( value, host, newBase, errors, valueExpression, sourceFile ); } else if (isArray3(value)) { extendedConfigPath = []; for (let index = 0; index < value.length; index++) { const fileName = value[index]; if (isString2(fileName)) { extendedConfigPath = append( extendedConfigPath, getExtendsConfigPath( fileName, host, newBase, errors, valueExpression == null ? void 0 : valueExpression.elements[index], sourceFile ) ); } else { convertJsonOption(extendsOptionDeclaration.element, value, basePath, errors, propertyAssignment, valueExpression == null ? void 0 : valueExpression.elements[index], sourceFile); } } } else { convertJsonOption(extendsOptionDeclaration, value, basePath, errors, propertyAssignment, valueExpression, sourceFile); } return extendedConfigPath; } function parseOwnConfigOfJsonSourceFile(sourceFile, host, basePath, configFileName, errors) { const options = getDefaultCompilerOptions(configFileName); let typeAcquisition; let watchOptions; let extendedConfigPath; let rootCompilerOptions; const rootOptions = getTsconfigRootOptionsMap(); const json = convertConfigFileToObject( sourceFile, errors, { rootOptions, onPropertySet } ); if (!typeAcquisition) { typeAcquisition = getDefaultTypeAcquisition(configFileName); } if (rootCompilerOptions && json && json.compilerOptions === void 0) { errors.push(createDiagnosticForNodeInSourceFile(sourceFile, rootCompilerOptions[0], Diagnostics._0_should_be_set_inside_the_compilerOptions_object_of_the_config_json_file, getTextOfPropertyName(rootCompilerOptions[0]))); } return { raw: json, options, watchOptions, typeAcquisition, extendedConfigPath }; function onPropertySet(keyText, value, propertyAssignment, parentOption, option) { if (option && option !== extendsOptionDeclaration) value = convertJsonOption(option, value, basePath, errors, propertyAssignment, propertyAssignment.initializer, sourceFile); if (parentOption == null ? void 0 : parentOption.name) { if (option) { let currentOption; if (parentOption === compilerOptionsDeclaration) currentOption = options; else if (parentOption === watchOptionsDeclaration) currentOption = watchOptions ?? (watchOptions = {}); else if (parentOption === typeAcquisitionDeclaration) currentOption = typeAcquisition ?? (typeAcquisition = getDefaultTypeAcquisition(configFileName)); else Debug.fail("Unknown option"); currentOption[option.name] = value; } else if (keyText && (parentOption == null ? void 0 : parentOption.extraKeyDiagnostics)) { if (parentOption.elementOptions) { errors.push(createUnknownOptionError( keyText, parentOption.extraKeyDiagnostics, /*unknownOptionErrorText*/ void 0, propertyAssignment.name, sourceFile )); } else { errors.push(createDiagnosticForNodeInSourceFile(sourceFile, propertyAssignment.name, parentOption.extraKeyDiagnostics.unknownOptionDiagnostic, keyText)); } } } else if (parentOption === rootOptions) { if (option === extendsOptionDeclaration) { extendedConfigPath = getExtendsConfigPathOrArray(value, host, basePath, configFileName, errors, propertyAssignment, propertyAssignment.initializer, sourceFile); } else if (!option) { if (keyText === "excludes") { errors.push(createDiagnosticForNodeInSourceFile(sourceFile, propertyAssignment.name, Diagnostics.Unknown_option_excludes_Did_you_mean_exclude)); } if (find(commandOptionsWithoutBuild, (opt) => opt.name === keyText)) { rootCompilerOptions = append(rootCompilerOptions, propertyAssignment.name); } } } } } function getExtendsConfigPath(extendedConfig, host, basePath, errors, valueExpression, sourceFile) { extendedConfig = normalizeSlashes(extendedConfig); if (isRootedDiskPath(extendedConfig) || startsWith2(extendedConfig, "./") || startsWith2(extendedConfig, "../")) { let extendedConfigPath = getNormalizedAbsolutePath(extendedConfig, basePath); if (!host.fileExists(extendedConfigPath) && !endsWith( extendedConfigPath, ".json" /* Json */ )) { extendedConfigPath = `${extendedConfigPath}.json`; if (!host.fileExists(extendedConfigPath)) { errors.push(createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, valueExpression, Diagnostics.File_0_not_found, extendedConfig)); return void 0; } } return extendedConfigPath; } const resolved = nodeNextJsonConfigResolver(extendedConfig, combinePaths(basePath, "tsconfig.json"), host); if (resolved.resolvedModule) { return resolved.resolvedModule.resolvedFileName; } if (extendedConfig === "") { errors.push(createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, valueExpression, Diagnostics.Compiler_option_0_cannot_be_given_an_empty_string, "extends")); } else { errors.push(createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, valueExpression, Diagnostics.File_0_not_found, extendedConfig)); } return void 0; } function getExtendedConfig(sourceFile, extendedConfigPath, host, resolutionStack, errors, extendedConfigCache, result) { const path17 = host.useCaseSensitiveFileNames ? extendedConfigPath : toFileNameLowerCase(extendedConfigPath); let value; let extendedResult; let extendedConfig; if (extendedConfigCache && (value = extendedConfigCache.get(path17))) { ({ extendedResult, extendedConfig } = value); } else { extendedResult = readJsonConfigFile(extendedConfigPath, (path22) => host.readFile(path22)); if (!extendedResult.parseDiagnostics.length) { extendedConfig = parseConfig( /*json*/ void 0, extendedResult, host, getDirectoryPath(extendedConfigPath), getBaseFileName(extendedConfigPath), resolutionStack, errors, extendedConfigCache ); } if (extendedConfigCache) { extendedConfigCache.set(path17, { extendedResult, extendedConfig }); } } if (sourceFile) { (result.extendedSourceFiles ?? (result.extendedSourceFiles = /* @__PURE__ */ new Set())).add(extendedResult.fileName); if (extendedResult.extendedSourceFiles) { for (const extenedSourceFile of extendedResult.extendedSourceFiles) { result.extendedSourceFiles.add(extenedSourceFile); } } } if (extendedResult.parseDiagnostics.length) { errors.push(...extendedResult.parseDiagnostics); return void 0; } return extendedConfig; } function convertCompileOnSaveOptionFromJson(jsonOption, basePath, errors) { if (!hasProperty(jsonOption, compileOnSaveCommandLineOption.name)) { return false; } const result = convertJsonOption(compileOnSaveCommandLineOption, jsonOption.compileOnSave, basePath, errors); return typeof result === "boolean" && result; } function convertCompilerOptionsFromJson(jsonOptions, basePath, configFileName) { const errors = []; const options = convertCompilerOptionsFromJsonWorker(jsonOptions, basePath, errors, configFileName); return { options, errors }; } function convertTypeAcquisitionFromJson(jsonOptions, basePath, configFileName) { const errors = []; const options = convertTypeAcquisitionFromJsonWorker(jsonOptions, basePath, errors, configFileName); return { options, errors }; } function getDefaultCompilerOptions(configFileName) { const options = configFileName && getBaseFileName(configFileName) === "jsconfig.json" ? { allowJs: true, maxNodeModuleJsDepth: 2, allowSyntheticDefaultImports: true, skipLibCheck: true, noEmit: true } : {}; return options; } function convertCompilerOptionsFromJsonWorker(jsonOptions, basePath, errors, configFileName) { const options = getDefaultCompilerOptions(configFileName); convertOptionsFromJson(getCommandLineCompilerOptionsMap(), jsonOptions, basePath, options, compilerOptionsDidYouMeanDiagnostics, errors); if (configFileName) { options.configFilePath = normalizeSlashes(configFileName); } return options; } function getDefaultTypeAcquisition(configFileName) { return { enable: !!configFileName && getBaseFileName(configFileName) === "jsconfig.json", include: [], exclude: [] }; } function convertTypeAcquisitionFromJsonWorker(jsonOptions, basePath, errors, configFileName) { const options = getDefaultTypeAcquisition(configFileName); convertOptionsFromJson(getCommandLineTypeAcquisitionMap(), jsonOptions, basePath, options, typeAcquisitionDidYouMeanDiagnostics, errors); return options; } function convertWatchOptionsFromJsonWorker(jsonOptions, basePath, errors) { return convertOptionsFromJson( getCommandLineWatchOptionsMap(), jsonOptions, basePath, /*defaultOptions*/ void 0, watchOptionsDidYouMeanDiagnostics, errors ); } function convertOptionsFromJson(optionsNameMap, jsonOptions, basePath, defaultOptions2, diagnostics, errors) { if (!jsonOptions) { return; } for (const id in jsonOptions) { const opt = optionsNameMap.get(id); if (opt) { (defaultOptions2 || (defaultOptions2 = {}))[opt.name] = convertJsonOption(opt, jsonOptions[id], basePath, errors); } else { errors.push(createUnknownOptionError(id, diagnostics)); } } return defaultOptions2; } function createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, node, message, ...args) { return sourceFile && node ? createDiagnosticForNodeInSourceFile(sourceFile, node, message, ...args) : createCompilerDiagnostic(message, ...args); } function convertJsonOption(opt, value, basePath, errors, propertyAssignment, valueExpression, sourceFile) { if (opt.isCommandLineOnly) { errors.push(createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, propertyAssignment == null ? void 0 : propertyAssignment.name, Diagnostics.Option_0_can_only_be_specified_on_command_line, opt.name)); return void 0; } if (isCompilerOptionsValue(opt, value)) { const optType = opt.type; if (optType === "list" && isArray3(value)) { return convertJsonOptionOfListType(opt, value, basePath, errors, propertyAssignment, valueExpression, sourceFile); } else if (optType === "listOrElement") { return isArray3(value) ? convertJsonOptionOfListType(opt, value, basePath, errors, propertyAssignment, valueExpression, sourceFile) : convertJsonOption(opt.element, value, basePath, errors, propertyAssignment, valueExpression, sourceFile); } else if (!isString2(opt.type)) { return convertJsonOptionOfCustomType(opt, value, errors, valueExpression, sourceFile); } const validatedValue = validateJsonOptionValue(opt, value, errors, valueExpression, sourceFile); return isNullOrUndefined(validatedValue) ? validatedValue : normalizeNonListOptionValue(opt, basePath, validatedValue); } else { errors.push(createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, valueExpression, Diagnostics.Compiler_option_0_requires_a_value_of_type_1, opt.name, getCompilerOptionValueTypeString(opt))); } } function normalizeNonListOptionValue(option, basePath, value) { if (option.isFilePath) { value = normalizeSlashes(value); value = !startsWithConfigDirTemplate(value) ? getNormalizedAbsolutePath(value, basePath) : value; if (value === "") { value = "."; } } return value; } function validateJsonOptionValue(opt, value, errors, valueExpression, sourceFile) { var _a; if (isNullOrUndefined(value)) return void 0; const d = (_a = opt.extraValidation) == null ? void 0 : _a.call(opt, value); if (!d) return value; errors.push(createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, valueExpression, ...d)); return void 0; } function convertJsonOptionOfCustomType(opt, value, errors, valueExpression, sourceFile) { if (isNullOrUndefined(value)) return void 0; const key = value.toLowerCase(); const val = opt.type.get(key); if (val !== void 0) { return validateJsonOptionValue(opt, val, errors, valueExpression, sourceFile); } else { errors.push(createDiagnosticForInvalidCustomType(opt, (message, ...args) => createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, valueExpression, message, ...args))); } } function convertJsonOptionOfListType(option, values, basePath, errors, propertyAssignment, valueExpression, sourceFile) { return filter(map(values, (v, index) => convertJsonOption(option.element, v, basePath, errors, propertyAssignment, valueExpression == null ? void 0 : valueExpression.elements[index], sourceFile)), (v) => option.listPreserveFalsyValues ? true : !!v); } var invalidTrailingRecursionPattern = /(^|\/)\*\*\/?$/; var wildcardDirectoryPattern = /^[^*?]*(?=\/[^/]*[*?])/; function getFileNamesFromConfigSpecs(configFileSpecs, basePath, options, host, extraFileExtensions = emptyArray) { basePath = normalizePath(basePath); const keyMapper = createGetCanonicalFileName(host.useCaseSensitiveFileNames); const literalFileMap = /* @__PURE__ */ new Map(); const wildcardFileMap = /* @__PURE__ */ new Map(); const wildCardJsonFileMap = /* @__PURE__ */ new Map(); const { validatedFilesSpec, validatedIncludeSpecs, validatedExcludeSpecs } = configFileSpecs; const supportedExtensions = getSupportedExtensions(options, extraFileExtensions); const supportedExtensionsWithJsonIfResolveJsonModule = getSupportedExtensionsWithJsonIfResolveJsonModule(options, supportedExtensions); if (validatedFilesSpec) { for (const fileName of validatedFilesSpec) { const file = getNormalizedAbsolutePath(fileName, basePath); literalFileMap.set(keyMapper(file), file); } } let jsonOnlyIncludeRegexes; if (validatedIncludeSpecs && validatedIncludeSpecs.length > 0) { for (const file of host.readDirectory( basePath, flatten(supportedExtensionsWithJsonIfResolveJsonModule), validatedExcludeSpecs, validatedIncludeSpecs, /*depth*/ void 0 )) { if (fileExtensionIs( file, ".json" /* Json */ )) { if (!jsonOnlyIncludeRegexes) { const includes = validatedIncludeSpecs.filter((s) => endsWith( s, ".json" /* Json */ )); const includeFilePatterns = map(getRegularExpressionsForWildcards(includes, basePath, "files"), (pattern) => `^${pattern}$`); jsonOnlyIncludeRegexes = includeFilePatterns ? includeFilePatterns.map((pattern) => getRegexFromPattern(pattern, host.useCaseSensitiveFileNames)) : emptyArray; } const includeIndex = findIndex(jsonOnlyIncludeRegexes, (re) => re.test(file)); if (includeIndex !== -1) { const key2 = keyMapper(file); if (!literalFileMap.has(key2) && !wildCardJsonFileMap.has(key2)) { wildCardJsonFileMap.set(key2, file); } } continue; } if (hasFileWithHigherPriorityExtension(file, literalFileMap, wildcardFileMap, supportedExtensions, keyMapper)) { continue; } removeWildcardFilesWithLowerPriorityExtension(file, wildcardFileMap, supportedExtensions, keyMapper); const key = keyMapper(file); if (!literalFileMap.has(key) && !wildcardFileMap.has(key)) { wildcardFileMap.set(key, file); } } } const literalFiles = arrayFrom(literalFileMap.values()); const wildcardFiles = arrayFrom(wildcardFileMap.values()); return literalFiles.concat(wildcardFiles, arrayFrom(wildCardJsonFileMap.values())); } function isExcludedFile(pathToCheck, spec, basePath, useCaseSensitiveFileNames2, currentDirectory) { const { validatedFilesSpec, validatedIncludeSpecs, validatedExcludeSpecs } = spec; if (!length(validatedIncludeSpecs) || !length(validatedExcludeSpecs)) return false; basePath = normalizePath(basePath); const keyMapper = createGetCanonicalFileName(useCaseSensitiveFileNames2); if (validatedFilesSpec) { for (const fileName of validatedFilesSpec) { if (keyMapper(getNormalizedAbsolutePath(fileName, basePath)) === pathToCheck) return false; } } return matchesExcludeWorker(pathToCheck, validatedExcludeSpecs, useCaseSensitiveFileNames2, currentDirectory, basePath); } function invalidDotDotAfterRecursiveWildcard(s) { const wildcardIndex = startsWith2(s, "**/") ? 0 : s.indexOf("/**/"); if (wildcardIndex === -1) { return false; } const lastDotIndex = endsWith(s, "/..") ? s.length : s.lastIndexOf("/../"); return lastDotIndex > wildcardIndex; } function matchesExclude(pathToCheck, excludeSpecs, useCaseSensitiveFileNames2, currentDirectory) { return matchesExcludeWorker( pathToCheck, filter(excludeSpecs, (spec) => !invalidDotDotAfterRecursiveWildcard(spec)), useCaseSensitiveFileNames2, currentDirectory ); } function matchesExcludeWorker(pathToCheck, excludeSpecs, useCaseSensitiveFileNames2, currentDirectory, basePath) { const excludePattern = getRegularExpressionForWildcard(excludeSpecs, combinePaths(normalizePath(currentDirectory), basePath), "exclude"); const excludeRegex = excludePattern && getRegexFromPattern(excludePattern, useCaseSensitiveFileNames2); if (!excludeRegex) return false; if (excludeRegex.test(pathToCheck)) return true; return !hasExtension(pathToCheck) && excludeRegex.test(ensureTrailingDirectorySeparator(pathToCheck)); } function validateSpecs(specs, errors, disallowTrailingRecursion, jsonSourceFile, specKey) { return specs.filter((spec) => { if (!isString2(spec)) return false; const diag2 = specToDiagnostic(spec, disallowTrailingRecursion); if (diag2 !== void 0) { errors.push(createDiagnostic(...diag2)); } return diag2 === void 0; }); function createDiagnostic(message, spec) { const element = getTsConfigPropArrayElementValue(jsonSourceFile, specKey, spec); return createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(jsonSourceFile, element, message, spec); } } function specToDiagnostic(spec, disallowTrailingRecursion) { Debug.assert(typeof spec === "string"); if (disallowTrailingRecursion && invalidTrailingRecursionPattern.test(spec)) { return [Diagnostics.File_specification_cannot_end_in_a_recursive_directory_wildcard_Asterisk_Asterisk_Colon_0, spec]; } else if (invalidDotDotAfterRecursiveWildcard(spec)) { return [Diagnostics.File_specification_cannot_contain_a_parent_directory_that_appears_after_a_recursive_directory_wildcard_Asterisk_Asterisk_Colon_0, spec]; } } function getWildcardDirectories({ validatedIncludeSpecs: include, validatedExcludeSpecs: exclude }, basePath, useCaseSensitiveFileNames2) { const rawExcludeRegex = getRegularExpressionForWildcard(exclude, basePath, "exclude"); const excludeRegex = rawExcludeRegex && new RegExp(rawExcludeRegex, useCaseSensitiveFileNames2 ? "" : "i"); const wildcardDirectories = {}; const wildCardKeyToPath = /* @__PURE__ */ new Map(); if (include !== void 0) { const recursiveKeys = []; for (const file of include) { const spec = normalizePath(combinePaths(basePath, file)); if (excludeRegex && excludeRegex.test(spec)) { continue; } const match = getWildcardDirectoryFromSpec(spec, useCaseSensitiveFileNames2); if (match) { const { key, path: path17, flags } = match; const existingPath = wildCardKeyToPath.get(key); const existingFlags = existingPath !== void 0 ? wildcardDirectories[existingPath] : void 0; if (existingFlags === void 0 || existingFlags < flags) { wildcardDirectories[existingPath !== void 0 ? existingPath : path17] = flags; if (existingPath === void 0) wildCardKeyToPath.set(key, path17); if (flags === 1) { recursiveKeys.push(key); } } } } for (const path17 in wildcardDirectories) { if (hasProperty(wildcardDirectories, path17)) { for (const recursiveKey of recursiveKeys) { const key = toCanonicalKey(path17, useCaseSensitiveFileNames2); if (key !== recursiveKey && containsPath(recursiveKey, key, basePath, !useCaseSensitiveFileNames2)) { delete wildcardDirectories[path17]; } } } } } return wildcardDirectories; } function toCanonicalKey(path17, useCaseSensitiveFileNames2) { return useCaseSensitiveFileNames2 ? path17 : toFileNameLowerCase(path17); } function getWildcardDirectoryFromSpec(spec, useCaseSensitiveFileNames2) { const match = wildcardDirectoryPattern.exec(spec); if (match) { const questionWildcardIndex = spec.indexOf("?"); const starWildcardIndex = spec.indexOf("*"); const lastDirectorySeperatorIndex = spec.lastIndexOf(directorySeparator); return { key: toCanonicalKey(match[0], useCaseSensitiveFileNames2), path: match[0], flags: questionWildcardIndex !== -1 && questionWildcardIndex < lastDirectorySeperatorIndex || starWildcardIndex !== -1 && starWildcardIndex < lastDirectorySeperatorIndex ? 1 : 0 /* None */ }; } if (isImplicitGlob(spec.substring(spec.lastIndexOf(directorySeparator) + 1))) { const path17 = removeTrailingDirectorySeparator(spec); return { key: toCanonicalKey(path17, useCaseSensitiveFileNames2), path: path17, flags: 1 /* Recursive */ }; } return void 0; } function hasFileWithHigherPriorityExtension(file, literalFiles, wildcardFiles, extensions, keyMapper) { const extensionGroup = forEach(extensions, (group2) => fileExtensionIsOneOf(file, group2) ? group2 : void 0); if (!extensionGroup) { return false; } for (const ext of extensionGroup) { if (fileExtensionIs(file, ext) && (ext !== ".ts" || !fileExtensionIs( file, ".d.ts" /* Dts */ ))) { return false; } const higherPriorityPath = keyMapper(changeExtension(file, ext)); if (literalFiles.has(higherPriorityPath) || wildcardFiles.has(higherPriorityPath)) { if (ext === ".d.ts" && (fileExtensionIs( file, ".js" /* Js */ ) || fileExtensionIs( file, ".jsx" /* Jsx */ ))) { continue; } return true; } } return false; } function removeWildcardFilesWithLowerPriorityExtension(file, wildcardFiles, extensions, keyMapper) { const extensionGroup = forEach(extensions, (group2) => fileExtensionIsOneOf(file, group2) ? group2 : void 0); if (!extensionGroup) { return; } for (let i = extensionGroup.length - 1; i >= 0; i--) { const ext = extensionGroup[i]; if (fileExtensionIs(file, ext)) { return; } const lowerPriorityPath = keyMapper(changeExtension(file, ext)); wildcardFiles.delete(lowerPriorityPath); } } function convertCompilerOptionsForTelemetry(opts) { const out = {}; for (const key in opts) { if (hasProperty(opts, key)) { const type = getOptionFromName(key); if (type !== void 0) { out[key] = getOptionValueWithEmptyStrings(opts[key], type); } } } return out; } function getOptionValueWithEmptyStrings(value, option) { if (value === void 0) return value; switch (option.type) { case "object": return ""; case "string": return ""; case "number": return typeof value === "number" ? value : ""; case "boolean": return typeof value === "boolean" ? value : ""; case "listOrElement": if (!isArray3(value)) return getOptionValueWithEmptyStrings(value, option.element); case "list": const elementType = option.element; return isArray3(value) ? mapDefined(value, (v) => getOptionValueWithEmptyStrings(v, elementType)) : ""; default: return forEachEntry(option.type, (optionEnumValue, optionStringValue) => { if (optionEnumValue === value) { return optionStringValue; } }); } } function getDefaultValueForOption(option) { switch (option.type) { case "number": return 1; case "boolean": return true; case "string": const defaultValue = option.defaultValueDescription; return option.isFilePath ? `./${defaultValue && typeof defaultValue === "string" ? defaultValue : ""}` : ""; case "list": return []; case "listOrElement": return getDefaultValueForOption(option.element); case "object": return {}; default: const value = firstOrUndefinedIterator(option.type.keys()); if (value !== void 0) return value; return Debug.fail("Expected 'option.type' to have entries."); } } function trace(host, message, ...args) { host.trace(formatMessage(message, ...args)); } function isTraceEnabled(compilerOptions, host) { return !!compilerOptions.traceResolution && host.trace !== void 0; } function withPackageId(packageInfo, r, state) { let packageId; if (r && packageInfo) { const packageJsonContent = packageInfo.contents.packageJsonContent; if (typeof packageJsonContent.name === "string" && typeof packageJsonContent.version === "string") { packageId = { name: packageJsonContent.name, subModuleName: r.path.slice(packageInfo.packageDirectory.length + directorySeparator.length), version: packageJsonContent.version, peerDependencies: getPeerDependenciesOfPackageJsonInfo(packageInfo, state) }; } } return r && { path: r.path, extension: r.ext, packageId, resolvedUsingTsExtension: r.resolvedUsingTsExtension }; } function noPackageId(r) { return withPackageId( /*packageInfo*/ void 0, r, /*state*/ void 0 ); } function removeIgnoredPackageId(r) { if (r) { Debug.assert(r.packageId === void 0); return { path: r.path, ext: r.extension, resolvedUsingTsExtension: r.resolvedUsingTsExtension }; } } function formatExtensions(extensions) { const result = []; if (extensions & 1) result.push("TypeScript"); if (extensions & 2) result.push("JavaScript"); if (extensions & 4) result.push("Declaration"); if (extensions & 8) result.push("JSON"); return result.join(", "); } function extensionsToExtensionsArray(extensions) { const result = []; if (extensions & 1) result.push(...supportedTSImplementationExtensions); if (extensions & 2) result.push(...supportedJSExtensionsFlat); if (extensions & 4) result.push(...supportedDeclarationExtensions); if (extensions & 8) result.push( ".json" /* Json */ ); return result; } function resolvedTypeScriptOnly(resolved) { if (!resolved) { return void 0; } Debug.assert(extensionIsTS(resolved.extension)); return { fileName: resolved.path, packageId: resolved.packageId }; } function createResolvedModuleWithFailedLookupLocationsHandlingSymlink(moduleName, resolved, isExternalLibraryImport, failedLookupLocations, affectingLocations, diagnostics, state, cache, alternateResult) { if (!state.resultFromCache && !state.compilerOptions.preserveSymlinks && resolved && isExternalLibraryImport && !resolved.originalPath && !isExternalModuleNameRelative(moduleName)) { const { resolvedFileName, originalPath } = getOriginalAndResolvedFileName(resolved.path, state.host, state.traceEnabled); if (originalPath) resolved = { ...resolved, path: resolvedFileName, originalPath }; } return createResolvedModuleWithFailedLookupLocations( resolved, isExternalLibraryImport, failedLookupLocations, affectingLocations, diagnostics, state.resultFromCache, cache, alternateResult ); } function createResolvedModuleWithFailedLookupLocations(resolved, isExternalLibraryImport, failedLookupLocations, affectingLocations, diagnostics, resultFromCache, cache, alternateResult) { if (resultFromCache) { if (!(cache == null ? void 0 : cache.isReadonly)) { resultFromCache.failedLookupLocations = updateResolutionField(resultFromCache.failedLookupLocations, failedLookupLocations); resultFromCache.affectingLocations = updateResolutionField(resultFromCache.affectingLocations, affectingLocations); resultFromCache.resolutionDiagnostics = updateResolutionField(resultFromCache.resolutionDiagnostics, diagnostics); return resultFromCache; } else { return { ...resultFromCache, failedLookupLocations: initializeResolutionFieldForReadonlyCache(resultFromCache.failedLookupLocations, failedLookupLocations), affectingLocations: initializeResolutionFieldForReadonlyCache(resultFromCache.affectingLocations, affectingLocations), resolutionDiagnostics: initializeResolutionFieldForReadonlyCache(resultFromCache.resolutionDiagnostics, diagnostics) }; } } return { resolvedModule: resolved && { resolvedFileName: resolved.path, originalPath: resolved.originalPath === true ? void 0 : resolved.originalPath, extension: resolved.extension, isExternalLibraryImport, packageId: resolved.packageId, resolvedUsingTsExtension: !!resolved.resolvedUsingTsExtension }, failedLookupLocations: initializeResolutionField(failedLookupLocations), affectingLocations: initializeResolutionField(affectingLocations), resolutionDiagnostics: initializeResolutionField(diagnostics), alternateResult }; } function initializeResolutionField(value) { return value.length ? value : void 0; } function updateResolutionField(to, value) { if (!(value == null ? void 0 : value.length)) return to; if (!(to == null ? void 0 : to.length)) return value; to.push(...value); return to; } function initializeResolutionFieldForReadonlyCache(fromCache, value) { if (!(fromCache == null ? void 0 : fromCache.length)) return initializeResolutionField(value); if (!value.length) return fromCache.slice(); return [...fromCache, ...value]; } function readPackageJsonField(jsonContent, fieldName, typeOfTag, state) { if (!hasProperty(jsonContent, fieldName)) { if (state.traceEnabled) { trace(state.host, Diagnostics.package_json_does_not_have_a_0_field, fieldName); } return; } const value = jsonContent[fieldName]; if (typeof value !== typeOfTag || value === null) { if (state.traceEnabled) { trace(state.host, Diagnostics.Expected_type_of_0_field_in_package_json_to_be_1_got_2, fieldName, typeOfTag, value === null ? "null" : typeof value); } return; } return value; } function readPackageJsonPathField(jsonContent, fieldName, baseDirectory, state) { const fileName = readPackageJsonField(jsonContent, fieldName, "string", state); if (fileName === void 0) { return; } if (!fileName) { if (state.traceEnabled) { trace(state.host, Diagnostics.package_json_had_a_falsy_0_field, fieldName); } return; } const path17 = normalizePath(combinePaths(baseDirectory, fileName)); if (state.traceEnabled) { trace(state.host, Diagnostics.package_json_has_0_field_1_that_references_2, fieldName, fileName, path17); } return path17; } function readPackageJsonTypesFields(jsonContent, baseDirectory, state) { return readPackageJsonPathField(jsonContent, "typings", baseDirectory, state) || readPackageJsonPathField(jsonContent, "types", baseDirectory, state); } function readPackageJsonTSConfigField(jsonContent, baseDirectory, state) { return readPackageJsonPathField(jsonContent, "tsconfig", baseDirectory, state); } function readPackageJsonMainField(jsonContent, baseDirectory, state) { return readPackageJsonPathField(jsonContent, "main", baseDirectory, state); } function readPackageJsonTypesVersionsField(jsonContent, state) { const typesVersions = readPackageJsonField(jsonContent, "typesVersions", "object", state); if (typesVersions === void 0) return; if (state.traceEnabled) { trace(state.host, Diagnostics.package_json_has_a_typesVersions_field_with_version_specific_path_mappings); } return typesVersions; } function readPackageJsonTypesVersionPaths(jsonContent, state) { const typesVersions = readPackageJsonTypesVersionsField(jsonContent, state); if (typesVersions === void 0) return; if (state.traceEnabled) { for (const key in typesVersions) { if (hasProperty(typesVersions, key) && !VersionRange.tryParse(key)) { trace(state.host, Diagnostics.package_json_has_a_typesVersions_entry_0_that_is_not_a_valid_semver_range, key); } } } const result = getPackageJsonTypesVersionsPaths(typesVersions); if (!result) { if (state.traceEnabled) { trace(state.host, Diagnostics.package_json_does_not_have_a_typesVersions_entry_that_matches_version_0, versionMajorMinor); } return; } const { version: bestVersionKey, paths: bestVersionPaths } = result; if (typeof bestVersionPaths !== "object") { if (state.traceEnabled) { trace(state.host, Diagnostics.Expected_type_of_0_field_in_package_json_to_be_1_got_2, `typesVersions['${bestVersionKey}']`, "object", typeof bestVersionPaths); } return; } return result; } var typeScriptVersion; function getPackageJsonTypesVersionsPaths(typesVersions) { if (!typeScriptVersion) typeScriptVersion = new Version(version); for (const key in typesVersions) { if (!hasProperty(typesVersions, key)) continue; const keyRange = VersionRange.tryParse(key); if (keyRange === void 0) { continue; } if (keyRange.test(typeScriptVersion)) { return { version: key, paths: typesVersions[key] }; } } } function getEffectiveTypeRoots(options, host) { if (options.typeRoots) { return options.typeRoots; } let currentDirectory; if (options.configFilePath) { currentDirectory = getDirectoryPath(options.configFilePath); } else if (host.getCurrentDirectory) { currentDirectory = host.getCurrentDirectory(); } if (currentDirectory !== void 0) { return getDefaultTypeRoots(currentDirectory); } } function getDefaultTypeRoots(currentDirectory) { let typeRoots; forEachAncestorDirectory(normalizePath(currentDirectory), (directory) => { const atTypes = combinePaths(directory, nodeModulesAtTypes); (typeRoots ?? (typeRoots = [])).push(atTypes); }); return typeRoots; } var nodeModulesAtTypes = combinePaths("node_modules", "@types"); function arePathsEqual(path1, path22, host) { const useCaseSensitiveFileNames2 = typeof host.useCaseSensitiveFileNames === "function" ? host.useCaseSensitiveFileNames() : host.useCaseSensitiveFileNames; return comparePaths(path1, path22, !useCaseSensitiveFileNames2) === 0; } function getOriginalAndResolvedFileName(fileName, host, traceEnabled) { const resolvedFileName = realPath(fileName, host, traceEnabled); const pathsAreEqual = arePathsEqual(fileName, resolvedFileName, host); return { // If the fileName and realpath are differing only in casing prefer fileName so that we can issue correct errors for casing under forceConsistentCasingInFileNames resolvedFileName: pathsAreEqual ? fileName : resolvedFileName, originalPath: pathsAreEqual ? void 0 : fileName }; } function getCandidateFromTypeRoot(typeRoot, typeReferenceDirectiveName, moduleResolutionState) { const nameForLookup = endsWith(typeRoot, "/node_modules/@types") || endsWith(typeRoot, "/node_modules/@types/") ? mangleScopedPackageNameWithTrace(typeReferenceDirectiveName, moduleResolutionState) : typeReferenceDirectiveName; return combinePaths(typeRoot, nameForLookup); } function resolveTypeReferenceDirective(typeReferenceDirectiveName, containingFile, options, host, redirectedReference, cache, resolutionMode) { Debug.assert(typeof typeReferenceDirectiveName === "string", "Non-string value passed to `ts.resolveTypeReferenceDirective`, likely by a wrapping package working with an outdated `resolveTypeReferenceDirectives` signature. This is probably not a problem in TS itself."); const traceEnabled = isTraceEnabled(options, host); if (redirectedReference) { options = redirectedReference.commandLine.options; } const containingDirectory = containingFile ? getDirectoryPath(containingFile) : void 0; let result = containingDirectory ? cache == null ? void 0 : cache.getFromDirectoryCache(typeReferenceDirectiveName, resolutionMode, containingDirectory, redirectedReference) : void 0; if (!result && containingDirectory && !isExternalModuleNameRelative(typeReferenceDirectiveName)) { result = cache == null ? void 0 : cache.getFromNonRelativeNameCache(typeReferenceDirectiveName, resolutionMode, containingDirectory, redirectedReference); } if (result) { if (traceEnabled) { trace(host, Diagnostics.Resolving_type_reference_directive_0_containing_file_1, typeReferenceDirectiveName, containingFile); if (redirectedReference) trace(host, Diagnostics.Using_compiler_options_of_project_reference_redirect_0, redirectedReference.sourceFile.fileName); trace(host, Diagnostics.Resolution_for_type_reference_directive_0_was_found_in_cache_from_location_1, typeReferenceDirectiveName, containingDirectory); traceResult(result); } return result; } const typeRoots = getEffectiveTypeRoots(options, host); if (traceEnabled) { if (containingFile === void 0) { if (typeRoots === void 0) { trace(host, Diagnostics.Resolving_type_reference_directive_0_containing_file_not_set_root_directory_not_set, typeReferenceDirectiveName); } else { trace(host, Diagnostics.Resolving_type_reference_directive_0_containing_file_not_set_root_directory_1, typeReferenceDirectiveName, typeRoots); } } else { if (typeRoots === void 0) { trace(host, Diagnostics.Resolving_type_reference_directive_0_containing_file_1_root_directory_not_set, typeReferenceDirectiveName, containingFile); } else { trace(host, Diagnostics.Resolving_type_reference_directive_0_containing_file_1_root_directory_2, typeReferenceDirectiveName, containingFile, typeRoots); } } if (redirectedReference) { trace(host, Diagnostics.Using_compiler_options_of_project_reference_redirect_0, redirectedReference.sourceFile.fileName); } } const failedLookupLocations = []; const affectingLocations = []; let features = getNodeResolutionFeatures(options); if (resolutionMode !== void 0) { features |= 30; } const moduleResolution = getEmitModuleResolutionKind(options); if (resolutionMode === 99 && (3 <= moduleResolution && moduleResolution <= 99)) { features |= 32; } const conditions = features & 8 ? getConditions(options, resolutionMode) : []; const diagnostics = []; const moduleResolutionState = { compilerOptions: options, host, traceEnabled, failedLookupLocations, affectingLocations, packageJsonInfoCache: cache, features, conditions, requestContainingDirectory: containingDirectory, reportDiagnostic: (diag2) => void diagnostics.push(diag2), isConfigLookup: false, candidateIsFromPackageJsonField: false, resolvedPackageDirectory: false }; let resolved = primaryLookup(); let primary = true; if (!resolved) { resolved = secondaryLookup(); primary = false; } let resolvedTypeReferenceDirective; if (resolved) { const { fileName, packageId } = resolved; let resolvedFileName = fileName, originalPath; if (!options.preserveSymlinks) ({ resolvedFileName, originalPath } = getOriginalAndResolvedFileName(fileName, host, traceEnabled)); resolvedTypeReferenceDirective = { primary, resolvedFileName, originalPath, packageId, isExternalLibraryImport: pathContainsNodeModules(fileName) }; } result = { resolvedTypeReferenceDirective, failedLookupLocations: initializeResolutionField(failedLookupLocations), affectingLocations: initializeResolutionField(affectingLocations), resolutionDiagnostics: initializeResolutionField(diagnostics) }; if (containingDirectory && cache && !cache.isReadonly) { cache.getOrCreateCacheForDirectory(containingDirectory, redirectedReference).set( typeReferenceDirectiveName, /*mode*/ resolutionMode, result ); if (!isExternalModuleNameRelative(typeReferenceDirectiveName)) { cache.getOrCreateCacheForNonRelativeName(typeReferenceDirectiveName, resolutionMode, redirectedReference).set(containingDirectory, result); } } if (traceEnabled) traceResult(result); return result; function traceResult(result2) { var _a; if (!((_a = result2.resolvedTypeReferenceDirective) == null ? void 0 : _a.resolvedFileName)) { trace(host, Diagnostics.Type_reference_directive_0_was_not_resolved, typeReferenceDirectiveName); } else if (result2.resolvedTypeReferenceDirective.packageId) { trace(host, Diagnostics.Type_reference_directive_0_was_successfully_resolved_to_1_with_Package_ID_2_primary_Colon_3, typeReferenceDirectiveName, result2.resolvedTypeReferenceDirective.resolvedFileName, packageIdToString(result2.resolvedTypeReferenceDirective.packageId), result2.resolvedTypeReferenceDirective.primary); } else { trace(host, Diagnostics.Type_reference_directive_0_was_successfully_resolved_to_1_primary_Colon_2, typeReferenceDirectiveName, result2.resolvedTypeReferenceDirective.resolvedFileName, result2.resolvedTypeReferenceDirective.primary); } } function primaryLookup() { if (typeRoots && typeRoots.length) { if (traceEnabled) { trace(host, Diagnostics.Resolving_with_primary_search_path_0, typeRoots.join(", ")); } return firstDefined(typeRoots, (typeRoot) => { const candidate = getCandidateFromTypeRoot(typeRoot, typeReferenceDirectiveName, moduleResolutionState); const directoryExists = directoryProbablyExists(typeRoot, host); if (!directoryExists && traceEnabled) { trace(host, Diagnostics.Directory_0_does_not_exist_skipping_all_lookups_in_it, typeRoot); } if (options.typeRoots) { const resolvedFromFile = loadModuleFromFile(4, candidate, !directoryExists, moduleResolutionState); if (resolvedFromFile) { const packageDirectory = parseNodeModuleFromPath(resolvedFromFile.path); const packageInfo = packageDirectory ? getPackageJsonInfo( packageDirectory, /*onlyRecordFailures*/ false, moduleResolutionState ) : void 0; return resolvedTypeScriptOnly(withPackageId(packageInfo, resolvedFromFile, moduleResolutionState)); } } return resolvedTypeScriptOnly( loadNodeModuleFromDirectory(4, candidate, !directoryExists, moduleResolutionState) ); }); } else { if (traceEnabled) { trace(host, Diagnostics.Root_directory_cannot_be_determined_skipping_primary_search_paths); } } } function secondaryLookup() { const initialLocationForSecondaryLookup = containingFile && getDirectoryPath(containingFile); if (initialLocationForSecondaryLookup !== void 0) { let result2; if (!options.typeRoots || !endsWith(containingFile, inferredTypesContainingFile)) { if (traceEnabled) { trace(host, Diagnostics.Looking_up_in_node_modules_folder_initial_location_0, initialLocationForSecondaryLookup); } if (!isExternalModuleNameRelative(typeReferenceDirectiveName)) { const searchResult = loadModuleFromNearestNodeModulesDirectory( 4, typeReferenceDirectiveName, initialLocationForSecondaryLookup, moduleResolutionState, /*cache*/ void 0, /*redirectedReference*/ void 0 ); result2 = searchResult && searchResult.value; } else { const { path: candidate } = normalizePathForCJSResolution(initialLocationForSecondaryLookup, typeReferenceDirectiveName); result2 = nodeLoadModuleByRelativeName( 4, candidate, /*onlyRecordFailures*/ false, moduleResolutionState, /*considerPackageJson*/ true ); } } else if (traceEnabled) { trace(host, Diagnostics.Resolving_type_reference_directive_for_program_that_specifies_custom_typeRoots_skipping_lookup_in_node_modules_folder); } return resolvedTypeScriptOnly(result2); } else { if (traceEnabled) { trace(host, Diagnostics.Containing_file_is_not_specified_and_root_directory_cannot_be_determined_skipping_lookup_in_node_modules_folder); } } } } function getNodeResolutionFeatures(options) { let features = 0; switch (getEmitModuleResolutionKind(options)) { case 3: features = 30; break; case 99: features = 30; break; case 100: features = 30; break; } if (options.resolvePackageJsonExports) { features |= 8; } else if (options.resolvePackageJsonExports === false) { features &= ~8; } if (options.resolvePackageJsonImports) { features |= 2; } else if (options.resolvePackageJsonImports === false) { features &= ~2; } return features; } function getConditions(options, resolutionMode) { const moduleResolution = getEmitModuleResolutionKind(options); if (resolutionMode === void 0) { if (moduleResolution === 100) { resolutionMode = 99; } else if (moduleResolution === 2) { return []; } } const conditions = resolutionMode === 99 ? ["import"] : ["require"]; if (!options.noDtsResolution) { conditions.push("types"); } if (moduleResolution !== 100) { conditions.push("node"); } return concatenate(conditions, options.customConditions); } function resolvePackageNameToPackageJson(packageName, containingDirectory, options, host, cache) { const moduleResolutionState = getTemporaryModuleResolutionState(cache == null ? void 0 : cache.getPackageJsonInfoCache(), host, options); return forEachAncestorDirectory(containingDirectory, (ancestorDirectory) => { if (getBaseFileName(ancestorDirectory) !== "node_modules") { const nodeModulesFolder = combinePaths(ancestorDirectory, "node_modules"); const candidate = combinePaths(nodeModulesFolder, packageName); return getPackageJsonInfo( candidate, /*onlyRecordFailures*/ false, moduleResolutionState ); } }); } function getAutomaticTypeDirectiveNames(options, host) { if (options.types) { return options.types; } const result = []; if (host.directoryExists && host.getDirectories) { const typeRoots = getEffectiveTypeRoots(options, host); if (typeRoots) { for (const root2 of typeRoots) { if (host.directoryExists(root2)) { for (const typeDirectivePath of host.getDirectories(root2)) { const normalized = normalizePath(typeDirectivePath); const packageJsonPath = combinePaths(root2, normalized, "package.json"); const isNotNeededPackage = host.fileExists(packageJsonPath) && readJson(packageJsonPath, host).typings === null; if (!isNotNeededPackage) { const baseFileName = getBaseFileName(normalized); if (baseFileName.charCodeAt(0) !== 46) { result.push(baseFileName); } } } } } } } return result; } function isPackageJsonInfo(entry) { return !!(entry == null ? void 0 : entry.contents); } function isMissingPackageJsonInfo(entry) { return !!entry && !entry.contents; } function compilerOptionValueToString(value) { var _a; if (value === null || typeof value !== "object") { return "" + value; } if (isArray3(value)) { return `[${(_a = value.map((e) => compilerOptionValueToString(e))) == null ? void 0 : _a.join(",")}]`; } let str = "{"; for (const key in value) { if (hasProperty(value, key)) { str += `${key}: ${compilerOptionValueToString(value[key])}`; } } return str + "}"; } function getKeyForCompilerOptions(options, affectingOptionDeclarations) { return affectingOptionDeclarations.map((option) => compilerOptionValueToString(getCompilerOptionValue(options, option))).join("|") + `|${options.pathsBasePath}`; } function createCacheWithRedirects(ownOptions, optionsToRedirectsKey) { const redirectsMap = /* @__PURE__ */ new Map(); const redirectsKeyToMap = /* @__PURE__ */ new Map(); let ownMap = /* @__PURE__ */ new Map(); if (ownOptions) redirectsMap.set(ownOptions, ownMap); return { getMapOfCacheRedirects, getOrCreateMapOfCacheRedirects, update, clear: clear2, getOwnMap: () => ownMap }; function getMapOfCacheRedirects(redirectedReference) { return redirectedReference ? getOrCreateMap( redirectedReference.commandLine.options, /*create*/ false ) : ownMap; } function getOrCreateMapOfCacheRedirects(redirectedReference) { return redirectedReference ? getOrCreateMap( redirectedReference.commandLine.options, /*create*/ true ) : ownMap; } function update(newOptions) { if (ownOptions !== newOptions) { if (ownOptions) ownMap = getOrCreateMap( newOptions, /*create*/ true ); else redirectsMap.set(newOptions, ownMap); ownOptions = newOptions; } } function getOrCreateMap(redirectOptions, create119) { let result = redirectsMap.get(redirectOptions); if (result) return result; const key = getRedirectsCacheKey(redirectOptions); result = redirectsKeyToMap.get(key); if (!result) { if (ownOptions) { const ownKey = getRedirectsCacheKey(ownOptions); if (ownKey === key) result = ownMap; else if (!redirectsKeyToMap.has(ownKey)) redirectsKeyToMap.set(ownKey, ownMap); } if (create119) result ?? (result = /* @__PURE__ */ new Map()); if (result) redirectsKeyToMap.set(key, result); } if (result) redirectsMap.set(redirectOptions, result); return result; } function clear2() { const ownKey = ownOptions && optionsToRedirectsKey.get(ownOptions); ownMap.clear(); redirectsMap.clear(); optionsToRedirectsKey.clear(); redirectsKeyToMap.clear(); if (ownOptions) { if (ownKey) optionsToRedirectsKey.set(ownOptions, ownKey); redirectsMap.set(ownOptions, ownMap); } } function getRedirectsCacheKey(options) { let result = optionsToRedirectsKey.get(options); if (!result) { optionsToRedirectsKey.set(options, result = getKeyForCompilerOptions(options, moduleResolutionOptionDeclarations)); } return result; } } function createPackageJsonInfoCache(currentDirectory, getCanonicalFileName) { let cache; return { getPackageJsonInfo: getPackageJsonInfo2, setPackageJsonInfo, clear: clear2, getInternalMap }; function getPackageJsonInfo2(packageJsonPath) { return cache == null ? void 0 : cache.get(toPath3(packageJsonPath, currentDirectory, getCanonicalFileName)); } function setPackageJsonInfo(packageJsonPath, info) { (cache || (cache = /* @__PURE__ */ new Map())).set(toPath3(packageJsonPath, currentDirectory, getCanonicalFileName), info); } function clear2() { cache = void 0; } function getInternalMap() { return cache; } } function getOrCreateCache(cacheWithRedirects, redirectedReference, key, create119) { const cache = cacheWithRedirects.getOrCreateMapOfCacheRedirects(redirectedReference); let result = cache.get(key); if (!result) { result = create119(); cache.set(key, result); } return result; } function createPerDirectoryResolutionCache(currentDirectory, getCanonicalFileName, options, optionsToRedirectsKey) { const directoryToModuleNameMap = createCacheWithRedirects(options, optionsToRedirectsKey); return { getFromDirectoryCache, getOrCreateCacheForDirectory, clear: clear2, update, directoryToModuleNameMap }; function clear2() { directoryToModuleNameMap.clear(); } function update(options2) { directoryToModuleNameMap.update(options2); } function getOrCreateCacheForDirectory(directoryName, redirectedReference) { const path17 = toPath3(directoryName, currentDirectory, getCanonicalFileName); return getOrCreateCache(directoryToModuleNameMap, redirectedReference, path17, () => createModeAwareCache()); } function getFromDirectoryCache(name, mode, directoryName, redirectedReference) { var _a, _b; const path17 = toPath3(directoryName, currentDirectory, getCanonicalFileName); return (_b = (_a = directoryToModuleNameMap.getMapOfCacheRedirects(redirectedReference)) == null ? void 0 : _a.get(path17)) == null ? void 0 : _b.get(name, mode); } } function createModeAwareCacheKey(specifier, mode) { return mode === void 0 ? specifier : `${mode}|${specifier}`; } function createModeAwareCache() { const underlying = /* @__PURE__ */ new Map(); const memoizedReverseKeys = /* @__PURE__ */ new Map(); const cache = { get(specifier, mode) { return underlying.get(getUnderlyingCacheKey(specifier, mode)); }, set(specifier, mode, value) { underlying.set(getUnderlyingCacheKey(specifier, mode), value); return cache; }, delete(specifier, mode) { underlying.delete(getUnderlyingCacheKey(specifier, mode)); return cache; }, has(specifier, mode) { return underlying.has(getUnderlyingCacheKey(specifier, mode)); }, forEach(cb) { return underlying.forEach((elem, key) => { const [specifier, mode] = memoizedReverseKeys.get(key); return cb(elem, specifier, mode); }); }, size() { return underlying.size; } }; return cache; function getUnderlyingCacheKey(specifier, mode) { const result = createModeAwareCacheKey(specifier, mode); memoizedReverseKeys.set(result, [specifier, mode]); return result; } } function getOriginalOrResolvedModuleFileName(result) { return result.resolvedModule && (result.resolvedModule.originalPath || result.resolvedModule.resolvedFileName); } function getOriginalOrResolvedTypeReferenceFileName(result) { return result.resolvedTypeReferenceDirective && (result.resolvedTypeReferenceDirective.originalPath || result.resolvedTypeReferenceDirective.resolvedFileName); } function createNonRelativeNameResolutionCache(currentDirectory, getCanonicalFileName, options, getResolvedFileName, optionsToRedirectsKey) { const moduleNameToDirectoryMap = createCacheWithRedirects(options, optionsToRedirectsKey); return { getFromNonRelativeNameCache, getOrCreateCacheForNonRelativeName, clear: clear2, update }; function clear2() { moduleNameToDirectoryMap.clear(); } function update(options2) { moduleNameToDirectoryMap.update(options2); } function getFromNonRelativeNameCache(nonRelativeModuleName, mode, directoryName, redirectedReference) { var _a, _b; Debug.assert(!isExternalModuleNameRelative(nonRelativeModuleName)); return (_b = (_a = moduleNameToDirectoryMap.getMapOfCacheRedirects(redirectedReference)) == null ? void 0 : _a.get(createModeAwareCacheKey(nonRelativeModuleName, mode))) == null ? void 0 : _b.get(directoryName); } function getOrCreateCacheForNonRelativeName(nonRelativeModuleName, mode, redirectedReference) { Debug.assert(!isExternalModuleNameRelative(nonRelativeModuleName)); return getOrCreateCache(moduleNameToDirectoryMap, redirectedReference, createModeAwareCacheKey(nonRelativeModuleName, mode), createPerModuleNameCache); } function createPerModuleNameCache() { const directoryPathMap = /* @__PURE__ */ new Map(); return { get, set }; function get(directory) { return directoryPathMap.get(toPath3(directory, currentDirectory, getCanonicalFileName)); } function set(directory, result) { const path17 = toPath3(directory, currentDirectory, getCanonicalFileName); if (directoryPathMap.has(path17)) { return; } directoryPathMap.set(path17, result); const resolvedFileName = getResolvedFileName(result); const commonPrefix = resolvedFileName && getCommonPrefix(path17, resolvedFileName); let current = path17; while (current !== commonPrefix) { const parent2 = getDirectoryPath(current); if (parent2 === current || directoryPathMap.has(parent2)) { break; } directoryPathMap.set(parent2, result); current = parent2; } } function getCommonPrefix(directory, resolution) { const resolutionDirectory = toPath3(getDirectoryPath(resolution), currentDirectory, getCanonicalFileName); let i = 0; const limit = Math.min(directory.length, resolutionDirectory.length); while (i < limit && directory.charCodeAt(i) === resolutionDirectory.charCodeAt(i)) { i++; } if (i === directory.length && (resolutionDirectory.length === i || resolutionDirectory[i] === directorySeparator)) { return directory; } const rootLength = getRootLength(directory); if (i < rootLength) { return void 0; } const sep = directory.lastIndexOf(directorySeparator, i - 1); if (sep === -1) { return void 0; } return directory.substr(0, Math.max(sep, rootLength)); } } } function createModuleOrTypeReferenceResolutionCache(currentDirectory, getCanonicalFileName, options, packageJsonInfoCache, getResolvedFileName, optionsToRedirectsKey) { optionsToRedirectsKey ?? (optionsToRedirectsKey = /* @__PURE__ */ new Map()); const perDirectoryResolutionCache = createPerDirectoryResolutionCache( currentDirectory, getCanonicalFileName, options, optionsToRedirectsKey ); const nonRelativeNameResolutionCache = createNonRelativeNameResolutionCache( currentDirectory, getCanonicalFileName, options, getResolvedFileName, optionsToRedirectsKey ); packageJsonInfoCache ?? (packageJsonInfoCache = createPackageJsonInfoCache(currentDirectory, getCanonicalFileName)); return { ...packageJsonInfoCache, ...perDirectoryResolutionCache, ...nonRelativeNameResolutionCache, clear: clear2, update, getPackageJsonInfoCache: () => packageJsonInfoCache, clearAllExceptPackageJsonInfoCache, optionsToRedirectsKey }; function clear2() { clearAllExceptPackageJsonInfoCache(); packageJsonInfoCache.clear(); } function clearAllExceptPackageJsonInfoCache() { perDirectoryResolutionCache.clear(); nonRelativeNameResolutionCache.clear(); } function update(options2) { perDirectoryResolutionCache.update(options2); nonRelativeNameResolutionCache.update(options2); } } function createModuleResolutionCache(currentDirectory, getCanonicalFileName, options, packageJsonInfoCache, optionsToRedirectsKey) { const result = createModuleOrTypeReferenceResolutionCache( currentDirectory, getCanonicalFileName, options, packageJsonInfoCache, getOriginalOrResolvedModuleFileName, optionsToRedirectsKey ); result.getOrCreateCacheForModuleName = (nonRelativeName, mode, redirectedReference) => result.getOrCreateCacheForNonRelativeName(nonRelativeName, mode, redirectedReference); return result; } function createTypeReferenceDirectiveResolutionCache(currentDirectory, getCanonicalFileName, options, packageJsonInfoCache, optionsToRedirectsKey) { return createModuleOrTypeReferenceResolutionCache( currentDirectory, getCanonicalFileName, options, packageJsonInfoCache, getOriginalOrResolvedTypeReferenceFileName, optionsToRedirectsKey ); } function getOptionsForLibraryResolution(options) { return { moduleResolution: 2, traceResolution: options.traceResolution }; } function resolveLibrary(libraryName, resolveFrom, compilerOptions, host, cache) { return resolveModuleName(libraryName, resolveFrom, getOptionsForLibraryResolution(compilerOptions), host, cache); } function resolveModuleNameFromCache(moduleName, containingFile, cache, mode) { const containingDirectory = getDirectoryPath(containingFile); return cache.getFromDirectoryCache( moduleName, mode, containingDirectory, /*redirectedReference*/ void 0 ); } function resolveModuleName(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode) { var _a, _b, _c; const traceEnabled = isTraceEnabled(compilerOptions, host); if (redirectedReference) { compilerOptions = redirectedReference.commandLine.options; } if (traceEnabled) { trace(host, Diagnostics.Resolving_module_0_from_1, moduleName, containingFile); if (redirectedReference) { trace(host, Diagnostics.Using_compiler_options_of_project_reference_redirect_0, redirectedReference.sourceFile.fileName); } } const containingDirectory = getDirectoryPath(containingFile); let result = cache == null ? void 0 : cache.getFromDirectoryCache(moduleName, resolutionMode, containingDirectory, redirectedReference); if (result) { if (traceEnabled) { trace(host, Diagnostics.Resolution_for_module_0_was_found_in_cache_from_location_1, moduleName, containingDirectory); } } else { let moduleResolution = compilerOptions.moduleResolution; if (moduleResolution === void 0) { moduleResolution = getEmitModuleResolutionKind(compilerOptions); if (traceEnabled) { trace(host, Diagnostics.Module_resolution_kind_is_not_specified_using_0, ModuleResolutionKind[moduleResolution]); } } else { if (traceEnabled) { trace(host, Diagnostics.Explicitly_specified_module_resolution_kind_Colon_0, ModuleResolutionKind[moduleResolution]); } } (_a = perfLogger) == null ? void 0 : _a.logStartResolveModule(moduleName); switch (moduleResolution) { case 3: result = node16ModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode); break; case 99: result = nodeNextModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode); break; case 2: result = nodeModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode ? getConditions(compilerOptions, resolutionMode) : void 0); break; case 1: result = classicNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference); break; case 100: result = bundlerModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode ? getConditions(compilerOptions, resolutionMode) : void 0); break; default: return Debug.fail(`Unexpected moduleResolution: ${moduleResolution}`); } if (result && result.resolvedModule) (_b = perfLogger) == null ? void 0 : _b.logInfoEvent(`Module "${moduleName}" resolved to "${result.resolvedModule.resolvedFileName}"`); (_c = perfLogger) == null ? void 0 : _c.logStopResolveModule(result && result.resolvedModule ? "" + result.resolvedModule.resolvedFileName : "null"); if (cache && !cache.isReadonly) { cache.getOrCreateCacheForDirectory(containingDirectory, redirectedReference).set(moduleName, resolutionMode, result); if (!isExternalModuleNameRelative(moduleName)) { cache.getOrCreateCacheForNonRelativeName(moduleName, resolutionMode, redirectedReference).set(containingDirectory, result); } } } if (traceEnabled) { if (result.resolvedModule) { if (result.resolvedModule.packageId) { trace(host, Diagnostics.Module_name_0_was_successfully_resolved_to_1_with_Package_ID_2, moduleName, result.resolvedModule.resolvedFileName, packageIdToString(result.resolvedModule.packageId)); } else { trace(host, Diagnostics.Module_name_0_was_successfully_resolved_to_1, moduleName, result.resolvedModule.resolvedFileName); } } else { trace(host, Diagnostics.Module_name_0_was_not_resolved, moduleName); } } return result; } function tryLoadModuleUsingOptionalResolutionSettings(extensions, moduleName, containingDirectory, loader, state) { const resolved = tryLoadModuleUsingPathsIfEligible(extensions, moduleName, loader, state); if (resolved) return resolved.value; if (!isExternalModuleNameRelative(moduleName)) { return tryLoadModuleUsingBaseUrl(extensions, moduleName, loader, state); } else { return tryLoadModuleUsingRootDirs(extensions, moduleName, containingDirectory, loader, state); } } function tryLoadModuleUsingPathsIfEligible(extensions, moduleName, loader, state) { var _a; const { baseUrl, paths, configFile } = state.compilerOptions; if (paths && !pathIsRelative(moduleName)) { if (state.traceEnabled) { if (baseUrl) { trace(state.host, Diagnostics.baseUrl_option_is_set_to_0_using_this_value_to_resolve_non_relative_module_name_1, baseUrl, moduleName); } trace(state.host, Diagnostics.paths_option_is_specified_looking_for_a_pattern_to_match_module_name_0, moduleName); } const baseDirectory = getPathsBasePath(state.compilerOptions, state.host); const pathPatterns = (configFile == null ? void 0 : configFile.configFileSpecs) ? (_a = configFile.configFileSpecs).pathPatterns || (_a.pathPatterns = tryParsePatterns(paths)) : void 0; return tryLoadModuleUsingPaths( extensions, moduleName, baseDirectory, paths, pathPatterns, loader, /*onlyRecordFailures*/ false, state ); } } function tryLoadModuleUsingRootDirs(extensions, moduleName, containingDirectory, loader, state) { if (!state.compilerOptions.rootDirs) { return void 0; } if (state.traceEnabled) { trace(state.host, Diagnostics.rootDirs_option_is_set_using_it_to_resolve_relative_module_name_0, moduleName); } const candidate = normalizePath(combinePaths(containingDirectory, moduleName)); let matchedRootDir; let matchedNormalizedPrefix; for (const rootDir of state.compilerOptions.rootDirs) { let normalizedRoot = normalizePath(rootDir); if (!endsWith(normalizedRoot, directorySeparator)) { normalizedRoot += directorySeparator; } const isLongestMatchingPrefix = startsWith2(candidate, normalizedRoot) && (matchedNormalizedPrefix === void 0 || matchedNormalizedPrefix.length < normalizedRoot.length); if (state.traceEnabled) { trace(state.host, Diagnostics.Checking_if_0_is_the_longest_matching_prefix_for_1_2, normalizedRoot, candidate, isLongestMatchingPrefix); } if (isLongestMatchingPrefix) { matchedNormalizedPrefix = normalizedRoot; matchedRootDir = rootDir; } } if (matchedNormalizedPrefix) { if (state.traceEnabled) { trace(state.host, Diagnostics.Longest_matching_prefix_for_0_is_1, candidate, matchedNormalizedPrefix); } const suffix = candidate.substr(matchedNormalizedPrefix.length); if (state.traceEnabled) { trace(state.host, Diagnostics.Loading_0_from_the_root_dir_1_candidate_location_2, suffix, matchedNormalizedPrefix, candidate); } const resolvedFileName = loader(extensions, candidate, !directoryProbablyExists(containingDirectory, state.host), state); if (resolvedFileName) { return resolvedFileName; } if (state.traceEnabled) { trace(state.host, Diagnostics.Trying_other_entries_in_rootDirs); } for (const rootDir of state.compilerOptions.rootDirs) { if (rootDir === matchedRootDir) { continue; } const candidate2 = combinePaths(normalizePath(rootDir), suffix); if (state.traceEnabled) { trace(state.host, Diagnostics.Loading_0_from_the_root_dir_1_candidate_location_2, suffix, rootDir, candidate2); } const baseDirectory = getDirectoryPath(candidate2); const resolvedFileName2 = loader(extensions, candidate2, !directoryProbablyExists(baseDirectory, state.host), state); if (resolvedFileName2) { return resolvedFileName2; } } if (state.traceEnabled) { trace(state.host, Diagnostics.Module_resolution_using_rootDirs_has_failed); } } return void 0; } function tryLoadModuleUsingBaseUrl(extensions, moduleName, loader, state) { const { baseUrl } = state.compilerOptions; if (!baseUrl) { return void 0; } if (state.traceEnabled) { trace(state.host, Diagnostics.baseUrl_option_is_set_to_0_using_this_value_to_resolve_non_relative_module_name_1, baseUrl, moduleName); } const candidate = normalizePath(combinePaths(baseUrl, moduleName)); if (state.traceEnabled) { trace(state.host, Diagnostics.Resolving_module_name_0_relative_to_base_url_1_2, moduleName, baseUrl, candidate); } return loader(extensions, candidate, !directoryProbablyExists(getDirectoryPath(candidate), state.host), state); } function resolveJSModule(moduleName, initialDir, host) { const { resolvedModule, failedLookupLocations } = tryResolveJSModuleWorker(moduleName, initialDir, host); if (!resolvedModule) { throw new Error(`Could not resolve JS module '${moduleName}' starting at '${initialDir}'. Looked in: ${failedLookupLocations == null ? void 0 : failedLookupLocations.join(", ")}`); } return resolvedModule.resolvedFileName; } var NodeResolutionFeatures = /* @__PURE__ */ ((NodeResolutionFeatures2) => { NodeResolutionFeatures2[NodeResolutionFeatures2["None"] = 0] = "None"; NodeResolutionFeatures2[NodeResolutionFeatures2["Imports"] = 2] = "Imports"; NodeResolutionFeatures2[NodeResolutionFeatures2["SelfName"] = 4] = "SelfName"; NodeResolutionFeatures2[NodeResolutionFeatures2["Exports"] = 8] = "Exports"; NodeResolutionFeatures2[NodeResolutionFeatures2["ExportsPatternTrailers"] = 16] = "ExportsPatternTrailers"; NodeResolutionFeatures2[NodeResolutionFeatures2["AllFeatures"] = 30] = "AllFeatures"; NodeResolutionFeatures2[NodeResolutionFeatures2["Node16Default"] = 30] = "Node16Default"; NodeResolutionFeatures2[ NodeResolutionFeatures2["NodeNextDefault"] = 30 /* AllFeatures */ ] = "NodeNextDefault"; NodeResolutionFeatures2[NodeResolutionFeatures2["BundlerDefault"] = 30] = "BundlerDefault"; NodeResolutionFeatures2[NodeResolutionFeatures2["EsmMode"] = 32] = "EsmMode"; return NodeResolutionFeatures2; })(NodeResolutionFeatures || {}); function node16ModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode) { return nodeNextModuleNameResolverWorker( 30, moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode ); } function nodeNextModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode) { return nodeNextModuleNameResolverWorker( 30, moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode ); } function nodeNextModuleNameResolverWorker(features, moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode, conditions) { const containingDirectory = getDirectoryPath(containingFile); const esmMode = resolutionMode === 99 ? 32 : 0; let extensions = compilerOptions.noDtsResolution ? 3 : 1 | 2 | 4; if (getResolveJsonModule(compilerOptions)) { extensions |= 8; } return nodeModuleNameResolverWorker( features | esmMode, moduleName, containingDirectory, compilerOptions, host, cache, extensions, /*isConfigLookup*/ false, redirectedReference, conditions ); } function tryResolveJSModuleWorker(moduleName, initialDir, host) { return nodeModuleNameResolverWorker( 0, moduleName, initialDir, { moduleResolution: 2, allowJs: true }, host, /*cache*/ void 0, 2, /*isConfigLookup*/ false, /*redirectedReference*/ void 0, /*conditions*/ void 0 ); } function bundlerModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, conditions) { const containingDirectory = getDirectoryPath(containingFile); let extensions = compilerOptions.noDtsResolution ? 3 : 1 | 2 | 4; if (getResolveJsonModule(compilerOptions)) { extensions |= 8; } return nodeModuleNameResolverWorker( getNodeResolutionFeatures(compilerOptions), moduleName, containingDirectory, compilerOptions, host, cache, extensions, /*isConfigLookup*/ false, redirectedReference, conditions ); } function nodeModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, conditions, isConfigLookup) { let extensions; if (isConfigLookup) { extensions = 8; } else if (compilerOptions.noDtsResolution) { extensions = 3; if (getResolveJsonModule(compilerOptions)) extensions |= 8; } else { extensions = getResolveJsonModule(compilerOptions) ? 1 | 2 | 4 | 8 : 1 | 2 | 4; } return nodeModuleNameResolverWorker(conditions ? 30 : 0, moduleName, getDirectoryPath(containingFile), compilerOptions, host, cache, extensions, !!isConfigLookup, redirectedReference, conditions); } function nodeNextJsonConfigResolver(moduleName, containingFile, host) { return nodeModuleNameResolverWorker( 30, moduleName, getDirectoryPath(containingFile), { moduleResolution: 99 /* NodeNext */ }, host, /*cache*/ void 0, 8, /*isConfigLookup*/ true, /*redirectedReference*/ void 0, /*conditions*/ void 0 ); } function nodeModuleNameResolverWorker(features, moduleName, containingDirectory, compilerOptions, host, cache, extensions, isConfigLookup, redirectedReference, conditions) { var _a, _b, _c, _d, _e; const traceEnabled = isTraceEnabled(compilerOptions, host); const failedLookupLocations = []; const affectingLocations = []; const moduleResolution = getEmitModuleResolutionKind(compilerOptions); conditions ?? (conditions = getConditions( compilerOptions, moduleResolution === 100 || moduleResolution === 2 ? void 0 : features & 32 ? 99 : 1 /* CommonJS */ )); const diagnostics = []; const state = { compilerOptions, host, traceEnabled, failedLookupLocations, affectingLocations, packageJsonInfoCache: cache, features, conditions: conditions ?? emptyArray, requestContainingDirectory: containingDirectory, reportDiagnostic: (diag2) => void diagnostics.push(diag2), isConfigLookup, candidateIsFromPackageJsonField: false, resolvedPackageDirectory: false }; if (traceEnabled && moduleResolutionSupportsPackageJsonExportsAndImports(moduleResolution)) { trace(host, Diagnostics.Resolving_in_0_mode_with_conditions_1, features & 32 ? "ESM" : "CJS", state.conditions.map((c) => `'${c}'`).join(", ")); } let result; if (moduleResolution === 2) { const priorityExtensions = extensions & (1 | 4); const secondaryExtensions = extensions & ~(1 | 4); result = priorityExtensions && tryResolve(priorityExtensions, state) || secondaryExtensions && tryResolve(secondaryExtensions, state) || void 0; } else { result = tryResolve(extensions, state); } let alternateResult; if (state.resolvedPackageDirectory && !isConfigLookup && !isExternalModuleNameRelative(moduleName)) { const wantedTypesButGotJs = (result == null ? void 0 : result.value) && extensions & (1 | 4) && !extensionIsOk(1 | 4, result.value.resolved.extension); if (((_a = result == null ? void 0 : result.value) == null ? void 0 : _a.isExternalLibraryImport) && wantedTypesButGotJs && features & 8 && (conditions == null ? void 0 : conditions.includes("import"))) { traceIfEnabled(state, Diagnostics.Resolution_of_non_relative_name_failed_trying_with_modern_Node_resolution_features_disabled_to_see_if_npm_library_needs_configuration_update); const diagnosticState = { ...state, features: state.features & ~8, reportDiagnostic: noop2 }; const diagnosticResult = tryResolve(extensions & (1 | 4), diagnosticState); if ((_b = diagnosticResult == null ? void 0 : diagnosticResult.value) == null ? void 0 : _b.isExternalLibraryImport) { alternateResult = diagnosticResult.value.resolved.path; } } else if ((!(result == null ? void 0 : result.value) || wantedTypesButGotJs) && moduleResolution === 2) { traceIfEnabled(state, Diagnostics.Resolution_of_non_relative_name_failed_trying_with_moduleResolution_bundler_to_see_if_project_may_need_configuration_update); const diagnosticsCompilerOptions = { ...state.compilerOptions, moduleResolution: 100 /* Bundler */ }; const diagnosticState = { ...state, compilerOptions: diagnosticsCompilerOptions, features: 30, conditions: getConditions(diagnosticsCompilerOptions), reportDiagnostic: noop2 }; const diagnosticResult = tryResolve(extensions & (1 | 4), diagnosticState); if ((_c = diagnosticResult == null ? void 0 : diagnosticResult.value) == null ? void 0 : _c.isExternalLibraryImport) { alternateResult = diagnosticResult.value.resolved.path; } } } return createResolvedModuleWithFailedLookupLocationsHandlingSymlink( moduleName, (_d = result == null ? void 0 : result.value) == null ? void 0 : _d.resolved, (_e = result == null ? void 0 : result.value) == null ? void 0 : _e.isExternalLibraryImport, failedLookupLocations, affectingLocations, diagnostics, state, cache, alternateResult ); function tryResolve(extensions2, state2) { const loader = (extensions3, candidate, onlyRecordFailures, state3) => nodeLoadModuleByRelativeName( extensions3, candidate, onlyRecordFailures, state3, /*considerPackageJson*/ true ); const resolved = tryLoadModuleUsingOptionalResolutionSettings(extensions2, moduleName, containingDirectory, loader, state2); if (resolved) { return toSearchResult({ resolved, isExternalLibraryImport: pathContainsNodeModules(resolved.path) }); } if (!isExternalModuleNameRelative(moduleName)) { let resolved2; if (features & 2 && startsWith2(moduleName, "#")) { resolved2 = loadModuleFromImports(extensions2, moduleName, containingDirectory, state2, cache, redirectedReference); } if (!resolved2 && features & 4) { resolved2 = loadModuleFromSelfNameReference(extensions2, moduleName, containingDirectory, state2, cache, redirectedReference); } if (!resolved2) { if (moduleName.includes(":")) { if (traceEnabled) { trace(host, Diagnostics.Skipping_module_0_that_looks_like_an_absolute_URI_target_file_types_Colon_1, moduleName, formatExtensions(extensions2)); } return void 0; } if (traceEnabled) { trace(host, Diagnostics.Loading_module_0_from_node_modules_folder_target_file_types_Colon_1, moduleName, formatExtensions(extensions2)); } resolved2 = loadModuleFromNearestNodeModulesDirectory(extensions2, moduleName, containingDirectory, state2, cache, redirectedReference); } if (extensions2 & 4) { resolved2 ?? (resolved2 = resolveFromTypeRoot(moduleName, state2)); } return resolved2 && { value: resolved2.value && { resolved: resolved2.value, isExternalLibraryImport: true } }; } else { const { path: candidate, parts } = normalizePathForCJSResolution(containingDirectory, moduleName); const resolved2 = nodeLoadModuleByRelativeName( extensions2, candidate, /*onlyRecordFailures*/ false, state2, /*considerPackageJson*/ true ); return resolved2 && toSearchResult({ resolved: resolved2, isExternalLibraryImport: contains(parts, "node_modules") }); } } } function normalizePathForCJSResolution(containingDirectory, moduleName) { const combined = combinePaths(containingDirectory, moduleName); const parts = getPathComponents(combined); const lastPart = lastOrUndefined(parts); const path17 = lastPart === "." || lastPart === ".." ? ensureTrailingDirectorySeparator(normalizePath(combined)) : normalizePath(combined); return { path: path17, parts }; } function realPath(path17, host, traceEnabled) { if (!host.realpath) { return path17; } const real = normalizePath(host.realpath(path17)); if (traceEnabled) { trace(host, Diagnostics.Resolving_real_path_for_0_result_1, path17, real); } return real; } function nodeLoadModuleByRelativeName(extensions, candidate, onlyRecordFailures, state, considerPackageJson) { if (state.traceEnabled) { trace(state.host, Diagnostics.Loading_module_as_file_Slash_folder_candidate_module_location_0_target_file_types_Colon_1, candidate, formatExtensions(extensions)); } if (!hasTrailingDirectorySeparator(candidate)) { if (!onlyRecordFailures) { const parentOfCandidate = getDirectoryPath(candidate); if (!directoryProbablyExists(parentOfCandidate, state.host)) { if (state.traceEnabled) { trace(state.host, Diagnostics.Directory_0_does_not_exist_skipping_all_lookups_in_it, parentOfCandidate); } onlyRecordFailures = true; } } const resolvedFromFile = loadModuleFromFile(extensions, candidate, onlyRecordFailures, state); if (resolvedFromFile) { const packageDirectory = considerPackageJson ? parseNodeModuleFromPath(resolvedFromFile.path) : void 0; const packageInfo = packageDirectory ? getPackageJsonInfo( packageDirectory, /*onlyRecordFailures*/ false, state ) : void 0; return withPackageId(packageInfo, resolvedFromFile, state); } } if (!onlyRecordFailures) { const candidateExists = directoryProbablyExists(candidate, state.host); if (!candidateExists) { if (state.traceEnabled) { trace(state.host, Diagnostics.Directory_0_does_not_exist_skipping_all_lookups_in_it, candidate); } onlyRecordFailures = true; } } if (!(state.features & 32)) { return loadNodeModuleFromDirectory(extensions, candidate, onlyRecordFailures, state, considerPackageJson); } return void 0; } var nodeModulesPathPart = "/node_modules/"; function pathContainsNodeModules(path17) { return path17.includes(nodeModulesPathPart); } function parseNodeModuleFromPath(resolved, isFolder) { const path17 = normalizePath(resolved); const idx = path17.lastIndexOf(nodeModulesPathPart); if (idx === -1) { return void 0; } const indexAfterNodeModules = idx + nodeModulesPathPart.length; let indexAfterPackageName = moveToNextDirectorySeparatorIfAvailable(path17, indexAfterNodeModules, isFolder); if (path17.charCodeAt(indexAfterNodeModules) === 64) { indexAfterPackageName = moveToNextDirectorySeparatorIfAvailable(path17, indexAfterPackageName, isFolder); } return path17.slice(0, indexAfterPackageName); } function moveToNextDirectorySeparatorIfAvailable(path17, prevSeparatorIndex, isFolder) { const nextSeparatorIndex = path17.indexOf(directorySeparator, prevSeparatorIndex + 1); return nextSeparatorIndex === -1 ? isFolder ? path17.length : prevSeparatorIndex : nextSeparatorIndex; } function loadModuleFromFileNoPackageId(extensions, candidate, onlyRecordFailures, state) { return noPackageId(loadModuleFromFile(extensions, candidate, onlyRecordFailures, state)); } function loadModuleFromFile(extensions, candidate, onlyRecordFailures, state) { const resolvedByReplacingExtension = loadModuleFromFileNoImplicitExtensions(extensions, candidate, onlyRecordFailures, state); if (resolvedByReplacingExtension) { return resolvedByReplacingExtension; } if (!(state.features & 32)) { const resolvedByAddingExtension = tryAddingExtensions(candidate, extensions, "", onlyRecordFailures, state); if (resolvedByAddingExtension) { return resolvedByAddingExtension; } } } function loadModuleFromFileNoImplicitExtensions(extensions, candidate, onlyRecordFailures, state) { const filename = getBaseFileName(candidate); if (!filename.includes(".")) { return void 0; } let extensionless = removeFileExtension(candidate); if (extensionless === candidate) { extensionless = candidate.substring(0, candidate.lastIndexOf(".")); } const extension = candidate.substring(extensionless.length); if (state.traceEnabled) { trace(state.host, Diagnostics.File_name_0_has_a_1_extension_stripping_it, candidate, extension); } return tryAddingExtensions(extensionless, extensions, extension, onlyRecordFailures, state); } function loadFileNameFromPackageJsonField(extensions, candidate, onlyRecordFailures, state) { if (extensions & 1 && fileExtensionIsOneOf(candidate, supportedTSImplementationExtensions) || extensions & 4 && fileExtensionIsOneOf(candidate, supportedDeclarationExtensions)) { const result = tryFile(candidate, onlyRecordFailures, state); return result !== void 0 ? { path: candidate, ext: tryExtractTSExtension(candidate), resolvedUsingTsExtension: void 0 } : void 0; } if (state.isConfigLookup && extensions === 8 && fileExtensionIs( candidate, ".json" /* Json */ )) { const result = tryFile(candidate, onlyRecordFailures, state); return result !== void 0 ? { path: candidate, ext: ".json", resolvedUsingTsExtension: void 0 } : void 0; } return loadModuleFromFileNoImplicitExtensions(extensions, candidate, onlyRecordFailures, state); } function tryAddingExtensions(candidate, extensions, originalExtension, onlyRecordFailures, state) { if (!onlyRecordFailures) { const directory = getDirectoryPath(candidate); if (directory) { onlyRecordFailures = !directoryProbablyExists(directory, state.host); } } switch (originalExtension) { case ".mjs": case ".mts": case ".d.mts": return extensions & 1 && tryExtension( ".mts", originalExtension === ".mts" || originalExtension === ".d.mts" /* Dmts */ ) || extensions & 4 && tryExtension( ".d.mts", originalExtension === ".mts" || originalExtension === ".d.mts" /* Dmts */ ) || extensions & 2 && tryExtension( ".mjs" /* Mjs */ ) || void 0; case ".cjs": case ".cts": case ".d.cts": return extensions & 1 && tryExtension( ".cts", originalExtension === ".cts" || originalExtension === ".d.cts" /* Dcts */ ) || extensions & 4 && tryExtension( ".d.cts", originalExtension === ".cts" || originalExtension === ".d.cts" /* Dcts */ ) || extensions & 2 && tryExtension( ".cjs" /* Cjs */ ) || void 0; case ".json": return extensions & 4 && tryExtension(".d.json.ts") || extensions & 8 && tryExtension( ".json" /* Json */ ) || void 0; case ".tsx": case ".jsx": return extensions & 1 && (tryExtension( ".tsx", originalExtension === ".tsx" /* Tsx */ ) || tryExtension( ".ts", originalExtension === ".tsx" /* Tsx */ )) || extensions & 4 && tryExtension( ".d.ts", originalExtension === ".tsx" /* Tsx */ ) || extensions & 2 && (tryExtension( ".jsx" /* Jsx */ ) || tryExtension( ".js" /* Js */ )) || void 0; case ".ts": case ".d.ts": case ".js": case "": return extensions & 1 && (tryExtension( ".ts", originalExtension === ".ts" || originalExtension === ".d.ts" /* Dts */ ) || tryExtension( ".tsx", originalExtension === ".ts" || originalExtension === ".d.ts" /* Dts */ )) || extensions & 4 && tryExtension( ".d.ts", originalExtension === ".ts" || originalExtension === ".d.ts" /* Dts */ ) || extensions & 2 && (tryExtension( ".js" /* Js */ ) || tryExtension( ".jsx" /* Jsx */ )) || state.isConfigLookup && tryExtension( ".json" /* Json */ ) || void 0; default: return extensions & 4 && !isDeclarationFileName(candidate + originalExtension) && tryExtension(`.d${originalExtension}.ts`) || void 0; } function tryExtension(ext, resolvedUsingTsExtension) { const path17 = tryFile(candidate + ext, onlyRecordFailures, state); return path17 === void 0 ? void 0 : { path: path17, ext, resolvedUsingTsExtension: !state.candidateIsFromPackageJsonField && resolvedUsingTsExtension }; } } function tryFile(fileName, onlyRecordFailures, state) { var _a; if (!((_a = state.compilerOptions.moduleSuffixes) == null ? void 0 : _a.length)) { return tryFileLookup(fileName, onlyRecordFailures, state); } const ext = tryGetExtensionFromPath2(fileName) ?? ""; const fileNameNoExtension = ext ? removeExtension(fileName, ext) : fileName; return forEach(state.compilerOptions.moduleSuffixes, (suffix) => tryFileLookup(fileNameNoExtension + suffix + ext, onlyRecordFailures, state)); } function tryFileLookup(fileName, onlyRecordFailures, state) { var _a; if (!onlyRecordFailures) { if (state.host.fileExists(fileName)) { if (state.traceEnabled) { trace(state.host, Diagnostics.File_0_exists_use_it_as_a_name_resolution_result, fileName); } return fileName; } else { if (state.traceEnabled) { trace(state.host, Diagnostics.File_0_does_not_exist, fileName); } } } (_a = state.failedLookupLocations) == null ? void 0 : _a.push(fileName); return void 0; } function loadNodeModuleFromDirectory(extensions, candidate, onlyRecordFailures, state, considerPackageJson = true) { const packageInfo = considerPackageJson ? getPackageJsonInfo(candidate, onlyRecordFailures, state) : void 0; const packageJsonContent = packageInfo && packageInfo.contents.packageJsonContent; const versionPaths = packageInfo && getVersionPathsOfPackageJsonInfo(packageInfo, state); return withPackageId(packageInfo, loadNodeModuleFromDirectoryWorker(extensions, candidate, onlyRecordFailures, state, packageJsonContent, versionPaths), state); } function getEntrypointsFromPackageJsonInfo(packageJsonInfo, options, host, cache, resolveJs) { if (!resolveJs && packageJsonInfo.contents.resolvedEntrypoints !== void 0) { return packageJsonInfo.contents.resolvedEntrypoints; } let entrypoints; const extensions = 1 | 4 | (resolveJs ? 2 : 0); const features = getNodeResolutionFeatures(options); const loadPackageJsonMainState = getTemporaryModuleResolutionState(cache == null ? void 0 : cache.getPackageJsonInfoCache(), host, options); loadPackageJsonMainState.conditions = getConditions(options); loadPackageJsonMainState.requestContainingDirectory = packageJsonInfo.packageDirectory; const mainResolution = loadNodeModuleFromDirectoryWorker( extensions, packageJsonInfo.packageDirectory, /*onlyRecordFailures*/ false, loadPackageJsonMainState, packageJsonInfo.contents.packageJsonContent, getVersionPathsOfPackageJsonInfo(packageJsonInfo, loadPackageJsonMainState) ); entrypoints = append(entrypoints, mainResolution == null ? void 0 : mainResolution.path); if (features & 8 && packageJsonInfo.contents.packageJsonContent.exports) { const conditionSets = deduplicate( [getConditions( options, 99 /* ESNext */ ), getConditions( options, 1 /* CommonJS */ )], arrayIsEqualTo ); for (const conditions of conditionSets) { const loadPackageJsonExportsState = { ...loadPackageJsonMainState, failedLookupLocations: [], conditions, host }; const exportResolutions = loadEntrypointsFromExportMap( packageJsonInfo, packageJsonInfo.contents.packageJsonContent.exports, loadPackageJsonExportsState, extensions ); if (exportResolutions) { for (const resolution of exportResolutions) { entrypoints = appendIfUnique(entrypoints, resolution.path); } } } } return packageJsonInfo.contents.resolvedEntrypoints = entrypoints || false; } function loadEntrypointsFromExportMap(scope, exports22, state, extensions) { let entrypoints; if (isArray3(exports22)) { for (const target of exports22) { loadEntrypointsFromTargetExports(target); } } else if (typeof exports22 === "object" && exports22 !== null && allKeysStartWithDot(exports22)) { for (const key in exports22) { loadEntrypointsFromTargetExports(exports22[key]); } } else { loadEntrypointsFromTargetExports(exports22); } return entrypoints; function loadEntrypointsFromTargetExports(target) { var _a, _b; if (typeof target === "string" && startsWith2(target, "./")) { if (target.includes("*") && state.host.readDirectory) { if (target.indexOf("*") !== target.lastIndexOf("*")) { return false; } state.host.readDirectory( scope.packageDirectory, extensionsToExtensionsArray(extensions), /*excludes*/ void 0, [ changeFullExtension(replaceFirstStar(target, "**/*"), ".*") ] ).forEach((entry) => { entrypoints = appendIfUnique(entrypoints, { path: entry, ext: getAnyExtensionFromPath(entry), resolvedUsingTsExtension: void 0 }); }); } else { const partsAfterFirst = getPathComponents(target).slice(2); if (partsAfterFirst.includes("..") || partsAfterFirst.includes(".") || partsAfterFirst.includes("node_modules")) { return false; } const resolvedTarget = combinePaths(scope.packageDirectory, target); const finalPath = getNormalizedAbsolutePath(resolvedTarget, (_b = (_a = state.host).getCurrentDirectory) == null ? void 0 : _b.call(_a)); const result = loadFileNameFromPackageJsonField( extensions, finalPath, /*onlyRecordFailures*/ false, state ); if (result) { entrypoints = appendIfUnique(entrypoints, result, (a, b) => a.path === b.path); return true; } } } else if (Array.isArray(target)) { for (const t of target) { const success = loadEntrypointsFromTargetExports(t); if (success) { return true; } } } else if (typeof target === "object" && target !== null) { return forEach(getOwnKeys(target), (key) => { if (key === "default" || contains(state.conditions, key) || isApplicableVersionedTypesKey(state.conditions, key)) { loadEntrypointsFromTargetExports(target[key]); return true; } }); } } } function getTemporaryModuleResolutionState(packageJsonInfoCache, host, options) { return { host, compilerOptions: options, traceEnabled: isTraceEnabled(options, host), failedLookupLocations: void 0, affectingLocations: void 0, packageJsonInfoCache, features: 0, conditions: emptyArray, requestContainingDirectory: void 0, reportDiagnostic: noop2, isConfigLookup: false, candidateIsFromPackageJsonField: false, resolvedPackageDirectory: false }; } function getPackageScopeForPath(fileName, state) { const parts = getPathComponents(fileName); parts.pop(); while (parts.length > 0) { const pkg = getPackageJsonInfo( getPathFromPathComponents(parts), /*onlyRecordFailures*/ false, state ); if (pkg) { return pkg; } parts.pop(); } return void 0; } function getVersionPathsOfPackageJsonInfo(packageJsonInfo, state) { if (packageJsonInfo.contents.versionPaths === void 0) { packageJsonInfo.contents.versionPaths = readPackageJsonTypesVersionPaths(packageJsonInfo.contents.packageJsonContent, state) || false; } return packageJsonInfo.contents.versionPaths || void 0; } function getPeerDependenciesOfPackageJsonInfo(packageJsonInfo, state) { if (packageJsonInfo.contents.peerDependencies === void 0) { packageJsonInfo.contents.peerDependencies = readPackageJsonPeerDependencies(packageJsonInfo, state) || false; } return packageJsonInfo.contents.peerDependencies || void 0; } function readPackageJsonPeerDependencies(packageJsonInfo, state) { const peerDependencies = readPackageJsonField(packageJsonInfo.contents.packageJsonContent, "peerDependencies", "object", state); if (peerDependencies === void 0) return void 0; if (state.traceEnabled) trace(state.host, Diagnostics.package_json_has_a_peerDependencies_field); const packageDirectory = realPath(packageJsonInfo.packageDirectory, state.host, state.traceEnabled); const nodeModules = packageDirectory.substring(0, packageDirectory.lastIndexOf("node_modules") + "node_modules".length) + directorySeparator; let result = ""; for (const key in peerDependencies) { if (hasProperty(peerDependencies, key)) { const peerPackageJson = getPackageJsonInfo( nodeModules + key, /*onlyRecordFailures*/ false, state ); if (peerPackageJson) { const version2 = peerPackageJson.contents.packageJsonContent.version; result += `+${key}@${version2}`; if (state.traceEnabled) trace(state.host, Diagnostics.Found_peerDependency_0_with_1_version, key, version2); } else { if (state.traceEnabled) trace(state.host, Diagnostics.Failed_to_find_peerDependency_0, key); } } } return result; } function getPackageJsonInfo(packageDirectory, onlyRecordFailures, state) { var _a, _b, _c, _d, _e, _f; const { host, traceEnabled } = state; const packageJsonPath = combinePaths(packageDirectory, "package.json"); if (onlyRecordFailures) { (_a = state.failedLookupLocations) == null ? void 0 : _a.push(packageJsonPath); return void 0; } const existing = (_b = state.packageJsonInfoCache) == null ? void 0 : _b.getPackageJsonInfo(packageJsonPath); if (existing !== void 0) { if (isPackageJsonInfo(existing)) { if (traceEnabled) trace(host, Diagnostics.File_0_exists_according_to_earlier_cached_lookups, packageJsonPath); (_c = state.affectingLocations) == null ? void 0 : _c.push(packageJsonPath); return existing.packageDirectory === packageDirectory ? existing : { packageDirectory, contents: existing.contents }; } else { if (existing.directoryExists && traceEnabled) trace(host, Diagnostics.File_0_does_not_exist_according_to_earlier_cached_lookups, packageJsonPath); (_d = state.failedLookupLocations) == null ? void 0 : _d.push(packageJsonPath); return void 0; } } const directoryExists = directoryProbablyExists(packageDirectory, host); if (directoryExists && host.fileExists(packageJsonPath)) { const packageJsonContent = readJson(packageJsonPath, host); if (traceEnabled) { trace(host, Diagnostics.Found_package_json_at_0, packageJsonPath); } const result = { packageDirectory, contents: { packageJsonContent, versionPaths: void 0, resolvedEntrypoints: void 0, peerDependencies: void 0 } }; if (state.packageJsonInfoCache && !state.packageJsonInfoCache.isReadonly) state.packageJsonInfoCache.setPackageJsonInfo(packageJsonPath, result); (_e = state.affectingLocations) == null ? void 0 : _e.push(packageJsonPath); return result; } else { if (directoryExists && traceEnabled) { trace(host, Diagnostics.File_0_does_not_exist, packageJsonPath); } if (state.packageJsonInfoCache && !state.packageJsonInfoCache.isReadonly) state.packageJsonInfoCache.setPackageJsonInfo(packageJsonPath, { packageDirectory, directoryExists }); (_f = state.failedLookupLocations) == null ? void 0 : _f.push(packageJsonPath); } } function loadNodeModuleFromDirectoryWorker(extensions, candidate, onlyRecordFailures, state, jsonContent, versionPaths) { let packageFile; if (jsonContent) { if (state.isConfigLookup) { packageFile = readPackageJsonTSConfigField(jsonContent, candidate, state); } else { packageFile = extensions & 4 && readPackageJsonTypesFields(jsonContent, candidate, state) || extensions & (3 | 4) && readPackageJsonMainField(jsonContent, candidate, state) || void 0; } } const loader = (extensions2, candidate2, onlyRecordFailures2, state2) => { const fromFile = loadFileNameFromPackageJsonField(extensions2, candidate2, onlyRecordFailures2, state2); if (fromFile) { return noPackageId(fromFile); } const expandedExtensions = extensions2 === 4 ? 1 | 4 : extensions2; const features = state2.features; const candidateIsFromPackageJsonField = state2.candidateIsFromPackageJsonField; state2.candidateIsFromPackageJsonField = true; if ((jsonContent == null ? void 0 : jsonContent.type) !== "module") { state2.features &= ~32; } const result = nodeLoadModuleByRelativeName( expandedExtensions, candidate2, onlyRecordFailures2, state2, /*considerPackageJson*/ false ); state2.features = features; state2.candidateIsFromPackageJsonField = candidateIsFromPackageJsonField; return result; }; const onlyRecordFailuresForPackageFile = packageFile ? !directoryProbablyExists(getDirectoryPath(packageFile), state.host) : void 0; const onlyRecordFailuresForIndex = onlyRecordFailures || !directoryProbablyExists(candidate, state.host); const indexPath = combinePaths(candidate, state.isConfigLookup ? "tsconfig" : "index"); if (versionPaths && (!packageFile || containsPath(candidate, packageFile))) { const moduleName = getRelativePathFromDirectory( candidate, packageFile || indexPath, /*ignoreCase*/ false ); if (state.traceEnabled) { trace(state.host, Diagnostics.package_json_has_a_typesVersions_entry_0_that_matches_compiler_version_1_looking_for_a_pattern_to_match_module_name_2, versionPaths.version, version, moduleName); } const result = tryLoadModuleUsingPaths( extensions, moduleName, candidate, versionPaths.paths, /*pathPatterns*/ void 0, loader, onlyRecordFailuresForPackageFile || onlyRecordFailuresForIndex, state ); if (result) { return removeIgnoredPackageId(result.value); } } const packageFileResult = packageFile && removeIgnoredPackageId(loader(extensions, packageFile, onlyRecordFailuresForPackageFile, state)); if (packageFileResult) return packageFileResult; if (!(state.features & 32)) { return loadModuleFromFile(extensions, indexPath, onlyRecordFailuresForIndex, state); } } function extensionIsOk(extensions, extension) { return extensions & 2 && (extension === ".js" || extension === ".jsx" || extension === ".mjs" || extension === ".cjs") || extensions & 1 && (extension === ".ts" || extension === ".tsx" || extension === ".mts" || extension === ".cts") || extensions & 4 && (extension === ".d.ts" || extension === ".d.mts" || extension === ".d.cts") || extensions & 8 && extension === ".json" || false; } function parsePackageName(moduleName) { let idx = moduleName.indexOf(directorySeparator); if (moduleName[0] === "@") { idx = moduleName.indexOf(directorySeparator, idx + 1); } return idx === -1 ? { packageName: moduleName, rest: "" } : { packageName: moduleName.slice(0, idx), rest: moduleName.slice(idx + 1) }; } function allKeysStartWithDot(obj) { return every(getOwnKeys(obj), (k) => startsWith2(k, ".")); } function noKeyStartsWithDot(obj) { return !some(getOwnKeys(obj), (k) => startsWith2(k, ".")); } function loadModuleFromSelfNameReference(extensions, moduleName, directory, state, cache, redirectedReference) { var _a, _b; const directoryPath = getNormalizedAbsolutePath(combinePaths(directory, "dummy"), (_b = (_a = state.host).getCurrentDirectory) == null ? void 0 : _b.call(_a)); const scope = getPackageScopeForPath(directoryPath, state); if (!scope || !scope.contents.packageJsonContent.exports) { return void 0; } if (typeof scope.contents.packageJsonContent.name !== "string") { return void 0; } const parts = getPathComponents(moduleName); const nameParts = getPathComponents(scope.contents.packageJsonContent.name); if (!every(nameParts, (p, i) => parts[i] === p)) { return void 0; } const trailingParts = parts.slice(nameParts.length); const subpath = !length(trailingParts) ? "." : `.${directorySeparator}${trailingParts.join(directorySeparator)}`; if (getAllowJSCompilerOption(state.compilerOptions) && !pathContainsNodeModules(directory)) { return loadModuleFromExports(scope, extensions, subpath, state, cache, redirectedReference); } const priorityExtensions = extensions & (1 | 4); const secondaryExtensions = extensions & ~(1 | 4); return loadModuleFromExports(scope, priorityExtensions, subpath, state, cache, redirectedReference) || loadModuleFromExports(scope, secondaryExtensions, subpath, state, cache, redirectedReference); } function loadModuleFromExports(scope, extensions, subpath, state, cache, redirectedReference) { if (!scope.contents.packageJsonContent.exports) { return void 0; } if (subpath === ".") { let mainExport; if (typeof scope.contents.packageJsonContent.exports === "string" || Array.isArray(scope.contents.packageJsonContent.exports) || typeof scope.contents.packageJsonContent.exports === "object" && noKeyStartsWithDot(scope.contents.packageJsonContent.exports)) { mainExport = scope.contents.packageJsonContent.exports; } else if (hasProperty(scope.contents.packageJsonContent.exports, ".")) { mainExport = scope.contents.packageJsonContent.exports["."]; } if (mainExport) { const loadModuleFromTargetImportOrExport = getLoadModuleFromTargetImportOrExport( extensions, state, cache, redirectedReference, subpath, scope, /*isImports*/ false ); return loadModuleFromTargetImportOrExport( mainExport, "", /*pattern*/ false, "." ); } } else if (allKeysStartWithDot(scope.contents.packageJsonContent.exports)) { if (typeof scope.contents.packageJsonContent.exports !== "object") { if (state.traceEnabled) { trace(state.host, Diagnostics.Export_specifier_0_does_not_exist_in_package_json_scope_at_path_1, subpath, scope.packageDirectory); } return toSearchResult( /*value*/ void 0 ); } const result = loadModuleFromImportsOrExports( extensions, state, cache, redirectedReference, subpath, scope.contents.packageJsonContent.exports, scope, /*isImports*/ false ); if (result) { return result; } } if (state.traceEnabled) { trace(state.host, Diagnostics.Export_specifier_0_does_not_exist_in_package_json_scope_at_path_1, subpath, scope.packageDirectory); } return toSearchResult( /*value*/ void 0 ); } function loadModuleFromImports(extensions, moduleName, directory, state, cache, redirectedReference) { var _a, _b; if (moduleName === "#" || startsWith2(moduleName, "#/")) { if (state.traceEnabled) { trace(state.host, Diagnostics.Invalid_import_specifier_0_has_no_possible_resolutions, moduleName); } return toSearchResult( /*value*/ void 0 ); } const directoryPath = getNormalizedAbsolutePath(combinePaths(directory, "dummy"), (_b = (_a = state.host).getCurrentDirectory) == null ? void 0 : _b.call(_a)); const scope = getPackageScopeForPath(directoryPath, state); if (!scope) { if (state.traceEnabled) { trace(state.host, Diagnostics.Directory_0_has_no_containing_package_json_scope_Imports_will_not_resolve, directoryPath); } return toSearchResult( /*value*/ void 0 ); } if (!scope.contents.packageJsonContent.imports) { if (state.traceEnabled) { trace(state.host, Diagnostics.package_json_scope_0_has_no_imports_defined, scope.packageDirectory); } return toSearchResult( /*value*/ void 0 ); } const result = loadModuleFromImportsOrExports( extensions, state, cache, redirectedReference, moduleName, scope.contents.packageJsonContent.imports, scope, /*isImports*/ true ); if (result) { return result; } if (state.traceEnabled) { trace(state.host, Diagnostics.Import_specifier_0_does_not_exist_in_package_json_scope_at_path_1, moduleName, scope.packageDirectory); } return toSearchResult( /*value*/ void 0 ); } function comparePatternKeys(a, b) { const aPatternIndex = a.indexOf("*"); const bPatternIndex = b.indexOf("*"); const baseLenA = aPatternIndex === -1 ? a.length : aPatternIndex + 1; const baseLenB = bPatternIndex === -1 ? b.length : bPatternIndex + 1; if (baseLenA > baseLenB) return -1; if (baseLenB > baseLenA) return 1; if (aPatternIndex === -1) return 1; if (bPatternIndex === -1) return -1; if (a.length > b.length) return -1; if (b.length > a.length) return 1; return 0; } function loadModuleFromImportsOrExports(extensions, state, cache, redirectedReference, moduleName, lookupTable, scope, isImports) { const loadModuleFromTargetImportOrExport = getLoadModuleFromTargetImportOrExport(extensions, state, cache, redirectedReference, moduleName, scope, isImports); if (!endsWith(moduleName, directorySeparator) && !moduleName.includes("*") && hasProperty(lookupTable, moduleName)) { const target = lookupTable[moduleName]; return loadModuleFromTargetImportOrExport( target, /*subpath*/ "", /*pattern*/ false, moduleName ); } const expandingKeys = sort(filter(getOwnKeys(lookupTable), (k) => hasOneAsterisk(k) || endsWith(k, "/")), comparePatternKeys); for (const potentialTarget of expandingKeys) { if (state.features & 16 && matchesPatternWithTrailer(potentialTarget, moduleName)) { const target = lookupTable[potentialTarget]; const starPos = potentialTarget.indexOf("*"); const subpath = moduleName.substring(potentialTarget.substring(0, starPos).length, moduleName.length - (potentialTarget.length - 1 - starPos)); return loadModuleFromTargetImportOrExport( target, subpath, /*pattern*/ true, potentialTarget ); } else if (endsWith(potentialTarget, "*") && startsWith2(moduleName, potentialTarget.substring(0, potentialTarget.length - 1))) { const target = lookupTable[potentialTarget]; const subpath = moduleName.substring(potentialTarget.length - 1); return loadModuleFromTargetImportOrExport( target, subpath, /*pattern*/ true, potentialTarget ); } else if (startsWith2(moduleName, potentialTarget)) { const target = lookupTable[potentialTarget]; const subpath = moduleName.substring(potentialTarget.length); return loadModuleFromTargetImportOrExport( target, subpath, /*pattern*/ false, potentialTarget ); } } function matchesPatternWithTrailer(target, name) { if (endsWith(target, "*")) return false; const starPos = target.indexOf("*"); if (starPos === -1) return false; return startsWith2(name, target.substring(0, starPos)) && endsWith(name, target.substring(starPos + 1)); } } function hasOneAsterisk(patternKey) { const firstStar = patternKey.indexOf("*"); return firstStar !== -1 && firstStar === patternKey.lastIndexOf("*"); } function getLoadModuleFromTargetImportOrExport(extensions, state, cache, redirectedReference, moduleName, scope, isImports) { return loadModuleFromTargetImportOrExport; function loadModuleFromTargetImportOrExport(target, subpath, pattern, key) { if (typeof target === "string") { if (!pattern && subpath.length > 0 && !endsWith(target, "/")) { if (state.traceEnabled) { trace(state.host, Diagnostics.package_json_scope_0_has_invalid_type_for_target_of_specifier_1, scope.packageDirectory, moduleName); } return toSearchResult( /*value*/ void 0 ); } if (!startsWith2(target, "./")) { if (isImports && !startsWith2(target, "../") && !startsWith2(target, "/") && !isRootedDiskPath(target)) { const combinedLookup = pattern ? target.replace(/\*/g, subpath) : target + subpath; traceIfEnabled(state, Diagnostics.Using_0_subpath_1_with_target_2, "imports", key, combinedLookup); traceIfEnabled(state, Diagnostics.Resolving_module_0_from_1, combinedLookup, scope.packageDirectory + "/"); const result = nodeModuleNameResolverWorker( state.features, combinedLookup, scope.packageDirectory + "/", state.compilerOptions, state.host, cache, extensions, /*isConfigLookup*/ false, redirectedReference, state.conditions ); return toSearchResult( result.resolvedModule ? { path: result.resolvedModule.resolvedFileName, extension: result.resolvedModule.extension, packageId: result.resolvedModule.packageId, originalPath: result.resolvedModule.originalPath, resolvedUsingTsExtension: result.resolvedModule.resolvedUsingTsExtension } : void 0 ); } if (state.traceEnabled) { trace(state.host, Diagnostics.package_json_scope_0_has_invalid_type_for_target_of_specifier_1, scope.packageDirectory, moduleName); } return toSearchResult( /*value*/ void 0 ); } const parts = pathIsRelative(target) ? getPathComponents(target).slice(1) : getPathComponents(target); const partsAfterFirst = parts.slice(1); if (partsAfterFirst.includes("..") || partsAfterFirst.includes(".") || partsAfterFirst.includes("node_modules")) { if (state.traceEnabled) { trace(state.host, Diagnostics.package_json_scope_0_has_invalid_type_for_target_of_specifier_1, scope.packageDirectory, moduleName); } return toSearchResult( /*value*/ void 0 ); } const resolvedTarget = combinePaths(scope.packageDirectory, target); const subpathParts = getPathComponents(subpath); if (subpathParts.includes("..") || subpathParts.includes(".") || subpathParts.includes("node_modules")) { if (state.traceEnabled) { trace(state.host, Diagnostics.package_json_scope_0_has_invalid_type_for_target_of_specifier_1, scope.packageDirectory, moduleName); } return toSearchResult( /*value*/ void 0 ); } if (state.traceEnabled) { trace(state.host, Diagnostics.Using_0_subpath_1_with_target_2, isImports ? "imports" : "exports", key, pattern ? target.replace(/\*/g, subpath) : target + subpath); } const finalPath = toAbsolutePath(pattern ? resolvedTarget.replace(/\*/g, subpath) : resolvedTarget + subpath); const inputLink = tryLoadInputFileForPath(finalPath, subpath, combinePaths(scope.packageDirectory, "package.json"), isImports); if (inputLink) return inputLink; return toSearchResult(withPackageId(scope, loadFileNameFromPackageJsonField( extensions, finalPath, /*onlyRecordFailures*/ false, state ), state)); } else if (typeof target === "object" && target !== null) { if (!Array.isArray(target)) { traceIfEnabled(state, Diagnostics.Entering_conditional_exports); for (const condition of getOwnKeys(target)) { if (condition === "default" || state.conditions.includes(condition) || isApplicableVersionedTypesKey(state.conditions, condition)) { traceIfEnabled(state, Diagnostics.Matched_0_condition_1, isImports ? "imports" : "exports", condition); const subTarget = target[condition]; const result = loadModuleFromTargetImportOrExport(subTarget, subpath, pattern, key); if (result) { traceIfEnabled(state, Diagnostics.Resolved_under_condition_0, condition); traceIfEnabled(state, Diagnostics.Exiting_conditional_exports); return result; } else { traceIfEnabled(state, Diagnostics.Failed_to_resolve_under_condition_0, condition); } } else { traceIfEnabled(state, Diagnostics.Saw_non_matching_condition_0, condition); } } traceIfEnabled(state, Diagnostics.Exiting_conditional_exports); return void 0; } else { if (!length(target)) { if (state.traceEnabled) { trace(state.host, Diagnostics.package_json_scope_0_has_invalid_type_for_target_of_specifier_1, scope.packageDirectory, moduleName); } return toSearchResult( /*value*/ void 0 ); } for (const elem of target) { const result = loadModuleFromTargetImportOrExport(elem, subpath, pattern, key); if (result) { return result; } } } } else if (target === null) { if (state.traceEnabled) { trace(state.host, Diagnostics.package_json_scope_0_explicitly_maps_specifier_1_to_null, scope.packageDirectory, moduleName); } return toSearchResult( /*value*/ void 0 ); } if (state.traceEnabled) { trace(state.host, Diagnostics.package_json_scope_0_has_invalid_type_for_target_of_specifier_1, scope.packageDirectory, moduleName); } return toSearchResult( /*value*/ void 0 ); function toAbsolutePath(path17) { var _a, _b; if (path17 === void 0) return path17; return getNormalizedAbsolutePath(path17, (_b = (_a = state.host).getCurrentDirectory) == null ? void 0 : _b.call(_a)); } function combineDirectoryPath(root2, dir) { return ensureTrailingDirectorySeparator(combinePaths(root2, dir)); } function tryLoadInputFileForPath(finalPath, entry, packagePath, isImports2) { var _a, _b, _c, _d; if (!state.isConfigLookup && (state.compilerOptions.declarationDir || state.compilerOptions.outDir) && !finalPath.includes("/node_modules/") && (state.compilerOptions.configFile ? containsPath(scope.packageDirectory, toAbsolutePath(state.compilerOptions.configFile.fileName), !useCaseSensitiveFileNames(state)) : true)) { const getCanonicalFileName = hostGetCanonicalFileName({ useCaseSensitiveFileNames: () => useCaseSensitiveFileNames(state) }); const commonSourceDirGuesses = []; if (state.compilerOptions.rootDir || state.compilerOptions.composite && state.compilerOptions.configFilePath) { const commonDir = toAbsolutePath(getCommonSourceDirectory(state.compilerOptions, () => [], ((_b = (_a = state.host).getCurrentDirectory) == null ? void 0 : _b.call(_a)) || "", getCanonicalFileName)); commonSourceDirGuesses.push(commonDir); } else if (state.requestContainingDirectory) { const requestingFile = toAbsolutePath(combinePaths(state.requestContainingDirectory, "index.ts")); const commonDir = toAbsolutePath(getCommonSourceDirectory(state.compilerOptions, () => [requestingFile, toAbsolutePath(packagePath)], ((_d = (_c = state.host).getCurrentDirectory) == null ? void 0 : _d.call(_c)) || "", getCanonicalFileName)); commonSourceDirGuesses.push(commonDir); let fragment = ensureTrailingDirectorySeparator(commonDir); while (fragment && fragment.length > 1) { const parts = getPathComponents(fragment); parts.pop(); const commonDir2 = getPathFromPathComponents(parts); commonSourceDirGuesses.unshift(commonDir2); fragment = ensureTrailingDirectorySeparator(commonDir2); } } if (commonSourceDirGuesses.length > 1) { state.reportDiagnostic(createCompilerDiagnostic( isImports2 ? Diagnostics.The_project_root_is_ambiguous_but_is_required_to_resolve_import_map_entry_0_in_file_1_Supply_the_rootDir_compiler_option_to_disambiguate : Diagnostics.The_project_root_is_ambiguous_but_is_required_to_resolve_export_map_entry_0_in_file_1_Supply_the_rootDir_compiler_option_to_disambiguate, entry === "" ? "." : entry, // replace empty string with `.` - the reverse of the operation done when entries are built - so main entrypoint errors don't look weird packagePath )); } for (const commonSourceDirGuess of commonSourceDirGuesses) { const candidateDirectories = getOutputDirectoriesForBaseDirectory(commonSourceDirGuess); for (const candidateDir of candidateDirectories) { if (containsPath(candidateDir, finalPath, !useCaseSensitiveFileNames(state))) { const pathFragment = finalPath.slice(candidateDir.length + 1); const possibleInputBase = combinePaths(commonSourceDirGuess, pathFragment); const jsAndDtsExtensions = [ ".mjs", ".cjs", ".js", ".json", ".d.mts", ".d.cts", ".d.ts" /* Dts */ ]; for (const ext of jsAndDtsExtensions) { if (fileExtensionIs(possibleInputBase, ext)) { const inputExts = getPossibleOriginalInputExtensionForExtension(possibleInputBase); for (const possibleExt of inputExts) { if (!extensionIsOk(extensions, possibleExt)) continue; const possibleInputWithInputExtension = changeAnyExtension(possibleInputBase, possibleExt, ext, !useCaseSensitiveFileNames(state)); if (state.host.fileExists(possibleInputWithInputExtension)) { return toSearchResult(withPackageId(scope, loadFileNameFromPackageJsonField( extensions, possibleInputWithInputExtension, /*onlyRecordFailures*/ false, state ), state)); } } } } } } } } return void 0; function getOutputDirectoriesForBaseDirectory(commonSourceDirGuess) { var _a2, _b2; const currentDir = state.compilerOptions.configFile ? ((_b2 = (_a2 = state.host).getCurrentDirectory) == null ? void 0 : _b2.call(_a2)) || "" : commonSourceDirGuess; const candidateDirectories = []; if (state.compilerOptions.declarationDir) { candidateDirectories.push(toAbsolutePath(combineDirectoryPath(currentDir, state.compilerOptions.declarationDir))); } if (state.compilerOptions.outDir && state.compilerOptions.outDir !== state.compilerOptions.declarationDir) { candidateDirectories.push(toAbsolutePath(combineDirectoryPath(currentDir, state.compilerOptions.outDir))); } return candidateDirectories; } } } } function isApplicableVersionedTypesKey(conditions, key) { if (!conditions.includes("types")) return false; if (!startsWith2(key, "types@")) return false; const range = VersionRange.tryParse(key.substring("types@".length)); if (!range) return false; return range.test(version); } function loadModuleFromNearestNodeModulesDirectory(extensions, moduleName, directory, state, cache, redirectedReference) { return loadModuleFromNearestNodeModulesDirectoryWorker( extensions, moduleName, directory, state, /*typesScopeOnly*/ false, cache, redirectedReference ); } function loadModuleFromNearestNodeModulesDirectoryTypesScope(moduleName, directory, state) { return loadModuleFromNearestNodeModulesDirectoryWorker( 4, moduleName, directory, state, /*typesScopeOnly*/ true, /*cache*/ void 0, /*redirectedReference*/ void 0 ); } function loadModuleFromNearestNodeModulesDirectoryWorker(extensions, moduleName, directory, state, typesScopeOnly, cache, redirectedReference) { const mode = state.features === 0 ? void 0 : state.features & 32 ? 99 : 1; const priorityExtensions = extensions & (1 | 4); const secondaryExtensions = extensions & ~(1 | 4); if (priorityExtensions) { traceIfEnabled(state, Diagnostics.Searching_all_ancestor_node_modules_directories_for_preferred_extensions_Colon_0, formatExtensions(priorityExtensions)); const result = lookup(priorityExtensions); if (result) return result; } if (secondaryExtensions && !typesScopeOnly) { traceIfEnabled(state, Diagnostics.Searching_all_ancestor_node_modules_directories_for_fallback_extensions_Colon_0, formatExtensions(secondaryExtensions)); return lookup(secondaryExtensions); } function lookup(extensions2) { return forEachAncestorDirectory(normalizeSlashes(directory), (ancestorDirectory) => { if (getBaseFileName(ancestorDirectory) !== "node_modules") { const resolutionFromCache = tryFindNonRelativeModuleNameInCache(cache, moduleName, mode, ancestorDirectory, redirectedReference, state); if (resolutionFromCache) { return resolutionFromCache; } return toSearchResult(loadModuleFromImmediateNodeModulesDirectory(extensions2, moduleName, ancestorDirectory, state, typesScopeOnly, cache, redirectedReference)); } }); } } function loadModuleFromImmediateNodeModulesDirectory(extensions, moduleName, directory, state, typesScopeOnly, cache, redirectedReference) { const nodeModulesFolder = combinePaths(directory, "node_modules"); const nodeModulesFolderExists = directoryProbablyExists(nodeModulesFolder, state.host); if (!nodeModulesFolderExists && state.traceEnabled) { trace(state.host, Diagnostics.Directory_0_does_not_exist_skipping_all_lookups_in_it, nodeModulesFolder); } if (!typesScopeOnly) { const packageResult = loadModuleFromSpecificNodeModulesDirectory(extensions, moduleName, nodeModulesFolder, nodeModulesFolderExists, state, cache, redirectedReference); if (packageResult) { return packageResult; } } if (extensions & 4) { const nodeModulesAtTypes2 = combinePaths(nodeModulesFolder, "@types"); let nodeModulesAtTypesExists = nodeModulesFolderExists; if (nodeModulesFolderExists && !directoryProbablyExists(nodeModulesAtTypes2, state.host)) { if (state.traceEnabled) { trace(state.host, Diagnostics.Directory_0_does_not_exist_skipping_all_lookups_in_it, nodeModulesAtTypes2); } nodeModulesAtTypesExists = false; } return loadModuleFromSpecificNodeModulesDirectory(4, mangleScopedPackageNameWithTrace(moduleName, state), nodeModulesAtTypes2, nodeModulesAtTypesExists, state, cache, redirectedReference); } } function loadModuleFromSpecificNodeModulesDirectory(extensions, moduleName, nodeModulesDirectory, nodeModulesDirectoryExists, state, cache, redirectedReference) { var _a, _b; const candidate = normalizePath(combinePaths(nodeModulesDirectory, moduleName)); const { packageName, rest } = parsePackageName(moduleName); const packageDirectory = combinePaths(nodeModulesDirectory, packageName); let rootPackageInfo; let packageInfo = getPackageJsonInfo(candidate, !nodeModulesDirectoryExists, state); if (rest !== "" && packageInfo && (!(state.features & 8) || !hasProperty(((_a = rootPackageInfo = getPackageJsonInfo(packageDirectory, !nodeModulesDirectoryExists, state)) == null ? void 0 : _a.contents.packageJsonContent) ?? emptyArray, "exports"))) { const fromFile = loadModuleFromFile(extensions, candidate, !nodeModulesDirectoryExists, state); if (fromFile) { return noPackageId(fromFile); } const fromDirectory = loadNodeModuleFromDirectoryWorker( extensions, candidate, !nodeModulesDirectoryExists, state, packageInfo.contents.packageJsonContent, getVersionPathsOfPackageJsonInfo(packageInfo, state) ); return withPackageId(packageInfo, fromDirectory, state); } const loader = (extensions2, candidate2, onlyRecordFailures, state2) => { let pathAndExtension = (rest || !(state2.features & 32)) && loadModuleFromFile(extensions2, candidate2, onlyRecordFailures, state2) || loadNodeModuleFromDirectoryWorker( extensions2, candidate2, onlyRecordFailures, state2, packageInfo && packageInfo.contents.packageJsonContent, packageInfo && getVersionPathsOfPackageJsonInfo(packageInfo, state2) ); if (!pathAndExtension && packageInfo && (packageInfo.contents.packageJsonContent.exports === void 0 || packageInfo.contents.packageJsonContent.exports === null) && state2.features & 32) { pathAndExtension = loadModuleFromFile(extensions2, combinePaths(candidate2, "index.js"), onlyRecordFailures, state2); } return withPackageId(packageInfo, pathAndExtension, state2); }; if (rest !== "") { packageInfo = rootPackageInfo ?? getPackageJsonInfo(packageDirectory, !nodeModulesDirectoryExists, state); } if (packageInfo) { state.resolvedPackageDirectory = true; } if (packageInfo && packageInfo.contents.packageJsonContent.exports && state.features & 8) { return (_b = loadModuleFromExports(packageInfo, extensions, combinePaths(".", rest), state, cache, redirectedReference)) == null ? void 0 : _b.value; } const versionPaths = rest !== "" && packageInfo ? getVersionPathsOfPackageJsonInfo(packageInfo, state) : void 0; if (versionPaths) { if (state.traceEnabled) { trace(state.host, Diagnostics.package_json_has_a_typesVersions_entry_0_that_matches_compiler_version_1_looking_for_a_pattern_to_match_module_name_2, versionPaths.version, version, rest); } const packageDirectoryExists = nodeModulesDirectoryExists && directoryProbablyExists(packageDirectory, state.host); const fromPaths = tryLoadModuleUsingPaths( extensions, rest, packageDirectory, versionPaths.paths, /*pathPatterns*/ void 0, loader, !packageDirectoryExists, state ); if (fromPaths) { return fromPaths.value; } } return loader(extensions, candidate, !nodeModulesDirectoryExists, state); } function tryLoadModuleUsingPaths(extensions, moduleName, baseDirectory, paths, pathPatterns, loader, onlyRecordFailures, state) { pathPatterns || (pathPatterns = tryParsePatterns(paths)); const matchedPattern = matchPatternOrExact(pathPatterns, moduleName); if (matchedPattern) { const matchedStar = isString2(matchedPattern) ? void 0 : matchedText(matchedPattern, moduleName); const matchedPatternText = isString2(matchedPattern) ? matchedPattern : patternText(matchedPattern); if (state.traceEnabled) { trace(state.host, Diagnostics.Module_name_0_matched_pattern_1, moduleName, matchedPatternText); } const resolved = forEach(paths[matchedPatternText], (subst) => { const path17 = matchedStar ? replaceFirstStar(subst, matchedStar) : subst; const candidate = normalizePath(combinePaths(baseDirectory, path17)); if (state.traceEnabled) { trace(state.host, Diagnostics.Trying_substitution_0_candidate_module_location_Colon_1, subst, path17); } const extension = tryGetExtensionFromPath2(subst); if (extension !== void 0) { const path22 = tryFile(candidate, onlyRecordFailures, state); if (path22 !== void 0) { return noPackageId({ path: path22, ext: extension, resolvedUsingTsExtension: void 0 }); } } return loader(extensions, candidate, onlyRecordFailures || !directoryProbablyExists(getDirectoryPath(candidate), state.host), state); }); return { value: resolved }; } } var mangledScopedPackageSeparator = "__"; function mangleScopedPackageNameWithTrace(packageName, state) { const mangled = mangleScopedPackageName(packageName); if (state.traceEnabled && mangled !== packageName) { trace(state.host, Diagnostics.Scoped_package_detected_looking_in_0, mangled); } return mangled; } function getTypesPackageName(packageName) { return `@types/${mangleScopedPackageName(packageName)}`; } function mangleScopedPackageName(packageName) { if (startsWith2(packageName, "@")) { const replaceSlash = packageName.replace(directorySeparator, mangledScopedPackageSeparator); if (replaceSlash !== packageName) { return replaceSlash.slice(1); } } return packageName; } function getPackageNameFromTypesPackageName(mangledName) { const withoutAtTypePrefix = removePrefix(mangledName, "@types/"); if (withoutAtTypePrefix !== mangledName) { return unmangleScopedPackageName(withoutAtTypePrefix); } return mangledName; } function unmangleScopedPackageName(typesPackageName) { return typesPackageName.includes(mangledScopedPackageSeparator) ? "@" + typesPackageName.replace(mangledScopedPackageSeparator, directorySeparator) : typesPackageName; } function tryFindNonRelativeModuleNameInCache(cache, moduleName, mode, containingDirectory, redirectedReference, state) { const result = cache && cache.getFromNonRelativeNameCache(moduleName, mode, containingDirectory, redirectedReference); if (result) { if (state.traceEnabled) { trace(state.host, Diagnostics.Resolution_for_module_0_was_found_in_cache_from_location_1, moduleName, containingDirectory); } state.resultFromCache = result; return { value: result.resolvedModule && { path: result.resolvedModule.resolvedFileName, originalPath: result.resolvedModule.originalPath || true, extension: result.resolvedModule.extension, packageId: result.resolvedModule.packageId, resolvedUsingTsExtension: result.resolvedModule.resolvedUsingTsExtension } }; } } function classicNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference) { const traceEnabled = isTraceEnabled(compilerOptions, host); const failedLookupLocations = []; const affectingLocations = []; const containingDirectory = getDirectoryPath(containingFile); const diagnostics = []; const state = { compilerOptions, host, traceEnabled, failedLookupLocations, affectingLocations, packageJsonInfoCache: cache, features: 0, conditions: [], requestContainingDirectory: containingDirectory, reportDiagnostic: (diag2) => void diagnostics.push(diag2), isConfigLookup: false, candidateIsFromPackageJsonField: false, resolvedPackageDirectory: false }; const resolved = tryResolve( 1 | 4 /* Declaration */ ) || tryResolve(2 | (compilerOptions.resolveJsonModule ? 8 : 0)); return createResolvedModuleWithFailedLookupLocationsHandlingSymlink( moduleName, resolved && resolved.value, (resolved == null ? void 0 : resolved.value) && pathContainsNodeModules(resolved.value.path), failedLookupLocations, affectingLocations, diagnostics, state, cache ); function tryResolve(extensions) { const resolvedUsingSettings = tryLoadModuleUsingOptionalResolutionSettings(extensions, moduleName, containingDirectory, loadModuleFromFileNoPackageId, state); if (resolvedUsingSettings) { return { value: resolvedUsingSettings }; } if (!isExternalModuleNameRelative(moduleName)) { const resolved2 = forEachAncestorDirectory(containingDirectory, (directory) => { const resolutionFromCache = tryFindNonRelativeModuleNameInCache( cache, moduleName, /*mode*/ void 0, directory, redirectedReference, state ); if (resolutionFromCache) { return resolutionFromCache; } const searchName = normalizePath(combinePaths(directory, moduleName)); return toSearchResult(loadModuleFromFileNoPackageId( extensions, searchName, /*onlyRecordFailures*/ false, state )); }); if (resolved2) return resolved2; if (extensions & (1 | 4)) { let resolved3 = loadModuleFromNearestNodeModulesDirectoryTypesScope(moduleName, containingDirectory, state); if (extensions & 4) resolved3 ?? (resolved3 = resolveFromTypeRoot(moduleName, state)); return resolved3; } } else { const candidate = normalizePath(combinePaths(containingDirectory, moduleName)); return toSearchResult(loadModuleFromFileNoPackageId( extensions, candidate, /*onlyRecordFailures*/ false, state )); } } } function resolveFromTypeRoot(moduleName, state) { if (!state.compilerOptions.typeRoots) return; for (const typeRoot of state.compilerOptions.typeRoots) { const candidate = getCandidateFromTypeRoot(typeRoot, moduleName, state); const directoryExists = directoryProbablyExists(typeRoot, state.host); if (!directoryExists && state.traceEnabled) { trace(state.host, Diagnostics.Directory_0_does_not_exist_skipping_all_lookups_in_it, typeRoot); } const resolvedFromFile = loadModuleFromFile(4, candidate, !directoryExists, state); if (resolvedFromFile) { const packageDirectory = parseNodeModuleFromPath(resolvedFromFile.path); const packageInfo = packageDirectory ? getPackageJsonInfo( packageDirectory, /*onlyRecordFailures*/ false, state ) : void 0; return toSearchResult(withPackageId(packageInfo, resolvedFromFile, state)); } const resolved = loadNodeModuleFromDirectory(4, candidate, !directoryExists, state); if (resolved) return toSearchResult(resolved); } } function shouldAllowImportingTsExtension(compilerOptions, fromFileName) { return !!compilerOptions.allowImportingTsExtensions || fromFileName && isDeclarationFileName(fromFileName); } function loadModuleFromGlobalCache(moduleName, projectName, compilerOptions, host, globalCache, packageJsonInfoCache) { const traceEnabled = isTraceEnabled(compilerOptions, host); if (traceEnabled) { trace(host, Diagnostics.Auto_discovery_for_typings_is_enabled_in_project_0_Running_extra_resolution_pass_for_module_1_using_cache_location_2, projectName, moduleName, globalCache); } const failedLookupLocations = []; const affectingLocations = []; const diagnostics = []; const state = { compilerOptions, host, traceEnabled, failedLookupLocations, affectingLocations, packageJsonInfoCache, features: 0, conditions: [], requestContainingDirectory: void 0, reportDiagnostic: (diag2) => void diagnostics.push(diag2), isConfigLookup: false, candidateIsFromPackageJsonField: false, resolvedPackageDirectory: false }; const resolved = loadModuleFromImmediateNodeModulesDirectory( 4, moduleName, globalCache, state, /*typesScopeOnly*/ false, /*cache*/ void 0, /*redirectedReference*/ void 0 ); return createResolvedModuleWithFailedLookupLocations( resolved, /*isExternalLibraryImport*/ true, failedLookupLocations, affectingLocations, diagnostics, state.resultFromCache, /*cache*/ void 0 ); } function toSearchResult(value) { return value !== void 0 ? { value } : void 0; } function traceIfEnabled(state, diagnostic, ...args) { if (state.traceEnabled) { trace(state.host, diagnostic, ...args); } } function useCaseSensitiveFileNames(state) { return !state.host.useCaseSensitiveFileNames ? true : typeof state.host.useCaseSensitiveFileNames === "boolean" ? state.host.useCaseSensitiveFileNames : state.host.useCaseSensitiveFileNames(); } var ModuleInstanceState = /* @__PURE__ */ ((ModuleInstanceState2) => { ModuleInstanceState2[ModuleInstanceState2["NonInstantiated"] = 0] = "NonInstantiated"; ModuleInstanceState2[ModuleInstanceState2["Instantiated"] = 1] = "Instantiated"; ModuleInstanceState2[ModuleInstanceState2["ConstEnumOnly"] = 2] = "ConstEnumOnly"; return ModuleInstanceState2; })(ModuleInstanceState || {}); function getModuleInstanceState(node, visited) { if (node.body && !node.body.parent) { setParent(node.body, node); setParentRecursive( node.body, /*incremental*/ false ); } return node.body ? getModuleInstanceStateCached(node.body, visited) : 1; } function getModuleInstanceStateCached(node, visited = /* @__PURE__ */ new Map()) { const nodeId = getNodeId(node); if (visited.has(nodeId)) { return visited.get(nodeId) || 0; } visited.set(nodeId, void 0); const result = getModuleInstanceStateWorker(node, visited); visited.set(nodeId, result); return result; } function getModuleInstanceStateWorker(node, visited) { switch (node.kind) { case 264: case 265: return 0; case 266: if (isEnumConst(node)) { return 2; } break; case 272: case 271: if (!hasSyntacticModifier( node, 32 /* Export */ )) { return 0; } break; case 278: const exportDeclaration = node; if (!exportDeclaration.moduleSpecifier && exportDeclaration.exportClause && exportDeclaration.exportClause.kind === 279) { let state = 0; for (const specifier of exportDeclaration.exportClause.elements) { const specifierState = getModuleInstanceStateForAliasTarget(specifier, visited); if (specifierState > state) { state = specifierState; } if (state === 1) { return state; } } return state; } break; case 268: { let state = 0; forEachChild(node, (n) => { const childState = getModuleInstanceStateCached(n, visited); switch (childState) { case 0: return; case 2: state = 2; return; case 1: state = 1; return true; default: Debug.assertNever(childState); } }); return state; } case 267: return getModuleInstanceState(node, visited); case 80: if (node.flags & 4096) { return 0; } } return 1; } function getModuleInstanceStateForAliasTarget(specifier, visited) { const name = specifier.propertyName || specifier.name; let p = specifier.parent; while (p) { if (isBlock(p) || isModuleBlock(p) || isSourceFile(p)) { const statements = p.statements; let found; for (const statement of statements) { if (nodeHasName(statement, name)) { if (!statement.parent) { setParent(statement, p); setParentRecursive( statement, /*incremental*/ false ); } const state = getModuleInstanceStateCached(statement, visited); if (found === void 0 || state > found) { found = state; } if (found === 1) { return found; } if (statement.kind === 271) { found = 1; } } } if (found !== void 0) { return found; } } p = p.parent; } return 1; } var ContainerFlags = /* @__PURE__ */ ((ContainerFlags2) => { ContainerFlags2[ContainerFlags2["None"] = 0] = "None"; ContainerFlags2[ContainerFlags2["IsContainer"] = 1] = "IsContainer"; ContainerFlags2[ContainerFlags2["IsBlockScopedContainer"] = 2] = "IsBlockScopedContainer"; ContainerFlags2[ContainerFlags2["IsControlFlowContainer"] = 4] = "IsControlFlowContainer"; ContainerFlags2[ContainerFlags2["IsFunctionLike"] = 8] = "IsFunctionLike"; ContainerFlags2[ContainerFlags2["IsFunctionExpression"] = 16] = "IsFunctionExpression"; ContainerFlags2[ContainerFlags2["HasLocals"] = 32] = "HasLocals"; ContainerFlags2[ContainerFlags2["IsInterface"] = 64] = "IsInterface"; ContainerFlags2[ContainerFlags2["IsObjectLiteralOrClassExpressionMethodOrAccessor"] = 128] = "IsObjectLiteralOrClassExpressionMethodOrAccessor"; return ContainerFlags2; })(ContainerFlags || {}); function createFlowNode(flags, node, antecedent) { return Debug.attachFlowNodeDebugInfo({ flags, id: 0, node, antecedent }); } var binder = /* @__PURE__ */ createBinder(); function bindSourceFile(file, options) { var _a, _b; mark("beforeBind"); (_a = perfLogger) == null ? void 0 : _a.logStartBindFile("" + file.fileName); binder(file, options); (_b = perfLogger) == null ? void 0 : _b.logStopBindFile(); mark("afterBind"); measure("Bind", "beforeBind", "afterBind"); } function createBinder() { var file; var options; var languageVersion; var parent2; var container; var thisParentContainer; var blockScopeContainer; var lastContainer; var delayedTypeAliases; var seenThisKeyword; var jsDocImports; var currentFlow; var currentBreakTarget; var currentContinueTarget; var currentReturnTarget; var currentTrueTarget; var currentFalseTarget; var currentExceptionTarget; var preSwitchCaseFlow; var activeLabelList; var hasExplicitReturn; var hasFlowEffects; var emitFlags; var inStrictMode; var inAssignmentPattern = false; var symbolCount = 0; var Symbol47; var classifiableNames; var unreachableFlow = createFlowNode( 1, /*node*/ void 0, /*antecedent*/ void 0 ); var reportedUnreachableFlow = createFlowNode( 1, /*node*/ void 0, /*antecedent*/ void 0 ); var bindBinaryExpressionFlow = createBindBinaryExpressionFlow(); return bindSourceFile2; function createDiagnosticForNode2(node, message, ...args) { return createDiagnosticForNodeInSourceFile(getSourceFileOfNode(node) || file, node, message, ...args); } function bindSourceFile2(f, opts) { var _a, _b; file = f; options = opts; languageVersion = getEmitScriptTarget(options); inStrictMode = bindInStrictMode(file, opts); classifiableNames = /* @__PURE__ */ new Set(); symbolCount = 0; Symbol47 = objectAllocator.getSymbolConstructor(); Debug.attachFlowNodeDebugInfo(unreachableFlow); Debug.attachFlowNodeDebugInfo(reportedUnreachableFlow); if (!file.locals) { (_a = tracing) == null ? void 0 : _a.push( tracing.Phase.Bind, "bindSourceFile", { path: file.path }, /*separateBeginAndEnd*/ true ); bind(file); (_b = tracing) == null ? void 0 : _b.pop(); file.symbolCount = symbolCount; file.classifiableNames = classifiableNames; delayedBindJSDocTypedefTag(); bindJSDocImports(); } file = void 0; options = void 0; languageVersion = void 0; parent2 = void 0; container = void 0; thisParentContainer = void 0; blockScopeContainer = void 0; lastContainer = void 0; delayedTypeAliases = void 0; jsDocImports = void 0; seenThisKeyword = false; currentFlow = void 0; currentBreakTarget = void 0; currentContinueTarget = void 0; currentReturnTarget = void 0; currentTrueTarget = void 0; currentFalseTarget = void 0; currentExceptionTarget = void 0; activeLabelList = void 0; hasExplicitReturn = false; hasFlowEffects = false; inAssignmentPattern = false; emitFlags = 0; } function bindInStrictMode(file2, opts) { if (getStrictOptionValue(opts, "alwaysStrict") && !file2.isDeclarationFile) { return true; } else { return !!file2.externalModuleIndicator; } } function createSymbol(flags, name) { symbolCount++; return new Symbol47(flags, name); } function addDeclarationToSymbol(symbol, node, symbolFlags) { symbol.flags |= symbolFlags; node.symbol = symbol; symbol.declarations = appendIfUnique(symbol.declarations, node); if (symbolFlags & (32 | 384 | 1536 | 3) && !symbol.exports) { symbol.exports = createSymbolTable(); } if (symbolFlags & (32 | 64 | 2048 | 4096) && !symbol.members) { symbol.members = createSymbolTable(); } if (symbol.constEnumOnlyModule && symbol.flags & (16 | 32 | 256)) { symbol.constEnumOnlyModule = false; } if (symbolFlags & 111551) { setValueDeclaration(symbol, node); } } function getDeclarationName(node) { if (node.kind === 277) { return node.isExportEquals ? "export=" : "default"; } const name = getNameOfDeclaration(node); if (name) { if (isAmbientModule(node)) { const moduleName = getTextOfIdentifierOrLiteral(name); return isGlobalScopeAugmentation(node) ? "__global" : `"${moduleName}"`; } if (name.kind === 167) { const nameExpression = name.expression; if (isStringOrNumericLiteralLike(nameExpression)) { return escapeLeadingUnderscores(nameExpression.text); } if (isSignedNumericLiteral(nameExpression)) { return tokenToString(nameExpression.operator) + nameExpression.operand.text; } else { Debug.fail("Only computed properties with literal names have declaration names"); } } if (isPrivateIdentifier(name)) { const containingClass = getContainingClass(node); if (!containingClass) { return void 0; } const containingClassSymbol = containingClass.symbol; return getSymbolNameForPrivateIdentifier(containingClassSymbol, name.escapedText); } if (isJsxNamespacedName(name)) { return getEscapedTextOfJsxNamespacedName(name); } return isPropertyNameLiteral(name) ? getEscapedTextOfIdentifierOrLiteral(name) : void 0; } switch (node.kind) { case 176: return "__constructor"; case 184: case 179: case 323: return "__call"; case 185: case 180: return "__new"; case 181: return "__index"; case 278: return "__export"; case 307: return "export="; case 226: if (getAssignmentDeclarationKind(node) === 2) { return "export="; } Debug.fail("Unknown binary declaration kind"); break; case 317: return isJSDocConstructSignature(node) ? "__new" : "__call"; case 169: Debug.assert(node.parent.kind === 317, "Impossible parameter parent kind", () => `parent is: ${Debug.formatSyntaxKind(node.parent.kind)}, expected JSDocFunctionType`); const functionType2 = node.parent; const index = functionType2.parameters.indexOf(node); return "arg" + index; } } function getDisplayName(node) { return isNamedDeclaration(node) ? declarationNameToString(node.name) : unescapeLeadingUnderscores(Debug.checkDefined(getDeclarationName(node))); } function declareSymbol(symbolTable, parent3, node, includes, excludes, isReplaceableByMethod, isComputedName) { Debug.assert(isComputedName || !hasDynamicName(node)); const isDefaultExport = hasSyntacticModifier( node, 2048 /* Default */ ) || isExportSpecifier(node) && node.name.escapedText === "default"; const name = isComputedName ? "__computed" : isDefaultExport && parent3 ? "default" : getDeclarationName(node); let symbol; if (name === void 0) { symbol = createSymbol( 0, "__missing" /* Missing */ ); } else { symbol = symbolTable.get(name); if (includes & 2885600) { classifiableNames.add(name); } if (!symbol) { symbolTable.set(name, symbol = createSymbol(0, name)); if (isReplaceableByMethod) symbol.isReplaceableByMethod = true; } else if (isReplaceableByMethod && !symbol.isReplaceableByMethod) { return symbol; } else if (symbol.flags & excludes) { if (symbol.isReplaceableByMethod) { symbolTable.set(name, symbol = createSymbol(0, name)); } else if (!(includes & 3 && symbol.flags & 67108864)) { if (isNamedDeclaration(node)) { setParent(node.name, node); } let message = symbol.flags & 2 ? Diagnostics.Cannot_redeclare_block_scoped_variable_0 : Diagnostics.Duplicate_identifier_0; let messageNeedsName = true; if (symbol.flags & 384 || includes & 384) { message = Diagnostics.Enum_declarations_can_only_merge_with_namespace_or_other_enum_declarations; messageNeedsName = false; } let multipleDefaultExports = false; if (length(symbol.declarations)) { if (isDefaultExport) { message = Diagnostics.A_module_cannot_have_multiple_default_exports; messageNeedsName = false; multipleDefaultExports = true; } else { if (symbol.declarations && symbol.declarations.length && (node.kind === 277 && !node.isExportEquals)) { message = Diagnostics.A_module_cannot_have_multiple_default_exports; messageNeedsName = false; multipleDefaultExports = true; } } } const relatedInformation = []; if (isTypeAliasDeclaration(node) && nodeIsMissing(node.type) && hasSyntacticModifier( node, 32 /* Export */ ) && symbol.flags & (2097152 | 788968 | 1920)) { relatedInformation.push(createDiagnosticForNode2(node, Diagnostics.Did_you_mean_0, `export type { ${unescapeLeadingUnderscores(node.name.escapedText)} }`)); } const declarationName = getNameOfDeclaration(node) || node; forEach(symbol.declarations, (declaration, index) => { const decl = getNameOfDeclaration(declaration) || declaration; const diag3 = messageNeedsName ? createDiagnosticForNode2(decl, message, getDisplayName(declaration)) : createDiagnosticForNode2(decl, message); file.bindDiagnostics.push( multipleDefaultExports ? addRelatedInfo(diag3, createDiagnosticForNode2(declarationName, index === 0 ? Diagnostics.Another_export_default_is_here : Diagnostics.and_here)) : diag3 ); if (multipleDefaultExports) { relatedInformation.push(createDiagnosticForNode2(decl, Diagnostics.The_first_export_default_is_here)); } }); const diag2 = messageNeedsName ? createDiagnosticForNode2(declarationName, message, getDisplayName(node)) : createDiagnosticForNode2(declarationName, message); file.bindDiagnostics.push(addRelatedInfo(diag2, ...relatedInformation)); symbol = createSymbol(0, name); } } } addDeclarationToSymbol(symbol, node, includes); if (symbol.parent) { Debug.assert(symbol.parent === parent3, "Existing symbol parent should match new one"); } else { symbol.parent = parent3; } return symbol; } function declareModuleMember(node, symbolFlags, symbolExcludes) { const hasExportModifier = !!(getCombinedModifierFlags(node) & 32) || jsdocTreatAsExported(node); if (symbolFlags & 2097152) { if (node.kind === 281 || node.kind === 271 && hasExportModifier) { return declareSymbol(container.symbol.exports, container.symbol, node, symbolFlags, symbolExcludes); } else { Debug.assertNode(container, canHaveLocals); return declareSymbol( container.locals, /*parent*/ void 0, node, symbolFlags, symbolExcludes ); } } else { if (isJSDocTypeAlias(node)) Debug.assert(isInJSFile(node)); if (!isAmbientModule(node) && (hasExportModifier || container.flags & 128)) { if (!canHaveLocals(container) || !container.locals || hasSyntacticModifier( node, 2048 /* Default */ ) && !getDeclarationName(node)) { return declareSymbol(container.symbol.exports, container.symbol, node, symbolFlags, symbolExcludes); } const exportKind = symbolFlags & 111551 ? 1048576 : 0; const local = declareSymbol( container.locals, /*parent*/ void 0, node, exportKind, symbolExcludes ); local.exportSymbol = declareSymbol(container.symbol.exports, container.symbol, node, symbolFlags, symbolExcludes); node.localSymbol = local; return local; } else { Debug.assertNode(container, canHaveLocals); return declareSymbol( container.locals, /*parent*/ void 0, node, symbolFlags, symbolExcludes ); } } } function jsdocTreatAsExported(node) { if (node.parent && isModuleDeclaration(node)) { node = node.parent; } if (!isJSDocTypeAlias(node)) return false; if (!isJSDocEnumTag(node) && !!node.fullName) return true; const declName = getNameOfDeclaration(node); if (!declName) return false; if (isPropertyAccessEntityNameExpression(declName.parent) && isTopLevelNamespaceAssignment(declName.parent)) return true; if (isDeclaration(declName.parent) && getCombinedModifierFlags(declName.parent) & 32) return true; return false; } function bindContainer(node, containerFlags) { const saveContainer = container; const saveThisParentContainer = thisParentContainer; const savedBlockScopeContainer = blockScopeContainer; if (containerFlags & 1) { if (node.kind !== 219) { thisParentContainer = container; } container = blockScopeContainer = node; if (containerFlags & 32) { container.locals = createSymbolTable(); addToContainerChain(container); } } else if (containerFlags & 2) { blockScopeContainer = node; if (containerFlags & 32) { blockScopeContainer.locals = void 0; } } if (containerFlags & 4) { const saveCurrentFlow = currentFlow; const saveBreakTarget = currentBreakTarget; const saveContinueTarget = currentContinueTarget; const saveReturnTarget = currentReturnTarget; const saveExceptionTarget = currentExceptionTarget; const saveActiveLabelList = activeLabelList; const saveHasExplicitReturn = hasExplicitReturn; const isImmediatelyInvoked = containerFlags & 16 && !hasSyntacticModifier( node, 1024 /* Async */ ) && !node.asteriskToken && !!getImmediatelyInvokedFunctionExpression(node) || node.kind === 175; if (!isImmediatelyInvoked) { currentFlow = createFlowNode( 2, /*node*/ void 0, /*antecedent*/ void 0 ); if (containerFlags & (16 | 128)) { currentFlow.node = node; } } currentReturnTarget = isImmediatelyInvoked || node.kind === 176 || isInJSFile(node) && (node.kind === 262 || node.kind === 218) ? createBranchLabel() : void 0; currentExceptionTarget = void 0; currentBreakTarget = void 0; currentContinueTarget = void 0; activeLabelList = void 0; hasExplicitReturn = false; bindChildren(node); node.flags &= ~5632; if (!(currentFlow.flags & 1) && containerFlags & 8 && nodeIsPresent(node.body)) { node.flags |= 512; if (hasExplicitReturn) node.flags |= 1024; node.endFlowNode = currentFlow; } if (node.kind === 307) { node.flags |= emitFlags; node.endFlowNode = currentFlow; } if (currentReturnTarget) { addAntecedent(currentReturnTarget, currentFlow); currentFlow = finishFlowLabel(currentReturnTarget); if (node.kind === 176 || node.kind === 175 || isInJSFile(node) && (node.kind === 262 || node.kind === 218)) { node.returnFlowNode = currentFlow; } } if (!isImmediatelyInvoked) { currentFlow = saveCurrentFlow; } currentBreakTarget = saveBreakTarget; currentContinueTarget = saveContinueTarget; currentReturnTarget = saveReturnTarget; currentExceptionTarget = saveExceptionTarget; activeLabelList = saveActiveLabelList; hasExplicitReturn = saveHasExplicitReturn; } else if (containerFlags & 64) { seenThisKeyword = false; bindChildren(node); Debug.assertNotNode(node, isIdentifier); node.flags = seenThisKeyword ? node.flags | 256 : node.flags & ~256; } else { bindChildren(node); } container = saveContainer; thisParentContainer = saveThisParentContainer; blockScopeContainer = savedBlockScopeContainer; } function bindEachFunctionsFirst(nodes) { bindEach(nodes, (n) => n.kind === 262 ? bind(n) : void 0); bindEach(nodes, (n) => n.kind !== 262 ? bind(n) : void 0); } function bindEach(nodes, bindFunction = bind) { if (nodes === void 0) { return; } forEach(nodes, bindFunction); } function bindEachChild(node) { forEachChild(node, bind, bindEach); } function bindChildren(node) { const saveInAssignmentPattern = inAssignmentPattern; inAssignmentPattern = false; if (checkUnreachable(node)) { bindEachChild(node); bindJSDoc(node); inAssignmentPattern = saveInAssignmentPattern; return; } if (node.kind >= 243 && node.kind <= 259 && (!options.allowUnreachableCode || node.kind === 253)) { node.flowNode = currentFlow; } switch (node.kind) { case 247: bindWhileStatement(node); break; case 246: bindDoStatement(node); break; case 248: bindForStatement(node); break; case 249: case 250: bindForInOrForOfStatement(node); break; case 245: bindIfStatement(node); break; case 253: case 257: bindReturnOrThrow(node); break; case 252: case 251: bindBreakOrContinueStatement(node); break; case 258: bindTryStatement(node); break; case 255: bindSwitchStatement(node); break; case 269: bindCaseBlock(node); break; case 296: bindCaseClause(node); break; case 244: bindExpressionStatement(node); break; case 256: bindLabeledStatement(node); break; case 224: bindPrefixUnaryExpressionFlow(node); break; case 225: bindPostfixUnaryExpressionFlow(node); break; case 226: if (isDestructuringAssignment(node)) { inAssignmentPattern = saveInAssignmentPattern; bindDestructuringAssignmentFlow(node); return; } bindBinaryExpressionFlow(node); break; case 220: bindDeleteExpressionFlow(node); break; case 227: bindConditionalExpressionFlow(node); break; case 260: bindVariableDeclarationFlow(node); break; case 211: case 212: bindAccessExpressionFlow(node); break; case 213: bindCallExpressionFlow(node); break; case 235: bindNonNullExpressionFlow(node); break; case 346: case 338: case 340: bindJSDocTypeAlias(node); break; case 351: bindJSDocImportTag(node); break; case 307: { bindEachFunctionsFirst(node.statements); bind(node.endOfFileToken); break; } case 241: case 268: bindEachFunctionsFirst(node.statements); break; case 208: bindBindingElementFlow(node); break; case 169: bindParameterFlow(node); break; case 210: case 209: case 303: case 230: inAssignmentPattern = saveInAssignmentPattern; default: bindEachChild(node); break; } bindJSDoc(node); inAssignmentPattern = saveInAssignmentPattern; } function isNarrowingExpression(expr) { switch (expr.kind) { case 80: case 110: return true; case 211: case 212: return containsNarrowableReference(expr); case 213: return hasNarrowableArgument(expr); case 217: if (isJSDocTypeAssertion(expr)) { return false; } case 235: return isNarrowingExpression(expr.expression); case 226: return isNarrowingBinaryExpression(expr); case 224: return expr.operator === 54 && isNarrowingExpression(expr.operand); case 221: return isNarrowingExpression(expr.expression); } return false; } function isNarrowableReference(expr) { switch (expr.kind) { case 80: case 110: case 108: case 236: return true; case 211: case 217: case 235: return isNarrowableReference(expr.expression); case 212: return (isStringOrNumericLiteralLike(expr.argumentExpression) || isEntityNameExpression(expr.argumentExpression)) && isNarrowableReference(expr.expression); case 226: return expr.operatorToken.kind === 28 && isNarrowableReference(expr.right) || isAssignmentOperator(expr.operatorToken.kind) && isLeftHandSideExpression(expr.left); } return false; } function containsNarrowableReference(expr) { return isNarrowableReference(expr) || isOptionalChain(expr) && containsNarrowableReference(expr.expression); } function hasNarrowableArgument(expr) { if (expr.arguments) { for (const argument of expr.arguments) { if (containsNarrowableReference(argument)) { return true; } } } if (expr.expression.kind === 211 && containsNarrowableReference(expr.expression.expression)) { return true; } return false; } function isNarrowingTypeofOperands(expr1, expr2) { return isTypeOfExpression(expr1) && isNarrowableOperand(expr1.expression) && isStringLiteralLike(expr2); } function isNarrowingBinaryExpression(expr) { switch (expr.operatorToken.kind) { case 64: case 76: case 77: case 78: return containsNarrowableReference(expr.left); case 35: case 36: case 37: case 38: return isNarrowableOperand(expr.left) || isNarrowableOperand(expr.right) || isNarrowingTypeofOperands(expr.right, expr.left) || isNarrowingTypeofOperands(expr.left, expr.right) || (isBooleanLiteral(expr.right) && isNarrowingExpression(expr.left) || isBooleanLiteral(expr.left) && isNarrowingExpression(expr.right)); case 104: return isNarrowableOperand(expr.left); case 103: return isNarrowingExpression(expr.right); case 28: return isNarrowingExpression(expr.right); } return false; } function isNarrowableOperand(expr) { switch (expr.kind) { case 217: return isNarrowableOperand(expr.expression); case 226: switch (expr.operatorToken.kind) { case 64: return isNarrowableOperand(expr.left); case 28: return isNarrowableOperand(expr.right); } } return containsNarrowableReference(expr); } function createBranchLabel() { return createFlowNode( 4, /*node*/ void 0, /*antecedent*/ void 0 ); } function createLoopLabel() { return createFlowNode( 8, /*node*/ void 0, /*antecedent*/ void 0 ); } function createReduceLabel(target, antecedents, antecedent) { return createFlowNode(1024, { target, antecedents }, antecedent); } function setFlowNodeReferenced(flow) { flow.flags |= flow.flags & 2048 ? 4096 : 2048; } function addAntecedent(label, antecedent) { if (!(antecedent.flags & 1) && !contains(label.antecedent, antecedent)) { (label.antecedent || (label.antecedent = [])).push(antecedent); setFlowNodeReferenced(antecedent); } } function createFlowCondition(flags, antecedent, expression) { if (antecedent.flags & 1) { return antecedent; } if (!expression) { return flags & 32 ? antecedent : unreachableFlow; } if ((expression.kind === 112 && flags & 64 || expression.kind === 97 && flags & 32) && !isExpressionOfOptionalChainRoot(expression) && !isNullishCoalesce(expression.parent)) { return unreachableFlow; } if (!isNarrowingExpression(expression)) { return antecedent; } setFlowNodeReferenced(antecedent); return createFlowNode(flags, expression, antecedent); } function createFlowSwitchClause(antecedent, switchStatement, clauseStart, clauseEnd) { setFlowNodeReferenced(antecedent); return createFlowNode(128, { switchStatement, clauseStart, clauseEnd }, antecedent); } function createFlowMutation(flags, antecedent, node) { setFlowNodeReferenced(antecedent); hasFlowEffects = true; const result = createFlowNode(flags, node, antecedent); if (currentExceptionTarget) { addAntecedent(currentExceptionTarget, result); } return result; } function createFlowCall(antecedent, node) { setFlowNodeReferenced(antecedent); hasFlowEffects = true; return createFlowNode(512, node, antecedent); } function finishFlowLabel(flow) { const antecedents = flow.antecedent; if (!antecedents) { return unreachableFlow; } if (antecedents.length === 1) { return antecedents[0]; } return flow; } function isStatementCondition(node) { const parent3 = node.parent; switch (parent3.kind) { case 245: case 247: case 246: return parent3.expression === node; case 248: case 227: return parent3.condition === node; } return false; } function isLogicalExpression2(node) { while (true) { if (node.kind === 217) { node = node.expression; } else if (node.kind === 224 && node.operator === 54) { node = node.operand; } else { return isLogicalOrCoalescingBinaryExpression(node); } } } function isLogicalAssignmentExpression(node) { return isLogicalOrCoalescingAssignmentExpression(skipParentheses(node)); } function isTopLevelLogicalExpression(node) { while (isParenthesizedExpression(node.parent) || isPrefixUnaryExpression(node.parent) && node.parent.operator === 54) { node = node.parent; } return !isStatementCondition(node) && !isLogicalExpression2(node.parent) && !(isOptionalChain(node.parent) && node.parent.expression === node); } function doWithConditionalBranches(action, value, trueTarget, falseTarget) { const savedTrueTarget = currentTrueTarget; const savedFalseTarget = currentFalseTarget; currentTrueTarget = trueTarget; currentFalseTarget = falseTarget; action(value); currentTrueTarget = savedTrueTarget; currentFalseTarget = savedFalseTarget; } function bindCondition(node, trueTarget, falseTarget) { doWithConditionalBranches(bind, node, trueTarget, falseTarget); if (!node || !isLogicalAssignmentExpression(node) && !isLogicalExpression2(node) && !(isOptionalChain(node) && isOutermostOptionalChain(node))) { addAntecedent(trueTarget, createFlowCondition(32, currentFlow, node)); addAntecedent(falseTarget, createFlowCondition(64, currentFlow, node)); } } function bindIterativeStatement(node, breakTarget, continueTarget) { const saveBreakTarget = currentBreakTarget; const saveContinueTarget = currentContinueTarget; currentBreakTarget = breakTarget; currentContinueTarget = continueTarget; bind(node); currentBreakTarget = saveBreakTarget; currentContinueTarget = saveContinueTarget; } function setContinueTarget(node, target) { let label = activeLabelList; while (label && node.parent.kind === 256) { label.continueTarget = target; label = label.next; node = node.parent; } return target; } function bindWhileStatement(node) { const preWhileLabel = setContinueTarget(node, createLoopLabel()); const preBodyLabel = createBranchLabel(); const postWhileLabel = createBranchLabel(); addAntecedent(preWhileLabel, currentFlow); currentFlow = preWhileLabel; bindCondition(node.expression, preBodyLabel, postWhileLabel); currentFlow = finishFlowLabel(preBodyLabel); bindIterativeStatement(node.statement, postWhileLabel, preWhileLabel); addAntecedent(preWhileLabel, currentFlow); currentFlow = finishFlowLabel(postWhileLabel); } function bindDoStatement(node) { const preDoLabel = createLoopLabel(); const preConditionLabel = setContinueTarget(node, createBranchLabel()); const postDoLabel = createBranchLabel(); addAntecedent(preDoLabel, currentFlow); currentFlow = preDoLabel; bindIterativeStatement(node.statement, postDoLabel, preConditionLabel); addAntecedent(preConditionLabel, currentFlow); currentFlow = finishFlowLabel(preConditionLabel); bindCondition(node.expression, preDoLabel, postDoLabel); currentFlow = finishFlowLabel(postDoLabel); } function bindForStatement(node) { const preLoopLabel = setContinueTarget(node, createLoopLabel()); const preBodyLabel = createBranchLabel(); const postLoopLabel = createBranchLabel(); bind(node.initializer); addAntecedent(preLoopLabel, currentFlow); currentFlow = preLoopLabel; bindCondition(node.condition, preBodyLabel, postLoopLabel); currentFlow = finishFlowLabel(preBodyLabel); bindIterativeStatement(node.statement, postLoopLabel, preLoopLabel); bind(node.incrementor); addAntecedent(preLoopLabel, currentFlow); currentFlow = finishFlowLabel(postLoopLabel); } function bindForInOrForOfStatement(node) { const preLoopLabel = setContinueTarget(node, createLoopLabel()); const postLoopLabel = createBranchLabel(); bind(node.expression); addAntecedent(preLoopLabel, currentFlow); currentFlow = preLoopLabel; if (node.kind === 250) { bind(node.awaitModifier); } addAntecedent(postLoopLabel, currentFlow); bind(node.initializer); if (node.initializer.kind !== 261) { bindAssignmentTargetFlow(node.initializer); } bindIterativeStatement(node.statement, postLoopLabel, preLoopLabel); addAntecedent(preLoopLabel, currentFlow); currentFlow = finishFlowLabel(postLoopLabel); } function bindIfStatement(node) { const thenLabel = createBranchLabel(); const elseLabel = createBranchLabel(); const postIfLabel = createBranchLabel(); bindCondition(node.expression, thenLabel, elseLabel); currentFlow = finishFlowLabel(thenLabel); bind(node.thenStatement); addAntecedent(postIfLabel, currentFlow); currentFlow = finishFlowLabel(elseLabel); bind(node.elseStatement); addAntecedent(postIfLabel, currentFlow); currentFlow = finishFlowLabel(postIfLabel); } function bindReturnOrThrow(node) { bind(node.expression); if (node.kind === 253) { hasExplicitReturn = true; if (currentReturnTarget) { addAntecedent(currentReturnTarget, currentFlow); } } currentFlow = unreachableFlow; hasFlowEffects = true; } function findActiveLabel(name) { for (let label = activeLabelList; label; label = label.next) { if (label.name === name) { return label; } } return void 0; } function bindBreakOrContinueFlow(node, breakTarget, continueTarget) { const flowLabel = node.kind === 252 ? breakTarget : continueTarget; if (flowLabel) { addAntecedent(flowLabel, currentFlow); currentFlow = unreachableFlow; hasFlowEffects = true; } } function bindBreakOrContinueStatement(node) { bind(node.label); if (node.label) { const activeLabel = findActiveLabel(node.label.escapedText); if (activeLabel) { activeLabel.referenced = true; bindBreakOrContinueFlow(node, activeLabel.breakTarget, activeLabel.continueTarget); } } else { bindBreakOrContinueFlow(node, currentBreakTarget, currentContinueTarget); } } function bindTryStatement(node) { const saveReturnTarget = currentReturnTarget; const saveExceptionTarget = currentExceptionTarget; const normalExitLabel = createBranchLabel(); const returnLabel = createBranchLabel(); let exceptionLabel = createBranchLabel(); if (node.finallyBlock) { currentReturnTarget = returnLabel; } addAntecedent(exceptionLabel, currentFlow); currentExceptionTarget = exceptionLabel; bind(node.tryBlock); addAntecedent(normalExitLabel, currentFlow); if (node.catchClause) { currentFlow = finishFlowLabel(exceptionLabel); exceptionLabel = createBranchLabel(); addAntecedent(exceptionLabel, currentFlow); currentExceptionTarget = exceptionLabel; bind(node.catchClause); addAntecedent(normalExitLabel, currentFlow); } currentReturnTarget = saveReturnTarget; currentExceptionTarget = saveExceptionTarget; if (node.finallyBlock) { const finallyLabel = createBranchLabel(); finallyLabel.antecedent = concatenate(concatenate(normalExitLabel.antecedent, exceptionLabel.antecedent), returnLabel.antecedent); currentFlow = finallyLabel; bind(node.finallyBlock); if (currentFlow.flags & 1) { currentFlow = unreachableFlow; } else { if (currentReturnTarget && returnLabel.antecedent) { addAntecedent(currentReturnTarget, createReduceLabel(finallyLabel, returnLabel.antecedent, currentFlow)); } if (currentExceptionTarget && exceptionLabel.antecedent) { addAntecedent(currentExceptionTarget, createReduceLabel(finallyLabel, exceptionLabel.antecedent, currentFlow)); } currentFlow = normalExitLabel.antecedent ? createReduceLabel(finallyLabel, normalExitLabel.antecedent, currentFlow) : unreachableFlow; } } else { currentFlow = finishFlowLabel(normalExitLabel); } } function bindSwitchStatement(node) { const postSwitchLabel = createBranchLabel(); bind(node.expression); const saveBreakTarget = currentBreakTarget; const savePreSwitchCaseFlow = preSwitchCaseFlow; currentBreakTarget = postSwitchLabel; preSwitchCaseFlow = currentFlow; bind(node.caseBlock); addAntecedent(postSwitchLabel, currentFlow); const hasDefault = forEach( node.caseBlock.clauses, (c) => c.kind === 297 /* DefaultClause */ ); node.possiblyExhaustive = !hasDefault && !postSwitchLabel.antecedent; if (!hasDefault) { addAntecedent(postSwitchLabel, createFlowSwitchClause(preSwitchCaseFlow, node, 0, 0)); } currentBreakTarget = saveBreakTarget; preSwitchCaseFlow = savePreSwitchCaseFlow; currentFlow = finishFlowLabel(postSwitchLabel); } function bindCaseBlock(node) { const clauses = node.clauses; const isNarrowingSwitch = node.parent.expression.kind === 112 || isNarrowingExpression(node.parent.expression); let fallthroughFlow = unreachableFlow; for (let i = 0; i < clauses.length; i++) { const clauseStart = i; while (!clauses[i].statements.length && i + 1 < clauses.length) { if (fallthroughFlow === unreachableFlow) { currentFlow = preSwitchCaseFlow; } bind(clauses[i]); i++; } const preCaseLabel = createBranchLabel(); addAntecedent(preCaseLabel, isNarrowingSwitch ? createFlowSwitchClause(preSwitchCaseFlow, node.parent, clauseStart, i + 1) : preSwitchCaseFlow); addAntecedent(preCaseLabel, fallthroughFlow); currentFlow = finishFlowLabel(preCaseLabel); const clause = clauses[i]; bind(clause); fallthroughFlow = currentFlow; if (!(currentFlow.flags & 1) && i !== clauses.length - 1 && options.noFallthroughCasesInSwitch) { clause.fallthroughFlowNode = currentFlow; } } } function bindCaseClause(node) { const saveCurrentFlow = currentFlow; currentFlow = preSwitchCaseFlow; bind(node.expression); currentFlow = saveCurrentFlow; bindEach(node.statements); } function bindExpressionStatement(node) { bind(node.expression); maybeBindExpressionFlowIfCall(node.expression); } function maybeBindExpressionFlowIfCall(node) { if (node.kind === 213) { const call = node; if (call.expression.kind !== 108 && isDottedName(call.expression)) { currentFlow = createFlowCall(currentFlow, call); } } } function bindLabeledStatement(node) { const postStatementLabel = createBranchLabel(); activeLabelList = { next: activeLabelList, name: node.label.escapedText, breakTarget: postStatementLabel, continueTarget: void 0, referenced: false }; bind(node.label); bind(node.statement); if (!activeLabelList.referenced && !options.allowUnusedLabels) { errorOrSuggestionOnNode(unusedLabelIsError(options), node.label, Diagnostics.Unused_label); } activeLabelList = activeLabelList.next; addAntecedent(postStatementLabel, currentFlow); currentFlow = finishFlowLabel(postStatementLabel); } function bindDestructuringTargetFlow(node) { if (node.kind === 226 && node.operatorToken.kind === 64) { bindAssignmentTargetFlow(node.left); } else { bindAssignmentTargetFlow(node); } } function bindAssignmentTargetFlow(node) { if (isNarrowableReference(node)) { currentFlow = createFlowMutation(16, currentFlow, node); } else if (node.kind === 209) { for (const e of node.elements) { if (e.kind === 230) { bindAssignmentTargetFlow(e.expression); } else { bindDestructuringTargetFlow(e); } } } else if (node.kind === 210) { for (const p of node.properties) { if (p.kind === 303) { bindDestructuringTargetFlow(p.initializer); } else if (p.kind === 304) { bindAssignmentTargetFlow(p.name); } else if (p.kind === 305) { bindAssignmentTargetFlow(p.expression); } } } } function bindLogicalLikeExpression(node, trueTarget, falseTarget) { const preRightLabel = createBranchLabel(); if (node.operatorToken.kind === 56 || node.operatorToken.kind === 77) { bindCondition(node.left, preRightLabel, falseTarget); } else { bindCondition(node.left, trueTarget, preRightLabel); } currentFlow = finishFlowLabel(preRightLabel); bind(node.operatorToken); if (isLogicalOrCoalescingAssignmentOperator(node.operatorToken.kind)) { doWithConditionalBranches(bind, node.right, trueTarget, falseTarget); bindAssignmentTargetFlow(node.left); addAntecedent(trueTarget, createFlowCondition(32, currentFlow, node)); addAntecedent(falseTarget, createFlowCondition(64, currentFlow, node)); } else { bindCondition(node.right, trueTarget, falseTarget); } } function bindPrefixUnaryExpressionFlow(node) { if (node.operator === 54) { const saveTrueTarget = currentTrueTarget; currentTrueTarget = currentFalseTarget; currentFalseTarget = saveTrueTarget; bindEachChild(node); currentFalseTarget = currentTrueTarget; currentTrueTarget = saveTrueTarget; } else { bindEachChild(node); if (node.operator === 46 || node.operator === 47) { bindAssignmentTargetFlow(node.operand); } } } function bindPostfixUnaryExpressionFlow(node) { bindEachChild(node); if (node.operator === 46 || node.operator === 47) { bindAssignmentTargetFlow(node.operand); } } function bindDestructuringAssignmentFlow(node) { if (inAssignmentPattern) { inAssignmentPattern = false; bind(node.operatorToken); bind(node.right); inAssignmentPattern = true; bind(node.left); } else { inAssignmentPattern = true; bind(node.left); inAssignmentPattern = false; bind(node.operatorToken); bind(node.right); } bindAssignmentTargetFlow(node.left); } function createBindBinaryExpressionFlow() { return createBinaryExpressionTrampoline( onEnter, onLeft, onOperator, onRight, onExit, /*foldState*/ void 0 ); function onEnter(node, state) { if (state) { state.stackIndex++; setParent(node, parent2); const saveInStrictMode = inStrictMode; bindWorker(node); const saveParent = parent2; parent2 = node; state.skip = false; state.inStrictModeStack[state.stackIndex] = saveInStrictMode; state.parentStack[state.stackIndex] = saveParent; } else { state = { stackIndex: 0, skip: false, inStrictModeStack: [void 0], parentStack: [void 0] }; } const operator = node.operatorToken.kind; if (isLogicalOrCoalescingBinaryOperator(operator) || isLogicalOrCoalescingAssignmentOperator(operator)) { if (isTopLevelLogicalExpression(node)) { const postExpressionLabel = createBranchLabel(); const saveCurrentFlow = currentFlow; const saveHasFlowEffects = hasFlowEffects; hasFlowEffects = false; bindLogicalLikeExpression(node, postExpressionLabel, postExpressionLabel); currentFlow = hasFlowEffects ? finishFlowLabel(postExpressionLabel) : saveCurrentFlow; hasFlowEffects || (hasFlowEffects = saveHasFlowEffects); } else { bindLogicalLikeExpression(node, currentTrueTarget, currentFalseTarget); } state.skip = true; } return state; } function onLeft(left, state, node) { if (!state.skip) { const maybeBound = maybeBind2(left); if (node.operatorToken.kind === 28) { maybeBindExpressionFlowIfCall(left); } return maybeBound; } } function onOperator(operatorToken, state, _node) { if (!state.skip) { bind(operatorToken); } } function onRight(right, state, node) { if (!state.skip) { const maybeBound = maybeBind2(right); if (node.operatorToken.kind === 28) { maybeBindExpressionFlowIfCall(right); } return maybeBound; } } function onExit(node, state) { if (!state.skip) { const operator = node.operatorToken.kind; if (isAssignmentOperator(operator) && !isAssignmentTarget(node)) { bindAssignmentTargetFlow(node.left); if (operator === 64 && node.left.kind === 212) { const elementAccess = node.left; if (isNarrowableOperand(elementAccess.expression)) { currentFlow = createFlowMutation(256, currentFlow, node); } } } } const savedInStrictMode = state.inStrictModeStack[state.stackIndex]; const savedParent = state.parentStack[state.stackIndex]; if (savedInStrictMode !== void 0) { inStrictMode = savedInStrictMode; } if (savedParent !== void 0) { parent2 = savedParent; } state.skip = false; state.stackIndex--; } function maybeBind2(node) { if (node && isBinaryExpression(node) && !isDestructuringAssignment(node)) { return node; } bind(node); } } function bindDeleteExpressionFlow(node) { bindEachChild(node); if (node.expression.kind === 211) { bindAssignmentTargetFlow(node.expression); } } function bindConditionalExpressionFlow(node) { const trueLabel = createBranchLabel(); const falseLabel = createBranchLabel(); const postExpressionLabel = createBranchLabel(); const saveCurrentFlow = currentFlow; const saveHasFlowEffects = hasFlowEffects; hasFlowEffects = false; bindCondition(node.condition, trueLabel, falseLabel); currentFlow = finishFlowLabel(trueLabel); bind(node.questionToken); bind(node.whenTrue); addAntecedent(postExpressionLabel, currentFlow); currentFlow = finishFlowLabel(falseLabel); bind(node.colonToken); bind(node.whenFalse); addAntecedent(postExpressionLabel, currentFlow); currentFlow = hasFlowEffects ? finishFlowLabel(postExpressionLabel) : saveCurrentFlow; hasFlowEffects || (hasFlowEffects = saveHasFlowEffects); } function bindInitializedVariableFlow(node) { const name = !isOmittedExpression(node) ? node.name : void 0; if (isBindingPattern(name)) { for (const child of name.elements) { bindInitializedVariableFlow(child); } } else { currentFlow = createFlowMutation(16, currentFlow, node); } } function bindVariableDeclarationFlow(node) { bindEachChild(node); if (node.initializer || isForInOrOfStatement(node.parent.parent)) { bindInitializedVariableFlow(node); } } function bindBindingElementFlow(node) { bind(node.dotDotDotToken); bind(node.propertyName); bindInitializer(node.initializer); bind(node.name); } function bindParameterFlow(node) { bindEach(node.modifiers); bind(node.dotDotDotToken); bind(node.questionToken); bind(node.type); bindInitializer(node.initializer); bind(node.name); } function bindInitializer(node) { if (!node) { return; } const entryFlow = currentFlow; bind(node); if (entryFlow === unreachableFlow || entryFlow === currentFlow) { return; } const exitFlow = createBranchLabel(); addAntecedent(exitFlow, entryFlow); addAntecedent(exitFlow, currentFlow); currentFlow = finishFlowLabel(exitFlow); } function bindJSDocTypeAlias(node) { bind(node.tagName); if (node.kind !== 340 && node.fullName) { setParent(node.fullName, node); setParentRecursive( node.fullName, /*incremental*/ false ); } if (typeof node.comment !== "string") { bindEach(node.comment); } } function bindJSDocClassTag(node) { bindEachChild(node); const host = getHostSignatureFromJSDoc(node); if (host && host.kind !== 174) { addDeclarationToSymbol( host.symbol, host, 32 /* Class */ ); } } function bindJSDocImportTag(node) { bind(node.tagName); if (typeof node.comment !== "string") { bindEach(node.comment); } } function bindOptionalExpression(node, trueTarget, falseTarget) { doWithConditionalBranches(bind, node, trueTarget, falseTarget); if (!isOptionalChain(node) || isOutermostOptionalChain(node)) { addAntecedent(trueTarget, createFlowCondition(32, currentFlow, node)); addAntecedent(falseTarget, createFlowCondition(64, currentFlow, node)); } } function bindOptionalChainRest(node) { switch (node.kind) { case 211: bind(node.questionDotToken); bind(node.name); break; case 212: bind(node.questionDotToken); bind(node.argumentExpression); break; case 213: bind(node.questionDotToken); bindEach(node.typeArguments); bindEach(node.arguments); break; } } function bindOptionalChain(node, trueTarget, falseTarget) { const preChainLabel = isOptionalChainRoot(node) ? createBranchLabel() : void 0; bindOptionalExpression(node.expression, preChainLabel || trueTarget, falseTarget); if (preChainLabel) { currentFlow = finishFlowLabel(preChainLabel); } doWithConditionalBranches(bindOptionalChainRest, node, trueTarget, falseTarget); if (isOutermostOptionalChain(node)) { addAntecedent(trueTarget, createFlowCondition(32, currentFlow, node)); addAntecedent(falseTarget, createFlowCondition(64, currentFlow, node)); } } function bindOptionalChainFlow(node) { if (isTopLevelLogicalExpression(node)) { const postExpressionLabel = createBranchLabel(); const saveCurrentFlow = currentFlow; const saveHasFlowEffects = hasFlowEffects; bindOptionalChain(node, postExpressionLabel, postExpressionLabel); currentFlow = hasFlowEffects ? finishFlowLabel(postExpressionLabel) : saveCurrentFlow; hasFlowEffects || (hasFlowEffects = saveHasFlowEffects); } else { bindOptionalChain(node, currentTrueTarget, currentFalseTarget); } } function bindNonNullExpressionFlow(node) { if (isOptionalChain(node)) { bindOptionalChainFlow(node); } else { bindEachChild(node); } } function bindAccessExpressionFlow(node) { if (isOptionalChain(node)) { bindOptionalChainFlow(node); } else { bindEachChild(node); } } function bindCallExpressionFlow(node) { if (isOptionalChain(node)) { bindOptionalChainFlow(node); } else { const expr = skipParentheses(node.expression); if (expr.kind === 218 || expr.kind === 219) { bindEach(node.typeArguments); bindEach(node.arguments); bind(node.expression); } else { bindEachChild(node); if (node.expression.kind === 108) { currentFlow = createFlowCall(currentFlow, node); } } } if (node.expression.kind === 211) { const propertyAccess = node.expression; if (isIdentifier(propertyAccess.name) && isNarrowableOperand(propertyAccess.expression) && isPushOrUnshiftIdentifier(propertyAccess.name)) { currentFlow = createFlowMutation(256, currentFlow, node); } } } function addToContainerChain(next) { if (lastContainer) { lastContainer.nextContainer = next; } lastContainer = next; } function declareSymbolAndAddToSymbolTable(node, symbolFlags, symbolExcludes) { switch (container.kind) { case 267: return declareModuleMember(node, symbolFlags, symbolExcludes); case 307: return declareSourceFileMember(node, symbolFlags, symbolExcludes); case 231: case 263: return declareClassMember(node, symbolFlags, symbolExcludes); case 266: return declareSymbol(container.symbol.exports, container.symbol, node, symbolFlags, symbolExcludes); case 187: case 322: case 210: case 264: case 292: return declareSymbol(container.symbol.members, container.symbol, node, symbolFlags, symbolExcludes); case 184: case 185: case 179: case 180: case 323: case 181: case 174: case 173: case 176: case 177: case 178: case 262: case 218: case 219: case 317: case 175: case 265: case 200: if (container.locals) Debug.assertNode(container, canHaveLocals); return declareSymbol( container.locals, /*parent*/ void 0, node, symbolFlags, symbolExcludes ); } } function declareClassMember(node, symbolFlags, symbolExcludes) { return isStatic(node) ? declareSymbol(container.symbol.exports, container.symbol, node, symbolFlags, symbolExcludes) : declareSymbol(container.symbol.members, container.symbol, node, symbolFlags, symbolExcludes); } function declareSourceFileMember(node, symbolFlags, symbolExcludes) { return isExternalModule(file) ? declareModuleMember(node, symbolFlags, symbolExcludes) : declareSymbol( file.locals, /*parent*/ void 0, node, symbolFlags, symbolExcludes ); } function hasExportDeclarations(node) { const body = isSourceFile(node) ? node : tryCast(node.body, isModuleBlock); return !!body && body.statements.some((s) => isExportDeclaration(s) || isExportAssignment(s)); } function setExportContextFlag(node) { if (node.flags & 33554432 && !hasExportDeclarations(node)) { node.flags |= 128; } else { node.flags &= ~128; } } function bindModuleDeclaration(node) { setExportContextFlag(node); if (isAmbientModule(node)) { if (hasSyntacticModifier( node, 32 /* Export */ )) { errorOnFirstToken(node, Diagnostics.export_modifier_cannot_be_applied_to_ambient_modules_and_module_augmentations_since_they_are_always_visible); } if (isModuleAugmentationExternal(node)) { declareModuleSymbol(node); } else { let pattern; if (node.name.kind === 11) { const { text } = node.name; pattern = tryParsePattern(text); if (pattern === void 0) { errorOnFirstToken(node.name, Diagnostics.Pattern_0_can_have_at_most_one_Asterisk_character, text); } } const symbol = declareSymbolAndAddToSymbolTable( node, 512, 110735 /* ValueModuleExcludes */ ); file.patternAmbientModules = append(file.patternAmbientModules, pattern && !isString2(pattern) ? { pattern, symbol } : void 0); } } else { const state = declareModuleSymbol(node); if (state !== 0) { const { symbol } = node; symbol.constEnumOnlyModule = !(symbol.flags & (16 | 32 | 256)) && state === 2 && symbol.constEnumOnlyModule !== false; } } } function declareModuleSymbol(node) { const state = getModuleInstanceState(node); const instantiated = state !== 0; declareSymbolAndAddToSymbolTable( node, instantiated ? 512 : 1024, instantiated ? 110735 : 0 /* NamespaceModuleExcludes */ ); return state; } function bindFunctionOrConstructorType(node) { const symbol = createSymbol(131072, getDeclarationName(node)); addDeclarationToSymbol( symbol, node, 131072 /* Signature */ ); const typeLiteralSymbol = createSymbol( 2048, "__type" /* Type */ ); addDeclarationToSymbol( typeLiteralSymbol, node, 2048 /* TypeLiteral */ ); typeLiteralSymbol.members = createSymbolTable(); typeLiteralSymbol.members.set(symbol.escapedName, symbol); } function bindObjectLiteralExpression(node) { return bindAnonymousDeclaration( node, 4096, "__object" /* Object */ ); } function bindJsxAttributes(node) { return bindAnonymousDeclaration( node, 4096, "__jsxAttributes" /* JSXAttributes */ ); } function bindJsxAttribute(node, symbolFlags, symbolExcludes) { return declareSymbolAndAddToSymbolTable(node, symbolFlags, symbolExcludes); } function bindAnonymousDeclaration(node, symbolFlags, name) { const symbol = createSymbol(symbolFlags, name); if (symbolFlags & (8 | 106500)) { symbol.parent = container.symbol; } addDeclarationToSymbol(symbol, node, symbolFlags); return symbol; } function bindBlockScopedDeclaration(node, symbolFlags, symbolExcludes) { switch (blockScopeContainer.kind) { case 267: declareModuleMember(node, symbolFlags, symbolExcludes); break; case 307: if (isExternalOrCommonJsModule(container)) { declareModuleMember(node, symbolFlags, symbolExcludes); break; } default: Debug.assertNode(blockScopeContainer, canHaveLocals); if (!blockScopeContainer.locals) { blockScopeContainer.locals = createSymbolTable(); addToContainerChain(blockScopeContainer); } declareSymbol( blockScopeContainer.locals, /*parent*/ void 0, node, symbolFlags, symbolExcludes ); } } function delayedBindJSDocTypedefTag() { if (!delayedTypeAliases) { return; } const saveContainer = container; const saveLastContainer = lastContainer; const saveBlockScopeContainer = blockScopeContainer; const saveParent = parent2; const saveCurrentFlow = currentFlow; for (const typeAlias of delayedTypeAliases) { const host = typeAlias.parent.parent; container = getEnclosingContainer(host) || file; blockScopeContainer = getEnclosingBlockScopeContainer(host) || file; currentFlow = createFlowNode( 2, /*node*/ void 0, /*antecedent*/ void 0 ); parent2 = typeAlias; bind(typeAlias.typeExpression); const declName = getNameOfDeclaration(typeAlias); if ((isJSDocEnumTag(typeAlias) || !typeAlias.fullName) && declName && isPropertyAccessEntityNameExpression(declName.parent)) { const isTopLevel = isTopLevelNamespaceAssignment(declName.parent); if (isTopLevel) { bindPotentiallyMissingNamespaces( file.symbol, declName.parent, isTopLevel, !!findAncestor(declName, (d) => isPropertyAccessExpression(d) && d.name.escapedText === "prototype"), /*containerIsClass*/ false ); const oldContainer = container; switch (getAssignmentDeclarationPropertyAccessKind(declName.parent)) { case 1: case 2: if (!isExternalOrCommonJsModule(file)) { container = void 0; } else { container = file; } break; case 4: container = declName.parent.expression; break; case 3: container = declName.parent.expression.name; break; case 5: container = isExportsOrModuleExportsOrAlias(file, declName.parent.expression) ? file : isPropertyAccessExpression(declName.parent.expression) ? declName.parent.expression.name : declName.parent.expression; break; case 0: return Debug.fail("Shouldn't have detected typedef or enum on non-assignment declaration"); } if (container) { declareModuleMember( typeAlias, 524288, 788968 /* TypeAliasExcludes */ ); } container = oldContainer; } } else if (isJSDocEnumTag(typeAlias) || !typeAlias.fullName || typeAlias.fullName.kind === 80) { parent2 = typeAlias.parent; bindBlockScopedDeclaration( typeAlias, 524288, 788968 /* TypeAliasExcludes */ ); } else { bind(typeAlias.fullName); } } container = saveContainer; lastContainer = saveLastContainer; blockScopeContainer = saveBlockScopeContainer; parent2 = saveParent; currentFlow = saveCurrentFlow; } function bindJSDocImports() { if (jsDocImports === void 0) { return; } const saveContainer = container; const saveLastContainer = lastContainer; const saveBlockScopeContainer = blockScopeContainer; const saveParent = parent2; const saveCurrentFlow = currentFlow; for (const jsDocImportTag of jsDocImports) { const host = getJSDocHost(jsDocImportTag); const enclosingContainer = host ? getEnclosingContainer(host) : void 0; const enclosingBlockScopeContainer = host ? getEnclosingBlockScopeContainer(host) : void 0; container = enclosingContainer || file; blockScopeContainer = enclosingBlockScopeContainer || file; currentFlow = createFlowNode( 2, /*node*/ void 0, /*antecedent*/ void 0 ); parent2 = jsDocImportTag; bind(jsDocImportTag.importClause); } container = saveContainer; lastContainer = saveLastContainer; blockScopeContainer = saveBlockScopeContainer; parent2 = saveParent; currentFlow = saveCurrentFlow; } function checkContextualIdentifier(node) { if (!file.parseDiagnostics.length && !(node.flags & 33554432) && !(node.flags & 16777216) && !isIdentifierName4(node)) { const originalKeywordKind = identifierToKeywordKind(node); if (originalKeywordKind === void 0) { return; } if (inStrictMode && originalKeywordKind >= 119 && originalKeywordKind <= 127) { file.bindDiagnostics.push(createDiagnosticForNode2(node, getStrictModeIdentifierMessage(node), declarationNameToString(node))); } else if (originalKeywordKind === 135) { if (isExternalModule(file) && isInTopLevelContext(node)) { file.bindDiagnostics.push(createDiagnosticForNode2(node, Diagnostics.Identifier_expected_0_is_a_reserved_word_at_the_top_level_of_a_module, declarationNameToString(node))); } else if (node.flags & 65536) { file.bindDiagnostics.push(createDiagnosticForNode2(node, Diagnostics.Identifier_expected_0_is_a_reserved_word_that_cannot_be_used_here, declarationNameToString(node))); } } else if (originalKeywordKind === 127 && node.flags & 16384) { file.bindDiagnostics.push(createDiagnosticForNode2(node, Diagnostics.Identifier_expected_0_is_a_reserved_word_that_cannot_be_used_here, declarationNameToString(node))); } } } function getStrictModeIdentifierMessage(node) { if (getContainingClass(node)) { return Diagnostics.Identifier_expected_0_is_a_reserved_word_in_strict_mode_Class_definitions_are_automatically_in_strict_mode; } if (file.externalModuleIndicator) { return Diagnostics.Identifier_expected_0_is_a_reserved_word_in_strict_mode_Modules_are_automatically_in_strict_mode; } return Diagnostics.Identifier_expected_0_is_a_reserved_word_in_strict_mode; } function checkPrivateIdentifier(node) { if (node.escapedText === "#constructor") { if (!file.parseDiagnostics.length) { file.bindDiagnostics.push(createDiagnosticForNode2(node, Diagnostics.constructor_is_a_reserved_word, declarationNameToString(node))); } } } function checkStrictModeBinaryExpression(node) { if (inStrictMode && isLeftHandSideExpression(node.left) && isAssignmentOperator(node.operatorToken.kind)) { checkStrictModeEvalOrArguments(node, node.left); } } function checkStrictModeCatchClause(node) { if (inStrictMode && node.variableDeclaration) { checkStrictModeEvalOrArguments(node, node.variableDeclaration.name); } } function checkStrictModeDeleteExpression(node) { if (inStrictMode && node.expression.kind === 80) { const span = getErrorSpanForNode(file, node.expression); file.bindDiagnostics.push(createFileDiagnostic(file, span.start, span.length, Diagnostics.delete_cannot_be_called_on_an_identifier_in_strict_mode)); } } function isEvalOrArgumentsIdentifier(node) { return isIdentifier(node) && (node.escapedText === "eval" || node.escapedText === "arguments"); } function checkStrictModeEvalOrArguments(contextNode, name) { if (name && name.kind === 80) { const identifier = name; if (isEvalOrArgumentsIdentifier(identifier)) { const span = getErrorSpanForNode(file, name); file.bindDiagnostics.push(createFileDiagnostic(file, span.start, span.length, getStrictModeEvalOrArgumentsMessage(contextNode), idText(identifier))); } } } function getStrictModeEvalOrArgumentsMessage(node) { if (getContainingClass(node)) { return Diagnostics.Code_contained_in_a_class_is_evaluated_in_JavaScript_s_strict_mode_which_does_not_allow_this_use_of_0_For_more_information_see_https_Colon_Slash_Slashdeveloper_mozilla_org_Slashen_US_Slashdocs_SlashWeb_SlashJavaScript_SlashReference_SlashStrict_mode; } if (file.externalModuleIndicator) { return Diagnostics.Invalid_use_of_0_Modules_are_automatically_in_strict_mode; } return Diagnostics.Invalid_use_of_0_in_strict_mode; } function checkStrictModeFunctionName(node) { if (inStrictMode && !(node.flags & 33554432)) { checkStrictModeEvalOrArguments(node, node.name); } } function getStrictModeBlockScopeFunctionDeclarationMessage(node) { if (getContainingClass(node)) { return Diagnostics.Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5_Class_definitions_are_automatically_in_strict_mode; } if (file.externalModuleIndicator) { return Diagnostics.Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5_Modules_are_automatically_in_strict_mode; } return Diagnostics.Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5; } function checkStrictModeFunctionDeclaration(node) { if (languageVersion < 2) { if (blockScopeContainer.kind !== 307 && blockScopeContainer.kind !== 267 && !isFunctionLikeOrClassStaticBlockDeclaration(blockScopeContainer)) { const errorSpan = getErrorSpanForNode(file, node); file.bindDiagnostics.push(createFileDiagnostic(file, errorSpan.start, errorSpan.length, getStrictModeBlockScopeFunctionDeclarationMessage(node))); } } } function checkStrictModePostfixUnaryExpression(node) { if (inStrictMode) { checkStrictModeEvalOrArguments(node, node.operand); } } function checkStrictModePrefixUnaryExpression(node) { if (inStrictMode) { if (node.operator === 46 || node.operator === 47) { checkStrictModeEvalOrArguments(node, node.operand); } } } function checkStrictModeWithStatement(node) { if (inStrictMode) { errorOnFirstToken(node, Diagnostics.with_statements_are_not_allowed_in_strict_mode); } } function checkStrictModeLabeledStatement(node) { if (inStrictMode && getEmitScriptTarget(options) >= 2) { if (isDeclarationStatement(node.statement) || isVariableStatement(node.statement)) { errorOnFirstToken(node.label, Diagnostics.A_label_is_not_allowed_here); } } } function errorOnFirstToken(node, message, ...args) { const span = getSpanOfTokenAtPosition(file, node.pos); file.bindDiagnostics.push(createFileDiagnostic(file, span.start, span.length, message, ...args)); } function errorOrSuggestionOnNode(isError, node, message) { errorOrSuggestionOnRange(isError, node, node, message); } function errorOrSuggestionOnRange(isError, startNode2, endNode2, message) { addErrorOrSuggestionDiagnostic(isError, { pos: getTokenPosOfNode(startNode2, file), end: endNode2.end }, message); } function addErrorOrSuggestionDiagnostic(isError, range, message) { const diag2 = createFileDiagnostic(file, range.pos, range.end - range.pos, message); if (isError) { file.bindDiagnostics.push(diag2); } else { file.bindSuggestionDiagnostics = append(file.bindSuggestionDiagnostics, { ...diag2, category: 2 /* Suggestion */ }); } } function bind(node) { if (!node) { return; } setParent(node, parent2); if (tracing) node.tracingPath = file.path; const saveInStrictMode = inStrictMode; bindWorker(node); if (node.kind > 165) { const saveParent = parent2; parent2 = node; const containerFlags = getContainerFlags(node); if (containerFlags === 0) { bindChildren(node); } else { bindContainer(node, containerFlags); } parent2 = saveParent; } else { const saveParent = parent2; if (node.kind === 1) parent2 = node; bindJSDoc(node); parent2 = saveParent; } inStrictMode = saveInStrictMode; } function bindJSDoc(node) { if (hasJSDocNodes(node)) { if (isInJSFile(node)) { for (const j of node.jsDoc) { bind(j); } } else { for (const j of node.jsDoc) { setParent(j, node); setParentRecursive( j, /*incremental*/ false ); } } } } function updateStrictModeStatementList(statements) { if (!inStrictMode) { for (const statement of statements) { if (!isPrologueDirective(statement)) { return; } if (isUseStrictPrologueDirective(statement)) { inStrictMode = true; return; } } } } function isUseStrictPrologueDirective(node) { const nodeText2 = getSourceTextOfNodeFromSourceFile(file, node.expression); return nodeText2 === '"use strict"' || nodeText2 === "'use strict'"; } function bindWorker(node) { switch (node.kind) { case 80: if (node.flags & 4096) { let parentNode = node.parent; while (parentNode && !isJSDocTypeAlias(parentNode)) { parentNode = parentNode.parent; } bindBlockScopedDeclaration( parentNode, 524288, 788968 /* TypeAliasExcludes */ ); break; } case 110: if (currentFlow && (isExpression(node) || parent2.kind === 304)) { node.flowNode = currentFlow; } return checkContextualIdentifier(node); case 166: if (currentFlow && isPartOfTypeQuery(node)) { node.flowNode = currentFlow; } break; case 236: case 108: node.flowNode = currentFlow; break; case 81: return checkPrivateIdentifier(node); case 211: case 212: const expr = node; if (currentFlow && isNarrowableReference(expr)) { expr.flowNode = currentFlow; } if (isSpecialPropertyDeclaration(expr)) { bindSpecialPropertyDeclaration(expr); } if (isInJSFile(expr) && file.commonJsModuleIndicator && isModuleExportsAccessExpression(expr) && !lookupSymbolForName(blockScopeContainer, "module")) { declareSymbol( file.locals, /*parent*/ void 0, expr.expression, 1 | 134217728, 111550 /* FunctionScopedVariableExcludes */ ); } break; case 226: const specialKind = getAssignmentDeclarationKind(node); switch (specialKind) { case 1: bindExportsPropertyAssignment(node); break; case 2: bindModuleExportsAssignment(node); break; case 3: bindPrototypePropertyAssignment(node.left, node); break; case 6: bindPrototypeAssignment(node); break; case 4: bindThisPropertyAssignment(node); break; case 5: const expression = node.left.expression; if (isInJSFile(node) && isIdentifier(expression)) { const symbol = lookupSymbolForName(blockScopeContainer, expression.escapedText); if (isThisInitializedDeclaration(symbol == null ? void 0 : symbol.valueDeclaration)) { bindThisPropertyAssignment(node); break; } } bindSpecialPropertyAssignment(node); break; case 0: break; default: Debug.fail("Unknown binary expression special property assignment kind"); } return checkStrictModeBinaryExpression(node); case 299: return checkStrictModeCatchClause(node); case 220: return checkStrictModeDeleteExpression(node); case 225: return checkStrictModePostfixUnaryExpression(node); case 224: return checkStrictModePrefixUnaryExpression(node); case 254: return checkStrictModeWithStatement(node); case 256: return checkStrictModeLabeledStatement(node); case 197: seenThisKeyword = true; return; case 182: break; case 168: return bindTypeParameter(node); case 169: return bindParameter(node); case 260: return bindVariableDeclarationOrBindingElement(node); case 208: node.flowNode = currentFlow; return bindVariableDeclarationOrBindingElement(node); case 172: case 171: return bindPropertyWorker(node); case 303: case 304: return bindPropertyOrMethodOrAccessor( node, 4, 0 /* PropertyExcludes */ ); case 306: return bindPropertyOrMethodOrAccessor( node, 8, 900095 /* EnumMemberExcludes */ ); case 179: case 180: case 181: return declareSymbolAndAddToSymbolTable( node, 131072, 0 /* None */ ); case 174: case 173: return bindPropertyOrMethodOrAccessor( node, 8192 | (node.questionToken ? 16777216 : 0), isObjectLiteralMethod(node) ? 0 : 103359 /* MethodExcludes */ ); case 262: return bindFunctionDeclaration(node); case 176: return declareSymbolAndAddToSymbolTable( node, 16384, /*symbolExcludes:*/ 0 /* None */ ); case 177: return bindPropertyOrMethodOrAccessor( node, 32768, 46015 /* GetAccessorExcludes */ ); case 178: return bindPropertyOrMethodOrAccessor( node, 65536, 78783 /* SetAccessorExcludes */ ); case 184: case 317: case 323: case 185: return bindFunctionOrConstructorType(node); case 187: case 322: case 200: return bindAnonymousTypeWorker(node); case 332: return bindJSDocClassTag(node); case 210: return bindObjectLiteralExpression(node); case 218: case 219: return bindFunctionExpression(node); case 213: const assignmentKind = getAssignmentDeclarationKind(node); switch (assignmentKind) { case 7: return bindObjectDefinePropertyAssignment(node); case 8: return bindObjectDefinePropertyExport(node); case 9: return bindObjectDefinePrototypeProperty(node); case 0: break; default: return Debug.fail("Unknown call expression assignment declaration kind"); } if (isInJSFile(node)) { bindCallExpression(node); } break; case 231: case 263: inStrictMode = true; return bindClassLikeDeclaration(node); case 264: return bindBlockScopedDeclaration( node, 64, 788872 /* InterfaceExcludes */ ); case 265: return bindBlockScopedDeclaration( node, 524288, 788968 /* TypeAliasExcludes */ ); case 266: return bindEnumDeclaration(node); case 267: return bindModuleDeclaration(node); case 292: return bindJsxAttributes(node); case 291: return bindJsxAttribute( node, 4, 0 /* PropertyExcludes */ ); case 271: case 274: case 276: case 281: return declareSymbolAndAddToSymbolTable( node, 2097152, 2097152 /* AliasExcludes */ ); case 270: return bindNamespaceExportDeclaration(node); case 273: return bindImportClause(node); case 278: return bindExportDeclaration(node); case 277: return bindExportAssignment(node); case 307: updateStrictModeStatementList(node.statements); return bindSourceFileIfExternalModule(); case 241: if (!isFunctionLikeOrClassStaticBlockDeclaration(node.parent)) { return; } case 268: return updateStrictModeStatementList(node.statements); case 341: if (node.parent.kind === 323) { return bindParameter(node); } if (node.parent.kind !== 322) { break; } case 348: const propTag = node; const flags = propTag.isBracketed || propTag.typeExpression && propTag.typeExpression.type.kind === 316 ? 4 | 16777216 : 4; return declareSymbolAndAddToSymbolTable( propTag, flags, 0 /* PropertyExcludes */ ); case 346: case 338: case 340: return (delayedTypeAliases || (delayedTypeAliases = [])).push(node); case 339: return bind(node.typeExpression); case 351: return (jsDocImports || (jsDocImports = [])).push(node); } } function bindPropertyWorker(node) { const isAutoAccessor = isAutoAccessorPropertyDeclaration(node); const includes = isAutoAccessor ? 98304 : 4; const excludes = isAutoAccessor ? 13247 : 0; return bindPropertyOrMethodOrAccessor(node, includes | (node.questionToken ? 16777216 : 0), excludes); } function bindAnonymousTypeWorker(node) { return bindAnonymousDeclaration( node, 2048, "__type" /* Type */ ); } function bindSourceFileIfExternalModule() { setExportContextFlag(file); if (isExternalModule(file)) { bindSourceFileAsExternalModule(); } else if (isJsonSourceFile(file)) { bindSourceFileAsExternalModule(); const originalSymbol = file.symbol; declareSymbol( file.symbol.exports, file.symbol, file, 4, -1 /* All */ ); file.symbol = originalSymbol; } } function bindSourceFileAsExternalModule() { bindAnonymousDeclaration(file, 512, `"${removeFileExtension(file.fileName)}"`); } function bindExportAssignment(node) { if (!container.symbol || !container.symbol.exports) { bindAnonymousDeclaration(node, 111551, getDeclarationName(node)); } else { const flags = exportAssignmentIsAlias(node) ? 2097152 : 4; const symbol = declareSymbol( container.symbol.exports, container.symbol, node, flags, -1 /* All */ ); if (node.isExportEquals) { setValueDeclaration(symbol, node); } } } function bindNamespaceExportDeclaration(node) { if (some(node.modifiers)) { file.bindDiagnostics.push(createDiagnosticForNode2(node, Diagnostics.Modifiers_cannot_appear_here)); } const diag2 = !isSourceFile(node.parent) ? Diagnostics.Global_module_exports_may_only_appear_at_top_level : !isExternalModule(node.parent) ? Diagnostics.Global_module_exports_may_only_appear_in_module_files : !node.parent.isDeclarationFile ? Diagnostics.Global_module_exports_may_only_appear_in_declaration_files : void 0; if (diag2) { file.bindDiagnostics.push(createDiagnosticForNode2(node, diag2)); } else { file.symbol.globalExports = file.symbol.globalExports || createSymbolTable(); declareSymbol( file.symbol.globalExports, file.symbol, node, 2097152, 2097152 /* AliasExcludes */ ); } } function bindExportDeclaration(node) { if (!container.symbol || !container.symbol.exports) { bindAnonymousDeclaration(node, 8388608, getDeclarationName(node)); } else if (!node.exportClause) { declareSymbol( container.symbol.exports, container.symbol, node, 8388608, 0 /* None */ ); } else if (isNamespaceExport(node.exportClause)) { setParent(node.exportClause, node); declareSymbol( container.symbol.exports, container.symbol, node.exportClause, 2097152, 2097152 /* AliasExcludes */ ); } } function bindImportClause(node) { if (node.name) { declareSymbolAndAddToSymbolTable( node, 2097152, 2097152 /* AliasExcludes */ ); } } function setCommonJsModuleIndicator(node) { if (file.externalModuleIndicator && file.externalModuleIndicator !== true) { return false; } if (!file.commonJsModuleIndicator) { file.commonJsModuleIndicator = node; if (!file.externalModuleIndicator) { bindSourceFileAsExternalModule(); } } return true; } function bindObjectDefinePropertyExport(node) { if (!setCommonJsModuleIndicator(node)) { return; } const symbol = forEachIdentifierInEntityName( node.arguments[0], /*parent*/ void 0, (id, symbol2) => { if (symbol2) { addDeclarationToSymbol( symbol2, id, 1536 | 67108864 /* Assignment */ ); } return symbol2; } ); if (symbol) { const flags = 4 | 1048576; declareSymbol( symbol.exports, symbol, node, flags, 0 /* None */ ); } } function bindExportsPropertyAssignment(node) { if (!setCommonJsModuleIndicator(node)) { return; } const symbol = forEachIdentifierInEntityName( node.left.expression, /*parent*/ void 0, (id, symbol2) => { if (symbol2) { addDeclarationToSymbol( symbol2, id, 1536 | 67108864 /* Assignment */ ); } return symbol2; } ); if (symbol) { const isAlias = isAliasableExpression(node.right) && (isExportsIdentifier(node.left.expression) || isModuleExportsAccessExpression(node.left.expression)); const flags = isAlias ? 2097152 : 4 | 1048576; setParent(node.left, node); declareSymbol( symbol.exports, symbol, node.left, flags, 0 /* None */ ); } } function bindModuleExportsAssignment(node) { if (!setCommonJsModuleIndicator(node)) { return; } const assignedExpression = getRightMostAssignedExpression(node.right); if (isEmptyObjectLiteral(assignedExpression) || container === file && isExportsOrModuleExportsOrAlias(file, assignedExpression)) { return; } if (isObjectLiteralExpression(assignedExpression) && every(assignedExpression.properties, isShorthandPropertyAssignment)) { forEach(assignedExpression.properties, bindExportAssignedObjectMemberAlias); return; } const flags = exportAssignmentIsAlias(node) ? 2097152 : 4 | 1048576 | 512; const symbol = declareSymbol( file.symbol.exports, file.symbol, node, flags | 67108864, 0 /* None */ ); setValueDeclaration(symbol, node); } function bindExportAssignedObjectMemberAlias(node) { declareSymbol( file.symbol.exports, file.symbol, node, 2097152 | 67108864, 0 /* None */ ); } function bindThisPropertyAssignment(node) { Debug.assert(isInJSFile(node)); const hasPrivateIdentifier = isBinaryExpression(node) && isPropertyAccessExpression(node.left) && isPrivateIdentifier(node.left.name) || isPropertyAccessExpression(node) && isPrivateIdentifier(node.name); if (hasPrivateIdentifier) { return; } const thisContainer = getThisContainer( node, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ); switch (thisContainer.kind) { case 262: case 218: let constructorSymbol = thisContainer.symbol; if (isBinaryExpression(thisContainer.parent) && thisContainer.parent.operatorToken.kind === 64) { const l = thisContainer.parent.left; if (isBindableStaticAccessExpression(l) && isPrototypeAccess(l.expression)) { constructorSymbol = lookupSymbolForPropertyAccess(l.expression.expression, thisParentContainer); } } if (constructorSymbol && constructorSymbol.valueDeclaration) { constructorSymbol.members = constructorSymbol.members || createSymbolTable(); if (hasDynamicName(node)) { bindDynamicallyNamedThisPropertyAssignment(node, constructorSymbol, constructorSymbol.members); } else { declareSymbol( constructorSymbol.members, constructorSymbol, node, 4 | 67108864, 0 & ~4 /* Property */ ); } addDeclarationToSymbol( constructorSymbol, constructorSymbol.valueDeclaration, 32 /* Class */ ); } break; case 176: case 172: case 174: case 177: case 178: case 175: const containingClass = thisContainer.parent; const symbolTable = isStatic(thisContainer) ? containingClass.symbol.exports : containingClass.symbol.members; if (hasDynamicName(node)) { bindDynamicallyNamedThisPropertyAssignment(node, containingClass.symbol, symbolTable); } else { declareSymbol( symbolTable, containingClass.symbol, node, 4 | 67108864, 0, /*isReplaceableByMethod*/ true ); } break; case 307: if (hasDynamicName(node)) { break; } else if (thisContainer.commonJsModuleIndicator) { declareSymbol( thisContainer.symbol.exports, thisContainer.symbol, node, 4 | 1048576, 0 /* None */ ); } else { declareSymbolAndAddToSymbolTable( node, 1, 111550 /* FunctionScopedVariableExcludes */ ); } break; case 267: break; default: Debug.failBadSyntaxKind(thisContainer); } } function bindDynamicallyNamedThisPropertyAssignment(node, symbol, symbolTable) { declareSymbol( symbolTable, symbol, node, 4, 0, /*isReplaceableByMethod*/ true, /*isComputedName*/ true ); addLateBoundAssignmentDeclarationToSymbol(node, symbol); } function addLateBoundAssignmentDeclarationToSymbol(node, symbol) { if (symbol) { (symbol.assignmentDeclarationMembers || (symbol.assignmentDeclarationMembers = /* @__PURE__ */ new Map())).set(getNodeId(node), node); } } function bindSpecialPropertyDeclaration(node) { if (node.expression.kind === 110) { bindThisPropertyAssignment(node); } else if (isBindableStaticAccessExpression(node) && node.parent.parent.kind === 307) { if (isPrototypeAccess(node.expression)) { bindPrototypePropertyAssignment(node, node.parent); } else { bindStaticPropertyAssignment(node); } } } function bindPrototypeAssignment(node) { setParent(node.left, node); setParent(node.right, node); bindPropertyAssignment( node.left.expression, node.left, /*isPrototypeProperty*/ false, /*containerIsClass*/ true ); } function bindObjectDefinePrototypeProperty(node) { const namespaceSymbol = lookupSymbolForPropertyAccess(node.arguments[0].expression); if (namespaceSymbol && namespaceSymbol.valueDeclaration) { addDeclarationToSymbol( namespaceSymbol, namespaceSymbol.valueDeclaration, 32 /* Class */ ); } bindPotentiallyNewExpandoMemberToNamespace( node, namespaceSymbol, /*isPrototypeProperty*/ true ); } function bindPrototypePropertyAssignment(lhs, parent3) { const classPrototype = lhs.expression; const constructorFunction = classPrototype.expression; setParent(constructorFunction, classPrototype); setParent(classPrototype, lhs); setParent(lhs, parent3); bindPropertyAssignment( constructorFunction, lhs, /*isPrototypeProperty*/ true, /*containerIsClass*/ true ); } function bindObjectDefinePropertyAssignment(node) { let namespaceSymbol = lookupSymbolForPropertyAccess(node.arguments[0]); const isToplevel = node.parent.parent.kind === 307; namespaceSymbol = bindPotentiallyMissingNamespaces( namespaceSymbol, node.arguments[0], isToplevel, /*isPrototypeProperty*/ false, /*containerIsClass*/ false ); bindPotentiallyNewExpandoMemberToNamespace( node, namespaceSymbol, /*isPrototypeProperty*/ false ); } function bindSpecialPropertyAssignment(node) { var _a; const parentSymbol = lookupSymbolForPropertyAccess(node.left.expression, blockScopeContainer) || lookupSymbolForPropertyAccess(node.left.expression, container); if (!isInJSFile(node) && !isFunctionSymbol(parentSymbol)) { return; } const rootExpr = getLeftmostAccessExpression(node.left); if (isIdentifier(rootExpr) && ((_a = lookupSymbolForName(container, rootExpr.escapedText)) == null ? void 0 : _a.flags) & 2097152) { return; } setParent(node.left, node); setParent(node.right, node); if (isIdentifier(node.left.expression) && container === file && isExportsOrModuleExportsOrAlias(file, node.left.expression)) { bindExportsPropertyAssignment(node); } else if (hasDynamicName(node)) { bindAnonymousDeclaration( node, 4 | 67108864, "__computed" /* Computed */ ); const sym = bindPotentiallyMissingNamespaces( parentSymbol, node.left.expression, isTopLevelNamespaceAssignment(node.left), /*isPrototypeProperty*/ false, /*containerIsClass*/ false ); addLateBoundAssignmentDeclarationToSymbol(node, sym); } else { bindStaticPropertyAssignment(cast(node.left, isBindableStaticNameExpression)); } } function bindStaticPropertyAssignment(node) { Debug.assert(!isIdentifier(node)); setParent(node.expression, node); bindPropertyAssignment( node.expression, node, /*isPrototypeProperty*/ false, /*containerIsClass*/ false ); } function bindPotentiallyMissingNamespaces(namespaceSymbol, entityName, isToplevel, isPrototypeProperty2, containerIsClass) { if ((namespaceSymbol == null ? void 0 : namespaceSymbol.flags) & 2097152) { return namespaceSymbol; } if (isToplevel && !isPrototypeProperty2) { const flags = 1536 | 67108864; const excludeFlags = 110735 & ~67108864; namespaceSymbol = forEachIdentifierInEntityName(entityName, namespaceSymbol, (id, symbol, parent3) => { if (symbol) { addDeclarationToSymbol(symbol, id, flags); return symbol; } else { const table = parent3 ? parent3.exports : file.jsGlobalAugmentations || (file.jsGlobalAugmentations = createSymbolTable()); return declareSymbol(table, parent3, id, flags, excludeFlags); } }); } if (containerIsClass && namespaceSymbol && namespaceSymbol.valueDeclaration) { addDeclarationToSymbol( namespaceSymbol, namespaceSymbol.valueDeclaration, 32 /* Class */ ); } return namespaceSymbol; } function bindPotentiallyNewExpandoMemberToNamespace(declaration, namespaceSymbol, isPrototypeProperty2) { if (!namespaceSymbol || !isExpandoSymbol(namespaceSymbol)) { return; } const symbolTable = isPrototypeProperty2 ? namespaceSymbol.members || (namespaceSymbol.members = createSymbolTable()) : namespaceSymbol.exports || (namespaceSymbol.exports = createSymbolTable()); let includes = 0; let excludes = 0; if (isFunctionLikeDeclaration(getAssignedExpandoInitializer(declaration))) { includes = 8192; excludes = 103359; } else if (isCallExpression2(declaration) && isBindableObjectDefinePropertyCall(declaration)) { if (some(declaration.arguments[2].properties, (p) => { const id = getNameOfDeclaration(p); return !!id && isIdentifier(id) && idText(id) === "set"; })) { includes |= 65536 | 4; excludes |= 78783; } if (some(declaration.arguments[2].properties, (p) => { const id = getNameOfDeclaration(p); return !!id && isIdentifier(id) && idText(id) === "get"; })) { includes |= 32768 | 4; excludes |= 46015; } } if (includes === 0) { includes = 4; excludes = 0; } declareSymbol( symbolTable, namespaceSymbol, declaration, includes | 67108864, excludes & ~67108864 /* Assignment */ ); } function isTopLevelNamespaceAssignment(propertyAccess) { return isBinaryExpression(propertyAccess.parent) ? getParentOfBinaryExpression(propertyAccess.parent).parent.kind === 307 : propertyAccess.parent.parent.kind === 307; } function bindPropertyAssignment(name, propertyAccess, isPrototypeProperty2, containerIsClass) { let namespaceSymbol = lookupSymbolForPropertyAccess(name, blockScopeContainer) || lookupSymbolForPropertyAccess(name, container); const isToplevel = isTopLevelNamespaceAssignment(propertyAccess); namespaceSymbol = bindPotentiallyMissingNamespaces(namespaceSymbol, propertyAccess.expression, isToplevel, isPrototypeProperty2, containerIsClass); bindPotentiallyNewExpandoMemberToNamespace(propertyAccess, namespaceSymbol, isPrototypeProperty2); } function isExpandoSymbol(symbol) { if (symbol.flags & (16 | 32 | 1024)) { return true; } const node = symbol.valueDeclaration; if (node && isCallExpression2(node)) { return !!getAssignedExpandoInitializer(node); } let init = !node ? void 0 : isVariableDeclaration(node) ? node.initializer : isBinaryExpression(node) ? node.right : isPropertyAccessExpression(node) && isBinaryExpression(node.parent) ? node.parent.right : void 0; init = init && getRightMostAssignedExpression(init); if (init) { const isPrototypeAssignment = isPrototypeAccess(isVariableDeclaration(node) ? node.name : isBinaryExpression(node) ? node.left : node); return !!getExpandoInitializer(isBinaryExpression(init) && (init.operatorToken.kind === 57 || init.operatorToken.kind === 61) ? init.right : init, isPrototypeAssignment); } return false; } function getParentOfBinaryExpression(expr) { while (isBinaryExpression(expr.parent)) { expr = expr.parent; } return expr.parent; } function lookupSymbolForPropertyAccess(node, lookupContainer = container) { if (isIdentifier(node)) { return lookupSymbolForName(lookupContainer, node.escapedText); } else { const symbol = lookupSymbolForPropertyAccess(node.expression); return symbol && symbol.exports && symbol.exports.get(getElementOrPropertyAccessName(node)); } } function forEachIdentifierInEntityName(e, parent3, action) { if (isExportsOrModuleExportsOrAlias(file, e)) { return file.symbol; } else if (isIdentifier(e)) { return action(e, lookupSymbolForPropertyAccess(e), parent3); } else { const s = forEachIdentifierInEntityName(e.expression, parent3, action); const name = getNameOrArgument(e); if (isPrivateIdentifier(name)) { Debug.fail("unexpected PrivateIdentifier"); } return action(name, s && s.exports && s.exports.get(getElementOrPropertyAccessName(e)), s); } } function bindCallExpression(node) { if (!file.commonJsModuleIndicator && isRequireCall( node, /*requireStringLiteralLikeArgument*/ false )) { setCommonJsModuleIndicator(node); } } function bindClassLikeDeclaration(node) { if (node.kind === 263) { bindBlockScopedDeclaration( node, 32, 899503 /* ClassExcludes */ ); } else { const bindingName = node.name ? node.name.escapedText : "__class"; bindAnonymousDeclaration(node, 32, bindingName); if (node.name) { classifiableNames.add(node.name.escapedText); } } const { symbol } = node; const prototypeSymbol = createSymbol(4 | 4194304, "prototype"); const symbolExport = symbol.exports.get(prototypeSymbol.escapedName); if (symbolExport) { if (node.name) { setParent(node.name, node); } file.bindDiagnostics.push(createDiagnosticForNode2(symbolExport.declarations[0], Diagnostics.Duplicate_identifier_0, symbolName(prototypeSymbol))); } symbol.exports.set(prototypeSymbol.escapedName, prototypeSymbol); prototypeSymbol.parent = symbol; } function bindEnumDeclaration(node) { return isEnumConst(node) ? bindBlockScopedDeclaration( node, 128, 899967 /* ConstEnumExcludes */ ) : bindBlockScopedDeclaration( node, 256, 899327 /* RegularEnumExcludes */ ); } function bindVariableDeclarationOrBindingElement(node) { if (inStrictMode) { checkStrictModeEvalOrArguments(node, node.name); } if (!isBindingPattern(node.name)) { const possibleVariableDecl = node.kind === 260 ? node : node.parent.parent; if (isInJSFile(node) && isVariableDeclarationInitializedToBareOrAccessedRequire(possibleVariableDecl) && !getJSDocTypeTag(node) && !(getCombinedModifierFlags(node) & 32)) { declareSymbolAndAddToSymbolTable( node, 2097152, 2097152 /* AliasExcludes */ ); } else if (isBlockOrCatchScoped(node)) { bindBlockScopedDeclaration( node, 2, 111551 /* BlockScopedVariableExcludes */ ); } else if (isPartOfParameterDeclaration(node)) { declareSymbolAndAddToSymbolTable( node, 1, 111551 /* ParameterExcludes */ ); } else { declareSymbolAndAddToSymbolTable( node, 1, 111550 /* FunctionScopedVariableExcludes */ ); } } } function bindParameter(node) { if (node.kind === 341 && container.kind !== 323) { return; } if (inStrictMode && !(node.flags & 33554432)) { checkStrictModeEvalOrArguments(node, node.name); } if (isBindingPattern(node.name)) { bindAnonymousDeclaration(node, 1, "__" + node.parent.parameters.indexOf(node)); } else { declareSymbolAndAddToSymbolTable( node, 1, 111551 /* ParameterExcludes */ ); } if (isParameterPropertyDeclaration(node, node.parent)) { const classDeclaration = node.parent.parent; declareSymbol( classDeclaration.symbol.members, classDeclaration.symbol, node, 4 | (node.questionToken ? 16777216 : 0), 0 /* PropertyExcludes */ ); } } function bindFunctionDeclaration(node) { if (!file.isDeclarationFile && !(node.flags & 33554432)) { if (isAsyncFunction(node)) { emitFlags |= 4096; } } checkStrictModeFunctionName(node); if (inStrictMode) { checkStrictModeFunctionDeclaration(node); bindBlockScopedDeclaration( node, 16, 110991 /* FunctionExcludes */ ); } else { declareSymbolAndAddToSymbolTable( node, 16, 110991 /* FunctionExcludes */ ); } } function bindFunctionExpression(node) { if (!file.isDeclarationFile && !(node.flags & 33554432)) { if (isAsyncFunction(node)) { emitFlags |= 4096; } } if (currentFlow) { node.flowNode = currentFlow; } checkStrictModeFunctionName(node); const bindingName = node.name ? node.name.escapedText : "__function"; return bindAnonymousDeclaration(node, 16, bindingName); } function bindPropertyOrMethodOrAccessor(node, symbolFlags, symbolExcludes) { if (!file.isDeclarationFile && !(node.flags & 33554432) && isAsyncFunction(node)) { emitFlags |= 4096; } if (currentFlow && isObjectLiteralOrClassExpressionMethodOrAccessor(node)) { node.flowNode = currentFlow; } return hasDynamicName(node) ? bindAnonymousDeclaration( node, symbolFlags, "__computed" /* Computed */ ) : declareSymbolAndAddToSymbolTable(node, symbolFlags, symbolExcludes); } function getInferTypeContainer(node) { const extendsType = findAncestor(node, (n) => n.parent && isConditionalTypeNode(n.parent) && n.parent.extendsType === n); return extendsType && extendsType.parent; } function bindTypeParameter(node) { if (isJSDocTemplateTag(node.parent)) { const container2 = getEffectiveContainerForJSDocTemplateTag(node.parent); if (container2) { Debug.assertNode(container2, canHaveLocals); container2.locals ?? (container2.locals = createSymbolTable()); declareSymbol( container2.locals, /*parent*/ void 0, node, 262144, 526824 /* TypeParameterExcludes */ ); } else { declareSymbolAndAddToSymbolTable( node, 262144, 526824 /* TypeParameterExcludes */ ); } } else if (node.parent.kind === 195) { const container2 = getInferTypeContainer(node.parent); if (container2) { Debug.assertNode(container2, canHaveLocals); container2.locals ?? (container2.locals = createSymbolTable()); declareSymbol( container2.locals, /*parent*/ void 0, node, 262144, 526824 /* TypeParameterExcludes */ ); } else { bindAnonymousDeclaration(node, 262144, getDeclarationName(node)); } } else { declareSymbolAndAddToSymbolTable( node, 262144, 526824 /* TypeParameterExcludes */ ); } } function shouldReportErrorOnModuleDeclaration(node) { const instanceState = getModuleInstanceState(node); return instanceState === 1 || instanceState === 2 && shouldPreserveConstEnums(options); } function checkUnreachable(node) { if (!(currentFlow.flags & 1)) { return false; } if (currentFlow === unreachableFlow) { const reportError = ( // report error on all statements except empty ones isStatementButNotDeclaration(node) && node.kind !== 242 || // report error on class declarations node.kind === 263 || // report error on instantiated modules or const-enums only modules if preserveConstEnums is set node.kind === 267 && shouldReportErrorOnModuleDeclaration(node) ); if (reportError) { currentFlow = reportedUnreachableFlow; if (!options.allowUnreachableCode) { const isError = unreachableCodeIsError(options) && !(node.flags & 33554432) && (!isVariableStatement(node) || !!(getCombinedNodeFlags(node.declarationList) & 7) || node.declarationList.declarations.some((d) => !!d.initializer)); eachUnreachableRange(node, (start, end) => errorOrSuggestionOnRange(isError, start, end, Diagnostics.Unreachable_code_detected)); } } } return true; } } function eachUnreachableRange(node, cb) { if (isStatement(node) && isExecutableStatement(node) && isBlock(node.parent)) { const { statements } = node.parent; const slice = sliceAfter(statements, node); getRangesWhere(slice, isExecutableStatement, (start, afterEnd) => cb(slice[start], slice[afterEnd - 1])); } else { cb(node, node); } } function isExecutableStatement(s) { return !isFunctionDeclaration(s) && !isPurelyTypeDeclaration(s) && !isEnumDeclaration(s) && // `var x;` may declare a variable used above !(isVariableStatement(s) && !(getCombinedNodeFlags(s) & 7) && s.declarationList.declarations.some((d) => !d.initializer)); } function isPurelyTypeDeclaration(s) { switch (s.kind) { case 264: case 265: return true; case 267: return getModuleInstanceState(s) !== 1; case 266: return hasSyntacticModifier( s, 4096 /* Const */ ); default: return false; } } function isExportsOrModuleExportsOrAlias(sourceFile, node) { let i = 0; const q = createQueue(); q.enqueue(node); while (!q.isEmpty() && i < 100) { i++; node = q.dequeue(); if (isExportsIdentifier(node) || isModuleExportsAccessExpression(node)) { return true; } else if (isIdentifier(node)) { const symbol = lookupSymbolForName(sourceFile, node.escapedText); if (!!symbol && !!symbol.valueDeclaration && isVariableDeclaration(symbol.valueDeclaration) && !!symbol.valueDeclaration.initializer) { const init = symbol.valueDeclaration.initializer; q.enqueue(init); if (isAssignmentExpression2( init, /*excludeCompoundAssignment*/ true )) { q.enqueue(init.left); q.enqueue(init.right); } } } } return false; } function getContainerFlags(node) { switch (node.kind) { case 231: case 263: case 266: case 210: case 187: case 322: case 292: return 1; case 264: return 1 | 64; case 267: case 265: case 200: case 181: return 1 | 32; case 307: return 1 | 4 | 32; case 177: case 178: case 174: if (isObjectLiteralOrClassExpressionMethodOrAccessor(node)) { return 1 | 4 | 32 | 8 | 128; } case 176: case 262: case 173: case 179: case 323: case 317: case 184: case 180: case 185: case 175: return 1 | 4 | 32 | 8; case 218: case 219: return 1 | 4 | 32 | 8 | 16; case 268: return 4; case 172: return node.initializer ? 4 : 0; case 299: case 248: case 249: case 250: case 269: return 2 | 32; case 241: return isFunctionLike(node.parent) || isClassStaticBlockDeclaration(node.parent) ? 0 : 2 | 32; } return 0; } function lookupSymbolForName(container, name) { var _a, _b, _c, _d; const local = (_b = (_a = tryCast(container, canHaveLocals)) == null ? void 0 : _a.locals) == null ? void 0 : _b.get(name); if (local) { return local.exportSymbol ?? local; } if (isSourceFile(container) && container.jsGlobalAugmentations && container.jsGlobalAugmentations.has(name)) { return container.jsGlobalAugmentations.get(name); } if (canHaveSymbol(container)) { return (_d = (_c = container.symbol) == null ? void 0 : _c.exports) == null ? void 0 : _d.get(name); } } function createGetSymbolWalker(getRestTypeOfSignature, getTypePredicateOfSignature, getReturnTypeOfSignature, getBaseTypes, resolveStructuredTypeMembers, getTypeOfSymbol, getResolvedSymbol, getConstraintOfTypeParameter, getFirstIdentifier2, getTypeArguments) { return getSymbolWalker; function getSymbolWalker(accept = () => true) { const visitedTypes = []; const visitedSymbols = []; return { walkType: (type) => { try { visitType(type); return { visitedTypes: getOwnValues(visitedTypes), visitedSymbols: getOwnValues(visitedSymbols) }; } finally { clear(visitedTypes); clear(visitedSymbols); } }, walkSymbol: (symbol) => { try { visitSymbol(symbol); return { visitedTypes: getOwnValues(visitedTypes), visitedSymbols: getOwnValues(visitedSymbols) }; } finally { clear(visitedTypes); clear(visitedSymbols); } } }; function visitType(type) { if (!type) { return; } if (visitedTypes[type.id]) { return; } visitedTypes[type.id] = type; const shouldBail = visitSymbol(type.symbol); if (shouldBail) return; if (type.flags & 524288) { const objectType2 = type; const objectFlags = objectType2.objectFlags; if (objectFlags & 4) { visitTypeReference(type); } if (objectFlags & 32) { visitMappedType(type); } if (objectFlags & (1 | 2)) { visitInterfaceType(type); } if (objectFlags & (8 | 16)) { visitObjectType(objectType2); } } if (type.flags & 262144) { visitTypeParameter(type); } if (type.flags & 3145728) { visitUnionOrIntersectionType(type); } if (type.flags & 4194304) { visitIndexType(type); } if (type.flags & 8388608) { visitIndexedAccessType(type); } } function visitTypeReference(type) { visitType(type.target); forEach(getTypeArguments(type), visitType); } function visitTypeParameter(type) { visitType(getConstraintOfTypeParameter(type)); } function visitUnionOrIntersectionType(type) { forEach(type.types, visitType); } function visitIndexType(type) { visitType(type.type); } function visitIndexedAccessType(type) { visitType(type.objectType); visitType(type.indexType); visitType(type.constraint); } function visitMappedType(type) { visitType(type.typeParameter); visitType(type.constraintType); visitType(type.templateType); visitType(type.modifiersType); } function visitSignature(signature) { const typePredicate = getTypePredicateOfSignature(signature); if (typePredicate) { visitType(typePredicate.type); } forEach(signature.typeParameters, visitType); for (const parameter of signature.parameters) { visitSymbol(parameter); } visitType(getRestTypeOfSignature(signature)); visitType(getReturnTypeOfSignature(signature)); } function visitInterfaceType(interfaceT) { visitObjectType(interfaceT); forEach(interfaceT.typeParameters, visitType); forEach(getBaseTypes(interfaceT), visitType); visitType(interfaceT.thisType); } function visitObjectType(type) { const resolved = resolveStructuredTypeMembers(type); for (const info of resolved.indexInfos) { visitType(info.keyType); visitType(info.type); } for (const signature of resolved.callSignatures) { visitSignature(signature); } for (const signature of resolved.constructSignatures) { visitSignature(signature); } for (const p of resolved.properties) { visitSymbol(p); } } function visitSymbol(symbol) { if (!symbol) { return false; } const symbolId = getSymbolId(symbol); if (visitedSymbols[symbolId]) { return false; } visitedSymbols[symbolId] = symbol; if (!accept(symbol)) { return true; } const t = getTypeOfSymbol(symbol); visitType(t); if (symbol.exports) { symbol.exports.forEach(visitSymbol); } forEach(symbol.declarations, (d) => { if (d.type && d.type.kind === 186) { const query = d.type; const entity = getResolvedSymbol(getFirstIdentifier2(query.exprName)); visitSymbol(entity); } }); return false; } } } var ts_moduleSpecifiers_exports = {}; __export2(ts_moduleSpecifiers_exports, { RelativePreference: () => RelativePreference, countPathComponents: () => countPathComponents, forEachFileNameOfModule: () => forEachFileNameOfModule, getLocalModuleSpecifierBetweenFileNames: () => getLocalModuleSpecifierBetweenFileNames, getModuleSpecifier: () => getModuleSpecifier, getModuleSpecifierPreferences: () => getModuleSpecifierPreferences, getModuleSpecifiers: () => getModuleSpecifiers, getModuleSpecifiersWithCacheInfo: () => getModuleSpecifiersWithCacheInfo, getNodeModulesPackageName: () => getNodeModulesPackageName, tryGetJSExtensionForFile: () => tryGetJSExtensionForFile, tryGetModuleSpecifiersFromCache: () => tryGetModuleSpecifiersFromCache, tryGetRealFileNameForNonJsDeclarationFileName: () => tryGetRealFileNameForNonJsDeclarationFileName, updateModuleSpecifier: () => updateModuleSpecifier }); var RelativePreference = /* @__PURE__ */ ((RelativePreference2) => { RelativePreference2[RelativePreference2["Relative"] = 0] = "Relative"; RelativePreference2[RelativePreference2["NonRelative"] = 1] = "NonRelative"; RelativePreference2[RelativePreference2["Shortest"] = 2] = "Shortest"; RelativePreference2[RelativePreference2["ExternalNonRelative"] = 3] = "ExternalNonRelative"; return RelativePreference2; })(RelativePreference || {}); function getModuleSpecifierPreferences({ importModuleSpecifierPreference, importModuleSpecifierEnding }, compilerOptions, importingSourceFile, oldImportSpecifier) { const filePreferredEnding = getPreferredEnding(); return { relativePreference: oldImportSpecifier !== void 0 ? isExternalModuleNameRelative(oldImportSpecifier) ? 0 : 1 : importModuleSpecifierPreference === "relative" ? 0 : importModuleSpecifierPreference === "non-relative" ? 1 : importModuleSpecifierPreference === "project-relative" ? 3 : 2, getAllowedEndingsInPreferredOrder: (syntaxImpliedNodeFormat) => { const preferredEnding = syntaxImpliedNodeFormat !== importingSourceFile.impliedNodeFormat ? getPreferredEnding(syntaxImpliedNodeFormat) : filePreferredEnding; if ((syntaxImpliedNodeFormat ?? importingSourceFile.impliedNodeFormat) === 99) { if (shouldAllowImportingTsExtension(compilerOptions, importingSourceFile.fileName)) { return [ 3, 2 /* JsExtension */ ]; } return [ 2 /* JsExtension */ ]; } if (getEmitModuleResolutionKind(compilerOptions) === 1) { return preferredEnding === 2 ? [ 2, 1 /* Index */ ] : [ 1, 2 /* JsExtension */ ]; } const allowImportingTsExtension = shouldAllowImportingTsExtension(compilerOptions, importingSourceFile.fileName); switch (preferredEnding) { case 2: return allowImportingTsExtension ? [ 2, 3, 0, 1 /* Index */ ] : [ 2, 0, 1 /* Index */ ]; case 3: return [ 3, 0, 2, 1 /* Index */ ]; case 1: return allowImportingTsExtension ? [ 1, 0, 3, 2 /* JsExtension */ ] : [ 1, 0, 2 /* JsExtension */ ]; case 0: return allowImportingTsExtension ? [ 0, 1, 3, 2 /* JsExtension */ ] : [ 0, 1, 2 /* JsExtension */ ]; default: Debug.assertNever(preferredEnding); } } }; function getPreferredEnding(resolutionMode) { if (oldImportSpecifier !== void 0) { if (hasJSFileExtension(oldImportSpecifier)) return 2; if (endsWith(oldImportSpecifier, "/index")) return 1; } return getModuleSpecifierEndingPreference( importModuleSpecifierEnding, resolutionMode ?? importingSourceFile.impliedNodeFormat, compilerOptions, isFullSourceFile(importingSourceFile) ? importingSourceFile : void 0 ); } } function updateModuleSpecifier(compilerOptions, importingSourceFile, importingSourceFileName, toFileName2, host, oldImportSpecifier, options = {}) { const res = getModuleSpecifierWorker(compilerOptions, importingSourceFile, importingSourceFileName, toFileName2, host, getModuleSpecifierPreferences({}, compilerOptions, importingSourceFile, oldImportSpecifier), {}, options); if (res === oldImportSpecifier) return void 0; return res; } function getModuleSpecifier(compilerOptions, importingSourceFile, importingSourceFileName, toFileName2, host, options = {}) { return getModuleSpecifierWorker(compilerOptions, importingSourceFile, importingSourceFileName, toFileName2, host, getModuleSpecifierPreferences({}, compilerOptions, importingSourceFile), {}, options); } function getNodeModulesPackageName(compilerOptions, importingSourceFile, nodeModulesFileName, host, preferences, options = {}) { const info = getInfo(importingSourceFile.fileName, host); const modulePaths = getAllModulePaths(info, nodeModulesFileName, host, preferences, compilerOptions, options); return firstDefined(modulePaths, (modulePath) => tryGetModuleNameAsNodeModule( modulePath, info, importingSourceFile, host, compilerOptions, preferences, /*packageNameOnly*/ true, options.overrideImportMode )); } function getModuleSpecifierWorker(compilerOptions, importingSourceFile, importingSourceFileName, toFileName2, host, preferences, userPreferences, options = {}) { const info = getInfo(importingSourceFileName, host); const modulePaths = getAllModulePaths(info, toFileName2, host, userPreferences, compilerOptions, options); return firstDefined(modulePaths, (modulePath) => tryGetModuleNameAsNodeModule( modulePath, info, importingSourceFile, host, compilerOptions, userPreferences, /*packageNameOnly*/ void 0, options.overrideImportMode )) || getLocalModuleSpecifier(toFileName2, info, compilerOptions, host, options.overrideImportMode || importingSourceFile.impliedNodeFormat, preferences); } function tryGetModuleSpecifiersFromCache(moduleSymbol, importingSourceFile, host, userPreferences, options = {}) { const result = tryGetModuleSpecifiersFromCacheWorker( moduleSymbol, importingSourceFile, host, userPreferences, options ); return result[1] && { kind: result[0], moduleSpecifiers: result[1], computedWithoutCache: false }; } function tryGetModuleSpecifiersFromCacheWorker(moduleSymbol, importingSourceFile, host, userPreferences, options = {}) { var _a; const moduleSourceFile = getSourceFileOfModule(moduleSymbol); if (!moduleSourceFile) { return emptyArray; } const cache = (_a = host.getModuleSpecifierCache) == null ? void 0 : _a.call(host); const cached = cache == null ? void 0 : cache.get(importingSourceFile.path, moduleSourceFile.path, userPreferences, options); return [cached == null ? void 0 : cached.kind, cached == null ? void 0 : cached.moduleSpecifiers, moduleSourceFile, cached == null ? void 0 : cached.modulePaths, cache]; } function getModuleSpecifiers(moduleSymbol, checker, compilerOptions, importingSourceFile, host, userPreferences, options = {}) { return getModuleSpecifiersWithCacheInfo( moduleSymbol, checker, compilerOptions, importingSourceFile, host, userPreferences, options, /*forAutoImport*/ false ).moduleSpecifiers; } function getModuleSpecifiersWithCacheInfo(moduleSymbol, checker, compilerOptions, importingSourceFile, host, userPreferences, options = {}, forAutoImport) { let computedWithoutCache = false; const ambient = tryGetModuleNameFromAmbientModule(moduleSymbol, checker); if (ambient) return { kind: "ambient", moduleSpecifiers: [ambient], computedWithoutCache }; let [kind, specifiers, moduleSourceFile, modulePaths, cache] = tryGetModuleSpecifiersFromCacheWorker( moduleSymbol, importingSourceFile, host, userPreferences, options ); if (specifiers) return { kind, moduleSpecifiers: specifiers, computedWithoutCache }; if (!moduleSourceFile) return { kind: void 0, moduleSpecifiers: emptyArray, computedWithoutCache }; computedWithoutCache = true; modulePaths || (modulePaths = getAllModulePathsWorker(getInfo(importingSourceFile.fileName, host), moduleSourceFile.originalFileName, host, compilerOptions, options)); const result = computeModuleSpecifiers( modulePaths, compilerOptions, importingSourceFile, host, userPreferences, options, forAutoImport ); cache == null ? void 0 : cache.set(importingSourceFile.path, moduleSourceFile.path, userPreferences, options, result.kind, modulePaths, result.moduleSpecifiers); return result; } function getLocalModuleSpecifierBetweenFileNames(importingFile, targetFileName, compilerOptions, host, options = {}) { const info = getInfo(importingFile.fileName, host); const importMode = options.overrideImportMode ?? importingFile.impliedNodeFormat; return getLocalModuleSpecifier( targetFileName, info, compilerOptions, host, importMode, getModuleSpecifierPreferences({}, compilerOptions, importingFile) ); } function computeModuleSpecifiers(modulePaths, compilerOptions, importingSourceFile, host, userPreferences, options = {}, forAutoImport) { const info = getInfo(importingSourceFile.fileName, host); const preferences = getModuleSpecifierPreferences(userPreferences, compilerOptions, importingSourceFile); const existingSpecifier = isFullSourceFile(importingSourceFile) && forEach(modulePaths, (modulePath) => forEach( host.getFileIncludeReasons().get(toPath3(modulePath.path, host.getCurrentDirectory(), info.getCanonicalFileName)), (reason) => { if (reason.kind !== 3 || reason.file !== importingSourceFile.path) return void 0; if (importingSourceFile.impliedNodeFormat && importingSourceFile.impliedNodeFormat !== getModeForResolutionAtIndex(importingSourceFile, reason.index, compilerOptions)) return void 0; const specifier = getModuleNameStringLiteralAt(importingSourceFile, reason.index).text; return preferences.relativePreference !== 1 || !pathIsRelative(specifier) ? specifier : void 0; } )); if (existingSpecifier) { return { kind: void 0, moduleSpecifiers: [existingSpecifier], computedWithoutCache: true }; } const importedFileIsInNodeModules = some(modulePaths, (p) => p.isInNodeModules); let nodeModulesSpecifiers; let pathsSpecifiers; let redirectPathsSpecifiers; let relativeSpecifiers; for (const modulePath of modulePaths) { const specifier = modulePath.isInNodeModules ? tryGetModuleNameAsNodeModule( modulePath, info, importingSourceFile, host, compilerOptions, userPreferences, /*packageNameOnly*/ void 0, options.overrideImportMode ) : void 0; nodeModulesSpecifiers = append(nodeModulesSpecifiers, specifier); if (specifier && modulePath.isRedirect) { return { kind: "node_modules", moduleSpecifiers: nodeModulesSpecifiers, computedWithoutCache: true }; } if (!specifier) { const local = getLocalModuleSpecifier( modulePath.path, info, compilerOptions, host, options.overrideImportMode || importingSourceFile.impliedNodeFormat, preferences, /*pathsOnly*/ modulePath.isRedirect ); if (!local) { continue; } if (modulePath.isRedirect) { redirectPathsSpecifiers = append(redirectPathsSpecifiers, local); } else if (pathIsBareSpecifier(local)) { if (pathContainsNodeModules(local)) { relativeSpecifiers = append(relativeSpecifiers, local); } else { pathsSpecifiers = append(pathsSpecifiers, local); } } else if (forAutoImport || !importedFileIsInNodeModules || modulePath.isInNodeModules) { relativeSpecifiers = append(relativeSpecifiers, local); } } } return (pathsSpecifiers == null ? void 0 : pathsSpecifiers.length) ? { kind: "paths", moduleSpecifiers: pathsSpecifiers, computedWithoutCache: true } : (redirectPathsSpecifiers == null ? void 0 : redirectPathsSpecifiers.length) ? { kind: "redirect", moduleSpecifiers: redirectPathsSpecifiers, computedWithoutCache: true } : (nodeModulesSpecifiers == null ? void 0 : nodeModulesSpecifiers.length) ? { kind: "node_modules", moduleSpecifiers: nodeModulesSpecifiers, computedWithoutCache: true } : { kind: "relative", moduleSpecifiers: Debug.checkDefined(relativeSpecifiers), computedWithoutCache: true }; } function getInfo(importingSourceFileName, host) { importingSourceFileName = getNormalizedAbsolutePath(importingSourceFileName, host.getCurrentDirectory()); const getCanonicalFileName = createGetCanonicalFileName(host.useCaseSensitiveFileNames ? host.useCaseSensitiveFileNames() : true); const sourceDirectory = getDirectoryPath(importingSourceFileName); return { getCanonicalFileName, importingSourceFileName, sourceDirectory, canonicalSourceDirectory: getCanonicalFileName(sourceDirectory) }; } function getLocalModuleSpecifier(moduleFileName, info, compilerOptions, host, importMode, { getAllowedEndingsInPreferredOrder: getAllowedEndingsInPrefererredOrder, relativePreference }, pathsOnly) { const { baseUrl, paths, rootDirs } = compilerOptions; if (pathsOnly && !paths) { return void 0; } const { sourceDirectory, canonicalSourceDirectory, getCanonicalFileName } = info; const allowedEndings = getAllowedEndingsInPrefererredOrder(importMode); const relativePath = rootDirs && tryGetModuleNameFromRootDirs(rootDirs, moduleFileName, sourceDirectory, getCanonicalFileName, allowedEndings, compilerOptions) || processEnding(ensurePathIsNonModuleName(getRelativePathFromDirectory(sourceDirectory, moduleFileName, getCanonicalFileName)), allowedEndings, compilerOptions); if (!baseUrl && !paths && !getResolvePackageJsonImports(compilerOptions) || relativePreference === 0) { return pathsOnly ? void 0 : relativePath; } const baseDirectory = getNormalizedAbsolutePath(getPathsBasePath(compilerOptions, host) || baseUrl, host.getCurrentDirectory()); const relativeToBaseUrl = getRelativePathIfInSameVolume(moduleFileName, baseDirectory, getCanonicalFileName); if (!relativeToBaseUrl) { return pathsOnly ? void 0 : relativePath; } const fromPackageJsonImports = pathsOnly ? void 0 : tryGetModuleNameFromPackageJsonImports(moduleFileName, sourceDirectory, compilerOptions, host, importMode); const fromPaths = pathsOnly || fromPackageJsonImports === void 0 ? paths && tryGetModuleNameFromPaths(relativeToBaseUrl, paths, allowedEndings, host, compilerOptions) : void 0; if (pathsOnly) { return fromPaths; } const maybeNonRelative = fromPackageJsonImports ?? (fromPaths === void 0 && baseUrl !== void 0 ? processEnding(relativeToBaseUrl, allowedEndings, compilerOptions) : fromPaths); if (!maybeNonRelative) { return relativePath; } if (relativePreference === 1 && !pathIsRelative(maybeNonRelative)) { return maybeNonRelative; } if (relativePreference === 3 && !pathIsRelative(maybeNonRelative)) { const projectDirectory = compilerOptions.configFilePath ? toPath3(getDirectoryPath(compilerOptions.configFilePath), host.getCurrentDirectory(), info.getCanonicalFileName) : info.getCanonicalFileName(host.getCurrentDirectory()); const modulePath = toPath3(moduleFileName, projectDirectory, getCanonicalFileName); const sourceIsInternal = startsWith2(canonicalSourceDirectory, projectDirectory); const targetIsInternal = startsWith2(modulePath, projectDirectory); if (sourceIsInternal && !targetIsInternal || !sourceIsInternal && targetIsInternal) { return maybeNonRelative; } const nearestTargetPackageJson = getNearestAncestorDirectoryWithPackageJson(host, getDirectoryPath(modulePath)); const nearestSourcePackageJson = getNearestAncestorDirectoryWithPackageJson(host, sourceDirectory); const ignoreCase = !hostUsesCaseSensitiveFileNames(host); if (!packageJsonPathsAreEqual(nearestTargetPackageJson, nearestSourcePackageJson, ignoreCase)) { return maybeNonRelative; } return relativePath; } return isPathRelativeToParent(maybeNonRelative) || countPathComponents(relativePath) < countPathComponents(maybeNonRelative) ? relativePath : maybeNonRelative; } function packageJsonPathsAreEqual(a, b, ignoreCase) { if (a === b) return true; if (a === void 0 || b === void 0) return false; return comparePaths(a, b, ignoreCase) === 0; } function countPathComponents(path17) { let count = 0; for (let i = startsWith2(path17, "./") ? 2 : 0; i < path17.length; i++) { if (path17.charCodeAt(i) === 47) count++; } return count; } function comparePathsByRedirectAndNumberOfDirectorySeparators(a, b) { return compareBooleans(b.isRedirect, a.isRedirect) || compareNumberOfDirectorySeparators(a.path, b.path); } function getNearestAncestorDirectoryWithPackageJson(host, fileName) { if (host.getNearestAncestorDirectoryWithPackageJson) { return host.getNearestAncestorDirectoryWithPackageJson(fileName); } return forEachAncestorDirectory(fileName, (directory) => { return host.fileExists(combinePaths(directory, "package.json")) ? directory : void 0; }); } function forEachFileNameOfModule(importingFileName, importedFileName, host, preferSymlinks, cb) { var _a; const getCanonicalFileName = hostGetCanonicalFileName(host); const cwd = host.getCurrentDirectory(); const referenceRedirect = host.isSourceOfProjectReferenceRedirect(importedFileName) ? host.getProjectReferenceRedirect(importedFileName) : void 0; const importedPath = toPath3(importedFileName, cwd, getCanonicalFileName); const redirects = host.redirectTargetsMap.get(importedPath) || emptyArray; const importedFileNames = [...referenceRedirect ? [referenceRedirect] : emptyArray, importedFileName, ...redirects]; const targets = importedFileNames.map((f) => getNormalizedAbsolutePath(f, cwd)); let shouldFilterIgnoredPaths = !every(targets, containsIgnoredPath); if (!preferSymlinks) { const result2 = forEach(targets, (p) => !(shouldFilterIgnoredPaths && containsIgnoredPath(p)) && cb(p, referenceRedirect === p)); if (result2) return result2; } const symlinkedDirectories = (_a = host.getSymlinkCache) == null ? void 0 : _a.call(host).getSymlinkedDirectoriesByRealpath(); const fullImportedFileName = getNormalizedAbsolutePath(importedFileName, cwd); const result = symlinkedDirectories && forEachAncestorDirectory(getDirectoryPath(fullImportedFileName), (realPathDirectory) => { const symlinkDirectories = symlinkedDirectories.get(ensureTrailingDirectorySeparator(toPath3(realPathDirectory, cwd, getCanonicalFileName))); if (!symlinkDirectories) return void 0; if (startsWithDirectory(importingFileName, realPathDirectory, getCanonicalFileName)) { return false; } return forEach(targets, (target) => { if (!startsWithDirectory(target, realPathDirectory, getCanonicalFileName)) { return; } const relative2 = getRelativePathFromDirectory(realPathDirectory, target, getCanonicalFileName); for (const symlinkDirectory of symlinkDirectories) { const option = resolvePath(symlinkDirectory, relative2); const result2 = cb(option, target === referenceRedirect); shouldFilterIgnoredPaths = true; if (result2) return result2; } }); }); return result || (preferSymlinks ? forEach(targets, (p) => shouldFilterIgnoredPaths && containsIgnoredPath(p) ? void 0 : cb(p, p === referenceRedirect)) : void 0); } function getAllModulePaths(info, importedFileName, host, preferences, compilerOptions, options = {}) { var _a; const importingFilePath = toPath3(info.importingSourceFileName, host.getCurrentDirectory(), hostGetCanonicalFileName(host)); const importedFilePath = toPath3(importedFileName, host.getCurrentDirectory(), hostGetCanonicalFileName(host)); const cache = (_a = host.getModuleSpecifierCache) == null ? void 0 : _a.call(host); if (cache) { const cached = cache.get(importingFilePath, importedFilePath, preferences, options); if (cached == null ? void 0 : cached.modulePaths) return cached.modulePaths; } const modulePaths = getAllModulePathsWorker(info, importedFileName, host, compilerOptions, options); if (cache) { cache.setModulePaths(importingFilePath, importedFilePath, preferences, options, modulePaths); } return modulePaths; } var runtimeDependencyFields = ["dependencies", "peerDependencies", "optionalDependencies"]; function getAllRuntimeDependencies(packageJson) { let result; for (const field of runtimeDependencyFields) { const deps = packageJson[field]; if (deps && typeof deps === "object") { result = concatenate(result, getOwnKeys(deps)); } } return result; } function getAllModulePathsWorker(info, importedFileName, host, compilerOptions, options) { var _a, _b; const cache = (_a = host.getModuleResolutionCache) == null ? void 0 : _a.call(host); const links = (_b = host.getSymlinkCache) == null ? void 0 : _b.call(host); if (cache && links && host.readFile && !pathContainsNodeModules(info.importingSourceFileName)) { Debug.type(host); const state = getTemporaryModuleResolutionState(cache.getPackageJsonInfoCache(), host, {}); const packageJson = getPackageScopeForPath(info.importingSourceFileName, state); if (packageJson) { const toResolve = getAllRuntimeDependencies(packageJson.contents.packageJsonContent); for (const depName of toResolve || emptyArray) { const resolved = resolveModuleName( depName, combinePaths(packageJson.packageDirectory, "package.json"), compilerOptions, host, cache, /*redirectedReference*/ void 0, options.overrideImportMode ); links.setSymlinksFromResolution(resolved.resolvedModule); } } } const allFileNames = /* @__PURE__ */ new Map(); let importedFileFromNodeModules = false; forEachFileNameOfModule( info.importingSourceFileName, importedFileName, host, /*preferSymlinks*/ true, (path17, isRedirect) => { const isInNodeModules = pathContainsNodeModules(path17); allFileNames.set(path17, { path: info.getCanonicalFileName(path17), isRedirect, isInNodeModules }); importedFileFromNodeModules = importedFileFromNodeModules || isInNodeModules; } ); const sortedPaths = []; for (let directory = info.canonicalSourceDirectory; allFileNames.size !== 0; ) { const directoryStart = ensureTrailingDirectorySeparator(directory); let pathsInDirectory; allFileNames.forEach(({ path: path17, isRedirect, isInNodeModules }, fileName) => { if (startsWith2(path17, directoryStart)) { (pathsInDirectory || (pathsInDirectory = [])).push({ path: fileName, isRedirect, isInNodeModules }); allFileNames.delete(fileName); } }); if (pathsInDirectory) { if (pathsInDirectory.length > 1) { pathsInDirectory.sort(comparePathsByRedirectAndNumberOfDirectorySeparators); } sortedPaths.push(...pathsInDirectory); } const newDirectory = getDirectoryPath(directory); if (newDirectory === directory) break; directory = newDirectory; } if (allFileNames.size) { const remainingPaths = arrayFrom( allFileNames.entries(), ([fileName, { isRedirect, isInNodeModules }]) => ({ path: fileName, isRedirect, isInNodeModules }) ); if (remainingPaths.length > 1) remainingPaths.sort(comparePathsByRedirectAndNumberOfDirectorySeparators); sortedPaths.push(...remainingPaths); } return sortedPaths; } function tryGetModuleNameFromAmbientModule(moduleSymbol, checker) { var _a; const decl = (_a = moduleSymbol.declarations) == null ? void 0 : _a.find( (d) => isNonGlobalAmbientModule(d) && (!isExternalModuleAugmentation(d) || !isExternalModuleNameRelative(getTextOfIdentifierOrLiteral(d.name))) ); if (decl) { return decl.name.text; } const ambientModuleDeclareCandidates = mapDefined(moduleSymbol.declarations, (d) => { var _a2, _b, _c, _d; if (!isModuleDeclaration(d)) return; const topNamespace = getTopNamespace(d); if (!(((_a2 = topNamespace == null ? void 0 : topNamespace.parent) == null ? void 0 : _a2.parent) && isModuleBlock(topNamespace.parent) && isAmbientModule(topNamespace.parent.parent) && isSourceFile(topNamespace.parent.parent.parent))) return; const exportAssignment = (_d = (_c = (_b = topNamespace.parent.parent.symbol.exports) == null ? void 0 : _b.get("export=")) == null ? void 0 : _c.valueDeclaration) == null ? void 0 : _d.expression; if (!exportAssignment) return; const exportSymbol = checker.getSymbolAtLocation(exportAssignment); if (!exportSymbol) return; const originalExportSymbol = (exportSymbol == null ? void 0 : exportSymbol.flags) & 2097152 ? checker.getAliasedSymbol(exportSymbol) : exportSymbol; if (originalExportSymbol === d.symbol) return topNamespace.parent.parent; function getTopNamespace(namespaceDeclaration) { while (namespaceDeclaration.flags & 8) { namespaceDeclaration = namespaceDeclaration.parent; } return namespaceDeclaration; } }); const ambientModuleDeclare = ambientModuleDeclareCandidates[0]; if (ambientModuleDeclare) { return ambientModuleDeclare.name.text; } } function tryGetModuleNameFromPaths(relativeToBaseUrl, paths, allowedEndings, host, compilerOptions) { for (const key in paths) { for (const patternText2 of paths[key]) { const pattern = normalizePath(patternText2); const indexOfStar = pattern.indexOf("*"); const candidates = allowedEndings.map((ending) => ({ ending, value: processEnding(relativeToBaseUrl, [ending], compilerOptions) })); if (tryGetExtensionFromPath2(pattern)) { candidates.push({ ending: void 0, value: relativeToBaseUrl }); } if (indexOfStar !== -1) { const prefix = pattern.substring(0, indexOfStar); const suffix = pattern.substring(indexOfStar + 1); for (const { ending, value } of candidates) { if (value.length >= prefix.length + suffix.length && startsWith2(value, prefix) && endsWith(value, suffix) && validateEnding({ ending, value })) { const matchedStar = value.substring(prefix.length, value.length - suffix.length); if (!pathIsRelative(matchedStar)) { return replaceFirstStar(key, matchedStar); } } } } else if (some(candidates, (c) => c.ending !== 0 && pattern === c.value) || some(candidates, (c) => c.ending === 0 && pattern === c.value && validateEnding(c))) { return key; } } } function validateEnding({ ending, value }) { return ending !== 0 || value === processEnding(relativeToBaseUrl, [ending], compilerOptions, host); } } function tryGetModuleNameFromExportsOrImports(options, host, targetFilePath, packageDirectory, packageName, exports22, conditions, mode, isImports) { if (typeof exports22 === "string") { const ignoreCase = !hostUsesCaseSensitiveFileNames(host); const getCommonSourceDirectory2 = () => host.getCommonSourceDirectory(); const outputFile = isImports && getOutputJSFileNameWorker(targetFilePath, options, ignoreCase, getCommonSourceDirectory2); const declarationFile = isImports && getOutputDeclarationFileNameWorker(targetFilePath, options, ignoreCase, getCommonSourceDirectory2); const pathOrPattern = getNormalizedAbsolutePath( combinePaths(packageDirectory, exports22), /*currentDirectory*/ void 0 ); const extensionSwappedTarget = hasTSFileExtension(targetFilePath) ? removeFileExtension(targetFilePath) + tryGetJSExtensionForFile(targetFilePath, options) : void 0; switch (mode) { case 0: if (extensionSwappedTarget && comparePaths(extensionSwappedTarget, pathOrPattern, ignoreCase) === 0 || comparePaths(targetFilePath, pathOrPattern, ignoreCase) === 0 || outputFile && comparePaths(outputFile, pathOrPattern, ignoreCase) === 0 || declarationFile && comparePaths(declarationFile, pathOrPattern, ignoreCase) === 0) { return { moduleFileToTry: packageName }; } break; case 1: if (extensionSwappedTarget && containsPath(pathOrPattern, extensionSwappedTarget, ignoreCase)) { const fragment = getRelativePathFromDirectory( pathOrPattern, extensionSwappedTarget, /*ignoreCase*/ false ); return { moduleFileToTry: getNormalizedAbsolutePath( combinePaths(combinePaths(packageName, exports22), fragment), /*currentDirectory*/ void 0 ) }; } if (containsPath(pathOrPattern, targetFilePath, ignoreCase)) { const fragment = getRelativePathFromDirectory( pathOrPattern, targetFilePath, /*ignoreCase*/ false ); return { moduleFileToTry: getNormalizedAbsolutePath( combinePaths(combinePaths(packageName, exports22), fragment), /*currentDirectory*/ void 0 ) }; } if (outputFile && containsPath(pathOrPattern, outputFile, ignoreCase)) { const fragment = getRelativePathFromDirectory( pathOrPattern, outputFile, /*ignoreCase*/ false ); return { moduleFileToTry: combinePaths(packageName, fragment) }; } if (declarationFile && containsPath(pathOrPattern, declarationFile, ignoreCase)) { const fragment = getRelativePathFromDirectory( pathOrPattern, declarationFile, /*ignoreCase*/ false ); return { moduleFileToTry: combinePaths(packageName, fragment) }; } break; case 2: const starPos = pathOrPattern.indexOf("*"); const leadingSlice = pathOrPattern.slice(0, starPos); const trailingSlice = pathOrPattern.slice(starPos + 1); if (extensionSwappedTarget && startsWith2(extensionSwappedTarget, leadingSlice, ignoreCase) && endsWith(extensionSwappedTarget, trailingSlice, ignoreCase)) { const starReplacement = extensionSwappedTarget.slice(leadingSlice.length, extensionSwappedTarget.length - trailingSlice.length); return { moduleFileToTry: replaceFirstStar(packageName, starReplacement) }; } if (startsWith2(targetFilePath, leadingSlice, ignoreCase) && endsWith(targetFilePath, trailingSlice, ignoreCase)) { const starReplacement = targetFilePath.slice(leadingSlice.length, targetFilePath.length - trailingSlice.length); return { moduleFileToTry: replaceFirstStar(packageName, starReplacement) }; } if (outputFile && startsWith2(outputFile, leadingSlice, ignoreCase) && endsWith(outputFile, trailingSlice, ignoreCase)) { const starReplacement = outputFile.slice(leadingSlice.length, outputFile.length - trailingSlice.length); return { moduleFileToTry: replaceFirstStar(packageName, starReplacement) }; } if (declarationFile && startsWith2(declarationFile, leadingSlice, ignoreCase) && endsWith(declarationFile, trailingSlice, ignoreCase)) { const starReplacement = declarationFile.slice(leadingSlice.length, declarationFile.length - trailingSlice.length); return { moduleFileToTry: replaceFirstStar(packageName, starReplacement) }; } break; } } else if (Array.isArray(exports22)) { return forEach(exports22, (e) => tryGetModuleNameFromExportsOrImports(options, host, targetFilePath, packageDirectory, packageName, e, conditions, mode, isImports)); } else if (typeof exports22 === "object" && exports22 !== null) { for (const key of getOwnKeys(exports22)) { if (key === "default" || conditions.indexOf(key) >= 0 || isApplicableVersionedTypesKey(conditions, key)) { const subTarget = exports22[key]; const result = tryGetModuleNameFromExportsOrImports(options, host, targetFilePath, packageDirectory, packageName, subTarget, conditions, mode, isImports); if (result) { return result; } } } } return void 0; } function tryGetModuleNameFromExports(options, host, targetFilePath, packageDirectory, packageName, exports22, conditions) { if (typeof exports22 === "object" && exports22 !== null && !Array.isArray(exports22) && allKeysStartWithDot(exports22)) { return forEach(getOwnKeys(exports22), (k) => { const subPackageName = getNormalizedAbsolutePath( combinePaths(packageName, k), /*currentDirectory*/ void 0 ); const mode = endsWith(k, "/") ? 1 : k.includes("*") ? 2 : 0; return tryGetModuleNameFromExportsOrImports( options, host, targetFilePath, packageDirectory, subPackageName, exports22[k], conditions, mode, /*isImports*/ false ); }); } return tryGetModuleNameFromExportsOrImports( options, host, targetFilePath, packageDirectory, packageName, exports22, conditions, 0, /*isImports*/ false ); } function tryGetModuleNameFromPackageJsonImports(moduleFileName, sourceDirectory, options, host, importMode) { var _a, _b, _c; if (!host.readFile || !getResolvePackageJsonImports(options)) { return void 0; } const ancestorDirectoryWithPackageJson = getNearestAncestorDirectoryWithPackageJson(host, sourceDirectory); if (!ancestorDirectoryWithPackageJson) { return void 0; } const packageJsonPath = combinePaths(ancestorDirectoryWithPackageJson, "package.json"); const cachedPackageJson = (_b = (_a = host.getPackageJsonInfoCache) == null ? void 0 : _a.call(host)) == null ? void 0 : _b.getPackageJsonInfo(packageJsonPath); if (isMissingPackageJsonInfo(cachedPackageJson) || !host.fileExists(packageJsonPath)) { return void 0; } const packageJsonContent = (cachedPackageJson == null ? void 0 : cachedPackageJson.contents.packageJsonContent) || tryParseJson(host.readFile(packageJsonPath)); const imports = packageJsonContent == null ? void 0 : packageJsonContent.imports; if (!imports) { return void 0; } const conditions = getConditions(options, importMode); return (_c = forEach(getOwnKeys(imports), (k) => { if (!startsWith2(k, "#") || k === "#" || startsWith2(k, "#/")) return void 0; const mode = endsWith(k, "/") ? 1 : k.includes("*") ? 2 : 0; return tryGetModuleNameFromExportsOrImports( options, host, moduleFileName, ancestorDirectoryWithPackageJson, k, imports[k], conditions, mode, /*isImports*/ true ); })) == null ? void 0 : _c.moduleFileToTry; } function tryGetModuleNameFromRootDirs(rootDirs, moduleFileName, sourceDirectory, getCanonicalFileName, allowedEndings, compilerOptions) { const normalizedTargetPaths = getPathsRelativeToRootDirs(moduleFileName, rootDirs, getCanonicalFileName); if (normalizedTargetPaths === void 0) { return void 0; } const normalizedSourcePaths = getPathsRelativeToRootDirs(sourceDirectory, rootDirs, getCanonicalFileName); const relativePaths = flatMap(normalizedSourcePaths, (sourcePath) => { return map(normalizedTargetPaths, (targetPath) => ensurePathIsNonModuleName(getRelativePathFromDirectory(sourcePath, targetPath, getCanonicalFileName))); }); const shortest = min(relativePaths, compareNumberOfDirectorySeparators); if (!shortest) { return void 0; } return processEnding(shortest, allowedEndings, compilerOptions); } function tryGetModuleNameAsNodeModule({ path: path17, isRedirect }, { getCanonicalFileName, canonicalSourceDirectory }, importingSourceFile, host, options, userPreferences, packageNameOnly, overrideMode) { if (!host.fileExists || !host.readFile) { return void 0; } const parts = getNodeModulePathParts(path17); if (!parts) { return void 0; } const preferences = getModuleSpecifierPreferences(userPreferences, options, importingSourceFile); const allowedEndings = preferences.getAllowedEndingsInPreferredOrder(); let moduleSpecifier = path17; let isPackageRootPath = false; if (!packageNameOnly) { let packageRootIndex = parts.packageRootIndex; let moduleFileName; while (true) { const { moduleFileToTry, packageRootPath, blockedByExports, verbatimFromExports } = tryDirectoryWithPackageJson(packageRootIndex); if (getEmitModuleResolutionKind(options) !== 1) { if (blockedByExports) { return void 0; } if (verbatimFromExports) { return moduleFileToTry; } } if (packageRootPath) { moduleSpecifier = packageRootPath; isPackageRootPath = true; break; } if (!moduleFileName) moduleFileName = moduleFileToTry; packageRootIndex = path17.indexOf(directorySeparator, packageRootIndex + 1); if (packageRootIndex === -1) { moduleSpecifier = processEnding(moduleFileName, allowedEndings, options, host); break; } } } if (isRedirect && !isPackageRootPath) { return void 0; } const globalTypingsCacheLocation = host.getGlobalTypingsCacheLocation && host.getGlobalTypingsCacheLocation(); const pathToTopLevelNodeModules = getCanonicalFileName(moduleSpecifier.substring(0, parts.topLevelNodeModulesIndex)); if (!(startsWith2(canonicalSourceDirectory, pathToTopLevelNodeModules) || globalTypingsCacheLocation && startsWith2(getCanonicalFileName(globalTypingsCacheLocation), pathToTopLevelNodeModules))) { return void 0; } const nodeModulesDirectoryName = moduleSpecifier.substring(parts.topLevelPackageNameIndex + 1); const packageName = getPackageNameFromTypesPackageName(nodeModulesDirectoryName); return getEmitModuleResolutionKind(options) === 1 && packageName === nodeModulesDirectoryName ? void 0 : packageName; function tryDirectoryWithPackageJson(packageRootIndex) { var _a, _b; const packageRootPath = path17.substring(0, packageRootIndex); const packageJsonPath = combinePaths(packageRootPath, "package.json"); let moduleFileToTry = path17; let maybeBlockedByTypesVersions = false; const cachedPackageJson = (_b = (_a = host.getPackageJsonInfoCache) == null ? void 0 : _a.call(host)) == null ? void 0 : _b.getPackageJsonInfo(packageJsonPath); if (isPackageJsonInfo(cachedPackageJson) || cachedPackageJson === void 0 && host.fileExists(packageJsonPath)) { const packageJsonContent = (cachedPackageJson == null ? void 0 : cachedPackageJson.contents.packageJsonContent) || tryParseJson(host.readFile(packageJsonPath)); const importMode = overrideMode || importingSourceFile.impliedNodeFormat; if (getResolvePackageJsonExports(options)) { const nodeModulesDirectoryName2 = packageRootPath.substring(parts.topLevelPackageNameIndex + 1); const packageName2 = getPackageNameFromTypesPackageName(nodeModulesDirectoryName2); const conditions = getConditions(options, importMode); const fromExports = (packageJsonContent == null ? void 0 : packageJsonContent.exports) ? tryGetModuleNameFromExports(options, host, path17, packageRootPath, packageName2, packageJsonContent.exports, conditions) : void 0; if (fromExports) { return { ...fromExports, verbatimFromExports: true }; } if (packageJsonContent == null ? void 0 : packageJsonContent.exports) { return { moduleFileToTry: path17, blockedByExports: true }; } } const versionPaths = (packageJsonContent == null ? void 0 : packageJsonContent.typesVersions) ? getPackageJsonTypesVersionsPaths(packageJsonContent.typesVersions) : void 0; if (versionPaths) { const subModuleName = path17.slice(packageRootPath.length + 1); const fromPaths = tryGetModuleNameFromPaths( subModuleName, versionPaths.paths, allowedEndings, host, options ); if (fromPaths === void 0) { maybeBlockedByTypesVersions = true; } else { moduleFileToTry = combinePaths(packageRootPath, fromPaths); } } const mainFileRelative = (packageJsonContent == null ? void 0 : packageJsonContent.typings) || (packageJsonContent == null ? void 0 : packageJsonContent.types) || (packageJsonContent == null ? void 0 : packageJsonContent.main) || "index.js"; if (isString2(mainFileRelative) && !(maybeBlockedByTypesVersions && matchPatternOrExact(tryParsePatterns(versionPaths.paths), mainFileRelative))) { const mainExportFile = toPath3(mainFileRelative, packageRootPath, getCanonicalFileName); const canonicalModuleFileToTry = getCanonicalFileName(moduleFileToTry); if (removeFileExtension(mainExportFile) === removeFileExtension(canonicalModuleFileToTry)) { return { packageRootPath, moduleFileToTry }; } else if ((packageJsonContent == null ? void 0 : packageJsonContent.type) !== "module" && !fileExtensionIsOneOf(canonicalModuleFileToTry, extensionsNotSupportingExtensionlessResolution) && startsWith2(canonicalModuleFileToTry, mainExportFile) && getDirectoryPath(canonicalModuleFileToTry) === removeTrailingDirectorySeparator(mainExportFile) && removeFileExtension(getBaseFileName(canonicalModuleFileToTry)) === "index") { return { packageRootPath, moduleFileToTry }; } } } else { const fileName = getCanonicalFileName(moduleFileToTry.substring(parts.packageRootIndex + 1)); if (fileName === "index.d.ts" || fileName === "index.js" || fileName === "index.ts" || fileName === "index.tsx") { return { moduleFileToTry, packageRootPath }; } } return { moduleFileToTry }; } } function tryGetAnyFileFromPath(host, path17) { if (!host.fileExists) return; const extensions = flatten(getSupportedExtensions({ allowJs: true }, [{ extension: "node", isMixedContent: false }, { extension: "json", isMixedContent: false, scriptKind: 6 /* JSON */ }])); for (const e of extensions) { const fullPath = path17 + e; if (host.fileExists(fullPath)) { return fullPath; } } } function getPathsRelativeToRootDirs(path17, rootDirs, getCanonicalFileName) { return mapDefined(rootDirs, (rootDir) => { const relativePath = getRelativePathIfInSameVolume(path17, rootDir, getCanonicalFileName); return relativePath !== void 0 && isPathRelativeToParent(relativePath) ? void 0 : relativePath; }); } function processEnding(fileName, allowedEndings, options, host) { if (fileExtensionIsOneOf(fileName, [ ".json", ".mjs", ".cjs" /* Cjs */ ])) { return fileName; } const noExtension = removeFileExtension(fileName); if (fileName === noExtension) { return fileName; } const jsPriority = allowedEndings.indexOf( 2 /* JsExtension */ ); const tsPriority = allowedEndings.indexOf( 3 /* TsExtension */ ); if (fileExtensionIsOneOf(fileName, [ ".mts", ".cts" /* Cts */ ]) && tsPriority !== -1 && tsPriority < jsPriority) { return fileName; } else if (fileExtensionIsOneOf(fileName, [ ".d.mts", ".mts", ".d.cts", ".cts" /* Cts */ ])) { return noExtension + getJSExtensionForFile(fileName, options); } else if (!fileExtensionIsOneOf(fileName, [ ".d.ts" /* Dts */ ]) && fileExtensionIsOneOf(fileName, [ ".ts" /* Ts */ ]) && fileName.includes(".d.")) { return tryGetRealFileNameForNonJsDeclarationFileName(fileName); } switch (allowedEndings[0]) { case 0: const withoutIndex = removeSuffix(noExtension, "/index"); if (host && withoutIndex !== noExtension && tryGetAnyFileFromPath(host, withoutIndex)) { return noExtension; } return withoutIndex; case 1: return noExtension; case 2: return noExtension + getJSExtensionForFile(fileName, options); case 3: if (isDeclarationFileName(fileName)) { const extensionlessPriority = allowedEndings.findIndex( (e) => e === 0 || e === 1 /* Index */ ); return extensionlessPriority !== -1 && extensionlessPriority < jsPriority ? noExtension : noExtension + getJSExtensionForFile(fileName, options); } return fileName; default: return Debug.assertNever(allowedEndings[0]); } } function tryGetRealFileNameForNonJsDeclarationFileName(fileName) { const baseName = getBaseFileName(fileName); if (!endsWith( fileName, ".ts" /* Ts */ ) || !baseName.includes(".d.") || fileExtensionIsOneOf(baseName, [ ".d.ts" /* Dts */ ])) return void 0; const noExtension = removeExtension( fileName, ".ts" /* Ts */ ); const ext = noExtension.substring(noExtension.lastIndexOf(".")); return noExtension.substring(0, noExtension.indexOf(".d.")) + ext; } function getJSExtensionForFile(fileName, options) { return tryGetJSExtensionForFile(fileName, options) ?? Debug.fail(`Extension ${extensionFromPath(fileName)} is unsupported:: FileName:: ${fileName}`); } function tryGetJSExtensionForFile(fileName, options) { const ext = tryGetExtensionFromPath2(fileName); switch (ext) { case ".ts": case ".d.ts": return ".js"; case ".tsx": return options.jsx === 1 ? ".jsx" : ".js"; case ".js": case ".jsx": case ".json": return ext; case ".d.mts": case ".mts": case ".mjs": return ".mjs"; case ".d.cts": case ".cts": case ".cjs": return ".cjs"; default: return void 0; } } function getRelativePathIfInSameVolume(path17, directoryPath, getCanonicalFileName) { const relativePath = getRelativePathToDirectoryOrUrl( directoryPath, path17, directoryPath, getCanonicalFileName, /*isAbsolutePathAnUrl*/ false ); return isRootedDiskPath(relativePath) ? void 0 : relativePath; } function isPathRelativeToParent(path17) { return startsWith2(path17, ".."); } var ambientModuleSymbolRegex = /^".+"$/; var anon = "(anonymous)"; var nextSymbolId = 1; var nextNodeId = 1; var nextMergeId = 1; var nextFlowId = 1; var TypeFacts = /* @__PURE__ */ ((TypeFacts3) => { TypeFacts3[TypeFacts3["None"] = 0] = "None"; TypeFacts3[TypeFacts3["TypeofEQString"] = 1] = "TypeofEQString"; TypeFacts3[TypeFacts3["TypeofEQNumber"] = 2] = "TypeofEQNumber"; TypeFacts3[TypeFacts3["TypeofEQBigInt"] = 4] = "TypeofEQBigInt"; TypeFacts3[TypeFacts3["TypeofEQBoolean"] = 8] = "TypeofEQBoolean"; TypeFacts3[TypeFacts3["TypeofEQSymbol"] = 16] = "TypeofEQSymbol"; TypeFacts3[TypeFacts3["TypeofEQObject"] = 32] = "TypeofEQObject"; TypeFacts3[TypeFacts3["TypeofEQFunction"] = 64] = "TypeofEQFunction"; TypeFacts3[TypeFacts3["TypeofEQHostObject"] = 128] = "TypeofEQHostObject"; TypeFacts3[TypeFacts3["TypeofNEString"] = 256] = "TypeofNEString"; TypeFacts3[TypeFacts3["TypeofNENumber"] = 512] = "TypeofNENumber"; TypeFacts3[TypeFacts3["TypeofNEBigInt"] = 1024] = "TypeofNEBigInt"; TypeFacts3[TypeFacts3["TypeofNEBoolean"] = 2048] = "TypeofNEBoolean"; TypeFacts3[TypeFacts3["TypeofNESymbol"] = 4096] = "TypeofNESymbol"; TypeFacts3[TypeFacts3["TypeofNEObject"] = 8192] = "TypeofNEObject"; TypeFacts3[TypeFacts3["TypeofNEFunction"] = 16384] = "TypeofNEFunction"; TypeFacts3[TypeFacts3["TypeofNEHostObject"] = 32768] = "TypeofNEHostObject"; TypeFacts3[TypeFacts3["EQUndefined"] = 65536] = "EQUndefined"; TypeFacts3[TypeFacts3["EQNull"] = 131072] = "EQNull"; TypeFacts3[TypeFacts3["EQUndefinedOrNull"] = 262144] = "EQUndefinedOrNull"; TypeFacts3[TypeFacts3["NEUndefined"] = 524288] = "NEUndefined"; TypeFacts3[TypeFacts3["NENull"] = 1048576] = "NENull"; TypeFacts3[TypeFacts3["NEUndefinedOrNull"] = 2097152] = "NEUndefinedOrNull"; TypeFacts3[TypeFacts3["Truthy"] = 4194304] = "Truthy"; TypeFacts3[TypeFacts3["Falsy"] = 8388608] = "Falsy"; TypeFacts3[TypeFacts3["IsUndefined"] = 16777216] = "IsUndefined"; TypeFacts3[TypeFacts3["IsNull"] = 33554432] = "IsNull"; TypeFacts3[TypeFacts3["IsUndefinedOrNull"] = 50331648] = "IsUndefinedOrNull"; TypeFacts3[TypeFacts3["All"] = 134217727] = "All"; TypeFacts3[TypeFacts3["BaseStringStrictFacts"] = 3735041] = "BaseStringStrictFacts"; TypeFacts3[TypeFacts3["BaseStringFacts"] = 12582401] = "BaseStringFacts"; TypeFacts3[TypeFacts3["StringStrictFacts"] = 16317953] = "StringStrictFacts"; TypeFacts3[TypeFacts3["StringFacts"] = 16776705] = "StringFacts"; TypeFacts3[TypeFacts3["EmptyStringStrictFacts"] = 12123649] = "EmptyStringStrictFacts"; TypeFacts3[ TypeFacts3["EmptyStringFacts"] = 12582401 /* BaseStringFacts */ ] = "EmptyStringFacts"; TypeFacts3[TypeFacts3["NonEmptyStringStrictFacts"] = 7929345] = "NonEmptyStringStrictFacts"; TypeFacts3[TypeFacts3["NonEmptyStringFacts"] = 16776705] = "NonEmptyStringFacts"; TypeFacts3[TypeFacts3["BaseNumberStrictFacts"] = 3734786] = "BaseNumberStrictFacts"; TypeFacts3[TypeFacts3["BaseNumberFacts"] = 12582146] = "BaseNumberFacts"; TypeFacts3[TypeFacts3["NumberStrictFacts"] = 16317698] = "NumberStrictFacts"; TypeFacts3[TypeFacts3["NumberFacts"] = 16776450] = "NumberFacts"; TypeFacts3[TypeFacts3["ZeroNumberStrictFacts"] = 12123394] = "ZeroNumberStrictFacts"; TypeFacts3[ TypeFacts3["ZeroNumberFacts"] = 12582146 /* BaseNumberFacts */ ] = "ZeroNumberFacts"; TypeFacts3[TypeFacts3["NonZeroNumberStrictFacts"] = 7929090] = "NonZeroNumberStrictFacts"; TypeFacts3[TypeFacts3["NonZeroNumberFacts"] = 16776450] = "NonZeroNumberFacts"; TypeFacts3[TypeFacts3["BaseBigIntStrictFacts"] = 3734276] = "BaseBigIntStrictFacts"; TypeFacts3[TypeFacts3["BaseBigIntFacts"] = 12581636] = "BaseBigIntFacts"; TypeFacts3[TypeFacts3["BigIntStrictFacts"] = 16317188] = "BigIntStrictFacts"; TypeFacts3[TypeFacts3["BigIntFacts"] = 16775940] = "BigIntFacts"; TypeFacts3[TypeFacts3["ZeroBigIntStrictFacts"] = 12122884] = "ZeroBigIntStrictFacts"; TypeFacts3[ TypeFacts3["ZeroBigIntFacts"] = 12581636 /* BaseBigIntFacts */ ] = "ZeroBigIntFacts"; TypeFacts3[TypeFacts3["NonZeroBigIntStrictFacts"] = 7928580] = "NonZeroBigIntStrictFacts"; TypeFacts3[TypeFacts3["NonZeroBigIntFacts"] = 16775940] = "NonZeroBigIntFacts"; TypeFacts3[TypeFacts3["BaseBooleanStrictFacts"] = 3733256] = "BaseBooleanStrictFacts"; TypeFacts3[TypeFacts3["BaseBooleanFacts"] = 12580616] = "BaseBooleanFacts"; TypeFacts3[TypeFacts3["BooleanStrictFacts"] = 16316168] = "BooleanStrictFacts"; TypeFacts3[TypeFacts3["BooleanFacts"] = 16774920] = "BooleanFacts"; TypeFacts3[TypeFacts3["FalseStrictFacts"] = 12121864] = "FalseStrictFacts"; TypeFacts3[ TypeFacts3["FalseFacts"] = 12580616 /* BaseBooleanFacts */ ] = "FalseFacts"; TypeFacts3[TypeFacts3["TrueStrictFacts"] = 7927560] = "TrueStrictFacts"; TypeFacts3[TypeFacts3["TrueFacts"] = 16774920] = "TrueFacts"; TypeFacts3[TypeFacts3["SymbolStrictFacts"] = 7925520] = "SymbolStrictFacts"; TypeFacts3[TypeFacts3["SymbolFacts"] = 16772880] = "SymbolFacts"; TypeFacts3[TypeFacts3["ObjectStrictFacts"] = 7888800] = "ObjectStrictFacts"; TypeFacts3[TypeFacts3["ObjectFacts"] = 16736160] = "ObjectFacts"; TypeFacts3[TypeFacts3["FunctionStrictFacts"] = 7880640] = "FunctionStrictFacts"; TypeFacts3[TypeFacts3["FunctionFacts"] = 16728e3] = "FunctionFacts"; TypeFacts3[TypeFacts3["VoidFacts"] = 9830144] = "VoidFacts"; TypeFacts3[TypeFacts3["UndefinedFacts"] = 26607360] = "UndefinedFacts"; TypeFacts3[TypeFacts3["NullFacts"] = 42917664] = "NullFacts"; TypeFacts3[TypeFacts3["EmptyObjectStrictFacts"] = 83427327] = "EmptyObjectStrictFacts"; TypeFacts3[TypeFacts3["EmptyObjectFacts"] = 83886079] = "EmptyObjectFacts"; TypeFacts3[TypeFacts3["UnknownFacts"] = 83886079] = "UnknownFacts"; TypeFacts3[TypeFacts3["AllTypeofNE"] = 556800] = "AllTypeofNE"; TypeFacts3[TypeFacts3["OrFactsMask"] = 8256] = "OrFactsMask"; TypeFacts3[TypeFacts3["AndFactsMask"] = 134209471] = "AndFactsMask"; return TypeFacts3; })(TypeFacts || {}); var typeofNEFacts = new Map(Object.entries({ string: 256, number: 512, bigint: 1024, boolean: 2048, symbol: 4096, undefined: 524288, object: 8192, function: 16384 /* TypeofNEFunction */ })); var CheckMode = /* @__PURE__ */ ((CheckMode3) => { CheckMode3[CheckMode3["Normal"] = 0] = "Normal"; CheckMode3[CheckMode3["Contextual"] = 1] = "Contextual"; CheckMode3[CheckMode3["Inferential"] = 2] = "Inferential"; CheckMode3[CheckMode3["SkipContextSensitive"] = 4] = "SkipContextSensitive"; CheckMode3[CheckMode3["SkipGenericFunctions"] = 8] = "SkipGenericFunctions"; CheckMode3[CheckMode3["IsForSignatureHelp"] = 16] = "IsForSignatureHelp"; CheckMode3[CheckMode3["RestBindingElement"] = 32] = "RestBindingElement"; CheckMode3[CheckMode3["TypeOnly"] = 64] = "TypeOnly"; return CheckMode3; })(CheckMode || {}); var SignatureCheckMode = /* @__PURE__ */ ((SignatureCheckMode3) => { SignatureCheckMode3[SignatureCheckMode3["None"] = 0] = "None"; SignatureCheckMode3[SignatureCheckMode3["BivariantCallback"] = 1] = "BivariantCallback"; SignatureCheckMode3[SignatureCheckMode3["StrictCallback"] = 2] = "StrictCallback"; SignatureCheckMode3[SignatureCheckMode3["IgnoreReturnTypes"] = 4] = "IgnoreReturnTypes"; SignatureCheckMode3[SignatureCheckMode3["StrictArity"] = 8] = "StrictArity"; SignatureCheckMode3[SignatureCheckMode3["StrictTopSignature"] = 16] = "StrictTopSignature"; SignatureCheckMode3[SignatureCheckMode3["Callback"] = 3] = "Callback"; return SignatureCheckMode3; })(SignatureCheckMode || {}); var isNotOverloadAndNotAccessor = and(isNotOverload, isNotAccessor); var intrinsicTypeKinds = new Map(Object.entries({ Uppercase: 0, Lowercase: 1, Capitalize: 2, Uncapitalize: 3, NoInfer: 4 /* NoInfer */ })); var SymbolLinks = class { }; function NodeLinks() { this.flags = 0; } function getNodeId(node) { if (!node.id) { node.id = nextNodeId; nextNodeId++; } return node.id; } function getSymbolId(symbol) { if (!symbol.id) { symbol.id = nextSymbolId; nextSymbolId++; } return symbol.id; } function isInstantiatedModule(node, preserveConstEnums) { const moduleState = getModuleInstanceState(node); return moduleState === 1 || preserveConstEnums && moduleState === 2; } function createTypeChecker(host) { var deferredDiagnosticsCallbacks = []; var addLazyDiagnostic = (arg) => { deferredDiagnosticsCallbacks.push(arg); }; var cancellationToken; var scanner2; var Symbol47 = objectAllocator.getSymbolConstructor(); var Type29 = objectAllocator.getTypeConstructor(); var Signature14 = objectAllocator.getSignatureConstructor(); var typeCount = 0; var symbolCount = 0; var totalInstantiationCount = 0; var instantiationCount = 0; var instantiationDepth = 0; var inlineLevel = 0; var currentNode; var varianceTypeParameter; var isInferencePartiallyBlocked = false; var emptySymbols = createSymbolTable(); var arrayVariances = [ 1 /* Covariant */ ]; var compilerOptions = host.getCompilerOptions(); var languageVersion = getEmitScriptTarget(compilerOptions); var moduleKind = getEmitModuleKind(compilerOptions); var legacyDecorators = !!compilerOptions.experimentalDecorators; var useDefineForClassFields = getUseDefineForClassFields(compilerOptions); var emitStandardClassFields = getEmitStandardClassFields(compilerOptions); var allowSyntheticDefaultImports = getAllowSyntheticDefaultImports(compilerOptions); var strictNullChecks = getStrictOptionValue(compilerOptions, "strictNullChecks"); var strictFunctionTypes = getStrictOptionValue(compilerOptions, "strictFunctionTypes"); var strictBindCallApply = getStrictOptionValue(compilerOptions, "strictBindCallApply"); var strictPropertyInitialization = getStrictOptionValue(compilerOptions, "strictPropertyInitialization"); var noImplicitAny = getStrictOptionValue(compilerOptions, "noImplicitAny"); var noImplicitThis = getStrictOptionValue(compilerOptions, "noImplicitThis"); var useUnknownInCatchVariables = getStrictOptionValue(compilerOptions, "useUnknownInCatchVariables"); var exactOptionalPropertyTypes = compilerOptions.exactOptionalPropertyTypes; var checkBinaryExpression = createCheckBinaryExpression(); var emitResolver = createResolver(); var nodeBuilder = createNodeBuilder(); var syntacticNodeBuilder = createSyntacticTypeNodeBuilder(compilerOptions, { isEntityNameVisible, isExpandoFunctionDeclaration, getAllAccessorDeclarations: getAllAccessorDeclarationsForDeclaration, requiresAddingImplicitUndefined, isUndefinedIdentifierExpression(node) { Debug.assert(isExpressionNode(node)); return getSymbolAtLocation(node) === undefinedSymbol; } }); var evaluate = createEvaluator({ evaluateElementAccessExpression, evaluateEntityNameExpression }); var globals2 = createSymbolTable(); var undefinedSymbol = createSymbol(4, "undefined"); undefinedSymbol.declarations = []; var globalThisSymbol = createSymbol( 1536, "globalThis", 8 /* Readonly */ ); globalThisSymbol.exports = globals2; globalThisSymbol.declarations = []; globals2.set(globalThisSymbol.escapedName, globalThisSymbol); var argumentsSymbol = createSymbol(4, "arguments"); var requireSymbol = createSymbol(4, "require"); var isolatedModulesLikeFlagName = compilerOptions.verbatimModuleSyntax ? "verbatimModuleSyntax" : "isolatedModules"; var canCollectSymbolAliasAccessabilityData = !compilerOptions.verbatimModuleSyntax; var apparentArgumentCount; var lastGetCombinedNodeFlagsNode; var lastGetCombinedNodeFlagsResult = 0; var lastGetCombinedModifierFlagsNode; var lastGetCombinedModifierFlagsResult = 0; var resolveName = createNameResolver({ compilerOptions, requireSymbol, argumentsSymbol, globals: globals2, getSymbolOfDeclaration, error: error2, getRequiresScopeChangeCache, setRequiresScopeChangeCache, lookup: getSymbol2, onPropertyWithInvalidInitializer: checkAndReportErrorForInvalidInitializer, onFailedToResolveSymbol, onSuccessfullyResolvedSymbol }); var resolveNameForSymbolSuggestion = createNameResolver({ compilerOptions, requireSymbol, argumentsSymbol, globals: globals2, getSymbolOfDeclaration, error: error2, getRequiresScopeChangeCache, setRequiresScopeChangeCache, lookup: getSuggestionForSymbolNameLookup }); const checker = { getNodeCount: () => reduceLeft(host.getSourceFiles(), (n, s) => n + s.nodeCount, 0), getIdentifierCount: () => reduceLeft(host.getSourceFiles(), (n, s) => n + s.identifierCount, 0), getSymbolCount: () => reduceLeft(host.getSourceFiles(), (n, s) => n + s.symbolCount, symbolCount), getTypeCount: () => typeCount, getInstantiationCount: () => totalInstantiationCount, getRelationCacheSizes: () => ({ assignable: assignableRelation.size, identity: identityRelation.size, subtype: subtypeRelation.size, strictSubtype: strictSubtypeRelation.size }), isUndefinedSymbol: (symbol) => symbol === undefinedSymbol, isArgumentsSymbol: (symbol) => symbol === argumentsSymbol, isUnknownSymbol: (symbol) => symbol === unknownSymbol, getMergedSymbol, symbolIsValue, getDiagnostics: getDiagnostics2, getGlobalDiagnostics, getRecursionIdentity, getUnmatchedProperties, getTypeOfSymbolAtLocation: (symbol, locationIn) => { const location = getParseTreeNode(locationIn); return location ? getTypeOfSymbolAtLocation(symbol, location) : errorType; }, getTypeOfSymbol, getSymbolsOfParameterPropertyDeclaration: (parameterIn, parameterName) => { const parameter = getParseTreeNode(parameterIn, isParameter); if (parameter === void 0) return Debug.fail("Cannot get symbols of a synthetic parameter that cannot be resolved to a parse-tree node."); Debug.assert(isParameterPropertyDeclaration(parameter, parameter.parent)); return getSymbolsOfParameterPropertyDeclaration(parameter, escapeLeadingUnderscores(parameterName)); }, getDeclaredTypeOfSymbol, getPropertiesOfType, getPropertyOfType: (type, name) => getPropertyOfType(type, escapeLeadingUnderscores(name)), getPrivateIdentifierPropertyOfType: (leftType, name, location) => { const node = getParseTreeNode(location); if (!node) { return void 0; } const propName = escapeLeadingUnderscores(name); const lexicallyScopedIdentifier = lookupSymbolForPrivateIdentifierDeclaration(propName, node); return lexicallyScopedIdentifier ? getPrivateIdentifierPropertyOfType(leftType, lexicallyScopedIdentifier) : void 0; }, getTypeOfPropertyOfType: (type, name) => getTypeOfPropertyOfType(type, escapeLeadingUnderscores(name)), getIndexInfoOfType: (type, kind) => getIndexInfoOfType(type, kind === 0 ? stringType2 : numberType2), getIndexInfosOfType, getIndexInfosOfIndexSymbol, getSignaturesOfType, getIndexTypeOfType: (type, kind) => getIndexTypeOfType(type, kind === 0 ? stringType2 : numberType2), getIndexType: (type) => getIndexType(type), getBaseTypes, getBaseTypeOfLiteralType, getWidenedType, getWidenedLiteralType, getTypeFromTypeNode: (nodeIn) => { const node = getParseTreeNode(nodeIn, isTypeNode); return node ? getTypeFromTypeNode(node) : errorType; }, getParameterType: getTypeAtPosition, getParameterIdentifierInfoAtPosition, getPromisedTypeOfPromise, getAwaitedType: (type) => getAwaitedType(type), getReturnTypeOfSignature, isNullableType, getNullableType, getNonNullableType, getNonOptionalType: removeOptionalTypeMarker, getTypeArguments, typeToTypeNode: nodeBuilder.typeToTypeNode, indexInfoToIndexSignatureDeclaration: nodeBuilder.indexInfoToIndexSignatureDeclaration, signatureToSignatureDeclaration: nodeBuilder.signatureToSignatureDeclaration, symbolToEntityName: nodeBuilder.symbolToEntityName, symbolToExpression: nodeBuilder.symbolToExpression, symbolToNode: nodeBuilder.symbolToNode, symbolToTypeParameterDeclarations: nodeBuilder.symbolToTypeParameterDeclarations, symbolToParameterDeclaration: nodeBuilder.symbolToParameterDeclaration, typeParameterToDeclaration: nodeBuilder.typeParameterToDeclaration, getSymbolsInScope: (locationIn, meaning) => { const location = getParseTreeNode(locationIn); return location ? getSymbolsInScope(location, meaning) : []; }, getSymbolAtLocation: (nodeIn) => { const node = getParseTreeNode(nodeIn); return node ? getSymbolAtLocation( node, /*ignoreErrors*/ true ) : void 0; }, getIndexInfosAtLocation: (nodeIn) => { const node = getParseTreeNode(nodeIn); return node ? getIndexInfosAtLocation(node) : void 0; }, getShorthandAssignmentValueSymbol: (nodeIn) => { const node = getParseTreeNode(nodeIn); return node ? getShorthandAssignmentValueSymbol(node) : void 0; }, getExportSpecifierLocalTargetSymbol: (nodeIn) => { const node = getParseTreeNode(nodeIn, isExportSpecifier); return node ? getExportSpecifierLocalTargetSymbol(node) : void 0; }, getExportSymbolOfSymbol(symbol) { return getMergedSymbol(symbol.exportSymbol || symbol); }, getTypeAtLocation: (nodeIn) => { const node = getParseTreeNode(nodeIn); return node ? getTypeOfNode(node) : errorType; }, getTypeOfAssignmentPattern: (nodeIn) => { const node = getParseTreeNode(nodeIn, isAssignmentPattern); return node && getTypeOfAssignmentPattern(node) || errorType; }, getPropertySymbolOfDestructuringAssignment: (locationIn) => { const location = getParseTreeNode(locationIn, isIdentifier); return location ? getPropertySymbolOfDestructuringAssignment(location) : void 0; }, signatureToString: (signature, enclosingDeclaration, flags, kind) => { return signatureToString(signature, getParseTreeNode(enclosingDeclaration), flags, kind); }, typeToString: (type, enclosingDeclaration, flags) => { return typeToString(type, getParseTreeNode(enclosingDeclaration), flags); }, symbolToString: (symbol, enclosingDeclaration, meaning, flags) => { return symbolToString2(symbol, getParseTreeNode(enclosingDeclaration), meaning, flags); }, typePredicateToString: (predicate, enclosingDeclaration, flags) => { return typePredicateToString(predicate, getParseTreeNode(enclosingDeclaration), flags); }, writeSignature: (signature, enclosingDeclaration, flags, kind, writer) => { return signatureToString(signature, getParseTreeNode(enclosingDeclaration), flags, kind, writer); }, writeType: (type, enclosingDeclaration, flags, writer) => { return typeToString(type, getParseTreeNode(enclosingDeclaration), flags, writer); }, writeSymbol: (symbol, enclosingDeclaration, meaning, flags, writer) => { return symbolToString2(symbol, getParseTreeNode(enclosingDeclaration), meaning, flags, writer); }, writeTypePredicate: (predicate, enclosingDeclaration, flags, writer) => { return typePredicateToString(predicate, getParseTreeNode(enclosingDeclaration), flags, writer); }, getAugmentedPropertiesOfType, getRootSymbols, getSymbolOfExpando, getContextualType: (nodeIn, contextFlags) => { const node = getParseTreeNode(nodeIn, isExpression); if (!node) { return void 0; } if (contextFlags & 4) { return runWithInferenceBlockedFromSourceNode(node, () => getContextualType2(node, contextFlags)); } return getContextualType2(node, contextFlags); }, getContextualTypeForObjectLiteralElement: (nodeIn) => { const node = getParseTreeNode(nodeIn, isObjectLiteralElementLike); return node ? getContextualTypeForObjectLiteralElement( node, /*contextFlags*/ void 0 ) : void 0; }, getContextualTypeForArgumentAtIndex: (nodeIn, argIndex) => { const node = getParseTreeNode(nodeIn, isCallLikeExpression); return node && getContextualTypeForArgumentAtIndex(node, argIndex); }, getContextualTypeForJsxAttribute: (nodeIn) => { const node = getParseTreeNode(nodeIn, isJsxAttributeLike); return node && getContextualTypeForJsxAttribute( node, /*contextFlags*/ void 0 ); }, isContextSensitive, getTypeOfPropertyOfContextualType, getFullyQualifiedName, getResolvedSignature: (node, candidatesOutArray, argumentCount) => getResolvedSignatureWorker( node, candidatesOutArray, argumentCount, 0 /* Normal */ ), getCandidateSignaturesForStringLiteralCompletions, getResolvedSignatureForSignatureHelp: (node, candidatesOutArray, argumentCount) => runWithoutResolvedSignatureCaching(node, () => getResolvedSignatureWorker( node, candidatesOutArray, argumentCount, 16 /* IsForSignatureHelp */ )), getExpandedParameters, hasEffectiveRestParameter, containsArgumentsReference, getConstantValue: (nodeIn) => { const node = getParseTreeNode(nodeIn, canHaveConstantValue); return node ? getConstantValue2(node) : void 0; }, isValidPropertyAccess: (nodeIn, propertyName) => { const node = getParseTreeNode(nodeIn, isPropertyAccessOrQualifiedNameOrImportTypeNode); return !!node && isValidPropertyAccess(node, escapeLeadingUnderscores(propertyName)); }, isValidPropertyAccessForCompletions: (nodeIn, type, property) => { const node = getParseTreeNode(nodeIn, isPropertyAccessExpression); return !!node && isValidPropertyAccessForCompletions(node, type, property); }, getSignatureFromDeclaration: (declarationIn) => { const declaration = getParseTreeNode(declarationIn, isFunctionLike); return declaration ? getSignatureFromDeclaration(declaration) : void 0; }, isImplementationOfOverload: (nodeIn) => { const node = getParseTreeNode(nodeIn, isFunctionLike); return node ? isImplementationOfOverload(node) : void 0; }, getImmediateAliasedSymbol, getAliasedSymbol: resolveAlias, getEmitResolver, requiresAddingImplicitUndefined, getExportsOfModule: getExportsOfModuleAsArray, getExportsAndPropertiesOfModule, forEachExportAndPropertyOfModule, getSymbolWalker: createGetSymbolWalker( getRestTypeOfSignature, getTypePredicateOfSignature, getReturnTypeOfSignature, getBaseTypes, resolveStructuredTypeMembers, getTypeOfSymbol, getResolvedSymbol, getConstraintOfTypeParameter, getFirstIdentifier, getTypeArguments ), getAmbientModules, getJsxIntrinsicTagNamesAt, isOptionalParameter: (nodeIn) => { const node = getParseTreeNode(nodeIn, isParameter); return node ? isOptionalParameter(node) : false; }, tryGetMemberInModuleExports: (name, symbol) => tryGetMemberInModuleExports(escapeLeadingUnderscores(name), symbol), tryGetMemberInModuleExportsAndProperties: (name, symbol) => tryGetMemberInModuleExportsAndProperties(escapeLeadingUnderscores(name), symbol), tryFindAmbientModule: (moduleName) => tryFindAmbientModule( moduleName, /*withAugmentations*/ true ), tryFindAmbientModuleWithoutAugmentations: (moduleName) => { return tryFindAmbientModule( moduleName, /*withAugmentations*/ false ); }, getApparentType, getUnionType, isTypeAssignableTo, createAnonymousType, createSignature, createSymbol, createIndexInfo, getAnyType: () => anyType2, getStringType: () => stringType2, getStringLiteralType, getNumberType: () => numberType2, getNumberLiteralType, getBigIntType: () => bigintType, createPromiseType, createArrayType, getElementTypeOfArrayType, getBooleanType: () => booleanType2, getFalseType: (fresh) => fresh ? falseType : regularFalseType, getTrueType: (fresh) => fresh ? trueType : regularTrueType, getVoidType: () => voidType2, getUndefinedType: () => undefinedType2, getNullType: () => nullType2, getESSymbolType: () => esSymbolType, getNeverType: () => neverType2, getOptionalType: () => optionalType2, getPromiseType: () => getGlobalPromiseType( /*reportErrors*/ false ), getPromiseLikeType: () => getGlobalPromiseLikeType( /*reportErrors*/ false ), getAsyncIterableType: () => { const type = getGlobalAsyncIterableType( /*reportErrors*/ false ); if (type === emptyGenericType) return void 0; return type; }, isSymbolAccessible, isArrayType, isTupleType, isArrayLikeType, isEmptyAnonymousObjectType, isTypeInvalidDueToUnionDiscriminant, getExactOptionalProperties, getAllPossiblePropertiesOfTypes, getSuggestedSymbolForNonexistentProperty, getSuggestedSymbolForNonexistentJSXAttribute, getSuggestedSymbolForNonexistentSymbol: (location, name, meaning) => getSuggestedSymbolForNonexistentSymbol(location, escapeLeadingUnderscores(name), meaning), getSuggestedSymbolForNonexistentModule, getSuggestedSymbolForNonexistentClassMember, getBaseConstraintOfType, getDefaultFromTypeParameter: (type) => type && type.flags & 262144 ? getDefaultFromTypeParameter(type) : void 0, resolveName(name, location, meaning, excludeGlobals) { return resolveName( location, escapeLeadingUnderscores(name), meaning, /*nameNotFoundMessage*/ void 0, /*isUse*/ false, excludeGlobals ); }, getJsxNamespace: (n) => unescapeLeadingUnderscores(getJsxNamespace(n)), getJsxFragmentFactory: (n) => { const jsxFragmentFactory = getJsxFragmentFactoryEntity(n); return jsxFragmentFactory && unescapeLeadingUnderscores(getFirstIdentifier(jsxFragmentFactory).escapedText); }, getAccessibleSymbolChain, getTypePredicateOfSignature, resolveExternalModuleName: (moduleSpecifierIn) => { const moduleSpecifier = getParseTreeNode(moduleSpecifierIn, isExpression); return moduleSpecifier && resolveExternalModuleName( moduleSpecifier, moduleSpecifier, /*ignoreErrors*/ true ); }, resolveExternalModuleSymbol, tryGetThisTypeAt: (nodeIn, includeGlobalThis, container) => { const node = getParseTreeNode(nodeIn); return node && tryGetThisTypeAt(node, includeGlobalThis, container); }, getTypeArgumentConstraint: (nodeIn) => { const node = getParseTreeNode(nodeIn, isTypeNode); return node && getTypeArgumentConstraint(node); }, getSuggestionDiagnostics: (fileIn, ct) => { const file = getParseTreeNode(fileIn, isSourceFile) || Debug.fail("Could not determine parsed source file."); if (skipTypeChecking(file, compilerOptions, host)) { return emptyArray; } let diagnostics2; try { cancellationToken = ct; checkSourceFileWithEagerDiagnostics(file); Debug.assert(!!(getNodeLinks(file).flags & 1)); diagnostics2 = addRange(diagnostics2, suggestionDiagnostics.getDiagnostics(file.fileName)); checkUnusedIdentifiers(getPotentiallyUnusedIdentifiers(file), (containingNode, kind, diag2) => { if (!containsParseError(containingNode) && !unusedIsError(kind, !!(containingNode.flags & 33554432))) { (diagnostics2 || (diagnostics2 = [])).push({ ...diag2, category: 2 /* Suggestion */ }); } }); return diagnostics2 || emptyArray; } finally { cancellationToken = void 0; } }, runWithCancellationToken: (token, callback) => { try { cancellationToken = token; return callback(checker); } finally { cancellationToken = void 0; } }, getLocalTypeParametersOfClassOrInterfaceOrTypeAlias, isDeclarationVisible, isPropertyAccessible, getTypeOnlyAliasDeclaration, getMemberOverrideModifierStatus, isTypeParameterPossiblyReferenced, typeHasCallOrConstructSignatures, getSymbolFlags }; function getCandidateSignaturesForStringLiteralCompletions(call, editingArgument) { const candidatesSet = /* @__PURE__ */ new Set(); const candidates = []; runWithInferenceBlockedFromSourceNode(editingArgument, () => getResolvedSignatureWorker( call, candidates, /*argumentCount*/ void 0, 0 /* Normal */ )); for (const candidate of candidates) { candidatesSet.add(candidate); } candidates.length = 0; runWithoutResolvedSignatureCaching(editingArgument, () => getResolvedSignatureWorker( call, candidates, /*argumentCount*/ void 0, 0 /* Normal */ )); for (const candidate of candidates) { candidatesSet.add(candidate); } return arrayFrom(candidatesSet); } function runWithoutResolvedSignatureCaching(node, fn) { node = findAncestor(node, isCallLikeOrFunctionLikeExpression); if (node) { const cachedResolvedSignatures = []; const cachedTypes2 = []; while (node) { const nodeLinks2 = getNodeLinks(node); cachedResolvedSignatures.push([nodeLinks2, nodeLinks2.resolvedSignature]); nodeLinks2.resolvedSignature = void 0; if (isFunctionExpressionOrArrowFunction(node)) { const symbolLinks2 = getSymbolLinks(getSymbolOfDeclaration(node)); const type = symbolLinks2.type; cachedTypes2.push([symbolLinks2, type]); symbolLinks2.type = void 0; } node = findAncestor(node.parent, isCallLikeOrFunctionLikeExpression); } const result = fn(); for (const [nodeLinks2, resolvedSignature] of cachedResolvedSignatures) { nodeLinks2.resolvedSignature = resolvedSignature; } for (const [symbolLinks2, type] of cachedTypes2) { symbolLinks2.type = type; } return result; } return fn(); } function runWithInferenceBlockedFromSourceNode(node, fn) { const containingCall = findAncestor(node, isCallLikeExpression); if (containingCall) { let toMarkSkip = node; do { getNodeLinks(toMarkSkip).skipDirectInference = true; toMarkSkip = toMarkSkip.parent; } while (toMarkSkip && toMarkSkip !== containingCall); } isInferencePartiallyBlocked = true; const result = runWithoutResolvedSignatureCaching(node, fn); isInferencePartiallyBlocked = false; if (containingCall) { let toMarkSkip = node; do { getNodeLinks(toMarkSkip).skipDirectInference = void 0; toMarkSkip = toMarkSkip.parent; } while (toMarkSkip && toMarkSkip !== containingCall); } return result; } function getResolvedSignatureWorker(nodeIn, candidatesOutArray, argumentCount, checkMode) { const node = getParseTreeNode(nodeIn, isCallLikeExpression); apparentArgumentCount = argumentCount; const res = !node ? void 0 : getResolvedSignature(node, candidatesOutArray, checkMode); apparentArgumentCount = void 0; return res; } var tupleTypes = /* @__PURE__ */ new Map(); var unionTypes = /* @__PURE__ */ new Map(); var unionOfUnionTypes = /* @__PURE__ */ new Map(); var intersectionTypes = /* @__PURE__ */ new Map(); var stringLiteralTypes = /* @__PURE__ */ new Map(); var numberLiteralTypes = /* @__PURE__ */ new Map(); var bigIntLiteralTypes = /* @__PURE__ */ new Map(); var enumLiteralTypes = /* @__PURE__ */ new Map(); var indexedAccessTypes = /* @__PURE__ */ new Map(); var templateLiteralTypes = /* @__PURE__ */ new Map(); var stringMappingTypes = /* @__PURE__ */ new Map(); var substitutionTypes = /* @__PURE__ */ new Map(); var subtypeReductionCache = /* @__PURE__ */ new Map(); var decoratorContextOverrideTypeCache = /* @__PURE__ */ new Map(); var cachedTypes = /* @__PURE__ */ new Map(); var evolvingArrayTypes = []; var undefinedProperties = /* @__PURE__ */ new Map(); var markerTypes = /* @__PURE__ */ new Set(); var unknownSymbol = createSymbol(4, "unknown"); var resolvingSymbol = createSymbol( 0, "__resolving__" /* Resolving */ ); var unresolvedSymbols = /* @__PURE__ */ new Map(); var errorTypes = /* @__PURE__ */ new Map(); var seenIntrinsicNames = /* @__PURE__ */ new Set(); var anyType2 = createIntrinsicType(1, "any"); var autoType = createIntrinsicType(1, "any", 262144, "auto"); var wildcardType = createIntrinsicType( 1, "any", /*objectFlags*/ void 0, "wildcard" ); var blockedStringType = createIntrinsicType( 1, "any", /*objectFlags*/ void 0, "blocked string" ); var errorType = createIntrinsicType(1, "error"); var unresolvedType = createIntrinsicType(1, "unresolved"); var nonInferrableAnyType = createIntrinsicType(1, "any", 65536, "non-inferrable"); var intrinsicMarkerType = createIntrinsicType(1, "intrinsic"); var unknownType2 = createIntrinsicType(2, "unknown"); var undefinedType2 = createIntrinsicType(32768, "undefined"); var undefinedWideningType = strictNullChecks ? undefinedType2 : createIntrinsicType(32768, "undefined", 65536, "widening"); var missingType = createIntrinsicType( 32768, "undefined", /*objectFlags*/ void 0, "missing" ); var undefinedOrMissingType = exactOptionalPropertyTypes ? missingType : undefinedType2; var optionalType2 = createIntrinsicType( 32768, "undefined", /*objectFlags*/ void 0, "optional" ); var nullType2 = createIntrinsicType(65536, "null"); var nullWideningType = strictNullChecks ? nullType2 : createIntrinsicType(65536, "null", 65536, "widening"); var stringType2 = createIntrinsicType(4, "string"); var numberType2 = createIntrinsicType(8, "number"); var bigintType = createIntrinsicType(64, "bigint"); var falseType = createIntrinsicType( 512, "false", /*objectFlags*/ void 0, "fresh" ); var regularFalseType = createIntrinsicType(512, "false"); var trueType = createIntrinsicType( 512, "true", /*objectFlags*/ void 0, "fresh" ); var regularTrueType = createIntrinsicType(512, "true"); trueType.regularType = regularTrueType; trueType.freshType = trueType; regularTrueType.regularType = regularTrueType; regularTrueType.freshType = trueType; falseType.regularType = regularFalseType; falseType.freshType = falseType; regularFalseType.regularType = regularFalseType; regularFalseType.freshType = falseType; var booleanType2 = getUnionType([regularFalseType, regularTrueType]); var esSymbolType = createIntrinsicType(4096, "symbol"); var voidType2 = createIntrinsicType(16384, "void"); var neverType2 = createIntrinsicType(131072, "never"); var silentNeverType = createIntrinsicType(131072, "never", 262144, "silent"); var implicitNeverType = createIntrinsicType( 131072, "never", /*objectFlags*/ void 0, "implicit" ); var unreachableNeverType = createIntrinsicType( 131072, "never", /*objectFlags*/ void 0, "unreachable" ); var nonPrimitiveType = createIntrinsicType(67108864, "object"); var stringOrNumberType = getUnionType([stringType2, numberType2]); var stringNumberSymbolType = getUnionType([stringType2, numberType2, esSymbolType]); var numberOrBigIntType = getUnionType([numberType2, bigintType]); var templateConstraintType = getUnionType([stringType2, numberType2, booleanType2, bigintType, nullType2, undefinedType2]); var numericStringType = getTemplateLiteralType(["", ""], [numberType2]); var restrictiveMapper = makeFunctionTypeMapper((t) => t.flags & 262144 ? getRestrictiveTypeParameter(t) : t, () => "(restrictive mapper)"); var permissiveMapper = makeFunctionTypeMapper((t) => t.flags & 262144 ? wildcardType : t, () => "(permissive mapper)"); var uniqueLiteralType = createIntrinsicType( 131072, "never", /*objectFlags*/ void 0, "unique literal" ); var uniqueLiteralMapper = makeFunctionTypeMapper((t) => t.flags & 262144 ? uniqueLiteralType : t, () => "(unique literal mapper)"); var outofbandVarianceMarkerHandler; var reportUnreliableMapper = makeFunctionTypeMapper((t) => { if (outofbandVarianceMarkerHandler && (t === markerSuperType || t === markerSubType || t === markerOtherType)) { outofbandVarianceMarkerHandler( /*onlyUnreliable*/ true ); } return t; }, () => "(unmeasurable reporter)"); var reportUnmeasurableMapper = makeFunctionTypeMapper((t) => { if (outofbandVarianceMarkerHandler && (t === markerSuperType || t === markerSubType || t === markerOtherType)) { outofbandVarianceMarkerHandler( /*onlyUnreliable*/ false ); } return t; }, () => "(unreliable reporter)"); var emptyObjectType = createAnonymousType( /*symbol*/ void 0, emptySymbols, emptyArray, emptyArray, emptyArray ); var emptyJsxObjectType = createAnonymousType( /*symbol*/ void 0, emptySymbols, emptyArray, emptyArray, emptyArray ); emptyJsxObjectType.objectFlags |= 2048; var emptyTypeLiteralSymbol = createSymbol( 2048, "__type" /* Type */ ); emptyTypeLiteralSymbol.members = createSymbolTable(); var emptyTypeLiteralType = createAnonymousType(emptyTypeLiteralSymbol, emptySymbols, emptyArray, emptyArray, emptyArray); var unknownEmptyObjectType = createAnonymousType( /*symbol*/ void 0, emptySymbols, emptyArray, emptyArray, emptyArray ); var unknownUnionType = strictNullChecks ? getUnionType([undefinedType2, nullType2, unknownEmptyObjectType]) : unknownType2; var emptyGenericType = createAnonymousType( /*symbol*/ void 0, emptySymbols, emptyArray, emptyArray, emptyArray ); emptyGenericType.instantiations = /* @__PURE__ */ new Map(); var anyFunctionType = createAnonymousType( /*symbol*/ void 0, emptySymbols, emptyArray, emptyArray, emptyArray ); anyFunctionType.objectFlags |= 262144; var noConstraintType = createAnonymousType( /*symbol*/ void 0, emptySymbols, emptyArray, emptyArray, emptyArray ); var circularConstraintType = createAnonymousType( /*symbol*/ void 0, emptySymbols, emptyArray, emptyArray, emptyArray ); var resolvingDefaultType = createAnonymousType( /*symbol*/ void 0, emptySymbols, emptyArray, emptyArray, emptyArray ); var markerSuperType = createTypeParameter(); var markerSubType = createTypeParameter(); markerSubType.constraint = markerSuperType; var markerOtherType = createTypeParameter(); var markerSuperTypeForCheck = createTypeParameter(); var markerSubTypeForCheck = createTypeParameter(); markerSubTypeForCheck.constraint = markerSuperTypeForCheck; var noTypePredicate = createTypePredicate(1, "<>", 0, anyType2); var anySignature = createSignature( /*declaration*/ void 0, /*typeParameters*/ void 0, /*thisParameter*/ void 0, emptyArray, anyType2, /*resolvedTypePredicate*/ void 0, 0, 0 /* None */ ); var unknownSignature = createSignature( /*declaration*/ void 0, /*typeParameters*/ void 0, /*thisParameter*/ void 0, emptyArray, errorType, /*resolvedTypePredicate*/ void 0, 0, 0 /* None */ ); var resolvingSignature = createSignature( /*declaration*/ void 0, /*typeParameters*/ void 0, /*thisParameter*/ void 0, emptyArray, anyType2, /*resolvedTypePredicate*/ void 0, 0, 0 /* None */ ); var silentNeverSignature = createSignature( /*declaration*/ void 0, /*typeParameters*/ void 0, /*thisParameter*/ void 0, emptyArray, silentNeverType, /*resolvedTypePredicate*/ void 0, 0, 0 /* None */ ); var enumNumberIndexInfo = createIndexInfo( numberType2, stringType2, /*isReadonly*/ true ); var iterationTypesCache = /* @__PURE__ */ new Map(); var noIterationTypes = { get yieldType() { return Debug.fail("Not supported"); }, get returnType() { return Debug.fail("Not supported"); }, get nextType() { return Debug.fail("Not supported"); } }; var anyIterationTypes = createIterationTypes(anyType2, anyType2, anyType2); var anyIterationTypesExceptNext = createIterationTypes(anyType2, anyType2, unknownType2); var defaultIterationTypes = createIterationTypes(neverType2, anyType2, undefinedType2); var asyncIterationTypesResolver = { iterableCacheKey: "iterationTypesOfAsyncIterable", iteratorCacheKey: "iterationTypesOfAsyncIterator", iteratorSymbolName: "asyncIterator", getGlobalIteratorType: getGlobalAsyncIteratorType, getGlobalIterableType: getGlobalAsyncIterableType, getGlobalIterableIteratorType: getGlobalAsyncIterableIteratorType, getGlobalGeneratorType: getGlobalAsyncGeneratorType, resolveIterationType: (type, errorNode) => getAwaitedType(type, errorNode, Diagnostics.Type_of_await_operand_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member), mustHaveANextMethodDiagnostic: Diagnostics.An_async_iterator_must_have_a_next_method, mustBeAMethodDiagnostic: Diagnostics.The_0_property_of_an_async_iterator_must_be_a_method, mustHaveAValueDiagnostic: Diagnostics.The_type_returned_by_the_0_method_of_an_async_iterator_must_be_a_promise_for_a_type_with_a_value_property }; var syncIterationTypesResolver = { iterableCacheKey: "iterationTypesOfIterable", iteratorCacheKey: "iterationTypesOfIterator", iteratorSymbolName: "iterator", getGlobalIteratorType, getGlobalIterableType, getGlobalIterableIteratorType, getGlobalGeneratorType, resolveIterationType: (type, _errorNode) => type, mustHaveANextMethodDiagnostic: Diagnostics.An_iterator_must_have_a_next_method, mustBeAMethodDiagnostic: Diagnostics.The_0_property_of_an_iterator_must_be_a_method, mustHaveAValueDiagnostic: Diagnostics.The_type_returned_by_the_0_method_of_an_iterator_must_have_a_value_property }; var amalgamatedDuplicates; var reverseMappedCache = /* @__PURE__ */ new Map(); var ambientModulesCache; var patternAmbientModules; var patternAmbientModuleAugmentations; var globalObjectType; var globalFunctionType; var globalCallableFunctionType; var globalNewableFunctionType; var globalArrayType; var globalReadonlyArrayType; var globalStringType; var globalNumberType; var globalBooleanType; var globalRegExpType; var globalThisType; var anyArrayType; var autoArrayType; var anyReadonlyArrayType; var deferredGlobalNonNullableTypeAlias; var deferredGlobalESSymbolConstructorSymbol; var deferredGlobalESSymbolConstructorTypeSymbol; var deferredGlobalESSymbolType; var deferredGlobalTypedPropertyDescriptorType; var deferredGlobalPromiseType; var deferredGlobalPromiseLikeType; var deferredGlobalPromiseConstructorSymbol; var deferredGlobalPromiseConstructorLikeType; var deferredGlobalIterableType; var deferredGlobalIteratorType; var deferredGlobalIterableIteratorType; var deferredGlobalGeneratorType; var deferredGlobalIteratorYieldResultType; var deferredGlobalIteratorReturnResultType; var deferredGlobalAsyncIterableType; var deferredGlobalAsyncIteratorType; var deferredGlobalAsyncIterableIteratorType; var deferredGlobalAsyncGeneratorType; var deferredGlobalTemplateStringsArrayType; var deferredGlobalImportMetaType; var deferredGlobalImportMetaExpressionType; var deferredGlobalImportCallOptionsType; var deferredGlobalImportAttributesType; var deferredGlobalDisposableType; var deferredGlobalAsyncDisposableType; var deferredGlobalExtractSymbol; var deferredGlobalOmitSymbol; var deferredGlobalAwaitedSymbol; var deferredGlobalBigIntType; var deferredGlobalNaNSymbol; var deferredGlobalRecordSymbol; var deferredGlobalClassDecoratorContextType; var deferredGlobalClassMethodDecoratorContextType; var deferredGlobalClassGetterDecoratorContextType; var deferredGlobalClassSetterDecoratorContextType; var deferredGlobalClassAccessorDecoratorContextType; var deferredGlobalClassAccessorDecoratorTargetType; var deferredGlobalClassAccessorDecoratorResultType; var deferredGlobalClassFieldDecoratorContextType; var allPotentiallyUnusedIdentifiers = /* @__PURE__ */ new Map(); var flowLoopStart = 0; var flowLoopCount = 0; var sharedFlowCount = 0; var flowAnalysisDisabled = false; var flowInvocationCount = 0; var lastFlowNode; var lastFlowNodeReachable; var flowTypeCache; var contextualTypeNodes = []; var contextualTypes = []; var contextualIsCache = []; var contextualTypeCount = 0; var inferenceContextNodes = []; var inferenceContexts = []; var inferenceContextCount = 0; var emptyStringType = getStringLiteralType(""); var zeroType = getNumberLiteralType(0); var zeroBigIntType = getBigIntLiteralType({ negative: false, base10Value: "0" }); var resolutionTargets = []; var resolutionResults = []; var resolutionPropertyNames = []; var resolutionStart = 0; var inVarianceComputation = false; var suggestionCount = 0; var maximumSuggestionCount = 10; var mergedSymbols = []; var symbolLinks = []; var nodeLinks = []; var flowLoopCaches = []; var flowLoopNodes = []; var flowLoopKeys = []; var flowLoopTypes = []; var sharedFlowNodes = []; var sharedFlowTypes = []; var flowNodeReachable = []; var flowNodePostSuper = []; var potentialThisCollisions = []; var potentialNewTargetCollisions = []; var potentialWeakMapSetCollisions = []; var potentialReflectCollisions = []; var potentialUnusedRenamedBindingElementsInTypes = []; var awaitedTypeStack = []; var reverseMappedSourceStack = []; var reverseMappedTargetStack = []; var reverseExpandingFlags = 0; var diagnostics = createDiagnosticCollection(); var suggestionDiagnostics = createDiagnosticCollection(); var typeofType = createTypeofType(); var _jsxNamespace; var _jsxFactoryEntity; var subtypeRelation = /* @__PURE__ */ new Map(); var strictSubtypeRelation = /* @__PURE__ */ new Map(); var assignableRelation = /* @__PURE__ */ new Map(); var comparableRelation = /* @__PURE__ */ new Map(); var identityRelation = /* @__PURE__ */ new Map(); var enumRelation = /* @__PURE__ */ new Map(); var suggestedExtensions = [ [".mts", ".mjs"], [".ts", ".js"], [".cts", ".cjs"], [".mjs", ".mjs"], [".js", ".js"], [".cjs", ".cjs"], [".tsx", compilerOptions.jsx === 1 ? ".jsx" : ".js"], [".jsx", ".jsx"], [".json", ".json"] ]; initializeTypeChecker(); return checker; function getCachedType(key) { return key ? cachedTypes.get(key) : void 0; } function setCachedType(key, type) { if (key) cachedTypes.set(key, type); return type; } function getJsxNamespace(location) { if (location) { const file = getSourceFileOfNode(location); if (file) { if (isJsxOpeningFragment(location)) { if (file.localJsxFragmentNamespace) { return file.localJsxFragmentNamespace; } const jsxFragmentPragma = file.pragmas.get("jsxfrag"); if (jsxFragmentPragma) { const chosenPragma = isArray3(jsxFragmentPragma) ? jsxFragmentPragma[0] : jsxFragmentPragma; file.localJsxFragmentFactory = parseIsolatedEntityName(chosenPragma.arguments.factory, languageVersion); visitNode(file.localJsxFragmentFactory, markAsSynthetic, isEntityName); if (file.localJsxFragmentFactory) { return file.localJsxFragmentNamespace = getFirstIdentifier(file.localJsxFragmentFactory).escapedText; } } const entity = getJsxFragmentFactoryEntity(location); if (entity) { file.localJsxFragmentFactory = entity; return file.localJsxFragmentNamespace = getFirstIdentifier(entity).escapedText; } } else { const localJsxNamespace = getLocalJsxNamespace(file); if (localJsxNamespace) { return file.localJsxNamespace = localJsxNamespace; } } } } if (!_jsxNamespace) { _jsxNamespace = "React"; if (compilerOptions.jsxFactory) { _jsxFactoryEntity = parseIsolatedEntityName(compilerOptions.jsxFactory, languageVersion); visitNode(_jsxFactoryEntity, markAsSynthetic); if (_jsxFactoryEntity) { _jsxNamespace = getFirstIdentifier(_jsxFactoryEntity).escapedText; } } else if (compilerOptions.reactNamespace) { _jsxNamespace = escapeLeadingUnderscores(compilerOptions.reactNamespace); } } if (!_jsxFactoryEntity) { _jsxFactoryEntity = factory.createQualifiedName(factory.createIdentifier(unescapeLeadingUnderscores(_jsxNamespace)), "createElement"); } return _jsxNamespace; } function getLocalJsxNamespace(file) { if (file.localJsxNamespace) { return file.localJsxNamespace; } const jsxPragma = file.pragmas.get("jsx"); if (jsxPragma) { const chosenPragma = isArray3(jsxPragma) ? jsxPragma[0] : jsxPragma; file.localJsxFactory = parseIsolatedEntityName(chosenPragma.arguments.factory, languageVersion); visitNode(file.localJsxFactory, markAsSynthetic, isEntityName); if (file.localJsxFactory) { return file.localJsxNamespace = getFirstIdentifier(file.localJsxFactory).escapedText; } } } function markAsSynthetic(node) { setTextRangePosEnd(node, -1, -1); return visitEachChild( node, markAsSynthetic, /*context*/ void 0 ); } function getEmitResolver(sourceFile, cancellationToken2, skipDiagnostics) { if (!skipDiagnostics) getDiagnostics2(sourceFile, cancellationToken2); return emitResolver; } function lookupOrIssueError(location, message, ...args) { const diagnostic = location ? createDiagnosticForNode(location, message, ...args) : createCompilerDiagnostic(message, ...args); const existing = diagnostics.lookup(diagnostic); if (existing) { return existing; } else { diagnostics.add(diagnostic); return diagnostic; } } function errorSkippedOn(key, location, message, ...args) { const diagnostic = error2(location, message, ...args); diagnostic.skippedOn = key; return diagnostic; } function createError(location, message, ...args) { return location ? createDiagnosticForNode(location, message, ...args) : createCompilerDiagnostic(message, ...args); } function error2(location, message, ...args) { const diagnostic = createError(location, message, ...args); diagnostics.add(diagnostic); return diagnostic; } function addErrorOrSuggestion(isError, diagnostic) { if (isError) { diagnostics.add(diagnostic); } else { suggestionDiagnostics.add({ ...diagnostic, category: 2 /* Suggestion */ }); } } function errorOrSuggestion(isError, location, message, ...args) { if (location.pos < 0 || location.end < 0) { if (!isError) { return; } const file = getSourceFileOfNode(location); addErrorOrSuggestion(isError, "message" in message ? createFileDiagnostic(file, 0, 0, message, ...args) : createDiagnosticForFileFromMessageChain(file, message)); return; } addErrorOrSuggestion(isError, "message" in message ? createDiagnosticForNode(location, message, ...args) : createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(location), location, message)); } function errorAndMaybeSuggestAwait(location, maybeMissingAwait, message, ...args) { const diagnostic = error2(location, message, ...args); if (maybeMissingAwait) { const related = createDiagnosticForNode(location, Diagnostics.Did_you_forget_to_use_await); addRelatedInfo(diagnostic, related); } return diagnostic; } function addDeprecatedSuggestionWorker(declarations, diagnostic) { const deprecatedTag = Array.isArray(declarations) ? forEach(declarations, getJSDocDeprecatedTag) : getJSDocDeprecatedTag(declarations); if (deprecatedTag) { addRelatedInfo( diagnostic, createDiagnosticForNode(deprecatedTag, Diagnostics.The_declaration_was_marked_as_deprecated_here) ); } suggestionDiagnostics.add(diagnostic); return diagnostic; } function isDeprecatedSymbol(symbol) { const parentSymbol = getParentOfSymbol(symbol); if (parentSymbol && length(symbol.declarations) > 1) { return parentSymbol.flags & 64 ? some(symbol.declarations, isDeprecatedDeclaration2) : every(symbol.declarations, isDeprecatedDeclaration2); } return !!symbol.valueDeclaration && isDeprecatedDeclaration2(symbol.valueDeclaration) || length(symbol.declarations) && every(symbol.declarations, isDeprecatedDeclaration2); } function isDeprecatedDeclaration2(declaration) { return !!(getCombinedNodeFlagsCached(declaration) & 536870912); } function addDeprecatedSuggestion(location, declarations, deprecatedEntity) { const diagnostic = createDiagnosticForNode(location, Diagnostics._0_is_deprecated, deprecatedEntity); return addDeprecatedSuggestionWorker(declarations, diagnostic); } function addDeprecatedSuggestionWithSignature(location, declaration, deprecatedEntity, signatureString) { const diagnostic = deprecatedEntity ? createDiagnosticForNode(location, Diagnostics.The_signature_0_of_1_is_deprecated, signatureString, deprecatedEntity) : createDiagnosticForNode(location, Diagnostics._0_is_deprecated, signatureString); return addDeprecatedSuggestionWorker(declaration, diagnostic); } function createSymbol(flags, name, checkFlags) { symbolCount++; const symbol = new Symbol47(flags | 33554432, name); symbol.links = new SymbolLinks(); symbol.links.checkFlags = checkFlags || 0; return symbol; } function createParameter2(name, type) { const symbol = createSymbol(1, name); symbol.links.type = type; return symbol; } function createProperty(name, type) { const symbol = createSymbol(4, name); symbol.links.type = type; return symbol; } function getExcludedSymbolFlags(flags) { let result = 0; if (flags & 2) result |= 111551; if (flags & 1) result |= 111550; if (flags & 4) result |= 0; if (flags & 8) result |= 900095; if (flags & 16) result |= 110991; if (flags & 32) result |= 899503; if (flags & 64) result |= 788872; if (flags & 256) result |= 899327; if (flags & 128) result |= 899967; if (flags & 512) result |= 110735; if (flags & 8192) result |= 103359; if (flags & 32768) result |= 46015; if (flags & 65536) result |= 78783; if (flags & 262144) result |= 526824; if (flags & 524288) result |= 788968; if (flags & 2097152) result |= 2097152; return result; } function recordMergedSymbol(target, source) { if (!source.mergeId) { source.mergeId = nextMergeId; nextMergeId++; } mergedSymbols[source.mergeId] = target; } function cloneSymbol(symbol) { const result = createSymbol(symbol.flags, symbol.escapedName); result.declarations = symbol.declarations ? symbol.declarations.slice() : []; result.parent = symbol.parent; if (symbol.valueDeclaration) result.valueDeclaration = symbol.valueDeclaration; if (symbol.constEnumOnlyModule) result.constEnumOnlyModule = true; if (symbol.members) result.members = new Map(symbol.members); if (symbol.exports) result.exports = new Map(symbol.exports); recordMergedSymbol(result, symbol); return result; } function mergeSymbol(target, source, unidirectional = false) { if (!(target.flags & getExcludedSymbolFlags(source.flags)) || (source.flags | target.flags) & 67108864) { if (source === target) { return target; } if (!(target.flags & 33554432)) { const resolvedTarget = resolveSymbol(target); if (resolvedTarget === unknownSymbol) { return source; } if (!(resolvedTarget.flags & getExcludedSymbolFlags(source.flags)) || (source.flags | resolvedTarget.flags) & 67108864) { target = cloneSymbol(resolvedTarget); } else { reportMergeSymbolError(target, source); return source; } } if (source.flags & 512 && target.flags & 512 && target.constEnumOnlyModule && !source.constEnumOnlyModule) { target.constEnumOnlyModule = false; } target.flags |= source.flags; if (source.valueDeclaration) { setValueDeclaration(target, source.valueDeclaration); } addRange(target.declarations, source.declarations); if (source.members) { if (!target.members) target.members = createSymbolTable(); mergeSymbolTable(target.members, source.members, unidirectional); } if (source.exports) { if (!target.exports) target.exports = createSymbolTable(); mergeSymbolTable(target.exports, source.exports, unidirectional); } if (!unidirectional) { recordMergedSymbol(target, source); } } else if (target.flags & 1024) { if (target !== globalThisSymbol) { error2( source.declarations && getNameOfDeclaration(source.declarations[0]), Diagnostics.Cannot_augment_module_0_with_value_exports_because_it_resolves_to_a_non_module_entity, symbolToString2(target) ); } } else { reportMergeSymbolError(target, source); } return target; function reportMergeSymbolError(target2, source2) { const isEitherEnum = !!(target2.flags & 384 || source2.flags & 384); const isEitherBlockScoped = !!(target2.flags & 2 || source2.flags & 2); const message = isEitherEnum ? Diagnostics.Enum_declarations_can_only_merge_with_namespace_or_other_enum_declarations : isEitherBlockScoped ? Diagnostics.Cannot_redeclare_block_scoped_variable_0 : Diagnostics.Duplicate_identifier_0; const sourceSymbolFile = source2.declarations && getSourceFileOfNode(source2.declarations[0]); const targetSymbolFile = target2.declarations && getSourceFileOfNode(target2.declarations[0]); const isSourcePlainJs = isPlainJsFile(sourceSymbolFile, compilerOptions.checkJs); const isTargetPlainJs = isPlainJsFile(targetSymbolFile, compilerOptions.checkJs); const symbolName2 = symbolToString2(source2); if (sourceSymbolFile && targetSymbolFile && amalgamatedDuplicates && !isEitherEnum && sourceSymbolFile !== targetSymbolFile) { const firstFile = comparePaths(sourceSymbolFile.path, targetSymbolFile.path) === -1 ? sourceSymbolFile : targetSymbolFile; const secondFile = firstFile === sourceSymbolFile ? targetSymbolFile : sourceSymbolFile; const filesDuplicates = getOrUpdate(amalgamatedDuplicates, `${firstFile.path}|${secondFile.path}`, () => ({ firstFile, secondFile, conflictingSymbols: /* @__PURE__ */ new Map() })); const conflictingSymbolInfo = getOrUpdate(filesDuplicates.conflictingSymbols, symbolName2, () => ({ isBlockScoped: isEitherBlockScoped, firstFileLocations: [], secondFileLocations: [] })); if (!isSourcePlainJs) addDuplicateLocations(conflictingSymbolInfo.firstFileLocations, source2); if (!isTargetPlainJs) addDuplicateLocations(conflictingSymbolInfo.secondFileLocations, target2); } else { if (!isSourcePlainJs) addDuplicateDeclarationErrorsForSymbols(source2, message, symbolName2, target2); if (!isTargetPlainJs) addDuplicateDeclarationErrorsForSymbols(target2, message, symbolName2, source2); } } function addDuplicateLocations(locs, symbol) { if (symbol.declarations) { for (const decl of symbol.declarations) { pushIfUnique(locs, decl); } } } } function addDuplicateDeclarationErrorsForSymbols(target, message, symbolName2, source) { forEach(target.declarations, (node) => { addDuplicateDeclarationError(node, message, symbolName2, source.declarations); }); } function addDuplicateDeclarationError(node, message, symbolName2, relatedNodes) { const errorNode = (getExpandoInitializer( node, /*isPrototypeAssignment*/ false ) ? getNameOfExpando(node) : getNameOfDeclaration(node)) || node; const err = lookupOrIssueError(errorNode, message, symbolName2); for (const relatedNode of relatedNodes || emptyArray) { const adjustedNode = (getExpandoInitializer( relatedNode, /*isPrototypeAssignment*/ false ) ? getNameOfExpando(relatedNode) : getNameOfDeclaration(relatedNode)) || relatedNode; if (adjustedNode === errorNode) continue; err.relatedInformation = err.relatedInformation || []; const leadingMessage = createDiagnosticForNode(adjustedNode, Diagnostics._0_was_also_declared_here, symbolName2); const followOnMessage = createDiagnosticForNode(adjustedNode, Diagnostics.and_here); if (length(err.relatedInformation) >= 5 || some( err.relatedInformation, (r) => compareDiagnostics(r, followOnMessage) === 0 || compareDiagnostics(r, leadingMessage) === 0 /* EqualTo */ )) continue; addRelatedInfo(err, !length(err.relatedInformation) ? leadingMessage : followOnMessage); } } function combineSymbolTables(first2, second) { if (!(first2 == null ? void 0 : first2.size)) return second; if (!(second == null ? void 0 : second.size)) return first2; const combined = createSymbolTable(); mergeSymbolTable(combined, first2); mergeSymbolTable(combined, second); return combined; } function mergeSymbolTable(target, source, unidirectional = false) { source.forEach((sourceSymbol, id) => { const targetSymbol = target.get(id); target.set(id, targetSymbol ? mergeSymbol(targetSymbol, sourceSymbol, unidirectional) : getMergedSymbol(sourceSymbol)); }); } function mergeModuleAugmentation(moduleName) { var _a, _b, _c; const moduleAugmentation = moduleName.parent; if (((_a = moduleAugmentation.symbol.declarations) == null ? void 0 : _a[0]) !== moduleAugmentation) { Debug.assert(moduleAugmentation.symbol.declarations.length > 1); return; } if (isGlobalScopeAugmentation(moduleAugmentation)) { mergeSymbolTable(globals2, moduleAugmentation.symbol.exports); } else { const moduleNotFoundError = !(moduleName.parent.parent.flags & 33554432) ? Diagnostics.Invalid_module_name_in_augmentation_module_0_cannot_be_found : void 0; let mainModule = resolveExternalModuleNameWorker( moduleName, moduleName, moduleNotFoundError, /*isForAugmentation*/ true ); if (!mainModule) { return; } mainModule = resolveExternalModuleSymbol(mainModule); if (mainModule.flags & 1920) { if (some(patternAmbientModules, (module22) => mainModule === module22.symbol)) { const merged = mergeSymbol( moduleAugmentation.symbol, mainModule, /*unidirectional*/ true ); if (!patternAmbientModuleAugmentations) { patternAmbientModuleAugmentations = /* @__PURE__ */ new Map(); } patternAmbientModuleAugmentations.set(moduleName.text, merged); } else { if (((_b = mainModule.exports) == null ? void 0 : _b.get( "__export" /* ExportStar */ )) && ((_c = moduleAugmentation.symbol.exports) == null ? void 0 : _c.size)) { const resolvedExports = getResolvedMembersOrExportsOfSymbol( mainModule, "resolvedExports" /* resolvedExports */ ); for (const [key, value] of arrayFrom(moduleAugmentation.symbol.exports.entries())) { if (resolvedExports.has(key) && !mainModule.exports.has(key)) { mergeSymbol(resolvedExports.get(key), value); } } } mergeSymbol(mainModule, moduleAugmentation.symbol); } } else { error2(moduleName, Diagnostics.Cannot_augment_module_0_because_it_resolves_to_a_non_module_entity, moduleName.text); } } } function addUndefinedToGlobalsOrErrorOnRedeclaration() { const name = undefinedSymbol.escapedName; const targetSymbol = globals2.get(name); if (targetSymbol) { forEach(targetSymbol.declarations, (declaration) => { if (!isTypeDeclaration(declaration)) { diagnostics.add(createDiagnosticForNode(declaration, Diagnostics.Declaration_name_conflicts_with_built_in_global_identifier_0, unescapeLeadingUnderscores(name))); } }); } else { globals2.set(name, undefinedSymbol); } } function getSymbolLinks(symbol) { if (symbol.flags & 33554432) return symbol.links; const id = getSymbolId(symbol); return symbolLinks[id] ?? (symbolLinks[id] = new SymbolLinks()); } function getNodeLinks(node) { const nodeId = getNodeId(node); return nodeLinks[nodeId] || (nodeLinks[nodeId] = new NodeLinks()); } function getSymbol2(symbols, name, meaning) { if (meaning) { const symbol = getMergedSymbol(symbols.get(name)); if (symbol) { if (symbol.flags & meaning) { return symbol; } if (symbol.flags & 2097152) { const targetFlags = getSymbolFlags(symbol); if (targetFlags & meaning) { return symbol; } } } } } function getSymbolsOfParameterPropertyDeclaration(parameter, parameterName) { const constructorDeclaration = parameter.parent; const classDeclaration = parameter.parent.parent; const parameterSymbol = getSymbol2( constructorDeclaration.locals, parameterName, 111551 /* Value */ ); const propertySymbol = getSymbol2( getMembersOfSymbol(classDeclaration.symbol), parameterName, 111551 /* Value */ ); if (parameterSymbol && propertySymbol) { return [parameterSymbol, propertySymbol]; } return Debug.fail("There should exist two symbols, one as property declaration and one as parameter declaration"); } function isBlockScopedNameDeclaredBeforeUse(declaration, usage) { const declarationFile = getSourceFileOfNode(declaration); const useFile = getSourceFileOfNode(usage); const declContainer = getEnclosingBlockScopeContainer(declaration); if (declarationFile !== useFile) { if (moduleKind && (declarationFile.externalModuleIndicator || useFile.externalModuleIndicator) || !compilerOptions.outFile || isInTypeQuery(usage) || declaration.flags & 33554432) { return true; } if (isUsedInFunctionOrInstanceProperty(usage, declaration)) { return true; } const sourceFiles = host.getSourceFiles(); return sourceFiles.indexOf(declarationFile) <= sourceFiles.indexOf(useFile); } if (!!(usage.flags & 16777216) || isInTypeQuery(usage) || isInAmbientOrTypeNode(usage)) { return true; } if (declaration.pos <= usage.pos && !(isPropertyDeclaration(declaration) && isThisProperty(usage.parent) && !declaration.initializer && !declaration.exclamationToken)) { if (declaration.kind === 208) { const errorBindingElement = getAncestor2( usage, 208 /* BindingElement */ ); if (errorBindingElement) { return findAncestor(errorBindingElement, isBindingElement) !== findAncestor(declaration, isBindingElement) || declaration.pos < errorBindingElement.pos; } return isBlockScopedNameDeclaredBeforeUse(getAncestor2( declaration, 260 /* VariableDeclaration */ ), usage); } else if (declaration.kind === 260) { return !isImmediatelyUsedInInitializerOfBlockScopedVariable(declaration, usage); } else if (isClassLike(declaration)) { const container = findAncestor(usage, (n) => n === declaration ? "quit" : isComputedPropertyName(n) ? n.parent.parent === declaration : !legacyDecorators && isDecorator(n) && (n.parent === declaration || isMethodDeclaration(n.parent) && n.parent.parent === declaration || isGetOrSetAccessorDeclaration(n.parent) && n.parent.parent === declaration || isPropertyDeclaration(n.parent) && n.parent.parent === declaration || isParameter(n.parent) && n.parent.parent.parent === declaration)); if (!container) { return true; } if (!legacyDecorators && isDecorator(container)) { return !!findAncestor(usage, (n) => n === container ? "quit" : isFunctionLike(n) && !getImmediatelyInvokedFunctionExpression(n)); } return false; } else if (isPropertyDeclaration(declaration)) { return !isPropertyImmediatelyReferencedWithinDeclaration( declaration, usage, /*stopAtAnyPropertyDeclaration*/ false ); } else if (isParameterPropertyDeclaration(declaration, declaration.parent)) { return !(emitStandardClassFields && getContainingClass(declaration) === getContainingClass(usage) && isUsedInFunctionOrInstanceProperty(usage, declaration)); } return true; } if (usage.parent.kind === 281 || usage.parent.kind === 277 && usage.parent.isExportEquals) { return true; } if (usage.kind === 277 && usage.isExportEquals) { return true; } if (isUsedInFunctionOrInstanceProperty(usage, declaration)) { if (emitStandardClassFields && getContainingClass(declaration) && (isPropertyDeclaration(declaration) || isParameterPropertyDeclaration(declaration, declaration.parent))) { return !isPropertyImmediatelyReferencedWithinDeclaration( declaration, usage, /*stopAtAnyPropertyDeclaration*/ true ); } else { return true; } } return false; function isImmediatelyUsedInInitializerOfBlockScopedVariable(declaration2, usage2) { switch (declaration2.parent.parent.kind) { case 243: case 248: case 250: if (isSameScopeDescendentOf(usage2, declaration2, declContainer)) { return true; } break; } const grandparent = declaration2.parent.parent; return isForInOrOfStatement(grandparent) && isSameScopeDescendentOf(usage2, grandparent.expression, declContainer); } function isUsedInFunctionOrInstanceProperty(usage2, declaration2) { return !!findAncestor(usage2, (current) => { if (current === declContainer) { return "quit"; } if (isFunctionLike(current)) { return true; } if (isClassStaticBlockDeclaration(current)) { return declaration2.pos < usage2.pos; } const propertyDeclaration = tryCast(current.parent, isPropertyDeclaration); if (propertyDeclaration) { const initializerOfProperty = propertyDeclaration.initializer === current; if (initializerOfProperty) { if (isStatic(current.parent)) { if (declaration2.kind === 174) { return true; } if (isPropertyDeclaration(declaration2) && getContainingClass(usage2) === getContainingClass(declaration2)) { const propName = declaration2.name; if (isIdentifier(propName) || isPrivateIdentifier(propName)) { const type = getTypeOfSymbol(getSymbolOfDeclaration(declaration2)); const staticBlocks = filter(declaration2.parent.members, isClassStaticBlockDeclaration); if (isPropertyInitializedInStaticBlocks(propName, type, staticBlocks, declaration2.parent.pos, current.pos)) { return true; } } } } else { const isDeclarationInstanceProperty = declaration2.kind === 172 && !isStatic(declaration2); if (!isDeclarationInstanceProperty || getContainingClass(usage2) !== getContainingClass(declaration2)) { return true; } } } } return false; }); } function isPropertyImmediatelyReferencedWithinDeclaration(declaration2, usage2, stopAtAnyPropertyDeclaration) { if (usage2.end > declaration2.end) { return false; } const ancestorChangingReferenceScope = findAncestor(usage2, (node) => { if (node === declaration2) { return "quit"; } switch (node.kind) { case 219: return true; case 172: return stopAtAnyPropertyDeclaration && (isPropertyDeclaration(declaration2) && node.parent === declaration2.parent || isParameterPropertyDeclaration(declaration2, declaration2.parent) && node.parent === declaration2.parent.parent) ? "quit" : true; case 241: switch (node.parent.kind) { case 177: case 174: case 178: return true; default: return false; } default: return false; } }); return ancestorChangingReferenceScope === void 0; } } function getRequiresScopeChangeCache(node) { return getNodeLinks(node).declarationRequiresScopeChange; } function setRequiresScopeChangeCache(node, value) { getNodeLinks(node).declarationRequiresScopeChange = value; } function checkAndReportErrorForInvalidInitializer(errorLocation, name, propertyWithInvalidInitializer, result) { if (!emitStandardClassFields) { if (errorLocation && !result && checkAndReportErrorForMissingPrefix(errorLocation, name, name)) { return true; } error2( errorLocation, errorLocation && propertyWithInvalidInitializer.type && textRangeContainsPositionInclusive(propertyWithInvalidInitializer.type, errorLocation.pos) ? Diagnostics.Type_of_instance_member_variable_0_cannot_reference_identifier_1_declared_in_the_constructor : Diagnostics.Initializer_of_instance_member_variable_0_cannot_reference_identifier_1_declared_in_the_constructor, declarationNameToString(propertyWithInvalidInitializer.name), diagnosticName(name) ); return true; } return false; } function onFailedToResolveSymbol(errorLocation, nameArg, meaning, nameNotFoundMessage) { const name = isString2(nameArg) ? nameArg : nameArg.escapedText; addLazyDiagnostic(() => { if (!errorLocation || errorLocation.parent.kind !== 324 && !checkAndReportErrorForMissingPrefix(errorLocation, name, nameArg) && !checkAndReportErrorForExtendingInterface(errorLocation) && !checkAndReportErrorForUsingTypeAsNamespace(errorLocation, name, meaning) && !checkAndReportErrorForExportingPrimitiveType(errorLocation, name) && !checkAndReportErrorForUsingNamespaceAsTypeOrValue(errorLocation, name, meaning) && !checkAndReportErrorForUsingTypeAsValue(errorLocation, name, meaning) && !checkAndReportErrorForUsingValueAsType(errorLocation, name, meaning)) { let suggestion; let suggestedLib; if (nameArg) { suggestedLib = getSuggestedLibForNonExistentName(nameArg); if (suggestedLib) { error2(errorLocation, nameNotFoundMessage, diagnosticName(nameArg), suggestedLib); } } if (!suggestedLib && suggestionCount < maximumSuggestionCount) { suggestion = getSuggestedSymbolForNonexistentSymbol(errorLocation, name, meaning); const isGlobalScopeAugmentationDeclaration = (suggestion == null ? void 0 : suggestion.valueDeclaration) && isAmbientModule(suggestion.valueDeclaration) && isGlobalScopeAugmentation(suggestion.valueDeclaration); if (isGlobalScopeAugmentationDeclaration) { suggestion = void 0; } if (suggestion) { const suggestionName = symbolToString2(suggestion); const isUncheckedJS = isUncheckedJSSuggestion( errorLocation, suggestion, /*excludeClasses*/ false ); const message = meaning === 1920 || nameArg && typeof nameArg !== "string" && nodeIsSynthesized(nameArg) ? Diagnostics.Cannot_find_namespace_0_Did_you_mean_1 : isUncheckedJS ? Diagnostics.Could_not_find_name_0_Did_you_mean_1 : Diagnostics.Cannot_find_name_0_Did_you_mean_1; const diagnostic = createError(errorLocation, message, diagnosticName(nameArg), suggestionName); diagnostic.canonicalHead = getCanonicalDiagnostic(nameNotFoundMessage, diagnosticName(nameArg)); addErrorOrSuggestion(!isUncheckedJS, diagnostic); if (suggestion.valueDeclaration) { addRelatedInfo( diagnostic, createDiagnosticForNode(suggestion.valueDeclaration, Diagnostics._0_is_declared_here, suggestionName) ); } } } if (!suggestion && !suggestedLib && nameArg) { error2(errorLocation, nameNotFoundMessage, diagnosticName(nameArg)); } suggestionCount++; } }); } function onSuccessfullyResolvedSymbol(errorLocation, result, meaning, lastLocation, associatedDeclarationForContainingInitializerOrBindingName, withinDeferredContext) { addLazyDiagnostic(() => { var _a; const name = result.escapedName; const isInExternalModule = lastLocation && isSourceFile(lastLocation) && isExternalOrCommonJsModule(lastLocation); if (errorLocation && (meaning & 2 || (meaning & 32 || meaning & 384) && (meaning & 111551) === 111551)) { const exportOrLocalSymbol = getExportSymbolOfValueSymbolIfExported(result); if (exportOrLocalSymbol.flags & 2 || exportOrLocalSymbol.flags & 32 || exportOrLocalSymbol.flags & 384) { checkResolvedBlockScopedVariable(exportOrLocalSymbol, errorLocation); } } if (isInExternalModule && (meaning & 111551) === 111551 && !(errorLocation.flags & 16777216)) { const merged = getMergedSymbol(result); if (length(merged.declarations) && every(merged.declarations, (d) => isNamespaceExportDeclaration(d) || isSourceFile(d) && !!d.symbol.globalExports)) { errorOrSuggestion(!compilerOptions.allowUmdGlobalAccess, errorLocation, Diagnostics._0_refers_to_a_UMD_global_but_the_current_file_is_a_module_Consider_adding_an_import_instead, unescapeLeadingUnderscores(name)); } } if (associatedDeclarationForContainingInitializerOrBindingName && !withinDeferredContext && (meaning & 111551) === 111551) { const candidate = getMergedSymbol(getLateBoundSymbol(result)); const root2 = getRootDeclaration(associatedDeclarationForContainingInitializerOrBindingName); if (candidate === getSymbolOfDeclaration(associatedDeclarationForContainingInitializerOrBindingName)) { error2(errorLocation, Diagnostics.Parameter_0_cannot_reference_itself, declarationNameToString(associatedDeclarationForContainingInitializerOrBindingName.name)); } else if (candidate.valueDeclaration && candidate.valueDeclaration.pos > associatedDeclarationForContainingInitializerOrBindingName.pos && root2.parent.locals && getSymbol2(root2.parent.locals, candidate.escapedName, meaning) === candidate) { error2(errorLocation, Diagnostics.Parameter_0_cannot_reference_identifier_1_declared_after_it, declarationNameToString(associatedDeclarationForContainingInitializerOrBindingName.name), declarationNameToString(errorLocation)); } } if (errorLocation && meaning & 111551 && result.flags & 2097152 && !(result.flags & 111551) && !isValidTypeOnlyAliasUseSite(errorLocation)) { const typeOnlyDeclaration = getTypeOnlyAliasDeclaration( result, 111551 /* Value */ ); if (typeOnlyDeclaration) { const message = typeOnlyDeclaration.kind === 281 || typeOnlyDeclaration.kind === 278 || typeOnlyDeclaration.kind === 280 ? Diagnostics._0_cannot_be_used_as_a_value_because_it_was_exported_using_export_type : Diagnostics._0_cannot_be_used_as_a_value_because_it_was_imported_using_import_type; const unescapedName = unescapeLeadingUnderscores(name); addTypeOnlyDeclarationRelatedInfo( error2(errorLocation, message, unescapedName), typeOnlyDeclaration, unescapedName ); } } if (compilerOptions.isolatedModules && result && isInExternalModule && (meaning & 111551) === 111551) { const isGlobal = getSymbol2(globals2, name, meaning) === result; const nonValueSymbol = isGlobal && isSourceFile(lastLocation) && lastLocation.locals && getSymbol2( lastLocation.locals, name, ~111551 /* Value */ ); if (nonValueSymbol) { const importDecl = (_a = nonValueSymbol.declarations) == null ? void 0 : _a.find( (d) => d.kind === 276 || d.kind === 273 || d.kind === 274 || d.kind === 271 /* ImportEqualsDeclaration */ ); if (importDecl && !isTypeOnlyImportDeclaration(importDecl)) { error2(importDecl, Diagnostics.Import_0_conflicts_with_global_value_used_in_this_file_so_must_be_declared_with_a_type_only_import_when_isolatedModules_is_enabled, unescapeLeadingUnderscores(name)); } } } }); } function addTypeOnlyDeclarationRelatedInfo(diagnostic, typeOnlyDeclaration, unescapedName) { if (!typeOnlyDeclaration) return diagnostic; return addRelatedInfo( diagnostic, createDiagnosticForNode( typeOnlyDeclaration, typeOnlyDeclaration.kind === 281 || typeOnlyDeclaration.kind === 278 || typeOnlyDeclaration.kind === 280 ? Diagnostics._0_was_exported_here : Diagnostics._0_was_imported_here, unescapedName ) ); } function diagnosticName(nameArg) { return isString2(nameArg) ? unescapeLeadingUnderscores(nameArg) : declarationNameToString(nameArg); } function checkAndReportErrorForMissingPrefix(errorLocation, name, nameArg) { if (!isIdentifier(errorLocation) || errorLocation.escapedText !== name || isTypeReferenceIdentifier(errorLocation) || isInTypeQuery(errorLocation)) { return false; } const container = getThisContainer( errorLocation, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ); let location = container; while (location) { if (isClassLike(location.parent)) { const classSymbol = getSymbolOfDeclaration(location.parent); if (!classSymbol) { break; } const constructorType = getTypeOfSymbol(classSymbol); if (getPropertyOfType(constructorType, name)) { error2(errorLocation, Diagnostics.Cannot_find_name_0_Did_you_mean_the_static_member_1_0, diagnosticName(nameArg), symbolToString2(classSymbol)); return true; } if (location === container && !isStatic(location)) { const instanceType = getDeclaredTypeOfSymbol(classSymbol).thisType; if (getPropertyOfType(instanceType, name)) { error2(errorLocation, Diagnostics.Cannot_find_name_0_Did_you_mean_the_instance_member_this_0, diagnosticName(nameArg)); return true; } } } location = location.parent; } return false; } function checkAndReportErrorForExtendingInterface(errorLocation) { const expression = getEntityNameForExtendingInterface(errorLocation); if (expression && resolveEntityName( expression, 64, /*ignoreErrors*/ true )) { error2(errorLocation, Diagnostics.Cannot_extend_an_interface_0_Did_you_mean_implements, getTextOfNode(expression)); return true; } return false; } function getEntityNameForExtendingInterface(node) { switch (node.kind) { case 80: case 211: return node.parent ? getEntityNameForExtendingInterface(node.parent) : void 0; case 233: if (isEntityNameExpression(node.expression)) { return node.expression; } default: return void 0; } } function checkAndReportErrorForUsingTypeAsNamespace(errorLocation, name, meaning) { const namespaceMeaning = 1920 | (isInJSFile(errorLocation) ? 111551 : 0); if (meaning === namespaceMeaning) { const symbol = resolveSymbol(resolveName( errorLocation, name, 788968 & ~namespaceMeaning, /*nameNotFoundMessage*/ void 0, /*isUse*/ false )); const parent2 = errorLocation.parent; if (symbol) { if (isQualifiedName(parent2)) { Debug.assert(parent2.left === errorLocation, "Should only be resolving left side of qualified name as a namespace"); const propName = parent2.right.escapedText; const propType = getPropertyOfType(getDeclaredTypeOfSymbol(symbol), propName); if (propType) { error2( parent2, Diagnostics.Cannot_access_0_1_because_0_is_a_type_but_not_a_namespace_Did_you_mean_to_retrieve_the_type_of_the_property_1_in_0_with_0_1, unescapeLeadingUnderscores(name), unescapeLeadingUnderscores(propName) ); return true; } } error2(errorLocation, Diagnostics._0_only_refers_to_a_type_but_is_being_used_as_a_namespace_here, unescapeLeadingUnderscores(name)); return true; } } return false; } function checkAndReportErrorForUsingValueAsType(errorLocation, name, meaning) { if (meaning & (788968 & ~1920)) { const symbol = resolveSymbol(resolveName( errorLocation, name, ~788968 & 111551, /*nameNotFoundMessage*/ void 0, /*isUse*/ false )); if (symbol && !(symbol.flags & 1920)) { error2(errorLocation, Diagnostics._0_refers_to_a_value_but_is_being_used_as_a_type_here_Did_you_mean_typeof_0, unescapeLeadingUnderscores(name)); return true; } } return false; } function isPrimitiveTypeName(name) { return name === "any" || name === "string" || name === "number" || name === "boolean" || name === "never" || name === "unknown"; } function checkAndReportErrorForExportingPrimitiveType(errorLocation, name) { if (isPrimitiveTypeName(name) && errorLocation.parent.kind === 281) { error2(errorLocation, Diagnostics.Cannot_export_0_Only_local_declarations_can_be_exported_from_a_module, name); return true; } return false; } function checkAndReportErrorForUsingTypeAsValue(errorLocation, name, meaning) { if (meaning & 111551) { if (isPrimitiveTypeName(name)) { const grandparent = errorLocation.parent.parent; if (grandparent && grandparent.parent && isHeritageClause(grandparent)) { const heritageKind = grandparent.token; const containerKind = grandparent.parent.kind; if (containerKind === 264 && heritageKind === 96) { error2(errorLocation, Diagnostics.An_interface_cannot_extend_a_primitive_type_like_0_It_can_only_extend_other_named_object_types, unescapeLeadingUnderscores(name)); } else if (containerKind === 263 && heritageKind === 96) { error2(errorLocation, Diagnostics.A_class_cannot_extend_a_primitive_type_like_0_Classes_can_only_extend_constructable_values, unescapeLeadingUnderscores(name)); } else if (containerKind === 263 && heritageKind === 119) { error2(errorLocation, Diagnostics.A_class_cannot_implement_a_primitive_type_like_0_It_can_only_implement_other_named_object_types, unescapeLeadingUnderscores(name)); } } else { error2(errorLocation, Diagnostics._0_only_refers_to_a_type_but_is_being_used_as_a_value_here, unescapeLeadingUnderscores(name)); } return true; } const symbol = resolveSymbol(resolveName( errorLocation, name, 788968 & ~111551, /*nameNotFoundMessage*/ void 0, /*isUse*/ false )); const allFlags = symbol && getSymbolFlags(symbol); if (symbol && allFlags !== void 0 && !(allFlags & 111551)) { const rawName = unescapeLeadingUnderscores(name); if (isES2015OrLaterConstructorName(name)) { error2(errorLocation, Diagnostics._0_only_refers_to_a_type_but_is_being_used_as_a_value_here_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_es2015_or_later, rawName); } else if (maybeMappedType(errorLocation, symbol)) { error2(errorLocation, Diagnostics._0_only_refers_to_a_type_but_is_being_used_as_a_value_here_Did_you_mean_to_use_1_in_0, rawName, rawName === "K" ? "P" : "K"); } else { error2(errorLocation, Diagnostics._0_only_refers_to_a_type_but_is_being_used_as_a_value_here, rawName); } return true; } } return false; } function maybeMappedType(node, symbol) { const container = findAncestor(node.parent, (n) => isComputedPropertyName(n) || isPropertySignature(n) ? false : isTypeLiteralNode(n) || "quit"); if (container && container.members.length === 1) { const type = getDeclaredTypeOfSymbol(symbol); return !!(type.flags & 1048576) && allTypesAssignableToKind( type, 384, /*strict*/ true ); } return false; } function isES2015OrLaterConstructorName(n) { switch (n) { case "Promise": case "Symbol": case "Map": case "WeakMap": case "Set": case "WeakSet": return true; } return false; } function checkAndReportErrorForUsingNamespaceAsTypeOrValue(errorLocation, name, meaning) { if (meaning & (111551 & ~788968)) { const symbol = resolveSymbol(resolveName( errorLocation, name, 1024, /*nameNotFoundMessage*/ void 0, /*isUse*/ false )); if (symbol) { error2( errorLocation, Diagnostics.Cannot_use_namespace_0_as_a_value, unescapeLeadingUnderscores(name) ); return true; } } else if (meaning & (788968 & ~111551)) { const symbol = resolveSymbol(resolveName( errorLocation, name, 1536, /*nameNotFoundMessage*/ void 0, /*isUse*/ false )); if (symbol) { error2(errorLocation, Diagnostics.Cannot_use_namespace_0_as_a_type, unescapeLeadingUnderscores(name)); return true; } } return false; } function checkResolvedBlockScopedVariable(result, errorLocation) { var _a; Debug.assert(!!(result.flags & 2 || result.flags & 32 || result.flags & 384)); if (result.flags & (16 | 1 | 67108864) && result.flags & 32) { return; } const declaration = (_a = result.declarations) == null ? void 0 : _a.find( (d) => isBlockOrCatchScoped(d) || isClassLike(d) || d.kind === 266 /* EnumDeclaration */ ); if (declaration === void 0) return Debug.fail("checkResolvedBlockScopedVariable could not find block-scoped declaration"); if (!(declaration.flags & 33554432) && !isBlockScopedNameDeclaredBeforeUse(declaration, errorLocation)) { let diagnosticMessage; const declarationName = declarationNameToString(getNameOfDeclaration(declaration)); if (result.flags & 2) { diagnosticMessage = error2(errorLocation, Diagnostics.Block_scoped_variable_0_used_before_its_declaration, declarationName); } else if (result.flags & 32) { diagnosticMessage = error2(errorLocation, Diagnostics.Class_0_used_before_its_declaration, declarationName); } else if (result.flags & 256) { diagnosticMessage = error2(errorLocation, Diagnostics.Enum_0_used_before_its_declaration, declarationName); } else { Debug.assert(!!(result.flags & 128)); if (getIsolatedModules(compilerOptions)) { diagnosticMessage = error2(errorLocation, Diagnostics.Enum_0_used_before_its_declaration, declarationName); } } if (diagnosticMessage) { addRelatedInfo(diagnosticMessage, createDiagnosticForNode(declaration, Diagnostics._0_is_declared_here, declarationName)); } } } function isSameScopeDescendentOf(initial, parent2, stopAt) { return !!parent2 && !!findAncestor(initial, (n) => n === parent2 || (n === stopAt || isFunctionLike(n) && (!getImmediatelyInvokedFunctionExpression(n) || getFunctionFlags(n) & 3) ? "quit" : false)); } function getAnyImportSyntax(node) { switch (node.kind) { case 271: return node; case 273: return node.parent; case 274: return node.parent.parent; case 276: return node.parent.parent.parent; default: return void 0; } } function getDeclarationOfAliasSymbol(symbol) { return symbol.declarations && findLast(symbol.declarations, isAliasSymbolDeclaration2); } function isAliasSymbolDeclaration2(node) { return node.kind === 271 || node.kind === 270 || node.kind === 273 && !!node.name || node.kind === 274 || node.kind === 280 || node.kind === 276 || node.kind === 281 || node.kind === 277 && exportAssignmentIsAlias(node) || isBinaryExpression(node) && getAssignmentDeclarationKind(node) === 2 && exportAssignmentIsAlias(node) || isAccessExpression(node) && isBinaryExpression(node.parent) && node.parent.left === node && node.parent.operatorToken.kind === 64 && isAliasableOrJsExpression(node.parent.right) || node.kind === 304 || node.kind === 303 && isAliasableOrJsExpression(node.initializer) || node.kind === 260 && isVariableDeclarationInitializedToBareOrAccessedRequire(node) || node.kind === 208 && isVariableDeclarationInitializedToBareOrAccessedRequire(node.parent.parent); } function isAliasableOrJsExpression(e) { return isAliasableExpression(e) || isFunctionExpression(e) && isJSConstructor(e); } function getTargetOfImportEqualsDeclaration(node, dontResolveAlias) { const commonJSPropertyAccess = getCommonJSPropertyAccess(node); if (commonJSPropertyAccess) { const name = getLeftmostAccessExpression(commonJSPropertyAccess.expression).arguments[0]; return isIdentifier(commonJSPropertyAccess.name) ? resolveSymbol(getPropertyOfType(resolveExternalModuleTypeByLiteral(name), commonJSPropertyAccess.name.escapedText)) : void 0; } if (isVariableDeclaration(node) || node.moduleReference.kind === 283) { const immediate = resolveExternalModuleName( node, getExternalModuleRequireArgument(node) || getExternalModuleImportEqualsDeclarationExpression(node) ); const resolved2 = resolveExternalModuleSymbol(immediate); markSymbolOfAliasDeclarationIfTypeOnly( node, immediate, resolved2, /*overwriteEmpty*/ false ); return resolved2; } const resolved = getSymbolOfPartOfRightHandSideOfImportEquals(node.moduleReference, dontResolveAlias); checkAndReportErrorForResolvingImportAliasToTypeOnlySymbol(node, resolved); return resolved; } function checkAndReportErrorForResolvingImportAliasToTypeOnlySymbol(node, resolved) { if (markSymbolOfAliasDeclarationIfTypeOnly( node, /*immediateTarget*/ void 0, resolved, /*overwriteEmpty*/ false ) && !node.isTypeOnly) { const typeOnlyDeclaration = getTypeOnlyAliasDeclaration(getSymbolOfDeclaration(node)); const isExport = typeOnlyDeclaration.kind === 281 || typeOnlyDeclaration.kind === 278; const message = isExport ? Diagnostics.An_import_alias_cannot_reference_a_declaration_that_was_exported_using_export_type : Diagnostics.An_import_alias_cannot_reference_a_declaration_that_was_imported_using_import_type; const relatedMessage = isExport ? Diagnostics._0_was_exported_here : Diagnostics._0_was_imported_here; const name = typeOnlyDeclaration.kind === 278 ? "*" : unescapeLeadingUnderscores(typeOnlyDeclaration.name.escapedText); addRelatedInfo(error2(node.moduleReference, message), createDiagnosticForNode(typeOnlyDeclaration, relatedMessage, name)); } } function resolveExportByName(moduleSymbol, name, sourceNode, dontResolveAlias) { const exportValue = moduleSymbol.exports.get( "export=" /* ExportEquals */ ); const exportSymbol = exportValue ? getPropertyOfType( getTypeOfSymbol(exportValue), name, /*skipObjectFunctionPropertyAugment*/ true ) : moduleSymbol.exports.get(name); const resolved = resolveSymbol(exportSymbol, dontResolveAlias); markSymbolOfAliasDeclarationIfTypeOnly( sourceNode, exportSymbol, resolved, /*overwriteEmpty*/ false ); return resolved; } function isSyntacticDefault(node) { return isExportAssignment(node) && !node.isExportEquals || hasSyntacticModifier( node, 2048 /* Default */ ) || isExportSpecifier(node) || isNamespaceExport(node); } function getUsageModeForExpression(usage) { return isStringLiteralLike(usage) ? host.getModeForUsageLocation(getSourceFileOfNode(usage), usage) : void 0; } function isESMFormatImportImportingCommonjsFormatFile(usageMode, targetMode) { return usageMode === 99 && targetMode === 1; } function isOnlyImportedAsDefault(usage) { const usageMode = getUsageModeForExpression(usage); return usageMode === 99 && endsWith( usage.text, ".json" /* Json */ ); } function canHaveSyntheticDefault(file, moduleSymbol, dontResolveAlias, usage) { const usageMode = file && getUsageModeForExpression(usage); if (file && usageMode !== void 0 && 100 <= moduleKind && moduleKind <= 199) { const result = isESMFormatImportImportingCommonjsFormatFile(usageMode, file.impliedNodeFormat); if (usageMode === 99 || result) { return result; } } if (!allowSyntheticDefaultImports) { return false; } if (!file || file.isDeclarationFile) { const defaultExportSymbol = resolveExportByName( moduleSymbol, "default", /*sourceNode*/ void 0, /*dontResolveAlias*/ true ); if (defaultExportSymbol && some(defaultExportSymbol.declarations, isSyntacticDefault)) { return false; } if (resolveExportByName( moduleSymbol, escapeLeadingUnderscores("__esModule"), /*sourceNode*/ void 0, dontResolveAlias )) { return false; } return true; } if (!isSourceFileJS(file)) { return hasExportAssignmentSymbol(moduleSymbol); } return typeof file.externalModuleIndicator !== "object" && !resolveExportByName( moduleSymbol, escapeLeadingUnderscores("__esModule"), /*sourceNode*/ void 0, dontResolveAlias ); } function getTargetOfImportClause(node, dontResolveAlias) { const moduleSymbol = resolveExternalModuleName(node, node.parent.moduleSpecifier); if (moduleSymbol) { return getTargetofModuleDefault(moduleSymbol, node, dontResolveAlias); } } function getTargetofModuleDefault(moduleSymbol, node, dontResolveAlias) { var _a; let exportDefaultSymbol; if (isShorthandAmbientModuleSymbol(moduleSymbol)) { exportDefaultSymbol = moduleSymbol; } else { exportDefaultSymbol = resolveExportByName(moduleSymbol, "default", node, dontResolveAlias); } const file = (_a = moduleSymbol.declarations) == null ? void 0 : _a.find(isSourceFile); const specifier = getModuleSpecifierForImportOrExport(node); if (!specifier) { return exportDefaultSymbol; } const hasDefaultOnly = isOnlyImportedAsDefault(specifier); const hasSyntheticDefault = canHaveSyntheticDefault(file, moduleSymbol, dontResolveAlias, specifier); if (!exportDefaultSymbol && !hasSyntheticDefault && !hasDefaultOnly) { if (hasExportAssignmentSymbol(moduleSymbol) && !allowSyntheticDefaultImports) { const compilerOptionName = moduleKind >= 5 ? "allowSyntheticDefaultImports" : "esModuleInterop"; const exportEqualsSymbol = moduleSymbol.exports.get( "export=" /* ExportEquals */ ); const exportAssignment = exportEqualsSymbol.valueDeclaration; const err = error2(node.name, Diagnostics.Module_0_can_only_be_default_imported_using_the_1_flag, symbolToString2(moduleSymbol), compilerOptionName); if (exportAssignment) { addRelatedInfo( err, createDiagnosticForNode( exportAssignment, Diagnostics.This_module_is_declared_with_export_and_can_only_be_used_with_a_default_import_when_using_the_0_flag, compilerOptionName ) ); } } else if (isImportClause(node)) { reportNonDefaultExport(moduleSymbol, node); } else { errorNoModuleMemberSymbol(moduleSymbol, moduleSymbol, node, isImportOrExportSpecifier(node) && node.propertyName || node.name); } } else if (hasSyntheticDefault || hasDefaultOnly) { const resolved = resolveExternalModuleSymbol(moduleSymbol, dontResolveAlias) || resolveSymbol(moduleSymbol, dontResolveAlias); markSymbolOfAliasDeclarationIfTypeOnly( node, moduleSymbol, resolved, /*overwriteEmpty*/ false ); return resolved; } markSymbolOfAliasDeclarationIfTypeOnly( node, exportDefaultSymbol, /*finalTarget*/ void 0, /*overwriteEmpty*/ false ); return exportDefaultSymbol; } function getModuleSpecifierForImportOrExport(node) { switch (node.kind) { case 273: return node.parent.moduleSpecifier; case 271: return isExternalModuleReference(node.moduleReference) ? node.moduleReference.expression : void 0; case 274: return node.parent.parent.moduleSpecifier; case 276: return node.parent.parent.parent.moduleSpecifier; case 281: return node.parent.parent.moduleSpecifier; default: return Debug.assertNever(node); } } function reportNonDefaultExport(moduleSymbol, node) { var _a, _b, _c; if ((_a = moduleSymbol.exports) == null ? void 0 : _a.has(node.symbol.escapedName)) { error2( node.name, Diagnostics.Module_0_has_no_default_export_Did_you_mean_to_use_import_1_from_0_instead, symbolToString2(moduleSymbol), symbolToString2(node.symbol) ); } else { const diagnostic = error2(node.name, Diagnostics.Module_0_has_no_default_export, symbolToString2(moduleSymbol)); const exportStar = (_b = moduleSymbol.exports) == null ? void 0 : _b.get( "__export" /* ExportStar */ ); if (exportStar) { const defaultExport = (_c = exportStar.declarations) == null ? void 0 : _c.find( (decl) => { var _a2, _b2; return !!(isExportDeclaration(decl) && decl.moduleSpecifier && ((_b2 = (_a2 = resolveExternalModuleName(decl, decl.moduleSpecifier)) == null ? void 0 : _a2.exports) == null ? void 0 : _b2.has( "default" /* Default */ ))); } ); if (defaultExport) { addRelatedInfo(diagnostic, createDiagnosticForNode(defaultExport, Diagnostics.export_Asterisk_does_not_re_export_a_default)); } } } } function getTargetOfNamespaceImport(node, dontResolveAlias) { const moduleSpecifier = node.parent.parent.moduleSpecifier; const immediate = resolveExternalModuleName(node, moduleSpecifier); const resolved = resolveESModuleSymbol( immediate, moduleSpecifier, dontResolveAlias, /*suppressInteropError*/ false ); markSymbolOfAliasDeclarationIfTypeOnly( node, immediate, resolved, /*overwriteEmpty*/ false ); return resolved; } function getTargetOfNamespaceExport(node, dontResolveAlias) { const moduleSpecifier = node.parent.moduleSpecifier; const immediate = moduleSpecifier && resolveExternalModuleName(node, moduleSpecifier); const resolved = moduleSpecifier && resolveESModuleSymbol( immediate, moduleSpecifier, dontResolveAlias, /*suppressInteropError*/ false ); markSymbolOfAliasDeclarationIfTypeOnly( node, immediate, resolved, /*overwriteEmpty*/ false ); return resolved; } function combineValueAndTypeSymbols(valueSymbol, typeSymbol) { if (valueSymbol === unknownSymbol && typeSymbol === unknownSymbol) { return unknownSymbol; } if (valueSymbol.flags & (788968 | 1920)) { return valueSymbol; } const result = createSymbol(valueSymbol.flags | typeSymbol.flags, valueSymbol.escapedName); Debug.assert(valueSymbol.declarations || typeSymbol.declarations); result.declarations = deduplicate(concatenate(valueSymbol.declarations, typeSymbol.declarations), equateValues); result.parent = valueSymbol.parent || typeSymbol.parent; if (valueSymbol.valueDeclaration) result.valueDeclaration = valueSymbol.valueDeclaration; if (typeSymbol.members) result.members = new Map(typeSymbol.members); if (valueSymbol.exports) result.exports = new Map(valueSymbol.exports); return result; } function getExportOfModule(symbol, name, specifier, dontResolveAlias) { var _a; if (symbol.flags & 1536) { const exportSymbol = getExportsOfSymbol(symbol).get(name.escapedText); const resolved = resolveSymbol(exportSymbol, dontResolveAlias); const exportStarDeclaration = (_a = getSymbolLinks(symbol).typeOnlyExportStarMap) == null ? void 0 : _a.get(name.escapedText); markSymbolOfAliasDeclarationIfTypeOnly( specifier, exportSymbol, resolved, /*overwriteEmpty*/ false, exportStarDeclaration, name.escapedText ); return resolved; } } function getPropertyOfVariable(symbol, name) { if (symbol.flags & 3) { const typeAnnotation = symbol.valueDeclaration.type; if (typeAnnotation) { return resolveSymbol(getPropertyOfType(getTypeFromTypeNode(typeAnnotation), name)); } } } function getExternalModuleMember(node, specifier, dontResolveAlias = false) { var _a; const moduleSpecifier = getExternalModuleRequireArgument(node) || node.moduleSpecifier; const moduleSymbol = resolveExternalModuleName(node, moduleSpecifier); const name = !isPropertyAccessExpression(specifier) && specifier.propertyName || specifier.name; if (!isIdentifier(name)) { return void 0; } const suppressInteropError = name.escapedText === "default" && allowSyntheticDefaultImports; const targetSymbol = resolveESModuleSymbol( moduleSymbol, moduleSpecifier, /*dontResolveAlias*/ false, suppressInteropError ); if (targetSymbol) { if (name.escapedText) { if (isShorthandAmbientModuleSymbol(moduleSymbol)) { return moduleSymbol; } let symbolFromVariable; if (moduleSymbol && moduleSymbol.exports && moduleSymbol.exports.get( "export=" /* ExportEquals */ )) { symbolFromVariable = getPropertyOfType( getTypeOfSymbol(targetSymbol), name.escapedText, /*skipObjectFunctionPropertyAugment*/ true ); } else { symbolFromVariable = getPropertyOfVariable(targetSymbol, name.escapedText); } symbolFromVariable = resolveSymbol(symbolFromVariable, dontResolveAlias); let symbolFromModule = getExportOfModule(targetSymbol, name, specifier, dontResolveAlias); if (symbolFromModule === void 0 && name.escapedText === "default") { const file = (_a = moduleSymbol.declarations) == null ? void 0 : _a.find(isSourceFile); if (isOnlyImportedAsDefault(moduleSpecifier) || canHaveSyntheticDefault(file, moduleSymbol, dontResolveAlias, moduleSpecifier)) { symbolFromModule = resolveExternalModuleSymbol(moduleSymbol, dontResolveAlias) || resolveSymbol(moduleSymbol, dontResolveAlias); } } const symbol = symbolFromModule && symbolFromVariable && symbolFromModule !== symbolFromVariable ? combineValueAndTypeSymbols(symbolFromVariable, symbolFromModule) : symbolFromModule || symbolFromVariable; if (!symbol) { errorNoModuleMemberSymbol(moduleSymbol, targetSymbol, node, name); } return symbol; } } } function errorNoModuleMemberSymbol(moduleSymbol, targetSymbol, node, name) { var _a; const moduleName = getFullyQualifiedName(moduleSymbol, node); const declarationName = declarationNameToString(name); const suggestion = getSuggestedSymbolForNonexistentModule(name, targetSymbol); if (suggestion !== void 0) { const suggestionName = symbolToString2(suggestion); const diagnostic = error2(name, Diagnostics._0_has_no_exported_member_named_1_Did_you_mean_2, moduleName, declarationName, suggestionName); if (suggestion.valueDeclaration) { addRelatedInfo(diagnostic, createDiagnosticForNode(suggestion.valueDeclaration, Diagnostics._0_is_declared_here, suggestionName)); } } else { if ((_a = moduleSymbol.exports) == null ? void 0 : _a.has( "default" /* Default */ )) { error2( name, Diagnostics.Module_0_has_no_exported_member_1_Did_you_mean_to_use_import_1_from_0_instead, moduleName, declarationName ); } else { reportNonExportedMember(node, name, declarationName, moduleSymbol, moduleName); } } } function reportNonExportedMember(node, name, declarationName, moduleSymbol, moduleName) { var _a, _b; const localSymbol = (_b = (_a = tryCast(moduleSymbol.valueDeclaration, canHaveLocals)) == null ? void 0 : _a.locals) == null ? void 0 : _b.get(name.escapedText); const exports22 = moduleSymbol.exports; if (localSymbol) { const exportedEqualsSymbol = exports22 == null ? void 0 : exports22.get( "export=" /* ExportEquals */ ); if (exportedEqualsSymbol) { getSymbolIfSameReference(exportedEqualsSymbol, localSymbol) ? reportInvalidImportEqualsExportMember(node, name, declarationName, moduleName) : error2(name, Diagnostics.Module_0_has_no_exported_member_1, moduleName, declarationName); } else { const exportedSymbol = exports22 ? find(symbolsToArray(exports22), (symbol) => !!getSymbolIfSameReference(symbol, localSymbol)) : void 0; const diagnostic = exportedSymbol ? error2(name, Diagnostics.Module_0_declares_1_locally_but_it_is_exported_as_2, moduleName, declarationName, symbolToString2(exportedSymbol)) : error2(name, Diagnostics.Module_0_declares_1_locally_but_it_is_not_exported, moduleName, declarationName); if (localSymbol.declarations) { addRelatedInfo(diagnostic, ...map(localSymbol.declarations, (decl, index) => createDiagnosticForNode(decl, index === 0 ? Diagnostics._0_is_declared_here : Diagnostics.and_here, declarationName))); } } } else { error2(name, Diagnostics.Module_0_has_no_exported_member_1, moduleName, declarationName); } } function reportInvalidImportEqualsExportMember(node, name, declarationName, moduleName) { if (moduleKind >= 5) { const message = getESModuleInterop(compilerOptions) ? Diagnostics._0_can_only_be_imported_by_using_a_default_import : Diagnostics._0_can_only_be_imported_by_turning_on_the_esModuleInterop_flag_and_using_a_default_import; error2(name, message, declarationName); } else { if (isInJSFile(node)) { const message = getESModuleInterop(compilerOptions) ? Diagnostics._0_can_only_be_imported_by_using_a_require_call_or_by_using_a_default_import : Diagnostics._0_can_only_be_imported_by_using_a_require_call_or_by_turning_on_the_esModuleInterop_flag_and_using_a_default_import; error2(name, message, declarationName); } else { const message = getESModuleInterop(compilerOptions) ? Diagnostics._0_can_only_be_imported_by_using_import_1_require_2_or_a_default_import : Diagnostics._0_can_only_be_imported_by_using_import_1_require_2_or_by_turning_on_the_esModuleInterop_flag_and_using_a_default_import; error2(name, message, declarationName, declarationName, moduleName); } } } function getTargetOfImportSpecifier(node, dontResolveAlias) { if (isImportSpecifier(node) && idText(node.propertyName || node.name) === "default") { const specifier = getModuleSpecifierForImportOrExport(node); const moduleSymbol = specifier && resolveExternalModuleName(node, specifier); if (moduleSymbol) { return getTargetofModuleDefault(moduleSymbol, node, dontResolveAlias); } } const root2 = isBindingElement(node) ? getRootDeclaration(node) : node.parent.parent.parent; const commonJSPropertyAccess = getCommonJSPropertyAccess(root2); const resolved = getExternalModuleMember(root2, commonJSPropertyAccess || node, dontResolveAlias); const name = node.propertyName || node.name; if (commonJSPropertyAccess && resolved && isIdentifier(name)) { return resolveSymbol(getPropertyOfType(getTypeOfSymbol(resolved), name.escapedText), dontResolveAlias); } markSymbolOfAliasDeclarationIfTypeOnly( node, /*immediateTarget*/ void 0, resolved, /*overwriteEmpty*/ false ); return resolved; } function getCommonJSPropertyAccess(node) { if (isVariableDeclaration(node) && node.initializer && isPropertyAccessExpression(node.initializer)) { return node.initializer; } } function getTargetOfNamespaceExportDeclaration(node, dontResolveAlias) { if (canHaveSymbol(node.parent)) { const resolved = resolveExternalModuleSymbol(node.parent.symbol, dontResolveAlias); markSymbolOfAliasDeclarationIfTypeOnly( node, /*immediateTarget*/ void 0, resolved, /*overwriteEmpty*/ false ); return resolved; } } function getTargetOfExportSpecifier(node, meaning, dontResolveAlias) { if (idText(node.propertyName || node.name) === "default") { const specifier = getModuleSpecifierForImportOrExport(node); const moduleSymbol = specifier && resolveExternalModuleName(node, specifier); if (moduleSymbol) { return getTargetofModuleDefault(moduleSymbol, node, !!dontResolveAlias); } } const resolved = node.parent.parent.moduleSpecifier ? getExternalModuleMember(node.parent.parent, node, dontResolveAlias) : resolveEntityName( node.propertyName || node.name, meaning, /*ignoreErrors*/ false, dontResolveAlias ); markSymbolOfAliasDeclarationIfTypeOnly( node, /*immediateTarget*/ void 0, resolved, /*overwriteEmpty*/ false ); return resolved; } function getTargetOfExportAssignment(node, dontResolveAlias) { const expression = isExportAssignment(node) ? node.expression : node.right; const resolved = getTargetOfAliasLikeExpression(expression, dontResolveAlias); markSymbolOfAliasDeclarationIfTypeOnly( node, /*immediateTarget*/ void 0, resolved, /*overwriteEmpty*/ false ); return resolved; } function getTargetOfAliasLikeExpression(expression, dontResolveAlias) { if (isClassExpression(expression)) { return checkExpressionCached(expression).symbol; } if (!isEntityName(expression) && !isEntityNameExpression(expression)) { return void 0; } const aliasLike = resolveEntityName( expression, 111551 | 788968 | 1920, /*ignoreErrors*/ true, dontResolveAlias ); if (aliasLike) { return aliasLike; } checkExpressionCached(expression); return getNodeLinks(expression).resolvedSymbol; } function getTargetOfAccessExpression(node, dontRecursivelyResolve) { if (!(isBinaryExpression(node.parent) && node.parent.left === node && node.parent.operatorToken.kind === 64)) { return void 0; } return getTargetOfAliasLikeExpression(node.parent.right, dontRecursivelyResolve); } function getTargetOfAliasDeclaration(node, dontRecursivelyResolve = false) { switch (node.kind) { case 271: case 260: return getTargetOfImportEqualsDeclaration(node, dontRecursivelyResolve); case 273: return getTargetOfImportClause(node, dontRecursivelyResolve); case 274: return getTargetOfNamespaceImport(node, dontRecursivelyResolve); case 280: return getTargetOfNamespaceExport(node, dontRecursivelyResolve); case 276: case 208: return getTargetOfImportSpecifier(node, dontRecursivelyResolve); case 281: return getTargetOfExportSpecifier(node, 111551 | 788968 | 1920, dontRecursivelyResolve); case 277: case 226: return getTargetOfExportAssignment(node, dontRecursivelyResolve); case 270: return getTargetOfNamespaceExportDeclaration(node, dontRecursivelyResolve); case 304: return resolveEntityName( node.name, 111551 | 788968 | 1920, /*ignoreErrors*/ true, dontRecursivelyResolve ); case 303: return getTargetOfAliasLikeExpression(node.initializer, dontRecursivelyResolve); case 212: case 211: return getTargetOfAccessExpression(node, dontRecursivelyResolve); default: return Debug.fail(); } } function isNonLocalAlias(symbol, excludes = 111551 | 788968 | 1920) { if (!symbol) return false; return (symbol.flags & (2097152 | excludes)) === 2097152 || !!(symbol.flags & 2097152 && symbol.flags & 67108864); } function resolveSymbol(symbol, dontResolveAlias) { return !dontResolveAlias && isNonLocalAlias(symbol) ? resolveAlias(symbol) : symbol; } function resolveAlias(symbol) { Debug.assert((symbol.flags & 2097152) !== 0, "Should only get Alias here."); const links = getSymbolLinks(symbol); if (!links.aliasTarget) { links.aliasTarget = resolvingSymbol; const node = getDeclarationOfAliasSymbol(symbol); if (!node) return Debug.fail(); const target = getTargetOfAliasDeclaration(node); if (links.aliasTarget === resolvingSymbol) { links.aliasTarget = target || unknownSymbol; } else { error2(node, Diagnostics.Circular_definition_of_import_alias_0, symbolToString2(symbol)); } } else if (links.aliasTarget === resolvingSymbol) { links.aliasTarget = unknownSymbol; } return links.aliasTarget; } function tryResolveAlias(symbol) { const links = getSymbolLinks(symbol); if (links.aliasTarget !== resolvingSymbol) { return resolveAlias(symbol); } return void 0; } function getSymbolFlags(symbol, excludeTypeOnlyMeanings, excludeLocalMeanings) { const typeOnlyDeclaration = excludeTypeOnlyMeanings && getTypeOnlyAliasDeclaration(symbol); const typeOnlyDeclarationIsExportStar = typeOnlyDeclaration && isExportDeclaration(typeOnlyDeclaration); const typeOnlyResolution = typeOnlyDeclaration && (typeOnlyDeclarationIsExportStar ? resolveExternalModuleName( typeOnlyDeclaration.moduleSpecifier, typeOnlyDeclaration.moduleSpecifier, /*ignoreErrors*/ true ) : resolveAlias(typeOnlyDeclaration.symbol)); const typeOnlyExportStarTargets = typeOnlyDeclarationIsExportStar && typeOnlyResolution ? getExportsOfModule(typeOnlyResolution) : void 0; let flags = excludeLocalMeanings ? 0 : symbol.flags; let seenSymbols; while (symbol.flags & 2097152) { const target = getExportSymbolOfValueSymbolIfExported(resolveAlias(symbol)); if (!typeOnlyDeclarationIsExportStar && target === typeOnlyResolution || (typeOnlyExportStarTargets == null ? void 0 : typeOnlyExportStarTargets.get(target.escapedName)) === target) { break; } if (target === unknownSymbol) { return -1; } if (target === symbol || (seenSymbols == null ? void 0 : seenSymbols.has(target))) { break; } if (target.flags & 2097152) { if (seenSymbols) { seenSymbols.add(target); } else { seenSymbols = /* @__PURE__ */ new Set([symbol, target]); } } flags |= target.flags; symbol = target; } return flags; } function markSymbolOfAliasDeclarationIfTypeOnly(aliasDeclaration, immediateTarget, finalTarget, overwriteEmpty, exportStarDeclaration, exportStarName) { if (!aliasDeclaration || isPropertyAccessExpression(aliasDeclaration)) return false; const sourceSymbol = getSymbolOfDeclaration(aliasDeclaration); if (isTypeOnlyImportOrExportDeclaration(aliasDeclaration)) { const links2 = getSymbolLinks(sourceSymbol); links2.typeOnlyDeclaration = aliasDeclaration; return true; } if (exportStarDeclaration) { const links2 = getSymbolLinks(sourceSymbol); links2.typeOnlyDeclaration = exportStarDeclaration; if (sourceSymbol.escapedName !== exportStarName) { links2.typeOnlyExportStarName = exportStarName; } return true; } const links = getSymbolLinks(sourceSymbol); return markSymbolOfAliasDeclarationIfTypeOnlyWorker(links, immediateTarget, overwriteEmpty) || markSymbolOfAliasDeclarationIfTypeOnlyWorker(links, finalTarget, overwriteEmpty); } function markSymbolOfAliasDeclarationIfTypeOnlyWorker(aliasDeclarationLinks, target, overwriteEmpty) { var _a; if (target && (aliasDeclarationLinks.typeOnlyDeclaration === void 0 || overwriteEmpty && aliasDeclarationLinks.typeOnlyDeclaration === false)) { const exportSymbol = ((_a = target.exports) == null ? void 0 : _a.get( "export=" /* ExportEquals */ )) ?? target; const typeOnly = exportSymbol.declarations && find(exportSymbol.declarations, isTypeOnlyImportOrExportDeclaration); aliasDeclarationLinks.typeOnlyDeclaration = typeOnly ?? getSymbolLinks(exportSymbol).typeOnlyDeclaration ?? false; } return !!aliasDeclarationLinks.typeOnlyDeclaration; } function getTypeOnlyAliasDeclaration(symbol, include) { var _a; if (!(symbol.flags & 2097152)) { return void 0; } const links = getSymbolLinks(symbol); if (links.typeOnlyDeclaration === void 0) { links.typeOnlyDeclaration = false; const resolved = resolveSymbol(symbol); markSymbolOfAliasDeclarationIfTypeOnly( (_a = symbol.declarations) == null ? void 0 : _a[0], getDeclarationOfAliasSymbol(symbol) && getImmediateAliasedSymbol(symbol), resolved, /*overwriteEmpty*/ true ); } if (include === void 0) { return links.typeOnlyDeclaration || void 0; } if (links.typeOnlyDeclaration) { const resolved = links.typeOnlyDeclaration.kind === 278 ? resolveSymbol(getExportsOfModule(links.typeOnlyDeclaration.symbol.parent).get(links.typeOnlyExportStarName || symbol.escapedName)) : resolveAlias(links.typeOnlyDeclaration.symbol); return getSymbolFlags(resolved) & include ? links.typeOnlyDeclaration : void 0; } return void 0; } function getSymbolOfPartOfRightHandSideOfImportEquals(entityName, dontResolveAlias) { if (entityName.kind === 80 && isRightSideOfQualifiedNameOrPropertyAccess(entityName)) { entityName = entityName.parent; } if (entityName.kind === 80 || entityName.parent.kind === 166) { return resolveEntityName( entityName, 1920, /*ignoreErrors*/ false, dontResolveAlias ); } else { Debug.assert( entityName.parent.kind === 271 /* ImportEqualsDeclaration */ ); return resolveEntityName( entityName, 111551 | 788968 | 1920, /*ignoreErrors*/ false, dontResolveAlias ); } } function getFullyQualifiedName(symbol, containingLocation) { return symbol.parent ? getFullyQualifiedName(symbol.parent, containingLocation) + "." + symbolToString2(symbol) : symbolToString2( symbol, containingLocation, /*meaning*/ void 0, 32 | 4 /* AllowAnyNodeKind */ ); } function getContainingQualifiedNameNode(node) { while (isQualifiedName(node.parent)) { node = node.parent; } return node; } function tryGetQualifiedNameAsValue(node) { let left = getFirstIdentifier(node); let symbol = resolveName( left, left, 111551, /*nameNotFoundMessage*/ void 0, /*isUse*/ true ); if (!symbol) { return void 0; } while (isQualifiedName(left.parent)) { const type = getTypeOfSymbol(symbol); symbol = getPropertyOfType(type, left.parent.right.escapedText); if (!symbol) { return void 0; } left = left.parent; } return symbol; } function resolveEntityName(name, meaning, ignoreErrors, dontResolveAlias, location) { if (nodeIsMissing(name)) { return void 0; } const namespaceMeaning = 1920 | (isInJSFile(name) ? meaning & 111551 : 0); let symbol; if (name.kind === 80) { const message = meaning === namespaceMeaning || nodeIsSynthesized(name) ? Diagnostics.Cannot_find_namespace_0 : getCannotFindNameDiagnosticForName(getFirstIdentifier(name)); const symbolFromJSPrototype = isInJSFile(name) && !nodeIsSynthesized(name) ? resolveEntityNameFromAssignmentDeclaration(name, meaning) : void 0; symbol = getMergedSymbol(resolveName( location || name, name, meaning, ignoreErrors || symbolFromJSPrototype ? void 0 : message, /*isUse*/ true, /*excludeGlobals*/ false )); if (!symbol) { return getMergedSymbol(symbolFromJSPrototype); } } else if (name.kind === 166 || name.kind === 211) { const left = name.kind === 166 ? name.left : name.expression; const right = name.kind === 166 ? name.right : name.name; let namespace = resolveEntityName( left, namespaceMeaning, ignoreErrors, /*dontResolveAlias*/ false, location ); if (!namespace || nodeIsMissing(right)) { return void 0; } else if (namespace === unknownSymbol) { return namespace; } if (namespace.valueDeclaration && isInJSFile(namespace.valueDeclaration) && getEmitModuleResolutionKind(compilerOptions) !== 100 && isVariableDeclaration(namespace.valueDeclaration) && namespace.valueDeclaration.initializer && isCommonJsRequire(namespace.valueDeclaration.initializer)) { const moduleName = namespace.valueDeclaration.initializer.arguments[0]; const moduleSym = resolveExternalModuleName(moduleName, moduleName); if (moduleSym) { const resolvedModuleSymbol = resolveExternalModuleSymbol(moduleSym); if (resolvedModuleSymbol) { namespace = resolvedModuleSymbol; } } } symbol = getMergedSymbol(getSymbol2(getExportsOfSymbol(namespace), right.escapedText, meaning)); if (!symbol && namespace.flags & 2097152) { symbol = getMergedSymbol(getSymbol2(getExportsOfSymbol(resolveAlias(namespace)), right.escapedText, meaning)); } if (!symbol) { if (!ignoreErrors) { const namespaceName = getFullyQualifiedName(namespace); const declarationName = declarationNameToString(right); const suggestionForNonexistentModule = getSuggestedSymbolForNonexistentModule(right, namespace); if (suggestionForNonexistentModule) { error2(right, Diagnostics._0_has_no_exported_member_named_1_Did_you_mean_2, namespaceName, declarationName, symbolToString2(suggestionForNonexistentModule)); return void 0; } const containingQualifiedName = isQualifiedName(name) && getContainingQualifiedNameNode(name); const canSuggestTypeof = globalObjectType && meaning & 788968 && containingQualifiedName && !isTypeOfExpression(containingQualifiedName.parent) && tryGetQualifiedNameAsValue(containingQualifiedName); if (canSuggestTypeof) { error2( containingQualifiedName, Diagnostics._0_refers_to_a_value_but_is_being_used_as_a_type_here_Did_you_mean_typeof_0, entityNameToString(containingQualifiedName) ); return void 0; } if (meaning & 1920 && isQualifiedName(name.parent)) { const exportedTypeSymbol = getMergedSymbol(getSymbol2( getExportsOfSymbol(namespace), right.escapedText, 788968 /* Type */ )); if (exportedTypeSymbol) { error2( name.parent.right, Diagnostics.Cannot_access_0_1_because_0_is_a_type_but_not_a_namespace_Did_you_mean_to_retrieve_the_type_of_the_property_1_in_0_with_0_1, symbolToString2(exportedTypeSymbol), unescapeLeadingUnderscores(name.parent.right.escapedText) ); return void 0; } } error2(right, Diagnostics.Namespace_0_has_no_exported_member_1, namespaceName, declarationName); } return void 0; } } else { Debug.assertNever(name, "Unknown entity name kind."); } if (!nodeIsSynthesized(name) && isEntityName(name) && (symbol.flags & 2097152 || name.parent.kind === 277)) { markSymbolOfAliasDeclarationIfTypeOnly( getAliasDeclarationFromName(name), symbol, /*finalTarget*/ void 0, /*overwriteEmpty*/ true ); } return symbol.flags & meaning || dontResolveAlias ? symbol : resolveAlias(symbol); } function resolveEntityNameFromAssignmentDeclaration(name, meaning) { if (isJSDocTypeReference(name.parent)) { const secondaryLocation = getAssignmentDeclarationLocation(name.parent); if (secondaryLocation) { return resolveName( secondaryLocation, name, meaning, /*nameNotFoundMessage*/ void 0, /*isUse*/ true ); } } } function getAssignmentDeclarationLocation(node) { const typeAlias = findAncestor(node, (node2) => !(isJSDocNode(node2) || node2.flags & 16777216) ? "quit" : isJSDocTypeAlias(node2)); if (typeAlias) { return; } const host2 = getJSDocHost(node); if (host2 && isExpressionStatement2(host2) && isPrototypePropertyAssignment(host2.expression)) { const symbol = getSymbolOfDeclaration(host2.expression.left); if (symbol) { return getDeclarationOfJSPrototypeContainer(symbol); } } if (host2 && isFunctionExpression(host2) && isPrototypePropertyAssignment(host2.parent) && isExpressionStatement2(host2.parent.parent)) { const symbol = getSymbolOfDeclaration(host2.parent.left); if (symbol) { return getDeclarationOfJSPrototypeContainer(symbol); } } if (host2 && (isObjectLiteralMethod(host2) || isPropertyAssignment(host2)) && isBinaryExpression(host2.parent.parent) && getAssignmentDeclarationKind(host2.parent.parent) === 6) { const symbol = getSymbolOfDeclaration(host2.parent.parent.left); if (symbol) { return getDeclarationOfJSPrototypeContainer(symbol); } } const sig = getEffectiveJSDocHost(node); if (sig && isFunctionLike(sig)) { const symbol = getSymbolOfDeclaration(sig); return symbol && symbol.valueDeclaration; } } function getDeclarationOfJSPrototypeContainer(symbol) { const decl = symbol.parent.valueDeclaration; if (!decl) { return void 0; } const initializer = isAssignmentDeclaration(decl) ? getAssignedExpandoInitializer(decl) : hasOnlyExpressionInitializer(decl) ? getDeclaredExpandoInitializer(decl) : void 0; return initializer || decl; } function getExpandoSymbol(symbol) { const decl = symbol.valueDeclaration; if (!decl || !isInJSFile(decl) || symbol.flags & 524288 || getExpandoInitializer( decl, /*isPrototypeAssignment*/ false )) { return void 0; } const init = isVariableDeclaration(decl) ? getDeclaredExpandoInitializer(decl) : getAssignedExpandoInitializer(decl); if (init) { const initSymbol = getSymbolOfNode(init); if (initSymbol) { return mergeJSSymbols(initSymbol, symbol); } } } function resolveExternalModuleName(location, moduleReferenceExpression, ignoreErrors) { const isClassic = getEmitModuleResolutionKind(compilerOptions) === 1; const errorMessage = isClassic ? Diagnostics.Cannot_find_module_0_Did_you_mean_to_set_the_moduleResolution_option_to_nodenext_or_to_add_aliases_to_the_paths_option : Diagnostics.Cannot_find_module_0_or_its_corresponding_type_declarations; return resolveExternalModuleNameWorker(location, moduleReferenceExpression, ignoreErrors ? void 0 : errorMessage); } function resolveExternalModuleNameWorker(location, moduleReferenceExpression, moduleNotFoundError, isForAugmentation = false) { return isStringLiteralLike(moduleReferenceExpression) ? resolveExternalModule(location, moduleReferenceExpression.text, moduleNotFoundError, moduleReferenceExpression, isForAugmentation) : void 0; } function resolveExternalModule(location, moduleReference, moduleNotFoundError, errorNode, isForAugmentation = false) { var _a, _b, _c, _d, _e, _f, _g, _h, _i, _j, _k; if (startsWith2(moduleReference, "@types/")) { const diag2 = Diagnostics.Cannot_import_type_declaration_files_Consider_importing_0_instead_of_1; const withoutAtTypePrefix = removePrefix(moduleReference, "@types/"); error2(errorNode, diag2, withoutAtTypePrefix, moduleReference); } const ambientModule = tryFindAmbientModule( moduleReference, /*withAugmentations*/ true ); if (ambientModule) { return ambientModule; } const currentSourceFile = getSourceFileOfNode(location); const contextSpecifier = isStringLiteralLike(location) ? location : ((_a = isModuleDeclaration(location) ? location : location.parent && isModuleDeclaration(location.parent) && location.parent.name === location ? location.parent : void 0) == null ? void 0 : _a.name) || ((_b = isLiteralImportTypeNode(location) ? location : void 0) == null ? void 0 : _b.argument.literal) || (isInJSFile(location) && isJSDocImportTag(location) ? location.moduleSpecifier : void 0) || (isVariableDeclaration(location) && location.initializer && isRequireCall( location.initializer, /*requireStringLiteralLikeArgument*/ true ) ? location.initializer.arguments[0] : void 0) || ((_c = findAncestor(location, isImportCall)) == null ? void 0 : _c.arguments[0]) || ((_d = findAncestor(location, isImportDeclaration)) == null ? void 0 : _d.moduleSpecifier) || ((_e = findAncestor(location, isExternalModuleImportEqualsDeclaration)) == null ? void 0 : _e.moduleReference.expression) || ((_f = findAncestor(location, isExportDeclaration)) == null ? void 0 : _f.moduleSpecifier); const mode = contextSpecifier && isStringLiteralLike(contextSpecifier) ? host.getModeForUsageLocation(currentSourceFile, contextSpecifier) : currentSourceFile.impliedNodeFormat; const moduleResolutionKind = getEmitModuleResolutionKind(compilerOptions); const resolvedModule = (_g = host.getResolvedModule(currentSourceFile, moduleReference, mode)) == null ? void 0 : _g.resolvedModule; const resolutionDiagnostic = resolvedModule && getResolutionDiagnostic(compilerOptions, resolvedModule, currentSourceFile); const sourceFile = resolvedModule && (!resolutionDiagnostic || resolutionDiagnostic === Diagnostics.Module_0_was_resolved_to_1_but_jsx_is_not_set) && host.getSourceFile(resolvedModule.resolvedFileName); if (sourceFile) { if (resolutionDiagnostic) { error2(errorNode, resolutionDiagnostic, moduleReference, resolvedModule.resolvedFileName); } if (resolvedModule.resolvedUsingTsExtension && isDeclarationFileName(moduleReference)) { const importOrExport = ((_h = findAncestor(location, isImportDeclaration)) == null ? void 0 : _h.importClause) || findAncestor(location, or(isImportEqualsDeclaration, isExportDeclaration)); if (importOrExport && !importOrExport.isTypeOnly || findAncestor(location, isImportCall)) { error2( errorNode, Diagnostics.A_declaration_file_cannot_be_imported_without_import_type_Did_you_mean_to_import_an_implementation_file_0_instead, getSuggestedImportSource(Debug.checkDefined(tryExtractTSExtension(moduleReference))) ); } } else if (resolvedModule.resolvedUsingTsExtension && !shouldAllowImportingTsExtension(compilerOptions, currentSourceFile.fileName)) { const importOrExport = ((_i = findAncestor(location, isImportDeclaration)) == null ? void 0 : _i.importClause) || findAncestor(location, or(isImportEqualsDeclaration, isExportDeclaration)); if (!((importOrExport == null ? void 0 : importOrExport.isTypeOnly) || findAncestor(location, isImportTypeNode))) { const tsExtension = Debug.checkDefined(tryExtractTSExtension(moduleReference)); error2(errorNode, Diagnostics.An_import_path_can_only_end_with_a_0_extension_when_allowImportingTsExtensions_is_enabled, tsExtension); } } if (sourceFile.symbol) { if (resolvedModule.isExternalLibraryImport && !resolutionExtensionIsTSOrJson(resolvedModule.extension)) { errorOnImplicitAnyModule( /*isError*/ false, errorNode, currentSourceFile, mode, resolvedModule, moduleReference ); } if (moduleResolutionKind === 3 || moduleResolutionKind === 99) { const isSyncImport = currentSourceFile.impliedNodeFormat === 1 && !findAncestor(location, isImportCall) || !!findAncestor(location, isImportEqualsDeclaration); const overrideHost = findAncestor(location, (l) => isImportTypeNode(l) || isExportDeclaration(l) || isImportDeclaration(l) || isJSDocImportTag(l)); if (isSyncImport && sourceFile.impliedNodeFormat === 99 && !hasResolutionModeOverride(overrideHost)) { if (findAncestor(location, isImportEqualsDeclaration)) { error2(errorNode, Diagnostics.Module_0_cannot_be_imported_using_this_construct_The_specifier_only_resolves_to_an_ES_module_which_cannot_be_imported_with_require_Use_an_ECMAScript_import_instead, moduleReference); } else { let diagnosticDetails; const ext = tryGetExtensionFromPath2(currentSourceFile.fileName); if (ext === ".ts" || ext === ".js" || ext === ".tsx" || ext === ".jsx") { const scope = currentSourceFile.packageJsonScope; const targetExt = ext === ".ts" ? ".mts" : ext === ".js" ? ".mjs" : void 0; if (scope && !scope.contents.packageJsonContent.type) { if (targetExt) { diagnosticDetails = chainDiagnosticMessages( /*details*/ void 0, Diagnostics.To_convert_this_file_to_an_ECMAScript_module_change_its_file_extension_to_0_or_add_the_field_type_Colon_module_to_1, targetExt, combinePaths(scope.packageDirectory, "package.json") ); } else { diagnosticDetails = chainDiagnosticMessages( /*details*/ void 0, Diagnostics.To_convert_this_file_to_an_ECMAScript_module_add_the_field_type_Colon_module_to_0, combinePaths(scope.packageDirectory, "package.json") ); } } else { if (targetExt) { diagnosticDetails = chainDiagnosticMessages( /*details*/ void 0, Diagnostics.To_convert_this_file_to_an_ECMAScript_module_change_its_file_extension_to_0_or_create_a_local_package_json_file_with_type_Colon_module, targetExt ); } else { diagnosticDetails = chainDiagnosticMessages( /*details*/ void 0, Diagnostics.To_convert_this_file_to_an_ECMAScript_module_create_a_local_package_json_file_with_type_Colon_module ); } } } diagnostics.add(createDiagnosticForNodeFromMessageChain( getSourceFileOfNode(errorNode), errorNode, chainDiagnosticMessages( diagnosticDetails, Diagnostics.The_current_file_is_a_CommonJS_module_whose_imports_will_produce_require_calls_however_the_referenced_file_is_an_ECMAScript_module_and_cannot_be_imported_with_require_Consider_writing_a_dynamic_import_0_call_instead, moduleReference ) )); } } } return getMergedSymbol(sourceFile.symbol); } if (moduleNotFoundError) { error2(errorNode, Diagnostics.File_0_is_not_a_module, sourceFile.fileName); } return void 0; } if (patternAmbientModules) { const pattern = findBestPatternMatch(patternAmbientModules, (_) => _.pattern, moduleReference); if (pattern) { const augmentation = patternAmbientModuleAugmentations && patternAmbientModuleAugmentations.get(moduleReference); if (augmentation) { return getMergedSymbol(augmentation); } return getMergedSymbol(pattern.symbol); } } if (resolvedModule && !resolutionExtensionIsTSOrJson(resolvedModule.extension) && resolutionDiagnostic === void 0 || resolutionDiagnostic === Diagnostics.Could_not_find_a_declaration_file_for_module_0_1_implicitly_has_an_any_type) { if (isForAugmentation) { const diag2 = Diagnostics.Invalid_module_name_in_augmentation_Module_0_resolves_to_an_untyped_module_at_1_which_cannot_be_augmented; error2(errorNode, diag2, moduleReference, resolvedModule.resolvedFileName); } else { errorOnImplicitAnyModule( /*isError*/ noImplicitAny && !!moduleNotFoundError, errorNode, currentSourceFile, mode, resolvedModule, moduleReference ); } return void 0; } if (moduleNotFoundError) { if (resolvedModule) { const redirect = host.getProjectReferenceRedirect(resolvedModule.resolvedFileName); if (redirect) { error2(errorNode, Diagnostics.Output_file_0_has_not_been_built_from_source_file_1, redirect, resolvedModule.resolvedFileName); return void 0; } } if (resolutionDiagnostic) { error2(errorNode, resolutionDiagnostic, moduleReference, resolvedModule.resolvedFileName); } else { const isExtensionlessRelativePathImport = pathIsRelative(moduleReference) && !hasExtension(moduleReference); const resolutionIsNode16OrNext = moduleResolutionKind === 3 || moduleResolutionKind === 99; if (!getResolveJsonModule(compilerOptions) && fileExtensionIs( moduleReference, ".json" /* Json */ ) && moduleResolutionKind !== 1 && hasJsonModuleEmitEnabled(compilerOptions)) { error2(errorNode, Diagnostics.Cannot_find_module_0_Consider_using_resolveJsonModule_to_import_module_with_json_extension, moduleReference); } else if (mode === 99 && resolutionIsNode16OrNext && isExtensionlessRelativePathImport) { const absoluteRef = getNormalizedAbsolutePath(moduleReference, getDirectoryPath(currentSourceFile.path)); const suggestedExt = (_j = suggestedExtensions.find(([actualExt, _importExt]) => host.fileExists(absoluteRef + actualExt))) == null ? void 0 : _j[1]; if (suggestedExt) { error2(errorNode, Diagnostics.Relative_import_paths_need_explicit_file_extensions_in_ECMAScript_imports_when_moduleResolution_is_node16_or_nodenext_Did_you_mean_0, moduleReference + suggestedExt); } else { error2(errorNode, Diagnostics.Relative_import_paths_need_explicit_file_extensions_in_ECMAScript_imports_when_moduleResolution_is_node16_or_nodenext_Consider_adding_an_extension_to_the_import_path); } } else { if ((_k = host.getResolvedModule(currentSourceFile, moduleReference, mode)) == null ? void 0 : _k.alternateResult) { const errorInfo = createModuleNotFoundChain(currentSourceFile, host, moduleReference, mode, moduleReference); errorOrSuggestion( /*isError*/ true, errorNode, chainDiagnosticMessages(errorInfo, moduleNotFoundError, moduleReference) ); } else { error2(errorNode, moduleNotFoundError, moduleReference); } } } } return void 0; function getSuggestedImportSource(tsExtension) { const importSourceWithoutExtension = removeExtension(moduleReference, tsExtension); if (emitModuleKindIsNonNodeESM(moduleKind) || mode === 99) { const preferTs = isDeclarationFileName(moduleReference) && shouldAllowImportingTsExtension(compilerOptions); const ext = tsExtension === ".mts" || tsExtension === ".d.mts" ? preferTs ? ".mts" : ".mjs" : tsExtension === ".cts" || tsExtension === ".d.mts" ? preferTs ? ".cts" : ".cjs" : preferTs ? ".ts" : ".js"; return importSourceWithoutExtension + ext; } return importSourceWithoutExtension; } } function errorOnImplicitAnyModule(isError, errorNode, sourceFile, mode, { packageId, resolvedFileName }, moduleReference) { let errorInfo; if (!isExternalModuleNameRelative(moduleReference) && packageId) { errorInfo = createModuleNotFoundChain(sourceFile, host, moduleReference, mode, packageId.name); } errorOrSuggestion( isError, errorNode, chainDiagnosticMessages( errorInfo, Diagnostics.Could_not_find_a_declaration_file_for_module_0_1_implicitly_has_an_any_type, moduleReference, resolvedFileName ) ); } function resolveExternalModuleSymbol(moduleSymbol, dontResolveAlias) { if (moduleSymbol == null ? void 0 : moduleSymbol.exports) { const exportEquals = resolveSymbol(moduleSymbol.exports.get( "export=" /* ExportEquals */ ), dontResolveAlias); const exported = getCommonJsExportEquals(getMergedSymbol(exportEquals), getMergedSymbol(moduleSymbol)); return getMergedSymbol(exported) || moduleSymbol; } return void 0; } function getCommonJsExportEquals(exported, moduleSymbol) { if (!exported || exported === unknownSymbol || exported === moduleSymbol || moduleSymbol.exports.size === 1 || exported.flags & 2097152) { return exported; } const links = getSymbolLinks(exported); if (links.cjsExportMerged) { return links.cjsExportMerged; } const merged = exported.flags & 33554432 ? exported : cloneSymbol(exported); merged.flags = merged.flags | 512; if (merged.exports === void 0) { merged.exports = createSymbolTable(); } moduleSymbol.exports.forEach((s, name) => { if (name === "export=") return; merged.exports.set(name, merged.exports.has(name) ? mergeSymbol(merged.exports.get(name), s) : s); }); if (merged === exported) { getSymbolLinks(merged).resolvedExports = void 0; getSymbolLinks(merged).resolvedMembers = void 0; } getSymbolLinks(merged).cjsExportMerged = merged; return links.cjsExportMerged = merged; } function resolveESModuleSymbol(moduleSymbol, referencingLocation, dontResolveAlias, suppressInteropError) { var _a; const symbol = resolveExternalModuleSymbol(moduleSymbol, dontResolveAlias); if (!dontResolveAlias && symbol) { if (!suppressInteropError && !(symbol.flags & (1536 | 3)) && !getDeclarationOfKind( symbol, 307 /* SourceFile */ )) { const compilerOptionName = moduleKind >= 5 ? "allowSyntheticDefaultImports" : "esModuleInterop"; error2(referencingLocation, Diagnostics.This_module_can_only_be_referenced_with_ECMAScript_imports_Slashexports_by_turning_on_the_0_flag_and_referencing_its_default_export, compilerOptionName); return symbol; } const referenceParent = referencingLocation.parent; if (isImportDeclaration(referenceParent) && getNamespaceDeclarationNode(referenceParent) || isImportCall(referenceParent)) { const reference = isImportCall(referenceParent) ? referenceParent.arguments[0] : referenceParent.moduleSpecifier; const type = getTypeOfSymbol(symbol); const defaultOnlyType = getTypeWithSyntheticDefaultOnly(type, symbol, moduleSymbol, reference); if (defaultOnlyType) { return cloneTypeAsModuleType(symbol, defaultOnlyType, referenceParent); } const targetFile = (_a = moduleSymbol == null ? void 0 : moduleSymbol.declarations) == null ? void 0 : _a.find(isSourceFile); const isEsmCjsRef = targetFile && isESMFormatImportImportingCommonjsFormatFile(getUsageModeForExpression(reference), targetFile.impliedNodeFormat); if (getESModuleInterop(compilerOptions) || isEsmCjsRef) { let sigs = getSignaturesOfStructuredType( type, 0 /* Call */ ); if (!sigs || !sigs.length) { sigs = getSignaturesOfStructuredType( type, 1 /* Construct */ ); } if (sigs && sigs.length || getPropertyOfType( type, "default", /*skipObjectFunctionPropertyAugment*/ true ) || isEsmCjsRef) { const moduleType = type.flags & 3670016 ? getTypeWithSyntheticDefaultImportType(type, symbol, moduleSymbol, reference) : createDefaultPropertyWrapperForModule(symbol, symbol.parent); return cloneTypeAsModuleType(symbol, moduleType, referenceParent); } } } } return symbol; } function cloneTypeAsModuleType(symbol, moduleType, referenceParent) { const result = createSymbol(symbol.flags, symbol.escapedName); result.declarations = symbol.declarations ? symbol.declarations.slice() : []; result.parent = symbol.parent; result.links.target = symbol; result.links.originatingImport = referenceParent; if (symbol.valueDeclaration) result.valueDeclaration = symbol.valueDeclaration; if (symbol.constEnumOnlyModule) result.constEnumOnlyModule = true; if (symbol.members) result.members = new Map(symbol.members); if (symbol.exports) result.exports = new Map(symbol.exports); const resolvedModuleType = resolveStructuredTypeMembers(moduleType); result.links.type = createAnonymousType(result, resolvedModuleType.members, emptyArray, emptyArray, resolvedModuleType.indexInfos); return result; } function hasExportAssignmentSymbol(moduleSymbol) { return moduleSymbol.exports.get( "export=" /* ExportEquals */ ) !== void 0; } function getExportsOfModuleAsArray(moduleSymbol) { return symbolsToArray(getExportsOfModule(moduleSymbol)); } function getExportsAndPropertiesOfModule(moduleSymbol) { const exports22 = getExportsOfModuleAsArray(moduleSymbol); const exportEquals = resolveExternalModuleSymbol(moduleSymbol); if (exportEquals !== moduleSymbol) { const type = getTypeOfSymbol(exportEquals); if (shouldTreatPropertiesOfExternalModuleAsExports(type)) { addRange(exports22, getPropertiesOfType(type)); } } return exports22; } function forEachExportAndPropertyOfModule(moduleSymbol, cb) { const exports22 = getExportsOfModule(moduleSymbol); exports22.forEach((symbol, key) => { if (!isReservedMemberName(key)) { cb(symbol, key); } }); const exportEquals = resolveExternalModuleSymbol(moduleSymbol); if (exportEquals !== moduleSymbol) { const type = getTypeOfSymbol(exportEquals); if (shouldTreatPropertiesOfExternalModuleAsExports(type)) { forEachPropertyOfType(type, (symbol, escapedName) => { cb(symbol, escapedName); }); } } } function tryGetMemberInModuleExports(memberName, moduleSymbol) { const symbolTable = getExportsOfModule(moduleSymbol); if (symbolTable) { return symbolTable.get(memberName); } } function tryGetMemberInModuleExportsAndProperties(memberName, moduleSymbol) { const symbol = tryGetMemberInModuleExports(memberName, moduleSymbol); if (symbol) { return symbol; } const exportEquals = resolveExternalModuleSymbol(moduleSymbol); if (exportEquals === moduleSymbol) { return void 0; } const type = getTypeOfSymbol(exportEquals); return shouldTreatPropertiesOfExternalModuleAsExports(type) ? getPropertyOfType(type, memberName) : void 0; } function shouldTreatPropertiesOfExternalModuleAsExports(resolvedExternalModuleType) { return !(resolvedExternalModuleType.flags & 402784252 || getObjectFlags(resolvedExternalModuleType) & 1 || // `isArrayOrTupleLikeType` is too expensive to use in this auto-imports hot path isArrayType(resolvedExternalModuleType) || isTupleType(resolvedExternalModuleType)); } function getExportsOfSymbol(symbol) { return symbol.flags & 6256 ? getResolvedMembersOrExportsOfSymbol( symbol, "resolvedExports" /* resolvedExports */ ) : symbol.flags & 1536 ? getExportsOfModule(symbol) : symbol.exports || emptySymbols; } function getExportsOfModule(moduleSymbol) { const links = getSymbolLinks(moduleSymbol); if (!links.resolvedExports) { const { exports: exports22, typeOnlyExportStarMap } = getExportsOfModuleWorker(moduleSymbol); links.resolvedExports = exports22; links.typeOnlyExportStarMap = typeOnlyExportStarMap; } return links.resolvedExports; } function extendExportSymbols(target, source, lookupTable, exportNode) { if (!source) return; source.forEach((sourceSymbol, id) => { if (id === "default") return; const targetSymbol = target.get(id); if (!targetSymbol) { target.set(id, sourceSymbol); if (lookupTable && exportNode) { lookupTable.set(id, { specifierText: getTextOfNode(exportNode.moduleSpecifier) }); } } else if (lookupTable && exportNode && targetSymbol && resolveSymbol(targetSymbol) !== resolveSymbol(sourceSymbol)) { const collisionTracker = lookupTable.get(id); if (!collisionTracker.exportsWithDuplicate) { collisionTracker.exportsWithDuplicate = [exportNode]; } else { collisionTracker.exportsWithDuplicate.push(exportNode); } } }); } function getExportsOfModuleWorker(moduleSymbol) { const visitedSymbols = []; let typeOnlyExportStarMap; const nonTypeOnlyNames = /* @__PURE__ */ new Set(); moduleSymbol = resolveExternalModuleSymbol(moduleSymbol); const exports22 = visit(moduleSymbol) || emptySymbols; if (typeOnlyExportStarMap) { nonTypeOnlyNames.forEach((name) => typeOnlyExportStarMap.delete(name)); } return { exports: exports22, typeOnlyExportStarMap }; function visit(symbol, exportStar, isTypeOnly) { if (!isTypeOnly && (symbol == null ? void 0 : symbol.exports)) { symbol.exports.forEach((_, name) => nonTypeOnlyNames.add(name)); } if (!(symbol && symbol.exports && pushIfUnique(visitedSymbols, symbol))) { return; } const symbols = new Map(symbol.exports); const exportStars = symbol.exports.get( "__export" /* ExportStar */ ); if (exportStars) { const nestedSymbols = createSymbolTable(); const lookupTable = /* @__PURE__ */ new Map(); if (exportStars.declarations) { for (const node of exportStars.declarations) { const resolvedModule = resolveExternalModuleName(node, node.moduleSpecifier); const exportedSymbols = visit(resolvedModule, node, isTypeOnly || node.isTypeOnly); extendExportSymbols( nestedSymbols, exportedSymbols, lookupTable, node ); } } lookupTable.forEach(({ exportsWithDuplicate }, id) => { if (id === "export=" || !(exportsWithDuplicate && exportsWithDuplicate.length) || symbols.has(id)) { return; } for (const node of exportsWithDuplicate) { diagnostics.add(createDiagnosticForNode( node, Diagnostics.Module_0_has_already_exported_a_member_named_1_Consider_explicitly_re_exporting_to_resolve_the_ambiguity, lookupTable.get(id).specifierText, unescapeLeadingUnderscores(id) )); } }); extendExportSymbols(symbols, nestedSymbols); } if (exportStar == null ? void 0 : exportStar.isTypeOnly) { typeOnlyExportStarMap ?? (typeOnlyExportStarMap = /* @__PURE__ */ new Map()); symbols.forEach( (_, escapedName) => typeOnlyExportStarMap.set( escapedName, exportStar ) ); } return symbols; } } function getMergedSymbol(symbol) { let merged; return symbol && symbol.mergeId && (merged = mergedSymbols[symbol.mergeId]) ? merged : symbol; } function getSymbolOfDeclaration(node) { return getMergedSymbol(node.symbol && getLateBoundSymbol(node.symbol)); } function getSymbolOfNode(node) { return canHaveSymbol(node) ? getSymbolOfDeclaration(node) : void 0; } function getParentOfSymbol(symbol) { return getMergedSymbol(symbol.parent && getLateBoundSymbol(symbol.parent)); } function getFunctionExpressionParentSymbolOrSymbol(symbol) { var _a, _b; return ((_a = symbol.valueDeclaration) == null ? void 0 : _a.kind) === 219 || ((_b = symbol.valueDeclaration) == null ? void 0 : _b.kind) === 218 ? getSymbolOfNode(symbol.valueDeclaration.parent) || symbol : symbol; } function getAlternativeContainingModules(symbol, enclosingDeclaration) { const containingFile = getSourceFileOfNode(enclosingDeclaration); const id = getNodeId(containingFile); const links = getSymbolLinks(symbol); let results; if (links.extendedContainersByFile && (results = links.extendedContainersByFile.get(id))) { return results; } if (containingFile && containingFile.imports) { for (const importRef of containingFile.imports) { if (nodeIsSynthesized(importRef)) continue; const resolvedModule = resolveExternalModuleName( enclosingDeclaration, importRef, /*ignoreErrors*/ true ); if (!resolvedModule) continue; const ref = getAliasForSymbolInContainer(resolvedModule, symbol); if (!ref) continue; results = append(results, resolvedModule); } if (length(results)) { (links.extendedContainersByFile || (links.extendedContainersByFile = /* @__PURE__ */ new Map())).set(id, results); return results; } } if (links.extendedContainers) { return links.extendedContainers; } const otherFiles = host.getSourceFiles(); for (const file of otherFiles) { if (!isExternalModule(file)) continue; const sym = getSymbolOfDeclaration(file); const ref = getAliasForSymbolInContainer(sym, symbol); if (!ref) continue; results = append(results, sym); } return links.extendedContainers = results || emptyArray; } function getContainersOfSymbol(symbol, enclosingDeclaration, meaning) { const container = getParentOfSymbol(symbol); if (container && !(symbol.flags & 262144)) { return getWithAlternativeContainers(container); } const candidates = mapDefined(symbol.declarations, (d) => { if (!isAmbientModule(d) && d.parent) { if (hasNonGlobalAugmentationExternalModuleSymbol(d.parent)) { return getSymbolOfDeclaration(d.parent); } if (isModuleBlock(d.parent) && d.parent.parent && resolveExternalModuleSymbol(getSymbolOfDeclaration(d.parent.parent)) === symbol) { return getSymbolOfDeclaration(d.parent.parent); } } if (isClassExpression(d) && isBinaryExpression(d.parent) && d.parent.operatorToken.kind === 64 && isAccessExpression(d.parent.left) && isEntityNameExpression(d.parent.left.expression)) { if (isModuleExportsAccessExpression(d.parent.left) || isExportsIdentifier(d.parent.left.expression)) { return getSymbolOfDeclaration(getSourceFileOfNode(d)); } checkExpressionCached(d.parent.left.expression); return getNodeLinks(d.parent.left.expression).resolvedSymbol; } }); if (!length(candidates)) { return void 0; } const containers = mapDefined(candidates, (candidate) => getAliasForSymbolInContainer(candidate, symbol) ? candidate : void 0); let bestContainers = []; let alternativeContainers = []; for (const container2 of containers) { const [bestMatch, ...rest] = getWithAlternativeContainers(container2); bestContainers = append(bestContainers, bestMatch); alternativeContainers = addRange(alternativeContainers, rest); } return concatenate(bestContainers, alternativeContainers); function getWithAlternativeContainers(container2) { const additionalContainers = mapDefined(container2.declarations, fileSymbolIfFileSymbolExportEqualsContainer); const reexportContainers = enclosingDeclaration && getAlternativeContainingModules(symbol, enclosingDeclaration); const objectLiteralContainer = getVariableDeclarationOfObjectLiteral(container2, meaning); if (enclosingDeclaration && container2.flags & getQualifiedLeftMeaning(meaning) && getAccessibleSymbolChain( container2, enclosingDeclaration, 1920, /*useOnlyExternalAliasing*/ false )) { return append(concatenate(concatenate([container2], additionalContainers), reexportContainers), objectLiteralContainer); } const firstVariableMatch = !(container2.flags & getQualifiedLeftMeaning(meaning)) && container2.flags & 788968 && getDeclaredTypeOfSymbol(container2).flags & 524288 && meaning === 111551 ? forEachSymbolTableInScope(enclosingDeclaration, (t) => { return forEachEntry(t, (s) => { if (s.flags & getQualifiedLeftMeaning(meaning) && getTypeOfSymbol(s) === getDeclaredTypeOfSymbol(container2)) { return s; } }); }) : void 0; let res = firstVariableMatch ? [firstVariableMatch, ...additionalContainers, container2] : [...additionalContainers, container2]; res = append(res, objectLiteralContainer); res = addRange(res, reexportContainers); return res; } function fileSymbolIfFileSymbolExportEqualsContainer(d) { return container && getFileSymbolIfFileSymbolExportEqualsContainer(d, container); } } function getVariableDeclarationOfObjectLiteral(symbol, meaning) { const firstDecl = !!length(symbol.declarations) && first(symbol.declarations); if (meaning & 111551 && firstDecl && firstDecl.parent && isVariableDeclaration(firstDecl.parent)) { if (isObjectLiteralExpression(firstDecl) && firstDecl === firstDecl.parent.initializer || isTypeLiteralNode(firstDecl) && firstDecl === firstDecl.parent.type) { return getSymbolOfDeclaration(firstDecl.parent); } } } function getFileSymbolIfFileSymbolExportEqualsContainer(d, container) { const fileSymbol = getExternalModuleContainer(d); const exported = fileSymbol && fileSymbol.exports && fileSymbol.exports.get( "export=" /* ExportEquals */ ); return exported && getSymbolIfSameReference(exported, container) ? fileSymbol : void 0; } function getAliasForSymbolInContainer(container, symbol) { if (container === getParentOfSymbol(symbol)) { return symbol; } const exportEquals = container.exports && container.exports.get( "export=" /* ExportEquals */ ); if (exportEquals && getSymbolIfSameReference(exportEquals, symbol)) { return container; } const exports22 = getExportsOfSymbol(container); const quick = exports22.get(symbol.escapedName); if (quick && getSymbolIfSameReference(quick, symbol)) { return quick; } return forEachEntry(exports22, (exported) => { if (getSymbolIfSameReference(exported, symbol)) { return exported; } }); } function getSymbolIfSameReference(s1, s2) { if (getMergedSymbol(resolveSymbol(getMergedSymbol(s1))) === getMergedSymbol(resolveSymbol(getMergedSymbol(s2)))) { return s1; } } function getExportSymbolOfValueSymbolIfExported(symbol) { return getMergedSymbol(symbol && (symbol.flags & 1048576) !== 0 && symbol.exportSymbol || symbol); } function symbolIsValue(symbol, includeTypeOnlyMembers) { return !!(symbol.flags & 111551 || symbol.flags & 2097152 && getSymbolFlags(symbol, !includeTypeOnlyMembers) & 111551); } function createType(flags) { var _a; const result = new Type29(checker, flags); typeCount++; result.id = typeCount; (_a = tracing) == null ? void 0 : _a.recordType(result); return result; } function createTypeWithSymbol(flags, symbol) { const result = createType(flags); result.symbol = symbol; return result; } function createOriginType(flags) { return new Type29(checker, flags); } function createIntrinsicType(kind, intrinsicName, objectFlags = 0, debugIntrinsicName) { checkIntrinsicName(intrinsicName, debugIntrinsicName); const type = createType(kind); type.intrinsicName = intrinsicName; type.debugIntrinsicName = debugIntrinsicName; type.objectFlags = objectFlags | 524288 | 2097152 | 33554432 | 16777216; return type; } function checkIntrinsicName(name, debug5) { const key = `${name},${debug5 ?? ""}`; if (seenIntrinsicNames.has(key)) { Debug.fail(`Duplicate intrinsic type name ${name}${debug5 ? ` (${debug5})` : ""}; you may need to pass a name to createIntrinsicType.`); } seenIntrinsicNames.add(key); } function createObjectType(objectFlags, symbol) { const type = createTypeWithSymbol(524288, symbol); type.objectFlags = objectFlags; type.members = void 0; type.properties = void 0; type.callSignatures = void 0; type.constructSignatures = void 0; type.indexInfos = void 0; return type; } function createTypeofType() { return getUnionType(arrayFrom(typeofNEFacts.keys(), getStringLiteralType)); } function createTypeParameter(symbol) { return createTypeWithSymbol(262144, symbol); } function isReservedMemberName(name) { return name.charCodeAt(0) === 95 && name.charCodeAt(1) === 95 && name.charCodeAt(2) !== 95 && name.charCodeAt(2) !== 64 && name.charCodeAt(2) !== 35; } function getNamedMembers(members) { let result; members.forEach((symbol, id) => { if (isNamedMember(symbol, id)) { (result || (result = [])).push(symbol); } }); return result || emptyArray; } function isNamedMember(member, escapedName) { return !isReservedMemberName(escapedName) && symbolIsValue(member); } function getNamedOrIndexSignatureMembers(members) { const result = getNamedMembers(members); const index = getIndexSymbolFromSymbolTable(members); return index ? concatenate(result, [index]) : result; } function setStructuredTypeMembers(type, members, callSignatures, constructSignatures, indexInfos) { const resolved = type; resolved.members = members; resolved.properties = emptyArray; resolved.callSignatures = callSignatures; resolved.constructSignatures = constructSignatures; resolved.indexInfos = indexInfos; if (members !== emptySymbols) resolved.properties = getNamedMembers(members); return resolved; } function createAnonymousType(symbol, members, callSignatures, constructSignatures, indexInfos) { return setStructuredTypeMembers(createObjectType(16, symbol), members, callSignatures, constructSignatures, indexInfos); } function getResolvedTypeWithoutAbstractConstructSignatures(type) { if (type.constructSignatures.length === 0) return type; if (type.objectTypeWithoutAbstractConstructSignatures) return type.objectTypeWithoutAbstractConstructSignatures; const constructSignatures = filter(type.constructSignatures, (signature) => !(signature.flags & 4)); if (type.constructSignatures === constructSignatures) return type; const typeCopy = createAnonymousType( type.symbol, type.members, type.callSignatures, some(constructSignatures) ? constructSignatures : emptyArray, type.indexInfos ); type.objectTypeWithoutAbstractConstructSignatures = typeCopy; typeCopy.objectTypeWithoutAbstractConstructSignatures = typeCopy; return typeCopy; } function forEachSymbolTableInScope(enclosingDeclaration, callback) { let result; for (let location = enclosingDeclaration; location; location = location.parent) { if (canHaveLocals(location) && location.locals && !isGlobalSourceFile(location)) { if (result = callback( location.locals, /*ignoreQualification*/ void 0, /*isLocalNameLookup*/ true, location )) { return result; } } switch (location.kind) { case 307: if (!isExternalOrCommonJsModule(location)) { break; } case 267: const sym = getSymbolOfDeclaration(location); if (result = callback( (sym == null ? void 0 : sym.exports) || emptySymbols, /*ignoreQualification*/ void 0, /*isLocalNameLookup*/ true, location )) { return result; } break; case 263: case 231: case 264: let table; (getSymbolOfDeclaration(location).members || emptySymbols).forEach((memberSymbol, key) => { if (memberSymbol.flags & (788968 & ~67108864)) { (table || (table = createSymbolTable())).set(key, memberSymbol); } }); if (table && (result = callback( table, /*ignoreQualification*/ void 0, /*isLocalNameLookup*/ false, location ))) { return result; } break; } } return callback( globals2, /*ignoreQualification*/ void 0, /*isLocalNameLookup*/ true ); } function getQualifiedLeftMeaning(rightMeaning) { return rightMeaning === 111551 ? 111551 : 1920; } function getAccessibleSymbolChain(symbol, enclosingDeclaration, meaning, useOnlyExternalAliasing, visitedSymbolTablesMap = /* @__PURE__ */ new Map()) { if (!(symbol && !isPropertyOrMethodDeclarationSymbol(symbol))) { return void 0; } const links = getSymbolLinks(symbol); const cache = links.accessibleChainCache || (links.accessibleChainCache = /* @__PURE__ */ new Map()); const firstRelevantLocation = forEachSymbolTableInScope(enclosingDeclaration, (_, __, ___, node) => node); const key = `${useOnlyExternalAliasing ? 0 : 1}|${firstRelevantLocation && getNodeId(firstRelevantLocation)}|${meaning}`; if (cache.has(key)) { return cache.get(key); } const id = getSymbolId(symbol); let visitedSymbolTables = visitedSymbolTablesMap.get(id); if (!visitedSymbolTables) { visitedSymbolTablesMap.set(id, visitedSymbolTables = []); } const result = forEachSymbolTableInScope(enclosingDeclaration, getAccessibleSymbolChainFromSymbolTable); cache.set(key, result); return result; function getAccessibleSymbolChainFromSymbolTable(symbols, ignoreQualification, isLocalNameLookup) { if (!pushIfUnique(visitedSymbolTables, symbols)) { return void 0; } const result2 = trySymbolTable(symbols, ignoreQualification, isLocalNameLookup); visitedSymbolTables.pop(); return result2; } function canQualifySymbol(symbolFromSymbolTable, meaning2) { return !needsQualification(symbolFromSymbolTable, enclosingDeclaration, meaning2) || // If symbol needs qualification, make sure that parent is accessible, if it is then this symbol is accessible too !!getAccessibleSymbolChain(symbolFromSymbolTable.parent, enclosingDeclaration, getQualifiedLeftMeaning(meaning2), useOnlyExternalAliasing, visitedSymbolTablesMap); } function isAccessible(symbolFromSymbolTable, resolvedAliasSymbol, ignoreQualification) { return (symbol === (resolvedAliasSymbol || symbolFromSymbolTable) || getMergedSymbol(symbol) === getMergedSymbol(resolvedAliasSymbol || symbolFromSymbolTable)) && // if the symbolFromSymbolTable is not external module (it could be if it was determined as ambient external module and would be in globals table) // and if symbolFromSymbolTable or alias resolution matches the symbol, // check the symbol can be qualified, it is only then this symbol is accessible !some(symbolFromSymbolTable.declarations, hasNonGlobalAugmentationExternalModuleSymbol) && (ignoreQualification || canQualifySymbol(getMergedSymbol(symbolFromSymbolTable), meaning)); } function trySymbolTable(symbols, ignoreQualification, isLocalNameLookup) { if (isAccessible( symbols.get(symbol.escapedName), /*resolvedAliasSymbol*/ void 0, ignoreQualification )) { return [symbol]; } const result2 = forEachEntry(symbols, (symbolFromSymbolTable) => { if (symbolFromSymbolTable.flags & 2097152 && symbolFromSymbolTable.escapedName !== "export=" && symbolFromSymbolTable.escapedName !== "default" && !(isUMDExportSymbol(symbolFromSymbolTable) && enclosingDeclaration && isExternalModule(getSourceFileOfNode(enclosingDeclaration))) && (!useOnlyExternalAliasing || some(symbolFromSymbolTable.declarations, isExternalModuleImportEqualsDeclaration)) && (isLocalNameLookup ? !some(symbolFromSymbolTable.declarations, isNamespaceReexportDeclaration) : true) && (ignoreQualification || !getDeclarationOfKind( symbolFromSymbolTable, 281 /* ExportSpecifier */ ))) { const resolvedImportedSymbol = resolveAlias(symbolFromSymbolTable); const candidate = getCandidateListForSymbol(symbolFromSymbolTable, resolvedImportedSymbol, ignoreQualification); if (candidate) { return candidate; } } if (symbolFromSymbolTable.escapedName === symbol.escapedName && symbolFromSymbolTable.exportSymbol) { if (isAccessible( getMergedSymbol(symbolFromSymbolTable.exportSymbol), /*resolvedAliasSymbol*/ void 0, ignoreQualification )) { return [symbol]; } } }); return result2 || (symbols === globals2 ? getCandidateListForSymbol(globalThisSymbol, globalThisSymbol, ignoreQualification) : void 0); } function getCandidateListForSymbol(symbolFromSymbolTable, resolvedImportedSymbol, ignoreQualification) { if (isAccessible(symbolFromSymbolTable, resolvedImportedSymbol, ignoreQualification)) { return [symbolFromSymbolTable]; } const candidateTable = getExportsOfSymbol(resolvedImportedSymbol); const accessibleSymbolsFromExports = candidateTable && getAccessibleSymbolChainFromSymbolTable( candidateTable, /*ignoreQualification*/ true ); if (accessibleSymbolsFromExports && canQualifySymbol(symbolFromSymbolTable, getQualifiedLeftMeaning(meaning))) { return [symbolFromSymbolTable].concat(accessibleSymbolsFromExports); } } } function needsQualification(symbol, enclosingDeclaration, meaning) { let qualify = false; forEachSymbolTableInScope(enclosingDeclaration, (symbolTable) => { let symbolFromSymbolTable = getMergedSymbol(symbolTable.get(symbol.escapedName)); if (!symbolFromSymbolTable) { return false; } if (symbolFromSymbolTable === symbol) { return true; } const shouldResolveAlias = symbolFromSymbolTable.flags & 2097152 && !getDeclarationOfKind( symbolFromSymbolTable, 281 /* ExportSpecifier */ ); symbolFromSymbolTable = shouldResolveAlias ? resolveAlias(symbolFromSymbolTable) : symbolFromSymbolTable; const flags = shouldResolveAlias ? getSymbolFlags(symbolFromSymbolTable) : symbolFromSymbolTable.flags; if (flags & meaning) { qualify = true; return true; } return false; }); return qualify; } function isPropertyOrMethodDeclarationSymbol(symbol) { if (symbol.declarations && symbol.declarations.length) { for (const declaration of symbol.declarations) { switch (declaration.kind) { case 172: case 174: case 177: case 178: continue; default: return false; } } return true; } return false; } function isTypeSymbolAccessible(typeSymbol, enclosingDeclaration) { const access = isSymbolAccessibleWorker( typeSymbol, enclosingDeclaration, 788968, /*shouldComputeAliasesToMakeVisible*/ false, /*allowModules*/ true ); return access.accessibility === 0; } function isValueSymbolAccessible(typeSymbol, enclosingDeclaration) { const access = isSymbolAccessibleWorker( typeSymbol, enclosingDeclaration, 111551, /*shouldComputeAliasesToMakeVisible*/ false, /*allowModules*/ true ); return access.accessibility === 0; } function isSymbolAccessibleByFlags(typeSymbol, enclosingDeclaration, flags) { const access = isSymbolAccessibleWorker( typeSymbol, enclosingDeclaration, flags, /*shouldComputeAliasesToMakeVisible*/ false, /*allowModules*/ false ); return access.accessibility === 0; } function isAnySymbolAccessible(symbols, enclosingDeclaration, initialSymbol, meaning, shouldComputeAliasesToMakeVisible, allowModules) { if (!length(symbols)) return; let hadAccessibleChain; let earlyModuleBail = false; for (const symbol of symbols) { const accessibleSymbolChain = getAccessibleSymbolChain( symbol, enclosingDeclaration, meaning, /*useOnlyExternalAliasing*/ false ); if (accessibleSymbolChain) { hadAccessibleChain = symbol; const hasAccessibleDeclarations = hasVisibleDeclarations(accessibleSymbolChain[0], shouldComputeAliasesToMakeVisible); if (hasAccessibleDeclarations) { return hasAccessibleDeclarations; } } if (allowModules) { if (some(symbol.declarations, hasNonGlobalAugmentationExternalModuleSymbol)) { if (shouldComputeAliasesToMakeVisible) { earlyModuleBail = true; continue; } return { accessibility: 0 /* Accessible */ }; } } const containers = getContainersOfSymbol(symbol, enclosingDeclaration, meaning); const parentResult = isAnySymbolAccessible(containers, enclosingDeclaration, initialSymbol, initialSymbol === symbol ? getQualifiedLeftMeaning(meaning) : meaning, shouldComputeAliasesToMakeVisible, allowModules); if (parentResult) { return parentResult; } } if (earlyModuleBail) { return { accessibility: 0 /* Accessible */ }; } if (hadAccessibleChain) { return { accessibility: 1, errorSymbolName: symbolToString2(initialSymbol, enclosingDeclaration, meaning), errorModuleName: hadAccessibleChain !== initialSymbol ? symbolToString2( hadAccessibleChain, enclosingDeclaration, 1920 /* Namespace */ ) : void 0 }; } } function isSymbolAccessible(symbol, enclosingDeclaration, meaning, shouldComputeAliasesToMakeVisible) { return isSymbolAccessibleWorker( symbol, enclosingDeclaration, meaning, shouldComputeAliasesToMakeVisible, /*allowModules*/ true ); } function isSymbolAccessibleWorker(symbol, enclosingDeclaration, meaning, shouldComputeAliasesToMakeVisible, allowModules) { if (symbol && enclosingDeclaration) { const result = isAnySymbolAccessible([symbol], enclosingDeclaration, symbol, meaning, shouldComputeAliasesToMakeVisible, allowModules); if (result) { return result; } const symbolExternalModule = forEach(symbol.declarations, getExternalModuleContainer); if (symbolExternalModule) { const enclosingExternalModule = getExternalModuleContainer(enclosingDeclaration); if (symbolExternalModule !== enclosingExternalModule) { return { accessibility: 2, errorSymbolName: symbolToString2(symbol, enclosingDeclaration, meaning), errorModuleName: symbolToString2(symbolExternalModule), errorNode: isInJSFile(enclosingDeclaration) ? enclosingDeclaration : void 0 }; } } return { accessibility: 1, errorSymbolName: symbolToString2(symbol, enclosingDeclaration, meaning) }; } return { accessibility: 0 /* Accessible */ }; } function getExternalModuleContainer(declaration) { const node = findAncestor(declaration, hasExternalModuleSymbol); return node && getSymbolOfDeclaration(node); } function hasExternalModuleSymbol(declaration) { return isAmbientModule(declaration) || declaration.kind === 307 && isExternalOrCommonJsModule(declaration); } function hasNonGlobalAugmentationExternalModuleSymbol(declaration) { return isModuleWithStringLiteralName(declaration) || declaration.kind === 307 && isExternalOrCommonJsModule(declaration); } function hasVisibleDeclarations(symbol, shouldComputeAliasToMakeVisible) { let aliasesToMakeVisible; if (!every(filter( symbol.declarations, (d) => d.kind !== 80 /* Identifier */ ), getIsDeclarationVisible)) { return void 0; } return { accessibility: 0, aliasesToMakeVisible }; function getIsDeclarationVisible(declaration) { var _a, _b; if (!isDeclarationVisible(declaration)) { const anyImportSyntax = getAnyImportSyntax(declaration); if (anyImportSyntax && !hasSyntacticModifier( anyImportSyntax, 32 /* Export */ ) && // import clause without export isDeclarationVisible(anyImportSyntax.parent)) { return addVisibleAlias(declaration, anyImportSyntax); } else if (isVariableDeclaration(declaration) && isVariableStatement(declaration.parent.parent) && !hasSyntacticModifier( declaration.parent.parent, 32 /* Export */ ) && // unexported variable statement isDeclarationVisible(declaration.parent.parent.parent)) { return addVisibleAlias(declaration, declaration.parent.parent); } else if (isLateVisibilityPaintedStatement(declaration) && !hasSyntacticModifier( declaration, 32 /* Export */ ) && isDeclarationVisible(declaration.parent)) { return addVisibleAlias(declaration, declaration); } else if (isBindingElement(declaration)) { if (symbol.flags & 2097152 && isInJSFile(declaration) && ((_a = declaration.parent) == null ? void 0 : _a.parent) && isVariableDeclaration(declaration.parent.parent) && ((_b = declaration.parent.parent.parent) == null ? void 0 : _b.parent) && isVariableStatement(declaration.parent.parent.parent.parent) && !hasSyntacticModifier( declaration.parent.parent.parent.parent, 32 /* Export */ ) && declaration.parent.parent.parent.parent.parent && isDeclarationVisible(declaration.parent.parent.parent.parent.parent)) { return addVisibleAlias(declaration, declaration.parent.parent.parent.parent); } else if (symbol.flags & 2) { const variableStatement = findAncestor(declaration, isVariableStatement); if (hasSyntacticModifier( variableStatement, 32 /* Export */ )) { return true; } if (!isDeclarationVisible(variableStatement.parent)) { return false; } return addVisibleAlias(declaration, variableStatement); } } return false; } return true; } function addVisibleAlias(declaration, aliasingStatement) { if (shouldComputeAliasToMakeVisible) { getNodeLinks(declaration).isVisible = true; aliasesToMakeVisible = appendIfUnique(aliasesToMakeVisible, aliasingStatement); } return true; } } function getMeaningOfEntityNameReference(entityName) { let meaning; if (entityName.parent.kind === 186 || entityName.parent.kind === 233 && !isPartOfTypeNode(entityName.parent) || entityName.parent.kind === 167 || entityName.parent.kind === 182 && entityName.parent.parameterName === entityName) { meaning = 111551 | 1048576; } else if (entityName.kind === 166 || entityName.kind === 211 || entityName.parent.kind === 271 || entityName.parent.kind === 166 && entityName.parent.left === entityName || entityName.parent.kind === 211 && entityName.parent.expression === entityName || entityName.parent.kind === 212 && entityName.parent.expression === entityName) { meaning = 1920; } else { meaning = 788968; } return meaning; } function isEntityNameVisible(entityName, enclosingDeclaration, shouldComputeAliasToMakeVisible = true) { const meaning = getMeaningOfEntityNameReference(entityName); const firstIdentifier = getFirstIdentifier(entityName); const symbol = resolveName( enclosingDeclaration, firstIdentifier.escapedText, meaning, /*nameNotFoundMessage*/ void 0, /*isUse*/ false ); if (symbol && symbol.flags & 262144 && meaning & 788968) { return { accessibility: 0 /* Accessible */ }; } if (!symbol && isThisIdentifier(firstIdentifier) && isSymbolAccessible( getSymbolOfDeclaration(getThisContainer( firstIdentifier, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false )), firstIdentifier, meaning, /*shouldComputeAliasesToMakeVisible*/ false ).accessibility === 0) { return { accessibility: 0 /* Accessible */ }; } if (!symbol) { return { accessibility: 3, errorSymbolName: getTextOfNode(firstIdentifier), errorNode: firstIdentifier }; } return hasVisibleDeclarations(symbol, shouldComputeAliasToMakeVisible) || { accessibility: 1, errorSymbolName: getTextOfNode(firstIdentifier), errorNode: firstIdentifier }; } function symbolToString2(symbol, enclosingDeclaration, meaning, flags = 4, writer) { let nodeFlags = 70221824; if (flags & 2) { nodeFlags |= 128; } if (flags & 1) { nodeFlags |= 512; } if (flags & 8) { nodeFlags |= 16384; } if (flags & 32) { nodeFlags |= 134217728; } if (flags & 16) { nodeFlags |= 1073741824; } const builder = flags & 4 ? nodeBuilder.symbolToNode : nodeBuilder.symbolToEntityName; return writer ? symbolToStringWorker(writer).getText() : usingSingleLineStringWriter(symbolToStringWorker); function symbolToStringWorker(writer2) { const entity = builder(symbol, meaning, enclosingDeclaration, nodeFlags); const printer = (enclosingDeclaration == null ? void 0 : enclosingDeclaration.kind) === 307 ? createPrinterWithRemoveCommentsNeverAsciiEscape() : createPrinterWithRemoveComments(); const sourceFile = enclosingDeclaration && getSourceFileOfNode(enclosingDeclaration); printer.writeNode( 4, entity, /*sourceFile*/ sourceFile, writer2 ); return writer2; } } function signatureToString(signature, enclosingDeclaration, flags = 0, kind, writer) { return writer ? signatureToStringWorker(writer).getText() : usingSingleLineStringWriter(signatureToStringWorker); function signatureToStringWorker(writer2) { let sigOutput; if (flags & 262144) { sigOutput = kind === 1 ? 185 : 184; } else { sigOutput = kind === 1 ? 180 : 179; } const sig = nodeBuilder.signatureToSignatureDeclaration( signature, sigOutput, enclosingDeclaration, toNodeBuilderFlags(flags) | 70221824 | 512 /* WriteTypeParametersInQualifiedName */ ); const printer = createPrinterWithRemoveCommentsOmitTrailingSemicolon(); const sourceFile = enclosingDeclaration && getSourceFileOfNode(enclosingDeclaration); printer.writeNode( 4, sig, /*sourceFile*/ sourceFile, getTrailingSemicolonDeferringWriter(writer2) ); return writer2; } } function typeToString(type, enclosingDeclaration, flags = 1048576 | 16384, writer = createTextWriter("")) { const noTruncation = compilerOptions.noErrorTruncation || flags & 1; const typeNode = nodeBuilder.typeToTypeNode(type, enclosingDeclaration, toNodeBuilderFlags(flags) | 70221824 | (noTruncation ? 1 : 0)); if (typeNode === void 0) return Debug.fail("should always get typenode"); const printer = type !== unresolvedType ? createPrinterWithRemoveComments() : createPrinterWithDefaults(); const sourceFile = enclosingDeclaration && getSourceFileOfNode(enclosingDeclaration); printer.writeNode( 4, typeNode, /*sourceFile*/ sourceFile, writer ); const result = writer.getText(); const maxLength2 = noTruncation ? noTruncationMaximumTruncationLength * 2 : defaultMaximumTruncationLength * 2; if (maxLength2 && result && result.length >= maxLength2) { return result.substr(0, maxLength2 - "...".length) + "..."; } return result; } function getTypeNamesForErrorDisplay(left, right) { let leftStr = symbolValueDeclarationIsContextSensitive(left.symbol) ? typeToString(left, left.symbol.valueDeclaration) : typeToString(left); let rightStr = symbolValueDeclarationIsContextSensitive(right.symbol) ? typeToString(right, right.symbol.valueDeclaration) : typeToString(right); if (leftStr === rightStr) { leftStr = getTypeNameForErrorDisplay(left); rightStr = getTypeNameForErrorDisplay(right); } return [leftStr, rightStr]; } function getTypeNameForErrorDisplay(type) { return typeToString( type, /*enclosingDeclaration*/ void 0, 64 /* UseFullyQualifiedType */ ); } function symbolValueDeclarationIsContextSensitive(symbol) { return symbol && !!symbol.valueDeclaration && isExpression(symbol.valueDeclaration) && !isContextSensitive(symbol.valueDeclaration); } function toNodeBuilderFlags(flags = 0) { return flags & 848330095; } function isClassInstanceSide(type) { return !!type.symbol && !!(type.symbol.flags & 32) && (type === getDeclaredTypeOfClassOrInterface(type.symbol) || !!(type.flags & 524288) && !!(getObjectFlags(type) & 16777216)); } function getTypeFromTypeNodeWithoutContext(node) { return getTypeFromTypeNode(node); } function createNodeBuilder() { return { typeToTypeNode: (type, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => typeToTypeNodeHelper(type, context)), typePredicateToTypePredicateNode: (typePredicate, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => typePredicateToTypePredicateNodeHelper(typePredicate, context)), expressionOrTypeToTypeNode: (expr, type, addUndefined, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => expressionOrTypeToTypeNode(context, expr, type, addUndefined)), serializeTypeForDeclaration: (declaration, type, symbol, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => serializeTypeForDeclaration(context, declaration, type, symbol)), serializeReturnTypeForSignature: (signature, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => serializeReturnTypeForSignature(context, signature)), indexInfoToIndexSignatureDeclaration: (indexInfo, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => indexInfoToIndexSignatureDeclarationHelper( indexInfo, context, /*typeNode*/ void 0 )), signatureToSignatureDeclaration: (signature, kind, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => signatureToSignatureDeclarationHelper(signature, kind, context)), symbolToEntityName: (symbol, meaning, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => symbolToName( symbol, context, meaning, /*expectsIdentifier*/ false )), symbolToExpression: (symbol, meaning, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => symbolToExpression(symbol, context, meaning)), symbolToTypeParameterDeclarations: (symbol, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => typeParametersToTypeParameterDeclarations(symbol, context)), symbolToParameterDeclaration: (symbol, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => symbolToParameterDeclaration(symbol, context)), typeParameterToDeclaration: (parameter, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => typeParameterToDeclaration(parameter, context)), symbolTableToDeclarationStatements: (symbolTable, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => symbolTableToDeclarationStatements(symbolTable, context)), symbolToNode: (symbol, meaning, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => symbolToNode(symbol, context, meaning)) }; function getTypeFromTypeNode2(context, node, noMappedTypes) { const type = getTypeFromTypeNodeWithoutContext(node); if (!context.mapper) return type; const mappedType = instantiateType(type, context.mapper); return noMappedTypes && mappedType !== type ? void 0 : mappedType; } function setTextRange2(context, range, location) { if (!nodeIsSynthesized(range) || !(range.flags & 16) || !context.enclosingFile || context.enclosingFile !== getSourceFileOfNode(getOriginalNode(range))) { range = factory.cloneNode(range); } if (range === location) return range; if (!location) { return range; } if (!context.enclosingFile || context.enclosingFile !== getSourceFileOfNode(getOriginalNode(location))) { return setOriginalNode(range, location); } return setTextRange(setOriginalNode(range, location), location); } function expressionOrTypeToTypeNode(context, expr, type, addUndefined) { const oldFlags = context.flags; if (expr && !(context.flags & -2147483648)) { syntacticNodeBuilder.serializeTypeOfExpression(expr, context, addUndefined); } context.flags |= -2147483648; const result = expressionOrTypeToTypeNodeHelper(context, expr, type, addUndefined); context.flags = oldFlags; return result; } function expressionOrTypeToTypeNodeHelper(context, expr, type, addUndefined) { if (expr) { const typeNode = isAssertionExpression(expr) ? expr.type : isJSDocTypeAssertion(expr) ? getJSDocTypeAssertionType(expr) : void 0; if (typeNode && !isConstTypeReference(typeNode)) { const result = tryReuseExistingTypeNode(context, typeNode, type, expr.parent, addUndefined); if (result) { return result; } } } if (addUndefined) { type = getOptionalType(type); } return typeToTypeNodeHelper(type, context); } function tryReuseExistingTypeNode(context, typeNode, type, host2, addUndefined) { const originalType = type; if (addUndefined) { type = getOptionalType(type); } const clone2 = tryReuseExistingNonParameterTypeNode(context, typeNode, type, host2); if (clone2) { if (addUndefined && !someType(getTypeFromTypeNode2(context, typeNode), (t) => !!(t.flags & 32768))) { return factory.createUnionTypeNode([clone2, factory.createKeywordTypeNode( 157 /* UndefinedKeyword */ )]); } return clone2; } if (addUndefined && originalType !== type) { const cloneMissingUndefined = tryReuseExistingNonParameterTypeNode(context, typeNode, originalType, host2); if (cloneMissingUndefined) { return factory.createUnionTypeNode([cloneMissingUndefined, factory.createKeywordTypeNode( 157 /* UndefinedKeyword */ )]); } } return void 0; } function tryReuseExistingNonParameterTypeNode(context, existing, type, host2 = context.enclosingDeclaration, annotationType = getTypeFromTypeNode2( context, existing, /*noMappedTypes*/ true )) { if (annotationType && typeNodeIsEquivalentToType(host2, type, annotationType) && existingTypeNodeIsNotReferenceOrIsReferenceWithCompatibleTypeArgumentCount(existing, type)) { const result = tryReuseExistingTypeNodeHelper(context, existing); if (result) { return result; } } return void 0; } function symbolToNode(symbol, context, meaning) { if (context.flags & 1073741824) { if (symbol.valueDeclaration) { const name = getNameOfDeclaration(symbol.valueDeclaration); if (name && isComputedPropertyName(name)) return name; } const nameType = getSymbolLinks(symbol).nameType; if (nameType && nameType.flags & (1024 | 8192)) { context.enclosingDeclaration = nameType.symbol.valueDeclaration; return factory.createComputedPropertyName(symbolToExpression(nameType.symbol, context, meaning)); } } return symbolToExpression(symbol, context, meaning); } function withContext2(enclosingDeclaration, flags, tracker2, cb) { const moduleResolverHost = (tracker2 == null ? void 0 : tracker2.trackSymbol) ? tracker2.moduleResolverHost : flags & 134217728 ? createBasicNodeBuilderModuleSpecifierResolutionHost(host) : void 0; const context = { enclosingDeclaration, enclosingFile: enclosingDeclaration && getSourceFileOfNode(enclosingDeclaration), flags: flags || 0, tracker: void 0, encounteredError: false, reportedDiagnostic: false, visitedTypes: void 0, symbolDepth: void 0, inferTypeParameters: void 0, approximateLength: 0, trackedSymbols: void 0, bundled: !!compilerOptions.outFile && !!enclosingDeclaration && isExternalOrCommonJsModule(getSourceFileOfNode(enclosingDeclaration)), truncating: false, usedSymbolNames: void 0, remappedSymbolNames: void 0, remappedSymbolReferences: void 0, reverseMappedStack: void 0, mustCreateTypeParameterSymbolList: true, typeParameterSymbolList: void 0, mustCreateTypeParametersNamesLookups: true, typeParameterNames: void 0, typeParameterNamesByText: void 0, typeParameterNamesByTextNextNameCount: void 0, mapper: void 0 }; context.tracker = new SymbolTrackerImpl(context, tracker2, moduleResolverHost); const resultingNode = cb(context); if (context.truncating && context.flags & 1) { context.tracker.reportTruncationError(); } return context.encounteredError ? void 0 : resultingNode; } function checkTruncationLength(context) { if (context.truncating) return context.truncating; return context.truncating = context.approximateLength > (context.flags & 1 ? noTruncationMaximumTruncationLength : defaultMaximumTruncationLength); } function typeToTypeNodeHelper(type, context) { const savedFlags = context.flags; const typeNode = typeToTypeNodeWorker(type, context); context.flags = savedFlags; return typeNode; } function typeToTypeNodeWorker(type, context) { var _a, _b; if (cancellationToken && cancellationToken.throwIfCancellationRequested) { cancellationToken.throwIfCancellationRequested(); } const inTypeAlias = context.flags & 8388608; context.flags &= ~8388608; if (!type) { if (!(context.flags & 262144)) { context.encounteredError = true; return void 0; } context.approximateLength += 3; return factory.createKeywordTypeNode( 133 /* AnyKeyword */ ); } if (!(context.flags & 536870912)) { type = getReducedType(type); } if (type.flags & 1) { if (type.aliasSymbol) { return factory.createTypeReferenceNode(symbolToEntityNameNode(type.aliasSymbol), mapToTypeNodes(type.aliasTypeArguments, context)); } if (type === unresolvedType) { return addSyntheticLeadingComment(factory.createKeywordTypeNode( 133 /* AnyKeyword */ ), 3, "unresolved"); } context.approximateLength += 3; return factory.createKeywordTypeNode( type === intrinsicMarkerType ? 141 : 133 /* AnyKeyword */ ); } if (type.flags & 2) { return factory.createKeywordTypeNode( 159 /* UnknownKeyword */ ); } if (type.flags & 4) { context.approximateLength += 6; return factory.createKeywordTypeNode( 154 /* StringKeyword */ ); } if (type.flags & 8) { context.approximateLength += 6; return factory.createKeywordTypeNode( 150 /* NumberKeyword */ ); } if (type.flags & 64) { context.approximateLength += 6; return factory.createKeywordTypeNode( 163 /* BigIntKeyword */ ); } if (type.flags & 16 && !type.aliasSymbol) { context.approximateLength += 7; return factory.createKeywordTypeNode( 136 /* BooleanKeyword */ ); } if (type.flags & 1056) { if (type.symbol.flags & 8) { const parentSymbol = getParentOfSymbol(type.symbol); const parentName = symbolToTypeNode( parentSymbol, context, 788968 /* Type */ ); if (getDeclaredTypeOfSymbol(parentSymbol) === type) { return parentName; } const memberName = symbolName(type.symbol); if (isIdentifierText( memberName, 1 /* ES5 */ )) { return appendReferenceToType( parentName, factory.createTypeReferenceNode( memberName, /*typeArguments*/ void 0 ) ); } if (isImportTypeNode(parentName)) { parentName.isTypeOf = true; return factory.createIndexedAccessTypeNode(parentName, factory.createLiteralTypeNode(factory.createStringLiteral(memberName))); } else if (isTypeReferenceNode(parentName)) { return factory.createIndexedAccessTypeNode(factory.createTypeQueryNode(parentName.typeName), factory.createLiteralTypeNode(factory.createStringLiteral(memberName))); } else { return Debug.fail("Unhandled type node kind returned from `symbolToTypeNode`."); } } return symbolToTypeNode( type.symbol, context, 788968 /* Type */ ); } if (type.flags & 128) { context.approximateLength += type.value.length + 2; return factory.createLiteralTypeNode(setEmitFlags( factory.createStringLiteral(type.value, !!(context.flags & 268435456)), 16777216 /* NoAsciiEscaping */ )); } if (type.flags & 256) { const value = type.value; context.approximateLength += ("" + value).length; return factory.createLiteralTypeNode(value < 0 ? factory.createPrefixUnaryExpression(41, factory.createNumericLiteral(-value)) : factory.createNumericLiteral(value)); } if (type.flags & 2048) { context.approximateLength += pseudoBigIntToString(type.value).length + 1; return factory.createLiteralTypeNode(factory.createBigIntLiteral(type.value)); } if (type.flags & 512) { context.approximateLength += type.intrinsicName.length; return factory.createLiteralTypeNode(type.intrinsicName === "true" ? factory.createTrue() : factory.createFalse()); } if (type.flags & 8192) { if (!(context.flags & 1048576)) { if (isValueSymbolAccessible(type.symbol, context.enclosingDeclaration)) { context.approximateLength += 6; return symbolToTypeNode( type.symbol, context, 111551 /* Value */ ); } if (context.tracker.reportInaccessibleUniqueSymbolError) { context.tracker.reportInaccessibleUniqueSymbolError(); } } context.approximateLength += 13; return factory.createTypeOperatorNode(158, factory.createKeywordTypeNode( 155 /* SymbolKeyword */ )); } if (type.flags & 16384) { context.approximateLength += 4; return factory.createKeywordTypeNode( 116 /* VoidKeyword */ ); } if (type.flags & 32768) { context.approximateLength += 9; return factory.createKeywordTypeNode( 157 /* UndefinedKeyword */ ); } if (type.flags & 65536) { context.approximateLength += 4; return factory.createLiteralTypeNode(factory.createNull()); } if (type.flags & 131072) { context.approximateLength += 5; return factory.createKeywordTypeNode( 146 /* NeverKeyword */ ); } if (type.flags & 4096) { context.approximateLength += 6; return factory.createKeywordTypeNode( 155 /* SymbolKeyword */ ); } if (type.flags & 67108864) { context.approximateLength += 6; return factory.createKeywordTypeNode( 151 /* ObjectKeyword */ ); } if (isThisTypeParameter(type)) { if (context.flags & 4194304) { if (!context.encounteredError && !(context.flags & 32768)) { context.encounteredError = true; } (_b = (_a = context.tracker).reportInaccessibleThisError) == null ? void 0 : _b.call(_a); } context.approximateLength += 4; return factory.createThisTypeNode(); } if (!inTypeAlias && type.aliasSymbol && (context.flags & 16384 || isTypeSymbolAccessible(type.aliasSymbol, context.enclosingDeclaration))) { const typeArgumentNodes = mapToTypeNodes(type.aliasTypeArguments, context); if (isReservedMemberName(type.aliasSymbol.escapedName) && !(type.aliasSymbol.flags & 32)) return factory.createTypeReferenceNode(factory.createIdentifier(""), typeArgumentNodes); if (length(typeArgumentNodes) === 1 && type.aliasSymbol === globalArrayType.symbol) { return factory.createArrayTypeNode(typeArgumentNodes[0]); } return symbolToTypeNode(type.aliasSymbol, context, 788968, typeArgumentNodes); } const objectFlags = getObjectFlags(type); if (objectFlags & 4) { Debug.assert(!!(type.flags & 524288)); return type.node ? visitAndTransformType(type, typeReferenceToTypeNode) : typeReferenceToTypeNode(type); } if (type.flags & 262144 || objectFlags & 3) { if (type.flags & 262144 && contains(context.inferTypeParameters, type)) { context.approximateLength += symbolName(type.symbol).length + 6; let constraintNode; const constraint = getConstraintOfTypeParameter(type); if (constraint) { const inferredConstraint = getInferredTypeParameterConstraint( type, /*omitTypeReferences*/ true ); if (!(inferredConstraint && isTypeIdenticalTo(constraint, inferredConstraint))) { context.approximateLength += 9; constraintNode = constraint && typeToTypeNodeHelper(constraint, context); } } return factory.createInferTypeNode(typeParameterToDeclarationWithConstraint(type, context, constraintNode)); } if (context.flags & 4 && type.flags & 262144) { const name2 = typeParameterToName(type, context); context.approximateLength += idText(name2).length; return factory.createTypeReferenceNode( factory.createIdentifier(idText(name2)), /*typeArguments*/ void 0 ); } if (type.symbol) { return symbolToTypeNode( type.symbol, context, 788968 /* Type */ ); } const name = (type === markerSuperTypeForCheck || type === markerSubTypeForCheck) && varianceTypeParameter && varianceTypeParameter.symbol ? (type === markerSubTypeForCheck ? "sub-" : "super-") + symbolName(varianceTypeParameter.symbol) : "?"; return factory.createTypeReferenceNode( factory.createIdentifier(name), /*typeArguments*/ void 0 ); } if (type.flags & 1048576 && type.origin) { type = type.origin; } if (type.flags & (1048576 | 2097152)) { const types = type.flags & 1048576 ? formatUnionTypes(type.types) : type.types; if (length(types) === 1) { return typeToTypeNodeHelper(types[0], context); } const typeNodes = mapToTypeNodes( types, context, /*isBareList*/ true ); if (typeNodes && typeNodes.length > 0) { return type.flags & 1048576 ? factory.createUnionTypeNode(typeNodes) : factory.createIntersectionTypeNode(typeNodes); } else { if (!context.encounteredError && !(context.flags & 262144)) { context.encounteredError = true; } return void 0; } } if (objectFlags & (16 | 32)) { Debug.assert(!!(type.flags & 524288)); return createAnonymousTypeNode(type); } if (type.flags & 4194304) { const indexedType = type.type; context.approximateLength += 6; const indexTypeNode = typeToTypeNodeHelper(indexedType, context); return factory.createTypeOperatorNode(143, indexTypeNode); } if (type.flags & 134217728) { const texts = type.texts; const types = type.types; const templateHead = factory.createTemplateHead(texts[0]); const templateSpans = factory.createNodeArray( map(types, (t, i) => factory.createTemplateLiteralTypeSpan( typeToTypeNodeHelper(t, context), (i < types.length - 1 ? factory.createTemplateMiddle : factory.createTemplateTail)(texts[i + 1]) )) ); context.approximateLength += 2; return factory.createTemplateLiteralType(templateHead, templateSpans); } if (type.flags & 268435456) { const typeNode = typeToTypeNodeHelper(type.type, context); return symbolToTypeNode(type.symbol, context, 788968, [typeNode]); } if (type.flags & 8388608) { const objectTypeNode = typeToTypeNodeHelper(type.objectType, context); const indexTypeNode = typeToTypeNodeHelper(type.indexType, context); context.approximateLength += 2; return factory.createIndexedAccessTypeNode(objectTypeNode, indexTypeNode); } if (type.flags & 16777216) { return visitAndTransformType(type, (type2) => conditionalTypeToTypeNode(type2)); } if (type.flags & 33554432) { const typeNode = typeToTypeNodeHelper(type.baseType, context); const noInferSymbol = isNoInferType(type) && getGlobalTypeSymbol( "NoInfer", /*reportErrors*/ false ); return noInferSymbol ? symbolToTypeNode(noInferSymbol, context, 788968, [typeNode]) : typeNode; } return Debug.fail("Should be unreachable."); function conditionalTypeToTypeNode(type2) { const checkTypeNode = typeToTypeNodeHelper(type2.checkType, context); context.approximateLength += 15; if (context.flags & 4 && type2.root.isDistributive && !(type2.checkType.flags & 262144)) { const newParam = createTypeParameter(createSymbol(262144, "T")); const name = typeParameterToName(newParam, context); const newTypeVariable = factory.createTypeReferenceNode(name); context.approximateLength += 37; const newMapper = prependTypeMapping(type2.root.checkType, newParam, type2.mapper); const saveInferTypeParameters2 = context.inferTypeParameters; context.inferTypeParameters = type2.root.inferTypeParameters; const extendsTypeNode2 = typeToTypeNodeHelper(instantiateType(type2.root.extendsType, newMapper), context); context.inferTypeParameters = saveInferTypeParameters2; const trueTypeNode2 = typeToTypeNodeOrCircularityElision(instantiateType(getTypeFromTypeNode2(context, type2.root.node.trueType), newMapper)); const falseTypeNode2 = typeToTypeNodeOrCircularityElision(instantiateType(getTypeFromTypeNode2(context, type2.root.node.falseType), newMapper)); return factory.createConditionalTypeNode( checkTypeNode, factory.createInferTypeNode(factory.createTypeParameterDeclaration( /*modifiers*/ void 0, factory.cloneNode(newTypeVariable.typeName) )), factory.createConditionalTypeNode( factory.createTypeReferenceNode(factory.cloneNode(name)), typeToTypeNodeHelper(type2.checkType, context), factory.createConditionalTypeNode(newTypeVariable, extendsTypeNode2, trueTypeNode2, falseTypeNode2), factory.createKeywordTypeNode( 146 /* NeverKeyword */ ) ), factory.createKeywordTypeNode( 146 /* NeverKeyword */ ) ); } const saveInferTypeParameters = context.inferTypeParameters; context.inferTypeParameters = type2.root.inferTypeParameters; const extendsTypeNode = typeToTypeNodeHelper(type2.extendsType, context); context.inferTypeParameters = saveInferTypeParameters; const trueTypeNode = typeToTypeNodeOrCircularityElision(getTrueTypeFromConditionalType(type2)); const falseTypeNode = typeToTypeNodeOrCircularityElision(getFalseTypeFromConditionalType(type2)); return factory.createConditionalTypeNode(checkTypeNode, extendsTypeNode, trueTypeNode, falseTypeNode); } function typeToTypeNodeOrCircularityElision(type2) { var _a2, _b2, _c; if (type2.flags & 1048576) { if ((_a2 = context.visitedTypes) == null ? void 0 : _a2.has(getTypeId(type2))) { if (!(context.flags & 131072)) { context.encounteredError = true; (_c = (_b2 = context.tracker) == null ? void 0 : _b2.reportCyclicStructureError) == null ? void 0 : _c.call(_b2); } return createElidedInformationPlaceholder(context); } return visitAndTransformType(type2, (type3) => typeToTypeNodeHelper(type3, context)); } return typeToTypeNodeHelper(type2, context); } function isMappedTypeHomomorphic(type2) { return !!getHomomorphicTypeVariable(type2); } function isHomomorphicMappedTypeWithNonHomomorphicInstantiation(type2) { return !!type2.target && isMappedTypeHomomorphic(type2.target) && !isMappedTypeHomomorphic(type2); } function createMappedTypeNodeFromType(type2) { var _a2; Debug.assert(!!(type2.flags & 524288)); const readonlyToken = type2.declaration.readonlyToken ? factory.createToken(type2.declaration.readonlyToken.kind) : void 0; const questionToken = type2.declaration.questionToken ? factory.createToken(type2.declaration.questionToken.kind) : void 0; let appropriateConstraintTypeNode; let newTypeVariable; const needsModifierPreservingWrapper = !isMappedTypeWithKeyofConstraintDeclaration(type2) && !(getModifiersTypeFromMappedType(type2).flags & 2) && context.flags & 4 && !(getConstraintTypeFromMappedType(type2).flags & 262144 && ((_a2 = getConstraintOfTypeParameter(getConstraintTypeFromMappedType(type2))) == null ? void 0 : _a2.flags) & 4194304); if (isMappedTypeWithKeyofConstraintDeclaration(type2)) { if (isHomomorphicMappedTypeWithNonHomomorphicInstantiation(type2) && context.flags & 4) { const newParam = createTypeParameter(createSymbol(262144, "T")); const name = typeParameterToName(newParam, context); newTypeVariable = factory.createTypeReferenceNode(name); } appropriateConstraintTypeNode = factory.createTypeOperatorNode(143, newTypeVariable || typeToTypeNodeHelper(getModifiersTypeFromMappedType(type2), context)); } else if (needsModifierPreservingWrapper) { const newParam = createTypeParameter(createSymbol(262144, "T")); const name = typeParameterToName(newParam, context); newTypeVariable = factory.createTypeReferenceNode(name); appropriateConstraintTypeNode = newTypeVariable; } else { appropriateConstraintTypeNode = typeToTypeNodeHelper(getConstraintTypeFromMappedType(type2), context); } const typeParameterNode = typeParameterToDeclarationWithConstraint(getTypeParameterFromMappedType(type2), context, appropriateConstraintTypeNode); const nameTypeNode = type2.declaration.nameType ? typeToTypeNodeHelper(getNameTypeFromMappedType(type2), context) : void 0; const templateTypeNode = typeToTypeNodeHelper(removeMissingType(getTemplateTypeFromMappedType(type2), !!(getMappedTypeModifiers(type2) & 4)), context); const mappedTypeNode = factory.createMappedTypeNode( readonlyToken, typeParameterNode, nameTypeNode, questionToken, templateTypeNode, /*members*/ void 0 ); context.approximateLength += 10; const result = setEmitFlags( mappedTypeNode, 1 /* SingleLine */ ); if (isHomomorphicMappedTypeWithNonHomomorphicInstantiation(type2) && context.flags & 4) { const originalConstraint = instantiateType(getConstraintOfTypeParameter(getTypeFromTypeNode2(context, type2.declaration.typeParameter.constraint.type)) || unknownType2, type2.mapper); return factory.createConditionalTypeNode( typeToTypeNodeHelper(getModifiersTypeFromMappedType(type2), context), factory.createInferTypeNode(factory.createTypeParameterDeclaration( /*modifiers*/ void 0, factory.cloneNode(newTypeVariable.typeName), originalConstraint.flags & 2 ? void 0 : typeToTypeNodeHelper(originalConstraint, context) )), result, factory.createKeywordTypeNode( 146 /* NeverKeyword */ ) ); } else if (needsModifierPreservingWrapper) { return factory.createConditionalTypeNode( typeToTypeNodeHelper(getConstraintTypeFromMappedType(type2), context), factory.createInferTypeNode(factory.createTypeParameterDeclaration( /*modifiers*/ void 0, factory.cloneNode(newTypeVariable.typeName), factory.createTypeOperatorNode(143, typeToTypeNodeHelper(getModifiersTypeFromMappedType(type2), context)) )), result, factory.createKeywordTypeNode( 146 /* NeverKeyword */ ) ); } return result; } function createAnonymousTypeNode(type2) { var _a2, _b2; const typeId = type2.id; const symbol = type2.symbol; if (symbol) { const isInstantiationExpressionType = !!(getObjectFlags(type2) & 8388608); if (isInstantiationExpressionType) { const instantiationExpressionType = type2; const existing = instantiationExpressionType.node; if (isTypeQueryNode(existing)) { const typeNode = tryReuseExistingNonParameterTypeNode(context, existing, type2); if (typeNode) { return typeNode; } } if ((_a2 = context.visitedTypes) == null ? void 0 : _a2.has(typeId)) { return createElidedInformationPlaceholder(context); } return visitAndTransformType(type2, createTypeNodeFromObjectType); } const isInstanceType = isClassInstanceSide(type2) ? 788968 : 111551; if (isJSConstructor(symbol.valueDeclaration)) { return symbolToTypeNode(symbol, context, isInstanceType); } else if (symbol.flags & 32 && !getBaseTypeVariableOfClass(symbol) && !(symbol.valueDeclaration && isClassLike(symbol.valueDeclaration) && context.flags & 2048 && (!isClassDeclaration(symbol.valueDeclaration) || isSymbolAccessible( symbol, context.enclosingDeclaration, isInstanceType, /*shouldComputeAliasesToMakeVisible*/ false ).accessibility !== 0)) || symbol.flags & (384 | 512) || shouldWriteTypeOfFunctionSymbol()) { return symbolToTypeNode(symbol, context, isInstanceType); } else if ((_b2 = context.visitedTypes) == null ? void 0 : _b2.has(typeId)) { const typeAlias = getTypeAliasForTypeLiteral(type2); if (typeAlias) { return symbolToTypeNode( typeAlias, context, 788968 /* Type */ ); } else { return createElidedInformationPlaceholder(context); } } else { return visitAndTransformType(type2, createTypeNodeFromObjectType); } } else { return createTypeNodeFromObjectType(type2); } function shouldWriteTypeOfFunctionSymbol() { var _a3; const isStaticMethodSymbol = !!(symbol.flags & 8192) && // typeof static method some(symbol.declarations, (declaration) => isStatic(declaration)); const isNonLocalFunctionSymbol = !!(symbol.flags & 16) && (symbol.parent || // is exported function symbol forEach( symbol.declarations, (declaration) => declaration.parent.kind === 307 || declaration.parent.kind === 268 /* ModuleBlock */ )); if (isStaticMethodSymbol || isNonLocalFunctionSymbol) { return (!!(context.flags & 4096) || ((_a3 = context.visitedTypes) == null ? void 0 : _a3.has(typeId))) && // it is type of the symbol uses itself recursively (!(context.flags & 8) || isValueSymbolAccessible(symbol, context.enclosingDeclaration)); } } } function visitAndTransformType(type2, transform2) { var _a2, _b2, _c; const typeId = type2.id; const isConstructorObject = getObjectFlags(type2) & 16 && type2.symbol && type2.symbol.flags & 32; const id = getObjectFlags(type2) & 4 && type2.node ? "N" + getNodeId(type2.node) : type2.flags & 16777216 ? "N" + getNodeId(type2.root.node) : type2.symbol ? (isConstructorObject ? "+" : "") + getSymbolId(type2.symbol) : void 0; if (!context.visitedTypes) { context.visitedTypes = /* @__PURE__ */ new Set(); } if (id && !context.symbolDepth) { context.symbolDepth = /* @__PURE__ */ new Map(); } const links = context.enclosingDeclaration && getNodeLinks(context.enclosingDeclaration); const key = `${getTypeId(type2)}|${context.flags}`; if (links) { links.serializedTypes || (links.serializedTypes = /* @__PURE__ */ new Map()); } const cachedResult = (_a2 = links == null ? void 0 : links.serializedTypes) == null ? void 0 : _a2.get(key); if (cachedResult) { (_b2 = cachedResult.trackedSymbols) == null ? void 0 : _b2.forEach( ([symbol, enclosingDeclaration, meaning]) => context.tracker.trackSymbol( symbol, enclosingDeclaration, meaning ) ); if (cachedResult.truncating) { context.truncating = true; } context.approximateLength += cachedResult.addedLength; return deepCloneOrReuseNode(cachedResult.node); } let depth2; if (id) { depth2 = context.symbolDepth.get(id) || 0; if (depth2 > 10) { return createElidedInformationPlaceholder(context); } context.symbolDepth.set(id, depth2 + 1); } context.visitedTypes.add(typeId); const prevTrackedSymbols = context.trackedSymbols; context.trackedSymbols = void 0; const startLength = context.approximateLength; const result = transform2(type2); const addedLength = context.approximateLength - startLength; if (!context.reportedDiagnostic && !context.encounteredError) { (_c = links == null ? void 0 : links.serializedTypes) == null ? void 0 : _c.set(key, { node: result, truncating: context.truncating, addedLength, trackedSymbols: context.trackedSymbols }); } context.visitedTypes.delete(typeId); if (id) { context.symbolDepth.set(id, depth2); } context.trackedSymbols = prevTrackedSymbols; return result; function deepCloneOrReuseNode(node) { if (!nodeIsSynthesized(node) && getParseTreeNode(node) === node) { return node; } return setTextRange2(context, factory.cloneNode(visitEachChild( node, deepCloneOrReuseNode, /*context*/ void 0, deepCloneOrReuseNodes, deepCloneOrReuseNode )), node); } function deepCloneOrReuseNodes(nodes, visitor2, test, start, count) { if (nodes && nodes.length === 0) { return setTextRange(factory.createNodeArray( /*elements*/ void 0, nodes.hasTrailingComma ), nodes); } return visitNodes2(nodes, visitor2, test, start, count); } } function createTypeNodeFromObjectType(type2) { if (isGenericMappedType(type2) || type2.containsError) { return createMappedTypeNodeFromType(type2); } const resolved = resolveStructuredTypeMembers(type2); if (!resolved.properties.length && !resolved.indexInfos.length) { if (!resolved.callSignatures.length && !resolved.constructSignatures.length) { context.approximateLength += 2; return setEmitFlags( factory.createTypeLiteralNode( /*members*/ void 0 ), 1 /* SingleLine */ ); } if (resolved.callSignatures.length === 1 && !resolved.constructSignatures.length) { const signature = resolved.callSignatures[0]; const signatureNode = signatureToSignatureDeclarationHelper(signature, 184, context); return signatureNode; } if (resolved.constructSignatures.length === 1 && !resolved.callSignatures.length) { const signature = resolved.constructSignatures[0]; const signatureNode = signatureToSignatureDeclarationHelper(signature, 185, context); return signatureNode; } } const abstractSignatures = filter(resolved.constructSignatures, (signature) => !!(signature.flags & 4)); if (some(abstractSignatures)) { const types = map(abstractSignatures, (s) => getOrCreateTypeFromSignature(s)); const typeElementCount = resolved.callSignatures.length + (resolved.constructSignatures.length - abstractSignatures.length) + resolved.indexInfos.length + // exclude `prototype` when writing a class expression as a type literal, as per // the logic in `createTypeNodesFromResolvedType`. (context.flags & 2048 ? countWhere(resolved.properties, (p) => !(p.flags & 4194304)) : length(resolved.properties)); if (typeElementCount) { types.push(getResolvedTypeWithoutAbstractConstructSignatures(resolved)); } return typeToTypeNodeHelper(getIntersectionType(types), context); } const savedFlags = context.flags; context.flags |= 4194304; const members = createTypeNodesFromResolvedType(resolved); context.flags = savedFlags; const typeLiteralNode = factory.createTypeLiteralNode(members); context.approximateLength += 2; setEmitFlags( typeLiteralNode, context.flags & 1024 ? 0 : 1 /* SingleLine */ ); return typeLiteralNode; } function typeReferenceToTypeNode(type2) { let typeArguments = getTypeArguments(type2); if (type2.target === globalArrayType || type2.target === globalReadonlyArrayType) { if (context.flags & 2) { const typeArgumentNode = typeToTypeNodeHelper(typeArguments[0], context); return factory.createTypeReferenceNode(type2.target === globalArrayType ? "Array" : "ReadonlyArray", [typeArgumentNode]); } const elementType = typeToTypeNodeHelper(typeArguments[0], context); const arrayType2 = factory.createArrayTypeNode(elementType); return type2.target === globalArrayType ? arrayType2 : factory.createTypeOperatorNode(148, arrayType2); } else if (type2.target.objectFlags & 8) { typeArguments = sameMap(typeArguments, (t, i) => removeMissingType(t, !!(type2.target.elementFlags[i] & 2))); if (typeArguments.length > 0) { const arity = getTypeReferenceArity(type2); const tupleConstituentNodes = mapToTypeNodes(typeArguments.slice(0, arity), context); if (tupleConstituentNodes) { const { labeledElementDeclarations } = type2.target; for (let i = 0; i < tupleConstituentNodes.length; i++) { const flags = type2.target.elementFlags[i]; const labeledElementDeclaration = labeledElementDeclarations == null ? void 0 : labeledElementDeclarations[i]; if (labeledElementDeclaration) { tupleConstituentNodes[i] = factory.createNamedTupleMember( flags & 12 ? factory.createToken( 26 /* DotDotDotToken */ ) : void 0, factory.createIdentifier(unescapeLeadingUnderscores(getTupleElementLabel(labeledElementDeclaration))), flags & 2 ? factory.createToken( 58 /* QuestionToken */ ) : void 0, flags & 4 ? factory.createArrayTypeNode(tupleConstituentNodes[i]) : tupleConstituentNodes[i] ); } else { tupleConstituentNodes[i] = flags & 12 ? factory.createRestTypeNode(flags & 4 ? factory.createArrayTypeNode(tupleConstituentNodes[i]) : tupleConstituentNodes[i]) : flags & 2 ? factory.createOptionalTypeNode(tupleConstituentNodes[i]) : tupleConstituentNodes[i]; } } const tupleTypeNode = setEmitFlags( factory.createTupleTypeNode(tupleConstituentNodes), 1 /* SingleLine */ ); return type2.target.readonly ? factory.createTypeOperatorNode(148, tupleTypeNode) : tupleTypeNode; } } if (context.encounteredError || context.flags & 524288) { const tupleTypeNode = setEmitFlags( factory.createTupleTypeNode([]), 1 /* SingleLine */ ); return type2.target.readonly ? factory.createTypeOperatorNode(148, tupleTypeNode) : tupleTypeNode; } context.encounteredError = true; return void 0; } else if (context.flags & 2048 && type2.symbol.valueDeclaration && isClassLike(type2.symbol.valueDeclaration) && !isValueSymbolAccessible(type2.symbol, context.enclosingDeclaration)) { return createAnonymousTypeNode(type2); } else { const outerTypeParameters = type2.target.outerTypeParameters; let i = 0; let resultType; if (outerTypeParameters) { const length2 = outerTypeParameters.length; while (i < length2) { const start = i; const parent2 = getParentSymbolOfTypeParameter(outerTypeParameters[i]); do { i++; } while (i < length2 && getParentSymbolOfTypeParameter(outerTypeParameters[i]) === parent2); if (!rangeEquals(outerTypeParameters, typeArguments, start, i)) { const typeArgumentSlice = mapToTypeNodes(typeArguments.slice(start, i), context); const flags2 = context.flags; context.flags |= 16; const ref = symbolToTypeNode(parent2, context, 788968, typeArgumentSlice); context.flags = flags2; resultType = !resultType ? ref : appendReferenceToType(resultType, ref); } } } let typeArgumentNodes; if (typeArguments.length > 0) { const typeParameterCount = (type2.target.typeParameters || emptyArray).length; typeArgumentNodes = mapToTypeNodes(typeArguments.slice(i, typeParameterCount), context); } const flags = context.flags; context.flags |= 16; const finalRef = symbolToTypeNode(type2.symbol, context, 788968, typeArgumentNodes); context.flags = flags; return !resultType ? finalRef : appendReferenceToType(resultType, finalRef); } } function appendReferenceToType(root2, ref) { if (isImportTypeNode(root2)) { let typeArguments = root2.typeArguments; let qualifier = root2.qualifier; if (qualifier) { if (isIdentifier(qualifier)) { if (typeArguments !== getIdentifierTypeArguments(qualifier)) { qualifier = setIdentifierTypeArguments(factory.cloneNode(qualifier), typeArguments); } } else { if (typeArguments !== getIdentifierTypeArguments(qualifier.right)) { qualifier = factory.updateQualifiedName(qualifier, qualifier.left, setIdentifierTypeArguments(factory.cloneNode(qualifier.right), typeArguments)); } } } typeArguments = ref.typeArguments; const ids = getAccessStack(ref); for (const id of ids) { qualifier = qualifier ? factory.createQualifiedName(qualifier, id) : id; } return factory.updateImportTypeNode( root2, root2.argument, root2.attributes, qualifier, typeArguments, root2.isTypeOf ); } else { let typeArguments = root2.typeArguments; let typeName = root2.typeName; if (isIdentifier(typeName)) { if (typeArguments !== getIdentifierTypeArguments(typeName)) { typeName = setIdentifierTypeArguments(factory.cloneNode(typeName), typeArguments); } } else { if (typeArguments !== getIdentifierTypeArguments(typeName.right)) { typeName = factory.updateQualifiedName(typeName, typeName.left, setIdentifierTypeArguments(factory.cloneNode(typeName.right), typeArguments)); } } typeArguments = ref.typeArguments; const ids = getAccessStack(ref); for (const id of ids) { typeName = factory.createQualifiedName(typeName, id); } return factory.updateTypeReferenceNode( root2, typeName, typeArguments ); } } function getAccessStack(ref) { let state = ref.typeName; const ids = []; while (!isIdentifier(state)) { ids.unshift(state.right); state = state.left; } ids.unshift(state); return ids; } function createTypeNodesFromResolvedType(resolvedType) { if (checkTruncationLength(context)) { return [factory.createPropertySignature( /*modifiers*/ void 0, "...", /*questionToken*/ void 0, /*type*/ void 0 )]; } const typeElements = []; for (const signature of resolvedType.callSignatures) { typeElements.push(signatureToSignatureDeclarationHelper(signature, 179, context)); } for (const signature of resolvedType.constructSignatures) { if (signature.flags & 4) continue; typeElements.push(signatureToSignatureDeclarationHelper(signature, 180, context)); } for (const info of resolvedType.indexInfos) { typeElements.push(indexInfoToIndexSignatureDeclarationHelper(info, context, resolvedType.objectFlags & 1024 ? createElidedInformationPlaceholder(context) : void 0)); } const properties = resolvedType.properties; if (!properties) { return typeElements; } let i = 0; for (const propertySymbol of properties) { i++; if (context.flags & 2048) { if (propertySymbol.flags & 4194304) { continue; } if (getDeclarationModifierFlagsFromSymbol(propertySymbol) & (2 | 4) && context.tracker.reportPrivateInBaseOfClassExpression) { context.tracker.reportPrivateInBaseOfClassExpression(unescapeLeadingUnderscores(propertySymbol.escapedName)); } } if (checkTruncationLength(context) && i + 2 < properties.length - 1) { typeElements.push(factory.createPropertySignature( /*modifiers*/ void 0, `... ${properties.length - i} more ...`, /*questionToken*/ void 0, /*type*/ void 0 )); addPropertyToElementList(properties[properties.length - 1], context, typeElements); break; } addPropertyToElementList(propertySymbol, context, typeElements); } return typeElements.length ? typeElements : void 0; } } function createElidedInformationPlaceholder(context) { context.approximateLength += 3; if (!(context.flags & 1)) { return factory.createTypeReferenceNode( factory.createIdentifier("..."), /*typeArguments*/ void 0 ); } return factory.createKeywordTypeNode( 133 /* AnyKeyword */ ); } function shouldUsePlaceholderForProperty(propertySymbol, context) { var _a; return !!(getCheckFlags(propertySymbol) & 8192) && (contains(context.reverseMappedStack, propertySymbol) || ((_a = context.reverseMappedStack) == null ? void 0 : _a[0]) && !(getObjectFlags(last(context.reverseMappedStack).links.propertyType) & 16)); } function addPropertyToElementList(propertySymbol, context, typeElements) { var _a; const propertyIsReverseMapped = !!(getCheckFlags(propertySymbol) & 8192); const propertyType = shouldUsePlaceholderForProperty(propertySymbol, context) ? anyType2 : getNonMissingTypeOfSymbol(propertySymbol); const saveEnclosingDeclaration = context.enclosingDeclaration; context.enclosingDeclaration = void 0; if (context.tracker.canTrackSymbol && isLateBoundName(propertySymbol.escapedName)) { if (propertySymbol.declarations) { const decl = first(propertySymbol.declarations); if (hasLateBindableName(decl)) { if (isBinaryExpression(decl)) { const name = getNameOfDeclaration(decl); if (name && isElementAccessExpression(name) && isPropertyAccessEntityNameExpression(name.argumentExpression)) { trackComputedName(name.argumentExpression, saveEnclosingDeclaration, context); } } else { trackComputedName(decl.name.expression, saveEnclosingDeclaration, context); } } } else { context.tracker.reportNonSerializableProperty(symbolToString2(propertySymbol)); } } context.enclosingDeclaration = propertySymbol.valueDeclaration || ((_a = propertySymbol.declarations) == null ? void 0 : _a[0]) || saveEnclosingDeclaration; const propertyName = getPropertyNameNodeForSymbol(propertySymbol, context); context.enclosingDeclaration = saveEnclosingDeclaration; context.approximateLength += symbolName(propertySymbol).length + 1; if (propertySymbol.flags & 98304) { const writeType = getWriteTypeOfSymbol(propertySymbol); if (propertyType !== writeType && !isErrorType(propertyType) && !isErrorType(writeType)) { const getterDeclaration = getDeclarationOfKind( propertySymbol, 177 /* GetAccessor */ ); const getterSignature = getSignatureFromDeclaration(getterDeclaration); typeElements.push( setCommentRange2( context, signatureToSignatureDeclarationHelper(getterSignature, 177, context, { name: propertyName }), getterDeclaration ) ); const setterDeclaration = getDeclarationOfKind( propertySymbol, 178 /* SetAccessor */ ); const setterSignature = getSignatureFromDeclaration(setterDeclaration); typeElements.push( setCommentRange2( context, signatureToSignatureDeclarationHelper(setterSignature, 178, context, { name: propertyName }), setterDeclaration ) ); return; } } const optionalToken = propertySymbol.flags & 16777216 ? factory.createToken( 58 /* QuestionToken */ ) : void 0; if (propertySymbol.flags & (16 | 8192) && !getPropertiesOfObjectType(propertyType).length && !isReadonlySymbol(propertySymbol)) { const signatures = getSignaturesOfType( filterType(propertyType, (t) => !(t.flags & 32768)), 0 /* Call */ ); for (const signature of signatures) { const methodDeclaration = signatureToSignatureDeclarationHelper(signature, 173, context, { name: propertyName, questionToken: optionalToken }); typeElements.push(preserveCommentsOn(methodDeclaration)); } if (signatures.length || !optionalToken) { return; } } let propertyTypeNode; if (shouldUsePlaceholderForProperty(propertySymbol, context)) { propertyTypeNode = createElidedInformationPlaceholder(context); } else { if (propertyIsReverseMapped) { context.reverseMappedStack || (context.reverseMappedStack = []); context.reverseMappedStack.push(propertySymbol); } propertyTypeNode = propertyType ? serializeTypeForDeclaration( context, /*declaration*/ void 0, propertyType, propertySymbol ) : factory.createKeywordTypeNode( 133 /* AnyKeyword */ ); if (propertyIsReverseMapped) { context.reverseMappedStack.pop(); } } const modifiers = isReadonlySymbol(propertySymbol) ? [factory.createToken( 148 /* ReadonlyKeyword */ )] : void 0; if (modifiers) { context.approximateLength += 9; } const propertySignature = factory.createPropertySignature( modifiers, propertyName, optionalToken, propertyTypeNode ); typeElements.push(preserveCommentsOn(propertySignature)); function preserveCommentsOn(node) { var _a2; const jsdocPropertyTag = (_a2 = propertySymbol.declarations) == null ? void 0 : _a2.find( (d) => d.kind === 348 /* JSDocPropertyTag */ ); if (jsdocPropertyTag) { const commentText = getTextOfJSDocComment(jsdocPropertyTag.comment); if (commentText) { setSyntheticLeadingComments(node, [{ kind: 3, text: "*\n * " + commentText.replace(/\n/g, "\n * ") + "\n ", pos: -1, end: -1, hasTrailingNewLine: true }]); } } else if (propertySymbol.valueDeclaration) { setCommentRange2(context, node, propertySymbol.valueDeclaration); } return node; } } function setCommentRange2(context, node, range) { if (context.enclosingFile && context.enclosingFile === getSourceFileOfNode(range)) { return setCommentRange(node, range); } return node; } function mapToTypeNodes(types, context, isBareList) { if (some(types)) { if (checkTruncationLength(context)) { if (!isBareList) { return [factory.createTypeReferenceNode( "...", /*typeArguments*/ void 0 )]; } else if (types.length > 2) { return [ typeToTypeNodeHelper(types[0], context), factory.createTypeReferenceNode( `... ${types.length - 2} more ...`, /*typeArguments*/ void 0 ), typeToTypeNodeHelper(types[types.length - 1], context) ]; } } const mayHaveNameCollisions = !(context.flags & 64); const seenNames = mayHaveNameCollisions ? createMultiMap() : void 0; const result = []; let i = 0; for (const type of types) { i++; if (checkTruncationLength(context) && i + 2 < types.length - 1) { result.push(factory.createTypeReferenceNode( `... ${types.length - i} more ...`, /*typeArguments*/ void 0 )); const typeNode2 = typeToTypeNodeHelper(types[types.length - 1], context); if (typeNode2) { result.push(typeNode2); } break; } context.approximateLength += 2; const typeNode = typeToTypeNodeHelper(type, context); if (typeNode) { result.push(typeNode); if (seenNames && isIdentifierTypeReference(typeNode)) { seenNames.add(typeNode.typeName.escapedText, [type, result.length - 1]); } } } if (seenNames) { const saveContextFlags = context.flags; context.flags |= 64; seenNames.forEach((types2) => { if (!arrayIsHomogeneous(types2, ([a], [b]) => typesAreSameReference(a, b))) { for (const [type, resultIndex] of types2) { result[resultIndex] = typeToTypeNodeHelper(type, context); } } }); context.flags = saveContextFlags; } return result; } } function typesAreSameReference(a, b) { return a === b || !!a.symbol && a.symbol === b.symbol || !!a.aliasSymbol && a.aliasSymbol === b.aliasSymbol; } function indexInfoToIndexSignatureDeclarationHelper(indexInfo, context, typeNode) { const name = getNameFromIndexInfo(indexInfo) || "x"; const indexerTypeNode = typeToTypeNodeHelper(indexInfo.keyType, context); const indexingParameter = factory.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, name, /*questionToken*/ void 0, indexerTypeNode, /*initializer*/ void 0 ); if (!typeNode) { typeNode = typeToTypeNodeHelper(indexInfo.type || anyType2, context); } if (!indexInfo.type && !(context.flags & 2097152)) { context.encounteredError = true; } context.approximateLength += name.length + 4; return factory.createIndexSignature( indexInfo.isReadonly ? [factory.createToken( 148 /* ReadonlyKeyword */ )] : void 0, [indexingParameter], typeNode ); } function signatureToSignatureDeclarationHelper(signature, kind, context, options) { var _a; let typeParameters; let typeArguments; const expandedParams = getExpandedParameters( signature, /*skipUnionExpanding*/ true )[0]; const cleanup = enterNewScope(context, signature.declaration, expandedParams, signature.typeParameters, signature.parameters, signature.mapper); context.approximateLength += 3; if (context.flags & 32 && signature.target && signature.mapper && signature.target.typeParameters) { typeArguments = signature.target.typeParameters.map((parameter) => typeToTypeNodeHelper(instantiateType(parameter, signature.mapper), context)); } else { typeParameters = signature.typeParameters && signature.typeParameters.map((parameter) => typeParameterToDeclaration(parameter, context)); } const flags = context.flags; context.flags &= ~256; const parameters = (some(expandedParams, (p) => p !== expandedParams[expandedParams.length - 1] && !!(getCheckFlags(p) & 32768)) ? signature.parameters : expandedParams).map((parameter) => symbolToParameterDeclaration( parameter, context, kind === 176 /* Constructor */ )); const thisParameter = context.flags & 33554432 ? void 0 : tryGetThisParameterDeclaration(signature, context); if (thisParameter) { parameters.unshift(thisParameter); } context.flags = flags; const returnTypeNode = serializeReturnTypeForSignature(context, signature); let modifiers = options == null ? void 0 : options.modifiers; if (kind === 185 && signature.flags & 4) { const flags2 = modifiersToFlags(modifiers); modifiers = factory.createModifiersFromModifierFlags( flags2 | 64 /* Abstract */ ); } const node = kind === 179 ? factory.createCallSignature(typeParameters, parameters, returnTypeNode) : kind === 180 ? factory.createConstructSignature(typeParameters, parameters, returnTypeNode) : kind === 173 ? factory.createMethodSignature(modifiers, (options == null ? void 0 : options.name) ?? factory.createIdentifier(""), options == null ? void 0 : options.questionToken, typeParameters, parameters, returnTypeNode) : kind === 174 ? factory.createMethodDeclaration( modifiers, /*asteriskToken*/ void 0, (options == null ? void 0 : options.name) ?? factory.createIdentifier(""), /*questionToken*/ void 0, typeParameters, parameters, returnTypeNode, /*body*/ void 0 ) : kind === 176 ? factory.createConstructorDeclaration( modifiers, parameters, /*body*/ void 0 ) : kind === 177 ? factory.createGetAccessorDeclaration( modifiers, (options == null ? void 0 : options.name) ?? factory.createIdentifier(""), parameters, returnTypeNode, /*body*/ void 0 ) : kind === 178 ? factory.createSetAccessorDeclaration( modifiers, (options == null ? void 0 : options.name) ?? factory.createIdentifier(""), parameters, /*body*/ void 0 ) : kind === 181 ? factory.createIndexSignature(modifiers, parameters, returnTypeNode) : kind === 317 ? factory.createJSDocFunctionType(parameters, returnTypeNode) : kind === 184 ? factory.createFunctionTypeNode(typeParameters, parameters, returnTypeNode ?? factory.createTypeReferenceNode(factory.createIdentifier(""))) : kind === 185 ? factory.createConstructorTypeNode(modifiers, typeParameters, parameters, returnTypeNode ?? factory.createTypeReferenceNode(factory.createIdentifier(""))) : kind === 262 ? factory.createFunctionDeclaration( modifiers, /*asteriskToken*/ void 0, (options == null ? void 0 : options.name) ? cast(options.name, isIdentifier) : factory.createIdentifier(""), typeParameters, parameters, returnTypeNode, /*body*/ void 0 ) : kind === 218 ? factory.createFunctionExpression( modifiers, /*asteriskToken*/ void 0, (options == null ? void 0 : options.name) ? cast(options.name, isIdentifier) : factory.createIdentifier(""), typeParameters, parameters, returnTypeNode, factory.createBlock([]) ) : kind === 219 ? factory.createArrowFunction( modifiers, typeParameters, parameters, returnTypeNode, /*equalsGreaterThanToken*/ void 0, factory.createBlock([]) ) : Debug.assertNever(kind); if (typeArguments) { node.typeArguments = factory.createNodeArray(typeArguments); } if (((_a = signature.declaration) == null ? void 0 : _a.kind) === 323 && signature.declaration.parent.kind === 339) { const comment = getTextOfNode( signature.declaration.parent.parent, /*includeTrivia*/ true ).slice(2, -2).split(/\r\n|\n|\r/).map((line) => line.replace(/^\s+/, " ")).join("\n"); addSyntheticLeadingComment( node, 3, comment, /*hasTrailingNewLine*/ true ); } cleanup == null ? void 0 : cleanup(); return node; } function isNewScopeNode(node) { return isFunctionLike(node) || isJSDocSignature(node) || isMappedTypeNode(node); } function getTypeParametersInScope(node) { return isFunctionLike(node) || isJSDocSignature(node) ? getSignatureFromDeclaration(node).typeParameters : isConditionalTypeNode(node) ? getInferTypeParameters(node) : [getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(node.typeParameter))]; } function getParametersInScope(node) { return isFunctionLike(node) || isJSDocSignature(node) ? getSignatureFromDeclaration(node).parameters : void 0; } function enterNewScope(context, declaration, expandedParams, typeParameters, originalParameters, mapper) { const cleanupContext = cloneNodeBuilderContext(context); let cleanupParams; let cleanupTypeParams; const oldEnclosingDecl = context.enclosingDeclaration; const oldMapper = context.mapper; if (mapper) { context.mapper = mapper; } if (context.enclosingDeclaration && declaration) { let pushFakeScope2 = function(kind, addAll) { Debug.assert(context.enclosingDeclaration); let existingFakeScope; if (getNodeLinks(context.enclosingDeclaration).fakeScopeForSignatureDeclaration === kind) { existingFakeScope = context.enclosingDeclaration; } else if (context.enclosingDeclaration.parent && getNodeLinks(context.enclosingDeclaration.parent).fakeScopeForSignatureDeclaration === kind) { existingFakeScope = context.enclosingDeclaration.parent; } Debug.assertOptionalNode(existingFakeScope, isBlock); const locals = (existingFakeScope == null ? void 0 : existingFakeScope.locals) ?? createSymbolTable(); let newLocals; let oldLocals; addAll((name, symbol) => { if (existingFakeScope) { const oldSymbol = locals.get(name); if (!oldSymbol) { newLocals = append(newLocals, name); } else { oldLocals = append(oldLocals, { name, oldSymbol }); } } locals.set(name, symbol); }); if (!existingFakeScope) { const fakeScope = factory.createBlock(emptyArray); getNodeLinks(fakeScope).fakeScopeForSignatureDeclaration = kind; fakeScope.locals = locals; setParent(fakeScope, context.enclosingDeclaration); context.enclosingDeclaration = fakeScope; } else { return function undo() { forEach(newLocals, (s) => locals.delete(s)); forEach(oldLocals, (s) => locals.set(s.name, s.oldSymbol)); }; } }; var pushFakeScope = pushFakeScope2; cleanupParams = !some(expandedParams) ? void 0 : pushFakeScope2( "params", (add) => { if (!expandedParams) return; for (let pIndex = 0; pIndex < expandedParams.length; pIndex++) { const param = expandedParams[pIndex]; const originalParam = originalParameters == null ? void 0 : originalParameters[pIndex]; if (originalParameters && originalParam !== param) { add(param.escapedName, unknownSymbol); if (originalParam) { add(originalParam.escapedName, unknownSymbol); } } else if (!forEach(param.declarations, (d) => { if (isParameter(d) && isBindingPattern(d.name)) { bindPattern(d.name); return true; } return void 0; function bindPattern(p) { forEach(p.elements, (e) => { switch (e.kind) { case 232: return; case 208: return bindElement(e); default: return Debug.assertNever(e); } }); } function bindElement(e) { if (isBindingPattern(e.name)) { return bindPattern(e.name); } const symbol = getSymbolOfDeclaration(e); add(symbol.escapedName, symbol); } })) { add(param.escapedName, param); } } } ); if (context.flags & 4 && some(typeParameters)) { cleanupTypeParams = pushFakeScope2( "typeParams", (add) => { for (const typeParam of typeParameters ?? emptyArray) { const typeParamName = typeParameterToName(typeParam, context).escapedText; add(typeParamName, typeParam.symbol); } } ); } } return () => { cleanupParams == null ? void 0 : cleanupParams(); cleanupTypeParams == null ? void 0 : cleanupTypeParams(); cleanupContext(); context.enclosingDeclaration = oldEnclosingDecl; context.mapper = oldMapper; }; } function tryGetThisParameterDeclaration(signature, context) { if (signature.thisParameter) { return symbolToParameterDeclaration(signature.thisParameter, context); } if (signature.declaration && isInJSFile(signature.declaration)) { const thisTag = getJSDocThisTag(signature.declaration); if (thisTag && thisTag.typeExpression) { return factory.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, "this", /*questionToken*/ void 0, typeToTypeNodeHelper(getTypeFromTypeNode2(context, thisTag.typeExpression), context) ); } } } function typeParameterToDeclarationWithConstraint(type, context, constraintNode) { const savedContextFlags = context.flags; context.flags &= ~512; const modifiers = factory.createModifiersFromModifierFlags(getTypeParameterModifiers(type)); const name = typeParameterToName(type, context); const defaultParameter = getDefaultFromTypeParameter(type); const defaultParameterNode = defaultParameter && typeToTypeNodeHelper(defaultParameter, context); context.flags = savedContextFlags; return factory.createTypeParameterDeclaration(modifiers, name, constraintNode, defaultParameterNode); } function typeToTypeNodeHelperWithPossibleReusableTypeNode(type, typeNode, context) { return typeNode && tryReuseExistingNonParameterTypeNode(context, typeNode, type) || typeToTypeNodeHelper(type, context); } function typeParameterToDeclaration(type, context, constraint = getConstraintOfTypeParameter(type)) { const constraintNode = constraint && typeToTypeNodeHelperWithPossibleReusableTypeNode(constraint, getConstraintDeclaration(type), context); return typeParameterToDeclarationWithConstraint(type, context, constraintNode); } function typePredicateToTypePredicateNodeHelper(typePredicate, context) { const assertsModifier = typePredicate.kind === 2 || typePredicate.kind === 3 ? factory.createToken( 131 /* AssertsKeyword */ ) : void 0; const parameterName = typePredicate.kind === 1 || typePredicate.kind === 3 ? setEmitFlags( factory.createIdentifier(typePredicate.parameterName), 16777216 /* NoAsciiEscaping */ ) : factory.createThisTypeNode(); const typeNode = typePredicate.type && typeToTypeNodeHelper(typePredicate.type, context); return factory.createTypePredicateNode(assertsModifier, parameterName, typeNode); } function getEffectiveParameterDeclaration(parameterSymbol) { const parameterDeclaration = getDeclarationOfKind( parameterSymbol, 169 /* Parameter */ ); if (parameterDeclaration) { return parameterDeclaration; } if (!isTransientSymbol(parameterSymbol)) { return getDeclarationOfKind( parameterSymbol, 341 /* JSDocParameterTag */ ); } } function symbolToParameterDeclaration(parameterSymbol, context, preserveModifierFlags) { const parameterDeclaration = getEffectiveParameterDeclaration(parameterSymbol); const parameterType = getTypeOfSymbol(parameterSymbol); const parameterTypeNode = serializeTypeForDeclaration(context, parameterDeclaration, parameterType, parameterSymbol); const modifiers = !(context.flags & 8192) && preserveModifierFlags && parameterDeclaration && canHaveModifiers(parameterDeclaration) ? map(getModifiers(parameterDeclaration), factory.cloneNode) : void 0; const isRest = parameterDeclaration && isRestParameter(parameterDeclaration) || getCheckFlags(parameterSymbol) & 32768; const dotDotDotToken = isRest ? factory.createToken( 26 /* DotDotDotToken */ ) : void 0; const name = parameterToParameterDeclarationName(parameterSymbol, parameterDeclaration, context); const isOptional = parameterDeclaration && isOptionalParameter(parameterDeclaration) || getCheckFlags(parameterSymbol) & 16384; const questionToken = isOptional ? factory.createToken( 58 /* QuestionToken */ ) : void 0; const parameterNode = factory.createParameterDeclaration( modifiers, dotDotDotToken, name, questionToken, parameterTypeNode, /*initializer*/ void 0 ); context.approximateLength += symbolName(parameterSymbol).length + 3; return parameterNode; } function parameterToParameterDeclarationName(parameterSymbol, parameterDeclaration, context) { return parameterDeclaration ? parameterDeclaration.name ? parameterDeclaration.name.kind === 80 ? setEmitFlags( factory.cloneNode(parameterDeclaration.name), 16777216 /* NoAsciiEscaping */ ) : parameterDeclaration.name.kind === 166 ? setEmitFlags( factory.cloneNode(parameterDeclaration.name.right), 16777216 /* NoAsciiEscaping */ ) : cloneBindingName(parameterDeclaration.name) : symbolName(parameterSymbol) : symbolName(parameterSymbol); function cloneBindingName(node) { return elideInitializerAndSetEmitFlags(node); function elideInitializerAndSetEmitFlags(node2) { if (context.tracker.canTrackSymbol && isComputedPropertyName(node2) && isLateBindableName(node2)) { trackComputedName(node2.expression, context.enclosingDeclaration, context); } let visited = visitEachChild( node2, elideInitializerAndSetEmitFlags, /*context*/ void 0, /*nodesVisitor*/ void 0, elideInitializerAndSetEmitFlags ); if (isBindingElement(visited)) { visited = factory.updateBindingElement( visited, visited.dotDotDotToken, visited.propertyName, visited.name, /*initializer*/ void 0 ); } if (!nodeIsSynthesized(visited)) { visited = factory.cloneNode(visited); } return setEmitFlags( visited, 1 | 16777216 /* NoAsciiEscaping */ ); } } } function trackComputedName(accessExpression, enclosingDeclaration, context) { if (!context.tracker.canTrackSymbol) return; const firstIdentifier = getFirstIdentifier(accessExpression); const name = resolveName( firstIdentifier, firstIdentifier.escapedText, 111551 | 1048576, /*nameNotFoundMessage*/ void 0, /*isUse*/ true ); if (name) { context.tracker.trackSymbol( name, enclosingDeclaration, 111551 /* Value */ ); } } function lookupSymbolChain(symbol, context, meaning, yieldModuleSymbol) { context.tracker.trackSymbol(symbol, context.enclosingDeclaration, meaning); return lookupSymbolChainWorker(symbol, context, meaning, yieldModuleSymbol); } function lookupSymbolChainWorker(symbol, context, meaning, yieldModuleSymbol) { let chain; const isTypeParameter = symbol.flags & 262144; if (!isTypeParameter && (context.enclosingDeclaration || context.flags & 64) && !(context.flags & 134217728)) { chain = Debug.checkDefined(getSymbolChain( symbol, meaning, /*endOfChain*/ true )); Debug.assert(chain && chain.length > 0); } else { chain = [symbol]; } return chain; function getSymbolChain(symbol2, meaning2, endOfChain) { let accessibleSymbolChain = getAccessibleSymbolChain(symbol2, context.enclosingDeclaration, meaning2, !!(context.flags & 128)); let parentSpecifiers; if (!accessibleSymbolChain || needsQualification(accessibleSymbolChain[0], context.enclosingDeclaration, accessibleSymbolChain.length === 1 ? meaning2 : getQualifiedLeftMeaning(meaning2))) { const parents = getContainersOfSymbol(accessibleSymbolChain ? accessibleSymbolChain[0] : symbol2, context.enclosingDeclaration, meaning2); if (length(parents)) { parentSpecifiers = parents.map( (symbol3) => some(symbol3.declarations, hasNonGlobalAugmentationExternalModuleSymbol) ? getSpecifierForModuleSymbol(symbol3, context) : void 0 ); const indices = parents.map((_, i) => i); indices.sort(sortByBestName); const sortedParents = indices.map((i) => parents[i]); for (const parent2 of sortedParents) { const parentChain = getSymbolChain( parent2, getQualifiedLeftMeaning(meaning2), /*endOfChain*/ false ); if (parentChain) { if (parent2.exports && parent2.exports.get( "export=" /* ExportEquals */ ) && getSymbolIfSameReference(parent2.exports.get( "export=" /* ExportEquals */ ), symbol2)) { accessibleSymbolChain = parentChain; break; } accessibleSymbolChain = parentChain.concat(accessibleSymbolChain || [getAliasForSymbolInContainer(parent2, symbol2) || symbol2]); break; } } } } if (accessibleSymbolChain) { return accessibleSymbolChain; } if ( // If this is the last part of outputting the symbol, always output. The cases apply only to parent symbols. endOfChain || // If a parent symbol is an anonymous type, don't write it. !(symbol2.flags & (2048 | 4096)) ) { if (!endOfChain && !yieldModuleSymbol && !!forEach(symbol2.declarations, hasNonGlobalAugmentationExternalModuleSymbol)) { return; } return [symbol2]; } function sortByBestName(a, b) { const specifierA = parentSpecifiers[a]; const specifierB = parentSpecifiers[b]; if (specifierA && specifierB) { const isBRelative = pathIsRelative(specifierB); if (pathIsRelative(specifierA) === isBRelative) { return countPathComponents(specifierA) - countPathComponents(specifierB); } if (isBRelative) { return -1; } return 1; } return 0; } } } function typeParametersToTypeParameterDeclarations(symbol, context) { let typeParameterNodes; const targetSymbol = getTargetSymbol(symbol); if (targetSymbol.flags & (32 | 64 | 524288)) { typeParameterNodes = factory.createNodeArray(map(getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol), (tp) => typeParameterToDeclaration(tp, context))); } return typeParameterNodes; } function lookupTypeParameterNodes(chain, index, context) { var _a; Debug.assert(chain && 0 <= index && index < chain.length); const symbol = chain[index]; const symbolId = getSymbolId(symbol); if ((_a = context.typeParameterSymbolList) == null ? void 0 : _a.has(symbolId)) { return void 0; } if (context.mustCreateTypeParameterSymbolList) { context.mustCreateTypeParameterSymbolList = false; context.typeParameterSymbolList = new Set(context.typeParameterSymbolList); } context.typeParameterSymbolList.add(symbolId); let typeParameterNodes; if (context.flags & 512 && index < chain.length - 1) { const parentSymbol = symbol; const nextSymbol = chain[index + 1]; if (getCheckFlags(nextSymbol) & 1) { const params = getTypeParametersOfClassOrInterface( parentSymbol.flags & 2097152 ? resolveAlias(parentSymbol) : parentSymbol ); typeParameterNodes = mapToTypeNodes(map(params, (t) => getMappedType(t, nextSymbol.links.mapper)), context); } else { typeParameterNodes = typeParametersToTypeParameterDeclarations(symbol, context); } } return typeParameterNodes; } function getTopmostIndexedAccessType(top) { if (isIndexedAccessTypeNode(top.objectType)) { return getTopmostIndexedAccessType(top.objectType); } return top; } function getSpecifierForModuleSymbol(symbol, context, overrideImportMode) { let file = getDeclarationOfKind( symbol, 307 /* SourceFile */ ); if (!file) { const equivalentFileSymbol = firstDefined(symbol.declarations, (d) => getFileSymbolIfFileSymbolExportEqualsContainer(d, symbol)); if (equivalentFileSymbol) { file = getDeclarationOfKind( equivalentFileSymbol, 307 /* SourceFile */ ); } } if (file && file.moduleName !== void 0) { return file.moduleName; } if (!file) { if (ambientModuleSymbolRegex.test(symbol.escapedName)) { return symbol.escapedName.substring(1, symbol.escapedName.length - 1); } } if (!context.enclosingFile || !context.tracker.moduleResolverHost) { if (ambientModuleSymbolRegex.test(symbol.escapedName)) { return symbol.escapedName.substring(1, symbol.escapedName.length - 1); } return getSourceFileOfNode(getNonAugmentationDeclaration(symbol)).fileName; } const contextFile = context.enclosingFile; const resolutionMode = overrideImportMode || (contextFile == null ? void 0 : contextFile.impliedNodeFormat); const cacheKey = createModeAwareCacheKey(contextFile.path, resolutionMode); const links = getSymbolLinks(symbol); let specifier = links.specifierCache && links.specifierCache.get(cacheKey); if (!specifier) { const isBundle2 = !!compilerOptions.outFile; const { moduleResolverHost } = context.tracker; const specifierCompilerOptions = isBundle2 ? { ...compilerOptions, baseUrl: moduleResolverHost.getCommonSourceDirectory() } : compilerOptions; specifier = first(getModuleSpecifiers( symbol, checker, specifierCompilerOptions, contextFile, moduleResolverHost, { importModuleSpecifierPreference: isBundle2 ? "non-relative" : "project-relative", importModuleSpecifierEnding: isBundle2 ? "minimal" : resolutionMode === 99 ? "js" : void 0 }, { overrideImportMode } )); links.specifierCache ?? (links.specifierCache = /* @__PURE__ */ new Map()); links.specifierCache.set(cacheKey, specifier); } return specifier; } function symbolToEntityNameNode(symbol) { const identifier = factory.createIdentifier(unescapeLeadingUnderscores(symbol.escapedName)); return symbol.parent ? factory.createQualifiedName(symbolToEntityNameNode(symbol.parent), identifier) : identifier; } function symbolToTypeNode(symbol, context, meaning, overrideTypeArguments) { const chain = lookupSymbolChain(symbol, context, meaning, !(context.flags & 16384)); const isTypeOf = meaning === 111551; if (some(chain[0].declarations, hasNonGlobalAugmentationExternalModuleSymbol)) { const nonRootParts = chain.length > 1 ? createAccessFromSymbolChain(chain, chain.length - 1, 1) : void 0; const typeParameterNodes = overrideTypeArguments || lookupTypeParameterNodes(chain, 0, context); const contextFile = getSourceFileOfNode(getOriginalNode(context.enclosingDeclaration)); const targetFile = getSourceFileOfModule(chain[0]); let specifier; let attributes; if (getEmitModuleResolutionKind(compilerOptions) === 3 || getEmitModuleResolutionKind(compilerOptions) === 99) { if ((targetFile == null ? void 0 : targetFile.impliedNodeFormat) === 99 && targetFile.impliedNodeFormat !== (contextFile == null ? void 0 : contextFile.impliedNodeFormat)) { specifier = getSpecifierForModuleSymbol( chain[0], context, 99 /* ESNext */ ); attributes = factory.createImportAttributes( factory.createNodeArray([ factory.createImportAttribute( factory.createStringLiteral("resolution-mode"), factory.createStringLiteral("import") ) ]) ); } } if (!specifier) { specifier = getSpecifierForModuleSymbol(chain[0], context); } if (!(context.flags & 67108864) && getEmitModuleResolutionKind(compilerOptions) !== 1 && specifier.includes("/node_modules/")) { const oldSpecifier = specifier; if (getEmitModuleResolutionKind(compilerOptions) === 3 || getEmitModuleResolutionKind(compilerOptions) === 99) { const swappedMode = (contextFile == null ? void 0 : contextFile.impliedNodeFormat) === 99 ? 1 : 99; specifier = getSpecifierForModuleSymbol(chain[0], context, swappedMode); if (specifier.includes("/node_modules/")) { specifier = oldSpecifier; } else { attributes = factory.createImportAttributes( factory.createNodeArray([ factory.createImportAttribute( factory.createStringLiteral("resolution-mode"), factory.createStringLiteral(swappedMode === 99 ? "import" : "require") ) ]) ); } } if (!attributes) { context.encounteredError = true; if (context.tracker.reportLikelyUnsafeImportRequiredError) { context.tracker.reportLikelyUnsafeImportRequiredError(oldSpecifier); } } } const lit = factory.createLiteralTypeNode(factory.createStringLiteral(specifier)); context.approximateLength += specifier.length + 10; if (!nonRootParts || isEntityName(nonRootParts)) { if (nonRootParts) { const lastId = isIdentifier(nonRootParts) ? nonRootParts : nonRootParts.right; setIdentifierTypeArguments( lastId, /*typeArguments*/ void 0 ); } return factory.createImportTypeNode(lit, attributes, nonRootParts, typeParameterNodes, isTypeOf); } else { const splitNode = getTopmostIndexedAccessType(nonRootParts); const qualifier = splitNode.objectType.typeName; return factory.createIndexedAccessTypeNode(factory.createImportTypeNode(lit, attributes, qualifier, typeParameterNodes, isTypeOf), splitNode.indexType); } } const entityName = createAccessFromSymbolChain(chain, chain.length - 1, 0); if (isIndexedAccessTypeNode(entityName)) { return entityName; } if (isTypeOf) { return factory.createTypeQueryNode(entityName); } else { const lastId = isIdentifier(entityName) ? entityName : entityName.right; const lastTypeArgs = getIdentifierTypeArguments(lastId); setIdentifierTypeArguments( lastId, /*typeArguments*/ void 0 ); return factory.createTypeReferenceNode(entityName, lastTypeArgs); } function createAccessFromSymbolChain(chain2, index, stopper) { const typeParameterNodes = index === chain2.length - 1 ? overrideTypeArguments : lookupTypeParameterNodes(chain2, index, context); const symbol2 = chain2[index]; const parent2 = chain2[index - 1]; let symbolName2; if (index === 0) { context.flags |= 16777216; symbolName2 = getNameOfSymbolAsWritten(symbol2, context); context.approximateLength += (symbolName2 ? symbolName2.length : 0) + 1; context.flags ^= 16777216; } else { if (parent2 && getExportsOfSymbol(parent2)) { const exports22 = getExportsOfSymbol(parent2); forEachEntry(exports22, (ex, name) => { if (getSymbolIfSameReference(ex, symbol2) && !isLateBoundName(name) && name !== "export=") { symbolName2 = unescapeLeadingUnderscores(name); return true; } }); } } if (symbolName2 === void 0) { const name = firstDefined(symbol2.declarations, getNameOfDeclaration); if (name && isComputedPropertyName(name) && isEntityName(name.expression)) { const LHS = createAccessFromSymbolChain(chain2, index - 1, stopper); if (isEntityName(LHS)) { return factory.createIndexedAccessTypeNode(factory.createParenthesizedType(factory.createTypeQueryNode(LHS)), factory.createTypeQueryNode(name.expression)); } return LHS; } symbolName2 = getNameOfSymbolAsWritten(symbol2, context); } context.approximateLength += symbolName2.length + 1; if (!(context.flags & 16) && parent2 && getMembersOfSymbol(parent2) && getMembersOfSymbol(parent2).get(symbol2.escapedName) && getSymbolIfSameReference(getMembersOfSymbol(parent2).get(symbol2.escapedName), symbol2)) { const LHS = createAccessFromSymbolChain(chain2, index - 1, stopper); if (isIndexedAccessTypeNode(LHS)) { return factory.createIndexedAccessTypeNode(LHS, factory.createLiteralTypeNode(factory.createStringLiteral(symbolName2))); } else { return factory.createIndexedAccessTypeNode(factory.createTypeReferenceNode(LHS, typeParameterNodes), factory.createLiteralTypeNode(factory.createStringLiteral(symbolName2))); } } const identifier = setEmitFlags( factory.createIdentifier(symbolName2), 16777216 /* NoAsciiEscaping */ ); if (typeParameterNodes) setIdentifierTypeArguments(identifier, factory.createNodeArray(typeParameterNodes)); identifier.symbol = symbol2; if (index > stopper) { const LHS = createAccessFromSymbolChain(chain2, index - 1, stopper); if (!isEntityName(LHS)) { return Debug.fail("Impossible construct - an export of an indexed access cannot be reachable"); } return factory.createQualifiedName(LHS, identifier); } return identifier; } } function typeParameterShadowsOtherTypeParameterInScope(escapedName, context, type) { const result = resolveName( context.enclosingDeclaration, escapedName, 788968, /*nameNotFoundMessage*/ void 0, /*isUse*/ false ); if (result && result.flags & 262144) { return result !== type.symbol; } return false; } function typeParameterToName(type, context) { var _a, _b, _c, _d; if (context.flags & 4 && context.typeParameterNames) { const cached = context.typeParameterNames.get(getTypeId(type)); if (cached) { return cached; } } let result = symbolToName( type.symbol, context, 788968, /*expectsIdentifier*/ true ); if (!(result.kind & 80)) { return factory.createIdentifier("(Missing type parameter)"); } const decl = (_b = (_a = type.symbol) == null ? void 0 : _a.declarations) == null ? void 0 : _b[0]; if (decl && isTypeParameterDeclaration(decl)) { result = setTextRange2(context, result, decl.name); } if (context.flags & 4) { const rawtext = result.escapedText; let i = ((_c = context.typeParameterNamesByTextNextNameCount) == null ? void 0 : _c.get(rawtext)) || 0; let text = rawtext; while (((_d = context.typeParameterNamesByText) == null ? void 0 : _d.has(text)) || typeParameterShadowsOtherTypeParameterInScope(text, context, type)) { i++; text = `${rawtext}_${i}`; } if (text !== rawtext) { const typeArguments = getIdentifierTypeArguments(result); result = factory.createIdentifier(text); setIdentifierTypeArguments(result, typeArguments); } if (context.mustCreateTypeParametersNamesLookups) { context.mustCreateTypeParametersNamesLookups = false; context.typeParameterNames = new Map(context.typeParameterNames); context.typeParameterNamesByTextNextNameCount = new Map(context.typeParameterNamesByTextNextNameCount); context.typeParameterNamesByText = new Set(context.typeParameterNamesByText); } context.typeParameterNamesByTextNextNameCount.set(rawtext, i); context.typeParameterNames.set(getTypeId(type), result); context.typeParameterNamesByText.add(text); } return result; } function symbolToName(symbol, context, meaning, expectsIdentifier) { const chain = lookupSymbolChain(symbol, context, meaning); if (expectsIdentifier && chain.length !== 1 && !context.encounteredError && !(context.flags & 65536)) { context.encounteredError = true; } return createEntityNameFromSymbolChain(chain, chain.length - 1); function createEntityNameFromSymbolChain(chain2, index) { const typeParameterNodes = lookupTypeParameterNodes(chain2, index, context); const symbol2 = chain2[index]; if (index === 0) { context.flags |= 16777216; } const symbolName2 = getNameOfSymbolAsWritten(symbol2, context); if (index === 0) { context.flags ^= 16777216; } const identifier = setEmitFlags( factory.createIdentifier(symbolName2), 16777216 /* NoAsciiEscaping */ ); if (typeParameterNodes) setIdentifierTypeArguments(identifier, factory.createNodeArray(typeParameterNodes)); identifier.symbol = symbol2; return index > 0 ? factory.createQualifiedName(createEntityNameFromSymbolChain(chain2, index - 1), identifier) : identifier; } } function symbolToExpression(symbol, context, meaning) { const chain = lookupSymbolChain(symbol, context, meaning); return createExpressionFromSymbolChain(chain, chain.length - 1); function createExpressionFromSymbolChain(chain2, index) { const typeParameterNodes = lookupTypeParameterNodes(chain2, index, context); const symbol2 = chain2[index]; if (index === 0) { context.flags |= 16777216; } let symbolName2 = getNameOfSymbolAsWritten(symbol2, context); if (index === 0) { context.flags ^= 16777216; } let firstChar = symbolName2.charCodeAt(0); if (isSingleOrDoubleQuote(firstChar) && some(symbol2.declarations, hasNonGlobalAugmentationExternalModuleSymbol)) { return factory.createStringLiteral(getSpecifierForModuleSymbol(symbol2, context)); } if (index === 0 || canUsePropertyAccess(symbolName2, languageVersion)) { const identifier = setEmitFlags( factory.createIdentifier(symbolName2), 16777216 /* NoAsciiEscaping */ ); if (typeParameterNodes) setIdentifierTypeArguments(identifier, factory.createNodeArray(typeParameterNodes)); identifier.symbol = symbol2; return index > 0 ? factory.createPropertyAccessExpression(createExpressionFromSymbolChain(chain2, index - 1), identifier) : identifier; } else { if (firstChar === 91) { symbolName2 = symbolName2.substring(1, symbolName2.length - 1); firstChar = symbolName2.charCodeAt(0); } let expression; if (isSingleOrDoubleQuote(firstChar) && !(symbol2.flags & 8)) { expression = factory.createStringLiteral( stripQuotes(symbolName2).replace(/\\./g, (s) => s.substring(1)), firstChar === 39 /* singleQuote */ ); } else if ("" + +symbolName2 === symbolName2) { expression = factory.createNumericLiteral(+symbolName2); } if (!expression) { const identifier = setEmitFlags( factory.createIdentifier(symbolName2), 16777216 /* NoAsciiEscaping */ ); if (typeParameterNodes) setIdentifierTypeArguments(identifier, factory.createNodeArray(typeParameterNodes)); identifier.symbol = symbol2; expression = identifier; } return factory.createElementAccessExpression(createExpressionFromSymbolChain(chain2, index - 1), expression); } } } function isStringNamed(d) { const name = getNameOfDeclaration(d); if (!name) { return false; } if (isComputedPropertyName(name)) { const type = checkExpression(name.expression); return !!(type.flags & 402653316); } if (isElementAccessExpression(name)) { const type = checkExpression(name.argumentExpression); return !!(type.flags & 402653316); } return isStringLiteral2(name); } function isSingleQuotedStringNamed(d) { const name = getNameOfDeclaration(d); return !!(name && isStringLiteral2(name) && (name.singleQuote || !nodeIsSynthesized(name) && startsWith2(getTextOfNode( name, /*includeTrivia*/ false ), "'"))); } function getPropertyNameNodeForSymbol(symbol, context) { const stringNamed = !!length(symbol.declarations) && every(symbol.declarations, isStringNamed); const singleQuote = !!length(symbol.declarations) && every(symbol.declarations, isSingleQuotedStringNamed); const isMethod = !!(symbol.flags & 8192); const fromNameType = getPropertyNameNodeForSymbolFromNameType(symbol, context, singleQuote, stringNamed, isMethod); if (fromNameType) { return fromNameType; } const rawName = unescapeLeadingUnderscores(symbol.escapedName); return createPropertyNameNodeForIdentifierOrLiteral(rawName, getEmitScriptTarget(compilerOptions), singleQuote, stringNamed, isMethod); } function getPropertyNameNodeForSymbolFromNameType(symbol, context, singleQuote, stringNamed, isMethod) { const nameType = getSymbolLinks(symbol).nameType; if (nameType) { if (nameType.flags & 384) { const name = "" + nameType.value; if (!isIdentifierText(name, getEmitScriptTarget(compilerOptions)) && (stringNamed || !isNumericLiteralName(name))) { return factory.createStringLiteral(name, !!singleQuote); } if (isNumericLiteralName(name) && startsWith2(name, "-")) { return factory.createComputedPropertyName(factory.createPrefixUnaryExpression(41, factory.createNumericLiteral(-name))); } return createPropertyNameNodeForIdentifierOrLiteral(name, getEmitScriptTarget(compilerOptions), singleQuote, stringNamed, isMethod); } if (nameType.flags & 8192) { return factory.createComputedPropertyName(symbolToExpression( nameType.symbol, context, 111551 /* Value */ )); } } } function cloneNodeBuilderContext(context) { const oldMustCreateTypeParameterSymbolList = context.mustCreateTypeParameterSymbolList; const oldMustCreateTypeParametersNamesLookups = context.mustCreateTypeParametersNamesLookups; context.mustCreateTypeParameterSymbolList = true; context.mustCreateTypeParametersNamesLookups = true; const oldTypeParameterNames = context.typeParameterNames; const oldTypeParameterNamesByText = context.typeParameterNamesByText; const oldTypeParameterNamesByTextNextNameCount = context.typeParameterNamesByTextNextNameCount; const oldTypeParameterSymbolList = context.typeParameterSymbolList; return () => { context.typeParameterNames = oldTypeParameterNames; context.typeParameterNamesByText = oldTypeParameterNamesByText; context.typeParameterNamesByTextNextNameCount = oldTypeParameterNamesByTextNextNameCount; context.typeParameterSymbolList = oldTypeParameterSymbolList; context.mustCreateTypeParameterSymbolList = oldMustCreateTypeParameterSymbolList; context.mustCreateTypeParametersNamesLookups = oldMustCreateTypeParametersNamesLookups; }; } function getDeclarationWithTypeAnnotation(symbol, enclosingDeclaration) { return symbol.declarations && find(symbol.declarations, (s) => !!getNonlocalEffectiveTypeAnnotationNode(s) && (!enclosingDeclaration || !!findAncestor(s, (n) => n === enclosingDeclaration))); } function existingTypeNodeIsNotReferenceOrIsReferenceWithCompatibleTypeArgumentCount(existing, type) { if (!(getObjectFlags(type) & 4)) return true; if (!isTypeReferenceNode(existing)) return true; void getTypeFromTypeReference(existing); const symbol = getNodeLinks(existing).resolvedSymbol; const existingTarget = symbol && getDeclaredTypeOfSymbol(symbol); if (!existingTarget || existingTarget !== type.target) return true; return length(existing.typeArguments) >= getMinTypeArgumentCount(type.target.typeParameters); } function getEnclosingDeclarationIgnoringFakeScope(enclosingDeclaration) { while (getNodeLinks(enclosingDeclaration).fakeScopeForSignatureDeclaration) { enclosingDeclaration = enclosingDeclaration.parent; } return enclosingDeclaration; } function serializeTypeForDeclaration(context, declaration, type, symbol) { var _a; const addUndefined = declaration && (isParameter(declaration) || isJSDocParameterTag(declaration)) && requiresAddingImplicitUndefined(declaration); const enclosingDeclaration = context.enclosingDeclaration; const oldFlags = context.flags; if (declaration && hasInferredType(declaration) && !(context.flags & -2147483648)) { syntacticNodeBuilder.serializeTypeOfDeclaration(declaration, context); } context.flags |= -2147483648; if (enclosingDeclaration && (!isErrorType(type) || context.flags & 1)) { const declWithExistingAnnotation = declaration && getNonlocalEffectiveTypeAnnotationNode(declaration) ? declaration : getDeclarationWithTypeAnnotation(symbol); if (declWithExistingAnnotation && !isFunctionLikeDeclaration(declWithExistingAnnotation) && !isGetAccessorDeclaration(declWithExistingAnnotation)) { const existing = getNonlocalEffectiveTypeAnnotationNode(declWithExistingAnnotation); const result2 = !isTypePredicateNode(existing) && tryReuseExistingTypeNode(context, existing, type, declWithExistingAnnotation, addUndefined); if (result2) { context.flags = oldFlags; return result2; } } } if (type.flags & 8192 && type.symbol === symbol && (!context.enclosingDeclaration || some(symbol.declarations, (d) => getSourceFileOfNode(d) === getSourceFileOfNode(context.enclosingDeclaration)))) { context.flags |= 1048576; } const decl = declaration ?? symbol.valueDeclaration ?? ((_a = symbol.declarations) == null ? void 0 : _a[0]); const expr = decl && isDeclarationWithPossibleInnerTypeNodeReuse(decl) ? getPossibleTypeNodeReuseExpression(decl) : void 0; const result = expressionOrTypeToTypeNode(context, expr, type, addUndefined); context.flags = oldFlags; return result; } function typeNodeIsEquivalentToType(annotatedDeclaration, type, typeFromTypeNode) { if (typeFromTypeNode === type) { return true; } if (annotatedDeclaration && (isParameter(annotatedDeclaration) || isPropertySignature(annotatedDeclaration) || isPropertyDeclaration(annotatedDeclaration)) && annotatedDeclaration.questionToken) { return getTypeWithFacts( type, 524288 /* NEUndefined */ ) === typeFromTypeNode; } return false; } function serializeReturnTypeForSignature(context, signature) { const suppressAny = context.flags & 256; const flags = context.flags; if (suppressAny) context.flags &= ~256; let returnTypeNode; const returnType = getReturnTypeOfSignature(signature); if (returnType && !(suppressAny && isTypeAny(returnType))) { if (signature.declaration && !(context.flags & -2147483648)) { syntacticNodeBuilder.serializeReturnTypeForSignature(signature.declaration, context); } context.flags |= -2147483648; returnTypeNode = serializeReturnTypeForSignatureWorker(context, signature); } else if (!suppressAny) { returnTypeNode = factory.createKeywordTypeNode( 133 /* AnyKeyword */ ); } context.flags = flags; return returnTypeNode; } function serializeReturnTypeForSignatureWorker(context, signature) { const typePredicate = getTypePredicateOfSignature(signature); const type = getReturnTypeOfSignature(signature); if (context.enclosingDeclaration && (!isErrorType(type) || context.flags & 1) && signature.declaration && !nodeIsSynthesized(signature.declaration)) { const annotation = signature.declaration && getNonlocalEffectiveReturnTypeAnnotationNode(signature.declaration); if (annotation && getTypeFromTypeNode2(context, annotation) === type) { const result = tryReuseExistingTypeNodeHelper(context, annotation); if (result) { return result; } } } if (typePredicate) { return typePredicateToTypePredicateNodeHelper(typePredicate, context); } const expr = signature.declaration && getPossibleTypeNodeReuseExpression(signature.declaration); return expressionOrTypeToTypeNode(context, expr, type); } function trackExistingEntityName(node, context) { let introducesError = false; const leftmost = getFirstIdentifier(node); if (isInJSFile(node) && (isExportsIdentifier(leftmost) || isModuleExportsAccessExpression(leftmost.parent) || isQualifiedName(leftmost.parent) && isModuleIdentifier(leftmost.parent.left) && isExportsIdentifier(leftmost.parent.right))) { introducesError = true; return { introducesError, node }; } const meaning = getMeaningOfEntityNameReference(node); let sym; if (isThisIdentifier(leftmost)) { sym = getSymbolOfDeclaration(getThisContainer( leftmost, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false )); if (isSymbolAccessible( sym, leftmost, meaning, /*shouldComputeAliasesToMakeVisible*/ false ).accessibility !== 0) { introducesError = true; context.tracker.reportInaccessibleThisError(); } return { introducesError, node: attachSymbolToLeftmostIdentifier(node) }; } sym = resolveEntityName( leftmost, meaning, /*ignoreErrors*/ true, /*dontResolveAlias*/ true ); if (context.enclosingDeclaration && !(sym && sym.flags & 262144)) { sym = getExportSymbolOfValueSymbolIfExported(sym); const symAtLocation = resolveEntityName( leftmost, meaning, /*ignoreErrors*/ true, /*dontResolveAlias*/ true, context.enclosingDeclaration ); if ( // Check for unusable parameters symbols symAtLocation === unknownSymbol || // If the symbol is not found, but was not found in the original scope either we probably have an error, don't reuse the node symAtLocation === void 0 && sym !== void 0 || // If the symbol is found both in declaration scope and in current scope then it shoudl point to the same reference symAtLocation && sym && !getSymbolIfSameReference(getExportSymbolOfValueSymbolIfExported(symAtLocation), sym) ) { if (symAtLocation !== unknownSymbol) { context.tracker.reportInferenceFallback(node); } introducesError = true; return { introducesError, node, sym }; } } if (sym) { if (sym.flags & 1 && sym.valueDeclaration) { if (isPartOfParameterDeclaration(sym.valueDeclaration) || isJSDocParameterTag(sym.valueDeclaration)) { return { introducesError, node: attachSymbolToLeftmostIdentifier(node) }; } } if (!(sym.flags & 262144) && // Type parameters are visible in the current context if they are are resolvable !isDeclarationName(node) && isSymbolAccessible( sym, context.enclosingDeclaration, meaning, /*shouldComputeAliasesToMakeVisible*/ false ).accessibility !== 0) { context.tracker.reportInferenceFallback(node); introducesError = true; } else { context.tracker.trackSymbol(sym, context.enclosingDeclaration, meaning); } return { introducesError, node: attachSymbolToLeftmostIdentifier(node) }; } return { introducesError, node }; function attachSymbolToLeftmostIdentifier(node2) { if (node2 === leftmost) { const type = getDeclaredTypeOfSymbol(sym); const name = sym.flags & 262144 ? typeParameterToName(type, context) : factory.cloneNode(node2); name.symbol = sym; return setTextRange2(context, setEmitFlags( name, 16777216 /* NoAsciiEscaping */ ), node2); } const updated = visitEachChild( node2, (c) => attachSymbolToLeftmostIdentifier(c), /*context*/ void 0 ); if (updated !== node2) { setTextRange2(context, updated, node2); } return updated; } } function serializeTypeName(context, node, isTypeOf, typeArguments) { const meaning = isTypeOf ? 111551 : 788968; const symbol = resolveEntityName( node, meaning, /*ignoreErrors*/ true ); if (!symbol) return void 0; const resolvedSymbol = symbol.flags & 2097152 ? resolveAlias(symbol) : symbol; if (isSymbolAccessible( symbol, context.enclosingDeclaration, meaning, /*shouldComputeAliasesToMakeVisible*/ false ).accessibility !== 0) return void 0; return symbolToTypeNode(resolvedSymbol, context, meaning, typeArguments); } function canReuseTypeNode(context, existing) { if (isInJSFile(existing)) { if (isLiteralImportTypeNode(existing)) { void getTypeFromImportTypeNode(existing); const nodeSymbol = getNodeLinks(existing).resolvedSymbol; return !nodeSymbol || !// The import type resolved using jsdoc fallback logic (!existing.isTypeOf && !(nodeSymbol.flags & 788968) || // The import type had type arguments autofilled by js fallback logic !(length(existing.typeArguments) >= getMinTypeArgumentCount(getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(nodeSymbol)))); } } if (isThisTypeNode(existing)) { if (context.mapper === void 0) return true; const type = getTypeFromTypeNode2( context, existing, /*noMappedTypes*/ true ); return !!type; } if (isTypeReferenceNode(existing)) { if (isConstTypeReference(existing)) return false; const type = getTypeFromTypeReference(existing); const symbol = getNodeLinks(existing).resolvedSymbol; if (!symbol) return false; if (symbol.flags & 262144) { const type2 = getDeclaredTypeOfSymbol(symbol); if (context.mapper && getMappedType(type2, context.mapper) !== type2) { return false; } } if (isInJSDoc(existing)) { return existingTypeNodeIsNotReferenceOrIsReferenceWithCompatibleTypeArgumentCount(existing, type) && !getIntendedTypeFromJSDocTypeReference(existing) && symbol.flags & 788968; } } if (isTypeOperatorNode(existing) && existing.operator === 158 && existing.type.kind === 155) { const effectiveEnclosingContext = context.enclosingDeclaration && getEnclosingDeclarationIgnoringFakeScope(context.enclosingDeclaration); return !!findAncestor(existing, (n) => n === effectiveEnclosingContext); } return true; } function serializeExistingTypeNode(context, typeNode) { const type = getTypeFromTypeNode2(context, typeNode); return typeToTypeNodeHelper(type, context); } function tryReuseExistingTypeNodeHelper(context, existing) { if (cancellationToken && cancellationToken.throwIfCancellationRequested) { cancellationToken.throwIfCancellationRequested(); } let hadError = false; const { finalizeBoundary, startRecoveryScope } = createRecoveryBoundary(); const transformed = visitNode(existing, visitExistingNodeTreeSymbols, isTypeNode); if (!finalizeBoundary()) { return void 0; } context.approximateLength += existing.end - existing.pos; return transformed; function visitExistingNodeTreeSymbols(node) { if (hadError) return node; const recover = startRecoveryScope(); const onExitNewScope = isNewScopeNode(node) ? onEnterNewScope(node) : void 0; const result = visitExistingNodeTreeSymbolsWorker(node); onExitNewScope == null ? void 0 : onExitNewScope(); if (hadError) { if (isTypeNode(node) && !isTypePredicateNode(node)) { recover(); return serializeExistingTypeNode(context, node); } return node; } return result ? setTextRange2(context, result, node) : void 0; } function createRecoveryBoundary() { let trackedSymbols; let unreportedErrors; const oldTracker = context.tracker; const oldTrackedSymbols = context.trackedSymbols; context.trackedSymbols = void 0; const oldEncounteredError = context.encounteredError; context.tracker = new SymbolTrackerImpl(context, { ...oldTracker.inner, reportCyclicStructureError() { markError(() => oldTracker.reportCyclicStructureError()); }, reportInaccessibleThisError() { markError(() => oldTracker.reportInaccessibleThisError()); }, reportInaccessibleUniqueSymbolError() { markError(() => oldTracker.reportInaccessibleUniqueSymbolError()); }, reportLikelyUnsafeImportRequiredError(specifier) { markError(() => oldTracker.reportLikelyUnsafeImportRequiredError(specifier)); }, reportNonSerializableProperty(name) { markError(() => oldTracker.reportNonSerializableProperty(name)); }, trackSymbol(sym, decl, meaning) { (trackedSymbols ?? (trackedSymbols = [])).push([sym, decl, meaning]); return false; }, moduleResolverHost: context.tracker.moduleResolverHost }, context.tracker.moduleResolverHost); return { startRecoveryScope: startRecoveryScope2, finalizeBoundary: finalizeBoundary2 }; function markError(unreportedError) { hadError = true; (unreportedErrors ?? (unreportedErrors = [])).push(unreportedError); } function startRecoveryScope2() { const trackedSymbolsTop = (trackedSymbols == null ? void 0 : trackedSymbols.length) ?? 0; const unreportedErrorsTop = (unreportedErrors == null ? void 0 : unreportedErrors.length) ?? 0; return () => { hadError = false; if (trackedSymbols) { trackedSymbols.length = trackedSymbolsTop; } if (unreportedErrors) { unreportedErrors.length = unreportedErrorsTop; } }; } function finalizeBoundary2() { context.tracker = oldTracker; context.trackedSymbols = oldTrackedSymbols; context.encounteredError = oldEncounteredError; unreportedErrors == null ? void 0 : unreportedErrors.forEach((fn) => fn()); if (hadError) { return false; } trackedSymbols == null ? void 0 : trackedSymbols.forEach( ([symbol, enclosingDeclaration, meaning]) => context.tracker.trackSymbol( symbol, enclosingDeclaration, meaning ) ); return true; } } function onEnterNewScope(node) { return enterNewScope(context, node, getParametersInScope(node), getTypeParametersInScope(node)); } function tryVisitSimpleTypeNode(node) { const innerNode = skipTypeParentheses(node); switch (innerNode.kind) { case 183: return tryVisitTypeReference(innerNode); case 186: return tryVisitTypeQuery(innerNode); case 199: return tryVisitIndexedAccess(innerNode); case 198: const typeOperatorNode = innerNode; if (typeOperatorNode.operator === 143) { return tryVisitKeyOf(typeOperatorNode); } } return visitNode(node, visitExistingNodeTreeSymbols, isTypeNode); } function tryVisitIndexedAccess(node) { const resultObjectType = tryVisitSimpleTypeNode(node.objectType); if (resultObjectType === void 0) { return void 0; } return factory.updateIndexedAccessTypeNode(node, resultObjectType, visitNode(node.indexType, visitExistingNodeTreeSymbols, isTypeNode)); } function tryVisitKeyOf(node) { Debug.assertEqual( node.operator, 143 /* KeyOfKeyword */ ); const type = tryVisitSimpleTypeNode(node.type); if (type === void 0) { return void 0; } return factory.updateTypeOperatorNode(node, type); } function tryVisitTypeQuery(node) { const { introducesError, node: exprName } = trackExistingEntityName(node.exprName, context); if (!introducesError) { return factory.updateTypeQueryNode( node, exprName, visitNodes2(node.typeArguments, visitExistingNodeTreeSymbols, isTypeNode) ); } const serializedName = serializeTypeName( context, node.exprName, /*isTypeOf*/ true ); if (serializedName) { return setTextRange2(context, serializedName, node.exprName); } } function tryVisitTypeReference(node) { if (canReuseTypeNode(context, node)) { const { introducesError, node: newName } = trackExistingEntityName(node.typeName, context); const typeArguments = visitNodes2(node.typeArguments, visitExistingNodeTreeSymbols, isTypeNode); if (!introducesError) { const updated = factory.updateTypeReferenceNode( node, newName, typeArguments ); return setTextRange2(context, updated, node); } else { const serializedName = serializeTypeName( context, node.typeName, /*isTypeOf*/ false, typeArguments ); if (serializedName) { return setTextRange2(context, serializedName, node.typeName); } } } } function visitExistingNodeTreeSymbolsWorker(node) { if (isJSDocTypeExpression(node)) { return visitNode(node.type, visitExistingNodeTreeSymbols, isTypeNode); } if (isJSDocAllType(node) || node.kind === 319) { return factory.createKeywordTypeNode( 133 /* AnyKeyword */ ); } if (isJSDocUnknownType(node)) { return factory.createKeywordTypeNode( 159 /* UnknownKeyword */ ); } if (isJSDocNullableType(node)) { return factory.createUnionTypeNode([visitNode(node.type, visitExistingNodeTreeSymbols, isTypeNode), factory.createLiteralTypeNode(factory.createNull())]); } if (isJSDocOptionalType(node)) { return factory.createUnionTypeNode([visitNode(node.type, visitExistingNodeTreeSymbols, isTypeNode), factory.createKeywordTypeNode( 157 /* UndefinedKeyword */ )]); } if (isJSDocNonNullableType(node)) { return visitNode(node.type, visitExistingNodeTreeSymbols); } if (isJSDocVariadicType(node)) { return factory.createArrayTypeNode(visitNode(node.type, visitExistingNodeTreeSymbols, isTypeNode)); } if (isJSDocTypeLiteral(node)) { return factory.createTypeLiteralNode(map(node.jsDocPropertyTags, (t) => { const name = visitNode(isIdentifier(t.name) ? t.name : t.name.right, visitExistingNodeTreeSymbols, isIdentifier); const typeViaParent = getTypeOfPropertyOfType(getTypeFromTypeNode2(context, node), name.escapedText); const overrideTypeNode = typeViaParent && t.typeExpression && getTypeFromTypeNode2(context, t.typeExpression.type) !== typeViaParent ? typeToTypeNodeHelper(typeViaParent, context) : void 0; return factory.createPropertySignature( /*modifiers*/ void 0, name, t.isBracketed || t.typeExpression && isJSDocOptionalType(t.typeExpression.type) ? factory.createToken( 58 /* QuestionToken */ ) : void 0, overrideTypeNode || t.typeExpression && visitNode(t.typeExpression.type, visitExistingNodeTreeSymbols, isTypeNode) || factory.createKeywordTypeNode( 133 /* AnyKeyword */ ) ); })); } if (isTypeReferenceNode(node) && isIdentifier(node.typeName) && node.typeName.escapedText === "") { return setOriginalNode(factory.createKeywordTypeNode( 133 /* AnyKeyword */ ), node); } if ((isExpressionWithTypeArguments(node) || isTypeReferenceNode(node)) && isJSDocIndexSignature(node)) { return factory.createTypeLiteralNode([factory.createIndexSignature( /*modifiers*/ void 0, [factory.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, "x", /*questionToken*/ void 0, visitNode(node.typeArguments[0], visitExistingNodeTreeSymbols, isTypeNode) )], visitNode(node.typeArguments[1], visitExistingNodeTreeSymbols, isTypeNode) )]); } if (isJSDocFunctionType(node)) { if (isJSDocConstructSignature(node)) { let newTypeNode; return factory.createConstructorTypeNode( /*modifiers*/ void 0, visitNodes2(node.typeParameters, visitExistingNodeTreeSymbols, isTypeParameterDeclaration), mapDefined(node.parameters, (p, i) => p.name && isIdentifier(p.name) && p.name.escapedText === "new" ? (newTypeNode = p.type, void 0) : factory.createParameterDeclaration( /*modifiers*/ void 0, getEffectiveDotDotDotForParameter(p), setTextRange2(context, factory.createIdentifier(getNameForJSDocFunctionParameter(p, i)), p), factory.cloneNode(p.questionToken), visitNode(p.type, visitExistingNodeTreeSymbols, isTypeNode), /*initializer*/ void 0 )), visitNode(newTypeNode || node.type, visitExistingNodeTreeSymbols, isTypeNode) || factory.createKeywordTypeNode( 133 /* AnyKeyword */ ) ); } else { return factory.createFunctionTypeNode( visitNodes2(node.typeParameters, visitExistingNodeTreeSymbols, isTypeParameterDeclaration), map(node.parameters, (p, i) => factory.createParameterDeclaration( /*modifiers*/ void 0, getEffectiveDotDotDotForParameter(p), setTextRange2(context, factory.createIdentifier(getNameForJSDocFunctionParameter(p, i)), p), factory.cloneNode(p.questionToken), visitNode(p.type, visitExistingNodeTreeSymbols, isTypeNode), /*initializer*/ void 0 )), visitNode(node.type, visitExistingNodeTreeSymbols, isTypeNode) || factory.createKeywordTypeNode( 133 /* AnyKeyword */ ) ); } } if (isThisTypeNode(node)) { if (canReuseTypeNode(context, node)) { return node; } hadError = true; return node; } if (isTypeParameterDeclaration(node)) { return factory.updateTypeParameterDeclaration( node, visitNodes2(node.modifiers, visitExistingNodeTreeSymbols, isModifier), setTextRange2(context, typeParameterToName(getDeclaredTypeOfSymbol(getSymbolOfDeclaration(node)), context), node), visitNode(node.constraint, visitExistingNodeTreeSymbols, isTypeNode), visitNode(node.default, visitExistingNodeTreeSymbols, isTypeNode) ); } if (isIndexedAccessTypeNode(node)) { const result = tryVisitIndexedAccess(node); if (!result) { hadError = true; return node; } return result; } if (isTypeReferenceNode(node)) { const result = tryVisitTypeReference(node); if (result) { return result; } hadError = true; return node; } if (isLiteralImportTypeNode(node)) { const nodeSymbol = getNodeLinks(node).resolvedSymbol; if (isInJSDoc(node) && nodeSymbol && // The import type resolved using jsdoc fallback logic (!node.isTypeOf && !(nodeSymbol.flags & 788968) || // The import type had type arguments autofilled by js fallback logic !(length(node.typeArguments) >= getMinTypeArgumentCount(getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(nodeSymbol))))) { return setTextRange2(context, typeToTypeNodeHelper(getTypeFromTypeNode2(context, node), context), node); } return factory.updateImportTypeNode( node, factory.updateLiteralTypeNode(node.argument, rewriteModuleSpecifier(node, node.argument.literal)), visitNode(node.attributes, visitExistingNodeTreeSymbols, isImportAttributes), visitNode(node.qualifier, visitExistingNodeTreeSymbols, isEntityName), visitNodes2(node.typeArguments, visitExistingNodeTreeSymbols, isTypeNode), node.isTypeOf ); } if (isNamedDeclaration(node) && node.name.kind === 167 && !isLateBindableName(node.name)) { if (!(context.flags & 1 && hasDynamicName(node) && isEntityNameExpression(node.name.expression) && checkComputedPropertyName(node.name).flags & 1)) { return void 0; } } if (isFunctionLike(node) && !node.type || isPropertyDeclaration(node) && !node.type && !node.initializer || isPropertySignature(node) && !node.type && !node.initializer || isParameter(node) && !node.type && !node.initializer) { let visited = visitEachChild2(node, visitExistingNodeTreeSymbols); if (visited === node) { visited = setTextRange2(context, factory.cloneNode(node), node); } visited.type = factory.createKeywordTypeNode( 133 /* AnyKeyword */ ); if (isParameter(node)) { visited.modifiers = void 0; } return visited; } if (isTypeQueryNode(node)) { const result = tryVisitTypeQuery(node); if (!result) { hadError = true; return node; } return result; } if (isComputedPropertyName(node) && isEntityNameExpression(node.expression)) { const { node: result, introducesError } = trackExistingEntityName(node.expression, context); if (!introducesError) { return factory.updateComputedPropertyName(node, result); } else { const type = getWidenedType(getRegularTypeOfExpression(node.expression)); const computedPropertyNameType = typeToTypeNodeHelper(type, context); let literal; if (isLiteralTypeNode(computedPropertyNameType)) { literal = computedPropertyNameType.literal; } else { const evaluated = evaluateEntityNameExpression(node.expression); const literalNode = typeof evaluated.value === "string" ? factory.createStringLiteral( evaluated.value, /*isSingleQuote*/ void 0 ) : typeof evaluated.value === "number" ? factory.createNumericLiteral( evaluated.value, /*numericLiteralFlags*/ 0 ) : void 0; if (!literalNode) { if (isImportTypeNode(computedPropertyNameType)) { trackComputedName(node.expression, context.enclosingDeclaration, context); } return node; } literal = literalNode; } if (literal.kind === 11 && isIdentifierText(literal.text, getEmitScriptTarget(compilerOptions))) { return factory.createIdentifier(literal.text); } if (literal.kind === 9 && !literal.text.startsWith("-")) { return literal; } return factory.updateComputedPropertyName(node, literal); } } if (isTypePredicateNode(node)) { let parameterName; if (isIdentifier(node.parameterName)) { const { node: result, introducesError } = trackExistingEntityName(node.parameterName, context); hadError = hadError || introducesError; parameterName = result; } else { parameterName = factory.cloneNode(node.parameterName); } return factory.updateTypePredicateNode(node, factory.cloneNode(node.assertsModifier), parameterName, visitNode(node.type, visitExistingNodeTreeSymbols, isTypeNode)); } if (isTupleTypeNode(node) || isTypeLiteralNode(node) || isMappedTypeNode(node)) { const visited = visitEachChild2(node, visitExistingNodeTreeSymbols); const clone2 = setTextRange2(context, visited === node ? factory.cloneNode(node) : visited, node); const flags = getEmitFlags(clone2); setEmitFlags(clone2, flags | (context.flags & 1024 && isTypeLiteralNode(node) ? 0 : 1)); return clone2; } if (isStringLiteral2(node) && !!(context.flags & 268435456) && !node.singleQuote) { const clone2 = factory.cloneNode(node); clone2.singleQuote = true; return clone2; } if (isConditionalTypeNode(node)) { const checkType = visitNode(node.checkType, visitExistingNodeTreeSymbols, isTypeNode); const disposeScope = onEnterNewScope(node); const extendType = visitNode(node.extendsType, visitExistingNodeTreeSymbols, isTypeNode); const trueType2 = visitNode(node.trueType, visitExistingNodeTreeSymbols, isTypeNode); disposeScope(); const falseType2 = visitNode(node.falseType, visitExistingNodeTreeSymbols, isTypeNode); return factory.updateConditionalTypeNode( node, checkType, extendType, trueType2, falseType2 ); } if (isTypeOperatorNode(node)) { if (node.operator === 158 && node.type.kind === 155) { if (!canReuseTypeNode(context, node)) { hadError = true; return node; } } else if (node.operator === 143) { const result = tryVisitKeyOf(node); if (!result) { hadError = true; return node; } return result; } } return visitEachChild2(node, visitExistingNodeTreeSymbols); function visitEachChild2(node2, visitor2) { const nonlocalNode = !context.enclosingFile || context.enclosingFile !== getSourceFileOfNode(node2); return visitEachChild( node2, visitor2, /*context*/ void 0, nonlocalNode ? visitNodesWithoutCopyingPositions : void 0 ); } function visitNodesWithoutCopyingPositions(nodes, visitor2, test, start, count) { let result = visitNodes2(nodes, visitor2, test, start, count); if (result) { if (result.pos !== -1 || result.end !== -1) { if (result === nodes) { result = factory.createNodeArray(nodes, nodes.hasTrailingComma); } setTextRangePosEnd(result, -1, -1); } } return result; } function getEffectiveDotDotDotForParameter(p) { return p.dotDotDotToken || (p.type && isJSDocVariadicType(p.type) ? factory.createToken( 26 /* DotDotDotToken */ ) : void 0); } function getNameForJSDocFunctionParameter(p, index) { return p.name && isIdentifier(p.name) && p.name.escapedText === "this" ? "this" : getEffectiveDotDotDotForParameter(p) ? `args` : `arg${index}`; } function rewriteModuleSpecifier(parent2, lit) { if (context.bundled || context.enclosingFile !== getSourceFileOfNode(lit)) { let name = lit.text; const nodeSymbol = getNodeLinks(node).resolvedSymbol; const meaning = parent2.isTypeOf ? 111551 : 788968; const parentSymbol = nodeSymbol && isSymbolAccessible( nodeSymbol, context.enclosingDeclaration, meaning, /*shouldComputeAliasesToMakeVisible*/ false ).accessibility === 0 && lookupSymbolChain( nodeSymbol, context, meaning, /*yieldModuleSymbol*/ true )[0]; if (parentSymbol && isExternalModuleSymbol(parentSymbol)) { name = getSpecifierForModuleSymbol(parentSymbol, context); } else { const targetFile = getExternalModuleFileFromDeclaration(parent2); if (targetFile) { name = getSpecifierForModuleSymbol(targetFile.symbol, context); } } if (name.includes("/node_modules/")) { context.encounteredError = true; if (context.tracker.reportLikelyUnsafeImportRequiredError) { context.tracker.reportLikelyUnsafeImportRequiredError(name); } } if (name !== lit.text) { return setOriginalNode(factory.createStringLiteral(name), lit); } } return visitNode(lit, visitExistingNodeTreeSymbols, isStringLiteral2); } } } function symbolTableToDeclarationStatements(symbolTable, context) { var _a; const serializePropertySymbolForClass = makeSerializePropertySymbol( factory.createPropertyDeclaration, 174, /*useAccessors*/ true ); const serializePropertySymbolForInterfaceWorker = makeSerializePropertySymbol( (mods, name, question, type) => factory.createPropertySignature(mods, name, question, type), 173, /*useAccessors*/ false ); const enclosingDeclaration = context.enclosingDeclaration; let results = []; const visitedSymbols = /* @__PURE__ */ new Set(); const deferredPrivatesStack = []; const oldcontext = context; context = { ...oldcontext, usedSymbolNames: new Set(oldcontext.usedSymbolNames), remappedSymbolNames: /* @__PURE__ */ new Map(), remappedSymbolReferences: new Map((_a = oldcontext.remappedSymbolReferences) == null ? void 0 : _a.entries()), tracker: void 0 }; const tracker2 = { ...oldcontext.tracker.inner, trackSymbol: (sym, decl, meaning) => { var _a2, _b; if ((_a2 = context.remappedSymbolNames) == null ? void 0 : _a2.has(getSymbolId(sym))) return false; const accessibleResult = isSymbolAccessible( sym, decl, meaning, /*shouldComputeAliasesToMakeVisible*/ false ); if (accessibleResult.accessibility === 0) { const chain = lookupSymbolChainWorker(sym, context, meaning); if (!(sym.flags & 4)) { const root2 = chain[0]; const contextFile = getSourceFileOfNode(oldcontext.enclosingDeclaration); if (some(root2.declarations, (d) => getSourceFileOfNode(d) === contextFile)) { includePrivateSymbol(root2); } } } else if ((_b = oldcontext.tracker.inner) == null ? void 0 : _b.trackSymbol) { return oldcontext.tracker.inner.trackSymbol(sym, decl, meaning); } return false; } }; context.tracker = new SymbolTrackerImpl(context, tracker2, oldcontext.tracker.moduleResolverHost); forEachEntry(symbolTable, (symbol, name) => { const baseName = unescapeLeadingUnderscores(name); void getInternalSymbolName(symbol, baseName); }); let addingDeclare = !context.bundled; const exportEquals = symbolTable.get( "export=" /* ExportEquals */ ); if (exportEquals && symbolTable.size > 1 && exportEquals.flags & (2097152 | 1536)) { symbolTable = createSymbolTable(); symbolTable.set("export=", exportEquals); } visitSymbolTable(symbolTable); return mergeRedundantStatements(results); function isIdentifierAndNotUndefined(node) { return !!node && node.kind === 80; } function getNamesOfDeclaration(statement) { if (isVariableStatement(statement)) { return filter(map(statement.declarationList.declarations, getNameOfDeclaration), isIdentifierAndNotUndefined); } return filter([getNameOfDeclaration(statement)], isIdentifierAndNotUndefined); } function flattenExportAssignedNamespace(statements) { const exportAssignment = find(statements, isExportAssignment); const nsIndex = findIndex(statements, isModuleDeclaration); let ns = nsIndex !== -1 ? statements[nsIndex] : void 0; if (ns && exportAssignment && exportAssignment.isExportEquals && isIdentifier(exportAssignment.expression) && isIdentifier(ns.name) && idText(ns.name) === idText(exportAssignment.expression) && ns.body && isModuleBlock(ns.body)) { const excessExports = filter(statements, (s) => !!(getEffectiveModifierFlags(s) & 32)); const name = ns.name; let body = ns.body; if (length(excessExports)) { ns = factory.updateModuleDeclaration( ns, ns.modifiers, ns.name, body = factory.updateModuleBlock( body, factory.createNodeArray([ ...ns.body.statements, factory.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory.createNamedExports(map(flatMap(excessExports, (e) => getNamesOfDeclaration(e)), (id) => factory.createExportSpecifier( /*isTypeOnly*/ false, /*propertyName*/ void 0, id ))), /*moduleSpecifier*/ void 0 ) ]) ) ); statements = [...statements.slice(0, nsIndex), ns, ...statements.slice(nsIndex + 1)]; } if (!find(statements, (s) => s !== ns && nodeHasName(s, name))) { results = []; const mixinExportFlag = !some(body.statements, (s) => hasSyntacticModifier( s, 32 /* Export */ ) || isExportAssignment(s) || isExportDeclaration(s)); forEach(body.statements, (s) => { addResult( s, mixinExportFlag ? 32 : 0 /* None */ ); }); statements = [...filter(statements, (s) => s !== ns && s !== exportAssignment), ...results]; } } return statements; } function mergeExportDeclarations(statements) { const exports22 = filter(statements, (d) => isExportDeclaration(d) && !d.moduleSpecifier && !!d.exportClause && isNamedExports(d.exportClause)); if (length(exports22) > 1) { const nonExports = filter(statements, (d) => !isExportDeclaration(d) || !!d.moduleSpecifier || !d.exportClause); statements = [ ...nonExports, factory.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory.createNamedExports(flatMap(exports22, (e) => cast(e.exportClause, isNamedExports).elements)), /*moduleSpecifier*/ void 0 ) ]; } const reexports = filter(statements, (d) => isExportDeclaration(d) && !!d.moduleSpecifier && !!d.exportClause && isNamedExports(d.exportClause)); if (length(reexports) > 1) { const groups = group(reexports, (decl) => isStringLiteral2(decl.moduleSpecifier) ? ">" + decl.moduleSpecifier.text : ">"); if (groups.length !== reexports.length) { for (const group2 of groups) { if (group2.length > 1) { statements = [ ...filter(statements, (s) => !group2.includes(s)), factory.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory.createNamedExports(flatMap(group2, (e) => cast(e.exportClause, isNamedExports).elements)), group2[0].moduleSpecifier ) ]; } } } } return statements; } function inlineExportModifiers(statements) { const index = findIndex(statements, (d) => isExportDeclaration(d) && !d.moduleSpecifier && !d.attributes && !!d.exportClause && isNamedExports(d.exportClause)); if (index >= 0) { const exportDecl = statements[index]; const replacements = mapDefined(exportDecl.exportClause.elements, (e) => { if (!e.propertyName) { const indices = indicesOf(statements); const associatedIndices = filter(indices, (i) => nodeHasName(statements[i], e.name)); if (length(associatedIndices) && every(associatedIndices, (i) => canHaveExportModifier(statements[i]))) { for (const index2 of associatedIndices) { statements[index2] = addExportModifier(statements[index2]); } return void 0; } } return e; }); if (!length(replacements)) { orderedRemoveItemAt(statements, index); } else { statements[index] = factory.updateExportDeclaration( exportDecl, exportDecl.modifiers, exportDecl.isTypeOnly, factory.updateNamedExports( exportDecl.exportClause, replacements ), exportDecl.moduleSpecifier, exportDecl.attributes ); } } return statements; } function mergeRedundantStatements(statements) { statements = flattenExportAssignedNamespace(statements); statements = mergeExportDeclarations(statements); statements = inlineExportModifiers(statements); if (enclosingDeclaration && (isSourceFile(enclosingDeclaration) && isExternalOrCommonJsModule(enclosingDeclaration) || isModuleDeclaration(enclosingDeclaration)) && (!some(statements, isExternalModuleIndicator) || !hasScopeMarker(statements) && some(statements, needsScopeMarker))) { statements.push(createEmptyExports(factory)); } return statements; } function addExportModifier(node) { const flags = (getEffectiveModifierFlags(node) | 32) & ~128; return factory.replaceModifiers(node, flags); } function removeExportModifier(node) { const flags = getEffectiveModifierFlags(node) & ~32; return factory.replaceModifiers(node, flags); } function visitSymbolTable(symbolTable2, suppressNewPrivateContext, propertyAsAlias) { if (!suppressNewPrivateContext) { deferredPrivatesStack.push(/* @__PURE__ */ new Map()); } symbolTable2.forEach((symbol) => { serializeSymbol( symbol, /*isPrivate*/ false, !!propertyAsAlias ); }); if (!suppressNewPrivateContext) { deferredPrivatesStack[deferredPrivatesStack.length - 1].forEach((symbol) => { serializeSymbol( symbol, /*isPrivate*/ true, !!propertyAsAlias ); }); deferredPrivatesStack.pop(); } } function serializeSymbol(symbol, isPrivate, propertyAsAlias) { void getPropertiesOfType(getTypeOfSymbol(symbol)); const visitedSym = getMergedSymbol(symbol); if (visitedSymbols.has(getSymbolId(visitedSym))) { return; } visitedSymbols.add(getSymbolId(visitedSym)); const skipMembershipCheck = !isPrivate; if (skipMembershipCheck || !!length(symbol.declarations) && some(symbol.declarations, (d) => !!findAncestor(d, (n) => n === enclosingDeclaration))) { const scopeCleanup = cloneNodeBuilderContext(context); serializeSymbolWorker(symbol, isPrivate, propertyAsAlias); scopeCleanup(); } } function serializeSymbolWorker(symbol, isPrivate, propertyAsAlias, escapedSymbolName = symbol.escapedName) { var _a2, _b, _c, _d, _e, _f; const symbolName2 = unescapeLeadingUnderscores(escapedSymbolName); const isDefault = escapedSymbolName === "default"; if (isPrivate && !(context.flags & 131072) && isStringANonContextualKeyword(symbolName2) && !isDefault) { context.encounteredError = true; return; } let needsPostExportDefault = isDefault && !!(symbol.flags & -113 || symbol.flags & 16 && length(getPropertiesOfType(getTypeOfSymbol(symbol)))) && !(symbol.flags & 2097152); let needsExportDeclaration = !needsPostExportDefault && !isPrivate && isStringANonContextualKeyword(symbolName2) && !isDefault; if (needsPostExportDefault || needsExportDeclaration) { isPrivate = true; } const modifierFlags = (!isPrivate ? 32 : 0) | (isDefault && !needsPostExportDefault ? 2048 : 0); const isConstMergedWithNS = symbol.flags & 1536 && symbol.flags & (2 | 1 | 4) && escapedSymbolName !== "export="; const isConstMergedWithNSPrintableAsSignatureMerge = isConstMergedWithNS && isTypeRepresentableAsFunctionNamespaceMerge(getTypeOfSymbol(symbol), symbol); if (symbol.flags & (16 | 8192) || isConstMergedWithNSPrintableAsSignatureMerge) { serializeAsFunctionNamespaceMerge(getTypeOfSymbol(symbol), symbol, getInternalSymbolName(symbol, symbolName2), modifierFlags); } if (symbol.flags & 524288) { serializeTypeAlias(symbol, symbolName2, modifierFlags); } if (symbol.flags & (2 | 1 | 4 | 98304) && escapedSymbolName !== "export=" && !(symbol.flags & 4194304) && !(symbol.flags & 32) && !(symbol.flags & 8192) && !isConstMergedWithNSPrintableAsSignatureMerge) { if (propertyAsAlias) { const createdExport = serializeMaybeAliasAssignment(symbol); if (createdExport) { needsExportDeclaration = false; needsPostExportDefault = false; } } else { const type = getTypeOfSymbol(symbol); const localName = getInternalSymbolName(symbol, symbolName2); if (type.symbol && type.symbol !== symbol && type.symbol.flags & 16 && some(type.symbol.declarations, isFunctionExpressionOrArrowFunction) && (((_a2 = type.symbol.members) == null ? void 0 : _a2.size) || ((_b = type.symbol.exports) == null ? void 0 : _b.size))) { if (!context.remappedSymbolReferences) { context.remappedSymbolReferences = /* @__PURE__ */ new Map(); } context.remappedSymbolReferences.set(getSymbolId(type.symbol), symbol); serializeSymbolWorker(type.symbol, isPrivate, propertyAsAlias, escapedSymbolName); context.remappedSymbolReferences.delete(getSymbolId(type.symbol)); } else if (!(symbol.flags & 16) && isTypeRepresentableAsFunctionNamespaceMerge(type, symbol)) { serializeAsFunctionNamespaceMerge(type, symbol, localName, modifierFlags); } else { const flags = !(symbol.flags & 2) ? ((_c = symbol.parent) == null ? void 0 : _c.valueDeclaration) && isSourceFile((_d = symbol.parent) == null ? void 0 : _d.valueDeclaration) ? 2 : void 0 : isConstantVariable(symbol) ? 2 : 1; const name = needsPostExportDefault || !(symbol.flags & 4) ? localName : getUnusedName(localName, symbol); let textRange = symbol.declarations && find(symbol.declarations, (d) => isVariableDeclaration(d)); if (textRange && isVariableDeclarationList(textRange.parent) && textRange.parent.declarations.length === 1) { textRange = textRange.parent.parent; } const propertyAccessRequire = (_e = symbol.declarations) == null ? void 0 : _e.find(isPropertyAccessExpression); if (propertyAccessRequire && isBinaryExpression(propertyAccessRequire.parent) && isIdentifier(propertyAccessRequire.parent.right) && ((_f = type.symbol) == null ? void 0 : _f.valueDeclaration) && isSourceFile(type.symbol.valueDeclaration)) { const alias = localName === propertyAccessRequire.parent.right.escapedText ? void 0 : propertyAccessRequire.parent.right; addResult( factory.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory.createNamedExports([factory.createExportSpecifier( /*isTypeOnly*/ false, alias, localName )]) ), 0 /* None */ ); context.tracker.trackSymbol( type.symbol, context.enclosingDeclaration, 111551 /* Value */ ); } else { const statement = setTextRange2( context, factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList([ factory.createVariableDeclaration( name, /*exclamationToken*/ void 0, serializeTypeForDeclaration( context, /*declaration*/ void 0, type, symbol ) ) ], flags) ), textRange ); addResult(statement, name !== localName ? modifierFlags & ~32 : modifierFlags); if (name !== localName && !isPrivate) { addResult( factory.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory.createNamedExports([factory.createExportSpecifier( /*isTypeOnly*/ false, name, localName )]) ), 0 /* None */ ); needsExportDeclaration = false; needsPostExportDefault = false; } } } } } if (symbol.flags & 384) { serializeEnum(symbol, symbolName2, modifierFlags); } if (symbol.flags & 32) { if (symbol.flags & 4 && symbol.valueDeclaration && isBinaryExpression(symbol.valueDeclaration.parent) && isClassExpression(symbol.valueDeclaration.parent.right)) { serializeAsAlias(symbol, getInternalSymbolName(symbol, symbolName2), modifierFlags); } else { serializeAsClass(symbol, getInternalSymbolName(symbol, symbolName2), modifierFlags); } } if (symbol.flags & (512 | 1024) && (!isConstMergedWithNS || isTypeOnlyNamespace(symbol)) || isConstMergedWithNSPrintableAsSignatureMerge) { serializeModule(symbol, symbolName2, modifierFlags); } if (symbol.flags & 64 && !(symbol.flags & 32)) { serializeInterface(symbol, symbolName2, modifierFlags); } if (symbol.flags & 2097152) { serializeAsAlias(symbol, getInternalSymbolName(symbol, symbolName2), modifierFlags); } if (symbol.flags & 4 && symbol.escapedName === "export=") { serializeMaybeAliasAssignment(symbol); } if (symbol.flags & 8388608) { if (symbol.declarations) { for (const node of symbol.declarations) { const resolvedModule = resolveExternalModuleName(node, node.moduleSpecifier); if (!resolvedModule) continue; addResult( factory.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ node.isTypeOnly, /*exportClause*/ void 0, factory.createStringLiteral(getSpecifierForModuleSymbol(resolvedModule, context)) ), 0 /* None */ ); } } } if (needsPostExportDefault) { addResult( factory.createExportAssignment( /*modifiers*/ void 0, /*isExportEquals*/ false, factory.createIdentifier(getInternalSymbolName(symbol, symbolName2)) ), 0 /* None */ ); } else if (needsExportDeclaration) { addResult( factory.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory.createNamedExports([factory.createExportSpecifier( /*isTypeOnly*/ false, getInternalSymbolName(symbol, symbolName2), symbolName2 )]) ), 0 /* None */ ); } } function includePrivateSymbol(symbol) { if (some(symbol.declarations, isPartOfParameterDeclaration)) return; Debug.assertIsDefined(deferredPrivatesStack[deferredPrivatesStack.length - 1]); getUnusedName(unescapeLeadingUnderscores(symbol.escapedName), symbol); const isExternalImportAlias = !!(symbol.flags & 2097152) && !some(symbol.declarations, (d) => !!findAncestor(d, isExportDeclaration) || isNamespaceExport(d) || isImportEqualsDeclaration(d) && !isExternalModuleReference(d.moduleReference)); deferredPrivatesStack[isExternalImportAlias ? 0 : deferredPrivatesStack.length - 1].set(getSymbolId(symbol), symbol); } function isExportingScope(enclosingDeclaration2) { return isSourceFile(enclosingDeclaration2) && (isExternalOrCommonJsModule(enclosingDeclaration2) || isJsonSourceFile(enclosingDeclaration2)) || isAmbientModule(enclosingDeclaration2) && !isGlobalScopeAugmentation(enclosingDeclaration2); } function addResult(node, additionalModifierFlags) { if (canHaveModifiers(node)) { let newModifierFlags = 0; const enclosingDeclaration2 = context.enclosingDeclaration && (isJSDocTypeAlias(context.enclosingDeclaration) ? getSourceFileOfNode(context.enclosingDeclaration) : context.enclosingDeclaration); if (additionalModifierFlags & 32 && enclosingDeclaration2 && (isExportingScope(enclosingDeclaration2) || isModuleDeclaration(enclosingDeclaration2)) && canHaveExportModifier(node)) { newModifierFlags |= 32; } if (addingDeclare && !(newModifierFlags & 32) && (!enclosingDeclaration2 || !(enclosingDeclaration2.flags & 33554432)) && (isEnumDeclaration(node) || isVariableStatement(node) || isFunctionDeclaration(node) || isClassDeclaration(node) || isModuleDeclaration(node))) { newModifierFlags |= 128; } if (additionalModifierFlags & 2048 && (isClassDeclaration(node) || isInterfaceDeclaration(node) || isFunctionDeclaration(node))) { newModifierFlags |= 2048; } if (newModifierFlags) { node = factory.replaceModifiers(node, newModifierFlags | getEffectiveModifierFlags(node)); } } results.push(node); } function serializeTypeAlias(symbol, symbolName2, modifierFlags) { var _a2; const aliasType = getDeclaredTypeOfTypeAlias(symbol); const typeParams = getSymbolLinks(symbol).typeParameters; const typeParamDecls = map(typeParams, (p) => typeParameterToDeclaration(p, context)); const jsdocAliasDecl = (_a2 = symbol.declarations) == null ? void 0 : _a2.find(isJSDocTypeAlias); const commentText = getTextOfJSDocComment(jsdocAliasDecl ? jsdocAliasDecl.comment || jsdocAliasDecl.parent.comment : void 0); const oldFlags = context.flags; context.flags |= 8388608; const oldEnclosingDecl = context.enclosingDeclaration; context.enclosingDeclaration = jsdocAliasDecl; const typeNode = jsdocAliasDecl && jsdocAliasDecl.typeExpression && isJSDocTypeExpression(jsdocAliasDecl.typeExpression) && tryReuseExistingNonParameterTypeNode( context, jsdocAliasDecl.typeExpression.type, aliasType, /*host*/ void 0 ) || typeToTypeNodeHelper(aliasType, context); addResult( setSyntheticLeadingComments( factory.createTypeAliasDeclaration( /*modifiers*/ void 0, getInternalSymbolName(symbol, symbolName2), typeParamDecls, typeNode ), !commentText ? [] : [{ kind: 3, text: "*\n * " + commentText.replace(/\n/g, "\n * ") + "\n ", pos: -1, end: -1, hasTrailingNewLine: true }] ), modifierFlags ); context.flags = oldFlags; context.enclosingDeclaration = oldEnclosingDecl; } function serializeInterface(symbol, symbolName2, modifierFlags) { const interfaceType = getDeclaredTypeOfClassOrInterface(symbol); const localParams = getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol); const typeParamDecls = map(localParams, (p) => typeParameterToDeclaration(p, context)); const baseTypes = getBaseTypes(interfaceType); const baseType = length(baseTypes) ? getIntersectionType(baseTypes) : void 0; const members = flatMap(getPropertiesOfType(interfaceType), (p) => serializePropertySymbolForInterface(p, baseType)); const callSignatures = serializeSignatures( 0, interfaceType, baseType, 179 /* CallSignature */ ); const constructSignatures = serializeSignatures( 1, interfaceType, baseType, 180 /* ConstructSignature */ ); const indexSignatures = serializeIndexSignatures(interfaceType, baseType); const heritageClauses = !length(baseTypes) ? void 0 : [factory.createHeritageClause(96, mapDefined(baseTypes, (b) => trySerializeAsTypeReference( b, 111551 /* Value */ )))]; addResult( factory.createInterfaceDeclaration( /*modifiers*/ void 0, getInternalSymbolName(symbol, symbolName2), typeParamDecls, heritageClauses, [...indexSignatures, ...constructSignatures, ...callSignatures, ...members] ), modifierFlags ); } function getNamespaceMembersForSerialization(symbol) { let exports22 = arrayFrom(getExportsOfSymbol(symbol).values()); const merged = getMergedSymbol(symbol); if (merged !== symbol) { const membersSet = new Set(exports22); for (const exported of getExportsOfSymbol(merged).values()) { if (!(getSymbolFlags(resolveSymbol(exported)) & 111551)) { membersSet.add(exported); } } exports22 = arrayFrom(membersSet); } return filter(exports22, (m) => isNamespaceMember(m) && isIdentifierText( m.escapedName, 99 /* ESNext */ )); } function isTypeOnlyNamespace(symbol) { return every(getNamespaceMembersForSerialization(symbol), (m) => !(getSymbolFlags(resolveSymbol(m)) & 111551)); } function serializeModule(symbol, symbolName2, modifierFlags) { const members = getNamespaceMembersForSerialization(symbol); const locationMap = arrayToMultiMap(members, (m) => m.parent && m.parent === symbol ? "real" : "merged"); const realMembers = locationMap.get("real") || emptyArray; const mergedMembers = locationMap.get("merged") || emptyArray; if (length(realMembers)) { const localName = getInternalSymbolName(symbol, symbolName2); serializeAsNamespaceDeclaration(realMembers, localName, modifierFlags, !!(symbol.flags & (16 | 67108864))); } if (length(mergedMembers)) { const containingFile = getSourceFileOfNode(context.enclosingDeclaration); const localName = getInternalSymbolName(symbol, symbolName2); const nsBody = factory.createModuleBlock([factory.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory.createNamedExports(mapDefined(filter( mergedMembers, (n) => n.escapedName !== "export=" /* ExportEquals */ ), (s) => { var _a2, _b; const name = unescapeLeadingUnderscores(s.escapedName); const localName2 = getInternalSymbolName(s, name); const aliasDecl = s.declarations && getDeclarationOfAliasSymbol(s); if (containingFile && (aliasDecl ? containingFile !== getSourceFileOfNode(aliasDecl) : !some(s.declarations, (d) => getSourceFileOfNode(d) === containingFile))) { (_b = (_a2 = context.tracker) == null ? void 0 : _a2.reportNonlocalAugmentation) == null ? void 0 : _b.call(_a2, containingFile, symbol, s); return void 0; } const target = aliasDecl && getTargetOfAliasDeclaration( aliasDecl, /*dontRecursivelyResolve*/ true ); includePrivateSymbol(target || s); const targetName = target ? getInternalSymbolName(target, unescapeLeadingUnderscores(target.escapedName)) : localName2; return factory.createExportSpecifier( /*isTypeOnly*/ false, name === targetName ? void 0 : targetName, name ); })) )]); addResult( factory.createModuleDeclaration( /*modifiers*/ void 0, factory.createIdentifier(localName), nsBody, 32 /* Namespace */ ), 0 /* None */ ); } } function serializeEnum(symbol, symbolName2, modifierFlags) { addResult( factory.createEnumDeclaration( factory.createModifiersFromModifierFlags(isConstEnumSymbol(symbol) ? 4096 : 0), getInternalSymbolName(symbol, symbolName2), map(filter(getPropertiesOfType(getTypeOfSymbol(symbol)), (p) => !!(p.flags & 8)), (p) => { const initializedValue = p.declarations && p.declarations[0] && isEnumMember(p.declarations[0]) ? getConstantValue2(p.declarations[0]) : void 0; return factory.createEnumMember( unescapeLeadingUnderscores(p.escapedName), initializedValue === void 0 ? void 0 : typeof initializedValue === "string" ? factory.createStringLiteral(initializedValue) : factory.createNumericLiteral(initializedValue) ); }) ), modifierFlags ); } function serializeAsFunctionNamespaceMerge(type, symbol, localName, modifierFlags) { const signatures = getSignaturesOfType( type, 0 /* Call */ ); for (const sig of signatures) { const decl = signatureToSignatureDeclarationHelper(sig, 262, context, { name: factory.createIdentifier(localName) }); addResult(setTextRange2(context, decl, getSignatureTextRangeLocation(sig)), modifierFlags); } if (!(symbol.flags & (512 | 1024) && !!symbol.exports && !!symbol.exports.size)) { const props = filter(getPropertiesOfType(type), isNamespaceMember); serializeAsNamespaceDeclaration( props, localName, modifierFlags, /*suppressNewPrivateContext*/ true ); } } function getSignatureTextRangeLocation(signature) { if (signature.declaration && signature.declaration.parent) { if (isBinaryExpression(signature.declaration.parent) && getAssignmentDeclarationKind(signature.declaration.parent) === 5) { return signature.declaration.parent; } if (isVariableDeclaration(signature.declaration.parent) && signature.declaration.parent.parent) { return signature.declaration.parent.parent; } } return signature.declaration; } function serializeAsNamespaceDeclaration(props, localName, modifierFlags, suppressNewPrivateContext) { if (length(props)) { const localVsRemoteMap = arrayToMultiMap(props, (p) => !length(p.declarations) || some(p.declarations, (d) => getSourceFileOfNode(d) === getSourceFileOfNode(context.enclosingDeclaration)) ? "local" : "remote"); const localProps = localVsRemoteMap.get("local") || emptyArray; let fakespace = parseNodeFactory.createModuleDeclaration( /*modifiers*/ void 0, factory.createIdentifier(localName), factory.createModuleBlock([]), 32 /* Namespace */ ); setParent(fakespace, enclosingDeclaration); fakespace.locals = createSymbolTable(props); fakespace.symbol = props[0].parent; const oldResults = results; results = []; const oldAddingDeclare = addingDeclare; addingDeclare = false; const subcontext = { ...context, enclosingDeclaration: fakespace }; const oldContext = context; context = subcontext; visitSymbolTable( createSymbolTable(localProps), suppressNewPrivateContext, /*propertyAsAlias*/ true ); context = oldContext; addingDeclare = oldAddingDeclare; const declarations = results; results = oldResults; const defaultReplaced = map(declarations, (d) => isExportAssignment(d) && !d.isExportEquals && isIdentifier(d.expression) ? factory.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory.createNamedExports([factory.createExportSpecifier( /*isTypeOnly*/ false, d.expression, factory.createIdentifier( "default" /* Default */ ) )]) ) : d); const exportModifierStripped = every(defaultReplaced, (d) => hasSyntacticModifier( d, 32 /* Export */ )) ? map(defaultReplaced, removeExportModifier) : defaultReplaced; fakespace = factory.updateModuleDeclaration( fakespace, fakespace.modifiers, fakespace.name, factory.createModuleBlock(exportModifierStripped) ); addResult(fakespace, modifierFlags); } } function isNamespaceMember(p) { return !!(p.flags & (788968 | 1920 | 2097152)) || !(p.flags & 4194304 || p.escapedName === "prototype" || p.valueDeclaration && isStatic(p.valueDeclaration) && isClassLike(p.valueDeclaration.parent)); } function sanitizeJSDocImplements(clauses) { const result = mapDefined(clauses, (e) => { const oldEnclosing = context.enclosingDeclaration; context.enclosingDeclaration = e; let expr = e.expression; if (isEntityNameExpression(expr)) { if (isIdentifier(expr) && idText(expr) === "") { return cleanup( /*result*/ void 0 ); } let introducesError; ({ introducesError, node: expr } = trackExistingEntityName(expr, context)); if (introducesError) { return cleanup( /*result*/ void 0 ); } } return cleanup(factory.createExpressionWithTypeArguments( expr, map(e.typeArguments, (a) => tryReuseExistingNonParameterTypeNode(context, a, getTypeFromTypeNode2(context, a)) || typeToTypeNodeHelper(getTypeFromTypeNode2(context, a), context)) )); function cleanup(result2) { context.enclosingDeclaration = oldEnclosing; return result2; } }); if (result.length === clauses.length) { return result; } return void 0; } function serializeAsClass(symbol, localName, modifierFlags) { var _a2, _b; const originalDecl = (_a2 = symbol.declarations) == null ? void 0 : _a2.find(isClassLike); const oldEnclosing = context.enclosingDeclaration; context.enclosingDeclaration = originalDecl || oldEnclosing; const localParams = getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol); const typeParamDecls = map(localParams, (p) => typeParameterToDeclaration(p, context)); const classType = getTypeWithThisArgument(getDeclaredTypeOfClassOrInterface(symbol)); const baseTypes = getBaseTypes(classType); const originalImplements = originalDecl && getEffectiveImplementsTypeNodes(originalDecl); const implementsExpressions = originalImplements && sanitizeJSDocImplements(originalImplements) || mapDefined(getImplementsTypes(classType), serializeImplementedType); const staticType = getTypeOfSymbol(symbol); const isClass = !!((_b = staticType.symbol) == null ? void 0 : _b.valueDeclaration) && isClassLike(staticType.symbol.valueDeclaration); const staticBaseType = isClass ? getBaseConstructorTypeOfClass(staticType) : anyType2; const heritageClauses = [ ...!length(baseTypes) ? [] : [factory.createHeritageClause(96, map(baseTypes, (b) => serializeBaseType(b, staticBaseType, localName)))], ...!length(implementsExpressions) ? [] : [factory.createHeritageClause(119, implementsExpressions)] ]; const symbolProps = getNonInheritedProperties(classType, baseTypes, getPropertiesOfType(classType)); const publicSymbolProps = filter(symbolProps, (s) => { const valueDecl = s.valueDeclaration; return !!valueDecl && !(isNamedDeclaration(valueDecl) && isPrivateIdentifier(valueDecl.name)); }); const hasPrivateIdentifier = some(symbolProps, (s) => { const valueDecl = s.valueDeclaration; return !!valueDecl && isNamedDeclaration(valueDecl) && isPrivateIdentifier(valueDecl.name); }); const privateProperties = hasPrivateIdentifier ? [factory.createPropertyDeclaration( /*modifiers*/ void 0, factory.createPrivateIdentifier("#private"), /*questionOrExclamationToken*/ void 0, /*type*/ void 0, /*initializer*/ void 0 )] : emptyArray; const publicProperties = flatMap(publicSymbolProps, (p) => serializePropertySymbolForClass( p, /*isStatic*/ false, baseTypes[0] )); const staticMembers = flatMap( filter(getPropertiesOfType(staticType), (p) => !(p.flags & 4194304) && p.escapedName !== "prototype" && !isNamespaceMember(p)), (p) => serializePropertySymbolForClass( p, /*isStatic*/ true, staticBaseType ) ); const isNonConstructableClassLikeInJsFile = !isClass && !!symbol.valueDeclaration && isInJSFile(symbol.valueDeclaration) && !some(getSignaturesOfType( staticType, 1 /* Construct */ )); const constructors = isNonConstructableClassLikeInJsFile ? [factory.createConstructorDeclaration( factory.createModifiersFromModifierFlags( 2 /* Private */ ), [], /*body*/ void 0 )] : serializeSignatures( 1, staticType, staticBaseType, 176 /* Constructor */ ); const indexSignatures = serializeIndexSignatures(classType, baseTypes[0]); context.enclosingDeclaration = oldEnclosing; addResult( setTextRange2( context, factory.createClassDeclaration( /*modifiers*/ void 0, localName, typeParamDecls, heritageClauses, [...indexSignatures, ...staticMembers, ...constructors, ...publicProperties, ...privateProperties] ), symbol.declarations && filter(symbol.declarations, (d) => isClassDeclaration(d) || isClassExpression(d))[0] ), modifierFlags ); } function getSomeTargetNameFromDeclarations(declarations) { return firstDefined(declarations, (d) => { if (isImportSpecifier(d) || isExportSpecifier(d)) { return idText(d.propertyName || d.name); } if (isBinaryExpression(d) || isExportAssignment(d)) { const expression = isExportAssignment(d) ? d.expression : d.right; if (isPropertyAccessExpression(expression)) { return idText(expression.name); } } if (isAliasSymbolDeclaration2(d)) { const name = getNameOfDeclaration(d); if (name && isIdentifier(name)) { return idText(name); } } return void 0; }); } function serializeAsAlias(symbol, localName, modifierFlags) { var _a2, _b, _c, _d, _e, _f; const node = getDeclarationOfAliasSymbol(symbol); if (!node) return Debug.fail(); const target = getMergedSymbol(getTargetOfAliasDeclaration( node, /*dontRecursivelyResolve*/ true )); if (!target) { return; } let verbatimTargetName = isShorthandAmbientModuleSymbol(target) && getSomeTargetNameFromDeclarations(symbol.declarations) || unescapeLeadingUnderscores(target.escapedName); if (verbatimTargetName === "export=" && allowSyntheticDefaultImports) { verbatimTargetName = "default"; } const targetName = getInternalSymbolName(target, verbatimTargetName); includePrivateSymbol(target); switch (node.kind) { case 208: if (((_b = (_a2 = node.parent) == null ? void 0 : _a2.parent) == null ? void 0 : _b.kind) === 260) { const specifier2 = getSpecifierForModuleSymbol(target.parent || target, context); const { propertyName } = node; addResult( factory.createImportDeclaration( /*modifiers*/ void 0, factory.createImportClause( /*isTypeOnly*/ false, /*name*/ void 0, factory.createNamedImports([factory.createImportSpecifier( /*isTypeOnly*/ false, propertyName && isIdentifier(propertyName) ? factory.createIdentifier(idText(propertyName)) : void 0, factory.createIdentifier(localName) )]) ), factory.createStringLiteral(specifier2), /*attributes*/ void 0 ), 0 /* None */ ); break; } Debug.failBadSyntaxKind(((_c = node.parent) == null ? void 0 : _c.parent) || node, "Unhandled binding element grandparent kind in declaration serialization"); break; case 304: if (((_e = (_d = node.parent) == null ? void 0 : _d.parent) == null ? void 0 : _e.kind) === 226) { serializeExportSpecifier( unescapeLeadingUnderscores(symbol.escapedName), targetName ); } break; case 260: if (isPropertyAccessExpression(node.initializer)) { const initializer = node.initializer; const uniqueName = factory.createUniqueName(localName); const specifier2 = getSpecifierForModuleSymbol(target.parent || target, context); addResult( factory.createImportEqualsDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, uniqueName, factory.createExternalModuleReference(factory.createStringLiteral(specifier2)) ), 0 /* None */ ); addResult( factory.createImportEqualsDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory.createIdentifier(localName), factory.createQualifiedName(uniqueName, initializer.name) ), modifierFlags ); break; } case 271: if (target.escapedName === "export=" && some(target.declarations, (d) => isSourceFile(d) && isJsonSourceFile(d))) { serializeMaybeAliasAssignment(symbol); break; } const isLocalImport = !(target.flags & 512) && !isVariableDeclaration(node); addResult( factory.createImportEqualsDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory.createIdentifier(localName), isLocalImport ? symbolToName( target, context, -1, /*expectsIdentifier*/ false ) : factory.createExternalModuleReference(factory.createStringLiteral(getSpecifierForModuleSymbol(target, context))) ), isLocalImport ? modifierFlags : 0 /* None */ ); break; case 270: addResult( factory.createNamespaceExportDeclaration(idText(node.name)), 0 /* None */ ); break; case 273: { const generatedSpecifier = getSpecifierForModuleSymbol(target.parent || target, context); const specifier2 = context.bundled ? factory.createStringLiteral(generatedSpecifier) : node.parent.moduleSpecifier; const attributes = isImportDeclaration(node.parent) ? node.parent.attributes : void 0; const isTypeOnly = isJSDocImportTag(node.parent); addResult( factory.createImportDeclaration( /*modifiers*/ void 0, factory.createImportClause( isTypeOnly, factory.createIdentifier(localName), /*namedBindings*/ void 0 ), specifier2, attributes ), 0 /* None */ ); break; } case 274: { const generatedSpecifier = getSpecifierForModuleSymbol(target.parent || target, context); const specifier2 = context.bundled ? factory.createStringLiteral(generatedSpecifier) : node.parent.parent.moduleSpecifier; const isTypeOnly = isJSDocImportTag(node.parent.parent); addResult( factory.createImportDeclaration( /*modifiers*/ void 0, factory.createImportClause( isTypeOnly, /*name*/ void 0, factory.createNamespaceImport(factory.createIdentifier(localName)) ), specifier2, node.parent.attributes ), 0 /* None */ ); break; } case 280: addResult( factory.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory.createNamespaceExport(factory.createIdentifier(localName)), factory.createStringLiteral(getSpecifierForModuleSymbol(target, context)) ), 0 /* None */ ); break; case 276: { const generatedSpecifier = getSpecifierForModuleSymbol(target.parent || target, context); const specifier2 = context.bundled ? factory.createStringLiteral(generatedSpecifier) : node.parent.parent.parent.moduleSpecifier; const isTypeOnly = isJSDocImportTag(node.parent.parent.parent); addResult( factory.createImportDeclaration( /*modifiers*/ void 0, factory.createImportClause( isTypeOnly, /*name*/ void 0, factory.createNamedImports([ factory.createImportSpecifier( /*isTypeOnly*/ false, localName !== verbatimTargetName ? factory.createIdentifier(verbatimTargetName) : void 0, factory.createIdentifier(localName) ) ]) ), specifier2, node.parent.parent.parent.attributes ), 0 /* None */ ); break; } case 281: const specifier = node.parent.parent.moduleSpecifier; if (specifier && ((_f = node.propertyName) == null ? void 0 : _f.escapedText) === "default") { verbatimTargetName = "default"; } serializeExportSpecifier( unescapeLeadingUnderscores(symbol.escapedName), specifier ? verbatimTargetName : targetName, specifier && isStringLiteralLike(specifier) ? factory.createStringLiteral(specifier.text) : void 0 ); break; case 277: serializeMaybeAliasAssignment(symbol); break; case 226: case 211: case 212: if (symbol.escapedName === "default" || symbol.escapedName === "export=") { serializeMaybeAliasAssignment(symbol); } else { serializeExportSpecifier(localName, targetName); } break; default: return Debug.failBadSyntaxKind(node, "Unhandled alias declaration kind in symbol serializer!"); } } function serializeExportSpecifier(localName, targetName, specifier) { addResult( factory.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory.createNamedExports([factory.createExportSpecifier( /*isTypeOnly*/ false, localName !== targetName ? targetName : void 0, localName )]), specifier ), 0 /* None */ ); } function serializeMaybeAliasAssignment(symbol) { var _a2; if (symbol.flags & 4194304) { return false; } const name = unescapeLeadingUnderscores(symbol.escapedName); const isExportEquals = name === "export="; const isDefault = name === "default"; const isExportAssignmentCompatibleSymbolName = isExportEquals || isDefault; const aliasDecl = symbol.declarations && getDeclarationOfAliasSymbol(symbol); const target = aliasDecl && getTargetOfAliasDeclaration( aliasDecl, /*dontRecursivelyResolve*/ true ); if (target && length(target.declarations) && some(target.declarations, (d) => getSourceFileOfNode(d) === getSourceFileOfNode(enclosingDeclaration))) { const expr = aliasDecl && (isExportAssignment(aliasDecl) || isBinaryExpression(aliasDecl) ? getExportAssignmentExpression(aliasDecl) : getPropertyAssignmentAliasLikeExpression(aliasDecl)); const first2 = expr && isEntityNameExpression(expr) ? getFirstNonModuleExportsIdentifier(expr) : void 0; const referenced = first2 && resolveEntityName( first2, -1, /*ignoreErrors*/ true, /*dontResolveAlias*/ true, enclosingDeclaration ); if (referenced || target) { includePrivateSymbol(referenced || target); } const prevDisableTrackSymbol = context.tracker.disableTrackSymbol; context.tracker.disableTrackSymbol = true; if (isExportAssignmentCompatibleSymbolName) { results.push(factory.createExportAssignment( /*modifiers*/ void 0, isExportEquals, symbolToExpression( target, context, -1 /* All */ ) )); } else { if (first2 === expr && first2) { serializeExportSpecifier(name, idText(first2)); } else if (expr && isClassExpression(expr)) { serializeExportSpecifier(name, getInternalSymbolName(target, symbolName(target))); } else { const varName = getUnusedName(name, symbol); addResult( factory.createImportEqualsDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory.createIdentifier(varName), symbolToName( target, context, -1, /*expectsIdentifier*/ false ) ), 0 /* None */ ); serializeExportSpecifier(name, varName); } } context.tracker.disableTrackSymbol = prevDisableTrackSymbol; return true; } else { const varName = getUnusedName(name, symbol); const typeToSerialize = getWidenedType(getTypeOfSymbol(getMergedSymbol(symbol))); if (isTypeRepresentableAsFunctionNamespaceMerge(typeToSerialize, symbol)) { serializeAsFunctionNamespaceMerge( typeToSerialize, symbol, varName, isExportAssignmentCompatibleSymbolName ? 0 : 32 /* Export */ ); } else { const flags = ((_a2 = context.enclosingDeclaration) == null ? void 0 : _a2.kind) === 267 && (!(symbol.flags & 98304) || symbol.flags & 65536) ? 1 : 2; const statement = factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList([ factory.createVariableDeclaration( varName, /*exclamationToken*/ void 0, serializeTypeForDeclaration( context, /*declaration*/ void 0, typeToSerialize, symbol ) ) ], flags) ); addResult( statement, target && target.flags & 4 && target.escapedName === "export=" ? 128 : name === varName ? 32 : 0 /* None */ ); } if (isExportAssignmentCompatibleSymbolName) { results.push(factory.createExportAssignment( /*modifiers*/ void 0, isExportEquals, factory.createIdentifier(varName) )); return true; } else if (name !== varName) { serializeExportSpecifier(name, varName); return true; } return false; } } function isTypeRepresentableAsFunctionNamespaceMerge(typeToSerialize, hostSymbol) { var _a2; const ctxSrc = getSourceFileOfNode(context.enclosingDeclaration); return getObjectFlags(typeToSerialize) & (16 | 32) && !some((_a2 = typeToSerialize.symbol) == null ? void 0 : _a2.declarations, isTypeNode) && // If the type comes straight from a type node, we shouldn't try to break it up !length(getIndexInfosOfType(typeToSerialize)) && !isClassInstanceSide(typeToSerialize) && // While a class instance is potentially representable as a NS, prefer printing a reference to the instance type and serializing the class !!(length(filter(getPropertiesOfType(typeToSerialize), isNamespaceMember)) || length(getSignaturesOfType( typeToSerialize, 0 /* Call */ ))) && !length(getSignaturesOfType( typeToSerialize, 1 /* Construct */ )) && // TODO: could probably serialize as function + ns + class, now that that's OK !getDeclarationWithTypeAnnotation(hostSymbol, enclosingDeclaration) && !(typeToSerialize.symbol && some(typeToSerialize.symbol.declarations, (d) => getSourceFileOfNode(d) !== ctxSrc)) && !some(getPropertiesOfType(typeToSerialize), (p) => isLateBoundName(p.escapedName)) && !some(getPropertiesOfType(typeToSerialize), (p) => some(p.declarations, (d) => getSourceFileOfNode(d) !== ctxSrc)) && every(getPropertiesOfType(typeToSerialize), (p) => { if (!isIdentifierText(symbolName(p), languageVersion)) { return false; } if (!(p.flags & 98304)) { return true; } return getNonMissingTypeOfSymbol(p) === getWriteTypeOfSymbol(p); }); } function makeSerializePropertySymbol(createProperty2, methodKind, useAccessors) { return function serializePropertySymbol(p, isStatic2, baseType) { var _a2, _b, _c, _d, _e; const modifierFlags = getDeclarationModifierFlagsFromSymbol(p); const isPrivate = !!(modifierFlags & 2); if (isStatic2 && p.flags & (788968 | 1920 | 2097152)) { return []; } if (p.flags & 4194304 || p.escapedName === "constructor" || baseType && getPropertyOfType(baseType, p.escapedName) && isReadonlySymbol(getPropertyOfType(baseType, p.escapedName)) === isReadonlySymbol(p) && (p.flags & 16777216) === (getPropertyOfType(baseType, p.escapedName).flags & 16777216) && isTypeIdenticalTo(getTypeOfSymbol(p), getTypeOfPropertyOfType(baseType, p.escapedName))) { return []; } const flag = modifierFlags & ~1024 | (isStatic2 ? 256 : 0); const name = getPropertyNameNodeForSymbol(p, context); const firstPropertyLikeDecl = (_a2 = p.declarations) == null ? void 0 : _a2.find(or(isPropertyDeclaration, isAccessor, isVariableDeclaration, isPropertySignature, isBinaryExpression, isPropertyAccessExpression)); if (p.flags & 98304 && useAccessors) { const result = []; if (p.flags & 65536) { const setter = p.declarations && forEach(p.declarations, (d) => { if (d.kind === 178) { return d; } if (isCallExpression2(d) && isBindableObjectDefinePropertyCall(d)) { return forEach(d.arguments[2].properties, (propDecl) => { const id = getNameOfDeclaration(propDecl); if (!!id && isIdentifier(id) && idText(id) === "set") { return propDecl; } }); } }); Debug.assert(!!setter); const paramSymbol = isFunctionLikeDeclaration(setter) ? getSignatureFromDeclaration(setter).parameters[0] : void 0; result.push(setTextRange2( context, factory.createSetAccessorDeclaration( factory.createModifiersFromModifierFlags(flag), name, [factory.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, paramSymbol ? parameterToParameterDeclarationName(paramSymbol, getEffectiveParameterDeclaration(paramSymbol), context) : "value", /*questionToken*/ void 0, isPrivate ? void 0 : serializeTypeForDeclaration( context, /*declaration*/ void 0, getWriteTypeOfSymbol(p), p ) )], /*body*/ void 0 ), ((_b = p.declarations) == null ? void 0 : _b.find(isSetAccessor)) || firstPropertyLikeDecl )); } if (p.flags & 32768) { const isPrivate2 = modifierFlags & 2; result.push(setTextRange2( context, factory.createGetAccessorDeclaration( factory.createModifiersFromModifierFlags(flag), name, [], isPrivate2 ? void 0 : serializeTypeForDeclaration( context, /*declaration*/ void 0, getTypeOfSymbol(p), p ), /*body*/ void 0 ), ((_c = p.declarations) == null ? void 0 : _c.find(isGetAccessor)) || firstPropertyLikeDecl )); } return result; } else if (p.flags & (4 | 3 | 98304)) { return setTextRange2( context, createProperty2( factory.createModifiersFromModifierFlags((isReadonlySymbol(p) ? 8 : 0) | flag), name, p.flags & 16777216 ? factory.createToken( 58 /* QuestionToken */ ) : void 0, isPrivate ? void 0 : serializeTypeForDeclaration( context, /*declaration*/ void 0, getWriteTypeOfSymbol(p), p ), // TODO: https://github.com/microsoft/TypeScript/pull/32372#discussion_r328386357 // interface members can't have initializers, however class members _can_ /*initializer*/ void 0 ), ((_d = p.declarations) == null ? void 0 : _d.find(or(isPropertyDeclaration, isVariableDeclaration))) || firstPropertyLikeDecl ); } if (p.flags & (8192 | 16)) { const type = getTypeOfSymbol(p); const signatures = getSignaturesOfType( type, 0 /* Call */ ); if (flag & 2) { return setTextRange2( context, createProperty2( factory.createModifiersFromModifierFlags((isReadonlySymbol(p) ? 8 : 0) | flag), name, p.flags & 16777216 ? factory.createToken( 58 /* QuestionToken */ ) : void 0, /*type*/ void 0, /*initializer*/ void 0 ), ((_e = p.declarations) == null ? void 0 : _e.find(isFunctionLikeDeclaration)) || signatures[0] && signatures[0].declaration || p.declarations && p.declarations[0] ); } const results2 = []; for (const sig of signatures) { const decl = signatureToSignatureDeclarationHelper( sig, methodKind, context, { name, questionToken: p.flags & 16777216 ? factory.createToken( 58 /* QuestionToken */ ) : void 0, modifiers: flag ? factory.createModifiersFromModifierFlags(flag) : void 0 } ); const location = sig.declaration && isPrototypePropertyAssignment(sig.declaration.parent) ? sig.declaration.parent : sig.declaration; results2.push(setTextRange2(context, decl, location)); } return results2; } return Debug.fail(`Unhandled class member kind! ${p.__debugFlags || p.flags}`); }; } function serializePropertySymbolForInterface(p, baseType) { return serializePropertySymbolForInterfaceWorker( p, /*isStatic*/ false, baseType ); } function serializeSignatures(kind, input, baseType, outputKind) { const signatures = getSignaturesOfType(input, kind); if (kind === 1) { if (!baseType && every(signatures, (s) => length(s.parameters) === 0)) { return []; } if (baseType) { const baseSigs = getSignaturesOfType( baseType, 1 /* Construct */ ); if (!length(baseSigs) && every(signatures, (s) => length(s.parameters) === 0)) { return []; } if (baseSigs.length === signatures.length) { let failed = false; for (let i = 0; i < baseSigs.length; i++) { if (!compareSignaturesIdentical( signatures[i], baseSigs[i], /*partialMatch*/ false, /*ignoreThisTypes*/ false, /*ignoreReturnTypes*/ true, compareTypesIdentical )) { failed = true; break; } } if (!failed) { return []; } } } let privateProtected = 0; for (const s of signatures) { if (s.declaration) { privateProtected |= getSelectedEffectiveModifierFlags( s.declaration, 2 | 4 /* Protected */ ); } } if (privateProtected) { return [setTextRange2( context, factory.createConstructorDeclaration( factory.createModifiersFromModifierFlags(privateProtected), /*parameters*/ [], /*body*/ void 0 ), signatures[0].declaration )]; } } const results2 = []; for (const sig of signatures) { const decl = signatureToSignatureDeclarationHelper(sig, outputKind, context); results2.push(setTextRange2(context, decl, sig.declaration)); } return results2; } function serializeIndexSignatures(input, baseType) { const results2 = []; for (const info of getIndexInfosOfType(input)) { if (baseType) { const baseInfo = getIndexInfoOfType(baseType, info.keyType); if (baseInfo) { if (isTypeIdenticalTo(info.type, baseInfo.type)) { continue; } } } results2.push(indexInfoToIndexSignatureDeclarationHelper( info, context, /*typeNode*/ void 0 )); } return results2; } function serializeBaseType(t, staticType, rootName) { const ref = trySerializeAsTypeReference( t, 111551 /* Value */ ); if (ref) { return ref; } const tempName = getUnusedName(`${rootName}_base`); const statement = factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [ factory.createVariableDeclaration( tempName, /*exclamationToken*/ void 0, typeToTypeNodeHelper(staticType, context) ) ], 2 /* Const */ ) ); addResult( statement, 0 /* None */ ); return factory.createExpressionWithTypeArguments( factory.createIdentifier(tempName), /*typeArguments*/ void 0 ); } function trySerializeAsTypeReference(t, flags) { let typeArgs; let reference; if (t.target && isSymbolAccessibleByFlags(t.target.symbol, enclosingDeclaration, flags)) { typeArgs = map(getTypeArguments(t), (t2) => typeToTypeNodeHelper(t2, context)); reference = symbolToExpression( t.target.symbol, context, 788968 /* Type */ ); } else if (t.symbol && isSymbolAccessibleByFlags(t.symbol, enclosingDeclaration, flags)) { reference = symbolToExpression( t.symbol, context, 788968 /* Type */ ); } if (reference) { return factory.createExpressionWithTypeArguments(reference, typeArgs); } } function serializeImplementedType(t) { const ref = trySerializeAsTypeReference( t, 788968 /* Type */ ); if (ref) { return ref; } if (t.symbol) { return factory.createExpressionWithTypeArguments( symbolToExpression( t.symbol, context, 788968 /* Type */ ), /*typeArguments*/ void 0 ); } } function getUnusedName(input, symbol) { var _a2, _b; const id = symbol ? getSymbolId(symbol) : void 0; if (id) { if (context.remappedSymbolNames.has(id)) { return context.remappedSymbolNames.get(id); } } if (symbol) { input = getNameCandidateWorker(symbol, input); } let i = 0; const original = input; while ((_a2 = context.usedSymbolNames) == null ? void 0 : _a2.has(input)) { i++; input = `${original}_${i}`; } (_b = context.usedSymbolNames) == null ? void 0 : _b.add(input); if (id) { context.remappedSymbolNames.set(id, input); } return input; } function getNameCandidateWorker(symbol, localName) { if (localName === "default" || localName === "__class" || localName === "__function") { const flags = context.flags; context.flags |= 16777216; const nameCandidate = getNameOfSymbolAsWritten(symbol, context); context.flags = flags; localName = nameCandidate.length > 0 && isSingleOrDoubleQuote(nameCandidate.charCodeAt(0)) ? stripQuotes(nameCandidate) : nameCandidate; } if (localName === "default") { localName = "_default"; } else if (localName === "export=") { localName = "_exports"; } localName = isIdentifierText(localName, languageVersion) && !isStringANonContextualKeyword(localName) ? localName : "_" + localName.replace(/[^a-zA-Z0-9]/g, "_"); return localName; } function getInternalSymbolName(symbol, localName) { const id = getSymbolId(symbol); if (context.remappedSymbolNames.has(id)) { return context.remappedSymbolNames.get(id); } localName = getNameCandidateWorker(symbol, localName); context.remappedSymbolNames.set(id, localName); return localName; } } } function typePredicateToString(typePredicate, enclosingDeclaration, flags = 16384, writer) { return writer ? typePredicateToStringWorker(writer).getText() : usingSingleLineStringWriter(typePredicateToStringWorker); function typePredicateToStringWorker(writer2) { const nodeBuilderFlags = toNodeBuilderFlags(flags) | 70221824 | 512; const predicate = nodeBuilder.typePredicateToTypePredicateNode(typePredicate, enclosingDeclaration, nodeBuilderFlags); const printer = createPrinterWithRemoveComments(); const sourceFile = enclosingDeclaration && getSourceFileOfNode(enclosingDeclaration); printer.writeNode( 4, predicate, /*sourceFile*/ sourceFile, writer2 ); return writer2; } } function formatUnionTypes(types) { const result = []; let flags = 0; for (let i = 0; i < types.length; i++) { const t = types[i]; flags |= t.flags; if (!(t.flags & 98304)) { if (t.flags & (512 | 1056)) { const baseType = t.flags & 512 ? booleanType2 : getBaseTypeOfEnumLikeType(t); if (baseType.flags & 1048576) { const count = baseType.types.length; if (i + count <= types.length && getRegularTypeOfLiteralType(types[i + count - 1]) === getRegularTypeOfLiteralType(baseType.types[count - 1])) { result.push(baseType); i += count - 1; continue; } } } result.push(t); } } if (flags & 65536) result.push(nullType2); if (flags & 32768) result.push(undefinedType2); return result || types; } function visibilityToString(flags) { if (flags === 2) { return "private"; } if (flags === 4) { return "protected"; } return "public"; } function getTypeAliasForTypeLiteral(type) { if (type.symbol && type.symbol.flags & 2048 && type.symbol.declarations) { const node = walkUpParenthesizedTypes(type.symbol.declarations[0].parent); if (isTypeAliasDeclaration(node)) { return getSymbolOfDeclaration(node); } } return void 0; } function isTopLevelInExternalModuleAugmentation(node) { return node && node.parent && node.parent.kind === 268 && isExternalModuleAugmentation(node.parent.parent); } function isDefaultBindingContext(location) { return location.kind === 307 || isAmbientModule(location); } function getNameOfSymbolFromNameType(symbol, context) { const nameType = getSymbolLinks(symbol).nameType; if (nameType) { if (nameType.flags & 384) { const name = "" + nameType.value; if (!isIdentifierText(name, getEmitScriptTarget(compilerOptions)) && !isNumericLiteralName(name)) { return `"${escapeString2( name, 34 /* doubleQuote */ )}"`; } if (isNumericLiteralName(name) && startsWith2(name, "-")) { return `[${name}]`; } return name; } if (nameType.flags & 8192) { return `[${getNameOfSymbolAsWritten(nameType.symbol, context)}]`; } } } function getNameOfSymbolAsWritten(symbol, context) { var _a; if ((_a = context == null ? void 0 : context.remappedSymbolReferences) == null ? void 0 : _a.has(getSymbolId(symbol))) { symbol = context.remappedSymbolReferences.get(getSymbolId(symbol)); } if (context && symbol.escapedName === "default" && !(context.flags & 16384) && // If it's not the first part of an entity name, it must print as `default` (!(context.flags & 16777216) || // if the symbol is synthesized, it will only be referenced externally it must print as `default` !symbol.declarations || // if not in the same binding context (source file, module declaration), it must print as `default` context.enclosingDeclaration && findAncestor(symbol.declarations[0], isDefaultBindingContext) !== findAncestor(context.enclosingDeclaration, isDefaultBindingContext))) { return "default"; } if (symbol.declarations && symbol.declarations.length) { let declaration = firstDefined(symbol.declarations, (d) => getNameOfDeclaration(d) ? d : void 0); const name2 = declaration && getNameOfDeclaration(declaration); if (declaration && name2) { if (isCallExpression2(declaration) && isBindableObjectDefinePropertyCall(declaration)) { return symbolName(symbol); } if (isComputedPropertyName(name2) && !(getCheckFlags(symbol) & 4096)) { const nameType = getSymbolLinks(symbol).nameType; if (nameType && nameType.flags & 384) { const result = getNameOfSymbolFromNameType(symbol, context); if (result !== void 0) { return result; } } } return declarationNameToString(name2); } if (!declaration) { declaration = symbol.declarations[0]; } if (declaration.parent && declaration.parent.kind === 260) { return declarationNameToString(declaration.parent.name); } switch (declaration.kind) { case 231: case 218: case 219: if (context && !context.encounteredError && !(context.flags & 131072)) { context.encounteredError = true; } return declaration.kind === 231 ? "(Anonymous class)" : "(Anonymous function)"; } } const name = getNameOfSymbolFromNameType(symbol, context); return name !== void 0 ? name : symbolName(symbol); } function isDeclarationVisible(node) { if (node) { const links = getNodeLinks(node); if (links.isVisible === void 0) { links.isVisible = !!determineIfDeclarationIsVisible(); } return links.isVisible; } return false; function determineIfDeclarationIsVisible() { switch (node.kind) { case 338: case 346: case 340: return !!(node.parent && node.parent.parent && node.parent.parent.parent && isSourceFile(node.parent.parent.parent)); case 208: return isDeclarationVisible(node.parent.parent); case 260: if (isBindingPattern(node.name) && !node.name.elements.length) { return false; } case 267: case 263: case 264: case 265: case 262: case 266: case 271: if (isExternalModuleAugmentation(node)) { return true; } const parent2 = getDeclarationContainer(node); if (!(getCombinedModifierFlagsCached(node) & 32) && !(node.kind !== 271 && parent2.kind !== 307 && parent2.flags & 33554432)) { return isGlobalSourceFile(parent2); } return isDeclarationVisible(parent2); case 172: case 171: case 177: case 178: case 174: case 173: if (hasEffectiveModifier( node, 2 | 4 /* Protected */ )) { return false; } case 176: case 180: case 179: case 181: case 169: case 268: case 184: case 185: case 187: case 183: case 188: case 189: case 192: case 193: case 196: case 202: return isDeclarationVisible(node.parent); case 273: case 274: case 276: return false; case 168: case 307: case 270: return true; case 277: return false; default: return false; } } } function collectLinkedAliases(node, setVisibility) { let exportSymbol; if (node.parent && node.parent.kind === 277) { exportSymbol = resolveName( node, node, 111551 | 788968 | 1920 | 2097152, /*nameNotFoundMessage*/ void 0, /*isUse*/ false ); } else if (node.parent.kind === 281) { exportSymbol = getTargetOfExportSpecifier( node.parent, 111551 | 788968 | 1920 | 2097152 /* Alias */ ); } let result; let visited; if (exportSymbol) { visited = /* @__PURE__ */ new Set(); visited.add(getSymbolId(exportSymbol)); buildVisibleNodeList(exportSymbol.declarations); } return result; function buildVisibleNodeList(declarations) { forEach(declarations, (declaration) => { const resultNode = getAnyImportSyntax(declaration) || declaration; if (setVisibility) { getNodeLinks(declaration).isVisible = true; } else { result = result || []; pushIfUnique(result, resultNode); } if (isInternalModuleImportEqualsDeclaration(declaration)) { const internalModuleReference = declaration.moduleReference; const firstIdentifier = getFirstIdentifier(internalModuleReference); const importSymbol = resolveName( declaration, firstIdentifier.escapedText, 111551 | 788968 | 1920, /*nameNotFoundMessage*/ void 0, /*isUse*/ false ); if (importSymbol && visited) { if (tryAddToSet(visited, getSymbolId(importSymbol))) { buildVisibleNodeList(importSymbol.declarations); } } } }); } } function pushTypeResolution(target, propertyName) { const resolutionCycleStartIndex = findResolutionCycleStartIndex(target, propertyName); if (resolutionCycleStartIndex >= 0) { const { length: length2 } = resolutionTargets; for (let i = resolutionCycleStartIndex; i < length2; i++) { resolutionResults[i] = false; } return false; } resolutionTargets.push(target); resolutionResults.push( /*items*/ true ); resolutionPropertyNames.push(propertyName); return true; } function findResolutionCycleStartIndex(target, propertyName) { for (let i = resolutionTargets.length - 1; i >= resolutionStart; i--) { if (resolutionTargetHasProperty(resolutionTargets[i], resolutionPropertyNames[i])) { return -1; } if (resolutionTargets[i] === target && resolutionPropertyNames[i] === propertyName) { return i; } } return -1; } function resolutionTargetHasProperty(target, propertyName) { switch (propertyName) { case 0: return !!getSymbolLinks(target).type; case 2: return !!getSymbolLinks(target).declaredType; case 1: return !!target.resolvedBaseConstructorType; case 3: return !!target.resolvedReturnType; case 4: return !!target.immediateBaseConstraint; case 5: return !!target.resolvedTypeArguments; case 6: return !!target.baseTypesResolved; case 7: return !!getSymbolLinks(target).writeType; case 8: return getNodeLinks(target).parameterInitializerContainsUndefined !== void 0; } return Debug.assertNever(propertyName); } function popTypeResolution() { resolutionTargets.pop(); resolutionPropertyNames.pop(); return resolutionResults.pop(); } function getDeclarationContainer(node) { return findAncestor(getRootDeclaration(node), (node2) => { switch (node2.kind) { case 260: case 261: case 276: case 275: case 274: case 273: return false; default: return true; } }).parent; } function getTypeOfPrototypeProperty(prototype) { const classType = getDeclaredTypeOfSymbol(getParentOfSymbol(prototype)); return classType.typeParameters ? createTypeReference(classType, map(classType.typeParameters, (_) => anyType2)) : classType; } function getTypeOfPropertyOfType(type, name) { const prop = getPropertyOfType(type, name); return prop ? getTypeOfSymbol(prop) : void 0; } function getTypeOfPropertyOrIndexSignatureOfType(type, name) { var _a; let propType; return getTypeOfPropertyOfType(type, name) || (propType = (_a = getApplicableIndexInfoForName(type, name)) == null ? void 0 : _a.type) && addOptionality( propType, /*isProperty*/ true, /*isOptional*/ true ); } function isTypeAny(type) { return type && (type.flags & 1) !== 0; } function isErrorType(type) { return type === errorType || !!(type.flags & 1 && type.aliasSymbol); } function getTypeForBindingElementParent(node, checkMode) { if (checkMode !== 0) { return getTypeForVariableLikeDeclaration( node, /*includeOptionality*/ false, checkMode ); } const symbol = getSymbolOfDeclaration(node); return symbol && getSymbolLinks(symbol).type || getTypeForVariableLikeDeclaration( node, /*includeOptionality*/ false, checkMode ); } function getRestType(source, properties, symbol) { source = filterType(source, (t) => !(t.flags & 98304)); if (source.flags & 131072) { return emptyObjectType; } if (source.flags & 1048576) { return mapType2(source, (t) => getRestType(t, properties, symbol)); } let omitKeyType = getUnionType(map(properties, getLiteralTypeFromPropertyName)); const spreadableProperties = []; const unspreadableToRestKeys = []; for (const prop of getPropertiesOfType(source)) { const literalTypeFromProperty = getLiteralTypeFromProperty( prop, 8576 /* StringOrNumberLiteralOrUnique */ ); if (!isTypeAssignableTo(literalTypeFromProperty, omitKeyType) && !(getDeclarationModifierFlagsFromSymbol(prop) & (2 | 4)) && isSpreadableProperty(prop)) { spreadableProperties.push(prop); } else { unspreadableToRestKeys.push(literalTypeFromProperty); } } if (isGenericObjectType(source) || isGenericIndexType(omitKeyType)) { if (unspreadableToRestKeys.length) { omitKeyType = getUnionType([omitKeyType, ...unspreadableToRestKeys]); } if (omitKeyType.flags & 131072) { return source; } const omitTypeAlias = getGlobalOmitSymbol(); if (!omitTypeAlias) { return errorType; } return getTypeAliasInstantiation(omitTypeAlias, [source, omitKeyType]); } const members = createSymbolTable(); for (const prop of spreadableProperties) { members.set(prop.escapedName, getSpreadSymbol( prop, /*readonly*/ false )); } const result = createAnonymousType(symbol, members, emptyArray, emptyArray, getIndexInfosOfType(source)); result.objectFlags |= 4194304; return result; } function isGenericTypeWithUndefinedConstraint(type) { return !!(type.flags & 465829888) && maybeTypeOfKind( getBaseConstraintOfType(type) || unknownType2, 32768 /* Undefined */ ); } function getNonUndefinedType(type) { const typeOrConstraint = someType(type, isGenericTypeWithUndefinedConstraint) ? mapType2(type, (t) => t.flags & 465829888 ? getBaseConstraintOrType(t) : t) : type; return getTypeWithFacts( typeOrConstraint, 524288 /* NEUndefined */ ); } function getFlowTypeOfDestructuring(node, declaredType) { const reference = getSyntheticElementAccess(node); return reference ? getFlowTypeOfReference(reference, declaredType) : declaredType; } function getSyntheticElementAccess(node) { const parentAccess = getParentElementAccess(node); if (parentAccess && canHaveFlowNode(parentAccess) && parentAccess.flowNode) { const propName = getDestructuringPropertyName(node); if (propName) { const literal = setTextRange(parseNodeFactory.createStringLiteral(propName), node); const lhsExpr = isLeftHandSideExpression(parentAccess) ? parentAccess : parseNodeFactory.createParenthesizedExpression(parentAccess); const result = setTextRange(parseNodeFactory.createElementAccessExpression(lhsExpr, literal), node); setParent(literal, result); setParent(result, node); if (lhsExpr !== parentAccess) { setParent(lhsExpr, result); } result.flowNode = parentAccess.flowNode; return result; } } } function getParentElementAccess(node) { const ancestor = node.parent.parent; switch (ancestor.kind) { case 208: case 303: return getSyntheticElementAccess(ancestor); case 209: return getSyntheticElementAccess(node.parent); case 260: return ancestor.initializer; case 226: return ancestor.right; } } function getDestructuringPropertyName(node) { const parent2 = node.parent; if (node.kind === 208 && parent2.kind === 206) { return getLiteralPropertyNameText(node.propertyName || node.name); } if (node.kind === 303 || node.kind === 304) { return getLiteralPropertyNameText(node.name); } return "" + parent2.elements.indexOf(node); } function getLiteralPropertyNameText(name) { const type = getLiteralTypeFromPropertyName(name); return type.flags & (128 | 256) ? "" + type.value : void 0; } function getTypeForBindingElement(declaration) { const checkMode = declaration.dotDotDotToken ? 32 : 0; const parentType = getTypeForBindingElementParent(declaration.parent.parent, checkMode); return parentType && getBindingElementTypeFromParentType( declaration, parentType, /*noTupleBoundsCheck*/ false ); } function getBindingElementTypeFromParentType(declaration, parentType, noTupleBoundsCheck) { if (isTypeAny(parentType)) { return parentType; } const pattern = declaration.parent; if (strictNullChecks && declaration.flags & 33554432 && isPartOfParameterDeclaration(declaration)) { parentType = getNonNullableType(parentType); } else if (strictNullChecks && pattern.parent.initializer && !hasTypeFacts( getTypeOfInitializer(pattern.parent.initializer), 65536 /* EQUndefined */ )) { parentType = getTypeWithFacts( parentType, 524288 /* NEUndefined */ ); } let type; if (pattern.kind === 206) { if (declaration.dotDotDotToken) { parentType = getReducedType(parentType); if (parentType.flags & 2 || !isValidSpreadType(parentType)) { error2(declaration, Diagnostics.Rest_types_may_only_be_created_from_object_types); return errorType; } const literalMembers = []; for (const element of pattern.elements) { if (!element.dotDotDotToken) { literalMembers.push(element.propertyName || element.name); } } type = getRestType(parentType, literalMembers, declaration.symbol); } else { const name = declaration.propertyName || declaration.name; const indexType = getLiteralTypeFromPropertyName(name); const declaredType = getIndexedAccessType(parentType, indexType, 32, name); type = getFlowTypeOfDestructuring(declaration, declaredType); } } else { const elementType = checkIteratedTypeOrElementType(65 | (declaration.dotDotDotToken ? 0 : 128), parentType, undefinedType2, pattern); const index = pattern.elements.indexOf(declaration); if (declaration.dotDotDotToken) { const baseConstraint = mapType2(parentType, (t) => t.flags & 58982400 ? getBaseConstraintOrType(t) : t); type = everyType(baseConstraint, isTupleType) ? mapType2(baseConstraint, (t) => sliceTupleType(t, index)) : createArrayType(elementType); } else if (isArrayLikeType(parentType)) { const indexType = getNumberLiteralType(index); const accessFlags = 32 | (noTupleBoundsCheck || hasDefaultValue2(declaration) ? 16 : 0); const declaredType = getIndexedAccessTypeOrUndefined(parentType, indexType, accessFlags, declaration.name) || errorType; type = getFlowTypeOfDestructuring(declaration, declaredType); } else { type = elementType; } } if (!declaration.initializer) { return type; } if (getEffectiveTypeAnnotationNode(walkUpBindingElementsAndPatterns(declaration))) { return strictNullChecks && !hasTypeFacts( checkDeclarationInitializer( declaration, 0 /* Normal */ ), 16777216 /* IsUndefined */ ) ? getNonUndefinedType(type) : type; } return widenTypeInferredFromInitializer(declaration, getUnionType( [getNonUndefinedType(type), checkDeclarationInitializer( declaration, 0 /* Normal */ )], 2 /* Subtype */ )); } function getTypeForDeclarationFromJSDocComment(declaration) { const jsdocType = getJSDocType(declaration); if (jsdocType) { return getTypeFromTypeNode(jsdocType); } return void 0; } function isNullOrUndefined3(node) { const expr = skipParentheses( node, /*excludeJSDocTypeAssertions*/ true ); return expr.kind === 106 || expr.kind === 80 && getResolvedSymbol(expr) === undefinedSymbol; } function isEmptyArrayLiteral2(node) { const expr = skipParentheses( node, /*excludeJSDocTypeAssertions*/ true ); return expr.kind === 209 && expr.elements.length === 0; } function addOptionality(type, isProperty2 = false, isOptional = true) { return strictNullChecks && isOptional ? getOptionalType(type, isProperty2) : type; } function getTypeForVariableLikeDeclaration(declaration, includeOptionality, checkMode) { if (isVariableDeclaration(declaration) && declaration.parent.parent.kind === 249) { const indexType = getIndexType(getNonNullableTypeIfNeeded(checkExpression( declaration.parent.parent.expression, /*checkMode*/ checkMode ))); return indexType.flags & (262144 | 4194304) ? getExtractStringType(indexType) : stringType2; } if (isVariableDeclaration(declaration) && declaration.parent.parent.kind === 250) { const forOfStatement = declaration.parent.parent; return checkRightHandSideOfForOf(forOfStatement) || anyType2; } if (isBindingPattern(declaration.parent)) { return getTypeForBindingElement(declaration); } const isProperty2 = isPropertyDeclaration(declaration) && !hasAccessorModifier(declaration) || isPropertySignature(declaration) || isJSDocPropertyTag(declaration); const isOptional = includeOptionality && isOptionalDeclaration(declaration); const declaredType = tryGetTypeFromEffectiveTypeNode(declaration); if (isCatchClauseVariableDeclarationOrBindingElement(declaration)) { if (declaredType) { return isTypeAny(declaredType) || declaredType === unknownType2 ? declaredType : errorType; } return useUnknownInCatchVariables ? unknownType2 : anyType2; } if (declaredType) { return addOptionality(declaredType, isProperty2, isOptional); } if ((noImplicitAny || isInJSFile(declaration)) && isVariableDeclaration(declaration) && !isBindingPattern(declaration.name) && !(getCombinedModifierFlagsCached(declaration) & 32) && !(declaration.flags & 33554432)) { if (!(getCombinedNodeFlagsCached(declaration) & 6) && (!declaration.initializer || isNullOrUndefined3(declaration.initializer))) { return autoType; } if (declaration.initializer && isEmptyArrayLiteral2(declaration.initializer)) { return autoArrayType; } } if (isParameter(declaration)) { if (!declaration.symbol) { return; } const func = declaration.parent; if (func.kind === 178 && hasBindableName(func)) { const getter = getDeclarationOfKind( getSymbolOfDeclaration(declaration.parent), 177 /* GetAccessor */ ); if (getter) { const getterSignature = getSignatureFromDeclaration(getter); const thisParameter = getAccessorThisParameter(func); if (thisParameter && declaration === thisParameter) { Debug.assert(!thisParameter.type); return getTypeOfSymbol(getterSignature.thisParameter); } return getReturnTypeOfSignature(getterSignature); } } const parameterTypeOfTypeTag = getParameterTypeOfTypeTag(func, declaration); if (parameterTypeOfTypeTag) return parameterTypeOfTypeTag; const type = declaration.symbol.escapedName === "this" ? getContextualThisParameterType(func) : getContextuallyTypedParameterType(declaration); if (type) { return addOptionality( type, /*isProperty*/ false, isOptional ); } } if (hasOnlyExpressionInitializer(declaration) && !!declaration.initializer) { if (isInJSFile(declaration) && !isParameter(declaration)) { const containerObjectType = getJSContainerObjectType(declaration, getSymbolOfDeclaration(declaration), getDeclaredExpandoInitializer(declaration)); if (containerObjectType) { return containerObjectType; } } const type = widenTypeInferredFromInitializer(declaration, checkDeclarationInitializer(declaration, checkMode)); return addOptionality(type, isProperty2, isOptional); } if (isPropertyDeclaration(declaration) && (noImplicitAny || isInJSFile(declaration))) { if (!hasStaticModifier(declaration)) { const constructor = findConstructorDeclaration(declaration.parent); const type = constructor ? getFlowTypeInConstructor(declaration.symbol, constructor) : getEffectiveModifierFlags(declaration) & 128 ? getTypeOfPropertyInBaseClass(declaration.symbol) : void 0; return type && addOptionality( type, /*isProperty*/ true, isOptional ); } else { const staticBlocks = filter(declaration.parent.members, isClassStaticBlockDeclaration); const type = staticBlocks.length ? getFlowTypeInStaticBlocks(declaration.symbol, staticBlocks) : getEffectiveModifierFlags(declaration) & 128 ? getTypeOfPropertyInBaseClass(declaration.symbol) : void 0; return type && addOptionality( type, /*isProperty*/ true, isOptional ); } } if (isJsxAttribute(declaration)) { return trueType; } if (isBindingPattern(declaration.name)) { return getTypeFromBindingPattern( declaration.name, /*includePatternInType*/ false, /*reportErrors*/ true ); } return void 0; } function isConstructorDeclaredProperty(symbol) { if (symbol.valueDeclaration && isBinaryExpression(symbol.valueDeclaration)) { const links = getSymbolLinks(symbol); if (links.isConstructorDeclaredProperty === void 0) { links.isConstructorDeclaredProperty = false; links.isConstructorDeclaredProperty = !!getDeclaringConstructor(symbol) && every(symbol.declarations, (declaration) => isBinaryExpression(declaration) && isPossiblyAliasedThisProperty(declaration) && (declaration.left.kind !== 212 || isStringOrNumericLiteralLike(declaration.left.argumentExpression)) && !getAnnotatedTypeForAssignmentDeclaration( /*declaredType*/ void 0, declaration, symbol, declaration )); } return links.isConstructorDeclaredProperty; } return false; } function isAutoTypedProperty(symbol) { const declaration = symbol.valueDeclaration; return declaration && isPropertyDeclaration(declaration) && !getEffectiveTypeAnnotationNode(declaration) && !declaration.initializer && (noImplicitAny || isInJSFile(declaration)); } function getDeclaringConstructor(symbol) { if (!symbol.declarations) { return; } for (const declaration of symbol.declarations) { const container = getThisContainer( declaration, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ); if (container && (container.kind === 176 || isJSConstructor(container))) { return container; } } } function getFlowTypeFromCommonJSExport(symbol) { const file = getSourceFileOfNode(symbol.declarations[0]); const accessName = unescapeLeadingUnderscores(symbol.escapedName); const areAllModuleExports = symbol.declarations.every((d) => isInJSFile(d) && isAccessExpression(d) && isModuleExportsAccessExpression(d.expression)); const reference = areAllModuleExports ? factory.createPropertyAccessExpression(factory.createPropertyAccessExpression(factory.createIdentifier("module"), factory.createIdentifier("exports")), accessName) : factory.createPropertyAccessExpression(factory.createIdentifier("exports"), accessName); if (areAllModuleExports) { setParent(reference.expression.expression, reference.expression); } setParent(reference.expression, reference); setParent(reference, file); reference.flowNode = file.endFlowNode; return getFlowTypeOfReference(reference, autoType, undefinedType2); } function getFlowTypeInStaticBlocks(symbol, staticBlocks) { const accessName = startsWith2(symbol.escapedName, "__#") ? factory.createPrivateIdentifier(symbol.escapedName.split("@")[1]) : unescapeLeadingUnderscores(symbol.escapedName); for (const staticBlock of staticBlocks) { const reference = factory.createPropertyAccessExpression(factory.createThis(), accessName); setParent(reference.expression, reference); setParent(reference, staticBlock); reference.flowNode = staticBlock.returnFlowNode; const flowType = getFlowTypeOfProperty(reference, symbol); if (noImplicitAny && (flowType === autoType || flowType === autoArrayType)) { error2(symbol.valueDeclaration, Diagnostics.Member_0_implicitly_has_an_1_type, symbolToString2(symbol), typeToString(flowType)); } if (everyType(flowType, isNullableType)) { continue; } return convertAutoToAny(flowType); } } function getFlowTypeInConstructor(symbol, constructor) { const accessName = startsWith2(symbol.escapedName, "__#") ? factory.createPrivateIdentifier(symbol.escapedName.split("@")[1]) : unescapeLeadingUnderscores(symbol.escapedName); const reference = factory.createPropertyAccessExpression(factory.createThis(), accessName); setParent(reference.expression, reference); setParent(reference, constructor); reference.flowNode = constructor.returnFlowNode; const flowType = getFlowTypeOfProperty(reference, symbol); if (noImplicitAny && (flowType === autoType || flowType === autoArrayType)) { error2(symbol.valueDeclaration, Diagnostics.Member_0_implicitly_has_an_1_type, symbolToString2(symbol), typeToString(flowType)); } return everyType(flowType, isNullableType) ? void 0 : convertAutoToAny(flowType); } function getFlowTypeOfProperty(reference, prop) { const initialType = (prop == null ? void 0 : prop.valueDeclaration) && (!isAutoTypedProperty(prop) || getEffectiveModifierFlags(prop.valueDeclaration) & 128) && getTypeOfPropertyInBaseClass(prop) || undefinedType2; return getFlowTypeOfReference(reference, autoType, initialType); } function getWidenedTypeForAssignmentDeclaration(symbol, resolvedSymbol) { const container = getAssignedExpandoInitializer(symbol.valueDeclaration); if (container) { const tag = isInJSFile(container) ? getJSDocTypeTag(container) : void 0; if (tag && tag.typeExpression) { return getTypeFromTypeNode(tag.typeExpression); } const containerObjectType = symbol.valueDeclaration && getJSContainerObjectType(symbol.valueDeclaration, symbol, container); return containerObjectType || getWidenedLiteralType(checkExpressionCached(container)); } let type; let definedInConstructor = false; let definedInMethod = false; if (isConstructorDeclaredProperty(symbol)) { type = getFlowTypeInConstructor(symbol, getDeclaringConstructor(symbol)); } if (!type) { let types; if (symbol.declarations) { let jsdocType; for (const declaration of symbol.declarations) { const expression = isBinaryExpression(declaration) || isCallExpression2(declaration) ? declaration : isAccessExpression(declaration) ? isBinaryExpression(declaration.parent) ? declaration.parent : declaration : void 0; if (!expression) { continue; } const kind = isAccessExpression(expression) ? getAssignmentDeclarationPropertyAccessKind(expression) : getAssignmentDeclarationKind(expression); if (kind === 4 || isBinaryExpression(expression) && isPossiblyAliasedThisProperty(expression, kind)) { if (isDeclarationInConstructor(expression)) { definedInConstructor = true; } else { definedInMethod = true; } } if (!isCallExpression2(expression)) { jsdocType = getAnnotatedTypeForAssignmentDeclaration(jsdocType, expression, symbol, declaration); } if (!jsdocType) { (types || (types = [])).push(isBinaryExpression(expression) || isCallExpression2(expression) ? getInitializerTypeFromAssignmentDeclaration(symbol, resolvedSymbol, expression, kind) : neverType2); } } type = jsdocType; } if (!type) { if (!length(types)) { return errorType; } let constructorTypes = definedInConstructor && symbol.declarations ? getConstructorDefinedThisAssignmentTypes(types, symbol.declarations) : void 0; if (definedInMethod) { const propType = getTypeOfPropertyInBaseClass(symbol); if (propType) { (constructorTypes || (constructorTypes = [])).push(propType); definedInConstructor = true; } } const sourceTypes = some(constructorTypes, (t) => !!(t.flags & ~98304)) ? constructorTypes : types; type = getUnionType(sourceTypes); } } const widened = getWidenedType(addOptionality( type, /*isProperty*/ false, definedInMethod && !definedInConstructor )); if (symbol.valueDeclaration && isInJSFile(symbol.valueDeclaration) && filterType(widened, (t) => !!(t.flags & ~98304)) === neverType2) { reportImplicitAny(symbol.valueDeclaration, anyType2); return anyType2; } return widened; } function getJSContainerObjectType(decl, symbol, init) { var _a, _b; if (!isInJSFile(decl) || !init || !isObjectLiteralExpression(init) || init.properties.length) { return void 0; } const exports22 = createSymbolTable(); while (isBinaryExpression(decl) || isPropertyAccessExpression(decl)) { const s2 = getSymbolOfNode(decl); if ((_a = s2 == null ? void 0 : s2.exports) == null ? void 0 : _a.size) { mergeSymbolTable(exports22, s2.exports); } decl = isBinaryExpression(decl) ? decl.parent : decl.parent.parent; } const s = getSymbolOfNode(decl); if ((_b = s == null ? void 0 : s.exports) == null ? void 0 : _b.size) { mergeSymbolTable(exports22, s.exports); } const type = createAnonymousType(symbol, exports22, emptyArray, emptyArray, emptyArray); type.objectFlags |= 4096; return type; } function getAnnotatedTypeForAssignmentDeclaration(declaredType, expression, symbol, declaration) { var _a; const typeNode = getEffectiveTypeAnnotationNode(expression.parent); if (typeNode) { const type = getWidenedType(getTypeFromTypeNode(typeNode)); if (!declaredType) { return type; } else if (!isErrorType(declaredType) && !isErrorType(type) && !isTypeIdenticalTo(declaredType, type)) { errorNextVariableOrPropertyDeclarationMustHaveSameType( /*firstDeclaration*/ void 0, declaredType, declaration, type ); } } if ((_a = symbol.parent) == null ? void 0 : _a.valueDeclaration) { const possiblyAnnotatedSymbol = getFunctionExpressionParentSymbolOrSymbol(symbol.parent); if (possiblyAnnotatedSymbol.valueDeclaration) { const typeNode2 = getEffectiveTypeAnnotationNode(possiblyAnnotatedSymbol.valueDeclaration); if (typeNode2) { const annotationSymbol = getPropertyOfType(getTypeFromTypeNode(typeNode2), symbol.escapedName); if (annotationSymbol) { return getNonMissingTypeOfSymbol(annotationSymbol); } } } } return declaredType; } function getInitializerTypeFromAssignmentDeclaration(symbol, resolvedSymbol, expression, kind) { if (isCallExpression2(expression)) { if (resolvedSymbol) { return getTypeOfSymbol(resolvedSymbol); } const objectLitType = checkExpressionCached(expression.arguments[2]); const valueType = getTypeOfPropertyOfType(objectLitType, "value"); if (valueType) { return valueType; } const getFunc = getTypeOfPropertyOfType(objectLitType, "get"); if (getFunc) { const getSig = getSingleCallSignature(getFunc); if (getSig) { return getReturnTypeOfSignature(getSig); } } const setFunc = getTypeOfPropertyOfType(objectLitType, "set"); if (setFunc) { const setSig = getSingleCallSignature(setFunc); if (setSig) { return getTypeOfFirstParameterOfSignature(setSig); } } return anyType2; } if (containsSameNamedThisProperty(expression.left, expression.right)) { return anyType2; } const isDirectExport = kind === 1 && (isPropertyAccessExpression(expression.left) || isElementAccessExpression(expression.left)) && (isModuleExportsAccessExpression(expression.left.expression) || isIdentifier(expression.left.expression) && isExportsIdentifier(expression.left.expression)); const type = resolvedSymbol ? getTypeOfSymbol(resolvedSymbol) : isDirectExport ? getRegularTypeOfLiteralType(checkExpressionCached(expression.right)) : getWidenedLiteralType(checkExpressionCached(expression.right)); if (type.flags & 524288 && kind === 2 && symbol.escapedName === "export=") { const exportedType = resolveStructuredTypeMembers(type); const members = createSymbolTable(); copyEntries(exportedType.members, members); const initialSize = members.size; if (resolvedSymbol && !resolvedSymbol.exports) { resolvedSymbol.exports = createSymbolTable(); } (resolvedSymbol || symbol).exports.forEach((s, name) => { var _a; const exportedMember = members.get(name); if (exportedMember && exportedMember !== s && !(s.flags & 2097152)) { if (s.flags & 111551 && exportedMember.flags & 111551) { if (s.valueDeclaration && exportedMember.valueDeclaration && getSourceFileOfNode(s.valueDeclaration) !== getSourceFileOfNode(exportedMember.valueDeclaration)) { const unescapedName = unescapeLeadingUnderscores(s.escapedName); const exportedMemberName = ((_a = tryCast(exportedMember.valueDeclaration, isNamedDeclaration)) == null ? void 0 : _a.name) || exportedMember.valueDeclaration; addRelatedInfo( error2(s.valueDeclaration, Diagnostics.Duplicate_identifier_0, unescapedName), createDiagnosticForNode(exportedMemberName, Diagnostics._0_was_also_declared_here, unescapedName) ); addRelatedInfo( error2(exportedMemberName, Diagnostics.Duplicate_identifier_0, unescapedName), createDiagnosticForNode(s.valueDeclaration, Diagnostics._0_was_also_declared_here, unescapedName) ); } const union = createSymbol(s.flags | exportedMember.flags, name); union.links.type = getUnionType([getTypeOfSymbol(s), getTypeOfSymbol(exportedMember)]); union.valueDeclaration = exportedMember.valueDeclaration; union.declarations = concatenate(exportedMember.declarations, s.declarations); members.set(name, union); } else { members.set(name, mergeSymbol(s, exportedMember)); } } else { members.set(name, s); } }); const result = createAnonymousType( initialSize !== members.size ? void 0 : exportedType.symbol, // Only set the type's symbol if it looks to be the same as the original type members, exportedType.callSignatures, exportedType.constructSignatures, exportedType.indexInfos ); if (initialSize === members.size) { if (type.aliasSymbol) { result.aliasSymbol = type.aliasSymbol; result.aliasTypeArguments = type.aliasTypeArguments; } if (getObjectFlags(type) & 4) { result.aliasSymbol = type.symbol; const args = getTypeArguments(type); result.aliasTypeArguments = length(args) ? args : void 0; } } result.objectFlags |= getPropagatingFlagsOfTypes([type]) | getObjectFlags(type) & (4096 | 16384 | 128); if (result.symbol && result.symbol.flags & 32 && type === getDeclaredTypeOfClassOrInterface(result.symbol)) { result.objectFlags |= 16777216; } return result; } if (isEmptyArrayLiteralType(type)) { reportImplicitAny(expression, anyArrayType); return anyArrayType; } return type; } function containsSameNamedThisProperty(thisProperty, expression) { return isPropertyAccessExpression(thisProperty) && thisProperty.expression.kind === 110 && forEachChildRecursively(expression, (n) => isMatchingReference(thisProperty, n)); } function isDeclarationInConstructor(expression) { const thisContainer = getThisContainer( expression, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ); return thisContainer.kind === 176 || thisContainer.kind === 262 || thisContainer.kind === 218 && !isPrototypePropertyAssignment(thisContainer.parent); } function getConstructorDefinedThisAssignmentTypes(types, declarations) { Debug.assert(types.length === declarations.length); return types.filter((_, i) => { const declaration = declarations[i]; const expression = isBinaryExpression(declaration) ? declaration : isBinaryExpression(declaration.parent) ? declaration.parent : void 0; return expression && isDeclarationInConstructor(expression); }); } function getTypeFromBindingElement(element, includePatternInType, reportErrors2) { if (element.initializer) { const contextualType = isBindingPattern(element.name) ? getTypeFromBindingPattern( element.name, /*includePatternInType*/ true, /*reportErrors*/ false ) : unknownType2; return addOptionality(widenTypeInferredFromInitializer(element, checkDeclarationInitializer(element, reportErrors2 ? 0 : 1, contextualType))); } if (isBindingPattern(element.name)) { return getTypeFromBindingPattern(element.name, includePatternInType, reportErrors2); } if (reportErrors2 && !declarationBelongsToPrivateAmbientMember(element)) { reportImplicitAny(element, anyType2); } return includePatternInType ? nonInferrableAnyType : anyType2; } function getTypeFromObjectBindingPattern(pattern, includePatternInType, reportErrors2) { const members = createSymbolTable(); let stringIndexInfo; let objectFlags = 128 | 131072; forEach(pattern.elements, (e) => { const name = e.propertyName || e.name; if (e.dotDotDotToken) { stringIndexInfo = createIndexInfo( stringType2, anyType2, /*isReadonly*/ false ); return; } const exprType = getLiteralTypeFromPropertyName(name); if (!isTypeUsableAsPropertyName(exprType)) { objectFlags |= 512; return; } const text = getPropertyNameFromType(exprType); const flags = 4 | (e.initializer ? 16777216 : 0); const symbol = createSymbol(flags, text); symbol.links.type = getTypeFromBindingElement(e, includePatternInType, reportErrors2); symbol.links.bindingElement = e; members.set(symbol.escapedName, symbol); }); const result = createAnonymousType( /*symbol*/ void 0, members, emptyArray, emptyArray, stringIndexInfo ? [stringIndexInfo] : emptyArray ); result.objectFlags |= objectFlags; if (includePatternInType) { result.pattern = pattern; result.objectFlags |= 131072; } return result; } function getTypeFromArrayBindingPattern(pattern, includePatternInType, reportErrors2) { const elements = pattern.elements; const lastElement = lastOrUndefined(elements); const restElement = lastElement && lastElement.kind === 208 && lastElement.dotDotDotToken ? lastElement : void 0; if (elements.length === 0 || elements.length === 1 && restElement) { return languageVersion >= 2 ? createIterableType(anyType2) : anyArrayType; } const elementTypes = map(elements, (e) => isOmittedExpression(e) ? anyType2 : getTypeFromBindingElement(e, includePatternInType, reportErrors2)); const minLength = findLastIndex(elements, (e) => !(e === restElement || isOmittedExpression(e) || hasDefaultValue2(e)), elements.length - 1) + 1; const elementFlags = map( elements, (e, i) => e === restElement ? 4 : i >= minLength ? 2 : 1 /* Required */ ); let result = createTupleType(elementTypes, elementFlags); if (includePatternInType) { result = cloneTypeReference(result); result.pattern = pattern; result.objectFlags |= 131072; } return result; } function getTypeFromBindingPattern(pattern, includePatternInType = false, reportErrors2 = false) { return pattern.kind === 206 ? getTypeFromObjectBindingPattern(pattern, includePatternInType, reportErrors2) : getTypeFromArrayBindingPattern(pattern, includePatternInType, reportErrors2); } function getWidenedTypeForVariableLikeDeclaration(declaration, reportErrors2) { return widenTypeForVariableLikeDeclaration(getTypeForVariableLikeDeclaration( declaration, /*includeOptionality*/ true, 0 /* Normal */ ), declaration, reportErrors2); } function getTypeFromImportAttributes(node) { const links = getNodeLinks(node); if (!links.resolvedType) { const symbol = createSymbol( 4096, "__importAttributes" /* ImportAttributes */ ); const members = createSymbolTable(); forEach(node.elements, (attr) => { const member = createSymbol(4, getNameFromImportAttribute(attr)); member.parent = symbol; member.links.type = checkImportAttribute(attr); member.links.target = member; members.set(member.escapedName, member); }); const type = createAnonymousType(symbol, members, emptyArray, emptyArray, emptyArray); type.objectFlags |= 128 | 262144; links.resolvedType = type; } return links.resolvedType; } function isGlobalSymbolConstructor(node) { const symbol = getSymbolOfNode(node); const globalSymbol = getGlobalESSymbolConstructorTypeSymbol( /*reportErrors*/ false ); return globalSymbol && symbol && symbol === globalSymbol; } function widenTypeForVariableLikeDeclaration(type, declaration, reportErrors2) { if (type) { if (type.flags & 4096 && isGlobalSymbolConstructor(declaration.parent)) { type = getESSymbolLikeTypeForNode(declaration); } if (reportErrors2) { reportErrorsFromWidening(declaration, type); } if (type.flags & 8192 && (isBindingElement(declaration) || !declaration.type) && type.symbol !== getSymbolOfDeclaration(declaration)) { type = esSymbolType; } return getWidenedType(type); } type = isParameter(declaration) && declaration.dotDotDotToken ? anyArrayType : anyType2; if (reportErrors2) { if (!declarationBelongsToPrivateAmbientMember(declaration)) { reportImplicitAny(declaration, type); } } return type; } function declarationBelongsToPrivateAmbientMember(declaration) { const root2 = getRootDeclaration(declaration); const memberDeclaration = root2.kind === 169 ? root2.parent : root2; return isPrivateWithinAmbient(memberDeclaration); } function tryGetTypeFromEffectiveTypeNode(node) { const typeNode = getEffectiveTypeAnnotationNode(node); if (typeNode) { return getTypeFromTypeNode(typeNode); } } function isParameterOfContextSensitiveSignature(symbol) { let decl = symbol.valueDeclaration; if (!decl) { return false; } if (isBindingElement(decl)) { decl = walkUpBindingElementsAndPatterns(decl); } if (isParameter(decl)) { return isContextSensitiveFunctionOrObjectLiteralMethod(decl.parent); } return false; } function getTypeOfVariableOrParameterOrProperty(symbol, checkMode) { const links = getSymbolLinks(symbol); if (!links.type) { const type = getTypeOfVariableOrParameterOrPropertyWorker(symbol, checkMode); if (!links.type && !isParameterOfContextSensitiveSignature(symbol) && !checkMode) { links.type = type; } return type; } return links.type; } function getTypeOfVariableOrParameterOrPropertyWorker(symbol, checkMode) { if (symbol.flags & 4194304) { return getTypeOfPrototypeProperty(symbol); } if (symbol === requireSymbol) { return anyType2; } if (symbol.flags & 134217728 && symbol.valueDeclaration) { const fileSymbol = getSymbolOfDeclaration(getSourceFileOfNode(symbol.valueDeclaration)); const result = createSymbol(fileSymbol.flags, "exports"); result.declarations = fileSymbol.declarations ? fileSymbol.declarations.slice() : []; result.parent = symbol; result.links.target = fileSymbol; if (fileSymbol.valueDeclaration) result.valueDeclaration = fileSymbol.valueDeclaration; if (fileSymbol.members) result.members = new Map(fileSymbol.members); if (fileSymbol.exports) result.exports = new Map(fileSymbol.exports); const members = createSymbolTable(); members.set("exports", result); return createAnonymousType(symbol, members, emptyArray, emptyArray, emptyArray); } Debug.assertIsDefined(symbol.valueDeclaration); const declaration = symbol.valueDeclaration; if (isSourceFile(declaration) && isJsonSourceFile(declaration)) { if (!declaration.statements.length) { return emptyObjectType; } return getWidenedType(getWidenedLiteralType(checkExpression(declaration.statements[0].expression))); } if (isAccessor(declaration)) { return getTypeOfAccessors(symbol); } if (!pushTypeResolution( symbol, 0 /* Type */ )) { if (symbol.flags & 512 && !(symbol.flags & 67108864)) { return getTypeOfFuncClassEnumModule(symbol); } if (isBindingElement(declaration) && checkMode === 1) { return errorType; } return reportCircularityError(symbol); } let type; if (declaration.kind === 277) { type = widenTypeForVariableLikeDeclaration(tryGetTypeFromEffectiveTypeNode(declaration) || checkExpressionCached(declaration.expression), declaration); } else if (isBinaryExpression(declaration) || isInJSFile(declaration) && (isCallExpression2(declaration) || (isPropertyAccessExpression(declaration) || isBindableStaticElementAccessExpression(declaration)) && isBinaryExpression(declaration.parent))) { type = getWidenedTypeForAssignmentDeclaration(symbol); } else if (isPropertyAccessExpression(declaration) || isElementAccessExpression(declaration) || isIdentifier(declaration) || isStringLiteralLike(declaration) || isNumericLiteral(declaration) || isClassDeclaration(declaration) || isFunctionDeclaration(declaration) || isMethodDeclaration(declaration) && !isObjectLiteralMethod(declaration) || isMethodSignature(declaration) || isSourceFile(declaration)) { if (symbol.flags & (16 | 8192 | 32 | 384 | 512)) { return getTypeOfFuncClassEnumModule(symbol); } type = isBinaryExpression(declaration.parent) ? getWidenedTypeForAssignmentDeclaration(symbol) : tryGetTypeFromEffectiveTypeNode(declaration) || anyType2; } else if (isPropertyAssignment(declaration)) { type = tryGetTypeFromEffectiveTypeNode(declaration) || checkPropertyAssignment(declaration); } else if (isJsxAttribute(declaration)) { type = tryGetTypeFromEffectiveTypeNode(declaration) || checkJsxAttribute(declaration); } else if (isShorthandPropertyAssignment(declaration)) { type = tryGetTypeFromEffectiveTypeNode(declaration) || checkExpressionForMutableLocation( declaration.name, 0 /* Normal */ ); } else if (isObjectLiteralMethod(declaration)) { type = tryGetTypeFromEffectiveTypeNode(declaration) || checkObjectLiteralMethod( declaration, 0 /* Normal */ ); } else if (isParameter(declaration) || isPropertyDeclaration(declaration) || isPropertySignature(declaration) || isVariableDeclaration(declaration) || isBindingElement(declaration) || isJSDocPropertyLikeTag(declaration)) { type = getWidenedTypeForVariableLikeDeclaration( declaration, /*reportErrors*/ true ); } else if (isEnumDeclaration(declaration)) { type = getTypeOfFuncClassEnumModule(symbol); } else if (isEnumMember(declaration)) { type = getTypeOfEnumMember(symbol); } else { return Debug.fail("Unhandled declaration kind! " + Debug.formatSyntaxKind(declaration.kind) + " for " + Debug.formatSymbol(symbol)); } if (!popTypeResolution()) { if (symbol.flags & 512 && !(symbol.flags & 67108864)) { return getTypeOfFuncClassEnumModule(symbol); } if (isBindingElement(declaration) && checkMode === 1) { return type; } return reportCircularityError(symbol); } return type; } function getAnnotatedAccessorTypeNode(accessor) { if (accessor) { switch (accessor.kind) { case 177: const getterTypeAnnotation = getEffectiveReturnTypeNode(accessor); return getterTypeAnnotation; case 178: const setterTypeAnnotation = getEffectiveSetAccessorTypeAnnotationNode(accessor); return setterTypeAnnotation; case 172: Debug.assert(hasAccessorModifier(accessor)); const accessorTypeAnnotation = getEffectiveTypeAnnotationNode(accessor); return accessorTypeAnnotation; } } return void 0; } function getAnnotatedAccessorType(accessor) { const node = getAnnotatedAccessorTypeNode(accessor); return node && getTypeFromTypeNode(node); } function getAnnotatedAccessorThisParameter(accessor) { const parameter = getAccessorThisParameter(accessor); return parameter && parameter.symbol; } function getThisTypeOfDeclaration(declaration) { return getThisTypeOfSignature(getSignatureFromDeclaration(declaration)); } function getTypeOfAccessors(symbol) { const links = getSymbolLinks(symbol); if (!links.type) { if (!pushTypeResolution( symbol, 0 /* Type */ )) { return errorType; } const getter = getDeclarationOfKind( symbol, 177 /* GetAccessor */ ); const setter = getDeclarationOfKind( symbol, 178 /* SetAccessor */ ); const accessor = tryCast(getDeclarationOfKind( symbol, 172 /* PropertyDeclaration */ ), isAutoAccessorPropertyDeclaration); let type = getter && isInJSFile(getter) && getTypeForDeclarationFromJSDocComment(getter) || getAnnotatedAccessorType(getter) || getAnnotatedAccessorType(setter) || getAnnotatedAccessorType(accessor) || getter && getter.body && getReturnTypeFromBody(getter) || accessor && accessor.initializer && getWidenedTypeForVariableLikeDeclaration( accessor, /*reportErrors*/ true ); if (!type) { if (setter && !isPrivateWithinAmbient(setter)) { errorOrSuggestion(noImplicitAny, setter, Diagnostics.Property_0_implicitly_has_type_any_because_its_set_accessor_lacks_a_parameter_type_annotation, symbolToString2(symbol)); } else if (getter && !isPrivateWithinAmbient(getter)) { errorOrSuggestion(noImplicitAny, getter, Diagnostics.Property_0_implicitly_has_type_any_because_its_get_accessor_lacks_a_return_type_annotation, symbolToString2(symbol)); } else if (accessor && !isPrivateWithinAmbient(accessor)) { errorOrSuggestion(noImplicitAny, accessor, Diagnostics.Member_0_implicitly_has_an_1_type, symbolToString2(symbol), "any"); } type = anyType2; } if (!popTypeResolution()) { if (getAnnotatedAccessorTypeNode(getter)) { error2(getter, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_type_annotation, symbolToString2(symbol)); } else if (getAnnotatedAccessorTypeNode(setter)) { error2(setter, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_type_annotation, symbolToString2(symbol)); } else if (getAnnotatedAccessorTypeNode(accessor)) { error2(setter, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_type_annotation, symbolToString2(symbol)); } else if (getter && noImplicitAny) { error2(getter, Diagnostics._0_implicitly_has_return_type_any_because_it_does_not_have_a_return_type_annotation_and_is_referenced_directly_or_indirectly_in_one_of_its_return_expressions, symbolToString2(symbol)); } type = anyType2; } links.type ?? (links.type = type); } return links.type; } function getWriteTypeOfAccessors(symbol) { const links = getSymbolLinks(symbol); if (!links.writeType) { if (!pushTypeResolution( symbol, 7 /* WriteType */ )) { return errorType; } const setter = getDeclarationOfKind( symbol, 178 /* SetAccessor */ ) ?? tryCast(getDeclarationOfKind( symbol, 172 /* PropertyDeclaration */ ), isAutoAccessorPropertyDeclaration); let writeType = getAnnotatedAccessorType(setter); if (!popTypeResolution()) { if (getAnnotatedAccessorTypeNode(setter)) { error2(setter, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_type_annotation, symbolToString2(symbol)); } writeType = anyType2; } links.writeType ?? (links.writeType = writeType || getTypeOfAccessors(symbol)); } return links.writeType; } function getBaseTypeVariableOfClass(symbol) { const baseConstructorType = getBaseConstructorTypeOfClass(getDeclaredTypeOfClassOrInterface(symbol)); return baseConstructorType.flags & 8650752 ? baseConstructorType : baseConstructorType.flags & 2097152 ? find(baseConstructorType.types, (t) => !!(t.flags & 8650752)) : void 0; } function getTypeOfFuncClassEnumModule(symbol) { let links = getSymbolLinks(symbol); const originalLinks = links; if (!links.type) { const expando = symbol.valueDeclaration && getSymbolOfExpando( symbol.valueDeclaration, /*allowDeclaration*/ false ); if (expando) { const merged = mergeJSSymbols(symbol, expando); if (merged) { symbol = merged; links = merged.links; } } originalLinks.type = links.type = getTypeOfFuncClassEnumModuleWorker(symbol); } return links.type; } function getTypeOfFuncClassEnumModuleWorker(symbol) { const declaration = symbol.valueDeclaration; if (symbol.flags & 1536 && isShorthandAmbientModuleSymbol(symbol)) { return anyType2; } else if (declaration && (declaration.kind === 226 || isAccessExpression(declaration) && declaration.parent.kind === 226)) { return getWidenedTypeForAssignmentDeclaration(symbol); } else if (symbol.flags & 512 && declaration && isSourceFile(declaration) && declaration.commonJsModuleIndicator) { const resolvedModule = resolveExternalModuleSymbol(symbol); if (resolvedModule !== symbol) { if (!pushTypeResolution( symbol, 0 /* Type */ )) { return errorType; } const exportEquals = getMergedSymbol(symbol.exports.get( "export=" /* ExportEquals */ )); const type2 = getWidenedTypeForAssignmentDeclaration(exportEquals, exportEquals === resolvedModule ? void 0 : resolvedModule); if (!popTypeResolution()) { return reportCircularityError(symbol); } return type2; } } const type = createObjectType(16, symbol); if (symbol.flags & 32) { const baseTypeVariable = getBaseTypeVariableOfClass(symbol); return baseTypeVariable ? getIntersectionType([type, baseTypeVariable]) : type; } else { return strictNullChecks && symbol.flags & 16777216 ? getOptionalType( type, /*isProperty*/ true ) : type; } } function getTypeOfEnumMember(symbol) { const links = getSymbolLinks(symbol); return links.type || (links.type = getDeclaredTypeOfEnumMember(symbol)); } function getTypeOfAlias(symbol) { const links = getSymbolLinks(symbol); if (!links.type) { if (!pushTypeResolution( symbol, 0 /* Type */ )) { return errorType; } const targetSymbol = resolveAlias(symbol); const exportSymbol = symbol.declarations && getTargetOfAliasDeclaration( getDeclarationOfAliasSymbol(symbol), /*dontRecursivelyResolve*/ true ); const declaredType = firstDefined(exportSymbol == null ? void 0 : exportSymbol.declarations, (d) => isExportAssignment(d) ? tryGetTypeFromEffectiveTypeNode(d) : void 0); links.type ?? (links.type = (exportSymbol == null ? void 0 : exportSymbol.declarations) && isDuplicatedCommonJSExport(exportSymbol.declarations) && symbol.declarations.length ? getFlowTypeFromCommonJSExport(exportSymbol) : isDuplicatedCommonJSExport(symbol.declarations) ? autoType : declaredType ? declaredType : getSymbolFlags(targetSymbol) & 111551 ? getTypeOfSymbol(targetSymbol) : errorType); if (!popTypeResolution()) { reportCircularityError(exportSymbol ?? symbol); return links.type ?? (links.type = errorType); } } return links.type; } function getTypeOfInstantiatedSymbol(symbol) { const links = getSymbolLinks(symbol); return links.type || (links.type = instantiateType(getTypeOfSymbol(links.target), links.mapper)); } function getWriteTypeOfInstantiatedSymbol(symbol) { const links = getSymbolLinks(symbol); return links.writeType || (links.writeType = instantiateType(getWriteTypeOfSymbol(links.target), links.mapper)); } function reportCircularityError(symbol) { const declaration = symbol.valueDeclaration; if (declaration) { if (getEffectiveTypeAnnotationNode(declaration)) { error2(symbol.valueDeclaration, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_type_annotation, symbolToString2(symbol)); return errorType; } if (noImplicitAny && (declaration.kind !== 169 || declaration.initializer)) { error2(symbol.valueDeclaration, Diagnostics._0_implicitly_has_type_any_because_it_does_not_have_a_type_annotation_and_is_referenced_directly_or_indirectly_in_its_own_initializer, symbolToString2(symbol)); } } else if (symbol.flags & 2097152) { const node = getDeclarationOfAliasSymbol(symbol); if (node) { error2(node, Diagnostics.Circular_definition_of_import_alias_0, symbolToString2(symbol)); } } return anyType2; } function getTypeOfSymbolWithDeferredType(symbol) { const links = getSymbolLinks(symbol); if (!links.type) { Debug.assertIsDefined(links.deferralParent); Debug.assertIsDefined(links.deferralConstituents); links.type = links.deferralParent.flags & 1048576 ? getUnionType(links.deferralConstituents) : getIntersectionType(links.deferralConstituents); } return links.type; } function getWriteTypeOfSymbolWithDeferredType(symbol) { const links = getSymbolLinks(symbol); if (!links.writeType && links.deferralWriteConstituents) { Debug.assertIsDefined(links.deferralParent); Debug.assertIsDefined(links.deferralConstituents); links.writeType = links.deferralParent.flags & 1048576 ? getUnionType(links.deferralWriteConstituents) : getIntersectionType(links.deferralWriteConstituents); } return links.writeType; } function getWriteTypeOfSymbol(symbol) { const checkFlags = getCheckFlags(symbol); if (symbol.flags & 4) { return checkFlags & 2 ? checkFlags & 65536 ? getWriteTypeOfSymbolWithDeferredType(symbol) || getTypeOfSymbolWithDeferredType(symbol) : ( // NOTE: cast to TransientSymbol should be safe because only TransientSymbols can have CheckFlags.SyntheticProperty symbol.links.writeType || symbol.links.type ) : removeMissingType(getTypeOfSymbol(symbol), !!(symbol.flags & 16777216)); } if (symbol.flags & 98304) { return checkFlags & 1 ? getWriteTypeOfInstantiatedSymbol(symbol) : getWriteTypeOfAccessors(symbol); } return getTypeOfSymbol(symbol); } function getTypeOfSymbol(symbol, checkMode) { const checkFlags = getCheckFlags(symbol); if (checkFlags & 65536) { return getTypeOfSymbolWithDeferredType(symbol); } if (checkFlags & 1) { return getTypeOfInstantiatedSymbol(symbol); } if (checkFlags & 262144) { return getTypeOfMappedSymbol(symbol); } if (checkFlags & 8192) { return getTypeOfReverseMappedSymbol(symbol); } if (symbol.flags & (3 | 4)) { return getTypeOfVariableOrParameterOrProperty(symbol, checkMode); } if (symbol.flags & (16 | 8192 | 32 | 384 | 512)) { return getTypeOfFuncClassEnumModule(symbol); } if (symbol.flags & 8) { return getTypeOfEnumMember(symbol); } if (symbol.flags & 98304) { return getTypeOfAccessors(symbol); } if (symbol.flags & 2097152) { return getTypeOfAlias(symbol); } return errorType; } function getNonMissingTypeOfSymbol(symbol) { return removeMissingType(getTypeOfSymbol(symbol), !!(symbol.flags & 16777216)); } function isReferenceToType2(type, target) { return type !== void 0 && target !== void 0 && (getObjectFlags(type) & 4) !== 0 && type.target === target; } function getTargetType(type) { return getObjectFlags(type) & 4 ? type.target : type; } function hasBaseType(type, checkBase) { return check(type); function check(type2) { if (getObjectFlags(type2) & (3 | 4)) { const target = getTargetType(type2); return target === checkBase || some(getBaseTypes(target), check); } else if (type2.flags & 2097152) { return some(type2.types, check); } return false; } } function appendTypeParameters(typeParameters, declarations) { for (const declaration of declarations) { typeParameters = appendIfUnique(typeParameters, getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(declaration))); } return typeParameters; } function getOuterTypeParameters(node, includeThisTypes) { while (true) { node = node.parent; if (node && isBinaryExpression(node)) { const assignmentKind = getAssignmentDeclarationKind(node); if (assignmentKind === 6 || assignmentKind === 3) { const symbol = getSymbolOfDeclaration(node.left); if (symbol && symbol.parent && !findAncestor(symbol.parent.valueDeclaration, (d) => node === d)) { node = symbol.parent.valueDeclaration; } } } if (!node) { return void 0; } switch (node.kind) { case 263: case 231: case 264: case 179: case 180: case 173: case 184: case 185: case 317: case 262: case 174: case 218: case 219: case 265: case 345: case 346: case 340: case 338: case 200: case 194: { const outerTypeParameters = getOuterTypeParameters(node, includeThisTypes); if (node.kind === 200) { return append(outerTypeParameters, getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(node.typeParameter))); } else if (node.kind === 194) { return concatenate(outerTypeParameters, getInferTypeParameters(node)); } const outerAndOwnTypeParameters = appendTypeParameters(outerTypeParameters, getEffectiveTypeParameterDeclarations(node)); const thisType = includeThisTypes && (node.kind === 263 || node.kind === 231 || node.kind === 264 || isJSConstructor(node)) && getDeclaredTypeOfClassOrInterface(getSymbolOfDeclaration(node)).thisType; return thisType ? append(outerAndOwnTypeParameters, thisType) : outerAndOwnTypeParameters; } case 341: const paramSymbol = getParameterSymbolFromJSDoc(node); if (paramSymbol) { node = paramSymbol.valueDeclaration; } break; case 320: { const outerTypeParameters = getOuterTypeParameters(node, includeThisTypes); return node.tags ? appendTypeParameters(outerTypeParameters, flatMap(node.tags, (t) => isJSDocTemplateTag(t) ? t.typeParameters : void 0)) : outerTypeParameters; } } } } function getOuterTypeParametersOfClassOrInterface(symbol) { var _a; const declaration = symbol.flags & 32 || symbol.flags & 16 ? symbol.valueDeclaration : (_a = symbol.declarations) == null ? void 0 : _a.find((decl) => { if (decl.kind === 264) { return true; } if (decl.kind !== 260) { return false; } const initializer = decl.initializer; return !!initializer && (initializer.kind === 218 || initializer.kind === 219); }); Debug.assert(!!declaration, "Class was missing valueDeclaration -OR- non-class had no interface declarations"); return getOuterTypeParameters(declaration); } function getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol) { if (!symbol.declarations) { return; } let result; for (const node of symbol.declarations) { if (node.kind === 264 || node.kind === 263 || node.kind === 231 || isJSConstructor(node) || isTypeAlias(node)) { const declaration = node; result = appendTypeParameters(result, getEffectiveTypeParameterDeclarations(declaration)); } } return result; } function getTypeParametersOfClassOrInterface(symbol) { return concatenate(getOuterTypeParametersOfClassOrInterface(symbol), getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol)); } function isMixinConstructorType(type) { const signatures = getSignaturesOfType( type, 1 /* Construct */ ); if (signatures.length === 1) { const s = signatures[0]; if (!s.typeParameters && s.parameters.length === 1 && signatureHasRestParameter(s)) { const paramType = getTypeOfParameter(s.parameters[0]); return isTypeAny(paramType) || getElementTypeOfArrayType(paramType) === anyType2; } } return false; } function isConstructorType(type) { if (getSignaturesOfType( type, 1 /* Construct */ ).length > 0) { return true; } if (type.flags & 8650752) { const constraint = getBaseConstraintOfType(type); return !!constraint && isMixinConstructorType(constraint); } return false; } function getBaseTypeNodeOfClass(type) { const decl = getClassLikeDeclarationOfSymbol(type.symbol); return decl && getEffectiveBaseTypeNode(decl); } function getConstructorsForTypeArguments(type, typeArgumentNodes, location) { const typeArgCount = length(typeArgumentNodes); const isJavascript = isInJSFile(location); return filter(getSignaturesOfType( type, 1 /* Construct */ ), (sig) => (isJavascript || typeArgCount >= getMinTypeArgumentCount(sig.typeParameters)) && typeArgCount <= length(sig.typeParameters)); } function getInstantiatedConstructorsForTypeArguments(type, typeArgumentNodes, location) { const signatures = getConstructorsForTypeArguments(type, typeArgumentNodes, location); const typeArguments = map(typeArgumentNodes, getTypeFromTypeNode); return sameMap(signatures, (sig) => some(sig.typeParameters) ? getSignatureInstantiation(sig, typeArguments, isInJSFile(location)) : sig); } function getBaseConstructorTypeOfClass(type) { if (!type.resolvedBaseConstructorType) { const decl = getClassLikeDeclarationOfSymbol(type.symbol); const extended = decl && getEffectiveBaseTypeNode(decl); const baseTypeNode = getBaseTypeNodeOfClass(type); if (!baseTypeNode) { return type.resolvedBaseConstructorType = undefinedType2; } if (!pushTypeResolution( type, 1 /* ResolvedBaseConstructorType */ )) { return errorType; } const baseConstructorType = checkExpression(baseTypeNode.expression); if (extended && baseTypeNode !== extended) { Debug.assert(!extended.typeArguments); checkExpression(extended.expression); } if (baseConstructorType.flags & (524288 | 2097152)) { resolveStructuredTypeMembers(baseConstructorType); } if (!popTypeResolution()) { error2(type.symbol.valueDeclaration, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_base_expression, symbolToString2(type.symbol)); return type.resolvedBaseConstructorType ?? (type.resolvedBaseConstructorType = errorType); } if (!(baseConstructorType.flags & 1) && baseConstructorType !== nullWideningType && !isConstructorType(baseConstructorType)) { const err = error2(baseTypeNode.expression, Diagnostics.Type_0_is_not_a_constructor_function_type, typeToString(baseConstructorType)); if (baseConstructorType.flags & 262144) { const constraint = getConstraintFromTypeParameter(baseConstructorType); let ctorReturn = unknownType2; if (constraint) { const ctorSig = getSignaturesOfType( constraint, 1 /* Construct */ ); if (ctorSig[0]) { ctorReturn = getReturnTypeOfSignature(ctorSig[0]); } } if (baseConstructorType.symbol.declarations) { addRelatedInfo(err, createDiagnosticForNode(baseConstructorType.symbol.declarations[0], Diagnostics.Did_you_mean_for_0_to_be_constrained_to_type_new_args_Colon_any_1, symbolToString2(baseConstructorType.symbol), typeToString(ctorReturn))); } } return type.resolvedBaseConstructorType ?? (type.resolvedBaseConstructorType = errorType); } type.resolvedBaseConstructorType ?? (type.resolvedBaseConstructorType = baseConstructorType); } return type.resolvedBaseConstructorType; } function getImplementsTypes(type) { let resolvedImplementsTypes = emptyArray; if (type.symbol.declarations) { for (const declaration of type.symbol.declarations) { const implementsTypeNodes = getEffectiveImplementsTypeNodes(declaration); if (!implementsTypeNodes) continue; for (const node of implementsTypeNodes) { const implementsType = getTypeFromTypeNode(node); if (!isErrorType(implementsType)) { if (resolvedImplementsTypes === emptyArray) { resolvedImplementsTypes = [implementsType]; } else { resolvedImplementsTypes.push(implementsType); } } } } } return resolvedImplementsTypes; } function reportCircularBaseType(node, type) { error2(node, Diagnostics.Type_0_recursively_references_itself_as_a_base_type, typeToString( type, /*enclosingDeclaration*/ void 0, 2 /* WriteArrayAsGenericType */ )); } function getBaseTypes(type) { if (!type.baseTypesResolved) { if (pushTypeResolution( type, 6 /* ResolvedBaseTypes */ )) { if (type.objectFlags & 8) { type.resolvedBaseTypes = [getTupleBaseType(type)]; } else if (type.symbol.flags & (32 | 64)) { if (type.symbol.flags & 32) { resolveBaseTypesOfClass(type); } if (type.symbol.flags & 64) { resolveBaseTypesOfInterface(type); } } else { Debug.fail("type must be class or interface"); } if (!popTypeResolution() && type.symbol.declarations) { for (const declaration of type.symbol.declarations) { if (declaration.kind === 263 || declaration.kind === 264) { reportCircularBaseType(declaration, type); } } } } type.baseTypesResolved = true; } return type.resolvedBaseTypes; } function getTupleBaseType(type) { const elementTypes = sameMap(type.typeParameters, (t, i) => type.elementFlags[i] & 8 ? getIndexedAccessType(t, numberType2) : t); return createArrayType(getUnionType(elementTypes || emptyArray), type.readonly); } function resolveBaseTypesOfClass(type) { type.resolvedBaseTypes = resolvingEmptyArray; const baseConstructorType = getApparentType(getBaseConstructorTypeOfClass(type)); if (!(baseConstructorType.flags & (524288 | 2097152 | 1))) { return type.resolvedBaseTypes = emptyArray; } const baseTypeNode = getBaseTypeNodeOfClass(type); let baseType; const originalBaseType = baseConstructorType.symbol ? getDeclaredTypeOfSymbol(baseConstructorType.symbol) : void 0; if (baseConstructorType.symbol && baseConstructorType.symbol.flags & 32 && areAllOuterTypeParametersApplied(originalBaseType)) { baseType = getTypeFromClassOrInterfaceReference(baseTypeNode, baseConstructorType.symbol); } else if (baseConstructorType.flags & 1) { baseType = baseConstructorType; } else { const constructors = getInstantiatedConstructorsForTypeArguments(baseConstructorType, baseTypeNode.typeArguments, baseTypeNode); if (!constructors.length) { error2(baseTypeNode.expression, Diagnostics.No_base_constructor_has_the_specified_number_of_type_arguments); return type.resolvedBaseTypes = emptyArray; } baseType = getReturnTypeOfSignature(constructors[0]); } if (isErrorType(baseType)) { return type.resolvedBaseTypes = emptyArray; } const reducedBaseType = getReducedType(baseType); if (!isValidBaseType(reducedBaseType)) { const elaboration = elaborateNeverIntersection( /*errorInfo*/ void 0, baseType ); const diagnostic = chainDiagnosticMessages(elaboration, Diagnostics.Base_constructor_return_type_0_is_not_an_object_type_or_intersection_of_object_types_with_statically_known_members, typeToString(reducedBaseType)); diagnostics.add(createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(baseTypeNode.expression), baseTypeNode.expression, diagnostic)); return type.resolvedBaseTypes = emptyArray; } if (type === reducedBaseType || hasBaseType(reducedBaseType, type)) { error2(type.symbol.valueDeclaration, Diagnostics.Type_0_recursively_references_itself_as_a_base_type, typeToString( type, /*enclosingDeclaration*/ void 0, 2 /* WriteArrayAsGenericType */ )); return type.resolvedBaseTypes = emptyArray; } if (type.resolvedBaseTypes === resolvingEmptyArray) { type.members = void 0; } return type.resolvedBaseTypes = [reducedBaseType]; } function areAllOuterTypeParametersApplied(type) { const outerTypeParameters = type.outerTypeParameters; if (outerTypeParameters) { const last2 = outerTypeParameters.length - 1; const typeArguments = getTypeArguments(type); return outerTypeParameters[last2].symbol !== typeArguments[last2].symbol; } return true; } function isValidBaseType(type) { if (type.flags & 262144) { const constraint = getBaseConstraintOfType(type); if (constraint) { return isValidBaseType(constraint); } } return !!(type.flags & (524288 | 67108864 | 1) && !isGenericMappedType(type) || type.flags & 2097152 && every(type.types, isValidBaseType)); } function resolveBaseTypesOfInterface(type) { type.resolvedBaseTypes = type.resolvedBaseTypes || emptyArray; if (type.symbol.declarations) { for (const declaration of type.symbol.declarations) { if (declaration.kind === 264 && getInterfaceBaseTypeNodes(declaration)) { for (const node of getInterfaceBaseTypeNodes(declaration)) { const baseType = getReducedType(getTypeFromTypeNode(node)); if (!isErrorType(baseType)) { if (isValidBaseType(baseType)) { if (type !== baseType && !hasBaseType(baseType, type)) { if (type.resolvedBaseTypes === emptyArray) { type.resolvedBaseTypes = [baseType]; } else { type.resolvedBaseTypes.push(baseType); } } else { reportCircularBaseType(declaration, type); } } else { error2(node, Diagnostics.An_interface_can_only_extend_an_object_type_or_intersection_of_object_types_with_statically_known_members); } } } } } } } function isThislessInterface(symbol) { if (!symbol.declarations) { return true; } for (const declaration of symbol.declarations) { if (declaration.kind === 264) { if (declaration.flags & 256) { return false; } const baseTypeNodes = getInterfaceBaseTypeNodes(declaration); if (baseTypeNodes) { for (const node of baseTypeNodes) { if (isEntityNameExpression(node.expression)) { const baseSymbol = resolveEntityName( node.expression, 788968, /*ignoreErrors*/ true ); if (!baseSymbol || !(baseSymbol.flags & 64) || getDeclaredTypeOfClassOrInterface(baseSymbol).thisType) { return false; } } } } } } return true; } function getDeclaredTypeOfClassOrInterface(symbol) { let links = getSymbolLinks(symbol); const originalLinks = links; if (!links.declaredType) { const kind = symbol.flags & 32 ? 1 : 2; const merged = mergeJSSymbols(symbol, symbol.valueDeclaration && getAssignedClassSymbol(symbol.valueDeclaration)); if (merged) { symbol = merged; links = merged.links; } const type = originalLinks.declaredType = links.declaredType = createObjectType(kind, symbol); const outerTypeParameters = getOuterTypeParametersOfClassOrInterface(symbol); const localTypeParameters = getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol); if (outerTypeParameters || localTypeParameters || kind === 1 || !isThislessInterface(symbol)) { type.objectFlags |= 4; type.typeParameters = concatenate(outerTypeParameters, localTypeParameters); type.outerTypeParameters = outerTypeParameters; type.localTypeParameters = localTypeParameters; type.instantiations = /* @__PURE__ */ new Map(); type.instantiations.set(getTypeListId(type.typeParameters), type); type.target = type; type.resolvedTypeArguments = type.typeParameters; type.thisType = createTypeParameter(symbol); type.thisType.isThisType = true; type.thisType.constraint = type; } } return links.declaredType; } function getDeclaredTypeOfTypeAlias(symbol) { var _a; const links = getSymbolLinks(symbol); if (!links.declaredType) { if (!pushTypeResolution( symbol, 2 /* DeclaredType */ )) { return errorType; } const declaration = Debug.checkDefined((_a = symbol.declarations) == null ? void 0 : _a.find(isTypeAlias), "Type alias symbol with no valid declaration found"); const typeNode = isJSDocTypeAlias(declaration) ? declaration.typeExpression : declaration.type; let type = typeNode ? getTypeFromTypeNode(typeNode) : errorType; if (popTypeResolution()) { const typeParameters = getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol); if (typeParameters) { links.typeParameters = typeParameters; links.instantiations = /* @__PURE__ */ new Map(); links.instantiations.set(getTypeListId(typeParameters), type); } } else { type = errorType; if (declaration.kind === 340) { error2(declaration.typeExpression.type, Diagnostics.Type_alias_0_circularly_references_itself, symbolToString2(symbol)); } else { error2(isNamedDeclaration(declaration) ? declaration.name || declaration : declaration, Diagnostics.Type_alias_0_circularly_references_itself, symbolToString2(symbol)); } } links.declaredType ?? (links.declaredType = type); } return links.declaredType; } function getBaseTypeOfEnumLikeType(type) { return type.flags & 1056 && type.symbol.flags & 8 ? getDeclaredTypeOfSymbol(getParentOfSymbol(type.symbol)) : type; } function getDeclaredTypeOfEnum(symbol) { const links = getSymbolLinks(symbol); if (!links.declaredType) { const memberTypeList = []; if (symbol.declarations) { for (const declaration of symbol.declarations) { if (declaration.kind === 266) { for (const member of declaration.members) { if (hasBindableName(member)) { const memberSymbol = getSymbolOfDeclaration(member); const value = getEnumMemberValue(member).value; const memberType = getFreshTypeOfLiteralType( value !== void 0 ? getEnumLiteralType(value, getSymbolId(symbol), memberSymbol) : createComputedEnumType(memberSymbol) ); getSymbolLinks(memberSymbol).declaredType = memberType; memberTypeList.push(getRegularTypeOfLiteralType(memberType)); } } } } } const enumType2 = memberTypeList.length ? getUnionType( memberTypeList, 1, symbol, /*aliasTypeArguments*/ void 0 ) : createComputedEnumType(symbol); if (enumType2.flags & 1048576) { enumType2.flags |= 1024; enumType2.symbol = symbol; } links.declaredType = enumType2; } return links.declaredType; } function createComputedEnumType(symbol) { const regularType = createTypeWithSymbol(32, symbol); const freshType = createTypeWithSymbol(32, symbol); regularType.regularType = regularType; regularType.freshType = freshType; freshType.regularType = regularType; freshType.freshType = freshType; return regularType; } function getDeclaredTypeOfEnumMember(symbol) { const links = getSymbolLinks(symbol); if (!links.declaredType) { const enumType2 = getDeclaredTypeOfEnum(getParentOfSymbol(symbol)); if (!links.declaredType) { links.declaredType = enumType2; } } return links.declaredType; } function getDeclaredTypeOfTypeParameter(symbol) { const links = getSymbolLinks(symbol); return links.declaredType || (links.declaredType = createTypeParameter(symbol)); } function getDeclaredTypeOfAlias(symbol) { const links = getSymbolLinks(symbol); return links.declaredType || (links.declaredType = getDeclaredTypeOfSymbol(resolveAlias(symbol))); } function getDeclaredTypeOfSymbol(symbol) { return tryGetDeclaredTypeOfSymbol(symbol) || errorType; } function tryGetDeclaredTypeOfSymbol(symbol) { if (symbol.flags & (32 | 64)) { return getDeclaredTypeOfClassOrInterface(symbol); } if (symbol.flags & 524288) { return getDeclaredTypeOfTypeAlias(symbol); } if (symbol.flags & 262144) { return getDeclaredTypeOfTypeParameter(symbol); } if (symbol.flags & 384) { return getDeclaredTypeOfEnum(symbol); } if (symbol.flags & 8) { return getDeclaredTypeOfEnumMember(symbol); } if (symbol.flags & 2097152) { return getDeclaredTypeOfAlias(symbol); } return void 0; } function isThislessType(node) { switch (node.kind) { case 133: case 159: case 154: case 150: case 163: case 136: case 155: case 151: case 116: case 157: case 146: case 201: return true; case 188: return isThislessType(node.elementType); case 183: return !node.typeArguments || node.typeArguments.every(isThislessType); } return false; } function isThislessTypeParameter(node) { const constraint = getEffectiveConstraintOfTypeParameter(node); return !constraint || isThislessType(constraint); } function isThislessVariableLikeDeclaration(node) { const typeNode = getEffectiveTypeAnnotationNode(node); return typeNode ? isThislessType(typeNode) : !hasInitializer(node); } function isThislessFunctionLikeDeclaration(node) { const returnType = getEffectiveReturnTypeNode(node); const typeParameters = getEffectiveTypeParameterDeclarations(node); return (node.kind === 176 || !!returnType && isThislessType(returnType)) && node.parameters.every(isThislessVariableLikeDeclaration) && typeParameters.every(isThislessTypeParameter); } function isThisless(symbol) { if (symbol.declarations && symbol.declarations.length === 1) { const declaration = symbol.declarations[0]; if (declaration) { switch (declaration.kind) { case 172: case 171: return isThislessVariableLikeDeclaration(declaration); case 174: case 173: case 176: case 177: case 178: return isThislessFunctionLikeDeclaration(declaration); } } } return false; } function createInstantiatedSymbolTable(symbols, mapper, mappingThisOnly) { const result = createSymbolTable(); for (const symbol of symbols) { result.set(symbol.escapedName, mappingThisOnly && isThisless(symbol) ? symbol : instantiateSymbol(symbol, mapper)); } return result; } function addInheritedMembers(symbols, baseSymbols) { for (const base of baseSymbols) { if (isStaticPrivateIdentifierProperty(base)) { continue; } const derived = symbols.get(base.escapedName); if (!derived || derived.valueDeclaration && isBinaryExpression(derived.valueDeclaration) && !isConstructorDeclaredProperty(derived) && !getContainingClassStaticBlock(derived.valueDeclaration)) { symbols.set(base.escapedName, base); symbols.set(base.escapedName, base); } } } function isStaticPrivateIdentifierProperty(s) { return !!s.valueDeclaration && isPrivateIdentifierClassElementDeclaration(s.valueDeclaration) && isStatic(s.valueDeclaration); } function resolveDeclaredMembers(type) { if (!type.declaredProperties) { const symbol = type.symbol; const members = getMembersOfSymbol(symbol); type.declaredProperties = getNamedMembers(members); type.declaredCallSignatures = emptyArray; type.declaredConstructSignatures = emptyArray; type.declaredIndexInfos = emptyArray; type.declaredCallSignatures = getSignaturesOfSymbol(members.get( "__call" /* Call */ )); type.declaredConstructSignatures = getSignaturesOfSymbol(members.get( "__new" /* New */ )); type.declaredIndexInfos = getIndexInfosOfSymbol(symbol); } return type; } function isLateBindableName(node) { if (!isComputedPropertyName(node) && !isElementAccessExpression(node)) { return false; } const expr = isComputedPropertyName(node) ? node.expression : node.argumentExpression; return isEntityNameExpression(expr) && isTypeUsableAsPropertyName(isComputedPropertyName(node) ? checkComputedPropertyName(node) : checkExpressionCached(expr)); } function isLateBoundName(name) { return name.charCodeAt(0) === 95 && name.charCodeAt(1) === 95 && name.charCodeAt(2) === 64; } function hasLateBindableName(node) { const name = getNameOfDeclaration(node); return !!name && isLateBindableName(name); } function hasBindableName(node) { return !hasDynamicName(node) || hasLateBindableName(node); } function isNonBindableDynamicName(node) { return isDynamicName(node) && !isLateBindableName(node); } function addDeclarationToLateBoundSymbol(symbol, member, symbolFlags) { Debug.assert(!!(getCheckFlags(symbol) & 4096), "Expected a late-bound symbol."); symbol.flags |= symbolFlags; getSymbolLinks(member.symbol).lateSymbol = symbol; if (!symbol.declarations) { symbol.declarations = [member]; } else if (!member.symbol.isReplaceableByMethod) { symbol.declarations.push(member); } if (symbolFlags & 111551) { if (!symbol.valueDeclaration || symbol.valueDeclaration.kind !== member.kind) { symbol.valueDeclaration = member; } } } function lateBindMember(parent2, earlySymbols, lateSymbols, decl) { Debug.assert(!!decl.symbol, "The member is expected to have a symbol."); const links = getNodeLinks(decl); if (!links.resolvedSymbol) { links.resolvedSymbol = decl.symbol; const declName = isBinaryExpression(decl) ? decl.left : decl.name; const type = isElementAccessExpression(declName) ? checkExpressionCached(declName.argumentExpression) : checkComputedPropertyName(declName); if (isTypeUsableAsPropertyName(type)) { const memberName = getPropertyNameFromType(type); const symbolFlags = decl.symbol.flags; let lateSymbol = lateSymbols.get(memberName); if (!lateSymbol) lateSymbols.set(memberName, lateSymbol = createSymbol( 0, memberName, 4096 /* Late */ )); const earlySymbol = earlySymbols && earlySymbols.get(memberName); if (!(parent2.flags & 32) && lateSymbol.flags & getExcludedSymbolFlags(symbolFlags)) { const declarations = earlySymbol ? concatenate(earlySymbol.declarations, lateSymbol.declarations) : lateSymbol.declarations; const name = !(type.flags & 8192) && unescapeLeadingUnderscores(memberName) || declarationNameToString(declName); forEach(declarations, (declaration) => error2(getNameOfDeclaration(declaration) || declaration, Diagnostics.Property_0_was_also_declared_here, name)); error2(declName || decl, Diagnostics.Duplicate_property_0, name); lateSymbol = createSymbol( 0, memberName, 4096 /* Late */ ); } lateSymbol.links.nameType = type; addDeclarationToLateBoundSymbol(lateSymbol, decl, symbolFlags); if (lateSymbol.parent) { Debug.assert(lateSymbol.parent === parent2, "Existing symbol parent should match new one"); } else { lateSymbol.parent = parent2; } return links.resolvedSymbol = lateSymbol; } } return links.resolvedSymbol; } function getResolvedMembersOrExportsOfSymbol(symbol, resolutionKind) { const links = getSymbolLinks(symbol); if (!links[resolutionKind]) { const isStatic2 = resolutionKind === "resolvedExports"; const earlySymbols = !isStatic2 ? symbol.members : symbol.flags & 1536 ? getExportsOfModuleWorker(symbol).exports : symbol.exports; links[resolutionKind] = earlySymbols || emptySymbols; const lateSymbols = createSymbolTable(); for (const decl of symbol.declarations || emptyArray) { const members = getMembersOfDeclaration(decl); if (members) { for (const member of members) { if (isStatic2 === hasStaticModifier(member)) { if (hasLateBindableName(member)) { lateBindMember(symbol, earlySymbols, lateSymbols, member); } } } } } const assignments = getFunctionExpressionParentSymbolOrSymbol(symbol).assignmentDeclarationMembers; if (assignments) { const decls = arrayFrom(assignments.values()); for (const member of decls) { const assignmentKind = getAssignmentDeclarationKind(member); const isInstanceMember = assignmentKind === 3 || isBinaryExpression(member) && isPossiblyAliasedThisProperty(member, assignmentKind) || assignmentKind === 9 || assignmentKind === 6; if (isStatic2 === !isInstanceMember) { if (hasLateBindableName(member)) { lateBindMember(symbol, earlySymbols, lateSymbols, member); } } } } let resolved = combineSymbolTables(earlySymbols, lateSymbols); if (symbol.flags & 33554432 && links.cjsExportMerged && symbol.declarations) { for (const decl of symbol.declarations) { const original = getSymbolLinks(decl.symbol)[resolutionKind]; if (!resolved) { resolved = original; continue; } if (!original) continue; original.forEach((s, name) => { const existing = resolved.get(name); if (!existing) resolved.set(name, s); else if (existing === s) return; else resolved.set(name, mergeSymbol(existing, s)); }); } } links[resolutionKind] = resolved || emptySymbols; } return links[resolutionKind]; } function getMembersOfSymbol(symbol) { return symbol.flags & 6256 ? getResolvedMembersOrExportsOfSymbol( symbol, "resolvedMembers" /* resolvedMembers */ ) : symbol.members || emptySymbols; } function getLateBoundSymbol(symbol) { if (symbol.flags & 106500 && symbol.escapedName === "__computed") { const links = getSymbolLinks(symbol); if (!links.lateSymbol && some(symbol.declarations, hasLateBindableName)) { const parent2 = getMergedSymbol(symbol.parent); if (some(symbol.declarations, hasStaticModifier)) { getExportsOfSymbol(parent2); } else { getMembersOfSymbol(parent2); } } return links.lateSymbol || (links.lateSymbol = symbol); } return symbol; } function getTypeWithThisArgument(type, thisArgument, needApparentType) { if (getObjectFlags(type) & 4) { const target = type.target; const typeArguments = getTypeArguments(type); return length(target.typeParameters) === length(typeArguments) ? createTypeReference(target, concatenate(typeArguments, [thisArgument || target.thisType])) : type; } else if (type.flags & 2097152) { const types = sameMap(type.types, (t) => getTypeWithThisArgument(t, thisArgument, needApparentType)); return types !== type.types ? getIntersectionType(types) : type; } return needApparentType ? getApparentType(type) : type; } function resolveObjectTypeMembers(type, source, typeParameters, typeArguments) { let mapper; let members; let callSignatures; let constructSignatures; let indexInfos; if (rangeEquals(typeParameters, typeArguments, 0, typeParameters.length)) { members = source.symbol ? getMembersOfSymbol(source.symbol) : createSymbolTable(source.declaredProperties); callSignatures = source.declaredCallSignatures; constructSignatures = source.declaredConstructSignatures; indexInfos = source.declaredIndexInfos; } else { mapper = createTypeMapper(typeParameters, typeArguments); members = createInstantiatedSymbolTable( source.declaredProperties, mapper, /*mappingThisOnly*/ typeParameters.length === 1 ); callSignatures = instantiateSignatures(source.declaredCallSignatures, mapper); constructSignatures = instantiateSignatures(source.declaredConstructSignatures, mapper); indexInfos = instantiateIndexInfos(source.declaredIndexInfos, mapper); } const baseTypes = getBaseTypes(source); if (baseTypes.length) { if (source.symbol && members === getMembersOfSymbol(source.symbol)) { const symbolTable = createSymbolTable(source.declaredProperties); const sourceIndex = getIndexSymbol(source.symbol); if (sourceIndex) { symbolTable.set("__index", sourceIndex); } members = symbolTable; } setStructuredTypeMembers(type, members, callSignatures, constructSignatures, indexInfos); const thisArgument = lastOrUndefined(typeArguments); for (const baseType of baseTypes) { const instantiatedBaseType = thisArgument ? getTypeWithThisArgument(instantiateType(baseType, mapper), thisArgument) : baseType; addInheritedMembers(members, getPropertiesOfType(instantiatedBaseType)); callSignatures = concatenate(callSignatures, getSignaturesOfType( instantiatedBaseType, 0 /* Call */ )); constructSignatures = concatenate(constructSignatures, getSignaturesOfType( instantiatedBaseType, 1 /* Construct */ )); const inheritedIndexInfos = instantiatedBaseType !== anyType2 ? getIndexInfosOfType(instantiatedBaseType) : [createIndexInfo( stringType2, anyType2, /*isReadonly*/ false )]; indexInfos = concatenate(indexInfos, filter(inheritedIndexInfos, (info) => !findIndexInfo(indexInfos, info.keyType))); } } setStructuredTypeMembers(type, members, callSignatures, constructSignatures, indexInfos); } function resolveClassOrInterfaceMembers(type) { resolveObjectTypeMembers(type, resolveDeclaredMembers(type), emptyArray, emptyArray); } function resolveTypeReferenceMembers(type) { const source = resolveDeclaredMembers(type.target); const typeParameters = concatenate(source.typeParameters, [source.thisType]); const typeArguments = getTypeArguments(type); const paddedTypeArguments = typeArguments.length === typeParameters.length ? typeArguments : concatenate(typeArguments, [type]); resolveObjectTypeMembers(type, source, typeParameters, paddedTypeArguments); } function createSignature(declaration, typeParameters, thisParameter, parameters, resolvedReturnType, resolvedTypePredicate, minArgumentCount, flags) { const sig = new Signature14(checker, flags); sig.declaration = declaration; sig.typeParameters = typeParameters; sig.parameters = parameters; sig.thisParameter = thisParameter; sig.resolvedReturnType = resolvedReturnType; sig.resolvedTypePredicate = resolvedTypePredicate; sig.minArgumentCount = minArgumentCount; sig.resolvedMinArgumentCount = void 0; sig.target = void 0; sig.mapper = void 0; sig.compositeSignatures = void 0; sig.compositeKind = void 0; return sig; } function cloneSignature(sig) { const result = createSignature( sig.declaration, sig.typeParameters, sig.thisParameter, sig.parameters, /*resolvedReturnType*/ void 0, /*resolvedTypePredicate*/ void 0, sig.minArgumentCount, sig.flags & 167 /* PropagatingFlags */ ); result.target = sig.target; result.mapper = sig.mapper; result.compositeSignatures = sig.compositeSignatures; result.compositeKind = sig.compositeKind; return result; } function createUnionSignature(signature, unionSignatures) { const result = cloneSignature(signature); result.compositeSignatures = unionSignatures; result.compositeKind = 1048576; result.target = void 0; result.mapper = void 0; return result; } function getOptionalCallSignature(signature, callChainFlags) { if ((signature.flags & 24) === callChainFlags) { return signature; } if (!signature.optionalCallSignatureCache) { signature.optionalCallSignatureCache = {}; } const key = callChainFlags === 8 ? "inner" : "outer"; return signature.optionalCallSignatureCache[key] || (signature.optionalCallSignatureCache[key] = createOptionalCallSignature(signature, callChainFlags)); } function createOptionalCallSignature(signature, callChainFlags) { Debug.assert(callChainFlags === 8 || callChainFlags === 16, "An optional call signature can either be for an inner call chain or an outer call chain, but not both."); const result = cloneSignature(signature); result.flags |= callChainFlags; return result; } function getExpandedParameters(sig, skipUnionExpanding) { if (signatureHasRestParameter(sig)) { const restIndex = sig.parameters.length - 1; const restName = sig.parameters[restIndex].escapedName; const restType = getTypeOfSymbol(sig.parameters[restIndex]); if (isTupleType(restType)) { return [expandSignatureParametersWithTupleMembers(restType, restIndex, restName)]; } else if (!skipUnionExpanding && restType.flags & 1048576 && every(restType.types, isTupleType)) { return map(restType.types, (t) => expandSignatureParametersWithTupleMembers(t, restIndex, restName)); } } return [sig.parameters]; function expandSignatureParametersWithTupleMembers(restType, restIndex, restName) { const elementTypes = getTypeArguments(restType); const associatedNames = getUniqAssociatedNamesFromTupleType(restType, restName); const restParams = map(elementTypes, (t, i) => { const name = associatedNames && associatedNames[i] ? associatedNames[i] : getParameterNameAtPosition(sig, restIndex + i, restType); const flags = restType.target.elementFlags[i]; const checkFlags = flags & 12 ? 32768 : flags & 2 ? 16384 : 0; const symbol = createSymbol(1, name, checkFlags); symbol.links.type = flags & 4 ? createArrayType(t) : t; return symbol; }); return concatenate(sig.parameters.slice(0, restIndex), restParams); } function getUniqAssociatedNamesFromTupleType(type, restName) { const associatedNamesMap = /* @__PURE__ */ new Map(); return map(type.target.labeledElementDeclarations, (labeledElement, i) => { const name = getTupleElementLabel(labeledElement, i, restName); const prevCounter = associatedNamesMap.get(name); if (prevCounter === void 0) { associatedNamesMap.set(name, 1); return name; } else { associatedNamesMap.set(name, prevCounter + 1); return `${name}_${prevCounter}`; } }); } } function getDefaultConstructSignatures(classType) { const baseConstructorType = getBaseConstructorTypeOfClass(classType); const baseSignatures = getSignaturesOfType( baseConstructorType, 1 /* Construct */ ); const declaration = getClassLikeDeclarationOfSymbol(classType.symbol); const isAbstract = !!declaration && hasSyntacticModifier( declaration, 64 /* Abstract */ ); if (baseSignatures.length === 0) { return [createSignature( /*declaration*/ void 0, classType.localTypeParameters, /*thisParameter*/ void 0, emptyArray, classType, /*resolvedTypePredicate*/ void 0, 0, isAbstract ? 4 : 0 /* None */ )]; } const baseTypeNode = getBaseTypeNodeOfClass(classType); const isJavaScript = isInJSFile(baseTypeNode); const typeArguments = typeArgumentsFromTypeReferenceNode(baseTypeNode); const typeArgCount = length(typeArguments); const result = []; for (const baseSig of baseSignatures) { const minTypeArgumentCount = getMinTypeArgumentCount(baseSig.typeParameters); const typeParamCount = length(baseSig.typeParameters); if (isJavaScript || typeArgCount >= minTypeArgumentCount && typeArgCount <= typeParamCount) { const sig = typeParamCount ? createSignatureInstantiation(baseSig, fillMissingTypeArguments(typeArguments, baseSig.typeParameters, minTypeArgumentCount, isJavaScript)) : cloneSignature(baseSig); sig.typeParameters = classType.localTypeParameters; sig.resolvedReturnType = classType; sig.flags = isAbstract ? sig.flags | 4 : sig.flags & ~4; result.push(sig); } } return result; } function findMatchingSignature(signatureList, signature, partialMatch, ignoreThisTypes, ignoreReturnTypes) { for (const s of signatureList) { if (compareSignaturesIdentical(s, signature, partialMatch, ignoreThisTypes, ignoreReturnTypes, partialMatch ? compareTypesSubtypeOf : compareTypesIdentical)) { return s; } } } function findMatchingSignatures(signatureLists, signature, listIndex) { if (signature.typeParameters) { if (listIndex > 0) { return void 0; } for (let i = 1; i < signatureLists.length; i++) { if (!findMatchingSignature( signatureLists[i], signature, /*partialMatch*/ false, /*ignoreThisTypes*/ false, /*ignoreReturnTypes*/ false )) { return void 0; } } return [signature]; } let result; for (let i = 0; i < signatureLists.length; i++) { const match = i === listIndex ? signature : findMatchingSignature( signatureLists[i], signature, /*partialMatch*/ false, /*ignoreThisTypes*/ false, /*ignoreReturnTypes*/ true ) || findMatchingSignature( signatureLists[i], signature, /*partialMatch*/ true, /*ignoreThisTypes*/ false, /*ignoreReturnTypes*/ true ); if (!match) { return void 0; } result = appendIfUnique(result, match); } return result; } function getUnionSignatures(signatureLists) { let result; let indexWithLengthOverOne; for (let i = 0; i < signatureLists.length; i++) { if (signatureLists[i].length === 0) return emptyArray; if (signatureLists[i].length > 1) { indexWithLengthOverOne = indexWithLengthOverOne === void 0 ? i : -1; } for (const signature of signatureLists[i]) { if (!result || !findMatchingSignature( result, signature, /*partialMatch*/ false, /*ignoreThisTypes*/ false, /*ignoreReturnTypes*/ true )) { const unionSignatures = findMatchingSignatures(signatureLists, signature, i); if (unionSignatures) { let s = signature; if (unionSignatures.length > 1) { let thisParameter = signature.thisParameter; const firstThisParameterOfUnionSignatures = forEach(unionSignatures, (sig) => sig.thisParameter); if (firstThisParameterOfUnionSignatures) { const thisType = getIntersectionType(mapDefined(unionSignatures, (sig) => sig.thisParameter && getTypeOfSymbol(sig.thisParameter))); thisParameter = createSymbolWithType(firstThisParameterOfUnionSignatures, thisType); } s = createUnionSignature(signature, unionSignatures); s.thisParameter = thisParameter; } (result || (result = [])).push(s); } } } } if (!length(result) && indexWithLengthOverOne !== -1) { const masterList = signatureLists[indexWithLengthOverOne !== void 0 ? indexWithLengthOverOne : 0]; let results = masterList.slice(); for (const signatures of signatureLists) { if (signatures !== masterList) { const signature = signatures[0]; Debug.assert(!!signature, "getUnionSignatures bails early on empty signature lists and should not have empty lists on second pass"); results = !!signature.typeParameters && some(results, (s) => !!s.typeParameters && !compareTypeParametersIdentical(signature.typeParameters, s.typeParameters)) ? void 0 : map(results, (sig) => combineSignaturesOfUnionMembers(sig, signature)); if (!results) { break; } } } result = results; } return result || emptyArray; } function compareTypeParametersIdentical(sourceParams, targetParams) { if (length(sourceParams) !== length(targetParams)) { return false; } if (!sourceParams || !targetParams) { return true; } const mapper = createTypeMapper(targetParams, sourceParams); for (let i = 0; i < sourceParams.length; i++) { const source = sourceParams[i]; const target = targetParams[i]; if (source === target) continue; if (!isTypeIdenticalTo(getConstraintFromTypeParameter(source) || unknownType2, instantiateType(getConstraintFromTypeParameter(target) || unknownType2, mapper))) return false; } return true; } function combineUnionThisParam(left, right, mapper) { if (!left || !right) { return left || right; } const thisType = getIntersectionType([getTypeOfSymbol(left), instantiateType(getTypeOfSymbol(right), mapper)]); return createSymbolWithType(left, thisType); } function combineUnionParameters(left, right, mapper) { const leftCount = getParameterCount(left); const rightCount = getParameterCount(right); const longest = leftCount >= rightCount ? left : right; const shorter = longest === left ? right : left; const longestCount = longest === left ? leftCount : rightCount; const eitherHasEffectiveRest = hasEffectiveRestParameter(left) || hasEffectiveRestParameter(right); const needsExtraRestElement = eitherHasEffectiveRest && !hasEffectiveRestParameter(longest); const params = new Array(longestCount + (needsExtraRestElement ? 1 : 0)); for (let i = 0; i < longestCount; i++) { let longestParamType = tryGetTypeAtPosition(longest, i); if (longest === right) { longestParamType = instantiateType(longestParamType, mapper); } let shorterParamType = tryGetTypeAtPosition(shorter, i) || unknownType2; if (shorter === right) { shorterParamType = instantiateType(shorterParamType, mapper); } const unionParamType = getIntersectionType([longestParamType, shorterParamType]); const isRestParam = eitherHasEffectiveRest && !needsExtraRestElement && i === longestCount - 1; const isOptional = i >= getMinArgumentCount(longest) && i >= getMinArgumentCount(shorter); const leftName = i >= leftCount ? void 0 : getParameterNameAtPosition(left, i); const rightName = i >= rightCount ? void 0 : getParameterNameAtPosition(right, i); const paramName = leftName === rightName ? leftName : !leftName ? rightName : !rightName ? leftName : void 0; const paramSymbol = createSymbol( 1 | (isOptional && !isRestParam ? 16777216 : 0), paramName || `arg${i}`, isRestParam ? 32768 : isOptional ? 16384 : 0 ); paramSymbol.links.type = isRestParam ? createArrayType(unionParamType) : unionParamType; params[i] = paramSymbol; } if (needsExtraRestElement) { const restParamSymbol = createSymbol( 1, "args", 32768 /* RestParameter */ ); restParamSymbol.links.type = createArrayType(getTypeAtPosition(shorter, longestCount)); if (shorter === right) { restParamSymbol.links.type = instantiateType(restParamSymbol.links.type, mapper); } params[longestCount] = restParamSymbol; } return params; } function combineSignaturesOfUnionMembers(left, right) { const typeParams = left.typeParameters || right.typeParameters; let paramMapper; if (left.typeParameters && right.typeParameters) { paramMapper = createTypeMapper(right.typeParameters, left.typeParameters); } const declaration = left.declaration; const params = combineUnionParameters(left, right, paramMapper); const thisParam = combineUnionThisParam(left.thisParameter, right.thisParameter, paramMapper); const minArgCount = Math.max(left.minArgumentCount, right.minArgumentCount); const result = createSignature( declaration, typeParams, thisParam, params, /*resolvedReturnType*/ void 0, /*resolvedTypePredicate*/ void 0, minArgCount, (left.flags | right.flags) & 167 /* PropagatingFlags */ ); result.compositeKind = 1048576; result.compositeSignatures = concatenate(left.compositeKind !== 2097152 && left.compositeSignatures || [left], [right]); if (paramMapper) { result.mapper = left.compositeKind !== 2097152 && left.mapper && left.compositeSignatures ? combineTypeMappers(left.mapper, paramMapper) : paramMapper; } else if (left.compositeKind !== 2097152 && left.mapper && left.compositeSignatures) { result.mapper = left.mapper; } return result; } function getUnionIndexInfos(types) { const sourceInfos = getIndexInfosOfType(types[0]); if (sourceInfos) { const result = []; for (const info of sourceInfos) { const indexType = info.keyType; if (every(types, (t) => !!getIndexInfoOfType(t, indexType))) { result.push(createIndexInfo(indexType, getUnionType(map(types, (t) => getIndexTypeOfType(t, indexType))), some(types, (t) => getIndexInfoOfType(t, indexType).isReadonly))); } } return result; } return emptyArray; } function resolveUnionTypeMembers(type) { const callSignatures = getUnionSignatures(map(type.types, (t) => t === globalFunctionType ? [unknownSignature] : getSignaturesOfType( t, 0 /* Call */ ))); const constructSignatures = getUnionSignatures(map(type.types, (t) => getSignaturesOfType( t, 1 /* Construct */ ))); const indexInfos = getUnionIndexInfos(type.types); setStructuredTypeMembers(type, emptySymbols, callSignatures, constructSignatures, indexInfos); } function intersectTypes(type1, type2) { return !type1 ? type2 : !type2 ? type1 : getIntersectionType([type1, type2]); } function findMixins(types) { const constructorTypeCount = countWhere(types, (t) => getSignaturesOfType( t, 1 /* Construct */ ).length > 0); const mixinFlags = map(types, isMixinConstructorType); if (constructorTypeCount > 0 && constructorTypeCount === countWhere(mixinFlags, (b) => b)) { const firstMixinIndex = mixinFlags.indexOf( /*searchElement*/ true ); mixinFlags[firstMixinIndex] = false; } return mixinFlags; } function includeMixinType(type, types, mixinFlags, index) { const mixedTypes = []; for (let i = 0; i < types.length; i++) { if (i === index) { mixedTypes.push(type); } else if (mixinFlags[i]) { mixedTypes.push(getReturnTypeOfSignature(getSignaturesOfType( types[i], 1 /* Construct */ )[0])); } } return getIntersectionType(mixedTypes); } function resolveIntersectionTypeMembers(type) { let callSignatures; let constructSignatures; let indexInfos; const types = type.types; const mixinFlags = findMixins(types); const mixinCount = countWhere(mixinFlags, (b) => b); for (let i = 0; i < types.length; i++) { const t = type.types[i]; if (!mixinFlags[i]) { let signatures = getSignaturesOfType( t, 1 /* Construct */ ); if (signatures.length && mixinCount > 0) { signatures = map(signatures, (s) => { const clone2 = cloneSignature(s); clone2.resolvedReturnType = includeMixinType(getReturnTypeOfSignature(s), types, mixinFlags, i); return clone2; }); } constructSignatures = appendSignatures(constructSignatures, signatures); } callSignatures = appendSignatures(callSignatures, getSignaturesOfType( t, 0 /* Call */ )); indexInfos = reduceLeft(getIndexInfosOfType(t), (infos, newInfo) => appendIndexInfo( infos, newInfo, /*union*/ false ), indexInfos); } setStructuredTypeMembers(type, emptySymbols, callSignatures || emptyArray, constructSignatures || emptyArray, indexInfos || emptyArray); } function appendSignatures(signatures, newSignatures) { for (const sig of newSignatures) { if (!signatures || every(signatures, (s) => !compareSignaturesIdentical( s, sig, /*partialMatch*/ false, /*ignoreThisTypes*/ false, /*ignoreReturnTypes*/ false, compareTypesIdentical ))) { signatures = append(signatures, sig); } } return signatures; } function appendIndexInfo(indexInfos, newInfo, union) { if (indexInfos) { for (let i = 0; i < indexInfos.length; i++) { const info = indexInfos[i]; if (info.keyType === newInfo.keyType) { indexInfos[i] = createIndexInfo(info.keyType, union ? getUnionType([info.type, newInfo.type]) : getIntersectionType([info.type, newInfo.type]), union ? info.isReadonly || newInfo.isReadonly : info.isReadonly && newInfo.isReadonly); return indexInfos; } } } return append(indexInfos, newInfo); } function resolveAnonymousTypeMembers(type) { if (type.target) { setStructuredTypeMembers(type, emptySymbols, emptyArray, emptyArray, emptyArray); const members2 = createInstantiatedSymbolTable( getPropertiesOfObjectType(type.target), type.mapper, /*mappingThisOnly*/ false ); const callSignatures = instantiateSignatures(getSignaturesOfType( type.target, 0 /* Call */ ), type.mapper); const constructSignatures = instantiateSignatures(getSignaturesOfType( type.target, 1 /* Construct */ ), type.mapper); const indexInfos2 = instantiateIndexInfos(getIndexInfosOfType(type.target), type.mapper); setStructuredTypeMembers(type, members2, callSignatures, constructSignatures, indexInfos2); return; } const symbol = getMergedSymbol(type.symbol); if (symbol.flags & 2048) { setStructuredTypeMembers(type, emptySymbols, emptyArray, emptyArray, emptyArray); const members2 = getMembersOfSymbol(symbol); const callSignatures = getSignaturesOfSymbol(members2.get( "__call" /* Call */ )); const constructSignatures = getSignaturesOfSymbol(members2.get( "__new" /* New */ )); const indexInfos2 = getIndexInfosOfSymbol(symbol); setStructuredTypeMembers(type, members2, callSignatures, constructSignatures, indexInfos2); return; } let members = getExportsOfSymbol(symbol); let indexInfos; if (symbol === globalThisSymbol) { const varsOnly = /* @__PURE__ */ new Map(); members.forEach((p) => { var _a; if (!(p.flags & 418) && !(p.flags & 512 && ((_a = p.declarations) == null ? void 0 : _a.length) && every(p.declarations, isAmbientModule))) { varsOnly.set(p.escapedName, p); } }); members = varsOnly; } let baseConstructorIndexInfo; setStructuredTypeMembers(type, members, emptyArray, emptyArray, emptyArray); if (symbol.flags & 32) { const classType = getDeclaredTypeOfClassOrInterface(symbol); const baseConstructorType = getBaseConstructorTypeOfClass(classType); if (baseConstructorType.flags & (524288 | 2097152 | 8650752)) { members = createSymbolTable(getNamedOrIndexSignatureMembers(members)); addInheritedMembers(members, getPropertiesOfType(baseConstructorType)); } else if (baseConstructorType === anyType2) { baseConstructorIndexInfo = createIndexInfo( stringType2, anyType2, /*isReadonly*/ false ); } } const indexSymbol = getIndexSymbolFromSymbolTable(members); if (indexSymbol) { indexInfos = getIndexInfosOfIndexSymbol(indexSymbol); } else { if (baseConstructorIndexInfo) { indexInfos = append(indexInfos, baseConstructorIndexInfo); } if (symbol.flags & 384 && (getDeclaredTypeOfSymbol(symbol).flags & 32 || some(type.properties, (prop) => !!(getTypeOfSymbol(prop).flags & 296)))) { indexInfos = append(indexInfos, enumNumberIndexInfo); } } setStructuredTypeMembers(type, members, emptyArray, emptyArray, indexInfos || emptyArray); if (symbol.flags & (16 | 8192)) { type.callSignatures = getSignaturesOfSymbol(symbol); } if (symbol.flags & 32) { const classType = getDeclaredTypeOfClassOrInterface(symbol); let constructSignatures = symbol.members ? getSignaturesOfSymbol(symbol.members.get( "__constructor" /* Constructor */ )) : emptyArray; if (symbol.flags & 16) { constructSignatures = addRange( constructSignatures.slice(), mapDefined( type.callSignatures, (sig) => isJSConstructor(sig.declaration) ? createSignature( sig.declaration, sig.typeParameters, sig.thisParameter, sig.parameters, classType, /*resolvedTypePredicate*/ void 0, sig.minArgumentCount, sig.flags & 167 /* PropagatingFlags */ ) : void 0 ) ); } if (!constructSignatures.length) { constructSignatures = getDefaultConstructSignatures(classType); } type.constructSignatures = constructSignatures; } } function replaceIndexedAccess(instantiable, type, replacement) { return instantiateType(instantiable, createTypeMapper([type.indexType, type.objectType], [getNumberLiteralType(0), createTupleType([replacement])])); } function getLimitedConstraint(type) { const constraint = getConstraintTypeFromMappedType(type.mappedType); if (!(constraint.flags & 1048576 || constraint.flags & 2097152)) { return; } const origin = constraint.flags & 1048576 ? constraint.origin : constraint; if (!origin || !(origin.flags & 2097152)) { return; } const limitedConstraint = getIntersectionType(origin.types.filter((t) => t !== type.constraintType)); return limitedConstraint !== neverType2 ? limitedConstraint : void 0; } function resolveReverseMappedTypeMembers(type) { const indexInfo = getIndexInfoOfType(type.source, stringType2); const modifiers = getMappedTypeModifiers(type.mappedType); const readonlyMask = modifiers & 1 ? false : true; const optionalMask = modifiers & 4 ? 0 : 16777216; const indexInfos = indexInfo ? [createIndexInfo(stringType2, inferReverseMappedType(indexInfo.type, type.mappedType, type.constraintType) || unknownType2, readonlyMask && indexInfo.isReadonly)] : emptyArray; const members = createSymbolTable(); const limitedConstraint = getLimitedConstraint(type); for (const prop of getPropertiesOfType(type.source)) { if (limitedConstraint) { const propertyNameType = getLiteralTypeFromProperty( prop, 8576 /* StringOrNumberLiteralOrUnique */ ); if (!isTypeAssignableTo(propertyNameType, limitedConstraint)) { continue; } } const checkFlags = 8192 | (readonlyMask && isReadonlySymbol(prop) ? 8 : 0); const inferredProp = createSymbol(4 | prop.flags & optionalMask, prop.escapedName, checkFlags); inferredProp.declarations = prop.declarations; inferredProp.links.nameType = getSymbolLinks(prop).nameType; inferredProp.links.propertyType = getTypeOfSymbol(prop); if (type.constraintType.type.flags & 8388608 && type.constraintType.type.objectType.flags & 262144 && type.constraintType.type.indexType.flags & 262144) { const newTypeParam = type.constraintType.type.objectType; const newMappedType = replaceIndexedAccess(type.mappedType, type.constraintType.type, newTypeParam); inferredProp.links.mappedType = newMappedType; inferredProp.links.constraintType = getIndexType(newTypeParam); } else { inferredProp.links.mappedType = type.mappedType; inferredProp.links.constraintType = type.constraintType; } members.set(prop.escapedName, inferredProp); } setStructuredTypeMembers(type, members, emptyArray, emptyArray, indexInfos); } function getLowerBoundOfKeyType(type) { if (type.flags & 4194304) { const t = getApparentType(type.type); return isGenericTupleType(t) ? getKnownKeysOfTupleType(t) : getIndexType(t); } if (type.flags & 16777216) { if (type.root.isDistributive) { const checkType = type.checkType; const constraint = getLowerBoundOfKeyType(checkType); if (constraint !== checkType) { return getConditionalTypeInstantiation( type, prependTypeMapping(type.root.checkType, constraint, type.mapper), /*forConstraint*/ false ); } } return type; } if (type.flags & 1048576) { return mapType2( type, getLowerBoundOfKeyType, /*noReductions*/ true ); } if (type.flags & 2097152) { const types = type.types; if (types.length === 2 && !!(types[0].flags & (4 | 8 | 64)) && types[1] === emptyTypeLiteralType) { return type; } return getIntersectionType(sameMap(type.types, getLowerBoundOfKeyType)); } return type; } function getIsLateCheckFlag(s) { return getCheckFlags(s) & 4096; } function forEachMappedTypePropertyKeyTypeAndIndexSignatureKeyType(type, include, stringsOnly, cb) { for (const prop of getPropertiesOfType(type)) { cb(getLiteralTypeFromProperty(prop, include)); } if (type.flags & 1) { cb(stringType2); } else { for (const info of getIndexInfosOfType(type)) { if (!stringsOnly || info.keyType.flags & (4 | 134217728)) { cb(info.keyType); } } } } function resolveMappedTypeMembers(type) { const members = createSymbolTable(); let indexInfos; setStructuredTypeMembers(type, emptySymbols, emptyArray, emptyArray, emptyArray); const typeParameter = getTypeParameterFromMappedType(type); const constraintType = getConstraintTypeFromMappedType(type); const mappedType = type.target || type; const nameType = getNameTypeFromMappedType(mappedType); const shouldLinkPropDeclarations = getMappedTypeNameTypeKind(mappedType) !== 2; const templateType = getTemplateTypeFromMappedType(mappedType); const modifiersType = getApparentType(getModifiersTypeFromMappedType(type)); const templateModifiers = getMappedTypeModifiers(type); const include = 8576; if (isMappedTypeWithKeyofConstraintDeclaration(type)) { forEachMappedTypePropertyKeyTypeAndIndexSignatureKeyType( modifiersType, include, /*stringsOnly*/ false, addMemberForKeyType ); } else { forEachType(getLowerBoundOfKeyType(constraintType), addMemberForKeyType); } setStructuredTypeMembers(type, members, emptyArray, emptyArray, indexInfos || emptyArray); function addMemberForKeyType(keyType) { const propNameType = nameType ? instantiateType(nameType, appendTypeMapping(type.mapper, typeParameter, keyType)) : keyType; forEachType(propNameType, (t) => addMemberForKeyTypeWorker(keyType, t)); } function addMemberForKeyTypeWorker(keyType, propNameType) { if (isTypeUsableAsPropertyName(propNameType)) { const propName = getPropertyNameFromType(propNameType); const existingProp = members.get(propName); if (existingProp) { existingProp.links.nameType = getUnionType([existingProp.links.nameType, propNameType]); existingProp.links.keyType = getUnionType([existingProp.links.keyType, keyType]); } else { const modifiersProp = isTypeUsableAsPropertyName(keyType) ? getPropertyOfType(modifiersType, getPropertyNameFromType(keyType)) : void 0; const isOptional = !!(templateModifiers & 4 || !(templateModifiers & 8) && modifiersProp && modifiersProp.flags & 16777216); const isReadonly = !!(templateModifiers & 1 || !(templateModifiers & 2) && modifiersProp && isReadonlySymbol(modifiersProp)); const stripOptional = strictNullChecks && !isOptional && modifiersProp && modifiersProp.flags & 16777216; const lateFlag = modifiersProp ? getIsLateCheckFlag(modifiersProp) : 0; const prop = createSymbol(4 | (isOptional ? 16777216 : 0), propName, lateFlag | 262144 | (isReadonly ? 8 : 0) | (stripOptional ? 524288 : 0)); prop.links.mappedType = type; prop.links.nameType = propNameType; prop.links.keyType = keyType; if (modifiersProp) { prop.links.syntheticOrigin = modifiersProp; prop.declarations = shouldLinkPropDeclarations ? modifiersProp.declarations : void 0; } members.set(propName, prop); } } else if (isValidIndexKeyType(propNameType) || propNameType.flags & (1 | 32)) { const indexKeyType = propNameType.flags & (1 | 4) ? stringType2 : propNameType.flags & (8 | 32) ? numberType2 : propNameType; const propType = instantiateType(templateType, appendTypeMapping(type.mapper, typeParameter, keyType)); const modifiersIndexInfo = getApplicableIndexInfo(modifiersType, propNameType); const isReadonly = !!(templateModifiers & 1 || !(templateModifiers & 2) && (modifiersIndexInfo == null ? void 0 : modifiersIndexInfo.isReadonly)); const indexInfo = createIndexInfo(indexKeyType, propType, isReadonly); indexInfos = appendIndexInfo( indexInfos, indexInfo, /*union*/ true ); } } } function getTypeOfMappedSymbol(symbol) { var _a; if (!symbol.links.type) { const mappedType = symbol.links.mappedType; if (!pushTypeResolution( symbol, 0 /* Type */ )) { mappedType.containsError = true; return errorType; } const templateType = getTemplateTypeFromMappedType(mappedType.target || mappedType); const mapper = appendTypeMapping(mappedType.mapper, getTypeParameterFromMappedType(mappedType), symbol.links.keyType); const propType = instantiateType(templateType, mapper); let type = strictNullChecks && symbol.flags & 16777216 && !maybeTypeOfKind( propType, 32768 | 16384 /* Void */ ) ? getOptionalType( propType, /*isProperty*/ true ) : symbol.links.checkFlags & 524288 ? removeMissingOrUndefinedType(propType) : propType; if (!popTypeResolution()) { error2(currentNode, Diagnostics.Type_of_property_0_circularly_references_itself_in_mapped_type_1, symbolToString2(symbol), typeToString(mappedType)); type = errorType; } (_a = symbol.links).type ?? (_a.type = type); } return symbol.links.type; } function getTypeParameterFromMappedType(type) { return type.typeParameter || (type.typeParameter = getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(type.declaration.typeParameter))); } function getConstraintTypeFromMappedType(type) { return type.constraintType || (type.constraintType = getConstraintOfTypeParameter(getTypeParameterFromMappedType(type)) || errorType); } function getNameTypeFromMappedType(type) { return type.declaration.nameType ? type.nameType || (type.nameType = instantiateType(getTypeFromTypeNode(type.declaration.nameType), type.mapper)) : void 0; } function getTemplateTypeFromMappedType(type) { return type.templateType || (type.templateType = type.declaration.type ? instantiateType(addOptionality( getTypeFromTypeNode(type.declaration.type), /*isProperty*/ true, !!(getMappedTypeModifiers(type) & 4) ), type.mapper) : errorType); } function getConstraintDeclarationForMappedType(type) { return getEffectiveConstraintOfTypeParameter(type.declaration.typeParameter); } function isMappedTypeWithKeyofConstraintDeclaration(type) { const constraintDeclaration = getConstraintDeclarationForMappedType(type); return constraintDeclaration.kind === 198 && constraintDeclaration.operator === 143; } function getModifiersTypeFromMappedType(type) { if (!type.modifiersType) { if (isMappedTypeWithKeyofConstraintDeclaration(type)) { type.modifiersType = instantiateType(getTypeFromTypeNode(getConstraintDeclarationForMappedType(type).type), type.mapper); } else { const declaredType = getTypeFromMappedTypeNode(type.declaration); const constraint = getConstraintTypeFromMappedType(declaredType); const extendedConstraint = constraint && constraint.flags & 262144 ? getConstraintOfTypeParameter(constraint) : constraint; type.modifiersType = extendedConstraint && extendedConstraint.flags & 4194304 ? instantiateType(extendedConstraint.type, type.mapper) : unknownType2; } } return type.modifiersType; } function getMappedTypeModifiers(type) { const declaration = type.declaration; return (declaration.readonlyToken ? declaration.readonlyToken.kind === 41 ? 2 : 1 : 0) | (declaration.questionToken ? declaration.questionToken.kind === 41 ? 8 : 4 : 0); } function getMappedTypeOptionality(type) { const modifiers = getMappedTypeModifiers(type); return modifiers & 8 ? -1 : modifiers & 4 ? 1 : 0; } function getCombinedMappedTypeOptionality(type) { if (getObjectFlags(type) & 32) { return getMappedTypeOptionality(type) || getCombinedMappedTypeOptionality(getModifiersTypeFromMappedType(type)); } if (type.flags & 2097152) { const optionality = getCombinedMappedTypeOptionality(type.types[0]); return every(type.types, (t, i) => i === 0 || getCombinedMappedTypeOptionality(t) === optionality) ? optionality : 0; } return 0; } function isPartialMappedType(type) { return !!(getObjectFlags(type) & 32 && getMappedTypeModifiers(type) & 4); } function isGenericMappedType(type) { if (getObjectFlags(type) & 32) { const constraint = getConstraintTypeFromMappedType(type); if (isGenericIndexType(constraint)) { return true; } const nameType = getNameTypeFromMappedType(type); if (nameType && isGenericIndexType(instantiateType(nameType, makeUnaryTypeMapper(getTypeParameterFromMappedType(type), constraint)))) { return true; } } return false; } function getMappedTypeNameTypeKind(type) { const nameType = getNameTypeFromMappedType(type); if (!nameType) { return 0; } return isTypeAssignableTo(nameType, getTypeParameterFromMappedType(type)) ? 1 : 2; } function resolveStructuredTypeMembers(type) { if (!type.members) { if (type.flags & 524288) { if (type.objectFlags & 4) { resolveTypeReferenceMembers(type); } else if (type.objectFlags & 3) { resolveClassOrInterfaceMembers(type); } else if (type.objectFlags & 1024) { resolveReverseMappedTypeMembers(type); } else if (type.objectFlags & 16) { resolveAnonymousTypeMembers(type); } else if (type.objectFlags & 32) { resolveMappedTypeMembers(type); } else { Debug.fail("Unhandled object type " + Debug.formatObjectFlags(type.objectFlags)); } } else if (type.flags & 1048576) { resolveUnionTypeMembers(type); } else if (type.flags & 2097152) { resolveIntersectionTypeMembers(type); } else { Debug.fail("Unhandled type " + Debug.formatTypeFlags(type.flags)); } } return type; } function getPropertiesOfObjectType(type) { if (type.flags & 524288) { return resolveStructuredTypeMembers(type).properties; } return emptyArray; } function getPropertyOfObjectType(type, name) { if (type.flags & 524288) { const resolved = resolveStructuredTypeMembers(type); const symbol = resolved.members.get(name); if (symbol && symbolIsValue(symbol)) { return symbol; } } } function getPropertiesOfUnionOrIntersectionType(type) { if (!type.resolvedProperties) { const members = createSymbolTable(); for (const current of type.types) { for (const prop of getPropertiesOfType(current)) { if (!members.has(prop.escapedName)) { const combinedProp = getPropertyOfUnionOrIntersectionType( type, prop.escapedName, /*skipObjectFunctionPropertyAugment*/ !!(type.flags & 2097152) ); if (combinedProp) { members.set(prop.escapedName, combinedProp); } } } if (type.flags & 1048576 && getIndexInfosOfType(current).length === 0) { break; } } type.resolvedProperties = getNamedMembers(members); } return type.resolvedProperties; } function getPropertiesOfType(type) { type = getReducedApparentType(type); return type.flags & 3145728 ? getPropertiesOfUnionOrIntersectionType(type) : getPropertiesOfObjectType(type); } function forEachPropertyOfType(type, action) { type = getReducedApparentType(type); if (type.flags & 3670016) { resolveStructuredTypeMembers(type).members.forEach((symbol, escapedName) => { if (isNamedMember(symbol, escapedName)) { action(symbol, escapedName); } }); } } function isTypeInvalidDueToUnionDiscriminant(contextualType, obj) { const list = obj.properties; return list.some((property) => { const nameType = property.name && (isJsxNamespacedName(property.name) ? getStringLiteralType(getTextOfJsxAttributeName(property.name)) : getLiteralTypeFromPropertyName(property.name)); const name = nameType && isTypeUsableAsPropertyName(nameType) ? getPropertyNameFromType(nameType) : void 0; const expected = name === void 0 ? void 0 : getTypeOfPropertyOfType(contextualType, name); return !!expected && isLiteralType(expected) && !isTypeAssignableTo(getTypeOfNode(property), expected); }); } function getAllPossiblePropertiesOfTypes(types) { const unionType2 = getUnionType(types); if (!(unionType2.flags & 1048576)) { return getAugmentedPropertiesOfType(unionType2); } const props = createSymbolTable(); for (const memberType of types) { for (const { escapedName } of getAugmentedPropertiesOfType(memberType)) { if (!props.has(escapedName)) { const prop = createUnionOrIntersectionProperty(unionType2, escapedName); if (prop) props.set(escapedName, prop); } } } return arrayFrom(props.values()); } function getConstraintOfType(type) { return type.flags & 262144 ? getConstraintOfTypeParameter(type) : type.flags & 8388608 ? getConstraintOfIndexedAccess(type) : type.flags & 16777216 ? getConstraintOfConditionalType(type) : getBaseConstraintOfType(type); } function getConstraintOfTypeParameter(typeParameter) { return hasNonCircularBaseConstraint(typeParameter) ? getConstraintFromTypeParameter(typeParameter) : void 0; } function isConstMappedType(type, depth2) { const typeVariable = getHomomorphicTypeVariable(type); return !!typeVariable && isConstTypeVariable(typeVariable, depth2); } function isConstTypeVariable(type, depth2 = 0) { var _a; return depth2 < 5 && !!(type && (type.flags & 262144 && some((_a = type.symbol) == null ? void 0 : _a.declarations, (d) => hasSyntacticModifier( d, 4096 /* Const */ )) || type.flags & 3145728 && some(type.types, (t) => isConstTypeVariable(t, depth2)) || type.flags & 8388608 && isConstTypeVariable(type.objectType, depth2 + 1) || type.flags & 16777216 && isConstTypeVariable(getConstraintOfConditionalType(type), depth2 + 1) || type.flags & 33554432 && isConstTypeVariable(type.baseType, depth2) || getObjectFlags(type) & 32 && isConstMappedType(type, depth2) || isGenericTupleType(type) && findIndex(getElementTypes(type), (t, i) => !!(type.target.elementFlags[i] & 8) && isConstTypeVariable(t, depth2)) >= 0)); } function getConstraintOfIndexedAccess(type) { return hasNonCircularBaseConstraint(type) ? getConstraintFromIndexedAccess(type) : void 0; } function getSimplifiedTypeOrConstraint(type) { const simplified = getSimplifiedType( type, /*writing*/ false ); return simplified !== type ? simplified : getConstraintOfType(type); } function getConstraintFromIndexedAccess(type) { if (isMappedTypeGenericIndexedAccess(type)) { return substituteIndexedMappedType(type.objectType, type.indexType); } const indexConstraint = getSimplifiedTypeOrConstraint(type.indexType); if (indexConstraint && indexConstraint !== type.indexType) { const indexedAccess = getIndexedAccessTypeOrUndefined(type.objectType, indexConstraint, type.accessFlags); if (indexedAccess) { return indexedAccess; } } const objectConstraint = getSimplifiedTypeOrConstraint(type.objectType); if (objectConstraint && objectConstraint !== type.objectType) { return getIndexedAccessTypeOrUndefined(objectConstraint, type.indexType, type.accessFlags); } return void 0; } function getDefaultConstraintOfConditionalType(type) { if (!type.resolvedDefaultConstraint) { const trueConstraint = getInferredTrueTypeFromConditionalType(type); const falseConstraint = getFalseTypeFromConditionalType(type); type.resolvedDefaultConstraint = isTypeAny(trueConstraint) ? falseConstraint : isTypeAny(falseConstraint) ? trueConstraint : getUnionType([trueConstraint, falseConstraint]); } return type.resolvedDefaultConstraint; } function getConstraintOfDistributiveConditionalType(type) { if (type.resolvedConstraintOfDistributive !== void 0) { return type.resolvedConstraintOfDistributive || void 0; } if (type.root.isDistributive && type.restrictiveInstantiation !== type) { const simplified = getSimplifiedType( type.checkType, /*writing*/ false ); const constraint = simplified === type.checkType ? getConstraintOfType(simplified) : simplified; if (constraint && constraint !== type.checkType) { const instantiated = getConditionalTypeInstantiation( type, prependTypeMapping(type.root.checkType, constraint, type.mapper), /*forConstraint*/ true ); if (!(instantiated.flags & 131072)) { type.resolvedConstraintOfDistributive = instantiated; return instantiated; } } } type.resolvedConstraintOfDistributive = false; return void 0; } function getConstraintFromConditionalType(type) { return getConstraintOfDistributiveConditionalType(type) || getDefaultConstraintOfConditionalType(type); } function getConstraintOfConditionalType(type) { return hasNonCircularBaseConstraint(type) ? getConstraintFromConditionalType(type) : void 0; } function getEffectiveConstraintOfIntersection(types, targetIsUnion) { let constraints; let hasDisjointDomainType = false; for (const t of types) { if (t.flags & 465829888) { let constraint = getConstraintOfType(t); while (constraint && constraint.flags & (262144 | 4194304 | 16777216)) { constraint = getConstraintOfType(constraint); } if (constraint) { constraints = append(constraints, constraint); if (targetIsUnion) { constraints = append(constraints, t); } } } else if (t.flags & 469892092 || isEmptyAnonymousObjectType(t)) { hasDisjointDomainType = true; } } if (constraints && (targetIsUnion || hasDisjointDomainType)) { if (hasDisjointDomainType) { for (const t of types) { if (t.flags & 469892092 || isEmptyAnonymousObjectType(t)) { constraints = append(constraints, t); } } } return getNormalizedType( getIntersectionType( constraints, 2 /* NoConstraintReduction */ ), /*writing*/ false ); } return void 0; } function getBaseConstraintOfType(type) { if (type.flags & (58982400 | 3145728 | 134217728 | 268435456) || isGenericTupleType(type)) { const constraint = getResolvedBaseConstraint(type); return constraint !== noConstraintType && constraint !== circularConstraintType ? constraint : void 0; } return type.flags & 4194304 ? stringNumberSymbolType : void 0; } function getBaseConstraintOrType(type) { return getBaseConstraintOfType(type) || type; } function hasNonCircularBaseConstraint(type) { return getResolvedBaseConstraint(type) !== circularConstraintType; } function getResolvedBaseConstraint(type) { if (type.resolvedBaseConstraint) { return type.resolvedBaseConstraint; } const stack = []; return type.resolvedBaseConstraint = getImmediateBaseConstraint(type); function getImmediateBaseConstraint(t) { if (!t.immediateBaseConstraint) { if (!pushTypeResolution( t, 4 /* ImmediateBaseConstraint */ )) { return circularConstraintType; } let result; const identity22 = getRecursionIdentity(t); if (stack.length < 10 || stack.length < 50 && !contains(stack, identity22)) { stack.push(identity22); result = computeBaseConstraint(getSimplifiedType( t, /*writing*/ false )); stack.pop(); } if (!popTypeResolution()) { if (t.flags & 262144) { const errorNode = getConstraintDeclaration(t); if (errorNode) { const diagnostic = error2(errorNode, Diagnostics.Type_parameter_0_has_a_circular_constraint, typeToString(t)); if (currentNode && !isNodeDescendantOf(errorNode, currentNode) && !isNodeDescendantOf(currentNode, errorNode)) { addRelatedInfo(diagnostic, createDiagnosticForNode(currentNode, Diagnostics.Circularity_originates_in_type_at_this_location)); } } } result = circularConstraintType; } t.immediateBaseConstraint ?? (t.immediateBaseConstraint = result || noConstraintType); } return t.immediateBaseConstraint; } function getBaseConstraint(t) { const c = getImmediateBaseConstraint(t); return c !== noConstraintType && c !== circularConstraintType ? c : void 0; } function computeBaseConstraint(t) { if (t.flags & 262144) { const constraint = getConstraintFromTypeParameter(t); return t.isThisType || !constraint ? constraint : getBaseConstraint(constraint); } if (t.flags & 3145728) { const types = t.types; const baseTypes = []; let different = false; for (const type2 of types) { const baseType = getBaseConstraint(type2); if (baseType) { if (baseType !== type2) { different = true; } baseTypes.push(baseType); } else { different = true; } } if (!different) { return t; } return t.flags & 1048576 && baseTypes.length === types.length ? getUnionType(baseTypes) : t.flags & 2097152 && baseTypes.length ? getIntersectionType(baseTypes) : void 0; } if (t.flags & 4194304) { return stringNumberSymbolType; } if (t.flags & 134217728) { const types = t.types; const constraints = mapDefined(types, getBaseConstraint); return constraints.length === types.length ? getTemplateLiteralType(t.texts, constraints) : stringType2; } if (t.flags & 268435456) { const constraint = getBaseConstraint(t.type); return constraint && constraint !== t.type ? getStringMappingType(t.symbol, constraint) : stringType2; } if (t.flags & 8388608) { if (isMappedTypeGenericIndexedAccess(t)) { return getBaseConstraint(substituteIndexedMappedType(t.objectType, t.indexType)); } const baseObjectType = getBaseConstraint(t.objectType); const baseIndexType = getBaseConstraint(t.indexType); const baseIndexedAccess = baseObjectType && baseIndexType && getIndexedAccessTypeOrUndefined(baseObjectType, baseIndexType, t.accessFlags); return baseIndexedAccess && getBaseConstraint(baseIndexedAccess); } if (t.flags & 16777216) { const constraint = getConstraintFromConditionalType(t); return constraint && getBaseConstraint(constraint); } if (t.flags & 33554432) { return getBaseConstraint(getSubstitutionIntersection(t)); } if (isGenericTupleType(t)) { const newElements = map(getElementTypes(t), (v, i) => { const constraint = v.flags & 262144 && t.target.elementFlags[i] & 8 && getBaseConstraint(v) || v; return constraint !== v && everyType(constraint, (c) => isArrayOrTupleType(c) && !isGenericTupleType(c)) ? constraint : v; }); return createTupleType(newElements, t.target.elementFlags, t.target.readonly, t.target.labeledElementDeclarations); } return t; } } function getApparentTypeOfIntersectionType(type, thisArgument) { if (type === thisArgument) { return type.resolvedApparentType || (type.resolvedApparentType = getTypeWithThisArgument( type, thisArgument, /*needApparentType*/ true )); } const key = `I${getTypeId(type)},${getTypeId(thisArgument)}`; return getCachedType(key) ?? setCachedType(key, getTypeWithThisArgument( type, thisArgument, /*needApparentType*/ true )); } function getResolvedTypeParameterDefault(typeParameter) { if (!typeParameter.default) { if (typeParameter.target) { const targetDefault = getResolvedTypeParameterDefault(typeParameter.target); typeParameter.default = targetDefault ? instantiateType(targetDefault, typeParameter.mapper) : noConstraintType; } else { typeParameter.default = resolvingDefaultType; const defaultDeclaration = typeParameter.symbol && forEach(typeParameter.symbol.declarations, (decl) => isTypeParameterDeclaration(decl) && decl.default); const defaultType = defaultDeclaration ? getTypeFromTypeNode(defaultDeclaration) : noConstraintType; if (typeParameter.default === resolvingDefaultType) { typeParameter.default = defaultType; } } } else if (typeParameter.default === resolvingDefaultType) { typeParameter.default = circularConstraintType; } return typeParameter.default; } function getDefaultFromTypeParameter(typeParameter) { const defaultType = getResolvedTypeParameterDefault(typeParameter); return defaultType !== noConstraintType && defaultType !== circularConstraintType ? defaultType : void 0; } function hasNonCircularTypeParameterDefault(typeParameter) { return getResolvedTypeParameterDefault(typeParameter) !== circularConstraintType; } function hasTypeParameterDefault(typeParameter) { return !!(typeParameter.symbol && forEach(typeParameter.symbol.declarations, (decl) => isTypeParameterDeclaration(decl) && decl.default)); } function getApparentTypeOfMappedType(type) { return type.resolvedApparentType || (type.resolvedApparentType = getResolvedApparentTypeOfMappedType(type)); } function getResolvedApparentTypeOfMappedType(type) { const target = type.target ?? type; const typeVariable = getHomomorphicTypeVariable(target); if (typeVariable && !target.declaration.nameType) { const modifiersType = getModifiersTypeFromMappedType(type); const baseConstraint = isGenericMappedType(modifiersType) ? getApparentTypeOfMappedType(modifiersType) : getBaseConstraintOfType(modifiersType); if (baseConstraint && everyType(baseConstraint, (t) => isArrayOrTupleType(t) || isArrayOrTupleOrIntersection(t))) { return instantiateType(target, prependTypeMapping(typeVariable, baseConstraint, type.mapper)); } } return type; } function isArrayOrTupleOrIntersection(type) { return !!(type.flags & 2097152) && every(type.types, isArrayOrTupleType); } function isMappedTypeGenericIndexedAccess(type) { let objectType2; return !!(type.flags & 8388608 && getObjectFlags(objectType2 = type.objectType) & 32 && !isGenericMappedType(objectType2) && isGenericIndexType(type.indexType) && !(getMappedTypeModifiers(objectType2) & 8) && !objectType2.declaration.nameType); } function getApparentType(type) { const t = type.flags & 465829888 ? getBaseConstraintOfType(type) || unknownType2 : type; const objectFlags = getObjectFlags(t); return objectFlags & 32 ? getApparentTypeOfMappedType(t) : objectFlags & 4 && t !== type ? getTypeWithThisArgument(t, type) : t.flags & 2097152 ? getApparentTypeOfIntersectionType(t, type) : t.flags & 402653316 ? globalStringType : t.flags & 296 ? globalNumberType : t.flags & 2112 ? getGlobalBigIntType() : t.flags & 528 ? globalBooleanType : t.flags & 12288 ? getGlobalESSymbolType() : t.flags & 67108864 ? emptyObjectType : t.flags & 4194304 ? stringNumberSymbolType : t.flags & 2 && !strictNullChecks ? emptyObjectType : t; } function getReducedApparentType(type) { return getReducedType(getApparentType(getReducedType(type))); } function createUnionOrIntersectionProperty(containingType, name, skipObjectFunctionPropertyAugment) { var _a, _b, _c; let singleProp; let propSet; let indexTypes; const isUnion = containingType.flags & 1048576; let optionalFlag; let syntheticFlag = 4; let checkFlags = isUnion ? 0 : 8; let mergedInstantiations = false; for (const current of containingType.types) { const type = getApparentType(current); if (!(isErrorType(type) || type.flags & 131072)) { const prop = getPropertyOfType(type, name, skipObjectFunctionPropertyAugment); const modifiers = prop ? getDeclarationModifierFlagsFromSymbol(prop) : 0; if (prop) { if (prop.flags & 106500) { optionalFlag ?? (optionalFlag = isUnion ? 0 : 16777216); if (isUnion) { optionalFlag |= prop.flags & 16777216; } else { optionalFlag &= prop.flags; } } if (!singleProp) { singleProp = prop; } else if (prop !== singleProp) { const isInstantiation = (getTargetSymbol(prop) || prop) === (getTargetSymbol(singleProp) || singleProp); if (isInstantiation && compareProperties2( singleProp, prop, (a, b) => a === b ? -1 : 0 /* False */ ) === -1) { mergedInstantiations = !!singleProp.parent && !!length(getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(singleProp.parent)); } else { if (!propSet) { propSet = /* @__PURE__ */ new Map(); propSet.set(getSymbolId(singleProp), singleProp); } const id = getSymbolId(prop); if (!propSet.has(id)) { propSet.set(id, prop); } } } if (isUnion && isReadonlySymbol(prop)) { checkFlags |= 8; } else if (!isUnion && !isReadonlySymbol(prop)) { checkFlags &= ~8; } checkFlags |= (!(modifiers & 6) ? 256 : 0) | (modifiers & 4 ? 512 : 0) | (modifiers & 2 ? 1024 : 0) | (modifiers & 256 ? 2048 : 0); if (!isPrototypeProperty2(prop)) { syntheticFlag = 2; } } else if (isUnion) { const indexInfo = !isLateBoundName(name) && getApplicableIndexInfoForName(type, name); if (indexInfo) { checkFlags |= 32 | (indexInfo.isReadonly ? 8 : 0); indexTypes = append(indexTypes, isTupleType(type) ? getRestTypeOfTupleType(type) || undefinedType2 : indexInfo.type); } else if (isObjectLiteralType2(type) && !(getObjectFlags(type) & 2097152)) { checkFlags |= 32; indexTypes = append(indexTypes, undefinedType2); } else { checkFlags |= 16; } } } } if (!singleProp || isUnion && (propSet || checkFlags & 48) && checkFlags & (1024 | 512) && !(propSet && getCommonDeclarationsOfSymbols(propSet.values()))) { return void 0; } if (!propSet && !(checkFlags & 16) && !indexTypes) { if (mergedInstantiations) { const links = (_a = tryCast(singleProp, isTransientSymbol)) == null ? void 0 : _a.links; const clone2 = createSymbolWithType(singleProp, links == null ? void 0 : links.type); clone2.parent = (_c = (_b = singleProp.valueDeclaration) == null ? void 0 : _b.symbol) == null ? void 0 : _c.parent; clone2.links.containingType = containingType; clone2.links.mapper = links == null ? void 0 : links.mapper; clone2.links.writeType = getWriteTypeOfSymbol(singleProp); return clone2; } else { return singleProp; } } const props = propSet ? arrayFrom(propSet.values()) : [singleProp]; let declarations; let firstType; let nameType; const propTypes = []; let writeTypes; let firstValueDeclaration; let hasNonUniformValueDeclaration = false; for (const prop of props) { if (!firstValueDeclaration) { firstValueDeclaration = prop.valueDeclaration; } else if (prop.valueDeclaration && prop.valueDeclaration !== firstValueDeclaration) { hasNonUniformValueDeclaration = true; } declarations = addRange(declarations, prop.declarations); const type = getTypeOfSymbol(prop); if (!firstType) { firstType = type; nameType = getSymbolLinks(prop).nameType; } const writeType = getWriteTypeOfSymbol(prop); if (writeTypes || writeType !== type) { writeTypes = append(!writeTypes ? propTypes.slice() : writeTypes, writeType); } if (type !== firstType) { checkFlags |= 64; } if (isLiteralType(type) || isPatternLiteralType(type)) { checkFlags |= 128; } if (type.flags & 131072 && type !== uniqueLiteralType) { checkFlags |= 131072; } propTypes.push(type); } addRange(propTypes, indexTypes); const result = createSymbol(4 | (optionalFlag ?? 0), name, syntheticFlag | checkFlags); result.links.containingType = containingType; if (!hasNonUniformValueDeclaration && firstValueDeclaration) { result.valueDeclaration = firstValueDeclaration; if (firstValueDeclaration.symbol.parent) { result.parent = firstValueDeclaration.symbol.parent; } } result.declarations = declarations; result.links.nameType = nameType; if (propTypes.length > 2) { result.links.checkFlags |= 65536; result.links.deferralParent = containingType; result.links.deferralConstituents = propTypes; result.links.deferralWriteConstituents = writeTypes; } else { result.links.type = isUnion ? getUnionType(propTypes) : getIntersectionType(propTypes); if (writeTypes) { result.links.writeType = isUnion ? getUnionType(writeTypes) : getIntersectionType(writeTypes); } } return result; } function getUnionOrIntersectionProperty(type, name, skipObjectFunctionPropertyAugment) { var _a, _b, _c; let property = skipObjectFunctionPropertyAugment ? (_a = type.propertyCacheWithoutObjectFunctionPropertyAugment) == null ? void 0 : _a.get(name) : (_b = type.propertyCache) == null ? void 0 : _b.get(name); if (!property) { property = createUnionOrIntersectionProperty(type, name, skipObjectFunctionPropertyAugment); if (property) { const properties = skipObjectFunctionPropertyAugment ? type.propertyCacheWithoutObjectFunctionPropertyAugment || (type.propertyCacheWithoutObjectFunctionPropertyAugment = createSymbolTable()) : type.propertyCache || (type.propertyCache = createSymbolTable()); properties.set(name, property); if (skipObjectFunctionPropertyAugment && !(getCheckFlags(property) & 48) && !((_c = type.propertyCache) == null ? void 0 : _c.get(name))) { const properties2 = type.propertyCache || (type.propertyCache = createSymbolTable()); properties2.set(name, property); } } } return property; } function getCommonDeclarationsOfSymbols(symbols) { let commonDeclarations; for (const symbol of symbols) { if (!symbol.declarations) { return void 0; } if (!commonDeclarations) { commonDeclarations = new Set(symbol.declarations); continue; } commonDeclarations.forEach((declaration) => { if (!contains(symbol.declarations, declaration)) { commonDeclarations.delete(declaration); } }); if (commonDeclarations.size === 0) { return void 0; } } return commonDeclarations; } function getPropertyOfUnionOrIntersectionType(type, name, skipObjectFunctionPropertyAugment) { const property = getUnionOrIntersectionProperty(type, name, skipObjectFunctionPropertyAugment); return property && !(getCheckFlags(property) & 16) ? property : void 0; } function getReducedType(type) { if (type.flags & 1048576 && type.objectFlags & 16777216) { return type.resolvedReducedType || (type.resolvedReducedType = getReducedUnionType(type)); } else if (type.flags & 2097152) { if (!(type.objectFlags & 16777216)) { type.objectFlags |= 16777216 | (some(getPropertiesOfUnionOrIntersectionType(type), isNeverReducedProperty) ? 33554432 : 0); } return type.objectFlags & 33554432 ? neverType2 : type; } return type; } function getReducedUnionType(unionType2) { const reducedTypes = sameMap(unionType2.types, getReducedType); if (reducedTypes === unionType2.types) { return unionType2; } const reduced = getUnionType(reducedTypes); if (reduced.flags & 1048576) { reduced.resolvedReducedType = reduced; } return reduced; } function isNeverReducedProperty(prop) { return isDiscriminantWithNeverType(prop) || isConflictingPrivateProperty(prop); } function isDiscriminantWithNeverType(prop) { return !(prop.flags & 16777216) && (getCheckFlags(prop) & (192 | 131072)) === 192 && !!(getTypeOfSymbol(prop).flags & 131072); } function isConflictingPrivateProperty(prop) { return !prop.valueDeclaration && !!(getCheckFlags(prop) & 1024); } function isGenericReducibleType(type) { return !!(type.flags & 1048576 && type.objectFlags & 16777216 && some(type.types, isGenericReducibleType) || type.flags & 2097152 && isReducibleIntersection(type)); } function isReducibleIntersection(type) { const uniqueFilled = type.uniqueLiteralFilledInstantiation || (type.uniqueLiteralFilledInstantiation = instantiateType(type, uniqueLiteralMapper)); return getReducedType(uniqueFilled) !== uniqueFilled; } function elaborateNeverIntersection(errorInfo, type) { if (type.flags & 2097152 && getObjectFlags(type) & 33554432) { const neverProp = find(getPropertiesOfUnionOrIntersectionType(type), isDiscriminantWithNeverType); if (neverProp) { return chainDiagnosticMessages(errorInfo, Diagnostics.The_intersection_0_was_reduced_to_never_because_property_1_has_conflicting_types_in_some_constituents, typeToString( type, /*enclosingDeclaration*/ void 0, 536870912 /* NoTypeReduction */ ), symbolToString2(neverProp)); } const privateProp = find(getPropertiesOfUnionOrIntersectionType(type), isConflictingPrivateProperty); if (privateProp) { return chainDiagnosticMessages(errorInfo, Diagnostics.The_intersection_0_was_reduced_to_never_because_property_1_exists_in_multiple_constituents_and_is_private_in_some, typeToString( type, /*enclosingDeclaration*/ void 0, 536870912 /* NoTypeReduction */ ), symbolToString2(privateProp)); } } return errorInfo; } function getPropertyOfType(type, name, skipObjectFunctionPropertyAugment, includeTypeOnlyMembers) { var _a, _b; type = getReducedApparentType(type); if (type.flags & 524288) { const resolved = resolveStructuredTypeMembers(type); const symbol = resolved.members.get(name); if (symbol && !includeTypeOnlyMembers && ((_a = type.symbol) == null ? void 0 : _a.flags) & 512 && ((_b = getSymbolLinks(type.symbol).typeOnlyExportStarMap) == null ? void 0 : _b.has(name))) { return void 0; } if (symbol && symbolIsValue(symbol, includeTypeOnlyMembers)) { return symbol; } if (skipObjectFunctionPropertyAugment) return void 0; const functionType2 = resolved === anyFunctionType ? globalFunctionType : resolved.callSignatures.length ? globalCallableFunctionType : resolved.constructSignatures.length ? globalNewableFunctionType : void 0; if (functionType2) { const symbol2 = getPropertyOfObjectType(functionType2, name); if (symbol2) { return symbol2; } } return getPropertyOfObjectType(globalObjectType, name); } if (type.flags & 2097152) { const prop = getPropertyOfUnionOrIntersectionType( type, name, /*skipObjectFunctionPropertyAugment*/ true ); if (prop) { return prop; } if (!skipObjectFunctionPropertyAugment) { return getPropertyOfUnionOrIntersectionType(type, name, skipObjectFunctionPropertyAugment); } return void 0; } if (type.flags & 1048576) { return getPropertyOfUnionOrIntersectionType(type, name, skipObjectFunctionPropertyAugment); } return void 0; } function getSignaturesOfStructuredType(type, kind) { if (type.flags & 3670016) { const resolved = resolveStructuredTypeMembers(type); return kind === 0 ? resolved.callSignatures : resolved.constructSignatures; } return emptyArray; } function getSignaturesOfType(type, kind) { const result = getSignaturesOfStructuredType(getReducedApparentType(type), kind); if (kind === 0 && !length(result) && type.flags & 1048576) { if (type.arrayFallbackSignatures) { return type.arrayFallbackSignatures; } let memberName; if (everyType(type, (t) => { var _a; return !!((_a = t.symbol) == null ? void 0 : _a.parent) && isArrayOrTupleSymbol(t.symbol.parent) && (!memberName ? (memberName = t.symbol.escapedName, true) : memberName === t.symbol.escapedName); })) { const arrayArg = mapType2(type, (t) => getMappedType((isReadonlyArraySymbol(t.symbol.parent) ? globalReadonlyArrayType : globalArrayType).typeParameters[0], t.mapper)); const arrayType2 = createArrayType(arrayArg, someType(type, (t) => isReadonlyArraySymbol(t.symbol.parent))); return type.arrayFallbackSignatures = getSignaturesOfType(getTypeOfPropertyOfType(arrayType2, memberName), kind); } type.arrayFallbackSignatures = result; } return result; } function isArrayOrTupleSymbol(symbol) { if (!symbol || !globalArrayType.symbol || !globalReadonlyArrayType.symbol) { return false; } return !!getSymbolIfSameReference(symbol, globalArrayType.symbol) || !!getSymbolIfSameReference(symbol, globalReadonlyArrayType.symbol); } function isReadonlyArraySymbol(symbol) { if (!symbol || !globalReadonlyArrayType.symbol) { return false; } return !!getSymbolIfSameReference(symbol, globalReadonlyArrayType.symbol); } function findIndexInfo(indexInfos, keyType) { return find(indexInfos, (info) => info.keyType === keyType); } function findApplicableIndexInfo(indexInfos, keyType) { let stringIndexInfo; let applicableInfo; let applicableInfos; for (const info of indexInfos) { if (info.keyType === stringType2) { stringIndexInfo = info; } else if (isApplicableIndexType(keyType, info.keyType)) { if (!applicableInfo) { applicableInfo = info; } else { (applicableInfos || (applicableInfos = [applicableInfo])).push(info); } } } return applicableInfos ? createIndexInfo(unknownType2, getIntersectionType(map(applicableInfos, (info) => info.type)), reduceLeft( applicableInfos, (isReadonly, info) => isReadonly && info.isReadonly, /*initial*/ true )) : applicableInfo ? applicableInfo : stringIndexInfo && isApplicableIndexType(keyType, stringType2) ? stringIndexInfo : void 0; } function isApplicableIndexType(source, target) { return isTypeAssignableTo(source, target) || target === stringType2 && isTypeAssignableTo(source, numberType2) || target === numberType2 && (source === numericStringType || !!(source.flags & 128) && isNumericLiteralName(source.value)); } function getIndexInfosOfStructuredType(type) { if (type.flags & 3670016) { const resolved = resolveStructuredTypeMembers(type); return resolved.indexInfos; } return emptyArray; } function getIndexInfosOfType(type) { return getIndexInfosOfStructuredType(getReducedApparentType(type)); } function getIndexInfoOfType(type, keyType) { return findIndexInfo(getIndexInfosOfType(type), keyType); } function getIndexTypeOfType(type, keyType) { var _a; return (_a = getIndexInfoOfType(type, keyType)) == null ? void 0 : _a.type; } function getApplicableIndexInfos(type, keyType) { return getIndexInfosOfType(type).filter((info) => isApplicableIndexType(keyType, info.keyType)); } function getApplicableIndexInfo(type, keyType) { return findApplicableIndexInfo(getIndexInfosOfType(type), keyType); } function getApplicableIndexInfoForName(type, name) { return getApplicableIndexInfo(type, isLateBoundName(name) ? esSymbolType : getStringLiteralType(unescapeLeadingUnderscores(name))); } function getTypeParametersFromDeclaration(declaration) { var _a; let result; for (const node of getEffectiveTypeParameterDeclarations(declaration)) { result = appendIfUnique(result, getDeclaredTypeOfTypeParameter(node.symbol)); } return (result == null ? void 0 : result.length) ? result : isFunctionDeclaration(declaration) ? (_a = getSignatureOfTypeTag(declaration)) == null ? void 0 : _a.typeParameters : void 0; } function symbolsToArray(symbols) { const result = []; symbols.forEach((symbol, id) => { if (!isReservedMemberName(id)) { result.push(symbol); } }); return result; } function tryFindAmbientModule(moduleName, withAugmentations) { if (isExternalModuleNameRelative(moduleName)) { return void 0; } const symbol = getSymbol2( globals2, '"' + moduleName + '"', 512 /* ValueModule */ ); return symbol && withAugmentations ? getMergedSymbol(symbol) : symbol; } function hasEffectiveQuestionToken(node) { return hasQuestionToken(node) || isOptionalJSDocPropertyLikeTag(node) || isParameter(node) && isJSDocOptionalParameter(node); } function isOptionalParameter(node) { if (hasEffectiveQuestionToken(node)) { return true; } if (!isParameter(node)) { return false; } if (node.initializer) { const signature = getSignatureFromDeclaration(node.parent); const parameterIndex = node.parent.parameters.indexOf(node); Debug.assert(parameterIndex >= 0); return parameterIndex >= getMinArgumentCount( signature, 1 | 2 /* VoidIsNonOptional */ ); } const iife = getImmediatelyInvokedFunctionExpression(node.parent); if (iife) { return !node.type && !node.dotDotDotToken && node.parent.parameters.indexOf(node) >= getEffectiveCallArguments(iife).length; } return false; } function isOptionalPropertyDeclaration(node) { return isPropertyDeclaration(node) && !hasAccessorModifier(node) && node.questionToken; } function createTypePredicate(kind, parameterName, parameterIndex, type) { return { kind, parameterName, parameterIndex, type }; } function getMinTypeArgumentCount(typeParameters) { let minTypeArgumentCount = 0; if (typeParameters) { for (let i = 0; i < typeParameters.length; i++) { if (!hasTypeParameterDefault(typeParameters[i])) { minTypeArgumentCount = i + 1; } } } return minTypeArgumentCount; } function fillMissingTypeArguments(typeArguments, typeParameters, minTypeArgumentCount, isJavaScriptImplicitAny) { const numTypeParameters = length(typeParameters); if (!numTypeParameters) { return []; } const numTypeArguments = length(typeArguments); if (isJavaScriptImplicitAny || numTypeArguments >= minTypeArgumentCount && numTypeArguments <= numTypeParameters) { const result = typeArguments ? typeArguments.slice() : []; for (let i = numTypeArguments; i < numTypeParameters; i++) { result[i] = errorType; } const baseDefaultType = getDefaultTypeArgumentType(isJavaScriptImplicitAny); for (let i = numTypeArguments; i < numTypeParameters; i++) { let defaultType = getDefaultFromTypeParameter(typeParameters[i]); if (isJavaScriptImplicitAny && defaultType && (isTypeIdenticalTo(defaultType, unknownType2) || isTypeIdenticalTo(defaultType, emptyObjectType))) { defaultType = anyType2; } result[i] = defaultType ? instantiateType(defaultType, createTypeMapper(typeParameters, result)) : baseDefaultType; } result.length = typeParameters.length; return result; } return typeArguments && typeArguments.slice(); } function getSignatureFromDeclaration(declaration) { const links = getNodeLinks(declaration); if (!links.resolvedSignature) { const parameters = []; let flags = 0; let minArgumentCount = 0; let thisParameter; let thisTag = isInJSFile(declaration) ? getJSDocThisTag(declaration) : void 0; let hasThisParameter2 = false; const iife = getImmediatelyInvokedFunctionExpression(declaration); const isJSConstructSignature = isJSDocConstructSignature(declaration); const isUntypedSignatureInJSFile = !iife && isInJSFile(declaration) && isValueSignatureDeclaration(declaration) && !hasJSDocParameterTags(declaration) && !getJSDocType(declaration); if (isUntypedSignatureInJSFile) { flags |= 32; } for (let i = isJSConstructSignature ? 1 : 0; i < declaration.parameters.length; i++) { const param = declaration.parameters[i]; if (isInJSFile(param) && isJSDocThisTag(param)) { thisTag = param; continue; } let paramSymbol = param.symbol; const type = isJSDocParameterTag(param) ? param.typeExpression && param.typeExpression.type : param.type; if (paramSymbol && !!(paramSymbol.flags & 4) && !isBindingPattern(param.name)) { const resolvedSymbol = resolveName( param, paramSymbol.escapedName, 111551, /*nameNotFoundMessage*/ void 0, /*isUse*/ false ); paramSymbol = resolvedSymbol; } if (i === 0 && paramSymbol.escapedName === "this") { hasThisParameter2 = true; thisParameter = param.symbol; } else { parameters.push(paramSymbol); } if (type && type.kind === 201) { flags |= 2; } const isOptionalParameter2 = hasEffectiveQuestionToken(param) || isParameter(param) && param.initializer || isRestParameter(param) || iife && parameters.length > iife.arguments.length && !type; if (!isOptionalParameter2) { minArgumentCount = parameters.length; } } if ((declaration.kind === 177 || declaration.kind === 178) && hasBindableName(declaration) && (!hasThisParameter2 || !thisParameter)) { const otherKind = declaration.kind === 177 ? 178 : 177; const other = getDeclarationOfKind(getSymbolOfDeclaration(declaration), otherKind); if (other) { thisParameter = getAnnotatedAccessorThisParameter(other); } } if (thisTag && thisTag.typeExpression) { thisParameter = createSymbolWithType(createSymbol( 1, "this" /* This */ ), getTypeFromTypeNode(thisTag.typeExpression)); } const hostDeclaration = isJSDocSignature(declaration) ? getEffectiveJSDocHost(declaration) : declaration; const classType = hostDeclaration && isConstructorDeclaration(hostDeclaration) ? getDeclaredTypeOfClassOrInterface(getMergedSymbol(hostDeclaration.parent.symbol)) : void 0; const typeParameters = classType ? classType.localTypeParameters : getTypeParametersFromDeclaration(declaration); if (hasRestParameter(declaration) || isInJSFile(declaration) && maybeAddJsSyntheticRestParameter(declaration, parameters)) { flags |= 1; } if (isConstructorTypeNode(declaration) && hasSyntacticModifier( declaration, 64 /* Abstract */ ) || isConstructorDeclaration(declaration) && hasSyntacticModifier( declaration.parent, 64 /* Abstract */ )) { flags |= 4; } links.resolvedSignature = createSignature( declaration, typeParameters, thisParameter, parameters, /*resolvedReturnType*/ void 0, /*resolvedTypePredicate*/ void 0, minArgumentCount, flags ); } return links.resolvedSignature; } function maybeAddJsSyntheticRestParameter(declaration, parameters) { if (isJSDocSignature(declaration) || !containsArgumentsReference(declaration)) { return false; } const lastParam = lastOrUndefined(declaration.parameters); const lastParamTags = lastParam ? getJSDocParameterTags(lastParam) : getJSDocTags(declaration).filter(isJSDocParameterTag); const lastParamVariadicType = firstDefined(lastParamTags, (p) => p.typeExpression && isJSDocVariadicType(p.typeExpression.type) ? p.typeExpression.type : void 0); const syntheticArgsSymbol = createSymbol( 3, "args", 32768 /* RestParameter */ ); if (lastParamVariadicType) { syntheticArgsSymbol.links.type = createArrayType(getTypeFromTypeNode(lastParamVariadicType.type)); } else { syntheticArgsSymbol.links.checkFlags |= 65536; syntheticArgsSymbol.links.deferralParent = neverType2; syntheticArgsSymbol.links.deferralConstituents = [anyArrayType]; syntheticArgsSymbol.links.deferralWriteConstituents = [anyArrayType]; } if (lastParamVariadicType) { parameters.pop(); } parameters.push(syntheticArgsSymbol); return true; } function getSignatureOfTypeTag(node) { if (!(isInJSFile(node) && isFunctionLikeDeclaration(node))) return void 0; const typeTag = getJSDocTypeTag(node); return (typeTag == null ? void 0 : typeTag.typeExpression) && getSingleCallSignature(getTypeFromTypeNode(typeTag.typeExpression)); } function getParameterTypeOfTypeTag(func, parameter) { const signature = getSignatureOfTypeTag(func); if (!signature) return void 0; const pos = func.parameters.indexOf(parameter); return parameter.dotDotDotToken ? getRestTypeAtPosition(signature, pos) : getTypeAtPosition(signature, pos); } function getReturnTypeOfTypeTag(node) { const signature = getSignatureOfTypeTag(node); return signature && getReturnTypeOfSignature(signature); } function containsArgumentsReference(declaration) { const links = getNodeLinks(declaration); if (links.containsArgumentsReference === void 0) { if (links.flags & 512) { links.containsArgumentsReference = true; } else { links.containsArgumentsReference = traverse(declaration.body); } } return links.containsArgumentsReference; function traverse(node) { if (!node) return false; switch (node.kind) { case 80: return node.escapedText === argumentsSymbol.escapedName && getReferencedValueSymbol(node) === argumentsSymbol; case 172: case 174: case 177: case 178: return node.name.kind === 167 && traverse(node.name); case 211: case 212: return traverse(node.expression); case 303: return traverse(node.initializer); default: return !nodeStartsNewLexicalEnvironment(node) && !isPartOfTypeNode(node) && !!forEachChild(node, traverse); } } } function getSignaturesOfSymbol(symbol) { if (!symbol || !symbol.declarations) return emptyArray; const result = []; for (let i = 0; i < symbol.declarations.length; i++) { const decl = symbol.declarations[i]; if (!isFunctionLike(decl)) continue; if (i > 0 && decl.body) { const previous = symbol.declarations[i - 1]; if (decl.parent === previous.parent && decl.kind === previous.kind && decl.pos === previous.end) { continue; } } if (isInJSFile(decl) && decl.jsDoc) { const tags = getJSDocOverloadTags(decl); if (length(tags)) { for (const tag of tags) { const jsDocSignature = tag.typeExpression; if (jsDocSignature.type === void 0 && !isConstructorDeclaration(decl)) { reportImplicitAny(jsDocSignature, anyType2); } result.push(getSignatureFromDeclaration(jsDocSignature)); } continue; } } result.push( !isFunctionExpressionOrArrowFunction(decl) && !isObjectLiteralMethod(decl) && getSignatureOfTypeTag(decl) || getSignatureFromDeclaration(decl) ); } return result; } function resolveExternalModuleTypeByLiteral(name) { const moduleSym = resolveExternalModuleName(name, name); if (moduleSym) { const resolvedModuleSymbol = resolveExternalModuleSymbol(moduleSym); if (resolvedModuleSymbol) { return getTypeOfSymbol(resolvedModuleSymbol); } } return anyType2; } function getThisTypeOfSignature(signature) { if (signature.thisParameter) { return getTypeOfSymbol(signature.thisParameter); } } function getTypePredicateOfSignature(signature) { if (!signature.resolvedTypePredicate) { if (signature.target) { const targetTypePredicate = getTypePredicateOfSignature(signature.target); signature.resolvedTypePredicate = targetTypePredicate ? instantiateTypePredicate(targetTypePredicate, signature.mapper) : noTypePredicate; } else if (signature.compositeSignatures) { signature.resolvedTypePredicate = getUnionOrIntersectionTypePredicate(signature.compositeSignatures, signature.compositeKind) || noTypePredicate; } else { const type = signature.declaration && getEffectiveReturnTypeNode(signature.declaration); let jsdocPredicate; if (!type) { const jsdocSignature = getSignatureOfTypeTag(signature.declaration); if (jsdocSignature && signature !== jsdocSignature) { jsdocPredicate = getTypePredicateOfSignature(jsdocSignature); } } if (type || jsdocPredicate) { signature.resolvedTypePredicate = type && isTypePredicateNode(type) ? createTypePredicateFromTypePredicateNode(type, signature) : jsdocPredicate || noTypePredicate; } else if (signature.declaration && isFunctionLikeDeclaration(signature.declaration) && (!signature.resolvedReturnType || signature.resolvedReturnType.flags & 16) && getParameterCount(signature) > 0) { const { declaration } = signature; signature.resolvedTypePredicate = noTypePredicate; signature.resolvedTypePredicate = getTypePredicateFromBody(declaration) || noTypePredicate; } else { signature.resolvedTypePredicate = noTypePredicate; } } Debug.assert(!!signature.resolvedTypePredicate); } return signature.resolvedTypePredicate === noTypePredicate ? void 0 : signature.resolvedTypePredicate; } function createTypePredicateFromTypePredicateNode(node, signature) { const parameterName = node.parameterName; const type = node.type && getTypeFromTypeNode(node.type); return parameterName.kind === 197 ? createTypePredicate( node.assertsModifier ? 2 : 0, /*parameterName*/ void 0, /*parameterIndex*/ void 0, type ) : createTypePredicate(node.assertsModifier ? 3 : 1, parameterName.escapedText, findIndex(signature.parameters, (p) => p.escapedName === parameterName.escapedText), type); } function getUnionOrIntersectionType(types, kind, unionReduction) { return kind !== 2097152 ? getUnionType(types, unionReduction) : getIntersectionType(types); } function getReturnTypeOfSignature(signature) { if (!signature.resolvedReturnType) { if (!pushTypeResolution( signature, 3 /* ResolvedReturnType */ )) { return errorType; } let type = signature.target ? instantiateType(getReturnTypeOfSignature(signature.target), signature.mapper) : signature.compositeSignatures ? instantiateType(getUnionOrIntersectionType( map(signature.compositeSignatures, getReturnTypeOfSignature), signature.compositeKind, 2 /* Subtype */ ), signature.mapper) : getReturnTypeFromAnnotation(signature.declaration) || (nodeIsMissing(signature.declaration.body) ? anyType2 : getReturnTypeFromBody(signature.declaration)); if (signature.flags & 8) { type = addOptionalTypeMarker(type); } else if (signature.flags & 16) { type = getOptionalType(type); } if (!popTypeResolution()) { if (signature.declaration) { const typeNode = getEffectiveReturnTypeNode(signature.declaration); if (typeNode) { error2(typeNode, Diagnostics.Return_type_annotation_circularly_references_itself); } else if (noImplicitAny) { const declaration = signature.declaration; const name = getNameOfDeclaration(declaration); if (name) { error2(name, Diagnostics._0_implicitly_has_return_type_any_because_it_does_not_have_a_return_type_annotation_and_is_referenced_directly_or_indirectly_in_one_of_its_return_expressions, declarationNameToString(name)); } else { error2(declaration, Diagnostics.Function_implicitly_has_return_type_any_because_it_does_not_have_a_return_type_annotation_and_is_referenced_directly_or_indirectly_in_one_of_its_return_expressions); } } } type = anyType2; } signature.resolvedReturnType ?? (signature.resolvedReturnType = type); } return signature.resolvedReturnType; } function getReturnTypeFromAnnotation(declaration) { if (declaration.kind === 176) { return getDeclaredTypeOfClassOrInterface(getMergedSymbol(declaration.parent.symbol)); } const typeNode = getEffectiveReturnTypeNode(declaration); if (isJSDocSignature(declaration)) { const root2 = getJSDocRoot(declaration); if (root2 && isConstructorDeclaration(root2.parent) && !typeNode) { return getDeclaredTypeOfClassOrInterface(getMergedSymbol(root2.parent.parent.symbol)); } } if (isJSDocConstructSignature(declaration)) { return getTypeFromTypeNode(declaration.parameters[0].type); } if (typeNode) { return getTypeFromTypeNode(typeNode); } if (declaration.kind === 177 && hasBindableName(declaration)) { const jsDocType = isInJSFile(declaration) && getTypeForDeclarationFromJSDocComment(declaration); if (jsDocType) { return jsDocType; } const setter = getDeclarationOfKind( getSymbolOfDeclaration(declaration), 178 /* SetAccessor */ ); const setterType = getAnnotatedAccessorType(setter); if (setterType) { return setterType; } } return getReturnTypeOfTypeTag(declaration); } function isResolvingReturnTypeOfSignature(signature) { return signature.compositeSignatures && some(signature.compositeSignatures, isResolvingReturnTypeOfSignature) || !signature.resolvedReturnType && findResolutionCycleStartIndex( signature, 3 /* ResolvedReturnType */ ) >= 0; } function getRestTypeOfSignature(signature) { return tryGetRestTypeOfSignature(signature) || anyType2; } function tryGetRestTypeOfSignature(signature) { if (signatureHasRestParameter(signature)) { const sigRestType = getTypeOfSymbol(signature.parameters[signature.parameters.length - 1]); const restType = isTupleType(sigRestType) ? getRestTypeOfTupleType(sigRestType) : sigRestType; return restType && getIndexTypeOfType(restType, numberType2); } return void 0; } function getSignatureInstantiation(signature, typeArguments, isJavascript, inferredTypeParameters) { const instantiatedSignature = getSignatureInstantiationWithoutFillingInTypeArguments(signature, fillMissingTypeArguments(typeArguments, signature.typeParameters, getMinTypeArgumentCount(signature.typeParameters), isJavascript)); if (inferredTypeParameters) { const returnSignature = getSingleCallOrConstructSignature(getReturnTypeOfSignature(instantiatedSignature)); if (returnSignature) { const newReturnSignature = cloneSignature(returnSignature); newReturnSignature.typeParameters = inferredTypeParameters; const newInstantiatedSignature = cloneSignature(instantiatedSignature); newInstantiatedSignature.resolvedReturnType = getOrCreateTypeFromSignature(newReturnSignature); return newInstantiatedSignature; } } return instantiatedSignature; } function getSignatureInstantiationWithoutFillingInTypeArguments(signature, typeArguments) { const instantiations = signature.instantiations || (signature.instantiations = /* @__PURE__ */ new Map()); const id = getTypeListId(typeArguments); let instantiation = instantiations.get(id); if (!instantiation) { instantiations.set(id, instantiation = createSignatureInstantiation(signature, typeArguments)); } return instantiation; } function createSignatureInstantiation(signature, typeArguments) { return instantiateSignature( signature, createSignatureTypeMapper(signature, typeArguments), /*eraseTypeParameters*/ true ); } function createSignatureTypeMapper(signature, typeArguments) { return createTypeMapper(signature.typeParameters, typeArguments); } function getErasedSignature(signature) { return signature.typeParameters ? signature.erasedSignatureCache || (signature.erasedSignatureCache = createErasedSignature(signature)) : signature; } function createErasedSignature(signature) { return instantiateSignature( signature, createTypeEraser(signature.typeParameters), /*eraseTypeParameters*/ true ); } function getCanonicalSignature(signature) { return signature.typeParameters ? signature.canonicalSignatureCache || (signature.canonicalSignatureCache = createCanonicalSignature(signature)) : signature; } function createCanonicalSignature(signature) { return getSignatureInstantiation( signature, map(signature.typeParameters, (tp) => tp.target && !getConstraintOfTypeParameter(tp.target) ? tp.target : tp), isInJSFile(signature.declaration) ); } function getImplementationSignature(signature) { return signature.typeParameters ? signature.implementationSignatureCache || (signature.implementationSignatureCache = createImplementationSignature(signature)) : signature; } function createImplementationSignature(signature) { return signature.typeParameters ? instantiateSignature(signature, createTypeMapper([], [])) : signature; } function getBaseSignature(signature) { const typeParameters = signature.typeParameters; if (typeParameters) { if (signature.baseSignatureCache) { return signature.baseSignatureCache; } const typeEraser = createTypeEraser(typeParameters); const baseConstraintMapper = createTypeMapper(typeParameters, map(typeParameters, (tp) => getConstraintOfTypeParameter(tp) || unknownType2)); let baseConstraints = map(typeParameters, (tp) => instantiateType(tp, baseConstraintMapper) || unknownType2); for (let i = 0; i < typeParameters.length - 1; i++) { baseConstraints = instantiateTypes(baseConstraints, baseConstraintMapper); } baseConstraints = instantiateTypes(baseConstraints, typeEraser); return signature.baseSignatureCache = instantiateSignature( signature, createTypeMapper(typeParameters, baseConstraints), /*eraseTypeParameters*/ true ); } return signature; } function getOrCreateTypeFromSignature(signature, outerTypeParameters) { var _a; if (!signature.isolatedSignatureType) { const kind = (_a = signature.declaration) == null ? void 0 : _a.kind; const isConstructor = kind === void 0 || kind === 176 || kind === 180 || kind === 185; const type = createObjectType(16 | 134217728, createSymbol( 16, "__function" /* Function */ )); if (signature.declaration && !nodeIsSynthesized(signature.declaration)) { type.symbol.declarations = [signature.declaration]; type.symbol.valueDeclaration = signature.declaration; } outerTypeParameters || (outerTypeParameters = signature.declaration && getOuterTypeParameters( signature.declaration, /*includeThisTypes*/ true )); type.outerTypeParameters = outerTypeParameters; type.members = emptySymbols; type.properties = emptyArray; type.callSignatures = !isConstructor ? [signature] : emptyArray; type.constructSignatures = isConstructor ? [signature] : emptyArray; type.indexInfos = emptyArray; signature.isolatedSignatureType = type; } return signature.isolatedSignatureType; } function getIndexSymbol(symbol) { return symbol.members ? getIndexSymbolFromSymbolTable(symbol.members) : void 0; } function getIndexSymbolFromSymbolTable(symbolTable) { return symbolTable.get( "__index" /* Index */ ); } function createIndexInfo(keyType, type, isReadonly, declaration) { return { keyType, type, isReadonly, declaration }; } function getIndexInfosOfSymbol(symbol) { const indexSymbol = getIndexSymbol(symbol); return indexSymbol ? getIndexInfosOfIndexSymbol(indexSymbol) : emptyArray; } function getIndexInfosOfIndexSymbol(indexSymbol) { if (indexSymbol.declarations) { const indexInfos = []; for (const declaration of indexSymbol.declarations) { if (declaration.parameters.length === 1) { const parameter = declaration.parameters[0]; if (parameter.type) { forEachType(getTypeFromTypeNode(parameter.type), (keyType) => { if (isValidIndexKeyType(keyType) && !findIndexInfo(indexInfos, keyType)) { indexInfos.push(createIndexInfo(keyType, declaration.type ? getTypeFromTypeNode(declaration.type) : anyType2, hasEffectiveModifier( declaration, 8 /* Readonly */ ), declaration)); } }); } } } return indexInfos; } return emptyArray; } function isValidIndexKeyType(type) { return !!(type.flags & (4 | 8 | 4096)) || isPatternLiteralType(type) || !!(type.flags & 2097152) && !isGenericType(type) && some(type.types, isValidIndexKeyType); } function getConstraintDeclaration(type) { return mapDefined(filter(type.symbol && type.symbol.declarations, isTypeParameterDeclaration), getEffectiveConstraintOfTypeParameter)[0]; } function getInferredTypeParameterConstraint(typeParameter, omitTypeReferences) { var _a; let inferences; if ((_a = typeParameter.symbol) == null ? void 0 : _a.declarations) { for (const declaration of typeParameter.symbol.declarations) { if (declaration.parent.kind === 195) { const [childTypeParameter = declaration.parent, grandParent] = walkUpParenthesizedTypesAndGetParentAndChild(declaration.parent.parent); if (grandParent.kind === 183 && !omitTypeReferences) { const typeReference = grandParent; const typeParameters = getTypeParametersForTypeReferenceOrImport(typeReference); if (typeParameters) { const index = typeReference.typeArguments.indexOf(childTypeParameter); if (index < typeParameters.length) { const declaredConstraint = getConstraintOfTypeParameter(typeParameters[index]); if (declaredConstraint) { const mapper = makeDeferredTypeMapper( typeParameters, typeParameters.map((_, index2) => () => { return getEffectiveTypeArgumentAtIndex(typeReference, typeParameters, index2); }) ); const constraint = instantiateType(declaredConstraint, mapper); if (constraint !== typeParameter) { inferences = append(inferences, constraint); } } } } } else if (grandParent.kind === 169 && grandParent.dotDotDotToken || grandParent.kind === 191 || grandParent.kind === 202 && grandParent.dotDotDotToken) { inferences = append(inferences, createArrayType(unknownType2)); } else if (grandParent.kind === 204) { inferences = append(inferences, stringType2); } else if (grandParent.kind === 168 && grandParent.parent.kind === 200) { inferences = append(inferences, stringNumberSymbolType); } else if (grandParent.kind === 200 && grandParent.type && skipParentheses(grandParent.type) === declaration.parent && grandParent.parent.kind === 194 && grandParent.parent.extendsType === grandParent && grandParent.parent.checkType.kind === 200 && grandParent.parent.checkType.type) { const checkMappedType2 = grandParent.parent.checkType; const nodeType = getTypeFromTypeNode(checkMappedType2.type); inferences = append(inferences, instantiateType(nodeType, makeUnaryTypeMapper(getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(checkMappedType2.typeParameter)), checkMappedType2.typeParameter.constraint ? getTypeFromTypeNode(checkMappedType2.typeParameter.constraint) : stringNumberSymbolType))); } } } } return inferences && getIntersectionType(inferences); } function getConstraintFromTypeParameter(typeParameter) { if (!typeParameter.constraint) { if (typeParameter.target) { const targetConstraint = getConstraintOfTypeParameter(typeParameter.target); typeParameter.constraint = targetConstraint ? instantiateType(targetConstraint, typeParameter.mapper) : noConstraintType; } else { const constraintDeclaration = getConstraintDeclaration(typeParameter); if (!constraintDeclaration) { typeParameter.constraint = getInferredTypeParameterConstraint(typeParameter) || noConstraintType; } else { let type = getTypeFromTypeNode(constraintDeclaration); if (type.flags & 1 && !isErrorType(type)) { type = constraintDeclaration.parent.parent.kind === 200 ? stringNumberSymbolType : unknownType2; } typeParameter.constraint = type; } } } return typeParameter.constraint === noConstraintType ? void 0 : typeParameter.constraint; } function getParentSymbolOfTypeParameter(typeParameter) { const tp = getDeclarationOfKind( typeParameter.symbol, 168 /* TypeParameter */ ); const host2 = isJSDocTemplateTag(tp.parent) ? getEffectiveContainerForJSDocTemplateTag(tp.parent) : tp.parent; return host2 && getSymbolOfNode(host2); } function getTypeListId(types) { let result = ""; if (types) { const length2 = types.length; let i = 0; while (i < length2) { const startId = types[i].id; let count = 1; while (i + count < length2 && types[i + count].id === startId + count) { count++; } if (result.length) { result += ","; } result += startId; if (count > 1) { result += ":" + count; } i += count; } } return result; } function getAliasId(aliasSymbol, aliasTypeArguments) { return aliasSymbol ? `@${getSymbolId(aliasSymbol)}` + (aliasTypeArguments ? `:${getTypeListId(aliasTypeArguments)}` : "") : ""; } function getPropagatingFlagsOfTypes(types, excludeKinds) { let result = 0; for (const type of types) { if (excludeKinds === void 0 || !(type.flags & excludeKinds)) { result |= getObjectFlags(type); } } return result & 458752; } function tryCreateTypeReference(target, typeArguments) { if (some(typeArguments) && target === emptyGenericType) { return unknownType2; } return createTypeReference(target, typeArguments); } function createTypeReference(target, typeArguments) { const id = getTypeListId(typeArguments); let type = target.instantiations.get(id); if (!type) { type = createObjectType(4, target.symbol); target.instantiations.set(id, type); type.objectFlags |= typeArguments ? getPropagatingFlagsOfTypes(typeArguments) : 0; type.target = target; type.resolvedTypeArguments = typeArguments; } return type; } function cloneTypeReference(source) { const type = createTypeWithSymbol(source.flags, source.symbol); type.objectFlags = source.objectFlags; type.target = source.target; type.resolvedTypeArguments = source.resolvedTypeArguments; return type; } function createDeferredTypeReference(target, node, mapper, aliasSymbol, aliasTypeArguments) { if (!aliasSymbol) { aliasSymbol = getAliasSymbolForTypeNode(node); const localAliasTypeArguments = getTypeArgumentsForAliasSymbol(aliasSymbol); aliasTypeArguments = mapper ? instantiateTypes(localAliasTypeArguments, mapper) : localAliasTypeArguments; } const type = createObjectType(4, target.symbol); type.target = target; type.node = node; type.mapper = mapper; type.aliasSymbol = aliasSymbol; type.aliasTypeArguments = aliasTypeArguments; return type; } function getTypeArguments(type) { var _a, _b; if (!type.resolvedTypeArguments) { if (!pushTypeResolution( type, 5 /* ResolvedTypeArguments */ )) { return ((_a = type.target.localTypeParameters) == null ? void 0 : _a.map(() => errorType)) || emptyArray; } const node = type.node; const typeArguments = !node ? emptyArray : node.kind === 183 ? concatenate(type.target.outerTypeParameters, getEffectiveTypeArguments2(node, type.target.localTypeParameters)) : node.kind === 188 ? [getTypeFromTypeNode(node.elementType)] : map(node.elements, getTypeFromTypeNode); if (popTypeResolution()) { type.resolvedTypeArguments ?? (type.resolvedTypeArguments = type.mapper ? instantiateTypes(typeArguments, type.mapper) : typeArguments); } else { type.resolvedTypeArguments ?? (type.resolvedTypeArguments = ((_b = type.target.localTypeParameters) == null ? void 0 : _b.map(() => errorType)) || emptyArray); error2( type.node || currentNode, type.target.symbol ? Diagnostics.Type_arguments_for_0_circularly_reference_themselves : Diagnostics.Tuple_type_arguments_circularly_reference_themselves, type.target.symbol && symbolToString2(type.target.symbol) ); } } return type.resolvedTypeArguments; } function getTypeReferenceArity(type) { return length(type.target.typeParameters); } function getTypeFromClassOrInterfaceReference(node, symbol) { const type = getDeclaredTypeOfSymbol(getMergedSymbol(symbol)); const typeParameters = type.localTypeParameters; if (typeParameters) { const numTypeArguments = length(node.typeArguments); const minTypeArgumentCount = getMinTypeArgumentCount(typeParameters); const isJs = isInJSFile(node); const isJsImplicitAny = !noImplicitAny && isJs; if (!isJsImplicitAny && (numTypeArguments < minTypeArgumentCount || numTypeArguments > typeParameters.length)) { const missingAugmentsTag = isJs && isExpressionWithTypeArguments(node) && !isJSDocAugmentsTag(node.parent); const diag2 = minTypeArgumentCount === typeParameters.length ? missingAugmentsTag ? Diagnostics.Expected_0_type_arguments_provide_these_with_an_extends_tag : Diagnostics.Generic_type_0_requires_1_type_argument_s : missingAugmentsTag ? Diagnostics.Expected_0_1_type_arguments_provide_these_with_an_extends_tag : Diagnostics.Generic_type_0_requires_between_1_and_2_type_arguments; const typeStr = typeToString( type, /*enclosingDeclaration*/ void 0, 2 /* WriteArrayAsGenericType */ ); error2(node, diag2, typeStr, minTypeArgumentCount, typeParameters.length); if (!isJs) { return errorType; } } if (node.kind === 183 && isDeferredTypeReferenceNode(node, length(node.typeArguments) !== typeParameters.length)) { return createDeferredTypeReference( type, node, /*mapper*/ void 0 ); } const typeArguments = concatenate(type.outerTypeParameters, fillMissingTypeArguments(typeArgumentsFromTypeReferenceNode(node), typeParameters, minTypeArgumentCount, isJs)); return createTypeReference(type, typeArguments); } return checkNoTypeArguments(node, symbol) ? type : errorType; } function getTypeAliasInstantiation(symbol, typeArguments, aliasSymbol, aliasTypeArguments) { const type = getDeclaredTypeOfSymbol(symbol); if (type === intrinsicMarkerType) { const typeKind = intrinsicTypeKinds.get(symbol.escapedName); if (typeKind !== void 0 && typeArguments && typeArguments.length === 1) { return typeKind === 4 ? getNoInferType(typeArguments[0]) : getStringMappingType(symbol, typeArguments[0]); } } const links = getSymbolLinks(symbol); const typeParameters = links.typeParameters; const id = getTypeListId(typeArguments) + getAliasId(aliasSymbol, aliasTypeArguments); let instantiation = links.instantiations.get(id); if (!instantiation) { links.instantiations.set(id, instantiation = instantiateTypeWithAlias(type, createTypeMapper(typeParameters, fillMissingTypeArguments(typeArguments, typeParameters, getMinTypeArgumentCount(typeParameters), isInJSFile(symbol.valueDeclaration))), aliasSymbol, aliasTypeArguments)); } return instantiation; } function getTypeFromTypeAliasReference(node, symbol) { if (getCheckFlags(symbol) & 1048576) { const typeArguments = typeArgumentsFromTypeReferenceNode(node); const id = getAliasId(symbol, typeArguments); let errorType2 = errorTypes.get(id); if (!errorType2) { errorType2 = createIntrinsicType( 1, "error", /*objectFlags*/ void 0, `alias ${id}` ); errorType2.aliasSymbol = symbol; errorType2.aliasTypeArguments = typeArguments; errorTypes.set(id, errorType2); } return errorType2; } const type = getDeclaredTypeOfSymbol(symbol); const typeParameters = getSymbolLinks(symbol).typeParameters; if (typeParameters) { const numTypeArguments = length(node.typeArguments); const minTypeArgumentCount = getMinTypeArgumentCount(typeParameters); if (numTypeArguments < minTypeArgumentCount || numTypeArguments > typeParameters.length) { error2( node, minTypeArgumentCount === typeParameters.length ? Diagnostics.Generic_type_0_requires_1_type_argument_s : Diagnostics.Generic_type_0_requires_between_1_and_2_type_arguments, symbolToString2(symbol), minTypeArgumentCount, typeParameters.length ); return errorType; } const aliasSymbol = getAliasSymbolForTypeNode(node); let newAliasSymbol = aliasSymbol && (isLocalTypeAlias(symbol) || !isLocalTypeAlias(aliasSymbol)) ? aliasSymbol : void 0; let aliasTypeArguments; if (newAliasSymbol) { aliasTypeArguments = getTypeArgumentsForAliasSymbol(newAliasSymbol); } else if (isTypeReferenceType(node)) { const aliasSymbol2 = resolveTypeReferenceName( node, 2097152, /*ignoreErrors*/ true ); if (aliasSymbol2 && aliasSymbol2 !== unknownSymbol) { const resolved = resolveAlias(aliasSymbol2); if (resolved && resolved.flags & 524288) { newAliasSymbol = resolved; aliasTypeArguments = typeArgumentsFromTypeReferenceNode(node) || (typeParameters ? [] : void 0); } } } return getTypeAliasInstantiation(symbol, typeArgumentsFromTypeReferenceNode(node), newAliasSymbol, aliasTypeArguments); } return checkNoTypeArguments(node, symbol) ? type : errorType; } function isLocalTypeAlias(symbol) { var _a; const declaration = (_a = symbol.declarations) == null ? void 0 : _a.find(isTypeAlias); return !!(declaration && getContainingFunction(declaration)); } function getTypeReferenceName(node) { switch (node.kind) { case 183: return node.typeName; case 233: const expr = node.expression; if (isEntityNameExpression(expr)) { return expr; } } return void 0; } function getSymbolPath(symbol) { return symbol.parent ? `${getSymbolPath(symbol.parent)}.${symbol.escapedName}` : symbol.escapedName; } function getUnresolvedSymbolForEntityName(name) { const identifier = name.kind === 166 ? name.right : name.kind === 211 ? name.name : name; const text = identifier.escapedText; if (text) { const parentSymbol = name.kind === 166 ? getUnresolvedSymbolForEntityName(name.left) : name.kind === 211 ? getUnresolvedSymbolForEntityName(name.expression) : void 0; const path17 = parentSymbol ? `${getSymbolPath(parentSymbol)}.${text}` : text; let result = unresolvedSymbols.get(path17); if (!result) { unresolvedSymbols.set(path17, result = createSymbol( 524288, text, 1048576 /* Unresolved */ )); result.parent = parentSymbol; result.links.declaredType = unresolvedType; } return result; } return unknownSymbol; } function resolveTypeReferenceName(typeReference, meaning, ignoreErrors) { const name = getTypeReferenceName(typeReference); if (!name) { return unknownSymbol; } const symbol = resolveEntityName(name, meaning, ignoreErrors); return symbol && symbol !== unknownSymbol ? symbol : ignoreErrors ? unknownSymbol : getUnresolvedSymbolForEntityName(name); } function getTypeReferenceType(node, symbol) { if (symbol === unknownSymbol) { return errorType; } symbol = getExpandoSymbol(symbol) || symbol; if (symbol.flags & (32 | 64)) { return getTypeFromClassOrInterfaceReference(node, symbol); } if (symbol.flags & 524288) { return getTypeFromTypeAliasReference(node, symbol); } const res = tryGetDeclaredTypeOfSymbol(symbol); if (res) { return checkNoTypeArguments(node, symbol) ? getRegularTypeOfLiteralType(res) : errorType; } if (symbol.flags & 111551 && isJSDocTypeReference(node)) { const jsdocType = getTypeFromJSDocValueReference(node, symbol); if (jsdocType) { return jsdocType; } else { resolveTypeReferenceName( node, 788968 /* Type */ ); return getTypeOfSymbol(symbol); } } return errorType; } function getTypeFromJSDocValueReference(node, symbol) { const links = getNodeLinks(node); if (!links.resolvedJSDocType) { const valueType = getTypeOfSymbol(symbol); let typeType = valueType; if (symbol.valueDeclaration) { const isImportTypeWithQualifier = node.kind === 205 && node.qualifier; if (valueType.symbol && valueType.symbol !== symbol && isImportTypeWithQualifier) { typeType = getTypeReferenceType(node, valueType.symbol); } } links.resolvedJSDocType = typeType; } return links.resolvedJSDocType; } function getNoInferType(type) { return isNoInferTargetType(type) ? getOrCreateSubstitutionType(type, unknownType2) : type; } function isNoInferTargetType(type) { return !!(type.flags & 3145728 && some(type.types, isNoInferTargetType) || type.flags & 33554432 && !isNoInferType(type) && isNoInferTargetType(type.baseType) || type.flags & 524288 && !isEmptyAnonymousObjectType(type) || type.flags & (465829888 & ~33554432) && !isPatternLiteralType(type)); } function isNoInferType(type) { return !!(type.flags & 33554432 && type.constraint.flags & 2); } function getSubstitutionType(baseType, constraint) { return constraint.flags & 3 || constraint === baseType || baseType.flags & 1 ? baseType : getOrCreateSubstitutionType(baseType, constraint); } function getOrCreateSubstitutionType(baseType, constraint) { const id = `${getTypeId(baseType)}>${getTypeId(constraint)}`; const cached = substitutionTypes.get(id); if (cached) { return cached; } const result = createType( 33554432 /* Substitution */ ); result.baseType = baseType; result.constraint = constraint; substitutionTypes.set(id, result); return result; } function getSubstitutionIntersection(substitutionType) { return isNoInferType(substitutionType) ? substitutionType.baseType : getIntersectionType([substitutionType.constraint, substitutionType.baseType]); } function isUnaryTupleTypeNode(node) { return node.kind === 189 && node.elements.length === 1; } function getImpliedConstraint(type, checkNode2, extendsNode) { return isUnaryTupleTypeNode(checkNode2) && isUnaryTupleTypeNode(extendsNode) ? getImpliedConstraint(type, checkNode2.elements[0], extendsNode.elements[0]) : getActualTypeVariable(getTypeFromTypeNode(checkNode2)) === getActualTypeVariable(type) ? getTypeFromTypeNode(extendsNode) : void 0; } function getConditionalFlowTypeOfType(type, node) { let constraints; let covariant = true; while (node && !isStatement(node) && node.kind !== 320) { const parent2 = node.parent; if (parent2.kind === 169) { covariant = !covariant; } if ((covariant || type.flags & 8650752) && parent2.kind === 194 && node === parent2.trueType) { const constraint = getImpliedConstraint(type, parent2.checkType, parent2.extendsType); if (constraint) { constraints = append(constraints, constraint); } } else if (type.flags & 262144 && parent2.kind === 200 && !parent2.nameType && node === parent2.type) { const mappedType = getTypeFromTypeNode(parent2); if (getTypeParameterFromMappedType(mappedType) === getActualTypeVariable(type)) { const typeParameter = getHomomorphicTypeVariable(mappedType); if (typeParameter) { const constraint = getConstraintOfTypeParameter(typeParameter); if (constraint && everyType(constraint, isArrayOrTupleType)) { constraints = append(constraints, getUnionType([numberType2, numericStringType])); } } } } node = parent2; } return constraints ? getSubstitutionType(type, getIntersectionType(constraints)) : type; } function isJSDocTypeReference(node) { return !!(node.flags & 16777216) && (node.kind === 183 || node.kind === 205); } function checkNoTypeArguments(node, symbol) { if (node.typeArguments) { error2(node, Diagnostics.Type_0_is_not_generic, symbol ? symbolToString2(symbol) : node.typeName ? declarationNameToString(node.typeName) : anon); return false; } return true; } function getIntendedTypeFromJSDocTypeReference(node) { if (isIdentifier(node.typeName)) { const typeArgs = node.typeArguments; switch (node.typeName.escapedText) { case "String": checkNoTypeArguments(node); return stringType2; case "Number": checkNoTypeArguments(node); return numberType2; case "Boolean": checkNoTypeArguments(node); return booleanType2; case "Void": checkNoTypeArguments(node); return voidType2; case "Undefined": checkNoTypeArguments(node); return undefinedType2; case "Null": checkNoTypeArguments(node); return nullType2; case "Function": case "function": checkNoTypeArguments(node); return globalFunctionType; case "array": return (!typeArgs || !typeArgs.length) && !noImplicitAny ? anyArrayType : void 0; case "promise": return (!typeArgs || !typeArgs.length) && !noImplicitAny ? createPromiseType(anyType2) : void 0; case "Object": if (typeArgs && typeArgs.length === 2) { if (isJSDocIndexSignature(node)) { const indexed = getTypeFromTypeNode(typeArgs[0]); const target = getTypeFromTypeNode(typeArgs[1]); const indexInfo = indexed === stringType2 || indexed === numberType2 ? [createIndexInfo( indexed, target, /*isReadonly*/ false )] : emptyArray; return createAnonymousType( /*symbol*/ void 0, emptySymbols, emptyArray, emptyArray, indexInfo ); } return anyType2; } checkNoTypeArguments(node); return !noImplicitAny ? anyType2 : void 0; } } } function getTypeFromJSDocNullableTypeNode(node) { const type = getTypeFromTypeNode(node.type); return strictNullChecks ? getNullableType( type, 65536 /* Null */ ) : type; } function getTypeFromTypeReference(node) { const links = getNodeLinks(node); if (!links.resolvedType) { if (isConstTypeReference(node) && isAssertionExpression(node.parent)) { links.resolvedSymbol = unknownSymbol; return links.resolvedType = checkExpressionCached(node.parent.expression); } let symbol; let type; const meaning = 788968; if (isJSDocTypeReference(node)) { type = getIntendedTypeFromJSDocTypeReference(node); if (!type) { symbol = resolveTypeReferenceName( node, meaning, /*ignoreErrors*/ true ); if (symbol === unknownSymbol) { symbol = resolveTypeReferenceName( node, meaning | 111551 /* Value */ ); } else { resolveTypeReferenceName(node, meaning); } type = getTypeReferenceType(node, symbol); } } if (!type) { symbol = resolveTypeReferenceName(node, meaning); type = getTypeReferenceType(node, symbol); } links.resolvedSymbol = symbol; links.resolvedType = type; } return links.resolvedType; } function typeArgumentsFromTypeReferenceNode(node) { return map(node.typeArguments, getTypeFromTypeNode); } function getTypeFromTypeQueryNode(node) { const links = getNodeLinks(node); if (!links.resolvedType) { const type = checkExpressionWithTypeArguments(node); links.resolvedType = getRegularTypeOfLiteralType(getWidenedType(type)); } return links.resolvedType; } function getTypeOfGlobalSymbol(symbol, arity) { function getTypeDeclaration(symbol2) { const declarations = symbol2.declarations; if (declarations) { for (const declaration of declarations) { switch (declaration.kind) { case 263: case 264: case 266: return declaration; } } } } if (!symbol) { return arity ? emptyGenericType : emptyObjectType; } const type = getDeclaredTypeOfSymbol(symbol); if (!(type.flags & 524288)) { error2(getTypeDeclaration(symbol), Diagnostics.Global_type_0_must_be_a_class_or_interface_type, symbolName(symbol)); return arity ? emptyGenericType : emptyObjectType; } if (length(type.typeParameters) !== arity) { error2(getTypeDeclaration(symbol), Diagnostics.Global_type_0_must_have_1_type_parameter_s, symbolName(symbol), arity); return arity ? emptyGenericType : emptyObjectType; } return type; } function getGlobalValueSymbol(name, reportErrors2) { return getGlobalSymbol(name, 111551, reportErrors2 ? Diagnostics.Cannot_find_global_value_0 : void 0); } function getGlobalTypeSymbol(name, reportErrors2) { return getGlobalSymbol(name, 788968, reportErrors2 ? Diagnostics.Cannot_find_global_type_0 : void 0); } function getGlobalTypeAliasSymbol(name, arity, reportErrors2) { const symbol = getGlobalSymbol(name, 788968, reportErrors2 ? Diagnostics.Cannot_find_global_type_0 : void 0); if (symbol) { getDeclaredTypeOfSymbol(symbol); if (length(getSymbolLinks(symbol).typeParameters) !== arity) { const decl = symbol.declarations && find(symbol.declarations, isTypeAliasDeclaration); error2(decl, Diagnostics.Global_type_0_must_have_1_type_parameter_s, symbolName(symbol), arity); return void 0; } } return symbol; } function getGlobalSymbol(name, meaning, diagnostic) { return resolveName( /*location*/ void 0, name, meaning, diagnostic, /*isUse*/ false, /*excludeGlobals*/ false ); } function getGlobalType(name, arity, reportErrors2) { const symbol = getGlobalTypeSymbol(name, reportErrors2); return symbol || reportErrors2 ? getTypeOfGlobalSymbol(symbol, arity) : void 0; } function getGlobalTypedPropertyDescriptorType() { return deferredGlobalTypedPropertyDescriptorType || (deferredGlobalTypedPropertyDescriptorType = getGlobalType( "TypedPropertyDescriptor", /*arity*/ 1, /*reportErrors*/ true ) || emptyGenericType); } function getGlobalTemplateStringsArrayType() { return deferredGlobalTemplateStringsArrayType || (deferredGlobalTemplateStringsArrayType = getGlobalType( "TemplateStringsArray", /*arity*/ 0, /*reportErrors*/ true ) || emptyObjectType); } function getGlobalImportMetaType() { return deferredGlobalImportMetaType || (deferredGlobalImportMetaType = getGlobalType( "ImportMeta", /*arity*/ 0, /*reportErrors*/ true ) || emptyObjectType); } function getGlobalImportMetaExpressionType() { if (!deferredGlobalImportMetaExpressionType) { const symbol = createSymbol(0, "ImportMetaExpression"); const importMetaType = getGlobalImportMetaType(); const metaPropertySymbol = createSymbol( 4, "meta", 8 /* Readonly */ ); metaPropertySymbol.parent = symbol; metaPropertySymbol.links.type = importMetaType; const members = createSymbolTable([metaPropertySymbol]); symbol.members = members; deferredGlobalImportMetaExpressionType = createAnonymousType(symbol, members, emptyArray, emptyArray, emptyArray); } return deferredGlobalImportMetaExpressionType; } function getGlobalImportCallOptionsType(reportErrors2) { return deferredGlobalImportCallOptionsType || (deferredGlobalImportCallOptionsType = getGlobalType( "ImportCallOptions", /*arity*/ 0, reportErrors2 )) || emptyObjectType; } function getGlobalImportAttributesType(reportErrors2) { return deferredGlobalImportAttributesType || (deferredGlobalImportAttributesType = getGlobalType( "ImportAttributes", /*arity*/ 0, reportErrors2 )) || emptyObjectType; } function getGlobalESSymbolConstructorSymbol(reportErrors2) { return deferredGlobalESSymbolConstructorSymbol || (deferredGlobalESSymbolConstructorSymbol = getGlobalValueSymbol("Symbol", reportErrors2)); } function getGlobalESSymbolConstructorTypeSymbol(reportErrors2) { return deferredGlobalESSymbolConstructorTypeSymbol || (deferredGlobalESSymbolConstructorTypeSymbol = getGlobalTypeSymbol("SymbolConstructor", reportErrors2)); } function getGlobalESSymbolType() { return deferredGlobalESSymbolType || (deferredGlobalESSymbolType = getGlobalType( "Symbol", /*arity*/ 0, /*reportErrors*/ false )) || emptyObjectType; } function getGlobalPromiseType(reportErrors2) { return deferredGlobalPromiseType || (deferredGlobalPromiseType = getGlobalType( "Promise", /*arity*/ 1, reportErrors2 )) || emptyGenericType; } function getGlobalPromiseLikeType(reportErrors2) { return deferredGlobalPromiseLikeType || (deferredGlobalPromiseLikeType = getGlobalType( "PromiseLike", /*arity*/ 1, reportErrors2 )) || emptyGenericType; } function getGlobalPromiseConstructorSymbol(reportErrors2) { return deferredGlobalPromiseConstructorSymbol || (deferredGlobalPromiseConstructorSymbol = getGlobalValueSymbol("Promise", reportErrors2)); } function getGlobalPromiseConstructorLikeType(reportErrors2) { return deferredGlobalPromiseConstructorLikeType || (deferredGlobalPromiseConstructorLikeType = getGlobalType( "PromiseConstructorLike", /*arity*/ 0, reportErrors2 )) || emptyObjectType; } function getGlobalAsyncIterableType(reportErrors2) { return deferredGlobalAsyncIterableType || (deferredGlobalAsyncIterableType = getGlobalType( "AsyncIterable", /*arity*/ 1, reportErrors2 )) || emptyGenericType; } function getGlobalAsyncIteratorType(reportErrors2) { return deferredGlobalAsyncIteratorType || (deferredGlobalAsyncIteratorType = getGlobalType( "AsyncIterator", /*arity*/ 3, reportErrors2 )) || emptyGenericType; } function getGlobalAsyncIterableIteratorType(reportErrors2) { return deferredGlobalAsyncIterableIteratorType || (deferredGlobalAsyncIterableIteratorType = getGlobalType( "AsyncIterableIterator", /*arity*/ 1, reportErrors2 )) || emptyGenericType; } function getGlobalAsyncGeneratorType(reportErrors2) { return deferredGlobalAsyncGeneratorType || (deferredGlobalAsyncGeneratorType = getGlobalType( "AsyncGenerator", /*arity*/ 3, reportErrors2 )) || emptyGenericType; } function getGlobalIterableType(reportErrors2) { return deferredGlobalIterableType || (deferredGlobalIterableType = getGlobalType( "Iterable", /*arity*/ 1, reportErrors2 )) || emptyGenericType; } function getGlobalIteratorType(reportErrors2) { return deferredGlobalIteratorType || (deferredGlobalIteratorType = getGlobalType( "Iterator", /*arity*/ 3, reportErrors2 )) || emptyGenericType; } function getGlobalIterableIteratorType(reportErrors2) { return deferredGlobalIterableIteratorType || (deferredGlobalIterableIteratorType = getGlobalType( "IterableIterator", /*arity*/ 1, reportErrors2 )) || emptyGenericType; } function getGlobalGeneratorType(reportErrors2) { return deferredGlobalGeneratorType || (deferredGlobalGeneratorType = getGlobalType( "Generator", /*arity*/ 3, reportErrors2 )) || emptyGenericType; } function getGlobalIteratorYieldResultType(reportErrors2) { return deferredGlobalIteratorYieldResultType || (deferredGlobalIteratorYieldResultType = getGlobalType( "IteratorYieldResult", /*arity*/ 1, reportErrors2 )) || emptyGenericType; } function getGlobalIteratorReturnResultType(reportErrors2) { return deferredGlobalIteratorReturnResultType || (deferredGlobalIteratorReturnResultType = getGlobalType( "IteratorReturnResult", /*arity*/ 1, reportErrors2 )) || emptyGenericType; } function getGlobalDisposableType(reportErrors2) { return deferredGlobalDisposableType || (deferredGlobalDisposableType = getGlobalType( "Disposable", /*arity*/ 0, reportErrors2 )) || emptyObjectType; } function getGlobalAsyncDisposableType(reportErrors2) { return deferredGlobalAsyncDisposableType || (deferredGlobalAsyncDisposableType = getGlobalType( "AsyncDisposable", /*arity*/ 0, reportErrors2 )) || emptyObjectType; } function getGlobalTypeOrUndefined(name, arity = 0) { const symbol = getGlobalSymbol( name, 788968, /*diagnostic*/ void 0 ); return symbol && getTypeOfGlobalSymbol(symbol, arity); } function getGlobalExtractSymbol() { deferredGlobalExtractSymbol || (deferredGlobalExtractSymbol = getGlobalTypeAliasSymbol( "Extract", /*arity*/ 2, /*reportErrors*/ true ) || unknownSymbol); return deferredGlobalExtractSymbol === unknownSymbol ? void 0 : deferredGlobalExtractSymbol; } function getGlobalOmitSymbol() { deferredGlobalOmitSymbol || (deferredGlobalOmitSymbol = getGlobalTypeAliasSymbol( "Omit", /*arity*/ 2, /*reportErrors*/ true ) || unknownSymbol); return deferredGlobalOmitSymbol === unknownSymbol ? void 0 : deferredGlobalOmitSymbol; } function getGlobalAwaitedSymbol(reportErrors2) { deferredGlobalAwaitedSymbol || (deferredGlobalAwaitedSymbol = getGlobalTypeAliasSymbol( "Awaited", /*arity*/ 1, reportErrors2 ) || (reportErrors2 ? unknownSymbol : void 0)); return deferredGlobalAwaitedSymbol === unknownSymbol ? void 0 : deferredGlobalAwaitedSymbol; } function getGlobalBigIntType() { return deferredGlobalBigIntType || (deferredGlobalBigIntType = getGlobalType( "BigInt", /*arity*/ 0, /*reportErrors*/ false )) || emptyObjectType; } function getGlobalClassDecoratorContextType(reportErrors2) { return deferredGlobalClassDecoratorContextType ?? (deferredGlobalClassDecoratorContextType = getGlobalType( "ClassDecoratorContext", /*arity*/ 1, reportErrors2 )) ?? emptyGenericType; } function getGlobalClassMethodDecoratorContextType(reportErrors2) { return deferredGlobalClassMethodDecoratorContextType ?? (deferredGlobalClassMethodDecoratorContextType = getGlobalType( "ClassMethodDecoratorContext", /*arity*/ 2, reportErrors2 )) ?? emptyGenericType; } function getGlobalClassGetterDecoratorContextType(reportErrors2) { return deferredGlobalClassGetterDecoratorContextType ?? (deferredGlobalClassGetterDecoratorContextType = getGlobalType( "ClassGetterDecoratorContext", /*arity*/ 2, reportErrors2 )) ?? emptyGenericType; } function getGlobalClassSetterDecoratorContextType(reportErrors2) { return deferredGlobalClassSetterDecoratorContextType ?? (deferredGlobalClassSetterDecoratorContextType = getGlobalType( "ClassSetterDecoratorContext", /*arity*/ 2, reportErrors2 )) ?? emptyGenericType; } function getGlobalClassAccessorDecoratorContextType(reportErrors2) { return deferredGlobalClassAccessorDecoratorContextType ?? (deferredGlobalClassAccessorDecoratorContextType = getGlobalType( "ClassAccessorDecoratorContext", /*arity*/ 2, reportErrors2 )) ?? emptyGenericType; } function getGlobalClassAccessorDecoratorTargetType(reportErrors2) { return deferredGlobalClassAccessorDecoratorTargetType ?? (deferredGlobalClassAccessorDecoratorTargetType = getGlobalType( "ClassAccessorDecoratorTarget", /*arity*/ 2, reportErrors2 )) ?? emptyGenericType; } function getGlobalClassAccessorDecoratorResultType(reportErrors2) { return deferredGlobalClassAccessorDecoratorResultType ?? (deferredGlobalClassAccessorDecoratorResultType = getGlobalType( "ClassAccessorDecoratorResult", /*arity*/ 2, reportErrors2 )) ?? emptyGenericType; } function getGlobalClassFieldDecoratorContextType(reportErrors2) { return deferredGlobalClassFieldDecoratorContextType ?? (deferredGlobalClassFieldDecoratorContextType = getGlobalType( "ClassFieldDecoratorContext", /*arity*/ 2, reportErrors2 )) ?? emptyGenericType; } function getGlobalNaNSymbol() { return deferredGlobalNaNSymbol || (deferredGlobalNaNSymbol = getGlobalValueSymbol( "NaN", /*reportErrors*/ false )); } function getGlobalRecordSymbol() { deferredGlobalRecordSymbol || (deferredGlobalRecordSymbol = getGlobalTypeAliasSymbol( "Record", /*arity*/ 2, /*reportErrors*/ true ) || unknownSymbol); return deferredGlobalRecordSymbol === unknownSymbol ? void 0 : deferredGlobalRecordSymbol; } function createTypeFromGenericGlobalType(genericGlobalType, typeArguments) { return genericGlobalType !== emptyGenericType ? createTypeReference(genericGlobalType, typeArguments) : emptyObjectType; } function createTypedPropertyDescriptorType(propertyType) { return createTypeFromGenericGlobalType(getGlobalTypedPropertyDescriptorType(), [propertyType]); } function createIterableType(iteratedType) { return createTypeFromGenericGlobalType(getGlobalIterableType( /*reportErrors*/ true ), [iteratedType]); } function createArrayType(elementType, readonly) { return createTypeFromGenericGlobalType(readonly ? globalReadonlyArrayType : globalArrayType, [elementType]); } function getTupleElementFlags(node) { switch (node.kind) { case 190: return 2; case 191: return getRestTypeElementFlags(node); case 202: return node.questionToken ? 2 : node.dotDotDotToken ? getRestTypeElementFlags(node) : 1; default: return 1; } } function getRestTypeElementFlags(node) { return getArrayElementTypeNode(node.type) ? 4 : 8; } function getArrayOrTupleTargetType(node) { const readonly = isReadonlyTypeOperator(node.parent); const elementType = getArrayElementTypeNode(node); if (elementType) { return readonly ? globalReadonlyArrayType : globalArrayType; } const elementFlags = map(node.elements, getTupleElementFlags); return getTupleTargetType(elementFlags, readonly, map(node.elements, memberIfLabeledElementDeclaration)); } function memberIfLabeledElementDeclaration(member) { return isNamedTupleMember(member) || isParameter(member) ? member : void 0; } function isDeferredTypeReferenceNode(node, hasDefaultTypeArguments) { return !!getAliasSymbolForTypeNode(node) || isResolvedByTypeAlias(node) && (node.kind === 188 ? mayResolveTypeAlias(node.elementType) : node.kind === 189 ? some(node.elements, mayResolveTypeAlias) : hasDefaultTypeArguments || some(node.typeArguments, mayResolveTypeAlias)); } function isResolvedByTypeAlias(node) { const parent2 = node.parent; switch (parent2.kind) { case 196: case 202: case 183: case 192: case 193: case 199: case 194: case 198: case 188: case 189: return isResolvedByTypeAlias(parent2); case 265: return true; } return false; } function mayResolveTypeAlias(node) { switch (node.kind) { case 183: return isJSDocTypeReference(node) || !!(resolveTypeReferenceName( node, 788968 /* Type */ ).flags & 524288); case 186: return true; case 198: return node.operator !== 158 && mayResolveTypeAlias(node.type); case 196: case 190: case 202: case 316: case 314: case 315: case 309: return mayResolveTypeAlias(node.type); case 191: return node.type.kind !== 188 || mayResolveTypeAlias(node.type.elementType); case 192: case 193: return some(node.types, mayResolveTypeAlias); case 199: return mayResolveTypeAlias(node.objectType) || mayResolveTypeAlias(node.indexType); case 194: return mayResolveTypeAlias(node.checkType) || mayResolveTypeAlias(node.extendsType) || mayResolveTypeAlias(node.trueType) || mayResolveTypeAlias(node.falseType); } return false; } function getTypeFromArrayOrTupleTypeNode(node) { const links = getNodeLinks(node); if (!links.resolvedType) { const target = getArrayOrTupleTargetType(node); if (target === emptyGenericType) { links.resolvedType = emptyObjectType; } else if (!(node.kind === 189 && some(node.elements, (e) => !!(getTupleElementFlags(e) & 8))) && isDeferredTypeReferenceNode(node)) { links.resolvedType = node.kind === 189 && node.elements.length === 0 ? target : createDeferredTypeReference( target, node, /*mapper*/ void 0 ); } else { const elementTypes = node.kind === 188 ? [getTypeFromTypeNode(node.elementType)] : map(node.elements, getTypeFromTypeNode); links.resolvedType = createNormalizedTypeReference(target, elementTypes); } } return links.resolvedType; } function isReadonlyTypeOperator(node) { return isTypeOperatorNode(node) && node.operator === 148; } function createTupleType(elementTypes, elementFlags, readonly = false, namedMemberDeclarations = []) { const tupleTarget = getTupleTargetType(elementFlags || map( elementTypes, (_) => 1 /* Required */ ), readonly, namedMemberDeclarations); return tupleTarget === emptyGenericType ? emptyObjectType : elementTypes.length ? createNormalizedTypeReference(tupleTarget, elementTypes) : tupleTarget; } function getTupleTargetType(elementFlags, readonly, namedMemberDeclarations) { if (elementFlags.length === 1 && elementFlags[0] & 4) { return readonly ? globalReadonlyArrayType : globalArrayType; } const key = map(elementFlags, (f) => f & 1 ? "#" : f & 2 ? "?" : f & 4 ? "." : "*").join() + (readonly ? "R" : "") + (some(namedMemberDeclarations, (node) => !!node) ? "," + map(namedMemberDeclarations, (node) => node ? getNodeId(node) : "_").join(",") : ""); let type = tupleTypes.get(key); if (!type) { tupleTypes.set(key, type = createTupleTargetType(elementFlags, readonly, namedMemberDeclarations)); } return type; } function createTupleTargetType(elementFlags, readonly, namedMemberDeclarations) { const arity = elementFlags.length; const minLength = countWhere(elementFlags, (f) => !!(f & (1 | 8))); let typeParameters; const properties = []; let combinedFlags = 0; if (arity) { typeParameters = new Array(arity); for (let i = 0; i < arity; i++) { const typeParameter = typeParameters[i] = createTypeParameter(); const flags = elementFlags[i]; combinedFlags |= flags; if (!(combinedFlags & 12)) { const property = createSymbol(4 | (flags & 2 ? 16777216 : 0), "" + i, readonly ? 8 : 0); property.links.tupleLabelDeclaration = namedMemberDeclarations == null ? void 0 : namedMemberDeclarations[i]; property.links.type = typeParameter; properties.push(property); } } } const fixedLength = properties.length; const lengthSymbol = createSymbol(4, "length", readonly ? 8 : 0); if (combinedFlags & 12) { lengthSymbol.links.type = numberType2; } else { const literalTypes = []; for (let i = minLength; i <= arity; i++) literalTypes.push(getNumberLiteralType(i)); lengthSymbol.links.type = getUnionType(literalTypes); } properties.push(lengthSymbol); const type = createObjectType( 8 | 4 /* Reference */ ); type.typeParameters = typeParameters; type.outerTypeParameters = void 0; type.localTypeParameters = typeParameters; type.instantiations = /* @__PURE__ */ new Map(); type.instantiations.set(getTypeListId(type.typeParameters), type); type.target = type; type.resolvedTypeArguments = type.typeParameters; type.thisType = createTypeParameter(); type.thisType.isThisType = true; type.thisType.constraint = type; type.declaredProperties = properties; type.declaredCallSignatures = emptyArray; type.declaredConstructSignatures = emptyArray; type.declaredIndexInfos = emptyArray; type.elementFlags = elementFlags; type.minLength = minLength; type.fixedLength = fixedLength; type.hasRestElement = !!(combinedFlags & 12); type.combinedFlags = combinedFlags; type.readonly = readonly; type.labeledElementDeclarations = namedMemberDeclarations; return type; } function createNormalizedTypeReference(target, typeArguments) { return target.objectFlags & 8 ? createNormalizedTupleType(target, typeArguments) : createTypeReference(target, typeArguments); } function createNormalizedTupleType(target, elementTypes) { var _a, _b, _c, _d; if (!(target.combinedFlags & 14)) { return createTypeReference(target, elementTypes); } if (target.combinedFlags & 8) { const unionIndex = findIndex(elementTypes, (t, i) => !!(target.elementFlags[i] & 8 && t.flags & (131072 | 1048576))); if (unionIndex >= 0) { return checkCrossProductUnion(map(elementTypes, (t, i) => target.elementFlags[i] & 8 ? t : unknownType2)) ? mapType2(elementTypes[unionIndex], (t) => createNormalizedTupleType(target, replaceElement(elementTypes, unionIndex, t))) : errorType; } } const expandedTypes = []; const expandedFlags = []; const expandedDeclarations = []; let lastRequiredIndex = -1; let firstRestIndex = -1; let lastOptionalOrRestIndex = -1; for (let i = 0; i < elementTypes.length; i++) { const type = elementTypes[i]; const flags = target.elementFlags[i]; if (flags & 8) { if (type.flags & 1) { addElement(type, 4, (_a = target.labeledElementDeclarations) == null ? void 0 : _a[i]); } else if (type.flags & 58982400 || isGenericMappedType(type)) { addElement(type, 8, (_b = target.labeledElementDeclarations) == null ? void 0 : _b[i]); } else if (isTupleType(type)) { const elements = getElementTypes(type); if (elements.length + expandedTypes.length >= 1e4) { error2( currentNode, isPartOfTypeNode(currentNode) ? Diagnostics.Type_produces_a_tuple_type_that_is_too_large_to_represent : Diagnostics.Expression_produces_a_tuple_type_that_is_too_large_to_represent ); return errorType; } forEach(elements, (t, n) => { var _a2; return addElement(t, type.target.elementFlags[n], (_a2 = type.target.labeledElementDeclarations) == null ? void 0 : _a2[n]); }); } else { addElement(isArrayLikeType(type) && getIndexTypeOfType(type, numberType2) || errorType, 4, (_c = target.labeledElementDeclarations) == null ? void 0 : _c[i]); } } else { addElement(type, flags, (_d = target.labeledElementDeclarations) == null ? void 0 : _d[i]); } } for (let i = 0; i < lastRequiredIndex; i++) { if (expandedFlags[i] & 2) expandedFlags[i] = 1; } if (firstRestIndex >= 0 && firstRestIndex < lastOptionalOrRestIndex) { expandedTypes[firstRestIndex] = getUnionType(sameMap(expandedTypes.slice(firstRestIndex, lastOptionalOrRestIndex + 1), (t, i) => expandedFlags[firstRestIndex + i] & 8 ? getIndexedAccessType(t, numberType2) : t)); expandedTypes.splice(firstRestIndex + 1, lastOptionalOrRestIndex - firstRestIndex); expandedFlags.splice(firstRestIndex + 1, lastOptionalOrRestIndex - firstRestIndex); expandedDeclarations.splice(firstRestIndex + 1, lastOptionalOrRestIndex - firstRestIndex); } const tupleTarget = getTupleTargetType(expandedFlags, target.readonly, expandedDeclarations); return tupleTarget === emptyGenericType ? emptyObjectType : expandedFlags.length ? createTypeReference(tupleTarget, expandedTypes) : tupleTarget; function addElement(type, flags, declaration) { if (flags & 1) { lastRequiredIndex = expandedFlags.length; } if (flags & 4 && firstRestIndex < 0) { firstRestIndex = expandedFlags.length; } if (flags & (2 | 4)) { lastOptionalOrRestIndex = expandedFlags.length; } expandedTypes.push(flags & 2 ? addOptionality( type, /*isProperty*/ true ) : type); expandedFlags.push(flags); expandedDeclarations.push(declaration); } } function sliceTupleType(type, index, endSkipCount = 0) { const target = type.target; const endIndex = getTypeReferenceArity(type) - endSkipCount; return index > target.fixedLength ? getRestArrayTypeOfTupleType(type) || createTupleType(emptyArray) : createTupleType( getTypeArguments(type).slice(index, endIndex), target.elementFlags.slice(index, endIndex), /*readonly*/ false, target.labeledElementDeclarations && target.labeledElementDeclarations.slice(index, endIndex) ); } function getKnownKeysOfTupleType(type) { return getUnionType(append(arrayOf(type.target.fixedLength, (i) => getStringLiteralType("" + i)), getIndexType(type.target.readonly ? globalReadonlyArrayType : globalArrayType))); } function getStartElementCount(type, flags) { const index = findIndex(type.elementFlags, (f) => !(f & flags)); return index >= 0 ? index : type.elementFlags.length; } function getEndElementCount(type, flags) { return type.elementFlags.length - findLastIndex(type.elementFlags, (f) => !(f & flags)) - 1; } function getTotalFixedElementCount(type) { return type.fixedLength + getEndElementCount( type, 3 /* Fixed */ ); } function getElementTypes(type) { const typeArguments = getTypeArguments(type); const arity = getTypeReferenceArity(type); return typeArguments.length === arity ? typeArguments : typeArguments.slice(0, arity); } function getTypeFromOptionalTypeNode(node) { return addOptionality( getTypeFromTypeNode(node.type), /*isProperty*/ true ); } function getTypeId(type) { return type.id; } function containsType(types, type) { return binarySearch(types, type, getTypeId, compareValues) >= 0; } function insertType(types, type) { const index = binarySearch(types, type, getTypeId, compareValues); if (index < 0) { types.splice(~index, 0, type); return true; } return false; } function addTypeToUnion(typeSet, includes, type) { const flags = type.flags; if (!(flags & 131072)) { includes |= flags & 473694207; if (flags & 465829888) includes |= 33554432; if (flags & 2097152 && getObjectFlags(type) & 67108864) includes |= 536870912; if (type === wildcardType) includes |= 8388608; if (isErrorType(type)) includes |= 1073741824; if (!strictNullChecks && flags & 98304) { if (!(getObjectFlags(type) & 65536)) includes |= 4194304; } else { const len = typeSet.length; const index = len && type.id > typeSet[len - 1].id ? ~len : binarySearch(typeSet, type, getTypeId, compareValues); if (index < 0) { typeSet.splice(~index, 0, type); } } } return includes; } function addTypesToUnion(typeSet, includes, types) { let lastType; for (const type of types) { if (type !== lastType) { includes = type.flags & 1048576 ? addTypesToUnion(typeSet, includes | (isNamedUnionType(type) ? 1048576 : 0), type.types) : addTypeToUnion(typeSet, includes, type); lastType = type; } } return includes; } function removeSubtypes(types, hasObjectTypes) { var _a; if (types.length < 2) { return types; } const id = getTypeListId(types); const match = subtypeReductionCache.get(id); if (match) { return match; } const hasEmptyObject = hasObjectTypes && some(types, (t) => !!(t.flags & 524288) && !isGenericMappedType(t) && isEmptyResolvedType(resolveStructuredTypeMembers(t))); const len = types.length; let i = len; let count = 0; while (i > 0) { i--; const source = types[i]; if (hasEmptyObject || source.flags & 469499904) { if (source.flags & 262144 && getBaseConstraintOrType(source).flags & 1048576) { if (isTypeRelatedTo(source, getUnionType(map(types, (t) => t === source ? neverType2 : t)), strictSubtypeRelation)) { orderedRemoveItemAt(types, i); } continue; } const keyProperty = source.flags & (524288 | 2097152 | 58982400) ? find(getPropertiesOfType(source), (p) => isUnitType(getTypeOfSymbol(p))) : void 0; const keyPropertyType = keyProperty && getRegularTypeOfLiteralType(getTypeOfSymbol(keyProperty)); for (const target of types) { if (source !== target) { if (count === 1e5) { const estimatedCount = count / (len - i) * len; if (estimatedCount > 1e6) { (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.CheckTypes, "removeSubtypes_DepthLimit", { typeIds: types.map((t) => t.id) }); error2(currentNode, Diagnostics.Expression_produces_a_union_type_that_is_too_complex_to_represent); return void 0; } } count++; if (keyProperty && target.flags & (524288 | 2097152 | 58982400)) { const t = getTypeOfPropertyOfType(target, keyProperty.escapedName); if (t && isUnitType(t) && getRegularTypeOfLiteralType(t) !== keyPropertyType) { continue; } } if (isTypeRelatedTo(source, target, strictSubtypeRelation) && (!(getObjectFlags(getTargetType(source)) & 1) || !(getObjectFlags(getTargetType(target)) & 1) || isTypeDerivedFrom(source, target))) { orderedRemoveItemAt(types, i); break; } } } } } subtypeReductionCache.set(id, types); return types; } function removeRedundantLiteralTypes(types, includes, reduceVoidUndefined) { let i = types.length; while (i > 0) { i--; const t = types[i]; const flags = t.flags; const remove = flags & (128 | 134217728 | 268435456) && includes & 4 || flags & 256 && includes & 8 || flags & 2048 && includes & 64 || flags & 8192 && includes & 4096 || reduceVoidUndefined && flags & 32768 && includes & 16384 || isFreshLiteralType(t) && containsType(types, t.regularType); if (remove) { orderedRemoveItemAt(types, i); } } } function removeStringLiteralsMatchedByTemplateLiterals(types) { const templates = filter(types, isPatternLiteralType); if (templates.length) { let i = types.length; while (i > 0) { i--; const t = types[i]; if (t.flags & 128 && some(templates, (template) => isTypeMatchedByTemplateLiteralOrStringMapping(t, template))) { orderedRemoveItemAt(types, i); } } } } function isTypeMatchedByTemplateLiteralOrStringMapping(type, template) { return template.flags & 134217728 ? isTypeMatchedByTemplateLiteralType(type, template) : isMemberOfStringMapping(type, template); } function removeConstrainedTypeVariables(types) { const typeVariables = []; for (const type of types) { if (type.flags & 2097152 && getObjectFlags(type) & 67108864) { const index = type.types[0].flags & 8650752 ? 0 : 1; pushIfUnique(typeVariables, type.types[index]); } } for (const typeVariable of typeVariables) { const primitives = []; for (const type of types) { if (type.flags & 2097152 && getObjectFlags(type) & 67108864) { const index = type.types[0].flags & 8650752 ? 0 : 1; if (type.types[index] === typeVariable) { insertType(primitives, type.types[1 - index]); } } } const constraint = getBaseConstraintOfType(typeVariable); if (everyType(constraint, (t) => containsType(primitives, t))) { let i = types.length; while (i > 0) { i--; const type = types[i]; if (type.flags & 2097152 && getObjectFlags(type) & 67108864) { const index = type.types[0].flags & 8650752 ? 0 : 1; if (type.types[index] === typeVariable && containsType(primitives, type.types[1 - index])) { orderedRemoveItemAt(types, i); } } } insertType(types, typeVariable); } } } function isNamedUnionType(type) { return !!(type.flags & 1048576 && (type.aliasSymbol || type.origin)); } function addNamedUnions(namedUnions, types) { for (const t of types) { if (t.flags & 1048576) { const origin = t.origin; if (t.aliasSymbol || origin && !(origin.flags & 1048576)) { pushIfUnique(namedUnions, t); } else if (origin && origin.flags & 1048576) { addNamedUnions(namedUnions, origin.types); } } } } function createOriginUnionOrIntersectionType(flags, types) { const result = createOriginType(flags); result.types = types; return result; } function getUnionType(types, unionReduction = 1, aliasSymbol, aliasTypeArguments, origin) { if (types.length === 0) { return neverType2; } if (types.length === 1) { return types[0]; } if (types.length === 2 && !origin && (types[0].flags & 1048576 || types[1].flags & 1048576)) { const infix = unionReduction === 0 ? "N" : unionReduction === 2 ? "S" : "L"; const index = types[0].id < types[1].id ? 0 : 1; const id = types[index].id + infix + types[1 - index].id + getAliasId(aliasSymbol, aliasTypeArguments); let type = unionOfUnionTypes.get(id); if (!type) { type = getUnionTypeWorker( types, unionReduction, aliasSymbol, aliasTypeArguments, /*origin*/ void 0 ); unionOfUnionTypes.set(id, type); } return type; } return getUnionTypeWorker(types, unionReduction, aliasSymbol, aliasTypeArguments, origin); } function getUnionTypeWorker(types, unionReduction, aliasSymbol, aliasTypeArguments, origin) { let typeSet = []; const includes = addTypesToUnion(typeSet, 0, types); if (unionReduction !== 0) { if (includes & 3) { return includes & 1 ? includes & 8388608 ? wildcardType : includes & 1073741824 ? errorType : anyType2 : unknownType2; } if (includes & 32768) { if (typeSet.length >= 2 && typeSet[0] === undefinedType2 && typeSet[1] === missingType) { orderedRemoveItemAt(typeSet, 1); } } if (includes & (32 | 2944 | 8192 | 134217728 | 268435456) || includes & 16384 && includes & 32768) { removeRedundantLiteralTypes(typeSet, includes, !!(unionReduction & 2)); } if (includes & 128 && includes & (134217728 | 268435456)) { removeStringLiteralsMatchedByTemplateLiterals(typeSet); } if (includes & 536870912) { removeConstrainedTypeVariables(typeSet); } if (unionReduction === 2) { typeSet = removeSubtypes(typeSet, !!(includes & 524288)); if (!typeSet) { return errorType; } } if (typeSet.length === 0) { return includes & 65536 ? includes & 4194304 ? nullType2 : nullWideningType : includes & 32768 ? includes & 4194304 ? undefinedType2 : undefinedWideningType : neverType2; } } if (!origin && includes & 1048576) { const namedUnions = []; addNamedUnions(namedUnions, types); const reducedTypes = []; for (const t of typeSet) { if (!some(namedUnions, (union) => containsType(union.types, t))) { reducedTypes.push(t); } } if (!aliasSymbol && namedUnions.length === 1 && reducedTypes.length === 0) { return namedUnions[0]; } const namedTypesCount = reduceLeft(namedUnions, (sum, union) => sum + union.types.length, 0); if (namedTypesCount + reducedTypes.length === typeSet.length) { for (const t of namedUnions) { insertType(reducedTypes, t); } origin = createOriginUnionOrIntersectionType(1048576, reducedTypes); } } const objectFlags = (includes & 36323331 ? 0 : 32768) | (includes & 2097152 ? 16777216 : 0); return getUnionTypeFromSortedList(typeSet, objectFlags, aliasSymbol, aliasTypeArguments, origin); } function getUnionOrIntersectionTypePredicate(signatures, kind) { let last2; const types = []; for (const sig of signatures) { const pred = getTypePredicateOfSignature(sig); if (pred) { if (pred.kind !== 0 && pred.kind !== 1 || last2 && !typePredicateKindsMatch(last2, pred)) { return void 0; } last2 = pred; types.push(pred.type); } else { const returnType = kind !== 2097152 ? getReturnTypeOfSignature(sig) : void 0; if (returnType !== falseType && returnType !== regularFalseType) { return void 0; } } } if (!last2) { return void 0; } const compositeType = getUnionOrIntersectionType(types, kind); return createTypePredicate(last2.kind, last2.parameterName, last2.parameterIndex, compositeType); } function typePredicateKindsMatch(a, b) { return a.kind === b.kind && a.parameterIndex === b.parameterIndex; } function getUnionTypeFromSortedList(types, precomputedObjectFlags, aliasSymbol, aliasTypeArguments, origin) { if (types.length === 0) { return neverType2; } if (types.length === 1) { return types[0]; } const typeKey = !origin ? getTypeListId(types) : origin.flags & 1048576 ? `|${getTypeListId(origin.types)}` : origin.flags & 2097152 ? `&${getTypeListId(origin.types)}` : `#${origin.type.id}|${getTypeListId(types)}`; const id = typeKey + getAliasId(aliasSymbol, aliasTypeArguments); let type = unionTypes.get(id); if (!type) { type = createType( 1048576 /* Union */ ); type.objectFlags = precomputedObjectFlags | getPropagatingFlagsOfTypes( types, /*excludeKinds*/ 98304 /* Nullable */ ); type.types = types; type.origin = origin; type.aliasSymbol = aliasSymbol; type.aliasTypeArguments = aliasTypeArguments; if (types.length === 2 && types[0].flags & 512 && types[1].flags & 512) { type.flags |= 16; type.intrinsicName = "boolean"; } unionTypes.set(id, type); } return type; } function getTypeFromUnionTypeNode(node) { const links = getNodeLinks(node); if (!links.resolvedType) { const aliasSymbol = getAliasSymbolForTypeNode(node); links.resolvedType = getUnionType(map(node.types, getTypeFromTypeNode), 1, aliasSymbol, getTypeArgumentsForAliasSymbol(aliasSymbol)); } return links.resolvedType; } function addTypeToIntersection(typeSet, includes, type) { const flags = type.flags; if (flags & 2097152) { return addTypesToIntersection(typeSet, includes, type.types); } if (isEmptyAnonymousObjectType(type)) { if (!(includes & 16777216)) { includes |= 16777216; typeSet.set(type.id.toString(), type); } } else { if (flags & 3) { if (type === wildcardType) includes |= 8388608; if (isErrorType(type)) includes |= 1073741824; } else if (strictNullChecks || !(flags & 98304)) { if (type === missingType) { includes |= 262144; type = undefinedType2; } if (!typeSet.has(type.id.toString())) { if (type.flags & 109472 && includes & 109472) { includes |= 67108864; } typeSet.set(type.id.toString(), type); } } includes |= flags & 473694207; } return includes; } function addTypesToIntersection(typeSet, includes, types) { for (const type of types) { includes = addTypeToIntersection(typeSet, includes, getRegularTypeOfLiteralType(type)); } return includes; } function removeRedundantSupertypes(types, includes) { let i = types.length; while (i > 0) { i--; const t = types[i]; const remove = t.flags & 4 && includes & (128 | 134217728 | 268435456) || t.flags & 8 && includes & 256 || t.flags & 64 && includes & 2048 || t.flags & 4096 && includes & 8192 || t.flags & 16384 && includes & 32768 || isEmptyAnonymousObjectType(t) && includes & 470302716; if (remove) { orderedRemoveItemAt(types, i); } } } function eachUnionContains(unionTypes2, type) { for (const u of unionTypes2) { if (!containsType(u.types, type)) { const primitive = type.flags & 128 ? stringType2 : type.flags & (32 | 256) ? numberType2 : type.flags & 2048 ? bigintType : type.flags & 8192 ? esSymbolType : void 0; if (!primitive || !containsType(u.types, primitive)) { return false; } } } return true; } function extractRedundantTemplateLiterals(types) { let i = types.length; const literals = filter(types, (t) => !!(t.flags & 128)); while (i > 0) { i--; const t = types[i]; if (!(t.flags & (134217728 | 268435456))) continue; for (const t2 of literals) { if (isTypeSubtypeOf(t2, t)) { orderedRemoveItemAt(types, i); break; } else if (isPatternLiteralType(t)) { return true; } } } return false; } function removeFromEach(types, flag) { for (let i = 0; i < types.length; i++) { types[i] = filterType(types[i], (t) => !(t.flags & flag)); } } function intersectUnionsOfPrimitiveTypes(types) { let unionTypes2; const index = findIndex(types, (t) => !!(getObjectFlags(t) & 32768)); if (index < 0) { return false; } let i = index + 1; while (i < types.length) { const t = types[i]; if (getObjectFlags(t) & 32768) { (unionTypes2 || (unionTypes2 = [types[index]])).push(t); orderedRemoveItemAt(types, i); } else { i++; } } if (!unionTypes2) { return false; } const checked = []; const result = []; for (const u of unionTypes2) { for (const t of u.types) { if (insertType(checked, t)) { if (eachUnionContains(unionTypes2, t)) { insertType(result, t); } } } } types[index] = getUnionTypeFromSortedList( result, 32768 /* PrimitiveUnion */ ); return true; } function createIntersectionType(types, objectFlags, aliasSymbol, aliasTypeArguments) { const result = createType( 2097152 /* Intersection */ ); result.objectFlags = objectFlags | getPropagatingFlagsOfTypes( types, /*excludeKinds*/ 98304 /* Nullable */ ); result.types = types; result.aliasSymbol = aliasSymbol; result.aliasTypeArguments = aliasTypeArguments; return result; } function getIntersectionType(types, flags = 0, aliasSymbol, aliasTypeArguments) { const typeMembershipMap = /* @__PURE__ */ new Map(); const includes = addTypesToIntersection(typeMembershipMap, 0, types); const typeSet = arrayFrom(typeMembershipMap.values()); let objectFlags = 0; if (includes & 131072) { return contains(typeSet, silentNeverType) ? silentNeverType : neverType2; } if (strictNullChecks && includes & 98304 && includes & (524288 | 67108864 | 16777216) || includes & 67108864 && includes & (469892092 & ~67108864) || includes & 402653316 && includes & (469892092 & ~402653316) || includes & 296 && includes & (469892092 & ~296) || includes & 2112 && includes & (469892092 & ~2112) || includes & 12288 && includes & (469892092 & ~12288) || includes & 49152 && includes & (469892092 & ~49152)) { return neverType2; } if (includes & (134217728 | 268435456) && includes & 128 && extractRedundantTemplateLiterals(typeSet)) { return neverType2; } if (includes & 1) { return includes & 8388608 ? wildcardType : includes & 1073741824 ? errorType : anyType2; } if (!strictNullChecks && includes & 98304) { return includes & 16777216 ? neverType2 : includes & 32768 ? undefinedType2 : nullType2; } if (includes & 4 && includes & (128 | 134217728 | 268435456) || includes & 8 && includes & 256 || includes & 64 && includes & 2048 || includes & 4096 && includes & 8192 || includes & 16384 && includes & 32768 || includes & 16777216 && includes & 470302716) { if (!(flags & 1)) removeRedundantSupertypes(typeSet, includes); } if (includes & 262144) { typeSet[typeSet.indexOf(undefinedType2)] = missingType; } if (typeSet.length === 0) { return unknownType2; } if (typeSet.length === 1) { return typeSet[0]; } if (typeSet.length === 2 && !(flags & 2)) { const typeVarIndex = typeSet[0].flags & 8650752 ? 0 : 1; const typeVariable = typeSet[typeVarIndex]; const primitiveType = typeSet[1 - typeVarIndex]; if (typeVariable.flags & 8650752 && (primitiveType.flags & (402784252 | 67108864) && !isGenericStringLikeType(primitiveType) || includes & 16777216)) { const constraint = getBaseConstraintOfType(typeVariable); if (constraint && everyType(constraint, (t) => !!(t.flags & (402784252 | 67108864)) || isEmptyAnonymousObjectType(t))) { if (isTypeStrictSubtypeOf(constraint, primitiveType)) { return typeVariable; } if (!(constraint.flags & 1048576 && someType(constraint, (c) => isTypeStrictSubtypeOf(c, primitiveType)))) { if (!isTypeStrictSubtypeOf(primitiveType, constraint)) { return neverType2; } } objectFlags = 67108864; } } } const id = getTypeListId(typeSet) + (flags & 2 ? "*" : getAliasId(aliasSymbol, aliasTypeArguments)); let result = intersectionTypes.get(id); if (!result) { if (includes & 1048576) { if (intersectUnionsOfPrimitiveTypes(typeSet)) { result = getIntersectionType(typeSet, flags, aliasSymbol, aliasTypeArguments); } else if (every(typeSet, (t) => !!(t.flags & 1048576 && t.types[0].flags & 32768))) { const containedUndefinedType = some(typeSet, containsMissingType) ? missingType : undefinedType2; removeFromEach( typeSet, 32768 /* Undefined */ ); result = getUnionType([getIntersectionType(typeSet, flags), containedUndefinedType], 1, aliasSymbol, aliasTypeArguments); } else if (every(typeSet, (t) => !!(t.flags & 1048576 && (t.types[0].flags & 65536 || t.types[1].flags & 65536)))) { removeFromEach( typeSet, 65536 /* Null */ ); result = getUnionType([getIntersectionType(typeSet, flags), nullType2], 1, aliasSymbol, aliasTypeArguments); } else if (typeSet.length >= 4) { const middle = Math.floor(typeSet.length / 2); result = getIntersectionType([getIntersectionType(typeSet.slice(0, middle), flags), getIntersectionType(typeSet.slice(middle), flags)], flags, aliasSymbol, aliasTypeArguments); } else { if (!checkCrossProductUnion(typeSet)) { return errorType; } const constituents = getCrossProductIntersections(typeSet, flags); const origin = some(constituents, (t) => !!(t.flags & 2097152)) && getConstituentCountOfTypes(constituents) > getConstituentCountOfTypes(typeSet) ? createOriginUnionOrIntersectionType(2097152, typeSet) : void 0; result = getUnionType(constituents, 1, aliasSymbol, aliasTypeArguments, origin); } } else { result = createIntersectionType(typeSet, objectFlags, aliasSymbol, aliasTypeArguments); } intersectionTypes.set(id, result); } return result; } function getCrossProductUnionSize(types) { return reduceLeft(types, (n, t) => t.flags & 1048576 ? n * t.types.length : t.flags & 131072 ? 0 : n, 1); } function checkCrossProductUnion(types) { var _a; const size = getCrossProductUnionSize(types); if (size >= 1e5) { (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.CheckTypes, "checkCrossProductUnion_DepthLimit", { typeIds: types.map((t) => t.id), size }); error2(currentNode, Diagnostics.Expression_produces_a_union_type_that_is_too_complex_to_represent); return false; } return true; } function getCrossProductIntersections(types, flags) { const count = getCrossProductUnionSize(types); const intersections = []; for (let i = 0; i < count; i++) { const constituents = types.slice(); let n = i; for (let j = types.length - 1; j >= 0; j--) { if (types[j].flags & 1048576) { const sourceTypes = types[j].types; const length2 = sourceTypes.length; constituents[j] = sourceTypes[n % length2]; n = Math.floor(n / length2); } } const t = getIntersectionType(constituents, flags); if (!(t.flags & 131072)) intersections.push(t); } return intersections; } function getConstituentCount(type) { return !(type.flags & 3145728) || type.aliasSymbol ? 1 : type.flags & 1048576 && type.origin ? getConstituentCount(type.origin) : getConstituentCountOfTypes(type.types); } function getConstituentCountOfTypes(types) { return reduceLeft(types, (n, t) => n + getConstituentCount(t), 0); } function getTypeFromIntersectionTypeNode(node) { const links = getNodeLinks(node); if (!links.resolvedType) { const aliasSymbol = getAliasSymbolForTypeNode(node); const types = map(node.types, getTypeFromTypeNode); const emptyIndex = types.length === 2 ? types.indexOf(emptyTypeLiteralType) : -1; const t = emptyIndex >= 0 ? types[1 - emptyIndex] : unknownType2; const noSupertypeReduction = !!(t.flags & (4 | 8 | 64) || t.flags & 134217728 && isPatternLiteralType(t)); links.resolvedType = getIntersectionType(types, noSupertypeReduction ? 1 : 0, aliasSymbol, getTypeArgumentsForAliasSymbol(aliasSymbol)); } return links.resolvedType; } function createIndexType(type, indexFlags) { const result = createType( 4194304 /* Index */ ); result.type = type; result.indexFlags = indexFlags; return result; } function createOriginIndexType(type) { const result = createOriginType( 4194304 /* Index */ ); result.type = type; return result; } function getIndexTypeForGenericType(type, indexFlags) { return indexFlags & 1 ? type.resolvedStringIndexType || (type.resolvedStringIndexType = createIndexType( type, 1 /* StringsOnly */ )) : type.resolvedIndexType || (type.resolvedIndexType = createIndexType( type, 0 /* None */ )); } function getIndexTypeForMappedType(type, indexFlags) { const typeParameter = getTypeParameterFromMappedType(type); const constraintType = getConstraintTypeFromMappedType(type); const nameType = getNameTypeFromMappedType(type.target || type); if (!nameType && !(indexFlags & 2)) { return constraintType; } const keyTypes = []; if (isGenericIndexType(constraintType)) { if (isMappedTypeWithKeyofConstraintDeclaration(type)) { return getIndexTypeForGenericType(type, indexFlags); } forEachType(constraintType, addMemberForKeyType); } else if (isMappedTypeWithKeyofConstraintDeclaration(type)) { const modifiersType = getApparentType(getModifiersTypeFromMappedType(type)); forEachMappedTypePropertyKeyTypeAndIndexSignatureKeyType(modifiersType, 8576, !!(indexFlags & 1), addMemberForKeyType); } else { forEachType(getLowerBoundOfKeyType(constraintType), addMemberForKeyType); } const result = indexFlags & 2 ? filterType(getUnionType(keyTypes), (t) => !(t.flags & (1 | 4))) : getUnionType(keyTypes); if (result.flags & 1048576 && constraintType.flags & 1048576 && getTypeListId(result.types) === getTypeListId(constraintType.types)) { return constraintType; } return result; function addMemberForKeyType(keyType) { const propNameType = nameType ? instantiateType(nameType, appendTypeMapping(type.mapper, typeParameter, keyType)) : keyType; keyTypes.push(propNameType === stringType2 ? stringOrNumberType : propNameType); } } function hasDistributiveNameType(mappedType) { const typeVariable = getTypeParameterFromMappedType(mappedType); return isDistributive(getNameTypeFromMappedType(mappedType) || typeVariable); function isDistributive(type) { return type.flags & (3 | 402784252 | 131072 | 262144 | 524288 | 67108864) ? true : type.flags & 16777216 ? type.root.isDistributive && type.checkType === typeVariable : type.flags & (3145728 | 134217728) ? every(type.types, isDistributive) : type.flags & 8388608 ? isDistributive(type.objectType) && isDistributive(type.indexType) : type.flags & 33554432 ? isDistributive(type.baseType) && isDistributive(type.constraint) : type.flags & 268435456 ? isDistributive(type.type) : false; } } function getLiteralTypeFromPropertyName(name) { if (isPrivateIdentifier(name)) { return neverType2; } if (isNumericLiteral(name)) { return getRegularTypeOfLiteralType(checkExpression(name)); } if (isComputedPropertyName(name)) { return getRegularTypeOfLiteralType(checkComputedPropertyName(name)); } const propertyName = getPropertyNameForPropertyNameNode(name); if (propertyName !== void 0) { return getStringLiteralType(unescapeLeadingUnderscores(propertyName)); } if (isExpression(name)) { return getRegularTypeOfLiteralType(checkExpression(name)); } return neverType2; } function getLiteralTypeFromProperty(prop, include, includeNonPublic) { if (includeNonPublic || !(getDeclarationModifierFlagsFromSymbol(prop) & 6)) { let type = getSymbolLinks(getLateBoundSymbol(prop)).nameType; if (!type) { const name = getNameOfDeclaration(prop.valueDeclaration); type = prop.escapedName === "default" ? getStringLiteralType("default") : name && getLiteralTypeFromPropertyName(name) || (!isKnownSymbol(prop) ? getStringLiteralType(symbolName(prop)) : void 0); } if (type && type.flags & include) { return type; } } return neverType2; } function isKeyTypeIncluded(keyType, include) { return !!(keyType.flags & include || keyType.flags & 2097152 && some(keyType.types, (t) => isKeyTypeIncluded(t, include))); } function getLiteralTypeFromProperties(type, include, includeOrigin) { const origin = includeOrigin && (getObjectFlags(type) & (3 | 4) || type.aliasSymbol) ? createOriginIndexType(type) : void 0; const propertyTypes = map(getPropertiesOfType(type), (prop) => getLiteralTypeFromProperty(prop, include)); const indexKeyTypes = map(getIndexInfosOfType(type), (info) => info !== enumNumberIndexInfo && isKeyTypeIncluded(info.keyType, include) ? info.keyType === stringType2 && include & 8 ? stringOrNumberType : info.keyType : neverType2); return getUnionType( concatenate(propertyTypes, indexKeyTypes), 1, /*aliasSymbol*/ void 0, /*aliasTypeArguments*/ void 0, origin ); } function shouldDeferIndexType(type, indexFlags = 0) { return !!(type.flags & 58982400 || isGenericTupleType(type) || isGenericMappedType(type) && (!hasDistributiveNameType(type) || getMappedTypeNameTypeKind(type) === 2) || type.flags & 1048576 && !(indexFlags & 4) && isGenericReducibleType(type) || type.flags & 2097152 && maybeTypeOfKind( type, 465829888 /* Instantiable */ ) && some(type.types, isEmptyAnonymousObjectType)); } function getIndexType(type, indexFlags = 0) { type = getReducedType(type); return isNoInferType(type) ? getNoInferType(getIndexType(type.baseType, indexFlags)) : shouldDeferIndexType(type, indexFlags) ? getIndexTypeForGenericType(type, indexFlags) : type.flags & 1048576 ? getIntersectionType(map(type.types, (t) => getIndexType(t, indexFlags))) : type.flags & 2097152 ? getUnionType(map(type.types, (t) => getIndexType(t, indexFlags))) : getObjectFlags(type) & 32 ? getIndexTypeForMappedType(type, indexFlags) : type === wildcardType ? wildcardType : type.flags & 2 ? neverType2 : type.flags & (1 | 131072) ? stringNumberSymbolType : getLiteralTypeFromProperties( type, (indexFlags & 2 ? 128 : 402653316) | (indexFlags & 1 ? 0 : 296 | 12288), indexFlags === 0 /* None */ ); } function getExtractStringType(type) { const extractTypeAlias = getGlobalExtractSymbol(); return extractTypeAlias ? getTypeAliasInstantiation(extractTypeAlias, [type, stringType2]) : stringType2; } function getIndexTypeOrString(type) { const indexType = getExtractStringType(getIndexType(type)); return indexType.flags & 131072 ? stringType2 : indexType; } function getTypeFromTypeOperatorNode(node) { const links = getNodeLinks(node); if (!links.resolvedType) { switch (node.operator) { case 143: links.resolvedType = getIndexType(getTypeFromTypeNode(node.type)); break; case 158: links.resolvedType = node.type.kind === 155 ? getESSymbolLikeTypeForNode(walkUpParenthesizedTypes(node.parent)) : errorType; break; case 148: links.resolvedType = getTypeFromTypeNode(node.type); break; default: Debug.assertNever(node.operator); } } return links.resolvedType; } function getTypeFromTemplateTypeNode(node) { const links = getNodeLinks(node); if (!links.resolvedType) { links.resolvedType = getTemplateLiteralType( [node.head.text, ...map(node.templateSpans, (span) => span.literal.text)], map(node.templateSpans, (span) => getTypeFromTypeNode(span.type)) ); } return links.resolvedType; } function getTemplateLiteralType(texts, types) { const unionIndex = findIndex(types, (t) => !!(t.flags & (131072 | 1048576))); if (unionIndex >= 0) { return checkCrossProductUnion(types) ? mapType2(types[unionIndex], (t) => getTemplateLiteralType(texts, replaceElement(types, unionIndex, t))) : errorType; } if (contains(types, wildcardType)) { return wildcardType; } const newTypes = []; const newTexts = []; let text = texts[0]; if (!addSpans(texts, types)) { return stringType2; } if (newTypes.length === 0) { return getStringLiteralType(text); } newTexts.push(text); if (every(newTexts, (t) => t === "")) { if (every(newTypes, (t) => !!(t.flags & 4))) { return stringType2; } if (newTypes.length === 1 && isPatternLiteralType(newTypes[0])) { return newTypes[0]; } } const id = `${getTypeListId(newTypes)}|${map(newTexts, (t) => t.length).join(",")}|${newTexts.join("")}`; let type = templateLiteralTypes.get(id); if (!type) { templateLiteralTypes.set(id, type = createTemplateLiteralType(newTexts, newTypes)); } return type; function addSpans(texts2, types2) { for (let i = 0; i < types2.length; i++) { const t = types2[i]; if (t.flags & (2944 | 65536 | 32768)) { text += getTemplateStringForType(t) || ""; text += texts2[i + 1]; } else if (t.flags & 134217728) { text += t.texts[0]; if (!addSpans(t.texts, t.types)) return false; text += texts2[i + 1]; } else if (isGenericIndexType(t) || isPatternLiteralPlaceholderType(t)) { newTypes.push(t); newTexts.push(text); text = texts2[i + 1]; } else { return false; } } return true; } } function getTemplateStringForType(type) { return type.flags & 128 ? type.value : type.flags & 256 ? "" + type.value : type.flags & 2048 ? pseudoBigIntToString(type.value) : type.flags & (512 | 98304) ? type.intrinsicName : void 0; } function createTemplateLiteralType(texts, types) { const type = createType( 134217728 /* TemplateLiteral */ ); type.texts = texts; type.types = types; return type; } function getStringMappingType(symbol, type) { return type.flags & (1048576 | 131072) ? mapType2(type, (t) => getStringMappingType(symbol, t)) : type.flags & 128 ? getStringLiteralType(applyStringMapping(symbol, type.value)) : type.flags & 134217728 ? getTemplateLiteralType(...applyTemplateStringMapping(symbol, type.texts, type.types)) : ( // Mapping> === Mapping type.flags & 268435456 && symbol === type.symbol ? type : type.flags & (1 | 4 | 268435456) || isGenericIndexType(type) ? getStringMappingTypeForGenericType(symbol, type) : ( // This handles Mapping<`${number}`> and Mapping<`${bigint}`> isPatternLiteralPlaceholderType(type) ? getStringMappingTypeForGenericType(symbol, getTemplateLiteralType(["", ""], [type])) : type ) ); } function applyStringMapping(symbol, str) { switch (intrinsicTypeKinds.get(symbol.escapedName)) { case 0: return str.toUpperCase(); case 1: return str.toLowerCase(); case 2: return str.charAt(0).toUpperCase() + str.slice(1); case 3: return str.charAt(0).toLowerCase() + str.slice(1); } return str; } function applyTemplateStringMapping(symbol, texts, types) { switch (intrinsicTypeKinds.get(symbol.escapedName)) { case 0: return [texts.map((t) => t.toUpperCase()), types.map((t) => getStringMappingType(symbol, t))]; case 1: return [texts.map((t) => t.toLowerCase()), types.map((t) => getStringMappingType(symbol, t))]; case 2: return [texts[0] === "" ? texts : [texts[0].charAt(0).toUpperCase() + texts[0].slice(1), ...texts.slice(1)], texts[0] === "" ? [getStringMappingType(symbol, types[0]), ...types.slice(1)] : types]; case 3: return [texts[0] === "" ? texts : [texts[0].charAt(0).toLowerCase() + texts[0].slice(1), ...texts.slice(1)], texts[0] === "" ? [getStringMappingType(symbol, types[0]), ...types.slice(1)] : types]; } return [texts, types]; } function getStringMappingTypeForGenericType(symbol, type) { const id = `${getSymbolId(symbol)},${getTypeId(type)}`; let result = stringMappingTypes.get(id); if (!result) { stringMappingTypes.set(id, result = createStringMappingType(symbol, type)); } return result; } function createStringMappingType(symbol, type) { const result = createTypeWithSymbol(268435456, symbol); result.type = type; return result; } function createIndexedAccessType(objectType2, indexType, accessFlags, aliasSymbol, aliasTypeArguments) { const type = createType( 8388608 /* IndexedAccess */ ); type.objectType = objectType2; type.indexType = indexType; type.accessFlags = accessFlags; type.aliasSymbol = aliasSymbol; type.aliasTypeArguments = aliasTypeArguments; return type; } function isJSLiteralType(type) { if (noImplicitAny) { return false; } if (getObjectFlags(type) & 4096) { return true; } if (type.flags & 1048576) { return every(type.types, isJSLiteralType); } if (type.flags & 2097152) { return some(type.types, isJSLiteralType); } if (type.flags & 465829888) { const constraint = getResolvedBaseConstraint(type); return constraint !== type && isJSLiteralType(constraint); } return false; } function getPropertyNameFromIndex(indexType, accessNode) { return isTypeUsableAsPropertyName(indexType) ? getPropertyNameFromType(indexType) : accessNode && isPropertyName(accessNode) ? ( // late bound names are handled in the first branch, so here we only need to handle normal names getPropertyNameForPropertyNameNode(accessNode) ) : void 0; } function isUncalledFunctionReference(node, symbol) { if (symbol.flags & (16 | 8192)) { const parent2 = findAncestor(node.parent, (n) => !isAccessExpression(n)) || node.parent; if (isCallLikeExpression(parent2)) { return isCallOrNewExpression2(parent2) && isIdentifier(node) && hasMatchingArgument(parent2, node); } return every(symbol.declarations, (d) => !isFunctionLike(d) || isDeprecatedDeclaration2(d)); } return true; } function getPropertyTypeForIndexType(originalObjectType, objectType2, indexType, fullIndexType, accessNode, accessFlags) { const accessExpression = accessNode && accessNode.kind === 212 ? accessNode : void 0; const propName = accessNode && isPrivateIdentifier(accessNode) ? void 0 : getPropertyNameFromIndex(indexType, accessNode); if (propName !== void 0) { if (accessFlags & 256) { return getTypeOfPropertyOfContextualType(objectType2, propName) || anyType2; } const prop = getPropertyOfType(objectType2, propName); if (prop) { if (accessFlags & 64 && accessNode && prop.declarations && isDeprecatedSymbol(prop) && isUncalledFunctionReference(accessNode, prop)) { const deprecatedNode = (accessExpression == null ? void 0 : accessExpression.argumentExpression) ?? (isIndexedAccessTypeNode(accessNode) ? accessNode.indexType : accessNode); addDeprecatedSuggestion(deprecatedNode, prop.declarations, propName); } if (accessExpression) { markPropertyAsReferenced(prop, accessExpression, isSelfTypeAccess(accessExpression.expression, objectType2.symbol)); if (isAssignmentToReadonlyEntity(accessExpression, prop, getAssignmentTargetKind(accessExpression))) { error2(accessExpression.argumentExpression, Diagnostics.Cannot_assign_to_0_because_it_is_a_read_only_property, symbolToString2(prop)); return void 0; } if (accessFlags & 8) { getNodeLinks(accessNode).resolvedSymbol = prop; } if (isThisPropertyAccessInConstructor(accessExpression, prop)) { return autoType; } } const propType = accessFlags & 4 ? getWriteTypeOfSymbol(prop) : getTypeOfSymbol(prop); return accessExpression && getAssignmentTargetKind(accessExpression) !== 1 ? getFlowTypeOfReference(accessExpression, propType) : accessNode && isIndexedAccessTypeNode(accessNode) && containsMissingType(propType) ? getUnionType([propType, undefinedType2]) : propType; } if (everyType(objectType2, isTupleType) && isNumericLiteralName(propName)) { const index = +propName; if (accessNode && everyType(objectType2, (t) => !t.target.hasRestElement) && !(accessFlags & 16)) { const indexNode = getIndexNodeForAccessExpression(accessNode); if (isTupleType(objectType2)) { if (index < 0) { error2(indexNode, Diagnostics.A_tuple_type_cannot_be_indexed_with_a_negative_value); return undefinedType2; } error2(indexNode, Diagnostics.Tuple_type_0_of_length_1_has_no_element_at_index_2, typeToString(objectType2), getTypeReferenceArity(objectType2), unescapeLeadingUnderscores(propName)); } else { error2(indexNode, Diagnostics.Property_0_does_not_exist_on_type_1, unescapeLeadingUnderscores(propName), typeToString(objectType2)); } } if (index >= 0) { errorIfWritingToReadonlyIndex(getIndexInfoOfType(objectType2, numberType2)); return getTupleElementTypeOutOfStartCount(objectType2, index, accessFlags & 1 ? missingType : void 0); } } } if (!(indexType.flags & 98304) && isTypeAssignableToKind( indexType, 402653316 | 296 | 12288 /* ESSymbolLike */ )) { if (objectType2.flags & (1 | 131072)) { return objectType2; } const indexInfo = getApplicableIndexInfo(objectType2, indexType) || getIndexInfoOfType(objectType2, stringType2); if (indexInfo) { if (accessFlags & 2 && indexInfo.keyType !== numberType2) { if (accessExpression) { if (accessFlags & 4) { error2(accessExpression, Diagnostics.Type_0_is_generic_and_can_only_be_indexed_for_reading, typeToString(originalObjectType)); } else { error2(accessExpression, Diagnostics.Type_0_cannot_be_used_to_index_type_1, typeToString(indexType), typeToString(originalObjectType)); } } return void 0; } if (accessNode && indexInfo.keyType === stringType2 && !isTypeAssignableToKind( indexType, 4 | 8 /* Number */ )) { const indexNode = getIndexNodeForAccessExpression(accessNode); error2(indexNode, Diagnostics.Type_0_cannot_be_used_as_an_index_type, typeToString(indexType)); return accessFlags & 1 ? getUnionType([indexInfo.type, missingType]) : indexInfo.type; } errorIfWritingToReadonlyIndex(indexInfo); if (accessFlags & 1 && !(objectType2.symbol && objectType2.symbol.flags & (256 | 128) && (indexType.symbol && indexType.flags & 1024 && getParentOfSymbol(indexType.symbol) === objectType2.symbol))) { return getUnionType([indexInfo.type, missingType]); } return indexInfo.type; } if (indexType.flags & 131072) { return neverType2; } if (isJSLiteralType(objectType2)) { return anyType2; } if (accessExpression && !isConstEnumObjectType(objectType2)) { if (isObjectLiteralType2(objectType2)) { if (noImplicitAny && indexType.flags & (128 | 256)) { diagnostics.add(createDiagnosticForNode(accessExpression, Diagnostics.Property_0_does_not_exist_on_type_1, indexType.value, typeToString(objectType2))); return undefinedType2; } else if (indexType.flags & (8 | 4)) { const types = map(objectType2.properties, (property) => { return getTypeOfSymbol(property); }); return getUnionType(append(types, undefinedType2)); } } if (objectType2.symbol === globalThisSymbol && propName !== void 0 && globalThisSymbol.exports.has(propName) && globalThisSymbol.exports.get(propName).flags & 418) { error2(accessExpression, Diagnostics.Property_0_does_not_exist_on_type_1, unescapeLeadingUnderscores(propName), typeToString(objectType2)); } else if (noImplicitAny && !(accessFlags & 128)) { if (propName !== void 0 && typeHasStaticProperty(propName, objectType2)) { const typeName = typeToString(objectType2); error2(accessExpression, Diagnostics.Property_0_does_not_exist_on_type_1_Did_you_mean_to_access_the_static_member_2_instead, propName, typeName, typeName + "[" + getTextOfNode(accessExpression.argumentExpression) + "]"); } else if (getIndexTypeOfType(objectType2, numberType2)) { error2(accessExpression.argumentExpression, Diagnostics.Element_implicitly_has_an_any_type_because_index_expression_is_not_of_type_number); } else { let suggestion; if (propName !== void 0 && (suggestion = getSuggestionForNonexistentProperty(propName, objectType2))) { if (suggestion !== void 0) { error2(accessExpression.argumentExpression, Diagnostics.Property_0_does_not_exist_on_type_1_Did_you_mean_2, propName, typeToString(objectType2), suggestion); } } else { const suggestion2 = getSuggestionForNonexistentIndexSignature(objectType2, accessExpression, indexType); if (suggestion2 !== void 0) { error2(accessExpression, Diagnostics.Element_implicitly_has_an_any_type_because_type_0_has_no_index_signature_Did_you_mean_to_call_1, typeToString(objectType2), suggestion2); } else { let errorInfo; if (indexType.flags & 1024) { errorInfo = chainDiagnosticMessages( /*details*/ void 0, Diagnostics.Property_0_does_not_exist_on_type_1, "[" + typeToString(indexType) + "]", typeToString(objectType2) ); } else if (indexType.flags & 8192) { const symbolName2 = getFullyQualifiedName(indexType.symbol, accessExpression); errorInfo = chainDiagnosticMessages( /*details*/ void 0, Diagnostics.Property_0_does_not_exist_on_type_1, "[" + symbolName2 + "]", typeToString(objectType2) ); } else if (indexType.flags & 128) { errorInfo = chainDiagnosticMessages( /*details*/ void 0, Diagnostics.Property_0_does_not_exist_on_type_1, indexType.value, typeToString(objectType2) ); } else if (indexType.flags & 256) { errorInfo = chainDiagnosticMessages( /*details*/ void 0, Diagnostics.Property_0_does_not_exist_on_type_1, indexType.value, typeToString(objectType2) ); } else if (indexType.flags & (8 | 4)) { errorInfo = chainDiagnosticMessages( /*details*/ void 0, Diagnostics.No_index_signature_with_a_parameter_of_type_0_was_found_on_type_1, typeToString(indexType), typeToString(objectType2) ); } errorInfo = chainDiagnosticMessages( errorInfo, Diagnostics.Element_implicitly_has_an_any_type_because_expression_of_type_0_can_t_be_used_to_index_type_1, typeToString(fullIndexType), typeToString(objectType2) ); diagnostics.add(createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(accessExpression), accessExpression, errorInfo)); } } } } return void 0; } } if (isJSLiteralType(objectType2)) { return anyType2; } if (accessNode) { const indexNode = getIndexNodeForAccessExpression(accessNode); if (indexType.flags & (128 | 256)) { error2(indexNode, Diagnostics.Property_0_does_not_exist_on_type_1, "" + indexType.value, typeToString(objectType2)); } else if (indexType.flags & (4 | 8)) { error2(indexNode, Diagnostics.Type_0_has_no_matching_index_signature_for_type_1, typeToString(objectType2), typeToString(indexType)); } else { error2(indexNode, Diagnostics.Type_0_cannot_be_used_as_an_index_type, typeToString(indexType)); } } if (isTypeAny(indexType)) { return indexType; } return void 0; function errorIfWritingToReadonlyIndex(indexInfo) { if (indexInfo && indexInfo.isReadonly && accessExpression && (isAssignmentTarget(accessExpression) || isDeleteTarget(accessExpression))) { error2(accessExpression, Diagnostics.Index_signature_in_type_0_only_permits_reading, typeToString(objectType2)); } } } function getIndexNodeForAccessExpression(accessNode) { return accessNode.kind === 212 ? accessNode.argumentExpression : accessNode.kind === 199 ? accessNode.indexType : accessNode.kind === 167 ? accessNode.expression : accessNode; } function isPatternLiteralPlaceholderType(type) { if (type.flags & 2097152) { let seenPlaceholder = false; for (const t of type.types) { if (t.flags & (2944 | 98304) || isPatternLiteralPlaceholderType(t)) { seenPlaceholder = true; } else if (!(t.flags & 524288)) { return false; } } return seenPlaceholder; } return !!(type.flags & (1 | 4 | 8 | 64)) || isPatternLiteralType(type); } function isPatternLiteralType(type) { return !!(type.flags & 134217728) && every(type.types, isPatternLiteralPlaceholderType) || !!(type.flags & 268435456) && isPatternLiteralPlaceholderType(type.type); } function isGenericStringLikeType(type) { return !!(type.flags & (134217728 | 268435456)) && !isPatternLiteralType(type); } function isGenericType(type) { return !!getGenericObjectFlags(type); } function isGenericObjectType(type) { return !!(getGenericObjectFlags(type) & 4194304); } function isGenericIndexType(type) { return !!(getGenericObjectFlags(type) & 8388608); } function getGenericObjectFlags(type) { if (type.flags & 3145728) { if (!(type.objectFlags & 2097152)) { type.objectFlags |= 2097152 | reduceLeft(type.types, (flags, t) => flags | getGenericObjectFlags(t), 0); } return type.objectFlags & 12582912; } if (type.flags & 33554432) { if (!(type.objectFlags & 2097152)) { type.objectFlags |= 2097152 | getGenericObjectFlags(type.baseType) | getGenericObjectFlags(type.constraint); } return type.objectFlags & 12582912; } return (type.flags & 58982400 || isGenericMappedType(type) || isGenericTupleType(type) ? 4194304 : 0) | (type.flags & (58982400 | 4194304) || isGenericStringLikeType(type) ? 8388608 : 0); } function getSimplifiedType(type, writing) { return type.flags & 8388608 ? getSimplifiedIndexedAccessType(type, writing) : type.flags & 16777216 ? getSimplifiedConditionalType(type, writing) : type; } function distributeIndexOverObjectType(objectType2, indexType, writing) { if (objectType2.flags & 1048576 || objectType2.flags & 2097152 && !shouldDeferIndexType(objectType2)) { const types = map(objectType2.types, (t) => getSimplifiedType(getIndexedAccessType(t, indexType), writing)); return objectType2.flags & 2097152 || writing ? getIntersectionType(types) : getUnionType(types); } } function distributeObjectOverIndexType(objectType2, indexType, writing) { if (indexType.flags & 1048576) { const types = map(indexType.types, (t) => getSimplifiedType(getIndexedAccessType(objectType2, t), writing)); return writing ? getIntersectionType(types) : getUnionType(types); } } function getSimplifiedIndexedAccessType(type, writing) { const cache = writing ? "simplifiedForWriting" : "simplifiedForReading"; if (type[cache]) { return type[cache] === circularConstraintType ? type : type[cache]; } type[cache] = circularConstraintType; const objectType2 = getSimplifiedType(type.objectType, writing); const indexType = getSimplifiedType(type.indexType, writing); const distributedOverIndex = distributeObjectOverIndexType(objectType2, indexType, writing); if (distributedOverIndex) { return type[cache] = distributedOverIndex; } if (!(indexType.flags & 465829888)) { const distributedOverObject = distributeIndexOverObjectType(objectType2, indexType, writing); if (distributedOverObject) { return type[cache] = distributedOverObject; } } if (isGenericTupleType(objectType2) && indexType.flags & 296) { const elementType = getElementTypeOfSliceOfTupleType( objectType2, indexType.flags & 8 ? 0 : objectType2.target.fixedLength, /*endSkipCount*/ 0, writing ); if (elementType) { return type[cache] = elementType; } } if (isGenericMappedType(objectType2)) { if (getMappedTypeNameTypeKind(objectType2) !== 2) { return type[cache] = mapType2(substituteIndexedMappedType(objectType2, type.indexType), (t) => getSimplifiedType(t, writing)); } } return type[cache] = type; } function getSimplifiedConditionalType(type, writing) { const checkType = type.checkType; const extendsType = type.extendsType; const trueType2 = getTrueTypeFromConditionalType(type); const falseType2 = getFalseTypeFromConditionalType(type); if (falseType2.flags & 131072 && getActualTypeVariable(trueType2) === getActualTypeVariable(checkType)) { if (checkType.flags & 1 || isTypeAssignableTo(getRestrictiveInstantiation(checkType), getRestrictiveInstantiation(extendsType))) { return getSimplifiedType(trueType2, writing); } else if (isIntersectionEmpty(checkType, extendsType)) { return neverType2; } } else if (trueType2.flags & 131072 && getActualTypeVariable(falseType2) === getActualTypeVariable(checkType)) { if (!(checkType.flags & 1) && isTypeAssignableTo(getRestrictiveInstantiation(checkType), getRestrictiveInstantiation(extendsType))) { return neverType2; } else if (checkType.flags & 1 || isIntersectionEmpty(checkType, extendsType)) { return getSimplifiedType(falseType2, writing); } } return type; } function isIntersectionEmpty(type1, type2) { return !!(getUnionType([intersectTypes(type1, type2), neverType2]).flags & 131072); } function substituteIndexedMappedType(objectType2, index) { const mapper = createTypeMapper([getTypeParameterFromMappedType(objectType2)], [index]); const templateMapper = combineTypeMappers(objectType2.mapper, mapper); const instantiatedTemplateType = instantiateType(getTemplateTypeFromMappedType(objectType2.target || objectType2), templateMapper); const isOptional = getMappedTypeOptionality(objectType2) > 0 || (isGenericType(objectType2) ? getCombinedMappedTypeOptionality(getModifiersTypeFromMappedType(objectType2)) > 0 : couldAccessOptionalProperty(objectType2, index)); return addOptionality( instantiatedTemplateType, /*isProperty*/ true, isOptional ); } function couldAccessOptionalProperty(objectType2, indexType) { const indexConstraint = getBaseConstraintOfType(indexType); return !!indexConstraint && some(getPropertiesOfType(objectType2), (p) => !!(p.flags & 16777216) && isTypeAssignableTo(getLiteralTypeFromProperty( p, 8576 /* StringOrNumberLiteralOrUnique */ ), indexConstraint)); } function getIndexedAccessType(objectType2, indexType, accessFlags = 0, accessNode, aliasSymbol, aliasTypeArguments) { return getIndexedAccessTypeOrUndefined(objectType2, indexType, accessFlags, accessNode, aliasSymbol, aliasTypeArguments) || (accessNode ? errorType : unknownType2); } function indexTypeLessThan(indexType, limit) { return everyType(indexType, (t) => { if (t.flags & 384) { const propName = getPropertyNameFromType(t); if (isNumericLiteralName(propName)) { const index = +propName; return index >= 0 && index < limit; } } return false; }); } function getIndexedAccessTypeOrUndefined(objectType2, indexType, accessFlags = 0, accessNode, aliasSymbol, aliasTypeArguments) { if (objectType2 === wildcardType || indexType === wildcardType) { return wildcardType; } objectType2 = getReducedType(objectType2); if (isStringIndexSignatureOnlyType(objectType2) && !(indexType.flags & 98304) && isTypeAssignableToKind( indexType, 4 | 8 /* Number */ )) { indexType = stringType2; } if (compilerOptions.noUncheckedIndexedAccess && accessFlags & 32) accessFlags |= 1; if (isGenericIndexType(indexType) || (accessNode && accessNode.kind !== 199 ? isGenericTupleType(objectType2) && !indexTypeLessThan(indexType, getTotalFixedElementCount(objectType2.target)) : isGenericObjectType(objectType2) && !(isTupleType(objectType2) && indexTypeLessThan(indexType, getTotalFixedElementCount(objectType2.target))) || isGenericReducibleType(objectType2))) { if (objectType2.flags & 3) { return objectType2; } const persistentAccessFlags = accessFlags & 1; const id = objectType2.id + "," + indexType.id + "," + persistentAccessFlags + getAliasId(aliasSymbol, aliasTypeArguments); let type = indexedAccessTypes.get(id); if (!type) { indexedAccessTypes.set(id, type = createIndexedAccessType(objectType2, indexType, persistentAccessFlags, aliasSymbol, aliasTypeArguments)); } return type; } const apparentObjectType = getReducedApparentType(objectType2); if (indexType.flags & 1048576 && !(indexType.flags & 16)) { const propTypes = []; let wasMissingProp = false; for (const t of indexType.types) { const propType = getPropertyTypeForIndexType(objectType2, apparentObjectType, t, indexType, accessNode, accessFlags | (wasMissingProp ? 128 : 0)); if (propType) { propTypes.push(propType); } else if (!accessNode) { return void 0; } else { wasMissingProp = true; } } if (wasMissingProp) { return void 0; } return accessFlags & 4 ? getIntersectionType(propTypes, 0, aliasSymbol, aliasTypeArguments) : getUnionType(propTypes, 1, aliasSymbol, aliasTypeArguments); } return getPropertyTypeForIndexType( objectType2, apparentObjectType, indexType, indexType, accessNode, accessFlags | 8 | 64 /* ReportDeprecated */ ); } function getTypeFromIndexedAccessTypeNode(node) { const links = getNodeLinks(node); if (!links.resolvedType) { const objectType2 = getTypeFromTypeNode(node.objectType); const indexType = getTypeFromTypeNode(node.indexType); const potentialAlias = getAliasSymbolForTypeNode(node); links.resolvedType = getIndexedAccessType(objectType2, indexType, 0, node, potentialAlias, getTypeArgumentsForAliasSymbol(potentialAlias)); } return links.resolvedType; } function getTypeFromMappedTypeNode(node) { const links = getNodeLinks(node); if (!links.resolvedType) { const type = createObjectType(32, node.symbol); type.declaration = node; type.aliasSymbol = getAliasSymbolForTypeNode(node); type.aliasTypeArguments = getTypeArgumentsForAliasSymbol(type.aliasSymbol); links.resolvedType = type; getConstraintTypeFromMappedType(type); } return links.resolvedType; } function getActualTypeVariable(type) { if (type.flags & 33554432) { return getActualTypeVariable(type.baseType); } if (type.flags & 8388608 && (type.objectType.flags & 33554432 || type.indexType.flags & 33554432)) { return getIndexedAccessType(getActualTypeVariable(type.objectType), getActualTypeVariable(type.indexType)); } return type; } function isSimpleTupleType(node) { return isTupleTypeNode(node) && length(node.elements) > 0 && !some(node.elements, (e) => isOptionalTypeNode(e) || isRestTypeNode(e) || isNamedTupleMember(e) && !!(e.questionToken || e.dotDotDotToken)); } function isDeferredType(type, checkTuples) { return isGenericType(type) || checkTuples && isTupleType(type) && some(getElementTypes(type), isGenericType); } function getConditionalType(root2, mapper, forConstraint, aliasSymbol, aliasTypeArguments) { let result; let extraTypes; let tailCount = 0; while (true) { if (tailCount === 1e3) { error2(currentNode, Diagnostics.Type_instantiation_is_excessively_deep_and_possibly_infinite); return errorType; } const checkType = instantiateType(getActualTypeVariable(root2.checkType), mapper); const extendsType = instantiateType(root2.extendsType, mapper); if (checkType === errorType || extendsType === errorType) { return errorType; } if (checkType === wildcardType || extendsType === wildcardType) { return wildcardType; } const checkTypeNode = skipTypeParentheses(root2.node.checkType); const extendsTypeNode = skipTypeParentheses(root2.node.extendsType); const checkTuples = isSimpleTupleType(checkTypeNode) && isSimpleTupleType(extendsTypeNode) && length(checkTypeNode.elements) === length(extendsTypeNode.elements); const checkTypeDeferred = isDeferredType(checkType, checkTuples); let combinedMapper; if (root2.inferTypeParameters) { const context = createInferenceContext( root2.inferTypeParameters, /*signature*/ void 0, 0 /* None */ ); if (mapper) { context.nonFixingMapper = combineTypeMappers(context.nonFixingMapper, mapper); } if (!checkTypeDeferred) { inferTypes( context.inferences, checkType, extendsType, 512 | 1024 /* AlwaysStrict */ ); } combinedMapper = mapper ? combineTypeMappers(context.mapper, mapper) : context.mapper; } const inferredExtendsType = combinedMapper ? instantiateType(root2.extendsType, combinedMapper) : extendsType; if (!checkTypeDeferred && !isDeferredType(inferredExtendsType, checkTuples)) { if (!(inferredExtendsType.flags & 3) && (checkType.flags & 1 || !isTypeAssignableTo(getPermissiveInstantiation(checkType), getPermissiveInstantiation(inferredExtendsType)))) { if (checkType.flags & 1 || forConstraint && !(inferredExtendsType.flags & 131072) && someType(getPermissiveInstantiation(inferredExtendsType), (t) => isTypeAssignableTo(t, getPermissiveInstantiation(checkType)))) { (extraTypes || (extraTypes = [])).push(instantiateType(getTypeFromTypeNode(root2.node.trueType), combinedMapper || mapper)); } const falseType2 = getTypeFromTypeNode(root2.node.falseType); if (falseType2.flags & 16777216) { const newRoot = falseType2.root; if (newRoot.node.parent === root2.node && (!newRoot.isDistributive || newRoot.checkType === root2.checkType)) { root2 = newRoot; continue; } if (canTailRecurse(falseType2, mapper)) { continue; } } result = instantiateType(falseType2, mapper); break; } if (inferredExtendsType.flags & 3 || isTypeAssignableTo(getRestrictiveInstantiation(checkType), getRestrictiveInstantiation(inferredExtendsType))) { const trueType2 = getTypeFromTypeNode(root2.node.trueType); const trueMapper = combinedMapper || mapper; if (canTailRecurse(trueType2, trueMapper)) { continue; } result = instantiateType(trueType2, trueMapper); break; } } result = createType( 16777216 /* Conditional */ ); result.root = root2; result.checkType = instantiateType(root2.checkType, mapper); result.extendsType = instantiateType(root2.extendsType, mapper); result.mapper = mapper; result.combinedMapper = combinedMapper; result.aliasSymbol = aliasSymbol || root2.aliasSymbol; result.aliasTypeArguments = aliasSymbol ? aliasTypeArguments : instantiateTypes(root2.aliasTypeArguments, mapper); break; } return extraTypes ? getUnionType(append(extraTypes, result)) : result; function canTailRecurse(newType, newMapper) { if (newType.flags & 16777216 && newMapper) { const newRoot = newType.root; if (newRoot.outerTypeParameters) { const typeParamMapper = combineTypeMappers(newType.mapper, newMapper); const typeArguments = map(newRoot.outerTypeParameters, (t) => getMappedType(t, typeParamMapper)); const newRootMapper = createTypeMapper(newRoot.outerTypeParameters, typeArguments); const newCheckType = newRoot.isDistributive ? getMappedType(newRoot.checkType, newRootMapper) : void 0; if (!newCheckType || newCheckType === newRoot.checkType || !(newCheckType.flags & (1048576 | 131072))) { root2 = newRoot; mapper = newRootMapper; aliasSymbol = void 0; aliasTypeArguments = void 0; if (newRoot.aliasSymbol) { tailCount++; } return true; } } } return false; } } function getTrueTypeFromConditionalType(type) { return type.resolvedTrueType || (type.resolvedTrueType = instantiateType(getTypeFromTypeNode(type.root.node.trueType), type.mapper)); } function getFalseTypeFromConditionalType(type) { return type.resolvedFalseType || (type.resolvedFalseType = instantiateType(getTypeFromTypeNode(type.root.node.falseType), type.mapper)); } function getInferredTrueTypeFromConditionalType(type) { return type.resolvedInferredTrueType || (type.resolvedInferredTrueType = type.combinedMapper ? instantiateType(getTypeFromTypeNode(type.root.node.trueType), type.combinedMapper) : getTrueTypeFromConditionalType(type)); } function getInferTypeParameters(node) { let result; if (node.locals) { node.locals.forEach((symbol) => { if (symbol.flags & 262144) { result = append(result, getDeclaredTypeOfSymbol(symbol)); } }); } return result; } function isDistributionDependent(root2) { return root2.isDistributive && (isTypeParameterPossiblyReferenced(root2.checkType, root2.node.trueType) || isTypeParameterPossiblyReferenced(root2.checkType, root2.node.falseType)); } function getTypeFromConditionalTypeNode(node) { const links = getNodeLinks(node); if (!links.resolvedType) { const checkType = getTypeFromTypeNode(node.checkType); const aliasSymbol = getAliasSymbolForTypeNode(node); const aliasTypeArguments = getTypeArgumentsForAliasSymbol(aliasSymbol); const allOuterTypeParameters = getOuterTypeParameters( node, /*includeThisTypes*/ true ); const outerTypeParameters = aliasTypeArguments ? allOuterTypeParameters : filter(allOuterTypeParameters, (tp) => isTypeParameterPossiblyReferenced(tp, node)); const root2 = { node, checkType, extendsType: getTypeFromTypeNode(node.extendsType), isDistributive: !!(checkType.flags & 262144), inferTypeParameters: getInferTypeParameters(node), outerTypeParameters, instantiations: void 0, aliasSymbol, aliasTypeArguments }; links.resolvedType = getConditionalType( root2, /*mapper*/ void 0, /*forConstraint*/ false ); if (outerTypeParameters) { root2.instantiations = /* @__PURE__ */ new Map(); root2.instantiations.set(getTypeListId(outerTypeParameters), links.resolvedType); } } return links.resolvedType; } function getTypeFromInferTypeNode(node) { const links = getNodeLinks(node); if (!links.resolvedType) { links.resolvedType = getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(node.typeParameter)); } return links.resolvedType; } function getIdentifierChain(node) { if (isIdentifier(node)) { return [node]; } else { return append(getIdentifierChain(node.left), node.right); } } function getTypeFromImportTypeNode(node) { var _a; const links = getNodeLinks(node); if (!links.resolvedType) { if (!isLiteralImportTypeNode(node)) { error2(node.argument, Diagnostics.String_literal_expected); links.resolvedSymbol = unknownSymbol; return links.resolvedType = errorType; } const targetMeaning = node.isTypeOf ? 111551 : node.flags & 16777216 ? 111551 | 788968 : 788968; const innerModuleSymbol = resolveExternalModuleName(node, node.argument.literal); if (!innerModuleSymbol) { links.resolvedSymbol = unknownSymbol; return links.resolvedType = errorType; } const isExportEquals = !!((_a = innerModuleSymbol.exports) == null ? void 0 : _a.get( "export=" /* ExportEquals */ )); const moduleSymbol = resolveExternalModuleSymbol( innerModuleSymbol, /*dontResolveAlias*/ false ); if (!nodeIsMissing(node.qualifier)) { const nameStack = getIdentifierChain(node.qualifier); let currentNamespace = moduleSymbol; let current; while (current = nameStack.shift()) { const meaning = nameStack.length ? 1920 : targetMeaning; const mergedResolvedSymbol = getMergedSymbol(resolveSymbol(currentNamespace)); const symbolFromVariable = node.isTypeOf || isInJSFile(node) && isExportEquals ? getPropertyOfType( getTypeOfSymbol(mergedResolvedSymbol), current.escapedText, /*skipObjectFunctionPropertyAugment*/ false, /*includeTypeOnlyMembers*/ true ) : void 0; const symbolFromModule = node.isTypeOf ? void 0 : getSymbol2(getExportsOfSymbol(mergedResolvedSymbol), current.escapedText, meaning); const next = symbolFromModule ?? symbolFromVariable; if (!next) { error2(current, Diagnostics.Namespace_0_has_no_exported_member_1, getFullyQualifiedName(currentNamespace), declarationNameToString(current)); return links.resolvedType = errorType; } getNodeLinks(current).resolvedSymbol = next; getNodeLinks(current.parent).resolvedSymbol = next; currentNamespace = next; } links.resolvedType = resolveImportSymbolType(node, links, currentNamespace, targetMeaning); } else { if (moduleSymbol.flags & targetMeaning) { links.resolvedType = resolveImportSymbolType(node, links, moduleSymbol, targetMeaning); } else { const errorMessage = targetMeaning === 111551 ? Diagnostics.Module_0_does_not_refer_to_a_value_but_is_used_as_a_value_here : Diagnostics.Module_0_does_not_refer_to_a_type_but_is_used_as_a_type_here_Did_you_mean_typeof_import_0; error2(node, errorMessage, node.argument.literal.text); links.resolvedSymbol = unknownSymbol; links.resolvedType = errorType; } } } return links.resolvedType; } function resolveImportSymbolType(node, links, symbol, meaning) { const resolvedSymbol = resolveSymbol(symbol); links.resolvedSymbol = resolvedSymbol; if (meaning === 111551) { return getInstantiationExpressionType(getTypeOfSymbol(symbol), node); } else { return getTypeReferenceType(node, resolvedSymbol); } } function getTypeFromTypeLiteralOrFunctionOrConstructorTypeNode(node) { const links = getNodeLinks(node); if (!links.resolvedType) { const aliasSymbol = getAliasSymbolForTypeNode(node); if (getMembersOfSymbol(node.symbol).size === 0 && !aliasSymbol) { links.resolvedType = emptyTypeLiteralType; } else { let type = createObjectType(16, node.symbol); type.aliasSymbol = aliasSymbol; type.aliasTypeArguments = getTypeArgumentsForAliasSymbol(aliasSymbol); if (isJSDocTypeLiteral(node) && node.isArrayType) { type = createArrayType(type); } links.resolvedType = type; } } return links.resolvedType; } function getAliasSymbolForTypeNode(node) { let host2 = node.parent; while (isParenthesizedTypeNode(host2) || isJSDocTypeExpression(host2) || isTypeOperatorNode(host2) && host2.operator === 148) { host2 = host2.parent; } return isTypeAlias(host2) ? getSymbolOfDeclaration(host2) : void 0; } function getTypeArgumentsForAliasSymbol(symbol) { return symbol ? getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol) : void 0; } function isNonGenericObjectType(type) { return !!(type.flags & 524288) && !isGenericMappedType(type); } function isEmptyObjectTypeOrSpreadsIntoEmptyObject(type) { return isEmptyObjectType(type) || !!(type.flags & (65536 | 32768 | 528 | 296 | 2112 | 402653316 | 1056 | 67108864 | 4194304)); } function tryMergeUnionOfObjectTypeAndEmptyObject(type, readonly) { if (!(type.flags & 1048576)) { return type; } if (every(type.types, isEmptyObjectTypeOrSpreadsIntoEmptyObject)) { return find(type.types, isEmptyObjectType) || emptyObjectType; } const firstType = find(type.types, (t) => !isEmptyObjectTypeOrSpreadsIntoEmptyObject(t)); if (!firstType) { return type; } const secondType = find(type.types, (t) => t !== firstType && !isEmptyObjectTypeOrSpreadsIntoEmptyObject(t)); if (secondType) { return type; } return getAnonymousPartialType(firstType); function getAnonymousPartialType(type2) { const members = createSymbolTable(); for (const prop of getPropertiesOfType(type2)) { if (getDeclarationModifierFlagsFromSymbol(prop) & (2 | 4)) { } else if (isSpreadableProperty(prop)) { const isSetonlyAccessor = prop.flags & 65536 && !(prop.flags & 32768); const flags = 4 | 16777216; const result = createSymbol(flags, prop.escapedName, getIsLateCheckFlag(prop) | (readonly ? 8 : 0)); result.links.type = isSetonlyAccessor ? undefinedType2 : addOptionality( getTypeOfSymbol(prop), /*isProperty*/ true ); result.declarations = prop.declarations; result.links.nameType = getSymbolLinks(prop).nameType; result.links.syntheticOrigin = prop; members.set(prop.escapedName, result); } } const spread = createAnonymousType(type2.symbol, members, emptyArray, emptyArray, getIndexInfosOfType(type2)); spread.objectFlags |= 128 | 131072; return spread; } } function getSpreadType(left, right, symbol, objectFlags, readonly) { if (left.flags & 1 || right.flags & 1) { return anyType2; } if (left.flags & 2 || right.flags & 2) { return unknownType2; } if (left.flags & 131072) { return right; } if (right.flags & 131072) { return left; } left = tryMergeUnionOfObjectTypeAndEmptyObject(left, readonly); if (left.flags & 1048576) { return checkCrossProductUnion([left, right]) ? mapType2(left, (t) => getSpreadType(t, right, symbol, objectFlags, readonly)) : errorType; } right = tryMergeUnionOfObjectTypeAndEmptyObject(right, readonly); if (right.flags & 1048576) { return checkCrossProductUnion([left, right]) ? mapType2(right, (t) => getSpreadType(left, t, symbol, objectFlags, readonly)) : errorType; } if (right.flags & (528 | 296 | 2112 | 402653316 | 1056 | 67108864 | 4194304)) { return left; } if (isGenericObjectType(left) || isGenericObjectType(right)) { if (isEmptyObjectType(left)) { return right; } if (left.flags & 2097152) { const types = left.types; const lastLeft = types[types.length - 1]; if (isNonGenericObjectType(lastLeft) && isNonGenericObjectType(right)) { return getIntersectionType(concatenate(types.slice(0, types.length - 1), [getSpreadType(lastLeft, right, symbol, objectFlags, readonly)])); } } return getIntersectionType([left, right]); } const members = createSymbolTable(); const skippedPrivateMembers = /* @__PURE__ */ new Set(); const indexInfos = left === emptyObjectType ? getIndexInfosOfType(right) : getUnionIndexInfos([left, right]); for (const rightProp of getPropertiesOfType(right)) { if (getDeclarationModifierFlagsFromSymbol(rightProp) & (2 | 4)) { skippedPrivateMembers.add(rightProp.escapedName); } else if (isSpreadableProperty(rightProp)) { members.set(rightProp.escapedName, getSpreadSymbol(rightProp, readonly)); } } for (const leftProp of getPropertiesOfType(left)) { if (skippedPrivateMembers.has(leftProp.escapedName) || !isSpreadableProperty(leftProp)) { continue; } if (members.has(leftProp.escapedName)) { const rightProp = members.get(leftProp.escapedName); const rightType = getTypeOfSymbol(rightProp); if (rightProp.flags & 16777216) { const declarations = concatenate(leftProp.declarations, rightProp.declarations); const flags = 4 | leftProp.flags & 16777216; const result = createSymbol(flags, leftProp.escapedName); const leftType = getTypeOfSymbol(leftProp); const leftTypeWithoutUndefined = removeMissingOrUndefinedType(leftType); const rightTypeWithoutUndefined = removeMissingOrUndefinedType(rightType); result.links.type = leftTypeWithoutUndefined === rightTypeWithoutUndefined ? leftType : getUnionType( [leftType, rightTypeWithoutUndefined], 2 /* Subtype */ ); result.links.leftSpread = leftProp; result.links.rightSpread = rightProp; result.declarations = declarations; result.links.nameType = getSymbolLinks(leftProp).nameType; members.set(leftProp.escapedName, result); } } else { members.set(leftProp.escapedName, getSpreadSymbol(leftProp, readonly)); } } const spread = createAnonymousType(symbol, members, emptyArray, emptyArray, sameMap(indexInfos, (info) => getIndexInfoWithReadonly(info, readonly))); spread.objectFlags |= 128 | 131072 | 2097152 | objectFlags; return spread; } function isSpreadableProperty(prop) { var _a; return !some(prop.declarations, isPrivateIdentifierClassElementDeclaration) && (!(prop.flags & (8192 | 32768 | 65536)) || !((_a = prop.declarations) == null ? void 0 : _a.some((decl) => isClassLike(decl.parent)))); } function getSpreadSymbol(prop, readonly) { const isSetonlyAccessor = prop.flags & 65536 && !(prop.flags & 32768); if (!isSetonlyAccessor && readonly === isReadonlySymbol(prop)) { return prop; } const flags = 4 | prop.flags & 16777216; const result = createSymbol(flags, prop.escapedName, getIsLateCheckFlag(prop) | (readonly ? 8 : 0)); result.links.type = isSetonlyAccessor ? undefinedType2 : getTypeOfSymbol(prop); result.declarations = prop.declarations; result.links.nameType = getSymbolLinks(prop).nameType; result.links.syntheticOrigin = prop; return result; } function getIndexInfoWithReadonly(info, readonly) { return info.isReadonly !== readonly ? createIndexInfo(info.keyType, info.type, readonly, info.declaration) : info; } function createLiteralType(flags, value, symbol, regularType) { const type = createTypeWithSymbol(flags, symbol); type.value = value; type.regularType = regularType || type; return type; } function getFreshTypeOfLiteralType(type) { if (type.flags & 2976) { if (!type.freshType) { const freshType = createLiteralType(type.flags, type.value, type.symbol, type); freshType.freshType = freshType; type.freshType = freshType; } return type.freshType; } return type; } function getRegularTypeOfLiteralType(type) { return type.flags & 2976 ? type.regularType : type.flags & 1048576 ? type.regularType || (type.regularType = mapType2(type, getRegularTypeOfLiteralType)) : type; } function isFreshLiteralType(type) { return !!(type.flags & 2976) && type.freshType === type; } function getStringLiteralType(value) { let type; return stringLiteralTypes.get(value) || (stringLiteralTypes.set(value, type = createLiteralType(128, value)), type); } function getNumberLiteralType(value) { let type; return numberLiteralTypes.get(value) || (numberLiteralTypes.set(value, type = createLiteralType(256, value)), type); } function getBigIntLiteralType(value) { let type; const key = pseudoBigIntToString(value); return bigIntLiteralTypes.get(key) || (bigIntLiteralTypes.set(key, type = createLiteralType(2048, value)), type); } function getEnumLiteralType(value, enumId, symbol) { let type; const key = `${enumId}${typeof value === "string" ? "@" : "#"}${value}`; const flags = 1024 | (typeof value === "string" ? 128 : 256); return enumLiteralTypes.get(key) || (enumLiteralTypes.set(key, type = createLiteralType(flags, value, symbol)), type); } function getTypeFromLiteralTypeNode(node) { if (node.literal.kind === 106) { return nullType2; } const links = getNodeLinks(node); if (!links.resolvedType) { links.resolvedType = getRegularTypeOfLiteralType(checkExpression(node.literal)); } return links.resolvedType; } function createUniqueESSymbolType(symbol) { const type = createTypeWithSymbol(8192, symbol); type.escapedName = `__@${type.symbol.escapedName}@${getSymbolId(type.symbol)}`; return type; } function getESSymbolLikeTypeForNode(node) { if (isInJSFile(node) && isJSDocTypeExpression(node)) { const host2 = getJSDocHost(node); if (host2) { node = getSingleVariableOfVariableStatement(host2) || host2; } } if (isValidESSymbolDeclaration(node)) { const symbol = isCommonJsExportPropertyAssignment(node) ? getSymbolOfNode(node.left) : getSymbolOfNode(node); if (symbol) { const links = getSymbolLinks(symbol); return links.uniqueESSymbolType || (links.uniqueESSymbolType = createUniqueESSymbolType(symbol)); } } return esSymbolType; } function getThisType(node) { const container = getThisContainer( node, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ); const parent2 = container && container.parent; if (parent2 && (isClassLike(parent2) || parent2.kind === 264)) { if (!isStatic(container) && (!isConstructorDeclaration(container) || isNodeDescendantOf(node, container.body))) { return getDeclaredTypeOfClassOrInterface(getSymbolOfDeclaration(parent2)).thisType; } } if (parent2 && isObjectLiteralExpression(parent2) && isBinaryExpression(parent2.parent) && getAssignmentDeclarationKind(parent2.parent) === 6) { return getDeclaredTypeOfClassOrInterface(getSymbolOfNode(parent2.parent.left).parent).thisType; } const host2 = node.flags & 16777216 ? getHostSignatureFromJSDoc(node) : void 0; if (host2 && isFunctionExpression(host2) && isBinaryExpression(host2.parent) && getAssignmentDeclarationKind(host2.parent) === 3) { return getDeclaredTypeOfClassOrInterface(getSymbolOfNode(host2.parent.left).parent).thisType; } if (isJSConstructor(container) && isNodeDescendantOf(node, container.body)) { return getDeclaredTypeOfClassOrInterface(getSymbolOfDeclaration(container)).thisType; } error2(node, Diagnostics.A_this_type_is_available_only_in_a_non_static_member_of_a_class_or_interface); return errorType; } function getTypeFromThisTypeNode(node) { const links = getNodeLinks(node); if (!links.resolvedType) { links.resolvedType = getThisType(node); } return links.resolvedType; } function getTypeFromRestTypeNode(node) { return getTypeFromTypeNode(getArrayElementTypeNode(node.type) || node.type); } function getArrayElementTypeNode(node) { switch (node.kind) { case 196: return getArrayElementTypeNode(node.type); case 189: if (node.elements.length === 1) { node = node.elements[0]; if (node.kind === 191 || node.kind === 202 && node.dotDotDotToken) { return getArrayElementTypeNode(node.type); } } break; case 188: return node.elementType; } return void 0; } function getTypeFromNamedTupleTypeNode(node) { const links = getNodeLinks(node); return links.resolvedType || (links.resolvedType = node.dotDotDotToken ? getTypeFromRestTypeNode(node) : addOptionality( getTypeFromTypeNode(node.type), /*isProperty*/ true, !!node.questionToken )); } function getTypeFromTypeNode(node) { return getConditionalFlowTypeOfType(getTypeFromTypeNodeWorker(node), node); } function getTypeFromTypeNodeWorker(node) { switch (node.kind) { case 133: case 312: case 313: return anyType2; case 159: return unknownType2; case 154: return stringType2; case 150: return numberType2; case 163: return bigintType; case 136: return booleanType2; case 155: return esSymbolType; case 116: return voidType2; case 157: return undefinedType2; case 106: return nullType2; case 146: return neverType2; case 151: return node.flags & 524288 && !noImplicitAny ? anyType2 : nonPrimitiveType; case 141: return intrinsicMarkerType; case 197: case 110: return getTypeFromThisTypeNode(node); case 201: return getTypeFromLiteralTypeNode(node); case 183: return getTypeFromTypeReference(node); case 182: return node.assertsModifier ? voidType2 : booleanType2; case 233: return getTypeFromTypeReference(node); case 186: return getTypeFromTypeQueryNode(node); case 188: case 189: return getTypeFromArrayOrTupleTypeNode(node); case 190: return getTypeFromOptionalTypeNode(node); case 192: return getTypeFromUnionTypeNode(node); case 193: return getTypeFromIntersectionTypeNode(node); case 314: return getTypeFromJSDocNullableTypeNode(node); case 316: return addOptionality(getTypeFromTypeNode(node.type)); case 202: return getTypeFromNamedTupleTypeNode(node); case 196: case 315: case 309: return getTypeFromTypeNode(node.type); case 191: return getTypeFromRestTypeNode(node); case 318: return getTypeFromJSDocVariadicType(node); case 184: case 185: case 187: case 322: case 317: case 323: return getTypeFromTypeLiteralOrFunctionOrConstructorTypeNode(node); case 198: return getTypeFromTypeOperatorNode(node); case 199: return getTypeFromIndexedAccessTypeNode(node); case 200: return getTypeFromMappedTypeNode(node); case 194: return getTypeFromConditionalTypeNode(node); case 195: return getTypeFromInferTypeNode(node); case 203: return getTypeFromTemplateTypeNode(node); case 205: return getTypeFromImportTypeNode(node); case 80: case 166: case 211: const symbol = getSymbolAtLocation(node); return symbol ? getDeclaredTypeOfSymbol(symbol) : errorType; default: return errorType; } } function instantiateList(items, mapper, instantiator) { if (items && items.length) { for (let i = 0; i < items.length; i++) { const item = items[i]; const mapped = instantiator(item, mapper); if (item !== mapped) { const result = i === 0 ? [] : items.slice(0, i); result.push(mapped); for (i++; i < items.length; i++) { result.push(instantiator(items[i], mapper)); } return result; } } } return items; } function instantiateTypes(types, mapper) { return instantiateList(types, mapper, instantiateType); } function instantiateSignatures(signatures, mapper) { return instantiateList(signatures, mapper, instantiateSignature); } function instantiateIndexInfos(indexInfos, mapper) { return instantiateList(indexInfos, mapper, instantiateIndexInfo); } function createTypeMapper(sources, targets) { return sources.length === 1 ? makeUnaryTypeMapper(sources[0], targets ? targets[0] : anyType2) : makeArrayTypeMapper(sources, targets); } function getMappedType(type, mapper) { switch (mapper.kind) { case 0: return type === mapper.source ? mapper.target : type; case 1: { const sources = mapper.sources; const targets = mapper.targets; for (let i = 0; i < sources.length; i++) { if (type === sources[i]) { return targets ? targets[i] : anyType2; } } return type; } case 2: { const sources = mapper.sources; const targets = mapper.targets; for (let i = 0; i < sources.length; i++) { if (type === sources[i]) { return targets[i](); } } return type; } case 3: return mapper.func(type); case 4: case 5: const t1 = getMappedType(type, mapper.mapper1); return t1 !== type && mapper.kind === 4 ? instantiateType(t1, mapper.mapper2) : getMappedType(t1, mapper.mapper2); } } function makeUnaryTypeMapper(source, target) { return Debug.attachDebugPrototypeIfDebug({ kind: 0, source, target }); } function makeArrayTypeMapper(sources, targets) { return Debug.attachDebugPrototypeIfDebug({ kind: 1, sources, targets }); } function makeFunctionTypeMapper(func, debugInfo) { return Debug.attachDebugPrototypeIfDebug({ kind: 3, func, debugInfo: Debug.isDebugging ? debugInfo : void 0 }); } function makeDeferredTypeMapper(sources, targets) { return Debug.attachDebugPrototypeIfDebug({ kind: 2, sources, targets }); } function makeCompositeTypeMapper(kind, mapper1, mapper2) { return Debug.attachDebugPrototypeIfDebug({ kind, mapper1, mapper2 }); } function createTypeEraser(sources) { return createTypeMapper( sources, /*targets*/ void 0 ); } function createBackreferenceMapper(context, index) { const forwardInferences = context.inferences.slice(index); return createTypeMapper(map(forwardInferences, (i) => i.typeParameter), map(forwardInferences, () => unknownType2)); } function combineTypeMappers(mapper1, mapper2) { return mapper1 ? makeCompositeTypeMapper(4, mapper1, mapper2) : mapper2; } function mergeTypeMappers(mapper1, mapper2) { return mapper1 ? makeCompositeTypeMapper(5, mapper1, mapper2) : mapper2; } function prependTypeMapping(source, target, mapper) { return !mapper ? makeUnaryTypeMapper(source, target) : makeCompositeTypeMapper(5, makeUnaryTypeMapper(source, target), mapper); } function appendTypeMapping(mapper, source, target) { return !mapper ? makeUnaryTypeMapper(source, target) : makeCompositeTypeMapper(5, mapper, makeUnaryTypeMapper(source, target)); } function getRestrictiveTypeParameter(tp) { return !tp.constraint && !getConstraintDeclaration(tp) || tp.constraint === noConstraintType ? tp : tp.restrictiveInstantiation || (tp.restrictiveInstantiation = createTypeParameter(tp.symbol), tp.restrictiveInstantiation.constraint = noConstraintType, tp.restrictiveInstantiation); } function cloneTypeParameter(typeParameter) { const result = createTypeParameter(typeParameter.symbol); result.target = typeParameter; return result; } function instantiateTypePredicate(predicate, mapper) { return createTypePredicate(predicate.kind, predicate.parameterName, predicate.parameterIndex, instantiateType(predicate.type, mapper)); } function instantiateSignature(signature, mapper, eraseTypeParameters) { let freshTypeParameters; if (signature.typeParameters && !eraseTypeParameters) { freshTypeParameters = map(signature.typeParameters, cloneTypeParameter); mapper = combineTypeMappers(createTypeMapper(signature.typeParameters, freshTypeParameters), mapper); for (const tp of freshTypeParameters) { tp.mapper = mapper; } } const result = createSignature( signature.declaration, freshTypeParameters, signature.thisParameter && instantiateSymbol(signature.thisParameter, mapper), instantiateList(signature.parameters, mapper, instantiateSymbol), /*resolvedReturnType*/ void 0, /*resolvedTypePredicate*/ void 0, signature.minArgumentCount, signature.flags & 167 /* PropagatingFlags */ ); result.target = signature; result.mapper = mapper; return result; } function instantiateSymbol(symbol, mapper) { const links = getSymbolLinks(symbol); if (links.type && !couldContainTypeVariables(links.type)) { if (!(symbol.flags & 65536)) { return symbol; } if (links.writeType && !couldContainTypeVariables(links.writeType)) { return symbol; } } if (getCheckFlags(symbol) & 1) { symbol = links.target; mapper = combineTypeMappers(links.mapper, mapper); } const result = createSymbol(symbol.flags, symbol.escapedName, 1 | getCheckFlags(symbol) & (8 | 4096 | 16384 | 32768)); result.declarations = symbol.declarations; result.parent = symbol.parent; result.links.target = symbol; result.links.mapper = mapper; if (symbol.valueDeclaration) { result.valueDeclaration = symbol.valueDeclaration; } if (links.nameType) { result.links.nameType = links.nameType; } return result; } function getObjectTypeInstantiation(type, mapper, aliasSymbol, aliasTypeArguments) { const declaration = type.objectFlags & 4 ? type.node : type.objectFlags & 8388608 ? type.node : type.symbol.declarations[0]; const links = getNodeLinks(declaration); const target = type.objectFlags & 4 ? links.resolvedType : type.objectFlags & 64 ? type.target : type; let typeParameters = type.objectFlags & 134217728 ? type.outerTypeParameters : links.outerTypeParameters; if (!typeParameters) { let outerTypeParameters = getOuterTypeParameters( declaration, /*includeThisTypes*/ true ); if (isJSConstructor(declaration)) { const templateTagParameters = getTypeParametersFromDeclaration(declaration); outerTypeParameters = addRange(outerTypeParameters, templateTagParameters); } typeParameters = outerTypeParameters || emptyArray; const allDeclarations = type.objectFlags & (4 | 8388608) ? [declaration] : type.symbol.declarations; typeParameters = (target.objectFlags & (4 | 8388608) || target.symbol.flags & 8192 || target.symbol.flags & 2048) && !target.aliasTypeArguments ? filter(typeParameters, (tp) => some(allDeclarations, (d) => isTypeParameterPossiblyReferenced(tp, d))) : typeParameters; links.outerTypeParameters = typeParameters; } if (typeParameters.length) { const combinedMapper = combineTypeMappers(type.mapper, mapper); const typeArguments = map(typeParameters, (t) => getMappedType(t, combinedMapper)); const newAliasSymbol = aliasSymbol || type.aliasSymbol; const newAliasTypeArguments = aliasSymbol ? aliasTypeArguments : instantiateTypes(type.aliasTypeArguments, mapper); const id = (type.objectFlags & 134217728 ? "S" : "") + getTypeListId(typeArguments) + getAliasId(newAliasSymbol, newAliasTypeArguments); if (!target.instantiations) { target.instantiations = /* @__PURE__ */ new Map(); target.instantiations.set(getTypeListId(typeParameters) + getAliasId(target.aliasSymbol, target.aliasTypeArguments), target); } let result = target.instantiations.get(id); if (!result) { if (type.objectFlags & 134217728) { result = instantiateAnonymousType(type, mapper); target.instantiations.set(id, result); return result; } const newMapper = createTypeMapper(typeParameters, typeArguments); result = target.objectFlags & 4 ? createDeferredTypeReference(type.target, type.node, newMapper, newAliasSymbol, newAliasTypeArguments) : target.objectFlags & 32 ? instantiateMappedType(target, newMapper, newAliasSymbol, newAliasTypeArguments) : instantiateAnonymousType(target, newMapper, newAliasSymbol, newAliasTypeArguments); target.instantiations.set(id, result); const resultObjectFlags = getObjectFlags(result); if (result.flags & 3899393 && !(resultObjectFlags & 524288)) { const resultCouldContainTypeVariables = some(typeArguments, couldContainTypeVariables); if (!(getObjectFlags(result) & 524288)) { if (resultObjectFlags & (32 | 16 | 4)) { result.objectFlags |= 524288 | (resultCouldContainTypeVariables ? 1048576 : 0); } else { result.objectFlags |= !resultCouldContainTypeVariables ? 524288 : 0; } } } } return result; } return type; } function maybeTypeParameterReference(node) { return !(node.parent.kind === 183 && node.parent.typeArguments && node === node.parent.typeName || node.parent.kind === 205 && node.parent.typeArguments && node === node.parent.qualifier); } function isTypeParameterPossiblyReferenced(tp, node) { if (tp.symbol && tp.symbol.declarations && tp.symbol.declarations.length === 1) { const container = tp.symbol.declarations[0].parent; for (let n = node; n !== container; n = n.parent) { if (!n || n.kind === 241 || n.kind === 194 && forEachChild(n.extendsType, containsReference)) { return true; } } return containsReference(node); } return true; function containsReference(node2) { switch (node2.kind) { case 197: return !!tp.isThisType; case 80: return !tp.isThisType && isPartOfTypeNode(node2) && maybeTypeParameterReference(node2) && getTypeFromTypeNodeWorker(node2) === tp; case 186: const entityName = node2.exprName; const firstIdentifier = getFirstIdentifier(entityName); if (!isThisIdentifier(firstIdentifier)) { const firstIdentifierSymbol = getResolvedSymbol(firstIdentifier); const tpDeclaration = tp.symbol.declarations[0]; const tpScope = tpDeclaration.kind === 168 ? tpDeclaration.parent : ( // Type parameter is a regular type parameter, e.g. foo tp.isThisType ? tpDeclaration : ( // Type parameter is the this type, and its declaration is the class declaration. void 0 ) ); if (firstIdentifierSymbol.declarations && tpScope) { return some(firstIdentifierSymbol.declarations, (idDecl) => isNodeDescendantOf(idDecl, tpScope)) || some(node2.typeArguments, containsReference); } } return true; case 174: case 173: return !node2.type && !!node2.body || some(node2.typeParameters, containsReference) || some(node2.parameters, containsReference) || !!node2.type && containsReference(node2.type); } return !!forEachChild(node2, containsReference); } } function getHomomorphicTypeVariable(type) { const constraintType = getConstraintTypeFromMappedType(type); if (constraintType.flags & 4194304) { const typeVariable = getActualTypeVariable(constraintType.type); if (typeVariable.flags & 262144) { return typeVariable; } } return void 0; } function instantiateMappedType(type, mapper, aliasSymbol, aliasTypeArguments) { const typeVariable = getHomomorphicTypeVariable(type); if (typeVariable) { const mappedTypeVariable = instantiateType(typeVariable, mapper); if (typeVariable !== mappedTypeVariable) { return mapTypeWithAlias(getReducedType(mappedTypeVariable), instantiateConstituent, aliasSymbol, aliasTypeArguments); } } return instantiateType(getConstraintTypeFromMappedType(type), mapper) === wildcardType ? wildcardType : instantiateAnonymousType(type, mapper, aliasSymbol, aliasTypeArguments); function instantiateConstituent(t) { if (t.flags & (3 | 58982400 | 524288 | 2097152) && t !== wildcardType && !isErrorType(t)) { if (!type.declaration.nameType) { let constraint; if (isArrayType(t) || t.flags & 1 && findResolutionCycleStartIndex( typeVariable, 4 /* ImmediateBaseConstraint */ ) < 0 && (constraint = getConstraintOfTypeParameter(typeVariable)) && everyType(constraint, isArrayOrTupleType)) { return instantiateMappedArrayType(t, type, prependTypeMapping(typeVariable, t, mapper)); } if (isTupleType(t)) { return instantiateMappedTupleType(t, type, typeVariable, mapper); } if (isArrayOrTupleOrIntersection(t)) { return getIntersectionType(map(t.types, instantiateConstituent)); } } return instantiateAnonymousType(type, prependTypeMapping(typeVariable, t, mapper)); } return t; } } function getModifiedReadonlyState(state, modifiers) { return modifiers & 1 ? true : modifiers & 2 ? false : state; } function instantiateMappedTupleType(tupleType2, mappedType, typeVariable, mapper) { const elementFlags = tupleType2.target.elementFlags; const fixedLength = tupleType2.target.fixedLength; const fixedMapper = fixedLength ? prependTypeMapping(typeVariable, tupleType2, mapper) : mapper; const newElementTypes = map(getElementTypes(tupleType2), (type, i) => { const flags = elementFlags[i]; return i < fixedLength ? instantiateMappedTypeTemplate(mappedType, getStringLiteralType("" + i), !!(flags & 2), fixedMapper) : flags & 8 ? instantiateType(mappedType, prependTypeMapping(typeVariable, type, mapper)) : getElementTypeOfArrayType(instantiateType(mappedType, prependTypeMapping(typeVariable, createArrayType(type), mapper))) ?? unknownType2; }); const modifiers = getMappedTypeModifiers(mappedType); const newElementFlags = modifiers & 4 ? map(elementFlags, (f) => f & 1 ? 2 : f) : modifiers & 8 ? map(elementFlags, (f) => f & 2 ? 1 : f) : elementFlags; const newReadonly = getModifiedReadonlyState(tupleType2.target.readonly, getMappedTypeModifiers(mappedType)); return contains(newElementTypes, errorType) ? errorType : createTupleType(newElementTypes, newElementFlags, newReadonly, tupleType2.target.labeledElementDeclarations); } function instantiateMappedArrayType(arrayType2, mappedType, mapper) { const elementType = instantiateMappedTypeTemplate( mappedType, numberType2, /*isOptional*/ true, mapper ); return isErrorType(elementType) ? errorType : createArrayType(elementType, getModifiedReadonlyState(isReadonlyArrayType(arrayType2), getMappedTypeModifiers(mappedType))); } function instantiateMappedTypeTemplate(type, key, isOptional, mapper) { const templateMapper = appendTypeMapping(mapper, getTypeParameterFromMappedType(type), key); const propType = instantiateType(getTemplateTypeFromMappedType(type.target || type), templateMapper); const modifiers = getMappedTypeModifiers(type); return strictNullChecks && modifiers & 4 && !maybeTypeOfKind( propType, 32768 | 16384 /* Void */ ) ? getOptionalType( propType, /*isProperty*/ true ) : strictNullChecks && modifiers & 8 && isOptional ? getTypeWithFacts( propType, 524288 /* NEUndefined */ ) : propType; } function instantiateAnonymousType(type, mapper, aliasSymbol, aliasTypeArguments) { Debug.assert(type.symbol, "anonymous type must have symbol to be instantiated"); const result = createObjectType(type.objectFlags & ~(524288 | 1048576) | 64, type.symbol); if (type.objectFlags & 32) { result.declaration = type.declaration; const origTypeParameter = getTypeParameterFromMappedType(type); const freshTypeParameter = cloneTypeParameter(origTypeParameter); result.typeParameter = freshTypeParameter; mapper = combineTypeMappers(makeUnaryTypeMapper(origTypeParameter, freshTypeParameter), mapper); freshTypeParameter.mapper = mapper; } if (type.objectFlags & 8388608) { result.node = type.node; } if (type.objectFlags & 134217728) { result.outerTypeParameters = type.outerTypeParameters; } result.target = type; result.mapper = mapper; result.aliasSymbol = aliasSymbol || type.aliasSymbol; result.aliasTypeArguments = aliasSymbol ? aliasTypeArguments : instantiateTypes(type.aliasTypeArguments, mapper); result.objectFlags |= result.aliasTypeArguments ? getPropagatingFlagsOfTypes(result.aliasTypeArguments) : 0; return result; } function getConditionalTypeInstantiation(type, mapper, forConstraint, aliasSymbol, aliasTypeArguments) { const root2 = type.root; if (root2.outerTypeParameters) { const typeArguments = map(root2.outerTypeParameters, (t) => getMappedType(t, mapper)); const id = (forConstraint ? "C" : "") + getTypeListId(typeArguments) + getAliasId(aliasSymbol, aliasTypeArguments); let result = root2.instantiations.get(id); if (!result) { const newMapper = createTypeMapper(root2.outerTypeParameters, typeArguments); const checkType = root2.checkType; const distributionType = root2.isDistributive ? getReducedType(getMappedType(checkType, newMapper)) : void 0; result = distributionType && checkType !== distributionType && distributionType.flags & (1048576 | 131072) ? mapTypeWithAlias(distributionType, (t) => getConditionalType(root2, prependTypeMapping(checkType, t, newMapper), forConstraint), aliasSymbol, aliasTypeArguments) : getConditionalType(root2, newMapper, forConstraint, aliasSymbol, aliasTypeArguments); root2.instantiations.set(id, result); } return result; } return type; } function instantiateType(type, mapper) { return type && mapper ? instantiateTypeWithAlias( type, mapper, /*aliasSymbol*/ void 0, /*aliasTypeArguments*/ void 0 ) : type; } function instantiateTypeWithAlias(type, mapper, aliasSymbol, aliasTypeArguments) { var _a; if (!couldContainTypeVariables(type)) { return type; } if (instantiationDepth === 100 || instantiationCount >= 5e6) { (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.CheckTypes, "instantiateType_DepthLimit", { typeId: type.id, instantiationDepth, instantiationCount }); error2(currentNode, Diagnostics.Type_instantiation_is_excessively_deep_and_possibly_infinite); return errorType; } totalInstantiationCount++; instantiationCount++; instantiationDepth++; const result = instantiateTypeWorker(type, mapper, aliasSymbol, aliasTypeArguments); instantiationDepth--; return result; } function instantiateTypeWorker(type, mapper, aliasSymbol, aliasTypeArguments) { const flags = type.flags; if (flags & 262144) { return getMappedType(type, mapper); } if (flags & 524288) { const objectFlags = type.objectFlags; if (objectFlags & (4 | 16 | 32)) { if (objectFlags & 4 && !type.node) { const resolvedTypeArguments = type.resolvedTypeArguments; const newTypeArguments = instantiateTypes(resolvedTypeArguments, mapper); return newTypeArguments !== resolvedTypeArguments ? createNormalizedTypeReference(type.target, newTypeArguments) : type; } if (objectFlags & 1024) { return instantiateReverseMappedType(type, mapper); } return getObjectTypeInstantiation(type, mapper, aliasSymbol, aliasTypeArguments); } return type; } if (flags & 3145728) { const origin = type.flags & 1048576 ? type.origin : void 0; const types = origin && origin.flags & 3145728 ? origin.types : type.types; const newTypes = instantiateTypes(types, mapper); if (newTypes === types && aliasSymbol === type.aliasSymbol) { return type; } const newAliasSymbol = aliasSymbol || type.aliasSymbol; const newAliasTypeArguments = aliasSymbol ? aliasTypeArguments : instantiateTypes(type.aliasTypeArguments, mapper); return flags & 2097152 || origin && origin.flags & 2097152 ? getIntersectionType(newTypes, 0, newAliasSymbol, newAliasTypeArguments) : getUnionType(newTypes, 1, newAliasSymbol, newAliasTypeArguments); } if (flags & 4194304) { return getIndexType(instantiateType(type.type, mapper)); } if (flags & 134217728) { return getTemplateLiteralType(type.texts, instantiateTypes(type.types, mapper)); } if (flags & 268435456) { return getStringMappingType(type.symbol, instantiateType(type.type, mapper)); } if (flags & 8388608) { const newAliasSymbol = aliasSymbol || type.aliasSymbol; const newAliasTypeArguments = aliasSymbol ? aliasTypeArguments : instantiateTypes(type.aliasTypeArguments, mapper); return getIndexedAccessType( instantiateType(type.objectType, mapper), instantiateType(type.indexType, mapper), type.accessFlags, /*accessNode*/ void 0, newAliasSymbol, newAliasTypeArguments ); } if (flags & 16777216) { return getConditionalTypeInstantiation( type, combineTypeMappers(type.mapper, mapper), /*forConstraint*/ false, aliasSymbol, aliasTypeArguments ); } if (flags & 33554432) { const newBaseType = instantiateType(type.baseType, mapper); if (isNoInferType(type)) { return getNoInferType(newBaseType); } const newConstraint = instantiateType(type.constraint, mapper); if (newBaseType.flags & 8650752 && isGenericType(newConstraint)) { return getSubstitutionType(newBaseType, newConstraint); } if (newConstraint.flags & 3 || isTypeAssignableTo(getRestrictiveInstantiation(newBaseType), getRestrictiveInstantiation(newConstraint))) { return newBaseType; } return newBaseType.flags & 8650752 ? getSubstitutionType(newBaseType, newConstraint) : getIntersectionType([newConstraint, newBaseType]); } return type; } function instantiateReverseMappedType(type, mapper) { const innerMappedType = instantiateType(type.mappedType, mapper); if (!(getObjectFlags(innerMappedType) & 32)) { return type; } const innerIndexType = instantiateType(type.constraintType, mapper); if (!(innerIndexType.flags & 4194304)) { return type; } const instantiated = inferTypeForHomomorphicMappedType( instantiateType(type.source, mapper), innerMappedType, innerIndexType ); if (instantiated) { return instantiated; } return type; } function getPermissiveInstantiation(type) { return type.flags & (402784252 | 3 | 131072) ? type : type.permissiveInstantiation || (type.permissiveInstantiation = instantiateType(type, permissiveMapper)); } function getRestrictiveInstantiation(type) { if (type.flags & (402784252 | 3 | 131072)) { return type; } if (type.restrictiveInstantiation) { return type.restrictiveInstantiation; } type.restrictiveInstantiation = instantiateType(type, restrictiveMapper); type.restrictiveInstantiation.restrictiveInstantiation = type.restrictiveInstantiation; return type.restrictiveInstantiation; } function instantiateIndexInfo(info, mapper) { return createIndexInfo(info.keyType, instantiateType(info.type, mapper), info.isReadonly, info.declaration); } function isContextSensitive(node) { Debug.assert(node.kind !== 174 || isObjectLiteralMethod(node)); switch (node.kind) { case 218: case 219: case 174: case 262: return isContextSensitiveFunctionLikeDeclaration(node); case 210: return some(node.properties, isContextSensitive); case 209: return some(node.elements, isContextSensitive); case 227: return isContextSensitive(node.whenTrue) || isContextSensitive(node.whenFalse); case 226: return (node.operatorToken.kind === 57 || node.operatorToken.kind === 61) && (isContextSensitive(node.left) || isContextSensitive(node.right)); case 303: return isContextSensitive(node.initializer); case 217: return isContextSensitive(node.expression); case 292: return some(node.properties, isContextSensitive) || isJsxOpeningElement(node.parent) && some(node.parent.parent.children, isContextSensitive); case 291: { const { initializer } = node; return !!initializer && isContextSensitive(initializer); } case 294: { const { expression } = node; return !!expression && isContextSensitive(expression); } } return false; } function isContextSensitiveFunctionLikeDeclaration(node) { return hasContextSensitiveParameters(node) || hasContextSensitiveReturnExpression(node); } function hasContextSensitiveReturnExpression(node) { if (node.typeParameters || getEffectiveReturnTypeNode(node) || !node.body) { return false; } if (node.body.kind !== 241) { return isContextSensitive(node.body); } return !!forEachReturnStatement(node.body, (statement) => !!statement.expression && isContextSensitive(statement.expression)); } function isContextSensitiveFunctionOrObjectLiteralMethod(func) { return (isFunctionExpressionOrArrowFunction(func) || isObjectLiteralMethod(func)) && isContextSensitiveFunctionLikeDeclaration(func); } function getTypeWithoutSignatures(type) { if (type.flags & 524288) { const resolved = resolveStructuredTypeMembers(type); if (resolved.constructSignatures.length || resolved.callSignatures.length) { const result = createObjectType(16, type.symbol); result.members = resolved.members; result.properties = resolved.properties; result.callSignatures = emptyArray; result.constructSignatures = emptyArray; result.indexInfos = emptyArray; return result; } } else if (type.flags & 2097152) { return getIntersectionType(map(type.types, getTypeWithoutSignatures)); } return type; } function isTypeIdenticalTo(source, target) { return isTypeRelatedTo(source, target, identityRelation); } function compareTypesIdentical(source, target) { return isTypeRelatedTo(source, target, identityRelation) ? -1 : 0; } function compareTypesAssignable(source, target) { return isTypeRelatedTo(source, target, assignableRelation) ? -1 : 0; } function compareTypesSubtypeOf(source, target) { return isTypeRelatedTo(source, target, subtypeRelation) ? -1 : 0; } function isTypeSubtypeOf(source, target) { return isTypeRelatedTo(source, target, subtypeRelation); } function isTypeStrictSubtypeOf(source, target) { return isTypeRelatedTo(source, target, strictSubtypeRelation); } function isTypeAssignableTo(source, target) { return isTypeRelatedTo(source, target, assignableRelation); } function isTypeDerivedFrom(source, target) { return source.flags & 1048576 ? every(source.types, (t) => isTypeDerivedFrom(t, target)) : target.flags & 1048576 ? some(target.types, (t) => isTypeDerivedFrom(source, t)) : source.flags & 2097152 ? some(source.types, (t) => isTypeDerivedFrom(t, target)) : source.flags & 58982400 ? isTypeDerivedFrom(getBaseConstraintOfType(source) || unknownType2, target) : isEmptyAnonymousObjectType(target) ? !!(source.flags & (524288 | 67108864)) : target === globalObjectType ? !!(source.flags & (524288 | 67108864)) && !isEmptyAnonymousObjectType(source) : target === globalFunctionType ? !!(source.flags & 524288) && isFunctionObjectType(source) : hasBaseType(source, getTargetType(target)) || isArrayType(target) && !isReadonlyArrayType(target) && isTypeDerivedFrom(source, globalReadonlyArrayType); } function isTypeComparableTo(source, target) { return isTypeRelatedTo(source, target, comparableRelation); } function areTypesComparable(type1, type2) { return isTypeComparableTo(type1, type2) || isTypeComparableTo(type2, type1); } function checkTypeAssignableTo(source, target, errorNode, headMessage, containingMessageChain, errorOutputObject) { return checkTypeRelatedTo(source, target, assignableRelation, errorNode, headMessage, containingMessageChain, errorOutputObject); } function checkTypeAssignableToAndOptionallyElaborate(source, target, errorNode, expr, headMessage, containingMessageChain) { return checkTypeRelatedToAndOptionallyElaborate( source, target, assignableRelation, errorNode, expr, headMessage, containingMessageChain, /*errorOutputContainer*/ void 0 ); } function checkTypeRelatedToAndOptionallyElaborate(source, target, relation, errorNode, expr, headMessage, containingMessageChain, errorOutputContainer) { if (isTypeRelatedTo(source, target, relation)) return true; if (!errorNode || !elaborateError(expr, source, target, relation, headMessage, containingMessageChain, errorOutputContainer)) { return checkTypeRelatedTo(source, target, relation, errorNode, headMessage, containingMessageChain, errorOutputContainer); } return false; } function isOrHasGenericConditional(type) { return !!(type.flags & 16777216 || type.flags & 2097152 && some(type.types, isOrHasGenericConditional)); } function elaborateError(node, source, target, relation, headMessage, containingMessageChain, errorOutputContainer) { if (!node || isOrHasGenericConditional(target)) return false; if (!checkTypeRelatedTo( source, target, relation, /*errorNode*/ void 0 ) && elaborateDidYouMeanToCallOrConstruct(node, source, target, relation, headMessage, containingMessageChain, errorOutputContainer)) { return true; } switch (node.kind) { case 234: if (!isConstAssertion(node)) { break; } case 294: case 217: return elaborateError(node.expression, source, target, relation, headMessage, containingMessageChain, errorOutputContainer); case 226: switch (node.operatorToken.kind) { case 64: case 28: return elaborateError(node.right, source, target, relation, headMessage, containingMessageChain, errorOutputContainer); } break; case 210: return elaborateObjectLiteral(node, source, target, relation, containingMessageChain, errorOutputContainer); case 209: return elaborateArrayLiteral(node, source, target, relation, containingMessageChain, errorOutputContainer); case 292: return elaborateJsxComponents(node, source, target, relation, containingMessageChain, errorOutputContainer); case 219: return elaborateArrowFunction(node, source, target, relation, containingMessageChain, errorOutputContainer); } return false; } function elaborateDidYouMeanToCallOrConstruct(node, source, target, relation, headMessage, containingMessageChain, errorOutputContainer) { const callSignatures = getSignaturesOfType( source, 0 /* Call */ ); const constructSignatures = getSignaturesOfType( source, 1 /* Construct */ ); for (const signatures of [constructSignatures, callSignatures]) { if (some(signatures, (s) => { const returnType = getReturnTypeOfSignature(s); return !(returnType.flags & (1 | 131072)) && checkTypeRelatedTo( returnType, target, relation, /*errorNode*/ void 0 ); })) { const resultObj = errorOutputContainer || {}; checkTypeAssignableTo(source, target, node, headMessage, containingMessageChain, resultObj); const diagnostic = resultObj.errors[resultObj.errors.length - 1]; addRelatedInfo( diagnostic, createDiagnosticForNode( node, signatures === constructSignatures ? Diagnostics.Did_you_mean_to_use_new_with_this_expression : Diagnostics.Did_you_mean_to_call_this_expression ) ); return true; } } return false; } function elaborateArrowFunction(node, source, target, relation, containingMessageChain, errorOutputContainer) { if (isBlock(node.body)) { return false; } if (some(node.parameters, hasType)) { return false; } const sourceSig = getSingleCallSignature(source); if (!sourceSig) { return false; } const targetSignatures = getSignaturesOfType( target, 0 /* Call */ ); if (!length(targetSignatures)) { return false; } const returnExpression = node.body; const sourceReturn = getReturnTypeOfSignature(sourceSig); const targetReturn = getUnionType(map(targetSignatures, getReturnTypeOfSignature)); if (!checkTypeRelatedTo( sourceReturn, targetReturn, relation, /*errorNode*/ void 0 )) { const elaborated = returnExpression && elaborateError( returnExpression, sourceReturn, targetReturn, relation, /*headMessage*/ void 0, containingMessageChain, errorOutputContainer ); if (elaborated) { return elaborated; } const resultObj = errorOutputContainer || {}; checkTypeRelatedTo( sourceReturn, targetReturn, relation, returnExpression, /*headMessage*/ void 0, containingMessageChain, resultObj ); if (resultObj.errors) { if (target.symbol && length(target.symbol.declarations)) { addRelatedInfo( resultObj.errors[resultObj.errors.length - 1], createDiagnosticForNode( target.symbol.declarations[0], Diagnostics.The_expected_type_comes_from_the_return_type_of_this_signature ) ); } if ((getFunctionFlags(node) & 2) === 0 && !getTypeOfPropertyOfType(sourceReturn, "then") && checkTypeRelatedTo( createPromiseType(sourceReturn), targetReturn, relation, /*errorNode*/ void 0 )) { addRelatedInfo( resultObj.errors[resultObj.errors.length - 1], createDiagnosticForNode( node, Diagnostics.Did_you_mean_to_mark_this_function_as_async ) ); } return true; } } return false; } function getBestMatchIndexedAccessTypeOrUndefined(source, target, nameType) { const idx = getIndexedAccessTypeOrUndefined(target, nameType); if (idx) { return idx; } if (target.flags & 1048576) { const best = getBestMatchingType(source, target); if (best) { return getIndexedAccessTypeOrUndefined(best, nameType); } } } function checkExpressionForMutableLocationWithContextualType(next, sourcePropType) { pushContextualType( next, sourcePropType, /*isCache*/ false ); const result = checkExpressionForMutableLocation( next, 1 /* Contextual */ ); popContextualType(); return result; } function elaborateElementwise(iterator, source, target, relation, containingMessageChain, errorOutputContainer) { let reportedError = false; for (const value of iterator) { const { errorNode: prop, innerExpression: next, nameType, errorMessage } = value; let targetPropType = getBestMatchIndexedAccessTypeOrUndefined(source, target, nameType); if (!targetPropType || targetPropType.flags & 8388608) continue; let sourcePropType = getIndexedAccessTypeOrUndefined(source, nameType); if (!sourcePropType) continue; const propName = getPropertyNameFromIndex( nameType, /*accessNode*/ void 0 ); if (!checkTypeRelatedTo( sourcePropType, targetPropType, relation, /*errorNode*/ void 0 )) { const elaborated = next && elaborateError( next, sourcePropType, targetPropType, relation, /*headMessage*/ void 0, containingMessageChain, errorOutputContainer ); reportedError = true; if (!elaborated) { const resultObj = errorOutputContainer || {}; const specificSource = next ? checkExpressionForMutableLocationWithContextualType(next, sourcePropType) : sourcePropType; if (exactOptionalPropertyTypes && isExactOptionalPropertyMismatch(specificSource, targetPropType)) { const diag2 = createDiagnosticForNode(prop, Diagnostics.Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_type_of_the_target, typeToString(specificSource), typeToString(targetPropType)); diagnostics.add(diag2); resultObj.errors = [diag2]; } else { const targetIsOptional = !!(propName && (getPropertyOfType(target, propName) || unknownSymbol).flags & 16777216); const sourceIsOptional = !!(propName && (getPropertyOfType(source, propName) || unknownSymbol).flags & 16777216); targetPropType = removeMissingType(targetPropType, targetIsOptional); sourcePropType = removeMissingType(sourcePropType, targetIsOptional && sourceIsOptional); const result = checkTypeRelatedTo(specificSource, targetPropType, relation, prop, errorMessage, containingMessageChain, resultObj); if (result && specificSource !== sourcePropType) { checkTypeRelatedTo(sourcePropType, targetPropType, relation, prop, errorMessage, containingMessageChain, resultObj); } } if (resultObj.errors) { const reportedDiag = resultObj.errors[resultObj.errors.length - 1]; const propertyName = isTypeUsableAsPropertyName(nameType) ? getPropertyNameFromType(nameType) : void 0; const targetProp = propertyName !== void 0 ? getPropertyOfType(target, propertyName) : void 0; let issuedElaboration = false; if (!targetProp) { const indexInfo = getApplicableIndexInfo(target, nameType); if (indexInfo && indexInfo.declaration && !getSourceFileOfNode(indexInfo.declaration).hasNoDefaultLib) { issuedElaboration = true; addRelatedInfo(reportedDiag, createDiagnosticForNode(indexInfo.declaration, Diagnostics.The_expected_type_comes_from_this_index_signature)); } } if (!issuedElaboration && (targetProp && length(targetProp.declarations) || target.symbol && length(target.symbol.declarations))) { const targetNode = targetProp && length(targetProp.declarations) ? targetProp.declarations[0] : target.symbol.declarations[0]; if (!getSourceFileOfNode(targetNode).hasNoDefaultLib) { addRelatedInfo( reportedDiag, createDiagnosticForNode( targetNode, Diagnostics.The_expected_type_comes_from_property_0_which_is_declared_here_on_type_1, propertyName && !(nameType.flags & 8192) ? unescapeLeadingUnderscores(propertyName) : typeToString(nameType), typeToString(target) ) ); } } } } } } return reportedError; } function elaborateIterableOrArrayLikeTargetElementwise(iterator, source, target, relation, containingMessageChain, errorOutputContainer) { const tupleOrArrayLikeTargetParts = filterType(target, isArrayOrTupleLikeType); const nonTupleOrArrayLikeTargetParts = filterType(target, (t) => !isArrayOrTupleLikeType(t)); const iterationType = nonTupleOrArrayLikeTargetParts !== neverType2 ? getIterationTypeOfIterable( 13, 0, nonTupleOrArrayLikeTargetParts, /*errorNode*/ void 0 ) : void 0; let reportedError = false; for (let status = iterator.next(); !status.done; status = iterator.next()) { const { errorNode: prop, innerExpression: next, nameType, errorMessage } = status.value; let targetPropType = iterationType; const targetIndexedPropType = tupleOrArrayLikeTargetParts !== neverType2 ? getBestMatchIndexedAccessTypeOrUndefined(source, tupleOrArrayLikeTargetParts, nameType) : void 0; if (targetIndexedPropType && !(targetIndexedPropType.flags & 8388608)) { targetPropType = iterationType ? getUnionType([iterationType, targetIndexedPropType]) : targetIndexedPropType; } if (!targetPropType) continue; let sourcePropType = getIndexedAccessTypeOrUndefined(source, nameType); if (!sourcePropType) continue; const propName = getPropertyNameFromIndex( nameType, /*accessNode*/ void 0 ); if (!checkTypeRelatedTo( sourcePropType, targetPropType, relation, /*errorNode*/ void 0 )) { const elaborated = next && elaborateError( next, sourcePropType, targetPropType, relation, /*headMessage*/ void 0, containingMessageChain, errorOutputContainer ); reportedError = true; if (!elaborated) { const resultObj = errorOutputContainer || {}; const specificSource = next ? checkExpressionForMutableLocationWithContextualType(next, sourcePropType) : sourcePropType; if (exactOptionalPropertyTypes && isExactOptionalPropertyMismatch(specificSource, targetPropType)) { const diag2 = createDiagnosticForNode(prop, Diagnostics.Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_type_of_the_target, typeToString(specificSource), typeToString(targetPropType)); diagnostics.add(diag2); resultObj.errors = [diag2]; } else { const targetIsOptional = !!(propName && (getPropertyOfType(tupleOrArrayLikeTargetParts, propName) || unknownSymbol).flags & 16777216); const sourceIsOptional = !!(propName && (getPropertyOfType(source, propName) || unknownSymbol).flags & 16777216); targetPropType = removeMissingType(targetPropType, targetIsOptional); sourcePropType = removeMissingType(sourcePropType, targetIsOptional && sourceIsOptional); const result = checkTypeRelatedTo(specificSource, targetPropType, relation, prop, errorMessage, containingMessageChain, resultObj); if (result && specificSource !== sourcePropType) { checkTypeRelatedTo(sourcePropType, targetPropType, relation, prop, errorMessage, containingMessageChain, resultObj); } } } } } return reportedError; } function* generateJsxAttributes(node) { if (!length(node.properties)) return; for (const prop of node.properties) { if (isJsxSpreadAttribute(prop) || isHyphenatedJsxName(getTextOfJsxAttributeName(prop.name))) continue; yield { errorNode: prop.name, innerExpression: prop.initializer, nameType: getStringLiteralType(getTextOfJsxAttributeName(prop.name)) }; } } function* generateJsxChildren(node, getInvalidTextDiagnostic) { if (!length(node.children)) return; let memberOffset = 0; for (let i = 0; i < node.children.length; i++) { const child = node.children[i]; const nameType = getNumberLiteralType(i - memberOffset); const elem = getElaborationElementForJsxChild(child, nameType, getInvalidTextDiagnostic); if (elem) { yield elem; } else { memberOffset++; } } } function getElaborationElementForJsxChild(child, nameType, getInvalidTextDiagnostic) { switch (child.kind) { case 294: return { errorNode: child, innerExpression: child.expression, nameType }; case 12: if (child.containsOnlyTriviaWhiteSpaces) { break; } return { errorNode: child, innerExpression: void 0, nameType, errorMessage: getInvalidTextDiagnostic() }; case 284: case 285: case 288: return { errorNode: child, innerExpression: child, nameType }; default: return Debug.assertNever(child, "Found invalid jsx child"); } } function elaborateJsxComponents(node, source, target, relation, containingMessageChain, errorOutputContainer) { let result = elaborateElementwise(generateJsxAttributes(node), source, target, relation, containingMessageChain, errorOutputContainer); let invalidTextDiagnostic; if (isJsxOpeningElement(node.parent) && isJsxElement(node.parent.parent)) { const containingElement = node.parent.parent; const childPropName = getJsxElementChildrenPropertyName(getJsxNamespaceAt(node)); const childrenPropName = childPropName === void 0 ? "children" : unescapeLeadingUnderscores(childPropName); const childrenNameType = getStringLiteralType(childrenPropName); const childrenTargetType = getIndexedAccessType(target, childrenNameType); const validChildren = getSemanticJsxChildren(containingElement.children); if (!length(validChildren)) { return result; } const moreThanOneRealChildren = length(validChildren) > 1; let arrayLikeTargetParts; let nonArrayLikeTargetParts; const iterableType = getGlobalIterableType( /*reportErrors*/ false ); if (iterableType !== emptyGenericType) { const anyIterable = createIterableType(anyType2); arrayLikeTargetParts = filterType(childrenTargetType, (t) => isTypeAssignableTo(t, anyIterable)); nonArrayLikeTargetParts = filterType(childrenTargetType, (t) => !isTypeAssignableTo(t, anyIterable)); } else { arrayLikeTargetParts = filterType(childrenTargetType, isArrayOrTupleLikeType); nonArrayLikeTargetParts = filterType(childrenTargetType, (t) => !isArrayOrTupleLikeType(t)); } if (moreThanOneRealChildren) { if (arrayLikeTargetParts !== neverType2) { const realSource = createTupleType(checkJsxChildren( containingElement, 0 /* Normal */ )); const children = generateJsxChildren(containingElement, getInvalidTextualChildDiagnostic); result = elaborateIterableOrArrayLikeTargetElementwise(children, realSource, arrayLikeTargetParts, relation, containingMessageChain, errorOutputContainer) || result; } else if (!isTypeRelatedTo(getIndexedAccessType(source, childrenNameType), childrenTargetType, relation)) { result = true; const diag2 = error2( containingElement.openingElement.tagName, Diagnostics.This_JSX_tag_s_0_prop_expects_a_single_child_of_type_1_but_multiple_children_were_provided, childrenPropName, typeToString(childrenTargetType) ); if (errorOutputContainer && errorOutputContainer.skipLogging) { (errorOutputContainer.errors || (errorOutputContainer.errors = [])).push(diag2); } } } else { if (nonArrayLikeTargetParts !== neverType2) { const child = validChildren[0]; const elem = getElaborationElementForJsxChild(child, childrenNameType, getInvalidTextualChildDiagnostic); if (elem) { result = elaborateElementwise( function* () { yield elem; }(), source, target, relation, containingMessageChain, errorOutputContainer ) || result; } } else if (!isTypeRelatedTo(getIndexedAccessType(source, childrenNameType), childrenTargetType, relation)) { result = true; const diag2 = error2( containingElement.openingElement.tagName, Diagnostics.This_JSX_tag_s_0_prop_expects_type_1_which_requires_multiple_children_but_only_a_single_child_was_provided, childrenPropName, typeToString(childrenTargetType) ); if (errorOutputContainer && errorOutputContainer.skipLogging) { (errorOutputContainer.errors || (errorOutputContainer.errors = [])).push(diag2); } } } } return result; function getInvalidTextualChildDiagnostic() { if (!invalidTextDiagnostic) { const tagNameText = getTextOfNode(node.parent.tagName); const childPropName = getJsxElementChildrenPropertyName(getJsxNamespaceAt(node)); const childrenPropName = childPropName === void 0 ? "children" : unescapeLeadingUnderscores(childPropName); const childrenTargetType = getIndexedAccessType(target, getStringLiteralType(childrenPropName)); const diagnostic = Diagnostics._0_components_don_t_accept_text_as_child_elements_Text_in_JSX_has_the_type_string_but_the_expected_type_of_1_is_2; invalidTextDiagnostic = { ...diagnostic, key: "!!ALREADY FORMATTED!!", message: formatMessage(diagnostic, tagNameText, childrenPropName, typeToString(childrenTargetType)) }; } return invalidTextDiagnostic; } } function* generateLimitedTupleElements(node, target) { const len = length(node.elements); if (!len) return; for (let i = 0; i < len; i++) { if (isTupleLikeType(target) && !getPropertyOfType(target, "" + i)) continue; const elem = node.elements[i]; if (isOmittedExpression(elem)) continue; const nameType = getNumberLiteralType(i); const checkNode2 = getEffectiveCheckNode(elem); yield { errorNode: checkNode2, innerExpression: checkNode2, nameType }; } } function elaborateArrayLiteral(node, source, target, relation, containingMessageChain, errorOutputContainer) { if (target.flags & (402784252 | 131072)) return false; if (isTupleLikeType(source)) { return elaborateElementwise(generateLimitedTupleElements(node, target), source, target, relation, containingMessageChain, errorOutputContainer); } pushContextualType( node, target, /*isCache*/ false ); const tupleizedType = checkArrayLiteral( node, 1, /*forceTuple*/ true ); popContextualType(); if (isTupleLikeType(tupleizedType)) { return elaborateElementwise(generateLimitedTupleElements(node, target), tupleizedType, target, relation, containingMessageChain, errorOutputContainer); } return false; } function* generateObjectLiteralElements(node) { if (!length(node.properties)) return; for (const prop of node.properties) { if (isSpreadAssignment(prop)) continue; const type = getLiteralTypeFromProperty( getSymbolOfDeclaration(prop), 8576 /* StringOrNumberLiteralOrUnique */ ); if (!type || type.flags & 131072) { continue; } switch (prop.kind) { case 178: case 177: case 174: case 304: yield { errorNode: prop.name, innerExpression: void 0, nameType: type }; break; case 303: yield { errorNode: prop.name, innerExpression: prop.initializer, nameType: type, errorMessage: isComputedNonLiteralName(prop.name) ? Diagnostics.Type_of_computed_property_s_value_is_0_which_is_not_assignable_to_type_1 : void 0 }; break; default: Debug.assertNever(prop); } } } function elaborateObjectLiteral(node, source, target, relation, containingMessageChain, errorOutputContainer) { if (target.flags & (402784252 | 131072)) return false; return elaborateElementwise(generateObjectLiteralElements(node), source, target, relation, containingMessageChain, errorOutputContainer); } function checkTypeComparableTo(source, target, errorNode, headMessage, containingMessageChain) { return checkTypeRelatedTo(source, target, comparableRelation, errorNode, headMessage, containingMessageChain); } function isSignatureAssignableTo(source, target, ignoreReturnTypes) { return compareSignaturesRelated( source, target, ignoreReturnTypes ? 4 : 0, /*reportErrors*/ false, /*errorReporter*/ void 0, /*incompatibleErrorReporter*/ void 0, compareTypesAssignable, /*reportUnreliableMarkers*/ void 0 ) !== 0; } function isTopSignature(s) { if (!s.typeParameters && (!s.thisParameter || isTypeAny(getTypeOfParameter(s.thisParameter))) && s.parameters.length === 1 && signatureHasRestParameter(s)) { const paramType = getTypeOfParameter(s.parameters[0]); const restType = isArrayType(paramType) ? getTypeArguments(paramType)[0] : paramType; return !!(restType.flags & (1 | 131072) && getReturnTypeOfSignature(s).flags & 3); } return false; } function compareSignaturesRelated(source, target, checkMode, reportErrors2, errorReporter, incompatibleErrorReporter, compareTypes, reportUnreliableMarkers) { if (source === target) { return -1; } if (!(checkMode & 16 && isTopSignature(source)) && isTopSignature(target)) { return -1; } if (checkMode & 16 && isTopSignature(source) && !isTopSignature(target)) { return 0; } const targetCount = getParameterCount(target); const sourceHasMoreParameters = !hasEffectiveRestParameter(target) && (checkMode & 8 ? hasEffectiveRestParameter(source) || getParameterCount(source) > targetCount : getMinArgumentCount(source) > targetCount); if (sourceHasMoreParameters) { if (reportErrors2 && !(checkMode & 8)) { errorReporter(Diagnostics.Target_signature_provides_too_few_arguments_Expected_0_or_more_but_got_1, getMinArgumentCount(source), targetCount); } return 0; } if (source.typeParameters && source.typeParameters !== target.typeParameters) { target = getCanonicalSignature(target); source = instantiateSignatureInContextOf( source, target, /*inferenceContext*/ void 0, compareTypes ); } const sourceCount = getParameterCount(source); const sourceRestType = getNonArrayRestType(source); const targetRestType = getNonArrayRestType(target); if (sourceRestType || targetRestType) { void instantiateType(sourceRestType || targetRestType, reportUnreliableMarkers); } const kind = target.declaration ? target.declaration.kind : 0; const strictVariance = !(checkMode & 3) && strictFunctionTypes && kind !== 174 && kind !== 173 && kind !== 176; let result = -1; const sourceThisType = getThisTypeOfSignature(source); if (sourceThisType && sourceThisType !== voidType2) { const targetThisType = getThisTypeOfSignature(target); if (targetThisType) { const related = !strictVariance && compareTypes( sourceThisType, targetThisType, /*reportErrors*/ false ) || compareTypes(targetThisType, sourceThisType, reportErrors2); if (!related) { if (reportErrors2) { errorReporter(Diagnostics.The_this_types_of_each_signature_are_incompatible); } return 0; } result &= related; } } const paramCount = sourceRestType || targetRestType ? Math.min(sourceCount, targetCount) : Math.max(sourceCount, targetCount); const restIndex = sourceRestType || targetRestType ? paramCount - 1 : -1; for (let i = 0; i < paramCount; i++) { const sourceType = i === restIndex ? getRestOrAnyTypeAtPosition(source, i) : tryGetTypeAtPosition(source, i); const targetType = i === restIndex ? getRestOrAnyTypeAtPosition(target, i) : tryGetTypeAtPosition(target, i); if (sourceType && targetType && (sourceType !== targetType || checkMode & 8)) { const sourceSig = checkMode & 3 || isInstantiatedGenericParameter(source, i) ? void 0 : getSingleCallSignature(getNonNullableType(sourceType)); const targetSig = checkMode & 3 || isInstantiatedGenericParameter(target, i) ? void 0 : getSingleCallSignature(getNonNullableType(targetType)); const callbacks = sourceSig && targetSig && !getTypePredicateOfSignature(sourceSig) && !getTypePredicateOfSignature(targetSig) && getTypeFacts( sourceType, 50331648 /* IsUndefinedOrNull */ ) === getTypeFacts( targetType, 50331648 /* IsUndefinedOrNull */ ); let related = callbacks ? compareSignaturesRelated(targetSig, sourceSig, checkMode & 8 | (strictVariance ? 2 : 1), reportErrors2, errorReporter, incompatibleErrorReporter, compareTypes, reportUnreliableMarkers) : !(checkMode & 3) && !strictVariance && compareTypes( sourceType, targetType, /*reportErrors*/ false ) || compareTypes(targetType, sourceType, reportErrors2); if (related && checkMode & 8 && i >= getMinArgumentCount(source) && i < getMinArgumentCount(target) && compareTypes( sourceType, targetType, /*reportErrors*/ false )) { related = 0; } if (!related) { if (reportErrors2) { errorReporter(Diagnostics.Types_of_parameters_0_and_1_are_incompatible, unescapeLeadingUnderscores(getParameterNameAtPosition(source, i)), unescapeLeadingUnderscores(getParameterNameAtPosition(target, i))); } return 0; } result &= related; } } if (!(checkMode & 4)) { const targetReturnType = isResolvingReturnTypeOfSignature(target) ? anyType2 : target.declaration && isJSConstructor(target.declaration) ? getDeclaredTypeOfClassOrInterface(getMergedSymbol(target.declaration.symbol)) : getReturnTypeOfSignature(target); if (targetReturnType === voidType2 || targetReturnType === anyType2) { return result; } const sourceReturnType = isResolvingReturnTypeOfSignature(source) ? anyType2 : source.declaration && isJSConstructor(source.declaration) ? getDeclaredTypeOfClassOrInterface(getMergedSymbol(source.declaration.symbol)) : getReturnTypeOfSignature(source); const targetTypePredicate = getTypePredicateOfSignature(target); if (targetTypePredicate) { const sourceTypePredicate = getTypePredicateOfSignature(source); if (sourceTypePredicate) { result &= compareTypePredicateRelatedTo(sourceTypePredicate, targetTypePredicate, reportErrors2, errorReporter, compareTypes); } else if (isIdentifierTypePredicate(targetTypePredicate) || isThisTypePredicate(targetTypePredicate)) { if (reportErrors2) { errorReporter(Diagnostics.Signature_0_must_be_a_type_predicate, signatureToString(source)); } return 0; } } else { result &= checkMode & 1 && compareTypes( targetReturnType, sourceReturnType, /*reportErrors*/ false ) || compareTypes(sourceReturnType, targetReturnType, reportErrors2); if (!result && reportErrors2 && incompatibleErrorReporter) { incompatibleErrorReporter(sourceReturnType, targetReturnType); } } } return result; } function compareTypePredicateRelatedTo(source, target, reportErrors2, errorReporter, compareTypes) { if (source.kind !== target.kind) { if (reportErrors2) { errorReporter(Diagnostics.A_this_based_type_guard_is_not_compatible_with_a_parameter_based_type_guard); errorReporter(Diagnostics.Type_predicate_0_is_not_assignable_to_1, typePredicateToString(source), typePredicateToString(target)); } return 0; } if (source.kind === 1 || source.kind === 3) { if (source.parameterIndex !== target.parameterIndex) { if (reportErrors2) { errorReporter(Diagnostics.Parameter_0_is_not_in_the_same_position_as_parameter_1, source.parameterName, target.parameterName); errorReporter(Diagnostics.Type_predicate_0_is_not_assignable_to_1, typePredicateToString(source), typePredicateToString(target)); } return 0; } } const related = source.type === target.type ? -1 : source.type && target.type ? compareTypes(source.type, target.type, reportErrors2) : 0; if (related === 0 && reportErrors2) { errorReporter(Diagnostics.Type_predicate_0_is_not_assignable_to_1, typePredicateToString(source), typePredicateToString(target)); } return related; } function isImplementationCompatibleWithOverload(implementation, overload) { const erasedSource = getErasedSignature(implementation); const erasedTarget = getErasedSignature(overload); const sourceReturnType = getReturnTypeOfSignature(erasedSource); const targetReturnType = getReturnTypeOfSignature(erasedTarget); if (targetReturnType === voidType2 || isTypeRelatedTo(targetReturnType, sourceReturnType, assignableRelation) || isTypeRelatedTo(sourceReturnType, targetReturnType, assignableRelation)) { return isSignatureAssignableTo( erasedSource, erasedTarget, /*ignoreReturnTypes*/ true ); } return false; } function isEmptyResolvedType(t) { return t !== anyFunctionType && t.properties.length === 0 && t.callSignatures.length === 0 && t.constructSignatures.length === 0 && t.indexInfos.length === 0; } function isEmptyObjectType(type) { return type.flags & 524288 ? !isGenericMappedType(type) && isEmptyResolvedType(resolveStructuredTypeMembers(type)) : type.flags & 67108864 ? true : type.flags & 1048576 ? some(type.types, isEmptyObjectType) : type.flags & 2097152 ? every(type.types, isEmptyObjectType) : false; } function isEmptyAnonymousObjectType(type) { return !!(getObjectFlags(type) & 16 && (type.members && isEmptyResolvedType(type) || type.symbol && type.symbol.flags & 2048 && getMembersOfSymbol(type.symbol).size === 0)); } function isUnknownLikeUnionType(type) { if (strictNullChecks && type.flags & 1048576) { if (!(type.objectFlags & 33554432)) { const types = type.types; type.objectFlags |= 33554432 | (types.length >= 3 && types[0].flags & 32768 && types[1].flags & 65536 && some(types, isEmptyAnonymousObjectType) ? 67108864 : 0); } return !!(type.objectFlags & 67108864); } return false; } function containsUndefinedType(type) { return !!((type.flags & 1048576 ? type.types[0] : type).flags & 32768); } function isStringIndexSignatureOnlyType(type) { return type.flags & 524288 && !isGenericMappedType(type) && getPropertiesOfType(type).length === 0 && getIndexInfosOfType(type).length === 1 && !!getIndexInfoOfType(type, stringType2) || type.flags & 3145728 && every(type.types, isStringIndexSignatureOnlyType) || false; } function isEnumTypeRelatedTo(source, target, errorReporter) { const sourceSymbol = source.flags & 8 ? getParentOfSymbol(source) : source; const targetSymbol = target.flags & 8 ? getParentOfSymbol(target) : target; if (sourceSymbol === targetSymbol) { return true; } if (sourceSymbol.escapedName !== targetSymbol.escapedName || !(sourceSymbol.flags & 256) || !(targetSymbol.flags & 256)) { return false; } const id = getSymbolId(sourceSymbol) + "," + getSymbolId(targetSymbol); const entry = enumRelation.get(id); if (entry !== void 0 && !(!(entry & 4) && entry & 2 && errorReporter)) { return !!(entry & 1); } const targetEnumType = getTypeOfSymbol(targetSymbol); for (const sourceProperty of getPropertiesOfType(getTypeOfSymbol(sourceSymbol))) { if (sourceProperty.flags & 8) { const targetProperty = getPropertyOfType(targetEnumType, sourceProperty.escapedName); if (!targetProperty || !(targetProperty.flags & 8)) { if (errorReporter) { errorReporter(Diagnostics.Property_0_is_missing_in_type_1, symbolName(sourceProperty), typeToString( getDeclaredTypeOfSymbol(targetSymbol), /*enclosingDeclaration*/ void 0, 64 /* UseFullyQualifiedType */ )); enumRelation.set( id, 2 | 4 /* Reported */ ); } else { enumRelation.set( id, 2 /* Failed */ ); } return false; } const sourceValue = getEnumMemberValue(getDeclarationOfKind( sourceProperty, 306 /* EnumMember */ )).value; const targetValue = getEnumMemberValue(getDeclarationOfKind( targetProperty, 306 /* EnumMember */ )).value; if (sourceValue !== targetValue) { const sourceIsString = typeof sourceValue === "string"; const targetIsString = typeof targetValue === "string"; if (sourceValue !== void 0 && targetValue !== void 0) { if (!errorReporter) { enumRelation.set( id, 2 /* Failed */ ); } else { const escapedSource = sourceIsString ? `"${escapeString2(sourceValue)}"` : sourceValue; const escapedTarget = targetIsString ? `"${escapeString2(targetValue)}"` : targetValue; errorReporter(Diagnostics.Each_declaration_of_0_1_differs_in_its_value_where_2_was_expected_but_3_was_given, symbolName(targetSymbol), symbolName(targetProperty), escapedTarget, escapedSource); enumRelation.set( id, 2 | 4 /* Reported */ ); } return false; } if (sourceIsString || targetIsString) { if (!errorReporter) { enumRelation.set( id, 2 /* Failed */ ); } else { const knownStringValue = sourceValue ?? targetValue; Debug.assert(typeof knownStringValue === "string"); const escapedValue = `"${escapeString2(knownStringValue)}"`; errorReporter(Diagnostics.One_value_of_0_1_is_the_string_2_and_the_other_is_assumed_to_be_an_unknown_numeric_value, symbolName(targetSymbol), symbolName(targetProperty), escapedValue); enumRelation.set( id, 2 | 4 /* Reported */ ); } return false; } } } } enumRelation.set( id, 1 /* Succeeded */ ); return true; } function isSimpleTypeRelatedTo(source, target, relation, errorReporter) { const s = source.flags; const t = target.flags; if (t & 1 || s & 131072 || source === wildcardType) return true; if (t & 2 && !(relation === strictSubtypeRelation && s & 1)) return true; if (t & 131072) return false; if (s & 402653316 && t & 4) return true; if (s & 128 && s & 1024 && t & 128 && !(t & 1024) && source.value === target.value) return true; if (s & 296 && t & 8) return true; if (s & 256 && s & 1024 && t & 256 && !(t & 1024) && source.value === target.value) return true; if (s & 2112 && t & 64) return true; if (s & 528 && t & 16) return true; if (s & 12288 && t & 4096) return true; if (s & 32 && t & 32 && source.symbol.escapedName === target.symbol.escapedName && isEnumTypeRelatedTo(source.symbol, target.symbol, errorReporter)) return true; if (s & 1024 && t & 1024) { if (s & 1048576 && t & 1048576 && isEnumTypeRelatedTo(source.symbol, target.symbol, errorReporter)) return true; if (s & 2944 && t & 2944 && source.value === target.value && isEnumTypeRelatedTo(source.symbol, target.symbol, errorReporter)) return true; } if (s & 32768 && (!strictNullChecks && !(t & 3145728) || t & (32768 | 16384))) return true; if (s & 65536 && (!strictNullChecks && !(t & 3145728) || t & 65536)) return true; if (s & 524288 && t & 67108864 && !(relation === strictSubtypeRelation && isEmptyAnonymousObjectType(source) && !(getObjectFlags(source) & 8192))) return true; if (relation === assignableRelation || relation === comparableRelation) { if (s & 1) return true; if (s & 8 && (t & 32 || t & 256 && t & 1024)) return true; if (s & 256 && !(s & 1024) && (t & 32 || t & 256 && t & 1024 && source.value === target.value)) return true; if (isUnknownLikeUnionType(target)) return true; } return false; } function isTypeRelatedTo(source, target, relation) { if (isFreshLiteralType(source)) { source = source.regularType; } if (isFreshLiteralType(target)) { target = target.regularType; } if (source === target) { return true; } if (relation !== identityRelation) { if (relation === comparableRelation && !(target.flags & 131072) && isSimpleTypeRelatedTo(target, source, relation) || isSimpleTypeRelatedTo(source, target, relation)) { return true; } } else if (!((source.flags | target.flags) & (3145728 | 8388608 | 16777216 | 33554432))) { if (source.flags !== target.flags) return false; if (source.flags & 67358815) return true; } if (source.flags & 524288 && target.flags & 524288) { const related = relation.get(getRelationKey( source, target, 0, relation, /*ignoreConstraints*/ false )); if (related !== void 0) { return !!(related & 1); } } if (source.flags & 469499904 || target.flags & 469499904) { return checkTypeRelatedTo( source, target, relation, /*errorNode*/ void 0 ); } return false; } function isIgnoredJsxProperty(source, sourceProp) { return getObjectFlags(source) & 2048 && isHyphenatedJsxName(sourceProp.escapedName); } function getNormalizedType(type, writing) { while (true) { const t = isFreshLiteralType(type) ? type.regularType : isGenericTupleType(type) ? getNormalizedTupleType(type, writing) : getObjectFlags(type) & 4 ? type.node ? createTypeReference(type.target, getTypeArguments(type)) : getSingleBaseForNonAugmentingSubtype(type) || type : type.flags & 3145728 ? getNormalizedUnionOrIntersectionType(type, writing) : type.flags & 33554432 ? writing ? type.baseType : getSubstitutionIntersection(type) : type.flags & 25165824 ? getSimplifiedType(type, writing) : type; if (t === type) return t; type = t; } } function getNormalizedUnionOrIntersectionType(type, writing) { const reduced = getReducedType(type); if (reduced !== type) { return reduced; } if (type.flags & 2097152 && shouldNormalizeIntersection(type)) { const normalizedTypes = sameMap(type.types, (t) => getNormalizedType(t, writing)); if (normalizedTypes !== type.types) { return getIntersectionType(normalizedTypes); } } return type; } function shouldNormalizeIntersection(type) { let hasInstantiable = false; let hasNullableOrEmpty = false; for (const t of type.types) { hasInstantiable || (hasInstantiable = !!(t.flags & 465829888)); hasNullableOrEmpty || (hasNullableOrEmpty = !!(t.flags & 98304) || isEmptyAnonymousObjectType(t)); if (hasInstantiable && hasNullableOrEmpty) return true; } return false; } function getNormalizedTupleType(type, writing) { const elements = getElementTypes(type); const normalizedElements = sameMap(elements, (t) => t.flags & 25165824 ? getSimplifiedType(t, writing) : t); return elements !== normalizedElements ? createNormalizedTupleType(type.target, normalizedElements) : type; } function checkTypeRelatedTo(source, target, relation, errorNode, headMessage, containingMessageChain, errorOutputContainer) { var _a; let errorInfo; let relatedInfo; let maybeKeys; let maybeKeysSet; let sourceStack; let targetStack; let maybeCount = 0; let sourceDepth = 0; let targetDepth = 0; let expandingFlags = 0; let overflow = false; let overrideNextErrorInfo = 0; let skipParentCounter = 0; let lastSkippedInfo; let incompatibleStack; let relationCount = 16e6 - relation.size >> 3; Debug.assert(relation !== identityRelation || !errorNode, "no error reporting in identity checking"); const result = isRelatedTo( source, target, 3, /*reportErrors*/ !!errorNode, headMessage ); if (incompatibleStack) { reportIncompatibleStack(); } if (overflow) { const id = getRelationKey( source, target, /*intersectionState*/ 0, relation, /*ignoreConstraints*/ false ); relation.set( id, 4 | 2 /* Failed */ ); (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.CheckTypes, "checkTypeRelatedTo_DepthLimit", { sourceId: source.id, targetId: target.id, depth: sourceDepth, targetDepth }); const message = relationCount <= 0 ? Diagnostics.Excessive_complexity_comparing_types_0_and_1 : Diagnostics.Excessive_stack_depth_comparing_types_0_and_1; const diag2 = error2(errorNode || currentNode, message, typeToString(source), typeToString(target)); if (errorOutputContainer) { (errorOutputContainer.errors || (errorOutputContainer.errors = [])).push(diag2); } } else if (errorInfo) { if (containingMessageChain) { const chain = containingMessageChain(); if (chain) { concatenateDiagnosticMessageChains(chain, errorInfo); errorInfo = chain; } } let relatedInformation; if (headMessage && errorNode && !result && source.symbol) { const links = getSymbolLinks(source.symbol); if (links.originatingImport && !isImportCall(links.originatingImport)) { const helpfulRetry = checkTypeRelatedTo( getTypeOfSymbol(links.target), target, relation, /*errorNode*/ void 0 ); if (helpfulRetry) { const diag3 = createDiagnosticForNode(links.originatingImport, Diagnostics.Type_originates_at_this_import_A_namespace_style_import_cannot_be_called_or_constructed_and_will_cause_a_failure_at_runtime_Consider_using_a_default_import_or_import_require_here_instead); relatedInformation = append(relatedInformation, diag3); } } } const diag2 = createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(errorNode), errorNode, errorInfo, relatedInformation); if (relatedInfo) { addRelatedInfo(diag2, ...relatedInfo); } if (errorOutputContainer) { (errorOutputContainer.errors || (errorOutputContainer.errors = [])).push(diag2); } if (!errorOutputContainer || !errorOutputContainer.skipLogging) { diagnostics.add(diag2); } } if (errorNode && errorOutputContainer && errorOutputContainer.skipLogging && result === 0) { Debug.assert(!!errorOutputContainer.errors, "missed opportunity to interact with error."); } return result !== 0; function resetErrorInfo(saved) { errorInfo = saved.errorInfo; lastSkippedInfo = saved.lastSkippedInfo; incompatibleStack = saved.incompatibleStack; overrideNextErrorInfo = saved.overrideNextErrorInfo; skipParentCounter = saved.skipParentCounter; relatedInfo = saved.relatedInfo; } function captureErrorCalculationState() { return { errorInfo, lastSkippedInfo, incompatibleStack: incompatibleStack == null ? void 0 : incompatibleStack.slice(), overrideNextErrorInfo, skipParentCounter, relatedInfo: relatedInfo == null ? void 0 : relatedInfo.slice() }; } function reportIncompatibleError(message, ...args) { overrideNextErrorInfo++; lastSkippedInfo = void 0; (incompatibleStack || (incompatibleStack = [])).push([message, ...args]); } function reportIncompatibleStack() { const stack = incompatibleStack || []; incompatibleStack = void 0; const info = lastSkippedInfo; lastSkippedInfo = void 0; if (stack.length === 1) { reportError(...stack[0]); if (info) { reportRelationError( /*message*/ void 0, ...info ); } return; } let path17 = ""; const secondaryRootErrors = []; while (stack.length) { const [msg, ...args] = stack.pop(); switch (msg.code) { case Diagnostics.Types_of_property_0_are_incompatible.code: { if (path17.indexOf("new ") === 0) { path17 = `(${path17})`; } const str = "" + args[0]; if (path17.length === 0) { path17 = `${str}`; } else if (isIdentifierText(str, getEmitScriptTarget(compilerOptions))) { path17 = `${path17}.${str}`; } else if (str[0] === "[" && str[str.length - 1] === "]") { path17 = `${path17}${str}`; } else { path17 = `${path17}[${str}]`; } break; } case Diagnostics.Call_signature_return_types_0_and_1_are_incompatible.code: case Diagnostics.Construct_signature_return_types_0_and_1_are_incompatible.code: case Diagnostics.Call_signatures_with_no_arguments_have_incompatible_return_types_0_and_1.code: case Diagnostics.Construct_signatures_with_no_arguments_have_incompatible_return_types_0_and_1.code: { if (path17.length === 0) { let mappedMsg = msg; if (msg.code === Diagnostics.Call_signatures_with_no_arguments_have_incompatible_return_types_0_and_1.code) { mappedMsg = Diagnostics.Call_signature_return_types_0_and_1_are_incompatible; } else if (msg.code === Diagnostics.Construct_signatures_with_no_arguments_have_incompatible_return_types_0_and_1.code) { mappedMsg = Diagnostics.Construct_signature_return_types_0_and_1_are_incompatible; } secondaryRootErrors.unshift([mappedMsg, args[0], args[1]]); } else { const prefix = msg.code === Diagnostics.Construct_signature_return_types_0_and_1_are_incompatible.code || msg.code === Diagnostics.Construct_signatures_with_no_arguments_have_incompatible_return_types_0_and_1.code ? "new " : ""; const params = msg.code === Diagnostics.Call_signatures_with_no_arguments_have_incompatible_return_types_0_and_1.code || msg.code === Diagnostics.Construct_signatures_with_no_arguments_have_incompatible_return_types_0_and_1.code ? "" : "..."; path17 = `${prefix}${path17}(${params})`; } break; } case Diagnostics.Type_at_position_0_in_source_is_not_compatible_with_type_at_position_1_in_target.code: { secondaryRootErrors.unshift([Diagnostics.Type_at_position_0_in_source_is_not_compatible_with_type_at_position_1_in_target, args[0], args[1]]); break; } case Diagnostics.Type_at_positions_0_through_1_in_source_is_not_compatible_with_type_at_position_2_in_target.code: { secondaryRootErrors.unshift([Diagnostics.Type_at_positions_0_through_1_in_source_is_not_compatible_with_type_at_position_2_in_target, args[0], args[1], args[2]]); break; } default: return Debug.fail(`Unhandled Diagnostic: ${msg.code}`); } } if (path17) { reportError( path17[path17.length - 1] === ")" ? Diagnostics.The_types_returned_by_0_are_incompatible_between_these_types : Diagnostics.The_types_of_0_are_incompatible_between_these_types, path17 ); } else { secondaryRootErrors.shift(); } for (const [msg, ...args] of secondaryRootErrors) { const originalValue = msg.elidedInCompatabilityPyramid; msg.elidedInCompatabilityPyramid = false; reportError(msg, ...args); msg.elidedInCompatabilityPyramid = originalValue; } if (info) { reportRelationError( /*message*/ void 0, ...info ); } } function reportError(message, ...args) { Debug.assert(!!errorNode); if (incompatibleStack) reportIncompatibleStack(); if (message.elidedInCompatabilityPyramid) return; if (skipParentCounter === 0) { errorInfo = chainDiagnosticMessages(errorInfo, message, ...args); } else { skipParentCounter--; } } function reportParentSkippedError(message, ...args) { reportError(message, ...args); skipParentCounter++; } function associateRelatedInfo(info) { Debug.assert(!!errorInfo); if (!relatedInfo) { relatedInfo = [info]; } else { relatedInfo.push(info); } } function reportRelationError(message, source2, target2) { if (incompatibleStack) reportIncompatibleStack(); const [sourceType, targetType] = getTypeNamesForErrorDisplay(source2, target2); let generalizedSource = source2; let generalizedSourceType = sourceType; if (isLiteralType(source2) && !typeCouldHaveTopLevelSingletonTypes(target2)) { generalizedSource = getBaseTypeOfLiteralType(source2); Debug.assert(!isTypeAssignableTo(generalizedSource, target2), "generalized source shouldn't be assignable"); generalizedSourceType = getTypeNameForErrorDisplay(generalizedSource); } const targetFlags = target2.flags & 8388608 && !(source2.flags & 8388608) ? target2.objectType.flags : target2.flags; if (targetFlags & 262144 && target2 !== markerSuperTypeForCheck && target2 !== markerSubTypeForCheck) { const constraint = getBaseConstraintOfType(target2); let needsOriginalSource; if (constraint && (isTypeAssignableTo(generalizedSource, constraint) || (needsOriginalSource = isTypeAssignableTo(source2, constraint)))) { reportError( Diagnostics._0_is_assignable_to_the_constraint_of_type_1_but_1_could_be_instantiated_with_a_different_subtype_of_constraint_2, needsOriginalSource ? sourceType : generalizedSourceType, targetType, typeToString(constraint) ); } else { errorInfo = void 0; reportError( Diagnostics._0_could_be_instantiated_with_an_arbitrary_type_which_could_be_unrelated_to_1, targetType, generalizedSourceType ); } } if (!message) { if (relation === comparableRelation) { message = Diagnostics.Type_0_is_not_comparable_to_type_1; } else if (sourceType === targetType) { message = Diagnostics.Type_0_is_not_assignable_to_type_1_Two_different_types_with_this_name_exist_but_they_are_unrelated; } else if (exactOptionalPropertyTypes && getExactOptionalUnassignableProperties(source2, target2).length) { message = Diagnostics.Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_types_of_the_target_s_properties; } else { if (source2.flags & 128 && target2.flags & 1048576) { const suggestedType = getSuggestedTypeForNonexistentStringLiteralType(source2, target2); if (suggestedType) { reportError(Diagnostics.Type_0_is_not_assignable_to_type_1_Did_you_mean_2, generalizedSourceType, targetType, typeToString(suggestedType)); return; } } message = Diagnostics.Type_0_is_not_assignable_to_type_1; } } else if (message === Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1 && exactOptionalPropertyTypes && getExactOptionalUnassignableProperties(source2, target2).length) { message = Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_types_of_the_target_s_properties; } reportError(message, generalizedSourceType, targetType); } function tryElaborateErrorsForPrimitivesAndObjects(source2, target2) { const sourceType = symbolValueDeclarationIsContextSensitive(source2.symbol) ? typeToString(source2, source2.symbol.valueDeclaration) : typeToString(source2); const targetType = symbolValueDeclarationIsContextSensitive(target2.symbol) ? typeToString(target2, target2.symbol.valueDeclaration) : typeToString(target2); if (globalStringType === source2 && stringType2 === target2 || globalNumberType === source2 && numberType2 === target2 || globalBooleanType === source2 && booleanType2 === target2 || getGlobalESSymbolType() === source2 && esSymbolType === target2) { reportError(Diagnostics._0_is_a_primitive_but_1_is_a_wrapper_object_Prefer_using_0_when_possible, targetType, sourceType); } } function tryElaborateArrayLikeErrors(source2, target2, reportErrors2) { if (isTupleType(source2)) { if (source2.target.readonly && isMutableArrayOrTuple(target2)) { if (reportErrors2) { reportError(Diagnostics.The_type_0_is_readonly_and_cannot_be_assigned_to_the_mutable_type_1, typeToString(source2), typeToString(target2)); } return false; } return isArrayOrTupleType(target2); } if (isReadonlyArrayType(source2) && isMutableArrayOrTuple(target2)) { if (reportErrors2) { reportError(Diagnostics.The_type_0_is_readonly_and_cannot_be_assigned_to_the_mutable_type_1, typeToString(source2), typeToString(target2)); } return false; } if (isTupleType(target2)) { return isArrayType(source2); } return true; } function isRelatedToWorker(source2, target2, reportErrors2) { return isRelatedTo(source2, target2, 3, reportErrors2); } function isRelatedTo(originalSource, originalTarget, recursionFlags = 3, reportErrors2 = false, headMessage2, intersectionState = 0) { if (originalSource === originalTarget) return -1; if (originalSource.flags & 524288 && originalTarget.flags & 402784252) { if (relation === comparableRelation && !(originalTarget.flags & 131072) && isSimpleTypeRelatedTo(originalTarget, originalSource, relation) || isSimpleTypeRelatedTo(originalSource, originalTarget, relation, reportErrors2 ? reportError : void 0)) { return -1; } if (reportErrors2) { reportErrorResults(originalSource, originalTarget, originalSource, originalTarget, headMessage2); } return 0; } const source2 = getNormalizedType( originalSource, /*writing*/ false ); let target2 = getNormalizedType( originalTarget, /*writing*/ true ); if (source2 === target2) return -1; if (relation === identityRelation) { if (source2.flags !== target2.flags) return 0; if (source2.flags & 67358815) return -1; traceUnionsOrIntersectionsTooLarge(source2, target2); return recursiveTypeRelatedTo( source2, target2, /*reportErrors*/ false, 0, recursionFlags ); } if (source2.flags & 262144 && getConstraintOfType(source2) === target2) { return -1; } if (source2.flags & 470302716 && target2.flags & 1048576) { const types = target2.types; const candidate = types.length === 2 && types[0].flags & 98304 ? types[1] : types.length === 3 && types[0].flags & 98304 && types[1].flags & 98304 ? types[2] : void 0; if (candidate && !(candidate.flags & 98304)) { target2 = getNormalizedType( candidate, /*writing*/ true ); if (source2 === target2) return -1; } } if (relation === comparableRelation && !(target2.flags & 131072) && isSimpleTypeRelatedTo(target2, source2, relation) || isSimpleTypeRelatedTo(source2, target2, relation, reportErrors2 ? reportError : void 0)) return -1; if (source2.flags & 469499904 || target2.flags & 469499904) { const isPerformingExcessPropertyChecks = !(intersectionState & 2) && (isObjectLiteralType2(source2) && getObjectFlags(source2) & 8192); if (isPerformingExcessPropertyChecks) { if (hasExcessProperties(source2, target2, reportErrors2)) { if (reportErrors2) { reportRelationError(headMessage2, source2, originalTarget.aliasSymbol ? originalTarget : target2); } return 0; } } const isPerformingCommonPropertyChecks = (relation !== comparableRelation || isUnitType(source2)) && !(intersectionState & 2) && source2.flags & (402784252 | 524288 | 2097152) && source2 !== globalObjectType && target2.flags & (524288 | 2097152) && isWeakType(target2) && (getPropertiesOfType(source2).length > 0 || typeHasCallOrConstructSignatures(source2)); const isComparingJsxAttributes = !!(getObjectFlags(source2) & 2048); if (isPerformingCommonPropertyChecks && !hasCommonProperties(source2, target2, isComparingJsxAttributes)) { if (reportErrors2) { const sourceString = typeToString(originalSource.aliasSymbol ? originalSource : source2); const targetString = typeToString(originalTarget.aliasSymbol ? originalTarget : target2); const calls = getSignaturesOfType( source2, 0 /* Call */ ); const constructs = getSignaturesOfType( source2, 1 /* Construct */ ); if (calls.length > 0 && isRelatedTo( getReturnTypeOfSignature(calls[0]), target2, 1, /*reportErrors*/ false ) || constructs.length > 0 && isRelatedTo( getReturnTypeOfSignature(constructs[0]), target2, 1, /*reportErrors*/ false )) { reportError(Diagnostics.Value_of_type_0_has_no_properties_in_common_with_type_1_Did_you_mean_to_call_it, sourceString, targetString); } else { reportError(Diagnostics.Type_0_has_no_properties_in_common_with_type_1, sourceString, targetString); } } return 0; } traceUnionsOrIntersectionsTooLarge(source2, target2); const skipCaching = source2.flags & 1048576 && source2.types.length < 4 && !(target2.flags & 1048576) || target2.flags & 1048576 && target2.types.length < 4 && !(source2.flags & 469499904); const result2 = skipCaching ? unionOrIntersectionRelatedTo(source2, target2, reportErrors2, intersectionState) : recursiveTypeRelatedTo(source2, target2, reportErrors2, intersectionState, recursionFlags); if (result2) { return result2; } } if (reportErrors2) { reportErrorResults(originalSource, originalTarget, source2, target2, headMessage2); } return 0; } function reportErrorResults(originalSource, originalTarget, source2, target2, headMessage2) { var _a2, _b; const sourceHasBase = !!getSingleBaseForNonAugmentingSubtype(originalSource); const targetHasBase = !!getSingleBaseForNonAugmentingSubtype(originalTarget); source2 = originalSource.aliasSymbol || sourceHasBase ? originalSource : source2; target2 = originalTarget.aliasSymbol || targetHasBase ? originalTarget : target2; let maybeSuppress = overrideNextErrorInfo > 0; if (maybeSuppress) { overrideNextErrorInfo--; } if (source2.flags & 524288 && target2.flags & 524288) { const currentError = errorInfo; tryElaborateArrayLikeErrors( source2, target2, /*reportErrors*/ true ); if (errorInfo !== currentError) { maybeSuppress = !!errorInfo; } } if (source2.flags & 524288 && target2.flags & 402784252) { tryElaborateErrorsForPrimitivesAndObjects(source2, target2); } else if (source2.symbol && source2.flags & 524288 && globalObjectType === source2) { reportError(Diagnostics.The_Object_type_is_assignable_to_very_few_other_types_Did_you_mean_to_use_the_any_type_instead); } else if (getObjectFlags(source2) & 2048 && target2.flags & 2097152) { const targetTypes = target2.types; const intrinsicAttributes = getJsxType(JsxNames.IntrinsicAttributes, errorNode); const intrinsicClassAttributes = getJsxType(JsxNames.IntrinsicClassAttributes, errorNode); if (!isErrorType(intrinsicAttributes) && !isErrorType(intrinsicClassAttributes) && (contains(targetTypes, intrinsicAttributes) || contains(targetTypes, intrinsicClassAttributes))) { return; } } else { errorInfo = elaborateNeverIntersection(errorInfo, originalTarget); } if (!headMessage2 && maybeSuppress) { const savedErrorState = captureErrorCalculationState(); reportRelationError(headMessage2, source2, target2); let canonical; if (errorInfo && errorInfo !== savedErrorState.errorInfo) { canonical = { code: errorInfo.code, messageText: errorInfo.messageText }; } resetErrorInfo(savedErrorState); if (canonical && errorInfo) { errorInfo.canonicalHead = canonical; } lastSkippedInfo = [source2, target2]; return; } reportRelationError(headMessage2, source2, target2); if (source2.flags & 262144 && ((_b = (_a2 = source2.symbol) == null ? void 0 : _a2.declarations) == null ? void 0 : _b[0]) && !getConstraintOfType(source2)) { const syntheticParam = cloneTypeParameter(source2); syntheticParam.constraint = instantiateType(target2, makeUnaryTypeMapper(source2, syntheticParam)); if (hasNonCircularBaseConstraint(syntheticParam)) { const targetConstraintString = typeToString(target2, source2.symbol.declarations[0]); associateRelatedInfo(createDiagnosticForNode(source2.symbol.declarations[0], Diagnostics.This_type_parameter_might_need_an_extends_0_constraint, targetConstraintString)); } } } function traceUnionsOrIntersectionsTooLarge(source2, target2) { if (!tracing) { return; } if (source2.flags & 3145728 && target2.flags & 3145728) { const sourceUnionOrIntersection = source2; const targetUnionOrIntersection = target2; if (sourceUnionOrIntersection.objectFlags & targetUnionOrIntersection.objectFlags & 32768) { return; } const sourceSize = sourceUnionOrIntersection.types.length; const targetSize = targetUnionOrIntersection.types.length; if (sourceSize * targetSize > 1e6) { tracing.instant(tracing.Phase.CheckTypes, "traceUnionsOrIntersectionsTooLarge_DepthLimit", { sourceId: source2.id, sourceSize, targetId: target2.id, targetSize, pos: errorNode == null ? void 0 : errorNode.pos, end: errorNode == null ? void 0 : errorNode.end }); } } } function getTypeOfPropertyInTypes(types, name) { const appendPropType = (propTypes, type) => { var _a2; type = getApparentType(type); const prop = type.flags & 3145728 ? getPropertyOfUnionOrIntersectionType(type, name) : getPropertyOfObjectType(type, name); const propType = prop && getTypeOfSymbol(prop) || ((_a2 = getApplicableIndexInfoForName(type, name)) == null ? void 0 : _a2.type) || undefinedType2; return append(propTypes, propType); }; return getUnionType(reduceLeft( types, appendPropType, /*initial*/ void 0 ) || emptyArray); } function hasExcessProperties(source2, target2, reportErrors2) { var _a2; if (!isExcessPropertyCheckTarget(target2) || !noImplicitAny && getObjectFlags(target2) & 4096) { return false; } const isComparingJsxAttributes = !!(getObjectFlags(source2) & 2048); if ((relation === assignableRelation || relation === comparableRelation) && (isTypeSubsetOf(globalObjectType, target2) || !isComparingJsxAttributes && isEmptyObjectType(target2))) { return false; } let reducedTarget = target2; let checkTypes; if (target2.flags & 1048576) { reducedTarget = findMatchingDiscriminantType(source2, target2, isRelatedTo) || filterPrimitivesIfContainsNonPrimitive(target2); checkTypes = reducedTarget.flags & 1048576 ? reducedTarget.types : [reducedTarget]; } for (const prop of getPropertiesOfType(source2)) { if (shouldCheckAsExcessProperty(prop, source2.symbol) && !isIgnoredJsxProperty(source2, prop)) { if (!isKnownProperty(reducedTarget, prop.escapedName, isComparingJsxAttributes)) { if (reportErrors2) { const errorTarget = filterType(reducedTarget, isExcessPropertyCheckTarget); if (!errorNode) return Debug.fail(); if (isJsxAttributes(errorNode) || isJsxOpeningLikeElement(errorNode) || isJsxOpeningLikeElement(errorNode.parent)) { if (prop.valueDeclaration && isJsxAttribute(prop.valueDeclaration) && getSourceFileOfNode(errorNode) === getSourceFileOfNode(prop.valueDeclaration.name)) { errorNode = prop.valueDeclaration.name; } const propName = symbolToString2(prop); const suggestionSymbol = getSuggestedSymbolForNonexistentJSXAttribute(propName, errorTarget); const suggestion = suggestionSymbol ? symbolToString2(suggestionSymbol) : void 0; if (suggestion) { reportError(Diagnostics.Property_0_does_not_exist_on_type_1_Did_you_mean_2, propName, typeToString(errorTarget), suggestion); } else { reportError(Diagnostics.Property_0_does_not_exist_on_type_1, propName, typeToString(errorTarget)); } } else { const objectLiteralDeclaration = ((_a2 = source2.symbol) == null ? void 0 : _a2.declarations) && firstOrUndefined(source2.symbol.declarations); let suggestion; if (prop.valueDeclaration && findAncestor(prop.valueDeclaration, (d) => d === objectLiteralDeclaration) && getSourceFileOfNode(objectLiteralDeclaration) === getSourceFileOfNode(errorNode)) { const propDeclaration = prop.valueDeclaration; Debug.assertNode(propDeclaration, isObjectLiteralElementLike); const name = propDeclaration.name; errorNode = name; if (isIdentifier(name)) { suggestion = getSuggestionForNonexistentProperty(name, errorTarget); } } if (suggestion !== void 0) { reportParentSkippedError(Diagnostics.Object_literal_may_only_specify_known_properties_but_0_does_not_exist_in_type_1_Did_you_mean_to_write_2, symbolToString2(prop), typeToString(errorTarget), suggestion); } else { reportParentSkippedError(Diagnostics.Object_literal_may_only_specify_known_properties_and_0_does_not_exist_in_type_1, symbolToString2(prop), typeToString(errorTarget)); } } } return true; } if (checkTypes && !isRelatedTo(getTypeOfSymbol(prop), getTypeOfPropertyInTypes(checkTypes, prop.escapedName), 3, reportErrors2)) { if (reportErrors2) { reportIncompatibleError(Diagnostics.Types_of_property_0_are_incompatible, symbolToString2(prop)); } return true; } } } return false; } function shouldCheckAsExcessProperty(prop, container) { return prop.valueDeclaration && container.valueDeclaration && prop.valueDeclaration.parent === container.valueDeclaration; } function unionOrIntersectionRelatedTo(source2, target2, reportErrors2, intersectionState) { if (source2.flags & 1048576) { if (target2.flags & 1048576) { const sourceOrigin = source2.origin; if (sourceOrigin && sourceOrigin.flags & 2097152 && target2.aliasSymbol && contains(sourceOrigin.types, target2)) { return -1; } const targetOrigin = target2.origin; if (targetOrigin && targetOrigin.flags & 1048576 && source2.aliasSymbol && contains(targetOrigin.types, source2)) { return -1; } } return relation === comparableRelation ? someTypeRelatedToType(source2, target2, reportErrors2 && !(source2.flags & 402784252), intersectionState) : eachTypeRelatedToType(source2, target2, reportErrors2 && !(source2.flags & 402784252), intersectionState); } if (target2.flags & 1048576) { return typeRelatedToSomeType(getRegularTypeOfObjectLiteral(source2), target2, reportErrors2 && !(source2.flags & 402784252) && !(target2.flags & 402784252), intersectionState); } if (target2.flags & 2097152) { return typeRelatedToEachType( source2, target2, reportErrors2, 2 /* Target */ ); } if (relation === comparableRelation && target2.flags & 402784252) { const constraints = sameMap(source2.types, (t) => t.flags & 465829888 ? getBaseConstraintOfType(t) || unknownType2 : t); if (constraints !== source2.types) { source2 = getIntersectionType(constraints); if (source2.flags & 131072) { return 0; } if (!(source2.flags & 2097152)) { return isRelatedTo( source2, target2, 1, /*reportErrors*/ false ) || isRelatedTo( target2, source2, 1, /*reportErrors*/ false ); } } } return someTypeRelatedToType( source2, target2, /*reportErrors*/ false, 1 /* Source */ ); } function eachTypeRelatedToSomeType(source2, target2) { let result2 = -1; const sourceTypes = source2.types; for (const sourceType of sourceTypes) { const related = typeRelatedToSomeType( sourceType, target2, /*reportErrors*/ false, 0 /* None */ ); if (!related) { return 0; } result2 &= related; } return result2; } function typeRelatedToSomeType(source2, target2, reportErrors2, intersectionState) { const targetTypes = target2.types; if (target2.flags & 1048576) { if (containsType(targetTypes, source2)) { return -1; } if (relation !== comparableRelation && getObjectFlags(target2) & 32768 && !(source2.flags & 1024) && (source2.flags & (128 | 512 | 2048) || (relation === subtypeRelation || relation === strictSubtypeRelation) && source2.flags & 256)) { const alternateForm = source2 === source2.regularType ? source2.freshType : source2.regularType; const primitive = source2.flags & 128 ? stringType2 : source2.flags & 256 ? numberType2 : source2.flags & 2048 ? bigintType : void 0; return primitive && containsType(targetTypes, primitive) || alternateForm && containsType(targetTypes, alternateForm) ? -1 : 0; } const match = getMatchingUnionConstituentForType(target2, source2); if (match) { const related = isRelatedTo( source2, match, 2, /*reportErrors*/ false, /*headMessage*/ void 0, intersectionState ); if (related) { return related; } } } for (const type of targetTypes) { const related = isRelatedTo( source2, type, 2, /*reportErrors*/ false, /*headMessage*/ void 0, intersectionState ); if (related) { return related; } } if (reportErrors2) { const bestMatchingType = getBestMatchingType(source2, target2, isRelatedTo); if (bestMatchingType) { isRelatedTo( source2, bestMatchingType, 2, /*reportErrors*/ true, /*headMessage*/ void 0, intersectionState ); } } return 0; } function typeRelatedToEachType(source2, target2, reportErrors2, intersectionState) { let result2 = -1; const targetTypes = target2.types; for (const targetType of targetTypes) { const related = isRelatedTo( source2, targetType, 2, reportErrors2, /*headMessage*/ void 0, intersectionState ); if (!related) { return 0; } result2 &= related; } return result2; } function someTypeRelatedToType(source2, target2, reportErrors2, intersectionState) { const sourceTypes = source2.types; if (source2.flags & 1048576 && containsType(sourceTypes, target2)) { return -1; } const len = sourceTypes.length; for (let i = 0; i < len; i++) { const related = isRelatedTo( sourceTypes[i], target2, 1, reportErrors2 && i === len - 1, /*headMessage*/ void 0, intersectionState ); if (related) { return related; } } return 0; } function getUndefinedStrippedTargetIfNeeded(source2, target2) { if (source2.flags & 1048576 && target2.flags & 1048576 && !(source2.types[0].flags & 32768) && target2.types[0].flags & 32768) { return extractTypesOfKind( target2, ~32768 /* Undefined */ ); } return target2; } function eachTypeRelatedToType(source2, target2, reportErrors2, intersectionState) { let result2 = -1; const sourceTypes = source2.types; const undefinedStrippedTarget = getUndefinedStrippedTargetIfNeeded(source2, target2); for (let i = 0; i < sourceTypes.length; i++) { const sourceType = sourceTypes[i]; if (undefinedStrippedTarget.flags & 1048576 && sourceTypes.length >= undefinedStrippedTarget.types.length && sourceTypes.length % undefinedStrippedTarget.types.length === 0) { const related2 = isRelatedTo( sourceType, undefinedStrippedTarget.types[i % undefinedStrippedTarget.types.length], 3, /*reportErrors*/ false, /*headMessage*/ void 0, intersectionState ); if (related2) { result2 &= related2; continue; } } const related = isRelatedTo( sourceType, target2, 1, reportErrors2, /*headMessage*/ void 0, intersectionState ); if (!related) { return 0; } result2 &= related; } return result2; } function typeArgumentsRelatedTo(sources = emptyArray, targets = emptyArray, variances = emptyArray, reportErrors2, intersectionState) { if (sources.length !== targets.length && relation === identityRelation) { return 0; } const length2 = sources.length <= targets.length ? sources.length : targets.length; let result2 = -1; for (let i = 0; i < length2; i++) { const varianceFlags = i < variances.length ? variances[i] : 1; const variance = varianceFlags & 7; if (variance !== 4) { const s = sources[i]; const t = targets[i]; let related = -1; if (varianceFlags & 8) { related = relation === identityRelation ? isRelatedTo( s, t, 3, /*reportErrors*/ false ) : compareTypesIdentical(s, t); } else if (variance === 1) { related = isRelatedTo( s, t, 3, reportErrors2, /*headMessage*/ void 0, intersectionState ); } else if (variance === 2) { related = isRelatedTo( t, s, 3, reportErrors2, /*headMessage*/ void 0, intersectionState ); } else if (variance === 3) { related = isRelatedTo( t, s, 3, /*reportErrors*/ false ); if (!related) { related = isRelatedTo( s, t, 3, reportErrors2, /*headMessage*/ void 0, intersectionState ); } } else { related = isRelatedTo( s, t, 3, reportErrors2, /*headMessage*/ void 0, intersectionState ); if (related) { related &= isRelatedTo( t, s, 3, reportErrors2, /*headMessage*/ void 0, intersectionState ); } } if (!related) { return 0; } result2 &= related; } } return result2; } function recursiveTypeRelatedTo(source2, target2, reportErrors2, intersectionState, recursionFlags) { var _a2, _b, _c; if (overflow) { return 0; } const id = getRelationKey( source2, target2, intersectionState, relation, /*ignoreConstraints*/ false ); const entry = relation.get(id); if (entry !== void 0) { if (reportErrors2 && entry & 2 && !(entry & 4)) { } else { if (outofbandVarianceMarkerHandler) { const saved = entry & 24; if (saved & 8) { instantiateType(source2, reportUnmeasurableMapper); } if (saved & 16) { instantiateType(source2, reportUnreliableMapper); } } return entry & 1 ? -1 : 0; } } if (relationCount <= 0) { overflow = true; return 0; } if (!maybeKeys) { maybeKeys = []; maybeKeysSet = /* @__PURE__ */ new Set(); sourceStack = []; targetStack = []; } else { if (maybeKeysSet.has(id)) { return 3; } const broadestEquivalentId = id.startsWith("*") ? getRelationKey( source2, target2, intersectionState, relation, /*ignoreConstraints*/ true ) : void 0; if (broadestEquivalentId && maybeKeysSet.has(broadestEquivalentId)) { return 3; } if (sourceDepth === 100 || targetDepth === 100) { overflow = true; return 0; } } const maybeStart = maybeCount; maybeKeys[maybeCount] = id; maybeKeysSet.add(id); maybeCount++; const saveExpandingFlags = expandingFlags; if (recursionFlags & 1) { sourceStack[sourceDepth] = source2; sourceDepth++; if (!(expandingFlags & 1) && isDeeplyNestedType(source2, sourceStack, sourceDepth)) expandingFlags |= 1; } if (recursionFlags & 2) { targetStack[targetDepth] = target2; targetDepth++; if (!(expandingFlags & 2) && isDeeplyNestedType(target2, targetStack, targetDepth)) expandingFlags |= 2; } let originalHandler; let propagatingVarianceFlags = 0; if (outofbandVarianceMarkerHandler) { originalHandler = outofbandVarianceMarkerHandler; outofbandVarianceMarkerHandler = (onlyUnreliable) => { propagatingVarianceFlags |= onlyUnreliable ? 16 : 8; return originalHandler(onlyUnreliable); }; } let result2; if (expandingFlags === 3) { (_a2 = tracing) == null ? void 0 : _a2.instant(tracing.Phase.CheckTypes, "recursiveTypeRelatedTo_DepthLimit", { sourceId: source2.id, sourceIdStack: sourceStack.map((t) => t.id), targetId: target2.id, targetIdStack: targetStack.map((t) => t.id), depth: sourceDepth, targetDepth }); result2 = 3; } else { (_b = tracing) == null ? void 0 : _b.push(tracing.Phase.CheckTypes, "structuredTypeRelatedTo", { sourceId: source2.id, targetId: target2.id }); result2 = structuredTypeRelatedTo(source2, target2, reportErrors2, intersectionState); (_c = tracing) == null ? void 0 : _c.pop(); } if (outofbandVarianceMarkerHandler) { outofbandVarianceMarkerHandler = originalHandler; } if (recursionFlags & 1) { sourceDepth--; } if (recursionFlags & 2) { targetDepth--; } expandingFlags = saveExpandingFlags; if (result2) { if (result2 === -1 || sourceDepth === 0 && targetDepth === 0) { if (result2 === -1 || result2 === 3) { resetMaybeStack( /*markAllAsSucceeded*/ true ); } else { resetMaybeStack( /*markAllAsSucceeded*/ false ); } } } else { relation.set(id, (reportErrors2 ? 4 : 0) | 2 | propagatingVarianceFlags); relationCount--; resetMaybeStack( /*markAllAsSucceeded*/ false ); } return result2; function resetMaybeStack(markAllAsSucceeded) { for (let i = maybeStart; i < maybeCount; i++) { maybeKeysSet.delete(maybeKeys[i]); if (markAllAsSucceeded) { relation.set(maybeKeys[i], 1 | propagatingVarianceFlags); relationCount--; } } maybeCount = maybeStart; } } function structuredTypeRelatedTo(source2, target2, reportErrors2, intersectionState) { const saveErrorInfo = captureErrorCalculationState(); let result2 = structuredTypeRelatedToWorker(source2, target2, reportErrors2, intersectionState, saveErrorInfo); if (relation !== identityRelation) { if (!result2 && (source2.flags & 2097152 || source2.flags & 262144 && target2.flags & 1048576)) { const constraint = getEffectiveConstraintOfIntersection(source2.flags & 2097152 ? source2.types : [source2], !!(target2.flags & 1048576)); if (constraint && everyType(constraint, (c) => c !== source2)) { result2 = isRelatedTo( constraint, target2, 1, /*reportErrors*/ false, /*headMessage*/ void 0, intersectionState ); } } if (result2 && !(intersectionState & 2) && target2.flags & 2097152 && !isGenericObjectType(target2) && source2.flags & (524288 | 2097152)) { result2 &= propertiesRelatedTo( source2, target2, reportErrors2, /*excludedProperties*/ void 0, /*optionalsOnly*/ false, 0 /* None */ ); if (result2 && isObjectLiteralType2(source2) && getObjectFlags(source2) & 8192) { result2 &= indexSignaturesRelatedTo( source2, target2, /*sourceIsPrimitive*/ false, reportErrors2, 0 /* None */ ); } } else if (result2 && isNonGenericObjectType(target2) && !isArrayOrTupleType(target2) && source2.flags & 2097152 && getApparentType(source2).flags & 3670016 && !some(source2.types, (t) => t === target2 || !!(getObjectFlags(t) & 262144))) { result2 &= propertiesRelatedTo( source2, target2, reportErrors2, /*excludedProperties*/ void 0, /*optionalsOnly*/ true, intersectionState ); } } if (result2) { resetErrorInfo(saveErrorInfo); } return result2; } function getApparentMappedTypeKeys(nameType, targetType) { const modifiersType = getApparentType(getModifiersTypeFromMappedType(targetType)); const mappedKeys = []; forEachMappedTypePropertyKeyTypeAndIndexSignatureKeyType( modifiersType, 8576, /*stringsOnly*/ false, (t) => void mappedKeys.push(instantiateType(nameType, appendTypeMapping(targetType.mapper, getTypeParameterFromMappedType(targetType), t))) ); return getUnionType(mappedKeys); } function structuredTypeRelatedToWorker(source2, target2, reportErrors2, intersectionState, saveErrorInfo) { let result2; let originalErrorInfo; let varianceCheckFailed = false; let sourceFlags = source2.flags; const targetFlags = target2.flags; if (relation === identityRelation) { if (sourceFlags & 3145728) { let result3 = eachTypeRelatedToSomeType(source2, target2); if (result3) { result3 &= eachTypeRelatedToSomeType(target2, source2); } return result3; } if (sourceFlags & 4194304) { return isRelatedTo( source2.type, target2.type, 3, /*reportErrors*/ false ); } if (sourceFlags & 8388608) { if (result2 = isRelatedTo( source2.objectType, target2.objectType, 3, /*reportErrors*/ false )) { if (result2 &= isRelatedTo( source2.indexType, target2.indexType, 3, /*reportErrors*/ false )) { return result2; } } } if (sourceFlags & 16777216) { if (source2.root.isDistributive === target2.root.isDistributive) { if (result2 = isRelatedTo( source2.checkType, target2.checkType, 3, /*reportErrors*/ false )) { if (result2 &= isRelatedTo( source2.extendsType, target2.extendsType, 3, /*reportErrors*/ false )) { if (result2 &= isRelatedTo( getTrueTypeFromConditionalType(source2), getTrueTypeFromConditionalType(target2), 3, /*reportErrors*/ false )) { if (result2 &= isRelatedTo( getFalseTypeFromConditionalType(source2), getFalseTypeFromConditionalType(target2), 3, /*reportErrors*/ false )) { return result2; } } } } } } if (sourceFlags & 33554432) { if (result2 = isRelatedTo( source2.baseType, target2.baseType, 3, /*reportErrors*/ false )) { if (result2 &= isRelatedTo( source2.constraint, target2.constraint, 3, /*reportErrors*/ false )) { return result2; } } } if (!(sourceFlags & 524288)) { return 0; } } else if (sourceFlags & 3145728 || targetFlags & 3145728) { if (result2 = unionOrIntersectionRelatedTo(source2, target2, reportErrors2, intersectionState)) { return result2; } if (!(sourceFlags & 465829888 || sourceFlags & 524288 && targetFlags & 1048576 || sourceFlags & 2097152 && targetFlags & (524288 | 1048576 | 465829888))) { return 0; } } if (sourceFlags & (524288 | 16777216) && source2.aliasSymbol && source2.aliasTypeArguments && source2.aliasSymbol === target2.aliasSymbol && !(isMarkerType(source2) || isMarkerType(target2))) { const variances = getAliasVariances(source2.aliasSymbol); if (variances === emptyArray) { return 1; } const params = getSymbolLinks(source2.aliasSymbol).typeParameters; const minParams = getMinTypeArgumentCount(params); const sourceTypes = fillMissingTypeArguments(source2.aliasTypeArguments, params, minParams, isInJSFile(source2.aliasSymbol.valueDeclaration)); const targetTypes = fillMissingTypeArguments(target2.aliasTypeArguments, params, minParams, isInJSFile(source2.aliasSymbol.valueDeclaration)); const varianceResult = relateVariances(sourceTypes, targetTypes, variances, intersectionState); if (varianceResult !== void 0) { return varianceResult; } } if (isSingleElementGenericTupleType(source2) && !source2.target.readonly && (result2 = isRelatedTo( getTypeArguments(source2)[0], target2, 1 /* Source */ )) || isSingleElementGenericTupleType(target2) && (target2.target.readonly || isMutableArrayOrTuple(getBaseConstraintOfType(source2) || source2)) && (result2 = isRelatedTo( source2, getTypeArguments(target2)[0], 2 /* Target */ ))) { return result2; } if (targetFlags & 262144) { if (getObjectFlags(source2) & 32 && !source2.declaration.nameType && isRelatedTo( getIndexType(target2), getConstraintTypeFromMappedType(source2), 3 /* Both */ )) { if (!(getMappedTypeModifiers(source2) & 4)) { const templateType = getTemplateTypeFromMappedType(source2); const indexedAccessType = getIndexedAccessType(target2, getTypeParameterFromMappedType(source2)); if (result2 = isRelatedTo(templateType, indexedAccessType, 3, reportErrors2)) { return result2; } } } if (relation === comparableRelation && sourceFlags & 262144) { let constraint = getConstraintOfTypeParameter(source2); if (constraint) { while (constraint && someType(constraint, (c) => !!(c.flags & 262144))) { if (result2 = isRelatedTo( constraint, target2, 1, /*reportErrors*/ false )) { return result2; } constraint = getConstraintOfTypeParameter(constraint); } } return 0; } } else if (targetFlags & 4194304) { const targetType = target2.type; if (sourceFlags & 4194304) { if (result2 = isRelatedTo( targetType, source2.type, 3, /*reportErrors*/ false )) { return result2; } } if (isTupleType(targetType)) { if (result2 = isRelatedTo(source2, getKnownKeysOfTupleType(targetType), 2, reportErrors2)) { return result2; } } else { const constraint = getSimplifiedTypeOrConstraint(targetType); if (constraint) { if (isRelatedTo(source2, getIndexType( constraint, target2.indexFlags | 4 /* NoReducibleCheck */ ), 2, reportErrors2) === -1) { return -1; } } else if (isGenericMappedType(targetType)) { const nameType = getNameTypeFromMappedType(targetType); const constraintType = getConstraintTypeFromMappedType(targetType); let targetKeys; if (nameType && isMappedTypeWithKeyofConstraintDeclaration(targetType)) { const mappedKeys = getApparentMappedTypeKeys(nameType, targetType); targetKeys = getUnionType([mappedKeys, nameType]); } else { targetKeys = nameType || constraintType; } if (isRelatedTo(source2, targetKeys, 2, reportErrors2) === -1) { return -1; } } } } else if (targetFlags & 8388608) { if (sourceFlags & 8388608) { if (result2 = isRelatedTo(source2.objectType, target2.objectType, 3, reportErrors2)) { result2 &= isRelatedTo(source2.indexType, target2.indexType, 3, reportErrors2); } if (result2) { return result2; } if (reportErrors2) { originalErrorInfo = errorInfo; } } if (relation === assignableRelation || relation === comparableRelation) { const objectType2 = target2.objectType; const indexType = target2.indexType; const baseObjectType = getBaseConstraintOfType(objectType2) || objectType2; const baseIndexType = getBaseConstraintOfType(indexType) || indexType; if (!isGenericObjectType(baseObjectType) && !isGenericIndexType(baseIndexType)) { const accessFlags = 4 | (baseObjectType !== objectType2 ? 2 : 0); const constraint = getIndexedAccessTypeOrUndefined(baseObjectType, baseIndexType, accessFlags); if (constraint) { if (reportErrors2 && originalErrorInfo) { resetErrorInfo(saveErrorInfo); } if (result2 = isRelatedTo( source2, constraint, 2, reportErrors2, /*headMessage*/ void 0, intersectionState )) { return result2; } if (reportErrors2 && originalErrorInfo && errorInfo) { errorInfo = countMessageChainBreadth([originalErrorInfo]) <= countMessageChainBreadth([errorInfo]) ? originalErrorInfo : errorInfo; } } } } if (reportErrors2) { originalErrorInfo = void 0; } } else if (isGenericMappedType(target2) && relation !== identityRelation) { const keysRemapped = !!target2.declaration.nameType; const templateType = getTemplateTypeFromMappedType(target2); const modifiers = getMappedTypeModifiers(target2); if (!(modifiers & 8)) { if (!keysRemapped && templateType.flags & 8388608 && templateType.objectType === source2 && templateType.indexType === getTypeParameterFromMappedType(target2)) { return -1; } if (!isGenericMappedType(source2)) { const targetKeys = keysRemapped ? getNameTypeFromMappedType(target2) : getConstraintTypeFromMappedType(target2); const sourceKeys = getIndexType( source2, 2 /* NoIndexSignatures */ ); const includeOptional = modifiers & 4; const filteredByApplicability = includeOptional ? intersectTypes(targetKeys, sourceKeys) : void 0; if (includeOptional ? !(filteredByApplicability.flags & 131072) : isRelatedTo( targetKeys, sourceKeys, 3 /* Both */ )) { const templateType2 = getTemplateTypeFromMappedType(target2); const typeParameter = getTypeParameterFromMappedType(target2); const nonNullComponent = extractTypesOfKind( templateType2, ~98304 /* Nullable */ ); if (!keysRemapped && nonNullComponent.flags & 8388608 && nonNullComponent.indexType === typeParameter) { if (result2 = isRelatedTo(source2, nonNullComponent.objectType, 2, reportErrors2)) { return result2; } } else { const indexingType = keysRemapped ? filteredByApplicability || targetKeys : filteredByApplicability ? getIntersectionType([filteredByApplicability, typeParameter]) : typeParameter; const indexedAccessType = getIndexedAccessType(source2, indexingType); if (result2 = isRelatedTo(indexedAccessType, templateType2, 3, reportErrors2)) { return result2; } } } originalErrorInfo = errorInfo; resetErrorInfo(saveErrorInfo); } } } else if (targetFlags & 16777216) { if (isDeeplyNestedType(target2, targetStack, targetDepth, 10)) { return 3; } const c = target2; if (!c.root.inferTypeParameters && !isDistributionDependent(c.root) && !(source2.flags & 16777216 && source2.root === c.root)) { const skipTrue = !isTypeAssignableTo(getPermissiveInstantiation(c.checkType), getPermissiveInstantiation(c.extendsType)); const skipFalse = !skipTrue && isTypeAssignableTo(getRestrictiveInstantiation(c.checkType), getRestrictiveInstantiation(c.extendsType)); if (result2 = skipTrue ? -1 : isRelatedTo( source2, getTrueTypeFromConditionalType(c), 2, /*reportErrors*/ false, /*headMessage*/ void 0, intersectionState )) { result2 &= skipFalse ? -1 : isRelatedTo( source2, getFalseTypeFromConditionalType(c), 2, /*reportErrors*/ false, /*headMessage*/ void 0, intersectionState ); if (result2) { return result2; } } } } else if (targetFlags & 134217728) { if (sourceFlags & 134217728) { if (relation === comparableRelation) { return templateLiteralTypesDefinitelyUnrelated(source2, target2) ? 0 : -1; } instantiateType(source2, reportUnreliableMapper); } if (isTypeMatchedByTemplateLiteralType(source2, target2)) { return -1; } } else if (target2.flags & 268435456) { if (!(source2.flags & 268435456)) { if (isMemberOfStringMapping(source2, target2)) { return -1; } } } if (sourceFlags & 8650752) { if (!(sourceFlags & 8388608 && targetFlags & 8388608)) { const constraint = getConstraintOfType(source2) || unknownType2; if (result2 = isRelatedTo( constraint, target2, 1, /*reportErrors*/ false, /*headMessage*/ void 0, intersectionState )) { return result2; } else if (result2 = isRelatedTo( getTypeWithThisArgument(constraint, source2), target2, 1, reportErrors2 && constraint !== unknownType2 && !(targetFlags & sourceFlags & 262144), /*headMessage*/ void 0, intersectionState )) { return result2; } if (isMappedTypeGenericIndexedAccess(source2)) { const indexConstraint = getConstraintOfType(source2.indexType); if (indexConstraint) { if (result2 = isRelatedTo(getIndexedAccessType(source2.objectType, indexConstraint), target2, 1, reportErrors2)) { return result2; } } } } } else if (sourceFlags & 4194304) { const isDeferredMappedIndex = shouldDeferIndexType(source2.type, source2.indexFlags) && getObjectFlags(source2.type) & 32; if (result2 = isRelatedTo(stringNumberSymbolType, target2, 1, reportErrors2 && !isDeferredMappedIndex)) { return result2; } if (isDeferredMappedIndex) { const mappedType = source2.type; const nameType = getNameTypeFromMappedType(mappedType); const sourceMappedKeys = nameType && isMappedTypeWithKeyofConstraintDeclaration(mappedType) ? getApparentMappedTypeKeys(nameType, mappedType) : nameType || getConstraintTypeFromMappedType(mappedType); if (result2 = isRelatedTo(sourceMappedKeys, target2, 1, reportErrors2)) { return result2; } } } else if (sourceFlags & 134217728 && !(targetFlags & 524288)) { if (!(targetFlags & 134217728)) { const constraint = getBaseConstraintOfType(source2); if (constraint && constraint !== source2 && (result2 = isRelatedTo(constraint, target2, 1, reportErrors2))) { return result2; } } } else if (sourceFlags & 268435456) { if (targetFlags & 268435456) { if (source2.symbol !== target2.symbol) { return 0; } if (result2 = isRelatedTo(source2.type, target2.type, 3, reportErrors2)) { return result2; } } else { const constraint = getBaseConstraintOfType(source2); if (constraint && (result2 = isRelatedTo(constraint, target2, 1, reportErrors2))) { return result2; } } } else if (sourceFlags & 16777216) { if (isDeeplyNestedType(source2, sourceStack, sourceDepth, 10)) { return 3; } if (targetFlags & 16777216) { const sourceParams = source2.root.inferTypeParameters; let sourceExtends = source2.extendsType; let mapper; if (sourceParams) { const ctx = createInferenceContext( sourceParams, /*signature*/ void 0, 0, isRelatedToWorker ); inferTypes( ctx.inferences, target2.extendsType, sourceExtends, 512 | 1024 /* AlwaysStrict */ ); sourceExtends = instantiateType(sourceExtends, ctx.mapper); mapper = ctx.mapper; } if (isTypeIdenticalTo(sourceExtends, target2.extendsType) && (isRelatedTo( source2.checkType, target2.checkType, 3 /* Both */ ) || isRelatedTo( target2.checkType, source2.checkType, 3 /* Both */ ))) { if (result2 = isRelatedTo(instantiateType(getTrueTypeFromConditionalType(source2), mapper), getTrueTypeFromConditionalType(target2), 3, reportErrors2)) { result2 &= isRelatedTo(getFalseTypeFromConditionalType(source2), getFalseTypeFromConditionalType(target2), 3, reportErrors2); } if (result2) { return result2; } } } const defaultConstraint = getDefaultConstraintOfConditionalType(source2); if (defaultConstraint) { if (result2 = isRelatedTo(defaultConstraint, target2, 1, reportErrors2)) { return result2; } } const distributiveConstraint = !(targetFlags & 16777216) && hasNonCircularBaseConstraint(source2) ? getConstraintOfDistributiveConditionalType(source2) : void 0; if (distributiveConstraint) { resetErrorInfo(saveErrorInfo); if (result2 = isRelatedTo(distributiveConstraint, target2, 1, reportErrors2)) { return result2; } } } else { if (relation !== subtypeRelation && relation !== strictSubtypeRelation && isPartialMappedType(target2) && isEmptyObjectType(source2)) { return -1; } if (isGenericMappedType(target2)) { if (isGenericMappedType(source2)) { if (result2 = mappedTypeRelatedTo(source2, target2, reportErrors2)) { return result2; } } return 0; } const sourceIsPrimitive = !!(sourceFlags & 402784252); if (relation !== identityRelation) { source2 = getApparentType(source2); sourceFlags = source2.flags; } else if (isGenericMappedType(source2)) { return 0; } if (getObjectFlags(source2) & 4 && getObjectFlags(target2) & 4 && source2.target === target2.target && !isTupleType(source2) && !(isMarkerType(source2) || isMarkerType(target2))) { if (isEmptyArrayLiteralType(source2)) { return -1; } const variances = getVariances(source2.target); if (variances === emptyArray) { return 1; } const varianceResult = relateVariances(getTypeArguments(source2), getTypeArguments(target2), variances, intersectionState); if (varianceResult !== void 0) { return varianceResult; } } else if (isReadonlyArrayType(target2) ? everyType(source2, isArrayOrTupleType) : isArrayType(target2) && everyType(source2, (t) => isTupleType(t) && !t.target.readonly)) { if (relation !== identityRelation) { return isRelatedTo(getIndexTypeOfType(source2, numberType2) || anyType2, getIndexTypeOfType(target2, numberType2) || anyType2, 3, reportErrors2); } else { return 0; } } else if (isGenericTupleType(source2) && isTupleType(target2) && !isGenericTupleType(target2)) { const constraint = getBaseConstraintOrType(source2); if (constraint !== source2) { return isRelatedTo(constraint, target2, 1, reportErrors2); } } else if ((relation === subtypeRelation || relation === strictSubtypeRelation) && isEmptyObjectType(target2) && getObjectFlags(target2) & 8192 && !isEmptyObjectType(source2)) { return 0; } if (sourceFlags & (524288 | 2097152) && targetFlags & 524288) { const reportStructuralErrors = reportErrors2 && errorInfo === saveErrorInfo.errorInfo && !sourceIsPrimitive; result2 = propertiesRelatedTo( source2, target2, reportStructuralErrors, /*excludedProperties*/ void 0, /*optionalsOnly*/ false, intersectionState ); if (result2) { result2 &= signaturesRelatedTo(source2, target2, 0, reportStructuralErrors, intersectionState); if (result2) { result2 &= signaturesRelatedTo(source2, target2, 1, reportStructuralErrors, intersectionState); if (result2) { result2 &= indexSignaturesRelatedTo(source2, target2, sourceIsPrimitive, reportStructuralErrors, intersectionState); } } } if (varianceCheckFailed && result2) { errorInfo = originalErrorInfo || errorInfo || saveErrorInfo.errorInfo; } else if (result2) { return result2; } } if (sourceFlags & (524288 | 2097152) && targetFlags & 1048576) { const objectOnlyTarget = extractTypesOfKind( target2, 524288 | 2097152 | 33554432 /* Substitution */ ); if (objectOnlyTarget.flags & 1048576) { const result3 = typeRelatedToDiscriminatedType(source2, objectOnlyTarget); if (result3) { return result3; } } } } return 0; function countMessageChainBreadth(info) { if (!info) return 0; return reduceLeft(info, (value, chain) => value + 1 + countMessageChainBreadth(chain.next), 0); } function relateVariances(sourceTypeArguments, targetTypeArguments, variances, intersectionState2) { if (result2 = typeArgumentsRelatedTo(sourceTypeArguments, targetTypeArguments, variances, reportErrors2, intersectionState2)) { return result2; } if (some(variances, (v) => !!(v & 24))) { originalErrorInfo = void 0; resetErrorInfo(saveErrorInfo); return void 0; } const allowStructuralFallback = targetTypeArguments && hasCovariantVoidArgument(targetTypeArguments, variances); varianceCheckFailed = !allowStructuralFallback; if (variances !== emptyArray && !allowStructuralFallback) { if (varianceCheckFailed && !(reportErrors2 && some( variances, (v) => (v & 7) === 0 /* Invariant */ ))) { return 0; } originalErrorInfo = errorInfo; resetErrorInfo(saveErrorInfo); } } } function mappedTypeRelatedTo(source2, target2, reportErrors2) { const modifiersRelated = relation === comparableRelation || (relation === identityRelation ? getMappedTypeModifiers(source2) === getMappedTypeModifiers(target2) : getCombinedMappedTypeOptionality(source2) <= getCombinedMappedTypeOptionality(target2)); if (modifiersRelated) { let result2; const targetConstraint = getConstraintTypeFromMappedType(target2); const sourceConstraint = instantiateType(getConstraintTypeFromMappedType(source2), getCombinedMappedTypeOptionality(source2) < 0 ? reportUnmeasurableMapper : reportUnreliableMapper); if (result2 = isRelatedTo(targetConstraint, sourceConstraint, 3, reportErrors2)) { const mapper = createTypeMapper([getTypeParameterFromMappedType(source2)], [getTypeParameterFromMappedType(target2)]); if (instantiateType(getNameTypeFromMappedType(source2), mapper) === instantiateType(getNameTypeFromMappedType(target2), mapper)) { return result2 & isRelatedTo(instantiateType(getTemplateTypeFromMappedType(source2), mapper), getTemplateTypeFromMappedType(target2), 3, reportErrors2); } } } return 0; } function typeRelatedToDiscriminatedType(source2, target2) { var _a2; const sourceProperties = getPropertiesOfType(source2); const sourcePropertiesFiltered = findDiscriminantProperties(sourceProperties, target2); if (!sourcePropertiesFiltered) return 0; let numCombinations = 1; for (const sourceProperty of sourcePropertiesFiltered) { numCombinations *= countTypes(getNonMissingTypeOfSymbol(sourceProperty)); if (numCombinations > 25) { (_a2 = tracing) == null ? void 0 : _a2.instant(tracing.Phase.CheckTypes, "typeRelatedToDiscriminatedType_DepthLimit", { sourceId: source2.id, targetId: target2.id, numCombinations }); return 0; } } const sourceDiscriminantTypes = new Array(sourcePropertiesFiltered.length); const excludedProperties = /* @__PURE__ */ new Set(); for (let i = 0; i < sourcePropertiesFiltered.length; i++) { const sourceProperty = sourcePropertiesFiltered[i]; const sourcePropertyType = getNonMissingTypeOfSymbol(sourceProperty); sourceDiscriminantTypes[i] = sourcePropertyType.flags & 1048576 ? sourcePropertyType.types : [sourcePropertyType]; excludedProperties.add(sourceProperty.escapedName); } const discriminantCombinations = cartesianProduct(sourceDiscriminantTypes); const matchingTypes = []; for (const combination of discriminantCombinations) { let hasMatch = false; outer: for (const type of target2.types) { for (let i = 0; i < sourcePropertiesFiltered.length; i++) { const sourceProperty = sourcePropertiesFiltered[i]; const targetProperty = getPropertyOfType(type, sourceProperty.escapedName); if (!targetProperty) continue outer; if (sourceProperty === targetProperty) continue; const related = propertyRelatedTo( source2, target2, sourceProperty, targetProperty, (_) => combination[i], /*reportErrors*/ false, 0, /*skipOptional*/ strictNullChecks || relation === comparableRelation ); if (!related) { continue outer; } } pushIfUnique(matchingTypes, type, equateValues); hasMatch = true; } if (!hasMatch) { return 0; } } let result2 = -1; for (const type of matchingTypes) { result2 &= propertiesRelatedTo( source2, type, /*reportErrors*/ false, excludedProperties, /*optionalsOnly*/ false, 0 /* None */ ); if (result2) { result2 &= signaturesRelatedTo( source2, type, 0, /*reportErrors*/ false, 0 /* None */ ); if (result2) { result2 &= signaturesRelatedTo( source2, type, 1, /*reportErrors*/ false, 0 /* None */ ); if (result2 && !(isTupleType(source2) && isTupleType(type))) { result2 &= indexSignaturesRelatedTo( source2, type, /*sourceIsPrimitive*/ false, /*reportErrors*/ false, 0 /* None */ ); } } } if (!result2) { return result2; } } return result2; } function excludeProperties(properties, excludedProperties) { if (!excludedProperties || properties.length === 0) return properties; let result2; for (let i = 0; i < properties.length; i++) { if (!excludedProperties.has(properties[i].escapedName)) { if (result2) { result2.push(properties[i]); } } else if (!result2) { result2 = properties.slice(0, i); } } return result2 || properties; } function isPropertySymbolTypeRelated(sourceProp, targetProp, getTypeOfSourceProperty, reportErrors2, intersectionState) { const targetIsOptional = strictNullChecks && !!(getCheckFlags(targetProp) & 48); const effectiveTarget = addOptionality( getNonMissingTypeOfSymbol(targetProp), /*isProperty*/ false, targetIsOptional ); const effectiveSource = getTypeOfSourceProperty(sourceProp); return isRelatedTo( effectiveSource, effectiveTarget, 3, reportErrors2, /*headMessage*/ void 0, intersectionState ); } function propertyRelatedTo(source2, target2, sourceProp, targetProp, getTypeOfSourceProperty, reportErrors2, intersectionState, skipOptional) { const sourcePropFlags = getDeclarationModifierFlagsFromSymbol(sourceProp); const targetPropFlags = getDeclarationModifierFlagsFromSymbol(targetProp); if (sourcePropFlags & 2 || targetPropFlags & 2) { if (sourceProp.valueDeclaration !== targetProp.valueDeclaration) { if (reportErrors2) { if (sourcePropFlags & 2 && targetPropFlags & 2) { reportError(Diagnostics.Types_have_separate_declarations_of_a_private_property_0, symbolToString2(targetProp)); } else { reportError(Diagnostics.Property_0_is_private_in_type_1_but_not_in_type_2, symbolToString2(targetProp), typeToString(sourcePropFlags & 2 ? source2 : target2), typeToString(sourcePropFlags & 2 ? target2 : source2)); } } return 0; } } else if (targetPropFlags & 4) { if (!isValidOverrideOf(sourceProp, targetProp)) { if (reportErrors2) { reportError(Diagnostics.Property_0_is_protected_but_type_1_is_not_a_class_derived_from_2, symbolToString2(targetProp), typeToString(getDeclaringClass(sourceProp) || source2), typeToString(getDeclaringClass(targetProp) || target2)); } return 0; } } else if (sourcePropFlags & 4) { if (reportErrors2) { reportError(Diagnostics.Property_0_is_protected_in_type_1_but_public_in_type_2, symbolToString2(targetProp), typeToString(source2), typeToString(target2)); } return 0; } if (relation === strictSubtypeRelation && isReadonlySymbol(sourceProp) && !isReadonlySymbol(targetProp)) { return 0; } const related = isPropertySymbolTypeRelated(sourceProp, targetProp, getTypeOfSourceProperty, reportErrors2, intersectionState); if (!related) { if (reportErrors2) { reportIncompatibleError(Diagnostics.Types_of_property_0_are_incompatible, symbolToString2(targetProp)); } return 0; } if (!skipOptional && sourceProp.flags & 16777216 && targetProp.flags & 106500 && !(targetProp.flags & 16777216)) { if (reportErrors2) { reportError(Diagnostics.Property_0_is_optional_in_type_1_but_required_in_type_2, symbolToString2(targetProp), typeToString(source2), typeToString(target2)); } return 0; } return related; } function reportUnmatchedProperty(source2, target2, unmatchedProperty, requireOptionalProperties) { let shouldSkipElaboration = false; if (unmatchedProperty.valueDeclaration && isNamedDeclaration(unmatchedProperty.valueDeclaration) && isPrivateIdentifier(unmatchedProperty.valueDeclaration.name) && source2.symbol && source2.symbol.flags & 32) { const privateIdentifierDescription = unmatchedProperty.valueDeclaration.name.escapedText; const symbolTableKey = getSymbolNameForPrivateIdentifier(source2.symbol, privateIdentifierDescription); if (symbolTableKey && getPropertyOfType(source2, symbolTableKey)) { const sourceName = factory.getDeclarationName(source2.symbol.valueDeclaration); const targetName = factory.getDeclarationName(target2.symbol.valueDeclaration); reportError( Diagnostics.Property_0_in_type_1_refers_to_a_different_member_that_cannot_be_accessed_from_within_type_2, diagnosticName(privateIdentifierDescription), diagnosticName(sourceName.escapedText === "" ? anon : sourceName), diagnosticName(targetName.escapedText === "" ? anon : targetName) ); return; } } const props = arrayFrom(getUnmatchedProperties( source2, target2, requireOptionalProperties, /*matchDiscriminantProperties*/ false )); if (!headMessage || headMessage.code !== Diagnostics.Class_0_incorrectly_implements_interface_1.code && headMessage.code !== Diagnostics.Class_0_incorrectly_implements_class_1_Did_you_mean_to_extend_1_and_inherit_its_members_as_a_subclass.code) { shouldSkipElaboration = true; } if (props.length === 1) { const propName = symbolToString2( unmatchedProperty, /*enclosingDeclaration*/ void 0, 0, 4 | 16 /* WriteComputedProps */ ); reportError(Diagnostics.Property_0_is_missing_in_type_1_but_required_in_type_2, propName, ...getTypeNamesForErrorDisplay(source2, target2)); if (length(unmatchedProperty.declarations)) { associateRelatedInfo(createDiagnosticForNode(unmatchedProperty.declarations[0], Diagnostics._0_is_declared_here, propName)); } if (shouldSkipElaboration && errorInfo) { overrideNextErrorInfo++; } } else if (tryElaborateArrayLikeErrors( source2, target2, /*reportErrors*/ false )) { if (props.length > 5) { reportError(Diagnostics.Type_0_is_missing_the_following_properties_from_type_1_Colon_2_and_3_more, typeToString(source2), typeToString(target2), map(props.slice(0, 4), (p) => symbolToString2(p)).join(", "), props.length - 4); } else { reportError(Diagnostics.Type_0_is_missing_the_following_properties_from_type_1_Colon_2, typeToString(source2), typeToString(target2), map(props, (p) => symbolToString2(p)).join(", ")); } if (shouldSkipElaboration && errorInfo) { overrideNextErrorInfo++; } } } function propertiesRelatedTo(source2, target2, reportErrors2, excludedProperties, optionalsOnly, intersectionState) { if (relation === identityRelation) { return propertiesIdenticalTo(source2, target2, excludedProperties); } let result2 = -1; if (isTupleType(target2)) { if (isArrayOrTupleType(source2)) { if (!target2.target.readonly && (isReadonlyArrayType(source2) || isTupleType(source2) && source2.target.readonly)) { return 0; } const sourceArity = getTypeReferenceArity(source2); const targetArity = getTypeReferenceArity(target2); const sourceRestFlag = isTupleType(source2) ? source2.target.combinedFlags & 4 : 4; const targetRestFlag = target2.target.combinedFlags & 4; const sourceMinLength = isTupleType(source2) ? source2.target.minLength : 0; const targetMinLength = target2.target.minLength; if (!sourceRestFlag && sourceArity < targetMinLength) { if (reportErrors2) { reportError(Diagnostics.Source_has_0_element_s_but_target_requires_1, sourceArity, targetMinLength); } return 0; } if (!targetRestFlag && targetArity < sourceMinLength) { if (reportErrors2) { reportError(Diagnostics.Source_has_0_element_s_but_target_allows_only_1, sourceMinLength, targetArity); } return 0; } if (!targetRestFlag && (sourceRestFlag || targetArity < sourceArity)) { if (reportErrors2) { if (sourceMinLength < targetMinLength) { reportError(Diagnostics.Target_requires_0_element_s_but_source_may_have_fewer, targetMinLength); } else { reportError(Diagnostics.Target_allows_only_0_element_s_but_source_may_have_more, targetArity); } } return 0; } const sourceTypeArguments = getTypeArguments(source2); const targetTypeArguments = getTypeArguments(target2); const targetStartCount = getStartElementCount( target2.target, 11 /* NonRest */ ); const targetEndCount = getEndElementCount( target2.target, 11 /* NonRest */ ); const targetHasRestElement = target2.target.hasRestElement; let canExcludeDiscriminants = !!excludedProperties; for (let sourcePosition = 0; sourcePosition < sourceArity; sourcePosition++) { const sourceFlags = isTupleType(source2) ? source2.target.elementFlags[sourcePosition] : 4; const sourcePositionFromEnd = sourceArity - 1 - sourcePosition; const targetPosition = targetHasRestElement && sourcePosition >= targetStartCount ? targetArity - 1 - Math.min(sourcePositionFromEnd, targetEndCount) : sourcePosition; const targetFlags = target2.target.elementFlags[targetPosition]; if (targetFlags & 8 && !(sourceFlags & 8)) { if (reportErrors2) { reportError(Diagnostics.Source_provides_no_match_for_variadic_element_at_position_0_in_target, targetPosition); } return 0; } if (sourceFlags & 8 && !(targetFlags & 12)) { if (reportErrors2) { reportError(Diagnostics.Variadic_element_at_position_0_in_source_does_not_match_element_at_position_1_in_target, sourcePosition, targetPosition); } return 0; } if (targetFlags & 1 && !(sourceFlags & 1)) { if (reportErrors2) { reportError(Diagnostics.Source_provides_no_match_for_required_element_at_position_0_in_target, targetPosition); } return 0; } if (canExcludeDiscriminants) { if (sourceFlags & 12 || targetFlags & 12) { canExcludeDiscriminants = false; } if (canExcludeDiscriminants && (excludedProperties == null ? void 0 : excludedProperties.has("" + sourcePosition))) { continue; } } const sourceType = removeMissingType(sourceTypeArguments[sourcePosition], !!(sourceFlags & targetFlags & 2)); const targetType = targetTypeArguments[targetPosition]; const targetCheckType = sourceFlags & 8 && targetFlags & 4 ? createArrayType(targetType) : removeMissingType(targetType, !!(targetFlags & 2)); const related = isRelatedTo( sourceType, targetCheckType, 3, reportErrors2, /*headMessage*/ void 0, intersectionState ); if (!related) { if (reportErrors2 && (targetArity > 1 || sourceArity > 1)) { if (targetHasRestElement && sourcePosition >= targetStartCount && sourcePositionFromEnd >= targetEndCount && targetStartCount !== sourceArity - targetEndCount - 1) { reportIncompatibleError(Diagnostics.Type_at_positions_0_through_1_in_source_is_not_compatible_with_type_at_position_2_in_target, targetStartCount, sourceArity - targetEndCount - 1, targetPosition); } else { reportIncompatibleError(Diagnostics.Type_at_position_0_in_source_is_not_compatible_with_type_at_position_1_in_target, sourcePosition, targetPosition); } } return 0; } result2 &= related; } return result2; } if (target2.target.combinedFlags & 12) { return 0; } } const requireOptionalProperties = (relation === subtypeRelation || relation === strictSubtypeRelation) && !isObjectLiteralType2(source2) && !isEmptyArrayLiteralType(source2) && !isTupleType(source2); const unmatchedProperty = getUnmatchedProperty( source2, target2, requireOptionalProperties, /*matchDiscriminantProperties*/ false ); if (unmatchedProperty) { if (reportErrors2 && shouldReportUnmatchedPropertyError(source2, target2)) { reportUnmatchedProperty(source2, target2, unmatchedProperty, requireOptionalProperties); } return 0; } if (isObjectLiteralType2(target2)) { for (const sourceProp of excludeProperties(getPropertiesOfType(source2), excludedProperties)) { if (!getPropertyOfObjectType(target2, sourceProp.escapedName)) { const sourceType = getTypeOfSymbol(sourceProp); if (!(sourceType.flags & 32768)) { if (reportErrors2) { reportError(Diagnostics.Property_0_does_not_exist_on_type_1, symbolToString2(sourceProp), typeToString(target2)); } return 0; } } } } const properties = getPropertiesOfType(target2); const numericNamesOnly = isTupleType(source2) && isTupleType(target2); for (const targetProp of excludeProperties(properties, excludedProperties)) { const name = targetProp.escapedName; if (!(targetProp.flags & 4194304) && (!numericNamesOnly || isNumericLiteralName(name) || name === "length") && (!optionalsOnly || targetProp.flags & 16777216)) { const sourceProp = getPropertyOfType(source2, name); if (sourceProp && sourceProp !== targetProp) { const related = propertyRelatedTo(source2, target2, sourceProp, targetProp, getNonMissingTypeOfSymbol, reportErrors2, intersectionState, relation === comparableRelation); if (!related) { return 0; } result2 &= related; } } } return result2; } function propertiesIdenticalTo(source2, target2, excludedProperties) { if (!(source2.flags & 524288 && target2.flags & 524288)) { return 0; } const sourceProperties = excludeProperties(getPropertiesOfObjectType(source2), excludedProperties); const targetProperties = excludeProperties(getPropertiesOfObjectType(target2), excludedProperties); if (sourceProperties.length !== targetProperties.length) { return 0; } let result2 = -1; for (const sourceProp of sourceProperties) { const targetProp = getPropertyOfObjectType(target2, sourceProp.escapedName); if (!targetProp) { return 0; } const related = compareProperties2(sourceProp, targetProp, isRelatedTo); if (!related) { return 0; } result2 &= related; } return result2; } function signaturesRelatedTo(source2, target2, kind, reportErrors2, intersectionState) { var _a2, _b; if (relation === identityRelation) { return signaturesIdenticalTo(source2, target2, kind); } if (target2 === anyFunctionType || source2 === anyFunctionType) { return -1; } const sourceIsJSConstructor = source2.symbol && isJSConstructor(source2.symbol.valueDeclaration); const targetIsJSConstructor = target2.symbol && isJSConstructor(target2.symbol.valueDeclaration); const sourceSignatures = getSignaturesOfType( source2, sourceIsJSConstructor && kind === 1 ? 0 : kind ); const targetSignatures = getSignaturesOfType( target2, targetIsJSConstructor && kind === 1 ? 0 : kind ); if (kind === 1 && sourceSignatures.length && targetSignatures.length) { const sourceIsAbstract = !!(sourceSignatures[0].flags & 4); const targetIsAbstract = !!(targetSignatures[0].flags & 4); if (sourceIsAbstract && !targetIsAbstract) { if (reportErrors2) { reportError(Diagnostics.Cannot_assign_an_abstract_constructor_type_to_a_non_abstract_constructor_type); } return 0; } if (!constructorVisibilitiesAreCompatible(sourceSignatures[0], targetSignatures[0], reportErrors2)) { return 0; } } let result2 = -1; const incompatibleReporter = kind === 1 ? reportIncompatibleConstructSignatureReturn : reportIncompatibleCallSignatureReturn; const sourceObjectFlags = getObjectFlags(source2); const targetObjectFlags = getObjectFlags(target2); if (sourceObjectFlags & 64 && targetObjectFlags & 64 && source2.symbol === target2.symbol || sourceObjectFlags & 4 && targetObjectFlags & 4 && source2.target === target2.target) { Debug.assertEqual(sourceSignatures.length, targetSignatures.length); for (let i = 0; i < targetSignatures.length; i++) { const related = signatureRelatedTo( sourceSignatures[i], targetSignatures[i], /*erase*/ true, reportErrors2, intersectionState, incompatibleReporter(sourceSignatures[i], targetSignatures[i]) ); if (!related) { return 0; } result2 &= related; } } else if (sourceSignatures.length === 1 && targetSignatures.length === 1) { const eraseGenerics = relation === comparableRelation; const sourceSignature = first(sourceSignatures); const targetSignature = first(targetSignatures); result2 = signatureRelatedTo(sourceSignature, targetSignature, eraseGenerics, reportErrors2, intersectionState, incompatibleReporter(sourceSignature, targetSignature)); if (!result2 && reportErrors2 && kind === 1 && sourceObjectFlags & targetObjectFlags && (((_a2 = targetSignature.declaration) == null ? void 0 : _a2.kind) === 176 || ((_b = sourceSignature.declaration) == null ? void 0 : _b.kind) === 176)) { const constructSignatureToString = (signature) => signatureToString( signature, /*enclosingDeclaration*/ void 0, 262144, kind ); reportError(Diagnostics.Type_0_is_not_assignable_to_type_1, constructSignatureToString(sourceSignature), constructSignatureToString(targetSignature)); reportError(Diagnostics.Types_of_construct_signatures_are_incompatible); return result2; } } else { outer: for (const t of targetSignatures) { const saveErrorInfo = captureErrorCalculationState(); let shouldElaborateErrors = reportErrors2; for (const s of sourceSignatures) { const related = signatureRelatedTo( s, t, /*erase*/ true, shouldElaborateErrors, intersectionState, incompatibleReporter(s, t) ); if (related) { result2 &= related; resetErrorInfo(saveErrorInfo); continue outer; } shouldElaborateErrors = false; } if (shouldElaborateErrors) { reportError(Diagnostics.Type_0_provides_no_match_for_the_signature_1, typeToString(source2), signatureToString( t, /*enclosingDeclaration*/ void 0, /*flags*/ void 0, kind )); } return 0; } } return result2; } function shouldReportUnmatchedPropertyError(source2, target2) { const typeCallSignatures = getSignaturesOfStructuredType( source2, 0 /* Call */ ); const typeConstructSignatures = getSignaturesOfStructuredType( source2, 1 /* Construct */ ); const typeProperties = getPropertiesOfObjectType(source2); if ((typeCallSignatures.length || typeConstructSignatures.length) && !typeProperties.length) { if (getSignaturesOfType( target2, 0 /* Call */ ).length && typeCallSignatures.length || getSignaturesOfType( target2, 1 /* Construct */ ).length && typeConstructSignatures.length) { return true; } return false; } return true; } function reportIncompatibleCallSignatureReturn(siga, sigb) { if (siga.parameters.length === 0 && sigb.parameters.length === 0) { return (source2, target2) => reportIncompatibleError(Diagnostics.Call_signatures_with_no_arguments_have_incompatible_return_types_0_and_1, typeToString(source2), typeToString(target2)); } return (source2, target2) => reportIncompatibleError(Diagnostics.Call_signature_return_types_0_and_1_are_incompatible, typeToString(source2), typeToString(target2)); } function reportIncompatibleConstructSignatureReturn(siga, sigb) { if (siga.parameters.length === 0 && sigb.parameters.length === 0) { return (source2, target2) => reportIncompatibleError(Diagnostics.Construct_signatures_with_no_arguments_have_incompatible_return_types_0_and_1, typeToString(source2), typeToString(target2)); } return (source2, target2) => reportIncompatibleError(Diagnostics.Construct_signature_return_types_0_and_1_are_incompatible, typeToString(source2), typeToString(target2)); } function signatureRelatedTo(source2, target2, erase, reportErrors2, intersectionState, incompatibleReporter) { const checkMode = relation === subtypeRelation ? 16 : relation === strictSubtypeRelation ? 16 | 8 : 0; return compareSignaturesRelated(erase ? getErasedSignature(source2) : source2, erase ? getErasedSignature(target2) : target2, checkMode, reportErrors2, reportError, incompatibleReporter, isRelatedToWorker2, reportUnreliableMapper); function isRelatedToWorker2(source3, target3, reportErrors3) { return isRelatedTo( source3, target3, 3, reportErrors3, /*headMessage*/ void 0, intersectionState ); } } function signaturesIdenticalTo(source2, target2, kind) { const sourceSignatures = getSignaturesOfType(source2, kind); const targetSignatures = getSignaturesOfType(target2, kind); if (sourceSignatures.length !== targetSignatures.length) { return 0; } let result2 = -1; for (let i = 0; i < sourceSignatures.length; i++) { const related = compareSignaturesIdentical( sourceSignatures[i], targetSignatures[i], /*partialMatch*/ false, /*ignoreThisTypes*/ false, /*ignoreReturnTypes*/ false, isRelatedTo ); if (!related) { return 0; } result2 &= related; } return result2; } function membersRelatedToIndexInfo(source2, targetInfo, reportErrors2, intersectionState) { let result2 = -1; const keyType = targetInfo.keyType; const props = source2.flags & 2097152 ? getPropertiesOfUnionOrIntersectionType(source2) : getPropertiesOfObjectType(source2); for (const prop of props) { if (isIgnoredJsxProperty(source2, prop)) { continue; } if (isApplicableIndexType(getLiteralTypeFromProperty( prop, 8576 /* StringOrNumberLiteralOrUnique */ ), keyType)) { const propType = getNonMissingTypeOfSymbol(prop); const type = exactOptionalPropertyTypes || propType.flags & 32768 || keyType === numberType2 || !(prop.flags & 16777216) ? propType : getTypeWithFacts( propType, 524288 /* NEUndefined */ ); const related = isRelatedTo( type, targetInfo.type, 3, reportErrors2, /*headMessage*/ void 0, intersectionState ); if (!related) { if (reportErrors2) { reportError(Diagnostics.Property_0_is_incompatible_with_index_signature, symbolToString2(prop)); } return 0; } result2 &= related; } } for (const info of getIndexInfosOfType(source2)) { if (isApplicableIndexType(info.keyType, keyType)) { const related = indexInfoRelatedTo(info, targetInfo, reportErrors2, intersectionState); if (!related) { return 0; } result2 &= related; } } return result2; } function indexInfoRelatedTo(sourceInfo, targetInfo, reportErrors2, intersectionState) { const related = isRelatedTo( sourceInfo.type, targetInfo.type, 3, reportErrors2, /*headMessage*/ void 0, intersectionState ); if (!related && reportErrors2) { if (sourceInfo.keyType === targetInfo.keyType) { reportError(Diagnostics._0_index_signatures_are_incompatible, typeToString(sourceInfo.keyType)); } else { reportError(Diagnostics._0_and_1_index_signatures_are_incompatible, typeToString(sourceInfo.keyType), typeToString(targetInfo.keyType)); } } return related; } function indexSignaturesRelatedTo(source2, target2, sourceIsPrimitive, reportErrors2, intersectionState) { if (relation === identityRelation) { return indexSignaturesIdenticalTo(source2, target2); } const indexInfos = getIndexInfosOfType(target2); const targetHasStringIndex = some(indexInfos, (info) => info.keyType === stringType2); let result2 = -1; for (const targetInfo of indexInfos) { const related = relation !== strictSubtypeRelation && !sourceIsPrimitive && targetHasStringIndex && targetInfo.type.flags & 1 ? -1 : isGenericMappedType(source2) && targetHasStringIndex ? isRelatedTo(getTemplateTypeFromMappedType(source2), targetInfo.type, 3, reportErrors2) : typeRelatedToIndexInfo(source2, targetInfo, reportErrors2, intersectionState); if (!related) { return 0; } result2 &= related; } return result2; } function typeRelatedToIndexInfo(source2, targetInfo, reportErrors2, intersectionState) { const sourceInfo = getApplicableIndexInfo(source2, targetInfo.keyType); if (sourceInfo) { return indexInfoRelatedTo(sourceInfo, targetInfo, reportErrors2, intersectionState); } if (!(intersectionState & 1) && (relation !== strictSubtypeRelation || getObjectFlags(source2) & 8192) && isObjectTypeWithInferableIndex(source2)) { return membersRelatedToIndexInfo(source2, targetInfo, reportErrors2, intersectionState); } if (reportErrors2) { reportError(Diagnostics.Index_signature_for_type_0_is_missing_in_type_1, typeToString(targetInfo.keyType), typeToString(source2)); } return 0; } function indexSignaturesIdenticalTo(source2, target2) { const sourceInfos = getIndexInfosOfType(source2); const targetInfos = getIndexInfosOfType(target2); if (sourceInfos.length !== targetInfos.length) { return 0; } for (const targetInfo of targetInfos) { const sourceInfo = getIndexInfoOfType(source2, targetInfo.keyType); if (!(sourceInfo && isRelatedTo( sourceInfo.type, targetInfo.type, 3 /* Both */ ) && sourceInfo.isReadonly === targetInfo.isReadonly)) { return 0; } } return -1; } function constructorVisibilitiesAreCompatible(sourceSignature, targetSignature, reportErrors2) { if (!sourceSignature.declaration || !targetSignature.declaration) { return true; } const sourceAccessibility = getSelectedEffectiveModifierFlags( sourceSignature.declaration, 6 /* NonPublicAccessibilityModifier */ ); const targetAccessibility = getSelectedEffectiveModifierFlags( targetSignature.declaration, 6 /* NonPublicAccessibilityModifier */ ); if (targetAccessibility === 2) { return true; } if (targetAccessibility === 4 && sourceAccessibility !== 2) { return true; } if (targetAccessibility !== 4 && !sourceAccessibility) { return true; } if (reportErrors2) { reportError(Diagnostics.Cannot_assign_a_0_constructor_type_to_a_1_constructor_type, visibilityToString(sourceAccessibility), visibilityToString(targetAccessibility)); } return false; } } function typeCouldHaveTopLevelSingletonTypes(type) { if (type.flags & 16) { return false; } if (type.flags & 3145728) { return !!forEach(type.types, typeCouldHaveTopLevelSingletonTypes); } if (type.flags & 465829888) { const constraint = getConstraintOfType(type); if (constraint && constraint !== type) { return typeCouldHaveTopLevelSingletonTypes(constraint); } } return isUnitType(type) || !!(type.flags & 134217728) || !!(type.flags & 268435456); } function getExactOptionalUnassignableProperties(source, target) { if (isTupleType(source) && isTupleType(target)) return emptyArray; return getPropertiesOfType(target).filter((targetProp) => isExactOptionalPropertyMismatch(getTypeOfPropertyOfType(source, targetProp.escapedName), getTypeOfSymbol(targetProp))); } function isExactOptionalPropertyMismatch(source, target) { return !!source && !!target && maybeTypeOfKind( source, 32768 /* Undefined */ ) && !!containsMissingType(target); } function getExactOptionalProperties(type) { return getPropertiesOfType(type).filter((targetProp) => containsMissingType(getTypeOfSymbol(targetProp))); } function getBestMatchingType(source, target, isRelatedTo = compareTypesAssignable) { return findMatchingDiscriminantType(source, target, isRelatedTo) || findMatchingTypeReferenceOrTypeAliasReference(source, target) || findBestTypeForObjectLiteral(source, target) || findBestTypeForInvokable(source, target) || findMostOverlappyType(source, target); } function discriminateTypeByDiscriminableItems(target, discriminators, related) { const types = target.types; const include = types.map( (t) => t.flags & 402784252 ? 0 : -1 /* True */ ); for (const [getDiscriminatingType, propertyName] of discriminators) { let matched = false; for (let i = 0; i < types.length; i++) { if (include[i]) { const targetType = getTypeOfPropertyOrIndexSignatureOfType(types[i], propertyName); if (targetType && related(getDiscriminatingType(), targetType)) { matched = true; } else { include[i] = 3; } } } for (let i = 0; i < types.length; i++) { if (include[i] === 3) { include[i] = matched ? 0 : -1; } } } const filtered = contains( include, 0 /* False */ ) ? getUnionType( types.filter((_, i) => include[i]), 0 /* None */ ) : target; return filtered.flags & 131072 ? target : filtered; } function isWeakType(type) { if (type.flags & 524288) { const resolved = resolveStructuredTypeMembers(type); return resolved.callSignatures.length === 0 && resolved.constructSignatures.length === 0 && resolved.indexInfos.length === 0 && resolved.properties.length > 0 && every(resolved.properties, (p) => !!(p.flags & 16777216)); } if (type.flags & 33554432) { return isWeakType(type.baseType); } if (type.flags & 2097152) { return every(type.types, isWeakType); } return false; } function hasCommonProperties(source, target, isComparingJsxAttributes) { for (const prop of getPropertiesOfType(source)) { if (isKnownProperty(target, prop.escapedName, isComparingJsxAttributes)) { return true; } } return false; } function getVariances(type) { return type === globalArrayType || type === globalReadonlyArrayType || type.objectFlags & 8 ? arrayVariances : getVariancesWorker(type.symbol, type.typeParameters); } function getAliasVariances(symbol) { return getVariancesWorker(symbol, getSymbolLinks(symbol).typeParameters); } function getVariancesWorker(symbol, typeParameters = emptyArray) { var _a, _b; const links = getSymbolLinks(symbol); if (!links.variances) { (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.CheckTypes, "getVariancesWorker", { arity: typeParameters.length, id: getTypeId(getDeclaredTypeOfSymbol(symbol)) }); const oldVarianceComputation = inVarianceComputation; const saveResolutionStart = resolutionStart; if (!inVarianceComputation) { inVarianceComputation = true; resolutionStart = resolutionTargets.length; } links.variances = emptyArray; const variances = []; for (const tp of typeParameters) { const modifiers = getTypeParameterModifiers(tp); let variance = modifiers & 16384 ? modifiers & 8192 ? 0 : 1 : modifiers & 8192 ? 2 : void 0; if (variance === void 0) { let unmeasurable = false; let unreliable = false; const oldHandler = outofbandVarianceMarkerHandler; outofbandVarianceMarkerHandler = (onlyUnreliable) => onlyUnreliable ? unreliable = true : unmeasurable = true; const typeWithSuper = createMarkerType(symbol, tp, markerSuperType); const typeWithSub = createMarkerType(symbol, tp, markerSubType); variance = (isTypeAssignableTo(typeWithSub, typeWithSuper) ? 1 : 0) | (isTypeAssignableTo(typeWithSuper, typeWithSub) ? 2 : 0); if (variance === 3 && isTypeAssignableTo(createMarkerType(symbol, tp, markerOtherType), typeWithSuper)) { variance = 4; } outofbandVarianceMarkerHandler = oldHandler; if (unmeasurable || unreliable) { if (unmeasurable) { variance |= 8; } if (unreliable) { variance |= 16; } } } variances.push(variance); } if (!oldVarianceComputation) { inVarianceComputation = false; resolutionStart = saveResolutionStart; } links.variances = variances; (_b = tracing) == null ? void 0 : _b.pop({ variances: variances.map(Debug.formatVariance) }); } return links.variances; } function createMarkerType(symbol, source, target) { const mapper = makeUnaryTypeMapper(source, target); const type = getDeclaredTypeOfSymbol(symbol); if (isErrorType(type)) { return type; } const result = symbol.flags & 524288 ? getTypeAliasInstantiation(symbol, instantiateTypes(getSymbolLinks(symbol).typeParameters, mapper)) : createTypeReference(type, instantiateTypes(type.typeParameters, mapper)); markerTypes.add(getTypeId(result)); return result; } function isMarkerType(type) { return markerTypes.has(getTypeId(type)); } function getTypeParameterModifiers(tp) { var _a; return reduceLeft( (_a = tp.symbol) == null ? void 0 : _a.declarations, (modifiers, d) => modifiers | getEffectiveModifierFlags(d), 0 /* None */ ) & (8192 | 16384 | 4096); } function hasCovariantVoidArgument(typeArguments, variances) { for (let i = 0; i < variances.length; i++) { if ((variances[i] & 7) === 1 && typeArguments[i].flags & 16384) { return true; } } return false; } function isUnconstrainedTypeParameter(type) { return type.flags & 262144 && !getConstraintOfTypeParameter(type); } function isNonDeferredTypeReference(type) { return !!(getObjectFlags(type) & 4) && !type.node; } function isTypeReferenceWithGenericArguments(type) { return isNonDeferredTypeReference(type) && some(getTypeArguments(type), (t) => !!(t.flags & 262144) || isTypeReferenceWithGenericArguments(t)); } function getGenericTypeReferenceRelationKey(source, target, postFix, ignoreConstraints) { const typeParameters = []; let constraintMarker = ""; const sourceId = getTypeReferenceId(source, 0); const targetId = getTypeReferenceId(target, 0); return `${constraintMarker}${sourceId},${targetId}${postFix}`; function getTypeReferenceId(type, depth2 = 0) { let result = "" + type.target.id; for (const t of getTypeArguments(type)) { if (t.flags & 262144) { if (ignoreConstraints || isUnconstrainedTypeParameter(t)) { let index = typeParameters.indexOf(t); if (index < 0) { index = typeParameters.length; typeParameters.push(t); } result += "=" + index; continue; } constraintMarker = "*"; } else if (depth2 < 4 && isTypeReferenceWithGenericArguments(t)) { result += "<" + getTypeReferenceId(t, depth2 + 1) + ">"; continue; } result += "-" + t.id; } return result; } } function getRelationKey(source, target, intersectionState, relation, ignoreConstraints) { if (relation === identityRelation && source.id > target.id) { const temp = source; source = target; target = temp; } const postFix = intersectionState ? ":" + intersectionState : ""; return isTypeReferenceWithGenericArguments(source) && isTypeReferenceWithGenericArguments(target) ? getGenericTypeReferenceRelationKey(source, target, postFix, ignoreConstraints) : `${source.id},${target.id}${postFix}`; } function forEachProperty2(prop, callback) { if (getCheckFlags(prop) & 6) { for (const t of prop.links.containingType.types) { const p = getPropertyOfType(t, prop.escapedName); const result = p && forEachProperty2(p, callback); if (result) { return result; } } return void 0; } return callback(prop); } function getDeclaringClass(prop) { return prop.parent && prop.parent.flags & 32 ? getDeclaredTypeOfSymbol(getParentOfSymbol(prop)) : void 0; } function getTypeOfPropertyInBaseClass(property) { const classType = getDeclaringClass(property); const baseClassType = classType && getBaseTypes(classType)[0]; return baseClassType && getTypeOfPropertyOfType(baseClassType, property.escapedName); } function isPropertyInClassDerivedFrom(prop, baseClass) { return forEachProperty2(prop, (sp) => { const sourceClass = getDeclaringClass(sp); return sourceClass ? hasBaseType(sourceClass, baseClass) : false; }); } function isValidOverrideOf(sourceProp, targetProp) { return !forEachProperty2(targetProp, (tp) => getDeclarationModifierFlagsFromSymbol(tp) & 4 ? !isPropertyInClassDerivedFrom(sourceProp, getDeclaringClass(tp)) : false); } function isClassDerivedFromDeclaringClasses(checkClass, prop, writing) { return forEachProperty2(prop, (p) => getDeclarationModifierFlagsFromSymbol(p, writing) & 4 ? !hasBaseType(checkClass, getDeclaringClass(p)) : false) ? void 0 : checkClass; } function isDeeplyNestedType(type, stack, depth2, maxDepth = 3) { if (depth2 >= maxDepth) { if ((getObjectFlags(type) & 96) === 96) { type = getMappedTargetWithSymbol(type); } if (type.flags & 2097152) { return some(type.types, (t) => isDeeplyNestedType(t, stack, depth2, maxDepth)); } const identity22 = getRecursionIdentity(type); let count = 0; let lastTypeId = 0; for (let i = 0; i < depth2; i++) { const t = stack[i]; if (hasMatchingRecursionIdentity(t, identity22)) { if (t.id >= lastTypeId) { count++; if (count >= maxDepth) { return true; } } lastTypeId = t.id; } } } return false; } function getMappedTargetWithSymbol(type) { let target; while ((getObjectFlags(type) & 96) === 96 && (target = getModifiersTypeFromMappedType(type)) && (target.symbol || target.flags & 2097152 && some(target.types, (t) => !!t.symbol))) { type = target; } return type; } function hasMatchingRecursionIdentity(type, identity22) { if ((getObjectFlags(type) & 96) === 96) { type = getMappedTargetWithSymbol(type); } if (type.flags & 2097152) { return some(type.types, (t) => hasMatchingRecursionIdentity(t, identity22)); } return getRecursionIdentity(type) === identity22; } function getRecursionIdentity(type) { if (type.flags & 524288 && !isObjectOrArrayLiteralType(type)) { if (getObjectFlags(type) & 4 && type.node) { return type.node; } if (type.symbol && !(getObjectFlags(type) & 16 && type.symbol.flags & 32)) { return type.symbol; } if (isTupleType(type)) { return type.target; } } if (type.flags & 262144) { return type.symbol; } if (type.flags & 8388608) { do { type = type.objectType; } while (type.flags & 8388608); return type; } if (type.flags & 16777216) { return type.root; } return type; } function isPropertyIdenticalTo(sourceProp, targetProp) { return compareProperties2(sourceProp, targetProp, compareTypesIdentical) !== 0; } function compareProperties2(sourceProp, targetProp, compareTypes) { if (sourceProp === targetProp) { return -1; } const sourcePropAccessibility = getDeclarationModifierFlagsFromSymbol(sourceProp) & 6; const targetPropAccessibility = getDeclarationModifierFlagsFromSymbol(targetProp) & 6; if (sourcePropAccessibility !== targetPropAccessibility) { return 0; } if (sourcePropAccessibility) { if (getTargetSymbol(sourceProp) !== getTargetSymbol(targetProp)) { return 0; } } else { if ((sourceProp.flags & 16777216) !== (targetProp.flags & 16777216)) { return 0; } } if (isReadonlySymbol(sourceProp) !== isReadonlySymbol(targetProp)) { return 0; } return compareTypes(getTypeOfSymbol(sourceProp), getTypeOfSymbol(targetProp)); } function isMatchingSignature(source, target, partialMatch) { const sourceParameterCount = getParameterCount(source); const targetParameterCount = getParameterCount(target); const sourceMinArgumentCount = getMinArgumentCount(source); const targetMinArgumentCount = getMinArgumentCount(target); const sourceHasRestParameter = hasEffectiveRestParameter(source); const targetHasRestParameter = hasEffectiveRestParameter(target); if (sourceParameterCount === targetParameterCount && sourceMinArgumentCount === targetMinArgumentCount && sourceHasRestParameter === targetHasRestParameter) { return true; } if (partialMatch && sourceMinArgumentCount <= targetMinArgumentCount) { return true; } return false; } function compareSignaturesIdentical(source, target, partialMatch, ignoreThisTypes, ignoreReturnTypes, compareTypes) { if (source === target) { return -1; } if (!isMatchingSignature(source, target, partialMatch)) { return 0; } if (length(source.typeParameters) !== length(target.typeParameters)) { return 0; } if (target.typeParameters) { const mapper = createTypeMapper(source.typeParameters, target.typeParameters); for (let i = 0; i < target.typeParameters.length; i++) { const s = source.typeParameters[i]; const t = target.typeParameters[i]; if (!(s === t || compareTypes(instantiateType(getConstraintFromTypeParameter(s), mapper) || unknownType2, getConstraintFromTypeParameter(t) || unknownType2) && compareTypes(instantiateType(getDefaultFromTypeParameter(s), mapper) || unknownType2, getDefaultFromTypeParameter(t) || unknownType2))) { return 0; } } source = instantiateSignature( source, mapper, /*eraseTypeParameters*/ true ); } let result = -1; if (!ignoreThisTypes) { const sourceThisType = getThisTypeOfSignature(source); if (sourceThisType) { const targetThisType = getThisTypeOfSignature(target); if (targetThisType) { const related = compareTypes(sourceThisType, targetThisType); if (!related) { return 0; } result &= related; } } } const targetLen = getParameterCount(target); for (let i = 0; i < targetLen; i++) { const s = getTypeAtPosition(source, i); const t = getTypeAtPosition(target, i); const related = compareTypes(t, s); if (!related) { return 0; } result &= related; } if (!ignoreReturnTypes) { const sourceTypePredicate = getTypePredicateOfSignature(source); const targetTypePredicate = getTypePredicateOfSignature(target); result &= sourceTypePredicate || targetTypePredicate ? compareTypePredicatesIdentical(sourceTypePredicate, targetTypePredicate, compareTypes) : compareTypes(getReturnTypeOfSignature(source), getReturnTypeOfSignature(target)); } return result; } function compareTypePredicatesIdentical(source, target, compareTypes) { return !(source && target && typePredicateKindsMatch(source, target)) ? 0 : source.type === target.type ? -1 : source.type && target.type ? compareTypes(source.type, target.type) : 0; } function literalTypesWithSameBaseType(types) { let commonBaseType; for (const t of types) { if (!(t.flags & 131072)) { const baseType = getBaseTypeOfLiteralType(t); commonBaseType ?? (commonBaseType = baseType); if (baseType === t || baseType !== commonBaseType) { return false; } } } return true; } function getCombinedTypeFlags(types) { return reduceLeft(types, (flags, t) => flags | (t.flags & 1048576 ? getCombinedTypeFlags(t.types) : t.flags), 0); } function getCommonSupertype(types) { if (types.length === 1) { return types[0]; } const primaryTypes = strictNullChecks ? sameMap(types, (t) => filterType(t, (u) => !(u.flags & 98304))) : types; const superTypeOrUnion = literalTypesWithSameBaseType(primaryTypes) ? getUnionType(primaryTypes) : reduceLeft(primaryTypes, (s, t) => isTypeSubtypeOf(s, t) ? t : s); return primaryTypes === types ? superTypeOrUnion : getNullableType( superTypeOrUnion, getCombinedTypeFlags(types) & 98304 /* Nullable */ ); } function getCommonSubtype(types) { return reduceLeft(types, (s, t) => isTypeSubtypeOf(t, s) ? t : s); } function isArrayType(type) { return !!(getObjectFlags(type) & 4) && (type.target === globalArrayType || type.target === globalReadonlyArrayType); } function isReadonlyArrayType(type) { return !!(getObjectFlags(type) & 4) && type.target === globalReadonlyArrayType; } function isArrayOrTupleType(type) { return isArrayType(type) || isTupleType(type); } function isMutableArrayOrTuple(type) { return isArrayType(type) && !isReadonlyArrayType(type) || isTupleType(type) && !type.target.readonly; } function getElementTypeOfArrayType(type) { return isArrayType(type) ? getTypeArguments(type)[0] : void 0; } function isArrayLikeType(type) { return isArrayType(type) || !(type.flags & 98304) && isTypeAssignableTo(type, anyReadonlyArrayType); } function isMutableArrayLikeType(type) { return isMutableArrayOrTuple(type) || !(type.flags & (1 | 98304)) && isTypeAssignableTo(type, anyArrayType); } function getSingleBaseForNonAugmentingSubtype(type) { if (!(getObjectFlags(type) & 4) || !(getObjectFlags(type.target) & 3)) { return void 0; } if (getObjectFlags(type) & 33554432) { return getObjectFlags(type) & 67108864 ? type.cachedEquivalentBaseType : void 0; } type.objectFlags |= 33554432; const target = type.target; if (getObjectFlags(target) & 1) { const baseTypeNode = getBaseTypeNodeOfClass(target); if (baseTypeNode && baseTypeNode.expression.kind !== 80 && baseTypeNode.expression.kind !== 211) { return void 0; } } const bases = getBaseTypes(target); if (bases.length !== 1) { return void 0; } if (getMembersOfSymbol(type.symbol).size) { return void 0; } let instantiatedBase = !length(target.typeParameters) ? bases[0] : instantiateType(bases[0], createTypeMapper(target.typeParameters, getTypeArguments(type).slice(0, target.typeParameters.length))); if (length(getTypeArguments(type)) > length(target.typeParameters)) { instantiatedBase = getTypeWithThisArgument(instantiatedBase, last(getTypeArguments(type))); } type.objectFlags |= 67108864; return type.cachedEquivalentBaseType = instantiatedBase; } function isEmptyLiteralType(type) { return strictNullChecks ? type === implicitNeverType : type === undefinedWideningType; } function isEmptyArrayLiteralType(type) { const elementType = getElementTypeOfArrayType(type); return !!elementType && isEmptyLiteralType(elementType); } function isTupleLikeType(type) { let lengthType; return isTupleType(type) || !!getPropertyOfType(type, "0") || isArrayLikeType(type) && !!(lengthType = getTypeOfPropertyOfType(type, "length")) && everyType(lengthType, (t) => !!(t.flags & 256)); } function isArrayOrTupleLikeType(type) { return isArrayLikeType(type) || isTupleLikeType(type); } function getTupleElementType(type, index) { const propType = getTypeOfPropertyOfType(type, "" + index); if (propType) { return propType; } if (everyType(type, isTupleType)) { return getTupleElementTypeOutOfStartCount(type, index, compilerOptions.noUncheckedIndexedAccess ? undefinedType2 : void 0); } return void 0; } function isNeitherUnitTypeNorNever(type) { return !(type.flags & (109472 | 131072)); } function isUnitType(type) { return !!(type.flags & 109472); } function isUnitLikeType(type) { const t = getBaseConstraintOrType(type); return t.flags & 2097152 ? some(t.types, isUnitType) : isUnitType(t); } function extractUnitType(type) { return type.flags & 2097152 ? find(type.types, isUnitType) || type : type; } function isLiteralType(type) { return type.flags & 16 ? true : type.flags & 1048576 ? type.flags & 1024 ? true : every(type.types, isUnitType) : isUnitType(type); } function getBaseTypeOfLiteralType(type) { return type.flags & 1056 ? getBaseTypeOfEnumLikeType(type) : type.flags & (128 | 134217728 | 268435456) ? stringType2 : type.flags & 256 ? numberType2 : type.flags & 2048 ? bigintType : type.flags & 512 ? booleanType2 : type.flags & 1048576 ? getBaseTypeOfLiteralTypeUnion(type) : type; } function getBaseTypeOfLiteralTypeUnion(type) { const key = `B${getTypeId(type)}`; return getCachedType(key) ?? setCachedType(key, mapType2(type, getBaseTypeOfLiteralType)); } function getBaseTypeOfLiteralTypeForComparison(type) { return type.flags & (128 | 134217728 | 268435456) ? stringType2 : type.flags & (256 | 32) ? numberType2 : type.flags & 2048 ? bigintType : type.flags & 512 ? booleanType2 : type.flags & 1048576 ? mapType2(type, getBaseTypeOfLiteralTypeForComparison) : type; } function getWidenedLiteralType(type) { return type.flags & 1056 && isFreshLiteralType(type) ? getBaseTypeOfEnumLikeType(type) : type.flags & 128 && isFreshLiteralType(type) ? stringType2 : type.flags & 256 && isFreshLiteralType(type) ? numberType2 : type.flags & 2048 && isFreshLiteralType(type) ? bigintType : type.flags & 512 && isFreshLiteralType(type) ? booleanType2 : type.flags & 1048576 ? mapType2(type, getWidenedLiteralType) : type; } function getWidenedUniqueESSymbolType(type) { return type.flags & 8192 ? esSymbolType : type.flags & 1048576 ? mapType2(type, getWidenedUniqueESSymbolType) : type; } function getWidenedLiteralLikeTypeForContextualType(type, contextualType) { if (!isLiteralOfContextualType(type, contextualType)) { type = getWidenedUniqueESSymbolType(getWidenedLiteralType(type)); } return getRegularTypeOfLiteralType(type); } function getWidenedLiteralLikeTypeForContextualReturnTypeIfNeeded(type, contextualSignatureReturnType, isAsync2) { if (type && isUnitType(type)) { const contextualType = !contextualSignatureReturnType ? void 0 : isAsync2 ? getPromisedTypeOfPromise(contextualSignatureReturnType) : contextualSignatureReturnType; type = getWidenedLiteralLikeTypeForContextualType(type, contextualType); } return type; } function getWidenedLiteralLikeTypeForContextualIterationTypeIfNeeded(type, contextualSignatureReturnType, kind, isAsyncGenerator) { if (type && isUnitType(type)) { const contextualType = !contextualSignatureReturnType ? void 0 : getIterationTypeOfGeneratorFunctionReturnType(kind, contextualSignatureReturnType, isAsyncGenerator); type = getWidenedLiteralLikeTypeForContextualType(type, contextualType); } return type; } function isTupleType(type) { return !!(getObjectFlags(type) & 4 && type.target.objectFlags & 8); } function isGenericTupleType(type) { return isTupleType(type) && !!(type.target.combinedFlags & 8); } function isSingleElementGenericTupleType(type) { return isGenericTupleType(type) && type.target.elementFlags.length === 1; } function getRestTypeOfTupleType(type) { return getElementTypeOfSliceOfTupleType(type, type.target.fixedLength); } function getTupleElementTypeOutOfStartCount(type, index, undefinedOrMissingType2) { return mapType2(type, (t) => { const tupleType2 = t; const restType = getRestTypeOfTupleType(tupleType2); if (!restType) { return undefinedType2; } if (undefinedOrMissingType2 && index >= getTotalFixedElementCount(tupleType2.target)) { return getUnionType([restType, undefinedOrMissingType2]); } return restType; }); } function getRestArrayTypeOfTupleType(type) { const restType = getRestTypeOfTupleType(type); return restType && createArrayType(restType); } function getElementTypeOfSliceOfTupleType(type, index, endSkipCount = 0, writing = false, noReductions = false) { const length2 = getTypeReferenceArity(type) - endSkipCount; if (index < length2) { const typeArguments = getTypeArguments(type); const elementTypes = []; for (let i = index; i < length2; i++) { const t = typeArguments[i]; elementTypes.push(type.target.elementFlags[i] & 8 ? getIndexedAccessType(t, numberType2) : t); } return writing ? getIntersectionType(elementTypes) : getUnionType( elementTypes, noReductions ? 0 : 1 /* Literal */ ); } return void 0; } function isTupleTypeStructureMatching(t1, t2) { return getTypeReferenceArity(t1) === getTypeReferenceArity(t2) && every(t1.target.elementFlags, (f, i) => (f & 12) === (t2.target.elementFlags[i] & 12)); } function isZeroBigInt({ value }) { return value.base10Value === "0"; } function removeDefinitelyFalsyTypes(type) { return filterType(type, (t) => hasTypeFacts( t, 4194304 /* Truthy */ )); } function extractDefinitelyFalsyTypes(type) { return mapType2(type, getDefinitelyFalsyPartOfType); } function getDefinitelyFalsyPartOfType(type) { return type.flags & 4 ? emptyStringType : type.flags & 8 ? zeroType : type.flags & 64 ? zeroBigIntType : type === regularFalseType || type === falseType || type.flags & (16384 | 32768 | 65536 | 3) || type.flags & 128 && type.value === "" || type.flags & 256 && type.value === 0 || type.flags & 2048 && isZeroBigInt(type) ? type : neverType2; } function getNullableType(type, flags) { const missing = flags & ~type.flags & (32768 | 65536); return missing === 0 ? type : missing === 32768 ? getUnionType([type, undefinedType2]) : missing === 65536 ? getUnionType([type, nullType2]) : getUnionType([type, undefinedType2, nullType2]); } function getOptionalType(type, isProperty2 = false) { Debug.assert(strictNullChecks); const missingOrUndefined = isProperty2 ? undefinedOrMissingType : undefinedType2; return type === missingOrUndefined || type.flags & 1048576 && type.types[0] === missingOrUndefined ? type : getUnionType([type, missingOrUndefined]); } function getGlobalNonNullableTypeInstantiation(type) { if (!deferredGlobalNonNullableTypeAlias) { deferredGlobalNonNullableTypeAlias = getGlobalSymbol( "NonNullable", 524288, /*diagnostic*/ void 0 ) || unknownSymbol; } return deferredGlobalNonNullableTypeAlias !== unknownSymbol ? getTypeAliasInstantiation(deferredGlobalNonNullableTypeAlias, [type]) : getIntersectionType([type, emptyObjectType]); } function getNonNullableType(type) { return strictNullChecks ? getAdjustedTypeWithFacts( type, 2097152 /* NEUndefinedOrNull */ ) : type; } function addOptionalTypeMarker(type) { return strictNullChecks ? getUnionType([type, optionalType2]) : type; } function removeOptionalTypeMarker(type) { return strictNullChecks ? removeType(type, optionalType2) : type; } function propagateOptionalTypeMarker(type, node, wasOptional) { return wasOptional ? isOutermostOptionalChain(node) ? getOptionalType(type) : addOptionalTypeMarker(type) : type; } function getOptionalExpressionType(exprType, expression) { return isExpressionOfOptionalChainRoot(expression) ? getNonNullableType(exprType) : isOptionalChain(expression) ? removeOptionalTypeMarker(exprType) : exprType; } function removeMissingType(type, isOptional) { return exactOptionalPropertyTypes && isOptional ? removeType(type, missingType) : type; } function containsMissingType(type) { return type === missingType || !!(type.flags & 1048576) && type.types[0] === missingType; } function removeMissingOrUndefinedType(type) { return exactOptionalPropertyTypes ? removeType(type, missingType) : getTypeWithFacts( type, 524288 /* NEUndefined */ ); } function isCoercibleUnderDoubleEquals(source, target) { return (source.flags & (8 | 4 | 512)) !== 0 && (target.flags & (8 | 4 | 16)) !== 0; } function isObjectTypeWithInferableIndex(type) { const objectFlags = getObjectFlags(type); return type.flags & 2097152 ? every(type.types, isObjectTypeWithInferableIndex) : !!(type.symbol && (type.symbol.flags & (4096 | 2048 | 384 | 512)) !== 0 && !(type.symbol.flags & 32) && !typeHasCallOrConstructSignatures(type)) || !!(objectFlags & 4194304) || !!(objectFlags & 1024 && isObjectTypeWithInferableIndex(type.source)); } function createSymbolWithType(source, type) { const symbol = createSymbol( source.flags, source.escapedName, getCheckFlags(source) & 8 /* Readonly */ ); symbol.declarations = source.declarations; symbol.parent = source.parent; symbol.links.type = type; symbol.links.target = source; if (source.valueDeclaration) { symbol.valueDeclaration = source.valueDeclaration; } const nameType = getSymbolLinks(source).nameType; if (nameType) { symbol.links.nameType = nameType; } return symbol; } function transformTypeOfMembers(type, f) { const members = createSymbolTable(); for (const property of getPropertiesOfObjectType(type)) { const original = getTypeOfSymbol(property); const updated = f(original); members.set(property.escapedName, updated === original ? property : createSymbolWithType(property, updated)); } return members; } function getRegularTypeOfObjectLiteral(type) { if (!(isObjectLiteralType2(type) && getObjectFlags(type) & 8192)) { return type; } const regularType = type.regularType; if (regularType) { return regularType; } const resolved = type; const members = transformTypeOfMembers(type, getRegularTypeOfObjectLiteral); const regularNew = createAnonymousType(resolved.symbol, members, resolved.callSignatures, resolved.constructSignatures, resolved.indexInfos); regularNew.flags = resolved.flags; regularNew.objectFlags |= resolved.objectFlags & ~8192; type.regularType = regularNew; return regularNew; } function createWideningContext(parent2, propertyName, siblings) { return { parent: parent2, propertyName, siblings, resolvedProperties: void 0 }; } function getSiblingsOfContext(context) { if (!context.siblings) { const siblings = []; for (const type of getSiblingsOfContext(context.parent)) { if (isObjectLiteralType2(type)) { const prop = getPropertyOfObjectType(type, context.propertyName); if (prop) { forEachType(getTypeOfSymbol(prop), (t) => { siblings.push(t); }); } } } context.siblings = siblings; } return context.siblings; } function getPropertiesOfContext(context) { if (!context.resolvedProperties) { const names = /* @__PURE__ */ new Map(); for (const t of getSiblingsOfContext(context)) { if (isObjectLiteralType2(t) && !(getObjectFlags(t) & 2097152)) { for (const prop of getPropertiesOfType(t)) { names.set(prop.escapedName, prop); } } } context.resolvedProperties = arrayFrom(names.values()); } return context.resolvedProperties; } function getWidenedProperty(prop, context) { if (!(prop.flags & 4)) { return prop; } const original = getTypeOfSymbol(prop); const propContext = context && createWideningContext( context, prop.escapedName, /*siblings*/ void 0 ); const widened = getWidenedTypeWithContext(original, propContext); return widened === original ? prop : createSymbolWithType(prop, widened); } function getUndefinedProperty(prop) { const cached = undefinedProperties.get(prop.escapedName); if (cached) { return cached; } const result = createSymbolWithType(prop, undefinedOrMissingType); result.flags |= 16777216; undefinedProperties.set(prop.escapedName, result); return result; } function getWidenedTypeOfObjectLiteral(type, context) { const members = createSymbolTable(); for (const prop of getPropertiesOfObjectType(type)) { members.set(prop.escapedName, getWidenedProperty(prop, context)); } if (context) { for (const prop of getPropertiesOfContext(context)) { if (!members.has(prop.escapedName)) { members.set(prop.escapedName, getUndefinedProperty(prop)); } } } const result = createAnonymousType(type.symbol, members, emptyArray, emptyArray, sameMap(getIndexInfosOfType(type), (info) => createIndexInfo(info.keyType, getWidenedType(info.type), info.isReadonly))); result.objectFlags |= getObjectFlags(type) & (4096 | 262144); return result; } function getWidenedType(type) { return getWidenedTypeWithContext( type, /*context*/ void 0 ); } function getWidenedTypeWithContext(type, context) { if (getObjectFlags(type) & 196608) { if (context === void 0 && type.widened) { return type.widened; } let result; if (type.flags & (1 | 98304)) { result = anyType2; } else if (isObjectLiteralType2(type)) { result = getWidenedTypeOfObjectLiteral(type, context); } else if (type.flags & 1048576) { const unionContext = context || createWideningContext( /*parent*/ void 0, /*propertyName*/ void 0, type.types ); const widenedTypes = sameMap(type.types, (t) => t.flags & 98304 ? t : getWidenedTypeWithContext(t, unionContext)); result = getUnionType( widenedTypes, some(widenedTypes, isEmptyObjectType) ? 2 : 1 /* Literal */ ); } else if (type.flags & 2097152) { result = getIntersectionType(sameMap(type.types, getWidenedType)); } else if (isArrayOrTupleType(type)) { result = createTypeReference(type.target, sameMap(getTypeArguments(type), getWidenedType)); } if (result && context === void 0) { type.widened = result; } return result || type; } return type; } function reportWideningErrorsInType(type) { let errorReported = false; if (getObjectFlags(type) & 65536) { if (type.flags & 1048576) { if (some(type.types, isEmptyObjectType)) { errorReported = true; } else { for (const t of type.types) { if (reportWideningErrorsInType(t)) { errorReported = true; } } } } if (isArrayOrTupleType(type)) { for (const t of getTypeArguments(type)) { if (reportWideningErrorsInType(t)) { errorReported = true; } } } if (isObjectLiteralType2(type)) { for (const p of getPropertiesOfObjectType(type)) { const t = getTypeOfSymbol(p); if (getObjectFlags(t) & 65536) { if (!reportWideningErrorsInType(t)) { error2(p.valueDeclaration, Diagnostics.Object_literal_s_property_0_implicitly_has_an_1_type, symbolToString2(p), typeToString(getWidenedType(t))); } errorReported = true; } } } } return errorReported; } function reportImplicitAny(declaration, type, wideningKind) { const typeAsString = typeToString(getWidenedType(type)); if (isInJSFile(declaration) && !isCheckJsEnabledForFile(getSourceFileOfNode(declaration), compilerOptions)) { return; } let diagnostic; switch (declaration.kind) { case 226: case 172: case 171: diagnostic = noImplicitAny ? Diagnostics.Member_0_implicitly_has_an_1_type : Diagnostics.Member_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage; break; case 169: const param = declaration; if (isIdentifier(param.name)) { const originalKeywordKind = identifierToKeywordKind(param.name); if ((isCallSignatureDeclaration(param.parent) || isMethodSignature(param.parent) || isFunctionTypeNode(param.parent)) && param.parent.parameters.includes(param) && (resolveName( param, param.name.escapedText, 788968, /*nameNotFoundMessage*/ void 0, /*isUse*/ true ) || originalKeywordKind && isTypeNodeKind(originalKeywordKind))) { const newName = "arg" + param.parent.parameters.indexOf(param); const typeName = declarationNameToString(param.name) + (param.dotDotDotToken ? "[]" : ""); errorOrSuggestion(noImplicitAny, declaration, Diagnostics.Parameter_has_a_name_but_no_type_Did_you_mean_0_Colon_1, newName, typeName); return; } } diagnostic = declaration.dotDotDotToken ? noImplicitAny ? Diagnostics.Rest_parameter_0_implicitly_has_an_any_type : Diagnostics.Rest_parameter_0_implicitly_has_an_any_type_but_a_better_type_may_be_inferred_from_usage : noImplicitAny ? Diagnostics.Parameter_0_implicitly_has_an_1_type : Diagnostics.Parameter_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage; break; case 208: diagnostic = Diagnostics.Binding_element_0_implicitly_has_an_1_type; if (!noImplicitAny) { return; } break; case 317: error2(declaration, Diagnostics.Function_type_which_lacks_return_type_annotation_implicitly_has_an_0_return_type, typeAsString); return; case 323: if (noImplicitAny && isJSDocOverloadTag(declaration.parent)) { error2(declaration.parent.tagName, Diagnostics.This_overload_implicitly_returns_the_type_0_because_it_lacks_a_return_type_annotation, typeAsString); } return; case 262: case 174: case 173: case 177: case 178: case 218: case 219: if (noImplicitAny && !declaration.name) { if (wideningKind === 3) { error2(declaration, Diagnostics.Generator_implicitly_has_yield_type_0_because_it_does_not_yield_any_values_Consider_supplying_a_return_type_annotation, typeAsString); } else { error2(declaration, Diagnostics.Function_expression_which_lacks_return_type_annotation_implicitly_has_an_0_return_type, typeAsString); } return; } diagnostic = !noImplicitAny ? Diagnostics._0_implicitly_has_an_1_return_type_but_a_better_type_may_be_inferred_from_usage : wideningKind === 3 ? Diagnostics._0_which_lacks_return_type_annotation_implicitly_has_an_1_yield_type : Diagnostics._0_which_lacks_return_type_annotation_implicitly_has_an_1_return_type; break; case 200: if (noImplicitAny) { error2(declaration, Diagnostics.Mapped_object_type_implicitly_has_an_any_template_type); } return; default: diagnostic = noImplicitAny ? Diagnostics.Variable_0_implicitly_has_an_1_type : Diagnostics.Variable_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage; } errorOrSuggestion(noImplicitAny, declaration, diagnostic, declarationNameToString(getNameOfDeclaration(declaration)), typeAsString); } function reportErrorsFromWidening(declaration, type, wideningKind) { addLazyDiagnostic(() => { if (noImplicitAny && getObjectFlags(type) & 65536 && (!wideningKind || !getContextualSignatureForFunctionLikeDeclaration(declaration))) { if (!reportWideningErrorsInType(type)) { reportImplicitAny(declaration, type, wideningKind); } } }); } function applyToParameterTypes(source, target, callback) { const sourceCount = getParameterCount(source); const targetCount = getParameterCount(target); const sourceRestType = getEffectiveRestType(source); const targetRestType = getEffectiveRestType(target); const targetNonRestCount = targetRestType ? targetCount - 1 : targetCount; const paramCount = sourceRestType ? targetNonRestCount : Math.min(sourceCount, targetNonRestCount); const sourceThisType = getThisTypeOfSignature(source); if (sourceThisType) { const targetThisType = getThisTypeOfSignature(target); if (targetThisType) { callback(sourceThisType, targetThisType); } } for (let i = 0; i < paramCount; i++) { callback(getTypeAtPosition(source, i), getTypeAtPosition(target, i)); } if (targetRestType) { callback(getRestTypeAtPosition( source, paramCount, /*readonly*/ isConstTypeVariable(targetRestType) && !someType(targetRestType, isMutableArrayLikeType) ), targetRestType); } } function applyToReturnTypes(source, target, callback) { const targetTypePredicate = getTypePredicateOfSignature(target); if (targetTypePredicate) { const sourceTypePredicate = getTypePredicateOfSignature(source); if (sourceTypePredicate && typePredicateKindsMatch(sourceTypePredicate, targetTypePredicate) && sourceTypePredicate.type && targetTypePredicate.type) { callback(sourceTypePredicate.type, targetTypePredicate.type); return; } } const targetReturnType = getReturnTypeOfSignature(target); if (couldContainTypeVariables(targetReturnType)) { callback(getReturnTypeOfSignature(source), targetReturnType); } } function createInferenceContext(typeParameters, signature, flags, compareTypes) { return createInferenceContextWorker(typeParameters.map(createInferenceInfo), signature, flags, compareTypes || compareTypesAssignable); } function cloneInferenceContext(context, extraFlags = 0) { return context && createInferenceContextWorker(map(context.inferences, cloneInferenceInfo), context.signature, context.flags | extraFlags, context.compareTypes); } function createInferenceContextWorker(inferences, signature, flags, compareTypes) { const context = { inferences, signature, flags, compareTypes, mapper: reportUnmeasurableMapper, // initialize to a noop mapper so the context object is available, but the underlying object shape is right upon construction nonFixingMapper: reportUnmeasurableMapper }; context.mapper = makeFixingMapperForContext(context); context.nonFixingMapper = makeNonFixingMapperForContext(context); return context; } function makeFixingMapperForContext(context) { return makeDeferredTypeMapper( map(context.inferences, (i) => i.typeParameter), map(context.inferences, (inference, i) => () => { if (!inference.isFixed) { inferFromIntraExpressionSites(context); clearCachedInferences(context.inferences); inference.isFixed = true; } return getInferredType(context, i); }) ); } function makeNonFixingMapperForContext(context) { return makeDeferredTypeMapper( map(context.inferences, (i) => i.typeParameter), map(context.inferences, (_, i) => () => { return getInferredType(context, i); }) ); } function clearCachedInferences(inferences) { for (const inference of inferences) { if (!inference.isFixed) { inference.inferredType = void 0; } } } function addIntraExpressionInferenceSite(context, node, type) { (context.intraExpressionInferenceSites ?? (context.intraExpressionInferenceSites = [])).push({ node, type }); } function inferFromIntraExpressionSites(context) { if (context.intraExpressionInferenceSites) { for (const { node, type } of context.intraExpressionInferenceSites) { const contextualType = node.kind === 174 ? getContextualTypeForObjectLiteralMethod( node, 2 /* NoConstraints */ ) : getContextualType2( node, 2 /* NoConstraints */ ); if (contextualType) { inferTypes(context.inferences, type, contextualType); } } context.intraExpressionInferenceSites = void 0; } } function createInferenceInfo(typeParameter) { return { typeParameter, candidates: void 0, contraCandidates: void 0, inferredType: void 0, priority: void 0, topLevel: true, isFixed: false, impliedArity: void 0 }; } function cloneInferenceInfo(inference) { return { typeParameter: inference.typeParameter, candidates: inference.candidates && inference.candidates.slice(), contraCandidates: inference.contraCandidates && inference.contraCandidates.slice(), inferredType: inference.inferredType, priority: inference.priority, topLevel: inference.topLevel, isFixed: inference.isFixed, impliedArity: inference.impliedArity }; } function cloneInferredPartOfContext(context) { const inferences = filter(context.inferences, hasInferenceCandidates); return inferences.length ? createInferenceContextWorker(map(inferences, cloneInferenceInfo), context.signature, context.flags, context.compareTypes) : void 0; } function getMapperFromContext(context) { return context && context.mapper; } function couldContainTypeVariables(type) { const objectFlags = getObjectFlags(type); if (objectFlags & 524288) { return !!(objectFlags & 1048576); } const result = !!(type.flags & 465829888 || type.flags & 524288 && !isNonGenericTopLevelType(type) && (objectFlags & 4 && (type.node || some(getTypeArguments(type), couldContainTypeVariables)) || objectFlags & 134217728 && !!length(type.outerTypeParameters) || objectFlags & 16 && type.symbol && type.symbol.flags & (16 | 8192 | 32 | 2048 | 4096) && type.symbol.declarations || objectFlags & (32 | 1024 | 4194304 | 8388608)) || type.flags & 3145728 && !(type.flags & 1024) && !isNonGenericTopLevelType(type) && some(type.types, couldContainTypeVariables)); if (type.flags & 3899393) { type.objectFlags |= 524288 | (result ? 1048576 : 0); } return result; } function isNonGenericTopLevelType(type) { if (type.aliasSymbol && !type.aliasTypeArguments) { const declaration = getDeclarationOfKind( type.aliasSymbol, 265 /* TypeAliasDeclaration */ ); return !!(declaration && findAncestor(declaration.parent, (n) => n.kind === 307 ? true : n.kind === 267 ? false : "quit")); } return false; } function isTypeParameterAtTopLevel(type, tp, depth2 = 0) { return !!(type === tp || type.flags & 3145728 && some(type.types, (t) => isTypeParameterAtTopLevel(t, tp, depth2)) || depth2 < 3 && type.flags & 16777216 && (isTypeParameterAtTopLevel(getTrueTypeFromConditionalType(type), tp, depth2 + 1) || isTypeParameterAtTopLevel(getFalseTypeFromConditionalType(type), tp, depth2 + 1))); } function isTypeParameterAtTopLevelInReturnType(signature, typeParameter) { const typePredicate = getTypePredicateOfSignature(signature); return typePredicate ? !!typePredicate.type && isTypeParameterAtTopLevel(typePredicate.type, typeParameter) : isTypeParameterAtTopLevel(getReturnTypeOfSignature(signature), typeParameter); } function createEmptyObjectTypeFromStringLiteral(type) { const members = createSymbolTable(); forEachType(type, (t) => { if (!(t.flags & 128)) { return; } const name = escapeLeadingUnderscores(t.value); const literalProp = createSymbol(4, name); literalProp.links.type = anyType2; if (t.symbol) { literalProp.declarations = t.symbol.declarations; literalProp.valueDeclaration = t.symbol.valueDeclaration; } members.set(name, literalProp); }); const indexInfos = type.flags & 4 ? [createIndexInfo( stringType2, emptyObjectType, /*isReadonly*/ false )] : emptyArray; return createAnonymousType( /*symbol*/ void 0, members, emptyArray, emptyArray, indexInfos ); } function inferTypeForHomomorphicMappedType(source, target, constraint) { const cacheKey = source.id + "," + target.id + "," + constraint.id; if (reverseMappedCache.has(cacheKey)) { return reverseMappedCache.get(cacheKey); } const type = createReverseMappedType(source, target, constraint); reverseMappedCache.set(cacheKey, type); return type; } function isPartiallyInferableType(type) { return !(getObjectFlags(type) & 262144) || isObjectLiteralType2(type) && some(getPropertiesOfType(type), (prop) => isPartiallyInferableType(getTypeOfSymbol(prop))) || isTupleType(type) && some(getElementTypes(type), isPartiallyInferableType); } function createReverseMappedType(source, target, constraint) { if (!(getIndexInfoOfType(source, stringType2) || getPropertiesOfType(source).length !== 0 && isPartiallyInferableType(source))) { return void 0; } if (isArrayType(source)) { const elementType = inferReverseMappedType(getTypeArguments(source)[0], target, constraint); if (!elementType) { return void 0; } return createArrayType(elementType, isReadonlyArrayType(source)); } if (isTupleType(source)) { const elementTypes = map(getElementTypes(source), (t) => inferReverseMappedType(t, target, constraint)); if (!every(elementTypes, (t) => !!t)) { return void 0; } const elementFlags = getMappedTypeModifiers(target) & 4 ? sameMap(source.target.elementFlags, (f) => f & 2 ? 1 : f) : source.target.elementFlags; return createTupleType(elementTypes, elementFlags, source.target.readonly, source.target.labeledElementDeclarations); } const reversed = createObjectType( 1024 | 16, /*symbol*/ void 0 ); reversed.source = source; reversed.mappedType = target; reversed.constraintType = constraint; return reversed; } function getTypeOfReverseMappedSymbol(symbol) { const links = getSymbolLinks(symbol); if (!links.type) { links.type = inferReverseMappedType(symbol.links.propertyType, symbol.links.mappedType, symbol.links.constraintType) || unknownType2; } return links.type; } function inferReverseMappedTypeWorker(sourceType, target, constraint) { const typeParameter = getIndexedAccessType(constraint.type, getTypeParameterFromMappedType(target)); const templateType = getTemplateTypeFromMappedType(target); const inference = createInferenceInfo(typeParameter); inferTypes([inference], sourceType, templateType); return getTypeFromInference(inference) || unknownType2; } function inferReverseMappedType(source, target, constraint) { const cacheKey = source.id + "," + target.id + "," + constraint.id; if (reverseMappedCache.has(cacheKey)) { return reverseMappedCache.get(cacheKey) || unknownType2; } reverseMappedSourceStack.push(source); reverseMappedTargetStack.push(target); const saveExpandingFlags = reverseExpandingFlags; if (isDeeplyNestedType(source, reverseMappedSourceStack, reverseMappedSourceStack.length, 2)) reverseExpandingFlags |= 1; if (isDeeplyNestedType(target, reverseMappedTargetStack, reverseMappedTargetStack.length, 2)) reverseExpandingFlags |= 2; let type; if (reverseExpandingFlags !== 3) { type = inferReverseMappedTypeWorker(source, target, constraint); } reverseMappedSourceStack.pop(); reverseMappedTargetStack.pop(); reverseExpandingFlags = saveExpandingFlags; reverseMappedCache.set(cacheKey, type); return type; } function* getUnmatchedProperties(source, target, requireOptionalProperties, matchDiscriminantProperties) { const properties = getPropertiesOfType(target); for (const targetProp of properties) { if (isStaticPrivateIdentifierProperty(targetProp)) { continue; } if (requireOptionalProperties || !(targetProp.flags & 16777216 || getCheckFlags(targetProp) & 48)) { const sourceProp = getPropertyOfType(source, targetProp.escapedName); if (!sourceProp) { yield targetProp; } else if (matchDiscriminantProperties) { const targetType = getTypeOfSymbol(targetProp); if (targetType.flags & 109472) { const sourceType = getTypeOfSymbol(sourceProp); if (!(sourceType.flags & 1 || getRegularTypeOfLiteralType(sourceType) === getRegularTypeOfLiteralType(targetType))) { yield targetProp; } } } } } } function getUnmatchedProperty(source, target, requireOptionalProperties, matchDiscriminantProperties) { return firstOrUndefinedIterator(getUnmatchedProperties(source, target, requireOptionalProperties, matchDiscriminantProperties)); } function tupleTypesDefinitelyUnrelated(source, target) { return !(target.target.combinedFlags & 8) && target.target.minLength > source.target.minLength || !target.target.hasRestElement && (source.target.hasRestElement || target.target.fixedLength < source.target.fixedLength); } function typesDefinitelyUnrelated(source, target) { return isTupleType(source) && isTupleType(target) ? tupleTypesDefinitelyUnrelated(source, target) : !!getUnmatchedProperty( source, target, /*requireOptionalProperties*/ false, /*matchDiscriminantProperties*/ true ) && !!getUnmatchedProperty( target, source, /*requireOptionalProperties*/ false, /*matchDiscriminantProperties*/ false ); } function getTypeFromInference(inference) { return inference.candidates ? getUnionType( inference.candidates, 2 /* Subtype */ ) : inference.contraCandidates ? getIntersectionType(inference.contraCandidates) : void 0; } function hasSkipDirectInferenceFlag(node) { return !!getNodeLinks(node).skipDirectInference; } function isFromInferenceBlockedSource(type) { return !!(type.symbol && some(type.symbol.declarations, hasSkipDirectInferenceFlag)); } function templateLiteralTypesDefinitelyUnrelated(source, target) { const sourceStart = source.texts[0]; const targetStart = target.texts[0]; const sourceEnd = source.texts[source.texts.length - 1]; const targetEnd = target.texts[target.texts.length - 1]; const startLen = Math.min(sourceStart.length, targetStart.length); const endLen = Math.min(sourceEnd.length, targetEnd.length); return sourceStart.slice(0, startLen) !== targetStart.slice(0, startLen) || sourceEnd.slice(sourceEnd.length - endLen) !== targetEnd.slice(targetEnd.length - endLen); } function isValidNumberString(s, roundTripOnly) { if (s === "") return false; const n = +s; return isFinite(n) && (!roundTripOnly || "" + n === s); } function parseBigIntLiteralType(text) { return getBigIntLiteralType(parseValidBigInt(text)); } function isMemberOfStringMapping(source, target) { if (target.flags & 1) { return true; } if (target.flags & (4 | 134217728)) { return isTypeAssignableTo(source, target); } if (target.flags & 268435456) { const mappingStack = []; while (target.flags & 268435456) { mappingStack.unshift(target.symbol); target = target.type; } const mappedSource = reduceLeft(mappingStack, (memo, value) => getStringMappingType(value, memo), source); return mappedSource === source && isMemberOfStringMapping(source, target); } return false; } function isValidTypeForTemplateLiteralPlaceholder(source, target) { if (target.flags & 2097152) { return every(target.types, (t) => t === emptyTypeLiteralType || isValidTypeForTemplateLiteralPlaceholder(source, t)); } if (target.flags & 4 || isTypeAssignableTo(source, target)) { return true; } if (source.flags & 128) { const value = source.value; return !!(target.flags & 8 && isValidNumberString( value, /*roundTripOnly*/ false ) || target.flags & 64 && isValidBigIntString( value, /*roundTripOnly*/ false ) || target.flags & (512 | 98304) && value === target.intrinsicName || target.flags & 268435456 && isMemberOfStringMapping(getStringLiteralType(value), target) || target.flags & 134217728 && isTypeMatchedByTemplateLiteralType(source, target)); } if (source.flags & 134217728) { const texts = source.texts; return texts.length === 2 && texts[0] === "" && texts[1] === "" && isTypeAssignableTo(source.types[0], target); } return false; } function inferTypesFromTemplateLiteralType(source, target) { return source.flags & 128 ? inferFromLiteralPartsToTemplateLiteral([source.value], emptyArray, target) : source.flags & 134217728 ? arraysEqual(source.texts, target.texts) ? map(source.types, (s, i) => { return isTypeAssignableTo(getBaseConstraintOrType(s), getBaseConstraintOrType(target.types[i])) ? s : getStringLikeTypeForType(s); }) : inferFromLiteralPartsToTemplateLiteral(source.texts, source.types, target) : void 0; } function isTypeMatchedByTemplateLiteralType(source, target) { const inferences = inferTypesFromTemplateLiteralType(source, target); return !!inferences && every(inferences, (r, i) => isValidTypeForTemplateLiteralPlaceholder(r, target.types[i])); } function getStringLikeTypeForType(type) { return type.flags & (1 | 402653316) ? type : getTemplateLiteralType(["", ""], [type]); } function inferFromLiteralPartsToTemplateLiteral(sourceTexts, sourceTypes, target) { const lastSourceIndex = sourceTexts.length - 1; const sourceStartText = sourceTexts[0]; const sourceEndText = sourceTexts[lastSourceIndex]; const targetTexts = target.texts; const lastTargetIndex = targetTexts.length - 1; const targetStartText = targetTexts[0]; const targetEndText = targetTexts[lastTargetIndex]; if (lastSourceIndex === 0 && sourceStartText.length < targetStartText.length + targetEndText.length || !sourceStartText.startsWith(targetStartText) || !sourceEndText.endsWith(targetEndText)) return void 0; const remainingEndText = sourceEndText.slice(0, sourceEndText.length - targetEndText.length); const matches = []; let seg = 0; let pos = targetStartText.length; for (let i = 1; i < lastTargetIndex; i++) { const delim = targetTexts[i]; if (delim.length > 0) { let s = seg; let p = pos; while (true) { p = getSourceText(s).indexOf(delim, p); if (p >= 0) break; s++; if (s === sourceTexts.length) return void 0; p = 0; } addMatch(s, p); pos += delim.length; } else if (pos < getSourceText(seg).length) { addMatch(seg, pos + 1); } else if (seg < lastSourceIndex) { addMatch(seg + 1, 0); } else { return void 0; } } addMatch(lastSourceIndex, getSourceText(lastSourceIndex).length); return matches; function getSourceText(index) { return index < lastSourceIndex ? sourceTexts[index] : remainingEndText; } function addMatch(s, p) { const matchType = s === seg ? getStringLiteralType(getSourceText(s).slice(pos, p)) : getTemplateLiteralType( [sourceTexts[seg].slice(pos), ...sourceTexts.slice(seg + 1, s), getSourceText(s).slice(0, p)], sourceTypes.slice(seg, s) ); matches.push(matchType); seg = s; pos = p; } } function isTupleOfSelf(typeParameter, type) { return isTupleType(type) && getTupleElementType(type, 0) === getIndexedAccessType(typeParameter, getNumberLiteralType(0)) && !getTypeOfPropertyOfType(type, "1"); } function inferTypes(inferences, originalSource, originalTarget, priority = 0, contravariant = false) { let bivariant = false; let propagationType; let inferencePriority = 2048; let visited; let sourceStack; let targetStack; let expandingFlags = 0; inferFromTypes(originalSource, originalTarget); function inferFromTypes(source, target) { if (!couldContainTypeVariables(target) || isNoInferType(target)) { return; } if (source === wildcardType || source === blockedStringType) { const savePropagationType = propagationType; propagationType = source; inferFromTypes(target, target); propagationType = savePropagationType; return; } if (source.aliasSymbol && source.aliasSymbol === target.aliasSymbol) { if (source.aliasTypeArguments) { const params = getSymbolLinks(source.aliasSymbol).typeParameters; const minParams = getMinTypeArgumentCount(params); const sourceTypes = fillMissingTypeArguments(source.aliasTypeArguments, params, minParams, isInJSFile(source.aliasSymbol.valueDeclaration)); const targetTypes = fillMissingTypeArguments(target.aliasTypeArguments, params, minParams, isInJSFile(source.aliasSymbol.valueDeclaration)); inferFromTypeArguments(sourceTypes, targetTypes, getAliasVariances(source.aliasSymbol)); } return; } if (source === target && source.flags & 3145728) { for (const t of source.types) { inferFromTypes(t, t); } return; } if (target.flags & 1048576) { const [tempSources, tempTargets] = inferFromMatchingTypes(source.flags & 1048576 ? source.types : [source], target.types, isTypeOrBaseIdenticalTo); const [sources, targets] = inferFromMatchingTypes(tempSources, tempTargets, isTypeCloselyMatchedBy); if (targets.length === 0) { return; } target = getUnionType(targets); if (sources.length === 0) { inferWithPriority( source, target, 1 /* NakedTypeVariable */ ); return; } source = getUnionType(sources); } else if (target.flags & 2097152 && !every(target.types, isNonGenericObjectType)) { if (!(source.flags & 1048576)) { const [sources, targets] = inferFromMatchingTypes(source.flags & 2097152 ? source.types : [source], target.types, isTypeIdenticalTo); if (sources.length === 0 || targets.length === 0) { return; } source = getIntersectionType(sources); target = getIntersectionType(targets); } } if (target.flags & (8388608 | 33554432)) { if (isNoInferType(target)) { return; } target = getActualTypeVariable(target); } if (target.flags & 8650752) { if (isFromInferenceBlockedSource(source)) { return; } const inference = getInferenceInfoForType(target); if (inference) { if (getObjectFlags(source) & 262144 || source === nonInferrableAnyType) { return; } if (!inference.isFixed) { const candidate = propagationType || source; if (candidate === blockedStringType) { return; } if (inference.priority === void 0 || priority < inference.priority) { inference.candidates = void 0; inference.contraCandidates = void 0; inference.topLevel = true; inference.priority = priority; } if (priority === inference.priority) { if (isTupleOfSelf(inference.typeParameter, candidate)) { return; } if (contravariant && !bivariant) { if (!contains(inference.contraCandidates, candidate)) { inference.contraCandidates = append(inference.contraCandidates, candidate); clearCachedInferences(inferences); } } else if (!contains(inference.candidates, candidate)) { inference.candidates = append(inference.candidates, candidate); clearCachedInferences(inferences); } } if (!(priority & 128) && target.flags & 262144 && inference.topLevel && !isTypeParameterAtTopLevel(originalTarget, target)) { inference.topLevel = false; clearCachedInferences(inferences); } } inferencePriority = Math.min(inferencePriority, priority); return; } const simplified = getSimplifiedType( target, /*writing*/ false ); if (simplified !== target) { inferFromTypes(source, simplified); } else if (target.flags & 8388608) { const indexType = getSimplifiedType( target.indexType, /*writing*/ false ); if (indexType.flags & 465829888) { const simplified2 = distributeIndexOverObjectType( getSimplifiedType( target.objectType, /*writing*/ false ), indexType, /*writing*/ false ); if (simplified2 && simplified2 !== target) { inferFromTypes(source, simplified2); } } } } if (getObjectFlags(source) & 4 && getObjectFlags(target) & 4 && (source.target === target.target || isArrayType(source) && isArrayType(target)) && !(source.node && target.node)) { inferFromTypeArguments(getTypeArguments(source), getTypeArguments(target), getVariances(source.target)); } else if (source.flags & 4194304 && target.flags & 4194304) { inferFromContravariantTypes(source.type, target.type); } else if ((isLiteralType(source) || source.flags & 4) && target.flags & 4194304) { const empty = createEmptyObjectTypeFromStringLiteral(source); inferFromContravariantTypesWithPriority( empty, target.type, 256 /* LiteralKeyof */ ); } else if (source.flags & 8388608 && target.flags & 8388608) { inferFromTypes(source.objectType, target.objectType); inferFromTypes(source.indexType, target.indexType); } else if (source.flags & 268435456 && target.flags & 268435456) { if (source.symbol === target.symbol) { inferFromTypes(source.type, target.type); } } else if (source.flags & 33554432) { inferFromTypes(source.baseType, target); inferWithPriority( getSubstitutionIntersection(source), target, 4 /* SubstituteSource */ ); } else if (target.flags & 16777216) { invokeOnce(source, target, inferToConditionalType); } else if (target.flags & 3145728) { inferToMultipleTypes(source, target.types, target.flags); } else if (source.flags & 1048576) { const sourceTypes = source.types; for (const sourceType of sourceTypes) { inferFromTypes(sourceType, target); } } else if (target.flags & 134217728) { inferToTemplateLiteralType(source, target); } else { source = getReducedType(source); if (isGenericMappedType(source) && isGenericMappedType(target)) { invokeOnce(source, target, inferFromGenericMappedTypes); } if (!(priority & 512 && source.flags & (2097152 | 465829888))) { const apparentSource = getApparentType(source); if (apparentSource !== source && !(apparentSource.flags & (524288 | 2097152))) { return inferFromTypes(apparentSource, target); } source = apparentSource; } if (source.flags & (524288 | 2097152)) { invokeOnce(source, target, inferFromObjectTypes); } } } function inferWithPriority(source, target, newPriority) { const savePriority = priority; priority |= newPriority; inferFromTypes(source, target); priority = savePriority; } function inferFromContravariantTypesWithPriority(source, target, newPriority) { const savePriority = priority; priority |= newPriority; inferFromContravariantTypes(source, target); priority = savePriority; } function inferToMultipleTypesWithPriority(source, targets, targetFlags, newPriority) { const savePriority = priority; priority |= newPriority; inferToMultipleTypes(source, targets, targetFlags); priority = savePriority; } function invokeOnce(source, target, action) { const key = source.id + "," + target.id; const status = visited && visited.get(key); if (status !== void 0) { inferencePriority = Math.min(inferencePriority, status); return; } (visited || (visited = /* @__PURE__ */ new Map())).set( key, -1 /* Circularity */ ); const saveInferencePriority = inferencePriority; inferencePriority = 2048; const saveExpandingFlags = expandingFlags; (sourceStack ?? (sourceStack = [])).push(source); (targetStack ?? (targetStack = [])).push(target); if (isDeeplyNestedType(source, sourceStack, sourceStack.length, 2)) expandingFlags |= 1; if (isDeeplyNestedType(target, targetStack, targetStack.length, 2)) expandingFlags |= 2; if (expandingFlags !== 3) { action(source, target); } else { inferencePriority = -1; } targetStack.pop(); sourceStack.pop(); expandingFlags = saveExpandingFlags; visited.set(key, inferencePriority); inferencePriority = Math.min(inferencePriority, saveInferencePriority); } function inferFromMatchingTypes(sources, targets, matches) { let matchedSources; let matchedTargets; for (const t of targets) { for (const s of sources) { if (matches(s, t)) { inferFromTypes(s, t); matchedSources = appendIfUnique(matchedSources, s); matchedTargets = appendIfUnique(matchedTargets, t); } } } return [ matchedSources ? filter(sources, (t) => !contains(matchedSources, t)) : sources, matchedTargets ? filter(targets, (t) => !contains(matchedTargets, t)) : targets ]; } function inferFromTypeArguments(sourceTypes, targetTypes, variances) { const count = sourceTypes.length < targetTypes.length ? sourceTypes.length : targetTypes.length; for (let i = 0; i < count; i++) { if (i < variances.length && (variances[i] & 7) === 2) { inferFromContravariantTypes(sourceTypes[i], targetTypes[i]); } else { inferFromTypes(sourceTypes[i], targetTypes[i]); } } } function inferFromContravariantTypes(source, target) { contravariant = !contravariant; inferFromTypes(source, target); contravariant = !contravariant; } function inferFromContravariantTypesIfStrictFunctionTypes(source, target) { if (strictFunctionTypes || priority & 1024) { inferFromContravariantTypes(source, target); } else { inferFromTypes(source, target); } } function getInferenceInfoForType(type) { if (type.flags & 8650752) { for (const inference of inferences) { if (type === inference.typeParameter) { return inference; } } } return void 0; } function getSingleTypeVariableFromIntersectionTypes(types) { let typeVariable; for (const type of types) { const t = type.flags & 2097152 && find(type.types, (t2) => !!getInferenceInfoForType(t2)); if (!t || typeVariable && t !== typeVariable) { return void 0; } typeVariable = t; } return typeVariable; } function inferToMultipleTypes(source, targets, targetFlags) { let typeVariableCount = 0; if (targetFlags & 1048576) { let nakedTypeVariable; const sources = source.flags & 1048576 ? source.types : [source]; const matched = new Array(sources.length); let inferenceCircularity = false; for (const t of targets) { if (getInferenceInfoForType(t)) { nakedTypeVariable = t; typeVariableCount++; } else { for (let i = 0; i < sources.length; i++) { const saveInferencePriority = inferencePriority; inferencePriority = 2048; inferFromTypes(sources[i], t); if (inferencePriority === priority) matched[i] = true; inferenceCircularity = inferenceCircularity || inferencePriority === -1; inferencePriority = Math.min(inferencePriority, saveInferencePriority); } } } if (typeVariableCount === 0) { const intersectionTypeVariable = getSingleTypeVariableFromIntersectionTypes(targets); if (intersectionTypeVariable) { inferWithPriority( source, intersectionTypeVariable, 1 /* NakedTypeVariable */ ); } return; } if (typeVariableCount === 1 && !inferenceCircularity) { const unmatched = flatMap(sources, (s, i) => matched[i] ? void 0 : s); if (unmatched.length) { inferFromTypes(getUnionType(unmatched), nakedTypeVariable); return; } } } else { for (const t of targets) { if (getInferenceInfoForType(t)) { typeVariableCount++; } else { inferFromTypes(source, t); } } } if (targetFlags & 2097152 ? typeVariableCount === 1 : typeVariableCount > 0) { for (const t of targets) { if (getInferenceInfoForType(t)) { inferWithPriority( source, t, 1 /* NakedTypeVariable */ ); } } } } function inferToMappedType(source, target, constraintType) { if (constraintType.flags & 1048576 || constraintType.flags & 2097152) { let result = false; for (const type of constraintType.types) { result = inferToMappedType(source, target, type) || result; } return result; } if (constraintType.flags & 4194304) { const inference = getInferenceInfoForType(constraintType.type); if (inference && !inference.isFixed && !isFromInferenceBlockedSource(source)) { const inferredType = inferTypeForHomomorphicMappedType(source, target, constraintType); if (inferredType) { inferWithPriority( inferredType, inference.typeParameter, getObjectFlags(source) & 262144 ? 16 : 8 /* HomomorphicMappedType */ ); } } return true; } if (constraintType.flags & 262144) { inferWithPriority( getIndexType( source, /*indexFlags*/ !!source.pattern ? 2 : 0 /* None */ ), constraintType, 32 /* MappedTypeConstraint */ ); const extendedConstraint = getConstraintOfType(constraintType); if (extendedConstraint && inferToMappedType(source, target, extendedConstraint)) { return true; } const propTypes = map(getPropertiesOfType(source), getTypeOfSymbol); const indexTypes = map(getIndexInfosOfType(source), (info) => info !== enumNumberIndexInfo ? info.type : neverType2); inferFromTypes(getUnionType(concatenate(propTypes, indexTypes)), getTemplateTypeFromMappedType(target)); return true; } return false; } function inferToConditionalType(source, target) { if (source.flags & 16777216) { inferFromTypes(source.checkType, target.checkType); inferFromTypes(source.extendsType, target.extendsType); inferFromTypes(getTrueTypeFromConditionalType(source), getTrueTypeFromConditionalType(target)); inferFromTypes(getFalseTypeFromConditionalType(source), getFalseTypeFromConditionalType(target)); } else { const targetTypes = [getTrueTypeFromConditionalType(target), getFalseTypeFromConditionalType(target)]; inferToMultipleTypesWithPriority(source, targetTypes, target.flags, contravariant ? 64 : 0); } } function inferToTemplateLiteralType(source, target) { const matches = inferTypesFromTemplateLiteralType(source, target); const types = target.types; if (matches || every(target.texts, (s) => s.length === 0)) { for (let i = 0; i < types.length; i++) { const source2 = matches ? matches[i] : neverType2; const target2 = types[i]; if (source2.flags & 128 && target2.flags & 8650752) { const inferenceContext = getInferenceInfoForType(target2); const constraint = inferenceContext ? getBaseConstraintOfType(inferenceContext.typeParameter) : void 0; if (constraint && !isTypeAny(constraint)) { const constraintTypes = constraint.flags & 1048576 ? constraint.types : [constraint]; let allTypeFlags = reduceLeft(constraintTypes, (flags, t) => flags | t.flags, 0); if (!(allTypeFlags & 4)) { const str = source2.value; if (allTypeFlags & 296 && !isValidNumberString( str, /*roundTripOnly*/ true )) { allTypeFlags &= ~296; } if (allTypeFlags & 2112 && !isValidBigIntString( str, /*roundTripOnly*/ true )) { allTypeFlags &= ~2112; } const matchingType = reduceLeft(constraintTypes, (left, right) => !(right.flags & allTypeFlags) ? left : left.flags & 4 ? left : right.flags & 4 ? source2 : left.flags & 134217728 ? left : right.flags & 134217728 && isTypeMatchedByTemplateLiteralType(source2, right) ? source2 : left.flags & 268435456 ? left : right.flags & 268435456 && str === applyStringMapping(right.symbol, str) ? source2 : left.flags & 128 ? left : right.flags & 128 && right.value === str ? right : left.flags & 8 ? left : right.flags & 8 ? getNumberLiteralType(+str) : left.flags & 32 ? left : right.flags & 32 ? getNumberLiteralType(+str) : left.flags & 256 ? left : right.flags & 256 && right.value === +str ? right : left.flags & 64 ? left : right.flags & 64 ? parseBigIntLiteralType(str) : left.flags & 2048 ? left : right.flags & 2048 && pseudoBigIntToString(right.value) === str ? right : left.flags & 16 ? left : right.flags & 16 ? str === "true" ? trueType : str === "false" ? falseType : booleanType2 : left.flags & 512 ? left : right.flags & 512 && right.intrinsicName === str ? right : left.flags & 32768 ? left : right.flags & 32768 && right.intrinsicName === str ? right : left.flags & 65536 ? left : right.flags & 65536 && right.intrinsicName === str ? right : left, neverType2); if (!(matchingType.flags & 131072)) { inferFromTypes(matchingType, target2); continue; } } } } inferFromTypes(source2, target2); } } } function inferFromGenericMappedTypes(source, target) { inferFromTypes(getConstraintTypeFromMappedType(source), getConstraintTypeFromMappedType(target)); inferFromTypes(getTemplateTypeFromMappedType(source), getTemplateTypeFromMappedType(target)); const sourceNameType = getNameTypeFromMappedType(source); const targetNameType = getNameTypeFromMappedType(target); if (sourceNameType && targetNameType) inferFromTypes(sourceNameType, targetNameType); } function inferFromObjectTypes(source, target) { var _a, _b; if (getObjectFlags(source) & 4 && getObjectFlags(target) & 4 && (source.target === target.target || isArrayType(source) && isArrayType(target))) { inferFromTypeArguments(getTypeArguments(source), getTypeArguments(target), getVariances(source.target)); return; } if (isGenericMappedType(source) && isGenericMappedType(target)) { inferFromGenericMappedTypes(source, target); } if (getObjectFlags(target) & 32 && !target.declaration.nameType) { const constraintType = getConstraintTypeFromMappedType(target); if (inferToMappedType(source, target, constraintType)) { return; } } if (!typesDefinitelyUnrelated(source, target)) { if (isArrayOrTupleType(source)) { if (isTupleType(target)) { const sourceArity = getTypeReferenceArity(source); const targetArity = getTypeReferenceArity(target); const elementTypes = getTypeArguments(target); const elementFlags = target.target.elementFlags; if (isTupleType(source) && isTupleTypeStructureMatching(source, target)) { for (let i = 0; i < targetArity; i++) { inferFromTypes(getTypeArguments(source)[i], elementTypes[i]); } return; } const startLength = isTupleType(source) ? Math.min(source.target.fixedLength, target.target.fixedLength) : 0; const endLength = Math.min(isTupleType(source) ? getEndElementCount( source.target, 3 /* Fixed */ ) : 0, target.target.hasRestElement ? getEndElementCount( target.target, 3 /* Fixed */ ) : 0); for (let i = 0; i < startLength; i++) { inferFromTypes(getTypeArguments(source)[i], elementTypes[i]); } if (!isTupleType(source) || sourceArity - startLength - endLength === 1 && source.target.elementFlags[startLength] & 4) { const restType = getTypeArguments(source)[startLength]; for (let i = startLength; i < targetArity - endLength; i++) { inferFromTypes(elementFlags[i] & 8 ? createArrayType(restType) : restType, elementTypes[i]); } } else { const middleLength = targetArity - startLength - endLength; if (middleLength === 2) { if (elementFlags[startLength] & elementFlags[startLength + 1] & 8) { const targetInfo = getInferenceInfoForType(elementTypes[startLength]); if (targetInfo && targetInfo.impliedArity !== void 0) { inferFromTypes(sliceTupleType(source, startLength, endLength + sourceArity - targetInfo.impliedArity), elementTypes[startLength]); inferFromTypes(sliceTupleType(source, startLength + targetInfo.impliedArity, endLength), elementTypes[startLength + 1]); } } else if (elementFlags[startLength] & 8 && elementFlags[startLength + 1] & 4) { const param = (_a = getInferenceInfoForType(elementTypes[startLength])) == null ? void 0 : _a.typeParameter; const constraint = param && getBaseConstraintOfType(param); if (constraint && isTupleType(constraint) && !constraint.target.hasRestElement) { const impliedArity = constraint.target.fixedLength; inferFromTypes(sliceTupleType(source, startLength, sourceArity - (startLength + impliedArity)), elementTypes[startLength]); inferFromTypes(getElementTypeOfSliceOfTupleType(source, startLength + impliedArity, endLength), elementTypes[startLength + 1]); } } else if (elementFlags[startLength] & 4 && elementFlags[startLength + 1] & 8) { const param = (_b = getInferenceInfoForType(elementTypes[startLength + 1])) == null ? void 0 : _b.typeParameter; const constraint = param && getBaseConstraintOfType(param); if (constraint && isTupleType(constraint) && !constraint.target.hasRestElement) { const impliedArity = constraint.target.fixedLength; const endIndex = sourceArity - getEndElementCount( target.target, 3 /* Fixed */ ); const startIndex = endIndex - impliedArity; const trailingSlice = createTupleType( getTypeArguments(source).slice(startIndex, endIndex), source.target.elementFlags.slice(startIndex, endIndex), /*readonly*/ false, source.target.labeledElementDeclarations && source.target.labeledElementDeclarations.slice(startIndex, endIndex) ); inferFromTypes(getElementTypeOfSliceOfTupleType(source, startLength, endLength + impliedArity), elementTypes[startLength]); inferFromTypes(trailingSlice, elementTypes[startLength + 1]); } } } else if (middleLength === 1 && elementFlags[startLength] & 8) { const endsInOptional = target.target.elementFlags[targetArity - 1] & 2; const sourceSlice = sliceTupleType(source, startLength, endLength); inferWithPriority(sourceSlice, elementTypes[startLength], endsInOptional ? 2 : 0); } else if (middleLength === 1 && elementFlags[startLength] & 4) { const restType = getElementTypeOfSliceOfTupleType(source, startLength, endLength); if (restType) { inferFromTypes(restType, elementTypes[startLength]); } } } for (let i = 0; i < endLength; i++) { inferFromTypes(getTypeArguments(source)[sourceArity - i - 1], elementTypes[targetArity - i - 1]); } return; } if (isArrayType(target)) { inferFromIndexTypes(source, target); return; } } inferFromProperties(source, target); inferFromSignatures( source, target, 0 /* Call */ ); inferFromSignatures( source, target, 1 /* Construct */ ); inferFromIndexTypes(source, target); } } function inferFromProperties(source, target) { const properties = getPropertiesOfObjectType(target); for (const targetProp of properties) { const sourceProp = getPropertyOfType(source, targetProp.escapedName); if (sourceProp && !some(sourceProp.declarations, hasSkipDirectInferenceFlag)) { inferFromTypes( removeMissingType(getTypeOfSymbol(sourceProp), !!(sourceProp.flags & 16777216)), removeMissingType(getTypeOfSymbol(targetProp), !!(targetProp.flags & 16777216)) ); } } } function inferFromSignatures(source, target, kind) { const sourceSignatures = getSignaturesOfType(source, kind); const sourceLen = sourceSignatures.length; if (sourceLen > 0) { const targetSignatures = getSignaturesOfType(target, kind); const targetLen = targetSignatures.length; for (let i = 0; i < targetLen; i++) { const sourceIndex = Math.max(sourceLen - targetLen + i, 0); inferFromSignature(getBaseSignature(sourceSignatures[sourceIndex]), getErasedSignature(targetSignatures[i])); } } } function inferFromSignature(source, target) { if (!(source.flags & 64)) { const saveBivariant = bivariant; const kind = target.declaration ? target.declaration.kind : 0; bivariant = bivariant || kind === 174 || kind === 173 || kind === 176; applyToParameterTypes(source, target, inferFromContravariantTypesIfStrictFunctionTypes); bivariant = saveBivariant; } applyToReturnTypes(source, target, inferFromTypes); } function inferFromIndexTypes(source, target) { const priority2 = getObjectFlags(source) & getObjectFlags(target) & 32 ? 8 : 0; const indexInfos = getIndexInfosOfType(target); if (isObjectTypeWithInferableIndex(source)) { for (const targetInfo of indexInfos) { const propTypes = []; for (const prop of getPropertiesOfType(source)) { if (isApplicableIndexType(getLiteralTypeFromProperty( prop, 8576 /* StringOrNumberLiteralOrUnique */ ), targetInfo.keyType)) { const propType = getTypeOfSymbol(prop); propTypes.push(prop.flags & 16777216 ? removeMissingOrUndefinedType(propType) : propType); } } for (const info of getIndexInfosOfType(source)) { if (isApplicableIndexType(info.keyType, targetInfo.keyType)) { propTypes.push(info.type); } } if (propTypes.length) { inferWithPriority(getUnionType(propTypes), targetInfo.type, priority2); } } } for (const targetInfo of indexInfos) { const sourceInfo = getApplicableIndexInfo(source, targetInfo.keyType); if (sourceInfo) { inferWithPriority(sourceInfo.type, targetInfo.type, priority2); } } } } function isTypeOrBaseIdenticalTo(s, t) { return t === missingType ? s === t : isTypeIdenticalTo(s, t) || !!(t.flags & 4 && s.flags & 128 || t.flags & 8 && s.flags & 256); } function isTypeCloselyMatchedBy(s, t) { return !!(s.flags & 524288 && t.flags & 524288 && s.symbol && s.symbol === t.symbol || s.aliasSymbol && s.aliasTypeArguments && s.aliasSymbol === t.aliasSymbol); } function hasPrimitiveConstraint(type) { const constraint = getConstraintOfTypeParameter(type); return !!constraint && maybeTypeOfKind( constraint.flags & 16777216 ? getDefaultConstraintOfConditionalType(constraint) : constraint, 402784252 | 4194304 | 134217728 | 268435456 /* StringMapping */ ); } function isObjectLiteralType2(type) { return !!(getObjectFlags(type) & 128); } function isObjectOrArrayLiteralType(type) { return !!(getObjectFlags(type) & (128 | 16384)); } function unionObjectAndArrayLiteralCandidates(candidates) { if (candidates.length > 1) { const objectLiterals = filter(candidates, isObjectOrArrayLiteralType); if (objectLiterals.length) { const literalsType = getUnionType( objectLiterals, 2 /* Subtype */ ); return concatenate(filter(candidates, (t) => !isObjectOrArrayLiteralType(t)), [literalsType]); } } return candidates; } function getContravariantInference(inference) { return inference.priority & 416 ? getIntersectionType(inference.contraCandidates) : getCommonSubtype(inference.contraCandidates); } function getCovariantInference(inference, signature) { const candidates = unionObjectAndArrayLiteralCandidates(inference.candidates); const primitiveConstraint = hasPrimitiveConstraint(inference.typeParameter) || isConstTypeVariable(inference.typeParameter); const widenLiteralTypes = !primitiveConstraint && inference.topLevel && (inference.isFixed || !isTypeParameterAtTopLevelInReturnType(signature, inference.typeParameter)); const baseCandidates = primitiveConstraint ? sameMap(candidates, getRegularTypeOfLiteralType) : widenLiteralTypes ? sameMap(candidates, getWidenedLiteralType) : candidates; const unwidenedType = inference.priority & 416 ? getUnionType( baseCandidates, 2 /* Subtype */ ) : getCommonSupertype(baseCandidates); return getWidenedType(unwidenedType); } function getInferredType(context, index) { const inference = context.inferences[index]; if (!inference.inferredType) { let inferredType; let fallbackType; if (context.signature) { const inferredCovariantType = inference.candidates ? getCovariantInference(inference, context.signature) : void 0; const inferredContravariantType = inference.contraCandidates ? getContravariantInference(inference) : void 0; if (inferredCovariantType || inferredContravariantType) { const preferCovariantType = inferredCovariantType && (!inferredContravariantType || !(inferredCovariantType.flags & 131072) && some(inference.contraCandidates, (t) => isTypeSubtypeOf(inferredCovariantType, t)) && every(context.inferences, (other) => other !== inference && getConstraintOfTypeParameter(other.typeParameter) !== inference.typeParameter || every(other.candidates, (t) => isTypeSubtypeOf(t, inferredCovariantType)))); inferredType = preferCovariantType ? inferredCovariantType : inferredContravariantType; fallbackType = preferCovariantType ? inferredContravariantType : inferredCovariantType; } else if (context.flags & 1) { inferredType = silentNeverType; } else { const defaultType = getDefaultFromTypeParameter(inference.typeParameter); if (defaultType) { inferredType = instantiateType(defaultType, mergeTypeMappers(createBackreferenceMapper(context, index), context.nonFixingMapper)); } } } else { inferredType = getTypeFromInference(inference); } inference.inferredType = inferredType || getDefaultTypeArgumentType(!!(context.flags & 2)); const constraint = getConstraintOfTypeParameter(inference.typeParameter); if (constraint) { const instantiatedConstraint = instantiateType(constraint, context.nonFixingMapper); if (!inferredType || !context.compareTypes(inferredType, getTypeWithThisArgument(instantiatedConstraint, inferredType))) { inference.inferredType = fallbackType && context.compareTypes(fallbackType, getTypeWithThisArgument(instantiatedConstraint, fallbackType)) ? fallbackType : instantiatedConstraint; } } } return inference.inferredType; } function getDefaultTypeArgumentType(isInJavaScriptFile) { return isInJavaScriptFile ? anyType2 : unknownType2; } function getInferredTypes(context) { const result = []; for (let i = 0; i < context.inferences.length; i++) { result.push(getInferredType(context, i)); } return result; } function getCannotFindNameDiagnosticForName(node) { switch (node.escapedText) { case "document": case "console": return Diagnostics.Cannot_find_name_0_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_include_dom; case "$": return compilerOptions.types ? Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_jQuery_Try_npm_i_save_dev_types_Slashjquery_and_then_add_jquery_to_the_types_field_in_your_tsconfig : Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_jQuery_Try_npm_i_save_dev_types_Slashjquery; case "describe": case "suite": case "it": case "test": return compilerOptions.types ? Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_a_test_runner_Try_npm_i_save_dev_types_Slashjest_or_npm_i_save_dev_types_Slashmocha_and_then_add_jest_or_mocha_to_the_types_field_in_your_tsconfig : Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_a_test_runner_Try_npm_i_save_dev_types_Slashjest_or_npm_i_save_dev_types_Slashmocha; case "process": case "require": case "Buffer": case "module": return compilerOptions.types ? Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_node_Try_npm_i_save_dev_types_Slashnode_and_then_add_node_to_the_types_field_in_your_tsconfig : Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_node_Try_npm_i_save_dev_types_Slashnode; case "Bun": return compilerOptions.types ? Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_Bun_Try_npm_i_save_dev_types_Slashbun_and_then_add_bun_to_the_types_field_in_your_tsconfig : Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_Bun_Try_npm_i_save_dev_types_Slashbun; case "Map": case "Set": case "Promise": case "Symbol": case "WeakMap": case "WeakSet": case "Iterator": case "AsyncIterator": case "SharedArrayBuffer": case "Atomics": case "AsyncIterable": case "AsyncIterableIterator": case "AsyncGenerator": case "AsyncGeneratorFunction": case "BigInt": case "Reflect": case "BigInt64Array": case "BigUint64Array": return Diagnostics.Cannot_find_name_0_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_1_or_later; case "await": if (isCallExpression2(node.parent)) { return Diagnostics.Cannot_find_name_0_Did_you_mean_to_write_this_in_an_async_function; } default: if (node.parent.kind === 304) { return Diagnostics.No_value_exists_in_scope_for_the_shorthand_property_0_Either_declare_one_or_provide_an_initializer; } else { return Diagnostics.Cannot_find_name_0; } } } function getResolvedSymbol(node) { const links = getNodeLinks(node); if (!links.resolvedSymbol) { links.resolvedSymbol = !nodeIsMissing(node) && resolveName( node, node, 111551 | 1048576, getCannotFindNameDiagnosticForName(node), !isWriteOnlyAccess(node), /*excludeGlobals*/ false ) || unknownSymbol; } return links.resolvedSymbol; } function isInAmbientOrTypeNode(node) { return !!(node.flags & 33554432 || findAncestor(node, (n) => isInterfaceDeclaration(n) || isTypeAliasDeclaration(n) || isTypeLiteralNode(n))); } function getFlowCacheKey(node, declaredType, initialType, flowContainer) { switch (node.kind) { case 80: if (!isThisInTypeQuery(node)) { const symbol = getResolvedSymbol(node); return symbol !== unknownSymbol ? `${flowContainer ? getNodeId(flowContainer) : "-1"}|${getTypeId(declaredType)}|${getTypeId(initialType)}|${getSymbolId(symbol)}` : void 0; } case 110: return `0|${flowContainer ? getNodeId(flowContainer) : "-1"}|${getTypeId(declaredType)}|${getTypeId(initialType)}`; case 235: case 217: return getFlowCacheKey(node.expression, declaredType, initialType, flowContainer); case 166: const left = getFlowCacheKey(node.left, declaredType, initialType, flowContainer); return left && `${left}.${node.right.escapedText}`; case 211: case 212: const propName = getAccessedPropertyName(node); if (propName !== void 0) { const key = getFlowCacheKey(node.expression, declaredType, initialType, flowContainer); return key && `${key}.${propName}`; } if (isElementAccessExpression(node) && isIdentifier(node.argumentExpression)) { const symbol = getResolvedSymbol(node.argumentExpression); if (isConstantVariable(symbol) || isParameterOrMutableLocalVariable(symbol) && !isSymbolAssigned(symbol)) { const key = getFlowCacheKey(node.expression, declaredType, initialType, flowContainer); return key && `${key}.@${getSymbolId(symbol)}`; } } break; case 206: case 207: case 262: case 218: case 219: case 174: return `${getNodeId(node)}#${getTypeId(declaredType)}`; } return void 0; } function isMatchingReference(source, target) { switch (target.kind) { case 217: case 235: return isMatchingReference(source, target.expression); case 226: return isAssignmentExpression2(target) && isMatchingReference(source, target.left) || isBinaryExpression(target) && target.operatorToken.kind === 28 && isMatchingReference(source, target.right); } switch (source.kind) { case 236: return target.kind === 236 && source.keywordToken === target.keywordToken && source.name.escapedText === target.name.escapedText; case 80: case 81: return isThisInTypeQuery(source) ? target.kind === 110 : target.kind === 80 && getResolvedSymbol(source) === getResolvedSymbol(target) || (isVariableDeclaration(target) || isBindingElement(target)) && getExportSymbolOfValueSymbolIfExported(getResolvedSymbol(source)) === getSymbolOfDeclaration(target); case 110: return target.kind === 110; case 108: return target.kind === 108; case 235: case 217: return isMatchingReference(source.expression, target); case 211: case 212: const sourcePropertyName = getAccessedPropertyName(source); if (sourcePropertyName !== void 0) { const targetPropertyName = isAccessExpression(target) ? getAccessedPropertyName(target) : void 0; if (targetPropertyName !== void 0) { return targetPropertyName === sourcePropertyName && isMatchingReference(source.expression, target.expression); } } if (isElementAccessExpression(source) && isElementAccessExpression(target) && isIdentifier(source.argumentExpression) && isIdentifier(target.argumentExpression)) { const symbol = getResolvedSymbol(source.argumentExpression); if (symbol === getResolvedSymbol(target.argumentExpression) && (isConstantVariable(symbol) || isParameterOrMutableLocalVariable(symbol) && !isSymbolAssigned(symbol))) { return isMatchingReference(source.expression, target.expression); } } break; case 166: return isAccessExpression(target) && source.right.escapedText === getAccessedPropertyName(target) && isMatchingReference(source.left, target.expression); case 226: return isBinaryExpression(source) && source.operatorToken.kind === 28 && isMatchingReference(source.right, target); } return false; } function getAccessedPropertyName(access) { if (isPropertyAccessExpression(access)) { return access.name.escapedText; } if (isElementAccessExpression(access)) { return tryGetElementAccessExpressionName(access); } if (isBindingElement(access)) { const name = getDestructuringPropertyName(access); return name ? escapeLeadingUnderscores(name) : void 0; } if (isParameter(access)) { return "" + access.parent.parameters.indexOf(access); } return void 0; } function tryGetNameFromType(type) { return type.flags & 8192 ? type.escapedName : type.flags & 384 ? escapeLeadingUnderscores("" + type.value) : void 0; } function tryGetElementAccessExpressionName(node) { return isStringOrNumericLiteralLike(node.argumentExpression) ? escapeLeadingUnderscores(node.argumentExpression.text) : isEntityNameExpression(node.argumentExpression) ? tryGetNameFromEntityNameExpression(node.argumentExpression) : void 0; } function tryGetNameFromEntityNameExpression(node) { const symbol = resolveEntityName( node, 111551, /*ignoreErrors*/ true ); if (!symbol || !(isConstantVariable(symbol) || symbol.flags & 8)) return void 0; const declaration = symbol.valueDeclaration; if (declaration === void 0) return void 0; const type = tryGetTypeFromEffectiveTypeNode(declaration); if (type) { const name = tryGetNameFromType(type); if (name !== void 0) { return name; } } if (hasOnlyExpressionInitializer(declaration) && isBlockScopedNameDeclaredBeforeUse(declaration, node)) { const initializer = getEffectiveInitializer(declaration); if (initializer) { const initializerType = isBindingPattern(declaration.parent) ? getTypeForBindingElement(declaration) : getTypeOfExpression(initializer); return initializerType && tryGetNameFromType(initializerType); } if (isEnumMember(declaration)) { return getTextOfPropertyName(declaration.name); } } return void 0; } function containsMatchingReference(source, target) { while (isAccessExpression(source)) { source = source.expression; if (isMatchingReference(source, target)) { return true; } } return false; } function optionalChainContainsReference(source, target) { while (isOptionalChain(source)) { source = source.expression; if (isMatchingReference(source, target)) { return true; } } return false; } function isDiscriminantProperty(type, name) { if (type && type.flags & 1048576) { const prop = getUnionOrIntersectionProperty(type, name); if (prop && getCheckFlags(prop) & 2) { if (prop.links.isDiscriminantProperty === void 0) { prop.links.isDiscriminantProperty = (prop.links.checkFlags & 192) === 192 && !isGenericType(getTypeOfSymbol(prop)); } return !!prop.links.isDiscriminantProperty; } } return false; } function findDiscriminantProperties(sourceProperties, target) { let result; for (const sourceProperty of sourceProperties) { if (isDiscriminantProperty(target, sourceProperty.escapedName)) { if (result) { result.push(sourceProperty); continue; } result = [sourceProperty]; } } return result; } function mapTypesByKeyProperty(types, name) { const map2 = /* @__PURE__ */ new Map(); let count = 0; for (const type of types) { if (type.flags & (524288 | 2097152 | 58982400)) { const discriminant = getTypeOfPropertyOfType(type, name); if (discriminant) { if (!isLiteralType(discriminant)) { return void 0; } let duplicate = false; forEachType(discriminant, (t) => { const id = getTypeId(getRegularTypeOfLiteralType(t)); const existing = map2.get(id); if (!existing) { map2.set(id, type); } else if (existing !== unknownType2) { map2.set(id, unknownType2); duplicate = true; } }); if (!duplicate) count++; } } } return count >= 10 && count * 2 >= types.length ? map2 : void 0; } function getKeyPropertyName(unionType2) { const types = unionType2.types; if (types.length < 10 || getObjectFlags(unionType2) & 32768 || countWhere(types, (t) => !!(t.flags & (524288 | 58982400))) < 10) { return void 0; } if (unionType2.keyPropertyName === void 0) { const keyPropertyName = forEach(types, (t) => t.flags & (524288 | 58982400) ? forEach(getPropertiesOfType(t), (p) => isUnitType(getTypeOfSymbol(p)) ? p.escapedName : void 0) : void 0); const mapByKeyProperty = keyPropertyName && mapTypesByKeyProperty(types, keyPropertyName); unionType2.keyPropertyName = mapByKeyProperty ? keyPropertyName : ""; unionType2.constituentMap = mapByKeyProperty; } return unionType2.keyPropertyName.length ? unionType2.keyPropertyName : void 0; } function getConstituentTypeForKeyType(unionType2, keyType) { var _a; const result = (_a = unionType2.constituentMap) == null ? void 0 : _a.get(getTypeId(getRegularTypeOfLiteralType(keyType))); return result !== unknownType2 ? result : void 0; } function getMatchingUnionConstituentForType(unionType2, type) { const keyPropertyName = getKeyPropertyName(unionType2); const propType = keyPropertyName && getTypeOfPropertyOfType(type, keyPropertyName); return propType && getConstituentTypeForKeyType(unionType2, propType); } function getMatchingUnionConstituentForObjectLiteral(unionType2, node) { const keyPropertyName = getKeyPropertyName(unionType2); const propNode = keyPropertyName && find(node.properties, (p) => p.symbol && p.kind === 303 && p.symbol.escapedName === keyPropertyName && isPossiblyDiscriminantValue(p.initializer)); const propType = propNode && getContextFreeTypeOfExpression(propNode.initializer); return propType && getConstituentTypeForKeyType(unionType2, propType); } function isOrContainsMatchingReference(source, target) { return isMatchingReference(source, target) || containsMatchingReference(source, target); } function hasMatchingArgument(expression, reference) { if (expression.arguments) { for (const argument of expression.arguments) { if (isOrContainsMatchingReference(reference, argument) || optionalChainContainsReference(argument, reference)) { return true; } } } if (expression.expression.kind === 211 && isOrContainsMatchingReference(reference, expression.expression.expression)) { return true; } return false; } function getFlowNodeId(flow) { if (flow.id <= 0) { flow.id = nextFlowId; nextFlowId++; } return flow.id; } function typeMaybeAssignableTo(source, target) { if (!(source.flags & 1048576)) { return isTypeAssignableTo(source, target); } for (const t of source.types) { if (isTypeAssignableTo(t, target)) { return true; } } return false; } function getAssignmentReducedType(declaredType, assignedType) { if (declaredType === assignedType) { return declaredType; } if (assignedType.flags & 131072) { return assignedType; } const key = `A${getTypeId(declaredType)},${getTypeId(assignedType)}`; return getCachedType(key) ?? setCachedType(key, getAssignmentReducedTypeWorker(declaredType, assignedType)); } function getAssignmentReducedTypeWorker(declaredType, assignedType) { const filteredType = filterType(declaredType, (t) => typeMaybeAssignableTo(assignedType, t)); const reducedType = assignedType.flags & 512 && isFreshLiteralType(assignedType) ? mapType2(filteredType, getFreshTypeOfLiteralType) : filteredType; return isTypeAssignableTo(assignedType, reducedType) ? reducedType : declaredType; } function isFunctionObjectType(type) { const resolved = resolveStructuredTypeMembers(type); return !!(resolved.callSignatures.length || resolved.constructSignatures.length || resolved.members.get("bind") && isTypeSubtypeOf(type, globalFunctionType)); } function getTypeFacts(type, mask2) { return getTypeFactsWorker(type, mask2) & mask2; } function hasTypeFacts(type, mask2) { return getTypeFacts(type, mask2) !== 0; } function getTypeFactsWorker(type, callerOnlyNeeds) { if (type.flags & (2097152 | 465829888)) { type = getBaseConstraintOfType(type) || unknownType2; } const flags = type.flags; if (flags & (4 | 268435456)) { return strictNullChecks ? 16317953 : 16776705; } if (flags & (128 | 134217728)) { const isEmpty2 = flags & 128 && type.value === ""; return strictNullChecks ? isEmpty2 ? 12123649 : 7929345 : isEmpty2 ? 12582401 : 16776705; } if (flags & (8 | 32)) { return strictNullChecks ? 16317698 : 16776450; } if (flags & 256) { const isZero = type.value === 0; return strictNullChecks ? isZero ? 12123394 : 7929090 : isZero ? 12582146 : 16776450; } if (flags & 64) { return strictNullChecks ? 16317188 : 16775940; } if (flags & 2048) { const isZero = isZeroBigInt(type); return strictNullChecks ? isZero ? 12122884 : 7928580 : isZero ? 12581636 : 16775940; } if (flags & 16) { return strictNullChecks ? 16316168 : 16774920; } if (flags & 528) { return strictNullChecks ? type === falseType || type === regularFalseType ? 12121864 : 7927560 : type === falseType || type === regularFalseType ? 12580616 : 16774920; } if (flags & 524288) { const possibleFacts = strictNullChecks ? 83427327 | 7880640 | 7888800 : 83886079 | 16728e3 | 16736160; if ((callerOnlyNeeds & possibleFacts) === 0) { return 0; } return getObjectFlags(type) & 16 && isEmptyObjectType(type) ? strictNullChecks ? 83427327 : 83886079 : isFunctionObjectType(type) ? strictNullChecks ? 7880640 : 16728e3 : strictNullChecks ? 7888800 : 16736160; } if (flags & 16384) { return 9830144; } if (flags & 32768) { return 26607360; } if (flags & 65536) { return 42917664; } if (flags & 12288) { return strictNullChecks ? 7925520 : 16772880; } if (flags & 67108864) { return strictNullChecks ? 7888800 : 16736160; } if (flags & 131072) { return 0; } if (flags & 1048576) { return reduceLeft( type.types, (facts, t) => facts | getTypeFactsWorker(t, callerOnlyNeeds), 0 /* None */ ); } if (flags & 2097152) { return getIntersectionTypeFacts(type, callerOnlyNeeds); } return 83886079; } function getIntersectionTypeFacts(type, callerOnlyNeeds) { const ignoreObjects = maybeTypeOfKind( type, 402784252 /* Primitive */ ); let oredFacts = 0; let andedFacts = 134217727; for (const t of type.types) { if (!(ignoreObjects && t.flags & 524288)) { const f = getTypeFactsWorker(t, callerOnlyNeeds); oredFacts |= f; andedFacts &= f; } } return oredFacts & 8256 | andedFacts & 134209471; } function getTypeWithFacts(type, include) { return filterType(type, (t) => hasTypeFacts(t, include)); } function getAdjustedTypeWithFacts(type, facts) { const reduced = recombineUnknownType(getTypeWithFacts(strictNullChecks && type.flags & 2 ? unknownUnionType : type, facts)); if (strictNullChecks) { switch (facts) { case 524288: return removeNullableByIntersection(reduced, 65536, 131072, 33554432, nullType2); case 1048576: return removeNullableByIntersection(reduced, 131072, 65536, 16777216, undefinedType2); case 2097152: case 4194304: return mapType2(reduced, (t) => hasTypeFacts( t, 262144 /* EQUndefinedOrNull */ ) ? getGlobalNonNullableTypeInstantiation(t) : t); } } return reduced; } function removeNullableByIntersection(type, targetFacts, otherFacts, otherIncludesFacts, otherType) { const facts = getTypeFacts( type, 65536 | 131072 | 16777216 | 33554432 /* IsNull */ ); if (!(facts & targetFacts)) { return type; } const emptyAndOtherUnion = getUnionType([emptyObjectType, otherType]); return mapType2(type, (t) => hasTypeFacts(t, targetFacts) ? getIntersectionType([t, !(facts & otherIncludesFacts) && hasTypeFacts(t, otherFacts) ? emptyAndOtherUnion : emptyObjectType]) : t); } function recombineUnknownType(type) { return type === unknownUnionType ? unknownType2 : type; } function getTypeWithDefault(type, defaultExpression) { return defaultExpression ? getUnionType([getNonUndefinedType(type), getTypeOfExpression(defaultExpression)]) : type; } function getTypeOfDestructuredProperty(type, name) { var _a; const nameType = getLiteralTypeFromPropertyName(name); if (!isTypeUsableAsPropertyName(nameType)) return errorType; const text = getPropertyNameFromType(nameType); return getTypeOfPropertyOfType(type, text) || includeUndefinedInIndexSignature((_a = getApplicableIndexInfoForName(type, text)) == null ? void 0 : _a.type) || errorType; } function getTypeOfDestructuredArrayElement(type, index) { return everyType(type, isTupleLikeType) && getTupleElementType(type, index) || includeUndefinedInIndexSignature(checkIteratedTypeOrElementType( 65, type, undefinedType2, /*errorNode*/ void 0 )) || errorType; } function includeUndefinedInIndexSignature(type) { if (!type) return type; return compilerOptions.noUncheckedIndexedAccess ? getUnionType([type, missingType]) : type; } function getTypeOfDestructuredSpreadExpression(type) { return createArrayType(checkIteratedTypeOrElementType( 65, type, undefinedType2, /*errorNode*/ void 0 ) || errorType); } function getAssignedTypeOfBinaryExpression(node) { const isDestructuringDefaultAssignment = node.parent.kind === 209 && isDestructuringAssignmentTarget(node.parent) || node.parent.kind === 303 && isDestructuringAssignmentTarget(node.parent.parent); return isDestructuringDefaultAssignment ? getTypeWithDefault(getAssignedType(node), node.right) : getTypeOfExpression(node.right); } function isDestructuringAssignmentTarget(parent2) { return parent2.parent.kind === 226 && parent2.parent.left === parent2 || parent2.parent.kind === 250 && parent2.parent.initializer === parent2; } function getAssignedTypeOfArrayLiteralElement(node, element) { return getTypeOfDestructuredArrayElement(getAssignedType(node), node.elements.indexOf(element)); } function getAssignedTypeOfSpreadExpression(node) { return getTypeOfDestructuredSpreadExpression(getAssignedType(node.parent)); } function getAssignedTypeOfPropertyAssignment(node) { return getTypeOfDestructuredProperty(getAssignedType(node.parent), node.name); } function getAssignedTypeOfShorthandPropertyAssignment(node) { return getTypeWithDefault(getAssignedTypeOfPropertyAssignment(node), node.objectAssignmentInitializer); } function getAssignedType(node) { const { parent: parent2 } = node; switch (parent2.kind) { case 249: return stringType2; case 250: return checkRightHandSideOfForOf(parent2) || errorType; case 226: return getAssignedTypeOfBinaryExpression(parent2); case 220: return undefinedType2; case 209: return getAssignedTypeOfArrayLiteralElement(parent2, node); case 230: return getAssignedTypeOfSpreadExpression(parent2); case 303: return getAssignedTypeOfPropertyAssignment(parent2); case 304: return getAssignedTypeOfShorthandPropertyAssignment(parent2); } return errorType; } function getInitialTypeOfBindingElement(node) { const pattern = node.parent; const parentType = getInitialType(pattern.parent); const type = pattern.kind === 206 ? getTypeOfDestructuredProperty(parentType, node.propertyName || node.name) : !node.dotDotDotToken ? getTypeOfDestructuredArrayElement(parentType, pattern.elements.indexOf(node)) : getTypeOfDestructuredSpreadExpression(parentType); return getTypeWithDefault(type, node.initializer); } function getTypeOfInitializer(node) { const links = getNodeLinks(node); return links.resolvedType || getTypeOfExpression(node); } function getInitialTypeOfVariableDeclaration(node) { if (node.initializer) { return getTypeOfInitializer(node.initializer); } if (node.parent.parent.kind === 249) { return stringType2; } if (node.parent.parent.kind === 250) { return checkRightHandSideOfForOf(node.parent.parent) || errorType; } return errorType; } function getInitialType(node) { return node.kind === 260 ? getInitialTypeOfVariableDeclaration(node) : getInitialTypeOfBindingElement(node); } function isEmptyArrayAssignment(node) { return node.kind === 260 && node.initializer && isEmptyArrayLiteral2(node.initializer) || node.kind !== 208 && node.parent.kind === 226 && isEmptyArrayLiteral2(node.parent.right); } function getReferenceCandidate(node) { switch (node.kind) { case 217: return getReferenceCandidate(node.expression); case 226: switch (node.operatorToken.kind) { case 64: case 76: case 77: case 78: return getReferenceCandidate(node.left); case 28: return getReferenceCandidate(node.right); } } return node; } function getReferenceRoot(node) { const { parent: parent2 } = node; return parent2.kind === 217 || parent2.kind === 226 && parent2.operatorToken.kind === 64 && parent2.left === node || parent2.kind === 226 && parent2.operatorToken.kind === 28 && parent2.right === node ? getReferenceRoot(parent2) : node; } function getTypeOfSwitchClause(clause) { if (clause.kind === 296) { return getRegularTypeOfLiteralType(getTypeOfExpression(clause.expression)); } return neverType2; } function getSwitchClauseTypes(switchStatement) { const links = getNodeLinks(switchStatement); if (!links.switchTypes) { links.switchTypes = []; for (const clause of switchStatement.caseBlock.clauses) { links.switchTypes.push(getTypeOfSwitchClause(clause)); } } return links.switchTypes; } function getSwitchClauseTypeOfWitnesses(switchStatement) { if (some(switchStatement.caseBlock.clauses, (clause) => clause.kind === 296 && !isStringLiteralLike(clause.expression))) { return void 0; } const witnesses = []; for (const clause of switchStatement.caseBlock.clauses) { const text = clause.kind === 296 ? clause.expression.text : void 0; witnesses.push(text && !contains(witnesses, text) ? text : void 0); } return witnesses; } function eachTypeContainedIn(source, types) { return source.flags & 1048576 ? !forEach(source.types, (t) => !contains(types, t)) : contains(types, source); } function isTypeSubsetOf(source, target) { return !!(source === target || source.flags & 131072 || target.flags & 1048576 && isTypeSubsetOfUnion(source, target)); } function isTypeSubsetOfUnion(source, target) { if (source.flags & 1048576) { for (const t of source.types) { if (!containsType(target.types, t)) { return false; } } return true; } if (source.flags & 1056 && getBaseTypeOfEnumLikeType(source) === target) { return true; } return containsType(target.types, source); } function forEachType(type, f) { return type.flags & 1048576 ? forEach(type.types, f) : f(type); } function someType(type, f) { return type.flags & 1048576 ? some(type.types, f) : f(type); } function everyType(type, f) { return type.flags & 1048576 ? every(type.types, f) : f(type); } function everyContainedType(type, f) { return type.flags & 3145728 ? every(type.types, f) : f(type); } function filterType(type, f) { if (type.flags & 1048576) { const types = type.types; const filtered = filter(types, f); if (filtered === types) { return type; } const origin = type.origin; let newOrigin; if (origin && origin.flags & 1048576) { const originTypes = origin.types; const originFiltered = filter(originTypes, (t) => !!(t.flags & 1048576) || f(t)); if (originTypes.length - originFiltered.length === types.length - filtered.length) { if (originFiltered.length === 1) { return originFiltered[0]; } newOrigin = createOriginUnionOrIntersectionType(1048576, originFiltered); } } return getUnionTypeFromSortedList( filtered, type.objectFlags & (32768 | 16777216), /*aliasSymbol*/ void 0, /*aliasTypeArguments*/ void 0, newOrigin ); } return type.flags & 131072 || f(type) ? type : neverType2; } function removeType(type, targetType) { return filterType(type, (t) => t !== targetType); } function countTypes(type) { return type.flags & 1048576 ? type.types.length : 1; } function mapType2(type, mapper, noReductions) { if (type.flags & 131072) { return type; } if (!(type.flags & 1048576)) { return mapper(type); } const origin = type.origin; const types = origin && origin.flags & 1048576 ? origin.types : type.types; let mappedTypes; let changed = false; for (const t of types) { const mapped = t.flags & 1048576 ? mapType2(t, mapper, noReductions) : mapper(t); changed || (changed = t !== mapped); if (mapped) { if (!mappedTypes) { mappedTypes = [mapped]; } else { mappedTypes.push(mapped); } } } return changed ? mappedTypes && getUnionType( mappedTypes, noReductions ? 0 : 1 /* Literal */ ) : type; } function mapTypeWithAlias(type, mapper, aliasSymbol, aliasTypeArguments) { return type.flags & 1048576 && aliasSymbol ? getUnionType(map(type.types, mapper), 1, aliasSymbol, aliasTypeArguments) : mapType2(type, mapper); } function extractTypesOfKind(type, kind) { return filterType(type, (t) => (t.flags & kind) !== 0); } function replacePrimitivesWithLiterals(typeWithPrimitives, typeWithLiterals) { if (maybeTypeOfKind( typeWithPrimitives, 4 | 134217728 | 8 | 64 /* BigInt */ ) && maybeTypeOfKind( typeWithLiterals, 128 | 134217728 | 268435456 | 256 | 2048 /* BigIntLiteral */ )) { return mapType2(typeWithPrimitives, (t) => t.flags & 4 ? extractTypesOfKind( typeWithLiterals, 4 | 128 | 134217728 | 268435456 /* StringMapping */ ) : isPatternLiteralType(t) && !maybeTypeOfKind( typeWithLiterals, 4 | 134217728 | 268435456 /* StringMapping */ ) ? extractTypesOfKind( typeWithLiterals, 128 /* StringLiteral */ ) : t.flags & 8 ? extractTypesOfKind( typeWithLiterals, 8 | 256 /* NumberLiteral */ ) : t.flags & 64 ? extractTypesOfKind( typeWithLiterals, 64 | 2048 /* BigIntLiteral */ ) : t); } return typeWithPrimitives; } function isIncomplete(flowType) { return flowType.flags === 0; } function getTypeFromFlowType(flowType) { return flowType.flags === 0 ? flowType.type : flowType; } function createFlowType(type, incomplete) { return incomplete ? { flags: 0, type: type.flags & 131072 ? silentNeverType : type } : type; } function createEvolvingArrayType(elementType) { const result = createObjectType( 256 /* EvolvingArray */ ); result.elementType = elementType; return result; } function getEvolvingArrayType(elementType) { return evolvingArrayTypes[elementType.id] || (evolvingArrayTypes[elementType.id] = createEvolvingArrayType(elementType)); } function addEvolvingArrayElementType(evolvingArrayType, node) { const elementType = getRegularTypeOfObjectLiteral(getBaseTypeOfLiteralType(getContextFreeTypeOfExpression(node))); return isTypeSubsetOf(elementType, evolvingArrayType.elementType) ? evolvingArrayType : getEvolvingArrayType(getUnionType([evolvingArrayType.elementType, elementType])); } function createFinalArrayType(elementType) { return elementType.flags & 131072 ? autoArrayType : createArrayType( elementType.flags & 1048576 ? getUnionType( elementType.types, 2 /* Subtype */ ) : elementType ); } function getFinalArrayType(evolvingArrayType) { return evolvingArrayType.finalArrayType || (evolvingArrayType.finalArrayType = createFinalArrayType(evolvingArrayType.elementType)); } function finalizeEvolvingArrayType(type) { return getObjectFlags(type) & 256 ? getFinalArrayType(type) : type; } function getElementTypeOfEvolvingArrayType(type) { return getObjectFlags(type) & 256 ? type.elementType : neverType2; } function isEvolvingArrayTypeList(types) { let hasEvolvingArrayType = false; for (const t of types) { if (!(t.flags & 131072)) { if (!(getObjectFlags(t) & 256)) { return false; } hasEvolvingArrayType = true; } } return hasEvolvingArrayType; } function isEvolvingArrayOperationTarget(node) { const root2 = getReferenceRoot(node); const parent2 = root2.parent; const isLengthPushOrUnshift = isPropertyAccessExpression(parent2) && (parent2.name.escapedText === "length" || parent2.parent.kind === 213 && isIdentifier(parent2.name) && isPushOrUnshiftIdentifier(parent2.name)); const isElementAssignment = parent2.kind === 212 && parent2.expression === root2 && parent2.parent.kind === 226 && parent2.parent.operatorToken.kind === 64 && parent2.parent.left === parent2 && !isAssignmentTarget(parent2.parent) && isTypeAssignableToKind( getTypeOfExpression(parent2.argumentExpression), 296 /* NumberLike */ ); return isLengthPushOrUnshift || isElementAssignment; } function isDeclarationWithExplicitTypeAnnotation(node) { return (isVariableDeclaration(node) || isPropertyDeclaration(node) || isPropertySignature(node) || isParameter(node)) && !!(getEffectiveTypeAnnotationNode(node) || isInJSFile(node) && hasInitializer(node) && node.initializer && isFunctionExpressionOrArrowFunction(node.initializer) && getEffectiveReturnTypeNode(node.initializer)); } function getExplicitTypeOfSymbol(symbol, diagnostic) { symbol = resolveSymbol(symbol); if (symbol.flags & (16 | 8192 | 32 | 512)) { return getTypeOfSymbol(symbol); } if (symbol.flags & (3 | 4)) { if (getCheckFlags(symbol) & 262144) { const origin = symbol.links.syntheticOrigin; if (origin && getExplicitTypeOfSymbol(origin)) { return getTypeOfSymbol(symbol); } } const declaration = symbol.valueDeclaration; if (declaration) { if (isDeclarationWithExplicitTypeAnnotation(declaration)) { return getTypeOfSymbol(symbol); } if (isVariableDeclaration(declaration) && declaration.parent.parent.kind === 250) { const statement = declaration.parent.parent; const expressionType = getTypeOfDottedName( statement.expression, /*diagnostic*/ void 0 ); if (expressionType) { const use = statement.awaitModifier ? 15 : 13; return checkIteratedTypeOrElementType( use, expressionType, undefinedType2, /*errorNode*/ void 0 ); } } if (diagnostic) { addRelatedInfo(diagnostic, createDiagnosticForNode(declaration, Diagnostics._0_needs_an_explicit_type_annotation, symbolToString2(symbol))); } } } } function getTypeOfDottedName(node, diagnostic) { if (!(node.flags & 67108864)) { switch (node.kind) { case 80: const symbol = getExportSymbolOfValueSymbolIfExported(getResolvedSymbol(node)); return getExplicitTypeOfSymbol(symbol, diagnostic); case 110: return getExplicitThisType(node); case 108: return checkSuperExpression(node); case 211: { const type = getTypeOfDottedName(node.expression, diagnostic); if (type) { const name = node.name; let prop; if (isPrivateIdentifier(name)) { if (!type.symbol) { return void 0; } prop = getPropertyOfType(type, getSymbolNameForPrivateIdentifier(type.symbol, name.escapedText)); } else { prop = getPropertyOfType(type, name.escapedText); } return prop && getExplicitTypeOfSymbol(prop, diagnostic); } return void 0; } case 217: return getTypeOfDottedName(node.expression, diagnostic); } } } function getEffectsSignature(node) { const links = getNodeLinks(node); let signature = links.effectsSignature; if (signature === void 0) { let funcType; if (isBinaryExpression(node)) { const rightType = checkNonNullExpression(node.right); funcType = getSymbolHasInstanceMethodOfObjectType(rightType); } else if (node.parent.kind === 244) { funcType = getTypeOfDottedName( node.expression, /*diagnostic*/ void 0 ); } else if (node.expression.kind !== 108) { if (isOptionalChain(node)) { funcType = checkNonNullType( getOptionalExpressionType(checkExpression(node.expression), node.expression), node.expression ); } else { funcType = checkNonNullExpression(node.expression); } } const signatures = getSignaturesOfType( funcType && getApparentType(funcType) || unknownType2, 0 /* Call */ ); const candidate = signatures.length === 1 && !signatures[0].typeParameters ? signatures[0] : some(signatures, hasTypePredicateOrNeverReturnType) ? getResolvedSignature(node) : void 0; signature = links.effectsSignature = candidate && hasTypePredicateOrNeverReturnType(candidate) ? candidate : unknownSignature; } return signature === unknownSignature ? void 0 : signature; } function hasTypePredicateOrNeverReturnType(signature) { return !!(getTypePredicateOfSignature(signature) || signature.declaration && (getReturnTypeFromAnnotation(signature.declaration) || unknownType2).flags & 131072); } function getTypePredicateArgument(predicate, callExpression) { if (predicate.kind === 1 || predicate.kind === 3) { return callExpression.arguments[predicate.parameterIndex]; } const invokedExpression = skipParentheses(callExpression.expression); return isAccessExpression(invokedExpression) ? skipParentheses(invokedExpression.expression) : void 0; } function reportFlowControlError(node) { const block = findAncestor(node, isFunctionOrModuleBlock); const sourceFile = getSourceFileOfNode(node); const span = getSpanOfTokenAtPosition(sourceFile, block.statements.pos); diagnostics.add(createFileDiagnostic(sourceFile, span.start, span.length, Diagnostics.The_containing_function_or_module_body_is_too_large_for_control_flow_analysis)); } function isReachableFlowNode(flow) { const result = isReachableFlowNodeWorker( flow, /*noCacheCheck*/ false ); lastFlowNode = flow; lastFlowNodeReachable = result; return result; } function isFalseExpression(expr) { const node = skipParentheses( expr, /*excludeJSDocTypeAssertions*/ true ); return node.kind === 97 || node.kind === 226 && (node.operatorToken.kind === 56 && (isFalseExpression(node.left) || isFalseExpression(node.right)) || node.operatorToken.kind === 57 && isFalseExpression(node.left) && isFalseExpression(node.right)); } function isReachableFlowNodeWorker(flow, noCacheCheck) { while (true) { if (flow === lastFlowNode) { return lastFlowNodeReachable; } const flags = flow.flags; if (flags & 4096) { if (!noCacheCheck) { const id = getFlowNodeId(flow); const reachable = flowNodeReachable[id]; return reachable !== void 0 ? reachable : flowNodeReachable[id] = isReachableFlowNodeWorker( flow, /*noCacheCheck*/ true ); } noCacheCheck = false; } if (flags & (16 | 96 | 256)) { flow = flow.antecedent; } else if (flags & 512) { const signature = getEffectsSignature(flow.node); if (signature) { const predicate = getTypePredicateOfSignature(signature); if (predicate && predicate.kind === 3 && !predicate.type) { const predicateArgument = flow.node.arguments[predicate.parameterIndex]; if (predicateArgument && isFalseExpression(predicateArgument)) { return false; } } if (getReturnTypeOfSignature(signature).flags & 131072) { return false; } } flow = flow.antecedent; } else if (flags & 4) { return some(flow.antecedent, (f) => isReachableFlowNodeWorker( f, /*noCacheCheck*/ false )); } else if (flags & 8) { const antecedents = flow.antecedent; if (antecedents === void 0 || antecedents.length === 0) { return false; } flow = antecedents[0]; } else if (flags & 128) { const data = flow.node; if (data.clauseStart === data.clauseEnd && isExhaustiveSwitchStatement(data.switchStatement)) { return false; } flow = flow.antecedent; } else if (flags & 1024) { lastFlowNode = void 0; const target = flow.node.target; const saveAntecedents = target.antecedent; target.antecedent = flow.node.antecedents; const result = isReachableFlowNodeWorker( flow.antecedent, /*noCacheCheck*/ false ); target.antecedent = saveAntecedents; return result; } else { return !(flags & 1); } } } function isPostSuperFlowNode(flow, noCacheCheck) { while (true) { const flags = flow.flags; if (flags & 4096) { if (!noCacheCheck) { const id = getFlowNodeId(flow); const postSuper = flowNodePostSuper[id]; return postSuper !== void 0 ? postSuper : flowNodePostSuper[id] = isPostSuperFlowNode( flow, /*noCacheCheck*/ true ); } noCacheCheck = false; } if (flags & (16 | 96 | 256 | 128)) { flow = flow.antecedent; } else if (flags & 512) { if (flow.node.expression.kind === 108) { return true; } flow = flow.antecedent; } else if (flags & 4) { return every(flow.antecedent, (f) => isPostSuperFlowNode( f, /*noCacheCheck*/ false )); } else if (flags & 8) { flow = flow.antecedent[0]; } else if (flags & 1024) { const target = flow.node.target; const saveAntecedents = target.antecedent; target.antecedent = flow.node.antecedents; const result = isPostSuperFlowNode( flow.antecedent, /*noCacheCheck*/ false ); target.antecedent = saveAntecedents; return result; } else { return !!(flags & 1); } } } function isConstantReference(node) { switch (node.kind) { case 110: return true; case 80: if (!isThisInTypeQuery(node)) { const symbol = getResolvedSymbol(node); return isConstantVariable(symbol) || isParameterOrMutableLocalVariable(symbol) && !isSymbolAssigned(symbol) || !!symbol.valueDeclaration && isFunctionExpression(symbol.valueDeclaration); } break; case 211: case 212: return isConstantReference(node.expression) && isReadonlySymbol(getNodeLinks(node).resolvedSymbol || unknownSymbol); case 206: case 207: const rootDeclaration = getRootDeclaration(node.parent); return isParameter(rootDeclaration) || isCatchClauseVariableDeclaration(rootDeclaration) ? !isSomeSymbolAssigned(rootDeclaration) : isVariableDeclaration(rootDeclaration) && isVarConstLike2(rootDeclaration); } return false; } function getFlowTypeOfReference(reference, declaredType, initialType = declaredType, flowContainer, flowNode = ((_a) => (_a = tryCast(reference, canHaveFlowNode)) == null ? void 0 : _a.flowNode)()) { let key; let isKeySet = false; let flowDepth = 0; if (flowAnalysisDisabled) { return errorType; } if (!flowNode) { return declaredType; } flowInvocationCount++; const sharedFlowStart = sharedFlowCount; const evolvedType = getTypeFromFlowType(getTypeAtFlowNode(flowNode)); sharedFlowCount = sharedFlowStart; const resultType = getObjectFlags(evolvedType) & 256 && isEvolvingArrayOperationTarget(reference) ? autoArrayType : finalizeEvolvingArrayType(evolvedType); if (resultType === unreachableNeverType || reference.parent && reference.parent.kind === 235 && !(resultType.flags & 131072) && getTypeWithFacts( resultType, 2097152 /* NEUndefinedOrNull */ ).flags & 131072) { return declaredType; } return resultType; function getOrSetCacheKey() { if (isKeySet) { return key; } isKeySet = true; return key = getFlowCacheKey(reference, declaredType, initialType, flowContainer); } function getTypeAtFlowNode(flow) { var _a2; if (flowDepth === 2e3) { (_a2 = tracing) == null ? void 0 : _a2.instant(tracing.Phase.CheckTypes, "getTypeAtFlowNode_DepthLimit", { flowId: flow.id }); flowAnalysisDisabled = true; reportFlowControlError(reference); return errorType; } flowDepth++; let sharedFlow; while (true) { const flags = flow.flags; if (flags & 4096) { for (let i = sharedFlowStart; i < sharedFlowCount; i++) { if (sharedFlowNodes[i] === flow) { flowDepth--; return sharedFlowTypes[i]; } } sharedFlow = flow; } let type; if (flags & 16) { type = getTypeAtFlowAssignment(flow); if (!type) { flow = flow.antecedent; continue; } } else if (flags & 512) { type = getTypeAtFlowCall(flow); if (!type) { flow = flow.antecedent; continue; } } else if (flags & 96) { type = getTypeAtFlowCondition(flow); } else if (flags & 128) { type = getTypeAtSwitchClause(flow); } else if (flags & 12) { if (flow.antecedent.length === 1) { flow = flow.antecedent[0]; continue; } type = flags & 4 ? getTypeAtFlowBranchLabel(flow) : getTypeAtFlowLoopLabel(flow); } else if (flags & 256) { type = getTypeAtFlowArrayMutation(flow); if (!type) { flow = flow.antecedent; continue; } } else if (flags & 1024) { const target = flow.node.target; const saveAntecedents = target.antecedent; target.antecedent = flow.node.antecedents; type = getTypeAtFlowNode(flow.antecedent); target.antecedent = saveAntecedents; } else if (flags & 2) { const container = flow.node; if (container && container !== flowContainer && reference.kind !== 211 && reference.kind !== 212 && !(reference.kind === 110 && container.kind !== 219)) { flow = container.flowNode; continue; } type = initialType; } else { type = convertAutoToAny(declaredType); } if (sharedFlow) { sharedFlowNodes[sharedFlowCount] = sharedFlow; sharedFlowTypes[sharedFlowCount] = type; sharedFlowCount++; } flowDepth--; return type; } } function getInitialOrAssignedType(flow) { const node = flow.node; return getNarrowableTypeForReference( node.kind === 260 || node.kind === 208 ? getInitialType(node) : getAssignedType(node), reference ); } function getTypeAtFlowAssignment(flow) { const node = flow.node; if (isMatchingReference(reference, node)) { if (!isReachableFlowNode(flow)) { return unreachableNeverType; } if (getAssignmentTargetKind(node) === 2) { const flowType = getTypeAtFlowNode(flow.antecedent); return createFlowType(getBaseTypeOfLiteralType(getTypeFromFlowType(flowType)), isIncomplete(flowType)); } if (declaredType === autoType || declaredType === autoArrayType) { if (isEmptyArrayAssignment(node)) { return getEvolvingArrayType(neverType2); } const assignedType = getWidenedLiteralType(getInitialOrAssignedType(flow)); return isTypeAssignableTo(assignedType, declaredType) ? assignedType : anyArrayType; } const t = isInCompoundLikeAssignment(node) ? getBaseTypeOfLiteralType(declaredType) : declaredType; if (t.flags & 1048576) { return getAssignmentReducedType(t, getInitialOrAssignedType(flow)); } return t; } if (containsMatchingReference(reference, node)) { if (!isReachableFlowNode(flow)) { return unreachableNeverType; } if (isVariableDeclaration(node) && (isInJSFile(node) || isVarConstLike2(node))) { const init = getDeclaredExpandoInitializer(node); if (init && (init.kind === 218 || init.kind === 219)) { return getTypeAtFlowNode(flow.antecedent); } } return declaredType; } if (isVariableDeclaration(node) && node.parent.parent.kind === 249 && (isMatchingReference(reference, node.parent.parent.expression) || optionalChainContainsReference(node.parent.parent.expression, reference))) { return getNonNullableTypeIfNeeded(finalizeEvolvingArrayType(getTypeFromFlowType(getTypeAtFlowNode(flow.antecedent)))); } return void 0; } function narrowTypeByAssertion(type, expr) { const node = skipParentheses( expr, /*excludeJSDocTypeAssertions*/ true ); if (node.kind === 97) { return unreachableNeverType; } if (node.kind === 226) { if (node.operatorToken.kind === 56) { return narrowTypeByAssertion(narrowTypeByAssertion(type, node.left), node.right); } if (node.operatorToken.kind === 57) { return getUnionType([narrowTypeByAssertion(type, node.left), narrowTypeByAssertion(type, node.right)]); } } return narrowType( type, node, /*assumeTrue*/ true ); } function getTypeAtFlowCall(flow) { const signature = getEffectsSignature(flow.node); if (signature) { const predicate = getTypePredicateOfSignature(signature); if (predicate && (predicate.kind === 2 || predicate.kind === 3)) { const flowType = getTypeAtFlowNode(flow.antecedent); const type = finalizeEvolvingArrayType(getTypeFromFlowType(flowType)); const narrowedType = predicate.type ? narrowTypeByTypePredicate( type, predicate, flow.node, /*assumeTrue*/ true ) : predicate.kind === 3 && predicate.parameterIndex >= 0 && predicate.parameterIndex < flow.node.arguments.length ? narrowTypeByAssertion(type, flow.node.arguments[predicate.parameterIndex]) : type; return narrowedType === type ? flowType : createFlowType(narrowedType, isIncomplete(flowType)); } if (getReturnTypeOfSignature(signature).flags & 131072) { return unreachableNeverType; } } return void 0; } function getTypeAtFlowArrayMutation(flow) { if (declaredType === autoType || declaredType === autoArrayType) { const node = flow.node; const expr = node.kind === 213 ? node.expression.expression : node.left.expression; if (isMatchingReference(reference, getReferenceCandidate(expr))) { const flowType = getTypeAtFlowNode(flow.antecedent); const type = getTypeFromFlowType(flowType); if (getObjectFlags(type) & 256) { let evolvedType2 = type; if (node.kind === 213) { for (const arg of node.arguments) { evolvedType2 = addEvolvingArrayElementType(evolvedType2, arg); } } else { const indexType = getContextFreeTypeOfExpression(node.left.argumentExpression); if (isTypeAssignableToKind( indexType, 296 /* NumberLike */ )) { evolvedType2 = addEvolvingArrayElementType(evolvedType2, node.right); } } return evolvedType2 === type ? flowType : createFlowType(evolvedType2, isIncomplete(flowType)); } return flowType; } } return void 0; } function getTypeAtFlowCondition(flow) { const flowType = getTypeAtFlowNode(flow.antecedent); const type = getTypeFromFlowType(flowType); if (type.flags & 131072) { return flowType; } const assumeTrue = (flow.flags & 32) !== 0; const nonEvolvingType = finalizeEvolvingArrayType(type); const narrowedType = narrowType(nonEvolvingType, flow.node, assumeTrue); if (narrowedType === nonEvolvingType) { return flowType; } return createFlowType(narrowedType, isIncomplete(flowType)); } function getTypeAtSwitchClause(flow) { const expr = skipParentheses(flow.node.switchStatement.expression); const flowType = getTypeAtFlowNode(flow.antecedent); let type = getTypeFromFlowType(flowType); if (isMatchingReference(reference, expr)) { type = narrowTypeBySwitchOnDiscriminant(type, flow.node); } else if (expr.kind === 221 && isMatchingReference(reference, expr.expression)) { type = narrowTypeBySwitchOnTypeOf(type, flow.node); } else if (expr.kind === 112) { type = narrowTypeBySwitchOnTrue(type, flow.node); } else { if (strictNullChecks) { if (optionalChainContainsReference(expr, reference)) { type = narrowTypeBySwitchOptionalChainContainment(type, flow.node, (t) => !(t.flags & (32768 | 131072))); } else if (expr.kind === 221 && optionalChainContainsReference(expr.expression, reference)) { type = narrowTypeBySwitchOptionalChainContainment(type, flow.node, (t) => !(t.flags & 131072 || t.flags & 128 && t.value === "undefined")); } } const access = getDiscriminantPropertyAccess(expr, type); if (access) { type = narrowTypeBySwitchOnDiscriminantProperty(type, access, flow.node); } } return createFlowType(type, isIncomplete(flowType)); } function getTypeAtFlowBranchLabel(flow) { const antecedentTypes = []; let subtypeReduction = false; let seenIncomplete = false; let bypassFlow; for (const antecedent of flow.antecedent) { if (!bypassFlow && antecedent.flags & 128 && antecedent.node.clauseStart === antecedent.node.clauseEnd) { bypassFlow = antecedent; continue; } const flowType = getTypeAtFlowNode(antecedent); const type = getTypeFromFlowType(flowType); if (type === declaredType && declaredType === initialType) { return type; } pushIfUnique(antecedentTypes, type); if (!isTypeSubsetOf(type, initialType)) { subtypeReduction = true; } if (isIncomplete(flowType)) { seenIncomplete = true; } } if (bypassFlow) { const flowType = getTypeAtFlowNode(bypassFlow); const type = getTypeFromFlowType(flowType); if (!(type.flags & 131072) && !contains(antecedentTypes, type) && !isExhaustiveSwitchStatement(bypassFlow.node.switchStatement)) { if (type === declaredType && declaredType === initialType) { return type; } antecedentTypes.push(type); if (!isTypeSubsetOf(type, initialType)) { subtypeReduction = true; } if (isIncomplete(flowType)) { seenIncomplete = true; } } } return createFlowType(getUnionOrEvolvingArrayType( antecedentTypes, subtypeReduction ? 2 : 1 /* Literal */ ), seenIncomplete); } function getTypeAtFlowLoopLabel(flow) { const id = getFlowNodeId(flow); const cache = flowLoopCaches[id] || (flowLoopCaches[id] = /* @__PURE__ */ new Map()); const key2 = getOrSetCacheKey(); if (!key2) { return declaredType; } const cached = cache.get(key2); if (cached) { return cached; } for (let i = flowLoopStart; i < flowLoopCount; i++) { if (flowLoopNodes[i] === flow && flowLoopKeys[i] === key2 && flowLoopTypes[i].length) { return createFlowType( getUnionOrEvolvingArrayType( flowLoopTypes[i], 1 /* Literal */ ), /*incomplete*/ true ); } } const antecedentTypes = []; let subtypeReduction = false; let firstAntecedentType; for (const antecedent of flow.antecedent) { let flowType; if (!firstAntecedentType) { flowType = firstAntecedentType = getTypeAtFlowNode(antecedent); } else { flowLoopNodes[flowLoopCount] = flow; flowLoopKeys[flowLoopCount] = key2; flowLoopTypes[flowLoopCount] = antecedentTypes; flowLoopCount++; const saveFlowTypeCache = flowTypeCache; flowTypeCache = void 0; flowType = getTypeAtFlowNode(antecedent); flowTypeCache = saveFlowTypeCache; flowLoopCount--; const cached2 = cache.get(key2); if (cached2) { return cached2; } } const type = getTypeFromFlowType(flowType); pushIfUnique(antecedentTypes, type); if (!isTypeSubsetOf(type, initialType)) { subtypeReduction = true; } if (type === declaredType) { break; } } const result = getUnionOrEvolvingArrayType( antecedentTypes, subtypeReduction ? 2 : 1 /* Literal */ ); if (isIncomplete(firstAntecedentType)) { return createFlowType( result, /*incomplete*/ true ); } cache.set(key2, result); return result; } function getUnionOrEvolvingArrayType(types, subtypeReduction) { if (isEvolvingArrayTypeList(types)) { return getEvolvingArrayType(getUnionType(map(types, getElementTypeOfEvolvingArrayType))); } const result = recombineUnknownType(getUnionType(sameMap(types, finalizeEvolvingArrayType), subtypeReduction)); if (result !== declaredType && result.flags & declaredType.flags & 1048576 && arraysEqual(result.types, declaredType.types)) { return declaredType; } return result; } function getCandidateDiscriminantPropertyAccess(expr) { if (isBindingPattern(reference) || isFunctionExpressionOrArrowFunction(reference) || isObjectLiteralMethod(reference)) { if (isIdentifier(expr)) { const symbol = getResolvedSymbol(expr); const declaration = symbol.valueDeclaration; if (declaration && (isBindingElement(declaration) || isParameter(declaration)) && reference === declaration.parent && !declaration.initializer && !declaration.dotDotDotToken) { return declaration; } } } else if (isAccessExpression(expr)) { if (isMatchingReference(reference, expr.expression)) { return expr; } } else if (isIdentifier(expr)) { const symbol = getResolvedSymbol(expr); if (isConstantVariable(symbol)) { const declaration = symbol.valueDeclaration; if (isVariableDeclaration(declaration) && !declaration.type && declaration.initializer && isAccessExpression(declaration.initializer) && isMatchingReference(reference, declaration.initializer.expression)) { return declaration.initializer; } if (isBindingElement(declaration) && !declaration.initializer) { const parent2 = declaration.parent.parent; if (isVariableDeclaration(parent2) && !parent2.type && parent2.initializer && (isIdentifier(parent2.initializer) || isAccessExpression(parent2.initializer)) && isMatchingReference(reference, parent2.initializer)) { return declaration; } } } } return void 0; } function getDiscriminantPropertyAccess(expr, computedType) { if (declaredType.flags & 1048576 || computedType.flags & 1048576) { const access = getCandidateDiscriminantPropertyAccess(expr); if (access) { const name = getAccessedPropertyName(access); if (name) { const type = declaredType.flags & 1048576 && isTypeSubsetOf(computedType, declaredType) ? declaredType : computedType; if (isDiscriminantProperty(type, name)) { return access; } } } } return void 0; } function narrowTypeByDiscriminant(type, access, narrowType2) { const propName = getAccessedPropertyName(access); if (propName === void 0) { return type; } const optionalChain = isOptionalChain(access); const removeNullable = strictNullChecks && (optionalChain || isNonNullAccess(access)) && maybeTypeOfKind( type, 98304 /* Nullable */ ); let propType = getTypeOfPropertyOfType(removeNullable ? getTypeWithFacts( type, 2097152 /* NEUndefinedOrNull */ ) : type, propName); if (!propType) { return type; } propType = removeNullable && optionalChain ? getOptionalType(propType) : propType; const narrowedPropType = narrowType2(propType); return filterType(type, (t) => { const discriminantType = getTypeOfPropertyOrIndexSignatureOfType(t, propName) || unknownType2; return !(discriminantType.flags & 131072) && !(narrowedPropType.flags & 131072) && areTypesComparable(narrowedPropType, discriminantType); }); } function narrowTypeByDiscriminantProperty(type, access, operator, value, assumeTrue) { if ((operator === 37 || operator === 38) && type.flags & 1048576) { const keyPropertyName = getKeyPropertyName(type); if (keyPropertyName && keyPropertyName === getAccessedPropertyName(access)) { const candidate = getConstituentTypeForKeyType(type, getTypeOfExpression(value)); if (candidate) { return operator === (assumeTrue ? 37 : 38) ? candidate : isUnitType(getTypeOfPropertyOfType(candidate, keyPropertyName) || unknownType2) ? removeType(type, candidate) : type; } } } return narrowTypeByDiscriminant(type, access, (t) => narrowTypeByEquality(t, operator, value, assumeTrue)); } function narrowTypeBySwitchOnDiscriminantProperty(type, access, data) { if (data.clauseStart < data.clauseEnd && type.flags & 1048576 && getKeyPropertyName(type) === getAccessedPropertyName(access)) { const clauseTypes = getSwitchClauseTypes(data.switchStatement).slice(data.clauseStart, data.clauseEnd); const candidate = getUnionType(map(clauseTypes, (t) => getConstituentTypeForKeyType(type, t) || unknownType2)); if (candidate !== unknownType2) { return candidate; } } return narrowTypeByDiscriminant(type, access, (t) => narrowTypeBySwitchOnDiscriminant(t, data)); } function narrowTypeByTruthiness(type, expr, assumeTrue) { if (isMatchingReference(reference, expr)) { return getAdjustedTypeWithFacts( type, assumeTrue ? 4194304 : 8388608 /* Falsy */ ); } if (strictNullChecks && assumeTrue && optionalChainContainsReference(expr, reference)) { type = getAdjustedTypeWithFacts( type, 2097152 /* NEUndefinedOrNull */ ); } const access = getDiscriminantPropertyAccess(expr, type); if (access) { return narrowTypeByDiscriminant(type, access, (t) => getTypeWithFacts( t, assumeTrue ? 4194304 : 8388608 /* Falsy */ )); } return type; } function isTypePresencePossible(type, propName, assumeTrue) { const prop = getPropertyOfType(type, propName); return prop ? !!(prop.flags & 16777216 || getCheckFlags(prop) & 48) || assumeTrue : !!getApplicableIndexInfoForName(type, propName) || !assumeTrue; } function narrowTypeByInKeyword(type, nameType, assumeTrue) { const name = getPropertyNameFromType(nameType); const isKnownProperty2 = someType(type, (t) => isTypePresencePossible( t, name, /*assumeTrue*/ true )); if (isKnownProperty2) { return filterType(type, (t) => isTypePresencePossible(t, name, assumeTrue)); } if (assumeTrue) { const recordSymbol = getGlobalRecordSymbol(); if (recordSymbol) { return getIntersectionType([type, getTypeAliasInstantiation(recordSymbol, [nameType, unknownType2])]); } } return type; } function narrowTypeByBooleanComparison(type, expr, bool, operator, assumeTrue) { assumeTrue = assumeTrue !== (bool.kind === 112) !== (operator !== 38 && operator !== 36); return narrowType(type, expr, assumeTrue); } function narrowTypeByBinaryExpression(type, expr, assumeTrue) { switch (expr.operatorToken.kind) { case 64: case 76: case 77: case 78: return narrowTypeByTruthiness(narrowType(type, expr.right, assumeTrue), expr.left, assumeTrue); case 35: case 36: case 37: case 38: const operator = expr.operatorToken.kind; const left = getReferenceCandidate(expr.left); const right = getReferenceCandidate(expr.right); if (left.kind === 221 && isStringLiteralLike(right)) { return narrowTypeByTypeof(type, left, operator, right, assumeTrue); } if (right.kind === 221 && isStringLiteralLike(left)) { return narrowTypeByTypeof(type, right, operator, left, assumeTrue); } if (isMatchingReference(reference, left)) { return narrowTypeByEquality(type, operator, right, assumeTrue); } if (isMatchingReference(reference, right)) { return narrowTypeByEquality(type, operator, left, assumeTrue); } if (strictNullChecks) { if (optionalChainContainsReference(left, reference)) { type = narrowTypeByOptionalChainContainment(type, operator, right, assumeTrue); } else if (optionalChainContainsReference(right, reference)) { type = narrowTypeByOptionalChainContainment(type, operator, left, assumeTrue); } } const leftAccess = getDiscriminantPropertyAccess(left, type); if (leftAccess) { return narrowTypeByDiscriminantProperty(type, leftAccess, operator, right, assumeTrue); } const rightAccess = getDiscriminantPropertyAccess(right, type); if (rightAccess) { return narrowTypeByDiscriminantProperty(type, rightAccess, operator, left, assumeTrue); } if (isMatchingConstructorReference(left)) { return narrowTypeByConstructor(type, operator, right, assumeTrue); } if (isMatchingConstructorReference(right)) { return narrowTypeByConstructor(type, operator, left, assumeTrue); } if (isBooleanLiteral(right) && !isAccessExpression(left)) { return narrowTypeByBooleanComparison(type, left, right, operator, assumeTrue); } if (isBooleanLiteral(left) && !isAccessExpression(right)) { return narrowTypeByBooleanComparison(type, right, left, operator, assumeTrue); } break; case 104: return narrowTypeByInstanceof(type, expr, assumeTrue); case 103: if (isPrivateIdentifier(expr.left)) { return narrowTypeByPrivateIdentifierInInExpression(type, expr, assumeTrue); } const target = getReferenceCandidate(expr.right); if (containsMissingType(type) && isAccessExpression(reference) && isMatchingReference(reference.expression, target)) { const leftType = getTypeOfExpression(expr.left); if (isTypeUsableAsPropertyName(leftType) && getAccessedPropertyName(reference) === getPropertyNameFromType(leftType)) { return getTypeWithFacts( type, assumeTrue ? 524288 : 65536 /* EQUndefined */ ); } } if (isMatchingReference(reference, target)) { const leftType = getTypeOfExpression(expr.left); if (isTypeUsableAsPropertyName(leftType)) { return narrowTypeByInKeyword(type, leftType, assumeTrue); } } break; case 28: return narrowType(type, expr.right, assumeTrue); case 56: return assumeTrue ? narrowType( narrowType( type, expr.left, /*assumeTrue*/ true ), expr.right, /*assumeTrue*/ true ) : getUnionType([narrowType( type, expr.left, /*assumeTrue*/ false ), narrowType( type, expr.right, /*assumeTrue*/ false )]); case 57: return assumeTrue ? getUnionType([narrowType( type, expr.left, /*assumeTrue*/ true ), narrowType( type, expr.right, /*assumeTrue*/ true )]) : narrowType( narrowType( type, expr.left, /*assumeTrue*/ false ), expr.right, /*assumeTrue*/ false ); } return type; } function narrowTypeByPrivateIdentifierInInExpression(type, expr, assumeTrue) { const target = getReferenceCandidate(expr.right); if (!isMatchingReference(reference, target)) { return type; } Debug.assertNode(expr.left, isPrivateIdentifier); const symbol = getSymbolForPrivateIdentifierExpression(expr.left); if (symbol === void 0) { return type; } const classSymbol = symbol.parent; const targetType = hasStaticModifier(Debug.checkDefined(symbol.valueDeclaration, "should always have a declaration")) ? getTypeOfSymbol(classSymbol) : getDeclaredTypeOfSymbol(classSymbol); return getNarrowedType( type, targetType, assumeTrue, /*checkDerived*/ true ); } function narrowTypeByOptionalChainContainment(type, operator, value, assumeTrue) { const equalsOperator = operator === 35 || operator === 37; const nullableFlags = operator === 35 || operator === 36 ? 98304 : 32768; const valueType = getTypeOfExpression(value); const removeNullable = equalsOperator !== assumeTrue && everyType(valueType, (t) => !!(t.flags & nullableFlags)) || equalsOperator === assumeTrue && everyType(valueType, (t) => !(t.flags & (3 | nullableFlags))); return removeNullable ? getAdjustedTypeWithFacts( type, 2097152 /* NEUndefinedOrNull */ ) : type; } function narrowTypeByEquality(type, operator, value, assumeTrue) { if (type.flags & 1) { return type; } if (operator === 36 || operator === 38) { assumeTrue = !assumeTrue; } const valueType = getTypeOfExpression(value); const doubleEquals = operator === 35 || operator === 36; if (valueType.flags & 98304) { if (!strictNullChecks) { return type; } const facts = doubleEquals ? assumeTrue ? 262144 : 2097152 : valueType.flags & 65536 ? assumeTrue ? 131072 : 1048576 : assumeTrue ? 65536 : 524288; return getAdjustedTypeWithFacts(type, facts); } if (assumeTrue) { if (!doubleEquals && (type.flags & 2 || someType(type, isEmptyAnonymousObjectType))) { if (valueType.flags & (402784252 | 67108864) || isEmptyAnonymousObjectType(valueType)) { return valueType; } if (valueType.flags & 524288) { return nonPrimitiveType; } } const filteredType = filterType(type, (t) => areTypesComparable(t, valueType) || doubleEquals && isCoercibleUnderDoubleEquals(t, valueType)); return replacePrimitivesWithLiterals(filteredType, valueType); } if (isUnitType(valueType)) { return filterType(type, (t) => !(isUnitLikeType(t) && areTypesComparable(t, valueType))); } return type; } function narrowTypeByTypeof(type, typeOfExpr, operator, literal, assumeTrue) { if (operator === 36 || operator === 38) { assumeTrue = !assumeTrue; } const target = getReferenceCandidate(typeOfExpr.expression); if (!isMatchingReference(reference, target)) { if (strictNullChecks && optionalChainContainsReference(target, reference) && assumeTrue === (literal.text !== "undefined")) { type = getAdjustedTypeWithFacts( type, 2097152 /* NEUndefinedOrNull */ ); } const propertyAccess = getDiscriminantPropertyAccess(target, type); if (propertyAccess) { return narrowTypeByDiscriminant(type, propertyAccess, (t) => narrowTypeByLiteralExpression(t, literal, assumeTrue)); } return type; } return narrowTypeByLiteralExpression(type, literal, assumeTrue); } function narrowTypeByLiteralExpression(type, literal, assumeTrue) { return assumeTrue ? narrowTypeByTypeName(type, literal.text) : getAdjustedTypeWithFacts( type, typeofNEFacts.get(literal.text) || 32768 /* TypeofNEHostObject */ ); } function narrowTypeBySwitchOptionalChainContainment(type, { switchStatement, clauseStart, clauseEnd }, clauseCheck) { const everyClauseChecks = clauseStart !== clauseEnd && every(getSwitchClauseTypes(switchStatement).slice(clauseStart, clauseEnd), clauseCheck); return everyClauseChecks ? getTypeWithFacts( type, 2097152 /* NEUndefinedOrNull */ ) : type; } function narrowTypeBySwitchOnDiscriminant(type, { switchStatement, clauseStart, clauseEnd }) { const switchTypes = getSwitchClauseTypes(switchStatement); if (!switchTypes.length) { return type; } const clauseTypes = switchTypes.slice(clauseStart, clauseEnd); const hasDefaultClause = clauseStart === clauseEnd || contains(clauseTypes, neverType2); if (type.flags & 2 && !hasDefaultClause) { let groundClauseTypes; for (let i = 0; i < clauseTypes.length; i += 1) { const t = clauseTypes[i]; if (t.flags & (402784252 | 67108864)) { if (groundClauseTypes !== void 0) { groundClauseTypes.push(t); } } else if (t.flags & 524288) { if (groundClauseTypes === void 0) { groundClauseTypes = clauseTypes.slice(0, i); } groundClauseTypes.push(nonPrimitiveType); } else { return type; } } return getUnionType(groundClauseTypes === void 0 ? clauseTypes : groundClauseTypes); } const discriminantType = getUnionType(clauseTypes); const caseType = discriminantType.flags & 131072 ? neverType2 : replacePrimitivesWithLiterals(filterType(type, (t) => areTypesComparable(discriminantType, t)), discriminantType); if (!hasDefaultClause) { return caseType; } const defaultType = filterType(type, (t) => !(isUnitLikeType(t) && contains(switchTypes, t.flags & 32768 ? undefinedType2 : getRegularTypeOfLiteralType(extractUnitType(t))))); return caseType.flags & 131072 ? defaultType : getUnionType([caseType, defaultType]); } function narrowTypeByTypeName(type, typeName) { switch (typeName) { case "string": return narrowTypeByTypeFacts( type, stringType2, 1 /* TypeofEQString */ ); case "number": return narrowTypeByTypeFacts( type, numberType2, 2 /* TypeofEQNumber */ ); case "bigint": return narrowTypeByTypeFacts( type, bigintType, 4 /* TypeofEQBigInt */ ); case "boolean": return narrowTypeByTypeFacts( type, booleanType2, 8 /* TypeofEQBoolean */ ); case "symbol": return narrowTypeByTypeFacts( type, esSymbolType, 16 /* TypeofEQSymbol */ ); case "object": return type.flags & 1 ? type : getUnionType([narrowTypeByTypeFacts( type, nonPrimitiveType, 32 /* TypeofEQObject */ ), narrowTypeByTypeFacts( type, nullType2, 131072 /* EQNull */ )]); case "function": return type.flags & 1 ? type : narrowTypeByTypeFacts( type, globalFunctionType, 64 /* TypeofEQFunction */ ); case "undefined": return narrowTypeByTypeFacts( type, undefinedType2, 65536 /* EQUndefined */ ); } return narrowTypeByTypeFacts( type, nonPrimitiveType, 128 /* TypeofEQHostObject */ ); } function narrowTypeByTypeFacts(type, impliedType, facts) { return mapType2(type, (t) => ( // We first check if a constituent is a subtype of the implied type. If so, we either keep or eliminate // the constituent based on its type facts. We use the strict subtype relation because it treats `object` // as a subtype of `{}`, and we need the type facts check because function types are subtypes of `object`, // but are classified as "function" according to `typeof`. isTypeRelatedTo(t, impliedType, strictSubtypeRelation) ? hasTypeFacts(t, facts) ? t : neverType2 : ( // We next check if the consituent is a supertype of the implied type. If so, we substitute the implied // type. This handles top types like `unknown` and `{}`, and supertypes like `{ toString(): string }`. isTypeSubtypeOf(impliedType, t) ? impliedType : ( // Neither the constituent nor the implied type is a subtype of the other, however their domains may still // overlap. For example, an unconstrained type parameter and type `string`. If the type facts indicate // possible overlap, we form an intersection. Otherwise, we eliminate the constituent. hasTypeFacts(t, facts) ? getIntersectionType([t, impliedType]) : neverType2 ) ) )); } function narrowTypeBySwitchOnTypeOf(type, { switchStatement, clauseStart, clauseEnd }) { const witnesses = getSwitchClauseTypeOfWitnesses(switchStatement); if (!witnesses) { return type; } const defaultIndex = findIndex( switchStatement.caseBlock.clauses, (clause) => clause.kind === 297 /* DefaultClause */ ); const hasDefaultClause = clauseStart === clauseEnd || defaultIndex >= clauseStart && defaultIndex < clauseEnd; if (hasDefaultClause) { const notEqualFacts = getNotEqualFactsFromTypeofSwitch(clauseStart, clauseEnd, witnesses); return filterType(type, (t) => getTypeFacts(t, notEqualFacts) === notEqualFacts); } const clauseWitnesses = witnesses.slice(clauseStart, clauseEnd); return getUnionType(map(clauseWitnesses, (text) => text ? narrowTypeByTypeName(type, text) : neverType2)); } function narrowTypeBySwitchOnTrue(type, { switchStatement, clauseStart, clauseEnd }) { const defaultIndex = findIndex( switchStatement.caseBlock.clauses, (clause) => clause.kind === 297 /* DefaultClause */ ); const hasDefaultClause = clauseStart === clauseEnd || defaultIndex >= clauseStart && defaultIndex < clauseEnd; for (let i = 0; i < clauseStart; i++) { const clause = switchStatement.caseBlock.clauses[i]; if (clause.kind === 296) { type = narrowType( type, clause.expression, /*assumeTrue*/ false ); } } if (hasDefaultClause) { for (let i = clauseEnd; i < switchStatement.caseBlock.clauses.length; i++) { const clause = switchStatement.caseBlock.clauses[i]; if (clause.kind === 296) { type = narrowType( type, clause.expression, /*assumeTrue*/ false ); } } return type; } const clauses = switchStatement.caseBlock.clauses.slice(clauseStart, clauseEnd); return getUnionType(map(clauses, (clause) => clause.kind === 296 ? narrowType( type, clause.expression, /*assumeTrue*/ true ) : neverType2)); } function isMatchingConstructorReference(expr) { return (isPropertyAccessExpression(expr) && idText(expr.name) === "constructor" || isElementAccessExpression(expr) && isStringLiteralLike(expr.argumentExpression) && expr.argumentExpression.text === "constructor") && isMatchingReference(reference, expr.expression); } function narrowTypeByConstructor(type, operator, identifier, assumeTrue) { if (assumeTrue ? operator !== 35 && operator !== 37 : operator !== 36 && operator !== 38) { return type; } const identifierType = getTypeOfExpression(identifier); if (!isFunctionType(identifierType) && !isConstructorType(identifierType)) { return type; } const prototypeProperty = getPropertyOfType(identifierType, "prototype"); if (!prototypeProperty) { return type; } const prototypeType = getTypeOfSymbol(prototypeProperty); const candidate = !isTypeAny(prototypeType) ? prototypeType : void 0; if (!candidate || candidate === globalObjectType || candidate === globalFunctionType) { return type; } if (isTypeAny(type)) { return candidate; } return filterType(type, (t) => isConstructedBy(t, candidate)); function isConstructedBy(source, target) { if (source.flags & 524288 && getObjectFlags(source) & 1 || target.flags & 524288 && getObjectFlags(target) & 1) { return source.symbol === target.symbol; } return isTypeSubtypeOf(source, target); } } function narrowTypeByInstanceof(type, expr, assumeTrue) { const left = getReferenceCandidate(expr.left); if (!isMatchingReference(reference, left)) { if (assumeTrue && strictNullChecks && optionalChainContainsReference(left, reference)) { return getAdjustedTypeWithFacts( type, 2097152 /* NEUndefinedOrNull */ ); } return type; } const right = expr.right; const rightType = getTypeOfExpression(right); if (!isTypeDerivedFrom(rightType, globalObjectType)) { return type; } const signature = getEffectsSignature(expr); const predicate = signature && getTypePredicateOfSignature(signature); if (predicate && predicate.kind === 1 && predicate.parameterIndex === 0) { return getNarrowedType( type, predicate.type, assumeTrue, /*checkDerived*/ true ); } if (!isTypeDerivedFrom(rightType, globalFunctionType)) { return type; } const instanceType = mapType2(rightType, getInstanceType); if (isTypeAny(type) && (instanceType === globalObjectType || instanceType === globalFunctionType) || !assumeTrue && !(instanceType.flags & 524288 && !isEmptyAnonymousObjectType(instanceType))) { return type; } return getNarrowedType( type, instanceType, assumeTrue, /*checkDerived*/ true ); } function getInstanceType(constructorType) { const prototypePropertyType = getTypeOfPropertyOfType(constructorType, "prototype"); if (prototypePropertyType && !isTypeAny(prototypePropertyType)) { return prototypePropertyType; } const constructSignatures = getSignaturesOfType( constructorType, 1 /* Construct */ ); if (constructSignatures.length) { return getUnionType(map(constructSignatures, (signature) => getReturnTypeOfSignature(getErasedSignature(signature)))); } return emptyObjectType; } function getNarrowedType(type, candidate, assumeTrue, checkDerived) { const key2 = type.flags & 1048576 ? `N${getTypeId(type)},${getTypeId(candidate)},${(assumeTrue ? 1 : 0) | (checkDerived ? 2 : 0)}` : void 0; return getCachedType(key2) ?? setCachedType(key2, getNarrowedTypeWorker(type, candidate, assumeTrue, checkDerived)); } function getNarrowedTypeWorker(type, candidate, assumeTrue, checkDerived) { if (!assumeTrue) { if (type === candidate) { return neverType2; } if (checkDerived) { return filterType(type, (t) => !isTypeDerivedFrom(t, candidate)); } const trueType2 = getNarrowedType( type, candidate, /*assumeTrue*/ true, /*checkDerived*/ false ); return filterType(type, (t) => !isTypeSubsetOf(t, trueType2)); } if (type.flags & 3) { return candidate; } if (type === candidate) { return candidate; } const isRelated = checkDerived ? isTypeDerivedFrom : isTypeSubtypeOf; const keyPropertyName = type.flags & 1048576 ? getKeyPropertyName(type) : void 0; const narrowedType = mapType2(candidate, (c) => { const discriminant = keyPropertyName && getTypeOfPropertyOfType(c, keyPropertyName); const matching = discriminant && getConstituentTypeForKeyType(type, discriminant); const directlyRelated = mapType2( matching || type, checkDerived ? (t) => isTypeDerivedFrom(t, c) ? t : isTypeDerivedFrom(c, t) ? c : neverType2 : (t) => isTypeStrictSubtypeOf(t, c) ? t : isTypeStrictSubtypeOf(c, t) ? c : isTypeSubtypeOf(t, c) ? t : isTypeSubtypeOf(c, t) ? c : neverType2 ); return directlyRelated.flags & 131072 ? mapType2(type, (t) => maybeTypeOfKind( t, 465829888 /* Instantiable */ ) && isRelated(c, getBaseConstraintOfType(t) || unknownType2) ? getIntersectionType([t, c]) : neverType2) : directlyRelated; }); return !(narrowedType.flags & 131072) ? narrowedType : isTypeSubtypeOf(candidate, type) ? candidate : isTypeAssignableTo(type, candidate) ? type : isTypeAssignableTo(candidate, type) ? candidate : getIntersectionType([type, candidate]); } function narrowTypeByCallExpression(type, callExpression, assumeTrue) { if (hasMatchingArgument(callExpression, reference)) { const signature = assumeTrue || !isCallChain(callExpression) ? getEffectsSignature(callExpression) : void 0; const predicate = signature && getTypePredicateOfSignature(signature); if (predicate && (predicate.kind === 0 || predicate.kind === 1)) { return narrowTypeByTypePredicate(type, predicate, callExpression, assumeTrue); } } if (containsMissingType(type) && isAccessExpression(reference) && isPropertyAccessExpression(callExpression.expression)) { const callAccess = callExpression.expression; if (isMatchingReference(reference.expression, getReferenceCandidate(callAccess.expression)) && isIdentifier(callAccess.name) && callAccess.name.escapedText === "hasOwnProperty" && callExpression.arguments.length === 1) { const argument = callExpression.arguments[0]; if (isStringLiteralLike(argument) && getAccessedPropertyName(reference) === escapeLeadingUnderscores(argument.text)) { return getTypeWithFacts( type, assumeTrue ? 524288 : 65536 /* EQUndefined */ ); } } } return type; } function narrowTypeByTypePredicate(type, predicate, callExpression, assumeTrue) { if (predicate.type && !(isTypeAny(type) && (predicate.type === globalObjectType || predicate.type === globalFunctionType))) { const predicateArgument = getTypePredicateArgument(predicate, callExpression); if (predicateArgument) { if (isMatchingReference(reference, predicateArgument)) { return getNarrowedType( type, predicate.type, assumeTrue, /*checkDerived*/ false ); } if (strictNullChecks && optionalChainContainsReference(predicateArgument, reference) && (assumeTrue && !hasTypeFacts( predicate.type, 65536 /* EQUndefined */ ) || !assumeTrue && everyType(predicate.type, isNullableType))) { type = getAdjustedTypeWithFacts( type, 2097152 /* NEUndefinedOrNull */ ); } const access = getDiscriminantPropertyAccess(predicateArgument, type); if (access) { return narrowTypeByDiscriminant(type, access, (t) => getNarrowedType( t, predicate.type, assumeTrue, /*checkDerived*/ false )); } } } return type; } function narrowType(type, expr, assumeTrue) { if (isExpressionOfOptionalChainRoot(expr) || isBinaryExpression(expr.parent) && (expr.parent.operatorToken.kind === 61 || expr.parent.operatorToken.kind === 78) && expr.parent.left === expr) { return narrowTypeByOptionality(type, expr, assumeTrue); } switch (expr.kind) { case 80: if (!isMatchingReference(reference, expr) && inlineLevel < 5) { const symbol = getResolvedSymbol(expr); if (isConstantVariable(symbol)) { const declaration = symbol.valueDeclaration; if (declaration && isVariableDeclaration(declaration) && !declaration.type && declaration.initializer && isConstantReference(reference)) { inlineLevel++; const result = narrowType(type, declaration.initializer, assumeTrue); inlineLevel--; return result; } } } case 110: case 108: case 211: case 212: return narrowTypeByTruthiness(type, expr, assumeTrue); case 213: return narrowTypeByCallExpression(type, expr, assumeTrue); case 217: case 235: return narrowType(type, expr.expression, assumeTrue); case 226: return narrowTypeByBinaryExpression(type, expr, assumeTrue); case 224: if (expr.operator === 54) { return narrowType(type, expr.operand, !assumeTrue); } break; } return type; } function narrowTypeByOptionality(type, expr, assumePresent) { if (isMatchingReference(reference, expr)) { return getAdjustedTypeWithFacts( type, assumePresent ? 2097152 : 262144 /* EQUndefinedOrNull */ ); } const access = getDiscriminantPropertyAccess(expr, type); if (access) { return narrowTypeByDiscriminant(type, access, (t) => getTypeWithFacts( t, assumePresent ? 2097152 : 262144 /* EQUndefinedOrNull */ )); } return type; } } function getTypeOfSymbolAtLocation(symbol, location) { symbol = getExportSymbolOfValueSymbolIfExported(symbol); if (location.kind === 80 || location.kind === 81) { if (isRightSideOfQualifiedNameOrPropertyAccess(location)) { location = location.parent; } if (isExpressionNode(location) && (!isAssignmentTarget(location) || isWriteAccess(location))) { const type = removeOptionalTypeMarker( isWriteAccess(location) && location.kind === 211 ? checkPropertyAccessExpression( location, /*checkMode*/ void 0, /*writeOnly*/ true ) : getTypeOfExpression(location) ); if (getExportSymbolOfValueSymbolIfExported(getNodeLinks(location).resolvedSymbol) === symbol) { return type; } } } if (isDeclarationName(location) && isSetAccessor(location.parent) && getAnnotatedAccessorTypeNode(location.parent)) { return getWriteTypeOfAccessors(location.parent.symbol); } return isRightSideOfAccessExpression(location) && isWriteAccess(location.parent) ? getWriteTypeOfSymbol(symbol) : getNonMissingTypeOfSymbol(symbol); } function getControlFlowContainer(node) { return findAncestor( node.parent, (node2) => isFunctionLike(node2) && !getImmediatelyInvokedFunctionExpression(node2) || node2.kind === 268 || node2.kind === 307 || node2.kind === 172 /* PropertyDeclaration */ ); } function isSymbolAssigned(symbol) { return !isPastLastAssignment( symbol, /*location*/ void 0 ); } function isPastLastAssignment(symbol, location) { const parent2 = findAncestor(symbol.valueDeclaration, isFunctionOrSourceFile); if (!parent2) { return false; } const links = getNodeLinks(parent2); if (!(links.flags & 131072)) { links.flags |= 131072; if (!hasParentWithAssignmentsMarked(parent2)) { markNodeAssignments(parent2); } } return !symbol.lastAssignmentPos || location && symbol.lastAssignmentPos < location.pos; } function isSomeSymbolAssigned(rootDeclaration) { Debug.assert(isVariableDeclaration(rootDeclaration) || isParameter(rootDeclaration)); return isSomeSymbolAssignedWorker(rootDeclaration.name); } function isSomeSymbolAssignedWorker(node) { if (node.kind === 80) { return isSymbolAssigned(getSymbolOfDeclaration(node.parent)); } return some(node.elements, (e) => e.kind !== 232 && isSomeSymbolAssignedWorker(e.name)); } function hasParentWithAssignmentsMarked(node) { return !!findAncestor(node.parent, (node2) => isFunctionOrSourceFile(node2) && !!(getNodeLinks(node2).flags & 131072)); } function isFunctionOrSourceFile(node) { return isFunctionLikeDeclaration(node) || isSourceFile(node); } function markNodeAssignments(node) { switch (node.kind) { case 80: if (isAssignmentTarget(node)) { const symbol = getResolvedSymbol(node); if (isParameterOrMutableLocalVariable(symbol) && symbol.lastAssignmentPos !== Number.MAX_VALUE) { const referencingFunction = findAncestor(node, isFunctionOrSourceFile); const declaringFunction = findAncestor(symbol.valueDeclaration, isFunctionOrSourceFile); symbol.lastAssignmentPos = referencingFunction === declaringFunction ? extendAssignmentPosition(node, symbol.valueDeclaration) : Number.MAX_VALUE; } } return; case 281: const exportDeclaration = node.parent.parent; if (!node.isTypeOnly && !exportDeclaration.isTypeOnly && !exportDeclaration.moduleSpecifier) { const symbol = resolveEntityName( node.propertyName || node.name, 111551, /*ignoreErrors*/ true, /*dontResolveAlias*/ true ); if (symbol && isParameterOrMutableLocalVariable(symbol)) { symbol.lastAssignmentPos = Number.MAX_VALUE; } } return; case 264: case 265: case 266: return; } if (isTypeNode(node)) { return; } forEachChild(node, markNodeAssignments); } function extendAssignmentPosition(node, declaration) { let pos = node.pos; while (node && node.pos > declaration.pos) { switch (node.kind) { case 243: case 244: case 245: case 246: case 247: case 248: case 249: case 250: case 254: case 255: case 258: case 263: pos = node.end; } node = node.parent; } return pos; } function isConstantVariable(symbol) { return symbol.flags & 3 && (getDeclarationNodeFlagsFromSymbol(symbol) & 6) !== 0; } function isParameterOrMutableLocalVariable(symbol) { const declaration = symbol.valueDeclaration && getRootDeclaration(symbol.valueDeclaration); return !!declaration && (isParameter(declaration) || isVariableDeclaration(declaration) && (isCatchClause(declaration.parent) || isMutableLocalVariableDeclaration(declaration))); } function isMutableLocalVariableDeclaration(declaration) { return !!(declaration.parent.flags & 1) && !(getCombinedModifierFlags(declaration) & 32 || declaration.parent.parent.kind === 243 && isGlobalSourceFile(declaration.parent.parent.parent)); } function parameterInitializerContainsUndefined(declaration) { const links = getNodeLinks(declaration); if (links.parameterInitializerContainsUndefined === void 0) { if (!pushTypeResolution( declaration, 8 /* ParameterInitializerContainsUndefined */ )) { reportCircularityError(declaration.symbol); return true; } const containsUndefined = !!hasTypeFacts( checkDeclarationInitializer( declaration, 0 /* Normal */ ), 16777216 /* IsUndefined */ ); if (!popTypeResolution()) { reportCircularityError(declaration.symbol); return true; } links.parameterInitializerContainsUndefined ?? (links.parameterInitializerContainsUndefined = containsUndefined); } return links.parameterInitializerContainsUndefined; } function removeOptionalityFromDeclaredType(declaredType, declaration) { const removeUndefined = strictNullChecks && declaration.kind === 169 && declaration.initializer && hasTypeFacts( declaredType, 16777216 /* IsUndefined */ ) && !parameterInitializerContainsUndefined(declaration); return removeUndefined ? getTypeWithFacts( declaredType, 524288 /* NEUndefined */ ) : declaredType; } function isConstraintPosition(type, node) { const parent2 = node.parent; return parent2.kind === 211 || parent2.kind === 166 || parent2.kind === 213 && parent2.expression === node || parent2.kind === 214 && parent2.expression === node || parent2.kind === 212 && parent2.expression === node && !(someType(type, isGenericTypeWithoutNullableConstraint) && isGenericIndexType(getTypeOfExpression(parent2.argumentExpression))); } function isGenericTypeWithUnionConstraint(type) { return type.flags & 2097152 ? some(type.types, isGenericTypeWithUnionConstraint) : !!(type.flags & 465829888 && getBaseConstraintOrType(type).flags & (98304 | 1048576)); } function isGenericTypeWithoutNullableConstraint(type) { return type.flags & 2097152 ? some(type.types, isGenericTypeWithoutNullableConstraint) : !!(type.flags & 465829888 && !maybeTypeOfKind( getBaseConstraintOrType(type), 98304 /* Nullable */ )); } function hasContextualTypeWithNoGenericTypes(node, checkMode) { const contextualType = (isIdentifier(node) || isPropertyAccessExpression(node) || isElementAccessExpression(node)) && !((isJsxOpeningElement(node.parent) || isJsxSelfClosingElement(node.parent)) && node.parent.tagName === node) && (checkMode && checkMode & 32 ? getContextualType2( node, 8 /* SkipBindingPatterns */ ) : getContextualType2( node, /*contextFlags*/ void 0 )); return contextualType && !isGenericType(contextualType); } function getNarrowableTypeForReference(type, reference, checkMode) { if (isNoInferType(type)) { type = type.baseType; } const substituteConstraints = !(checkMode && checkMode & 2) && someType(type, isGenericTypeWithUnionConstraint) && (isConstraintPosition(type, reference) || hasContextualTypeWithNoGenericTypes(reference, checkMode)); return substituteConstraints ? mapType2(type, getBaseConstraintOrType) : type; } function isExportOrExportExpression(location) { return !!findAncestor(location, (n) => { const parent2 = n.parent; if (parent2 === void 0) { return "quit"; } if (isExportAssignment(parent2)) { return parent2.expression === n && isEntityNameExpression(n); } if (isExportSpecifier(parent2)) { return parent2.name === n || parent2.propertyName === n; } return false; }); } function markLinkedReferences(location, hint, propSymbol, parentType) { if (!canCollectSymbolAliasAccessabilityData) { return; } if (location.flags & 33554432) { return; } switch (hint) { case 1: return markIdentifierAliasReferenced(location); case 2: return markPropertyAliasReferenced(location, propSymbol, parentType); case 3: return markExportAssignmentAliasReferenced(location); case 4: return markJsxAliasReferenced(location); case 5: return markAsyncFunctionAliasReferenced(location); case 6: return markImportEqualsAliasReferenced(location); case 7: return markExportSpecifierAliasReferenced(location); case 8: return markDecoratorAliasReferenced(location); case 0: { if (isIdentifier(location) && (isExpressionNode(location) || isShorthandPropertyAssignment(location.parent) || isImportEqualsDeclaration(location.parent) && location.parent.moduleReference === location) && shouldMarkIdentifierAliasReferenced(location)) { if (isPropertyAccessOrQualifiedName(location.parent)) { const left = isPropertyAccessExpression(location.parent) ? location.parent.expression : location.parent.left; if (left !== location) return; } markIdentifierAliasReferenced(location); return; } if (isPropertyAccessOrQualifiedName(location)) { let topProp = location; while (isPropertyAccessOrQualifiedName(topProp)) { if (isPartOfTypeNode(topProp)) return; topProp = topProp.parent; } return markPropertyAliasReferenced(location); } if (isExportAssignment(location)) { return markExportAssignmentAliasReferenced(location); } if (isJsxOpeningLikeElement(location) || isJsxOpeningFragment(location)) { return markJsxAliasReferenced(location); } if (isImportEqualsDeclaration(location)) { if (isInternalModuleImportEqualsDeclaration(location) || checkExternalImportOrExportDeclaration(location)) { return markImportEqualsAliasReferenced(location); } return; } if (isExportSpecifier(location)) { return markExportSpecifierAliasReferenced(location); } if (isFunctionLikeDeclaration(location) || isMethodSignature(location)) { markAsyncFunctionAliasReferenced(location); } if (!compilerOptions.emitDecoratorMetadata) { return; } if (!canHaveDecorators(location) || !hasDecorators(location) || !location.modifiers || !nodeCanBeDecorated(legacyDecorators, location, location.parent, location.parent.parent)) { return; } return markDecoratorAliasReferenced(location); } default: Debug.assertNever(hint, `Unhandled reference hint: ${hint}`); } } function markIdentifierAliasReferenced(location) { const symbol = getResolvedSymbol(location); if (symbol && symbol !== argumentsSymbol && symbol !== unknownSymbol && !isThisInTypeQuery(location)) { markAliasReferenced(symbol, location); } } function markPropertyAliasReferenced(location, propSymbol, parentType) { const left = isPropertyAccessExpression(location) ? location.expression : location.left; if (isThisIdentifier(left) || !isIdentifier(left)) { return; } const parentSymbol = getResolvedSymbol(left); if (!parentSymbol || parentSymbol === unknownSymbol) { return; } if (getIsolatedModules(compilerOptions) || shouldPreserveConstEnums(compilerOptions) && isExportOrExportExpression(location)) { markAliasReferenced(parentSymbol, location); return; } const leftType = parentType || checkExpressionCached(left); if (isTypeAny(leftType) || leftType === silentNeverType) { markAliasReferenced(parentSymbol, location); return; } let prop = propSymbol; if (!prop && !parentType) { const right = isPropertyAccessExpression(location) ? location.name : location.right; const lexicallyScopedSymbol = isPrivateIdentifier(right) && lookupSymbolForPrivateIdentifierDeclaration(right.escapedText, right); const assignmentKind = getAssignmentTargetKind(location); const apparentType = getApparentType(assignmentKind !== 0 || isMethodAccessForCall(location) ? getWidenedType(leftType) : leftType); prop = isPrivateIdentifier(right) ? lexicallyScopedSymbol && getPrivateIdentifierPropertyOfType(apparentType, lexicallyScopedSymbol) || void 0 : getPropertyOfType(apparentType, right.escapedText); } if (!(prop && (isConstEnumOrConstEnumOnlyModule(prop) || prop.flags & 8 && location.parent.kind === 306))) { markAliasReferenced(parentSymbol, location); } return; } function markExportAssignmentAliasReferenced(location) { if (isIdentifier(location.expression)) { const id = location.expression; const sym = getExportSymbolOfValueSymbolIfExported(resolveEntityName( id, -1, /*ignoreErrors*/ true, /*dontResolveAlias*/ true, location )); if (sym) { markAliasReferenced(sym, id); } } } function markJsxAliasReferenced(node) { if (!getJsxNamespaceContainerForImplicitImport(node)) { const jsxFactoryRefErr = diagnostics && compilerOptions.jsx === 2 ? Diagnostics.Cannot_find_name_0 : void 0; const jsxFactoryNamespace = getJsxNamespace(node); const jsxFactoryLocation = isJsxOpeningLikeElement(node) ? node.tagName : node; let jsxFactorySym; if (!(isJsxOpeningFragment(node) && jsxFactoryNamespace === "null")) { jsxFactorySym = resolveName( jsxFactoryLocation, jsxFactoryNamespace, 111551, jsxFactoryRefErr, /*isUse*/ true ); } if (jsxFactorySym) { jsxFactorySym.isReferenced = -1; if (canCollectSymbolAliasAccessabilityData && jsxFactorySym.flags & 2097152 && !getTypeOnlyAliasDeclaration(jsxFactorySym)) { markAliasSymbolAsReferenced(jsxFactorySym); } } if (isJsxOpeningFragment(node)) { const file = getSourceFileOfNode(node); const localJsxNamespace = getLocalJsxNamespace(file); if (localJsxNamespace) { resolveName( jsxFactoryLocation, localJsxNamespace, 111551, jsxFactoryRefErr, /*isUse*/ true ); } } } return; } function markAsyncFunctionAliasReferenced(location) { if (languageVersion < 2) { if (getFunctionFlags(location) & 2) { const returnTypeNode = getEffectiveReturnTypeNode(location); markTypeNodeAsReferenced(returnTypeNode); } } } function markImportEqualsAliasReferenced(location) { if (hasSyntacticModifier( location, 32 /* Export */ )) { markExportAsReferenced(location); } } function markExportSpecifierAliasReferenced(location) { if (!location.parent.parent.moduleSpecifier && !location.isTypeOnly && !location.parent.parent.isTypeOnly) { const exportedName = location.propertyName || location.name; const symbol = resolveName( exportedName, exportedName.escapedText, 111551 | 788968 | 1920 | 2097152, /*nameNotFoundMessage*/ void 0, /*isUse*/ true ); if (symbol && (symbol === undefinedSymbol || symbol === globalThisSymbol || symbol.declarations && isGlobalSourceFile(getDeclarationContainer(symbol.declarations[0])))) { } else { const target = symbol && (symbol.flags & 2097152 ? resolveAlias(symbol) : symbol); if (!target || getSymbolFlags(target) & 111551) { markExportAsReferenced(location); markIdentifierAliasReferenced(location.propertyName || location.name); } } return; } } function markDecoratorAliasReferenced(node) { if (compilerOptions.emitDecoratorMetadata) { const firstDecorator = find(node.modifiers, isDecorator); if (!firstDecorator) { return; } checkExternalEmitHelpers( firstDecorator, 16 /* Metadata */ ); switch (node.kind) { case 263: const constructor = getFirstConstructorWithBody(node); if (constructor) { for (const parameter of constructor.parameters) { markDecoratorMedataDataTypeNodeAsReferenced(getParameterTypeNodeForDecoratorCheck(parameter)); } } break; case 177: case 178: const otherKind = node.kind === 177 ? 178 : 177; const otherAccessor = getDeclarationOfKind(getSymbolOfDeclaration(node), otherKind); markDecoratorMedataDataTypeNodeAsReferenced(getAnnotatedAccessorTypeNode(node) || otherAccessor && getAnnotatedAccessorTypeNode(otherAccessor)); break; case 174: for (const parameter of node.parameters) { markDecoratorMedataDataTypeNodeAsReferenced(getParameterTypeNodeForDecoratorCheck(parameter)); } markDecoratorMedataDataTypeNodeAsReferenced(getEffectiveReturnTypeNode(node)); break; case 172: markDecoratorMedataDataTypeNodeAsReferenced(getEffectiveTypeAnnotationNode(node)); break; case 169: markDecoratorMedataDataTypeNodeAsReferenced(getParameterTypeNodeForDecoratorCheck(node)); const containingSignature = node.parent; for (const parameter of containingSignature.parameters) { markDecoratorMedataDataTypeNodeAsReferenced(getParameterTypeNodeForDecoratorCheck(parameter)); } markDecoratorMedataDataTypeNodeAsReferenced(getEffectiveReturnTypeNode(containingSignature)); break; } } } function markAliasReferenced(symbol, location) { if (!canCollectSymbolAliasAccessabilityData) { return; } if (isNonLocalAlias( symbol, /*excludes*/ 111551 /* Value */ ) && !isInTypeQuery(location)) { const target = resolveAlias(symbol); if (getSymbolFlags( symbol, /*excludeTypeOnlyMeanings*/ true ) & (111551 | 1048576)) { if (getIsolatedModules(compilerOptions) || shouldPreserveConstEnums(compilerOptions) && isExportOrExportExpression(location) || !isConstEnumOrConstEnumOnlyModule(getExportSymbolOfValueSymbolIfExported(target))) { markAliasSymbolAsReferenced(symbol); } } } } function markAliasSymbolAsReferenced(symbol) { Debug.assert(canCollectSymbolAliasAccessabilityData); const links = getSymbolLinks(symbol); if (!links.referenced) { links.referenced = true; const node = getDeclarationOfAliasSymbol(symbol); if (!node) return Debug.fail(); if (isInternalModuleImportEqualsDeclaration(node)) { if (getSymbolFlags(resolveSymbol(symbol)) & 111551) { const left = getFirstIdentifier(node.moduleReference); markIdentifierAliasReferenced(left); } } } } function markExportAsReferenced(node) { const symbol = getSymbolOfDeclaration(node); const target = resolveAlias(symbol); if (target) { const markAlias = target === unknownSymbol || getSymbolFlags( symbol, /*excludeTypeOnlyMeanings*/ true ) & 111551 && !isConstEnumOrConstEnumOnlyModule(target); if (markAlias) { markAliasSymbolAsReferenced(symbol); } } } function markEntityNameOrEntityExpressionAsReference(typeName, forDecoratorMetadata) { if (!typeName) return; const rootName = getFirstIdentifier(typeName); const meaning = (typeName.kind === 80 ? 788968 : 1920) | 2097152; const rootSymbol = resolveName( rootName, rootName.escapedText, meaning, /*nameNotFoundMessage*/ void 0, /*isUse*/ true ); if (rootSymbol && rootSymbol.flags & 2097152) { if (canCollectSymbolAliasAccessabilityData && symbolIsValue(rootSymbol) && !isConstEnumOrConstEnumOnlyModule(resolveAlias(rootSymbol)) && !getTypeOnlyAliasDeclaration(rootSymbol)) { markAliasSymbolAsReferenced(rootSymbol); } else if (forDecoratorMetadata && getIsolatedModules(compilerOptions) && getEmitModuleKind(compilerOptions) >= 5 && !symbolIsValue(rootSymbol) && !some(rootSymbol.declarations, isTypeOnlyImportOrExportDeclaration)) { const diag2 = error2(typeName, Diagnostics.A_type_referenced_in_a_decorated_signature_must_be_imported_with_import_type_or_a_namespace_import_when_isolatedModules_and_emitDecoratorMetadata_are_enabled); const aliasDeclaration = find(rootSymbol.declarations || emptyArray, isAliasSymbolDeclaration2); if (aliasDeclaration) { addRelatedInfo(diag2, createDiagnosticForNode(aliasDeclaration, Diagnostics._0_was_imported_here, idText(rootName))); } } } } function markTypeNodeAsReferenced(node) { markEntityNameOrEntityExpressionAsReference( node && getEntityNameFromTypeNode(node), /*forDecoratorMetadata*/ false ); } function markDecoratorMedataDataTypeNodeAsReferenced(node) { const entityName = getEntityNameForDecoratorMetadata(node); if (entityName && isEntityName(entityName)) { markEntityNameOrEntityExpressionAsReference( entityName, /*forDecoratorMetadata*/ true ); } } function getNarrowedTypeOfSymbol(symbol, location, checkMode) { var _a; const type = getTypeOfSymbol(symbol, checkMode); const declaration = symbol.valueDeclaration; if (declaration) { if (isBindingElement(declaration) && !declaration.initializer && !declaration.dotDotDotToken && declaration.parent.elements.length >= 2) { const parent2 = declaration.parent.parent; const rootDeclaration = getRootDeclaration(parent2); if (rootDeclaration.kind === 260 && getCombinedNodeFlagsCached(rootDeclaration) & 6 || rootDeclaration.kind === 169) { const links = getNodeLinks(parent2); if (!(links.flags & 4194304)) { links.flags |= 4194304; const parentType = getTypeForBindingElementParent( parent2, 0 /* Normal */ ); const parentTypeConstraint = parentType && mapType2(parentType, getBaseConstraintOrType); links.flags &= ~4194304; if (parentTypeConstraint && parentTypeConstraint.flags & 1048576 && !(rootDeclaration.kind === 169 && isSomeSymbolAssigned(rootDeclaration))) { const pattern = declaration.parent; const narrowedType = getFlowTypeOfReference( pattern, parentTypeConstraint, parentTypeConstraint, /*flowContainer*/ void 0, location.flowNode ); if (narrowedType.flags & 131072) { return neverType2; } return getBindingElementTypeFromParentType( declaration, narrowedType, /*noTupleBoundsCheck*/ true ); } } } } if (isParameter(declaration) && !declaration.type && !declaration.initializer && !declaration.dotDotDotToken) { const func = declaration.parent; if (func.parameters.length >= 2 && isContextSensitiveFunctionOrObjectLiteralMethod(func)) { const contextualSignature = getContextualSignature(func); if (contextualSignature && contextualSignature.parameters.length === 1 && signatureHasRestParameter(contextualSignature)) { const restType = getReducedApparentType(instantiateType(getTypeOfSymbol(contextualSignature.parameters[0]), (_a = getInferenceContext(func)) == null ? void 0 : _a.nonFixingMapper)); if (restType.flags & 1048576 && everyType(restType, isTupleType) && !some(func.parameters, isSomeSymbolAssigned)) { const narrowedType = getFlowTypeOfReference( func, restType, restType, /*flowContainer*/ void 0, location.flowNode ); const index = func.parameters.indexOf(declaration) - (getThisParameter(func) ? 1 : 0); return getIndexedAccessType(narrowedType, getNumberLiteralType(index)); } } } } } return type; } function checkIdentifierCalculateNodeCheckFlags(node, symbol) { if (isThisInTypeQuery(node)) return; if (symbol === argumentsSymbol) { if (isInPropertyInitializerOrClassStaticBlock(node)) { error2(node, Diagnostics.arguments_cannot_be_referenced_in_property_initializers); return; } let container = getContainingFunction(node); if (container) { if (languageVersion < 2) { if (container.kind === 219) { error2(node, Diagnostics.The_arguments_object_cannot_be_referenced_in_an_arrow_function_in_ES5_Consider_using_a_standard_function_expression); } else if (hasSyntacticModifier( container, 1024 /* Async */ )) { error2(node, Diagnostics.The_arguments_object_cannot_be_referenced_in_an_async_function_or_method_in_ES5_Consider_using_a_standard_function_or_method); } } getNodeLinks(container).flags |= 512; while (container && isArrowFunction(container)) { container = getContainingFunction(container); if (container) { getNodeLinks(container).flags |= 512; } } } return; } const localOrExportSymbol = getExportSymbolOfValueSymbolIfExported(symbol); const targetSymbol = resolveAliasWithDeprecationCheck(localOrExportSymbol, node); if (isDeprecatedSymbol(targetSymbol) && isUncalledFunctionReference(node, targetSymbol) && targetSymbol.declarations) { addDeprecatedSuggestion(node, targetSymbol.declarations, node.escapedText); } const declaration = localOrExportSymbol.valueDeclaration; if (declaration && localOrExportSymbol.flags & 32) { if (isClassLike(declaration) && declaration.name !== node) { let container = getThisContainer( node, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ); while (container.kind !== 307 && container.parent !== declaration) { container = getThisContainer( container, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ); } if (container.kind !== 307) { getNodeLinks(declaration).flags |= 262144; getNodeLinks(container).flags |= 262144; getNodeLinks(node).flags |= 536870912; } } } checkNestedBlockScopedBinding(node, symbol); } function checkIdentifier(node, checkMode) { if (isThisInTypeQuery(node)) { return checkThisExpression(node); } const symbol = getResolvedSymbol(node); if (symbol === unknownSymbol) { return errorType; } checkIdentifierCalculateNodeCheckFlags(node, symbol); if (symbol === argumentsSymbol) { if (isInPropertyInitializerOrClassStaticBlock(node)) { return errorType; } return getTypeOfSymbol(symbol); } if (shouldMarkIdentifierAliasReferenced(node)) { markLinkedReferences( node, 1 /* Identifier */ ); } const localOrExportSymbol = getExportSymbolOfValueSymbolIfExported(symbol); let declaration = localOrExportSymbol.valueDeclaration; let type = getNarrowedTypeOfSymbol(localOrExportSymbol, node, checkMode); const assignmentKind = getAssignmentTargetKind(node); if (assignmentKind) { if (!(localOrExportSymbol.flags & 3) && !(isInJSFile(node) && localOrExportSymbol.flags & 512)) { const assignmentError = localOrExportSymbol.flags & 384 ? Diagnostics.Cannot_assign_to_0_because_it_is_an_enum : localOrExportSymbol.flags & 32 ? Diagnostics.Cannot_assign_to_0_because_it_is_a_class : localOrExportSymbol.flags & 1536 ? Diagnostics.Cannot_assign_to_0_because_it_is_a_namespace : localOrExportSymbol.flags & 16 ? Diagnostics.Cannot_assign_to_0_because_it_is_a_function : localOrExportSymbol.flags & 2097152 ? Diagnostics.Cannot_assign_to_0_because_it_is_an_import : Diagnostics.Cannot_assign_to_0_because_it_is_not_a_variable; error2(node, assignmentError, symbolToString2(symbol)); return errorType; } if (isReadonlySymbol(localOrExportSymbol)) { if (localOrExportSymbol.flags & 3) { error2(node, Diagnostics.Cannot_assign_to_0_because_it_is_a_constant, symbolToString2(symbol)); } else { error2(node, Diagnostics.Cannot_assign_to_0_because_it_is_a_read_only_property, symbolToString2(symbol)); } return errorType; } } const isAlias = localOrExportSymbol.flags & 2097152; if (localOrExportSymbol.flags & 3) { if (assignmentKind === 1) { return isInCompoundLikeAssignment(node) ? getBaseTypeOfLiteralType(type) : type; } } else if (isAlias) { declaration = getDeclarationOfAliasSymbol(symbol); } else { return type; } if (!declaration) { return type; } type = getNarrowableTypeForReference(type, node, checkMode); const isParameter2 = getRootDeclaration(declaration).kind === 169; const declarationContainer = getControlFlowContainer(declaration); let flowContainer = getControlFlowContainer(node); const isOuterVariable = flowContainer !== declarationContainer; const isSpreadDestructuringAssignmentTarget = node.parent && node.parent.parent && isSpreadAssignment(node.parent) && isDestructuringAssignmentTarget(node.parent.parent); const isModuleExports2 = symbol.flags & 134217728; const typeIsAutomatic = type === autoType || type === autoArrayType; const isAutomaticTypeInNonNull = typeIsAutomatic && node.parent.kind === 235; while (flowContainer !== declarationContainer && (flowContainer.kind === 218 || flowContainer.kind === 219 || isObjectLiteralOrClassExpressionMethodOrAccessor(flowContainer)) && (isConstantVariable(localOrExportSymbol) && type !== autoArrayType || isParameterOrMutableLocalVariable(localOrExportSymbol) && isPastLastAssignment(localOrExportSymbol, node))) { flowContainer = getControlFlowContainer(flowContainer); } const assumeInitialized = isParameter2 || isAlias || isOuterVariable || isSpreadDestructuringAssignmentTarget || isModuleExports2 || isSameScopedBindingElement(node, declaration) || type !== autoType && type !== autoArrayType && (!strictNullChecks || (type.flags & (3 | 16384)) !== 0 || isInTypeQuery(node) || isInAmbientOrTypeNode(node) || node.parent.kind === 281) || node.parent.kind === 235 || declaration.kind === 260 && declaration.exclamationToken || declaration.flags & 33554432; const initialType = isAutomaticTypeInNonNull ? undefinedType2 : assumeInitialized ? isParameter2 ? removeOptionalityFromDeclaredType(type, declaration) : type : typeIsAutomatic ? undefinedType2 : getOptionalType(type); const flowType = isAutomaticTypeInNonNull ? getNonNullableType(getFlowTypeOfReference(node, type, initialType, flowContainer)) : getFlowTypeOfReference(node, type, initialType, flowContainer); if (!isEvolvingArrayOperationTarget(node) && (type === autoType || type === autoArrayType)) { if (flowType === autoType || flowType === autoArrayType) { if (noImplicitAny) { error2(getNameOfDeclaration(declaration), Diagnostics.Variable_0_implicitly_has_type_1_in_some_locations_where_its_type_cannot_be_determined, symbolToString2(symbol), typeToString(flowType)); error2(node, Diagnostics.Variable_0_implicitly_has_an_1_type, symbolToString2(symbol), typeToString(flowType)); } return convertAutoToAny(flowType); } } else if (!assumeInitialized && !containsUndefinedType(type) && containsUndefinedType(flowType)) { error2(node, Diagnostics.Variable_0_is_used_before_being_assigned, symbolToString2(symbol)); return type; } return assignmentKind ? getBaseTypeOfLiteralType(flowType) : flowType; } function isSameScopedBindingElement(node, declaration) { if (isBindingElement(declaration)) { const bindingElement = findAncestor(node, isBindingElement); return bindingElement && getRootDeclaration(bindingElement) === getRootDeclaration(declaration); } } function shouldMarkIdentifierAliasReferenced(node) { var _a; const parent2 = node.parent; if (parent2) { if (isPropertyAccessExpression(parent2) && parent2.expression === node) { return false; } if (isExportSpecifier(parent2) && parent2.isTypeOnly) { return false; } const greatGrandparent = (_a = parent2.parent) == null ? void 0 : _a.parent; if (greatGrandparent && isExportDeclaration(greatGrandparent) && greatGrandparent.isTypeOnly) { return false; } } return true; } function isInsideFunctionOrInstancePropertyInitializer(node, threshold) { return !!findAncestor(node, (n) => n === threshold ? "quit" : isFunctionLike(n) || n.parent && isPropertyDeclaration(n.parent) && !hasStaticModifier(n.parent) && n.parent.initializer === n); } function getPartOfForStatementContainingNode(node, container) { return findAncestor(node, (n) => n === container ? "quit" : n === container.initializer || n === container.condition || n === container.incrementor || n === container.statement); } function getEnclosingIterationStatement(node) { return findAncestor(node, (n) => !n || nodeStartsNewLexicalEnvironment(n) ? "quit" : isIterationStatement( n, /*lookInLabeledStatements*/ false )); } function checkNestedBlockScopedBinding(node, symbol) { if (languageVersion >= 2 || (symbol.flags & (2 | 32)) === 0 || !symbol.valueDeclaration || isSourceFile(symbol.valueDeclaration) || symbol.valueDeclaration.parent.kind === 299) { return; } const container = getEnclosingBlockScopeContainer(symbol.valueDeclaration); const isCaptured = isInsideFunctionOrInstancePropertyInitializer(node, container); const enclosingIterationStatement = getEnclosingIterationStatement(container); if (enclosingIterationStatement) { if (isCaptured) { let capturesBlockScopeBindingInLoopBody = true; if (isForStatement(container)) { const varDeclList = getAncestor2( symbol.valueDeclaration, 261 /* VariableDeclarationList */ ); if (varDeclList && varDeclList.parent === container) { const part = getPartOfForStatementContainingNode(node.parent, container); if (part) { const links = getNodeLinks(part); links.flags |= 8192; const capturedBindings = links.capturedBlockScopeBindings || (links.capturedBlockScopeBindings = []); pushIfUnique(capturedBindings, symbol); if (part === container.initializer) { capturesBlockScopeBindingInLoopBody = false; } } } } if (capturesBlockScopeBindingInLoopBody) { getNodeLinks(enclosingIterationStatement).flags |= 4096; } } if (isForStatement(container)) { const varDeclList = getAncestor2( symbol.valueDeclaration, 261 /* VariableDeclarationList */ ); if (varDeclList && varDeclList.parent === container && isAssignedInBodyOfForStatement(node, container)) { getNodeLinks(symbol.valueDeclaration).flags |= 65536; } } getNodeLinks(symbol.valueDeclaration).flags |= 32768; } if (isCaptured) { getNodeLinks(symbol.valueDeclaration).flags |= 16384; } } function isBindingCapturedByNode(node, decl) { const links = getNodeLinks(node); return !!links && contains(links.capturedBlockScopeBindings, getSymbolOfDeclaration(decl)); } function isAssignedInBodyOfForStatement(node, container) { let current = node; while (current.parent.kind === 217) { current = current.parent; } let isAssigned = false; if (isAssignmentTarget(current)) { isAssigned = true; } else if (current.parent.kind === 224 || current.parent.kind === 225) { const expr = current.parent; isAssigned = expr.operator === 46 || expr.operator === 47; } if (!isAssigned) { return false; } return !!findAncestor(current, (n) => n === container ? "quit" : n === container.statement); } function captureLexicalThis(node, container) { getNodeLinks(node).flags |= 2; if (container.kind === 172 || container.kind === 176) { const classNode = container.parent; getNodeLinks(classNode).flags |= 4; } else { getNodeLinks(container).flags |= 4; } } function findFirstSuperCall(node) { return isSuperCall(node) ? node : isFunctionLike(node) ? void 0 : forEachChild(node, findFirstSuperCall); } function classDeclarationExtendsNull(classDecl) { const classSymbol = getSymbolOfDeclaration(classDecl); const classInstanceType = getDeclaredTypeOfSymbol(classSymbol); const baseConstructorType = getBaseConstructorTypeOfClass(classInstanceType); return baseConstructorType === nullWideningType; } function checkThisBeforeSuper(node, container, diagnosticMessage) { const containingClassDecl = container.parent; const baseTypeNode = getClassExtendsHeritageElement(containingClassDecl); if (baseTypeNode && !classDeclarationExtendsNull(containingClassDecl)) { if (canHaveFlowNode(node) && node.flowNode && !isPostSuperFlowNode( node.flowNode, /*noCacheCheck*/ false )) { error2(node, diagnosticMessage); } } } function checkThisInStaticClassFieldInitializerInDecoratedClass(thisExpression, container) { if (isPropertyDeclaration(container) && hasStaticModifier(container) && legacyDecorators && container.initializer && textRangeContainsPositionInclusive(container.initializer, thisExpression.pos) && hasDecorators(container.parent)) { error2(thisExpression, Diagnostics.Cannot_use_this_in_a_static_property_initializer_of_a_decorated_class); } } function checkThisExpression(node) { const isNodeInTypeQuery = isInTypeQuery(node); let container = getThisContainer( node, /*includeArrowFunctions*/ true, /*includeClassComputedPropertyName*/ true ); let capturedByArrowFunction = false; let thisInComputedPropertyName = false; if (container.kind === 176) { checkThisBeforeSuper(node, container, Diagnostics.super_must_be_called_before_accessing_this_in_the_constructor_of_a_derived_class); } while (true) { if (container.kind === 219) { container = getThisContainer( container, /*includeArrowFunctions*/ false, !thisInComputedPropertyName ); capturedByArrowFunction = true; } if (container.kind === 167) { container = getThisContainer( container, !capturedByArrowFunction, /*includeClassComputedPropertyName*/ false ); thisInComputedPropertyName = true; continue; } break; } checkThisInStaticClassFieldInitializerInDecoratedClass(node, container); if (thisInComputedPropertyName) { error2(node, Diagnostics.this_cannot_be_referenced_in_a_computed_property_name); } else { switch (container.kind) { case 267: error2(node, Diagnostics.this_cannot_be_referenced_in_a_module_or_namespace_body); break; case 266: error2(node, Diagnostics.this_cannot_be_referenced_in_current_location); break; } } if (!isNodeInTypeQuery && capturedByArrowFunction && languageVersion < 2) { captureLexicalThis(node, container); } const type = tryGetThisTypeAt( node, /*includeGlobalThis*/ true, container ); if (noImplicitThis) { const globalThisType2 = getTypeOfSymbol(globalThisSymbol); if (type === globalThisType2 && capturedByArrowFunction) { error2(node, Diagnostics.The_containing_arrow_function_captures_the_global_value_of_this); } else if (!type) { const diag2 = error2(node, Diagnostics.this_implicitly_has_type_any_because_it_does_not_have_a_type_annotation); if (!isSourceFile(container)) { const outsideThis = tryGetThisTypeAt(container); if (outsideThis && outsideThis !== globalThisType2) { addRelatedInfo(diag2, createDiagnosticForNode(container, Diagnostics.An_outer_value_of_this_is_shadowed_by_this_container)); } } } } return type || anyType2; } function tryGetThisTypeAt(node, includeGlobalThis = true, container = getThisContainer( node, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false )) { const isInJS = isInJSFile(node); if (isFunctionLike(container) && (!isInParameterInitializerBeforeContainingFunction(node) || getThisParameter(container))) { let thisType = getThisTypeOfDeclaration(container) || isInJS && getTypeForThisExpressionFromJSDoc(container); if (!thisType) { const className = getClassNameFromPrototypeMethod(container); if (isInJS && className) { const classSymbol = checkExpression(className).symbol; if (classSymbol && classSymbol.members && classSymbol.flags & 16) { thisType = getDeclaredTypeOfSymbol(classSymbol).thisType; } } else if (isJSConstructor(container)) { thisType = getDeclaredTypeOfSymbol(getMergedSymbol(container.symbol)).thisType; } thisType || (thisType = getContextualThisParameterType(container)); } if (thisType) { return getFlowTypeOfReference(node, thisType); } } if (isClassLike(container.parent)) { const symbol = getSymbolOfDeclaration(container.parent); const type = isStatic(container) ? getTypeOfSymbol(symbol) : getDeclaredTypeOfSymbol(symbol).thisType; return getFlowTypeOfReference(node, type); } if (isSourceFile(container)) { if (container.commonJsModuleIndicator) { const fileSymbol = getSymbolOfDeclaration(container); return fileSymbol && getTypeOfSymbol(fileSymbol); } else if (container.externalModuleIndicator) { return undefinedType2; } else if (includeGlobalThis) { return getTypeOfSymbol(globalThisSymbol); } } } function getExplicitThisType(node) { const container = getThisContainer( node, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ); if (isFunctionLike(container)) { const signature = getSignatureFromDeclaration(container); if (signature.thisParameter) { return getExplicitTypeOfSymbol(signature.thisParameter); } } if (isClassLike(container.parent)) { const symbol = getSymbolOfDeclaration(container.parent); return isStatic(container) ? getTypeOfSymbol(symbol) : getDeclaredTypeOfSymbol(symbol).thisType; } } function getClassNameFromPrototypeMethod(container) { if (container.kind === 218 && isBinaryExpression(container.parent) && getAssignmentDeclarationKind(container.parent) === 3) { return container.parent.left.expression.expression; } else if (container.kind === 174 && container.parent.kind === 210 && isBinaryExpression(container.parent.parent) && getAssignmentDeclarationKind(container.parent.parent) === 6) { return container.parent.parent.left.expression; } else if (container.kind === 218 && container.parent.kind === 303 && container.parent.parent.kind === 210 && isBinaryExpression(container.parent.parent.parent) && getAssignmentDeclarationKind(container.parent.parent.parent) === 6) { return container.parent.parent.parent.left.expression; } else if (container.kind === 218 && isPropertyAssignment(container.parent) && isIdentifier(container.parent.name) && (container.parent.name.escapedText === "value" || container.parent.name.escapedText === "get" || container.parent.name.escapedText === "set") && isObjectLiteralExpression(container.parent.parent) && isCallExpression2(container.parent.parent.parent) && container.parent.parent.parent.arguments[2] === container.parent.parent && getAssignmentDeclarationKind(container.parent.parent.parent) === 9) { return container.parent.parent.parent.arguments[0].expression; } else if (isMethodDeclaration(container) && isIdentifier(container.name) && (container.name.escapedText === "value" || container.name.escapedText === "get" || container.name.escapedText === "set") && isObjectLiteralExpression(container.parent) && isCallExpression2(container.parent.parent) && container.parent.parent.arguments[2] === container.parent && getAssignmentDeclarationKind(container.parent.parent) === 9) { return container.parent.parent.arguments[0].expression; } } function getTypeForThisExpressionFromJSDoc(node) { const thisTag = getJSDocThisTag(node); if (thisTag && thisTag.typeExpression) { return getTypeFromTypeNode(thisTag.typeExpression); } const signature = getSignatureOfTypeTag(node); if (signature) { return getThisTypeOfSignature(signature); } } function isInConstructorArgumentInitializer(node, constructorDecl) { return !!findAncestor(node, (n) => isFunctionLikeDeclaration(n) ? "quit" : n.kind === 169 && n.parent === constructorDecl); } function checkSuperExpression(node) { const isCallExpression22 = node.parent.kind === 213 && node.parent.expression === node; const immediateContainer = getSuperContainer( node, /*stopOnFunctions*/ true ); let container = immediateContainer; let needToCaptureLexicalThis = false; let inAsyncFunction = false; if (!isCallExpression22) { while (container && container.kind === 219) { if (hasSyntacticModifier( container, 1024 /* Async */ )) inAsyncFunction = true; container = getSuperContainer( container, /*stopOnFunctions*/ true ); needToCaptureLexicalThis = languageVersion < 2; } if (container && hasSyntacticModifier( container, 1024 /* Async */ )) inAsyncFunction = true; } let nodeCheckFlag = 0; if (!container || !isLegalUsageOfSuperExpression(container)) { const current = findAncestor( node, (n) => n === container ? "quit" : n.kind === 167 /* ComputedPropertyName */ ); if (current && current.kind === 167) { error2(node, Diagnostics.super_cannot_be_referenced_in_a_computed_property_name); } else if (isCallExpression22) { error2(node, Diagnostics.Super_calls_are_not_permitted_outside_constructors_or_in_nested_functions_inside_constructors); } else if (!container || !container.parent || !(isClassLike(container.parent) || container.parent.kind === 210)) { error2(node, Diagnostics.super_can_only_be_referenced_in_members_of_derived_classes_or_object_literal_expressions); } else { error2(node, Diagnostics.super_property_access_is_permitted_only_in_a_constructor_member_function_or_member_accessor_of_a_derived_class); } return errorType; } if (!isCallExpression22 && immediateContainer.kind === 176) { checkThisBeforeSuper(node, container, Diagnostics.super_must_be_called_before_accessing_a_property_of_super_in_the_constructor_of_a_derived_class); } if (isStatic(container) || isCallExpression22) { nodeCheckFlag = 32; if (!isCallExpression22 && languageVersion >= 2 && languageVersion <= 8 && (isPropertyDeclaration(container) || isClassStaticBlockDeclaration(container))) { forEachEnclosingBlockScopeContainer(node.parent, (current) => { if (!isSourceFile(current) || isExternalOrCommonJsModule(current)) { getNodeLinks(current).flags |= 2097152; } }); } } else { nodeCheckFlag = 16; } getNodeLinks(node).flags |= nodeCheckFlag; if (container.kind === 174 && inAsyncFunction) { if (isSuperProperty(node.parent) && isAssignmentTarget(node.parent)) { getNodeLinks(container).flags |= 256; } else { getNodeLinks(container).flags |= 128; } } if (needToCaptureLexicalThis) { captureLexicalThis(node.parent, container); } if (container.parent.kind === 210) { if (languageVersion < 2) { error2(node, Diagnostics.super_is_only_allowed_in_members_of_object_literal_expressions_when_option_target_is_ES2015_or_higher); return errorType; } else { return anyType2; } } const classLikeDeclaration = container.parent; if (!getClassExtendsHeritageElement(classLikeDeclaration)) { error2(node, Diagnostics.super_can_only_be_referenced_in_a_derived_class); return errorType; } if (classDeclarationExtendsNull(classLikeDeclaration)) { return isCallExpression22 ? errorType : nullWideningType; } const classType = getDeclaredTypeOfSymbol(getSymbolOfDeclaration(classLikeDeclaration)); const baseClassType = classType && getBaseTypes(classType)[0]; if (!baseClassType) { return errorType; } if (container.kind === 176 && isInConstructorArgumentInitializer(node, container)) { error2(node, Diagnostics.super_cannot_be_referenced_in_constructor_arguments); return errorType; } return nodeCheckFlag === 32 ? getBaseConstructorTypeOfClass(classType) : getTypeWithThisArgument(baseClassType, classType.thisType); function isLegalUsageOfSuperExpression(container2) { if (isCallExpression22) { return container2.kind === 176; } else { if (isClassLike(container2.parent) || container2.parent.kind === 210) { if (isStatic(container2)) { return container2.kind === 174 || container2.kind === 173 || container2.kind === 177 || container2.kind === 178 || container2.kind === 172 || container2.kind === 175; } else { return container2.kind === 174 || container2.kind === 173 || container2.kind === 177 || container2.kind === 178 || container2.kind === 172 || container2.kind === 171 || container2.kind === 176; } } } return false; } } function getContainingObjectLiteral(func) { return (func.kind === 174 || func.kind === 177 || func.kind === 178) && func.parent.kind === 210 ? func.parent : func.kind === 218 && func.parent.kind === 303 ? func.parent.parent : void 0; } function getThisTypeArgument(type) { return getObjectFlags(type) & 4 && type.target === globalThisType ? getTypeArguments(type)[0] : void 0; } function getThisTypeFromContextualType(type) { return mapType2(type, (t) => { return t.flags & 2097152 ? forEach(t.types, getThisTypeArgument) : getThisTypeArgument(t); }); } function getThisTypeOfObjectLiteralFromContextualType(containingLiteral, contextualType) { let literal = containingLiteral; let type = contextualType; while (type) { const thisType = getThisTypeFromContextualType(type); if (thisType) { return thisType; } if (literal.parent.kind !== 303) { break; } literal = literal.parent.parent; type = getApparentTypeOfContextualType( literal, /*contextFlags*/ void 0 ); } } function getContextualThisParameterType(func) { if (func.kind === 219) { return void 0; } if (isContextSensitiveFunctionOrObjectLiteralMethod(func)) { const contextualSignature = getContextualSignature(func); if (contextualSignature) { const thisParameter = contextualSignature.thisParameter; if (thisParameter) { return getTypeOfSymbol(thisParameter); } } } const inJs = isInJSFile(func); if (noImplicitThis || inJs) { const containingLiteral = getContainingObjectLiteral(func); if (containingLiteral) { const contextualType = getApparentTypeOfContextualType( containingLiteral, /*contextFlags*/ void 0 ); const thisType = getThisTypeOfObjectLiteralFromContextualType(containingLiteral, contextualType); if (thisType) { return instantiateType(thisType, getMapperFromContext(getInferenceContext(containingLiteral))); } return getWidenedType(contextualType ? getNonNullableType(contextualType) : checkExpressionCached(containingLiteral)); } const parent2 = walkUpParenthesizedExpressions(func.parent); if (isAssignmentExpression2(parent2)) { const target = parent2.left; if (isAccessExpression(target)) { const { expression } = target; if (inJs && isIdentifier(expression)) { const sourceFile = getSourceFileOfNode(parent2); if (sourceFile.commonJsModuleIndicator && getResolvedSymbol(expression) === sourceFile.symbol) { return void 0; } } return getWidenedType(checkExpressionCached(expression)); } } } return void 0; } function getContextuallyTypedParameterType(parameter) { const func = parameter.parent; if (!isContextSensitiveFunctionOrObjectLiteralMethod(func)) { return void 0; } const iife = getImmediatelyInvokedFunctionExpression(func); if (iife && iife.arguments) { const args = getEffectiveCallArguments(iife); const indexOfParameter = func.parameters.indexOf(parameter); if (parameter.dotDotDotToken) { return getSpreadArgumentType( args, indexOfParameter, args.length, anyType2, /*context*/ void 0, 0 /* Normal */ ); } const links = getNodeLinks(iife); const cached = links.resolvedSignature; links.resolvedSignature = anySignature; const type = indexOfParameter < args.length ? getWidenedLiteralType(checkExpression(args[indexOfParameter])) : parameter.initializer ? void 0 : undefinedWideningType; links.resolvedSignature = cached; return type; } const contextualSignature = getContextualSignature(func); if (contextualSignature) { const index = func.parameters.indexOf(parameter) - (getThisParameter(func) ? 1 : 0); return parameter.dotDotDotToken && lastOrUndefined(func.parameters) === parameter ? getRestTypeAtPosition(contextualSignature, index) : tryGetTypeAtPosition(contextualSignature, index); } } function getContextualTypeForVariableLikeDeclaration(declaration, contextFlags) { const typeNode = getEffectiveTypeAnnotationNode(declaration) || (isInJSFile(declaration) ? tryGetJSDocSatisfiesTypeNode(declaration) : void 0); if (typeNode) { return getTypeFromTypeNode(typeNode); } switch (declaration.kind) { case 169: return getContextuallyTypedParameterType(declaration); case 208: return getContextualTypeForBindingElement(declaration, contextFlags); case 172: if (isStatic(declaration)) { return getContextualTypeForStaticPropertyDeclaration(declaration, contextFlags); } } } function getContextualTypeForBindingElement(declaration, contextFlags) { const parent2 = declaration.parent.parent; const name = declaration.propertyName || declaration.name; const parentType = getContextualTypeForVariableLikeDeclaration(parent2, contextFlags) || parent2.kind !== 208 && parent2.initializer && checkDeclarationInitializer( parent2, declaration.dotDotDotToken ? 32 : 0 /* Normal */ ); if (!parentType || isBindingPattern(name) || isComputedNonLiteralName(name)) return void 0; if (parent2.name.kind === 207) { const index = indexOfNode(declaration.parent.elements, declaration); if (index < 0) return void 0; return getContextualTypeForElementExpression(parentType, index); } const nameType = getLiteralTypeFromPropertyName(name); if (isTypeUsableAsPropertyName(nameType)) { const text = getPropertyNameFromType(nameType); return getTypeOfPropertyOfType(parentType, text); } } function getContextualTypeForStaticPropertyDeclaration(declaration, contextFlags) { const parentType = isExpression(declaration.parent) && getContextualType2(declaration.parent, contextFlags); if (!parentType) return void 0; return getTypeOfPropertyOfContextualType(parentType, getSymbolOfDeclaration(declaration).escapedName); } function getContextualTypeForInitializerExpression(node, contextFlags) { const declaration = node.parent; if (hasInitializer(declaration) && node === declaration.initializer) { const result = getContextualTypeForVariableLikeDeclaration(declaration, contextFlags); if (result) { return result; } if (!(contextFlags & 8) && isBindingPattern(declaration.name) && declaration.name.elements.length > 0) { return getTypeFromBindingPattern( declaration.name, /*includePatternInType*/ true, /*reportErrors*/ false ); } } return void 0; } function getContextualTypeForReturnExpression(node, contextFlags) { const func = getContainingFunction(node); if (func) { let contextualReturnType = getContextualReturnType(func, contextFlags); if (contextualReturnType) { const functionFlags = getFunctionFlags(func); if (functionFlags & 1) { const isAsyncGenerator = (functionFlags & 2) !== 0; if (contextualReturnType.flags & 1048576) { contextualReturnType = filterType(contextualReturnType, (type) => !!getIterationTypeOfGeneratorFunctionReturnType(1, type, isAsyncGenerator)); } const iterationReturnType = getIterationTypeOfGeneratorFunctionReturnType(1, contextualReturnType, (functionFlags & 2) !== 0); if (!iterationReturnType) { return void 0; } contextualReturnType = iterationReturnType; } if (functionFlags & 2) { const contextualAwaitedType = mapType2(contextualReturnType, getAwaitedTypeNoAlias); return contextualAwaitedType && getUnionType([contextualAwaitedType, createPromiseLikeType(contextualAwaitedType)]); } return contextualReturnType; } } return void 0; } function getContextualTypeForAwaitOperand(node, contextFlags) { const contextualType = getContextualType2(node, contextFlags); if (contextualType) { const contextualAwaitedType = getAwaitedTypeNoAlias(contextualType); return contextualAwaitedType && getUnionType([contextualAwaitedType, createPromiseLikeType(contextualAwaitedType)]); } return void 0; } function getContextualTypeForYieldOperand(node, contextFlags) { const func = getContainingFunction(node); if (func) { const functionFlags = getFunctionFlags(func); let contextualReturnType = getContextualReturnType(func, contextFlags); if (contextualReturnType) { const isAsyncGenerator = (functionFlags & 2) !== 0; if (!node.asteriskToken && contextualReturnType.flags & 1048576) { contextualReturnType = filterType(contextualReturnType, (type) => !!getIterationTypeOfGeneratorFunctionReturnType(1, type, isAsyncGenerator)); } if (node.asteriskToken) { const iterationTypes = getIterationTypesOfGeneratorFunctionReturnType(contextualReturnType, isAsyncGenerator); const yieldType = (iterationTypes == null ? void 0 : iterationTypes.yieldType) ?? silentNeverType; const returnType = getContextualType2(node, contextFlags) ?? silentNeverType; const nextType = (iterationTypes == null ? void 0 : iterationTypes.nextType) ?? unknownType2; const generatorType = createGeneratorType( yieldType, returnType, nextType, /*isAsyncGenerator*/ false ); if (isAsyncGenerator) { const asyncGeneratorType = createGeneratorType( yieldType, returnType, nextType, /*isAsyncGenerator*/ true ); return getUnionType([generatorType, asyncGeneratorType]); } return generatorType; } return getIterationTypeOfGeneratorFunctionReturnType(0, contextualReturnType, isAsyncGenerator); } } return void 0; } function isInParameterInitializerBeforeContainingFunction(node) { let inBindingInitializer = false; while (node.parent && !isFunctionLike(node.parent)) { if (isParameter(node.parent) && (inBindingInitializer || node.parent.initializer === node)) { return true; } if (isBindingElement(node.parent) && node.parent.initializer === node) { inBindingInitializer = true; } node = node.parent; } return false; } function getContextualIterationType(kind, functionDecl) { const isAsync2 = !!(getFunctionFlags(functionDecl) & 2); const contextualReturnType = getContextualReturnType( functionDecl, /*contextFlags*/ void 0 ); if (contextualReturnType) { return getIterationTypeOfGeneratorFunctionReturnType(kind, contextualReturnType, isAsync2) || void 0; } return void 0; } function getContextualReturnType(functionDecl, contextFlags) { const returnType = getReturnTypeFromAnnotation(functionDecl); if (returnType) { return returnType; } const signature = getContextualSignatureForFunctionLikeDeclaration(functionDecl); if (signature && !isResolvingReturnTypeOfSignature(signature)) { const returnType2 = getReturnTypeOfSignature(signature); const functionFlags = getFunctionFlags(functionDecl); if (functionFlags & 1) { return filterType(returnType2, (t) => { return !!(t.flags & (3 | 16384 | 58982400)) || checkGeneratorInstantiationAssignabilityToReturnType( t, functionFlags, /*errorNode*/ void 0 ); }); } if (functionFlags & 2) { return filterType(returnType2, (t) => { return !!(t.flags & (3 | 16384 | 58982400)) || !!getAwaitedTypeOfPromise(t); }); } return returnType2; } const iife = getImmediatelyInvokedFunctionExpression(functionDecl); if (iife) { return getContextualType2(iife, contextFlags); } return void 0; } function getContextualTypeForArgument(callTarget, arg) { const args = getEffectiveCallArguments(callTarget); const argIndex = args.indexOf(arg); return argIndex === -1 ? void 0 : getContextualTypeForArgumentAtIndex(callTarget, argIndex); } function getContextualTypeForArgumentAtIndex(callTarget, argIndex) { if (isImportCall(callTarget)) { return argIndex === 0 ? stringType2 : argIndex === 1 ? getGlobalImportCallOptionsType( /*reportErrors*/ false ) : anyType2; } const signature = getNodeLinks(callTarget).resolvedSignature === resolvingSignature ? resolvingSignature : getResolvedSignature(callTarget); if (isJsxOpeningLikeElement(callTarget) && argIndex === 0) { return getEffectiveFirstArgumentForJsxSignature(signature, callTarget); } const restIndex = signature.parameters.length - 1; return signatureHasRestParameter(signature) && argIndex >= restIndex ? getIndexedAccessType( getTypeOfSymbol(signature.parameters[restIndex]), getNumberLiteralType(argIndex - restIndex), 256 /* Contextual */ ) : getTypeAtPosition(signature, argIndex); } function getContextualTypeForDecorator(decorator) { const signature = getDecoratorCallSignature(decorator); return signature ? getOrCreateTypeFromSignature(signature) : void 0; } function getContextualTypeForSubstitutionExpression(template, substitutionExpression) { if (template.parent.kind === 215) { return getContextualTypeForArgument(template.parent, substitutionExpression); } return void 0; } function getContextualTypeForBinaryOperand(node, contextFlags) { const binaryExpression = node.parent; const { left, operatorToken, right } = binaryExpression; switch (operatorToken.kind) { case 64: case 77: case 76: case 78: return node === right ? getContextualTypeForAssignmentDeclaration(binaryExpression) : void 0; case 57: case 61: const type = getContextualType2(binaryExpression, contextFlags); return node === right && (type && type.pattern || !type && !isDefaultedExpandoInitializer(binaryExpression)) ? getTypeOfExpression(left) : type; case 56: case 28: return node === right ? getContextualType2(binaryExpression, contextFlags) : void 0; default: return void 0; } } function getSymbolForExpression(e) { if (canHaveSymbol(e) && e.symbol) { return e.symbol; } if (isIdentifier(e)) { return getResolvedSymbol(e); } if (isPropertyAccessExpression(e)) { const lhsType = getTypeOfExpression(e.expression); return isPrivateIdentifier(e.name) ? tryGetPrivateIdentifierPropertyOfType(lhsType, e.name) : getPropertyOfType(lhsType, e.name.escapedText); } if (isElementAccessExpression(e)) { const propType = checkExpressionCached(e.argumentExpression); if (!isTypeUsableAsPropertyName(propType)) { return void 0; } const lhsType = getTypeOfExpression(e.expression); return getPropertyOfType(lhsType, getPropertyNameFromType(propType)); } return void 0; function tryGetPrivateIdentifierPropertyOfType(type, id) { const lexicallyScopedSymbol = lookupSymbolForPrivateIdentifierDeclaration(id.escapedText, id); return lexicallyScopedSymbol && getPrivateIdentifierPropertyOfType(type, lexicallyScopedSymbol); } } function getContextualTypeForAssignmentDeclaration(binaryExpression) { var _a, _b; const kind = getAssignmentDeclarationKind(binaryExpression); switch (kind) { case 0: case 4: const lhsSymbol = getSymbolForExpression(binaryExpression.left); const decl = lhsSymbol && lhsSymbol.valueDeclaration; if (decl && (isPropertyDeclaration(decl) || isPropertySignature(decl))) { const overallAnnotation = getEffectiveTypeAnnotationNode(decl); return overallAnnotation && instantiateType(getTypeFromTypeNode(overallAnnotation), getSymbolLinks(lhsSymbol).mapper) || (isPropertyDeclaration(decl) ? decl.initializer && getTypeOfExpression(binaryExpression.left) : void 0); } if (kind === 0) { return getTypeOfExpression(binaryExpression.left); } return getContextualTypeForThisPropertyAssignment(binaryExpression); case 5: if (isPossiblyAliasedThisProperty(binaryExpression, kind)) { return getContextualTypeForThisPropertyAssignment(binaryExpression); } else if (!canHaveSymbol(binaryExpression.left) || !binaryExpression.left.symbol) { return getTypeOfExpression(binaryExpression.left); } else { const decl2 = binaryExpression.left.symbol.valueDeclaration; if (!decl2) { return void 0; } const lhs = cast(binaryExpression.left, isAccessExpression); const overallAnnotation = getEffectiveTypeAnnotationNode(decl2); if (overallAnnotation) { return getTypeFromTypeNode(overallAnnotation); } else if (isIdentifier(lhs.expression)) { const id = lhs.expression; const parentSymbol = resolveName( id, id.escapedText, 111551, /*nameNotFoundMessage*/ void 0, /*isUse*/ true ); if (parentSymbol) { const annotated2 = parentSymbol.valueDeclaration && getEffectiveTypeAnnotationNode(parentSymbol.valueDeclaration); if (annotated2) { const nameStr = getElementOrPropertyAccessName(lhs); if (nameStr !== void 0) { return getTypeOfPropertyOfContextualType(getTypeFromTypeNode(annotated2), nameStr); } } return void 0; } } return isInJSFile(decl2) || decl2 === binaryExpression.left ? void 0 : getTypeOfExpression(binaryExpression.left); } case 1: case 6: case 3: case 2: let valueDeclaration; if (kind !== 2) { valueDeclaration = canHaveSymbol(binaryExpression.left) ? (_a = binaryExpression.left.symbol) == null ? void 0 : _a.valueDeclaration : void 0; } valueDeclaration || (valueDeclaration = (_b = binaryExpression.symbol) == null ? void 0 : _b.valueDeclaration); const annotated = valueDeclaration && getEffectiveTypeAnnotationNode(valueDeclaration); return annotated ? getTypeFromTypeNode(annotated) : void 0; case 7: case 8: case 9: return Debug.fail("Does not apply"); default: return Debug.assertNever(kind); } } function isPossiblyAliasedThisProperty(declaration, kind = getAssignmentDeclarationKind(declaration)) { if (kind === 4) { return true; } if (!isInJSFile(declaration) || kind !== 5 || !isIdentifier(declaration.left.expression)) { return false; } const name = declaration.left.expression.escapedText; const symbol = resolveName( declaration.left, name, 111551, /*nameNotFoundMessage*/ void 0, /*isUse*/ true, /*excludeGlobals*/ true ); return isThisInitializedDeclaration(symbol == null ? void 0 : symbol.valueDeclaration); } function getContextualTypeForThisPropertyAssignment(binaryExpression) { if (!binaryExpression.symbol) return getTypeOfExpression(binaryExpression.left); if (binaryExpression.symbol.valueDeclaration) { const annotated = getEffectiveTypeAnnotationNode(binaryExpression.symbol.valueDeclaration); if (annotated) { const type = getTypeFromTypeNode(annotated); if (type) { return type; } } } const thisAccess = cast(binaryExpression.left, isAccessExpression); if (!isObjectLiteralMethod(getThisContainer( thisAccess.expression, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ))) { return void 0; } const thisType = checkThisExpression(thisAccess.expression); const nameStr = getElementOrPropertyAccessName(thisAccess); return nameStr !== void 0 && getTypeOfPropertyOfContextualType(thisType, nameStr) || void 0; } function isCircularMappedProperty(symbol) { return !!(getCheckFlags(symbol) & 262144 && !symbol.links.type && findResolutionCycleStartIndex( symbol, 0 /* Type */ ) >= 0); } function getTypeOfPropertyOfContextualType(type, name, nameType) { return mapType2( type, (t) => { var _a; if (isGenericMappedType(t) && !t.declaration.nameType) { const constraint = getConstraintTypeFromMappedType(t); const constraintOfConstraint = getBaseConstraintOfType(constraint) || constraint; const propertyNameType = nameType || getStringLiteralType(unescapeLeadingUnderscores(name)); if (isTypeAssignableTo(propertyNameType, constraintOfConstraint)) { return substituteIndexedMappedType(t, propertyNameType); } } else if (t.flags & 3670016) { const prop = getPropertyOfType(t, name); if (prop) { return isCircularMappedProperty(prop) ? void 0 : removeMissingType(getTypeOfSymbol(prop), !!(prop.flags & 16777216)); } if (isTupleType(t) && isNumericLiteralName(name) && +name >= 0) { const restType = getElementTypeOfSliceOfTupleType( t, t.target.fixedLength, /*endSkipCount*/ 0, /*writing*/ false, /*noReductions*/ true ); if (restType) { return restType; } } return (_a = findApplicableIndexInfo(getIndexInfosOfStructuredType(t), nameType || getStringLiteralType(unescapeLeadingUnderscores(name)))) == null ? void 0 : _a.type; } return void 0; }, /*noReductions*/ true ); } function getContextualTypeForObjectLiteralMethod(node, contextFlags) { Debug.assert(isObjectLiteralMethod(node)); if (node.flags & 67108864) { return void 0; } return getContextualTypeForObjectLiteralElement(node, contextFlags); } function getContextualTypeForObjectLiteralElement(element, contextFlags) { const objectLiteral = element.parent; const propertyAssignmentType = isPropertyAssignment(element) && getContextualTypeForVariableLikeDeclaration(element, contextFlags); if (propertyAssignmentType) { return propertyAssignmentType; } const type = getApparentTypeOfContextualType(objectLiteral, contextFlags); if (type) { if (hasBindableName(element)) { const symbol = getSymbolOfDeclaration(element); return getTypeOfPropertyOfContextualType(type, symbol.escapedName, getSymbolLinks(symbol).nameType); } if (hasDynamicName(element)) { const name = getNameOfDeclaration(element); if (name && isComputedPropertyName(name)) { const exprType = checkExpression(name.expression); const propType = isTypeUsableAsPropertyName(exprType) && getTypeOfPropertyOfContextualType(type, getPropertyNameFromType(exprType)); if (propType) { return propType; } } } if (element.name) { const nameType = getLiteralTypeFromPropertyName(element.name); return mapType2( type, (t) => { var _a; return (_a = findApplicableIndexInfo(getIndexInfosOfStructuredType(t), nameType)) == null ? void 0 : _a.type; }, /*noReductions*/ true ); } } return void 0; } function getSpreadIndices(elements) { let first2, last2; for (let i = 0; i < elements.length; i++) { if (isSpreadElement(elements[i])) { first2 ?? (first2 = i); last2 = i; } } return { first: first2, last: last2 }; } function getContextualTypeForElementExpression(type, index, length2, firstSpreadIndex, lastSpreadIndex) { return type && mapType2( type, (t) => { if (isTupleType(t)) { if ((firstSpreadIndex === void 0 || index < firstSpreadIndex) && index < t.target.fixedLength) { return removeMissingType(getTypeArguments(t)[index], !!(t.target.elementFlags[index] && 2)); } const offset = length2 !== void 0 && (lastSpreadIndex === void 0 || index > lastSpreadIndex) ? length2 - index : 0; const fixedEndLength = offset > 0 && t.target.hasRestElement ? getEndElementCount( t.target, 3 /* Fixed */ ) : 0; if (offset > 0 && offset <= fixedEndLength) { return getTypeArguments(t)[getTypeReferenceArity(t) - offset]; } return getElementTypeOfSliceOfTupleType( t, firstSpreadIndex === void 0 ? t.target.fixedLength : Math.min(t.target.fixedLength, firstSpreadIndex), length2 === void 0 || lastSpreadIndex === void 0 ? fixedEndLength : Math.min(fixedEndLength, length2 - lastSpreadIndex), /*writing*/ false, /*noReductions*/ true ); } return (!firstSpreadIndex || index < firstSpreadIndex) && getTypeOfPropertyOfContextualType(t, "" + index) || getIteratedTypeOrElementType( 1, t, undefinedType2, /*errorNode*/ void 0, /*checkAssignability*/ false ); }, /*noReductions*/ true ); } function getContextualTypeForConditionalOperand(node, contextFlags) { const conditional = node.parent; return node === conditional.whenTrue || node === conditional.whenFalse ? getContextualType2(conditional, contextFlags) : void 0; } function getContextualTypeForChildJsxExpression(node, child, contextFlags) { const attributesType = getApparentTypeOfContextualType(node.openingElement.attributes, contextFlags); const jsxChildrenPropertyName = getJsxElementChildrenPropertyName(getJsxNamespaceAt(node)); if (!(attributesType && !isTypeAny(attributesType) && jsxChildrenPropertyName && jsxChildrenPropertyName !== "")) { return void 0; } const realChildren = getSemanticJsxChildren(node.children); const childIndex = realChildren.indexOf(child); const childFieldType = getTypeOfPropertyOfContextualType(attributesType, jsxChildrenPropertyName); return childFieldType && (realChildren.length === 1 ? childFieldType : mapType2( childFieldType, (t) => { if (isArrayLikeType(t)) { return getIndexedAccessType(t, getNumberLiteralType(childIndex)); } else { return t; } }, /*noReductions*/ true )); } function getContextualTypeForJsxExpression(node, contextFlags) { const exprParent = node.parent; return isJsxAttributeLike(exprParent) ? getContextualType2(node, contextFlags) : isJsxElement(exprParent) ? getContextualTypeForChildJsxExpression(exprParent, node, contextFlags) : void 0; } function getContextualTypeForJsxAttribute(attribute, contextFlags) { if (isJsxAttribute(attribute)) { const attributesType = getApparentTypeOfContextualType(attribute.parent, contextFlags); if (!attributesType || isTypeAny(attributesType)) { return void 0; } return getTypeOfPropertyOfContextualType(attributesType, getEscapedTextOfJsxAttributeName(attribute.name)); } else { return getContextualType2(attribute.parent, contextFlags); } } function isPossiblyDiscriminantValue(node) { switch (node.kind) { case 11: case 9: case 10: case 15: case 228: case 112: case 97: case 106: case 80: case 157: return true; case 211: case 217: return isPossiblyDiscriminantValue(node.expression); case 294: return !node.expression || isPossiblyDiscriminantValue(node.expression); } return false; } function discriminateContextualTypeByObjectMembers(node, contextualType) { const key = `D${getNodeId(node)},${getTypeId(contextualType)}`; return getCachedType(key) ?? setCachedType( key, getMatchingUnionConstituentForObjectLiteral(contextualType, node) ?? discriminateTypeByDiscriminableItems( contextualType, concatenate( map( filter(node.properties, (p) => { if (!p.symbol) { return false; } if (p.kind === 303) { return isPossiblyDiscriminantValue(p.initializer) && isDiscriminantProperty(contextualType, p.symbol.escapedName); } if (p.kind === 304) { return isDiscriminantProperty(contextualType, p.symbol.escapedName); } return false; }), (prop) => [() => getContextFreeTypeOfExpression(prop.kind === 303 ? prop.initializer : prop.name), prop.symbol.escapedName] ), map( filter(getPropertiesOfType(contextualType), (s) => { var _a; return !!(s.flags & 16777216) && !!((_a = node == null ? void 0 : node.symbol) == null ? void 0 : _a.members) && !node.symbol.members.has(s.escapedName) && isDiscriminantProperty(contextualType, s.escapedName); }), (s) => [() => undefinedType2, s.escapedName] ) ), isTypeAssignableTo ) ); } function discriminateContextualTypeByJSXAttributes(node, contextualType) { const key = `D${getNodeId(node)},${getTypeId(contextualType)}`; const cached = getCachedType(key); if (cached) return cached; const jsxChildrenPropertyName = getJsxElementChildrenPropertyName(getJsxNamespaceAt(node)); return setCachedType( key, discriminateTypeByDiscriminableItems( contextualType, concatenate( map( filter(node.properties, (p) => !!p.symbol && p.kind === 291 && isDiscriminantProperty(contextualType, p.symbol.escapedName) && (!p.initializer || isPossiblyDiscriminantValue(p.initializer))), (prop) => [!prop.initializer ? () => trueType : () => getContextFreeTypeOfExpression(prop.initializer), prop.symbol.escapedName] ), map( filter(getPropertiesOfType(contextualType), (s) => { var _a; if (!(s.flags & 16777216) || !((_a = node == null ? void 0 : node.symbol) == null ? void 0 : _a.members)) { return false; } const element = node.parent.parent; if (s.escapedName === jsxChildrenPropertyName && isJsxElement(element) && getSemanticJsxChildren(element.children).length) { return false; } return !node.symbol.members.has(s.escapedName) && isDiscriminantProperty(contextualType, s.escapedName); }), (s) => [() => undefinedType2, s.escapedName] ) ), isTypeAssignableTo ) ); } function getApparentTypeOfContextualType(node, contextFlags) { const contextualType = isObjectLiteralMethod(node) ? getContextualTypeForObjectLiteralMethod(node, contextFlags) : getContextualType2(node, contextFlags); const instantiatedType = instantiateContextualType(contextualType, node, contextFlags); if (instantiatedType && !(contextFlags && contextFlags & 2 && instantiatedType.flags & 8650752)) { const apparentType = mapType2( instantiatedType, // When obtaining apparent type of *contextual* type we don't want to get apparent type of mapped types. // That would evaluate mapped types with array or tuple type constraints too eagerly // and thus it would prevent `getTypeOfPropertyOfContextualType` from obtaining per-position contextual type for elements of array literal expressions. // Apparent type of other mapped types is already the mapped type itself so we can just avoid calling `getApparentType` here for all mapped types. (t) => getObjectFlags(t) & 32 ? t : getApparentType(t), /*noReductions*/ true ); return apparentType.flags & 1048576 && isObjectLiteralExpression(node) ? discriminateContextualTypeByObjectMembers(node, apparentType) : apparentType.flags & 1048576 && isJsxAttributes(node) ? discriminateContextualTypeByJSXAttributes(node, apparentType) : apparentType; } } function instantiateContextualType(contextualType, node, contextFlags) { if (contextualType && maybeTypeOfKind( contextualType, 465829888 /* Instantiable */ )) { const inferenceContext = getInferenceContext(node); if (inferenceContext && contextFlags & 1 && some(inferenceContext.inferences, hasInferenceCandidatesOrDefault)) { return instantiateInstantiableTypes(contextualType, inferenceContext.nonFixingMapper); } if (inferenceContext == null ? void 0 : inferenceContext.returnMapper) { const type = instantiateInstantiableTypes(contextualType, inferenceContext.returnMapper); return type.flags & 1048576 && containsType(type.types, regularFalseType) && containsType(type.types, regularTrueType) ? filterType(type, (t) => t !== regularFalseType && t !== regularTrueType) : type; } } return contextualType; } function instantiateInstantiableTypes(type, mapper) { if (type.flags & 465829888) { return instantiateType(type, mapper); } if (type.flags & 1048576) { return getUnionType( map(type.types, (t) => instantiateInstantiableTypes(t, mapper)), 0 /* None */ ); } if (type.flags & 2097152) { return getIntersectionType(map(type.types, (t) => instantiateInstantiableTypes(t, mapper))); } return type; } function getContextualType2(node, contextFlags) { var _a; if (node.flags & 67108864) { return void 0; } const index = findContextualNode( node, /*includeCaches*/ !contextFlags ); if (index >= 0) { return contextualTypes[index]; } const { parent: parent2 } = node; switch (parent2.kind) { case 260: case 169: case 172: case 171: case 208: return getContextualTypeForInitializerExpression(node, contextFlags); case 219: case 253: return getContextualTypeForReturnExpression(node, contextFlags); case 229: return getContextualTypeForYieldOperand(parent2, contextFlags); case 223: return getContextualTypeForAwaitOperand(parent2, contextFlags); case 213: case 214: return getContextualTypeForArgument(parent2, node); case 170: return getContextualTypeForDecorator(parent2); case 216: case 234: return isConstTypeReference(parent2.type) ? getContextualType2(parent2, contextFlags) : getTypeFromTypeNode(parent2.type); case 226: return getContextualTypeForBinaryOperand(node, contextFlags); case 303: case 304: return getContextualTypeForObjectLiteralElement(parent2, contextFlags); case 305: return getContextualType2(parent2.parent, contextFlags); case 209: { const arrayLiteral = parent2; const type = getApparentTypeOfContextualType(arrayLiteral, contextFlags); const elementIndex = indexOfNode(arrayLiteral.elements, node); const spreadIndices = (_a = getNodeLinks(arrayLiteral)).spreadIndices ?? (_a.spreadIndices = getSpreadIndices(arrayLiteral.elements)); return getContextualTypeForElementExpression(type, elementIndex, arrayLiteral.elements.length, spreadIndices.first, spreadIndices.last); } case 227: return getContextualTypeForConditionalOperand(node, contextFlags); case 239: Debug.assert( parent2.parent.kind === 228 /* TemplateExpression */ ); return getContextualTypeForSubstitutionExpression(parent2.parent, node); case 217: { if (isInJSFile(parent2)) { if (isJSDocSatisfiesExpression(parent2)) { return getTypeFromTypeNode(getJSDocSatisfiesExpressionType(parent2)); } const typeTag = getJSDocTypeTag(parent2); if (typeTag && !isConstTypeReference(typeTag.typeExpression.type)) { return getTypeFromTypeNode(typeTag.typeExpression.type); } } return getContextualType2(parent2, contextFlags); } case 235: return getContextualType2(parent2, contextFlags); case 238: return getTypeFromTypeNode(parent2.type); case 277: return tryGetTypeFromEffectiveTypeNode(parent2); case 294: return getContextualTypeForJsxExpression(parent2, contextFlags); case 291: case 293: return getContextualTypeForJsxAttribute(parent2, contextFlags); case 286: case 285: return getContextualJsxElementAttributesType(parent2, contextFlags); case 301: return getContextualImportAttributeType(parent2); } return void 0; } function pushCachedContextualType(node) { pushContextualType( node, getContextualType2( node, /*contextFlags*/ void 0 ), /*isCache*/ true ); } function pushContextualType(node, type, isCache) { contextualTypeNodes[contextualTypeCount] = node; contextualTypes[contextualTypeCount] = type; contextualIsCache[contextualTypeCount] = isCache; contextualTypeCount++; } function popContextualType() { contextualTypeCount--; } function findContextualNode(node, includeCaches) { for (let i = contextualTypeCount - 1; i >= 0; i--) { if (node === contextualTypeNodes[i] && (includeCaches || !contextualIsCache[i])) { return i; } } return -1; } function pushInferenceContext(node, inferenceContext) { inferenceContextNodes[inferenceContextCount] = node; inferenceContexts[inferenceContextCount] = inferenceContext; inferenceContextCount++; } function popInferenceContext() { inferenceContextCount--; } function getInferenceContext(node) { for (let i = inferenceContextCount - 1; i >= 0; i--) { if (isNodeDescendantOf(node, inferenceContextNodes[i])) { return inferenceContexts[i]; } } } function getContextualImportAttributeType(node) { return getTypeOfPropertyOfContextualType(getGlobalImportAttributesType( /*reportErrors*/ false ), getNameFromImportAttribute(node)); } function getContextualJsxElementAttributesType(node, contextFlags) { if (isJsxOpeningElement(node) && contextFlags !== 4) { const index = findContextualNode( node.parent, /*includeCaches*/ !contextFlags ); if (index >= 0) { return contextualTypes[index]; } } return getContextualTypeForArgumentAtIndex(node, 0); } function getEffectiveFirstArgumentForJsxSignature(signature, node) { return getJsxReferenceKind(node) !== 0 ? getJsxPropsTypeFromCallSignature(signature, node) : getJsxPropsTypeFromClassType(signature, node); } function getJsxPropsTypeFromCallSignature(sig, context) { let propsType = getTypeOfFirstParameterOfSignatureWithFallback(sig, unknownType2); propsType = getJsxManagedAttributesFromLocatedAttributes(context, getJsxNamespaceAt(context), propsType); const intrinsicAttribs = getJsxType(JsxNames.IntrinsicAttributes, context); if (!isErrorType(intrinsicAttribs)) { propsType = intersectTypes(intrinsicAttribs, propsType); } return propsType; } function getJsxPropsTypeForSignatureFromMember(sig, forcedLookupLocation) { if (sig.compositeSignatures) { const results = []; for (const signature of sig.compositeSignatures) { const instance = getReturnTypeOfSignature(signature); if (isTypeAny(instance)) { return instance; } const propType = getTypeOfPropertyOfType(instance, forcedLookupLocation); if (!propType) { return; } results.push(propType); } return getIntersectionType(results); } const instanceType = getReturnTypeOfSignature(sig); return isTypeAny(instanceType) ? instanceType : getTypeOfPropertyOfType(instanceType, forcedLookupLocation); } function getStaticTypeOfReferencedJsxConstructor(context) { if (isJsxIntrinsicTagName(context.tagName)) { const result = getIntrinsicAttributesTypeFromJsxOpeningLikeElement(context); const fakeSignature = createSignatureForJSXIntrinsic(context, result); return getOrCreateTypeFromSignature(fakeSignature); } const tagType = checkExpressionCached(context.tagName); if (tagType.flags & 128) { const result = getIntrinsicAttributesTypeFromStringLiteralType(tagType, context); if (!result) { return errorType; } const fakeSignature = createSignatureForJSXIntrinsic(context, result); return getOrCreateTypeFromSignature(fakeSignature); } return tagType; } function getJsxManagedAttributesFromLocatedAttributes(context, ns, attributesType) { const managedSym = getJsxLibraryManagedAttributes(ns); if (managedSym) { const ctorType = getStaticTypeOfReferencedJsxConstructor(context); const result = instantiateAliasOrInterfaceWithDefaults(managedSym, isInJSFile(context), ctorType, attributesType); if (result) { return result; } } return attributesType; } function getJsxPropsTypeFromClassType(sig, context) { const ns = getJsxNamespaceAt(context); const forcedLookupLocation = getJsxElementPropertiesName(ns); let attributesType = forcedLookupLocation === void 0 ? getTypeOfFirstParameterOfSignatureWithFallback(sig, unknownType2) : forcedLookupLocation === "" ? getReturnTypeOfSignature(sig) : getJsxPropsTypeForSignatureFromMember(sig, forcedLookupLocation); if (!attributesType) { if (!!forcedLookupLocation && !!length(context.attributes.properties)) { error2(context, Diagnostics.JSX_element_class_does_not_support_attributes_because_it_does_not_have_a_0_property, unescapeLeadingUnderscores(forcedLookupLocation)); } return unknownType2; } attributesType = getJsxManagedAttributesFromLocatedAttributes(context, ns, attributesType); if (isTypeAny(attributesType)) { return attributesType; } else { let apparentAttributesType = attributesType; const intrinsicClassAttribs = getJsxType(JsxNames.IntrinsicClassAttributes, context); if (!isErrorType(intrinsicClassAttribs)) { const typeParams = getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(intrinsicClassAttribs.symbol); const hostClassType = getReturnTypeOfSignature(sig); let libraryManagedAttributeType; if (typeParams) { const inferredArgs = fillMissingTypeArguments([hostClassType], typeParams, getMinTypeArgumentCount(typeParams), isInJSFile(context)); libraryManagedAttributeType = instantiateType(intrinsicClassAttribs, createTypeMapper(typeParams, inferredArgs)); } else libraryManagedAttributeType = intrinsicClassAttribs; apparentAttributesType = intersectTypes(libraryManagedAttributeType, apparentAttributesType); } const intrinsicAttribs = getJsxType(JsxNames.IntrinsicAttributes, context); if (!isErrorType(intrinsicAttribs)) { apparentAttributesType = intersectTypes(intrinsicAttribs, apparentAttributesType); } return apparentAttributesType; } } function getIntersectedSignatures(signatures) { return getStrictOptionValue(compilerOptions, "noImplicitAny") ? reduceLeft( signatures, (left, right) => left === right || !left ? left : compareTypeParametersIdentical(left.typeParameters, right.typeParameters) ? combineSignaturesOfIntersectionMembers(left, right) : void 0 ) : void 0; } function combineIntersectionThisParam(left, right, mapper) { if (!left || !right) { return left || right; } const thisType = getUnionType([getTypeOfSymbol(left), instantiateType(getTypeOfSymbol(right), mapper)]); return createSymbolWithType(left, thisType); } function combineIntersectionParameters(left, right, mapper) { const leftCount = getParameterCount(left); const rightCount = getParameterCount(right); const longest = leftCount >= rightCount ? left : right; const shorter = longest === left ? right : left; const longestCount = longest === left ? leftCount : rightCount; const eitherHasEffectiveRest = hasEffectiveRestParameter(left) || hasEffectiveRestParameter(right); const needsExtraRestElement = eitherHasEffectiveRest && !hasEffectiveRestParameter(longest); const params = new Array(longestCount + (needsExtraRestElement ? 1 : 0)); for (let i = 0; i < longestCount; i++) { let longestParamType = tryGetTypeAtPosition(longest, i); if (longest === right) { longestParamType = instantiateType(longestParamType, mapper); } let shorterParamType = tryGetTypeAtPosition(shorter, i) || unknownType2; if (shorter === right) { shorterParamType = instantiateType(shorterParamType, mapper); } const unionParamType = getUnionType([longestParamType, shorterParamType]); const isRestParam = eitherHasEffectiveRest && !needsExtraRestElement && i === longestCount - 1; const isOptional = i >= getMinArgumentCount(longest) && i >= getMinArgumentCount(shorter); const leftName = i >= leftCount ? void 0 : getParameterNameAtPosition(left, i); const rightName = i >= rightCount ? void 0 : getParameterNameAtPosition(right, i); const paramName = leftName === rightName ? leftName : !leftName ? rightName : !rightName ? leftName : void 0; const paramSymbol = createSymbol( 1 | (isOptional && !isRestParam ? 16777216 : 0), paramName || `arg${i}` ); paramSymbol.links.type = isRestParam ? createArrayType(unionParamType) : unionParamType; params[i] = paramSymbol; } if (needsExtraRestElement) { const restParamSymbol = createSymbol(1, "args"); restParamSymbol.links.type = createArrayType(getTypeAtPosition(shorter, longestCount)); if (shorter === right) { restParamSymbol.links.type = instantiateType(restParamSymbol.links.type, mapper); } params[longestCount] = restParamSymbol; } return params; } function combineSignaturesOfIntersectionMembers(left, right) { const typeParams = left.typeParameters || right.typeParameters; let paramMapper; if (left.typeParameters && right.typeParameters) { paramMapper = createTypeMapper(right.typeParameters, left.typeParameters); } const declaration = left.declaration; const params = combineIntersectionParameters(left, right, paramMapper); const thisParam = combineIntersectionThisParam(left.thisParameter, right.thisParameter, paramMapper); const minArgCount = Math.max(left.minArgumentCount, right.minArgumentCount); const result = createSignature( declaration, typeParams, thisParam, params, /*resolvedReturnType*/ void 0, /*resolvedTypePredicate*/ void 0, minArgCount, (left.flags | right.flags) & 167 /* PropagatingFlags */ ); result.compositeKind = 2097152; result.compositeSignatures = concatenate(left.compositeKind === 2097152 && left.compositeSignatures || [left], [right]); if (paramMapper) { result.mapper = left.compositeKind === 2097152 && left.mapper && left.compositeSignatures ? combineTypeMappers(left.mapper, paramMapper) : paramMapper; } return result; } function getContextualCallSignature(type, node) { const signatures = getSignaturesOfType( type, 0 /* Call */ ); const applicableByArity = filter(signatures, (s) => !isAritySmaller(s, node)); return applicableByArity.length === 1 ? applicableByArity[0] : getIntersectedSignatures(applicableByArity); } function isAritySmaller(signature, target) { let targetParameterCount = 0; for (; targetParameterCount < target.parameters.length; targetParameterCount++) { const param = target.parameters[targetParameterCount]; if (param.initializer || param.questionToken || param.dotDotDotToken || isJSDocOptionalParameter(param)) { break; } } if (target.parameters.length && parameterIsThisKeyword(target.parameters[0])) { targetParameterCount--; } return !hasEffectiveRestParameter(signature) && getParameterCount(signature) < targetParameterCount; } function getContextualSignatureForFunctionLikeDeclaration(node) { return isFunctionExpressionOrArrowFunction(node) || isObjectLiteralMethod(node) ? getContextualSignature(node) : void 0; } function getContextualSignature(node) { Debug.assert(node.kind !== 174 || isObjectLiteralMethod(node)); const typeTagSignature = getSignatureOfTypeTag(node); if (typeTagSignature) { return typeTagSignature; } const type = getApparentTypeOfContextualType( node, 1 /* Signature */ ); if (!type) { return void 0; } if (!(type.flags & 1048576)) { return getContextualCallSignature(type, node); } let signatureList; const types = type.types; for (const current of types) { const signature = getContextualCallSignature(current, node); if (signature) { if (!signatureList) { signatureList = [signature]; } else if (!compareSignaturesIdentical( signatureList[0], signature, /*partialMatch*/ false, /*ignoreThisTypes*/ true, /*ignoreReturnTypes*/ true, compareTypesIdentical )) { return void 0; } else { signatureList.push(signature); } } } if (signatureList) { return signatureList.length === 1 ? signatureList[0] : createUnionSignature(signatureList[0], signatureList); } } function checkGrammarRegularExpressionLiteral(node) { const sourceFile = getSourceFileOfNode(node); if (!hasParseDiagnostics(sourceFile) && !node.isUnterminated) { let lastError; scanner2 ?? (scanner2 = createScanner( 99, /*skipTrivia*/ true )); scanner2.setScriptTarget(sourceFile.languageVersion); scanner2.setLanguageVariant(sourceFile.languageVariant); scanner2.setOnError((message, length2, arg0) => { const start = scanner2.getTokenEnd(); if (message.category === 3 && lastError && start === lastError.start && length2 === lastError.length) { const error3 = createDetachedDiagnostic(sourceFile.fileName, sourceFile.text, start, length2, message, arg0); addRelatedInfo(lastError, error3); } else if (!lastError || start !== lastError.start) { lastError = createFileDiagnostic(sourceFile, start, length2, message, arg0); diagnostics.add(lastError); } }); scanner2.setText(sourceFile.text, node.pos, node.end - node.pos); try { scanner2.scan(); Debug.assert(scanner2.reScanSlashToken( /*reportErrors*/ true ) === 14, "Expected scanner to rescan RegularExpressionLiteral"); return !!lastError; } finally { scanner2.setText(""); scanner2.setOnError( /*onError*/ void 0 ); } } return false; } function checkRegularExpressionLiteral(node) { const nodeLinks2 = getNodeLinks(node); if (!(nodeLinks2.flags & 1)) { nodeLinks2.flags |= 1; addLazyDiagnostic(() => checkGrammarRegularExpressionLiteral(node)); } return globalRegExpType; } function checkSpreadExpression(node, checkMode) { if (languageVersion < 2) { checkExternalEmitHelpers( node, compilerOptions.downlevelIteration ? 1536 : 1024 /* SpreadArray */ ); } const arrayOrIterableType = checkExpression(node.expression, checkMode); return checkIteratedTypeOrElementType(33, arrayOrIterableType, undefinedType2, node.expression); } function checkSyntheticExpression(node) { return node.isSpread ? getIndexedAccessType(node.type, numberType2) : node.type; } function hasDefaultValue2(node) { return node.kind === 208 && !!node.initializer || node.kind === 226 && node.operatorToken.kind === 64; } function isSpreadIntoCallOrNew(node) { const parent2 = walkUpParenthesizedExpressions(node.parent); return isSpreadElement(parent2) && isCallOrNewExpression2(parent2.parent); } function checkArrayLiteral(node, checkMode, forceTuple) { const elements = node.elements; const elementCount = elements.length; const elementTypes = []; const elementFlags = []; pushCachedContextualType(node); const inDestructuringPattern = isAssignmentTarget(node); const inConstContext = isConstContext(node); const contextualType = getApparentTypeOfContextualType( node, /*contextFlags*/ void 0 ); const inTupleContext = isSpreadIntoCallOrNew(node) || !!contextualType && someType(contextualType, (t) => isTupleLikeType(t) || isGenericMappedType(t) && !t.nameType && !!getHomomorphicTypeVariable(t.target || t)); let hasOmittedExpression = false; for (let i = 0; i < elementCount; i++) { const e = elements[i]; if (e.kind === 230) { if (languageVersion < 2) { checkExternalEmitHelpers( e, compilerOptions.downlevelIteration ? 1536 : 1024 /* SpreadArray */ ); } const spreadType = checkExpression(e.expression, checkMode, forceTuple); if (isArrayLikeType(spreadType)) { elementTypes.push(spreadType); elementFlags.push( 8 /* Variadic */ ); } else if (inDestructuringPattern) { const restElementType = getIndexTypeOfType(spreadType, numberType2) || getIteratedTypeOrElementType( 65, spreadType, undefinedType2, /*errorNode*/ void 0, /*checkAssignability*/ false ) || unknownType2; elementTypes.push(restElementType); elementFlags.push( 4 /* Rest */ ); } else { elementTypes.push(checkIteratedTypeOrElementType(33, spreadType, undefinedType2, e.expression)); elementFlags.push( 4 /* Rest */ ); } } else if (exactOptionalPropertyTypes && e.kind === 232) { hasOmittedExpression = true; elementTypes.push(undefinedOrMissingType); elementFlags.push( 2 /* Optional */ ); } else { const type = checkExpressionForMutableLocation(e, checkMode, forceTuple); elementTypes.push(addOptionality( type, /*isProperty*/ true, hasOmittedExpression )); elementFlags.push( hasOmittedExpression ? 2 : 1 /* Required */ ); if (inTupleContext && checkMode && checkMode & 2 && !(checkMode & 4) && isContextSensitive(e)) { const inferenceContext = getInferenceContext(node); Debug.assert(inferenceContext); addIntraExpressionInferenceSite(inferenceContext, e, type); } } } popContextualType(); if (inDestructuringPattern) { return createTupleType(elementTypes, elementFlags); } if (forceTuple || inConstContext || inTupleContext) { return createArrayLiteralType(createTupleType( elementTypes, elementFlags, /*readonly*/ inConstContext && !(contextualType && someType(contextualType, isMutableArrayLikeType)) )); } return createArrayLiteralType(createArrayType( elementTypes.length ? getUnionType( sameMap(elementTypes, (t, i) => elementFlags[i] & 8 ? getIndexedAccessTypeOrUndefined(t, numberType2) || anyType2 : t), 2 /* Subtype */ ) : strictNullChecks ? implicitNeverType : undefinedWideningType, inConstContext )); } function createArrayLiteralType(type) { if (!(getObjectFlags(type) & 4)) { return type; } let literalType2 = type.literalType; if (!literalType2) { literalType2 = type.literalType = cloneTypeReference(type); literalType2.objectFlags |= 16384 | 131072; } return literalType2; } function isNumericName(name) { switch (name.kind) { case 167: return isNumericComputedName(name); case 80: return isNumericLiteralName(name.escapedText); case 9: case 11: return isNumericLiteralName(name.text); default: return false; } } function isNumericComputedName(name) { return isTypeAssignableToKind( checkComputedPropertyName(name), 296 /* NumberLike */ ); } function checkComputedPropertyName(node) { const links = getNodeLinks(node.expression); if (!links.resolvedType) { if ((isTypeLiteralNode(node.parent.parent) || isClassLike(node.parent.parent) || isInterfaceDeclaration(node.parent.parent)) && isBinaryExpression(node.expression) && node.expression.operatorToken.kind === 103 && node.parent.kind !== 177 && node.parent.kind !== 178) { return links.resolvedType = errorType; } links.resolvedType = checkExpression(node.expression); if (isPropertyDeclaration(node.parent) && !hasStaticModifier(node.parent) && isClassExpression(node.parent.parent)) { const container = getEnclosingBlockScopeContainer(node.parent.parent); const enclosingIterationStatement = getEnclosingIterationStatement(container); if (enclosingIterationStatement) { getNodeLinks(enclosingIterationStatement).flags |= 4096; getNodeLinks(node).flags |= 32768; getNodeLinks(node.parent.parent).flags |= 32768; } } if (links.resolvedType.flags & 98304 || !isTypeAssignableToKind( links.resolvedType, 402653316 | 296 | 12288 /* ESSymbolLike */ ) && !isTypeAssignableTo(links.resolvedType, stringNumberSymbolType)) { error2(node, Diagnostics.A_computed_property_name_must_be_of_type_string_number_symbol_or_any); } } return links.resolvedType; } function isSymbolWithNumericName(symbol) { var _a; const firstDecl = (_a = symbol.declarations) == null ? void 0 : _a[0]; return isNumericLiteralName(symbol.escapedName) || firstDecl && isNamedDeclaration(firstDecl) && isNumericName(firstDecl.name); } function isSymbolWithSymbolName(symbol) { var _a; const firstDecl = (_a = symbol.declarations) == null ? void 0 : _a[0]; return isKnownSymbol(symbol) || firstDecl && isNamedDeclaration(firstDecl) && isComputedPropertyName(firstDecl.name) && isTypeAssignableToKind( checkComputedPropertyName(firstDecl.name), 4096 /* ESSymbol */ ); } function getObjectLiteralIndexInfo(node, offset, properties, keyType) { const propTypes = []; for (let i = offset; i < properties.length; i++) { const prop = properties[i]; if (keyType === stringType2 && !isSymbolWithSymbolName(prop) || keyType === numberType2 && isSymbolWithNumericName(prop) || keyType === esSymbolType && isSymbolWithSymbolName(prop)) { propTypes.push(getTypeOfSymbol(properties[i])); } } const unionType2 = propTypes.length ? getUnionType( propTypes, 2 /* Subtype */ ) : undefinedType2; return createIndexInfo(keyType, unionType2, isConstContext(node)); } function getImmediateAliasedSymbol(symbol) { Debug.assert((symbol.flags & 2097152) !== 0, "Should only get Alias here."); const links = getSymbolLinks(symbol); if (!links.immediateTarget) { const node = getDeclarationOfAliasSymbol(symbol); if (!node) return Debug.fail(); links.immediateTarget = getTargetOfAliasDeclaration( node, /*dontRecursivelyResolve*/ true ); } return links.immediateTarget; } function checkObjectLiteral(node, checkMode = 0) { var _a; const inDestructuringPattern = isAssignmentTarget(node); checkGrammarObjectLiteralExpression(node, inDestructuringPattern); const allPropertiesTable = strictNullChecks ? createSymbolTable() : void 0; let propertiesTable = createSymbolTable(); let propertiesArray = []; let spread = emptyObjectType; pushCachedContextualType(node); const contextualType = getApparentTypeOfContextualType( node, /*contextFlags*/ void 0 ); const contextualTypeHasPattern = contextualType && contextualType.pattern && (contextualType.pattern.kind === 206 || contextualType.pattern.kind === 210); const inConstContext = isConstContext(node); const checkFlags = inConstContext ? 8 : 0; const isInJavascript = isInJSFile(node) && !isInJsonFile(node); const enumTag = isInJavascript ? getJSDocEnumTag(node) : void 0; const isJSObjectLiteral = !contextualType && isInJavascript && !enumTag; let objectFlags = 8192; let patternWithComputedProperties = false; let hasComputedStringProperty = false; let hasComputedNumberProperty = false; let hasComputedSymbolProperty = false; for (const elem of node.properties) { if (elem.name && isComputedPropertyName(elem.name)) { checkComputedPropertyName(elem.name); } } let offset = 0; for (const memberDecl of node.properties) { let member = getSymbolOfDeclaration(memberDecl); const computedNameType = memberDecl.name && memberDecl.name.kind === 167 ? checkComputedPropertyName(memberDecl.name) : void 0; if (memberDecl.kind === 303 || memberDecl.kind === 304 || isObjectLiteralMethod(memberDecl)) { let type = memberDecl.kind === 303 ? checkPropertyAssignment(memberDecl, checkMode) : ( // avoid resolving the left side of the ShorthandPropertyAssignment outside of the destructuring // for error recovery purposes. For example, if a user wrote `{ a = 100 }` instead of `{ a: 100 }`. // we don't want to say "could not find 'a'". memberDecl.kind === 304 ? checkExpressionForMutableLocation(!inDestructuringPattern && memberDecl.objectAssignmentInitializer ? memberDecl.objectAssignmentInitializer : memberDecl.name, checkMode) : checkObjectLiteralMethod(memberDecl, checkMode) ); if (isInJavascript) { const jsDocType = getTypeForDeclarationFromJSDocComment(memberDecl); if (jsDocType) { checkTypeAssignableTo(type, jsDocType, memberDecl); type = jsDocType; } else if (enumTag && enumTag.typeExpression) { checkTypeAssignableTo(type, getTypeFromTypeNode(enumTag.typeExpression), memberDecl); } } objectFlags |= getObjectFlags(type) & 458752; const nameType = computedNameType && isTypeUsableAsPropertyName(computedNameType) ? computedNameType : void 0; const prop = nameType ? createSymbol( 4 | member.flags, getPropertyNameFromType(nameType), checkFlags | 4096 /* Late */ ) : createSymbol(4 | member.flags, member.escapedName, checkFlags); if (nameType) { prop.links.nameType = nameType; } if (inDestructuringPattern) { const isOptional = memberDecl.kind === 303 && hasDefaultValue2(memberDecl.initializer) || memberDecl.kind === 304 && memberDecl.objectAssignmentInitializer; if (isOptional) { prop.flags |= 16777216; } } else if (contextualTypeHasPattern && !(getObjectFlags(contextualType) & 512)) { const impliedProp = getPropertyOfType(contextualType, member.escapedName); if (impliedProp) { prop.flags |= impliedProp.flags & 16777216; } else if (!getIndexInfoOfType(contextualType, stringType2)) { error2(memberDecl.name, Diagnostics.Object_literal_may_only_specify_known_properties_and_0_does_not_exist_in_type_1, symbolToString2(member), typeToString(contextualType)); } } prop.declarations = member.declarations; prop.parent = member.parent; if (member.valueDeclaration) { prop.valueDeclaration = member.valueDeclaration; } prop.links.type = type; prop.links.target = member; member = prop; allPropertiesTable == null ? void 0 : allPropertiesTable.set(prop.escapedName, prop); if (contextualType && checkMode & 2 && !(checkMode & 4) && (memberDecl.kind === 303 || memberDecl.kind === 174) && isContextSensitive(memberDecl)) { const inferenceContext = getInferenceContext(node); Debug.assert(inferenceContext); const inferenceNode = memberDecl.kind === 303 ? memberDecl.initializer : memberDecl; addIntraExpressionInferenceSite(inferenceContext, inferenceNode, type); } } else if (memberDecl.kind === 305) { if (languageVersion < 2) { checkExternalEmitHelpers( memberDecl, 2 /* Assign */ ); } if (propertiesArray.length > 0) { spread = getSpreadType(spread, createObjectLiteralType(), node.symbol, objectFlags, inConstContext); propertiesArray = []; propertiesTable = createSymbolTable(); hasComputedStringProperty = false; hasComputedNumberProperty = false; hasComputedSymbolProperty = false; } const type = getReducedType(checkExpression( memberDecl.expression, checkMode & 2 /* Inferential */ )); if (isValidSpreadType(type)) { const mergedType = tryMergeUnionOfObjectTypeAndEmptyObject(type, inConstContext); if (allPropertiesTable) { checkSpreadPropOverrides(mergedType, allPropertiesTable, memberDecl); } offset = propertiesArray.length; if (isErrorType(spread)) { continue; } spread = getSpreadType(spread, mergedType, node.symbol, objectFlags, inConstContext); } else { error2(memberDecl, Diagnostics.Spread_types_may_only_be_created_from_object_types); spread = errorType; } continue; } else { Debug.assert( memberDecl.kind === 177 || memberDecl.kind === 178 /* SetAccessor */ ); checkNodeDeferred(memberDecl); } if (computedNameType && !(computedNameType.flags & 8576)) { if (isTypeAssignableTo(computedNameType, stringNumberSymbolType)) { if (isTypeAssignableTo(computedNameType, numberType2)) { hasComputedNumberProperty = true; } else if (isTypeAssignableTo(computedNameType, esSymbolType)) { hasComputedSymbolProperty = true; } else { hasComputedStringProperty = true; } if (inDestructuringPattern) { patternWithComputedProperties = true; } } } else { propertiesTable.set(member.escapedName, member); } propertiesArray.push(member); } popContextualType(); if (contextualTypeHasPattern) { const rootPatternParent = findAncestor( contextualType.pattern.parent, (n) => n.kind === 260 || n.kind === 226 || n.kind === 169 /* Parameter */ ); const spreadOrOutsideRootObject = findAncestor( node, (n) => n === rootPatternParent || n.kind === 305 /* SpreadAssignment */ ); if (spreadOrOutsideRootObject.kind !== 305) { for (const prop of getPropertiesOfType(contextualType)) { if (!propertiesTable.get(prop.escapedName) && !getPropertyOfType(spread, prop.escapedName)) { if (!(prop.flags & 16777216)) { error2(prop.valueDeclaration || ((_a = tryCast(prop, isTransientSymbol)) == null ? void 0 : _a.links.bindingElement), Diagnostics.Initializer_provides_no_value_for_this_binding_element_and_the_binding_element_has_no_default_value); } propertiesTable.set(prop.escapedName, prop); propertiesArray.push(prop); } } } } if (isErrorType(spread)) { return errorType; } if (spread !== emptyObjectType) { if (propertiesArray.length > 0) { spread = getSpreadType(spread, createObjectLiteralType(), node.symbol, objectFlags, inConstContext); propertiesArray = []; propertiesTable = createSymbolTable(); hasComputedStringProperty = false; hasComputedNumberProperty = false; } return mapType2(spread, (t) => t === emptyObjectType ? createObjectLiteralType() : t); } return createObjectLiteralType(); function createObjectLiteralType() { const indexInfos = []; if (hasComputedStringProperty) indexInfos.push(getObjectLiteralIndexInfo(node, offset, propertiesArray, stringType2)); if (hasComputedNumberProperty) indexInfos.push(getObjectLiteralIndexInfo(node, offset, propertiesArray, numberType2)); if (hasComputedSymbolProperty) indexInfos.push(getObjectLiteralIndexInfo(node, offset, propertiesArray, esSymbolType)); const result = createAnonymousType(node.symbol, propertiesTable, emptyArray, emptyArray, indexInfos); result.objectFlags |= objectFlags | 128 | 131072; if (isJSObjectLiteral) { result.objectFlags |= 4096; } if (patternWithComputedProperties) { result.objectFlags |= 512; } if (inDestructuringPattern) { result.pattern = node; } return result; } } function isValidSpreadType(type) { const t = removeDefinitelyFalsyTypes(mapType2(type, getBaseConstraintOrType)); return !!(t.flags & (1 | 67108864 | 524288 | 58982400) || t.flags & 3145728 && every(t.types, isValidSpreadType)); } function checkJsxSelfClosingElementDeferred(node) { checkJsxOpeningLikeElementOrOpeningFragment(node); } function checkJsxSelfClosingElement(node, _checkMode) { checkNodeDeferred(node); return getJsxElementTypeAt(node) || anyType2; } function checkJsxElementDeferred(node) { checkJsxOpeningLikeElementOrOpeningFragment(node.openingElement); if (isJsxIntrinsicTagName(node.closingElement.tagName)) { getIntrinsicTagSymbol(node.closingElement); } else { checkExpression(node.closingElement.tagName); } checkJsxChildren(node); } function checkJsxElement(node, _checkMode) { checkNodeDeferred(node); return getJsxElementTypeAt(node) || anyType2; } function checkJsxFragment(node) { checkJsxOpeningLikeElementOrOpeningFragment(node.openingFragment); const nodeSourceFile = getSourceFileOfNode(node); if (getJSXTransformEnabled(compilerOptions) && (compilerOptions.jsxFactory || nodeSourceFile.pragmas.has("jsx")) && !compilerOptions.jsxFragmentFactory && !nodeSourceFile.pragmas.has("jsxfrag")) { error2( node, compilerOptions.jsxFactory ? Diagnostics.The_jsxFragmentFactory_compiler_option_must_be_provided_to_use_JSX_fragments_with_the_jsxFactory_compiler_option : Diagnostics.An_jsxFrag_pragma_is_required_when_using_an_jsx_pragma_with_JSX_fragments ); } checkJsxChildren(node); return getJsxElementTypeAt(node) || anyType2; } function isHyphenatedJsxName(name) { return name.includes("-"); } function isJsxIntrinsicTagName(tagName) { return isIdentifier(tagName) && isIntrinsicJsxName(tagName.escapedText) || isJsxNamespacedName(tagName); } function checkJsxAttribute(node, checkMode) { return node.initializer ? checkExpressionForMutableLocation(node.initializer, checkMode) : trueType; } function createJsxAttributesTypeFromAttributesProperty(openingLikeElement, checkMode = 0) { const attributes = openingLikeElement.attributes; const contextualType = getContextualType2( attributes, 0 /* None */ ); const allAttributesTable = strictNullChecks ? createSymbolTable() : void 0; let attributesTable = createSymbolTable(); let spread = emptyJsxObjectType; let hasSpreadAnyType = false; let typeToIntersect; let explicitlySpecifyChildrenAttribute = false; let objectFlags = 2048; const jsxChildrenPropertyName = getJsxElementChildrenPropertyName(getJsxNamespaceAt(openingLikeElement)); for (const attributeDecl of attributes.properties) { const member = attributeDecl.symbol; if (isJsxAttribute(attributeDecl)) { const exprType = checkJsxAttribute(attributeDecl, checkMode); objectFlags |= getObjectFlags(exprType) & 458752; const attributeSymbol = createSymbol(4 | member.flags, member.escapedName); attributeSymbol.declarations = member.declarations; attributeSymbol.parent = member.parent; if (member.valueDeclaration) { attributeSymbol.valueDeclaration = member.valueDeclaration; } attributeSymbol.links.type = exprType; attributeSymbol.links.target = member; attributesTable.set(attributeSymbol.escapedName, attributeSymbol); allAttributesTable == null ? void 0 : allAttributesTable.set(attributeSymbol.escapedName, attributeSymbol); if (getEscapedTextOfJsxAttributeName(attributeDecl.name) === jsxChildrenPropertyName) { explicitlySpecifyChildrenAttribute = true; } if (contextualType) { const prop = getPropertyOfType(contextualType, member.escapedName); if (prop && prop.declarations && isDeprecatedSymbol(prop) && isIdentifier(attributeDecl.name)) { addDeprecatedSuggestion(attributeDecl.name, prop.declarations, attributeDecl.name.escapedText); } } if (contextualType && checkMode & 2 && !(checkMode & 4) && isContextSensitive(attributeDecl)) { const inferenceContext = getInferenceContext(attributes); Debug.assert(inferenceContext); const inferenceNode = attributeDecl.initializer.expression; addIntraExpressionInferenceSite(inferenceContext, inferenceNode, exprType); } } else { Debug.assert( attributeDecl.kind === 293 /* JsxSpreadAttribute */ ); if (attributesTable.size > 0) { spread = getSpreadType( spread, createJsxAttributesType(), attributes.symbol, objectFlags, /*readonly*/ false ); attributesTable = createSymbolTable(); } const exprType = getReducedType(checkExpression( attributeDecl.expression, checkMode & 2 /* Inferential */ )); if (isTypeAny(exprType)) { hasSpreadAnyType = true; } if (isValidSpreadType(exprType)) { spread = getSpreadType( spread, exprType, attributes.symbol, objectFlags, /*readonly*/ false ); if (allAttributesTable) { checkSpreadPropOverrides(exprType, allAttributesTable, attributeDecl); } } else { error2(attributeDecl.expression, Diagnostics.Spread_types_may_only_be_created_from_object_types); typeToIntersect = typeToIntersect ? getIntersectionType([typeToIntersect, exprType]) : exprType; } } } if (!hasSpreadAnyType) { if (attributesTable.size > 0) { spread = getSpreadType( spread, createJsxAttributesType(), attributes.symbol, objectFlags, /*readonly*/ false ); } } const parent2 = openingLikeElement.parent.kind === 284 ? openingLikeElement.parent : void 0; if (parent2 && parent2.openingElement === openingLikeElement && getSemanticJsxChildren(parent2.children).length > 0) { const childrenTypes = checkJsxChildren(parent2, checkMode); if (!hasSpreadAnyType && jsxChildrenPropertyName && jsxChildrenPropertyName !== "") { if (explicitlySpecifyChildrenAttribute) { error2(attributes, Diagnostics._0_are_specified_twice_The_attribute_named_0_will_be_overwritten, unescapeLeadingUnderscores(jsxChildrenPropertyName)); } const contextualType2 = getApparentTypeOfContextualType( openingLikeElement.attributes, /*contextFlags*/ void 0 ); const childrenContextualType = contextualType2 && getTypeOfPropertyOfContextualType(contextualType2, jsxChildrenPropertyName); const childrenPropSymbol = createSymbol(4, jsxChildrenPropertyName); childrenPropSymbol.links.type = childrenTypes.length === 1 ? childrenTypes[0] : childrenContextualType && someType(childrenContextualType, isTupleLikeType) ? createTupleType(childrenTypes) : createArrayType(getUnionType(childrenTypes)); childrenPropSymbol.valueDeclaration = factory.createPropertySignature( /*modifiers*/ void 0, unescapeLeadingUnderscores(jsxChildrenPropertyName), /*questionToken*/ void 0, /*type*/ void 0 ); setParent(childrenPropSymbol.valueDeclaration, attributes); childrenPropSymbol.valueDeclaration.symbol = childrenPropSymbol; const childPropMap = createSymbolTable(); childPropMap.set(jsxChildrenPropertyName, childrenPropSymbol); spread = getSpreadType( spread, createAnonymousType(attributes.symbol, childPropMap, emptyArray, emptyArray, emptyArray), attributes.symbol, objectFlags, /*readonly*/ false ); } } if (hasSpreadAnyType) { return anyType2; } if (typeToIntersect && spread !== emptyJsxObjectType) { return getIntersectionType([typeToIntersect, spread]); } return typeToIntersect || (spread === emptyJsxObjectType ? createJsxAttributesType() : spread); function createJsxAttributesType() { objectFlags |= 8192; const result = createAnonymousType(attributes.symbol, attributesTable, emptyArray, emptyArray, emptyArray); result.objectFlags |= objectFlags | 128 | 131072; return result; } } function checkJsxChildren(node, checkMode) { const childrenTypes = []; for (const child of node.children) { if (child.kind === 12) { if (!child.containsOnlyTriviaWhiteSpaces) { childrenTypes.push(stringType2); } } else if (child.kind === 294 && !child.expression) { continue; } else { childrenTypes.push(checkExpressionForMutableLocation(child, checkMode)); } } return childrenTypes; } function checkSpreadPropOverrides(type, props, spread) { for (const right of getPropertiesOfType(type)) { if (!(right.flags & 16777216)) { const left = props.get(right.escapedName); if (left) { const diagnostic = error2(left.valueDeclaration, Diagnostics._0_is_specified_more_than_once_so_this_usage_will_be_overwritten, unescapeLeadingUnderscores(left.escapedName)); addRelatedInfo(diagnostic, createDiagnosticForNode(spread, Diagnostics.This_spread_always_overwrites_this_property)); } } } } function checkJsxAttributes(node, checkMode) { return createJsxAttributesTypeFromAttributesProperty(node.parent, checkMode); } function getJsxType(name, location) { const namespace = getJsxNamespaceAt(location); const exports22 = namespace && getExportsOfSymbol(namespace); const typeSymbol = exports22 && getSymbol2( exports22, name, 788968 /* Type */ ); return typeSymbol ? getDeclaredTypeOfSymbol(typeSymbol) : errorType; } function getIntrinsicTagSymbol(node) { const links = getNodeLinks(node); if (!links.resolvedSymbol) { const intrinsicElementsType = getJsxType(JsxNames.IntrinsicElements, node); if (!isErrorType(intrinsicElementsType)) { if (!isIdentifier(node.tagName) && !isJsxNamespacedName(node.tagName)) return Debug.fail(); const propName = isJsxNamespacedName(node.tagName) ? getEscapedTextOfJsxNamespacedName(node.tagName) : node.tagName.escapedText; const intrinsicProp = getPropertyOfType(intrinsicElementsType, propName); if (intrinsicProp) { links.jsxFlags |= 1; return links.resolvedSymbol = intrinsicProp; } const indexSymbol = getApplicableIndexSymbol(intrinsicElementsType, getStringLiteralType(unescapeLeadingUnderscores(propName))); if (indexSymbol) { links.jsxFlags |= 2; return links.resolvedSymbol = indexSymbol; } if (getTypeOfPropertyOrIndexSignatureOfType(intrinsicElementsType, propName)) { links.jsxFlags |= 2; return links.resolvedSymbol = intrinsicElementsType.symbol; } error2(node, Diagnostics.Property_0_does_not_exist_on_type_1, intrinsicTagNameToString(node.tagName), "JSX." + JsxNames.IntrinsicElements); return links.resolvedSymbol = unknownSymbol; } else { if (noImplicitAny) { error2(node, Diagnostics.JSX_element_implicitly_has_type_any_because_no_interface_JSX_0_exists, unescapeLeadingUnderscores(JsxNames.IntrinsicElements)); } return links.resolvedSymbol = unknownSymbol; } } return links.resolvedSymbol; } function getJsxNamespaceContainerForImplicitImport(location) { const file = location && getSourceFileOfNode(location); const links = file && getNodeLinks(file); if (links && links.jsxImplicitImportContainer === false) { return void 0; } if (links && links.jsxImplicitImportContainer) { return links.jsxImplicitImportContainer; } const runtimeImportSpecifier = getJSXRuntimeImport(getJSXImplicitImportBase(compilerOptions, file), compilerOptions); if (!runtimeImportSpecifier) { return void 0; } const isClassic = getEmitModuleResolutionKind(compilerOptions) === 1; const errorMessage = isClassic ? Diagnostics.Cannot_find_module_0_Did_you_mean_to_set_the_moduleResolution_option_to_nodenext_or_to_add_aliases_to_the_paths_option : Diagnostics.Cannot_find_module_0_or_its_corresponding_type_declarations; const specifier = getJSXRuntimeImportSpecifier(file, runtimeImportSpecifier); const mod = resolveExternalModule(specifier || location, runtimeImportSpecifier, errorMessage, location); const result = mod && mod !== unknownSymbol ? getMergedSymbol(resolveSymbol(mod)) : void 0; if (links) { links.jsxImplicitImportContainer = result || false; } return result; } function getJsxNamespaceAt(location) { const links = location && getNodeLinks(location); if (links && links.jsxNamespace) { return links.jsxNamespace; } if (!links || links.jsxNamespace !== false) { let resolvedNamespace = getJsxNamespaceContainerForImplicitImport(location); if (!resolvedNamespace || resolvedNamespace === unknownSymbol) { const namespaceName = getJsxNamespace(location); resolvedNamespace = resolveName( location, namespaceName, 1920, /*nameNotFoundMessage*/ void 0, /*isUse*/ false ); } if (resolvedNamespace) { const candidate = resolveSymbol(getSymbol2( getExportsOfSymbol(resolveSymbol(resolvedNamespace)), JsxNames.JSX, 1920 /* Namespace */ )); if (candidate && candidate !== unknownSymbol) { if (links) { links.jsxNamespace = candidate; } return candidate; } } if (links) { links.jsxNamespace = false; } } const s = resolveSymbol(getGlobalSymbol( JsxNames.JSX, 1920, /*diagnostic*/ void 0 )); if (s === unknownSymbol) { return void 0; } return s; } function getNameFromJsxElementAttributesContainer(nameOfAttribPropContainer, jsxNamespace) { const jsxElementAttribPropInterfaceSym = jsxNamespace && getSymbol2( jsxNamespace.exports, nameOfAttribPropContainer, 788968 /* Type */ ); const jsxElementAttribPropInterfaceType = jsxElementAttribPropInterfaceSym && getDeclaredTypeOfSymbol(jsxElementAttribPropInterfaceSym); const propertiesOfJsxElementAttribPropInterface = jsxElementAttribPropInterfaceType && getPropertiesOfType(jsxElementAttribPropInterfaceType); if (propertiesOfJsxElementAttribPropInterface) { if (propertiesOfJsxElementAttribPropInterface.length === 0) { return ""; } else if (propertiesOfJsxElementAttribPropInterface.length === 1) { return propertiesOfJsxElementAttribPropInterface[0].escapedName; } else if (propertiesOfJsxElementAttribPropInterface.length > 1 && jsxElementAttribPropInterfaceSym.declarations) { error2(jsxElementAttribPropInterfaceSym.declarations[0], Diagnostics.The_global_type_JSX_0_may_not_have_more_than_one_property, unescapeLeadingUnderscores(nameOfAttribPropContainer)); } } return void 0; } function getJsxLibraryManagedAttributes(jsxNamespace) { return jsxNamespace && getSymbol2( jsxNamespace.exports, JsxNames.LibraryManagedAttributes, 788968 /* Type */ ); } function getJsxElementTypeSymbol(jsxNamespace) { return jsxNamespace && getSymbol2( jsxNamespace.exports, JsxNames.ElementType, 788968 /* Type */ ); } function getJsxElementPropertiesName(jsxNamespace) { return getNameFromJsxElementAttributesContainer(JsxNames.ElementAttributesPropertyNameContainer, jsxNamespace); } function getJsxElementChildrenPropertyName(jsxNamespace) { return getNameFromJsxElementAttributesContainer(JsxNames.ElementChildrenAttributeNameContainer, jsxNamespace); } function getUninstantiatedJsxSignaturesOfType(elementType, caller) { if (elementType.flags & 4) { return [anySignature]; } else if (elementType.flags & 128) { const intrinsicType = getIntrinsicAttributesTypeFromStringLiteralType(elementType, caller); if (!intrinsicType) { error2(caller, Diagnostics.Property_0_does_not_exist_on_type_1, elementType.value, "JSX." + JsxNames.IntrinsicElements); return emptyArray; } else { const fakeSignature = createSignatureForJSXIntrinsic(caller, intrinsicType); return [fakeSignature]; } } const apparentElemType = getApparentType(elementType); let signatures = getSignaturesOfType( apparentElemType, 1 /* Construct */ ); if (signatures.length === 0) { signatures = getSignaturesOfType( apparentElemType, 0 /* Call */ ); } if (signatures.length === 0 && apparentElemType.flags & 1048576) { signatures = getUnionSignatures(map(apparentElemType.types, (t) => getUninstantiatedJsxSignaturesOfType(t, caller))); } return signatures; } function getIntrinsicAttributesTypeFromStringLiteralType(type, location) { const intrinsicElementsType = getJsxType(JsxNames.IntrinsicElements, location); if (!isErrorType(intrinsicElementsType)) { const stringLiteralTypeName = type.value; const intrinsicProp = getPropertyOfType(intrinsicElementsType, escapeLeadingUnderscores(stringLiteralTypeName)); if (intrinsicProp) { return getTypeOfSymbol(intrinsicProp); } const indexSignatureType = getIndexTypeOfType(intrinsicElementsType, stringType2); if (indexSignatureType) { return indexSignatureType; } return void 0; } return anyType2; } function checkJsxReturnAssignableToAppropriateBound(refKind, elemInstanceType, openingLikeElement) { if (refKind === 1) { const sfcReturnConstraint = getJsxStatelessElementTypeAt(openingLikeElement); if (sfcReturnConstraint) { checkTypeRelatedTo(elemInstanceType, sfcReturnConstraint, assignableRelation, openingLikeElement.tagName, Diagnostics.Its_return_type_0_is_not_a_valid_JSX_element, generateInitialErrorChain); } } else if (refKind === 0) { const classConstraint = getJsxElementClassTypeAt(openingLikeElement); if (classConstraint) { checkTypeRelatedTo(elemInstanceType, classConstraint, assignableRelation, openingLikeElement.tagName, Diagnostics.Its_instance_type_0_is_not_a_valid_JSX_element, generateInitialErrorChain); } } else { const sfcReturnConstraint = getJsxStatelessElementTypeAt(openingLikeElement); const classConstraint = getJsxElementClassTypeAt(openingLikeElement); if (!sfcReturnConstraint || !classConstraint) { return; } const combined = getUnionType([sfcReturnConstraint, classConstraint]); checkTypeRelatedTo(elemInstanceType, combined, assignableRelation, openingLikeElement.tagName, Diagnostics.Its_element_type_0_is_not_a_valid_JSX_element, generateInitialErrorChain); } function generateInitialErrorChain() { const componentName = getTextOfNode(openingLikeElement.tagName); return chainDiagnosticMessages( /*details*/ void 0, Diagnostics._0_cannot_be_used_as_a_JSX_component, componentName ); } } function getIntrinsicAttributesTypeFromJsxOpeningLikeElement(node) { var _a; Debug.assert(isJsxIntrinsicTagName(node.tagName)); const links = getNodeLinks(node); if (!links.resolvedJsxElementAttributesType) { const symbol = getIntrinsicTagSymbol(node); if (links.jsxFlags & 1) { return links.resolvedJsxElementAttributesType = getTypeOfSymbol(symbol) || errorType; } else if (links.jsxFlags & 2) { const propName = isJsxNamespacedName(node.tagName) ? getEscapedTextOfJsxNamespacedName(node.tagName) : node.tagName.escapedText; return links.resolvedJsxElementAttributesType = ((_a = getApplicableIndexInfoForName(getJsxType(JsxNames.IntrinsicElements, node), propName)) == null ? void 0 : _a.type) || errorType; } else { return links.resolvedJsxElementAttributesType = errorType; } } return links.resolvedJsxElementAttributesType; } function getJsxElementClassTypeAt(location) { const type = getJsxType(JsxNames.ElementClass, location); if (isErrorType(type)) return void 0; return type; } function getJsxElementTypeAt(location) { return getJsxType(JsxNames.Element, location); } function getJsxStatelessElementTypeAt(location) { const jsxElementType = getJsxElementTypeAt(location); if (jsxElementType) { return getUnionType([jsxElementType, nullType2]); } } function getJsxElementTypeTypeAt(location) { const ns = getJsxNamespaceAt(location); if (!ns) return void 0; const sym = getJsxElementTypeSymbol(ns); if (!sym) return void 0; const type = instantiateAliasOrInterfaceWithDefaults(sym, isInJSFile(location)); if (!type || isErrorType(type)) return void 0; return type; } function instantiateAliasOrInterfaceWithDefaults(managedSym, inJs, ...typeArguments) { const declaredManagedType = getDeclaredTypeOfSymbol(managedSym); if (managedSym.flags & 524288) { const params = getSymbolLinks(managedSym).typeParameters; if (length(params) >= typeArguments.length) { const args = fillMissingTypeArguments(typeArguments, params, typeArguments.length, inJs); return length(args) === 0 ? declaredManagedType : getTypeAliasInstantiation(managedSym, args); } } if (length(declaredManagedType.typeParameters) >= typeArguments.length) { const args = fillMissingTypeArguments(typeArguments, declaredManagedType.typeParameters, typeArguments.length, inJs); return createTypeReference(declaredManagedType, args); } return void 0; } function getJsxIntrinsicTagNamesAt(location) { const intrinsics = getJsxType(JsxNames.IntrinsicElements, location); return intrinsics ? getPropertiesOfType(intrinsics) : emptyArray; } function checkJsxPreconditions(errorNode) { if ((compilerOptions.jsx || 0) === 0) { error2(errorNode, Diagnostics.Cannot_use_JSX_unless_the_jsx_flag_is_provided); } if (getJsxElementTypeAt(errorNode) === void 0) { if (noImplicitAny) { error2(errorNode, Diagnostics.JSX_element_implicitly_has_type_any_because_the_global_type_JSX_Element_does_not_exist); } } } function checkJsxOpeningLikeElementOrOpeningFragment(node) { const isNodeOpeningLikeElement = isJsxOpeningLikeElement(node); if (isNodeOpeningLikeElement) { checkGrammarJsxElement(node); } checkJsxPreconditions(node); markLinkedReferences( node, 4 /* Jsx */ ); if (isNodeOpeningLikeElement) { const jsxOpeningLikeNode = node; const sig = getResolvedSignature(jsxOpeningLikeNode); checkDeprecatedSignature(sig, node); const elementTypeConstraint = getJsxElementTypeTypeAt(jsxOpeningLikeNode); if (elementTypeConstraint !== void 0) { const tagName = jsxOpeningLikeNode.tagName; const tagType = isJsxIntrinsicTagName(tagName) ? getStringLiteralType(intrinsicTagNameToString(tagName)) : checkExpression(tagName); checkTypeRelatedTo(tagType, elementTypeConstraint, assignableRelation, tagName, Diagnostics.Its_type_0_is_not_a_valid_JSX_element_type, () => { const componentName = getTextOfNode(tagName); return chainDiagnosticMessages( /*details*/ void 0, Diagnostics._0_cannot_be_used_as_a_JSX_component, componentName ); }); } else { checkJsxReturnAssignableToAppropriateBound(getJsxReferenceKind(jsxOpeningLikeNode), getReturnTypeOfSignature(sig), jsxOpeningLikeNode); } } } function isKnownProperty(targetType, name, isComparingJsxAttributes) { if (targetType.flags & 524288) { if (getPropertyOfObjectType(targetType, name) || getApplicableIndexInfoForName(targetType, name) || isLateBoundName(name) && getIndexInfoOfType(targetType, stringType2) || isComparingJsxAttributes && isHyphenatedJsxName(name)) { return true; } } if (targetType.flags & 33554432) { return isKnownProperty(targetType.baseType, name, isComparingJsxAttributes); } if (targetType.flags & 3145728 && isExcessPropertyCheckTarget(targetType)) { for (const t of targetType.types) { if (isKnownProperty(t, name, isComparingJsxAttributes)) { return true; } } } return false; } function isExcessPropertyCheckTarget(type) { return !!(type.flags & 524288 && !(getObjectFlags(type) & 512) || type.flags & 67108864 || type.flags & 33554432 && isExcessPropertyCheckTarget(type.baseType) || type.flags & 1048576 && some(type.types, isExcessPropertyCheckTarget) || type.flags & 2097152 && every(type.types, isExcessPropertyCheckTarget)); } function checkJsxExpression(node, checkMode) { checkGrammarJsxExpression(node); if (node.expression) { const type = checkExpression(node.expression, checkMode); if (node.dotDotDotToken && type !== anyType2 && !isArrayType(type)) { error2(node, Diagnostics.JSX_spread_child_must_be_an_array_type); } return type; } else { return errorType; } } function getDeclarationNodeFlagsFromSymbol(s) { return s.valueDeclaration ? getCombinedNodeFlagsCached(s.valueDeclaration) : 0; } function isPrototypeProperty2(symbol) { if (symbol.flags & 8192 || getCheckFlags(symbol) & 4) { return true; } if (isInJSFile(symbol.valueDeclaration)) { const parent2 = symbol.valueDeclaration.parent; return parent2 && isBinaryExpression(parent2) && getAssignmentDeclarationKind(parent2) === 3; } } function checkPropertyAccessibility(node, isSuper, writing, type, prop, reportError = true) { const errorNode = !reportError ? void 0 : node.kind === 166 ? node.right : node.kind === 205 ? node : node.kind === 208 && node.propertyName ? node.propertyName : node.name; return checkPropertyAccessibilityAtLocation(node, isSuper, writing, type, prop, errorNode); } function checkPropertyAccessibilityAtLocation(location, isSuper, writing, containingType, prop, errorNode) { var _a; const flags = getDeclarationModifierFlagsFromSymbol(prop, writing); if (isSuper) { if (languageVersion < 2) { if (symbolHasNonMethodDeclaration(prop)) { if (errorNode) { error2(errorNode, Diagnostics.Only_public_and_protected_methods_of_the_base_class_are_accessible_via_the_super_keyword); } return false; } } if (flags & 64) { if (errorNode) { error2(errorNode, Diagnostics.Abstract_method_0_in_class_1_cannot_be_accessed_via_super_expression, symbolToString2(prop), typeToString(getDeclaringClass(prop))); } return false; } if (!(flags & 256) && ((_a = prop.declarations) == null ? void 0 : _a.some(isClassInstanceProperty))) { if (errorNode) { error2(errorNode, Diagnostics.Class_field_0_defined_by_the_parent_class_is_not_accessible_in_the_child_class_via_super, symbolToString2(prop)); } return false; } } if (flags & 64 && symbolHasNonMethodDeclaration(prop) && (isThisProperty(location) || isThisInitializedObjectBindingExpression(location) || isObjectBindingPattern(location.parent) && isThisInitializedDeclaration(location.parent.parent))) { const declaringClassDeclaration = getClassLikeDeclarationOfSymbol(getParentOfSymbol(prop)); if (declaringClassDeclaration && isNodeUsedDuringClassInitialization(location)) { if (errorNode) { error2(errorNode, Diagnostics.Abstract_property_0_in_class_1_cannot_be_accessed_in_the_constructor, symbolToString2(prop), getTextOfIdentifierOrLiteral(declaringClassDeclaration.name)); } return false; } } if (!(flags & 6)) { return true; } if (flags & 2) { const declaringClassDeclaration = getClassLikeDeclarationOfSymbol(getParentOfSymbol(prop)); if (!isNodeWithinClass(location, declaringClassDeclaration)) { if (errorNode) { error2(errorNode, Diagnostics.Property_0_is_private_and_only_accessible_within_class_1, symbolToString2(prop), typeToString(getDeclaringClass(prop))); } return false; } return true; } if (isSuper) { return true; } let enclosingClass = forEachEnclosingClass(location, (enclosingDeclaration) => { const enclosingClass2 = getDeclaredTypeOfSymbol(getSymbolOfDeclaration(enclosingDeclaration)); return isClassDerivedFromDeclaringClasses(enclosingClass2, prop, writing); }); if (!enclosingClass) { enclosingClass = getEnclosingClassFromThisParameter(location); enclosingClass = enclosingClass && isClassDerivedFromDeclaringClasses(enclosingClass, prop, writing); if (flags & 256 || !enclosingClass) { if (errorNode) { error2(errorNode, Diagnostics.Property_0_is_protected_and_only_accessible_within_class_1_and_its_subclasses, symbolToString2(prop), typeToString(getDeclaringClass(prop) || containingType)); } return false; } } if (flags & 256) { return true; } if (containingType.flags & 262144) { containingType = containingType.isThisType ? getConstraintOfTypeParameter(containingType) : getBaseConstraintOfType(containingType); } if (!containingType || !hasBaseType(containingType, enclosingClass)) { if (errorNode) { error2(errorNode, Diagnostics.Property_0_is_protected_and_only_accessible_through_an_instance_of_class_1_This_is_an_instance_of_class_2, symbolToString2(prop), typeToString(enclosingClass), typeToString(containingType)); } return false; } return true; } function getEnclosingClassFromThisParameter(node) { const thisParameter = getThisParameterFromNodeContext(node); let thisType = (thisParameter == null ? void 0 : thisParameter.type) && getTypeFromTypeNode(thisParameter.type); if (thisType && thisType.flags & 262144) { thisType = getConstraintOfTypeParameter(thisType); } if (thisType && getObjectFlags(thisType) & (3 | 4)) { return getTargetType(thisType); } return void 0; } function getThisParameterFromNodeContext(node) { const thisContainer = getThisContainer( node, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ); return thisContainer && isFunctionLike(thisContainer) ? getThisParameter(thisContainer) : void 0; } function symbolHasNonMethodDeclaration(symbol) { return !!forEachProperty2(symbol, (prop) => !(prop.flags & 8192)); } function checkNonNullExpression(node) { return checkNonNullType(checkExpression(node), node); } function isNullableType(type) { return hasTypeFacts( type, 50331648 /* IsUndefinedOrNull */ ); } function getNonNullableTypeIfNeeded(type) { return isNullableType(type) ? getNonNullableType(type) : type; } function reportObjectPossiblyNullOrUndefinedError(node, facts) { const nodeText2 = isEntityNameExpression(node) ? entityNameToString(node) : void 0; if (node.kind === 106) { error2(node, Diagnostics.The_value_0_cannot_be_used_here, "null"); return; } if (nodeText2 !== void 0 && nodeText2.length < 100) { if (isIdentifier(node) && nodeText2 === "undefined") { error2(node, Diagnostics.The_value_0_cannot_be_used_here, "undefined"); return; } error2( node, facts & 16777216 ? facts & 33554432 ? Diagnostics._0_is_possibly_null_or_undefined : Diagnostics._0_is_possibly_undefined : Diagnostics._0_is_possibly_null, nodeText2 ); } else { error2( node, facts & 16777216 ? facts & 33554432 ? Diagnostics.Object_is_possibly_null_or_undefined : Diagnostics.Object_is_possibly_undefined : Diagnostics.Object_is_possibly_null ); } } function reportCannotInvokePossiblyNullOrUndefinedError(node, facts) { error2( node, facts & 16777216 ? facts & 33554432 ? Diagnostics.Cannot_invoke_an_object_which_is_possibly_null_or_undefined : Diagnostics.Cannot_invoke_an_object_which_is_possibly_undefined : Diagnostics.Cannot_invoke_an_object_which_is_possibly_null ); } function checkNonNullTypeWithReporter(type, node, reportError) { if (strictNullChecks && type.flags & 2) { if (isEntityNameExpression(node)) { const nodeText2 = entityNameToString(node); if (nodeText2.length < 100) { error2(node, Diagnostics._0_is_of_type_unknown, nodeText2); return errorType; } } error2(node, Diagnostics.Object_is_of_type_unknown); return errorType; } const facts = getTypeFacts( type, 50331648 /* IsUndefinedOrNull */ ); if (facts & 50331648) { reportError(node, facts); const t = getNonNullableType(type); return t.flags & (98304 | 131072) ? errorType : t; } return type; } function checkNonNullType(type, node) { return checkNonNullTypeWithReporter(type, node, reportObjectPossiblyNullOrUndefinedError); } function checkNonNullNonVoidType(type, node) { const nonNullType = checkNonNullType(type, node); if (nonNullType.flags & 16384) { if (isEntityNameExpression(node)) { const nodeText2 = entityNameToString(node); if (isIdentifier(node) && nodeText2 === "undefined") { error2(node, Diagnostics.The_value_0_cannot_be_used_here, nodeText2); return nonNullType; } if (nodeText2.length < 100) { error2(node, Diagnostics._0_is_possibly_undefined, nodeText2); return nonNullType; } } error2(node, Diagnostics.Object_is_possibly_undefined); } return nonNullType; } function checkPropertyAccessExpression(node, checkMode, writeOnly) { return node.flags & 64 ? checkPropertyAccessChain(node, checkMode) : checkPropertyAccessExpressionOrQualifiedName(node, node.expression, checkNonNullExpression(node.expression), node.name, checkMode, writeOnly); } function checkPropertyAccessChain(node, checkMode) { const leftType = checkExpression(node.expression); const nonOptionalType = getOptionalExpressionType(leftType, node.expression); return propagateOptionalTypeMarker(checkPropertyAccessExpressionOrQualifiedName(node, node.expression, checkNonNullType(nonOptionalType, node.expression), node.name, checkMode), node, nonOptionalType !== leftType); } function checkQualifiedName(node, checkMode) { const leftType = isPartOfTypeQuery(node) && isThisIdentifier(node.left) ? checkNonNullType(checkThisExpression(node.left), node.left) : checkNonNullExpression(node.left); return checkPropertyAccessExpressionOrQualifiedName(node, node.left, leftType, node.right, checkMode); } function isMethodAccessForCall(node) { while (node.parent.kind === 217) { node = node.parent; } return isCallOrNewExpression2(node.parent) && node.parent.expression === node; } function lookupSymbolForPrivateIdentifierDeclaration(propName, location) { for (let containingClass = getContainingClassExcludingClassDecorators(location); !!containingClass; containingClass = getContainingClass(containingClass)) { const { symbol } = containingClass; const name = getSymbolNameForPrivateIdentifier(symbol, propName); const prop = symbol.members && symbol.members.get(name) || symbol.exports && symbol.exports.get(name); if (prop) { return prop; } } } function checkGrammarPrivateIdentifierExpression(privId) { if (!getContainingClass(privId)) { return grammarErrorOnNode(privId, Diagnostics.Private_identifiers_are_not_allowed_outside_class_bodies); } if (!isForInStatement(privId.parent)) { if (!isExpressionNode(privId)) { return grammarErrorOnNode(privId, Diagnostics.Private_identifiers_are_only_allowed_in_class_bodies_and_may_only_be_used_as_part_of_a_class_member_declaration_property_access_or_on_the_left_hand_side_of_an_in_expression); } const isInOperation = isBinaryExpression(privId.parent) && privId.parent.operatorToken.kind === 103; if (!getSymbolForPrivateIdentifierExpression(privId) && !isInOperation) { return grammarErrorOnNode(privId, Diagnostics.Cannot_find_name_0, idText(privId)); } } return false; } function checkPrivateIdentifierExpression(privId) { checkGrammarPrivateIdentifierExpression(privId); const symbol = getSymbolForPrivateIdentifierExpression(privId); if (symbol) { markPropertyAsReferenced( symbol, /*nodeForCheckWriteOnly*/ void 0, /*isSelfTypeAccess*/ false ); } return anyType2; } function getSymbolForPrivateIdentifierExpression(privId) { if (!isExpressionNode(privId)) { return void 0; } const links = getNodeLinks(privId); if (links.resolvedSymbol === void 0) { links.resolvedSymbol = lookupSymbolForPrivateIdentifierDeclaration(privId.escapedText, privId); } return links.resolvedSymbol; } function getPrivateIdentifierPropertyOfType(leftType, lexicallyScopedIdentifier) { return getPropertyOfType(leftType, lexicallyScopedIdentifier.escapedName); } function checkPrivateIdentifierPropertyAccess(leftType, right, lexicallyScopedIdentifier) { let propertyOnType; const properties = getPropertiesOfType(leftType); if (properties) { forEach(properties, (symbol) => { const decl = symbol.valueDeclaration; if (decl && isNamedDeclaration(decl) && isPrivateIdentifier(decl.name) && decl.name.escapedText === right.escapedText) { propertyOnType = symbol; return true; } }); } const diagName = diagnosticName(right); if (propertyOnType) { const typeValueDecl = Debug.checkDefined(propertyOnType.valueDeclaration); const typeClass = Debug.checkDefined(getContainingClass(typeValueDecl)); if (lexicallyScopedIdentifier == null ? void 0 : lexicallyScopedIdentifier.valueDeclaration) { const lexicalValueDecl = lexicallyScopedIdentifier.valueDeclaration; const lexicalClass = getContainingClass(lexicalValueDecl); Debug.assert(!!lexicalClass); if (findAncestor(lexicalClass, (n) => typeClass === n)) { const diagnostic = error2( right, Diagnostics.The_property_0_cannot_be_accessed_on_type_1_within_this_class_because_it_is_shadowed_by_another_private_identifier_with_the_same_spelling, diagName, typeToString(leftType) ); addRelatedInfo( diagnostic, createDiagnosticForNode( lexicalValueDecl, Diagnostics.The_shadowing_declaration_of_0_is_defined_here, diagName ), createDiagnosticForNode( typeValueDecl, Diagnostics.The_declaration_of_0_that_you_probably_intended_to_use_is_defined_here, diagName ) ); return true; } } error2( right, Diagnostics.Property_0_is_not_accessible_outside_class_1_because_it_has_a_private_identifier, diagName, diagnosticName(typeClass.name || anon) ); return true; } return false; } function isThisPropertyAccessInConstructor(node, prop) { return (isConstructorDeclaredProperty(prop) || isThisProperty(node) && isAutoTypedProperty(prop)) && getThisContainer( node, /*includeArrowFunctions*/ true, /*includeClassComputedPropertyName*/ false ) === getDeclaringConstructor(prop); } function checkPropertyAccessExpressionOrQualifiedName(node, left, leftType, right, checkMode, writeOnly) { const parentSymbol = getNodeLinks(left).resolvedSymbol; const assignmentKind = getAssignmentTargetKind(node); const apparentType = getApparentType(assignmentKind !== 0 || isMethodAccessForCall(node) ? getWidenedType(leftType) : leftType); const isAnyLike = isTypeAny(apparentType) || apparentType === silentNeverType; let prop; if (isPrivateIdentifier(right)) { if (languageVersion < 9 || languageVersion < 99 || !useDefineForClassFields) { if (assignmentKind !== 0) { checkExternalEmitHelpers( node, 1048576 /* ClassPrivateFieldSet */ ); } if (assignmentKind !== 1) { checkExternalEmitHelpers( node, 524288 /* ClassPrivateFieldGet */ ); } } const lexicallyScopedSymbol = lookupSymbolForPrivateIdentifierDeclaration(right.escapedText, right); if (assignmentKind && lexicallyScopedSymbol && lexicallyScopedSymbol.valueDeclaration && isMethodDeclaration(lexicallyScopedSymbol.valueDeclaration)) { grammarErrorOnNode(right, Diagnostics.Cannot_assign_to_private_method_0_Private_methods_are_not_writable, idText(right)); } if (isAnyLike) { if (lexicallyScopedSymbol) { return isErrorType(apparentType) ? errorType : apparentType; } if (getContainingClassExcludingClassDecorators(right) === void 0) { grammarErrorOnNode(right, Diagnostics.Private_identifiers_are_not_allowed_outside_class_bodies); return anyType2; } } prop = lexicallyScopedSymbol && getPrivateIdentifierPropertyOfType(leftType, lexicallyScopedSymbol); if (prop === void 0) { if (checkPrivateIdentifierPropertyAccess(leftType, right, lexicallyScopedSymbol)) { return errorType; } const containingClass = getContainingClassExcludingClassDecorators(right); if (containingClass && isPlainJsFile(getSourceFileOfNode(containingClass), compilerOptions.checkJs)) { grammarErrorOnNode(right, Diagnostics.Private_field_0_must_be_declared_in_an_enclosing_class, idText(right)); } } else { const isSetonlyAccessor = prop.flags & 65536 && !(prop.flags & 32768); if (isSetonlyAccessor && assignmentKind !== 1) { error2(node, Diagnostics.Private_accessor_was_defined_without_a_getter); } } } else { if (isAnyLike) { if (isIdentifier(left) && parentSymbol) { markLinkedReferences( node, 2, /*propSymbol*/ void 0, leftType ); } return isErrorType(apparentType) ? errorType : apparentType; } prop = getPropertyOfType( apparentType, right.escapedText, /*skipObjectFunctionPropertyAugment*/ isConstEnumObjectType(apparentType), /*includeTypeOnlyMembers*/ node.kind === 166 /* QualifiedName */ ); } markLinkedReferences(node, 2, prop, leftType); let propType; if (!prop) { const indexInfo = !isPrivateIdentifier(right) && (assignmentKind === 0 || !isGenericObjectType(leftType) || isThisTypeParameter(leftType)) ? getApplicableIndexInfoForName(apparentType, right.escapedText) : void 0; if (!(indexInfo && indexInfo.type)) { const isUncheckedJS = isUncheckedJSSuggestion( node, leftType.symbol, /*excludeClasses*/ true ); if (!isUncheckedJS && isJSLiteralType(leftType)) { return anyType2; } if (leftType.symbol === globalThisSymbol) { if (globalThisSymbol.exports.has(right.escapedText) && globalThisSymbol.exports.get(right.escapedText).flags & 418) { error2(right, Diagnostics.Property_0_does_not_exist_on_type_1, unescapeLeadingUnderscores(right.escapedText), typeToString(leftType)); } else if (noImplicitAny) { error2(right, Diagnostics.Element_implicitly_has_an_any_type_because_type_0_has_no_index_signature, typeToString(leftType)); } return anyType2; } if (right.escapedText && !checkAndReportErrorForExtendingInterface(node)) { reportNonexistentProperty(right, isThisTypeParameter(leftType) ? apparentType : leftType, isUncheckedJS); } return errorType; } if (indexInfo.isReadonly && (isAssignmentTarget(node) || isDeleteTarget(node))) { error2(node, Diagnostics.Index_signature_in_type_0_only_permits_reading, typeToString(apparentType)); } propType = indexInfo.type; if (compilerOptions.noUncheckedIndexedAccess && getAssignmentTargetKind(node) !== 1) { propType = getUnionType([propType, missingType]); } if (compilerOptions.noPropertyAccessFromIndexSignature && isPropertyAccessExpression(node)) { error2(right, Diagnostics.Property_0_comes_from_an_index_signature_so_it_must_be_accessed_with_0, unescapeLeadingUnderscores(right.escapedText)); } if (indexInfo.declaration && isDeprecatedDeclaration2(indexInfo.declaration)) { addDeprecatedSuggestion(right, [indexInfo.declaration], right.escapedText); } } else { const targetPropSymbol = resolveAliasWithDeprecationCheck(prop, right); if (isDeprecatedSymbol(targetPropSymbol) && isUncalledFunctionReference(node, targetPropSymbol) && targetPropSymbol.declarations) { addDeprecatedSuggestion(right, targetPropSymbol.declarations, right.escapedText); } checkPropertyNotUsedBeforeDeclaration(prop, node, right); markPropertyAsReferenced(prop, node, isSelfTypeAccess(left, parentSymbol)); getNodeLinks(node).resolvedSymbol = prop; checkPropertyAccessibility(node, left.kind === 108, isWriteAccess(node), apparentType, prop); if (isAssignmentToReadonlyEntity(node, prop, assignmentKind)) { error2(right, Diagnostics.Cannot_assign_to_0_because_it_is_a_read_only_property, idText(right)); return errorType; } propType = isThisPropertyAccessInConstructor(node, prop) ? autoType : writeOnly || isWriteOnlyAccess(node) ? getWriteTypeOfSymbol(prop) : getTypeOfSymbol(prop); } return getFlowTypeOfAccessExpression(node, prop, propType, right, checkMode); } function isUncheckedJSSuggestion(node, suggestion, excludeClasses) { var _a; const file = getSourceFileOfNode(node); if (file) { if (compilerOptions.checkJs === void 0 && file.checkJsDirective === void 0 && (file.scriptKind === 1 || file.scriptKind === 2)) { const declarationFile = forEach(suggestion == null ? void 0 : suggestion.declarations, getSourceFileOfNode); const suggestionHasNoExtendsOrDecorators = !(suggestion == null ? void 0 : suggestion.valueDeclaration) || !isClassLike(suggestion.valueDeclaration) || ((_a = suggestion.valueDeclaration.heritageClauses) == null ? void 0 : _a.length) || classOrConstructorParameterIsDecorated( /*useLegacyDecorators*/ false, suggestion.valueDeclaration ); return !(file !== declarationFile && !!declarationFile && isGlobalSourceFile(declarationFile)) && !(excludeClasses && suggestion && suggestion.flags & 32 && suggestionHasNoExtendsOrDecorators) && !(!!node && excludeClasses && isPropertyAccessExpression(node) && node.expression.kind === 110 && suggestionHasNoExtendsOrDecorators); } } return false; } function getFlowTypeOfAccessExpression(node, prop, propType, errorNode, checkMode) { const assignmentKind = getAssignmentTargetKind(node); if (assignmentKind === 1) { return removeMissingType(propType, !!(prop && prop.flags & 16777216)); } if (prop && !(prop.flags & (3 | 4 | 98304)) && !(prop.flags & 8192 && propType.flags & 1048576) && !isDuplicatedCommonJSExport(prop.declarations)) { return propType; } if (propType === autoType) { return getFlowTypeOfProperty(node, prop); } propType = getNarrowableTypeForReference(propType, node, checkMode); let assumeUninitialized = false; if (strictNullChecks && strictPropertyInitialization && isAccessExpression(node) && node.expression.kind === 110) { const declaration = prop && prop.valueDeclaration; if (declaration && isPropertyWithoutInitializer(declaration)) { if (!isStatic(declaration)) { const flowContainer = getControlFlowContainer(node); if (flowContainer.kind === 176 && flowContainer.parent === declaration.parent && !(declaration.flags & 33554432)) { assumeUninitialized = true; } } } } else if (strictNullChecks && prop && prop.valueDeclaration && isPropertyAccessExpression(prop.valueDeclaration) && getAssignmentDeclarationPropertyAccessKind(prop.valueDeclaration) && getControlFlowContainer(node) === getControlFlowContainer(prop.valueDeclaration)) { assumeUninitialized = true; } const flowType = getFlowTypeOfReference(node, propType, assumeUninitialized ? getOptionalType(propType) : propType); if (assumeUninitialized && !containsUndefinedType(propType) && containsUndefinedType(flowType)) { error2(errorNode, Diagnostics.Property_0_is_used_before_being_assigned, symbolToString2(prop)); return propType; } return assignmentKind ? getBaseTypeOfLiteralType(flowType) : flowType; } function checkPropertyNotUsedBeforeDeclaration(prop, node, right) { const { valueDeclaration } = prop; if (!valueDeclaration || getSourceFileOfNode(node).isDeclarationFile) { return; } let diagnosticMessage; const declarationName = idText(right); if (isInPropertyInitializerOrClassStaticBlock(node) && !isOptionalPropertyDeclaration(valueDeclaration) && !(isAccessExpression(node) && isAccessExpression(node.expression)) && !isBlockScopedNameDeclaredBeforeUse(valueDeclaration, right) && !(isMethodDeclaration(valueDeclaration) && getCombinedModifierFlagsCached(valueDeclaration) & 256) && (useDefineForClassFields || !isPropertyDeclaredInAncestorClass(prop))) { diagnosticMessage = error2(right, Diagnostics.Property_0_is_used_before_its_initialization, declarationName); } else if (valueDeclaration.kind === 263 && node.parent.kind !== 183 && !(valueDeclaration.flags & 33554432) && !isBlockScopedNameDeclaredBeforeUse(valueDeclaration, right)) { diagnosticMessage = error2(right, Diagnostics.Class_0_used_before_its_declaration, declarationName); } if (diagnosticMessage) { addRelatedInfo(diagnosticMessage, createDiagnosticForNode(valueDeclaration, Diagnostics._0_is_declared_here, declarationName)); } } function isInPropertyInitializerOrClassStaticBlock(node) { return !!findAncestor(node, (node2) => { switch (node2.kind) { case 172: return true; case 303: case 174: case 177: case 178: case 305: case 167: case 239: case 294: case 291: case 292: case 293: case 286: case 233: case 298: return false; case 219: case 244: return isBlock(node2.parent) && isClassStaticBlockDeclaration(node2.parent.parent) ? true : "quit"; default: return isExpressionNode(node2) ? false : "quit"; } }); } function isPropertyDeclaredInAncestorClass(prop) { if (!(prop.parent.flags & 32)) { return false; } let classType = getTypeOfSymbol(prop.parent); while (true) { classType = classType.symbol && getSuperClass(classType); if (!classType) { return false; } const superProperty = getPropertyOfType(classType, prop.escapedName); if (superProperty && superProperty.valueDeclaration) { return true; } } } function getSuperClass(classType) { const x = getBaseTypes(classType); if (x.length === 0) { return void 0; } return getIntersectionType(x); } function reportNonexistentProperty(propNode, containingType, isUncheckedJS) { let errorInfo; let relatedInfo; if (!isPrivateIdentifier(propNode) && containingType.flags & 1048576 && !(containingType.flags & 402784252)) { for (const subtype of containingType.types) { if (!getPropertyOfType(subtype, propNode.escapedText) && !getApplicableIndexInfoForName(subtype, propNode.escapedText)) { errorInfo = chainDiagnosticMessages(errorInfo, Diagnostics.Property_0_does_not_exist_on_type_1, declarationNameToString(propNode), typeToString(subtype)); break; } } } if (typeHasStaticProperty(propNode.escapedText, containingType)) { const propName = declarationNameToString(propNode); const typeName = typeToString(containingType); errorInfo = chainDiagnosticMessages(errorInfo, Diagnostics.Property_0_does_not_exist_on_type_1_Did_you_mean_to_access_the_static_member_2_instead, propName, typeName, typeName + "." + propName); } else { const promisedType = getPromisedTypeOfPromise(containingType); if (promisedType && getPropertyOfType(promisedType, propNode.escapedText)) { errorInfo = chainDiagnosticMessages(errorInfo, Diagnostics.Property_0_does_not_exist_on_type_1, declarationNameToString(propNode), typeToString(containingType)); relatedInfo = createDiagnosticForNode(propNode, Diagnostics.Did_you_forget_to_use_await); } else { const missingProperty = declarationNameToString(propNode); const container = typeToString(containingType); const libSuggestion = getSuggestedLibForNonExistentProperty(missingProperty, containingType); if (libSuggestion !== void 0) { errorInfo = chainDiagnosticMessages(errorInfo, Diagnostics.Property_0_does_not_exist_on_type_1_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_2_or_later, missingProperty, container, libSuggestion); } else { const suggestion = getSuggestedSymbolForNonexistentProperty(propNode, containingType); if (suggestion !== void 0) { const suggestedName = symbolName(suggestion); const message = isUncheckedJS ? Diagnostics.Property_0_may_not_exist_on_type_1_Did_you_mean_2 : Diagnostics.Property_0_does_not_exist_on_type_1_Did_you_mean_2; errorInfo = chainDiagnosticMessages(errorInfo, message, missingProperty, container, suggestedName); relatedInfo = suggestion.valueDeclaration && createDiagnosticForNode(suggestion.valueDeclaration, Diagnostics._0_is_declared_here, suggestedName); } else { const diagnostic = containerSeemsToBeEmptyDomElement(containingType) ? Diagnostics.Property_0_does_not_exist_on_type_1_Try_changing_the_lib_compiler_option_to_include_dom : Diagnostics.Property_0_does_not_exist_on_type_1; errorInfo = chainDiagnosticMessages(elaborateNeverIntersection(errorInfo, containingType), diagnostic, missingProperty, container); } } } } const resultDiagnostic = createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(propNode), propNode, errorInfo); if (relatedInfo) { addRelatedInfo(resultDiagnostic, relatedInfo); } addErrorOrSuggestion(!isUncheckedJS || errorInfo.code !== Diagnostics.Property_0_may_not_exist_on_type_1_Did_you_mean_2.code, resultDiagnostic); } function containerSeemsToBeEmptyDomElement(containingType) { return compilerOptions.lib && !compilerOptions.lib.includes("dom") && everyContainedType(containingType, (type) => type.symbol && /^(EventTarget|Node|((HTML[a-zA-Z]*)?Element))$/.test(unescapeLeadingUnderscores(type.symbol.escapedName))) && isEmptyObjectType(containingType); } function typeHasStaticProperty(propName, containingType) { const prop = containingType.symbol && getPropertyOfType(getTypeOfSymbol(containingType.symbol), propName); return prop !== void 0 && !!prop.valueDeclaration && isStatic(prop.valueDeclaration); } function getSuggestedLibForNonExistentName(name) { const missingName = diagnosticName(name); const allFeatures = getScriptTargetFeatures(); const typeFeatures = allFeatures.get(missingName); return typeFeatures && firstIterator(typeFeatures.keys()); } function getSuggestedLibForNonExistentProperty(missingProperty, containingType) { const container = getApparentType(containingType).symbol; if (!container) { return void 0; } const containingTypeName = symbolName(container); const allFeatures = getScriptTargetFeatures(); const typeFeatures = allFeatures.get(containingTypeName); if (typeFeatures) { for (const [libTarget, featuresOfType] of typeFeatures) { if (contains(featuresOfType, missingProperty)) { return libTarget; } } } } function getSuggestedSymbolForNonexistentClassMember(name, baseType) { return getSpellingSuggestionForName( name, getPropertiesOfType(baseType), 106500 /* ClassMember */ ); } function getSuggestedSymbolForNonexistentProperty(name, containingType) { let props = getPropertiesOfType(containingType); if (typeof name !== "string") { const parent2 = name.parent; if (isPropertyAccessExpression(parent2)) { props = filter(props, (prop) => isValidPropertyAccessForCompletions(parent2, containingType, prop)); } name = idText(name); } return getSpellingSuggestionForName( name, props, 111551 /* Value */ ); } function getSuggestedSymbolForNonexistentJSXAttribute(name, containingType) { const strName = isString2(name) ? name : idText(name); const properties = getPropertiesOfType(containingType); const jsxSpecific = strName === "for" ? find(properties, (x) => symbolName(x) === "htmlFor") : strName === "class" ? find(properties, (x) => symbolName(x) === "className") : void 0; return jsxSpecific ?? getSpellingSuggestionForName( strName, properties, 111551 /* Value */ ); } function getSuggestionForNonexistentProperty(name, containingType) { const suggestion = getSuggestedSymbolForNonexistentProperty(name, containingType); return suggestion && symbolName(suggestion); } function getSuggestionForSymbolNameLookup(symbols, name, meaning) { const symbol = getSymbol2(symbols, name, meaning); if (symbol) return symbol; let candidates; if (symbols === globals2) { const primitives = mapDefined( ["string", "number", "boolean", "object", "bigint", "symbol"], (s) => symbols.has(s.charAt(0).toUpperCase() + s.slice(1)) ? createSymbol(524288, s) : void 0 ); candidates = primitives.concat(arrayFrom(symbols.values())); } else { candidates = arrayFrom(symbols.values()); } return getSpellingSuggestionForName(unescapeLeadingUnderscores(name), candidates, meaning); } function getSuggestedSymbolForNonexistentSymbol(location, outerName, meaning) { Debug.assert(outerName !== void 0, "outername should always be defined"); const result = resolveNameForSymbolSuggestion( location, outerName, meaning, /*nameNotFoundMessage*/ void 0, /*isUse*/ false, /*excludeGlobals*/ false ); return result; } function getSuggestedSymbolForNonexistentModule(name, targetModule) { return targetModule.exports && getSpellingSuggestionForName( idText(name), getExportsOfModuleAsArray(targetModule), 2623475 /* ModuleMember */ ); } function getSuggestionForNonexistentIndexSignature(objectType2, expr, keyedType) { function hasProp(name) { const prop = getPropertyOfObjectType(objectType2, name); if (prop) { const s = getSingleCallSignature(getTypeOfSymbol(prop)); return !!s && getMinArgumentCount(s) >= 1 && isTypeAssignableTo(keyedType, getTypeAtPosition(s, 0)); } return false; } const suggestedMethod = isAssignmentTarget(expr) ? "set" : "get"; if (!hasProp(suggestedMethod)) { return void 0; } let suggestion = tryGetPropertyAccessOrIdentifierToString(expr.expression); if (suggestion === void 0) { suggestion = suggestedMethod; } else { suggestion += "." + suggestedMethod; } return suggestion; } function getSuggestedTypeForNonexistentStringLiteralType(source, target) { const candidates = target.types.filter((type) => !!(type.flags & 128)); return getSpellingSuggestion(source.value, candidates, (type) => type.value); } function getSpellingSuggestionForName(name, symbols, meaning) { return getSpellingSuggestion(name, symbols, getCandidateName); function getCandidateName(candidate) { const candidateName = symbolName(candidate); if (startsWith2(candidateName, '"')) { return void 0; } if (candidate.flags & meaning) { return candidateName; } if (candidate.flags & 2097152) { const alias = tryResolveAlias(candidate); if (alias && alias.flags & meaning) { return candidateName; } } return void 0; } } function markPropertyAsReferenced(prop, nodeForCheckWriteOnly, isSelfTypeAccess2) { const valueDeclaration = prop && prop.flags & 106500 && prop.valueDeclaration; if (!valueDeclaration) { return; } const hasPrivateModifier = hasEffectiveModifier( valueDeclaration, 2 /* Private */ ); const hasPrivateIdentifier = prop.valueDeclaration && isNamedDeclaration(prop.valueDeclaration) && isPrivateIdentifier(prop.valueDeclaration.name); if (!hasPrivateModifier && !hasPrivateIdentifier) { return; } if (nodeForCheckWriteOnly && isWriteOnlyAccess(nodeForCheckWriteOnly) && !(prop.flags & 65536)) { return; } if (isSelfTypeAccess2) { const containingMethod = findAncestor(nodeForCheckWriteOnly, isFunctionLikeDeclaration); if (containingMethod && containingMethod.symbol === prop) { return; } } (getCheckFlags(prop) & 1 ? getSymbolLinks(prop).target : prop).isReferenced = -1; } function isSelfTypeAccess(name, parent2) { return name.kind === 110 || !!parent2 && isEntityNameExpression(name) && parent2 === getResolvedSymbol(getFirstIdentifier(name)); } function isValidPropertyAccess(node, propertyName) { switch (node.kind) { case 211: return isValidPropertyAccessWithType(node, node.expression.kind === 108, propertyName, getWidenedType(checkExpression(node.expression))); case 166: return isValidPropertyAccessWithType( node, /*isSuper*/ false, propertyName, getWidenedType(checkExpression(node.left)) ); case 205: return isValidPropertyAccessWithType( node, /*isSuper*/ false, propertyName, getTypeFromTypeNode(node) ); } } function isValidPropertyAccessForCompletions(node, type, property) { return isPropertyAccessible( node, node.kind === 211 && node.expression.kind === 108, /*isWrite*/ false, type, property ); } function isValidPropertyAccessWithType(node, isSuper, propertyName, type) { if (isTypeAny(type)) { return true; } const prop = getPropertyOfType(type, propertyName); return !!prop && isPropertyAccessible( node, isSuper, /*isWrite*/ false, type, prop ); } function isPropertyAccessible(node, isSuper, isWrite, containingType, property) { if (isTypeAny(containingType)) { return true; } if (property.valueDeclaration && isPrivateIdentifierClassElementDeclaration(property.valueDeclaration)) { const declClass = getContainingClass(property.valueDeclaration); return !isOptionalChain(node) && !!findAncestor(node, (parent2) => parent2 === declClass); } return checkPropertyAccessibilityAtLocation(node, isSuper, isWrite, containingType, property); } function getForInVariableSymbol(node) { const initializer = node.initializer; if (initializer.kind === 261) { const variable = initializer.declarations[0]; if (variable && !isBindingPattern(variable.name)) { return getSymbolOfDeclaration(variable); } } else if (initializer.kind === 80) { return getResolvedSymbol(initializer); } return void 0; } function hasNumericPropertyNames(type) { return getIndexInfosOfType(type).length === 1 && !!getIndexInfoOfType(type, numberType2); } function isForInVariableForNumericPropertyNames(expr) { const e = skipParentheses(expr); if (e.kind === 80) { const symbol = getResolvedSymbol(e); if (symbol.flags & 3) { let child = expr; let node = expr.parent; while (node) { if (node.kind === 249 && child === node.statement && getForInVariableSymbol(node) === symbol && hasNumericPropertyNames(getTypeOfExpression(node.expression))) { return true; } child = node; node = node.parent; } } } return false; } function checkIndexedAccess(node, checkMode) { return node.flags & 64 ? checkElementAccessChain(node, checkMode) : checkElementAccessExpression(node, checkNonNullExpression(node.expression), checkMode); } function checkElementAccessChain(node, checkMode) { const exprType = checkExpression(node.expression); const nonOptionalType = getOptionalExpressionType(exprType, node.expression); return propagateOptionalTypeMarker(checkElementAccessExpression(node, checkNonNullType(nonOptionalType, node.expression), checkMode), node, nonOptionalType !== exprType); } function checkElementAccessExpression(node, exprType, checkMode) { const objectType2 = getAssignmentTargetKind(node) !== 0 || isMethodAccessForCall(node) ? getWidenedType(exprType) : exprType; const indexExpression = node.argumentExpression; const indexType = checkExpression(indexExpression); if (isErrorType(objectType2) || objectType2 === silentNeverType) { return objectType2; } if (isConstEnumObjectType(objectType2) && !isStringLiteralLike(indexExpression)) { error2(indexExpression, Diagnostics.A_const_enum_member_can_only_be_accessed_using_a_string_literal); return errorType; } const effectiveIndexType = isForInVariableForNumericPropertyNames(indexExpression) ? numberType2 : indexType; const assignmentTargetKind = getAssignmentTargetKind(node); let accessFlags; if (assignmentTargetKind === 0) { accessFlags = 32; } else { accessFlags = 4 | (isGenericObjectType(objectType2) && !isThisTypeParameter(objectType2) ? 2 : 0); if (assignmentTargetKind === 2) { accessFlags |= 32; } } const indexedAccessType = getIndexedAccessTypeOrUndefined(objectType2, effectiveIndexType, accessFlags, node) || errorType; return checkIndexedAccessIndexType(getFlowTypeOfAccessExpression(node, getNodeLinks(node).resolvedSymbol, indexedAccessType, indexExpression, checkMode), node); } function callLikeExpressionMayHaveTypeArguments(node) { return isCallOrNewExpression2(node) || isTaggedTemplateExpression(node) || isJsxOpeningLikeElement(node); } function resolveUntypedCall(node) { if (callLikeExpressionMayHaveTypeArguments(node)) { forEach(node.typeArguments, checkSourceElement); } if (node.kind === 215) { checkExpression(node.template); } else if (isJsxOpeningLikeElement(node)) { checkExpression(node.attributes); } else if (isBinaryExpression(node)) { checkExpression(node.left); } else if (isCallOrNewExpression2(node)) { forEach(node.arguments, (argument) => { checkExpression(argument); }); } return anySignature; } function resolveErrorCall(node) { resolveUntypedCall(node); return unknownSignature; } function reorderCandidates(signatures, result, callChainFlags) { let lastParent; let lastSymbol; let cutoffIndex = 0; let index; let specializedIndex = -1; let spliceIndex; Debug.assert(!result.length); for (const signature of signatures) { const symbol = signature.declaration && getSymbolOfDeclaration(signature.declaration); const parent2 = signature.declaration && signature.declaration.parent; if (!lastSymbol || symbol === lastSymbol) { if (lastParent && parent2 === lastParent) { index = index + 1; } else { lastParent = parent2; index = cutoffIndex; } } else { index = cutoffIndex = result.length; lastParent = parent2; } lastSymbol = symbol; if (signatureHasLiteralTypes(signature)) { specializedIndex++; spliceIndex = specializedIndex; cutoffIndex++; } else { spliceIndex = index; } result.splice(spliceIndex, 0, callChainFlags ? getOptionalCallSignature(signature, callChainFlags) : signature); } } function isSpreadArgument(arg) { return !!arg && (arg.kind === 230 || arg.kind === 237 && arg.isSpread); } function getSpreadArgumentIndex(args) { return findIndex(args, isSpreadArgument); } function acceptsVoid(t) { return !!(t.flags & 16384); } function acceptsVoidUndefinedUnknownOrAny(t) { return !!(t.flags & (16384 | 32768 | 2 | 1)); } function hasCorrectArity(node, args, signature, signatureHelpTrailingComma = false) { let argCount; let callIsIncomplete = false; let effectiveParameterCount = getParameterCount(signature); let effectiveMinimumArguments = getMinArgumentCount(signature); if (node.kind === 215) { argCount = args.length; if (node.template.kind === 228) { const lastSpan = last(node.template.templateSpans); callIsIncomplete = nodeIsMissing(lastSpan.literal) || !!lastSpan.literal.isUnterminated; } else { const templateLiteral = node.template; Debug.assert( templateLiteral.kind === 15 /* NoSubstitutionTemplateLiteral */ ); callIsIncomplete = !!templateLiteral.isUnterminated; } } else if (node.kind === 170) { argCount = getDecoratorArgumentCount(node, signature); } else if (node.kind === 226) { argCount = 1; } else if (isJsxOpeningLikeElement(node)) { callIsIncomplete = node.attributes.end === node.end; if (callIsIncomplete) { return true; } argCount = effectiveMinimumArguments === 0 ? args.length : 1; effectiveParameterCount = args.length === 0 ? effectiveParameterCount : 1; effectiveMinimumArguments = Math.min(effectiveMinimumArguments, 1); } else if (!node.arguments) { Debug.assert( node.kind === 214 /* NewExpression */ ); return getMinArgumentCount(signature) === 0; } else { argCount = signatureHelpTrailingComma ? args.length + 1 : args.length; callIsIncomplete = node.arguments.end === node.end; const spreadArgIndex = getSpreadArgumentIndex(args); if (spreadArgIndex >= 0) { return spreadArgIndex >= getMinArgumentCount(signature) && (hasEffectiveRestParameter(signature) || spreadArgIndex < getParameterCount(signature)); } } if (!hasEffectiveRestParameter(signature) && argCount > effectiveParameterCount) { return false; } if (callIsIncomplete || argCount >= effectiveMinimumArguments) { return true; } for (let i = argCount; i < effectiveMinimumArguments; i++) { const type = getTypeAtPosition(signature, i); if (filterType(type, isInJSFile(node) && !strictNullChecks ? acceptsVoidUndefinedUnknownOrAny : acceptsVoid).flags & 131072) { return false; } } return true; } function hasCorrectTypeArgumentArity(signature, typeArguments) { const numTypeParameters = length(signature.typeParameters); const minTypeArgumentCount = getMinTypeArgumentCount(signature.typeParameters); return !some(typeArguments) || typeArguments.length >= minTypeArgumentCount && typeArguments.length <= numTypeParameters; } function isInstantiatedGenericParameter(signature, pos) { let type; return !!(signature.target && (type = tryGetTypeAtPosition(signature.target, pos)) && isGenericType(type)); } function getSingleCallSignature(type) { return getSingleSignature( type, 0, /*allowMembers*/ false ); } function getSingleCallOrConstructSignature(type) { return getSingleSignature( type, 0, /*allowMembers*/ false ) || getSingleSignature( type, 1, /*allowMembers*/ false ); } function getSingleSignature(type, kind, allowMembers) { if (type.flags & 524288) { const resolved = resolveStructuredTypeMembers(type); if (allowMembers || resolved.properties.length === 0 && resolved.indexInfos.length === 0) { if (kind === 0 && resolved.callSignatures.length === 1 && resolved.constructSignatures.length === 0) { return resolved.callSignatures[0]; } if (kind === 1 && resolved.constructSignatures.length === 1 && resolved.callSignatures.length === 0) { return resolved.constructSignatures[0]; } } } return void 0; } function instantiateSignatureInContextOf(signature, contextualSignature, inferenceContext, compareTypes) { const context = createInferenceContext(signature.typeParameters, signature, 0, compareTypes); const restType = getEffectiveRestType(contextualSignature); const mapper = inferenceContext && (restType && restType.flags & 262144 ? inferenceContext.nonFixingMapper : inferenceContext.mapper); const sourceSignature = mapper ? instantiateSignature(contextualSignature, mapper) : contextualSignature; applyToParameterTypes(sourceSignature, signature, (source, target) => { inferTypes(context.inferences, source, target); }); if (!inferenceContext) { applyToReturnTypes(contextualSignature, signature, (source, target) => { inferTypes( context.inferences, source, target, 128 /* ReturnType */ ); }); } return getSignatureInstantiation(signature, getInferredTypes(context), isInJSFile(contextualSignature.declaration)); } function inferJsxTypeArguments(node, signature, checkMode, context) { const paramType = getEffectiveFirstArgumentForJsxSignature(signature, node); const checkAttrType = checkExpressionWithContextualType(node.attributes, paramType, context, checkMode); inferTypes(context.inferences, checkAttrType, paramType); return getInferredTypes(context); } function getThisArgumentType(thisArgumentNode) { if (!thisArgumentNode) { return voidType2; } const thisArgumentType = checkExpression(thisArgumentNode); return isRightSideOfInstanceofExpression(thisArgumentNode) ? thisArgumentType : isOptionalChainRoot(thisArgumentNode.parent) ? getNonNullableType(thisArgumentType) : isOptionalChain(thisArgumentNode.parent) ? removeOptionalTypeMarker(thisArgumentType) : thisArgumentType; } function inferTypeArguments(node, signature, args, checkMode, context) { if (isJsxOpeningLikeElement(node)) { return inferJsxTypeArguments(node, signature, checkMode, context); } if (node.kind !== 170 && node.kind !== 226) { const skipBindingPatterns = every(signature.typeParameters, (p) => !!getDefaultFromTypeParameter(p)); const contextualType = getContextualType2( node, skipBindingPatterns ? 8 : 0 /* None */ ); if (contextualType) { const inferenceTargetType = getReturnTypeOfSignature(signature); if (couldContainTypeVariables(inferenceTargetType)) { const outerContext = getInferenceContext(node); const isFromBindingPattern = !skipBindingPatterns && getContextualType2( node, 8 /* SkipBindingPatterns */ ) !== contextualType; if (!isFromBindingPattern) { const outerMapper = getMapperFromContext(cloneInferenceContext( outerContext, 1 /* NoDefault */ )); const instantiatedType = instantiateType(contextualType, outerMapper); const contextualSignature = getSingleCallSignature(instantiatedType); const inferenceSourceType = contextualSignature && contextualSignature.typeParameters ? getOrCreateTypeFromSignature(getSignatureInstantiationWithoutFillingInTypeArguments(contextualSignature, contextualSignature.typeParameters)) : instantiatedType; inferTypes( context.inferences, inferenceSourceType, inferenceTargetType, 128 /* ReturnType */ ); } const returnContext = createInferenceContext(signature.typeParameters, signature, context.flags); const returnSourceType = instantiateType(contextualType, outerContext && outerContext.returnMapper); inferTypes(returnContext.inferences, returnSourceType, inferenceTargetType); context.returnMapper = some(returnContext.inferences, hasInferenceCandidates) ? getMapperFromContext(cloneInferredPartOfContext(returnContext)) : void 0; } } } const restType = getNonArrayRestType(signature); const argCount = restType ? Math.min(getParameterCount(signature) - 1, args.length) : args.length; if (restType && restType.flags & 262144) { const info = find(context.inferences, (info2) => info2.typeParameter === restType); if (info) { info.impliedArity = findIndex(args, isSpreadArgument, argCount) < 0 ? args.length - argCount : void 0; } } const thisType = getThisTypeOfSignature(signature); if (thisType && couldContainTypeVariables(thisType)) { const thisArgumentNode = getThisArgumentOfCall(node); inferTypes(context.inferences, getThisArgumentType(thisArgumentNode), thisType); } for (let i = 0; i < argCount; i++) { const arg = args[i]; if (arg.kind !== 232) { const paramType = getTypeAtPosition(signature, i); if (couldContainTypeVariables(paramType)) { const argType = checkExpressionWithContextualType(arg, paramType, context, checkMode); inferTypes(context.inferences, argType, paramType); } } } if (restType && couldContainTypeVariables(restType)) { const spreadType = getSpreadArgumentType(args, argCount, args.length, restType, context, checkMode); inferTypes(context.inferences, spreadType, restType); } return getInferredTypes(context); } function getMutableArrayOrTupleType(type) { return type.flags & 1048576 ? mapType2(type, getMutableArrayOrTupleType) : type.flags & 1 || isMutableArrayOrTuple(getBaseConstraintOfType(type) || type) ? type : isTupleType(type) ? createTupleType( getElementTypes(type), type.target.elementFlags, /*readonly*/ false, type.target.labeledElementDeclarations ) : createTupleType([type], [ 8 /* Variadic */ ]); } function getSpreadArgumentType(args, index, argCount, restType, context, checkMode) { const inConstContext = isConstTypeVariable(restType); if (index >= argCount - 1) { const arg = args[argCount - 1]; if (isSpreadArgument(arg)) { const spreadType = arg.kind === 237 ? arg.type : checkExpressionWithContextualType(arg.expression, restType, context, checkMode); if (isArrayLikeType(spreadType)) { return getMutableArrayOrTupleType(spreadType); } return createArrayType(checkIteratedTypeOrElementType(33, spreadType, undefinedType2, arg.kind === 230 ? arg.expression : arg), inConstContext); } } const types = []; const flags = []; const names = []; for (let i = index; i < argCount; i++) { const arg = args[i]; if (isSpreadArgument(arg)) { const spreadType = arg.kind === 237 ? arg.type : checkExpression(arg.expression); if (isArrayLikeType(spreadType)) { types.push(spreadType); flags.push( 8 /* Variadic */ ); } else { types.push(checkIteratedTypeOrElementType(33, spreadType, undefinedType2, arg.kind === 230 ? arg.expression : arg)); flags.push( 4 /* Rest */ ); } } else { const contextualType = isTupleType(restType) ? getContextualTypeForElementExpression(restType, i - index, argCount - index) || unknownType2 : getIndexedAccessType( restType, getNumberLiteralType(i - index), 256 /* Contextual */ ); const argType = checkExpressionWithContextualType(arg, contextualType, context, checkMode); const hasPrimitiveContextualType = inConstContext || maybeTypeOfKind( contextualType, 402784252 | 4194304 | 134217728 | 268435456 /* StringMapping */ ); types.push(hasPrimitiveContextualType ? getRegularTypeOfLiteralType(argType) : getWidenedLiteralType(argType)); flags.push( 1 /* Required */ ); } if (arg.kind === 237 && arg.tupleNameSource) { names.push(arg.tupleNameSource); } else { names.push(void 0); } } return createTupleType(types, flags, inConstContext && !someType(restType, isMutableArrayLikeType), names); } function checkTypeArguments(signature, typeArgumentNodes, reportErrors2, headMessage) { const isJavascript = isInJSFile(signature.declaration); const typeParameters = signature.typeParameters; const typeArgumentTypes = fillMissingTypeArguments(map(typeArgumentNodes, getTypeFromTypeNode), typeParameters, getMinTypeArgumentCount(typeParameters), isJavascript); let mapper; for (let i = 0; i < typeArgumentNodes.length; i++) { Debug.assert(typeParameters[i] !== void 0, "Should not call checkTypeArguments with too many type arguments"); const constraint = getConstraintOfTypeParameter(typeParameters[i]); if (constraint) { const errorInfo = reportErrors2 && headMessage ? () => chainDiagnosticMessages( /*details*/ void 0, Diagnostics.Type_0_does_not_satisfy_the_constraint_1 ) : void 0; const typeArgumentHeadMessage = headMessage || Diagnostics.Type_0_does_not_satisfy_the_constraint_1; if (!mapper) { mapper = createTypeMapper(typeParameters, typeArgumentTypes); } const typeArgument = typeArgumentTypes[i]; if (!checkTypeAssignableTo( typeArgument, getTypeWithThisArgument(instantiateType(constraint, mapper), typeArgument), reportErrors2 ? typeArgumentNodes[i] : void 0, typeArgumentHeadMessage, errorInfo )) { return void 0; } } } return typeArgumentTypes; } function getJsxReferenceKind(node) { if (isJsxIntrinsicTagName(node.tagName)) { return 2; } const tagType = getApparentType(checkExpression(node.tagName)); if (length(getSignaturesOfType( tagType, 1 /* Construct */ ))) { return 0; } if (length(getSignaturesOfType( tagType, 0 /* Call */ ))) { return 1; } return 2; } function checkApplicableSignatureForJsxOpeningLikeElement(node, signature, relation, checkMode, reportErrors2, containingMessageChain, errorOutputContainer) { const paramType = getEffectiveFirstArgumentForJsxSignature(signature, node); const attributesType = checkExpressionWithContextualType( node.attributes, paramType, /*inferenceContext*/ void 0, checkMode ); const checkAttributesType = checkMode & 4 ? getRegularTypeOfObjectLiteral(attributesType) : attributesType; return checkTagNameDoesNotExpectTooManyArguments() && checkTypeRelatedToAndOptionallyElaborate( checkAttributesType, paramType, relation, reportErrors2 ? node.tagName : void 0, node.attributes, /*headMessage*/ void 0, containingMessageChain, errorOutputContainer ); function checkTagNameDoesNotExpectTooManyArguments() { var _a; if (getJsxNamespaceContainerForImplicitImport(node)) { return true; } const tagType = (isJsxOpeningElement(node) || isJsxSelfClosingElement(node)) && !(isJsxIntrinsicTagName(node.tagName) || isJsxNamespacedName(node.tagName)) ? checkExpression(node.tagName) : void 0; if (!tagType) { return true; } const tagCallSignatures = getSignaturesOfType( tagType, 0 /* Call */ ); if (!length(tagCallSignatures)) { return true; } const factory2 = getJsxFactoryEntity(node); if (!factory2) { return true; } const factorySymbol = resolveEntityName( factory2, 111551, /*ignoreErrors*/ true, /*dontResolveAlias*/ false, node ); if (!factorySymbol) { return true; } const factoryType = getTypeOfSymbol(factorySymbol); const callSignatures = getSignaturesOfType( factoryType, 0 /* Call */ ); if (!length(callSignatures)) { return true; } let hasFirstParamSignatures = false; let maxParamCount = 0; for (const sig of callSignatures) { const firstparam = getTypeAtPosition(sig, 0); const signaturesOfParam = getSignaturesOfType( firstparam, 0 /* Call */ ); if (!length(signaturesOfParam)) continue; for (const paramSig of signaturesOfParam) { hasFirstParamSignatures = true; if (hasEffectiveRestParameter(paramSig)) { return true; } const paramCount = getParameterCount(paramSig); if (paramCount > maxParamCount) { maxParamCount = paramCount; } } } if (!hasFirstParamSignatures) { return true; } let absoluteMinArgCount = Infinity; for (const tagSig of tagCallSignatures) { const tagRequiredArgCount = getMinArgumentCount(tagSig); if (tagRequiredArgCount < absoluteMinArgCount) { absoluteMinArgCount = tagRequiredArgCount; } } if (absoluteMinArgCount <= maxParamCount) { return true; } if (reportErrors2) { const diag2 = createDiagnosticForNode(node.tagName, Diagnostics.Tag_0_expects_at_least_1_arguments_but_the_JSX_factory_2_provides_at_most_3, entityNameToString(node.tagName), absoluteMinArgCount, entityNameToString(factory2), maxParamCount); const tagNameDeclaration = (_a = getSymbolAtLocation(node.tagName)) == null ? void 0 : _a.valueDeclaration; if (tagNameDeclaration) { addRelatedInfo(diag2, createDiagnosticForNode(tagNameDeclaration, Diagnostics._0_is_declared_here, entityNameToString(node.tagName))); } if (errorOutputContainer && errorOutputContainer.skipLogging) { (errorOutputContainer.errors || (errorOutputContainer.errors = [])).push(diag2); } if (!errorOutputContainer.skipLogging) { diagnostics.add(diag2); } } return false; } } function getEffectiveCheckNode(argument) { argument = skipParentheses(argument); return isSatisfiesExpression(argument) ? skipParentheses(argument.expression) : argument; } function getSignatureApplicabilityError(node, args, signature, relation, checkMode, reportErrors2, containingMessageChain, inferenceContext) { const errorOutputContainer = { errors: void 0, skipLogging: true }; if (isJsxOpeningLikeElement(node)) { if (!checkApplicableSignatureForJsxOpeningLikeElement(node, signature, relation, checkMode, reportErrors2, containingMessageChain, errorOutputContainer)) { Debug.assert(!reportErrors2 || !!errorOutputContainer.errors, "jsx should have errors when reporting errors"); return errorOutputContainer.errors || emptyArray; } return void 0; } const thisType = getThisTypeOfSignature(signature); if (thisType && thisType !== voidType2 && !(isNewExpression2(node) || isCallExpression2(node) && isSuperProperty(node.expression))) { const thisArgumentNode = getThisArgumentOfCall(node); const thisArgumentType = getThisArgumentType(thisArgumentNode); const errorNode = reportErrors2 ? thisArgumentNode || node : void 0; const headMessage2 = Diagnostics.The_this_context_of_type_0_is_not_assignable_to_method_s_this_of_type_1; if (!checkTypeRelatedTo(thisArgumentType, thisType, relation, errorNode, headMessage2, containingMessageChain, errorOutputContainer)) { Debug.assert(!reportErrors2 || !!errorOutputContainer.errors, "this parameter should have errors when reporting errors"); return errorOutputContainer.errors || emptyArray; } } const headMessage = Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1; const restType = getNonArrayRestType(signature); const argCount = restType ? Math.min(getParameterCount(signature) - 1, args.length) : args.length; for (let i = 0; i < argCount; i++) { const arg = args[i]; if (arg.kind !== 232) { const paramType = getTypeAtPosition(signature, i); const argType = checkExpressionWithContextualType( arg, paramType, /*inferenceContext*/ void 0, checkMode ); const regularArgType = checkMode & 4 ? getRegularTypeOfObjectLiteral(argType) : argType; const checkArgType = inferenceContext ? instantiateType(regularArgType, inferenceContext.nonFixingMapper) : regularArgType; const effectiveCheckArgumentNode = getEffectiveCheckNode(arg); if (!checkTypeRelatedToAndOptionallyElaborate(checkArgType, paramType, relation, reportErrors2 ? effectiveCheckArgumentNode : void 0, effectiveCheckArgumentNode, headMessage, containingMessageChain, errorOutputContainer)) { Debug.assert(!reportErrors2 || !!errorOutputContainer.errors, "parameter should have errors when reporting errors"); maybeAddMissingAwaitInfo(arg, checkArgType, paramType); return errorOutputContainer.errors || emptyArray; } } } if (restType) { const spreadType = getSpreadArgumentType( args, argCount, args.length, restType, /*context*/ void 0, checkMode ); const restArgCount = args.length - argCount; const errorNode = !reportErrors2 ? void 0 : restArgCount === 0 ? node : restArgCount === 1 ? getEffectiveCheckNode(args[argCount]) : setTextRangePosEnd(createSyntheticExpression(node, spreadType), args[argCount].pos, args[args.length - 1].end); if (!checkTypeRelatedTo( spreadType, restType, relation, errorNode, headMessage, /*containingMessageChain*/ void 0, errorOutputContainer )) { Debug.assert(!reportErrors2 || !!errorOutputContainer.errors, "rest parameter should have errors when reporting errors"); maybeAddMissingAwaitInfo(errorNode, spreadType, restType); return errorOutputContainer.errors || emptyArray; } } return void 0; function maybeAddMissingAwaitInfo(errorNode, source, target) { if (errorNode && reportErrors2 && errorOutputContainer.errors && errorOutputContainer.errors.length) { if (getAwaitedTypeOfPromise(target)) { return; } const awaitedTypeOfSource = getAwaitedTypeOfPromise(source); if (awaitedTypeOfSource && isTypeRelatedTo(awaitedTypeOfSource, target, relation)) { addRelatedInfo(errorOutputContainer.errors[0], createDiagnosticForNode(errorNode, Diagnostics.Did_you_forget_to_use_await)); } } } } function getThisArgumentOfCall(node) { if (node.kind === 226) { return node.right; } const expression = node.kind === 213 ? node.expression : node.kind === 215 ? node.tag : node.kind === 170 && !legacyDecorators ? node.expression : void 0; if (expression) { const callee = skipOuterExpressions(expression); if (isAccessExpression(callee)) { return callee.expression; } } } function createSyntheticExpression(parent2, type, isSpread, tupleNameSource) { const result = parseNodeFactory.createSyntheticExpression(type, isSpread, tupleNameSource); setTextRange(result, parent2); setParent(result, parent2); return result; } function getEffectiveCallArguments(node) { if (node.kind === 215) { const template = node.template; const args2 = [createSyntheticExpression(template, getGlobalTemplateStringsArrayType())]; if (template.kind === 228) { forEach(template.templateSpans, (span) => { args2.push(span.expression); }); } return args2; } if (node.kind === 170) { return getEffectiveDecoratorArguments(node); } if (node.kind === 226) { return [node.left]; } if (isJsxOpeningLikeElement(node)) { return node.attributes.properties.length > 0 || isJsxOpeningElement(node) && node.parent.children.length > 0 ? [node.attributes] : emptyArray; } const args = node.arguments || emptyArray; const spreadIndex = getSpreadArgumentIndex(args); if (spreadIndex >= 0) { const effectiveArgs = args.slice(0, spreadIndex); for (let i = spreadIndex; i < args.length; i++) { const arg = args[i]; const spreadType = arg.kind === 230 && (flowLoopCount ? checkExpression(arg.expression) : checkExpressionCached(arg.expression)); if (spreadType && isTupleType(spreadType)) { forEach(getElementTypes(spreadType), (t, i2) => { var _a; const flags = spreadType.target.elementFlags[i2]; const syntheticArg = createSyntheticExpression(arg, flags & 4 ? createArrayType(t) : t, !!(flags & 12), (_a = spreadType.target.labeledElementDeclarations) == null ? void 0 : _a[i2]); effectiveArgs.push(syntheticArg); }); } else { effectiveArgs.push(arg); } } return effectiveArgs; } return args; } function getEffectiveDecoratorArguments(node) { const expr = node.expression; const signature = getDecoratorCallSignature(node); if (signature) { const args = []; for (const param of signature.parameters) { const type = getTypeOfSymbol(param); args.push(createSyntheticExpression(expr, type)); } return args; } return Debug.fail(); } function getDecoratorArgumentCount(node, signature) { return compilerOptions.experimentalDecorators ? getLegacyDecoratorArgumentCount(node, signature) : ( // Allow the runtime to oversupply arguments to an ES decorator as long as there's at least one parameter. Math.min(Math.max(getParameterCount(signature), 1), 2) ); } function getLegacyDecoratorArgumentCount(node, signature) { switch (node.parent.kind) { case 263: case 231: return 1; case 172: return hasAccessorModifier(node.parent) ? 3 : 2; case 174: case 177: case 178: return signature.parameters.length <= 2 ? 2 : 3; case 169: return 3; default: return Debug.fail(); } } function getDiagnosticSpanForCallNode(node) { const sourceFile = getSourceFileOfNode(node); const { start, length: length2 } = getErrorSpanForNode(sourceFile, isPropertyAccessExpression(node.expression) ? node.expression.name : node.expression); return { start, length: length2, sourceFile }; } function getDiagnosticForCallNode(node, message, ...args) { if (isCallExpression2(node)) { const { sourceFile, start, length: length2 } = getDiagnosticSpanForCallNode(node); if ("message" in message) { return createFileDiagnostic(sourceFile, start, length2, message, ...args); } return createDiagnosticForFileFromMessageChain(sourceFile, message); } else { if ("message" in message) { return createDiagnosticForNode(node, message, ...args); } return createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(node), node, message); } } function getErrorNodeForCallNode(callLike) { if (isCallOrNewExpression2(callLike)) { return isPropertyAccessExpression(callLike.expression) ? callLike.expression.name : callLike.expression; } if (isTaggedTemplateExpression(callLike)) { return isPropertyAccessExpression(callLike.tag) ? callLike.tag.name : callLike.tag; } if (isJsxOpeningLikeElement(callLike)) { return callLike.tagName; } return callLike; } function isPromiseResolveArityError(node) { if (!isCallExpression2(node) || !isIdentifier(node.expression)) return false; const symbol = resolveName( node.expression, node.expression.escapedText, 111551, /*nameNotFoundMessage*/ void 0, /*isUse*/ false ); const decl = symbol == null ? void 0 : symbol.valueDeclaration; if (!decl || !isParameter(decl) || !isFunctionExpressionOrArrowFunction(decl.parent) || !isNewExpression2(decl.parent.parent) || !isIdentifier(decl.parent.parent.expression)) { return false; } const globalPromiseSymbol = getGlobalPromiseConstructorSymbol( /*reportErrors*/ false ); if (!globalPromiseSymbol) return false; const constructorSymbol = getSymbolAtLocation( decl.parent.parent.expression, /*ignoreErrors*/ true ); return constructorSymbol === globalPromiseSymbol; } function getArgumentArityError(node, signatures, args, headMessage) { var _a; const spreadIndex = getSpreadArgumentIndex(args); if (spreadIndex > -1) { return createDiagnosticForNode(args[spreadIndex], Diagnostics.A_spread_argument_must_either_have_a_tuple_type_or_be_passed_to_a_rest_parameter); } let min2 = Number.POSITIVE_INFINITY; let max = Number.NEGATIVE_INFINITY; let maxBelow = Number.NEGATIVE_INFINITY; let minAbove = Number.POSITIVE_INFINITY; let closestSignature; for (const sig of signatures) { const minParameter = getMinArgumentCount(sig); const maxParameter = getParameterCount(sig); if (minParameter < min2) { min2 = minParameter; closestSignature = sig; } max = Math.max(max, maxParameter); if (minParameter < args.length && minParameter > maxBelow) maxBelow = minParameter; if (args.length < maxParameter && maxParameter < minAbove) minAbove = maxParameter; } const hasRestParameter2 = some(signatures, hasEffectiveRestParameter); const parameterRange = hasRestParameter2 ? min2 : min2 < max ? min2 + "-" + max : min2; const isVoidPromiseError = !hasRestParameter2 && parameterRange === 1 && args.length === 0 && isPromiseResolveArityError(node); if (isVoidPromiseError && isInJSFile(node)) { return getDiagnosticForCallNode(node, Diagnostics.Expected_1_argument_but_got_0_new_Promise_needs_a_JSDoc_hint_to_produce_a_resolve_that_can_be_called_without_arguments); } const error3 = isDecorator(node) ? hasRestParameter2 ? Diagnostics.The_runtime_will_invoke_the_decorator_with_1_arguments_but_the_decorator_expects_at_least_0 : Diagnostics.The_runtime_will_invoke_the_decorator_with_1_arguments_but_the_decorator_expects_0 : hasRestParameter2 ? Diagnostics.Expected_at_least_0_arguments_but_got_1 : isVoidPromiseError ? Diagnostics.Expected_0_arguments_but_got_1_Did_you_forget_to_include_void_in_your_type_argument_to_Promise : Diagnostics.Expected_0_arguments_but_got_1; if (min2 < args.length && args.length < max) { if (headMessage) { let chain = chainDiagnosticMessages( /*details*/ void 0, Diagnostics.No_overload_expects_0_arguments_but_overloads_do_exist_that_expect_either_1_or_2_arguments, args.length, maxBelow, minAbove ); chain = chainDiagnosticMessages(chain, headMessage); return getDiagnosticForCallNode(node, chain); } return getDiagnosticForCallNode(node, Diagnostics.No_overload_expects_0_arguments_but_overloads_do_exist_that_expect_either_1_or_2_arguments, args.length, maxBelow, minAbove); } else if (args.length < min2) { let diagnostic; if (headMessage) { let chain = chainDiagnosticMessages( /*details*/ void 0, error3, parameterRange, args.length ); chain = chainDiagnosticMessages(chain, headMessage); diagnostic = getDiagnosticForCallNode(node, chain); } else { diagnostic = getDiagnosticForCallNode(node, error3, parameterRange, args.length); } const parameter = (_a = closestSignature == null ? void 0 : closestSignature.declaration) == null ? void 0 : _a.parameters[closestSignature.thisParameter ? args.length + 1 : args.length]; if (parameter) { const messageAndArgs = isBindingPattern(parameter.name) ? [Diagnostics.An_argument_matching_this_binding_pattern_was_not_provided] : isRestParameter(parameter) ? [Diagnostics.Arguments_for_the_rest_parameter_0_were_not_provided, idText(getFirstIdentifier(parameter.name))] : [Diagnostics.An_argument_for_0_was_not_provided, !parameter.name ? args.length : idText(getFirstIdentifier(parameter.name))]; const parameterError = createDiagnosticForNode(parameter, ...messageAndArgs); return addRelatedInfo(diagnostic, parameterError); } return diagnostic; } else { const errorSpan = factory.createNodeArray(args.slice(max)); const pos = first(errorSpan).pos; let end = last(errorSpan).end; if (end === pos) { end++; } setTextRangePosEnd(errorSpan, pos, end); if (headMessage) { let chain = chainDiagnosticMessages( /*details*/ void 0, error3, parameterRange, args.length ); chain = chainDiagnosticMessages(chain, headMessage); return createDiagnosticForNodeArrayFromMessageChain(getSourceFileOfNode(node), errorSpan, chain); } return createDiagnosticForNodeArray(getSourceFileOfNode(node), errorSpan, error3, parameterRange, args.length); } } function getTypeArgumentArityError(node, signatures, typeArguments, headMessage) { const argCount = typeArguments.length; if (signatures.length === 1) { const sig = signatures[0]; const min2 = getMinTypeArgumentCount(sig.typeParameters); const max = length(sig.typeParameters); if (headMessage) { let chain = chainDiagnosticMessages( /*details*/ void 0, Diagnostics.Expected_0_type_arguments_but_got_1, min2 < max ? min2 + "-" + max : min2, argCount ); chain = chainDiagnosticMessages(chain, headMessage); return createDiagnosticForNodeArrayFromMessageChain(getSourceFileOfNode(node), typeArguments, chain); } return createDiagnosticForNodeArray(getSourceFileOfNode(node), typeArguments, Diagnostics.Expected_0_type_arguments_but_got_1, min2 < max ? min2 + "-" + max : min2, argCount); } let belowArgCount = -Infinity; let aboveArgCount = Infinity; for (const sig of signatures) { const min2 = getMinTypeArgumentCount(sig.typeParameters); const max = length(sig.typeParameters); if (min2 > argCount) { aboveArgCount = Math.min(aboveArgCount, min2); } else if (max < argCount) { belowArgCount = Math.max(belowArgCount, max); } } if (belowArgCount !== -Infinity && aboveArgCount !== Infinity) { if (headMessage) { let chain = chainDiagnosticMessages( /*details*/ void 0, Diagnostics.No_overload_expects_0_type_arguments_but_overloads_do_exist_that_expect_either_1_or_2_type_arguments, argCount, belowArgCount, aboveArgCount ); chain = chainDiagnosticMessages(chain, headMessage); return createDiagnosticForNodeArrayFromMessageChain(getSourceFileOfNode(node), typeArguments, chain); } return createDiagnosticForNodeArray(getSourceFileOfNode(node), typeArguments, Diagnostics.No_overload_expects_0_type_arguments_but_overloads_do_exist_that_expect_either_1_or_2_type_arguments, argCount, belowArgCount, aboveArgCount); } if (headMessage) { let chain = chainDiagnosticMessages( /*details*/ void 0, Diagnostics.Expected_0_type_arguments_but_got_1, belowArgCount === -Infinity ? aboveArgCount : belowArgCount, argCount ); chain = chainDiagnosticMessages(chain, headMessage); return createDiagnosticForNodeArrayFromMessageChain(getSourceFileOfNode(node), typeArguments, chain); } return createDiagnosticForNodeArray(getSourceFileOfNode(node), typeArguments, Diagnostics.Expected_0_type_arguments_but_got_1, belowArgCount === -Infinity ? aboveArgCount : belowArgCount, argCount); } function resolveCall(node, signatures, candidatesOutArray, checkMode, callChainFlags, headMessage) { const isTaggedTemplate = node.kind === 215; const isDecorator2 = node.kind === 170; const isJsxOpeningOrSelfClosingElement = isJsxOpeningLikeElement(node); const isInstanceof = node.kind === 226; const reportErrors2 = !isInferencePartiallyBlocked && !candidatesOutArray; let typeArguments; if (!isDecorator2 && !isInstanceof && !isSuperCall(node)) { typeArguments = node.typeArguments; if (isTaggedTemplate || isJsxOpeningOrSelfClosingElement || node.expression.kind !== 108) { forEach(typeArguments, checkSourceElement); } } const candidates = candidatesOutArray || []; reorderCandidates(signatures, candidates, callChainFlags); Debug.assert(candidates.length, "Revert #54442 and add a testcase with whatever triggered this"); const args = getEffectiveCallArguments(node); const isSingleNonGenericCandidate = candidates.length === 1 && !candidates[0].typeParameters; let argCheckMode = !isDecorator2 && !isSingleNonGenericCandidate && some(args, isContextSensitive) ? 4 : 0; let candidatesForArgumentError; let candidateForArgumentArityError; let candidateForTypeArgumentError; let result; const signatureHelpTrailingComma = !!(checkMode & 16) && node.kind === 213 && node.arguments.hasTrailingComma; if (candidates.length > 1) { result = chooseOverload(candidates, subtypeRelation, isSingleNonGenericCandidate, signatureHelpTrailingComma); } if (!result) { result = chooseOverload(candidates, assignableRelation, isSingleNonGenericCandidate, signatureHelpTrailingComma); } if (result) { return result; } result = getCandidateForOverloadFailure(node, candidates, args, !!candidatesOutArray, checkMode); getNodeLinks(node).resolvedSignature = result; if (reportErrors2) { if (!headMessage && isInstanceof) { headMessage = Diagnostics.The_left_hand_side_of_an_instanceof_expression_must_be_assignable_to_the_first_argument_of_the_right_hand_side_s_Symbol_hasInstance_method; } if (candidatesForArgumentError) { if (candidatesForArgumentError.length === 1 || candidatesForArgumentError.length > 3) { const last2 = candidatesForArgumentError[candidatesForArgumentError.length - 1]; let chain; if (candidatesForArgumentError.length > 3) { chain = chainDiagnosticMessages(chain, Diagnostics.The_last_overload_gave_the_following_error); chain = chainDiagnosticMessages(chain, Diagnostics.No_overload_matches_this_call); } if (headMessage) { chain = chainDiagnosticMessages(chain, headMessage); } const diags = getSignatureApplicabilityError( node, args, last2, assignableRelation, 0, /*reportErrors*/ true, () => chain, /*inferenceContext*/ void 0 ); if (diags) { for (const d of diags) { if (last2.declaration && candidatesForArgumentError.length > 3) { addRelatedInfo(d, createDiagnosticForNode(last2.declaration, Diagnostics.The_last_overload_is_declared_here)); } addImplementationSuccessElaboration(last2, d); diagnostics.add(d); } } else { Debug.fail("No error for last overload signature"); } } else { const allDiagnostics = []; let max = 0; let min2 = Number.MAX_VALUE; let minIndex = 0; let i = 0; for (const c of candidatesForArgumentError) { const chain2 = () => chainDiagnosticMessages( /*details*/ void 0, Diagnostics.Overload_0_of_1_2_gave_the_following_error, i + 1, candidates.length, signatureToString(c) ); const diags2 = getSignatureApplicabilityError( node, args, c, assignableRelation, 0, /*reportErrors*/ true, chain2, /*inferenceContext*/ void 0 ); if (diags2) { if (diags2.length <= min2) { min2 = diags2.length; minIndex = i; } max = Math.max(max, diags2.length); allDiagnostics.push(diags2); } else { Debug.fail("No error for 3 or fewer overload signatures"); } i++; } const diags = max > 1 ? allDiagnostics[minIndex] : flatten(allDiagnostics); Debug.assert(diags.length > 0, "No errors reported for 3 or fewer overload signatures"); let chain = chainDiagnosticMessages( map(diags, createDiagnosticMessageChainFromDiagnostic), Diagnostics.No_overload_matches_this_call ); if (headMessage) { chain = chainDiagnosticMessages(chain, headMessage); } const related = [...flatMap(diags, (d) => d.relatedInformation)]; let diag2; if (every(diags, (d) => d.start === diags[0].start && d.length === diags[0].length && d.file === diags[0].file)) { const { file, start, length: length2 } = diags[0]; diag2 = { file, start, length: length2, code: chain.code, category: chain.category, messageText: chain, relatedInformation: related }; } else { diag2 = createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(node), getErrorNodeForCallNode(node), chain, related); } addImplementationSuccessElaboration(candidatesForArgumentError[0], diag2); diagnostics.add(diag2); } } else if (candidateForArgumentArityError) { diagnostics.add(getArgumentArityError(node, [candidateForArgumentArityError], args, headMessage)); } else if (candidateForTypeArgumentError) { checkTypeArguments( candidateForTypeArgumentError, node.typeArguments, /*reportErrors*/ true, headMessage ); } else { const signaturesWithCorrectTypeArgumentArity = filter(signatures, (s) => hasCorrectTypeArgumentArity(s, typeArguments)); if (signaturesWithCorrectTypeArgumentArity.length === 0) { diagnostics.add(getTypeArgumentArityError(node, signatures, typeArguments, headMessage)); } else { diagnostics.add(getArgumentArityError(node, signaturesWithCorrectTypeArgumentArity, args, headMessage)); } } } return result; function addImplementationSuccessElaboration(failed, diagnostic) { var _a, _b; const oldCandidatesForArgumentError = candidatesForArgumentError; const oldCandidateForArgumentArityError = candidateForArgumentArityError; const oldCandidateForTypeArgumentError = candidateForTypeArgumentError; const failedSignatureDeclarations = ((_b = (_a = failed.declaration) == null ? void 0 : _a.symbol) == null ? void 0 : _b.declarations) || emptyArray; const isOverload2 = failedSignatureDeclarations.length > 1; const implDecl = isOverload2 ? find(failedSignatureDeclarations, (d) => isFunctionLikeDeclaration(d) && nodeIsPresent(d.body)) : void 0; if (implDecl) { const candidate = getSignatureFromDeclaration(implDecl); const isSingleNonGenericCandidate2 = !candidate.typeParameters; if (chooseOverload([candidate], assignableRelation, isSingleNonGenericCandidate2)) { addRelatedInfo(diagnostic, createDiagnosticForNode(implDecl, Diagnostics.The_call_would_have_succeeded_against_this_implementation_but_implementation_signatures_of_overloads_are_not_externally_visible)); } } candidatesForArgumentError = oldCandidatesForArgumentError; candidateForArgumentArityError = oldCandidateForArgumentArityError; candidateForTypeArgumentError = oldCandidateForTypeArgumentError; } function chooseOverload(candidates2, relation, isSingleNonGenericCandidate2, signatureHelpTrailingComma2 = false) { var _a, _b; candidatesForArgumentError = void 0; candidateForArgumentArityError = void 0; candidateForTypeArgumentError = void 0; if (isSingleNonGenericCandidate2) { const candidate = candidates2[0]; if (some(typeArguments) || !hasCorrectArity(node, args, candidate, signatureHelpTrailingComma2)) { return void 0; } if (getSignatureApplicabilityError( node, args, candidate, relation, 0, /*reportErrors*/ false, /*containingMessageChain*/ void 0, /*inferenceContext*/ void 0 )) { candidatesForArgumentError = [candidate]; return void 0; } return candidate; } for (let candidateIndex = 0; candidateIndex < candidates2.length; candidateIndex++) { let candidate = candidates2[candidateIndex]; if (!hasCorrectTypeArgumentArity(candidate, typeArguments) || !hasCorrectArity(node, args, candidate, signatureHelpTrailingComma2)) { continue; } let checkCandidate; let inferenceContext; if (candidate.typeParameters) { const paramLocation = (_b = (_a = candidate.typeParameters[0].symbol.declarations) == null ? void 0 : _a[0]) == null ? void 0 : _b.parent; const candidateParameterContext = paramLocation || (candidate.declaration && isConstructorDeclaration(candidate.declaration) ? candidate.declaration.parent : candidate.declaration); if (candidateParameterContext && findAncestor(node, (a) => a === candidateParameterContext)) { candidate = getImplementationSignature(candidate); } let typeArgumentTypes; if (some(typeArguments)) { typeArgumentTypes = checkTypeArguments( candidate, typeArguments, /*reportErrors*/ false ); if (!typeArgumentTypes) { candidateForTypeArgumentError = candidate; continue; } } else { inferenceContext = createInferenceContext( candidate.typeParameters, candidate, /*flags*/ isInJSFile(node) ? 2 : 0 /* None */ ); typeArgumentTypes = instantiateTypes(inferTypeArguments(node, candidate, args, argCheckMode | 8, inferenceContext), inferenceContext.nonFixingMapper); argCheckMode |= inferenceContext.flags & 4 ? 8 : 0; } checkCandidate = getSignatureInstantiation(candidate, typeArgumentTypes, isInJSFile(candidate.declaration), inferenceContext && inferenceContext.inferredTypeParameters); if (getNonArrayRestType(candidate) && !hasCorrectArity(node, args, checkCandidate, signatureHelpTrailingComma2)) { candidateForArgumentArityError = checkCandidate; continue; } } else { checkCandidate = candidate; } if (getSignatureApplicabilityError( node, args, checkCandidate, relation, argCheckMode, /*reportErrors*/ false, /*containingMessageChain*/ void 0, inferenceContext )) { (candidatesForArgumentError || (candidatesForArgumentError = [])).push(checkCandidate); continue; } if (argCheckMode) { argCheckMode = 0; if (inferenceContext) { const typeArgumentTypes = instantiateTypes(inferTypeArguments(node, candidate, args, argCheckMode, inferenceContext), inferenceContext.mapper); checkCandidate = getSignatureInstantiation(candidate, typeArgumentTypes, isInJSFile(candidate.declaration), inferenceContext.inferredTypeParameters); if (getNonArrayRestType(candidate) && !hasCorrectArity(node, args, checkCandidate, signatureHelpTrailingComma2)) { candidateForArgumentArityError = checkCandidate; continue; } } if (getSignatureApplicabilityError( node, args, checkCandidate, relation, argCheckMode, /*reportErrors*/ false, /*containingMessageChain*/ void 0, inferenceContext )) { (candidatesForArgumentError || (candidatesForArgumentError = [])).push(checkCandidate); continue; } } candidates2[candidateIndex] = checkCandidate; return checkCandidate; } return void 0; } } function getCandidateForOverloadFailure(node, candidates, args, hasCandidatesOutArray, checkMode) { Debug.assert(candidates.length > 0); checkNodeDeferred(node); return hasCandidatesOutArray || candidates.length === 1 || candidates.some((c) => !!c.typeParameters) ? pickLongestCandidateSignature(node, candidates, args, checkMode) : createUnionOfSignaturesForOverloadFailure(candidates); } function createUnionOfSignaturesForOverloadFailure(candidates) { const thisParameters = mapDefined(candidates, (c) => c.thisParameter); let thisParameter; if (thisParameters.length) { thisParameter = createCombinedSymbolFromTypes(thisParameters, thisParameters.map(getTypeOfParameter)); } const { min: minArgumentCount, max: maxNonRestParam } = minAndMax(candidates, getNumNonRestParameters); const parameters = []; for (let i = 0; i < maxNonRestParam; i++) { const symbols = mapDefined(candidates, (s) => signatureHasRestParameter(s) ? i < s.parameters.length - 1 ? s.parameters[i] : last(s.parameters) : i < s.parameters.length ? s.parameters[i] : void 0); Debug.assert(symbols.length !== 0); parameters.push(createCombinedSymbolFromTypes(symbols, mapDefined(candidates, (candidate) => tryGetTypeAtPosition(candidate, i)))); } const restParameterSymbols = mapDefined(candidates, (c) => signatureHasRestParameter(c) ? last(c.parameters) : void 0); let flags = 128; if (restParameterSymbols.length !== 0) { const type = createArrayType(getUnionType( mapDefined(candidates, tryGetRestTypeOfSignature), 2 /* Subtype */ )); parameters.push(createCombinedSymbolForOverloadFailure(restParameterSymbols, type)); flags |= 1; } if (candidates.some(signatureHasLiteralTypes)) { flags |= 2; } return createSignature( candidates[0].declaration, /*typeParameters*/ void 0, // Before calling this we tested for `!candidates.some(c => !!c.typeParameters)`. thisParameter, parameters, /*resolvedReturnType*/ getIntersectionType(candidates.map(getReturnTypeOfSignature)), /*resolvedTypePredicate*/ void 0, minArgumentCount, flags ); } function getNumNonRestParameters(signature) { const numParams = signature.parameters.length; return signatureHasRestParameter(signature) ? numParams - 1 : numParams; } function createCombinedSymbolFromTypes(sources, types) { return createCombinedSymbolForOverloadFailure(sources, getUnionType( types, 2 /* Subtype */ )); } function createCombinedSymbolForOverloadFailure(sources, type) { return createSymbolWithType(first(sources), type); } function pickLongestCandidateSignature(node, candidates, args, checkMode) { const bestIndex = getLongestCandidateIndex(candidates, apparentArgumentCount === void 0 ? args.length : apparentArgumentCount); const candidate = candidates[bestIndex]; const { typeParameters } = candidate; if (!typeParameters) { return candidate; } const typeArgumentNodes = callLikeExpressionMayHaveTypeArguments(node) ? node.typeArguments : void 0; const instantiated = typeArgumentNodes ? createSignatureInstantiation(candidate, getTypeArgumentsFromNodes(typeArgumentNodes, typeParameters, isInJSFile(node))) : inferSignatureInstantiationForOverloadFailure(node, typeParameters, candidate, args, checkMode); candidates[bestIndex] = instantiated; return instantiated; } function getTypeArgumentsFromNodes(typeArgumentNodes, typeParameters, isJs) { const typeArguments = typeArgumentNodes.map(getTypeOfNode); while (typeArguments.length > typeParameters.length) { typeArguments.pop(); } while (typeArguments.length < typeParameters.length) { typeArguments.push(getDefaultFromTypeParameter(typeParameters[typeArguments.length]) || getConstraintOfTypeParameter(typeParameters[typeArguments.length]) || getDefaultTypeArgumentType(isJs)); } return typeArguments; } function inferSignatureInstantiationForOverloadFailure(node, typeParameters, candidate, args, checkMode) { const inferenceContext = createInferenceContext( typeParameters, candidate, /*flags*/ isInJSFile(node) ? 2 : 0 /* None */ ); const typeArgumentTypes = inferTypeArguments(node, candidate, args, checkMode | 4 | 8, inferenceContext); return createSignatureInstantiation(candidate, typeArgumentTypes); } function getLongestCandidateIndex(candidates, argsCount) { let maxParamsIndex = -1; let maxParams = -1; for (let i = 0; i < candidates.length; i++) { const candidate = candidates[i]; const paramCount = getParameterCount(candidate); if (hasEffectiveRestParameter(candidate) || paramCount >= argsCount) { return i; } if (paramCount > maxParams) { maxParams = paramCount; maxParamsIndex = i; } } return maxParamsIndex; } function resolveCallExpression(node, candidatesOutArray, checkMode) { if (node.expression.kind === 108) { const superType = checkSuperExpression(node.expression); if (isTypeAny(superType)) { for (const arg of node.arguments) { checkExpression(arg); } return anySignature; } if (!isErrorType(superType)) { const baseTypeNode = getEffectiveBaseTypeNode(getContainingClass(node)); if (baseTypeNode) { const baseConstructors = getInstantiatedConstructorsForTypeArguments(superType, baseTypeNode.typeArguments, baseTypeNode); return resolveCall( node, baseConstructors, candidatesOutArray, checkMode, 0 /* None */ ); } } return resolveUntypedCall(node); } let callChainFlags; let funcType = checkExpression(node.expression); if (isCallChain(node)) { const nonOptionalType = getOptionalExpressionType(funcType, node.expression); callChainFlags = nonOptionalType === funcType ? 0 : isOutermostOptionalChain(node) ? 16 : 8; funcType = nonOptionalType; } else { callChainFlags = 0; } funcType = checkNonNullTypeWithReporter( funcType, node.expression, reportCannotInvokePossiblyNullOrUndefinedError ); if (funcType === silentNeverType) { return silentNeverSignature; } const apparentType = getApparentType(funcType); if (isErrorType(apparentType)) { return resolveErrorCall(node); } const callSignatures = getSignaturesOfType( apparentType, 0 /* Call */ ); const numConstructSignatures = getSignaturesOfType( apparentType, 1 /* Construct */ ).length; if (isUntypedFunctionCall(funcType, apparentType, callSignatures.length, numConstructSignatures)) { if (!isErrorType(funcType) && node.typeArguments) { error2(node, Diagnostics.Untyped_function_calls_may_not_accept_type_arguments); } return resolveUntypedCall(node); } if (!callSignatures.length) { if (numConstructSignatures) { error2(node, Diagnostics.Value_of_type_0_is_not_callable_Did_you_mean_to_include_new, typeToString(funcType)); } else { let relatedInformation; if (node.arguments.length === 1) { const text = getSourceFileOfNode(node).text; if (isLineBreak(text.charCodeAt(skipTrivia( text, node.expression.end, /*stopAfterLineBreak*/ true ) - 1))) { relatedInformation = createDiagnosticForNode(node.expression, Diagnostics.Are_you_missing_a_semicolon); } } invocationError(node.expression, apparentType, 0, relatedInformation); } return resolveErrorCall(node); } if (checkMode & 8 && !node.typeArguments && callSignatures.some(isGenericFunctionReturningFunction)) { skippedGenericFunction(node, checkMode); return resolvingSignature; } if (callSignatures.some((sig) => isInJSFile(sig.declaration) && !!getJSDocClassTag(sig.declaration))) { error2(node, Diagnostics.Value_of_type_0_is_not_callable_Did_you_mean_to_include_new, typeToString(funcType)); return resolveErrorCall(node); } return resolveCall(node, callSignatures, candidatesOutArray, checkMode, callChainFlags); } function isGenericFunctionReturningFunction(signature) { return !!(signature.typeParameters && isFunctionType(getReturnTypeOfSignature(signature))); } function isUntypedFunctionCall(funcType, apparentFuncType, numCallSignatures, numConstructSignatures) { return isTypeAny(funcType) || isTypeAny(apparentFuncType) && !!(funcType.flags & 262144) || !numCallSignatures && !numConstructSignatures && !(apparentFuncType.flags & 1048576) && !(getReducedType(apparentFuncType).flags & 131072) && isTypeAssignableTo(funcType, globalFunctionType); } function resolveNewExpression(node, candidatesOutArray, checkMode) { let expressionType = checkNonNullExpression(node.expression); if (expressionType === silentNeverType) { return silentNeverSignature; } expressionType = getApparentType(expressionType); if (isErrorType(expressionType)) { return resolveErrorCall(node); } if (isTypeAny(expressionType)) { if (node.typeArguments) { error2(node, Diagnostics.Untyped_function_calls_may_not_accept_type_arguments); } return resolveUntypedCall(node); } const constructSignatures = getSignaturesOfType( expressionType, 1 /* Construct */ ); if (constructSignatures.length) { if (!isConstructorAccessible(node, constructSignatures[0])) { return resolveErrorCall(node); } if (someSignature(constructSignatures, (signature) => !!(signature.flags & 4))) { error2(node, Diagnostics.Cannot_create_an_instance_of_an_abstract_class); return resolveErrorCall(node); } const valueDecl = expressionType.symbol && getClassLikeDeclarationOfSymbol(expressionType.symbol); if (valueDecl && hasSyntacticModifier( valueDecl, 64 /* Abstract */ )) { error2(node, Diagnostics.Cannot_create_an_instance_of_an_abstract_class); return resolveErrorCall(node); } return resolveCall( node, constructSignatures, candidatesOutArray, checkMode, 0 /* None */ ); } const callSignatures = getSignaturesOfType( expressionType, 0 /* Call */ ); if (callSignatures.length) { const signature = resolveCall( node, callSignatures, candidatesOutArray, checkMode, 0 /* None */ ); if (!noImplicitAny) { if (signature.declaration && !isJSConstructor(signature.declaration) && getReturnTypeOfSignature(signature) !== voidType2) { error2(node, Diagnostics.Only_a_void_function_can_be_called_with_the_new_keyword); } if (getThisTypeOfSignature(signature) === voidType2) { error2(node, Diagnostics.A_function_that_is_called_with_the_new_keyword_cannot_have_a_this_type_that_is_void); } } return signature; } invocationError( node.expression, expressionType, 1 /* Construct */ ); return resolveErrorCall(node); } function someSignature(signatures, f) { if (isArray3(signatures)) { return some(signatures, (signature) => someSignature(signature, f)); } return signatures.compositeKind === 1048576 ? some(signatures.compositeSignatures, f) : f(signatures); } function typeHasProtectedAccessibleBase(target, type) { const baseTypes = getBaseTypes(type); if (!length(baseTypes)) { return false; } const firstBase = baseTypes[0]; if (firstBase.flags & 2097152) { const types = firstBase.types; const mixinFlags = findMixins(types); let i = 0; for (const intersectionMember of firstBase.types) { if (!mixinFlags[i]) { if (getObjectFlags(intersectionMember) & (1 | 2)) { if (intersectionMember.symbol === target) { return true; } if (typeHasProtectedAccessibleBase(target, intersectionMember)) { return true; } } } i++; } return false; } if (firstBase.symbol === target) { return true; } return typeHasProtectedAccessibleBase(target, firstBase); } function isConstructorAccessible(node, signature) { if (!signature || !signature.declaration) { return true; } const declaration = signature.declaration; const modifiers = getSelectedEffectiveModifierFlags( declaration, 6 /* NonPublicAccessibilityModifier */ ); if (!modifiers || declaration.kind !== 176) { return true; } const declaringClassDeclaration = getClassLikeDeclarationOfSymbol(declaration.parent.symbol); const declaringClass = getDeclaredTypeOfSymbol(declaration.parent.symbol); if (!isNodeWithinClass(node, declaringClassDeclaration)) { const containingClass = getContainingClass(node); if (containingClass && modifiers & 4) { const containingType = getTypeOfNode(containingClass); if (typeHasProtectedAccessibleBase(declaration.parent.symbol, containingType)) { return true; } } if (modifiers & 2) { error2(node, Diagnostics.Constructor_of_class_0_is_private_and_only_accessible_within_the_class_declaration, typeToString(declaringClass)); } if (modifiers & 4) { error2(node, Diagnostics.Constructor_of_class_0_is_protected_and_only_accessible_within_the_class_declaration, typeToString(declaringClass)); } return false; } return true; } function invocationErrorDetails(errorTarget, apparentType, kind) { let errorInfo; const isCall = kind === 0; const awaitedType = getAwaitedType(apparentType); const maybeMissingAwait = awaitedType && getSignaturesOfType(awaitedType, kind).length > 0; if (apparentType.flags & 1048576) { const types = apparentType.types; let hasSignatures = false; for (const constituent of types) { const signatures = getSignaturesOfType(constituent, kind); if (signatures.length !== 0) { hasSignatures = true; if (errorInfo) { break; } } else { if (!errorInfo) { errorInfo = chainDiagnosticMessages( errorInfo, isCall ? Diagnostics.Type_0_has_no_call_signatures : Diagnostics.Type_0_has_no_construct_signatures, typeToString(constituent) ); errorInfo = chainDiagnosticMessages( errorInfo, isCall ? Diagnostics.Not_all_constituents_of_type_0_are_callable : Diagnostics.Not_all_constituents_of_type_0_are_constructable, typeToString(apparentType) ); } if (hasSignatures) { break; } } } if (!hasSignatures) { errorInfo = chainDiagnosticMessages( /*details*/ void 0, isCall ? Diagnostics.No_constituent_of_type_0_is_callable : Diagnostics.No_constituent_of_type_0_is_constructable, typeToString(apparentType) ); } if (!errorInfo) { errorInfo = chainDiagnosticMessages( errorInfo, isCall ? Diagnostics.Each_member_of_the_union_type_0_has_signatures_but_none_of_those_signatures_are_compatible_with_each_other : Diagnostics.Each_member_of_the_union_type_0_has_construct_signatures_but_none_of_those_signatures_are_compatible_with_each_other, typeToString(apparentType) ); } } else { errorInfo = chainDiagnosticMessages( errorInfo, isCall ? Diagnostics.Type_0_has_no_call_signatures : Diagnostics.Type_0_has_no_construct_signatures, typeToString(apparentType) ); } let headMessage = isCall ? Diagnostics.This_expression_is_not_callable : Diagnostics.This_expression_is_not_constructable; if (isCallExpression2(errorTarget.parent) && errorTarget.parent.arguments.length === 0) { const { resolvedSymbol } = getNodeLinks(errorTarget); if (resolvedSymbol && resolvedSymbol.flags & 32768) { headMessage = Diagnostics.This_expression_is_not_callable_because_it_is_a_get_accessor_Did_you_mean_to_use_it_without; } } return { messageChain: chainDiagnosticMessages(errorInfo, headMessage), relatedMessage: maybeMissingAwait ? Diagnostics.Did_you_forget_to_use_await : void 0 }; } function invocationError(errorTarget, apparentType, kind, relatedInformation) { const { messageChain, relatedMessage: relatedInfo } = invocationErrorDetails(errorTarget, apparentType, kind); const diagnostic = createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(errorTarget), errorTarget, messageChain); if (relatedInfo) { addRelatedInfo(diagnostic, createDiagnosticForNode(errorTarget, relatedInfo)); } if (isCallExpression2(errorTarget.parent)) { const { start, length: length2 } = getDiagnosticSpanForCallNode(errorTarget.parent); diagnostic.start = start; diagnostic.length = length2; } diagnostics.add(diagnostic); invocationErrorRecovery(apparentType, kind, relatedInformation ? addRelatedInfo(diagnostic, relatedInformation) : diagnostic); } function invocationErrorRecovery(apparentType, kind, diagnostic) { if (!apparentType.symbol) { return; } const importNode = getSymbolLinks(apparentType.symbol).originatingImport; if (importNode && !isImportCall(importNode)) { const sigs = getSignaturesOfType(getTypeOfSymbol(getSymbolLinks(apparentType.symbol).target), kind); if (!sigs || !sigs.length) return; addRelatedInfo(diagnostic, createDiagnosticForNode(importNode, Diagnostics.Type_originates_at_this_import_A_namespace_style_import_cannot_be_called_or_constructed_and_will_cause_a_failure_at_runtime_Consider_using_a_default_import_or_import_require_here_instead)); } } function resolveTaggedTemplateExpression(node, candidatesOutArray, checkMode) { const tagType = checkExpression(node.tag); const apparentType = getApparentType(tagType); if (isErrorType(apparentType)) { return resolveErrorCall(node); } const callSignatures = getSignaturesOfType( apparentType, 0 /* Call */ ); const numConstructSignatures = getSignaturesOfType( apparentType, 1 /* Construct */ ).length; if (isUntypedFunctionCall(tagType, apparentType, callSignatures.length, numConstructSignatures)) { return resolveUntypedCall(node); } if (!callSignatures.length) { if (isArrayLiteralExpression(node.parent)) { const diagnostic = createDiagnosticForNode(node.tag, Diagnostics.It_is_likely_that_you_are_missing_a_comma_to_separate_these_two_template_expressions_They_form_a_tagged_template_expression_which_cannot_be_invoked); diagnostics.add(diagnostic); return resolveErrorCall(node); } invocationError( node.tag, apparentType, 0 /* Call */ ); return resolveErrorCall(node); } return resolveCall( node, callSignatures, candidatesOutArray, checkMode, 0 /* None */ ); } function getDiagnosticHeadMessageForDecoratorResolution(node) { switch (node.parent.kind) { case 263: case 231: return Diagnostics.Unable_to_resolve_signature_of_class_decorator_when_called_as_an_expression; case 169: return Diagnostics.Unable_to_resolve_signature_of_parameter_decorator_when_called_as_an_expression; case 172: return Diagnostics.Unable_to_resolve_signature_of_property_decorator_when_called_as_an_expression; case 174: case 177: case 178: return Diagnostics.Unable_to_resolve_signature_of_method_decorator_when_called_as_an_expression; default: return Debug.fail(); } } function resolveDecorator(node, candidatesOutArray, checkMode) { const funcType = checkExpression(node.expression); const apparentType = getApparentType(funcType); if (isErrorType(apparentType)) { return resolveErrorCall(node); } const callSignatures = getSignaturesOfType( apparentType, 0 /* Call */ ); const numConstructSignatures = getSignaturesOfType( apparentType, 1 /* Construct */ ).length; if (isUntypedFunctionCall(funcType, apparentType, callSignatures.length, numConstructSignatures)) { return resolveUntypedCall(node); } if (isPotentiallyUncalledDecorator(node, callSignatures) && !isParenthesizedExpression(node.expression)) { const nodeStr = getTextOfNode( node.expression, /*includeTrivia*/ false ); error2(node, Diagnostics._0_accepts_too_few_arguments_to_be_used_as_a_decorator_here_Did_you_mean_to_call_it_first_and_write_0, nodeStr); return resolveErrorCall(node); } const headMessage = getDiagnosticHeadMessageForDecoratorResolution(node); if (!callSignatures.length) { const errorDetails = invocationErrorDetails( node.expression, apparentType, 0 /* Call */ ); const messageChain = chainDiagnosticMessages(errorDetails.messageChain, headMessage); const diag2 = createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(node.expression), node.expression, messageChain); if (errorDetails.relatedMessage) { addRelatedInfo(diag2, createDiagnosticForNode(node.expression, errorDetails.relatedMessage)); } diagnostics.add(diag2); invocationErrorRecovery(apparentType, 0, diag2); return resolveErrorCall(node); } return resolveCall(node, callSignatures, candidatesOutArray, checkMode, 0, headMessage); } function createSignatureForJSXIntrinsic(node, result) { const namespace = getJsxNamespaceAt(node); const exports22 = namespace && getExportsOfSymbol(namespace); const typeSymbol = exports22 && getSymbol2( exports22, JsxNames.Element, 788968 /* Type */ ); const returnNode = typeSymbol && nodeBuilder.symbolToEntityName(typeSymbol, 788968, node); const declaration = factory.createFunctionTypeNode( /*typeParameters*/ void 0, [factory.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, "props", /*questionToken*/ void 0, nodeBuilder.typeToTypeNode(result, node) )], returnNode ? factory.createTypeReferenceNode( returnNode, /*typeArguments*/ void 0 ) : factory.createKeywordTypeNode( 133 /* AnyKeyword */ ) ); const parameterSymbol = createSymbol(1, "props"); parameterSymbol.links.type = result; return createSignature( declaration, /*typeParameters*/ void 0, /*thisParameter*/ void 0, [parameterSymbol], typeSymbol ? getDeclaredTypeOfSymbol(typeSymbol) : errorType, /*resolvedTypePredicate*/ void 0, 1, 0 /* None */ ); } function resolveJsxOpeningLikeElement(node, candidatesOutArray, checkMode) { if (isJsxIntrinsicTagName(node.tagName)) { const result = getIntrinsicAttributesTypeFromJsxOpeningLikeElement(node); const fakeSignature = createSignatureForJSXIntrinsic(node, result); checkTypeAssignableToAndOptionallyElaborate(checkExpressionWithContextualType( node.attributes, getEffectiveFirstArgumentForJsxSignature(fakeSignature, node), /*inferenceContext*/ void 0, 0 /* Normal */ ), result, node.tagName, node.attributes); if (length(node.typeArguments)) { forEach(node.typeArguments, checkSourceElement); diagnostics.add(createDiagnosticForNodeArray(getSourceFileOfNode(node), node.typeArguments, Diagnostics.Expected_0_type_arguments_but_got_1, 0, length(node.typeArguments))); } return fakeSignature; } const exprTypes = checkExpression(node.tagName); const apparentType = getApparentType(exprTypes); if (isErrorType(apparentType)) { return resolveErrorCall(node); } const signatures = getUninstantiatedJsxSignaturesOfType(exprTypes, node); if (isUntypedFunctionCall( exprTypes, apparentType, signatures.length, /*constructSignatures*/ 0 )) { return resolveUntypedCall(node); } if (signatures.length === 0) { error2(node.tagName, Diagnostics.JSX_element_type_0_does_not_have_any_construct_or_call_signatures, getTextOfNode(node.tagName)); return resolveErrorCall(node); } return resolveCall( node, signatures, candidatesOutArray, checkMode, 0 /* None */ ); } function resolveInstanceofExpression(node, candidatesOutArray, checkMode) { const rightType = checkExpression(node.right); if (!isTypeAny(rightType)) { const hasInstanceMethodType = getSymbolHasInstanceMethodOfObjectType(rightType); if (hasInstanceMethodType) { const apparentType = getApparentType(hasInstanceMethodType); if (isErrorType(apparentType)) { return resolveErrorCall(node); } const callSignatures = getSignaturesOfType( apparentType, 0 /* Call */ ); const constructSignatures = getSignaturesOfType( apparentType, 1 /* Construct */ ); if (isUntypedFunctionCall(hasInstanceMethodType, apparentType, callSignatures.length, constructSignatures.length)) { return resolveUntypedCall(node); } if (callSignatures.length) { return resolveCall( node, callSignatures, candidatesOutArray, checkMode, 0 /* None */ ); } } else if (!(typeHasCallOrConstructSignatures(rightType) || isTypeSubtypeOf(rightType, globalFunctionType))) { error2(node.right, Diagnostics.The_right_hand_side_of_an_instanceof_expression_must_be_either_of_type_any_a_class_function_or_other_type_assignable_to_the_Function_interface_type_or_an_object_type_with_a_Symbol_hasInstance_method); return resolveErrorCall(node); } } return anySignature; } function isPotentiallyUncalledDecorator(decorator, signatures) { return signatures.length && every(signatures, (signature) => signature.minArgumentCount === 0 && !signatureHasRestParameter(signature) && signature.parameters.length < getDecoratorArgumentCount(decorator, signature)); } function resolveSignature(node, candidatesOutArray, checkMode) { switch (node.kind) { case 213: return resolveCallExpression(node, candidatesOutArray, checkMode); case 214: return resolveNewExpression(node, candidatesOutArray, checkMode); case 215: return resolveTaggedTemplateExpression(node, candidatesOutArray, checkMode); case 170: return resolveDecorator(node, candidatesOutArray, checkMode); case 286: case 285: return resolveJsxOpeningLikeElement(node, candidatesOutArray, checkMode); case 226: return resolveInstanceofExpression(node, candidatesOutArray, checkMode); } Debug.assertNever(node, "Branch in 'resolveSignature' should be unreachable."); } function getResolvedSignature(node, candidatesOutArray, checkMode) { const links = getNodeLinks(node); const cached = links.resolvedSignature; if (cached && cached !== resolvingSignature && !candidatesOutArray) { return cached; } const saveResolutionStart = resolutionStart; if (!cached) { resolutionStart = resolutionTargets.length; } links.resolvedSignature = resolvingSignature; let result = resolveSignature( node, candidatesOutArray, checkMode || 0 /* Normal */ ); resolutionStart = saveResolutionStart; if (result !== resolvingSignature) { if (links.resolvedSignature !== resolvingSignature) { result = links.resolvedSignature; } links.resolvedSignature = flowLoopStart === flowLoopCount ? result : cached; } return result; } function isJSConstructor(node) { var _a; if (!node || !isInJSFile(node)) { return false; } const func = isFunctionDeclaration(node) || isFunctionExpression(node) ? node : (isVariableDeclaration(node) || isPropertyAssignment(node)) && node.initializer && isFunctionExpression(node.initializer) ? node.initializer : void 0; if (func) { if (getJSDocClassTag(node)) return true; if (isPropertyAssignment(walkUpParenthesizedExpressions(func.parent))) return false; const symbol = getSymbolOfDeclaration(func); return !!((_a = symbol == null ? void 0 : symbol.members) == null ? void 0 : _a.size); } return false; } function mergeJSSymbols(target, source) { var _a, _b; if (source) { const links = getSymbolLinks(source); if (!links.inferredClassSymbol || !links.inferredClassSymbol.has(getSymbolId(target))) { const inferred = isTransientSymbol(target) ? target : cloneSymbol(target); inferred.exports = inferred.exports || createSymbolTable(); inferred.members = inferred.members || createSymbolTable(); inferred.flags |= source.flags & 32; if ((_a = source.exports) == null ? void 0 : _a.size) { mergeSymbolTable(inferred.exports, source.exports); } if ((_b = source.members) == null ? void 0 : _b.size) { mergeSymbolTable(inferred.members, source.members); } (links.inferredClassSymbol || (links.inferredClassSymbol = /* @__PURE__ */ new Map())).set(getSymbolId(inferred), inferred); return inferred; } return links.inferredClassSymbol.get(getSymbolId(target)); } } function getAssignedClassSymbol(decl) { var _a; const assignmentSymbol = decl && getSymbolOfExpando( decl, /*allowDeclaration*/ true ); const prototype = (_a = assignmentSymbol == null ? void 0 : assignmentSymbol.exports) == null ? void 0 : _a.get("prototype"); const init = (prototype == null ? void 0 : prototype.valueDeclaration) && getAssignedJSPrototype(prototype.valueDeclaration); return init ? getSymbolOfDeclaration(init) : void 0; } function getSymbolOfExpando(node, allowDeclaration) { if (!node.parent) { return void 0; } let name; let decl; if (isVariableDeclaration(node.parent) && node.parent.initializer === node) { if (!isInJSFile(node) && !(isVarConstLike2(node.parent) && isFunctionLikeDeclaration(node))) { return void 0; } name = node.parent.name; decl = node.parent; } else if (isBinaryExpression(node.parent)) { const parentNode = node.parent; const parentNodeOperator = node.parent.operatorToken.kind; if (parentNodeOperator === 64 && (allowDeclaration || parentNode.right === node)) { name = parentNode.left; decl = name; } else if (parentNodeOperator === 57 || parentNodeOperator === 61) { if (isVariableDeclaration(parentNode.parent) && parentNode.parent.initializer === parentNode) { name = parentNode.parent.name; decl = parentNode.parent; } else if (isBinaryExpression(parentNode.parent) && parentNode.parent.operatorToken.kind === 64 && (allowDeclaration || parentNode.parent.right === parentNode)) { name = parentNode.parent.left; decl = name; } if (!name || !isBindableStaticNameExpression(name) || !isSameEntityName(name, parentNode.left)) { return void 0; } } } else if (allowDeclaration && isFunctionDeclaration(node)) { name = node.name; decl = node; } if (!decl || !name || !allowDeclaration && !getExpandoInitializer(node, isPrototypeAccess(name))) { return void 0; } return getSymbolOfNode(decl); } function getAssignedJSPrototype(node) { if (!node.parent) { return false; } let parent2 = node.parent; while (parent2 && parent2.kind === 211) { parent2 = parent2.parent; } if (parent2 && isBinaryExpression(parent2) && isPrototypeAccess(parent2.left) && parent2.operatorToken.kind === 64) { const right = getInitializerOfBinaryExpression(parent2); return isObjectLiteralExpression(right) && right; } } function checkCallExpression(node, checkMode) { var _a, _b, _c; checkGrammarTypeArguments(node, node.typeArguments); const signature = getResolvedSignature( node, /*candidatesOutArray*/ void 0, checkMode ); if (signature === resolvingSignature) { return silentNeverType; } checkDeprecatedSignature(signature, node); if (node.expression.kind === 108) { return voidType2; } if (node.kind === 214) { const declaration = signature.declaration; if (declaration && declaration.kind !== 176 && declaration.kind !== 180 && declaration.kind !== 185 && !(isJSDocSignature(declaration) && ((_b = (_a = getJSDocRoot(declaration)) == null ? void 0 : _a.parent) == null ? void 0 : _b.kind) === 176) && !isJSDocConstructSignature(declaration) && !isJSConstructor(declaration)) { if (noImplicitAny) { error2(node, Diagnostics.new_expression_whose_target_lacks_a_construct_signature_implicitly_has_an_any_type); } return anyType2; } } if (isInJSFile(node) && isCommonJsRequire(node)) { return resolveExternalModuleTypeByLiteral(node.arguments[0]); } const returnType = getReturnTypeOfSignature(signature); if (returnType.flags & 12288 && isSymbolOrSymbolForCall(node)) { return getESSymbolLikeTypeForNode(walkUpParenthesizedExpressions(node.parent)); } if (node.kind === 213 && !node.questionDotToken && node.parent.kind === 244 && returnType.flags & 16384 && getTypePredicateOfSignature(signature)) { if (!isDottedName(node.expression)) { error2(node.expression, Diagnostics.Assertions_require_the_call_target_to_be_an_identifier_or_qualified_name); } else if (!getEffectsSignature(node)) { const diagnostic = error2(node.expression, Diagnostics.Assertions_require_every_name_in_the_call_target_to_be_declared_with_an_explicit_type_annotation); getTypeOfDottedName(node.expression, diagnostic); } } if (isInJSFile(node)) { const jsSymbol = getSymbolOfExpando( node, /*allowDeclaration*/ false ); if ((_c = jsSymbol == null ? void 0 : jsSymbol.exports) == null ? void 0 : _c.size) { const jsAssignmentType = createAnonymousType(jsSymbol, jsSymbol.exports, emptyArray, emptyArray, emptyArray); jsAssignmentType.objectFlags |= 4096; return getIntersectionType([returnType, jsAssignmentType]); } } return returnType; } function checkDeprecatedSignature(signature, node) { if (signature.flags & 128) return; if (signature.declaration && signature.declaration.flags & 536870912) { const suggestionNode = getDeprecatedSuggestionNode(node); const name = tryGetPropertyAccessOrIdentifierToString(getInvokedExpression(node)); addDeprecatedSuggestionWithSignature(suggestionNode, signature.declaration, name, signatureToString(signature)); } } function getDeprecatedSuggestionNode(node) { node = skipParentheses(node); switch (node.kind) { case 213: case 170: case 214: return getDeprecatedSuggestionNode(node.expression); case 215: return getDeprecatedSuggestionNode(node.tag); case 286: case 285: return getDeprecatedSuggestionNode(node.tagName); case 212: return node.argumentExpression; case 211: return node.name; case 183: const typeReference = node; return isQualifiedName(typeReference.typeName) ? typeReference.typeName.right : typeReference; default: return node; } } function isSymbolOrSymbolForCall(node) { if (!isCallExpression2(node)) return false; let left = node.expression; if (isPropertyAccessExpression(left) && left.name.escapedText === "for") { left = left.expression; } if (!isIdentifier(left) || left.escapedText !== "Symbol") { return false; } const globalESSymbol = getGlobalESSymbolConstructorSymbol( /*reportErrors*/ false ); if (!globalESSymbol) { return false; } return globalESSymbol === resolveName( left, "Symbol", 111551, /*nameNotFoundMessage*/ void 0, /*isUse*/ false ); } function checkImportCallExpression(node) { checkGrammarImportCallExpression(node); if (node.arguments.length === 0) { return createPromiseReturnType(node, anyType2); } const specifier = node.arguments[0]; const specifierType = checkExpressionCached(specifier); const optionsType = node.arguments.length > 1 ? checkExpressionCached(node.arguments[1]) : void 0; for (let i = 2; i < node.arguments.length; ++i) { checkExpressionCached(node.arguments[i]); } if (specifierType.flags & 32768 || specifierType.flags & 65536 || !isTypeAssignableTo(specifierType, stringType2)) { error2(specifier, Diagnostics.Dynamic_import_s_specifier_must_be_of_type_string_but_here_has_type_0, typeToString(specifierType)); } if (optionsType) { const importCallOptionsType = getGlobalImportCallOptionsType( /*reportErrors*/ true ); if (importCallOptionsType !== emptyObjectType) { checkTypeAssignableTo(optionsType, getNullableType( importCallOptionsType, 32768 /* Undefined */ ), node.arguments[1]); } } const moduleSymbol = resolveExternalModuleName(node, specifier); if (moduleSymbol) { const esModuleSymbol = resolveESModuleSymbol( moduleSymbol, specifier, /*dontResolveAlias*/ true, /*suppressInteropError*/ false ); if (esModuleSymbol) { return createPromiseReturnType( node, getTypeWithSyntheticDefaultOnly(getTypeOfSymbol(esModuleSymbol), esModuleSymbol, moduleSymbol, specifier) || getTypeWithSyntheticDefaultImportType(getTypeOfSymbol(esModuleSymbol), esModuleSymbol, moduleSymbol, specifier) ); } } return createPromiseReturnType(node, anyType2); } function createDefaultPropertyWrapperForModule(symbol, originalSymbol, anonymousSymbol) { const memberTable = createSymbolTable(); const newSymbol = createSymbol( 2097152, "default" /* Default */ ); newSymbol.parent = originalSymbol; newSymbol.links.nameType = getStringLiteralType("default"); newSymbol.links.aliasTarget = resolveSymbol(symbol); memberTable.set("default", newSymbol); return createAnonymousType(anonymousSymbol, memberTable, emptyArray, emptyArray, emptyArray); } function getTypeWithSyntheticDefaultOnly(type, symbol, originalSymbol, moduleSpecifier) { const hasDefaultOnly = isOnlyImportedAsDefault(moduleSpecifier); if (hasDefaultOnly && type && !isErrorType(type)) { const synthType = type; if (!synthType.defaultOnlyType) { const type2 = createDefaultPropertyWrapperForModule(symbol, originalSymbol); synthType.defaultOnlyType = type2; } return synthType.defaultOnlyType; } return void 0; } function getTypeWithSyntheticDefaultImportType(type, symbol, originalSymbol, moduleSpecifier) { var _a; if (allowSyntheticDefaultImports && type && !isErrorType(type)) { const synthType = type; if (!synthType.syntheticType) { const file = (_a = originalSymbol.declarations) == null ? void 0 : _a.find(isSourceFile); const hasSyntheticDefault = canHaveSyntheticDefault( file, originalSymbol, /*dontResolveAlias*/ false, moduleSpecifier ); if (hasSyntheticDefault) { const anonymousSymbol = createSymbol( 2048, "__type" /* Type */ ); const defaultContainingObject = createDefaultPropertyWrapperForModule(symbol, originalSymbol, anonymousSymbol); anonymousSymbol.links.type = defaultContainingObject; synthType.syntheticType = isValidSpreadType(type) ? getSpreadType( type, defaultContainingObject, anonymousSymbol, /*objectFlags*/ 0, /*readonly*/ false ) : defaultContainingObject; } else { synthType.syntheticType = type; } } return synthType.syntheticType; } return type; } function isCommonJsRequire(node) { if (!isRequireCall( node, /*requireStringLiteralLikeArgument*/ true )) { return false; } if (!isIdentifier(node.expression)) return Debug.fail(); const resolvedRequire = resolveName( node.expression, node.expression.escapedText, 111551, /*nameNotFoundMessage*/ void 0, /*isUse*/ true ); if (resolvedRequire === requireSymbol) { return true; } if (resolvedRequire.flags & 2097152) { return false; } const targetDeclarationKind = resolvedRequire.flags & 16 ? 262 : resolvedRequire.flags & 3 ? 260 : 0; if (targetDeclarationKind !== 0) { const decl = getDeclarationOfKind(resolvedRequire, targetDeclarationKind); return !!decl && !!(decl.flags & 33554432); } return false; } function checkTaggedTemplateExpression(node) { if (!checkGrammarTaggedTemplateChain(node)) checkGrammarTypeArguments(node, node.typeArguments); if (languageVersion < 2) { checkExternalEmitHelpers( node, 262144 /* MakeTemplateObject */ ); } const signature = getResolvedSignature(node); checkDeprecatedSignature(signature, node); return getReturnTypeOfSignature(signature); } function checkAssertion(node, checkMode) { if (node.kind === 216) { const file = getSourceFileOfNode(node); if (file && fileExtensionIsOneOf(file.fileName, [ ".cts", ".mts" /* Mts */ ])) { grammarErrorOnNode(node, Diagnostics.This_syntax_is_reserved_in_files_with_the_mts_or_cts_extension_Use_an_as_expression_instead); } } return checkAssertionWorker(node, checkMode); } function isValidConstAssertionArgument(node) { switch (node.kind) { case 11: case 15: case 9: case 10: case 112: case 97: case 209: case 210: case 228: return true; case 217: return isValidConstAssertionArgument(node.expression); case 224: const op = node.operator; const arg = node.operand; return op === 41 && (arg.kind === 9 || arg.kind === 10) || op === 40 && arg.kind === 9; case 211: case 212: const expr = skipParentheses(node.expression); const symbol = isEntityNameExpression(expr) ? resolveEntityName( expr, 111551, /*ignoreErrors*/ true ) : void 0; return !!(symbol && symbol.flags & 384); } return false; } function checkAssertionWorker(node, checkMode) { const { type, expression } = getAssertionTypeAndExpression(node); const exprType = checkExpression(expression, checkMode); if (isConstTypeReference(type)) { if (!isValidConstAssertionArgument(expression)) { error2(expression, Diagnostics.A_const_assertions_can_only_be_applied_to_references_to_enum_members_or_string_number_boolean_array_or_object_literals); } return getRegularTypeOfLiteralType(exprType); } const links = getNodeLinks(node); links.assertionExpressionType = exprType; checkSourceElement(type); checkNodeDeferred(node); return getTypeFromTypeNode(type); } function getAssertionTypeAndExpression(node) { let type; let expression; switch (node.kind) { case 234: case 216: type = node.type; expression = node.expression; break; case 217: type = getJSDocTypeAssertionType(node); expression = node.expression; break; } return { type, expression }; } function checkAssertionDeferred(node) { const { type } = getAssertionTypeAndExpression(node); const errNode = isParenthesizedExpression(node) ? type : node; const links = getNodeLinks(node); Debug.assertIsDefined(links.assertionExpressionType); const exprType = getRegularTypeOfObjectLiteral(getBaseTypeOfLiteralType(links.assertionExpressionType)); const targetType = getTypeFromTypeNode(type); if (!isErrorType(targetType)) { addLazyDiagnostic(() => { const widenedType = getWidenedType(exprType); if (!isTypeComparableTo(targetType, widenedType)) { checkTypeComparableTo(exprType, targetType, errNode, Diagnostics.Conversion_of_type_0_to_type_1_may_be_a_mistake_because_neither_type_sufficiently_overlaps_with_the_other_If_this_was_intentional_convert_the_expression_to_unknown_first); } }); } } function checkNonNullChain(node) { const leftType = checkExpression(node.expression); const nonOptionalType = getOptionalExpressionType(leftType, node.expression); return propagateOptionalTypeMarker(getNonNullableType(nonOptionalType), node, nonOptionalType !== leftType); } function checkNonNullAssertion(node) { return node.flags & 64 ? checkNonNullChain(node) : getNonNullableType(checkExpression(node.expression)); } function checkExpressionWithTypeArguments(node) { checkGrammarExpressionWithTypeArguments(node); forEach(node.typeArguments, checkSourceElement); if (node.kind === 233) { const parent2 = walkUpParenthesizedExpressions(node.parent); if (parent2.kind === 226 && parent2.operatorToken.kind === 104 && isNodeDescendantOf(node, parent2.right)) { error2(node, Diagnostics.The_right_hand_side_of_an_instanceof_expression_must_not_be_an_instantiation_expression); } } const exprType = node.kind === 233 ? checkExpression(node.expression) : isThisIdentifier(node.exprName) ? checkThisExpression(node.exprName) : checkExpression(node.exprName); return getInstantiationExpressionType(exprType, node); } function getInstantiationExpressionType(exprType, node) { const typeArguments = node.typeArguments; if (exprType === silentNeverType || isErrorType(exprType) || !some(typeArguments)) { return exprType; } let hasSomeApplicableSignature = false; let nonApplicableType; const result = getInstantiatedType(exprType); const errorType2 = hasSomeApplicableSignature ? nonApplicableType : exprType; if (errorType2) { diagnostics.add(createDiagnosticForNodeArray(getSourceFileOfNode(node), typeArguments, Diagnostics.Type_0_has_no_signatures_for_which_the_type_argument_list_is_applicable, typeToString(errorType2))); } return result; function getInstantiatedType(type) { let hasSignatures = false; let hasApplicableSignature = false; const result2 = getInstantiatedTypePart(type); hasSomeApplicableSignature || (hasSomeApplicableSignature = hasApplicableSignature); if (hasSignatures && !hasApplicableSignature) { nonApplicableType ?? (nonApplicableType = type); } return result2; function getInstantiatedTypePart(type2) { if (type2.flags & 524288) { const resolved = resolveStructuredTypeMembers(type2); const callSignatures = getInstantiatedSignatures(resolved.callSignatures); const constructSignatures = getInstantiatedSignatures(resolved.constructSignatures); hasSignatures || (hasSignatures = resolved.callSignatures.length !== 0 || resolved.constructSignatures.length !== 0); hasApplicableSignature || (hasApplicableSignature = callSignatures.length !== 0 || constructSignatures.length !== 0); if (callSignatures !== resolved.callSignatures || constructSignatures !== resolved.constructSignatures) { const result3 = createAnonymousType(createSymbol( 0, "__instantiationExpression" /* InstantiationExpression */ ), resolved.members, callSignatures, constructSignatures, resolved.indexInfos); result3.objectFlags |= 8388608; result3.node = node; return result3; } } else if (type2.flags & 58982400) { const constraint = getBaseConstraintOfType(type2); if (constraint) { const instantiated = getInstantiatedTypePart(constraint); if (instantiated !== constraint) { return instantiated; } } } else if (type2.flags & 1048576) { return mapType2(type2, getInstantiatedType); } else if (type2.flags & 2097152) { return getIntersectionType(sameMap(type2.types, getInstantiatedTypePart)); } return type2; } } function getInstantiatedSignatures(signatures) { const applicableSignatures = filter(signatures, (sig) => !!sig.typeParameters && hasCorrectTypeArgumentArity(sig, typeArguments)); return sameMap(applicableSignatures, (sig) => { const typeArgumentTypes = checkTypeArguments( sig, typeArguments, /*reportErrors*/ true ); return typeArgumentTypes ? getSignatureInstantiation(sig, typeArgumentTypes, isInJSFile(sig.declaration)) : sig; }); } } function checkSatisfiesExpression(node) { checkSourceElement(node.type); return checkSatisfiesExpressionWorker(node.expression, node.type); } function checkSatisfiesExpressionWorker(expression, target, checkMode) { const exprType = checkExpression(expression, checkMode); const targetType = getTypeFromTypeNode(target); if (isErrorType(targetType)) { return targetType; } const errorNode = findAncestor( target.parent, (n) => n.kind === 238 || n.kind === 350 /* JSDocSatisfiesTag */ ); checkTypeAssignableToAndOptionallyElaborate(exprType, targetType, errorNode, expression, Diagnostics.Type_0_does_not_satisfy_the_expected_type_1); return exprType; } function checkMetaProperty(node) { checkGrammarMetaProperty(node); if (node.keywordToken === 105) { return checkNewTargetMetaProperty(node); } if (node.keywordToken === 102) { return checkImportMetaProperty(node); } return Debug.assertNever(node.keywordToken); } function checkMetaPropertyKeyword(node) { switch (node.keywordToken) { case 102: return getGlobalImportMetaExpressionType(); case 105: const type = checkNewTargetMetaProperty(node); return isErrorType(type) ? errorType : createNewTargetExpressionType(type); default: Debug.assertNever(node.keywordToken); } } function checkNewTargetMetaProperty(node) { const container = getNewTargetContainer(node); if (!container) { error2(node, Diagnostics.Meta_property_0_is_only_allowed_in_the_body_of_a_function_declaration_function_expression_or_constructor, "new.target"); return errorType; } else if (container.kind === 176) { const symbol = getSymbolOfDeclaration(container.parent); return getTypeOfSymbol(symbol); } else { const symbol = getSymbolOfDeclaration(container); return getTypeOfSymbol(symbol); } } function checkImportMetaProperty(node) { if (moduleKind === 100 || moduleKind === 199) { if (getSourceFileOfNode(node).impliedNodeFormat !== 99) { error2(node, Diagnostics.The_import_meta_meta_property_is_not_allowed_in_files_which_will_build_into_CommonJS_output); } } else if (moduleKind < 6 && moduleKind !== 4) { error2(node, Diagnostics.The_import_meta_meta_property_is_only_allowed_when_the_module_option_is_es2020_es2022_esnext_system_node16_or_nodenext); } const file = getSourceFileOfNode(node); Debug.assert(!!(file.flags & 8388608), "Containing file is missing import meta node flag."); return node.name.escapedText === "meta" ? getGlobalImportMetaType() : errorType; } function getTypeOfParameter(symbol) { const declaration = symbol.valueDeclaration; return addOptionality( getTypeOfSymbol(symbol), /*isProperty*/ false, /*isOptional*/ !!declaration && (hasInitializer(declaration) || isOptionalDeclaration(declaration)) ); } function getTupleElementLabel(d, index, restParameterName = "arg") { if (!d) { return `${restParameterName}_${index}`; } Debug.assert(isIdentifier(d.name)); return d.name.escapedText; } function getParameterNameAtPosition(signature, pos, overrideRestType) { const paramCount = signature.parameters.length - (signatureHasRestParameter(signature) ? 1 : 0); if (pos < paramCount) { return signature.parameters[pos].escapedName; } const restParameter = signature.parameters[paramCount] || unknownSymbol; const restType = overrideRestType || getTypeOfSymbol(restParameter); if (isTupleType(restType)) { const associatedNames = restType.target.labeledElementDeclarations; const index = pos - paramCount; return getTupleElementLabel(associatedNames == null ? void 0 : associatedNames[index], index, restParameter.escapedName); } return restParameter.escapedName; } function getParameterIdentifierInfoAtPosition(signature, pos) { var _a; if (((_a = signature.declaration) == null ? void 0 : _a.kind) === 317) { return void 0; } const paramCount = signature.parameters.length - (signatureHasRestParameter(signature) ? 1 : 0); if (pos < paramCount) { const param = signature.parameters[pos]; const paramIdent = getParameterDeclarationIdentifier(param); return paramIdent ? { parameter: paramIdent, parameterName: param.escapedName, isRestParameter: false } : void 0; } const restParameter = signature.parameters[paramCount] || unknownSymbol; const restIdent = getParameterDeclarationIdentifier(restParameter); if (!restIdent) { return void 0; } const restType = getTypeOfSymbol(restParameter); if (isTupleType(restType)) { const associatedNames = restType.target.labeledElementDeclarations; const index = pos - paramCount; const associatedName = associatedNames == null ? void 0 : associatedNames[index]; const isRestTupleElement = !!(associatedName == null ? void 0 : associatedName.dotDotDotToken); if (associatedName) { Debug.assert(isIdentifier(associatedName.name)); return { parameter: associatedName.name, parameterName: associatedName.name.escapedText, isRestParameter: isRestTupleElement }; } return void 0; } if (pos === paramCount) { return { parameter: restIdent, parameterName: restParameter.escapedName, isRestParameter: true }; } return void 0; } function getParameterDeclarationIdentifier(symbol) { return symbol.valueDeclaration && isParameter(symbol.valueDeclaration) && isIdentifier(symbol.valueDeclaration.name) && symbol.valueDeclaration.name; } function isValidDeclarationForTupleLabel(d) { return d.kind === 202 || isParameter(d) && d.name && isIdentifier(d.name); } function getNameableDeclarationAtPosition(signature, pos) { const paramCount = signature.parameters.length - (signatureHasRestParameter(signature) ? 1 : 0); if (pos < paramCount) { const decl = signature.parameters[pos].valueDeclaration; return decl && isValidDeclarationForTupleLabel(decl) ? decl : void 0; } const restParameter = signature.parameters[paramCount] || unknownSymbol; const restType = getTypeOfSymbol(restParameter); if (isTupleType(restType)) { const associatedNames = restType.target.labeledElementDeclarations; const index = pos - paramCount; return associatedNames && associatedNames[index]; } return restParameter.valueDeclaration && isValidDeclarationForTupleLabel(restParameter.valueDeclaration) ? restParameter.valueDeclaration : void 0; } function getTypeAtPosition(signature, pos) { return tryGetTypeAtPosition(signature, pos) || anyType2; } function tryGetTypeAtPosition(signature, pos) { const paramCount = signature.parameters.length - (signatureHasRestParameter(signature) ? 1 : 0); if (pos < paramCount) { return getTypeOfParameter(signature.parameters[pos]); } if (signatureHasRestParameter(signature)) { const restType = getTypeOfSymbol(signature.parameters[paramCount]); const index = pos - paramCount; if (!isTupleType(restType) || restType.target.hasRestElement || index < restType.target.fixedLength) { return getIndexedAccessType(restType, getNumberLiteralType(index)); } } return void 0; } function getRestTypeAtPosition(source, pos, readonly) { const parameterCount = getParameterCount(source); const minArgumentCount = getMinArgumentCount(source); const restType = getEffectiveRestType(source); if (restType && pos >= parameterCount - 1) { return pos === parameterCount - 1 ? restType : createArrayType(getIndexedAccessType(restType, numberType2)); } const types = []; const flags = []; const names = []; for (let i = pos; i < parameterCount; i++) { if (!restType || i < parameterCount - 1) { types.push(getTypeAtPosition(source, i)); flags.push( i < minArgumentCount ? 1 : 2 /* Optional */ ); } else { types.push(restType); flags.push( 8 /* Variadic */ ); } names.push(getNameableDeclarationAtPosition(source, i)); } return createTupleType(types, flags, readonly, names); } function getRestOrAnyTypeAtPosition(source, pos) { const restType = getRestTypeAtPosition(source, pos); const elementType = restType && getElementTypeOfArrayType(restType); return elementType && isTypeAny(elementType) ? anyType2 : restType; } function getParameterCount(signature) { const length2 = signature.parameters.length; if (signatureHasRestParameter(signature)) { const restType = getTypeOfSymbol(signature.parameters[length2 - 1]); if (isTupleType(restType)) { return length2 + restType.target.fixedLength - (restType.target.hasRestElement ? 0 : 1); } } return length2; } function getMinArgumentCount(signature, flags) { const strongArityForUntypedJS = flags & 1; const voidIsNonOptional = flags & 2; if (voidIsNonOptional || signature.resolvedMinArgumentCount === void 0) { let minArgumentCount; if (signatureHasRestParameter(signature)) { const restType = getTypeOfSymbol(signature.parameters[signature.parameters.length - 1]); if (isTupleType(restType)) { const firstOptionalIndex = findIndex(restType.target.elementFlags, (f) => !(f & 1)); const requiredCount = firstOptionalIndex < 0 ? restType.target.fixedLength : firstOptionalIndex; if (requiredCount > 0) { minArgumentCount = signature.parameters.length - 1 + requiredCount; } } } if (minArgumentCount === void 0) { if (!strongArityForUntypedJS && signature.flags & 32) { return 0; } minArgumentCount = signature.minArgumentCount; } if (voidIsNonOptional) { return minArgumentCount; } for (let i = minArgumentCount - 1; i >= 0; i--) { const type = getTypeAtPosition(signature, i); if (filterType(type, acceptsVoid).flags & 131072) { break; } minArgumentCount = i; } signature.resolvedMinArgumentCount = minArgumentCount; } return signature.resolvedMinArgumentCount; } function hasEffectiveRestParameter(signature) { if (signatureHasRestParameter(signature)) { const restType = getTypeOfSymbol(signature.parameters[signature.parameters.length - 1]); return !isTupleType(restType) || restType.target.hasRestElement; } return false; } function getEffectiveRestType(signature) { if (signatureHasRestParameter(signature)) { const restType = getTypeOfSymbol(signature.parameters[signature.parameters.length - 1]); if (!isTupleType(restType)) { return isTypeAny(restType) ? anyArrayType : restType; } if (restType.target.hasRestElement) { return sliceTupleType(restType, restType.target.fixedLength); } } return void 0; } function getNonArrayRestType(signature) { const restType = getEffectiveRestType(signature); return restType && !isArrayType(restType) && !isTypeAny(restType) ? restType : void 0; } function getTypeOfFirstParameterOfSignature(signature) { return getTypeOfFirstParameterOfSignatureWithFallback(signature, neverType2); } function getTypeOfFirstParameterOfSignatureWithFallback(signature, fallbackType) { return signature.parameters.length > 0 ? getTypeAtPosition(signature, 0) : fallbackType; } function inferFromAnnotatedParameters(signature, context, inferenceContext) { const len = signature.parameters.length - (signatureHasRestParameter(signature) ? 1 : 0); for (let i = 0; i < len; i++) { const declaration = signature.parameters[i].valueDeclaration; const typeNode = getEffectiveTypeAnnotationNode(declaration); if (typeNode) { const source = addOptionality( getTypeFromTypeNode(typeNode), /*isProperty*/ false, isOptionalDeclaration(declaration) ); const target = getTypeAtPosition(context, i); inferTypes(inferenceContext.inferences, source, target); } } } function assignContextualParameterTypes(signature, context) { if (context.typeParameters) { if (!signature.typeParameters) { signature.typeParameters = context.typeParameters; } else { return; } } if (context.thisParameter) { const parameter = signature.thisParameter; if (!parameter || parameter.valueDeclaration && !parameter.valueDeclaration.type) { if (!parameter) { signature.thisParameter = createSymbolWithType( context.thisParameter, /*type*/ void 0 ); } assignParameterType(signature.thisParameter, getTypeOfSymbol(context.thisParameter)); } } const len = signature.parameters.length - (signatureHasRestParameter(signature) ? 1 : 0); for (let i = 0; i < len; i++) { const parameter = signature.parameters[i]; const declaration = parameter.valueDeclaration; if (!getEffectiveTypeAnnotationNode(declaration)) { let type = tryGetTypeAtPosition(context, i); if (type && declaration.initializer) { let initializerType = checkDeclarationInitializer( declaration, 0 /* Normal */ ); if (!isTypeAssignableTo(initializerType, type) && isTypeAssignableTo(type, initializerType = widenTypeInferredFromInitializer(declaration, initializerType))) { type = initializerType; } } assignParameterType(parameter, type); } } if (signatureHasRestParameter(signature)) { const parameter = last(signature.parameters); if (parameter.valueDeclaration ? !getEffectiveTypeAnnotationNode(parameter.valueDeclaration) : !!(getCheckFlags(parameter) & 65536)) { const contextualParameterType = getRestTypeAtPosition(context, len); assignParameterType(parameter, contextualParameterType); } } } function assignNonContextualParameterTypes(signature) { if (signature.thisParameter) { assignParameterType(signature.thisParameter); } for (const parameter of signature.parameters) { assignParameterType(parameter); } } function assignParameterType(parameter, contextualType) { const links = getSymbolLinks(parameter); if (!links.type) { const declaration = parameter.valueDeclaration; links.type = addOptionality( contextualType || (declaration ? getWidenedTypeForVariableLikeDeclaration( declaration, /*reportErrors*/ true ) : getTypeOfSymbol(parameter)), /*isProperty*/ false, /*isOptional*/ !!declaration && !declaration.initializer && isOptionalDeclaration(declaration) ); if (declaration && declaration.name.kind !== 80) { if (links.type === unknownType2) { links.type = getTypeFromBindingPattern(declaration.name); } assignBindingElementTypes(declaration.name, links.type); } } else if (contextualType) { Debug.assertEqual(links.type, contextualType, "Parameter symbol already has a cached type which differs from newly assigned type"); } } function assignBindingElementTypes(pattern, parentType) { for (const element of pattern.elements) { if (!isOmittedExpression(element)) { const type = getBindingElementTypeFromParentType( element, parentType, /*noTupleBoundsCheck*/ false ); if (element.name.kind === 80) { getSymbolLinks(getSymbolOfDeclaration(element)).type = type; } else { assignBindingElementTypes(element.name, type); } } } } function createClassDecoratorContextType(classType) { return tryCreateTypeReference(getGlobalClassDecoratorContextType( /*reportErrors*/ true ), [classType]); } function createClassMethodDecoratorContextType(thisType, valueType) { return tryCreateTypeReference(getGlobalClassMethodDecoratorContextType( /*reportErrors*/ true ), [thisType, valueType]); } function createClassGetterDecoratorContextType(thisType, valueType) { return tryCreateTypeReference(getGlobalClassGetterDecoratorContextType( /*reportErrors*/ true ), [thisType, valueType]); } function createClassSetterDecoratorContextType(thisType, valueType) { return tryCreateTypeReference(getGlobalClassSetterDecoratorContextType( /*reportErrors*/ true ), [thisType, valueType]); } function createClassAccessorDecoratorContextType(thisType, valueType) { return tryCreateTypeReference(getGlobalClassAccessorDecoratorContextType( /*reportErrors*/ true ), [thisType, valueType]); } function createClassFieldDecoratorContextType(thisType, valueType) { return tryCreateTypeReference(getGlobalClassFieldDecoratorContextType( /*reportErrors*/ true ), [thisType, valueType]); } function getClassMemberDecoratorContextOverrideType(nameType, isPrivate, isStatic2) { const key = `${isPrivate ? "p" : "P"}${isStatic2 ? "s" : "S"}${nameType.id}`; let overrideType = decoratorContextOverrideTypeCache.get(key); if (!overrideType) { const members = createSymbolTable(); members.set("name", createProperty("name", nameType)); members.set("private", createProperty("private", isPrivate ? trueType : falseType)); members.set("static", createProperty("static", isStatic2 ? trueType : falseType)); overrideType = createAnonymousType( /*symbol*/ void 0, members, emptyArray, emptyArray, emptyArray ); decoratorContextOverrideTypeCache.set(key, overrideType); } return overrideType; } function createClassMemberDecoratorContextTypeForNode(node, thisType, valueType) { const isStatic2 = hasStaticModifier(node); const isPrivate = isPrivateIdentifier(node.name); const nameType = isPrivate ? getStringLiteralType(idText(node.name)) : getLiteralTypeFromPropertyName(node.name); const contextType = isMethodDeclaration(node) ? createClassMethodDecoratorContextType(thisType, valueType) : isGetAccessorDeclaration(node) ? createClassGetterDecoratorContextType(thisType, valueType) : isSetAccessorDeclaration(node) ? createClassSetterDecoratorContextType(thisType, valueType) : isAutoAccessorPropertyDeclaration(node) ? createClassAccessorDecoratorContextType(thisType, valueType) : isPropertyDeclaration(node) ? createClassFieldDecoratorContextType(thisType, valueType) : Debug.failBadSyntaxKind(node); const overrideType = getClassMemberDecoratorContextOverrideType(nameType, isPrivate, isStatic2); return getIntersectionType([contextType, overrideType]); } function createClassAccessorDecoratorTargetType(thisType, valueType) { return tryCreateTypeReference(getGlobalClassAccessorDecoratorTargetType( /*reportErrors*/ true ), [thisType, valueType]); } function createClassAccessorDecoratorResultType(thisType, valueType) { return tryCreateTypeReference(getGlobalClassAccessorDecoratorResultType( /*reportErrors*/ true ), [thisType, valueType]); } function createClassFieldDecoratorInitializerMutatorType(thisType, valueType) { const thisParam = createParameter2("this", thisType); const valueParam = createParameter2("value", valueType); return createFunctionType( /*typeParameters*/ void 0, thisParam, [valueParam], valueType, /*typePredicate*/ void 0, 1 ); } function createESDecoratorCallSignature(targetType, contextType, nonOptionalReturnType) { const targetParam = createParameter2("target", targetType); const contextParam = createParameter2("context", contextType); const returnType = getUnionType([nonOptionalReturnType, voidType2]); return createCallSignature( /*typeParameters*/ void 0, /*thisParameter*/ void 0, [targetParam, contextParam], returnType ); } function getESDecoratorCallSignature(decorator) { const { parent: parent2 } = decorator; const links = getNodeLinks(parent2); if (!links.decoratorSignature) { links.decoratorSignature = anySignature; switch (parent2.kind) { case 263: case 231: { const node = parent2; const targetType = getTypeOfSymbol(getSymbolOfDeclaration(node)); const contextType = createClassDecoratorContextType(targetType); links.decoratorSignature = createESDecoratorCallSignature(targetType, contextType, targetType); break; } case 174: case 177: case 178: { const node = parent2; if (!isClassLike(node.parent)) break; const valueType = isMethodDeclaration(node) ? getOrCreateTypeFromSignature(getSignatureFromDeclaration(node)) : getTypeOfNode(node); const thisType = hasStaticModifier(node) ? getTypeOfSymbol(getSymbolOfDeclaration(node.parent)) : getDeclaredTypeOfClassOrInterface(getSymbolOfDeclaration(node.parent)); const targetType = isGetAccessorDeclaration(node) ? createGetterFunctionType(valueType) : isSetAccessorDeclaration(node) ? createSetterFunctionType(valueType) : valueType; const contextType = createClassMemberDecoratorContextTypeForNode(node, thisType, valueType); const returnType = isGetAccessorDeclaration(node) ? createGetterFunctionType(valueType) : isSetAccessorDeclaration(node) ? createSetterFunctionType(valueType) : valueType; links.decoratorSignature = createESDecoratorCallSignature(targetType, contextType, returnType); break; } case 172: { const node = parent2; if (!isClassLike(node.parent)) break; const valueType = getTypeOfNode(node); const thisType = hasStaticModifier(node) ? getTypeOfSymbol(getSymbolOfDeclaration(node.parent)) : getDeclaredTypeOfClassOrInterface(getSymbolOfDeclaration(node.parent)); const targetType = hasAccessorModifier(node) ? createClassAccessorDecoratorTargetType(thisType, valueType) : undefinedType2; const contextType = createClassMemberDecoratorContextTypeForNode(node, thisType, valueType); const returnType = hasAccessorModifier(node) ? createClassAccessorDecoratorResultType(thisType, valueType) : createClassFieldDecoratorInitializerMutatorType(thisType, valueType); links.decoratorSignature = createESDecoratorCallSignature(targetType, contextType, returnType); break; } } } return links.decoratorSignature === anySignature ? void 0 : links.decoratorSignature; } function getLegacyDecoratorCallSignature(decorator) { const { parent: parent2 } = decorator; const links = getNodeLinks(parent2); if (!links.decoratorSignature) { links.decoratorSignature = anySignature; switch (parent2.kind) { case 263: case 231: { const node = parent2; const targetType = getTypeOfSymbol(getSymbolOfDeclaration(node)); const targetParam = createParameter2("target", targetType); links.decoratorSignature = createCallSignature( /*typeParameters*/ void 0, /*thisParameter*/ void 0, [targetParam], getUnionType([targetType, voidType2]) ); break; } case 169: { const node = parent2; if (!isConstructorDeclaration(node.parent) && !(isMethodDeclaration(node.parent) || isSetAccessorDeclaration(node.parent) && isClassLike(node.parent.parent))) { break; } if (getThisParameter(node.parent) === node) { break; } const index = getThisParameter(node.parent) ? node.parent.parameters.indexOf(node) - 1 : node.parent.parameters.indexOf(node); Debug.assert(index >= 0); const targetType = isConstructorDeclaration(node.parent) ? getTypeOfSymbol(getSymbolOfDeclaration(node.parent.parent)) : getParentTypeOfClassElement(node.parent); const keyType = isConstructorDeclaration(node.parent) ? undefinedType2 : getClassElementPropertyKeyType(node.parent); const indexType = getNumberLiteralType(index); const targetParam = createParameter2("target", targetType); const keyParam = createParameter2("propertyKey", keyType); const indexParam = createParameter2("parameterIndex", indexType); links.decoratorSignature = createCallSignature( /*typeParameters*/ void 0, /*thisParameter*/ void 0, [targetParam, keyParam, indexParam], voidType2 ); break; } case 174: case 177: case 178: case 172: { const node = parent2; if (!isClassLike(node.parent)) break; const targetType = getParentTypeOfClassElement(node); const targetParam = createParameter2("target", targetType); const keyType = getClassElementPropertyKeyType(node); const keyParam = createParameter2("propertyKey", keyType); const returnType = isPropertyDeclaration(node) ? voidType2 : createTypedPropertyDescriptorType(getTypeOfNode(node)); const hasPropDesc = !isPropertyDeclaration(parent2) || hasAccessorModifier(parent2); if (hasPropDesc) { const descriptorType = createTypedPropertyDescriptorType(getTypeOfNode(node)); const descriptorParam = createParameter2("descriptor", descriptorType); links.decoratorSignature = createCallSignature( /*typeParameters*/ void 0, /*thisParameter*/ void 0, [targetParam, keyParam, descriptorParam], getUnionType([returnType, voidType2]) ); } else { links.decoratorSignature = createCallSignature( /*typeParameters*/ void 0, /*thisParameter*/ void 0, [targetParam, keyParam], getUnionType([returnType, voidType2]) ); } break; } } } return links.decoratorSignature === anySignature ? void 0 : links.decoratorSignature; } function getDecoratorCallSignature(decorator) { return legacyDecorators ? getLegacyDecoratorCallSignature(decorator) : getESDecoratorCallSignature(decorator); } function createPromiseType(promisedType) { const globalPromiseType = getGlobalPromiseType( /*reportErrors*/ true ); if (globalPromiseType !== emptyGenericType) { promisedType = getAwaitedTypeNoAlias(unwrapAwaitedType(promisedType)) || unknownType2; return createTypeReference(globalPromiseType, [promisedType]); } return unknownType2; } function createPromiseLikeType(promisedType) { const globalPromiseLikeType = getGlobalPromiseLikeType( /*reportErrors*/ true ); if (globalPromiseLikeType !== emptyGenericType) { promisedType = getAwaitedTypeNoAlias(unwrapAwaitedType(promisedType)) || unknownType2; return createTypeReference(globalPromiseLikeType, [promisedType]); } return unknownType2; } function createPromiseReturnType(func, promisedType) { const promiseType2 = createPromiseType(promisedType); if (promiseType2 === unknownType2) { error2( func, isImportCall(func) ? Diagnostics.A_dynamic_import_call_returns_a_Promise_Make_sure_you_have_a_declaration_for_Promise_or_include_ES2015_in_your_lib_option : Diagnostics.An_async_function_or_method_must_return_a_Promise_Make_sure_you_have_a_declaration_for_Promise_or_include_ES2015_in_your_lib_option ); return errorType; } else if (!getGlobalPromiseConstructorSymbol( /*reportErrors*/ true )) { error2( func, isImportCall(func) ? Diagnostics.A_dynamic_import_call_in_ES5_requires_the_Promise_constructor_Make_sure_you_have_a_declaration_for_the_Promise_constructor_or_include_ES2015_in_your_lib_option : Diagnostics.An_async_function_or_method_in_ES5_requires_the_Promise_constructor_Make_sure_you_have_a_declaration_for_the_Promise_constructor_or_include_ES2015_in_your_lib_option ); } return promiseType2; } function createNewTargetExpressionType(targetType) { const symbol = createSymbol(0, "NewTargetExpression"); const targetPropertySymbol = createSymbol( 4, "target", 8 /* Readonly */ ); targetPropertySymbol.parent = symbol; targetPropertySymbol.links.type = targetType; const members = createSymbolTable([targetPropertySymbol]); symbol.members = members; return createAnonymousType(symbol, members, emptyArray, emptyArray, emptyArray); } function getReturnTypeFromBody(func, checkMode) { if (!func.body) { return errorType; } const functionFlags = getFunctionFlags(func); const isAsync2 = (functionFlags & 2) !== 0; const isGenerator = (functionFlags & 1) !== 0; let returnType; let yieldType; let nextType; let fallbackReturnType = voidType2; if (func.body.kind !== 241) { returnType = checkExpressionCached( func.body, checkMode && checkMode & ~8 /* SkipGenericFunctions */ ); if (isAsync2) { returnType = unwrapAwaitedType(checkAwaitedType( returnType, /*withAlias*/ false, /*errorNode*/ func, Diagnostics.The_return_type_of_an_async_function_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member )); } } else if (isGenerator) { const returnTypes = checkAndAggregateReturnExpressionTypes(func, checkMode); if (!returnTypes) { fallbackReturnType = neverType2; } else if (returnTypes.length > 0) { returnType = getUnionType( returnTypes, 2 /* Subtype */ ); } const { yieldTypes, nextTypes } = checkAndAggregateYieldOperandTypes(func, checkMode); yieldType = some(yieldTypes) ? getUnionType( yieldTypes, 2 /* Subtype */ ) : void 0; nextType = some(nextTypes) ? getIntersectionType(nextTypes) : void 0; } else { const types = checkAndAggregateReturnExpressionTypes(func, checkMode); if (!types) { return functionFlags & 2 ? createPromiseReturnType(func, neverType2) : neverType2; } if (types.length === 0) { const contextualReturnType = getContextualReturnType( func, /*contextFlags*/ void 0 ); const returnType2 = contextualReturnType && (unwrapReturnType(contextualReturnType, functionFlags) || voidType2).flags & 32768 ? undefinedType2 : voidType2; return functionFlags & 2 ? createPromiseReturnType(func, returnType2) : ( // Async function returnType2 ); } returnType = getUnionType( types, 2 /* Subtype */ ); } if (returnType || yieldType || nextType) { if (yieldType) reportErrorsFromWidening( func, yieldType, 3 /* GeneratorYield */ ); if (returnType) reportErrorsFromWidening( func, returnType, 1 /* FunctionReturn */ ); if (nextType) reportErrorsFromWidening( func, nextType, 2 /* GeneratorNext */ ); if (returnType && isUnitType(returnType) || yieldType && isUnitType(yieldType) || nextType && isUnitType(nextType)) { const contextualSignature = getContextualSignatureForFunctionLikeDeclaration(func); const contextualType = !contextualSignature ? void 0 : contextualSignature === getSignatureFromDeclaration(func) ? isGenerator ? void 0 : returnType : instantiateContextualType( getReturnTypeOfSignature(contextualSignature), func, /*contextFlags*/ void 0 ); if (isGenerator) { yieldType = getWidenedLiteralLikeTypeForContextualIterationTypeIfNeeded(yieldType, contextualType, 0, isAsync2); returnType = getWidenedLiteralLikeTypeForContextualIterationTypeIfNeeded(returnType, contextualType, 1, isAsync2); nextType = getWidenedLiteralLikeTypeForContextualIterationTypeIfNeeded(nextType, contextualType, 2, isAsync2); } else { returnType = getWidenedLiteralLikeTypeForContextualReturnTypeIfNeeded(returnType, contextualType, isAsync2); } } if (yieldType) yieldType = getWidenedType(yieldType); if (returnType) returnType = getWidenedType(returnType); if (nextType) nextType = getWidenedType(nextType); } if (isGenerator) { return createGeneratorType( yieldType || neverType2, returnType || fallbackReturnType, nextType || getContextualIterationType(2, func) || unknownType2, isAsync2 ); } else { return isAsync2 ? createPromiseType(returnType || fallbackReturnType) : returnType || fallbackReturnType; } } function createGeneratorType(yieldType, returnType, nextType, isAsyncGenerator) { const resolver = isAsyncGenerator ? asyncIterationTypesResolver : syncIterationTypesResolver; const globalGeneratorType = resolver.getGlobalGeneratorType( /*reportErrors*/ false ); yieldType = resolver.resolveIterationType( yieldType, /*errorNode*/ void 0 ) || unknownType2; returnType = resolver.resolveIterationType( returnType, /*errorNode*/ void 0 ) || unknownType2; nextType = resolver.resolveIterationType( nextType, /*errorNode*/ void 0 ) || unknownType2; if (globalGeneratorType === emptyGenericType) { const globalType = resolver.getGlobalIterableIteratorType( /*reportErrors*/ false ); const iterationTypes = globalType !== emptyGenericType ? getIterationTypesOfGlobalIterableType(globalType, resolver) : void 0; const iterableIteratorReturnType = iterationTypes ? iterationTypes.returnType : anyType2; const iterableIteratorNextType = iterationTypes ? iterationTypes.nextType : undefinedType2; if (isTypeAssignableTo(returnType, iterableIteratorReturnType) && isTypeAssignableTo(iterableIteratorNextType, nextType)) { if (globalType !== emptyGenericType) { return createTypeFromGenericGlobalType(globalType, [yieldType]); } resolver.getGlobalIterableIteratorType( /*reportErrors*/ true ); return emptyObjectType; } resolver.getGlobalGeneratorType( /*reportErrors*/ true ); return emptyObjectType; } return createTypeFromGenericGlobalType(globalGeneratorType, [yieldType, returnType, nextType]); } function checkAndAggregateYieldOperandTypes(func, checkMode) { const yieldTypes = []; const nextTypes = []; const isAsync2 = (getFunctionFlags(func) & 2) !== 0; forEachYieldExpression(func.body, (yieldExpression) => { const yieldExpressionType = yieldExpression.expression ? checkExpression(yieldExpression.expression, checkMode) : undefinedWideningType; pushIfUnique(yieldTypes, getYieldedTypeOfYieldExpression(yieldExpression, yieldExpressionType, anyType2, isAsync2)); let nextType; if (yieldExpression.asteriskToken) { const iterationTypes = getIterationTypesOfIterable( yieldExpressionType, isAsync2 ? 19 : 17, yieldExpression.expression ); nextType = iterationTypes && iterationTypes.nextType; } else { nextType = getContextualType2( yieldExpression, /*contextFlags*/ void 0 ); } if (nextType) pushIfUnique(nextTypes, nextType); }); return { yieldTypes, nextTypes }; } function getYieldedTypeOfYieldExpression(node, expressionType, sentType, isAsync2) { const errorNode = node.expression || node; const yieldedType = node.asteriskToken ? checkIteratedTypeOrElementType(isAsync2 ? 19 : 17, expressionType, sentType, errorNode) : expressionType; return !isAsync2 ? yieldedType : getAwaitedType( yieldedType, errorNode, node.asteriskToken ? Diagnostics.Type_of_iterated_elements_of_a_yield_Asterisk_operand_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member : Diagnostics.Type_of_yield_operand_in_an_async_generator_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member ); } function getNotEqualFactsFromTypeofSwitch(start, end, witnesses) { let facts = 0; for (let i = 0; i < witnesses.length; i++) { const witness = i < start || i >= end ? witnesses[i] : void 0; facts |= witness !== void 0 ? typeofNEFacts.get(witness) || 32768 : 0; } return facts; } function isExhaustiveSwitchStatement(node) { const links = getNodeLinks(node); if (links.isExhaustive === void 0) { links.isExhaustive = 0; const exhaustive = computeExhaustiveSwitchStatement(node); if (links.isExhaustive === 0) { links.isExhaustive = exhaustive; } } else if (links.isExhaustive === 0) { links.isExhaustive = false; } return links.isExhaustive; } function computeExhaustiveSwitchStatement(node) { if (node.expression.kind === 221) { const witnesses = getSwitchClauseTypeOfWitnesses(node); if (!witnesses) { return false; } const operandConstraint = getBaseConstraintOrType(checkExpressionCached(node.expression.expression)); const notEqualFacts = getNotEqualFactsFromTypeofSwitch(0, 0, witnesses); if (operandConstraint.flags & 3) { return (556800 & notEqualFacts) === 556800; } return !someType(operandConstraint, (t) => getTypeFacts(t, notEqualFacts) === notEqualFacts); } const type = checkExpressionCached(node.expression); if (!isLiteralType(type)) { return false; } const switchTypes = getSwitchClauseTypes(node); if (!switchTypes.length || some(switchTypes, isNeitherUnitTypeNorNever)) { return false; } return eachTypeContainedIn(mapType2(type, getRegularTypeOfLiteralType), switchTypes); } function functionHasImplicitReturn(func) { return func.endFlowNode && isReachableFlowNode(func.endFlowNode); } function checkAndAggregateReturnExpressionTypes(func, checkMode) { const functionFlags = getFunctionFlags(func); const aggregatedTypes = []; let hasReturnWithNoExpression = functionHasImplicitReturn(func); let hasReturnOfTypeNever = false; forEachReturnStatement(func.body, (returnStatement) => { let expr = returnStatement.expression; if (expr) { expr = skipParentheses( expr, /*excludeJSDocTypeAssertions*/ true ); if (functionFlags & 2 && expr.kind === 223) { expr = skipParentheses( expr.expression, /*excludeJSDocTypeAssertions*/ true ); } if (expr.kind === 213 && expr.expression.kind === 80 && checkExpressionCached(expr.expression).symbol === getMergedSymbol(func.symbol) && (!isFunctionExpressionOrArrowFunction(func.symbol.valueDeclaration) || isConstantReference(expr.expression))) { hasReturnOfTypeNever = true; return; } let type = checkExpressionCached( expr, checkMode && checkMode & ~8 /* SkipGenericFunctions */ ); if (functionFlags & 2) { type = unwrapAwaitedType(checkAwaitedType( type, /*withAlias*/ false, func, Diagnostics.The_return_type_of_an_async_function_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member )); } if (type.flags & 131072) { hasReturnOfTypeNever = true; } pushIfUnique(aggregatedTypes, type); } else { hasReturnWithNoExpression = true; } }); if (aggregatedTypes.length === 0 && !hasReturnWithNoExpression && (hasReturnOfTypeNever || mayReturnNever(func))) { return void 0; } if (strictNullChecks && aggregatedTypes.length && hasReturnWithNoExpression && !(isJSConstructor(func) && aggregatedTypes.some((t) => t.symbol === func.symbol))) { pushIfUnique(aggregatedTypes, undefinedType2); } return aggregatedTypes; } function mayReturnNever(func) { switch (func.kind) { case 218: case 219: return true; case 174: return func.parent.kind === 210; default: return false; } } function getTypePredicateFromBody(func) { switch (func.kind) { case 176: case 177: case 178: return void 0; } const functionFlags = getFunctionFlags(func); if (functionFlags !== 0) return void 0; let singleReturn; if (func.body && func.body.kind !== 241) { singleReturn = func.body; } else { const bailedEarly = forEachReturnStatement(func.body, (returnStatement) => { if (singleReturn || !returnStatement.expression) return true; singleReturn = returnStatement.expression; }); if (bailedEarly || !singleReturn || functionHasImplicitReturn(func)) return void 0; } return checkIfExpressionRefinesAnyParameter(func, singleReturn); } function checkIfExpressionRefinesAnyParameter(func, expr) { expr = skipParentheses( expr, /*excludeJSDocTypeAssertions*/ true ); const returnType = checkExpressionCached(expr); if (!(returnType.flags & 16)) return void 0; return forEach(func.parameters, (param, i) => { const initType = getTypeOfSymbol(param.symbol); if (!initType || initType.flags & 16 || !isIdentifier(param.name) || isSymbolAssigned(param.symbol) || isRestParameter(param)) { return; } const trueType2 = checkIfExpressionRefinesParameter(func, expr, param, initType); if (trueType2) { return createTypePredicate(1, unescapeLeadingUnderscores(param.name.escapedText), i, trueType2); } }); } function checkIfExpressionRefinesParameter(func, expr, param, initType) { const antecedent = expr.flowNode || expr.parent.kind === 253 && expr.parent.flowNode || createFlowNode( 2, /*node*/ void 0, /*antecedent*/ void 0 ); const trueCondition = createFlowNode(32, expr, antecedent); const trueType2 = getFlowTypeOfReference(param.name, initType, initType, func, trueCondition); if (trueType2 === initType) return void 0; const falseCondition = createFlowNode(64, expr, antecedent); const falseSubtype = getFlowTypeOfReference(param.name, initType, trueType2, func, falseCondition); return falseSubtype.flags & 131072 ? trueType2 : void 0; } function checkAllCodePathsInNonVoidFunctionReturnOrThrow(func, returnType) { addLazyDiagnostic(checkAllCodePathsInNonVoidFunctionReturnOrThrowDiagnostics); return; function checkAllCodePathsInNonVoidFunctionReturnOrThrowDiagnostics() { const functionFlags = getFunctionFlags(func); const type = returnType && unwrapReturnType(returnType, functionFlags); if (type && (maybeTypeOfKind( type, 16384 /* Void */ ) || type.flags & (1 | 32768))) { return; } if (func.kind === 173 || nodeIsMissing(func.body) || func.body.kind !== 241 || !functionHasImplicitReturn(func)) { return; } const hasExplicitReturn = func.flags & 1024; const errorNode = getEffectiveReturnTypeNode(func) || func; if (type && type.flags & 131072) { error2(errorNode, Diagnostics.A_function_returning_never_cannot_have_a_reachable_end_point); } else if (type && !hasExplicitReturn) { error2(errorNode, Diagnostics.A_function_whose_declared_type_is_neither_undefined_void_nor_any_must_return_a_value); } else if (type && strictNullChecks && !isTypeAssignableTo(undefinedType2, type)) { error2(errorNode, Diagnostics.Function_lacks_ending_return_statement_and_return_type_does_not_include_undefined); } else if (compilerOptions.noImplicitReturns) { if (!type) { if (!hasExplicitReturn) { return; } const inferredReturnType = getReturnTypeOfSignature(getSignatureFromDeclaration(func)); if (isUnwrappedReturnTypeUndefinedVoidOrAny(func, inferredReturnType)) { return; } } error2(errorNode, Diagnostics.Not_all_code_paths_return_a_value); } } } function checkFunctionExpressionOrObjectLiteralMethod(node, checkMode) { Debug.assert(node.kind !== 174 || isObjectLiteralMethod(node)); checkNodeDeferred(node); if (isFunctionExpression(node)) { checkCollisionsForDeclarationName(node, node.name); } if (checkMode && checkMode & 4 && isContextSensitive(node)) { if (!getEffectiveReturnTypeNode(node) && !hasContextSensitiveParameters(node)) { const contextualSignature = getContextualSignature(node); if (contextualSignature && couldContainTypeVariables(getReturnTypeOfSignature(contextualSignature))) { const links = getNodeLinks(node); if (links.contextFreeType) { return links.contextFreeType; } const returnType = getReturnTypeFromBody(node, checkMode); const returnOnlySignature = createSignature( /*declaration*/ void 0, /*typeParameters*/ void 0, /*thisParameter*/ void 0, emptyArray, returnType, /*resolvedTypePredicate*/ void 0, 0, 64 /* IsNonInferrable */ ); const returnOnlyType = createAnonymousType(node.symbol, emptySymbols, [returnOnlySignature], emptyArray, emptyArray); returnOnlyType.objectFlags |= 262144; return links.contextFreeType = returnOnlyType; } } return anyFunctionType; } const hasGrammarError = checkGrammarFunctionLikeDeclaration(node); if (!hasGrammarError && node.kind === 218) { checkGrammarForGenerator(node); } contextuallyCheckFunctionExpressionOrObjectLiteralMethod(node, checkMode); return getTypeOfSymbol(getSymbolOfDeclaration(node)); } function contextuallyCheckFunctionExpressionOrObjectLiteralMethod(node, checkMode) { const links = getNodeLinks(node); if (!(links.flags & 64)) { const contextualSignature = getContextualSignature(node); if (!(links.flags & 64)) { links.flags |= 64; const signature = firstOrUndefined(getSignaturesOfType( getTypeOfSymbol(getSymbolOfDeclaration(node)), 0 /* Call */ )); if (!signature) { return; } if (isContextSensitive(node)) { if (contextualSignature) { const inferenceContext = getInferenceContext(node); let instantiatedContextualSignature; if (checkMode && checkMode & 2) { inferFromAnnotatedParameters(signature, contextualSignature, inferenceContext); const restType = getEffectiveRestType(contextualSignature); if (restType && restType.flags & 262144) { instantiatedContextualSignature = instantiateSignature(contextualSignature, inferenceContext.nonFixingMapper); } } instantiatedContextualSignature || (instantiatedContextualSignature = inferenceContext ? instantiateSignature(contextualSignature, inferenceContext.mapper) : contextualSignature); assignContextualParameterTypes(signature, instantiatedContextualSignature); } else { assignNonContextualParameterTypes(signature); } } else if (contextualSignature && !node.typeParameters && contextualSignature.parameters.length > node.parameters.length) { const inferenceContext = getInferenceContext(node); if (checkMode && checkMode & 2) { inferFromAnnotatedParameters(signature, contextualSignature, inferenceContext); } } if (contextualSignature && !getReturnTypeFromAnnotation(node) && !signature.resolvedReturnType) { const returnType = getReturnTypeFromBody(node, checkMode); if (!signature.resolvedReturnType) { signature.resolvedReturnType = returnType; } } checkSignatureDeclaration(node); } } } function checkFunctionExpressionOrObjectLiteralMethodDeferred(node) { Debug.assert(node.kind !== 174 || isObjectLiteralMethod(node)); const functionFlags = getFunctionFlags(node); const returnType = getReturnTypeFromAnnotation(node); checkAllCodePathsInNonVoidFunctionReturnOrThrow(node, returnType); if (node.body) { if (!getEffectiveReturnTypeNode(node)) { getReturnTypeOfSignature(getSignatureFromDeclaration(node)); } if (node.body.kind === 241) { checkSourceElement(node.body); } else { const exprType = checkExpression(node.body); const returnOrPromisedType = returnType && unwrapReturnType(returnType, functionFlags); if (returnOrPromisedType) { const effectiveCheckNode = getEffectiveCheckNode(node.body); if ((functionFlags & 3) === 2) { const awaitedType = checkAwaitedType( exprType, /*withAlias*/ false, effectiveCheckNode, Diagnostics.The_return_type_of_an_async_function_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member ); checkTypeAssignableToAndOptionallyElaborate(awaitedType, returnOrPromisedType, effectiveCheckNode, effectiveCheckNode); } else { checkTypeAssignableToAndOptionallyElaborate(exprType, returnOrPromisedType, effectiveCheckNode, effectiveCheckNode); } } } } } function checkArithmeticOperandType(operand, type, diagnostic, isAwaitValid = false) { if (!isTypeAssignableTo(type, numberOrBigIntType)) { const awaitedType = isAwaitValid && getAwaitedTypeOfPromise(type); errorAndMaybeSuggestAwait( operand, !!awaitedType && isTypeAssignableTo(awaitedType, numberOrBigIntType), diagnostic ); return false; } return true; } function isReadonlyAssignmentDeclaration(d) { if (!isCallExpression2(d)) { return false; } if (!isBindableObjectDefinePropertyCall(d)) { return false; } const objectLitType = checkExpressionCached(d.arguments[2]); const valueType = getTypeOfPropertyOfType(objectLitType, "value"); if (valueType) { const writableProp = getPropertyOfType(objectLitType, "writable"); const writableType = writableProp && getTypeOfSymbol(writableProp); if (!writableType || writableType === falseType || writableType === regularFalseType) { return true; } if (writableProp && writableProp.valueDeclaration && isPropertyAssignment(writableProp.valueDeclaration)) { const initializer = writableProp.valueDeclaration.initializer; const rawOriginalType = checkExpression(initializer); if (rawOriginalType === falseType || rawOriginalType === regularFalseType) { return true; } } return false; } const setProp = getPropertyOfType(objectLitType, "set"); return !setProp; } function isReadonlySymbol(symbol) { return !!(getCheckFlags(symbol) & 8 || symbol.flags & 4 && getDeclarationModifierFlagsFromSymbol(symbol) & 8 || symbol.flags & 3 && getDeclarationNodeFlagsFromSymbol(symbol) & 6 || symbol.flags & 98304 && !(symbol.flags & 65536) || symbol.flags & 8 || some(symbol.declarations, isReadonlyAssignmentDeclaration)); } function isAssignmentToReadonlyEntity(expr, symbol, assignmentKind) { var _a, _b; if (assignmentKind === 0) { return false; } if (isReadonlySymbol(symbol)) { if (symbol.flags & 4 && isAccessExpression(expr) && expr.expression.kind === 110) { const ctor = getContainingFunction(expr); if (!(ctor && (ctor.kind === 176 || isJSConstructor(ctor)))) { return true; } if (symbol.valueDeclaration) { const isAssignmentDeclaration2 = isBinaryExpression(symbol.valueDeclaration); const isLocalPropertyDeclaration = ctor.parent === symbol.valueDeclaration.parent; const isLocalParameterProperty = ctor === symbol.valueDeclaration.parent; const isLocalThisPropertyAssignment = isAssignmentDeclaration2 && ((_a = symbol.parent) == null ? void 0 : _a.valueDeclaration) === ctor.parent; const isLocalThisPropertyAssignmentConstructorFunction = isAssignmentDeclaration2 && ((_b = symbol.parent) == null ? void 0 : _b.valueDeclaration) === ctor; const isWriteableSymbol = isLocalPropertyDeclaration || isLocalParameterProperty || isLocalThisPropertyAssignment || isLocalThisPropertyAssignmentConstructorFunction; return !isWriteableSymbol; } } return true; } if (isAccessExpression(expr)) { const node = skipParentheses(expr.expression); if (node.kind === 80) { const symbol2 = getNodeLinks(node).resolvedSymbol; if (symbol2.flags & 2097152) { const declaration = getDeclarationOfAliasSymbol(symbol2); return !!declaration && declaration.kind === 274; } } } return false; } function checkReferenceExpression(expr, invalidReferenceMessage, invalidOptionalChainMessage) { const node = skipOuterExpressions( expr, 6 | 1 /* Parentheses */ ); if (node.kind !== 80 && !isAccessExpression(node)) { error2(expr, invalidReferenceMessage); return false; } if (node.flags & 64) { error2(expr, invalidOptionalChainMessage); return false; } return true; } function checkDeleteExpression(node) { checkExpression(node.expression); const expr = skipParentheses(node.expression); if (!isAccessExpression(expr)) { error2(expr, Diagnostics.The_operand_of_a_delete_operator_must_be_a_property_reference); return booleanType2; } if (isPropertyAccessExpression(expr) && isPrivateIdentifier(expr.name)) { error2(expr, Diagnostics.The_operand_of_a_delete_operator_cannot_be_a_private_identifier); } const links = getNodeLinks(expr); const symbol = getExportSymbolOfValueSymbolIfExported(links.resolvedSymbol); if (symbol) { if (isReadonlySymbol(symbol)) { error2(expr, Diagnostics.The_operand_of_a_delete_operator_cannot_be_a_read_only_property); } else { checkDeleteExpressionMustBeOptional(expr, symbol); } } return booleanType2; } function checkDeleteExpressionMustBeOptional(expr, symbol) { const type = getTypeOfSymbol(symbol); if (strictNullChecks && !(type.flags & (3 | 131072)) && !(exactOptionalPropertyTypes ? symbol.flags & 16777216 : hasTypeFacts( type, 16777216 /* IsUndefined */ ))) { error2(expr, Diagnostics.The_operand_of_a_delete_operator_must_be_optional); } } function checkTypeOfExpression(node) { checkExpression(node.expression); return typeofType; } function checkVoidExpression(node) { checkNodeDeferred(node); return undefinedWideningType; } function checkAwaitGrammar(node) { let hasError = false; const container = getContainingFunctionOrClassStaticBlock(node); if (container && isClassStaticBlockDeclaration(container)) { const message = isAwaitExpression(node) ? Diagnostics.await_expression_cannot_be_used_inside_a_class_static_block : Diagnostics.await_using_statements_cannot_be_used_inside_a_class_static_block; error2(node, message); hasError = true; } else if (!(node.flags & 65536)) { if (isInTopLevelContext(node)) { const sourceFile = getSourceFileOfNode(node); if (!hasParseDiagnostics(sourceFile)) { let span; if (!isEffectiveExternalModule(sourceFile, compilerOptions)) { span ?? (span = getSpanOfTokenAtPosition(sourceFile, node.pos)); const message = isAwaitExpression(node) ? Diagnostics.await_expressions_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module : Diagnostics.await_using_statements_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module; const diagnostic = createFileDiagnostic(sourceFile, span.start, span.length, message); diagnostics.add(diagnostic); hasError = true; } switch (moduleKind) { case 100: case 199: if (sourceFile.impliedNodeFormat === 1) { span ?? (span = getSpanOfTokenAtPosition(sourceFile, node.pos)); diagnostics.add( createFileDiagnostic(sourceFile, span.start, span.length, Diagnostics.The_current_file_is_a_CommonJS_module_and_cannot_use_await_at_the_top_level) ); hasError = true; break; } case 7: case 99: case 200: case 4: if (languageVersion >= 4) { break; } default: span ?? (span = getSpanOfTokenAtPosition(sourceFile, node.pos)); const message = isAwaitExpression(node) ? Diagnostics.Top_level_await_expressions_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher : Diagnostics.Top_level_await_using_statements_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher; diagnostics.add(createFileDiagnostic(sourceFile, span.start, span.length, message)); hasError = true; break; } } } else { const sourceFile = getSourceFileOfNode(node); if (!hasParseDiagnostics(sourceFile)) { const span = getSpanOfTokenAtPosition(sourceFile, node.pos); const message = isAwaitExpression(node) ? Diagnostics.await_expressions_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules : Diagnostics.await_using_statements_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules; const diagnostic = createFileDiagnostic(sourceFile, span.start, span.length, message); if (container && container.kind !== 176 && (getFunctionFlags(container) & 2) === 0) { const relatedInfo = createDiagnosticForNode(container, Diagnostics.Did_you_mean_to_mark_this_function_as_async); addRelatedInfo(diagnostic, relatedInfo); } diagnostics.add(diagnostic); hasError = true; } } } if (isAwaitExpression(node) && isInParameterInitializerBeforeContainingFunction(node)) { error2(node, Diagnostics.await_expressions_cannot_be_used_in_a_parameter_initializer); hasError = true; } return hasError; } function checkAwaitExpression(node) { addLazyDiagnostic(() => checkAwaitGrammar(node)); const operandType = checkExpression(node.expression); const awaitedType = checkAwaitedType( operandType, /*withAlias*/ true, node, Diagnostics.Type_of_await_operand_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member ); if (awaitedType === operandType && !isErrorType(awaitedType) && !(operandType.flags & 3)) { addErrorOrSuggestion( /*isError*/ false, createDiagnosticForNode(node, Diagnostics.await_has_no_effect_on_the_type_of_this_expression) ); } return awaitedType; } function checkPrefixUnaryExpression(node) { const operandType = checkExpression(node.operand); if (operandType === silentNeverType) { return silentNeverType; } switch (node.operand.kind) { case 9: switch (node.operator) { case 41: return getFreshTypeOfLiteralType(getNumberLiteralType(-node.operand.text)); case 40: return getFreshTypeOfLiteralType(getNumberLiteralType(+node.operand.text)); } break; case 10: if (node.operator === 41) { return getFreshTypeOfLiteralType(getBigIntLiteralType({ negative: true, base10Value: parsePseudoBigInt(node.operand.text) })); } } switch (node.operator) { case 40: case 41: case 55: checkNonNullType(operandType, node.operand); if (maybeTypeOfKindConsideringBaseConstraint( operandType, 12288 /* ESSymbolLike */ )) { error2(node.operand, Diagnostics.The_0_operator_cannot_be_applied_to_type_symbol, tokenToString(node.operator)); } if (node.operator === 40) { if (maybeTypeOfKindConsideringBaseConstraint( operandType, 2112 /* BigIntLike */ )) { error2(node.operand, Diagnostics.Operator_0_cannot_be_applied_to_type_1, tokenToString(node.operator), typeToString(getBaseTypeOfLiteralType(operandType))); } return numberType2; } return getUnaryResultType(operandType); case 54: checkTruthinessOfType(operandType, node.operand); const facts = getTypeFacts( operandType, 4194304 | 8388608 /* Falsy */ ); return facts === 4194304 ? falseType : facts === 8388608 ? trueType : booleanType2; case 46: case 47: const ok = checkArithmeticOperandType(node.operand, checkNonNullType(operandType, node.operand), Diagnostics.An_arithmetic_operand_must_be_of_type_any_number_bigint_or_an_enum_type); if (ok) { checkReferenceExpression( node.operand, Diagnostics.The_operand_of_an_increment_or_decrement_operator_must_be_a_variable_or_a_property_access, Diagnostics.The_operand_of_an_increment_or_decrement_operator_may_not_be_an_optional_property_access ); } return getUnaryResultType(operandType); } return errorType; } function checkPostfixUnaryExpression(node) { const operandType = checkExpression(node.operand); if (operandType === silentNeverType) { return silentNeverType; } const ok = checkArithmeticOperandType( node.operand, checkNonNullType(operandType, node.operand), Diagnostics.An_arithmetic_operand_must_be_of_type_any_number_bigint_or_an_enum_type ); if (ok) { checkReferenceExpression( node.operand, Diagnostics.The_operand_of_an_increment_or_decrement_operator_must_be_a_variable_or_a_property_access, Diagnostics.The_operand_of_an_increment_or_decrement_operator_may_not_be_an_optional_property_access ); } return getUnaryResultType(operandType); } function getUnaryResultType(operandType) { if (maybeTypeOfKind( operandType, 2112 /* BigIntLike */ )) { return isTypeAssignableToKind( operandType, 3 /* AnyOrUnknown */ ) || maybeTypeOfKind( operandType, 296 /* NumberLike */ ) ? numberOrBigIntType : bigintType; } return numberType2; } function maybeTypeOfKindConsideringBaseConstraint(type, kind) { if (maybeTypeOfKind(type, kind)) { return true; } const baseConstraint = getBaseConstraintOrType(type); return !!baseConstraint && maybeTypeOfKind(baseConstraint, kind); } function maybeTypeOfKind(type, kind) { if (type.flags & kind) { return true; } if (type.flags & 3145728) { const types = type.types; for (const t of types) { if (maybeTypeOfKind(t, kind)) { return true; } } } return false; } function isTypeAssignableToKind(source, kind, strict) { if (source.flags & kind) { return true; } if (strict && source.flags & (3 | 16384 | 32768 | 65536)) { return false; } return !!(kind & 296) && isTypeAssignableTo(source, numberType2) || !!(kind & 2112) && isTypeAssignableTo(source, bigintType) || !!(kind & 402653316) && isTypeAssignableTo(source, stringType2) || !!(kind & 528) && isTypeAssignableTo(source, booleanType2) || !!(kind & 16384) && isTypeAssignableTo(source, voidType2) || !!(kind & 131072) && isTypeAssignableTo(source, neverType2) || !!(kind & 65536) && isTypeAssignableTo(source, nullType2) || !!(kind & 32768) && isTypeAssignableTo(source, undefinedType2) || !!(kind & 4096) && isTypeAssignableTo(source, esSymbolType) || !!(kind & 67108864) && isTypeAssignableTo(source, nonPrimitiveType); } function allTypesAssignableToKind(source, kind, strict) { return source.flags & 1048576 ? every(source.types, (subType) => allTypesAssignableToKind(subType, kind, strict)) : isTypeAssignableToKind(source, kind, strict); } function isConstEnumObjectType(type) { return !!(getObjectFlags(type) & 16) && !!type.symbol && isConstEnumSymbol(type.symbol); } function isConstEnumSymbol(symbol) { return (symbol.flags & 128) !== 0; } function getSymbolHasInstanceMethodOfObjectType(type) { const hasInstancePropertyName = getPropertyNameForKnownSymbolName("hasInstance"); if (allTypesAssignableToKind( type, 67108864 /* NonPrimitive */ )) { const hasInstanceProperty = getPropertyOfType(type, hasInstancePropertyName); if (hasInstanceProperty) { const hasInstancePropertyType = getTypeOfSymbol(hasInstanceProperty); if (hasInstancePropertyType && getSignaturesOfType( hasInstancePropertyType, 0 /* Call */ ).length !== 0) { return hasInstancePropertyType; } } } } function checkInstanceOfExpression(left, right, leftType, rightType, checkMode) { if (leftType === silentNeverType || rightType === silentNeverType) { return silentNeverType; } if (!isTypeAny(leftType) && allTypesAssignableToKind( leftType, 402784252 /* Primitive */ )) { error2(left, Diagnostics.The_left_hand_side_of_an_instanceof_expression_must_be_of_type_any_an_object_type_or_a_type_parameter); } Debug.assert(isInstanceOfExpression(left.parent)); const signature = getResolvedSignature( left.parent, /*candidatesOutArray*/ void 0, checkMode ); if (signature === resolvingSignature) { return silentNeverType; } const returnType = getReturnTypeOfSignature(signature); checkTypeAssignableTo(returnType, booleanType2, right, Diagnostics.An_object_s_Symbol_hasInstance_method_must_return_a_boolean_value_for_it_to_be_used_on_the_right_hand_side_of_an_instanceof_expression); return booleanType2; } function hasEmptyObjectIntersection(type) { return someType(type, (t) => t === unknownEmptyObjectType || !!(t.flags & 2097152) && isEmptyAnonymousObjectType(getBaseConstraintOrType(t))); } function checkInExpression(left, right, leftType, rightType) { if (leftType === silentNeverType || rightType === silentNeverType) { return silentNeverType; } if (isPrivateIdentifier(left)) { if (languageVersion < 9 || languageVersion < 99 || !useDefineForClassFields) { checkExternalEmitHelpers( left, 2097152 /* ClassPrivateFieldIn */ ); } if (!getNodeLinks(left).resolvedSymbol && getContainingClass(left)) { const isUncheckedJS = isUncheckedJSSuggestion( left, rightType.symbol, /*excludeClasses*/ true ); reportNonexistentProperty(left, rightType, isUncheckedJS); } } else { checkTypeAssignableTo(checkNonNullType(leftType, left), stringNumberSymbolType, left); } if (checkTypeAssignableTo(checkNonNullType(rightType, right), nonPrimitiveType, right)) { if (hasEmptyObjectIntersection(rightType)) { error2(right, Diagnostics.Type_0_may_represent_a_primitive_value_which_is_not_permitted_as_the_right_operand_of_the_in_operator, typeToString(rightType)); } } return booleanType2; } function checkObjectLiteralAssignment(node, sourceType, rightIsThis) { const properties = node.properties; if (strictNullChecks && properties.length === 0) { return checkNonNullType(sourceType, node); } for (let i = 0; i < properties.length; i++) { checkObjectLiteralDestructuringPropertyAssignment(node, sourceType, i, properties, rightIsThis); } return sourceType; } function checkObjectLiteralDestructuringPropertyAssignment(node, objectLiteralType, propertyIndex, allProperties, rightIsThis = false) { const properties = node.properties; const property = properties[propertyIndex]; if (property.kind === 303 || property.kind === 304) { const name = property.name; const exprType = getLiteralTypeFromPropertyName(name); if (isTypeUsableAsPropertyName(exprType)) { const text = getPropertyNameFromType(exprType); const prop = getPropertyOfType(objectLiteralType, text); if (prop) { markPropertyAsReferenced(prop, property, rightIsThis); checkPropertyAccessibility( property, /*isSuper*/ false, /*writing*/ true, objectLiteralType, prop ); } } const elementType = getIndexedAccessType(objectLiteralType, exprType, 32, name); const type = getFlowTypeOfDestructuring(property, elementType); return checkDestructuringAssignment(property.kind === 304 ? property : property.initializer, type); } else if (property.kind === 305) { if (propertyIndex < properties.length - 1) { error2(property, Diagnostics.A_rest_element_must_be_last_in_a_destructuring_pattern); } else { if (languageVersion < 5) { checkExternalEmitHelpers( property, 4 /* Rest */ ); } const nonRestNames = []; if (allProperties) { for (const otherProperty of allProperties) { if (!isSpreadAssignment(otherProperty)) { nonRestNames.push(otherProperty.name); } } } const type = getRestType(objectLiteralType, nonRestNames, objectLiteralType.symbol); checkGrammarForDisallowedTrailingComma(allProperties, Diagnostics.A_rest_parameter_or_binding_pattern_may_not_have_a_trailing_comma); return checkDestructuringAssignment(property.expression, type); } } else { error2(property, Diagnostics.Property_assignment_expected); } } function checkArrayLiteralAssignment(node, sourceType, checkMode) { const elements = node.elements; if (languageVersion < 2 && compilerOptions.downlevelIteration) { checkExternalEmitHelpers( node, 512 /* Read */ ); } const possiblyOutOfBoundsType = checkIteratedTypeOrElementType(65 | 128, sourceType, undefinedType2, node) || errorType; let inBoundsType = compilerOptions.noUncheckedIndexedAccess ? void 0 : possiblyOutOfBoundsType; for (let i = 0; i < elements.length; i++) { let type = possiblyOutOfBoundsType; if (node.elements[i].kind === 230) { type = inBoundsType = inBoundsType ?? (checkIteratedTypeOrElementType(65, sourceType, undefinedType2, node) || errorType); } checkArrayLiteralDestructuringElementAssignment(node, sourceType, i, type, checkMode); } return sourceType; } function checkArrayLiteralDestructuringElementAssignment(node, sourceType, elementIndex, elementType, checkMode) { const elements = node.elements; const element = elements[elementIndex]; if (element.kind !== 232) { if (element.kind !== 230) { const indexType = getNumberLiteralType(elementIndex); if (isArrayLikeType(sourceType)) { const accessFlags = 32 | (hasDefaultValue2(element) ? 16 : 0); const elementType2 = getIndexedAccessTypeOrUndefined(sourceType, indexType, accessFlags, createSyntheticExpression(element, indexType)) || errorType; const assignedType = hasDefaultValue2(element) ? getTypeWithFacts( elementType2, 524288 /* NEUndefined */ ) : elementType2; const type = getFlowTypeOfDestructuring(element, assignedType); return checkDestructuringAssignment(element, type, checkMode); } return checkDestructuringAssignment(element, elementType, checkMode); } if (elementIndex < elements.length - 1) { error2(element, Diagnostics.A_rest_element_must_be_last_in_a_destructuring_pattern); } else { const restExpression = element.expression; if (restExpression.kind === 226 && restExpression.operatorToken.kind === 64) { error2(restExpression.operatorToken, Diagnostics.A_rest_element_cannot_have_an_initializer); } else { checkGrammarForDisallowedTrailingComma(node.elements, Diagnostics.A_rest_parameter_or_binding_pattern_may_not_have_a_trailing_comma); const type = everyType(sourceType, isTupleType) ? mapType2(sourceType, (t) => sliceTupleType(t, elementIndex)) : createArrayType(elementType); return checkDestructuringAssignment(restExpression, type, checkMode); } } } return void 0; } function checkDestructuringAssignment(exprOrAssignment, sourceType, checkMode, rightIsThis) { let target; if (exprOrAssignment.kind === 304) { const prop = exprOrAssignment; if (prop.objectAssignmentInitializer) { if (strictNullChecks && !hasTypeFacts( checkExpression(prop.objectAssignmentInitializer), 16777216 /* IsUndefined */ )) { sourceType = getTypeWithFacts( sourceType, 524288 /* NEUndefined */ ); } checkBinaryLikeExpression(prop.name, prop.equalsToken, prop.objectAssignmentInitializer, checkMode); } target = exprOrAssignment.name; } else { target = exprOrAssignment; } if (target.kind === 226 && target.operatorToken.kind === 64) { checkBinaryExpression(target, checkMode); target = target.left; if (strictNullChecks) { sourceType = getTypeWithFacts( sourceType, 524288 /* NEUndefined */ ); } } if (target.kind === 210) { return checkObjectLiteralAssignment(target, sourceType, rightIsThis); } if (target.kind === 209) { return checkArrayLiteralAssignment(target, sourceType, checkMode); } return checkReferenceAssignment(target, sourceType, checkMode); } function checkReferenceAssignment(target, sourceType, checkMode) { const targetType = checkExpression(target, checkMode); const error3 = target.parent.kind === 305 ? Diagnostics.The_target_of_an_object_rest_assignment_must_be_a_variable_or_a_property_access : Diagnostics.The_left_hand_side_of_an_assignment_expression_must_be_a_variable_or_a_property_access; const optionalError = target.parent.kind === 305 ? Diagnostics.The_target_of_an_object_rest_assignment_may_not_be_an_optional_property_access : Diagnostics.The_left_hand_side_of_an_assignment_expression_may_not_be_an_optional_property_access; if (checkReferenceExpression(target, error3, optionalError)) { checkTypeAssignableToAndOptionallyElaborate(sourceType, targetType, target, target); } if (isPrivateIdentifierPropertyAccessExpression(target)) { checkExternalEmitHelpers( target.parent, 1048576 /* ClassPrivateFieldSet */ ); } return sourceType; } function isSideEffectFree(node) { node = skipParentheses(node); switch (node.kind) { case 80: case 11: case 14: case 215: case 228: case 15: case 9: case 10: case 112: case 97: case 106: case 157: case 218: case 231: case 219: case 209: case 210: case 221: case 235: case 285: case 284: return true; case 227: return isSideEffectFree(node.whenTrue) && isSideEffectFree(node.whenFalse); case 226: if (isAssignmentOperator(node.operatorToken.kind)) { return false; } return isSideEffectFree(node.left) && isSideEffectFree(node.right); case 224: case 225: switch (node.operator) { case 54: case 40: case 41: case 55: return true; } return false; case 222: case 216: case 234: default: return false; } } function isTypeEqualityComparableTo(source, target) { return (target.flags & 98304) !== 0 || isTypeComparableTo(source, target); } function createCheckBinaryExpression() { const trampoline = createBinaryExpressionTrampoline(onEnter, onLeft, onOperator, onRight, onExit, foldState); return (node, checkMode) => { const result = trampoline(node, checkMode); Debug.assertIsDefined(result); return result; }; function onEnter(node, state, checkMode) { if (state) { state.stackIndex++; state.skip = false; setLeftType( state, /*type*/ void 0 ); setLastResult( state, /*type*/ void 0 ); } else { state = { checkMode, skip: false, stackIndex: 0, typeStack: [void 0, void 0] }; } if (isInJSFile(node) && getAssignedExpandoInitializer(node)) { state.skip = true; setLastResult(state, checkExpression(node.right, checkMode)); return state; } checkGrammarNullishCoalesceWithLogicalExpression(node); const operator = node.operatorToken.kind; if (operator === 64 && (node.left.kind === 210 || node.left.kind === 209)) { state.skip = true; setLastResult(state, checkDestructuringAssignment( node.left, checkExpression(node.right, checkMode), checkMode, node.right.kind === 110 /* ThisKeyword */ )); return state; } return state; } function onLeft(left, state, _node) { if (!state.skip) { return maybeCheckExpression(state, left); } } function onOperator(operatorToken, state, node) { if (!state.skip) { const leftType = getLastResult(state); Debug.assertIsDefined(leftType); setLeftType(state, leftType); setLastResult( state, /*type*/ void 0 ); const operator = operatorToken.kind; if (isLogicalOrCoalescingBinaryOperator(operator)) { let parent2 = node.parent; while (parent2.kind === 217 || isLogicalOrCoalescingBinaryExpression(parent2)) { parent2 = parent2.parent; } if (operator === 56 || isIfStatement(parent2)) { checkTestingKnownTruthyCallableOrAwaitableOrEnumMemberType(node.left, leftType, isIfStatement(parent2) ? parent2.thenStatement : void 0); } checkTruthinessOfType(leftType, node.left); } } } function onRight(right, state, _node) { if (!state.skip) { return maybeCheckExpression(state, right); } } function onExit(node, state) { let result; if (state.skip) { result = getLastResult(state); } else { const leftType = getLeftType(state); Debug.assertIsDefined(leftType); const rightType = getLastResult(state); Debug.assertIsDefined(rightType); result = checkBinaryLikeExpressionWorker(node.left, node.operatorToken, node.right, leftType, rightType, state.checkMode, node); } state.skip = false; setLeftType( state, /*type*/ void 0 ); setLastResult( state, /*type*/ void 0 ); state.stackIndex--; return result; } function foldState(state, result, _side) { setLastResult(state, result); return state; } function maybeCheckExpression(state, node) { if (isBinaryExpression(node)) { return node; } setLastResult(state, checkExpression(node, state.checkMode)); } function getLeftType(state) { return state.typeStack[state.stackIndex]; } function setLeftType(state, type) { state.typeStack[state.stackIndex] = type; } function getLastResult(state) { return state.typeStack[state.stackIndex + 1]; } function setLastResult(state, type) { state.typeStack[state.stackIndex + 1] = type; } } function checkGrammarNullishCoalesceWithLogicalExpression(node) { const { left, operatorToken, right } = node; if (operatorToken.kind === 61) { if (isBinaryExpression(left) && (left.operatorToken.kind === 57 || left.operatorToken.kind === 56)) { grammarErrorOnNode(left, Diagnostics._0_and_1_operations_cannot_be_mixed_without_parentheses, tokenToString(left.operatorToken.kind), tokenToString(operatorToken.kind)); } if (isBinaryExpression(right) && (right.operatorToken.kind === 57 || right.operatorToken.kind === 56)) { grammarErrorOnNode(right, Diagnostics._0_and_1_operations_cannot_be_mixed_without_parentheses, tokenToString(right.operatorToken.kind), tokenToString(operatorToken.kind)); } } } function checkBinaryLikeExpression(left, operatorToken, right, checkMode, errorNode) { const operator = operatorToken.kind; if (operator === 64 && (left.kind === 210 || left.kind === 209)) { return checkDestructuringAssignment( left, checkExpression(right, checkMode), checkMode, right.kind === 110 /* ThisKeyword */ ); } let leftType; if (isLogicalOrCoalescingBinaryOperator(operator)) { leftType = checkTruthinessExpression(left, checkMode); } else { leftType = checkExpression(left, checkMode); } const rightType = checkExpression(right, checkMode); return checkBinaryLikeExpressionWorker(left, operatorToken, right, leftType, rightType, checkMode, errorNode); } function checkBinaryLikeExpressionWorker(left, operatorToken, right, leftType, rightType, checkMode, errorNode) { const operator = operatorToken.kind; switch (operator) { case 42: case 43: case 67: case 68: case 44: case 69: case 45: case 70: case 41: case 66: case 48: case 71: case 49: case 72: case 50: case 73: case 52: case 75: case 53: case 79: case 51: case 74: if (leftType === silentNeverType || rightType === silentNeverType) { return silentNeverType; } leftType = checkNonNullType(leftType, left); rightType = checkNonNullType(rightType, right); let suggestedOperator; if (leftType.flags & 528 && rightType.flags & 528 && (suggestedOperator = getSuggestedBooleanOperator(operatorToken.kind)) !== void 0) { error2(errorNode || operatorToken, Diagnostics.The_0_operator_is_not_allowed_for_boolean_types_Consider_using_1_instead, tokenToString(operatorToken.kind), tokenToString(suggestedOperator)); return numberType2; } else { const leftOk = checkArithmeticOperandType( left, leftType, Diagnostics.The_left_hand_side_of_an_arithmetic_operation_must_be_of_type_any_number_bigint_or_an_enum_type, /*isAwaitValid*/ true ); const rightOk = checkArithmeticOperandType( right, rightType, Diagnostics.The_right_hand_side_of_an_arithmetic_operation_must_be_of_type_any_number_bigint_or_an_enum_type, /*isAwaitValid*/ true ); let resultType2; if (isTypeAssignableToKind( leftType, 3 /* AnyOrUnknown */ ) && isTypeAssignableToKind( rightType, 3 /* AnyOrUnknown */ ) || // Or, if neither could be bigint, implicit coercion results in a number result !(maybeTypeOfKind( leftType, 2112 /* BigIntLike */ ) || maybeTypeOfKind( rightType, 2112 /* BigIntLike */ ))) { resultType2 = numberType2; } else if (bothAreBigIntLike(leftType, rightType)) { switch (operator) { case 50: case 73: reportOperatorError(); break; case 43: case 68: if (languageVersion < 3) { error2(errorNode, Diagnostics.Exponentiation_cannot_be_performed_on_bigint_values_unless_the_target_option_is_set_to_es2016_or_later); } } resultType2 = bigintType; } else { reportOperatorError(bothAreBigIntLike); resultType2 = errorType; } if (leftOk && rightOk) { checkAssignmentOperator(resultType2); } return resultType2; } case 40: case 65: if (leftType === silentNeverType || rightType === silentNeverType) { return silentNeverType; } if (!isTypeAssignableToKind( leftType, 402653316 /* StringLike */ ) && !isTypeAssignableToKind( rightType, 402653316 /* StringLike */ )) { leftType = checkNonNullType(leftType, left); rightType = checkNonNullType(rightType, right); } let resultType; if (isTypeAssignableToKind( leftType, 296, /*strict*/ true ) && isTypeAssignableToKind( rightType, 296, /*strict*/ true )) { resultType = numberType2; } else if (isTypeAssignableToKind( leftType, 2112, /*strict*/ true ) && isTypeAssignableToKind( rightType, 2112, /*strict*/ true )) { resultType = bigintType; } else if (isTypeAssignableToKind( leftType, 402653316, /*strict*/ true ) || isTypeAssignableToKind( rightType, 402653316, /*strict*/ true )) { resultType = stringType2; } else if (isTypeAny(leftType) || isTypeAny(rightType)) { resultType = isErrorType(leftType) || isErrorType(rightType) ? errorType : anyType2; } if (resultType && !checkForDisallowedESSymbolOperand(operator)) { return resultType; } if (!resultType) { const closeEnoughKind = 296 | 2112 | 402653316 | 3; reportOperatorError( (left2, right2) => isTypeAssignableToKind(left2, closeEnoughKind) && isTypeAssignableToKind(right2, closeEnoughKind) ); return anyType2; } if (operator === 65) { checkAssignmentOperator(resultType); } return resultType; case 30: case 32: case 33: case 34: if (checkForDisallowedESSymbolOperand(operator)) { leftType = getBaseTypeOfLiteralTypeForComparison(checkNonNullType(leftType, left)); rightType = getBaseTypeOfLiteralTypeForComparison(checkNonNullType(rightType, right)); reportOperatorErrorUnless((left2, right2) => { if (isTypeAny(left2) || isTypeAny(right2)) { return true; } const leftAssignableToNumber = isTypeAssignableTo(left2, numberOrBigIntType); const rightAssignableToNumber = isTypeAssignableTo(right2, numberOrBigIntType); return leftAssignableToNumber && rightAssignableToNumber || !leftAssignableToNumber && !rightAssignableToNumber && areTypesComparable(left2, right2); }); } return booleanType2; case 35: case 36: case 37: case 38: if (!(checkMode && checkMode & 64)) { if ((isLiteralExpressionOfObject(left) || isLiteralExpressionOfObject(right)) && // only report for === and !== in JS, not == or != (!isInJSFile(left) || (operator === 37 || operator === 38))) { const eqType = operator === 35 || operator === 37; error2(errorNode, Diagnostics.This_condition_will_always_return_0_since_JavaScript_compares_objects_by_reference_not_value, eqType ? "false" : "true"); } checkNaNEquality(errorNode, operator, left, right); reportOperatorErrorUnless((left2, right2) => isTypeEqualityComparableTo(left2, right2) || isTypeEqualityComparableTo(right2, left2)); } return booleanType2; case 104: return checkInstanceOfExpression(left, right, leftType, rightType, checkMode); case 103: return checkInExpression(left, right, leftType, rightType); case 56: case 77: { const resultType2 = hasTypeFacts( leftType, 4194304 /* Truthy */ ) ? getUnionType([extractDefinitelyFalsyTypes(strictNullChecks ? leftType : getBaseTypeOfLiteralType(rightType)), rightType]) : leftType; if (operator === 77) { checkAssignmentOperator(rightType); } return resultType2; } case 57: case 76: { const resultType2 = hasTypeFacts( leftType, 8388608 /* Falsy */ ) ? getUnionType( [getNonNullableType(removeDefinitelyFalsyTypes(leftType)), rightType], 2 /* Subtype */ ) : leftType; if (operator === 76) { checkAssignmentOperator(rightType); } return resultType2; } case 61: case 78: { const resultType2 = hasTypeFacts( leftType, 262144 /* EQUndefinedOrNull */ ) ? getUnionType( [getNonNullableType(leftType), rightType], 2 /* Subtype */ ) : leftType; if (operator === 78) { checkAssignmentOperator(rightType); } return resultType2; } case 64: const declKind = isBinaryExpression(left.parent) ? getAssignmentDeclarationKind(left.parent) : 0; checkAssignmentDeclaration(declKind, rightType); if (isAssignmentDeclaration2(declKind)) { if (!(rightType.flags & 524288) || declKind !== 2 && declKind !== 6 && !isEmptyObjectType(rightType) && !isFunctionObjectType(rightType) && !(getObjectFlags(rightType) & 1)) { checkAssignmentOperator(rightType); } return leftType; } else { checkAssignmentOperator(rightType); return rightType; } case 28: if (!compilerOptions.allowUnreachableCode && isSideEffectFree(left) && !isIndirectCall(left.parent)) { const sf = getSourceFileOfNode(left); const sourceText = sf.text; const start = skipTrivia(sourceText, left.pos); const isInDiag2657 = sf.parseDiagnostics.some((diag2) => { if (diag2.code !== Diagnostics.JSX_expressions_must_have_one_parent_element.code) return false; return textSpanContainsPosition(diag2, start); }); if (!isInDiag2657) error2(left, Diagnostics.Left_side_of_comma_operator_is_unused_and_has_no_side_effects); } return rightType; default: return Debug.fail(); } function bothAreBigIntLike(left2, right2) { return isTypeAssignableToKind( left2, 2112 /* BigIntLike */ ) && isTypeAssignableToKind( right2, 2112 /* BigIntLike */ ); } function checkAssignmentDeclaration(kind, rightType2) { if (kind === 2) { for (const prop of getPropertiesOfObjectType(rightType2)) { const propType = getTypeOfSymbol(prop); if (propType.symbol && propType.symbol.flags & 32) { const name = prop.escapedName; const symbol = resolveName( prop.valueDeclaration, name, 788968, /*nameNotFoundMessage*/ void 0, /*isUse*/ false ); if ((symbol == null ? void 0 : symbol.declarations) && symbol.declarations.some(isJSDocTypedefTag)) { addDuplicateDeclarationErrorsForSymbols(symbol, Diagnostics.Duplicate_identifier_0, unescapeLeadingUnderscores(name), prop); addDuplicateDeclarationErrorsForSymbols(prop, Diagnostics.Duplicate_identifier_0, unescapeLeadingUnderscores(name), symbol); } } } } } function isIndirectCall(node) { return node.parent.kind === 217 && isNumericLiteral(node.left) && node.left.text === "0" && (isCallExpression2(node.parent.parent) && node.parent.parent.expression === node.parent || node.parent.parent.kind === 215) && // special-case for "eval" because it's the only non-access case where an indirect call actually affects behavior. (isAccessExpression(node.right) || isIdentifier(node.right) && node.right.escapedText === "eval"); } function checkForDisallowedESSymbolOperand(operator2) { const offendingSymbolOperand = maybeTypeOfKindConsideringBaseConstraint( leftType, 12288 /* ESSymbolLike */ ) ? left : maybeTypeOfKindConsideringBaseConstraint( rightType, 12288 /* ESSymbolLike */ ) ? right : void 0; if (offendingSymbolOperand) { error2(offendingSymbolOperand, Diagnostics.The_0_operator_cannot_be_applied_to_type_symbol, tokenToString(operator2)); return false; } return true; } function getSuggestedBooleanOperator(operator2) { switch (operator2) { case 52: case 75: return 57; case 53: case 79: return 38; case 51: case 74: return 56; default: return void 0; } } function checkAssignmentOperator(valueType) { if (isAssignmentOperator(operator)) { addLazyDiagnostic(checkAssignmentOperatorWorker); } function checkAssignmentOperatorWorker() { let assigneeType = leftType; if (isCompoundAssignment(operatorToken.kind) && left.kind === 211) { assigneeType = checkPropertyAccessExpression( left, /*checkMode*/ void 0, /*writeOnly*/ true ); } if (checkReferenceExpression(left, Diagnostics.The_left_hand_side_of_an_assignment_expression_must_be_a_variable_or_a_property_access, Diagnostics.The_left_hand_side_of_an_assignment_expression_may_not_be_an_optional_property_access)) { let headMessage; if (exactOptionalPropertyTypes && isPropertyAccessExpression(left) && maybeTypeOfKind( valueType, 32768 /* Undefined */ )) { const target = getTypeOfPropertyOfType(getTypeOfExpression(left.expression), left.name.escapedText); if (isExactOptionalPropertyMismatch(valueType, target)) { headMessage = Diagnostics.Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_type_of_the_target; } } checkTypeAssignableToAndOptionallyElaborate(valueType, assigneeType, left, right, headMessage); } } } function isAssignmentDeclaration2(kind) { var _a; switch (kind) { case 2: return true; case 1: case 5: case 6: case 3: case 4: const symbol = getSymbolOfNode(left); const init = getAssignedExpandoInitializer(right); return !!init && isObjectLiteralExpression(init) && !!((_a = symbol == null ? void 0 : symbol.exports) == null ? void 0 : _a.size); default: return false; } } function reportOperatorErrorUnless(typesAreCompatible) { if (!typesAreCompatible(leftType, rightType)) { reportOperatorError(typesAreCompatible); return true; } return false; } function reportOperatorError(isRelated) { let wouldWorkWithAwait = false; const errNode = errorNode || operatorToken; if (isRelated) { const awaitedLeftType = getAwaitedTypeNoAlias(leftType); const awaitedRightType = getAwaitedTypeNoAlias(rightType); wouldWorkWithAwait = !(awaitedLeftType === leftType && awaitedRightType === rightType) && !!(awaitedLeftType && awaitedRightType) && isRelated(awaitedLeftType, awaitedRightType); } let effectiveLeft = leftType; let effectiveRight = rightType; if (!wouldWorkWithAwait && isRelated) { [effectiveLeft, effectiveRight] = getBaseTypesIfUnrelated(leftType, rightType, isRelated); } const [leftStr, rightStr] = getTypeNamesForErrorDisplay(effectiveLeft, effectiveRight); if (!tryGiveBetterPrimaryError(errNode, wouldWorkWithAwait, leftStr, rightStr)) { errorAndMaybeSuggestAwait( errNode, wouldWorkWithAwait, Diagnostics.Operator_0_cannot_be_applied_to_types_1_and_2, tokenToString(operatorToken.kind), leftStr, rightStr ); } } function tryGiveBetterPrimaryError(errNode, maybeMissingAwait, leftStr, rightStr) { switch (operatorToken.kind) { case 37: case 35: case 38: case 36: return errorAndMaybeSuggestAwait( errNode, maybeMissingAwait, Diagnostics.This_comparison_appears_to_be_unintentional_because_the_types_0_and_1_have_no_overlap, leftStr, rightStr ); default: return void 0; } } function checkNaNEquality(errorNode2, operator2, left2, right2) { const isLeftNaN = isGlobalNaN(skipParentheses(left2)); const isRightNaN = isGlobalNaN(skipParentheses(right2)); if (isLeftNaN || isRightNaN) { const err = error2(errorNode2, Diagnostics.This_condition_will_always_return_0, tokenToString( operator2 === 37 || operator2 === 35 ? 97 : 112 /* TrueKeyword */ )); if (isLeftNaN && isRightNaN) return; const operatorString = operator2 === 38 || operator2 === 36 ? tokenToString( 54 /* ExclamationToken */ ) : ""; const location = isLeftNaN ? right2 : left2; const expression = skipParentheses(location); addRelatedInfo(err, createDiagnosticForNode(location, Diagnostics.Did_you_mean_0, `${operatorString}Number.isNaN(${isEntityNameExpression(expression) ? entityNameToString(expression) : "..."})`)); } } function isGlobalNaN(expr) { if (isIdentifier(expr) && expr.escapedText === "NaN") { const globalNaNSymbol = getGlobalNaNSymbol(); return !!globalNaNSymbol && globalNaNSymbol === getResolvedSymbol(expr); } return false; } } function getBaseTypesIfUnrelated(leftType, rightType, isRelated) { let effectiveLeft = leftType; let effectiveRight = rightType; const leftBase = getBaseTypeOfLiteralType(leftType); const rightBase = getBaseTypeOfLiteralType(rightType); if (!isRelated(leftBase, rightBase)) { effectiveLeft = leftBase; effectiveRight = rightBase; } return [effectiveLeft, effectiveRight]; } function checkYieldExpression(node) { addLazyDiagnostic(checkYieldExpressionGrammar); const func = getContainingFunction(node); if (!func) return anyType2; const functionFlags = getFunctionFlags(func); if (!(functionFlags & 1)) { return anyType2; } const isAsync2 = (functionFlags & 2) !== 0; if (node.asteriskToken) { if (isAsync2 && languageVersion < 5) { checkExternalEmitHelpers( node, 26624 /* AsyncDelegatorIncludes */ ); } if (!isAsync2 && languageVersion < 2 && compilerOptions.downlevelIteration) { checkExternalEmitHelpers( node, 256 /* Values */ ); } } let returnType = getReturnTypeFromAnnotation(func); if (returnType && returnType.flags & 1048576) { returnType = filterType(returnType, (t) => checkGeneratorInstantiationAssignabilityToReturnType( t, functionFlags, /*errorNode*/ void 0 )); } const iterationTypes = returnType && getIterationTypesOfGeneratorFunctionReturnType(returnType, isAsync2); const signatureYieldType = iterationTypes && iterationTypes.yieldType || anyType2; const signatureNextType = iterationTypes && iterationTypes.nextType || anyType2; const resolvedSignatureNextType = isAsync2 ? getAwaitedType(signatureNextType) || anyType2 : signatureNextType; const yieldExpressionType = node.expression ? checkExpression(node.expression) : undefinedWideningType; const yieldedType = getYieldedTypeOfYieldExpression(node, yieldExpressionType, resolvedSignatureNextType, isAsync2); if (returnType && yieldedType) { checkTypeAssignableToAndOptionallyElaborate(yieldedType, signatureYieldType, node.expression || node, node.expression); } if (node.asteriskToken) { const use = isAsync2 ? 19 : 17; return getIterationTypeOfIterable(use, 1, yieldExpressionType, node.expression) || anyType2; } else if (returnType) { return getIterationTypeOfGeneratorFunctionReturnType(2, returnType, isAsync2) || anyType2; } let type = getContextualIterationType(2, func); if (!type) { type = anyType2; addLazyDiagnostic(() => { if (noImplicitAny && !expressionResultIsUnused(node)) { const contextualType = getContextualType2( node, /*contextFlags*/ void 0 ); if (!contextualType || isTypeAny(contextualType)) { error2(node, Diagnostics.yield_expression_implicitly_results_in_an_any_type_because_its_containing_generator_lacks_a_return_type_annotation); } } }); } return type; function checkYieldExpressionGrammar() { if (!(node.flags & 16384)) { grammarErrorOnFirstToken(node, Diagnostics.A_yield_expression_is_only_allowed_in_a_generator_body); } if (isInParameterInitializerBeforeContainingFunction(node)) { error2(node, Diagnostics.yield_expressions_cannot_be_used_in_a_parameter_initializer); } } } function checkConditionalExpression(node, checkMode) { const type = checkTruthinessExpression(node.condition, checkMode); checkTestingKnownTruthyCallableOrAwaitableOrEnumMemberType(node.condition, type, node.whenTrue); const type1 = checkExpression(node.whenTrue, checkMode); const type2 = checkExpression(node.whenFalse, checkMode); return getUnionType( [type1, type2], 2 /* Subtype */ ); } function isTemplateLiteralContext(node) { const parent2 = node.parent; return isParenthesizedExpression(parent2) && isTemplateLiteralContext(parent2) || isElementAccessExpression(parent2) && parent2.argumentExpression === node; } function checkTemplateExpression(node) { const texts = [node.head.text]; const types = []; for (const span of node.templateSpans) { const type = checkExpression(span.expression); if (maybeTypeOfKindConsideringBaseConstraint( type, 12288 /* ESSymbolLike */ )) { error2(span.expression, Diagnostics.Implicit_conversion_of_a_symbol_to_a_string_will_fail_at_runtime_Consider_wrapping_this_expression_in_String); } texts.push(span.literal.text); types.push(isTypeAssignableTo(type, templateConstraintType) ? type : stringType2); } const evaluated = node.parent.kind !== 215 && evaluate(node).value; if (evaluated) { return getFreshTypeOfLiteralType(getStringLiteralType(evaluated)); } if (isConstContext(node) || isTemplateLiteralContext(node) || someType(getContextualType2( node, /*contextFlags*/ void 0 ) || unknownType2, isTemplateLiteralContextualType)) { return getTemplateLiteralType(texts, types); } return stringType2; } function isTemplateLiteralContextualType(type) { return !!(type.flags & (128 | 134217728) || type.flags & 58982400 && maybeTypeOfKind( getBaseConstraintOfType(type) || unknownType2, 402653316 /* StringLike */ )); } function getContextNode2(node) { if (isJsxAttributes(node) && !isJsxSelfClosingElement(node.parent)) { return node.parent.parent; } return node; } function checkExpressionWithContextualType(node, contextualType, inferenceContext, checkMode) { const contextNode = getContextNode2(node); pushContextualType( contextNode, contextualType, /*isCache*/ false ); pushInferenceContext(contextNode, inferenceContext); const type = checkExpression(node, checkMode | 1 | (inferenceContext ? 2 : 0)); if (inferenceContext && inferenceContext.intraExpressionInferenceSites) { inferenceContext.intraExpressionInferenceSites = void 0; } const result = maybeTypeOfKind( type, 2944 /* Literal */ ) && isLiteralOfContextualType(type, instantiateContextualType( contextualType, node, /*contextFlags*/ void 0 )) ? getRegularTypeOfLiteralType(type) : type; popInferenceContext(); popContextualType(); return result; } function checkExpressionCached(node, checkMode) { if (checkMode) { return checkExpression(node, checkMode); } const links = getNodeLinks(node); if (!links.resolvedType) { const saveFlowLoopStart = flowLoopStart; const saveFlowTypeCache = flowTypeCache; flowLoopStart = flowLoopCount; flowTypeCache = void 0; links.resolvedType = checkExpression(node, checkMode); flowTypeCache = saveFlowTypeCache; flowLoopStart = saveFlowLoopStart; } return links.resolvedType; } function isTypeAssertion(node) { node = skipParentheses( node, /*excludeJSDocTypeAssertions*/ true ); return node.kind === 216 || node.kind === 234 || isJSDocTypeAssertion(node); } function checkDeclarationInitializer(declaration, checkMode, contextualType) { const initializer = getEffectiveInitializer(declaration); if (isInJSFile(declaration)) { const typeNode = tryGetJSDocSatisfiesTypeNode(declaration); if (typeNode) { return checkSatisfiesExpressionWorker(initializer, typeNode, checkMode); } } const type = getQuickTypeOfExpression(initializer) || (contextualType ? checkExpressionWithContextualType( initializer, contextualType, /*inferenceContext*/ void 0, checkMode || 0 /* Normal */ ) : checkExpressionCached(initializer, checkMode)); return isParameter(declaration) && declaration.name.kind === 207 && isTupleType(type) && !type.target.hasRestElement && getTypeReferenceArity(type) < declaration.name.elements.length ? padTupleType(type, declaration.name) : type; } function padTupleType(type, pattern) { const patternElements = pattern.elements; const elementTypes = getElementTypes(type).slice(); const elementFlags = type.target.elementFlags.slice(); for (let i = getTypeReferenceArity(type); i < patternElements.length; i++) { const e = patternElements[i]; if (i < patternElements.length - 1 || !(e.kind === 208 && e.dotDotDotToken)) { elementTypes.push(!isOmittedExpression(e) && hasDefaultValue2(e) ? getTypeFromBindingElement( e, /*includePatternInType*/ false, /*reportErrors*/ false ) : anyType2); elementFlags.push( 2 /* Optional */ ); if (!isOmittedExpression(e) && !hasDefaultValue2(e)) { reportImplicitAny(e, anyType2); } } } return createTupleType(elementTypes, elementFlags, type.target.readonly); } function widenTypeInferredFromInitializer(declaration, type) { const widened = getCombinedNodeFlagsCached(declaration) & 6 || isDeclarationReadonly(declaration) ? type : getWidenedLiteralType(type); if (isInJSFile(declaration)) { if (isEmptyLiteralType(widened)) { reportImplicitAny(declaration, anyType2); return anyType2; } else if (isEmptyArrayLiteralType(widened)) { reportImplicitAny(declaration, anyArrayType); return anyArrayType; } } return widened; } function isLiteralOfContextualType(candidateType, contextualType) { if (contextualType) { if (contextualType.flags & 3145728) { const types = contextualType.types; return some(types, (t) => isLiteralOfContextualType(candidateType, t)); } if (contextualType.flags & 58982400) { const constraint = getBaseConstraintOfType(contextualType) || unknownType2; return maybeTypeOfKind( constraint, 4 /* String */ ) && maybeTypeOfKind( candidateType, 128 /* StringLiteral */ ) || maybeTypeOfKind( constraint, 8 /* Number */ ) && maybeTypeOfKind( candidateType, 256 /* NumberLiteral */ ) || maybeTypeOfKind( constraint, 64 /* BigInt */ ) && maybeTypeOfKind( candidateType, 2048 /* BigIntLiteral */ ) || maybeTypeOfKind( constraint, 4096 /* ESSymbol */ ) && maybeTypeOfKind( candidateType, 8192 /* UniqueESSymbol */ ) || isLiteralOfContextualType(candidateType, constraint); } return !!(contextualType.flags & (128 | 4194304 | 134217728 | 268435456) && maybeTypeOfKind( candidateType, 128 /* StringLiteral */ ) || contextualType.flags & 256 && maybeTypeOfKind( candidateType, 256 /* NumberLiteral */ ) || contextualType.flags & 2048 && maybeTypeOfKind( candidateType, 2048 /* BigIntLiteral */ ) || contextualType.flags & 512 && maybeTypeOfKind( candidateType, 512 /* BooleanLiteral */ ) || contextualType.flags & 8192 && maybeTypeOfKind( candidateType, 8192 /* UniqueESSymbol */ )); } return false; } function isConstContext(node) { const parent2 = node.parent; return isAssertionExpression(parent2) && isConstTypeReference(parent2.type) || isJSDocTypeAssertion(parent2) && isConstTypeReference(getJSDocTypeAssertionType(parent2)) || isValidConstAssertionArgument(node) && isConstTypeVariable(getContextualType2( node, 0 /* None */ )) || (isParenthesizedExpression(parent2) || isArrayLiteralExpression(parent2) || isSpreadElement(parent2)) && isConstContext(parent2) || (isPropertyAssignment(parent2) || isShorthandPropertyAssignment(parent2) || isTemplateSpan(parent2)) && isConstContext(parent2.parent); } function checkExpressionForMutableLocation(node, checkMode, forceTuple) { const type = checkExpression(node, checkMode, forceTuple); return isConstContext(node) || isCommonJsExportedExpression(node) ? getRegularTypeOfLiteralType(type) : isTypeAssertion(node) ? type : getWidenedLiteralLikeTypeForContextualType(type, instantiateContextualType( getContextualType2( node, /*contextFlags*/ void 0 ), node, /*contextFlags*/ void 0 )); } function checkPropertyAssignment(node, checkMode) { if (node.name.kind === 167) { checkComputedPropertyName(node.name); } return checkExpressionForMutableLocation(node.initializer, checkMode); } function checkObjectLiteralMethod(node, checkMode) { checkGrammarMethod(node); if (node.name.kind === 167) { checkComputedPropertyName(node.name); } const uninstantiatedType = checkFunctionExpressionOrObjectLiteralMethod(node, checkMode); return instantiateTypeWithSingleGenericCallSignature(node, uninstantiatedType, checkMode); } function instantiateTypeWithSingleGenericCallSignature(node, type, checkMode) { if (checkMode && checkMode & (2 | 8)) { const callSignature = getSingleSignature( type, 0, /*allowMembers*/ true ); const constructSignature = getSingleSignature( type, 1, /*allowMembers*/ true ); const signature = callSignature || constructSignature; if (signature && signature.typeParameters) { const contextualType = getApparentTypeOfContextualType( node, 2 /* NoConstraints */ ); if (contextualType) { const contextualSignature = getSingleSignature( getNonNullableType(contextualType), callSignature ? 0 : 1, /*allowMembers*/ false ); if (contextualSignature && !contextualSignature.typeParameters) { if (checkMode & 8) { skippedGenericFunction(node, checkMode); return anyFunctionType; } const context = getInferenceContext(node); const returnType = context.signature && getReturnTypeOfSignature(context.signature); const returnSignature = returnType && getSingleCallOrConstructSignature(returnType); if (returnSignature && !returnSignature.typeParameters && !every(context.inferences, hasInferenceCandidates)) { const uniqueTypeParameters = getUniqueTypeParameters(context, signature.typeParameters); const instantiatedSignature = getSignatureInstantiationWithoutFillingInTypeArguments(signature, uniqueTypeParameters); const inferences = map(context.inferences, (info) => createInferenceInfo(info.typeParameter)); applyToParameterTypes(instantiatedSignature, contextualSignature, (source, target) => { inferTypes( inferences, source, target, /*priority*/ 0, /*contravariant*/ true ); }); if (some(inferences, hasInferenceCandidates)) { applyToReturnTypes(instantiatedSignature, contextualSignature, (source, target) => { inferTypes(inferences, source, target); }); if (!hasOverlappingInferences(context.inferences, inferences)) { mergeInferences(context.inferences, inferences); context.inferredTypeParameters = concatenate(context.inferredTypeParameters, uniqueTypeParameters); return getOrCreateTypeFromSignature(instantiatedSignature); } } } return getOrCreateTypeFromSignature(instantiateSignatureInContextOf(signature, contextualSignature, context), flatMap(inferenceContexts, (c) => c && map(c.inferences, (i) => i.typeParameter)).slice()); } } } } return type; } function skippedGenericFunction(node, checkMode) { if (checkMode & 2) { const context = getInferenceContext(node); context.flags |= 4; } } function hasInferenceCandidates(info) { return !!(info.candidates || info.contraCandidates); } function hasInferenceCandidatesOrDefault(info) { return !!(info.candidates || info.contraCandidates || hasTypeParameterDefault(info.typeParameter)); } function hasOverlappingInferences(a, b) { for (let i = 0; i < a.length; i++) { if (hasInferenceCandidates(a[i]) && hasInferenceCandidates(b[i])) { return true; } } return false; } function mergeInferences(target, source) { for (let i = 0; i < target.length; i++) { if (!hasInferenceCandidates(target[i]) && hasInferenceCandidates(source[i])) { target[i] = source[i]; } } } function getUniqueTypeParameters(context, typeParameters) { const result = []; let oldTypeParameters; let newTypeParameters; for (const tp of typeParameters) { const name = tp.symbol.escapedName; if (hasTypeParameterByName(context.inferredTypeParameters, name) || hasTypeParameterByName(result, name)) { const newName = getUniqueTypeParameterName(concatenate(context.inferredTypeParameters, result), name); const symbol = createSymbol(262144, newName); const newTypeParameter = createTypeParameter(symbol); newTypeParameter.target = tp; oldTypeParameters = append(oldTypeParameters, tp); newTypeParameters = append(newTypeParameters, newTypeParameter); result.push(newTypeParameter); } else { result.push(tp); } } if (newTypeParameters) { const mapper = createTypeMapper(oldTypeParameters, newTypeParameters); for (const tp of newTypeParameters) { tp.mapper = mapper; } } return result; } function hasTypeParameterByName(typeParameters, name) { return some(typeParameters, (tp) => tp.symbol.escapedName === name); } function getUniqueTypeParameterName(typeParameters, baseName) { let len = baseName.length; while (len > 1 && baseName.charCodeAt(len - 1) >= 48 && baseName.charCodeAt(len - 1) <= 57) len--; const s = baseName.slice(0, len); for (let index = 1; true; index++) { const augmentedName = s + index; if (!hasTypeParameterByName(typeParameters, augmentedName)) { return augmentedName; } } } function getReturnTypeOfSingleNonGenericCallSignature(funcType) { const signature = getSingleCallSignature(funcType); if (signature && !signature.typeParameters) { return getReturnTypeOfSignature(signature); } } function getReturnTypeOfSingleNonGenericSignatureOfCallChain(expr) { const funcType = checkExpression(expr.expression); const nonOptionalType = getOptionalExpressionType(funcType, expr.expression); const returnType = getReturnTypeOfSingleNonGenericCallSignature(funcType); return returnType && propagateOptionalTypeMarker(returnType, expr, nonOptionalType !== funcType); } function getTypeOfExpression(node) { const quickType = getQuickTypeOfExpression(node); if (quickType) { return quickType; } if (node.flags & 268435456 && flowTypeCache) { const cachedType = flowTypeCache[getNodeId(node)]; if (cachedType) { return cachedType; } } const startInvocationCount = flowInvocationCount; const type = checkExpression( node, 64 /* TypeOnly */ ); if (flowInvocationCount !== startInvocationCount) { const cache = flowTypeCache || (flowTypeCache = []); cache[getNodeId(node)] = type; setNodeFlags( node, node.flags | 268435456 /* TypeCached */ ); } return type; } function getQuickTypeOfExpression(node) { let expr = skipParentheses( node, /*excludeJSDocTypeAssertions*/ true ); if (isJSDocTypeAssertion(expr)) { const type = getJSDocTypeAssertionType(expr); if (!isConstTypeReference(type)) { return getTypeFromTypeNode(type); } } expr = skipParentheses(node); if (isAwaitExpression(expr)) { const type = getQuickTypeOfExpression(expr.expression); return type ? getAwaitedType(type) : void 0; } if (isCallExpression2(expr) && expr.expression.kind !== 108 && !isRequireCall( expr, /*requireStringLiteralLikeArgument*/ true ) && !isSymbolOrSymbolForCall(expr)) { return isCallChain(expr) ? getReturnTypeOfSingleNonGenericSignatureOfCallChain(expr) : getReturnTypeOfSingleNonGenericCallSignature(checkNonNullExpression(expr.expression)); } else if (isAssertionExpression(expr) && !isConstTypeReference(expr.type)) { return getTypeFromTypeNode(expr.type); } else if (isLiteralExpression(node) || isBooleanLiteral(node)) { return checkExpression(node); } return void 0; } function getContextFreeTypeOfExpression(node) { const links = getNodeLinks(node); if (links.contextFreeType) { return links.contextFreeType; } pushContextualType( node, anyType2, /*isCache*/ false ); const type = links.contextFreeType = checkExpression( node, 4 /* SkipContextSensitive */ ); popContextualType(); return type; } function checkExpression(node, checkMode, forceTuple) { var _a, _b; (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Check, "checkExpression", { kind: node.kind, pos: node.pos, end: node.end, path: node.tracingPath }); const saveCurrentNode = currentNode; currentNode = node; instantiationCount = 0; const uninstantiatedType = checkExpressionWorker(node, checkMode, forceTuple); const type = instantiateTypeWithSingleGenericCallSignature(node, uninstantiatedType, checkMode); if (isConstEnumObjectType(type)) { checkConstEnumAccess(node, type); } currentNode = saveCurrentNode; (_b = tracing) == null ? void 0 : _b.pop(); return type; } function checkConstEnumAccess(node, type) { const ok = node.parent.kind === 211 && node.parent.expression === node || node.parent.kind === 212 && node.parent.expression === node || ((node.kind === 80 || node.kind === 166) && isInRightSideOfImportOrExportAssignment(node) || node.parent.kind === 186 && node.parent.exprName === node) || node.parent.kind === 281; if (!ok) { error2(node, Diagnostics.const_enums_can_only_be_used_in_property_or_index_access_expressions_or_the_right_hand_side_of_an_import_declaration_or_export_assignment_or_type_query); } if (getIsolatedModules(compilerOptions)) { Debug.assert(!!(type.symbol.flags & 128)); const constEnumDeclaration = type.symbol.valueDeclaration; const redirect = host.getRedirectReferenceForResolutionFromSourceOfProject(getSourceFileOfNode(constEnumDeclaration).resolvedPath); if (constEnumDeclaration.flags & 33554432 && !isValidTypeOnlyAliasUseSite(node) && (!redirect || !shouldPreserveConstEnums(redirect.commandLine.options))) { error2(node, Diagnostics.Cannot_access_ambient_const_enums_when_0_is_enabled, isolatedModulesLikeFlagName); } } } function checkParenthesizedExpression(node, checkMode) { if (hasJSDocNodes(node)) { if (isJSDocSatisfiesExpression(node)) { return checkSatisfiesExpressionWorker(node.expression, getJSDocSatisfiesExpressionType(node), checkMode); } if (isJSDocTypeAssertion(node)) { return checkAssertionWorker(node, checkMode); } } return checkExpression(node.expression, checkMode); } function checkExpressionWorker(node, checkMode, forceTuple) { const kind = node.kind; if (cancellationToken) { switch (kind) { case 231: case 218: case 219: cancellationToken.throwIfCancellationRequested(); } } switch (kind) { case 80: return checkIdentifier(node, checkMode); case 81: return checkPrivateIdentifierExpression(node); case 110: return checkThisExpression(node); case 108: return checkSuperExpression(node); case 106: return nullWideningType; case 15: case 11: return hasSkipDirectInferenceFlag(node) ? blockedStringType : getFreshTypeOfLiteralType(getStringLiteralType(node.text)); case 9: checkGrammarNumericLiteral(node); return getFreshTypeOfLiteralType(getNumberLiteralType(+node.text)); case 10: checkGrammarBigIntLiteral(node); return getFreshTypeOfLiteralType(getBigIntLiteralType({ negative: false, base10Value: parsePseudoBigInt(node.text) })); case 112: return trueType; case 97: return falseType; case 228: return checkTemplateExpression(node); case 14: return checkRegularExpressionLiteral(node); case 209: return checkArrayLiteral(node, checkMode, forceTuple); case 210: return checkObjectLiteral(node, checkMode); case 211: return checkPropertyAccessExpression(node, checkMode); case 166: return checkQualifiedName(node, checkMode); case 212: return checkIndexedAccess(node, checkMode); case 213: if (node.expression.kind === 102) { return checkImportCallExpression(node); } case 214: return checkCallExpression(node, checkMode); case 215: return checkTaggedTemplateExpression(node); case 217: return checkParenthesizedExpression(node, checkMode); case 231: return checkClassExpression(node); case 218: case 219: return checkFunctionExpressionOrObjectLiteralMethod(node, checkMode); case 221: return checkTypeOfExpression(node); case 216: case 234: return checkAssertion(node, checkMode); case 235: return checkNonNullAssertion(node); case 233: return checkExpressionWithTypeArguments(node); case 238: return checkSatisfiesExpression(node); case 236: return checkMetaProperty(node); case 220: return checkDeleteExpression(node); case 222: return checkVoidExpression(node); case 223: return checkAwaitExpression(node); case 224: return checkPrefixUnaryExpression(node); case 225: return checkPostfixUnaryExpression(node); case 226: return checkBinaryExpression(node, checkMode); case 227: return checkConditionalExpression(node, checkMode); case 230: return checkSpreadExpression(node, checkMode); case 232: return undefinedWideningType; case 229: return checkYieldExpression(node); case 237: return checkSyntheticExpression(node); case 294: return checkJsxExpression(node, checkMode); case 284: return checkJsxElement(node, checkMode); case 285: return checkJsxSelfClosingElement(node, checkMode); case 288: return checkJsxFragment(node); case 292: return checkJsxAttributes(node, checkMode); case 286: Debug.fail("Shouldn't ever directly check a JsxOpeningElement"); } return errorType; } function checkTypeParameter(node) { checkGrammarModifiers(node); if (node.expression) { grammarErrorOnFirstToken(node.expression, Diagnostics.Type_expected); } checkSourceElement(node.constraint); checkSourceElement(node.default); const typeParameter = getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(node)); getBaseConstraintOfType(typeParameter); if (!hasNonCircularTypeParameterDefault(typeParameter)) { error2(node.default, Diagnostics.Type_parameter_0_has_a_circular_default, typeToString(typeParameter)); } const constraintType = getConstraintOfTypeParameter(typeParameter); const defaultType = getDefaultFromTypeParameter(typeParameter); if (constraintType && defaultType) { checkTypeAssignableTo(defaultType, getTypeWithThisArgument(instantiateType(constraintType, makeUnaryTypeMapper(typeParameter, defaultType)), defaultType), node.default, Diagnostics.Type_0_does_not_satisfy_the_constraint_1); } checkNodeDeferred(node); addLazyDiagnostic(() => checkTypeNameIsReserved(node.name, Diagnostics.Type_parameter_name_cannot_be_0)); } function checkTypeParameterDeferred(node) { var _a, _b; if (isInterfaceDeclaration(node.parent) || isClassLike(node.parent) || isTypeAliasDeclaration(node.parent)) { const typeParameter = getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(node)); const modifiers = getTypeParameterModifiers(typeParameter) & (8192 | 16384); if (modifiers) { const symbol = getSymbolOfDeclaration(node.parent); if (isTypeAliasDeclaration(node.parent) && !(getObjectFlags(getDeclaredTypeOfSymbol(symbol)) & (4 | 16 | 32))) { error2(node, Diagnostics.Variance_annotations_are_only_supported_in_type_aliases_for_object_function_constructor_and_mapped_types); } else if (modifiers === 8192 || modifiers === 16384) { (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.CheckTypes, "checkTypeParameterDeferred", { parent: getTypeId(getDeclaredTypeOfSymbol(symbol)), id: getTypeId(typeParameter) }); const source = createMarkerType(symbol, typeParameter, modifiers === 16384 ? markerSubTypeForCheck : markerSuperTypeForCheck); const target = createMarkerType(symbol, typeParameter, modifiers === 16384 ? markerSuperTypeForCheck : markerSubTypeForCheck); const saveVarianceTypeParameter = typeParameter; varianceTypeParameter = typeParameter; checkTypeAssignableTo(source, target, node, Diagnostics.Type_0_is_not_assignable_to_type_1_as_implied_by_variance_annotation); varianceTypeParameter = saveVarianceTypeParameter; (_b = tracing) == null ? void 0 : _b.pop(); } } } } function checkParameter(node) { checkGrammarModifiers(node); checkVariableLikeDeclaration(node); const func = getContainingFunction(node); if (hasSyntacticModifier( node, 31 /* ParameterPropertyModifier */ )) { if (!(func.kind === 176 && nodeIsPresent(func.body))) { error2(node, Diagnostics.A_parameter_property_is_only_allowed_in_a_constructor_implementation); } if (func.kind === 176 && isIdentifier(node.name) && node.name.escapedText === "constructor") { error2(node.name, Diagnostics.constructor_cannot_be_used_as_a_parameter_property_name); } } if (!node.initializer && isOptionalDeclaration(node) && isBindingPattern(node.name) && func.body) { error2(node, Diagnostics.A_binding_pattern_parameter_cannot_be_optional_in_an_implementation_signature); } if (node.name && isIdentifier(node.name) && (node.name.escapedText === "this" || node.name.escapedText === "new")) { if (func.parameters.indexOf(node) !== 0) { error2(node, Diagnostics.A_0_parameter_must_be_the_first_parameter, node.name.escapedText); } if (func.kind === 176 || func.kind === 180 || func.kind === 185) { error2(node, Diagnostics.A_constructor_cannot_have_a_this_parameter); } if (func.kind === 219) { error2(node, Diagnostics.An_arrow_function_cannot_have_a_this_parameter); } if (func.kind === 177 || func.kind === 178) { error2(node, Diagnostics.get_and_set_accessors_cannot_declare_this_parameters); } } if (node.dotDotDotToken && !isBindingPattern(node.name) && !isTypeAssignableTo(getReducedType(getTypeOfSymbol(node.symbol)), anyReadonlyArrayType)) { error2(node, Diagnostics.A_rest_parameter_must_be_of_an_array_type); } } function checkTypePredicate(node) { const parent2 = getTypePredicateParent(node); if (!parent2) { error2(node, Diagnostics.A_type_predicate_is_only_allowed_in_return_type_position_for_functions_and_methods); return; } const signature = getSignatureFromDeclaration(parent2); const typePredicate = getTypePredicateOfSignature(signature); if (!typePredicate) { return; } checkSourceElement(node.type); const { parameterName } = node; if (typePredicate.kind === 0 || typePredicate.kind === 2) { getTypeFromThisTypeNode(parameterName); } else { if (typePredicate.parameterIndex >= 0) { if (signatureHasRestParameter(signature) && typePredicate.parameterIndex === signature.parameters.length - 1) { error2(parameterName, Diagnostics.A_type_predicate_cannot_reference_a_rest_parameter); } else { if (typePredicate.type) { const leadingError = () => chainDiagnosticMessages( /*details*/ void 0, Diagnostics.A_type_predicate_s_type_must_be_assignable_to_its_parameter_s_type ); checkTypeAssignableTo( typePredicate.type, getTypeOfSymbol(signature.parameters[typePredicate.parameterIndex]), node.type, /*headMessage*/ void 0, leadingError ); } } } else if (parameterName) { let hasReportedError = false; for (const { name } of parent2.parameters) { if (isBindingPattern(name) && checkIfTypePredicateVariableIsDeclaredInBindingPattern(name, parameterName, typePredicate.parameterName)) { hasReportedError = true; break; } } if (!hasReportedError) { error2(node.parameterName, Diagnostics.Cannot_find_parameter_0, typePredicate.parameterName); } } } } function getTypePredicateParent(node) { switch (node.parent.kind) { case 219: case 179: case 262: case 218: case 184: case 174: case 173: const parent2 = node.parent; if (node === parent2.type) { return parent2; } } } function checkIfTypePredicateVariableIsDeclaredInBindingPattern(pattern, predicateVariableNode, predicateVariableName) { for (const element of pattern.elements) { if (isOmittedExpression(element)) { continue; } const name = element.name; if (name.kind === 80 && name.escapedText === predicateVariableName) { error2(predicateVariableNode, Diagnostics.A_type_predicate_cannot_reference_element_0_in_a_binding_pattern, predicateVariableName); return true; } else if (name.kind === 207 || name.kind === 206) { if (checkIfTypePredicateVariableIsDeclaredInBindingPattern( name, predicateVariableNode, predicateVariableName )) { return true; } } } } function checkSignatureDeclaration(node) { if (node.kind === 181) { checkGrammarIndexSignature(node); } else if (node.kind === 184 || node.kind === 262 || node.kind === 185 || node.kind === 179 || node.kind === 176 || node.kind === 180) { checkGrammarFunctionLikeDeclaration(node); } const functionFlags = getFunctionFlags(node); if (!(functionFlags & 4)) { if ((functionFlags & 3) === 3 && languageVersion < 5) { checkExternalEmitHelpers( node, 6144 /* AsyncGeneratorIncludes */ ); } if ((functionFlags & 3) === 2 && languageVersion < 4) { checkExternalEmitHelpers( node, 64 /* Awaiter */ ); } if ((functionFlags & 3) !== 0 && languageVersion < 2) { checkExternalEmitHelpers( node, 128 /* Generator */ ); } } checkTypeParameters(getEffectiveTypeParameterDeclarations(node)); checkUnmatchedJSDocParameters(node); forEach(node.parameters, checkParameter); if (node.type) { checkSourceElement(node.type); } addLazyDiagnostic(checkSignatureDeclarationDiagnostics); function checkSignatureDeclarationDiagnostics() { checkCollisionWithArgumentsInGeneratedCode(node); let returnTypeNode = getEffectiveReturnTypeNode(node); let returnTypeErrorLocation = returnTypeNode; if (isInJSFile(node)) { const typeTag = getJSDocTypeTag(node); if (typeTag && typeTag.typeExpression && isTypeReferenceNode(typeTag.typeExpression.type)) { const signature = getSingleCallSignature(getTypeFromTypeNode(typeTag.typeExpression)); if (signature && signature.declaration) { returnTypeNode = getEffectiveReturnTypeNode(signature.declaration); returnTypeErrorLocation = typeTag.typeExpression.type; } } } if (noImplicitAny && !returnTypeNode) { switch (node.kind) { case 180: error2(node, Diagnostics.Construct_signature_which_lacks_return_type_annotation_implicitly_has_an_any_return_type); break; case 179: error2(node, Diagnostics.Call_signature_which_lacks_return_type_annotation_implicitly_has_an_any_return_type); break; } } if (returnTypeNode && returnTypeErrorLocation) { const functionFlags2 = getFunctionFlags(node); if ((functionFlags2 & (4 | 1)) === 1) { const returnType = getTypeFromTypeNode(returnTypeNode); if (returnType === voidType2) { error2(returnTypeErrorLocation, Diagnostics.A_generator_cannot_have_a_void_type_annotation); } else { checkGeneratorInstantiationAssignabilityToReturnType(returnType, functionFlags2, returnTypeErrorLocation); } } else if ((functionFlags2 & 3) === 2) { checkAsyncFunctionReturnType(node, returnTypeNode, returnTypeErrorLocation); } } if (node.kind !== 181 && node.kind !== 317) { registerForUnusedIdentifiersCheck(node); } } } function checkGeneratorInstantiationAssignabilityToReturnType(returnType, functionFlags, errorNode) { const generatorYieldType = getIterationTypeOfGeneratorFunctionReturnType(0, returnType, (functionFlags & 2) !== 0) || anyType2; const generatorReturnType = getIterationTypeOfGeneratorFunctionReturnType(1, returnType, (functionFlags & 2) !== 0) || generatorYieldType; const generatorNextType = getIterationTypeOfGeneratorFunctionReturnType(2, returnType, (functionFlags & 2) !== 0) || unknownType2; const generatorInstantiation = createGeneratorType(generatorYieldType, generatorReturnType, generatorNextType, !!(functionFlags & 2)); return checkTypeAssignableTo(generatorInstantiation, returnType, errorNode); } function checkClassForDuplicateDeclarations(node) { const instanceNames = /* @__PURE__ */ new Map(); const staticNames = /* @__PURE__ */ new Map(); const privateIdentifiers = /* @__PURE__ */ new Map(); for (const member of node.members) { if (member.kind === 176) { for (const param of member.parameters) { if (isParameterPropertyDeclaration(param, member) && !isBindingPattern(param.name)) { addName2( instanceNames, param.name, param.name.escapedText, 3 /* GetOrSetAccessor */ ); } } } else { const isStaticMember2 = isStatic(member); const name = member.name; if (!name) { continue; } const isPrivate = isPrivateIdentifier(name); const privateStaticFlags = isPrivate && isStaticMember2 ? 16 : 0; const names = isPrivate ? privateIdentifiers : isStaticMember2 ? staticNames : instanceNames; const memberName = name && getEffectivePropertyNameForPropertyNameNode(name); if (memberName) { switch (member.kind) { case 177: addName2(names, name, memberName, 1 | privateStaticFlags); break; case 178: addName2(names, name, memberName, 2 | privateStaticFlags); break; case 172: addName2(names, name, memberName, 3 | privateStaticFlags); break; case 174: addName2(names, name, memberName, 8 | privateStaticFlags); break; } } } } function addName2(names, location, name, meaning) { const prev = names.get(name); if (prev) { if ((prev & 16) !== (meaning & 16)) { error2(location, Diagnostics.Duplicate_identifier_0_Static_and_instance_elements_cannot_share_the_same_private_name, getTextOfNode(location)); } else { const prevIsMethod = !!(prev & 8); const isMethod = !!(meaning & 8); if (prevIsMethod || isMethod) { if (prevIsMethod !== isMethod) { error2(location, Diagnostics.Duplicate_identifier_0, getTextOfNode(location)); } } else if (prev & meaning & ~16) { error2(location, Diagnostics.Duplicate_identifier_0, getTextOfNode(location)); } else { names.set(name, prev | meaning); } } } else { names.set(name, meaning); } } } function checkClassForStaticPropertyNameConflicts(node) { for (const member of node.members) { const memberNameNode = member.name; const isStaticMember2 = isStatic(member); if (isStaticMember2 && memberNameNode) { const memberName = getEffectivePropertyNameForPropertyNameNode(memberNameNode); switch (memberName) { case "name": case "length": case "caller": case "arguments": if (useDefineForClassFields) { break; } case "prototype": const message = Diagnostics.Static_property_0_conflicts_with_built_in_property_Function_0_of_constructor_function_1; const className = getNameOfSymbolAsWritten(getSymbolOfDeclaration(node)); error2(memberNameNode, message, memberName, className); break; } } } } function checkObjectTypeForDuplicateDeclarations(node) { const names = /* @__PURE__ */ new Map(); for (const member of node.members) { if (member.kind === 171) { let memberName; const name = member.name; switch (name.kind) { case 11: case 9: memberName = name.text; break; case 80: memberName = idText(name); break; default: continue; } if (names.get(memberName)) { error2(getNameOfDeclaration(member.symbol.valueDeclaration), Diagnostics.Duplicate_identifier_0, memberName); error2(member.name, Diagnostics.Duplicate_identifier_0, memberName); } else { names.set(memberName, true); } } } } function checkTypeForDuplicateIndexSignatures(node) { if (node.kind === 264) { const nodeSymbol = getSymbolOfDeclaration(node); if (nodeSymbol.declarations && nodeSymbol.declarations.length > 0 && nodeSymbol.declarations[0] !== node) { return; } } const indexSymbol = getIndexSymbol(getSymbolOfDeclaration(node)); if (indexSymbol == null ? void 0 : indexSymbol.declarations) { const indexSignatureMap = /* @__PURE__ */ new Map(); for (const declaration of indexSymbol.declarations) { if (declaration.parameters.length === 1 && declaration.parameters[0].type) { forEachType(getTypeFromTypeNode(declaration.parameters[0].type), (type) => { const entry = indexSignatureMap.get(getTypeId(type)); if (entry) { entry.declarations.push(declaration); } else { indexSignatureMap.set(getTypeId(type), { type, declarations: [declaration] }); } }); } } indexSignatureMap.forEach((entry) => { if (entry.declarations.length > 1) { for (const declaration of entry.declarations) { error2(declaration, Diagnostics.Duplicate_index_signature_for_type_0, typeToString(entry.type)); } } }); } } function checkPropertyDeclaration(node) { if (!checkGrammarModifiers(node) && !checkGrammarProperty(node)) checkGrammarComputedPropertyName(node.name); checkVariableLikeDeclaration(node); setNodeLinksForPrivateIdentifierScope(node); if (hasSyntacticModifier( node, 64 /* Abstract */ ) && node.kind === 172 && node.initializer) { error2(node, Diagnostics.Property_0_cannot_have_an_initializer_because_it_is_marked_abstract, declarationNameToString(node.name)); } } function checkPropertySignature(node) { if (isPrivateIdentifier(node.name)) { error2(node, Diagnostics.Private_identifiers_are_not_allowed_outside_class_bodies); } return checkPropertyDeclaration(node); } function checkMethodDeclaration(node) { if (!checkGrammarMethod(node)) checkGrammarComputedPropertyName(node.name); if (isMethodDeclaration(node) && node.asteriskToken && isIdentifier(node.name) && idText(node.name) === "constructor") { error2(node.name, Diagnostics.Class_constructor_may_not_be_a_generator); } checkFunctionOrMethodDeclaration(node); if (hasSyntacticModifier( node, 64 /* Abstract */ ) && node.kind === 174 && node.body) { error2(node, Diagnostics.Method_0_cannot_have_an_implementation_because_it_is_marked_abstract, declarationNameToString(node.name)); } if (isPrivateIdentifier(node.name) && !getContainingClass(node)) { error2(node, Diagnostics.Private_identifiers_are_not_allowed_outside_class_bodies); } setNodeLinksForPrivateIdentifierScope(node); } function setNodeLinksForPrivateIdentifierScope(node) { if (isPrivateIdentifier(node.name)) { if (languageVersion < 9 || languageVersion < 99 || !useDefineForClassFields) { for (let lexicalScope = getEnclosingBlockScopeContainer(node); !!lexicalScope; lexicalScope = getEnclosingBlockScopeContainer(lexicalScope)) { getNodeLinks(lexicalScope).flags |= 1048576; } if (isClassExpression(node.parent)) { const enclosingIterationStatement = getEnclosingIterationStatement(node.parent); if (enclosingIterationStatement) { getNodeLinks(node.name).flags |= 32768; getNodeLinks(enclosingIterationStatement).flags |= 4096; } } } } } function checkClassStaticBlockDeclaration(node) { checkGrammarModifiers(node); forEachChild(node, checkSourceElement); } function checkConstructorDeclaration(node) { checkSignatureDeclaration(node); if (!checkGrammarConstructorTypeParameters(node)) checkGrammarConstructorTypeAnnotation(node); checkSourceElement(node.body); const symbol = getSymbolOfDeclaration(node); const firstDeclaration = getDeclarationOfKind(symbol, node.kind); if (node === firstDeclaration) { checkFunctionOrConstructorSymbol(symbol); } if (nodeIsMissing(node.body)) { return; } addLazyDiagnostic(checkConstructorDeclarationDiagnostics); return; function isInstancePropertyWithInitializerOrPrivateIdentifierProperty(n) { if (isPrivateIdentifierClassElementDeclaration(n)) { return true; } return n.kind === 172 && !isStatic(n) && !!n.initializer; } function checkConstructorDeclarationDiagnostics() { const containingClassDecl = node.parent; if (getClassExtendsHeritageElement(containingClassDecl)) { captureLexicalThis(node.parent, containingClassDecl); const classExtendsNull = classDeclarationExtendsNull(containingClassDecl); const superCall = findFirstSuperCall(node.body); if (superCall) { if (classExtendsNull) { error2(superCall, Diagnostics.A_constructor_cannot_contain_a_super_call_when_its_class_extends_null); } const superCallShouldBeRootLevel = !emitStandardClassFields && (some(node.parent.members, isInstancePropertyWithInitializerOrPrivateIdentifierProperty) || some(node.parameters, (p) => hasSyntacticModifier( p, 31 /* ParameterPropertyModifier */ ))); if (superCallShouldBeRootLevel) { if (!superCallIsRootLevelInConstructor(superCall, node.body)) { error2(superCall, Diagnostics.A_super_call_must_be_a_root_level_statement_within_a_constructor_of_a_derived_class_that_contains_initialized_properties_parameter_properties_or_private_identifiers); } else { let superCallStatement; for (const statement of node.body.statements) { if (isExpressionStatement2(statement) && isSuperCall(skipOuterExpressions(statement.expression))) { superCallStatement = statement; break; } if (nodeImmediatelyReferencesSuperOrThis(statement)) { break; } } if (superCallStatement === void 0) { error2(node, Diagnostics.A_super_call_must_be_the_first_statement_in_the_constructor_to_refer_to_super_or_this_when_a_derived_class_contains_initialized_properties_parameter_properties_or_private_identifiers); } } } } else if (!classExtendsNull) { error2(node, Diagnostics.Constructors_for_derived_classes_must_contain_a_super_call); } } } } function superCallIsRootLevelInConstructor(superCall, body) { const superCallParent = walkUpParenthesizedExpressions(superCall.parent); return isExpressionStatement2(superCallParent) && superCallParent.parent === body; } function nodeImmediatelyReferencesSuperOrThis(node) { if (node.kind === 108 || node.kind === 110) { return true; } if (isThisContainerOrFunctionBlock(node)) { return false; } return !!forEachChild(node, nodeImmediatelyReferencesSuperOrThis); } function checkAccessorDeclaration(node) { if (isIdentifier(node.name) && idText(node.name) === "constructor" && isClassLike(node.parent)) { error2(node.name, Diagnostics.Class_constructor_may_not_be_an_accessor); } addLazyDiagnostic(checkAccessorDeclarationDiagnostics); checkSourceElement(node.body); setNodeLinksForPrivateIdentifierScope(node); function checkAccessorDeclarationDiagnostics() { if (!checkGrammarFunctionLikeDeclaration(node) && !checkGrammarAccessor(node)) checkGrammarComputedPropertyName(node.name); checkDecorators(node); checkSignatureDeclaration(node); if (node.kind === 177) { if (!(node.flags & 33554432) && nodeIsPresent(node.body) && node.flags & 512) { if (!(node.flags & 1024)) { error2(node.name, Diagnostics.A_get_accessor_must_return_a_value); } } } if (node.name.kind === 167) { checkComputedPropertyName(node.name); } if (hasBindableName(node)) { const symbol = getSymbolOfDeclaration(node); const getter = getDeclarationOfKind( symbol, 177 /* GetAccessor */ ); const setter = getDeclarationOfKind( symbol, 178 /* SetAccessor */ ); if (getter && setter && !(getNodeCheckFlags(getter) & 1)) { getNodeLinks(getter).flags |= 1; const getterFlags = getEffectiveModifierFlags(getter); const setterFlags = getEffectiveModifierFlags(setter); if ((getterFlags & 64) !== (setterFlags & 64)) { error2(getter.name, Diagnostics.Accessors_must_both_be_abstract_or_non_abstract); error2(setter.name, Diagnostics.Accessors_must_both_be_abstract_or_non_abstract); } if (getterFlags & 4 && !(setterFlags & (4 | 2)) || getterFlags & 2 && !(setterFlags & 2)) { error2(getter.name, Diagnostics.A_get_accessor_must_be_at_least_as_accessible_as_the_setter); error2(setter.name, Diagnostics.A_get_accessor_must_be_at_least_as_accessible_as_the_setter); } } } const returnType = getTypeOfAccessors(getSymbolOfDeclaration(node)); if (node.kind === 177) { checkAllCodePathsInNonVoidFunctionReturnOrThrow(node, returnType); } } } function checkMissingDeclaration(node) { checkDecorators(node); } function getEffectiveTypeArgumentAtIndex(node, typeParameters, index) { if (node.typeArguments && index < node.typeArguments.length) { return getTypeFromTypeNode(node.typeArguments[index]); } return getEffectiveTypeArguments2(node, typeParameters)[index]; } function getEffectiveTypeArguments2(node, typeParameters) { return fillMissingTypeArguments(map(node.typeArguments, getTypeFromTypeNode), typeParameters, getMinTypeArgumentCount(typeParameters), isInJSFile(node)); } function checkTypeArgumentConstraints(node, typeParameters) { let typeArguments; let mapper; let result = true; for (let i = 0; i < typeParameters.length; i++) { const constraint = getConstraintOfTypeParameter(typeParameters[i]); if (constraint) { if (!typeArguments) { typeArguments = getEffectiveTypeArguments2(node, typeParameters); mapper = createTypeMapper(typeParameters, typeArguments); } result = result && checkTypeAssignableTo( typeArguments[i], instantiateType(constraint, mapper), node.typeArguments[i], Diagnostics.Type_0_does_not_satisfy_the_constraint_1 ); } } return result; } function getTypeParametersForTypeAndSymbol(type, symbol) { if (!isErrorType(type)) { return symbol.flags & 524288 && getSymbolLinks(symbol).typeParameters || (getObjectFlags(type) & 4 ? type.target.localTypeParameters : void 0); } return void 0; } function getTypeParametersForTypeReferenceOrImport(node) { const type = getTypeFromTypeNode(node); if (!isErrorType(type)) { const symbol = getNodeLinks(node).resolvedSymbol; if (symbol) { return getTypeParametersForTypeAndSymbol(type, symbol); } } return void 0; } function checkTypeReferenceNode(node) { checkGrammarTypeArguments(node, node.typeArguments); if (node.kind === 183 && !isInJSFile(node) && !isInJSDoc(node) && node.typeArguments && node.typeName.end !== node.typeArguments.pos) { const sourceFile = getSourceFileOfNode(node); if (scanTokenAtPosition(sourceFile, node.typeName.end) === 25) { grammarErrorAtPos(node, skipTrivia(sourceFile.text, node.typeName.end), 1, Diagnostics.JSDoc_types_can_only_be_used_inside_documentation_comments); } } forEach(node.typeArguments, checkSourceElement); checkTypeReferenceOrImport(node); } function checkTypeReferenceOrImport(node) { const type = getTypeFromTypeNode(node); if (!isErrorType(type)) { if (node.typeArguments) { addLazyDiagnostic(() => { const typeParameters = getTypeParametersForTypeReferenceOrImport(node); if (typeParameters) { checkTypeArgumentConstraints(node, typeParameters); } }); } const symbol = getNodeLinks(node).resolvedSymbol; if (symbol) { if (some(symbol.declarations, (d) => isTypeDeclaration(d) && !!(d.flags & 536870912))) { addDeprecatedSuggestion( getDeprecatedSuggestionNode(node), symbol.declarations, symbol.escapedName ); } } } } function getTypeArgumentConstraint(node) { const typeReferenceNode = tryCast(node.parent, isTypeReferenceType); if (!typeReferenceNode) return void 0; const typeParameters = getTypeParametersForTypeReferenceOrImport(typeReferenceNode); if (!typeParameters) return void 0; const constraint = getConstraintOfTypeParameter(typeParameters[typeReferenceNode.typeArguments.indexOf(node)]); return constraint && instantiateType(constraint, createTypeMapper(typeParameters, getEffectiveTypeArguments2(typeReferenceNode, typeParameters))); } function checkTypeQuery(node) { getTypeFromTypeQueryNode(node); } function checkTypeLiteral(node) { forEach(node.members, checkSourceElement); addLazyDiagnostic(checkTypeLiteralDiagnostics); function checkTypeLiteralDiagnostics() { const type = getTypeFromTypeLiteralOrFunctionOrConstructorTypeNode(node); checkIndexConstraints(type, type.symbol); checkTypeForDuplicateIndexSignatures(node); checkObjectTypeForDuplicateDeclarations(node); } } function checkArrayType(node) { checkSourceElement(node.elementType); } function checkTupleType(node) { let seenOptionalElement = false; let seenRestElement = false; for (const e of node.elements) { let flags = getTupleElementFlags(e); if (flags & 8) { const type = getTypeFromTypeNode(e.type); if (!isArrayLikeType(type)) { error2(e, Diagnostics.A_rest_element_type_must_be_an_array_type); break; } if (isArrayType(type) || isTupleType(type) && type.target.combinedFlags & 4) { flags |= 4; } } if (flags & 4) { if (seenRestElement) { grammarErrorOnNode(e, Diagnostics.A_rest_element_cannot_follow_another_rest_element); break; } seenRestElement = true; } else if (flags & 2) { if (seenRestElement) { grammarErrorOnNode(e, Diagnostics.An_optional_element_cannot_follow_a_rest_element); break; } seenOptionalElement = true; } else if (flags & 1 && seenOptionalElement) { grammarErrorOnNode(e, Diagnostics.A_required_element_cannot_follow_an_optional_element); break; } } forEach(node.elements, checkSourceElement); getTypeFromTypeNode(node); } function checkUnionOrIntersectionType(node) { forEach(node.types, checkSourceElement); getTypeFromTypeNode(node); } function checkIndexedAccessIndexType(type, accessNode) { if (!(type.flags & 8388608)) { return type; } const objectType2 = type.objectType; const indexType = type.indexType; const objectIndexType = isGenericMappedType(objectType2) && getMappedTypeNameTypeKind(objectType2) === 2 ? getIndexTypeForMappedType( objectType2, 0 /* None */ ) : getIndexType( objectType2, 0 /* None */ ); const hasNumberIndexInfo = !!getIndexInfoOfType(objectType2, numberType2); if (everyType(indexType, (t) => isTypeAssignableTo(t, objectIndexType) || hasNumberIndexInfo && isApplicableIndexType(t, numberType2))) { if (accessNode.kind === 212 && isAssignmentTarget(accessNode) && getObjectFlags(objectType2) & 32 && getMappedTypeModifiers(objectType2) & 1) { error2(accessNode, Diagnostics.Index_signature_in_type_0_only_permits_reading, typeToString(objectType2)); } return type; } if (isGenericObjectType(objectType2)) { const propertyName = getPropertyNameFromIndex(indexType, accessNode); if (propertyName) { const propertySymbol = forEachType(getApparentType(objectType2), (t) => getPropertyOfType(t, propertyName)); if (propertySymbol && getDeclarationModifierFlagsFromSymbol(propertySymbol) & 6) { error2(accessNode, Diagnostics.Private_or_protected_member_0_cannot_be_accessed_on_a_type_parameter, unescapeLeadingUnderscores(propertyName)); return errorType; } } } error2(accessNode, Diagnostics.Type_0_cannot_be_used_to_index_type_1, typeToString(indexType), typeToString(objectType2)); return errorType; } function checkIndexedAccessType(node) { checkSourceElement(node.objectType); checkSourceElement(node.indexType); checkIndexedAccessIndexType(getTypeFromIndexedAccessTypeNode(node), node); } function checkMappedType(node) { checkGrammarMappedType(node); checkSourceElement(node.typeParameter); checkSourceElement(node.nameType); checkSourceElement(node.type); if (!node.type) { reportImplicitAny(node, anyType2); } const type = getTypeFromMappedTypeNode(node); const nameType = getNameTypeFromMappedType(type); if (nameType) { checkTypeAssignableTo(nameType, stringNumberSymbolType, node.nameType); } else { const constraintType = getConstraintTypeFromMappedType(type); checkTypeAssignableTo(constraintType, stringNumberSymbolType, getEffectiveConstraintOfTypeParameter(node.typeParameter)); } } function checkGrammarMappedType(node) { var _a; if ((_a = node.members) == null ? void 0 : _a.length) { return grammarErrorOnNode(node.members[0], Diagnostics.A_mapped_type_may_not_declare_properties_or_methods); } } function checkThisType(node) { getTypeFromThisTypeNode(node); } function checkTypeOperator(node) { checkGrammarTypeOperatorNode(node); checkSourceElement(node.type); } function checkConditionalType(node) { forEachChild(node, checkSourceElement); } function checkInferType(node) { if (!findAncestor(node, (n) => n.parent && n.parent.kind === 194 && n.parent.extendsType === n)) { grammarErrorOnNode(node, Diagnostics.infer_declarations_are_only_permitted_in_the_extends_clause_of_a_conditional_type); } checkSourceElement(node.typeParameter); const symbol = getSymbolOfDeclaration(node.typeParameter); if (symbol.declarations && symbol.declarations.length > 1) { const links = getSymbolLinks(symbol); if (!links.typeParametersChecked) { links.typeParametersChecked = true; const typeParameter = getDeclaredTypeOfTypeParameter(symbol); const declarations = getDeclarationsOfKind( symbol, 168 /* TypeParameter */ ); if (!areTypeParametersIdentical(declarations, [typeParameter], (decl) => [decl])) { const name = symbolToString2(symbol); for (const declaration of declarations) { error2(declaration.name, Diagnostics.All_declarations_of_0_must_have_identical_constraints, name); } } } } registerForUnusedIdentifiersCheck(node); } function checkTemplateLiteralType(node) { for (const span of node.templateSpans) { checkSourceElement(span.type); const type = getTypeFromTypeNode(span.type); checkTypeAssignableTo(type, templateConstraintType, span.type); } getTypeFromTypeNode(node); } function checkImportType(node) { checkSourceElement(node.argument); if (node.attributes) { getResolutionModeOverride(node.attributes, grammarErrorOnNode); } checkTypeReferenceOrImport(node); } function checkNamedTupleMember(node) { if (node.dotDotDotToken && node.questionToken) { grammarErrorOnNode(node, Diagnostics.A_tuple_member_cannot_be_both_optional_and_rest); } if (node.type.kind === 190) { grammarErrorOnNode(node.type, Diagnostics.A_labeled_tuple_element_is_declared_as_optional_with_a_question_mark_after_the_name_and_before_the_colon_rather_than_after_the_type); } if (node.type.kind === 191) { grammarErrorOnNode(node.type, Diagnostics.A_labeled_tuple_element_is_declared_as_rest_with_a_before_the_name_rather_than_before_the_type); } checkSourceElement(node.type); getTypeFromTypeNode(node); } function isPrivateWithinAmbient(node) { return (hasEffectiveModifier( node, 2 /* Private */ ) || isPrivateIdentifierClassElementDeclaration(node)) && !!(node.flags & 33554432); } function getEffectiveDeclarationFlags(n, flagsToCheck) { let flags = getCombinedModifierFlagsCached(n); if (n.parent.kind !== 264 && n.parent.kind !== 263 && n.parent.kind !== 231 && n.flags & 33554432) { const container = getEnclosingContainer(n); if (container && container.flags & 128 && !(flags & 128) && !(isModuleBlock(n.parent) && isModuleDeclaration(n.parent.parent) && isGlobalScopeAugmentation(n.parent.parent))) { flags |= 32; } flags |= 128; } return flags & flagsToCheck; } function checkFunctionOrConstructorSymbol(symbol) { addLazyDiagnostic(() => checkFunctionOrConstructorSymbolWorker(symbol)); } function checkFunctionOrConstructorSymbolWorker(symbol) { function getCanonicalOverload(overloads, implementation) { const implementationSharesContainerWithFirstOverload = implementation !== void 0 && implementation.parent === overloads[0].parent; return implementationSharesContainerWithFirstOverload ? implementation : overloads[0]; } function checkFlagAgreementBetweenOverloads(overloads, implementation, flagsToCheck2, someOverloadFlags, allOverloadFlags) { const someButNotAllOverloadFlags = someOverloadFlags ^ allOverloadFlags; if (someButNotAllOverloadFlags !== 0) { const canonicalFlags = getEffectiveDeclarationFlags(getCanonicalOverload(overloads, implementation), flagsToCheck2); forEach(overloads, (o) => { const deviation = getEffectiveDeclarationFlags(o, flagsToCheck2) ^ canonicalFlags; if (deviation & 32) { error2(getNameOfDeclaration(o), Diagnostics.Overload_signatures_must_all_be_exported_or_non_exported); } else if (deviation & 128) { error2(getNameOfDeclaration(o), Diagnostics.Overload_signatures_must_all_be_ambient_or_non_ambient); } else if (deviation & (2 | 4)) { error2(getNameOfDeclaration(o) || o, Diagnostics.Overload_signatures_must_all_be_public_private_or_protected); } else if (deviation & 64) { error2(getNameOfDeclaration(o), Diagnostics.Overload_signatures_must_all_be_abstract_or_non_abstract); } }); } } function checkQuestionTokenAgreementBetweenOverloads(overloads, implementation, someHaveQuestionToken2, allHaveQuestionToken2) { if (someHaveQuestionToken2 !== allHaveQuestionToken2) { const canonicalHasQuestionToken = hasQuestionToken(getCanonicalOverload(overloads, implementation)); forEach(overloads, (o) => { const deviation = hasQuestionToken(o) !== canonicalHasQuestionToken; if (deviation) { error2(getNameOfDeclaration(o), Diagnostics.Overload_signatures_must_all_be_optional_or_required); } }); } } const flagsToCheck = 32 | 128 | 2 | 4 | 64; let someNodeFlags = 0; let allNodeFlags = flagsToCheck; let someHaveQuestionToken = false; let allHaveQuestionToken = true; let hasOverloads = false; let bodyDeclaration; let lastSeenNonAmbientDeclaration; let previousDeclaration; const declarations = symbol.declarations; const isConstructor = (symbol.flags & 16384) !== 0; function reportImplementationExpectedError(node) { if (node.name && nodeIsMissing(node.name)) { return; } let seen = false; const subsequentNode = forEachChild(node.parent, (c) => { if (seen) { return c; } else { seen = c === node; } }); if (subsequentNode && subsequentNode.pos === node.end) { if (subsequentNode.kind === node.kind) { const errorNode2 = subsequentNode.name || subsequentNode; const subsequentName = subsequentNode.name; if (node.name && subsequentName && // both are private identifiers (isPrivateIdentifier(node.name) && isPrivateIdentifier(subsequentName) && node.name.escapedText === subsequentName.escapedText || // Both are computed property names isComputedPropertyName(node.name) && isComputedPropertyName(subsequentName) && isTypeIdenticalTo(checkComputedPropertyName(node.name), checkComputedPropertyName(subsequentName)) || // Both are literal property names that are the same. isPropertyNameLiteral(node.name) && isPropertyNameLiteral(subsequentName) && getEscapedTextOfIdentifierOrLiteral(node.name) === getEscapedTextOfIdentifierOrLiteral(subsequentName))) { const reportError = (node.kind === 174 || node.kind === 173) && isStatic(node) !== isStatic(subsequentNode); if (reportError) { const diagnostic = isStatic(node) ? Diagnostics.Function_overload_must_be_static : Diagnostics.Function_overload_must_not_be_static; error2(errorNode2, diagnostic); } return; } if (nodeIsPresent(subsequentNode.body)) { error2(errorNode2, Diagnostics.Function_implementation_name_must_be_0, declarationNameToString(node.name)); return; } } } const errorNode = node.name || node; if (isConstructor) { error2(errorNode, Diagnostics.Constructor_implementation_is_missing); } else { if (hasSyntacticModifier( node, 64 /* Abstract */ )) { error2(errorNode, Diagnostics.All_declarations_of_an_abstract_method_must_be_consecutive); } else { error2(errorNode, Diagnostics.Function_implementation_is_missing_or_not_immediately_following_the_declaration); } } } let duplicateFunctionDeclaration = false; let multipleConstructorImplementation = false; let hasNonAmbientClass = false; const functionDeclarations = []; if (declarations) { for (const current of declarations) { const node = current; const inAmbientContext = node.flags & 33554432; const inAmbientContextOrInterface = node.parent && (node.parent.kind === 264 || node.parent.kind === 187) || inAmbientContext; if (inAmbientContextOrInterface) { previousDeclaration = void 0; } if ((node.kind === 263 || node.kind === 231) && !inAmbientContext) { hasNonAmbientClass = true; } if (node.kind === 262 || node.kind === 174 || node.kind === 173 || node.kind === 176) { functionDeclarations.push(node); const currentNodeFlags = getEffectiveDeclarationFlags(node, flagsToCheck); someNodeFlags |= currentNodeFlags; allNodeFlags &= currentNodeFlags; someHaveQuestionToken = someHaveQuestionToken || hasQuestionToken(node); allHaveQuestionToken = allHaveQuestionToken && hasQuestionToken(node); const bodyIsPresent = nodeIsPresent(node.body); if (bodyIsPresent && bodyDeclaration) { if (isConstructor) { multipleConstructorImplementation = true; } else { duplicateFunctionDeclaration = true; } } else if ((previousDeclaration == null ? void 0 : previousDeclaration.parent) === node.parent && previousDeclaration.end !== node.pos) { reportImplementationExpectedError(previousDeclaration); } if (bodyIsPresent) { if (!bodyDeclaration) { bodyDeclaration = node; } } else { hasOverloads = true; } previousDeclaration = node; if (!inAmbientContextOrInterface) { lastSeenNonAmbientDeclaration = node; } } if (isInJSFile(current) && isFunctionLike(current) && current.jsDoc) { hasOverloads = length(getJSDocOverloadTags(current)) > 0; } } } if (multipleConstructorImplementation) { forEach(functionDeclarations, (declaration) => { error2(declaration, Diagnostics.Multiple_constructor_implementations_are_not_allowed); }); } if (duplicateFunctionDeclaration) { forEach(functionDeclarations, (declaration) => { error2(getNameOfDeclaration(declaration) || declaration, Diagnostics.Duplicate_function_implementation); }); } if (hasNonAmbientClass && !isConstructor && symbol.flags & 16 && declarations) { const relatedDiagnostics = filter( declarations, (d) => d.kind === 263 /* ClassDeclaration */ ).map((d) => createDiagnosticForNode(d, Diagnostics.Consider_adding_a_declare_modifier_to_this_class)); forEach(declarations, (declaration) => { const diagnostic = declaration.kind === 263 ? Diagnostics.Class_declaration_cannot_implement_overload_list_for_0 : declaration.kind === 262 ? Diagnostics.Function_with_bodies_can_only_merge_with_classes_that_are_ambient : void 0; if (diagnostic) { addRelatedInfo( error2(getNameOfDeclaration(declaration) || declaration, diagnostic, symbolName(symbol)), ...relatedDiagnostics ); } }); } if (lastSeenNonAmbientDeclaration && !lastSeenNonAmbientDeclaration.body && !hasSyntacticModifier( lastSeenNonAmbientDeclaration, 64 /* Abstract */ ) && !lastSeenNonAmbientDeclaration.questionToken) { reportImplementationExpectedError(lastSeenNonAmbientDeclaration); } if (hasOverloads) { if (declarations) { checkFlagAgreementBetweenOverloads(declarations, bodyDeclaration, flagsToCheck, someNodeFlags, allNodeFlags); checkQuestionTokenAgreementBetweenOverloads(declarations, bodyDeclaration, someHaveQuestionToken, allHaveQuestionToken); } if (bodyDeclaration) { const signatures = getSignaturesOfSymbol(symbol); const bodySignature = getSignatureFromDeclaration(bodyDeclaration); for (const signature of signatures) { if (!isImplementationCompatibleWithOverload(bodySignature, signature)) { const errorNode = signature.declaration && isJSDocSignature(signature.declaration) ? signature.declaration.parent.tagName : signature.declaration; addRelatedInfo( error2(errorNode, Diagnostics.This_overload_signature_is_not_compatible_with_its_implementation_signature), createDiagnosticForNode(bodyDeclaration, Diagnostics.The_implementation_signature_is_declared_here) ); break; } } } } } function checkExportsOnMergedDeclarations(node) { addLazyDiagnostic(() => checkExportsOnMergedDeclarationsWorker(node)); } function checkExportsOnMergedDeclarationsWorker(node) { let symbol = node.localSymbol; if (!symbol) { symbol = getSymbolOfDeclaration(node); if (!symbol.exportSymbol) { return; } } if (getDeclarationOfKind(symbol, node.kind) !== node) { return; } let exportedDeclarationSpaces = 0; let nonExportedDeclarationSpaces = 0; let defaultExportedDeclarationSpaces = 0; for (const d of symbol.declarations) { const declarationSpaces = getDeclarationSpaces(d); const effectiveDeclarationFlags = getEffectiveDeclarationFlags( d, 32 | 2048 /* Default */ ); if (effectiveDeclarationFlags & 32) { if (effectiveDeclarationFlags & 2048) { defaultExportedDeclarationSpaces |= declarationSpaces; } else { exportedDeclarationSpaces |= declarationSpaces; } } else { nonExportedDeclarationSpaces |= declarationSpaces; } } const nonDefaultExportedDeclarationSpaces = exportedDeclarationSpaces | nonExportedDeclarationSpaces; const commonDeclarationSpacesForExportsAndLocals = exportedDeclarationSpaces & nonExportedDeclarationSpaces; const commonDeclarationSpacesForDefaultAndNonDefault = defaultExportedDeclarationSpaces & nonDefaultExportedDeclarationSpaces; if (commonDeclarationSpacesForExportsAndLocals || commonDeclarationSpacesForDefaultAndNonDefault) { for (const d of symbol.declarations) { const declarationSpaces = getDeclarationSpaces(d); const name = getNameOfDeclaration(d); if (declarationSpaces & commonDeclarationSpacesForDefaultAndNonDefault) { error2(name, Diagnostics.Merged_declaration_0_cannot_include_a_default_export_declaration_Consider_adding_a_separate_export_default_0_declaration_instead, declarationNameToString(name)); } else if (declarationSpaces & commonDeclarationSpacesForExportsAndLocals) { error2(name, Diagnostics.Individual_declarations_in_merged_declaration_0_must_be_all_exported_or_all_local, declarationNameToString(name)); } } } function getDeclarationSpaces(decl) { let d = decl; switch (d.kind) { case 264: case 265: case 346: case 338: case 340: return 2; case 267: return isAmbientModule(d) || getModuleInstanceState(d) !== 0 ? 4 | 1 : 4; case 263: case 266: case 306: return 2 | 1; case 307: return 2 | 1 | 4; case 277: case 226: const node2 = d; const expression = isExportAssignment(node2) ? node2.expression : node2.right; if (!isEntityNameExpression(expression)) { return 1; } d = expression; case 271: case 274: case 273: let result = 0; const target = resolveAlias(getSymbolOfDeclaration(d)); forEach(target.declarations, (d2) => { result |= getDeclarationSpaces(d2); }); return result; case 260: case 208: case 262: case 276: case 80: return 1; case 173: case 171: return 2; default: return Debug.failBadSyntaxKind(d); } } } function getAwaitedTypeOfPromise(type, errorNode, diagnosticMessage, ...args) { const promisedType = getPromisedTypeOfPromise(type, errorNode); return promisedType && getAwaitedType(promisedType, errorNode, diagnosticMessage, ...args); } function getPromisedTypeOfPromise(type, errorNode, thisTypeForErrorOut) { if (isTypeAny(type)) { return void 0; } const typeAsPromise = type; if (typeAsPromise.promisedTypeOfPromise) { return typeAsPromise.promisedTypeOfPromise; } if (isReferenceToType2(type, getGlobalPromiseType( /*reportErrors*/ false ))) { return typeAsPromise.promisedTypeOfPromise = getTypeArguments(type)[0]; } if (allTypesAssignableToKind( getBaseConstraintOrType(type), 402784252 | 131072 /* Never */ )) { return void 0; } const thenFunction = getTypeOfPropertyOfType(type, "then"); if (isTypeAny(thenFunction)) { return void 0; } const thenSignatures = thenFunction ? getSignaturesOfType( thenFunction, 0 /* Call */ ) : emptyArray; if (thenSignatures.length === 0) { if (errorNode) { error2(errorNode, Diagnostics.A_promise_must_have_a_then_method); } return void 0; } let thisTypeForError; let candidates; for (const thenSignature of thenSignatures) { const thisType = getThisTypeOfSignature(thenSignature); if (thisType && thisType !== voidType2 && !isTypeRelatedTo(type, thisType, subtypeRelation)) { thisTypeForError = thisType; } else { candidates = append(candidates, thenSignature); } } if (!candidates) { Debug.assertIsDefined(thisTypeForError); if (thisTypeForErrorOut) { thisTypeForErrorOut.value = thisTypeForError; } if (errorNode) { error2(errorNode, Diagnostics.The_this_context_of_type_0_is_not_assignable_to_method_s_this_of_type_1, typeToString(type), typeToString(thisTypeForError)); } return void 0; } const onfulfilledParameterType = getTypeWithFacts( getUnionType(map(candidates, getTypeOfFirstParameterOfSignature)), 2097152 /* NEUndefinedOrNull */ ); if (isTypeAny(onfulfilledParameterType)) { return void 0; } const onfulfilledParameterSignatures = getSignaturesOfType( onfulfilledParameterType, 0 /* Call */ ); if (onfulfilledParameterSignatures.length === 0) { if (errorNode) { error2(errorNode, Diagnostics.The_first_parameter_of_the_then_method_of_a_promise_must_be_a_callback); } return void 0; } return typeAsPromise.promisedTypeOfPromise = getUnionType( map(onfulfilledParameterSignatures, getTypeOfFirstParameterOfSignature), 2 /* Subtype */ ); } function checkAwaitedType(type, withAlias, errorNode, diagnosticMessage, ...args) { const awaitedType = withAlias ? getAwaitedType(type, errorNode, diagnosticMessage, ...args) : getAwaitedTypeNoAlias(type, errorNode, diagnosticMessage, ...args); return awaitedType || errorType; } function isThenableType(type) { if (allTypesAssignableToKind( getBaseConstraintOrType(type), 402784252 | 131072 /* Never */ )) { return false; } const thenFunction = getTypeOfPropertyOfType(type, "then"); return !!thenFunction && getSignaturesOfType( getTypeWithFacts( thenFunction, 2097152 /* NEUndefinedOrNull */ ), 0 /* Call */ ).length > 0; } function isAwaitedTypeInstantiation(type) { var _a; if (type.flags & 16777216) { const awaitedSymbol = getGlobalAwaitedSymbol( /*reportErrors*/ false ); return !!awaitedSymbol && type.aliasSymbol === awaitedSymbol && ((_a = type.aliasTypeArguments) == null ? void 0 : _a.length) === 1; } return false; } function unwrapAwaitedType(type) { return type.flags & 1048576 ? mapType2(type, unwrapAwaitedType) : isAwaitedTypeInstantiation(type) ? type.aliasTypeArguments[0] : type; } function isAwaitedTypeNeeded(type) { if (isTypeAny(type) || isAwaitedTypeInstantiation(type)) { return false; } if (isGenericObjectType(type)) { const baseConstraint = getBaseConstraintOfType(type); if (baseConstraint ? baseConstraint.flags & 3 || isEmptyObjectType(baseConstraint) || someType(baseConstraint, isThenableType) : maybeTypeOfKind( type, 8650752 /* TypeVariable */ )) { return true; } } return false; } function tryCreateAwaitedType(type) { const awaitedSymbol = getGlobalAwaitedSymbol( /*reportErrors*/ true ); if (awaitedSymbol) { return getTypeAliasInstantiation(awaitedSymbol, [unwrapAwaitedType(type)]); } return void 0; } function createAwaitedTypeIfNeeded(type) { if (isAwaitedTypeNeeded(type)) { return tryCreateAwaitedType(type) ?? type; } Debug.assert(isAwaitedTypeInstantiation(type) || getPromisedTypeOfPromise(type) === void 0, "type provided should not be a non-generic 'promise'-like."); return type; } function getAwaitedType(type, errorNode, diagnosticMessage, ...args) { const awaitedType = getAwaitedTypeNoAlias(type, errorNode, diagnosticMessage, ...args); return awaitedType && createAwaitedTypeIfNeeded(awaitedType); } function getAwaitedTypeNoAlias(type, errorNode, diagnosticMessage, ...args) { if (isTypeAny(type)) { return type; } if (isAwaitedTypeInstantiation(type)) { return type; } const typeAsAwaitable = type; if (typeAsAwaitable.awaitedTypeOfType) { return typeAsAwaitable.awaitedTypeOfType; } if (type.flags & 1048576) { if (awaitedTypeStack.lastIndexOf(type.id) >= 0) { if (errorNode) { error2(errorNode, Diagnostics.Type_is_referenced_directly_or_indirectly_in_the_fulfillment_callback_of_its_own_then_method); } return void 0; } const mapper = errorNode ? (constituentType) => getAwaitedTypeNoAlias(constituentType, errorNode, diagnosticMessage, ...args) : getAwaitedTypeNoAlias; awaitedTypeStack.push(type.id); const mapped = mapType2(type, mapper); awaitedTypeStack.pop(); return typeAsAwaitable.awaitedTypeOfType = mapped; } if (isAwaitedTypeNeeded(type)) { return typeAsAwaitable.awaitedTypeOfType = type; } const thisTypeForErrorOut = { value: void 0 }; const promisedType = getPromisedTypeOfPromise( type, /*errorNode*/ void 0, thisTypeForErrorOut ); if (promisedType) { if (type.id === promisedType.id || awaitedTypeStack.lastIndexOf(promisedType.id) >= 0) { if (errorNode) { error2(errorNode, Diagnostics.Type_is_referenced_directly_or_indirectly_in_the_fulfillment_callback_of_its_own_then_method); } return void 0; } awaitedTypeStack.push(type.id); const awaitedType = getAwaitedTypeNoAlias(promisedType, errorNode, diagnosticMessage, ...args); awaitedTypeStack.pop(); if (!awaitedType) { return void 0; } return typeAsAwaitable.awaitedTypeOfType = awaitedType; } if (isThenableType(type)) { if (errorNode) { Debug.assertIsDefined(diagnosticMessage); let chain; if (thisTypeForErrorOut.value) { chain = chainDiagnosticMessages(chain, Diagnostics.The_this_context_of_type_0_is_not_assignable_to_method_s_this_of_type_1, typeToString(type), typeToString(thisTypeForErrorOut.value)); } chain = chainDiagnosticMessages(chain, diagnosticMessage, ...args); diagnostics.add(createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(errorNode), errorNode, chain)); } return void 0; } return typeAsAwaitable.awaitedTypeOfType = type; } function checkAsyncFunctionReturnType(node, returnTypeNode, returnTypeErrorLocation) { const returnType = getTypeFromTypeNode(returnTypeNode); if (languageVersion >= 2) { if (isErrorType(returnType)) { return; } const globalPromiseType = getGlobalPromiseType( /*reportErrors*/ true ); if (globalPromiseType !== emptyGenericType && !isReferenceToType2(returnType, globalPromiseType)) { reportErrorForInvalidReturnType(Diagnostics.The_return_type_of_an_async_function_or_method_must_be_the_global_Promise_T_type_Did_you_mean_to_write_Promise_0, returnTypeNode, returnTypeErrorLocation, typeToString(getAwaitedTypeNoAlias(returnType) || voidType2)); return; } } else { markLinkedReferences( node, 5 /* AsyncFunction */ ); if (isErrorType(returnType)) { return; } const promiseConstructorName = getEntityNameFromTypeNode(returnTypeNode); if (promiseConstructorName === void 0) { reportErrorForInvalidReturnType(Diagnostics.Type_0_is_not_a_valid_async_function_return_type_in_ES5_because_it_does_not_refer_to_a_Promise_compatible_constructor_value, returnTypeNode, returnTypeErrorLocation, typeToString(returnType)); return; } const promiseConstructorSymbol = resolveEntityName( promiseConstructorName, 111551, /*ignoreErrors*/ true ); const promiseConstructorType = promiseConstructorSymbol ? getTypeOfSymbol(promiseConstructorSymbol) : errorType; if (isErrorType(promiseConstructorType)) { if (promiseConstructorName.kind === 80 && promiseConstructorName.escapedText === "Promise" && getTargetType(returnType) === getGlobalPromiseType( /*reportErrors*/ false )) { error2(returnTypeErrorLocation, Diagnostics.An_async_function_or_method_in_ES5_requires_the_Promise_constructor_Make_sure_you_have_a_declaration_for_the_Promise_constructor_or_include_ES2015_in_your_lib_option); } else { reportErrorForInvalidReturnType(Diagnostics.Type_0_is_not_a_valid_async_function_return_type_in_ES5_because_it_does_not_refer_to_a_Promise_compatible_constructor_value, returnTypeNode, returnTypeErrorLocation, entityNameToString(promiseConstructorName)); } return; } const globalPromiseConstructorLikeType = getGlobalPromiseConstructorLikeType( /*reportErrors*/ true ); if (globalPromiseConstructorLikeType === emptyObjectType) { reportErrorForInvalidReturnType(Diagnostics.Type_0_is_not_a_valid_async_function_return_type_in_ES5_because_it_does_not_refer_to_a_Promise_compatible_constructor_value, returnTypeNode, returnTypeErrorLocation, entityNameToString(promiseConstructorName)); return; } const headMessage = Diagnostics.Type_0_is_not_a_valid_async_function_return_type_in_ES5_because_it_does_not_refer_to_a_Promise_compatible_constructor_value; const errorInfo = () => returnTypeNode === returnTypeErrorLocation ? void 0 : chainDiagnosticMessages( /*details*/ void 0, Diagnostics.The_return_type_of_an_async_function_or_method_must_be_the_global_Promise_T_type ); if (!checkTypeAssignableTo(promiseConstructorType, globalPromiseConstructorLikeType, returnTypeErrorLocation, headMessage, errorInfo)) { return; } const rootName = promiseConstructorName && getFirstIdentifier(promiseConstructorName); const collidingSymbol = getSymbol2( node.locals, rootName.escapedText, 111551 /* Value */ ); if (collidingSymbol) { error2(collidingSymbol.valueDeclaration, Diagnostics.Duplicate_identifier_0_Compiler_uses_declaration_1_to_support_async_functions, idText(rootName), entityNameToString(promiseConstructorName)); return; } } checkAwaitedType( returnType, /*withAlias*/ false, node, Diagnostics.The_return_type_of_an_async_function_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member ); function reportErrorForInvalidReturnType(message, returnTypeNode2, returnTypeErrorLocation2, typeName) { if (returnTypeNode2 === returnTypeErrorLocation2) { error2(returnTypeErrorLocation2, message, typeName); } else { const diag2 = error2(returnTypeErrorLocation2, Diagnostics.The_return_type_of_an_async_function_or_method_must_be_the_global_Promise_T_type); addRelatedInfo(diag2, createDiagnosticForNode(returnTypeNode2, message, typeName)); } } } function checkGrammarDecorator(decorator) { const sourceFile = getSourceFileOfNode(decorator); if (!hasParseDiagnostics(sourceFile)) { let node = decorator.expression; if (isParenthesizedExpression(node)) { return false; } let canHaveCallExpression = true; let errorNode; while (true) { if (isExpressionWithTypeArguments(node) || isNonNullExpression(node)) { node = node.expression; continue; } if (isCallExpression2(node)) { if (!canHaveCallExpression) { errorNode = node; } if (node.questionDotToken) { errorNode = node.questionDotToken; } node = node.expression; canHaveCallExpression = false; continue; } if (isPropertyAccessExpression(node)) { if (node.questionDotToken) { errorNode = node.questionDotToken; } node = node.expression; canHaveCallExpression = false; continue; } if (!isIdentifier(node)) { errorNode = node; } break; } if (errorNode) { addRelatedInfo( error2(decorator.expression, Diagnostics.Expression_must_be_enclosed_in_parentheses_to_be_used_as_a_decorator), createDiagnosticForNode(errorNode, Diagnostics.Invalid_syntax_in_decorator) ); return true; } } return false; } function checkDecorator(node) { checkGrammarDecorator(node); const signature = getResolvedSignature(node); checkDeprecatedSignature(signature, node); const returnType = getReturnTypeOfSignature(signature); if (returnType.flags & 1) { return; } const decoratorSignature = getDecoratorCallSignature(node); if (!(decoratorSignature == null ? void 0 : decoratorSignature.resolvedReturnType)) return; let headMessage; const expectedReturnType = decoratorSignature.resolvedReturnType; switch (node.parent.kind) { case 263: case 231: headMessage = Diagnostics.Decorator_function_return_type_0_is_not_assignable_to_type_1; break; case 172: if (!legacyDecorators) { headMessage = Diagnostics.Decorator_function_return_type_0_is_not_assignable_to_type_1; break; } case 169: headMessage = Diagnostics.Decorator_function_return_type_is_0_but_is_expected_to_be_void_or_any; break; case 174: case 177: case 178: headMessage = Diagnostics.Decorator_function_return_type_0_is_not_assignable_to_type_1; break; default: return Debug.failBadSyntaxKind(node.parent); } checkTypeAssignableTo(returnType, expectedReturnType, node.expression, headMessage); } function createCallSignature(typeParameters, thisParameter, parameters, returnType, typePredicate, minArgumentCount = parameters.length, flags = 0) { const decl = factory.createFunctionTypeNode( /*typeParameters*/ void 0, emptyArray, factory.createKeywordTypeNode( 133 /* AnyKeyword */ ) ); return createSignature(decl, typeParameters, thisParameter, parameters, returnType, typePredicate, minArgumentCount, flags); } function createFunctionType(typeParameters, thisParameter, parameters, returnType, typePredicate, minArgumentCount, flags) { const signature = createCallSignature(typeParameters, thisParameter, parameters, returnType, typePredicate, minArgumentCount, flags); return getOrCreateTypeFromSignature(signature); } function createGetterFunctionType(type) { return createFunctionType( /*typeParameters*/ void 0, /*thisParameter*/ void 0, emptyArray, type ); } function createSetterFunctionType(type) { const valueParam = createParameter2("value", type); return createFunctionType( /*typeParameters*/ void 0, /*thisParameter*/ void 0, [valueParam], voidType2 ); } function getEntityNameForDecoratorMetadata(node) { if (node) { switch (node.kind) { case 193: case 192: return getEntityNameForDecoratorMetadataFromTypeList(node.types); case 194: return getEntityNameForDecoratorMetadataFromTypeList([node.trueType, node.falseType]); case 196: case 202: return getEntityNameForDecoratorMetadata(node.type); case 183: return node.typeName; } } } function getEntityNameForDecoratorMetadataFromTypeList(types) { let commonEntityName; for (let typeNode of types) { while (typeNode.kind === 196 || typeNode.kind === 202) { typeNode = typeNode.type; } if (typeNode.kind === 146) { continue; } if (!strictNullChecks && (typeNode.kind === 201 && typeNode.literal.kind === 106 || typeNode.kind === 157)) { continue; } const individualEntityName = getEntityNameForDecoratorMetadata(typeNode); if (!individualEntityName) { return void 0; } if (commonEntityName) { if (!isIdentifier(commonEntityName) || !isIdentifier(individualEntityName) || commonEntityName.escapedText !== individualEntityName.escapedText) { return void 0; } } else { commonEntityName = individualEntityName; } } return commonEntityName; } function getParameterTypeNodeForDecoratorCheck(node) { const typeNode = getEffectiveTypeAnnotationNode(node); return isRestParameter(node) ? getRestParameterElementType(typeNode) : typeNode; } function checkDecorators(node) { if (!canHaveDecorators(node) || !hasDecorators(node) || !node.modifiers || !nodeCanBeDecorated(legacyDecorators, node, node.parent, node.parent.parent)) { return; } const firstDecorator = find(node.modifiers, isDecorator); if (!firstDecorator) { return; } if (legacyDecorators) { checkExternalEmitHelpers( firstDecorator, 8 /* Decorate */ ); if (node.kind === 169) { checkExternalEmitHelpers( firstDecorator, 32 /* Param */ ); } } else if (languageVersion < 99) { checkExternalEmitHelpers( firstDecorator, 8 /* ESDecorateAndRunInitializers */ ); if (isClassDeclaration(node)) { if (!node.name) { checkExternalEmitHelpers( firstDecorator, 4194304 /* SetFunctionName */ ); } else { const member = getFirstTransformableStaticClassElement(node); if (member) { checkExternalEmitHelpers( firstDecorator, 4194304 /* SetFunctionName */ ); } } } else if (!isClassExpression(node)) { if (isPrivateIdentifier(node.name) && (isMethodDeclaration(node) || isAccessor(node) || isAutoAccessorPropertyDeclaration(node))) { checkExternalEmitHelpers( firstDecorator, 4194304 /* SetFunctionName */ ); } if (isComputedPropertyName(node.name)) { checkExternalEmitHelpers( firstDecorator, 8388608 /* PropKey */ ); } } } markLinkedReferences( node, 8 /* Decorator */ ); for (const modifier of node.modifiers) { if (isDecorator(modifier)) { checkDecorator(modifier); } } } function checkFunctionDeclaration(node) { addLazyDiagnostic(checkFunctionDeclarationDiagnostics); function checkFunctionDeclarationDiagnostics() { checkFunctionOrMethodDeclaration(node); checkGrammarForGenerator(node); checkCollisionsForDeclarationName(node, node.name); } } function checkJSDocTypeAliasTag(node) { if (!node.typeExpression) { error2(node.name, Diagnostics.JSDoc_typedef_tag_should_either_have_a_type_annotation_or_be_followed_by_property_or_member_tags); } if (node.name) { checkTypeNameIsReserved(node.name, Diagnostics.Type_alias_name_cannot_be_0); } checkSourceElement(node.typeExpression); checkTypeParameters(getEffectiveTypeParameterDeclarations(node)); } function checkJSDocTemplateTag(node) { checkSourceElement(node.constraint); for (const tp of node.typeParameters) { checkSourceElement(tp); } } function checkJSDocTypeTag(node) { checkSourceElement(node.typeExpression); } function checkJSDocSatisfiesTag(node) { checkSourceElement(node.typeExpression); const host2 = getEffectiveJSDocHost(node); if (host2) { const tags = getAllJSDocTags(host2, isJSDocSatisfiesTag); if (length(tags) > 1) { for (let i = 1; i < length(tags); i++) { const tagName = tags[i].tagName; error2(tagName, Diagnostics._0_tag_already_specified, idText(tagName)); } } } } function checkJSDocLinkLikeTag(node) { if (node.name) { resolveJSDocMemberName( node.name, /*ignoreErrors*/ true ); } } function checkJSDocParameterTag(node) { checkSourceElement(node.typeExpression); } function checkJSDocPropertyTag(node) { checkSourceElement(node.typeExpression); } function checkJSDocFunctionType(node) { addLazyDiagnostic(checkJSDocFunctionTypeImplicitAny); checkSignatureDeclaration(node); function checkJSDocFunctionTypeImplicitAny() { if (!node.type && !isJSDocConstructSignature(node)) { reportImplicitAny(node, anyType2); } } } function checkJSDocThisTag(node) { const host2 = getEffectiveJSDocHost(node); if (host2 && isArrowFunction(host2)) { error2(node.tagName, Diagnostics.An_arrow_function_cannot_have_a_this_parameter); } } function checkJSDocImportTag(node) { checkImportAttributes(node); } function checkJSDocImplementsTag(node) { const classLike = getEffectiveJSDocHost(node); if (!classLike || !isClassDeclaration(classLike) && !isClassExpression(classLike)) { error2(classLike, Diagnostics.JSDoc_0_is_not_attached_to_a_class, idText(node.tagName)); } } function checkJSDocAugmentsTag(node) { const classLike = getEffectiveJSDocHost(node); if (!classLike || !isClassDeclaration(classLike) && !isClassExpression(classLike)) { error2(classLike, Diagnostics.JSDoc_0_is_not_attached_to_a_class, idText(node.tagName)); return; } const augmentsTags = getJSDocTags(classLike).filter(isJSDocAugmentsTag); Debug.assert(augmentsTags.length > 0); if (augmentsTags.length > 1) { error2(augmentsTags[1], Diagnostics.Class_declarations_cannot_have_more_than_one_augments_or_extends_tag); } const name = getIdentifierFromEntityNameExpression(node.class.expression); const extend2 = getClassExtendsHeritageElement(classLike); if (extend2) { const className = getIdentifierFromEntityNameExpression(extend2.expression); if (className && name.escapedText !== className.escapedText) { error2(name, Diagnostics.JSDoc_0_1_does_not_match_the_extends_2_clause, idText(node.tagName), idText(name), idText(className)); } } } function checkJSDocAccessibilityModifiers(node) { const host2 = getJSDocHost(node); if (host2 && isPrivateIdentifierClassElementDeclaration(host2)) { error2(node, Diagnostics.An_accessibility_modifier_cannot_be_used_with_a_private_identifier); } } function getIdentifierFromEntityNameExpression(node) { switch (node.kind) { case 80: return node; case 211: return node.name; default: return void 0; } } function checkFunctionOrMethodDeclaration(node) { var _a; checkDecorators(node); checkSignatureDeclaration(node); const functionFlags = getFunctionFlags(node); if (node.name && node.name.kind === 167) { checkComputedPropertyName(node.name); } if (hasBindableName(node)) { const symbol = getSymbolOfDeclaration(node); const localSymbol = node.localSymbol || symbol; const firstDeclaration = (_a = localSymbol.declarations) == null ? void 0 : _a.find( // Get first non javascript function declaration (declaration) => declaration.kind === node.kind && !(declaration.flags & 524288) ); if (node === firstDeclaration) { checkFunctionOrConstructorSymbol(localSymbol); } if (symbol.parent) { checkFunctionOrConstructorSymbol(symbol); } } const body = node.kind === 173 ? void 0 : node.body; checkSourceElement(body); checkAllCodePathsInNonVoidFunctionReturnOrThrow(node, getReturnTypeFromAnnotation(node)); addLazyDiagnostic(checkFunctionOrMethodDeclarationDiagnostics); if (isInJSFile(node)) { const typeTag = getJSDocTypeTag(node); if (typeTag && typeTag.typeExpression && !getContextualCallSignature(getTypeFromTypeNode(typeTag.typeExpression), node)) { error2(typeTag.typeExpression.type, Diagnostics.The_type_of_a_function_declaration_must_match_the_function_s_signature); } } function checkFunctionOrMethodDeclarationDiagnostics() { if (!getEffectiveReturnTypeNode(node)) { if (nodeIsMissing(body) && !isPrivateWithinAmbient(node)) { reportImplicitAny(node, anyType2); } if (functionFlags & 1 && nodeIsPresent(body)) { getReturnTypeOfSignature(getSignatureFromDeclaration(node)); } } } } function registerForUnusedIdentifiersCheck(node) { addLazyDiagnostic(registerForUnusedIdentifiersCheckDiagnostics); function registerForUnusedIdentifiersCheckDiagnostics() { const sourceFile = getSourceFileOfNode(node); let potentiallyUnusedIdentifiers = allPotentiallyUnusedIdentifiers.get(sourceFile.path); if (!potentiallyUnusedIdentifiers) { potentiallyUnusedIdentifiers = []; allPotentiallyUnusedIdentifiers.set(sourceFile.path, potentiallyUnusedIdentifiers); } potentiallyUnusedIdentifiers.push(node); } } function checkUnusedIdentifiers(potentiallyUnusedIdentifiers, addDiagnostic) { for (const node of potentiallyUnusedIdentifiers) { switch (node.kind) { case 263: case 231: checkUnusedClassMembers(node, addDiagnostic); checkUnusedTypeParameters(node, addDiagnostic); break; case 307: case 267: case 241: case 269: case 248: case 249: case 250: checkUnusedLocalsAndParameters(node, addDiagnostic); break; case 176: case 218: case 262: case 219: case 174: case 177: case 178: if (node.body) { checkUnusedLocalsAndParameters(node, addDiagnostic); } checkUnusedTypeParameters(node, addDiagnostic); break; case 173: case 179: case 180: case 184: case 185: case 265: case 264: checkUnusedTypeParameters(node, addDiagnostic); break; case 195: checkUnusedInferTypeParameter(node, addDiagnostic); break; default: Debug.assertNever(node, "Node should not have been registered for unused identifiers check"); } } } function errorUnusedLocal(declaration, name, addDiagnostic) { const node = getNameOfDeclaration(declaration) || declaration; const message = isTypeDeclaration(declaration) ? Diagnostics._0_is_declared_but_never_used : Diagnostics._0_is_declared_but_its_value_is_never_read; addDiagnostic(declaration, 0, createDiagnosticForNode(node, message, name)); } function isIdentifierThatStartsWithUnderscore(node) { return isIdentifier(node) && idText(node).charCodeAt(0) === 95; } function checkUnusedClassMembers(node, addDiagnostic) { for (const member of node.members) { switch (member.kind) { case 174: case 172: case 177: case 178: if (member.kind === 178 && member.symbol.flags & 32768) { break; } const symbol = getSymbolOfDeclaration(member); if (!symbol.isReferenced && (hasEffectiveModifier( member, 2 /* Private */ ) || isNamedDeclaration(member) && isPrivateIdentifier(member.name)) && !(member.flags & 33554432)) { addDiagnostic(member, 0, createDiagnosticForNode(member.name, Diagnostics._0_is_declared_but_its_value_is_never_read, symbolToString2(symbol))); } break; case 176: for (const parameter of member.parameters) { if (!parameter.symbol.isReferenced && hasSyntacticModifier( parameter, 2 /* Private */ )) { addDiagnostic(parameter, 0, createDiagnosticForNode(parameter.name, Diagnostics.Property_0_is_declared_but_its_value_is_never_read, symbolName(parameter.symbol))); } } break; case 181: case 240: case 175: break; default: Debug.fail("Unexpected class member"); } } } function checkUnusedInferTypeParameter(node, addDiagnostic) { const { typeParameter } = node; if (isTypeParameterUnused(typeParameter)) { addDiagnostic(node, 1, createDiagnosticForNode(node, Diagnostics._0_is_declared_but_its_value_is_never_read, idText(typeParameter.name))); } } function checkUnusedTypeParameters(node, addDiagnostic) { const declarations = getSymbolOfDeclaration(node).declarations; if (!declarations || last(declarations) !== node) return; const typeParameters = getEffectiveTypeParameterDeclarations(node); const seenParentsWithEveryUnused = /* @__PURE__ */ new Set(); for (const typeParameter of typeParameters) { if (!isTypeParameterUnused(typeParameter)) continue; const name = idText(typeParameter.name); const { parent: parent2 } = typeParameter; if (parent2.kind !== 195 && parent2.typeParameters.every(isTypeParameterUnused)) { if (tryAddToSet(seenParentsWithEveryUnused, parent2)) { const sourceFile = getSourceFileOfNode(parent2); const range = isJSDocTemplateTag(parent2) ? rangeOfNode(parent2) : rangeOfTypeParameters(sourceFile, parent2.typeParameters); const only = parent2.typeParameters.length === 1; const messageAndArg = only ? [Diagnostics._0_is_declared_but_its_value_is_never_read, name] : [Diagnostics.All_type_parameters_are_unused]; addDiagnostic(typeParameter, 1, createFileDiagnostic(sourceFile, range.pos, range.end - range.pos, ...messageAndArg)); } } else { addDiagnostic(typeParameter, 1, createDiagnosticForNode(typeParameter, Diagnostics._0_is_declared_but_its_value_is_never_read, name)); } } } function isTypeParameterUnused(typeParameter) { return !(getMergedSymbol(typeParameter.symbol).isReferenced & 262144) && !isIdentifierThatStartsWithUnderscore(typeParameter.name); } function addToGroup(map2, key, value, getKey) { const keyString = String(getKey(key)); const group2 = map2.get(keyString); if (group2) { group2[1].push(value); } else { map2.set(keyString, [key, [value]]); } } function tryGetRootParameterDeclaration(node) { return tryCast(getRootDeclaration(node), isParameter); } function isValidUnusedLocalDeclaration(declaration) { if (isBindingElement(declaration)) { if (isObjectBindingPattern(declaration.parent)) { return !!(declaration.propertyName && isIdentifierThatStartsWithUnderscore(declaration.name)); } return isIdentifierThatStartsWithUnderscore(declaration.name); } return isAmbientModule(declaration) || (isVariableDeclaration(declaration) && isForInOrOfStatement(declaration.parent.parent) || isImportedDeclaration(declaration)) && isIdentifierThatStartsWithUnderscore(declaration.name); } function checkUnusedLocalsAndParameters(nodeWithLocals, addDiagnostic) { const unusedImports = /* @__PURE__ */ new Map(); const unusedDestructures = /* @__PURE__ */ new Map(); const unusedVariables = /* @__PURE__ */ new Map(); nodeWithLocals.locals.forEach((local) => { if (local.flags & 262144 ? !(local.flags & 3 && !(local.isReferenced & 3)) : local.isReferenced || local.exportSymbol) { return; } if (local.declarations) { for (const declaration of local.declarations) { if (isValidUnusedLocalDeclaration(declaration)) { continue; } if (isImportedDeclaration(declaration)) { addToGroup(unusedImports, importClauseFromImported(declaration), declaration, getNodeId); } else if (isBindingElement(declaration) && isObjectBindingPattern(declaration.parent)) { const lastElement = last(declaration.parent.elements); if (declaration === lastElement || !last(declaration.parent.elements).dotDotDotToken) { addToGroup(unusedDestructures, declaration.parent, declaration, getNodeId); } } else if (isVariableDeclaration(declaration)) { const blockScopeKind = getCombinedNodeFlagsCached(declaration) & 7; const name = getNameOfDeclaration(declaration); if (blockScopeKind !== 4 && blockScopeKind !== 6 || !name || !isIdentifierThatStartsWithUnderscore(name)) { addToGroup(unusedVariables, declaration.parent, declaration, getNodeId); } } else { const parameter = local.valueDeclaration && tryGetRootParameterDeclaration(local.valueDeclaration); const name = local.valueDeclaration && getNameOfDeclaration(local.valueDeclaration); if (parameter && name) { if (!isParameterPropertyDeclaration(parameter, parameter.parent) && !parameterIsThisKeyword(parameter) && !isIdentifierThatStartsWithUnderscore(name)) { if (isBindingElement(declaration) && isArrayBindingPattern(declaration.parent)) { addToGroup(unusedDestructures, declaration.parent, declaration, getNodeId); } else { addDiagnostic(parameter, 1, createDiagnosticForNode(name, Diagnostics._0_is_declared_but_its_value_is_never_read, symbolName(local))); } } } else { errorUnusedLocal(declaration, symbolName(local), addDiagnostic); } } } } }); unusedImports.forEach(([importClause, unuseds]) => { const importDecl = importClause.parent; const nDeclarations = (importClause.name ? 1 : 0) + (importClause.namedBindings ? importClause.namedBindings.kind === 274 ? 1 : importClause.namedBindings.elements.length : 0); if (nDeclarations === unuseds.length) { addDiagnostic( importDecl, 0, unuseds.length === 1 ? createDiagnosticForNode(importDecl, Diagnostics._0_is_declared_but_its_value_is_never_read, idText(first(unuseds).name)) : createDiagnosticForNode(importDecl, Diagnostics.All_imports_in_import_declaration_are_unused) ); } else { for (const unused of unuseds) errorUnusedLocal(unused, idText(unused.name), addDiagnostic); } }); unusedDestructures.forEach(([bindingPattern, bindingElements]) => { const kind = tryGetRootParameterDeclaration(bindingPattern.parent) ? 1 : 0; if (bindingPattern.elements.length === bindingElements.length) { if (bindingElements.length === 1 && bindingPattern.parent.kind === 260 && bindingPattern.parent.parent.kind === 261) { addToGroup(unusedVariables, bindingPattern.parent.parent, bindingPattern.parent, getNodeId); } else { addDiagnostic( bindingPattern, kind, bindingElements.length === 1 ? createDiagnosticForNode(bindingPattern, Diagnostics._0_is_declared_but_its_value_is_never_read, bindingNameText(first(bindingElements).name)) : createDiagnosticForNode(bindingPattern, Diagnostics.All_destructured_elements_are_unused) ); } } else { for (const e of bindingElements) { addDiagnostic(e, kind, createDiagnosticForNode(e, Diagnostics._0_is_declared_but_its_value_is_never_read, bindingNameText(e.name))); } } }); unusedVariables.forEach(([declarationList, declarations]) => { if (declarationList.declarations.length === declarations.length) { addDiagnostic( declarationList, 0, declarations.length === 1 ? createDiagnosticForNode(first(declarations).name, Diagnostics._0_is_declared_but_its_value_is_never_read, bindingNameText(first(declarations).name)) : createDiagnosticForNode(declarationList.parent.kind === 243 ? declarationList.parent : declarationList, Diagnostics.All_variables_are_unused) ); } else { for (const decl of declarations) { addDiagnostic(decl, 0, createDiagnosticForNode(decl, Diagnostics._0_is_declared_but_its_value_is_never_read, bindingNameText(decl.name))); } } }); } function checkPotentialUncheckedRenamedBindingElementsInTypes() { var _a; for (const node of potentialUnusedRenamedBindingElementsInTypes) { if (!((_a = getSymbolOfDeclaration(node)) == null ? void 0 : _a.isReferenced)) { const wrappingDeclaration = walkUpBindingElementsAndPatterns(node); Debug.assert(isPartOfParameterDeclaration(wrappingDeclaration), "Only parameter declaration should be checked here"); const diagnostic = createDiagnosticForNode(node.name, Diagnostics._0_is_an_unused_renaming_of_1_Did_you_intend_to_use_it_as_a_type_annotation, declarationNameToString(node.name), declarationNameToString(node.propertyName)); if (!wrappingDeclaration.type) { addRelatedInfo( diagnostic, createFileDiagnostic(getSourceFileOfNode(wrappingDeclaration), wrappingDeclaration.end, 1, Diagnostics.We_can_only_write_a_type_for_0_by_adding_a_type_for_the_entire_parameter_here, declarationNameToString(node.propertyName)) ); } diagnostics.add(diagnostic); } } } function bindingNameText(name) { switch (name.kind) { case 80: return idText(name); case 207: case 206: return bindingNameText(cast(first(name.elements), isBindingElement).name); default: return Debug.assertNever(name); } } function isImportedDeclaration(node) { return node.kind === 273 || node.kind === 276 || node.kind === 274; } function importClauseFromImported(decl) { return decl.kind === 273 ? decl : decl.kind === 274 ? decl.parent : decl.parent.parent; } function checkBlock(node) { if (node.kind === 241) { checkGrammarStatementInAmbientContext(node); } if (isFunctionOrModuleBlock(node)) { const saveFlowAnalysisDisabled = flowAnalysisDisabled; forEach(node.statements, checkSourceElement); flowAnalysisDisabled = saveFlowAnalysisDisabled; } else { forEach(node.statements, checkSourceElement); } if (node.locals) { registerForUnusedIdentifiersCheck(node); } } function checkCollisionWithArgumentsInGeneratedCode(node) { if (languageVersion >= 2 || !hasRestParameter(node) || node.flags & 33554432 || nodeIsMissing(node.body)) { return; } forEach(node.parameters, (p) => { if (p.name && !isBindingPattern(p.name) && p.name.escapedText === argumentsSymbol.escapedName) { errorSkippedOn("noEmit", p, Diagnostics.Duplicate_identifier_arguments_Compiler_uses_arguments_to_initialize_rest_parameters); } }); } function needCollisionCheckForIdentifier(node, identifier, name) { if ((identifier == null ? void 0 : identifier.escapedText) !== name) { return false; } if (node.kind === 172 || node.kind === 171 || node.kind === 174 || node.kind === 173 || node.kind === 177 || node.kind === 178 || node.kind === 303) { return false; } if (node.flags & 33554432) { return false; } if (isImportClause(node) || isImportEqualsDeclaration(node) || isImportSpecifier(node)) { if (isTypeOnlyImportOrExportDeclaration(node)) { return false; } } const root2 = getRootDeclaration(node); if (isParameter(root2) && nodeIsMissing(root2.parent.body)) { return false; } return true; } function checkIfThisIsCapturedInEnclosingScope(node) { findAncestor(node, (current) => { if (getNodeCheckFlags(current) & 4) { const isDeclaration2 = node.kind !== 80; if (isDeclaration2) { error2(getNameOfDeclaration(node), Diagnostics.Duplicate_identifier_this_Compiler_uses_variable_declaration_this_to_capture_this_reference); } else { error2(node, Diagnostics.Expression_resolves_to_variable_declaration_this_that_compiler_uses_to_capture_this_reference); } return true; } return false; }); } function checkIfNewTargetIsCapturedInEnclosingScope(node) { findAncestor(node, (current) => { if (getNodeCheckFlags(current) & 8) { const isDeclaration2 = node.kind !== 80; if (isDeclaration2) { error2(getNameOfDeclaration(node), Diagnostics.Duplicate_identifier_newTarget_Compiler_uses_variable_declaration_newTarget_to_capture_new_target_meta_property_reference); } else { error2(node, Diagnostics.Expression_resolves_to_variable_declaration_newTarget_that_compiler_uses_to_capture_new_target_meta_property_reference); } return true; } return false; }); } function checkCollisionWithRequireExportsInGeneratedCode(node, name) { if (moduleKind >= 5 && !(moduleKind >= 100 && getSourceFileOfNode(node).impliedNodeFormat === 1)) { return; } if (!name || !needCollisionCheckForIdentifier(node, name, "require") && !needCollisionCheckForIdentifier(node, name, "exports")) { return; } if (isModuleDeclaration(node) && getModuleInstanceState(node) !== 1) { return; } const parent2 = getDeclarationContainer(node); if (parent2.kind === 307 && isExternalOrCommonJsModule(parent2)) { errorSkippedOn("noEmit", name, Diagnostics.Duplicate_identifier_0_Compiler_reserves_name_1_in_top_level_scope_of_a_module, declarationNameToString(name), declarationNameToString(name)); } } function checkCollisionWithGlobalPromiseInGeneratedCode(node, name) { if (!name || languageVersion >= 4 || !needCollisionCheckForIdentifier(node, name, "Promise")) { return; } if (isModuleDeclaration(node) && getModuleInstanceState(node) !== 1) { return; } const parent2 = getDeclarationContainer(node); if (parent2.kind === 307 && isExternalOrCommonJsModule(parent2) && parent2.flags & 4096) { errorSkippedOn("noEmit", name, Diagnostics.Duplicate_identifier_0_Compiler_reserves_name_1_in_top_level_scope_of_a_module_containing_async_functions, declarationNameToString(name), declarationNameToString(name)); } } function recordPotentialCollisionWithWeakMapSetInGeneratedCode(node, name) { if (languageVersion <= 8 && (needCollisionCheckForIdentifier(node, name, "WeakMap") || needCollisionCheckForIdentifier(node, name, "WeakSet"))) { potentialWeakMapSetCollisions.push(node); } } function checkWeakMapSetCollision(node) { const enclosingBlockScope = getEnclosingBlockScopeContainer(node); if (getNodeCheckFlags(enclosingBlockScope) & 1048576) { Debug.assert(isNamedDeclaration(node) && isIdentifier(node.name) && typeof node.name.escapedText === "string", "The target of a WeakMap/WeakSet collision check should be an identifier"); errorSkippedOn("noEmit", node, Diagnostics.Compiler_reserves_name_0_when_emitting_private_identifier_downlevel, node.name.escapedText); } } function recordPotentialCollisionWithReflectInGeneratedCode(node, name) { if (name && languageVersion >= 2 && languageVersion <= 8 && needCollisionCheckForIdentifier(node, name, "Reflect")) { potentialReflectCollisions.push(node); } } function checkReflectCollision(node) { let hasCollision = false; if (isClassExpression(node)) { for (const member of node.members) { if (getNodeCheckFlags(member) & 2097152) { hasCollision = true; break; } } } else if (isFunctionExpression(node)) { if (getNodeCheckFlags(node) & 2097152) { hasCollision = true; } } else { const container = getEnclosingBlockScopeContainer(node); if (container && getNodeCheckFlags(container) & 2097152) { hasCollision = true; } } if (hasCollision) { Debug.assert(isNamedDeclaration(node) && isIdentifier(node.name), "The target of a Reflect collision check should be an identifier"); errorSkippedOn("noEmit", node, Diagnostics.Duplicate_identifier_0_Compiler_reserves_name_1_when_emitting_super_references_in_static_initializers, declarationNameToString(node.name), "Reflect"); } } function checkCollisionsForDeclarationName(node, name) { if (!name) return; checkCollisionWithRequireExportsInGeneratedCode(node, name); checkCollisionWithGlobalPromiseInGeneratedCode(node, name); recordPotentialCollisionWithWeakMapSetInGeneratedCode(node, name); recordPotentialCollisionWithReflectInGeneratedCode(node, name); if (isClassLike(node)) { checkTypeNameIsReserved(name, Diagnostics.Class_name_cannot_be_0); if (!(node.flags & 33554432)) { checkClassNameCollisionWithObject(name); } } else if (isEnumDeclaration(node)) { checkTypeNameIsReserved(name, Diagnostics.Enum_name_cannot_be_0); } } function checkVarDeclaredNamesNotShadowed(node) { if ((getCombinedNodeFlagsCached(node) & 7) !== 0 || isPartOfParameterDeclaration(node)) { return; } const symbol = getSymbolOfDeclaration(node); if (symbol.flags & 1) { if (!isIdentifier(node.name)) return Debug.fail(); const localDeclarationSymbol = resolveName( node, node.name.escapedText, 3, /*nameNotFoundMessage*/ void 0, /*isUse*/ false ); if (localDeclarationSymbol && localDeclarationSymbol !== symbol && localDeclarationSymbol.flags & 2) { if (getDeclarationNodeFlagsFromSymbol(localDeclarationSymbol) & 7) { const varDeclList = getAncestor2( localDeclarationSymbol.valueDeclaration, 261 /* VariableDeclarationList */ ); const container = varDeclList.parent.kind === 243 && varDeclList.parent.parent ? varDeclList.parent.parent : void 0; const namesShareScope = container && (container.kind === 241 && isFunctionLike(container.parent) || container.kind === 268 || container.kind === 267 || container.kind === 307); if (!namesShareScope) { const name = symbolToString2(localDeclarationSymbol); error2(node, Diagnostics.Cannot_initialize_outer_scoped_variable_0_in_the_same_scope_as_block_scoped_declaration_1, name, name); } } } } } function convertAutoToAny(type) { return type === autoType ? anyType2 : type === autoArrayType ? anyArrayType : type; } function checkVariableLikeDeclaration(node) { var _a; checkDecorators(node); if (!isBindingElement(node)) { checkSourceElement(node.type); } if (!node.name) { return; } if (node.name.kind === 167) { checkComputedPropertyName(node.name); if (hasOnlyExpressionInitializer(node) && node.initializer) { checkExpressionCached(node.initializer); } } if (isBindingElement(node)) { if (node.propertyName && isIdentifier(node.name) && isPartOfParameterDeclaration(node) && nodeIsMissing(getContainingFunction(node).body)) { potentialUnusedRenamedBindingElementsInTypes.push(node); return; } if (isObjectBindingPattern(node.parent) && node.dotDotDotToken && languageVersion < 5) { checkExternalEmitHelpers( node, 4 /* Rest */ ); } if (node.propertyName && node.propertyName.kind === 167) { checkComputedPropertyName(node.propertyName); } const parent2 = node.parent.parent; const parentCheckMode = node.dotDotDotToken ? 32 : 0; const parentType = getTypeForBindingElementParent(parent2, parentCheckMode); const name = node.propertyName || node.name; if (parentType && !isBindingPattern(name)) { const exprType = getLiteralTypeFromPropertyName(name); if (isTypeUsableAsPropertyName(exprType)) { const nameText = getPropertyNameFromType(exprType); const property = getPropertyOfType(parentType, nameText); if (property) { markPropertyAsReferenced( property, /*nodeForCheckWriteOnly*/ void 0, /*isSelfTypeAccess*/ false ); checkPropertyAccessibility( node, !!parent2.initializer && parent2.initializer.kind === 108, /*writing*/ false, parentType, property ); } } } } if (isBindingPattern(node.name)) { if (node.name.kind === 207 && languageVersion < 2 && compilerOptions.downlevelIteration) { checkExternalEmitHelpers( node, 512 /* Read */ ); } forEach(node.name.elements, checkSourceElement); } if (node.initializer && isPartOfParameterDeclaration(node) && nodeIsMissing(getContainingFunction(node).body)) { error2(node, Diagnostics.A_parameter_initializer_is_only_allowed_in_a_function_or_constructor_implementation); return; } if (isBindingPattern(node.name)) { if (isInAmbientOrTypeNode(node)) { return; } const needCheckInitializer = hasOnlyExpressionInitializer(node) && node.initializer && node.parent.parent.kind !== 249; const needCheckWidenedType = !some(node.name.elements, not(isOmittedExpression)); if (needCheckInitializer || needCheckWidenedType) { const widenedType = getWidenedTypeForVariableLikeDeclaration(node); if (needCheckInitializer) { const initializerType = checkExpressionCached(node.initializer); if (strictNullChecks && needCheckWidenedType) { checkNonNullNonVoidType(initializerType, node); } else { checkTypeAssignableToAndOptionallyElaborate(initializerType, getWidenedTypeForVariableLikeDeclaration(node), node, node.initializer); } } if (needCheckWidenedType) { if (isArrayBindingPattern(node.name)) { checkIteratedTypeOrElementType(65, widenedType, undefinedType2, node); } else if (strictNullChecks) { checkNonNullNonVoidType(widenedType, node); } } } return; } const symbol = getSymbolOfDeclaration(node); if (symbol.flags & 2097152 && (isVariableDeclarationInitializedToBareOrAccessedRequire(node) || isBindingElementOfBareOrAccessedRequire(node))) { checkAliasSymbol(node); return; } const type = convertAutoToAny(getTypeOfSymbol(symbol)); if (node === symbol.valueDeclaration) { const initializer = hasOnlyExpressionInitializer(node) && getEffectiveInitializer(node); if (initializer) { const isJSObjectLiteralInitializer = isInJSFile(node) && isObjectLiteralExpression(initializer) && (initializer.properties.length === 0 || isPrototypeAccess(node.name)) && !!((_a = symbol.exports) == null ? void 0 : _a.size); if (!isJSObjectLiteralInitializer && node.parent.parent.kind !== 249) { const initializerType = checkExpressionCached(initializer); checkTypeAssignableToAndOptionallyElaborate( initializerType, type, node, initializer, /*headMessage*/ void 0 ); const blockScopeKind = getCombinedNodeFlagsCached(node) & 7; if (blockScopeKind === 6) { const globalAsyncDisposableType = getGlobalAsyncDisposableType( /*reportErrors*/ true ); const globalDisposableType = getGlobalDisposableType( /*reportErrors*/ true ); if (globalAsyncDisposableType !== emptyObjectType && globalDisposableType !== emptyObjectType) { const optionalDisposableType = getUnionType([globalAsyncDisposableType, globalDisposableType, nullType2, undefinedType2]); checkTypeAssignableTo(initializerType, optionalDisposableType, initializer, Diagnostics.The_initializer_of_an_await_using_declaration_must_be_either_an_object_with_a_Symbol_asyncDispose_or_Symbol_dispose_method_or_be_null_or_undefined); } } else if (blockScopeKind === 4) { const globalDisposableType = getGlobalDisposableType( /*reportErrors*/ true ); if (globalDisposableType !== emptyObjectType) { const optionalDisposableType = getUnionType([globalDisposableType, nullType2, undefinedType2]); checkTypeAssignableTo(initializerType, optionalDisposableType, initializer, Diagnostics.The_initializer_of_a_using_declaration_must_be_either_an_object_with_a_Symbol_dispose_method_or_be_null_or_undefined); } } } } if (symbol.declarations && symbol.declarations.length > 1) { if (some(symbol.declarations, (d) => d !== node && isVariableLike(d) && !areDeclarationFlagsIdentical(d, node))) { error2(node.name, Diagnostics.All_declarations_of_0_must_have_identical_modifiers, declarationNameToString(node.name)); } } } else { const declarationType = convertAutoToAny(getWidenedTypeForVariableLikeDeclaration(node)); if (!isErrorType(type) && !isErrorType(declarationType) && !isTypeIdenticalTo(type, declarationType) && !(symbol.flags & 67108864)) { errorNextVariableOrPropertyDeclarationMustHaveSameType(symbol.valueDeclaration, type, node, declarationType); } if (hasOnlyExpressionInitializer(node) && node.initializer) { checkTypeAssignableToAndOptionallyElaborate( checkExpressionCached(node.initializer), declarationType, node, node.initializer, /*headMessage*/ void 0 ); } if (symbol.valueDeclaration && !areDeclarationFlagsIdentical(node, symbol.valueDeclaration)) { error2(node.name, Diagnostics.All_declarations_of_0_must_have_identical_modifiers, declarationNameToString(node.name)); } } if (node.kind !== 172 && node.kind !== 171) { checkExportsOnMergedDeclarations(node); if (node.kind === 260 || node.kind === 208) { checkVarDeclaredNamesNotShadowed(node); } checkCollisionsForDeclarationName(node, node.name); } } function errorNextVariableOrPropertyDeclarationMustHaveSameType(firstDeclaration, firstType, nextDeclaration, nextType) { const nextDeclarationName = getNameOfDeclaration(nextDeclaration); const message = nextDeclaration.kind === 172 || nextDeclaration.kind === 171 ? Diagnostics.Subsequent_property_declarations_must_have_the_same_type_Property_0_must_be_of_type_1_but_here_has_type_2 : Diagnostics.Subsequent_variable_declarations_must_have_the_same_type_Variable_0_must_be_of_type_1_but_here_has_type_2; const declName = declarationNameToString(nextDeclarationName); const err = error2( nextDeclarationName, message, declName, typeToString(firstType), typeToString(nextType) ); if (firstDeclaration) { addRelatedInfo(err, createDiagnosticForNode(firstDeclaration, Diagnostics._0_was_also_declared_here, declName)); } } function areDeclarationFlagsIdentical(left, right) { if (left.kind === 169 && right.kind === 260 || left.kind === 260 && right.kind === 169) { return true; } if (hasQuestionToken(left) !== hasQuestionToken(right)) { return false; } const interestingFlags = 2 | 4 | 1024 | 64 | 8 | 256; return getSelectedEffectiveModifierFlags(left, interestingFlags) === getSelectedEffectiveModifierFlags(right, interestingFlags); } function checkVariableDeclaration(node) { var _a, _b; (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Check, "checkVariableDeclaration", { kind: node.kind, pos: node.pos, end: node.end, path: node.tracingPath }); checkGrammarVariableDeclaration(node); checkVariableLikeDeclaration(node); (_b = tracing) == null ? void 0 : _b.pop(); } function checkBindingElement(node) { checkGrammarBindingElement(node); return checkVariableLikeDeclaration(node); } function checkVariableDeclarationList(node) { const blockScopeKind = getCombinedNodeFlags(node) & 7; if ((blockScopeKind === 4 || blockScopeKind === 6) && languageVersion < 99) { checkExternalEmitHelpers( node, 16777216 /* AddDisposableResourceAndDisposeResources */ ); } forEach(node.declarations, checkSourceElement); } function checkVariableStatement(node) { if (!checkGrammarModifiers(node) && !checkGrammarVariableDeclarationList(node.declarationList)) checkGrammarForDisallowedBlockScopedVariableStatement(node); checkVariableDeclarationList(node.declarationList); } function checkExpressionStatement(node) { checkGrammarStatementInAmbientContext(node); checkExpression(node.expression); } function checkIfStatement(node) { checkGrammarStatementInAmbientContext(node); const type = checkTruthinessExpression(node.expression); checkTestingKnownTruthyCallableOrAwaitableOrEnumMemberType(node.expression, type, node.thenStatement); checkSourceElement(node.thenStatement); if (node.thenStatement.kind === 242) { error2(node.thenStatement, Diagnostics.The_body_of_an_if_statement_cannot_be_the_empty_statement); } checkSourceElement(node.elseStatement); } function checkTestingKnownTruthyCallableOrAwaitableOrEnumMemberType(condExpr, condType, body) { if (!strictNullChecks) return; bothHelper(condExpr, body); function bothHelper(condExpr2, body2) { condExpr2 = skipParentheses(condExpr2); helper(condExpr2, body2); while (isBinaryExpression(condExpr2) && (condExpr2.operatorToken.kind === 57 || condExpr2.operatorToken.kind === 61)) { condExpr2 = skipParentheses(condExpr2.left); helper(condExpr2, body2); } } function helper(condExpr2, body2) { const location = isLogicalOrCoalescingBinaryExpression(condExpr2) ? skipParentheses(condExpr2.right) : condExpr2; if (isModuleExportsAccessExpression(location)) { return; } if (isLogicalOrCoalescingBinaryExpression(location)) { bothHelper(location, body2); return; } const type = location === condExpr2 ? condType : checkTruthinessExpression(location); if (type.flags & 1024 && isPropertyAccessExpression(location) && (getNodeLinks(location.expression).resolvedSymbol ?? unknownSymbol).flags & 384) { error2(location, Diagnostics.This_condition_will_always_return_0, !!type.value ? "true" : "false"); return; } const isPropertyExpressionCast = isPropertyAccessExpression(location) && isTypeAssertion(location.expression); if (!hasTypeFacts( type, 4194304 /* Truthy */ ) || isPropertyExpressionCast) return; const callSignatures = getSignaturesOfType( type, 0 /* Call */ ); const isPromise = !!getAwaitedTypeOfPromise(type); if (callSignatures.length === 0 && !isPromise) { return; } const testedNode = isIdentifier(location) ? location : isPropertyAccessExpression(location) ? location.name : void 0; const testedSymbol = testedNode && getSymbolAtLocation(testedNode); if (!testedSymbol && !isPromise) { return; } const isUsed = testedSymbol && isBinaryExpression(condExpr2.parent) && isSymbolUsedInBinaryExpressionChain(condExpr2.parent, testedSymbol) || testedSymbol && body2 && isSymbolUsedInConditionBody(condExpr2, body2, testedNode, testedSymbol); if (!isUsed) { if (isPromise) { errorAndMaybeSuggestAwait( location, /*maybeMissingAwait*/ true, Diagnostics.This_condition_will_always_return_true_since_this_0_is_always_defined, getTypeNameForErrorDisplay(type) ); } else { error2(location, Diagnostics.This_condition_will_always_return_true_since_this_function_is_always_defined_Did_you_mean_to_call_it_instead); } } } } function isSymbolUsedInConditionBody(expr, body, testedNode, testedSymbol) { return !!forEachChild(body, function check(childNode) { if (isIdentifier(childNode)) { const childSymbol = getSymbolAtLocation(childNode); if (childSymbol && childSymbol === testedSymbol) { if (isIdentifier(expr) || isIdentifier(testedNode) && isBinaryExpression(testedNode.parent)) { return true; } let testedExpression = testedNode.parent; let childExpression = childNode.parent; while (testedExpression && childExpression) { if (isIdentifier(testedExpression) && isIdentifier(childExpression) || testedExpression.kind === 110 && childExpression.kind === 110) { return getSymbolAtLocation(testedExpression) === getSymbolAtLocation(childExpression); } else if (isPropertyAccessExpression(testedExpression) && isPropertyAccessExpression(childExpression)) { if (getSymbolAtLocation(testedExpression.name) !== getSymbolAtLocation(childExpression.name)) { return false; } childExpression = childExpression.expression; testedExpression = testedExpression.expression; } else if (isCallExpression2(testedExpression) && isCallExpression2(childExpression)) { childExpression = childExpression.expression; testedExpression = testedExpression.expression; } else { return false; } } } } return forEachChild(childNode, check); }); } function isSymbolUsedInBinaryExpressionChain(node, testedSymbol) { while (isBinaryExpression(node) && node.operatorToken.kind === 56) { const isUsed = forEachChild(node.right, function visit(child) { if (isIdentifier(child)) { const symbol = getSymbolAtLocation(child); if (symbol && symbol === testedSymbol) { return true; } } return forEachChild(child, visit); }); if (isUsed) { return true; } node = node.parent; } return false; } function checkDoStatement(node) { checkGrammarStatementInAmbientContext(node); checkSourceElement(node.statement); checkTruthinessExpression(node.expression); } function checkWhileStatement(node) { checkGrammarStatementInAmbientContext(node); checkTruthinessExpression(node.expression); checkSourceElement(node.statement); } function checkTruthinessOfType(type, node) { if (type.flags & 16384) { error2(node, Diagnostics.An_expression_of_type_void_cannot_be_tested_for_truthiness); } return type; } function checkTruthinessExpression(node, checkMode) { return checkTruthinessOfType(checkExpression(node, checkMode), node); } function checkForStatement(node) { if (!checkGrammarStatementInAmbientContext(node)) { if (node.initializer && node.initializer.kind === 261) { checkGrammarVariableDeclarationList(node.initializer); } } if (node.initializer) { if (node.initializer.kind === 261) { checkVariableDeclarationList(node.initializer); } else { checkExpression(node.initializer); } } if (node.condition) checkTruthinessExpression(node.condition); if (node.incrementor) checkExpression(node.incrementor); checkSourceElement(node.statement); if (node.locals) { registerForUnusedIdentifiersCheck(node); } } function checkForOfStatement(node) { checkGrammarForInOrForOfStatement(node); const container = getContainingFunctionOrClassStaticBlock(node); if (node.awaitModifier) { if (container && isClassStaticBlockDeclaration(container)) { grammarErrorOnNode(node.awaitModifier, Diagnostics.for_await_loops_cannot_be_used_inside_a_class_static_block); } else { const functionFlags = getFunctionFlags(container); if ((functionFlags & (4 | 2)) === 2 && languageVersion < 5) { checkExternalEmitHelpers( node, 16384 /* ForAwaitOfIncludes */ ); } } } else if (compilerOptions.downlevelIteration && languageVersion < 2) { checkExternalEmitHelpers( node, 256 /* ForOfIncludes */ ); } if (node.initializer.kind === 261) { checkVariableDeclarationList(node.initializer); } else { const varExpr = node.initializer; const iteratedType = checkRightHandSideOfForOf(node); if (varExpr.kind === 209 || varExpr.kind === 210) { checkDestructuringAssignment(varExpr, iteratedType || errorType); } else { const leftType = checkExpression(varExpr); checkReferenceExpression( varExpr, Diagnostics.The_left_hand_side_of_a_for_of_statement_must_be_a_variable_or_a_property_access, Diagnostics.The_left_hand_side_of_a_for_of_statement_may_not_be_an_optional_property_access ); if (iteratedType) { checkTypeAssignableToAndOptionallyElaborate(iteratedType, leftType, varExpr, node.expression); } } } checkSourceElement(node.statement); if (node.locals) { registerForUnusedIdentifiersCheck(node); } } function checkForInStatement(node) { checkGrammarForInOrForOfStatement(node); const rightType = getNonNullableTypeIfNeeded(checkExpression(node.expression)); if (node.initializer.kind === 261) { const variable = node.initializer.declarations[0]; if (variable && isBindingPattern(variable.name)) { error2(variable.name, Diagnostics.The_left_hand_side_of_a_for_in_statement_cannot_be_a_destructuring_pattern); } checkVariableDeclarationList(node.initializer); } else { const varExpr = node.initializer; const leftType = checkExpression(varExpr); if (varExpr.kind === 209 || varExpr.kind === 210) { error2(varExpr, Diagnostics.The_left_hand_side_of_a_for_in_statement_cannot_be_a_destructuring_pattern); } else if (!isTypeAssignableTo(getIndexTypeOrString(rightType), leftType)) { error2(varExpr, Diagnostics.The_left_hand_side_of_a_for_in_statement_must_be_of_type_string_or_any); } else { checkReferenceExpression( varExpr, Diagnostics.The_left_hand_side_of_a_for_in_statement_must_be_a_variable_or_a_property_access, Diagnostics.The_left_hand_side_of_a_for_in_statement_may_not_be_an_optional_property_access ); } } if (rightType === neverType2 || !isTypeAssignableToKind( rightType, 67108864 | 58982400 /* InstantiableNonPrimitive */ )) { error2(node.expression, Diagnostics.The_right_hand_side_of_a_for_in_statement_must_be_of_type_any_an_object_type_or_a_type_parameter_but_here_has_type_0, typeToString(rightType)); } checkSourceElement(node.statement); if (node.locals) { registerForUnusedIdentifiersCheck(node); } } function checkRightHandSideOfForOf(statement) { const use = statement.awaitModifier ? 15 : 13; return checkIteratedTypeOrElementType(use, checkNonNullExpression(statement.expression), undefinedType2, statement.expression); } function checkIteratedTypeOrElementType(use, inputType, sentType, errorNode) { if (isTypeAny(inputType)) { return inputType; } return getIteratedTypeOrElementType( use, inputType, sentType, errorNode, /*checkAssignability*/ true ) || anyType2; } function getIteratedTypeOrElementType(use, inputType, sentType, errorNode, checkAssignability) { const allowAsyncIterables = (use & 2) !== 0; if (inputType === neverType2) { if (errorNode) { reportTypeNotIterableError(errorNode, inputType, allowAsyncIterables); } return void 0; } const uplevelIteration = languageVersion >= 2; const downlevelIteration = !uplevelIteration && compilerOptions.downlevelIteration; const possibleOutOfBounds = compilerOptions.noUncheckedIndexedAccess && !!(use & 128); if (uplevelIteration || downlevelIteration || allowAsyncIterables) { const iterationTypes = getIterationTypesOfIterable(inputType, use, uplevelIteration ? errorNode : void 0); if (checkAssignability) { if (iterationTypes) { const diagnostic = use & 8 ? Diagnostics.Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_for_of_will_always_send_0 : use & 32 ? Diagnostics.Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_array_spread_will_always_send_0 : use & 64 ? Diagnostics.Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_array_destructuring_will_always_send_0 : use & 16 ? Diagnostics.Cannot_delegate_iteration_to_value_because_the_next_method_of_its_iterator_expects_type_1_but_the_containing_generator_will_always_send_0 : void 0; if (diagnostic) { checkTypeAssignableTo(sentType, iterationTypes.nextType, errorNode, diagnostic); } } } if (iterationTypes || uplevelIteration) { return possibleOutOfBounds ? includeUndefinedInIndexSignature(iterationTypes && iterationTypes.yieldType) : iterationTypes && iterationTypes.yieldType; } } let arrayType2 = inputType; let hasStringConstituent = false; if (use & 4) { if (arrayType2.flags & 1048576) { const arrayTypes = inputType.types; const filteredTypes = filter(arrayTypes, (t) => !(t.flags & 402653316)); if (filteredTypes !== arrayTypes) { arrayType2 = getUnionType( filteredTypes, 2 /* Subtype */ ); } } else if (arrayType2.flags & 402653316) { arrayType2 = neverType2; } hasStringConstituent = arrayType2 !== inputType; if (hasStringConstituent) { if (arrayType2.flags & 131072) { return possibleOutOfBounds ? includeUndefinedInIndexSignature(stringType2) : stringType2; } } } if (!isArrayLikeType(arrayType2)) { if (errorNode) { const allowsStrings = !!(use & 4) && !hasStringConstituent; const [defaultDiagnostic, maybeMissingAwait] = getIterationDiagnosticDetails(allowsStrings, downlevelIteration); errorAndMaybeSuggestAwait( errorNode, maybeMissingAwait && !!getAwaitedTypeOfPromise(arrayType2), defaultDiagnostic, typeToString(arrayType2) ); } return hasStringConstituent ? possibleOutOfBounds ? includeUndefinedInIndexSignature(stringType2) : stringType2 : void 0; } const arrayElementType = getIndexTypeOfType(arrayType2, numberType2); if (hasStringConstituent && arrayElementType) { if (arrayElementType.flags & 402653316 && !compilerOptions.noUncheckedIndexedAccess) { return stringType2; } return getUnionType( possibleOutOfBounds ? [arrayElementType, stringType2, undefinedType2] : [arrayElementType, stringType2], 2 /* Subtype */ ); } return use & 128 ? includeUndefinedInIndexSignature(arrayElementType) : arrayElementType; function getIterationDiagnosticDetails(allowsStrings, downlevelIteration2) { var _a; if (downlevelIteration2) { return allowsStrings ? [Diagnostics.Type_0_is_not_an_array_type_or_a_string_type_or_does_not_have_a_Symbol_iterator_method_that_returns_an_iterator, true] : [Diagnostics.Type_0_is_not_an_array_type_or_does_not_have_a_Symbol_iterator_method_that_returns_an_iterator, true]; } const yieldType = getIterationTypeOfIterable( use, 0, inputType, /*errorNode*/ void 0 ); if (yieldType) { return [Diagnostics.Type_0_can_only_be_iterated_through_when_using_the_downlevelIteration_flag_or_with_a_target_of_es2015_or_higher, false]; } if (isES2015OrLaterIterable((_a = inputType.symbol) == null ? void 0 : _a.escapedName)) { return [Diagnostics.Type_0_can_only_be_iterated_through_when_using_the_downlevelIteration_flag_or_with_a_target_of_es2015_or_higher, true]; } return allowsStrings ? [Diagnostics.Type_0_is_not_an_array_type_or_a_string_type, true] : [Diagnostics.Type_0_is_not_an_array_type, true]; } } function isES2015OrLaterIterable(n) { switch (n) { case "Float32Array": case "Float64Array": case "Int16Array": case "Int32Array": case "Int8Array": case "NodeList": case "Uint16Array": case "Uint32Array": case "Uint8Array": case "Uint8ClampedArray": return true; } return false; } function getIterationTypeOfIterable(use, typeKind, inputType, errorNode) { if (isTypeAny(inputType)) { return void 0; } const iterationTypes = getIterationTypesOfIterable(inputType, use, errorNode); return iterationTypes && iterationTypes[getIterationTypesKeyFromIterationTypeKind(typeKind)]; } function createIterationTypes(yieldType = neverType2, returnType = neverType2, nextType = unknownType2) { if (yieldType.flags & 67359327 && returnType.flags & (1 | 131072 | 2 | 16384 | 32768) && nextType.flags & (1 | 131072 | 2 | 16384 | 32768)) { const id = getTypeListId([yieldType, returnType, nextType]); let iterationTypes = iterationTypesCache.get(id); if (!iterationTypes) { iterationTypes = { yieldType, returnType, nextType }; iterationTypesCache.set(id, iterationTypes); } return iterationTypes; } return { yieldType, returnType, nextType }; } function combineIterationTypes(array) { let yieldTypes; let returnTypes; let nextTypes; for (const iterationTypes of array) { if (iterationTypes === void 0 || iterationTypes === noIterationTypes) { continue; } if (iterationTypes === anyIterationTypes) { return anyIterationTypes; } yieldTypes = append(yieldTypes, iterationTypes.yieldType); returnTypes = append(returnTypes, iterationTypes.returnType); nextTypes = append(nextTypes, iterationTypes.nextType); } if (yieldTypes || returnTypes || nextTypes) { return createIterationTypes( yieldTypes && getUnionType(yieldTypes), returnTypes && getUnionType(returnTypes), nextTypes && getIntersectionType(nextTypes) ); } return noIterationTypes; } function getCachedIterationTypes(type, cacheKey) { return type[cacheKey]; } function setCachedIterationTypes(type, cacheKey, cachedTypes2) { return type[cacheKey] = cachedTypes2; } function getIterationTypesOfIterable(type, use, errorNode) { var _a, _b; if (isTypeAny(type)) { return anyIterationTypes; } if (!(type.flags & 1048576)) { const errorOutputContainer = errorNode ? { errors: void 0 } : void 0; const iterationTypes2 = getIterationTypesOfIterableWorker(type, use, errorNode, errorOutputContainer); if (iterationTypes2 === noIterationTypes) { if (errorNode) { const rootDiag = reportTypeNotIterableError(errorNode, type, !!(use & 2)); if (errorOutputContainer == null ? void 0 : errorOutputContainer.errors) { addRelatedInfo(rootDiag, ...errorOutputContainer.errors); } } return void 0; } else if ((_a = errorOutputContainer == null ? void 0 : errorOutputContainer.errors) == null ? void 0 : _a.length) { for (const diag2 of errorOutputContainer.errors) { diagnostics.add(diag2); } } return iterationTypes2; } const cacheKey = use & 2 ? "iterationTypesOfAsyncIterable" : "iterationTypesOfIterable"; const cachedTypes2 = getCachedIterationTypes(type, cacheKey); if (cachedTypes2) return cachedTypes2 === noIterationTypes ? void 0 : cachedTypes2; let allIterationTypes; for (const constituent of type.types) { const errorOutputContainer = errorNode ? { errors: void 0 } : void 0; const iterationTypes2 = getIterationTypesOfIterableWorker(constituent, use, errorNode, errorOutputContainer); if (iterationTypes2 === noIterationTypes) { if (errorNode) { const rootDiag = reportTypeNotIterableError(errorNode, type, !!(use & 2)); if (errorOutputContainer == null ? void 0 : errorOutputContainer.errors) { addRelatedInfo(rootDiag, ...errorOutputContainer.errors); } } setCachedIterationTypes(type, cacheKey, noIterationTypes); return void 0; } else if ((_b = errorOutputContainer == null ? void 0 : errorOutputContainer.errors) == null ? void 0 : _b.length) { for (const diag2 of errorOutputContainer.errors) { diagnostics.add(diag2); } } allIterationTypes = append(allIterationTypes, iterationTypes2); } const iterationTypes = allIterationTypes ? combineIterationTypes(allIterationTypes) : noIterationTypes; setCachedIterationTypes(type, cacheKey, iterationTypes); return iterationTypes === noIterationTypes ? void 0 : iterationTypes; } function getAsyncFromSyncIterationTypes(iterationTypes, errorNode) { if (iterationTypes === noIterationTypes) return noIterationTypes; if (iterationTypes === anyIterationTypes) return anyIterationTypes; const { yieldType, returnType, nextType } = iterationTypes; if (errorNode) { getGlobalAwaitedSymbol( /*reportErrors*/ true ); } return createIterationTypes( getAwaitedType(yieldType, errorNode) || anyType2, getAwaitedType(returnType, errorNode) || anyType2, nextType ); } function getIterationTypesOfIterableWorker(type, use, errorNode, errorOutputContainer) { if (isTypeAny(type)) { return anyIterationTypes; } let noCache = false; if (use & 2) { const iterationTypes = getIterationTypesOfIterableCached(type, asyncIterationTypesResolver) || getIterationTypesOfIterableFast(type, asyncIterationTypesResolver); if (iterationTypes) { if (iterationTypes === noIterationTypes && errorNode) { noCache = true; } else { return use & 8 ? getAsyncFromSyncIterationTypes(iterationTypes, errorNode) : iterationTypes; } } } if (use & 1) { let iterationTypes = getIterationTypesOfIterableCached(type, syncIterationTypesResolver) || getIterationTypesOfIterableFast(type, syncIterationTypesResolver); if (iterationTypes) { if (iterationTypes === noIterationTypes && errorNode) { noCache = true; } else { if (use & 2) { if (iterationTypes !== noIterationTypes) { iterationTypes = getAsyncFromSyncIterationTypes(iterationTypes, errorNode); return noCache ? iterationTypes : setCachedIterationTypes(type, "iterationTypesOfAsyncIterable", iterationTypes); } } else { return iterationTypes; } } } } if (use & 2) { const iterationTypes = getIterationTypesOfIterableSlow(type, asyncIterationTypesResolver, errorNode, errorOutputContainer, noCache); if (iterationTypes !== noIterationTypes) { return iterationTypes; } } if (use & 1) { let iterationTypes = getIterationTypesOfIterableSlow(type, syncIterationTypesResolver, errorNode, errorOutputContainer, noCache); if (iterationTypes !== noIterationTypes) { if (use & 2) { iterationTypes = getAsyncFromSyncIterationTypes(iterationTypes, errorNode); return noCache ? iterationTypes : setCachedIterationTypes(type, "iterationTypesOfAsyncIterable", iterationTypes); } else { return iterationTypes; } } } return noIterationTypes; } function getIterationTypesOfIterableCached(type, resolver) { return getCachedIterationTypes(type, resolver.iterableCacheKey); } function getIterationTypesOfGlobalIterableType(globalType, resolver) { const globalIterationTypes = getIterationTypesOfIterableCached(globalType, resolver) || getIterationTypesOfIterableSlow( globalType, resolver, /*errorNode*/ void 0, /*errorOutputContainer*/ void 0, /*noCache*/ false ); return globalIterationTypes === noIterationTypes ? defaultIterationTypes : globalIterationTypes; } function getIterationTypesOfIterableFast(type, resolver) { let globalType; if (isReferenceToType2(type, globalType = resolver.getGlobalIterableType( /*reportErrors*/ false )) || isReferenceToType2(type, globalType = resolver.getGlobalIterableIteratorType( /*reportErrors*/ false ))) { const [yieldType] = getTypeArguments(type); const { returnType, nextType } = getIterationTypesOfGlobalIterableType(globalType, resolver); return setCachedIterationTypes(type, resolver.iterableCacheKey, createIterationTypes(resolver.resolveIterationType( yieldType, /*errorNode*/ void 0 ) || yieldType, resolver.resolveIterationType( returnType, /*errorNode*/ void 0 ) || returnType, nextType)); } if (isReferenceToType2(type, resolver.getGlobalGeneratorType( /*reportErrors*/ false ))) { const [yieldType, returnType, nextType] = getTypeArguments(type); return setCachedIterationTypes(type, resolver.iterableCacheKey, createIterationTypes(resolver.resolveIterationType( yieldType, /*errorNode*/ void 0 ) || yieldType, resolver.resolveIterationType( returnType, /*errorNode*/ void 0 ) || returnType, nextType)); } } function getPropertyNameForKnownSymbolName(symbolName2) { const ctorType = getGlobalESSymbolConstructorSymbol( /*reportErrors*/ false ); const uniqueType = ctorType && getTypeOfPropertyOfType(getTypeOfSymbol(ctorType), escapeLeadingUnderscores(symbolName2)); return uniqueType && isTypeUsableAsPropertyName(uniqueType) ? getPropertyNameFromType(uniqueType) : `__@${symbolName2}`; } function getIterationTypesOfIterableSlow(type, resolver, errorNode, errorOutputContainer, noCache) { const method = getPropertyOfType(type, getPropertyNameForKnownSymbolName(resolver.iteratorSymbolName)); const methodType = method && !(method.flags & 16777216) ? getTypeOfSymbol(method) : void 0; if (isTypeAny(methodType)) { return noCache ? anyIterationTypes : setCachedIterationTypes(type, resolver.iterableCacheKey, anyIterationTypes); } const signatures = methodType ? getSignaturesOfType( methodType, 0 /* Call */ ) : void 0; if (!some(signatures)) { return noCache ? noIterationTypes : setCachedIterationTypes(type, resolver.iterableCacheKey, noIterationTypes); } const iteratorType = getIntersectionType(map(signatures, getReturnTypeOfSignature)); const iterationTypes = getIterationTypesOfIteratorWorker(iteratorType, resolver, errorNode, errorOutputContainer, noCache) ?? noIterationTypes; return noCache ? iterationTypes : setCachedIterationTypes(type, resolver.iterableCacheKey, iterationTypes); } function reportTypeNotIterableError(errorNode, type, allowAsyncIterables) { const message = allowAsyncIterables ? Diagnostics.Type_0_must_have_a_Symbol_asyncIterator_method_that_returns_an_async_iterator : Diagnostics.Type_0_must_have_a_Symbol_iterator_method_that_returns_an_iterator; const suggestAwait = ( // for (const x of Promise<...>) or [...Promise<...>] !!getAwaitedTypeOfPromise(type) || !allowAsyncIterables && isForOfStatement(errorNode.parent) && errorNode.parent.expression === errorNode && getGlobalAsyncIterableType( /*reportErrors*/ false ) !== emptyGenericType && isTypeAssignableTo(type, getGlobalAsyncIterableType( /*reportErrors*/ false )) ); return errorAndMaybeSuggestAwait(errorNode, suggestAwait, message, typeToString(type)); } function getIterationTypesOfIterator(type, resolver, errorNode, errorOutputContainer) { return getIterationTypesOfIteratorWorker( type, resolver, errorNode, errorOutputContainer, /*noCache*/ false ); } function getIterationTypesOfIteratorWorker(type, resolver, errorNode, errorOutputContainer, noCache) { if (isTypeAny(type)) { return anyIterationTypes; } let iterationTypes = getIterationTypesOfIteratorCached(type, resolver) || getIterationTypesOfIteratorFast(type, resolver); if (iterationTypes === noIterationTypes && errorNode) { iterationTypes = void 0; noCache = true; } iterationTypes ?? (iterationTypes = getIterationTypesOfIteratorSlow(type, resolver, errorNode, errorOutputContainer, noCache)); return iterationTypes === noIterationTypes ? void 0 : iterationTypes; } function getIterationTypesOfIteratorCached(type, resolver) { return getCachedIterationTypes(type, resolver.iteratorCacheKey); } function getIterationTypesOfIteratorFast(type, resolver) { const globalType = resolver.getGlobalIterableIteratorType( /*reportErrors*/ false ); if (isReferenceToType2(type, globalType)) { const [yieldType] = getTypeArguments(type); const globalIterationTypes = getIterationTypesOfIteratorCached(globalType, resolver) || getIterationTypesOfIteratorSlow( globalType, resolver, /*errorNode*/ void 0, /*errorOutputContainer*/ void 0, /*noCache*/ false ); const { returnType, nextType } = globalIterationTypes === noIterationTypes ? defaultIterationTypes : globalIterationTypes; return setCachedIterationTypes(type, resolver.iteratorCacheKey, createIterationTypes(yieldType, returnType, nextType)); } if (isReferenceToType2(type, resolver.getGlobalIteratorType( /*reportErrors*/ false )) || isReferenceToType2(type, resolver.getGlobalGeneratorType( /*reportErrors*/ false ))) { const [yieldType, returnType, nextType] = getTypeArguments(type); return setCachedIterationTypes(type, resolver.iteratorCacheKey, createIterationTypes(yieldType, returnType, nextType)); } } function isIteratorResult(type, kind) { const doneType = getTypeOfPropertyOfType(type, "done") || falseType; return isTypeAssignableTo(kind === 0 ? falseType : trueType, doneType); } function isYieldIteratorResult(type) { return isIteratorResult( type, 0 /* Yield */ ); } function isReturnIteratorResult(type) { return isIteratorResult( type, 1 /* Return */ ); } function getIterationTypesOfIteratorResult(type) { if (isTypeAny(type)) { return anyIterationTypes; } const cachedTypes2 = getCachedIterationTypes(type, "iterationTypesOfIteratorResult"); if (cachedTypes2) { return cachedTypes2; } if (isReferenceToType2(type, getGlobalIteratorYieldResultType( /*reportErrors*/ false ))) { const yieldType2 = getTypeArguments(type)[0]; return setCachedIterationTypes(type, "iterationTypesOfIteratorResult", createIterationTypes( yieldType2, /*returnType*/ void 0, /*nextType*/ void 0 )); } if (isReferenceToType2(type, getGlobalIteratorReturnResultType( /*reportErrors*/ false ))) { const returnType2 = getTypeArguments(type)[0]; return setCachedIterationTypes(type, "iterationTypesOfIteratorResult", createIterationTypes( /*yieldType*/ void 0, returnType2, /*nextType*/ void 0 )); } const yieldIteratorResult = filterType(type, isYieldIteratorResult); const yieldType = yieldIteratorResult !== neverType2 ? getTypeOfPropertyOfType(yieldIteratorResult, "value") : void 0; const returnIteratorResult = filterType(type, isReturnIteratorResult); const returnType = returnIteratorResult !== neverType2 ? getTypeOfPropertyOfType(returnIteratorResult, "value") : void 0; if (!yieldType && !returnType) { return setCachedIterationTypes(type, "iterationTypesOfIteratorResult", noIterationTypes); } return setCachedIterationTypes(type, "iterationTypesOfIteratorResult", createIterationTypes( yieldType, returnType || voidType2, /*nextType*/ void 0 )); } function getIterationTypesOfMethod(type, resolver, methodName, errorNode, errorOutputContainer) { var _a, _b, _c, _d; const method = getPropertyOfType(type, methodName); if (!method && methodName !== "next") { return void 0; } const methodType = method && !(methodName === "next" && method.flags & 16777216) ? methodName === "next" ? getTypeOfSymbol(method) : getTypeWithFacts( getTypeOfSymbol(method), 2097152 /* NEUndefinedOrNull */ ) : void 0; if (isTypeAny(methodType)) { return methodName === "next" ? anyIterationTypes : anyIterationTypesExceptNext; } const methodSignatures = methodType ? getSignaturesOfType( methodType, 0 /* Call */ ) : emptyArray; if (methodSignatures.length === 0) { if (errorNode) { const diagnostic = methodName === "next" ? resolver.mustHaveANextMethodDiagnostic : resolver.mustBeAMethodDiagnostic; if (errorOutputContainer) { errorOutputContainer.errors ?? (errorOutputContainer.errors = []); errorOutputContainer.errors.push(createDiagnosticForNode(errorNode, diagnostic, methodName)); } else { error2(errorNode, diagnostic, methodName); } } return methodName === "next" ? noIterationTypes : void 0; } if ((methodType == null ? void 0 : methodType.symbol) && methodSignatures.length === 1) { const globalGeneratorType = resolver.getGlobalGeneratorType( /*reportErrors*/ false ); const globalIteratorType = resolver.getGlobalIteratorType( /*reportErrors*/ false ); const isGeneratorMethod = ((_b = (_a = globalGeneratorType.symbol) == null ? void 0 : _a.members) == null ? void 0 : _b.get(methodName)) === methodType.symbol; const isIteratorMethod = !isGeneratorMethod && ((_d = (_c = globalIteratorType.symbol) == null ? void 0 : _c.members) == null ? void 0 : _d.get(methodName)) === methodType.symbol; if (isGeneratorMethod || isIteratorMethod) { const globalType = isGeneratorMethod ? globalGeneratorType : globalIteratorType; const { mapper } = methodType; return createIterationTypes( getMappedType(globalType.typeParameters[0], mapper), getMappedType(globalType.typeParameters[1], mapper), methodName === "next" ? getMappedType(globalType.typeParameters[2], mapper) : void 0 ); } } let methodParameterTypes; let methodReturnTypes; for (const signature of methodSignatures) { if (methodName !== "throw" && some(signature.parameters)) { methodParameterTypes = append(methodParameterTypes, getTypeAtPosition(signature, 0)); } methodReturnTypes = append(methodReturnTypes, getReturnTypeOfSignature(signature)); } let returnTypes; let nextType; if (methodName !== "throw") { const methodParameterType = methodParameterTypes ? getUnionType(methodParameterTypes) : unknownType2; if (methodName === "next") { nextType = methodParameterType; } else if (methodName === "return") { const resolvedMethodParameterType = resolver.resolveIterationType(methodParameterType, errorNode) || anyType2; returnTypes = append(returnTypes, resolvedMethodParameterType); } } let yieldType; const methodReturnType = methodReturnTypes ? getIntersectionType(methodReturnTypes) : neverType2; const resolvedMethodReturnType = resolver.resolveIterationType(methodReturnType, errorNode) || anyType2; const iterationTypes = getIterationTypesOfIteratorResult(resolvedMethodReturnType); if (iterationTypes === noIterationTypes) { if (errorNode) { if (errorOutputContainer) { errorOutputContainer.errors ?? (errorOutputContainer.errors = []); errorOutputContainer.errors.push(createDiagnosticForNode(errorNode, resolver.mustHaveAValueDiagnostic, methodName)); } else { error2(errorNode, resolver.mustHaveAValueDiagnostic, methodName); } } yieldType = anyType2; returnTypes = append(returnTypes, anyType2); } else { yieldType = iterationTypes.yieldType; returnTypes = append(returnTypes, iterationTypes.returnType); } return createIterationTypes(yieldType, getUnionType(returnTypes), nextType); } function getIterationTypesOfIteratorSlow(type, resolver, errorNode, errorOutputContainer, noCache) { const iterationTypes = combineIterationTypes([ getIterationTypesOfMethod(type, resolver, "next", errorNode, errorOutputContainer), getIterationTypesOfMethod(type, resolver, "return", errorNode, errorOutputContainer), getIterationTypesOfMethod(type, resolver, "throw", errorNode, errorOutputContainer) ]); return noCache ? iterationTypes : setCachedIterationTypes(type, resolver.iteratorCacheKey, iterationTypes); } function getIterationTypeOfGeneratorFunctionReturnType(kind, returnType, isAsyncGenerator) { if (isTypeAny(returnType)) { return void 0; } const iterationTypes = getIterationTypesOfGeneratorFunctionReturnType(returnType, isAsyncGenerator); return iterationTypes && iterationTypes[getIterationTypesKeyFromIterationTypeKind(kind)]; } function getIterationTypesOfGeneratorFunctionReturnType(type, isAsyncGenerator) { if (isTypeAny(type)) { return anyIterationTypes; } const use = isAsyncGenerator ? 2 : 1; const resolver = isAsyncGenerator ? asyncIterationTypesResolver : syncIterationTypesResolver; return getIterationTypesOfIterable( type, use, /*errorNode*/ void 0 ) || getIterationTypesOfIterator( type, resolver, /*errorNode*/ void 0, /*errorOutputContainer*/ void 0 ); } function checkBreakOrContinueStatement(node) { if (!checkGrammarStatementInAmbientContext(node)) checkGrammarBreakOrContinueStatement(node); } function unwrapReturnType(returnType, functionFlags) { const isGenerator = !!(functionFlags & 1); const isAsync2 = !!(functionFlags & 2); if (isGenerator) { const returnIterationType = getIterationTypeOfGeneratorFunctionReturnType(1, returnType, isAsync2); if (!returnIterationType) { return errorType; } return isAsync2 ? getAwaitedTypeNoAlias(unwrapAwaitedType(returnIterationType)) : returnIterationType; } return isAsync2 ? getAwaitedTypeNoAlias(returnType) || errorType : returnType; } function isUnwrappedReturnTypeUndefinedVoidOrAny(func, returnType) { const type = unwrapReturnType(returnType, getFunctionFlags(func)); return !!(type && (maybeTypeOfKind( type, 16384 /* Void */ ) || type.flags & (1 | 32768))); } function checkReturnStatement(node) { if (checkGrammarStatementInAmbientContext(node)) { return; } const container = getContainingFunctionOrClassStaticBlock(node); if (container && isClassStaticBlockDeclaration(container)) { grammarErrorOnFirstToken(node, Diagnostics.A_return_statement_cannot_be_used_inside_a_class_static_block); return; } if (!container) { grammarErrorOnFirstToken(node, Diagnostics.A_return_statement_can_only_be_used_within_a_function_body); return; } const signature = getSignatureFromDeclaration(container); const returnType = getReturnTypeOfSignature(signature); const functionFlags = getFunctionFlags(container); if (strictNullChecks || node.expression || returnType.flags & 131072) { const exprType = node.expression ? checkExpressionCached(node.expression) : undefinedType2; if (container.kind === 178) { if (node.expression) { error2(node, Diagnostics.Setters_cannot_return_a_value); } } else if (container.kind === 176) { if (node.expression && !checkTypeAssignableToAndOptionallyElaborate(exprType, returnType, node, node.expression)) { error2(node, Diagnostics.Return_type_of_constructor_signature_must_be_assignable_to_the_instance_type_of_the_class); } } else if (getReturnTypeFromAnnotation(container)) { const unwrappedReturnType = unwrapReturnType(returnType, functionFlags) ?? returnType; const unwrappedExprType = functionFlags & 2 ? checkAwaitedType( exprType, /*withAlias*/ false, node, Diagnostics.The_return_type_of_an_async_function_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member ) : exprType; if (unwrappedReturnType) { checkTypeAssignableToAndOptionallyElaborate(unwrappedExprType, unwrappedReturnType, node, node.expression); } } } else if (container.kind !== 176 && compilerOptions.noImplicitReturns && !isUnwrappedReturnTypeUndefinedVoidOrAny(container, returnType)) { error2(node, Diagnostics.Not_all_code_paths_return_a_value); } } function checkWithStatement(node) { if (!checkGrammarStatementInAmbientContext(node)) { if (node.flags & 65536) { grammarErrorOnFirstToken(node, Diagnostics.with_statements_are_not_allowed_in_an_async_function_block); } } checkExpression(node.expression); const sourceFile = getSourceFileOfNode(node); if (!hasParseDiagnostics(sourceFile)) { const start = getSpanOfTokenAtPosition(sourceFile, node.pos).start; const end = node.statement.pos; grammarErrorAtPos(sourceFile, start, end - start, Diagnostics.The_with_statement_is_not_supported_All_symbols_in_a_with_block_will_have_type_any); } } function checkSwitchStatement(node) { checkGrammarStatementInAmbientContext(node); let firstDefaultClause; let hasDuplicateDefaultClause = false; const expressionType = checkExpression(node.expression); forEach(node.caseBlock.clauses, (clause) => { if (clause.kind === 297 && !hasDuplicateDefaultClause) { if (firstDefaultClause === void 0) { firstDefaultClause = clause; } else { grammarErrorOnNode(clause, Diagnostics.A_default_clause_cannot_appear_more_than_once_in_a_switch_statement); hasDuplicateDefaultClause = true; } } if (clause.kind === 296) { addLazyDiagnostic(createLazyCaseClauseDiagnostics(clause)); } forEach(clause.statements, checkSourceElement); if (compilerOptions.noFallthroughCasesInSwitch && clause.fallthroughFlowNode && isReachableFlowNode(clause.fallthroughFlowNode)) { error2(clause, Diagnostics.Fallthrough_case_in_switch); } function createLazyCaseClauseDiagnostics(clause2) { return () => { const caseType = checkExpression(clause2.expression); if (!isTypeEqualityComparableTo(expressionType, caseType)) { checkTypeComparableTo( caseType, expressionType, clause2.expression, /*headMessage*/ void 0 ); } }; } }); if (node.caseBlock.locals) { registerForUnusedIdentifiersCheck(node.caseBlock); } } function checkLabeledStatement(node) { if (!checkGrammarStatementInAmbientContext(node)) { findAncestor(node.parent, (current) => { if (isFunctionLike(current)) { return "quit"; } if (current.kind === 256 && current.label.escapedText === node.label.escapedText) { grammarErrorOnNode(node.label, Diagnostics.Duplicate_label_0, getTextOfNode(node.label)); return true; } return false; }); } checkSourceElement(node.statement); } function checkThrowStatement(node) { if (!checkGrammarStatementInAmbientContext(node)) { if (isIdentifier(node.expression) && !node.expression.escapedText) { grammarErrorAfterFirstToken(node, Diagnostics.Line_break_not_permitted_here); } } if (node.expression) { checkExpression(node.expression); } } function checkTryStatement(node) { checkGrammarStatementInAmbientContext(node); checkBlock(node.tryBlock); const catchClause = node.catchClause; if (catchClause) { if (catchClause.variableDeclaration) { const declaration = catchClause.variableDeclaration; checkVariableLikeDeclaration(declaration); const typeNode = getEffectiveTypeAnnotationNode(declaration); if (typeNode) { const type = getTypeFromTypeNode(typeNode); if (type && !(type.flags & 3)) { grammarErrorOnFirstToken(typeNode, Diagnostics.Catch_clause_variable_type_annotation_must_be_any_or_unknown_if_specified); } } else if (declaration.initializer) { grammarErrorOnFirstToken(declaration.initializer, Diagnostics.Catch_clause_variable_cannot_have_an_initializer); } else { const blockLocals = catchClause.block.locals; if (blockLocals) { forEachKey(catchClause.locals, (caughtName) => { const blockLocal = blockLocals.get(caughtName); if ((blockLocal == null ? void 0 : blockLocal.valueDeclaration) && (blockLocal.flags & 2) !== 0) { grammarErrorOnNode(blockLocal.valueDeclaration, Diagnostics.Cannot_redeclare_identifier_0_in_catch_clause, unescapeLeadingUnderscores(caughtName)); } }); } } } checkBlock(catchClause.block); } if (node.finallyBlock) { checkBlock(node.finallyBlock); } } function checkIndexConstraints(type, symbol, isStaticIndex) { const indexInfos = getIndexInfosOfType(type); if (indexInfos.length === 0) { return; } for (const prop of getPropertiesOfObjectType(type)) { if (!(isStaticIndex && prop.flags & 4194304)) { checkIndexConstraintForProperty(type, prop, getLiteralTypeFromProperty( prop, 8576, /*includeNonPublic*/ true ), getNonMissingTypeOfSymbol(prop)); } } const typeDeclaration = symbol.valueDeclaration; if (typeDeclaration && isClassLike(typeDeclaration)) { for (const member of typeDeclaration.members) { if (!isStatic(member) && !hasBindableName(member)) { const symbol2 = getSymbolOfDeclaration(member); checkIndexConstraintForProperty(type, symbol2, getTypeOfExpression(member.name.expression), getNonMissingTypeOfSymbol(symbol2)); } } } if (indexInfos.length > 1) { for (const info of indexInfos) { checkIndexConstraintForIndexSignature(type, info); } } } function checkIndexConstraintForProperty(type, prop, propNameType, propType) { const declaration = prop.valueDeclaration; const name = getNameOfDeclaration(declaration); if (name && isPrivateIdentifier(name)) { return; } const indexInfos = getApplicableIndexInfos(type, propNameType); const interfaceDeclaration = getObjectFlags(type) & 2 ? getDeclarationOfKind( type.symbol, 264 /* InterfaceDeclaration */ ) : void 0; const propDeclaration = declaration && declaration.kind === 226 || name && name.kind === 167 ? declaration : void 0; const localPropDeclaration = getParentOfSymbol(prop) === type.symbol ? declaration : void 0; for (const info of indexInfos) { const localIndexDeclaration = info.declaration && getParentOfSymbol(getSymbolOfDeclaration(info.declaration)) === type.symbol ? info.declaration : void 0; const errorNode = localPropDeclaration || localIndexDeclaration || (interfaceDeclaration && !some(getBaseTypes(type), (base) => !!getPropertyOfObjectType(base, prop.escapedName) && !!getIndexTypeOfType(base, info.keyType)) ? interfaceDeclaration : void 0); if (errorNode && !isTypeAssignableTo(propType, info.type)) { const diagnostic = createError(errorNode, Diagnostics.Property_0_of_type_1_is_not_assignable_to_2_index_type_3, symbolToString2(prop), typeToString(propType), typeToString(info.keyType), typeToString(info.type)); if (propDeclaration && errorNode !== propDeclaration) { addRelatedInfo(diagnostic, createDiagnosticForNode(propDeclaration, Diagnostics._0_is_declared_here, symbolToString2(prop))); } diagnostics.add(diagnostic); } } } function checkIndexConstraintForIndexSignature(type, checkInfo) { const declaration = checkInfo.declaration; const indexInfos = getApplicableIndexInfos(type, checkInfo.keyType); const interfaceDeclaration = getObjectFlags(type) & 2 ? getDeclarationOfKind( type.symbol, 264 /* InterfaceDeclaration */ ) : void 0; const localCheckDeclaration = declaration && getParentOfSymbol(getSymbolOfDeclaration(declaration)) === type.symbol ? declaration : void 0; for (const info of indexInfos) { if (info === checkInfo) continue; const localIndexDeclaration = info.declaration && getParentOfSymbol(getSymbolOfDeclaration(info.declaration)) === type.symbol ? info.declaration : void 0; const errorNode = localCheckDeclaration || localIndexDeclaration || (interfaceDeclaration && !some(getBaseTypes(type), (base) => !!getIndexInfoOfType(base, checkInfo.keyType) && !!getIndexTypeOfType(base, info.keyType)) ? interfaceDeclaration : void 0); if (errorNode && !isTypeAssignableTo(checkInfo.type, info.type)) { error2(errorNode, Diagnostics._0_index_type_1_is_not_assignable_to_2_index_type_3, typeToString(checkInfo.keyType), typeToString(checkInfo.type), typeToString(info.keyType), typeToString(info.type)); } } } function checkTypeNameIsReserved(name, message) { switch (name.escapedText) { case "any": case "unknown": case "never": case "number": case "bigint": case "boolean": case "string": case "symbol": case "void": case "object": case "undefined": error2(name, message, name.escapedText); } } function checkClassNameCollisionWithObject(name) { if (languageVersion >= 1 && name.escapedText === "Object" && (moduleKind < 5 || getSourceFileOfNode(name).impliedNodeFormat === 1)) { error2(name, Diagnostics.Class_name_cannot_be_Object_when_targeting_ES5_with_module_0, ModuleKind[moduleKind]); } } function checkUnmatchedJSDocParameters(node) { const jsdocParameters = filter(getJSDocTags(node), isJSDocParameterTag); if (!length(jsdocParameters)) return; const isJs = isInJSFile(node); const parameters = /* @__PURE__ */ new Set(); const excludedParameters = /* @__PURE__ */ new Set(); forEach(node.parameters, ({ name }, index) => { if (isIdentifier(name)) { parameters.add(name.escapedText); } if (isBindingPattern(name)) { excludedParameters.add(index); } }); const containsArguments = containsArgumentsReference(node); if (containsArguments) { const lastJSDocParamIndex = jsdocParameters.length - 1; const lastJSDocParam = jsdocParameters[lastJSDocParamIndex]; if (isJs && lastJSDocParam && isIdentifier(lastJSDocParam.name) && lastJSDocParam.typeExpression && lastJSDocParam.typeExpression.type && !parameters.has(lastJSDocParam.name.escapedText) && !excludedParameters.has(lastJSDocParamIndex) && !isArrayType(getTypeFromTypeNode(lastJSDocParam.typeExpression.type))) { error2(lastJSDocParam.name, Diagnostics.JSDoc_param_tag_has_name_0_but_there_is_no_parameter_with_that_name_It_would_match_arguments_if_it_had_an_array_type, idText(lastJSDocParam.name)); } } else { forEach(jsdocParameters, ({ name, isNameFirst }, index) => { if (excludedParameters.has(index) || isIdentifier(name) && parameters.has(name.escapedText)) { return; } if (isQualifiedName(name)) { if (isJs) { error2(name, Diagnostics.Qualified_name_0_is_not_allowed_without_a_leading_param_object_1, entityNameToString(name), entityNameToString(name.left)); } } else { if (!isNameFirst) { errorOrSuggestion(isJs, name, Diagnostics.JSDoc_param_tag_has_name_0_but_there_is_no_parameter_with_that_name, idText(name)); } } }); } } function checkTypeParameters(typeParameterDeclarations) { let seenDefault = false; if (typeParameterDeclarations) { for (let i = 0; i < typeParameterDeclarations.length; i++) { const node = typeParameterDeclarations[i]; checkTypeParameter(node); addLazyDiagnostic(createCheckTypeParameterDiagnostic(node, i)); } } function createCheckTypeParameterDiagnostic(node, i) { return () => { if (node.default) { seenDefault = true; checkTypeParametersNotReferenced(node.default, typeParameterDeclarations, i); } else if (seenDefault) { error2(node, Diagnostics.Required_type_parameters_may_not_follow_optional_type_parameters); } for (let j = 0; j < i; j++) { if (typeParameterDeclarations[j].symbol === node.symbol) { error2(node.name, Diagnostics.Duplicate_identifier_0, declarationNameToString(node.name)); } } }; } } function checkTypeParametersNotReferenced(root2, typeParameters, index) { visit(root2); function visit(node) { if (node.kind === 183) { const type = getTypeFromTypeReference(node); if (type.flags & 262144) { for (let i = index; i < typeParameters.length; i++) { if (type.symbol === getSymbolOfDeclaration(typeParameters[i])) { error2(node, Diagnostics.Type_parameter_defaults_can_only_reference_previously_declared_type_parameters); } } } } forEachChild(node, visit); } } function checkTypeParameterListsIdentical(symbol) { if (symbol.declarations && symbol.declarations.length === 1) { return; } const links = getSymbolLinks(symbol); if (!links.typeParametersChecked) { links.typeParametersChecked = true; const declarations = getClassOrInterfaceDeclarationsOfSymbol(symbol); if (!declarations || declarations.length <= 1) { return; } const type = getDeclaredTypeOfSymbol(symbol); if (!areTypeParametersIdentical(declarations, type.localTypeParameters, getEffectiveTypeParameterDeclarations)) { const name = symbolToString2(symbol); for (const declaration of declarations) { error2(declaration.name, Diagnostics.All_declarations_of_0_must_have_identical_type_parameters, name); } } } } function areTypeParametersIdentical(declarations, targetParameters, getTypeParameterDeclarations) { const maxTypeArgumentCount = length(targetParameters); const minTypeArgumentCount = getMinTypeArgumentCount(targetParameters); for (const declaration of declarations) { const sourceParameters = getTypeParameterDeclarations(declaration); const numTypeParameters = sourceParameters.length; if (numTypeParameters < minTypeArgumentCount || numTypeParameters > maxTypeArgumentCount) { return false; } for (let i = 0; i < numTypeParameters; i++) { const source = sourceParameters[i]; const target = targetParameters[i]; if (source.name.escapedText !== target.symbol.escapedName) { return false; } const constraint = getEffectiveConstraintOfTypeParameter(source); const sourceConstraint = constraint && getTypeFromTypeNode(constraint); const targetConstraint = getConstraintOfTypeParameter(target); if (sourceConstraint && targetConstraint && !isTypeIdenticalTo(sourceConstraint, targetConstraint)) { return false; } const sourceDefault = source.default && getTypeFromTypeNode(source.default); const targetDefault = getDefaultFromTypeParameter(target); if (sourceDefault && targetDefault && !isTypeIdenticalTo(sourceDefault, targetDefault)) { return false; } } } return true; } function getFirstTransformableStaticClassElement(node) { const willTransformStaticElementsOfDecoratedClass = !legacyDecorators && languageVersion < 99 && classOrConstructorParameterIsDecorated( /*useLegacyDecorators*/ false, node ); const willTransformPrivateElementsOrClassStaticBlocks = languageVersion < 9 || languageVersion < 99; const willTransformInitializers = !emitStandardClassFields; if (willTransformStaticElementsOfDecoratedClass || willTransformPrivateElementsOrClassStaticBlocks) { for (const member of node.members) { if (willTransformStaticElementsOfDecoratedClass && classElementOrClassElementParameterIsDecorated( /*useLegacyDecorators*/ false, member, node )) { return firstOrUndefined(getDecorators(node)) ?? node; } else if (willTransformPrivateElementsOrClassStaticBlocks) { if (isClassStaticBlockDeclaration(member)) { return member; } else if (isStatic(member)) { if (isPrivateIdentifierClassElementDeclaration(member) || willTransformInitializers && isInitializedProperty(member)) { return member; } } } } } } function checkClassExpressionExternalHelpers(node) { if (node.name) return; const parent2 = walkUpOuterExpressions(node); if (!isNamedEvaluationSource(parent2)) return; const willTransformESDecorators = !legacyDecorators && languageVersion < 99; let location; if (willTransformESDecorators && classOrConstructorParameterIsDecorated( /*useLegacyDecorators*/ false, node )) { location = firstOrUndefined(getDecorators(node)) ?? node; } else { location = getFirstTransformableStaticClassElement(node); } if (location) { checkExternalEmitHelpers( location, 4194304 /* SetFunctionName */ ); if ((isPropertyAssignment(parent2) || isPropertyDeclaration(parent2) || isBindingElement(parent2)) && isComputedPropertyName(parent2.name)) { checkExternalEmitHelpers( location, 8388608 /* PropKey */ ); } } } function checkClassExpression(node) { checkClassLikeDeclaration(node); checkNodeDeferred(node); checkClassExpressionExternalHelpers(node); return getTypeOfSymbol(getSymbolOfDeclaration(node)); } function checkClassExpressionDeferred(node) { forEach(node.members, checkSourceElement); registerForUnusedIdentifiersCheck(node); } function checkClassDeclaration(node) { const firstDecorator = find(node.modifiers, isDecorator); if (legacyDecorators && firstDecorator && some(node.members, (p) => hasStaticModifier(p) && isPrivateIdentifierClassElementDeclaration(p))) { grammarErrorOnNode(firstDecorator, Diagnostics.Class_decorators_can_t_be_used_with_static_private_identifier_Consider_removing_the_experimental_decorator); } if (!node.name && !hasSyntacticModifier( node, 2048 /* Default */ )) { grammarErrorOnFirstToken(node, Diagnostics.A_class_declaration_without_the_default_modifier_must_have_a_name); } checkClassLikeDeclaration(node); forEach(node.members, checkSourceElement); registerForUnusedIdentifiersCheck(node); } function checkClassLikeDeclaration(node) { checkGrammarClassLikeDeclaration(node); checkDecorators(node); checkCollisionsForDeclarationName(node, node.name); checkTypeParameters(getEffectiveTypeParameterDeclarations(node)); checkExportsOnMergedDeclarations(node); const symbol = getSymbolOfDeclaration(node); const type = getDeclaredTypeOfSymbol(symbol); const typeWithThis = getTypeWithThisArgument(type); const staticType = getTypeOfSymbol(symbol); checkTypeParameterListsIdentical(symbol); checkFunctionOrConstructorSymbol(symbol); checkClassForDuplicateDeclarations(node); const nodeInAmbientContext = !!(node.flags & 33554432); if (!nodeInAmbientContext) { checkClassForStaticPropertyNameConflicts(node); } const baseTypeNode = getEffectiveBaseTypeNode(node); if (baseTypeNode) { forEach(baseTypeNode.typeArguments, checkSourceElement); if (languageVersion < 2) { checkExternalEmitHelpers( baseTypeNode.parent, 1 /* Extends */ ); } const extendsNode = getClassExtendsHeritageElement(node); if (extendsNode && extendsNode !== baseTypeNode) { checkExpression(extendsNode.expression); } const baseTypes = getBaseTypes(type); if (baseTypes.length) { addLazyDiagnostic(() => { const baseType = baseTypes[0]; const baseConstructorType = getBaseConstructorTypeOfClass(type); const staticBaseType = getApparentType(baseConstructorType); checkBaseTypeAccessibility(staticBaseType, baseTypeNode); checkSourceElement(baseTypeNode.expression); if (some(baseTypeNode.typeArguments)) { forEach(baseTypeNode.typeArguments, checkSourceElement); for (const constructor of getConstructorsForTypeArguments(staticBaseType, baseTypeNode.typeArguments, baseTypeNode)) { if (!checkTypeArgumentConstraints(baseTypeNode, constructor.typeParameters)) { break; } } } const baseWithThis = getTypeWithThisArgument(baseType, type.thisType); if (!checkTypeAssignableTo( typeWithThis, baseWithThis, /*errorNode*/ void 0 )) { issueMemberSpecificError(node, typeWithThis, baseWithThis, Diagnostics.Class_0_incorrectly_extends_base_class_1); } else { checkTypeAssignableTo(staticType, getTypeWithoutSignatures(staticBaseType), node.name || node, Diagnostics.Class_static_side_0_incorrectly_extends_base_class_static_side_1); } if (baseConstructorType.flags & 8650752) { if (!isMixinConstructorType(staticType)) { error2(node.name || node, Diagnostics.A_mixin_class_must_have_a_constructor_with_a_single_rest_parameter_of_type_any); } else { const constructSignatures = getSignaturesOfType( baseConstructorType, 1 /* Construct */ ); if (constructSignatures.some( (signature) => signature.flags & 4 /* Abstract */ ) && !hasSyntacticModifier( node, 64 /* Abstract */ )) { error2(node.name || node, Diagnostics.A_mixin_class_that_extends_from_a_type_variable_containing_an_abstract_construct_signature_must_also_be_declared_abstract); } } } if (!(staticBaseType.symbol && staticBaseType.symbol.flags & 32) && !(baseConstructorType.flags & 8650752)) { const constructors = getInstantiatedConstructorsForTypeArguments(staticBaseType, baseTypeNode.typeArguments, baseTypeNode); if (forEach(constructors, (sig) => !isJSConstructor(sig.declaration) && !isTypeIdenticalTo(getReturnTypeOfSignature(sig), baseType))) { error2(baseTypeNode.expression, Diagnostics.Base_constructors_must_all_have_the_same_return_type); } } checkKindsOfPropertyMemberOverrides(type, baseType); }); } } checkMembersForOverrideModifier(node, type, typeWithThis, staticType); const implementedTypeNodes = getEffectiveImplementsTypeNodes(node); if (implementedTypeNodes) { for (const typeRefNode of implementedTypeNodes) { if (!isEntityNameExpression(typeRefNode.expression) || isOptionalChain(typeRefNode.expression)) { error2(typeRefNode.expression, Diagnostics.A_class_can_only_implement_an_identifier_Slashqualified_name_with_optional_type_arguments); } checkTypeReferenceNode(typeRefNode); addLazyDiagnostic(createImplementsDiagnostics(typeRefNode)); } } addLazyDiagnostic(() => { checkIndexConstraints(type, symbol); checkIndexConstraints( staticType, symbol, /*isStaticIndex*/ true ); checkTypeForDuplicateIndexSignatures(node); checkPropertyInitialization(node); }); function createImplementsDiagnostics(typeRefNode) { return () => { const t = getReducedType(getTypeFromTypeNode(typeRefNode)); if (!isErrorType(t)) { if (isValidBaseType(t)) { const genericDiag = t.symbol && t.symbol.flags & 32 ? Diagnostics.Class_0_incorrectly_implements_class_1_Did_you_mean_to_extend_1_and_inherit_its_members_as_a_subclass : Diagnostics.Class_0_incorrectly_implements_interface_1; const baseWithThis = getTypeWithThisArgument(t, type.thisType); if (!checkTypeAssignableTo( typeWithThis, baseWithThis, /*errorNode*/ void 0 )) { issueMemberSpecificError(node, typeWithThis, baseWithThis, genericDiag); } } else { error2(typeRefNode, Diagnostics.A_class_can_only_implement_an_object_type_or_intersection_of_object_types_with_statically_known_members); } } }; } } function checkMembersForOverrideModifier(node, type, typeWithThis, staticType) { const baseTypeNode = getEffectiveBaseTypeNode(node); const baseTypes = baseTypeNode && getBaseTypes(type); const baseWithThis = (baseTypes == null ? void 0 : baseTypes.length) ? getTypeWithThisArgument(first(baseTypes), type.thisType) : void 0; const baseStaticType = getBaseConstructorTypeOfClass(type); for (const member of node.members) { if (hasAmbientModifier(member)) { continue; } if (isConstructorDeclaration(member)) { forEach(member.parameters, (param) => { if (isParameterPropertyDeclaration(param, member)) { checkExistingMemberForOverrideModifier( node, staticType, baseStaticType, baseWithThis, type, typeWithThis, param, /*memberIsParameterProperty*/ true ); } }); } checkExistingMemberForOverrideModifier( node, staticType, baseStaticType, baseWithThis, type, typeWithThis, member, /*memberIsParameterProperty*/ false ); } } function checkExistingMemberForOverrideModifier(node, staticType, baseStaticType, baseWithThis, type, typeWithThis, member, memberIsParameterProperty, reportErrors2 = true) { const declaredProp = member.name && getSymbolAtLocation(member.name) || getSymbolAtLocation(member); if (!declaredProp) { return 0; } return checkMemberForOverrideModifier( node, staticType, baseStaticType, baseWithThis, type, typeWithThis, hasOverrideModifier(member), hasAbstractModifier(member), isStatic(member), memberIsParameterProperty, symbolName(declaredProp), reportErrors2 ? member : void 0 ); } function checkMemberForOverrideModifier(node, staticType, baseStaticType, baseWithThis, type, typeWithThis, memberHasOverrideModifier, memberHasAbstractModifier, memberIsStatic, memberIsParameterProperty, memberName, errorNode) { const isJs = isInJSFile(node); const nodeInAmbientContext = !!(node.flags & 33554432); if (baseWithThis && (memberHasOverrideModifier || compilerOptions.noImplicitOverride)) { const memberEscapedName = escapeLeadingUnderscores(memberName); const thisType = memberIsStatic ? staticType : typeWithThis; const baseType = memberIsStatic ? baseStaticType : baseWithThis; const prop = getPropertyOfType(thisType, memberEscapedName); const baseProp = getPropertyOfType(baseType, memberEscapedName); const baseClassName = typeToString(baseWithThis); if (prop && !baseProp && memberHasOverrideModifier) { if (errorNode) { const suggestion = getSuggestedSymbolForNonexistentClassMember(memberName, baseType); suggestion ? error2( errorNode, isJs ? Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base_class_0_Did_you_mean_1 : Diagnostics.This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0_Did_you_mean_1, baseClassName, symbolToString2(suggestion) ) : error2( errorNode, isJs ? Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base_class_0 : Diagnostics.This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0, baseClassName ); } return 2; } else if (prop && (baseProp == null ? void 0 : baseProp.declarations) && compilerOptions.noImplicitOverride && !nodeInAmbientContext) { const baseHasAbstract = some(baseProp.declarations, hasAbstractModifier); if (memberHasOverrideModifier) { return 0; } if (!baseHasAbstract) { if (errorNode) { const diag2 = memberIsParameterProperty ? isJs ? Diagnostics.This_parameter_property_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0 : Diagnostics.This_parameter_property_must_have_an_override_modifier_because_it_overrides_a_member_in_base_class_0 : isJs ? Diagnostics.This_member_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0 : Diagnostics.This_member_must_have_an_override_modifier_because_it_overrides_a_member_in_the_base_class_0; error2(errorNode, diag2, baseClassName); } return 1; } else if (memberHasAbstractModifier && baseHasAbstract) { if (errorNode) { error2(errorNode, Diagnostics.This_member_must_have_an_override_modifier_because_it_overrides_an_abstract_method_that_is_declared_in_the_base_class_0, baseClassName); } return 1; } } } else if (memberHasOverrideModifier) { if (errorNode) { const className = typeToString(type); error2( errorNode, isJs ? Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_its_containing_class_0_does_not_extend_another_class : Diagnostics.This_member_cannot_have_an_override_modifier_because_its_containing_class_0_does_not_extend_another_class, className ); } return 2; } return 0; } function issueMemberSpecificError(node, typeWithThis, baseWithThis, broadDiag) { let issuedMemberError = false; for (const member of node.members) { if (isStatic(member)) { continue; } const declaredProp = member.name && getSymbolAtLocation(member.name) || getSymbolAtLocation(member); if (declaredProp) { const prop = getPropertyOfType(typeWithThis, declaredProp.escapedName); const baseProp = getPropertyOfType(baseWithThis, declaredProp.escapedName); if (prop && baseProp) { const rootChain = () => chainDiagnosticMessages( /*details*/ void 0, Diagnostics.Property_0_in_type_1_is_not_assignable_to_the_same_property_in_base_type_2, symbolToString2(declaredProp), typeToString(typeWithThis), typeToString(baseWithThis) ); if (!checkTypeAssignableTo( getTypeOfSymbol(prop), getTypeOfSymbol(baseProp), member.name || member, /*headMessage*/ void 0, rootChain )) { issuedMemberError = true; } } } } if (!issuedMemberError) { checkTypeAssignableTo(typeWithThis, baseWithThis, node.name || node, broadDiag); } } function checkBaseTypeAccessibility(type, node) { const signatures = getSignaturesOfType( type, 1 /* Construct */ ); if (signatures.length) { const declaration = signatures[0].declaration; if (declaration && hasEffectiveModifier( declaration, 2 /* Private */ )) { const typeClassDeclaration = getClassLikeDeclarationOfSymbol(type.symbol); if (!isNodeWithinClass(node, typeClassDeclaration)) { error2(node, Diagnostics.Cannot_extend_a_class_0_Class_constructor_is_marked_as_private, getFullyQualifiedName(type.symbol)); } } } } function getMemberOverrideModifierStatus(node, member, memberSymbol) { if (!member.name) { return 0; } const classSymbol = getSymbolOfDeclaration(node); const type = getDeclaredTypeOfSymbol(classSymbol); const typeWithThis = getTypeWithThisArgument(type); const staticType = getTypeOfSymbol(classSymbol); const baseTypeNode = getEffectiveBaseTypeNode(node); const baseTypes = baseTypeNode && getBaseTypes(type); const baseWithThis = (baseTypes == null ? void 0 : baseTypes.length) ? getTypeWithThisArgument(first(baseTypes), type.thisType) : void 0; const baseStaticType = getBaseConstructorTypeOfClass(type); const memberHasOverrideModifier = member.parent ? hasOverrideModifier(member) : hasSyntacticModifier( member, 16 /* Override */ ); return checkMemberForOverrideModifier( node, staticType, baseStaticType, baseWithThis, type, typeWithThis, memberHasOverrideModifier, hasAbstractModifier(member), isStatic(member), /*memberIsParameterProperty*/ false, symbolName(memberSymbol) ); } function getTargetSymbol(s) { return getCheckFlags(s) & 1 ? s.links.target : s; } function getClassOrInterfaceDeclarationsOfSymbol(symbol) { return filter( symbol.declarations, (d) => d.kind === 263 || d.kind === 264 /* InterfaceDeclaration */ ); } function checkKindsOfPropertyMemberOverrides(type, baseType) { var _a, _b, _c, _d, _e; const baseProperties = getPropertiesOfType(baseType); const notImplementedInfo = /* @__PURE__ */ new Map(); basePropertyCheck: for (const baseProperty of baseProperties) { const base = getTargetSymbol(baseProperty); if (base.flags & 4194304) { continue; } const baseSymbol = getPropertyOfObjectType(type, base.escapedName); if (!baseSymbol) { continue; } const derived = getTargetSymbol(baseSymbol); const baseDeclarationFlags = getDeclarationModifierFlagsFromSymbol(base); Debug.assert(!!derived, "derived should point to something, even if it is the base class' declaration."); if (derived === base) { const derivedClassDecl = getClassLikeDeclarationOfSymbol(type.symbol); if (baseDeclarationFlags & 64 && (!derivedClassDecl || !hasSyntacticModifier( derivedClassDecl, 64 /* Abstract */ ))) { for (const otherBaseType of getBaseTypes(type)) { if (otherBaseType === baseType) continue; const baseSymbol2 = getPropertyOfObjectType(otherBaseType, base.escapedName); const derivedElsewhere = baseSymbol2 && getTargetSymbol(baseSymbol2); if (derivedElsewhere && derivedElsewhere !== base) { continue basePropertyCheck; } } const baseTypeName = typeToString(baseType); const typeName = typeToString(type); const basePropertyName = symbolToString2(baseProperty); const missedProperties = append((_a = notImplementedInfo.get(derivedClassDecl)) == null ? void 0 : _a.missedProperties, basePropertyName); notImplementedInfo.set(derivedClassDecl, { baseTypeName, typeName, missedProperties }); } } else { const derivedDeclarationFlags = getDeclarationModifierFlagsFromSymbol(derived); if (baseDeclarationFlags & 2 || derivedDeclarationFlags & 2) { continue; } let errorMessage; const basePropertyFlags = base.flags & 98308; const derivedPropertyFlags = derived.flags & 98308; if (basePropertyFlags && derivedPropertyFlags) { if ((getCheckFlags(base) & 6 ? (_b = base.declarations) == null ? void 0 : _b.some((d) => isPropertyAbstractOrInterface(d, baseDeclarationFlags)) : (_c = base.declarations) == null ? void 0 : _c.every((d) => isPropertyAbstractOrInterface(d, baseDeclarationFlags))) || getCheckFlags(base) & 262144 || derived.valueDeclaration && isBinaryExpression(derived.valueDeclaration)) { continue; } const overriddenInstanceProperty = basePropertyFlags !== 4 && derivedPropertyFlags === 4; const overriddenInstanceAccessor = basePropertyFlags === 4 && derivedPropertyFlags !== 4; if (overriddenInstanceProperty || overriddenInstanceAccessor) { const errorMessage2 = overriddenInstanceProperty ? Diagnostics._0_is_defined_as_an_accessor_in_class_1_but_is_overridden_here_in_2_as_an_instance_property : Diagnostics._0_is_defined_as_a_property_in_class_1_but_is_overridden_here_in_2_as_an_accessor; error2(getNameOfDeclaration(derived.valueDeclaration) || derived.valueDeclaration, errorMessage2, symbolToString2(base), typeToString(baseType), typeToString(type)); } else if (useDefineForClassFields) { const uninitialized = (_d = derived.declarations) == null ? void 0 : _d.find((d) => d.kind === 172 && !d.initializer); if (uninitialized && !(derived.flags & 33554432) && !(baseDeclarationFlags & 64) && !(derivedDeclarationFlags & 64) && !((_e = derived.declarations) == null ? void 0 : _e.some((d) => !!(d.flags & 33554432)))) { const constructor = findConstructorDeclaration(getClassLikeDeclarationOfSymbol(type.symbol)); const propName = uninitialized.name; if (uninitialized.exclamationToken || !constructor || !isIdentifier(propName) || !strictNullChecks || !isPropertyInitializedInConstructor(propName, type, constructor)) { const errorMessage2 = Diagnostics.Property_0_will_overwrite_the_base_property_in_1_If_this_is_intentional_add_an_initializer_Otherwise_add_a_declare_modifier_or_remove_the_redundant_declaration; error2(getNameOfDeclaration(derived.valueDeclaration) || derived.valueDeclaration, errorMessage2, symbolToString2(base), typeToString(baseType)); } } } continue; } else if (isPrototypeProperty2(base)) { if (isPrototypeProperty2(derived) || derived.flags & 4) { continue; } else { Debug.assert(!!(derived.flags & 98304)); errorMessage = Diagnostics.Class_0_defines_instance_member_function_1_but_extended_class_2_defines_it_as_instance_member_accessor; } } else if (base.flags & 98304) { errorMessage = Diagnostics.Class_0_defines_instance_member_accessor_1_but_extended_class_2_defines_it_as_instance_member_function; } else { errorMessage = Diagnostics.Class_0_defines_instance_member_property_1_but_extended_class_2_defines_it_as_instance_member_function; } error2(getNameOfDeclaration(derived.valueDeclaration) || derived.valueDeclaration, errorMessage, typeToString(baseType), symbolToString2(base), typeToString(type)); } } for (const [errorNode, memberInfo] of notImplementedInfo) { if (length(memberInfo.missedProperties) === 1) { if (isClassExpression(errorNode)) { error2(errorNode, Diagnostics.Non_abstract_class_expression_does_not_implement_inherited_abstract_member_0_from_class_1, first(memberInfo.missedProperties), memberInfo.baseTypeName); } else { error2(errorNode, Diagnostics.Non_abstract_class_0_does_not_implement_inherited_abstract_member_1_from_class_2, memberInfo.typeName, first(memberInfo.missedProperties), memberInfo.baseTypeName); } } else if (length(memberInfo.missedProperties) > 5) { const missedProperties = map(memberInfo.missedProperties.slice(0, 4), (prop) => `'${prop}'`).join(", "); const remainingMissedProperties = length(memberInfo.missedProperties) - 4; if (isClassExpression(errorNode)) { error2(errorNode, Diagnostics.Non_abstract_class_expression_is_missing_implementations_for_the_following_members_of_0_Colon_1_and_2_more, memberInfo.baseTypeName, missedProperties, remainingMissedProperties); } else { error2(errorNode, Diagnostics.Non_abstract_class_0_is_missing_implementations_for_the_following_members_of_1_Colon_2_and_3_more, memberInfo.typeName, memberInfo.baseTypeName, missedProperties, remainingMissedProperties); } } else { const missedProperties = map(memberInfo.missedProperties, (prop) => `'${prop}'`).join(", "); if (isClassExpression(errorNode)) { error2(errorNode, Diagnostics.Non_abstract_class_expression_is_missing_implementations_for_the_following_members_of_0_Colon_1, memberInfo.baseTypeName, missedProperties); } else { error2(errorNode, Diagnostics.Non_abstract_class_0_is_missing_implementations_for_the_following_members_of_1_Colon_2, memberInfo.typeName, memberInfo.baseTypeName, missedProperties); } } } } function isPropertyAbstractOrInterface(declaration, baseDeclarationFlags) { return baseDeclarationFlags & 64 && (!isPropertyDeclaration(declaration) || !declaration.initializer) || isInterfaceDeclaration(declaration.parent); } function getNonInheritedProperties(type, baseTypes, properties) { if (!length(baseTypes)) { return properties; } const seen = /* @__PURE__ */ new Map(); forEach(properties, (p) => { seen.set(p.escapedName, p); }); for (const base of baseTypes) { const properties2 = getPropertiesOfType(getTypeWithThisArgument(base, type.thisType)); for (const prop of properties2) { const existing = seen.get(prop.escapedName); if (existing && prop.parent === existing.parent) { seen.delete(prop.escapedName); } } } return arrayFrom(seen.values()); } function checkInheritedPropertiesAreIdentical(type, typeNode) { const baseTypes = getBaseTypes(type); if (baseTypes.length < 2) { return true; } const seen = /* @__PURE__ */ new Map(); forEach(resolveDeclaredMembers(type).declaredProperties, (p) => { seen.set(p.escapedName, { prop: p, containingType: type }); }); let ok = true; for (const base of baseTypes) { const properties = getPropertiesOfType(getTypeWithThisArgument(base, type.thisType)); for (const prop of properties) { const existing = seen.get(prop.escapedName); if (!existing) { seen.set(prop.escapedName, { prop, containingType: base }); } else { const isInheritedProperty = existing.containingType !== type; if (isInheritedProperty && !isPropertyIdenticalTo(existing.prop, prop)) { ok = false; const typeName1 = typeToString(existing.containingType); const typeName2 = typeToString(base); let errorInfo = chainDiagnosticMessages( /*details*/ void 0, Diagnostics.Named_property_0_of_types_1_and_2_are_not_identical, symbolToString2(prop), typeName1, typeName2 ); errorInfo = chainDiagnosticMessages(errorInfo, Diagnostics.Interface_0_cannot_simultaneously_extend_types_1_and_2, typeToString(type), typeName1, typeName2); diagnostics.add(createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(typeNode), typeNode, errorInfo)); } } } } return ok; } function checkPropertyInitialization(node) { if (!strictNullChecks || !strictPropertyInitialization || node.flags & 33554432) { return; } const constructor = findConstructorDeclaration(node); for (const member of node.members) { if (getEffectiveModifierFlags(member) & 128) { continue; } if (!isStatic(member) && isPropertyWithoutInitializer(member)) { const propName = member.name; if (isIdentifier(propName) || isPrivateIdentifier(propName) || isComputedPropertyName(propName)) { const type = getTypeOfSymbol(getSymbolOfDeclaration(member)); if (!(type.flags & 3 || containsUndefinedType(type))) { if (!constructor || !isPropertyInitializedInConstructor(propName, type, constructor)) { error2(member.name, Diagnostics.Property_0_has_no_initializer_and_is_not_definitely_assigned_in_the_constructor, declarationNameToString(propName)); } } } } } } function isPropertyWithoutInitializer(node) { return node.kind === 172 && !hasAbstractModifier(node) && !node.exclamationToken && !node.initializer; } function isPropertyInitializedInStaticBlocks(propName, propType, staticBlocks, startPos, endPos) { for (const staticBlock of staticBlocks) { if (staticBlock.pos >= startPos && staticBlock.pos <= endPos) { const reference = factory.createPropertyAccessExpression(factory.createThis(), propName); setParent(reference.expression, reference); setParent(reference, staticBlock); reference.flowNode = staticBlock.returnFlowNode; const flowType = getFlowTypeOfReference(reference, propType, getOptionalType(propType)); if (!containsUndefinedType(flowType)) { return true; } } } return false; } function isPropertyInitializedInConstructor(propName, propType, constructor) { const reference = isComputedPropertyName(propName) ? factory.createElementAccessExpression(factory.createThis(), propName.expression) : factory.createPropertyAccessExpression(factory.createThis(), propName); setParent(reference.expression, reference); setParent(reference, constructor); reference.flowNode = constructor.returnFlowNode; const flowType = getFlowTypeOfReference(reference, propType, getOptionalType(propType)); return !containsUndefinedType(flowType); } function checkInterfaceDeclaration(node) { if (!checkGrammarModifiers(node)) checkGrammarInterfaceDeclaration(node); checkTypeParameters(node.typeParameters); addLazyDiagnostic(() => { checkTypeNameIsReserved(node.name, Diagnostics.Interface_name_cannot_be_0); checkExportsOnMergedDeclarations(node); const symbol = getSymbolOfDeclaration(node); checkTypeParameterListsIdentical(symbol); const firstInterfaceDecl = getDeclarationOfKind( symbol, 264 /* InterfaceDeclaration */ ); if (node === firstInterfaceDecl) { const type = getDeclaredTypeOfSymbol(symbol); const typeWithThis = getTypeWithThisArgument(type); if (checkInheritedPropertiesAreIdentical(type, node.name)) { for (const baseType of getBaseTypes(type)) { checkTypeAssignableTo(typeWithThis, getTypeWithThisArgument(baseType, type.thisType), node.name, Diagnostics.Interface_0_incorrectly_extends_interface_1); } checkIndexConstraints(type, symbol); } } checkObjectTypeForDuplicateDeclarations(node); }); forEach(getInterfaceBaseTypeNodes(node), (heritageElement) => { if (!isEntityNameExpression(heritageElement.expression) || isOptionalChain(heritageElement.expression)) { error2(heritageElement.expression, Diagnostics.An_interface_can_only_extend_an_identifier_Slashqualified_name_with_optional_type_arguments); } checkTypeReferenceNode(heritageElement); }); forEach(node.members, checkSourceElement); addLazyDiagnostic(() => { checkTypeForDuplicateIndexSignatures(node); registerForUnusedIdentifiersCheck(node); }); } function checkTypeAliasDeclaration(node) { checkGrammarModifiers(node); checkTypeNameIsReserved(node.name, Diagnostics.Type_alias_name_cannot_be_0); checkExportsOnMergedDeclarations(node); checkTypeParameters(node.typeParameters); if (node.type.kind === 141) { if (!intrinsicTypeKinds.has(node.name.escapedText) || length(node.typeParameters) !== 1) { error2(node.type, Diagnostics.The_intrinsic_keyword_can_only_be_used_to_declare_compiler_provided_intrinsic_types); } } else { checkSourceElement(node.type); registerForUnusedIdentifiersCheck(node); } } function computeEnumMemberValues(node) { const nodeLinks2 = getNodeLinks(node); if (!(nodeLinks2.flags & 1024)) { nodeLinks2.flags |= 1024; let autoValue = 0; let previous; for (const member of node.members) { const result = computeEnumMemberValue(member, autoValue, previous); getNodeLinks(member).enumMemberValue = result; autoValue = typeof result.value === "number" ? result.value + 1 : void 0; previous = member; } } } function computeEnumMemberValue(member, autoValue, previous) { if (isComputedNonLiteralName(member.name)) { error2(member.name, Diagnostics.Computed_property_names_are_not_allowed_in_enums); } else { const text = getTextOfPropertyName(member.name); if (isNumericLiteralName(text) && !isInfinityOrNaNString(text)) { error2(member.name, Diagnostics.An_enum_member_cannot_have_a_numeric_name); } } if (member.initializer) { return computeConstantEnumMemberValue(member); } if (member.parent.flags & 33554432 && !isEnumConst(member.parent)) { return evaluatorResult( /*value*/ void 0 ); } if (autoValue === void 0) { error2(member.name, Diagnostics.Enum_member_must_have_initializer); return evaluatorResult( /*value*/ void 0 ); } if (getIsolatedModules(compilerOptions) && (previous == null ? void 0 : previous.initializer)) { const prevValue = getEnumMemberValue(previous); if (!(typeof prevValue.value === "number" && !prevValue.resolvedOtherFiles)) { error2( member.name, Diagnostics.Enum_member_following_a_non_literal_numeric_member_must_have_an_initializer_when_isolatedModules_is_enabled ); } } return evaluatorResult(autoValue); } function computeConstantEnumMemberValue(member) { const isConstEnum = isEnumConst(member.parent); const initializer = member.initializer; const result = evaluate(initializer, member); if (result.value !== void 0) { if (isConstEnum && typeof result.value === "number" && !isFinite(result.value)) { error2( initializer, isNaN(result.value) ? Diagnostics.const_enum_member_initializer_was_evaluated_to_disallowed_value_NaN : Diagnostics.const_enum_member_initializer_was_evaluated_to_a_non_finite_value ); } else if (getIsolatedModules(compilerOptions) && typeof result.value === "string" && !result.isSyntacticallyString) { error2( initializer, Diagnostics._0_has_a_string_type_but_must_have_syntactically_recognizable_string_syntax_when_isolatedModules_is_enabled, `${idText(member.parent.name)}.${getTextOfPropertyName(member.name)}` ); } } else if (isConstEnum) { error2(initializer, Diagnostics.const_enum_member_initializers_must_be_constant_expressions); } else if (member.parent.flags & 33554432) { error2(initializer, Diagnostics.In_ambient_enum_declarations_member_initializer_must_be_constant_expression); } else { checkTypeAssignableTo(checkExpression(initializer), numberType2, initializer, Diagnostics.Type_0_is_not_assignable_to_type_1_as_required_for_computed_enum_member_values); } return result; } function evaluateEntityNameExpression(expr, location) { const symbol = resolveEntityName( expr, 111551, /*ignoreErrors*/ true ); if (!symbol) return evaluatorResult( /*value*/ void 0 ); if (expr.kind === 80) { const identifier = expr; if (isInfinityOrNaNString(identifier.escapedText) && symbol === getGlobalSymbol( identifier.escapedText, 111551, /*diagnostic*/ void 0 )) { return evaluatorResult( +identifier.escapedText, /*isSyntacticallyString*/ false ); } } if (symbol.flags & 8) { return location ? evaluateEnumMember(expr, symbol, location) : getEnumMemberValue(symbol.valueDeclaration); } if (isConstantVariable(symbol)) { const declaration = symbol.valueDeclaration; if (declaration && isVariableDeclaration(declaration) && !declaration.type && declaration.initializer && (!location || declaration !== location && isBlockScopedNameDeclaredBeforeUse(declaration, location))) { const result = evaluate(declaration.initializer, declaration); if (location && getSourceFileOfNode(location) !== getSourceFileOfNode(declaration)) { return evaluatorResult( result.value, /*isSyntacticallyString*/ false, /*resolvedOtherFiles*/ true, /*hasExternalReferences*/ true ); } return evaluatorResult( result.value, result.isSyntacticallyString, result.resolvedOtherFiles, /*hasExternalReferences*/ true ); } } return evaluatorResult( /*value*/ void 0 ); } function evaluateElementAccessExpression(expr, location) { const root2 = expr.expression; if (isEntityNameExpression(root2) && isStringLiteralLike(expr.argumentExpression)) { const rootSymbol = resolveEntityName( root2, 111551, /*ignoreErrors*/ true ); if (rootSymbol && rootSymbol.flags & 384) { const name = escapeLeadingUnderscores(expr.argumentExpression.text); const member = rootSymbol.exports.get(name); if (member) { Debug.assert(getSourceFileOfNode(member.valueDeclaration) === getSourceFileOfNode(rootSymbol.valueDeclaration)); return location ? evaluateEnumMember(expr, member, location) : getEnumMemberValue(member.valueDeclaration); } } } return evaluatorResult( /*value*/ void 0 ); } function evaluateEnumMember(expr, symbol, location) { const declaration = symbol.valueDeclaration; if (!declaration || declaration === location) { error2(expr, Diagnostics.Property_0_is_used_before_being_assigned, symbolToString2(symbol)); return evaluatorResult( /*value*/ void 0 ); } if (!isBlockScopedNameDeclaredBeforeUse(declaration, location)) { error2(expr, Diagnostics.A_member_initializer_in_a_enum_declaration_cannot_reference_members_declared_after_it_including_members_defined_in_other_enums); return evaluatorResult( /*value*/ 0 ); } const value = getEnumMemberValue(declaration); if (location.parent !== declaration.parent) { return evaluatorResult( value.value, value.isSyntacticallyString, value.resolvedOtherFiles, /*hasExternalReferences*/ true ); } return value; } function checkEnumDeclaration(node) { addLazyDiagnostic(() => checkEnumDeclarationWorker(node)); } function checkEnumDeclarationWorker(node) { checkGrammarModifiers(node); checkCollisionsForDeclarationName(node, node.name); checkExportsOnMergedDeclarations(node); node.members.forEach(checkEnumMember); computeEnumMemberValues(node); const enumSymbol = getSymbolOfDeclaration(node); const firstDeclaration = getDeclarationOfKind(enumSymbol, node.kind); if (node === firstDeclaration) { if (enumSymbol.declarations && enumSymbol.declarations.length > 1) { const enumIsConst = isEnumConst(node); forEach(enumSymbol.declarations, (decl) => { if (isEnumDeclaration(decl) && isEnumConst(decl) !== enumIsConst) { error2(getNameOfDeclaration(decl), Diagnostics.Enum_declarations_must_all_be_const_or_non_const); } }); } let seenEnumMissingInitialInitializer = false; forEach(enumSymbol.declarations, (declaration) => { if (declaration.kind !== 266) { return false; } const enumDeclaration = declaration; if (!enumDeclaration.members.length) { return false; } const firstEnumMember = enumDeclaration.members[0]; if (!firstEnumMember.initializer) { if (seenEnumMissingInitialInitializer) { error2(firstEnumMember.name, Diagnostics.In_an_enum_with_multiple_declarations_only_one_declaration_can_omit_an_initializer_for_its_first_enum_element); } else { seenEnumMissingInitialInitializer = true; } } }); } } function checkEnumMember(node) { if (isPrivateIdentifier(node.name)) { error2(node, Diagnostics.An_enum_member_cannot_be_named_with_a_private_identifier); } if (node.initializer) { checkExpression(node.initializer); } } function getFirstNonAmbientClassOrFunctionDeclaration(symbol) { const declarations = symbol.declarations; if (declarations) { for (const declaration of declarations) { if ((declaration.kind === 263 || declaration.kind === 262 && nodeIsPresent(declaration.body)) && !(declaration.flags & 33554432)) { return declaration; } } } return void 0; } function inSameLexicalScope(node1, node2) { const container1 = getEnclosingBlockScopeContainer(node1); const container2 = getEnclosingBlockScopeContainer(node2); if (isGlobalSourceFile(container1)) { return isGlobalSourceFile(container2); } else if (isGlobalSourceFile(container2)) { return false; } else { return container1 === container2; } } function checkModuleDeclaration(node) { if (node.body) { checkSourceElement(node.body); if (!isGlobalScopeAugmentation(node)) { registerForUnusedIdentifiersCheck(node); } } addLazyDiagnostic(checkModuleDeclarationDiagnostics); function checkModuleDeclarationDiagnostics() { var _a, _b; const isGlobalAugmentation = isGlobalScopeAugmentation(node); const inAmbientContext = node.flags & 33554432; if (isGlobalAugmentation && !inAmbientContext) { error2(node.name, Diagnostics.Augmentations_for_the_global_scope_should_have_declare_modifier_unless_they_appear_in_already_ambient_context); } const isAmbientExternalModule = isAmbientModule(node); const contextErrorMessage = isAmbientExternalModule ? Diagnostics.An_ambient_module_declaration_is_only_allowed_at_the_top_level_in_a_file : Diagnostics.A_namespace_declaration_is_only_allowed_at_the_top_level_of_a_namespace_or_module; if (checkGrammarModuleElementContext(node, contextErrorMessage)) { return; } if (!checkGrammarModifiers(node)) { if (!inAmbientContext && node.name.kind === 11) { grammarErrorOnNode(node.name, Diagnostics.Only_ambient_modules_can_use_quoted_names); } } if (isIdentifier(node.name)) { checkCollisionsForDeclarationName(node, node.name); } checkExportsOnMergedDeclarations(node); const symbol = getSymbolOfDeclaration(node); if (symbol.flags & 512 && !inAmbientContext && isInstantiatedModule(node, shouldPreserveConstEnums(compilerOptions))) { if (getIsolatedModules(compilerOptions) && !getSourceFileOfNode(node).externalModuleIndicator) { error2(node.name, Diagnostics.Namespaces_are_not_allowed_in_global_script_files_when_0_is_enabled_If_this_file_is_not_intended_to_be_a_global_script_set_moduleDetection_to_force_or_add_an_empty_export_statement, isolatedModulesLikeFlagName); } if (((_a = symbol.declarations) == null ? void 0 : _a.length) > 1) { const firstNonAmbientClassOrFunc = getFirstNonAmbientClassOrFunctionDeclaration(symbol); if (firstNonAmbientClassOrFunc) { if (getSourceFileOfNode(node) !== getSourceFileOfNode(firstNonAmbientClassOrFunc)) { error2(node.name, Diagnostics.A_namespace_declaration_cannot_be_in_a_different_file_from_a_class_or_function_with_which_it_is_merged); } else if (node.pos < firstNonAmbientClassOrFunc.pos) { error2(node.name, Diagnostics.A_namespace_declaration_cannot_be_located_prior_to_a_class_or_function_with_which_it_is_merged); } } const mergedClass = getDeclarationOfKind( symbol, 263 /* ClassDeclaration */ ); if (mergedClass && inSameLexicalScope(node, mergedClass)) { getNodeLinks(node).flags |= 2048; } } if (compilerOptions.verbatimModuleSyntax && node.parent.kind === 307 && (moduleKind === 1 || node.parent.impliedNodeFormat === 1)) { const exportModifier = (_b = node.modifiers) == null ? void 0 : _b.find( (m) => m.kind === 95 /* ExportKeyword */ ); if (exportModifier) { error2(exportModifier, Diagnostics.A_top_level_export_modifier_cannot_be_used_on_value_declarations_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled); } } } if (isAmbientExternalModule) { if (isExternalModuleAugmentation(node)) { const checkBody = isGlobalAugmentation || getSymbolOfDeclaration(node).flags & 33554432; if (checkBody && node.body) { for (const statement of node.body.statements) { checkModuleAugmentationElement(statement, isGlobalAugmentation); } } } else if (isGlobalSourceFile(node.parent)) { if (isGlobalAugmentation) { error2(node.name, Diagnostics.Augmentations_for_the_global_scope_can_only_be_directly_nested_in_external_modules_or_ambient_module_declarations); } else if (isExternalModuleNameRelative(getTextOfIdentifierOrLiteral(node.name))) { error2(node.name, Diagnostics.Ambient_module_declaration_cannot_specify_relative_module_name); } } else { if (isGlobalAugmentation) { error2(node.name, Diagnostics.Augmentations_for_the_global_scope_can_only_be_directly_nested_in_external_modules_or_ambient_module_declarations); } else { error2(node.name, Diagnostics.Ambient_modules_cannot_be_nested_in_other_modules_or_namespaces); } } } } } function checkModuleAugmentationElement(node, isGlobalAugmentation) { switch (node.kind) { case 243: for (const decl of node.declarationList.declarations) { checkModuleAugmentationElement(decl, isGlobalAugmentation); } break; case 277: case 278: grammarErrorOnFirstToken(node, Diagnostics.Exports_and_export_assignments_are_not_permitted_in_module_augmentations); break; case 271: case 272: grammarErrorOnFirstToken(node, Diagnostics.Imports_are_not_permitted_in_module_augmentations_Consider_moving_them_to_the_enclosing_external_module); break; case 208: case 260: const name = node.name; if (isBindingPattern(name)) { for (const el of name.elements) { checkModuleAugmentationElement(el, isGlobalAugmentation); } break; } case 263: case 266: case 262: case 264: case 267: case 265: if (isGlobalAugmentation) { return; } break; } } function getFirstNonModuleExportsIdentifier(node) { switch (node.kind) { case 80: return node; case 166: do { node = node.left; } while (node.kind !== 80); return node; case 211: do { if (isModuleExportsAccessExpression(node.expression) && !isPrivateIdentifier(node.name)) { return node.name; } node = node.expression; } while (node.kind !== 80); return node; } } function checkExternalImportOrExportDeclaration(node) { const moduleName = getExternalModuleName(node); if (!moduleName || nodeIsMissing(moduleName)) { return false; } if (!isStringLiteral2(moduleName)) { error2(moduleName, Diagnostics.String_literal_expected); return false; } const inAmbientExternalModule = node.parent.kind === 268 && isAmbientModule(node.parent.parent); if (node.parent.kind !== 307 && !inAmbientExternalModule) { error2( moduleName, node.kind === 278 ? Diagnostics.Export_declarations_are_not_permitted_in_a_namespace : Diagnostics.Import_declarations_in_a_namespace_cannot_reference_a_module ); return false; } if (inAmbientExternalModule && isExternalModuleNameRelative(moduleName.text)) { if (!isTopLevelInExternalModuleAugmentation(node)) { error2(node, Diagnostics.Import_or_export_declaration_in_an_ambient_module_declaration_cannot_reference_module_through_relative_module_name); return false; } } if (!isImportEqualsDeclaration(node) && node.attributes) { const diagnostic = node.attributes.token === 118 ? Diagnostics.Import_attribute_values_must_be_string_literal_expressions : Diagnostics.Import_assertion_values_must_be_string_literal_expressions; let hasError = false; for (const attr of node.attributes.elements) { if (!isStringLiteral2(attr.value)) { hasError = true; error2(attr.value, diagnostic); } } return !hasError; } return true; } function checkAliasSymbol(node) { var _a, _b, _c, _d; let symbol = getSymbolOfDeclaration(node); const target = resolveAlias(symbol); if (target !== unknownSymbol) { symbol = getMergedSymbol(symbol.exportSymbol || symbol); if (isInJSFile(node) && !(target.flags & 111551) && !isTypeOnlyImportOrExportDeclaration(node)) { const errorNode = isImportOrExportSpecifier(node) ? node.propertyName || node.name : isNamedDeclaration(node) ? node.name : node; Debug.assert( node.kind !== 280 /* NamespaceExport */ ); if (node.kind === 281) { const diag2 = error2(errorNode, Diagnostics.Types_cannot_appear_in_export_declarations_in_JavaScript_files); const alreadyExportedSymbol = (_b = (_a = getSourceFileOfNode(node).symbol) == null ? void 0 : _a.exports) == null ? void 0 : _b.get((node.propertyName || node.name).escapedText); if (alreadyExportedSymbol === target) { const exportingDeclaration = (_c = alreadyExportedSymbol.declarations) == null ? void 0 : _c.find(isJSDocNode); if (exportingDeclaration) { addRelatedInfo( diag2, createDiagnosticForNode( exportingDeclaration, Diagnostics._0_is_automatically_exported_here, unescapeLeadingUnderscores(alreadyExportedSymbol.escapedName) ) ); } } } else { Debug.assert( node.kind !== 260 /* VariableDeclaration */ ); const importDeclaration = findAncestor(node, or(isImportDeclaration, isImportEqualsDeclaration)); const moduleSpecifier = (importDeclaration && ((_d = tryGetModuleSpecifierFromDeclaration(importDeclaration)) == null ? void 0 : _d.text)) ?? "..."; const importedIdentifier = unescapeLeadingUnderscores(isIdentifier(errorNode) ? errorNode.escapedText : symbol.escapedName); error2( errorNode, Diagnostics._0_is_a_type_and_cannot_be_imported_in_JavaScript_files_Use_1_in_a_JSDoc_type_annotation, importedIdentifier, `import("${moduleSpecifier}").${importedIdentifier}` ); } return; } const targetFlags = getSymbolFlags(target); const excludedMeanings = (symbol.flags & (111551 | 1048576) ? 111551 : 0) | (symbol.flags & 788968 ? 788968 : 0) | (symbol.flags & 1920 ? 1920 : 0); if (targetFlags & excludedMeanings) { const message = node.kind === 281 ? Diagnostics.Export_declaration_conflicts_with_exported_declaration_of_0 : Diagnostics.Import_declaration_conflicts_with_local_declaration_of_0; error2(node, message, symbolToString2(symbol)); } else if (node.kind !== 281) { const appearsValueyToTranspiler = compilerOptions.isolatedModules && !findAncestor(node, isTypeOnlyImportOrExportDeclaration); if (appearsValueyToTranspiler && symbol.flags & (111551 | 1048576)) { error2( node, Diagnostics.Import_0_conflicts_with_local_value_so_must_be_declared_with_a_type_only_import_when_isolatedModules_is_enabled, symbolToString2(symbol), isolatedModulesLikeFlagName ); } } if (getIsolatedModules(compilerOptions) && !isTypeOnlyImportOrExportDeclaration(node) && !(node.flags & 33554432)) { const typeOnlyAlias = getTypeOnlyAliasDeclaration(symbol); const isType = !(targetFlags & 111551); if (isType || typeOnlyAlias) { switch (node.kind) { case 273: case 276: case 271: { if (compilerOptions.verbatimModuleSyntax) { Debug.assertIsDefined(node.name, "An ImportClause with a symbol should have a name"); const message = compilerOptions.verbatimModuleSyntax && isInternalModuleImportEqualsDeclaration(node) ? Diagnostics.An_import_alias_cannot_resolve_to_a_type_or_type_only_declaration_when_verbatimModuleSyntax_is_enabled : isType ? Diagnostics._0_is_a_type_and_must_be_imported_using_a_type_only_import_when_verbatimModuleSyntax_is_enabled : Diagnostics._0_resolves_to_a_type_only_declaration_and_must_be_imported_using_a_type_only_import_when_verbatimModuleSyntax_is_enabled; const name = idText(node.kind === 276 ? node.propertyName || node.name : node.name); addTypeOnlyDeclarationRelatedInfo( error2(node, message, name), isType ? void 0 : typeOnlyAlias, name ); } if (isType && node.kind === 271 && hasEffectiveModifier( node, 32 /* Export */ )) { error2(node, Diagnostics.Cannot_use_export_import_on_a_type_or_type_only_namespace_when_0_is_enabled, isolatedModulesLikeFlagName); } break; } case 281: { if (compilerOptions.verbatimModuleSyntax || getSourceFileOfNode(typeOnlyAlias) !== getSourceFileOfNode(node)) { const name = idText(node.propertyName || node.name); const diagnostic = isType ? error2(node, Diagnostics.Re_exporting_a_type_when_0_is_enabled_requires_using_export_type, isolatedModulesLikeFlagName) : error2(node, Diagnostics._0_resolves_to_a_type_only_declaration_and_must_be_re_exported_using_a_type_only_re_export_when_1_is_enabled, name, isolatedModulesLikeFlagName); addTypeOnlyDeclarationRelatedInfo(diagnostic, isType ? void 0 : typeOnlyAlias, name); break; } } } } if (compilerOptions.verbatimModuleSyntax && node.kind !== 271 && !isInJSFile(node) && (moduleKind === 1 || getSourceFileOfNode(node).impliedNodeFormat === 1)) { error2(node, Diagnostics.ESM_syntax_is_not_allowed_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled); } } if (isImportSpecifier(node)) { const targetSymbol = resolveAliasWithDeprecationCheck(symbol, node); if (isDeprecatedSymbol(targetSymbol) && targetSymbol.declarations) { addDeprecatedSuggestion(node, targetSymbol.declarations, targetSymbol.escapedName); } } } } function resolveAliasWithDeprecationCheck(symbol, location) { if (!(symbol.flags & 2097152) || isDeprecatedSymbol(symbol) || !getDeclarationOfAliasSymbol(symbol)) { return symbol; } const targetSymbol = resolveAlias(symbol); if (targetSymbol === unknownSymbol) return targetSymbol; while (symbol.flags & 2097152) { const target = getImmediateAliasedSymbol(symbol); if (target) { if (target === targetSymbol) break; if (target.declarations && length(target.declarations)) { if (isDeprecatedSymbol(target)) { addDeprecatedSuggestion(location, target.declarations, target.escapedName); break; } else { if (symbol === targetSymbol) break; symbol = target; } } } else { break; } } return targetSymbol; } function checkImportBinding(node) { checkCollisionsForDeclarationName(node, node.name); checkAliasSymbol(node); if (node.kind === 276 && idText(node.propertyName || node.name) === "default" && getESModuleInterop(compilerOptions) && moduleKind !== 4 && (moduleKind < 5 || getSourceFileOfNode(node).impliedNodeFormat === 1)) { checkExternalEmitHelpers( node, 131072 /* ImportDefault */ ); } } function checkImportAttributes(declaration) { var _a; const node = declaration.attributes; if (node) { const importAttributesType = getGlobalImportAttributesType( /*reportErrors*/ true ); if (importAttributesType !== emptyObjectType) { checkTypeAssignableTo(getTypeFromImportAttributes(node), getNullableType( importAttributesType, 32768 /* Undefined */ ), node); } const validForTypeAttributes = isExclusivelyTypeOnlyImportOrExport(declaration); const override = getResolutionModeOverride(node, validForTypeAttributes ? grammarErrorOnNode : void 0); const isImportAttributes2 = declaration.attributes.token === 118; if (validForTypeAttributes && override) { return; } const mode = moduleKind === 199 && declaration.moduleSpecifier && getUsageModeForExpression(declaration.moduleSpecifier); if (mode !== 99 && moduleKind !== 99 && moduleKind !== 200) { const message = isImportAttributes2 ? moduleKind === 199 ? Diagnostics.Import_attributes_are_not_allowed_on_statements_that_compile_to_CommonJS_require_calls : Diagnostics.Import_attributes_are_only_supported_when_the_module_option_is_set_to_esnext_nodenext_or_preserve : moduleKind === 199 ? Diagnostics.Import_assertions_are_not_allowed_on_statements_that_compile_to_CommonJS_require_calls : Diagnostics.Import_assertions_are_only_supported_when_the_module_option_is_set_to_esnext_nodenext_or_preserve; return grammarErrorOnNode(node, message); } const isTypeOnly = isJSDocImportTag(declaration) || (isImportDeclaration(declaration) ? (_a = declaration.importClause) == null ? void 0 : _a.isTypeOnly : declaration.isTypeOnly); if (isTypeOnly) { return grammarErrorOnNode(node, isImportAttributes2 ? Diagnostics.Import_attributes_cannot_be_used_with_type_only_imports_or_exports : Diagnostics.Import_assertions_cannot_be_used_with_type_only_imports_or_exports); } if (override) { return grammarErrorOnNode(node, Diagnostics.resolution_mode_can_only_be_set_for_type_only_imports); } } } function checkImportAttribute(node) { return getRegularTypeOfLiteralType(checkExpressionCached(node.value)); } function checkImportDeclaration(node) { if (checkGrammarModuleElementContext(node, isInJSFile(node) ? Diagnostics.An_import_declaration_can_only_be_used_at_the_top_level_of_a_module : Diagnostics.An_import_declaration_can_only_be_used_at_the_top_level_of_a_namespace_or_module)) { return; } if (!checkGrammarModifiers(node) && node.modifiers) { grammarErrorOnFirstToken(node, Diagnostics.An_import_declaration_cannot_have_modifiers); } if (checkExternalImportOrExportDeclaration(node)) { const importClause = node.importClause; if (importClause && !checkGrammarImportClause(importClause)) { if (importClause.name) { checkImportBinding(importClause); } if (importClause.namedBindings) { if (importClause.namedBindings.kind === 274) { checkImportBinding(importClause.namedBindings); if (moduleKind !== 4 && (moduleKind < 5 || getSourceFileOfNode(node).impliedNodeFormat === 1) && getESModuleInterop(compilerOptions)) { checkExternalEmitHelpers( node, 65536 /* ImportStar */ ); } } else { const moduleExisted = resolveExternalModuleName(node, node.moduleSpecifier); if (moduleExisted) { forEach(importClause.namedBindings.elements, checkImportBinding); } } } } } checkImportAttributes(node); } function checkImportEqualsDeclaration(node) { if (checkGrammarModuleElementContext(node, isInJSFile(node) ? Diagnostics.An_import_declaration_can_only_be_used_at_the_top_level_of_a_module : Diagnostics.An_import_declaration_can_only_be_used_at_the_top_level_of_a_namespace_or_module)) { return; } checkGrammarModifiers(node); if (isInternalModuleImportEqualsDeclaration(node) || checkExternalImportOrExportDeclaration(node)) { checkImportBinding(node); markLinkedReferences( node, 6 /* ExportImportEquals */ ); if (node.moduleReference.kind !== 283) { const target = resolveAlias(getSymbolOfDeclaration(node)); if (target !== unknownSymbol) { const targetFlags = getSymbolFlags(target); if (targetFlags & 111551) { const moduleName = getFirstIdentifier(node.moduleReference); if (!(resolveEntityName( moduleName, 111551 | 1920 /* Namespace */ ).flags & 1920)) { error2(moduleName, Diagnostics.Module_0_is_hidden_by_a_local_declaration_with_the_same_name, declarationNameToString(moduleName)); } } if (targetFlags & 788968) { checkTypeNameIsReserved(node.name, Diagnostics.Import_name_cannot_be_0); } } if (node.isTypeOnly) { grammarErrorOnNode(node, Diagnostics.An_import_alias_cannot_use_import_type); } } else { if (moduleKind >= 5 && moduleKind !== 200 && getSourceFileOfNode(node).impliedNodeFormat === void 0 && !node.isTypeOnly && !(node.flags & 33554432)) { grammarErrorOnNode(node, Diagnostics.Import_assignment_cannot_be_used_when_targeting_ECMAScript_modules_Consider_using_import_Asterisk_as_ns_from_mod_import_a_from_mod_import_d_from_mod_or_another_module_format_instead); } } } } function checkExportDeclaration(node) { if (checkGrammarModuleElementContext(node, isInJSFile(node) ? Diagnostics.An_export_declaration_can_only_be_used_at_the_top_level_of_a_module : Diagnostics.An_export_declaration_can_only_be_used_at_the_top_level_of_a_namespace_or_module)) { return; } if (!checkGrammarModifiers(node) && hasSyntacticModifiers(node)) { grammarErrorOnFirstToken(node, Diagnostics.An_export_declaration_cannot_have_modifiers); } checkGrammarExportDeclaration(node); if (!node.moduleSpecifier || checkExternalImportOrExportDeclaration(node)) { if (node.exportClause && !isNamespaceExport(node.exportClause)) { forEach(node.exportClause.elements, checkExportSpecifier); const inAmbientExternalModule = node.parent.kind === 268 && isAmbientModule(node.parent.parent); const inAmbientNamespaceDeclaration = !inAmbientExternalModule && node.parent.kind === 268 && !node.moduleSpecifier && node.flags & 33554432; if (node.parent.kind !== 307 && !inAmbientExternalModule && !inAmbientNamespaceDeclaration) { error2(node, Diagnostics.Export_declarations_are_not_permitted_in_a_namespace); } } else { const moduleSymbol = resolveExternalModuleName(node, node.moduleSpecifier); if (moduleSymbol && hasExportAssignmentSymbol(moduleSymbol)) { error2(node.moduleSpecifier, Diagnostics.Module_0_uses_export_and_cannot_be_used_with_export_Asterisk, symbolToString2(moduleSymbol)); } else if (node.exportClause) { checkAliasSymbol(node.exportClause); } if (moduleKind !== 4 && (moduleKind < 5 || getSourceFileOfNode(node).impliedNodeFormat === 1)) { if (node.exportClause) { if (getESModuleInterop(compilerOptions)) { checkExternalEmitHelpers( node, 65536 /* ImportStar */ ); } } else { checkExternalEmitHelpers( node, 32768 /* ExportStar */ ); } } } } checkImportAttributes(node); } function checkGrammarExportDeclaration(node) { var _a; if (node.isTypeOnly && ((_a = node.exportClause) == null ? void 0 : _a.kind) === 279) { return checkGrammarNamedImportsOrExports(node.exportClause); } return false; } function checkGrammarModuleElementContext(node, errorMessage) { const isInAppropriateContext = node.parent.kind === 307 || node.parent.kind === 268 || node.parent.kind === 267; if (!isInAppropriateContext) { grammarErrorOnFirstToken(node, errorMessage); } return !isInAppropriateContext; } function checkExportSpecifier(node) { checkAliasSymbol(node); if (getEmitDeclarations(compilerOptions)) { collectLinkedAliases( node.propertyName || node.name, /*setVisibility*/ true ); } if (!node.parent.parent.moduleSpecifier) { const exportedName = node.propertyName || node.name; const symbol = resolveName( exportedName, exportedName.escapedText, 111551 | 788968 | 1920 | 2097152, /*nameNotFoundMessage*/ void 0, /*isUse*/ true ); if (symbol && (symbol === undefinedSymbol || symbol === globalThisSymbol || symbol.declarations && isGlobalSourceFile(getDeclarationContainer(symbol.declarations[0])))) { error2(exportedName, Diagnostics.Cannot_export_0_Only_local_declarations_can_be_exported_from_a_module, idText(exportedName)); } else { markLinkedReferences( node, 7 /* ExportSpecifier */ ); } } else { if (getESModuleInterop(compilerOptions) && moduleKind !== 4 && (moduleKind < 5 || getSourceFileOfNode(node).impliedNodeFormat === 1) && idText(node.propertyName || node.name) === "default") { checkExternalEmitHelpers( node, 131072 /* ImportDefault */ ); } } } function checkExportAssignment(node) { const illegalContextMessage = node.isExportEquals ? Diagnostics.An_export_assignment_must_be_at_the_top_level_of_a_file_or_module_declaration : Diagnostics.A_default_export_must_be_at_the_top_level_of_a_file_or_module_declaration; if (checkGrammarModuleElementContext(node, illegalContextMessage)) { return; } const container = node.parent.kind === 307 ? node.parent : node.parent.parent; if (container.kind === 267 && !isAmbientModule(container)) { if (node.isExportEquals) { error2(node, Diagnostics.An_export_assignment_cannot_be_used_in_a_namespace); } else { error2(node, Diagnostics.A_default_export_can_only_be_used_in_an_ECMAScript_style_module); } return; } if (!checkGrammarModifiers(node) && hasEffectiveModifiers(node)) { grammarErrorOnFirstToken(node, Diagnostics.An_export_assignment_cannot_have_modifiers); } const typeAnnotationNode = getEffectiveTypeAnnotationNode(node); if (typeAnnotationNode) { checkTypeAssignableTo(checkExpressionCached(node.expression), getTypeFromTypeNode(typeAnnotationNode), node.expression); } const isIllegalExportDefaultInCJS = !node.isExportEquals && !(node.flags & 33554432) && compilerOptions.verbatimModuleSyntax && (moduleKind === 1 || getSourceFileOfNode(node).impliedNodeFormat === 1); if (node.expression.kind === 80) { const id = node.expression; const sym = getExportSymbolOfValueSymbolIfExported(resolveEntityName( id, -1, /*ignoreErrors*/ true, /*dontResolveAlias*/ true, node )); if (sym) { markLinkedReferences( node, 3 /* ExportAssignment */ ); const typeOnlyDeclaration = getTypeOnlyAliasDeclaration( sym, 111551 /* Value */ ); if (getSymbolFlags(sym) & 111551) { checkExpressionCached(id); if (!isIllegalExportDefaultInCJS && !(node.flags & 33554432) && compilerOptions.verbatimModuleSyntax && typeOnlyDeclaration) { error2( id, node.isExportEquals ? Diagnostics.An_export_declaration_must_reference_a_real_value_when_verbatimModuleSyntax_is_enabled_but_0_resolves_to_a_type_only_declaration : Diagnostics.An_export_default_must_reference_a_real_value_when_verbatimModuleSyntax_is_enabled_but_0_resolves_to_a_type_only_declaration, idText(id) ); } } else if (!isIllegalExportDefaultInCJS && !(node.flags & 33554432) && compilerOptions.verbatimModuleSyntax) { error2( id, node.isExportEquals ? Diagnostics.An_export_declaration_must_reference_a_value_when_verbatimModuleSyntax_is_enabled_but_0_only_refers_to_a_type : Diagnostics.An_export_default_must_reference_a_value_when_verbatimModuleSyntax_is_enabled_but_0_only_refers_to_a_type, idText(id) ); } if (!isIllegalExportDefaultInCJS && !(node.flags & 33554432) && getIsolatedModules(compilerOptions) && !(sym.flags & 111551)) { const nonLocalMeanings = getSymbolFlags( sym, /*excludeTypeOnlyMeanings*/ false, /*excludeLocalMeanings*/ true ); if (sym.flags & 2097152 && nonLocalMeanings & 788968 && !(nonLocalMeanings & 111551) && (!typeOnlyDeclaration || getSourceFileOfNode(typeOnlyDeclaration) !== getSourceFileOfNode(node))) { error2( id, node.isExportEquals ? Diagnostics._0_resolves_to_a_type_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enabled_Consider_using_import_type_where_0_is_imported : Diagnostics._0_resolves_to_a_type_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enabled_Consider_using_export_type_0_as_default, idText(id), isolatedModulesLikeFlagName ); } else if (typeOnlyDeclaration && getSourceFileOfNode(typeOnlyDeclaration) !== getSourceFileOfNode(node)) { addTypeOnlyDeclarationRelatedInfo( error2( id, node.isExportEquals ? Diagnostics._0_resolves_to_a_type_only_declaration_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enabled_Consider_using_import_type_where_0_is_imported : Diagnostics._0_resolves_to_a_type_only_declaration_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enabled_Consider_using_export_type_0_as_default, idText(id), isolatedModulesLikeFlagName ), typeOnlyDeclaration, idText(id) ); } } } else { checkExpressionCached(id); } if (getEmitDeclarations(compilerOptions)) { collectLinkedAliases( id, /*setVisibility*/ true ); } } else { checkExpressionCached(node.expression); } if (isIllegalExportDefaultInCJS) { error2(node, Diagnostics.ESM_syntax_is_not_allowed_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled); } checkExternalModuleExports(container); if (node.flags & 33554432 && !isEntityNameExpression(node.expression)) { grammarErrorOnNode(node.expression, Diagnostics.The_expression_of_an_export_assignment_must_be_an_identifier_or_qualified_name_in_an_ambient_context); } if (node.isExportEquals) { if (moduleKind >= 5 && moduleKind !== 200 && (node.flags & 33554432 && getSourceFileOfNode(node).impliedNodeFormat === 99 || !(node.flags & 33554432) && getSourceFileOfNode(node).impliedNodeFormat !== 1)) { grammarErrorOnNode(node, Diagnostics.Export_assignment_cannot_be_used_when_targeting_ECMAScript_modules_Consider_using_export_default_or_another_module_format_instead); } else if (moduleKind === 4 && !(node.flags & 33554432)) { grammarErrorOnNode(node, Diagnostics.Export_assignment_is_not_supported_when_module_flag_is_system); } } } function hasExportedMembers(moduleSymbol) { return forEachEntry(moduleSymbol.exports, (_, id) => id !== "export="); } function checkExternalModuleExports(node) { const moduleSymbol = getSymbolOfDeclaration(node); const links = getSymbolLinks(moduleSymbol); if (!links.exportsChecked) { const exportEqualsSymbol = moduleSymbol.exports.get("export="); if (exportEqualsSymbol && hasExportedMembers(moduleSymbol)) { const declaration = getDeclarationOfAliasSymbol(exportEqualsSymbol) || exportEqualsSymbol.valueDeclaration; if (declaration && !isTopLevelInExternalModuleAugmentation(declaration) && !isInJSFile(declaration)) { error2(declaration, Diagnostics.An_export_assignment_cannot_be_used_in_a_module_with_other_exported_elements); } } const exports22 = getExportsOfModule(moduleSymbol); if (exports22) { exports22.forEach(({ declarations, flags }, id) => { if (id === "__export") { return; } if (flags & (1920 | 384)) { return; } const exportedDeclarationsCount = countWhere(declarations, and(isNotOverloadAndNotAccessor, not(isInterfaceDeclaration))); if (flags & 524288 && exportedDeclarationsCount <= 2) { return; } if (exportedDeclarationsCount > 1) { if (!isDuplicatedCommonJSExport(declarations)) { for (const declaration of declarations) { if (isNotOverload(declaration)) { diagnostics.add(createDiagnosticForNode(declaration, Diagnostics.Cannot_redeclare_exported_variable_0, unescapeLeadingUnderscores(id))); } } } } }); } links.exportsChecked = true; } } function isDuplicatedCommonJSExport(declarations) { return declarations && declarations.length > 1 && declarations.every((d) => isInJSFile(d) && isAccessExpression(d) && (isExportsIdentifier(d.expression) || isModuleExportsAccessExpression(d.expression))); } function checkSourceElement(node) { if (node) { const saveCurrentNode = currentNode; currentNode = node; instantiationCount = 0; checkSourceElementWorker(node); currentNode = saveCurrentNode; } } function checkSourceElementWorker(node) { if (canHaveJSDoc(node)) { forEach(node.jsDoc, ({ comment, tags }) => { checkJSDocCommentWorker(comment); forEach(tags, (tag) => { checkJSDocCommentWorker(tag.comment); if (isInJSFile(node)) { checkSourceElement(tag); } }); }); } const kind = node.kind; if (cancellationToken) { switch (kind) { case 267: case 263: case 264: case 262: cancellationToken.throwIfCancellationRequested(); } } if (kind >= 243 && kind <= 259 && canHaveFlowNode(node) && node.flowNode && !isReachableFlowNode(node.flowNode)) { errorOrSuggestion(compilerOptions.allowUnreachableCode === false, node, Diagnostics.Unreachable_code_detected); } switch (kind) { case 168: return checkTypeParameter(node); case 169: return checkParameter(node); case 172: return checkPropertyDeclaration(node); case 171: return checkPropertySignature(node); case 185: case 184: case 179: case 180: case 181: return checkSignatureDeclaration(node); case 174: case 173: return checkMethodDeclaration(node); case 175: return checkClassStaticBlockDeclaration(node); case 176: return checkConstructorDeclaration(node); case 177: case 178: return checkAccessorDeclaration(node); case 183: return checkTypeReferenceNode(node); case 182: return checkTypePredicate(node); case 186: return checkTypeQuery(node); case 187: return checkTypeLiteral(node); case 188: return checkArrayType(node); case 189: return checkTupleType(node); case 192: case 193: return checkUnionOrIntersectionType(node); case 196: case 190: case 191: return checkSourceElement(node.type); case 197: return checkThisType(node); case 198: return checkTypeOperator(node); case 194: return checkConditionalType(node); case 195: return checkInferType(node); case 203: return checkTemplateLiteralType(node); case 205: return checkImportType(node); case 202: return checkNamedTupleMember(node); case 328: return checkJSDocAugmentsTag(node); case 329: return checkJSDocImplementsTag(node); case 346: case 338: case 340: return checkJSDocTypeAliasTag(node); case 345: return checkJSDocTemplateTag(node); case 344: return checkJSDocTypeTag(node); case 324: case 325: case 326: return checkJSDocLinkLikeTag(node); case 341: return checkJSDocParameterTag(node); case 348: return checkJSDocPropertyTag(node); case 317: checkJSDocFunctionType(node); case 315: case 314: case 312: case 313: case 322: checkJSDocTypeIsInJsFile(node); forEachChild(node, checkSourceElement); return; case 318: checkJSDocVariadicType(node); return; case 309: return checkSourceElement(node.type); case 333: case 335: case 334: return checkJSDocAccessibilityModifiers(node); case 350: return checkJSDocSatisfiesTag(node); case 343: return checkJSDocThisTag(node); case 351: return checkJSDocImportTag(node); case 199: return checkIndexedAccessType(node); case 200: return checkMappedType(node); case 262: return checkFunctionDeclaration(node); case 241: case 268: return checkBlock(node); case 243: return checkVariableStatement(node); case 244: return checkExpressionStatement(node); case 245: return checkIfStatement(node); case 246: return checkDoStatement(node); case 247: return checkWhileStatement(node); case 248: return checkForStatement(node); case 249: return checkForInStatement(node); case 250: return checkForOfStatement(node); case 251: case 252: return checkBreakOrContinueStatement(node); case 253: return checkReturnStatement(node); case 254: return checkWithStatement(node); case 255: return checkSwitchStatement(node); case 256: return checkLabeledStatement(node); case 257: return checkThrowStatement(node); case 258: return checkTryStatement(node); case 260: return checkVariableDeclaration(node); case 208: return checkBindingElement(node); case 263: return checkClassDeclaration(node); case 264: return checkInterfaceDeclaration(node); case 265: return checkTypeAliasDeclaration(node); case 266: return checkEnumDeclaration(node); case 267: return checkModuleDeclaration(node); case 272: return checkImportDeclaration(node); case 271: return checkImportEqualsDeclaration(node); case 278: return checkExportDeclaration(node); case 277: return checkExportAssignment(node); case 242: case 259: checkGrammarStatementInAmbientContext(node); return; case 282: return checkMissingDeclaration(node); } } function checkJSDocCommentWorker(node) { if (isArray3(node)) { forEach(node, (tag) => { if (isJSDocLinkLike(tag)) { checkSourceElement(tag); } }); } } function checkJSDocTypeIsInJsFile(node) { if (!isInJSFile(node)) { if (isJSDocNonNullableType(node) || isJSDocNullableType(node)) { const token = tokenToString( isJSDocNonNullableType(node) ? 54 : 58 /* QuestionToken */ ); const diagnostic = node.postfix ? Diagnostics._0_at_the_end_of_a_type_is_not_valid_TypeScript_syntax_Did_you_mean_to_write_1 : Diagnostics._0_at_the_start_of_a_type_is_not_valid_TypeScript_syntax_Did_you_mean_to_write_1; const typeNode = node.type; const type = getTypeFromTypeNode(typeNode); grammarErrorOnNode( node, diagnostic, token, typeToString( isJSDocNullableType(node) && !(type === neverType2 || type === voidType2) ? getUnionType(append([type, undefinedType2], node.postfix ? void 0 : nullType2)) : type ) ); } else { grammarErrorOnNode(node, Diagnostics.JSDoc_types_can_only_be_used_inside_documentation_comments); } } } function checkJSDocVariadicType(node) { checkJSDocTypeIsInJsFile(node); checkSourceElement(node.type); const { parent: parent2 } = node; if (isParameter(parent2) && isJSDocFunctionType(parent2.parent)) { if (last(parent2.parent.parameters) !== parent2) { error2(node, Diagnostics.A_rest_parameter_must_be_last_in_a_parameter_list); } return; } if (!isJSDocTypeExpression(parent2)) { error2(node, Diagnostics.JSDoc_may_only_appear_in_the_last_parameter_of_a_signature); } const paramTag = node.parent.parent; if (!isJSDocParameterTag(paramTag)) { error2(node, Diagnostics.JSDoc_may_only_appear_in_the_last_parameter_of_a_signature); return; } const param = getParameterSymbolFromJSDoc(paramTag); if (!param) { return; } const host2 = getHostSignatureFromJSDoc(paramTag); if (!host2 || last(host2.parameters).symbol !== param) { error2(node, Diagnostics.A_rest_parameter_must_be_last_in_a_parameter_list); } } function getTypeFromJSDocVariadicType(node) { const type = getTypeFromTypeNode(node.type); const { parent: parent2 } = node; const paramTag = node.parent.parent; if (isJSDocTypeExpression(node.parent) && isJSDocParameterTag(paramTag)) { const host2 = getHostSignatureFromJSDoc(paramTag); const isCallbackTag = isJSDocCallbackTag(paramTag.parent.parent); if (host2 || isCallbackTag) { const lastParamDeclaration = isCallbackTag ? lastOrUndefined(paramTag.parent.parent.typeExpression.parameters) : lastOrUndefined(host2.parameters); const symbol = getParameterSymbolFromJSDoc(paramTag); if (!lastParamDeclaration || symbol && lastParamDeclaration.symbol === symbol && isRestParameter(lastParamDeclaration)) { return createArrayType(type); } } } if (isParameter(parent2) && isJSDocFunctionType(parent2.parent)) { return createArrayType(type); } return addOptionality(type); } function checkNodeDeferred(node) { const enclosingFile = getSourceFileOfNode(node); const links = getNodeLinks(enclosingFile); if (!(links.flags & 1)) { links.deferredNodes || (links.deferredNodes = /* @__PURE__ */ new Set()); links.deferredNodes.add(node); } else { Debug.assert(!links.deferredNodes, "A type-checked file should have no deferred nodes."); } } function checkDeferredNodes(context) { const links = getNodeLinks(context); if (links.deferredNodes) { links.deferredNodes.forEach(checkDeferredNode); } links.deferredNodes = void 0; } function checkDeferredNode(node) { var _a, _b; (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Check, "checkDeferredNode", { kind: node.kind, pos: node.pos, end: node.end, path: node.tracingPath }); const saveCurrentNode = currentNode; currentNode = node; instantiationCount = 0; switch (node.kind) { case 213: case 214: case 215: case 170: case 286: resolveUntypedCall(node); break; case 218: case 219: case 174: case 173: checkFunctionExpressionOrObjectLiteralMethodDeferred(node); break; case 177: case 178: checkAccessorDeclaration(node); break; case 231: checkClassExpressionDeferred(node); break; case 168: checkTypeParameterDeferred(node); break; case 285: checkJsxSelfClosingElementDeferred(node); break; case 284: checkJsxElementDeferred(node); break; case 216: case 234: case 217: checkAssertionDeferred(node); break; case 222: checkExpression(node.expression); break; case 226: if (isInstanceOfExpression(node)) { resolveUntypedCall(node); } break; } currentNode = saveCurrentNode; (_b = tracing) == null ? void 0 : _b.pop(); } function checkSourceFile(node) { var _a, _b; (_a = tracing) == null ? void 0 : _a.push( tracing.Phase.Check, "checkSourceFile", { path: node.path }, /*separateBeginAndEnd*/ true ); mark("beforeCheck"); checkSourceFileWorker(node); mark("afterCheck"); measure("Check", "beforeCheck", "afterCheck"); (_b = tracing) == null ? void 0 : _b.pop(); } function unusedIsError(kind, isAmbient) { if (isAmbient) { return false; } switch (kind) { case 0: return !!compilerOptions.noUnusedLocals; case 1: return !!compilerOptions.noUnusedParameters; default: return Debug.assertNever(kind); } } function getPotentiallyUnusedIdentifiers(sourceFile) { return allPotentiallyUnusedIdentifiers.get(sourceFile.path) || emptyArray; } function checkSourceFileWorker(node) { const links = getNodeLinks(node); if (!(links.flags & 1)) { if (skipTypeChecking(node, compilerOptions, host)) { return; } checkGrammarSourceFile(node); clear(potentialThisCollisions); clear(potentialNewTargetCollisions); clear(potentialWeakMapSetCollisions); clear(potentialReflectCollisions); clear(potentialUnusedRenamedBindingElementsInTypes); forEach(node.statements, checkSourceElement); checkSourceElement(node.endOfFileToken); checkDeferredNodes(node); if (isExternalOrCommonJsModule(node)) { registerForUnusedIdentifiersCheck(node); } addLazyDiagnostic(() => { if (!node.isDeclarationFile && (compilerOptions.noUnusedLocals || compilerOptions.noUnusedParameters)) { checkUnusedIdentifiers(getPotentiallyUnusedIdentifiers(node), (containingNode, kind, diag2) => { if (!containsParseError(containingNode) && unusedIsError(kind, !!(containingNode.flags & 33554432))) { diagnostics.add(diag2); } }); } if (!node.isDeclarationFile) { checkPotentialUncheckedRenamedBindingElementsInTypes(); } }); if (isExternalOrCommonJsModule(node)) { checkExternalModuleExports(node); } if (potentialThisCollisions.length) { forEach(potentialThisCollisions, checkIfThisIsCapturedInEnclosingScope); clear(potentialThisCollisions); } if (potentialNewTargetCollisions.length) { forEach(potentialNewTargetCollisions, checkIfNewTargetIsCapturedInEnclosingScope); clear(potentialNewTargetCollisions); } if (potentialWeakMapSetCollisions.length) { forEach(potentialWeakMapSetCollisions, checkWeakMapSetCollision); clear(potentialWeakMapSetCollisions); } if (potentialReflectCollisions.length) { forEach(potentialReflectCollisions, checkReflectCollision); clear(potentialReflectCollisions); } links.flags |= 1; } } function getDiagnostics2(sourceFile, ct) { try { cancellationToken = ct; return getDiagnosticsWorker(sourceFile); } finally { cancellationToken = void 0; } } function ensurePendingDiagnosticWorkComplete() { for (const cb of deferredDiagnosticsCallbacks) { cb(); } deferredDiagnosticsCallbacks = []; } function checkSourceFileWithEagerDiagnostics(sourceFile) { ensurePendingDiagnosticWorkComplete(); const oldAddLazyDiagnostics = addLazyDiagnostic; addLazyDiagnostic = (cb) => cb(); checkSourceFile(sourceFile); addLazyDiagnostic = oldAddLazyDiagnostics; } function getDiagnosticsWorker(sourceFile) { if (sourceFile) { ensurePendingDiagnosticWorkComplete(); const previousGlobalDiagnostics = diagnostics.getGlobalDiagnostics(); const previousGlobalDiagnosticsSize = previousGlobalDiagnostics.length; checkSourceFileWithEagerDiagnostics(sourceFile); const semanticDiagnostics = diagnostics.getDiagnostics(sourceFile.fileName); const currentGlobalDiagnostics = diagnostics.getGlobalDiagnostics(); if (currentGlobalDiagnostics !== previousGlobalDiagnostics) { const deferredGlobalDiagnostics = relativeComplement(previousGlobalDiagnostics, currentGlobalDiagnostics, compareDiagnostics); return concatenate(deferredGlobalDiagnostics, semanticDiagnostics); } else if (previousGlobalDiagnosticsSize === 0 && currentGlobalDiagnostics.length > 0) { return concatenate(currentGlobalDiagnostics, semanticDiagnostics); } return semanticDiagnostics; } forEach(host.getSourceFiles(), checkSourceFileWithEagerDiagnostics); return diagnostics.getDiagnostics(); } function getGlobalDiagnostics() { ensurePendingDiagnosticWorkComplete(); return diagnostics.getGlobalDiagnostics(); } function getSymbolsInScope(location, meaning) { if (location.flags & 67108864) { return []; } const symbols = createSymbolTable(); let isStaticSymbol = false; populateSymbols(); symbols.delete( "this" /* This */ ); return symbolsToArray(symbols); function populateSymbols() { while (location) { if (canHaveLocals(location) && location.locals && !isGlobalSourceFile(location)) { copySymbols(location.locals, meaning); } switch (location.kind) { case 307: if (!isExternalModule(location)) break; case 267: copyLocallyVisibleExportSymbols( getSymbolOfDeclaration(location).exports, meaning & 2623475 /* ModuleMember */ ); break; case 266: copySymbols( getSymbolOfDeclaration(location).exports, meaning & 8 /* EnumMember */ ); break; case 231: const className = location.name; if (className) { copySymbol(location.symbol, meaning); } case 263: case 264: if (!isStaticSymbol) { copySymbols( getMembersOfSymbol(getSymbolOfDeclaration(location)), meaning & 788968 /* Type */ ); } break; case 218: const funcName = location.name; if (funcName) { copySymbol(location.symbol, meaning); } break; } if (introducesArgumentsExoticObject(location)) { copySymbol(argumentsSymbol, meaning); } isStaticSymbol = isStatic(location); location = location.parent; } copySymbols(globals2, meaning); } function copySymbol(symbol, meaning2) { if (getCombinedLocalAndExportSymbolFlags(symbol) & meaning2) { const id = symbol.escapedName; if (!symbols.has(id)) { symbols.set(id, symbol); } } } function copySymbols(source, meaning2) { if (meaning2) { source.forEach((symbol) => { copySymbol(symbol, meaning2); }); } } function copyLocallyVisibleExportSymbols(source, meaning2) { if (meaning2) { source.forEach((symbol) => { if (!getDeclarationOfKind( symbol, 281 /* ExportSpecifier */ ) && !getDeclarationOfKind( symbol, 280 /* NamespaceExport */ ) && symbol.escapedName !== "default") { copySymbol(symbol, meaning2); } }); } } } function isTypeDeclarationName(name) { return name.kind === 80 && isTypeDeclaration(name.parent) && getNameOfDeclaration(name.parent) === name; } function isTypeReferenceIdentifier(node) { while (node.parent.kind === 166) { node = node.parent; } return node.parent.kind === 183; } function isInNameOfExpressionWithTypeArguments(node) { while (node.parent.kind === 211) { node = node.parent; } return node.parent.kind === 233; } function forEachEnclosingClass(node, callback) { let result; let containingClass = getContainingClass(node); while (containingClass) { if (result = callback(containingClass)) break; containingClass = getContainingClass(containingClass); } return result; } function isNodeUsedDuringClassInitialization(node) { return !!findAncestor(node, (element) => { if (isConstructorDeclaration(element) && nodeIsPresent(element.body) || isPropertyDeclaration(element)) { return true; } else if (isClassLike(element) || isFunctionLikeDeclaration(element)) { return "quit"; } return false; }); } function isNodeWithinClass(node, classDeclaration) { return !!forEachEnclosingClass(node, (n) => n === classDeclaration); } function getLeftSideOfImportEqualsOrExportAssignment(nodeOnRightSide) { while (nodeOnRightSide.parent.kind === 166) { nodeOnRightSide = nodeOnRightSide.parent; } if (nodeOnRightSide.parent.kind === 271) { return nodeOnRightSide.parent.moduleReference === nodeOnRightSide ? nodeOnRightSide.parent : void 0; } if (nodeOnRightSide.parent.kind === 277) { return nodeOnRightSide.parent.expression === nodeOnRightSide ? nodeOnRightSide.parent : void 0; } return void 0; } function isInRightSideOfImportOrExportAssignment(node) { return getLeftSideOfImportEqualsOrExportAssignment(node) !== void 0; } function getSpecialPropertyAssignmentSymbolFromEntityName(entityName) { const specialPropertyAssignmentKind = getAssignmentDeclarationKind(entityName.parent.parent); switch (specialPropertyAssignmentKind) { case 1: case 3: return getSymbolOfNode(entityName.parent); case 5: if (isPropertyAccessExpression(entityName.parent) && getLeftmostAccessExpression(entityName.parent) === entityName) { return void 0; } case 4: case 2: return getSymbolOfDeclaration(entityName.parent.parent); } } function isImportTypeQualifierPart(node) { let parent2 = node.parent; while (isQualifiedName(parent2)) { node = parent2; parent2 = parent2.parent; } if (parent2 && parent2.kind === 205 && parent2.qualifier === node) { return parent2; } return void 0; } function isThisPropertyAndThisTyped(node) { if (node.expression.kind === 110) { const container = getThisContainer( node, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ); if (isFunctionLike(container)) { const containingLiteral = getContainingObjectLiteral(container); if (containingLiteral) { const contextualType = getApparentTypeOfContextualType( containingLiteral, /*contextFlags*/ void 0 ); const type = getThisTypeOfObjectLiteralFromContextualType(containingLiteral, contextualType); return type && !isTypeAny(type); } } } } function getSymbolOfNameOrPropertyAccessExpression(name) { if (isDeclarationName(name)) { return getSymbolOfNode(name.parent); } if (isInJSFile(name) && name.parent.kind === 211 && name.parent === name.parent.parent.left) { if (!isPrivateIdentifier(name) && !isJSDocMemberName(name) && !isThisPropertyAndThisTyped(name.parent)) { const specialPropertyAssignmentSymbol = getSpecialPropertyAssignmentSymbolFromEntityName(name); if (specialPropertyAssignmentSymbol) { return specialPropertyAssignmentSymbol; } } } if (name.parent.kind === 277 && isEntityNameExpression(name)) { const success = resolveEntityName( name, /*all meanings*/ 111551 | 788968 | 1920 | 2097152, /*ignoreErrors*/ true ); if (success && success !== unknownSymbol) { return success; } } else if (isEntityName(name) && isInRightSideOfImportOrExportAssignment(name)) { const importEqualsDeclaration = getAncestor2( name, 271 /* ImportEqualsDeclaration */ ); Debug.assert(importEqualsDeclaration !== void 0); return getSymbolOfPartOfRightHandSideOfImportEquals( name, /*dontResolveAlias*/ true ); } if (isEntityName(name)) { const possibleImportNode = isImportTypeQualifierPart(name); if (possibleImportNode) { getTypeFromTypeNode(possibleImportNode); const sym = getNodeLinks(name).resolvedSymbol; return sym === unknownSymbol ? void 0 : sym; } } while (isRightSideOfQualifiedNameOrPropertyAccessOrJSDocMemberName(name)) { name = name.parent; } if (isInNameOfExpressionWithTypeArguments(name)) { let meaning = 0; if (name.parent.kind === 233) { meaning = isPartOfTypeNode(name) ? 788968 : 111551; if (isExpressionWithTypeArgumentsInClassExtendsClause(name.parent)) { meaning |= 111551; } } else { meaning = 1920; } meaning |= 2097152; const entityNameSymbol = isEntityNameExpression(name) ? resolveEntityName( name, meaning, /*ignoreErrors*/ true ) : void 0; if (entityNameSymbol) { return entityNameSymbol; } } if (name.parent.kind === 341) { return getParameterSymbolFromJSDoc(name.parent); } if (name.parent.kind === 168 && name.parent.parent.kind === 345) { Debug.assert(!isInJSFile(name)); const typeParameter = getTypeParameterFromJsDoc(name.parent); return typeParameter && typeParameter.symbol; } if (isExpressionNode(name)) { if (nodeIsMissing(name)) { return void 0; } const isJSDoc2 = findAncestor(name, or(isJSDocLinkLike, isJSDocNameReference, isJSDocMemberName)); const meaning = isJSDoc2 ? 788968 | 1920 | 111551 : 111551; if (name.kind === 80) { if (isJSXTagName(name) && isJsxIntrinsicTagName(name)) { const symbol = getIntrinsicTagSymbol(name.parent); return symbol === unknownSymbol ? void 0 : symbol; } const result = resolveEntityName( name, meaning, /*ignoreErrors*/ true, /*dontResolveAlias*/ true, getHostSignatureFromJSDoc(name) ); if (!result && isJSDoc2) { const container = findAncestor(name, or(isClassLike, isInterfaceDeclaration)); if (container) { return resolveJSDocMemberName( name, /*ignoreErrors*/ true, getSymbolOfDeclaration(container) ); } } if (result && isJSDoc2) { const container = getJSDocHost(name); if (container && isEnumMember(container) && container === result.valueDeclaration) { return resolveEntityName( name, meaning, /*ignoreErrors*/ true, /*dontResolveAlias*/ true, getSourceFileOfNode(container) ) || result; } } return result; } else if (isPrivateIdentifier(name)) { return getSymbolForPrivateIdentifierExpression(name); } else if (name.kind === 211 || name.kind === 166) { const links = getNodeLinks(name); if (links.resolvedSymbol) { return links.resolvedSymbol; } if (name.kind === 211) { checkPropertyAccessExpression( name, 0 /* Normal */ ); if (!links.resolvedSymbol) { links.resolvedSymbol = getApplicableIndexSymbol(checkExpressionCached(name.expression), getLiteralTypeFromPropertyName(name.name)); } } else { checkQualifiedName( name, 0 /* Normal */ ); } if (!links.resolvedSymbol && isJSDoc2 && isQualifiedName(name)) { return resolveJSDocMemberName(name); } return links.resolvedSymbol; } else if (isJSDocMemberName(name)) { return resolveJSDocMemberName(name); } } else if (isTypeReferenceIdentifier(name)) { const meaning = name.parent.kind === 183 ? 788968 : 1920; const symbol = resolveEntityName( name, meaning, /*ignoreErrors*/ false, /*dontResolveAlias*/ true ); return symbol && symbol !== unknownSymbol ? symbol : getUnresolvedSymbolForEntityName(name); } if (name.parent.kind === 182) { return resolveEntityName( name, /*meaning*/ 1 /* FunctionScopedVariable */ ); } return void 0; } function getApplicableIndexSymbol(type, keyType) { const infos = getApplicableIndexInfos(type, keyType); if (infos.length && type.members) { const symbol = getIndexSymbolFromSymbolTable(resolveStructuredTypeMembers(type).members); if (infos === getIndexInfosOfType(type)) { return symbol; } else if (symbol) { const symbolLinks2 = getSymbolLinks(symbol); const declarationList = mapDefined(infos, (i) => i.declaration); const nodeListId = map(declarationList, getNodeId).join(","); if (!symbolLinks2.filteredIndexSymbolCache) { symbolLinks2.filteredIndexSymbolCache = /* @__PURE__ */ new Map(); } if (symbolLinks2.filteredIndexSymbolCache.has(nodeListId)) { return symbolLinks2.filteredIndexSymbolCache.get(nodeListId); } else { const copy = createSymbol( 131072, "__index" /* Index */ ); copy.declarations = mapDefined(infos, (i) => i.declaration); copy.parent = type.aliasSymbol ? type.aliasSymbol : type.symbol ? type.symbol : getSymbolAtLocation(copy.declarations[0].parent); symbolLinks2.filteredIndexSymbolCache.set(nodeListId, copy); return copy; } } } } function resolveJSDocMemberName(name, ignoreErrors, container) { if (isEntityName(name)) { const meaning = 788968 | 1920 | 111551; let symbol = resolveEntityName( name, meaning, ignoreErrors, /*dontResolveAlias*/ true, getHostSignatureFromJSDoc(name) ); if (!symbol && isIdentifier(name) && container) { symbol = getMergedSymbol(getSymbol2(getExportsOfSymbol(container), name.escapedText, meaning)); } if (symbol) { return symbol; } } const left = isIdentifier(name) ? container : resolveJSDocMemberName(name.left, ignoreErrors, container); const right = isIdentifier(name) ? name.escapedText : name.right.escapedText; if (left) { const proto = left.flags & 111551 && getPropertyOfType(getTypeOfSymbol(left), "prototype"); const t = proto ? getTypeOfSymbol(proto) : getDeclaredTypeOfSymbol(left); return getPropertyOfType(t, right); } } function getSymbolAtLocation(node, ignoreErrors) { if (isSourceFile(node)) { return isExternalModule(node) ? getMergedSymbol(node.symbol) : void 0; } const { parent: parent2 } = node; const grandParent = parent2.parent; if (node.flags & 67108864) { return void 0; } if (isDeclarationNameOrImportPropertyName(node)) { const parentSymbol = getSymbolOfDeclaration(parent2); return isImportOrExportSpecifier(node.parent) && node.parent.propertyName === node ? getImmediateAliasedSymbol(parentSymbol) : parentSymbol; } else if (isLiteralComputedPropertyDeclarationName(node)) { return getSymbolOfDeclaration(parent2.parent); } if (node.kind === 80) { if (isInRightSideOfImportOrExportAssignment(node)) { return getSymbolOfNameOrPropertyAccessExpression(node); } else if (parent2.kind === 208 && grandParent.kind === 206 && node === parent2.propertyName) { const typeOfPattern = getTypeOfNode(grandParent); const propertyDeclaration = getPropertyOfType(typeOfPattern, node.escapedText); if (propertyDeclaration) { return propertyDeclaration; } } else if (isMetaProperty(parent2) && parent2.name === node) { if (parent2.keywordToken === 105 && idText(node) === "target") { return checkNewTargetMetaProperty(parent2).symbol; } if (parent2.keywordToken === 102 && idText(node) === "meta") { return getGlobalImportMetaExpressionType().members.get("meta"); } return void 0; } } switch (node.kind) { case 80: case 81: case 211: case 166: if (!isThisInTypeQuery(node)) { return getSymbolOfNameOrPropertyAccessExpression(node); } case 110: const container = getThisContainer( node, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ); if (isFunctionLike(container)) { const sig = getSignatureFromDeclaration(container); if (sig.thisParameter) { return sig.thisParameter; } } if (isInExpressionContext(node)) { return checkExpression(node).symbol; } case 197: return getTypeFromThisTypeNode(node).symbol; case 108: return checkExpression(node).symbol; case 137: const constructorDeclaration = node.parent; if (constructorDeclaration && constructorDeclaration.kind === 176) { return constructorDeclaration.parent.symbol; } return void 0; case 11: case 15: if (isExternalModuleImportEqualsDeclaration(node.parent.parent) && getExternalModuleImportEqualsDeclarationExpression(node.parent.parent) === node || (node.parent.kind === 272 || node.parent.kind === 278) && node.parent.moduleSpecifier === node || isInJSFile(node) && isJSDocImportTag(node.parent) && node.parent.moduleSpecifier === node || (isInJSFile(node) && isRequireCall( node.parent, /*requireStringLiteralLikeArgument*/ false ) || isImportCall(node.parent)) || isLiteralTypeNode(node.parent) && isLiteralImportTypeNode(node.parent.parent) && node.parent.parent.argument === node.parent) { return resolveExternalModuleName(node, node, ignoreErrors); } if (isCallExpression2(parent2) && isBindableObjectDefinePropertyCall(parent2) && parent2.arguments[1] === node) { return getSymbolOfDeclaration(parent2); } case 9: const objectType2 = isElementAccessExpression(parent2) ? parent2.argumentExpression === node ? getTypeOfExpression(parent2.expression) : void 0 : isLiteralTypeNode(parent2) && isIndexedAccessTypeNode(grandParent) ? getTypeFromTypeNode(grandParent.objectType) : void 0; return objectType2 && getPropertyOfType(objectType2, escapeLeadingUnderscores(node.text)); case 90: case 100: case 39: case 86: return getSymbolOfNode(node.parent); case 205: return isLiteralImportTypeNode(node) ? getSymbolAtLocation(node.argument.literal, ignoreErrors) : void 0; case 95: return isExportAssignment(node.parent) ? Debug.checkDefined(node.parent.symbol) : void 0; case 102: case 105: return isMetaProperty(node.parent) ? checkMetaPropertyKeyword(node.parent).symbol : void 0; case 104: if (isBinaryExpression(node.parent)) { const type = getTypeOfExpression(node.parent.right); const hasInstanceMethodType = getSymbolHasInstanceMethodOfObjectType(type); return (hasInstanceMethodType == null ? void 0 : hasInstanceMethodType.symbol) ?? type.symbol; } return void 0; case 236: return checkExpression(node).symbol; case 295: if (isJSXTagName(node) && isJsxIntrinsicTagName(node)) { const symbol = getIntrinsicTagSymbol(node.parent); return symbol === unknownSymbol ? void 0 : symbol; } default: return void 0; } } function getIndexInfosAtLocation(node) { if (isIdentifier(node) && isPropertyAccessExpression(node.parent) && node.parent.name === node) { const keyType = getLiteralTypeFromPropertyName(node); const objectType2 = getTypeOfExpression(node.parent.expression); const objectTypes = objectType2.flags & 1048576 ? objectType2.types : [objectType2]; return flatMap(objectTypes, (t) => filter(getIndexInfosOfType(t), (info) => isApplicableIndexType(keyType, info.keyType))); } return void 0; } function getShorthandAssignmentValueSymbol(location) { if (location && location.kind === 304) { return resolveEntityName( location.name, 111551 | 2097152 /* Alias */ ); } return void 0; } function getExportSpecifierLocalTargetSymbol(node) { if (isExportSpecifier(node)) { return node.parent.parent.moduleSpecifier ? getExternalModuleMember(node.parent.parent, node) : resolveEntityName( node.propertyName || node.name, 111551 | 788968 | 1920 | 2097152 /* Alias */ ); } else { return resolveEntityName( node, 111551 | 788968 | 1920 | 2097152 /* Alias */ ); } } function getTypeOfNode(node) { if (isSourceFile(node) && !isExternalModule(node)) { return errorType; } if (node.flags & 67108864) { return errorType; } const classDecl = tryGetClassImplementingOrExtendingExpressionWithTypeArguments(node); const classType = classDecl && getDeclaredTypeOfClassOrInterface(getSymbolOfDeclaration(classDecl.class)); if (isPartOfTypeNode(node)) { const typeFromTypeNode = getTypeFromTypeNode(node); return classType ? getTypeWithThisArgument(typeFromTypeNode, classType.thisType) : typeFromTypeNode; } if (isExpressionNode(node)) { return getRegularTypeOfExpression(node); } if (classType && !classDecl.isImplements) { const baseType = firstOrUndefined(getBaseTypes(classType)); return baseType ? getTypeWithThisArgument(baseType, classType.thisType) : errorType; } if (isTypeDeclaration(node)) { const symbol = getSymbolOfDeclaration(node); return getDeclaredTypeOfSymbol(symbol); } if (isTypeDeclarationName(node)) { const symbol = getSymbolAtLocation(node); return symbol ? getDeclaredTypeOfSymbol(symbol) : errorType; } if (isBindingElement(node)) { return getTypeForVariableLikeDeclaration( node, /*includeOptionality*/ true, 0 /* Normal */ ) || errorType; } if (isDeclaration(node)) { const symbol = getSymbolOfDeclaration(node); return symbol ? getTypeOfSymbol(symbol) : errorType; } if (isDeclarationNameOrImportPropertyName(node)) { const symbol = getSymbolAtLocation(node); if (symbol) { return getTypeOfSymbol(symbol); } return errorType; } if (isBindingPattern(node)) { return getTypeForVariableLikeDeclaration( node.parent, /*includeOptionality*/ true, 0 /* Normal */ ) || errorType; } if (isInRightSideOfImportOrExportAssignment(node)) { const symbol = getSymbolAtLocation(node); if (symbol) { const declaredType = getDeclaredTypeOfSymbol(symbol); return !isErrorType(declaredType) ? declaredType : getTypeOfSymbol(symbol); } } if (isMetaProperty(node.parent) && node.parent.keywordToken === node.kind) { return checkMetaPropertyKeyword(node.parent); } if (isImportAttributes(node)) { return getGlobalImportAttributesType( /*reportErrors*/ false ); } return errorType; } function getTypeOfAssignmentPattern(expr) { Debug.assert( expr.kind === 210 || expr.kind === 209 /* ArrayLiteralExpression */ ); if (expr.parent.kind === 250) { const iteratedType = checkRightHandSideOfForOf(expr.parent); return checkDestructuringAssignment(expr, iteratedType || errorType); } if (expr.parent.kind === 226) { const iteratedType = getTypeOfExpression(expr.parent.right); return checkDestructuringAssignment(expr, iteratedType || errorType); } if (expr.parent.kind === 303) { const node2 = cast(expr.parent.parent, isObjectLiteralExpression); const typeOfParentObjectLiteral = getTypeOfAssignmentPattern(node2) || errorType; const propertyIndex = indexOfNode(node2.properties, expr.parent); return checkObjectLiteralDestructuringPropertyAssignment(node2, typeOfParentObjectLiteral, propertyIndex); } const node = cast(expr.parent, isArrayLiteralExpression); const typeOfArrayLiteral = getTypeOfAssignmentPattern(node) || errorType; const elementType = checkIteratedTypeOrElementType(65, typeOfArrayLiteral, undefinedType2, expr.parent) || errorType; return checkArrayLiteralDestructuringElementAssignment(node, typeOfArrayLiteral, node.elements.indexOf(expr), elementType); } function getPropertySymbolOfDestructuringAssignment(location) { const typeOfObjectLiteral = getTypeOfAssignmentPattern(cast(location.parent.parent, isAssignmentPattern)); return typeOfObjectLiteral && getPropertyOfType(typeOfObjectLiteral, location.escapedText); } function getRegularTypeOfExpression(expr) { if (isRightSideOfQualifiedNameOrPropertyAccess(expr)) { expr = expr.parent; } return getRegularTypeOfLiteralType(getTypeOfExpression(expr)); } function getParentTypeOfClassElement(node) { const classSymbol = getSymbolOfNode(node.parent); return isStatic(node) ? getTypeOfSymbol(classSymbol) : getDeclaredTypeOfSymbol(classSymbol); } function getClassElementPropertyKeyType(element) { const name = element.name; switch (name.kind) { case 80: return getStringLiteralType(idText(name)); case 9: case 11: return getStringLiteralType(name.text); case 167: const nameType = checkComputedPropertyName(name); return isTypeAssignableToKind( nameType, 12288 /* ESSymbolLike */ ) ? nameType : stringType2; default: return Debug.fail("Unsupported property name."); } } function getAugmentedPropertiesOfType(type) { type = getApparentType(type); const propsByName = createSymbolTable(getPropertiesOfType(type)); const functionType2 = getSignaturesOfType( type, 0 /* Call */ ).length ? globalCallableFunctionType : getSignaturesOfType( type, 1 /* Construct */ ).length ? globalNewableFunctionType : void 0; if (functionType2) { forEach(getPropertiesOfType(functionType2), (p) => { if (!propsByName.has(p.escapedName)) { propsByName.set(p.escapedName, p); } }); } return getNamedMembers(propsByName); } function typeHasCallOrConstructSignatures(type) { return getSignaturesOfType( type, 0 /* Call */ ).length !== 0 || getSignaturesOfType( type, 1 /* Construct */ ).length !== 0; } function getRootSymbols(symbol) { const roots = getImmediateRootSymbols(symbol); return roots ? flatMap(roots, getRootSymbols) : [symbol]; } function getImmediateRootSymbols(symbol) { if (getCheckFlags(symbol) & 6) { return mapDefined(getSymbolLinks(symbol).containingType.types, (type) => getPropertyOfType(type, symbol.escapedName)); } else if (symbol.flags & 33554432) { const { links: { leftSpread, rightSpread, syntheticOrigin } } = symbol; return leftSpread ? [leftSpread, rightSpread] : syntheticOrigin ? [syntheticOrigin] : singleElementArray(tryGetTarget(symbol)); } return void 0; } function tryGetTarget(symbol) { let target; let next = symbol; while (next = getSymbolLinks(next).target) { target = next; } return target; } function isArgumentsLocalBinding(nodeIn) { if (isGeneratedIdentifier(nodeIn)) return false; const node = getParseTreeNode(nodeIn, isIdentifier); if (!node) return false; const parent2 = node.parent; if (!parent2) return false; const isPropertyName2 = (isPropertyAccessExpression(parent2) || isPropertyAssignment(parent2)) && parent2.name === node; return !isPropertyName2 && getReferencedValueSymbol(node) === argumentsSymbol; } function isNameOfModuleOrEnumDeclaration(node) { return isModuleOrEnumDeclaration(node.parent) && node === node.parent.name; } function getReferencedExportContainer(nodeIn, prefixLocals) { var _a; const node = getParseTreeNode(nodeIn, isIdentifier); if (node) { let symbol = getReferencedValueSymbol( node, /*startInDeclarationContainer*/ isNameOfModuleOrEnumDeclaration(node) ); if (symbol) { if (symbol.flags & 1048576) { const exportSymbol = getMergedSymbol(symbol.exportSymbol); if (!prefixLocals && exportSymbol.flags & 944 && !(exportSymbol.flags & 3)) { return void 0; } symbol = exportSymbol; } const parentSymbol = getParentOfSymbol(symbol); if (parentSymbol) { if (parentSymbol.flags & 512 && ((_a = parentSymbol.valueDeclaration) == null ? void 0 : _a.kind) === 307) { const symbolFile = parentSymbol.valueDeclaration; const referenceFile = getSourceFileOfNode(node); const symbolIsUmdExport = symbolFile !== referenceFile; return symbolIsUmdExport ? void 0 : symbolFile; } return findAncestor(node.parent, (n) => isModuleOrEnumDeclaration(n) && getSymbolOfDeclaration(n) === parentSymbol); } } } } function getReferencedImportDeclaration(nodeIn) { const specifier = getIdentifierGeneratedImportReference(nodeIn); if (specifier) { return specifier; } const node = getParseTreeNode(nodeIn, isIdentifier); if (node) { const symbol = getReferencedValueOrAliasSymbol(node); if (isNonLocalAlias( symbol, /*excludes*/ 111551 /* Value */ ) && !getTypeOnlyAliasDeclaration( symbol, 111551 /* Value */ )) { return getDeclarationOfAliasSymbol(symbol); } } return void 0; } function isSymbolOfDestructuredElementOfCatchBinding(symbol) { return symbol.valueDeclaration && isBindingElement(symbol.valueDeclaration) && walkUpBindingElementsAndPatterns(symbol.valueDeclaration).parent.kind === 299; } function isSymbolOfDeclarationWithCollidingName(symbol) { if (symbol.flags & 418 && symbol.valueDeclaration && !isSourceFile(symbol.valueDeclaration)) { const links = getSymbolLinks(symbol); if (links.isDeclarationWithCollidingName === void 0) { const container = getEnclosingBlockScopeContainer(symbol.valueDeclaration); if (isStatementWithLocals(container) || isSymbolOfDestructuredElementOfCatchBinding(symbol)) { if (resolveName( container.parent, symbol.escapedName, 111551, /*nameNotFoundMessage*/ void 0, /*isUse*/ false )) { links.isDeclarationWithCollidingName = true; } else if (hasNodeCheckFlag( symbol.valueDeclaration, 16384 /* CapturedBlockScopedBinding */ )) { const isDeclaredInLoop = hasNodeCheckFlag( symbol.valueDeclaration, 32768 /* BlockScopedBindingInLoop */ ); const inLoopInitializer = isIterationStatement( container, /*lookInLabeledStatements*/ false ); const inLoopBodyBlock = container.kind === 241 && isIterationStatement( container.parent, /*lookInLabeledStatements*/ false ); links.isDeclarationWithCollidingName = !isBlockScopedContainerTopLevel(container) && (!isDeclaredInLoop || !inLoopInitializer && !inLoopBodyBlock); } else { links.isDeclarationWithCollidingName = false; } } } return links.isDeclarationWithCollidingName; } return false; } function getReferencedDeclarationWithCollidingName(nodeIn) { if (!isGeneratedIdentifier(nodeIn)) { const node = getParseTreeNode(nodeIn, isIdentifier); if (node) { const symbol = getReferencedValueSymbol(node); if (symbol && isSymbolOfDeclarationWithCollidingName(symbol)) { return symbol.valueDeclaration; } } } return void 0; } function isDeclarationWithCollidingName(nodeIn) { const node = getParseTreeNode(nodeIn, isDeclaration); if (node) { const symbol = getSymbolOfDeclaration(node); if (symbol) { return isSymbolOfDeclarationWithCollidingName(symbol); } } return false; } function isValueAliasDeclaration(node) { Debug.assert(canCollectSymbolAliasAccessabilityData); switch (node.kind) { case 271: return isAliasResolvedToValue(getSymbolOfDeclaration(node)); case 273: case 274: case 276: case 281: const symbol = getSymbolOfDeclaration(node); return !!symbol && isAliasResolvedToValue( symbol, /*excludeTypeOnlyValues*/ true ); case 278: const exportClause = node.exportClause; return !!exportClause && (isNamespaceExport(exportClause) || some(exportClause.elements, isValueAliasDeclaration)); case 277: return node.expression && node.expression.kind === 80 ? isAliasResolvedToValue( getSymbolOfDeclaration(node), /*excludeTypeOnlyValues*/ true ) : true; } return false; } function isTopLevelValueImportEqualsWithEntityName(nodeIn) { const node = getParseTreeNode(nodeIn, isImportEqualsDeclaration); if (node === void 0 || node.parent.kind !== 307 || !isInternalModuleImportEqualsDeclaration(node)) { return false; } const isValue = isAliasResolvedToValue(getSymbolOfDeclaration(node)); return isValue && node.moduleReference && !nodeIsMissing(node.moduleReference); } function isAliasResolvedToValue(symbol, excludeTypeOnlyValues) { if (!symbol) { return false; } const container = getSourceFileOfNode(symbol.valueDeclaration); const fileSymbol = container && getSymbolOfDeclaration(container); void resolveExternalModuleSymbol(fileSymbol); const target = getExportSymbolOfValueSymbolIfExported(resolveAlias(symbol)); if (target === unknownSymbol) { return !excludeTypeOnlyValues || !getTypeOnlyAliasDeclaration(symbol); } return !!(getSymbolFlags( symbol, excludeTypeOnlyValues, /*excludeLocalMeanings*/ true ) & 111551) && (shouldPreserveConstEnums(compilerOptions) || !isConstEnumOrConstEnumOnlyModule(target)); } function isConstEnumOrConstEnumOnlyModule(s) { return isConstEnumSymbol(s) || !!s.constEnumOnlyModule; } function isReferencedAliasDeclaration(node, checkChildren) { Debug.assert(canCollectSymbolAliasAccessabilityData); if (isAliasSymbolDeclaration2(node)) { const symbol = getSymbolOfDeclaration(node); const links = symbol && getSymbolLinks(symbol); if (links == null ? void 0 : links.referenced) { return true; } const target = getSymbolLinks(symbol).aliasTarget; if (target && getEffectiveModifierFlags(node) & 32 && getSymbolFlags(target) & 111551 && (shouldPreserveConstEnums(compilerOptions) || !isConstEnumOrConstEnumOnlyModule(target))) { return true; } } if (checkChildren) { return !!forEachChild(node, (node2) => isReferencedAliasDeclaration(node2, checkChildren)); } return false; } function isImplementationOfOverload(node) { if (nodeIsPresent(node.body)) { if (isGetAccessor(node) || isSetAccessor(node)) return false; const symbol = getSymbolOfDeclaration(node); const signaturesOfSymbol = getSignaturesOfSymbol(symbol); return signaturesOfSymbol.length > 1 || // If there is single signature for the symbol, it is overload if that signature isn't coming from the node // e.g.: function foo(a: string): string; // function foo(a: any) { // This is implementation of the overloads // return a; // } signaturesOfSymbol.length === 1 && signaturesOfSymbol[0].declaration !== node; } return false; } function declaredParameterTypeContainsUndefined(parameter) { const typeNode = getNonlocalEffectiveTypeAnnotationNode(parameter); if (!typeNode) return false; const type = getTypeFromTypeNode(typeNode); return containsUndefinedType(type); } function requiresAddingImplicitUndefined(parameter) { return (isRequiredInitializedParameter(parameter) || isOptionalUninitializedParameterProperty(parameter)) && !declaredParameterTypeContainsUndefined(parameter); } function isRequiredInitializedParameter(parameter) { return !!strictNullChecks && !isOptionalParameter(parameter) && !isJSDocParameterTag(parameter) && !!parameter.initializer && !hasSyntacticModifier( parameter, 31 /* ParameterPropertyModifier */ ); } function isOptionalUninitializedParameterProperty(parameter) { return strictNullChecks && isOptionalParameter(parameter) && (isJSDocParameterTag(parameter) || !parameter.initializer) && hasSyntacticModifier( parameter, 31 /* ParameterPropertyModifier */ ); } function isExpandoFunctionDeclaration(node) { const declaration = getParseTreeNode(node, (n) => isFunctionDeclaration(n) || isVariableDeclaration(n)); if (!declaration) { return false; } let symbol; if (isVariableDeclaration(declaration)) { if (declaration.type || !isInJSFile(declaration) && !isVarConstLike2(declaration)) { return false; } const initializer = getDeclaredExpandoInitializer(declaration); if (!initializer || !canHaveSymbol(initializer)) { return false; } symbol = getSymbolOfDeclaration(initializer); } else { symbol = getSymbolOfDeclaration(declaration); } if (!symbol || !(symbol.flags & 16 | 3)) { return false; } return !!forEachEntry(getExportsOfSymbol(symbol), (p) => p.flags & 111551 && isExpandoPropertyDeclaration(p.valueDeclaration)); } function getPropertiesOfContainerFunction(node) { const declaration = getParseTreeNode(node, isFunctionDeclaration); if (!declaration) { return emptyArray; } const symbol = getSymbolOfDeclaration(declaration); return symbol && getPropertiesOfType(getTypeOfSymbol(symbol)) || emptyArray; } function getNodeCheckFlags(node) { var _a; const nodeId = node.id || 0; if (nodeId < 0 || nodeId >= nodeLinks.length) return 0; return ((_a = nodeLinks[nodeId]) == null ? void 0 : _a.flags) || 0; } function hasNodeCheckFlag(node, flag) { calculateNodeCheckFlagWorker(node, flag); return !!(getNodeCheckFlags(node) & flag); } function calculateNodeCheckFlagWorker(node, flag) { if (!compilerOptions.noCheck && canIncludeBindAndCheckDiagnsotics(getSourceFileOfNode(node), compilerOptions)) { return; } const links = getNodeLinks(node); if (links.calculatedFlags & flag) { return; } switch (flag) { case 16: case 32: return checkSingleSuperExpression(node); case 128: case 256: case 2097152: return checkChildSuperExpressions(node); case 512: case 8192: case 65536: case 262144: return checkChildIdentifiers(node); case 536870912: return checkSingleIdentifier(node); case 4096: case 32768: case 16384: return checkContainingBlockScopeBindingUses(node); default: return Debug.assertNever(flag, `Unhandled node check flag calculation: ${Debug.formatNodeCheckFlags(flag)}`); } function forEachNodeRecursively(root2, cb) { const rootResult = cb(root2, root2.parent); if (rootResult === "skip") return void 0; if (rootResult) return rootResult; return forEachChildRecursively(root2, cb); } function checkSuperExpressions(node2) { const links2 = getNodeLinks(node2); if (links2.calculatedFlags & flag) return "skip"; links2.calculatedFlags |= 128 | 256 | 2097152; checkSingleSuperExpression(node2); return void 0; } function checkChildSuperExpressions(node2) { forEachNodeRecursively(node2, checkSuperExpressions); } function checkSingleSuperExpression(node2) { const nodeLinks2 = getNodeLinks(node2); nodeLinks2.calculatedFlags |= 16 | 32; if (node2.kind === 108) { checkSuperExpression(node2); } } function checkIdentifiers(node2) { const links2 = getNodeLinks(node2); if (links2.calculatedFlags & flag) return "skip"; links2.calculatedFlags |= 512 | 8192 | 65536 | 262144; checkSingleIdentifier(node2); return void 0; } function checkChildIdentifiers(node2) { forEachNodeRecursively(node2, checkIdentifiers); } function checkSingleIdentifier(node2) { const nodeLinks2 = getNodeLinks(node2); nodeLinks2.calculatedFlags |= 536870912 | 16384 | 32768; if (isIdentifier(node2) && isExpressionNode(node2) && !(isPropertyAccessExpression(node2.parent) && node2.parent.name === node2)) { const s = getSymbolAtLocation( node2, /*ignoreErrors*/ true ); if (s && s !== unknownSymbol) { checkIdentifierCalculateNodeCheckFlags(node2, s); } } } function checkBlockScopeBindings(node2) { const links2 = getNodeLinks(node2); if (links2.calculatedFlags & flag) return "skip"; links2.calculatedFlags |= 4096 | 32768 | 16384; checkSingleBlockScopeBinding(node2); return void 0; } function checkContainingBlockScopeBindingUses(node2) { const scope = getEnclosingBlockScopeContainer(isDeclarationName(node2) ? node2.parent : node2); forEachNodeRecursively(scope, checkBlockScopeBindings); } function checkSingleBlockScopeBinding(node2) { checkSingleIdentifier(node2); if (isComputedPropertyName(node2)) { checkComputedPropertyName(node2); } if (isPrivateIdentifier(node2) && isClassElement(node2.parent)) { setNodeLinksForPrivateIdentifierScope(node2.parent); } } } function getEnumMemberValue(node) { computeEnumMemberValues(node.parent); return getNodeLinks(node).enumMemberValue ?? evaluatorResult( /*value*/ void 0 ); } function canHaveConstantValue(node) { switch (node.kind) { case 306: case 211: case 212: return true; } return false; } function getConstantValue2(node) { if (node.kind === 306) { return getEnumMemberValue(node).value; } if (!getNodeLinks(node).resolvedSymbol) { void checkExpressionCached(node); } const symbol = getNodeLinks(node).resolvedSymbol || (isEntityNameExpression(node) ? resolveEntityName( node, 111551, /*ignoreErrors*/ true ) : void 0); if (symbol && symbol.flags & 8) { const member = symbol.valueDeclaration; if (isEnumConst(member.parent)) { return getEnumMemberValue(member).value; } } return void 0; } function isFunctionType(type) { return !!(type.flags & 524288) && getSignaturesOfType( type, 0 /* Call */ ).length > 0; } function getTypeReferenceSerializationKind(typeNameIn, location) { var _a; const typeName = getParseTreeNode(typeNameIn, isEntityName); if (!typeName) return 0; if (location) { location = getParseTreeNode(location); if (!location) return 0; } let isTypeOnly = false; if (isQualifiedName(typeName)) { const rootValueSymbol = resolveEntityName( getFirstIdentifier(typeName), 111551, /*ignoreErrors*/ true, /*dontResolveAlias*/ true, location ); isTypeOnly = !!((_a = rootValueSymbol == null ? void 0 : rootValueSymbol.declarations) == null ? void 0 : _a.every(isTypeOnlyImportOrExportDeclaration)); } const valueSymbol = resolveEntityName( typeName, 111551, /*ignoreErrors*/ true, /*dontResolveAlias*/ true, location ); const resolvedValueSymbol = valueSymbol && valueSymbol.flags & 2097152 ? resolveAlias(valueSymbol) : valueSymbol; isTypeOnly || (isTypeOnly = !!(valueSymbol && getTypeOnlyAliasDeclaration( valueSymbol, 111551 /* Value */ ))); const typeSymbol = resolveEntityName( typeName, 788968, /*ignoreErrors*/ true, /*dontResolveAlias*/ true, location ); const resolvedTypeSymbol = typeSymbol && typeSymbol.flags & 2097152 ? resolveAlias(typeSymbol) : typeSymbol; if (!valueSymbol) { isTypeOnly || (isTypeOnly = !!(typeSymbol && getTypeOnlyAliasDeclaration( typeSymbol, 788968 /* Type */ ))); } if (resolvedValueSymbol && resolvedValueSymbol === resolvedTypeSymbol) { const globalPromiseSymbol = getGlobalPromiseConstructorSymbol( /*reportErrors*/ false ); if (globalPromiseSymbol && resolvedValueSymbol === globalPromiseSymbol) { return 9; } const constructorType = getTypeOfSymbol(resolvedValueSymbol); if (constructorType && isConstructorType(constructorType)) { return isTypeOnly ? 10 : 1; } } if (!resolvedTypeSymbol) { return isTypeOnly ? 11 : 0; } const type = getDeclaredTypeOfSymbol(resolvedTypeSymbol); if (isErrorType(type)) { return isTypeOnly ? 11 : 0; } else if (type.flags & 3) { return 11; } else if (isTypeAssignableToKind( type, 16384 | 98304 | 131072 /* Never */ )) { return 2; } else if (isTypeAssignableToKind( type, 528 /* BooleanLike */ )) { return 6; } else if (isTypeAssignableToKind( type, 296 /* NumberLike */ )) { return 3; } else if (isTypeAssignableToKind( type, 2112 /* BigIntLike */ )) { return 4; } else if (isTypeAssignableToKind( type, 402653316 /* StringLike */ )) { return 5; } else if (isTupleType(type)) { return 7; } else if (isTypeAssignableToKind( type, 12288 /* ESSymbolLike */ )) { return 8; } else if (isFunctionType(type)) { return 10; } else if (isArrayType(type)) { return 7; } else { return 11; } } function createTypeOfDeclaration(declarationIn, enclosingDeclaration, flags, tracker2) { const declaration = getParseTreeNode(declarationIn, isVariableLikeOrAccessor); if (!declaration) { return factory.createToken( 133 /* AnyKeyword */ ); } const symbol = getSymbolOfDeclaration(declaration); const type = symbol && !(symbol.flags & (2048 | 131072)) ? getWidenedLiteralType(getTypeOfSymbol(symbol)) : errorType; return nodeBuilder.serializeTypeForDeclaration(declaration, type, symbol, enclosingDeclaration, flags | 1024, tracker2); } function isDeclarationWithPossibleInnerTypeNodeReuse(declaration) { return isFunctionLike(declaration) || isExportAssignment(declaration) || isVariableLike(declaration); } function getAllAccessorDeclarationsForDeclaration(accessor) { accessor = getParseTreeNode(accessor, isGetOrSetAccessorDeclaration); const otherKind = accessor.kind === 178 ? 177 : 178; const otherAccessor = getDeclarationOfKind(getSymbolOfDeclaration(accessor), otherKind); const firstAccessor = otherAccessor && otherAccessor.pos < accessor.pos ? otherAccessor : accessor; const secondAccessor = otherAccessor && otherAccessor.pos < accessor.pos ? accessor : otherAccessor; const setAccessor = accessor.kind === 178 ? accessor : otherAccessor; const getAccessor = accessor.kind === 177 ? accessor : otherAccessor; return { firstAccessor, secondAccessor, setAccessor, getAccessor }; } function getPossibleTypeNodeReuseExpression(declaration) { return isFunctionLike(declaration) && !isSetAccessor(declaration) ? getSingleReturnExpression(declaration) : isExportAssignment(declaration) ? declaration.expression : !!declaration.initializer ? declaration.initializer : isParameter(declaration) && isSetAccessor(declaration.parent) ? getSingleReturnExpression(getAllAccessorDeclarationsForDeclaration(declaration.parent).getAccessor) : void 0; } function getSingleReturnExpression(declaration) { let candidateExpr; if (declaration && !nodeIsMissing(declaration.body)) { if (getFunctionFlags(declaration) & 3) return void 0; const body = declaration.body; if (body && isBlock(body)) { forEachReturnStatement(body, (s) => { if (!candidateExpr) { candidateExpr = s.expression; } else { candidateExpr = void 0; return true; } }); } else { candidateExpr = body; } } return candidateExpr; } function createReturnTypeOfSignatureDeclaration(signatureDeclarationIn, enclosingDeclaration, flags, tracker2) { const signatureDeclaration = getParseTreeNode(signatureDeclarationIn, isFunctionLike); if (!signatureDeclaration) { return factory.createToken( 133 /* AnyKeyword */ ); } return nodeBuilder.serializeReturnTypeForSignature(getSignatureFromDeclaration(signatureDeclaration), enclosingDeclaration, flags | 1024, tracker2); } function createTypeOfExpression(exprIn, enclosingDeclaration, flags, tracker2) { const expr = getParseTreeNode(exprIn, isExpression); if (!expr) { return factory.createToken( 133 /* AnyKeyword */ ); } const type = getWidenedType(getRegularTypeOfExpression(expr)); return nodeBuilder.expressionOrTypeToTypeNode( expr, type, /*addUndefined*/ void 0, enclosingDeclaration, flags | 1024, tracker2 ); } function hasGlobalName(name) { return globals2.has(escapeLeadingUnderscores(name)); } function getReferencedValueSymbol(reference, startInDeclarationContainer) { const resolvedSymbol = getNodeLinks(reference).resolvedSymbol; if (resolvedSymbol) { return resolvedSymbol; } let location = reference; if (startInDeclarationContainer) { const parent2 = reference.parent; if (isDeclaration(parent2) && reference === parent2.name) { location = getDeclarationContainer(parent2); } } return resolveName( location, reference.escapedText, 111551 | 1048576 | 2097152, /*nameNotFoundMessage*/ void 0, /*isUse*/ true ); } function getReferencedValueOrAliasSymbol(reference) { const resolvedSymbol = getNodeLinks(reference).resolvedSymbol; if (resolvedSymbol && resolvedSymbol !== unknownSymbol) { return resolvedSymbol; } return resolveName( reference, reference.escapedText, 111551 | 1048576 | 2097152, /*nameNotFoundMessage*/ void 0, /*isUse*/ true, /*excludeGlobals*/ void 0 ); } function getReferencedValueDeclaration(referenceIn) { if (!isGeneratedIdentifier(referenceIn)) { const reference = getParseTreeNode(referenceIn, isIdentifier); if (reference) { const symbol = getReferencedValueSymbol(reference); if (symbol) { return getExportSymbolOfValueSymbolIfExported(symbol).valueDeclaration; } } } return void 0; } function getReferencedValueDeclarations(referenceIn) { if (!isGeneratedIdentifier(referenceIn)) { const reference = getParseTreeNode(referenceIn, isIdentifier); if (reference) { const symbol = getReferencedValueSymbol(reference); if (symbol) { return filter(getExportSymbolOfValueSymbolIfExported(symbol).declarations, (declaration) => { switch (declaration.kind) { case 260: case 169: case 208: case 172: case 303: case 304: case 306: case 210: case 262: case 218: case 219: case 263: case 231: case 266: case 174: case 177: case 178: case 267: return true; } return false; }); } } } return void 0; } function isLiteralConstDeclaration(node) { if (isDeclarationReadonly(node) || isVariableDeclaration(node) && isVarConstLike2(node)) { return isFreshLiteralType(getTypeOfSymbol(getSymbolOfDeclaration(node))); } return false; } function literalTypeToNode(type, enclosing, tracker2) { const enumResult = type.flags & 1056 ? nodeBuilder.symbolToExpression( type.symbol, 111551, enclosing, /*flags*/ void 0, tracker2 ) : type === trueType ? factory.createTrue() : type === falseType && factory.createFalse(); if (enumResult) return enumResult; const literalValue = type.value; return typeof literalValue === "object" ? factory.createBigIntLiteral(literalValue) : typeof literalValue === "string" ? factory.createStringLiteral(literalValue) : literalValue < 0 ? factory.createPrefixUnaryExpression(41, factory.createNumericLiteral(-literalValue)) : factory.createNumericLiteral(literalValue); } function createLiteralConstValue(node, tracker2) { const type = getTypeOfSymbol(getSymbolOfDeclaration(node)); return literalTypeToNode(type, node, tracker2); } function getJsxFactoryEntity(location) { return location ? (getJsxNamespace(location), getSourceFileOfNode(location).localJsxFactory || _jsxFactoryEntity) : _jsxFactoryEntity; } function getJsxFragmentFactoryEntity(location) { if (location) { const file = getSourceFileOfNode(location); if (file) { if (file.localJsxFragmentFactory) { return file.localJsxFragmentFactory; } const jsxFragPragmas = file.pragmas.get("jsxfrag"); const jsxFragPragma = isArray3(jsxFragPragmas) ? jsxFragPragmas[0] : jsxFragPragmas; if (jsxFragPragma) { file.localJsxFragmentFactory = parseIsolatedEntityName(jsxFragPragma.arguments.factory, languageVersion); return file.localJsxFragmentFactory; } } } if (compilerOptions.jsxFragmentFactory) { return parseIsolatedEntityName(compilerOptions.jsxFragmentFactory, languageVersion); } } function getNonlocalEffectiveTypeAnnotationNode(node) { const direct = getEffectiveTypeAnnotationNode(node); if (direct) { return direct; } if (node.kind === 169 && node.parent.kind === 178) { const other = getAllAccessorDeclarationsForDeclaration(node.parent).getAccessor; if (other) { return getEffectiveReturnTypeNode(other); } } return void 0; } function getNonlocalEffectiveReturnTypeAnnotationNode(node) { const direct = getEffectiveReturnTypeNode(node); if (direct) { return direct; } if (node.kind === 177) { const other = getAllAccessorDeclarationsForDeclaration(node).setAccessor; if (other) { const param = getSetAccessorValueParameter(other); if (param) { return getEffectiveTypeAnnotationNode(param); } } } return void 0; } function createResolver() { return { getReferencedExportContainer, getReferencedImportDeclaration, getReferencedDeclarationWithCollidingName, isDeclarationWithCollidingName, isValueAliasDeclaration: (nodeIn) => { const node = getParseTreeNode(nodeIn); return node && canCollectSymbolAliasAccessabilityData ? isValueAliasDeclaration(node) : true; }, hasGlobalName, isReferencedAliasDeclaration: (nodeIn, checkChildren) => { const node = getParseTreeNode(nodeIn); return node && canCollectSymbolAliasAccessabilityData ? isReferencedAliasDeclaration(node, checkChildren) : true; }, hasNodeCheckFlag: (nodeIn, flag) => { const node = getParseTreeNode(nodeIn); if (!node) return false; return hasNodeCheckFlag(node, flag); }, isTopLevelValueImportEqualsWithEntityName, isDeclarationVisible, isImplementationOfOverload, requiresAddingImplicitUndefined, isExpandoFunctionDeclaration, getPropertiesOfContainerFunction, createTypeOfDeclaration, createReturnTypeOfSignatureDeclaration, createTypeOfExpression, createLiteralConstValue, isSymbolAccessible, isEntityNameVisible, getConstantValue: (nodeIn) => { const node = getParseTreeNode(nodeIn, canHaveConstantValue); return node ? getConstantValue2(node) : void 0; }, getEnumMemberValue: (nodeIn) => { const node = getParseTreeNode(nodeIn, isEnumMember); return node ? getEnumMemberValue(node) : void 0; }, collectLinkedAliases, markLinkedReferences: (nodeIn) => { const node = getParseTreeNode(nodeIn); return node && markLinkedReferences( node, 0 /* Unspecified */ ); }, getReferencedValueDeclaration, getReferencedValueDeclarations, getTypeReferenceSerializationKind, isOptionalParameter, isArgumentsLocalBinding, getExternalModuleFileFromDeclaration: (nodeIn) => { const node = getParseTreeNode(nodeIn, hasPossibleExternalModuleReference); return node && getExternalModuleFileFromDeclaration(node); }, isLiteralConstDeclaration, isLateBound: (nodeIn) => { const node = getParseTreeNode(nodeIn, isDeclaration); const symbol = node && getSymbolOfDeclaration(node); return !!(symbol && getCheckFlags(symbol) & 4096); }, getJsxFactoryEntity, getJsxFragmentFactoryEntity, isBindingCapturedByNode: (node, decl) => { const parseNode = getParseTreeNode(node); const parseDecl = getParseTreeNode(decl); return !!parseNode && !!parseDecl && (isVariableDeclaration(parseDecl) || isBindingElement(parseDecl)) && isBindingCapturedByNode(parseNode, parseDecl); }, getDeclarationStatementsForSourceFile: (node, flags, tracker2) => { const n = getParseTreeNode(node); Debug.assert(n && n.kind === 307, "Non-sourcefile node passed into getDeclarationsForSourceFile"); const sym = getSymbolOfDeclaration(node); if (!sym) { return !node.locals ? [] : nodeBuilder.symbolTableToDeclarationStatements(node.locals, node, flags, tracker2); } resolveExternalModuleSymbol(sym); return !sym.exports ? [] : nodeBuilder.symbolTableToDeclarationStatements(sym.exports, node, flags, tracker2); }, isImportRequiredByAugmentation }; function isImportRequiredByAugmentation(node) { const file = getSourceFileOfNode(node); if (!file.symbol) return false; const importTarget = getExternalModuleFileFromDeclaration(node); if (!importTarget) return false; if (importTarget === file) return false; const exports22 = getExportsOfModule(file.symbol); for (const s of arrayFrom(exports22.values())) { if (s.mergeId) { const merged = getMergedSymbol(s); if (merged.declarations) { for (const d of merged.declarations) { const declFile = getSourceFileOfNode(d); if (declFile === importTarget) { return true; } } } } } return false; } } function getExternalModuleFileFromDeclaration(declaration) { const specifier = declaration.kind === 267 ? tryCast(declaration.name, isStringLiteral2) : getExternalModuleName(declaration); const moduleSymbol = resolveExternalModuleNameWorker( specifier, specifier, /*moduleNotFoundError*/ void 0 ); if (!moduleSymbol) { return void 0; } return getDeclarationOfKind( moduleSymbol, 307 /* SourceFile */ ); } function initializeTypeChecker() { for (const file of host.getSourceFiles()) { bindSourceFile(file, compilerOptions); } amalgamatedDuplicates = /* @__PURE__ */ new Map(); let augmentations; for (const file of host.getSourceFiles()) { if (file.redirectInfo) { continue; } if (!isExternalOrCommonJsModule(file)) { const fileGlobalThisSymbol = file.locals.get("globalThis"); if (fileGlobalThisSymbol == null ? void 0 : fileGlobalThisSymbol.declarations) { for (const declaration of fileGlobalThisSymbol.declarations) { diagnostics.add(createDiagnosticForNode(declaration, Diagnostics.Declaration_name_conflicts_with_built_in_global_identifier_0, "globalThis")); } } mergeSymbolTable(globals2, file.locals); } if (file.jsGlobalAugmentations) { mergeSymbolTable(globals2, file.jsGlobalAugmentations); } if (file.patternAmbientModules && file.patternAmbientModules.length) { patternAmbientModules = concatenate(patternAmbientModules, file.patternAmbientModules); } if (file.moduleAugmentations.length) { (augmentations || (augmentations = [])).push(file.moduleAugmentations); } if (file.symbol && file.symbol.globalExports) { const source = file.symbol.globalExports; source.forEach((sourceSymbol, id) => { if (!globals2.has(id)) { globals2.set(id, sourceSymbol); } }); } } if (augmentations) { for (const list of augmentations) { for (const augmentation of list) { if (!isGlobalScopeAugmentation(augmentation.parent)) continue; mergeModuleAugmentation(augmentation); } } } addUndefinedToGlobalsOrErrorOnRedeclaration(); getSymbolLinks(undefinedSymbol).type = undefinedWideningType; getSymbolLinks(argumentsSymbol).type = getGlobalType( "IArguments", /*arity*/ 0, /*reportErrors*/ true ); getSymbolLinks(unknownSymbol).type = errorType; getSymbolLinks(globalThisSymbol).type = createObjectType(16, globalThisSymbol); globalArrayType = getGlobalType( "Array", /*arity*/ 1, /*reportErrors*/ true ); globalObjectType = getGlobalType( "Object", /*arity*/ 0, /*reportErrors*/ true ); globalFunctionType = getGlobalType( "Function", /*arity*/ 0, /*reportErrors*/ true ); globalCallableFunctionType = strictBindCallApply && getGlobalType( "CallableFunction", /*arity*/ 0, /*reportErrors*/ true ) || globalFunctionType; globalNewableFunctionType = strictBindCallApply && getGlobalType( "NewableFunction", /*arity*/ 0, /*reportErrors*/ true ) || globalFunctionType; globalStringType = getGlobalType( "String", /*arity*/ 0, /*reportErrors*/ true ); globalNumberType = getGlobalType( "Number", /*arity*/ 0, /*reportErrors*/ true ); globalBooleanType = getGlobalType( "Boolean", /*arity*/ 0, /*reportErrors*/ true ); globalRegExpType = getGlobalType( "RegExp", /*arity*/ 0, /*reportErrors*/ true ); anyArrayType = createArrayType(anyType2); autoArrayType = createArrayType(autoType); if (autoArrayType === emptyObjectType) { autoArrayType = createAnonymousType( /*symbol*/ void 0, emptySymbols, emptyArray, emptyArray, emptyArray ); } globalReadonlyArrayType = getGlobalTypeOrUndefined( "ReadonlyArray", /*arity*/ 1 ) || globalArrayType; anyReadonlyArrayType = globalReadonlyArrayType ? createTypeFromGenericGlobalType(globalReadonlyArrayType, [anyType2]) : anyArrayType; globalThisType = getGlobalTypeOrUndefined( "ThisType", /*arity*/ 1 ); if (augmentations) { for (const list of augmentations) { for (const augmentation of list) { if (isGlobalScopeAugmentation(augmentation.parent)) continue; mergeModuleAugmentation(augmentation); } } } amalgamatedDuplicates.forEach(({ firstFile, secondFile, conflictingSymbols }) => { if (conflictingSymbols.size < 8) { conflictingSymbols.forEach(({ isBlockScoped, firstFileLocations, secondFileLocations }, symbolName2) => { const message = isBlockScoped ? Diagnostics.Cannot_redeclare_block_scoped_variable_0 : Diagnostics.Duplicate_identifier_0; for (const node of firstFileLocations) { addDuplicateDeclarationError(node, message, symbolName2, secondFileLocations); } for (const node of secondFileLocations) { addDuplicateDeclarationError(node, message, symbolName2, firstFileLocations); } }); } else { const list = arrayFrom(conflictingSymbols.keys()).join(", "); diagnostics.add(addRelatedInfo( createDiagnosticForNode(firstFile, Diagnostics.Definitions_of_the_following_identifiers_conflict_with_those_in_another_file_Colon_0, list), createDiagnosticForNode(secondFile, Diagnostics.Conflicts_are_in_this_file) )); diagnostics.add(addRelatedInfo( createDiagnosticForNode(secondFile, Diagnostics.Definitions_of_the_following_identifiers_conflict_with_those_in_another_file_Colon_0, list), createDiagnosticForNode(firstFile, Diagnostics.Conflicts_are_in_this_file) )); } }); amalgamatedDuplicates = void 0; } function checkExternalEmitHelpers(location, helpers) { if (compilerOptions.importHelpers) { const sourceFile = getSourceFileOfNode(location); if (isEffectiveExternalModule(sourceFile, compilerOptions) && !(location.flags & 33554432)) { const helpersModule = resolveHelpersModule(sourceFile, location); if (helpersModule !== unknownSymbol) { const links = getSymbolLinks(helpersModule); links.requestedExternalEmitHelpers ?? (links.requestedExternalEmitHelpers = 0); if ((links.requestedExternalEmitHelpers & helpers) !== helpers) { const uncheckedHelpers = helpers & ~links.requestedExternalEmitHelpers; for (let helper = 1; helper <= 16777216; helper <<= 1) { if (uncheckedHelpers & helper) { for (const name of getHelperNames(helper)) { const symbol = resolveSymbol(getSymbol2( getExportsOfModule(helpersModule), escapeLeadingUnderscores(name), 111551 /* Value */ )); if (!symbol) { error2(location, Diagnostics.This_syntax_requires_an_imported_helper_named_1_which_does_not_exist_in_0_Consider_upgrading_your_version_of_0, externalHelpersModuleNameText, name); } else if (helper & 524288) { if (!some(getSignaturesOfSymbol(symbol), (signature) => getParameterCount(signature) > 3)) { error2(location, Diagnostics.This_syntax_requires_an_imported_helper_named_1_with_2_parameters_which_is_not_compatible_with_the_one_in_0_Consider_upgrading_your_version_of_0, externalHelpersModuleNameText, name, 4); } } else if (helper & 1048576) { if (!some(getSignaturesOfSymbol(symbol), (signature) => getParameterCount(signature) > 4)) { error2(location, Diagnostics.This_syntax_requires_an_imported_helper_named_1_with_2_parameters_which_is_not_compatible_with_the_one_in_0_Consider_upgrading_your_version_of_0, externalHelpersModuleNameText, name, 5); } } else if (helper & 1024) { if (!some(getSignaturesOfSymbol(symbol), (signature) => getParameterCount(signature) > 2)) { error2(location, Diagnostics.This_syntax_requires_an_imported_helper_named_1_with_2_parameters_which_is_not_compatible_with_the_one_in_0_Consider_upgrading_your_version_of_0, externalHelpersModuleNameText, name, 3); } } } } } } links.requestedExternalEmitHelpers |= helpers; } } } } function getHelperNames(helper) { switch (helper) { case 1: return ["__extends"]; case 2: return ["__assign"]; case 4: return ["__rest"]; case 8: return legacyDecorators ? ["__decorate"] : ["__esDecorate", "__runInitializers"]; case 16: return ["__metadata"]; case 32: return ["__param"]; case 64: return ["__awaiter"]; case 128: return ["__generator"]; case 256: return ["__values"]; case 512: return ["__read"]; case 1024: return ["__spreadArray"]; case 2048: return ["__await"]; case 4096: return ["__asyncGenerator"]; case 8192: return ["__asyncDelegator"]; case 16384: return ["__asyncValues"]; case 32768: return ["__exportStar"]; case 65536: return ["__importStar"]; case 131072: return ["__importDefault"]; case 262144: return ["__makeTemplateObject"]; case 524288: return ["__classPrivateFieldGet"]; case 1048576: return ["__classPrivateFieldSet"]; case 2097152: return ["__classPrivateFieldIn"]; case 4194304: return ["__setFunctionName"]; case 8388608: return ["__propKey"]; case 16777216: return ["__addDisposableResource", "__disposeResources"]; default: return Debug.fail("Unrecognized helper"); } } function resolveHelpersModule(file, errorNode) { const links = getNodeLinks(file); if (!links.externalHelpersModule) { links.externalHelpersModule = resolveExternalModule(getImportHelpersImportSpecifier(file), externalHelpersModuleNameText, Diagnostics.This_syntax_requires_an_imported_helper_but_module_0_cannot_be_found, errorNode) || unknownSymbol; } return links.externalHelpersModule; } function checkGrammarModifiers(node) { var _a; const quickResult = reportObviousDecoratorErrors(node) || reportObviousModifierErrors(node); if (quickResult !== void 0) { return quickResult; } if (isParameter(node) && parameterIsThisKeyword(node)) { return grammarErrorOnFirstToken(node, Diagnostics.Neither_decorators_nor_modifiers_may_be_applied_to_this_parameters); } const blockScopeKind = isVariableStatement(node) ? node.declarationList.flags & 7 : 0; let lastStatic, lastDeclare, lastAsync, lastOverride, firstDecorator; let flags = 0; let sawExportBeforeDecorators = false; let hasLeadingDecorators = false; for (const modifier of node.modifiers) { if (isDecorator(modifier)) { if (!nodeCanBeDecorated(legacyDecorators, node, node.parent, node.parent.parent)) { if (node.kind === 174 && !nodeIsPresent(node.body)) { return grammarErrorOnFirstToken(node, Diagnostics.A_decorator_can_only_decorate_a_method_implementation_not_an_overload); } else { return grammarErrorOnFirstToken(node, Diagnostics.Decorators_are_not_valid_here); } } else if (legacyDecorators && (node.kind === 177 || node.kind === 178)) { const accessors = getAllAccessorDeclarationsForDeclaration(node); if (hasDecorators(accessors.firstAccessor) && node === accessors.secondAccessor) { return grammarErrorOnFirstToken(node, Diagnostics.Decorators_cannot_be_applied_to_multiple_get_Slashset_accessors_of_the_same_name); } } if (flags & ~(2080 | 32768)) { return grammarErrorOnNode(modifier, Diagnostics.Decorators_are_not_valid_here); } if (hasLeadingDecorators && flags & 98303) { Debug.assertIsDefined(firstDecorator); const sourceFile = getSourceFileOfNode(modifier); if (!hasParseDiagnostics(sourceFile)) { addRelatedInfo( error2(modifier, Diagnostics.Decorators_may_not_appear_after_export_or_export_default_if_they_also_appear_before_export), createDiagnosticForNode(firstDecorator, Diagnostics.Decorator_used_before_export_here) ); return true; } return false; } flags |= 32768; if (!(flags & 98303)) { hasLeadingDecorators = true; } else if (flags & 32) { sawExportBeforeDecorators = true; } firstDecorator ?? (firstDecorator = modifier); } else { if (modifier.kind !== 148) { if (node.kind === 171 || node.kind === 173) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_type_member, tokenToString(modifier.kind)); } if (node.kind === 181 && (modifier.kind !== 126 || !isClassLike(node.parent))) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_an_index_signature, tokenToString(modifier.kind)); } } if (modifier.kind !== 103 && modifier.kind !== 147 && modifier.kind !== 87) { if (node.kind === 168) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_type_parameter, tokenToString(modifier.kind)); } } switch (modifier.kind) { case 87: { if (node.kind !== 266 && node.kind !== 168) { return grammarErrorOnNode(node, Diagnostics.A_class_member_cannot_have_the_0_keyword, tokenToString( 87 /* ConstKeyword */ )); } const parent2 = isJSDocTemplateTag(node.parent) && getEffectiveJSDocHost(node.parent) || node.parent; if (node.kind === 168 && !(isFunctionLikeDeclaration(parent2) || isClassLike(parent2) || isFunctionTypeNode(parent2) || isConstructorTypeNode(parent2) || isCallSignatureDeclaration(parent2) || isConstructSignatureDeclaration(parent2) || isMethodSignature(parent2))) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_can_only_appear_on_a_type_parameter_of_a_function_method_or_class, tokenToString(modifier.kind)); } break; } case 164: if (flags & 16) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "override"); } else if (flags & 128) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "override", "declare"); } else if (flags & 8) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "override", "readonly"); } else if (flags & 512) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "override", "accessor"); } else if (flags & 1024) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "override", "async"); } flags |= 16; lastOverride = modifier; break; case 125: case 124: case 123: const text = visibilityToString(modifierToFlag(modifier.kind)); if (flags & 7) { return grammarErrorOnNode(modifier, Diagnostics.Accessibility_modifier_already_seen); } else if (flags & 16) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, text, "override"); } else if (flags & 256) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, text, "static"); } else if (flags & 512) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, text, "accessor"); } else if (flags & 8) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, text, "readonly"); } else if (flags & 1024) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, text, "async"); } else if (node.parent.kind === 268 || node.parent.kind === 307) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_module_or_namespace_element, text); } else if (flags & 64) { if (modifier.kind === 123) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, text, "abstract"); } else { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, text, "abstract"); } } else if (isPrivateIdentifierClassElementDeclaration(node)) { return grammarErrorOnNode(modifier, Diagnostics.An_accessibility_modifier_cannot_be_used_with_a_private_identifier); } flags |= modifierToFlag(modifier.kind); break; case 126: if (flags & 256) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "static"); } else if (flags & 8) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "static", "readonly"); } else if (flags & 1024) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "static", "async"); } else if (flags & 512) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "static", "accessor"); } else if (node.parent.kind === 268 || node.parent.kind === 307) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_module_or_namespace_element, "static"); } else if (node.kind === 169) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_parameter, "static"); } else if (flags & 64) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "static", "abstract"); } else if (flags & 16) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "static", "override"); } flags |= 256; lastStatic = modifier; break; case 129: if (flags & 512) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "accessor"); } else if (flags & 8) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "accessor", "readonly"); } else if (flags & 128) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "accessor", "declare"); } else if (node.kind !== 172) { return grammarErrorOnNode(modifier, Diagnostics.accessor_modifier_can_only_appear_on_a_property_declaration); } flags |= 512; break; case 148: if (flags & 8) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "readonly"); } else if (node.kind !== 172 && node.kind !== 171 && node.kind !== 181 && node.kind !== 169) { return grammarErrorOnNode(modifier, Diagnostics.readonly_modifier_can_only_appear_on_a_property_declaration_or_index_signature); } else if (flags & 512) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "readonly", "accessor"); } flags |= 8; break; case 95: if (compilerOptions.verbatimModuleSyntax && !(node.flags & 33554432) && node.kind !== 265 && node.kind !== 264 && // ModuleDeclaration needs to be checked that it is uninstantiated later node.kind !== 267 && node.parent.kind === 307 && (moduleKind === 1 || getSourceFileOfNode(node).impliedNodeFormat === 1)) { return grammarErrorOnNode(modifier, Diagnostics.A_top_level_export_modifier_cannot_be_used_on_value_declarations_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled); } if (flags & 32) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "export"); } else if (flags & 128) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "export", "declare"); } else if (flags & 64) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "export", "abstract"); } else if (flags & 1024) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "export", "async"); } else if (isClassLike(node.parent)) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_class_elements_of_this_kind, "export"); } else if (node.kind === 169) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_parameter, "export"); } else if (blockScopeKind === 4) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_using_declaration, "export"); } else if (blockScopeKind === 6) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_an_await_using_declaration, "export"); } flags |= 32; break; case 90: const container = node.parent.kind === 307 ? node.parent : node.parent.parent; if (container.kind === 267 && !isAmbientModule(container)) { return grammarErrorOnNode(modifier, Diagnostics.A_default_export_can_only_be_used_in_an_ECMAScript_style_module); } else if (blockScopeKind === 4) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_using_declaration, "default"); } else if (blockScopeKind === 6) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_an_await_using_declaration, "default"); } else if (!(flags & 32)) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "export", "default"); } else if (sawExportBeforeDecorators) { return grammarErrorOnNode(firstDecorator, Diagnostics.Decorators_are_not_valid_here); } flags |= 2048; break; case 138: if (flags & 128) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "declare"); } else if (flags & 1024) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_in_an_ambient_context, "async"); } else if (flags & 16) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_in_an_ambient_context, "override"); } else if (isClassLike(node.parent) && !isPropertyDeclaration(node)) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_class_elements_of_this_kind, "declare"); } else if (node.kind === 169) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_parameter, "declare"); } else if (blockScopeKind === 4) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_using_declaration, "declare"); } else if (blockScopeKind === 6) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_an_await_using_declaration, "declare"); } else if (node.parent.flags & 33554432 && node.parent.kind === 268) { return grammarErrorOnNode(modifier, Diagnostics.A_declare_modifier_cannot_be_used_in_an_already_ambient_context); } else if (isPrivateIdentifierClassElementDeclaration(node)) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_a_private_identifier, "declare"); } else if (flags & 512) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "declare", "accessor"); } flags |= 128; lastDeclare = modifier; break; case 128: if (flags & 64) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "abstract"); } if (node.kind !== 263 && node.kind !== 185) { if (node.kind !== 174 && node.kind !== 172 && node.kind !== 177 && node.kind !== 178) { return grammarErrorOnNode(modifier, Diagnostics.abstract_modifier_can_only_appear_on_a_class_method_or_property_declaration); } if (!(node.parent.kind === 263 && hasSyntacticModifier( node.parent, 64 /* Abstract */ ))) { const message = node.kind === 172 ? Diagnostics.Abstract_properties_can_only_appear_within_an_abstract_class : Diagnostics.Abstract_methods_can_only_appear_within_an_abstract_class; return grammarErrorOnNode(modifier, message); } if (flags & 256) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "static", "abstract"); } if (flags & 2) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "private", "abstract"); } if (flags & 1024 && lastAsync) { return grammarErrorOnNode(lastAsync, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "async", "abstract"); } if (flags & 16) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "abstract", "override"); } if (flags & 512) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "abstract", "accessor"); } } if (isNamedDeclaration(node) && node.name.kind === 81) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_a_private_identifier, "abstract"); } flags |= 64; break; case 134: if (flags & 1024) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "async"); } else if (flags & 128 || node.parent.flags & 33554432) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_in_an_ambient_context, "async"); } else if (node.kind === 169) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_parameter, "async"); } if (flags & 64) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "async", "abstract"); } flags |= 1024; lastAsync = modifier; break; case 103: case 147: { const inOutFlag = modifier.kind === 103 ? 8192 : 16384; const inOutText = modifier.kind === 103 ? "in" : "out"; const parent2 = isJSDocTemplateTag(node.parent) && (getEffectiveJSDocHost(node.parent) || find((_a = getJSDocRoot(node.parent)) == null ? void 0 : _a.tags, isJSDocTypedefTag)) || node.parent; if (node.kind !== 168 || parent2 && !(isInterfaceDeclaration(parent2) || isClassLike(parent2) || isTypeAliasDeclaration(parent2) || isJSDocTypedefTag(parent2))) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_can_only_appear_on_a_type_parameter_of_a_class_interface_or_type_alias, inOutText); } if (flags & inOutFlag) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, inOutText); } if (inOutFlag & 8192 && flags & 16384) { return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "in", "out"); } flags |= inOutFlag; break; } } } } if (node.kind === 176) { if (flags & 256) { return grammarErrorOnNode(lastStatic, Diagnostics._0_modifier_cannot_appear_on_a_constructor_declaration, "static"); } if (flags & 16) { return grammarErrorOnNode(lastOverride, Diagnostics._0_modifier_cannot_appear_on_a_constructor_declaration, "override"); } if (flags & 1024) { return grammarErrorOnNode(lastAsync, Diagnostics._0_modifier_cannot_appear_on_a_constructor_declaration, "async"); } return false; } else if ((node.kind === 272 || node.kind === 271) && flags & 128) { return grammarErrorOnNode(lastDeclare, Diagnostics.A_0_modifier_cannot_be_used_with_an_import_declaration, "declare"); } else if (node.kind === 169 && flags & 31 && isBindingPattern(node.name)) { return grammarErrorOnNode(node, Diagnostics.A_parameter_property_may_not_be_declared_using_a_binding_pattern); } else if (node.kind === 169 && flags & 31 && node.dotDotDotToken) { return grammarErrorOnNode(node, Diagnostics.A_parameter_property_cannot_be_declared_using_a_rest_parameter); } if (flags & 1024) { return checkGrammarAsyncModifier(node, lastAsync); } return false; } function reportObviousModifierErrors(node) { if (!node.modifiers) return false; const modifier = findFirstIllegalModifier(node); return modifier && grammarErrorOnFirstToken(modifier, Diagnostics.Modifiers_cannot_appear_here); } function findFirstModifierExcept(node, allowedModifier) { const modifier = find(node.modifiers, isModifier); return modifier && modifier.kind !== allowedModifier ? modifier : void 0; } function findFirstIllegalModifier(node) { switch (node.kind) { case 177: case 178: case 176: case 172: case 171: case 174: case 173: case 181: case 267: case 272: case 271: case 278: case 277: case 218: case 219: case 169: case 168: return void 0; case 175: case 303: case 304: case 270: case 282: return find(node.modifiers, isModifier); default: if (node.parent.kind === 268 || node.parent.kind === 307) { return void 0; } switch (node.kind) { case 262: return findFirstModifierExcept( node, 134 /* AsyncKeyword */ ); case 263: case 185: return findFirstModifierExcept( node, 128 /* AbstractKeyword */ ); case 231: case 264: case 265: return find(node.modifiers, isModifier); case 243: return node.declarationList.flags & 4 ? findFirstModifierExcept( node, 135 /* AwaitKeyword */ ) : find(node.modifiers, isModifier); case 266: return findFirstModifierExcept( node, 87 /* ConstKeyword */ ); default: Debug.assertNever(node); } } } function reportObviousDecoratorErrors(node) { const decorator = findFirstIllegalDecorator(node); return decorator && grammarErrorOnFirstToken(decorator, Diagnostics.Decorators_are_not_valid_here); } function findFirstIllegalDecorator(node) { return canHaveIllegalDecorators(node) ? find(node.modifiers, isDecorator) : void 0; } function checkGrammarAsyncModifier(node, asyncModifier) { switch (node.kind) { case 174: case 262: case 218: case 219: return false; } return grammarErrorOnNode(asyncModifier, Diagnostics._0_modifier_cannot_be_used_here, "async"); } function checkGrammarForDisallowedTrailingComma(list, diag2 = Diagnostics.Trailing_comma_not_allowed) { if (list && list.hasTrailingComma) { return grammarErrorAtPos(list[0], list.end - ",".length, ",".length, diag2); } return false; } function checkGrammarTypeParameterList(typeParameters, file) { if (typeParameters && typeParameters.length === 0) { const start = typeParameters.pos - "<".length; const end = skipTrivia(file.text, typeParameters.end) + ">".length; return grammarErrorAtPos(file, start, end - start, Diagnostics.Type_parameter_list_cannot_be_empty); } return false; } function checkGrammarParameterList(parameters) { let seenOptionalParameter = false; const parameterCount = parameters.length; for (let i = 0; i < parameterCount; i++) { const parameter = parameters[i]; if (parameter.dotDotDotToken) { if (i !== parameterCount - 1) { return grammarErrorOnNode(parameter.dotDotDotToken, Diagnostics.A_rest_parameter_must_be_last_in_a_parameter_list); } if (!(parameter.flags & 33554432)) { checkGrammarForDisallowedTrailingComma(parameters, Diagnostics.A_rest_parameter_or_binding_pattern_may_not_have_a_trailing_comma); } if (parameter.questionToken) { return grammarErrorOnNode(parameter.questionToken, Diagnostics.A_rest_parameter_cannot_be_optional); } if (parameter.initializer) { return grammarErrorOnNode(parameter.name, Diagnostics.A_rest_parameter_cannot_have_an_initializer); } } else if (hasEffectiveQuestionToken(parameter)) { seenOptionalParameter = true; if (parameter.questionToken && parameter.initializer) { return grammarErrorOnNode(parameter.name, Diagnostics.Parameter_cannot_have_question_mark_and_initializer); } } else if (seenOptionalParameter && !parameter.initializer) { return grammarErrorOnNode(parameter.name, Diagnostics.A_required_parameter_cannot_follow_an_optional_parameter); } } } function getNonSimpleParameters(parameters) { return filter(parameters, (parameter) => !!parameter.initializer || isBindingPattern(parameter.name) || isRestParameter(parameter)); } function checkGrammarForUseStrictSimpleParameterList(node) { if (languageVersion >= 3) { const useStrictDirective = node.body && isBlock(node.body) && findUseStrictPrologue(node.body.statements); if (useStrictDirective) { const nonSimpleParameters = getNonSimpleParameters(node.parameters); if (length(nonSimpleParameters)) { forEach(nonSimpleParameters, (parameter) => { addRelatedInfo( error2(parameter, Diagnostics.This_parameter_is_not_allowed_with_use_strict_directive), createDiagnosticForNode(useStrictDirective, Diagnostics.use_strict_directive_used_here) ); }); const diagnostics2 = nonSimpleParameters.map((parameter, index) => index === 0 ? createDiagnosticForNode(parameter, Diagnostics.Non_simple_parameter_declared_here) : createDiagnosticForNode(parameter, Diagnostics.and_here)); addRelatedInfo(error2(useStrictDirective, Diagnostics.use_strict_directive_cannot_be_used_with_non_simple_parameter_list), ...diagnostics2); return true; } } } return false; } function checkGrammarFunctionLikeDeclaration(node) { const file = getSourceFileOfNode(node); return checkGrammarModifiers(node) || checkGrammarTypeParameterList(node.typeParameters, file) || checkGrammarParameterList(node.parameters) || checkGrammarArrowFunction(node, file) || isFunctionLikeDeclaration(node) && checkGrammarForUseStrictSimpleParameterList(node); } function checkGrammarClassLikeDeclaration(node) { const file = getSourceFileOfNode(node); return checkGrammarClassDeclarationHeritageClauses(node) || checkGrammarTypeParameterList(node.typeParameters, file); } function checkGrammarArrowFunction(node, file) { if (!isArrowFunction(node)) { return false; } if (node.typeParameters && !(length(node.typeParameters) > 1 || node.typeParameters.hasTrailingComma || node.typeParameters[0].constraint)) { if (file && fileExtensionIsOneOf(file.fileName, [ ".mts", ".cts" /* Cts */ ])) { grammarErrorOnNode(node.typeParameters[0], Diagnostics.This_syntax_is_reserved_in_files_with_the_mts_or_cts_extension_Add_a_trailing_comma_or_explicit_constraint); } } const { equalsGreaterThanToken } = node; const startLine = getLineAndCharacterOfPosition(file, equalsGreaterThanToken.pos).line; const endLine = getLineAndCharacterOfPosition(file, equalsGreaterThanToken.end).line; return startLine !== endLine && grammarErrorOnNode(equalsGreaterThanToken, Diagnostics.Line_terminator_not_permitted_before_arrow); } function checkGrammarIndexSignatureParameters(node) { const parameter = node.parameters[0]; if (node.parameters.length !== 1) { if (parameter) { return grammarErrorOnNode(parameter.name, Diagnostics.An_index_signature_must_have_exactly_one_parameter); } else { return grammarErrorOnNode(node, Diagnostics.An_index_signature_must_have_exactly_one_parameter); } } checkGrammarForDisallowedTrailingComma(node.parameters, Diagnostics.An_index_signature_cannot_have_a_trailing_comma); if (parameter.dotDotDotToken) { return grammarErrorOnNode(parameter.dotDotDotToken, Diagnostics.An_index_signature_cannot_have_a_rest_parameter); } if (hasEffectiveModifiers(parameter)) { return grammarErrorOnNode(parameter.name, Diagnostics.An_index_signature_parameter_cannot_have_an_accessibility_modifier); } if (parameter.questionToken) { return grammarErrorOnNode(parameter.questionToken, Diagnostics.An_index_signature_parameter_cannot_have_a_question_mark); } if (parameter.initializer) { return grammarErrorOnNode(parameter.name, Diagnostics.An_index_signature_parameter_cannot_have_an_initializer); } if (!parameter.type) { return grammarErrorOnNode(parameter.name, Diagnostics.An_index_signature_parameter_must_have_a_type_annotation); } const type = getTypeFromTypeNode(parameter.type); if (someType(type, (t) => !!(t.flags & 8576)) || isGenericType(type)) { return grammarErrorOnNode(parameter.name, Diagnostics.An_index_signature_parameter_type_cannot_be_a_literal_type_or_generic_type_Consider_using_a_mapped_object_type_instead); } if (!everyType(type, isValidIndexKeyType)) { return grammarErrorOnNode(parameter.name, Diagnostics.An_index_signature_parameter_type_must_be_string_number_symbol_or_a_template_literal_type); } if (!node.type) { return grammarErrorOnNode(node, Diagnostics.An_index_signature_must_have_a_type_annotation); } return false; } function checkGrammarIndexSignature(node) { return checkGrammarModifiers(node) || checkGrammarIndexSignatureParameters(node); } function checkGrammarForAtLeastOneTypeArgument(node, typeArguments) { if (typeArguments && typeArguments.length === 0) { const sourceFile = getSourceFileOfNode(node); const start = typeArguments.pos - "<".length; const end = skipTrivia(sourceFile.text, typeArguments.end) + ">".length; return grammarErrorAtPos(sourceFile, start, end - start, Diagnostics.Type_argument_list_cannot_be_empty); } return false; } function checkGrammarTypeArguments(node, typeArguments) { return checkGrammarForDisallowedTrailingComma(typeArguments) || checkGrammarForAtLeastOneTypeArgument(node, typeArguments); } function checkGrammarTaggedTemplateChain(node) { if (node.questionDotToken || node.flags & 64) { return grammarErrorOnNode(node.template, Diagnostics.Tagged_template_expressions_are_not_permitted_in_an_optional_chain); } return false; } function checkGrammarHeritageClause(node) { const types = node.types; if (checkGrammarForDisallowedTrailingComma(types)) { return true; } if (types && types.length === 0) { const listType = tokenToString(node.token); return grammarErrorAtPos(node, types.pos, 0, Diagnostics._0_list_cannot_be_empty, listType); } return some(types, checkGrammarExpressionWithTypeArguments); } function checkGrammarExpressionWithTypeArguments(node) { if (isExpressionWithTypeArguments(node) && isImportKeyword(node.expression) && node.typeArguments) { return grammarErrorOnNode(node, Diagnostics.This_use_of_import_is_invalid_import_calls_can_be_written_but_they_must_have_parentheses_and_cannot_have_type_arguments); } return checkGrammarTypeArguments(node, node.typeArguments); } function checkGrammarClassDeclarationHeritageClauses(node) { let seenExtendsClause = false; let seenImplementsClause = false; if (!checkGrammarModifiers(node) && node.heritageClauses) { for (const heritageClause of node.heritageClauses) { if (heritageClause.token === 96) { if (seenExtendsClause) { return grammarErrorOnFirstToken(heritageClause, Diagnostics.extends_clause_already_seen); } if (seenImplementsClause) { return grammarErrorOnFirstToken(heritageClause, Diagnostics.extends_clause_must_precede_implements_clause); } if (heritageClause.types.length > 1) { return grammarErrorOnFirstToken(heritageClause.types[1], Diagnostics.Classes_can_only_extend_a_single_class); } seenExtendsClause = true; } else { Debug.assert( heritageClause.token === 119 /* ImplementsKeyword */ ); if (seenImplementsClause) { return grammarErrorOnFirstToken(heritageClause, Diagnostics.implements_clause_already_seen); } seenImplementsClause = true; } checkGrammarHeritageClause(heritageClause); } } } function checkGrammarInterfaceDeclaration(node) { let seenExtendsClause = false; if (node.heritageClauses) { for (const heritageClause of node.heritageClauses) { if (heritageClause.token === 96) { if (seenExtendsClause) { return grammarErrorOnFirstToken(heritageClause, Diagnostics.extends_clause_already_seen); } seenExtendsClause = true; } else { Debug.assert( heritageClause.token === 119 /* ImplementsKeyword */ ); return grammarErrorOnFirstToken(heritageClause, Diagnostics.Interface_declaration_cannot_have_implements_clause); } checkGrammarHeritageClause(heritageClause); } } return false; } function checkGrammarComputedPropertyName(node) { if (node.kind !== 167) { return false; } const computedPropertyName = node; if (computedPropertyName.expression.kind === 226 && computedPropertyName.expression.operatorToken.kind === 28) { return grammarErrorOnNode(computedPropertyName.expression, Diagnostics.A_comma_expression_is_not_allowed_in_a_computed_property_name); } return false; } function checkGrammarForGenerator(node) { if (node.asteriskToken) { Debug.assert( node.kind === 262 || node.kind === 218 || node.kind === 174 /* MethodDeclaration */ ); if (node.flags & 33554432) { return grammarErrorOnNode(node.asteriskToken, Diagnostics.Generators_are_not_allowed_in_an_ambient_context); } if (!node.body) { return grammarErrorOnNode(node.asteriskToken, Diagnostics.An_overload_signature_cannot_be_declared_as_a_generator); } } } function checkGrammarForInvalidQuestionMark(questionToken, message) { return !!questionToken && grammarErrorOnNode(questionToken, message); } function checkGrammarForInvalidExclamationToken(exclamationToken, message) { return !!exclamationToken && grammarErrorOnNode(exclamationToken, message); } function checkGrammarObjectLiteralExpression(node, inDestructuring) { const seen = /* @__PURE__ */ new Map(); for (const prop of node.properties) { if (prop.kind === 305) { if (inDestructuring) { const expression = skipParentheses(prop.expression); if (isArrayLiteralExpression(expression) || isObjectLiteralExpression(expression)) { return grammarErrorOnNode(prop.expression, Diagnostics.A_rest_element_cannot_contain_a_binding_pattern); } } continue; } const name = prop.name; if (name.kind === 167) { checkGrammarComputedPropertyName(name); } if (prop.kind === 304 && !inDestructuring && prop.objectAssignmentInitializer) { grammarErrorOnNode(prop.equalsToken, Diagnostics.Did_you_mean_to_use_a_Colon_An_can_only_follow_a_property_name_when_the_containing_object_literal_is_part_of_a_destructuring_pattern); } if (name.kind === 81) { grammarErrorOnNode(name, Diagnostics.Private_identifiers_are_not_allowed_outside_class_bodies); } if (canHaveModifiers(prop) && prop.modifiers) { for (const mod of prop.modifiers) { if (isModifier(mod) && (mod.kind !== 134 || prop.kind !== 174)) { grammarErrorOnNode(mod, Diagnostics._0_modifier_cannot_be_used_here, getTextOfNode(mod)); } } } else if (canHaveIllegalModifiers(prop) && prop.modifiers) { for (const mod of prop.modifiers) { if (isModifier(mod)) { grammarErrorOnNode(mod, Diagnostics._0_modifier_cannot_be_used_here, getTextOfNode(mod)); } } } let currentKind; switch (prop.kind) { case 304: case 303: checkGrammarForInvalidExclamationToken(prop.exclamationToken, Diagnostics.A_definite_assignment_assertion_is_not_permitted_in_this_context); checkGrammarForInvalidQuestionMark(prop.questionToken, Diagnostics.An_object_member_cannot_be_declared_optional); if (name.kind === 9) { checkGrammarNumericLiteral(name); } currentKind = 4; break; case 174: currentKind = 8; break; case 177: currentKind = 1; break; case 178: currentKind = 2; break; default: Debug.assertNever(prop, "Unexpected syntax kind:" + prop.kind); } if (!inDestructuring) { const effectiveName = getEffectivePropertyNameForPropertyNameNode(name); if (effectiveName === void 0) { continue; } const existingKind = seen.get(effectiveName); if (!existingKind) { seen.set(effectiveName, currentKind); } else { if (currentKind & 8 && existingKind & 8) { grammarErrorOnNode(name, Diagnostics.Duplicate_identifier_0, getTextOfNode(name)); } else if (currentKind & 4 && existingKind & 4) { grammarErrorOnNode(name, Diagnostics.An_object_literal_cannot_have_multiple_properties_with_the_same_name, getTextOfNode(name)); } else if (currentKind & 3 && existingKind & 3) { if (existingKind !== 3 && currentKind !== existingKind) { seen.set(effectiveName, currentKind | existingKind); } else { return grammarErrorOnNode(name, Diagnostics.An_object_literal_cannot_have_multiple_get_Slashset_accessors_with_the_same_name); } } else { return grammarErrorOnNode(name, Diagnostics.An_object_literal_cannot_have_property_and_accessor_with_the_same_name); } } } } } function checkGrammarJsxElement(node) { checkGrammarJsxName(node.tagName); checkGrammarTypeArguments(node, node.typeArguments); const seen = /* @__PURE__ */ new Map(); for (const attr of node.attributes.properties) { if (attr.kind === 293) { continue; } const { name, initializer } = attr; const escapedText = getEscapedTextOfJsxAttributeName(name); if (!seen.get(escapedText)) { seen.set(escapedText, true); } else { return grammarErrorOnNode(name, Diagnostics.JSX_elements_cannot_have_multiple_attributes_with_the_same_name); } if (initializer && initializer.kind === 294 && !initializer.expression) { return grammarErrorOnNode(initializer, Diagnostics.JSX_attributes_must_only_be_assigned_a_non_empty_expression); } } } function checkGrammarJsxName(node) { if (isPropertyAccessExpression(node) && isJsxNamespacedName(node.expression)) { return grammarErrorOnNode(node.expression, Diagnostics.JSX_property_access_expressions_cannot_include_JSX_namespace_names); } if (isJsxNamespacedName(node) && getJSXTransformEnabled(compilerOptions) && !isIntrinsicJsxName(node.namespace.escapedText)) { return grammarErrorOnNode(node, Diagnostics.React_components_cannot_include_JSX_namespace_names); } } function checkGrammarJsxExpression(node) { if (node.expression && isCommaSequence(node.expression)) { return grammarErrorOnNode(node.expression, Diagnostics.JSX_expressions_may_not_use_the_comma_operator_Did_you_mean_to_write_an_array); } } function checkGrammarForInOrForOfStatement(forInOrOfStatement) { if (checkGrammarStatementInAmbientContext(forInOrOfStatement)) { return true; } if (forInOrOfStatement.kind === 250 && forInOrOfStatement.awaitModifier) { if (!(forInOrOfStatement.flags & 65536)) { const sourceFile = getSourceFileOfNode(forInOrOfStatement); if (isInTopLevelContext(forInOrOfStatement)) { if (!hasParseDiagnostics(sourceFile)) { if (!isEffectiveExternalModule(sourceFile, compilerOptions)) { diagnostics.add(createDiagnosticForNode(forInOrOfStatement.awaitModifier, Diagnostics.for_await_loops_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module)); } switch (moduleKind) { case 100: case 199: if (sourceFile.impliedNodeFormat === 1) { diagnostics.add( createDiagnosticForNode(forInOrOfStatement.awaitModifier, Diagnostics.The_current_file_is_a_CommonJS_module_and_cannot_use_await_at_the_top_level) ); break; } case 7: case 99: case 4: if (languageVersion >= 4) { break; } default: diagnostics.add( createDiagnosticForNode(forInOrOfStatement.awaitModifier, Diagnostics.Top_level_for_await_loops_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher) ); break; } } } else { if (!hasParseDiagnostics(sourceFile)) { const diagnostic = createDiagnosticForNode(forInOrOfStatement.awaitModifier, Diagnostics.for_await_loops_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules); const func = getContainingFunction(forInOrOfStatement); if (func && func.kind !== 176) { Debug.assert((getFunctionFlags(func) & 2) === 0, "Enclosing function should never be an async function."); const relatedInfo = createDiagnosticForNode(func, Diagnostics.Did_you_mean_to_mark_this_function_as_async); addRelatedInfo(diagnostic, relatedInfo); } diagnostics.add(diagnostic); return true; } } } } if (isForOfStatement(forInOrOfStatement) && !(forInOrOfStatement.flags & 65536) && isIdentifier(forInOrOfStatement.initializer) && forInOrOfStatement.initializer.escapedText === "async") { grammarErrorOnNode(forInOrOfStatement.initializer, Diagnostics.The_left_hand_side_of_a_for_of_statement_may_not_be_async); return false; } if (forInOrOfStatement.initializer.kind === 261) { const variableList = forInOrOfStatement.initializer; if (!checkGrammarVariableDeclarationList(variableList)) { const declarations = variableList.declarations; if (!declarations.length) { return false; } if (declarations.length > 1) { const diagnostic = forInOrOfStatement.kind === 249 ? Diagnostics.Only_a_single_variable_declaration_is_allowed_in_a_for_in_statement : Diagnostics.Only_a_single_variable_declaration_is_allowed_in_a_for_of_statement; return grammarErrorOnFirstToken(variableList.declarations[1], diagnostic); } const firstDeclaration = declarations[0]; if (firstDeclaration.initializer) { const diagnostic = forInOrOfStatement.kind === 249 ? Diagnostics.The_variable_declaration_of_a_for_in_statement_cannot_have_an_initializer : Diagnostics.The_variable_declaration_of_a_for_of_statement_cannot_have_an_initializer; return grammarErrorOnNode(firstDeclaration.name, diagnostic); } if (firstDeclaration.type) { const diagnostic = forInOrOfStatement.kind === 249 ? Diagnostics.The_left_hand_side_of_a_for_in_statement_cannot_use_a_type_annotation : Diagnostics.The_left_hand_side_of_a_for_of_statement_cannot_use_a_type_annotation; return grammarErrorOnNode(firstDeclaration, diagnostic); } } } return false; } function checkGrammarAccessor(accessor) { if (!(accessor.flags & 33554432) && accessor.parent.kind !== 187 && accessor.parent.kind !== 264) { if (languageVersion < 2 && isPrivateIdentifier(accessor.name)) { return grammarErrorOnNode(accessor.name, Diagnostics.Private_identifiers_are_only_available_when_targeting_ECMAScript_2015_and_higher); } if (accessor.body === void 0 && !hasSyntacticModifier( accessor, 64 /* Abstract */ )) { return grammarErrorAtPos(accessor, accessor.end - 1, ";".length, Diagnostics._0_expected, "{"); } } if (accessor.body) { if (hasSyntacticModifier( accessor, 64 /* Abstract */ )) { return grammarErrorOnNode(accessor, Diagnostics.An_abstract_accessor_cannot_have_an_implementation); } if (accessor.parent.kind === 187 || accessor.parent.kind === 264) { return grammarErrorOnNode(accessor.body, Diagnostics.An_implementation_cannot_be_declared_in_ambient_contexts); } } if (accessor.typeParameters) { return grammarErrorOnNode(accessor.name, Diagnostics.An_accessor_cannot_have_type_parameters); } if (!doesAccessorHaveCorrectParameterCount(accessor)) { return grammarErrorOnNode( accessor.name, accessor.kind === 177 ? Diagnostics.A_get_accessor_cannot_have_parameters : Diagnostics.A_set_accessor_must_have_exactly_one_parameter ); } if (accessor.kind === 178) { if (accessor.type) { return grammarErrorOnNode(accessor.name, Diagnostics.A_set_accessor_cannot_have_a_return_type_annotation); } const parameter = Debug.checkDefined(getSetAccessorValueParameter(accessor), "Return value does not match parameter count assertion."); if (parameter.dotDotDotToken) { return grammarErrorOnNode(parameter.dotDotDotToken, Diagnostics.A_set_accessor_cannot_have_rest_parameter); } if (parameter.questionToken) { return grammarErrorOnNode(parameter.questionToken, Diagnostics.A_set_accessor_cannot_have_an_optional_parameter); } if (parameter.initializer) { return grammarErrorOnNode(accessor.name, Diagnostics.A_set_accessor_parameter_cannot_have_an_initializer); } } return false; } function doesAccessorHaveCorrectParameterCount(accessor) { return getAccessorThisParameter(accessor) || accessor.parameters.length === (accessor.kind === 177 ? 0 : 1); } function getAccessorThisParameter(accessor) { if (accessor.parameters.length === (accessor.kind === 177 ? 1 : 2)) { return getThisParameter(accessor); } } function checkGrammarTypeOperatorNode(node) { if (node.operator === 158) { if (node.type.kind !== 155) { return grammarErrorOnNode(node.type, Diagnostics._0_expected, tokenToString( 155 /* SymbolKeyword */ )); } let parent2 = walkUpParenthesizedTypes(node.parent); if (isInJSFile(parent2) && isJSDocTypeExpression(parent2)) { const host2 = getJSDocHost(parent2); if (host2) { parent2 = getSingleVariableOfVariableStatement(host2) || host2; } } switch (parent2.kind) { case 260: const decl = parent2; if (decl.name.kind !== 80) { return grammarErrorOnNode(node, Diagnostics.unique_symbol_types_may_not_be_used_on_a_variable_declaration_with_a_binding_name); } if (!isVariableDeclarationInVariableStatement(decl)) { return grammarErrorOnNode(node, Diagnostics.unique_symbol_types_are_only_allowed_on_variables_in_a_variable_statement); } if (!(decl.parent.flags & 2)) { return grammarErrorOnNode(parent2.name, Diagnostics.A_variable_whose_type_is_a_unique_symbol_type_must_be_const); } break; case 172: if (!isStatic(parent2) || !hasEffectiveReadonlyModifier(parent2)) { return grammarErrorOnNode(parent2.name, Diagnostics.A_property_of_a_class_whose_type_is_a_unique_symbol_type_must_be_both_static_and_readonly); } break; case 171: if (!hasSyntacticModifier( parent2, 8 /* Readonly */ )) { return grammarErrorOnNode(parent2.name, Diagnostics.A_property_of_an_interface_or_type_literal_whose_type_is_a_unique_symbol_type_must_be_readonly); } break; default: return grammarErrorOnNode(node, Diagnostics.unique_symbol_types_are_not_allowed_here); } } else if (node.operator === 148) { if (node.type.kind !== 188 && node.type.kind !== 189) { return grammarErrorOnFirstToken(node, Diagnostics.readonly_type_modifier_is_only_permitted_on_array_and_tuple_literal_types, tokenToString( 155 /* SymbolKeyword */ )); } } } function checkGrammarForInvalidDynamicName(node, message) { if (isNonBindableDynamicName(node)) { return grammarErrorOnNode(node, message); } } function checkGrammarMethod(node) { if (checkGrammarFunctionLikeDeclaration(node)) { return true; } if (node.kind === 174) { if (node.parent.kind === 210) { if (node.modifiers && !(node.modifiers.length === 1 && first(node.modifiers).kind === 134)) { return grammarErrorOnFirstToken(node, Diagnostics.Modifiers_cannot_appear_here); } else if (checkGrammarForInvalidQuestionMark(node.questionToken, Diagnostics.An_object_member_cannot_be_declared_optional)) { return true; } else if (checkGrammarForInvalidExclamationToken(node.exclamationToken, Diagnostics.A_definite_assignment_assertion_is_not_permitted_in_this_context)) { return true; } else if (node.body === void 0) { return grammarErrorAtPos(node, node.end - 1, ";".length, Diagnostics._0_expected, "{"); } } if (checkGrammarForGenerator(node)) { return true; } } if (isClassLike(node.parent)) { if (languageVersion < 2 && isPrivateIdentifier(node.name)) { return grammarErrorOnNode(node.name, Diagnostics.Private_identifiers_are_only_available_when_targeting_ECMAScript_2015_and_higher); } if (node.flags & 33554432) { return checkGrammarForInvalidDynamicName(node.name, Diagnostics.A_computed_property_name_in_an_ambient_context_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type); } else if (node.kind === 174 && !node.body) { return checkGrammarForInvalidDynamicName(node.name, Diagnostics.A_computed_property_name_in_a_method_overload_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type); } } else if (node.parent.kind === 264) { return checkGrammarForInvalidDynamicName(node.name, Diagnostics.A_computed_property_name_in_an_interface_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type); } else if (node.parent.kind === 187) { return checkGrammarForInvalidDynamicName(node.name, Diagnostics.A_computed_property_name_in_a_type_literal_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type); } } function checkGrammarBreakOrContinueStatement(node) { let current = node; while (current) { if (isFunctionLikeOrClassStaticBlockDeclaration(current)) { return grammarErrorOnNode(node, Diagnostics.Jump_target_cannot_cross_function_boundary); } switch (current.kind) { case 256: if (node.label && current.label.escapedText === node.label.escapedText) { const isMisplacedContinueLabel = node.kind === 251 && !isIterationStatement( current.statement, /*lookInLabeledStatements*/ true ); if (isMisplacedContinueLabel) { return grammarErrorOnNode(node, Diagnostics.A_continue_statement_can_only_jump_to_a_label_of_an_enclosing_iteration_statement); } return false; } break; case 255: if (node.kind === 252 && !node.label) { return false; } break; default: if (isIterationStatement( current, /*lookInLabeledStatements*/ false ) && !node.label) { return false; } break; } current = current.parent; } if (node.label) { const message = node.kind === 252 ? Diagnostics.A_break_statement_can_only_jump_to_a_label_of_an_enclosing_statement : Diagnostics.A_continue_statement_can_only_jump_to_a_label_of_an_enclosing_iteration_statement; return grammarErrorOnNode(node, message); } else { const message = node.kind === 252 ? Diagnostics.A_break_statement_can_only_be_used_within_an_enclosing_iteration_or_switch_statement : Diagnostics.A_continue_statement_can_only_be_used_within_an_enclosing_iteration_statement; return grammarErrorOnNode(node, message); } } function checkGrammarBindingElement(node) { if (node.dotDotDotToken) { const elements = node.parent.elements; if (node !== last(elements)) { return grammarErrorOnNode(node, Diagnostics.A_rest_element_must_be_last_in_a_destructuring_pattern); } checkGrammarForDisallowedTrailingComma(elements, Diagnostics.A_rest_parameter_or_binding_pattern_may_not_have_a_trailing_comma); if (node.propertyName) { return grammarErrorOnNode(node.name, Diagnostics.A_rest_element_cannot_have_a_property_name); } } if (node.dotDotDotToken && node.initializer) { return grammarErrorAtPos(node, node.initializer.pos - 1, 1, Diagnostics.A_rest_element_cannot_have_an_initializer); } } function isStringOrNumberLiteralExpression(expr) { return isStringOrNumericLiteralLike(expr) || expr.kind === 224 && expr.operator === 41 && expr.operand.kind === 9; } function isBigIntLiteralExpression(expr) { return expr.kind === 10 || expr.kind === 224 && expr.operator === 41 && expr.operand.kind === 10; } function isSimpleLiteralEnumReference(expr) { if ((isPropertyAccessExpression(expr) || isElementAccessExpression(expr) && isStringOrNumberLiteralExpression(expr.argumentExpression)) && isEntityNameExpression(expr.expression)) { return !!(checkExpressionCached(expr).flags & 1056); } } function checkAmbientInitializer(node) { const initializer = node.initializer; if (initializer) { const isInvalidInitializer = !(isStringOrNumberLiteralExpression(initializer) || isSimpleLiteralEnumReference(initializer) || initializer.kind === 112 || initializer.kind === 97 || isBigIntLiteralExpression(initializer)); const isConstOrReadonly = isDeclarationReadonly(node) || isVariableDeclaration(node) && isVarConstLike2(node); if (isConstOrReadonly && !node.type) { if (isInvalidInitializer) { return grammarErrorOnNode(initializer, Diagnostics.A_const_initializer_in_an_ambient_context_must_be_a_string_or_numeric_literal_or_literal_enum_reference); } } else { return grammarErrorOnNode(initializer, Diagnostics.Initializers_are_not_allowed_in_ambient_contexts); } } } function checkGrammarVariableDeclaration(node) { const nodeFlags = getCombinedNodeFlagsCached(node); const blockScopeKind = nodeFlags & 7; if (isBindingPattern(node.name)) { switch (blockScopeKind) { case 6: return grammarErrorOnNode(node, Diagnostics._0_declarations_may_not_have_binding_patterns, "await using"); case 4: return grammarErrorOnNode(node, Diagnostics._0_declarations_may_not_have_binding_patterns, "using"); } } if (node.parent.parent.kind !== 249 && node.parent.parent.kind !== 250) { if (nodeFlags & 33554432) { checkAmbientInitializer(node); } else if (!node.initializer) { if (isBindingPattern(node.name) && !isBindingPattern(node.parent)) { return grammarErrorOnNode(node, Diagnostics.A_destructuring_declaration_must_have_an_initializer); } switch (blockScopeKind) { case 6: return grammarErrorOnNode(node, Diagnostics._0_declarations_must_be_initialized, "await using"); case 4: return grammarErrorOnNode(node, Diagnostics._0_declarations_must_be_initialized, "using"); case 2: return grammarErrorOnNode(node, Diagnostics._0_declarations_must_be_initialized, "const"); } } } if (node.exclamationToken && (node.parent.parent.kind !== 243 || !node.type || node.initializer || nodeFlags & 33554432)) { const message = node.initializer ? Diagnostics.Declarations_with_initializers_cannot_also_have_definite_assignment_assertions : !node.type ? Diagnostics.Declarations_with_definite_assignment_assertions_must_also_have_type_annotations : Diagnostics.A_definite_assignment_assertion_is_not_permitted_in_this_context; return grammarErrorOnNode(node.exclamationToken, message); } if ((moduleKind < 5 || getSourceFileOfNode(node).impliedNodeFormat === 1) && moduleKind !== 4 && !(node.parent.parent.flags & 33554432) && hasSyntacticModifier( node.parent.parent, 32 /* Export */ )) { checkESModuleMarker(node.name); } return !!blockScopeKind && checkGrammarNameInLetOrConstDeclarations(node.name); } function checkESModuleMarker(name) { if (name.kind === 80) { if (idText(name) === "__esModule") { return grammarErrorOnNodeSkippedOn("noEmit", name, Diagnostics.Identifier_expected_esModule_is_reserved_as_an_exported_marker_when_transforming_ECMAScript_modules); } } else { const elements = name.elements; for (const element of elements) { if (!isOmittedExpression(element)) { return checkESModuleMarker(element.name); } } } return false; } function checkGrammarNameInLetOrConstDeclarations(name) { if (name.kind === 80) { if (name.escapedText === "let") { return grammarErrorOnNode(name, Diagnostics.let_is_not_allowed_to_be_used_as_a_name_in_let_or_const_declarations); } } else { const elements = name.elements; for (const element of elements) { if (!isOmittedExpression(element)) { checkGrammarNameInLetOrConstDeclarations(element.name); } } } return false; } function checkGrammarVariableDeclarationList(declarationList) { const declarations = declarationList.declarations; if (checkGrammarForDisallowedTrailingComma(declarationList.declarations)) { return true; } if (!declarationList.declarations.length) { return grammarErrorAtPos(declarationList, declarations.pos, declarations.end - declarations.pos, Diagnostics.Variable_declaration_list_cannot_be_empty); } const blockScopeFlags = declarationList.flags & 7; if ((blockScopeFlags === 4 || blockScopeFlags === 6) && isForInStatement(declarationList.parent)) { return grammarErrorOnNode( declarationList, blockScopeFlags === 4 ? Diagnostics.The_left_hand_side_of_a_for_in_statement_cannot_be_a_using_declaration : Diagnostics.The_left_hand_side_of_a_for_in_statement_cannot_be_an_await_using_declaration ); } if (blockScopeFlags === 6) { return checkAwaitGrammar(declarationList); } return false; } function allowLetAndConstDeclarations(parent2) { switch (parent2.kind) { case 245: case 246: case 247: case 254: case 248: case 249: case 250: return false; case 256: return allowLetAndConstDeclarations(parent2.parent); } return true; } function checkGrammarForDisallowedBlockScopedVariableStatement(node) { if (!allowLetAndConstDeclarations(node.parent)) { const blockScopeKind = getCombinedNodeFlagsCached(node.declarationList) & 7; if (blockScopeKind) { const keyword = blockScopeKind === 1 ? "let" : blockScopeKind === 2 ? "const" : blockScopeKind === 4 ? "using" : blockScopeKind === 6 ? "await using" : Debug.fail("Unknown BlockScope flag"); return grammarErrorOnNode(node, Diagnostics._0_declarations_can_only_be_declared_inside_a_block, keyword); } } } function checkGrammarMetaProperty(node) { const escapedText = node.name.escapedText; switch (node.keywordToken) { case 105: if (escapedText !== "target") { return grammarErrorOnNode(node.name, Diagnostics._0_is_not_a_valid_meta_property_for_keyword_1_Did_you_mean_2, unescapeLeadingUnderscores(node.name.escapedText), tokenToString(node.keywordToken), "target"); } break; case 102: if (escapedText !== "meta") { return grammarErrorOnNode(node.name, Diagnostics._0_is_not_a_valid_meta_property_for_keyword_1_Did_you_mean_2, unescapeLeadingUnderscores(node.name.escapedText), tokenToString(node.keywordToken), "meta"); } break; } } function hasParseDiagnostics(sourceFile) { return sourceFile.parseDiagnostics.length > 0; } function grammarErrorOnFirstToken(node, message, ...args) { const sourceFile = getSourceFileOfNode(node); if (!hasParseDiagnostics(sourceFile)) { const span = getSpanOfTokenAtPosition(sourceFile, node.pos); diagnostics.add(createFileDiagnostic(sourceFile, span.start, span.length, message, ...args)); return true; } return false; } function grammarErrorAtPos(nodeForSourceFile, start, length2, message, ...args) { const sourceFile = getSourceFileOfNode(nodeForSourceFile); if (!hasParseDiagnostics(sourceFile)) { diagnostics.add(createFileDiagnostic(sourceFile, start, length2, message, ...args)); return true; } return false; } function grammarErrorOnNodeSkippedOn(key, node, message, ...args) { const sourceFile = getSourceFileOfNode(node); if (!hasParseDiagnostics(sourceFile)) { errorSkippedOn(key, node, message, ...args); return true; } return false; } function grammarErrorOnNode(node, message, ...args) { const sourceFile = getSourceFileOfNode(node); if (!hasParseDiagnostics(sourceFile)) { diagnostics.add(createDiagnosticForNode(node, message, ...args)); return true; } return false; } function checkGrammarConstructorTypeParameters(node) { const jsdocTypeParameters = isInJSFile(node) ? getJSDocTypeParameterDeclarations(node) : void 0; const range = node.typeParameters || jsdocTypeParameters && firstOrUndefined(jsdocTypeParameters); if (range) { const pos = range.pos === range.end ? range.pos : skipTrivia(getSourceFileOfNode(node).text, range.pos); return grammarErrorAtPos(node, pos, range.end - pos, Diagnostics.Type_parameters_cannot_appear_on_a_constructor_declaration); } } function checkGrammarConstructorTypeAnnotation(node) { const type = node.type || getEffectiveReturnTypeNode(node); if (type) { return grammarErrorOnNode(type, Diagnostics.Type_annotation_cannot_appear_on_a_constructor_declaration); } } function checkGrammarProperty(node) { if (isComputedPropertyName(node.name) && isBinaryExpression(node.name.expression) && node.name.expression.operatorToken.kind === 103) { return grammarErrorOnNode(node.parent.members[0], Diagnostics.A_mapped_type_may_not_declare_properties_or_methods); } if (isClassLike(node.parent)) { if (isStringLiteral2(node.name) && node.name.text === "constructor") { return grammarErrorOnNode(node.name, Diagnostics.Classes_may_not_have_a_field_named_constructor); } if (checkGrammarForInvalidDynamicName(node.name, Diagnostics.A_computed_property_name_in_a_class_property_declaration_must_have_a_simple_literal_type_or_a_unique_symbol_type)) { return true; } if (languageVersion < 2 && isPrivateIdentifier(node.name)) { return grammarErrorOnNode(node.name, Diagnostics.Private_identifiers_are_only_available_when_targeting_ECMAScript_2015_and_higher); } if (languageVersion < 2 && isAutoAccessorPropertyDeclaration(node)) { return grammarErrorOnNode(node.name, Diagnostics.Properties_with_the_accessor_modifier_are_only_available_when_targeting_ECMAScript_2015_and_higher); } if (isAutoAccessorPropertyDeclaration(node) && checkGrammarForInvalidQuestionMark(node.questionToken, Diagnostics.An_accessor_property_cannot_be_declared_optional)) { return true; } } else if (node.parent.kind === 264) { if (checkGrammarForInvalidDynamicName(node.name, Diagnostics.A_computed_property_name_in_an_interface_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type)) { return true; } Debug.assertNode(node, isPropertySignature); if (node.initializer) { return grammarErrorOnNode(node.initializer, Diagnostics.An_interface_property_cannot_have_an_initializer); } } else if (isTypeLiteralNode(node.parent)) { if (checkGrammarForInvalidDynamicName(node.name, Diagnostics.A_computed_property_name_in_a_type_literal_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type)) { return true; } Debug.assertNode(node, isPropertySignature); if (node.initializer) { return grammarErrorOnNode(node.initializer, Diagnostics.A_type_literal_property_cannot_have_an_initializer); } } if (node.flags & 33554432) { checkAmbientInitializer(node); } if (isPropertyDeclaration(node) && node.exclamationToken && (!isClassLike(node.parent) || !node.type || node.initializer || node.flags & 33554432 || isStatic(node) || hasAbstractModifier(node))) { const message = node.initializer ? Diagnostics.Declarations_with_initializers_cannot_also_have_definite_assignment_assertions : !node.type ? Diagnostics.Declarations_with_definite_assignment_assertions_must_also_have_type_annotations : Diagnostics.A_definite_assignment_assertion_is_not_permitted_in_this_context; return grammarErrorOnNode(node.exclamationToken, message); } } function checkGrammarTopLevelElementForRequiredDeclareModifier(node) { if (node.kind === 264 || node.kind === 265 || node.kind === 272 || node.kind === 271 || node.kind === 278 || node.kind === 277 || node.kind === 270 || hasSyntacticModifier( node, 128 | 32 | 2048 /* Default */ )) { return false; } return grammarErrorOnFirstToken(node, Diagnostics.Top_level_declarations_in_d_ts_files_must_start_with_either_a_declare_or_export_modifier); } function checkGrammarTopLevelElementsForRequiredDeclareModifier(file) { for (const decl of file.statements) { if (isDeclaration(decl) || decl.kind === 243) { if (checkGrammarTopLevelElementForRequiredDeclareModifier(decl)) { return true; } } } return false; } function checkGrammarSourceFile(node) { return !!(node.flags & 33554432) && checkGrammarTopLevelElementsForRequiredDeclareModifier(node); } function checkGrammarStatementInAmbientContext(node) { if (node.flags & 33554432) { const links = getNodeLinks(node); if (!links.hasReportedStatementInAmbientContext && (isFunctionLike(node.parent) || isAccessor(node.parent))) { return getNodeLinks(node).hasReportedStatementInAmbientContext = grammarErrorOnFirstToken(node, Diagnostics.An_implementation_cannot_be_declared_in_ambient_contexts); } if (node.parent.kind === 241 || node.parent.kind === 268 || node.parent.kind === 307) { const links2 = getNodeLinks(node.parent); if (!links2.hasReportedStatementInAmbientContext) { return links2.hasReportedStatementInAmbientContext = grammarErrorOnFirstToken(node, Diagnostics.Statements_are_not_allowed_in_ambient_contexts); } } else { } } return false; } function checkGrammarNumericLiteral(node) { const isFractional = getTextOfNode(node).includes("."); const isScientific = node.numericLiteralFlags & 16; if (isFractional || isScientific) { return; } const value = +node.text; if (value <= 2 ** 53 - 1) { return; } addErrorOrSuggestion( /*isError*/ false, createDiagnosticForNode(node, Diagnostics.Numeric_literals_with_absolute_values_equal_to_2_53_or_greater_are_too_large_to_be_represented_accurately_as_integers) ); } function checkGrammarBigIntLiteral(node) { const literalType2 = isLiteralTypeNode(node.parent) || isPrefixUnaryExpression(node.parent) && isLiteralTypeNode(node.parent.parent); if (!literalType2) { if (languageVersion < 7) { if (grammarErrorOnNode(node, Diagnostics.BigInt_literals_are_not_available_when_targeting_lower_than_ES2020)) { return true; } } } return false; } function grammarErrorAfterFirstToken(node, message, ...args) { const sourceFile = getSourceFileOfNode(node); if (!hasParseDiagnostics(sourceFile)) { const span = getSpanOfTokenAtPosition(sourceFile, node.pos); diagnostics.add(createFileDiagnostic( sourceFile, textSpanEnd(span), /*length*/ 0, message, ...args )); return true; } return false; } function getAmbientModules() { if (!ambientModulesCache) { ambientModulesCache = []; globals2.forEach((global2, sym) => { if (ambientModuleSymbolRegex.test(sym)) { ambientModulesCache.push(global2); } }); } return ambientModulesCache; } function checkGrammarImportClause(node) { var _a; if (node.isTypeOnly && node.name && node.namedBindings) { return grammarErrorOnNode(node, Diagnostics.A_type_only_import_can_specify_a_default_import_or_named_bindings_but_not_both); } if (node.isTypeOnly && ((_a = node.namedBindings) == null ? void 0 : _a.kind) === 275) { return checkGrammarNamedImportsOrExports(node.namedBindings); } return false; } function checkGrammarNamedImportsOrExports(namedBindings) { return !!forEach(namedBindings.elements, (specifier) => { if (specifier.isTypeOnly) { return grammarErrorOnFirstToken( specifier, specifier.kind === 276 ? Diagnostics.The_type_modifier_cannot_be_used_on_a_named_import_when_import_type_is_used_on_its_import_statement : Diagnostics.The_type_modifier_cannot_be_used_on_a_named_export_when_export_type_is_used_on_its_export_statement ); } }); } function checkGrammarImportCallExpression(node) { if (compilerOptions.verbatimModuleSyntax && moduleKind === 1) { return grammarErrorOnNode(node, Diagnostics.ESM_syntax_is_not_allowed_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled); } if (moduleKind === 5) { return grammarErrorOnNode(node, Diagnostics.Dynamic_imports_are_only_supported_when_the_module_flag_is_set_to_es2020_es2022_esnext_commonjs_amd_system_umd_node16_or_nodenext); } if (node.typeArguments) { return grammarErrorOnNode(node, Diagnostics.This_use_of_import_is_invalid_import_calls_can_be_written_but_they_must_have_parentheses_and_cannot_have_type_arguments); } const nodeArguments = node.arguments; if (moduleKind !== 99 && moduleKind !== 199 && moduleKind !== 100) { checkGrammarForDisallowedTrailingComma(nodeArguments); if (nodeArguments.length > 1) { const importAttributesArgument = nodeArguments[1]; return grammarErrorOnNode(importAttributesArgument, Diagnostics.Dynamic_imports_only_support_a_second_argument_when_the_module_option_is_set_to_esnext_node16_or_nodenext); } } if (nodeArguments.length === 0 || nodeArguments.length > 2) { return grammarErrorOnNode(node, Diagnostics.Dynamic_imports_can_only_accept_a_module_specifier_and_an_optional_set_of_attributes_as_arguments); } const spreadElement = find(nodeArguments, isSpreadElement); if (spreadElement) { return grammarErrorOnNode(spreadElement, Diagnostics.Argument_of_dynamic_import_cannot_be_spread_element); } return false; } function findMatchingTypeReferenceOrTypeAliasReference(source, unionTarget) { const sourceObjectFlags = getObjectFlags(source); if (sourceObjectFlags & (4 | 16) && unionTarget.flags & 1048576) { return find(unionTarget.types, (target) => { if (target.flags & 524288) { const overlapObjFlags = sourceObjectFlags & getObjectFlags(target); if (overlapObjFlags & 4) { return source.target === target.target; } if (overlapObjFlags & 16) { return !!source.aliasSymbol && source.aliasSymbol === target.aliasSymbol; } } return false; }); } } function findBestTypeForObjectLiteral(source, unionTarget) { if (getObjectFlags(source) & 128 && someType(unionTarget, isArrayLikeType)) { return find(unionTarget.types, (t) => !isArrayLikeType(t)); } } function findBestTypeForInvokable(source, unionTarget) { let signatureKind = 0; const hasSignatures = getSignaturesOfType(source, signatureKind).length > 0 || (signatureKind = 1, getSignaturesOfType(source, signatureKind).length > 0); if (hasSignatures) { return find(unionTarget.types, (t) => getSignaturesOfType(t, signatureKind).length > 0); } } function findMostOverlappyType(source, unionTarget) { let bestMatch; if (!(source.flags & (402784252 | 406847488))) { let matchingCount = 0; for (const target of unionTarget.types) { if (!(target.flags & (402784252 | 406847488))) { const overlap = getIntersectionType([getIndexType(source), getIndexType(target)]); if (overlap.flags & 4194304) { return target; } else if (isUnitType(overlap) || overlap.flags & 1048576) { const len = overlap.flags & 1048576 ? countWhere(overlap.types, isUnitType) : 1; if (len >= matchingCount) { bestMatch = target; matchingCount = len; } } } } } return bestMatch; } function filterPrimitivesIfContainsNonPrimitive(type) { if (maybeTypeOfKind( type, 67108864 /* NonPrimitive */ )) { const result = filterType(type, (t) => !(t.flags & 402784252)); if (!(result.flags & 131072)) { return result; } } return type; } function findMatchingDiscriminantType(source, target, isRelatedTo) { if (target.flags & 1048576 && source.flags & (2097152 | 524288)) { const match = getMatchingUnionConstituentForType(target, source); if (match) { return match; } const sourceProperties = getPropertiesOfType(source); if (sourceProperties) { const sourcePropertiesFiltered = findDiscriminantProperties(sourceProperties, target); if (sourcePropertiesFiltered) { const discriminated = discriminateTypeByDiscriminableItems(target, map(sourcePropertiesFiltered, (p) => [() => getTypeOfSymbol(p), p.escapedName]), isRelatedTo); if (discriminated !== target) { return discriminated; } } } } return void 0; } function getEffectivePropertyNameForPropertyNameNode(node) { const name = getPropertyNameForPropertyNameNode(node); return name ? name : isComputedPropertyName(node) ? tryGetNameFromType(getTypeOfExpression(node.expression)) : void 0; } function getCombinedModifierFlagsCached(node) { if (lastGetCombinedModifierFlagsNode === node) { return lastGetCombinedModifierFlagsResult; } lastGetCombinedModifierFlagsNode = node; lastGetCombinedModifierFlagsResult = getCombinedModifierFlags(node); return lastGetCombinedModifierFlagsResult; } function getCombinedNodeFlagsCached(node) { if (lastGetCombinedNodeFlagsNode === node) { return lastGetCombinedNodeFlagsResult; } lastGetCombinedNodeFlagsNode = node; lastGetCombinedNodeFlagsResult = getCombinedNodeFlags(node); return lastGetCombinedNodeFlagsResult; } function isVarConstLike2(node) { const blockScopeKind = getCombinedNodeFlagsCached(node) & 7; return blockScopeKind === 2 || blockScopeKind === 4 || blockScopeKind === 6; } function getJSXRuntimeImportSpecifier(file, specifierText) { const jsxImportIndex = compilerOptions.importHelpers ? 1 : 0; const specifier = file == null ? void 0 : file.imports[jsxImportIndex]; if (specifier) { Debug.assert(nodeIsSynthesized(specifier) && specifier.text === specifierText, `Expected sourceFile.imports[${jsxImportIndex}] to be the synthesized JSX runtime import`); } return specifier; } function getImportHelpersImportSpecifier(file) { Debug.assert(compilerOptions.importHelpers, "Expected importHelpers to be enabled"); const specifier = file.imports[0]; Debug.assert(specifier && nodeIsSynthesized(specifier) && specifier.text === "tslib", `Expected sourceFile.imports[0] to be the synthesized tslib import`); return specifier; } } function isNotAccessor(declaration) { return !isAccessor(declaration); } function isNotOverload(declaration) { return declaration.kind !== 262 && declaration.kind !== 174 || !!declaration.body; } function isDeclarationNameOrImportPropertyName(name) { switch (name.parent.kind) { case 276: case 281: return isIdentifier(name); default: return isDeclarationName(name); } } var JsxNames; ((JsxNames2) => { JsxNames2.JSX = "JSX"; JsxNames2.IntrinsicElements = "IntrinsicElements"; JsxNames2.ElementClass = "ElementClass"; JsxNames2.ElementAttributesPropertyNameContainer = "ElementAttributesProperty"; JsxNames2.ElementChildrenAttributeNameContainer = "ElementChildrenAttribute"; JsxNames2.Element = "Element"; JsxNames2.ElementType = "ElementType"; JsxNames2.IntrinsicAttributes = "IntrinsicAttributes"; JsxNames2.IntrinsicClassAttributes = "IntrinsicClassAttributes"; JsxNames2.LibraryManagedAttributes = "LibraryManagedAttributes"; })(JsxNames || (JsxNames = {})); function getIterationTypesKeyFromIterationTypeKind(typeKind) { switch (typeKind) { case 0: return "yieldType"; case 1: return "returnType"; case 2: return "nextType"; } } function signatureHasRestParameter(s) { return !!(s.flags & 1); } function signatureHasLiteralTypes(s) { return !!(s.flags & 2); } function createBasicNodeBuilderModuleSpecifierResolutionHost(host) { return { getCommonSourceDirectory: !!host.getCommonSourceDirectory ? () => host.getCommonSourceDirectory() : () => "", getCurrentDirectory: () => host.getCurrentDirectory(), getSymlinkCache: maybeBind(host, host.getSymlinkCache), getPackageJsonInfoCache: () => { var _a; return (_a = host.getPackageJsonInfoCache) == null ? void 0 : _a.call(host); }, useCaseSensitiveFileNames: maybeBind(host, host.useCaseSensitiveFileNames), redirectTargetsMap: host.redirectTargetsMap, getProjectReferenceRedirect: (fileName) => host.getProjectReferenceRedirect(fileName), isSourceOfProjectReferenceRedirect: (fileName) => host.isSourceOfProjectReferenceRedirect(fileName), fileExists: (fileName) => host.fileExists(fileName), getFileIncludeReasons: () => host.getFileIncludeReasons(), readFile: host.readFile ? (fileName) => host.readFile(fileName) : void 0 }; } var SymbolTrackerImpl = class _SymbolTrackerImpl { constructor(context, tracker2, moduleResolverHost) { this.moduleResolverHost = void 0; this.inner = void 0; this.disableTrackSymbol = false; var _a; while (tracker2 instanceof _SymbolTrackerImpl) { tracker2 = tracker2.inner; } this.inner = tracker2; this.moduleResolverHost = moduleResolverHost; this.context = context; this.canTrackSymbol = !!((_a = this.inner) == null ? void 0 : _a.trackSymbol); } trackSymbol(symbol, enclosingDeclaration, meaning) { var _a, _b; if (((_a = this.inner) == null ? void 0 : _a.trackSymbol) && !this.disableTrackSymbol) { if (this.inner.trackSymbol(symbol, enclosingDeclaration, meaning)) { this.onDiagnosticReported(); return true; } if (!(symbol.flags & 262144)) ((_b = this.context).trackedSymbols ?? (_b.trackedSymbols = [])).push([symbol, enclosingDeclaration, meaning]); } return false; } reportInaccessibleThisError() { var _a; if ((_a = this.inner) == null ? void 0 : _a.reportInaccessibleThisError) { this.onDiagnosticReported(); this.inner.reportInaccessibleThisError(); } } reportPrivateInBaseOfClassExpression(propertyName) { var _a; if ((_a = this.inner) == null ? void 0 : _a.reportPrivateInBaseOfClassExpression) { this.onDiagnosticReported(); this.inner.reportPrivateInBaseOfClassExpression(propertyName); } } reportInaccessibleUniqueSymbolError() { var _a; if ((_a = this.inner) == null ? void 0 : _a.reportInaccessibleUniqueSymbolError) { this.onDiagnosticReported(); this.inner.reportInaccessibleUniqueSymbolError(); } } reportCyclicStructureError() { var _a; if ((_a = this.inner) == null ? void 0 : _a.reportCyclicStructureError) { this.onDiagnosticReported(); this.inner.reportCyclicStructureError(); } } reportLikelyUnsafeImportRequiredError(specifier) { var _a; if ((_a = this.inner) == null ? void 0 : _a.reportLikelyUnsafeImportRequiredError) { this.onDiagnosticReported(); this.inner.reportLikelyUnsafeImportRequiredError(specifier); } } reportTruncationError() { var _a; if ((_a = this.inner) == null ? void 0 : _a.reportTruncationError) { this.onDiagnosticReported(); this.inner.reportTruncationError(); } } reportNonlocalAugmentation(containingFile, parentSymbol, augmentingSymbol) { var _a; if ((_a = this.inner) == null ? void 0 : _a.reportNonlocalAugmentation) { this.onDiagnosticReported(); this.inner.reportNonlocalAugmentation(containingFile, parentSymbol, augmentingSymbol); } } reportNonSerializableProperty(propertyName) { var _a; if ((_a = this.inner) == null ? void 0 : _a.reportNonSerializableProperty) { this.onDiagnosticReported(); this.inner.reportNonSerializableProperty(propertyName); } } onDiagnosticReported() { this.context.reportedDiagnostic = true; } reportInferenceFallback(node) { var _a; if ((_a = this.inner) == null ? void 0 : _a.reportInferenceFallback) { this.inner.reportInferenceFallback(node); } } }; function visitNode(node, visitor2, test, lift) { if (node === void 0) { return node; } const visited = visitor2(node); let visitedNode; if (visited === void 0) { return void 0; } else if (isArray3(visited)) { visitedNode = (lift || extractSingleNode)(visited); } else { visitedNode = visited; } Debug.assertNode(visitedNode, test); return visitedNode; } function visitNodes2(nodes, visitor2, test, start, count) { if (nodes === void 0) { return nodes; } const length2 = nodes.length; if (start === void 0 || start < 0) { start = 0; } if (count === void 0 || count > length2 - start) { count = length2 - start; } let hasTrailingComma; let pos = -1; let end = -1; if (start > 0 || count < length2) { hasTrailingComma = nodes.hasTrailingComma && start + count === length2; } else { pos = nodes.pos; end = nodes.end; hasTrailingComma = nodes.hasTrailingComma; } const updated = visitArrayWorker(nodes, visitor2, test, start, count); if (updated !== nodes) { const updatedArray = factory.createNodeArray(updated, hasTrailingComma); setTextRangePosEnd(updatedArray, pos, end); return updatedArray; } return nodes; } function visitArray(nodes, visitor2, test, start, count) { if (nodes === void 0) { return nodes; } const length2 = nodes.length; if (start === void 0 || start < 0) { start = 0; } if (count === void 0 || count > length2 - start) { count = length2 - start; } return visitArrayWorker(nodes, visitor2, test, start, count); } function visitArrayWorker(nodes, visitor2, test, start, count) { let updated; const length2 = nodes.length; if (start > 0 || count < length2) { updated = []; } for (let i = 0; i < count; i++) { const node = nodes[i + start]; const visited = node !== void 0 ? visitor2 ? visitor2(node) : node : void 0; if (updated !== void 0 || visited === void 0 || visited !== node) { if (updated === void 0) { updated = nodes.slice(0, i); Debug.assertEachNode(updated, test); } if (visited) { if (isArray3(visited)) { for (const visitedNode of visited) { Debug.assertNode(visitedNode, test); updated.push(visitedNode); } } else { Debug.assertNode(visited, test); updated.push(visited); } } } } if (updated) { return updated; } Debug.assertEachNode(nodes, test); return nodes; } function visitLexicalEnvironment(statements, visitor2, context, start, ensureUseStrict, nodesVisitor = visitNodes2) { context.startLexicalEnvironment(); statements = nodesVisitor(statements, visitor2, isStatement, start); if (ensureUseStrict) statements = context.factory.ensureUseStrict(statements); return factory.mergeLexicalEnvironment(statements, context.endLexicalEnvironment()); } function visitParameterList(nodes, visitor2, context, nodesVisitor = visitNodes2) { let updated; context.startLexicalEnvironment(); if (nodes) { context.setLexicalEnvironmentFlags(1, true); updated = nodesVisitor(nodes, visitor2, isParameter); if (context.getLexicalEnvironmentFlags() & 2 && getEmitScriptTarget(context.getCompilerOptions()) >= 2) { updated = addDefaultValueAssignmentsIfNeeded(updated, context); } context.setLexicalEnvironmentFlags(1, false); } context.suspendLexicalEnvironment(); return updated; } function addDefaultValueAssignmentsIfNeeded(parameters, context) { let result; for (let i = 0; i < parameters.length; i++) { const parameter = parameters[i]; const updated = addDefaultValueAssignmentIfNeeded(parameter, context); if (result || updated !== parameter) { if (!result) result = parameters.slice(0, i); result[i] = updated; } } if (result) { return setTextRange(context.factory.createNodeArray(result, parameters.hasTrailingComma), parameters); } return parameters; } function addDefaultValueAssignmentIfNeeded(parameter, context) { return parameter.dotDotDotToken ? parameter : isBindingPattern(parameter.name) ? addDefaultValueAssignmentForBindingPattern(parameter, context) : parameter.initializer ? addDefaultValueAssignmentForInitializer(parameter, parameter.name, parameter.initializer, context) : parameter; } function addDefaultValueAssignmentForBindingPattern(parameter, context) { const { factory: factory2 } = context; context.addInitializationStatement( factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration( parameter.name, /*exclamationToken*/ void 0, parameter.type, parameter.initializer ? factory2.createConditionalExpression( factory2.createStrictEquality( factory2.getGeneratedNameForNode(parameter), factory2.createVoidZero() ), /*questionToken*/ void 0, parameter.initializer, /*colonToken*/ void 0, factory2.getGeneratedNameForNode(parameter) ) : factory2.getGeneratedNameForNode(parameter) ) ]) ) ); return factory2.updateParameterDeclaration( parameter, parameter.modifiers, parameter.dotDotDotToken, factory2.getGeneratedNameForNode(parameter), parameter.questionToken, parameter.type, /*initializer*/ void 0 ); } function addDefaultValueAssignmentForInitializer(parameter, name, initializer, context) { const factory2 = context.factory; context.addInitializationStatement( factory2.createIfStatement( factory2.createTypeCheck(factory2.cloneNode(name), "undefined"), setEmitFlags( setTextRange( factory2.createBlock([ factory2.createExpressionStatement( setEmitFlags( setTextRange( factory2.createAssignment( setEmitFlags( factory2.cloneNode(name), 96 /* NoSourceMap */ ), setEmitFlags( initializer, 96 | getEmitFlags(initializer) | 3072 /* NoComments */ ) ), parameter ), 3072 /* NoComments */ ) ) ]), parameter ), 1 | 64 | 768 | 3072 /* NoComments */ ) ) ); return factory2.updateParameterDeclaration( parameter, parameter.modifiers, parameter.dotDotDotToken, parameter.name, parameter.questionToken, parameter.type, /*initializer*/ void 0 ); } function visitFunctionBody(node, visitor2, context, nodeVisitor = visitNode) { context.resumeLexicalEnvironment(); const updated = nodeVisitor(node, visitor2, isConciseBody); const declarations = context.endLexicalEnvironment(); if (some(declarations)) { if (!updated) { return context.factory.createBlock(declarations); } const block = context.factory.converters.convertToFunctionBlock(updated); const statements = factory.mergeLexicalEnvironment(block.statements, declarations); return context.factory.updateBlock(block, statements); } return updated; } function visitIterationBody(body, visitor2, context, nodeVisitor = visitNode) { context.startBlockScope(); const updated = nodeVisitor(body, visitor2, isStatement, context.factory.liftToBlock); Debug.assert(updated); const declarations = context.endBlockScope(); if (some(declarations)) { if (isBlock(updated)) { declarations.push(...updated.statements); return context.factory.updateBlock(updated, declarations); } declarations.push(updated); return context.factory.createBlock(declarations); } return updated; } function visitCommaListElements(elements, visitor2, discardVisitor = visitor2) { if (discardVisitor === visitor2 || elements.length <= 1) { return visitNodes2(elements, visitor2, isExpression); } let i = 0; const length2 = elements.length; return visitNodes2(elements, (node) => { const discarded = i < length2 - 1; i++; return discarded ? discardVisitor(node) : visitor2(node); }, isExpression); } function visitEachChild(node, visitor2, context = nullTransformationContext, nodesVisitor = visitNodes2, tokenVisitor, nodeVisitor = visitNode) { if (node === void 0) { return void 0; } const fn = visitEachChildTable[node.kind]; return fn === void 0 ? node : fn(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor); } var visitEachChildTable = { [ 166 /* QualifiedName */ ]: function visitEachChildOfQualifiedName(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateQualifiedName( node, Debug.checkDefined(nodeVisitor(node.left, visitor2, isEntityName)), Debug.checkDefined(nodeVisitor(node.right, visitor2, isIdentifier)) ); }, [ 167 /* ComputedPropertyName */ ]: function visitEachChildOfComputedPropertyName(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateComputedPropertyName( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, // Signature elements [ 168 /* TypeParameter */ ]: function visitEachChildOfTypeParameterDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTypeParameterDeclaration( node, nodesVisitor(node.modifiers, visitor2, isModifier), Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)), nodeVisitor(node.constraint, visitor2, isTypeNode), nodeVisitor(node.default, visitor2, isTypeNode) ); }, [ 169 /* Parameter */ ]: function visitEachChildOfParameterDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateParameterDeclaration( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), tokenVisitor ? nodeVisitor(node.dotDotDotToken, tokenVisitor, isDotDotDotToken) : node.dotDotDotToken, Debug.checkDefined(nodeVisitor(node.name, visitor2, isBindingName)), tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken) : node.questionToken, nodeVisitor(node.type, visitor2, isTypeNode), nodeVisitor(node.initializer, visitor2, isExpression) ); }, [ 170 /* Decorator */ ]: function visitEachChildOfDecorator(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateDecorator( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, // Type elements [ 171 /* PropertySignature */ ]: function visitEachChildOfPropertySignature(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updatePropertySignature( node, nodesVisitor(node.modifiers, visitor2, isModifier), Debug.checkDefined(nodeVisitor(node.name, visitor2, isPropertyName)), tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken) : node.questionToken, nodeVisitor(node.type, visitor2, isTypeNode) ); }, [ 172 /* PropertyDeclaration */ ]: function visitEachChildOfPropertyDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updatePropertyDeclaration( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), Debug.checkDefined(nodeVisitor(node.name, visitor2, isPropertyName)), // QuestionToken and ExclamationToken are mutually exclusive in PropertyDeclaration tokenVisitor ? nodeVisitor(node.questionToken ?? node.exclamationToken, tokenVisitor, isQuestionOrExclamationToken) : node.questionToken ?? node.exclamationToken, nodeVisitor(node.type, visitor2, isTypeNode), nodeVisitor(node.initializer, visitor2, isExpression) ); }, [ 173 /* MethodSignature */ ]: function visitEachChildOfMethodSignature(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateMethodSignature( node, nodesVisitor(node.modifiers, visitor2, isModifier), Debug.checkDefined(nodeVisitor(node.name, visitor2, isPropertyName)), tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken) : node.questionToken, nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration), nodesVisitor(node.parameters, visitor2, isParameter), nodeVisitor(node.type, visitor2, isTypeNode) ); }, [ 174 /* MethodDeclaration */ ]: function visitEachChildOfMethodDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateMethodDeclaration( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), tokenVisitor ? nodeVisitor(node.asteriskToken, tokenVisitor, isAsteriskToken) : node.asteriskToken, Debug.checkDefined(nodeVisitor(node.name, visitor2, isPropertyName)), tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken) : node.questionToken, nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration), visitParameterList(node.parameters, visitor2, context, nodesVisitor), nodeVisitor(node.type, visitor2, isTypeNode), visitFunctionBody(node.body, visitor2, context, nodeVisitor) ); }, [ 176 /* Constructor */ ]: function visitEachChildOfConstructorDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateConstructorDeclaration( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), visitParameterList(node.parameters, visitor2, context, nodesVisitor), visitFunctionBody(node.body, visitor2, context, nodeVisitor) ); }, [ 177 /* GetAccessor */ ]: function visitEachChildOfGetAccessorDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateGetAccessorDeclaration( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), Debug.checkDefined(nodeVisitor(node.name, visitor2, isPropertyName)), visitParameterList(node.parameters, visitor2, context, nodesVisitor), nodeVisitor(node.type, visitor2, isTypeNode), visitFunctionBody(node.body, visitor2, context, nodeVisitor) ); }, [ 178 /* SetAccessor */ ]: function visitEachChildOfSetAccessorDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateSetAccessorDeclaration( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), Debug.checkDefined(nodeVisitor(node.name, visitor2, isPropertyName)), visitParameterList(node.parameters, visitor2, context, nodesVisitor), visitFunctionBody(node.body, visitor2, context, nodeVisitor) ); }, [ 175 /* ClassStaticBlockDeclaration */ ]: function visitEachChildOfClassStaticBlockDeclaration(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { context.startLexicalEnvironment(); context.suspendLexicalEnvironment(); return context.factory.updateClassStaticBlockDeclaration( node, visitFunctionBody(node.body, visitor2, context, nodeVisitor) ); }, [ 179 /* CallSignature */ ]: function visitEachChildOfCallSignatureDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateCallSignature( node, nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration), nodesVisitor(node.parameters, visitor2, isParameter), nodeVisitor(node.type, visitor2, isTypeNode) ); }, [ 180 /* ConstructSignature */ ]: function visitEachChildOfConstructSignatureDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateConstructSignature( node, nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration), nodesVisitor(node.parameters, visitor2, isParameter), nodeVisitor(node.type, visitor2, isTypeNode) ); }, [ 181 /* IndexSignature */ ]: function visitEachChildOfIndexSignatureDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateIndexSignature( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), nodesVisitor(node.parameters, visitor2, isParameter), Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode)) ); }, // Types [ 182 /* TypePredicate */ ]: function visitEachChildOfTypePredicateNode(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTypePredicateNode( node, nodeVisitor(node.assertsModifier, visitor2, isAssertsKeyword), Debug.checkDefined(nodeVisitor(node.parameterName, visitor2, isIdentifierOrThisTypeNode)), nodeVisitor(node.type, visitor2, isTypeNode) ); }, [ 183 /* TypeReference */ ]: function visitEachChildOfTypeReferenceNode(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTypeReferenceNode( node, Debug.checkDefined(nodeVisitor(node.typeName, visitor2, isEntityName)), nodesVisitor(node.typeArguments, visitor2, isTypeNode) ); }, [ 184 /* FunctionType */ ]: function visitEachChildOfFunctionTypeNode(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateFunctionTypeNode( node, nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration), nodesVisitor(node.parameters, visitor2, isParameter), Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode)) ); }, [ 185 /* ConstructorType */ ]: function visitEachChildOfConstructorTypeNode(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateConstructorTypeNode( node, nodesVisitor(node.modifiers, visitor2, isModifier), nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration), nodesVisitor(node.parameters, visitor2, isParameter), Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode)) ); }, [ 186 /* TypeQuery */ ]: function visitEachChildOfTypeQueryNode(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTypeQueryNode( node, Debug.checkDefined(nodeVisitor(node.exprName, visitor2, isEntityName)), nodesVisitor(node.typeArguments, visitor2, isTypeNode) ); }, [ 187 /* TypeLiteral */ ]: function visitEachChildOfTypeLiteralNode(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateTypeLiteralNode( node, nodesVisitor(node.members, visitor2, isTypeElement) ); }, [ 188 /* ArrayType */ ]: function visitEachChildOfArrayTypeNode(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateArrayTypeNode( node, Debug.checkDefined(nodeVisitor(node.elementType, visitor2, isTypeNode)) ); }, [ 189 /* TupleType */ ]: function visitEachChildOfTupleTypeNode(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateTupleTypeNode( node, nodesVisitor(node.elements, visitor2, isTypeNode) ); }, [ 190 /* OptionalType */ ]: function visitEachChildOfOptionalTypeNode(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateOptionalTypeNode( node, Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode)) ); }, [ 191 /* RestType */ ]: function visitEachChildOfRestTypeNode(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateRestTypeNode( node, Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode)) ); }, [ 192 /* UnionType */ ]: function visitEachChildOfUnionTypeNode(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateUnionTypeNode( node, nodesVisitor(node.types, visitor2, isTypeNode) ); }, [ 193 /* IntersectionType */ ]: function visitEachChildOfIntersectionTypeNode(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateIntersectionTypeNode( node, nodesVisitor(node.types, visitor2, isTypeNode) ); }, [ 194 /* ConditionalType */ ]: function visitEachChildOfConditionalTypeNode(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateConditionalTypeNode( node, Debug.checkDefined(nodeVisitor(node.checkType, visitor2, isTypeNode)), Debug.checkDefined(nodeVisitor(node.extendsType, visitor2, isTypeNode)), Debug.checkDefined(nodeVisitor(node.trueType, visitor2, isTypeNode)), Debug.checkDefined(nodeVisitor(node.falseType, visitor2, isTypeNode)) ); }, [ 195 /* InferType */ ]: function visitEachChildOfInferTypeNode(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateInferTypeNode( node, Debug.checkDefined(nodeVisitor(node.typeParameter, visitor2, isTypeParameterDeclaration)) ); }, [ 205 /* ImportType */ ]: function visitEachChildOfImportTypeNode(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateImportTypeNode( node, Debug.checkDefined(nodeVisitor(node.argument, visitor2, isTypeNode)), nodeVisitor(node.attributes, visitor2, isImportAttributes), nodeVisitor(node.qualifier, visitor2, isEntityName), nodesVisitor(node.typeArguments, visitor2, isTypeNode), node.isTypeOf ); }, [ 302 /* ImportTypeAssertionContainer */ ]: function visitEachChildOfImportTypeAssertionContainer(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateImportTypeAssertionContainer( node, Debug.checkDefined(nodeVisitor(node.assertClause, visitor2, isAssertClause)), node.multiLine ); }, [ 202 /* NamedTupleMember */ ]: function visitEachChildOfNamedTupleMember(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateNamedTupleMember( node, tokenVisitor ? nodeVisitor(node.dotDotDotToken, tokenVisitor, isDotDotDotToken) : node.dotDotDotToken, Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)), tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken) : node.questionToken, Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode)) ); }, [ 196 /* ParenthesizedType */ ]: function visitEachChildOfParenthesizedType(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateParenthesizedType( node, Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode)) ); }, [ 198 /* TypeOperator */ ]: function visitEachChildOfTypeOperatorNode(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTypeOperatorNode( node, Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode)) ); }, [ 199 /* IndexedAccessType */ ]: function visitEachChildOfIndexedAccessType(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateIndexedAccessTypeNode( node, Debug.checkDefined(nodeVisitor(node.objectType, visitor2, isTypeNode)), Debug.checkDefined(nodeVisitor(node.indexType, visitor2, isTypeNode)) ); }, [ 200 /* MappedType */ ]: function visitEachChildOfMappedType(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateMappedTypeNode( node, tokenVisitor ? nodeVisitor(node.readonlyToken, tokenVisitor, isReadonlyKeywordOrPlusOrMinusToken) : node.readonlyToken, Debug.checkDefined(nodeVisitor(node.typeParameter, visitor2, isTypeParameterDeclaration)), nodeVisitor(node.nameType, visitor2, isTypeNode), tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionOrPlusOrMinusToken) : node.questionToken, nodeVisitor(node.type, visitor2, isTypeNode), nodesVisitor(node.members, visitor2, isTypeElement) ); }, [ 201 /* LiteralType */ ]: function visitEachChildOfLiteralTypeNode(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateLiteralTypeNode( node, Debug.checkDefined(nodeVisitor(node.literal, visitor2, isLiteralTypeLiteral)) ); }, [ 203 /* TemplateLiteralType */ ]: function visitEachChildOfTemplateLiteralType(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTemplateLiteralType( node, Debug.checkDefined(nodeVisitor(node.head, visitor2, isTemplateHead)), nodesVisitor(node.templateSpans, visitor2, isTemplateLiteralTypeSpan) ); }, [ 204 /* TemplateLiteralTypeSpan */ ]: function visitEachChildOfTemplateLiteralTypeSpan(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTemplateLiteralTypeSpan( node, Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode)), Debug.checkDefined(nodeVisitor(node.literal, visitor2, isTemplateMiddleOrTemplateTail)) ); }, // Binding patterns [ 206 /* ObjectBindingPattern */ ]: function visitEachChildOfObjectBindingPattern(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateObjectBindingPattern( node, nodesVisitor(node.elements, visitor2, isBindingElement) ); }, [ 207 /* ArrayBindingPattern */ ]: function visitEachChildOfArrayBindingPattern(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateArrayBindingPattern( node, nodesVisitor(node.elements, visitor2, isArrayBindingElement) ); }, [ 208 /* BindingElement */ ]: function visitEachChildOfBindingElement(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateBindingElement( node, tokenVisitor ? nodeVisitor(node.dotDotDotToken, tokenVisitor, isDotDotDotToken) : node.dotDotDotToken, nodeVisitor(node.propertyName, visitor2, isPropertyName), Debug.checkDefined(nodeVisitor(node.name, visitor2, isBindingName)), nodeVisitor(node.initializer, visitor2, isExpression) ); }, // Expression [ 209 /* ArrayLiteralExpression */ ]: function visitEachChildOfArrayLiteralExpression(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateArrayLiteralExpression( node, nodesVisitor(node.elements, visitor2, isExpression) ); }, [ 210 /* ObjectLiteralExpression */ ]: function visitEachChildOfObjectLiteralExpression(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateObjectLiteralExpression( node, nodesVisitor(node.properties, visitor2, isObjectLiteralElementLike) ); }, [ 211 /* PropertyAccessExpression */ ]: function visitEachChildOfPropertyAccessExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return isPropertyAccessChain(node) ? context.factory.updatePropertyAccessChain( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), tokenVisitor ? nodeVisitor(node.questionDotToken, tokenVisitor, isQuestionDotToken) : node.questionDotToken, Debug.checkDefined(nodeVisitor(node.name, visitor2, isMemberName)) ) : context.factory.updatePropertyAccessExpression( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), Debug.checkDefined(nodeVisitor(node.name, visitor2, isMemberName)) ); }, [ 212 /* ElementAccessExpression */ ]: function visitEachChildOfElementAccessExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return isElementAccessChain(node) ? context.factory.updateElementAccessChain( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), tokenVisitor ? nodeVisitor(node.questionDotToken, tokenVisitor, isQuestionDotToken) : node.questionDotToken, Debug.checkDefined(nodeVisitor(node.argumentExpression, visitor2, isExpression)) ) : context.factory.updateElementAccessExpression( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), Debug.checkDefined(nodeVisitor(node.argumentExpression, visitor2, isExpression)) ); }, [ 213 /* CallExpression */ ]: function visitEachChildOfCallExpression(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) { return isCallChain(node) ? context.factory.updateCallChain( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), tokenVisitor ? nodeVisitor(node.questionDotToken, tokenVisitor, isQuestionDotToken) : node.questionDotToken, nodesVisitor(node.typeArguments, visitor2, isTypeNode), nodesVisitor(node.arguments, visitor2, isExpression) ) : context.factory.updateCallExpression( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), nodesVisitor(node.typeArguments, visitor2, isTypeNode), nodesVisitor(node.arguments, visitor2, isExpression) ); }, [ 214 /* NewExpression */ ]: function visitEachChildOfNewExpression(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateNewExpression( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), nodesVisitor(node.typeArguments, visitor2, isTypeNode), nodesVisitor(node.arguments, visitor2, isExpression) ); }, [ 215 /* TaggedTemplateExpression */ ]: function visitEachChildOfTaggedTemplateExpression(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTaggedTemplateExpression( node, Debug.checkDefined(nodeVisitor(node.tag, visitor2, isExpression)), nodesVisitor(node.typeArguments, visitor2, isTypeNode), Debug.checkDefined(nodeVisitor(node.template, visitor2, isTemplateLiteral)) ); }, [ 216 /* TypeAssertionExpression */ ]: function visitEachChildOfTypeAssertionExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTypeAssertion( node, Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode)), Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, [ 217 /* ParenthesizedExpression */ ]: function visitEachChildOfParenthesizedExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateParenthesizedExpression( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, [ 218 /* FunctionExpression */ ]: function visitEachChildOfFunctionExpression(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateFunctionExpression( node, nodesVisitor(node.modifiers, visitor2, isModifier), tokenVisitor ? nodeVisitor(node.asteriskToken, tokenVisitor, isAsteriskToken) : node.asteriskToken, nodeVisitor(node.name, visitor2, isIdentifier), nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration), visitParameterList(node.parameters, visitor2, context, nodesVisitor), nodeVisitor(node.type, visitor2, isTypeNode), visitFunctionBody(node.body, visitor2, context, nodeVisitor) ); }, [ 219 /* ArrowFunction */ ]: function visitEachChildOfArrowFunction(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateArrowFunction( node, nodesVisitor(node.modifiers, visitor2, isModifier), nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration), visitParameterList(node.parameters, visitor2, context, nodesVisitor), nodeVisitor(node.type, visitor2, isTypeNode), tokenVisitor ? Debug.checkDefined(nodeVisitor(node.equalsGreaterThanToken, tokenVisitor, isEqualsGreaterThanToken)) : node.equalsGreaterThanToken, visitFunctionBody(node.body, visitor2, context, nodeVisitor) ); }, [ 220 /* DeleteExpression */ ]: function visitEachChildOfDeleteExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateDeleteExpression( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, [ 221 /* TypeOfExpression */ ]: function visitEachChildOfTypeOfExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTypeOfExpression( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, [ 222 /* VoidExpression */ ]: function visitEachChildOfVoidExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateVoidExpression( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, [ 223 /* AwaitExpression */ ]: function visitEachChildOfAwaitExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateAwaitExpression( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, [ 224 /* PrefixUnaryExpression */ ]: function visitEachChildOfPrefixUnaryExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updatePrefixUnaryExpression( node, Debug.checkDefined(nodeVisitor(node.operand, visitor2, isExpression)) ); }, [ 225 /* PostfixUnaryExpression */ ]: function visitEachChildOfPostfixUnaryExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updatePostfixUnaryExpression( node, Debug.checkDefined(nodeVisitor(node.operand, visitor2, isExpression)) ); }, [ 226 /* BinaryExpression */ ]: function visitEachChildOfBinaryExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateBinaryExpression( node, Debug.checkDefined(nodeVisitor(node.left, visitor2, isExpression)), tokenVisitor ? Debug.checkDefined(nodeVisitor(node.operatorToken, tokenVisitor, isBinaryOperatorToken)) : node.operatorToken, Debug.checkDefined(nodeVisitor(node.right, visitor2, isExpression)) ); }, [ 227 /* ConditionalExpression */ ]: function visitEachChildOfConditionalExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateConditionalExpression( node, Debug.checkDefined(nodeVisitor(node.condition, visitor2, isExpression)), tokenVisitor ? Debug.checkDefined(nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken)) : node.questionToken, Debug.checkDefined(nodeVisitor(node.whenTrue, visitor2, isExpression)), tokenVisitor ? Debug.checkDefined(nodeVisitor(node.colonToken, tokenVisitor, isColonToken2)) : node.colonToken, Debug.checkDefined(nodeVisitor(node.whenFalse, visitor2, isExpression)) ); }, [ 228 /* TemplateExpression */ ]: function visitEachChildOfTemplateExpression(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTemplateExpression( node, Debug.checkDefined(nodeVisitor(node.head, visitor2, isTemplateHead)), nodesVisitor(node.templateSpans, visitor2, isTemplateSpan) ); }, [ 229 /* YieldExpression */ ]: function visitEachChildOfYieldExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateYieldExpression( node, tokenVisitor ? nodeVisitor(node.asteriskToken, tokenVisitor, isAsteriskToken) : node.asteriskToken, nodeVisitor(node.expression, visitor2, isExpression) ); }, [ 230 /* SpreadElement */ ]: function visitEachChildOfSpreadElement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateSpreadElement( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, [ 231 /* ClassExpression */ ]: function visitEachChildOfClassExpression(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateClassExpression( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), nodeVisitor(node.name, visitor2, isIdentifier), nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration), nodesVisitor(node.heritageClauses, visitor2, isHeritageClause), nodesVisitor(node.members, visitor2, isClassElement) ); }, [ 233 /* ExpressionWithTypeArguments */ ]: function visitEachChildOfExpressionWithTypeArguments(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateExpressionWithTypeArguments( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), nodesVisitor(node.typeArguments, visitor2, isTypeNode) ); }, [ 234 /* AsExpression */ ]: function visitEachChildOfAsExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateAsExpression( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode)) ); }, [ 238 /* SatisfiesExpression */ ]: function visitEachChildOfSatisfiesExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateSatisfiesExpression( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode)) ); }, [ 235 /* NonNullExpression */ ]: function visitEachChildOfNonNullExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return isOptionalChain(node) ? context.factory.updateNonNullChain( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ) : context.factory.updateNonNullExpression( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, [ 236 /* MetaProperty */ ]: function visitEachChildOfMetaProperty(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateMetaProperty( node, Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)) ); }, // Misc [ 239 /* TemplateSpan */ ]: function visitEachChildOfTemplateSpan(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTemplateSpan( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), Debug.checkDefined(nodeVisitor(node.literal, visitor2, isTemplateMiddleOrTemplateTail)) ); }, // Element [ 241 /* Block */ ]: function visitEachChildOfBlock(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateBlock( node, nodesVisitor(node.statements, visitor2, isStatement) ); }, [ 243 /* VariableStatement */ ]: function visitEachChildOfVariableStatement(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateVariableStatement( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), Debug.checkDefined(nodeVisitor(node.declarationList, visitor2, isVariableDeclarationList)) ); }, [ 244 /* ExpressionStatement */ ]: function visitEachChildOfExpressionStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateExpressionStatement( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, [ 245 /* IfStatement */ ]: function visitEachChildOfIfStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateIfStatement( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), Debug.checkDefined(nodeVisitor(node.thenStatement, visitor2, isStatement, context.factory.liftToBlock)), nodeVisitor(node.elseStatement, visitor2, isStatement, context.factory.liftToBlock) ); }, [ 246 /* DoStatement */ ]: function visitEachChildOfDoStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateDoStatement( node, visitIterationBody(node.statement, visitor2, context, nodeVisitor), Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, [ 247 /* WhileStatement */ ]: function visitEachChildOfWhileStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateWhileStatement( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), visitIterationBody(node.statement, visitor2, context, nodeVisitor) ); }, [ 248 /* ForStatement */ ]: function visitEachChildOfForStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateForStatement( node, nodeVisitor(node.initializer, visitor2, isForInitializer), nodeVisitor(node.condition, visitor2, isExpression), nodeVisitor(node.incrementor, visitor2, isExpression), visitIterationBody(node.statement, visitor2, context, nodeVisitor) ); }, [ 249 /* ForInStatement */ ]: function visitEachChildOfForInStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateForInStatement( node, Debug.checkDefined(nodeVisitor(node.initializer, visitor2, isForInitializer)), Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), visitIterationBody(node.statement, visitor2, context, nodeVisitor) ); }, [ 250 /* ForOfStatement */ ]: function visitEachChildOfForOfStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateForOfStatement( node, tokenVisitor ? nodeVisitor(node.awaitModifier, tokenVisitor, isAwaitKeyword) : node.awaitModifier, Debug.checkDefined(nodeVisitor(node.initializer, visitor2, isForInitializer)), Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), visitIterationBody(node.statement, visitor2, context, nodeVisitor) ); }, [ 251 /* ContinueStatement */ ]: function visitEachChildOfContinueStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateContinueStatement( node, nodeVisitor(node.label, visitor2, isIdentifier) ); }, [ 252 /* BreakStatement */ ]: function visitEachChildOfBreakStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateBreakStatement( node, nodeVisitor(node.label, visitor2, isIdentifier) ); }, [ 253 /* ReturnStatement */ ]: function visitEachChildOfReturnStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateReturnStatement( node, nodeVisitor(node.expression, visitor2, isExpression) ); }, [ 254 /* WithStatement */ ]: function visitEachChildOfWithStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateWithStatement( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), Debug.checkDefined(nodeVisitor(node.statement, visitor2, isStatement, context.factory.liftToBlock)) ); }, [ 255 /* SwitchStatement */ ]: function visitEachChildOfSwitchStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateSwitchStatement( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), Debug.checkDefined(nodeVisitor(node.caseBlock, visitor2, isCaseBlock)) ); }, [ 256 /* LabeledStatement */ ]: function visitEachChildOfLabeledStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateLabeledStatement( node, Debug.checkDefined(nodeVisitor(node.label, visitor2, isIdentifier)), Debug.checkDefined(nodeVisitor(node.statement, visitor2, isStatement, context.factory.liftToBlock)) ); }, [ 257 /* ThrowStatement */ ]: function visitEachChildOfThrowStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateThrowStatement( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, [ 258 /* TryStatement */ ]: function visitEachChildOfTryStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTryStatement( node, Debug.checkDefined(nodeVisitor(node.tryBlock, visitor2, isBlock)), nodeVisitor(node.catchClause, visitor2, isCatchClause), nodeVisitor(node.finallyBlock, visitor2, isBlock) ); }, [ 260 /* VariableDeclaration */ ]: function visitEachChildOfVariableDeclaration(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateVariableDeclaration( node, Debug.checkDefined(nodeVisitor(node.name, visitor2, isBindingName)), tokenVisitor ? nodeVisitor(node.exclamationToken, tokenVisitor, isExclamationToken) : node.exclamationToken, nodeVisitor(node.type, visitor2, isTypeNode), nodeVisitor(node.initializer, visitor2, isExpression) ); }, [ 261 /* VariableDeclarationList */ ]: function visitEachChildOfVariableDeclarationList(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateVariableDeclarationList( node, nodesVisitor(node.declarations, visitor2, isVariableDeclaration) ); }, [ 262 /* FunctionDeclaration */ ]: function visitEachChildOfFunctionDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) { return context.factory.updateFunctionDeclaration( node, nodesVisitor(node.modifiers, visitor2, isModifier), tokenVisitor ? nodeVisitor(node.asteriskToken, tokenVisitor, isAsteriskToken) : node.asteriskToken, nodeVisitor(node.name, visitor2, isIdentifier), nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration), visitParameterList(node.parameters, visitor2, context, nodesVisitor), nodeVisitor(node.type, visitor2, isTypeNode), visitFunctionBody(node.body, visitor2, context, nodeVisitor) ); }, [ 263 /* ClassDeclaration */ ]: function visitEachChildOfClassDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateClassDeclaration( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), nodeVisitor(node.name, visitor2, isIdentifier), nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration), nodesVisitor(node.heritageClauses, visitor2, isHeritageClause), nodesVisitor(node.members, visitor2, isClassElement) ); }, [ 264 /* InterfaceDeclaration */ ]: function visitEachChildOfInterfaceDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateInterfaceDeclaration( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)), nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration), nodesVisitor(node.heritageClauses, visitor2, isHeritageClause), nodesVisitor(node.members, visitor2, isTypeElement) ); }, [ 265 /* TypeAliasDeclaration */ ]: function visitEachChildOfTypeAliasDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateTypeAliasDeclaration( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)), nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration), Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode)) ); }, [ 266 /* EnumDeclaration */ ]: function visitEachChildOfEnumDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateEnumDeclaration( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)), nodesVisitor(node.members, visitor2, isEnumMember) ); }, [ 267 /* ModuleDeclaration */ ]: function visitEachChildOfModuleDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateModuleDeclaration( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), Debug.checkDefined(nodeVisitor(node.name, visitor2, isModuleName)), nodeVisitor(node.body, visitor2, isModuleBody) ); }, [ 268 /* ModuleBlock */ ]: function visitEachChildOfModuleBlock(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateModuleBlock( node, nodesVisitor(node.statements, visitor2, isStatement) ); }, [ 269 /* CaseBlock */ ]: function visitEachChildOfCaseBlock(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateCaseBlock( node, nodesVisitor(node.clauses, visitor2, isCaseOrDefaultClause) ); }, [ 270 /* NamespaceExportDeclaration */ ]: function visitEachChildOfNamespaceExportDeclaration(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateNamespaceExportDeclaration( node, Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)) ); }, [ 271 /* ImportEqualsDeclaration */ ]: function visitEachChildOfImportEqualsDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateImportEqualsDeclaration( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), node.isTypeOnly, Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)), Debug.checkDefined(nodeVisitor(node.moduleReference, visitor2, isModuleReference)) ); }, [ 272 /* ImportDeclaration */ ]: function visitEachChildOfImportDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateImportDeclaration( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), nodeVisitor(node.importClause, visitor2, isImportClause), Debug.checkDefined(nodeVisitor(node.moduleSpecifier, visitor2, isExpression)), nodeVisitor(node.attributes, visitor2, isImportAttributes) ); }, [ 300 /* ImportAttributes */ ]: function visitEachChildOfImportAttributes(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateImportAttributes( node, nodesVisitor(node.elements, visitor2, isImportAttribute), node.multiLine ); }, [ 301 /* ImportAttribute */ ]: function visitEachChildOfImportAttribute(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateImportAttribute( node, Debug.checkDefined(nodeVisitor(node.name, visitor2, isImportAttributeName)), Debug.checkDefined(nodeVisitor(node.value, visitor2, isExpression)) ); }, [ 273 /* ImportClause */ ]: function visitEachChildOfImportClause(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateImportClause( node, node.isTypeOnly, nodeVisitor(node.name, visitor2, isIdentifier), nodeVisitor(node.namedBindings, visitor2, isNamedImportBindings) ); }, [ 274 /* NamespaceImport */ ]: function visitEachChildOfNamespaceImport(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateNamespaceImport( node, Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)) ); }, [ 280 /* NamespaceExport */ ]: function visitEachChildOfNamespaceExport(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateNamespaceExport( node, Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)) ); }, [ 275 /* NamedImports */ ]: function visitEachChildOfNamedImports(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateNamedImports( node, nodesVisitor(node.elements, visitor2, isImportSpecifier) ); }, [ 276 /* ImportSpecifier */ ]: function visitEachChildOfImportSpecifier(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateImportSpecifier( node, node.isTypeOnly, nodeVisitor(node.propertyName, visitor2, isIdentifier), Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)) ); }, [ 277 /* ExportAssignment */ ]: function visitEachChildOfExportAssignment(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateExportAssignment( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, [ 278 /* ExportDeclaration */ ]: function visitEachChildOfExportDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateExportDeclaration( node, nodesVisitor(node.modifiers, visitor2, isModifierLike), node.isTypeOnly, nodeVisitor(node.exportClause, visitor2, isNamedExportBindings), nodeVisitor(node.moduleSpecifier, visitor2, isExpression), nodeVisitor(node.attributes, visitor2, isImportAttributes) ); }, [ 279 /* NamedExports */ ]: function visitEachChildOfNamedExports(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateNamedExports( node, nodesVisitor(node.elements, visitor2, isExportSpecifier) ); }, [ 281 /* ExportSpecifier */ ]: function visitEachChildOfExportSpecifier(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateExportSpecifier( node, node.isTypeOnly, nodeVisitor(node.propertyName, visitor2, isIdentifier), Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)) ); }, // Module references [ 283 /* ExternalModuleReference */ ]: function visitEachChildOfExternalModuleReference(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateExternalModuleReference( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, // JSX [ 284 /* JsxElement */ ]: function visitEachChildOfJsxElement(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateJsxElement( node, Debug.checkDefined(nodeVisitor(node.openingElement, visitor2, isJsxOpeningElement)), nodesVisitor(node.children, visitor2, isJsxChild), Debug.checkDefined(nodeVisitor(node.closingElement, visitor2, isJsxClosingElement)) ); }, [ 285 /* JsxSelfClosingElement */ ]: function visitEachChildOfJsxSelfClosingElement(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateJsxSelfClosingElement( node, Debug.checkDefined(nodeVisitor(node.tagName, visitor2, isJsxTagNameExpression)), nodesVisitor(node.typeArguments, visitor2, isTypeNode), Debug.checkDefined(nodeVisitor(node.attributes, visitor2, isJsxAttributes)) ); }, [ 286 /* JsxOpeningElement */ ]: function visitEachChildOfJsxOpeningElement(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateJsxOpeningElement( node, Debug.checkDefined(nodeVisitor(node.tagName, visitor2, isJsxTagNameExpression)), nodesVisitor(node.typeArguments, visitor2, isTypeNode), Debug.checkDefined(nodeVisitor(node.attributes, visitor2, isJsxAttributes)) ); }, [ 287 /* JsxClosingElement */ ]: function visitEachChildOfJsxClosingElement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateJsxClosingElement( node, Debug.checkDefined(nodeVisitor(node.tagName, visitor2, isJsxTagNameExpression)) ); }, [ 295 /* JsxNamespacedName */ ]: function forEachChildInJsxNamespacedName2(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateJsxNamespacedName( node, Debug.checkDefined(nodeVisitor(node.namespace, visitor2, isIdentifier)), Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)) ); }, [ 288 /* JsxFragment */ ]: function visitEachChildOfJsxFragment(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateJsxFragment( node, Debug.checkDefined(nodeVisitor(node.openingFragment, visitor2, isJsxOpeningFragment)), nodesVisitor(node.children, visitor2, isJsxChild), Debug.checkDefined(nodeVisitor(node.closingFragment, visitor2, isJsxClosingFragment)) ); }, [ 291 /* JsxAttribute */ ]: function visitEachChildOfJsxAttribute(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateJsxAttribute( node, Debug.checkDefined(nodeVisitor(node.name, visitor2, isJsxAttributeName)), nodeVisitor(node.initializer, visitor2, isStringLiteralOrJsxExpression) ); }, [ 292 /* JsxAttributes */ ]: function visitEachChildOfJsxAttributes(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateJsxAttributes( node, nodesVisitor(node.properties, visitor2, isJsxAttributeLike) ); }, [ 293 /* JsxSpreadAttribute */ ]: function visitEachChildOfJsxSpreadAttribute(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateJsxSpreadAttribute( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, [ 294 /* JsxExpression */ ]: function visitEachChildOfJsxExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateJsxExpression( node, nodeVisitor(node.expression, visitor2, isExpression) ); }, // Clauses [ 296 /* CaseClause */ ]: function visitEachChildOfCaseClause(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateCaseClause( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)), nodesVisitor(node.statements, visitor2, isStatement) ); }, [ 297 /* DefaultClause */ ]: function visitEachChildOfDefaultClause(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateDefaultClause( node, nodesVisitor(node.statements, visitor2, isStatement) ); }, [ 298 /* HeritageClause */ ]: function visitEachChildOfHeritageClause(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateHeritageClause( node, nodesVisitor(node.types, visitor2, isExpressionWithTypeArguments) ); }, [ 299 /* CatchClause */ ]: function visitEachChildOfCatchClause(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateCatchClause( node, nodeVisitor(node.variableDeclaration, visitor2, isVariableDeclaration), Debug.checkDefined(nodeVisitor(node.block, visitor2, isBlock)) ); }, // Property assignments [ 303 /* PropertyAssignment */ ]: function visitEachChildOfPropertyAssignment(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updatePropertyAssignment( node, Debug.checkDefined(nodeVisitor(node.name, visitor2, isPropertyName)), Debug.checkDefined(nodeVisitor(node.initializer, visitor2, isExpression)) ); }, [ 304 /* ShorthandPropertyAssignment */ ]: function visitEachChildOfShorthandPropertyAssignment(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateShorthandPropertyAssignment( node, Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)), nodeVisitor(node.objectAssignmentInitializer, visitor2, isExpression) ); }, [ 305 /* SpreadAssignment */ ]: function visitEachChildOfSpreadAssignment(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateSpreadAssignment( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, // Enum [ 306 /* EnumMember */ ]: function visitEachChildOfEnumMember(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updateEnumMember( node, Debug.checkDefined(nodeVisitor(node.name, visitor2, isPropertyName)), nodeVisitor(node.initializer, visitor2, isExpression) ); }, // Top-level nodes [ 307 /* SourceFile */ ]: function visitEachChildOfSourceFile(node, visitor2, context, _nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateSourceFile( node, visitLexicalEnvironment(node.statements, visitor2, context) ); }, // Transformation nodes [ 354 /* PartiallyEmittedExpression */ ]: function visitEachChildOfPartiallyEmittedExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) { return context.factory.updatePartiallyEmittedExpression( node, Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)) ); }, [ 355 /* CommaListExpression */ ]: function visitEachChildOfCommaListExpression(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) { return context.factory.updateCommaListExpression( node, nodesVisitor(node.elements, visitor2, isExpression) ); } }; function extractSingleNode(nodes) { Debug.assert(nodes.length <= 1, "Too many nodes written to output."); return singleOrUndefined(nodes); } function createSourceMapGenerator(host, file, sourceRoot, sourcesDirectoryPath, generatorOptions) { var { enter, exit } = generatorOptions.extendedDiagnostics ? createTimer("Source Map", "beforeSourcemap", "afterSourcemap") : nullTimer; var rawSources = []; var sources = []; var sourceToSourceIndexMap = /* @__PURE__ */ new Map(); var sourcesContent; var names = []; var nameToNameIndexMap; var mappingCharCodes = []; var mappings = ""; var lastGeneratedLine = 0; var lastGeneratedCharacter = 0; var lastSourceIndex = 0; var lastSourceLine = 0; var lastSourceCharacter = 0; var lastNameIndex = 0; var hasLast = false; var pendingGeneratedLine = 0; var pendingGeneratedCharacter = 0; var pendingSourceIndex = 0; var pendingSourceLine = 0; var pendingSourceCharacter = 0; var pendingNameIndex = 0; var hasPending = false; var hasPendingSource = false; var hasPendingName = false; return { getSources: () => rawSources, addSource, setSourceContent, addName: addName2, addMapping, appendSourceMap, toJSON, toString: () => JSON.stringify(toJSON()) }; function addSource(fileName) { enter(); const source = getRelativePathToDirectoryOrUrl( sourcesDirectoryPath, fileName, host.getCurrentDirectory(), host.getCanonicalFileName, /*isAbsolutePathAnUrl*/ true ); let sourceIndex = sourceToSourceIndexMap.get(source); if (sourceIndex === void 0) { sourceIndex = sources.length; sources.push(source); rawSources.push(fileName); sourceToSourceIndexMap.set(source, sourceIndex); } exit(); return sourceIndex; } function setSourceContent(sourceIndex, content) { enter(); if (content !== null) { if (!sourcesContent) sourcesContent = []; while (sourcesContent.length < sourceIndex) { sourcesContent.push(null); } sourcesContent[sourceIndex] = content; } exit(); } function addName2(name) { enter(); if (!nameToNameIndexMap) nameToNameIndexMap = /* @__PURE__ */ new Map(); let nameIndex = nameToNameIndexMap.get(name); if (nameIndex === void 0) { nameIndex = names.length; names.push(name); nameToNameIndexMap.set(name, nameIndex); } exit(); return nameIndex; } function isNewGeneratedPosition(generatedLine, generatedCharacter) { return !hasPending || pendingGeneratedLine !== generatedLine || pendingGeneratedCharacter !== generatedCharacter; } function isBacktrackingSourcePosition(sourceIndex, sourceLine, sourceCharacter) { return sourceIndex !== void 0 && sourceLine !== void 0 && sourceCharacter !== void 0 && pendingSourceIndex === sourceIndex && (pendingSourceLine > sourceLine || pendingSourceLine === sourceLine && pendingSourceCharacter > sourceCharacter); } function addMapping(generatedLine, generatedCharacter, sourceIndex, sourceLine, sourceCharacter, nameIndex) { Debug.assert(generatedLine >= pendingGeneratedLine, "generatedLine cannot backtrack"); Debug.assert(generatedCharacter >= 0, "generatedCharacter cannot be negative"); Debug.assert(sourceIndex === void 0 || sourceIndex >= 0, "sourceIndex cannot be negative"); Debug.assert(sourceLine === void 0 || sourceLine >= 0, "sourceLine cannot be negative"); Debug.assert(sourceCharacter === void 0 || sourceCharacter >= 0, "sourceCharacter cannot be negative"); enter(); if (isNewGeneratedPosition(generatedLine, generatedCharacter) || isBacktrackingSourcePosition(sourceIndex, sourceLine, sourceCharacter)) { commitPendingMapping(); pendingGeneratedLine = generatedLine; pendingGeneratedCharacter = generatedCharacter; hasPendingSource = false; hasPendingName = false; hasPending = true; } if (sourceIndex !== void 0 && sourceLine !== void 0 && sourceCharacter !== void 0) { pendingSourceIndex = sourceIndex; pendingSourceLine = sourceLine; pendingSourceCharacter = sourceCharacter; hasPendingSource = true; if (nameIndex !== void 0) { pendingNameIndex = nameIndex; hasPendingName = true; } } exit(); } function appendSourceMap(generatedLine, generatedCharacter, map2, sourceMapPath, start, end) { Debug.assert(generatedLine >= pendingGeneratedLine, "generatedLine cannot backtrack"); Debug.assert(generatedCharacter >= 0, "generatedCharacter cannot be negative"); enter(); const sourceIndexToNewSourceIndexMap = []; let nameIndexToNewNameIndexMap; const mappingIterator = decodeMappings(map2.mappings); for (const raw of mappingIterator) { if (end && (raw.generatedLine > end.line || raw.generatedLine === end.line && raw.generatedCharacter > end.character)) { break; } if (start && (raw.generatedLine < start.line || start.line === raw.generatedLine && raw.generatedCharacter < start.character)) { continue; } let newSourceIndex; let newSourceLine; let newSourceCharacter; let newNameIndex; if (raw.sourceIndex !== void 0) { newSourceIndex = sourceIndexToNewSourceIndexMap[raw.sourceIndex]; if (newSourceIndex === void 0) { const rawPath = map2.sources[raw.sourceIndex]; const relativePath = map2.sourceRoot ? combinePaths(map2.sourceRoot, rawPath) : rawPath; const combinedPath = combinePaths(getDirectoryPath(sourceMapPath), relativePath); sourceIndexToNewSourceIndexMap[raw.sourceIndex] = newSourceIndex = addSource(combinedPath); if (map2.sourcesContent && typeof map2.sourcesContent[raw.sourceIndex] === "string") { setSourceContent(newSourceIndex, map2.sourcesContent[raw.sourceIndex]); } } newSourceLine = raw.sourceLine; newSourceCharacter = raw.sourceCharacter; if (map2.names && raw.nameIndex !== void 0) { if (!nameIndexToNewNameIndexMap) nameIndexToNewNameIndexMap = []; newNameIndex = nameIndexToNewNameIndexMap[raw.nameIndex]; if (newNameIndex === void 0) { nameIndexToNewNameIndexMap[raw.nameIndex] = newNameIndex = addName2(map2.names[raw.nameIndex]); } } } const rawGeneratedLine = raw.generatedLine - (start ? start.line : 0); const newGeneratedLine = rawGeneratedLine + generatedLine; const rawGeneratedCharacter = start && start.line === raw.generatedLine ? raw.generatedCharacter - start.character : raw.generatedCharacter; const newGeneratedCharacter = rawGeneratedLine === 0 ? rawGeneratedCharacter + generatedCharacter : rawGeneratedCharacter; addMapping(newGeneratedLine, newGeneratedCharacter, newSourceIndex, newSourceLine, newSourceCharacter, newNameIndex); } exit(); } function shouldCommitMapping() { return !hasLast || lastGeneratedLine !== pendingGeneratedLine || lastGeneratedCharacter !== pendingGeneratedCharacter || lastSourceIndex !== pendingSourceIndex || lastSourceLine !== pendingSourceLine || lastSourceCharacter !== pendingSourceCharacter || lastNameIndex !== pendingNameIndex; } function appendMappingCharCode(charCode) { mappingCharCodes.push(charCode); if (mappingCharCodes.length >= 1024) { flushMappingBuffer(); } } function commitPendingMapping() { if (!hasPending || !shouldCommitMapping()) { return; } enter(); if (lastGeneratedLine < pendingGeneratedLine) { do { appendMappingCharCode( 59 /* semicolon */ ); lastGeneratedLine++; } while (lastGeneratedLine < pendingGeneratedLine); lastGeneratedCharacter = 0; } else { Debug.assertEqual(lastGeneratedLine, pendingGeneratedLine, "generatedLine cannot backtrack"); if (hasLast) { appendMappingCharCode( 44 /* comma */ ); } } appendBase64VLQ(pendingGeneratedCharacter - lastGeneratedCharacter); lastGeneratedCharacter = pendingGeneratedCharacter; if (hasPendingSource) { appendBase64VLQ(pendingSourceIndex - lastSourceIndex); lastSourceIndex = pendingSourceIndex; appendBase64VLQ(pendingSourceLine - lastSourceLine); lastSourceLine = pendingSourceLine; appendBase64VLQ(pendingSourceCharacter - lastSourceCharacter); lastSourceCharacter = pendingSourceCharacter; if (hasPendingName) { appendBase64VLQ(pendingNameIndex - lastNameIndex); lastNameIndex = pendingNameIndex; } } hasLast = true; exit(); } function flushMappingBuffer() { if (mappingCharCodes.length > 0) { mappings += String.fromCharCode.apply(void 0, mappingCharCodes); mappingCharCodes.length = 0; } } function toJSON() { commitPendingMapping(); flushMappingBuffer(); return { version: 3, file, sourceRoot, sources, names, mappings, sourcesContent }; } function appendBase64VLQ(inValue) { if (inValue < 0) { inValue = (-inValue << 1) + 1; } else { inValue = inValue << 1; } do { let currentDigit = inValue & 31; inValue = inValue >> 5; if (inValue > 0) { currentDigit = currentDigit | 32; } appendMappingCharCode(base64FormatEncode(currentDigit)); } while (inValue > 0); } } var sourceMapCommentRegExpDontCareLineStart = /\/\/[@#] source[M]appingURL=(.+)\r?\n?$/; var sourceMapCommentRegExp = /^\/\/[@#] source[M]appingURL=(.+)\r?\n?$/; var whitespaceOrMapCommentRegExp = /^\s*(\/\/[@#] .*)?$/; function getLineInfo(text, lineStarts) { return { getLineCount: () => lineStarts.length, getLineText: (line) => text.substring(lineStarts[line], lineStarts[line + 1]) }; } function tryGetSourceMappingURL(lineInfo) { for (let index = lineInfo.getLineCount() - 1; index >= 0; index--) { const line = lineInfo.getLineText(index); const comment = sourceMapCommentRegExp.exec(line); if (comment) { return comment[1].trimEnd(); } else if (!line.match(whitespaceOrMapCommentRegExp)) { break; } } } function isStringOrNull(x) { return typeof x === "string" || x === null; } function isRawSourceMap(x) { return x !== null && typeof x === "object" && x.version === 3 && typeof x.file === "string" && typeof x.mappings === "string" && isArray3(x.sources) && every(x.sources, isString2) && (x.sourceRoot === void 0 || x.sourceRoot === null || typeof x.sourceRoot === "string") && (x.sourcesContent === void 0 || x.sourcesContent === null || isArray3(x.sourcesContent) && every(x.sourcesContent, isStringOrNull)) && (x.names === void 0 || x.names === null || isArray3(x.names) && every(x.names, isString2)); } function tryParseRawSourceMap(text) { try { const parsed = JSON.parse(text); if (isRawSourceMap(parsed)) { return parsed; } } catch { } return void 0; } function decodeMappings(mappings) { let done = false; let pos = 0; let generatedLine = 0; let generatedCharacter = 0; let sourceIndex = 0; let sourceLine = 0; let sourceCharacter = 0; let nameIndex = 0; let error2; return { get pos() { return pos; }, get error() { return error2; }, get state() { return captureMapping( /*hasSource*/ true, /*hasName*/ true ); }, next() { while (!done && pos < mappings.length) { const ch = mappings.charCodeAt(pos); if (ch === 59) { generatedLine++; generatedCharacter = 0; pos++; continue; } if (ch === 44) { pos++; continue; } let hasSource = false; let hasName = false; generatedCharacter += base64VLQFormatDecode(); if (hasReportedError()) return stopIterating(); if (generatedCharacter < 0) return setErrorAndStopIterating("Invalid generatedCharacter found"); if (!isSourceMappingSegmentEnd()) { hasSource = true; sourceIndex += base64VLQFormatDecode(); if (hasReportedError()) return stopIterating(); if (sourceIndex < 0) return setErrorAndStopIterating("Invalid sourceIndex found"); if (isSourceMappingSegmentEnd()) return setErrorAndStopIterating("Unsupported Format: No entries after sourceIndex"); sourceLine += base64VLQFormatDecode(); if (hasReportedError()) return stopIterating(); if (sourceLine < 0) return setErrorAndStopIterating("Invalid sourceLine found"); if (isSourceMappingSegmentEnd()) return setErrorAndStopIterating("Unsupported Format: No entries after sourceLine"); sourceCharacter += base64VLQFormatDecode(); if (hasReportedError()) return stopIterating(); if (sourceCharacter < 0) return setErrorAndStopIterating("Invalid sourceCharacter found"); if (!isSourceMappingSegmentEnd()) { hasName = true; nameIndex += base64VLQFormatDecode(); if (hasReportedError()) return stopIterating(); if (nameIndex < 0) return setErrorAndStopIterating("Invalid nameIndex found"); if (!isSourceMappingSegmentEnd()) return setErrorAndStopIterating("Unsupported Error Format: Entries after nameIndex"); } } return { value: captureMapping(hasSource, hasName), done }; } return stopIterating(); }, [Symbol.iterator]() { return this; } }; function captureMapping(hasSource, hasName) { return { generatedLine, generatedCharacter, sourceIndex: hasSource ? sourceIndex : void 0, sourceLine: hasSource ? sourceLine : void 0, sourceCharacter: hasSource ? sourceCharacter : void 0, nameIndex: hasName ? nameIndex : void 0 }; } function stopIterating() { done = true; return { value: void 0, done: true }; } function setError(message) { if (error2 === void 0) { error2 = message; } } function setErrorAndStopIterating(message) { setError(message); return stopIterating(); } function hasReportedError() { return error2 !== void 0; } function isSourceMappingSegmentEnd() { return pos === mappings.length || mappings.charCodeAt(pos) === 44 || mappings.charCodeAt(pos) === 59; } function base64VLQFormatDecode() { let moreDigits = true; let shiftCount = 0; let value = 0; for (; moreDigits; pos++) { if (pos >= mappings.length) return setError("Error in decoding base64VLQFormatDecode, past the mapping string"), -1; const currentByte = base64FormatDecode(mappings.charCodeAt(pos)); if (currentByte === -1) return setError("Invalid character in VLQ"), -1; moreDigits = (currentByte & 32) !== 0; value = value | (currentByte & 31) << shiftCount; shiftCount += 5; } if ((value & 1) === 0) { value = value >> 1; } else { value = value >> 1; value = -value; } return value; } } function sameMapping(left, right) { return left === right || left.generatedLine === right.generatedLine && left.generatedCharacter === right.generatedCharacter && left.sourceIndex === right.sourceIndex && left.sourceLine === right.sourceLine && left.sourceCharacter === right.sourceCharacter && left.nameIndex === right.nameIndex; } function isSourceMapping(mapping) { return mapping.sourceIndex !== void 0 && mapping.sourceLine !== void 0 && mapping.sourceCharacter !== void 0; } function base64FormatEncode(value) { return value >= 0 && value < 26 ? 65 + value : value >= 26 && value < 52 ? 97 + value - 26 : value >= 52 && value < 62 ? 48 + value - 52 : value === 62 ? 43 : value === 63 ? 47 : Debug.fail(`${value}: not a base64 value`); } function base64FormatDecode(ch) { return ch >= 65 && ch <= 90 ? ch - 65 : ch >= 97 && ch <= 122 ? ch - 97 + 26 : ch >= 48 && ch <= 57 ? ch - 48 + 52 : ch === 43 ? 62 : ch === 47 ? 63 : -1; } function isSourceMappedPosition(value) { return value.sourceIndex !== void 0 && value.sourcePosition !== void 0; } function sameMappedPosition(left, right) { return left.generatedPosition === right.generatedPosition && left.sourceIndex === right.sourceIndex && left.sourcePosition === right.sourcePosition; } function compareSourcePositions(left, right) { Debug.assert(left.sourceIndex === right.sourceIndex); return compareValues(left.sourcePosition, right.sourcePosition); } function compareGeneratedPositions(left, right) { return compareValues(left.generatedPosition, right.generatedPosition); } function getSourcePositionOfMapping(value) { return value.sourcePosition; } function getGeneratedPositionOfMapping(value) { return value.generatedPosition; } function createDocumentPositionMapper(host, map2, mapPath) { const mapDirectory = getDirectoryPath(mapPath); const sourceRoot = map2.sourceRoot ? getNormalizedAbsolutePath(map2.sourceRoot, mapDirectory) : mapDirectory; const generatedAbsoluteFilePath = getNormalizedAbsolutePath(map2.file, mapDirectory); const generatedFile = host.getSourceFileLike(generatedAbsoluteFilePath); const sourceFileAbsolutePaths = map2.sources.map((source) => getNormalizedAbsolutePath(source, sourceRoot)); const sourceToSourceIndexMap = new Map(sourceFileAbsolutePaths.map((source, i) => [host.getCanonicalFileName(source), i])); let decodedMappings; let generatedMappings; let sourceMappings; return { getSourcePosition, getGeneratedPosition }; function processMapping(mapping) { const generatedPosition = generatedFile !== void 0 ? getPositionOfLineAndCharacter( generatedFile, mapping.generatedLine, mapping.generatedCharacter, /*allowEdits*/ true ) : -1; let source; let sourcePosition; if (isSourceMapping(mapping)) { const sourceFile = host.getSourceFileLike(sourceFileAbsolutePaths[mapping.sourceIndex]); source = map2.sources[mapping.sourceIndex]; sourcePosition = sourceFile !== void 0 ? getPositionOfLineAndCharacter( sourceFile, mapping.sourceLine, mapping.sourceCharacter, /*allowEdits*/ true ) : -1; } return { generatedPosition, source, sourceIndex: mapping.sourceIndex, sourcePosition, nameIndex: mapping.nameIndex }; } function getDecodedMappings() { if (decodedMappings === void 0) { const decoder = decodeMappings(map2.mappings); const mappings = arrayFrom(decoder, processMapping); if (decoder.error !== void 0) { if (host.log) { host.log(`Encountered error while decoding sourcemap: ${decoder.error}`); } decodedMappings = emptyArray; } else { decodedMappings = mappings; } } return decodedMappings; } function getSourceMappings(sourceIndex) { if (sourceMappings === void 0) { const lists = []; for (const mapping of getDecodedMappings()) { if (!isSourceMappedPosition(mapping)) continue; let list = lists[mapping.sourceIndex]; if (!list) lists[mapping.sourceIndex] = list = []; list.push(mapping); } sourceMappings = lists.map((list) => sortAndDeduplicate(list, compareSourcePositions, sameMappedPosition)); } return sourceMappings[sourceIndex]; } function getGeneratedMappings() { if (generatedMappings === void 0) { const list = []; for (const mapping of getDecodedMappings()) { list.push(mapping); } generatedMappings = sortAndDeduplicate(list, compareGeneratedPositions, sameMappedPosition); } return generatedMappings; } function getGeneratedPosition(loc) { const sourceIndex = sourceToSourceIndexMap.get(host.getCanonicalFileName(loc.fileName)); if (sourceIndex === void 0) return loc; const sourceMappings2 = getSourceMappings(sourceIndex); if (!some(sourceMappings2)) return loc; let targetIndex = binarySearchKey(sourceMappings2, loc.pos, getSourcePositionOfMapping, compareValues); if (targetIndex < 0) { targetIndex = ~targetIndex; } const mapping = sourceMappings2[targetIndex]; if (mapping === void 0 || mapping.sourceIndex !== sourceIndex) { return loc; } return { fileName: generatedAbsoluteFilePath, pos: mapping.generatedPosition }; } function getSourcePosition(loc) { const generatedMappings2 = getGeneratedMappings(); if (!some(generatedMappings2)) return loc; let targetIndex = binarySearchKey(generatedMappings2, loc.pos, getGeneratedPositionOfMapping, compareValues); if (targetIndex < 0) { targetIndex = ~targetIndex; } const mapping = generatedMappings2[targetIndex]; if (mapping === void 0 || !isSourceMappedPosition(mapping)) { return loc; } return { fileName: sourceFileAbsolutePaths[mapping.sourceIndex], pos: mapping.sourcePosition }; } } var identitySourceMapConsumer = { getSourcePosition: identity2, getGeneratedPosition: identity2 }; function getOriginalNodeId(node) { node = getOriginalNode(node); return node ? getNodeId(node) : 0; } function containsDefaultReference(node) { if (!node) return false; if (!isNamedImports(node) && !isNamedExports(node)) return false; return some(node.elements, isNamedDefaultReference); } function isNamedDefaultReference(e) { return e.propertyName !== void 0 ? e.propertyName.escapedText === "default" : e.name.escapedText === "default"; } function chainBundle(context, transformSourceFile) { return transformSourceFileOrBundle; function transformSourceFileOrBundle(node) { return node.kind === 307 ? transformSourceFile(node) : transformBundle(node); } function transformBundle(node) { return context.factory.createBundle(map(node.sourceFiles, transformSourceFile)); } } function getExportNeedsImportStarHelper(node) { return !!getNamespaceDeclarationNode(node); } function getImportNeedsImportStarHelper(node) { if (!!getNamespaceDeclarationNode(node)) { return true; } const bindings = node.importClause && node.importClause.namedBindings; if (!bindings) { return false; } if (!isNamedImports(bindings)) return false; let defaultRefCount = 0; for (const binding of bindings.elements) { if (isNamedDefaultReference(binding)) { defaultRefCount++; } } return defaultRefCount > 0 && defaultRefCount !== bindings.elements.length || !!(bindings.elements.length - defaultRefCount) && isDefaultImport(node); } function getImportNeedsImportDefaultHelper(node) { return !getImportNeedsImportStarHelper(node) && (isDefaultImport(node) || !!node.importClause && isNamedImports(node.importClause.namedBindings) && containsDefaultReference(node.importClause.namedBindings)); } function collectExternalModuleInfo(context, sourceFile) { const resolver = context.getEmitResolver(); const compilerOptions = context.getCompilerOptions(); const externalImports = []; const exportSpecifiers = new IdentifierNameMultiMap(); const exportedBindings = []; const uniqueExports = /* @__PURE__ */ new Map(); const exportedFunctions = /* @__PURE__ */ new Set(); let exportedNames; let hasExportDefault = false; let exportEquals; let hasExportStarsToExportValues = false; let hasImportStar = false; let hasImportDefault = false; for (const node of sourceFile.statements) { switch (node.kind) { case 272: externalImports.push(node); if (!hasImportStar && getImportNeedsImportStarHelper(node)) { hasImportStar = true; } if (!hasImportDefault && getImportNeedsImportDefaultHelper(node)) { hasImportDefault = true; } break; case 271: if (node.moduleReference.kind === 283) { externalImports.push(node); } break; case 278: if (node.moduleSpecifier) { if (!node.exportClause) { externalImports.push(node); hasExportStarsToExportValues = true; } else { externalImports.push(node); if (isNamedExports(node.exportClause)) { addExportedNamesForExportDeclaration(node); hasImportDefault || (hasImportDefault = containsDefaultReference(node.exportClause)); } else { const name = node.exportClause.name; if (!uniqueExports.get(idText(name))) { multiMapSparseArrayAdd(exportedBindings, getOriginalNodeId(node), name); uniqueExports.set(idText(name), true); exportedNames = append(exportedNames, name); } hasImportStar = true; } } } else { addExportedNamesForExportDeclaration(node); } break; case 277: if (node.isExportEquals && !exportEquals) { exportEquals = node; } break; case 243: if (hasSyntacticModifier( node, 32 /* Export */ )) { for (const decl of node.declarationList.declarations) { exportedNames = collectExportedVariableInfo(decl, uniqueExports, exportedNames, exportedBindings); } } break; case 262: if (hasSyntacticModifier( node, 32 /* Export */ )) { addExportedFunctionDeclaration( node, /*name*/ void 0, hasSyntacticModifier( node, 2048 /* Default */ ) ); } break; case 263: if (hasSyntacticModifier( node, 32 /* Export */ )) { if (hasSyntacticModifier( node, 2048 /* Default */ )) { if (!hasExportDefault) { multiMapSparseArrayAdd(exportedBindings, getOriginalNodeId(node), context.factory.getDeclarationName(node)); hasExportDefault = true; } } else { const name = node.name; if (name && !uniqueExports.get(idText(name))) { multiMapSparseArrayAdd(exportedBindings, getOriginalNodeId(node), name); uniqueExports.set(idText(name), true); exportedNames = append(exportedNames, name); } } } break; } } const externalHelpersImportDeclaration = createExternalHelpersImportDeclarationIfNeeded(context.factory, context.getEmitHelperFactory(), sourceFile, compilerOptions, hasExportStarsToExportValues, hasImportStar, hasImportDefault); if (externalHelpersImportDeclaration) { externalImports.unshift(externalHelpersImportDeclaration); } return { externalImports, exportSpecifiers, exportEquals, hasExportStarsToExportValues, exportedBindings, exportedNames, exportedFunctions, externalHelpersImportDeclaration }; function addExportedNamesForExportDeclaration(node) { for (const specifier of cast(node.exportClause, isNamedExports).elements) { if (!uniqueExports.get(idText(specifier.name))) { const name = specifier.propertyName || specifier.name; if (!node.moduleSpecifier) { exportSpecifiers.add(name, specifier); } const decl = resolver.getReferencedImportDeclaration(name) || resolver.getReferencedValueDeclaration(name); if (decl) { if (decl.kind === 262) { addExportedFunctionDeclaration( decl, specifier.name, specifier.name.escapedText === "default" /* Default */ ); continue; } multiMapSparseArrayAdd(exportedBindings, getOriginalNodeId(decl), specifier.name); } uniqueExports.set(idText(specifier.name), true); exportedNames = append(exportedNames, specifier.name); } } } function addExportedFunctionDeclaration(node, name, isDefault) { exportedFunctions.add(node); if (isDefault) { if (!hasExportDefault) { multiMapSparseArrayAdd(exportedBindings, getOriginalNodeId(node), name ?? context.factory.getDeclarationName(node)); hasExportDefault = true; } } else { name ?? (name = node.name); if (!uniqueExports.get(idText(name))) { multiMapSparseArrayAdd(exportedBindings, getOriginalNodeId(node), name); uniqueExports.set(idText(name), true); } } } } function collectExportedVariableInfo(decl, uniqueExports, exportedNames, exportedBindings) { if (isBindingPattern(decl.name)) { for (const element of decl.name.elements) { if (!isOmittedExpression(element)) { exportedNames = collectExportedVariableInfo(element, uniqueExports, exportedNames, exportedBindings); } } } else if (!isGeneratedIdentifier(decl.name)) { const text = idText(decl.name); if (!uniqueExports.get(text)) { uniqueExports.set(text, true); exportedNames = append(exportedNames, decl.name); if (isLocalName(decl.name)) { multiMapSparseArrayAdd(exportedBindings, getOriginalNodeId(decl), decl.name); } } } return exportedNames; } function multiMapSparseArrayAdd(map2, key, value) { let values = map2[key]; if (values) { values.push(value); } else { map2[key] = values = [value]; } return values; } var IdentifierNameMap = class _IdentifierNameMap { constructor() { this._map = /* @__PURE__ */ new Map(); } get size() { return this._map.size; } has(key) { return this._map.has(_IdentifierNameMap.toKey(key)); } get(key) { return this._map.get(_IdentifierNameMap.toKey(key)); } set(key, value) { this._map.set(_IdentifierNameMap.toKey(key), value); return this; } delete(key) { var _a; return ((_a = this._map) == null ? void 0 : _a.delete(_IdentifierNameMap.toKey(key))) ?? false; } clear() { this._map.clear(); } values() { return this._map.values(); } static toKey(name) { if (isGeneratedPrivateIdentifier(name) || isGeneratedIdentifier(name)) { const autoGenerate = name.emitNode.autoGenerate; if ((autoGenerate.flags & 7) === 4) { const node = getNodeForGeneratedName(name); const baseName = isMemberName(node) && node !== name ? _IdentifierNameMap.toKey(node) : `(generated@${getNodeId(node)})`; return formatGeneratedName( /*privateName*/ false, autoGenerate.prefix, baseName, autoGenerate.suffix, _IdentifierNameMap.toKey ); } else { const baseName = `(auto@${autoGenerate.id})`; return formatGeneratedName( /*privateName*/ false, autoGenerate.prefix, baseName, autoGenerate.suffix, _IdentifierNameMap.toKey ); } } if (isPrivateIdentifier(name)) { return idText(name).slice(1); } return idText(name); } }; var IdentifierNameMultiMap = class extends IdentifierNameMap { add(key, value) { let values = this.get(key); if (values) { values.push(value); } else { this.set(key, values = [value]); } return values; } remove(key, value) { const values = this.get(key); if (values) { unorderedRemoveItem(values, value); if (!values.length) { this.delete(key); } } } }; function isSimpleCopiableExpression(expression) { return isStringLiteralLike(expression) || expression.kind === 9 || isKeyword2(expression.kind) || isIdentifier(expression); } function isSimpleInlineableExpression(expression) { return !isIdentifier(expression) && isSimpleCopiableExpression(expression); } function isCompoundAssignment(kind) { return kind >= 65 && kind <= 79; } function getNonAssignmentOperatorForCompoundAssignment(kind) { switch (kind) { case 65: return 40; case 66: return 41; case 67: return 42; case 68: return 43; case 69: return 44; case 70: return 45; case 71: return 48; case 72: return 49; case 73: return 50; case 74: return 51; case 75: return 52; case 79: return 53; case 76: return 57; case 77: return 56; case 78: return 61; } } function getSuperCallFromStatement(statement) { if (!isExpressionStatement2(statement)) { return void 0; } const expression = skipParentheses(statement.expression); return isSuperCall(expression) ? expression : void 0; } function findSuperStatementIndexPathWorker(statements, start, indices) { for (let i = start; i < statements.length; i += 1) { const statement = statements[i]; if (getSuperCallFromStatement(statement)) { indices.unshift(i); return true; } else if (isTryStatement(statement) && findSuperStatementIndexPathWorker(statement.tryBlock.statements, 0, indices)) { indices.unshift(i); return true; } } return false; } function findSuperStatementIndexPath(statements, start) { const indices = []; findSuperStatementIndexPathWorker(statements, start, indices); return indices; } function getProperties(node, requireInitializer, isStatic2) { return filter(node.members, (m) => isInitializedOrStaticProperty(m, requireInitializer, isStatic2)); } function isStaticPropertyDeclarationOrClassStaticBlockDeclaration(element) { return isStaticPropertyDeclaration(element) || isClassStaticBlockDeclaration(element); } function getStaticPropertiesAndClassStaticBlock(node) { return filter(node.members, isStaticPropertyDeclarationOrClassStaticBlockDeclaration); } function isInitializedOrStaticProperty(member, requireInitializer, isStatic2) { return isPropertyDeclaration(member) && (!!member.initializer || !requireInitializer) && hasStaticModifier(member) === isStatic2; } function isStaticPropertyDeclaration(member) { return isPropertyDeclaration(member) && hasStaticModifier(member); } function isInitializedProperty(member) { return member.kind === 172 && member.initializer !== void 0; } function isNonStaticMethodOrAccessorWithPrivateName(member) { return !isStatic(member) && (isMethodOrAccessor(member) || isAutoAccessorPropertyDeclaration(member)) && isPrivateIdentifier(member.name); } function getDecoratorsOfParameters(node) { let decorators; if (node) { const parameters = node.parameters; const firstParameterIsThis = parameters.length > 0 && parameterIsThisKeyword(parameters[0]); const firstParameterOffset = firstParameterIsThis ? 1 : 0; const numParameters = firstParameterIsThis ? parameters.length - 1 : parameters.length; for (let i = 0; i < numParameters; i++) { const parameter = parameters[i + firstParameterOffset]; if (decorators || hasDecorators(parameter)) { if (!decorators) { decorators = new Array(numParameters); } decorators[i] = getDecorators(parameter); } } } return decorators; } function getAllDecoratorsOfClass(node) { const decorators = getDecorators(node); const parameters = getDecoratorsOfParameters(getFirstConstructorWithBody(node)); if (!some(decorators) && !some(parameters)) { return void 0; } return { decorators, parameters }; } function getAllDecoratorsOfClassElement(member, parent2, useLegacyDecorators) { switch (member.kind) { case 177: case 178: if (!useLegacyDecorators) { return getAllDecoratorsOfMethod(member); } return getAllDecoratorsOfAccessors(member, parent2); case 174: return getAllDecoratorsOfMethod(member); case 172: return getAllDecoratorsOfProperty(member); default: return void 0; } } function getAllDecoratorsOfAccessors(accessor, parent2) { if (!accessor.body) { return void 0; } const { firstAccessor, secondAccessor, getAccessor, setAccessor } = getAllAccessorDeclarations(parent2.members, accessor); const firstAccessorWithDecorators = hasDecorators(firstAccessor) ? firstAccessor : secondAccessor && hasDecorators(secondAccessor) ? secondAccessor : void 0; if (!firstAccessorWithDecorators || accessor !== firstAccessorWithDecorators) { return void 0; } const decorators = getDecorators(firstAccessorWithDecorators); const parameters = getDecoratorsOfParameters(setAccessor); if (!some(decorators) && !some(parameters)) { return void 0; } return { decorators, parameters, getDecorators: getAccessor && getDecorators(getAccessor), setDecorators: setAccessor && getDecorators(setAccessor) }; } function getAllDecoratorsOfMethod(method) { if (!method.body) { return void 0; } const decorators = getDecorators(method); const parameters = getDecoratorsOfParameters(method); if (!some(decorators) && !some(parameters)) { return void 0; } return { decorators, parameters }; } function getAllDecoratorsOfProperty(property) { const decorators = getDecorators(property); if (!some(decorators)) { return void 0; } return { decorators }; } function walkUpLexicalEnvironments(env, cb) { while (env) { const result = cb(env); if (result !== void 0) return result; env = env.previous; } } function newPrivateEnvironment(data) { return { data }; } function getPrivateIdentifier(privateEnv, name) { var _a, _b; return isGeneratedPrivateIdentifier(name) ? (_a = privateEnv == null ? void 0 : privateEnv.generatedIdentifiers) == null ? void 0 : _a.get(getNodeForGeneratedName(name)) : (_b = privateEnv == null ? void 0 : privateEnv.identifiers) == null ? void 0 : _b.get(name.escapedText); } function setPrivateIdentifier(privateEnv, name, entry) { if (isGeneratedPrivateIdentifier(name)) { privateEnv.generatedIdentifiers ?? (privateEnv.generatedIdentifiers = /* @__PURE__ */ new Map()); privateEnv.generatedIdentifiers.set(getNodeForGeneratedName(name), entry); } else { privateEnv.identifiers ?? (privateEnv.identifiers = /* @__PURE__ */ new Map()); privateEnv.identifiers.set(name.escapedText, entry); } } function accessPrivateIdentifier(env, name) { return walkUpLexicalEnvironments(env, (env2) => getPrivateIdentifier(env2.privateEnv, name)); } function isSimpleParameter(node) { return !node.initializer && isIdentifier(node.name); } function isSimpleParameterList(nodes) { return every(nodes, isSimpleParameter); } var FlattenLevel = /* @__PURE__ */ ((FlattenLevel2) => { FlattenLevel2[FlattenLevel2["All"] = 0] = "All"; FlattenLevel2[FlattenLevel2["ObjectRest"] = 1] = "ObjectRest"; return FlattenLevel2; })(FlattenLevel || {}); function flattenDestructuringAssignment(node, visitor2, context, level, needsValue, createAssignmentCallback) { let location = node; let value; if (isDestructuringAssignment(node)) { value = node.right; while (isEmptyArrayLiteral(node.left) || isEmptyObjectLiteral(node.left)) { if (isDestructuringAssignment(value)) { location = node = value; value = node.right; } else { return Debug.checkDefined(visitNode(value, visitor2, isExpression)); } } } let expressions; const flattenContext = { context, level, downlevelIteration: !!context.getCompilerOptions().downlevelIteration, hoistTempVariables: true, emitExpression, emitBindingOrAssignment, createArrayBindingOrAssignmentPattern: (elements) => makeArrayAssignmentPattern(context.factory, elements), createObjectBindingOrAssignmentPattern: (elements) => makeObjectAssignmentPattern(context.factory, elements), createArrayBindingOrAssignmentElement: makeAssignmentElement, visitor: visitor2 }; if (value) { value = visitNode(value, visitor2, isExpression); Debug.assert(value); if (isIdentifier(value) && bindingOrAssignmentElementAssignsToName(node, value.escapedText) || bindingOrAssignmentElementContainsNonLiteralComputedName(node)) { value = ensureIdentifier( flattenContext, value, /*reuseIdentifierExpressions*/ false, location ); } else if (needsValue) { value = ensureIdentifier( flattenContext, value, /*reuseIdentifierExpressions*/ true, location ); } else if (nodeIsSynthesized(node)) { location = value; } } flattenBindingOrAssignmentElement( flattenContext, node, value, location, /*skipInitializer*/ isDestructuringAssignment(node) ); if (value && needsValue) { if (!some(expressions)) { return value; } expressions.push(value); } return context.factory.inlineExpressions(expressions) || context.factory.createOmittedExpression(); function emitExpression(expression) { expressions = append(expressions, expression); } function emitBindingOrAssignment(target, value2, location2, original) { Debug.assertNode(target, createAssignmentCallback ? isIdentifier : isExpression); const expression = createAssignmentCallback ? createAssignmentCallback(target, value2, location2) : setTextRange( context.factory.createAssignment(Debug.checkDefined(visitNode(target, visitor2, isExpression)), value2), location2 ); expression.original = original; emitExpression(expression); } } function bindingOrAssignmentElementAssignsToName(element, escapedName) { const target = getTargetOfBindingOrAssignmentElement(element); if (isBindingOrAssignmentPattern(target)) { return bindingOrAssignmentPatternAssignsToName(target, escapedName); } else if (isIdentifier(target)) { return target.escapedText === escapedName; } return false; } function bindingOrAssignmentPatternAssignsToName(pattern, escapedName) { const elements = getElementsOfBindingOrAssignmentPattern(pattern); for (const element of elements) { if (bindingOrAssignmentElementAssignsToName(element, escapedName)) { return true; } } return false; } function bindingOrAssignmentElementContainsNonLiteralComputedName(element) { const propertyName = tryGetPropertyNameOfBindingOrAssignmentElement(element); if (propertyName && isComputedPropertyName(propertyName) && !isLiteralExpression(propertyName.expression)) { return true; } const target = getTargetOfBindingOrAssignmentElement(element); return !!target && isBindingOrAssignmentPattern(target) && bindingOrAssignmentPatternContainsNonLiteralComputedName(target); } function bindingOrAssignmentPatternContainsNonLiteralComputedName(pattern) { return !!forEach(getElementsOfBindingOrAssignmentPattern(pattern), bindingOrAssignmentElementContainsNonLiteralComputedName); } function flattenDestructuringBinding(node, visitor2, context, level, rval, hoistTempVariables = false, skipInitializer) { let pendingExpressions; const pendingDeclarations = []; const declarations = []; const flattenContext = { context, level, downlevelIteration: !!context.getCompilerOptions().downlevelIteration, hoistTempVariables, emitExpression, emitBindingOrAssignment, createArrayBindingOrAssignmentPattern: (elements) => makeArrayBindingPattern(context.factory, elements), createObjectBindingOrAssignmentPattern: (elements) => makeObjectBindingPattern(context.factory, elements), createArrayBindingOrAssignmentElement: (name) => makeBindingElement(context.factory, name), visitor: visitor2 }; if (isVariableDeclaration(node)) { let initializer = getInitializerOfBindingOrAssignmentElement(node); if (initializer && (isIdentifier(initializer) && bindingOrAssignmentElementAssignsToName(node, initializer.escapedText) || bindingOrAssignmentElementContainsNonLiteralComputedName(node))) { initializer = ensureIdentifier( flattenContext, Debug.checkDefined(visitNode(initializer, flattenContext.visitor, isExpression)), /*reuseIdentifierExpressions*/ false, initializer ); node = context.factory.updateVariableDeclaration( node, node.name, /*exclamationToken*/ void 0, /*type*/ void 0, initializer ); } } flattenBindingOrAssignmentElement(flattenContext, node, rval, node, skipInitializer); if (pendingExpressions) { const temp = context.factory.createTempVariable( /*recordTempVariable*/ void 0 ); if (hoistTempVariables) { const value = context.factory.inlineExpressions(pendingExpressions); pendingExpressions = void 0; emitBindingOrAssignment( temp, value, /*location*/ void 0, /*original*/ void 0 ); } else { context.hoistVariableDeclaration(temp); const pendingDeclaration = last(pendingDeclarations); pendingDeclaration.pendingExpressions = append( pendingDeclaration.pendingExpressions, context.factory.createAssignment(temp, pendingDeclaration.value) ); addRange(pendingDeclaration.pendingExpressions, pendingExpressions); pendingDeclaration.value = temp; } } for (const { pendingExpressions: pendingExpressions2, name, value, location, original } of pendingDeclarations) { const variable = context.factory.createVariableDeclaration( name, /*exclamationToken*/ void 0, /*type*/ void 0, pendingExpressions2 ? context.factory.inlineExpressions(append(pendingExpressions2, value)) : value ); variable.original = original; setTextRange(variable, location); declarations.push(variable); } return declarations; function emitExpression(value) { pendingExpressions = append(pendingExpressions, value); } function emitBindingOrAssignment(target, value, location, original) { Debug.assertNode(target, isBindingName); if (pendingExpressions) { value = context.factory.inlineExpressions(append(pendingExpressions, value)); pendingExpressions = void 0; } pendingDeclarations.push({ pendingExpressions, name: target, value, location, original }); } } function flattenBindingOrAssignmentElement(flattenContext, element, value, location, skipInitializer) { const bindingTarget = getTargetOfBindingOrAssignmentElement(element); if (!skipInitializer) { const initializer = visitNode(getInitializerOfBindingOrAssignmentElement(element), flattenContext.visitor, isExpression); if (initializer) { if (value) { value = createDefaultValueCheck(flattenContext, value, initializer, location); if (!isSimpleInlineableExpression(initializer) && isBindingOrAssignmentPattern(bindingTarget)) { value = ensureIdentifier( flattenContext, value, /*reuseIdentifierExpressions*/ true, location ); } } else { value = initializer; } } else if (!value) { value = flattenContext.context.factory.createVoidZero(); } } if (isObjectBindingOrAssignmentPattern(bindingTarget)) { flattenObjectBindingOrAssignmentPattern(flattenContext, element, bindingTarget, value, location); } else if (isArrayBindingOrAssignmentPattern(bindingTarget)) { flattenArrayBindingOrAssignmentPattern(flattenContext, element, bindingTarget, value, location); } else { flattenContext.emitBindingOrAssignment( bindingTarget, value, location, /*original*/ element ); } } function flattenObjectBindingOrAssignmentPattern(flattenContext, parent2, pattern, value, location) { const elements = getElementsOfBindingOrAssignmentPattern(pattern); const numElements = elements.length; if (numElements !== 1) { const reuseIdentifierExpressions = !isDeclarationBindingElement(parent2) || numElements !== 0; value = ensureIdentifier(flattenContext, value, reuseIdentifierExpressions, location); } let bindingElements; let computedTempVariables; for (let i = 0; i < numElements; i++) { const element = elements[i]; if (!getRestIndicatorOfBindingOrAssignmentElement(element)) { const propertyName = getPropertyNameOfBindingOrAssignmentElement(element); if (flattenContext.level >= 1 && !(element.transformFlags & (32768 | 65536)) && !(getTargetOfBindingOrAssignmentElement(element).transformFlags & (32768 | 65536)) && !isComputedPropertyName(propertyName)) { bindingElements = append(bindingElements, visitNode(element, flattenContext.visitor, isBindingOrAssignmentElement)); } else { if (bindingElements) { flattenContext.emitBindingOrAssignment(flattenContext.createObjectBindingOrAssignmentPattern(bindingElements), value, location, pattern); bindingElements = void 0; } const rhsValue = createDestructuringPropertyAccess(flattenContext, value, propertyName); if (isComputedPropertyName(propertyName)) { computedTempVariables = append(computedTempVariables, rhsValue.argumentExpression); } flattenBindingOrAssignmentElement( flattenContext, element, rhsValue, /*location*/ element ); } } else if (i === numElements - 1) { if (bindingElements) { flattenContext.emitBindingOrAssignment(flattenContext.createObjectBindingOrAssignmentPattern(bindingElements), value, location, pattern); bindingElements = void 0; } const rhsValue = flattenContext.context.getEmitHelperFactory().createRestHelper(value, elements, computedTempVariables, pattern); flattenBindingOrAssignmentElement(flattenContext, element, rhsValue, element); } } if (bindingElements) { flattenContext.emitBindingOrAssignment(flattenContext.createObjectBindingOrAssignmentPattern(bindingElements), value, location, pattern); } } function flattenArrayBindingOrAssignmentPattern(flattenContext, parent2, pattern, value, location) { const elements = getElementsOfBindingOrAssignmentPattern(pattern); const numElements = elements.length; if (flattenContext.level < 1 && flattenContext.downlevelIteration) { value = ensureIdentifier( flattenContext, setTextRange( flattenContext.context.getEmitHelperFactory().createReadHelper( value, numElements > 0 && getRestIndicatorOfBindingOrAssignmentElement(elements[numElements - 1]) ? void 0 : numElements ), location ), /*reuseIdentifierExpressions*/ false, location ); } else if (numElements !== 1 && (flattenContext.level < 1 || numElements === 0) || every(elements, isOmittedExpression)) { const reuseIdentifierExpressions = !isDeclarationBindingElement(parent2) || numElements !== 0; value = ensureIdentifier(flattenContext, value, reuseIdentifierExpressions, location); } let bindingElements; let restContainingElements; for (let i = 0; i < numElements; i++) { const element = elements[i]; if (flattenContext.level >= 1) { if (element.transformFlags & 65536 || flattenContext.hasTransformedPriorElement && !isSimpleBindingOrAssignmentElement(element)) { flattenContext.hasTransformedPriorElement = true; const temp = flattenContext.context.factory.createTempVariable( /*recordTempVariable*/ void 0 ); if (flattenContext.hoistTempVariables) { flattenContext.context.hoistVariableDeclaration(temp); } restContainingElements = append(restContainingElements, [temp, element]); bindingElements = append(bindingElements, flattenContext.createArrayBindingOrAssignmentElement(temp)); } else { bindingElements = append(bindingElements, element); } } else if (isOmittedExpression(element)) { continue; } else if (!getRestIndicatorOfBindingOrAssignmentElement(element)) { const rhsValue = flattenContext.context.factory.createElementAccessExpression(value, i); flattenBindingOrAssignmentElement( flattenContext, element, rhsValue, /*location*/ element ); } else if (i === numElements - 1) { const rhsValue = flattenContext.context.factory.createArraySliceCall(value, i); flattenBindingOrAssignmentElement( flattenContext, element, rhsValue, /*location*/ element ); } } if (bindingElements) { flattenContext.emitBindingOrAssignment(flattenContext.createArrayBindingOrAssignmentPattern(bindingElements), value, location, pattern); } if (restContainingElements) { for (const [id, element] of restContainingElements) { flattenBindingOrAssignmentElement(flattenContext, element, id, element); } } } function isSimpleBindingOrAssignmentElement(element) { const target = getTargetOfBindingOrAssignmentElement(element); if (!target || isOmittedExpression(target)) return true; const propertyName = tryGetPropertyNameOfBindingOrAssignmentElement(element); if (propertyName && !isPropertyNameLiteral(propertyName)) return false; const initializer = getInitializerOfBindingOrAssignmentElement(element); if (initializer && !isSimpleInlineableExpression(initializer)) return false; if (isBindingOrAssignmentPattern(target)) return every(getElementsOfBindingOrAssignmentPattern(target), isSimpleBindingOrAssignmentElement); return isIdentifier(target); } function createDefaultValueCheck(flattenContext, value, defaultValue, location) { value = ensureIdentifier( flattenContext, value, /*reuseIdentifierExpressions*/ true, location ); return flattenContext.context.factory.createConditionalExpression( flattenContext.context.factory.createTypeCheck(value, "undefined"), /*questionToken*/ void 0, defaultValue, /*colonToken*/ void 0, value ); } function createDestructuringPropertyAccess(flattenContext, value, propertyName) { const { factory: factory2 } = flattenContext.context; if (isComputedPropertyName(propertyName)) { const argumentExpression = ensureIdentifier( flattenContext, Debug.checkDefined(visitNode(propertyName.expression, flattenContext.visitor, isExpression)), /*reuseIdentifierExpressions*/ false, /*location*/ propertyName ); return flattenContext.context.factory.createElementAccessExpression(value, argumentExpression); } else if (isStringOrNumericLiteralLike(propertyName)) { const argumentExpression = factory2.cloneNode(propertyName); return flattenContext.context.factory.createElementAccessExpression(value, argumentExpression); } else { const name = flattenContext.context.factory.createIdentifier(idText(propertyName)); return flattenContext.context.factory.createPropertyAccessExpression(value, name); } } function ensureIdentifier(flattenContext, value, reuseIdentifierExpressions, location) { if (isIdentifier(value) && reuseIdentifierExpressions) { return value; } else { const temp = flattenContext.context.factory.createTempVariable( /*recordTempVariable*/ void 0 ); if (flattenContext.hoistTempVariables) { flattenContext.context.hoistVariableDeclaration(temp); flattenContext.emitExpression(setTextRange(flattenContext.context.factory.createAssignment(temp, value), location)); } else { flattenContext.emitBindingOrAssignment( temp, value, location, /*original*/ void 0 ); } return temp; } } function makeArrayBindingPattern(factory2, elements) { Debug.assertEachNode(elements, isArrayBindingElement); return factory2.createArrayBindingPattern(elements); } function makeArrayAssignmentPattern(factory2, elements) { Debug.assertEachNode(elements, isArrayBindingOrAssignmentElement); return factory2.createArrayLiteralExpression(map(elements, factory2.converters.convertToArrayAssignmentElement)); } function makeObjectBindingPattern(factory2, elements) { Debug.assertEachNode(elements, isBindingElement); return factory2.createObjectBindingPattern(elements); } function makeObjectAssignmentPattern(factory2, elements) { Debug.assertEachNode(elements, isObjectBindingOrAssignmentElement); return factory2.createObjectLiteralExpression(map(elements, factory2.converters.convertToObjectAssignmentElement)); } function makeBindingElement(factory2, name) { return factory2.createBindingElement( /*dotDotDotToken*/ void 0, /*propertyName*/ void 0, name ); } function makeAssignmentElement(name) { return name; } function createClassThisAssignmentBlock(factory2, classThis, thisExpression = factory2.createThis()) { const expression = factory2.createAssignment(classThis, thisExpression); const statement = factory2.createExpressionStatement(expression); const body = factory2.createBlock( [statement], /*multiLine*/ false ); const block = factory2.createClassStaticBlockDeclaration(body); getOrCreateEmitNode(block).classThis = classThis; return block; } function isClassThisAssignmentBlock(node) { var _a; if (!isClassStaticBlockDeclaration(node) || node.body.statements.length !== 1) { return false; } const statement = node.body.statements[0]; return isExpressionStatement2(statement) && isAssignmentExpression2( statement.expression, /*excludeCompoundAssignment*/ true ) && isIdentifier(statement.expression.left) && ((_a = node.emitNode) == null ? void 0 : _a.classThis) === statement.expression.left && statement.expression.right.kind === 110; } function classHasClassThisAssignment(node) { var _a; return !!((_a = node.emitNode) == null ? void 0 : _a.classThis) && some(node.members, isClassThisAssignmentBlock); } function injectClassThisAssignmentIfMissing(factory2, node, classThis, thisExpression) { if (classHasClassThisAssignment(node)) { return node; } const staticBlock = createClassThisAssignmentBlock(factory2, classThis, thisExpression); if (node.name) { setSourceMapRange(staticBlock.body.statements[0], node.name); } const members = factory2.createNodeArray([staticBlock, ...node.members]); setTextRange(members, node.members); const updatedNode = isClassDeclaration(node) ? factory2.updateClassDeclaration( node, node.modifiers, node.name, node.typeParameters, node.heritageClauses, members ) : factory2.updateClassExpression( node, node.modifiers, node.name, node.typeParameters, node.heritageClauses, members ); getOrCreateEmitNode(updatedNode).classThis = classThis; return updatedNode; } function getAssignedNameOfIdentifier(factory2, name, expression) { const original = getOriginalNode(skipOuterExpressions(expression)); if ((isClassDeclaration(original) || isFunctionDeclaration(original)) && !original.name && hasSyntacticModifier( original, 2048 /* Default */ )) { return factory2.createStringLiteral("default"); } return factory2.createStringLiteralFromNode(name); } function getAssignedNameOfPropertyName(context, name, assignedNameText) { const { factory: factory2 } = context; if (assignedNameText !== void 0) { const assignedName2 = factory2.createStringLiteral(assignedNameText); return { assignedName: assignedName2, name }; } if (isPropertyNameLiteral(name) || isPrivateIdentifier(name)) { const assignedName2 = factory2.createStringLiteralFromNode(name); return { assignedName: assignedName2, name }; } if (isPropertyNameLiteral(name.expression) && !isIdentifier(name.expression)) { const assignedName2 = factory2.createStringLiteralFromNode(name.expression); return { assignedName: assignedName2, name }; } const assignedName = factory2.getGeneratedNameForNode(name); context.hoistVariableDeclaration(assignedName); const key = context.getEmitHelperFactory().createPropKeyHelper(name.expression); const assignment = factory2.createAssignment(assignedName, key); const updatedName = factory2.updateComputedPropertyName(name, assignment); return { assignedName, name: updatedName }; } function createClassNamedEvaluationHelperBlock(context, assignedName, thisExpression = context.factory.createThis()) { const { factory: factory2 } = context; const expression = context.getEmitHelperFactory().createSetFunctionNameHelper(thisExpression, assignedName); const statement = factory2.createExpressionStatement(expression); const body = factory2.createBlock( [statement], /*multiLine*/ false ); const block = factory2.createClassStaticBlockDeclaration(body); getOrCreateEmitNode(block).assignedName = assignedName; return block; } function isClassNamedEvaluationHelperBlock(node) { var _a; if (!isClassStaticBlockDeclaration(node) || node.body.statements.length !== 1) { return false; } const statement = node.body.statements[0]; return isExpressionStatement2(statement) && isCallToHelper(statement.expression, "___setFunctionName") && statement.expression.arguments.length >= 2 && statement.expression.arguments[1] === ((_a = node.emitNode) == null ? void 0 : _a.assignedName); } function classHasExplicitlyAssignedName(node) { var _a; return !!((_a = node.emitNode) == null ? void 0 : _a.assignedName) && some(node.members, isClassNamedEvaluationHelperBlock); } function classHasDeclaredOrExplicitlyAssignedName(node) { return !!node.name || classHasExplicitlyAssignedName(node); } function injectClassNamedEvaluationHelperBlockIfMissing(context, node, assignedName, thisExpression) { if (classHasExplicitlyAssignedName(node)) { return node; } const { factory: factory2 } = context; const namedEvaluationBlock = createClassNamedEvaluationHelperBlock(context, assignedName, thisExpression); if (node.name) { setSourceMapRange(namedEvaluationBlock.body.statements[0], node.name); } const insertionIndex = findIndex(node.members, isClassThisAssignmentBlock) + 1; const leading = node.members.slice(0, insertionIndex); const trailing = node.members.slice(insertionIndex); const members = factory2.createNodeArray([...leading, namedEvaluationBlock, ...trailing]); setTextRange(members, node.members); node = isClassDeclaration(node) ? factory2.updateClassDeclaration( node, node.modifiers, node.name, node.typeParameters, node.heritageClauses, members ) : factory2.updateClassExpression( node, node.modifiers, node.name, node.typeParameters, node.heritageClauses, members ); getOrCreateEmitNode(node).assignedName = assignedName; return node; } function finishTransformNamedEvaluation(context, expression, assignedName, ignoreEmptyStringLiteral) { if (ignoreEmptyStringLiteral && isStringLiteral2(assignedName) && isEmptyStringLiteral2(assignedName)) { return expression; } const { factory: factory2 } = context; const innerExpression = skipOuterExpressions(expression); const updatedExpression = isClassExpression(innerExpression) ? cast(injectClassNamedEvaluationHelperBlockIfMissing(context, innerExpression, assignedName), isClassExpression) : context.getEmitHelperFactory().createSetFunctionNameHelper(innerExpression, assignedName); return factory2.restoreOuterExpressions(expression, updatedExpression); } function transformNamedEvaluationOfPropertyAssignment(context, node, ignoreEmptyStringLiteral, assignedNameText) { const { factory: factory2 } = context; const { assignedName, name } = getAssignedNameOfPropertyName(context, node.name, assignedNameText); const initializer = finishTransformNamedEvaluation(context, node.initializer, assignedName, ignoreEmptyStringLiteral); return factory2.updatePropertyAssignment( node, name, initializer ); } function transformNamedEvaluationOfShorthandAssignmentProperty(context, node, ignoreEmptyStringLiteral, assignedNameText) { const { factory: factory2 } = context; const assignedName = assignedNameText !== void 0 ? factory2.createStringLiteral(assignedNameText) : getAssignedNameOfIdentifier(factory2, node.name, node.objectAssignmentInitializer); const objectAssignmentInitializer = finishTransformNamedEvaluation(context, node.objectAssignmentInitializer, assignedName, ignoreEmptyStringLiteral); return factory2.updateShorthandPropertyAssignment( node, node.name, objectAssignmentInitializer ); } function transformNamedEvaluationOfVariableDeclaration(context, node, ignoreEmptyStringLiteral, assignedNameText) { const { factory: factory2 } = context; const assignedName = assignedNameText !== void 0 ? factory2.createStringLiteral(assignedNameText) : getAssignedNameOfIdentifier(factory2, node.name, node.initializer); const initializer = finishTransformNamedEvaluation(context, node.initializer, assignedName, ignoreEmptyStringLiteral); return factory2.updateVariableDeclaration( node, node.name, node.exclamationToken, node.type, initializer ); } function transformNamedEvaluationOfParameterDeclaration(context, node, ignoreEmptyStringLiteral, assignedNameText) { const { factory: factory2 } = context; const assignedName = assignedNameText !== void 0 ? factory2.createStringLiteral(assignedNameText) : getAssignedNameOfIdentifier(factory2, node.name, node.initializer); const initializer = finishTransformNamedEvaluation(context, node.initializer, assignedName, ignoreEmptyStringLiteral); return factory2.updateParameterDeclaration( node, node.modifiers, node.dotDotDotToken, node.name, node.questionToken, node.type, initializer ); } function transformNamedEvaluationOfBindingElement(context, node, ignoreEmptyStringLiteral, assignedNameText) { const { factory: factory2 } = context; const assignedName = assignedNameText !== void 0 ? factory2.createStringLiteral(assignedNameText) : getAssignedNameOfIdentifier(factory2, node.name, node.initializer); const initializer = finishTransformNamedEvaluation(context, node.initializer, assignedName, ignoreEmptyStringLiteral); return factory2.updateBindingElement( node, node.dotDotDotToken, node.propertyName, node.name, initializer ); } function transformNamedEvaluationOfPropertyDeclaration(context, node, ignoreEmptyStringLiteral, assignedNameText) { const { factory: factory2 } = context; const { assignedName, name } = getAssignedNameOfPropertyName(context, node.name, assignedNameText); const initializer = finishTransformNamedEvaluation(context, node.initializer, assignedName, ignoreEmptyStringLiteral); return factory2.updatePropertyDeclaration( node, node.modifiers, name, node.questionToken ?? node.exclamationToken, node.type, initializer ); } function transformNamedEvaluationOfAssignmentExpression(context, node, ignoreEmptyStringLiteral, assignedNameText) { const { factory: factory2 } = context; const assignedName = assignedNameText !== void 0 ? factory2.createStringLiteral(assignedNameText) : getAssignedNameOfIdentifier(factory2, node.left, node.right); const right = finishTransformNamedEvaluation(context, node.right, assignedName, ignoreEmptyStringLiteral); return factory2.updateBinaryExpression( node, node.left, node.operatorToken, right ); } function transformNamedEvaluationOfExportAssignment(context, node, ignoreEmptyStringLiteral, assignedNameText) { const { factory: factory2 } = context; const assignedName = assignedNameText !== void 0 ? factory2.createStringLiteral(assignedNameText) : factory2.createStringLiteral(node.isExportEquals ? "" : "default"); const expression = finishTransformNamedEvaluation(context, node.expression, assignedName, ignoreEmptyStringLiteral); return factory2.updateExportAssignment( node, node.modifiers, expression ); } function transformNamedEvaluation(context, node, ignoreEmptyStringLiteral, assignedName) { switch (node.kind) { case 303: return transformNamedEvaluationOfPropertyAssignment(context, node, ignoreEmptyStringLiteral, assignedName); case 304: return transformNamedEvaluationOfShorthandAssignmentProperty(context, node, ignoreEmptyStringLiteral, assignedName); case 260: return transformNamedEvaluationOfVariableDeclaration(context, node, ignoreEmptyStringLiteral, assignedName); case 169: return transformNamedEvaluationOfParameterDeclaration(context, node, ignoreEmptyStringLiteral, assignedName); case 208: return transformNamedEvaluationOfBindingElement(context, node, ignoreEmptyStringLiteral, assignedName); case 172: return transformNamedEvaluationOfPropertyDeclaration(context, node, ignoreEmptyStringLiteral, assignedName); case 226: return transformNamedEvaluationOfAssignmentExpression(context, node, ignoreEmptyStringLiteral, assignedName); case 277: return transformNamedEvaluationOfExportAssignment(context, node, ignoreEmptyStringLiteral, assignedName); } } var ProcessLevel = /* @__PURE__ */ ((ProcessLevel2) => { ProcessLevel2[ProcessLevel2["LiftRestriction"] = 0] = "LiftRestriction"; ProcessLevel2[ProcessLevel2["All"] = 1] = "All"; return ProcessLevel2; })(ProcessLevel || {}); function processTaggedTemplateExpression(context, node, visitor2, currentSourceFile, recordTaggedTemplateString, level) { const tag = visitNode(node.tag, visitor2, isExpression); Debug.assert(tag); const templateArguments = [void 0]; const cookedStrings = []; const rawStrings = []; const template = node.template; if (level === 0 && !hasInvalidEscape(template)) { return visitEachChild(node, visitor2, context); } const { factory: factory2 } = context; if (isNoSubstitutionTemplateLiteral(template)) { cookedStrings.push(createTemplateCooked(factory2, template)); rawStrings.push(getRawLiteral(factory2, template, currentSourceFile)); } else { cookedStrings.push(createTemplateCooked(factory2, template.head)); rawStrings.push(getRawLiteral(factory2, template.head, currentSourceFile)); for (const templateSpan of template.templateSpans) { cookedStrings.push(createTemplateCooked(factory2, templateSpan.literal)); rawStrings.push(getRawLiteral(factory2, templateSpan.literal, currentSourceFile)); templateArguments.push(Debug.checkDefined(visitNode(templateSpan.expression, visitor2, isExpression))); } } const helperCall = context.getEmitHelperFactory().createTemplateObjectHelper( factory2.createArrayLiteralExpression(cookedStrings), factory2.createArrayLiteralExpression(rawStrings) ); if (isExternalModule(currentSourceFile)) { const tempVar = factory2.createUniqueName("templateObject"); recordTaggedTemplateString(tempVar); templateArguments[0] = factory2.createLogicalOr( tempVar, factory2.createAssignment( tempVar, helperCall ) ); } else { templateArguments[0] = helperCall; } return factory2.createCallExpression( tag, /*typeArguments*/ void 0, templateArguments ); } function createTemplateCooked(factory2, template) { return template.templateFlags & 26656 ? factory2.createVoidZero() : factory2.createStringLiteral(template.text); } function getRawLiteral(factory2, node, currentSourceFile) { let text = node.rawText; if (text === void 0) { Debug.assertIsDefined(currentSourceFile, "Template literal node is missing 'rawText' and does not have a source file. Possibly bad transform."); text = getSourceTextOfNodeFromSourceFile(currentSourceFile, node); const isLast = node.kind === 15 || node.kind === 18; text = text.substring(1, text.length - (isLast ? 1 : 2)); } text = text.replace(/\r\n?/g, "\n"); return setTextRange(factory2.createStringLiteral(text), node); } var USE_NEW_TYPE_METADATA_FORMAT = false; function transformTypeScript(context) { const { factory: factory2, getEmitHelperFactory: emitHelpers, startLexicalEnvironment, resumeLexicalEnvironment, endLexicalEnvironment, hoistVariableDeclaration } = context; const resolver = context.getEmitResolver(); const compilerOptions = context.getCompilerOptions(); const languageVersion = getEmitScriptTarget(compilerOptions); const moduleKind = getEmitModuleKind(compilerOptions); const legacyDecorators = !!compilerOptions.experimentalDecorators; const typeSerializer = compilerOptions.emitDecoratorMetadata ? createRuntimeTypeSerializer(context) : void 0; const previousOnEmitNode = context.onEmitNode; const previousOnSubstituteNode = context.onSubstituteNode; context.onEmitNode = onEmitNode; context.onSubstituteNode = onSubstituteNode; context.enableSubstitution( 211 /* PropertyAccessExpression */ ); context.enableSubstitution( 212 /* ElementAccessExpression */ ); let currentSourceFile; let currentNamespace; let currentNamespaceContainerName; let currentLexicalScope; let currentScopeFirstDeclarationsOfName; let currentClassHasParameterProperties; let enabledSubstitutions; let applicableSubstitutions; return transformSourceFileOrBundle; function transformSourceFileOrBundle(node) { if (node.kind === 308) { return transformBundle(node); } return transformSourceFile(node); } function transformBundle(node) { return factory2.createBundle( node.sourceFiles.map(transformSourceFile) ); } function transformSourceFile(node) { if (node.isDeclarationFile) { return node; } currentSourceFile = node; const visited = saveStateAndInvoke(node, visitSourceFile); addEmitHelpers(visited, context.readEmitHelpers()); currentSourceFile = void 0; return visited; } function saveStateAndInvoke(node, f) { const savedCurrentScope = currentLexicalScope; const savedCurrentScopeFirstDeclarationsOfName = currentScopeFirstDeclarationsOfName; const savedCurrentClassHasParameterProperties = currentClassHasParameterProperties; onBeforeVisitNode(node); const visited = f(node); if (currentLexicalScope !== savedCurrentScope) { currentScopeFirstDeclarationsOfName = savedCurrentScopeFirstDeclarationsOfName; } currentLexicalScope = savedCurrentScope; currentClassHasParameterProperties = savedCurrentClassHasParameterProperties; return visited; } function onBeforeVisitNode(node) { switch (node.kind) { case 307: case 269: case 268: case 241: currentLexicalScope = node; currentScopeFirstDeclarationsOfName = void 0; break; case 263: case 262: if (hasSyntacticModifier( node, 128 /* Ambient */ )) { break; } if (node.name) { recordEmittedDeclarationInScope(node); } else { Debug.assert(node.kind === 263 || hasSyntacticModifier( node, 2048 /* Default */ )); } break; } } function visitor2(node) { return saveStateAndInvoke(node, visitorWorker); } function visitorWorker(node) { if (node.transformFlags & 1) { return visitTypeScript(node); } return node; } function sourceElementVisitor(node) { return saveStateAndInvoke(node, sourceElementVisitorWorker); } function sourceElementVisitorWorker(node) { switch (node.kind) { case 272: case 271: case 277: case 278: return visitElidableStatement(node); default: return visitorWorker(node); } } function isElisionBlocked(node) { const parsed = getParseTreeNode(node); if (parsed === node || isExportAssignment(node)) { return false; } if (!parsed || parsed.kind !== node.kind) { return true; } switch (node.kind) { case 272: Debug.assertNode(parsed, isImportDeclaration); if (node.importClause !== parsed.importClause) { return true; } if (node.attributes !== parsed.attributes) { return true; } break; case 271: Debug.assertNode(parsed, isImportEqualsDeclaration); if (node.name !== parsed.name) { return true; } if (node.isTypeOnly !== parsed.isTypeOnly) { return true; } if (node.moduleReference !== parsed.moduleReference && (isEntityName(node.moduleReference) || isEntityName(parsed.moduleReference))) { return true; } break; case 278: Debug.assertNode(parsed, isExportDeclaration); if (node.exportClause !== parsed.exportClause) { return true; } if (node.attributes !== parsed.attributes) { return true; } break; } return false; } function visitElidableStatement(node) { if (isElisionBlocked(node)) { if (node.transformFlags & 1) { return visitEachChild(node, visitor2, context); } return node; } switch (node.kind) { case 272: return visitImportDeclaration(node); case 271: return visitImportEqualsDeclaration(node); case 277: return visitExportAssignment(node); case 278: return visitExportDeclaration(node); default: Debug.fail("Unhandled ellided statement"); } } function namespaceElementVisitor(node) { return saveStateAndInvoke(node, namespaceElementVisitorWorker); } function namespaceElementVisitorWorker(node) { if (node.kind === 278 || node.kind === 272 || node.kind === 273 || node.kind === 271 && node.moduleReference.kind === 283) { return void 0; } else if (node.transformFlags & 1 || hasSyntacticModifier( node, 32 /* Export */ )) { return visitTypeScript(node); } return node; } function getClassElementVisitor(parent2) { return (node) => saveStateAndInvoke(node, (n) => classElementVisitorWorker(n, parent2)); } function classElementVisitorWorker(node, parent2) { switch (node.kind) { case 176: return visitConstructor(node); case 172: return visitPropertyDeclaration(node, parent2); case 177: return visitGetAccessor(node, parent2); case 178: return visitSetAccessor(node, parent2); case 174: return visitMethodDeclaration(node, parent2); case 175: return visitEachChild(node, visitor2, context); case 240: return node; case 181: return; default: return Debug.failBadSyntaxKind(node); } } function getObjectLiteralElementVisitor(parent2) { return (node) => saveStateAndInvoke(node, (n) => objectLiteralElementVisitorWorker(n, parent2)); } function objectLiteralElementVisitorWorker(node, parent2) { switch (node.kind) { case 303: case 304: case 305: return visitor2(node); case 177: return visitGetAccessor(node, parent2); case 178: return visitSetAccessor(node, parent2); case 174: return visitMethodDeclaration(node, parent2); default: return Debug.failBadSyntaxKind(node); } } function decoratorElidingVisitor(node) { return isDecorator(node) ? void 0 : visitor2(node); } function modifierElidingVisitor(node) { return isModifier(node) ? void 0 : visitor2(node); } function modifierVisitor(node) { if (isDecorator(node)) return void 0; if (modifierToFlag(node.kind) & 28895) { return void 0; } else if (currentNamespace && node.kind === 95) { return void 0; } return node; } function visitTypeScript(node) { if (isStatement(node) && hasSyntacticModifier( node, 128 /* Ambient */ )) { return factory2.createNotEmittedStatement(node); } switch (node.kind) { case 95: case 90: return currentNamespace ? void 0 : node; case 125: case 123: case 124: case 128: case 164: case 87: case 138: case 148: case 103: case 147: case 188: case 189: case 190: case 191: case 187: case 182: case 168: case 133: case 159: case 136: case 154: case 150: case 146: case 116: case 155: case 185: case 184: case 186: case 183: case 192: case 193: case 194: case 196: case 197: case 198: case 199: case 200: case 201: case 181: return void 0; case 265: return factory2.createNotEmittedStatement(node); case 270: return void 0; case 264: return factory2.createNotEmittedStatement(node); case 263: return visitClassDeclaration(node); case 231: return visitClassExpression(node); case 298: return visitHeritageClause(node); case 233: return visitExpressionWithTypeArguments(node); case 210: return visitObjectLiteralExpression(node); case 176: case 172: case 174: case 177: case 178: case 175: return Debug.fail("Class and object literal elements must be visited with their respective visitors"); case 262: return visitFunctionDeclaration(node); case 218: return visitFunctionExpression(node); case 219: return visitArrowFunction(node); case 169: return visitParameter(node); case 217: return visitParenthesizedExpression(node); case 216: case 234: return visitAssertionExpression(node); case 238: return visitSatisfiesExpression(node); case 213: return visitCallExpression(node); case 214: return visitNewExpression(node); case 215: return visitTaggedTemplateExpression(node); case 235: return visitNonNullExpression(node); case 266: return visitEnumDeclaration(node); case 243: return visitVariableStatement(node); case 260: return visitVariableDeclaration(node); case 267: return visitModuleDeclaration(node); case 271: return visitImportEqualsDeclaration(node); case 285: return visitJsxSelfClosingElement(node); case 286: return visitJsxJsxOpeningElement(node); default: return visitEachChild(node, visitor2, context); } } function visitSourceFile(node) { const alwaysStrict = getStrictOptionValue(compilerOptions, "alwaysStrict") && !(isExternalModule(node) && moduleKind >= 5) && !isJsonSourceFile(node); return factory2.updateSourceFile( node, visitLexicalEnvironment( node.statements, sourceElementVisitor, context, /*start*/ 0, alwaysStrict ) ); } function visitObjectLiteralExpression(node) { return factory2.updateObjectLiteralExpression( node, visitNodes2(node.properties, getObjectLiteralElementVisitor(node), isObjectLiteralElementLike) ); } function getClassFacts(node) { let facts = 0; if (some(getProperties( node, /*requireInitializer*/ true, /*isStatic*/ true ))) facts |= 1; const extendsClauseElement = getEffectiveBaseTypeNode(node); if (extendsClauseElement && skipOuterExpressions(extendsClauseElement.expression).kind !== 106) facts |= 64; if (classOrConstructorParameterIsDecorated(legacyDecorators, node)) facts |= 2; if (childIsDecorated(legacyDecorators, node)) facts |= 4; if (isExportOfNamespace(node)) facts |= 8; else if (isDefaultExternalModuleExport(node)) facts |= 32; else if (isNamedExternalModuleExport(node)) facts |= 16; return facts; } function hasTypeScriptClassSyntax(node) { return !!(node.transformFlags & 8192); } function isClassLikeDeclarationWithTypeScriptSyntax(node) { return hasDecorators(node) || some(node.typeParameters) || some(node.heritageClauses, hasTypeScriptClassSyntax) || some(node.members, hasTypeScriptClassSyntax); } function visitClassDeclaration(node) { const facts = getClassFacts(node); const promoteToIIFE = languageVersion <= 1 && !!(facts & 7); if (!isClassLikeDeclarationWithTypeScriptSyntax(node) && !classOrConstructorParameterIsDecorated(legacyDecorators, node) && !isExportOfNamespace(node)) { return factory2.updateClassDeclaration( node, visitNodes2(node.modifiers, modifierVisitor, isModifier), node.name, /*typeParameters*/ void 0, visitNodes2(node.heritageClauses, visitor2, isHeritageClause), visitNodes2(node.members, getClassElementVisitor(node), isClassElement) ); } if (promoteToIIFE) { context.startLexicalEnvironment(); } const moveModifiers = promoteToIIFE || facts & 8; let modifiers = moveModifiers ? visitNodes2(node.modifiers, modifierElidingVisitor, isModifierLike) : visitNodes2(node.modifiers, visitor2, isModifierLike); if (facts & 2) { modifiers = injectClassTypeMetadata(modifiers, node); } const needsName = moveModifiers && !node.name || facts & 4 || facts & 1; const name = needsName ? node.name ?? factory2.getGeneratedNameForNode(node) : node.name; const classDeclaration = factory2.updateClassDeclaration( node, modifiers, name, /*typeParameters*/ void 0, visitNodes2(node.heritageClauses, visitor2, isHeritageClause), transformClassMembers(node) ); let emitFlags = getEmitFlags(node); if (facts & 1) { emitFlags |= 64; } setEmitFlags(classDeclaration, emitFlags); let statement; if (promoteToIIFE) { const statements = [classDeclaration]; const closingBraceLocation = createTokenRange( skipTrivia(currentSourceFile.text, node.members.end), 20 /* CloseBraceToken */ ); const localName = factory2.getInternalName(node); const outer = factory2.createPartiallyEmittedExpression(localName); setTextRangeEnd(outer, closingBraceLocation.end); setEmitFlags( outer, 3072 /* NoComments */ ); const returnStatement = factory2.createReturnStatement(outer); setTextRangePos(returnStatement, closingBraceLocation.pos); setEmitFlags( returnStatement, 3072 | 768 /* NoTokenSourceMaps */ ); statements.push(returnStatement); insertStatementsAfterStandardPrologue(statements, context.endLexicalEnvironment()); const iife = factory2.createImmediatelyInvokedArrowFunction(statements); setInternalEmitFlags( iife, 1 /* TypeScriptClassWrapper */ ); const varDecl = factory2.createVariableDeclaration( factory2.getLocalName( node, /*allowComments*/ false, /*allowSourceMaps*/ false ), /*exclamationToken*/ void 0, /*type*/ void 0, iife ); setOriginalNode(varDecl, node); const varStatement = factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList( [varDecl], 1 /* Let */ ) ); setOriginalNode(varStatement, node); setCommentRange(varStatement, node); setSourceMapRange(varStatement, moveRangePastDecorators(node)); startOnNewLine(varStatement); statement = varStatement; } else { statement = classDeclaration; } if (moveModifiers) { if (facts & 8) { return [ statement, createExportMemberAssignmentStatement(node) ]; } if (facts & 32) { return [ statement, factory2.createExportDefault(factory2.getLocalName( node, /*allowComments*/ false, /*allowSourceMaps*/ true )) ]; } if (facts & 16) { return [ statement, factory2.createExternalModuleExport(factory2.getDeclarationName( node, /*allowComments*/ false, /*allowSourceMaps*/ true )) ]; } } return statement; } function visitClassExpression(node) { let modifiers = visitNodes2(node.modifiers, modifierElidingVisitor, isModifierLike); if (classOrConstructorParameterIsDecorated(legacyDecorators, node)) { modifiers = injectClassTypeMetadata(modifiers, node); } return factory2.updateClassExpression( node, modifiers, node.name, /*typeParameters*/ void 0, visitNodes2(node.heritageClauses, visitor2, isHeritageClause), transformClassMembers(node) ); } function transformClassMembers(node) { const members = visitNodes2(node.members, getClassElementVisitor(node), isClassElement); let newMembers; const constructor = getFirstConstructorWithBody(node); const parametersWithPropertyAssignments = constructor && filter(constructor.parameters, (p) => isParameterPropertyDeclaration(p, constructor)); if (parametersWithPropertyAssignments) { for (const parameter of parametersWithPropertyAssignments) { const parameterProperty = factory2.createPropertyDeclaration( /*modifiers*/ void 0, parameter.name, /*questionOrExclamationToken*/ void 0, /*type*/ void 0, /*initializer*/ void 0 ); setOriginalNode(parameterProperty, parameter); newMembers = append(newMembers, parameterProperty); } } if (newMembers) { newMembers = addRange(newMembers, members); return setTextRange( factory2.createNodeArray(newMembers), /*location*/ node.members ); } return members; } function injectClassTypeMetadata(modifiers, node) { const metadata = getTypeMetadata(node, node); if (some(metadata)) { const modifiersArray = []; addRange(modifiersArray, takeWhile(modifiers, isExportOrDefaultModifier)); addRange(modifiersArray, filter(modifiers, isDecorator)); addRange(modifiersArray, metadata); addRange(modifiersArray, filter(skipWhile(modifiers, isExportOrDefaultModifier), isModifier)); modifiers = setTextRange(factory2.createNodeArray(modifiersArray), modifiers); } return modifiers; } function injectClassElementTypeMetadata(modifiers, node, container) { if (isClassLike(container) && classElementOrClassElementParameterIsDecorated(legacyDecorators, node, container)) { const metadata = getTypeMetadata(node, container); if (some(metadata)) { const modifiersArray = []; addRange(modifiersArray, filter(modifiers, isDecorator)); addRange(modifiersArray, metadata); addRange(modifiersArray, filter(modifiers, isModifier)); modifiers = setTextRange(factory2.createNodeArray(modifiersArray), modifiers); } } return modifiers; } function getTypeMetadata(node, container) { if (!legacyDecorators) return void 0; return USE_NEW_TYPE_METADATA_FORMAT ? getNewTypeMetadata(node, container) : getOldTypeMetadata(node, container); } function getOldTypeMetadata(node, container) { if (typeSerializer) { let decorators; if (shouldAddTypeMetadata(node)) { const typeMetadata = emitHelpers().createMetadataHelper("design:type", typeSerializer.serializeTypeOfNode({ currentLexicalScope, currentNameScope: container }, node, container)); decorators = append(decorators, factory2.createDecorator(typeMetadata)); } if (shouldAddParamTypesMetadata(node)) { const paramTypesMetadata = emitHelpers().createMetadataHelper("design:paramtypes", typeSerializer.serializeParameterTypesOfNode({ currentLexicalScope, currentNameScope: container }, node, container)); decorators = append(decorators, factory2.createDecorator(paramTypesMetadata)); } if (shouldAddReturnTypeMetadata(node)) { const returnTypeMetadata = emitHelpers().createMetadataHelper("design:returntype", typeSerializer.serializeReturnTypeOfNode({ currentLexicalScope, currentNameScope: container }, node)); decorators = append(decorators, factory2.createDecorator(returnTypeMetadata)); } return decorators; } } function getNewTypeMetadata(node, container) { if (typeSerializer) { let properties; if (shouldAddTypeMetadata(node)) { const typeProperty = factory2.createPropertyAssignment("type", factory2.createArrowFunction( /*modifiers*/ void 0, /*typeParameters*/ void 0, [], /*type*/ void 0, factory2.createToken( 39 /* EqualsGreaterThanToken */ ), typeSerializer.serializeTypeOfNode({ currentLexicalScope, currentNameScope: container }, node, container) )); properties = append(properties, typeProperty); } if (shouldAddParamTypesMetadata(node)) { const paramTypeProperty = factory2.createPropertyAssignment("paramTypes", factory2.createArrowFunction( /*modifiers*/ void 0, /*typeParameters*/ void 0, [], /*type*/ void 0, factory2.createToken( 39 /* EqualsGreaterThanToken */ ), typeSerializer.serializeParameterTypesOfNode({ currentLexicalScope, currentNameScope: container }, node, container) )); properties = append(properties, paramTypeProperty); } if (shouldAddReturnTypeMetadata(node)) { const returnTypeProperty = factory2.createPropertyAssignment("returnType", factory2.createArrowFunction( /*modifiers*/ void 0, /*typeParameters*/ void 0, [], /*type*/ void 0, factory2.createToken( 39 /* EqualsGreaterThanToken */ ), typeSerializer.serializeReturnTypeOfNode({ currentLexicalScope, currentNameScope: container }, node) )); properties = append(properties, returnTypeProperty); } if (properties) { const typeInfoMetadata = emitHelpers().createMetadataHelper("design:typeinfo", factory2.createObjectLiteralExpression( properties, /*multiLine*/ true )); return [factory2.createDecorator(typeInfoMetadata)]; } } } function shouldAddTypeMetadata(node) { const kind = node.kind; return kind === 174 || kind === 177 || kind === 178 || kind === 172; } function shouldAddReturnTypeMetadata(node) { return node.kind === 174; } function shouldAddParamTypesMetadata(node) { switch (node.kind) { case 263: case 231: return getFirstConstructorWithBody(node) !== void 0; case 174: case 177: case 178: return true; } return false; } function getExpressionForPropertyName(member, generateNameForComputedPropertyName) { const name = member.name; if (isPrivateIdentifier(name)) { return factory2.createIdentifier(""); } else if (isComputedPropertyName(name)) { return generateNameForComputedPropertyName && !isSimpleInlineableExpression(name.expression) ? factory2.getGeneratedNameForNode(name) : name.expression; } else if (isIdentifier(name)) { return factory2.createStringLiteral(idText(name)); } else { return factory2.cloneNode(name); } } function visitPropertyNameOfClassElement(member) { const name = member.name; if (isComputedPropertyName(name) && (!hasStaticModifier(member) && currentClassHasParameterProperties || hasDecorators(member) && legacyDecorators)) { const expression = visitNode(name.expression, visitor2, isExpression); Debug.assert(expression); const innerExpression = skipPartiallyEmittedExpressions(expression); if (!isSimpleInlineableExpression(innerExpression)) { const generatedName = factory2.getGeneratedNameForNode(name); hoistVariableDeclaration(generatedName); return factory2.updateComputedPropertyName(name, factory2.createAssignment(generatedName, expression)); } } return Debug.checkDefined(visitNode(name, visitor2, isPropertyName)); } function visitHeritageClause(node) { if (node.token === 119) { return void 0; } return visitEachChild(node, visitor2, context); } function visitExpressionWithTypeArguments(node) { return factory2.updateExpressionWithTypeArguments( node, Debug.checkDefined(visitNode(node.expression, visitor2, isLeftHandSideExpression)), /*typeArguments*/ void 0 ); } function shouldEmitFunctionLikeDeclaration(node) { return !nodeIsMissing(node.body); } function visitPropertyDeclaration(node, parent2) { const isAmbient = node.flags & 33554432 || hasSyntacticModifier( node, 64 /* Abstract */ ); if (isAmbient && !(legacyDecorators && hasDecorators(node))) { return void 0; } let modifiers = isClassLike(parent2) ? !isAmbient ? visitNodes2(node.modifiers, visitor2, isModifierLike) : visitNodes2(node.modifiers, modifierElidingVisitor, isModifierLike) : visitNodes2(node.modifiers, decoratorElidingVisitor, isModifierLike); modifiers = injectClassElementTypeMetadata(modifiers, node, parent2); if (isAmbient) { return factory2.updatePropertyDeclaration( node, concatenate(modifiers, factory2.createModifiersFromModifierFlags( 128 /* Ambient */ )), Debug.checkDefined(visitNode(node.name, visitor2, isPropertyName)), /*questionOrExclamationToken*/ void 0, /*type*/ void 0, /*initializer*/ void 0 ); } return factory2.updatePropertyDeclaration( node, modifiers, visitPropertyNameOfClassElement(node), /*questionOrExclamationToken*/ void 0, /*type*/ void 0, visitNode(node.initializer, visitor2, isExpression) ); } function visitConstructor(node) { if (!shouldEmitFunctionLikeDeclaration(node)) { return void 0; } return factory2.updateConstructorDeclaration( node, /*modifiers*/ void 0, visitParameterList(node.parameters, visitor2, context), transformConstructorBody(node.body, node) ); } function transformConstructorBodyWorker(statementsOut, statementsIn, statementOffset, superPath, superPathDepth, initializerStatements) { const superStatementIndex = superPath[superPathDepth]; const superStatement = statementsIn[superStatementIndex]; addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, statementOffset, superStatementIndex - statementOffset)); if (isTryStatement(superStatement)) { const tryBlockStatements = []; transformConstructorBodyWorker( tryBlockStatements, superStatement.tryBlock.statements, /*statementOffset*/ 0, superPath, superPathDepth + 1, initializerStatements ); const tryBlockStatementsArray = factory2.createNodeArray(tryBlockStatements); setTextRange(tryBlockStatementsArray, superStatement.tryBlock.statements); statementsOut.push(factory2.updateTryStatement( superStatement, factory2.updateBlock(superStatement.tryBlock, tryBlockStatements), visitNode(superStatement.catchClause, visitor2, isCatchClause), visitNode(superStatement.finallyBlock, visitor2, isBlock) )); } else { addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, superStatementIndex, 1)); addRange(statementsOut, initializerStatements); } addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, superStatementIndex + 1)); } function transformConstructorBody(body, constructor) { const parametersWithPropertyAssignments = constructor && filter(constructor.parameters, (p) => isParameterPropertyDeclaration(p, constructor)); if (!some(parametersWithPropertyAssignments)) { return visitFunctionBody(body, visitor2, context); } let statements = []; resumeLexicalEnvironment(); const prologueStatementCount = factory2.copyPrologue( body.statements, statements, /*ensureUseStrict*/ false, visitor2 ); const superPath = findSuperStatementIndexPath(body.statements, prologueStatementCount); const parameterPropertyAssignments = mapDefined(parametersWithPropertyAssignments, transformParameterWithPropertyAssignment); if (superPath.length) { transformConstructorBodyWorker( statements, body.statements, prologueStatementCount, superPath, /*superPathDepth*/ 0, parameterPropertyAssignments ); } else { addRange(statements, parameterPropertyAssignments); addRange(statements, visitNodes2(body.statements, visitor2, isStatement, prologueStatementCount)); } statements = factory2.mergeLexicalEnvironment(statements, endLexicalEnvironment()); const block = factory2.createBlock( setTextRange(factory2.createNodeArray(statements), body.statements), /*multiLine*/ true ); setTextRange( block, /*location*/ body ); setOriginalNode(block, body); return block; } function transformParameterWithPropertyAssignment(node) { const name = node.name; if (!isIdentifier(name)) { return void 0; } const propertyName = setParent(setTextRange(factory2.cloneNode(name), name), name.parent); setEmitFlags( propertyName, 3072 | 96 /* NoSourceMap */ ); const localName = setParent(setTextRange(factory2.cloneNode(name), name), name.parent); setEmitFlags( localName, 3072 /* NoComments */ ); return startOnNewLine( removeAllComments( setTextRange( setOriginalNode( factory2.createExpressionStatement( factory2.createAssignment( setTextRange( factory2.createPropertyAccessExpression( factory2.createThis(), propertyName ), node.name ), localName ) ), node ), moveRangePos(node, -1) ) ) ); } function visitMethodDeclaration(node, parent2) { if (!(node.transformFlags & 1)) { return node; } if (!shouldEmitFunctionLikeDeclaration(node)) { return void 0; } let modifiers = isClassLike(parent2) ? visitNodes2(node.modifiers, visitor2, isModifierLike) : visitNodes2(node.modifiers, decoratorElidingVisitor, isModifierLike); modifiers = injectClassElementTypeMetadata(modifiers, node, parent2); return factory2.updateMethodDeclaration( node, modifiers, node.asteriskToken, visitPropertyNameOfClassElement(node), /*questionToken*/ void 0, /*typeParameters*/ void 0, visitParameterList(node.parameters, visitor2, context), /*type*/ void 0, visitFunctionBody(node.body, visitor2, context) ); } function shouldEmitAccessorDeclaration(node) { return !(nodeIsMissing(node.body) && hasSyntacticModifier( node, 64 /* Abstract */ )); } function visitGetAccessor(node, parent2) { if (!(node.transformFlags & 1)) { return node; } if (!shouldEmitAccessorDeclaration(node)) { return void 0; } let modifiers = isClassLike(parent2) ? visitNodes2(node.modifiers, visitor2, isModifierLike) : visitNodes2(node.modifiers, decoratorElidingVisitor, isModifierLike); modifiers = injectClassElementTypeMetadata(modifiers, node, parent2); return factory2.updateGetAccessorDeclaration( node, modifiers, visitPropertyNameOfClassElement(node), visitParameterList(node.parameters, visitor2, context), /*type*/ void 0, visitFunctionBody(node.body, visitor2, context) || factory2.createBlock([]) ); } function visitSetAccessor(node, parent2) { if (!(node.transformFlags & 1)) { return node; } if (!shouldEmitAccessorDeclaration(node)) { return void 0; } let modifiers = isClassLike(parent2) ? visitNodes2(node.modifiers, visitor2, isModifierLike) : visitNodes2(node.modifiers, decoratorElidingVisitor, isModifierLike); modifiers = injectClassElementTypeMetadata(modifiers, node, parent2); return factory2.updateSetAccessorDeclaration( node, modifiers, visitPropertyNameOfClassElement(node), visitParameterList(node.parameters, visitor2, context), visitFunctionBody(node.body, visitor2, context) || factory2.createBlock([]) ); } function visitFunctionDeclaration(node) { if (!shouldEmitFunctionLikeDeclaration(node)) { return factory2.createNotEmittedStatement(node); } const updated = factory2.updateFunctionDeclaration( node, visitNodes2(node.modifiers, modifierVisitor, isModifier), node.asteriskToken, node.name, /*typeParameters*/ void 0, visitParameterList(node.parameters, visitor2, context), /*type*/ void 0, visitFunctionBody(node.body, visitor2, context) || factory2.createBlock([]) ); if (isExportOfNamespace(node)) { const statements = [updated]; addExportMemberAssignment(statements, node); return statements; } return updated; } function visitFunctionExpression(node) { if (!shouldEmitFunctionLikeDeclaration(node)) { return factory2.createOmittedExpression(); } const updated = factory2.updateFunctionExpression( node, visitNodes2(node.modifiers, modifierVisitor, isModifier), node.asteriskToken, node.name, /*typeParameters*/ void 0, visitParameterList(node.parameters, visitor2, context), /*type*/ void 0, visitFunctionBody(node.body, visitor2, context) || factory2.createBlock([]) ); return updated; } function visitArrowFunction(node) { const updated = factory2.updateArrowFunction( node, visitNodes2(node.modifiers, modifierVisitor, isModifier), /*typeParameters*/ void 0, visitParameterList(node.parameters, visitor2, context), /*type*/ void 0, node.equalsGreaterThanToken, visitFunctionBody(node.body, visitor2, context) ); return updated; } function visitParameter(node) { if (parameterIsThisKeyword(node)) { return void 0; } const updated = factory2.updateParameterDeclaration( node, visitNodes2(node.modifiers, (node2) => isDecorator(node2) ? visitor2(node2) : void 0, isModifierLike), node.dotDotDotToken, Debug.checkDefined(visitNode(node.name, visitor2, isBindingName)), /*questionToken*/ void 0, /*type*/ void 0, visitNode(node.initializer, visitor2, isExpression) ); if (updated !== node) { setCommentRange(updated, node); setTextRange(updated, moveRangePastModifiers(node)); setSourceMapRange(updated, moveRangePastModifiers(node)); setEmitFlags( updated.name, 64 /* NoTrailingSourceMap */ ); } return updated; } function visitVariableStatement(node) { if (isExportOfNamespace(node)) { const variables = getInitializedVariables(node.declarationList); if (variables.length === 0) { return void 0; } return setTextRange( factory2.createExpressionStatement( factory2.inlineExpressions( map(variables, transformInitializedVariable) ) ), node ); } else { return visitEachChild(node, visitor2, context); } } function transformInitializedVariable(node) { const name = node.name; if (isBindingPattern(name)) { return flattenDestructuringAssignment( node, visitor2, context, 0, /*needsValue*/ false, createNamespaceExportExpression ); } else { return setTextRange( factory2.createAssignment( getNamespaceMemberNameWithSourceMapsAndWithoutComments(name), Debug.checkDefined(visitNode(node.initializer, visitor2, isExpression)) ), /*location*/ node ); } } function visitVariableDeclaration(node) { const updated = factory2.updateVariableDeclaration( node, Debug.checkDefined(visitNode(node.name, visitor2, isBindingName)), /*exclamationToken*/ void 0, /*type*/ void 0, visitNode(node.initializer, visitor2, isExpression) ); if (node.type) { setTypeNode(updated.name, node.type); } return updated; } function visitParenthesizedExpression(node) { const innerExpression = skipOuterExpressions( node.expression, ~6 /* Assertions */ ); if (isAssertionExpression(innerExpression) || isSatisfiesExpression(innerExpression)) { const expression = visitNode(node.expression, visitor2, isExpression); Debug.assert(expression); return factory2.createPartiallyEmittedExpression(expression, node); } return visitEachChild(node, visitor2, context); } function visitAssertionExpression(node) { const expression = visitNode(node.expression, visitor2, isExpression); Debug.assert(expression); return factory2.createPartiallyEmittedExpression(expression, node); } function visitNonNullExpression(node) { const expression = visitNode(node.expression, visitor2, isLeftHandSideExpression); Debug.assert(expression); return factory2.createPartiallyEmittedExpression(expression, node); } function visitSatisfiesExpression(node) { const expression = visitNode(node.expression, visitor2, isExpression); Debug.assert(expression); return factory2.createPartiallyEmittedExpression(expression, node); } function visitCallExpression(node) { return factory2.updateCallExpression( node, Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)), /*typeArguments*/ void 0, visitNodes2(node.arguments, visitor2, isExpression) ); } function visitNewExpression(node) { return factory2.updateNewExpression( node, Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)), /*typeArguments*/ void 0, visitNodes2(node.arguments, visitor2, isExpression) ); } function visitTaggedTemplateExpression(node) { return factory2.updateTaggedTemplateExpression( node, Debug.checkDefined(visitNode(node.tag, visitor2, isExpression)), /*typeArguments*/ void 0, Debug.checkDefined(visitNode(node.template, visitor2, isTemplateLiteral)) ); } function visitJsxSelfClosingElement(node) { return factory2.updateJsxSelfClosingElement( node, Debug.checkDefined(visitNode(node.tagName, visitor2, isJsxTagNameExpression)), /*typeArguments*/ void 0, Debug.checkDefined(visitNode(node.attributes, visitor2, isJsxAttributes)) ); } function visitJsxJsxOpeningElement(node) { return factory2.updateJsxOpeningElement( node, Debug.checkDefined(visitNode(node.tagName, visitor2, isJsxTagNameExpression)), /*typeArguments*/ void 0, Debug.checkDefined(visitNode(node.attributes, visitor2, isJsxAttributes)) ); } function shouldEmitEnumDeclaration(node) { return !isEnumConst(node) || shouldPreserveConstEnums(compilerOptions); } function visitEnumDeclaration(node) { if (!shouldEmitEnumDeclaration(node)) { return factory2.createNotEmittedStatement(node); } const statements = []; let emitFlags = 4; const varAdded = addVarForEnumOrModuleDeclaration(statements, node); if (varAdded) { if (moduleKind !== 4 || currentLexicalScope !== currentSourceFile) { emitFlags |= 1024; } } const parameterName = getNamespaceParameterName(node); const containerName = getNamespaceContainerName(node); const exportName = isExportOfNamespace(node) ? factory2.getExternalModuleOrNamespaceExportName( currentNamespaceContainerName, node, /*allowComments*/ false, /*allowSourceMaps*/ true ) : factory2.getDeclarationName( node, /*allowComments*/ false, /*allowSourceMaps*/ true ); let moduleArg = factory2.createLogicalOr( exportName, factory2.createAssignment( exportName, factory2.createObjectLiteralExpression() ) ); if (isExportOfNamespace(node)) { const localName = factory2.getLocalName( node, /*allowComments*/ false, /*allowSourceMaps*/ true ); moduleArg = factory2.createAssignment(localName, moduleArg); } const enumStatement = factory2.createExpressionStatement( factory2.createCallExpression( factory2.createFunctionExpression( /*modifiers*/ void 0, /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, [factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, parameterName )], /*type*/ void 0, transformEnumBody(node, containerName) ), /*typeArguments*/ void 0, [moduleArg] ) ); setOriginalNode(enumStatement, node); if (varAdded) { setSyntheticLeadingComments(enumStatement, void 0); setSyntheticTrailingComments(enumStatement, void 0); } setTextRange(enumStatement, node); addEmitFlags(enumStatement, emitFlags); statements.push(enumStatement); return statements; } function transformEnumBody(node, localName) { const savedCurrentNamespaceLocalName = currentNamespaceContainerName; currentNamespaceContainerName = localName; const statements = []; startLexicalEnvironment(); const members = map(node.members, transformEnumMember); insertStatementsAfterStandardPrologue(statements, endLexicalEnvironment()); addRange(statements, members); currentNamespaceContainerName = savedCurrentNamespaceLocalName; return factory2.createBlock( setTextRange( factory2.createNodeArray(statements), /*location*/ node.members ), /*multiLine*/ true ); } function transformEnumMember(member) { const name = getExpressionForPropertyName( member, /*generateNameForComputedPropertyName*/ false ); const evaluated = resolver.getEnumMemberValue(member); const valueExpression = transformEnumMemberDeclarationValue(member, evaluated == null ? void 0 : evaluated.value); const innerAssignment = factory2.createAssignment( factory2.createElementAccessExpression( currentNamespaceContainerName, name ), valueExpression ); const outerAssignment = typeof (evaluated == null ? void 0 : evaluated.value) === "string" || (evaluated == null ? void 0 : evaluated.isSyntacticallyString) ? innerAssignment : factory2.createAssignment( factory2.createElementAccessExpression( currentNamespaceContainerName, innerAssignment ), name ); return setTextRange( factory2.createExpressionStatement( setTextRange( outerAssignment, member ) ), member ); } function transformEnumMemberDeclarationValue(member, constantValue) { if (constantValue !== void 0) { return typeof constantValue === "string" ? factory2.createStringLiteral(constantValue) : constantValue < 0 ? factory2.createPrefixUnaryExpression(41, factory2.createNumericLiteral(-constantValue)) : factory2.createNumericLiteral(constantValue); } else { enableSubstitutionForNonQualifiedEnumMembers(); if (member.initializer) { return Debug.checkDefined(visitNode(member.initializer, visitor2, isExpression)); } else { return factory2.createVoidZero(); } } } function shouldEmitModuleDeclaration(nodeIn) { const node = getParseTreeNode(nodeIn, isModuleDeclaration); if (!node) { return true; } return isInstantiatedModule(node, shouldPreserveConstEnums(compilerOptions)); } function recordEmittedDeclarationInScope(node) { if (!currentScopeFirstDeclarationsOfName) { currentScopeFirstDeclarationsOfName = /* @__PURE__ */ new Map(); } const name = declaredNameInScope(node); if (!currentScopeFirstDeclarationsOfName.has(name)) { currentScopeFirstDeclarationsOfName.set(name, node); } } function isFirstEmittedDeclarationInScope(node) { if (currentScopeFirstDeclarationsOfName) { const name = declaredNameInScope(node); return currentScopeFirstDeclarationsOfName.get(name) === node; } return true; } function declaredNameInScope(node) { Debug.assertNode(node.name, isIdentifier); return node.name.escapedText; } function addVarForEnumOrModuleDeclaration(statements, node) { const varDecl = factory2.createVariableDeclaration(factory2.getLocalName( node, /*allowComments*/ false, /*allowSourceMaps*/ true )); const varFlags = currentLexicalScope.kind === 307 ? 0 : 1; const statement = factory2.createVariableStatement( visitNodes2(node.modifiers, modifierVisitor, isModifier), factory2.createVariableDeclarationList([varDecl], varFlags) ); setOriginalNode(varDecl, node); setSyntheticLeadingComments(varDecl, void 0); setSyntheticTrailingComments(varDecl, void 0); setOriginalNode(statement, node); recordEmittedDeclarationInScope(node); if (isFirstEmittedDeclarationInScope(node)) { if (node.kind === 266) { setSourceMapRange(statement.declarationList, node); } else { setSourceMapRange(statement, node); } setCommentRange(statement, node); addEmitFlags( statement, 2048 /* NoTrailingComments */ ); statements.push(statement); return true; } return false; } function visitModuleDeclaration(node) { if (!shouldEmitModuleDeclaration(node)) { return factory2.createNotEmittedStatement(node); } Debug.assertNode(node.name, isIdentifier, "A TypeScript namespace should have an Identifier name."); enableSubstitutionForNamespaceExports(); const statements = []; let emitFlags = 4; const varAdded = addVarForEnumOrModuleDeclaration(statements, node); if (varAdded) { if (moduleKind !== 4 || currentLexicalScope !== currentSourceFile) { emitFlags |= 1024; } } const parameterName = getNamespaceParameterName(node); const containerName = getNamespaceContainerName(node); const exportName = isExportOfNamespace(node) ? factory2.getExternalModuleOrNamespaceExportName( currentNamespaceContainerName, node, /*allowComments*/ false, /*allowSourceMaps*/ true ) : factory2.getDeclarationName( node, /*allowComments*/ false, /*allowSourceMaps*/ true ); let moduleArg = factory2.createLogicalOr( exportName, factory2.createAssignment( exportName, factory2.createObjectLiteralExpression() ) ); if (isExportOfNamespace(node)) { const localName = factory2.getLocalName( node, /*allowComments*/ false, /*allowSourceMaps*/ true ); moduleArg = factory2.createAssignment(localName, moduleArg); } const moduleStatement = factory2.createExpressionStatement( factory2.createCallExpression( factory2.createFunctionExpression( /*modifiers*/ void 0, /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, [factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, parameterName )], /*type*/ void 0, transformModuleBody(node, containerName) ), /*typeArguments*/ void 0, [moduleArg] ) ); setOriginalNode(moduleStatement, node); if (varAdded) { setSyntheticLeadingComments(moduleStatement, void 0); setSyntheticTrailingComments(moduleStatement, void 0); } setTextRange(moduleStatement, node); addEmitFlags(moduleStatement, emitFlags); statements.push(moduleStatement); return statements; } function transformModuleBody(node, namespaceLocalName) { const savedCurrentNamespaceContainerName = currentNamespaceContainerName; const savedCurrentNamespace = currentNamespace; const savedCurrentScopeFirstDeclarationsOfName = currentScopeFirstDeclarationsOfName; currentNamespaceContainerName = namespaceLocalName; currentNamespace = node; currentScopeFirstDeclarationsOfName = void 0; const statements = []; startLexicalEnvironment(); let statementsLocation; let blockLocation; if (node.body) { if (node.body.kind === 268) { saveStateAndInvoke(node.body, (body) => addRange(statements, visitNodes2(body.statements, namespaceElementVisitor, isStatement))); statementsLocation = node.body.statements; blockLocation = node.body; } else { const result = visitModuleDeclaration(node.body); if (result) { if (isArray3(result)) { addRange(statements, result); } else { statements.push(result); } } const moduleBlock = getInnerMostModuleDeclarationFromDottedModule(node).body; statementsLocation = moveRangePos(moduleBlock.statements, -1); } } insertStatementsAfterStandardPrologue(statements, endLexicalEnvironment()); currentNamespaceContainerName = savedCurrentNamespaceContainerName; currentNamespace = savedCurrentNamespace; currentScopeFirstDeclarationsOfName = savedCurrentScopeFirstDeclarationsOfName; const block = factory2.createBlock( setTextRange( factory2.createNodeArray(statements), /*location*/ statementsLocation ), /*multiLine*/ true ); setTextRange(block, blockLocation); if (!node.body || node.body.kind !== 268) { setEmitFlags( block, getEmitFlags(block) | 3072 /* NoComments */ ); } return block; } function getInnerMostModuleDeclarationFromDottedModule(moduleDeclaration) { if (moduleDeclaration.body.kind === 267) { const recursiveInnerModule = getInnerMostModuleDeclarationFromDottedModule(moduleDeclaration.body); return recursiveInnerModule || moduleDeclaration.body; } } function visitImportDeclaration(node) { if (!node.importClause) { return node; } if (node.importClause.isTypeOnly) { return void 0; } const importClause = visitNode(node.importClause, visitImportClause, isImportClause); return importClause ? factory2.updateImportDeclaration( node, /*modifiers*/ void 0, importClause, node.moduleSpecifier, node.attributes ) : void 0; } function visitImportClause(node) { Debug.assert(!node.isTypeOnly); const name = shouldEmitAliasDeclaration(node) ? node.name : void 0; const namedBindings = visitNode(node.namedBindings, visitNamedImportBindings, isNamedImportBindings); return name || namedBindings ? factory2.updateImportClause( node, /*isTypeOnly*/ false, name, namedBindings ) : void 0; } function visitNamedImportBindings(node) { if (node.kind === 274) { return shouldEmitAliasDeclaration(node) ? node : void 0; } else { const allowEmpty = compilerOptions.verbatimModuleSyntax; const elements = visitNodes2(node.elements, visitImportSpecifier, isImportSpecifier); return allowEmpty || some(elements) ? factory2.updateNamedImports(node, elements) : void 0; } } function visitImportSpecifier(node) { return !node.isTypeOnly && shouldEmitAliasDeclaration(node) ? node : void 0; } function visitExportAssignment(node) { return compilerOptions.verbatimModuleSyntax || resolver.isValueAliasDeclaration(node) ? visitEachChild(node, visitor2, context) : void 0; } function visitExportDeclaration(node) { if (node.isTypeOnly) { return void 0; } if (!node.exportClause || isNamespaceExport(node.exportClause)) { return node; } const allowEmpty = !!compilerOptions.verbatimModuleSyntax; const exportClause = visitNode( node.exportClause, (bindings) => visitNamedExportBindings(bindings, allowEmpty), isNamedExportBindings ); return exportClause ? factory2.updateExportDeclaration( node, /*modifiers*/ void 0, node.isTypeOnly, exportClause, node.moduleSpecifier, node.attributes ) : void 0; } function visitNamedExports(node, allowEmpty) { const elements = visitNodes2(node.elements, visitExportSpecifier, isExportSpecifier); return allowEmpty || some(elements) ? factory2.updateNamedExports(node, elements) : void 0; } function visitNamespaceExports(node) { return factory2.updateNamespaceExport(node, Debug.checkDefined(visitNode(node.name, visitor2, isIdentifier))); } function visitNamedExportBindings(node, allowEmpty) { return isNamespaceExport(node) ? visitNamespaceExports(node) : visitNamedExports(node, allowEmpty); } function visitExportSpecifier(node) { return !node.isTypeOnly && (compilerOptions.verbatimModuleSyntax || resolver.isValueAliasDeclaration(node)) ? node : void 0; } function shouldEmitImportEqualsDeclaration(node) { return shouldEmitAliasDeclaration(node) || !isExternalModule(currentSourceFile) && resolver.isTopLevelValueImportEqualsWithEntityName(node); } function visitImportEqualsDeclaration(node) { if (node.isTypeOnly) { return void 0; } if (isExternalModuleImportEqualsDeclaration(node)) { const isReferenced = shouldEmitAliasDeclaration(node); return isReferenced ? visitEachChild(node, visitor2, context) : void 0; } if (!shouldEmitImportEqualsDeclaration(node)) { return void 0; } const moduleReference = createExpressionFromEntityName(factory2, node.moduleReference); setEmitFlags( moduleReference, 3072 | 4096 /* NoNestedComments */ ); if (isNamedExternalModuleExport(node) || !isExportOfNamespace(node)) { return setOriginalNode( setTextRange( factory2.createVariableStatement( visitNodes2(node.modifiers, modifierVisitor, isModifier), factory2.createVariableDeclarationList([ setOriginalNode( factory2.createVariableDeclaration( node.name, /*exclamationToken*/ void 0, /*type*/ void 0, moduleReference ), node ) ]) ), node ), node ); } else { return setOriginalNode( createNamespaceExport( node.name, moduleReference, node ), node ); } } function isExportOfNamespace(node) { return currentNamespace !== void 0 && hasSyntacticModifier( node, 32 /* Export */ ); } function isExternalModuleExport(node) { return currentNamespace === void 0 && hasSyntacticModifier( node, 32 /* Export */ ); } function isNamedExternalModuleExport(node) { return isExternalModuleExport(node) && !hasSyntacticModifier( node, 2048 /* Default */ ); } function isDefaultExternalModuleExport(node) { return isExternalModuleExport(node) && hasSyntacticModifier( node, 2048 /* Default */ ); } function createExportMemberAssignmentStatement(node) { const expression = factory2.createAssignment( factory2.getExternalModuleOrNamespaceExportName( currentNamespaceContainerName, node, /*allowComments*/ false, /*allowSourceMaps*/ true ), factory2.getLocalName(node) ); setSourceMapRange(expression, createRange(node.name ? node.name.pos : node.pos, node.end)); const statement = factory2.createExpressionStatement(expression); setSourceMapRange(statement, createRange(-1, node.end)); return statement; } function addExportMemberAssignment(statements, node) { statements.push(createExportMemberAssignmentStatement(node)); } function createNamespaceExport(exportName, exportValue, location) { return setTextRange( factory2.createExpressionStatement( factory2.createAssignment( factory2.getNamespaceMemberName( currentNamespaceContainerName, exportName, /*allowComments*/ false, /*allowSourceMaps*/ true ), exportValue ) ), location ); } function createNamespaceExportExpression(exportName, exportValue, location) { return setTextRange(factory2.createAssignment(getNamespaceMemberNameWithSourceMapsAndWithoutComments(exportName), exportValue), location); } function getNamespaceMemberNameWithSourceMapsAndWithoutComments(name) { return factory2.getNamespaceMemberName( currentNamespaceContainerName, name, /*allowComments*/ false, /*allowSourceMaps*/ true ); } function getNamespaceParameterName(node) { const name = factory2.getGeneratedNameForNode(node); setSourceMapRange(name, node.name); return name; } function getNamespaceContainerName(node) { return factory2.getGeneratedNameForNode(node); } function enableSubstitutionForNonQualifiedEnumMembers() { if ((enabledSubstitutions & 8) === 0) { enabledSubstitutions |= 8; context.enableSubstitution( 80 /* Identifier */ ); } } function enableSubstitutionForNamespaceExports() { if ((enabledSubstitutions & 2) === 0) { enabledSubstitutions |= 2; context.enableSubstitution( 80 /* Identifier */ ); context.enableSubstitution( 304 /* ShorthandPropertyAssignment */ ); context.enableEmitNotification( 267 /* ModuleDeclaration */ ); } } function isTransformedModuleDeclaration(node) { return getOriginalNode(node).kind === 267; } function isTransformedEnumDeclaration(node) { return getOriginalNode(node).kind === 266; } function onEmitNode(hint, node, emitCallback) { const savedApplicableSubstitutions = applicableSubstitutions; const savedCurrentSourceFile = currentSourceFile; if (isSourceFile(node)) { currentSourceFile = node; } if (enabledSubstitutions & 2 && isTransformedModuleDeclaration(node)) { applicableSubstitutions |= 2; } if (enabledSubstitutions & 8 && isTransformedEnumDeclaration(node)) { applicableSubstitutions |= 8; } previousOnEmitNode(hint, node, emitCallback); applicableSubstitutions = savedApplicableSubstitutions; currentSourceFile = savedCurrentSourceFile; } function onSubstituteNode(hint, node) { node = previousOnSubstituteNode(hint, node); if (hint === 1) { return substituteExpression(node); } else if (isShorthandPropertyAssignment(node)) { return substituteShorthandPropertyAssignment(node); } return node; } function substituteShorthandPropertyAssignment(node) { if (enabledSubstitutions & 2) { const name = node.name; const exportedName = trySubstituteNamespaceExportedName(name); if (exportedName) { if (node.objectAssignmentInitializer) { const initializer = factory2.createAssignment(exportedName, node.objectAssignmentInitializer); return setTextRange(factory2.createPropertyAssignment(name, initializer), node); } return setTextRange(factory2.createPropertyAssignment(name, exportedName), node); } } return node; } function substituteExpression(node) { switch (node.kind) { case 80: return substituteExpressionIdentifier(node); case 211: return substitutePropertyAccessExpression(node); case 212: return substituteElementAccessExpression(node); } return node; } function substituteExpressionIdentifier(node) { return trySubstituteNamespaceExportedName(node) || node; } function trySubstituteNamespaceExportedName(node) { if (enabledSubstitutions & applicableSubstitutions && !isGeneratedIdentifier(node) && !isLocalName(node)) { const container = resolver.getReferencedExportContainer( node, /*prefixLocals*/ false ); if (container && container.kind !== 307) { const substitute = applicableSubstitutions & 2 && container.kind === 267 || applicableSubstitutions & 8 && container.kind === 266; if (substitute) { return setTextRange( factory2.createPropertyAccessExpression(factory2.getGeneratedNameForNode(container), node), /*location*/ node ); } } } return void 0; } function substitutePropertyAccessExpression(node) { return substituteConstantValue(node); } function substituteElementAccessExpression(node) { return substituteConstantValue(node); } function safeMultiLineComment(value) { return value.replace(/\*\//g, "*_/"); } function substituteConstantValue(node) { const constantValue = tryGetConstEnumValue(node); if (constantValue !== void 0) { setConstantValue(node, constantValue); const substitute = typeof constantValue === "string" ? factory2.createStringLiteral(constantValue) : constantValue < 0 ? factory2.createPrefixUnaryExpression(41, factory2.createNumericLiteral(-constantValue)) : factory2.createNumericLiteral(constantValue); if (!compilerOptions.removeComments) { const originalNode = getOriginalNode(node, isAccessExpression); addSyntheticTrailingComment(substitute, 3, ` ${safeMultiLineComment(getTextOfNode(originalNode))} `); } return substitute; } return node; } function tryGetConstEnumValue(node) { if (getIsolatedModules(compilerOptions)) { return void 0; } return isPropertyAccessExpression(node) || isElementAccessExpression(node) ? resolver.getConstantValue(node) : void 0; } function shouldEmitAliasDeclaration(node) { return compilerOptions.verbatimModuleSyntax || isInJSFile(node) || resolver.isReferencedAliasDeclaration(node); } } function transformClassFields(context) { const { factory: factory2, getEmitHelperFactory: emitHelpers, hoistVariableDeclaration, endLexicalEnvironment, startLexicalEnvironment, resumeLexicalEnvironment, addBlockScopedVariable } = context; const resolver = context.getEmitResolver(); const compilerOptions = context.getCompilerOptions(); const languageVersion = getEmitScriptTarget(compilerOptions); const useDefineForClassFields = getUseDefineForClassFields(compilerOptions); const legacyDecorators = !!compilerOptions.experimentalDecorators; const shouldTransformInitializersUsingSet = !useDefineForClassFields; const shouldTransformInitializersUsingDefine = useDefineForClassFields && languageVersion < 9; const shouldTransformInitializers = shouldTransformInitializersUsingSet || shouldTransformInitializersUsingDefine; const shouldTransformPrivateElementsOrClassStaticBlocks = languageVersion < 9; const shouldTransformAutoAccessors = languageVersion < 99 ? -1 : !useDefineForClassFields ? 3 : 0; const shouldTransformThisInStaticInitializers = languageVersion < 9; const shouldTransformSuperInStaticInitializers = shouldTransformThisInStaticInitializers && languageVersion >= 2; const shouldTransformAnything = shouldTransformInitializers || shouldTransformPrivateElementsOrClassStaticBlocks || shouldTransformAutoAccessors === -1; const previousOnSubstituteNode = context.onSubstituteNode; context.onSubstituteNode = onSubstituteNode; const previousOnEmitNode = context.onEmitNode; context.onEmitNode = onEmitNode; let shouldTransformPrivateStaticElementsInFile = false; let enabledSubstitutions; let classAliases; let pendingExpressions; let pendingStatements; let lexicalEnvironment; const lexicalEnvironmentMap = /* @__PURE__ */ new Map(); const noSubstitution = /* @__PURE__ */ new Set(); let currentClassContainer; let currentClassElement; let shouldSubstituteThisWithClassThis = false; let previousShouldSubstituteThisWithClassThis = false; return chainBundle(context, transformSourceFile); function transformSourceFile(node) { if (node.isDeclarationFile) { return node; } lexicalEnvironment = void 0; shouldTransformPrivateStaticElementsInFile = !!(getInternalEmitFlags(node) & 32); if (!shouldTransformAnything && !shouldTransformPrivateStaticElementsInFile) { return node; } const visited = visitEachChild(node, visitor2, context); addEmitHelpers(visited, context.readEmitHelpers()); return visited; } function modifierVisitor(node) { switch (node.kind) { case 129: return shouldTransformAutoAccessorsInCurrentClass() ? void 0 : node; default: return tryCast(node, isModifier); } } function visitor2(node) { if (!(node.transformFlags & 16777216) && !(node.transformFlags & 134234112)) { return node; } switch (node.kind) { case 129: return Debug.fail("Use `modifierVisitor` instead."); case 263: return visitClassDeclaration(node); case 231: return visitClassExpression(node); case 175: case 172: return Debug.fail("Use `classElementVisitor` instead."); case 303: return visitPropertyAssignment(node); case 243: return visitVariableStatement(node); case 260: return visitVariableDeclaration(node); case 169: return visitParameterDeclaration(node); case 208: return visitBindingElement(node); case 277: return visitExportAssignment(node); case 81: return visitPrivateIdentifier(node); case 211: return visitPropertyAccessExpression(node); case 212: return visitElementAccessExpression(node); case 224: case 225: return visitPreOrPostfixUnaryExpression( node, /*discarded*/ false ); case 226: return visitBinaryExpression( node, /*discarded*/ false ); case 217: return visitParenthesizedExpression( node, /*discarded*/ false ); case 213: return visitCallExpression(node); case 244: return visitExpressionStatement(node); case 215: return visitTaggedTemplateExpression(node); case 248: return visitForStatement(node); case 110: return visitThisExpression(node); case 262: case 218: return setCurrentClassElementAnd( /*classElement*/ void 0, fallbackVisitor, node ); case 176: case 174: case 177: case 178: { return setCurrentClassElementAnd( node, fallbackVisitor, node ); } default: return fallbackVisitor(node); } } function fallbackVisitor(node) { return visitEachChild(node, visitor2, context); } function discardedValueVisitor(node) { switch (node.kind) { case 224: case 225: return visitPreOrPostfixUnaryExpression( node, /*discarded*/ true ); case 226: return visitBinaryExpression( node, /*discarded*/ true ); case 355: return visitCommaListExpression( node, /*discarded*/ true ); case 217: return visitParenthesizedExpression( node, /*discarded*/ true ); default: return visitor2(node); } } function heritageClauseVisitor(node) { switch (node.kind) { case 298: return visitEachChild(node, heritageClauseVisitor, context); case 233: return visitExpressionWithTypeArgumentsInHeritageClause(node); default: return visitor2(node); } } function assignmentTargetVisitor(node) { switch (node.kind) { case 210: case 209: return visitAssignmentPattern(node); default: return visitor2(node); } } function classElementVisitor(node) { switch (node.kind) { case 176: return setCurrentClassElementAnd( node, visitConstructorDeclaration, node ); case 177: case 178: case 174: return setCurrentClassElementAnd( node, visitMethodOrAccessorDeclaration, node ); case 172: return setCurrentClassElementAnd( node, visitPropertyDeclaration, node ); case 175: return setCurrentClassElementAnd( node, visitClassStaticBlockDeclaration, node ); case 167: return visitComputedPropertyName(node); case 240: return node; default: return isModifierLike(node) ? modifierVisitor(node) : visitor2(node); } } function propertyNameVisitor(node) { switch (node.kind) { case 167: return visitComputedPropertyName(node); default: return visitor2(node); } } function accessorFieldResultVisitor(node) { switch (node.kind) { case 172: return transformFieldInitializer(node); case 177: case 178: return classElementVisitor(node); default: Debug.assertMissingNode(node, "Expected node to either be a PropertyDeclaration, GetAccessorDeclaration, or SetAccessorDeclaration"); break; } } function visitPrivateIdentifier(node) { if (!shouldTransformPrivateElementsOrClassStaticBlocks) { return node; } if (isStatement(node.parent)) { return node; } return setOriginalNode(factory2.createIdentifier(""), node); } function transformPrivateIdentifierInInExpression(node) { const info = accessPrivateIdentifier2(node.left); if (info) { const receiver = visitNode(node.right, visitor2, isExpression); return setOriginalNode( emitHelpers().createClassPrivateFieldInHelper(info.brandCheckIdentifier, receiver), node ); } return visitEachChild(node, visitor2, context); } function visitPropertyAssignment(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation(context, node); } return visitEachChild(node, visitor2, context); } function visitVariableStatement(node) { const savedPendingStatements = pendingStatements; pendingStatements = []; const visitedNode = visitEachChild(node, visitor2, context); const statement = some(pendingStatements) ? [visitedNode, ...pendingStatements] : visitedNode; pendingStatements = savedPendingStatements; return statement; } function visitVariableDeclaration(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation(context, node); } return visitEachChild(node, visitor2, context); } function visitParameterDeclaration(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation(context, node); } return visitEachChild(node, visitor2, context); } function visitBindingElement(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation(context, node); } return visitEachChild(node, visitor2, context); } function visitExportAssignment(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation( context, node, /*ignoreEmptyStringLiteral*/ true, node.isExportEquals ? "" : "default" ); } return visitEachChild(node, visitor2, context); } function injectPendingExpressions(expression) { if (some(pendingExpressions)) { if (isParenthesizedExpression(expression)) { pendingExpressions.push(expression.expression); expression = factory2.updateParenthesizedExpression(expression, factory2.inlineExpressions(pendingExpressions)); } else { pendingExpressions.push(expression); expression = factory2.inlineExpressions(pendingExpressions); } pendingExpressions = void 0; } return expression; } function visitComputedPropertyName(node) { const expression = visitNode(node.expression, visitor2, isExpression); return factory2.updateComputedPropertyName(node, injectPendingExpressions(expression)); } function visitConstructorDeclaration(node) { if (currentClassContainer) { return transformConstructor(node, currentClassContainer); } return fallbackVisitor(node); } function shouldTransformClassElementToWeakMap(node) { if (shouldTransformPrivateElementsOrClassStaticBlocks) return true; if (hasStaticModifier(node) && getInternalEmitFlags(node) & 32) return true; return false; } function visitMethodOrAccessorDeclaration(node) { Debug.assert(!hasDecorators(node)); if (!isPrivateIdentifierClassElementDeclaration(node) || !shouldTransformClassElementToWeakMap(node)) { return visitEachChild(node, classElementVisitor, context); } const info = accessPrivateIdentifier2(node.name); Debug.assert(info, "Undeclared private name for property declaration."); if (!info.isValid) { return node; } const functionName = getHoistedFunctionName(node); if (functionName) { getPendingExpressions().push( factory2.createAssignment( functionName, factory2.createFunctionExpression( filter(node.modifiers, (m) => isModifier(m) && !isStaticModifier(m) && !isAccessorModifier(m)), node.asteriskToken, functionName, /*typeParameters*/ void 0, visitParameterList(node.parameters, visitor2, context), /*type*/ void 0, visitFunctionBody(node.body, visitor2, context) ) ) ); } return void 0; } function setCurrentClassElementAnd(classElement, visitor22, arg) { if (classElement !== currentClassElement) { const savedCurrentClassElement = currentClassElement; currentClassElement = classElement; const result = visitor22(arg); currentClassElement = savedCurrentClassElement; return result; } return visitor22(arg); } function getHoistedFunctionName(node) { Debug.assert(isPrivateIdentifier(node.name)); const info = accessPrivateIdentifier2(node.name); Debug.assert(info, "Undeclared private name for property declaration."); if (info.kind === "m") { return info.methodName; } if (info.kind === "a") { if (isGetAccessor(node)) { return info.getterName; } if (isSetAccessor(node)) { return info.setterName; } } } function tryGetClassThis() { const lex = getClassLexicalEnvironment(); return lex.classThis ?? lex.classConstructor ?? (currentClassContainer == null ? void 0 : currentClassContainer.name); } function transformAutoAccessor(node) { const commentRange = getCommentRange(node); const sourceMapRange = getSourceMapRange(node); const name = node.name; let getterName = name; let setterName = name; if (isComputedPropertyName(name) && !isSimpleInlineableExpression(name.expression)) { const cacheAssignment = findComputedPropertyNameCacheAssignment(name); if (cacheAssignment) { getterName = factory2.updateComputedPropertyName(name, visitNode(name.expression, visitor2, isExpression)); setterName = factory2.updateComputedPropertyName(name, cacheAssignment.left); } else { const temp = factory2.createTempVariable(hoistVariableDeclaration); setSourceMapRange(temp, name.expression); const expression = visitNode(name.expression, visitor2, isExpression); const assignment = factory2.createAssignment(temp, expression); setSourceMapRange(assignment, name.expression); getterName = factory2.updateComputedPropertyName(name, assignment); setterName = factory2.updateComputedPropertyName(name, temp); } } const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier); const backingField = createAccessorPropertyBackingField(factory2, node, modifiers, node.initializer); setOriginalNode(backingField, node); setEmitFlags( backingField, 3072 /* NoComments */ ); setSourceMapRange(backingField, sourceMapRange); const receiver = isStatic(node) ? tryGetClassThis() ?? factory2.createThis() : factory2.createThis(); const getter = createAccessorPropertyGetRedirector(factory2, node, modifiers, getterName, receiver); setOriginalNode(getter, node); setCommentRange(getter, commentRange); setSourceMapRange(getter, sourceMapRange); const setterModifiers = factory2.createModifiersFromModifierFlags(modifiersToFlags(modifiers)); const setter = createAccessorPropertySetRedirector(factory2, node, setterModifiers, setterName, receiver); setOriginalNode(setter, node); setEmitFlags( setter, 3072 /* NoComments */ ); setSourceMapRange(setter, sourceMapRange); return visitArray([backingField, getter, setter], accessorFieldResultVisitor, isClassElement); } function transformPrivateFieldInitializer(node) { if (shouldTransformClassElementToWeakMap(node)) { const info = accessPrivateIdentifier2(node.name); Debug.assert(info, "Undeclared private name for property declaration."); if (!info.isValid) { return node; } if (info.isStatic && !shouldTransformPrivateElementsOrClassStaticBlocks) { const statement = transformPropertyOrClassStaticBlock(node, factory2.createThis()); if (statement) { return factory2.createClassStaticBlockDeclaration(factory2.createBlock( [statement], /*multiLine*/ true )); } } return void 0; } if (shouldTransformInitializersUsingSet && !isStatic(node) && (lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) && lexicalEnvironment.data.facts & 16) { return factory2.updatePropertyDeclaration( node, visitNodes2(node.modifiers, visitor2, isModifierLike), node.name, /*questionOrExclamationToken*/ void 0, /*type*/ void 0, /*initializer*/ void 0 ); } if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation(context, node); } return factory2.updatePropertyDeclaration( node, visitNodes2(node.modifiers, modifierVisitor, isModifier), visitNode(node.name, propertyNameVisitor, isPropertyName), /*questionOrExclamationToken*/ void 0, /*type*/ void 0, visitNode(node.initializer, visitor2, isExpression) ); } function transformPublicFieldInitializer(node) { if (shouldTransformInitializers && !isAutoAccessorPropertyDeclaration(node)) { const expr = getPropertyNameExpressionIfNeeded( node.name, /*shouldHoist*/ !!node.initializer || useDefineForClassFields ); if (expr) { getPendingExpressions().push(...flattenCommaList(expr)); } if (isStatic(node) && !shouldTransformPrivateElementsOrClassStaticBlocks) { const initializerStatement = transformPropertyOrClassStaticBlock(node, factory2.createThis()); if (initializerStatement) { const staticBlock = factory2.createClassStaticBlockDeclaration( factory2.createBlock([initializerStatement]) ); setOriginalNode(staticBlock, node); setCommentRange(staticBlock, node); setCommentRange(initializerStatement, { pos: -1, end: -1 }); setSyntheticLeadingComments(initializerStatement, void 0); setSyntheticTrailingComments(initializerStatement, void 0); return staticBlock; } } return void 0; } return factory2.updatePropertyDeclaration( node, visitNodes2(node.modifiers, modifierVisitor, isModifier), visitNode(node.name, propertyNameVisitor, isPropertyName), /*questionOrExclamationToken*/ void 0, /*type*/ void 0, visitNode(node.initializer, visitor2, isExpression) ); } function transformFieldInitializer(node) { Debug.assert(!hasDecorators(node), "Decorators should already have been transformed and elided."); return isPrivateIdentifierClassElementDeclaration(node) ? transformPrivateFieldInitializer(node) : transformPublicFieldInitializer(node); } function shouldTransformAutoAccessorsInCurrentClass() { return shouldTransformAutoAccessors === -1 || shouldTransformAutoAccessors === 3 && !!(lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) && !!(lexicalEnvironment.data.facts & 16); } function visitPropertyDeclaration(node) { if (isAutoAccessorPropertyDeclaration(node) && (shouldTransformAutoAccessorsInCurrentClass() || hasStaticModifier(node) && getInternalEmitFlags(node) & 32)) { return transformAutoAccessor(node); } return transformFieldInitializer(node); } function shouldForceDynamicThis() { return !!currentClassElement && hasStaticModifier(currentClassElement) && isAccessor(currentClassElement) && isAutoAccessorPropertyDeclaration(getOriginalNode(currentClassElement)); } function ensureDynamicThisIfNeeded(node) { if (shouldForceDynamicThis()) { const innerExpression = skipOuterExpressions(node); if (innerExpression.kind === 110) { noSubstitution.add(innerExpression); } } } function createPrivateIdentifierAccess(info, receiver) { receiver = visitNode(receiver, visitor2, isExpression); ensureDynamicThisIfNeeded(receiver); return createPrivateIdentifierAccessHelper(info, receiver); } function createPrivateIdentifierAccessHelper(info, receiver) { setCommentRange(receiver, moveRangePos(receiver, -1)); switch (info.kind) { case "a": return emitHelpers().createClassPrivateFieldGetHelper( receiver, info.brandCheckIdentifier, info.kind, info.getterName ); case "m": return emitHelpers().createClassPrivateFieldGetHelper( receiver, info.brandCheckIdentifier, info.kind, info.methodName ); case "f": return emitHelpers().createClassPrivateFieldGetHelper( receiver, info.brandCheckIdentifier, info.kind, info.isStatic ? info.variableName : void 0 ); case "untransformed": return Debug.fail("Access helpers should not be created for untransformed private elements"); default: Debug.assertNever(info, "Unknown private element type"); } } function visitPropertyAccessExpression(node) { if (isPrivateIdentifier(node.name)) { const privateIdentifierInfo = accessPrivateIdentifier2(node.name); if (privateIdentifierInfo) { return setTextRange( setOriginalNode( createPrivateIdentifierAccess(privateIdentifierInfo, node.expression), node ), node ); } } if (shouldTransformSuperInStaticInitializers && currentClassElement && isSuperProperty(node) && isIdentifier(node.name) && isStaticPropertyDeclarationOrClassStaticBlock(currentClassElement) && (lexicalEnvironment == null ? void 0 : lexicalEnvironment.data)) { const { classConstructor, superClassReference, facts } = lexicalEnvironment.data; if (facts & 1) { return visitInvalidSuperProperty(node); } if (classConstructor && superClassReference) { const superProperty = factory2.createReflectGetCall( superClassReference, factory2.createStringLiteralFromNode(node.name), classConstructor ); setOriginalNode(superProperty, node.expression); setTextRange(superProperty, node.expression); return superProperty; } } return visitEachChild(node, visitor2, context); } function visitElementAccessExpression(node) { if (shouldTransformSuperInStaticInitializers && currentClassElement && isSuperProperty(node) && isStaticPropertyDeclarationOrClassStaticBlock(currentClassElement) && (lexicalEnvironment == null ? void 0 : lexicalEnvironment.data)) { const { classConstructor, superClassReference, facts } = lexicalEnvironment.data; if (facts & 1) { return visitInvalidSuperProperty(node); } if (classConstructor && superClassReference) { const superProperty = factory2.createReflectGetCall( superClassReference, visitNode(node.argumentExpression, visitor2, isExpression), classConstructor ); setOriginalNode(superProperty, node.expression); setTextRange(superProperty, node.expression); return superProperty; } } return visitEachChild(node, visitor2, context); } function visitPreOrPostfixUnaryExpression(node, discarded) { if (node.operator === 46 || node.operator === 47) { const operand = skipParentheses(node.operand); if (isPrivateIdentifierPropertyAccessExpression(operand)) { let info; if (info = accessPrivateIdentifier2(operand.name)) { const receiver = visitNode(operand.expression, visitor2, isExpression); ensureDynamicThisIfNeeded(receiver); const { readExpression, initializeExpression } = createCopiableReceiverExpr(receiver); let expression = createPrivateIdentifierAccess(info, readExpression); const temp = isPrefixUnaryExpression(node) || discarded ? void 0 : factory2.createTempVariable(hoistVariableDeclaration); expression = expandPreOrPostfixIncrementOrDecrementExpression(factory2, node, expression, hoistVariableDeclaration, temp); expression = createPrivateIdentifierAssignment( info, initializeExpression || readExpression, expression, 64 /* EqualsToken */ ); setOriginalNode(expression, node); setTextRange(expression, node); if (temp) { expression = factory2.createComma(expression, temp); setTextRange(expression, node); } return expression; } } else if (shouldTransformSuperInStaticInitializers && currentClassElement && isSuperProperty(operand) && isStaticPropertyDeclarationOrClassStaticBlock(currentClassElement) && (lexicalEnvironment == null ? void 0 : lexicalEnvironment.data)) { const { classConstructor, superClassReference, facts } = lexicalEnvironment.data; if (facts & 1) { const expression = visitInvalidSuperProperty(operand); return isPrefixUnaryExpression(node) ? factory2.updatePrefixUnaryExpression(node, expression) : factory2.updatePostfixUnaryExpression(node, expression); } if (classConstructor && superClassReference) { let setterName; let getterName; if (isPropertyAccessExpression(operand)) { if (isIdentifier(operand.name)) { getterName = setterName = factory2.createStringLiteralFromNode(operand.name); } } else { if (isSimpleInlineableExpression(operand.argumentExpression)) { getterName = setterName = operand.argumentExpression; } else { getterName = factory2.createTempVariable(hoistVariableDeclaration); setterName = factory2.createAssignment(getterName, visitNode(operand.argumentExpression, visitor2, isExpression)); } } if (setterName && getterName) { let expression = factory2.createReflectGetCall(superClassReference, getterName, classConstructor); setTextRange(expression, operand); const temp = discarded ? void 0 : factory2.createTempVariable(hoistVariableDeclaration); expression = expandPreOrPostfixIncrementOrDecrementExpression(factory2, node, expression, hoistVariableDeclaration, temp); expression = factory2.createReflectSetCall(superClassReference, setterName, expression, classConstructor); setOriginalNode(expression, node); setTextRange(expression, node); if (temp) { expression = factory2.createComma(expression, temp); setTextRange(expression, node); } return expression; } } } } return visitEachChild(node, visitor2, context); } function visitForStatement(node) { return factory2.updateForStatement( node, visitNode(node.initializer, discardedValueVisitor, isForInitializer), visitNode(node.condition, visitor2, isExpression), visitNode(node.incrementor, discardedValueVisitor, isExpression), visitIterationBody(node.statement, visitor2, context) ); } function visitExpressionStatement(node) { return factory2.updateExpressionStatement( node, visitNode(node.expression, discardedValueVisitor, isExpression) ); } function createCopiableReceiverExpr(receiver) { const clone2 = nodeIsSynthesized(receiver) ? receiver : factory2.cloneNode(receiver); if (receiver.kind === 110 && noSubstitution.has(receiver)) { noSubstitution.add(clone2); } if (isSimpleInlineableExpression(receiver)) { return { readExpression: clone2, initializeExpression: void 0 }; } const readExpression = factory2.createTempVariable(hoistVariableDeclaration); const initializeExpression = factory2.createAssignment(readExpression, clone2); return { readExpression, initializeExpression }; } function visitCallExpression(node) { var _a; if (isPrivateIdentifierPropertyAccessExpression(node.expression) && accessPrivateIdentifier2(node.expression.name)) { const { thisArg, target } = factory2.createCallBinding(node.expression, hoistVariableDeclaration, languageVersion); if (isCallChain(node)) { return factory2.updateCallChain( node, factory2.createPropertyAccessChain(visitNode(target, visitor2, isExpression), node.questionDotToken, "call"), /*questionDotToken*/ void 0, /*typeArguments*/ void 0, [visitNode(thisArg, visitor2, isExpression), ...visitNodes2(node.arguments, visitor2, isExpression)] ); } return factory2.updateCallExpression( node, factory2.createPropertyAccessExpression(visitNode(target, visitor2, isExpression), "call"), /*typeArguments*/ void 0, [visitNode(thisArg, visitor2, isExpression), ...visitNodes2(node.arguments, visitor2, isExpression)] ); } if (shouldTransformSuperInStaticInitializers && currentClassElement && isSuperProperty(node.expression) && isStaticPropertyDeclarationOrClassStaticBlock(currentClassElement) && ((_a = lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) == null ? void 0 : _a.classConstructor)) { const invocation = factory2.createFunctionCallCall( visitNode(node.expression, visitor2, isExpression), lexicalEnvironment.data.classConstructor, visitNodes2(node.arguments, visitor2, isExpression) ); setOriginalNode(invocation, node); setTextRange(invocation, node); return invocation; } return visitEachChild(node, visitor2, context); } function visitTaggedTemplateExpression(node) { var _a; if (isPrivateIdentifierPropertyAccessExpression(node.tag) && accessPrivateIdentifier2(node.tag.name)) { const { thisArg, target } = factory2.createCallBinding(node.tag, hoistVariableDeclaration, languageVersion); return factory2.updateTaggedTemplateExpression( node, factory2.createCallExpression( factory2.createPropertyAccessExpression(visitNode(target, visitor2, isExpression), "bind"), /*typeArguments*/ void 0, [visitNode(thisArg, visitor2, isExpression)] ), /*typeArguments*/ void 0, visitNode(node.template, visitor2, isTemplateLiteral) ); } if (shouldTransformSuperInStaticInitializers && currentClassElement && isSuperProperty(node.tag) && isStaticPropertyDeclarationOrClassStaticBlock(currentClassElement) && ((_a = lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) == null ? void 0 : _a.classConstructor)) { const invocation = factory2.createFunctionBindCall( visitNode(node.tag, visitor2, isExpression), lexicalEnvironment.data.classConstructor, [] ); setOriginalNode(invocation, node); setTextRange(invocation, node); return factory2.updateTaggedTemplateExpression( node, invocation, /*typeArguments*/ void 0, visitNode(node.template, visitor2, isTemplateLiteral) ); } return visitEachChild(node, visitor2, context); } function transformClassStaticBlockDeclaration(node) { if (lexicalEnvironment) { lexicalEnvironmentMap.set(getOriginalNode(node), lexicalEnvironment); } if (shouldTransformPrivateElementsOrClassStaticBlocks) { if (isClassThisAssignmentBlock(node)) { const result = visitNode(node.body.statements[0].expression, visitor2, isExpression); if (isAssignmentExpression2( result, /*excludeCompoundAssignment*/ true ) && result.left === result.right) { return void 0; } return result; } if (isClassNamedEvaluationHelperBlock(node)) { return visitNode(node.body.statements[0].expression, visitor2, isExpression); } startLexicalEnvironment(); let statements = setCurrentClassElementAnd( node, (statements2) => visitNodes2(statements2, visitor2, isStatement), node.body.statements ); statements = factory2.mergeLexicalEnvironment(statements, endLexicalEnvironment()); const iife = factory2.createImmediatelyInvokedArrowFunction(statements); setOriginalNode(skipParentheses(iife.expression), node); addEmitFlags( skipParentheses(iife.expression), 4 /* AdviseOnEmitNode */ ); setOriginalNode(iife, node); setTextRange(iife, node); return iife; } } function isAnonymousClassNeedingAssignedName(node) { if (isClassExpression(node) && !node.name) { const staticPropertiesOrClassStaticBlocks = getStaticPropertiesAndClassStaticBlock(node); if (some(staticPropertiesOrClassStaticBlocks, isClassNamedEvaluationHelperBlock)) { return false; } const hasTransformableStatics = (shouldTransformPrivateElementsOrClassStaticBlocks || !!(getInternalEmitFlags(node) && 32)) && some(staticPropertiesOrClassStaticBlocks, (node2) => isClassStaticBlockDeclaration(node2) || isPrivateIdentifierClassElementDeclaration(node2) || shouldTransformInitializers && isInitializedProperty(node2)); return hasTransformableStatics; } return false; } function visitBinaryExpression(node, discarded) { if (isDestructuringAssignment(node)) { const savedPendingExpressions = pendingExpressions; pendingExpressions = void 0; node = factory2.updateBinaryExpression( node, visitNode(node.left, assignmentTargetVisitor, isExpression), node.operatorToken, visitNode(node.right, visitor2, isExpression) ); const expr = some(pendingExpressions) ? factory2.inlineExpressions(compact([...pendingExpressions, node])) : node; pendingExpressions = savedPendingExpressions; return expr; } if (isAssignmentExpression2(node)) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation(context, node); Debug.assertNode(node, isAssignmentExpression2); } const left = skipOuterExpressions( node.left, 8 | 1 /* Parentheses */ ); if (isPrivateIdentifierPropertyAccessExpression(left)) { const info = accessPrivateIdentifier2(left.name); if (info) { return setTextRange( setOriginalNode( createPrivateIdentifierAssignment(info, left.expression, node.right, node.operatorToken.kind), node ), node ); } } else if (shouldTransformSuperInStaticInitializers && currentClassElement && isSuperProperty(node.left) && isStaticPropertyDeclarationOrClassStaticBlock(currentClassElement) && (lexicalEnvironment == null ? void 0 : lexicalEnvironment.data)) { const { classConstructor, superClassReference, facts } = lexicalEnvironment.data; if (facts & 1) { return factory2.updateBinaryExpression( node, visitInvalidSuperProperty(node.left), node.operatorToken, visitNode(node.right, visitor2, isExpression) ); } if (classConstructor && superClassReference) { let setterName = isElementAccessExpression(node.left) ? visitNode(node.left.argumentExpression, visitor2, isExpression) : isIdentifier(node.left.name) ? factory2.createStringLiteralFromNode(node.left.name) : void 0; if (setterName) { let expression = visitNode(node.right, visitor2, isExpression); if (isCompoundAssignment(node.operatorToken.kind)) { let getterName = setterName; if (!isSimpleInlineableExpression(setterName)) { getterName = factory2.createTempVariable(hoistVariableDeclaration); setterName = factory2.createAssignment(getterName, setterName); } const superPropertyGet = factory2.createReflectGetCall( superClassReference, getterName, classConstructor ); setOriginalNode(superPropertyGet, node.left); setTextRange(superPropertyGet, node.left); expression = factory2.createBinaryExpression( superPropertyGet, getNonAssignmentOperatorForCompoundAssignment(node.operatorToken.kind), expression ); setTextRange(expression, node); } const temp = discarded ? void 0 : factory2.createTempVariable(hoistVariableDeclaration); if (temp) { expression = factory2.createAssignment(temp, expression); setTextRange(temp, node); } expression = factory2.createReflectSetCall( superClassReference, setterName, expression, classConstructor ); setOriginalNode(expression, node); setTextRange(expression, node); if (temp) { expression = factory2.createComma(expression, temp); setTextRange(expression, node); } return expression; } } } } if (isPrivateIdentifierInExpression(node)) { return transformPrivateIdentifierInInExpression(node); } return visitEachChild(node, visitor2, context); } function visitCommaListExpression(node, discarded) { const elements = discarded ? visitCommaListElements(node.elements, discardedValueVisitor) : visitCommaListElements(node.elements, visitor2, discardedValueVisitor); return factory2.updateCommaListExpression(node, elements); } function visitParenthesizedExpression(node, discarded) { const visitorFunc = discarded ? discardedValueVisitor : visitor2; const expression = visitNode(node.expression, visitorFunc, isExpression); return factory2.updateParenthesizedExpression(node, expression); } function createPrivateIdentifierAssignment(info, receiver, right, operator) { receiver = visitNode(receiver, visitor2, isExpression); right = visitNode(right, visitor2, isExpression); ensureDynamicThisIfNeeded(receiver); if (isCompoundAssignment(operator)) { const { readExpression, initializeExpression } = createCopiableReceiverExpr(receiver); receiver = initializeExpression || readExpression; right = factory2.createBinaryExpression( createPrivateIdentifierAccessHelper(info, readExpression), getNonAssignmentOperatorForCompoundAssignment(operator), right ); } setCommentRange(receiver, moveRangePos(receiver, -1)); switch (info.kind) { case "a": return emitHelpers().createClassPrivateFieldSetHelper( receiver, info.brandCheckIdentifier, right, info.kind, info.setterName ); case "m": return emitHelpers().createClassPrivateFieldSetHelper( receiver, info.brandCheckIdentifier, right, info.kind, /*f*/ void 0 ); case "f": return emitHelpers().createClassPrivateFieldSetHelper( receiver, info.brandCheckIdentifier, right, info.kind, info.isStatic ? info.variableName : void 0 ); case "untransformed": return Debug.fail("Access helpers should not be created for untransformed private elements"); default: Debug.assertNever(info, "Unknown private element type"); } } function getPrivateInstanceMethodsAndAccessors(node) { return filter(node.members, isNonStaticMethodOrAccessorWithPrivateName); } function getClassFacts(node) { var _a; let facts = 0; const original = getOriginalNode(node); if (isClassLike(original) && classOrConstructorParameterIsDecorated(legacyDecorators, original)) { facts |= 1; } if (shouldTransformPrivateElementsOrClassStaticBlocks && (classHasClassThisAssignment(node) || classHasExplicitlyAssignedName(node))) { facts |= 2; } let containsPublicInstanceFields = false; let containsInitializedPublicInstanceFields = false; let containsInstancePrivateElements = false; let containsInstanceAutoAccessors = false; for (const member of node.members) { if (isStatic(member)) { if (member.name && (isPrivateIdentifier(member.name) || isAutoAccessorPropertyDeclaration(member)) && shouldTransformPrivateElementsOrClassStaticBlocks) { facts |= 2; } else if (isAutoAccessorPropertyDeclaration(member) && shouldTransformAutoAccessors === -1 && !node.name && !((_a = node.emitNode) == null ? void 0 : _a.classThis)) { facts |= 2; } if (isPropertyDeclaration(member) || isClassStaticBlockDeclaration(member)) { if (shouldTransformThisInStaticInitializers && member.transformFlags & 16384) { facts |= 8; if (!(facts & 1)) { facts |= 2; } } if (shouldTransformSuperInStaticInitializers && member.transformFlags & 134217728) { if (!(facts & 1)) { facts |= 2 | 4; } } } } else if (!hasAbstractModifier(getOriginalNode(member))) { if (isAutoAccessorPropertyDeclaration(member)) { containsInstanceAutoAccessors = true; containsInstancePrivateElements || (containsInstancePrivateElements = isPrivateIdentifierClassElementDeclaration(member)); } else if (isPrivateIdentifierClassElementDeclaration(member)) { containsInstancePrivateElements = true; if (resolver.hasNodeCheckFlag( member, 262144 /* ContainsConstructorReference */ )) { facts |= 2; } } else if (isPropertyDeclaration(member)) { containsPublicInstanceFields = true; containsInitializedPublicInstanceFields || (containsInitializedPublicInstanceFields = !!member.initializer); } } } const willHoistInitializersToConstructor = shouldTransformInitializersUsingDefine && containsPublicInstanceFields || shouldTransformInitializersUsingSet && containsInitializedPublicInstanceFields || shouldTransformPrivateElementsOrClassStaticBlocks && containsInstancePrivateElements || shouldTransformPrivateElementsOrClassStaticBlocks && containsInstanceAutoAccessors && shouldTransformAutoAccessors === -1; if (willHoistInitializersToConstructor) { facts |= 16; } return facts; } function visitExpressionWithTypeArgumentsInHeritageClause(node) { var _a; const facts = ((_a = lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) == null ? void 0 : _a.facts) || 0; if (facts & 4) { const temp = factory2.createTempVariable( hoistVariableDeclaration, /*reservedInNestedScopes*/ true ); getClassLexicalEnvironment().superClassReference = temp; return factory2.updateExpressionWithTypeArguments( node, factory2.createAssignment( temp, visitNode(node.expression, visitor2, isExpression) ), /*typeArguments*/ void 0 ); } return visitEachChild(node, visitor2, context); } function visitInNewClassLexicalEnvironment(node, visitor22) { var _a; const savedCurrentClassContainer = currentClassContainer; const savedPendingExpressions = pendingExpressions; const savedLexicalEnvironment = lexicalEnvironment; currentClassContainer = node; pendingExpressions = void 0; startClassLexicalEnvironment(); const shouldAlwaysTransformPrivateStaticElements = getInternalEmitFlags(node) & 32; if (shouldTransformPrivateElementsOrClassStaticBlocks || shouldAlwaysTransformPrivateStaticElements) { const name = getNameOfDeclaration(node); if (name && isIdentifier(name)) { getPrivateIdentifierEnvironment().data.className = name; } else if ((_a = node.emitNode) == null ? void 0 : _a.assignedName) { if (isStringLiteral2(node.emitNode.assignedName)) { if (node.emitNode.assignedName.textSourceNode && isIdentifier(node.emitNode.assignedName.textSourceNode)) { getPrivateIdentifierEnvironment().data.className = node.emitNode.assignedName.textSourceNode; } else if (isIdentifierText(node.emitNode.assignedName.text, languageVersion)) { const prefixName = factory2.createIdentifier(node.emitNode.assignedName.text); getPrivateIdentifierEnvironment().data.className = prefixName; } } } } if (shouldTransformPrivateElementsOrClassStaticBlocks) { const privateInstanceMethodsAndAccessors = getPrivateInstanceMethodsAndAccessors(node); if (some(privateInstanceMethodsAndAccessors)) { getPrivateIdentifierEnvironment().data.weakSetName = createHoistedVariableForClass( "instances", privateInstanceMethodsAndAccessors[0].name ); } } const facts = getClassFacts(node); if (facts) { getClassLexicalEnvironment().facts = facts; } if (facts & 8) { enableSubstitutionForClassStaticThisOrSuperReference(); } const result = visitor22(node, facts); endClassLexicalEnvironment(); Debug.assert(lexicalEnvironment === savedLexicalEnvironment); currentClassContainer = savedCurrentClassContainer; pendingExpressions = savedPendingExpressions; return result; } function visitClassDeclaration(node) { return visitInNewClassLexicalEnvironment(node, visitClassDeclarationInNewClassLexicalEnvironment); } function visitClassDeclarationInNewClassLexicalEnvironment(node, facts) { var _a, _b; let pendingClassReferenceAssignment; if (facts & 2) { if (shouldTransformPrivateElementsOrClassStaticBlocks && ((_a = node.emitNode) == null ? void 0 : _a.classThis)) { getClassLexicalEnvironment().classConstructor = node.emitNode.classThis; pendingClassReferenceAssignment = factory2.createAssignment(node.emitNode.classThis, factory2.getInternalName(node)); } else { const temp = factory2.createTempVariable( hoistVariableDeclaration, /*reservedInNestedScopes*/ true ); getClassLexicalEnvironment().classConstructor = factory2.cloneNode(temp); pendingClassReferenceAssignment = factory2.createAssignment(temp, factory2.getInternalName(node)); } } if ((_b = node.emitNode) == null ? void 0 : _b.classThis) { getClassLexicalEnvironment().classThis = node.emitNode.classThis; } const isClassWithConstructorReference = resolver.hasNodeCheckFlag( node, 262144 /* ContainsConstructorReference */ ); const isExport = hasSyntacticModifier( node, 32 /* Export */ ); const isDefault = hasSyntacticModifier( node, 2048 /* Default */ ); let modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier); const heritageClauses = visitNodes2(node.heritageClauses, heritageClauseVisitor, isHeritageClause); const { members, prologue } = transformClassMembers(node); const statements = []; if (pendingClassReferenceAssignment) { getPendingExpressions().unshift(pendingClassReferenceAssignment); } if (some(pendingExpressions)) { statements.push(factory2.createExpressionStatement(factory2.inlineExpressions(pendingExpressions))); } if (shouldTransformInitializersUsingSet || shouldTransformPrivateElementsOrClassStaticBlocks || getInternalEmitFlags(node) & 32) { const staticProperties = getStaticPropertiesAndClassStaticBlock(node); if (some(staticProperties)) { addPropertyOrClassStaticBlockStatements(statements, staticProperties, factory2.getInternalName(node)); } } if (statements.length > 0 && isExport && isDefault) { modifiers = visitNodes2(modifiers, (node2) => isExportOrDefaultModifier(node2) ? void 0 : node2, isModifier); statements.push(factory2.createExportAssignment( /*modifiers*/ void 0, /*isExportEquals*/ false, factory2.getLocalName( node, /*allowComments*/ false, /*allowSourceMaps*/ true ) )); } const alias = getClassLexicalEnvironment().classConstructor; if (isClassWithConstructorReference && alias) { enableSubstitutionForClassAliases(); classAliases[getOriginalNodeId(node)] = alias; } const classDecl = factory2.updateClassDeclaration( node, modifiers, node.name, /*typeParameters*/ void 0, heritageClauses, members ); statements.unshift(classDecl); if (prologue) { statements.unshift(factory2.createExpressionStatement(prologue)); } return statements; } function visitClassExpression(node) { return visitInNewClassLexicalEnvironment(node, visitClassExpressionInNewClassLexicalEnvironment); } function visitClassExpressionInNewClassLexicalEnvironment(node, facts) { var _a, _b, _c; const isDecoratedClassDeclaration = !!(facts & 1); const staticPropertiesOrClassStaticBlocks = getStaticPropertiesAndClassStaticBlock(node); const isClassWithConstructorReference = resolver.hasNodeCheckFlag( node, 262144 /* ContainsConstructorReference */ ); const requiresBlockScopedVar = resolver.hasNodeCheckFlag( node, 32768 /* BlockScopedBindingInLoop */ ); let temp; function createClassTempVar() { var _a2; if (shouldTransformPrivateElementsOrClassStaticBlocks && ((_a2 = node.emitNode) == null ? void 0 : _a2.classThis)) { return getClassLexicalEnvironment().classConstructor = node.emitNode.classThis; } const temp2 = factory2.createTempVariable( requiresBlockScopedVar ? addBlockScopedVariable : hoistVariableDeclaration, /*reservedInNestedScopes*/ true ); getClassLexicalEnvironment().classConstructor = factory2.cloneNode(temp2); return temp2; } if ((_a = node.emitNode) == null ? void 0 : _a.classThis) { getClassLexicalEnvironment().classThis = node.emitNode.classThis; } if (facts & 2) { temp ?? (temp = createClassTempVar()); } const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier); const heritageClauses = visitNodes2(node.heritageClauses, heritageClauseVisitor, isHeritageClause); const { members, prologue } = transformClassMembers(node); const classExpression = factory2.updateClassExpression( node, modifiers, node.name, /*typeParameters*/ void 0, heritageClauses, members ); const expressions = []; if (prologue) { expressions.push(prologue); } const hasTransformableStatics = (shouldTransformPrivateElementsOrClassStaticBlocks || getInternalEmitFlags(node) & 32) && some(staticPropertiesOrClassStaticBlocks, (node2) => isClassStaticBlockDeclaration(node2) || isPrivateIdentifierClassElementDeclaration(node2) || shouldTransformInitializers && isInitializedProperty(node2)); if (hasTransformableStatics || some(pendingExpressions)) { if (isDecoratedClassDeclaration) { Debug.assertIsDefined(pendingStatements, "Decorated classes transformed by TypeScript are expected to be within a variable declaration."); if (some(pendingExpressions)) { addRange(pendingStatements, map(pendingExpressions, factory2.createExpressionStatement)); } if (some(staticPropertiesOrClassStaticBlocks)) { addPropertyOrClassStaticBlockStatements(pendingStatements, staticPropertiesOrClassStaticBlocks, ((_b = node.emitNode) == null ? void 0 : _b.classThis) ?? factory2.getInternalName(node)); } if (temp) { expressions.push(factory2.createAssignment(temp, classExpression)); } else if (shouldTransformPrivateElementsOrClassStaticBlocks && ((_c = node.emitNode) == null ? void 0 : _c.classThis)) { expressions.push(factory2.createAssignment(node.emitNode.classThis, classExpression)); } else { expressions.push(classExpression); } } else { temp ?? (temp = createClassTempVar()); if (isClassWithConstructorReference) { enableSubstitutionForClassAliases(); const alias = factory2.cloneNode(temp); alias.emitNode.autoGenerate.flags &= ~8; classAliases[getOriginalNodeId(node)] = alias; } expressions.push(factory2.createAssignment(temp, classExpression)); addRange(expressions, pendingExpressions); addRange(expressions, generateInitializedPropertyExpressionsOrClassStaticBlock(staticPropertiesOrClassStaticBlocks, temp)); expressions.push(factory2.cloneNode(temp)); } } else { expressions.push(classExpression); } if (expressions.length > 1) { addEmitFlags( classExpression, 131072 /* Indented */ ); expressions.forEach(startOnNewLine); } return factory2.inlineExpressions(expressions); } function visitClassStaticBlockDeclaration(node) { if (!shouldTransformPrivateElementsOrClassStaticBlocks) { return visitEachChild(node, visitor2, context); } return void 0; } function visitThisExpression(node) { if (shouldTransformThisInStaticInitializers && currentClassElement && isClassStaticBlockDeclaration(currentClassElement) && (lexicalEnvironment == null ? void 0 : lexicalEnvironment.data)) { const { classThis, classConstructor } = lexicalEnvironment.data; return classThis ?? classConstructor ?? node; } return node; } function transformClassMembers(node) { const shouldTransformPrivateStaticElementsInClass = !!(getInternalEmitFlags(node) & 32); if (shouldTransformPrivateElementsOrClassStaticBlocks || shouldTransformPrivateStaticElementsInFile) { for (const member of node.members) { if (isPrivateIdentifierClassElementDeclaration(member)) { if (shouldTransformClassElementToWeakMap(member)) { addPrivateIdentifierToEnvironment(member, member.name, addPrivateIdentifierClassElementToEnvironment); } else { const privateEnv = getPrivateIdentifierEnvironment(); setPrivateIdentifier(privateEnv, member.name, { kind: "untransformed" }); } } } if (shouldTransformPrivateElementsOrClassStaticBlocks) { if (some(getPrivateInstanceMethodsAndAccessors(node))) { createBrandCheckWeakSetForPrivateMethods(); } } if (shouldTransformAutoAccessorsInCurrentClass()) { for (const member of node.members) { if (isAutoAccessorPropertyDeclaration(member)) { const storageName = factory2.getGeneratedPrivateNameForNode( member.name, /*prefix*/ void 0, "_accessor_storage" ); if (shouldTransformPrivateElementsOrClassStaticBlocks || shouldTransformPrivateStaticElementsInClass && hasStaticModifier(member)) { addPrivateIdentifierToEnvironment(member, storageName, addPrivateIdentifierPropertyDeclarationToEnvironment); } else { const privateEnv = getPrivateIdentifierEnvironment(); setPrivateIdentifier(privateEnv, storageName, { kind: "untransformed" }); } } } } } let members = visitNodes2(node.members, classElementVisitor, isClassElement); let syntheticConstructor; if (!some(members, isConstructorDeclaration)) { syntheticConstructor = transformConstructor( /*constructor*/ void 0, node ); } let prologue; let syntheticStaticBlock; if (!shouldTransformPrivateElementsOrClassStaticBlocks && some(pendingExpressions)) { let statement = factory2.createExpressionStatement(factory2.inlineExpressions(pendingExpressions)); if (statement.transformFlags & 134234112) { const temp = factory2.createTempVariable(hoistVariableDeclaration); const arrow = factory2.createArrowFunction( /*modifiers*/ void 0, /*typeParameters*/ void 0, /*parameters*/ [], /*type*/ void 0, /*equalsGreaterThanToken*/ void 0, factory2.createBlock([statement]) ); prologue = factory2.createAssignment(temp, arrow); statement = factory2.createExpressionStatement(factory2.createCallExpression( temp, /*typeArguments*/ void 0, [] )); } const block = factory2.createBlock([statement]); syntheticStaticBlock = factory2.createClassStaticBlockDeclaration(block); pendingExpressions = void 0; } if (syntheticConstructor || syntheticStaticBlock) { let membersArray; const classThisAssignmentBlock = find(members, isClassThisAssignmentBlock); const classNamedEvaluationHelperBlock = find(members, isClassNamedEvaluationHelperBlock); membersArray = append(membersArray, classThisAssignmentBlock); membersArray = append(membersArray, classNamedEvaluationHelperBlock); membersArray = append(membersArray, syntheticConstructor); membersArray = append(membersArray, syntheticStaticBlock); const remainingMembers = classThisAssignmentBlock || classNamedEvaluationHelperBlock ? filter(members, (member) => member !== classThisAssignmentBlock && member !== classNamedEvaluationHelperBlock) : members; membersArray = addRange(membersArray, remainingMembers); members = setTextRange( factory2.createNodeArray(membersArray), /*location*/ node.members ); } return { members, prologue }; } function createBrandCheckWeakSetForPrivateMethods() { const { weakSetName } = getPrivateIdentifierEnvironment().data; Debug.assert(weakSetName, "weakSetName should be set in private identifier environment"); getPendingExpressions().push( factory2.createAssignment( weakSetName, factory2.createNewExpression( factory2.createIdentifier("WeakSet"), /*typeArguments*/ void 0, [] ) ) ); } function transformConstructor(constructor, container) { constructor = visitNode(constructor, visitor2, isConstructorDeclaration); if (!(lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) || !(lexicalEnvironment.data.facts & 16)) { return constructor; } const extendsClauseElement = getEffectiveBaseTypeNode(container); const isDerivedClass = !!(extendsClauseElement && skipOuterExpressions(extendsClauseElement.expression).kind !== 106); const parameters = visitParameterList(constructor ? constructor.parameters : void 0, visitor2, context); const body = transformConstructorBody(container, constructor, isDerivedClass); if (!body) { return constructor; } if (constructor) { Debug.assert(parameters); return factory2.updateConstructorDeclaration( constructor, /*modifiers*/ void 0, parameters, body ); } return startOnNewLine( setOriginalNode( setTextRange( factory2.createConstructorDeclaration( /*modifiers*/ void 0, parameters ?? [], body ), constructor || container ), constructor ) ); } function transformConstructorBodyWorker(statementsOut, statementsIn, statementOffset, superPath, superPathDepth, initializerStatements, constructor) { const superStatementIndex = superPath[superPathDepth]; const superStatement = statementsIn[superStatementIndex]; addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, statementOffset, superStatementIndex - statementOffset)); statementOffset = superStatementIndex + 1; if (isTryStatement(superStatement)) { const tryBlockStatements = []; transformConstructorBodyWorker( tryBlockStatements, superStatement.tryBlock.statements, /*statementOffset*/ 0, superPath, superPathDepth + 1, initializerStatements, constructor ); const tryBlockStatementsArray = factory2.createNodeArray(tryBlockStatements); setTextRange(tryBlockStatementsArray, superStatement.tryBlock.statements); statementsOut.push(factory2.updateTryStatement( superStatement, factory2.updateBlock(superStatement.tryBlock, tryBlockStatements), visitNode(superStatement.catchClause, visitor2, isCatchClause), visitNode(superStatement.finallyBlock, visitor2, isBlock) )); } else { addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, superStatementIndex, 1)); while (statementOffset < statementsIn.length) { const statement = statementsIn[statementOffset]; if (isParameterPropertyDeclaration(getOriginalNode(statement), constructor)) { statementOffset++; } else { break; } } addRange(statementsOut, initializerStatements); } addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, statementOffset)); } function transformConstructorBody(node, constructor, isDerivedClass) { const instanceProperties = getProperties( node, /*requireInitializer*/ false, /*isStatic*/ false ); let properties = instanceProperties; if (!useDefineForClassFields) { properties = filter(properties, (property) => !!property.initializer || isPrivateIdentifier(property.name) || hasAccessorModifier(property)); } const privateMethodsAndAccessors = getPrivateInstanceMethodsAndAccessors(node); const needsConstructorBody = some(properties) || some(privateMethodsAndAccessors); if (!constructor && !needsConstructorBody) { return visitFunctionBody( /*node*/ void 0, visitor2, context ); } resumeLexicalEnvironment(); const needsSyntheticConstructor = !constructor && isDerivedClass; let statementOffset = 0; let statements = []; const initializerStatements = []; const receiver = factory2.createThis(); addInstanceMethodStatements(initializerStatements, privateMethodsAndAccessors, receiver); if (constructor) { const parameterProperties = filter(instanceProperties, (prop) => isParameterPropertyDeclaration(getOriginalNode(prop), constructor)); const nonParameterProperties = filter(properties, (prop) => !isParameterPropertyDeclaration(getOriginalNode(prop), constructor)); addPropertyOrClassStaticBlockStatements(initializerStatements, parameterProperties, receiver); addPropertyOrClassStaticBlockStatements(initializerStatements, nonParameterProperties, receiver); } else { addPropertyOrClassStaticBlockStatements(initializerStatements, properties, receiver); } if (constructor == null ? void 0 : constructor.body) { statementOffset = factory2.copyPrologue( constructor.body.statements, statements, /*ensureUseStrict*/ false, visitor2 ); const superStatementIndices = findSuperStatementIndexPath(constructor.body.statements, statementOffset); if (superStatementIndices.length) { transformConstructorBodyWorker( statements, constructor.body.statements, statementOffset, superStatementIndices, /*superPathDepth*/ 0, initializerStatements, constructor ); } else { while (statementOffset < constructor.body.statements.length) { const statement = constructor.body.statements[statementOffset]; if (isParameterPropertyDeclaration(getOriginalNode(statement), constructor)) { statementOffset++; } else { break; } } addRange(statements, initializerStatements); addRange(statements, visitNodes2(constructor.body.statements, visitor2, isStatement, statementOffset)); } } else { if (needsSyntheticConstructor) { statements.push( factory2.createExpressionStatement( factory2.createCallExpression( factory2.createSuper(), /*typeArguments*/ void 0, [factory2.createSpreadElement(factory2.createIdentifier("arguments"))] ) ) ); } addRange(statements, initializerStatements); } statements = factory2.mergeLexicalEnvironment(statements, endLexicalEnvironment()); if (statements.length === 0 && !constructor) { return void 0; } const multiLine = (constructor == null ? void 0 : constructor.body) && constructor.body.statements.length >= statements.length ? constructor.body.multiLine ?? statements.length > 0 : statements.length > 0; return setTextRange( factory2.createBlock( setTextRange( factory2.createNodeArray(statements), /*location*/ constructor ? constructor.body.statements : node.members ), multiLine ), /*location*/ constructor ? constructor.body : void 0 ); } function addPropertyOrClassStaticBlockStatements(statements, properties, receiver) { for (const property of properties) { if (isStatic(property) && !shouldTransformPrivateElementsOrClassStaticBlocks) { continue; } const statement = transformPropertyOrClassStaticBlock(property, receiver); if (!statement) { continue; } statements.push(statement); } } function transformPropertyOrClassStaticBlock(property, receiver) { const expression = isClassStaticBlockDeclaration(property) ? setCurrentClassElementAnd(property, transformClassStaticBlockDeclaration, property) : transformProperty(property, receiver); if (!expression) { return void 0; } const statement = factory2.createExpressionStatement(expression); setOriginalNode(statement, property); addEmitFlags( statement, getEmitFlags(property) & 3072 /* NoComments */ ); setCommentRange(statement, property); const propertyOriginalNode = getOriginalNode(property); if (isParameter(propertyOriginalNode)) { setSourceMapRange(statement, propertyOriginalNode); removeAllComments(statement); } else { setSourceMapRange(statement, moveRangePastModifiers(property)); } setSyntheticLeadingComments(expression, void 0); setSyntheticTrailingComments(expression, void 0); if (hasAccessorModifier(propertyOriginalNode)) { addEmitFlags( statement, 3072 /* NoComments */ ); } return statement; } function generateInitializedPropertyExpressionsOrClassStaticBlock(propertiesOrClassStaticBlocks, receiver) { const expressions = []; for (const property of propertiesOrClassStaticBlocks) { const expression = isClassStaticBlockDeclaration(property) ? setCurrentClassElementAnd(property, transformClassStaticBlockDeclaration, property) : setCurrentClassElementAnd( property, () => transformProperty(property, receiver), /*arg*/ void 0 ); if (!expression) { continue; } startOnNewLine(expression); setOriginalNode(expression, property); addEmitFlags( expression, getEmitFlags(property) & 3072 /* NoComments */ ); setSourceMapRange(expression, moveRangePastModifiers(property)); setCommentRange(expression, property); expressions.push(expression); } return expressions; } function transformProperty(property, receiver) { var _a; const savedCurrentClassElement = currentClassElement; const transformed = transformPropertyWorker(property, receiver); if (transformed && hasStaticModifier(property) && ((_a = lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) == null ? void 0 : _a.facts)) { setOriginalNode(transformed, property); addEmitFlags( transformed, 4 /* AdviseOnEmitNode */ ); setSourceMapRange(transformed, getSourceMapRange(property.name)); lexicalEnvironmentMap.set(getOriginalNode(property), lexicalEnvironment); } currentClassElement = savedCurrentClassElement; return transformed; } function transformPropertyWorker(property, receiver) { const emitAssignment = !useDefineForClassFields; if (isNamedEvaluation(property, isAnonymousClassNeedingAssignedName)) { property = transformNamedEvaluation(context, property); } const propertyName = hasAccessorModifier(property) ? factory2.getGeneratedPrivateNameForNode(property.name) : isComputedPropertyName(property.name) && !isSimpleInlineableExpression(property.name.expression) ? factory2.updateComputedPropertyName(property.name, factory2.getGeneratedNameForNode(property.name)) : property.name; if (hasStaticModifier(property)) { currentClassElement = property; } if (isPrivateIdentifier(propertyName) && shouldTransformClassElementToWeakMap(property)) { const privateIdentifierInfo = accessPrivateIdentifier2(propertyName); if (privateIdentifierInfo) { if (privateIdentifierInfo.kind === "f") { if (!privateIdentifierInfo.isStatic) { return createPrivateInstanceFieldInitializer( factory2, receiver, visitNode(property.initializer, visitor2, isExpression), privateIdentifierInfo.brandCheckIdentifier ); } else { return createPrivateStaticFieldInitializer( factory2, privateIdentifierInfo.variableName, visitNode(property.initializer, visitor2, isExpression) ); } } else { return void 0; } } else { Debug.fail("Undeclared private name for property declaration."); } } if ((isPrivateIdentifier(propertyName) || hasStaticModifier(property)) && !property.initializer) { return void 0; } const propertyOriginalNode = getOriginalNode(property); if (hasSyntacticModifier( propertyOriginalNode, 64 /* Abstract */ )) { return void 0; } let initializer = visitNode(property.initializer, visitor2, isExpression); if (isParameterPropertyDeclaration(propertyOriginalNode, propertyOriginalNode.parent) && isIdentifier(propertyName)) { const localName = factory2.cloneNode(propertyName); if (initializer) { if (isParenthesizedExpression(initializer) && isCommaExpression(initializer.expression) && isCallToHelper(initializer.expression.left, "___runInitializers") && isVoidExpression(initializer.expression.right) && isNumericLiteral(initializer.expression.right.expression)) { initializer = initializer.expression.left; } initializer = factory2.inlineExpressions([initializer, localName]); } else { initializer = localName; } setEmitFlags( propertyName, 3072 | 96 /* NoSourceMap */ ); setSourceMapRange(localName, propertyOriginalNode.name); setEmitFlags( localName, 3072 /* NoComments */ ); } else { initializer ?? (initializer = factory2.createVoidZero()); } if (emitAssignment || isPrivateIdentifier(propertyName)) { const memberAccess = createMemberAccessForPropertyName( factory2, receiver, propertyName, /*location*/ propertyName ); addEmitFlags( memberAccess, 1024 /* NoLeadingComments */ ); const expression = factory2.createAssignment(memberAccess, initializer); return expression; } else { const name = isComputedPropertyName(propertyName) ? propertyName.expression : isIdentifier(propertyName) ? factory2.createStringLiteral(unescapeLeadingUnderscores(propertyName.escapedText)) : propertyName; const descriptor = factory2.createPropertyDescriptor({ value: initializer, configurable: true, writable: true, enumerable: true }); return factory2.createObjectDefinePropertyCall(receiver, name, descriptor); } } function enableSubstitutionForClassAliases() { if ((enabledSubstitutions & 1) === 0) { enabledSubstitutions |= 1; context.enableSubstitution( 80 /* Identifier */ ); classAliases = []; } } function enableSubstitutionForClassStaticThisOrSuperReference() { if ((enabledSubstitutions & 2) === 0) { enabledSubstitutions |= 2; context.enableSubstitution( 110 /* ThisKeyword */ ); context.enableEmitNotification( 262 /* FunctionDeclaration */ ); context.enableEmitNotification( 218 /* FunctionExpression */ ); context.enableEmitNotification( 176 /* Constructor */ ); context.enableEmitNotification( 177 /* GetAccessor */ ); context.enableEmitNotification( 178 /* SetAccessor */ ); context.enableEmitNotification( 174 /* MethodDeclaration */ ); context.enableEmitNotification( 172 /* PropertyDeclaration */ ); context.enableEmitNotification( 167 /* ComputedPropertyName */ ); } } function addInstanceMethodStatements(statements, methods2, receiver) { if (!shouldTransformPrivateElementsOrClassStaticBlocks || !some(methods2)) { return; } const { weakSetName } = getPrivateIdentifierEnvironment().data; Debug.assert(weakSetName, "weakSetName should be set in private identifier environment"); statements.push( factory2.createExpressionStatement( createPrivateInstanceMethodInitializer(factory2, receiver, weakSetName) ) ); } function visitInvalidSuperProperty(node) { return isPropertyAccessExpression(node) ? factory2.updatePropertyAccessExpression( node, factory2.createVoidZero(), node.name ) : factory2.updateElementAccessExpression( node, factory2.createVoidZero(), visitNode(node.argumentExpression, visitor2, isExpression) ); } function getPropertyNameExpressionIfNeeded(name, shouldHoist) { if (isComputedPropertyName(name)) { const cacheAssignment = findComputedPropertyNameCacheAssignment(name); const expression = visitNode(name.expression, visitor2, isExpression); const innerExpression = skipPartiallyEmittedExpressions(expression); const inlinable = isSimpleInlineableExpression(innerExpression); const alreadyTransformed = !!cacheAssignment || isAssignmentExpression2(innerExpression) && isGeneratedIdentifier(innerExpression.left); if (!alreadyTransformed && !inlinable && shouldHoist) { const generatedName = factory2.getGeneratedNameForNode(name); if (resolver.hasNodeCheckFlag( name, 32768 /* BlockScopedBindingInLoop */ )) { addBlockScopedVariable(generatedName); } else { hoistVariableDeclaration(generatedName); } return factory2.createAssignment(generatedName, expression); } return inlinable || isIdentifier(innerExpression) ? void 0 : expression; } } function startClassLexicalEnvironment() { lexicalEnvironment = { previous: lexicalEnvironment, data: void 0 }; } function endClassLexicalEnvironment() { lexicalEnvironment = lexicalEnvironment == null ? void 0 : lexicalEnvironment.previous; } function getClassLexicalEnvironment() { Debug.assert(lexicalEnvironment); return lexicalEnvironment.data ?? (lexicalEnvironment.data = { facts: 0, classConstructor: void 0, classThis: void 0, superClassReference: void 0 // privateIdentifierEnvironment: undefined, }); } function getPrivateIdentifierEnvironment() { Debug.assert(lexicalEnvironment); return lexicalEnvironment.privateEnv ?? (lexicalEnvironment.privateEnv = newPrivateEnvironment({ className: void 0, weakSetName: void 0 })); } function getPendingExpressions() { return pendingExpressions ?? (pendingExpressions = []); } function addPrivateIdentifierClassElementToEnvironment(node, name, lex, privateEnv, isStatic2, isValid2, previousInfo) { if (isAutoAccessorPropertyDeclaration(node)) { addPrivateIdentifierAutoAccessorPropertyDeclarationToEnvironment(node, name, lex, privateEnv, isStatic2, isValid2, previousInfo); } else if (isPropertyDeclaration(node)) { addPrivateIdentifierPropertyDeclarationToEnvironment(node, name, lex, privateEnv, isStatic2, isValid2, previousInfo); } else if (isMethodDeclaration(node)) { addPrivateIdentifierMethodDeclarationToEnvironment(node, name, lex, privateEnv, isStatic2, isValid2, previousInfo); } else if (isGetAccessorDeclaration(node)) { addPrivateIdentifierGetAccessorDeclarationToEnvironment(node, name, lex, privateEnv, isStatic2, isValid2, previousInfo); } else if (isSetAccessorDeclaration(node)) { addPrivateIdentifierSetAccessorDeclarationToEnvironment(node, name, lex, privateEnv, isStatic2, isValid2, previousInfo); } } function addPrivateIdentifierPropertyDeclarationToEnvironment(_node, name, lex, privateEnv, isStatic2, isValid2, _previousInfo) { if (isStatic2) { const brandCheckIdentifier = Debug.checkDefined(lex.classThis ?? lex.classConstructor, "classConstructor should be set in private identifier environment"); const variableName = createHoistedVariableForPrivateName(name); setPrivateIdentifier(privateEnv, name, { kind: "f", isStatic: true, brandCheckIdentifier, variableName, isValid: isValid2 }); } else { const weakMapName = createHoistedVariableForPrivateName(name); setPrivateIdentifier(privateEnv, name, { kind: "f", isStatic: false, brandCheckIdentifier: weakMapName, isValid: isValid2 }); getPendingExpressions().push(factory2.createAssignment( weakMapName, factory2.createNewExpression( factory2.createIdentifier("WeakMap"), /*typeArguments*/ void 0, [] ) )); } } function addPrivateIdentifierMethodDeclarationToEnvironment(_node, name, lex, privateEnv, isStatic2, isValid2, _previousInfo) { const methodName = createHoistedVariableForPrivateName(name); const brandCheckIdentifier = isStatic2 ? Debug.checkDefined(lex.classThis ?? lex.classConstructor, "classConstructor should be set in private identifier environment") : Debug.checkDefined(privateEnv.data.weakSetName, "weakSetName should be set in private identifier environment"); setPrivateIdentifier(privateEnv, name, { kind: "m", methodName, brandCheckIdentifier, isStatic: isStatic2, isValid: isValid2 }); } function addPrivateIdentifierGetAccessorDeclarationToEnvironment(_node, name, lex, privateEnv, isStatic2, isValid2, previousInfo) { const getterName = createHoistedVariableForPrivateName(name, "_get"); const brandCheckIdentifier = isStatic2 ? Debug.checkDefined(lex.classThis ?? lex.classConstructor, "classConstructor should be set in private identifier environment") : Debug.checkDefined(privateEnv.data.weakSetName, "weakSetName should be set in private identifier environment"); if ((previousInfo == null ? void 0 : previousInfo.kind) === "a" && previousInfo.isStatic === isStatic2 && !previousInfo.getterName) { previousInfo.getterName = getterName; } else { setPrivateIdentifier(privateEnv, name, { kind: "a", getterName, setterName: void 0, brandCheckIdentifier, isStatic: isStatic2, isValid: isValid2 }); } } function addPrivateIdentifierSetAccessorDeclarationToEnvironment(_node, name, lex, privateEnv, isStatic2, isValid2, previousInfo) { const setterName = createHoistedVariableForPrivateName(name, "_set"); const brandCheckIdentifier = isStatic2 ? Debug.checkDefined(lex.classThis ?? lex.classConstructor, "classConstructor should be set in private identifier environment") : Debug.checkDefined(privateEnv.data.weakSetName, "weakSetName should be set in private identifier environment"); if ((previousInfo == null ? void 0 : previousInfo.kind) === "a" && previousInfo.isStatic === isStatic2 && !previousInfo.setterName) { previousInfo.setterName = setterName; } else { setPrivateIdentifier(privateEnv, name, { kind: "a", getterName: void 0, setterName, brandCheckIdentifier, isStatic: isStatic2, isValid: isValid2 }); } } function addPrivateIdentifierAutoAccessorPropertyDeclarationToEnvironment(_node, name, lex, privateEnv, isStatic2, isValid2, _previousInfo) { const getterName = createHoistedVariableForPrivateName(name, "_get"); const setterName = createHoistedVariableForPrivateName(name, "_set"); const brandCheckIdentifier = isStatic2 ? Debug.checkDefined(lex.classThis ?? lex.classConstructor, "classConstructor should be set in private identifier environment") : Debug.checkDefined(privateEnv.data.weakSetName, "weakSetName should be set in private identifier environment"); setPrivateIdentifier(privateEnv, name, { kind: "a", getterName, setterName, brandCheckIdentifier, isStatic: isStatic2, isValid: isValid2 }); } function addPrivateIdentifierToEnvironment(node, name, addDeclaration) { const lex = getClassLexicalEnvironment(); const privateEnv = getPrivateIdentifierEnvironment(); const previousInfo = getPrivateIdentifier(privateEnv, name); const isStatic2 = hasStaticModifier(node); const isValid2 = !isReservedPrivateName(name) && previousInfo === void 0; addDeclaration(node, name, lex, privateEnv, isStatic2, isValid2, previousInfo); } function createHoistedVariableForClass(name, node, suffix) { const { className } = getPrivateIdentifierEnvironment().data; const prefix = className ? { prefix: "_", node: className, suffix: "_" } : "_"; const identifier = typeof name === "object" ? factory2.getGeneratedNameForNode(name, 16 | 8, prefix, suffix) : typeof name === "string" ? factory2.createUniqueName(name, 16, prefix, suffix) : factory2.createTempVariable( /*recordTempVariable*/ void 0, /*reservedInNestedScopes*/ true, prefix, suffix ); if (resolver.hasNodeCheckFlag( node, 32768 /* BlockScopedBindingInLoop */ )) { addBlockScopedVariable(identifier); } else { hoistVariableDeclaration(identifier); } return identifier; } function createHoistedVariableForPrivateName(name, suffix) { const text = tryGetTextOfPropertyName(name); return createHoistedVariableForClass((text == null ? void 0 : text.substring(1)) ?? name, name, suffix); } function accessPrivateIdentifier2(name) { const info = accessPrivateIdentifier(lexicalEnvironment, name); return (info == null ? void 0 : info.kind) === "untransformed" ? void 0 : info; } function wrapPrivateIdentifierForDestructuringTarget(node) { const parameter = factory2.getGeneratedNameForNode(node); const info = accessPrivateIdentifier2(node.name); if (!info) { return visitEachChild(node, visitor2, context); } let receiver = node.expression; if (isThisProperty(node) || isSuperProperty(node) || !isSimpleCopiableExpression(node.expression)) { receiver = factory2.createTempVariable( hoistVariableDeclaration, /*reservedInNestedScopes*/ true ); getPendingExpressions().push(factory2.createBinaryExpression(receiver, 64, visitNode(node.expression, visitor2, isExpression))); } return factory2.createAssignmentTargetWrapper( parameter, createPrivateIdentifierAssignment( info, receiver, parameter, 64 /* EqualsToken */ ) ); } function visitDestructuringAssignmentTarget(node) { if (isObjectLiteralExpression(node) || isArrayLiteralExpression(node)) { return visitAssignmentPattern(node); } if (isPrivateIdentifierPropertyAccessExpression(node)) { return wrapPrivateIdentifierForDestructuringTarget(node); } else if (shouldTransformSuperInStaticInitializers && currentClassElement && isSuperProperty(node) && isStaticPropertyDeclarationOrClassStaticBlock(currentClassElement) && (lexicalEnvironment == null ? void 0 : lexicalEnvironment.data)) { const { classConstructor, superClassReference, facts } = lexicalEnvironment.data; if (facts & 1) { return visitInvalidSuperProperty(node); } else if (classConstructor && superClassReference) { const name = isElementAccessExpression(node) ? visitNode(node.argumentExpression, visitor2, isExpression) : isIdentifier(node.name) ? factory2.createStringLiteralFromNode(node.name) : void 0; if (name) { const temp = factory2.createTempVariable( /*recordTempVariable*/ void 0 ); return factory2.createAssignmentTargetWrapper( temp, factory2.createReflectSetCall( superClassReference, name, temp, classConstructor ) ); } } } return visitEachChild(node, visitor2, context); } function visitAssignmentElement(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation(context, node); } if (isAssignmentExpression2( node, /*excludeCompoundAssignment*/ true )) { const left = visitDestructuringAssignmentTarget(node.left); const right = visitNode(node.right, visitor2, isExpression); return factory2.updateBinaryExpression(node, left, node.operatorToken, right); } return visitDestructuringAssignmentTarget(node); } function visitAssignmentRestElement(node) { if (isLeftHandSideExpression(node.expression)) { const expression = visitDestructuringAssignmentTarget(node.expression); return factory2.updateSpreadElement(node, expression); } return visitEachChild(node, visitor2, context); } function visitArrayAssignmentElement(node) { if (isArrayBindingOrAssignmentElement(node)) { if (isSpreadElement(node)) return visitAssignmentRestElement(node); if (!isOmittedExpression(node)) return visitAssignmentElement(node); } return visitEachChild(node, visitor2, context); } function visitAssignmentProperty(node) { const name = visitNode(node.name, visitor2, isPropertyName); if (isAssignmentExpression2( node.initializer, /*excludeCompoundAssignment*/ true )) { const assignmentElement = visitAssignmentElement(node.initializer); return factory2.updatePropertyAssignment(node, name, assignmentElement); } if (isLeftHandSideExpression(node.initializer)) { const assignmentElement = visitDestructuringAssignmentTarget(node.initializer); return factory2.updatePropertyAssignment(node, name, assignmentElement); } return visitEachChild(node, visitor2, context); } function visitShorthandAssignmentProperty(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation(context, node); } return visitEachChild(node, visitor2, context); } function visitAssignmentRestProperty(node) { if (isLeftHandSideExpression(node.expression)) { const expression = visitDestructuringAssignmentTarget(node.expression); return factory2.updateSpreadAssignment(node, expression); } return visitEachChild(node, visitor2, context); } function visitObjectAssignmentElement(node) { Debug.assertNode(node, isObjectBindingOrAssignmentElement); if (isSpreadAssignment(node)) return visitAssignmentRestProperty(node); if (isShorthandPropertyAssignment(node)) return visitShorthandAssignmentProperty(node); if (isPropertyAssignment(node)) return visitAssignmentProperty(node); return visitEachChild(node, visitor2, context); } function visitAssignmentPattern(node) { if (isArrayLiteralExpression(node)) { return factory2.updateArrayLiteralExpression( node, visitNodes2(node.elements, visitArrayAssignmentElement, isExpression) ); } else { return factory2.updateObjectLiteralExpression( node, visitNodes2(node.properties, visitObjectAssignmentElement, isObjectLiteralElementLike) ); } } function onEmitNode(hint, node, emitCallback) { const original = getOriginalNode(node); const lex = lexicalEnvironmentMap.get(original); if (lex) { const savedLexicalEnvironment = lexicalEnvironment; const savedPreviousShouldSubstituteThisWithClassThis = previousShouldSubstituteThisWithClassThis; lexicalEnvironment = lex; previousShouldSubstituteThisWithClassThis = shouldSubstituteThisWithClassThis; shouldSubstituteThisWithClassThis = !isClassStaticBlockDeclaration(original) || !(getInternalEmitFlags(original) & 32); previousOnEmitNode(hint, node, emitCallback); shouldSubstituteThisWithClassThis = previousShouldSubstituteThisWithClassThis; previousShouldSubstituteThisWithClassThis = savedPreviousShouldSubstituteThisWithClassThis; lexicalEnvironment = savedLexicalEnvironment; return; } switch (node.kind) { case 218: if (isArrowFunction(original) || getEmitFlags(node) & 524288) { break; } case 262: case 176: case 177: case 178: case 174: case 172: { const savedLexicalEnvironment = lexicalEnvironment; const savedPreviousShouldSubstituteThisWithClassThis = previousShouldSubstituteThisWithClassThis; lexicalEnvironment = void 0; previousShouldSubstituteThisWithClassThis = shouldSubstituteThisWithClassThis; shouldSubstituteThisWithClassThis = false; previousOnEmitNode(hint, node, emitCallback); shouldSubstituteThisWithClassThis = previousShouldSubstituteThisWithClassThis; previousShouldSubstituteThisWithClassThis = savedPreviousShouldSubstituteThisWithClassThis; lexicalEnvironment = savedLexicalEnvironment; return; } case 167: { const savedLexicalEnvironment = lexicalEnvironment; const savedShouldSubstituteThisWithClassThis = shouldSubstituteThisWithClassThis; lexicalEnvironment = lexicalEnvironment == null ? void 0 : lexicalEnvironment.previous; shouldSubstituteThisWithClassThis = previousShouldSubstituteThisWithClassThis; previousOnEmitNode(hint, node, emitCallback); shouldSubstituteThisWithClassThis = savedShouldSubstituteThisWithClassThis; lexicalEnvironment = savedLexicalEnvironment; return; } } previousOnEmitNode(hint, node, emitCallback); } function onSubstituteNode(hint, node) { node = previousOnSubstituteNode(hint, node); if (hint === 1) { return substituteExpression(node); } return node; } function substituteExpression(node) { switch (node.kind) { case 80: return substituteExpressionIdentifier(node); case 110: return substituteThisExpression(node); } return node; } function substituteThisExpression(node) { if (enabledSubstitutions & 2 && (lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) && !noSubstitution.has(node)) { const { facts, classConstructor, classThis } = lexicalEnvironment.data; const substituteThis = shouldSubstituteThisWithClassThis ? classThis ?? classConstructor : classConstructor; if (substituteThis) { return setTextRange( setOriginalNode( factory2.cloneNode(substituteThis), node ), node ); } if (facts & 1 && legacyDecorators) { return factory2.createParenthesizedExpression(factory2.createVoidZero()); } } return node; } function substituteExpressionIdentifier(node) { return trySubstituteClassAlias(node) || node; } function trySubstituteClassAlias(node) { if (enabledSubstitutions & 1) { if (resolver.hasNodeCheckFlag( node, 536870912 /* ConstructorReference */ )) { const declaration = resolver.getReferencedValueDeclaration(node); if (declaration) { const classAlias = classAliases[declaration.id]; if (classAlias) { const clone2 = factory2.cloneNode(classAlias); setSourceMapRange(clone2, node); setCommentRange(clone2, node); return clone2; } } } } return void 0; } } function createPrivateStaticFieldInitializer(factory2, variableName, initializer) { return factory2.createAssignment( variableName, factory2.createObjectLiteralExpression([ factory2.createPropertyAssignment("value", initializer || factory2.createVoidZero()) ]) ); } function createPrivateInstanceFieldInitializer(factory2, receiver, initializer, weakMapName) { return factory2.createCallExpression( factory2.createPropertyAccessExpression(weakMapName, "set"), /*typeArguments*/ void 0, [receiver, initializer || factory2.createVoidZero()] ); } function createPrivateInstanceMethodInitializer(factory2, receiver, weakSetName) { return factory2.createCallExpression( factory2.createPropertyAccessExpression(weakSetName, "add"), /*typeArguments*/ void 0, [receiver] ); } function isReservedPrivateName(node) { return !isGeneratedPrivateIdentifier(node) && node.escapedText === "#constructor"; } function isPrivateIdentifierInExpression(node) { return isPrivateIdentifier(node.left) && node.operatorToken.kind === 103; } function isStaticPropertyDeclaration2(node) { return isPropertyDeclaration(node) && hasStaticModifier(node); } function isStaticPropertyDeclarationOrClassStaticBlock(node) { return isClassStaticBlockDeclaration(node) || isStaticPropertyDeclaration2(node); } function createRuntimeTypeSerializer(context) { const { factory: factory2, hoistVariableDeclaration } = context; const resolver = context.getEmitResolver(); const compilerOptions = context.getCompilerOptions(); const languageVersion = getEmitScriptTarget(compilerOptions); const strictNullChecks = getStrictOptionValue(compilerOptions, "strictNullChecks"); let currentLexicalScope; let currentNameScope; return { serializeTypeNode: (serializerContext, node) => setSerializerContextAnd(serializerContext, serializeTypeNode, node), serializeTypeOfNode: (serializerContext, node, container) => setSerializerContextAnd(serializerContext, serializeTypeOfNode, node, container), serializeParameterTypesOfNode: (serializerContext, node, container) => setSerializerContextAnd(serializerContext, serializeParameterTypesOfNode, node, container), serializeReturnTypeOfNode: (serializerContext, node) => setSerializerContextAnd(serializerContext, serializeReturnTypeOfNode, node) }; function setSerializerContextAnd(serializerContext, cb, node, arg) { const savedCurrentLexicalScope = currentLexicalScope; const savedCurrentNameScope = currentNameScope; currentLexicalScope = serializerContext.currentLexicalScope; currentNameScope = serializerContext.currentNameScope; const result = arg === void 0 ? cb(node) : cb(node, arg); currentLexicalScope = savedCurrentLexicalScope; currentNameScope = savedCurrentNameScope; return result; } function getAccessorTypeNode(node, container) { const accessors = getAllAccessorDeclarations(container.members, node); return accessors.setAccessor && getSetAccessorTypeAnnotationNode(accessors.setAccessor) || accessors.getAccessor && getEffectiveReturnTypeNode(accessors.getAccessor); } function serializeTypeOfNode(node, container) { switch (node.kind) { case 172: case 169: return serializeTypeNode(node.type); case 178: case 177: return serializeTypeNode(getAccessorTypeNode(node, container)); case 263: case 231: case 174: return factory2.createIdentifier("Function"); default: return factory2.createVoidZero(); } } function serializeParameterTypesOfNode(node, container) { const valueDeclaration = isClassLike(node) ? getFirstConstructorWithBody(node) : isFunctionLike(node) && nodeIsPresent(node.body) ? node : void 0; const expressions = []; if (valueDeclaration) { const parameters = getParametersOfDecoratedDeclaration(valueDeclaration, container); const numParameters = parameters.length; for (let i = 0; i < numParameters; i++) { const parameter = parameters[i]; if (i === 0 && isIdentifier(parameter.name) && parameter.name.escapedText === "this") { continue; } if (parameter.dotDotDotToken) { expressions.push(serializeTypeNode(getRestParameterElementType(parameter.type))); } else { expressions.push(serializeTypeOfNode(parameter, container)); } } } return factory2.createArrayLiteralExpression(expressions); } function getParametersOfDecoratedDeclaration(node, container) { if (container && node.kind === 177) { const { setAccessor } = getAllAccessorDeclarations(container.members, node); if (setAccessor) { return setAccessor.parameters; } } return node.parameters; } function serializeReturnTypeOfNode(node) { if (isFunctionLike(node) && node.type) { return serializeTypeNode(node.type); } else if (isAsyncFunction(node)) { return factory2.createIdentifier("Promise"); } return factory2.createVoidZero(); } function serializeTypeNode(node) { if (node === void 0) { return factory2.createIdentifier("Object"); } node = skipTypeParentheses(node); switch (node.kind) { case 116: case 157: case 146: return factory2.createVoidZero(); case 184: case 185: return factory2.createIdentifier("Function"); case 188: case 189: return factory2.createIdentifier("Array"); case 182: return node.assertsModifier ? factory2.createVoidZero() : factory2.createIdentifier("Boolean"); case 136: return factory2.createIdentifier("Boolean"); case 203: case 154: return factory2.createIdentifier("String"); case 151: return factory2.createIdentifier("Object"); case 201: return serializeLiteralOfLiteralTypeNode(node.literal); case 150: return factory2.createIdentifier("Number"); case 163: return getGlobalConstructor( "BigInt", 7 /* ES2020 */ ); case 155: return getGlobalConstructor( "Symbol", 2 /* ES2015 */ ); case 183: return serializeTypeReferenceNode(node); case 193: return serializeUnionOrIntersectionConstituents( node.types, /*isIntersection*/ true ); case 192: return serializeUnionOrIntersectionConstituents( node.types, /*isIntersection*/ false ); case 194: return serializeUnionOrIntersectionConstituents( [node.trueType, node.falseType], /*isIntersection*/ false ); case 198: if (node.operator === 148) { return serializeTypeNode(node.type); } break; case 186: case 199: case 200: case 187: case 133: case 159: case 197: case 205: break; case 312: case 313: case 317: case 318: case 319: break; case 314: case 315: case 316: return serializeTypeNode(node.type); default: return Debug.failBadSyntaxKind(node); } return factory2.createIdentifier("Object"); } function serializeLiteralOfLiteralTypeNode(node) { switch (node.kind) { case 11: case 15: return factory2.createIdentifier("String"); case 224: { const operand = node.operand; switch (operand.kind) { case 9: case 10: return serializeLiteralOfLiteralTypeNode(operand); default: return Debug.failBadSyntaxKind(operand); } } case 9: return factory2.createIdentifier("Number"); case 10: return getGlobalConstructor( "BigInt", 7 /* ES2020 */ ); case 112: case 97: return factory2.createIdentifier("Boolean"); case 106: return factory2.createVoidZero(); default: return Debug.failBadSyntaxKind(node); } } function serializeUnionOrIntersectionConstituents(types, isIntersection) { let serializedType; for (let typeNode of types) { typeNode = skipTypeParentheses(typeNode); if (typeNode.kind === 146) { if (isIntersection) return factory2.createVoidZero(); continue; } if (typeNode.kind === 159) { if (!isIntersection) return factory2.createIdentifier("Object"); continue; } if (typeNode.kind === 133) { return factory2.createIdentifier("Object"); } if (!strictNullChecks && (isLiteralTypeNode(typeNode) && typeNode.literal.kind === 106 || typeNode.kind === 157)) { continue; } const serializedConstituent = serializeTypeNode(typeNode); if (isIdentifier(serializedConstituent) && serializedConstituent.escapedText === "Object") { return serializedConstituent; } if (serializedType) { if (!equateSerializedTypeNodes(serializedType, serializedConstituent)) { return factory2.createIdentifier("Object"); } } else { serializedType = serializedConstituent; } } return serializedType ?? factory2.createVoidZero(); } function equateSerializedTypeNodes(left, right) { return ( // temp vars used in fallback isGeneratedIdentifier(left) ? isGeneratedIdentifier(right) : ( // entity names isIdentifier(left) ? isIdentifier(right) && left.escapedText === right.escapedText : isPropertyAccessExpression(left) ? isPropertyAccessExpression(right) && equateSerializedTypeNodes(left.expression, right.expression) && equateSerializedTypeNodes(left.name, right.name) : ( // `void 0` isVoidExpression(left) ? isVoidExpression(right) && isNumericLiteral(left.expression) && left.expression.text === "0" && isNumericLiteral(right.expression) && right.expression.text === "0" : ( // `"undefined"` or `"function"` in `typeof` checks isStringLiteral2(left) ? isStringLiteral2(right) && left.text === right.text : ( // used in `typeof` checks for fallback isTypeOfExpression(left) ? isTypeOfExpression(right) && equateSerializedTypeNodes(left.expression, right.expression) : ( // parens in `typeof` checks with temps isParenthesizedExpression(left) ? isParenthesizedExpression(right) && equateSerializedTypeNodes(left.expression, right.expression) : ( // conditionals used in fallback isConditionalExpression(left) ? isConditionalExpression(right) && equateSerializedTypeNodes(left.condition, right.condition) && equateSerializedTypeNodes(left.whenTrue, right.whenTrue) && equateSerializedTypeNodes(left.whenFalse, right.whenFalse) : ( // logical binary and assignments used in fallback isBinaryExpression(left) ? isBinaryExpression(right) && left.operatorToken.kind === right.operatorToken.kind && equateSerializedTypeNodes(left.left, right.left) && equateSerializedTypeNodes(left.right, right.right) : false ) ) ) ) ) ) ) ); } function serializeTypeReferenceNode(node) { const kind = resolver.getTypeReferenceSerializationKind(node.typeName, currentNameScope ?? currentLexicalScope); switch (kind) { case 0: if (findAncestor(node, (n) => n.parent && isConditionalTypeNode(n.parent) && (n.parent.trueType === n || n.parent.falseType === n))) { return factory2.createIdentifier("Object"); } const serialized = serializeEntityNameAsExpressionFallback(node.typeName); const temp = factory2.createTempVariable(hoistVariableDeclaration); return factory2.createConditionalExpression( factory2.createTypeCheck(factory2.createAssignment(temp, serialized), "function"), /*questionToken*/ void 0, temp, /*colonToken*/ void 0, factory2.createIdentifier("Object") ); case 1: return serializeEntityNameAsExpression(node.typeName); case 2: return factory2.createVoidZero(); case 4: return getGlobalConstructor( "BigInt", 7 /* ES2020 */ ); case 6: return factory2.createIdentifier("Boolean"); case 3: return factory2.createIdentifier("Number"); case 5: return factory2.createIdentifier("String"); case 7: return factory2.createIdentifier("Array"); case 8: return getGlobalConstructor( "Symbol", 2 /* ES2015 */ ); case 10: return factory2.createIdentifier("Function"); case 9: return factory2.createIdentifier("Promise"); case 11: return factory2.createIdentifier("Object"); default: return Debug.assertNever(kind); } } function createCheckedValue(left, right) { return factory2.createLogicalAnd( factory2.createStrictInequality(factory2.createTypeOfExpression(left), factory2.createStringLiteral("undefined")), right ); } function serializeEntityNameAsExpressionFallback(node) { if (node.kind === 80) { const copied = serializeEntityNameAsExpression(node); return createCheckedValue(copied, copied); } if (node.left.kind === 80) { return createCheckedValue(serializeEntityNameAsExpression(node.left), serializeEntityNameAsExpression(node)); } const left = serializeEntityNameAsExpressionFallback(node.left); const temp = factory2.createTempVariable(hoistVariableDeclaration); return factory2.createLogicalAnd( factory2.createLogicalAnd( left.left, factory2.createStrictInequality(factory2.createAssignment(temp, left.right), factory2.createVoidZero()) ), factory2.createPropertyAccessExpression(temp, node.right) ); } function serializeEntityNameAsExpression(node) { switch (node.kind) { case 80: const name = setParent(setTextRange(parseNodeFactory.cloneNode(node), node), node.parent); name.original = void 0; setParent(name, getParseTreeNode(currentLexicalScope)); return name; case 166: return serializeQualifiedNameAsExpression(node); } } function serializeQualifiedNameAsExpression(node) { return factory2.createPropertyAccessExpression(serializeEntityNameAsExpression(node.left), node.right); } function getGlobalConstructorWithFallback(name) { return factory2.createConditionalExpression( factory2.createTypeCheck(factory2.createIdentifier(name), "function"), /*questionToken*/ void 0, factory2.createIdentifier(name), /*colonToken*/ void 0, factory2.createIdentifier("Object") ); } function getGlobalConstructor(name, minLanguageVersion) { return languageVersion < minLanguageVersion ? getGlobalConstructorWithFallback(name) : factory2.createIdentifier(name); } } function transformLegacyDecorators(context) { const { factory: factory2, getEmitHelperFactory: emitHelpers, hoistVariableDeclaration } = context; const resolver = context.getEmitResolver(); const compilerOptions = context.getCompilerOptions(); const languageVersion = getEmitScriptTarget(compilerOptions); const previousOnSubstituteNode = context.onSubstituteNode; context.onSubstituteNode = onSubstituteNode; let classAliases; return chainBundle(context, transformSourceFile); function transformSourceFile(node) { const visited = visitEachChild(node, visitor2, context); addEmitHelpers(visited, context.readEmitHelpers()); return visited; } function modifierVisitor(node) { return isDecorator(node) ? void 0 : node; } function visitor2(node) { if (!(node.transformFlags & 33554432)) { return node; } switch (node.kind) { case 170: return void 0; case 263: return visitClassDeclaration(node); case 231: return visitClassExpression(node); case 176: return visitConstructorDeclaration(node); case 174: return visitMethodDeclaration(node); case 178: return visitSetAccessorDeclaration(node); case 177: return visitGetAccessorDeclaration(node); case 172: return visitPropertyDeclaration(node); case 169: return visitParameterDeclaration(node); default: return visitEachChild(node, visitor2, context); } } function visitClassDeclaration(node) { if (!(classOrConstructorParameterIsDecorated( /*useLegacyDecorators*/ true, node ) || childIsDecorated( /*useLegacyDecorators*/ true, node ))) { return visitEachChild(node, visitor2, context); } const statements = classOrConstructorParameterIsDecorated( /*useLegacyDecorators*/ true, node ) ? transformClassDeclarationWithClassDecorators(node, node.name) : transformClassDeclarationWithoutClassDecorators(node, node.name); return singleOrMany(statements); } function decoratorContainsPrivateIdentifierInExpression(decorator) { return !!(decorator.transformFlags & 536870912); } function parameterDecoratorsContainPrivateIdentifierInExpression(parameterDecorators) { return some(parameterDecorators, decoratorContainsPrivateIdentifierInExpression); } function hasClassElementWithDecoratorContainingPrivateIdentifierInExpression(node) { for (const member of node.members) { if (!canHaveDecorators(member)) continue; const allDecorators = getAllDecoratorsOfClassElement( member, node, /*useLegacyDecorators*/ true ); if (some(allDecorators == null ? void 0 : allDecorators.decorators, decoratorContainsPrivateIdentifierInExpression)) return true; if (some(allDecorators == null ? void 0 : allDecorators.parameters, parameterDecoratorsContainPrivateIdentifierInExpression)) return true; } return false; } function transformDecoratorsOfClassElements(node, members) { let decorationStatements = []; addClassElementDecorationStatements( decorationStatements, node, /*isStatic*/ false ); addClassElementDecorationStatements( decorationStatements, node, /*isStatic*/ true ); if (hasClassElementWithDecoratorContainingPrivateIdentifierInExpression(node)) { members = setTextRange( factory2.createNodeArray([ ...members, factory2.createClassStaticBlockDeclaration( factory2.createBlock( decorationStatements, /*multiLine*/ true ) ) ]), members ); decorationStatements = void 0; } return { decorationStatements, members }; } function transformClassDeclarationWithoutClassDecorators(node, name) { const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier); const heritageClauses = visitNodes2(node.heritageClauses, visitor2, isHeritageClause); let members = visitNodes2(node.members, visitor2, isClassElement); let decorationStatements = []; ({ members, decorationStatements } = transformDecoratorsOfClassElements(node, members)); const updated = factory2.updateClassDeclaration( node, modifiers, name, /*typeParameters*/ void 0, heritageClauses, members ); return addRange([updated], decorationStatements); } function transformClassDeclarationWithClassDecorators(node, name) { const isExport = hasSyntacticModifier( node, 32 /* Export */ ); const isDefault = hasSyntacticModifier( node, 2048 /* Default */ ); const modifiers = visitNodes2(node.modifiers, (node2) => isExportOrDefaultModifier(node2) || isDecorator(node2) ? void 0 : node2, isModifierLike); const location = moveRangePastModifiers(node); const classAlias = getClassAliasIfNeeded(node); const declName = languageVersion < 2 ? factory2.getInternalName( node, /*allowComments*/ false, /*allowSourceMaps*/ true ) : factory2.getLocalName( node, /*allowComments*/ false, /*allowSourceMaps*/ true ); const heritageClauses = visitNodes2(node.heritageClauses, visitor2, isHeritageClause); let members = visitNodes2(node.members, visitor2, isClassElement); let decorationStatements = []; ({ members, decorationStatements } = transformDecoratorsOfClassElements(node, members)); const assignClassAliasInStaticBlock = languageVersion >= 9 && !!classAlias && some(members, (member) => isPropertyDeclaration(member) && hasSyntacticModifier( member, 256 /* Static */ ) || isClassStaticBlockDeclaration(member)); if (assignClassAliasInStaticBlock) { members = setTextRange( factory2.createNodeArray([ factory2.createClassStaticBlockDeclaration( factory2.createBlock([ factory2.createExpressionStatement( factory2.createAssignment(classAlias, factory2.createThis()) ) ]) ), ...members ]), members ); } const classExpression = factory2.createClassExpression( modifiers, name && isGeneratedIdentifier(name) ? void 0 : name, /*typeParameters*/ void 0, heritageClauses, members ); setOriginalNode(classExpression, node); setTextRange(classExpression, location); const varInitializer = classAlias && !assignClassAliasInStaticBlock ? factory2.createAssignment(classAlias, classExpression) : classExpression; const varDecl = factory2.createVariableDeclaration( declName, /*exclamationToken*/ void 0, /*type*/ void 0, varInitializer ); setOriginalNode(varDecl, node); const varDeclList = factory2.createVariableDeclarationList( [varDecl], 1 /* Let */ ); const varStatement = factory2.createVariableStatement( /*modifiers*/ void 0, varDeclList ); setOriginalNode(varStatement, node); setTextRange(varStatement, location); setCommentRange(varStatement, node); const statements = [varStatement]; addRange(statements, decorationStatements); addConstructorDecorationStatement(statements, node); if (isExport) { if (isDefault) { const exportStatement = factory2.createExportDefault(declName); statements.push(exportStatement); } else { const exportStatement = factory2.createExternalModuleExport(factory2.getDeclarationName(node)); statements.push(exportStatement); } } return statements; } function visitClassExpression(node) { return factory2.updateClassExpression( node, visitNodes2(node.modifiers, modifierVisitor, isModifier), node.name, /*typeParameters*/ void 0, visitNodes2(node.heritageClauses, visitor2, isHeritageClause), visitNodes2(node.members, visitor2, isClassElement) ); } function visitConstructorDeclaration(node) { return factory2.updateConstructorDeclaration( node, visitNodes2(node.modifiers, modifierVisitor, isModifier), visitNodes2(node.parameters, visitor2, isParameter), visitNode(node.body, visitor2, isBlock) ); } function finishClassElement(updated, original) { if (updated !== original) { setCommentRange(updated, original); setSourceMapRange(updated, moveRangePastModifiers(original)); } return updated; } function visitMethodDeclaration(node) { return finishClassElement( factory2.updateMethodDeclaration( node, visitNodes2(node.modifiers, modifierVisitor, isModifier), node.asteriskToken, Debug.checkDefined(visitNode(node.name, visitor2, isPropertyName)), /*questionToken*/ void 0, /*typeParameters*/ void 0, visitNodes2(node.parameters, visitor2, isParameter), /*type*/ void 0, visitNode(node.body, visitor2, isBlock) ), node ); } function visitGetAccessorDeclaration(node) { return finishClassElement( factory2.updateGetAccessorDeclaration( node, visitNodes2(node.modifiers, modifierVisitor, isModifier), Debug.checkDefined(visitNode(node.name, visitor2, isPropertyName)), visitNodes2(node.parameters, visitor2, isParameter), /*type*/ void 0, visitNode(node.body, visitor2, isBlock) ), node ); } function visitSetAccessorDeclaration(node) { return finishClassElement( factory2.updateSetAccessorDeclaration( node, visitNodes2(node.modifiers, modifierVisitor, isModifier), Debug.checkDefined(visitNode(node.name, visitor2, isPropertyName)), visitNodes2(node.parameters, visitor2, isParameter), visitNode(node.body, visitor2, isBlock) ), node ); } function visitPropertyDeclaration(node) { if (node.flags & 33554432 || hasSyntacticModifier( node, 128 /* Ambient */ )) { return void 0; } return finishClassElement( factory2.updatePropertyDeclaration( node, visitNodes2(node.modifiers, modifierVisitor, isModifier), Debug.checkDefined(visitNode(node.name, visitor2, isPropertyName)), /*questionOrExclamationToken*/ void 0, /*type*/ void 0, visitNode(node.initializer, visitor2, isExpression) ), node ); } function visitParameterDeclaration(node) { const updated = factory2.updateParameterDeclaration( node, elideNodes(factory2, node.modifiers), node.dotDotDotToken, Debug.checkDefined(visitNode(node.name, visitor2, isBindingName)), /*questionToken*/ void 0, /*type*/ void 0, visitNode(node.initializer, visitor2, isExpression) ); if (updated !== node) { setCommentRange(updated, node); setTextRange(updated, moveRangePastModifiers(node)); setSourceMapRange(updated, moveRangePastModifiers(node)); setEmitFlags( updated.name, 64 /* NoTrailingSourceMap */ ); } return updated; } function isSyntheticMetadataDecorator(node) { return isCallToHelper(node.expression, "___metadata"); } function transformAllDecoratorsOfDeclaration(allDecorators) { if (!allDecorators) { return void 0; } const { false: decorators, true: metadata } = groupBy(allDecorators.decorators, isSyntheticMetadataDecorator); const decoratorExpressions = []; addRange(decoratorExpressions, map(decorators, transformDecorator)); addRange(decoratorExpressions, flatMap(allDecorators.parameters, transformDecoratorsOfParameter)); addRange(decoratorExpressions, map(metadata, transformDecorator)); return decoratorExpressions; } function addClassElementDecorationStatements(statements, node, isStatic2) { addRange(statements, map(generateClassElementDecorationExpressions(node, isStatic2), (expr) => factory2.createExpressionStatement(expr))); } function isDecoratedClassElement(member, isStaticElement, parent2) { return nodeOrChildIsDecorated( /*useLegacyDecorators*/ true, member, parent2 ) && isStaticElement === isStatic(member); } function getDecoratedClassElements(node, isStatic2) { return filter(node.members, (m) => isDecoratedClassElement(m, isStatic2, node)); } function generateClassElementDecorationExpressions(node, isStatic2) { const members = getDecoratedClassElements(node, isStatic2); let expressions; for (const member of members) { expressions = append(expressions, generateClassElementDecorationExpression(node, member)); } return expressions; } function generateClassElementDecorationExpression(node, member) { const allDecorators = getAllDecoratorsOfClassElement( member, node, /*useLegacyDecorators*/ true ); const decoratorExpressions = transformAllDecoratorsOfDeclaration(allDecorators); if (!decoratorExpressions) { return void 0; } const prefix = getClassMemberPrefix(node, member); const memberName = getExpressionForPropertyName( member, /*generateNameForComputedPropertyName*/ !hasSyntacticModifier( member, 128 /* Ambient */ ) ); const descriptor = isPropertyDeclaration(member) && !hasAccessorModifier(member) ? factory2.createVoidZero() : factory2.createNull(); const helper = emitHelpers().createDecorateHelper( decoratorExpressions, prefix, memberName, descriptor ); setEmitFlags( helper, 3072 /* NoComments */ ); setSourceMapRange(helper, moveRangePastModifiers(member)); return helper; } function addConstructorDecorationStatement(statements, node) { const expression = generateConstructorDecorationExpression(node); if (expression) { statements.push(setOriginalNode(factory2.createExpressionStatement(expression), node)); } } function generateConstructorDecorationExpression(node) { const allDecorators = getAllDecoratorsOfClass(node); const decoratorExpressions = transformAllDecoratorsOfDeclaration(allDecorators); if (!decoratorExpressions) { return void 0; } const classAlias = classAliases && classAliases[getOriginalNodeId(node)]; const localName = languageVersion < 2 ? factory2.getInternalName( node, /*allowComments*/ false, /*allowSourceMaps*/ true ) : factory2.getDeclarationName( node, /*allowComments*/ false, /*allowSourceMaps*/ true ); const decorate = emitHelpers().createDecorateHelper(decoratorExpressions, localName); const expression = factory2.createAssignment(localName, classAlias ? factory2.createAssignment(classAlias, decorate) : decorate); setEmitFlags( expression, 3072 /* NoComments */ ); setSourceMapRange(expression, moveRangePastModifiers(node)); return expression; } function transformDecorator(decorator) { return Debug.checkDefined(visitNode(decorator.expression, visitor2, isExpression)); } function transformDecoratorsOfParameter(decorators, parameterOffset) { let expressions; if (decorators) { expressions = []; for (const decorator of decorators) { const helper = emitHelpers().createParamHelper( transformDecorator(decorator), parameterOffset ); setTextRange(helper, decorator.expression); setEmitFlags( helper, 3072 /* NoComments */ ); expressions.push(helper); } } return expressions; } function getExpressionForPropertyName(member, generateNameForComputedPropertyName) { const name = member.name; if (isPrivateIdentifier(name)) { return factory2.createIdentifier(""); } else if (isComputedPropertyName(name)) { return generateNameForComputedPropertyName && !isSimpleInlineableExpression(name.expression) ? factory2.getGeneratedNameForNode(name) : name.expression; } else if (isIdentifier(name)) { return factory2.createStringLiteral(idText(name)); } else { return factory2.cloneNode(name); } } function enableSubstitutionForClassAliases() { if (!classAliases) { context.enableSubstitution( 80 /* Identifier */ ); classAliases = []; } } function getClassAliasIfNeeded(node) { if (resolver.hasNodeCheckFlag( node, 262144 /* ContainsConstructorReference */ )) { enableSubstitutionForClassAliases(); const classAlias = factory2.createUniqueName(node.name && !isGeneratedIdentifier(node.name) ? idText(node.name) : "default"); classAliases[getOriginalNodeId(node)] = classAlias; hoistVariableDeclaration(classAlias); return classAlias; } } function getClassPrototype(node) { return factory2.createPropertyAccessExpression(factory2.getDeclarationName(node), "prototype"); } function getClassMemberPrefix(node, member) { return isStatic(member) ? factory2.getDeclarationName(node) : getClassPrototype(node); } function onSubstituteNode(hint, node) { node = previousOnSubstituteNode(hint, node); if (hint === 1) { return substituteExpression(node); } return node; } function substituteExpression(node) { switch (node.kind) { case 80: return substituteExpressionIdentifier(node); } return node; } function substituteExpressionIdentifier(node) { return trySubstituteClassAlias(node) ?? node; } function trySubstituteClassAlias(node) { if (classAliases) { if (resolver.hasNodeCheckFlag( node, 536870912 /* ConstructorReference */ )) { const declaration = resolver.getReferencedValueDeclaration(node); if (declaration) { const classAlias = classAliases[declaration.id]; if (classAlias) { const clone2 = factory2.cloneNode(classAlias); setSourceMapRange(clone2, node); setCommentRange(clone2, node); return clone2; } } } } return void 0; } } function transformESDecorators(context) { const { factory: factory2, getEmitHelperFactory: emitHelpers, startLexicalEnvironment, endLexicalEnvironment, hoistVariableDeclaration } = context; const languageVersion = getEmitScriptTarget(context.getCompilerOptions()); let top; let classInfo; let classThis; let classSuper; let pendingExpressions; let shouldTransformPrivateStaticElementsInFile; return chainBundle(context, transformSourceFile); function transformSourceFile(node) { top = void 0; shouldTransformPrivateStaticElementsInFile = false; const visited = visitEachChild(node, visitor2, context); addEmitHelpers(visited, context.readEmitHelpers()); if (shouldTransformPrivateStaticElementsInFile) { addInternalEmitFlags( visited, 32 /* TransformPrivateStaticElements */ ); shouldTransformPrivateStaticElementsInFile = false; } return visited; } function updateState() { classInfo = void 0; classThis = void 0; classSuper = void 0; switch (top == null ? void 0 : top.kind) { case "class": classInfo = top.classInfo; break; case "class-element": classInfo = top.next.classInfo; classThis = top.classThis; classSuper = top.classSuper; break; case "name": const grandparent = top.next.next.next; if ((grandparent == null ? void 0 : grandparent.kind) === "class-element") { classInfo = grandparent.next.classInfo; classThis = grandparent.classThis; classSuper = grandparent.classSuper; } break; } } function enterClass(classInfo2) { top = { kind: "class", next: top, classInfo: classInfo2, savedPendingExpressions: pendingExpressions }; pendingExpressions = void 0; updateState(); } function exitClass() { Debug.assert((top == null ? void 0 : top.kind) === "class", "Incorrect value for top.kind.", () => `Expected top.kind to be 'class' but got '${top == null ? void 0 : top.kind}' instead.`); pendingExpressions = top.savedPendingExpressions; top = top.next; updateState(); } function enterClassElement(node) { var _a, _b; Debug.assert((top == null ? void 0 : top.kind) === "class", "Incorrect value for top.kind.", () => `Expected top.kind to be 'class' but got '${top == null ? void 0 : top.kind}' instead.`); top = { kind: "class-element", next: top }; if (isClassStaticBlockDeclaration(node) || isPropertyDeclaration(node) && hasStaticModifier(node)) { top.classThis = (_a = top.next.classInfo) == null ? void 0 : _a.classThis; top.classSuper = (_b = top.next.classInfo) == null ? void 0 : _b.classSuper; } updateState(); } function exitClassElement() { var _a; Debug.assert((top == null ? void 0 : top.kind) === "class-element", "Incorrect value for top.kind.", () => `Expected top.kind to be 'class-element' but got '${top == null ? void 0 : top.kind}' instead.`); Debug.assert(((_a = top.next) == null ? void 0 : _a.kind) === "class", "Incorrect value for top.next.kind.", () => { var _a2; return `Expected top.next.kind to be 'class' but got '${(_a2 = top.next) == null ? void 0 : _a2.kind}' instead.`; }); top = top.next; updateState(); } function enterName() { Debug.assert((top == null ? void 0 : top.kind) === "class-element", "Incorrect value for top.kind.", () => `Expected top.kind to be 'class-element' but got '${top == null ? void 0 : top.kind}' instead.`); top = { kind: "name", next: top }; updateState(); } function exitName() { Debug.assert((top == null ? void 0 : top.kind) === "name", "Incorrect value for top.kind.", () => `Expected top.kind to be 'name' but got '${top == null ? void 0 : top.kind}' instead.`); top = top.next; updateState(); } function enterOther() { if ((top == null ? void 0 : top.kind) === "other") { Debug.assert(!pendingExpressions); top.depth++; } else { top = { kind: "other", next: top, depth: 0, savedPendingExpressions: pendingExpressions }; pendingExpressions = void 0; updateState(); } } function exitOther() { Debug.assert((top == null ? void 0 : top.kind) === "other", "Incorrect value for top.kind.", () => `Expected top.kind to be 'other' but got '${top == null ? void 0 : top.kind}' instead.`); if (top.depth > 0) { Debug.assert(!pendingExpressions); top.depth--; } else { pendingExpressions = top.savedPendingExpressions; top = top.next; updateState(); } } function shouldVisitNode(node) { return !!(node.transformFlags & 33554432) || !!classThis && !!(node.transformFlags & 16384) || !!classThis && !!classSuper && !!(node.transformFlags & 134217728); } function visitor2(node) { if (!shouldVisitNode(node)) { return node; } switch (node.kind) { case 170: return Debug.fail("Use `modifierVisitor` instead."); case 263: return visitClassDeclaration(node); case 231: return visitClassExpression(node); case 176: case 172: case 175: return Debug.fail("Not supported outside of a class. Use 'classElementVisitor' instead."); case 169: return visitParameterDeclaration(node); case 226: return visitBinaryExpression( node, /*discarded*/ false ); case 303: return visitPropertyAssignment(node); case 260: return visitVariableDeclaration(node); case 208: return visitBindingElement(node); case 277: return visitExportAssignment(node); case 110: return visitThisExpression(node); case 248: return visitForStatement(node); case 244: return visitExpressionStatement(node); case 355: return visitCommaListExpression( node, /*discarded*/ false ); case 217: return visitParenthesizedExpression( node, /*discarded*/ false ); case 354: return visitPartiallyEmittedExpression( node, /*discarded*/ false ); case 213: return visitCallExpression(node); case 215: return visitTaggedTemplateExpression(node); case 224: case 225: return visitPreOrPostfixUnaryExpression( node, /*discarded*/ false ); case 211: return visitPropertyAccessExpression(node); case 212: return visitElementAccessExpression(node); case 167: return visitComputedPropertyName(node); case 174: case 178: case 177: case 218: case 262: { enterOther(); const result = visitEachChild(node, fallbackVisitor, context); exitOther(); return result; } default: return visitEachChild(node, fallbackVisitor, context); } } function fallbackVisitor(node) { switch (node.kind) { case 170: return void 0; default: return visitor2(node); } } function modifierVisitor(node) { switch (node.kind) { case 170: return void 0; default: return node; } } function classElementVisitor(node) { switch (node.kind) { case 176: return visitConstructorDeclaration(node); case 174: return visitMethodDeclaration(node); case 177: return visitGetAccessorDeclaration(node); case 178: return visitSetAccessorDeclaration(node); case 172: return visitPropertyDeclaration(node); case 175: return visitClassStaticBlockDeclaration(node); default: return visitor2(node); } } function discardedValueVisitor(node) { switch (node.kind) { case 224: case 225: return visitPreOrPostfixUnaryExpression( node, /*discarded*/ true ); case 226: return visitBinaryExpression( node, /*discarded*/ true ); case 355: return visitCommaListExpression( node, /*discarded*/ true ); case 217: return visitParenthesizedExpression( node, /*discarded*/ true ); default: return visitor2(node); } } function getHelperVariableName(node) { let declarationName = node.name && isIdentifier(node.name) && !isGeneratedIdentifier(node.name) ? idText(node.name) : node.name && isPrivateIdentifier(node.name) && !isGeneratedIdentifier(node.name) ? idText(node.name).slice(1) : node.name && isStringLiteral2(node.name) && isIdentifierText( node.name.text, 99 /* ESNext */ ) ? node.name.text : isClassLike(node) ? "class" : "member"; if (isGetAccessor(node)) declarationName = `get_${declarationName}`; if (isSetAccessor(node)) declarationName = `set_${declarationName}`; if (node.name && isPrivateIdentifier(node.name)) declarationName = `private_${declarationName}`; if (isStatic(node)) declarationName = `static_${declarationName}`; return "_" + declarationName; } function createHelperVariable(node, suffix) { return factory2.createUniqueName( `${getHelperVariableName(node)}_${suffix}`, 16 | 8 /* ReservedInNestedScopes */ ); } function createLet(name, initializer) { return factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList( [ factory2.createVariableDeclaration( name, /*exclamationToken*/ void 0, /*type*/ void 0, initializer ) ], 1 /* Let */ ) ); } function createClassInfo(node) { const metadataReference = factory2.createUniqueName( "_metadata", 16 | 32 /* FileLevel */ ); let instanceMethodExtraInitializersName; let staticMethodExtraInitializersName; let hasStaticInitializers = false; let hasNonAmbientInstanceFields = false; let hasStaticPrivateClassElements = false; let classThis2; let pendingStaticInitializers; let pendingInstanceInitializers; if (nodeIsDecorated( /*useLegacyDecorators*/ false, node )) { const needsUniqueClassThis = some(node.members, (member) => (isPrivateIdentifierClassElementDeclaration(member) || isAutoAccessorPropertyDeclaration(member)) && hasStaticModifier(member)); classThis2 = factory2.createUniqueName( "_classThis", needsUniqueClassThis ? 16 | 8 : 16 | 32 /* FileLevel */ ); } for (const member of node.members) { if (isMethodOrAccessor(member) && nodeOrChildIsDecorated( /*useLegacyDecorators*/ false, member, node )) { if (hasStaticModifier(member)) { if (!staticMethodExtraInitializersName) { staticMethodExtraInitializersName = factory2.createUniqueName( "_staticExtraInitializers", 16 | 32 /* FileLevel */ ); const initializer = emitHelpers().createRunInitializersHelper(classThis2 ?? factory2.createThis(), staticMethodExtraInitializersName); setSourceMapRange(initializer, node.name ?? moveRangePastDecorators(node)); pendingStaticInitializers ?? (pendingStaticInitializers = []); pendingStaticInitializers.push(initializer); } } else { if (!instanceMethodExtraInitializersName) { instanceMethodExtraInitializersName = factory2.createUniqueName( "_instanceExtraInitializers", 16 | 32 /* FileLevel */ ); const initializer = emitHelpers().createRunInitializersHelper(factory2.createThis(), instanceMethodExtraInitializersName); setSourceMapRange(initializer, node.name ?? moveRangePastDecorators(node)); pendingInstanceInitializers ?? (pendingInstanceInitializers = []); pendingInstanceInitializers.push(initializer); } instanceMethodExtraInitializersName ?? (instanceMethodExtraInitializersName = factory2.createUniqueName( "_instanceExtraInitializers", 16 | 32 /* FileLevel */ )); } } if (isClassStaticBlockDeclaration(member)) { if (!isClassNamedEvaluationHelperBlock(member)) { hasStaticInitializers = true; } } else if (isPropertyDeclaration(member)) { if (hasStaticModifier(member)) { hasStaticInitializers || (hasStaticInitializers = !!member.initializer || hasDecorators(member)); } else { hasNonAmbientInstanceFields || (hasNonAmbientInstanceFields = !isAmbientPropertyDeclaration(member)); } } if ((isPrivateIdentifierClassElementDeclaration(member) || isAutoAccessorPropertyDeclaration(member)) && hasStaticModifier(member)) { hasStaticPrivateClassElements = true; } if (staticMethodExtraInitializersName && instanceMethodExtraInitializersName && hasStaticInitializers && hasNonAmbientInstanceFields && hasStaticPrivateClassElements) { break; } } return { class: node, classThis: classThis2, metadataReference, instanceMethodExtraInitializersName, staticMethodExtraInitializersName, hasStaticInitializers, hasNonAmbientInstanceFields, hasStaticPrivateClassElements, pendingStaticInitializers, pendingInstanceInitializers }; } function transformClassLike(node) { startLexicalEnvironment(); if (!classHasDeclaredOrExplicitlyAssignedName(node) && classOrConstructorParameterIsDecorated( /*useLegacyDecorators*/ false, node )) { node = injectClassNamedEvaluationHelperBlockIfMissing(context, node, factory2.createStringLiteral("")); } const classReference = factory2.getLocalName( node, /*allowComments*/ false, /*allowSourceMaps*/ false, /*ignoreAssignedName*/ true ); const classInfo2 = createClassInfo(node); const classDefinitionStatements = []; let leadingBlockStatements; let trailingBlockStatements; let syntheticConstructor; let heritageClauses; let shouldTransformPrivateStaticElementsInClass = false; const classDecorators = transformAllDecoratorsOfDeclaration(getAllDecoratorsOfClass(node)); if (classDecorators) { classInfo2.classDecoratorsName = factory2.createUniqueName( "_classDecorators", 16 | 32 /* FileLevel */ ); classInfo2.classDescriptorName = factory2.createUniqueName( "_classDescriptor", 16 | 32 /* FileLevel */ ); classInfo2.classExtraInitializersName = factory2.createUniqueName( "_classExtraInitializers", 16 | 32 /* FileLevel */ ); Debug.assertIsDefined(classInfo2.classThis); classDefinitionStatements.push( createLet(classInfo2.classDecoratorsName, factory2.createArrayLiteralExpression(classDecorators)), createLet(classInfo2.classDescriptorName), createLet(classInfo2.classExtraInitializersName, factory2.createArrayLiteralExpression()), createLet(classInfo2.classThis) ); if (classInfo2.hasStaticPrivateClassElements) { shouldTransformPrivateStaticElementsInClass = true; shouldTransformPrivateStaticElementsInFile = true; } } const extendsClause = getHeritageClause( node.heritageClauses, 96 /* ExtendsKeyword */ ); const extendsElement = extendsClause && firstOrUndefined(extendsClause.types); const extendsExpression = extendsElement && visitNode(extendsElement.expression, visitor2, isExpression); if (extendsExpression) { classInfo2.classSuper = factory2.createUniqueName( "_classSuper", 16 | 32 /* FileLevel */ ); const unwrapped = skipOuterExpressions(extendsExpression); const safeExtendsExpression = isClassExpression(unwrapped) && !unwrapped.name || isFunctionExpression(unwrapped) && !unwrapped.name || isArrowFunction(unwrapped) ? factory2.createComma(factory2.createNumericLiteral(0), extendsExpression) : extendsExpression; classDefinitionStatements.push(createLet(classInfo2.classSuper, safeExtendsExpression)); const updatedExtendsElement = factory2.updateExpressionWithTypeArguments( extendsElement, classInfo2.classSuper, /*typeArguments*/ void 0 ); const updatedExtendsClause = factory2.updateHeritageClause(extendsClause, [updatedExtendsElement]); heritageClauses = factory2.createNodeArray([updatedExtendsClause]); } const renamedClassThis = classInfo2.classThis ?? factory2.createThis(); enterClass(classInfo2); leadingBlockStatements = append(leadingBlockStatements, createMetadata(classInfo2.metadataReference, classInfo2.classSuper)); let members = node.members; members = visitNodes2(members, (node2) => isConstructorDeclaration(node2) ? node2 : classElementVisitor(node2), isClassElement); members = visitNodes2(members, (node2) => isConstructorDeclaration(node2) ? classElementVisitor(node2) : node2, isClassElement); if (pendingExpressions) { let outerThis; for (let expression of pendingExpressions) { expression = visitNode(expression, function thisVisitor(node2) { if (!(node2.transformFlags & 16384)) { return node2; } switch (node2.kind) { case 110: if (!outerThis) { outerThis = factory2.createUniqueName( "_outerThis", 16 /* Optimistic */ ); classDefinitionStatements.unshift(createLet(outerThis, factory2.createThis())); } return outerThis; default: return visitEachChild(node2, thisVisitor, context); } }, isExpression); const statement = factory2.createExpressionStatement(expression); leadingBlockStatements = append(leadingBlockStatements, statement); } pendingExpressions = void 0; } exitClass(); if (some(classInfo2.pendingInstanceInitializers) && !getFirstConstructorWithBody(node)) { const initializerStatements = prepareConstructor(node, classInfo2); if (initializerStatements) { const extendsClauseElement = getEffectiveBaseTypeNode(node); const isDerivedClass = !!(extendsClauseElement && skipOuterExpressions(extendsClauseElement.expression).kind !== 106); const constructorStatements = []; if (isDerivedClass) { const spreadArguments = factory2.createSpreadElement(factory2.createIdentifier("arguments")); const superCall = factory2.createCallExpression( factory2.createSuper(), /*typeArguments*/ void 0, [spreadArguments] ); constructorStatements.push(factory2.createExpressionStatement(superCall)); } addRange(constructorStatements, initializerStatements); const constructorBody = factory2.createBlock( constructorStatements, /*multiLine*/ true ); syntheticConstructor = factory2.createConstructorDeclaration( /*modifiers*/ void 0, [], constructorBody ); } } if (classInfo2.staticMethodExtraInitializersName) { classDefinitionStatements.push( createLet(classInfo2.staticMethodExtraInitializersName, factory2.createArrayLiteralExpression()) ); } if (classInfo2.instanceMethodExtraInitializersName) { classDefinitionStatements.push( createLet(classInfo2.instanceMethodExtraInitializersName, factory2.createArrayLiteralExpression()) ); } if (classInfo2.memberInfos) { forEachEntry(classInfo2.memberInfos, (memberInfo, member) => { if (isStatic(member)) { classDefinitionStatements.push(createLet(memberInfo.memberDecoratorsName)); if (memberInfo.memberInitializersName) { classDefinitionStatements.push(createLet(memberInfo.memberInitializersName, factory2.createArrayLiteralExpression())); } if (memberInfo.memberExtraInitializersName) { classDefinitionStatements.push(createLet(memberInfo.memberExtraInitializersName, factory2.createArrayLiteralExpression())); } if (memberInfo.memberDescriptorName) { classDefinitionStatements.push(createLet(memberInfo.memberDescriptorName)); } } }); } if (classInfo2.memberInfos) { forEachEntry(classInfo2.memberInfos, (memberInfo, member) => { if (!isStatic(member)) { classDefinitionStatements.push(createLet(memberInfo.memberDecoratorsName)); if (memberInfo.memberInitializersName) { classDefinitionStatements.push(createLet(memberInfo.memberInitializersName, factory2.createArrayLiteralExpression())); } if (memberInfo.memberExtraInitializersName) { classDefinitionStatements.push(createLet(memberInfo.memberExtraInitializersName, factory2.createArrayLiteralExpression())); } if (memberInfo.memberDescriptorName) { classDefinitionStatements.push(createLet(memberInfo.memberDescriptorName)); } } }); } leadingBlockStatements = addRange(leadingBlockStatements, classInfo2.staticNonFieldDecorationStatements); leadingBlockStatements = addRange(leadingBlockStatements, classInfo2.nonStaticNonFieldDecorationStatements); leadingBlockStatements = addRange(leadingBlockStatements, classInfo2.staticFieldDecorationStatements); leadingBlockStatements = addRange(leadingBlockStatements, classInfo2.nonStaticFieldDecorationStatements); if (classInfo2.classDescriptorName && classInfo2.classDecoratorsName && classInfo2.classExtraInitializersName && classInfo2.classThis) { leadingBlockStatements ?? (leadingBlockStatements = []); const valueProperty = factory2.createPropertyAssignment("value", renamedClassThis); const classDescriptor = factory2.createObjectLiteralExpression([valueProperty]); const classDescriptorAssignment = factory2.createAssignment(classInfo2.classDescriptorName, classDescriptor); const classNameReference = factory2.createPropertyAccessExpression(renamedClassThis, "name"); const esDecorateHelper2 = emitHelpers().createESDecorateHelper( factory2.createNull(), classDescriptorAssignment, classInfo2.classDecoratorsName, { kind: "class", name: classNameReference, metadata: classInfo2.metadataReference }, factory2.createNull(), classInfo2.classExtraInitializersName ); const esDecorateStatement = factory2.createExpressionStatement(esDecorateHelper2); setSourceMapRange(esDecorateStatement, moveRangePastDecorators(node)); leadingBlockStatements.push(esDecorateStatement); const classDescriptorValueReference = factory2.createPropertyAccessExpression(classInfo2.classDescriptorName, "value"); const classThisAssignment = factory2.createAssignment(classInfo2.classThis, classDescriptorValueReference); const classReferenceAssignment = factory2.createAssignment(classReference, classThisAssignment); leadingBlockStatements.push(factory2.createExpressionStatement(classReferenceAssignment)); } leadingBlockStatements.push(createSymbolMetadata(renamedClassThis, classInfo2.metadataReference)); if (some(classInfo2.pendingStaticInitializers)) { for (const initializer of classInfo2.pendingStaticInitializers) { const initializerStatement = factory2.createExpressionStatement(initializer); setSourceMapRange(initializerStatement, getSourceMapRange(initializer)); trailingBlockStatements = append(trailingBlockStatements, initializerStatement); } classInfo2.pendingStaticInitializers = void 0; } if (classInfo2.classExtraInitializersName) { const runClassInitializersHelper = emitHelpers().createRunInitializersHelper(renamedClassThis, classInfo2.classExtraInitializersName); const runClassInitializersStatement = factory2.createExpressionStatement(runClassInitializersHelper); setSourceMapRange(runClassInitializersStatement, node.name ?? moveRangePastDecorators(node)); trailingBlockStatements = append(trailingBlockStatements, runClassInitializersStatement); } if (leadingBlockStatements && trailingBlockStatements && !classInfo2.hasStaticInitializers) { addRange(leadingBlockStatements, trailingBlockStatements); trailingBlockStatements = void 0; } const leadingStaticBlock = leadingBlockStatements && factory2.createClassStaticBlockDeclaration(factory2.createBlock( leadingBlockStatements, /*multiLine*/ true )); if (leadingStaticBlock && shouldTransformPrivateStaticElementsInClass) { setInternalEmitFlags( leadingStaticBlock, 32 /* TransformPrivateStaticElements */ ); } const trailingStaticBlock = trailingBlockStatements && factory2.createClassStaticBlockDeclaration(factory2.createBlock( trailingBlockStatements, /*multiLine*/ true )); if (leadingStaticBlock || syntheticConstructor || trailingStaticBlock) { const newMembers = []; const existingNamedEvaluationHelperBlockIndex = members.findIndex(isClassNamedEvaluationHelperBlock); if (leadingStaticBlock) { addRange(newMembers, members, 0, existingNamedEvaluationHelperBlockIndex + 1); newMembers.push(leadingStaticBlock); addRange(newMembers, members, existingNamedEvaluationHelperBlockIndex + 1); } else { addRange(newMembers, members); } if (syntheticConstructor) { newMembers.push(syntheticConstructor); } if (trailingStaticBlock) { newMembers.push(trailingStaticBlock); } members = setTextRange(factory2.createNodeArray(newMembers), members); } const lexicalEnvironment = endLexicalEnvironment(); let classExpression; if (classDecorators) { classExpression = factory2.createClassExpression( /*modifiers*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, heritageClauses, members ); if (classInfo2.classThis) { classExpression = injectClassThisAssignmentIfMissing(factory2, classExpression, classInfo2.classThis); } const classReferenceDeclaration = factory2.createVariableDeclaration( classReference, /*exclamationToken*/ void 0, /*type*/ void 0, classExpression ); const classReferenceVarDeclList = factory2.createVariableDeclarationList([classReferenceDeclaration]); const returnExpr = classInfo2.classThis ? factory2.createAssignment(classReference, classInfo2.classThis) : classReference; classDefinitionStatements.push( factory2.createVariableStatement( /*modifiers*/ void 0, classReferenceVarDeclList ), factory2.createReturnStatement(returnExpr) ); } else { classExpression = factory2.createClassExpression( /*modifiers*/ void 0, node.name, /*typeParameters*/ void 0, heritageClauses, members ); classDefinitionStatements.push(factory2.createReturnStatement(classExpression)); } if (shouldTransformPrivateStaticElementsInClass) { addInternalEmitFlags( classExpression, 32 /* TransformPrivateStaticElements */ ); for (const member of classExpression.members) { if ((isPrivateIdentifierClassElementDeclaration(member) || isAutoAccessorPropertyDeclaration(member)) && hasStaticModifier(member)) { addInternalEmitFlags( member, 32 /* TransformPrivateStaticElements */ ); } } } setOriginalNode(classExpression, node); return factory2.createImmediatelyInvokedArrowFunction(factory2.mergeLexicalEnvironment(classDefinitionStatements, lexicalEnvironment)); } function isDecoratedClassLike(node) { return classOrConstructorParameterIsDecorated( /*useLegacyDecorators*/ false, node ) || childIsDecorated( /*useLegacyDecorators*/ false, node ); } function visitClassDeclaration(node) { if (isDecoratedClassLike(node)) { const statements = []; const originalClass = getOriginalNode(node, isClassLike) ?? node; const className = originalClass.name ? factory2.createStringLiteralFromNode(originalClass.name) : factory2.createStringLiteral("default"); const isExport = hasSyntacticModifier( node, 32 /* Export */ ); const isDefault = hasSyntacticModifier( node, 2048 /* Default */ ); if (!node.name) { node = injectClassNamedEvaluationHelperBlockIfMissing(context, node, className); } if (isExport && isDefault) { const iife = transformClassLike(node); if (node.name) { const varDecl = factory2.createVariableDeclaration( factory2.getLocalName(node), /*exclamationToken*/ void 0, /*type*/ void 0, iife ); setOriginalNode(varDecl, node); const varDecls = factory2.createVariableDeclarationList( [varDecl], 1 /* Let */ ); const varStatement = factory2.createVariableStatement( /*modifiers*/ void 0, varDecls ); statements.push(varStatement); const exportStatement = factory2.createExportDefault(factory2.getDeclarationName(node)); setOriginalNode(exportStatement, node); setCommentRange(exportStatement, getCommentRange(node)); setSourceMapRange(exportStatement, moveRangePastDecorators(node)); statements.push(exportStatement); } else { const exportStatement = factory2.createExportDefault(iife); setOriginalNode(exportStatement, node); setCommentRange(exportStatement, getCommentRange(node)); setSourceMapRange(exportStatement, moveRangePastDecorators(node)); statements.push(exportStatement); } } else { Debug.assertIsDefined(node.name, "A class declaration that is not a default export must have a name."); const iife = transformClassLike(node); const modifierVisitorNoExport = isExport ? (node2) => isExportModifier(node2) ? void 0 : modifierVisitor(node2) : modifierVisitor; const modifiers = visitNodes2(node.modifiers, modifierVisitorNoExport, isModifier); const declName = factory2.getLocalName( node, /*allowComments*/ false, /*allowSourceMaps*/ true ); const varDecl = factory2.createVariableDeclaration( declName, /*exclamationToken*/ void 0, /*type*/ void 0, iife ); setOriginalNode(varDecl, node); const varDecls = factory2.createVariableDeclarationList( [varDecl], 1 /* Let */ ); const varStatement = factory2.createVariableStatement(modifiers, varDecls); setOriginalNode(varStatement, node); setCommentRange(varStatement, getCommentRange(node)); statements.push(varStatement); if (isExport) { const exportStatement = factory2.createExternalModuleExport(declName); setOriginalNode(exportStatement, node); statements.push(exportStatement); } } return singleOrMany(statements); } else { const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier); const heritageClauses = visitNodes2(node.heritageClauses, visitor2, isHeritageClause); enterClass( /*classInfo*/ void 0 ); const members = visitNodes2(node.members, classElementVisitor, isClassElement); exitClass(); return factory2.updateClassDeclaration( node, modifiers, node.name, /*typeParameters*/ void 0, heritageClauses, members ); } } function visitClassExpression(node) { if (isDecoratedClassLike(node)) { const iife = transformClassLike(node); setOriginalNode(iife, node); return iife; } else { const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier); const heritageClauses = visitNodes2(node.heritageClauses, visitor2, isHeritageClause); enterClass( /*classInfo*/ void 0 ); const members = visitNodes2(node.members, classElementVisitor, isClassElement); exitClass(); return factory2.updateClassExpression( node, modifiers, node.name, /*typeParameters*/ void 0, heritageClauses, members ); } } function prepareConstructor(_parent, classInfo2) { if (some(classInfo2.pendingInstanceInitializers)) { const statements = []; statements.push( factory2.createExpressionStatement( factory2.inlineExpressions(classInfo2.pendingInstanceInitializers) ) ); classInfo2.pendingInstanceInitializers = void 0; return statements; } } function transformConstructorBodyWorker(statementsOut, statementsIn, statementOffset, superPath, superPathDepth, initializerStatements) { const superStatementIndex = superPath[superPathDepth]; const superStatement = statementsIn[superStatementIndex]; addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, statementOffset, superStatementIndex - statementOffset)); if (isTryStatement(superStatement)) { const tryBlockStatements = []; transformConstructorBodyWorker( tryBlockStatements, superStatement.tryBlock.statements, /*statementOffset*/ 0, superPath, superPathDepth + 1, initializerStatements ); const tryBlockStatementsArray = factory2.createNodeArray(tryBlockStatements); setTextRange(tryBlockStatementsArray, superStatement.tryBlock.statements); statementsOut.push(factory2.updateTryStatement( superStatement, factory2.updateBlock(superStatement.tryBlock, tryBlockStatements), visitNode(superStatement.catchClause, visitor2, isCatchClause), visitNode(superStatement.finallyBlock, visitor2, isBlock) )); } else { addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, superStatementIndex, 1)); addRange(statementsOut, initializerStatements); } addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, superStatementIndex + 1)); } function visitConstructorDeclaration(node) { enterClassElement(node); const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier); const parameters = visitNodes2(node.parameters, visitor2, isParameter); let body; if (node.body && classInfo) { const initializerStatements = prepareConstructor(classInfo.class, classInfo); if (initializerStatements) { const statements = []; const nonPrologueStart = factory2.copyPrologue( node.body.statements, statements, /*ensureUseStrict*/ false, visitor2 ); const superStatementIndices = findSuperStatementIndexPath(node.body.statements, nonPrologueStart); if (superStatementIndices.length > 0) { transformConstructorBodyWorker(statements, node.body.statements, nonPrologueStart, superStatementIndices, 0, initializerStatements); } else { addRange(statements, initializerStatements); addRange(statements, visitNodes2(node.body.statements, visitor2, isStatement)); } body = factory2.createBlock( statements, /*multiLine*/ true ); setOriginalNode(body, node.body); setTextRange(body, node.body); } } body ?? (body = visitNode(node.body, visitor2, isBlock)); exitClassElement(); return factory2.updateConstructorDeclaration(node, modifiers, parameters, body); } function finishClassElement(updated, original) { if (updated !== original) { setCommentRange(updated, original); setSourceMapRange(updated, moveRangePastDecorators(original)); } return updated; } function partialTransformClassElement(member, classInfo2, createDescriptor) { let referencedName; let name; let initializersName; let extraInitializersName; let thisArg; let descriptorName; if (!classInfo2) { const modifiers2 = visitNodes2(member.modifiers, modifierVisitor, isModifier); enterName(); name = visitPropertyName(member.name); exitName(); return { modifiers: modifiers2, referencedName, name, initializersName, descriptorName, thisArg }; } const memberDecorators = transformAllDecoratorsOfDeclaration(getAllDecoratorsOfClassElement( member, classInfo2.class, /*useLegacyDecorators*/ false )); const modifiers = visitNodes2(member.modifiers, modifierVisitor, isModifier); if (memberDecorators) { const memberDecoratorsName = createHelperVariable(member, "decorators"); const memberDecoratorsArray = factory2.createArrayLiteralExpression(memberDecorators); const memberDecoratorsAssignment = factory2.createAssignment(memberDecoratorsName, memberDecoratorsArray); const memberInfo = { memberDecoratorsName }; classInfo2.memberInfos ?? (classInfo2.memberInfos = /* @__PURE__ */ new Map()); classInfo2.memberInfos.set(member, memberInfo); pendingExpressions ?? (pendingExpressions = []); pendingExpressions.push(memberDecoratorsAssignment); const statements = isMethodOrAccessor(member) || isAutoAccessorPropertyDeclaration(member) ? isStatic(member) ? classInfo2.staticNonFieldDecorationStatements ?? (classInfo2.staticNonFieldDecorationStatements = []) : classInfo2.nonStaticNonFieldDecorationStatements ?? (classInfo2.nonStaticNonFieldDecorationStatements = []) : isPropertyDeclaration(member) && !isAutoAccessorPropertyDeclaration(member) ? isStatic(member) ? classInfo2.staticFieldDecorationStatements ?? (classInfo2.staticFieldDecorationStatements = []) : classInfo2.nonStaticFieldDecorationStatements ?? (classInfo2.nonStaticFieldDecorationStatements = []) : Debug.fail(); const kind = isGetAccessorDeclaration(member) ? "getter" : isSetAccessorDeclaration(member) ? "setter" : isMethodDeclaration(member) ? "method" : isAutoAccessorPropertyDeclaration(member) ? "accessor" : isPropertyDeclaration(member) ? "field" : Debug.fail(); let propertyName; if (isIdentifier(member.name) || isPrivateIdentifier(member.name)) { propertyName = { computed: false, name: member.name }; } else if (isPropertyNameLiteral(member.name)) { propertyName = { computed: true, name: factory2.createStringLiteralFromNode(member.name) }; } else { const expression = member.name.expression; if (isPropertyNameLiteral(expression) && !isIdentifier(expression)) { propertyName = { computed: true, name: factory2.createStringLiteralFromNode(expression) }; } else { enterName(); ({ referencedName, name } = visitReferencedPropertyName(member.name)); propertyName = { computed: true, name: referencedName }; exitName(); } } const context2 = { kind, name: propertyName, static: isStatic(member), private: isPrivateIdentifier(member.name), access: { // 15.7.3 CreateDecoratorAccessObject (kind, name) // 2. If _kind_ is ~field~, ~method~, ~accessor~, or ~getter~, then ... get: isPropertyDeclaration(member) || isGetAccessorDeclaration(member) || isMethodDeclaration(member), // 3. If _kind_ is ~field~, ~accessor~, or ~setter~, then ... set: isPropertyDeclaration(member) || isSetAccessorDeclaration(member) }, metadata: classInfo2.metadataReference }; if (isMethodOrAccessor(member)) { const methodExtraInitializersName = isStatic(member) ? classInfo2.staticMethodExtraInitializersName : classInfo2.instanceMethodExtraInitializersName; Debug.assertIsDefined(methodExtraInitializersName); let descriptor; if (isPrivateIdentifierClassElementDeclaration(member) && createDescriptor) { descriptor = createDescriptor(member, visitNodes2(modifiers, (node) => tryCast(node, isAsyncModifier), isModifier)); memberInfo.memberDescriptorName = descriptorName = createHelperVariable(member, "descriptor"); descriptor = factory2.createAssignment(descriptorName, descriptor); } const esDecorateExpression = emitHelpers().createESDecorateHelper(factory2.createThis(), descriptor ?? factory2.createNull(), memberDecoratorsName, context2, factory2.createNull(), methodExtraInitializersName); const esDecorateStatement = factory2.createExpressionStatement(esDecorateExpression); setSourceMapRange(esDecorateStatement, moveRangePastDecorators(member)); statements.push(esDecorateStatement); } else if (isPropertyDeclaration(member)) { initializersName = memberInfo.memberInitializersName ?? (memberInfo.memberInitializersName = createHelperVariable(member, "initializers")); extraInitializersName = memberInfo.memberExtraInitializersName ?? (memberInfo.memberExtraInitializersName = createHelperVariable(member, "extraInitializers")); if (isStatic(member)) { thisArg = classInfo2.classThis; } let descriptor; if (isPrivateIdentifierClassElementDeclaration(member) && hasAccessorModifier(member) && createDescriptor) { descriptor = createDescriptor( member, /*modifiers*/ void 0 ); memberInfo.memberDescriptorName = descriptorName = createHelperVariable(member, "descriptor"); descriptor = factory2.createAssignment(descriptorName, descriptor); } const esDecorateExpression = emitHelpers().createESDecorateHelper( isAutoAccessorPropertyDeclaration(member) ? factory2.createThis() : factory2.createNull(), descriptor ?? factory2.createNull(), memberDecoratorsName, context2, initializersName, extraInitializersName ); const esDecorateStatement = factory2.createExpressionStatement(esDecorateExpression); setSourceMapRange(esDecorateStatement, moveRangePastDecorators(member)); statements.push(esDecorateStatement); } } if (name === void 0) { enterName(); name = visitPropertyName(member.name); exitName(); } if (!some(modifiers) && (isMethodDeclaration(member) || isPropertyDeclaration(member))) { setEmitFlags( name, 1024 /* NoLeadingComments */ ); } return { modifiers, referencedName, name, initializersName, extraInitializersName, descriptorName, thisArg }; } function visitMethodDeclaration(node) { enterClassElement(node); const { modifiers, name, descriptorName } = partialTransformClassElement(node, classInfo, createMethodDescriptorObject); if (descriptorName) { exitClassElement(); return finishClassElement(createMethodDescriptorForwarder(modifiers, name, descriptorName), node); } else { const parameters = visitNodes2(node.parameters, visitor2, isParameter); const body = visitNode(node.body, visitor2, isBlock); exitClassElement(); return finishClassElement(factory2.updateMethodDeclaration( node, modifiers, node.asteriskToken, name, /*questionToken*/ void 0, /*typeParameters*/ void 0, parameters, /*type*/ void 0, body ), node); } } function visitGetAccessorDeclaration(node) { enterClassElement(node); const { modifiers, name, descriptorName } = partialTransformClassElement(node, classInfo, createGetAccessorDescriptorObject); if (descriptorName) { exitClassElement(); return finishClassElement(createGetAccessorDescriptorForwarder(modifiers, name, descriptorName), node); } else { const parameters = visitNodes2(node.parameters, visitor2, isParameter); const body = visitNode(node.body, visitor2, isBlock); exitClassElement(); return finishClassElement(factory2.updateGetAccessorDeclaration( node, modifiers, name, parameters, /*type*/ void 0, body ), node); } } function visitSetAccessorDeclaration(node) { enterClassElement(node); const { modifiers, name, descriptorName } = partialTransformClassElement(node, classInfo, createSetAccessorDescriptorObject); if (descriptorName) { exitClassElement(); return finishClassElement(createSetAccessorDescriptorForwarder(modifiers, name, descriptorName), node); } else { const parameters = visitNodes2(node.parameters, visitor2, isParameter); const body = visitNode(node.body, visitor2, isBlock); exitClassElement(); return finishClassElement(factory2.updateSetAccessorDeclaration(node, modifiers, name, parameters, body), node); } } function visitClassStaticBlockDeclaration(node) { enterClassElement(node); let result; if (isClassNamedEvaluationHelperBlock(node)) { result = visitEachChild(node, visitor2, context); } else if (isClassThisAssignmentBlock(node)) { const savedClassThis = classThis; classThis = void 0; result = visitEachChild(node, visitor2, context); classThis = savedClassThis; } else { node = visitEachChild(node, visitor2, context); result = node; if (classInfo) { classInfo.hasStaticInitializers = true; if (some(classInfo.pendingStaticInitializers)) { const statements = []; for (const initializer of classInfo.pendingStaticInitializers) { const initializerStatement = factory2.createExpressionStatement(initializer); setSourceMapRange(initializerStatement, getSourceMapRange(initializer)); statements.push(initializerStatement); } const body = factory2.createBlock( statements, /*multiLine*/ true ); const staticBlock = factory2.createClassStaticBlockDeclaration(body); result = [staticBlock, result]; classInfo.pendingStaticInitializers = void 0; } } } exitClassElement(); return result; } function visitPropertyDeclaration(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.initializer)); } enterClassElement(node); Debug.assert(!isAmbientPropertyDeclaration(node), "Not yet implemented."); const { modifiers, name, initializersName, extraInitializersName, descriptorName, thisArg } = partialTransformClassElement(node, classInfo, hasAccessorModifier(node) ? createAccessorPropertyDescriptorObject : void 0); startLexicalEnvironment(); let initializer = visitNode(node.initializer, visitor2, isExpression); if (initializersName) { initializer = emitHelpers().createRunInitializersHelper( thisArg ?? factory2.createThis(), initializersName, initializer ?? factory2.createVoidZero() ); } if (isStatic(node) && classInfo && initializer) { classInfo.hasStaticInitializers = true; } const declarations = endLexicalEnvironment(); if (some(declarations)) { initializer = factory2.createImmediatelyInvokedArrowFunction([ ...declarations, factory2.createReturnStatement(initializer) ]); } if (classInfo) { if (isStatic(node)) { initializer = injectPendingInitializers( classInfo, /*isStatic*/ true, initializer ); if (extraInitializersName) { classInfo.pendingStaticInitializers ?? (classInfo.pendingStaticInitializers = []); classInfo.pendingStaticInitializers.push( emitHelpers().createRunInitializersHelper( classInfo.classThis ?? factory2.createThis(), extraInitializersName ) ); } } else { initializer = injectPendingInitializers( classInfo, /*isStatic*/ false, initializer ); if (extraInitializersName) { classInfo.pendingInstanceInitializers ?? (classInfo.pendingInstanceInitializers = []); classInfo.pendingInstanceInitializers.push( emitHelpers().createRunInitializersHelper( factory2.createThis(), extraInitializersName ) ); } } } exitClassElement(); if (hasAccessorModifier(node) && descriptorName) { const commentRange = getCommentRange(node); const sourceMapRange = getSourceMapRange(node); const name2 = node.name; let getterName = name2; let setterName = name2; if (isComputedPropertyName(name2) && !isSimpleInlineableExpression(name2.expression)) { const cacheAssignment = findComputedPropertyNameCacheAssignment(name2); if (cacheAssignment) { getterName = factory2.updateComputedPropertyName(name2, visitNode(name2.expression, visitor2, isExpression)); setterName = factory2.updateComputedPropertyName(name2, cacheAssignment.left); } else { const temp = factory2.createTempVariable(hoistVariableDeclaration); setSourceMapRange(temp, name2.expression); const expression = visitNode(name2.expression, visitor2, isExpression); const assignment = factory2.createAssignment(temp, expression); setSourceMapRange(assignment, name2.expression); getterName = factory2.updateComputedPropertyName(name2, assignment); setterName = factory2.updateComputedPropertyName(name2, temp); } } const modifiersWithoutAccessor = visitNodes2(modifiers, (node2) => node2.kind !== 129 ? node2 : void 0, isModifier); const backingField = createAccessorPropertyBackingField(factory2, node, modifiersWithoutAccessor, initializer); setOriginalNode(backingField, node); setEmitFlags( backingField, 3072 /* NoComments */ ); setSourceMapRange(backingField, sourceMapRange); setSourceMapRange(backingField.name, node.name); const getter = createGetAccessorDescriptorForwarder(modifiersWithoutAccessor, getterName, descriptorName); setOriginalNode(getter, node); setCommentRange(getter, commentRange); setSourceMapRange(getter, sourceMapRange); const setter = createSetAccessorDescriptorForwarder(modifiersWithoutAccessor, setterName, descriptorName); setOriginalNode(setter, node); setEmitFlags( setter, 3072 /* NoComments */ ); setSourceMapRange(setter, sourceMapRange); return [backingField, getter, setter]; } return finishClassElement(factory2.updatePropertyDeclaration( node, modifiers, name, /*questionOrExclamationToken*/ void 0, /*type*/ void 0, initializer ), node); } function visitThisExpression(node) { return classThis ?? node; } function visitCallExpression(node) { if (isSuperProperty(node.expression) && classThis) { const expression = visitNode(node.expression, visitor2, isExpression); const argumentsList = visitNodes2(node.arguments, visitor2, isExpression); const invocation = factory2.createFunctionCallCall(expression, classThis, argumentsList); setOriginalNode(invocation, node); setTextRange(invocation, node); return invocation; } return visitEachChild(node, visitor2, context); } function visitTaggedTemplateExpression(node) { if (isSuperProperty(node.tag) && classThis) { const tag = visitNode(node.tag, visitor2, isExpression); const boundTag = factory2.createFunctionBindCall(tag, classThis, []); setOriginalNode(boundTag, node); setTextRange(boundTag, node); const template = visitNode(node.template, visitor2, isTemplateLiteral); return factory2.updateTaggedTemplateExpression( node, boundTag, /*typeArguments*/ void 0, template ); } return visitEachChild(node, visitor2, context); } function visitPropertyAccessExpression(node) { if (isSuperProperty(node) && isIdentifier(node.name) && classThis && classSuper) { const propertyName = factory2.createStringLiteralFromNode(node.name); const superProperty = factory2.createReflectGetCall(classSuper, propertyName, classThis); setOriginalNode(superProperty, node.expression); setTextRange(superProperty, node.expression); return superProperty; } return visitEachChild(node, visitor2, context); } function visitElementAccessExpression(node) { if (isSuperProperty(node) && classThis && classSuper) { const propertyName = visitNode(node.argumentExpression, visitor2, isExpression); const superProperty = factory2.createReflectGetCall(classSuper, propertyName, classThis); setOriginalNode(superProperty, node.expression); setTextRange(superProperty, node.expression); return superProperty; } return visitEachChild(node, visitor2, context); } function visitParameterDeclaration(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.initializer)); } const updated = factory2.updateParameterDeclaration( node, /*modifiers*/ void 0, node.dotDotDotToken, visitNode(node.name, visitor2, isBindingName), /*questionToken*/ void 0, /*type*/ void 0, visitNode(node.initializer, visitor2, isExpression) ); if (updated !== node) { setCommentRange(updated, node); setTextRange(updated, moveRangePastModifiers(node)); setSourceMapRange(updated, moveRangePastModifiers(node)); setEmitFlags( updated.name, 64 /* NoTrailingSourceMap */ ); } return updated; } function isAnonymousClassNeedingAssignedName(node) { return isClassExpression(node) && !node.name && isDecoratedClassLike(node); } function canIgnoreEmptyStringLiteralInAssignedName(node) { const innerExpression = skipOuterExpressions(node); return isClassExpression(innerExpression) && !innerExpression.name && !classOrConstructorParameterIsDecorated( /*useLegacyDecorators*/ false, innerExpression ); } function visitForStatement(node) { return factory2.updateForStatement( node, visitNode(node.initializer, discardedValueVisitor, isForInitializer), visitNode(node.condition, visitor2, isExpression), visitNode(node.incrementor, discardedValueVisitor, isExpression), visitIterationBody(node.statement, visitor2, context) ); } function visitExpressionStatement(node) { return visitEachChild(node, discardedValueVisitor, context); } function visitBinaryExpression(node, discarded) { if (isDestructuringAssignment(node)) { const left = visitAssignmentPattern(node.left); const right = visitNode(node.right, visitor2, isExpression); return factory2.updateBinaryExpression(node, left, node.operatorToken, right); } if (isAssignmentExpression2(node)) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.right)); return visitEachChild(node, visitor2, context); } if (isSuperProperty(node.left) && classThis && classSuper) { let setterName = isElementAccessExpression(node.left) ? visitNode(node.left.argumentExpression, visitor2, isExpression) : isIdentifier(node.left.name) ? factory2.createStringLiteralFromNode(node.left.name) : void 0; if (setterName) { let expression = visitNode(node.right, visitor2, isExpression); if (isCompoundAssignment(node.operatorToken.kind)) { let getterName = setterName; if (!isSimpleInlineableExpression(setterName)) { getterName = factory2.createTempVariable(hoistVariableDeclaration); setterName = factory2.createAssignment(getterName, setterName); } const superPropertyGet = factory2.createReflectGetCall( classSuper, getterName, classThis ); setOriginalNode(superPropertyGet, node.left); setTextRange(superPropertyGet, node.left); expression = factory2.createBinaryExpression( superPropertyGet, getNonAssignmentOperatorForCompoundAssignment(node.operatorToken.kind), expression ); setTextRange(expression, node); } const temp = discarded ? void 0 : factory2.createTempVariable(hoistVariableDeclaration); if (temp) { expression = factory2.createAssignment(temp, expression); setTextRange(temp, node); } expression = factory2.createReflectSetCall( classSuper, setterName, expression, classThis ); setOriginalNode(expression, node); setTextRange(expression, node); if (temp) { expression = factory2.createComma(expression, temp); setTextRange(expression, node); } return expression; } } } if (node.operatorToken.kind === 28) { const left = visitNode(node.left, discardedValueVisitor, isExpression); const right = visitNode(node.right, discarded ? discardedValueVisitor : visitor2, isExpression); return factory2.updateBinaryExpression(node, left, node.operatorToken, right); } return visitEachChild(node, visitor2, context); } function visitPreOrPostfixUnaryExpression(node, discarded) { if (node.operator === 46 || node.operator === 47) { const operand = skipParentheses(node.operand); if (isSuperProperty(operand) && classThis && classSuper) { let setterName = isElementAccessExpression(operand) ? visitNode(operand.argumentExpression, visitor2, isExpression) : isIdentifier(operand.name) ? factory2.createStringLiteralFromNode(operand.name) : void 0; if (setterName) { let getterName = setterName; if (!isSimpleInlineableExpression(setterName)) { getterName = factory2.createTempVariable(hoistVariableDeclaration); setterName = factory2.createAssignment(getterName, setterName); } let expression = factory2.createReflectGetCall(classSuper, getterName, classThis); setOriginalNode(expression, node); setTextRange(expression, node); const temp = discarded ? void 0 : factory2.createTempVariable(hoistVariableDeclaration); expression = expandPreOrPostfixIncrementOrDecrementExpression(factory2, node, expression, hoistVariableDeclaration, temp); expression = factory2.createReflectSetCall(classSuper, setterName, expression, classThis); setOriginalNode(expression, node); setTextRange(expression, node); if (temp) { expression = factory2.createComma(expression, temp); setTextRange(expression, node); } return expression; } } } return visitEachChild(node, visitor2, context); } function visitCommaListExpression(node, discarded) { const elements = discarded ? visitCommaListElements(node.elements, discardedValueVisitor) : visitCommaListElements(node.elements, visitor2, discardedValueVisitor); return factory2.updateCommaListExpression(node, elements); } function visitReferencedPropertyName(node) { if (isPropertyNameLiteral(node) || isPrivateIdentifier(node)) { const referencedName2 = factory2.createStringLiteralFromNode(node); const name2 = visitNode(node, visitor2, isPropertyName); return { referencedName: referencedName2, name: name2 }; } if (isPropertyNameLiteral(node.expression) && !isIdentifier(node.expression)) { const referencedName2 = factory2.createStringLiteralFromNode(node.expression); const name2 = visitNode(node, visitor2, isPropertyName); return { referencedName: referencedName2, name: name2 }; } const referencedName = factory2.getGeneratedNameForNode(node); hoistVariableDeclaration(referencedName); const key = emitHelpers().createPropKeyHelper(visitNode(node.expression, visitor2, isExpression)); const assignment = factory2.createAssignment(referencedName, key); const name = factory2.updateComputedPropertyName(node, injectPendingExpressions(assignment)); return { referencedName, name }; } function visitPropertyName(node) { if (isComputedPropertyName(node)) { return visitComputedPropertyName(node); } return visitNode(node, visitor2, isPropertyName); } function visitComputedPropertyName(node) { let expression = visitNode(node.expression, visitor2, isExpression); if (!isSimpleInlineableExpression(expression)) { expression = injectPendingExpressions(expression); } return factory2.updateComputedPropertyName(node, expression); } function visitPropertyAssignment(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.initializer)); } return visitEachChild(node, visitor2, context); } function visitVariableDeclaration(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.initializer)); } return visitEachChild(node, visitor2, context); } function visitBindingElement(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.initializer)); } return visitEachChild(node, visitor2, context); } function visitDestructuringAssignmentTarget(node) { if (isObjectLiteralExpression(node) || isArrayLiteralExpression(node)) { return visitAssignmentPattern(node); } if (isSuperProperty(node) && classThis && classSuper) { const propertyName = isElementAccessExpression(node) ? visitNode(node.argumentExpression, visitor2, isExpression) : isIdentifier(node.name) ? factory2.createStringLiteralFromNode(node.name) : void 0; if (propertyName) { const paramName = factory2.createTempVariable( /*recordTempVariable*/ void 0 ); const expression = factory2.createAssignmentTargetWrapper( paramName, factory2.createReflectSetCall( classSuper, propertyName, paramName, classThis ) ); setOriginalNode(expression, node); setTextRange(expression, node); return expression; } } return visitEachChild(node, visitor2, context); } function visitAssignmentElement(node) { if (isAssignmentExpression2( node, /*excludeCompoundAssignment*/ true )) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.right)); } const assignmentTarget = visitDestructuringAssignmentTarget(node.left); const initializer = visitNode(node.right, visitor2, isExpression); return factory2.updateBinaryExpression(node, assignmentTarget, node.operatorToken, initializer); } else { return visitDestructuringAssignmentTarget(node); } } function visitAssignmentRestElement(node) { if (isLeftHandSideExpression(node.expression)) { const expression = visitDestructuringAssignmentTarget(node.expression); return factory2.updateSpreadElement(node, expression); } return visitEachChild(node, visitor2, context); } function visitArrayAssignmentElement(node) { Debug.assertNode(node, isArrayBindingOrAssignmentElement); if (isSpreadElement(node)) return visitAssignmentRestElement(node); if (!isOmittedExpression(node)) return visitAssignmentElement(node); return visitEachChild(node, visitor2, context); } function visitAssignmentProperty(node) { const name = visitNode(node.name, visitor2, isPropertyName); if (isAssignmentExpression2( node.initializer, /*excludeCompoundAssignment*/ true )) { const assignmentElement = visitAssignmentElement(node.initializer); return factory2.updatePropertyAssignment(node, name, assignmentElement); } if (isLeftHandSideExpression(node.initializer)) { const assignmentElement = visitDestructuringAssignmentTarget(node.initializer); return factory2.updatePropertyAssignment(node, name, assignmentElement); } return visitEachChild(node, visitor2, context); } function visitShorthandAssignmentProperty(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.objectAssignmentInitializer)); } return visitEachChild(node, visitor2, context); } function visitAssignmentRestProperty(node) { if (isLeftHandSideExpression(node.expression)) { const expression = visitDestructuringAssignmentTarget(node.expression); return factory2.updateSpreadAssignment(node, expression); } return visitEachChild(node, visitor2, context); } function visitObjectAssignmentElement(node) { Debug.assertNode(node, isObjectBindingOrAssignmentElement); if (isSpreadAssignment(node)) return visitAssignmentRestProperty(node); if (isShorthandPropertyAssignment(node)) return visitShorthandAssignmentProperty(node); if (isPropertyAssignment(node)) return visitAssignmentProperty(node); return visitEachChild(node, visitor2, context); } function visitAssignmentPattern(node) { if (isArrayLiteralExpression(node)) { const elements = visitNodes2(node.elements, visitArrayAssignmentElement, isExpression); return factory2.updateArrayLiteralExpression(node, elements); } else { const properties = visitNodes2(node.properties, visitObjectAssignmentElement, isObjectLiteralElementLike); return factory2.updateObjectLiteralExpression(node, properties); } } function visitExportAssignment(node) { if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) { node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.expression)); } return visitEachChild(node, visitor2, context); } function visitParenthesizedExpression(node, discarded) { const visitorFunc = discarded ? discardedValueVisitor : visitor2; const expression = visitNode(node.expression, visitorFunc, isExpression); return factory2.updateParenthesizedExpression(node, expression); } function visitPartiallyEmittedExpression(node, discarded) { const visitorFunc = discarded ? discardedValueVisitor : visitor2; const expression = visitNode(node.expression, visitorFunc, isExpression); return factory2.updatePartiallyEmittedExpression(node, expression); } function injectPendingExpressionsCommon(pendingExpressions2, expression) { if (some(pendingExpressions2)) { if (expression) { if (isParenthesizedExpression(expression)) { pendingExpressions2.push(expression.expression); expression = factory2.updateParenthesizedExpression(expression, factory2.inlineExpressions(pendingExpressions2)); } else { pendingExpressions2.push(expression); expression = factory2.inlineExpressions(pendingExpressions2); } } else { expression = factory2.inlineExpressions(pendingExpressions2); } } return expression; } function injectPendingExpressions(expression) { const result = injectPendingExpressionsCommon(pendingExpressions, expression); Debug.assertIsDefined(result); if (result !== expression) { pendingExpressions = void 0; } return result; } function injectPendingInitializers(classInfo2, isStatic2, expression) { const result = injectPendingExpressionsCommon(isStatic2 ? classInfo2.pendingStaticInitializers : classInfo2.pendingInstanceInitializers, expression); if (result !== expression) { if (isStatic2) { classInfo2.pendingStaticInitializers = void 0; } else { classInfo2.pendingInstanceInitializers = void 0; } } return result; } function transformAllDecoratorsOfDeclaration(allDecorators) { if (!allDecorators) { return void 0; } const decoratorExpressions = []; addRange(decoratorExpressions, map(allDecorators.decorators, transformDecorator)); return decoratorExpressions; } function transformDecorator(decorator) { const expression = visitNode(decorator.expression, visitor2, isExpression); setEmitFlags( expression, 3072 /* NoComments */ ); const innerExpression = skipOuterExpressions(expression); if (isAccessExpression(innerExpression)) { const { target, thisArg } = factory2.createCallBinding( expression, hoistVariableDeclaration, languageVersion, /*cacheIdentifiers*/ true ); return factory2.restoreOuterExpressions(expression, factory2.createFunctionBindCall(target, thisArg, [])); } return expression; } function createDescriptorMethod(original, name, modifiers, asteriskToken, kind, parameters, body) { const func = factory2.createFunctionExpression( modifiers, asteriskToken, /*name*/ void 0, /*typeParameters*/ void 0, parameters, /*type*/ void 0, body ?? factory2.createBlock([]) ); setOriginalNode(func, original); setSourceMapRange(func, moveRangePastDecorators(original)); setEmitFlags( func, 3072 /* NoComments */ ); const prefix = kind === "get" || kind === "set" ? kind : void 0; const functionName = factory2.createStringLiteralFromNode( name, /*isSingleQuote*/ void 0 ); const namedFunction = emitHelpers().createSetFunctionNameHelper(func, functionName, prefix); const method = factory2.createPropertyAssignment(factory2.createIdentifier(kind), namedFunction); setOriginalNode(method, original); setSourceMapRange(method, moveRangePastDecorators(original)); setEmitFlags( method, 3072 /* NoComments */ ); return method; } function createMethodDescriptorObject(node, modifiers) { return factory2.createObjectLiteralExpression([ createDescriptorMethod( node, node.name, modifiers, node.asteriskToken, "value", visitNodes2(node.parameters, visitor2, isParameter), visitNode(node.body, visitor2, isBlock) ) ]); } function createGetAccessorDescriptorObject(node, modifiers) { return factory2.createObjectLiteralExpression([ createDescriptorMethod( node, node.name, modifiers, /*asteriskToken*/ void 0, "get", [], visitNode(node.body, visitor2, isBlock) ) ]); } function createSetAccessorDescriptorObject(node, modifiers) { return factory2.createObjectLiteralExpression([ createDescriptorMethod( node, node.name, modifiers, /*asteriskToken*/ void 0, "set", visitNodes2(node.parameters, visitor2, isParameter), visitNode(node.body, visitor2, isBlock) ) ]); } function createAccessorPropertyDescriptorObject(node, modifiers) { return factory2.createObjectLiteralExpression([ createDescriptorMethod( node, node.name, modifiers, /*asteriskToken*/ void 0, "get", [], factory2.createBlock([ factory2.createReturnStatement( factory2.createPropertyAccessExpression( factory2.createThis(), factory2.getGeneratedPrivateNameForNode(node.name) ) ) ]) ), createDescriptorMethod( node, node.name, modifiers, /*asteriskToken*/ void 0, "set", [factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, "value" )], factory2.createBlock([ factory2.createExpressionStatement( factory2.createAssignment( factory2.createPropertyAccessExpression( factory2.createThis(), factory2.getGeneratedPrivateNameForNode(node.name) ), factory2.createIdentifier("value") ) ) ]) ) ]); } function createMethodDescriptorForwarder(modifiers, name, descriptorName) { modifiers = visitNodes2(modifiers, (node) => isStaticModifier(node) ? node : void 0, isModifier); return factory2.createGetAccessorDeclaration( modifiers, name, [], /*type*/ void 0, factory2.createBlock([ factory2.createReturnStatement( factory2.createPropertyAccessExpression( descriptorName, factory2.createIdentifier("value") ) ) ]) ); } function createGetAccessorDescriptorForwarder(modifiers, name, descriptorName) { modifiers = visitNodes2(modifiers, (node) => isStaticModifier(node) ? node : void 0, isModifier); return factory2.createGetAccessorDeclaration( modifiers, name, [], /*type*/ void 0, factory2.createBlock([ factory2.createReturnStatement( factory2.createFunctionCallCall( factory2.createPropertyAccessExpression( descriptorName, factory2.createIdentifier("get") ), factory2.createThis(), [] ) ) ]) ); } function createSetAccessorDescriptorForwarder(modifiers, name, descriptorName) { modifiers = visitNodes2(modifiers, (node) => isStaticModifier(node) ? node : void 0, isModifier); return factory2.createSetAccessorDeclaration( modifiers, name, [factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, "value" )], factory2.createBlock([ factory2.createReturnStatement( factory2.createFunctionCallCall( factory2.createPropertyAccessExpression( descriptorName, factory2.createIdentifier("set") ), factory2.createThis(), [factory2.createIdentifier("value")] ) ) ]) ); } function createMetadata(name, classSuper2) { const varDecl = factory2.createVariableDeclaration( name, /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createConditionalExpression( factory2.createLogicalAnd( factory2.createTypeCheck(factory2.createIdentifier("Symbol"), "function"), factory2.createPropertyAccessExpression(factory2.createIdentifier("Symbol"), "metadata") ), factory2.createToken( 58 /* QuestionToken */ ), factory2.createCallExpression( factory2.createPropertyAccessExpression(factory2.createIdentifier("Object"), "create"), /*typeArguments*/ void 0, [classSuper2 ? createSymbolMetadataReference(classSuper2) : factory2.createNull()] ), factory2.createToken( 59 /* ColonToken */ ), factory2.createVoidZero() ) ); return factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList( [varDecl], 2 /* Const */ ) ); } function createSymbolMetadata(target, value) { const defineProperty2 = factory2.createObjectDefinePropertyCall( target, factory2.createPropertyAccessExpression(factory2.createIdentifier("Symbol"), "metadata"), factory2.createPropertyDescriptor( { configurable: true, writable: true, enumerable: true, value }, /*singleLine*/ true ) ); return setEmitFlags( factory2.createIfStatement(value, factory2.createExpressionStatement(defineProperty2)), 1 /* SingleLine */ ); } function createSymbolMetadataReference(classSuper2) { return factory2.createBinaryExpression( factory2.createElementAccessExpression( classSuper2, factory2.createPropertyAccessExpression(factory2.createIdentifier("Symbol"), "metadata") ), 61, factory2.createNull() ); } } function transformES2017(context) { const { factory: factory2, getEmitHelperFactory: emitHelpers, resumeLexicalEnvironment, endLexicalEnvironment, hoistVariableDeclaration } = context; const resolver = context.getEmitResolver(); const compilerOptions = context.getCompilerOptions(); const languageVersion = getEmitScriptTarget(compilerOptions); let enabledSubstitutions; let enclosingSuperContainerFlags = 0; let enclosingFunctionParameterNames; let capturedSuperProperties; let hasSuperElementAccess; let lexicalArgumentsBinding; const substitutedSuperAccessors = []; let contextFlags = 0; const previousOnEmitNode = context.onEmitNode; const previousOnSubstituteNode = context.onSubstituteNode; context.onEmitNode = onEmitNode; context.onSubstituteNode = onSubstituteNode; return chainBundle(context, transformSourceFile); function transformSourceFile(node) { if (node.isDeclarationFile) { return node; } setContextFlag(1, false); setContextFlag(2, !isEffectiveStrictModeSourceFile(node, compilerOptions)); const visited = visitEachChild(node, visitor2, context); addEmitHelpers(visited, context.readEmitHelpers()); return visited; } function setContextFlag(flag, val) { contextFlags = val ? contextFlags | flag : contextFlags & ~flag; } function inContext(flags) { return (contextFlags & flags) !== 0; } function inTopLevelContext() { return !inContext( 1 /* NonTopLevel */ ); } function inHasLexicalThisContext() { return inContext( 2 /* HasLexicalThis */ ); } function doWithContext(flags, cb, value) { const contextFlagsToSet = flags & ~contextFlags; if (contextFlagsToSet) { setContextFlag( contextFlagsToSet, /*val*/ true ); const result = cb(value); setContextFlag( contextFlagsToSet, /*val*/ false ); return result; } return cb(value); } function visitDefault(node) { return visitEachChild(node, visitor2, context); } function argumentsVisitor(node) { switch (node.kind) { case 218: case 262: case 174: case 177: case 178: case 176: return node; case 169: case 208: case 260: break; case 80: if (lexicalArgumentsBinding && resolver.isArgumentsLocalBinding(node)) { return lexicalArgumentsBinding; } break; } return visitEachChild(node, argumentsVisitor, context); } function visitor2(node) { if ((node.transformFlags & 256) === 0) { return lexicalArgumentsBinding ? argumentsVisitor(node) : node; } switch (node.kind) { case 134: return void 0; case 223: return visitAwaitExpression(node); case 174: return doWithContext(1 | 2, visitMethodDeclaration, node); case 262: return doWithContext(1 | 2, visitFunctionDeclaration, node); case 218: return doWithContext(1 | 2, visitFunctionExpression, node); case 219: return doWithContext(1, visitArrowFunction, node); case 211: if (capturedSuperProperties && isPropertyAccessExpression(node) && node.expression.kind === 108) { capturedSuperProperties.add(node.name.escapedText); } return visitEachChild(node, visitor2, context); case 212: if (capturedSuperProperties && node.expression.kind === 108) { hasSuperElementAccess = true; } return visitEachChild(node, visitor2, context); case 177: return doWithContext(1 | 2, visitGetAccessorDeclaration, node); case 178: return doWithContext(1 | 2, visitSetAccessorDeclaration, node); case 176: return doWithContext(1 | 2, visitConstructorDeclaration, node); case 263: case 231: return doWithContext(1 | 2, visitDefault, node); default: return visitEachChild(node, visitor2, context); } } function asyncBodyVisitor(node) { if (isNodeWithPossibleHoistedDeclaration(node)) { switch (node.kind) { case 243: return visitVariableStatementInAsyncBody(node); case 248: return visitForStatementInAsyncBody(node); case 249: return visitForInStatementInAsyncBody(node); case 250: return visitForOfStatementInAsyncBody(node); case 299: return visitCatchClauseInAsyncBody(node); case 241: case 255: case 269: case 296: case 297: case 258: case 246: case 247: case 245: case 254: case 256: return visitEachChild(node, asyncBodyVisitor, context); default: return Debug.assertNever(node, "Unhandled node."); } } return visitor2(node); } function visitCatchClauseInAsyncBody(node) { const catchClauseNames = /* @__PURE__ */ new Set(); recordDeclarationName(node.variableDeclaration, catchClauseNames); let catchClauseUnshadowedNames; catchClauseNames.forEach((_, escapedName) => { if (enclosingFunctionParameterNames.has(escapedName)) { if (!catchClauseUnshadowedNames) { catchClauseUnshadowedNames = new Set(enclosingFunctionParameterNames); } catchClauseUnshadowedNames.delete(escapedName); } }); if (catchClauseUnshadowedNames) { const savedEnclosingFunctionParameterNames = enclosingFunctionParameterNames; enclosingFunctionParameterNames = catchClauseUnshadowedNames; const result = visitEachChild(node, asyncBodyVisitor, context); enclosingFunctionParameterNames = savedEnclosingFunctionParameterNames; return result; } else { return visitEachChild(node, asyncBodyVisitor, context); } } function visitVariableStatementInAsyncBody(node) { if (isVariableDeclarationListWithCollidingName(node.declarationList)) { const expression = visitVariableDeclarationListWithCollidingNames( node.declarationList, /*hasReceiver*/ false ); return expression ? factory2.createExpressionStatement(expression) : void 0; } return visitEachChild(node, visitor2, context); } function visitForInStatementInAsyncBody(node) { return factory2.updateForInStatement( node, isVariableDeclarationListWithCollidingName(node.initializer) ? visitVariableDeclarationListWithCollidingNames( node.initializer, /*hasReceiver*/ true ) : Debug.checkDefined(visitNode(node.initializer, visitor2, isForInitializer)), Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)), visitIterationBody(node.statement, asyncBodyVisitor, context) ); } function visitForOfStatementInAsyncBody(node) { return factory2.updateForOfStatement( node, visitNode(node.awaitModifier, visitor2, isAwaitKeyword), isVariableDeclarationListWithCollidingName(node.initializer) ? visitVariableDeclarationListWithCollidingNames( node.initializer, /*hasReceiver*/ true ) : Debug.checkDefined(visitNode(node.initializer, visitor2, isForInitializer)), Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)), visitIterationBody(node.statement, asyncBodyVisitor, context) ); } function visitForStatementInAsyncBody(node) { const initializer = node.initializer; return factory2.updateForStatement( node, isVariableDeclarationListWithCollidingName(initializer) ? visitVariableDeclarationListWithCollidingNames( initializer, /*hasReceiver*/ false ) : visitNode(node.initializer, visitor2, isForInitializer), visitNode(node.condition, visitor2, isExpression), visitNode(node.incrementor, visitor2, isExpression), visitIterationBody(node.statement, asyncBodyVisitor, context) ); } function visitAwaitExpression(node) { if (inTopLevelContext()) { return visitEachChild(node, visitor2, context); } return setOriginalNode( setTextRange( factory2.createYieldExpression( /*asteriskToken*/ void 0, visitNode(node.expression, visitor2, isExpression) ), node ), node ); } function visitConstructorDeclaration(node) { const savedLexicalArgumentsBinding = lexicalArgumentsBinding; lexicalArgumentsBinding = void 0; const updated = factory2.updateConstructorDeclaration( node, visitNodes2(node.modifiers, visitor2, isModifier), visitParameterList(node.parameters, visitor2, context), transformMethodBody(node) ); lexicalArgumentsBinding = savedLexicalArgumentsBinding; return updated; } function visitMethodDeclaration(node) { let parameters; const functionFlags = getFunctionFlags(node); const savedLexicalArgumentsBinding = lexicalArgumentsBinding; lexicalArgumentsBinding = void 0; const updated = factory2.updateMethodDeclaration( node, visitNodes2(node.modifiers, visitor2, isModifierLike), node.asteriskToken, node.name, /*questionToken*/ void 0, /*typeParameters*/ void 0, parameters = functionFlags & 2 ? transformAsyncFunctionParameterList(node) : visitParameterList(node.parameters, visitor2, context), /*type*/ void 0, functionFlags & 2 ? transformAsyncFunctionBody(node, parameters) : transformMethodBody(node) ); lexicalArgumentsBinding = savedLexicalArgumentsBinding; return updated; } function visitGetAccessorDeclaration(node) { const savedLexicalArgumentsBinding = lexicalArgumentsBinding; lexicalArgumentsBinding = void 0; const updated = factory2.updateGetAccessorDeclaration( node, visitNodes2(node.modifiers, visitor2, isModifierLike), node.name, visitParameterList(node.parameters, visitor2, context), /*type*/ void 0, transformMethodBody(node) ); lexicalArgumentsBinding = savedLexicalArgumentsBinding; return updated; } function visitSetAccessorDeclaration(node) { const savedLexicalArgumentsBinding = lexicalArgumentsBinding; lexicalArgumentsBinding = void 0; const updated = factory2.updateSetAccessorDeclaration( node, visitNodes2(node.modifiers, visitor2, isModifierLike), node.name, visitParameterList(node.parameters, visitor2, context), transformMethodBody(node) ); lexicalArgumentsBinding = savedLexicalArgumentsBinding; return updated; } function visitFunctionDeclaration(node) { let parameters; const savedLexicalArgumentsBinding = lexicalArgumentsBinding; lexicalArgumentsBinding = void 0; const functionFlags = getFunctionFlags(node); const updated = factory2.updateFunctionDeclaration( node, visitNodes2(node.modifiers, visitor2, isModifierLike), node.asteriskToken, node.name, /*typeParameters*/ void 0, parameters = functionFlags & 2 ? transformAsyncFunctionParameterList(node) : visitParameterList(node.parameters, visitor2, context), /*type*/ void 0, functionFlags & 2 ? transformAsyncFunctionBody(node, parameters) : visitFunctionBody(node.body, visitor2, context) ); lexicalArgumentsBinding = savedLexicalArgumentsBinding; return updated; } function visitFunctionExpression(node) { let parameters; const savedLexicalArgumentsBinding = lexicalArgumentsBinding; lexicalArgumentsBinding = void 0; const functionFlags = getFunctionFlags(node); const updated = factory2.updateFunctionExpression( node, visitNodes2(node.modifiers, visitor2, isModifier), node.asteriskToken, node.name, /*typeParameters*/ void 0, parameters = functionFlags & 2 ? transformAsyncFunctionParameterList(node) : visitParameterList(node.parameters, visitor2, context), /*type*/ void 0, functionFlags & 2 ? transformAsyncFunctionBody(node, parameters) : visitFunctionBody(node.body, visitor2, context) ); lexicalArgumentsBinding = savedLexicalArgumentsBinding; return updated; } function visitArrowFunction(node) { let parameters; const functionFlags = getFunctionFlags(node); return factory2.updateArrowFunction( node, visitNodes2(node.modifiers, visitor2, isModifier), /*typeParameters*/ void 0, parameters = functionFlags & 2 ? transformAsyncFunctionParameterList(node) : visitParameterList(node.parameters, visitor2, context), /*type*/ void 0, node.equalsGreaterThanToken, functionFlags & 2 ? transformAsyncFunctionBody(node, parameters) : visitFunctionBody(node.body, visitor2, context) ); } function recordDeclarationName({ name }, names) { if (isIdentifier(name)) { names.add(name.escapedText); } else { for (const element of name.elements) { if (!isOmittedExpression(element)) { recordDeclarationName(element, names); } } } } function isVariableDeclarationListWithCollidingName(node) { return !!node && isVariableDeclarationList(node) && !(node.flags & 7) && node.declarations.some(collidesWithParameterName); } function visitVariableDeclarationListWithCollidingNames(node, hasReceiver) { hoistVariableDeclarationList(node); const variables = getInitializedVariables(node); if (variables.length === 0) { if (hasReceiver) { return visitNode(factory2.converters.convertToAssignmentElementTarget(node.declarations[0].name), visitor2, isExpression); } return void 0; } return factory2.inlineExpressions(map(variables, transformInitializedVariable)); } function hoistVariableDeclarationList(node) { forEach(node.declarations, hoistVariable); } function hoistVariable({ name }) { if (isIdentifier(name)) { hoistVariableDeclaration(name); } else { for (const element of name.elements) { if (!isOmittedExpression(element)) { hoistVariable(element); } } } } function transformInitializedVariable(node) { const converted = setSourceMapRange( factory2.createAssignment( factory2.converters.convertToAssignmentElementTarget(node.name), node.initializer ), node ); return Debug.checkDefined(visitNode(converted, visitor2, isExpression)); } function collidesWithParameterName({ name }) { if (isIdentifier(name)) { return enclosingFunctionParameterNames.has(name.escapedText); } else { for (const element of name.elements) { if (!isOmittedExpression(element) && collidesWithParameterName(element)) { return true; } } } return false; } function transformMethodBody(node) { Debug.assertIsDefined(node.body); const savedCapturedSuperProperties = capturedSuperProperties; const savedHasSuperElementAccess = hasSuperElementAccess; capturedSuperProperties = /* @__PURE__ */ new Set(); hasSuperElementAccess = false; let updated = visitFunctionBody(node.body, visitor2, context); const originalMethod = getOriginalNode(node, isFunctionLikeDeclaration); const emitSuperHelpers = languageVersion >= 2 && (resolver.hasNodeCheckFlag( node, 256 /* MethodWithSuperPropertyAssignmentInAsync */ ) || resolver.hasNodeCheckFlag( node, 128 /* MethodWithSuperPropertyAccessInAsync */ )) && (getFunctionFlags(originalMethod) & 3) !== 3; if (emitSuperHelpers) { enableSubstitutionForAsyncMethodsWithSuper(); if (capturedSuperProperties.size) { const variableStatement = createSuperAccessVariableStatement(factory2, resolver, node, capturedSuperProperties); substitutedSuperAccessors[getNodeId(variableStatement)] = true; const statements = updated.statements.slice(); insertStatementsAfterStandardPrologue(statements, [variableStatement]); updated = factory2.updateBlock(updated, statements); } if (hasSuperElementAccess) { if (resolver.hasNodeCheckFlag( node, 256 /* MethodWithSuperPropertyAssignmentInAsync */ )) { addEmitHelper(updated, advancedAsyncSuperHelper); } else if (resolver.hasNodeCheckFlag( node, 128 /* MethodWithSuperPropertyAccessInAsync */ )) { addEmitHelper(updated, asyncSuperHelper); } } } capturedSuperProperties = savedCapturedSuperProperties; hasSuperElementAccess = savedHasSuperElementAccess; return updated; } function createCaptureArgumentsStatement() { Debug.assert(lexicalArgumentsBinding); const variable = factory2.createVariableDeclaration( lexicalArgumentsBinding, /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createIdentifier("arguments") ); const statement = factory2.createVariableStatement( /*modifiers*/ void 0, [variable] ); startOnNewLine(statement); addEmitFlags( statement, 2097152 /* CustomPrologue */ ); return statement; } function transformAsyncFunctionParameterList(node) { if (isSimpleParameterList(node.parameters)) { return visitParameterList(node.parameters, visitor2, context); } const newParameters = []; for (const parameter of node.parameters) { if (parameter.initializer || parameter.dotDotDotToken) { if (node.kind === 219) { const restParameter = factory2.createParameterDeclaration( /*modifiers*/ void 0, factory2.createToken( 26 /* DotDotDotToken */ ), factory2.createUniqueName( "args", 8 /* ReservedInNestedScopes */ ) ); newParameters.push(restParameter); } break; } const newParameter = factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, factory2.getGeneratedNameForNode( parameter.name, 8 /* ReservedInNestedScopes */ ) ); newParameters.push(newParameter); } const newParametersArray = factory2.createNodeArray(newParameters); setTextRange(newParametersArray, node.parameters); return newParametersArray; } function transformAsyncFunctionBody(node, outerParameters) { const innerParameters = !isSimpleParameterList(node.parameters) ? visitParameterList(node.parameters, visitor2, context) : void 0; resumeLexicalEnvironment(); const original = getOriginalNode(node, isFunctionLike); const nodeType = original.type; const promiseConstructor = languageVersion < 2 ? getPromiseConstructor(nodeType) : void 0; const isArrowFunction2 = node.kind === 219; const savedLexicalArgumentsBinding = lexicalArgumentsBinding; const hasLexicalArguments = resolver.hasNodeCheckFlag( node, 512 /* CaptureArguments */ ); const captureLexicalArguments = hasLexicalArguments && !lexicalArgumentsBinding; if (captureLexicalArguments) { lexicalArgumentsBinding = factory2.createUniqueName("arguments"); } let argumentsExpression; if (innerParameters) { if (isArrowFunction2) { const parameterBindings = []; Debug.assert(outerParameters.length <= node.parameters.length); for (let i = 0; i < node.parameters.length; i++) { Debug.assert(i < outerParameters.length); const originalParameter = node.parameters[i]; const outerParameter = outerParameters[i]; Debug.assertNode(outerParameter.name, isIdentifier); if (originalParameter.initializer || originalParameter.dotDotDotToken) { Debug.assert(i === outerParameters.length - 1); parameterBindings.push(factory2.createSpreadElement(outerParameter.name)); break; } parameterBindings.push(outerParameter.name); } argumentsExpression = factory2.createArrayLiteralExpression(parameterBindings); } else { argumentsExpression = factory2.createIdentifier("arguments"); } } const savedEnclosingFunctionParameterNames = enclosingFunctionParameterNames; enclosingFunctionParameterNames = /* @__PURE__ */ new Set(); for (const parameter of node.parameters) { recordDeclarationName(parameter, enclosingFunctionParameterNames); } const savedCapturedSuperProperties = capturedSuperProperties; const savedHasSuperElementAccess = hasSuperElementAccess; if (!isArrowFunction2) { capturedSuperProperties = /* @__PURE__ */ new Set(); hasSuperElementAccess = false; } const hasLexicalThis = inHasLexicalThisContext(); let asyncBody = transformAsyncFunctionBodyWorker(node.body); asyncBody = factory2.updateBlock(asyncBody, factory2.mergeLexicalEnvironment(asyncBody.statements, endLexicalEnvironment())); let result; if (!isArrowFunction2) { const statements = []; statements.push( factory2.createReturnStatement( emitHelpers().createAwaiterHelper( hasLexicalThis, argumentsExpression, promiseConstructor, innerParameters, asyncBody ) ) ); const emitSuperHelpers = languageVersion >= 2 && (resolver.hasNodeCheckFlag( node, 256 /* MethodWithSuperPropertyAssignmentInAsync */ ) || resolver.hasNodeCheckFlag( node, 128 /* MethodWithSuperPropertyAccessInAsync */ )); if (emitSuperHelpers) { enableSubstitutionForAsyncMethodsWithSuper(); if (capturedSuperProperties.size) { const variableStatement = createSuperAccessVariableStatement(factory2, resolver, node, capturedSuperProperties); substitutedSuperAccessors[getNodeId(variableStatement)] = true; insertStatementsAfterStandardPrologue(statements, [variableStatement]); } } if (captureLexicalArguments) { insertStatementsAfterStandardPrologue(statements, [createCaptureArgumentsStatement()]); } const block = factory2.createBlock( statements, /*multiLine*/ true ); setTextRange(block, node.body); if (emitSuperHelpers && hasSuperElementAccess) { if (resolver.hasNodeCheckFlag( node, 256 /* MethodWithSuperPropertyAssignmentInAsync */ )) { addEmitHelper(block, advancedAsyncSuperHelper); } else if (resolver.hasNodeCheckFlag( node, 128 /* MethodWithSuperPropertyAccessInAsync */ )) { addEmitHelper(block, asyncSuperHelper); } } result = block; } else { result = emitHelpers().createAwaiterHelper( hasLexicalThis, argumentsExpression, promiseConstructor, innerParameters, asyncBody ); if (captureLexicalArguments) { const block = factory2.converters.convertToFunctionBlock(result); result = factory2.updateBlock(block, factory2.mergeLexicalEnvironment(block.statements, [createCaptureArgumentsStatement()])); } } enclosingFunctionParameterNames = savedEnclosingFunctionParameterNames; if (!isArrowFunction2) { capturedSuperProperties = savedCapturedSuperProperties; hasSuperElementAccess = savedHasSuperElementAccess; lexicalArgumentsBinding = savedLexicalArgumentsBinding; } return result; } function transformAsyncFunctionBodyWorker(body, start) { if (isBlock(body)) { return factory2.updateBlock(body, visitNodes2(body.statements, asyncBodyVisitor, isStatement, start)); } else { return factory2.converters.convertToFunctionBlock(Debug.checkDefined(visitNode(body, asyncBodyVisitor, isConciseBody))); } } function getPromiseConstructor(type) { const typeName = type && getEntityNameFromTypeNode(type); if (typeName && isEntityName(typeName)) { const serializationKind = resolver.getTypeReferenceSerializationKind(typeName); if (serializationKind === 1 || serializationKind === 0) { return typeName; } } return void 0; } function enableSubstitutionForAsyncMethodsWithSuper() { if ((enabledSubstitutions & 1) === 0) { enabledSubstitutions |= 1; context.enableSubstitution( 213 /* CallExpression */ ); context.enableSubstitution( 211 /* PropertyAccessExpression */ ); context.enableSubstitution( 212 /* ElementAccessExpression */ ); context.enableEmitNotification( 263 /* ClassDeclaration */ ); context.enableEmitNotification( 174 /* MethodDeclaration */ ); context.enableEmitNotification( 177 /* GetAccessor */ ); context.enableEmitNotification( 178 /* SetAccessor */ ); context.enableEmitNotification( 176 /* Constructor */ ); context.enableEmitNotification( 243 /* VariableStatement */ ); } } function onEmitNode(hint, node, emitCallback) { if (enabledSubstitutions & 1 && isSuperContainer(node)) { const superContainerFlags = (resolver.hasNodeCheckFlag( node, 128 /* MethodWithSuperPropertyAccessInAsync */ ) ? 128 : 0) | (resolver.hasNodeCheckFlag( node, 256 /* MethodWithSuperPropertyAssignmentInAsync */ ) ? 256 : 0); if (superContainerFlags !== enclosingSuperContainerFlags) { const savedEnclosingSuperContainerFlags = enclosingSuperContainerFlags; enclosingSuperContainerFlags = superContainerFlags; previousOnEmitNode(hint, node, emitCallback); enclosingSuperContainerFlags = savedEnclosingSuperContainerFlags; return; } } else if (enabledSubstitutions && substitutedSuperAccessors[getNodeId(node)]) { const savedEnclosingSuperContainerFlags = enclosingSuperContainerFlags; enclosingSuperContainerFlags = 0; previousOnEmitNode(hint, node, emitCallback); enclosingSuperContainerFlags = savedEnclosingSuperContainerFlags; return; } previousOnEmitNode(hint, node, emitCallback); } function onSubstituteNode(hint, node) { node = previousOnSubstituteNode(hint, node); if (hint === 1 && enclosingSuperContainerFlags) { return substituteExpression(node); } return node; } function substituteExpression(node) { switch (node.kind) { case 211: return substitutePropertyAccessExpression(node); case 212: return substituteElementAccessExpression(node); case 213: return substituteCallExpression(node); } return node; } function substitutePropertyAccessExpression(node) { if (node.expression.kind === 108) { return setTextRange( factory2.createPropertyAccessExpression( factory2.createUniqueName( "_super", 16 | 32 /* FileLevel */ ), node.name ), node ); } return node; } function substituteElementAccessExpression(node) { if (node.expression.kind === 108) { return createSuperElementAccessInAsyncMethod( node.argumentExpression, node ); } return node; } function substituteCallExpression(node) { const expression = node.expression; if (isSuperProperty(expression)) { const argumentExpression = isPropertyAccessExpression(expression) ? substitutePropertyAccessExpression(expression) : substituteElementAccessExpression(expression); return factory2.createCallExpression( factory2.createPropertyAccessExpression(argumentExpression, "call"), /*typeArguments*/ void 0, [ factory2.createThis(), ...node.arguments ] ); } return node; } function isSuperContainer(node) { const kind = node.kind; return kind === 263 || kind === 176 || kind === 174 || kind === 177 || kind === 178; } function createSuperElementAccessInAsyncMethod(argumentExpression, location) { if (enclosingSuperContainerFlags & 256) { return setTextRange( factory2.createPropertyAccessExpression( factory2.createCallExpression( factory2.createUniqueName( "_superIndex", 16 | 32 /* FileLevel */ ), /*typeArguments*/ void 0, [argumentExpression] ), "value" ), location ); } else { return setTextRange( factory2.createCallExpression( factory2.createUniqueName( "_superIndex", 16 | 32 /* FileLevel */ ), /*typeArguments*/ void 0, [argumentExpression] ), location ); } } } function createSuperAccessVariableStatement(factory2, resolver, node, names) { const hasBinding = resolver.hasNodeCheckFlag( node, 256 /* MethodWithSuperPropertyAssignmentInAsync */ ); const accessors = []; names.forEach((_, key) => { const name = unescapeLeadingUnderscores(key); const getterAndSetter = []; getterAndSetter.push(factory2.createPropertyAssignment( "get", factory2.createArrowFunction( /*modifiers*/ void 0, /*typeParameters*/ void 0, /* parameters */ [], /*type*/ void 0, /*equalsGreaterThanToken*/ void 0, setEmitFlags( factory2.createPropertyAccessExpression( setEmitFlags( factory2.createSuper(), 8 /* NoSubstitution */ ), name ), 8 /* NoSubstitution */ ) ) )); if (hasBinding) { getterAndSetter.push( factory2.createPropertyAssignment( "set", factory2.createArrowFunction( /*modifiers*/ void 0, /*typeParameters*/ void 0, /* parameters */ [ factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, "v", /*questionToken*/ void 0, /*type*/ void 0, /*initializer*/ void 0 ) ], /*type*/ void 0, /*equalsGreaterThanToken*/ void 0, factory2.createAssignment( setEmitFlags( factory2.createPropertyAccessExpression( setEmitFlags( factory2.createSuper(), 8 /* NoSubstitution */ ), name ), 8 /* NoSubstitution */ ), factory2.createIdentifier("v") ) ) ) ); } accessors.push( factory2.createPropertyAssignment( name, factory2.createObjectLiteralExpression(getterAndSetter) ) ); }); return factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList( [ factory2.createVariableDeclaration( factory2.createUniqueName( "_super", 16 | 32 /* FileLevel */ ), /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createCallExpression( factory2.createPropertyAccessExpression( factory2.createIdentifier("Object"), "create" ), /*typeArguments*/ void 0, [ factory2.createNull(), factory2.createObjectLiteralExpression( accessors, /*multiLine*/ true ) ] ) ) ], 2 /* Const */ ) ); } function transformES2018(context) { const { factory: factory2, getEmitHelperFactory: emitHelpers, resumeLexicalEnvironment, endLexicalEnvironment, hoistVariableDeclaration } = context; const resolver = context.getEmitResolver(); const compilerOptions = context.getCompilerOptions(); const languageVersion = getEmitScriptTarget(compilerOptions); const previousOnEmitNode = context.onEmitNode; context.onEmitNode = onEmitNode; const previousOnSubstituteNode = context.onSubstituteNode; context.onSubstituteNode = onSubstituteNode; let exportedVariableStatement = false; let enabledSubstitutions; let enclosingFunctionFlags; let parametersWithPrecedingObjectRestOrSpread; let enclosingSuperContainerFlags = 0; let hierarchyFacts = 0; let currentSourceFile; let taggedTemplateStringDeclarations; let capturedSuperProperties; let hasSuperElementAccess; const substitutedSuperAccessors = []; return chainBundle(context, transformSourceFile); function affectsSubtree(excludeFacts, includeFacts) { return hierarchyFacts !== (hierarchyFacts & ~excludeFacts | includeFacts); } function enterSubtree(excludeFacts, includeFacts) { const ancestorFacts = hierarchyFacts; hierarchyFacts = (hierarchyFacts & ~excludeFacts | includeFacts) & 3; return ancestorFacts; } function exitSubtree(ancestorFacts) { hierarchyFacts = ancestorFacts; } function recordTaggedTemplateString(temp) { taggedTemplateStringDeclarations = append( taggedTemplateStringDeclarations, factory2.createVariableDeclaration(temp) ); } function transformSourceFile(node) { if (node.isDeclarationFile) { return node; } currentSourceFile = node; const visited = visitSourceFile(node); addEmitHelpers(visited, context.readEmitHelpers()); currentSourceFile = void 0; taggedTemplateStringDeclarations = void 0; return visited; } function visitor2(node) { return visitorWorker( node, /*expressionResultIsUnused*/ false ); } function visitorWithUnusedExpressionResult(node) { return visitorWorker( node, /*expressionResultIsUnused*/ true ); } function visitorNoAsyncModifier(node) { if (node.kind === 134) { return void 0; } return node; } function doWithHierarchyFacts(cb, value, excludeFacts, includeFacts) { if (affectsSubtree(excludeFacts, includeFacts)) { const ancestorFacts = enterSubtree(excludeFacts, includeFacts); const result = cb(value); exitSubtree(ancestorFacts); return result; } return cb(value); } function visitDefault(node) { return visitEachChild(node, visitor2, context); } function visitorWorker(node, expressionResultIsUnused2) { if ((node.transformFlags & 128) === 0) { return node; } switch (node.kind) { case 223: return visitAwaitExpression(node); case 229: return visitYieldExpression(node); case 253: return visitReturnStatement(node); case 256: return visitLabeledStatement(node); case 210: return visitObjectLiteralExpression(node); case 226: return visitBinaryExpression(node, expressionResultIsUnused2); case 355: return visitCommaListExpression(node, expressionResultIsUnused2); case 299: return visitCatchClause(node); case 243: return visitVariableStatement(node); case 260: return visitVariableDeclaration(node); case 246: case 247: case 249: return doWithHierarchyFacts( visitDefault, node, 0, 2 /* IterationStatementIncludes */ ); case 250: return visitForOfStatement( node, /*outermostLabeledStatement*/ void 0 ); case 248: return doWithHierarchyFacts( visitForStatement, node, 0, 2 /* IterationStatementIncludes */ ); case 222: return visitVoidExpression(node); case 176: return doWithHierarchyFacts( visitConstructorDeclaration, node, 2, 1 /* ClassOrFunctionIncludes */ ); case 174: return doWithHierarchyFacts( visitMethodDeclaration, node, 2, 1 /* ClassOrFunctionIncludes */ ); case 177: return doWithHierarchyFacts( visitGetAccessorDeclaration, node, 2, 1 /* ClassOrFunctionIncludes */ ); case 178: return doWithHierarchyFacts( visitSetAccessorDeclaration, node, 2, 1 /* ClassOrFunctionIncludes */ ); case 262: return doWithHierarchyFacts( visitFunctionDeclaration, node, 2, 1 /* ClassOrFunctionIncludes */ ); case 218: return doWithHierarchyFacts( visitFunctionExpression, node, 2, 1 /* ClassOrFunctionIncludes */ ); case 219: return doWithHierarchyFacts( visitArrowFunction, node, 2, 0 /* ArrowFunctionIncludes */ ); case 169: return visitParameter(node); case 244: return visitExpressionStatement(node); case 217: return visitParenthesizedExpression(node, expressionResultIsUnused2); case 215: return visitTaggedTemplateExpression(node); case 211: if (capturedSuperProperties && isPropertyAccessExpression(node) && node.expression.kind === 108) { capturedSuperProperties.add(node.name.escapedText); } return visitEachChild(node, visitor2, context); case 212: if (capturedSuperProperties && node.expression.kind === 108) { hasSuperElementAccess = true; } return visitEachChild(node, visitor2, context); case 263: case 231: return doWithHierarchyFacts( visitDefault, node, 2, 1 /* ClassOrFunctionIncludes */ ); default: return visitEachChild(node, visitor2, context); } } function visitAwaitExpression(node) { if (enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1) { return setOriginalNode( setTextRange( factory2.createYieldExpression( /*asteriskToken*/ void 0, emitHelpers().createAwaitHelper(visitNode(node.expression, visitor2, isExpression)) ), /*location*/ node ), node ); } return visitEachChild(node, visitor2, context); } function visitYieldExpression(node) { if (enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1) { if (node.asteriskToken) { const expression = visitNode(Debug.checkDefined(node.expression), visitor2, isExpression); return setOriginalNode( setTextRange( factory2.createYieldExpression( /*asteriskToken*/ void 0, emitHelpers().createAwaitHelper( factory2.updateYieldExpression( node, node.asteriskToken, setTextRange( emitHelpers().createAsyncDelegatorHelper( setTextRange( emitHelpers().createAsyncValuesHelper(expression), expression ) ), expression ) ) ) ), node ), node ); } return setOriginalNode( setTextRange( factory2.createYieldExpression( /*asteriskToken*/ void 0, createDownlevelAwait( node.expression ? visitNode(node.expression, visitor2, isExpression) : factory2.createVoidZero() ) ), node ), node ); } return visitEachChild(node, visitor2, context); } function visitReturnStatement(node) { if (enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1) { return factory2.updateReturnStatement( node, createDownlevelAwait( node.expression ? visitNode(node.expression, visitor2, isExpression) : factory2.createVoidZero() ) ); } return visitEachChild(node, visitor2, context); } function visitLabeledStatement(node) { if (enclosingFunctionFlags & 2) { const statement = unwrapInnermostStatementOfLabel(node); if (statement.kind === 250 && statement.awaitModifier) { return visitForOfStatement(statement, node); } return factory2.restoreEnclosingLabel(visitNode(statement, visitor2, isStatement, factory2.liftToBlock), node); } return visitEachChild(node, visitor2, context); } function chunkObjectLiteralElements(elements) { let chunkObject; const objects = []; for (const e of elements) { if (e.kind === 305) { if (chunkObject) { objects.push(factory2.createObjectLiteralExpression(chunkObject)); chunkObject = void 0; } const target = e.expression; objects.push(visitNode(target, visitor2, isExpression)); } else { chunkObject = append( chunkObject, e.kind === 303 ? factory2.createPropertyAssignment(e.name, visitNode(e.initializer, visitor2, isExpression)) : visitNode(e, visitor2, isObjectLiteralElementLike) ); } } if (chunkObject) { objects.push(factory2.createObjectLiteralExpression(chunkObject)); } return objects; } function visitObjectLiteralExpression(node) { if (node.transformFlags & 65536) { const objects = chunkObjectLiteralElements(node.properties); if (objects.length && objects[0].kind !== 210) { objects.unshift(factory2.createObjectLiteralExpression()); } let expression = objects[0]; if (objects.length > 1) { for (let i = 1; i < objects.length; i++) { expression = emitHelpers().createAssignHelper([expression, objects[i]]); } return expression; } else { return emitHelpers().createAssignHelper(objects); } } return visitEachChild(node, visitor2, context); } function visitExpressionStatement(node) { return visitEachChild(node, visitorWithUnusedExpressionResult, context); } function visitParenthesizedExpression(node, expressionResultIsUnused2) { return visitEachChild(node, expressionResultIsUnused2 ? visitorWithUnusedExpressionResult : visitor2, context); } function visitSourceFile(node) { const ancestorFacts = enterSubtree( 2, isEffectiveStrictModeSourceFile(node, compilerOptions) ? 0 : 1 /* SourceFileIncludes */ ); exportedVariableStatement = false; const visited = visitEachChild(node, visitor2, context); const statement = concatenate( visited.statements, taggedTemplateStringDeclarations && [ factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList(taggedTemplateStringDeclarations) ) ] ); const result = factory2.updateSourceFile(visited, setTextRange(factory2.createNodeArray(statement), node.statements)); exitSubtree(ancestorFacts); return result; } function visitTaggedTemplateExpression(node) { return processTaggedTemplateExpression( context, node, visitor2, currentSourceFile, recordTaggedTemplateString, 0 /* LiftRestriction */ ); } function visitBinaryExpression(node, expressionResultIsUnused2) { if (isDestructuringAssignment(node) && containsObjectRestOrSpread(node.left)) { return flattenDestructuringAssignment( node, visitor2, context, 1, !expressionResultIsUnused2 ); } if (node.operatorToken.kind === 28) { return factory2.updateBinaryExpression( node, visitNode(node.left, visitorWithUnusedExpressionResult, isExpression), node.operatorToken, visitNode(node.right, expressionResultIsUnused2 ? visitorWithUnusedExpressionResult : visitor2, isExpression) ); } return visitEachChild(node, visitor2, context); } function visitCommaListExpression(node, expressionResultIsUnused2) { if (expressionResultIsUnused2) { return visitEachChild(node, visitorWithUnusedExpressionResult, context); } let result; for (let i = 0; i < node.elements.length; i++) { const element = node.elements[i]; const visited = visitNode(element, i < node.elements.length - 1 ? visitorWithUnusedExpressionResult : visitor2, isExpression); if (result || visited !== element) { result || (result = node.elements.slice(0, i)); result.push(visited); } } const elements = result ? setTextRange(factory2.createNodeArray(result), node.elements) : node.elements; return factory2.updateCommaListExpression(node, elements); } function visitCatchClause(node) { if (node.variableDeclaration && isBindingPattern(node.variableDeclaration.name) && node.variableDeclaration.name.transformFlags & 65536) { const name = factory2.getGeneratedNameForNode(node.variableDeclaration.name); const updatedDecl = factory2.updateVariableDeclaration( node.variableDeclaration, node.variableDeclaration.name, /*exclamationToken*/ void 0, /*type*/ void 0, name ); const visitedBindings = flattenDestructuringBinding( updatedDecl, visitor2, context, 1 /* ObjectRest */ ); let block = visitNode(node.block, visitor2, isBlock); if (some(visitedBindings)) { block = factory2.updateBlock(block, [ factory2.createVariableStatement( /*modifiers*/ void 0, visitedBindings ), ...block.statements ]); } return factory2.updateCatchClause( node, factory2.updateVariableDeclaration( node.variableDeclaration, name, /*exclamationToken*/ void 0, /*type*/ void 0, /*initializer*/ void 0 ), block ); } return visitEachChild(node, visitor2, context); } function visitVariableStatement(node) { if (hasSyntacticModifier( node, 32 /* Export */ )) { const savedExportedVariableStatement = exportedVariableStatement; exportedVariableStatement = true; const visited = visitEachChild(node, visitor2, context); exportedVariableStatement = savedExportedVariableStatement; return visited; } return visitEachChild(node, visitor2, context); } function visitVariableDeclaration(node) { if (exportedVariableStatement) { const savedExportedVariableStatement = exportedVariableStatement; exportedVariableStatement = false; const visited = visitVariableDeclarationWorker( node, /*exportedVariableStatement*/ true ); exportedVariableStatement = savedExportedVariableStatement; return visited; } return visitVariableDeclarationWorker( node, /*exportedVariableStatement*/ false ); } function visitVariableDeclarationWorker(node, exportedVariableStatement2) { if (isBindingPattern(node.name) && node.name.transformFlags & 65536) { return flattenDestructuringBinding( node, visitor2, context, 1, /*rval*/ void 0, exportedVariableStatement2 ); } return visitEachChild(node, visitor2, context); } function visitForStatement(node) { return factory2.updateForStatement( node, visitNode(node.initializer, visitorWithUnusedExpressionResult, isForInitializer), visitNode(node.condition, visitor2, isExpression), visitNode(node.incrementor, visitorWithUnusedExpressionResult, isExpression), visitIterationBody(node.statement, visitor2, context) ); } function visitVoidExpression(node) { return visitEachChild(node, visitorWithUnusedExpressionResult, context); } function visitForOfStatement(node, outermostLabeledStatement) { const ancestorFacts = enterSubtree( 0, 2 /* IterationStatementIncludes */ ); if (node.initializer.transformFlags & 65536 || isAssignmentPattern(node.initializer) && containsObjectRestOrSpread(node.initializer)) { node = transformForOfStatementWithObjectRest(node); } const result = node.awaitModifier ? transformForAwaitOfStatement(node, outermostLabeledStatement, ancestorFacts) : factory2.restoreEnclosingLabel(visitEachChild(node, visitor2, context), outermostLabeledStatement); exitSubtree(ancestorFacts); return result; } function transformForOfStatementWithObjectRest(node) { const initializerWithoutParens = skipParentheses(node.initializer); if (isVariableDeclarationList(initializerWithoutParens) || isAssignmentPattern(initializerWithoutParens)) { let bodyLocation; let statementsLocation; const temp = factory2.createTempVariable( /*recordTempVariable*/ void 0 ); const statements = [createForOfBindingStatement(factory2, initializerWithoutParens, temp)]; if (isBlock(node.statement)) { addRange(statements, node.statement.statements); bodyLocation = node.statement; statementsLocation = node.statement.statements; } else if (node.statement) { append(statements, node.statement); bodyLocation = node.statement; statementsLocation = node.statement; } return factory2.updateForOfStatement( node, node.awaitModifier, setTextRange( factory2.createVariableDeclarationList( [ setTextRange(factory2.createVariableDeclaration(temp), node.initializer) ], 1 /* Let */ ), node.initializer ), node.expression, setTextRange( factory2.createBlock( setTextRange(factory2.createNodeArray(statements), statementsLocation), /*multiLine*/ true ), bodyLocation ) ); } return node; } function convertForOfStatementHead(node, boundValue, nonUserCode) { const value = factory2.createTempVariable(hoistVariableDeclaration); const iteratorValueExpression = factory2.createAssignment(value, boundValue); const iteratorValueStatement = factory2.createExpressionStatement(iteratorValueExpression); setSourceMapRange(iteratorValueStatement, node.expression); const exitNonUserCodeExpression = factory2.createAssignment(nonUserCode, factory2.createFalse()); const exitNonUserCodeStatement = factory2.createExpressionStatement(exitNonUserCodeExpression); setSourceMapRange(exitNonUserCodeStatement, node.expression); const statements = [iteratorValueStatement, exitNonUserCodeStatement]; const binding = createForOfBindingStatement(factory2, node.initializer, value); statements.push(visitNode(binding, visitor2, isStatement)); let bodyLocation; let statementsLocation; const statement = visitIterationBody(node.statement, visitor2, context); if (isBlock(statement)) { addRange(statements, statement.statements); bodyLocation = statement; statementsLocation = statement.statements; } else { statements.push(statement); } return setTextRange( factory2.createBlock( setTextRange(factory2.createNodeArray(statements), statementsLocation), /*multiLine*/ true ), bodyLocation ); } function createDownlevelAwait(expression) { return enclosingFunctionFlags & 1 ? factory2.createYieldExpression( /*asteriskToken*/ void 0, emitHelpers().createAwaitHelper(expression) ) : factory2.createAwaitExpression(expression); } function transformForAwaitOfStatement(node, outermostLabeledStatement, ancestorFacts) { const expression = visitNode(node.expression, visitor2, isExpression); const iterator = isIdentifier(expression) ? factory2.getGeneratedNameForNode(expression) : factory2.createTempVariable( /*recordTempVariable*/ void 0 ); const result = isIdentifier(expression) ? factory2.getGeneratedNameForNode(iterator) : factory2.createTempVariable( /*recordTempVariable*/ void 0 ); const nonUserCode = factory2.createTempVariable( /*recordTempVariable*/ void 0 ); const done = factory2.createTempVariable(hoistVariableDeclaration); const errorRecord = factory2.createUniqueName("e"); const catchVariable = factory2.getGeneratedNameForNode(errorRecord); const returnMethod = factory2.createTempVariable( /*recordTempVariable*/ void 0 ); const callValues = setTextRange(emitHelpers().createAsyncValuesHelper(expression), node.expression); const callNext = factory2.createCallExpression( factory2.createPropertyAccessExpression(iterator, "next"), /*typeArguments*/ void 0, [] ); const getDone = factory2.createPropertyAccessExpression(result, "done"); const getValue2 = factory2.createPropertyAccessExpression(result, "value"); const callReturn = factory2.createFunctionCallCall(returnMethod, iterator, []); hoistVariableDeclaration(errorRecord); hoistVariableDeclaration(returnMethod); const initializer = ancestorFacts & 2 ? factory2.inlineExpressions([factory2.createAssignment(errorRecord, factory2.createVoidZero()), callValues]) : callValues; const forStatement = setEmitFlags( setTextRange( factory2.createForStatement( /*initializer*/ setEmitFlags( setTextRange( factory2.createVariableDeclarationList([ factory2.createVariableDeclaration( nonUserCode, /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createTrue() ), setTextRange(factory2.createVariableDeclaration( iterator, /*exclamationToken*/ void 0, /*type*/ void 0, initializer ), node.expression), factory2.createVariableDeclaration(result) ]), node.expression ), 4194304 /* NoHoisting */ ), /*condition*/ factory2.inlineExpressions([ factory2.createAssignment(result, createDownlevelAwait(callNext)), factory2.createAssignment(done, getDone), factory2.createLogicalNot(done) ]), /*incrementor*/ factory2.createAssignment(nonUserCode, factory2.createTrue()), /*statement*/ convertForOfStatementHead(node, getValue2, nonUserCode) ), /*location*/ node ), 512 /* NoTokenTrailingSourceMaps */ ); setOriginalNode(forStatement, node); return factory2.createTryStatement( factory2.createBlock([ factory2.restoreEnclosingLabel( forStatement, outermostLabeledStatement ) ]), factory2.createCatchClause( factory2.createVariableDeclaration(catchVariable), setEmitFlags( factory2.createBlock([ factory2.createExpressionStatement( factory2.createAssignment( errorRecord, factory2.createObjectLiteralExpression([ factory2.createPropertyAssignment("error", catchVariable) ]) ) ) ]), 1 /* SingleLine */ ) ), factory2.createBlock([ factory2.createTryStatement( /*tryBlock*/ factory2.createBlock([ setEmitFlags( factory2.createIfStatement( factory2.createLogicalAnd( factory2.createLogicalAnd( factory2.createLogicalNot(nonUserCode), factory2.createLogicalNot(done) ), factory2.createAssignment( returnMethod, factory2.createPropertyAccessExpression(iterator, "return") ) ), factory2.createExpressionStatement(createDownlevelAwait(callReturn)) ), 1 /* SingleLine */ ) ]), /*catchClause*/ void 0, /*finallyBlock*/ setEmitFlags( factory2.createBlock([ setEmitFlags( factory2.createIfStatement( errorRecord, factory2.createThrowStatement( factory2.createPropertyAccessExpression(errorRecord, "error") ) ), 1 /* SingleLine */ ) ]), 1 /* SingleLine */ ) ) ]) ); } function parameterVisitor(node) { Debug.assertNode(node, isParameter); return visitParameter(node); } function visitParameter(node) { if (parametersWithPrecedingObjectRestOrSpread == null ? void 0 : parametersWithPrecedingObjectRestOrSpread.has(node)) { return factory2.updateParameterDeclaration( node, /*modifiers*/ void 0, node.dotDotDotToken, isBindingPattern(node.name) ? factory2.getGeneratedNameForNode(node) : node.name, /*questionToken*/ void 0, /*type*/ void 0, /*initializer*/ void 0 ); } if (node.transformFlags & 65536) { return factory2.updateParameterDeclaration( node, /*modifiers*/ void 0, node.dotDotDotToken, factory2.getGeneratedNameForNode(node), /*questionToken*/ void 0, /*type*/ void 0, visitNode(node.initializer, visitor2, isExpression) ); } return visitEachChild(node, visitor2, context); } function collectParametersWithPrecedingObjectRestOrSpread(node) { let parameters; for (const parameter of node.parameters) { if (parameters) { parameters.add(parameter); } else if (parameter.transformFlags & 65536) { parameters = /* @__PURE__ */ new Set(); } } return parameters; } function visitConstructorDeclaration(node) { const savedEnclosingFunctionFlags = enclosingFunctionFlags; const savedParametersWithPrecedingObjectRestOrSpread = parametersWithPrecedingObjectRestOrSpread; enclosingFunctionFlags = getFunctionFlags(node); parametersWithPrecedingObjectRestOrSpread = collectParametersWithPrecedingObjectRestOrSpread(node); const updated = factory2.updateConstructorDeclaration( node, node.modifiers, visitParameterList(node.parameters, parameterVisitor, context), transformFunctionBody2(node) ); enclosingFunctionFlags = savedEnclosingFunctionFlags; parametersWithPrecedingObjectRestOrSpread = savedParametersWithPrecedingObjectRestOrSpread; return updated; } function visitGetAccessorDeclaration(node) { const savedEnclosingFunctionFlags = enclosingFunctionFlags; const savedParametersWithPrecedingObjectRestOrSpread = parametersWithPrecedingObjectRestOrSpread; enclosingFunctionFlags = getFunctionFlags(node); parametersWithPrecedingObjectRestOrSpread = collectParametersWithPrecedingObjectRestOrSpread(node); const updated = factory2.updateGetAccessorDeclaration( node, node.modifiers, visitNode(node.name, visitor2, isPropertyName), visitParameterList(node.parameters, parameterVisitor, context), /*type*/ void 0, transformFunctionBody2(node) ); enclosingFunctionFlags = savedEnclosingFunctionFlags; parametersWithPrecedingObjectRestOrSpread = savedParametersWithPrecedingObjectRestOrSpread; return updated; } function visitSetAccessorDeclaration(node) { const savedEnclosingFunctionFlags = enclosingFunctionFlags; const savedParametersWithPrecedingObjectRestOrSpread = parametersWithPrecedingObjectRestOrSpread; enclosingFunctionFlags = getFunctionFlags(node); parametersWithPrecedingObjectRestOrSpread = collectParametersWithPrecedingObjectRestOrSpread(node); const updated = factory2.updateSetAccessorDeclaration( node, node.modifiers, visitNode(node.name, visitor2, isPropertyName), visitParameterList(node.parameters, parameterVisitor, context), transformFunctionBody2(node) ); enclosingFunctionFlags = savedEnclosingFunctionFlags; parametersWithPrecedingObjectRestOrSpread = savedParametersWithPrecedingObjectRestOrSpread; return updated; } function visitMethodDeclaration(node) { const savedEnclosingFunctionFlags = enclosingFunctionFlags; const savedParametersWithPrecedingObjectRestOrSpread = parametersWithPrecedingObjectRestOrSpread; enclosingFunctionFlags = getFunctionFlags(node); parametersWithPrecedingObjectRestOrSpread = collectParametersWithPrecedingObjectRestOrSpread(node); const updated = factory2.updateMethodDeclaration( node, enclosingFunctionFlags & 1 ? visitNodes2(node.modifiers, visitorNoAsyncModifier, isModifierLike) : node.modifiers, enclosingFunctionFlags & 2 ? void 0 : node.asteriskToken, visitNode(node.name, visitor2, isPropertyName), visitNode( /*node*/ void 0, visitor2, isQuestionToken ), /*typeParameters*/ void 0, enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1 ? transformAsyncGeneratorFunctionParameterList(node) : visitParameterList(node.parameters, parameterVisitor, context), /*type*/ void 0, enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1 ? transformAsyncGeneratorFunctionBody(node) : transformFunctionBody2(node) ); enclosingFunctionFlags = savedEnclosingFunctionFlags; parametersWithPrecedingObjectRestOrSpread = savedParametersWithPrecedingObjectRestOrSpread; return updated; } function visitFunctionDeclaration(node) { const savedEnclosingFunctionFlags = enclosingFunctionFlags; const savedParametersWithPrecedingObjectRestOrSpread = parametersWithPrecedingObjectRestOrSpread; enclosingFunctionFlags = getFunctionFlags(node); parametersWithPrecedingObjectRestOrSpread = collectParametersWithPrecedingObjectRestOrSpread(node); const updated = factory2.updateFunctionDeclaration( node, enclosingFunctionFlags & 1 ? visitNodes2(node.modifiers, visitorNoAsyncModifier, isModifier) : node.modifiers, enclosingFunctionFlags & 2 ? void 0 : node.asteriskToken, node.name, /*typeParameters*/ void 0, enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1 ? transformAsyncGeneratorFunctionParameterList(node) : visitParameterList(node.parameters, parameterVisitor, context), /*type*/ void 0, enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1 ? transformAsyncGeneratorFunctionBody(node) : transformFunctionBody2(node) ); enclosingFunctionFlags = savedEnclosingFunctionFlags; parametersWithPrecedingObjectRestOrSpread = savedParametersWithPrecedingObjectRestOrSpread; return updated; } function visitArrowFunction(node) { const savedEnclosingFunctionFlags = enclosingFunctionFlags; const savedParametersWithPrecedingObjectRestOrSpread = parametersWithPrecedingObjectRestOrSpread; enclosingFunctionFlags = getFunctionFlags(node); parametersWithPrecedingObjectRestOrSpread = collectParametersWithPrecedingObjectRestOrSpread(node); const updated = factory2.updateArrowFunction( node, node.modifiers, /*typeParameters*/ void 0, visitParameterList(node.parameters, parameterVisitor, context), /*type*/ void 0, node.equalsGreaterThanToken, transformFunctionBody2(node) ); enclosingFunctionFlags = savedEnclosingFunctionFlags; parametersWithPrecedingObjectRestOrSpread = savedParametersWithPrecedingObjectRestOrSpread; return updated; } function visitFunctionExpression(node) { const savedEnclosingFunctionFlags = enclosingFunctionFlags; const savedParametersWithPrecedingObjectRestOrSpread = parametersWithPrecedingObjectRestOrSpread; enclosingFunctionFlags = getFunctionFlags(node); parametersWithPrecedingObjectRestOrSpread = collectParametersWithPrecedingObjectRestOrSpread(node); const updated = factory2.updateFunctionExpression( node, enclosingFunctionFlags & 1 ? visitNodes2(node.modifiers, visitorNoAsyncModifier, isModifier) : node.modifiers, enclosingFunctionFlags & 2 ? void 0 : node.asteriskToken, node.name, /*typeParameters*/ void 0, enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1 ? transformAsyncGeneratorFunctionParameterList(node) : visitParameterList(node.parameters, parameterVisitor, context), /*type*/ void 0, enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1 ? transformAsyncGeneratorFunctionBody(node) : transformFunctionBody2(node) ); enclosingFunctionFlags = savedEnclosingFunctionFlags; parametersWithPrecedingObjectRestOrSpread = savedParametersWithPrecedingObjectRestOrSpread; return updated; } function transformAsyncGeneratorFunctionParameterList(node) { if (isSimpleParameterList(node.parameters)) { return visitParameterList(node.parameters, visitor2, context); } const newParameters = []; for (const parameter of node.parameters) { if (parameter.initializer || parameter.dotDotDotToken) { break; } const newParameter = factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, factory2.getGeneratedNameForNode( parameter.name, 8 /* ReservedInNestedScopes */ ) ); newParameters.push(newParameter); } const newParametersArray = factory2.createNodeArray(newParameters); setTextRange(newParametersArray, node.parameters); return newParametersArray; } function transformAsyncGeneratorFunctionBody(node) { const innerParameters = !isSimpleParameterList(node.parameters) ? visitParameterList(node.parameters, visitor2, context) : void 0; resumeLexicalEnvironment(); const savedCapturedSuperProperties = capturedSuperProperties; const savedHasSuperElementAccess = hasSuperElementAccess; capturedSuperProperties = /* @__PURE__ */ new Set(); hasSuperElementAccess = false; const outerStatements = []; let asyncBody = factory2.updateBlock(node.body, visitNodes2(node.body.statements, visitor2, isStatement)); asyncBody = factory2.updateBlock(asyncBody, factory2.mergeLexicalEnvironment(asyncBody.statements, appendObjectRestAssignmentsIfNeeded(endLexicalEnvironment(), node))); const returnStatement = factory2.createReturnStatement( emitHelpers().createAsyncGeneratorHelper( factory2.createFunctionExpression( /*modifiers*/ void 0, factory2.createToken( 42 /* AsteriskToken */ ), node.name && factory2.getGeneratedNameForNode(node.name), /*typeParameters*/ void 0, innerParameters ?? [], /*type*/ void 0, asyncBody ), !!(hierarchyFacts & 1) ) ); const emitSuperHelpers = languageVersion >= 2 && (resolver.hasNodeCheckFlag( node, 256 /* MethodWithSuperPropertyAssignmentInAsync */ ) || resolver.hasNodeCheckFlag( node, 128 /* MethodWithSuperPropertyAccessInAsync */ )); if (emitSuperHelpers) { enableSubstitutionForAsyncMethodsWithSuper(); const variableStatement = createSuperAccessVariableStatement(factory2, resolver, node, capturedSuperProperties); substitutedSuperAccessors[getNodeId(variableStatement)] = true; insertStatementsAfterStandardPrologue(outerStatements, [variableStatement]); } outerStatements.push(returnStatement); const block = factory2.updateBlock(node.body, outerStatements); if (emitSuperHelpers && hasSuperElementAccess) { if (resolver.hasNodeCheckFlag( node, 256 /* MethodWithSuperPropertyAssignmentInAsync */ )) { addEmitHelper(block, advancedAsyncSuperHelper); } else if (resolver.hasNodeCheckFlag( node, 128 /* MethodWithSuperPropertyAccessInAsync */ )) { addEmitHelper(block, asyncSuperHelper); } } capturedSuperProperties = savedCapturedSuperProperties; hasSuperElementAccess = savedHasSuperElementAccess; return block; } function transformFunctionBody2(node) { resumeLexicalEnvironment(); let statementOffset = 0; const statements = []; const body = visitNode(node.body, visitor2, isConciseBody) ?? factory2.createBlock([]); if (isBlock(body)) { statementOffset = factory2.copyPrologue( body.statements, statements, /*ensureUseStrict*/ false, visitor2 ); } addRange(statements, appendObjectRestAssignmentsIfNeeded( /*statements*/ void 0, node )); const leadingStatements = endLexicalEnvironment(); if (statementOffset > 0 || some(statements) || some(leadingStatements)) { const block = factory2.converters.convertToFunctionBlock( body, /*multiLine*/ true ); insertStatementsAfterStandardPrologue(statements, leadingStatements); addRange(statements, block.statements.slice(statementOffset)); return factory2.updateBlock(block, setTextRange(factory2.createNodeArray(statements), block.statements)); } return body; } function appendObjectRestAssignmentsIfNeeded(statements, node) { let containsPrecedingObjectRestOrSpread = false; for (const parameter of node.parameters) { if (containsPrecedingObjectRestOrSpread) { if (isBindingPattern(parameter.name)) { if (parameter.name.elements.length > 0) { const declarations = flattenDestructuringBinding( parameter, visitor2, context, 0, factory2.getGeneratedNameForNode(parameter) ); if (some(declarations)) { const declarationList = factory2.createVariableDeclarationList(declarations); const statement = factory2.createVariableStatement( /*modifiers*/ void 0, declarationList ); setEmitFlags( statement, 2097152 /* CustomPrologue */ ); statements = append(statements, statement); } } else if (parameter.initializer) { const name = factory2.getGeneratedNameForNode(parameter); const initializer = visitNode(parameter.initializer, visitor2, isExpression); const assignment = factory2.createAssignment(name, initializer); const statement = factory2.createExpressionStatement(assignment); setEmitFlags( statement, 2097152 /* CustomPrologue */ ); statements = append(statements, statement); } } else if (parameter.initializer) { const name = factory2.cloneNode(parameter.name); setTextRange(name, parameter.name); setEmitFlags( name, 96 /* NoSourceMap */ ); const initializer = visitNode(parameter.initializer, visitor2, isExpression); addEmitFlags( initializer, 96 | 3072 /* NoComments */ ); const assignment = factory2.createAssignment(name, initializer); setTextRange(assignment, parameter); setEmitFlags( assignment, 3072 /* NoComments */ ); const block = factory2.createBlock([factory2.createExpressionStatement(assignment)]); setTextRange(block, parameter); setEmitFlags( block, 1 | 64 | 768 | 3072 /* NoComments */ ); const typeCheck = factory2.createTypeCheck(factory2.cloneNode(parameter.name), "undefined"); const statement = factory2.createIfStatement(typeCheck, block); startOnNewLine(statement); setTextRange(statement, parameter); setEmitFlags( statement, 768 | 64 | 2097152 | 3072 /* NoComments */ ); statements = append(statements, statement); } } else if (parameter.transformFlags & 65536) { containsPrecedingObjectRestOrSpread = true; const declarations = flattenDestructuringBinding( parameter, visitor2, context, 1, factory2.getGeneratedNameForNode(parameter), /*hoistTempVariables*/ false, /*skipInitializer*/ true ); if (some(declarations)) { const declarationList = factory2.createVariableDeclarationList(declarations); const statement = factory2.createVariableStatement( /*modifiers*/ void 0, declarationList ); setEmitFlags( statement, 2097152 /* CustomPrologue */ ); statements = append(statements, statement); } } } return statements; } function enableSubstitutionForAsyncMethodsWithSuper() { if ((enabledSubstitutions & 1) === 0) { enabledSubstitutions |= 1; context.enableSubstitution( 213 /* CallExpression */ ); context.enableSubstitution( 211 /* PropertyAccessExpression */ ); context.enableSubstitution( 212 /* ElementAccessExpression */ ); context.enableEmitNotification( 263 /* ClassDeclaration */ ); context.enableEmitNotification( 174 /* MethodDeclaration */ ); context.enableEmitNotification( 177 /* GetAccessor */ ); context.enableEmitNotification( 178 /* SetAccessor */ ); context.enableEmitNotification( 176 /* Constructor */ ); context.enableEmitNotification( 243 /* VariableStatement */ ); } } function onEmitNode(hint, node, emitCallback) { if (enabledSubstitutions & 1 && isSuperContainer(node)) { const superContainerFlags = (resolver.hasNodeCheckFlag( node, 128 /* MethodWithSuperPropertyAccessInAsync */ ) ? 128 : 0) | (resolver.hasNodeCheckFlag( node, 256 /* MethodWithSuperPropertyAssignmentInAsync */ ) ? 256 : 0); if (superContainerFlags !== enclosingSuperContainerFlags) { const savedEnclosingSuperContainerFlags = enclosingSuperContainerFlags; enclosingSuperContainerFlags = superContainerFlags; previousOnEmitNode(hint, node, emitCallback); enclosingSuperContainerFlags = savedEnclosingSuperContainerFlags; return; } } else if (enabledSubstitutions && substitutedSuperAccessors[getNodeId(node)]) { const savedEnclosingSuperContainerFlags = enclosingSuperContainerFlags; enclosingSuperContainerFlags = 0; previousOnEmitNode(hint, node, emitCallback); enclosingSuperContainerFlags = savedEnclosingSuperContainerFlags; return; } previousOnEmitNode(hint, node, emitCallback); } function onSubstituteNode(hint, node) { node = previousOnSubstituteNode(hint, node); if (hint === 1 && enclosingSuperContainerFlags) { return substituteExpression(node); } return node; } function substituteExpression(node) { switch (node.kind) { case 211: return substitutePropertyAccessExpression(node); case 212: return substituteElementAccessExpression(node); case 213: return substituteCallExpression(node); } return node; } function substitutePropertyAccessExpression(node) { if (node.expression.kind === 108) { return setTextRange( factory2.createPropertyAccessExpression( factory2.createUniqueName( "_super", 16 | 32 /* FileLevel */ ), node.name ), node ); } return node; } function substituteElementAccessExpression(node) { if (node.expression.kind === 108) { return createSuperElementAccessInAsyncMethod( node.argumentExpression, node ); } return node; } function substituteCallExpression(node) { const expression = node.expression; if (isSuperProperty(expression)) { const argumentExpression = isPropertyAccessExpression(expression) ? substitutePropertyAccessExpression(expression) : substituteElementAccessExpression(expression); return factory2.createCallExpression( factory2.createPropertyAccessExpression(argumentExpression, "call"), /*typeArguments*/ void 0, [ factory2.createThis(), ...node.arguments ] ); } return node; } function isSuperContainer(node) { const kind = node.kind; return kind === 263 || kind === 176 || kind === 174 || kind === 177 || kind === 178; } function createSuperElementAccessInAsyncMethod(argumentExpression, location) { if (enclosingSuperContainerFlags & 256) { return setTextRange( factory2.createPropertyAccessExpression( factory2.createCallExpression( factory2.createIdentifier("_superIndex"), /*typeArguments*/ void 0, [argumentExpression] ), "value" ), location ); } else { return setTextRange( factory2.createCallExpression( factory2.createIdentifier("_superIndex"), /*typeArguments*/ void 0, [argumentExpression] ), location ); } } } function transformES2019(context) { const factory2 = context.factory; return chainBundle(context, transformSourceFile); function transformSourceFile(node) { if (node.isDeclarationFile) { return node; } return visitEachChild(node, visitor2, context); } function visitor2(node) { if ((node.transformFlags & 64) === 0) { return node; } switch (node.kind) { case 299: return visitCatchClause(node); default: return visitEachChild(node, visitor2, context); } } function visitCatchClause(node) { if (!node.variableDeclaration) { return factory2.updateCatchClause( node, factory2.createVariableDeclaration(factory2.createTempVariable( /*recordTempVariable*/ void 0 )), visitNode(node.block, visitor2, isBlock) ); } return visitEachChild(node, visitor2, context); } } function transformES2020(context) { const { factory: factory2, hoistVariableDeclaration } = context; return chainBundle(context, transformSourceFile); function transformSourceFile(node) { if (node.isDeclarationFile) { return node; } return visitEachChild(node, visitor2, context); } function visitor2(node) { if ((node.transformFlags & 32) === 0) { return node; } switch (node.kind) { case 213: { const updated = visitNonOptionalCallExpression( node, /*captureThisArg*/ false ); Debug.assertNotNode(updated, isSyntheticReference); return updated; } case 211: case 212: if (isOptionalChain(node)) { const updated = visitOptionalExpression( node, /*captureThisArg*/ false, /*isDelete*/ false ); Debug.assertNotNode(updated, isSyntheticReference); return updated; } return visitEachChild(node, visitor2, context); case 226: if (node.operatorToken.kind === 61) { return transformNullishCoalescingExpression(node); } return visitEachChild(node, visitor2, context); case 220: return visitDeleteExpression(node); default: return visitEachChild(node, visitor2, context); } } function flattenChain(chain) { Debug.assertNotNode(chain, isNonNullChain); const links = [chain]; while (!chain.questionDotToken && !isTaggedTemplateExpression(chain)) { chain = cast(skipPartiallyEmittedExpressions(chain.expression), isOptionalChain); Debug.assertNotNode(chain, isNonNullChain); links.unshift(chain); } return { expression: chain.expression, chain: links }; } function visitNonOptionalParenthesizedExpression(node, captureThisArg, isDelete) { const expression = visitNonOptionalExpression(node.expression, captureThisArg, isDelete); if (isSyntheticReference(expression)) { return factory2.createSyntheticReferenceExpression(factory2.updateParenthesizedExpression(node, expression.expression), expression.thisArg); } return factory2.updateParenthesizedExpression(node, expression); } function visitNonOptionalPropertyOrElementAccessExpression(node, captureThisArg, isDelete) { if (isOptionalChain(node)) { return visitOptionalExpression(node, captureThisArg, isDelete); } let expression = visitNode(node.expression, visitor2, isExpression); Debug.assertNotNode(expression, isSyntheticReference); let thisArg; if (captureThisArg) { if (!isSimpleCopiableExpression(expression)) { thisArg = factory2.createTempVariable(hoistVariableDeclaration); expression = factory2.createAssignment(thisArg, expression); } else { thisArg = expression; } } expression = node.kind === 211 ? factory2.updatePropertyAccessExpression(node, expression, visitNode(node.name, visitor2, isIdentifier)) : factory2.updateElementAccessExpression(node, expression, visitNode(node.argumentExpression, visitor2, isExpression)); return thisArg ? factory2.createSyntheticReferenceExpression(expression, thisArg) : expression; } function visitNonOptionalCallExpression(node, captureThisArg) { if (isOptionalChain(node)) { return visitOptionalExpression( node, captureThisArg, /*isDelete*/ false ); } if (isParenthesizedExpression(node.expression) && isOptionalChain(skipParentheses(node.expression))) { const expression = visitNonOptionalParenthesizedExpression( node.expression, /*captureThisArg*/ true, /*isDelete*/ false ); const args = visitNodes2(node.arguments, visitor2, isExpression); if (isSyntheticReference(expression)) { return setTextRange(factory2.createFunctionCallCall(expression.expression, expression.thisArg, args), node); } return factory2.updateCallExpression( node, expression, /*typeArguments*/ void 0, args ); } return visitEachChild(node, visitor2, context); } function visitNonOptionalExpression(node, captureThisArg, isDelete) { switch (node.kind) { case 217: return visitNonOptionalParenthesizedExpression(node, captureThisArg, isDelete); case 211: case 212: return visitNonOptionalPropertyOrElementAccessExpression(node, captureThisArg, isDelete); case 213: return visitNonOptionalCallExpression(node, captureThisArg); default: return visitNode(node, visitor2, isExpression); } } function visitOptionalExpression(node, captureThisArg, isDelete) { const { expression, chain } = flattenChain(node); const left = visitNonOptionalExpression( skipPartiallyEmittedExpressions(expression), isCallChain(chain[0]), /*isDelete*/ false ); let leftThisArg = isSyntheticReference(left) ? left.thisArg : void 0; let capturedLeft = isSyntheticReference(left) ? left.expression : left; let leftExpression = factory2.restoreOuterExpressions( expression, capturedLeft, 8 /* PartiallyEmittedExpressions */ ); if (!isSimpleCopiableExpression(capturedLeft)) { capturedLeft = factory2.createTempVariable(hoistVariableDeclaration); leftExpression = factory2.createAssignment(capturedLeft, leftExpression); } let rightExpression = capturedLeft; let thisArg; for (let i = 0; i < chain.length; i++) { const segment = chain[i]; switch (segment.kind) { case 211: case 212: if (i === chain.length - 1 && captureThisArg) { if (!isSimpleCopiableExpression(rightExpression)) { thisArg = factory2.createTempVariable(hoistVariableDeclaration); rightExpression = factory2.createAssignment(thisArg, rightExpression); } else { thisArg = rightExpression; } } rightExpression = segment.kind === 211 ? factory2.createPropertyAccessExpression(rightExpression, visitNode(segment.name, visitor2, isIdentifier)) : factory2.createElementAccessExpression(rightExpression, visitNode(segment.argumentExpression, visitor2, isExpression)); break; case 213: if (i === 0 && leftThisArg) { if (!isGeneratedIdentifier(leftThisArg)) { leftThisArg = factory2.cloneNode(leftThisArg); addEmitFlags( leftThisArg, 3072 /* NoComments */ ); } rightExpression = factory2.createFunctionCallCall( rightExpression, leftThisArg.kind === 108 ? factory2.createThis() : leftThisArg, visitNodes2(segment.arguments, visitor2, isExpression) ); } else { rightExpression = factory2.createCallExpression( rightExpression, /*typeArguments*/ void 0, visitNodes2(segment.arguments, visitor2, isExpression) ); } break; } setOriginalNode(rightExpression, segment); } const target = isDelete ? factory2.createConditionalExpression( createNotNullCondition( leftExpression, capturedLeft, /*invert*/ true ), /*questionToken*/ void 0, factory2.createTrue(), /*colonToken*/ void 0, factory2.createDeleteExpression(rightExpression) ) : factory2.createConditionalExpression( createNotNullCondition( leftExpression, capturedLeft, /*invert*/ true ), /*questionToken*/ void 0, factory2.createVoidZero(), /*colonToken*/ void 0, rightExpression ); setTextRange(target, node); return thisArg ? factory2.createSyntheticReferenceExpression(target, thisArg) : target; } function createNotNullCondition(left, right, invert) { return factory2.createBinaryExpression( factory2.createBinaryExpression( left, factory2.createToken( invert ? 37 : 38 /* ExclamationEqualsEqualsToken */ ), factory2.createNull() ), factory2.createToken( invert ? 57 : 56 /* AmpersandAmpersandToken */ ), factory2.createBinaryExpression( right, factory2.createToken( invert ? 37 : 38 /* ExclamationEqualsEqualsToken */ ), factory2.createVoidZero() ) ); } function transformNullishCoalescingExpression(node) { let left = visitNode(node.left, visitor2, isExpression); let right = left; if (!isSimpleCopiableExpression(left)) { right = factory2.createTempVariable(hoistVariableDeclaration); left = factory2.createAssignment(right, left); } return setTextRange( factory2.createConditionalExpression( createNotNullCondition(left, right), /*questionToken*/ void 0, right, /*colonToken*/ void 0, visitNode(node.right, visitor2, isExpression) ), node ); } function visitDeleteExpression(node) { return isOptionalChain(skipParentheses(node.expression)) ? setOriginalNode(visitNonOptionalExpression( node.expression, /*captureThisArg*/ false, /*isDelete*/ true ), node) : factory2.updateDeleteExpression(node, visitNode(node.expression, visitor2, isExpression)); } } function transformES2021(context) { const { hoistVariableDeclaration, factory: factory2 } = context; return chainBundle(context, transformSourceFile); function transformSourceFile(node) { if (node.isDeclarationFile) { return node; } return visitEachChild(node, visitor2, context); } function visitor2(node) { if ((node.transformFlags & 16) === 0) { return node; } if (isLogicalOrCoalescingAssignmentExpression(node)) { return transformLogicalAssignment(node); } return visitEachChild(node, visitor2, context); } function transformLogicalAssignment(binaryExpression) { const operator = binaryExpression.operatorToken; const nonAssignmentOperator = getNonAssignmentOperatorForCompoundAssignment(operator.kind); let left = skipParentheses(visitNode(binaryExpression.left, visitor2, isLeftHandSideExpression)); let assignmentTarget = left; const right = skipParentheses(visitNode(binaryExpression.right, visitor2, isExpression)); if (isAccessExpression(left)) { const propertyAccessTargetSimpleCopiable = isSimpleCopiableExpression(left.expression); const propertyAccessTarget = propertyAccessTargetSimpleCopiable ? left.expression : factory2.createTempVariable(hoistVariableDeclaration); const propertyAccessTargetAssignment = propertyAccessTargetSimpleCopiable ? left.expression : factory2.createAssignment( propertyAccessTarget, left.expression ); if (isPropertyAccessExpression(left)) { assignmentTarget = factory2.createPropertyAccessExpression( propertyAccessTarget, left.name ); left = factory2.createPropertyAccessExpression( propertyAccessTargetAssignment, left.name ); } else { const elementAccessArgumentSimpleCopiable = isSimpleCopiableExpression(left.argumentExpression); const elementAccessArgument = elementAccessArgumentSimpleCopiable ? left.argumentExpression : factory2.createTempVariable(hoistVariableDeclaration); assignmentTarget = factory2.createElementAccessExpression( propertyAccessTarget, elementAccessArgument ); left = factory2.createElementAccessExpression( propertyAccessTargetAssignment, elementAccessArgumentSimpleCopiable ? left.argumentExpression : factory2.createAssignment( elementAccessArgument, left.argumentExpression ) ); } } return factory2.createBinaryExpression( left, nonAssignmentOperator, factory2.createParenthesizedExpression( factory2.createAssignment( assignmentTarget, right ) ) ); } } function transformESNext(context) { const { factory: factory2, getEmitHelperFactory: emitHelpers, hoistVariableDeclaration, startLexicalEnvironment, endLexicalEnvironment } = context; let exportBindings; let exportVars; let defaultExportBinding; let exportEqualsBinding; return chainBundle(context, transformSourceFile); function transformSourceFile(node) { if (node.isDeclarationFile) { return node; } const visited = visitNode(node, visitor2, isSourceFile); addEmitHelpers(visited, context.readEmitHelpers()); exportVars = void 0; exportBindings = void 0; defaultExportBinding = void 0; return visited; } function visitor2(node) { if ((node.transformFlags & 4) === 0) { return node; } switch (node.kind) { case 307: return visitSourceFile(node); case 241: return visitBlock(node); case 248: return visitForStatement(node); case 250: return visitForOfStatement(node); case 255: return visitSwitchStatement(node); default: return visitEachChild(node, visitor2, context); } } function visitSourceFile(node) { const usingKind = getUsingKindOfStatements(node.statements); if (usingKind) { startLexicalEnvironment(); exportBindings = new IdentifierNameMap(); exportVars = []; const prologueCount = countPrologueStatements(node.statements); const topLevelStatements = []; addRange(topLevelStatements, visitArray(node.statements, visitor2, isStatement, 0, prologueCount)); let pos = prologueCount; while (pos < node.statements.length) { const statement = node.statements[pos]; if (getUsingKind(statement) !== 0) { if (pos > prologueCount) { addRange(topLevelStatements, visitNodes2(node.statements, visitor2, isStatement, prologueCount, pos - prologueCount)); } break; } pos++; } Debug.assert(pos < node.statements.length, "Should have encountered at least one 'using' statement."); const envBinding = createEnvBinding(); const bodyStatements = transformUsingDeclarations(node.statements, pos, node.statements.length, envBinding, topLevelStatements); if (exportBindings.size) { append( topLevelStatements, factory2.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory2.createNamedExports(arrayFrom(exportBindings.values())) ) ); } addRange(topLevelStatements, endLexicalEnvironment()); if (exportVars.length) { topLevelStatements.push(factory2.createVariableStatement( factory2.createModifiersFromModifierFlags( 32 /* Export */ ), factory2.createVariableDeclarationList( exportVars, 1 /* Let */ ) )); } addRange(topLevelStatements, createDownlevelUsingStatements( bodyStatements, envBinding, usingKind === 2 /* Async */ )); if (exportEqualsBinding) { topLevelStatements.push(factory2.createExportAssignment( /*modifiers*/ void 0, /*isExportEquals*/ true, exportEqualsBinding )); } return factory2.updateSourceFile(node, topLevelStatements); } return visitEachChild(node, visitor2, context); } function visitBlock(node) { const usingKind = getUsingKindOfStatements(node.statements); if (usingKind) { const prologueCount = countPrologueStatements(node.statements); const envBinding = createEnvBinding(); return factory2.updateBlock( node, [ ...visitArray(node.statements, visitor2, isStatement, 0, prologueCount), ...createDownlevelUsingStatements( transformUsingDeclarations( node.statements, prologueCount, node.statements.length, envBinding, /*topLevelStatements*/ void 0 ), envBinding, usingKind === 2 /* Async */ ) ] ); } return visitEachChild(node, visitor2, context); } function visitForStatement(node) { if (node.initializer && isUsingVariableDeclarationList(node.initializer)) { return visitNode( factory2.createBlock([ factory2.createVariableStatement( /*modifiers*/ void 0, node.initializer ), factory2.updateForStatement( node, /*initializer*/ void 0, node.condition, node.incrementor, node.statement ) ]), visitor2, isStatement ); } return visitEachChild(node, visitor2, context); } function visitForOfStatement(node) { if (isUsingVariableDeclarationList(node.initializer)) { const forInitializer = node.initializer; const forDecl = firstOrUndefined(forInitializer.declarations) || factory2.createVariableDeclaration(factory2.createTempVariable( /*recordTempVariable*/ void 0 )); const isAwaitUsing = getUsingKindOfVariableDeclarationList(forInitializer) === 2; const temp = factory2.getGeneratedNameForNode(forDecl.name); const usingVar = factory2.updateVariableDeclaration( forDecl, forDecl.name, /*exclamationToken*/ void 0, /*type*/ void 0, temp ); const usingVarList = factory2.createVariableDeclarationList( [usingVar], isAwaitUsing ? 6 : 4 /* Using */ ); const usingVarStatement = factory2.createVariableStatement( /*modifiers*/ void 0, usingVarList ); return visitNode( factory2.updateForOfStatement( node, node.awaitModifier, factory2.createVariableDeclarationList( [ factory2.createVariableDeclaration(temp) ], 2 /* Const */ ), node.expression, isBlock(node.statement) ? factory2.updateBlock(node.statement, [ usingVarStatement, ...node.statement.statements ]) : factory2.createBlock( [ usingVarStatement, node.statement ], /*multiLine*/ true ) ), visitor2, isStatement ); } return visitEachChild(node, visitor2, context); } function visitCaseOrDefaultClause(node, envBinding) { if (getUsingKindOfStatements(node.statements) !== 0) { if (isCaseClause(node)) { return factory2.updateCaseClause( node, visitNode(node.expression, visitor2, isExpression), transformUsingDeclarations( node.statements, /*start*/ 0, node.statements.length, envBinding, /*topLevelStatements*/ void 0 ) ); } else { return factory2.updateDefaultClause( node, transformUsingDeclarations( node.statements, /*start*/ 0, node.statements.length, envBinding, /*topLevelStatements*/ void 0 ) ); } } return visitEachChild(node, visitor2, context); } function visitSwitchStatement(node) { const usingKind = getUsingKindOfCaseOrDefaultClauses(node.caseBlock.clauses); if (usingKind) { const envBinding = createEnvBinding(); return createDownlevelUsingStatements( [ factory2.updateSwitchStatement( node, visitNode(node.expression, visitor2, isExpression), factory2.updateCaseBlock( node.caseBlock, node.caseBlock.clauses.map((clause) => visitCaseOrDefaultClause(clause, envBinding)) ) ) ], envBinding, usingKind === 2 /* Async */ ); } return visitEachChild(node, visitor2, context); } function transformUsingDeclarations(statementsIn, start, end, envBinding, topLevelStatements) { const statements = []; for (let i = start; i < end; i++) { const statement = statementsIn[i]; const usingKind = getUsingKind(statement); if (usingKind) { Debug.assertNode(statement, isVariableStatement); const declarations = []; for (let declaration of statement.declarationList.declarations) { if (!isIdentifier(declaration.name)) { declarations.length = 0; break; } if (isNamedEvaluation(declaration)) { declaration = transformNamedEvaluation(context, declaration); } const initializer = visitNode(declaration.initializer, visitor2, isExpression) ?? factory2.createVoidZero(); declarations.push(factory2.updateVariableDeclaration( declaration, declaration.name, /*exclamationToken*/ void 0, /*type*/ void 0, emitHelpers().createAddDisposableResourceHelper( envBinding, initializer, usingKind === 2 /* Async */ ) )); } if (declarations.length) { const varList = factory2.createVariableDeclarationList( declarations, 2 /* Const */ ); setOriginalNode(varList, statement.declarationList); setTextRange(varList, statement.declarationList); hoistOrAppendNode(factory2.updateVariableStatement( statement, /*modifiers*/ void 0, varList )); continue; } } const result = visitor2(statement); if (isArray3(result)) { result.forEach(hoistOrAppendNode); } else if (result) { hoistOrAppendNode(result); } } return statements; function hoistOrAppendNode(node) { Debug.assertNode(node, isStatement); append(statements, hoist(node)); } function hoist(node) { if (!topLevelStatements) return node; switch (node.kind) { case 272: case 271: case 278: case 262: return hoistImportOrExportOrHoistedDeclaration(node, topLevelStatements); case 277: return hoistExportAssignment(node); case 263: return hoistClassDeclaration(node); case 243: return hoistVariableStatement(node); } return node; } } function hoistImportOrExportOrHoistedDeclaration(node, topLevelStatements) { topLevelStatements.push(node); return void 0; } function hoistExportAssignment(node) { return node.isExportEquals ? hoistExportEquals(node) : hoistExportDefault(node); } function hoistExportDefault(node) { if (defaultExportBinding) { return node; } defaultExportBinding = factory2.createUniqueName( "_default", 8 | 32 | 16 /* Optimistic */ ); hoistBindingIdentifier( defaultExportBinding, /*isExport*/ true, "default", node ); let expression = node.expression; let innerExpression = skipOuterExpressions(expression); if (isNamedEvaluation(innerExpression)) { innerExpression = transformNamedEvaluation( context, innerExpression, /*ignoreEmptyStringLiteral*/ false, "default" ); expression = factory2.restoreOuterExpressions(expression, innerExpression); } const assignment = factory2.createAssignment(defaultExportBinding, expression); return factory2.createExpressionStatement(assignment); } function hoistExportEquals(node) { if (exportEqualsBinding) { return node; } exportEqualsBinding = factory2.createUniqueName( "_default", 8 | 32 | 16 /* Optimistic */ ); hoistVariableDeclaration(exportEqualsBinding); const assignment = factory2.createAssignment(exportEqualsBinding, node.expression); return factory2.createExpressionStatement(assignment); } function hoistClassDeclaration(node) { if (!node.name && defaultExportBinding) { return node; } const isExported2 = hasSyntacticModifier( node, 32 /* Export */ ); const isDefault = hasSyntacticModifier( node, 2048 /* Default */ ); let expression = factory2.converters.convertToClassExpression(node); if (node.name) { hoistBindingIdentifier( factory2.getLocalName(node), isExported2 && !isDefault, /*exportAlias*/ void 0, node ); expression = factory2.createAssignment(factory2.getDeclarationName(node), expression); if (isNamedEvaluation(expression)) { expression = transformNamedEvaluation( context, expression, /*ignoreEmptyStringLiteral*/ false ); } setOriginalNode(expression, node); setSourceMapRange(expression, node); setCommentRange(expression, node); } if (isDefault && !defaultExportBinding) { defaultExportBinding = factory2.createUniqueName( "_default", 8 | 32 | 16 /* Optimistic */ ); hoistBindingIdentifier( defaultExportBinding, /*isExport*/ true, "default", node ); expression = factory2.createAssignment(defaultExportBinding, expression); if (isNamedEvaluation(expression)) { expression = transformNamedEvaluation( context, expression, /*ignoreEmptyStringLiteral*/ false, "default" ); } setOriginalNode(expression, node); } return factory2.createExpressionStatement(expression); } function hoistVariableStatement(node) { let expressions; const isExported2 = hasSyntacticModifier( node, 32 /* Export */ ); for (const variable of node.declarationList.declarations) { hoistBindingElement(variable, isExported2, variable); if (variable.initializer) { expressions = append(expressions, hoistInitializedVariable(variable)); } } if (expressions) { const statement = factory2.createExpressionStatement(factory2.inlineExpressions(expressions)); setOriginalNode(statement, node); setCommentRange(statement, node); setSourceMapRange(statement, node); return statement; } return void 0; } function hoistInitializedVariable(node) { Debug.assertIsDefined(node.initializer); let target; if (isIdentifier(node.name)) { target = factory2.cloneNode(node.name); setEmitFlags(target, getEmitFlags(target) & ~(32768 | 16384 | 65536)); } else { target = factory2.converters.convertToAssignmentPattern(node.name); } const assignment = factory2.createAssignment(target, node.initializer); setOriginalNode(assignment, node); setCommentRange(assignment, node); setSourceMapRange(assignment, node); return assignment; } function hoistBindingElement(node, isExportedDeclaration, original) { if (isBindingPattern(node.name)) { for (const element of node.name.elements) { if (!isOmittedExpression(element)) { hoistBindingElement(element, isExportedDeclaration, original); } } } else { hoistBindingIdentifier( node.name, isExportedDeclaration, /*exportAlias*/ void 0, original ); } } function hoistBindingIdentifier(node, isExport, exportAlias, original) { const name = isGeneratedIdentifier(node) ? node : factory2.cloneNode(node); if (isExport) { if (exportAlias === void 0 && !isLocalName(name)) { const varDecl = factory2.createVariableDeclaration(name); if (original) { setOriginalNode(varDecl, original); } exportVars.push(varDecl); return; } const localName = exportAlias !== void 0 ? name : void 0; const exportName = exportAlias !== void 0 ? exportAlias : name; const specifier = factory2.createExportSpecifier( /*isTypeOnly*/ false, localName, exportName ); if (original) { setOriginalNode(specifier, original); } exportBindings.set(name, specifier); } hoistVariableDeclaration(name); } function createEnvBinding() { return factory2.createUniqueName("env"); } function createDownlevelUsingStatements(bodyStatements, envBinding, async) { const statements = []; const envObject = factory2.createObjectLiteralExpression([ factory2.createPropertyAssignment("stack", factory2.createArrayLiteralExpression()), factory2.createPropertyAssignment("error", factory2.createVoidZero()), factory2.createPropertyAssignment("hasError", factory2.createFalse()) ]); const envVar = factory2.createVariableDeclaration( envBinding, /*exclamationToken*/ void 0, /*type*/ void 0, envObject ); const envVarList = factory2.createVariableDeclarationList( [envVar], 2 /* Const */ ); const envVarStatement = factory2.createVariableStatement( /*modifiers*/ void 0, envVarList ); statements.push(envVarStatement); const tryBlock = factory2.createBlock( bodyStatements, /*multiLine*/ true ); const bodyCatchBinding = factory2.createUniqueName("e"); const catchClause = factory2.createCatchClause( bodyCatchBinding, factory2.createBlock( [ factory2.createExpressionStatement( factory2.createAssignment( factory2.createPropertyAccessExpression(envBinding, "error"), bodyCatchBinding ) ), factory2.createExpressionStatement( factory2.createAssignment( factory2.createPropertyAccessExpression(envBinding, "hasError"), factory2.createTrue() ) ) ], /*multiLine*/ true ) ); let finallyBlock; if (async) { const result = factory2.createUniqueName("result"); finallyBlock = factory2.createBlock( [ factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList( [ factory2.createVariableDeclaration( result, /*exclamationToken*/ void 0, /*type*/ void 0, emitHelpers().createDisposeResourcesHelper(envBinding) ) ], 2 /* Const */ ) ), factory2.createIfStatement(result, factory2.createExpressionStatement(factory2.createAwaitExpression(result))) ], /*multiLine*/ true ); } else { finallyBlock = factory2.createBlock( [ factory2.createExpressionStatement( emitHelpers().createDisposeResourcesHelper(envBinding) ) ], /*multiLine*/ true ); } const tryStatement = factory2.createTryStatement(tryBlock, catchClause, finallyBlock); statements.push(tryStatement); return statements; } } function countPrologueStatements(statements) { for (let i = 0; i < statements.length; i++) { if (!isPrologueDirective(statements[i]) && !isCustomPrologue(statements[i])) { return i; } } return 0; } function isUsingVariableDeclarationList(node) { return isVariableDeclarationList(node) && getUsingKindOfVariableDeclarationList(node) !== 0; } function getUsingKindOfVariableDeclarationList(node) { return (node.flags & 7) === 6 ? 2 : (node.flags & 7) === 4 ? 1 : 0; } function getUsingKindOfVariableStatement(node) { return getUsingKindOfVariableDeclarationList(node.declarationList); } function getUsingKind(statement) { return isVariableStatement(statement) ? getUsingKindOfVariableStatement(statement) : 0; } function getUsingKindOfStatements(statements) { let result = 0; for (const statement of statements) { const usingKind = getUsingKind(statement); if (usingKind === 2) return 2; if (usingKind > result) result = usingKind; } return result; } function getUsingKindOfCaseOrDefaultClauses(clauses) { let result = 0; for (const clause of clauses) { const usingKind = getUsingKindOfStatements(clause.statements); if (usingKind === 2) return 2; if (usingKind > result) result = usingKind; } return result; } function transformJsx(context) { const { factory: factory2, getEmitHelperFactory: emitHelpers } = context; const compilerOptions = context.getCompilerOptions(); let currentSourceFile; let currentFileState; return chainBundle(context, transformSourceFile); function getCurrentFileNameExpression() { if (currentFileState.filenameDeclaration) { return currentFileState.filenameDeclaration.name; } const declaration = factory2.createVariableDeclaration( factory2.createUniqueName( "_jsxFileName", 16 | 32 /* FileLevel */ ), /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createStringLiteral(currentSourceFile.fileName) ); currentFileState.filenameDeclaration = declaration; return currentFileState.filenameDeclaration.name; } function getJsxFactoryCalleePrimitive(isStaticChildren) { return compilerOptions.jsx === 5 ? "jsxDEV" : isStaticChildren ? "jsxs" : "jsx"; } function getJsxFactoryCallee(isStaticChildren) { const type = getJsxFactoryCalleePrimitive(isStaticChildren); return getImplicitImportForName(type); } function getImplicitJsxFragmentReference() { return getImplicitImportForName("Fragment"); } function getImplicitImportForName(name) { var _a, _b; const importSource = name === "createElement" ? currentFileState.importSpecifier : getJSXRuntimeImport(currentFileState.importSpecifier, compilerOptions); const existing = (_b = (_a = currentFileState.utilizedImplicitRuntimeImports) == null ? void 0 : _a.get(importSource)) == null ? void 0 : _b.get(name); if (existing) { return existing.name; } if (!currentFileState.utilizedImplicitRuntimeImports) { currentFileState.utilizedImplicitRuntimeImports = /* @__PURE__ */ new Map(); } let specifierSourceImports = currentFileState.utilizedImplicitRuntimeImports.get(importSource); if (!specifierSourceImports) { specifierSourceImports = /* @__PURE__ */ new Map(); currentFileState.utilizedImplicitRuntimeImports.set(importSource, specifierSourceImports); } const generatedName = factory2.createUniqueName( `_${name}`, 16 | 32 | 64 /* AllowNameSubstitution */ ); const specifier = factory2.createImportSpecifier( /*isTypeOnly*/ false, factory2.createIdentifier(name), generatedName ); setIdentifierGeneratedImportReference(generatedName, specifier); specifierSourceImports.set(name, specifier); return generatedName; } function transformSourceFile(node) { if (node.isDeclarationFile) { return node; } currentSourceFile = node; currentFileState = {}; currentFileState.importSpecifier = getJSXImplicitImportBase(compilerOptions, node); let visited = visitEachChild(node, visitor2, context); addEmitHelpers(visited, context.readEmitHelpers()); let statements = visited.statements; if (currentFileState.filenameDeclaration) { statements = insertStatementAfterCustomPrologue(statements.slice(), factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList( [currentFileState.filenameDeclaration], 2 /* Const */ ) )); } if (currentFileState.utilizedImplicitRuntimeImports) { for (const [importSource, importSpecifiersMap] of arrayFrom(currentFileState.utilizedImplicitRuntimeImports.entries())) { if (isExternalModule(node)) { const importStatement = factory2.createImportDeclaration( /*modifiers*/ void 0, factory2.createImportClause( /*isTypeOnly*/ false, /*name*/ void 0, factory2.createNamedImports(arrayFrom(importSpecifiersMap.values())) ), factory2.createStringLiteral(importSource), /*attributes*/ void 0 ); setParentRecursive( importStatement, /*incremental*/ false ); statements = insertStatementAfterCustomPrologue(statements.slice(), importStatement); } else if (isExternalOrCommonJsModule(node)) { const requireStatement = factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList( [ factory2.createVariableDeclaration( factory2.createObjectBindingPattern(arrayFrom(importSpecifiersMap.values(), (s) => factory2.createBindingElement( /*dotDotDotToken*/ void 0, s.propertyName, s.name ))), /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createCallExpression( factory2.createIdentifier("require"), /*typeArguments*/ void 0, [factory2.createStringLiteral(importSource)] ) ) ], 2 /* Const */ ) ); setParentRecursive( requireStatement, /*incremental*/ false ); statements = insertStatementAfterCustomPrologue(statements.slice(), requireStatement); } else { } } } if (statements !== visited.statements) { visited = factory2.updateSourceFile(visited, statements); } currentFileState = void 0; return visited; } function visitor2(node) { if (node.transformFlags & 2) { return visitorWorker(node); } else { return node; } } function visitorWorker(node) { switch (node.kind) { case 284: return visitJsxElement( node, /*isChild*/ false ); case 285: return visitJsxSelfClosingElement( node, /*isChild*/ false ); case 288: return visitJsxFragment( node, /*isChild*/ false ); case 294: return visitJsxExpression(node); default: return visitEachChild(node, visitor2, context); } } function transformJsxChildToExpression(node) { switch (node.kind) { case 12: return visitJsxText(node); case 294: return visitJsxExpression(node); case 284: return visitJsxElement( node, /*isChild*/ true ); case 285: return visitJsxSelfClosingElement( node, /*isChild*/ true ); case 288: return visitJsxFragment( node, /*isChild*/ true ); default: return Debug.failBadSyntaxKind(node); } } function hasProto(obj) { return obj.properties.some( (p) => isPropertyAssignment(p) && (isIdentifier(p.name) && idText(p.name) === "__proto__" || isStringLiteral2(p.name) && p.name.text === "__proto__") ); } function hasKeyAfterPropsSpread(node) { let spread = false; for (const elem of node.attributes.properties) { if (isJsxSpreadAttribute(elem) && (!isObjectLiteralExpression(elem.expression) || elem.expression.properties.some(isSpreadAssignment))) { spread = true; } else if (spread && isJsxAttribute(elem) && isIdentifier(elem.name) && elem.name.escapedText === "key") { return true; } } return false; } function shouldUseCreateElement(node) { return currentFileState.importSpecifier === void 0 || hasKeyAfterPropsSpread(node); } function visitJsxElement(node, isChild) { const tagTransform = shouldUseCreateElement(node.openingElement) ? visitJsxOpeningLikeElementCreateElement : visitJsxOpeningLikeElementJSX; return tagTransform( node.openingElement, node.children, isChild, /*location*/ node ); } function visitJsxSelfClosingElement(node, isChild) { const tagTransform = shouldUseCreateElement(node) ? visitJsxOpeningLikeElementCreateElement : visitJsxOpeningLikeElementJSX; return tagTransform( node, /*children*/ void 0, isChild, /*location*/ node ); } function visitJsxFragment(node, isChild) { const tagTransform = currentFileState.importSpecifier === void 0 ? visitJsxOpeningFragmentCreateElement : visitJsxOpeningFragmentJSX; return tagTransform( node.openingFragment, node.children, isChild, /*location*/ node ); } function convertJsxChildrenToChildrenPropObject(children) { const prop = convertJsxChildrenToChildrenPropAssignment(children); return prop && factory2.createObjectLiteralExpression([prop]); } function convertJsxChildrenToChildrenPropAssignment(children) { const nonWhitespaceChildren = getSemanticJsxChildren(children); if (length(nonWhitespaceChildren) === 1 && !nonWhitespaceChildren[0].dotDotDotToken) { const result2 = transformJsxChildToExpression(nonWhitespaceChildren[0]); return result2 && factory2.createPropertyAssignment("children", result2); } const result = mapDefined(children, transformJsxChildToExpression); return length(result) ? factory2.createPropertyAssignment("children", factory2.createArrayLiteralExpression(result)) : void 0; } function visitJsxOpeningLikeElementJSX(node, children, isChild, location) { const tagName = getTagName(node); const childrenProp = children && children.length ? convertJsxChildrenToChildrenPropAssignment(children) : void 0; const keyAttr = find(node.attributes.properties, (p) => !!p.name && isIdentifier(p.name) && p.name.escapedText === "key"); const attrs = keyAttr ? filter(node.attributes.properties, (p) => p !== keyAttr) : node.attributes.properties; const objectProperties = length(attrs) ? transformJsxAttributesToObjectProps(attrs, childrenProp) : factory2.createObjectLiteralExpression(childrenProp ? [childrenProp] : emptyArray); return visitJsxOpeningLikeElementOrFragmentJSX( tagName, objectProperties, keyAttr, children || emptyArray, isChild, location ); } function visitJsxOpeningLikeElementOrFragmentJSX(tagName, objectProperties, keyAttr, children, isChild, location) { var _a; const nonWhitespaceChildren = getSemanticJsxChildren(children); const isStaticChildren = length(nonWhitespaceChildren) > 1 || !!((_a = nonWhitespaceChildren[0]) == null ? void 0 : _a.dotDotDotToken); const args = [tagName, objectProperties]; if (keyAttr) { args.push(transformJsxAttributeInitializer(keyAttr.initializer)); } if (compilerOptions.jsx === 5) { const originalFile = getOriginalNode(currentSourceFile); if (originalFile && isSourceFile(originalFile)) { if (keyAttr === void 0) { args.push(factory2.createVoidZero()); } args.push(isStaticChildren ? factory2.createTrue() : factory2.createFalse()); const lineCol = getLineAndCharacterOfPosition(originalFile, location.pos); args.push(factory2.createObjectLiteralExpression([ factory2.createPropertyAssignment("fileName", getCurrentFileNameExpression()), factory2.createPropertyAssignment("lineNumber", factory2.createNumericLiteral(lineCol.line + 1)), factory2.createPropertyAssignment("columnNumber", factory2.createNumericLiteral(lineCol.character + 1)) ])); args.push(factory2.createThis()); } } const element = setTextRange( factory2.createCallExpression( getJsxFactoryCallee(isStaticChildren), /*typeArguments*/ void 0, args ), location ); if (isChild) { startOnNewLine(element); } return element; } function visitJsxOpeningLikeElementCreateElement(node, children, isChild, location) { const tagName = getTagName(node); const attrs = node.attributes.properties; const objectProperties = length(attrs) ? transformJsxAttributesToObjectProps(attrs) : factory2.createNull(); const callee = currentFileState.importSpecifier === void 0 ? createJsxFactoryExpression( factory2, context.getEmitResolver().getJsxFactoryEntity(currentSourceFile), compilerOptions.reactNamespace, // TODO: GH#18217 node ) : getImplicitImportForName("createElement"); const element = createExpressionForJsxElement( factory2, callee, tagName, objectProperties, mapDefined(children, transformJsxChildToExpression), location ); if (isChild) { startOnNewLine(element); } return element; } function visitJsxOpeningFragmentJSX(_node, children, isChild, location) { let childrenProps; if (children && children.length) { const result = convertJsxChildrenToChildrenPropObject(children); if (result) { childrenProps = result; } } return visitJsxOpeningLikeElementOrFragmentJSX( getImplicitJsxFragmentReference(), childrenProps || factory2.createObjectLiteralExpression([]), /*keyAttr*/ void 0, children, isChild, location ); } function visitJsxOpeningFragmentCreateElement(node, children, isChild, location) { const element = createExpressionForJsxFragment( factory2, context.getEmitResolver().getJsxFactoryEntity(currentSourceFile), context.getEmitResolver().getJsxFragmentFactoryEntity(currentSourceFile), compilerOptions.reactNamespace, // TODO: GH#18217 mapDefined(children, transformJsxChildToExpression), node, location ); if (isChild) { startOnNewLine(element); } return element; } function transformJsxSpreadAttributeToProps(node) { if (isObjectLiteralExpression(node.expression) && !hasProto(node.expression)) { return sameMap(node.expression.properties, (p) => Debug.checkDefined(visitNode(p, visitor2, isObjectLiteralElementLike))); } return factory2.createSpreadAssignment(Debug.checkDefined(visitNode(node.expression, visitor2, isExpression))); } function transformJsxAttributesToObjectProps(attrs, children) { const target = getEmitScriptTarget(compilerOptions); return target && target >= 5 ? factory2.createObjectLiteralExpression(transformJsxAttributesToProps(attrs, children)) : transformJsxAttributesToExpression(attrs, children); } function transformJsxAttributesToProps(attrs, children) { const props = flatten(spanMap(attrs, isJsxSpreadAttribute, (attrs2, isSpread) => flatten(map(attrs2, (attr) => isSpread ? transformJsxSpreadAttributeToProps(attr) : transformJsxAttributeToObjectLiteralElement(attr))))); if (children) { props.push(children); } return props; } function transformJsxAttributesToExpression(attrs, children) { const expressions = []; let properties = []; for (const attr of attrs) { if (isJsxSpreadAttribute(attr)) { if (isObjectLiteralExpression(attr.expression) && !hasProto(attr.expression)) { for (const prop of attr.expression.properties) { if (isSpreadAssignment(prop)) { finishObjectLiteralIfNeeded(); expressions.push(Debug.checkDefined(visitNode(prop.expression, visitor2, isExpression))); continue; } properties.push(Debug.checkDefined(visitNode(prop, visitor2))); } continue; } finishObjectLiteralIfNeeded(); expressions.push(Debug.checkDefined(visitNode(attr.expression, visitor2, isExpression))); continue; } properties.push(transformJsxAttributeToObjectLiteralElement(attr)); } if (children) { properties.push(children); } finishObjectLiteralIfNeeded(); if (expressions.length && !isObjectLiteralExpression(expressions[0])) { expressions.unshift(factory2.createObjectLiteralExpression()); } return singleOrUndefined(expressions) || emitHelpers().createAssignHelper(expressions); function finishObjectLiteralIfNeeded() { if (properties.length) { expressions.push(factory2.createObjectLiteralExpression(properties)); properties = []; } } } function transformJsxAttributeToObjectLiteralElement(node) { const name = getAttributeName(node); const expression = transformJsxAttributeInitializer(node.initializer); return factory2.createPropertyAssignment(name, expression); } function transformJsxAttributeInitializer(node) { if (node === void 0) { return factory2.createTrue(); } if (node.kind === 11) { const singleQuote = node.singleQuote !== void 0 ? node.singleQuote : !isStringDoubleQuoted(node, currentSourceFile); const literal = factory2.createStringLiteral(tryDecodeEntities(node.text) || node.text, singleQuote); return setTextRange(literal, node); } if (node.kind === 294) { if (node.expression === void 0) { return factory2.createTrue(); } return Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)); } if (isJsxElement(node)) { return visitJsxElement( node, /*isChild*/ false ); } if (isJsxSelfClosingElement(node)) { return visitJsxSelfClosingElement( node, /*isChild*/ false ); } if (isJsxFragment(node)) { return visitJsxFragment( node, /*isChild*/ false ); } return Debug.failBadSyntaxKind(node); } function visitJsxText(node) { const fixed = fixupWhitespaceAndDecodeEntities(node.text); return fixed === void 0 ? void 0 : factory2.createStringLiteral(fixed); } function fixupWhitespaceAndDecodeEntities(text) { let acc; let firstNonWhitespace = 0; let lastNonWhitespace = -1; for (let i = 0; i < text.length; i++) { const c = text.charCodeAt(i); if (isLineBreak(c)) { if (firstNonWhitespace !== -1 && lastNonWhitespace !== -1) { acc = addLineOfJsxText(acc, text.substr(firstNonWhitespace, lastNonWhitespace - firstNonWhitespace + 1)); } firstNonWhitespace = -1; } else if (!isWhiteSpaceSingleLine(c)) { lastNonWhitespace = i; if (firstNonWhitespace === -1) { firstNonWhitespace = i; } } } return firstNonWhitespace !== -1 ? addLineOfJsxText(acc, text.substr(firstNonWhitespace)) : acc; } function addLineOfJsxText(acc, trimmedLine) { const decoded = decodeEntities(trimmedLine); return acc === void 0 ? decoded : acc + " " + decoded; } function decodeEntities(text) { return text.replace(/&((#((\d+)|x([\da-fA-F]+)))|(\w+));/g, (match, _all, _number, _digits, decimal, hex, word) => { if (decimal) { return utf16EncodeAsString(parseInt(decimal, 10)); } else if (hex) { return utf16EncodeAsString(parseInt(hex, 16)); } else { const ch = entities.get(word); return ch ? utf16EncodeAsString(ch) : match; } }); } function tryDecodeEntities(text) { const decoded = decodeEntities(text); return decoded === text ? void 0 : decoded; } function getTagName(node) { if (node.kind === 284) { return getTagName(node.openingElement); } else { const tagName = node.tagName; if (isIdentifier(tagName) && isIntrinsicJsxName(tagName.escapedText)) { return factory2.createStringLiteral(idText(tagName)); } else if (isJsxNamespacedName(tagName)) { return factory2.createStringLiteral(idText(tagName.namespace) + ":" + idText(tagName.name)); } else { return createExpressionFromEntityName(factory2, tagName); } } } function getAttributeName(node) { const name = node.name; if (isIdentifier(name)) { const text = idText(name); return /^[A-Za-z_]\w*$/.test(text) ? name : factory2.createStringLiteral(text); } return factory2.createStringLiteral(idText(name.namespace) + ":" + idText(name.name)); } function visitJsxExpression(node) { const expression = visitNode(node.expression, visitor2, isExpression); return node.dotDotDotToken ? factory2.createSpreadElement(expression) : expression; } } var entities = new Map(Object.entries({ quot: 34, amp: 38, apos: 39, lt: 60, gt: 62, nbsp: 160, iexcl: 161, cent: 162, pound: 163, curren: 164, yen: 165, brvbar: 166, sect: 167, uml: 168, copy: 169, ordf: 170, laquo: 171, not: 172, shy: 173, reg: 174, macr: 175, deg: 176, plusmn: 177, sup2: 178, sup3: 179, acute: 180, micro: 181, para: 182, middot: 183, cedil: 184, sup1: 185, ordm: 186, raquo: 187, frac14: 188, frac12: 189, frac34: 190, iquest: 191, Agrave: 192, Aacute: 193, Acirc: 194, Atilde: 195, Auml: 196, Aring: 197, AElig: 198, Ccedil: 199, Egrave: 200, Eacute: 201, Ecirc: 202, Euml: 203, Igrave: 204, Iacute: 205, Icirc: 206, Iuml: 207, ETH: 208, Ntilde: 209, Ograve: 210, Oacute: 211, Ocirc: 212, Otilde: 213, Ouml: 214, times: 215, Oslash: 216, Ugrave: 217, Uacute: 218, Ucirc: 219, Uuml: 220, Yacute: 221, THORN: 222, szlig: 223, agrave: 224, aacute: 225, acirc: 226, atilde: 227, auml: 228, aring: 229, aelig: 230, ccedil: 231, egrave: 232, eacute: 233, ecirc: 234, euml: 235, igrave: 236, iacute: 237, icirc: 238, iuml: 239, eth: 240, ntilde: 241, ograve: 242, oacute: 243, ocirc: 244, otilde: 245, ouml: 246, divide: 247, oslash: 248, ugrave: 249, uacute: 250, ucirc: 251, uuml: 252, yacute: 253, thorn: 254, yuml: 255, OElig: 338, oelig: 339, Scaron: 352, scaron: 353, Yuml: 376, fnof: 402, circ: 710, tilde: 732, Alpha: 913, Beta: 914, Gamma: 915, Delta: 916, Epsilon: 917, Zeta: 918, Eta: 919, Theta: 920, Iota: 921, Kappa: 922, Lambda: 923, Mu: 924, Nu: 925, Xi: 926, Omicron: 927, Pi: 928, Rho: 929, Sigma: 931, Tau: 932, Upsilon: 933, Phi: 934, Chi: 935, Psi: 936, Omega: 937, alpha: 945, beta: 946, gamma: 947, delta: 948, epsilon: 949, zeta: 950, eta: 951, theta: 952, iota: 953, kappa: 954, lambda: 955, mu: 956, nu: 957, xi: 958, omicron: 959, pi: 960, rho: 961, sigmaf: 962, sigma: 963, tau: 964, upsilon: 965, phi: 966, chi: 967, psi: 968, omega: 969, thetasym: 977, upsih: 978, piv: 982, ensp: 8194, emsp: 8195, thinsp: 8201, zwnj: 8204, zwj: 8205, lrm: 8206, rlm: 8207, ndash: 8211, mdash: 8212, lsquo: 8216, rsquo: 8217, sbquo: 8218, ldquo: 8220, rdquo: 8221, bdquo: 8222, dagger: 8224, Dagger: 8225, bull: 8226, hellip: 8230, permil: 8240, prime: 8242, Prime: 8243, lsaquo: 8249, rsaquo: 8250, oline: 8254, frasl: 8260, euro: 8364, image: 8465, weierp: 8472, real: 8476, trade: 8482, alefsym: 8501, larr: 8592, uarr: 8593, rarr: 8594, darr: 8595, harr: 8596, crarr: 8629, lArr: 8656, uArr: 8657, rArr: 8658, dArr: 8659, hArr: 8660, forall: 8704, part: 8706, exist: 8707, empty: 8709, nabla: 8711, isin: 8712, notin: 8713, ni: 8715, prod: 8719, sum: 8721, minus: 8722, lowast: 8727, radic: 8730, prop: 8733, infin: 8734, ang: 8736, and: 8743, or: 8744, cap: 8745, cup: 8746, int: 8747, there4: 8756, sim: 8764, cong: 8773, asymp: 8776, ne: 8800, equiv: 8801, le: 8804, ge: 8805, sub: 8834, sup: 8835, nsub: 8836, sube: 8838, supe: 8839, oplus: 8853, otimes: 8855, perp: 8869, sdot: 8901, lceil: 8968, rceil: 8969, lfloor: 8970, rfloor: 8971, lang: 9001, rang: 9002, loz: 9674, spades: 9824, clubs: 9827, hearts: 9829, diams: 9830 })); function transformES2016(context) { const { factory: factory2, hoistVariableDeclaration } = context; return chainBundle(context, transformSourceFile); function transformSourceFile(node) { if (node.isDeclarationFile) { return node; } return visitEachChild(node, visitor2, context); } function visitor2(node) { if ((node.transformFlags & 512) === 0) { return node; } switch (node.kind) { case 226: return visitBinaryExpression(node); default: return visitEachChild(node, visitor2, context); } } function visitBinaryExpression(node) { switch (node.operatorToken.kind) { case 68: return visitExponentiationAssignmentExpression(node); case 43: return visitExponentiationExpression(node); default: return visitEachChild(node, visitor2, context); } } function visitExponentiationAssignmentExpression(node) { let target; let value; const left = visitNode(node.left, visitor2, isExpression); const right = visitNode(node.right, visitor2, isExpression); if (isElementAccessExpression(left)) { const expressionTemp = factory2.createTempVariable(hoistVariableDeclaration); const argumentExpressionTemp = factory2.createTempVariable(hoistVariableDeclaration); target = setTextRange( factory2.createElementAccessExpression( setTextRange(factory2.createAssignment(expressionTemp, left.expression), left.expression), setTextRange(factory2.createAssignment(argumentExpressionTemp, left.argumentExpression), left.argumentExpression) ), left ); value = setTextRange( factory2.createElementAccessExpression( expressionTemp, argumentExpressionTemp ), left ); } else if (isPropertyAccessExpression(left)) { const expressionTemp = factory2.createTempVariable(hoistVariableDeclaration); target = setTextRange( factory2.createPropertyAccessExpression( setTextRange(factory2.createAssignment(expressionTemp, left.expression), left.expression), left.name ), left ); value = setTextRange( factory2.createPropertyAccessExpression( expressionTemp, left.name ), left ); } else { target = left; value = left; } return setTextRange( factory2.createAssignment( target, setTextRange(factory2.createGlobalMethodCall("Math", "pow", [value, right]), node) ), node ); } function visitExponentiationExpression(node) { const left = visitNode(node.left, visitor2, isExpression); const right = visitNode(node.right, visitor2, isExpression); return setTextRange(factory2.createGlobalMethodCall("Math", "pow", [left, right]), node); } } function createSpreadSegment(kind, expression) { return { kind, expression }; } function transformES2015(context) { const { factory: factory2, getEmitHelperFactory: emitHelpers, startLexicalEnvironment, resumeLexicalEnvironment, endLexicalEnvironment, hoistVariableDeclaration } = context; const compilerOptions = context.getCompilerOptions(); const resolver = context.getEmitResolver(); const previousOnSubstituteNode = context.onSubstituteNode; const previousOnEmitNode = context.onEmitNode; context.onEmitNode = onEmitNode; context.onSubstituteNode = onSubstituteNode; let currentSourceFile; let currentText; let hierarchyFacts; let taggedTemplateStringDeclarations; function recordTaggedTemplateString(temp) { taggedTemplateStringDeclarations = append( taggedTemplateStringDeclarations, factory2.createVariableDeclaration(temp) ); } let convertedLoopState; let enabledSubstitutions; return chainBundle(context, transformSourceFile); function transformSourceFile(node) { if (node.isDeclarationFile) { return node; } currentSourceFile = node; currentText = node.text; const visited = visitSourceFile(node); addEmitHelpers(visited, context.readEmitHelpers()); currentSourceFile = void 0; currentText = void 0; taggedTemplateStringDeclarations = void 0; hierarchyFacts = 0; return visited; } function enterSubtree(excludeFacts, includeFacts) { const ancestorFacts = hierarchyFacts; hierarchyFacts = (hierarchyFacts & ~excludeFacts | includeFacts) & 32767; return ancestorFacts; } function exitSubtree(ancestorFacts, excludeFacts, includeFacts) { hierarchyFacts = (hierarchyFacts & ~excludeFacts | includeFacts) & -32768 | ancestorFacts; } function isReturnVoidStatementInConstructorWithCapturedSuper(node) { return (hierarchyFacts & 8192) !== 0 && node.kind === 253 && !node.expression; } function isOrMayContainReturnCompletion(node) { return node.transformFlags & 4194304 && (isReturnStatement(node) || isIfStatement(node) || isWithStatement(node) || isSwitchStatement(node) || isCaseBlock(node) || isCaseClause(node) || isDefaultClause(node) || isTryStatement(node) || isCatchClause(node) || isLabeledStatement(node) || isIterationStatement( node, /*lookInLabeledStatements*/ false ) || isBlock(node)); } function shouldVisitNode(node) { return (node.transformFlags & 1024) !== 0 || convertedLoopState !== void 0 || hierarchyFacts & 8192 && isOrMayContainReturnCompletion(node) || isIterationStatement( node, /*lookInLabeledStatements*/ false ) && shouldConvertIterationStatement(node) || (getInternalEmitFlags(node) & 1) !== 0; } function visitor2(node) { return shouldVisitNode(node) ? visitorWorker( node, /*expressionResultIsUnused*/ false ) : node; } function visitorWithUnusedExpressionResult(node) { return shouldVisitNode(node) ? visitorWorker( node, /*expressionResultIsUnused*/ true ) : node; } function classWrapperStatementVisitor(node) { if (shouldVisitNode(node)) { const original = getOriginalNode(node); if (isPropertyDeclaration(original) && hasStaticModifier(original)) { const ancestorFacts = enterSubtree( 32670, 16449 /* StaticInitializerIncludes */ ); const result = visitorWorker( node, /*expressionResultIsUnused*/ false ); exitSubtree( ancestorFacts, 229376, 0 /* None */ ); return result; } return visitorWorker( node, /*expressionResultIsUnused*/ false ); } return node; } function callExpressionVisitor(node) { if (node.kind === 108) { return visitSuperKeyword( node, /*isExpressionOfCall*/ true ); } return visitor2(node); } function visitorWorker(node, expressionResultIsUnused2) { switch (node.kind) { case 126: return void 0; case 263: return visitClassDeclaration(node); case 231: return visitClassExpression(node); case 169: return visitParameter(node); case 262: return visitFunctionDeclaration(node); case 219: return visitArrowFunction(node); case 218: return visitFunctionExpression(node); case 260: return visitVariableDeclaration(node); case 80: return visitIdentifier(node); case 261: return visitVariableDeclarationList(node); case 255: return visitSwitchStatement(node); case 269: return visitCaseBlock(node); case 241: return visitBlock( node, /*isFunctionBody*/ false ); case 252: case 251: return visitBreakOrContinueStatement(node); case 256: return visitLabeledStatement(node); case 246: case 247: return visitDoOrWhileStatement( node, /*outermostLabeledStatement*/ void 0 ); case 248: return visitForStatement( node, /*outermostLabeledStatement*/ void 0 ); case 249: return visitForInStatement( node, /*outermostLabeledStatement*/ void 0 ); case 250: return visitForOfStatement( node, /*outermostLabeledStatement*/ void 0 ); case 244: return visitExpressionStatement(node); case 210: return visitObjectLiteralExpression(node); case 299: return visitCatchClause(node); case 304: return visitShorthandPropertyAssignment(node); case 167: return visitComputedPropertyName(node); case 209: return visitArrayLiteralExpression(node); case 213: return visitCallExpression(node); case 214: return visitNewExpression(node); case 217: return visitParenthesizedExpression(node, expressionResultIsUnused2); case 226: return visitBinaryExpression(node, expressionResultIsUnused2); case 355: return visitCommaListExpression(node, expressionResultIsUnused2); case 15: case 16: case 17: case 18: return visitTemplateLiteral(node); case 11: return visitStringLiteral(node); case 9: return visitNumericLiteral(node); case 215: return visitTaggedTemplateExpression(node); case 228: return visitTemplateExpression(node); case 229: return visitYieldExpression(node); case 230: return visitSpreadElement(node); case 108: return visitSuperKeyword( node, /*isExpressionOfCall*/ false ); case 110: return visitThisKeyword(node); case 236: return visitMetaProperty(node); case 174: return visitMethodDeclaration(node); case 177: case 178: return visitAccessorDeclaration(node); case 243: return visitVariableStatement(node); case 253: return visitReturnStatement(node); case 222: return visitVoidExpression(node); default: return visitEachChild(node, visitor2, context); } } function visitSourceFile(node) { const ancestorFacts = enterSubtree( 8064, 64 /* SourceFileIncludes */ ); const prologue = []; const statements = []; startLexicalEnvironment(); const statementOffset = factory2.copyPrologue( node.statements, prologue, /*ensureUseStrict*/ false, visitor2 ); addRange(statements, visitNodes2(node.statements, visitor2, isStatement, statementOffset)); if (taggedTemplateStringDeclarations) { statements.push( factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList(taggedTemplateStringDeclarations) ) ); } factory2.mergeLexicalEnvironment(prologue, endLexicalEnvironment()); insertCaptureThisForNodeIfNeeded(prologue, node); exitSubtree( ancestorFacts, 0, 0 /* None */ ); return factory2.updateSourceFile( node, setTextRange(factory2.createNodeArray(concatenate(prologue, statements)), node.statements) ); } function visitSwitchStatement(node) { if (convertedLoopState !== void 0) { const savedAllowedNonLabeledJumps = convertedLoopState.allowedNonLabeledJumps; convertedLoopState.allowedNonLabeledJumps |= 2; const result = visitEachChild(node, visitor2, context); convertedLoopState.allowedNonLabeledJumps = savedAllowedNonLabeledJumps; return result; } return visitEachChild(node, visitor2, context); } function visitCaseBlock(node) { const ancestorFacts = enterSubtree( 7104, 0 /* BlockScopeIncludes */ ); const updated = visitEachChild(node, visitor2, context); exitSubtree( ancestorFacts, 0, 0 /* None */ ); return updated; } function returnCapturedThis(node) { return setOriginalNode(factory2.createReturnStatement(createCapturedThis()), node); } function createCapturedThis() { return factory2.createUniqueName( "_this", 16 | 32 /* FileLevel */ ); } function visitReturnStatement(node) { if (convertedLoopState) { convertedLoopState.nonLocalJumps |= 8; if (isReturnVoidStatementInConstructorWithCapturedSuper(node)) { node = returnCapturedThis(node); } return factory2.createReturnStatement( factory2.createObjectLiteralExpression( [ factory2.createPropertyAssignment( factory2.createIdentifier("value"), node.expression ? Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)) : factory2.createVoidZero() ) ] ) ); } else if (isReturnVoidStatementInConstructorWithCapturedSuper(node)) { return returnCapturedThis(node); } return visitEachChild(node, visitor2, context); } function visitThisKeyword(node) { hierarchyFacts |= 65536; if (hierarchyFacts & 2 && !(hierarchyFacts & 16384)) { hierarchyFacts |= 131072; } if (convertedLoopState) { if (hierarchyFacts & 2) { convertedLoopState.containsLexicalThis = true; return node; } return convertedLoopState.thisName || (convertedLoopState.thisName = factory2.createUniqueName("this")); } return node; } function visitVoidExpression(node) { return visitEachChild(node, visitorWithUnusedExpressionResult, context); } function visitIdentifier(node) { if (convertedLoopState) { if (resolver.isArgumentsLocalBinding(node)) { return convertedLoopState.argumentsName || (convertedLoopState.argumentsName = factory2.createUniqueName("arguments")); } } if (node.flags & 256) { return setOriginalNode( setTextRange( factory2.createIdentifier(unescapeLeadingUnderscores(node.escapedText)), node ), node ); } return node; } function visitBreakOrContinueStatement(node) { if (convertedLoopState) { const jump = node.kind === 252 ? 2 : 4; const canUseBreakOrContinue = node.label && convertedLoopState.labels && convertedLoopState.labels.get(idText(node.label)) || !node.label && convertedLoopState.allowedNonLabeledJumps & jump; if (!canUseBreakOrContinue) { let labelMarker; const label = node.label; if (!label) { if (node.kind === 252) { convertedLoopState.nonLocalJumps |= 2; labelMarker = "break"; } else { convertedLoopState.nonLocalJumps |= 4; labelMarker = "continue"; } } else { if (node.kind === 252) { labelMarker = `break-${label.escapedText}`; setLabeledJump( convertedLoopState, /*isBreak*/ true, idText(label), labelMarker ); } else { labelMarker = `continue-${label.escapedText}`; setLabeledJump( convertedLoopState, /*isBreak*/ false, idText(label), labelMarker ); } } let returnExpression = factory2.createStringLiteral(labelMarker); if (convertedLoopState.loopOutParameters.length) { const outParams = convertedLoopState.loopOutParameters; let expr; for (let i = 0; i < outParams.length; i++) { const copyExpr = copyOutParameter( outParams[i], 1 /* ToOutParameter */ ); if (i === 0) { expr = copyExpr; } else { expr = factory2.createBinaryExpression(expr, 28, copyExpr); } } returnExpression = factory2.createBinaryExpression(expr, 28, returnExpression); } return factory2.createReturnStatement(returnExpression); } } return visitEachChild(node, visitor2, context); } function visitClassDeclaration(node) { const variable = factory2.createVariableDeclaration( factory2.getLocalName( node, /*allowComments*/ true ), /*exclamationToken*/ void 0, /*type*/ void 0, transformClassLikeDeclarationToExpression(node) ); setOriginalNode(variable, node); const statements = []; const statement = factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList([variable]) ); setOriginalNode(statement, node); setTextRange(statement, node); startOnNewLine(statement); statements.push(statement); if (hasSyntacticModifier( node, 32 /* Export */ )) { const exportStatement = hasSyntacticModifier( node, 2048 /* Default */ ) ? factory2.createExportDefault(factory2.getLocalName(node)) : factory2.createExternalModuleExport(factory2.getLocalName(node)); setOriginalNode(exportStatement, statement); statements.push(exportStatement); } return singleOrMany(statements); } function visitClassExpression(node) { return transformClassLikeDeclarationToExpression(node); } function transformClassLikeDeclarationToExpression(node) { if (node.name) { enableSubstitutionsForBlockScopedBindings(); } const extendsClauseElement = getClassExtendsHeritageElement(node); const classFunction = factory2.createFunctionExpression( /*modifiers*/ void 0, /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, extendsClauseElement ? [factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, createSyntheticSuper() )] : [], /*type*/ void 0, transformClassBody(node, extendsClauseElement) ); setEmitFlags( classFunction, getEmitFlags(node) & 131072 | 1048576 /* ReuseTempVariableScope */ ); const inner = factory2.createPartiallyEmittedExpression(classFunction); setTextRangeEnd(inner, node.end); setEmitFlags( inner, 3072 /* NoComments */ ); const outer = factory2.createPartiallyEmittedExpression(inner); setTextRangeEnd(outer, skipTrivia(currentText, node.pos)); setEmitFlags( outer, 3072 /* NoComments */ ); const result = factory2.createParenthesizedExpression( factory2.createCallExpression( outer, /*typeArguments*/ void 0, extendsClauseElement ? [Debug.checkDefined(visitNode(extendsClauseElement.expression, visitor2, isExpression))] : [] ) ); addSyntheticLeadingComment(result, 3, "* @class "); return result; } function transformClassBody(node, extendsClauseElement) { const statements = []; const name = factory2.getInternalName(node); const constructorLikeName = isIdentifierANonContextualKeyword(name) ? factory2.getGeneratedNameForNode(name) : name; startLexicalEnvironment(); addExtendsHelperIfNeeded(statements, node, extendsClauseElement); addConstructor(statements, node, constructorLikeName, extendsClauseElement); addClassMembers(statements, node); const closingBraceLocation = createTokenRange( skipTrivia(currentText, node.members.end), 20 /* CloseBraceToken */ ); const outer = factory2.createPartiallyEmittedExpression(constructorLikeName); setTextRangeEnd(outer, closingBraceLocation.end); setEmitFlags( outer, 3072 /* NoComments */ ); const statement = factory2.createReturnStatement(outer); setTextRangePos(statement, closingBraceLocation.pos); setEmitFlags( statement, 3072 | 768 /* NoTokenSourceMaps */ ); statements.push(statement); insertStatementsAfterStandardPrologue(statements, endLexicalEnvironment()); const block = factory2.createBlock( setTextRange( factory2.createNodeArray(statements), /*location*/ node.members ), /*multiLine*/ true ); setEmitFlags( block, 3072 /* NoComments */ ); return block; } function addExtendsHelperIfNeeded(statements, node, extendsClauseElement) { if (extendsClauseElement) { statements.push( setTextRange( factory2.createExpressionStatement( emitHelpers().createExtendsHelper(factory2.getInternalName(node)) ), /*location*/ extendsClauseElement ) ); } } function addConstructor(statements, node, name, extendsClauseElement) { const savedConvertedLoopState = convertedLoopState; convertedLoopState = void 0; const ancestorFacts = enterSubtree( 32662, 73 /* ConstructorIncludes */ ); const constructor = getFirstConstructorWithBody(node); const hasSynthesizedSuper = hasSynthesizedDefaultSuperCall(constructor, extendsClauseElement !== void 0); const constructorFunction = factory2.createFunctionDeclaration( /*modifiers*/ void 0, /*asteriskToken*/ void 0, name, /*typeParameters*/ void 0, transformConstructorParameters(constructor, hasSynthesizedSuper), /*type*/ void 0, transformConstructorBody(constructor, node, extendsClauseElement, hasSynthesizedSuper) ); setTextRange(constructorFunction, constructor || node); if (extendsClauseElement) { setEmitFlags( constructorFunction, 16 /* CapturesThis */ ); } statements.push(constructorFunction); exitSubtree( ancestorFacts, 229376, 0 /* None */ ); convertedLoopState = savedConvertedLoopState; } function transformConstructorParameters(constructor, hasSynthesizedSuper) { return visitParameterList(constructor && !hasSynthesizedSuper ? constructor.parameters : void 0, visitor2, context) || []; } function createDefaultConstructorBody(node, isDerivedClass) { const statements = []; resumeLexicalEnvironment(); factory2.mergeLexicalEnvironment(statements, endLexicalEnvironment()); if (isDerivedClass) { statements.push(factory2.createReturnStatement(createDefaultSuperCallOrThis())); } const statementsArray = factory2.createNodeArray(statements); setTextRange(statementsArray, node.members); const block = factory2.createBlock( statementsArray, /*multiLine*/ true ); setTextRange(block, node); setEmitFlags( block, 3072 /* NoComments */ ); return block; } function isUninitializedVariableStatement(node) { return isVariableStatement(node) && every(node.declarationList.declarations, (decl) => isIdentifier(decl.name) && !decl.initializer); } function containsSuperCall(node) { if (isSuperCall(node)) { return true; } if (!(node.transformFlags & 134217728)) { return false; } switch (node.kind) { case 219: case 218: case 262: case 176: case 175: return false; case 177: case 178: case 174: case 172: { const named = node; if (isComputedPropertyName(named.name)) { return !!forEachChild(named.name, containsSuperCall); } return false; } } return !!forEachChild(node, containsSuperCall); } function transformConstructorBody(constructor, node, extendsClauseElement, hasSynthesizedSuper) { const isDerivedClass = !!extendsClauseElement && skipOuterExpressions(extendsClauseElement.expression).kind !== 106; if (!constructor) return createDefaultConstructorBody(node, isDerivedClass); const prologue = []; const statements = []; resumeLexicalEnvironment(); const standardPrologueEnd = factory2.copyStandardPrologue( constructor.body.statements, prologue, /*statementOffset*/ 0 ); if (hasSynthesizedSuper || containsSuperCall(constructor.body)) { hierarchyFacts |= 8192; } addRange(statements, visitNodes2(constructor.body.statements, visitor2, isStatement, standardPrologueEnd)); const mayReplaceThis = isDerivedClass || hierarchyFacts & 8192; addDefaultValueAssignmentsIfNeeded2(prologue, constructor); addRestParameterIfNeeded(prologue, constructor, hasSynthesizedSuper); insertCaptureNewTargetIfNeeded(prologue, constructor); if (mayReplaceThis) { insertCaptureThisForNode(prologue, constructor, createActualThis()); } else { insertCaptureThisForNodeIfNeeded(prologue, constructor); } factory2.mergeLexicalEnvironment(prologue, endLexicalEnvironment()); if (mayReplaceThis && !isSufficientlyCoveredByReturnStatements(constructor.body)) { statements.push(factory2.createReturnStatement(createCapturedThis())); } const body = factory2.createBlock( setTextRange( factory2.createNodeArray( [ ...prologue, ...statements ] ), /*location*/ constructor.body.statements ), /*multiLine*/ true ); setTextRange(body, constructor.body); return simplifyConstructor(body, constructor.body, hasSynthesizedSuper); } function isCapturedThis(node) { return isGeneratedIdentifier(node) && idText(node) === "_this"; } function isSyntheticSuper(node) { return isGeneratedIdentifier(node) && idText(node) === "_super"; } function isThisCapturingVariableStatement(node) { return isVariableStatement(node) && node.declarationList.declarations.length === 1 && isThisCapturingVariableDeclaration(node.declarationList.declarations[0]); } function isThisCapturingVariableDeclaration(node) { return isVariableDeclaration(node) && isCapturedThis(node.name) && !!node.initializer; } function isThisCapturingAssignment(node) { return isAssignmentExpression2( node, /*excludeCompoundAssignment*/ true ) && isCapturedThis(node.left); } function isTransformedSuperCall(node) { return isCallExpression2(node) && isPropertyAccessExpression(node.expression) && isSyntheticSuper(node.expression.expression) && isIdentifier(node.expression.name) && (idText(node.expression.name) === "call" || idText(node.expression.name) === "apply") && node.arguments.length >= 1 && node.arguments[0].kind === 110; } function isTransformedSuperCallWithFallback(node) { return isBinaryExpression(node) && node.operatorToken.kind === 57 && node.right.kind === 110 && isTransformedSuperCall(node.left); } function isImplicitSuperCall(node) { return isBinaryExpression(node) && node.operatorToken.kind === 56 && isBinaryExpression(node.left) && node.left.operatorToken.kind === 38 && isSyntheticSuper(node.left.left) && node.left.right.kind === 106 && isTransformedSuperCall(node.right) && idText(node.right.expression.name) === "apply"; } function isImplicitSuperCallWithFallback(node) { return isBinaryExpression(node) && node.operatorToken.kind === 57 && node.right.kind === 110 && isImplicitSuperCall(node.left); } function isThisCapturingTransformedSuperCallWithFallback(node) { return isThisCapturingAssignment(node) && isTransformedSuperCallWithFallback(node.right); } function isThisCapturingImplicitSuperCallWithFallback(node) { return isThisCapturingAssignment(node) && isImplicitSuperCallWithFallback(node.right); } function isTransformedSuperCallLike(node) { return isTransformedSuperCall(node) || isTransformedSuperCallWithFallback(node) || isThisCapturingTransformedSuperCallWithFallback(node) || isImplicitSuperCall(node) || isImplicitSuperCallWithFallback(node) || isThisCapturingImplicitSuperCallWithFallback(node); } function simplifyConstructorInlineSuperInThisCaptureVariable(body) { for (let i = 0; i < body.statements.length - 1; i++) { const statement = body.statements[i]; if (!isThisCapturingVariableStatement(statement)) { continue; } const varDecl = statement.declarationList.declarations[0]; if (varDecl.initializer.kind !== 110) { continue; } const thisCaptureStatementIndex = i; let superCallIndex = i + 1; while (superCallIndex < body.statements.length) { const statement2 = body.statements[superCallIndex]; if (isExpressionStatement2(statement2)) { if (isTransformedSuperCallLike(skipOuterExpressions(statement2.expression))) { break; } } if (isUninitializedVariableStatement(statement2)) { superCallIndex++; continue; } return body; } const following = body.statements[superCallIndex]; let expression = following.expression; if (isThisCapturingAssignment(expression)) { expression = expression.right; } const newVarDecl = factory2.updateVariableDeclaration( varDecl, varDecl.name, /*exclamationToken*/ void 0, /*type*/ void 0, expression ); const newDeclList = factory2.updateVariableDeclarationList(statement.declarationList, [newVarDecl]); const newVarStatement = factory2.createVariableStatement(statement.modifiers, newDeclList); setOriginalNode(newVarStatement, following); setTextRange(newVarStatement, following); const newStatements = factory2.createNodeArray([ ...body.statements.slice(0, thisCaptureStatementIndex), // copy statements preceding to `var _this` ...body.statements.slice(thisCaptureStatementIndex + 1, superCallIndex), // copy intervening temp variables newVarStatement, ...body.statements.slice(superCallIndex + 1) // copy statements following `super.call(this, ...)` ]); setTextRange(newStatements, body.statements); return factory2.updateBlock(body, newStatements); } return body; } function simplifyConstructorInlineSuperReturn(body, original) { for (const statement of original.statements) { if (statement.transformFlags & 134217728 && !getSuperCallFromStatement(statement)) { return body; } } const canElideThisCapturingVariable = !(original.transformFlags & 16384) && !(hierarchyFacts & 65536) && !(hierarchyFacts & 131072); for (let i = body.statements.length - 1; i > 0; i--) { const statement = body.statements[i]; if (isReturnStatement(statement) && statement.expression && isCapturedThis(statement.expression)) { const preceding = body.statements[i - 1]; let expression; if (isExpressionStatement2(preceding) && isThisCapturingTransformedSuperCallWithFallback(skipOuterExpressions(preceding.expression))) { expression = preceding.expression; } else if (canElideThisCapturingVariable && isThisCapturingVariableStatement(preceding)) { const varDecl = preceding.declarationList.declarations[0]; if (isTransformedSuperCallLike(skipOuterExpressions(varDecl.initializer))) { expression = factory2.createAssignment( createCapturedThis(), varDecl.initializer ); } } if (!expression) { break; } const newReturnStatement = factory2.createReturnStatement(expression); setOriginalNode(newReturnStatement, preceding); setTextRange(newReturnStatement, preceding); const newStatements = factory2.createNodeArray([ ...body.statements.slice(0, i - 1), // copy all statements preceding `_super.call(this, ...)` newReturnStatement, ...body.statements.slice(i + 1) // copy all statements following `return _this;` ]); setTextRange(newStatements, body.statements); return factory2.updateBlock(body, newStatements); } } return body; } function elideUnusedThisCaptureWorker(node) { if (isThisCapturingVariableStatement(node)) { const varDecl = node.declarationList.declarations[0]; if (varDecl.initializer.kind === 110) { return void 0; } } else if (isThisCapturingAssignment(node)) { return factory2.createPartiallyEmittedExpression(node.right, node); } switch (node.kind) { case 219: case 218: case 262: case 176: case 175: return node; case 177: case 178: case 174: case 172: { const named = node; if (isComputedPropertyName(named.name)) { return factory2.replacePropertyName(named, visitEachChild( named.name, elideUnusedThisCaptureWorker, /*context*/ void 0 )); } return node; } } return visitEachChild( node, elideUnusedThisCaptureWorker, /*context*/ void 0 ); } function simplifyConstructorElideUnusedThisCapture(body, original) { if (original.transformFlags & 16384 || hierarchyFacts & 65536 || hierarchyFacts & 131072) { return body; } for (const statement of original.statements) { if (statement.transformFlags & 134217728 && !getSuperCallFromStatement(statement)) { return body; } } return factory2.updateBlock(body, visitNodes2(body.statements, elideUnusedThisCaptureWorker, isStatement)); } function injectSuperPresenceCheckWorker(node) { if (isTransformedSuperCall(node) && node.arguments.length === 2 && isIdentifier(node.arguments[1]) && idText(node.arguments[1]) === "arguments") { return factory2.createLogicalAnd( factory2.createStrictInequality( createSyntheticSuper(), factory2.createNull() ), node ); } switch (node.kind) { case 219: case 218: case 262: case 176: case 175: return node; case 177: case 178: case 174: case 172: { const named = node; if (isComputedPropertyName(named.name)) { return factory2.replacePropertyName(named, visitEachChild( named.name, injectSuperPresenceCheckWorker, /*context*/ void 0 )); } return node; } } return visitEachChild( node, injectSuperPresenceCheckWorker, /*context*/ void 0 ); } function complicateConstructorInjectSuperPresenceCheck(body) { return factory2.updateBlock(body, visitNodes2(body.statements, injectSuperPresenceCheckWorker, isStatement)); } function simplifyConstructor(body, original, hasSynthesizedSuper) { const inputBody = body; body = simplifyConstructorInlineSuperInThisCaptureVariable(body); body = simplifyConstructorInlineSuperReturn(body, original); if (body !== inputBody) { body = simplifyConstructorElideUnusedThisCapture(body, original); } if (hasSynthesizedSuper) { body = complicateConstructorInjectSuperPresenceCheck(body); } return body; } function isSufficientlyCoveredByReturnStatements(statement) { if (statement.kind === 253) { return true; } else if (statement.kind === 245) { const ifStatement = statement; if (ifStatement.elseStatement) { return isSufficientlyCoveredByReturnStatements(ifStatement.thenStatement) && isSufficientlyCoveredByReturnStatements(ifStatement.elseStatement); } } else if (statement.kind === 241) { const lastStatement = lastOrUndefined(statement.statements); if (lastStatement && isSufficientlyCoveredByReturnStatements(lastStatement)) { return true; } } return false; } function createActualThis() { return setEmitFlags( factory2.createThis(), 8 /* NoSubstitution */ ); } function createDefaultSuperCallOrThis() { return factory2.createLogicalOr( factory2.createLogicalAnd( factory2.createStrictInequality( createSyntheticSuper(), factory2.createNull() ), factory2.createFunctionApplyCall( createSyntheticSuper(), createActualThis(), factory2.createIdentifier("arguments") ) ), createActualThis() ); } function visitParameter(node) { if (node.dotDotDotToken) { return void 0; } else if (isBindingPattern(node.name)) { return setOriginalNode( setTextRange( factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, factory2.getGeneratedNameForNode(node), /*questionToken*/ void 0, /*type*/ void 0, /*initializer*/ void 0 ), /*location*/ node ), /*original*/ node ); } else if (node.initializer) { return setOriginalNode( setTextRange( factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, node.name, /*questionToken*/ void 0, /*type*/ void 0, /*initializer*/ void 0 ), /*location*/ node ), /*original*/ node ); } else { return node; } } function hasDefaultValueOrBindingPattern(node) { return node.initializer !== void 0 || isBindingPattern(node.name); } function addDefaultValueAssignmentsIfNeeded2(statements, node) { if (!some(node.parameters, hasDefaultValueOrBindingPattern)) { return false; } let added = false; for (const parameter of node.parameters) { const { name, initializer, dotDotDotToken } = parameter; if (dotDotDotToken) { continue; } if (isBindingPattern(name)) { added = insertDefaultValueAssignmentForBindingPattern(statements, parameter, name, initializer) || added; } else if (initializer) { insertDefaultValueAssignmentForInitializer(statements, parameter, name, initializer); added = true; } } return added; } function insertDefaultValueAssignmentForBindingPattern(statements, parameter, name, initializer) { if (name.elements.length > 0) { insertStatementAfterCustomPrologue( statements, setEmitFlags( factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList( flattenDestructuringBinding( parameter, visitor2, context, 0, factory2.getGeneratedNameForNode(parameter) ) ) ), 2097152 /* CustomPrologue */ ) ); return true; } else if (initializer) { insertStatementAfterCustomPrologue( statements, setEmitFlags( factory2.createExpressionStatement( factory2.createAssignment( factory2.getGeneratedNameForNode(parameter), Debug.checkDefined(visitNode(initializer, visitor2, isExpression)) ) ), 2097152 /* CustomPrologue */ ) ); return true; } return false; } function insertDefaultValueAssignmentForInitializer(statements, parameter, name, initializer) { initializer = Debug.checkDefined(visitNode(initializer, visitor2, isExpression)); const statement = factory2.createIfStatement( factory2.createTypeCheck(factory2.cloneNode(name), "undefined"), setEmitFlags( setTextRange( factory2.createBlock([ factory2.createExpressionStatement( setEmitFlags( setTextRange( factory2.createAssignment( // TODO(rbuckton): Does this need to be parented? setEmitFlags( setParent(setTextRange(factory2.cloneNode(name), name), name.parent), 96 /* NoSourceMap */ ), setEmitFlags( initializer, 96 | getEmitFlags(initializer) | 3072 /* NoComments */ ) ), parameter ), 3072 /* NoComments */ ) ) ]), parameter ), 1 | 64 | 768 | 3072 /* NoComments */ ) ); startOnNewLine(statement); setTextRange(statement, parameter); setEmitFlags( statement, 768 | 64 | 2097152 | 3072 /* NoComments */ ); insertStatementAfterCustomPrologue(statements, statement); } function shouldAddRestParameter(node, inConstructorWithSynthesizedSuper) { return !!(node && node.dotDotDotToken && !inConstructorWithSynthesizedSuper); } function addRestParameterIfNeeded(statements, node, inConstructorWithSynthesizedSuper) { const prologueStatements = []; const parameter = lastOrUndefined(node.parameters); if (!shouldAddRestParameter(parameter, inConstructorWithSynthesizedSuper)) { return false; } const declarationName = parameter.name.kind === 80 ? setParent(setTextRange(factory2.cloneNode(parameter.name), parameter.name), parameter.name.parent) : factory2.createTempVariable( /*recordTempVariable*/ void 0 ); setEmitFlags( declarationName, 96 /* NoSourceMap */ ); const expressionName = parameter.name.kind === 80 ? factory2.cloneNode(parameter.name) : declarationName; const restIndex = node.parameters.length - 1; const temp = factory2.createLoopVariable(); prologueStatements.push( setEmitFlags( setTextRange( factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration( declarationName, /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createArrayLiteralExpression([]) ) ]) ), /*location*/ parameter ), 2097152 /* CustomPrologue */ ) ); const forStatement = factory2.createForStatement( setTextRange( factory2.createVariableDeclarationList([ factory2.createVariableDeclaration( temp, /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createNumericLiteral(restIndex) ) ]), parameter ), setTextRange( factory2.createLessThan( temp, factory2.createPropertyAccessExpression(factory2.createIdentifier("arguments"), "length") ), parameter ), setTextRange(factory2.createPostfixIncrement(temp), parameter), factory2.createBlock([ startOnNewLine( setTextRange( factory2.createExpressionStatement( factory2.createAssignment( factory2.createElementAccessExpression( expressionName, restIndex === 0 ? temp : factory2.createSubtract(temp, factory2.createNumericLiteral(restIndex)) ), factory2.createElementAccessExpression(factory2.createIdentifier("arguments"), temp) ) ), /*location*/ parameter ) ) ]) ); setEmitFlags( forStatement, 2097152 /* CustomPrologue */ ); startOnNewLine(forStatement); prologueStatements.push(forStatement); if (parameter.name.kind !== 80) { prologueStatements.push( setEmitFlags( setTextRange( factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList( flattenDestructuringBinding(parameter, visitor2, context, 0, expressionName) ) ), parameter ), 2097152 /* CustomPrologue */ ) ); } insertStatementsAfterCustomPrologue(statements, prologueStatements); return true; } function insertCaptureThisForNodeIfNeeded(statements, node) { if (hierarchyFacts & 131072 && node.kind !== 219) { insertCaptureThisForNode(statements, node, factory2.createThis()); return true; } return false; } function insertCaptureThisForNode(statements, node, initializer) { enableSubstitutionsForCapturedThis(); const captureThisStatement = factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration( createCapturedThis(), /*exclamationToken*/ void 0, /*type*/ void 0, initializer ) ]) ); setEmitFlags( captureThisStatement, 3072 | 2097152 /* CustomPrologue */ ); setSourceMapRange(captureThisStatement, node); insertStatementAfterCustomPrologue(statements, captureThisStatement); } function insertCaptureNewTargetIfNeeded(statements, node) { if (hierarchyFacts & 32768) { let newTarget; switch (node.kind) { case 219: return statements; case 174: case 177: case 178: newTarget = factory2.createVoidZero(); break; case 176: newTarget = factory2.createPropertyAccessExpression( setEmitFlags( factory2.createThis(), 8 /* NoSubstitution */ ), "constructor" ); break; case 262: case 218: newTarget = factory2.createConditionalExpression( factory2.createLogicalAnd( setEmitFlags( factory2.createThis(), 8 /* NoSubstitution */ ), factory2.createBinaryExpression( setEmitFlags( factory2.createThis(), 8 /* NoSubstitution */ ), 104, factory2.getLocalName(node) ) ), /*questionToken*/ void 0, factory2.createPropertyAccessExpression( setEmitFlags( factory2.createThis(), 8 /* NoSubstitution */ ), "constructor" ), /*colonToken*/ void 0, factory2.createVoidZero() ); break; default: return Debug.failBadSyntaxKind(node); } const captureNewTargetStatement = factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration( factory2.createUniqueName( "_newTarget", 16 | 32 /* FileLevel */ ), /*exclamationToken*/ void 0, /*type*/ void 0, newTarget ) ]) ); setEmitFlags( captureNewTargetStatement, 3072 | 2097152 /* CustomPrologue */ ); insertStatementAfterCustomPrologue(statements, captureNewTargetStatement); } return statements; } function addClassMembers(statements, node) { for (const member of node.members) { switch (member.kind) { case 240: statements.push(transformSemicolonClassElementToStatement(member)); break; case 174: statements.push(transformClassMethodDeclarationToStatement(getClassMemberPrefix(node, member), member, node)); break; case 177: case 178: const accessors = getAllAccessorDeclarations(node.members, member); if (member === accessors.firstAccessor) { statements.push(transformAccessorsToStatement(getClassMemberPrefix(node, member), accessors, node)); } break; case 176: case 175: break; default: Debug.failBadSyntaxKind(member, currentSourceFile && currentSourceFile.fileName); break; } } } function transformSemicolonClassElementToStatement(member) { return setTextRange(factory2.createEmptyStatement(), member); } function transformClassMethodDeclarationToStatement(receiver, member, container) { const commentRange = getCommentRange(member); const sourceMapRange = getSourceMapRange(member); const memberFunction = transformFunctionLikeToExpression( member, /*location*/ member, /*name*/ void 0, container ); const propertyName = visitNode(member.name, visitor2, isPropertyName); Debug.assert(propertyName); let e; if (!isPrivateIdentifier(propertyName) && getUseDefineForClassFields(context.getCompilerOptions())) { const name = isComputedPropertyName(propertyName) ? propertyName.expression : isIdentifier(propertyName) ? factory2.createStringLiteral(unescapeLeadingUnderscores(propertyName.escapedText)) : propertyName; e = factory2.createObjectDefinePropertyCall(receiver, name, factory2.createPropertyDescriptor({ value: memberFunction, enumerable: false, writable: true, configurable: true })); } else { const memberName = createMemberAccessForPropertyName( factory2, receiver, propertyName, /*location*/ member.name ); e = factory2.createAssignment(memberName, memberFunction); } setEmitFlags( memberFunction, 3072 /* NoComments */ ); setSourceMapRange(memberFunction, sourceMapRange); const statement = setTextRange( factory2.createExpressionStatement(e), /*location*/ member ); setOriginalNode(statement, member); setCommentRange(statement, commentRange); setEmitFlags( statement, 96 /* NoSourceMap */ ); return statement; } function transformAccessorsToStatement(receiver, accessors, container) { const statement = factory2.createExpressionStatement(transformAccessorsToExpression( receiver, accessors, container, /*startsOnNewLine*/ false )); setEmitFlags( statement, 3072 /* NoComments */ ); setSourceMapRange(statement, getSourceMapRange(accessors.firstAccessor)); return statement; } function transformAccessorsToExpression(receiver, { firstAccessor, getAccessor, setAccessor }, container, startsOnNewLine) { const target = setParent(setTextRange(factory2.cloneNode(receiver), receiver), receiver.parent); setEmitFlags( target, 3072 | 64 /* NoTrailingSourceMap */ ); setSourceMapRange(target, firstAccessor.name); const visitedAccessorName = visitNode(firstAccessor.name, visitor2, isPropertyName); Debug.assert(visitedAccessorName); if (isPrivateIdentifier(visitedAccessorName)) { return Debug.failBadSyntaxKind(visitedAccessorName, "Encountered unhandled private identifier while transforming ES2015."); } const propertyName = createExpressionForPropertyName(factory2, visitedAccessorName); setEmitFlags( propertyName, 3072 | 32 /* NoLeadingSourceMap */ ); setSourceMapRange(propertyName, firstAccessor.name); const properties = []; if (getAccessor) { const getterFunction = transformFunctionLikeToExpression( getAccessor, /*location*/ void 0, /*name*/ void 0, container ); setSourceMapRange(getterFunction, getSourceMapRange(getAccessor)); setEmitFlags( getterFunction, 1024 /* NoLeadingComments */ ); const getter = factory2.createPropertyAssignment("get", getterFunction); setCommentRange(getter, getCommentRange(getAccessor)); properties.push(getter); } if (setAccessor) { const setterFunction = transformFunctionLikeToExpression( setAccessor, /*location*/ void 0, /*name*/ void 0, container ); setSourceMapRange(setterFunction, getSourceMapRange(setAccessor)); setEmitFlags( setterFunction, 1024 /* NoLeadingComments */ ); const setter = factory2.createPropertyAssignment("set", setterFunction); setCommentRange(setter, getCommentRange(setAccessor)); properties.push(setter); } properties.push( factory2.createPropertyAssignment("enumerable", getAccessor || setAccessor ? factory2.createFalse() : factory2.createTrue()), factory2.createPropertyAssignment("configurable", factory2.createTrue()) ); const call = factory2.createCallExpression( factory2.createPropertyAccessExpression(factory2.createIdentifier("Object"), "defineProperty"), /*typeArguments*/ void 0, [ target, propertyName, factory2.createObjectLiteralExpression( properties, /*multiLine*/ true ) ] ); if (startsOnNewLine) { startOnNewLine(call); } return call; } function visitArrowFunction(node) { if (node.transformFlags & 16384 && !(hierarchyFacts & 16384)) { hierarchyFacts |= 131072; } const savedConvertedLoopState = convertedLoopState; convertedLoopState = void 0; const ancestorFacts = enterSubtree( 15232, 66 /* ArrowFunctionIncludes */ ); const func = factory2.createFunctionExpression( /*modifiers*/ void 0, /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, visitParameterList(node.parameters, visitor2, context), /*type*/ void 0, transformFunctionBody2(node) ); setTextRange(func, node); setOriginalNode(func, node); setEmitFlags( func, 16 /* CapturesThis */ ); exitSubtree( ancestorFacts, 0, 0 /* None */ ); convertedLoopState = savedConvertedLoopState; return func; } function visitFunctionExpression(node) { const ancestorFacts = getEmitFlags(node) & 524288 ? enterSubtree( 32662, 69 /* AsyncFunctionBodyIncludes */ ) : enterSubtree( 32670, 65 /* FunctionIncludes */ ); const savedConvertedLoopState = convertedLoopState; convertedLoopState = void 0; const parameters = visitParameterList(node.parameters, visitor2, context); const body = transformFunctionBody2(node); const name = hierarchyFacts & 32768 ? factory2.getLocalName(node) : node.name; exitSubtree( ancestorFacts, 229376, 0 /* None */ ); convertedLoopState = savedConvertedLoopState; return factory2.updateFunctionExpression( node, /*modifiers*/ void 0, node.asteriskToken, name, /*typeParameters*/ void 0, parameters, /*type*/ void 0, body ); } function visitFunctionDeclaration(node) { const savedConvertedLoopState = convertedLoopState; convertedLoopState = void 0; const ancestorFacts = enterSubtree( 32670, 65 /* FunctionIncludes */ ); const parameters = visitParameterList(node.parameters, visitor2, context); const body = transformFunctionBody2(node); const name = hierarchyFacts & 32768 ? factory2.getLocalName(node) : node.name; exitSubtree( ancestorFacts, 229376, 0 /* None */ ); convertedLoopState = savedConvertedLoopState; return factory2.updateFunctionDeclaration( node, visitNodes2(node.modifiers, visitor2, isModifier), node.asteriskToken, name, /*typeParameters*/ void 0, parameters, /*type*/ void 0, body ); } function transformFunctionLikeToExpression(node, location, name, container) { const savedConvertedLoopState = convertedLoopState; convertedLoopState = void 0; const ancestorFacts = container && isClassLike(container) && !isStatic(node) ? enterSubtree( 32670, 65 | 8 /* NonStaticClassElement */ ) : enterSubtree( 32670, 65 /* FunctionIncludes */ ); const parameters = visitParameterList(node.parameters, visitor2, context); const body = transformFunctionBody2(node); if (hierarchyFacts & 32768 && !name && (node.kind === 262 || node.kind === 218)) { name = factory2.getGeneratedNameForNode(node); } exitSubtree( ancestorFacts, 229376, 0 /* None */ ); convertedLoopState = savedConvertedLoopState; return setOriginalNode( setTextRange( factory2.createFunctionExpression( /*modifiers*/ void 0, node.asteriskToken, name, /*typeParameters*/ void 0, parameters, /*type*/ void 0, body ), location ), /*original*/ node ); } function transformFunctionBody2(node) { let multiLine = false; let singleLine = false; let statementsLocation; let closeBraceLocation; const prologue = []; const statements = []; const body = node.body; let statementOffset; resumeLexicalEnvironment(); if (isBlock(body)) { statementOffset = factory2.copyStandardPrologue( body.statements, prologue, 0, /*ensureUseStrict*/ false ); statementOffset = factory2.copyCustomPrologue(body.statements, statements, statementOffset, visitor2, isHoistedFunction); statementOffset = factory2.copyCustomPrologue(body.statements, statements, statementOffset, visitor2, isHoistedVariableStatement); } multiLine = addDefaultValueAssignmentsIfNeeded2(statements, node) || multiLine; multiLine = addRestParameterIfNeeded( statements, node, /*inConstructorWithSynthesizedSuper*/ false ) || multiLine; if (isBlock(body)) { statementOffset = factory2.copyCustomPrologue(body.statements, statements, statementOffset, visitor2); statementsLocation = body.statements; addRange(statements, visitNodes2(body.statements, visitor2, isStatement, statementOffset)); if (!multiLine && body.multiLine) { multiLine = true; } } else { Debug.assert( node.kind === 219 /* ArrowFunction */ ); statementsLocation = moveRangeEnd(body, -1); const equalsGreaterThanToken = node.equalsGreaterThanToken; if (!nodeIsSynthesized(equalsGreaterThanToken) && !nodeIsSynthesized(body)) { if (rangeEndIsOnSameLineAsRangeStart(equalsGreaterThanToken, body, currentSourceFile)) { singleLine = true; } else { multiLine = true; } } const expression = visitNode(body, visitor2, isExpression); const returnStatement = factory2.createReturnStatement(expression); setTextRange(returnStatement, body); moveSyntheticComments(returnStatement, body); setEmitFlags( returnStatement, 768 | 64 | 2048 /* NoTrailingComments */ ); statements.push(returnStatement); closeBraceLocation = body; } factory2.mergeLexicalEnvironment(prologue, endLexicalEnvironment()); insertCaptureNewTargetIfNeeded(prologue, node); insertCaptureThisForNodeIfNeeded(prologue, node); if (some(prologue)) { multiLine = true; } statements.unshift(...prologue); if (isBlock(body) && arrayIsEqualTo(statements, body.statements)) { return body; } const block = factory2.createBlock(setTextRange(factory2.createNodeArray(statements), statementsLocation), multiLine); setTextRange(block, node.body); if (!multiLine && singleLine) { setEmitFlags( block, 1 /* SingleLine */ ); } if (closeBraceLocation) { setTokenSourceMapRange(block, 20, closeBraceLocation); } setOriginalNode(block, node.body); return block; } function visitBlock(node, isFunctionBody2) { if (isFunctionBody2) { return visitEachChild(node, visitor2, context); } const ancestorFacts = hierarchyFacts & 256 ? enterSubtree( 7104, 512 /* IterationStatementBlockIncludes */ ) : enterSubtree( 6976, 128 /* BlockIncludes */ ); const updated = visitEachChild(node, visitor2, context); exitSubtree( ancestorFacts, 0, 0 /* None */ ); return updated; } function visitExpressionStatement(node) { return visitEachChild(node, visitorWithUnusedExpressionResult, context); } function visitParenthesizedExpression(node, expressionResultIsUnused2) { return visitEachChild(node, expressionResultIsUnused2 ? visitorWithUnusedExpressionResult : visitor2, context); } function visitBinaryExpression(node, expressionResultIsUnused2) { if (isDestructuringAssignment(node)) { return flattenDestructuringAssignment( node, visitor2, context, 0, !expressionResultIsUnused2 ); } if (node.operatorToken.kind === 28) { return factory2.updateBinaryExpression( node, Debug.checkDefined(visitNode(node.left, visitorWithUnusedExpressionResult, isExpression)), node.operatorToken, Debug.checkDefined(visitNode(node.right, expressionResultIsUnused2 ? visitorWithUnusedExpressionResult : visitor2, isExpression)) ); } return visitEachChild(node, visitor2, context); } function visitCommaListExpression(node, expressionResultIsUnused2) { if (expressionResultIsUnused2) { return visitEachChild(node, visitorWithUnusedExpressionResult, context); } let result; for (let i = 0; i < node.elements.length; i++) { const element = node.elements[i]; const visited = visitNode(element, i < node.elements.length - 1 ? visitorWithUnusedExpressionResult : visitor2, isExpression); if (result || visited !== element) { result || (result = node.elements.slice(0, i)); Debug.assert(visited); result.push(visited); } } const elements = result ? setTextRange(factory2.createNodeArray(result), node.elements) : node.elements; return factory2.updateCommaListExpression(node, elements); } function isVariableStatementOfTypeScriptClassWrapper(node) { return node.declarationList.declarations.length === 1 && !!node.declarationList.declarations[0].initializer && !!(getInternalEmitFlags(node.declarationList.declarations[0].initializer) & 1); } function visitVariableStatement(node) { const ancestorFacts = enterSubtree( 0, hasSyntacticModifier( node, 32 /* Export */ ) ? 32 : 0 /* None */ ); let updated; if (convertedLoopState && (node.declarationList.flags & 7) === 0 && !isVariableStatementOfTypeScriptClassWrapper(node)) { let assignments; for (const decl of node.declarationList.declarations) { hoistVariableDeclarationDeclaredInConvertedLoop(convertedLoopState, decl); if (decl.initializer) { let assignment; if (isBindingPattern(decl.name)) { assignment = flattenDestructuringAssignment( decl, visitor2, context, 0 /* All */ ); } else { assignment = factory2.createBinaryExpression(decl.name, 64, Debug.checkDefined(visitNode(decl.initializer, visitor2, isExpression))); setTextRange(assignment, decl); } assignments = append(assignments, assignment); } } if (assignments) { updated = setTextRange(factory2.createExpressionStatement(factory2.inlineExpressions(assignments)), node); } else { updated = void 0; } } else { updated = visitEachChild(node, visitor2, context); } exitSubtree( ancestorFacts, 0, 0 /* None */ ); return updated; } function visitVariableDeclarationList(node) { if (node.flags & 7 || node.transformFlags & 524288) { if (node.flags & 7) { enableSubstitutionsForBlockScopedBindings(); } const declarations = visitNodes2( node.declarations, node.flags & 1 ? visitVariableDeclarationInLetDeclarationList : visitVariableDeclaration, isVariableDeclaration ); const declarationList = factory2.createVariableDeclarationList(declarations); setOriginalNode(declarationList, node); setTextRange(declarationList, node); setCommentRange(declarationList, node); if (node.transformFlags & 524288 && (isBindingPattern(node.declarations[0].name) || isBindingPattern(last(node.declarations).name))) { setSourceMapRange(declarationList, getRangeUnion(declarations)); } return declarationList; } return visitEachChild(node, visitor2, context); } function getRangeUnion(declarations) { let pos = -1, end = -1; for (const node of declarations) { pos = pos === -1 ? node.pos : node.pos === -1 ? pos : Math.min(pos, node.pos); end = Math.max(end, node.end); } return createRange(pos, end); } function shouldEmitExplicitInitializerForLetDeclaration(node) { const isCapturedInFunction = resolver.hasNodeCheckFlag( node, 16384 /* CapturedBlockScopedBinding */ ); const isDeclaredInLoop = resolver.hasNodeCheckFlag( node, 32768 /* BlockScopedBindingInLoop */ ); const emittedAsTopLevel = (hierarchyFacts & 64) !== 0 || isCapturedInFunction && isDeclaredInLoop && (hierarchyFacts & 512) !== 0; const emitExplicitInitializer = !emittedAsTopLevel && (hierarchyFacts & 4096) === 0 && (!resolver.isDeclarationWithCollidingName(node) || isDeclaredInLoop && !isCapturedInFunction && (hierarchyFacts & (2048 | 4096)) === 0); return emitExplicitInitializer; } function visitVariableDeclarationInLetDeclarationList(node) { const name = node.name; if (isBindingPattern(name)) { return visitVariableDeclaration(node); } if (!node.initializer && shouldEmitExplicitInitializerForLetDeclaration(node)) { return factory2.updateVariableDeclaration( node, node.name, /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createVoidZero() ); } return visitEachChild(node, visitor2, context); } function visitVariableDeclaration(node) { const ancestorFacts = enterSubtree( 32, 0 /* None */ ); let updated; if (isBindingPattern(node.name)) { updated = flattenDestructuringBinding( node, visitor2, context, 0, /*rval*/ void 0, (ancestorFacts & 32) !== 0 ); } else { updated = visitEachChild(node, visitor2, context); } exitSubtree( ancestorFacts, 0, 0 /* None */ ); return updated; } function recordLabel(node) { convertedLoopState.labels.set(idText(node.label), true); } function resetLabel(node) { convertedLoopState.labels.set(idText(node.label), false); } function visitLabeledStatement(node) { if (convertedLoopState && !convertedLoopState.labels) { convertedLoopState.labels = /* @__PURE__ */ new Map(); } const statement = unwrapInnermostStatementOfLabel(node, convertedLoopState && recordLabel); return isIterationStatement( statement, /*lookInLabeledStatements*/ false ) ? visitIterationStatement( statement, /*outermostLabeledStatement*/ node ) : factory2.restoreEnclosingLabel(Debug.checkDefined(visitNode(statement, visitor2, isStatement, factory2.liftToBlock)), node, convertedLoopState && resetLabel); } function visitIterationStatement(node, outermostLabeledStatement) { switch (node.kind) { case 246: case 247: return visitDoOrWhileStatement(node, outermostLabeledStatement); case 248: return visitForStatement(node, outermostLabeledStatement); case 249: return visitForInStatement(node, outermostLabeledStatement); case 250: return visitForOfStatement(node, outermostLabeledStatement); } } function visitIterationStatementWithFacts(excludeFacts, includeFacts, node, outermostLabeledStatement, convert) { const ancestorFacts = enterSubtree(excludeFacts, includeFacts); const updated = convertIterationStatementBodyIfNecessary(node, outermostLabeledStatement, ancestorFacts, convert); exitSubtree( ancestorFacts, 0, 0 /* None */ ); return updated; } function visitDoOrWhileStatement(node, outermostLabeledStatement) { return visitIterationStatementWithFacts( 0, 1280, node, outermostLabeledStatement ); } function visitForStatement(node, outermostLabeledStatement) { return visitIterationStatementWithFacts( 5056, 3328, node, outermostLabeledStatement ); } function visitEachChildOfForStatement2(node) { return factory2.updateForStatement( node, visitNode(node.initializer, visitorWithUnusedExpressionResult, isForInitializer), visitNode(node.condition, visitor2, isExpression), visitNode(node.incrementor, visitorWithUnusedExpressionResult, isExpression), Debug.checkDefined(visitNode(node.statement, visitor2, isStatement, factory2.liftToBlock)) ); } function visitForInStatement(node, outermostLabeledStatement) { return visitIterationStatementWithFacts( 3008, 5376, node, outermostLabeledStatement ); } function visitForOfStatement(node, outermostLabeledStatement) { return visitIterationStatementWithFacts( 3008, 5376, node, outermostLabeledStatement, compilerOptions.downlevelIteration ? convertForOfStatementForIterable : convertForOfStatementForArray ); } function convertForOfStatementHead(node, boundValue, convertedLoopBodyStatements) { const statements = []; const initializer = node.initializer; if (isVariableDeclarationList(initializer)) { if (node.initializer.flags & 7) { enableSubstitutionsForBlockScopedBindings(); } const firstOriginalDeclaration = firstOrUndefined(initializer.declarations); if (firstOriginalDeclaration && isBindingPattern(firstOriginalDeclaration.name)) { const declarations = flattenDestructuringBinding( firstOriginalDeclaration, visitor2, context, 0, boundValue ); const declarationList = setTextRange(factory2.createVariableDeclarationList(declarations), node.initializer); setOriginalNode(declarationList, node.initializer); setSourceMapRange(declarationList, createRange(declarations[0].pos, last(declarations).end)); statements.push( factory2.createVariableStatement( /*modifiers*/ void 0, declarationList ) ); } else { statements.push( setTextRange( factory2.createVariableStatement( /*modifiers*/ void 0, setOriginalNode( setTextRange( factory2.createVariableDeclarationList([ factory2.createVariableDeclaration( firstOriginalDeclaration ? firstOriginalDeclaration.name : factory2.createTempVariable( /*recordTempVariable*/ void 0 ), /*exclamationToken*/ void 0, /*type*/ void 0, boundValue ) ]), moveRangePos(initializer, -1) ), initializer ) ), moveRangeEnd(initializer, -1) ) ); } } else { const assignment = factory2.createAssignment(initializer, boundValue); if (isDestructuringAssignment(assignment)) { statements.push(factory2.createExpressionStatement(visitBinaryExpression( assignment, /*expressionResultIsUnused*/ true ))); } else { setTextRangeEnd(assignment, initializer.end); statements.push(setTextRange(factory2.createExpressionStatement(Debug.checkDefined(visitNode(assignment, visitor2, isExpression))), moveRangeEnd(initializer, -1))); } } if (convertedLoopBodyStatements) { return createSyntheticBlockForConvertedStatements(addRange(statements, convertedLoopBodyStatements)); } else { const statement = visitNode(node.statement, visitor2, isStatement, factory2.liftToBlock); Debug.assert(statement); if (isBlock(statement)) { return factory2.updateBlock(statement, setTextRange(factory2.createNodeArray(concatenate(statements, statement.statements)), statement.statements)); } else { statements.push(statement); return createSyntheticBlockForConvertedStatements(statements); } } } function createSyntheticBlockForConvertedStatements(statements) { return setEmitFlags( factory2.createBlock( factory2.createNodeArray(statements), /*multiLine*/ true ), 96 | 768 /* NoTokenSourceMaps */ ); } function convertForOfStatementForArray(node, outermostLabeledStatement, convertedLoopBodyStatements) { const expression = visitNode(node.expression, visitor2, isExpression); Debug.assert(expression); const counter = factory2.createLoopVariable(); const rhsReference = isIdentifier(expression) ? factory2.getGeneratedNameForNode(expression) : factory2.createTempVariable( /*recordTempVariable*/ void 0 ); setEmitFlags(expression, 96 | getEmitFlags(expression)); const forStatement = setTextRange( factory2.createForStatement( /*initializer*/ setEmitFlags( setTextRange( factory2.createVariableDeclarationList([ setTextRange(factory2.createVariableDeclaration( counter, /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createNumericLiteral(0) ), moveRangePos(node.expression, -1)), setTextRange(factory2.createVariableDeclaration( rhsReference, /*exclamationToken*/ void 0, /*type*/ void 0, expression ), node.expression) ]), node.expression ), 4194304 /* NoHoisting */ ), /*condition*/ setTextRange( factory2.createLessThan( counter, factory2.createPropertyAccessExpression(rhsReference, "length") ), node.expression ), /*incrementor*/ setTextRange(factory2.createPostfixIncrement(counter), node.expression), /*statement*/ convertForOfStatementHead( node, factory2.createElementAccessExpression(rhsReference, counter), convertedLoopBodyStatements ) ), /*location*/ node ); setEmitFlags( forStatement, 512 /* NoTokenTrailingSourceMaps */ ); setTextRange(forStatement, node); return factory2.restoreEnclosingLabel(forStatement, outermostLabeledStatement, convertedLoopState && resetLabel); } function convertForOfStatementForIterable(node, outermostLabeledStatement, convertedLoopBodyStatements, ancestorFacts) { const expression = visitNode(node.expression, visitor2, isExpression); Debug.assert(expression); const iterator = isIdentifier(expression) ? factory2.getGeneratedNameForNode(expression) : factory2.createTempVariable( /*recordTempVariable*/ void 0 ); const result = isIdentifier(expression) ? factory2.getGeneratedNameForNode(iterator) : factory2.createTempVariable( /*recordTempVariable*/ void 0 ); const errorRecord = factory2.createUniqueName("e"); const catchVariable = factory2.getGeneratedNameForNode(errorRecord); const returnMethod = factory2.createTempVariable( /*recordTempVariable*/ void 0 ); const values = setTextRange(emitHelpers().createValuesHelper(expression), node.expression); const next = factory2.createCallExpression( factory2.createPropertyAccessExpression(iterator, "next"), /*typeArguments*/ void 0, [] ); hoistVariableDeclaration(errorRecord); hoistVariableDeclaration(returnMethod); const initializer = ancestorFacts & 1024 ? factory2.inlineExpressions([factory2.createAssignment(errorRecord, factory2.createVoidZero()), values]) : values; const forStatement = setEmitFlags( setTextRange( factory2.createForStatement( /*initializer*/ setEmitFlags( setTextRange( factory2.createVariableDeclarationList([ setTextRange(factory2.createVariableDeclaration( iterator, /*exclamationToken*/ void 0, /*type*/ void 0, initializer ), node.expression), factory2.createVariableDeclaration( result, /*exclamationToken*/ void 0, /*type*/ void 0, next ) ]), node.expression ), 4194304 /* NoHoisting */ ), /*condition*/ factory2.createLogicalNot(factory2.createPropertyAccessExpression(result, "done")), /*incrementor*/ factory2.createAssignment(result, next), /*statement*/ convertForOfStatementHead( node, factory2.createPropertyAccessExpression(result, "value"), convertedLoopBodyStatements ) ), /*location*/ node ), 512 /* NoTokenTrailingSourceMaps */ ); return factory2.createTryStatement( factory2.createBlock([ factory2.restoreEnclosingLabel( forStatement, outermostLabeledStatement, convertedLoopState && resetLabel ) ]), factory2.createCatchClause( factory2.createVariableDeclaration(catchVariable), setEmitFlags( factory2.createBlock([ factory2.createExpressionStatement( factory2.createAssignment( errorRecord, factory2.createObjectLiteralExpression([ factory2.createPropertyAssignment("error", catchVariable) ]) ) ) ]), 1 /* SingleLine */ ) ), factory2.createBlock([ factory2.createTryStatement( /*tryBlock*/ factory2.createBlock([ setEmitFlags( factory2.createIfStatement( factory2.createLogicalAnd( factory2.createLogicalAnd( result, factory2.createLogicalNot( factory2.createPropertyAccessExpression(result, "done") ) ), factory2.createAssignment( returnMethod, factory2.createPropertyAccessExpression(iterator, "return") ) ), factory2.createExpressionStatement( factory2.createFunctionCallCall(returnMethod, iterator, []) ) ), 1 /* SingleLine */ ) ]), /*catchClause*/ void 0, /*finallyBlock*/ setEmitFlags( factory2.createBlock([ setEmitFlags( factory2.createIfStatement( errorRecord, factory2.createThrowStatement( factory2.createPropertyAccessExpression(errorRecord, "error") ) ), 1 /* SingleLine */ ) ]), 1 /* SingleLine */ ) ) ]) ); } function visitObjectLiteralExpression(node) { const properties = node.properties; let numInitialProperties = -1, hasComputed = false; for (let i = 0; i < properties.length; i++) { const property = properties[i]; if (property.transformFlags & 1048576 && hierarchyFacts & 4 || (hasComputed = Debug.checkDefined(property.name).kind === 167)) { numInitialProperties = i; break; } } if (numInitialProperties < 0) { return visitEachChild(node, visitor2, context); } const temp = factory2.createTempVariable(hoistVariableDeclaration); const expressions = []; const assignment = factory2.createAssignment( temp, setEmitFlags( factory2.createObjectLiteralExpression( visitNodes2(properties, visitor2, isObjectLiteralElementLike, 0, numInitialProperties), node.multiLine ), hasComputed ? 131072 : 0 ) ); if (node.multiLine) { startOnNewLine(assignment); } expressions.push(assignment); addObjectLiteralMembers(expressions, node, temp, numInitialProperties); expressions.push(node.multiLine ? startOnNewLine(setParent(setTextRange(factory2.cloneNode(temp), temp), temp.parent)) : temp); return factory2.inlineExpressions(expressions); } function shouldConvertPartOfIterationStatement(node) { return resolver.hasNodeCheckFlag( node, 8192 /* ContainsCapturedBlockScopeBinding */ ); } function shouldConvertInitializerOfForStatement(node) { return isForStatement(node) && !!node.initializer && shouldConvertPartOfIterationStatement(node.initializer); } function shouldConvertConditionOfForStatement(node) { return isForStatement(node) && !!node.condition && shouldConvertPartOfIterationStatement(node.condition); } function shouldConvertIncrementorOfForStatement(node) { return isForStatement(node) && !!node.incrementor && shouldConvertPartOfIterationStatement(node.incrementor); } function shouldConvertIterationStatement(node) { return shouldConvertBodyOfIterationStatement(node) || shouldConvertInitializerOfForStatement(node); } function shouldConvertBodyOfIterationStatement(node) { return resolver.hasNodeCheckFlag( node, 4096 /* LoopWithCapturedBlockScopedBinding */ ); } function hoistVariableDeclarationDeclaredInConvertedLoop(state, node) { if (!state.hoistedLocalVariables) { state.hoistedLocalVariables = []; } visit(node.name); function visit(node2) { if (node2.kind === 80) { state.hoistedLocalVariables.push(node2); } else { for (const element of node2.elements) { if (!isOmittedExpression(element)) { visit(element.name); } } } } } function convertIterationStatementBodyIfNecessary(node, outermostLabeledStatement, ancestorFacts, convert) { if (!shouldConvertIterationStatement(node)) { let saveAllowedNonLabeledJumps; if (convertedLoopState) { saveAllowedNonLabeledJumps = convertedLoopState.allowedNonLabeledJumps; convertedLoopState.allowedNonLabeledJumps = 2 | 4; } const result = convert ? convert( node, outermostLabeledStatement, /*convertedLoopBodyStatements*/ void 0, ancestorFacts ) : factory2.restoreEnclosingLabel( isForStatement(node) ? visitEachChildOfForStatement2(node) : visitEachChild(node, visitor2, context), outermostLabeledStatement, convertedLoopState && resetLabel ); if (convertedLoopState) { convertedLoopState.allowedNonLabeledJumps = saveAllowedNonLabeledJumps; } return result; } const currentState = createConvertedLoopState(node); const statements = []; const outerConvertedLoopState = convertedLoopState; convertedLoopState = currentState; const initializerFunction = shouldConvertInitializerOfForStatement(node) ? createFunctionForInitializerOfForStatement(node, currentState) : void 0; const bodyFunction = shouldConvertBodyOfIterationStatement(node) ? createFunctionForBodyOfIterationStatement(node, currentState, outerConvertedLoopState) : void 0; convertedLoopState = outerConvertedLoopState; if (initializerFunction) statements.push(initializerFunction.functionDeclaration); if (bodyFunction) statements.push(bodyFunction.functionDeclaration); addExtraDeclarationsForConvertedLoop(statements, currentState, outerConvertedLoopState); if (initializerFunction) { statements.push(generateCallToConvertedLoopInitializer(initializerFunction.functionName, initializerFunction.containsYield)); } let loop; if (bodyFunction) { if (convert) { loop = convert(node, outermostLabeledStatement, bodyFunction.part, ancestorFacts); } else { const clone2 = convertIterationStatementCore(node, initializerFunction, factory2.createBlock( bodyFunction.part, /*multiLine*/ true )); loop = factory2.restoreEnclosingLabel(clone2, outermostLabeledStatement, convertedLoopState && resetLabel); } } else { const clone2 = convertIterationStatementCore(node, initializerFunction, Debug.checkDefined(visitNode(node.statement, visitor2, isStatement, factory2.liftToBlock))); loop = factory2.restoreEnclosingLabel(clone2, outermostLabeledStatement, convertedLoopState && resetLabel); } statements.push(loop); return statements; } function convertIterationStatementCore(node, initializerFunction, convertedLoopBody) { switch (node.kind) { case 248: return convertForStatement(node, initializerFunction, convertedLoopBody); case 249: return convertForInStatement(node, convertedLoopBody); case 250: return convertForOfStatement(node, convertedLoopBody); case 246: return convertDoStatement(node, convertedLoopBody); case 247: return convertWhileStatement(node, convertedLoopBody); default: return Debug.failBadSyntaxKind(node, "IterationStatement expected"); } } function convertForStatement(node, initializerFunction, convertedLoopBody) { const shouldConvertCondition = node.condition && shouldConvertPartOfIterationStatement(node.condition); const shouldConvertIncrementor = shouldConvertCondition || node.incrementor && shouldConvertPartOfIterationStatement(node.incrementor); return factory2.updateForStatement( node, visitNode(initializerFunction ? initializerFunction.part : node.initializer, visitorWithUnusedExpressionResult, isForInitializer), visitNode(shouldConvertCondition ? void 0 : node.condition, visitor2, isExpression), visitNode(shouldConvertIncrementor ? void 0 : node.incrementor, visitorWithUnusedExpressionResult, isExpression), convertedLoopBody ); } function convertForOfStatement(node, convertedLoopBody) { return factory2.updateForOfStatement( node, /*awaitModifier*/ void 0, Debug.checkDefined(visitNode(node.initializer, visitor2, isForInitializer)), Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)), convertedLoopBody ); } function convertForInStatement(node, convertedLoopBody) { return factory2.updateForInStatement( node, Debug.checkDefined(visitNode(node.initializer, visitor2, isForInitializer)), Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)), convertedLoopBody ); } function convertDoStatement(node, convertedLoopBody) { return factory2.updateDoStatement( node, convertedLoopBody, Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)) ); } function convertWhileStatement(node, convertedLoopBody) { return factory2.updateWhileStatement( node, Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)), convertedLoopBody ); } function createConvertedLoopState(node) { let loopInitializer; switch (node.kind) { case 248: case 249: case 250: const initializer = node.initializer; if (initializer && initializer.kind === 261) { loopInitializer = initializer; } break; } const loopParameters = []; const loopOutParameters = []; if (loopInitializer && getCombinedNodeFlags(loopInitializer) & 7) { const hasCapturedBindingsInForHead = shouldConvertInitializerOfForStatement(node) || shouldConvertConditionOfForStatement(node) || shouldConvertIncrementorOfForStatement(node); for (const decl of loopInitializer.declarations) { processLoopVariableDeclaration(node, decl, loopParameters, loopOutParameters, hasCapturedBindingsInForHead); } } const currentState = { loopParameters, loopOutParameters }; if (convertedLoopState) { if (convertedLoopState.argumentsName) { currentState.argumentsName = convertedLoopState.argumentsName; } if (convertedLoopState.thisName) { currentState.thisName = convertedLoopState.thisName; } if (convertedLoopState.hoistedLocalVariables) { currentState.hoistedLocalVariables = convertedLoopState.hoistedLocalVariables; } } return currentState; } function addExtraDeclarationsForConvertedLoop(statements, state, outerState) { let extraVariableDeclarations; if (state.argumentsName) { if (outerState) { outerState.argumentsName = state.argumentsName; } else { (extraVariableDeclarations || (extraVariableDeclarations = [])).push( factory2.createVariableDeclaration( state.argumentsName, /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createIdentifier("arguments") ) ); } } if (state.thisName) { if (outerState) { outerState.thisName = state.thisName; } else { (extraVariableDeclarations || (extraVariableDeclarations = [])).push( factory2.createVariableDeclaration( state.thisName, /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createIdentifier("this") ) ); } } if (state.hoistedLocalVariables) { if (outerState) { outerState.hoistedLocalVariables = state.hoistedLocalVariables; } else { if (!extraVariableDeclarations) { extraVariableDeclarations = []; } for (const identifier of state.hoistedLocalVariables) { extraVariableDeclarations.push(factory2.createVariableDeclaration(identifier)); } } } if (state.loopOutParameters.length) { if (!extraVariableDeclarations) { extraVariableDeclarations = []; } for (const outParam of state.loopOutParameters) { extraVariableDeclarations.push(factory2.createVariableDeclaration(outParam.outParamName)); } } if (state.conditionVariable) { if (!extraVariableDeclarations) { extraVariableDeclarations = []; } extraVariableDeclarations.push(factory2.createVariableDeclaration( state.conditionVariable, /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createFalse() )); } if (extraVariableDeclarations) { statements.push(factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList(extraVariableDeclarations) )); } } function createOutVariable(p) { return factory2.createVariableDeclaration( p.originalName, /*exclamationToken*/ void 0, /*type*/ void 0, p.outParamName ); } function createFunctionForInitializerOfForStatement(node, currentState) { const functionName = factory2.createUniqueName("_loop_init"); const containsYield = (node.initializer.transformFlags & 1048576) !== 0; let emitFlags = 0; if (currentState.containsLexicalThis) emitFlags |= 16; if (containsYield && hierarchyFacts & 4) emitFlags |= 524288; const statements = []; statements.push(factory2.createVariableStatement( /*modifiers*/ void 0, node.initializer )); copyOutParameters(currentState.loopOutParameters, 2, 1, statements); const functionDeclaration = factory2.createVariableStatement( /*modifiers*/ void 0, setEmitFlags( factory2.createVariableDeclarationList([ factory2.createVariableDeclaration( functionName, /*exclamationToken*/ void 0, /*type*/ void 0, setEmitFlags( factory2.createFunctionExpression( /*modifiers*/ void 0, containsYield ? factory2.createToken( 42 /* AsteriskToken */ ) : void 0, /*name*/ void 0, /*typeParameters*/ void 0, /*parameters*/ void 0, /*type*/ void 0, Debug.checkDefined(visitNode( factory2.createBlock( statements, /*multiLine*/ true ), visitor2, isBlock )) ), emitFlags ) ) ]), 4194304 /* NoHoisting */ ) ); const part = factory2.createVariableDeclarationList(map(currentState.loopOutParameters, createOutVariable)); return { functionName, containsYield, functionDeclaration, part }; } function createFunctionForBodyOfIterationStatement(node, currentState, outerState) { const functionName = factory2.createUniqueName("_loop"); startLexicalEnvironment(); const statement = visitNode(node.statement, visitor2, isStatement, factory2.liftToBlock); const lexicalEnvironment = endLexicalEnvironment(); const statements = []; if (shouldConvertConditionOfForStatement(node) || shouldConvertIncrementorOfForStatement(node)) { currentState.conditionVariable = factory2.createUniqueName("inc"); if (node.incrementor) { statements.push(factory2.createIfStatement( currentState.conditionVariable, factory2.createExpressionStatement(Debug.checkDefined(visitNode(node.incrementor, visitor2, isExpression))), factory2.createExpressionStatement(factory2.createAssignment(currentState.conditionVariable, factory2.createTrue())) )); } else { statements.push(factory2.createIfStatement( factory2.createLogicalNot(currentState.conditionVariable), factory2.createExpressionStatement(factory2.createAssignment(currentState.conditionVariable, factory2.createTrue())) )); } if (shouldConvertConditionOfForStatement(node)) { statements.push(factory2.createIfStatement( factory2.createPrefixUnaryExpression(54, Debug.checkDefined(visitNode(node.condition, visitor2, isExpression))), Debug.checkDefined(visitNode(factory2.createBreakStatement(), visitor2, isStatement)) )); } } Debug.assert(statement); if (isBlock(statement)) { addRange(statements, statement.statements); } else { statements.push(statement); } copyOutParameters(currentState.loopOutParameters, 1, 1, statements); insertStatementsAfterStandardPrologue(statements, lexicalEnvironment); const loopBody = factory2.createBlock( statements, /*multiLine*/ true ); if (isBlock(statement)) setOriginalNode(loopBody, statement); const containsYield = (node.statement.transformFlags & 1048576) !== 0; let emitFlags = 1048576; if (currentState.containsLexicalThis) emitFlags |= 16; if (containsYield && (hierarchyFacts & 4) !== 0) emitFlags |= 524288; const functionDeclaration = factory2.createVariableStatement( /*modifiers*/ void 0, setEmitFlags( factory2.createVariableDeclarationList( [ factory2.createVariableDeclaration( functionName, /*exclamationToken*/ void 0, /*type*/ void 0, setEmitFlags( factory2.createFunctionExpression( /*modifiers*/ void 0, containsYield ? factory2.createToken( 42 /* AsteriskToken */ ) : void 0, /*name*/ void 0, /*typeParameters*/ void 0, currentState.loopParameters, /*type*/ void 0, loopBody ), emitFlags ) ) ] ), 4194304 /* NoHoisting */ ) ); const part = generateCallToConvertedLoop(functionName, currentState, outerState, containsYield); return { functionName, containsYield, functionDeclaration, part }; } function copyOutParameter(outParam, copyDirection) { const source = copyDirection === 0 ? outParam.outParamName : outParam.originalName; const target = copyDirection === 0 ? outParam.originalName : outParam.outParamName; return factory2.createBinaryExpression(target, 64, source); } function copyOutParameters(outParams, partFlags, copyDirection, statements) { for (const outParam of outParams) { if (outParam.flags & partFlags) { statements.push(factory2.createExpressionStatement(copyOutParameter(outParam, copyDirection))); } } } function generateCallToConvertedLoopInitializer(initFunctionExpressionName, containsYield) { const call = factory2.createCallExpression( initFunctionExpressionName, /*typeArguments*/ void 0, [] ); const callResult = containsYield ? factory2.createYieldExpression( factory2.createToken( 42 /* AsteriskToken */ ), setEmitFlags( call, 8388608 /* Iterator */ ) ) : call; return factory2.createExpressionStatement(callResult); } function generateCallToConvertedLoop(loopFunctionExpressionName, state, outerState, containsYield) { const statements = []; const isSimpleLoop = !(state.nonLocalJumps & ~4) && !state.labeledNonLocalBreaks && !state.labeledNonLocalContinues; const call = factory2.createCallExpression( loopFunctionExpressionName, /*typeArguments*/ void 0, map(state.loopParameters, (p) => p.name) ); const callResult = containsYield ? factory2.createYieldExpression( factory2.createToken( 42 /* AsteriskToken */ ), setEmitFlags( call, 8388608 /* Iterator */ ) ) : call; if (isSimpleLoop) { statements.push(factory2.createExpressionStatement(callResult)); copyOutParameters(state.loopOutParameters, 1, 0, statements); } else { const loopResultName = factory2.createUniqueName("state"); const stateVariable = factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList( [factory2.createVariableDeclaration( loopResultName, /*exclamationToken*/ void 0, /*type*/ void 0, callResult )] ) ); statements.push(stateVariable); copyOutParameters(state.loopOutParameters, 1, 0, statements); if (state.nonLocalJumps & 8) { let returnStatement; if (outerState) { outerState.nonLocalJumps |= 8; returnStatement = factory2.createReturnStatement(loopResultName); } else { returnStatement = factory2.createReturnStatement(factory2.createPropertyAccessExpression(loopResultName, "value")); } statements.push( factory2.createIfStatement( factory2.createTypeCheck(loopResultName, "object"), returnStatement ) ); } if (state.nonLocalJumps & 2) { statements.push( factory2.createIfStatement( factory2.createStrictEquality( loopResultName, factory2.createStringLiteral("break") ), factory2.createBreakStatement() ) ); } if (state.labeledNonLocalBreaks || state.labeledNonLocalContinues) { const caseClauses = []; processLabeledJumps( state.labeledNonLocalBreaks, /*isBreak*/ true, loopResultName, outerState, caseClauses ); processLabeledJumps( state.labeledNonLocalContinues, /*isBreak*/ false, loopResultName, outerState, caseClauses ); statements.push( factory2.createSwitchStatement( loopResultName, factory2.createCaseBlock(caseClauses) ) ); } } return statements; } function setLabeledJump(state, isBreak, labelText, labelMarker) { if (isBreak) { if (!state.labeledNonLocalBreaks) { state.labeledNonLocalBreaks = /* @__PURE__ */ new Map(); } state.labeledNonLocalBreaks.set(labelText, labelMarker); } else { if (!state.labeledNonLocalContinues) { state.labeledNonLocalContinues = /* @__PURE__ */ new Map(); } state.labeledNonLocalContinues.set(labelText, labelMarker); } } function processLabeledJumps(table, isBreak, loopResultName, outerLoop, caseClauses) { if (!table) { return; } table.forEach((labelMarker, labelText) => { const statements = []; if (!outerLoop || outerLoop.labels && outerLoop.labels.get(labelText)) { const label = factory2.createIdentifier(labelText); statements.push(isBreak ? factory2.createBreakStatement(label) : factory2.createContinueStatement(label)); } else { setLabeledJump(outerLoop, isBreak, labelText, labelMarker); statements.push(factory2.createReturnStatement(loopResultName)); } caseClauses.push(factory2.createCaseClause(factory2.createStringLiteral(labelMarker), statements)); }); } function processLoopVariableDeclaration(container, decl, loopParameters, loopOutParameters, hasCapturedBindingsInForHead) { const name = decl.name; if (isBindingPattern(name)) { for (const element of name.elements) { if (!isOmittedExpression(element)) { processLoopVariableDeclaration(container, element, loopParameters, loopOutParameters, hasCapturedBindingsInForHead); } } } else { loopParameters.push(factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, name )); const needsOutParam = resolver.hasNodeCheckFlag( decl, 65536 /* NeedsLoopOutParameter */ ); if (needsOutParam || hasCapturedBindingsInForHead) { const outParamName = factory2.createUniqueName("out_" + idText(name)); let flags = 0; if (needsOutParam) { flags |= 1; } if (isForStatement(container)) { if (container.initializer && resolver.isBindingCapturedByNode(container.initializer, decl)) { flags |= 2; } if (container.condition && resolver.isBindingCapturedByNode(container.condition, decl) || container.incrementor && resolver.isBindingCapturedByNode(container.incrementor, decl)) { flags |= 1; } } loopOutParameters.push({ flags, originalName: name, outParamName }); } } } function addObjectLiteralMembers(expressions, node, receiver, start) { const properties = node.properties; const numProperties = properties.length; for (let i = start; i < numProperties; i++) { const property = properties[i]; switch (property.kind) { case 177: case 178: const accessors = getAllAccessorDeclarations(node.properties, property); if (property === accessors.firstAccessor) { expressions.push(transformAccessorsToExpression(receiver, accessors, node, !!node.multiLine)); } break; case 174: expressions.push(transformObjectLiteralMethodDeclarationToExpression(property, receiver, node, node.multiLine)); break; case 303: expressions.push(transformPropertyAssignmentToExpression(property, receiver, node.multiLine)); break; case 304: expressions.push(transformShorthandPropertyAssignmentToExpression(property, receiver, node.multiLine)); break; default: Debug.failBadSyntaxKind(node); break; } } } function transformPropertyAssignmentToExpression(property, receiver, startsOnNewLine) { const expression = factory2.createAssignment( createMemberAccessForPropertyName( factory2, receiver, Debug.checkDefined(visitNode(property.name, visitor2, isPropertyName)) ), Debug.checkDefined(visitNode(property.initializer, visitor2, isExpression)) ); setTextRange(expression, property); if (startsOnNewLine) { startOnNewLine(expression); } return expression; } function transformShorthandPropertyAssignmentToExpression(property, receiver, startsOnNewLine) { const expression = factory2.createAssignment( createMemberAccessForPropertyName( factory2, receiver, Debug.checkDefined(visitNode(property.name, visitor2, isPropertyName)) ), factory2.cloneNode(property.name) ); setTextRange(expression, property); if (startsOnNewLine) { startOnNewLine(expression); } return expression; } function transformObjectLiteralMethodDeclarationToExpression(method, receiver, container, startsOnNewLine) { const expression = factory2.createAssignment( createMemberAccessForPropertyName( factory2, receiver, Debug.checkDefined(visitNode(method.name, visitor2, isPropertyName)) ), transformFunctionLikeToExpression( method, /*location*/ method, /*name*/ void 0, container ) ); setTextRange(expression, method); if (startsOnNewLine) { startOnNewLine(expression); } return expression; } function visitCatchClause(node) { const ancestorFacts = enterSubtree( 7104, 0 /* BlockScopeIncludes */ ); let updated; Debug.assert(!!node.variableDeclaration, "Catch clause variable should always be present when downleveling ES2015."); if (isBindingPattern(node.variableDeclaration.name)) { const temp = factory2.createTempVariable( /*recordTempVariable*/ void 0 ); const newVariableDeclaration = factory2.createVariableDeclaration(temp); setTextRange(newVariableDeclaration, node.variableDeclaration); const vars = flattenDestructuringBinding( node.variableDeclaration, visitor2, context, 0, temp ); const list = factory2.createVariableDeclarationList(vars); setTextRange(list, node.variableDeclaration); const destructure = factory2.createVariableStatement( /*modifiers*/ void 0, list ); updated = factory2.updateCatchClause(node, newVariableDeclaration, addStatementToStartOfBlock(node.block, destructure)); } else { updated = visitEachChild(node, visitor2, context); } exitSubtree( ancestorFacts, 0, 0 /* None */ ); return updated; } function addStatementToStartOfBlock(block, statement) { const transformedStatements = visitNodes2(block.statements, visitor2, isStatement); return factory2.updateBlock(block, [statement, ...transformedStatements]); } function visitMethodDeclaration(node) { Debug.assert(!isComputedPropertyName(node.name)); const functionExpression = transformFunctionLikeToExpression( node, /*location*/ moveRangePos(node, -1), /*name*/ void 0, /*container*/ void 0 ); setEmitFlags(functionExpression, 1024 | getEmitFlags(functionExpression)); return setTextRange( factory2.createPropertyAssignment( node.name, functionExpression ), /*location*/ node ); } function visitAccessorDeclaration(node) { Debug.assert(!isComputedPropertyName(node.name)); const savedConvertedLoopState = convertedLoopState; convertedLoopState = void 0; const ancestorFacts = enterSubtree( 32670, 65 /* FunctionIncludes */ ); let updated; const parameters = visitParameterList(node.parameters, visitor2, context); const body = transformFunctionBody2(node); if (node.kind === 177) { updated = factory2.updateGetAccessorDeclaration(node, node.modifiers, node.name, parameters, node.type, body); } else { updated = factory2.updateSetAccessorDeclaration(node, node.modifiers, node.name, parameters, body); } exitSubtree( ancestorFacts, 229376, 0 /* None */ ); convertedLoopState = savedConvertedLoopState; return updated; } function visitShorthandPropertyAssignment(node) { return setTextRange( factory2.createPropertyAssignment( node.name, visitIdentifier(factory2.cloneNode(node.name)) ), /*location*/ node ); } function visitComputedPropertyName(node) { return visitEachChild(node, visitor2, context); } function visitYieldExpression(node) { return visitEachChild(node, visitor2, context); } function visitArrayLiteralExpression(node) { if (some(node.elements, isSpreadElement)) { return transformAndSpreadElements( node.elements, /*isArgumentList*/ false, !!node.multiLine, /*hasTrailingComma*/ !!node.elements.hasTrailingComma ); } return visitEachChild(node, visitor2, context); } function visitCallExpression(node) { if (getInternalEmitFlags(node) & 1) { return visitTypeScriptClassWrapper(node); } const expression = skipOuterExpressions(node.expression); if (expression.kind === 108 || isSuperProperty(expression) || some(node.arguments, isSpreadElement)) { return visitCallExpressionWithPotentialCapturedThisAssignment( node, /*assignToCapturedThis*/ true ); } return factory2.updateCallExpression( node, Debug.checkDefined(visitNode(node.expression, callExpressionVisitor, isExpression)), /*typeArguments*/ void 0, visitNodes2(node.arguments, visitor2, isExpression) ); } function visitTypeScriptClassWrapper(node) { const body = cast(cast(skipOuterExpressions(node.expression), isArrowFunction).body, isBlock); const isVariableStatementWithInitializer = (stmt) => isVariableStatement(stmt) && !!first(stmt.declarationList.declarations).initializer; const savedConvertedLoopState = convertedLoopState; convertedLoopState = void 0; const bodyStatements = visitNodes2(body.statements, classWrapperStatementVisitor, isStatement); convertedLoopState = savedConvertedLoopState; const classStatements = filter(bodyStatements, isVariableStatementWithInitializer); const remainingStatements = filter(bodyStatements, (stmt) => !isVariableStatementWithInitializer(stmt)); const varStatement = cast(first(classStatements), isVariableStatement); const variable = varStatement.declarationList.declarations[0]; const initializer = skipOuterExpressions(variable.initializer); let aliasAssignment = tryCast(initializer, isAssignmentExpression2); if (!aliasAssignment && isBinaryExpression(initializer) && initializer.operatorToken.kind === 28) { aliasAssignment = tryCast(initializer.left, isAssignmentExpression2); } const call = cast(aliasAssignment ? skipOuterExpressions(aliasAssignment.right) : initializer, isCallExpression2); const func = cast(skipOuterExpressions(call.expression), isFunctionExpression); const funcStatements = func.body.statements; let classBodyStart = 0; let classBodyEnd = -1; const statements = []; if (aliasAssignment) { const extendsCall = tryCast(funcStatements[classBodyStart], isExpressionStatement2); if (extendsCall) { statements.push(extendsCall); classBodyStart++; } statements.push(funcStatements[classBodyStart]); classBodyStart++; statements.push( factory2.createExpressionStatement( factory2.createAssignment( aliasAssignment.left, cast(variable.name, isIdentifier) ) ) ); } while (!isReturnStatement(elementAt(funcStatements, classBodyEnd))) { classBodyEnd--; } addRange(statements, funcStatements, classBodyStart, classBodyEnd); if (classBodyEnd < -1) { addRange(statements, funcStatements, classBodyEnd + 1); } const returnStatement = tryCast(elementAt(funcStatements, classBodyEnd), isReturnStatement); for (const statement of remainingStatements) { if (isReturnStatement(statement) && (returnStatement == null ? void 0 : returnStatement.expression) && !isIdentifier(returnStatement.expression)) { statements.push(returnStatement); } else { statements.push(statement); } } addRange( statements, classStatements, /*start*/ 1 ); return factory2.restoreOuterExpressions( node.expression, factory2.restoreOuterExpressions( variable.initializer, factory2.restoreOuterExpressions( aliasAssignment && aliasAssignment.right, factory2.updateCallExpression( call, factory2.restoreOuterExpressions( call.expression, factory2.updateFunctionExpression( func, /*modifiers*/ void 0, /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, func.parameters, /*type*/ void 0, factory2.updateBlock( func.body, statements ) ) ), /*typeArguments*/ void 0, call.arguments ) ) ) ); } function visitCallExpressionWithPotentialCapturedThisAssignment(node, assignToCapturedThis) { if (node.transformFlags & 32768 || node.expression.kind === 108 || isSuperProperty(skipOuterExpressions(node.expression))) { const { target, thisArg } = factory2.createCallBinding(node.expression, hoistVariableDeclaration); if (node.expression.kind === 108) { setEmitFlags( thisArg, 8 /* NoSubstitution */ ); } let resultingCall; if (node.transformFlags & 32768) { resultingCall = factory2.createFunctionApplyCall( Debug.checkDefined(visitNode(target, callExpressionVisitor, isExpression)), node.expression.kind === 108 ? thisArg : Debug.checkDefined(visitNode(thisArg, visitor2, isExpression)), transformAndSpreadElements( node.arguments, /*isArgumentList*/ true, /*multiLine*/ false, /*hasTrailingComma*/ false ) ); } else { resultingCall = setTextRange( factory2.createFunctionCallCall( Debug.checkDefined(visitNode(target, callExpressionVisitor, isExpression)), node.expression.kind === 108 ? thisArg : Debug.checkDefined(visitNode(thisArg, visitor2, isExpression)), visitNodes2(node.arguments, visitor2, isExpression) ), node ); } if (node.expression.kind === 108) { const initializer = factory2.createLogicalOr( resultingCall, createActualThis() ); resultingCall = assignToCapturedThis ? factory2.createAssignment(createCapturedThis(), initializer) : initializer; } return setOriginalNode(resultingCall, node); } if (isSuperCall(node)) { hierarchyFacts |= 131072; } return visitEachChild(node, visitor2, context); } function visitNewExpression(node) { if (some(node.arguments, isSpreadElement)) { const { target, thisArg } = factory2.createCallBinding(factory2.createPropertyAccessExpression(node.expression, "bind"), hoistVariableDeclaration); return factory2.createNewExpression( factory2.createFunctionApplyCall( Debug.checkDefined(visitNode(target, visitor2, isExpression)), thisArg, transformAndSpreadElements( factory2.createNodeArray([factory2.createVoidZero(), ...node.arguments]), /*isArgumentList*/ true, /*multiLine*/ false, /*hasTrailingComma*/ false ) ), /*typeArguments*/ void 0, [] ); } return visitEachChild(node, visitor2, context); } function transformAndSpreadElements(elements, isArgumentList, multiLine, hasTrailingComma) { const numElements = elements.length; const segments = flatten( // As we visit each element, we return one of two functions to use as the "key": // - `visitSpanOfSpreads` for one or more contiguous `...` spread expressions, i.e. `...a, ...b` in `[1, 2, ...a, ...b]` // - `visitSpanOfNonSpreads` for one or more contiguous non-spread elements, i.e. `1, 2`, in `[1, 2, ...a, ...b]` spanMap(elements, partitionSpread, (partition, visitPartition, _start, end) => visitPartition(partition, multiLine, hasTrailingComma && end === numElements)) ); if (segments.length === 1) { const firstSegment = segments[0]; if (isArgumentList && !compilerOptions.downlevelIteration || isPackedArrayLiteral(firstSegment.expression) || isCallToHelper(firstSegment.expression, "___spreadArray")) { return firstSegment.expression; } } const helpers = emitHelpers(); const startsWithSpread = segments[0].kind !== 0; let expression = startsWithSpread ? factory2.createArrayLiteralExpression() : segments[0].expression; for (let i = startsWithSpread ? 0 : 1; i < segments.length; i++) { const segment = segments[i]; expression = helpers.createSpreadArrayHelper( expression, segment.expression, segment.kind === 1 && !isArgumentList ); } return expression; } function partitionSpread(node) { return isSpreadElement(node) ? visitSpanOfSpreads : visitSpanOfNonSpreads; } function visitSpanOfSpreads(chunk) { return map(chunk, visitExpressionOfSpread); } function visitExpressionOfSpread(node) { Debug.assertNode(node, isSpreadElement); let expression = visitNode(node.expression, visitor2, isExpression); Debug.assert(expression); const isCallToReadHelper = isCallToHelper(expression, "___read"); let kind = isCallToReadHelper || isPackedArrayLiteral(expression) ? 2 : 1; if (compilerOptions.downlevelIteration && kind === 1 && !isArrayLiteralExpression(expression) && !isCallToReadHelper) { expression = emitHelpers().createReadHelper( expression, /*count*/ void 0 ); kind = 2; } return createSpreadSegment(kind, expression); } function visitSpanOfNonSpreads(chunk, multiLine, hasTrailingComma) { const expression = factory2.createArrayLiteralExpression( visitNodes2(factory2.createNodeArray(chunk, hasTrailingComma), visitor2, isExpression), multiLine ); return createSpreadSegment(0, expression); } function visitSpreadElement(node) { return visitNode(node.expression, visitor2, isExpression); } function visitTemplateLiteral(node) { return setTextRange(factory2.createStringLiteral(node.text), node); } function visitStringLiteral(node) { if (node.hasExtendedUnicodeEscape) { return setTextRange(factory2.createStringLiteral(node.text), node); } return node; } function visitNumericLiteral(node) { if (node.numericLiteralFlags & 384) { return setTextRange(factory2.createNumericLiteral(node.text), node); } return node; } function visitTaggedTemplateExpression(node) { return processTaggedTemplateExpression( context, node, visitor2, currentSourceFile, recordTaggedTemplateString, 1 /* All */ ); } function visitTemplateExpression(node) { let expression = factory2.createStringLiteral(node.head.text); for (const span of node.templateSpans) { const args = [Debug.checkDefined(visitNode(span.expression, visitor2, isExpression))]; if (span.literal.text.length > 0) { args.push(factory2.createStringLiteral(span.literal.text)); } expression = factory2.createCallExpression( factory2.createPropertyAccessExpression(expression, "concat"), /*typeArguments*/ void 0, args ); } return setTextRange(expression, node); } function createSyntheticSuper() { return factory2.createUniqueName( "_super", 16 | 32 /* FileLevel */ ); } function visitSuperKeyword(node, isExpressionOfCall) { const expression = hierarchyFacts & 8 && !isExpressionOfCall ? factory2.createPropertyAccessExpression(setOriginalNode(createSyntheticSuper(), node), "prototype") : createSyntheticSuper(); setOriginalNode(expression, node); setCommentRange(expression, node); setSourceMapRange(expression, node); return expression; } function visitMetaProperty(node) { if (node.keywordToken === 105 && node.name.escapedText === "target") { hierarchyFacts |= 32768; return factory2.createUniqueName( "_newTarget", 16 | 32 /* FileLevel */ ); } return node; } function onEmitNode(hint, node, emitCallback) { if (enabledSubstitutions & 1 && isFunctionLike(node)) { const ancestorFacts = enterSubtree( 32670, getEmitFlags(node) & 16 ? 65 | 16 : 65 /* FunctionIncludes */ ); previousOnEmitNode(hint, node, emitCallback); exitSubtree( ancestorFacts, 0, 0 /* None */ ); return; } previousOnEmitNode(hint, node, emitCallback); } function enableSubstitutionsForBlockScopedBindings() { if ((enabledSubstitutions & 2) === 0) { enabledSubstitutions |= 2; context.enableSubstitution( 80 /* Identifier */ ); } } function enableSubstitutionsForCapturedThis() { if ((enabledSubstitutions & 1) === 0) { enabledSubstitutions |= 1; context.enableSubstitution( 110 /* ThisKeyword */ ); context.enableEmitNotification( 176 /* Constructor */ ); context.enableEmitNotification( 174 /* MethodDeclaration */ ); context.enableEmitNotification( 177 /* GetAccessor */ ); context.enableEmitNotification( 178 /* SetAccessor */ ); context.enableEmitNotification( 219 /* ArrowFunction */ ); context.enableEmitNotification( 218 /* FunctionExpression */ ); context.enableEmitNotification( 262 /* FunctionDeclaration */ ); } } function onSubstituteNode(hint, node) { node = previousOnSubstituteNode(hint, node); if (hint === 1) { return substituteExpression(node); } if (isIdentifier(node)) { return substituteIdentifier(node); } return node; } function substituteIdentifier(node) { if (enabledSubstitutions & 2 && !isInternalName(node)) { const original = getParseTreeNode(node, isIdentifier); if (original && isNameOfDeclarationWithCollidingName(original)) { return setTextRange(factory2.getGeneratedNameForNode(original), node); } } return node; } function isNameOfDeclarationWithCollidingName(node) { switch (node.parent.kind) { case 208: case 263: case 266: case 260: return node.parent.name === node && resolver.isDeclarationWithCollidingName(node.parent); } return false; } function substituteExpression(node) { switch (node.kind) { case 80: return substituteExpressionIdentifier(node); case 110: return substituteThisKeyword(node); } return node; } function substituteExpressionIdentifier(node) { if (enabledSubstitutions & 2 && !isInternalName(node)) { const declaration = resolver.getReferencedDeclarationWithCollidingName(node); if (declaration && !(isClassLike(declaration) && isPartOfClassBody(declaration, node))) { return setTextRange(factory2.getGeneratedNameForNode(getNameOfDeclaration(declaration)), node); } } return node; } function isPartOfClassBody(declaration, node) { let currentNode = getParseTreeNode(node); if (!currentNode || currentNode === declaration || currentNode.end <= declaration.pos || currentNode.pos >= declaration.end) { return false; } const blockScope = getEnclosingBlockScopeContainer(declaration); while (currentNode) { if (currentNode === blockScope || currentNode === declaration) { return false; } if (isClassElement(currentNode) && currentNode.parent === declaration) { return true; } currentNode = currentNode.parent; } return false; } function substituteThisKeyword(node) { if (enabledSubstitutions & 1 && hierarchyFacts & 16) { return setTextRange(createCapturedThis(), node); } return node; } function getClassMemberPrefix(node, member) { return isStatic(member) ? factory2.getInternalName(node) : factory2.createPropertyAccessExpression(factory2.getInternalName(node), "prototype"); } function hasSynthesizedDefaultSuperCall(constructor, hasExtendsClause) { if (!constructor || !hasExtendsClause) { return false; } if (some(constructor.parameters)) { return false; } const statement = firstOrUndefined(constructor.body.statements); if (!statement || !nodeIsSynthesized(statement) || statement.kind !== 244) { return false; } const statementExpression = statement.expression; if (!nodeIsSynthesized(statementExpression) || statementExpression.kind !== 213) { return false; } const callTarget = statementExpression.expression; if (!nodeIsSynthesized(callTarget) || callTarget.kind !== 108) { return false; } const callArgument = singleOrUndefined(statementExpression.arguments); if (!callArgument || !nodeIsSynthesized(callArgument) || callArgument.kind !== 230) { return false; } const expression = callArgument.expression; return isIdentifier(expression) && expression.escapedText === "arguments"; } } function getInstructionName(instruction) { switch (instruction) { case 2: return "return"; case 3: return "break"; case 4: return "yield"; case 5: return "yield*"; case 7: return "endfinally"; default: return void 0; } } function transformGenerators(context) { const { factory: factory2, getEmitHelperFactory: emitHelpers, resumeLexicalEnvironment, endLexicalEnvironment, hoistFunctionDeclaration, hoistVariableDeclaration } = context; const compilerOptions = context.getCompilerOptions(); const languageVersion = getEmitScriptTarget(compilerOptions); const resolver = context.getEmitResolver(); const previousOnSubstituteNode = context.onSubstituteNode; context.onSubstituteNode = onSubstituteNode; let renamedCatchVariables; let renamedCatchVariableDeclarations; let inGeneratorFunctionBody; let inStatementContainingYield; let blocks; let blockOffsets; let blockActions; let blockStack; let labelOffsets; let labelExpressions; let nextLabelId = 1; let operations2; let operationArguments; let operationLocations; let state; let blockIndex = 0; let labelNumber = 0; let labelNumbers; let lastOperationWasAbrupt; let lastOperationWasCompletion; let clauses; let statements; let exceptionBlockStack; let currentExceptionBlock; let withBlockStack; return chainBundle(context, transformSourceFile); function transformSourceFile(node) { if (node.isDeclarationFile || (node.transformFlags & 2048) === 0) { return node; } const visited = visitEachChild(node, visitor2, context); addEmitHelpers(visited, context.readEmitHelpers()); return visited; } function visitor2(node) { const transformFlags = node.transformFlags; if (inStatementContainingYield) { return visitJavaScriptInStatementContainingYield(node); } else if (inGeneratorFunctionBody) { return visitJavaScriptInGeneratorFunctionBody(node); } else if (isFunctionLikeDeclaration(node) && node.asteriskToken) { return visitGenerator(node); } else if (transformFlags & 2048) { return visitEachChild(node, visitor2, context); } else { return node; } } function visitJavaScriptInStatementContainingYield(node) { switch (node.kind) { case 246: return visitDoStatement(node); case 247: return visitWhileStatement(node); case 255: return visitSwitchStatement(node); case 256: return visitLabeledStatement(node); default: return visitJavaScriptInGeneratorFunctionBody(node); } } function visitJavaScriptInGeneratorFunctionBody(node) { switch (node.kind) { case 262: return visitFunctionDeclaration(node); case 218: return visitFunctionExpression(node); case 177: case 178: return visitAccessorDeclaration(node); case 243: return visitVariableStatement(node); case 248: return visitForStatement(node); case 249: return visitForInStatement(node); case 252: return visitBreakStatement(node); case 251: return visitContinueStatement(node); case 253: return visitReturnStatement(node); default: if (node.transformFlags & 1048576) { return visitJavaScriptContainingYield(node); } else if (node.transformFlags & (2048 | 4194304)) { return visitEachChild(node, visitor2, context); } else { return node; } } } function visitJavaScriptContainingYield(node) { switch (node.kind) { case 226: return visitBinaryExpression(node); case 355: return visitCommaListExpression(node); case 227: return visitConditionalExpression(node); case 229: return visitYieldExpression(node); case 209: return visitArrayLiteralExpression(node); case 210: return visitObjectLiteralExpression(node); case 212: return visitElementAccessExpression(node); case 213: return visitCallExpression(node); case 214: return visitNewExpression(node); default: return visitEachChild(node, visitor2, context); } } function visitGenerator(node) { switch (node.kind) { case 262: return visitFunctionDeclaration(node); case 218: return visitFunctionExpression(node); default: return Debug.failBadSyntaxKind(node); } } function visitFunctionDeclaration(node) { if (node.asteriskToken) { node = setOriginalNode( setTextRange( factory2.createFunctionDeclaration( node.modifiers, /*asteriskToken*/ void 0, node.name, /*typeParameters*/ void 0, visitParameterList(node.parameters, visitor2, context), /*type*/ void 0, transformGeneratorFunctionBody(node.body) ), /*location*/ node ), node ); } else { const savedInGeneratorFunctionBody = inGeneratorFunctionBody; const savedInStatementContainingYield = inStatementContainingYield; inGeneratorFunctionBody = false; inStatementContainingYield = false; node = visitEachChild(node, visitor2, context); inGeneratorFunctionBody = savedInGeneratorFunctionBody; inStatementContainingYield = savedInStatementContainingYield; } if (inGeneratorFunctionBody) { hoistFunctionDeclaration(node); return void 0; } else { return node; } } function visitFunctionExpression(node) { if (node.asteriskToken) { node = setOriginalNode( setTextRange( factory2.createFunctionExpression( /*modifiers*/ void 0, /*asteriskToken*/ void 0, node.name, /*typeParameters*/ void 0, visitParameterList(node.parameters, visitor2, context), /*type*/ void 0, transformGeneratorFunctionBody(node.body) ), /*location*/ node ), node ); } else { const savedInGeneratorFunctionBody = inGeneratorFunctionBody; const savedInStatementContainingYield = inStatementContainingYield; inGeneratorFunctionBody = false; inStatementContainingYield = false; node = visitEachChild(node, visitor2, context); inGeneratorFunctionBody = savedInGeneratorFunctionBody; inStatementContainingYield = savedInStatementContainingYield; } return node; } function visitAccessorDeclaration(node) { const savedInGeneratorFunctionBody = inGeneratorFunctionBody; const savedInStatementContainingYield = inStatementContainingYield; inGeneratorFunctionBody = false; inStatementContainingYield = false; node = visitEachChild(node, visitor2, context); inGeneratorFunctionBody = savedInGeneratorFunctionBody; inStatementContainingYield = savedInStatementContainingYield; return node; } function transformGeneratorFunctionBody(body) { const statements2 = []; const savedInGeneratorFunctionBody = inGeneratorFunctionBody; const savedInStatementContainingYield = inStatementContainingYield; const savedBlocks = blocks; const savedBlockOffsets = blockOffsets; const savedBlockActions = blockActions; const savedBlockStack = blockStack; const savedLabelOffsets = labelOffsets; const savedLabelExpressions = labelExpressions; const savedNextLabelId = nextLabelId; const savedOperations = operations2; const savedOperationArguments = operationArguments; const savedOperationLocations = operationLocations; const savedState = state; inGeneratorFunctionBody = true; inStatementContainingYield = false; blocks = void 0; blockOffsets = void 0; blockActions = void 0; blockStack = void 0; labelOffsets = void 0; labelExpressions = void 0; nextLabelId = 1; operations2 = void 0; operationArguments = void 0; operationLocations = void 0; state = factory2.createTempVariable( /*recordTempVariable*/ void 0 ); resumeLexicalEnvironment(); const statementOffset = factory2.copyPrologue( body.statements, statements2, /*ensureUseStrict*/ false, visitor2 ); transformAndEmitStatements(body.statements, statementOffset); const buildResult = build2(); insertStatementsAfterStandardPrologue(statements2, endLexicalEnvironment()); statements2.push(factory2.createReturnStatement(buildResult)); inGeneratorFunctionBody = savedInGeneratorFunctionBody; inStatementContainingYield = savedInStatementContainingYield; blocks = savedBlocks; blockOffsets = savedBlockOffsets; blockActions = savedBlockActions; blockStack = savedBlockStack; labelOffsets = savedLabelOffsets; labelExpressions = savedLabelExpressions; nextLabelId = savedNextLabelId; operations2 = savedOperations; operationArguments = savedOperationArguments; operationLocations = savedOperationLocations; state = savedState; return setTextRange(factory2.createBlock(statements2, body.multiLine), body); } function visitVariableStatement(node) { if (node.transformFlags & 1048576) { transformAndEmitVariableDeclarationList(node.declarationList); return void 0; } else { if (getEmitFlags(node) & 2097152) { return node; } for (const variable of node.declarationList.declarations) { hoistVariableDeclaration(variable.name); } const variables = getInitializedVariables(node.declarationList); if (variables.length === 0) { return void 0; } return setSourceMapRange( factory2.createExpressionStatement( factory2.inlineExpressions( map(variables, transformInitializedVariable) ) ), node ); } } function visitBinaryExpression(node) { const assoc = getExpressionAssociativity(node); switch (assoc) { case 0: return visitLeftAssociativeBinaryExpression(node); case 1: return visitRightAssociativeBinaryExpression(node); default: return Debug.assertNever(assoc); } } function visitRightAssociativeBinaryExpression(node) { const { left, right } = node; if (containsYield(right)) { let target; switch (left.kind) { case 211: target = factory2.updatePropertyAccessExpression( left, cacheExpression(Debug.checkDefined(visitNode(left.expression, visitor2, isLeftHandSideExpression))), left.name ); break; case 212: target = factory2.updateElementAccessExpression(left, cacheExpression(Debug.checkDefined(visitNode(left.expression, visitor2, isLeftHandSideExpression))), cacheExpression(Debug.checkDefined(visitNode(left.argumentExpression, visitor2, isExpression)))); break; default: target = Debug.checkDefined(visitNode(left, visitor2, isExpression)); break; } const operator = node.operatorToken.kind; if (isCompoundAssignment(operator)) { return setTextRange( factory2.createAssignment( target, setTextRange( factory2.createBinaryExpression( cacheExpression(target), getNonAssignmentOperatorForCompoundAssignment(operator), Debug.checkDefined(visitNode(right, visitor2, isExpression)) ), node ) ), node ); } else { return factory2.updateBinaryExpression(node, target, node.operatorToken, Debug.checkDefined(visitNode(right, visitor2, isExpression))); } } return visitEachChild(node, visitor2, context); } function visitLeftAssociativeBinaryExpression(node) { if (containsYield(node.right)) { if (isLogicalOperator(node.operatorToken.kind)) { return visitLogicalBinaryExpression(node); } else if (node.operatorToken.kind === 28) { return visitCommaExpression(node); } return factory2.updateBinaryExpression(node, cacheExpression(Debug.checkDefined(visitNode(node.left, visitor2, isExpression))), node.operatorToken, Debug.checkDefined(visitNode(node.right, visitor2, isExpression))); } return visitEachChild(node, visitor2, context); } function visitCommaExpression(node) { let pendingExpressions = []; visit(node.left); visit(node.right); return factory2.inlineExpressions(pendingExpressions); function visit(node2) { if (isBinaryExpression(node2) && node2.operatorToken.kind === 28) { visit(node2.left); visit(node2.right); } else { if (containsYield(node2) && pendingExpressions.length > 0) { emitWorker(1, [factory2.createExpressionStatement(factory2.inlineExpressions(pendingExpressions))]); pendingExpressions = []; } pendingExpressions.push(Debug.checkDefined(visitNode(node2, visitor2, isExpression))); } } } function visitCommaListExpression(node) { let pendingExpressions = []; for (const elem of node.elements) { if (isBinaryExpression(elem) && elem.operatorToken.kind === 28) { pendingExpressions.push(visitCommaExpression(elem)); } else { if (containsYield(elem) && pendingExpressions.length > 0) { emitWorker(1, [factory2.createExpressionStatement(factory2.inlineExpressions(pendingExpressions))]); pendingExpressions = []; } pendingExpressions.push(Debug.checkDefined(visitNode(elem, visitor2, isExpression))); } } return factory2.inlineExpressions(pendingExpressions); } function visitLogicalBinaryExpression(node) { const resultLabel = defineLabel(); const resultLocal = declareLocal(); emitAssignment( resultLocal, Debug.checkDefined(visitNode(node.left, visitor2, isExpression)), /*location*/ node.left ); if (node.operatorToken.kind === 56) { emitBreakWhenFalse( resultLabel, resultLocal, /*location*/ node.left ); } else { emitBreakWhenTrue( resultLabel, resultLocal, /*location*/ node.left ); } emitAssignment( resultLocal, Debug.checkDefined(visitNode(node.right, visitor2, isExpression)), /*location*/ node.right ); markLabel(resultLabel); return resultLocal; } function visitConditionalExpression(node) { if (containsYield(node.whenTrue) || containsYield(node.whenFalse)) { const whenFalseLabel = defineLabel(); const resultLabel = defineLabel(); const resultLocal = declareLocal(); emitBreakWhenFalse( whenFalseLabel, Debug.checkDefined(visitNode(node.condition, visitor2, isExpression)), /*location*/ node.condition ); emitAssignment( resultLocal, Debug.checkDefined(visitNode(node.whenTrue, visitor2, isExpression)), /*location*/ node.whenTrue ); emitBreak(resultLabel); markLabel(whenFalseLabel); emitAssignment( resultLocal, Debug.checkDefined(visitNode(node.whenFalse, visitor2, isExpression)), /*location*/ node.whenFalse ); markLabel(resultLabel); return resultLocal; } return visitEachChild(node, visitor2, context); } function visitYieldExpression(node) { const resumeLabel = defineLabel(); const expression = visitNode(node.expression, visitor2, isExpression); if (node.asteriskToken) { const iterator = (getEmitFlags(node.expression) & 8388608) === 0 ? setTextRange(emitHelpers().createValuesHelper(expression), node) : expression; emitYieldStar( iterator, /*location*/ node ); } else { emitYield( expression, /*location*/ node ); } markLabel(resumeLabel); return createGeneratorResume( /*location*/ node ); } function visitArrayLiteralExpression(node) { return visitElements( node.elements, /*leadingElement*/ void 0, /*location*/ void 0, node.multiLine ); } function visitElements(elements, leadingElement, location, multiLine) { const numInitialElements = countInitialNodesWithoutYield(elements); let temp; if (numInitialElements > 0) { temp = declareLocal(); const initialElements = visitNodes2(elements, visitor2, isExpression, 0, numInitialElements); emitAssignment( temp, factory2.createArrayLiteralExpression( leadingElement ? [leadingElement, ...initialElements] : initialElements ) ); leadingElement = void 0; } const expressions = reduceLeft(elements, reduceElement, [], numInitialElements); return temp ? factory2.createArrayConcatCall(temp, [factory2.createArrayLiteralExpression(expressions, multiLine)]) : setTextRange( factory2.createArrayLiteralExpression(leadingElement ? [leadingElement, ...expressions] : expressions, multiLine), location ); function reduceElement(expressions2, element) { if (containsYield(element) && expressions2.length > 0) { const hasAssignedTemp = temp !== void 0; if (!temp) { temp = declareLocal(); } emitAssignment( temp, hasAssignedTemp ? factory2.createArrayConcatCall( temp, [factory2.createArrayLiteralExpression(expressions2, multiLine)] ) : factory2.createArrayLiteralExpression( leadingElement ? [leadingElement, ...expressions2] : expressions2, multiLine ) ); leadingElement = void 0; expressions2 = []; } expressions2.push(Debug.checkDefined(visitNode(element, visitor2, isExpression))); return expressions2; } } function visitObjectLiteralExpression(node) { const properties = node.properties; const multiLine = node.multiLine; const numInitialProperties = countInitialNodesWithoutYield(properties); const temp = declareLocal(); emitAssignment( temp, factory2.createObjectLiteralExpression( visitNodes2(properties, visitor2, isObjectLiteralElementLike, 0, numInitialProperties), multiLine ) ); const expressions = reduceLeft(properties, reduceProperty, [], numInitialProperties); expressions.push(multiLine ? startOnNewLine(setParent(setTextRange(factory2.cloneNode(temp), temp), temp.parent)) : temp); return factory2.inlineExpressions(expressions); function reduceProperty(expressions2, property) { if (containsYield(property) && expressions2.length > 0) { emitStatement(factory2.createExpressionStatement(factory2.inlineExpressions(expressions2))); expressions2 = []; } const expression = createExpressionForObjectLiteralElementLike(factory2, node, property, temp); const visited = visitNode(expression, visitor2, isExpression); if (visited) { if (multiLine) { startOnNewLine(visited); } expressions2.push(visited); } return expressions2; } } function visitElementAccessExpression(node) { if (containsYield(node.argumentExpression)) { return factory2.updateElementAccessExpression(node, cacheExpression(Debug.checkDefined(visitNode(node.expression, visitor2, isLeftHandSideExpression))), Debug.checkDefined(visitNode(node.argumentExpression, visitor2, isExpression))); } return visitEachChild(node, visitor2, context); } function visitCallExpression(node) { if (!isImportCall(node) && forEach(node.arguments, containsYield)) { const { target, thisArg } = factory2.createCallBinding( node.expression, hoistVariableDeclaration, languageVersion, /*cacheIdentifiers*/ true ); return setOriginalNode( setTextRange( factory2.createFunctionApplyCall( cacheExpression(Debug.checkDefined(visitNode(target, visitor2, isLeftHandSideExpression))), thisArg, visitElements(node.arguments) ), node ), node ); } return visitEachChild(node, visitor2, context); } function visitNewExpression(node) { if (forEach(node.arguments, containsYield)) { const { target, thisArg } = factory2.createCallBinding(factory2.createPropertyAccessExpression(node.expression, "bind"), hoistVariableDeclaration); return setOriginalNode( setTextRange( factory2.createNewExpression( factory2.createFunctionApplyCall( cacheExpression(Debug.checkDefined(visitNode(target, visitor2, isExpression))), thisArg, visitElements( node.arguments, /*leadingElement*/ factory2.createVoidZero() ) ), /*typeArguments*/ void 0, [] ), node ), node ); } return visitEachChild(node, visitor2, context); } function transformAndEmitStatements(statements2, start = 0) { const numStatements = statements2.length; for (let i = start; i < numStatements; i++) { transformAndEmitStatement(statements2[i]); } } function transformAndEmitEmbeddedStatement(node) { if (isBlock(node)) { transformAndEmitStatements(node.statements); } else { transformAndEmitStatement(node); } } function transformAndEmitStatement(node) { const savedInStatementContainingYield = inStatementContainingYield; if (!inStatementContainingYield) { inStatementContainingYield = containsYield(node); } transformAndEmitStatementWorker(node); inStatementContainingYield = savedInStatementContainingYield; } function transformAndEmitStatementWorker(node) { switch (node.kind) { case 241: return transformAndEmitBlock(node); case 244: return transformAndEmitExpressionStatement(node); case 245: return transformAndEmitIfStatement(node); case 246: return transformAndEmitDoStatement(node); case 247: return transformAndEmitWhileStatement(node); case 248: return transformAndEmitForStatement(node); case 249: return transformAndEmitForInStatement(node); case 251: return transformAndEmitContinueStatement(node); case 252: return transformAndEmitBreakStatement(node); case 253: return transformAndEmitReturnStatement(node); case 254: return transformAndEmitWithStatement(node); case 255: return transformAndEmitSwitchStatement(node); case 256: return transformAndEmitLabeledStatement(node); case 257: return transformAndEmitThrowStatement(node); case 258: return transformAndEmitTryStatement(node); default: return emitStatement(visitNode(node, visitor2, isStatement)); } } function transformAndEmitBlock(node) { if (containsYield(node)) { transformAndEmitStatements(node.statements); } else { emitStatement(visitNode(node, visitor2, isStatement)); } } function transformAndEmitExpressionStatement(node) { emitStatement(visitNode(node, visitor2, isStatement)); } function transformAndEmitVariableDeclarationList(node) { for (const variable of node.declarations) { const name = factory2.cloneNode(variable.name); setCommentRange(name, variable.name); hoistVariableDeclaration(name); } const variables = getInitializedVariables(node); const numVariables = variables.length; let variablesWritten = 0; let pendingExpressions = []; while (variablesWritten < numVariables) { for (let i = variablesWritten; i < numVariables; i++) { const variable = variables[i]; if (containsYield(variable.initializer) && pendingExpressions.length > 0) { break; } pendingExpressions.push(transformInitializedVariable(variable)); } if (pendingExpressions.length) { emitStatement(factory2.createExpressionStatement(factory2.inlineExpressions(pendingExpressions))); variablesWritten += pendingExpressions.length; pendingExpressions = []; } } return void 0; } function transformInitializedVariable(node) { return setSourceMapRange( factory2.createAssignment( setSourceMapRange(factory2.cloneNode(node.name), node.name), Debug.checkDefined(visitNode(node.initializer, visitor2, isExpression)) ), node ); } function transformAndEmitIfStatement(node) { if (containsYield(node)) { if (containsYield(node.thenStatement) || containsYield(node.elseStatement)) { const endLabel = defineLabel(); const elseLabel = node.elseStatement ? defineLabel() : void 0; emitBreakWhenFalse( node.elseStatement ? elseLabel : endLabel, Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)), /*location*/ node.expression ); transformAndEmitEmbeddedStatement(node.thenStatement); if (node.elseStatement) { emitBreak(endLabel); markLabel(elseLabel); transformAndEmitEmbeddedStatement(node.elseStatement); } markLabel(endLabel); } else { emitStatement(visitNode(node, visitor2, isStatement)); } } else { emitStatement(visitNode(node, visitor2, isStatement)); } } function transformAndEmitDoStatement(node) { if (containsYield(node)) { const conditionLabel = defineLabel(); const loopLabel = defineLabel(); beginLoopBlock( /*continueLabel*/ conditionLabel ); markLabel(loopLabel); transformAndEmitEmbeddedStatement(node.statement); markLabel(conditionLabel); emitBreakWhenTrue(loopLabel, Debug.checkDefined(visitNode(node.expression, visitor2, isExpression))); endLoopBlock(); } else { emitStatement(visitNode(node, visitor2, isStatement)); } } function visitDoStatement(node) { if (inStatementContainingYield) { beginScriptLoopBlock(); node = visitEachChild(node, visitor2, context); endLoopBlock(); return node; } else { return visitEachChild(node, visitor2, context); } } function transformAndEmitWhileStatement(node) { if (containsYield(node)) { const loopLabel = defineLabel(); const endLabel = beginLoopBlock(loopLabel); markLabel(loopLabel); emitBreakWhenFalse(endLabel, Debug.checkDefined(visitNode(node.expression, visitor2, isExpression))); transformAndEmitEmbeddedStatement(node.statement); emitBreak(loopLabel); endLoopBlock(); } else { emitStatement(visitNode(node, visitor2, isStatement)); } } function visitWhileStatement(node) { if (inStatementContainingYield) { beginScriptLoopBlock(); node = visitEachChild(node, visitor2, context); endLoopBlock(); return node; } else { return visitEachChild(node, visitor2, context); } } function transformAndEmitForStatement(node) { if (containsYield(node)) { const conditionLabel = defineLabel(); const incrementLabel = defineLabel(); const endLabel = beginLoopBlock(incrementLabel); if (node.initializer) { const initializer = node.initializer; if (isVariableDeclarationList(initializer)) { transformAndEmitVariableDeclarationList(initializer); } else { emitStatement( setTextRange( factory2.createExpressionStatement( Debug.checkDefined(visitNode(initializer, visitor2, isExpression)) ), initializer ) ); } } markLabel(conditionLabel); if (node.condition) { emitBreakWhenFalse(endLabel, Debug.checkDefined(visitNode(node.condition, visitor2, isExpression))); } transformAndEmitEmbeddedStatement(node.statement); markLabel(incrementLabel); if (node.incrementor) { emitStatement( setTextRange( factory2.createExpressionStatement( Debug.checkDefined(visitNode(node.incrementor, visitor2, isExpression)) ), node.incrementor ) ); } emitBreak(conditionLabel); endLoopBlock(); } else { emitStatement(visitNode(node, visitor2, isStatement)); } } function visitForStatement(node) { if (inStatementContainingYield) { beginScriptLoopBlock(); } const initializer = node.initializer; if (initializer && isVariableDeclarationList(initializer)) { for (const variable of initializer.declarations) { hoistVariableDeclaration(variable.name); } const variables = getInitializedVariables(initializer); node = factory2.updateForStatement( node, variables.length > 0 ? factory2.inlineExpressions(map(variables, transformInitializedVariable)) : void 0, visitNode(node.condition, visitor2, isExpression), visitNode(node.incrementor, visitor2, isExpression), visitIterationBody(node.statement, visitor2, context) ); } else { node = visitEachChild(node, visitor2, context); } if (inStatementContainingYield) { endLoopBlock(); } return node; } function transformAndEmitForInStatement(node) { if (containsYield(node)) { const obj = declareLocal(); const keysArray = declareLocal(); const key = declareLocal(); const keysIndex = factory2.createLoopVariable(); const initializer = node.initializer; hoistVariableDeclaration(keysIndex); emitAssignment(obj, Debug.checkDefined(visitNode(node.expression, visitor2, isExpression))); emitAssignment(keysArray, factory2.createArrayLiteralExpression()); emitStatement( factory2.createForInStatement( key, obj, factory2.createExpressionStatement( factory2.createCallExpression( factory2.createPropertyAccessExpression(keysArray, "push"), /*typeArguments*/ void 0, [key] ) ) ) ); emitAssignment(keysIndex, factory2.createNumericLiteral(0)); const conditionLabel = defineLabel(); const incrementLabel = defineLabel(); const endLoopLabel = beginLoopBlock(incrementLabel); markLabel(conditionLabel); emitBreakWhenFalse(endLoopLabel, factory2.createLessThan(keysIndex, factory2.createPropertyAccessExpression(keysArray, "length"))); emitAssignment(key, factory2.createElementAccessExpression(keysArray, keysIndex)); emitBreakWhenFalse(incrementLabel, factory2.createBinaryExpression(key, 103, obj)); let variable; if (isVariableDeclarationList(initializer)) { for (const variable2 of initializer.declarations) { hoistVariableDeclaration(variable2.name); } variable = factory2.cloneNode(initializer.declarations[0].name); } else { variable = Debug.checkDefined(visitNode(initializer, visitor2, isExpression)); Debug.assert(isLeftHandSideExpression(variable)); } emitAssignment(variable, key); transformAndEmitEmbeddedStatement(node.statement); markLabel(incrementLabel); emitStatement(factory2.createExpressionStatement(factory2.createPostfixIncrement(keysIndex))); emitBreak(conditionLabel); endLoopBlock(); } else { emitStatement(visitNode(node, visitor2, isStatement)); } } function visitForInStatement(node) { if (inStatementContainingYield) { beginScriptLoopBlock(); } const initializer = node.initializer; if (isVariableDeclarationList(initializer)) { for (const variable of initializer.declarations) { hoistVariableDeclaration(variable.name); } node = factory2.updateForInStatement(node, initializer.declarations[0].name, Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)), Debug.checkDefined(visitNode(node.statement, visitor2, isStatement, factory2.liftToBlock))); } else { node = visitEachChild(node, visitor2, context); } if (inStatementContainingYield) { endLoopBlock(); } return node; } function transformAndEmitContinueStatement(node) { const label = findContinueTarget(node.label ? idText(node.label) : void 0); if (label > 0) { emitBreak( label, /*location*/ node ); } else { emitStatement(node); } } function visitContinueStatement(node) { if (inStatementContainingYield) { const label = findContinueTarget(node.label && idText(node.label)); if (label > 0) { return createInlineBreak( label, /*location*/ node ); } } return visitEachChild(node, visitor2, context); } function transformAndEmitBreakStatement(node) { const label = findBreakTarget(node.label ? idText(node.label) : void 0); if (label > 0) { emitBreak( label, /*location*/ node ); } else { emitStatement(node); } } function visitBreakStatement(node) { if (inStatementContainingYield) { const label = findBreakTarget(node.label && idText(node.label)); if (label > 0) { return createInlineBreak( label, /*location*/ node ); } } return visitEachChild(node, visitor2, context); } function transformAndEmitReturnStatement(node) { emitReturn( visitNode(node.expression, visitor2, isExpression), /*location*/ node ); } function visitReturnStatement(node) { return createInlineReturn( visitNode(node.expression, visitor2, isExpression), /*location*/ node ); } function transformAndEmitWithStatement(node) { if (containsYield(node)) { beginWithBlock(cacheExpression(Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)))); transformAndEmitEmbeddedStatement(node.statement); endWithBlock(); } else { emitStatement(visitNode(node, visitor2, isStatement)); } } function transformAndEmitSwitchStatement(node) { if (containsYield(node.caseBlock)) { const caseBlock = node.caseBlock; const numClauses = caseBlock.clauses.length; const endLabel = beginSwitchBlock(); const expression = cacheExpression(Debug.checkDefined(visitNode(node.expression, visitor2, isExpression))); const clauseLabels = []; let defaultClauseIndex = -1; for (let i = 0; i < numClauses; i++) { const clause = caseBlock.clauses[i]; clauseLabels.push(defineLabel()); if (clause.kind === 297 && defaultClauseIndex === -1) { defaultClauseIndex = i; } } let clausesWritten = 0; let pendingClauses = []; while (clausesWritten < numClauses) { let defaultClausesSkipped = 0; for (let i = clausesWritten; i < numClauses; i++) { const clause = caseBlock.clauses[i]; if (clause.kind === 296) { if (containsYield(clause.expression) && pendingClauses.length > 0) { break; } pendingClauses.push( factory2.createCaseClause( Debug.checkDefined(visitNode(clause.expression, visitor2, isExpression)), [ createInlineBreak( clauseLabels[i], /*location*/ clause.expression ) ] ) ); } else { defaultClausesSkipped++; } } if (pendingClauses.length) { emitStatement(factory2.createSwitchStatement(expression, factory2.createCaseBlock(pendingClauses))); clausesWritten += pendingClauses.length; pendingClauses = []; } if (defaultClausesSkipped > 0) { clausesWritten += defaultClausesSkipped; defaultClausesSkipped = 0; } } if (defaultClauseIndex >= 0) { emitBreak(clauseLabels[defaultClauseIndex]); } else { emitBreak(endLabel); } for (let i = 0; i < numClauses; i++) { markLabel(clauseLabels[i]); transformAndEmitStatements(caseBlock.clauses[i].statements); } endSwitchBlock(); } else { emitStatement(visitNode(node, visitor2, isStatement)); } } function visitSwitchStatement(node) { if (inStatementContainingYield) { beginScriptSwitchBlock(); } node = visitEachChild(node, visitor2, context); if (inStatementContainingYield) { endSwitchBlock(); } return node; } function transformAndEmitLabeledStatement(node) { if (containsYield(node)) { beginLabeledBlock(idText(node.label)); transformAndEmitEmbeddedStatement(node.statement); endLabeledBlock(); } else { emitStatement(visitNode(node, visitor2, isStatement)); } } function visitLabeledStatement(node) { if (inStatementContainingYield) { beginScriptLabeledBlock(idText(node.label)); } node = visitEachChild(node, visitor2, context); if (inStatementContainingYield) { endLabeledBlock(); } return node; } function transformAndEmitThrowStatement(node) { emitThrow( Debug.checkDefined(visitNode(node.expression ?? factory2.createVoidZero(), visitor2, isExpression)), /*location*/ node ); } function transformAndEmitTryStatement(node) { if (containsYield(node)) { beginExceptionBlock(); transformAndEmitEmbeddedStatement(node.tryBlock); if (node.catchClause) { beginCatchBlock(node.catchClause.variableDeclaration); transformAndEmitEmbeddedStatement(node.catchClause.block); } if (node.finallyBlock) { beginFinallyBlock(); transformAndEmitEmbeddedStatement(node.finallyBlock); } endExceptionBlock(); } else { emitStatement(visitEachChild(node, visitor2, context)); } } function containsYield(node) { return !!node && (node.transformFlags & 1048576) !== 0; } function countInitialNodesWithoutYield(nodes) { const numNodes = nodes.length; for (let i = 0; i < numNodes; i++) { if (containsYield(nodes[i])) { return i; } } return -1; } function onSubstituteNode(hint, node) { node = previousOnSubstituteNode(hint, node); if (hint === 1) { return substituteExpression(node); } return node; } function substituteExpression(node) { if (isIdentifier(node)) { return substituteExpressionIdentifier(node); } return node; } function substituteExpressionIdentifier(node) { if (!isGeneratedIdentifier(node) && renamedCatchVariables && renamedCatchVariables.has(idText(node))) { const original = getOriginalNode(node); if (isIdentifier(original) && original.parent) { const declaration = resolver.getReferencedValueDeclaration(original); if (declaration) { const name = renamedCatchVariableDeclarations[getOriginalNodeId(declaration)]; if (name) { const clone2 = setParent(setTextRange(factory2.cloneNode(name), name), name.parent); setSourceMapRange(clone2, node); setCommentRange(clone2, node); return clone2; } } } } return node; } function cacheExpression(node) { if (isGeneratedIdentifier(node) || getEmitFlags(node) & 8192) { return node; } const temp = factory2.createTempVariable(hoistVariableDeclaration); emitAssignment( temp, node, /*location*/ node ); return temp; } function declareLocal(name) { const temp = name ? factory2.createUniqueName(name) : factory2.createTempVariable( /*recordTempVariable*/ void 0 ); hoistVariableDeclaration(temp); return temp; } function defineLabel() { if (!labelOffsets) { labelOffsets = []; } const label = nextLabelId; nextLabelId++; labelOffsets[label] = -1; return label; } function markLabel(label) { Debug.assert(labelOffsets !== void 0, "No labels were defined."); labelOffsets[label] = operations2 ? operations2.length : 0; } function beginBlock(block) { if (!blocks) { blocks = []; blockActions = []; blockOffsets = []; blockStack = []; } const index = blockActions.length; blockActions[index] = 0; blockOffsets[index] = operations2 ? operations2.length : 0; blocks[index] = block; blockStack.push(block); return index; } function endBlock() { const block = peekBlock(); if (block === void 0) return Debug.fail("beginBlock was never called."); const index = blockActions.length; blockActions[index] = 1; blockOffsets[index] = operations2 ? operations2.length : 0; blocks[index] = block; blockStack.pop(); return block; } function peekBlock() { return lastOrUndefined(blockStack); } function peekBlockKind() { const block = peekBlock(); return block && block.kind; } function beginWithBlock(expression) { const startLabel = defineLabel(); const endLabel = defineLabel(); markLabel(startLabel); beginBlock({ kind: 1, expression, startLabel, endLabel }); } function endWithBlock() { Debug.assert( peekBlockKind() === 1 /* With */ ); const block = endBlock(); markLabel(block.endLabel); } function beginExceptionBlock() { const startLabel = defineLabel(); const endLabel = defineLabel(); markLabel(startLabel); beginBlock({ kind: 0, state: 0, startLabel, endLabel }); emitNop(); return endLabel; } function beginCatchBlock(variable) { Debug.assert( peekBlockKind() === 0 /* Exception */ ); let name; if (isGeneratedIdentifier(variable.name)) { name = variable.name; hoistVariableDeclaration(variable.name); } else { const text = idText(variable.name); name = declareLocal(text); if (!renamedCatchVariables) { renamedCatchVariables = /* @__PURE__ */ new Map(); renamedCatchVariableDeclarations = []; context.enableSubstitution( 80 /* Identifier */ ); } renamedCatchVariables.set(text, true); renamedCatchVariableDeclarations[getOriginalNodeId(variable)] = name; } const exception = peekBlock(); Debug.assert( exception.state < 1 /* Catch */ ); const endLabel = exception.endLabel; emitBreak(endLabel); const catchLabel = defineLabel(); markLabel(catchLabel); exception.state = 1; exception.catchVariable = name; exception.catchLabel = catchLabel; emitAssignment(name, factory2.createCallExpression( factory2.createPropertyAccessExpression(state, "sent"), /*typeArguments*/ void 0, [] )); emitNop(); } function beginFinallyBlock() { Debug.assert( peekBlockKind() === 0 /* Exception */ ); const exception = peekBlock(); Debug.assert( exception.state < 2 /* Finally */ ); const endLabel = exception.endLabel; emitBreak(endLabel); const finallyLabel = defineLabel(); markLabel(finallyLabel); exception.state = 2; exception.finallyLabel = finallyLabel; } function endExceptionBlock() { Debug.assert( peekBlockKind() === 0 /* Exception */ ); const exception = endBlock(); const state2 = exception.state; if (state2 < 2) { emitBreak(exception.endLabel); } else { emitEndfinally(); } markLabel(exception.endLabel); emitNop(); exception.state = 3; } function beginScriptLoopBlock() { beginBlock({ kind: 3, isScript: true, breakLabel: -1, continueLabel: -1 }); } function beginLoopBlock(continueLabel) { const breakLabel = defineLabel(); beginBlock({ kind: 3, isScript: false, breakLabel, continueLabel }); return breakLabel; } function endLoopBlock() { Debug.assert( peekBlockKind() === 3 /* Loop */ ); const block = endBlock(); const breakLabel = block.breakLabel; if (!block.isScript) { markLabel(breakLabel); } } function beginScriptSwitchBlock() { beginBlock({ kind: 2, isScript: true, breakLabel: -1 }); } function beginSwitchBlock() { const breakLabel = defineLabel(); beginBlock({ kind: 2, isScript: false, breakLabel }); return breakLabel; } function endSwitchBlock() { Debug.assert( peekBlockKind() === 2 /* Switch */ ); const block = endBlock(); const breakLabel = block.breakLabel; if (!block.isScript) { markLabel(breakLabel); } } function beginScriptLabeledBlock(labelText) { beginBlock({ kind: 4, isScript: true, labelText, breakLabel: -1 }); } function beginLabeledBlock(labelText) { const breakLabel = defineLabel(); beginBlock({ kind: 4, isScript: false, labelText, breakLabel }); } function endLabeledBlock() { Debug.assert( peekBlockKind() === 4 /* Labeled */ ); const block = endBlock(); if (!block.isScript) { markLabel(block.breakLabel); } } function supportsUnlabeledBreak(block) { return block.kind === 2 || block.kind === 3; } function supportsLabeledBreakOrContinue(block) { return block.kind === 4; } function supportsUnlabeledContinue(block) { return block.kind === 3; } function hasImmediateContainingLabeledBlock(labelText, start) { for (let j = start; j >= 0; j--) { const containingBlock = blockStack[j]; if (supportsLabeledBreakOrContinue(containingBlock)) { if (containingBlock.labelText === labelText) { return true; } } else { break; } } return false; } function findBreakTarget(labelText) { if (blockStack) { if (labelText) { for (let i = blockStack.length - 1; i >= 0; i--) { const block = blockStack[i]; if (supportsLabeledBreakOrContinue(block) && block.labelText === labelText) { return block.breakLabel; } else if (supportsUnlabeledBreak(block) && hasImmediateContainingLabeledBlock(labelText, i - 1)) { return block.breakLabel; } } } else { for (let i = blockStack.length - 1; i >= 0; i--) { const block = blockStack[i]; if (supportsUnlabeledBreak(block)) { return block.breakLabel; } } } } return 0; } function findContinueTarget(labelText) { if (blockStack) { if (labelText) { for (let i = blockStack.length - 1; i >= 0; i--) { const block = blockStack[i]; if (supportsUnlabeledContinue(block) && hasImmediateContainingLabeledBlock(labelText, i - 1)) { return block.continueLabel; } } } else { for (let i = blockStack.length - 1; i >= 0; i--) { const block = blockStack[i]; if (supportsUnlabeledContinue(block)) { return block.continueLabel; } } } } return 0; } function createLabel(label) { if (label !== void 0 && label > 0) { if (labelExpressions === void 0) { labelExpressions = []; } const expression = factory2.createNumericLiteral(Number.MAX_SAFE_INTEGER); if (labelExpressions[label] === void 0) { labelExpressions[label] = [expression]; } else { labelExpressions[label].push(expression); } return expression; } return factory2.createOmittedExpression(); } function createInstruction(instruction) { const literal = factory2.createNumericLiteral(instruction); addSyntheticTrailingComment(literal, 3, getInstructionName(instruction)); return literal; } function createInlineBreak(label, location) { Debug.assertLessThan(0, label, "Invalid label"); return setTextRange( factory2.createReturnStatement( factory2.createArrayLiteralExpression([ createInstruction( 3 /* Break */ ), createLabel(label) ]) ), location ); } function createInlineReturn(expression, location) { return setTextRange( factory2.createReturnStatement( factory2.createArrayLiteralExpression( expression ? [createInstruction( 2 /* Return */ ), expression] : [createInstruction( 2 /* Return */ )] ) ), location ); } function createGeneratorResume(location) { return setTextRange( factory2.createCallExpression( factory2.createPropertyAccessExpression(state, "sent"), /*typeArguments*/ void 0, [] ), location ); } function emitNop() { emitWorker( 0 /* Nop */ ); } function emitStatement(node) { if (node) { emitWorker(1, [node]); } else { emitNop(); } } function emitAssignment(left, right, location) { emitWorker(2, [left, right], location); } function emitBreak(label, location) { emitWorker(3, [label], location); } function emitBreakWhenTrue(label, condition, location) { emitWorker(4, [label, condition], location); } function emitBreakWhenFalse(label, condition, location) { emitWorker(5, [label, condition], location); } function emitYieldStar(expression, location) { emitWorker(7, [expression], location); } function emitYield(expression, location) { emitWorker(6, [expression], location); } function emitReturn(expression, location) { emitWorker(8, [expression], location); } function emitThrow(expression, location) { emitWorker(9, [expression], location); } function emitEndfinally() { emitWorker( 10 /* Endfinally */ ); } function emitWorker(code, args, location) { if (operations2 === void 0) { operations2 = []; operationArguments = []; operationLocations = []; } if (labelOffsets === void 0) { markLabel(defineLabel()); } const operationIndex = operations2.length; operations2[operationIndex] = code; operationArguments[operationIndex] = args; operationLocations[operationIndex] = location; } function build2() { blockIndex = 0; labelNumber = 0; labelNumbers = void 0; lastOperationWasAbrupt = false; lastOperationWasCompletion = false; clauses = void 0; statements = void 0; exceptionBlockStack = void 0; currentExceptionBlock = void 0; withBlockStack = void 0; const buildResult = buildStatements(); return emitHelpers().createGeneratorHelper( setEmitFlags( factory2.createFunctionExpression( /*modifiers*/ void 0, /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, [factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, state )], /*type*/ void 0, factory2.createBlock( buildResult, /*multiLine*/ buildResult.length > 0 ) ), 1048576 /* ReuseTempVariableScope */ ) ); } function buildStatements() { if (operations2) { for (let operationIndex = 0; operationIndex < operations2.length; operationIndex++) { writeOperation(operationIndex); } flushFinalLabel(operations2.length); } else { flushFinalLabel(0); } if (clauses) { const labelExpression = factory2.createPropertyAccessExpression(state, "label"); const switchStatement = factory2.createSwitchStatement(labelExpression, factory2.createCaseBlock(clauses)); return [startOnNewLine(switchStatement)]; } if (statements) { return statements; } return []; } function flushLabel() { if (!statements) { return; } appendLabel( /*markLabelEnd*/ !lastOperationWasAbrupt ); lastOperationWasAbrupt = false; lastOperationWasCompletion = false; labelNumber++; } function flushFinalLabel(operationIndex) { if (isFinalLabelReachable(operationIndex)) { tryEnterLabel(operationIndex); withBlockStack = void 0; writeReturn( /*expression*/ void 0, /*operationLocation*/ void 0 ); } if (statements && clauses) { appendLabel( /*markLabelEnd*/ false ); } updateLabelExpressions(); } function isFinalLabelReachable(operationIndex) { if (!lastOperationWasCompletion) { return true; } if (!labelOffsets || !labelExpressions) { return false; } for (let label = 0; label < labelOffsets.length; label++) { if (labelOffsets[label] === operationIndex && labelExpressions[label]) { return true; } } return false; } function appendLabel(markLabelEnd) { if (!clauses) { clauses = []; } if (statements) { if (withBlockStack) { for (let i = withBlockStack.length - 1; i >= 0; i--) { const withBlock = withBlockStack[i]; statements = [factory2.createWithStatement(withBlock.expression, factory2.createBlock(statements))]; } } if (currentExceptionBlock) { const { startLabel, catchLabel, finallyLabel, endLabel } = currentExceptionBlock; statements.unshift( factory2.createExpressionStatement( factory2.createCallExpression( factory2.createPropertyAccessExpression(factory2.createPropertyAccessExpression(state, "trys"), "push"), /*typeArguments*/ void 0, [ factory2.createArrayLiteralExpression([ createLabel(startLabel), createLabel(catchLabel), createLabel(finallyLabel), createLabel(endLabel) ]) ] ) ) ); currentExceptionBlock = void 0; } if (markLabelEnd) { statements.push( factory2.createExpressionStatement( factory2.createAssignment( factory2.createPropertyAccessExpression(state, "label"), factory2.createNumericLiteral(labelNumber + 1) ) ) ); } } clauses.push( factory2.createCaseClause( factory2.createNumericLiteral(labelNumber), statements || [] ) ); statements = void 0; } function tryEnterLabel(operationIndex) { if (!labelOffsets) { return; } for (let label = 0; label < labelOffsets.length; label++) { if (labelOffsets[label] === operationIndex) { flushLabel(); if (labelNumbers === void 0) { labelNumbers = []; } if (labelNumbers[labelNumber] === void 0) { labelNumbers[labelNumber] = [label]; } else { labelNumbers[labelNumber].push(label); } } } } function updateLabelExpressions() { if (labelExpressions !== void 0 && labelNumbers !== void 0) { for (let labelNumber2 = 0; labelNumber2 < labelNumbers.length; labelNumber2++) { const labels = labelNumbers[labelNumber2]; if (labels !== void 0) { for (const label of labels) { const expressions = labelExpressions[label]; if (expressions !== void 0) { for (const expression of expressions) { expression.text = String(labelNumber2); } } } } } } } function tryEnterOrLeaveBlock(operationIndex) { if (blocks) { for (; blockIndex < blockActions.length && blockOffsets[blockIndex] <= operationIndex; blockIndex++) { const block = blocks[blockIndex]; const blockAction = blockActions[blockIndex]; switch (block.kind) { case 0: if (blockAction === 0) { if (!exceptionBlockStack) { exceptionBlockStack = []; } if (!statements) { statements = []; } exceptionBlockStack.push(currentExceptionBlock); currentExceptionBlock = block; } else if (blockAction === 1) { currentExceptionBlock = exceptionBlockStack.pop(); } break; case 1: if (blockAction === 0) { if (!withBlockStack) { withBlockStack = []; } withBlockStack.push(block); } else if (blockAction === 1) { withBlockStack.pop(); } break; } } } } function writeOperation(operationIndex) { tryEnterLabel(operationIndex); tryEnterOrLeaveBlock(operationIndex); if (lastOperationWasAbrupt) { return; } lastOperationWasAbrupt = false; lastOperationWasCompletion = false; const opcode = operations2[operationIndex]; if (opcode === 0) { return; } else if (opcode === 10) { return writeEndfinally(); } const args = operationArguments[operationIndex]; if (opcode === 1) { return writeStatement(args[0]); } const location = operationLocations[operationIndex]; switch (opcode) { case 2: return writeAssign(args[0], args[1], location); case 3: return writeBreak(args[0], location); case 4: return writeBreakWhenTrue(args[0], args[1], location); case 5: return writeBreakWhenFalse(args[0], args[1], location); case 6: return writeYield(args[0], location); case 7: return writeYieldStar(args[0], location); case 8: return writeReturn(args[0], location); case 9: return writeThrow(args[0], location); } } function writeStatement(statement) { if (statement) { if (!statements) { statements = [statement]; } else { statements.push(statement); } } } function writeAssign(left, right, operationLocation) { writeStatement(setTextRange(factory2.createExpressionStatement(factory2.createAssignment(left, right)), operationLocation)); } function writeThrow(expression, operationLocation) { lastOperationWasAbrupt = true; lastOperationWasCompletion = true; writeStatement(setTextRange(factory2.createThrowStatement(expression), operationLocation)); } function writeReturn(expression, operationLocation) { lastOperationWasAbrupt = true; lastOperationWasCompletion = true; writeStatement( setEmitFlags( setTextRange( factory2.createReturnStatement( factory2.createArrayLiteralExpression( expression ? [createInstruction( 2 /* Return */ ), expression] : [createInstruction( 2 /* Return */ )] ) ), operationLocation ), 768 /* NoTokenSourceMaps */ ) ); } function writeBreak(label, operationLocation) { lastOperationWasAbrupt = true; writeStatement( setEmitFlags( setTextRange( factory2.createReturnStatement( factory2.createArrayLiteralExpression([ createInstruction( 3 /* Break */ ), createLabel(label) ]) ), operationLocation ), 768 /* NoTokenSourceMaps */ ) ); } function writeBreakWhenTrue(label, condition, operationLocation) { writeStatement( setEmitFlags( factory2.createIfStatement( condition, setEmitFlags( setTextRange( factory2.createReturnStatement( factory2.createArrayLiteralExpression([ createInstruction( 3 /* Break */ ), createLabel(label) ]) ), operationLocation ), 768 /* NoTokenSourceMaps */ ) ), 1 /* SingleLine */ ) ); } function writeBreakWhenFalse(label, condition, operationLocation) { writeStatement( setEmitFlags( factory2.createIfStatement( factory2.createLogicalNot(condition), setEmitFlags( setTextRange( factory2.createReturnStatement( factory2.createArrayLiteralExpression([ createInstruction( 3 /* Break */ ), createLabel(label) ]) ), operationLocation ), 768 /* NoTokenSourceMaps */ ) ), 1 /* SingleLine */ ) ); } function writeYield(expression, operationLocation) { lastOperationWasAbrupt = true; writeStatement( setEmitFlags( setTextRange( factory2.createReturnStatement( factory2.createArrayLiteralExpression( expression ? [createInstruction( 4 /* Yield */ ), expression] : [createInstruction( 4 /* Yield */ )] ) ), operationLocation ), 768 /* NoTokenSourceMaps */ ) ); } function writeYieldStar(expression, operationLocation) { lastOperationWasAbrupt = true; writeStatement( setEmitFlags( setTextRange( factory2.createReturnStatement( factory2.createArrayLiteralExpression([ createInstruction( 5 /* YieldStar */ ), expression ]) ), operationLocation ), 768 /* NoTokenSourceMaps */ ) ); } function writeEndfinally() { lastOperationWasAbrupt = true; writeStatement( factory2.createReturnStatement( factory2.createArrayLiteralExpression([ createInstruction( 7 /* Endfinally */ ) ]) ) ); } } function transformModule(context) { function getTransformModuleDelegate(moduleKind2) { switch (moduleKind2) { case 2: return transformAMDModule; case 3: return transformUMDModule; default: return transformCommonJSModule; } } const { factory: factory2, getEmitHelperFactory: emitHelpers, startLexicalEnvironment, endLexicalEnvironment, hoistVariableDeclaration } = context; const compilerOptions = context.getCompilerOptions(); const resolver = context.getEmitResolver(); const host = context.getEmitHost(); const languageVersion = getEmitScriptTarget(compilerOptions); const moduleKind = getEmitModuleKind(compilerOptions); const previousOnSubstituteNode = context.onSubstituteNode; const previousOnEmitNode = context.onEmitNode; context.onSubstituteNode = onSubstituteNode; context.onEmitNode = onEmitNode; context.enableSubstitution( 213 /* CallExpression */ ); context.enableSubstitution( 215 /* TaggedTemplateExpression */ ); context.enableSubstitution( 80 /* Identifier */ ); context.enableSubstitution( 226 /* BinaryExpression */ ); context.enableSubstitution( 304 /* ShorthandPropertyAssignment */ ); context.enableEmitNotification( 307 /* SourceFile */ ); const moduleInfoMap = []; let currentSourceFile; let currentModuleInfo; const noSubstitution = []; let needUMDDynamicImportHelper; return chainBundle(context, transformSourceFile); function transformSourceFile(node) { if (node.isDeclarationFile || !(isEffectiveExternalModule(node, compilerOptions) || node.transformFlags & 8388608 || isJsonSourceFile(node) && hasJsonModuleEmitEnabled(compilerOptions) && compilerOptions.outFile)) { return node; } currentSourceFile = node; currentModuleInfo = collectExternalModuleInfo(context, node); moduleInfoMap[getOriginalNodeId(node)] = currentModuleInfo; const transformModule2 = getTransformModuleDelegate(moduleKind); const updated = transformModule2(node); currentSourceFile = void 0; currentModuleInfo = void 0; needUMDDynamicImportHelper = false; return updated; } function shouldEmitUnderscoreUnderscoreESModule() { if (hasJSFileExtension(currentSourceFile.fileName) && currentSourceFile.commonJsModuleIndicator && (!currentSourceFile.externalModuleIndicator || currentSourceFile.externalModuleIndicator === true)) { return false; } if (!currentModuleInfo.exportEquals && isExternalModule(currentSourceFile)) { return true; } return false; } function transformCommonJSModule(node) { startLexicalEnvironment(); const statements = []; const ensureUseStrict = getStrictOptionValue(compilerOptions, "alwaysStrict") || isExternalModule(currentSourceFile); const statementOffset = factory2.copyPrologue(node.statements, statements, ensureUseStrict && !isJsonSourceFile(node), topLevelVisitor); if (shouldEmitUnderscoreUnderscoreESModule()) { append(statements, createUnderscoreUnderscoreESModule()); } if (some(currentModuleInfo.exportedNames)) { const chunkSize = 50; for (let i = 0; i < currentModuleInfo.exportedNames.length; i += chunkSize) { append( statements, factory2.createExpressionStatement( reduceLeft( currentModuleInfo.exportedNames.slice(i, i + chunkSize), (prev, nextId) => factory2.createAssignment(factory2.createPropertyAccessExpression(factory2.createIdentifier("exports"), factory2.createIdentifier(idText(nextId))), prev), factory2.createVoidZero() ) ) ); } } for (const f of currentModuleInfo.exportedFunctions) { appendExportsOfHoistedDeclaration(statements, f); } append(statements, visitNode(currentModuleInfo.externalHelpersImportDeclaration, topLevelVisitor, isStatement)); addRange(statements, visitNodes2(node.statements, topLevelVisitor, isStatement, statementOffset)); addExportEqualsIfNeeded( statements, /*emitAsReturn*/ false ); insertStatementsAfterStandardPrologue(statements, endLexicalEnvironment()); const updated = factory2.updateSourceFile(node, setTextRange(factory2.createNodeArray(statements), node.statements)); addEmitHelpers(updated, context.readEmitHelpers()); return updated; } function transformAMDModule(node) { const define2 = factory2.createIdentifier("define"); const moduleName = tryGetModuleNameFromFile(factory2, node, host, compilerOptions); const jsonSourceFile = isJsonSourceFile(node) && node; const { aliasedModuleNames, unaliasedModuleNames, importAliasNames } = collectAsynchronousDependencies( node, /*includeNonAmdDependencies*/ true ); const updated = factory2.updateSourceFile( node, setTextRange( factory2.createNodeArray([ factory2.createExpressionStatement( factory2.createCallExpression( define2, /*typeArguments*/ void 0, [ // Add the module name (if provided). ...moduleName ? [moduleName] : [], // Add the dependency array argument: // // ["require", "exports", module1", "module2", ...] factory2.createArrayLiteralExpression( jsonSourceFile ? emptyArray : [ factory2.createStringLiteral("require"), factory2.createStringLiteral("exports"), ...aliasedModuleNames, ...unaliasedModuleNames ] ), // Add the module body function argument: // // function (require, exports, module1, module2) ... jsonSourceFile ? jsonSourceFile.statements.length ? jsonSourceFile.statements[0].expression : factory2.createObjectLiteralExpression() : factory2.createFunctionExpression( /*modifiers*/ void 0, /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, [ factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, "require" ), factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, "exports" ), ...importAliasNames ], /*type*/ void 0, transformAsynchronousModuleBody(node) ) ] ) ) ]), /*location*/ node.statements ) ); addEmitHelpers(updated, context.readEmitHelpers()); return updated; } function transformUMDModule(node) { const { aliasedModuleNames, unaliasedModuleNames, importAliasNames } = collectAsynchronousDependencies( node, /*includeNonAmdDependencies*/ false ); const moduleName = tryGetModuleNameFromFile(factory2, node, host, compilerOptions); const umdHeader = factory2.createFunctionExpression( /*modifiers*/ void 0, /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, [factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, "factory" )], /*type*/ void 0, setTextRange( factory2.createBlock( [ factory2.createIfStatement( factory2.createLogicalAnd( factory2.createTypeCheck(factory2.createIdentifier("module"), "object"), factory2.createTypeCheck(factory2.createPropertyAccessExpression(factory2.createIdentifier("module"), "exports"), "object") ), factory2.createBlock([ factory2.createVariableStatement( /*modifiers*/ void 0, [ factory2.createVariableDeclaration( "v", /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createCallExpression( factory2.createIdentifier("factory"), /*typeArguments*/ void 0, [ factory2.createIdentifier("require"), factory2.createIdentifier("exports") ] ) ) ] ), setEmitFlags( factory2.createIfStatement( factory2.createStrictInequality( factory2.createIdentifier("v"), factory2.createIdentifier("undefined") ), factory2.createExpressionStatement( factory2.createAssignment( factory2.createPropertyAccessExpression(factory2.createIdentifier("module"), "exports"), factory2.createIdentifier("v") ) ) ), 1 /* SingleLine */ ) ]), factory2.createIfStatement( factory2.createLogicalAnd( factory2.createTypeCheck(factory2.createIdentifier("define"), "function"), factory2.createPropertyAccessExpression(factory2.createIdentifier("define"), "amd") ), factory2.createBlock([ factory2.createExpressionStatement( factory2.createCallExpression( factory2.createIdentifier("define"), /*typeArguments*/ void 0, [ // Add the module name (if provided). ...moduleName ? [moduleName] : [], factory2.createArrayLiteralExpression([ factory2.createStringLiteral("require"), factory2.createStringLiteral("exports"), ...aliasedModuleNames, ...unaliasedModuleNames ]), factory2.createIdentifier("factory") ] ) ) ]) ) ) ], /*multiLine*/ true ), /*location*/ void 0 ) ); const updated = factory2.updateSourceFile( node, setTextRange( factory2.createNodeArray([ factory2.createExpressionStatement( factory2.createCallExpression( umdHeader, /*typeArguments*/ void 0, [ // Add the module body function argument: // // function (require, exports) ... factory2.createFunctionExpression( /*modifiers*/ void 0, /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, [ factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, "require" ), factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, "exports" ), ...importAliasNames ], /*type*/ void 0, transformAsynchronousModuleBody(node) ) ] ) ) ]), /*location*/ node.statements ) ); addEmitHelpers(updated, context.readEmitHelpers()); return updated; } function collectAsynchronousDependencies(node, includeNonAmdDependencies) { const aliasedModuleNames = []; const unaliasedModuleNames = []; const importAliasNames = []; for (const amdDependency of node.amdDependencies) { if (amdDependency.name) { aliasedModuleNames.push(factory2.createStringLiteral(amdDependency.path)); importAliasNames.push(factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, amdDependency.name )); } else { unaliasedModuleNames.push(factory2.createStringLiteral(amdDependency.path)); } } for (const importNode of currentModuleInfo.externalImports) { const externalModuleName = getExternalModuleNameLiteral(factory2, importNode, currentSourceFile, host, resolver, compilerOptions); const importAliasName = getLocalNameForExternalImport(factory2, importNode, currentSourceFile); if (externalModuleName) { if (includeNonAmdDependencies && importAliasName) { setEmitFlags( importAliasName, 8 /* NoSubstitution */ ); aliasedModuleNames.push(externalModuleName); importAliasNames.push(factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, importAliasName )); } else { unaliasedModuleNames.push(externalModuleName); } } } return { aliasedModuleNames, unaliasedModuleNames, importAliasNames }; } function getAMDImportExpressionForImport(node) { if (isImportEqualsDeclaration(node) || isExportDeclaration(node) || !getExternalModuleNameLiteral(factory2, node, currentSourceFile, host, resolver, compilerOptions)) { return void 0; } const name = getLocalNameForExternalImport(factory2, node, currentSourceFile); const expr = getHelperExpressionForImport(node, name); if (expr === name) { return void 0; } return factory2.createExpressionStatement(factory2.createAssignment(name, expr)); } function transformAsynchronousModuleBody(node) { startLexicalEnvironment(); const statements = []; const statementOffset = factory2.copyPrologue( node.statements, statements, /*ensureUseStrict*/ true, topLevelVisitor ); if (shouldEmitUnderscoreUnderscoreESModule()) { append(statements, createUnderscoreUnderscoreESModule()); } if (some(currentModuleInfo.exportedNames)) { append(statements, factory2.createExpressionStatement(reduceLeft(currentModuleInfo.exportedNames, (prev, nextId) => factory2.createAssignment(factory2.createPropertyAccessExpression(factory2.createIdentifier("exports"), factory2.createIdentifier(idText(nextId))), prev), factory2.createVoidZero()))); } for (const f of currentModuleInfo.exportedFunctions) { appendExportsOfHoistedDeclaration(statements, f); } append(statements, visitNode(currentModuleInfo.externalHelpersImportDeclaration, topLevelVisitor, isStatement)); if (moduleKind === 2) { addRange(statements, mapDefined(currentModuleInfo.externalImports, getAMDImportExpressionForImport)); } addRange(statements, visitNodes2(node.statements, topLevelVisitor, isStatement, statementOffset)); addExportEqualsIfNeeded( statements, /*emitAsReturn*/ true ); insertStatementsAfterStandardPrologue(statements, endLexicalEnvironment()); const body = factory2.createBlock( statements, /*multiLine*/ true ); if (needUMDDynamicImportHelper) { addEmitHelper(body, dynamicImportUMDHelper); } return body; } function addExportEqualsIfNeeded(statements, emitAsReturn) { if (currentModuleInfo.exportEquals) { const expressionResult = visitNode(currentModuleInfo.exportEquals.expression, visitor2, isExpression); if (expressionResult) { if (emitAsReturn) { const statement = factory2.createReturnStatement(expressionResult); setTextRange(statement, currentModuleInfo.exportEquals); setEmitFlags( statement, 768 | 3072 /* NoComments */ ); statements.push(statement); } else { const statement = factory2.createExpressionStatement( factory2.createAssignment( factory2.createPropertyAccessExpression( factory2.createIdentifier("module"), "exports" ), expressionResult ) ); setTextRange(statement, currentModuleInfo.exportEquals); setEmitFlags( statement, 3072 /* NoComments */ ); statements.push(statement); } } } } function topLevelVisitor(node) { switch (node.kind) { case 272: return visitTopLevelImportDeclaration(node); case 271: return visitTopLevelImportEqualsDeclaration(node); case 278: return visitTopLevelExportDeclaration(node); case 277: return visitTopLevelExportAssignment(node); default: return topLevelNestedVisitor(node); } } function topLevelNestedVisitor(node) { switch (node.kind) { case 243: return visitVariableStatement(node); case 262: return visitFunctionDeclaration(node); case 263: return visitClassDeclaration(node); case 248: return visitForStatement( node, /*isTopLevel*/ true ); case 249: return visitForInStatement(node); case 250: return visitForOfStatement(node); case 246: return visitDoStatement(node); case 247: return visitWhileStatement(node); case 256: return visitLabeledStatement(node); case 254: return visitWithStatement(node); case 245: return visitIfStatement(node); case 255: return visitSwitchStatement(node); case 269: return visitCaseBlock(node); case 296: return visitCaseClause(node); case 297: return visitDefaultClause(node); case 258: return visitTryStatement(node); case 299: return visitCatchClause(node); case 241: return visitBlock(node); default: return visitor2(node); } } function visitorWorker(node, valueIsDiscarded) { if (!(node.transformFlags & (8388608 | 4096 | 268435456))) { return node; } switch (node.kind) { case 248: return visitForStatement( node, /*isTopLevel*/ false ); case 244: return visitExpressionStatement(node); case 217: return visitParenthesizedExpression(node, valueIsDiscarded); case 354: return visitPartiallyEmittedExpression(node, valueIsDiscarded); case 213: if (isImportCall(node) && currentSourceFile.impliedNodeFormat === void 0) { return visitImportCallExpression(node); } break; case 226: if (isDestructuringAssignment(node)) { return visitDestructuringAssignment(node, valueIsDiscarded); } break; case 224: case 225: return visitPreOrPostfixUnaryExpression(node, valueIsDiscarded); } return visitEachChild(node, visitor2, context); } function visitor2(node) { return visitorWorker( node, /*valueIsDiscarded*/ false ); } function discardedValueVisitor(node) { return visitorWorker( node, /*valueIsDiscarded*/ true ); } function destructuringNeedsFlattening(node) { if (isObjectLiteralExpression(node)) { for (const elem of node.properties) { switch (elem.kind) { case 303: if (destructuringNeedsFlattening(elem.initializer)) { return true; } break; case 304: if (destructuringNeedsFlattening(elem.name)) { return true; } break; case 305: if (destructuringNeedsFlattening(elem.expression)) { return true; } break; case 174: case 177: case 178: return false; default: Debug.assertNever(elem, "Unhandled object member kind"); } } } else if (isArrayLiteralExpression(node)) { for (const elem of node.elements) { if (isSpreadElement(elem)) { if (destructuringNeedsFlattening(elem.expression)) { return true; } } else if (destructuringNeedsFlattening(elem)) { return true; } } } else if (isIdentifier(node)) { return length(getExports2(node)) > (isExportName(node) ? 1 : 0); } return false; } function visitDestructuringAssignment(node, valueIsDiscarded) { if (destructuringNeedsFlattening(node.left)) { return flattenDestructuringAssignment(node, visitor2, context, 0, !valueIsDiscarded, createAllExportExpressions); } return visitEachChild(node, visitor2, context); } function visitForStatement(node, isTopLevel) { if (isTopLevel && node.initializer && isVariableDeclarationList(node.initializer) && !(node.initializer.flags & 7)) { const exportStatements = appendExportsOfVariableDeclarationList( /*statements*/ void 0, node.initializer, /*isForInOrOfInitializer*/ false ); if (exportStatements) { const statements = []; const varDeclList = visitNode(node.initializer, discardedValueVisitor, isVariableDeclarationList); const varStatement = factory2.createVariableStatement( /*modifiers*/ void 0, varDeclList ); statements.push(varStatement); addRange(statements, exportStatements); const condition = visitNode(node.condition, visitor2, isExpression); const incrementor = visitNode(node.incrementor, discardedValueVisitor, isExpression); const body = visitIterationBody(node.statement, isTopLevel ? topLevelNestedVisitor : visitor2, context); statements.push(factory2.updateForStatement( node, /*initializer*/ void 0, condition, incrementor, body )); return statements; } } return factory2.updateForStatement( node, visitNode(node.initializer, discardedValueVisitor, isForInitializer), visitNode(node.condition, visitor2, isExpression), visitNode(node.incrementor, discardedValueVisitor, isExpression), visitIterationBody(node.statement, isTopLevel ? topLevelNestedVisitor : visitor2, context) ); } function visitForInStatement(node) { if (isVariableDeclarationList(node.initializer) && !(node.initializer.flags & 7)) { const exportStatements = appendExportsOfVariableDeclarationList( /*statements*/ void 0, node.initializer, /*isForInOrOfInitializer*/ true ); if (some(exportStatements)) { const initializer = visitNode(node.initializer, discardedValueVisitor, isForInitializer); const expression = visitNode(node.expression, visitor2, isExpression); const body = visitIterationBody(node.statement, topLevelNestedVisitor, context); const mergedBody = isBlock(body) ? factory2.updateBlock(body, [...exportStatements, ...body.statements]) : factory2.createBlock( [...exportStatements, body], /*multiLine*/ true ); return factory2.updateForInStatement(node, initializer, expression, mergedBody); } } return factory2.updateForInStatement( node, visitNode(node.initializer, discardedValueVisitor, isForInitializer), visitNode(node.expression, visitor2, isExpression), visitIterationBody(node.statement, topLevelNestedVisitor, context) ); } function visitForOfStatement(node) { if (isVariableDeclarationList(node.initializer) && !(node.initializer.flags & 7)) { const exportStatements = appendExportsOfVariableDeclarationList( /*statements*/ void 0, node.initializer, /*isForInOrOfInitializer*/ true ); const initializer = visitNode(node.initializer, discardedValueVisitor, isForInitializer); const expression = visitNode(node.expression, visitor2, isExpression); let body = visitIterationBody(node.statement, topLevelNestedVisitor, context); if (some(exportStatements)) { body = isBlock(body) ? factory2.updateBlock(body, [...exportStatements, ...body.statements]) : factory2.createBlock( [...exportStatements, body], /*multiLine*/ true ); } return factory2.updateForOfStatement(node, node.awaitModifier, initializer, expression, body); } return factory2.updateForOfStatement( node, node.awaitModifier, visitNode(node.initializer, discardedValueVisitor, isForInitializer), visitNode(node.expression, visitor2, isExpression), visitIterationBody(node.statement, topLevelNestedVisitor, context) ); } function visitDoStatement(node) { return factory2.updateDoStatement( node, visitIterationBody(node.statement, topLevelNestedVisitor, context), visitNode(node.expression, visitor2, isExpression) ); } function visitWhileStatement(node) { return factory2.updateWhileStatement( node, visitNode(node.expression, visitor2, isExpression), visitIterationBody(node.statement, topLevelNestedVisitor, context) ); } function visitLabeledStatement(node) { return factory2.updateLabeledStatement( node, node.label, Debug.checkDefined(visitNode(node.statement, topLevelNestedVisitor, isStatement, factory2.liftToBlock)) ); } function visitWithStatement(node) { return factory2.updateWithStatement( node, visitNode(node.expression, visitor2, isExpression), Debug.checkDefined(visitNode(node.statement, topLevelNestedVisitor, isStatement, factory2.liftToBlock)) ); } function visitIfStatement(node) { return factory2.updateIfStatement( node, visitNode(node.expression, visitor2, isExpression), Debug.checkDefined(visitNode(node.thenStatement, topLevelNestedVisitor, isStatement, factory2.liftToBlock)), visitNode(node.elseStatement, topLevelNestedVisitor, isStatement, factory2.liftToBlock) ); } function visitSwitchStatement(node) { return factory2.updateSwitchStatement( node, visitNode(node.expression, visitor2, isExpression), Debug.checkDefined(visitNode(node.caseBlock, topLevelNestedVisitor, isCaseBlock)) ); } function visitCaseBlock(node) { return factory2.updateCaseBlock( node, visitNodes2(node.clauses, topLevelNestedVisitor, isCaseOrDefaultClause) ); } function visitCaseClause(node) { return factory2.updateCaseClause( node, visitNode(node.expression, visitor2, isExpression), visitNodes2(node.statements, topLevelNestedVisitor, isStatement) ); } function visitDefaultClause(node) { return visitEachChild(node, topLevelNestedVisitor, context); } function visitTryStatement(node) { return visitEachChild(node, topLevelNestedVisitor, context); } function visitCatchClause(node) { return factory2.updateCatchClause( node, node.variableDeclaration, Debug.checkDefined(visitNode(node.block, topLevelNestedVisitor, isBlock)) ); } function visitBlock(node) { node = visitEachChild(node, topLevelNestedVisitor, context); return node; } function visitExpressionStatement(node) { return factory2.updateExpressionStatement( node, visitNode(node.expression, discardedValueVisitor, isExpression) ); } function visitParenthesizedExpression(node, valueIsDiscarded) { return factory2.updateParenthesizedExpression(node, visitNode(node.expression, valueIsDiscarded ? discardedValueVisitor : visitor2, isExpression)); } function visitPartiallyEmittedExpression(node, valueIsDiscarded) { return factory2.updatePartiallyEmittedExpression(node, visitNode(node.expression, valueIsDiscarded ? discardedValueVisitor : visitor2, isExpression)); } function visitPreOrPostfixUnaryExpression(node, valueIsDiscarded) { if ((node.operator === 46 || node.operator === 47) && isIdentifier(node.operand) && !isGeneratedIdentifier(node.operand) && !isLocalName(node.operand) && !isDeclarationNameOfEnumOrNamespace(node.operand)) { const exportedNames = getExports2(node.operand); if (exportedNames) { let temp; let expression = visitNode(node.operand, visitor2, isExpression); if (isPrefixUnaryExpression(node)) { expression = factory2.updatePrefixUnaryExpression(node, expression); } else { expression = factory2.updatePostfixUnaryExpression(node, expression); if (!valueIsDiscarded) { temp = factory2.createTempVariable(hoistVariableDeclaration); expression = factory2.createAssignment(temp, expression); setTextRange(expression, node); } expression = factory2.createComma(expression, factory2.cloneNode(node.operand)); setTextRange(expression, node); } for (const exportName of exportedNames) { noSubstitution[getNodeId(expression)] = true; expression = createExportExpression(exportName, expression); setTextRange(expression, node); } if (temp) { noSubstitution[getNodeId(expression)] = true; expression = factory2.createComma(expression, temp); setTextRange(expression, node); } return expression; } } return visitEachChild(node, visitor2, context); } function visitImportCallExpression(node) { if (moduleKind === 0 && languageVersion >= 7) { return visitEachChild(node, visitor2, context); } const externalModuleName = getExternalModuleNameLiteral(factory2, node, currentSourceFile, host, resolver, compilerOptions); const firstArgument = visitNode(firstOrUndefined(node.arguments), visitor2, isExpression); const argument = externalModuleName && (!firstArgument || !isStringLiteral2(firstArgument) || firstArgument.text !== externalModuleName.text) ? externalModuleName : firstArgument; const containsLexicalThis = !!(node.transformFlags & 16384); switch (compilerOptions.module) { case 2: return createImportCallExpressionAMD(argument, containsLexicalThis); case 3: return createImportCallExpressionUMD(argument ?? factory2.createVoidZero(), containsLexicalThis); case 1: default: return createImportCallExpressionCommonJS(argument); } } function createImportCallExpressionUMD(arg, containsLexicalThis) { needUMDDynamicImportHelper = true; if (isSimpleCopiableExpression(arg)) { const argClone = isGeneratedIdentifier(arg) ? arg : isStringLiteral2(arg) ? factory2.createStringLiteralFromNode(arg) : setEmitFlags( setTextRange(factory2.cloneNode(arg), arg), 3072 /* NoComments */ ); return factory2.createConditionalExpression( /*condition*/ factory2.createIdentifier("__syncRequire"), /*questionToken*/ void 0, /*whenTrue*/ createImportCallExpressionCommonJS(arg), /*colonToken*/ void 0, /*whenFalse*/ createImportCallExpressionAMD(argClone, containsLexicalThis) ); } else { const temp = factory2.createTempVariable(hoistVariableDeclaration); return factory2.createComma( factory2.createAssignment(temp, arg), factory2.createConditionalExpression( /*condition*/ factory2.createIdentifier("__syncRequire"), /*questionToken*/ void 0, /*whenTrue*/ createImportCallExpressionCommonJS( temp, /*isInlineable*/ true ), /*colonToken*/ void 0, /*whenFalse*/ createImportCallExpressionAMD(temp, containsLexicalThis) ) ); } } function createImportCallExpressionAMD(arg, containsLexicalThis) { const resolve2 = factory2.createUniqueName("resolve"); const reject = factory2.createUniqueName("reject"); const parameters = [ factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, /*name*/ resolve2 ), factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, /*name*/ reject ) ]; const body = factory2.createBlock([ factory2.createExpressionStatement( factory2.createCallExpression( factory2.createIdentifier("require"), /*typeArguments*/ void 0, [factory2.createArrayLiteralExpression([arg || factory2.createOmittedExpression()]), resolve2, reject] ) ) ]); let func; if (languageVersion >= 2) { func = factory2.createArrowFunction( /*modifiers*/ void 0, /*typeParameters*/ void 0, parameters, /*type*/ void 0, /*equalsGreaterThanToken*/ void 0, body ); } else { func = factory2.createFunctionExpression( /*modifiers*/ void 0, /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, parameters, /*type*/ void 0, body ); if (containsLexicalThis) { setEmitFlags( func, 16 /* CapturesThis */ ); } } const promise = factory2.createNewExpression( factory2.createIdentifier("Promise"), /*typeArguments*/ void 0, [func] ); if (getESModuleInterop(compilerOptions)) { return factory2.createCallExpression( factory2.createPropertyAccessExpression(promise, factory2.createIdentifier("then")), /*typeArguments*/ void 0, [emitHelpers().createImportStarCallbackHelper()] ); } return promise; } function createImportCallExpressionCommonJS(arg, isInlineable) { const needSyncEval = arg && !isSimpleInlineableExpression(arg) && !isInlineable; const promiseResolveCall = factory2.createCallExpression( factory2.createPropertyAccessExpression(factory2.createIdentifier("Promise"), "resolve"), /*typeArguments*/ void 0, /*argumentsArray*/ needSyncEval ? languageVersion >= 2 ? [ factory2.createTemplateExpression(factory2.createTemplateHead(""), [ factory2.createTemplateSpan(arg, factory2.createTemplateTail("")) ]) ] : [ factory2.createCallExpression( factory2.createPropertyAccessExpression(factory2.createStringLiteral(""), "concat"), /*typeArguments*/ void 0, [arg] ) ] : [] ); let requireCall2 = factory2.createCallExpression( factory2.createIdentifier("require"), /*typeArguments*/ void 0, needSyncEval ? [factory2.createIdentifier("s")] : arg ? [arg] : [] ); if (getESModuleInterop(compilerOptions)) { requireCall2 = emitHelpers().createImportStarHelper(requireCall2); } const parameters = needSyncEval ? [ factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, /*name*/ "s" ) ] : []; let func; if (languageVersion >= 2) { func = factory2.createArrowFunction( /*modifiers*/ void 0, /*typeParameters*/ void 0, /*parameters*/ parameters, /*type*/ void 0, /*equalsGreaterThanToken*/ void 0, requireCall2 ); } else { func = factory2.createFunctionExpression( /*modifiers*/ void 0, /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, /*parameters*/ parameters, /*type*/ void 0, factory2.createBlock([factory2.createReturnStatement(requireCall2)]) ); } const downleveledImport = factory2.createCallExpression( factory2.createPropertyAccessExpression(promiseResolveCall, "then"), /*typeArguments*/ void 0, [func] ); return downleveledImport; } function getHelperExpressionForExport(node, innerExpr) { if (!getESModuleInterop(compilerOptions) || getInternalEmitFlags(node) & 2) { return innerExpr; } if (getExportNeedsImportStarHelper(node)) { return emitHelpers().createImportStarHelper(innerExpr); } return innerExpr; } function getHelperExpressionForImport(node, innerExpr) { if (!getESModuleInterop(compilerOptions) || getInternalEmitFlags(node) & 2) { return innerExpr; } if (getImportNeedsImportStarHelper(node)) { return emitHelpers().createImportStarHelper(innerExpr); } if (getImportNeedsImportDefaultHelper(node)) { return emitHelpers().createImportDefaultHelper(innerExpr); } return innerExpr; } function visitTopLevelImportDeclaration(node) { let statements; const namespaceDeclaration = getNamespaceDeclarationNode(node); if (moduleKind !== 2) { if (!node.importClause) { return setOriginalNode(setTextRange(factory2.createExpressionStatement(createRequireCall2(node)), node), node); } else { const variables = []; if (namespaceDeclaration && !isDefaultImport(node)) { variables.push( factory2.createVariableDeclaration( factory2.cloneNode(namespaceDeclaration.name), /*exclamationToken*/ void 0, /*type*/ void 0, getHelperExpressionForImport(node, createRequireCall2(node)) ) ); } else { variables.push( factory2.createVariableDeclaration( factory2.getGeneratedNameForNode(node), /*exclamationToken*/ void 0, /*type*/ void 0, getHelperExpressionForImport(node, createRequireCall2(node)) ) ); if (namespaceDeclaration && isDefaultImport(node)) { variables.push( factory2.createVariableDeclaration( factory2.cloneNode(namespaceDeclaration.name), /*exclamationToken*/ void 0, /*type*/ void 0, factory2.getGeneratedNameForNode(node) ) ); } } statements = append( statements, setOriginalNode( setTextRange( factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList( variables, languageVersion >= 2 ? 2 : 0 /* None */ ) ), /*location*/ node ), /*original*/ node ) ); } } else if (namespaceDeclaration && isDefaultImport(node)) { statements = append( statements, factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList( [ setOriginalNode( setTextRange( factory2.createVariableDeclaration( factory2.cloneNode(namespaceDeclaration.name), /*exclamationToken*/ void 0, /*type*/ void 0, factory2.getGeneratedNameForNode(node) ), /*location*/ node ), /*original*/ node ) ], languageVersion >= 2 ? 2 : 0 /* None */ ) ) ); } statements = appendExportsOfImportDeclaration(statements, node); return singleOrMany(statements); } function createRequireCall2(importNode) { const moduleName = getExternalModuleNameLiteral(factory2, importNode, currentSourceFile, host, resolver, compilerOptions); const args = []; if (moduleName) { args.push(moduleName); } return factory2.createCallExpression( factory2.createIdentifier("require"), /*typeArguments*/ void 0, args ); } function visitTopLevelImportEqualsDeclaration(node) { Debug.assert(isExternalModuleImportEqualsDeclaration(node), "import= for internal module references should be handled in an earlier transformer."); let statements; if (moduleKind !== 2) { if (hasSyntacticModifier( node, 32 /* Export */ )) { statements = append( statements, setOriginalNode( setTextRange( factory2.createExpressionStatement( createExportExpression( node.name, createRequireCall2(node) ) ), node ), node ) ); } else { statements = append( statements, setOriginalNode( setTextRange( factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList( [ factory2.createVariableDeclaration( factory2.cloneNode(node.name), /*exclamationToken*/ void 0, /*type*/ void 0, createRequireCall2(node) ) ], /*flags*/ languageVersion >= 2 ? 2 : 0 /* None */ ) ), node ), node ) ); } } else { if (hasSyntacticModifier( node, 32 /* Export */ )) { statements = append( statements, setOriginalNode( setTextRange( factory2.createExpressionStatement( createExportExpression(factory2.getExportName(node), factory2.getLocalName(node)) ), node ), node ) ); } } statements = appendExportsOfImportEqualsDeclaration(statements, node); return singleOrMany(statements); } function visitTopLevelExportDeclaration(node) { if (!node.moduleSpecifier) { return void 0; } const generatedName = factory2.getGeneratedNameForNode(node); if (node.exportClause && isNamedExports(node.exportClause)) { const statements = []; if (moduleKind !== 2) { statements.push( setOriginalNode( setTextRange( factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration( generatedName, /*exclamationToken*/ void 0, /*type*/ void 0, createRequireCall2(node) ) ]) ), /*location*/ node ), /* original */ node ) ); } for (const specifier of node.exportClause.elements) { const exportNeedsImportDefault = !!getESModuleInterop(compilerOptions) && !(getInternalEmitFlags(node) & 2) && idText(specifier.propertyName || specifier.name) === "default"; const exportedValue = factory2.createPropertyAccessExpression( exportNeedsImportDefault ? emitHelpers().createImportDefaultHelper(generatedName) : generatedName, specifier.propertyName || specifier.name ); statements.push( setOriginalNode( setTextRange( factory2.createExpressionStatement( createExportExpression( factory2.getExportName(specifier), exportedValue, /*location*/ void 0, /*liveBinding*/ true ) ), specifier ), specifier ) ); } return singleOrMany(statements); } else if (node.exportClause) { const statements = []; statements.push( setOriginalNode( setTextRange( factory2.createExpressionStatement( createExportExpression( factory2.cloneNode(node.exportClause.name), getHelperExpressionForExport( node, moduleKind !== 2 ? createRequireCall2(node) : isExportNamespaceAsDefaultDeclaration(node) ? generatedName : factory2.createIdentifier(idText(node.exportClause.name)) ) ) ), node ), node ) ); return singleOrMany(statements); } else { return setOriginalNode( setTextRange( factory2.createExpressionStatement( emitHelpers().createExportStarHelper(moduleKind !== 2 ? createRequireCall2(node) : generatedName) ), node ), node ); } } function visitTopLevelExportAssignment(node) { if (node.isExportEquals) { return void 0; } return createExportStatement( factory2.createIdentifier("default"), visitNode(node.expression, visitor2, isExpression), /*location*/ node, /*allowComments*/ true ); } function visitFunctionDeclaration(node) { let statements; if (hasSyntacticModifier( node, 32 /* Export */ )) { statements = append( statements, setOriginalNode( setTextRange( factory2.createFunctionDeclaration( visitNodes2(node.modifiers, modifierVisitor, isModifier), node.asteriskToken, factory2.getDeclarationName( node, /*allowComments*/ true, /*allowSourceMaps*/ true ), /*typeParameters*/ void 0, visitNodes2(node.parameters, visitor2, isParameter), /*type*/ void 0, visitEachChild(node.body, visitor2, context) ), /*location*/ node ), /*original*/ node ) ); } else { statements = append(statements, visitEachChild(node, visitor2, context)); } return singleOrMany(statements); } function visitClassDeclaration(node) { let statements; if (hasSyntacticModifier( node, 32 /* Export */ )) { statements = append( statements, setOriginalNode( setTextRange( factory2.createClassDeclaration( visitNodes2(node.modifiers, modifierVisitor, isModifierLike), factory2.getDeclarationName( node, /*allowComments*/ true, /*allowSourceMaps*/ true ), /*typeParameters*/ void 0, visitNodes2(node.heritageClauses, visitor2, isHeritageClause), visitNodes2(node.members, visitor2, isClassElement) ), node ), node ) ); } else { statements = append(statements, visitEachChild(node, visitor2, context)); } statements = appendExportsOfHoistedDeclaration(statements, node); return singleOrMany(statements); } function visitVariableStatement(node) { let statements; let variables; let expressions; if (hasSyntacticModifier( node, 32 /* Export */ )) { let modifiers; let removeCommentsOnExpressions = false; for (const variable of node.declarationList.declarations) { if (isIdentifier(variable.name) && isLocalName(variable.name)) { if (!modifiers) { modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier); } if (variable.initializer) { const updatedVariable = factory2.updateVariableDeclaration( variable, variable.name, /*exclamationToken*/ void 0, /*type*/ void 0, createExportExpression( variable.name, visitNode(variable.initializer, visitor2, isExpression) ) ); variables = append(variables, updatedVariable); } else { variables = append(variables, variable); } } else if (variable.initializer) { if (!isBindingPattern(variable.name) && (isArrowFunction(variable.initializer) || isFunctionExpression(variable.initializer) || isClassExpression(variable.initializer))) { const expression = factory2.createAssignment( setTextRange( factory2.createPropertyAccessExpression( factory2.createIdentifier("exports"), variable.name ), /*location*/ variable.name ), factory2.createIdentifier(getTextOfIdentifierOrLiteral(variable.name)) ); const updatedVariable = factory2.createVariableDeclaration( variable.name, variable.exclamationToken, variable.type, visitNode(variable.initializer, visitor2, isExpression) ); variables = append(variables, updatedVariable); expressions = append(expressions, expression); removeCommentsOnExpressions = true; } else { expressions = append(expressions, transformInitializedVariable(variable)); } } } if (variables) { statements = append(statements, factory2.updateVariableStatement(node, modifiers, factory2.updateVariableDeclarationList(node.declarationList, variables))); } if (expressions) { const statement = setOriginalNode(setTextRange(factory2.createExpressionStatement(factory2.inlineExpressions(expressions)), node), node); if (removeCommentsOnExpressions) { removeAllComments(statement); } statements = append(statements, statement); } } else { statements = append(statements, visitEachChild(node, visitor2, context)); } statements = appendExportsOfVariableStatement(statements, node); return singleOrMany(statements); } function createAllExportExpressions(name, value, location) { const exportedNames = getExports2(name); if (exportedNames) { let expression = isExportName(name) ? value : factory2.createAssignment(name, value); for (const exportName of exportedNames) { setEmitFlags( expression, 8 /* NoSubstitution */ ); expression = createExportExpression( exportName, expression, /*location*/ location ); } return expression; } return factory2.createAssignment(name, value); } function transformInitializedVariable(node) { if (isBindingPattern(node.name)) { return flattenDestructuringAssignment( visitNode(node, visitor2, isInitializedVariable), visitor2, context, 0, /*needsValue*/ false, createAllExportExpressions ); } else { return factory2.createAssignment( setTextRange( factory2.createPropertyAccessExpression( factory2.createIdentifier("exports"), node.name ), /*location*/ node.name ), node.initializer ? visitNode(node.initializer, visitor2, isExpression) : factory2.createVoidZero() ); } } function appendExportsOfImportDeclaration(statements, decl) { if (currentModuleInfo.exportEquals) { return statements; } const importClause = decl.importClause; if (!importClause) { return statements; } const seen = new IdentifierNameMap(); if (importClause.name) { statements = appendExportsOfDeclaration(statements, seen, importClause); } const namedBindings = importClause.namedBindings; if (namedBindings) { switch (namedBindings.kind) { case 274: statements = appendExportsOfDeclaration(statements, seen, namedBindings); break; case 275: for (const importBinding of namedBindings.elements) { statements = appendExportsOfDeclaration( statements, seen, importBinding, /*liveBinding*/ true ); } break; } } return statements; } function appendExportsOfImportEqualsDeclaration(statements, decl) { if (currentModuleInfo.exportEquals) { return statements; } return appendExportsOfDeclaration(statements, new IdentifierNameMap(), decl); } function appendExportsOfVariableStatement(statements, node) { return appendExportsOfVariableDeclarationList( statements, node.declarationList, /*isForInOrOfInitializer*/ false ); } function appendExportsOfVariableDeclarationList(statements, node, isForInOrOfInitializer) { if (currentModuleInfo.exportEquals) { return statements; } for (const decl of node.declarations) { statements = appendExportsOfBindingElement(statements, decl, isForInOrOfInitializer); } return statements; } function appendExportsOfBindingElement(statements, decl, isForInOrOfInitializer) { if (currentModuleInfo.exportEquals) { return statements; } if (isBindingPattern(decl.name)) { for (const element of decl.name.elements) { if (!isOmittedExpression(element)) { statements = appendExportsOfBindingElement(statements, element, isForInOrOfInitializer); } } } else if (!isGeneratedIdentifier(decl.name) && (!isVariableDeclaration(decl) || decl.initializer || isForInOrOfInitializer)) { statements = appendExportsOfDeclaration(statements, new IdentifierNameMap(), decl); } return statements; } function appendExportsOfHoistedDeclaration(statements, decl) { if (currentModuleInfo.exportEquals) { return statements; } const seen = new IdentifierNameMap(); if (hasSyntacticModifier( decl, 32 /* Export */ )) { const exportName = hasSyntacticModifier( decl, 2048 /* Default */ ) ? factory2.createIdentifier("default") : factory2.getDeclarationName(decl); statements = appendExportStatement( statements, seen, exportName, factory2.getLocalName(decl), /*location*/ decl ); } if (decl.name) { statements = appendExportsOfDeclaration(statements, seen, decl); } return statements; } function appendExportsOfDeclaration(statements, seen, decl, liveBinding) { const name = factory2.getDeclarationName(decl); const exportSpecifiers = currentModuleInfo.exportSpecifiers.get(name); if (exportSpecifiers) { for (const exportSpecifier of exportSpecifiers) { statements = appendExportStatement( statements, seen, exportSpecifier.name, name, /*location*/ exportSpecifier.name, /*allowComments*/ void 0, liveBinding ); } } return statements; } function appendExportStatement(statements, seen, exportName, expression, location, allowComments, liveBinding) { if (!seen.has(exportName)) { seen.set(exportName, true); statements = append(statements, createExportStatement(exportName, expression, location, allowComments, liveBinding)); } return statements; } function createUnderscoreUnderscoreESModule() { const statement = factory2.createExpressionStatement( factory2.createCallExpression( factory2.createPropertyAccessExpression(factory2.createIdentifier("Object"), "defineProperty"), /*typeArguments*/ void 0, [ factory2.createIdentifier("exports"), factory2.createStringLiteral("__esModule"), factory2.createObjectLiteralExpression([ factory2.createPropertyAssignment("value", factory2.createTrue()) ]) ] ) ); setEmitFlags( statement, 2097152 /* CustomPrologue */ ); return statement; } function createExportStatement(name, value, location, allowComments, liveBinding) { const statement = setTextRange(factory2.createExpressionStatement(createExportExpression( name, value, /*location*/ void 0, liveBinding )), location); startOnNewLine(statement); if (!allowComments) { setEmitFlags( statement, 3072 /* NoComments */ ); } return statement; } function createExportExpression(name, value, location, liveBinding) { return setTextRange( liveBinding ? factory2.createCallExpression( factory2.createPropertyAccessExpression( factory2.createIdentifier("Object"), "defineProperty" ), /*typeArguments*/ void 0, [ factory2.createIdentifier("exports"), factory2.createStringLiteralFromNode(name), factory2.createObjectLiteralExpression([ factory2.createPropertyAssignment("enumerable", factory2.createTrue()), factory2.createPropertyAssignment( "get", factory2.createFunctionExpression( /*modifiers*/ void 0, /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, /*parameters*/ [], /*type*/ void 0, factory2.createBlock([factory2.createReturnStatement(value)]) ) ) ]) ] ) : factory2.createAssignment( factory2.createPropertyAccessExpression( factory2.createIdentifier("exports"), factory2.cloneNode(name) ), value ), location ); } function modifierVisitor(node) { switch (node.kind) { case 95: case 90: return void 0; } return node; } function onEmitNode(hint, node, emitCallback) { if (node.kind === 307) { currentSourceFile = node; currentModuleInfo = moduleInfoMap[getOriginalNodeId(currentSourceFile)]; previousOnEmitNode(hint, node, emitCallback); currentSourceFile = void 0; currentModuleInfo = void 0; } else { previousOnEmitNode(hint, node, emitCallback); } } function onSubstituteNode(hint, node) { node = previousOnSubstituteNode(hint, node); if (node.id && noSubstitution[node.id]) { return node; } if (hint === 1) { return substituteExpression(node); } else if (isShorthandPropertyAssignment(node)) { return substituteShorthandPropertyAssignment(node); } return node; } function substituteShorthandPropertyAssignment(node) { const name = node.name; const exportedOrImportedName = substituteExpressionIdentifier(name); if (exportedOrImportedName !== name) { if (node.objectAssignmentInitializer) { const initializer = factory2.createAssignment(exportedOrImportedName, node.objectAssignmentInitializer); return setTextRange(factory2.createPropertyAssignment(name, initializer), node); } return setTextRange(factory2.createPropertyAssignment(name, exportedOrImportedName), node); } return node; } function substituteExpression(node) { switch (node.kind) { case 80: return substituteExpressionIdentifier(node); case 213: return substituteCallExpression(node); case 215: return substituteTaggedTemplateExpression(node); case 226: return substituteBinaryExpression(node); } return node; } function substituteCallExpression(node) { if (isIdentifier(node.expression)) { const expression = substituteExpressionIdentifier(node.expression); noSubstitution[getNodeId(expression)] = true; if (!isIdentifier(expression) && !(getEmitFlags(node.expression) & 8192)) { return addInternalEmitFlags( factory2.updateCallExpression( node, expression, /*typeArguments*/ void 0, node.arguments ), 16 /* IndirectCall */ ); } } return node; } function substituteTaggedTemplateExpression(node) { if (isIdentifier(node.tag)) { const tag = substituteExpressionIdentifier(node.tag); noSubstitution[getNodeId(tag)] = true; if (!isIdentifier(tag) && !(getEmitFlags(node.tag) & 8192)) { return addInternalEmitFlags( factory2.updateTaggedTemplateExpression( node, tag, /*typeArguments*/ void 0, node.template ), 16 /* IndirectCall */ ); } } return node; } function substituteExpressionIdentifier(node) { var _a, _b; if (getEmitFlags(node) & 8192) { const externalHelpersModuleName = getExternalHelpersModuleName(currentSourceFile); if (externalHelpersModuleName) { return factory2.createPropertyAccessExpression(externalHelpersModuleName, node); } return node; } else if (!(isGeneratedIdentifier(node) && !(node.emitNode.autoGenerate.flags & 64)) && !isLocalName(node)) { const exportContainer = resolver.getReferencedExportContainer(node, isExportName(node)); if (exportContainer && exportContainer.kind === 307) { return setTextRange( factory2.createPropertyAccessExpression( factory2.createIdentifier("exports"), factory2.cloneNode(node) ), /*location*/ node ); } const importDeclaration = resolver.getReferencedImportDeclaration(node); if (importDeclaration) { if (isImportClause(importDeclaration)) { return setTextRange( factory2.createPropertyAccessExpression( factory2.getGeneratedNameForNode(importDeclaration.parent), factory2.createIdentifier("default") ), /*location*/ node ); } else if (isImportSpecifier(importDeclaration)) { const name = importDeclaration.propertyName || importDeclaration.name; return setTextRange( factory2.createPropertyAccessExpression( factory2.getGeneratedNameForNode(((_b = (_a = importDeclaration.parent) == null ? void 0 : _a.parent) == null ? void 0 : _b.parent) || importDeclaration), factory2.cloneNode(name) ), /*location*/ node ); } } } return node; } function substituteBinaryExpression(node) { if (isAssignmentOperator(node.operatorToken.kind) && isIdentifier(node.left) && (!isGeneratedIdentifier(node.left) || isFileLevelReservedGeneratedIdentifier(node.left)) && !isLocalName(node.left)) { const exportedNames = getExports2(node.left); if (exportedNames) { let expression = node; for (const exportName of exportedNames) { noSubstitution[getNodeId(expression)] = true; expression = createExportExpression( exportName, expression, /*location*/ node ); } return expression; } } return node; } function getExports2(name) { if (!isGeneratedIdentifier(name)) { const importDeclaration = resolver.getReferencedImportDeclaration(name); if (importDeclaration) { return currentModuleInfo == null ? void 0 : currentModuleInfo.exportedBindings[getOriginalNodeId(importDeclaration)]; } const bindingsSet = /* @__PURE__ */ new Set(); const declarations = resolver.getReferencedValueDeclarations(name); if (declarations) { for (const declaration of declarations) { const bindings = currentModuleInfo == null ? void 0 : currentModuleInfo.exportedBindings[getOriginalNodeId(declaration)]; if (bindings) { for (const binding of bindings) { bindingsSet.add(binding); } } } if (bindingsSet.size) { return arrayFrom(bindingsSet); } } } else if (isFileLevelReservedGeneratedIdentifier(name)) { const exportSpecifiers = currentModuleInfo == null ? void 0 : currentModuleInfo.exportSpecifiers.get(name); if (exportSpecifiers) { const exportedNames = []; for (const exportSpecifier of exportSpecifiers) { exportedNames.push(exportSpecifier.name); } return exportedNames; } } } } var dynamicImportUMDHelper = { name: "typescript:dynamicimport-sync-require", scoped: true, text: ` var __syncRequire = typeof module === "object" && typeof module.exports === "object";` }; function transformSystemModule(context) { const { factory: factory2, startLexicalEnvironment, endLexicalEnvironment, hoistVariableDeclaration } = context; const compilerOptions = context.getCompilerOptions(); const resolver = context.getEmitResolver(); const host = context.getEmitHost(); const previousOnSubstituteNode = context.onSubstituteNode; const previousOnEmitNode = context.onEmitNode; context.onSubstituteNode = onSubstituteNode; context.onEmitNode = onEmitNode; context.enableSubstitution( 80 /* Identifier */ ); context.enableSubstitution( 304 /* ShorthandPropertyAssignment */ ); context.enableSubstitution( 226 /* BinaryExpression */ ); context.enableSubstitution( 236 /* MetaProperty */ ); context.enableEmitNotification( 307 /* SourceFile */ ); const moduleInfoMap = []; const exportFunctionsMap = []; const noSubstitutionMap = []; const contextObjectMap = []; let currentSourceFile; let moduleInfo; let exportFunction; let contextObject; let hoistedStatements; let enclosingBlockScopedContainer; let noSubstitution; return chainBundle(context, transformSourceFile); function transformSourceFile(node) { if (node.isDeclarationFile || !(isEffectiveExternalModule(node, compilerOptions) || node.transformFlags & 8388608)) { return node; } const id = getOriginalNodeId(node); currentSourceFile = node; enclosingBlockScopedContainer = node; moduleInfo = moduleInfoMap[id] = collectExternalModuleInfo(context, node); exportFunction = factory2.createUniqueName("exports"); exportFunctionsMap[id] = exportFunction; contextObject = contextObjectMap[id] = factory2.createUniqueName("context"); const dependencyGroups = collectDependencyGroups(moduleInfo.externalImports); const moduleBodyBlock = createSystemModuleBody(node, dependencyGroups); const moduleBodyFunction = factory2.createFunctionExpression( /*modifiers*/ void 0, /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, [ factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, exportFunction ), factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, contextObject ) ], /*type*/ void 0, moduleBodyBlock ); const moduleName = tryGetModuleNameFromFile(factory2, node, host, compilerOptions); const dependencies = factory2.createArrayLiteralExpression(map(dependencyGroups, (dependencyGroup) => dependencyGroup.name)); const updated = setEmitFlags( factory2.updateSourceFile( node, setTextRange( factory2.createNodeArray([ factory2.createExpressionStatement( factory2.createCallExpression( factory2.createPropertyAccessExpression(factory2.createIdentifier("System"), "register"), /*typeArguments*/ void 0, moduleName ? [moduleName, dependencies, moduleBodyFunction] : [dependencies, moduleBodyFunction] ) ) ]), node.statements ) ), 2048 /* NoTrailingComments */ ); if (!compilerOptions.outFile) { moveEmitHelpers(updated, moduleBodyBlock, (helper) => !helper.scoped); } if (noSubstitution) { noSubstitutionMap[id] = noSubstitution; noSubstitution = void 0; } currentSourceFile = void 0; moduleInfo = void 0; exportFunction = void 0; contextObject = void 0; hoistedStatements = void 0; enclosingBlockScopedContainer = void 0; return updated; } function collectDependencyGroups(externalImports) { const groupIndices = /* @__PURE__ */ new Map(); const dependencyGroups = []; for (const externalImport of externalImports) { const externalModuleName = getExternalModuleNameLiteral(factory2, externalImport, currentSourceFile, host, resolver, compilerOptions); if (externalModuleName) { const text = externalModuleName.text; const groupIndex = groupIndices.get(text); if (groupIndex !== void 0) { dependencyGroups[groupIndex].externalImports.push(externalImport); } else { groupIndices.set(text, dependencyGroups.length); dependencyGroups.push({ name: externalModuleName, externalImports: [externalImport] }); } } } return dependencyGroups; } function createSystemModuleBody(node, dependencyGroups) { const statements = []; startLexicalEnvironment(); const ensureUseStrict = getStrictOptionValue(compilerOptions, "alwaysStrict") || isExternalModule(currentSourceFile); const statementOffset = factory2.copyPrologue(node.statements, statements, ensureUseStrict, topLevelVisitor); statements.push( factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration( "__moduleName", /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createLogicalAnd( contextObject, factory2.createPropertyAccessExpression(contextObject, "id") ) ) ]) ) ); visitNode(moduleInfo.externalHelpersImportDeclaration, topLevelVisitor, isStatement); const executeStatements = visitNodes2(node.statements, topLevelVisitor, isStatement, statementOffset); addRange(statements, hoistedStatements); insertStatementsAfterStandardPrologue(statements, endLexicalEnvironment()); const exportStarFunction = addExportStarIfNeeded(statements); const modifiers = node.transformFlags & 2097152 ? factory2.createModifiersFromModifierFlags( 1024 /* Async */ ) : void 0; const moduleObject = factory2.createObjectLiteralExpression( [ factory2.createPropertyAssignment("setters", createSettersArray(exportStarFunction, dependencyGroups)), factory2.createPropertyAssignment( "execute", factory2.createFunctionExpression( modifiers, /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, /*parameters*/ [], /*type*/ void 0, factory2.createBlock( executeStatements, /*multiLine*/ true ) ) ) ], /*multiLine*/ true ); statements.push(factory2.createReturnStatement(moduleObject)); return factory2.createBlock( statements, /*multiLine*/ true ); } function addExportStarIfNeeded(statements) { if (!moduleInfo.hasExportStarsToExportValues) { return; } if (!some(moduleInfo.exportedNames) && moduleInfo.exportedFunctions.size === 0 && moduleInfo.exportSpecifiers.size === 0) { let hasExportDeclarationWithExportClause = false; for (const externalImport of moduleInfo.externalImports) { if (externalImport.kind === 278 && externalImport.exportClause) { hasExportDeclarationWithExportClause = true; break; } } if (!hasExportDeclarationWithExportClause) { const exportStarFunction2 = createExportStarFunction( /*localNames*/ void 0 ); statements.push(exportStarFunction2); return exportStarFunction2.name; } } const exportedNames = []; if (moduleInfo.exportedNames) { for (const exportedLocalName of moduleInfo.exportedNames) { if (exportedLocalName.escapedText === "default") { continue; } exportedNames.push( factory2.createPropertyAssignment( factory2.createStringLiteralFromNode(exportedLocalName), factory2.createTrue() ) ); } } for (const f of moduleInfo.exportedFunctions) { if (hasSyntacticModifier( f, 2048 /* Default */ )) { continue; } Debug.assert(!!f.name); exportedNames.push( factory2.createPropertyAssignment( factory2.createStringLiteralFromNode(f.name), factory2.createTrue() ) ); } const exportedNamesStorageRef = factory2.createUniqueName("exportedNames"); statements.push( factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration( exportedNamesStorageRef, /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createObjectLiteralExpression( exportedNames, /*multiLine*/ true ) ) ]) ) ); const exportStarFunction = createExportStarFunction(exportedNamesStorageRef); statements.push(exportStarFunction); return exportStarFunction.name; } function createExportStarFunction(localNames) { const exportStarFunction = factory2.createUniqueName("exportStar"); const m = factory2.createIdentifier("m"); const n = factory2.createIdentifier("n"); const exports22 = factory2.createIdentifier("exports"); let condition = factory2.createStrictInequality(n, factory2.createStringLiteral("default")); if (localNames) { condition = factory2.createLogicalAnd( condition, factory2.createLogicalNot( factory2.createCallExpression( factory2.createPropertyAccessExpression(localNames, "hasOwnProperty"), /*typeArguments*/ void 0, [n] ) ) ); } return factory2.createFunctionDeclaration( /*modifiers*/ void 0, /*asteriskToken*/ void 0, exportStarFunction, /*typeParameters*/ void 0, [factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, m )], /*type*/ void 0, factory2.createBlock( [ factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList([ factory2.createVariableDeclaration( exports22, /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createObjectLiteralExpression([]) ) ]) ), factory2.createForInStatement( factory2.createVariableDeclarationList([ factory2.createVariableDeclaration(n) ]), m, factory2.createBlock([ setEmitFlags( factory2.createIfStatement( condition, factory2.createExpressionStatement( factory2.createAssignment( factory2.createElementAccessExpression(exports22, n), factory2.createElementAccessExpression(m, n) ) ) ), 1 /* SingleLine */ ) ]) ), factory2.createExpressionStatement( factory2.createCallExpression( exportFunction, /*typeArguments*/ void 0, [exports22] ) ) ], /*multiLine*/ true ) ); } function createSettersArray(exportStarFunction, dependencyGroups) { const setters = []; for (const group2 of dependencyGroups) { const localName = forEach(group2.externalImports, (i) => getLocalNameForExternalImport(factory2, i, currentSourceFile)); const parameterName = localName ? factory2.getGeneratedNameForNode(localName) : factory2.createUniqueName(""); const statements = []; for (const entry of group2.externalImports) { const importVariableName = getLocalNameForExternalImport(factory2, entry, currentSourceFile); switch (entry.kind) { case 272: if (!entry.importClause) { break; } case 271: Debug.assert(importVariableName !== void 0); statements.push( factory2.createExpressionStatement( factory2.createAssignment(importVariableName, parameterName) ) ); if (hasSyntacticModifier( entry, 32 /* Export */ )) { statements.push( factory2.createExpressionStatement( factory2.createCallExpression( exportFunction, /*typeArguments*/ void 0, [ factory2.createStringLiteral(idText(importVariableName)), parameterName ] ) ) ); } break; case 278: Debug.assert(importVariableName !== void 0); if (entry.exportClause) { if (isNamedExports(entry.exportClause)) { const properties = []; for (const e of entry.exportClause.elements) { properties.push( factory2.createPropertyAssignment( factory2.createStringLiteral(idText(e.name)), factory2.createElementAccessExpression( parameterName, factory2.createStringLiteral(idText(e.propertyName || e.name)) ) ) ); } statements.push( factory2.createExpressionStatement( factory2.createCallExpression( exportFunction, /*typeArguments*/ void 0, [factory2.createObjectLiteralExpression( properties, /*multiLine*/ true )] ) ) ); } else { statements.push( factory2.createExpressionStatement( factory2.createCallExpression( exportFunction, /*typeArguments*/ void 0, [ factory2.createStringLiteral(idText(entry.exportClause.name)), parameterName ] ) ) ); } } else { statements.push( factory2.createExpressionStatement( factory2.createCallExpression( exportStarFunction, /*typeArguments*/ void 0, [parameterName] ) ) ); } break; } } setters.push( factory2.createFunctionExpression( /*modifiers*/ void 0, /*asteriskToken*/ void 0, /*name*/ void 0, /*typeParameters*/ void 0, [factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, parameterName )], /*type*/ void 0, factory2.createBlock( statements, /*multiLine*/ true ) ) ); } return factory2.createArrayLiteralExpression( setters, /*multiLine*/ true ); } function topLevelVisitor(node) { switch (node.kind) { case 272: return visitImportDeclaration(node); case 271: return visitImportEqualsDeclaration(node); case 278: return visitExportDeclaration(node); case 277: return visitExportAssignment(node); default: return topLevelNestedVisitor(node); } } function visitImportDeclaration(node) { let statements; if (node.importClause) { hoistVariableDeclaration(getLocalNameForExternalImport(factory2, node, currentSourceFile)); } return singleOrMany(appendExportsOfImportDeclaration(statements, node)); } function visitExportDeclaration(node) { Debug.assertIsDefined(node); return void 0; } function visitImportEqualsDeclaration(node) { Debug.assert(isExternalModuleImportEqualsDeclaration(node), "import= for internal module references should be handled in an earlier transformer."); let statements; hoistVariableDeclaration(getLocalNameForExternalImport(factory2, node, currentSourceFile)); return singleOrMany(appendExportsOfImportEqualsDeclaration(statements, node)); } function visitExportAssignment(node) { if (node.isExportEquals) { return void 0; } const expression = visitNode(node.expression, visitor2, isExpression); return createExportStatement( factory2.createIdentifier("default"), expression, /*allowComments*/ true ); } function visitFunctionDeclaration(node) { if (hasSyntacticModifier( node, 32 /* Export */ )) { hoistedStatements = append( hoistedStatements, factory2.updateFunctionDeclaration( node, visitNodes2(node.modifiers, modifierVisitor, isModifierLike), node.asteriskToken, factory2.getDeclarationName( node, /*allowComments*/ true, /*allowSourceMaps*/ true ), /*typeParameters*/ void 0, visitNodes2(node.parameters, visitor2, isParameter), /*type*/ void 0, visitNode(node.body, visitor2, isBlock) ) ); } else { hoistedStatements = append(hoistedStatements, visitEachChild(node, visitor2, context)); } hoistedStatements = appendExportsOfHoistedDeclaration(hoistedStatements, node); return void 0; } function visitClassDeclaration(node) { let statements; const name = factory2.getLocalName(node); hoistVariableDeclaration(name); statements = append( statements, setTextRange( factory2.createExpressionStatement( factory2.createAssignment( name, setTextRange( factory2.createClassExpression( visitNodes2(node.modifiers, modifierVisitor, isModifierLike), node.name, /*typeParameters*/ void 0, visitNodes2(node.heritageClauses, visitor2, isHeritageClause), visitNodes2(node.members, visitor2, isClassElement) ), node ) ) ), node ) ); statements = appendExportsOfHoistedDeclaration(statements, node); return singleOrMany(statements); } function visitVariableStatement(node) { if (!shouldHoistVariableDeclarationList(node.declarationList)) { return visitNode(node, visitor2, isStatement); } let statements; if (isVarUsing(node.declarationList) || isVarAwaitUsing(node.declarationList)) { const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifierLike); const declarations = []; for (const variable of node.declarationList.declarations) { declarations.push(factory2.updateVariableDeclaration( variable, factory2.getGeneratedNameForNode(variable.name), /*exclamationToken*/ void 0, /*type*/ void 0, transformInitializedVariable( variable, /*isExportedDeclaration*/ false ) )); } const declarationList = factory2.updateVariableDeclarationList( node.declarationList, declarations ); statements = append(statements, factory2.updateVariableStatement(node, modifiers, declarationList)); } else { let expressions; const isExportedDeclaration = hasSyntacticModifier( node, 32 /* Export */ ); for (const variable of node.declarationList.declarations) { if (variable.initializer) { expressions = append(expressions, transformInitializedVariable(variable, isExportedDeclaration)); } else { hoistBindingElement(variable); } } if (expressions) { statements = append(statements, setTextRange(factory2.createExpressionStatement(factory2.inlineExpressions(expressions)), node)); } } statements = appendExportsOfVariableStatement( statements, node, /*exportSelf*/ false ); return singleOrMany(statements); } function hoistBindingElement(node) { if (isBindingPattern(node.name)) { for (const element of node.name.elements) { if (!isOmittedExpression(element)) { hoistBindingElement(element); } } } else { hoistVariableDeclaration(factory2.cloneNode(node.name)); } } function shouldHoistVariableDeclarationList(node) { return (getEmitFlags(node) & 4194304) === 0 && (enclosingBlockScopedContainer.kind === 307 || (getOriginalNode(node).flags & 7) === 0); } function transformInitializedVariable(node, isExportedDeclaration) { const createAssignment = isExportedDeclaration ? createExportedVariableAssignment : createNonExportedVariableAssignment; return isBindingPattern(node.name) ? flattenDestructuringAssignment( node, visitor2, context, 0, /*needsValue*/ false, createAssignment ) : node.initializer ? createAssignment(node.name, visitNode(node.initializer, visitor2, isExpression)) : node.name; } function createExportedVariableAssignment(name, value, location) { return createVariableAssignment( name, value, location, /*isExportedDeclaration*/ true ); } function createNonExportedVariableAssignment(name, value, location) { return createVariableAssignment( name, value, location, /*isExportedDeclaration*/ false ); } function createVariableAssignment(name, value, location, isExportedDeclaration) { hoistVariableDeclaration(factory2.cloneNode(name)); return isExportedDeclaration ? createExportExpression(name, preventSubstitution(setTextRange(factory2.createAssignment(name, value), location))) : preventSubstitution(setTextRange(factory2.createAssignment(name, value), location)); } function appendExportsOfImportDeclaration(statements, decl) { if (moduleInfo.exportEquals) { return statements; } const importClause = decl.importClause; if (!importClause) { return statements; } if (importClause.name) { statements = appendExportsOfDeclaration(statements, importClause); } const namedBindings = importClause.namedBindings; if (namedBindings) { switch (namedBindings.kind) { case 274: statements = appendExportsOfDeclaration(statements, namedBindings); break; case 275: for (const importBinding of namedBindings.elements) { statements = appendExportsOfDeclaration(statements, importBinding); } break; } } return statements; } function appendExportsOfImportEqualsDeclaration(statements, decl) { if (moduleInfo.exportEquals) { return statements; } return appendExportsOfDeclaration(statements, decl); } function appendExportsOfVariableStatement(statements, node, exportSelf) { if (moduleInfo.exportEquals) { return statements; } for (const decl of node.declarationList.declarations) { if (decl.initializer || exportSelf) { statements = appendExportsOfBindingElement(statements, decl, exportSelf); } } return statements; } function appendExportsOfBindingElement(statements, decl, exportSelf) { if (moduleInfo.exportEquals) { return statements; } if (isBindingPattern(decl.name)) { for (const element of decl.name.elements) { if (!isOmittedExpression(element)) { statements = appendExportsOfBindingElement(statements, element, exportSelf); } } } else if (!isGeneratedIdentifier(decl.name)) { let excludeName; if (exportSelf) { statements = appendExportStatement(statements, decl.name, factory2.getLocalName(decl)); excludeName = idText(decl.name); } statements = appendExportsOfDeclaration(statements, decl, excludeName); } return statements; } function appendExportsOfHoistedDeclaration(statements, decl) { if (moduleInfo.exportEquals) { return statements; } let excludeName; if (hasSyntacticModifier( decl, 32 /* Export */ )) { const exportName = hasSyntacticModifier( decl, 2048 /* Default */ ) ? factory2.createStringLiteral("default") : decl.name; statements = appendExportStatement(statements, exportName, factory2.getLocalName(decl)); excludeName = getTextOfIdentifierOrLiteral(exportName); } if (decl.name) { statements = appendExportsOfDeclaration(statements, decl, excludeName); } return statements; } function appendExportsOfDeclaration(statements, decl, excludeName) { if (moduleInfo.exportEquals) { return statements; } const name = factory2.getDeclarationName(decl); const exportSpecifiers = moduleInfo.exportSpecifiers.get(name); if (exportSpecifiers) { for (const exportSpecifier of exportSpecifiers) { if (exportSpecifier.name.escapedText !== excludeName) { statements = appendExportStatement(statements, exportSpecifier.name, name); } } } return statements; } function appendExportStatement(statements, exportName, expression, allowComments) { statements = append(statements, createExportStatement(exportName, expression, allowComments)); return statements; } function createExportStatement(name, value, allowComments) { const statement = factory2.createExpressionStatement(createExportExpression(name, value)); startOnNewLine(statement); if (!allowComments) { setEmitFlags( statement, 3072 /* NoComments */ ); } return statement; } function createExportExpression(name, value) { const exportName = isIdentifier(name) ? factory2.createStringLiteralFromNode(name) : name; setEmitFlags( value, getEmitFlags(value) | 3072 /* NoComments */ ); return setCommentRange(factory2.createCallExpression( exportFunction, /*typeArguments*/ void 0, [exportName, value] ), value); } function topLevelNestedVisitor(node) { switch (node.kind) { case 243: return visitVariableStatement(node); case 262: return visitFunctionDeclaration(node); case 263: return visitClassDeclaration(node); case 248: return visitForStatement( node, /*isTopLevel*/ true ); case 249: return visitForInStatement(node); case 250: return visitForOfStatement(node); case 246: return visitDoStatement(node); case 247: return visitWhileStatement(node); case 256: return visitLabeledStatement(node); case 254: return visitWithStatement(node); case 245: return visitIfStatement(node); case 255: return visitSwitchStatement(node); case 269: return visitCaseBlock(node); case 296: return visitCaseClause(node); case 297: return visitDefaultClause(node); case 258: return visitTryStatement(node); case 299: return visitCatchClause(node); case 241: return visitBlock(node); default: return visitor2(node); } } function visitForStatement(node, isTopLevel) { const savedEnclosingBlockScopedContainer = enclosingBlockScopedContainer; enclosingBlockScopedContainer = node; node = factory2.updateForStatement( node, visitNode(node.initializer, isTopLevel ? visitForInitializer : discardedValueVisitor, isForInitializer), visitNode(node.condition, visitor2, isExpression), visitNode(node.incrementor, discardedValueVisitor, isExpression), visitIterationBody(node.statement, isTopLevel ? topLevelNestedVisitor : visitor2, context) ); enclosingBlockScopedContainer = savedEnclosingBlockScopedContainer; return node; } function visitForInStatement(node) { const savedEnclosingBlockScopedContainer = enclosingBlockScopedContainer; enclosingBlockScopedContainer = node; node = factory2.updateForInStatement( node, visitForInitializer(node.initializer), visitNode(node.expression, visitor2, isExpression), visitIterationBody(node.statement, topLevelNestedVisitor, context) ); enclosingBlockScopedContainer = savedEnclosingBlockScopedContainer; return node; } function visitForOfStatement(node) { const savedEnclosingBlockScopedContainer = enclosingBlockScopedContainer; enclosingBlockScopedContainer = node; node = factory2.updateForOfStatement( node, node.awaitModifier, visitForInitializer(node.initializer), visitNode(node.expression, visitor2, isExpression), visitIterationBody(node.statement, topLevelNestedVisitor, context) ); enclosingBlockScopedContainer = savedEnclosingBlockScopedContainer; return node; } function shouldHoistForInitializer(node) { return isVariableDeclarationList(node) && shouldHoistVariableDeclarationList(node); } function visitForInitializer(node) { if (shouldHoistForInitializer(node)) { let expressions; for (const variable of node.declarations) { expressions = append(expressions, transformInitializedVariable( variable, /*isExportedDeclaration*/ false )); if (!variable.initializer) { hoistBindingElement(variable); } } return expressions ? factory2.inlineExpressions(expressions) : factory2.createOmittedExpression(); } else { return visitNode(node, discardedValueVisitor, isForInitializer); } } function visitDoStatement(node) { return factory2.updateDoStatement( node, visitIterationBody(node.statement, topLevelNestedVisitor, context), visitNode(node.expression, visitor2, isExpression) ); } function visitWhileStatement(node) { return factory2.updateWhileStatement( node, visitNode(node.expression, visitor2, isExpression), visitIterationBody(node.statement, topLevelNestedVisitor, context) ); } function visitLabeledStatement(node) { return factory2.updateLabeledStatement( node, node.label, Debug.checkDefined(visitNode(node.statement, topLevelNestedVisitor, isStatement, factory2.liftToBlock)) ); } function visitWithStatement(node) { return factory2.updateWithStatement( node, visitNode(node.expression, visitor2, isExpression), Debug.checkDefined(visitNode(node.statement, topLevelNestedVisitor, isStatement, factory2.liftToBlock)) ); } function visitIfStatement(node) { return factory2.updateIfStatement( node, visitNode(node.expression, visitor2, isExpression), Debug.checkDefined(visitNode(node.thenStatement, topLevelNestedVisitor, isStatement, factory2.liftToBlock)), visitNode(node.elseStatement, topLevelNestedVisitor, isStatement, factory2.liftToBlock) ); } function visitSwitchStatement(node) { return factory2.updateSwitchStatement( node, visitNode(node.expression, visitor2, isExpression), Debug.checkDefined(visitNode(node.caseBlock, topLevelNestedVisitor, isCaseBlock)) ); } function visitCaseBlock(node) { const savedEnclosingBlockScopedContainer = enclosingBlockScopedContainer; enclosingBlockScopedContainer = node; node = factory2.updateCaseBlock( node, visitNodes2(node.clauses, topLevelNestedVisitor, isCaseOrDefaultClause) ); enclosingBlockScopedContainer = savedEnclosingBlockScopedContainer; return node; } function visitCaseClause(node) { return factory2.updateCaseClause( node, visitNode(node.expression, visitor2, isExpression), visitNodes2(node.statements, topLevelNestedVisitor, isStatement) ); } function visitDefaultClause(node) { return visitEachChild(node, topLevelNestedVisitor, context); } function visitTryStatement(node) { return visitEachChild(node, topLevelNestedVisitor, context); } function visitCatchClause(node) { const savedEnclosingBlockScopedContainer = enclosingBlockScopedContainer; enclosingBlockScopedContainer = node; node = factory2.updateCatchClause( node, node.variableDeclaration, Debug.checkDefined(visitNode(node.block, topLevelNestedVisitor, isBlock)) ); enclosingBlockScopedContainer = savedEnclosingBlockScopedContainer; return node; } function visitBlock(node) { const savedEnclosingBlockScopedContainer = enclosingBlockScopedContainer; enclosingBlockScopedContainer = node; node = visitEachChild(node, topLevelNestedVisitor, context); enclosingBlockScopedContainer = savedEnclosingBlockScopedContainer; return node; } function visitorWorker(node, valueIsDiscarded) { if (!(node.transformFlags & (4096 | 8388608 | 268435456))) { return node; } switch (node.kind) { case 248: return visitForStatement( node, /*isTopLevel*/ false ); case 244: return visitExpressionStatement(node); case 217: return visitParenthesizedExpression(node, valueIsDiscarded); case 354: return visitPartiallyEmittedExpression(node, valueIsDiscarded); case 226: if (isDestructuringAssignment(node)) { return visitDestructuringAssignment(node, valueIsDiscarded); } break; case 213: if (isImportCall(node)) { return visitImportCallExpression(node); } break; case 224: case 225: return visitPrefixOrPostfixUnaryExpression(node, valueIsDiscarded); } return visitEachChild(node, visitor2, context); } function visitor2(node) { return visitorWorker( node, /*valueIsDiscarded*/ false ); } function discardedValueVisitor(node) { return visitorWorker( node, /*valueIsDiscarded*/ true ); } function visitExpressionStatement(node) { return factory2.updateExpressionStatement(node, visitNode(node.expression, discardedValueVisitor, isExpression)); } function visitParenthesizedExpression(node, valueIsDiscarded) { return factory2.updateParenthesizedExpression(node, visitNode(node.expression, valueIsDiscarded ? discardedValueVisitor : visitor2, isExpression)); } function visitPartiallyEmittedExpression(node, valueIsDiscarded) { return factory2.updatePartiallyEmittedExpression(node, visitNode(node.expression, valueIsDiscarded ? discardedValueVisitor : visitor2, isExpression)); } function visitImportCallExpression(node) { const externalModuleName = getExternalModuleNameLiteral(factory2, node, currentSourceFile, host, resolver, compilerOptions); const firstArgument = visitNode(firstOrUndefined(node.arguments), visitor2, isExpression); const argument = externalModuleName && (!firstArgument || !isStringLiteral2(firstArgument) || firstArgument.text !== externalModuleName.text) ? externalModuleName : firstArgument; return factory2.createCallExpression( factory2.createPropertyAccessExpression( contextObject, factory2.createIdentifier("import") ), /*typeArguments*/ void 0, argument ? [argument] : [] ); } function visitDestructuringAssignment(node, valueIsDiscarded) { if (hasExportedReferenceInDestructuringTarget(node.left)) { return flattenDestructuringAssignment( node, visitor2, context, 0, !valueIsDiscarded ); } return visitEachChild(node, visitor2, context); } function hasExportedReferenceInDestructuringTarget(node) { if (isAssignmentExpression2( node, /*excludeCompoundAssignment*/ true )) { return hasExportedReferenceInDestructuringTarget(node.left); } else if (isSpreadElement(node)) { return hasExportedReferenceInDestructuringTarget(node.expression); } else if (isObjectLiteralExpression(node)) { return some(node.properties, hasExportedReferenceInDestructuringTarget); } else if (isArrayLiteralExpression(node)) { return some(node.elements, hasExportedReferenceInDestructuringTarget); } else if (isShorthandPropertyAssignment(node)) { return hasExportedReferenceInDestructuringTarget(node.name); } else if (isPropertyAssignment(node)) { return hasExportedReferenceInDestructuringTarget(node.initializer); } else if (isIdentifier(node)) { const container = resolver.getReferencedExportContainer(node); return container !== void 0 && container.kind === 307; } else { return false; } } function visitPrefixOrPostfixUnaryExpression(node, valueIsDiscarded) { if ((node.operator === 46 || node.operator === 47) && isIdentifier(node.operand) && !isGeneratedIdentifier(node.operand) && !isLocalName(node.operand) && !isDeclarationNameOfEnumOrNamespace(node.operand)) { const exportedNames = getExports2(node.operand); if (exportedNames) { let temp; let expression = visitNode(node.operand, visitor2, isExpression); if (isPrefixUnaryExpression(node)) { expression = factory2.updatePrefixUnaryExpression(node, expression); } else { expression = factory2.updatePostfixUnaryExpression(node, expression); if (!valueIsDiscarded) { temp = factory2.createTempVariable(hoistVariableDeclaration); expression = factory2.createAssignment(temp, expression); setTextRange(expression, node); } expression = factory2.createComma(expression, factory2.cloneNode(node.operand)); setTextRange(expression, node); } for (const exportName of exportedNames) { expression = createExportExpression(exportName, preventSubstitution(expression)); } if (temp) { expression = factory2.createComma(expression, temp); setTextRange(expression, node); } return expression; } } return visitEachChild(node, visitor2, context); } function modifierVisitor(node) { switch (node.kind) { case 95: case 90: return void 0; } return node; } function onEmitNode(hint, node, emitCallback) { if (node.kind === 307) { const id = getOriginalNodeId(node); currentSourceFile = node; moduleInfo = moduleInfoMap[id]; exportFunction = exportFunctionsMap[id]; noSubstitution = noSubstitutionMap[id]; contextObject = contextObjectMap[id]; if (noSubstitution) { delete noSubstitutionMap[id]; } previousOnEmitNode(hint, node, emitCallback); currentSourceFile = void 0; moduleInfo = void 0; exportFunction = void 0; contextObject = void 0; noSubstitution = void 0; } else { previousOnEmitNode(hint, node, emitCallback); } } function onSubstituteNode(hint, node) { node = previousOnSubstituteNode(hint, node); if (isSubstitutionPrevented(node)) { return node; } if (hint === 1) { return substituteExpression(node); } else if (hint === 4) { return substituteUnspecified(node); } return node; } function substituteUnspecified(node) { switch (node.kind) { case 304: return substituteShorthandPropertyAssignment(node); } return node; } function substituteShorthandPropertyAssignment(node) { var _a, _b; const name = node.name; if (!isGeneratedIdentifier(name) && !isLocalName(name)) { const importDeclaration = resolver.getReferencedImportDeclaration(name); if (importDeclaration) { if (isImportClause(importDeclaration)) { return setTextRange( factory2.createPropertyAssignment( factory2.cloneNode(name), factory2.createPropertyAccessExpression( factory2.getGeneratedNameForNode(importDeclaration.parent), factory2.createIdentifier("default") ) ), /*location*/ node ); } else if (isImportSpecifier(importDeclaration)) { return setTextRange( factory2.createPropertyAssignment( factory2.cloneNode(name), factory2.createPropertyAccessExpression( factory2.getGeneratedNameForNode(((_b = (_a = importDeclaration.parent) == null ? void 0 : _a.parent) == null ? void 0 : _b.parent) || importDeclaration), factory2.cloneNode(importDeclaration.propertyName || importDeclaration.name) ) ), /*location*/ node ); } } } return node; } function substituteExpression(node) { switch (node.kind) { case 80: return substituteExpressionIdentifier(node); case 226: return substituteBinaryExpression(node); case 236: return substituteMetaProperty(node); } return node; } function substituteExpressionIdentifier(node) { var _a, _b; if (getEmitFlags(node) & 8192) { const externalHelpersModuleName = getExternalHelpersModuleName(currentSourceFile); if (externalHelpersModuleName) { return factory2.createPropertyAccessExpression(externalHelpersModuleName, node); } return node; } if (!isGeneratedIdentifier(node) && !isLocalName(node)) { const importDeclaration = resolver.getReferencedImportDeclaration(node); if (importDeclaration) { if (isImportClause(importDeclaration)) { return setTextRange( factory2.createPropertyAccessExpression( factory2.getGeneratedNameForNode(importDeclaration.parent), factory2.createIdentifier("default") ), /*location*/ node ); } else if (isImportSpecifier(importDeclaration)) { return setTextRange( factory2.createPropertyAccessExpression( factory2.getGeneratedNameForNode(((_b = (_a = importDeclaration.parent) == null ? void 0 : _a.parent) == null ? void 0 : _b.parent) || importDeclaration), factory2.cloneNode(importDeclaration.propertyName || importDeclaration.name) ), /*location*/ node ); } } } return node; } function substituteBinaryExpression(node) { if (isAssignmentOperator(node.operatorToken.kind) && isIdentifier(node.left) && (!isGeneratedIdentifier(node.left) || isFileLevelReservedGeneratedIdentifier(node.left)) && !isLocalName(node.left)) { const exportedNames = getExports2(node.left); if (exportedNames) { let expression = node; for (const exportName of exportedNames) { expression = createExportExpression(exportName, preventSubstitution(expression)); } return expression; } } return node; } function substituteMetaProperty(node) { if (isImportMeta(node)) { return factory2.createPropertyAccessExpression(contextObject, factory2.createIdentifier("meta")); } return node; } function getExports2(name) { let exportedNames; const valueDeclaration = getReferencedDeclaration(name); if (valueDeclaration) { const exportContainer = resolver.getReferencedExportContainer( name, /*prefixLocals*/ false ); if (exportContainer && exportContainer.kind === 307) { exportedNames = append(exportedNames, factory2.getDeclarationName(valueDeclaration)); } exportedNames = addRange(exportedNames, moduleInfo == null ? void 0 : moduleInfo.exportedBindings[getOriginalNodeId(valueDeclaration)]); } else if (isGeneratedIdentifier(name) && isFileLevelReservedGeneratedIdentifier(name)) { const exportSpecifiers = moduleInfo == null ? void 0 : moduleInfo.exportSpecifiers.get(name); if (exportSpecifiers) { const exportedNames2 = []; for (const exportSpecifier of exportSpecifiers) { exportedNames2.push(exportSpecifier.name); } return exportedNames2; } } return exportedNames; } function getReferencedDeclaration(name) { if (!isGeneratedIdentifier(name)) { const importDeclaration = resolver.getReferencedImportDeclaration(name); if (importDeclaration) return importDeclaration; const valueDeclaration = resolver.getReferencedValueDeclaration(name); if (valueDeclaration && (moduleInfo == null ? void 0 : moduleInfo.exportedBindings[getOriginalNodeId(valueDeclaration)])) return valueDeclaration; const declarations = resolver.getReferencedValueDeclarations(name); if (declarations) { for (const declaration of declarations) { if (declaration !== valueDeclaration && (moduleInfo == null ? void 0 : moduleInfo.exportedBindings[getOriginalNodeId(declaration)])) return declaration; } } return valueDeclaration; } } function preventSubstitution(node) { if (noSubstitution === void 0) noSubstitution = []; noSubstitution[getNodeId(node)] = true; return node; } function isSubstitutionPrevented(node) { return noSubstitution && node.id && noSubstitution[node.id]; } } function transformECMAScriptModule(context) { const { factory: factory2, getEmitHelperFactory: emitHelpers } = context; const host = context.getEmitHost(); const resolver = context.getEmitResolver(); const compilerOptions = context.getCompilerOptions(); const languageVersion = getEmitScriptTarget(compilerOptions); const previousOnEmitNode = context.onEmitNode; const previousOnSubstituteNode = context.onSubstituteNode; context.onEmitNode = onEmitNode; context.onSubstituteNode = onSubstituteNode; context.enableEmitNotification( 307 /* SourceFile */ ); context.enableSubstitution( 80 /* Identifier */ ); let helperNameSubstitutions; let currentSourceFile; let importRequireStatements; return chainBundle(context, transformSourceFile); function transformSourceFile(node) { if (node.isDeclarationFile) { return node; } if (isExternalModule(node) || getIsolatedModules(compilerOptions)) { currentSourceFile = node; importRequireStatements = void 0; let result = updateExternalModule(node); currentSourceFile = void 0; if (importRequireStatements) { result = factory2.updateSourceFile( result, setTextRange(factory2.createNodeArray(insertStatementsAfterCustomPrologue(result.statements.slice(), importRequireStatements)), result.statements) ); } if (!isExternalModule(node) || getEmitModuleKind(compilerOptions) === 200 || some(result.statements, isExternalModuleIndicator)) { return result; } return factory2.updateSourceFile( result, setTextRange(factory2.createNodeArray([...result.statements, createEmptyExports(factory2)]), result.statements) ); } return node; } function updateExternalModule(node) { const externalHelpersImportDeclaration = createExternalHelpersImportDeclarationIfNeeded(factory2, emitHelpers(), node, compilerOptions); if (externalHelpersImportDeclaration) { const statements = []; const statementOffset = factory2.copyPrologue(node.statements, statements); append(statements, externalHelpersImportDeclaration); addRange(statements, visitNodes2(node.statements, visitor2, isStatement, statementOffset)); return factory2.updateSourceFile( node, setTextRange(factory2.createNodeArray(statements), node.statements) ); } else { return visitEachChild(node, visitor2, context); } } function visitor2(node) { switch (node.kind) { case 271: return getEmitModuleKind(compilerOptions) >= 100 ? visitImportEqualsDeclaration(node) : void 0; case 277: return visitExportAssignment(node); case 278: const exportDecl = node; return visitExportDeclaration(exportDecl); } return node; } function createRequireCall2(importNode) { const moduleName = getExternalModuleNameLiteral(factory2, importNode, Debug.checkDefined(currentSourceFile), host, resolver, compilerOptions); const args = []; if (moduleName) { args.push(moduleName); } if (getEmitModuleKind(compilerOptions) === 200) { return factory2.createCallExpression( factory2.createIdentifier("require"), /*typeArguments*/ void 0, args ); } if (!importRequireStatements) { const createRequireName = factory2.createUniqueName( "_createRequire", 16 | 32 /* FileLevel */ ); const importStatement = factory2.createImportDeclaration( /*modifiers*/ void 0, factory2.createImportClause( /*isTypeOnly*/ false, /*name*/ void 0, factory2.createNamedImports([ factory2.createImportSpecifier( /*isTypeOnly*/ false, factory2.createIdentifier("createRequire"), createRequireName ) ]) ), factory2.createStringLiteral("module"), /*attributes*/ void 0 ); const requireHelperName = factory2.createUniqueName( "__require", 16 | 32 /* FileLevel */ ); const requireStatement = factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList( [ factory2.createVariableDeclaration( requireHelperName, /*exclamationToken*/ void 0, /*type*/ void 0, factory2.createCallExpression( factory2.cloneNode(createRequireName), /*typeArguments*/ void 0, [ factory2.createPropertyAccessExpression(factory2.createMetaProperty(102, factory2.createIdentifier("meta")), factory2.createIdentifier("url")) ] ) ) ], /*flags*/ languageVersion >= 2 ? 2 : 0 /* None */ ) ); importRequireStatements = [importStatement, requireStatement]; } const name = importRequireStatements[1].declarationList.declarations[0].name; Debug.assertNode(name, isIdentifier); return factory2.createCallExpression( factory2.cloneNode(name), /*typeArguments*/ void 0, args ); } function visitImportEqualsDeclaration(node) { Debug.assert(isExternalModuleImportEqualsDeclaration(node), "import= for internal module references should be handled in an earlier transformer."); let statements; statements = append( statements, setOriginalNode( setTextRange( factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList( [ factory2.createVariableDeclaration( factory2.cloneNode(node.name), /*exclamationToken*/ void 0, /*type*/ void 0, createRequireCall2(node) ) ], /*flags*/ languageVersion >= 2 ? 2 : 0 /* None */ ) ), node ), node ) ); statements = appendExportsOfImportEqualsDeclaration(statements, node); return singleOrMany(statements); } function appendExportsOfImportEqualsDeclaration(statements, node) { if (hasSyntacticModifier( node, 32 /* Export */ )) { statements = append( statements, factory2.createExportDeclaration( /*modifiers*/ void 0, node.isTypeOnly, factory2.createNamedExports([factory2.createExportSpecifier( /*isTypeOnly*/ false, /*propertyName*/ void 0, idText(node.name) )]) ) ); } return statements; } function visitExportAssignment(node) { if (node.isExportEquals) { if (getEmitModuleKind(compilerOptions) === 200) { const statement = setOriginalNode( factory2.createExpressionStatement( factory2.createAssignment( factory2.createPropertyAccessExpression( factory2.createIdentifier("module"), "exports" ), node.expression ) ), node ); return statement; } return void 0; } return node; } function visitExportDeclaration(node) { if (compilerOptions.module !== void 0 && compilerOptions.module > 5) { return node; } if (!node.exportClause || !isNamespaceExport(node.exportClause) || !node.moduleSpecifier) { return node; } const oldIdentifier = node.exportClause.name; const synthName = factory2.getGeneratedNameForNode(oldIdentifier); const importDecl = factory2.createImportDeclaration( /*modifiers*/ void 0, factory2.createImportClause( /*isTypeOnly*/ false, /*name*/ void 0, factory2.createNamespaceImport( synthName ) ), node.moduleSpecifier, node.attributes ); setOriginalNode(importDecl, node.exportClause); const exportDecl = isExportNamespaceAsDefaultDeclaration(node) ? factory2.createExportDefault(synthName) : factory2.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory2.createNamedExports([factory2.createExportSpecifier( /*isTypeOnly*/ false, synthName, oldIdentifier )]) ); setOriginalNode(exportDecl, node); return [importDecl, exportDecl]; } function onEmitNode(hint, node, emitCallback) { if (isSourceFile(node)) { if ((isExternalModule(node) || getIsolatedModules(compilerOptions)) && compilerOptions.importHelpers) { helperNameSubstitutions = /* @__PURE__ */ new Map(); } previousOnEmitNode(hint, node, emitCallback); helperNameSubstitutions = void 0; } else { previousOnEmitNode(hint, node, emitCallback); } } function onSubstituteNode(hint, node) { node = previousOnSubstituteNode(hint, node); if (helperNameSubstitutions && isIdentifier(node) && getEmitFlags(node) & 8192) { return substituteHelperName(node); } return node; } function substituteHelperName(node) { const name = idText(node); let substitution = helperNameSubstitutions.get(name); if (!substitution) { helperNameSubstitutions.set(name, substitution = factory2.createUniqueName( name, 16 | 32 /* FileLevel */ )); } return substitution; } } function transformNodeModule(context) { const previousOnSubstituteNode = context.onSubstituteNode; const previousOnEmitNode = context.onEmitNode; const esmTransform = transformECMAScriptModule(context); const esmOnSubstituteNode = context.onSubstituteNode; const esmOnEmitNode = context.onEmitNode; context.onSubstituteNode = previousOnSubstituteNode; context.onEmitNode = previousOnEmitNode; const cjsTransform = transformModule(context); const cjsOnSubstituteNode = context.onSubstituteNode; const cjsOnEmitNode = context.onEmitNode; context.onSubstituteNode = onSubstituteNode; context.onEmitNode = onEmitNode; context.enableSubstitution( 307 /* SourceFile */ ); context.enableEmitNotification( 307 /* SourceFile */ ); let currentSourceFile; return transformSourceFileOrBundle; function onSubstituteNode(hint, node) { if (isSourceFile(node)) { currentSourceFile = node; return previousOnSubstituteNode(hint, node); } else { if (!currentSourceFile) { return previousOnSubstituteNode(hint, node); } if (currentSourceFile.impliedNodeFormat === 99) { return esmOnSubstituteNode(hint, node); } return cjsOnSubstituteNode(hint, node); } } function onEmitNode(hint, node, emitCallback) { if (isSourceFile(node)) { currentSourceFile = node; } if (!currentSourceFile) { return previousOnEmitNode(hint, node, emitCallback); } if (currentSourceFile.impliedNodeFormat === 99) { return esmOnEmitNode(hint, node, emitCallback); } return cjsOnEmitNode(hint, node, emitCallback); } function getModuleTransformForFile(file) { return file.impliedNodeFormat === 99 ? esmTransform : cjsTransform; } function transformSourceFile(node) { if (node.isDeclarationFile) { return node; } currentSourceFile = node; const result = getModuleTransformForFile(node)(node); currentSourceFile = void 0; Debug.assert(isSourceFile(result)); return result; } function transformSourceFileOrBundle(node) { return node.kind === 307 ? transformSourceFile(node) : transformBundle(node); } function transformBundle(node) { return context.factory.createBundle(map(node.sourceFiles, transformSourceFile)); } } function canProduceDiagnostics(node) { return isVariableDeclaration(node) || isPropertyDeclaration(node) || isPropertySignature(node) || isBindingElement(node) || isSetAccessor(node) || isGetAccessor(node) || isConstructSignatureDeclaration(node) || isCallSignatureDeclaration(node) || isMethodDeclaration(node) || isMethodSignature(node) || isFunctionDeclaration(node) || isParameter(node) || isTypeParameterDeclaration(node) || isExpressionWithTypeArguments(node) || isImportEqualsDeclaration(node) || isTypeAliasDeclaration(node) || isConstructorDeclaration(node) || isIndexSignatureDeclaration(node) || isPropertyAccessExpression(node) || isElementAccessExpression(node) || isBinaryExpression(node) || isJSDocTypeAlias(node); } function createGetSymbolAccessibilityDiagnosticForNodeName(node) { if (isSetAccessor(node) || isGetAccessor(node)) { return getAccessorNameVisibilityError; } else if (isMethodSignature(node) || isMethodDeclaration(node)) { return getMethodNameVisibilityError; } else { return createGetSymbolAccessibilityDiagnosticForNode(node); } function getAccessorNameVisibilityError(symbolAccessibilityResult) { const diagnosticMessage = getAccessorNameVisibilityDiagnosticMessage(symbolAccessibilityResult); return diagnosticMessage !== void 0 ? { diagnosticMessage, errorNode: node, typeName: node.name } : void 0; } function getAccessorNameVisibilityDiagnosticMessage(symbolAccessibilityResult) { if (isStatic(node)) { return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Public_static_property_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Public_static_property_0_of_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Public_static_property_0_of_exported_class_has_or_is_using_private_name_1; } else if (node.parent.kind === 263) { return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Public_property_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Public_property_0_of_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Public_property_0_of_exported_class_has_or_is_using_private_name_1; } else { return symbolAccessibilityResult.errorModuleName ? Diagnostics.Property_0_of_exported_interface_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Property_0_of_exported_interface_has_or_is_using_private_name_1; } } function getMethodNameVisibilityError(symbolAccessibilityResult) { const diagnosticMessage = getMethodNameVisibilityDiagnosticMessage(symbolAccessibilityResult); return diagnosticMessage !== void 0 ? { diagnosticMessage, errorNode: node, typeName: node.name } : void 0; } function getMethodNameVisibilityDiagnosticMessage(symbolAccessibilityResult) { if (isStatic(node)) { return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Public_static_method_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Public_static_method_0_of_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Public_static_method_0_of_exported_class_has_or_is_using_private_name_1; } else if (node.parent.kind === 263) { return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Public_method_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Public_method_0_of_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Public_method_0_of_exported_class_has_or_is_using_private_name_1; } else { return symbolAccessibilityResult.errorModuleName ? Diagnostics.Method_0_of_exported_interface_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Method_0_of_exported_interface_has_or_is_using_private_name_1; } } } function createGetSymbolAccessibilityDiagnosticForNode(node) { if (isVariableDeclaration(node) || isPropertyDeclaration(node) || isPropertySignature(node) || isPropertyAccessExpression(node) || isElementAccessExpression(node) || isBinaryExpression(node) || isBindingElement(node) || isConstructorDeclaration(node)) { return getVariableDeclarationTypeVisibilityError; } else if (isSetAccessor(node) || isGetAccessor(node)) { return getAccessorDeclarationTypeVisibilityError; } else if (isConstructSignatureDeclaration(node) || isCallSignatureDeclaration(node) || isMethodDeclaration(node) || isMethodSignature(node) || isFunctionDeclaration(node) || isIndexSignatureDeclaration(node)) { return getReturnTypeVisibilityError; } else if (isParameter(node)) { if (isParameterPropertyDeclaration(node, node.parent) && hasSyntacticModifier( node.parent, 2 /* Private */ )) { return getVariableDeclarationTypeVisibilityError; } return getParameterDeclarationTypeVisibilityError; } else if (isTypeParameterDeclaration(node)) { return getTypeParameterConstraintVisibilityError; } else if (isExpressionWithTypeArguments(node)) { return getHeritageClauseVisibilityError; } else if (isImportEqualsDeclaration(node)) { return getImportEntityNameVisibilityError; } else if (isTypeAliasDeclaration(node) || isJSDocTypeAlias(node)) { return getTypeAliasDeclarationVisibilityError; } else { return Debug.assertNever(node, `Attempted to set a declaration diagnostic context for unhandled node kind: ${Debug.formatSyntaxKind(node.kind)}`); } function getVariableDeclarationTypeVisibilityDiagnosticMessage(symbolAccessibilityResult) { if (node.kind === 260 || node.kind === 208) { return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Exported_variable_0_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Exported_variable_0_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Exported_variable_0_has_or_is_using_private_name_1; } else if (node.kind === 172 || node.kind === 211 || node.kind === 212 || node.kind === 226 || node.kind === 171 || node.kind === 169 && hasSyntacticModifier( node.parent, 2 /* Private */ )) { if (isStatic(node)) { return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Public_static_property_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Public_static_property_0_of_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Public_static_property_0_of_exported_class_has_or_is_using_private_name_1; } else if (node.parent.kind === 263 || node.kind === 169) { return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Public_property_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Public_property_0_of_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Public_property_0_of_exported_class_has_or_is_using_private_name_1; } else { return symbolAccessibilityResult.errorModuleName ? Diagnostics.Property_0_of_exported_interface_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Property_0_of_exported_interface_has_or_is_using_private_name_1; } } } function getVariableDeclarationTypeVisibilityError(symbolAccessibilityResult) { const diagnosticMessage = getVariableDeclarationTypeVisibilityDiagnosticMessage(symbolAccessibilityResult); return diagnosticMessage !== void 0 ? { diagnosticMessage, errorNode: node, typeName: node.name } : void 0; } function getAccessorDeclarationTypeVisibilityError(symbolAccessibilityResult) { let diagnosticMessage; if (node.kind === 178) { if (isStatic(node)) { diagnosticMessage = symbolAccessibilityResult.errorModuleName ? Diagnostics.Parameter_type_of_public_static_setter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_type_of_public_static_setter_0_from_exported_class_has_or_is_using_private_name_1; } else { diagnosticMessage = symbolAccessibilityResult.errorModuleName ? Diagnostics.Parameter_type_of_public_setter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_type_of_public_setter_0_from_exported_class_has_or_is_using_private_name_1; } } else { if (isStatic(node)) { diagnosticMessage = symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_private_name_1; } else { diagnosticMessage = symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Return_type_of_public_getter_0_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Return_type_of_public_getter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Return_type_of_public_getter_0_from_exported_class_has_or_is_using_private_name_1; } } return { diagnosticMessage, errorNode: node.name, typeName: node.name }; } function getReturnTypeVisibilityError(symbolAccessibilityResult) { let diagnosticMessage; switch (node.kind) { case 180: diagnosticMessage = symbolAccessibilityResult.errorModuleName ? Diagnostics.Return_type_of_constructor_signature_from_exported_interface_has_or_is_using_name_0_from_private_module_1 : Diagnostics.Return_type_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_0; break; case 179: diagnosticMessage = symbolAccessibilityResult.errorModuleName ? Diagnostics.Return_type_of_call_signature_from_exported_interface_has_or_is_using_name_0_from_private_module_1 : Diagnostics.Return_type_of_call_signature_from_exported_interface_has_or_is_using_private_name_0; break; case 181: diagnosticMessage = symbolAccessibilityResult.errorModuleName ? Diagnostics.Return_type_of_index_signature_from_exported_interface_has_or_is_using_name_0_from_private_module_1 : Diagnostics.Return_type_of_index_signature_from_exported_interface_has_or_is_using_private_name_0; break; case 174: case 173: if (isStatic(node)) { diagnosticMessage = symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Return_type_of_public_static_method_from_exported_class_has_or_is_using_name_0_from_external_module_1_but_cannot_be_named : Diagnostics.Return_type_of_public_static_method_from_exported_class_has_or_is_using_name_0_from_private_module_1 : Diagnostics.Return_type_of_public_static_method_from_exported_class_has_or_is_using_private_name_0; } else if (node.parent.kind === 263) { diagnosticMessage = symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Return_type_of_public_method_from_exported_class_has_or_is_using_name_0_from_external_module_1_but_cannot_be_named : Diagnostics.Return_type_of_public_method_from_exported_class_has_or_is_using_name_0_from_private_module_1 : Diagnostics.Return_type_of_public_method_from_exported_class_has_or_is_using_private_name_0; } else { diagnosticMessage = symbolAccessibilityResult.errorModuleName ? Diagnostics.Return_type_of_method_from_exported_interface_has_or_is_using_name_0_from_private_module_1 : Diagnostics.Return_type_of_method_from_exported_interface_has_or_is_using_private_name_0; } break; case 262: diagnosticMessage = symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Return_type_of_exported_function_has_or_is_using_name_0_from_external_module_1_but_cannot_be_named : Diagnostics.Return_type_of_exported_function_has_or_is_using_name_0_from_private_module_1 : Diagnostics.Return_type_of_exported_function_has_or_is_using_private_name_0; break; default: return Debug.fail("This is unknown kind for signature: " + node.kind); } return { diagnosticMessage, errorNode: node.name || node }; } function getParameterDeclarationTypeVisibilityError(symbolAccessibilityResult) { const diagnosticMessage = getParameterDeclarationTypeVisibilityDiagnosticMessage(symbolAccessibilityResult); return diagnosticMessage !== void 0 ? { diagnosticMessage, errorNode: node, typeName: node.name } : void 0; } function getParameterDeclarationTypeVisibilityDiagnosticMessage(symbolAccessibilityResult) { switch (node.parent.kind) { case 176: return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Parameter_0_of_constructor_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Parameter_0_of_constructor_from_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_constructor_from_exported_class_has_or_is_using_private_name_1; case 180: case 185: return symbolAccessibilityResult.errorModuleName ? Diagnostics.Parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_1; case 179: return symbolAccessibilityResult.errorModuleName ? Diagnostics.Parameter_0_of_call_signature_from_exported_interface_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_call_signature_from_exported_interface_has_or_is_using_private_name_1; case 181: return symbolAccessibilityResult.errorModuleName ? Diagnostics.Parameter_0_of_index_signature_from_exported_interface_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_index_signature_from_exported_interface_has_or_is_using_private_name_1; case 174: case 173: if (isStatic(node.parent)) { return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_private_name_1; } else if (node.parent.parent.kind === 263) { return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Parameter_0_of_public_method_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Parameter_0_of_public_method_from_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_public_method_from_exported_class_has_or_is_using_private_name_1; } else { return symbolAccessibilityResult.errorModuleName ? Diagnostics.Parameter_0_of_method_from_exported_interface_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_method_from_exported_interface_has_or_is_using_private_name_1; } case 262: case 184: return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Parameter_0_of_exported_function_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Parameter_0_of_exported_function_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_exported_function_has_or_is_using_private_name_1; case 178: case 177: return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Parameter_0_of_accessor_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Parameter_0_of_accessor_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_accessor_has_or_is_using_private_name_1; default: return Debug.fail(`Unknown parent for parameter: ${Debug.formatSyntaxKind(node.parent.kind)}`); } } function getTypeParameterConstraintVisibilityError() { let diagnosticMessage; switch (node.parent.kind) { case 263: diagnosticMessage = Diagnostics.Type_parameter_0_of_exported_class_has_or_is_using_private_name_1; break; case 264: diagnosticMessage = Diagnostics.Type_parameter_0_of_exported_interface_has_or_is_using_private_name_1; break; case 200: diagnosticMessage = Diagnostics.Type_parameter_0_of_exported_mapped_object_type_is_using_private_name_1; break; case 185: case 180: diagnosticMessage = Diagnostics.Type_parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_1; break; case 179: diagnosticMessage = Diagnostics.Type_parameter_0_of_call_signature_from_exported_interface_has_or_is_using_private_name_1; break; case 174: case 173: if (isStatic(node.parent)) { diagnosticMessage = Diagnostics.Type_parameter_0_of_public_static_method_from_exported_class_has_or_is_using_private_name_1; } else if (node.parent.parent.kind === 263) { diagnosticMessage = Diagnostics.Type_parameter_0_of_public_method_from_exported_class_has_or_is_using_private_name_1; } else { diagnosticMessage = Diagnostics.Type_parameter_0_of_method_from_exported_interface_has_or_is_using_private_name_1; } break; case 184: case 262: diagnosticMessage = Diagnostics.Type_parameter_0_of_exported_function_has_or_is_using_private_name_1; break; case 195: diagnosticMessage = Diagnostics.Extends_clause_for_inferred_type_0_has_or_is_using_private_name_1; break; case 265: diagnosticMessage = Diagnostics.Type_parameter_0_of_exported_type_alias_has_or_is_using_private_name_1; break; default: return Debug.fail("This is unknown parent for type parameter: " + node.parent.kind); } return { diagnosticMessage, errorNode: node, typeName: node.name }; } function getHeritageClauseVisibilityError() { let diagnosticMessage; if (isClassDeclaration(node.parent.parent)) { diagnosticMessage = isHeritageClause(node.parent) && node.parent.token === 119 ? Diagnostics.Implements_clause_of_exported_class_0_has_or_is_using_private_name_1 : node.parent.parent.name ? Diagnostics.extends_clause_of_exported_class_0_has_or_is_using_private_name_1 : Diagnostics.extends_clause_of_exported_class_has_or_is_using_private_name_0; } else { diagnosticMessage = Diagnostics.extends_clause_of_exported_interface_0_has_or_is_using_private_name_1; } return { diagnosticMessage, errorNode: node, typeName: getNameOfDeclaration(node.parent.parent) }; } function getImportEntityNameVisibilityError() { return { diagnosticMessage: Diagnostics.Import_declaration_0_is_using_private_name_1, errorNode: node, typeName: node.name }; } function getTypeAliasDeclarationVisibilityError(symbolAccessibilityResult) { return { diagnosticMessage: symbolAccessibilityResult.errorModuleName ? Diagnostics.Exported_type_alias_0_has_or_is_using_private_name_1_from_module_2 : Diagnostics.Exported_type_alias_0_has_or_is_using_private_name_1, errorNode: isJSDocTypeAlias(node) ? Debug.checkDefined(node.typeExpression) : node.type, typeName: isJSDocTypeAlias(node) ? getNameOfDeclaration(node) : node.name }; } } function createGetIsolatedDeclarationErrors(resolver) { const relatedSuggestionByDeclarationKind = { [ 219 /* ArrowFunction */ ]: Diagnostics.Add_a_return_type_to_the_function_expression, [ 218 /* FunctionExpression */ ]: Diagnostics.Add_a_return_type_to_the_function_expression, [ 174 /* MethodDeclaration */ ]: Diagnostics.Add_a_return_type_to_the_method, [ 177 /* GetAccessor */ ]: Diagnostics.Add_a_return_type_to_the_get_accessor_declaration, [ 178 /* SetAccessor */ ]: Diagnostics.Add_a_type_to_parameter_of_the_set_accessor_declaration, [ 262 /* FunctionDeclaration */ ]: Diagnostics.Add_a_return_type_to_the_function_declaration, [ 180 /* ConstructSignature */ ]: Diagnostics.Add_a_return_type_to_the_function_declaration, [ 169 /* Parameter */ ]: Diagnostics.Add_a_type_annotation_to_the_parameter_0, [ 260 /* VariableDeclaration */ ]: Diagnostics.Add_a_type_annotation_to_the_variable_0, [ 172 /* PropertyDeclaration */ ]: Diagnostics.Add_a_type_annotation_to_the_property_0, [ 171 /* PropertySignature */ ]: Diagnostics.Add_a_type_annotation_to_the_property_0, [ 277 /* ExportAssignment */ ]: Diagnostics.Move_the_expression_in_default_export_to_a_variable_and_add_a_type_annotation_to_it }; const errorByDeclarationKind = { [ 218 /* FunctionExpression */ ]: Diagnostics.Function_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations, [ 262 /* FunctionDeclaration */ ]: Diagnostics.Function_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations, [ 219 /* ArrowFunction */ ]: Diagnostics.Function_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations, [ 174 /* MethodDeclaration */ ]: Diagnostics.Method_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations, [ 180 /* ConstructSignature */ ]: Diagnostics.Method_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations, [ 177 /* GetAccessor */ ]: Diagnostics.At_least_one_accessor_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations, [ 178 /* SetAccessor */ ]: Diagnostics.At_least_one_accessor_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations, [ 169 /* Parameter */ ]: Diagnostics.Parameter_must_have_an_explicit_type_annotation_with_isolatedDeclarations, [ 260 /* VariableDeclaration */ ]: Diagnostics.Variable_must_have_an_explicit_type_annotation_with_isolatedDeclarations, [ 172 /* PropertyDeclaration */ ]: Diagnostics.Property_must_have_an_explicit_type_annotation_with_isolatedDeclarations, [ 171 /* PropertySignature */ ]: Diagnostics.Property_must_have_an_explicit_type_annotation_with_isolatedDeclarations, [ 167 /* ComputedPropertyName */ ]: Diagnostics.Computed_property_names_on_class_or_object_literals_cannot_be_inferred_with_isolatedDeclarations, [ 305 /* SpreadAssignment */ ]: Diagnostics.Objects_that_contain_spread_assignments_can_t_be_inferred_with_isolatedDeclarations, [ 304 /* ShorthandPropertyAssignment */ ]: Diagnostics.Objects_that_contain_shorthand_properties_can_t_be_inferred_with_isolatedDeclarations, [ 209 /* ArrayLiteralExpression */ ]: Diagnostics.Only_const_arrays_can_be_inferred_with_isolatedDeclarations, [ 277 /* ExportAssignment */ ]: Diagnostics.Default_exports_can_t_be_inferred_with_isolatedDeclarations, [ 230 /* SpreadElement */ ]: Diagnostics.Arrays_with_spread_elements_can_t_inferred_with_isolatedDeclarations }; return getDiagnostic2; function getDiagnostic2(node) { const heritageClause = findAncestor(node, isHeritageClause); if (heritageClause) { return createDiagnosticForNode(node, Diagnostics.Extends_clause_can_t_contain_an_expression_with_isolatedDeclarations); } if ((isPartOfTypeNode(node) || isTypeQueryNode(node.parent)) && (isEntityName(node) || isEntityNameExpression(node))) { return createEntityInTypeNodeError(node); } Debug.type(node); switch (node.kind) { case 177: case 178: return createAccessorTypeError(node); case 167: case 304: case 305: return createObjectLiteralError(node); case 209: case 230: return createArrayLiteralError(node); case 174: case 180: case 218: case 219: case 262: return createReturnTypeError(node); case 208: return createBindingElementError(node); case 172: case 260: return createVariableOrPropertyError(node); case 169: return createParameterError(node); case 303: return createExpressionError(node.initializer); case 231: return createClassExpressionError(node); default: assertType(node); return createExpressionError(node); } } function findNearestDeclaration(node) { const result = findAncestor(node, (n) => isExportAssignment(n) || isStatement(n) || isVariableDeclaration(n) || isPropertyDeclaration(n) || isParameter(n)); if (!result) return void 0; if (isExportAssignment(result)) return result; if (isReturnStatement(result)) { return findAncestor(result, (n) => isFunctionLikeDeclaration(n) && !isConstructorDeclaration(n)); } return isStatement(result) ? void 0 : result; } function createAccessorTypeError(node) { const { getAccessor, setAccessor } = getAllAccessorDeclarations(node.symbol.declarations, node); const targetNode = (isSetAccessor(node) ? node.parameters[0] : node) ?? node; const diag2 = createDiagnosticForNode(targetNode, errorByDeclarationKind[node.kind]); if (setAccessor) { addRelatedInfo(diag2, createDiagnosticForNode(setAccessor, relatedSuggestionByDeclarationKind[setAccessor.kind])); } if (getAccessor) { addRelatedInfo(diag2, createDiagnosticForNode(getAccessor, relatedSuggestionByDeclarationKind[getAccessor.kind])); } return diag2; } function addParentDeclarationRelatedInfo(node, diag2) { const parentDeclaration = findNearestDeclaration(node); if (parentDeclaration) { const targetStr = isExportAssignment(parentDeclaration) || !parentDeclaration.name ? "" : getTextOfNode( parentDeclaration.name, /*includeTrivia*/ false ); addRelatedInfo(diag2, createDiagnosticForNode(parentDeclaration, relatedSuggestionByDeclarationKind[parentDeclaration.kind], targetStr)); } return diag2; } function createObjectLiteralError(node) { const diag2 = createDiagnosticForNode(node, errorByDeclarationKind[node.kind]); addParentDeclarationRelatedInfo(node, diag2); return diag2; } function createArrayLiteralError(node) { const diag2 = createDiagnosticForNode(node, errorByDeclarationKind[node.kind]); addParentDeclarationRelatedInfo(node, diag2); return diag2; } function createReturnTypeError(node) { const diag2 = createDiagnosticForNode(node, errorByDeclarationKind[node.kind]); addParentDeclarationRelatedInfo(node, diag2); addRelatedInfo(diag2, createDiagnosticForNode(node, relatedSuggestionByDeclarationKind[node.kind])); return diag2; } function createBindingElementError(node) { return createDiagnosticForNode(node, Diagnostics.Binding_elements_can_t_be_exported_directly_with_isolatedDeclarations); } function createVariableOrPropertyError(node) { const diag2 = createDiagnosticForNode(node, errorByDeclarationKind[node.kind]); const targetStr = getTextOfNode( node.name, /*includeTrivia*/ false ); addRelatedInfo(diag2, createDiagnosticForNode(node, relatedSuggestionByDeclarationKind[node.kind], targetStr)); return diag2; } function createParameterError(node) { if (isSetAccessor(node.parent)) { return createAccessorTypeError(node.parent); } const addUndefined = resolver.requiresAddingImplicitUndefined(node); if (!addUndefined && node.initializer) { return createExpressionError(node.initializer); } const message = addUndefined ? Diagnostics.Declaration_emit_for_this_parameter_requires_implicitly_adding_undefined_to_it_s_type_This_is_not_supported_with_isolatedDeclarations : errorByDeclarationKind[node.kind]; const diag2 = createDiagnosticForNode(node, message); const targetStr = getTextOfNode( node.name, /*includeTrivia*/ false ); addRelatedInfo(diag2, createDiagnosticForNode(node, relatedSuggestionByDeclarationKind[node.kind], targetStr)); return diag2; } function createClassExpressionError(node) { return createExpressionError(node, Diagnostics.Inference_from_class_expressions_is_not_supported_with_isolatedDeclarations); } function createEntityInTypeNodeError(node) { const diag2 = createDiagnosticForNode(node, Diagnostics.Type_containing_private_name_0_can_t_be_used_with_isolatedDeclarations, getTextOfNode( node, /*includeTrivia*/ false )); addParentDeclarationRelatedInfo(node, diag2); return diag2; } function createExpressionError(node, diagnosticMessage) { const parentDeclaration = findNearestDeclaration(node); let diag2; if (parentDeclaration) { const targetStr = isExportAssignment(parentDeclaration) || !parentDeclaration.name ? "" : getTextOfNode( parentDeclaration.name, /*includeTrivia*/ false ); const parent2 = findAncestor(node.parent, (n) => isExportAssignment(n) || (isStatement(n) ? "quit" : !isParenthesizedExpression(n) && !isTypeAssertionExpression(n) && !isAsExpression(n))); if (parentDeclaration === parent2) { diag2 = createDiagnosticForNode(node, diagnosticMessage ?? errorByDeclarationKind[parentDeclaration.kind]); addRelatedInfo(diag2, createDiagnosticForNode(parentDeclaration, relatedSuggestionByDeclarationKind[parentDeclaration.kind], targetStr)); } else { diag2 = createDiagnosticForNode(node, diagnosticMessage ?? Diagnostics.Expression_type_can_t_be_inferred_with_isolatedDeclarations); addRelatedInfo(diag2, createDiagnosticForNode(parentDeclaration, relatedSuggestionByDeclarationKind[parentDeclaration.kind], targetStr)); addRelatedInfo(diag2, createDiagnosticForNode(node, Diagnostics.Add_satisfies_and_a_type_assertion_to_this_expression_satisfies_T_as_T_to_make_the_type_explicit)); } } else { diag2 = createDiagnosticForNode(node, diagnosticMessage ?? Diagnostics.Expression_type_can_t_be_inferred_with_isolatedDeclarations); } return diag2; } } function getDeclarationDiagnostics(host, resolver, file) { const compilerOptions = host.getCompilerOptions(); const files = filter(getSourceFilesToEmit(host, file), isSourceFileNotJson); const result = transformNodes( resolver, host, factory, compilerOptions, file ? contains(files, file) ? [file] : emptyArray : files, [transformDeclarations], /*allowDtsFiles*/ false ); return result.diagnostics; } var declarationEmitNodeBuilderFlags = 1024 | 2048 | 4096 | 8 | 524288 | 1 | 4 | 1; function transformDeclarations(context) { const throwDiagnostic = () => Debug.fail("Diagnostic emitted without context"); let getSymbolAccessibilityDiagnostic = throwDiagnostic; let needsDeclare = true; let isBundledEmit = false; let resultHasExternalModuleIndicator = false; let needsScopeFixMarker = false; let resultHasScopeMarker = false; let enclosingDeclaration; let lateMarkedStatements; let lateStatementReplacementMap; let suppressNewDiagnosticContexts; const { factory: factory2 } = context; const host = context.getEmitHost(); const symbolTracker = { trackSymbol, reportInaccessibleThisError, reportInaccessibleUniqueSymbolError, reportCyclicStructureError, reportPrivateInBaseOfClassExpression, reportLikelyUnsafeImportRequiredError, reportTruncationError, moduleResolverHost: host, reportNonlocalAugmentation, reportNonSerializableProperty, reportInferenceFallback }; let errorNameNode; let errorFallbackNode; let currentSourceFile; let rawReferencedFiles; let rawTypeReferenceDirectives; let rawLibReferenceDirectives; const resolver = context.getEmitResolver(); const options = context.getCompilerOptions(); const getIsolatedDeclarationError = createGetIsolatedDeclarationErrors(resolver); const { stripInternal, isolatedDeclarations } = options; return transformRoot; function reportExpandoFunctionErrors(node) { resolver.getPropertiesOfContainerFunction(node).forEach((p) => { if (isExpandoPropertyDeclaration(p.valueDeclaration)) { const errorTarget = isBinaryExpression(p.valueDeclaration) ? p.valueDeclaration.left : p.valueDeclaration; context.addDiagnostic(createDiagnosticForNode( errorTarget, Diagnostics.Assigning_properties_to_functions_without_declaring_them_is_not_supported_with_isolatedDeclarations_Add_an_explicit_declaration_for_the_properties_assigned_to_this_function )); } }); } function reportInferenceFallback(node) { if (!isolatedDeclarations || isSourceFileJS(currentSourceFile)) return; if (isVariableDeclaration(node) && resolver.isExpandoFunctionDeclaration(node)) { reportExpandoFunctionErrors(node); } else { context.addDiagnostic(getIsolatedDeclarationError(node)); } } function handleSymbolAccessibilityError(symbolAccessibilityResult) { if (symbolAccessibilityResult.accessibility === 0) { if (symbolAccessibilityResult.aliasesToMakeVisible) { if (!lateMarkedStatements) { lateMarkedStatements = symbolAccessibilityResult.aliasesToMakeVisible; } else { for (const ref of symbolAccessibilityResult.aliasesToMakeVisible) { pushIfUnique(lateMarkedStatements, ref); } } } } else if (symbolAccessibilityResult.accessibility !== 3) { const errorInfo = getSymbolAccessibilityDiagnostic(symbolAccessibilityResult); if (errorInfo) { if (errorInfo.typeName) { context.addDiagnostic(createDiagnosticForNode(symbolAccessibilityResult.errorNode || errorInfo.errorNode, errorInfo.diagnosticMessage, getTextOfNode(errorInfo.typeName), symbolAccessibilityResult.errorSymbolName, symbolAccessibilityResult.errorModuleName)); } else { context.addDiagnostic(createDiagnosticForNode(symbolAccessibilityResult.errorNode || errorInfo.errorNode, errorInfo.diagnosticMessage, symbolAccessibilityResult.errorSymbolName, symbolAccessibilityResult.errorModuleName)); } return true; } } return false; } function trackSymbol(symbol, enclosingDeclaration2, meaning) { if (symbol.flags & 262144) return false; const issuedDiagnostic = handleSymbolAccessibilityError(resolver.isSymbolAccessible( symbol, enclosingDeclaration2, meaning, /*shouldComputeAliasToMarkVisible*/ true )); return issuedDiagnostic; } function reportPrivateInBaseOfClassExpression(propertyName) { if (errorNameNode || errorFallbackNode) { context.addDiagnostic( createDiagnosticForNode(errorNameNode || errorFallbackNode, Diagnostics.Property_0_of_exported_class_expression_may_not_be_private_or_protected, propertyName) ); } } function errorDeclarationNameWithFallback() { return errorNameNode ? declarationNameToString(errorNameNode) : errorFallbackNode && getNameOfDeclaration(errorFallbackNode) ? declarationNameToString(getNameOfDeclaration(errorFallbackNode)) : errorFallbackNode && isExportAssignment(errorFallbackNode) ? errorFallbackNode.isExportEquals ? "export=" : "default" : "(Missing)"; } function reportInaccessibleUniqueSymbolError() { if (errorNameNode || errorFallbackNode) { context.addDiagnostic(createDiagnosticForNode(errorNameNode || errorFallbackNode, Diagnostics.The_inferred_type_of_0_references_an_inaccessible_1_type_A_type_annotation_is_necessary, errorDeclarationNameWithFallback(), "unique symbol")); } } function reportCyclicStructureError() { if (errorNameNode || errorFallbackNode) { context.addDiagnostic(createDiagnosticForNode(errorNameNode || errorFallbackNode, Diagnostics.The_inferred_type_of_0_references_a_type_with_a_cyclic_structure_which_cannot_be_trivially_serialized_A_type_annotation_is_necessary, errorDeclarationNameWithFallback())); } } function reportInaccessibleThisError() { if (errorNameNode || errorFallbackNode) { context.addDiagnostic(createDiagnosticForNode(errorNameNode || errorFallbackNode, Diagnostics.The_inferred_type_of_0_references_an_inaccessible_1_type_A_type_annotation_is_necessary, errorDeclarationNameWithFallback(), "this")); } } function reportLikelyUnsafeImportRequiredError(specifier) { if (errorNameNode || errorFallbackNode) { context.addDiagnostic(createDiagnosticForNode(errorNameNode || errorFallbackNode, Diagnostics.The_inferred_type_of_0_cannot_be_named_without_a_reference_to_1_This_is_likely_not_portable_A_type_annotation_is_necessary, errorDeclarationNameWithFallback(), specifier)); } } function reportTruncationError() { if (errorNameNode || errorFallbackNode) { context.addDiagnostic(createDiagnosticForNode(errorNameNode || errorFallbackNode, Diagnostics.The_inferred_type_of_this_node_exceeds_the_maximum_length_the_compiler_will_serialize_An_explicit_type_annotation_is_needed)); } } function reportNonlocalAugmentation(containingFile, parentSymbol, symbol) { var _a; const primaryDeclaration = (_a = parentSymbol.declarations) == null ? void 0 : _a.find((d) => getSourceFileOfNode(d) === containingFile); const augmentingDeclarations = filter(symbol.declarations, (d) => getSourceFileOfNode(d) !== containingFile); if (primaryDeclaration && augmentingDeclarations) { for (const augmentations of augmentingDeclarations) { context.addDiagnostic(addRelatedInfo( createDiagnosticForNode(augmentations, Diagnostics.Declaration_augments_declaration_in_another_file_This_cannot_be_serialized), createDiagnosticForNode(primaryDeclaration, Diagnostics.This_is_the_declaration_being_augmented_Consider_moving_the_augmenting_declaration_into_the_same_file) )); } } } function reportNonSerializableProperty(propertyName) { if (errorNameNode || errorFallbackNode) { context.addDiagnostic(createDiagnosticForNode(errorNameNode || errorFallbackNode, Diagnostics.The_type_of_this_node_cannot_be_serialized_because_its_property_0_cannot_be_serialized, propertyName)); } } function transformDeclarationsForJS(sourceFile) { const oldDiag = getSymbolAccessibilityDiagnostic; getSymbolAccessibilityDiagnostic = (s) => s.errorNode && canProduceDiagnostics(s.errorNode) ? createGetSymbolAccessibilityDiagnosticForNode(s.errorNode)(s) : { diagnosticMessage: s.errorModuleName ? Diagnostics.Declaration_emit_for_this_file_requires_using_private_name_0_from_module_1_An_explicit_type_annotation_may_unblock_declaration_emit : Diagnostics.Declaration_emit_for_this_file_requires_using_private_name_0_An_explicit_type_annotation_may_unblock_declaration_emit, errorNode: s.errorNode || sourceFile }; const result = resolver.getDeclarationStatementsForSourceFile(sourceFile, declarationEmitNodeBuilderFlags, symbolTracker); getSymbolAccessibilityDiagnostic = oldDiag; return result; } function transformRoot(node) { if (node.kind === 307 && node.isDeclarationFile) { return node; } if (node.kind === 308) { isBundledEmit = true; rawReferencedFiles = []; rawTypeReferenceDirectives = []; rawLibReferenceDirectives = []; let hasNoDefaultLib = false; const bundle = factory2.createBundle( map(node.sourceFiles, (sourceFile) => { if (sourceFile.isDeclarationFile) return void 0; hasNoDefaultLib = hasNoDefaultLib || sourceFile.hasNoDefaultLib; currentSourceFile = sourceFile; enclosingDeclaration = sourceFile; lateMarkedStatements = void 0; suppressNewDiagnosticContexts = false; lateStatementReplacementMap = /* @__PURE__ */ new Map(); getSymbolAccessibilityDiagnostic = throwDiagnostic; needsScopeFixMarker = false; resultHasScopeMarker = false; collectFileReferences(sourceFile); if (isExternalOrCommonJsModule(sourceFile) || isJsonSourceFile(sourceFile)) { resultHasExternalModuleIndicator = false; needsDeclare = false; const statements = isSourceFileJS(sourceFile) ? factory2.createNodeArray(transformDeclarationsForJS(sourceFile)) : visitNodes2(sourceFile.statements, visitDeclarationStatements, isStatement); const newFile = factory2.updateSourceFile( sourceFile, [factory2.createModuleDeclaration( [factory2.createModifier( 138 /* DeclareKeyword */ )], factory2.createStringLiteral(getResolvedExternalModuleName(context.getEmitHost(), sourceFile)), factory2.createModuleBlock(setTextRange(factory2.createNodeArray(transformAndReplaceLatePaintedStatements(statements)), sourceFile.statements)) )], /*isDeclarationFile*/ true, /*referencedFiles*/ [], /*typeReferences*/ [], /*hasNoDefaultLib*/ false, /*libReferences*/ [] ); return newFile; } needsDeclare = true; const updated = isSourceFileJS(sourceFile) ? factory2.createNodeArray(transformDeclarationsForJS(sourceFile)) : visitNodes2(sourceFile.statements, visitDeclarationStatements, isStatement); return factory2.updateSourceFile( sourceFile, transformAndReplaceLatePaintedStatements(updated), /*isDeclarationFile*/ true, /*referencedFiles*/ [], /*typeReferences*/ [], /*hasNoDefaultLib*/ false, /*libReferences*/ [] ); }) ); const outputFilePath2 = getDirectoryPath(normalizeSlashes(getOutputPathsFor( node, host, /*forceDtsPaths*/ true ).declarationFilePath)); bundle.syntheticFileReferences = getReferencedFiles(outputFilePath2); bundle.syntheticTypeReferences = getTypeReferences(); bundle.syntheticLibReferences = getLibReferences(); bundle.hasNoDefaultLib = hasNoDefaultLib; return bundle; } needsDeclare = true; needsScopeFixMarker = false; resultHasScopeMarker = false; enclosingDeclaration = node; currentSourceFile = node; getSymbolAccessibilityDiagnostic = throwDiagnostic; isBundledEmit = false; resultHasExternalModuleIndicator = false; suppressNewDiagnosticContexts = false; lateMarkedStatements = void 0; lateStatementReplacementMap = /* @__PURE__ */ new Map(); rawReferencedFiles = []; rawTypeReferenceDirectives = []; rawLibReferenceDirectives = []; collectFileReferences(currentSourceFile); let combinedStatements; if (isSourceFileJS(currentSourceFile)) { combinedStatements = factory2.createNodeArray(transformDeclarationsForJS(node)); } else { const statements = visitNodes2(node.statements, visitDeclarationStatements, isStatement); combinedStatements = setTextRange(factory2.createNodeArray(transformAndReplaceLatePaintedStatements(statements)), node.statements); if (isExternalModule(node) && (!resultHasExternalModuleIndicator || needsScopeFixMarker && !resultHasScopeMarker)) { combinedStatements = setTextRange(factory2.createNodeArray([...combinedStatements, createEmptyExports(factory2)]), combinedStatements); } } const outputFilePath = getDirectoryPath(normalizeSlashes(getOutputPathsFor( node, host, /*forceDtsPaths*/ true ).declarationFilePath)); return factory2.updateSourceFile( node, combinedStatements, /*isDeclarationFile*/ true, getReferencedFiles(outputFilePath), getTypeReferences(), node.hasNoDefaultLib, getLibReferences() ); function collectFileReferences(sourceFile) { rawReferencedFiles = concatenate(rawReferencedFiles, map(sourceFile.referencedFiles, (f) => [sourceFile, f])); rawTypeReferenceDirectives = concatenate(rawTypeReferenceDirectives, sourceFile.typeReferenceDirectives); rawLibReferenceDirectives = concatenate(rawLibReferenceDirectives, sourceFile.libReferenceDirectives); } function copyFileReferenceAsSynthetic(ref) { const newRef = { ...ref }; newRef.pos = -1; newRef.end = -1; return newRef; } function getTypeReferences() { return mapDefined(rawTypeReferenceDirectives, (ref) => { if (!ref.preserve) return void 0; return copyFileReferenceAsSynthetic(ref); }); } function getLibReferences() { return mapDefined(rawLibReferenceDirectives, (ref) => { if (!ref.preserve) return void 0; return copyFileReferenceAsSynthetic(ref); }); } function getReferencedFiles(outputFilePath2) { return mapDefined(rawReferencedFiles, ([sourceFile, ref]) => { if (!ref.preserve) return void 0; const file = host.getSourceFileFromReference(sourceFile, ref); if (!file) { return void 0; } let declFileName; if (file.isDeclarationFile) { declFileName = file.fileName; } else { if (isBundledEmit && contains(node.sourceFiles, file)) return; const paths = getOutputPathsFor( file, host, /*forceDtsPaths*/ true ); declFileName = paths.declarationFilePath || paths.jsFilePath || file.fileName; } if (!declFileName) return void 0; const fileName = getRelativePathToDirectoryOrUrl( outputFilePath2, declFileName, host.getCurrentDirectory(), host.getCanonicalFileName, /*isAbsolutePathAnUrl*/ false ); const newRef = copyFileReferenceAsSynthetic(ref); newRef.fileName = fileName; return newRef; }); } } function filterBindingPatternInitializers(name) { if (name.kind === 80) { return name; } else { if (name.kind === 207) { return factory2.updateArrayBindingPattern(name, visitNodes2(name.elements, visitBindingElement, isArrayBindingElement)); } else { return factory2.updateObjectBindingPattern(name, visitNodes2(name.elements, visitBindingElement, isBindingElement)); } } function visitBindingElement(elem) { if (elem.kind === 232) { return elem; } if (elem.propertyName && isComputedPropertyName(elem.propertyName) && isEntityNameExpression(elem.propertyName.expression)) { checkEntityNameVisibility(elem.propertyName.expression, enclosingDeclaration); } return factory2.updateBindingElement( elem, elem.dotDotDotToken, elem.propertyName, filterBindingPatternInitializers(elem.name), /*initializer*/ void 0 ); } } function ensureParameter(p, modifierMask, type) { let oldDiag; if (!suppressNewDiagnosticContexts) { oldDiag = getSymbolAccessibilityDiagnostic; getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(p); } const newParam = factory2.updateParameterDeclaration( p, maskModifiers(factory2, p, modifierMask), p.dotDotDotToken, filterBindingPatternInitializers(p.name), resolver.isOptionalParameter(p) ? p.questionToken || factory2.createToken( 58 /* QuestionToken */ ) : void 0, ensureType( p, type || p.type, /*ignorePrivate*/ true ), // Ignore private param props, since this type is going straight back into a param ensureNoInitializer(p) ); if (!suppressNewDiagnosticContexts) { getSymbolAccessibilityDiagnostic = oldDiag; } return newParam; } function shouldPrintWithInitializer(node) { return canHaveLiteralInitializer(node) && !!node.initializer && resolver.isLiteralConstDeclaration(getParseTreeNode(node)); } function ensureNoInitializer(node) { if (shouldPrintWithInitializer(node)) { const unwrappedInitializer = unwrapParenthesizedExpression(node.initializer); if (!isPrimitiveLiteralValue(unwrappedInitializer)) { reportInferenceFallback(node); } return resolver.createLiteralConstValue(getParseTreeNode(node, canHaveLiteralInitializer), symbolTracker); } return void 0; } function ensureType(node, type, ignorePrivate) { if (!ignorePrivate && hasEffectiveModifier( node, 2 /* Private */ )) { return; } if (shouldPrintWithInitializer(node)) { return; } const shouldAddImplicitUndefined = node.kind === 169 && resolver.requiresAddingImplicitUndefined(node); if (type && !shouldAddImplicitUndefined) { return visitNode(type, visitDeclarationSubtree, isTypeNode); } errorNameNode = node.name; let oldDiag; if (!suppressNewDiagnosticContexts) { oldDiag = getSymbolAccessibilityDiagnostic; getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(node); } let typeNode; switch (node.kind) { case 169: case 171: case 172: case 208: case 260: typeNode = resolver.createTypeOfDeclaration(node, enclosingDeclaration, declarationEmitNodeBuilderFlags, symbolTracker); break; case 262: case 180: case 173: case 174: case 177: case 179: typeNode = resolver.createReturnTypeOfSignatureDeclaration(node, enclosingDeclaration, declarationEmitNodeBuilderFlags, symbolTracker); break; default: Debug.assertNever(node); } errorNameNode = void 0; if (!suppressNewDiagnosticContexts) { getSymbolAccessibilityDiagnostic = oldDiag; } return typeNode ?? factory2.createKeywordTypeNode( 133 /* AnyKeyword */ ); } function isDeclarationAndNotVisible(node) { node = getParseTreeNode(node); switch (node.kind) { case 262: case 267: case 264: case 263: case 265: case 266: return !resolver.isDeclarationVisible(node); case 260: return !getBindingNameVisible(node); case 271: case 272: case 278: case 277: return false; case 175: return true; } return false; } function shouldEmitFunctionProperties(input) { var _a; if (input.body) { return true; } const overloadSignatures = (_a = input.symbol.declarations) == null ? void 0 : _a.filter((decl) => isFunctionDeclaration(decl) && !decl.body); return !overloadSignatures || overloadSignatures.indexOf(input) === overloadSignatures.length - 1; } function getBindingNameVisible(elem) { if (isOmittedExpression(elem)) { return false; } if (isBindingPattern(elem.name)) { return some(elem.name.elements, getBindingNameVisible); } else { return resolver.isDeclarationVisible(elem); } } function updateParamsList(node, params, modifierMask) { if (hasEffectiveModifier( node, 2 /* Private */ )) { return factory2.createNodeArray(); } const newParams = map(params, (p) => ensureParameter(p, modifierMask)); if (!newParams) { return factory2.createNodeArray(); } return factory2.createNodeArray(newParams, params.hasTrailingComma); } function updateAccessorParamsList(input, isPrivate) { let newParams; if (!isPrivate) { const thisParameter = getThisParameter(input); if (thisParameter) { newParams = [ensureParameter(thisParameter)]; } } if (isSetAccessorDeclaration(input)) { let newValueParameter; if (!isPrivate) { const valueParameter = getSetAccessorValueParameter(input); if (valueParameter) { const accessorType = getTypeAnnotationFromAllAccessorDeclarations(input, getAllAccessorDeclarations(isObjectLiteralExpression(input.parent) ? input.parent.properties : input.parent.members, input)); newValueParameter = ensureParameter( valueParameter, /*modifierMask*/ void 0, accessorType ); } } if (!newValueParameter) { newValueParameter = factory2.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, "value" ); } newParams = append(newParams, newValueParameter); } return factory2.createNodeArray(newParams || emptyArray); } function ensureTypeParams(node, params) { return hasEffectiveModifier( node, 2 /* Private */ ) ? void 0 : visitNodes2(params, visitDeclarationSubtree, isTypeParameterDeclaration); } function isEnclosingDeclaration(node) { return isSourceFile(node) || isTypeAliasDeclaration(node) || isModuleDeclaration(node) || isClassDeclaration(node) || isInterfaceDeclaration(node) || isFunctionLike(node) || isIndexSignatureDeclaration(node) || isMappedTypeNode(node); } function checkEntityNameVisibility(entityName, enclosingDeclaration2) { const visibilityResult = resolver.isEntityNameVisible(entityName, enclosingDeclaration2); handleSymbolAccessibilityError(visibilityResult); } function preserveJsDoc(updated, original) { if (hasJSDocNodes(updated) && hasJSDocNodes(original)) { updated.jsDoc = original.jsDoc; } return setCommentRange(updated, getCommentRange(original)); } function rewriteModuleSpecifier(parent2, input) { if (!input) return void 0; resultHasExternalModuleIndicator = resultHasExternalModuleIndicator || parent2.kind !== 267 && parent2.kind !== 205; if (isStringLiteralLike(input)) { if (isBundledEmit) { const newName = getExternalModuleNameFromDeclaration(context.getEmitHost(), resolver, parent2); if (newName) { return factory2.createStringLiteral(newName); } } } return input; } function transformImportEqualsDeclaration(decl) { if (!resolver.isDeclarationVisible(decl)) return; if (decl.moduleReference.kind === 283) { const specifier = getExternalModuleImportEqualsDeclarationExpression(decl); return factory2.updateImportEqualsDeclaration( decl, decl.modifiers, decl.isTypeOnly, decl.name, factory2.updateExternalModuleReference(decl.moduleReference, rewriteModuleSpecifier(decl, specifier)) ); } else { const oldDiag = getSymbolAccessibilityDiagnostic; getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(decl); checkEntityNameVisibility(decl.moduleReference, enclosingDeclaration); getSymbolAccessibilityDiagnostic = oldDiag; return decl; } } function transformImportDeclaration(decl) { if (!decl.importClause) { return factory2.updateImportDeclaration( decl, decl.modifiers, decl.importClause, rewriteModuleSpecifier(decl, decl.moduleSpecifier), tryGetResolutionModeOverride(decl.attributes) ); } const visibleDefaultBinding = decl.importClause && decl.importClause.name && resolver.isDeclarationVisible(decl.importClause) ? decl.importClause.name : void 0; if (!decl.importClause.namedBindings) { return visibleDefaultBinding && factory2.updateImportDeclaration( decl, decl.modifiers, factory2.updateImportClause( decl.importClause, decl.importClause.isTypeOnly, visibleDefaultBinding, /*namedBindings*/ void 0 ), rewriteModuleSpecifier(decl, decl.moduleSpecifier), tryGetResolutionModeOverride(decl.attributes) ); } if (decl.importClause.namedBindings.kind === 274) { const namedBindings = resolver.isDeclarationVisible(decl.importClause.namedBindings) ? decl.importClause.namedBindings : ( /*namedBindings*/ void 0 ); return visibleDefaultBinding || namedBindings ? factory2.updateImportDeclaration( decl, decl.modifiers, factory2.updateImportClause( decl.importClause, decl.importClause.isTypeOnly, visibleDefaultBinding, namedBindings ), rewriteModuleSpecifier(decl, decl.moduleSpecifier), tryGetResolutionModeOverride(decl.attributes) ) : void 0; } const bindingList = mapDefined(decl.importClause.namedBindings.elements, (b) => resolver.isDeclarationVisible(b) ? b : void 0); if (bindingList && bindingList.length || visibleDefaultBinding) { return factory2.updateImportDeclaration( decl, decl.modifiers, factory2.updateImportClause( decl.importClause, decl.importClause.isTypeOnly, visibleDefaultBinding, bindingList && bindingList.length ? factory2.updateNamedImports(decl.importClause.namedBindings, bindingList) : void 0 ), rewriteModuleSpecifier(decl, decl.moduleSpecifier), tryGetResolutionModeOverride(decl.attributes) ); } if (resolver.isImportRequiredByAugmentation(decl)) { if (isolatedDeclarations) { context.addDiagnostic(createDiagnosticForNode(decl, Diagnostics.Declaration_emit_for_this_file_requires_preserving_this_import_for_augmentations_This_is_not_supported_with_isolatedDeclarations)); } return factory2.updateImportDeclaration( decl, decl.modifiers, /*importClause*/ void 0, rewriteModuleSpecifier(decl, decl.moduleSpecifier), tryGetResolutionModeOverride(decl.attributes) ); } } function tryGetResolutionModeOverride(node) { const mode = getResolutionModeOverride(node); return node && mode !== void 0 ? node : void 0; } function transformAndReplaceLatePaintedStatements(statements) { while (length(lateMarkedStatements)) { const i = lateMarkedStatements.shift(); if (!isLateVisibilityPaintedStatement(i)) { return Debug.fail(`Late replaced statement was found which is not handled by the declaration transformer!: ${Debug.formatSyntaxKind(i.kind)}`); } const priorNeedsDeclare = needsDeclare; needsDeclare = i.parent && isSourceFile(i.parent) && !(isExternalModule(i.parent) && isBundledEmit); const result = transformTopLevelDeclaration(i); needsDeclare = priorNeedsDeclare; lateStatementReplacementMap.set(getOriginalNodeId(i), result); } return visitNodes2(statements, visitLateVisibilityMarkedStatements, isStatement); function visitLateVisibilityMarkedStatements(statement) { if (isLateVisibilityPaintedStatement(statement)) { const key = getOriginalNodeId(statement); if (lateStatementReplacementMap.has(key)) { const result = lateStatementReplacementMap.get(key); lateStatementReplacementMap.delete(key); if (result) { if (isArray3(result) ? some(result, needsScopeMarker) : needsScopeMarker(result)) { needsScopeFixMarker = true; } if (isSourceFile(statement.parent) && (isArray3(result) ? some(result, isExternalModuleIndicator) : isExternalModuleIndicator(result))) { resultHasExternalModuleIndicator = true; } } return result; } } return statement; } } function visitDeclarationSubtree(input) { if (shouldStripInternal(input)) return; if (isDeclaration(input)) { if (isDeclarationAndNotVisible(input)) return; if (hasDynamicName(input)) { if (isolatedDeclarations) { if (isClassDeclaration(input.parent) || isObjectLiteralExpression(input.parent)) { context.addDiagnostic(createDiagnosticForNode(input, Diagnostics.Computed_property_names_on_class_or_object_literals_cannot_be_inferred_with_isolatedDeclarations)); return; } else if ( // Type declarations just need to double-check that the input computed name is an entity name expression (isInterfaceDeclaration(input.parent) || isTypeLiteralNode(input.parent)) && !isEntityNameExpression(input.name.expression) ) { context.addDiagnostic(createDiagnosticForNode(input, Diagnostics.Computed_properties_must_be_number_or_string_literals_variables_or_dotted_expressions_with_isolatedDeclarations)); return; } } else if (!resolver.isLateBound(getParseTreeNode(input)) || !isEntityNameExpression(input.name.expression)) { return; } } } if (isFunctionLike(input) && resolver.isImplementationOfOverload(input)) return; if (isSemicolonClassElement(input)) return; let previousEnclosingDeclaration; if (isEnclosingDeclaration(input)) { previousEnclosingDeclaration = enclosingDeclaration; enclosingDeclaration = input; } const oldDiag = getSymbolAccessibilityDiagnostic; const canProduceDiagnostic = canProduceDiagnostics(input); const oldWithinObjectLiteralType = suppressNewDiagnosticContexts; let shouldEnterSuppressNewDiagnosticsContextContext = (input.kind === 187 || input.kind === 200) && input.parent.kind !== 265; if (isMethodDeclaration(input) || isMethodSignature(input)) { if (hasEffectiveModifier( input, 2 /* Private */ )) { if (input.symbol && input.symbol.declarations && input.symbol.declarations[0] !== input) return; return cleanup(factory2.createPropertyDeclaration( ensureModifiers(input), input.name, /*questionOrExclamationToken*/ void 0, /*type*/ void 0, /*initializer*/ void 0 )); } } if (canProduceDiagnostic && !suppressNewDiagnosticContexts) { getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(input); } if (isTypeQueryNode(input)) { checkEntityNameVisibility(input.exprName, enclosingDeclaration); } if (shouldEnterSuppressNewDiagnosticsContextContext) { suppressNewDiagnosticContexts = true; } if (isProcessedComponent(input)) { switch (input.kind) { case 233: { if (isEntityName(input.expression) || isEntityNameExpression(input.expression)) { checkEntityNameVisibility(input.expression, enclosingDeclaration); } const node = visitEachChild(input, visitDeclarationSubtree, context); return cleanup(factory2.updateExpressionWithTypeArguments(node, node.expression, node.typeArguments)); } case 183: { checkEntityNameVisibility(input.typeName, enclosingDeclaration); const node = visitEachChild(input, visitDeclarationSubtree, context); return cleanup(factory2.updateTypeReferenceNode(node, node.typeName, node.typeArguments)); } case 180: return cleanup(factory2.updateConstructSignature( input, ensureTypeParams(input, input.typeParameters), updateParamsList(input, input.parameters), ensureType(input, input.type) )); case 176: { const ctor = factory2.createConstructorDeclaration( /*modifiers*/ ensureModifiers(input), updateParamsList( input, input.parameters, 0 /* None */ ), /*body*/ void 0 ); return cleanup(ctor); } case 174: { if (isPrivateIdentifier(input.name)) { return cleanup( /*returnValue*/ void 0 ); } const sig = factory2.createMethodDeclaration( ensureModifiers(input), /*asteriskToken*/ void 0, input.name, input.questionToken, ensureTypeParams(input, input.typeParameters), updateParamsList(input, input.parameters), ensureType(input, input.type), /*body*/ void 0 ); return cleanup(sig); } case 177: { if (isPrivateIdentifier(input.name)) { return cleanup( /*returnValue*/ void 0 ); } const accessorType = getTypeAnnotationFromAllAccessorDeclarations(input, getAllAccessorDeclarations(isObjectLiteralExpression(input.parent) ? input.parent.properties : input.parent.members, input)); return cleanup(factory2.updateGetAccessorDeclaration( input, ensureModifiers(input), input.name, updateAccessorParamsList(input, hasEffectiveModifier( input, 2 /* Private */ )), ensureType(input, accessorType), /*body*/ void 0 )); } case 178: { if (isPrivateIdentifier(input.name)) { return cleanup( /*returnValue*/ void 0 ); } return cleanup(factory2.updateSetAccessorDeclaration( input, ensureModifiers(input), input.name, updateAccessorParamsList(input, hasEffectiveModifier( input, 2 /* Private */ )), /*body*/ void 0 )); } case 172: if (isPrivateIdentifier(input.name)) { return cleanup( /*returnValue*/ void 0 ); } return cleanup(factory2.updatePropertyDeclaration( input, ensureModifiers(input), input.name, input.questionToken, ensureType(input, input.type), ensureNoInitializer(input) )); case 171: if (isPrivateIdentifier(input.name)) { return cleanup( /*returnValue*/ void 0 ); } return cleanup(factory2.updatePropertySignature( input, ensureModifiers(input), input.name, input.questionToken, ensureType(input, input.type) )); case 173: { if (isPrivateIdentifier(input.name)) { return cleanup( /*returnValue*/ void 0 ); } return cleanup(factory2.updateMethodSignature( input, ensureModifiers(input), input.name, input.questionToken, ensureTypeParams(input, input.typeParameters), updateParamsList(input, input.parameters), ensureType(input, input.type) )); } case 179: { return cleanup( factory2.updateCallSignature( input, ensureTypeParams(input, input.typeParameters), updateParamsList(input, input.parameters), ensureType(input, input.type) ) ); } case 181: { return cleanup(factory2.updateIndexSignature( input, ensureModifiers(input), updateParamsList(input, input.parameters), visitNode(input.type, visitDeclarationSubtree, isTypeNode) || factory2.createKeywordTypeNode( 133 /* AnyKeyword */ ) )); } case 260: { if (isBindingPattern(input.name)) { return recreateBindingPattern(input.name); } shouldEnterSuppressNewDiagnosticsContextContext = true; suppressNewDiagnosticContexts = true; return cleanup(factory2.updateVariableDeclaration( input, input.name, /*exclamationToken*/ void 0, ensureType(input, input.type), ensureNoInitializer(input) )); } case 168: { if (isPrivateMethodTypeParameter(input) && (input.default || input.constraint)) { return cleanup(factory2.updateTypeParameterDeclaration( input, input.modifiers, input.name, /*constraint*/ void 0, /*defaultType*/ void 0 )); } return cleanup(visitEachChild(input, visitDeclarationSubtree, context)); } case 194: { const checkType = visitNode(input.checkType, visitDeclarationSubtree, isTypeNode); const extendsType = visitNode(input.extendsType, visitDeclarationSubtree, isTypeNode); const oldEnclosingDecl = enclosingDeclaration; enclosingDeclaration = input.trueType; const trueType = visitNode(input.trueType, visitDeclarationSubtree, isTypeNode); enclosingDeclaration = oldEnclosingDecl; const falseType = visitNode(input.falseType, visitDeclarationSubtree, isTypeNode); Debug.assert(checkType); Debug.assert(extendsType); Debug.assert(trueType); Debug.assert(falseType); return cleanup(factory2.updateConditionalTypeNode(input, checkType, extendsType, trueType, falseType)); } case 184: { return cleanup(factory2.updateFunctionTypeNode( input, visitNodes2(input.typeParameters, visitDeclarationSubtree, isTypeParameterDeclaration), updateParamsList(input, input.parameters), Debug.checkDefined(visitNode(input.type, visitDeclarationSubtree, isTypeNode)) )); } case 185: { return cleanup(factory2.updateConstructorTypeNode( input, ensureModifiers(input), visitNodes2(input.typeParameters, visitDeclarationSubtree, isTypeParameterDeclaration), updateParamsList(input, input.parameters), Debug.checkDefined(visitNode(input.type, visitDeclarationSubtree, isTypeNode)) )); } case 205: { if (!isLiteralImportTypeNode(input)) return cleanup(input); return cleanup(factory2.updateImportTypeNode( input, factory2.updateLiteralTypeNode(input.argument, rewriteModuleSpecifier(input, input.argument.literal)), input.attributes, input.qualifier, visitNodes2(input.typeArguments, visitDeclarationSubtree, isTypeNode), input.isTypeOf )); } default: Debug.assertNever(input, `Attempted to process unhandled node kind: ${Debug.formatSyntaxKind(input.kind)}`); } } if (isTupleTypeNode(input) && getLineAndCharacterOfPosition(currentSourceFile, input.pos).line === getLineAndCharacterOfPosition(currentSourceFile, input.end).line) { setEmitFlags( input, 1 /* SingleLine */ ); } return cleanup(visitEachChild(input, visitDeclarationSubtree, context)); function cleanup(returnValue) { if (returnValue && canProduceDiagnostic && hasDynamicName(input)) { checkName(input); } if (isEnclosingDeclaration(input)) { enclosingDeclaration = previousEnclosingDeclaration; } if (canProduceDiagnostic && !suppressNewDiagnosticContexts) { getSymbolAccessibilityDiagnostic = oldDiag; } if (shouldEnterSuppressNewDiagnosticsContextContext) { suppressNewDiagnosticContexts = oldWithinObjectLiteralType; } if (returnValue === input) { return returnValue; } return returnValue && setOriginalNode(preserveJsDoc(returnValue, input), input); } } function isPrivateMethodTypeParameter(node) { return node.parent.kind === 174 && hasEffectiveModifier( node.parent, 2 /* Private */ ); } function visitDeclarationStatements(input) { if (!isPreservedDeclarationStatement(input)) { return; } if (shouldStripInternal(input)) return; switch (input.kind) { case 278: { if (isSourceFile(input.parent)) { resultHasExternalModuleIndicator = true; } resultHasScopeMarker = true; return factory2.updateExportDeclaration( input, input.modifiers, input.isTypeOnly, input.exportClause, rewriteModuleSpecifier(input, input.moduleSpecifier), tryGetResolutionModeOverride(input.attributes) ); } case 277: { if (isSourceFile(input.parent)) { resultHasExternalModuleIndicator = true; } resultHasScopeMarker = true; if (input.expression.kind === 80) { return input; } else { const newId = factory2.createUniqueName( "_default", 16 /* Optimistic */ ); getSymbolAccessibilityDiagnostic = () => ({ diagnosticMessage: Diagnostics.Default_export_of_the_module_has_or_is_using_private_name_0, errorNode: input }); errorFallbackNode = input; const varDecl = factory2.createVariableDeclaration( newId, /*exclamationToken*/ void 0, resolver.createTypeOfExpression(input.expression, input, declarationEmitNodeBuilderFlags, symbolTracker), /*initializer*/ void 0 ); errorFallbackNode = void 0; const statement = factory2.createVariableStatement(needsDeclare ? [factory2.createModifier( 138 /* DeclareKeyword */ )] : [], factory2.createVariableDeclarationList( [varDecl], 2 /* Const */ )); preserveJsDoc(statement, input); removeAllComments(input); return [statement, factory2.updateExportAssignment(input, input.modifiers, newId)]; } } } const result = transformTopLevelDeclaration(input); lateStatementReplacementMap.set(getOriginalNodeId(input), result); return input; } function stripExportModifiers(statement) { if (isImportEqualsDeclaration(statement) || hasEffectiveModifier( statement, 2048 /* Default */ ) || !canHaveModifiers(statement)) { return statement; } const modifiers = factory2.createModifiersFromModifierFlags(getEffectiveModifierFlags(statement) & (131071 ^ 32)); return factory2.replaceModifiers(statement, modifiers); } function updateModuleDeclarationAndKeyword(node, modifiers, name, body) { const updated = factory2.updateModuleDeclaration(node, modifiers, name, body); if (isAmbientModule(updated) || updated.flags & 32) { return updated; } const fixed = factory2.createModuleDeclaration( updated.modifiers, updated.name, updated.body, updated.flags | 32 /* Namespace */ ); setOriginalNode(fixed, updated); setTextRange(fixed, updated); return fixed; } function transformTopLevelDeclaration(input) { if (lateMarkedStatements) { while (orderedRemoveItem(lateMarkedStatements, input)) ; } if (shouldStripInternal(input)) return; switch (input.kind) { case 271: { return transformImportEqualsDeclaration(input); } case 272: { return transformImportDeclaration(input); } } if (isDeclaration(input) && isDeclarationAndNotVisible(input)) return; if (isJSDocImportTag(input)) return; if (isFunctionLike(input) && resolver.isImplementationOfOverload(input)) return; let previousEnclosingDeclaration; if (isEnclosingDeclaration(input)) { previousEnclosingDeclaration = enclosingDeclaration; enclosingDeclaration = input; } const canProdiceDiagnostic = canProduceDiagnostics(input); const oldDiag = getSymbolAccessibilityDiagnostic; if (canProdiceDiagnostic) { getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(input); } const previousNeedsDeclare = needsDeclare; switch (input.kind) { case 265: { needsDeclare = false; const clean2 = cleanup(factory2.updateTypeAliasDeclaration( input, ensureModifiers(input), input.name, visitNodes2(input.typeParameters, visitDeclarationSubtree, isTypeParameterDeclaration), Debug.checkDefined(visitNode(input.type, visitDeclarationSubtree, isTypeNode)) )); needsDeclare = previousNeedsDeclare; return clean2; } case 264: { return cleanup(factory2.updateInterfaceDeclaration( input, ensureModifiers(input), input.name, ensureTypeParams(input, input.typeParameters), transformHeritageClauses(input.heritageClauses), visitNodes2(input.members, visitDeclarationSubtree, isTypeElement) )); } case 262: { const clean2 = cleanup(factory2.updateFunctionDeclaration( input, ensureModifiers(input), /*asteriskToken*/ void 0, input.name, ensureTypeParams(input, input.typeParameters), updateParamsList(input, input.parameters), ensureType(input, input.type), /*body*/ void 0 )); if (clean2 && resolver.isExpandoFunctionDeclaration(input) && shouldEmitFunctionProperties(input)) { const props = resolver.getPropertiesOfContainerFunction(input); if (isolatedDeclarations) { reportExpandoFunctionErrors(input); } const fakespace = parseNodeFactory.createModuleDeclaration( /*modifiers*/ void 0, clean2.name || factory2.createIdentifier("_default"), factory2.createModuleBlock([]), 32 /* Namespace */ ); setParent(fakespace, enclosingDeclaration); fakespace.locals = createSymbolTable(props); fakespace.symbol = props[0].parent; const exportMappings = []; let declarations = mapDefined(props, (p) => { if (!isExpandoPropertyDeclaration(p.valueDeclaration)) { return void 0; } const nameStr = unescapeLeadingUnderscores(p.escapedName); if (!isIdentifierText( nameStr, 99 /* ESNext */ )) { return void 0; } getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(p.valueDeclaration); const type = resolver.createTypeOfDeclaration(p.valueDeclaration, fakespace, declarationEmitNodeBuilderFlags | -2147483648, symbolTracker); getSymbolAccessibilityDiagnostic = oldDiag; const isNonContextualKeywordName = isStringANonContextualKeyword(nameStr); const name = isNonContextualKeywordName ? factory2.getGeneratedNameForNode(p.valueDeclaration) : factory2.createIdentifier(nameStr); if (isNonContextualKeywordName) { exportMappings.push([name, nameStr]); } const varDecl = factory2.createVariableDeclaration( name, /*exclamationToken*/ void 0, type, /*initializer*/ void 0 ); return factory2.createVariableStatement(isNonContextualKeywordName ? void 0 : [factory2.createToken( 95 /* ExportKeyword */ )], factory2.createVariableDeclarationList([varDecl])); }); if (!exportMappings.length) { declarations = mapDefined(declarations, (declaration) => factory2.replaceModifiers( declaration, 0 /* None */ )); } else { declarations.push(factory2.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory2.createNamedExports(map(exportMappings, ([gen, exp]) => { return factory2.createExportSpecifier( /*isTypeOnly*/ false, gen, exp ); })) )); } const namespaceDecl = factory2.createModuleDeclaration( ensureModifiers(input), input.name, factory2.createModuleBlock(declarations), 32 /* Namespace */ ); if (!hasEffectiveModifier( clean2, 2048 /* Default */ )) { return [clean2, namespaceDecl]; } const modifiers = factory2.createModifiersFromModifierFlags( getEffectiveModifierFlags(clean2) & ~2080 | 128 /* Ambient */ ); const cleanDeclaration = factory2.updateFunctionDeclaration( clean2, modifiers, /*asteriskToken*/ void 0, clean2.name, clean2.typeParameters, clean2.parameters, clean2.type, /*body*/ void 0 ); const namespaceDeclaration = factory2.updateModuleDeclaration( namespaceDecl, modifiers, namespaceDecl.name, namespaceDecl.body ); const exportDefaultDeclaration = factory2.createExportAssignment( /*modifiers*/ void 0, /*isExportEquals*/ false, namespaceDecl.name ); if (isSourceFile(input.parent)) { resultHasExternalModuleIndicator = true; } resultHasScopeMarker = true; return [cleanDeclaration, namespaceDeclaration, exportDefaultDeclaration]; } else { return clean2; } } case 267: { needsDeclare = false; const inner = input.body; if (inner && inner.kind === 268) { const oldNeedsScopeFix = needsScopeFixMarker; const oldHasScopeFix = resultHasScopeMarker; resultHasScopeMarker = false; needsScopeFixMarker = false; const statements = visitNodes2(inner.statements, visitDeclarationStatements, isStatement); let lateStatements = transformAndReplaceLatePaintedStatements(statements); if (input.flags & 33554432) { needsScopeFixMarker = false; } if (!isGlobalScopeAugmentation(input) && !hasScopeMarker2(lateStatements) && !resultHasScopeMarker) { if (needsScopeFixMarker) { lateStatements = factory2.createNodeArray([...lateStatements, createEmptyExports(factory2)]); } else { lateStatements = visitNodes2(lateStatements, stripExportModifiers, isStatement); } } const body = factory2.updateModuleBlock(inner, lateStatements); needsDeclare = previousNeedsDeclare; needsScopeFixMarker = oldNeedsScopeFix; resultHasScopeMarker = oldHasScopeFix; const mods = ensureModifiers(input); return cleanup(updateModuleDeclarationAndKeyword( input, mods, isExternalModuleAugmentation(input) ? rewriteModuleSpecifier(input, input.name) : input.name, body )); } else { needsDeclare = previousNeedsDeclare; const mods = ensureModifiers(input); needsDeclare = false; visitNode(inner, visitDeclarationStatements); const id = getOriginalNodeId(inner); const body = lateStatementReplacementMap.get(id); lateStatementReplacementMap.delete(id); return cleanup(updateModuleDeclarationAndKeyword( input, mods, input.name, body )); } } case 263: { errorNameNode = input.name; errorFallbackNode = input; const modifiers = factory2.createNodeArray(ensureModifiers(input)); const typeParameters = ensureTypeParams(input, input.typeParameters); const ctor = getFirstConstructorWithBody(input); let parameterProperties; if (ctor) { const oldDiag2 = getSymbolAccessibilityDiagnostic; parameterProperties = compact(flatMap(ctor.parameters, (param) => { if (!hasSyntacticModifier( param, 31 /* ParameterPropertyModifier */ ) || shouldStripInternal(param)) return; getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(param); if (param.name.kind === 80) { return preserveJsDoc( factory2.createPropertyDeclaration( ensureModifiers(param), param.name, param.questionToken, ensureType(param, param.type), ensureNoInitializer(param) ), param ); } else { return walkBindingPattern(param.name); } function walkBindingPattern(pattern) { let elems; for (const elem of pattern.elements) { if (isOmittedExpression(elem)) continue; if (isBindingPattern(elem.name)) { elems = concatenate(elems, walkBindingPattern(elem.name)); } elems = elems || []; elems.push(factory2.createPropertyDeclaration( ensureModifiers(param), elem.name, /*questionOrExclamationToken*/ void 0, ensureType( elem, /*type*/ void 0 ), /*initializer*/ void 0 )); } return elems; } })); getSymbolAccessibilityDiagnostic = oldDiag2; } const hasPrivateIdentifier = some(input.members, (member) => !!member.name && isPrivateIdentifier(member.name)); const privateIdentifier = hasPrivateIdentifier ? [ factory2.createPropertyDeclaration( /*modifiers*/ void 0, factory2.createPrivateIdentifier("#private"), /*questionOrExclamationToken*/ void 0, /*type*/ void 0, /*initializer*/ void 0 ) ] : void 0; const memberNodes = concatenate(concatenate(privateIdentifier, parameterProperties), visitNodes2(input.members, visitDeclarationSubtree, isClassElement)); const members = factory2.createNodeArray(memberNodes); const extendsClause = getEffectiveBaseTypeNode(input); if (extendsClause && !isEntityNameExpression(extendsClause.expression) && extendsClause.expression.kind !== 106) { const oldId = input.name ? unescapeLeadingUnderscores(input.name.escapedText) : "default"; const newId = factory2.createUniqueName( `${oldId}_base`, 16 /* Optimistic */ ); getSymbolAccessibilityDiagnostic = () => ({ diagnosticMessage: Diagnostics.extends_clause_of_exported_class_0_has_or_is_using_private_name_1, errorNode: extendsClause, typeName: input.name }); const varDecl = factory2.createVariableDeclaration( newId, /*exclamationToken*/ void 0, resolver.createTypeOfExpression(extendsClause.expression, input, declarationEmitNodeBuilderFlags, symbolTracker), /*initializer*/ void 0 ); const statement = factory2.createVariableStatement(needsDeclare ? [factory2.createModifier( 138 /* DeclareKeyword */ )] : [], factory2.createVariableDeclarationList( [varDecl], 2 /* Const */ )); const heritageClauses = factory2.createNodeArray(map(input.heritageClauses, (clause) => { if (clause.token === 96) { const oldDiag2 = getSymbolAccessibilityDiagnostic; getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(clause.types[0]); const newClause = factory2.updateHeritageClause(clause, map(clause.types, (t) => factory2.updateExpressionWithTypeArguments(t, newId, visitNodes2(t.typeArguments, visitDeclarationSubtree, isTypeNode)))); getSymbolAccessibilityDiagnostic = oldDiag2; return newClause; } return factory2.updateHeritageClause(clause, visitNodes2(factory2.createNodeArray(filter( clause.types, (t) => isEntityNameExpression(t.expression) || t.expression.kind === 106 /* NullKeyword */ )), visitDeclarationSubtree, isExpressionWithTypeArguments)); })); return [ statement, cleanup(factory2.updateClassDeclaration( input, modifiers, input.name, typeParameters, heritageClauses, members )) ]; } else { const heritageClauses = transformHeritageClauses(input.heritageClauses); return cleanup(factory2.updateClassDeclaration( input, modifiers, input.name, typeParameters, heritageClauses, members )); } } case 243: { return cleanup(transformVariableStatement(input)); } case 266: { return cleanup(factory2.updateEnumDeclaration( input, factory2.createNodeArray(ensureModifiers(input)), input.name, factory2.createNodeArray(mapDefined(input.members, (m) => { if (shouldStripInternal(m)) return; const enumValue = resolver.getEnumMemberValue(m); const constValue = enumValue == null ? void 0 : enumValue.value; if (isolatedDeclarations && m.initializer && (enumValue == null ? void 0 : enumValue.hasExternalReferences) && // This will be its own compiler error instead, so don't report. !isComputedPropertyName(m.name)) { context.addDiagnostic(createDiagnosticForNode(m, Diagnostics.Enum_member_initializers_must_be_computable_without_references_to_external_symbols_with_isolatedDeclarations)); } const newInitializer = constValue === void 0 ? void 0 : typeof constValue === "string" ? factory2.createStringLiteral(constValue) : constValue < 0 ? factory2.createPrefixUnaryExpression(41, factory2.createNumericLiteral(-constValue)) : factory2.createNumericLiteral(constValue); return preserveJsDoc(factory2.updateEnumMember(m, m.name, newInitializer), m); })) )); } } return Debug.assertNever(input, `Unhandled top-level node in declaration emit: ${Debug.formatSyntaxKind(input.kind)}`); function cleanup(node) { if (isEnclosingDeclaration(input)) { enclosingDeclaration = previousEnclosingDeclaration; } if (canProdiceDiagnostic) { getSymbolAccessibilityDiagnostic = oldDiag; } if (input.kind === 267) { needsDeclare = previousNeedsDeclare; } if (node === input) { return node; } errorFallbackNode = void 0; errorNameNode = void 0; return node && setOriginalNode(preserveJsDoc(node, input), input); } } function transformVariableStatement(input) { if (!forEach(input.declarationList.declarations, getBindingNameVisible)) return; const nodes = visitNodes2(input.declarationList.declarations, visitDeclarationSubtree, isVariableDeclaration); if (!length(nodes)) return; const modifiers = factory2.createNodeArray(ensureModifiers(input)); let declList; if (isVarUsing(input.declarationList) || isVarAwaitUsing(input.declarationList)) { declList = factory2.createVariableDeclarationList( nodes, 2 /* Const */ ); setOriginalNode(declList, input.declarationList); setTextRange(declList, input.declarationList); setCommentRange(declList, input.declarationList); } else { declList = factory2.updateVariableDeclarationList(input.declarationList, nodes); } return factory2.updateVariableStatement(input, modifiers, declList); } function recreateBindingPattern(d) { return flatten(mapDefined(d.elements, (e) => recreateBindingElement(e))); } function recreateBindingElement(e) { if (e.kind === 232) { return; } if (e.name) { if (!getBindingNameVisible(e)) return; if (isBindingPattern(e.name)) { return recreateBindingPattern(e.name); } else { return factory2.createVariableDeclaration( e.name, /*exclamationToken*/ void 0, ensureType( e, /*type*/ void 0 ), /*initializer*/ void 0 ); } } } function checkName(node) { let oldDiag; if (!suppressNewDiagnosticContexts) { oldDiag = getSymbolAccessibilityDiagnostic; getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNodeName(node); } errorNameNode = node.name; Debug.assert(hasDynamicName(node)); const decl = node; const entityName = decl.name.expression; checkEntityNameVisibility(entityName, enclosingDeclaration); if (!suppressNewDiagnosticContexts) { getSymbolAccessibilityDiagnostic = oldDiag; } errorNameNode = void 0; } function shouldStripInternal(node) { return !!stripInternal && !!node && isInternalDeclaration(node, currentSourceFile); } function isScopeMarker2(node) { return isExportAssignment(node) || isExportDeclaration(node); } function hasScopeMarker2(statements) { return some(statements, isScopeMarker2); } function ensureModifiers(node) { const currentFlags = getEffectiveModifierFlags(node); const newFlags = ensureModifierFlags(node); if (currentFlags === newFlags) { return visitArray(node.modifiers, (n) => tryCast(n, isModifier), isModifier); } return factory2.createModifiersFromModifierFlags(newFlags); } function ensureModifierFlags(node) { let mask2 = 131071 ^ (1 | 1024 | 16); let additions = needsDeclare && !isAlwaysType(node) ? 128 : 0; const parentIsFile = node.parent.kind === 307; if (!parentIsFile || isBundledEmit && parentIsFile && isExternalModule(node.parent)) { mask2 ^= 128; additions = 0; } return maskModifierFlags(node, mask2, additions); } function getTypeAnnotationFromAllAccessorDeclarations(node, accessors) { let accessorType = getTypeAnnotationFromAccessor(node); if (!accessorType && node !== accessors.firstAccessor) { accessorType = getTypeAnnotationFromAccessor(accessors.firstAccessor); getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(accessors.firstAccessor); } if (!accessorType && accessors.secondAccessor && node !== accessors.secondAccessor) { accessorType = getTypeAnnotationFromAccessor(accessors.secondAccessor); getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(accessors.secondAccessor); } return accessorType; } function transformHeritageClauses(nodes) { return factory2.createNodeArray(filter( map(nodes, (clause) => factory2.updateHeritageClause( clause, visitNodes2( factory2.createNodeArray(filter(clause.types, (t) => { return isEntityNameExpression(t.expression) || clause.token === 96 && t.expression.kind === 106; })), visitDeclarationSubtree, isExpressionWithTypeArguments ) )), (clause) => clause.types && !!clause.types.length )); } } function isAlwaysType(node) { if (node.kind === 264) { return true; } return false; } function maskModifiers(factory2, node, modifierMask, modifierAdditions) { return factory2.createModifiersFromModifierFlags(maskModifierFlags(node, modifierMask, modifierAdditions)); } function maskModifierFlags(node, modifierMask = 131071 ^ 1, modifierAdditions = 0) { let flags = getEffectiveModifierFlags(node) & modifierMask | modifierAdditions; if (flags & 2048 && !(flags & 32)) { flags ^= 32; } if (flags & 2048 && flags & 128) { flags ^= 128; } return flags; } function getTypeAnnotationFromAccessor(accessor) { if (accessor) { return accessor.kind === 177 ? accessor.type : accessor.parameters.length > 0 ? accessor.parameters[0].type : void 0; } } function canHaveLiteralInitializer(node) { switch (node.kind) { case 172: case 171: return !hasEffectiveModifier( node, 2 /* Private */ ); case 169: case 260: return true; } return false; } function isPreservedDeclarationStatement(node) { switch (node.kind) { case 262: case 267: case 271: case 264: case 263: case 265: case 266: case 243: case 272: case 278: case 277: return true; } return false; } function isProcessedComponent(node) { switch (node.kind) { case 180: case 176: case 174: case 177: case 178: case 172: case 171: case 173: case 179: case 181: case 260: case 168: case 233: case 183: case 194: case 184: case 185: case 205: return true; } return false; } function getModuleTransformer(moduleKind) { switch (moduleKind) { case 99: case 7: case 6: case 5: case 200: return transformECMAScriptModule; case 4: return transformSystemModule; case 100: case 199: return transformNodeModule; default: return transformModule; } } var noTransformers = { scriptTransformers: emptyArray, declarationTransformers: emptyArray }; function getTransformers(compilerOptions, customTransformers, emitOnly) { return { scriptTransformers: getScriptTransformers(compilerOptions, customTransformers, emitOnly), declarationTransformers: getDeclarationTransformers(customTransformers) }; } function getScriptTransformers(compilerOptions, customTransformers, emitOnly) { if (emitOnly) return emptyArray; const languageVersion = getEmitScriptTarget(compilerOptions); const moduleKind = getEmitModuleKind(compilerOptions); const useDefineForClassFields = getUseDefineForClassFields(compilerOptions); const transformers = []; addRange(transformers, customTransformers && map(customTransformers.before, wrapScriptTransformerFactory)); transformers.push(transformTypeScript); if (compilerOptions.experimentalDecorators) { transformers.push(transformLegacyDecorators); } if (getJSXTransformEnabled(compilerOptions)) { transformers.push(transformJsx); } if (languageVersion < 99) { transformers.push(transformESNext); } if (!compilerOptions.experimentalDecorators && (languageVersion < 99 || !useDefineForClassFields)) { transformers.push(transformESDecorators); } transformers.push(transformClassFields); if (languageVersion < 8) { transformers.push(transformES2021); } if (languageVersion < 7) { transformers.push(transformES2020); } if (languageVersion < 6) { transformers.push(transformES2019); } if (languageVersion < 5) { transformers.push(transformES2018); } if (languageVersion < 4) { transformers.push(transformES2017); } if (languageVersion < 3) { transformers.push(transformES2016); } if (languageVersion < 2) { transformers.push(transformES2015); transformers.push(transformGenerators); } transformers.push(getModuleTransformer(moduleKind)); addRange(transformers, customTransformers && map(customTransformers.after, wrapScriptTransformerFactory)); return transformers; } function getDeclarationTransformers(customTransformers) { const transformers = []; transformers.push(transformDeclarations); addRange(transformers, customTransformers && map(customTransformers.afterDeclarations, wrapDeclarationTransformerFactory)); return transformers; } function wrapCustomTransformer(transformer) { return (node) => isBundle(node) ? transformer.transformBundle(node) : transformer.transformSourceFile(node); } function wrapCustomTransformerFactory(transformer, handleDefault) { return (context) => { const customTransformer = transformer(context); return typeof customTransformer === "function" ? handleDefault(context, customTransformer) : wrapCustomTransformer(customTransformer); }; } function wrapScriptTransformerFactory(transformer) { return wrapCustomTransformerFactory(transformer, chainBundle); } function wrapDeclarationTransformerFactory(transformer) { return wrapCustomTransformerFactory(transformer, (_, node) => node); } function noEmitSubstitution(_hint, node) { return node; } function noEmitNotification(hint, node, callback) { callback(hint, node); } function transformNodes(resolver, host, factory2, options, nodes, transformers, allowDtsFiles) { var _a, _b; const enabledSyntaxKindFeatures = new Array( 357 /* Count */ ); let lexicalEnvironmentVariableDeclarations; let lexicalEnvironmentFunctionDeclarations; let lexicalEnvironmentStatements; let lexicalEnvironmentFlags = 0; let lexicalEnvironmentVariableDeclarationsStack = []; let lexicalEnvironmentFunctionDeclarationsStack = []; let lexicalEnvironmentStatementsStack = []; let lexicalEnvironmentFlagsStack = []; let lexicalEnvironmentStackOffset = 0; let lexicalEnvironmentSuspended = false; let blockScopedVariableDeclarationsStack = []; let blockScopeStackOffset = 0; let blockScopedVariableDeclarations; let emitHelpers; let onSubstituteNode = noEmitSubstitution; let onEmitNode = noEmitNotification; let state = 0; const diagnostics = []; const context = { factory: factory2, getCompilerOptions: () => options, getEmitResolver: () => resolver, // TODO: GH#18217 getEmitHost: () => host, // TODO: GH#18217 getEmitHelperFactory: memoize(() => createEmitHelperFactory(context)), startLexicalEnvironment, suspendLexicalEnvironment, resumeLexicalEnvironment, endLexicalEnvironment, setLexicalEnvironmentFlags, getLexicalEnvironmentFlags, hoistVariableDeclaration, hoistFunctionDeclaration, addInitializationStatement, startBlockScope, endBlockScope, addBlockScopedVariable, requestEmitHelper, readEmitHelpers, enableSubstitution, enableEmitNotification, isSubstitutionEnabled, isEmitNotificationEnabled, get onSubstituteNode() { return onSubstituteNode; }, set onSubstituteNode(value) { Debug.assert(state < 1, "Cannot modify transformation hooks after initialization has completed."); Debug.assert(value !== void 0, "Value must not be 'undefined'"); onSubstituteNode = value; }, get onEmitNode() { return onEmitNode; }, set onEmitNode(value) { Debug.assert(state < 1, "Cannot modify transformation hooks after initialization has completed."); Debug.assert(value !== void 0, "Value must not be 'undefined'"); onEmitNode = value; }, addDiagnostic(diag2) { diagnostics.push(diag2); } }; for (const node of nodes) { disposeEmitNodes(getSourceFileOfNode(getParseTreeNode(node))); } mark("beforeTransform"); const transformersWithContext = transformers.map((t) => t(context)); const transformation = (node) => { for (const transform2 of transformersWithContext) { node = transform2(node); } return node; }; state = 1; const transformed = []; for (const node of nodes) { (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Emit, "transformNodes", node.kind === 307 ? { path: node.path } : { kind: node.kind, pos: node.pos, end: node.end }); transformed.push((allowDtsFiles ? transformation : transformRoot)(node)); (_b = tracing) == null ? void 0 : _b.pop(); } state = 2; mark("afterTransform"); measure("transformTime", "beforeTransform", "afterTransform"); return { transformed, substituteNode, emitNodeWithNotification, isEmitNotificationEnabled, dispose, diagnostics }; function transformRoot(node) { return node && (!isSourceFile(node) || !node.isDeclarationFile) ? transformation(node) : node; } function enableSubstitution(kind) { Debug.assert(state < 2, "Cannot modify the transformation context after transformation has completed."); enabledSyntaxKindFeatures[kind] |= 1; } function isSubstitutionEnabled(node) { return (enabledSyntaxKindFeatures[node.kind] & 1) !== 0 && (getEmitFlags(node) & 8) === 0; } function substituteNode(hint, node) { Debug.assert(state < 3, "Cannot substitute a node after the result is disposed."); return node && isSubstitutionEnabled(node) && onSubstituteNode(hint, node) || node; } function enableEmitNotification(kind) { Debug.assert(state < 2, "Cannot modify the transformation context after transformation has completed."); enabledSyntaxKindFeatures[kind] |= 2; } function isEmitNotificationEnabled(node) { return (enabledSyntaxKindFeatures[node.kind] & 2) !== 0 || (getEmitFlags(node) & 4) !== 0; } function emitNodeWithNotification(hint, node, emitCallback) { Debug.assert(state < 3, "Cannot invoke TransformationResult callbacks after the result is disposed."); if (node) { if (isEmitNotificationEnabled(node)) { onEmitNode(hint, node, emitCallback); } else { emitCallback(hint, node); } } } function hoistVariableDeclaration(name) { Debug.assert(state > 0, "Cannot modify the lexical environment during initialization."); Debug.assert(state < 2, "Cannot modify the lexical environment after transformation has completed."); const decl = setEmitFlags( factory2.createVariableDeclaration(name), 128 /* NoNestedSourceMaps */ ); if (!lexicalEnvironmentVariableDeclarations) { lexicalEnvironmentVariableDeclarations = [decl]; } else { lexicalEnvironmentVariableDeclarations.push(decl); } if (lexicalEnvironmentFlags & 1) { lexicalEnvironmentFlags |= 2; } } function hoistFunctionDeclaration(func) { Debug.assert(state > 0, "Cannot modify the lexical environment during initialization."); Debug.assert(state < 2, "Cannot modify the lexical environment after transformation has completed."); setEmitFlags( func, 2097152 /* CustomPrologue */ ); if (!lexicalEnvironmentFunctionDeclarations) { lexicalEnvironmentFunctionDeclarations = [func]; } else { lexicalEnvironmentFunctionDeclarations.push(func); } } function addInitializationStatement(node) { Debug.assert(state > 0, "Cannot modify the lexical environment during initialization."); Debug.assert(state < 2, "Cannot modify the lexical environment after transformation has completed."); setEmitFlags( node, 2097152 /* CustomPrologue */ ); if (!lexicalEnvironmentStatements) { lexicalEnvironmentStatements = [node]; } else { lexicalEnvironmentStatements.push(node); } } function startLexicalEnvironment() { Debug.assert(state > 0, "Cannot modify the lexical environment during initialization."); Debug.assert(state < 2, "Cannot modify the lexical environment after transformation has completed."); Debug.assert(!lexicalEnvironmentSuspended, "Lexical environment is suspended."); lexicalEnvironmentVariableDeclarationsStack[lexicalEnvironmentStackOffset] = lexicalEnvironmentVariableDeclarations; lexicalEnvironmentFunctionDeclarationsStack[lexicalEnvironmentStackOffset] = lexicalEnvironmentFunctionDeclarations; lexicalEnvironmentStatementsStack[lexicalEnvironmentStackOffset] = lexicalEnvironmentStatements; lexicalEnvironmentFlagsStack[lexicalEnvironmentStackOffset] = lexicalEnvironmentFlags; lexicalEnvironmentStackOffset++; lexicalEnvironmentVariableDeclarations = void 0; lexicalEnvironmentFunctionDeclarations = void 0; lexicalEnvironmentStatements = void 0; lexicalEnvironmentFlags = 0; } function suspendLexicalEnvironment() { Debug.assert(state > 0, "Cannot modify the lexical environment during initialization."); Debug.assert(state < 2, "Cannot modify the lexical environment after transformation has completed."); Debug.assert(!lexicalEnvironmentSuspended, "Lexical environment is already suspended."); lexicalEnvironmentSuspended = true; } function resumeLexicalEnvironment() { Debug.assert(state > 0, "Cannot modify the lexical environment during initialization."); Debug.assert(state < 2, "Cannot modify the lexical environment after transformation has completed."); Debug.assert(lexicalEnvironmentSuspended, "Lexical environment is not suspended."); lexicalEnvironmentSuspended = false; } function endLexicalEnvironment() { Debug.assert(state > 0, "Cannot modify the lexical environment during initialization."); Debug.assert(state < 2, "Cannot modify the lexical environment after transformation has completed."); Debug.assert(!lexicalEnvironmentSuspended, "Lexical environment is suspended."); let statements; if (lexicalEnvironmentVariableDeclarations || lexicalEnvironmentFunctionDeclarations || lexicalEnvironmentStatements) { if (lexicalEnvironmentFunctionDeclarations) { statements = [...lexicalEnvironmentFunctionDeclarations]; } if (lexicalEnvironmentVariableDeclarations) { const statement = factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList(lexicalEnvironmentVariableDeclarations) ); setEmitFlags( statement, 2097152 /* CustomPrologue */ ); if (!statements) { statements = [statement]; } else { statements.push(statement); } } if (lexicalEnvironmentStatements) { if (!statements) { statements = [...lexicalEnvironmentStatements]; } else { statements = [...statements, ...lexicalEnvironmentStatements]; } } } lexicalEnvironmentStackOffset--; lexicalEnvironmentVariableDeclarations = lexicalEnvironmentVariableDeclarationsStack[lexicalEnvironmentStackOffset]; lexicalEnvironmentFunctionDeclarations = lexicalEnvironmentFunctionDeclarationsStack[lexicalEnvironmentStackOffset]; lexicalEnvironmentStatements = lexicalEnvironmentStatementsStack[lexicalEnvironmentStackOffset]; lexicalEnvironmentFlags = lexicalEnvironmentFlagsStack[lexicalEnvironmentStackOffset]; if (lexicalEnvironmentStackOffset === 0) { lexicalEnvironmentVariableDeclarationsStack = []; lexicalEnvironmentFunctionDeclarationsStack = []; lexicalEnvironmentStatementsStack = []; lexicalEnvironmentFlagsStack = []; } return statements; } function setLexicalEnvironmentFlags(flags, value) { lexicalEnvironmentFlags = value ? lexicalEnvironmentFlags | flags : lexicalEnvironmentFlags & ~flags; } function getLexicalEnvironmentFlags() { return lexicalEnvironmentFlags; } function startBlockScope() { Debug.assert(state > 0, "Cannot start a block scope during initialization."); Debug.assert(state < 2, "Cannot start a block scope after transformation has completed."); blockScopedVariableDeclarationsStack[blockScopeStackOffset] = blockScopedVariableDeclarations; blockScopeStackOffset++; blockScopedVariableDeclarations = void 0; } function endBlockScope() { Debug.assert(state > 0, "Cannot end a block scope during initialization."); Debug.assert(state < 2, "Cannot end a block scope after transformation has completed."); const statements = some(blockScopedVariableDeclarations) ? [ factory2.createVariableStatement( /*modifiers*/ void 0, factory2.createVariableDeclarationList( blockScopedVariableDeclarations.map((identifier) => factory2.createVariableDeclaration(identifier)), 1 /* Let */ ) ) ] : void 0; blockScopeStackOffset--; blockScopedVariableDeclarations = blockScopedVariableDeclarationsStack[blockScopeStackOffset]; if (blockScopeStackOffset === 0) { blockScopedVariableDeclarationsStack = []; } return statements; } function addBlockScopedVariable(name) { Debug.assert(blockScopeStackOffset > 0, "Cannot add a block scoped variable outside of an iteration body."); (blockScopedVariableDeclarations || (blockScopedVariableDeclarations = [])).push(name); } function requestEmitHelper(helper) { Debug.assert(state > 0, "Cannot modify the transformation context during initialization."); Debug.assert(state < 2, "Cannot modify the transformation context after transformation has completed."); Debug.assert(!helper.scoped, "Cannot request a scoped emit helper."); if (helper.dependencies) { for (const h of helper.dependencies) { requestEmitHelper(h); } } emitHelpers = append(emitHelpers, helper); } function readEmitHelpers() { Debug.assert(state > 0, "Cannot modify the transformation context during initialization."); Debug.assert(state < 2, "Cannot modify the transformation context after transformation has completed."); const helpers = emitHelpers; emitHelpers = void 0; return helpers; } function dispose() { if (state < 3) { for (const node of nodes) { disposeEmitNodes(getSourceFileOfNode(getParseTreeNode(node))); } lexicalEnvironmentVariableDeclarations = void 0; lexicalEnvironmentVariableDeclarationsStack = void 0; lexicalEnvironmentFunctionDeclarations = void 0; lexicalEnvironmentFunctionDeclarationsStack = void 0; onSubstituteNode = void 0; onEmitNode = void 0; emitHelpers = void 0; state = 3; } } } var nullTransformationContext = { factory, // eslint-disable-line object-shorthand getCompilerOptions: () => ({}), getEmitResolver: notImplemented, getEmitHost: notImplemented, getEmitHelperFactory: notImplemented, startLexicalEnvironment: noop2, resumeLexicalEnvironment: noop2, suspendLexicalEnvironment: noop2, endLexicalEnvironment: returnUndefined, setLexicalEnvironmentFlags: noop2, getLexicalEnvironmentFlags: () => 0, hoistVariableDeclaration: noop2, hoistFunctionDeclaration: noop2, addInitializationStatement: noop2, startBlockScope: noop2, endBlockScope: returnUndefined, addBlockScopedVariable: noop2, requestEmitHelper: noop2, readEmitHelpers: notImplemented, enableSubstitution: noop2, enableEmitNotification: noop2, isSubstitutionEnabled: notImplemented, isEmitNotificationEnabled: notImplemented, onSubstituteNode: noEmitSubstitution, onEmitNode: noEmitNotification, addDiagnostic: noop2 }; var brackets = createBracketsMap(); function isBuildInfoFile(file) { return fileExtensionIs( file, ".tsbuildinfo" /* TsBuildInfo */ ); } function forEachEmittedFile(host, action, sourceFilesOrTargetSourceFile, forceDtsEmit = false, onlyBuildInfo, includeBuildInfo) { const sourceFiles = isArray3(sourceFilesOrTargetSourceFile) ? sourceFilesOrTargetSourceFile : getSourceFilesToEmit(host, sourceFilesOrTargetSourceFile, forceDtsEmit); const options = host.getCompilerOptions(); if (options.outFile) { if (sourceFiles.length) { const bundle = factory.createBundle(sourceFiles); const result = action(getOutputPathsFor(bundle, host, forceDtsEmit), bundle); if (result) { return result; } } } else { if (!onlyBuildInfo) { for (const sourceFile of sourceFiles) { const result = action(getOutputPathsFor(sourceFile, host, forceDtsEmit), sourceFile); if (result) { return result; } } } if (includeBuildInfo) { const buildInfoPath = getTsBuildInfoEmitOutputFilePath(options); if (buildInfoPath) return action( { buildInfoPath }, /*sourceFileOrBundle*/ void 0 ); } } } function getTsBuildInfoEmitOutputFilePath(options) { const configFile = options.configFilePath; if (!isIncrementalCompilation(options)) return void 0; if (options.tsBuildInfoFile) return options.tsBuildInfoFile; const outPath = options.outFile; let buildInfoExtensionLess; if (outPath) { buildInfoExtensionLess = removeFileExtension(outPath); } else { if (!configFile) return void 0; const configFileExtensionLess = removeFileExtension(configFile); buildInfoExtensionLess = options.outDir ? options.rootDir ? resolvePath(options.outDir, getRelativePathFromDirectory( options.rootDir, configFileExtensionLess, /*ignoreCase*/ true )) : combinePaths(options.outDir, getBaseFileName(configFileExtensionLess)) : configFileExtensionLess; } return buildInfoExtensionLess + ".tsbuildinfo"; } function getOutputPathsForBundle(options, forceDtsPaths) { const outPath = options.outFile; const jsFilePath = options.emitDeclarationOnly ? void 0 : outPath; const sourceMapFilePath = jsFilePath && getSourceMapFilePath(jsFilePath, options); const declarationFilePath = forceDtsPaths || getEmitDeclarations(options) ? removeFileExtension(outPath) + ".d.ts" : void 0; const declarationMapPath = declarationFilePath && getAreDeclarationMapsEnabled(options) ? declarationFilePath + ".map" : void 0; const buildInfoPath = getTsBuildInfoEmitOutputFilePath(options); return { jsFilePath, sourceMapFilePath, declarationFilePath, declarationMapPath, buildInfoPath }; } function getOutputPathsFor(sourceFile, host, forceDtsPaths) { const options = host.getCompilerOptions(); if (sourceFile.kind === 308) { return getOutputPathsForBundle(options, forceDtsPaths); } else { const ownOutputFilePath = getOwnEmitOutputFilePath(sourceFile.fileName, host, getOutputExtension(sourceFile.fileName, options)); const isJsonFile = isJsonSourceFile(sourceFile); const isJsonEmittedToSameLocation = isJsonFile && comparePaths(sourceFile.fileName, ownOutputFilePath, host.getCurrentDirectory(), !host.useCaseSensitiveFileNames()) === 0; const jsFilePath = options.emitDeclarationOnly || isJsonEmittedToSameLocation ? void 0 : ownOutputFilePath; const sourceMapFilePath = !jsFilePath || isJsonSourceFile(sourceFile) ? void 0 : getSourceMapFilePath(jsFilePath, options); const declarationFilePath = forceDtsPaths || getEmitDeclarations(options) && !isJsonFile ? getDeclarationEmitOutputFilePath(sourceFile.fileName, host) : void 0; const declarationMapPath = declarationFilePath && getAreDeclarationMapsEnabled(options) ? declarationFilePath + ".map" : void 0; return { jsFilePath, sourceMapFilePath, declarationFilePath, declarationMapPath, buildInfoPath: void 0 }; } } function getSourceMapFilePath(jsFilePath, options) { return options.sourceMap && !options.inlineSourceMap ? jsFilePath + ".map" : void 0; } function getOutputExtension(fileName, options) { return fileExtensionIs( fileName, ".json" /* Json */ ) ? ".json" : options.jsx === 1 && fileExtensionIsOneOf(fileName, [ ".jsx", ".tsx" /* Tsx */ ]) ? ".jsx" : fileExtensionIsOneOf(fileName, [ ".mts", ".mjs" /* Mjs */ ]) ? ".mjs" : fileExtensionIsOneOf(fileName, [ ".cts", ".cjs" /* Cjs */ ]) ? ".cjs" : ".js"; } function getOutputPathWithoutChangingExt(inputFileName, ignoreCase, outputDir, getCommonSourceDirectory2) { return outputDir ? resolvePath( outputDir, getRelativePathFromDirectory(getCommonSourceDirectory2(), inputFileName, ignoreCase) ) : inputFileName; } function getOutputDeclarationFileName(inputFileName, configFile, ignoreCase, getCommonSourceDirectory2 = () => getCommonSourceDirectoryOfConfig(configFile, ignoreCase)) { return getOutputDeclarationFileNameWorker(inputFileName, configFile.options, ignoreCase, getCommonSourceDirectory2); } function getOutputDeclarationFileNameWorker(inputFileName, options, ignoreCase, getCommonSourceDirectory2) { return changeExtension( getOutputPathWithoutChangingExt(inputFileName, ignoreCase, options.declarationDir || options.outDir, getCommonSourceDirectory2), getDeclarationEmitExtensionForPath(inputFileName) ); } function getOutputJSFileName(inputFileName, configFile, ignoreCase, getCommonSourceDirectory2 = () => getCommonSourceDirectoryOfConfig(configFile, ignoreCase)) { if (configFile.options.emitDeclarationOnly) return void 0; const isJsonFile = fileExtensionIs( inputFileName, ".json" /* Json */ ); const outputFileName = getOutputJSFileNameWorker(inputFileName, configFile.options, ignoreCase, getCommonSourceDirectory2); return !isJsonFile || comparePaths(inputFileName, outputFileName, Debug.checkDefined(configFile.options.configFilePath), ignoreCase) !== 0 ? outputFileName : void 0; } function getOutputJSFileNameWorker(inputFileName, options, ignoreCase, getCommonSourceDirectory2) { return changeExtension( getOutputPathWithoutChangingExt(inputFileName, ignoreCase, options.outDir, getCommonSourceDirectory2), getOutputExtension(inputFileName, options) ); } function createAddOutput() { let outputs; return { addOutput, getOutputs }; function addOutput(path17) { if (path17) { (outputs || (outputs = [])).push(path17); } } function getOutputs() { return outputs || emptyArray; } } function getSingleOutputFileNames(configFile, addOutput) { const { jsFilePath, sourceMapFilePath, declarationFilePath, declarationMapPath, buildInfoPath } = getOutputPathsForBundle( configFile.options, /*forceDtsPaths*/ false ); addOutput(jsFilePath); addOutput(sourceMapFilePath); addOutput(declarationFilePath); addOutput(declarationMapPath); addOutput(buildInfoPath); } function getOwnOutputFileNames(configFile, inputFileName, ignoreCase, addOutput, getCommonSourceDirectory2) { if (isDeclarationFileName(inputFileName)) return; const js3 = getOutputJSFileName(inputFileName, configFile, ignoreCase, getCommonSourceDirectory2); addOutput(js3); if (fileExtensionIs( inputFileName, ".json" /* Json */ )) return; if (js3 && configFile.options.sourceMap) { addOutput(`${js3}.map`); } if (getEmitDeclarations(configFile.options)) { const dts = getOutputDeclarationFileName(inputFileName, configFile, ignoreCase, getCommonSourceDirectory2); addOutput(dts); if (configFile.options.declarationMap) { addOutput(`${dts}.map`); } } } function getCommonSourceDirectory(options, emittedFiles, currentDirectory, getCanonicalFileName, checkSourceFilesBelongToPath) { let commonSourceDirectory; if (options.rootDir) { commonSourceDirectory = getNormalizedAbsolutePath(options.rootDir, currentDirectory); checkSourceFilesBelongToPath == null ? void 0 : checkSourceFilesBelongToPath(options.rootDir); } else if (options.composite && options.configFilePath) { commonSourceDirectory = getDirectoryPath(normalizeSlashes(options.configFilePath)); checkSourceFilesBelongToPath == null ? void 0 : checkSourceFilesBelongToPath(commonSourceDirectory); } else { commonSourceDirectory = computeCommonSourceDirectoryOfFilenames(emittedFiles(), currentDirectory, getCanonicalFileName); } if (commonSourceDirectory && commonSourceDirectory[commonSourceDirectory.length - 1] !== directorySeparator) { commonSourceDirectory += directorySeparator; } return commonSourceDirectory; } function getCommonSourceDirectoryOfConfig({ options, fileNames }, ignoreCase) { return getCommonSourceDirectory( options, () => filter(fileNames, (file) => !(options.noEmitForJsFiles && fileExtensionIsOneOf(file, supportedJSExtensionsFlat)) && !isDeclarationFileName(file)), getDirectoryPath(normalizeSlashes(Debug.checkDefined(options.configFilePath))), createGetCanonicalFileName(!ignoreCase) ); } function getAllProjectOutputs(configFile, ignoreCase) { const { addOutput, getOutputs } = createAddOutput(); if (configFile.options.outFile) { getSingleOutputFileNames(configFile, addOutput); } else { const getCommonSourceDirectory2 = memoize(() => getCommonSourceDirectoryOfConfig(configFile, ignoreCase)); for (const inputFileName of configFile.fileNames) { getOwnOutputFileNames(configFile, inputFileName, ignoreCase, addOutput, getCommonSourceDirectory2); } addOutput(getTsBuildInfoEmitOutputFilePath(configFile.options)); } return getOutputs(); } function getOutputFileNames(commandLine, inputFileName, ignoreCase) { inputFileName = normalizePath(inputFileName); Debug.assert(contains(commandLine.fileNames, inputFileName), `Expected fileName to be present in command line`); const { addOutput, getOutputs } = createAddOutput(); if (commandLine.options.outFile) { getSingleOutputFileNames(commandLine, addOutput); } else { getOwnOutputFileNames(commandLine, inputFileName, ignoreCase, addOutput); } return getOutputs(); } function getFirstProjectOutput(configFile, ignoreCase) { if (configFile.options.outFile) { const { jsFilePath, declarationFilePath } = getOutputPathsForBundle( configFile.options, /*forceDtsPaths*/ false ); return Debug.checkDefined(jsFilePath || declarationFilePath, `project ${configFile.options.configFilePath} expected to have at least one output`); } const getCommonSourceDirectory2 = memoize(() => getCommonSourceDirectoryOfConfig(configFile, ignoreCase)); for (const inputFileName of configFile.fileNames) { if (isDeclarationFileName(inputFileName)) continue; const jsFilePath = getOutputJSFileName(inputFileName, configFile, ignoreCase, getCommonSourceDirectory2); if (jsFilePath) return jsFilePath; if (fileExtensionIs( inputFileName, ".json" /* Json */ )) continue; if (getEmitDeclarations(configFile.options)) { return getOutputDeclarationFileName(inputFileName, configFile, ignoreCase, getCommonSourceDirectory2); } } const buildInfoPath = getTsBuildInfoEmitOutputFilePath(configFile.options); if (buildInfoPath) return buildInfoPath; return Debug.fail(`project ${configFile.options.configFilePath} expected to have at least one output`); } function emitResolverSkipsTypeChecking(emitOnly, forceDtsEmit) { return !!forceDtsEmit && !!emitOnly; } function emitFiles(resolver, host, targetSourceFile, { scriptTransformers, declarationTransformers }, emitOnly, onlyBuildInfo, forceDtsEmit) { var compilerOptions = host.getCompilerOptions(); var sourceMapDataList = compilerOptions.sourceMap || compilerOptions.inlineSourceMap || getAreDeclarationMapsEnabled(compilerOptions) ? [] : void 0; var emittedFilesList = compilerOptions.listEmittedFiles ? [] : void 0; var emitterDiagnostics = createDiagnosticCollection(); var newLine = getNewLineCharacter(compilerOptions); var writer = createTextWriter(newLine); var { enter, exit } = createTimer("printTime", "beforePrint", "afterPrint"); var emitSkipped = false; enter(); forEachEmittedFile( host, emitSourceFileOrBundle, getSourceFilesToEmit(host, targetSourceFile, forceDtsEmit), forceDtsEmit, onlyBuildInfo, !targetSourceFile ); exit(); return { emitSkipped, diagnostics: emitterDiagnostics.getDiagnostics(), emittedFiles: emittedFilesList, sourceMaps: sourceMapDataList }; function emitSourceFileOrBundle({ jsFilePath, sourceMapFilePath, declarationFilePath, declarationMapPath, buildInfoPath }, sourceFileOrBundle) { var _a, _b, _c, _d, _e, _f; (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Emit, "emitJsFileOrBundle", { jsFilePath }); emitJsFileOrBundle(sourceFileOrBundle, jsFilePath, sourceMapFilePath); (_b = tracing) == null ? void 0 : _b.pop(); (_c = tracing) == null ? void 0 : _c.push(tracing.Phase.Emit, "emitDeclarationFileOrBundle", { declarationFilePath }); emitDeclarationFileOrBundle(sourceFileOrBundle, declarationFilePath, declarationMapPath); (_d = tracing) == null ? void 0 : _d.pop(); (_e = tracing) == null ? void 0 : _e.push(tracing.Phase.Emit, "emitBuildInfo", { buildInfoPath }); emitBuildInfo(buildInfoPath); (_f = tracing) == null ? void 0 : _f.pop(); } function emitBuildInfo(buildInfoPath) { if (!buildInfoPath || targetSourceFile || emitSkipped) return; if (host.isEmitBlocked(buildInfoPath)) { emitSkipped = true; return; } const buildInfo = host.getBuildInfo() || createBuildInfo( /*program*/ void 0 ); writeFile( host, emitterDiagnostics, buildInfoPath, getBuildInfoText(buildInfo), /*writeByteOrderMark*/ false, /*sourceFiles*/ void 0, { buildInfo } ); emittedFilesList == null ? void 0 : emittedFilesList.push(buildInfoPath); } function emitJsFileOrBundle(sourceFileOrBundle, jsFilePath, sourceMapFilePath) { if (!sourceFileOrBundle || emitOnly || !jsFilePath) { return; } if (host.isEmitBlocked(jsFilePath) || compilerOptions.noEmit) { emitSkipped = true; return; } (isSourceFile(sourceFileOrBundle) ? [sourceFileOrBundle] : filter(sourceFileOrBundle.sourceFiles, isSourceFileNotJson)).forEach( (sourceFile) => { if (compilerOptions.noCheck || !canIncludeBindAndCheckDiagnsotics(sourceFile, compilerOptions)) markLinkedReferences(sourceFile); } ); const transform2 = transformNodes( resolver, host, factory, compilerOptions, [sourceFileOrBundle], scriptTransformers, /*allowDtsFiles*/ false ); const printerOptions = { removeComments: compilerOptions.removeComments, newLine: compilerOptions.newLine, noEmitHelpers: compilerOptions.noEmitHelpers, module: getEmitModuleKind(compilerOptions), target: getEmitScriptTarget(compilerOptions), sourceMap: compilerOptions.sourceMap, inlineSourceMap: compilerOptions.inlineSourceMap, inlineSources: compilerOptions.inlineSources, extendedDiagnostics: compilerOptions.extendedDiagnostics }; const printer = createPrinter(printerOptions, { // resolver hooks hasGlobalName: resolver.hasGlobalName, // transform hooks onEmitNode: transform2.emitNodeWithNotification, isEmitNotificationEnabled: transform2.isEmitNotificationEnabled, substituteNode: transform2.substituteNode }); Debug.assert(transform2.transformed.length === 1, "Should only see one output from the transform"); printSourceFileOrBundle(jsFilePath, sourceMapFilePath, transform2, printer, compilerOptions); transform2.dispose(); if (emittedFilesList) { emittedFilesList.push(jsFilePath); if (sourceMapFilePath) { emittedFilesList.push(sourceMapFilePath); } } } function emitDeclarationFileOrBundle(sourceFileOrBundle, declarationFilePath, declarationMapPath) { if (!sourceFileOrBundle || emitOnly === 0) return; if (!declarationFilePath) { if (emitOnly || compilerOptions.emitDeclarationOnly) emitSkipped = true; return; } const sourceFiles = isSourceFile(sourceFileOrBundle) ? [sourceFileOrBundle] : sourceFileOrBundle.sourceFiles; const filesForEmit = forceDtsEmit ? sourceFiles : filter(sourceFiles, isSourceFileNotJson); const inputListOrBundle = compilerOptions.outFile ? [factory.createBundle(filesForEmit)] : filesForEmit; filesForEmit.forEach((sourceFile) => { if (emitOnly && !getEmitDeclarations(compilerOptions) || compilerOptions.noCheck || emitResolverSkipsTypeChecking(emitOnly, forceDtsEmit) || !canIncludeBindAndCheckDiagnsotics(sourceFile, compilerOptions)) { collectLinkedAliases(sourceFile); } }); const declarationTransform = transformNodes( resolver, host, factory, compilerOptions, inputListOrBundle, declarationTransformers, /*allowDtsFiles*/ false ); if (length(declarationTransform.diagnostics)) { for (const diagnostic of declarationTransform.diagnostics) { emitterDiagnostics.add(diagnostic); } } const declBlocked = !!declarationTransform.diagnostics && !!declarationTransform.diagnostics.length || !!host.isEmitBlocked(declarationFilePath) || !!compilerOptions.noEmit; emitSkipped = emitSkipped || declBlocked; if (!declBlocked || forceDtsEmit) { Debug.assert(declarationTransform.transformed.length === 1, "Should only see one output from the decl transform"); const printerOptions = { removeComments: compilerOptions.removeComments, newLine: compilerOptions.newLine, noEmitHelpers: true, module: compilerOptions.module, target: compilerOptions.target, sourceMap: !forceDtsEmit && compilerOptions.declarationMap, inlineSourceMap: compilerOptions.inlineSourceMap, extendedDiagnostics: compilerOptions.extendedDiagnostics, onlyPrintJsDocStyle: true, omitBraceSourceMapPositions: true }; const declarationPrinter = createPrinter(printerOptions, { // resolver hooks hasGlobalName: resolver.hasGlobalName, // transform hooks onEmitNode: declarationTransform.emitNodeWithNotification, isEmitNotificationEnabled: declarationTransform.isEmitNotificationEnabled, substituteNode: declarationTransform.substituteNode }); printSourceFileOrBundle( declarationFilePath, declarationMapPath, declarationTransform, declarationPrinter, { sourceMap: printerOptions.sourceMap, sourceRoot: compilerOptions.sourceRoot, mapRoot: compilerOptions.mapRoot, extendedDiagnostics: compilerOptions.extendedDiagnostics // Explicitly do not passthru either `inline` option } ); if (emittedFilesList) { emittedFilesList.push(declarationFilePath); if (declarationMapPath) { emittedFilesList.push(declarationMapPath); } } } declarationTransform.dispose(); } function collectLinkedAliases(node) { if (isExportAssignment(node)) { if (node.expression.kind === 80) { resolver.collectLinkedAliases( node.expression, /*setVisibility*/ true ); } return; } else if (isExportSpecifier(node)) { resolver.collectLinkedAliases( node.propertyName || node.name, /*setVisibility*/ true ); return; } forEachChild(node, collectLinkedAliases); } function markLinkedReferences(file) { forEachChildRecursively(file, (n) => { if (isImportEqualsDeclaration(n) && !(getSyntacticModifierFlags(n) & 32)) return "skip"; if (isImportDeclaration(n)) return "skip"; resolver.markLinkedReferences(n); }); } function printSourceFileOrBundle(jsFilePath, sourceMapFilePath, transform2, printer, mapOptions) { const sourceFileOrBundle = transform2.transformed[0]; const bundle = sourceFileOrBundle.kind === 308 ? sourceFileOrBundle : void 0; const sourceFile = sourceFileOrBundle.kind === 307 ? sourceFileOrBundle : void 0; const sourceFiles = bundle ? bundle.sourceFiles : [sourceFile]; let sourceMapGenerator; if (shouldEmitSourceMaps(mapOptions, sourceFileOrBundle)) { sourceMapGenerator = createSourceMapGenerator( host, getBaseFileName(normalizeSlashes(jsFilePath)), getSourceRoot(mapOptions), getSourceMapDirectory(mapOptions, jsFilePath, sourceFile), mapOptions ); } if (bundle) { printer.writeBundle(bundle, writer, sourceMapGenerator); } else { printer.writeFile(sourceFile, writer, sourceMapGenerator); } let sourceMapUrlPos; if (sourceMapGenerator) { if (sourceMapDataList) { sourceMapDataList.push({ inputSourceFileNames: sourceMapGenerator.getSources(), sourceMap: sourceMapGenerator.toJSON() }); } const sourceMappingURL = getSourceMappingURL( mapOptions, sourceMapGenerator, jsFilePath, sourceMapFilePath, sourceFile ); if (sourceMappingURL) { if (!writer.isAtStartOfLine()) writer.rawWrite(newLine); sourceMapUrlPos = writer.getTextPos(); writer.writeComment(`//# ${"sourceMappingURL"}=${sourceMappingURL}`); } if (sourceMapFilePath) { const sourceMap = sourceMapGenerator.toString(); writeFile( host, emitterDiagnostics, sourceMapFilePath, sourceMap, /*writeByteOrderMark*/ false, sourceFiles ); } } else { writer.writeLine(); } const text = writer.getText(); writeFile(host, emitterDiagnostics, jsFilePath, text, !!compilerOptions.emitBOM, sourceFiles, { sourceMapUrlPos, diagnostics: transform2.diagnostics }); writer.clear(); } function shouldEmitSourceMaps(mapOptions, sourceFileOrBundle) { return (mapOptions.sourceMap || mapOptions.inlineSourceMap) && (sourceFileOrBundle.kind !== 307 || !fileExtensionIs( sourceFileOrBundle.fileName, ".json" /* Json */ )); } function getSourceRoot(mapOptions) { const sourceRoot = normalizeSlashes(mapOptions.sourceRoot || ""); return sourceRoot ? ensureTrailingDirectorySeparator(sourceRoot) : sourceRoot; } function getSourceMapDirectory(mapOptions, filePath, sourceFile) { if (mapOptions.sourceRoot) return host.getCommonSourceDirectory(); if (mapOptions.mapRoot) { let sourceMapDir = normalizeSlashes(mapOptions.mapRoot); if (sourceFile) { sourceMapDir = getDirectoryPath(getSourceFilePathInNewDir(sourceFile.fileName, host, sourceMapDir)); } if (getRootLength(sourceMapDir) === 0) { sourceMapDir = combinePaths(host.getCommonSourceDirectory(), sourceMapDir); } return sourceMapDir; } return getDirectoryPath(normalizePath(filePath)); } function getSourceMappingURL(mapOptions, sourceMapGenerator, filePath, sourceMapFilePath, sourceFile) { if (mapOptions.inlineSourceMap) { const sourceMapText = sourceMapGenerator.toString(); const base64SourceMapText = base64encode(sys, sourceMapText); return `data:application/json;base64,${base64SourceMapText}`; } const sourceMapFile = getBaseFileName(normalizeSlashes(Debug.checkDefined(sourceMapFilePath))); if (mapOptions.mapRoot) { let sourceMapDir = normalizeSlashes(mapOptions.mapRoot); if (sourceFile) { sourceMapDir = getDirectoryPath(getSourceFilePathInNewDir(sourceFile.fileName, host, sourceMapDir)); } if (getRootLength(sourceMapDir) === 0) { sourceMapDir = combinePaths(host.getCommonSourceDirectory(), sourceMapDir); return encodeURI( getRelativePathToDirectoryOrUrl( getDirectoryPath(normalizePath(filePath)), // get the relative sourceMapDir path based on jsFilePath combinePaths(sourceMapDir, sourceMapFile), // this is where user expects to see sourceMap host.getCurrentDirectory(), host.getCanonicalFileName, /*isAbsolutePathAnUrl*/ true ) ); } else { return encodeURI(combinePaths(sourceMapDir, sourceMapFile)); } } return encodeURI(sourceMapFile); } } function createBuildInfo(program) { return { program, version }; } function getBuildInfoText(buildInfo) { return JSON.stringify(buildInfo); } function getBuildInfo(buildInfoFile, buildInfoText) { return readJsonOrUndefined(buildInfoFile, buildInfoText); } var notImplementedResolver = { hasGlobalName: notImplemented, getReferencedExportContainer: notImplemented, getReferencedImportDeclaration: notImplemented, getReferencedDeclarationWithCollidingName: notImplemented, isDeclarationWithCollidingName: notImplemented, isValueAliasDeclaration: notImplemented, isReferencedAliasDeclaration: notImplemented, isTopLevelValueImportEqualsWithEntityName: notImplemented, hasNodeCheckFlag: notImplemented, isDeclarationVisible: notImplemented, isLateBound: (_node) => false, collectLinkedAliases: notImplemented, markLinkedReferences: notImplemented, isImplementationOfOverload: notImplemented, requiresAddingImplicitUndefined: notImplemented, isExpandoFunctionDeclaration: notImplemented, getPropertiesOfContainerFunction: notImplemented, createTypeOfDeclaration: notImplemented, createReturnTypeOfSignatureDeclaration: notImplemented, createTypeOfExpression: notImplemented, createLiteralConstValue: notImplemented, isSymbolAccessible: notImplemented, isEntityNameVisible: notImplemented, // Returns the constant value this property access resolves to: notImplemented, or 'undefined' for a non-constant getConstantValue: notImplemented, getEnumMemberValue: notImplemented, getReferencedValueDeclaration: notImplemented, getReferencedValueDeclarations: notImplemented, getTypeReferenceSerializationKind: notImplemented, isOptionalParameter: notImplemented, isArgumentsLocalBinding: notImplemented, getExternalModuleFileFromDeclaration: notImplemented, isLiteralConstDeclaration: notImplemented, getJsxFactoryEntity: notImplemented, getJsxFragmentFactoryEntity: notImplemented, isBindingCapturedByNode: notImplemented, getDeclarationStatementsForSourceFile: notImplemented, isImportRequiredByAugmentation: notImplemented }; var createPrinterWithDefaults = /* @__PURE__ */ memoize(() => createPrinter({})); var createPrinterWithRemoveComments = /* @__PURE__ */ memoize(() => createPrinter({ removeComments: true })); var createPrinterWithRemoveCommentsNeverAsciiEscape = /* @__PURE__ */ memoize(() => createPrinter({ removeComments: true, neverAsciiEscape: true })); var createPrinterWithRemoveCommentsOmitTrailingSemicolon = /* @__PURE__ */ memoize(() => createPrinter({ removeComments: true, omitTrailingSemicolon: true })); function createPrinter(printerOptions = {}, handlers = {}) { var { hasGlobalName, onEmitNode = noEmitNotification, isEmitNotificationEnabled, substituteNode = noEmitSubstitution, onBeforeEmitNode, onAfterEmitNode, onBeforeEmitNodeArray, onAfterEmitNodeArray, onBeforeEmitToken, onAfterEmitToken } = handlers; var extendedDiagnostics = !!printerOptions.extendedDiagnostics; var omitBraceSourcePositions = !!printerOptions.omitBraceSourceMapPositions; var newLine = getNewLineCharacter(printerOptions); var moduleKind = getEmitModuleKind(printerOptions); var bundledHelpers = /* @__PURE__ */ new Map(); var currentSourceFile; var nodeIdToGeneratedName; var nodeIdToGeneratedPrivateName; var autoGeneratedIdToGeneratedName; var generatedNames; var formattedNameTempFlagsStack; var formattedNameTempFlags; var privateNameTempFlagsStack; var privateNameTempFlags; var tempFlagsStack; var tempFlags; var reservedNamesStack; var reservedNames; var reservedPrivateNamesStack; var reservedPrivateNames; var preserveSourceNewlines = printerOptions.preserveSourceNewlines; var nextListElementPos; var writer; var ownWriter; var write = writeBase; var isOwnFileEmit; var sourceMapsDisabled = true; var sourceMapGenerator; var sourceMapSource; var sourceMapSourceIndex = -1; var mostRecentlyAddedSourceMapSource; var mostRecentlyAddedSourceMapSourceIndex = -1; var containerPos = -1; var containerEnd = -1; var declarationListContainerEnd = -1; var currentLineMap; var detachedCommentsInfo; var hasWrittenComment = false; var commentsDisabled = !!printerOptions.removeComments; var lastSubstitution; var currentParenthesizerRule; var { enter: enterComment, exit: exitComment } = createTimerIf(extendedDiagnostics, "commentTime", "beforeComment", "afterComment"); var parenthesizer = factory.parenthesizer; var typeArgumentParenthesizerRuleSelector = { select: (index) => index === 0 ? parenthesizer.parenthesizeLeadingTypeArgument : void 0 }; var emitBinaryExpression = createEmitBinaryExpression(); reset2(); return { // public API printNode, printList, printFile, printBundle, // internal API writeNode, writeList, writeFile: writeFile2, writeBundle }; function printNode(hint, node, sourceFile) { switch (hint) { case 0: Debug.assert(isSourceFile(node), "Expected a SourceFile node."); break; case 2: Debug.assert(isIdentifier(node), "Expected an Identifier node."); break; case 1: Debug.assert(isExpression(node), "Expected an Expression node."); break; } switch (node.kind) { case 307: return printFile(node); case 308: return printBundle(node); } writeNode(hint, node, sourceFile, beginPrint()); return endPrint(); } function printList(format2, nodes, sourceFile) { writeList(format2, nodes, sourceFile, beginPrint()); return endPrint(); } function printBundle(bundle) { writeBundle( bundle, beginPrint(), /*sourceMapGenerator*/ void 0 ); return endPrint(); } function printFile(sourceFile) { writeFile2( sourceFile, beginPrint(), /*sourceMapGenerator*/ void 0 ); return endPrint(); } function writeNode(hint, node, sourceFile, output) { const previousWriter = writer; setWriter( output, /*_sourceMapGenerator*/ void 0 ); print(hint, node, sourceFile); reset2(); writer = previousWriter; } function writeList(format2, nodes, sourceFile, output) { const previousWriter = writer; setWriter( output, /*_sourceMapGenerator*/ void 0 ); if (sourceFile) { setSourceFile(sourceFile); } emitList( /*parentNode*/ void 0, nodes, format2 ); reset2(); writer = previousWriter; } function writeBundle(bundle, output, sourceMapGenerator2) { isOwnFileEmit = false; const previousWriter = writer; setWriter(output, sourceMapGenerator2); emitShebangIfNeeded(bundle); emitPrologueDirectivesIfNeeded(bundle); emitHelpers(bundle); emitSyntheticTripleSlashReferencesIfNeeded(bundle); for (const sourceFile of bundle.sourceFiles) { print(0, sourceFile, sourceFile); } reset2(); writer = previousWriter; } function writeFile2(sourceFile, output, sourceMapGenerator2) { isOwnFileEmit = true; const previousWriter = writer; setWriter(output, sourceMapGenerator2); emitShebangIfNeeded(sourceFile); emitPrologueDirectivesIfNeeded(sourceFile); print(0, sourceFile, sourceFile); reset2(); writer = previousWriter; } function beginPrint() { return ownWriter || (ownWriter = createTextWriter(newLine)); } function endPrint() { const text = ownWriter.getText(); ownWriter.clear(); return text; } function print(hint, node, sourceFile) { if (sourceFile) { setSourceFile(sourceFile); } pipelineEmit( hint, node, /*parenthesizerRule*/ void 0 ); } function setSourceFile(sourceFile) { currentSourceFile = sourceFile; currentLineMap = void 0; detachedCommentsInfo = void 0; if (sourceFile) { setSourceMapSource(sourceFile); } } function setWriter(_writer, _sourceMapGenerator) { if (_writer && printerOptions.omitTrailingSemicolon) { _writer = getTrailingSemicolonDeferringWriter(_writer); } writer = _writer; sourceMapGenerator = _sourceMapGenerator; sourceMapsDisabled = !writer || !sourceMapGenerator; } function reset2() { nodeIdToGeneratedName = []; nodeIdToGeneratedPrivateName = []; autoGeneratedIdToGeneratedName = []; generatedNames = /* @__PURE__ */ new Set(); formattedNameTempFlagsStack = []; formattedNameTempFlags = /* @__PURE__ */ new Map(); privateNameTempFlagsStack = []; privateNameTempFlags = 0; tempFlagsStack = []; tempFlags = 0; reservedNamesStack = []; reservedNames = void 0; reservedPrivateNamesStack = []; reservedPrivateNames = void 0; currentSourceFile = void 0; currentLineMap = void 0; detachedCommentsInfo = void 0; setWriter( /*output*/ void 0, /*_sourceMapGenerator*/ void 0 ); } function getCurrentLineMap() { return currentLineMap || (currentLineMap = getLineStarts(Debug.checkDefined(currentSourceFile))); } function emit(node, parenthesizerRule) { if (node === void 0) return; pipelineEmit(4, node, parenthesizerRule); } function emitIdentifierName(node) { if (node === void 0) return; pipelineEmit( 2, node, /*parenthesizerRule*/ void 0 ); } function emitExpression(node, parenthesizerRule) { if (node === void 0) return; pipelineEmit(1, node, parenthesizerRule); } function emitJsxAttributeValue(node) { pipelineEmit(isStringLiteral2(node) ? 6 : 4, node); } function beforeEmitNode(node) { if (preserveSourceNewlines && getInternalEmitFlags(node) & 4) { preserveSourceNewlines = false; } } function afterEmitNode(savedPreserveSourceNewlines) { preserveSourceNewlines = savedPreserveSourceNewlines; } function pipelineEmit(emitHint, node, parenthesizerRule) { currentParenthesizerRule = parenthesizerRule; const pipelinePhase = getPipelinePhase(0, emitHint, node); pipelinePhase(emitHint, node); currentParenthesizerRule = void 0; } function shouldEmitComments(node) { return !commentsDisabled && !isSourceFile(node); } function shouldEmitSourceMaps(node) { return !sourceMapsDisabled && !isSourceFile(node) && !isInJsonFile(node); } function getPipelinePhase(phase, emitHint, node) { switch (phase) { case 0: if (onEmitNode !== noEmitNotification && (!isEmitNotificationEnabled || isEmitNotificationEnabled(node))) { return pipelineEmitWithNotification; } case 1: if (substituteNode !== noEmitSubstitution && (lastSubstitution = substituteNode(emitHint, node) || node) !== node) { if (currentParenthesizerRule) { lastSubstitution = currentParenthesizerRule(lastSubstitution); } return pipelineEmitWithSubstitution; } case 2: if (shouldEmitComments(node)) { return pipelineEmitWithComments; } case 3: if (shouldEmitSourceMaps(node)) { return pipelineEmitWithSourceMaps; } case 4: return pipelineEmitWithHint; default: return Debug.assertNever(phase); } } function getNextPipelinePhase(currentPhase, emitHint, node) { return getPipelinePhase(currentPhase + 1, emitHint, node); } function pipelineEmitWithNotification(hint, node) { const pipelinePhase = getNextPipelinePhase(0, hint, node); onEmitNode(hint, node, pipelinePhase); } function pipelineEmitWithHint(hint, node) { onBeforeEmitNode == null ? void 0 : onBeforeEmitNode(node); if (preserveSourceNewlines) { const savedPreserveSourceNewlines = preserveSourceNewlines; beforeEmitNode(node); pipelineEmitWithHintWorker(hint, node); afterEmitNode(savedPreserveSourceNewlines); } else { pipelineEmitWithHintWorker(hint, node); } onAfterEmitNode == null ? void 0 : onAfterEmitNode(node); currentParenthesizerRule = void 0; } function pipelineEmitWithHintWorker(hint, node, allowSnippets = true) { if (allowSnippets) { const snippet = getSnippetElement(node); if (snippet) { return emitSnippetNode(hint, node, snippet); } } if (hint === 0) return emitSourceFile(cast(node, isSourceFile)); if (hint === 2) return emitIdentifier(cast(node, isIdentifier)); if (hint === 6) return emitLiteral( cast(node, isStringLiteral2), /*jsxAttributeEscape*/ true ); if (hint === 3) return emitMappedTypeParameter(cast(node, isTypeParameterDeclaration)); if (hint === 7) return emitImportTypeNodeAttributes(cast(node, isImportAttributes)); if (hint === 5) { Debug.assertNode(node, isEmptyStatement); return emitEmptyStatement( /*isEmbeddedStatement*/ true ); } if (hint === 4) { switch (node.kind) { case 16: case 17: case 18: return emitLiteral( node, /*jsxAttributeEscape*/ false ); case 80: return emitIdentifier(node); case 81: return emitPrivateIdentifier(node); case 166: return emitQualifiedName(node); case 167: return emitComputedPropertyName(node); case 168: return emitTypeParameter(node); case 169: return emitParameter(node); case 170: return emitDecorator(node); case 171: return emitPropertySignature(node); case 172: return emitPropertyDeclaration(node); case 173: return emitMethodSignature(node); case 174: return emitMethodDeclaration(node); case 175: return emitClassStaticBlockDeclaration(node); case 176: return emitConstructor(node); case 177: case 178: return emitAccessorDeclaration(node); case 179: return emitCallSignature(node); case 180: return emitConstructSignature(node); case 181: return emitIndexSignature(node); case 182: return emitTypePredicate(node); case 183: return emitTypeReference(node); case 184: return emitFunctionType(node); case 185: return emitConstructorType(node); case 186: return emitTypeQuery(node); case 187: return emitTypeLiteral(node); case 188: return emitArrayType(node); case 189: return emitTupleType(node); case 190: return emitOptionalType(node); case 192: return emitUnionType(node); case 193: return emitIntersectionType(node); case 194: return emitConditionalType(node); case 195: return emitInferType(node); case 196: return emitParenthesizedType(node); case 233: return emitExpressionWithTypeArguments(node); case 197: return emitThisType(); case 198: return emitTypeOperator(node); case 199: return emitIndexedAccessType(node); case 200: return emitMappedType(node); case 201: return emitLiteralType(node); case 202: return emitNamedTupleMember(node); case 203: return emitTemplateType(node); case 204: return emitTemplateTypeSpan(node); case 205: return emitImportTypeNode(node); case 206: return emitObjectBindingPattern(node); case 207: return emitArrayBindingPattern(node); case 208: return emitBindingElement(node); case 239: return emitTemplateSpan(node); case 240: return emitSemicolonClassElement(); case 241: return emitBlock(node); case 243: return emitVariableStatement(node); case 242: return emitEmptyStatement( /*isEmbeddedStatement*/ false ); case 244: return emitExpressionStatement(node); case 245: return emitIfStatement(node); case 246: return emitDoStatement(node); case 247: return emitWhileStatement(node); case 248: return emitForStatement(node); case 249: return emitForInStatement(node); case 250: return emitForOfStatement(node); case 251: return emitContinueStatement(node); case 252: return emitBreakStatement(node); case 253: return emitReturnStatement(node); case 254: return emitWithStatement(node); case 255: return emitSwitchStatement(node); case 256: return emitLabeledStatement(node); case 257: return emitThrowStatement(node); case 258: return emitTryStatement(node); case 259: return emitDebuggerStatement(node); case 260: return emitVariableDeclaration(node); case 261: return emitVariableDeclarationList(node); case 262: return emitFunctionDeclaration(node); case 263: return emitClassDeclaration(node); case 264: return emitInterfaceDeclaration(node); case 265: return emitTypeAliasDeclaration(node); case 266: return emitEnumDeclaration(node); case 267: return emitModuleDeclaration(node); case 268: return emitModuleBlock(node); case 269: return emitCaseBlock(node); case 270: return emitNamespaceExportDeclaration(node); case 271: return emitImportEqualsDeclaration(node); case 272: return emitImportDeclaration(node); case 273: return emitImportClause(node); case 274: return emitNamespaceImport(node); case 280: return emitNamespaceExport(node); case 275: return emitNamedImports(node); case 276: return emitImportSpecifier(node); case 277: return emitExportAssignment(node); case 278: return emitExportDeclaration(node); case 279: return emitNamedExports(node); case 281: return emitExportSpecifier(node); case 300: return emitImportAttributes(node); case 301: return emitImportAttribute(node); case 282: return; case 283: return emitExternalModuleReference(node); case 12: return emitJsxText(node); case 286: case 289: return emitJsxOpeningElementOrFragment(node); case 287: case 290: return emitJsxClosingElementOrFragment(node); case 291: return emitJsxAttribute(node); case 292: return emitJsxAttributes(node); case 293: return emitJsxSpreadAttribute(node); case 294: return emitJsxExpression(node); case 295: return emitJsxNamespacedName(node); case 296: return emitCaseClause(node); case 297: return emitDefaultClause(node); case 298: return emitHeritageClause(node); case 299: return emitCatchClause(node); case 303: return emitPropertyAssignment(node); case 304: return emitShorthandPropertyAssignment(node); case 305: return emitSpreadAssignment(node); case 306: return emitEnumMember(node); case 307: return emitSourceFile(node); case 308: return Debug.fail("Bundles should be printed using printBundle"); case 309: return emitJSDocTypeExpression(node); case 310: return emitJSDocNameReference(node); case 312: return writePunctuation("*"); case 313: return writePunctuation("?"); case 314: return emitJSDocNullableType(node); case 315: return emitJSDocNonNullableType(node); case 316: return emitJSDocOptionalType(node); case 317: return emitJSDocFunctionType(node); case 191: case 318: return emitRestOrJSDocVariadicType(node); case 319: return; case 320: return emitJSDoc(node); case 322: return emitJSDocTypeLiteral(node); case 323: return emitJSDocSignature(node); case 327: case 332: case 337: return emitJSDocSimpleTag(node); case 328: case 329: return emitJSDocHeritageTag(node); case 330: case 331: return; case 333: case 334: case 335: case 336: return; case 338: return emitJSDocCallbackTag(node); case 339: return emitJSDocOverloadTag(node); case 341: case 348: return emitJSDocPropertyLikeTag(node); case 340: case 342: case 343: case 344: case 349: case 350: return emitJSDocSimpleTypedTag(node); case 345: return emitJSDocTemplateTag(node); case 346: return emitJSDocTypedefTag(node); case 347: return emitJSDocSeeTag(node); case 351: return emitJSDocImportTag(node); case 353: return; } if (isExpression(node)) { hint = 1; if (substituteNode !== noEmitSubstitution) { const substitute = substituteNode(hint, node) || node; if (substitute !== node) { node = substitute; if (currentParenthesizerRule) { node = currentParenthesizerRule(node); } } } } } if (hint === 1) { switch (node.kind) { case 9: case 10: return emitNumericOrBigIntLiteral(node); case 11: case 14: case 15: return emitLiteral( node, /*jsxAttributeEscape*/ false ); case 80: return emitIdentifier(node); case 81: return emitPrivateIdentifier(node); case 209: return emitArrayLiteralExpression(node); case 210: return emitObjectLiteralExpression(node); case 211: return emitPropertyAccessExpression(node); case 212: return emitElementAccessExpression(node); case 213: return emitCallExpression(node); case 214: return emitNewExpression(node); case 215: return emitTaggedTemplateExpression(node); case 216: return emitTypeAssertionExpression(node); case 217: return emitParenthesizedExpression(node); case 218: return emitFunctionExpression(node); case 219: return emitArrowFunction(node); case 220: return emitDeleteExpression(node); case 221: return emitTypeOfExpression(node); case 222: return emitVoidExpression(node); case 223: return emitAwaitExpression(node); case 224: return emitPrefixUnaryExpression(node); case 225: return emitPostfixUnaryExpression(node); case 226: return emitBinaryExpression(node); case 227: return emitConditionalExpression(node); case 228: return emitTemplateExpression(node); case 229: return emitYieldExpression(node); case 230: return emitSpreadElement(node); case 231: return emitClassExpression(node); case 232: return; case 234: return emitAsExpression(node); case 235: return emitNonNullExpression(node); case 233: return emitExpressionWithTypeArguments(node); case 238: return emitSatisfiesExpression(node); case 236: return emitMetaProperty(node); case 237: return Debug.fail("SyntheticExpression should never be printed."); case 282: return; case 284: return emitJsxElement(node); case 285: return emitJsxSelfClosingElement(node); case 288: return emitJsxFragment(node); case 352: return Debug.fail("SyntaxList should not be printed"); case 353: return; case 354: return emitPartiallyEmittedExpression(node); case 355: return emitCommaList(node); case 356: return Debug.fail("SyntheticReferenceExpression should not be printed"); } } if (isKeyword2(node.kind)) return writeTokenNode(node, writeKeyword); if (isTokenKind(node.kind)) return writeTokenNode(node, writePunctuation); Debug.fail(`Unhandled SyntaxKind: ${Debug.formatSyntaxKind(node.kind)}.`); } function emitMappedTypeParameter(node) { emit(node.name); writeSpace(); writeKeyword("in"); writeSpace(); emit(node.constraint); } function pipelineEmitWithSubstitution(hint, node) { const pipelinePhase = getNextPipelinePhase(1, hint, node); Debug.assertIsDefined(lastSubstitution); node = lastSubstitution; lastSubstitution = void 0; pipelinePhase(hint, node); } function emitHelpers(node) { let helpersEmitted = false; const bundle = node.kind === 308 ? node : void 0; if (bundle && moduleKind === 0) { return; } const numNodes = bundle ? bundle.sourceFiles.length : 1; for (let i = 0; i < numNodes; i++) { const currentNode = bundle ? bundle.sourceFiles[i] : node; const sourceFile = isSourceFile(currentNode) ? currentNode : currentSourceFile; const shouldSkip = printerOptions.noEmitHelpers || !!sourceFile && hasRecordedExternalHelpers(sourceFile); const shouldBundle = isSourceFile(currentNode) && !isOwnFileEmit; const helpers = getSortedEmitHelpers(currentNode); if (helpers) { for (const helper of helpers) { if (!helper.scoped) { if (shouldSkip) continue; if (shouldBundle) { if (bundledHelpers.get(helper.name)) { continue; } bundledHelpers.set(helper.name, true); } } else if (bundle) { continue; } if (typeof helper.text === "string") { writeLines(helper.text); } else { writeLines(helper.text(makeFileLevelOptimisticUniqueName)); } helpersEmitted = true; } } } return helpersEmitted; } function getSortedEmitHelpers(node) { const helpers = getEmitHelpers(node); return helpers && stableSort(helpers, compareEmitHelpers); } function emitNumericOrBigIntLiteral(node) { emitLiteral( node, /*jsxAttributeEscape*/ false ); } function emitLiteral(node, jsxAttributeEscape) { const text = getLiteralTextOfNode(node, printerOptions.neverAsciiEscape, jsxAttributeEscape); if ((printerOptions.sourceMap || printerOptions.inlineSourceMap) && (node.kind === 11 || isTemplateLiteralKind(node.kind))) { writeLiteral(text); } else { writeStringLiteral(text); } } function emitSnippetNode(hint, node, snippet) { switch (snippet.kind) { case 1: emitPlaceholder(hint, node, snippet); break; case 0: emitTabStop(hint, node, snippet); break; } } function emitPlaceholder(hint, node, snippet) { nonEscapingWrite(`\${${snippet.order}:`); pipelineEmitWithHintWorker( hint, node, /*allowSnippets*/ false ); nonEscapingWrite(`}`); } function emitTabStop(hint, node, snippet) { Debug.assert(node.kind === 242, `A tab stop cannot be attached to a node of kind ${Debug.formatSyntaxKind(node.kind)}.`); Debug.assert(hint !== 5, `A tab stop cannot be attached to an embedded statement.`); nonEscapingWrite(`$${snippet.order}`); } function emitIdentifier(node) { const writeText = node.symbol ? writeSymbol : write; writeText(getTextOfNode2( node, /*includeTrivia*/ false ), node.symbol); emitList( node, getIdentifierTypeArguments(node), 53776 /* TypeParameters */ ); } function emitPrivateIdentifier(node) { write(getTextOfNode2( node, /*includeTrivia*/ false )); } function emitQualifiedName(node) { emitEntityName(node.left); writePunctuation("."); emit(node.right); } function emitEntityName(node) { if (node.kind === 80) { emitExpression(node); } else { emit(node); } } function emitComputedPropertyName(node) { writePunctuation("["); emitExpression(node.expression, parenthesizer.parenthesizeExpressionOfComputedPropertyName); writePunctuation("]"); } function emitTypeParameter(node) { emitModifierList(node, node.modifiers); emit(node.name); if (node.constraint) { writeSpace(); writeKeyword("extends"); writeSpace(); emit(node.constraint); } if (node.default) { writeSpace(); writeOperator("="); writeSpace(); emit(node.default); } } function emitParameter(node) { emitDecoratorsAndModifiers( node, node.modifiers, /*allowDecorators*/ true ); emit(node.dotDotDotToken); emitNodeWithWriter(node.name, writeParameter); emit(node.questionToken); if (node.parent && node.parent.kind === 317 && !node.name) { emit(node.type); } else { emitTypeAnnotation(node.type); } emitInitializer(node.initializer, node.type ? node.type.end : node.questionToken ? node.questionToken.end : node.name ? node.name.end : node.modifiers ? node.modifiers.end : node.pos, node, parenthesizer.parenthesizeExpressionForDisallowedComma); } function emitDecorator(decorator) { writePunctuation("@"); emitExpression(decorator.expression, parenthesizer.parenthesizeLeftSideOfAccess); } function emitPropertySignature(node) { emitModifierList(node, node.modifiers); emitNodeWithWriter(node.name, writeProperty); emit(node.questionToken); emitTypeAnnotation(node.type); writeTrailingSemicolon(); } function emitPropertyDeclaration(node) { emitDecoratorsAndModifiers( node, node.modifiers, /*allowDecorators*/ true ); emit(node.name); emit(node.questionToken); emit(node.exclamationToken); emitTypeAnnotation(node.type); emitInitializer(node.initializer, node.type ? node.type.end : node.questionToken ? node.questionToken.end : node.name.end, node); writeTrailingSemicolon(); } function emitMethodSignature(node) { emitModifierList(node, node.modifiers); emit(node.name); emit(node.questionToken); emitSignatureAndBody(node, emitSignatureHead, emitEmptyFunctionBody); } function emitMethodDeclaration(node) { emitDecoratorsAndModifiers( node, node.modifiers, /*allowDecorators*/ true ); emit(node.asteriskToken); emit(node.name); emit(node.questionToken); emitSignatureAndBody(node, emitSignatureHead, emitFunctionBody); } function emitClassStaticBlockDeclaration(node) { writeKeyword("static"); pushNameGenerationScope(node); emitBlockFunctionBody(node.body); popNameGenerationScope(node); } function emitConstructor(node) { emitDecoratorsAndModifiers( node, node.modifiers, /*allowDecorators*/ false ); writeKeyword("constructor"); emitSignatureAndBody(node, emitSignatureHead, emitFunctionBody); } function emitAccessorDeclaration(node) { const pos = emitDecoratorsAndModifiers( node, node.modifiers, /*allowDecorators*/ true ); const token = node.kind === 177 ? 139 : 153; emitTokenWithComment(token, pos, writeKeyword, node); writeSpace(); emit(node.name); emitSignatureAndBody(node, emitSignatureHead, emitFunctionBody); } function emitCallSignature(node) { emitSignatureAndBody(node, emitSignatureHead, emitEmptyFunctionBody); } function emitConstructSignature(node) { writeKeyword("new"); writeSpace(); emitSignatureAndBody(node, emitSignatureHead, emitEmptyFunctionBody); } function emitIndexSignature(node) { emitDecoratorsAndModifiers( node, node.modifiers, /*allowDecorators*/ false ); emitParametersForIndexSignature(node, node.parameters); emitTypeAnnotation(node.type); writeTrailingSemicolon(); } function emitTemplateTypeSpan(node) { emit(node.type); emit(node.literal); } function emitSemicolonClassElement() { writeTrailingSemicolon(); } function emitTypePredicate(node) { if (node.assertsModifier) { emit(node.assertsModifier); writeSpace(); } emit(node.parameterName); if (node.type) { writeSpace(); writeKeyword("is"); writeSpace(); emit(node.type); } } function emitTypeReference(node) { emit(node.typeName); emitTypeArguments(node, node.typeArguments); } function emitFunctionType(node) { emitSignatureAndBody(node, emitFunctionTypeHead, emitFunctionTypeBody); } function emitFunctionTypeHead(node) { emitTypeParameters(node, node.typeParameters); emitParametersForArrow(node, node.parameters); writeSpace(); writePunctuation("=>"); } function emitFunctionTypeBody(node) { writeSpace(); emit(node.type); } function emitJSDocFunctionType(node) { writeKeyword("function"); emitParameters(node, node.parameters); writePunctuation(":"); emit(node.type); } function emitJSDocNullableType(node) { writePunctuation("?"); emit(node.type); } function emitJSDocNonNullableType(node) { writePunctuation("!"); emit(node.type); } function emitJSDocOptionalType(node) { emit(node.type); writePunctuation("="); } function emitConstructorType(node) { emitModifierList(node, node.modifiers); writeKeyword("new"); writeSpace(); emitSignatureAndBody(node, emitFunctionTypeHead, emitFunctionTypeBody); } function emitTypeQuery(node) { writeKeyword("typeof"); writeSpace(); emit(node.exprName); emitTypeArguments(node, node.typeArguments); } function emitTypeLiteral(node) { pushNameGenerationScope(node); forEach(node.members, generateMemberNames); writePunctuation("{"); const flags = getEmitFlags(node) & 1 ? 768 : 32897; emitList( node, node.members, flags | 524288 /* NoSpaceIfEmpty */ ); writePunctuation("}"); popNameGenerationScope(node); } function emitArrayType(node) { emit(node.elementType, parenthesizer.parenthesizeNonArrayTypeOfPostfixType); writePunctuation("["); writePunctuation("]"); } function emitRestOrJSDocVariadicType(node) { writePunctuation("..."); emit(node.type); } function emitTupleType(node) { emitTokenWithComment(23, node.pos, writePunctuation, node); const flags = getEmitFlags(node) & 1 ? 528 : 657; emitList(node, node.elements, flags | 524288, parenthesizer.parenthesizeElementTypeOfTupleType); emitTokenWithComment(24, node.elements.end, writePunctuation, node); } function emitNamedTupleMember(node) { emit(node.dotDotDotToken); emit(node.name); emit(node.questionToken); emitTokenWithComment(59, node.name.end, writePunctuation, node); writeSpace(); emit(node.type); } function emitOptionalType(node) { emit(node.type, parenthesizer.parenthesizeTypeOfOptionalType); writePunctuation("?"); } function emitUnionType(node) { emitList(node, node.types, 516, parenthesizer.parenthesizeConstituentTypeOfUnionType); } function emitIntersectionType(node) { emitList(node, node.types, 520, parenthesizer.parenthesizeConstituentTypeOfIntersectionType); } function emitConditionalType(node) { emit(node.checkType, parenthesizer.parenthesizeCheckTypeOfConditionalType); writeSpace(); writeKeyword("extends"); writeSpace(); emit(node.extendsType, parenthesizer.parenthesizeExtendsTypeOfConditionalType); writeSpace(); writePunctuation("?"); writeSpace(); emit(node.trueType); writeSpace(); writePunctuation(":"); writeSpace(); emit(node.falseType); } function emitInferType(node) { writeKeyword("infer"); writeSpace(); emit(node.typeParameter); } function emitParenthesizedType(node) { writePunctuation("("); emit(node.type); writePunctuation(")"); } function emitThisType() { writeKeyword("this"); } function emitTypeOperator(node) { writeTokenText(node.operator, writeKeyword); writeSpace(); const parenthesizerRule = node.operator === 148 ? parenthesizer.parenthesizeOperandOfReadonlyTypeOperator : parenthesizer.parenthesizeOperandOfTypeOperator; emit(node.type, parenthesizerRule); } function emitIndexedAccessType(node) { emit(node.objectType, parenthesizer.parenthesizeNonArrayTypeOfPostfixType); writePunctuation("["); emit(node.indexType); writePunctuation("]"); } function emitMappedType(node) { const emitFlags = getEmitFlags(node); writePunctuation("{"); if (emitFlags & 1) { writeSpace(); } else { writeLine(); increaseIndent(); } if (node.readonlyToken) { emit(node.readonlyToken); if (node.readonlyToken.kind !== 148) { writeKeyword("readonly"); } writeSpace(); } writePunctuation("["); pipelineEmit(3, node.typeParameter); if (node.nameType) { writeSpace(); writeKeyword("as"); writeSpace(); emit(node.nameType); } writePunctuation("]"); if (node.questionToken) { emit(node.questionToken); if (node.questionToken.kind !== 58) { writePunctuation("?"); } } writePunctuation(":"); writeSpace(); emit(node.type); writeTrailingSemicolon(); if (emitFlags & 1) { writeSpace(); } else { writeLine(); decreaseIndent(); } emitList( node, node.members, 2 /* PreserveLines */ ); writePunctuation("}"); } function emitLiteralType(node) { emitExpression(node.literal); } function emitTemplateType(node) { emit(node.head); emitList( node, node.templateSpans, 262144 /* TemplateExpressionSpans */ ); } function emitImportTypeNode(node) { if (node.isTypeOf) { writeKeyword("typeof"); writeSpace(); } writeKeyword("import"); writePunctuation("("); emit(node.argument); if (node.attributes) { writePunctuation(","); writeSpace(); pipelineEmit(7, node.attributes); } writePunctuation(")"); if (node.qualifier) { writePunctuation("."); emit(node.qualifier); } emitTypeArguments(node, node.typeArguments); } function emitObjectBindingPattern(node) { writePunctuation("{"); emitList( node, node.elements, 525136 /* ObjectBindingPatternElements */ ); writePunctuation("}"); } function emitArrayBindingPattern(node) { writePunctuation("["); emitList( node, node.elements, 524880 /* ArrayBindingPatternElements */ ); writePunctuation("]"); } function emitBindingElement(node) { emit(node.dotDotDotToken); if (node.propertyName) { emit(node.propertyName); writePunctuation(":"); writeSpace(); } emit(node.name); emitInitializer(node.initializer, node.name.end, node, parenthesizer.parenthesizeExpressionForDisallowedComma); } function emitArrayLiteralExpression(node) { const elements = node.elements; const preferNewLine = node.multiLine ? 65536 : 0; emitExpressionList(node, elements, 8914 | preferNewLine, parenthesizer.parenthesizeExpressionForDisallowedComma); } function emitObjectLiteralExpression(node) { pushNameGenerationScope(node); forEach(node.properties, generateMemberNames); const indentedFlag = getEmitFlags(node) & 131072; if (indentedFlag) { increaseIndent(); } const preferNewLine = node.multiLine ? 65536 : 0; const allowTrailingComma = currentSourceFile && currentSourceFile.languageVersion >= 1 && !isJsonSourceFile(currentSourceFile) ? 64 : 0; emitList(node, node.properties, 526226 | allowTrailingComma | preferNewLine); if (indentedFlag) { decreaseIndent(); } popNameGenerationScope(node); } function emitPropertyAccessExpression(node) { emitExpression(node.expression, parenthesizer.parenthesizeLeftSideOfAccess); const token = node.questionDotToken || setTextRangePosEnd(factory.createToken( 25 /* DotToken */ ), node.expression.end, node.name.pos); const linesBeforeDot = getLinesBetweenNodes(node, node.expression, token); const linesAfterDot = getLinesBetweenNodes(node, token, node.name); writeLinesAndIndent( linesBeforeDot, /*writeSpaceIfNotIndenting*/ false ); const shouldEmitDotDot = token.kind !== 29 && mayNeedDotDotForPropertyAccess(node.expression) && !writer.hasTrailingComment() && !writer.hasTrailingWhitespace(); if (shouldEmitDotDot) { writePunctuation("."); } if (node.questionDotToken) { emit(token); } else { emitTokenWithComment(token.kind, node.expression.end, writePunctuation, node); } writeLinesAndIndent( linesAfterDot, /*writeSpaceIfNotIndenting*/ false ); emit(node.name); decreaseIndentIf(linesBeforeDot, linesAfterDot); } function mayNeedDotDotForPropertyAccess(expression) { expression = skipPartiallyEmittedExpressions(expression); if (isNumericLiteral(expression)) { const text = getLiteralTextOfNode( expression, /*neverAsciiEscape*/ true, /*jsxAttributeEscape*/ false ); return !(expression.numericLiteralFlags & 448) && !text.includes(tokenToString( 25 /* DotToken */ )) && !text.includes(String.fromCharCode( 69 /* E */ )) && !text.includes(String.fromCharCode( 101 /* e */ )); } else if (isAccessExpression(expression)) { const constantValue = getConstantValue(expression); return typeof constantValue === "number" && isFinite(constantValue) && constantValue >= 0 && Math.floor(constantValue) === constantValue; } } function emitElementAccessExpression(node) { emitExpression(node.expression, parenthesizer.parenthesizeLeftSideOfAccess); emit(node.questionDotToken); emitTokenWithComment(23, node.expression.end, writePunctuation, node); emitExpression(node.argumentExpression); emitTokenWithComment(24, node.argumentExpression.end, writePunctuation, node); } function emitCallExpression(node) { const indirectCall = getInternalEmitFlags(node) & 16; if (indirectCall) { writePunctuation("("); writeLiteral("0"); writePunctuation(","); writeSpace(); } emitExpression(node.expression, parenthesizer.parenthesizeLeftSideOfAccess); if (indirectCall) { writePunctuation(")"); } emit(node.questionDotToken); emitTypeArguments(node, node.typeArguments); emitExpressionList(node, node.arguments, 2576, parenthesizer.parenthesizeExpressionForDisallowedComma); } function emitNewExpression(node) { emitTokenWithComment(105, node.pos, writeKeyword, node); writeSpace(); emitExpression(node.expression, parenthesizer.parenthesizeExpressionOfNew); emitTypeArguments(node, node.typeArguments); emitExpressionList(node, node.arguments, 18960, parenthesizer.parenthesizeExpressionForDisallowedComma); } function emitTaggedTemplateExpression(node) { const indirectCall = getInternalEmitFlags(node) & 16; if (indirectCall) { writePunctuation("("); writeLiteral("0"); writePunctuation(","); writeSpace(); } emitExpression(node.tag, parenthesizer.parenthesizeLeftSideOfAccess); if (indirectCall) { writePunctuation(")"); } emitTypeArguments(node, node.typeArguments); writeSpace(); emitExpression(node.template); } function emitTypeAssertionExpression(node) { writePunctuation("<"); emit(node.type); writePunctuation(">"); emitExpression(node.expression, parenthesizer.parenthesizeOperandOfPrefixUnary); } function emitParenthesizedExpression(node) { const openParenPos = emitTokenWithComment(21, node.pos, writePunctuation, node); const indented = writeLineSeparatorsAndIndentBefore(node.expression, node); emitExpression( node.expression, /*parenthesizerRule*/ void 0 ); writeLineSeparatorsAfter(node.expression, node); decreaseIndentIf(indented); emitTokenWithComment(22, node.expression ? node.expression.end : openParenPos, writePunctuation, node); } function emitFunctionExpression(node) { generateNameIfNeeded(node.name); emitFunctionDeclarationOrExpression(node); } function emitArrowFunction(node) { emitModifierList(node, node.modifiers); emitSignatureAndBody(node, emitArrowFunctionHead, emitArrowFunctionBody); } function emitArrowFunctionHead(node) { emitTypeParameters(node, node.typeParameters); emitParametersForArrow(node, node.parameters); emitTypeAnnotation(node.type); writeSpace(); emit(node.equalsGreaterThanToken); } function emitArrowFunctionBody(node) { if (isBlock(node.body)) { emitBlockFunctionBody(node.body); } else { writeSpace(); emitExpression(node.body, parenthesizer.parenthesizeConciseBodyOfArrowFunction); } } function emitDeleteExpression(node) { emitTokenWithComment(91, node.pos, writeKeyword, node); writeSpace(); emitExpression(node.expression, parenthesizer.parenthesizeOperandOfPrefixUnary); } function emitTypeOfExpression(node) { emitTokenWithComment(114, node.pos, writeKeyword, node); writeSpace(); emitExpression(node.expression, parenthesizer.parenthesizeOperandOfPrefixUnary); } function emitVoidExpression(node) { emitTokenWithComment(116, node.pos, writeKeyword, node); writeSpace(); emitExpression(node.expression, parenthesizer.parenthesizeOperandOfPrefixUnary); } function emitAwaitExpression(node) { emitTokenWithComment(135, node.pos, writeKeyword, node); writeSpace(); emitExpression(node.expression, parenthesizer.parenthesizeOperandOfPrefixUnary); } function emitPrefixUnaryExpression(node) { writeTokenText(node.operator, writeOperator); if (shouldEmitWhitespaceBeforeOperand(node)) { writeSpace(); } emitExpression(node.operand, parenthesizer.parenthesizeOperandOfPrefixUnary); } function shouldEmitWhitespaceBeforeOperand(node) { const operand = node.operand; return operand.kind === 224 && (node.operator === 40 && (operand.operator === 40 || operand.operator === 46) || node.operator === 41 && (operand.operator === 41 || operand.operator === 47)); } function emitPostfixUnaryExpression(node) { emitExpression(node.operand, parenthesizer.parenthesizeOperandOfPostfixUnary); writeTokenText(node.operator, writeOperator); } function createEmitBinaryExpression() { return createBinaryExpressionTrampoline( onEnter, onLeft, onOperator, onRight, onExit, /*foldState*/ void 0 ); function onEnter(node, state) { if (state) { state.stackIndex++; state.preserveSourceNewlinesStack[state.stackIndex] = preserveSourceNewlines; state.containerPosStack[state.stackIndex] = containerPos; state.containerEndStack[state.stackIndex] = containerEnd; state.declarationListContainerEndStack[state.stackIndex] = declarationListContainerEnd; const emitComments2 = state.shouldEmitCommentsStack[state.stackIndex] = shouldEmitComments(node); const emitSourceMaps = state.shouldEmitSourceMapsStack[state.stackIndex] = shouldEmitSourceMaps(node); onBeforeEmitNode == null ? void 0 : onBeforeEmitNode(node); if (emitComments2) emitCommentsBeforeNode(node); if (emitSourceMaps) emitSourceMapsBeforeNode(node); beforeEmitNode(node); } else { state = { stackIndex: 0, preserveSourceNewlinesStack: [void 0], containerPosStack: [-1], containerEndStack: [-1], declarationListContainerEndStack: [-1], shouldEmitCommentsStack: [false], shouldEmitSourceMapsStack: [false] }; } return state; } function onLeft(next, _workArea, parent2) { return maybeEmitExpression(next, parent2, "left"); } function onOperator(operatorToken, _state, node) { const isCommaOperator = operatorToken.kind !== 28; const linesBeforeOperator = getLinesBetweenNodes(node, node.left, operatorToken); const linesAfterOperator = getLinesBetweenNodes(node, operatorToken, node.right); writeLinesAndIndent(linesBeforeOperator, isCommaOperator); emitLeadingCommentsOfPosition(operatorToken.pos); writeTokenNode(operatorToken, operatorToken.kind === 103 ? writeKeyword : writeOperator); emitTrailingCommentsOfPosition( operatorToken.end, /*prefixSpace*/ true ); writeLinesAndIndent( linesAfterOperator, /*writeSpaceIfNotIndenting*/ true ); } function onRight(next, _workArea, parent2) { return maybeEmitExpression(next, parent2, "right"); } function onExit(node, state) { const linesBeforeOperator = getLinesBetweenNodes(node, node.left, node.operatorToken); const linesAfterOperator = getLinesBetweenNodes(node, node.operatorToken, node.right); decreaseIndentIf(linesBeforeOperator, linesAfterOperator); if (state.stackIndex > 0) { const savedPreserveSourceNewlines = state.preserveSourceNewlinesStack[state.stackIndex]; const savedContainerPos = state.containerPosStack[state.stackIndex]; const savedContainerEnd = state.containerEndStack[state.stackIndex]; const savedDeclarationListContainerEnd = state.declarationListContainerEndStack[state.stackIndex]; const shouldEmitComments2 = state.shouldEmitCommentsStack[state.stackIndex]; const shouldEmitSourceMaps2 = state.shouldEmitSourceMapsStack[state.stackIndex]; afterEmitNode(savedPreserveSourceNewlines); if (shouldEmitSourceMaps2) emitSourceMapsAfterNode(node); if (shouldEmitComments2) emitCommentsAfterNode(node, savedContainerPos, savedContainerEnd, savedDeclarationListContainerEnd); onAfterEmitNode == null ? void 0 : onAfterEmitNode(node); state.stackIndex--; } } function maybeEmitExpression(next, parent2, side) { const parenthesizerRule = side === "left" ? parenthesizer.getParenthesizeLeftSideOfBinaryForOperator(parent2.operatorToken.kind) : parenthesizer.getParenthesizeRightSideOfBinaryForOperator(parent2.operatorToken.kind); let pipelinePhase = getPipelinePhase(0, 1, next); if (pipelinePhase === pipelineEmitWithSubstitution) { Debug.assertIsDefined(lastSubstitution); next = parenthesizerRule(cast(lastSubstitution, isExpression)); pipelinePhase = getNextPipelinePhase(1, 1, next); lastSubstitution = void 0; } if (pipelinePhase === pipelineEmitWithComments || pipelinePhase === pipelineEmitWithSourceMaps || pipelinePhase === pipelineEmitWithHint) { if (isBinaryExpression(next)) { return next; } } currentParenthesizerRule = parenthesizerRule; pipelinePhase(1, next); } } function emitConditionalExpression(node) { const linesBeforeQuestion = getLinesBetweenNodes(node, node.condition, node.questionToken); const linesAfterQuestion = getLinesBetweenNodes(node, node.questionToken, node.whenTrue); const linesBeforeColon = getLinesBetweenNodes(node, node.whenTrue, node.colonToken); const linesAfterColon = getLinesBetweenNodes(node, node.colonToken, node.whenFalse); emitExpression(node.condition, parenthesizer.parenthesizeConditionOfConditionalExpression); writeLinesAndIndent( linesBeforeQuestion, /*writeSpaceIfNotIndenting*/ true ); emit(node.questionToken); writeLinesAndIndent( linesAfterQuestion, /*writeSpaceIfNotIndenting*/ true ); emitExpression(node.whenTrue, parenthesizer.parenthesizeBranchOfConditionalExpression); decreaseIndentIf(linesBeforeQuestion, linesAfterQuestion); writeLinesAndIndent( linesBeforeColon, /*writeSpaceIfNotIndenting*/ true ); emit(node.colonToken); writeLinesAndIndent( linesAfterColon, /*writeSpaceIfNotIndenting*/ true ); emitExpression(node.whenFalse, parenthesizer.parenthesizeBranchOfConditionalExpression); decreaseIndentIf(linesBeforeColon, linesAfterColon); } function emitTemplateExpression(node) { emit(node.head); emitList( node, node.templateSpans, 262144 /* TemplateExpressionSpans */ ); } function emitYieldExpression(node) { emitTokenWithComment(127, node.pos, writeKeyword, node); emit(node.asteriskToken); emitExpressionWithLeadingSpace(node.expression && parenthesizeExpressionForNoAsi(node.expression), parenthesizeExpressionForNoAsiAndDisallowedComma); } function emitSpreadElement(node) { emitTokenWithComment(26, node.pos, writePunctuation, node); emitExpression(node.expression, parenthesizer.parenthesizeExpressionForDisallowedComma); } function emitClassExpression(node) { generateNameIfNeeded(node.name); emitClassDeclarationOrExpression(node); } function emitExpressionWithTypeArguments(node) { emitExpression(node.expression, parenthesizer.parenthesizeLeftSideOfAccess); emitTypeArguments(node, node.typeArguments); } function emitAsExpression(node) { emitExpression( node.expression, /*parenthesizerRule*/ void 0 ); if (node.type) { writeSpace(); writeKeyword("as"); writeSpace(); emit(node.type); } } function emitNonNullExpression(node) { emitExpression(node.expression, parenthesizer.parenthesizeLeftSideOfAccess); writeOperator("!"); } function emitSatisfiesExpression(node) { emitExpression( node.expression, /*parenthesizerRule*/ void 0 ); if (node.type) { writeSpace(); writeKeyword("satisfies"); writeSpace(); emit(node.type); } } function emitMetaProperty(node) { writeToken(node.keywordToken, node.pos, writePunctuation); writePunctuation("."); emit(node.name); } function emitTemplateSpan(node) { emitExpression(node.expression); emit(node.literal); } function emitBlock(node) { emitBlockStatements( node, /*forceSingleLine*/ !node.multiLine && isEmptyBlock(node) ); } function emitBlockStatements(node, forceSingleLine) { emitTokenWithComment( 19, node.pos, writePunctuation, /*contextNode*/ node ); const format2 = forceSingleLine || getEmitFlags(node) & 1 ? 768 : 129; emitList(node, node.statements, format2); emitTokenWithComment( 20, node.statements.end, writePunctuation, /*contextNode*/ node, /*indentLeading*/ !!(format2 & 1) ); } function emitVariableStatement(node) { emitDecoratorsAndModifiers( node, node.modifiers, /*allowDecorators*/ false ); emit(node.declarationList); writeTrailingSemicolon(); } function emitEmptyStatement(isEmbeddedStatement) { if (isEmbeddedStatement) { writePunctuation(";"); } else { writeTrailingSemicolon(); } } function emitExpressionStatement(node) { emitExpression(node.expression, parenthesizer.parenthesizeExpressionOfExpressionStatement); if (!currentSourceFile || !isJsonSourceFile(currentSourceFile) || nodeIsSynthesized(node.expression)) { writeTrailingSemicolon(); } } function emitIfStatement(node) { const openParenPos = emitTokenWithComment(101, node.pos, writeKeyword, node); writeSpace(); emitTokenWithComment(21, openParenPos, writePunctuation, node); emitExpression(node.expression); emitTokenWithComment(22, node.expression.end, writePunctuation, node); emitEmbeddedStatement(node, node.thenStatement); if (node.elseStatement) { writeLineOrSpace(node, node.thenStatement, node.elseStatement); emitTokenWithComment(93, node.thenStatement.end, writeKeyword, node); if (node.elseStatement.kind === 245) { writeSpace(); emit(node.elseStatement); } else { emitEmbeddedStatement(node, node.elseStatement); } } } function emitWhileClause(node, startPos) { const openParenPos = emitTokenWithComment(117, startPos, writeKeyword, node); writeSpace(); emitTokenWithComment(21, openParenPos, writePunctuation, node); emitExpression(node.expression); emitTokenWithComment(22, node.expression.end, writePunctuation, node); } function emitDoStatement(node) { emitTokenWithComment(92, node.pos, writeKeyword, node); emitEmbeddedStatement(node, node.statement); if (isBlock(node.statement) && !preserveSourceNewlines) { writeSpace(); } else { writeLineOrSpace(node, node.statement, node.expression); } emitWhileClause(node, node.statement.end); writeTrailingSemicolon(); } function emitWhileStatement(node) { emitWhileClause(node, node.pos); emitEmbeddedStatement(node, node.statement); } function emitForStatement(node) { const openParenPos = emitTokenWithComment(99, node.pos, writeKeyword, node); writeSpace(); let pos = emitTokenWithComment( 21, openParenPos, writePunctuation, /*contextNode*/ node ); emitForBinding(node.initializer); pos = emitTokenWithComment(27, node.initializer ? node.initializer.end : pos, writePunctuation, node); emitExpressionWithLeadingSpace(node.condition); pos = emitTokenWithComment(27, node.condition ? node.condition.end : pos, writePunctuation, node); emitExpressionWithLeadingSpace(node.incrementor); emitTokenWithComment(22, node.incrementor ? node.incrementor.end : pos, writePunctuation, node); emitEmbeddedStatement(node, node.statement); } function emitForInStatement(node) { const openParenPos = emitTokenWithComment(99, node.pos, writeKeyword, node); writeSpace(); emitTokenWithComment(21, openParenPos, writePunctuation, node); emitForBinding(node.initializer); writeSpace(); emitTokenWithComment(103, node.initializer.end, writeKeyword, node); writeSpace(); emitExpression(node.expression); emitTokenWithComment(22, node.expression.end, writePunctuation, node); emitEmbeddedStatement(node, node.statement); } function emitForOfStatement(node) { const openParenPos = emitTokenWithComment(99, node.pos, writeKeyword, node); writeSpace(); emitWithTrailingSpace(node.awaitModifier); emitTokenWithComment(21, openParenPos, writePunctuation, node); emitForBinding(node.initializer); writeSpace(); emitTokenWithComment(165, node.initializer.end, writeKeyword, node); writeSpace(); emitExpression(node.expression); emitTokenWithComment(22, node.expression.end, writePunctuation, node); emitEmbeddedStatement(node, node.statement); } function emitForBinding(node) { if (node !== void 0) { if (node.kind === 261) { emit(node); } else { emitExpression(node); } } } function emitContinueStatement(node) { emitTokenWithComment(88, node.pos, writeKeyword, node); emitWithLeadingSpace(node.label); writeTrailingSemicolon(); } function emitBreakStatement(node) { emitTokenWithComment(83, node.pos, writeKeyword, node); emitWithLeadingSpace(node.label); writeTrailingSemicolon(); } function emitTokenWithComment(token, pos, writer2, contextNode, indentLeading) { const node = getParseTreeNode(contextNode); const isSimilarNode = node && node.kind === contextNode.kind; const startPos = pos; if (isSimilarNode && currentSourceFile) { pos = skipTrivia(currentSourceFile.text, pos); } if (isSimilarNode && contextNode.pos !== startPos) { const needsIndent = indentLeading && currentSourceFile && !positionsAreOnSameLine(startPos, pos, currentSourceFile); if (needsIndent) { increaseIndent(); } emitLeadingCommentsOfPosition(startPos); if (needsIndent) { decreaseIndent(); } } if (!omitBraceSourcePositions && (token === 19 || token === 20)) { pos = writeToken(token, pos, writer2, contextNode); } else { pos = writeTokenText(token, writer2, pos); } if (isSimilarNode && contextNode.end !== pos) { const isJsxExprContext = contextNode.kind === 294; emitTrailingCommentsOfPosition( pos, /*prefixSpace*/ !isJsxExprContext, /*forceNoNewline*/ isJsxExprContext ); } return pos; } function commentWillEmitNewLine(node) { return node.kind === 2 || !!node.hasTrailingNewLine; } function willEmitLeadingNewLine(node) { if (!currentSourceFile) return false; const leadingCommentRanges = getLeadingCommentRanges(currentSourceFile.text, node.pos); if (leadingCommentRanges) { const parseNode = getParseTreeNode(node); if (parseNode && isParenthesizedExpression(parseNode.parent)) { return true; } } if (some(leadingCommentRanges, commentWillEmitNewLine)) return true; if (some(getSyntheticLeadingComments(node), commentWillEmitNewLine)) return true; if (isPartiallyEmittedExpression(node)) { if (node.pos !== node.expression.pos) { if (some(getTrailingCommentRanges(currentSourceFile.text, node.expression.pos), commentWillEmitNewLine)) return true; } return willEmitLeadingNewLine(node.expression); } return false; } function parenthesizeExpressionForNoAsi(node) { if (!commentsDisabled && isPartiallyEmittedExpression(node) && willEmitLeadingNewLine(node)) { const parseNode = getParseTreeNode(node); if (parseNode && isParenthesizedExpression(parseNode)) { const parens = factory.createParenthesizedExpression(node.expression); setOriginalNode(parens, node); setTextRange(parens, parseNode); return parens; } return factory.createParenthesizedExpression(node); } return node; } function parenthesizeExpressionForNoAsiAndDisallowedComma(node) { return parenthesizeExpressionForNoAsi(parenthesizer.parenthesizeExpressionForDisallowedComma(node)); } function emitReturnStatement(node) { emitTokenWithComment( 107, node.pos, writeKeyword, /*contextNode*/ node ); emitExpressionWithLeadingSpace(node.expression && parenthesizeExpressionForNoAsi(node.expression), parenthesizeExpressionForNoAsi); writeTrailingSemicolon(); } function emitWithStatement(node) { const openParenPos = emitTokenWithComment(118, node.pos, writeKeyword, node); writeSpace(); emitTokenWithComment(21, openParenPos, writePunctuation, node); emitExpression(node.expression); emitTokenWithComment(22, node.expression.end, writePunctuation, node); emitEmbeddedStatement(node, node.statement); } function emitSwitchStatement(node) { const openParenPos = emitTokenWithComment(109, node.pos, writeKeyword, node); writeSpace(); emitTokenWithComment(21, openParenPos, writePunctuation, node); emitExpression(node.expression); emitTokenWithComment(22, node.expression.end, writePunctuation, node); writeSpace(); emit(node.caseBlock); } function emitLabeledStatement(node) { emit(node.label); emitTokenWithComment(59, node.label.end, writePunctuation, node); writeSpace(); emit(node.statement); } function emitThrowStatement(node) { emitTokenWithComment(111, node.pos, writeKeyword, node); emitExpressionWithLeadingSpace(parenthesizeExpressionForNoAsi(node.expression), parenthesizeExpressionForNoAsi); writeTrailingSemicolon(); } function emitTryStatement(node) { emitTokenWithComment(113, node.pos, writeKeyword, node); writeSpace(); emit(node.tryBlock); if (node.catchClause) { writeLineOrSpace(node, node.tryBlock, node.catchClause); emit(node.catchClause); } if (node.finallyBlock) { writeLineOrSpace(node, node.catchClause || node.tryBlock, node.finallyBlock); emitTokenWithComment(98, (node.catchClause || node.tryBlock).end, writeKeyword, node); writeSpace(); emit(node.finallyBlock); } } function emitDebuggerStatement(node) { writeToken(89, node.pos, writeKeyword); writeTrailingSemicolon(); } function emitVariableDeclaration(node) { var _a, _b, _c; emit(node.name); emit(node.exclamationToken); emitTypeAnnotation(node.type); emitInitializer(node.initializer, ((_a = node.type) == null ? void 0 : _a.end) ?? ((_c = (_b = node.name.emitNode) == null ? void 0 : _b.typeNode) == null ? void 0 : _c.end) ?? node.name.end, node, parenthesizer.parenthesizeExpressionForDisallowedComma); } function emitVariableDeclarationList(node) { if (isVarAwaitUsing(node)) { writeKeyword("await"); writeSpace(); writeKeyword("using"); } else { const head = isLet(node) ? "let" : isVarConst(node) ? "const" : isVarUsing(node) ? "using" : "var"; writeKeyword(head); } writeSpace(); emitList( node, node.declarations, 528 /* VariableDeclarationList */ ); } function emitFunctionDeclaration(node) { emitFunctionDeclarationOrExpression(node); } function emitFunctionDeclarationOrExpression(node) { emitDecoratorsAndModifiers( node, node.modifiers, /*allowDecorators*/ false ); writeKeyword("function"); emit(node.asteriskToken); writeSpace(); emitIdentifierName(node.name); emitSignatureAndBody(node, emitSignatureHead, emitFunctionBody); } function emitSignatureAndBody(node, emitSignatureHead2, emitBody) { const indentedFlag = getEmitFlags(node) & 131072; if (indentedFlag) { increaseIndent(); } pushNameGenerationScope(node); forEach(node.parameters, generateNames); emitSignatureHead2(node); emitBody(node); popNameGenerationScope(node); if (indentedFlag) { decreaseIndent(); } } function emitFunctionBody(node) { const body = node.body; if (body) { emitBlockFunctionBody(body); } else { writeTrailingSemicolon(); } } function emitEmptyFunctionBody(_node) { writeTrailingSemicolon(); } function emitSignatureHead(node) { emitTypeParameters(node, node.typeParameters); emitParameters(node, node.parameters); emitTypeAnnotation(node.type); } function shouldEmitBlockFunctionBodyOnSingleLine(body) { if (getEmitFlags(body) & 1) { return true; } if (body.multiLine) { return false; } if (!nodeIsSynthesized(body) && currentSourceFile && !rangeIsOnSingleLine(body, currentSourceFile)) { return false; } if (getLeadingLineTerminatorCount( body, firstOrUndefined(body.statements), 2 /* PreserveLines */ ) || getClosingLineTerminatorCount(body, lastOrUndefined(body.statements), 2, body.statements)) { return false; } let previousStatement; for (const statement of body.statements) { if (getSeparatingLineTerminatorCount( previousStatement, statement, 2 /* PreserveLines */ ) > 0) { return false; } previousStatement = statement; } return true; } function emitBlockFunctionBody(body) { generateNames(body); onBeforeEmitNode == null ? void 0 : onBeforeEmitNode(body); writeSpace(); writePunctuation("{"); increaseIndent(); const emitBlockFunctionBody2 = shouldEmitBlockFunctionBodyOnSingleLine(body) ? emitBlockFunctionBodyOnSingleLine : emitBlockFunctionBodyWorker; emitBodyWithDetachedComments(body, body.statements, emitBlockFunctionBody2); decreaseIndent(); writeToken(20, body.statements.end, writePunctuation, body); onAfterEmitNode == null ? void 0 : onAfterEmitNode(body); } function emitBlockFunctionBodyOnSingleLine(body) { emitBlockFunctionBodyWorker( body, /*emitBlockFunctionBodyOnSingleLine*/ true ); } function emitBlockFunctionBodyWorker(body, emitBlockFunctionBodyOnSingleLine2) { const statementOffset = emitPrologueDirectives(body.statements); const pos = writer.getTextPos(); emitHelpers(body); if (statementOffset === 0 && pos === writer.getTextPos() && emitBlockFunctionBodyOnSingleLine2) { decreaseIndent(); emitList( body, body.statements, 768 /* SingleLineFunctionBodyStatements */ ); increaseIndent(); } else { emitList( body, body.statements, 1, /*parenthesizerRule*/ void 0, statementOffset ); } } function emitClassDeclaration(node) { emitClassDeclarationOrExpression(node); } function emitClassDeclarationOrExpression(node) { emitDecoratorsAndModifiers( node, node.modifiers, /*allowDecorators*/ true ); emitTokenWithComment(86, moveRangePastModifiers(node).pos, writeKeyword, node); if (node.name) { writeSpace(); emitIdentifierName(node.name); } const indentedFlag = getEmitFlags(node) & 131072; if (indentedFlag) { increaseIndent(); } emitTypeParameters(node, node.typeParameters); emitList( node, node.heritageClauses, 0 /* ClassHeritageClauses */ ); writeSpace(); writePunctuation("{"); pushNameGenerationScope(node); forEach(node.members, generateMemberNames); emitList( node, node.members, 129 /* ClassMembers */ ); popNameGenerationScope(node); writePunctuation("}"); if (indentedFlag) { decreaseIndent(); } } function emitInterfaceDeclaration(node) { emitDecoratorsAndModifiers( node, node.modifiers, /*allowDecorators*/ false ); writeKeyword("interface"); writeSpace(); emit(node.name); emitTypeParameters(node, node.typeParameters); emitList( node, node.heritageClauses, 512 /* HeritageClauses */ ); writeSpace(); writePunctuation("{"); pushNameGenerationScope(node); forEach(node.members, generateMemberNames); emitList( node, node.members, 129 /* InterfaceMembers */ ); popNameGenerationScope(node); writePunctuation("}"); } function emitTypeAliasDeclaration(node) { emitDecoratorsAndModifiers( node, node.modifiers, /*allowDecorators*/ false ); writeKeyword("type"); writeSpace(); emit(node.name); emitTypeParameters(node, node.typeParameters); writeSpace(); writePunctuation("="); writeSpace(); emit(node.type); writeTrailingSemicolon(); } function emitEnumDeclaration(node) { emitDecoratorsAndModifiers( node, node.modifiers, /*allowDecorators*/ false ); writeKeyword("enum"); writeSpace(); emit(node.name); writeSpace(); writePunctuation("{"); emitList( node, node.members, 145 /* EnumMembers */ ); writePunctuation("}"); } function emitModuleDeclaration(node) { emitDecoratorsAndModifiers( node, node.modifiers, /*allowDecorators*/ false ); if (~node.flags & 2048) { writeKeyword(node.flags & 32 ? "namespace" : "module"); writeSpace(); } emit(node.name); let body = node.body; if (!body) return writeTrailingSemicolon(); while (body && isModuleDeclaration(body)) { writePunctuation("."); emit(body.name); body = body.body; } writeSpace(); emit(body); } function emitModuleBlock(node) { pushNameGenerationScope(node); forEach(node.statements, generateNames); emitBlockStatements( node, /*forceSingleLine*/ isEmptyBlock(node) ); popNameGenerationScope(node); } function emitCaseBlock(node) { emitTokenWithComment(19, node.pos, writePunctuation, node); emitList( node, node.clauses, 129 /* CaseBlockClauses */ ); emitTokenWithComment( 20, node.clauses.end, writePunctuation, node, /*indentLeading*/ true ); } function emitImportEqualsDeclaration(node) { emitDecoratorsAndModifiers( node, node.modifiers, /*allowDecorators*/ false ); emitTokenWithComment(102, node.modifiers ? node.modifiers.end : node.pos, writeKeyword, node); writeSpace(); if (node.isTypeOnly) { emitTokenWithComment(156, node.pos, writeKeyword, node); writeSpace(); } emit(node.name); writeSpace(); emitTokenWithComment(64, node.name.end, writePunctuation, node); writeSpace(); emitModuleReference(node.moduleReference); writeTrailingSemicolon(); } function emitModuleReference(node) { if (node.kind === 80) { emitExpression(node); } else { emit(node); } } function emitImportDeclaration(node) { emitDecoratorsAndModifiers( node, node.modifiers, /*allowDecorators*/ false ); emitTokenWithComment(102, node.modifiers ? node.modifiers.end : node.pos, writeKeyword, node); writeSpace(); if (node.importClause) { emit(node.importClause); writeSpace(); emitTokenWithComment(161, node.importClause.end, writeKeyword, node); writeSpace(); } emitExpression(node.moduleSpecifier); if (node.attributes) { emitWithLeadingSpace(node.attributes); } writeTrailingSemicolon(); } function emitImportClause(node) { if (node.isTypeOnly) { emitTokenWithComment(156, node.pos, writeKeyword, node); writeSpace(); } emit(node.name); if (node.name && node.namedBindings) { emitTokenWithComment(28, node.name.end, writePunctuation, node); writeSpace(); } emit(node.namedBindings); } function emitNamespaceImport(node) { const asPos = emitTokenWithComment(42, node.pos, writePunctuation, node); writeSpace(); emitTokenWithComment(130, asPos, writeKeyword, node); writeSpace(); emit(node.name); } function emitNamedImports(node) { emitNamedImportsOrExports(node); } function emitImportSpecifier(node) { emitImportOrExportSpecifier(node); } function emitExportAssignment(node) { const nextPos = emitTokenWithComment(95, node.pos, writeKeyword, node); writeSpace(); if (node.isExportEquals) { emitTokenWithComment(64, nextPos, writeOperator, node); } else { emitTokenWithComment(90, nextPos, writeKeyword, node); } writeSpace(); emitExpression( node.expression, node.isExportEquals ? parenthesizer.getParenthesizeRightSideOfBinaryForOperator( 64 /* EqualsToken */ ) : parenthesizer.parenthesizeExpressionOfExportDefault ); writeTrailingSemicolon(); } function emitExportDeclaration(node) { emitDecoratorsAndModifiers( node, node.modifiers, /*allowDecorators*/ false ); let nextPos = emitTokenWithComment(95, node.pos, writeKeyword, node); writeSpace(); if (node.isTypeOnly) { nextPos = emitTokenWithComment(156, nextPos, writeKeyword, node); writeSpace(); } if (node.exportClause) { emit(node.exportClause); } else { nextPos = emitTokenWithComment(42, nextPos, writePunctuation, node); } if (node.moduleSpecifier) { writeSpace(); const fromPos = node.exportClause ? node.exportClause.end : nextPos; emitTokenWithComment(161, fromPos, writeKeyword, node); writeSpace(); emitExpression(node.moduleSpecifier); } if (node.attributes) { emitWithLeadingSpace(node.attributes); } writeTrailingSemicolon(); } function emitImportTypeNodeAttributes(node) { writePunctuation("{"); writeSpace(); writeKeyword(node.token === 132 ? "assert" : "with"); writePunctuation(":"); writeSpace(); const elements = node.elements; emitList( node, elements, 526226 /* ImportAttributes */ ); writeSpace(); writePunctuation("}"); } function emitImportAttributes(node) { emitTokenWithComment(node.token, node.pos, writeKeyword, node); writeSpace(); const elements = node.elements; emitList( node, elements, 526226 /* ImportAttributes */ ); } function emitImportAttribute(node) { emit(node.name); writePunctuation(":"); writeSpace(); const value = node.value; if ((getEmitFlags(value) & 1024) === 0) { const commentRange = getCommentRange(value); emitTrailingCommentsOfPosition(commentRange.pos); } emit(value); } function emitNamespaceExportDeclaration(node) { let nextPos = emitTokenWithComment(95, node.pos, writeKeyword, node); writeSpace(); nextPos = emitTokenWithComment(130, nextPos, writeKeyword, node); writeSpace(); nextPos = emitTokenWithComment(145, nextPos, writeKeyword, node); writeSpace(); emit(node.name); writeTrailingSemicolon(); } function emitNamespaceExport(node) { const asPos = emitTokenWithComment(42, node.pos, writePunctuation, node); writeSpace(); emitTokenWithComment(130, asPos, writeKeyword, node); writeSpace(); emit(node.name); } function emitNamedExports(node) { emitNamedImportsOrExports(node); } function emitExportSpecifier(node) { emitImportOrExportSpecifier(node); } function emitNamedImportsOrExports(node) { writePunctuation("{"); emitList( node, node.elements, 525136 /* NamedImportsOrExportsElements */ ); writePunctuation("}"); } function emitImportOrExportSpecifier(node) { if (node.isTypeOnly) { writeKeyword("type"); writeSpace(); } if (node.propertyName) { emit(node.propertyName); writeSpace(); emitTokenWithComment(130, node.propertyName.end, writeKeyword, node); writeSpace(); } emit(node.name); } function emitExternalModuleReference(node) { writeKeyword("require"); writePunctuation("("); emitExpression(node.expression); writePunctuation(")"); } function emitJsxElement(node) { emit(node.openingElement); emitList( node, node.children, 262144 /* JsxElementOrFragmentChildren */ ); emit(node.closingElement); } function emitJsxSelfClosingElement(node) { writePunctuation("<"); emitJsxTagName(node.tagName); emitTypeArguments(node, node.typeArguments); writeSpace(); emit(node.attributes); writePunctuation("/>"); } function emitJsxFragment(node) { emit(node.openingFragment); emitList( node, node.children, 262144 /* JsxElementOrFragmentChildren */ ); emit(node.closingFragment); } function emitJsxOpeningElementOrFragment(node) { writePunctuation("<"); if (isJsxOpeningElement(node)) { const indented = writeLineSeparatorsAndIndentBefore(node.tagName, node); emitJsxTagName(node.tagName); emitTypeArguments(node, node.typeArguments); if (node.attributes.properties && node.attributes.properties.length > 0) { writeSpace(); } emit(node.attributes); writeLineSeparatorsAfter(node.attributes, node); decreaseIndentIf(indented); } writePunctuation(">"); } function emitJsxText(node) { writer.writeLiteral(node.text); } function emitJsxClosingElementOrFragment(node) { writePunctuation(""); } function emitJsxAttributes(node) { emitList( node, node.properties, 262656 /* JsxElementAttributes */ ); } function emitJsxAttribute(node) { emit(node.name); emitNodeWithPrefix("=", writePunctuation, node.initializer, emitJsxAttributeValue); } function emitJsxSpreadAttribute(node) { writePunctuation("{..."); emitExpression(node.expression); writePunctuation("}"); } function hasTrailingCommentsAtPosition(pos) { let result = false; forEachTrailingCommentRange((currentSourceFile == null ? void 0 : currentSourceFile.text) || "", pos + 1, () => result = true); return result; } function hasLeadingCommentsAtPosition(pos) { let result = false; forEachLeadingCommentRange((currentSourceFile == null ? void 0 : currentSourceFile.text) || "", pos + 1, () => result = true); return result; } function hasCommentsAtPosition(pos) { return hasTrailingCommentsAtPosition(pos) || hasLeadingCommentsAtPosition(pos); } function emitJsxExpression(node) { var _a; if (node.expression || !commentsDisabled && !nodeIsSynthesized(node) && hasCommentsAtPosition(node.pos)) { const isMultiline = currentSourceFile && !nodeIsSynthesized(node) && getLineAndCharacterOfPosition(currentSourceFile, node.pos).line !== getLineAndCharacterOfPosition(currentSourceFile, node.end).line; if (isMultiline) { writer.increaseIndent(); } const end = emitTokenWithComment(19, node.pos, writePunctuation, node); emit(node.dotDotDotToken); emitExpression(node.expression); emitTokenWithComment(20, ((_a = node.expression) == null ? void 0 : _a.end) || end, writePunctuation, node); if (isMultiline) { writer.decreaseIndent(); } } } function emitJsxNamespacedName(node) { emitIdentifierName(node.namespace); writePunctuation(":"); emitIdentifierName(node.name); } function emitJsxTagName(node) { if (node.kind === 80) { emitExpression(node); } else { emit(node); } } function emitCaseClause(node) { emitTokenWithComment(84, node.pos, writeKeyword, node); writeSpace(); emitExpression(node.expression, parenthesizer.parenthesizeExpressionForDisallowedComma); emitCaseOrDefaultClauseRest(node, node.statements, node.expression.end); } function emitDefaultClause(node) { const pos = emitTokenWithComment(90, node.pos, writeKeyword, node); emitCaseOrDefaultClauseRest(node, node.statements, pos); } function emitCaseOrDefaultClauseRest(parentNode, statements, colonPos) { const emitAsSingleStatement = statements.length === 1 && // treat synthesized nodes as located on the same line for emit purposes (!currentSourceFile || nodeIsSynthesized(parentNode) || nodeIsSynthesized(statements[0]) || rangeStartPositionsAreOnSameLine(parentNode, statements[0], currentSourceFile)); let format2 = 163969; if (emitAsSingleStatement) { writeToken(59, colonPos, writePunctuation, parentNode); writeSpace(); format2 &= ~(1 | 128); } else { emitTokenWithComment(59, colonPos, writePunctuation, parentNode); } emitList(parentNode, statements, format2); } function emitHeritageClause(node) { writeSpace(); writeTokenText(node.token, writeKeyword); writeSpace(); emitList( node, node.types, 528 /* HeritageClauseTypes */ ); } function emitCatchClause(node) { const openParenPos = emitTokenWithComment(85, node.pos, writeKeyword, node); writeSpace(); if (node.variableDeclaration) { emitTokenWithComment(21, openParenPos, writePunctuation, node); emit(node.variableDeclaration); emitTokenWithComment(22, node.variableDeclaration.end, writePunctuation, node); writeSpace(); } emit(node.block); } function emitPropertyAssignment(node) { emit(node.name); writePunctuation(":"); writeSpace(); const initializer = node.initializer; if ((getEmitFlags(initializer) & 1024) === 0) { const commentRange = getCommentRange(initializer); emitTrailingCommentsOfPosition(commentRange.pos); } emitExpression(initializer, parenthesizer.parenthesizeExpressionForDisallowedComma); } function emitShorthandPropertyAssignment(node) { emit(node.name); if (node.objectAssignmentInitializer) { writeSpace(); writePunctuation("="); writeSpace(); emitExpression(node.objectAssignmentInitializer, parenthesizer.parenthesizeExpressionForDisallowedComma); } } function emitSpreadAssignment(node) { if (node.expression) { emitTokenWithComment(26, node.pos, writePunctuation, node); emitExpression(node.expression, parenthesizer.parenthesizeExpressionForDisallowedComma); } } function emitEnumMember(node) { emit(node.name); emitInitializer(node.initializer, node.name.end, node, parenthesizer.parenthesizeExpressionForDisallowedComma); } function emitJSDoc(node) { write("/**"); if (node.comment) { const text = getTextOfJSDocComment(node.comment); if (text) { const lines = text.split(/\r\n?|\n/g); for (const line of lines) { writeLine(); writeSpace(); writePunctuation("*"); writeSpace(); write(line); } } } if (node.tags) { if (node.tags.length === 1 && node.tags[0].kind === 344 && !node.comment) { writeSpace(); emit(node.tags[0]); } else { emitList( node, node.tags, 33 /* JSDocComment */ ); } } writeSpace(); write("*/"); } function emitJSDocSimpleTypedTag(tag) { emitJSDocTagName(tag.tagName); emitJSDocTypeExpression(tag.typeExpression); emitJSDocComment(tag.comment); } function emitJSDocSeeTag(tag) { emitJSDocTagName(tag.tagName); emit(tag.name); emitJSDocComment(tag.comment); } function emitJSDocImportTag(tag) { emitJSDocTagName(tag.tagName); writeSpace(); if (tag.importClause) { emit(tag.importClause); writeSpace(); emitTokenWithComment(161, tag.importClause.end, writeKeyword, tag); writeSpace(); } emitExpression(tag.moduleSpecifier); if (tag.attributes) { emitWithLeadingSpace(tag.attributes); } emitJSDocComment(tag.comment); } function emitJSDocNameReference(node) { writeSpace(); writePunctuation("{"); emit(node.name); writePunctuation("}"); } function emitJSDocHeritageTag(tag) { emitJSDocTagName(tag.tagName); writeSpace(); writePunctuation("{"); emit(tag.class); writePunctuation("}"); emitJSDocComment(tag.comment); } function emitJSDocTemplateTag(tag) { emitJSDocTagName(tag.tagName); emitJSDocTypeExpression(tag.constraint); writeSpace(); emitList( tag, tag.typeParameters, 528 /* CommaListElements */ ); emitJSDocComment(tag.comment); } function emitJSDocTypedefTag(tag) { emitJSDocTagName(tag.tagName); if (tag.typeExpression) { if (tag.typeExpression.kind === 309) { emitJSDocTypeExpression(tag.typeExpression); } else { writeSpace(); writePunctuation("{"); write("Object"); if (tag.typeExpression.isArrayType) { writePunctuation("["); writePunctuation("]"); } writePunctuation("}"); } } if (tag.fullName) { writeSpace(); emit(tag.fullName); } emitJSDocComment(tag.comment); if (tag.typeExpression && tag.typeExpression.kind === 322) { emitJSDocTypeLiteral(tag.typeExpression); } } function emitJSDocCallbackTag(tag) { emitJSDocTagName(tag.tagName); if (tag.name) { writeSpace(); emit(tag.name); } emitJSDocComment(tag.comment); emitJSDocSignature(tag.typeExpression); } function emitJSDocOverloadTag(tag) { emitJSDocComment(tag.comment); emitJSDocSignature(tag.typeExpression); } function emitJSDocSimpleTag(tag) { emitJSDocTagName(tag.tagName); emitJSDocComment(tag.comment); } function emitJSDocTypeLiteral(lit) { emitList( lit, factory.createNodeArray(lit.jsDocPropertyTags), 33 /* JSDocComment */ ); } function emitJSDocSignature(sig) { if (sig.typeParameters) { emitList( sig, factory.createNodeArray(sig.typeParameters), 33 /* JSDocComment */ ); } if (sig.parameters) { emitList( sig, factory.createNodeArray(sig.parameters), 33 /* JSDocComment */ ); } if (sig.type) { writeLine(); writeSpace(); writePunctuation("*"); writeSpace(); emit(sig.type); } } function emitJSDocPropertyLikeTag(param) { emitJSDocTagName(param.tagName); emitJSDocTypeExpression(param.typeExpression); writeSpace(); if (param.isBracketed) { writePunctuation("["); } emit(param.name); if (param.isBracketed) { writePunctuation("]"); } emitJSDocComment(param.comment); } function emitJSDocTagName(tagName) { writePunctuation("@"); emit(tagName); } function emitJSDocComment(comment) { const text = getTextOfJSDocComment(comment); if (text) { writeSpace(); write(text); } } function emitJSDocTypeExpression(typeExpression) { if (typeExpression) { writeSpace(); writePunctuation("{"); emit(typeExpression.type); writePunctuation("}"); } } function emitSourceFile(node) { writeLine(); const statements = node.statements; const shouldEmitDetachedComment = statements.length === 0 || !isPrologueDirective(statements[0]) || nodeIsSynthesized(statements[0]); if (shouldEmitDetachedComment) { emitBodyWithDetachedComments(node, statements, emitSourceFileWorker); return; } emitSourceFileWorker(node); } function emitSyntheticTripleSlashReferencesIfNeeded(node) { emitTripleSlashDirectives(!!node.hasNoDefaultLib, node.syntheticFileReferences || [], node.syntheticTypeReferences || [], node.syntheticLibReferences || []); } function emitTripleSlashDirectivesIfNeeded(node) { if (node.isDeclarationFile) emitTripleSlashDirectives(node.hasNoDefaultLib, node.referencedFiles, node.typeReferenceDirectives, node.libReferenceDirectives); } function emitTripleSlashDirectives(hasNoDefaultLib, files, types, libs2) { if (hasNoDefaultLib) { writeComment(`/// `); writeLine(); } if (currentSourceFile && currentSourceFile.moduleName) { writeComment(`/// `); writeLine(); } if (currentSourceFile && currentSourceFile.amdDependencies) { for (const dep of currentSourceFile.amdDependencies) { if (dep.name) { writeComment(`/// `); } else { writeComment(`/// `); } writeLine(); } } function writeDirectives(kind, directives) { for (const directive of directives) { const resolutionMode = directive.resolutionMode ? `resolution-mode="${directive.resolutionMode === 99 ? "import" : "require"}" ` : ""; const preserve = directive.preserve ? `preserve="true" ` : ""; writeComment(`/// `); writeLine(); } } writeDirectives("path", files); writeDirectives("types", types); writeDirectives("lib", libs2); } function emitSourceFileWorker(node) { const statements = node.statements; pushNameGenerationScope(node); forEach(node.statements, generateNames); emitHelpers(node); const index = findIndex(statements, (statement) => !isPrologueDirective(statement)); emitTripleSlashDirectivesIfNeeded(node); emitList( node, statements, 1, /*parenthesizerRule*/ void 0, index === -1 ? statements.length : index ); popNameGenerationScope(node); } function emitPartiallyEmittedExpression(node) { const emitFlags = getEmitFlags(node); if (!(emitFlags & 1024) && node.pos !== node.expression.pos) { emitTrailingCommentsOfPosition(node.expression.pos); } emitExpression(node.expression); if (!(emitFlags & 2048) && node.end !== node.expression.end) { emitLeadingCommentsOfPosition(node.expression.end); } } function emitCommaList(node) { emitExpressionList( node, node.elements, 528, /*parenthesizerRule*/ void 0 ); } function emitPrologueDirectives(statements, sourceFile, seenPrologueDirectives) { let needsToSetSourceFile = !!sourceFile; for (let i = 0; i < statements.length; i++) { const statement = statements[i]; if (isPrologueDirective(statement)) { const shouldEmitPrologueDirective = seenPrologueDirectives ? !seenPrologueDirectives.has(statement.expression.text) : true; if (shouldEmitPrologueDirective) { if (needsToSetSourceFile) { needsToSetSourceFile = false; setSourceFile(sourceFile); } writeLine(); emit(statement); if (seenPrologueDirectives) { seenPrologueDirectives.add(statement.expression.text); } } } else { return i; } } return statements.length; } function emitPrologueDirectivesIfNeeded(sourceFileOrBundle) { if (isSourceFile(sourceFileOrBundle)) { emitPrologueDirectives(sourceFileOrBundle.statements, sourceFileOrBundle); } else { const seenPrologueDirectives = /* @__PURE__ */ new Set(); for (const sourceFile of sourceFileOrBundle.sourceFiles) { emitPrologueDirectives(sourceFile.statements, sourceFile, seenPrologueDirectives); } setSourceFile(void 0); } } function emitShebangIfNeeded(sourceFileOrBundle) { if (isSourceFile(sourceFileOrBundle)) { const shebang = getShebang(sourceFileOrBundle.text); if (shebang) { writeComment(shebang); writeLine(); return true; } } else { for (const sourceFile of sourceFileOrBundle.sourceFiles) { if (emitShebangIfNeeded(sourceFile)) { return true; } } } } function emitNodeWithWriter(node, writer2) { if (!node) return; const savedWrite = write; write = writer2; emit(node); write = savedWrite; } function emitDecoratorsAndModifiers(node, modifiers, allowDecorators) { if (modifiers == null ? void 0 : modifiers.length) { if (every(modifiers, isModifier)) { return emitModifierList(node, modifiers); } if (every(modifiers, isDecorator)) { if (allowDecorators) { return emitDecoratorList(node, modifiers); } return node.pos; } onBeforeEmitNodeArray == null ? void 0 : onBeforeEmitNodeArray(modifiers); let lastMode; let mode; let start = 0; let pos = 0; let lastModifier; while (start < modifiers.length) { while (pos < modifiers.length) { lastModifier = modifiers[pos]; mode = isDecorator(lastModifier) ? "decorators" : "modifiers"; if (lastMode === void 0) { lastMode = mode; } else if (mode !== lastMode) { break; } pos++; } const textRange = { pos: -1, end: -1 }; if (start === 0) textRange.pos = modifiers.pos; if (pos === modifiers.length - 1) textRange.end = modifiers.end; if (lastMode === "modifiers" || allowDecorators) { emitNodeListItems( emit, node, modifiers, lastMode === "modifiers" ? 2359808 : 2146305, /*parenthesizerRule*/ void 0, start, pos - start, /*hasTrailingComma*/ false, textRange ); } start = pos; lastMode = mode; pos++; } onAfterEmitNodeArray == null ? void 0 : onAfterEmitNodeArray(modifiers); if (lastModifier && !positionIsSynthesized(lastModifier.end)) { return lastModifier.end; } } return node.pos; } function emitModifierList(node, modifiers) { emitList( node, modifiers, 2359808 /* Modifiers */ ); const lastModifier = lastOrUndefined(modifiers); return lastModifier && !positionIsSynthesized(lastModifier.end) ? lastModifier.end : node.pos; } function emitTypeAnnotation(node) { if (node) { writePunctuation(":"); writeSpace(); emit(node); } } function emitInitializer(node, equalCommentStartPos, container, parenthesizerRule) { if (node) { writeSpace(); emitTokenWithComment(64, equalCommentStartPos, writeOperator, container); writeSpace(); emitExpression(node, parenthesizerRule); } } function emitNodeWithPrefix(prefix, prefixWriter, node, emit2) { if (node) { prefixWriter(prefix); emit2(node); } } function emitWithLeadingSpace(node) { if (node) { writeSpace(); emit(node); } } function emitExpressionWithLeadingSpace(node, parenthesizerRule) { if (node) { writeSpace(); emitExpression(node, parenthesizerRule); } } function emitWithTrailingSpace(node) { if (node) { emit(node); writeSpace(); } } function emitEmbeddedStatement(parent2, node) { if (isBlock(node) || getEmitFlags(parent2) & 1 || preserveSourceNewlines && !getLeadingLineTerminatorCount( parent2, node, 0 /* None */ )) { writeSpace(); emit(node); } else { writeLine(); increaseIndent(); if (isEmptyStatement(node)) { pipelineEmit(5, node); } else { emit(node); } decreaseIndent(); } } function emitDecoratorList(parentNode, decorators) { emitList( parentNode, decorators, 2146305 /* Decorators */ ); const lastDecorator = lastOrUndefined(decorators); return lastDecorator && !positionIsSynthesized(lastDecorator.end) ? lastDecorator.end : parentNode.pos; } function emitTypeArguments(parentNode, typeArguments) { emitList(parentNode, typeArguments, 53776, typeArgumentParenthesizerRuleSelector); } function emitTypeParameters(parentNode, typeParameters) { if (isFunctionLike(parentNode) && parentNode.typeArguments) { return emitTypeArguments(parentNode, parentNode.typeArguments); } emitList( parentNode, typeParameters, 53776 /* TypeParameters */ ); } function emitParameters(parentNode, parameters) { emitList( parentNode, parameters, 2576 /* Parameters */ ); } function canEmitSimpleArrowHead(parentNode, parameters) { const parameter = singleOrUndefined(parameters); return parameter && parameter.pos === parentNode.pos && isArrowFunction(parentNode) && !parentNode.type && !some(parentNode.modifiers) && !some(parentNode.typeParameters) && !some(parameter.modifiers) && !parameter.dotDotDotToken && !parameter.questionToken && !parameter.type && !parameter.initializer && isIdentifier(parameter.name); } function emitParametersForArrow(parentNode, parameters) { if (canEmitSimpleArrowHead(parentNode, parameters)) { emitList( parentNode, parameters, 2576 & ~2048 /* Parenthesis */ ); } else { emitParameters(parentNode, parameters); } } function emitParametersForIndexSignature(parentNode, parameters) { emitList( parentNode, parameters, 8848 /* IndexSignatureParameters */ ); } function writeDelimiter(format2) { switch (format2 & 60) { case 0: break; case 16: writePunctuation(","); break; case 4: writeSpace(); writePunctuation("|"); break; case 32: writeSpace(); writePunctuation("*"); writeSpace(); break; case 8: writeSpace(); writePunctuation("&"); break; } } function emitList(parentNode, children, format2, parenthesizerRule, start, count) { emitNodeList( emit, parentNode, children, format2 | (parentNode && getEmitFlags(parentNode) & 2 ? 65536 : 0), parenthesizerRule, start, count ); } function emitExpressionList(parentNode, children, format2, parenthesizerRule, start, count) { emitNodeList(emitExpression, parentNode, children, format2, parenthesizerRule, start, count); } function emitNodeList(emit2, parentNode, children, format2, parenthesizerRule, start = 0, count = children ? children.length - start : 0) { const isUndefined2 = children === void 0; if (isUndefined2 && format2 & 16384) { return; } const isEmpty2 = children === void 0 || start >= children.length || count === 0; if (isEmpty2 && format2 & 32768) { onBeforeEmitNodeArray == null ? void 0 : onBeforeEmitNodeArray(children); onAfterEmitNodeArray == null ? void 0 : onAfterEmitNodeArray(children); return; } if (format2 & 15360) { writePunctuation(getOpeningBracket(format2)); if (isEmpty2 && children) { emitTrailingCommentsOfPosition( children.pos, /*prefixSpace*/ true ); } } onBeforeEmitNodeArray == null ? void 0 : onBeforeEmitNodeArray(children); if (isEmpty2) { if (format2 & 1 && !(preserveSourceNewlines && (!parentNode || currentSourceFile && rangeIsOnSingleLine(parentNode, currentSourceFile)))) { writeLine(); } else if (format2 & 256 && !(format2 & 524288)) { writeSpace(); } } else { emitNodeListItems(emit2, parentNode, children, format2, parenthesizerRule, start, count, children.hasTrailingComma, children); } onAfterEmitNodeArray == null ? void 0 : onAfterEmitNodeArray(children); if (format2 & 15360) { if (isEmpty2 && children) { emitLeadingCommentsOfPosition(children.end); } writePunctuation(getClosingBracket(format2)); } } function emitNodeListItems(emit2, parentNode, children, format2, parenthesizerRule, start, count, hasTrailingComma, childrenTextRange) { const mayEmitInterveningComments = (format2 & 262144) === 0; let shouldEmitInterveningComments = mayEmitInterveningComments; const leadingLineTerminatorCount = getLeadingLineTerminatorCount(parentNode, children[start], format2); if (leadingLineTerminatorCount) { writeLine(leadingLineTerminatorCount); shouldEmitInterveningComments = false; } else if (format2 & 256) { writeSpace(); } if (format2 & 128) { increaseIndent(); } const emitListItem = getEmitListItem(emit2, parenthesizerRule); let previousSibling; let shouldDecreaseIndentAfterEmit = false; for (let i = 0; i < count; i++) { const child = children[start + i]; if (format2 & 32) { writeLine(); writeDelimiter(format2); } else if (previousSibling) { if (format2 & 60 && previousSibling.end !== (parentNode ? parentNode.end : -1)) { const previousSiblingEmitFlags = getEmitFlags(previousSibling); if (!(previousSiblingEmitFlags & 2048)) { emitLeadingCommentsOfPosition(previousSibling.end); } } writeDelimiter(format2); const separatingLineTerminatorCount = getSeparatingLineTerminatorCount(previousSibling, child, format2); if (separatingLineTerminatorCount > 0) { if ((format2 & (3 | 128)) === 0) { increaseIndent(); shouldDecreaseIndentAfterEmit = true; } if (shouldEmitInterveningComments && format2 & 60 && !positionIsSynthesized(child.pos)) { const commentRange = getCommentRange(child); emitTrailingCommentsOfPosition( commentRange.pos, /*prefixSpace*/ !!(format2 & 512), /*forceNoNewline*/ true ); } writeLine(separatingLineTerminatorCount); shouldEmitInterveningComments = false; } else if (previousSibling && format2 & 512) { writeSpace(); } } if (shouldEmitInterveningComments) { const commentRange = getCommentRange(child); emitTrailingCommentsOfPosition(commentRange.pos); } else { shouldEmitInterveningComments = mayEmitInterveningComments; } nextListElementPos = child.pos; emitListItem(child, emit2, parenthesizerRule, i); if (shouldDecreaseIndentAfterEmit) { decreaseIndent(); shouldDecreaseIndentAfterEmit = false; } previousSibling = child; } const emitFlags = previousSibling ? getEmitFlags(previousSibling) : 0; const skipTrailingComments = commentsDisabled || !!(emitFlags & 2048); const emitTrailingComma = hasTrailingComma && format2 & 64 && format2 & 16; if (emitTrailingComma) { if (previousSibling && !skipTrailingComments) { emitTokenWithComment(28, previousSibling.end, writePunctuation, previousSibling); } else { writePunctuation(","); } } if (previousSibling && (parentNode ? parentNode.end : -1) !== previousSibling.end && format2 & 60 && !skipTrailingComments) { emitLeadingCommentsOfPosition(emitTrailingComma && (childrenTextRange == null ? void 0 : childrenTextRange.end) ? childrenTextRange.end : previousSibling.end); } if (format2 & 128) { decreaseIndent(); } const closingLineTerminatorCount = getClosingLineTerminatorCount(parentNode, children[start + count - 1], format2, childrenTextRange); if (closingLineTerminatorCount) { writeLine(closingLineTerminatorCount); } else if (format2 & (2097152 | 256)) { writeSpace(); } } function writeLiteral(s) { writer.writeLiteral(s); } function writeStringLiteral(s) { writer.writeStringLiteral(s); } function writeBase(s) { writer.write(s); } function writeSymbol(s, sym) { writer.writeSymbol(s, sym); } function writePunctuation(s) { writer.writePunctuation(s); } function writeTrailingSemicolon() { writer.writeTrailingSemicolon(";"); } function writeKeyword(s) { writer.writeKeyword(s); } function writeOperator(s) { writer.writeOperator(s); } function writeParameter(s) { writer.writeParameter(s); } function writeComment(s) { writer.writeComment(s); } function writeSpace() { writer.writeSpace(" "); } function writeProperty(s) { writer.writeProperty(s); } function nonEscapingWrite(s) { if (writer.nonEscapingWrite) { writer.nonEscapingWrite(s); } else { writer.write(s); } } function writeLine(count = 1) { for (let i = 0; i < count; i++) { writer.writeLine(i > 0); } } function increaseIndent() { writer.increaseIndent(); } function decreaseIndent() { writer.decreaseIndent(); } function writeToken(token, pos, writer2, contextNode) { return !sourceMapsDisabled ? emitTokenWithSourceMap(contextNode, token, writer2, pos, writeTokenText) : writeTokenText(token, writer2, pos); } function writeTokenNode(node, writer2) { if (onBeforeEmitToken) { onBeforeEmitToken(node); } writer2(tokenToString(node.kind)); if (onAfterEmitToken) { onAfterEmitToken(node); } } function writeTokenText(token, writer2, pos) { const tokenString = tokenToString(token); writer2(tokenString); return pos < 0 ? pos : pos + tokenString.length; } function writeLineOrSpace(parentNode, prevChildNode, nextChildNode) { if (getEmitFlags(parentNode) & 1) { writeSpace(); } else if (preserveSourceNewlines) { const lines = getLinesBetweenNodes(parentNode, prevChildNode, nextChildNode); if (lines) { writeLine(lines); } else { writeSpace(); } } else { writeLine(); } } function writeLines(text) { const lines = text.split(/\r\n?|\n/g); const indentation = guessIndentation(lines); for (const lineText of lines) { const line = indentation ? lineText.slice(indentation) : lineText; if (line.length) { writeLine(); write(line); } } } function writeLinesAndIndent(lineCount, writeSpaceIfNotIndenting) { if (lineCount) { increaseIndent(); writeLine(lineCount); } else if (writeSpaceIfNotIndenting) { writeSpace(); } } function decreaseIndentIf(value1, value2) { if (value1) { decreaseIndent(); } if (value2) { decreaseIndent(); } } function getLeadingLineTerminatorCount(parentNode, firstChild, format2) { if (format2 & 2 || preserveSourceNewlines) { if (format2 & 65536) { return 1; } if (firstChild === void 0) { return !parentNode || currentSourceFile && rangeIsOnSingleLine(parentNode, currentSourceFile) ? 0 : 1; } if (firstChild.pos === nextListElementPos) { return 0; } if (firstChild.kind === 12) { return 0; } if (currentSourceFile && parentNode && !positionIsSynthesized(parentNode.pos) && !nodeIsSynthesized(firstChild) && (!firstChild.parent || getOriginalNode(firstChild.parent) === getOriginalNode(parentNode))) { if (preserveSourceNewlines) { return getEffectiveLines( (includeComments) => getLinesBetweenPositionAndPrecedingNonWhitespaceCharacter( firstChild.pos, parentNode.pos, currentSourceFile, includeComments ) ); } return rangeStartPositionsAreOnSameLine(parentNode, firstChild, currentSourceFile) ? 0 : 1; } if (synthesizedNodeStartsOnNewLine(firstChild, format2)) { return 1; } } return format2 & 1 ? 1 : 0; } function getSeparatingLineTerminatorCount(previousNode, nextNode, format2) { if (format2 & 2 || preserveSourceNewlines) { if (previousNode === void 0 || nextNode === void 0) { return 0; } if (nextNode.kind === 12) { return 0; } else if (currentSourceFile && !nodeIsSynthesized(previousNode) && !nodeIsSynthesized(nextNode)) { if (preserveSourceNewlines && siblingNodePositionsAreComparable(previousNode, nextNode)) { return getEffectiveLines( (includeComments) => getLinesBetweenRangeEndAndRangeStart( previousNode, nextNode, currentSourceFile, includeComments ) ); } else if (!preserveSourceNewlines && originalNodesHaveSameParent(previousNode, nextNode)) { return rangeEndIsOnSameLineAsRangeStart(previousNode, nextNode, currentSourceFile) ? 0 : 1; } return format2 & 65536 ? 1 : 0; } else if (synthesizedNodeStartsOnNewLine(previousNode, format2) || synthesizedNodeStartsOnNewLine(nextNode, format2)) { return 1; } } else if (getStartsOnNewLine(nextNode)) { return 1; } return format2 & 1 ? 1 : 0; } function getClosingLineTerminatorCount(parentNode, lastChild, format2, childrenTextRange) { if (format2 & 2 || preserveSourceNewlines) { if (format2 & 65536) { return 1; } if (lastChild === void 0) { return !parentNode || currentSourceFile && rangeIsOnSingleLine(parentNode, currentSourceFile) ? 0 : 1; } if (currentSourceFile && parentNode && !positionIsSynthesized(parentNode.pos) && !nodeIsSynthesized(lastChild) && (!lastChild.parent || lastChild.parent === parentNode)) { if (preserveSourceNewlines) { const end = childrenTextRange && !positionIsSynthesized(childrenTextRange.end) ? childrenTextRange.end : lastChild.end; return getEffectiveLines( (includeComments) => getLinesBetweenPositionAndNextNonWhitespaceCharacter( end, parentNode.end, currentSourceFile, includeComments ) ); } return rangeEndPositionsAreOnSameLine(parentNode, lastChild, currentSourceFile) ? 0 : 1; } if (synthesizedNodeStartsOnNewLine(lastChild, format2)) { return 1; } } if (format2 & 1 && !(format2 & 131072)) { return 1; } return 0; } function getEffectiveLines(getLineDifference) { Debug.assert(!!preserveSourceNewlines); const lines = getLineDifference( /*includeComments*/ true ); if (lines === 0) { return getLineDifference( /*includeComments*/ false ); } return lines; } function writeLineSeparatorsAndIndentBefore(node, parent2) { const leadingNewlines = preserveSourceNewlines && getLeadingLineTerminatorCount( parent2, node, 0 /* None */ ); if (leadingNewlines) { writeLinesAndIndent( leadingNewlines, /*writeSpaceIfNotIndenting*/ false ); } return !!leadingNewlines; } function writeLineSeparatorsAfter(node, parent2) { const trailingNewlines = preserveSourceNewlines && getClosingLineTerminatorCount( parent2, node, 0, /*childrenTextRange*/ void 0 ); if (trailingNewlines) { writeLine(trailingNewlines); } } function synthesizedNodeStartsOnNewLine(node, format2) { if (nodeIsSynthesized(node)) { const startsOnNewLine = getStartsOnNewLine(node); if (startsOnNewLine === void 0) { return (format2 & 65536) !== 0; } return startsOnNewLine; } return (format2 & 65536) !== 0; } function getLinesBetweenNodes(parent2, node1, node2) { if (getEmitFlags(parent2) & 262144) { return 0; } parent2 = skipSynthesizedParentheses(parent2); node1 = skipSynthesizedParentheses(node1); node2 = skipSynthesizedParentheses(node2); if (getStartsOnNewLine(node2)) { return 1; } if (currentSourceFile && !nodeIsSynthesized(parent2) && !nodeIsSynthesized(node1) && !nodeIsSynthesized(node2)) { if (preserveSourceNewlines) { return getEffectiveLines( (includeComments) => getLinesBetweenRangeEndAndRangeStart( node1, node2, currentSourceFile, includeComments ) ); } return rangeEndIsOnSameLineAsRangeStart(node1, node2, currentSourceFile) ? 0 : 1; } return 0; } function isEmptyBlock(block) { return block.statements.length === 0 && (!currentSourceFile || rangeEndIsOnSameLineAsRangeStart(block, block, currentSourceFile)); } function skipSynthesizedParentheses(node) { while (node.kind === 217 && nodeIsSynthesized(node)) { node = node.expression; } return node; } function getTextOfNode2(node, includeTrivia) { if (isGeneratedIdentifier(node) || isGeneratedPrivateIdentifier(node)) { return generateName(node); } if (isStringLiteral2(node) && node.textSourceNode) { return getTextOfNode2(node.textSourceNode, includeTrivia); } const sourceFile = currentSourceFile; const canUseSourceFile = !!sourceFile && !!node.parent && !nodeIsSynthesized(node); if (isMemberName(node)) { if (!canUseSourceFile || getSourceFileOfNode(node) !== getOriginalNode(sourceFile)) { return idText(node); } } else if (isJsxNamespacedName(node)) { if (!canUseSourceFile || getSourceFileOfNode(node) !== getOriginalNode(sourceFile)) { return getTextOfJsxNamespacedName(node); } } else { Debug.assertNode(node, isLiteralExpression); if (!canUseSourceFile) { return node.text; } } return getSourceTextOfNodeFromSourceFile(sourceFile, node, includeTrivia); } function getLiteralTextOfNode(node, neverAsciiEscape, jsxAttributeEscape) { if (node.kind === 11 && node.textSourceNode) { const textSourceNode = node.textSourceNode; if (isIdentifier(textSourceNode) || isPrivateIdentifier(textSourceNode) || isNumericLiteral(textSourceNode) || isJsxNamespacedName(textSourceNode)) { const text = isNumericLiteral(textSourceNode) ? textSourceNode.text : getTextOfNode2(textSourceNode); return jsxAttributeEscape ? `"${escapeJsxAttributeString(text)}"` : neverAsciiEscape || getEmitFlags(node) & 16777216 ? `"${escapeString2(text)}"` : `"${escapeNonAsciiString(text)}"`; } else { return getLiteralTextOfNode(textSourceNode, neverAsciiEscape, jsxAttributeEscape); } } const flags = (neverAsciiEscape ? 1 : 0) | (jsxAttributeEscape ? 2 : 0) | (printerOptions.terminateUnterminatedLiterals ? 4 : 0) | (printerOptions.target && printerOptions.target >= 8 ? 8 : 0); return getLiteralText(node, currentSourceFile, flags); } function pushNameGenerationScope(node) { privateNameTempFlagsStack.push(privateNameTempFlags); privateNameTempFlags = 0; reservedPrivateNamesStack.push(reservedPrivateNames); if (node && getEmitFlags(node) & 1048576) { return; } tempFlagsStack.push(tempFlags); tempFlags = 0; formattedNameTempFlagsStack.push(formattedNameTempFlags); formattedNameTempFlags = void 0; reservedNamesStack.push(reservedNames); } function popNameGenerationScope(node) { privateNameTempFlags = privateNameTempFlagsStack.pop(); reservedPrivateNames = reservedPrivateNamesStack.pop(); if (node && getEmitFlags(node) & 1048576) { return; } tempFlags = tempFlagsStack.pop(); formattedNameTempFlags = formattedNameTempFlagsStack.pop(); reservedNames = reservedNamesStack.pop(); } function reserveNameInNestedScopes(name) { if (!reservedNames || reservedNames === lastOrUndefined(reservedNamesStack)) { reservedNames = /* @__PURE__ */ new Set(); } reservedNames.add(name); } function reservePrivateNameInNestedScopes(name) { if (!reservedPrivateNames || reservedPrivateNames === lastOrUndefined(reservedPrivateNamesStack)) { reservedPrivateNames = /* @__PURE__ */ new Set(); } reservedPrivateNames.add(name); } function generateNames(node) { if (!node) return; switch (node.kind) { case 241: forEach(node.statements, generateNames); break; case 256: case 254: case 246: case 247: generateNames(node.statement); break; case 245: generateNames(node.thenStatement); generateNames(node.elseStatement); break; case 248: case 250: case 249: generateNames(node.initializer); generateNames(node.statement); break; case 255: generateNames(node.caseBlock); break; case 269: forEach(node.clauses, generateNames); break; case 296: case 297: forEach(node.statements, generateNames); break; case 258: generateNames(node.tryBlock); generateNames(node.catchClause); generateNames(node.finallyBlock); break; case 299: generateNames(node.variableDeclaration); generateNames(node.block); break; case 243: generateNames(node.declarationList); break; case 261: forEach(node.declarations, generateNames); break; case 260: case 169: case 208: case 263: generateNameIfNeeded(node.name); break; case 262: generateNameIfNeeded(node.name); if (getEmitFlags(node) & 1048576) { forEach(node.parameters, generateNames); generateNames(node.body); } break; case 206: case 207: forEach(node.elements, generateNames); break; case 272: generateNames(node.importClause); break; case 273: generateNameIfNeeded(node.name); generateNames(node.namedBindings); break; case 274: generateNameIfNeeded(node.name); break; case 280: generateNameIfNeeded(node.name); break; case 275: forEach(node.elements, generateNames); break; case 276: generateNameIfNeeded(node.propertyName || node.name); break; } } function generateMemberNames(node) { if (!node) return; switch (node.kind) { case 303: case 304: case 172: case 171: case 174: case 173: case 177: case 178: generateNameIfNeeded(node.name); break; } } function generateNameIfNeeded(name) { if (name) { if (isGeneratedIdentifier(name) || isGeneratedPrivateIdentifier(name)) { generateName(name); } else if (isBindingPattern(name)) { generateNames(name); } } } function generateName(name) { const autoGenerate = name.emitNode.autoGenerate; if ((autoGenerate.flags & 7) === 4) { return generateNameCached(getNodeForGeneratedName(name), isPrivateIdentifier(name), autoGenerate.flags, autoGenerate.prefix, autoGenerate.suffix); } else { const autoGenerateId = autoGenerate.id; return autoGeneratedIdToGeneratedName[autoGenerateId] || (autoGeneratedIdToGeneratedName[autoGenerateId] = makeName(name)); } } function generateNameCached(node, privateName, flags, prefix, suffix) { const nodeId = getNodeId(node); const cache = privateName ? nodeIdToGeneratedPrivateName : nodeIdToGeneratedName; return cache[nodeId] || (cache[nodeId] = generateNameForNode(node, privateName, flags ?? 0, formatGeneratedNamePart(prefix, generateName), formatGeneratedNamePart(suffix))); } function isUniqueName(name, privateName) { return isFileLevelUniqueNameInCurrentFile(name, privateName) && !isReservedName(name, privateName) && !generatedNames.has(name); } function isReservedName(name, privateName) { let set; let stack; if (privateName) { set = reservedPrivateNames; stack = reservedPrivateNamesStack; } else { set = reservedNames; stack = reservedNamesStack; } if (set == null ? void 0 : set.has(name)) { return true; } for (let i = stack.length - 1; i >= 0; i--) { if (set === stack[i]) { continue; } set = stack[i]; if (set == null ? void 0 : set.has(name)) { return true; } } return false; } function isFileLevelUniqueNameInCurrentFile(name, _isPrivate) { return currentSourceFile ? isFileLevelUniqueName(currentSourceFile, name, hasGlobalName) : true; } function isUniqueLocalName(name, container) { for (let node = container; node && isNodeDescendantOf(node, container); node = node.nextContainer) { if (canHaveLocals(node) && node.locals) { const local = node.locals.get(escapeLeadingUnderscores(name)); if (local && local.flags & (111551 | 1048576 | 2097152)) { return false; } } } return true; } function getTempFlags(formattedNameKey) { switch (formattedNameKey) { case "": return tempFlags; case "#": return privateNameTempFlags; default: return (formattedNameTempFlags == null ? void 0 : formattedNameTempFlags.get(formattedNameKey)) ?? 0; } } function setTempFlags(formattedNameKey, flags) { switch (formattedNameKey) { case "": tempFlags = flags; break; case "#": privateNameTempFlags = flags; break; default: formattedNameTempFlags ?? (formattedNameTempFlags = /* @__PURE__ */ new Map()); formattedNameTempFlags.set(formattedNameKey, flags); break; } } function makeTempVariableName(flags, reservedInNestedScopes, privateName, prefix, suffix) { if (prefix.length > 0 && prefix.charCodeAt(0) === 35) { prefix = prefix.slice(1); } const key = formatGeneratedName(privateName, prefix, "", suffix); let tempFlags2 = getTempFlags(key); if (flags && !(tempFlags2 & flags)) { const name = flags === 268435456 ? "_i" : "_n"; const fullName = formatGeneratedName(privateName, prefix, name, suffix); if (isUniqueName(fullName, privateName)) { tempFlags2 |= flags; if (privateName) { reservePrivateNameInNestedScopes(fullName); } else if (reservedInNestedScopes) { reserveNameInNestedScopes(fullName); } setTempFlags(key, tempFlags2); return fullName; } } while (true) { const count = tempFlags2 & 268435455; tempFlags2++; if (count !== 8 && count !== 13) { const name = count < 26 ? "_" + String.fromCharCode(97 + count) : "_" + (count - 26); const fullName = formatGeneratedName(privateName, prefix, name, suffix); if (isUniqueName(fullName, privateName)) { if (privateName) { reservePrivateNameInNestedScopes(fullName); } else if (reservedInNestedScopes) { reserveNameInNestedScopes(fullName); } setTempFlags(key, tempFlags2); return fullName; } } } } function makeUniqueName2(baseName, checkFn = isUniqueName, optimistic, scoped, privateName, prefix, suffix) { if (baseName.length > 0 && baseName.charCodeAt(0) === 35) { baseName = baseName.slice(1); } if (prefix.length > 0 && prefix.charCodeAt(0) === 35) { prefix = prefix.slice(1); } if (optimistic) { const fullName = formatGeneratedName(privateName, prefix, baseName, suffix); if (checkFn(fullName, privateName)) { if (privateName) { reservePrivateNameInNestedScopes(fullName); } else if (scoped) { reserveNameInNestedScopes(fullName); } else { generatedNames.add(fullName); } return fullName; } } if (baseName.charCodeAt(baseName.length - 1) !== 95) { baseName += "_"; } let i = 1; while (true) { const fullName = formatGeneratedName(privateName, prefix, baseName + i, suffix); if (checkFn(fullName, privateName)) { if (privateName) { reservePrivateNameInNestedScopes(fullName); } else if (scoped) { reserveNameInNestedScopes(fullName); } else { generatedNames.add(fullName); } return fullName; } i++; } } function makeFileLevelOptimisticUniqueName(name) { return makeUniqueName2( name, isFileLevelUniqueNameInCurrentFile, /*optimistic*/ true, /*scoped*/ false, /*privateName*/ false, /*prefix*/ "", /*suffix*/ "" ); } function generateNameForModuleOrEnum(node) { const name = getTextOfNode2(node.name); return isUniqueLocalName(name, tryCast(node, canHaveLocals)) ? name : makeUniqueName2( name, isUniqueName, /*optimistic*/ false, /*scoped*/ false, /*privateName*/ false, /*prefix*/ "", /*suffix*/ "" ); } function generateNameForImportOrExportDeclaration(node) { const expr = getExternalModuleName(node); const baseName = isStringLiteral2(expr) ? makeIdentifierFromModuleName(expr.text) : "module"; return makeUniqueName2( baseName, isUniqueName, /*optimistic*/ false, /*scoped*/ false, /*privateName*/ false, /*prefix*/ "", /*suffix*/ "" ); } function generateNameForExportDefault() { return makeUniqueName2( "default", isUniqueName, /*optimistic*/ false, /*scoped*/ false, /*privateName*/ false, /*prefix*/ "", /*suffix*/ "" ); } function generateNameForClassExpression() { return makeUniqueName2( "class", isUniqueName, /*optimistic*/ false, /*scoped*/ false, /*privateName*/ false, /*prefix*/ "", /*suffix*/ "" ); } function generateNameForMethodOrAccessor(node, privateName, prefix, suffix) { if (isIdentifier(node.name)) { return generateNameCached(node.name, privateName); } return makeTempVariableName( 0, /*reservedInNestedScopes*/ false, privateName, prefix, suffix ); } function generateNameForNode(node, privateName, flags, prefix, suffix) { switch (node.kind) { case 80: case 81: return makeUniqueName2( getTextOfNode2(node), isUniqueName, !!(flags & 16), !!(flags & 8), privateName, prefix, suffix ); case 267: case 266: Debug.assert(!prefix && !suffix && !privateName); return generateNameForModuleOrEnum(node); case 272: case 278: Debug.assert(!prefix && !suffix && !privateName); return generateNameForImportOrExportDeclaration(node); case 262: case 263: { Debug.assert(!prefix && !suffix && !privateName); const name = node.name; if (name && !isGeneratedIdentifier(name)) { return generateNameForNode( name, /*privateName*/ false, flags, prefix, suffix ); } return generateNameForExportDefault(); } case 277: Debug.assert(!prefix && !suffix && !privateName); return generateNameForExportDefault(); case 231: Debug.assert(!prefix && !suffix && !privateName); return generateNameForClassExpression(); case 174: case 177: case 178: return generateNameForMethodOrAccessor(node, privateName, prefix, suffix); case 167: return makeTempVariableName( 0, /*reservedInNestedScopes*/ true, privateName, prefix, suffix ); default: return makeTempVariableName( 0, /*reservedInNestedScopes*/ false, privateName, prefix, suffix ); } } function makeName(name) { const autoGenerate = name.emitNode.autoGenerate; const prefix = formatGeneratedNamePart(autoGenerate.prefix, generateName); const suffix = formatGeneratedNamePart(autoGenerate.suffix); switch (autoGenerate.flags & 7) { case 1: return makeTempVariableName(0, !!(autoGenerate.flags & 8), isPrivateIdentifier(name), prefix, suffix); case 2: Debug.assertNode(name, isIdentifier); return makeTempVariableName( 268435456, !!(autoGenerate.flags & 8), /*privateName*/ false, prefix, suffix ); case 3: return makeUniqueName2( idText(name), autoGenerate.flags & 32 ? isFileLevelUniqueNameInCurrentFile : isUniqueName, !!(autoGenerate.flags & 16), !!(autoGenerate.flags & 8), isPrivateIdentifier(name), prefix, suffix ); } return Debug.fail(`Unsupported GeneratedIdentifierKind: ${Debug.formatEnum( autoGenerate.flags & 7, GeneratedIdentifierFlags, /*isFlags*/ true )}.`); } function pipelineEmitWithComments(hint, node) { const pipelinePhase = getNextPipelinePhase(2, hint, node); const savedContainerPos = containerPos; const savedContainerEnd = containerEnd; const savedDeclarationListContainerEnd = declarationListContainerEnd; emitCommentsBeforeNode(node); pipelinePhase(hint, node); emitCommentsAfterNode(node, savedContainerPos, savedContainerEnd, savedDeclarationListContainerEnd); } function emitCommentsBeforeNode(node) { const emitFlags = getEmitFlags(node); const commentRange = getCommentRange(node); emitLeadingCommentsOfNode(node, emitFlags, commentRange.pos, commentRange.end); if (emitFlags & 4096) { commentsDisabled = true; } } function emitCommentsAfterNode(node, savedContainerPos, savedContainerEnd, savedDeclarationListContainerEnd) { const emitFlags = getEmitFlags(node); const commentRange = getCommentRange(node); if (emitFlags & 4096) { commentsDisabled = false; } emitTrailingCommentsOfNode(node, emitFlags, commentRange.pos, commentRange.end, savedContainerPos, savedContainerEnd, savedDeclarationListContainerEnd); const typeNode = getTypeNode(node); if (typeNode) { emitTrailingCommentsOfNode(node, emitFlags, typeNode.pos, typeNode.end, savedContainerPos, savedContainerEnd, savedDeclarationListContainerEnd); } } function emitLeadingCommentsOfNode(node, emitFlags, pos, end) { enterComment(); hasWrittenComment = false; const skipLeadingComments = pos < 0 || (emitFlags & 1024) !== 0 || node.kind === 12; const skipTrailingComments = end < 0 || (emitFlags & 2048) !== 0 || node.kind === 12; if ((pos > 0 || end > 0) && pos !== end) { if (!skipLeadingComments) { emitLeadingComments( pos, /*isEmittedNode*/ node.kind !== 353 /* NotEmittedStatement */ ); } if (!skipLeadingComments || pos >= 0 && (emitFlags & 1024) !== 0) { containerPos = pos; } if (!skipTrailingComments || end >= 0 && (emitFlags & 2048) !== 0) { containerEnd = end; if (node.kind === 261) { declarationListContainerEnd = end; } } } forEach(getSyntheticLeadingComments(node), emitLeadingSynthesizedComment); exitComment(); } function emitTrailingCommentsOfNode(node, emitFlags, pos, end, savedContainerPos, savedContainerEnd, savedDeclarationListContainerEnd) { enterComment(); const skipTrailingComments = end < 0 || (emitFlags & 2048) !== 0 || node.kind === 12; forEach(getSyntheticTrailingComments(node), emitTrailingSynthesizedComment); if ((pos > 0 || end > 0) && pos !== end) { containerPos = savedContainerPos; containerEnd = savedContainerEnd; declarationListContainerEnd = savedDeclarationListContainerEnd; if (!skipTrailingComments && node.kind !== 353) { emitTrailingComments(end); } } exitComment(); } function emitLeadingSynthesizedComment(comment) { if (comment.hasLeadingNewline || comment.kind === 2) { writer.writeLine(); } writeSynthesizedComment(comment); if (comment.hasTrailingNewLine || comment.kind === 2) { writer.writeLine(); } else { writer.writeSpace(" "); } } function emitTrailingSynthesizedComment(comment) { if (!writer.isAtStartOfLine()) { writer.writeSpace(" "); } writeSynthesizedComment(comment); if (comment.hasTrailingNewLine) { writer.writeLine(); } } function writeSynthesizedComment(comment) { const text = formatSynthesizedComment(comment); const lineMap = comment.kind === 3 ? computeLineStarts(text) : void 0; writeCommentRange(text, lineMap, writer, 0, text.length, newLine); } function formatSynthesizedComment(comment) { return comment.kind === 3 ? `/*${comment.text}*/` : `//${comment.text}`; } function emitBodyWithDetachedComments(node, detachedRange, emitCallback) { enterComment(); const { pos, end } = detachedRange; const emitFlags = getEmitFlags(node); const skipLeadingComments = pos < 0 || (emitFlags & 1024) !== 0; const skipTrailingComments = commentsDisabled || end < 0 || (emitFlags & 2048) !== 0; if (!skipLeadingComments) { emitDetachedCommentsAndUpdateCommentsInfo(detachedRange); } exitComment(); if (emitFlags & 4096 && !commentsDisabled) { commentsDisabled = true; emitCallback(node); commentsDisabled = false; } else { emitCallback(node); } enterComment(); if (!skipTrailingComments) { emitLeadingComments( detachedRange.end, /*isEmittedNode*/ true ); if (hasWrittenComment && !writer.isAtStartOfLine()) { writer.writeLine(); } } exitComment(); } function originalNodesHaveSameParent(nodeA, nodeB) { nodeA = getOriginalNode(nodeA); return nodeA.parent && nodeA.parent === getOriginalNode(nodeB).parent; } function siblingNodePositionsAreComparable(previousNode, nextNode) { if (nextNode.pos < previousNode.end) { return false; } previousNode = getOriginalNode(previousNode); nextNode = getOriginalNode(nextNode); const parent2 = previousNode.parent; if (!parent2 || parent2 !== nextNode.parent) { return false; } const parentNodeArray = getContainingNodeArray(previousNode); const prevNodeIndex = parentNodeArray == null ? void 0 : parentNodeArray.indexOf(previousNode); return prevNodeIndex !== void 0 && prevNodeIndex > -1 && parentNodeArray.indexOf(nextNode) === prevNodeIndex + 1; } function emitLeadingComments(pos, isEmittedNode) { hasWrittenComment = false; if (isEmittedNode) { if (pos === 0 && (currentSourceFile == null ? void 0 : currentSourceFile.isDeclarationFile)) { forEachLeadingCommentToEmit(pos, emitNonTripleSlashLeadingComment); } else { forEachLeadingCommentToEmit(pos, emitLeadingComment); } } else if (pos === 0) { forEachLeadingCommentToEmit(pos, emitTripleSlashLeadingComment); } } function emitTripleSlashLeadingComment(commentPos, commentEnd, kind, hasTrailingNewLine, rangePos) { if (isTripleSlashComment(commentPos, commentEnd)) { emitLeadingComment(commentPos, commentEnd, kind, hasTrailingNewLine, rangePos); } } function emitNonTripleSlashLeadingComment(commentPos, commentEnd, kind, hasTrailingNewLine, rangePos) { if (!isTripleSlashComment(commentPos, commentEnd)) { emitLeadingComment(commentPos, commentEnd, kind, hasTrailingNewLine, rangePos); } } function shouldWriteComment(text, pos) { if (printerOptions.onlyPrintJsDocStyle) { return isJSDocLikeText(text, pos) || isPinnedComment(text, pos); } return true; } function emitLeadingComment(commentPos, commentEnd, kind, hasTrailingNewLine, rangePos) { if (!currentSourceFile || !shouldWriteComment(currentSourceFile.text, commentPos)) return; if (!hasWrittenComment) { emitNewLineBeforeLeadingCommentOfPosition(getCurrentLineMap(), writer, rangePos, commentPos); hasWrittenComment = true; } emitPos(commentPos); writeCommentRange(currentSourceFile.text, getCurrentLineMap(), writer, commentPos, commentEnd, newLine); emitPos(commentEnd); if (hasTrailingNewLine) { writer.writeLine(); } else if (kind === 3) { writer.writeSpace(" "); } } function emitLeadingCommentsOfPosition(pos) { if (commentsDisabled || pos === -1) { return; } emitLeadingComments( pos, /*isEmittedNode*/ true ); } function emitTrailingComments(pos) { forEachTrailingCommentToEmit(pos, emitTrailingComment); } function emitTrailingComment(commentPos, commentEnd, _kind, hasTrailingNewLine) { if (!currentSourceFile || !shouldWriteComment(currentSourceFile.text, commentPos)) return; if (!writer.isAtStartOfLine()) { writer.writeSpace(" "); } emitPos(commentPos); writeCommentRange(currentSourceFile.text, getCurrentLineMap(), writer, commentPos, commentEnd, newLine); emitPos(commentEnd); if (hasTrailingNewLine) { writer.writeLine(); } } function emitTrailingCommentsOfPosition(pos, prefixSpace, forceNoNewline) { if (commentsDisabled) { return; } enterComment(); forEachTrailingCommentToEmit(pos, prefixSpace ? emitTrailingComment : forceNoNewline ? emitTrailingCommentOfPositionNoNewline : emitTrailingCommentOfPosition); exitComment(); } function emitTrailingCommentOfPositionNoNewline(commentPos, commentEnd, kind) { if (!currentSourceFile) return; emitPos(commentPos); writeCommentRange(currentSourceFile.text, getCurrentLineMap(), writer, commentPos, commentEnd, newLine); emitPos(commentEnd); if (kind === 2) { writer.writeLine(); } } function emitTrailingCommentOfPosition(commentPos, commentEnd, _kind, hasTrailingNewLine) { if (!currentSourceFile) return; emitPos(commentPos); writeCommentRange(currentSourceFile.text, getCurrentLineMap(), writer, commentPos, commentEnd, newLine); emitPos(commentEnd); if (hasTrailingNewLine) { writer.writeLine(); } else { writer.writeSpace(" "); } } function forEachLeadingCommentToEmit(pos, cb) { if (currentSourceFile && (containerPos === -1 || pos !== containerPos)) { if (hasDetachedComments(pos)) { forEachLeadingCommentWithoutDetachedComments(cb); } else { forEachLeadingCommentRange( currentSourceFile.text, pos, cb, /*state*/ pos ); } } } function forEachTrailingCommentToEmit(end, cb) { if (currentSourceFile && (containerEnd === -1 || end !== containerEnd && end !== declarationListContainerEnd)) { forEachTrailingCommentRange(currentSourceFile.text, end, cb); } } function hasDetachedComments(pos) { return detachedCommentsInfo !== void 0 && last(detachedCommentsInfo).nodePos === pos; } function forEachLeadingCommentWithoutDetachedComments(cb) { if (!currentSourceFile) return; const pos = last(detachedCommentsInfo).detachedCommentEndPos; if (detachedCommentsInfo.length - 1) { detachedCommentsInfo.pop(); } else { detachedCommentsInfo = void 0; } forEachLeadingCommentRange( currentSourceFile.text, pos, cb, /*state*/ pos ); } function emitDetachedCommentsAndUpdateCommentsInfo(range) { const currentDetachedCommentInfo = currentSourceFile && emitDetachedComments(currentSourceFile.text, getCurrentLineMap(), writer, emitComment, range, newLine, commentsDisabled); if (currentDetachedCommentInfo) { if (detachedCommentsInfo) { detachedCommentsInfo.push(currentDetachedCommentInfo); } else { detachedCommentsInfo = [currentDetachedCommentInfo]; } } } function emitComment(text, lineMap, writer2, commentPos, commentEnd, newLine2) { if (!currentSourceFile || !shouldWriteComment(currentSourceFile.text, commentPos)) return; emitPos(commentPos); writeCommentRange(text, lineMap, writer2, commentPos, commentEnd, newLine2); emitPos(commentEnd); } function isTripleSlashComment(commentPos, commentEnd) { return !!currentSourceFile && isRecognizedTripleSlashComment(currentSourceFile.text, commentPos, commentEnd); } function pipelineEmitWithSourceMaps(hint, node) { const pipelinePhase = getNextPipelinePhase(3, hint, node); emitSourceMapsBeforeNode(node); pipelinePhase(hint, node); emitSourceMapsAfterNode(node); } function emitSourceMapsBeforeNode(node) { const emitFlags = getEmitFlags(node); const sourceMapRange = getSourceMapRange(node); const source = sourceMapRange.source || sourceMapSource; if (node.kind !== 353 && (emitFlags & 32) === 0 && sourceMapRange.pos >= 0) { emitSourcePos(sourceMapRange.source || sourceMapSource, skipSourceTrivia(source, sourceMapRange.pos)); } if (emitFlags & 128) { sourceMapsDisabled = true; } } function emitSourceMapsAfterNode(node) { const emitFlags = getEmitFlags(node); const sourceMapRange = getSourceMapRange(node); if (emitFlags & 128) { sourceMapsDisabled = false; } if (node.kind !== 353 && (emitFlags & 64) === 0 && sourceMapRange.end >= 0) { emitSourcePos(sourceMapRange.source || sourceMapSource, sourceMapRange.end); } } function skipSourceTrivia(source, pos) { return source.skipTrivia ? source.skipTrivia(pos) : skipTrivia(source.text, pos); } function emitPos(pos) { if (sourceMapsDisabled || positionIsSynthesized(pos) || isJsonSourceMapSource(sourceMapSource)) { return; } const { line: sourceLine, character: sourceCharacter } = getLineAndCharacterOfPosition(sourceMapSource, pos); sourceMapGenerator.addMapping( writer.getLine(), writer.getColumn(), sourceMapSourceIndex, sourceLine, sourceCharacter, /*nameIndex*/ void 0 ); } function emitSourcePos(source, pos) { if (source !== sourceMapSource) { const savedSourceMapSource = sourceMapSource; const savedSourceMapSourceIndex = sourceMapSourceIndex; setSourceMapSource(source); emitPos(pos); resetSourceMapSource(savedSourceMapSource, savedSourceMapSourceIndex); } else { emitPos(pos); } } function emitTokenWithSourceMap(node, token, writer2, tokenPos, emitCallback) { if (sourceMapsDisabled || node && isInJsonFile(node)) { return emitCallback(token, writer2, tokenPos); } const emitNode = node && node.emitNode; const emitFlags = emitNode && emitNode.flags || 0; const range = emitNode && emitNode.tokenSourceMapRanges && emitNode.tokenSourceMapRanges[token]; const source = range && range.source || sourceMapSource; tokenPos = skipSourceTrivia(source, range ? range.pos : tokenPos); if ((emitFlags & 256) === 0 && tokenPos >= 0) { emitSourcePos(source, tokenPos); } tokenPos = emitCallback(token, writer2, tokenPos); if (range) tokenPos = range.end; if ((emitFlags & 512) === 0 && tokenPos >= 0) { emitSourcePos(source, tokenPos); } return tokenPos; } function setSourceMapSource(source) { if (sourceMapsDisabled) { return; } sourceMapSource = source; if (source === mostRecentlyAddedSourceMapSource) { sourceMapSourceIndex = mostRecentlyAddedSourceMapSourceIndex; return; } if (isJsonSourceMapSource(source)) { return; } sourceMapSourceIndex = sourceMapGenerator.addSource(source.fileName); if (printerOptions.inlineSources) { sourceMapGenerator.setSourceContent(sourceMapSourceIndex, source.text); } mostRecentlyAddedSourceMapSource = source; mostRecentlyAddedSourceMapSourceIndex = sourceMapSourceIndex; } function resetSourceMapSource(source, sourceIndex) { sourceMapSource = source; sourceMapSourceIndex = sourceIndex; } function isJsonSourceMapSource(sourceFile) { return fileExtensionIs( sourceFile.fileName, ".json" /* Json */ ); } } function createBracketsMap() { const brackets2 = []; brackets2[ 1024 /* Braces */ ] = ["{", "}"]; brackets2[ 2048 /* Parenthesis */ ] = ["(", ")"]; brackets2[ 4096 /* AngleBrackets */ ] = ["<", ">"]; brackets2[ 8192 /* SquareBrackets */ ] = ["[", "]"]; return brackets2; } function getOpeningBracket(format2) { return brackets[ format2 & 15360 /* BracketsMask */ ][0]; } function getClosingBracket(format2) { return brackets[ format2 & 15360 /* BracketsMask */ ][1]; } function emitListItemNoParenthesizer(node, emit, _parenthesizerRule, _index) { emit(node); } function emitListItemWithParenthesizerRuleSelector(node, emit, parenthesizerRuleSelector, index) { emit(node, parenthesizerRuleSelector.select(index)); } function emitListItemWithParenthesizerRule(node, emit, parenthesizerRule, _index) { emit(node, parenthesizerRule); } function getEmitListItem(emit, parenthesizerRule) { return emit.length === 1 ? emitListItemNoParenthesizer : typeof parenthesizerRule === "object" ? emitListItemWithParenthesizerRuleSelector : emitListItemWithParenthesizerRule; } function createCachedDirectoryStructureHost(host, currentDirectory, useCaseSensitiveFileNames2) { if (!host.getDirectories || !host.readDirectory) { return void 0; } const cachedReadDirectoryResult = /* @__PURE__ */ new Map(); const getCanonicalFileName = createGetCanonicalFileName(useCaseSensitiveFileNames2); return { useCaseSensitiveFileNames: useCaseSensitiveFileNames2, fileExists, readFile: (path17, encoding) => host.readFile(path17, encoding), directoryExists: host.directoryExists && directoryExists, getDirectories, readDirectory, createDirectory: host.createDirectory && createDirectory, writeFile: host.writeFile && writeFile2, addOrDeleteFileOrDirectory, addOrDeleteFile, clearCache, realpath: host.realpath && realpath }; function toPath32(fileName) { return toPath3(fileName, currentDirectory, getCanonicalFileName); } function getCachedFileSystemEntries(rootDirPath) { return cachedReadDirectoryResult.get(ensureTrailingDirectorySeparator(rootDirPath)); } function getCachedFileSystemEntriesForBaseDir(path17) { const entries = getCachedFileSystemEntries(getDirectoryPath(path17)); if (!entries) { return entries; } if (!entries.sortedAndCanonicalizedFiles) { entries.sortedAndCanonicalizedFiles = entries.files.map(getCanonicalFileName).sort(); entries.sortedAndCanonicalizedDirectories = entries.directories.map(getCanonicalFileName).sort(); } return entries; } function getBaseNameOfFileName(fileName) { return getBaseFileName(normalizePath(fileName)); } function createCachedFileSystemEntries(rootDir, rootDirPath) { var _a; if (!host.realpath || ensureTrailingDirectorySeparator(toPath32(host.realpath(rootDir))) === rootDirPath) { const resultFromHost = { files: map(host.readDirectory( rootDir, /*extensions*/ void 0, /*exclude*/ void 0, /*include*/ ["*.*"] ), getBaseNameOfFileName) || [], directories: host.getDirectories(rootDir) || [] }; cachedReadDirectoryResult.set(ensureTrailingDirectorySeparator(rootDirPath), resultFromHost); return resultFromHost; } if ((_a = host.directoryExists) == null ? void 0 : _a.call(host, rootDir)) { cachedReadDirectoryResult.set(rootDirPath, false); return false; } return void 0; } function tryReadDirectory2(rootDir, rootDirPath) { rootDirPath = ensureTrailingDirectorySeparator(rootDirPath); const cachedResult = getCachedFileSystemEntries(rootDirPath); if (cachedResult) { return cachedResult; } try { return createCachedFileSystemEntries(rootDir, rootDirPath); } catch (_e) { Debug.assert(!cachedReadDirectoryResult.has(ensureTrailingDirectorySeparator(rootDirPath))); return void 0; } } function hasEntry(entries, name) { const index = binarySearch(entries, name, identity2, compareStringsCaseSensitive); return index >= 0; } function writeFile2(fileName, data, writeByteOrderMark) { const path17 = toPath32(fileName); const result = getCachedFileSystemEntriesForBaseDir(path17); if (result) { updateFilesOfFileSystemEntry( result, getBaseNameOfFileName(fileName), /*fileExists*/ true ); } return host.writeFile(fileName, data, writeByteOrderMark); } function fileExists(fileName) { const path17 = toPath32(fileName); const result = getCachedFileSystemEntriesForBaseDir(path17); return result && hasEntry(result.sortedAndCanonicalizedFiles, getCanonicalFileName(getBaseNameOfFileName(fileName))) || host.fileExists(fileName); } function directoryExists(dirPath) { const path17 = toPath32(dirPath); return cachedReadDirectoryResult.has(ensureTrailingDirectorySeparator(path17)) || host.directoryExists(dirPath); } function createDirectory(dirPath) { const path17 = toPath32(dirPath); const result = getCachedFileSystemEntriesForBaseDir(path17); if (result) { const baseName = getBaseNameOfFileName(dirPath); const canonicalizedBaseName = getCanonicalFileName(baseName); const canonicalizedDirectories = result.sortedAndCanonicalizedDirectories; if (insertSorted(canonicalizedDirectories, canonicalizedBaseName, compareStringsCaseSensitive)) { result.directories.push(baseName); } } host.createDirectory(dirPath); } function getDirectories(rootDir) { const rootDirPath = toPath32(rootDir); const result = tryReadDirectory2(rootDir, rootDirPath); if (result) { return result.directories.slice(); } return host.getDirectories(rootDir); } function readDirectory(rootDir, extensions, excludes, includes, depth2) { const rootDirPath = toPath32(rootDir); const rootResult = tryReadDirectory2(rootDir, rootDirPath); let rootSymLinkResult; if (rootResult !== void 0) { return matchFiles(rootDir, extensions, excludes, includes, useCaseSensitiveFileNames2, currentDirectory, depth2, getFileSystemEntries, realpath); } return host.readDirectory(rootDir, extensions, excludes, includes, depth2); function getFileSystemEntries(dir) { const path17 = toPath32(dir); if (path17 === rootDirPath) { return rootResult || getFileSystemEntriesFromHost(dir, path17); } const result = tryReadDirectory2(dir, path17); return result !== void 0 ? result || getFileSystemEntriesFromHost(dir, path17) : emptyFileSystemEntries; } function getFileSystemEntriesFromHost(dir, path17) { if (rootSymLinkResult && path17 === rootDirPath) return rootSymLinkResult; const result = { files: map(host.readDirectory( dir, /*extensions*/ void 0, /*exclude*/ void 0, /*include*/ ["*.*"] ), getBaseNameOfFileName) || emptyArray, directories: host.getDirectories(dir) || emptyArray }; if (path17 === rootDirPath) rootSymLinkResult = result; return result; } } function realpath(s) { return host.realpath ? host.realpath(s) : s; } function addOrDeleteFileOrDirectory(fileOrDirectory, fileOrDirectoryPath) { const existingResult = getCachedFileSystemEntries(fileOrDirectoryPath); if (existingResult !== void 0) { clearCache(); return void 0; } const parentResult = getCachedFileSystemEntriesForBaseDir(fileOrDirectoryPath); if (!parentResult) { return void 0; } if (!host.directoryExists) { clearCache(); return void 0; } const baseName = getBaseNameOfFileName(fileOrDirectory); const fsQueryResult = { fileExists: host.fileExists(fileOrDirectory), directoryExists: host.directoryExists(fileOrDirectory) }; if (fsQueryResult.directoryExists || hasEntry(parentResult.sortedAndCanonicalizedDirectories, getCanonicalFileName(baseName))) { clearCache(); } else { updateFilesOfFileSystemEntry(parentResult, baseName, fsQueryResult.fileExists); } return fsQueryResult; } function addOrDeleteFile(fileName, filePath, eventKind) { if (eventKind === 1) { return; } const parentResult = getCachedFileSystemEntriesForBaseDir(filePath); if (parentResult) { updateFilesOfFileSystemEntry( parentResult, getBaseNameOfFileName(fileName), eventKind === 0 /* Created */ ); } } function updateFilesOfFileSystemEntry(parentResult, baseName, fileExists2) { const canonicalizedFiles = parentResult.sortedAndCanonicalizedFiles; const canonicalizedBaseName = getCanonicalFileName(baseName); if (fileExists2) { if (insertSorted(canonicalizedFiles, canonicalizedBaseName, compareStringsCaseSensitive)) { parentResult.files.push(baseName); } } else { const sortedIndex = binarySearch(canonicalizedFiles, canonicalizedBaseName, identity2, compareStringsCaseSensitive); if (sortedIndex >= 0) { canonicalizedFiles.splice(sortedIndex, 1); const unsortedIndex = parentResult.files.findIndex((entry) => getCanonicalFileName(entry) === canonicalizedBaseName); parentResult.files.splice(unsortedIndex, 1); } } } function clearCache() { cachedReadDirectoryResult.clear(); } } var ProgramUpdateLevel = /* @__PURE__ */ ((ProgramUpdateLevel2) => { ProgramUpdateLevel2[ProgramUpdateLevel2["Update"] = 0] = "Update"; ProgramUpdateLevel2[ProgramUpdateLevel2["RootNamesAndUpdate"] = 1] = "RootNamesAndUpdate"; ProgramUpdateLevel2[ProgramUpdateLevel2["Full"] = 2] = "Full"; return ProgramUpdateLevel2; })(ProgramUpdateLevel || {}); function updateSharedExtendedConfigFileWatcher(projectPath, options, extendedConfigFilesMap, createExtendedConfigFileWatch, toPath32) { var _a; const extendedConfigs = arrayToMap(((_a = options == null ? void 0 : options.configFile) == null ? void 0 : _a.extendedSourceFiles) || emptyArray, toPath32); extendedConfigFilesMap.forEach((watcher, extendedConfigFilePath) => { if (!extendedConfigs.has(extendedConfigFilePath)) { watcher.projects.delete(projectPath); watcher.close(); } }); extendedConfigs.forEach((extendedConfigFileName, extendedConfigFilePath) => { const existing = extendedConfigFilesMap.get(extendedConfigFilePath); if (existing) { existing.projects.add(projectPath); } else { extendedConfigFilesMap.set(extendedConfigFilePath, { projects: /* @__PURE__ */ new Set([projectPath]), watcher: createExtendedConfigFileWatch(extendedConfigFileName, extendedConfigFilePath), close: () => { const existing2 = extendedConfigFilesMap.get(extendedConfigFilePath); if (!existing2 || existing2.projects.size !== 0) return; existing2.watcher.close(); extendedConfigFilesMap.delete(extendedConfigFilePath); } }); } }); } function clearSharedExtendedConfigFileWatcher(projectPath, extendedConfigFilesMap) { extendedConfigFilesMap.forEach((watcher) => { if (watcher.projects.delete(projectPath)) watcher.close(); }); } function cleanExtendedConfigCache(extendedConfigCache, extendedConfigFilePath, toPath32) { if (!extendedConfigCache.delete(extendedConfigFilePath)) return; extendedConfigCache.forEach(({ extendedResult }, key) => { var _a; if ((_a = extendedResult.extendedSourceFiles) == null ? void 0 : _a.some((extendedFile) => toPath32(extendedFile) === extendedConfigFilePath)) { cleanExtendedConfigCache(extendedConfigCache, key, toPath32); } }); } function updateMissingFilePathsWatch(program, missingFileWatches, createMissingFileWatch) { mutateMap( missingFileWatches, program.getMissingFilePaths(), { // Watch the missing files createNewValue: createMissingFileWatch, // Files that are no longer missing (e.g. because they are no longer required) // should no longer be watched. onDeleteValue: closeFileWatcher } ); } function updateWatchingWildcardDirectories(existingWatchedForWildcards, wildcardDirectories, watchDirectory) { if (wildcardDirectories) { mutateMap( existingWatchedForWildcards, new Map(Object.entries(wildcardDirectories)), { // Create new watch and recursive info createNewValue: createWildcardDirectoryWatcher, // Close existing watch thats not needed any more onDeleteValue: closeFileWatcherOf, // Close existing watch that doesnt match in the flags onExistingValue: updateWildcardDirectoryWatcher } ); } else { clearMap(existingWatchedForWildcards, closeFileWatcherOf); } function createWildcardDirectoryWatcher(directory, flags) { return { watcher: watchDirectory(directory, flags), flags }; } function updateWildcardDirectoryWatcher(existingWatcher, flags, directory) { if (existingWatcher.flags === flags) { return; } existingWatcher.watcher.close(); existingWatchedForWildcards.set(directory, createWildcardDirectoryWatcher(directory, flags)); } } function isIgnoredFileFromWildCardWatching({ watchedDirPath, fileOrDirectory, fileOrDirectoryPath, configFileName, options, program, extraFileExtensions, currentDirectory, useCaseSensitiveFileNames: useCaseSensitiveFileNames2, writeLog, toPath: toPath32, getScriptKind: getScriptKind2 }) { const newPath = removeIgnoredPath(fileOrDirectoryPath); if (!newPath) { writeLog(`Project: ${configFileName} Detected ignored path: ${fileOrDirectory}`); return true; } fileOrDirectoryPath = newPath; if (fileOrDirectoryPath === watchedDirPath) return false; if (hasExtension(fileOrDirectoryPath) && !(isSupportedSourceFileName(fileOrDirectory, options, extraFileExtensions) || isSupportedScriptKind())) { writeLog(`Project: ${configFileName} Detected file add/remove of non supported extension: ${fileOrDirectory}`); return true; } if (isExcludedFile(fileOrDirectory, options.configFile.configFileSpecs, getNormalizedAbsolutePath(getDirectoryPath(configFileName), currentDirectory), useCaseSensitiveFileNames2, currentDirectory)) { writeLog(`Project: ${configFileName} Detected excluded file: ${fileOrDirectory}`); return true; } if (!program) return false; if (options.outFile || options.outDir) return false; if (isDeclarationFileName(fileOrDirectoryPath)) { if (options.declarationDir) return false; } else if (!fileExtensionIsOneOf(fileOrDirectoryPath, supportedJSExtensionsFlat)) { return false; } const filePathWithoutExtension = removeFileExtension(fileOrDirectoryPath); const realProgram = isArray3(program) ? void 0 : isBuilderProgram(program) ? program.getProgramOrUndefined() : program; const builderProgram = !realProgram && !isArray3(program) ? program : void 0; if (hasSourceFile( filePathWithoutExtension + ".ts" /* Ts */ ) || hasSourceFile( filePathWithoutExtension + ".tsx" /* Tsx */ )) { writeLog(`Project: ${configFileName} Detected output file: ${fileOrDirectory}`); return true; } return false; function hasSourceFile(file) { return realProgram ? !!realProgram.getSourceFileByPath(file) : builderProgram ? builderProgram.getState().fileInfos.has(file) : !!find(program, (rootFile) => toPath32(rootFile) === file); } function isSupportedScriptKind() { if (!getScriptKind2) return false; const scriptKind = getScriptKind2(fileOrDirectory); switch (scriptKind) { case 3: case 4: case 7: case 5: return true; case 1: case 2: return getAllowJSCompilerOption(options); case 6: return getResolveJsonModule(options); case 0: return false; } } } function isBuilderProgram(program) { return !!program.getState; } function isEmittedFileOfProgram(program, file) { if (!program) { return false; } return program.isEmittedFile(file); } var WatchLogLevel = /* @__PURE__ */ ((WatchLogLevel2) => { WatchLogLevel2[WatchLogLevel2["None"] = 0] = "None"; WatchLogLevel2[WatchLogLevel2["TriggerOnly"] = 1] = "TriggerOnly"; WatchLogLevel2[WatchLogLevel2["Verbose"] = 2] = "Verbose"; return WatchLogLevel2; })(WatchLogLevel || {}); function getWatchFactory(host, watchLogLevel, log, getDetailWatchInfo2) { setSysLog(watchLogLevel === 2 ? log : noop2); const plainInvokeFactory = { watchFile: (file, callback, pollingInterval, options) => host.watchFile(file, callback, pollingInterval, options), watchDirectory: (directory, callback, flags, options) => host.watchDirectory(directory, callback, (flags & 1) !== 0, options) }; const triggerInvokingFactory = watchLogLevel !== 0 ? { watchFile: createTriggerLoggingAddWatch("watchFile"), watchDirectory: createTriggerLoggingAddWatch("watchDirectory") } : void 0; const factory2 = watchLogLevel === 2 ? { watchFile: createFileWatcherWithLogging, watchDirectory: createDirectoryWatcherWithLogging } : triggerInvokingFactory || plainInvokeFactory; const excludeWatcherFactory = watchLogLevel === 2 ? createExcludeWatcherWithLogging : returnNoopFileWatcher; return { watchFile: createExcludeHandlingAddWatch("watchFile"), watchDirectory: createExcludeHandlingAddWatch("watchDirectory") }; function createExcludeHandlingAddWatch(key) { return (file, cb, flags, options, detailInfo1, detailInfo2) => { var _a; return !matchesExclude(file, key === "watchFile" ? options == null ? void 0 : options.excludeFiles : options == null ? void 0 : options.excludeDirectories, useCaseSensitiveFileNames2(), ((_a = host.getCurrentDirectory) == null ? void 0 : _a.call(host)) || "") ? factory2[key].call( /*thisArgs*/ void 0, file, cb, flags, options, detailInfo1, detailInfo2 ) : excludeWatcherFactory(file, flags, options, detailInfo1, detailInfo2); }; } function useCaseSensitiveFileNames2() { return typeof host.useCaseSensitiveFileNames === "boolean" ? host.useCaseSensitiveFileNames : host.useCaseSensitiveFileNames(); } function createExcludeWatcherWithLogging(file, flags, options, detailInfo1, detailInfo2) { log(`ExcludeWatcher:: Added:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo2)}`); return { close: () => log(`ExcludeWatcher:: Close:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo2)}`) }; } function createFileWatcherWithLogging(file, cb, flags, options, detailInfo1, detailInfo2) { log(`FileWatcher:: Added:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo2)}`); const watcher = triggerInvokingFactory.watchFile(file, cb, flags, options, detailInfo1, detailInfo2); return { close: () => { log(`FileWatcher:: Close:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo2)}`); watcher.close(); } }; } function createDirectoryWatcherWithLogging(file, cb, flags, options, detailInfo1, detailInfo2) { const watchInfo = `DirectoryWatcher:: Added:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo2)}`; log(watchInfo); const start = timestamp(); const watcher = triggerInvokingFactory.watchDirectory(file, cb, flags, options, detailInfo1, detailInfo2); const elapsed = timestamp() - start; log(`Elapsed:: ${elapsed}ms ${watchInfo}`); return { close: () => { const watchInfo2 = `DirectoryWatcher:: Close:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo2)}`; log(watchInfo2); const start2 = timestamp(); watcher.close(); const elapsed2 = timestamp() - start2; log(`Elapsed:: ${elapsed2}ms ${watchInfo2}`); } }; } function createTriggerLoggingAddWatch(key) { return (file, cb, flags, options, detailInfo1, detailInfo2) => plainInvokeFactory[key].call( /*thisArgs*/ void 0, file, (...args) => { const triggerredInfo = `${key === "watchFile" ? "FileWatcher" : "DirectoryWatcher"}:: Triggered with ${args[0]} ${args[1] !== void 0 ? args[1] : ""}:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo2)}`; log(triggerredInfo); const start = timestamp(); cb.call( /*thisArg*/ void 0, ...args ); const elapsed = timestamp() - start; log(`Elapsed:: ${elapsed}ms ${triggerredInfo}`); }, flags, options, detailInfo1, detailInfo2 ); } function getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo3) { return `WatchInfo: ${file} ${flags} ${JSON.stringify(options)} ${getDetailWatchInfo3 ? getDetailWatchInfo3(detailInfo1, detailInfo2) : detailInfo2 === void 0 ? detailInfo1 : `${detailInfo1} ${detailInfo2}`}`; } } function getFallbackOptions(options) { const fallbackPolling = options == null ? void 0 : options.fallbackPolling; return { watchFile: fallbackPolling !== void 0 ? fallbackPolling : 1 /* PriorityPollingInterval */ }; } function closeFileWatcherOf(objWithWatcher) { objWithWatcher.watcher.close(); } function findConfigFile(searchPath, fileExists, configName = "tsconfig.json") { return forEachAncestorDirectory(searchPath, (ancestor) => { const fileName = combinePaths(ancestor, configName); return fileExists(fileName) ? fileName : void 0; }); } function resolveTripleslashReference(moduleName, containingFile) { const basePath = getDirectoryPath(containingFile); const referencedFileName = isRootedDiskPath(moduleName) ? moduleName : combinePaths(basePath, moduleName); return normalizePath(referencedFileName); } function computeCommonSourceDirectoryOfFilenames(fileNames, currentDirectory, getCanonicalFileName) { let commonPathComponents; const failed = forEach(fileNames, (sourceFile) => { const sourcePathComponents = getNormalizedPathComponents(sourceFile, currentDirectory); sourcePathComponents.pop(); if (!commonPathComponents) { commonPathComponents = sourcePathComponents; return; } const n = Math.min(commonPathComponents.length, sourcePathComponents.length); for (let i = 0; i < n; i++) { if (getCanonicalFileName(commonPathComponents[i]) !== getCanonicalFileName(sourcePathComponents[i])) { if (i === 0) { return true; } commonPathComponents.length = i; break; } } if (sourcePathComponents.length < commonPathComponents.length) { commonPathComponents.length = sourcePathComponents.length; } }); if (failed) { return ""; } if (!commonPathComponents) { return currentDirectory; } return getPathFromPathComponents(commonPathComponents); } function createCompilerHost(options, setParentNodes) { return createCompilerHostWorker(options, setParentNodes); } function createGetSourceFile(readFile2, setParentNodes) { return (fileName, languageVersionOrOptions, onError) => { let text; try { mark("beforeIORead"); text = readFile2(fileName); mark("afterIORead"); measure("I/O Read", "beforeIORead", "afterIORead"); } catch (e) { if (onError) { onError(e.message); } text = ""; } return text !== void 0 ? createSourceFile(fileName, text, languageVersionOrOptions, setParentNodes) : void 0; }; } function createWriteFileMeasuringIO(actualWriteFile, createDirectory, directoryExists) { return (fileName, data, writeByteOrderMark, onError) => { try { mark("beforeIOWrite"); writeFileEnsuringDirectories( fileName, data, writeByteOrderMark, actualWriteFile, createDirectory, directoryExists ); mark("afterIOWrite"); measure("I/O Write", "beforeIOWrite", "afterIOWrite"); } catch (e) { if (onError) { onError(e.message); } } }; } function createCompilerHostWorker(options, setParentNodes, system = sys) { const existingDirectories = /* @__PURE__ */ new Map(); const getCanonicalFileName = createGetCanonicalFileName(system.useCaseSensitiveFileNames); function directoryExists(directoryPath) { if (existingDirectories.has(directoryPath)) { return true; } if ((compilerHost.directoryExists || system.directoryExists)(directoryPath)) { existingDirectories.set(directoryPath, true); return true; } return false; } function getDefaultLibLocation() { return getDirectoryPath(normalizePath(system.getExecutingFilePath())); } const newLine = getNewLineCharacter(options); const realpath = system.realpath && ((path17) => system.realpath(path17)); const compilerHost = { getSourceFile: createGetSourceFile((fileName) => compilerHost.readFile(fileName), setParentNodes), getDefaultLibLocation, getDefaultLibFileName: (options2) => combinePaths(getDefaultLibLocation(), getDefaultLibFileName(options2)), writeFile: createWriteFileMeasuringIO( (path17, data, writeByteOrderMark) => system.writeFile(path17, data, writeByteOrderMark), (path17) => (compilerHost.createDirectory || system.createDirectory)(path17), (path17) => directoryExists(path17) ), getCurrentDirectory: memoize(() => system.getCurrentDirectory()), useCaseSensitiveFileNames: () => system.useCaseSensitiveFileNames, getCanonicalFileName, getNewLine: () => newLine, fileExists: (fileName) => system.fileExists(fileName), readFile: (fileName) => system.readFile(fileName), trace: (s) => system.write(s + newLine), directoryExists: (directoryName) => system.directoryExists(directoryName), getEnvironmentVariable: (name) => system.getEnvironmentVariable ? system.getEnvironmentVariable(name) : "", getDirectories: (path17) => system.getDirectories(path17), realpath, readDirectory: (path17, extensions, include, exclude, depth2) => system.readDirectory(path17, extensions, include, exclude, depth2), createDirectory: (d) => system.createDirectory(d), createHash: maybeBind(system, system.createHash) }; return compilerHost; } function changeCompilerHostLikeToUseCache(host, toPath32, getSourceFile) { const originalReadFile = host.readFile; const originalFileExists = host.fileExists; const originalDirectoryExists = host.directoryExists; const originalCreateDirectory = host.createDirectory; const originalWriteFile = host.writeFile; const readFileCache = /* @__PURE__ */ new Map(); const fileExistsCache = /* @__PURE__ */ new Map(); const directoryExistsCache = /* @__PURE__ */ new Map(); const sourceFileCache = /* @__PURE__ */ new Map(); const readFileWithCache = (fileName) => { const key = toPath32(fileName); const value = readFileCache.get(key); if (value !== void 0) return value !== false ? value : void 0; return setReadFileCache(key, fileName); }; const setReadFileCache = (key, fileName) => { const newValue = originalReadFile.call(host, fileName); readFileCache.set(key, newValue !== void 0 ? newValue : false); return newValue; }; host.readFile = (fileName) => { const key = toPath32(fileName); const value = readFileCache.get(key); if (value !== void 0) return value !== false ? value : void 0; if (!fileExtensionIs( fileName, ".json" /* Json */ ) && !isBuildInfoFile(fileName)) { return originalReadFile.call(host, fileName); } return setReadFileCache(key, fileName); }; const getSourceFileWithCache = getSourceFile ? (fileName, languageVersionOrOptions, onError, shouldCreateNewSourceFile) => { const key = toPath32(fileName); const impliedNodeFormat = typeof languageVersionOrOptions === "object" ? languageVersionOrOptions.impliedNodeFormat : void 0; const forImpliedNodeFormat = sourceFileCache.get(impliedNodeFormat); const value = forImpliedNodeFormat == null ? void 0 : forImpliedNodeFormat.get(key); if (value) return value; const sourceFile = getSourceFile(fileName, languageVersionOrOptions, onError, shouldCreateNewSourceFile); if (sourceFile && (isDeclarationFileName(fileName) || fileExtensionIs( fileName, ".json" /* Json */ ))) { sourceFileCache.set(impliedNodeFormat, (forImpliedNodeFormat || /* @__PURE__ */ new Map()).set(key, sourceFile)); } return sourceFile; } : void 0; host.fileExists = (fileName) => { const key = toPath32(fileName); const value = fileExistsCache.get(key); if (value !== void 0) return value; const newValue = originalFileExists.call(host, fileName); fileExistsCache.set(key, !!newValue); return newValue; }; if (originalWriteFile) { host.writeFile = (fileName, data, ...rest) => { const key = toPath32(fileName); fileExistsCache.delete(key); const value = readFileCache.get(key); if (value !== void 0 && value !== data) { readFileCache.delete(key); sourceFileCache.forEach((map2) => map2.delete(key)); } else if (getSourceFileWithCache) { sourceFileCache.forEach((map2) => { const sourceFile = map2.get(key); if (sourceFile && sourceFile.text !== data) { map2.delete(key); } }); } originalWriteFile.call(host, fileName, data, ...rest); }; } if (originalDirectoryExists) { host.directoryExists = (directory) => { const key = toPath32(directory); const value = directoryExistsCache.get(key); if (value !== void 0) return value; const newValue = originalDirectoryExists.call(host, directory); directoryExistsCache.set(key, !!newValue); return newValue; }; if (originalCreateDirectory) { host.createDirectory = (directory) => { const key = toPath32(directory); directoryExistsCache.delete(key); originalCreateDirectory.call(host, directory); }; } } return { originalReadFile, originalFileExists, originalDirectoryExists, originalCreateDirectory, originalWriteFile, getSourceFileWithCache, readFileWithCache }; } function getPreEmitDiagnostics(program, sourceFile, cancellationToken) { let diagnostics; diagnostics = addRange(diagnostics, program.getConfigFileParsingDiagnostics()); diagnostics = addRange(diagnostics, program.getOptionsDiagnostics(cancellationToken)); diagnostics = addRange(diagnostics, program.getSyntacticDiagnostics(sourceFile, cancellationToken)); diagnostics = addRange(diagnostics, program.getGlobalDiagnostics(cancellationToken)); diagnostics = addRange(diagnostics, program.getSemanticDiagnostics(sourceFile, cancellationToken)); if (getEmitDeclarations(program.getCompilerOptions())) { diagnostics = addRange(diagnostics, program.getDeclarationDiagnostics(sourceFile, cancellationToken)); } return sortAndDeduplicateDiagnostics(diagnostics || emptyArray); } function formatDiagnostics(diagnostics, host) { let output = ""; for (const diagnostic of diagnostics) { output += formatDiagnostic(diagnostic, host); } return output; } function formatDiagnostic(diagnostic, host) { const errorMessage = `${diagnosticCategoryName(diagnostic)} TS${diagnostic.code}: ${flattenDiagnosticMessageText(diagnostic.messageText, host.getNewLine())}${host.getNewLine()}`; if (diagnostic.file) { const { line, character } = getLineAndCharacterOfPosition(diagnostic.file, diagnostic.start); const fileName = diagnostic.file.fileName; const relativeFileName = convertToRelativePath(fileName, host.getCurrentDirectory(), (fileName2) => host.getCanonicalFileName(fileName2)); return `${relativeFileName}(${line + 1},${character + 1}): ` + errorMessage; } return errorMessage; } var ForegroundColorEscapeSequences = /* @__PURE__ */ ((ForegroundColorEscapeSequences2) => { ForegroundColorEscapeSequences2["Grey"] = "\x1B[90m"; ForegroundColorEscapeSequences2["Red"] = "\x1B[91m"; ForegroundColorEscapeSequences2["Yellow"] = "\x1B[93m"; ForegroundColorEscapeSequences2["Blue"] = "\x1B[94m"; ForegroundColorEscapeSequences2["Cyan"] = "\x1B[96m"; return ForegroundColorEscapeSequences2; })(ForegroundColorEscapeSequences || {}); var gutterStyleSequence = "\x1B[7m"; var gutterSeparator = " "; var resetEscapeSequence = "\x1B[0m"; var ellipsis = "..."; var halfIndent = " "; var indent = " "; function getCategoryFormat(category) { switch (category) { case 1: return "\x1B[91m"; case 0: return "\x1B[93m"; case 2: return Debug.fail("Should never get an Info diagnostic on the command line."); case 3: return "\x1B[94m"; } } function formatColorAndReset(text, formatStyle) { return formatStyle + text + resetEscapeSequence; } function formatCodeSpan(file, start, length2, indent3, squiggleColor, host) { const { line: firstLine, character: firstLineChar } = getLineAndCharacterOfPosition(file, start); const { line: lastLine, character: lastLineChar } = getLineAndCharacterOfPosition(file, start + length2); const lastLineInFile = getLineAndCharacterOfPosition(file, file.text.length).line; const hasMoreThanFiveLines = lastLine - firstLine >= 4; let gutterWidth = (lastLine + 1 + "").length; if (hasMoreThanFiveLines) { gutterWidth = Math.max(ellipsis.length, gutterWidth); } let context = ""; for (let i = firstLine; i <= lastLine; i++) { context += host.getNewLine(); if (hasMoreThanFiveLines && firstLine + 1 < i && i < lastLine - 1) { context += indent3 + formatColorAndReset(ellipsis.padStart(gutterWidth), gutterStyleSequence) + gutterSeparator + host.getNewLine(); i = lastLine - 1; } const lineStart = getPositionOfLineAndCharacter(file, i, 0); const lineEnd = i < lastLineInFile ? getPositionOfLineAndCharacter(file, i + 1, 0) : file.text.length; let lineContent = file.text.slice(lineStart, lineEnd); lineContent = lineContent.trimEnd(); lineContent = lineContent.replace(/\t/g, " "); context += indent3 + formatColorAndReset((i + 1 + "").padStart(gutterWidth), gutterStyleSequence) + gutterSeparator; context += lineContent + host.getNewLine(); context += indent3 + formatColorAndReset("".padStart(gutterWidth), gutterStyleSequence) + gutterSeparator; context += squiggleColor; if (i === firstLine) { const lastCharForLine = i === lastLine ? lastLineChar : void 0; context += lineContent.slice(0, firstLineChar).replace(/\S/g, " "); context += lineContent.slice(firstLineChar, lastCharForLine).replace(/./g, "~"); } else if (i === lastLine) { context += lineContent.slice(0, lastLineChar).replace(/./g, "~"); } else { context += lineContent.replace(/./g, "~"); } context += resetEscapeSequence; } return context; } function formatLocation(file, start, host, color = formatColorAndReset) { const { line: firstLine, character: firstLineChar } = getLineAndCharacterOfPosition(file, start); const relativeFileName = host ? convertToRelativePath(file.fileName, host.getCurrentDirectory(), (fileName) => host.getCanonicalFileName(fileName)) : file.fileName; let output = ""; output += color( relativeFileName, "\x1B[96m" /* Cyan */ ); output += ":"; output += color( `${firstLine + 1}`, "\x1B[93m" /* Yellow */ ); output += ":"; output += color( `${firstLineChar + 1}`, "\x1B[93m" /* Yellow */ ); return output; } function formatDiagnosticsWithColorAndContext(diagnostics, host) { let output = ""; for (const diagnostic of diagnostics) { if (diagnostic.file) { const { file, start } = diagnostic; output += formatLocation(file, start, host); output += " - "; } output += formatColorAndReset(diagnosticCategoryName(diagnostic), getCategoryFormat(diagnostic.category)); output += formatColorAndReset( ` TS${diagnostic.code}: `, "\x1B[90m" /* Grey */ ); output += flattenDiagnosticMessageText(diagnostic.messageText, host.getNewLine()); if (diagnostic.file && diagnostic.code !== Diagnostics.File_appears_to_be_binary.code) { output += host.getNewLine(); output += formatCodeSpan(diagnostic.file, diagnostic.start, diagnostic.length, "", getCategoryFormat(diagnostic.category), host); } if (diagnostic.relatedInformation) { output += host.getNewLine(); for (const { file, start, length: length2, messageText } of diagnostic.relatedInformation) { if (file) { output += host.getNewLine(); output += halfIndent + formatLocation(file, start, host); output += formatCodeSpan(file, start, length2, indent, "\x1B[96m", host); } output += host.getNewLine(); output += indent + flattenDiagnosticMessageText(messageText, host.getNewLine()); } } output += host.getNewLine(); } return output; } function flattenDiagnosticMessageText(diag2, newLine, indent3 = 0) { if (isString2(diag2)) { return diag2; } else if (diag2 === void 0) { return ""; } let result = ""; if (indent3) { result += newLine; for (let i = 0; i < indent3; i++) { result += " "; } } result += diag2.messageText; indent3++; if (diag2.next) { for (const kid of diag2.next) { result += flattenDiagnosticMessageText(kid, newLine, indent3); } } return result; } function getModeForFileReference(ref, containingFileMode) { return (isString2(ref) ? containingFileMode : ref.resolutionMode) || containingFileMode; } function getModeForResolutionAtIndex(file, index, compilerOptions) { return getModeForUsageLocationWorker(file, getModuleNameStringLiteralAt(file, index), compilerOptions); } function isExclusivelyTypeOnlyImportOrExport(decl) { var _a; if (isExportDeclaration(decl)) { return decl.isTypeOnly; } if ((_a = decl.importClause) == null ? void 0 : _a.isTypeOnly) { return true; } return false; } function getModeForUsageLocation(file, usage, compilerOptions) { return getModeForUsageLocationWorker(file, usage, compilerOptions); } function getModeForUsageLocationWorker(file, usage, compilerOptions) { var _a; if (isImportDeclaration(usage.parent) || isExportDeclaration(usage.parent) || isJSDocImportTag(usage.parent)) { const isTypeOnly = isExclusivelyTypeOnlyImportOrExport(usage.parent); if (isTypeOnly) { const override = getResolutionModeOverride(usage.parent.attributes); if (override) { return override; } } } if (usage.parent.parent && isImportTypeNode(usage.parent.parent)) { const override = getResolutionModeOverride(usage.parent.parent.attributes); if (override) { return override; } } if (compilerOptions && getEmitModuleKind(compilerOptions) === 200) { return usage.parent.parent && isImportEqualsDeclaration(usage.parent.parent) || isRequireCall( usage.parent, /*requireStringLiteralLikeArgument*/ false ) ? 1 : 99; } if (file.impliedNodeFormat === void 0) return void 0; if (file.impliedNodeFormat !== 99) { return isImportCall(walkUpParenthesizedExpressions(usage.parent)) ? 99 : 1; } const exprParentParent = (_a = walkUpParenthesizedExpressions(usage.parent)) == null ? void 0 : _a.parent; return exprParentParent && isImportEqualsDeclaration(exprParentParent) ? 1 : 99; } function getResolutionModeOverride(node, grammarErrorOnNode) { if (!node) return void 0; if (length(node.elements) !== 1) { grammarErrorOnNode == null ? void 0 : grammarErrorOnNode( node, node.token === 118 ? Diagnostics.Type_import_attributes_should_have_exactly_one_key_resolution_mode_with_value_import_or_require : Diagnostics.Type_import_assertions_should_have_exactly_one_key_resolution_mode_with_value_import_or_require ); return void 0; } const elem = node.elements[0]; if (!isStringLiteralLike(elem.name)) return void 0; if (elem.name.text !== "resolution-mode") { grammarErrorOnNode == null ? void 0 : grammarErrorOnNode( elem.name, node.token === 118 ? Diagnostics.resolution_mode_is_the_only_valid_key_for_type_import_attributes : Diagnostics.resolution_mode_is_the_only_valid_key_for_type_import_assertions ); return void 0; } if (!isStringLiteralLike(elem.value)) return void 0; if (elem.value.text !== "import" && elem.value.text !== "require") { grammarErrorOnNode == null ? void 0 : grammarErrorOnNode(elem.value, Diagnostics.resolution_mode_should_be_either_require_or_import); return void 0; } return elem.value.text === "import" ? 99 : 1; } var emptyResolution = { resolvedModule: void 0, resolvedTypeReferenceDirective: void 0 }; function getModuleResolutionName(literal) { return literal.text; } var moduleResolutionNameAndModeGetter = { getName: getModuleResolutionName, getMode: (entry, file, compilerOptions) => getModeForUsageLocation(file, entry, compilerOptions) }; function createModuleResolutionLoader(containingFile, redirectedReference, options, host, cache) { return { nameAndMode: moduleResolutionNameAndModeGetter, resolve: (moduleName, resolutionMode) => resolveModuleName( moduleName, containingFile, options, host, cache, redirectedReference, resolutionMode ) }; } function getTypeReferenceResolutionName(entry) { return !isString2(entry) ? entry.fileName : entry; } var typeReferenceResolutionNameAndModeGetter = { getName: getTypeReferenceResolutionName, getMode: (entry, file) => getModeForFileReference(entry, file == null ? void 0 : file.impliedNodeFormat) }; function createTypeReferenceResolutionLoader(containingFile, redirectedReference, options, host, cache) { return { nameAndMode: typeReferenceResolutionNameAndModeGetter, resolve: (typeRef, resoluionMode) => resolveTypeReferenceDirective( typeRef, containingFile, options, host, redirectedReference, cache, resoluionMode ) }; } function loadWithModeAwareCache(entries, containingFile, redirectedReference, options, containingSourceFile, host, resolutionCache, createLoader) { if (entries.length === 0) return emptyArray; const resolutions = []; const cache = /* @__PURE__ */ new Map(); const loader = createLoader(containingFile, redirectedReference, options, host, resolutionCache); for (const entry of entries) { const name = loader.nameAndMode.getName(entry); const mode = loader.nameAndMode.getMode(entry, containingSourceFile, (redirectedReference == null ? void 0 : redirectedReference.commandLine.options) || options); const key = createModeAwareCacheKey(name, mode); let result = cache.get(key); if (!result) { cache.set(key, result = loader.resolve(name, mode)); } resolutions.push(result); } return resolutions; } function forEachResolvedProjectReference(resolvedProjectReferences, cb) { return forEachProjectReference( /*projectReferences*/ void 0, resolvedProjectReferences, (resolvedRef, parent2) => resolvedRef && cb(resolvedRef, parent2) ); } function forEachProjectReference(projectReferences, resolvedProjectReferences, cbResolvedRef, cbRef) { let seenResolvedRefs; return worker( projectReferences, resolvedProjectReferences, /*parent*/ void 0 ); function worker(projectReferences2, resolvedProjectReferences2, parent2) { if (cbRef) { const result = cbRef(projectReferences2, parent2); if (result) return result; } return forEach(resolvedProjectReferences2, (resolvedRef, index) => { if (resolvedRef && (seenResolvedRefs == null ? void 0 : seenResolvedRefs.has(resolvedRef.sourceFile.path))) { return void 0; } const result = cbResolvedRef(resolvedRef, parent2, index); if (result || !resolvedRef) return result; (seenResolvedRefs || (seenResolvedRefs = /* @__PURE__ */ new Set())).add(resolvedRef.sourceFile.path); return worker(resolvedRef.commandLine.projectReferences, resolvedRef.references, resolvedRef); }); } } var inferredTypesContainingFile = "__inferred type names__.ts"; function getInferredLibraryNameResolveFrom(options, currentDirectory, libFileName) { const containingDirectory = options.configFilePath ? getDirectoryPath(options.configFilePath) : currentDirectory; return combinePaths(containingDirectory, `__lib_node_modules_lookup_${libFileName}__.ts`); } function getLibraryNameFromLibFileName(libFileName) { const components = libFileName.split("."); let path17 = components[1]; let i = 2; while (components[i] && components[i] !== "d") { path17 += (i === 2 ? "/" : "-") + components[i]; i++; } return "@typescript/lib-" + path17; } function getLibNameFromLibReference(libReference) { return toFileNameLowerCase(libReference.fileName); } function getLibFileNameFromLibReference(libReference) { const libName = getLibNameFromLibReference(libReference); return libMap.get(libName); } function isReferencedFile(reason) { switch (reason == null ? void 0 : reason.kind) { case 3: case 4: case 5: case 7: return true; default: return false; } } function isReferenceFileLocation(location) { return location.pos !== void 0; } function getReferencedFileLocation(program, ref) { var _a, _b, _c, _d; const file = Debug.checkDefined(program.getSourceFileByPath(ref.file)); const { kind, index } = ref; let pos, end, packageId; switch (kind) { case 3: const importLiteral = getModuleNameStringLiteralAt(file, index); packageId = (_b = (_a = program.getResolvedModuleFromModuleSpecifier(importLiteral, file)) == null ? void 0 : _a.resolvedModule) == null ? void 0 : _b.packageId; if (importLiteral.pos === -1) return { file, packageId, text: importLiteral.text }; pos = skipTrivia(file.text, importLiteral.pos); end = importLiteral.end; break; case 4: ({ pos, end } = file.referencedFiles[index]); break; case 5: ({ pos, end } = file.typeReferenceDirectives[index]); packageId = (_d = (_c = program.getResolvedTypeReferenceDirectiveFromTypeReferenceDirective(file.typeReferenceDirectives[index], file)) == null ? void 0 : _c.resolvedTypeReferenceDirective) == null ? void 0 : _d.packageId; break; case 7: ({ pos, end } = file.libReferenceDirectives[index]); break; default: return Debug.assertNever(kind); } return { file, pos, end, packageId }; } function isProgramUptoDate(program, rootFileNames, newOptions, getSourceVersion, fileExists, hasInvalidatedResolutions, hasInvalidatedLibResolutions, hasChangedAutomaticTypeDirectiveNames, getParsedCommandLine, projectReferences) { if (!program || (hasChangedAutomaticTypeDirectiveNames == null ? void 0 : hasChangedAutomaticTypeDirectiveNames())) return false; if (!arrayIsEqualTo(program.getRootFileNames(), rootFileNames)) return false; let seenResolvedRefs; if (!arrayIsEqualTo(program.getProjectReferences(), projectReferences, projectReferenceUptoDate)) return false; if (program.getSourceFiles().some(sourceFileNotUptoDate)) return false; const missingPaths = program.getMissingFilePaths(); if (missingPaths && forEachEntry(missingPaths, fileExists)) return false; const currentOptions = program.getCompilerOptions(); if (!compareDataObjects(currentOptions, newOptions)) return false; if (program.resolvedLibReferences && forEachEntry(program.resolvedLibReferences, (_value, libFileName) => hasInvalidatedLibResolutions(libFileName))) return false; if (currentOptions.configFile && newOptions.configFile) return currentOptions.configFile.text === newOptions.configFile.text; return true; function sourceFileNotUptoDate(sourceFile) { return !sourceFileVersionUptoDate(sourceFile) || hasInvalidatedResolutions(sourceFile.path); } function sourceFileVersionUptoDate(sourceFile) { return sourceFile.version === getSourceVersion(sourceFile.resolvedPath, sourceFile.fileName); } function projectReferenceUptoDate(oldRef, newRef, index) { return projectReferenceIsEqualTo(oldRef, newRef) && resolvedProjectReferenceUptoDate(program.getResolvedProjectReferences()[index], oldRef); } function resolvedProjectReferenceUptoDate(oldResolvedRef, oldRef) { if (oldResolvedRef) { if (contains(seenResolvedRefs, oldResolvedRef)) return true; const refPath2 = resolveProjectReferencePath(oldRef); const newParsedCommandLine = getParsedCommandLine(refPath2); if (!newParsedCommandLine) return false; if (oldResolvedRef.commandLine.options.configFile !== newParsedCommandLine.options.configFile) return false; if (!arrayIsEqualTo(oldResolvedRef.commandLine.fileNames, newParsedCommandLine.fileNames)) return false; (seenResolvedRefs || (seenResolvedRefs = [])).push(oldResolvedRef); return !forEach(oldResolvedRef.references, (childResolvedRef, index) => !resolvedProjectReferenceUptoDate(childResolvedRef, oldResolvedRef.commandLine.projectReferences[index])); } const refPath = resolveProjectReferencePath(oldRef); return !getParsedCommandLine(refPath); } } function getConfigFileParsingDiagnostics(configFileParseResult) { return configFileParseResult.options.configFile ? [...configFileParseResult.options.configFile.parseDiagnostics, ...configFileParseResult.errors] : configFileParseResult.errors; } function getImpliedNodeFormatForFile(fileName, packageJsonInfoCache, host, options) { const result = getImpliedNodeFormatForFileWorker(fileName, packageJsonInfoCache, host, options); return typeof result === "object" ? result.impliedNodeFormat : result; } function getImpliedNodeFormatForFileWorker(fileName, packageJsonInfoCache, host, options) { switch (getEmitModuleResolutionKind(options)) { case 3: case 99: return fileExtensionIsOneOf(fileName, [ ".d.mts", ".mts", ".mjs" /* Mjs */ ]) ? 99 : fileExtensionIsOneOf(fileName, [ ".d.cts", ".cts", ".cjs" /* Cjs */ ]) ? 1 : fileExtensionIsOneOf(fileName, [ ".d.ts", ".ts", ".tsx", ".js", ".jsx" /* Jsx */ ]) ? lookupFromPackageJson() : void 0; default: return void 0; } function lookupFromPackageJson() { const state = getTemporaryModuleResolutionState(packageJsonInfoCache, host, options); const packageJsonLocations = []; state.failedLookupLocations = packageJsonLocations; state.affectingLocations = packageJsonLocations; const packageJsonScope = getPackageScopeForPath(fileName, state); const impliedNodeFormat = (packageJsonScope == null ? void 0 : packageJsonScope.contents.packageJsonContent.type) === "module" ? 99 : 1; return { impliedNodeFormat, packageJsonLocations, packageJsonScope }; } } var plainJSErrors = /* @__PURE__ */ new Set([ // binder errors Diagnostics.Cannot_redeclare_block_scoped_variable_0.code, Diagnostics.A_module_cannot_have_multiple_default_exports.code, Diagnostics.Another_export_default_is_here.code, Diagnostics.The_first_export_default_is_here.code, Diagnostics.Identifier_expected_0_is_a_reserved_word_at_the_top_level_of_a_module.code, Diagnostics.Identifier_expected_0_is_a_reserved_word_in_strict_mode_Modules_are_automatically_in_strict_mode.code, Diagnostics.Identifier_expected_0_is_a_reserved_word_that_cannot_be_used_here.code, Diagnostics.constructor_is_a_reserved_word.code, Diagnostics.delete_cannot_be_called_on_an_identifier_in_strict_mode.code, Diagnostics.Code_contained_in_a_class_is_evaluated_in_JavaScript_s_strict_mode_which_does_not_allow_this_use_of_0_For_more_information_see_https_Colon_Slash_Slashdeveloper_mozilla_org_Slashen_US_Slashdocs_SlashWeb_SlashJavaScript_SlashReference_SlashStrict_mode.code, Diagnostics.Invalid_use_of_0_Modules_are_automatically_in_strict_mode.code, Diagnostics.Invalid_use_of_0_in_strict_mode.code, Diagnostics.A_label_is_not_allowed_here.code, Diagnostics.with_statements_are_not_allowed_in_strict_mode.code, // grammar errors Diagnostics.A_break_statement_can_only_be_used_within_an_enclosing_iteration_or_switch_statement.code, Diagnostics.A_break_statement_can_only_jump_to_a_label_of_an_enclosing_statement.code, Diagnostics.A_class_declaration_without_the_default_modifier_must_have_a_name.code, Diagnostics.A_class_member_cannot_have_the_0_keyword.code, Diagnostics.A_comma_expression_is_not_allowed_in_a_computed_property_name.code, Diagnostics.A_continue_statement_can_only_be_used_within_an_enclosing_iteration_statement.code, Diagnostics.A_continue_statement_can_only_jump_to_a_label_of_an_enclosing_iteration_statement.code, Diagnostics.A_continue_statement_can_only_jump_to_a_label_of_an_enclosing_iteration_statement.code, Diagnostics.A_default_clause_cannot_appear_more_than_once_in_a_switch_statement.code, Diagnostics.A_default_export_must_be_at_the_top_level_of_a_file_or_module_declaration.code, Diagnostics.A_definite_assignment_assertion_is_not_permitted_in_this_context.code, Diagnostics.A_destructuring_declaration_must_have_an_initializer.code, Diagnostics.A_get_accessor_cannot_have_parameters.code, Diagnostics.A_rest_element_cannot_contain_a_binding_pattern.code, Diagnostics.A_rest_element_cannot_have_a_property_name.code, Diagnostics.A_rest_element_cannot_have_an_initializer.code, Diagnostics.A_rest_element_must_be_last_in_a_destructuring_pattern.code, Diagnostics.A_rest_parameter_cannot_have_an_initializer.code, Diagnostics.A_rest_parameter_must_be_last_in_a_parameter_list.code, Diagnostics.A_rest_parameter_or_binding_pattern_may_not_have_a_trailing_comma.code, Diagnostics.A_return_statement_cannot_be_used_inside_a_class_static_block.code, Diagnostics.A_set_accessor_cannot_have_rest_parameter.code, Diagnostics.A_set_accessor_must_have_exactly_one_parameter.code, Diagnostics.An_export_declaration_can_only_be_used_at_the_top_level_of_a_module.code, Diagnostics.An_export_declaration_cannot_have_modifiers.code, Diagnostics.An_import_declaration_can_only_be_used_at_the_top_level_of_a_module.code, Diagnostics.An_import_declaration_cannot_have_modifiers.code, Diagnostics.An_object_member_cannot_be_declared_optional.code, Diagnostics.Argument_of_dynamic_import_cannot_be_spread_element.code, Diagnostics.Cannot_assign_to_private_method_0_Private_methods_are_not_writable.code, Diagnostics.Cannot_redeclare_identifier_0_in_catch_clause.code, Diagnostics.Catch_clause_variable_cannot_have_an_initializer.code, Diagnostics.Class_decorators_can_t_be_used_with_static_private_identifier_Consider_removing_the_experimental_decorator.code, Diagnostics.Classes_can_only_extend_a_single_class.code, Diagnostics.Classes_may_not_have_a_field_named_constructor.code, Diagnostics.Did_you_mean_to_use_a_Colon_An_can_only_follow_a_property_name_when_the_containing_object_literal_is_part_of_a_destructuring_pattern.code, Diagnostics.Duplicate_label_0.code, Diagnostics.Dynamic_imports_can_only_accept_a_module_specifier_and_an_optional_set_of_attributes_as_arguments.code, Diagnostics.for_await_loops_cannot_be_used_inside_a_class_static_block.code, Diagnostics.JSX_attributes_must_only_be_assigned_a_non_empty_expression.code, Diagnostics.JSX_elements_cannot_have_multiple_attributes_with_the_same_name.code, Diagnostics.JSX_expressions_may_not_use_the_comma_operator_Did_you_mean_to_write_an_array.code, Diagnostics.JSX_property_access_expressions_cannot_include_JSX_namespace_names.code, Diagnostics.Jump_target_cannot_cross_function_boundary.code, Diagnostics.Line_terminator_not_permitted_before_arrow.code, Diagnostics.Modifiers_cannot_appear_here.code, Diagnostics.Only_a_single_variable_declaration_is_allowed_in_a_for_in_statement.code, Diagnostics.Only_a_single_variable_declaration_is_allowed_in_a_for_of_statement.code, Diagnostics.Private_identifiers_are_not_allowed_outside_class_bodies.code, Diagnostics.Private_identifiers_are_only_allowed_in_class_bodies_and_may_only_be_used_as_part_of_a_class_member_declaration_property_access_or_on_the_left_hand_side_of_an_in_expression.code, Diagnostics.Property_0_is_not_accessible_outside_class_1_because_it_has_a_private_identifier.code, Diagnostics.Tagged_template_expressions_are_not_permitted_in_an_optional_chain.code, Diagnostics.The_left_hand_side_of_a_for_of_statement_may_not_be_async.code, Diagnostics.The_variable_declaration_of_a_for_in_statement_cannot_have_an_initializer.code, Diagnostics.The_variable_declaration_of_a_for_of_statement_cannot_have_an_initializer.code, Diagnostics.Trailing_comma_not_allowed.code, Diagnostics.Variable_declaration_list_cannot_be_empty.code, Diagnostics._0_and_1_operations_cannot_be_mixed_without_parentheses.code, Diagnostics._0_expected.code, Diagnostics._0_is_not_a_valid_meta_property_for_keyword_1_Did_you_mean_2.code, Diagnostics._0_list_cannot_be_empty.code, Diagnostics._0_modifier_already_seen.code, Diagnostics._0_modifier_cannot_appear_on_a_constructor_declaration.code, Diagnostics._0_modifier_cannot_appear_on_a_module_or_namespace_element.code, Diagnostics._0_modifier_cannot_appear_on_a_parameter.code, Diagnostics._0_modifier_cannot_appear_on_class_elements_of_this_kind.code, Diagnostics._0_modifier_cannot_be_used_here.code, Diagnostics._0_modifier_must_precede_1_modifier.code, Diagnostics._0_declarations_can_only_be_declared_inside_a_block.code, Diagnostics._0_declarations_must_be_initialized.code, Diagnostics.extends_clause_already_seen.code, Diagnostics.let_is_not_allowed_to_be_used_as_a_name_in_let_or_const_declarations.code, Diagnostics.Class_constructor_may_not_be_a_generator.code, Diagnostics.Class_constructor_may_not_be_an_accessor.code, Diagnostics.await_expressions_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules.code, Diagnostics.await_using_statements_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules.code, Diagnostics.Private_field_0_must_be_declared_in_an_enclosing_class.code, // Type errors Diagnostics.This_condition_will_always_return_0_since_JavaScript_compares_objects_by_reference_not_value.code ]); function shouldProgramCreateNewSourceFiles(program, newOptions) { if (!program) return false; return optionsHaveChanges(program.getCompilerOptions(), newOptions, sourceFileAffectingCompilerOptions); } function createCreateProgramOptions(rootNames, options, host, oldProgram, configFileParsingDiagnostics, typeScriptVersion3) { return { rootNames, options, host, oldProgram, configFileParsingDiagnostics, typeScriptVersion: typeScriptVersion3 }; } function createProgram(rootNamesOrOptions, _options, _host, _oldProgram, _configFileParsingDiagnostics) { var _a, _b, _c, _d, _e, _f, _g, _h, _i, _j, _k, _l, _m, _n, _o, _p; const createProgramOptions = isArray3(rootNamesOrOptions) ? createCreateProgramOptions(rootNamesOrOptions, _options, _host, _oldProgram, _configFileParsingDiagnostics) : rootNamesOrOptions; const { rootNames, options, configFileParsingDiagnostics, projectReferences, typeScriptVersion: typeScriptVersion3 } = createProgramOptions; let { oldProgram } = createProgramOptions; for (const option of commandLineOptionOfCustomType) { if (hasProperty(options, option.name)) { if (typeof options[option.name] === "string") { throw new Error(`${option.name} is a string value; tsconfig JSON must be parsed with parseJsonSourceFileConfigFileContent or getParsedCommandLineOfConfigFile before passing to createProgram`); } } } const reportInvalidIgnoreDeprecations = memoize(() => createOptionValueDiagnostic("ignoreDeprecations", Diagnostics.Invalid_value_for_ignoreDeprecations)); let processingDefaultLibFiles; let processingOtherFiles; let files; let symlinks; let commonSourceDirectory; let typeChecker; let classifiableNames; const ambientModuleNameToUnmodifiedFileName = /* @__PURE__ */ new Map(); let fileReasons = createMultiMap(); let filesWithReferencesProcessed; let fileReasonsToChain; let reasonToRelatedInfo; const cachedBindAndCheckDiagnosticsForFile = {}; const cachedDeclarationDiagnosticsForFile = {}; let fileProcessingDiagnostics; let automaticTypeDirectiveNames; let automaticTypeDirectiveResolutions; let resolvedLibReferences; let resolvedLibProcessing; let resolvedModules; let resolvedModulesProcessing; let resolvedTypeReferenceDirectiveNames; let resolvedTypeReferenceDirectiveNamesProcessing; let packageMap; const maxNodeModuleJsDepth = typeof options.maxNodeModuleJsDepth === "number" ? options.maxNodeModuleJsDepth : 0; let currentNodeModulesDepth = 0; const modulesWithElidedImports = /* @__PURE__ */ new Map(); const sourceFilesFoundSearchingNodeModules = /* @__PURE__ */ new Map(); (_a = tracing) == null ? void 0 : _a.push( tracing.Phase.Program, "createProgram", { configFilePath: options.configFilePath, rootDir: options.rootDir }, /*separateBeginAndEnd*/ true ); mark("beforeProgram"); const host = createProgramOptions.host || createCompilerHost(options); const configParsingHost = parseConfigHostFromCompilerHostLike(host); let skipDefaultLib = options.noLib; const getDefaultLibraryFileName = memoize(() => host.getDefaultLibFileName(options)); const defaultLibraryPath = host.getDefaultLibLocation ? host.getDefaultLibLocation() : getDirectoryPath(getDefaultLibraryFileName()); const programDiagnostics = createDiagnosticCollection(); let lazyProgramDiagnosticExplainingFile = []; const currentDirectory = host.getCurrentDirectory(); const supportedExtensions = getSupportedExtensions(options); const supportedExtensionsWithJsonIfResolveJsonModule = getSupportedExtensionsWithJsonIfResolveJsonModule(options, supportedExtensions); const hasEmitBlockingDiagnostics = /* @__PURE__ */ new Map(); let _compilerOptionsObjectLiteralSyntax; let _compilerOptionsPropertySyntax; let moduleResolutionCache; let actualResolveModuleNamesWorker; const hasInvalidatedResolutions = host.hasInvalidatedResolutions || returnFalse; if (host.resolveModuleNameLiterals) { actualResolveModuleNamesWorker = host.resolveModuleNameLiterals.bind(host); moduleResolutionCache = (_b = host.getModuleResolutionCache) == null ? void 0 : _b.call(host); } else if (host.resolveModuleNames) { actualResolveModuleNamesWorker = (moduleNames, containingFile, redirectedReference, options2, containingSourceFile, reusedNames) => host.resolveModuleNames( moduleNames.map(getModuleResolutionName), containingFile, reusedNames == null ? void 0 : reusedNames.map(getModuleResolutionName), redirectedReference, options2, containingSourceFile ).map( (resolved) => resolved ? resolved.extension !== void 0 ? { resolvedModule: resolved } : ( // An older host may have omitted extension, in which case we should infer it from the file extension of resolvedFileName. { resolvedModule: { ...resolved, extension: extensionFromPath(resolved.resolvedFileName) } } ) : emptyResolution ); moduleResolutionCache = (_c = host.getModuleResolutionCache) == null ? void 0 : _c.call(host); } else { moduleResolutionCache = createModuleResolutionCache(currentDirectory, getCanonicalFileName, options); actualResolveModuleNamesWorker = (moduleNames, containingFile, redirectedReference, options2, containingSourceFile) => loadWithModeAwareCache( moduleNames, containingFile, redirectedReference, options2, containingSourceFile, host, moduleResolutionCache, createModuleResolutionLoader ); } let actualResolveTypeReferenceDirectiveNamesWorker; if (host.resolveTypeReferenceDirectiveReferences) { actualResolveTypeReferenceDirectiveNamesWorker = host.resolveTypeReferenceDirectiveReferences.bind(host); } else if (host.resolveTypeReferenceDirectives) { actualResolveTypeReferenceDirectiveNamesWorker = (typeDirectiveNames, containingFile, redirectedReference, options2, containingSourceFile) => host.resolveTypeReferenceDirectives( typeDirectiveNames.map(getTypeReferenceResolutionName), containingFile, redirectedReference, options2, containingSourceFile == null ? void 0 : containingSourceFile.impliedNodeFormat ).map((resolvedTypeReferenceDirective) => ({ resolvedTypeReferenceDirective })); } else { const typeReferenceDirectiveResolutionCache = createTypeReferenceDirectiveResolutionCache( currentDirectory, getCanonicalFileName, /*options*/ void 0, moduleResolutionCache == null ? void 0 : moduleResolutionCache.getPackageJsonInfoCache(), moduleResolutionCache == null ? void 0 : moduleResolutionCache.optionsToRedirectsKey ); actualResolveTypeReferenceDirectiveNamesWorker = (typeDirectiveNames, containingFile, redirectedReference, options2, containingSourceFile) => loadWithModeAwareCache( typeDirectiveNames, containingFile, redirectedReference, options2, containingSourceFile, host, typeReferenceDirectiveResolutionCache, createTypeReferenceResolutionLoader ); } const hasInvalidatedLibResolutions = host.hasInvalidatedLibResolutions || returnFalse; let actualResolveLibrary; if (host.resolveLibrary) { actualResolveLibrary = host.resolveLibrary.bind(host); } else { const libraryResolutionCache = createModuleResolutionCache(currentDirectory, getCanonicalFileName, options, moduleResolutionCache == null ? void 0 : moduleResolutionCache.getPackageJsonInfoCache()); actualResolveLibrary = (libraryName, resolveFrom, options2) => resolveLibrary(libraryName, resolveFrom, options2, host, libraryResolutionCache); } const packageIdToSourceFile = /* @__PURE__ */ new Map(); let sourceFileToPackageName = /* @__PURE__ */ new Map(); let redirectTargetsMap = createMultiMap(); let usesUriStyleNodeCoreModules = false; const filesByName = /* @__PURE__ */ new Map(); let missingFileNames = /* @__PURE__ */ new Map(); const filesByNameIgnoreCase = host.useCaseSensitiveFileNames() ? /* @__PURE__ */ new Map() : void 0; let resolvedProjectReferences; let projectReferenceRedirects; let mapFromFileToProjectReferenceRedirects; let mapFromToProjectReferenceRedirectSource; const useSourceOfProjectReferenceRedirect = !!((_d = host.useSourceOfProjectReferenceRedirect) == null ? void 0 : _d.call(host)) && !options.disableSourceOfProjectReferenceRedirect; const { onProgramCreateComplete, fileExists, directoryExists } = updateHostForUseSourceOfProjectReferenceRedirect({ compilerHost: host, getSymlinkCache, useSourceOfProjectReferenceRedirect, toPath: toPath32, getResolvedProjectReferences, getSourceOfProjectReferenceRedirect, forEachResolvedProjectReference: forEachResolvedProjectReference2 }); const readFile2 = host.readFile.bind(host); (_e = tracing) == null ? void 0 : _e.push(tracing.Phase.Program, "shouldProgramCreateNewSourceFiles", { hasOldProgram: !!oldProgram }); const shouldCreateNewSourceFile = shouldProgramCreateNewSourceFiles(oldProgram, options); (_f = tracing) == null ? void 0 : _f.pop(); let structureIsReused; (_g = tracing) == null ? void 0 : _g.push(tracing.Phase.Program, "tryReuseStructureFromOldProgram", {}); structureIsReused = tryReuseStructureFromOldProgram(); (_h = tracing) == null ? void 0 : _h.pop(); if (structureIsReused !== 2) { processingDefaultLibFiles = []; processingOtherFiles = []; if (projectReferences) { if (!resolvedProjectReferences) { resolvedProjectReferences = projectReferences.map(parseProjectReferenceConfigFile); } if (rootNames.length) { resolvedProjectReferences == null ? void 0 : resolvedProjectReferences.forEach((parsedRef, index) => { if (!parsedRef) return; const out = parsedRef.commandLine.options.outFile; if (useSourceOfProjectReferenceRedirect) { if (out || getEmitModuleKind(parsedRef.commandLine.options) === 0) { for (const fileName of parsedRef.commandLine.fileNames) { processProjectReferenceFile(fileName, { kind: 1, index }); } } } else { if (out) { processProjectReferenceFile(changeExtension(out, ".d.ts"), { kind: 2, index }); } else if (getEmitModuleKind(parsedRef.commandLine.options) === 0) { const getCommonSourceDirectory3 = memoize(() => getCommonSourceDirectoryOfConfig(parsedRef.commandLine, !host.useCaseSensitiveFileNames())); for (const fileName of parsedRef.commandLine.fileNames) { if (!isDeclarationFileName(fileName) && !fileExtensionIs( fileName, ".json" /* Json */ )) { processProjectReferenceFile(getOutputDeclarationFileName(fileName, parsedRef.commandLine, !host.useCaseSensitiveFileNames(), getCommonSourceDirectory3), { kind: 2, index }); } } } } }); } } (_i = tracing) == null ? void 0 : _i.push(tracing.Phase.Program, "processRootFiles", { count: rootNames.length }); forEach(rootNames, (name, index) => processRootFile( name, /*isDefaultLib*/ false, /*ignoreNoDefaultLib*/ false, { kind: 0, index } )); (_j = tracing) == null ? void 0 : _j.pop(); automaticTypeDirectiveNames ?? (automaticTypeDirectiveNames = rootNames.length ? getAutomaticTypeDirectiveNames(options, host) : emptyArray); automaticTypeDirectiveResolutions = createModeAwareCache(); if (automaticTypeDirectiveNames.length) { (_k = tracing) == null ? void 0 : _k.push(tracing.Phase.Program, "processTypeReferences", { count: automaticTypeDirectiveNames.length }); const containingDirectory = options.configFilePath ? getDirectoryPath(options.configFilePath) : currentDirectory; const containingFilename = combinePaths(containingDirectory, inferredTypesContainingFile); const resolutions = resolveTypeReferenceDirectiveNamesReusingOldState(automaticTypeDirectiveNames, containingFilename); for (let i = 0; i < automaticTypeDirectiveNames.length; i++) { automaticTypeDirectiveResolutions.set( automaticTypeDirectiveNames[i], /*mode*/ void 0, resolutions[i] ); processTypeReferenceDirective( automaticTypeDirectiveNames[i], /*mode*/ void 0, resolutions[i], { kind: 8, typeReference: automaticTypeDirectiveNames[i], packageId: (_m = (_l = resolutions[i]) == null ? void 0 : _l.resolvedTypeReferenceDirective) == null ? void 0 : _m.packageId } ); } (_n = tracing) == null ? void 0 : _n.pop(); } if (rootNames.length && !skipDefaultLib) { const defaultLibraryFileName = getDefaultLibraryFileName(); if (!options.lib && defaultLibraryFileName) { processRootFile( defaultLibraryFileName, /*isDefaultLib*/ true, /*ignoreNoDefaultLib*/ false, { kind: 6 /* LibFile */ } ); } else { forEach(options.lib, (libFileName, index) => { processRootFile( pathForLibFile(libFileName), /*isDefaultLib*/ true, /*ignoreNoDefaultLib*/ false, { kind: 6, index } ); }); } } files = stableSort(processingDefaultLibFiles, compareDefaultLibFiles).concat(processingOtherFiles); processingDefaultLibFiles = void 0; processingOtherFiles = void 0; filesWithReferencesProcessed = void 0; } if (oldProgram && host.onReleaseOldSourceFile) { const oldSourceFiles = oldProgram.getSourceFiles(); for (const oldSourceFile of oldSourceFiles) { const newFile = getSourceFileByPath(oldSourceFile.resolvedPath); if (shouldCreateNewSourceFile || !newFile || newFile.impliedNodeFormat !== oldSourceFile.impliedNodeFormat || // old file wasn't redirect but new file is oldSourceFile.resolvedPath === oldSourceFile.path && newFile.resolvedPath !== oldSourceFile.path) { host.onReleaseOldSourceFile(oldSourceFile, oldProgram.getCompilerOptions(), !!getSourceFileByPath(oldSourceFile.path)); } } if (!host.getParsedCommandLine) { oldProgram.forEachResolvedProjectReference((resolvedProjectReference) => { if (!getResolvedProjectReferenceByPath(resolvedProjectReference.sourceFile.path)) { host.onReleaseOldSourceFile( resolvedProjectReference.sourceFile, oldProgram.getCompilerOptions(), /*hasSourceFileByPath*/ false ); } }); } } if (oldProgram && host.onReleaseParsedCommandLine) { forEachProjectReference( oldProgram.getProjectReferences(), oldProgram.getResolvedProjectReferences(), (oldResolvedRef, parent2, index) => { const oldReference = (parent2 == null ? void 0 : parent2.commandLine.projectReferences[index]) || oldProgram.getProjectReferences()[index]; const oldRefPath = resolveProjectReferencePath(oldReference); if (!(projectReferenceRedirects == null ? void 0 : projectReferenceRedirects.has(toPath32(oldRefPath)))) { host.onReleaseParsedCommandLine(oldRefPath, oldResolvedRef, oldProgram.getCompilerOptions()); } } ); } oldProgram = void 0; resolvedLibProcessing = void 0; resolvedModulesProcessing = void 0; resolvedTypeReferenceDirectiveNamesProcessing = void 0; const program = { getRootFileNames: () => rootNames, getSourceFile, getSourceFileByPath, getSourceFiles: () => files, getMissingFilePaths: () => missingFileNames, getModuleResolutionCache: () => moduleResolutionCache, getFilesByNameMap: () => filesByName, getCompilerOptions: () => options, getSyntacticDiagnostics, getOptionsDiagnostics, getGlobalDiagnostics, getSemanticDiagnostics, getCachedSemanticDiagnostics, getSuggestionDiagnostics, getDeclarationDiagnostics: getDeclarationDiagnostics2, getBindAndCheckDiagnostics, getProgramDiagnostics, getTypeChecker, getClassifiableNames, getCommonSourceDirectory: getCommonSourceDirectory2, emit, getCurrentDirectory: () => currentDirectory, getNodeCount: () => getTypeChecker().getNodeCount(), getIdentifierCount: () => getTypeChecker().getIdentifierCount(), getSymbolCount: () => getTypeChecker().getSymbolCount(), getTypeCount: () => getTypeChecker().getTypeCount(), getInstantiationCount: () => getTypeChecker().getInstantiationCount(), getRelationCacheSizes: () => getTypeChecker().getRelationCacheSizes(), getFileProcessingDiagnostics: () => fileProcessingDiagnostics, getAutomaticTypeDirectiveNames: () => automaticTypeDirectiveNames, getAutomaticTypeDirectiveResolutions: () => automaticTypeDirectiveResolutions, isSourceFileFromExternalLibrary, isSourceFileDefaultLibrary, getModeForUsageLocation: getModeForUsageLocation2, getModeForResolutionAtIndex: getModeForResolutionAtIndex2, getSourceFileFromReference, getLibFileFromReference, sourceFileToPackageName, redirectTargetsMap, usesUriStyleNodeCoreModules, resolvedModules, resolvedTypeReferenceDirectiveNames, resolvedLibReferences, getResolvedModule, getResolvedModuleFromModuleSpecifier, getResolvedTypeReferenceDirective, getResolvedTypeReferenceDirectiveFromTypeReferenceDirective, forEachResolvedModule, forEachResolvedTypeReferenceDirective, getCurrentPackagesMap: () => packageMap, typesPackageExists, packageBundlesTypes, isEmittedFile, getConfigFileParsingDiagnostics: getConfigFileParsingDiagnostics2, getProjectReferences, getResolvedProjectReferences, getProjectReferenceRedirect, getResolvedProjectReferenceToRedirect, getResolvedProjectReferenceByPath, forEachResolvedProjectReference: forEachResolvedProjectReference2, isSourceOfProjectReferenceRedirect, getRedirectReferenceForResolutionFromSourceOfProject, emitBuildInfo, fileExists, readFile: readFile2, directoryExists, getSymlinkCache, realpath: (_o = host.realpath) == null ? void 0 : _o.bind(host), useCaseSensitiveFileNames: () => host.useCaseSensitiveFileNames(), getCanonicalFileName, getFileIncludeReasons: () => fileReasons, structureIsReused, writeFile: writeFile2 }; onProgramCreateComplete(); verifyCompilerOptions(); mark("afterProgram"); measure("Program", "beforeProgram", "afterProgram"); (_p = tracing) == null ? void 0 : _p.pop(); return program; function updateAndGetProgramDiagnostics() { if (lazyProgramDiagnosticExplainingFile) { fileProcessingDiagnostics == null ? void 0 : fileProcessingDiagnostics.forEach((diagnostic) => { switch (diagnostic.kind) { case 1: return programDiagnostics.add( createDiagnosticExplainingFile( diagnostic.file && getSourceFileByPath(diagnostic.file), diagnostic.fileProcessingReason, diagnostic.diagnostic, diagnostic.args || emptyArray ) ); case 0: return programDiagnostics.add(filePreprocessingLibreferenceDiagnostic(diagnostic)); case 2: return diagnostic.diagnostics.forEach((d) => programDiagnostics.add(d)); default: Debug.assertNever(diagnostic); } }); lazyProgramDiagnosticExplainingFile.forEach( ({ file, diagnostic, args }) => programDiagnostics.add( createDiagnosticExplainingFile( file, /*fileProcessingReason*/ void 0, diagnostic, args ) ) ); lazyProgramDiagnosticExplainingFile = void 0; fileReasonsToChain = void 0; reasonToRelatedInfo = void 0; } return programDiagnostics; } function filePreprocessingLibreferenceDiagnostic({ reason }) { const { file, pos, end } = getReferencedFileLocation(program, reason); const libReference = file.libReferenceDirectives[reason.index]; const libName = getLibNameFromLibReference(libReference); const unqualifiedLibName = removeSuffix(removePrefix(libName, "lib."), ".d.ts"); const suggestion = getSpellingSuggestion(unqualifiedLibName, libs, identity2); return createFileDiagnostic( file, Debug.checkDefined(pos), Debug.checkDefined(end) - pos, suggestion ? Diagnostics.Cannot_find_lib_definition_for_0_Did_you_mean_1 : Diagnostics.Cannot_find_lib_definition_for_0, libName, suggestion ); } function getResolvedModule(file, moduleName, mode) { var _a2; return (_a2 = resolvedModules == null ? void 0 : resolvedModules.get(file.path)) == null ? void 0 : _a2.get(moduleName, mode); } function getResolvedModuleFromModuleSpecifier(moduleSpecifier, sourceFile) { sourceFile ?? (sourceFile = getSourceFileOfNode(moduleSpecifier)); Debug.assertIsDefined(sourceFile, "`moduleSpecifier` must have a `SourceFile` ancestor. Use `program.getResolvedModule` instead to provide the containing file and resolution mode."); return getResolvedModule(sourceFile, moduleSpecifier.text, getModeForUsageLocation2(sourceFile, moduleSpecifier)); } function getResolvedTypeReferenceDirective(file, typeDirectiveName, mode) { var _a2; return (_a2 = resolvedTypeReferenceDirectiveNames == null ? void 0 : resolvedTypeReferenceDirectiveNames.get(file.path)) == null ? void 0 : _a2.get(typeDirectiveName, mode); } function getResolvedTypeReferenceDirectiveFromTypeReferenceDirective(typeRef, sourceFile) { return getResolvedTypeReferenceDirective(sourceFile, typeRef.fileName, typeRef.resolutionMode || sourceFile.impliedNodeFormat); } function forEachResolvedModule(callback, file) { forEachResolution(resolvedModules, callback, file); } function forEachResolvedTypeReferenceDirective(callback, file) { forEachResolution(resolvedTypeReferenceDirectiveNames, callback, file); } function forEachResolution(resolutionCache, callback, file) { var _a2; if (file) (_a2 = resolutionCache == null ? void 0 : resolutionCache.get(file.path)) == null ? void 0 : _a2.forEach((resolution, name, mode) => callback(resolution, name, mode, file.path)); else resolutionCache == null ? void 0 : resolutionCache.forEach((resolutions, filePath) => resolutions.forEach((resolution, name, mode) => callback(resolution, name, mode, filePath))); } function getPackagesMap() { if (packageMap) return packageMap; packageMap = /* @__PURE__ */ new Map(); forEachResolvedModule(({ resolvedModule }) => { if (resolvedModule == null ? void 0 : resolvedModule.packageId) packageMap.set(resolvedModule.packageId.name, resolvedModule.extension === ".d.ts" || !!packageMap.get(resolvedModule.packageId.name)); }); return packageMap; } function typesPackageExists(packageName) { return getPackagesMap().has(getTypesPackageName(packageName)); } function packageBundlesTypes(packageName) { return !!getPackagesMap().get(packageName); } function addResolutionDiagnostics(resolution) { var _a2; if (!((_a2 = resolution.resolutionDiagnostics) == null ? void 0 : _a2.length)) return; (fileProcessingDiagnostics ?? (fileProcessingDiagnostics = [])).push({ kind: 2, diagnostics: resolution.resolutionDiagnostics }); } function addResolutionDiagnosticsFromResolutionOrCache(containingFile, name, resolution, mode) { if (host.resolveModuleNameLiterals || !host.resolveModuleNames) return addResolutionDiagnostics(resolution); if (!moduleResolutionCache || isExternalModuleNameRelative(name)) return; const containingFileName = getNormalizedAbsolutePath(containingFile.originalFileName, currentDirectory); const containingDir = getDirectoryPath(containingFileName); const redirectedReference = getRedirectReferenceForResolution(containingFile); const fromCache = moduleResolutionCache.getFromNonRelativeNameCache(name, mode, containingDir, redirectedReference); if (fromCache) addResolutionDiagnostics(fromCache); } function resolveModuleNamesWorker(moduleNames, containingFile, reusedNames) { var _a2, _b2; if (!moduleNames.length) return emptyArray; const containingFileName = getNormalizedAbsolutePath(containingFile.originalFileName, currentDirectory); const redirectedReference = getRedirectReferenceForResolution(containingFile); (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.Program, "resolveModuleNamesWorker", { containingFileName }); mark("beforeResolveModule"); const result = actualResolveModuleNamesWorker(moduleNames, containingFileName, redirectedReference, options, containingFile, reusedNames); mark("afterResolveModule"); measure("ResolveModule", "beforeResolveModule", "afterResolveModule"); (_b2 = tracing) == null ? void 0 : _b2.pop(); return result; } function resolveTypeReferenceDirectiveNamesWorker(typeDirectiveNames, containingFile, reusedNames) { var _a2, _b2; if (!typeDirectiveNames.length) return []; const containingSourceFile = !isString2(containingFile) ? containingFile : void 0; const containingFileName = !isString2(containingFile) ? getNormalizedAbsolutePath(containingFile.originalFileName, currentDirectory) : containingFile; const redirectedReference = containingSourceFile && getRedirectReferenceForResolution(containingSourceFile); (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.Program, "resolveTypeReferenceDirectiveNamesWorker", { containingFileName }); mark("beforeResolveTypeReference"); const result = actualResolveTypeReferenceDirectiveNamesWorker(typeDirectiveNames, containingFileName, redirectedReference, options, containingSourceFile, reusedNames); mark("afterResolveTypeReference"); measure("ResolveTypeReference", "beforeResolveTypeReference", "afterResolveTypeReference"); (_b2 = tracing) == null ? void 0 : _b2.pop(); return result; } function getRedirectReferenceForResolution(file) { const redirect = getResolvedProjectReferenceToRedirect(file.originalFileName); if (redirect || !isDeclarationFileName(file.originalFileName)) return redirect; const resultFromDts = getRedirectReferenceForResolutionFromSourceOfProject(file.path); if (resultFromDts) return resultFromDts; if (!host.realpath || !options.preserveSymlinks || !file.originalFileName.includes(nodeModulesPathPart)) return void 0; const realDeclarationPath = toPath32(host.realpath(file.originalFileName)); return realDeclarationPath === file.path ? void 0 : getRedirectReferenceForResolutionFromSourceOfProject(realDeclarationPath); } function getRedirectReferenceForResolutionFromSourceOfProject(filePath) { const source = getSourceOfProjectReferenceRedirect(filePath); if (isString2(source)) return getResolvedProjectReferenceToRedirect(source); if (!source) return void 0; return forEachResolvedProjectReference2((resolvedRef) => { const out = resolvedRef.commandLine.options.outFile; if (!out) return void 0; return toPath32(out) === filePath ? resolvedRef : void 0; }); } function compareDefaultLibFiles(a, b) { return compareValues(getDefaultLibFilePriority(a), getDefaultLibFilePriority(b)); } function getDefaultLibFilePriority(a) { if (containsPath( defaultLibraryPath, a.fileName, /*ignoreCase*/ false )) { const basename = getBaseFileName(a.fileName); if (basename === "lib.d.ts" || basename === "lib.es6.d.ts") return 0; const name = removeSuffix(removePrefix(basename, "lib."), ".d.ts"); const index = libs.indexOf(name); if (index !== -1) return index + 1; } return libs.length + 2; } function toPath32(fileName) { return toPath3(fileName, currentDirectory, getCanonicalFileName); } function getCommonSourceDirectory2() { if (commonSourceDirectory === void 0) { const emittedFiles = filter(files, (file) => sourceFileMayBeEmitted(file, program)); commonSourceDirectory = getCommonSourceDirectory( options, () => mapDefined(emittedFiles, (file) => file.isDeclarationFile ? void 0 : file.fileName), currentDirectory, getCanonicalFileName, (commonSourceDirectory2) => checkSourceFilesBelongToPath(emittedFiles, commonSourceDirectory2) ); } return commonSourceDirectory; } function getClassifiableNames() { var _a2; if (!classifiableNames) { getTypeChecker(); classifiableNames = /* @__PURE__ */ new Set(); for (const sourceFile of files) { (_a2 = sourceFile.classifiableNames) == null ? void 0 : _a2.forEach((value) => classifiableNames.add(value)); } } return classifiableNames; } function resolveModuleNamesReusingOldState(moduleNames, file) { if (structureIsReused === 0 && !file.ambientModuleNames.length) { return resolveModuleNamesWorker( moduleNames, file, /*reusedNames*/ void 0 ); } let unknownModuleNames; let result; let reusedNames; const predictedToResolveToAmbientModuleMarker = emptyResolution; const oldSourceFile = oldProgram && oldProgram.getSourceFile(file.fileName); for (let i = 0; i < moduleNames.length; i++) { const moduleName = moduleNames[i]; if (file === oldSourceFile && !hasInvalidatedResolutions(file.path)) { const oldResolution = oldProgram == null ? void 0 : oldProgram.getResolvedModule(file, moduleName.text, getModeForUsageLocation2(file, moduleName)); if (oldResolution == null ? void 0 : oldResolution.resolvedModule) { if (isTraceEnabled(options, host)) { trace( host, oldResolution.resolvedModule.packageId ? Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package_ID_3 : Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2, moduleName.text, getNormalizedAbsolutePath(file.originalFileName, currentDirectory), oldResolution.resolvedModule.resolvedFileName, oldResolution.resolvedModule.packageId && packageIdToString(oldResolution.resolvedModule.packageId) ); } (result ?? (result = new Array(moduleNames.length)))[i] = oldResolution; (reusedNames ?? (reusedNames = [])).push(moduleName); continue; } } let resolvesToAmbientModuleInNonModifiedFile = false; if (contains(file.ambientModuleNames, moduleName.text)) { resolvesToAmbientModuleInNonModifiedFile = true; if (isTraceEnabled(options, host)) { trace(host, Diagnostics.Module_0_was_resolved_as_locally_declared_ambient_module_in_file_1, moduleName.text, getNormalizedAbsolutePath(file.originalFileName, currentDirectory)); } } else { resolvesToAmbientModuleInNonModifiedFile = moduleNameResolvesToAmbientModuleInNonModifiedFile(moduleName); } if (resolvesToAmbientModuleInNonModifiedFile) { (result || (result = new Array(moduleNames.length)))[i] = predictedToResolveToAmbientModuleMarker; } else { (unknownModuleNames ?? (unknownModuleNames = [])).push(moduleName); } } const resolutions = unknownModuleNames && unknownModuleNames.length ? resolveModuleNamesWorker(unknownModuleNames, file, reusedNames) : emptyArray; if (!result) { Debug.assert(resolutions.length === moduleNames.length); return resolutions; } let j = 0; for (let i = 0; i < result.length; i++) { if (!result[i]) { result[i] = resolutions[j]; j++; } } Debug.assert(j === resolutions.length); return result; function moduleNameResolvesToAmbientModuleInNonModifiedFile(moduleName) { var _a2; const resolutionToFile = (_a2 = oldProgram == null ? void 0 : oldProgram.getResolvedModule(file, moduleName.text, getModeForUsageLocation2(file, moduleName))) == null ? void 0 : _a2.resolvedModule; const resolvedFile = resolutionToFile && oldProgram.getSourceFile(resolutionToFile.resolvedFileName); if (resolutionToFile && resolvedFile) { return false; } const unmodifiedFile = ambientModuleNameToUnmodifiedFileName.get(moduleName.text); if (!unmodifiedFile) { return false; } if (isTraceEnabled(options, host)) { trace(host, Diagnostics.Module_0_was_resolved_as_ambient_module_declared_in_1_since_this_file_was_not_modified, moduleName.text, unmodifiedFile); } return true; } } function resolveTypeReferenceDirectiveNamesReusingOldState(typeDirectiveNames, containingFile) { var _a2; if (structureIsReused === 0) { return resolveTypeReferenceDirectiveNamesWorker( typeDirectiveNames, containingFile, /*reusedNames*/ void 0 ); } let unknownTypeReferenceDirectiveNames; let result; let reusedNames; const containingSourceFile = !isString2(containingFile) ? containingFile : void 0; const oldSourceFile = !isString2(containingFile) ? oldProgram && oldProgram.getSourceFile(containingFile.fileName) : void 0; const canReuseResolutions = !isString2(containingFile) ? containingFile === oldSourceFile && !hasInvalidatedResolutions(containingFile.path) : !hasInvalidatedResolutions(toPath32(containingFile)); for (let i = 0; i < typeDirectiveNames.length; i++) { const entry = typeDirectiveNames[i]; if (canReuseResolutions) { const typeDirectiveName = getTypeReferenceResolutionName(entry); const mode = getModeForFileReference(entry, containingSourceFile == null ? void 0 : containingSourceFile.impliedNodeFormat); const oldResolution = !isString2(containingFile) ? oldProgram == null ? void 0 : oldProgram.getResolvedTypeReferenceDirective(containingFile, typeDirectiveName, mode) : (_a2 = oldProgram == null ? void 0 : oldProgram.getAutomaticTypeDirectiveResolutions()) == null ? void 0 : _a2.get(typeDirectiveName, mode); if (oldResolution == null ? void 0 : oldResolution.resolvedTypeReferenceDirective) { if (isTraceEnabled(options, host)) { trace( host, oldResolution.resolvedTypeReferenceDirective.packageId ? Diagnostics.Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package_ID_3 : Diagnostics.Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_successfully_resolved_to_2, typeDirectiveName, !isString2(containingFile) ? getNormalizedAbsolutePath(containingFile.originalFileName, currentDirectory) : containingFile, oldResolution.resolvedTypeReferenceDirective.resolvedFileName, oldResolution.resolvedTypeReferenceDirective.packageId && packageIdToString(oldResolution.resolvedTypeReferenceDirective.packageId) ); } (result ?? (result = new Array(typeDirectiveNames.length)))[i] = oldResolution; (reusedNames ?? (reusedNames = [])).push(entry); continue; } } (unknownTypeReferenceDirectiveNames ?? (unknownTypeReferenceDirectiveNames = [])).push(entry); } if (!unknownTypeReferenceDirectiveNames) return result || emptyArray; const resolutions = resolveTypeReferenceDirectiveNamesWorker( unknownTypeReferenceDirectiveNames, containingFile, reusedNames ); if (!result) { Debug.assert(resolutions.length === typeDirectiveNames.length); return resolutions; } let j = 0; for (let i = 0; i < result.length; i++) { if (!result[i]) { result[i] = resolutions[j]; j++; } } Debug.assert(j === resolutions.length); return result; } function canReuseProjectReferences() { return !forEachProjectReference( oldProgram.getProjectReferences(), oldProgram.getResolvedProjectReferences(), (oldResolvedRef, parent2, index) => { const newRef = (parent2 ? parent2.commandLine.projectReferences : projectReferences)[index]; const newResolvedRef = parseProjectReferenceConfigFile(newRef); if (oldResolvedRef) { return !newResolvedRef || newResolvedRef.sourceFile !== oldResolvedRef.sourceFile || !arrayIsEqualTo(oldResolvedRef.commandLine.fileNames, newResolvedRef.commandLine.fileNames); } else { return newResolvedRef !== void 0; } }, (oldProjectReferences, parent2) => { const newReferences = parent2 ? getResolvedProjectReferenceByPath(parent2.sourceFile.path).commandLine.projectReferences : projectReferences; return !arrayIsEqualTo(oldProjectReferences, newReferences, projectReferenceIsEqualTo); } ); } function tryReuseStructureFromOldProgram() { var _a2; if (!oldProgram) { return 0; } const oldOptions = oldProgram.getCompilerOptions(); if (changesAffectModuleResolution(oldOptions, options)) { return 0; } const oldRootNames = oldProgram.getRootFileNames(); if (!arrayIsEqualTo(oldRootNames, rootNames)) { return 0; } if (!canReuseProjectReferences()) { return 0; } if (projectReferences) { resolvedProjectReferences = projectReferences.map(parseProjectReferenceConfigFile); } const newSourceFiles = []; const modifiedSourceFiles = []; structureIsReused = 2; if (forEachEntry(oldProgram.getMissingFilePaths(), (missingFileName) => host.fileExists(missingFileName))) { return 0; } const oldSourceFiles = oldProgram.getSourceFiles(); let SeenPackageName; ((SeenPackageName2) => { SeenPackageName2[SeenPackageName2["Exists"] = 0] = "Exists"; SeenPackageName2[SeenPackageName2["Modified"] = 1] = "Modified"; })(SeenPackageName || (SeenPackageName = {})); const seenPackageNames = /* @__PURE__ */ new Map(); for (const oldSourceFile of oldSourceFiles) { const sourceFileOptions = getCreateSourceFileOptions(oldSourceFile.fileName, moduleResolutionCache, host, options); let newSourceFile = host.getSourceFileByPath ? host.getSourceFileByPath( oldSourceFile.fileName, oldSourceFile.resolvedPath, sourceFileOptions, /*onError*/ void 0, shouldCreateNewSourceFile ) : host.getSourceFile( oldSourceFile.fileName, sourceFileOptions, /*onError*/ void 0, shouldCreateNewSourceFile ); if (!newSourceFile) { return 0; } newSourceFile.packageJsonLocations = ((_a2 = sourceFileOptions.packageJsonLocations) == null ? void 0 : _a2.length) ? sourceFileOptions.packageJsonLocations : void 0; newSourceFile.packageJsonScope = sourceFileOptions.packageJsonScope; Debug.assert(!newSourceFile.redirectInfo, "Host should not return a redirect source file from `getSourceFile`"); let fileChanged; if (oldSourceFile.redirectInfo) { if (newSourceFile !== oldSourceFile.redirectInfo.unredirected) { return 0; } fileChanged = false; newSourceFile = oldSourceFile; } else if (oldProgram.redirectTargetsMap.has(oldSourceFile.path)) { if (newSourceFile !== oldSourceFile) { return 0; } fileChanged = false; } else { fileChanged = newSourceFile !== oldSourceFile; } newSourceFile.path = oldSourceFile.path; newSourceFile.originalFileName = oldSourceFile.originalFileName; newSourceFile.resolvedPath = oldSourceFile.resolvedPath; newSourceFile.fileName = oldSourceFile.fileName; const packageName = oldProgram.sourceFileToPackageName.get(oldSourceFile.path); if (packageName !== void 0) { const prevKind = seenPackageNames.get(packageName); const newKind = fileChanged ? 1 : 0; if (prevKind !== void 0 && newKind === 1 || prevKind === 1) { return 0; } seenPackageNames.set(packageName, newKind); } if (fileChanged) { if (oldSourceFile.impliedNodeFormat !== newSourceFile.impliedNodeFormat) { structureIsReused = 1; } else if (!arrayIsEqualTo(oldSourceFile.libReferenceDirectives, newSourceFile.libReferenceDirectives, fileReferenceIsEqualTo)) { structureIsReused = 1; } else if (oldSourceFile.hasNoDefaultLib !== newSourceFile.hasNoDefaultLib) { structureIsReused = 1; } else if (!arrayIsEqualTo(oldSourceFile.referencedFiles, newSourceFile.referencedFiles, fileReferenceIsEqualTo)) { structureIsReused = 1; } else { collectExternalModuleReferences(newSourceFile); if (!arrayIsEqualTo(oldSourceFile.imports, newSourceFile.imports, moduleNameIsEqualTo)) { structureIsReused = 1; } else if (!arrayIsEqualTo(oldSourceFile.moduleAugmentations, newSourceFile.moduleAugmentations, moduleNameIsEqualTo)) { structureIsReused = 1; } else if ((oldSourceFile.flags & 12582912) !== (newSourceFile.flags & 12582912)) { structureIsReused = 1; } else if (!arrayIsEqualTo(oldSourceFile.typeReferenceDirectives, newSourceFile.typeReferenceDirectives, fileReferenceIsEqualTo)) { structureIsReused = 1; } } modifiedSourceFiles.push(newSourceFile); } else if (hasInvalidatedResolutions(oldSourceFile.path)) { structureIsReused = 1; modifiedSourceFiles.push(newSourceFile); } else { for (const moduleName of oldSourceFile.ambientModuleNames) { ambientModuleNameToUnmodifiedFileName.set(moduleName, oldSourceFile.fileName); } } newSourceFiles.push(newSourceFile); } if (structureIsReused !== 2) { return structureIsReused; } for (const newSourceFile of modifiedSourceFiles) { const moduleNames = getModuleNames(newSourceFile); const resolutions = resolveModuleNamesReusingOldState(moduleNames, newSourceFile); (resolvedModulesProcessing ?? (resolvedModulesProcessing = /* @__PURE__ */ new Map())).set(newSourceFile.path, resolutions); const resolutionsChanged = hasChangesInResolutions( moduleNames, resolutions, (name) => oldProgram.getResolvedModule(newSourceFile, name.text, getModeForUsageLocation2(newSourceFile, name)), moduleResolutionIsEqualTo ); if (resolutionsChanged) structureIsReused = 1; const typesReferenceDirectives = newSourceFile.typeReferenceDirectives; const typeReferenceResolutions = resolveTypeReferenceDirectiveNamesReusingOldState(typesReferenceDirectives, newSourceFile); (resolvedTypeReferenceDirectiveNamesProcessing ?? (resolvedTypeReferenceDirectiveNamesProcessing = /* @__PURE__ */ new Map())).set(newSourceFile.path, typeReferenceResolutions); const typeReferenceResolutionsChanged = hasChangesInResolutions( typesReferenceDirectives, typeReferenceResolutions, (name) => oldProgram.getResolvedTypeReferenceDirective(newSourceFile, getTypeReferenceResolutionName(name), getModeForFileReference(name, newSourceFile.impliedNodeFormat)), typeDirectiveIsEqualTo ); if (typeReferenceResolutionsChanged) structureIsReused = 1; } if (structureIsReused !== 2) { return structureIsReused; } if (changesAffectingProgramStructure(oldOptions, options)) { return 1; } if (oldProgram.resolvedLibReferences && forEachEntry(oldProgram.resolvedLibReferences, (resolution, libFileName) => pathForLibFileWorker(libFileName).actual !== resolution.actual)) { return 1; } if (host.hasChangedAutomaticTypeDirectiveNames) { if (host.hasChangedAutomaticTypeDirectiveNames()) return 1; } else { automaticTypeDirectiveNames = getAutomaticTypeDirectiveNames(options, host); if (!arrayIsEqualTo(oldProgram.getAutomaticTypeDirectiveNames(), automaticTypeDirectiveNames)) return 1; } missingFileNames = oldProgram.getMissingFilePaths(); Debug.assert(newSourceFiles.length === oldProgram.getSourceFiles().length); for (const newSourceFile of newSourceFiles) { filesByName.set(newSourceFile.path, newSourceFile); } const oldFilesByNameMap = oldProgram.getFilesByNameMap(); oldFilesByNameMap.forEach((oldFile, path17) => { if (!oldFile) { filesByName.set(path17, oldFile); return; } if (oldFile.path === path17) { if (oldProgram.isSourceFileFromExternalLibrary(oldFile)) { sourceFilesFoundSearchingNodeModules.set(oldFile.path, true); } return; } filesByName.set(path17, filesByName.get(oldFile.path)); }); files = newSourceFiles; fileReasons = oldProgram.getFileIncludeReasons(); fileProcessingDiagnostics = oldProgram.getFileProcessingDiagnostics(); automaticTypeDirectiveNames = oldProgram.getAutomaticTypeDirectiveNames(); automaticTypeDirectiveResolutions = oldProgram.getAutomaticTypeDirectiveResolutions(); sourceFileToPackageName = oldProgram.sourceFileToPackageName; redirectTargetsMap = oldProgram.redirectTargetsMap; usesUriStyleNodeCoreModules = oldProgram.usesUriStyleNodeCoreModules; resolvedModules = oldProgram.resolvedModules; resolvedTypeReferenceDirectiveNames = oldProgram.resolvedTypeReferenceDirectiveNames; resolvedLibReferences = oldProgram.resolvedLibReferences; packageMap = oldProgram.getCurrentPackagesMap(); return 2; } function getEmitHost(writeFileCallback) { return { getCanonicalFileName, getCommonSourceDirectory: program.getCommonSourceDirectory, getCompilerOptions: program.getCompilerOptions, getCurrentDirectory: () => currentDirectory, getSourceFile: program.getSourceFile, getSourceFileByPath: program.getSourceFileByPath, getSourceFiles: program.getSourceFiles, isSourceFileFromExternalLibrary, getResolvedProjectReferenceToRedirect, getProjectReferenceRedirect, isSourceOfProjectReferenceRedirect, getSymlinkCache, writeFile: writeFileCallback || writeFile2, isEmitBlocked, readFile: (f) => host.readFile(f), fileExists: (f) => { const path17 = toPath32(f); if (getSourceFileByPath(path17)) return true; if (missingFileNames.has(path17)) return false; return host.fileExists(f); }, realpath: maybeBind(host, host.realpath), useCaseSensitiveFileNames: () => host.useCaseSensitiveFileNames(), getBuildInfo: () => { var _a2; return (_a2 = program.getBuildInfo) == null ? void 0 : _a2.call(program); }, getSourceFileFromReference: (file, ref) => program.getSourceFileFromReference(file, ref), redirectTargetsMap, getFileIncludeReasons: program.getFileIncludeReasons, createHash: maybeBind(host, host.createHash), getModuleResolutionCache: () => program.getModuleResolutionCache(), trace: maybeBind(host, host.trace) }; } function writeFile2(fileName, text, writeByteOrderMark, onError, sourceFiles, data) { host.writeFile(fileName, text, writeByteOrderMark, onError, sourceFiles, data); } function emitBuildInfo(writeFileCallback) { var _a2, _b2; Debug.assert(!options.outFile); (_a2 = tracing) == null ? void 0 : _a2.push( tracing.Phase.Emit, "emitBuildInfo", {}, /*separateBeginAndEnd*/ true ); mark("beforeEmit"); const emitResult = emitFiles( notImplementedResolver, getEmitHost(writeFileCallback), /*targetSourceFile*/ void 0, /*transformers*/ noTransformers, /*emitOnly*/ false, /*onlyBuildInfo*/ true ); mark("afterEmit"); measure("Emit", "beforeEmit", "afterEmit"); (_b2 = tracing) == null ? void 0 : _b2.pop(); return emitResult; } function getResolvedProjectReferences() { return resolvedProjectReferences; } function getProjectReferences() { return projectReferences; } function isSourceFileFromExternalLibrary(file) { return !!sourceFilesFoundSearchingNodeModules.get(file.path); } function isSourceFileDefaultLibrary(file) { if (!file.isDeclarationFile) { return false; } if (file.hasNoDefaultLib) { return true; } if (!options.noLib) { return false; } const equalityComparer = host.useCaseSensitiveFileNames() ? equateStringsCaseSensitive : equateStringsCaseInsensitive; if (!options.lib) { return equalityComparer(file.fileName, getDefaultLibraryFileName()); } else { return some(options.lib, (libFileName) => equalityComparer(file.fileName, resolvedLibReferences.get(libFileName).actual)); } } function getTypeChecker() { return typeChecker || (typeChecker = createTypeChecker(program)); } function emit(sourceFile, writeFileCallback, cancellationToken, emitOnly, transformers, forceDtsEmit) { var _a2, _b2; (_a2 = tracing) == null ? void 0 : _a2.push( tracing.Phase.Emit, "emit", { path: sourceFile == null ? void 0 : sourceFile.path }, /*separateBeginAndEnd*/ true ); const result = runWithCancellationToken(() => emitWorker(program, sourceFile, writeFileCallback, cancellationToken, emitOnly, transformers, forceDtsEmit)); (_b2 = tracing) == null ? void 0 : _b2.pop(); return result; } function isEmitBlocked(emitFileName) { return hasEmitBlockingDiagnostics.has(toPath32(emitFileName)); } function emitWorker(program2, sourceFile, writeFileCallback, cancellationToken, emitOnly, customTransformers, forceDtsEmit) { if (!forceDtsEmit) { const result = handleNoEmitOptions(program2, sourceFile, writeFileCallback, cancellationToken); if (result) return result; } const typeChecker2 = getTypeChecker(); const emitResolver = typeChecker2.getEmitResolver( options.outFile ? void 0 : sourceFile, cancellationToken, emitResolverSkipsTypeChecking(emitOnly, forceDtsEmit) ); mark("beforeEmit"); const emitResult = typeChecker2.runWithCancellationToken( cancellationToken, () => emitFiles( emitResolver, getEmitHost(writeFileCallback), sourceFile, getTransformers(options, customTransformers, emitOnly), emitOnly, /*onlyBuildInfo*/ false, forceDtsEmit ) ); mark("afterEmit"); measure("Emit", "beforeEmit", "afterEmit"); return emitResult; } function getSourceFile(fileName) { return getSourceFileByPath(toPath32(fileName)); } function getSourceFileByPath(path17) { return filesByName.get(path17) || void 0; } function getDiagnosticsHelper(sourceFile, getDiagnostics2, cancellationToken) { if (sourceFile) { return sortAndDeduplicateDiagnostics(getDiagnostics2(sourceFile, cancellationToken)); } return sortAndDeduplicateDiagnostics(flatMap(program.getSourceFiles(), (sourceFile2) => { if (cancellationToken) { cancellationToken.throwIfCancellationRequested(); } return getDiagnostics2(sourceFile2, cancellationToken); })); } function getSyntacticDiagnostics(sourceFile, cancellationToken) { return getDiagnosticsHelper(sourceFile, getSyntacticDiagnosticsForFile, cancellationToken); } function getSemanticDiagnostics(sourceFile, cancellationToken) { return getDiagnosticsHelper(sourceFile, getSemanticDiagnosticsForFile, cancellationToken); } function getCachedSemanticDiagnostics(sourceFile) { var _a2; return sourceFile ? (_a2 = cachedBindAndCheckDiagnosticsForFile.perFile) == null ? void 0 : _a2.get(sourceFile.path) : cachedBindAndCheckDiagnosticsForFile.allDiagnostics; } function getBindAndCheckDiagnostics(sourceFile, cancellationToken) { return getBindAndCheckDiagnosticsForFile(sourceFile, cancellationToken); } function getProgramDiagnostics(sourceFile) { var _a2; if (skipTypeChecking(sourceFile, options, program)) { return emptyArray; } const programDiagnosticsInFile = updateAndGetProgramDiagnostics().getDiagnostics(sourceFile.fileName); if (!((_a2 = sourceFile.commentDirectives) == null ? void 0 : _a2.length)) { return programDiagnosticsInFile; } return getDiagnosticsWithPrecedingDirectives(sourceFile, sourceFile.commentDirectives, programDiagnosticsInFile).diagnostics; } function getDeclarationDiagnostics2(sourceFile, cancellationToken) { const options2 = program.getCompilerOptions(); if (!sourceFile || options2.outFile) { return getDeclarationDiagnosticsWorker(sourceFile, cancellationToken); } else { return getDiagnosticsHelper(sourceFile, getDeclarationDiagnosticsForFile, cancellationToken); } } function getSyntacticDiagnosticsForFile(sourceFile) { if (isSourceFileJS(sourceFile)) { if (!sourceFile.additionalSyntacticDiagnostics) { sourceFile.additionalSyntacticDiagnostics = getJSSyntacticDiagnosticsForFile(sourceFile); } return concatenate(sourceFile.additionalSyntacticDiagnostics, sourceFile.parseDiagnostics); } return sourceFile.parseDiagnostics; } function runWithCancellationToken(func) { try { return func(); } catch (e) { if (e instanceof OperationCanceledException) { typeChecker = void 0; } throw e; } } function getSemanticDiagnosticsForFile(sourceFile, cancellationToken) { return concatenate( filterSemanticDiagnostics(getBindAndCheckDiagnosticsForFile(sourceFile, cancellationToken), options), getProgramDiagnostics(sourceFile) ); } function getBindAndCheckDiagnosticsForFile(sourceFile, cancellationToken) { return getAndCacheDiagnostics(sourceFile, cancellationToken, cachedBindAndCheckDiagnosticsForFile, getBindAndCheckDiagnosticsForFileNoCache); } function getBindAndCheckDiagnosticsForFileNoCache(sourceFile, cancellationToken) { return runWithCancellationToken(() => { if (skipTypeChecking(sourceFile, options, program)) { return emptyArray; } const typeChecker2 = getTypeChecker(); Debug.assert(!!sourceFile.bindDiagnostics); const isJs = sourceFile.scriptKind === 1 || sourceFile.scriptKind === 2; const isCheckJs = isJs && isCheckJsEnabledForFile(sourceFile, options); const isPlainJs = isPlainJsFile(sourceFile, options.checkJs); let bindDiagnostics = sourceFile.bindDiagnostics; let checkDiagnostics = typeChecker2.getDiagnostics(sourceFile, cancellationToken); if (isPlainJs) { bindDiagnostics = filter(bindDiagnostics, (d) => plainJSErrors.has(d.code)); checkDiagnostics = filter(checkDiagnostics, (d) => plainJSErrors.has(d.code)); } return getMergedBindAndCheckDiagnostics(sourceFile, !isPlainJs, bindDiagnostics, checkDiagnostics, isCheckJs ? sourceFile.jsDocDiagnostics : void 0); }); } function getMergedBindAndCheckDiagnostics(sourceFile, includeBindAndCheckDiagnostics, ...allDiagnostics) { var _a2; const flatDiagnostics = flatten(allDiagnostics); if (!includeBindAndCheckDiagnostics || !((_a2 = sourceFile.commentDirectives) == null ? void 0 : _a2.length)) { return flatDiagnostics; } const { diagnostics, directives } = getDiagnosticsWithPrecedingDirectives(sourceFile, sourceFile.commentDirectives, flatDiagnostics); for (const errorExpectation of directives.getUnusedExpectations()) { diagnostics.push(createDiagnosticForRange(sourceFile, errorExpectation.range, Diagnostics.Unused_ts_expect_error_directive)); } return diagnostics; } function getDiagnosticsWithPrecedingDirectives(sourceFile, commentDirectives, flatDiagnostics) { const directives = createCommentDirectivesMap(sourceFile, commentDirectives); const diagnostics = flatDiagnostics.filter((diagnostic) => markPrecedingCommentDirectiveLine(diagnostic, directives) === -1); return { diagnostics, directives }; } function getSuggestionDiagnostics(sourceFile, cancellationToken) { return runWithCancellationToken(() => { return getTypeChecker().getSuggestionDiagnostics(sourceFile, cancellationToken); }); } function markPrecedingCommentDirectiveLine(diagnostic, directives) { const { file, start } = diagnostic; if (!file) { return -1; } const lineStarts = getLineStarts(file); let line = computeLineAndCharacterOfPosition(lineStarts, start).line - 1; while (line >= 0) { if (directives.markUsed(line)) { return line; } const lineText = file.text.slice(lineStarts[line], lineStarts[line + 1]).trim(); if (lineText !== "" && !/^(\s*)\/\/(.*)$/.test(lineText)) { return -1; } line--; } return -1; } function getJSSyntacticDiagnosticsForFile(sourceFile) { return runWithCancellationToken(() => { const diagnostics = []; walk(sourceFile, sourceFile); forEachChildRecursively(sourceFile, walk, walkArray); return diagnostics; function walk(node, parent2) { switch (parent2.kind) { case 169: case 172: case 174: if (parent2.questionToken === node) { diagnostics.push(createDiagnosticForNode2(node, Diagnostics.The_0_modifier_can_only_be_used_in_TypeScript_files, "?")); return "skip"; } case 173: case 176: case 177: case 178: case 218: case 262: case 219: case 260: if (parent2.type === node) { diagnostics.push(createDiagnosticForNode2(node, Diagnostics.Type_annotations_can_only_be_used_in_TypeScript_files)); return "skip"; } } switch (node.kind) { case 273: if (node.isTypeOnly) { diagnostics.push(createDiagnosticForNode2(parent2, Diagnostics._0_declarations_can_only_be_used_in_TypeScript_files, "import type")); return "skip"; } break; case 278: if (node.isTypeOnly) { diagnostics.push(createDiagnosticForNode2(node, Diagnostics._0_declarations_can_only_be_used_in_TypeScript_files, "export type")); return "skip"; } break; case 276: case 281: if (node.isTypeOnly) { diagnostics.push(createDiagnosticForNode2(node, Diagnostics._0_declarations_can_only_be_used_in_TypeScript_files, isImportSpecifier(node) ? "import...type" : "export...type")); return "skip"; } break; case 271: diagnostics.push(createDiagnosticForNode2(node, Diagnostics.import_can_only_be_used_in_TypeScript_files)); return "skip"; case 277: if (node.isExportEquals) { diagnostics.push(createDiagnosticForNode2(node, Diagnostics.export_can_only_be_used_in_TypeScript_files)); return "skip"; } break; case 298: const heritageClause = node; if (heritageClause.token === 119) { diagnostics.push(createDiagnosticForNode2(node, Diagnostics.implements_clauses_can_only_be_used_in_TypeScript_files)); return "skip"; } break; case 264: const interfaceKeyword = tokenToString( 120 /* InterfaceKeyword */ ); Debug.assertIsDefined(interfaceKeyword); diagnostics.push(createDiagnosticForNode2(node, Diagnostics._0_declarations_can_only_be_used_in_TypeScript_files, interfaceKeyword)); return "skip"; case 267: const moduleKeyword = node.flags & 32 ? tokenToString( 145 /* NamespaceKeyword */ ) : tokenToString( 144 /* ModuleKeyword */ ); Debug.assertIsDefined(moduleKeyword); diagnostics.push(createDiagnosticForNode2(node, Diagnostics._0_declarations_can_only_be_used_in_TypeScript_files, moduleKeyword)); return "skip"; case 265: diagnostics.push(createDiagnosticForNode2(node, Diagnostics.Type_aliases_can_only_be_used_in_TypeScript_files)); return "skip"; case 176: case 174: case 262: if (!node.body) { diagnostics.push(createDiagnosticForNode2(node, Diagnostics.Signature_declarations_can_only_be_used_in_TypeScript_files)); return "skip"; } return; case 266: const enumKeyword = Debug.checkDefined(tokenToString( 94 /* EnumKeyword */ )); diagnostics.push(createDiagnosticForNode2(node, Diagnostics._0_declarations_can_only_be_used_in_TypeScript_files, enumKeyword)); return "skip"; case 235: diagnostics.push(createDiagnosticForNode2(node, Diagnostics.Non_null_assertions_can_only_be_used_in_TypeScript_files)); return "skip"; case 234: diagnostics.push(createDiagnosticForNode2(node.type, Diagnostics.Type_assertion_expressions_can_only_be_used_in_TypeScript_files)); return "skip"; case 238: diagnostics.push(createDiagnosticForNode2(node.type, Diagnostics.Type_satisfaction_expressions_can_only_be_used_in_TypeScript_files)); return "skip"; case 216: Debug.fail(); } } function walkArray(nodes, parent2) { if (canHaveIllegalDecorators(parent2)) { const decorator = find(parent2.modifiers, isDecorator); if (decorator) { diagnostics.push(createDiagnosticForNode2(decorator, Diagnostics.Decorators_are_not_valid_here)); } } else if (canHaveDecorators(parent2) && parent2.modifiers) { const decoratorIndex = findIndex(parent2.modifiers, isDecorator); if (decoratorIndex >= 0) { if (isParameter(parent2) && !options.experimentalDecorators) { diagnostics.push(createDiagnosticForNode2(parent2.modifiers[decoratorIndex], Diagnostics.Decorators_are_not_valid_here)); } else if (isClassDeclaration(parent2)) { const exportIndex = findIndex(parent2.modifiers, isExportModifier); if (exportIndex >= 0) { const defaultIndex = findIndex(parent2.modifiers, isDefaultModifier); if (decoratorIndex > exportIndex && defaultIndex >= 0 && decoratorIndex < defaultIndex) { diagnostics.push(createDiagnosticForNode2(parent2.modifiers[decoratorIndex], Diagnostics.Decorators_are_not_valid_here)); } else if (exportIndex >= 0 && decoratorIndex < exportIndex) { const trailingDecoratorIndex = findIndex(parent2.modifiers, isDecorator, exportIndex); if (trailingDecoratorIndex >= 0) { diagnostics.push(addRelatedInfo( createDiagnosticForNode2(parent2.modifiers[trailingDecoratorIndex], Diagnostics.Decorators_may_not_appear_after_export_or_export_default_if_they_also_appear_before_export), createDiagnosticForNode2(parent2.modifiers[decoratorIndex], Diagnostics.Decorator_used_before_export_here) )); } } } } } } switch (parent2.kind) { case 263: case 231: case 174: case 176: case 177: case 178: case 218: case 262: case 219: if (nodes === parent2.typeParameters) { diagnostics.push(createDiagnosticForNodeArray2(nodes, Diagnostics.Type_parameter_declarations_can_only_be_used_in_TypeScript_files)); return "skip"; } case 243: if (nodes === parent2.modifiers) { checkModifiers( parent2.modifiers, parent2.kind === 243 /* VariableStatement */ ); return "skip"; } break; case 172: if (nodes === parent2.modifiers) { for (const modifier of nodes) { if (isModifier(modifier) && modifier.kind !== 126 && modifier.kind !== 129) { diagnostics.push(createDiagnosticForNode2(modifier, Diagnostics.The_0_modifier_can_only_be_used_in_TypeScript_files, tokenToString(modifier.kind))); } } return "skip"; } break; case 169: if (nodes === parent2.modifiers && some(nodes, isModifier)) { diagnostics.push(createDiagnosticForNodeArray2(nodes, Diagnostics.Parameter_modifiers_can_only_be_used_in_TypeScript_files)); return "skip"; } break; case 213: case 214: case 233: case 285: case 286: case 215: if (nodes === parent2.typeArguments) { diagnostics.push(createDiagnosticForNodeArray2(nodes, Diagnostics.Type_arguments_can_only_be_used_in_TypeScript_files)); return "skip"; } break; } } function checkModifiers(modifiers, isConstValid) { for (const modifier of modifiers) { switch (modifier.kind) { case 87: if (isConstValid) { continue; } case 125: case 123: case 124: case 148: case 138: case 128: case 164: case 103: case 147: diagnostics.push(createDiagnosticForNode2(modifier, Diagnostics.The_0_modifier_can_only_be_used_in_TypeScript_files, tokenToString(modifier.kind))); break; case 126: case 95: case 90: case 129: } } } function createDiagnosticForNodeArray2(nodes, message, ...args) { const start = nodes.pos; return createFileDiagnostic(sourceFile, start, nodes.end - start, message, ...args); } function createDiagnosticForNode2(node, message, ...args) { return createDiagnosticForNodeInSourceFile(sourceFile, node, message, ...args); } }); } function getDeclarationDiagnosticsWorker(sourceFile, cancellationToken) { return getAndCacheDiagnostics(sourceFile, cancellationToken, cachedDeclarationDiagnosticsForFile, getDeclarationDiagnosticsForFileNoCache); } function getDeclarationDiagnosticsForFileNoCache(sourceFile, cancellationToken) { return runWithCancellationToken(() => { const resolver = getTypeChecker().getEmitResolver(sourceFile, cancellationToken); return getDeclarationDiagnostics(getEmitHost(noop2), resolver, sourceFile) || emptyArray; }); } function getAndCacheDiagnostics(sourceFile, cancellationToken, cache, getDiagnostics2) { var _a2; const cachedResult = sourceFile ? (_a2 = cache.perFile) == null ? void 0 : _a2.get(sourceFile.path) : cache.allDiagnostics; if (cachedResult) { return cachedResult; } const result = getDiagnostics2(sourceFile, cancellationToken); if (sourceFile) { (cache.perFile || (cache.perFile = /* @__PURE__ */ new Map())).set(sourceFile.path, result); } else { cache.allDiagnostics = result; } return result; } function getDeclarationDiagnosticsForFile(sourceFile, cancellationToken) { return sourceFile.isDeclarationFile ? [] : getDeclarationDiagnosticsWorker(sourceFile, cancellationToken); } function getOptionsDiagnostics() { return sortAndDeduplicateDiagnostics(concatenate( updateAndGetProgramDiagnostics().getGlobalDiagnostics(), getOptionsDiagnosticsOfConfigFile() )); } function getOptionsDiagnosticsOfConfigFile() { if (!options.configFile) return emptyArray; let diagnostics = updateAndGetProgramDiagnostics().getDiagnostics(options.configFile.fileName); forEachResolvedProjectReference2((resolvedRef) => { diagnostics = concatenate(diagnostics, updateAndGetProgramDiagnostics().getDiagnostics(resolvedRef.sourceFile.fileName)); }); return diagnostics; } function getGlobalDiagnostics() { return rootNames.length ? sortAndDeduplicateDiagnostics(getTypeChecker().getGlobalDiagnostics().slice()) : emptyArray; } function getConfigFileParsingDiagnostics2() { return configFileParsingDiagnostics || emptyArray; } function processRootFile(fileName, isDefaultLib, ignoreNoDefaultLib, reason) { processSourceFile( normalizePath(fileName), isDefaultLib, ignoreNoDefaultLib, /*packageId*/ void 0, reason ); } function fileReferenceIsEqualTo(a, b) { return a.fileName === b.fileName; } function moduleNameIsEqualTo(a, b) { return a.kind === 80 ? b.kind === 80 && a.escapedText === b.escapedText : b.kind === 11 && a.text === b.text; } function createSyntheticImport(text, file) { const externalHelpersModuleReference = factory.createStringLiteral(text); const importDecl = factory.createImportDeclaration( /*modifiers*/ void 0, /*importClause*/ void 0, externalHelpersModuleReference ); addInternalEmitFlags( importDecl, 2 /* NeverApplyImportHelper */ ); setParent(externalHelpersModuleReference, importDecl); setParent(importDecl, file); externalHelpersModuleReference.flags &= ~16; importDecl.flags &= ~16; return externalHelpersModuleReference; } function collectExternalModuleReferences(file) { if (file.imports) { return; } const isJavaScriptFile = isSourceFileJS(file); const isExternalModuleFile = isExternalModule(file); let imports; let moduleAugmentations; let ambientModules; if (isJavaScriptFile || !file.isDeclarationFile && (getIsolatedModules(options) || isExternalModule(file))) { if (options.importHelpers) { imports = [createSyntheticImport(externalHelpersModuleNameText, file)]; } const jsxImport = getJSXRuntimeImport(getJSXImplicitImportBase(options, file), options); if (jsxImport) { (imports || (imports = [])).push(createSyntheticImport(jsxImport, file)); } } for (const node of file.statements) { collectModuleReferences( node, /*inAmbientModule*/ false ); } if (file.flags & 4194304 || isJavaScriptFile) { collectDynamicImportOrRequireOrJsDocImportCalls(file); } file.imports = imports || emptyArray; file.moduleAugmentations = moduleAugmentations || emptyArray; file.ambientModuleNames = ambientModules || emptyArray; return; function collectModuleReferences(node, inAmbientModule) { if (isAnyImportOrReExport(node)) { const moduleNameExpr = getExternalModuleName(node); if (moduleNameExpr && isStringLiteral2(moduleNameExpr) && moduleNameExpr.text && (!inAmbientModule || !isExternalModuleNameRelative(moduleNameExpr.text))) { setParentRecursive( node, /*incremental*/ false ); imports = append(imports, moduleNameExpr); if (!usesUriStyleNodeCoreModules && currentNodeModulesDepth === 0 && !file.isDeclarationFile) { usesUriStyleNodeCoreModules = startsWith2(moduleNameExpr.text, "node:"); } } } else if (isModuleDeclaration(node)) { if (isAmbientModule(node) && (inAmbientModule || hasSyntacticModifier( node, 128 /* Ambient */ ) || file.isDeclarationFile)) { node.name.parent = node; const nameText = getTextOfIdentifierOrLiteral(node.name); if (isExternalModuleFile || inAmbientModule && !isExternalModuleNameRelative(nameText)) { (moduleAugmentations || (moduleAugmentations = [])).push(node.name); } else if (!inAmbientModule) { if (file.isDeclarationFile) { (ambientModules || (ambientModules = [])).push(nameText); } const body = node.body; if (body) { for (const statement of body.statements) { collectModuleReferences( statement, /*inAmbientModule*/ true ); } } } } } } function collectDynamicImportOrRequireOrJsDocImportCalls(file2) { const r = /import|require/g; while (r.exec(file2.text) !== null) { const node = getNodeAtPosition(file2, r.lastIndex); if (isJavaScriptFile && isRequireCall( node, /*requireStringLiteralLikeArgument*/ true )) { setParentRecursive( node, /*incremental*/ false ); imports = append(imports, node.arguments[0]); } else if (isImportCall(node) && node.arguments.length >= 1 && isStringLiteralLike(node.arguments[0])) { setParentRecursive( node, /*incremental*/ false ); imports = append(imports, node.arguments[0]); } else if (isLiteralImportTypeNode(node)) { setParentRecursive( node, /*incremental*/ false ); imports = append(imports, node.argument.literal); } else if (isJavaScriptFile && isJSDocImportTag(node)) { const moduleNameExpr = getExternalModuleName(node); if (moduleNameExpr && isStringLiteral2(moduleNameExpr) && moduleNameExpr.text) { setParentRecursive( node, /*incremental*/ false ); imports = append(imports, moduleNameExpr); } } } } function getNodeAtPosition(sourceFile, position) { let current = sourceFile; const getContainingChild = (child) => { if (child.pos <= position && (position < child.end || position === child.end && child.kind === 1)) { return child; } }; while (true) { const child = isJavaScriptFile && hasJSDocNodes(current) && forEach(current.jsDoc, getContainingChild) || forEachChild(current, getContainingChild); if (!child) { return current; } current = child; } } } function getLibFileFromReference(ref) { var _a2; const libFileName = getLibFileNameFromLibReference(ref); const actualFileName = libFileName && ((_a2 = resolvedLibReferences == null ? void 0 : resolvedLibReferences.get(libFileName)) == null ? void 0 : _a2.actual); return actualFileName !== void 0 ? getSourceFile(actualFileName) : void 0; } function getSourceFileFromReference(referencingFile, ref) { return getSourceFileFromReferenceWorker(resolveTripleslashReference(ref.fileName, referencingFile.fileName), getSourceFile); } function getSourceFileFromReferenceWorker(fileName, getSourceFile2, fail, reason) { if (hasExtension(fileName)) { const canonicalFileName = host.getCanonicalFileName(fileName); if (!options.allowNonTsExtensions && !forEach(flatten(supportedExtensionsWithJsonIfResolveJsonModule), (extension) => fileExtensionIs(canonicalFileName, extension))) { if (fail) { if (hasJSFileExtension(canonicalFileName)) { fail(Diagnostics.File_0_is_a_JavaScript_file_Did_you_mean_to_enable_the_allowJs_option, fileName); } else { fail(Diagnostics.File_0_has_an_unsupported_extension_The_only_supported_extensions_are_1, fileName, "'" + flatten(supportedExtensions).join("', '") + "'"); } } return void 0; } const sourceFile = getSourceFile2(fileName); if (fail) { if (!sourceFile) { const redirect = getProjectReferenceRedirect(fileName); if (redirect) { fail(Diagnostics.Output_file_0_has_not_been_built_from_source_file_1, redirect, fileName); } else { fail(Diagnostics.File_0_not_found, fileName); } } else if (isReferencedFile(reason) && canonicalFileName === host.getCanonicalFileName(getSourceFileByPath(reason.file).fileName)) { fail(Diagnostics.A_file_cannot_have_a_reference_to_itself); } } return sourceFile; } else { const sourceFileNoExtension = options.allowNonTsExtensions && getSourceFile2(fileName); if (sourceFileNoExtension) return sourceFileNoExtension; if (fail && options.allowNonTsExtensions) { fail(Diagnostics.File_0_not_found, fileName); return void 0; } const sourceFileWithAddedExtension = forEach(supportedExtensions[0], (extension) => getSourceFile2(fileName + extension)); if (fail && !sourceFileWithAddedExtension) fail(Diagnostics.Could_not_resolve_the_path_0_with_the_extensions_Colon_1, fileName, "'" + flatten(supportedExtensions).join("', '") + "'"); return sourceFileWithAddedExtension; } } function processSourceFile(fileName, isDefaultLib, ignoreNoDefaultLib, packageId, reason) { getSourceFileFromReferenceWorker( fileName, (fileName2) => findSourceFile(fileName2, isDefaultLib, ignoreNoDefaultLib, reason, packageId), // TODO: GH#18217 (diagnostic, ...args) => addFilePreprocessingFileExplainingDiagnostic( /*file*/ void 0, reason, diagnostic, args ), reason ); } function processProjectReferenceFile(fileName, reason) { return processSourceFile( fileName, /*isDefaultLib*/ false, /*ignoreNoDefaultLib*/ false, /*packageId*/ void 0, reason ); } function reportFileNamesDifferOnlyInCasingError(fileName, existingFile, reason) { const hasExistingReasonToReportErrorOn = !isReferencedFile(reason) && some(fileReasons.get(existingFile.path), isReferencedFile); if (hasExistingReasonToReportErrorOn) { addFilePreprocessingFileExplainingDiagnostic(existingFile, reason, Diagnostics.Already_included_file_name_0_differs_from_file_name_1_only_in_casing, [existingFile.fileName, fileName]); } else { addFilePreprocessingFileExplainingDiagnostic(existingFile, reason, Diagnostics.File_name_0_differs_from_already_included_file_name_1_only_in_casing, [fileName, existingFile.fileName]); } } function createRedirectedSourceFile(redirectTarget, unredirected, fileName, path17, resolvedPath, originalFileName, sourceFileOptions) { var _a2; const redirect = parseNodeFactory.createRedirectedSourceFile({ redirectTarget, unredirected }); redirect.fileName = fileName; redirect.path = path17; redirect.resolvedPath = resolvedPath; redirect.originalFileName = originalFileName; redirect.packageJsonLocations = ((_a2 = sourceFileOptions.packageJsonLocations) == null ? void 0 : _a2.length) ? sourceFileOptions.packageJsonLocations : void 0; redirect.packageJsonScope = sourceFileOptions.packageJsonScope; sourceFilesFoundSearchingNodeModules.set(path17, currentNodeModulesDepth > 0); return redirect; } function findSourceFile(fileName, isDefaultLib, ignoreNoDefaultLib, reason, packageId) { var _a2, _b2; (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.Program, "findSourceFile", { fileName, isDefaultLib: isDefaultLib || void 0, fileIncludeKind: FileIncludeKind[reason.kind] }); const result = findSourceFileWorker(fileName, isDefaultLib, ignoreNoDefaultLib, reason, packageId); (_b2 = tracing) == null ? void 0 : _b2.pop(); return result; } function getCreateSourceFileOptions(fileName, moduleResolutionCache2, host2, options2) { const result = getImpliedNodeFormatForFileWorker(getNormalizedAbsolutePath(fileName, currentDirectory), moduleResolutionCache2 == null ? void 0 : moduleResolutionCache2.getPackageJsonInfoCache(), host2, options2); const languageVersion = getEmitScriptTarget(options2); const setExternalModuleIndicator2 = getSetExternalModuleIndicator(options2); return typeof result === "object" ? { ...result, languageVersion, setExternalModuleIndicator: setExternalModuleIndicator2, jsDocParsingMode: host2.jsDocParsingMode } : { languageVersion, impliedNodeFormat: result, setExternalModuleIndicator: setExternalModuleIndicator2, jsDocParsingMode: host2.jsDocParsingMode }; } function findSourceFileWorker(fileName, isDefaultLib, ignoreNoDefaultLib, reason, packageId) { var _a2; const path17 = toPath32(fileName); if (useSourceOfProjectReferenceRedirect) { let source = getSourceOfProjectReferenceRedirect(path17); if (!source && host.realpath && options.preserveSymlinks && isDeclarationFileName(fileName) && fileName.includes(nodeModulesPathPart)) { const realPath2 = toPath32(host.realpath(fileName)); if (realPath2 !== path17) source = getSourceOfProjectReferenceRedirect(realPath2); } if (source) { const file2 = isString2(source) ? findSourceFile(source, isDefaultLib, ignoreNoDefaultLib, reason, packageId) : void 0; if (file2) addFileToFilesByName( file2, path17, fileName, /*redirectedPath*/ void 0 ); return file2; } } const originalFileName = fileName; if (filesByName.has(path17)) { const file2 = filesByName.get(path17); const addedReason = addFileIncludeReason( file2 || void 0, reason, /*checkExisting*/ true ); if (file2 && addedReason && !(options.forceConsistentCasingInFileNames === false)) { const checkedName = file2.fileName; const isRedirect = toPath32(checkedName) !== toPath32(fileName); if (isRedirect) { fileName = getProjectReferenceRedirect(fileName) || fileName; } const checkedAbsolutePath = getNormalizedAbsolutePathWithoutRoot(checkedName, currentDirectory); const inputAbsolutePath = getNormalizedAbsolutePathWithoutRoot(fileName, currentDirectory); if (checkedAbsolutePath !== inputAbsolutePath) { reportFileNamesDifferOnlyInCasingError(fileName, file2, reason); } } if (file2 && sourceFilesFoundSearchingNodeModules.get(file2.path) && currentNodeModulesDepth === 0) { sourceFilesFoundSearchingNodeModules.set(file2.path, false); if (!options.noResolve) { processReferencedFiles(file2, isDefaultLib); processTypeReferenceDirectives(file2); } if (!options.noLib) { processLibReferenceDirectives(file2); } modulesWithElidedImports.set(file2.path, false); processImportedModules(file2); } else if (file2 && modulesWithElidedImports.get(file2.path)) { if (currentNodeModulesDepth < maxNodeModuleJsDepth) { modulesWithElidedImports.set(file2.path, false); processImportedModules(file2); } } return file2 || void 0; } let redirectedPath; if (!useSourceOfProjectReferenceRedirect) { const redirectProject = getProjectReferenceRedirectProject(fileName); if (redirectProject) { if (redirectProject.commandLine.options.outFile) { return void 0; } const redirect = getProjectReferenceOutputName(redirectProject, fileName); fileName = redirect; redirectedPath = toPath32(redirect); } } const sourceFileOptions = getCreateSourceFileOptions(fileName, moduleResolutionCache, host, options); const file = host.getSourceFile( fileName, sourceFileOptions, (hostErrorMessage) => addFilePreprocessingFileExplainingDiagnostic( /*file*/ void 0, reason, Diagnostics.Cannot_read_file_0_Colon_1, [fileName, hostErrorMessage] ), shouldCreateNewSourceFile ); if (packageId) { const packageIdKey = packageIdToString(packageId); const fileFromPackageId = packageIdToSourceFile.get(packageIdKey); if (fileFromPackageId) { const dupFile = createRedirectedSourceFile(fileFromPackageId, file, fileName, path17, toPath32(fileName), originalFileName, sourceFileOptions); redirectTargetsMap.add(fileFromPackageId.path, fileName); addFileToFilesByName(dupFile, path17, fileName, redirectedPath); addFileIncludeReason( dupFile, reason, /*checkExisting*/ false ); sourceFileToPackageName.set(path17, packageIdToPackageName(packageId)); processingOtherFiles.push(dupFile); return dupFile; } else if (file) { packageIdToSourceFile.set(packageIdKey, file); sourceFileToPackageName.set(path17, packageIdToPackageName(packageId)); } } addFileToFilesByName(file, path17, fileName, redirectedPath); if (file) { sourceFilesFoundSearchingNodeModules.set(path17, currentNodeModulesDepth > 0); file.fileName = fileName; file.path = path17; file.resolvedPath = toPath32(fileName); file.originalFileName = originalFileName; file.packageJsonLocations = ((_a2 = sourceFileOptions.packageJsonLocations) == null ? void 0 : _a2.length) ? sourceFileOptions.packageJsonLocations : void 0; file.packageJsonScope = sourceFileOptions.packageJsonScope; addFileIncludeReason( file, reason, /*checkExisting*/ false ); if (host.useCaseSensitiveFileNames()) { const pathLowerCase = toFileNameLowerCase(path17); const existingFile = filesByNameIgnoreCase.get(pathLowerCase); if (existingFile) { reportFileNamesDifferOnlyInCasingError(fileName, existingFile, reason); } else { filesByNameIgnoreCase.set(pathLowerCase, file); } } skipDefaultLib = skipDefaultLib || file.hasNoDefaultLib && !ignoreNoDefaultLib; if (!options.noResolve) { processReferencedFiles(file, isDefaultLib); processTypeReferenceDirectives(file); } if (!options.noLib) { processLibReferenceDirectives(file); } processImportedModules(file); if (isDefaultLib) { processingDefaultLibFiles.push(file); } else { processingOtherFiles.push(file); } (filesWithReferencesProcessed ?? (filesWithReferencesProcessed = /* @__PURE__ */ new Set())).add(file.path); } return file; } function addFileIncludeReason(file, reason, checkExisting) { if (file && (!checkExisting || !isReferencedFile(reason) || !(filesWithReferencesProcessed == null ? void 0 : filesWithReferencesProcessed.has(reason.file)))) { fileReasons.add(file.path, reason); return true; } return false; } function addFileToFilesByName(file, path17, fileName, redirectedPath) { if (redirectedPath) { updateFilesByNameMap(fileName, redirectedPath, file); updateFilesByNameMap(fileName, path17, file || false); } else { updateFilesByNameMap(fileName, path17, file); } } function updateFilesByNameMap(fileName, path17, file) { filesByName.set(path17, file); if (file !== void 0) missingFileNames.delete(path17); else missingFileNames.set(path17, fileName); } function getProjectReferenceRedirect(fileName) { const referencedProject = getProjectReferenceRedirectProject(fileName); return referencedProject && getProjectReferenceOutputName(referencedProject, fileName); } function getProjectReferenceRedirectProject(fileName) { if (!resolvedProjectReferences || !resolvedProjectReferences.length || isDeclarationFileName(fileName) || fileExtensionIs( fileName, ".json" /* Json */ )) { return void 0; } return getResolvedProjectReferenceToRedirect(fileName); } function getProjectReferenceOutputName(referencedProject, fileName) { const out = referencedProject.commandLine.options.outFile; return out ? changeExtension( out, ".d.ts" /* Dts */ ) : getOutputDeclarationFileName(fileName, referencedProject.commandLine, !host.useCaseSensitiveFileNames()); } function getResolvedProjectReferenceToRedirect(fileName) { if (mapFromFileToProjectReferenceRedirects === void 0) { mapFromFileToProjectReferenceRedirects = /* @__PURE__ */ new Map(); forEachResolvedProjectReference2((referencedProject) => { if (toPath32(options.configFilePath) !== referencedProject.sourceFile.path) { referencedProject.commandLine.fileNames.forEach((f) => mapFromFileToProjectReferenceRedirects.set(toPath32(f), referencedProject.sourceFile.path)); } }); } const referencedProjectPath = mapFromFileToProjectReferenceRedirects.get(toPath32(fileName)); return referencedProjectPath && getResolvedProjectReferenceByPath(referencedProjectPath); } function forEachResolvedProjectReference2(cb) { return forEachResolvedProjectReference(resolvedProjectReferences, cb); } function getSourceOfProjectReferenceRedirect(path17) { if (!isDeclarationFileName(path17)) return void 0; if (mapFromToProjectReferenceRedirectSource === void 0) { mapFromToProjectReferenceRedirectSource = /* @__PURE__ */ new Map(); forEachResolvedProjectReference2((resolvedRef) => { const out = resolvedRef.commandLine.options.outFile; if (out) { const outputDts = changeExtension( out, ".d.ts" /* Dts */ ); mapFromToProjectReferenceRedirectSource.set(toPath32(outputDts), true); } else { const getCommonSourceDirectory3 = memoize(() => getCommonSourceDirectoryOfConfig(resolvedRef.commandLine, !host.useCaseSensitiveFileNames())); forEach(resolvedRef.commandLine.fileNames, (fileName) => { if (!isDeclarationFileName(fileName) && !fileExtensionIs( fileName, ".json" /* Json */ )) { const outputDts = getOutputDeclarationFileName(fileName, resolvedRef.commandLine, !host.useCaseSensitiveFileNames(), getCommonSourceDirectory3); mapFromToProjectReferenceRedirectSource.set(toPath32(outputDts), fileName); } }); } }); } return mapFromToProjectReferenceRedirectSource.get(path17); } function isSourceOfProjectReferenceRedirect(fileName) { return useSourceOfProjectReferenceRedirect && !!getResolvedProjectReferenceToRedirect(fileName); } function getResolvedProjectReferenceByPath(projectReferencePath) { if (!projectReferenceRedirects) { return void 0; } return projectReferenceRedirects.get(projectReferencePath) || void 0; } function processReferencedFiles(file, isDefaultLib) { forEach(file.referencedFiles, (ref, index) => { processSourceFile( resolveTripleslashReference(ref.fileName, file.fileName), isDefaultLib, /*ignoreNoDefaultLib*/ false, /*packageId*/ void 0, { kind: 4, file: file.path, index } ); }); } function processTypeReferenceDirectives(file) { const typeDirectives = file.typeReferenceDirectives; if (!typeDirectives.length) return; const resolutions = (resolvedTypeReferenceDirectiveNamesProcessing == null ? void 0 : resolvedTypeReferenceDirectiveNamesProcessing.get(file.path)) || resolveTypeReferenceDirectiveNamesReusingOldState(typeDirectives, file); const resolutionsInFile = createModeAwareCache(); (resolvedTypeReferenceDirectiveNames ?? (resolvedTypeReferenceDirectiveNames = /* @__PURE__ */ new Map())).set(file.path, resolutionsInFile); for (let index = 0; index < typeDirectives.length; index++) { const ref = file.typeReferenceDirectives[index]; const resolvedTypeReferenceDirective = resolutions[index]; const fileName = ref.fileName; resolutionsInFile.set(fileName, getModeForFileReference(ref, file.impliedNodeFormat), resolvedTypeReferenceDirective); const mode = ref.resolutionMode || file.impliedNodeFormat; processTypeReferenceDirective(fileName, mode, resolvedTypeReferenceDirective, { kind: 5, file: file.path, index }); } } function processTypeReferenceDirective(typeReferenceDirective, mode, resolution, reason) { var _a2, _b2; (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.Program, "processTypeReferenceDirective", { directive: typeReferenceDirective, hasResolved: !!resolution.resolvedTypeReferenceDirective, refKind: reason.kind, refPath: isReferencedFile(reason) ? reason.file : void 0 }); processTypeReferenceDirectiveWorker(typeReferenceDirective, mode, resolution, reason); (_b2 = tracing) == null ? void 0 : _b2.pop(); } function processTypeReferenceDirectiveWorker(typeReferenceDirective, mode, resolution, reason) { addResolutionDiagnostics(resolution); const { resolvedTypeReferenceDirective } = resolution; if (resolvedTypeReferenceDirective) { if (resolvedTypeReferenceDirective.isExternalLibraryImport) currentNodeModulesDepth++; processSourceFile( resolvedTypeReferenceDirective.resolvedFileName, /*isDefaultLib*/ false, /*ignoreNoDefaultLib*/ false, resolvedTypeReferenceDirective.packageId, reason ); if (resolvedTypeReferenceDirective.isExternalLibraryImport) currentNodeModulesDepth--; } else { addFilePreprocessingFileExplainingDiagnostic( /*file*/ void 0, reason, Diagnostics.Cannot_find_type_definition_file_for_0, [typeReferenceDirective] ); } } function pathForLibFile(libFileName) { const existing = resolvedLibReferences == null ? void 0 : resolvedLibReferences.get(libFileName); if (existing) return existing.actual; const result = pathForLibFileWorker(libFileName); (resolvedLibReferences ?? (resolvedLibReferences = /* @__PURE__ */ new Map())).set(libFileName, result); return result.actual; } function pathForLibFileWorker(libFileName) { var _a2, _b2, _c2, _d2, _e2; const existing = resolvedLibProcessing == null ? void 0 : resolvedLibProcessing.get(libFileName); if (existing) return existing; if (structureIsReused !== 0 && oldProgram && !hasInvalidatedLibResolutions(libFileName)) { const oldResolution = (_a2 = oldProgram.resolvedLibReferences) == null ? void 0 : _a2.get(libFileName); if (oldResolution) { if (oldResolution.resolution && isTraceEnabled(options, host)) { const libraryName2 = getLibraryNameFromLibFileName(libFileName); const resolveFrom2 = getInferredLibraryNameResolveFrom(options, currentDirectory, libFileName); trace( host, oldResolution.resolution.resolvedModule ? oldResolution.resolution.resolvedModule.packageId ? Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package_ID_3 : Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2 : Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_not_resolved, libraryName2, getNormalizedAbsolutePath(resolveFrom2, currentDirectory), (_b2 = oldResolution.resolution.resolvedModule) == null ? void 0 : _b2.resolvedFileName, ((_c2 = oldResolution.resolution.resolvedModule) == null ? void 0 : _c2.packageId) && packageIdToString(oldResolution.resolution.resolvedModule.packageId) ); } (resolvedLibProcessing ?? (resolvedLibProcessing = /* @__PURE__ */ new Map())).set(libFileName, oldResolution); return oldResolution; } } const libraryName = getLibraryNameFromLibFileName(libFileName); const resolveFrom = getInferredLibraryNameResolveFrom(options, currentDirectory, libFileName); (_d2 = tracing) == null ? void 0 : _d2.push(tracing.Phase.Program, "resolveLibrary", { resolveFrom }); mark("beforeResolveLibrary"); const resolution = actualResolveLibrary(libraryName, resolveFrom, options, libFileName); mark("afterResolveLibrary"); measure("ResolveLibrary", "beforeResolveLibrary", "afterResolveLibrary"); (_e2 = tracing) == null ? void 0 : _e2.pop(); const result = { resolution, actual: resolution.resolvedModule ? resolution.resolvedModule.resolvedFileName : combinePaths(defaultLibraryPath, libFileName) }; (resolvedLibProcessing ?? (resolvedLibProcessing = /* @__PURE__ */ new Map())).set(libFileName, result); return result; } function processLibReferenceDirectives(file) { forEach(file.libReferenceDirectives, (libReference, index) => { const libFileName = getLibFileNameFromLibReference(libReference); if (libFileName) { processRootFile( pathForLibFile(libFileName), /*isDefaultLib*/ true, /*ignoreNoDefaultLib*/ true, { kind: 7, file: file.path, index } ); } else { (fileProcessingDiagnostics || (fileProcessingDiagnostics = [])).push({ kind: 0, reason: { kind: 7, file: file.path, index } }); } }); } function getCanonicalFileName(fileName) { return host.getCanonicalFileName(fileName); } function processImportedModules(file) { var _a2; collectExternalModuleReferences(file); if (file.imports.length || file.moduleAugmentations.length) { const moduleNames = getModuleNames(file); const resolutions = (resolvedModulesProcessing == null ? void 0 : resolvedModulesProcessing.get(file.path)) || resolveModuleNamesReusingOldState(moduleNames, file); Debug.assert(resolutions.length === moduleNames.length); const optionsForFile = ((_a2 = getRedirectReferenceForResolution(file)) == null ? void 0 : _a2.commandLine.options) || options; const resolutionsInFile = createModeAwareCache(); (resolvedModules ?? (resolvedModules = /* @__PURE__ */ new Map())).set(file.path, resolutionsInFile); for (let index = 0; index < moduleNames.length; index++) { const resolution = resolutions[index].resolvedModule; const moduleName = moduleNames[index].text; const mode = getModeForUsageLocationWorker(file, moduleNames[index], optionsForFile); resolutionsInFile.set(moduleName, mode, resolutions[index]); addResolutionDiagnosticsFromResolutionOrCache(file, moduleName, resolutions[index], mode); if (!resolution) { continue; } const isFromNodeModulesSearch = resolution.isExternalLibraryImport; const isJsFile = !resolutionExtensionIsTSOrJson(resolution.extension) && !getProjectReferenceRedirectProject(resolution.resolvedFileName); const isJsFileFromNodeModules = isFromNodeModulesSearch && isJsFile && (!resolution.originalPath || pathContainsNodeModules(resolution.resolvedFileName)); const resolvedFileName = resolution.resolvedFileName; if (isFromNodeModulesSearch) { currentNodeModulesDepth++; } const elideImport = isJsFileFromNodeModules && currentNodeModulesDepth > maxNodeModuleJsDepth; const shouldAddFile = resolvedFileName && !getResolutionDiagnostic(optionsForFile, resolution, file) && !optionsForFile.noResolve && index < file.imports.length && !elideImport && !(isJsFile && !getAllowJSCompilerOption(optionsForFile)) && (isInJSFile(file.imports[index]) || !(file.imports[index].flags & 16777216)); if (elideImport) { modulesWithElidedImports.set(file.path, true); } else if (shouldAddFile) { findSourceFile( resolvedFileName, /*isDefaultLib*/ false, /*ignoreNoDefaultLib*/ false, { kind: 3, file: file.path, index }, resolution.packageId ); } if (isFromNodeModulesSearch) { currentNodeModulesDepth--; } } } } function checkSourceFilesBelongToPath(sourceFiles, rootDirectory) { let allFilesBelongToPath = true; const absoluteRootDirectoryPath = host.getCanonicalFileName(getNormalizedAbsolutePath(rootDirectory, currentDirectory)); for (const sourceFile of sourceFiles) { if (!sourceFile.isDeclarationFile) { const absoluteSourceFilePath = host.getCanonicalFileName(getNormalizedAbsolutePath(sourceFile.fileName, currentDirectory)); if (absoluteSourceFilePath.indexOf(absoluteRootDirectoryPath) !== 0) { addLazyProgramDiagnosticExplainingFile( sourceFile, Diagnostics.File_0_is_not_under_rootDir_1_rootDir_is_expected_to_contain_all_source_files, [sourceFile.fileName, rootDirectory] ); allFilesBelongToPath = false; } } } return allFilesBelongToPath; } function parseProjectReferenceConfigFile(ref) { if (!projectReferenceRedirects) { projectReferenceRedirects = /* @__PURE__ */ new Map(); } const refPath = resolveProjectReferencePath(ref); const sourceFilePath = toPath32(refPath); const fromCache = projectReferenceRedirects.get(sourceFilePath); if (fromCache !== void 0) { return fromCache || void 0; } let commandLine; let sourceFile; if (host.getParsedCommandLine) { commandLine = host.getParsedCommandLine(refPath); if (!commandLine) { addFileToFilesByName( /*file*/ void 0, sourceFilePath, refPath, /*redirectedPath*/ void 0 ); projectReferenceRedirects.set(sourceFilePath, false); return void 0; } sourceFile = Debug.checkDefined(commandLine.options.configFile); Debug.assert(!sourceFile.path || sourceFile.path === sourceFilePath); addFileToFilesByName( sourceFile, sourceFilePath, refPath, /*redirectedPath*/ void 0 ); } else { const basePath = getNormalizedAbsolutePath(getDirectoryPath(refPath), currentDirectory); sourceFile = host.getSourceFile( refPath, 100 /* JSON */ ); addFileToFilesByName( sourceFile, sourceFilePath, refPath, /*redirectedPath*/ void 0 ); if (sourceFile === void 0) { projectReferenceRedirects.set(sourceFilePath, false); return void 0; } commandLine = parseJsonSourceFileConfigFileContent( sourceFile, configParsingHost, basePath, /*existingOptions*/ void 0, refPath ); } sourceFile.fileName = refPath; sourceFile.path = sourceFilePath; sourceFile.resolvedPath = sourceFilePath; sourceFile.originalFileName = refPath; const resolvedRef = { commandLine, sourceFile }; projectReferenceRedirects.set(sourceFilePath, resolvedRef); if (commandLine.projectReferences) { resolvedRef.references = commandLine.projectReferences.map(parseProjectReferenceConfigFile); } return resolvedRef; } function verifyCompilerOptions() { if (options.strictPropertyInitialization && !getStrictOptionValue(options, "strictNullChecks")) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1, "strictPropertyInitialization", "strictNullChecks"); } if (options.exactOptionalPropertyTypes && !getStrictOptionValue(options, "strictNullChecks")) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1, "exactOptionalPropertyTypes", "strictNullChecks"); } if (options.isolatedModules || options.verbatimModuleSyntax) { if (options.outFile) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "outFile", options.verbatimModuleSyntax ? "verbatimModuleSyntax" : "isolatedModules"); } } if (options.isolatedDeclarations) { if (getAllowJSCompilerOption(options)) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "allowJs", "isolatedDeclarations"); } if (!getEmitDeclarations(options)) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1_or_option_2, "isolatedDeclarations", "declaration", "composite"); } } if (options.inlineSourceMap) { if (options.sourceMap) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "sourceMap", "inlineSourceMap"); } if (options.mapRoot) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "mapRoot", "inlineSourceMap"); } } if (options.composite) { if (options.declaration === false) { createDiagnosticForOptionName(Diagnostics.Composite_projects_may_not_disable_declaration_emit, "declaration"); } if (options.incremental === false) { createDiagnosticForOptionName(Diagnostics.Composite_projects_may_not_disable_incremental_compilation, "declaration"); } } const outputFile = options.outFile; if (options.tsBuildInfoFile) { if (!isIncrementalCompilation(options)) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1_or_option_2, "tsBuildInfoFile", "incremental", "composite"); } } else if (options.incremental && !outputFile && !options.configFilePath) { programDiagnostics.add(createCompilerDiagnostic(Diagnostics.Option_incremental_can_only_be_specified_using_tsconfig_emitting_to_single_file_or_when_option_tsBuildInfoFile_is_specified)); } verifyDeprecatedCompilerOptions(); verifyProjectReferences(); if (options.composite) { const rootPaths = new Set(rootNames.map(toPath32)); for (const file of files) { if (sourceFileMayBeEmitted(file, program) && !rootPaths.has(file.path)) { addLazyProgramDiagnosticExplainingFile( file, Diagnostics.File_0_is_not_listed_within_the_file_list_of_project_1_Projects_must_list_all_files_or_use_an_include_pattern, [file.fileName, options.configFilePath || ""] ); } } } if (options.paths) { for (const key in options.paths) { if (!hasProperty(options.paths, key)) { continue; } if (!hasZeroOrOneAsteriskCharacter(key)) { createDiagnosticForOptionPaths( /*onKey*/ true, key, Diagnostics.Pattern_0_can_have_at_most_one_Asterisk_character, key ); } if (isArray3(options.paths[key])) { const len = options.paths[key].length; if (len === 0) { createDiagnosticForOptionPaths( /*onKey*/ false, key, Diagnostics.Substitutions_for_pattern_0_shouldn_t_be_an_empty_array, key ); } for (let i = 0; i < len; i++) { const subst = options.paths[key][i]; const typeOfSubst = typeof subst; if (typeOfSubst === "string") { if (!hasZeroOrOneAsteriskCharacter(subst)) { createDiagnosticForOptionPathKeyValue(key, i, Diagnostics.Substitution_0_in_pattern_1_can_have_at_most_one_Asterisk_character, subst, key); } if (!options.baseUrl && !pathIsRelative(subst) && !pathIsAbsolute(subst)) { createDiagnosticForOptionPathKeyValue(key, i, Diagnostics.Non_relative_paths_are_not_allowed_when_baseUrl_is_not_set_Did_you_forget_a_leading_Slash); } } else { createDiagnosticForOptionPathKeyValue(key, i, Diagnostics.Substitution_0_for_pattern_1_has_incorrect_type_expected_string_got_2, subst, key, typeOfSubst); } } } else { createDiagnosticForOptionPaths( /*onKey*/ false, key, Diagnostics.Substitutions_for_pattern_0_should_be_an_array, key ); } } } if (!options.sourceMap && !options.inlineSourceMap) { if (options.inlineSources) { createDiagnosticForOptionName(Diagnostics.Option_0_can_only_be_used_when_either_option_inlineSourceMap_or_option_sourceMap_is_provided, "inlineSources"); } if (options.sourceRoot) { createDiagnosticForOptionName(Diagnostics.Option_0_can_only_be_used_when_either_option_inlineSourceMap_or_option_sourceMap_is_provided, "sourceRoot"); } } if (options.mapRoot && !(options.sourceMap || options.declarationMap)) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1_or_option_2, "mapRoot", "sourceMap", "declarationMap"); } if (options.declarationDir) { if (!getEmitDeclarations(options)) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1_or_option_2, "declarationDir", "declaration", "composite"); } if (outputFile) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "declarationDir", "outFile"); } } if (options.declarationMap && !getEmitDeclarations(options)) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1_or_option_2, "declarationMap", "declaration", "composite"); } if (options.lib && options.noLib) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "lib", "noLib"); } const languageVersion = getEmitScriptTarget(options); const firstNonAmbientExternalModuleSourceFile = find(files, (f) => isExternalModule(f) && !f.isDeclarationFile); if (options.isolatedModules || options.verbatimModuleSyntax) { if (options.module === 0 && languageVersion < 2 && options.isolatedModules) { createDiagnosticForOptionName(Diagnostics.Option_isolatedModules_can_only_be_used_when_either_option_module_is_provided_or_option_target_is_ES2015_or_higher, "isolatedModules", "target"); } if (options.preserveConstEnums === false) { createDiagnosticForOptionName(Diagnostics.Option_preserveConstEnums_cannot_be_disabled_when_0_is_enabled, options.verbatimModuleSyntax ? "verbatimModuleSyntax" : "isolatedModules", "preserveConstEnums"); } } else if (firstNonAmbientExternalModuleSourceFile && languageVersion < 2 && options.module === 0) { const span = getErrorSpanForNode(firstNonAmbientExternalModuleSourceFile, typeof firstNonAmbientExternalModuleSourceFile.externalModuleIndicator === "boolean" ? firstNonAmbientExternalModuleSourceFile : firstNonAmbientExternalModuleSourceFile.externalModuleIndicator); programDiagnostics.add(createFileDiagnostic(firstNonAmbientExternalModuleSourceFile, span.start, span.length, Diagnostics.Cannot_use_imports_exports_or_module_augmentations_when_module_is_none)); } if (outputFile && !options.emitDeclarationOnly) { if (options.module && !(options.module === 2 || options.module === 4)) { createDiagnosticForOptionName(Diagnostics.Only_amd_and_system_modules_are_supported_alongside_0, "outFile", "module"); } else if (options.module === void 0 && firstNonAmbientExternalModuleSourceFile) { const span = getErrorSpanForNode(firstNonAmbientExternalModuleSourceFile, typeof firstNonAmbientExternalModuleSourceFile.externalModuleIndicator === "boolean" ? firstNonAmbientExternalModuleSourceFile : firstNonAmbientExternalModuleSourceFile.externalModuleIndicator); programDiagnostics.add(createFileDiagnostic(firstNonAmbientExternalModuleSourceFile, span.start, span.length, Diagnostics.Cannot_compile_modules_using_option_0_unless_the_module_flag_is_amd_or_system, "outFile")); } } if (getResolveJsonModule(options)) { if (getEmitModuleResolutionKind(options) === 1) { createDiagnosticForOptionName(Diagnostics.Option_resolveJsonModule_cannot_be_specified_when_moduleResolution_is_set_to_classic, "resolveJsonModule"); } else if (!hasJsonModuleEmitEnabled(options)) { createDiagnosticForOptionName(Diagnostics.Option_resolveJsonModule_cannot_be_specified_when_module_is_set_to_none_system_or_umd, "resolveJsonModule", "module"); } } if (options.outDir || // there is --outDir specified options.rootDir || // there is --rootDir specified options.sourceRoot || // there is --sourceRoot specified options.mapRoot) { const dir = getCommonSourceDirectory2(); if (options.outDir && dir === "" && files.some((file) => getRootLength(file.fileName) > 1)) { createDiagnosticForOptionName(Diagnostics.Cannot_find_the_common_subdirectory_path_for_the_input_files, "outDir"); } } if (options.checkJs && !getAllowJSCompilerOption(options)) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1, "checkJs", "allowJs"); } if (options.emitDeclarationOnly) { if (!getEmitDeclarations(options)) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1_or_option_2, "emitDeclarationOnly", "declaration", "composite"); } if (options.noEmit) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "emitDeclarationOnly", "noEmit"); } } if (options.noCheck) { if (options.noEmit) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "noCheck", "noEmit"); } } if (options.emitDecoratorMetadata && !options.experimentalDecorators) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1, "emitDecoratorMetadata", "experimentalDecorators"); } if (options.jsxFactory) { if (options.reactNamespace) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "reactNamespace", "jsxFactory"); } if (options.jsx === 4 || options.jsx === 5) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_when_option_jsx_is_1, "jsxFactory", inverseJsxOptionMap.get("" + options.jsx)); } if (!parseIsolatedEntityName(options.jsxFactory, languageVersion)) { createOptionValueDiagnostic("jsxFactory", Diagnostics.Invalid_value_for_jsxFactory_0_is_not_a_valid_identifier_or_qualified_name, options.jsxFactory); } } else if (options.reactNamespace && !isIdentifierText(options.reactNamespace, languageVersion)) { createOptionValueDiagnostic("reactNamespace", Diagnostics.Invalid_value_for_reactNamespace_0_is_not_a_valid_identifier, options.reactNamespace); } if (options.jsxFragmentFactory) { if (!options.jsxFactory) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1, "jsxFragmentFactory", "jsxFactory"); } if (options.jsx === 4 || options.jsx === 5) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_when_option_jsx_is_1, "jsxFragmentFactory", inverseJsxOptionMap.get("" + options.jsx)); } if (!parseIsolatedEntityName(options.jsxFragmentFactory, languageVersion)) { createOptionValueDiagnostic("jsxFragmentFactory", Diagnostics.Invalid_value_for_jsxFragmentFactory_0_is_not_a_valid_identifier_or_qualified_name, options.jsxFragmentFactory); } } if (options.reactNamespace) { if (options.jsx === 4 || options.jsx === 5) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_when_option_jsx_is_1, "reactNamespace", inverseJsxOptionMap.get("" + options.jsx)); } } if (options.jsxImportSource) { if (options.jsx === 2) { createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_when_option_jsx_is_1, "jsxImportSource", inverseJsxOptionMap.get("" + options.jsx)); } } const moduleKind = getEmitModuleKind(options); if (options.verbatimModuleSyntax) { if (moduleKind === 2 || moduleKind === 3 || moduleKind === 4) { createDiagnosticForOptionName(Diagnostics.Option_verbatimModuleSyntax_cannot_be_used_when_module_is_set_to_UMD_AMD_or_System, "verbatimModuleSyntax"); } } if (options.allowImportingTsExtensions && !(options.noEmit || options.emitDeclarationOnly)) { createOptionValueDiagnostic("allowImportingTsExtensions", Diagnostics.Option_allowImportingTsExtensions_can_only_be_used_when_either_noEmit_or_emitDeclarationOnly_is_set); } const moduleResolution = getEmitModuleResolutionKind(options); if (options.resolvePackageJsonExports && !moduleResolutionSupportsPackageJsonExportsAndImports(moduleResolution)) { createDiagnosticForOptionName(Diagnostics.Option_0_can_only_be_used_when_moduleResolution_is_set_to_node16_nodenext_or_bundler, "resolvePackageJsonExports"); } if (options.resolvePackageJsonImports && !moduleResolutionSupportsPackageJsonExportsAndImports(moduleResolution)) { createDiagnosticForOptionName(Diagnostics.Option_0_can_only_be_used_when_moduleResolution_is_set_to_node16_nodenext_or_bundler, "resolvePackageJsonImports"); } if (options.customConditions && !moduleResolutionSupportsPackageJsonExportsAndImports(moduleResolution)) { createDiagnosticForOptionName(Diagnostics.Option_0_can_only_be_used_when_moduleResolution_is_set_to_node16_nodenext_or_bundler, "customConditions"); } if (moduleResolution === 100 && !emitModuleKindIsNonNodeESM(moduleKind) && moduleKind !== 200) { createOptionValueDiagnostic("moduleResolution", Diagnostics.Option_0_can_only_be_used_when_module_is_set_to_preserve_or_to_es2015_or_later, "bundler"); } if (ModuleKind[moduleKind] && (100 <= moduleKind && moduleKind <= 199) && !(3 <= moduleResolution && moduleResolution <= 99)) { const moduleKindName = ModuleKind[moduleKind]; createOptionValueDiagnostic("moduleResolution", Diagnostics.Option_moduleResolution_must_be_set_to_0_or_left_unspecified_when_option_module_is_set_to_1, moduleKindName, moduleKindName); } else if (ModuleResolutionKind[moduleResolution] && (3 <= moduleResolution && moduleResolution <= 99) && !(100 <= moduleKind && moduleKind <= 199)) { const moduleResolutionName = ModuleResolutionKind[moduleResolution]; createOptionValueDiagnostic("module", Diagnostics.Option_module_must_be_set_to_0_when_option_moduleResolution_is_set_to_1, moduleResolutionName, moduleResolutionName); } if (!options.noEmit && !options.suppressOutputPathCheck) { const emitHost = getEmitHost(); const emitFilesSeen = /* @__PURE__ */ new Set(); forEachEmittedFile(emitHost, (emitFileNames) => { if (!options.emitDeclarationOnly) { verifyEmitFilePath(emitFileNames.jsFilePath, emitFilesSeen); } verifyEmitFilePath(emitFileNames.declarationFilePath, emitFilesSeen); }); } function verifyEmitFilePath(emitFileName, emitFilesSeen) { if (emitFileName) { const emitFilePath = toPath32(emitFileName); if (filesByName.has(emitFilePath)) { let chain; if (!options.configFilePath) { chain = chainDiagnosticMessages( /*details*/ void 0, Diagnostics.Adding_a_tsconfig_json_file_will_help_organize_projects_that_contain_both_TypeScript_and_JavaScript_files_Learn_more_at_https_Colon_Slash_Slashaka_ms_Slashtsconfig ); } chain = chainDiagnosticMessages(chain, Diagnostics.Cannot_write_file_0_because_it_would_overwrite_input_file, emitFileName); blockEmittingOfFile(emitFileName, createCompilerDiagnosticFromMessageChain(chain)); } const emitFileKey = !host.useCaseSensitiveFileNames() ? toFileNameLowerCase(emitFilePath) : emitFilePath; if (emitFilesSeen.has(emitFileKey)) { blockEmittingOfFile(emitFileName, createCompilerDiagnostic(Diagnostics.Cannot_write_file_0_because_it_would_be_overwritten_by_multiple_input_files, emitFileName)); } else { emitFilesSeen.add(emitFileKey); } } } } function getIgnoreDeprecationsVersion() { const ignoreDeprecations = options.ignoreDeprecations; if (ignoreDeprecations) { if (ignoreDeprecations === "5.0") { return new Version(ignoreDeprecations); } reportInvalidIgnoreDeprecations(); } return Version.zero; } function checkDeprecations(deprecatedIn, stopsWorkingIn, removedIn, createDiagnostic, fn) { const deprecatedInVersion = new Version(deprecatedIn); const removedInVersion = new Version(removedIn); const typescriptVersion = new Version(typeScriptVersion3 || versionMajorMinor); const ignoreDeprecationsVersion = getIgnoreDeprecationsVersion(); const mustBeRemoved = !(removedInVersion.compareTo(typescriptVersion) === 1); const canBeSilenced = !mustBeRemoved && ignoreDeprecationsVersion.compareTo(deprecatedInVersion) === -1; if (mustBeRemoved || canBeSilenced) { fn((name, value, useInstead) => { if (mustBeRemoved) { if (value === void 0) { createDiagnostic(name, value, useInstead, Diagnostics.Option_0_has_been_removed_Please_remove_it_from_your_configuration, name); } else { createDiagnostic(name, value, useInstead, Diagnostics.Option_0_1_has_been_removed_Please_remove_it_from_your_configuration, name, value); } } else { if (value === void 0) { createDiagnostic(name, value, useInstead, Diagnostics.Option_0_is_deprecated_and_will_stop_functioning_in_TypeScript_1_Specify_compilerOption_ignoreDeprecations_Colon_2_to_silence_this_error, name, stopsWorkingIn, deprecatedIn); } else { createDiagnostic(name, value, useInstead, Diagnostics.Option_0_1_is_deprecated_and_will_stop_functioning_in_TypeScript_2_Specify_compilerOption_ignoreDeprecations_Colon_3_to_silence_this_error, name, value, stopsWorkingIn, deprecatedIn); } } }); } } function verifyDeprecatedCompilerOptions() { function createDiagnostic(name, value, useInstead, message, ...args) { if (useInstead) { const details = chainDiagnosticMessages( /*details*/ void 0, Diagnostics.Use_0_instead, useInstead ); const chain = chainDiagnosticMessages(details, message, ...args); createDiagnosticForOption( /*onKey*/ !value, name, /*option2*/ void 0, chain ); } else { createDiagnosticForOption( /*onKey*/ !value, name, /*option2*/ void 0, message, ...args ); } } checkDeprecations("5.0", "5.5", "6.0", createDiagnostic, (createDeprecatedDiagnostic) => { if (options.target === 0) { createDeprecatedDiagnostic("target", "ES3"); } if (options.noImplicitUseStrict) { createDeprecatedDiagnostic("noImplicitUseStrict"); } if (options.keyofStringsOnly) { createDeprecatedDiagnostic("keyofStringsOnly"); } if (options.suppressExcessPropertyErrors) { createDeprecatedDiagnostic("suppressExcessPropertyErrors"); } if (options.suppressImplicitAnyIndexErrors) { createDeprecatedDiagnostic("suppressImplicitAnyIndexErrors"); } if (options.noStrictGenericChecks) { createDeprecatedDiagnostic("noStrictGenericChecks"); } if (options.charset) { createDeprecatedDiagnostic("charset"); } if (options.out) { createDeprecatedDiagnostic( "out", /*value*/ void 0, "outFile" ); } if (options.importsNotUsedAsValues) { createDeprecatedDiagnostic( "importsNotUsedAsValues", /*value*/ void 0, "verbatimModuleSyntax" ); } if (options.preserveValueImports) { createDeprecatedDiagnostic( "preserveValueImports", /*value*/ void 0, "verbatimModuleSyntax" ); } }); } function verifyDeprecatedProjectReference(ref, parentFile, index) { function createDiagnostic(_name, _value, _useInstead, message, ...args) { createDiagnosticForReference(parentFile, index, message, ...args); } checkDeprecations("5.0", "5.5", "6.0", createDiagnostic, (createDeprecatedDiagnostic) => { if (ref.prepend) { createDeprecatedDiagnostic("prepend"); } }); } function createDiagnosticExplainingFile(file, fileProcessingReason, diagnostic, args) { let seenReasons; const reasons = file && fileReasons.get(file.path); let fileIncludeReasons; let relatedInfo; let locationReason = isReferencedFile(fileProcessingReason) ? fileProcessingReason : void 0; let fileIncludeReasonDetails; let redirectInfo; let cachedChain = file && (fileReasonsToChain == null ? void 0 : fileReasonsToChain.get(file.path)); let chain; if (cachedChain) { if (cachedChain.fileIncludeReasonDetails) { seenReasons = new Set(reasons); reasons == null ? void 0 : reasons.forEach(populateRelatedInfo); } else { reasons == null ? void 0 : reasons.forEach(processReason); } redirectInfo = cachedChain.redirectInfo; } else { reasons == null ? void 0 : reasons.forEach(processReason); redirectInfo = file && explainIfFileIsRedirectAndImpliedFormat(file); } if (fileProcessingReason) processReason(fileProcessingReason); const processedExtraReason = (seenReasons == null ? void 0 : seenReasons.size) !== (reasons == null ? void 0 : reasons.length); if (locationReason && (seenReasons == null ? void 0 : seenReasons.size) === 1) seenReasons = void 0; if (seenReasons && cachedChain) { if (cachedChain.details && !processedExtraReason) { chain = chainDiagnosticMessages(cachedChain.details, diagnostic, ...args || emptyArray); } else if (cachedChain.fileIncludeReasonDetails) { if (!processedExtraReason) { if (!cachedFileIncludeDetailsHasProcessedExtraReason()) { fileIncludeReasonDetails = cachedChain.fileIncludeReasonDetails; } else { fileIncludeReasons = cachedChain.fileIncludeReasonDetails.next.slice(0, reasons.length); } } else { if (!cachedFileIncludeDetailsHasProcessedExtraReason()) { fileIncludeReasons = [...cachedChain.fileIncludeReasonDetails.next, fileIncludeReasons[0]]; } else { fileIncludeReasons = append(cachedChain.fileIncludeReasonDetails.next.slice(0, reasons.length), fileIncludeReasons[0]); } } } } if (!chain) { if (!fileIncludeReasonDetails) fileIncludeReasonDetails = seenReasons && chainDiagnosticMessages(fileIncludeReasons, Diagnostics.The_file_is_in_the_program_because_Colon); chain = chainDiagnosticMessages( redirectInfo ? fileIncludeReasonDetails ? [fileIncludeReasonDetails, ...redirectInfo] : redirectInfo : fileIncludeReasonDetails, diagnostic, ...args || emptyArray ); } if (file) { if (cachedChain) { if (!cachedChain.fileIncludeReasonDetails || !processedExtraReason && fileIncludeReasonDetails) { cachedChain.fileIncludeReasonDetails = fileIncludeReasonDetails; } } else { (fileReasonsToChain ?? (fileReasonsToChain = /* @__PURE__ */ new Map())).set(file.path, cachedChain = { fileIncludeReasonDetails, redirectInfo }); } if (!cachedChain.details && !processedExtraReason) cachedChain.details = chain.next; } const location = locationReason && getReferencedFileLocation(program, locationReason); return location && isReferenceFileLocation(location) ? createFileDiagnosticFromMessageChain(location.file, location.pos, location.end - location.pos, chain, relatedInfo) : createCompilerDiagnosticFromMessageChain(chain, relatedInfo); function processReason(reason) { if (seenReasons == null ? void 0 : seenReasons.has(reason)) return; (seenReasons ?? (seenReasons = /* @__PURE__ */ new Set())).add(reason); (fileIncludeReasons ?? (fileIncludeReasons = [])).push(fileIncludeReasonToDiagnostics(program, reason)); populateRelatedInfo(reason); } function populateRelatedInfo(reason) { if (!locationReason && isReferencedFile(reason)) { locationReason = reason; } else if (locationReason !== reason) { relatedInfo = append(relatedInfo, getFileIncludeReasonToRelatedInformation(reason)); } } function cachedFileIncludeDetailsHasProcessedExtraReason() { var _a2; return ((_a2 = cachedChain.fileIncludeReasonDetails.next) == null ? void 0 : _a2.length) !== (reasons == null ? void 0 : reasons.length); } } function addFilePreprocessingFileExplainingDiagnostic(file, fileProcessingReason, diagnostic, args) { (fileProcessingDiagnostics || (fileProcessingDiagnostics = [])).push({ kind: 1, file: file && file.path, fileProcessingReason, diagnostic, args }); } function addLazyProgramDiagnosticExplainingFile(file, diagnostic, args) { lazyProgramDiagnosticExplainingFile.push({ file, diagnostic, args }); } function getFileIncludeReasonToRelatedInformation(reason) { let relatedInfo = reasonToRelatedInfo == null ? void 0 : reasonToRelatedInfo.get(reason); if (relatedInfo === void 0) (reasonToRelatedInfo ?? (reasonToRelatedInfo = /* @__PURE__ */ new Map())).set(reason, relatedInfo = fileIncludeReasonToRelatedInformation(reason) ?? false); return relatedInfo || void 0; } function fileIncludeReasonToRelatedInformation(reason) { if (isReferencedFile(reason)) { const referenceLocation = getReferencedFileLocation(program, reason); let message2; switch (reason.kind) { case 3: message2 = Diagnostics.File_is_included_via_import_here; break; case 4: message2 = Diagnostics.File_is_included_via_reference_here; break; case 5: message2 = Diagnostics.File_is_included_via_type_library_reference_here; break; case 7: message2 = Diagnostics.File_is_included_via_library_reference_here; break; default: Debug.assertNever(reason); } return isReferenceFileLocation(referenceLocation) ? createFileDiagnostic( referenceLocation.file, referenceLocation.pos, referenceLocation.end - referenceLocation.pos, message2 ) : void 0; } if (!options.configFile) return void 0; let configFileNode; let message; switch (reason.kind) { case 0: if (!options.configFile.configFileSpecs) return void 0; const fileName = getNormalizedAbsolutePath(rootNames[reason.index], currentDirectory); const matchedByFiles = getMatchedFileSpec(program, fileName); if (matchedByFiles) { configFileNode = getTsConfigPropArrayElementValue(options.configFile, "files", matchedByFiles); message = Diagnostics.File_is_matched_by_files_list_specified_here; break; } const matchedByInclude = getMatchedIncludeSpec(program, fileName); if (!matchedByInclude || !isString2(matchedByInclude)) return void 0; configFileNode = getTsConfigPropArrayElementValue(options.configFile, "include", matchedByInclude); message = Diagnostics.File_is_matched_by_include_pattern_specified_here; break; case 1: case 2: const referencedResolvedRef = Debug.checkDefined(resolvedProjectReferences == null ? void 0 : resolvedProjectReferences[reason.index]); const referenceInfo = forEachProjectReference(projectReferences, resolvedProjectReferences, (resolvedRef, parent2, index2) => resolvedRef === referencedResolvedRef ? { sourceFile: (parent2 == null ? void 0 : parent2.sourceFile) || options.configFile, index: index2 } : void 0); if (!referenceInfo) return void 0; const { sourceFile, index } = referenceInfo; const referencesSyntax = forEachTsConfigPropArray(sourceFile, "references", (property) => isArrayLiteralExpression(property.initializer) ? property.initializer : void 0); return referencesSyntax && referencesSyntax.elements.length > index ? createDiagnosticForNodeInSourceFile( sourceFile, referencesSyntax.elements[index], reason.kind === 2 ? Diagnostics.File_is_output_from_referenced_project_specified_here : Diagnostics.File_is_source_from_referenced_project_specified_here ) : void 0; case 8: if (!options.types) return void 0; configFileNode = getOptionsSyntaxByArrayElementValue("types", reason.typeReference); message = Diagnostics.File_is_entry_point_of_type_library_specified_here; break; case 6: if (reason.index !== void 0) { configFileNode = getOptionsSyntaxByArrayElementValue("lib", options.lib[reason.index]); message = Diagnostics.File_is_library_specified_here; break; } const target = getNameOfScriptTarget(getEmitScriptTarget(options)); configFileNode = target ? getOptionsSyntaxByValue("target", target) : void 0; message = Diagnostics.File_is_default_library_for_target_specified_here; break; default: Debug.assertNever(reason); } return configFileNode && createDiagnosticForNodeInSourceFile( options.configFile, configFileNode, message ); } function verifyProjectReferences() { const buildInfoPath = !options.suppressOutputPathCheck ? getTsBuildInfoEmitOutputFilePath(options) : void 0; forEachProjectReference(projectReferences, resolvedProjectReferences, (resolvedRef, parent2, index) => { const ref = (parent2 ? parent2.commandLine.projectReferences : projectReferences)[index]; const parentFile = parent2 && parent2.sourceFile; verifyDeprecatedProjectReference(ref, parentFile, index); if (!resolvedRef) { createDiagnosticForReference(parentFile, index, Diagnostics.File_0_not_found, ref.path); return; } const options2 = resolvedRef.commandLine.options; if (!options2.composite || options2.noEmit) { const inputs = parent2 ? parent2.commandLine.fileNames : rootNames; if (inputs.length) { if (!options2.composite) createDiagnosticForReference(parentFile, index, Diagnostics.Referenced_project_0_must_have_setting_composite_Colon_true, ref.path); if (options2.noEmit) createDiagnosticForReference(parentFile, index, Diagnostics.Referenced_project_0_may_not_disable_emit, ref.path); } } if (!parent2 && buildInfoPath && buildInfoPath === getTsBuildInfoEmitOutputFilePath(options2)) { createDiagnosticForReference(parentFile, index, Diagnostics.Cannot_write_file_0_because_it_will_overwrite_tsbuildinfo_file_generated_by_referenced_project_1, buildInfoPath, ref.path); hasEmitBlockingDiagnostics.set(toPath32(buildInfoPath), true); } }); } function createDiagnosticForOptionPathKeyValue(key, valueIndex, message, ...args) { let needCompilerDiagnostic = true; forEachOptionPathsSyntax((pathProp) => { if (isObjectLiteralExpression(pathProp.initializer)) { forEachPropertyAssignment(pathProp.initializer, key, (keyProps) => { const initializer = keyProps.initializer; if (isArrayLiteralExpression(initializer) && initializer.elements.length > valueIndex) { programDiagnostics.add(createDiagnosticForNodeInSourceFile(options.configFile, initializer.elements[valueIndex], message, ...args)); needCompilerDiagnostic = false; } }); } }); if (needCompilerDiagnostic) { createCompilerOptionsDiagnostic(message, ...args); } } function createDiagnosticForOptionPaths(onKey, key, message, ...args) { let needCompilerDiagnostic = true; forEachOptionPathsSyntax((pathProp) => { if (isObjectLiteralExpression(pathProp.initializer) && createOptionDiagnosticInObjectLiteralSyntax( pathProp.initializer, onKey, key, /*key2*/ void 0, message, ...args )) { needCompilerDiagnostic = false; } }); if (needCompilerDiagnostic) { createCompilerOptionsDiagnostic(message, ...args); } } function forEachOptionsSyntaxByName(name, callback) { return forEachPropertyAssignment(getCompilerOptionsObjectLiteralSyntax(), name, callback); } function forEachOptionPathsSyntax(callback) { return forEachOptionsSyntaxByName("paths", callback); } function getOptionsSyntaxByValue(name, value) { return forEachOptionsSyntaxByName(name, (property) => isStringLiteral2(property.initializer) && property.initializer.text === value ? property.initializer : void 0); } function getOptionsSyntaxByArrayElementValue(name, value) { const compilerOptionsObjectLiteralSyntax = getCompilerOptionsObjectLiteralSyntax(); return compilerOptionsObjectLiteralSyntax && getPropertyArrayElementValue(compilerOptionsObjectLiteralSyntax, name, value); } function createDiagnosticForOptionName(message, option1, option2, option3) { createDiagnosticForOption( /*onKey*/ true, option1, option2, message, option1, option2, option3 ); } function createOptionValueDiagnostic(option1, message, ...args) { createDiagnosticForOption( /*onKey*/ false, option1, /*option2*/ void 0, message, ...args ); } function createDiagnosticForReference(sourceFile, index, message, ...args) { const referencesSyntax = forEachTsConfigPropArray(sourceFile || options.configFile, "references", (property) => isArrayLiteralExpression(property.initializer) ? property.initializer : void 0); if (referencesSyntax && referencesSyntax.elements.length > index) { programDiagnostics.add(createDiagnosticForNodeInSourceFile(sourceFile || options.configFile, referencesSyntax.elements[index], message, ...args)); } else { programDiagnostics.add(createCompilerDiagnostic(message, ...args)); } } function createDiagnosticForOption(onKey, option1, option2, message, ...args) { const compilerOptionsObjectLiteralSyntax = getCompilerOptionsObjectLiteralSyntax(); const needCompilerDiagnostic = !compilerOptionsObjectLiteralSyntax || !createOptionDiagnosticInObjectLiteralSyntax(compilerOptionsObjectLiteralSyntax, onKey, option1, option2, message, ...args); if (needCompilerDiagnostic) { createCompilerOptionsDiagnostic(message, ...args); } } function createCompilerOptionsDiagnostic(message, ...args) { const compilerOptionsProperty = getCompilerOptionsPropertySyntax(); if (compilerOptionsProperty) { if ("messageText" in message) { programDiagnostics.add(createDiagnosticForNodeFromMessageChain(options.configFile, compilerOptionsProperty.name, message)); } else { programDiagnostics.add(createDiagnosticForNodeInSourceFile(options.configFile, compilerOptionsProperty.name, message, ...args)); } } else if ("messageText" in message) { programDiagnostics.add(createCompilerDiagnosticFromMessageChain(message)); } else { programDiagnostics.add(createCompilerDiagnostic(message, ...args)); } } function getCompilerOptionsObjectLiteralSyntax() { if (_compilerOptionsObjectLiteralSyntax === void 0) { const compilerOptionsProperty = getCompilerOptionsPropertySyntax(); _compilerOptionsObjectLiteralSyntax = compilerOptionsProperty ? tryCast(compilerOptionsProperty.initializer, isObjectLiteralExpression) || false : false; } return _compilerOptionsObjectLiteralSyntax || void 0; } function getCompilerOptionsPropertySyntax() { if (_compilerOptionsPropertySyntax === void 0) { _compilerOptionsPropertySyntax = forEachPropertyAssignment( getTsConfigObjectLiteralExpression(options.configFile), "compilerOptions", identity2 ) || false; } return _compilerOptionsPropertySyntax || void 0; } function createOptionDiagnosticInObjectLiteralSyntax(objectLiteral, onKey, key1, key2, message, ...args) { let needsCompilerDiagnostic = false; forEachPropertyAssignment(objectLiteral, key1, (prop) => { if ("messageText" in message) { programDiagnostics.add(createDiagnosticForNodeFromMessageChain(options.configFile, onKey ? prop.name : prop.initializer, message)); } else { programDiagnostics.add(createDiagnosticForNodeInSourceFile(options.configFile, onKey ? prop.name : prop.initializer, message, ...args)); } needsCompilerDiagnostic = true; }, key2); return needsCompilerDiagnostic; } function blockEmittingOfFile(emitFileName, diag2) { hasEmitBlockingDiagnostics.set(toPath32(emitFileName), true); programDiagnostics.add(diag2); } function isEmittedFile(file) { if (options.noEmit) { return false; } const filePath = toPath32(file); if (getSourceFileByPath(filePath)) { return false; } const out = options.outFile; if (out) { return isSameFile(filePath, out) || isSameFile( filePath, removeFileExtension(out) + ".d.ts" /* Dts */ ); } if (options.declarationDir && containsPath(options.declarationDir, filePath, currentDirectory, !host.useCaseSensitiveFileNames())) { return true; } if (options.outDir) { return containsPath(options.outDir, filePath, currentDirectory, !host.useCaseSensitiveFileNames()); } if (fileExtensionIsOneOf(filePath, supportedJSExtensionsFlat) || isDeclarationFileName(filePath)) { const filePathWithoutExtension = removeFileExtension(filePath); return !!getSourceFileByPath( filePathWithoutExtension + ".ts" /* Ts */ ) || !!getSourceFileByPath( filePathWithoutExtension + ".tsx" /* Tsx */ ); } return false; } function isSameFile(file1, file2) { return comparePaths(file1, file2, currentDirectory, !host.useCaseSensitiveFileNames()) === 0; } function getSymlinkCache() { if (host.getSymlinkCache) { return host.getSymlinkCache(); } if (!symlinks) { symlinks = createSymlinkCache(currentDirectory, getCanonicalFileName); } if (files && !symlinks.hasProcessedResolutions()) { symlinks.setSymlinksFromResolutions(forEachResolvedModule, forEachResolvedTypeReferenceDirective, automaticTypeDirectiveResolutions); } return symlinks; } function getModeForUsageLocation2(file, usage) { var _a2; const optionsForFile = ((_a2 = getRedirectReferenceForResolution(file)) == null ? void 0 : _a2.commandLine.options) || options; return getModeForUsageLocationWorker(file, usage, optionsForFile); } function getModeForResolutionAtIndex2(file, index) { return getModeForUsageLocation2(file, getModuleNameStringLiteralAt(file, index)); } } function updateHostForUseSourceOfProjectReferenceRedirect(host) { let setOfDeclarationDirectories; const originalFileExists = host.compilerHost.fileExists; const originalDirectoryExists = host.compilerHost.directoryExists; const originalGetDirectories = host.compilerHost.getDirectories; const originalRealpath = host.compilerHost.realpath; if (!host.useSourceOfProjectReferenceRedirect) return { onProgramCreateComplete: noop2, fileExists }; host.compilerHost.fileExists = fileExists; let directoryExists; if (originalDirectoryExists) { directoryExists = host.compilerHost.directoryExists = (path17) => { if (originalDirectoryExists.call(host.compilerHost, path17)) { handleDirectoryCouldBeSymlink(path17); return true; } if (!host.getResolvedProjectReferences()) return false; if (!setOfDeclarationDirectories) { setOfDeclarationDirectories = /* @__PURE__ */ new Set(); host.forEachResolvedProjectReference((ref) => { const out = ref.commandLine.options.outFile; if (out) { setOfDeclarationDirectories.add(getDirectoryPath(host.toPath(out))); } else { const declarationDir = ref.commandLine.options.declarationDir || ref.commandLine.options.outDir; if (declarationDir) { setOfDeclarationDirectories.add(host.toPath(declarationDir)); } } }); } return fileOrDirectoryExistsUsingSource( path17, /*isFile*/ false ); }; } if (originalGetDirectories) { host.compilerHost.getDirectories = (path17) => !host.getResolvedProjectReferences() || originalDirectoryExists && originalDirectoryExists.call(host.compilerHost, path17) ? originalGetDirectories.call(host.compilerHost, path17) : []; } if (originalRealpath) { host.compilerHost.realpath = (s) => { var _a; return ((_a = host.getSymlinkCache().getSymlinkedFiles()) == null ? void 0 : _a.get(host.toPath(s))) || originalRealpath.call(host.compilerHost, s); }; } return { onProgramCreateComplete, fileExists, directoryExists }; function onProgramCreateComplete() { host.compilerHost.fileExists = originalFileExists; host.compilerHost.directoryExists = originalDirectoryExists; host.compilerHost.getDirectories = originalGetDirectories; } function fileExists(file) { if (originalFileExists.call(host.compilerHost, file)) return true; if (!host.getResolvedProjectReferences()) return false; if (!isDeclarationFileName(file)) return false; return fileOrDirectoryExistsUsingSource( file, /*isFile*/ true ); } function fileExistsIfProjectReferenceDts(file) { const source = host.getSourceOfProjectReferenceRedirect(host.toPath(file)); return source !== void 0 ? isString2(source) ? originalFileExists.call(host.compilerHost, source) : true : void 0; } function directoryExistsIfProjectReferenceDeclDir(dir) { const dirPath = host.toPath(dir); const dirPathWithTrailingDirectorySeparator = `${dirPath}${directorySeparator}`; return forEachKey( setOfDeclarationDirectories, (declDirPath) => dirPath === declDirPath || // Any parent directory of declaration dir startsWith2(declDirPath, dirPathWithTrailingDirectorySeparator) || // Any directory inside declaration dir startsWith2(dirPath, `${declDirPath}/`) ); } function handleDirectoryCouldBeSymlink(directory) { var _a; if (!host.getResolvedProjectReferences() || containsIgnoredPath(directory)) return; if (!originalRealpath || !directory.includes(nodeModulesPathPart)) return; const symlinkCache = host.getSymlinkCache(); const directoryPath = ensureTrailingDirectorySeparator(host.toPath(directory)); if ((_a = symlinkCache.getSymlinkedDirectories()) == null ? void 0 : _a.has(directoryPath)) return; const real = normalizePath(originalRealpath.call(host.compilerHost, directory)); let realPath2; if (real === directory || (realPath2 = ensureTrailingDirectorySeparator(host.toPath(real))) === directoryPath) { symlinkCache.setSymlinkedDirectory(directoryPath, false); return; } symlinkCache.setSymlinkedDirectory(directory, { real: ensureTrailingDirectorySeparator(real), realPath: realPath2 }); } function fileOrDirectoryExistsUsingSource(fileOrDirectory, isFile) { var _a; const fileOrDirectoryExistsUsingSource2 = isFile ? (file) => fileExistsIfProjectReferenceDts(file) : (dir) => directoryExistsIfProjectReferenceDeclDir(dir); const result = fileOrDirectoryExistsUsingSource2(fileOrDirectory); if (result !== void 0) return result; const symlinkCache = host.getSymlinkCache(); const symlinkedDirectories = symlinkCache.getSymlinkedDirectories(); if (!symlinkedDirectories) return false; const fileOrDirectoryPath = host.toPath(fileOrDirectory); if (!fileOrDirectoryPath.includes(nodeModulesPathPart)) return false; if (isFile && ((_a = symlinkCache.getSymlinkedFiles()) == null ? void 0 : _a.has(fileOrDirectoryPath))) return true; return firstDefinedIterator( symlinkedDirectories.entries(), ([directoryPath, symlinkedDirectory]) => { if (!symlinkedDirectory || !startsWith2(fileOrDirectoryPath, directoryPath)) return void 0; const result2 = fileOrDirectoryExistsUsingSource2(fileOrDirectoryPath.replace(directoryPath, symlinkedDirectory.realPath)); if (isFile && result2) { const absolutePath = getNormalizedAbsolutePath(fileOrDirectory, host.compilerHost.getCurrentDirectory()); symlinkCache.setSymlinkedFile( fileOrDirectoryPath, `${symlinkedDirectory.real}${absolutePath.replace(new RegExp(directoryPath, "i"), "")}` ); } return result2; } ) || false; } } var emitSkippedWithNoDiagnostics = { diagnostics: emptyArray, sourceMaps: void 0, emittedFiles: void 0, emitSkipped: true }; function handleNoEmitOptions(program, sourceFile, writeFile2, cancellationToken) { const options = program.getCompilerOptions(); if (options.noEmit) { program.getSemanticDiagnostics(sourceFile, cancellationToken); return sourceFile || options.outFile ? emitSkippedWithNoDiagnostics : program.emitBuildInfo(writeFile2, cancellationToken); } if (!options.noEmitOnError) return void 0; let diagnostics = [ ...program.getOptionsDiagnostics(cancellationToken), ...program.getSyntacticDiagnostics(sourceFile, cancellationToken), ...program.getGlobalDiagnostics(cancellationToken), ...program.getSemanticDiagnostics(sourceFile, cancellationToken) ]; if (diagnostics.length === 0 && getEmitDeclarations(program.getCompilerOptions())) { diagnostics = program.getDeclarationDiagnostics( /*sourceFile*/ void 0, cancellationToken ); } if (!diagnostics.length) return void 0; let emittedFiles; if (!sourceFile && !options.outFile) { const emitResult = program.emitBuildInfo(writeFile2, cancellationToken); if (emitResult.diagnostics) diagnostics = [...diagnostics, ...emitResult.diagnostics]; emittedFiles = emitResult.emittedFiles; } return { diagnostics, sourceMaps: void 0, emittedFiles, emitSkipped: true }; } function filterSemanticDiagnostics(diagnostic, option) { return filter(diagnostic, (d) => !d.skippedOn || !option[d.skippedOn]); } function parseConfigHostFromCompilerHostLike(host, directoryStructureHost = host) { return { fileExists: (f) => directoryStructureHost.fileExists(f), readDirectory(root2, extensions, excludes, includes, depth2) { Debug.assertIsDefined(directoryStructureHost.readDirectory, "'CompilerHost.readDirectory' must be implemented to correctly process 'projectReferences'"); return directoryStructureHost.readDirectory(root2, extensions, excludes, includes, depth2); }, readFile: (f) => directoryStructureHost.readFile(f), directoryExists: maybeBind(directoryStructureHost, directoryStructureHost.directoryExists), getDirectories: maybeBind(directoryStructureHost, directoryStructureHost.getDirectories), realpath: maybeBind(directoryStructureHost, directoryStructureHost.realpath), useCaseSensitiveFileNames: host.useCaseSensitiveFileNames(), getCurrentDirectory: () => host.getCurrentDirectory(), onUnRecoverableConfigFileDiagnostic: host.onUnRecoverableConfigFileDiagnostic || returnUndefined, trace: host.trace ? (s) => host.trace(s) : void 0 }; } function resolveProjectReferencePath(ref) { return resolveConfigFileProjectName(ref.path); } function getResolutionDiagnostic(options, { extension }, { isDeclarationFile }) { switch (extension) { case ".ts": case ".d.ts": case ".mts": case ".d.mts": case ".cts": case ".d.cts": return void 0; case ".tsx": return needJsx(); case ".jsx": return needJsx() || needAllowJs(); case ".js": case ".mjs": case ".cjs": return needAllowJs(); case ".json": return needResolveJsonModule(); default: return needAllowArbitraryExtensions(); } function needJsx() { return options.jsx ? void 0 : Diagnostics.Module_0_was_resolved_to_1_but_jsx_is_not_set; } function needAllowJs() { return getAllowJSCompilerOption(options) || !getStrictOptionValue(options, "noImplicitAny") ? void 0 : Diagnostics.Could_not_find_a_declaration_file_for_module_0_1_implicitly_has_an_any_type; } function needResolveJsonModule() { return getResolveJsonModule(options) ? void 0 : Diagnostics.Module_0_was_resolved_to_1_but_resolveJsonModule_is_not_used; } function needAllowArbitraryExtensions() { return isDeclarationFile || options.allowArbitraryExtensions ? void 0 : Diagnostics.Module_0_was_resolved_to_1_but_allowArbitraryExtensions_is_not_set; } } function getModuleNames({ imports, moduleAugmentations }) { const res = imports.map((i) => i); for (const aug of moduleAugmentations) { if (aug.kind === 11) { res.push(aug); } } return res; } function getModuleNameStringLiteralAt({ imports, moduleAugmentations }, index) { if (index < imports.length) return imports[index]; let augIndex = imports.length; for (const aug of moduleAugmentations) { if (aug.kind === 11) { if (index === augIndex) return aug; augIndex++; } } Debug.fail("should never ask for module name at index higher than possible module name"); } function getFileEmitOutput(program, sourceFile, emitOnlyDtsFiles, cancellationToken, customTransformers, forceDtsEmit) { const outputFiles = []; const { emitSkipped, diagnostics } = program.emit(sourceFile, writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers, forceDtsEmit); return { outputFiles, emitSkipped, diagnostics }; function writeFile2(fileName, text, writeByteOrderMark) { outputFiles.push({ name: fileName, writeByteOrderMark, text }); } } var SignatureInfo = /* @__PURE__ */ ((SignatureInfo2) => { SignatureInfo2[SignatureInfo2["ComputedDts"] = 0] = "ComputedDts"; SignatureInfo2[SignatureInfo2["StoredSignatureAtEmit"] = 1] = "StoredSignatureAtEmit"; SignatureInfo2[SignatureInfo2["UsedVersion"] = 2] = "UsedVersion"; return SignatureInfo2; })(SignatureInfo || {}); var BuilderState; ((BuilderState2) => { function createManyToManyPathMap() { function create210(forward, reverse, deleted) { const map2 = { getKeys: (v) => reverse.get(v), getValues: (k) => forward.get(k), keys: () => forward.keys(), size: () => forward.size, deleteKey: (k) => { (deleted || (deleted = /* @__PURE__ */ new Set())).add(k); const set = forward.get(k); if (!set) { return false; } set.forEach((v) => deleteFromMultimap(reverse, v, k)); forward.delete(k); return true; }, set: (k, vSet) => { deleted == null ? void 0 : deleted.delete(k); const existingVSet = forward.get(k); forward.set(k, vSet); existingVSet == null ? void 0 : existingVSet.forEach((v) => { if (!vSet.has(v)) { deleteFromMultimap(reverse, v, k); } }); vSet.forEach((v) => { if (!(existingVSet == null ? void 0 : existingVSet.has(v))) { addToMultimap(reverse, v, k); } }); return map2; } }; return map2; } return create210( /* @__PURE__ */ new Map(), /* @__PURE__ */ new Map(), /*deleted*/ void 0 ); } BuilderState2.createManyToManyPathMap = createManyToManyPathMap; function addToMultimap(map2, k, v) { let set = map2.get(k); if (!set) { set = /* @__PURE__ */ new Set(); map2.set(k, set); } set.add(v); } function deleteFromMultimap(map2, k, v) { const set = map2.get(k); if (set == null ? void 0 : set.delete(v)) { if (!set.size) { map2.delete(k); } return true; } return false; } function getReferencedFilesFromImportedModuleSymbol(symbol) { return mapDefined(symbol.declarations, (declaration) => { var _a; return (_a = getSourceFileOfNode(declaration)) == null ? void 0 : _a.resolvedPath; }); } function getReferencedFilesFromImportLiteral(checker, importName) { const symbol = checker.getSymbolAtLocation(importName); return symbol && getReferencedFilesFromImportedModuleSymbol(symbol); } function getReferencedFileFromFileName(program, fileName, sourceFileDirectory, getCanonicalFileName) { return toPath3(program.getProjectReferenceRedirect(fileName) || fileName, sourceFileDirectory, getCanonicalFileName); } function getReferencedFiles(program, sourceFile, getCanonicalFileName) { let referencedFiles; if (sourceFile.imports && sourceFile.imports.length > 0) { const checker = program.getTypeChecker(); for (const importName of sourceFile.imports) { const declarationSourceFilePaths = getReferencedFilesFromImportLiteral(checker, importName); declarationSourceFilePaths == null ? void 0 : declarationSourceFilePaths.forEach(addReferencedFile); } } const sourceFileDirectory = getDirectoryPath(sourceFile.resolvedPath); if (sourceFile.referencedFiles && sourceFile.referencedFiles.length > 0) { for (const referencedFile of sourceFile.referencedFiles) { const referencedPath = getReferencedFileFromFileName(program, referencedFile.fileName, sourceFileDirectory, getCanonicalFileName); addReferencedFile(referencedPath); } } program.forEachResolvedTypeReferenceDirective(({ resolvedTypeReferenceDirective }) => { if (!resolvedTypeReferenceDirective) { return; } const fileName = resolvedTypeReferenceDirective.resolvedFileName; const typeFilePath = getReferencedFileFromFileName(program, fileName, sourceFileDirectory, getCanonicalFileName); addReferencedFile(typeFilePath); }, sourceFile); if (sourceFile.moduleAugmentations.length) { const checker = program.getTypeChecker(); for (const moduleName of sourceFile.moduleAugmentations) { if (!isStringLiteral2(moduleName)) continue; const symbol = checker.getSymbolAtLocation(moduleName); if (!symbol) continue; addReferenceFromAmbientModule(symbol); } } for (const ambientModule of program.getTypeChecker().getAmbientModules()) { if (ambientModule.declarations && ambientModule.declarations.length > 1) { addReferenceFromAmbientModule(ambientModule); } } return referencedFiles; function addReferenceFromAmbientModule(symbol) { if (!symbol.declarations) { return; } for (const declaration of symbol.declarations) { const declarationSourceFile = getSourceFileOfNode(declaration); if (declarationSourceFile && declarationSourceFile !== sourceFile) { addReferencedFile(declarationSourceFile.resolvedPath); } } } function addReferencedFile(referencedPath) { (referencedFiles || (referencedFiles = /* @__PURE__ */ new Set())).add(referencedPath); } } function canReuseOldState(newReferencedMap, oldState) { return oldState && !oldState.referencedMap === !newReferencedMap; } BuilderState2.canReuseOldState = canReuseOldState; function createReferencedMap(options) { return options.module !== 0 && !options.outFile ? createManyToManyPathMap() : void 0; } BuilderState2.createReferencedMap = createReferencedMap; function create119(newProgram, oldState, disableUseFileVersionAsSignature) { var _a, _b; const fileInfos = /* @__PURE__ */ new Map(); const options = newProgram.getCompilerOptions(); const referencedMap = createReferencedMap(options); const useOldState = canReuseOldState(referencedMap, oldState); newProgram.getTypeChecker(); for (const sourceFile of newProgram.getSourceFiles()) { const version2 = Debug.checkDefined(sourceFile.version, "Program intended to be used with Builder should have source files with versions set"); const oldUncommittedSignature = useOldState ? (_a = oldState.oldSignatures) == null ? void 0 : _a.get(sourceFile.resolvedPath) : void 0; const signature = oldUncommittedSignature === void 0 ? useOldState ? (_b = oldState.fileInfos.get(sourceFile.resolvedPath)) == null ? void 0 : _b.signature : void 0 : oldUncommittedSignature || void 0; if (referencedMap) { const newReferences = getReferencedFiles(newProgram, sourceFile, newProgram.getCanonicalFileName); if (newReferences) { referencedMap.set(sourceFile.resolvedPath, newReferences); } } fileInfos.set(sourceFile.resolvedPath, { version: version2, signature, // No need to calculate affectsGlobalScope with --out since its not used at all affectsGlobalScope: !options.outFile ? isFileAffectingGlobalScope(sourceFile) || void 0 : void 0, impliedFormat: sourceFile.impliedNodeFormat }); } return { fileInfos, referencedMap, useFileVersionAsSignature: !disableUseFileVersionAsSignature && !useOldState }; } BuilderState2.create = create119; function releaseCache2(state) { state.allFilesExcludingDefaultLibraryFile = void 0; state.allFileNames = void 0; } BuilderState2.releaseCache = releaseCache2; function getFilesAffectedBy(state, programOfThisState, path17, cancellationToken, host) { var _a; const result = getFilesAffectedByWithOldState( state, programOfThisState, path17, cancellationToken, host ); (_a = state.oldSignatures) == null ? void 0 : _a.clear(); return result; } BuilderState2.getFilesAffectedBy = getFilesAffectedBy; function getFilesAffectedByWithOldState(state, programOfThisState, path17, cancellationToken, host) { const sourceFile = programOfThisState.getSourceFileByPath(path17); if (!sourceFile) { return emptyArray; } if (!updateShapeSignature(state, programOfThisState, sourceFile, cancellationToken, host)) { return [sourceFile]; } return (state.referencedMap ? getFilesAffectedByUpdatedShapeWhenModuleEmit : getFilesAffectedByUpdatedShapeWhenNonModuleEmit)(state, programOfThisState, sourceFile, cancellationToken, host); } BuilderState2.getFilesAffectedByWithOldState = getFilesAffectedByWithOldState; function updateSignatureOfFile(state, signature, path17) { state.fileInfos.get(path17).signature = signature; (state.hasCalledUpdateShapeSignature || (state.hasCalledUpdateShapeSignature = /* @__PURE__ */ new Set())).add(path17); } BuilderState2.updateSignatureOfFile = updateSignatureOfFile; function computeDtsSignature(programOfThisState, sourceFile, cancellationToken, host, onNewSignature) { programOfThisState.emit( sourceFile, (fileName, text, _writeByteOrderMark, _onError, sourceFiles, data) => { Debug.assert(isDeclarationFileName(fileName), `File extension for signature expected to be dts: Got:: ${fileName}`); onNewSignature( computeSignatureWithDiagnostics( programOfThisState, sourceFile, text, host, data ), sourceFiles ); }, cancellationToken, /*emitOnly*/ true, /*customTransformers*/ void 0, /*forceDtsEmit*/ true ); } BuilderState2.computeDtsSignature = computeDtsSignature; function updateShapeSignature(state, programOfThisState, sourceFile, cancellationToken, host, useFileVersionAsSignature = state.useFileVersionAsSignature) { var _a; if ((_a = state.hasCalledUpdateShapeSignature) == null ? void 0 : _a.has(sourceFile.resolvedPath)) return false; const info = state.fileInfos.get(sourceFile.resolvedPath); const prevSignature = info.signature; let latestSignature; if (!sourceFile.isDeclarationFile && !useFileVersionAsSignature) { computeDtsSignature(programOfThisState, sourceFile, cancellationToken, host, (signature) => { latestSignature = signature; if (host.storeSignatureInfo) (state.signatureInfo ?? (state.signatureInfo = /* @__PURE__ */ new Map())).set( sourceFile.resolvedPath, 0 /* ComputedDts */ ); }); } if (latestSignature === void 0) { latestSignature = sourceFile.version; if (host.storeSignatureInfo) (state.signatureInfo ?? (state.signatureInfo = /* @__PURE__ */ new Map())).set( sourceFile.resolvedPath, 2 /* UsedVersion */ ); } (state.oldSignatures || (state.oldSignatures = /* @__PURE__ */ new Map())).set(sourceFile.resolvedPath, prevSignature || false); (state.hasCalledUpdateShapeSignature || (state.hasCalledUpdateShapeSignature = /* @__PURE__ */ new Set())).add(sourceFile.resolvedPath); info.signature = latestSignature; return latestSignature !== prevSignature; } BuilderState2.updateShapeSignature = updateShapeSignature; function getAllDependencies(state, programOfThisState, sourceFile) { const compilerOptions = programOfThisState.getCompilerOptions(); if (compilerOptions.outFile) { return getAllFileNames(state, programOfThisState); } if (!state.referencedMap || isFileAffectingGlobalScope(sourceFile)) { return getAllFileNames(state, programOfThisState); } const seenMap = /* @__PURE__ */ new Set(); const queue = [sourceFile.resolvedPath]; while (queue.length) { const path17 = queue.pop(); if (!seenMap.has(path17)) { seenMap.add(path17); const references = state.referencedMap.getValues(path17); if (references) { for (const key of references.keys()) { queue.push(key); } } } } return arrayFrom(mapDefinedIterator(seenMap.keys(), (path17) => { var _a; return ((_a = programOfThisState.getSourceFileByPath(path17)) == null ? void 0 : _a.fileName) ?? path17; })); } BuilderState2.getAllDependencies = getAllDependencies; function getAllFileNames(state, programOfThisState) { if (!state.allFileNames) { const sourceFiles = programOfThisState.getSourceFiles(); state.allFileNames = sourceFiles === emptyArray ? emptyArray : sourceFiles.map((file) => file.fileName); } return state.allFileNames; } function getReferencedByPaths(state, referencedFilePath) { const keys2 = state.referencedMap.getKeys(referencedFilePath); return keys2 ? arrayFrom(keys2.keys()) : []; } BuilderState2.getReferencedByPaths = getReferencedByPaths; function containsOnlyAmbientModules(sourceFile) { for (const statement of sourceFile.statements) { if (!isModuleWithStringLiteralName(statement)) { return false; } } return true; } function containsGlobalScopeAugmentation(sourceFile) { return some(sourceFile.moduleAugmentations, (augmentation) => isGlobalScopeAugmentation(augmentation.parent)); } function isFileAffectingGlobalScope(sourceFile) { return containsGlobalScopeAugmentation(sourceFile) || !isExternalOrCommonJsModule(sourceFile) && !isJsonSourceFile(sourceFile) && !containsOnlyAmbientModules(sourceFile); } function getAllFilesExcludingDefaultLibraryFile(state, programOfThisState, firstSourceFile) { if (state.allFilesExcludingDefaultLibraryFile) { return state.allFilesExcludingDefaultLibraryFile; } let result; if (firstSourceFile) addSourceFile(firstSourceFile); for (const sourceFile of programOfThisState.getSourceFiles()) { if (sourceFile !== firstSourceFile) { addSourceFile(sourceFile); } } state.allFilesExcludingDefaultLibraryFile = result || emptyArray; return state.allFilesExcludingDefaultLibraryFile; function addSourceFile(sourceFile) { if (!programOfThisState.isSourceFileDefaultLibrary(sourceFile)) { (result || (result = [])).push(sourceFile); } } } BuilderState2.getAllFilesExcludingDefaultLibraryFile = getAllFilesExcludingDefaultLibraryFile; function getFilesAffectedByUpdatedShapeWhenNonModuleEmit(state, programOfThisState, sourceFileWithUpdatedShape) { const compilerOptions = programOfThisState.getCompilerOptions(); if (compilerOptions && compilerOptions.outFile) { return [sourceFileWithUpdatedShape]; } return getAllFilesExcludingDefaultLibraryFile(state, programOfThisState, sourceFileWithUpdatedShape); } function getFilesAffectedByUpdatedShapeWhenModuleEmit(state, programOfThisState, sourceFileWithUpdatedShape, cancellationToken, host) { if (isFileAffectingGlobalScope(sourceFileWithUpdatedShape)) { return getAllFilesExcludingDefaultLibraryFile(state, programOfThisState, sourceFileWithUpdatedShape); } const compilerOptions = programOfThisState.getCompilerOptions(); if (compilerOptions && (getIsolatedModules(compilerOptions) || compilerOptions.outFile)) { return [sourceFileWithUpdatedShape]; } const seenFileNamesMap = /* @__PURE__ */ new Map(); seenFileNamesMap.set(sourceFileWithUpdatedShape.resolvedPath, sourceFileWithUpdatedShape); const queue = getReferencedByPaths(state, sourceFileWithUpdatedShape.resolvedPath); while (queue.length > 0) { const currentPath = queue.pop(); if (!seenFileNamesMap.has(currentPath)) { const currentSourceFile = programOfThisState.getSourceFileByPath(currentPath); seenFileNamesMap.set(currentPath, currentSourceFile); if (currentSourceFile && updateShapeSignature(state, programOfThisState, currentSourceFile, cancellationToken, host)) { queue.push(...getReferencedByPaths(state, currentSourceFile.resolvedPath)); } } } return arrayFrom(mapDefinedIterator(seenFileNamesMap.values(), (value) => value)); } })(BuilderState || (BuilderState = {})); var BuilderFileEmit = /* @__PURE__ */ ((BuilderFileEmit2) => { BuilderFileEmit2[BuilderFileEmit2["None"] = 0] = "None"; BuilderFileEmit2[BuilderFileEmit2["Js"] = 1] = "Js"; BuilderFileEmit2[BuilderFileEmit2["JsMap"] = 2] = "JsMap"; BuilderFileEmit2[BuilderFileEmit2["JsInlineMap"] = 4] = "JsInlineMap"; BuilderFileEmit2[BuilderFileEmit2["Dts"] = 8] = "Dts"; BuilderFileEmit2[BuilderFileEmit2["DtsMap"] = 16] = "DtsMap"; BuilderFileEmit2[BuilderFileEmit2["AllJs"] = 7] = "AllJs"; BuilderFileEmit2[BuilderFileEmit2["AllDts"] = 24] = "AllDts"; BuilderFileEmit2[BuilderFileEmit2["All"] = 31] = "All"; return BuilderFileEmit2; })(BuilderFileEmit || {}); function getBuilderFileEmit(options) { let result = 1; if (options.sourceMap) result = result | 2; if (options.inlineSourceMap) result = result | 4; if (getEmitDeclarations(options)) result = result | 8; if (options.declarationMap) result = result | 16; if (options.emitDeclarationOnly) result = result & 24; return result; } function getPendingEmitKind(optionsOrEmitKind, oldOptionsOrEmitKind) { const oldEmitKind = oldOptionsOrEmitKind && (isNumber2(oldOptionsOrEmitKind) ? oldOptionsOrEmitKind : getBuilderFileEmit(oldOptionsOrEmitKind)); const emitKind = isNumber2(optionsOrEmitKind) ? optionsOrEmitKind : getBuilderFileEmit(optionsOrEmitKind); if (oldEmitKind === emitKind) return 0; if (!oldEmitKind || !emitKind) return emitKind; const diff = oldEmitKind ^ emitKind; let result = 0; if (diff & 7) result = emitKind & 7; if (diff & 24) result = result | emitKind & 24; return result; } function hasSameKeys(map1, map2) { return map1 === map2 || map1 !== void 0 && map2 !== void 0 && map1.size === map2.size && !forEachKey(map1, (key) => !map2.has(key)); } function createBuilderProgramState(newProgram, oldState) { var _a, _b; const state = BuilderState.create( newProgram, oldState, /*disableUseFileVersionAsSignature*/ false ); state.program = newProgram; const compilerOptions = newProgram.getCompilerOptions(); state.compilerOptions = compilerOptions; const outFilePath = compilerOptions.outFile; if (!outFilePath) { state.semanticDiagnosticsPerFile = /* @__PURE__ */ new Map(); } else if (compilerOptions.composite && (oldState == null ? void 0 : oldState.outSignature) && outFilePath === oldState.compilerOptions.outFile) { state.outSignature = oldState.outSignature && getEmitSignatureFromOldSignature(compilerOptions, oldState.compilerOptions, oldState.outSignature); } state.changedFilesSet = /* @__PURE__ */ new Set(); state.latestChangedDtsFile = compilerOptions.composite ? oldState == null ? void 0 : oldState.latestChangedDtsFile : void 0; const useOldState = BuilderState.canReuseOldState(state.referencedMap, oldState); const oldCompilerOptions = useOldState ? oldState.compilerOptions : void 0; const canCopySemanticDiagnostics = useOldState && oldState.semanticDiagnosticsPerFile && !!state.semanticDiagnosticsPerFile && !compilerOptionsAffectSemanticDiagnostics(compilerOptions, oldCompilerOptions); const canCopyEmitSignatures = compilerOptions.composite && (oldState == null ? void 0 : oldState.emitSignatures) && !outFilePath && !compilerOptionsAffectDeclarationPath(compilerOptions, oldState.compilerOptions); if (useOldState) { (_a = oldState.changedFilesSet) == null ? void 0 : _a.forEach((value) => state.changedFilesSet.add(value)); if (!outFilePath && ((_b = oldState.affectedFilesPendingEmit) == null ? void 0 : _b.size)) { state.affectedFilesPendingEmit = new Map(oldState.affectedFilesPendingEmit); state.seenAffectedFiles = /* @__PURE__ */ new Set(); } state.programEmitPending = oldState.programEmitPending; } else { state.buildInfoEmitPending = true; } const referencedMap = state.referencedMap; const oldReferencedMap = useOldState ? oldState.referencedMap : void 0; const copyDeclarationFileDiagnostics = canCopySemanticDiagnostics && !compilerOptions.skipLibCheck === !oldCompilerOptions.skipLibCheck; const copyLibFileDiagnostics = copyDeclarationFileDiagnostics && !compilerOptions.skipDefaultLibCheck === !oldCompilerOptions.skipDefaultLibCheck; state.fileInfos.forEach((info, sourceFilePath) => { var _a2; let oldInfo; let newReferences; if (!useOldState || // File wasn't present in old state !(oldInfo = oldState.fileInfos.get(sourceFilePath)) || // versions dont match oldInfo.version !== info.version || // Implied formats dont match oldInfo.impliedFormat !== info.impliedFormat || // Referenced files changed !hasSameKeys(newReferences = referencedMap && referencedMap.getValues(sourceFilePath), oldReferencedMap && oldReferencedMap.getValues(sourceFilePath)) || // Referenced file was deleted in the new program newReferences && forEachKey(newReferences, (path17) => !state.fileInfos.has(path17) && oldState.fileInfos.has(path17))) { addFileToChangeSet(state, sourceFilePath); } else { const sourceFile = newProgram.getSourceFileByPath(sourceFilePath); const emitDiagnostics = (_a2 = oldState.emitDiagnosticsPerFile) == null ? void 0 : _a2.get(sourceFilePath); if (emitDiagnostics) { (state.emitDiagnosticsPerFile ?? (state.emitDiagnosticsPerFile = /* @__PURE__ */ new Map())).set( sourceFilePath, oldState.hasReusableDiagnostic ? convertToDiagnostics(emitDiagnostics, sourceFilePath, newProgram) : repopulateDiagnostics(emitDiagnostics, newProgram) ); } if (canCopySemanticDiagnostics) { if (sourceFile.isDeclarationFile && !copyDeclarationFileDiagnostics) return; if (sourceFile.hasNoDefaultLib && !copyLibFileDiagnostics) return; const diagnostics = oldState.semanticDiagnosticsPerFile.get(sourceFilePath); if (diagnostics) { state.semanticDiagnosticsPerFile.set( sourceFilePath, oldState.hasReusableDiagnostic ? convertToDiagnostics(diagnostics, sourceFilePath, newProgram) : repopulateDiagnostics(diagnostics, newProgram) ); (state.semanticDiagnosticsFromOldState ?? (state.semanticDiagnosticsFromOldState = /* @__PURE__ */ new Set())).add(sourceFilePath); } } } if (canCopyEmitSignatures) { const oldEmitSignature = oldState.emitSignatures.get(sourceFilePath); if (oldEmitSignature) { (state.emitSignatures ?? (state.emitSignatures = /* @__PURE__ */ new Map())).set(sourceFilePath, getEmitSignatureFromOldSignature(compilerOptions, oldState.compilerOptions, oldEmitSignature)); } } }); if (useOldState && forEachEntry(oldState.fileInfos, (info, sourceFilePath) => { if (state.fileInfos.has(sourceFilePath)) return false; if (outFilePath || info.affectsGlobalScope) return true; state.buildInfoEmitPending = true; return false; })) { BuilderState.getAllFilesExcludingDefaultLibraryFile( state, newProgram, /*firstSourceFile*/ void 0 ).forEach((file) => addFileToChangeSet(state, file.resolvedPath)); } else if (oldCompilerOptions) { const pendingEmitKind = compilerOptionsAffectEmit(compilerOptions, oldCompilerOptions) ? getBuilderFileEmit(compilerOptions) : getPendingEmitKind(compilerOptions, oldCompilerOptions); if (pendingEmitKind !== 0) { if (!outFilePath) { newProgram.getSourceFiles().forEach((f) => { if (!state.changedFilesSet.has(f.resolvedPath)) { addToAffectedFilesPendingEmit( state, f.resolvedPath, pendingEmitKind ); } }); Debug.assert(!state.seenAffectedFiles || !state.seenAffectedFiles.size); state.seenAffectedFiles = state.seenAffectedFiles || /* @__PURE__ */ new Set(); state.buildInfoEmitPending = true; } else { state.programEmitPending = state.programEmitPending ? state.programEmitPending | pendingEmitKind : pendingEmitKind; } } } return state; } function addFileToChangeSet(state, path17) { state.changedFilesSet.add(path17); state.buildInfoEmitPending = true; state.programEmitPending = void 0; } function getEmitSignatureFromOldSignature(options, oldOptions, oldEmitSignature) { return !!options.declarationMap === !!oldOptions.declarationMap ? ( // Use same format of signature oldEmitSignature ) : ( // Convert to different format isString2(oldEmitSignature) ? [oldEmitSignature] : oldEmitSignature[0] ); } function repopulateDiagnostics(diagnostics, newProgram) { if (!diagnostics.length) return diagnostics; return sameMap(diagnostics, (diag2) => { if (isString2(diag2.messageText)) return diag2; const repopulatedChain = convertOrRepopulateDiagnosticMessageChain(diag2.messageText, diag2.file, newProgram, (chain) => { var _a; return (_a = chain.repopulateInfo) == null ? void 0 : _a.call(chain); }); return repopulatedChain === diag2.messageText ? diag2 : { ...diag2, messageText: repopulatedChain }; }); } function convertOrRepopulateDiagnosticMessageChain(chain, sourceFile, newProgram, repopulateInfo) { const info = repopulateInfo(chain); if (info) { return { ...createModuleNotFoundChain(sourceFile, newProgram, info.moduleReference, info.mode, info.packageName || info.moduleReference), next: convertOrRepopulateDiagnosticMessageChainArray(chain.next, sourceFile, newProgram, repopulateInfo) }; } const next = convertOrRepopulateDiagnosticMessageChainArray(chain.next, sourceFile, newProgram, repopulateInfo); return next === chain.next ? chain : { ...chain, next }; } function convertOrRepopulateDiagnosticMessageChainArray(array, sourceFile, newProgram, repopulateInfo) { return sameMap(array, (chain) => convertOrRepopulateDiagnosticMessageChain(chain, sourceFile, newProgram, repopulateInfo)); } function convertToDiagnostics(diagnostics, diagnosticFilePath, newProgram) { if (!diagnostics.length) return emptyArray; let buildInfoDirectory; return diagnostics.map((diagnostic) => { const result = convertToDiagnosticRelatedInformation(diagnostic, diagnosticFilePath, newProgram, toPathInBuildInfoDirectory); result.reportsUnnecessary = diagnostic.reportsUnnecessary; result.reportsDeprecated = diagnostic.reportDeprecated; result.source = diagnostic.source; result.skippedOn = diagnostic.skippedOn; const { relatedInformation } = diagnostic; result.relatedInformation = relatedInformation ? relatedInformation.length ? relatedInformation.map((r) => convertToDiagnosticRelatedInformation(r, diagnosticFilePath, newProgram, toPathInBuildInfoDirectory)) : [] : void 0; return result; }); function toPathInBuildInfoDirectory(path17) { buildInfoDirectory ?? (buildInfoDirectory = getDirectoryPath(getNormalizedAbsolutePath(getTsBuildInfoEmitOutputFilePath(newProgram.getCompilerOptions()), newProgram.getCurrentDirectory()))); return toPath3(path17, buildInfoDirectory, newProgram.getCanonicalFileName); } } function convertToDiagnosticRelatedInformation(diagnostic, diagnosticFilePath, newProgram, toPath32) { const { file } = diagnostic; const sourceFile = file !== false ? newProgram.getSourceFileByPath(file ? toPath32(file) : diagnosticFilePath) : void 0; return { ...diagnostic, file: sourceFile, messageText: isString2(diagnostic.messageText) ? diagnostic.messageText : convertOrRepopulateDiagnosticMessageChain(diagnostic.messageText, sourceFile, newProgram, (chain) => chain.info) }; } function releaseCache(state) { BuilderState.releaseCache(state); state.program = void 0; } function backupBuilderProgramEmitState(state) { const outFilePath = state.compilerOptions.outFile; Debug.assert(!state.changedFilesSet.size || outFilePath); return { affectedFilesPendingEmit: state.affectedFilesPendingEmit && new Map(state.affectedFilesPendingEmit), seenEmittedFiles: state.seenEmittedFiles && new Map(state.seenEmittedFiles), programEmitPending: state.programEmitPending, emitSignatures: state.emitSignatures && new Map(state.emitSignatures), outSignature: state.outSignature, latestChangedDtsFile: state.latestChangedDtsFile, hasChangedEmitSignature: state.hasChangedEmitSignature, changedFilesSet: outFilePath ? new Set(state.changedFilesSet) : void 0, buildInfoEmitPending: state.buildInfoEmitPending, emitDiagnosticsPerFile: state.emitDiagnosticsPerFile && new Map(state.emitDiagnosticsPerFile) }; } function restoreBuilderProgramEmitState(state, savedEmitState) { state.affectedFilesPendingEmit = savedEmitState.affectedFilesPendingEmit; state.seenEmittedFiles = savedEmitState.seenEmittedFiles; state.programEmitPending = savedEmitState.programEmitPending; state.emitSignatures = savedEmitState.emitSignatures; state.outSignature = savedEmitState.outSignature; state.latestChangedDtsFile = savedEmitState.latestChangedDtsFile; state.hasChangedEmitSignature = savedEmitState.hasChangedEmitSignature; state.buildInfoEmitPending = savedEmitState.buildInfoEmitPending; state.emitDiagnosticsPerFile = savedEmitState.emitDiagnosticsPerFile; if (savedEmitState.changedFilesSet) state.changedFilesSet = savedEmitState.changedFilesSet; } function assertSourceFileOkWithoutNextAffectedCall(state, sourceFile) { Debug.assert(!sourceFile || !state.affectedFiles || state.affectedFiles[state.affectedFilesIndex - 1] !== sourceFile || !state.semanticDiagnosticsPerFile.has(sourceFile.resolvedPath)); } function getNextAffectedFile(state, cancellationToken, host) { var _a; while (true) { const { affectedFiles } = state; if (affectedFiles) { const seenAffectedFiles = state.seenAffectedFiles; let affectedFilesIndex = state.affectedFilesIndex; while (affectedFilesIndex < affectedFiles.length) { const affectedFile = affectedFiles[affectedFilesIndex]; if (!seenAffectedFiles.has(affectedFile.resolvedPath)) { state.affectedFilesIndex = affectedFilesIndex; addToAffectedFilesPendingEmit(state, affectedFile.resolvedPath, getBuilderFileEmit(state.compilerOptions)); handleDtsMayChangeOfAffectedFile( state, affectedFile, cancellationToken, host ); return affectedFile; } affectedFilesIndex++; } state.changedFilesSet.delete(state.currentChangedFilePath); state.currentChangedFilePath = void 0; (_a = state.oldSignatures) == null ? void 0 : _a.clear(); state.affectedFiles = void 0; } const nextKey = state.changedFilesSet.keys().next(); if (nextKey.done) { return void 0; } const program = Debug.checkDefined(state.program); const compilerOptions = program.getCompilerOptions(); if (compilerOptions.outFile) { Debug.assert(!state.semanticDiagnosticsPerFile); return program; } state.affectedFiles = BuilderState.getFilesAffectedByWithOldState( state, program, nextKey.value, cancellationToken, host ); state.currentChangedFilePath = nextKey.value; state.affectedFilesIndex = 0; if (!state.seenAffectedFiles) state.seenAffectedFiles = /* @__PURE__ */ new Set(); } } function clearAffectedFilesPendingEmit(state, emitOnlyDtsFiles) { var _a; if (!((_a = state.affectedFilesPendingEmit) == null ? void 0 : _a.size)) return; if (!emitOnlyDtsFiles) return state.affectedFilesPendingEmit = void 0; state.affectedFilesPendingEmit.forEach((emitKind, path17) => { const pending = emitKind & 7; if (!pending) state.affectedFilesPendingEmit.delete(path17); else state.affectedFilesPendingEmit.set(path17, pending); }); } function getNextAffectedFilePendingEmit(state, emitOnlyDtsFiles) { var _a; if (!((_a = state.affectedFilesPendingEmit) == null ? void 0 : _a.size)) return void 0; return forEachEntry(state.affectedFilesPendingEmit, (emitKind, path17) => { var _a2; const affectedFile = state.program.getSourceFileByPath(path17); if (!affectedFile || !sourceFileMayBeEmitted(affectedFile, state.program)) { state.affectedFilesPendingEmit.delete(path17); return void 0; } const seenKind = (_a2 = state.seenEmittedFiles) == null ? void 0 : _a2.get(affectedFile.resolvedPath); let pendingKind = getPendingEmitKind(emitKind, seenKind); if (emitOnlyDtsFiles) pendingKind = pendingKind & 24; if (pendingKind) return { affectedFile, emitKind: pendingKind }; }); } function getNextPendingEmitDiagnosticsFile(state) { var _a; if (!((_a = state.emitDiagnosticsPerFile) == null ? void 0 : _a.size)) return void 0; return forEachEntry(state.emitDiagnosticsPerFile, (diagnostics, path17) => { var _a2; const affectedFile = state.program.getSourceFileByPath(path17); if (!affectedFile || !sourceFileMayBeEmitted(affectedFile, state.program)) { state.emitDiagnosticsPerFile.delete(path17); return void 0; } const seenKind = ((_a2 = state.seenEmittedFiles) == null ? void 0 : _a2.get(affectedFile.resolvedPath)) || 0; if (!(seenKind & 24)) return { affectedFile, diagnostics, seenKind }; }); } function removeDiagnosticsOfLibraryFiles(state) { if (!state.cleanedDiagnosticsOfLibFiles) { state.cleanedDiagnosticsOfLibFiles = true; const program = Debug.checkDefined(state.program); const options = program.getCompilerOptions(); forEach(program.getSourceFiles(), (f) => program.isSourceFileDefaultLibrary(f) && !skipTypeChecking(f, options, program) && removeSemanticDiagnosticsOf(state, f.resolvedPath)); } } function handleDtsMayChangeOfAffectedFile(state, affectedFile, cancellationToken, host) { removeSemanticDiagnosticsOf(state, affectedFile.resolvedPath); if (state.allFilesExcludingDefaultLibraryFile === state.affectedFiles) { removeDiagnosticsOfLibraryFiles(state); BuilderState.updateShapeSignature( state, Debug.checkDefined(state.program), affectedFile, cancellationToken, host ); return; } if (state.compilerOptions.assumeChangesOnlyAffectDirectDependencies) return; handleDtsMayChangeOfReferencingExportOfAffectedFile( state, affectedFile, cancellationToken, host ); } function handleDtsMayChangeOf(state, path17, invalidateJsFiles, cancellationToken, host) { removeSemanticDiagnosticsOf(state, path17); if (!state.changedFilesSet.has(path17)) { const program = Debug.checkDefined(state.program); const sourceFile = program.getSourceFileByPath(path17); if (sourceFile) { BuilderState.updateShapeSignature( state, program, sourceFile, cancellationToken, host, /*useFileVersionAsSignature*/ true ); if (invalidateJsFiles) { addToAffectedFilesPendingEmit(state, path17, getBuilderFileEmit(state.compilerOptions)); } else if (getEmitDeclarations(state.compilerOptions)) { addToAffectedFilesPendingEmit( state, path17, state.compilerOptions.declarationMap ? 24 : 8 /* Dts */ ); } } } } function removeSemanticDiagnosticsOf(state, path17) { if (!state.semanticDiagnosticsFromOldState) { return true; } state.semanticDiagnosticsFromOldState.delete(path17); state.semanticDiagnosticsPerFile.delete(path17); return !state.semanticDiagnosticsFromOldState.size; } function isChangedSignature(state, path17) { const oldSignature = Debug.checkDefined(state.oldSignatures).get(path17) || void 0; const newSignature = Debug.checkDefined(state.fileInfos.get(path17)).signature; return newSignature !== oldSignature; } function handleDtsMayChangeOfGlobalScope(state, filePath, invalidateJsFiles, cancellationToken, host) { var _a; if (!((_a = state.fileInfos.get(filePath)) == null ? void 0 : _a.affectsGlobalScope)) return false; BuilderState.getAllFilesExcludingDefaultLibraryFile( state, state.program, /*firstSourceFile*/ void 0 ).forEach( (file) => handleDtsMayChangeOf( state, file.resolvedPath, invalidateJsFiles, cancellationToken, host ) ); removeDiagnosticsOfLibraryFiles(state); return true; } function handleDtsMayChangeOfReferencingExportOfAffectedFile(state, affectedFile, cancellationToken, host) { var _a, _b; if (!state.referencedMap || !state.changedFilesSet.has(affectedFile.resolvedPath)) return; if (!isChangedSignature(state, affectedFile.resolvedPath)) return; if (getIsolatedModules(state.compilerOptions)) { const seenFileNamesMap = /* @__PURE__ */ new Map(); seenFileNamesMap.set(affectedFile.resolvedPath, true); const queue = BuilderState.getReferencedByPaths(state, affectedFile.resolvedPath); while (queue.length > 0) { const currentPath = queue.pop(); if (!seenFileNamesMap.has(currentPath)) { seenFileNamesMap.set(currentPath, true); if (handleDtsMayChangeOfGlobalScope( state, currentPath, /*invalidateJsFiles*/ false, cancellationToken, host )) return; handleDtsMayChangeOf( state, currentPath, /*invalidateJsFiles*/ false, cancellationToken, host ); if (isChangedSignature(state, currentPath)) { const currentSourceFile = Debug.checkDefined(state.program).getSourceFileByPath(currentPath); queue.push(...BuilderState.getReferencedByPaths(state, currentSourceFile.resolvedPath)); } } } } const seenFileAndExportsOfFile = /* @__PURE__ */ new Set(); const invalidateJsFiles = !!((_a = affectedFile.symbol) == null ? void 0 : _a.exports) && !!forEachEntry( affectedFile.symbol.exports, (exported) => { if ((exported.flags & 128) !== 0) return true; const aliased = skipAlias(exported, state.program.getTypeChecker()); if (aliased === exported) return false; return (aliased.flags & 128) !== 0 && some(aliased.declarations, (d) => getSourceFileOfNode(d) === affectedFile); } ); (_b = state.referencedMap.getKeys(affectedFile.resolvedPath)) == null ? void 0 : _b.forEach((exportedFromPath) => { if (handleDtsMayChangeOfGlobalScope(state, exportedFromPath, invalidateJsFiles, cancellationToken, host)) return true; const references = state.referencedMap.getKeys(exportedFromPath); return references && forEachKey(references, (filePath) => handleDtsMayChangeOfFileAndExportsOfFile( state, filePath, invalidateJsFiles, seenFileAndExportsOfFile, cancellationToken, host )); }); } function handleDtsMayChangeOfFileAndExportsOfFile(state, filePath, invalidateJsFiles, seenFileAndExportsOfFile, cancellationToken, host) { var _a; if (!tryAddToSet(seenFileAndExportsOfFile, filePath)) return void 0; if (handleDtsMayChangeOfGlobalScope(state, filePath, invalidateJsFiles, cancellationToken, host)) return true; handleDtsMayChangeOf(state, filePath, invalidateJsFiles, cancellationToken, host); (_a = state.referencedMap.getKeys(filePath)) == null ? void 0 : _a.forEach( (referencingFilePath) => handleDtsMayChangeOfFileAndExportsOfFile( state, referencingFilePath, invalidateJsFiles, seenFileAndExportsOfFile, cancellationToken, host ) ); return void 0; } function getSemanticDiagnosticsOfFile(state, sourceFile, cancellationToken) { return concatenate( getBinderAndCheckerDiagnosticsOfFile(state, sourceFile, cancellationToken), Debug.checkDefined(state.program).getProgramDiagnostics(sourceFile) ); } function getBinderAndCheckerDiagnosticsOfFile(state, sourceFile, cancellationToken) { const path17 = sourceFile.resolvedPath; if (state.semanticDiagnosticsPerFile) { const cachedDiagnostics = state.semanticDiagnosticsPerFile.get(path17); if (cachedDiagnostics) { return filterSemanticDiagnostics(cachedDiagnostics, state.compilerOptions); } } const diagnostics = Debug.checkDefined(state.program).getBindAndCheckDiagnostics(sourceFile, cancellationToken); if (state.semanticDiagnosticsPerFile) { state.semanticDiagnosticsPerFile.set(path17, diagnostics); } return filterSemanticDiagnostics(diagnostics, state.compilerOptions); } function isProgramBundleEmitBuildInfo(info) { var _a; return !!((_a = info.options) == null ? void 0 : _a.outFile); } function getBuildInfo2(state) { var _a, _b; const currentDirectory = Debug.checkDefined(state.program).getCurrentDirectory(); const buildInfoDirectory = getDirectoryPath(getNormalizedAbsolutePath(getTsBuildInfoEmitOutputFilePath(state.compilerOptions), currentDirectory)); const latestChangedDtsFile = state.latestChangedDtsFile ? relativeToBuildInfoEnsuringAbsolutePath(state.latestChangedDtsFile) : void 0; const fileNames = []; const fileNameToFileId = /* @__PURE__ */ new Map(); const rootFileNames = new Set(state.program.getRootFileNames().map((f) => toPath3(f, currentDirectory, state.program.getCanonicalFileName))); const root2 = []; if (state.compilerOptions.outFile) { const fileInfos2 = arrayFrom(state.fileInfos.entries(), ([key, value]) => { const fileId = toFileId(key); tryAddRoot(key, fileId); return value.impliedFormat ? { version: value.version, impliedFormat: value.impliedFormat, signature: void 0, affectsGlobalScope: void 0 } : value.version; }); const program2 = { fileNames, fileInfos: fileInfos2, root: root2, resolvedRoot: toResolvedRoot(), options: convertToProgramBuildInfoCompilerOptions(state.compilerOptions), outSignature: state.outSignature, latestChangedDtsFile, pendingEmit: !state.programEmitPending ? void 0 : ( // Pending is undefined or None is encoded as undefined state.programEmitPending === getBuilderFileEmit(state.compilerOptions) ? false : ( // Pending emit is same as deteremined by compilerOptions state.programEmitPending ) ) // Actual value }; return createBuildInfo(program2); } let fileIdsList; let fileNamesToFileIdListId; let emitSignatures; const fileInfos = arrayFrom(state.fileInfos.entries(), ([key, value]) => { var _a2, _b2; const fileId = toFileId(key); tryAddRoot(key, fileId); Debug.assert(fileNames[fileId - 1] === relativeToBuildInfo(key)); const oldSignature = (_a2 = state.oldSignatures) == null ? void 0 : _a2.get(key); const actualSignature = oldSignature !== void 0 ? oldSignature || void 0 : value.signature; if (state.compilerOptions.composite) { const file = state.program.getSourceFileByPath(key); if (!isJsonSourceFile(file) && sourceFileMayBeEmitted(file, state.program)) { const emitSignature = (_b2 = state.emitSignatures) == null ? void 0 : _b2.get(key); if (emitSignature !== actualSignature) { emitSignatures = append( emitSignatures, emitSignature === void 0 ? fileId : ( // There is no emit, encode as false // fileId, signature: emptyArray if signature only differs in dtsMap option than our own compilerOptions otherwise EmitSignature [fileId, !isString2(emitSignature) && emitSignature[0] === actualSignature ? emptyArray : emitSignature] ) ); } } } return value.version === actualSignature ? value.affectsGlobalScope || value.impliedFormat ? ( // If file version is same as signature, dont serialize signature { version: value.version, signature: void 0, affectsGlobalScope: value.affectsGlobalScope, impliedFormat: value.impliedFormat } ) : ( // If file info only contains version and signature and both are same we can just write string value.version ) : actualSignature !== void 0 ? ( // If signature is not same as version, encode signature in the fileInfo oldSignature === void 0 ? ( // If we havent computed signature, use fileInfo as is value ) : ( // Serialize fileInfo with new updated signature { version: value.version, signature: actualSignature, affectsGlobalScope: value.affectsGlobalScope, impliedFormat: value.impliedFormat } ) ) : ( // Signature of the FileInfo is undefined, serialize it as false { version: value.version, signature: false, affectsGlobalScope: value.affectsGlobalScope, impliedFormat: value.impliedFormat } ); }); let referencedMap; if ((_a = state.referencedMap) == null ? void 0 : _a.size()) { referencedMap = arrayFrom(state.referencedMap.keys()).sort(compareStringsCaseSensitive).map((key) => [ toFileId(key), toFileIdListId(state.referencedMap.getValues(key)) ]); } const semanticDiagnosticsPerFile = convertToProgramBuildInfoDiagnostics(); let affectedFilesPendingEmit; if ((_b = state.affectedFilesPendingEmit) == null ? void 0 : _b.size) { const fullEmitForOptions = getBuilderFileEmit(state.compilerOptions); const seenFiles = /* @__PURE__ */ new Set(); for (const path17 of arrayFrom(state.affectedFilesPendingEmit.keys()).sort(compareStringsCaseSensitive)) { if (tryAddToSet(seenFiles, path17)) { const file = state.program.getSourceFileByPath(path17); if (!file || !sourceFileMayBeEmitted(file, state.program)) continue; const fileId = toFileId(path17), pendingEmit = state.affectedFilesPendingEmit.get(path17); affectedFilesPendingEmit = append( affectedFilesPendingEmit, pendingEmit === fullEmitForOptions ? fileId : ( // Pending full emit per options pendingEmit === 8 ? [fileId] : ( // Pending on Dts only [fileId, pendingEmit] ) ) // Anything else ); } } } let changeFileSet; if (state.changedFilesSet.size) { for (const path17 of arrayFrom(state.changedFilesSet.keys()).sort(compareStringsCaseSensitive)) { changeFileSet = append(changeFileSet, toFileId(path17)); } } const emitDiagnosticsPerFile = convertToProgramBuildInfoEmitDiagnostics(); const program = { fileNames, fileInfos, root: root2, resolvedRoot: toResolvedRoot(), options: convertToProgramBuildInfoCompilerOptions(state.compilerOptions), fileIdsList, referencedMap, semanticDiagnosticsPerFile, emitDiagnosticsPerFile, affectedFilesPendingEmit, changeFileSet, emitSignatures, latestChangedDtsFile }; return createBuildInfo(program); function relativeToBuildInfoEnsuringAbsolutePath(path17) { return relativeToBuildInfo(getNormalizedAbsolutePath(path17, currentDirectory)); } function relativeToBuildInfo(path17) { return ensurePathIsNonModuleName(getRelativePathFromDirectory(buildInfoDirectory, path17, state.program.getCanonicalFileName)); } function toFileId(path17) { let fileId = fileNameToFileId.get(path17); if (fileId === void 0) { fileNames.push(relativeToBuildInfo(path17)); fileNameToFileId.set(path17, fileId = fileNames.length); } return fileId; } function toFileIdListId(set) { const fileIds = arrayFrom(set.keys(), toFileId).sort(compareValues); const key = fileIds.join(); let fileIdListId = fileNamesToFileIdListId == null ? void 0 : fileNamesToFileIdListId.get(key); if (fileIdListId === void 0) { fileIdsList = append(fileIdsList, fileIds); (fileNamesToFileIdListId ?? (fileNamesToFileIdListId = /* @__PURE__ */ new Map())).set(key, fileIdListId = fileIdsList.length); } return fileIdListId; } function tryAddRoot(path17, fileId) { const file = state.program.getSourceFile(path17); if (!state.program.getFileIncludeReasons().get(file.path).some( (r) => r.kind === 0 /* RootFile */ )) return; if (!root2.length) return root2.push(fileId); const last2 = root2[root2.length - 1]; const isLastStartEnd = isArray3(last2); if (isLastStartEnd && last2[1] === fileId - 1) return last2[1] = fileId; if (isLastStartEnd || root2.length === 1 || last2 !== fileId - 1) return root2.push(fileId); const lastButOne = root2[root2.length - 2]; if (!isNumber2(lastButOne) || lastButOne !== last2 - 1) return root2.push(fileId); root2[root2.length - 2] = [lastButOne, fileId]; return root2.length = root2.length - 1; } function toResolvedRoot() { let result; rootFileNames.forEach((path17) => { const file = state.program.getSourceFileByPath(path17); if (file && path17 !== file.resolvedPath) { result = append(result, [toFileId(file.resolvedPath), toFileId(path17)]); } }); return result; } function convertToProgramBuildInfoCompilerOptions(options) { let result; const { optionsNameMap } = getOptionsNameMap(); for (const name of getOwnKeys(options).sort(compareStringsCaseSensitive)) { const optionInfo = optionsNameMap.get(name.toLowerCase()); if (optionInfo == null ? void 0 : optionInfo.affectsBuildInfo) { (result || (result = {}))[name] = convertToReusableCompilerOptionValue( optionInfo, options[name] ); } } return result; } function convertToReusableCompilerOptionValue(option, value) { if (option) { Debug.assert(option.type !== "listOrElement"); if (option.type === "list") { const values = value; if (option.element.isFilePath && values.length) { return values.map(relativeToBuildInfoEnsuringAbsolutePath); } } else if (option.isFilePath) { return relativeToBuildInfoEnsuringAbsolutePath(value); } } return value; } function convertToProgramBuildInfoDiagnostics() { let result; state.fileInfos.forEach((_value, key) => { var _a2; const value = (_a2 = state.semanticDiagnosticsPerFile) == null ? void 0 : _a2.get(key); if (!value) { if (!state.changedFilesSet.has(key)) result = append(result, toFileId(key)); } else if (value.length) { result = append(result, [ toFileId(key), convertToReusableDiagnostics(value, key) ]); } }); return result; } function convertToProgramBuildInfoEmitDiagnostics() { var _a2; let result; if (!((_a2 = state.emitDiagnosticsPerFile) == null ? void 0 : _a2.size)) return result; for (const key of arrayFrom(state.emitDiagnosticsPerFile.keys()).sort(compareStringsCaseSensitive)) { const value = state.emitDiagnosticsPerFile.get(key); result = append(result, [ toFileId(key), convertToReusableDiagnostics(value, key) ]); } return result; } function convertToReusableDiagnostics(diagnostics, diagnosticFilePath) { Debug.assert(!!diagnostics.length); return diagnostics.map((diagnostic) => { const result = convertToReusableDiagnosticRelatedInformation(diagnostic, diagnosticFilePath); result.reportsUnnecessary = diagnostic.reportsUnnecessary; result.reportDeprecated = diagnostic.reportsDeprecated; result.source = diagnostic.source; result.skippedOn = diagnostic.skippedOn; const { relatedInformation } = diagnostic; result.relatedInformation = relatedInformation ? relatedInformation.length ? relatedInformation.map((r) => convertToReusableDiagnosticRelatedInformation(r, diagnosticFilePath)) : [] : void 0; return result; }); } function convertToReusableDiagnosticRelatedInformation(diagnostic, diagnosticFilePath) { const { file } = diagnostic; return { ...diagnostic, file: file ? file.resolvedPath === diagnosticFilePath ? void 0 : relativeToBuildInfo(file.resolvedPath) : false, messageText: isString2(diagnostic.messageText) ? diagnostic.messageText : convertToReusableDiagnosticMessageChain(diagnostic.messageText) }; } function convertToReusableDiagnosticMessageChain(chain) { if (chain.repopulateInfo) { return { info: chain.repopulateInfo(), next: convertToReusableDiagnosticMessageChainArray(chain.next) }; } const next = convertToReusableDiagnosticMessageChainArray(chain.next); return next === chain.next ? chain : { ...chain, next }; } function convertToReusableDiagnosticMessageChainArray(array) { if (!array) return array; return forEach(array, (chain, index) => { const reusable = convertToReusableDiagnosticMessageChain(chain); if (chain === reusable) return void 0; const result = index > 0 ? array.slice(0, index - 1) : []; result.push(reusable); for (let i = index + 1; i < array.length; i++) { result.push(convertToReusableDiagnosticMessageChain(array[i])); } return result; }) || array; } } var BuilderProgramKind = /* @__PURE__ */ ((BuilderProgramKind2) => { BuilderProgramKind2[BuilderProgramKind2["SemanticDiagnosticsBuilderProgram"] = 0] = "SemanticDiagnosticsBuilderProgram"; BuilderProgramKind2[BuilderProgramKind2["EmitAndSemanticDiagnosticsBuilderProgram"] = 1] = "EmitAndSemanticDiagnosticsBuilderProgram"; return BuilderProgramKind2; })(BuilderProgramKind || {}); function getBuilderCreationParameters(newProgramOrRootNames, hostOrOptions, oldProgramOrHost, configFileParsingDiagnosticsOrOldProgram, configFileParsingDiagnostics, projectReferences) { let host; let newProgram; let oldProgram; if (newProgramOrRootNames === void 0) { Debug.assert(hostOrOptions === void 0); host = oldProgramOrHost; oldProgram = configFileParsingDiagnosticsOrOldProgram; Debug.assert(!!oldProgram); newProgram = oldProgram.getProgram(); } else if (isArray3(newProgramOrRootNames)) { oldProgram = configFileParsingDiagnosticsOrOldProgram; newProgram = createProgram({ rootNames: newProgramOrRootNames, options: hostOrOptions, host: oldProgramOrHost, oldProgram: oldProgram && oldProgram.getProgramOrUndefined(), configFileParsingDiagnostics, projectReferences }); host = oldProgramOrHost; } else { newProgram = newProgramOrRootNames; host = hostOrOptions; oldProgram = oldProgramOrHost; configFileParsingDiagnostics = configFileParsingDiagnosticsOrOldProgram; } return { host, newProgram, oldProgram, configFileParsingDiagnostics: configFileParsingDiagnostics || emptyArray }; } function getTextHandlingSourceMapForSignature(text, data) { return (data == null ? void 0 : data.sourceMapUrlPos) !== void 0 ? text.substring(0, data.sourceMapUrlPos) : text; } function computeSignatureWithDiagnostics(program, sourceFile, text, host, data) { var _a; text = getTextHandlingSourceMapForSignature(text, data); let sourceFileDirectory; if ((_a = data == null ? void 0 : data.diagnostics) == null ? void 0 : _a.length) { text += data.diagnostics.map((diagnostic) => `${locationInfo(diagnostic)}${DiagnosticCategory[diagnostic.category]}${diagnostic.code}: ${flattenDiagnosticMessageText2(diagnostic.messageText)}`).join("\n"); } return (host.createHash ?? generateDjb2Hash)(text); function flattenDiagnosticMessageText2(diagnostic) { return isString2(diagnostic) ? diagnostic : diagnostic === void 0 ? "" : !diagnostic.next ? diagnostic.messageText : diagnostic.messageText + diagnostic.next.map(flattenDiagnosticMessageText2).join("\n"); } function locationInfo(diagnostic) { if (diagnostic.file.resolvedPath === sourceFile.resolvedPath) return `(${diagnostic.start},${diagnostic.length})`; if (sourceFileDirectory === void 0) sourceFileDirectory = getDirectoryPath(sourceFile.resolvedPath); return `${ensurePathIsNonModuleName(getRelativePathFromDirectory( sourceFileDirectory, diagnostic.file.resolvedPath, program.getCanonicalFileName ))}(${diagnostic.start},${diagnostic.length})`; } } function computeSignature(text, host, data) { return (host.createHash ?? generateDjb2Hash)(getTextHandlingSourceMapForSignature(text, data)); } function createBuilderProgram(kind, { newProgram, host, oldProgram, configFileParsingDiagnostics }) { let oldState = oldProgram && oldProgram.getState(); if (oldState && newProgram === oldState.program && configFileParsingDiagnostics === newProgram.getConfigFileParsingDiagnostics()) { newProgram = void 0; oldState = void 0; return oldProgram; } const state = createBuilderProgramState(newProgram, oldState); newProgram.getBuildInfo = () => getBuildInfo2(state); newProgram = void 0; oldProgram = void 0; oldState = void 0; const getState = () => state; const builderProgram = createRedirectedBuilderProgram(getState, configFileParsingDiagnostics); builderProgram.getState = getState; builderProgram.saveEmitState = () => backupBuilderProgramEmitState(state); builderProgram.restoreEmitState = (saved) => restoreBuilderProgramEmitState(state, saved); builderProgram.hasChangedEmitSignature = () => !!state.hasChangedEmitSignature; builderProgram.getAllDependencies = (sourceFile) => BuilderState.getAllDependencies(state, Debug.checkDefined(state.program), sourceFile); builderProgram.getSemanticDiagnostics = getSemanticDiagnostics; builderProgram.emit = emit; builderProgram.releaseProgram = () => releaseCache(state); if (kind === 0) { builderProgram.getSemanticDiagnosticsOfNextAffectedFile = getSemanticDiagnosticsOfNextAffectedFile; } else if (kind === 1) { builderProgram.getSemanticDiagnosticsOfNextAffectedFile = getSemanticDiagnosticsOfNextAffectedFile; builderProgram.emitNextAffectedFile = emitNextAffectedFile; builderProgram.emitBuildInfo = emitBuildInfo; } else { notImplemented(); } return builderProgram; function emitBuildInfo(writeFile2, cancellationToken) { if (state.buildInfoEmitPending) { const result = Debug.checkDefined(state.program).emitBuildInfo(writeFile2 || maybeBind(host, host.writeFile), cancellationToken); state.buildInfoEmitPending = false; return result; } return emitSkippedWithNoDiagnostics; } function emitNextAffectedFile(writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers) { var _a, _b, _c; let affected = getNextAffectedFile(state, cancellationToken, host); const programEmitKind = getBuilderFileEmit(state.compilerOptions); let emitKind = emitOnlyDtsFiles ? programEmitKind & 24 : programEmitKind; if (!affected) { if (!state.compilerOptions.outFile) { const pendingAffectedFile = getNextAffectedFilePendingEmit(state, emitOnlyDtsFiles); if (!pendingAffectedFile) { const pendingForDiagnostics = getNextPendingEmitDiagnosticsFile(state); if (pendingForDiagnostics) { (state.seenEmittedFiles ?? (state.seenEmittedFiles = /* @__PURE__ */ new Map())).set( pendingForDiagnostics.affectedFile.resolvedPath, pendingForDiagnostics.seenKind | 24 /* AllDts */ ); return { result: { emitSkipped: true, diagnostics: pendingForDiagnostics.diagnostics }, affected: pendingForDiagnostics.affectedFile }; } if (!state.buildInfoEmitPending) return void 0; const affected2 = state.program; const result2 = affected2.emitBuildInfo(writeFile2 || maybeBind(host, host.writeFile), cancellationToken); state.buildInfoEmitPending = false; return { result: result2, affected: affected2 }; } ({ affectedFile: affected, emitKind } = pendingAffectedFile); } else { if (!state.programEmitPending) return void 0; emitKind = state.programEmitPending; if (emitOnlyDtsFiles) emitKind = emitKind & 24; if (!emitKind) return void 0; affected = state.program; } } let emitOnly; if (emitKind & 7) emitOnly = 0; if (emitKind & 24) emitOnly = emitOnly === void 0 ? 1 : void 0; if (affected === state.program) { state.programEmitPending = state.changedFilesSet.size ? getPendingEmitKind(programEmitKind, emitKind) : state.programEmitPending ? getPendingEmitKind(state.programEmitPending, emitKind) : void 0; } const result = state.program.emit( affected === state.program ? void 0 : affected, getWriteFileCallback(writeFile2, customTransformers), cancellationToken, emitOnly, customTransformers ); if (affected !== state.program) { const affectedSourceFile = affected; state.seenAffectedFiles.add(affectedSourceFile.resolvedPath); if (state.affectedFilesIndex !== void 0) state.affectedFilesIndex++; state.buildInfoEmitPending = true; const existing = ((_a = state.seenEmittedFiles) == null ? void 0 : _a.get(affectedSourceFile.resolvedPath)) || 0; (state.seenEmittedFiles ?? (state.seenEmittedFiles = /* @__PURE__ */ new Map())).set(affectedSourceFile.resolvedPath, emitKind | existing); const existingPending = ((_b = state.affectedFilesPendingEmit) == null ? void 0 : _b.get(affectedSourceFile.resolvedPath)) || programEmitKind; const pendingKind = getPendingEmitKind(existingPending, emitKind | existing); if (pendingKind) (state.affectedFilesPendingEmit ?? (state.affectedFilesPendingEmit = /* @__PURE__ */ new Map())).set(affectedSourceFile.resolvedPath, pendingKind); else (_c = state.affectedFilesPendingEmit) == null ? void 0 : _c.delete(affectedSourceFile.resolvedPath); if (result.diagnostics.length) (state.emitDiagnosticsPerFile ?? (state.emitDiagnosticsPerFile = /* @__PURE__ */ new Map())).set(affectedSourceFile.resolvedPath, result.diagnostics); } else { state.changedFilesSet.clear(); } return { result, affected }; } function getWriteFileCallback(writeFile2, customTransformers) { if (!getEmitDeclarations(state.compilerOptions)) return writeFile2 || maybeBind(host, host.writeFile); return (fileName, text, writeByteOrderMark, onError, sourceFiles, data) => { var _a, _b, _c; if (isDeclarationFileName(fileName)) { if (!state.compilerOptions.outFile) { Debug.assert((sourceFiles == null ? void 0 : sourceFiles.length) === 1); let emitSignature; if (!customTransformers) { const file = sourceFiles[0]; const info = state.fileInfos.get(file.resolvedPath); if (info.signature === file.version) { const signature = computeSignatureWithDiagnostics( state.program, file, text, host, data ); if (!((_a = data == null ? void 0 : data.diagnostics) == null ? void 0 : _a.length)) emitSignature = signature; if (signature !== file.version) { if (host.storeSignatureInfo) (state.signatureInfo ?? (state.signatureInfo = /* @__PURE__ */ new Map())).set( file.resolvedPath, 1 /* StoredSignatureAtEmit */ ); if (state.affectedFiles) { const existing = (_b = state.oldSignatures) == null ? void 0 : _b.get(file.resolvedPath); if (existing === void 0) (state.oldSignatures ?? (state.oldSignatures = /* @__PURE__ */ new Map())).set(file.resolvedPath, info.signature || false); info.signature = signature; } else { info.signature = signature; } } } } if (state.compilerOptions.composite) { const filePath = sourceFiles[0].resolvedPath; emitSignature = handleNewSignature((_c = state.emitSignatures) == null ? void 0 : _c.get(filePath), emitSignature); if (!emitSignature) return; (state.emitSignatures ?? (state.emitSignatures = /* @__PURE__ */ new Map())).set(filePath, emitSignature); } } else if (state.compilerOptions.composite) { const newSignature = handleNewSignature( state.outSignature, /*newSignature*/ void 0 ); if (!newSignature) return; state.outSignature = newSignature; } } if (writeFile2) writeFile2(fileName, text, writeByteOrderMark, onError, sourceFiles, data); else if (host.writeFile) host.writeFile(fileName, text, writeByteOrderMark, onError, sourceFiles, data); else state.program.writeFile(fileName, text, writeByteOrderMark, onError, sourceFiles, data); function handleNewSignature(oldSignatureFormat, newSignature) { const oldSignature = !oldSignatureFormat || isString2(oldSignatureFormat) ? oldSignatureFormat : oldSignatureFormat[0]; newSignature ?? (newSignature = computeSignature(text, host, data)); if (newSignature === oldSignature) { if (oldSignatureFormat === oldSignature) return void 0; else if (data) data.differsOnlyInMap = true; else data = { differsOnlyInMap: true }; } else { state.hasChangedEmitSignature = true; state.latestChangedDtsFile = fileName; } return newSignature; } }; } function emit(targetSourceFile, writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers) { if (kind === 1) { assertSourceFileOkWithoutNextAffectedCall(state, targetSourceFile); } const result = handleNoEmitOptions(builderProgram, targetSourceFile, writeFile2, cancellationToken); if (result) return result; if (!targetSourceFile) { if (kind === 1) { let sourceMaps = []; let emitSkipped = false; let diagnostics; let emittedFiles = []; let affectedEmitResult; while (affectedEmitResult = emitNextAffectedFile(writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers)) { emitSkipped = emitSkipped || affectedEmitResult.result.emitSkipped; diagnostics = addRange(diagnostics, affectedEmitResult.result.diagnostics); emittedFiles = addRange(emittedFiles, affectedEmitResult.result.emittedFiles); sourceMaps = addRange(sourceMaps, affectedEmitResult.result.sourceMaps); } return { emitSkipped, diagnostics: diagnostics || emptyArray, emittedFiles, sourceMaps }; } else { clearAffectedFilesPendingEmit(state, emitOnlyDtsFiles); } } return Debug.checkDefined(state.program).emit( targetSourceFile, getWriteFileCallback(writeFile2, customTransformers), cancellationToken, emitOnlyDtsFiles, customTransformers ); } function getSemanticDiagnosticsOfNextAffectedFile(cancellationToken, ignoreSourceFile) { while (true) { const affected = getNextAffectedFile(state, cancellationToken, host); let result; if (!affected) return void 0; else if (affected !== state.program) { const affectedSourceFile = affected; if (!ignoreSourceFile || !ignoreSourceFile(affectedSourceFile)) { result = getSemanticDiagnosticsOfFile(state, affectedSourceFile, cancellationToken); } state.seenAffectedFiles.add(affectedSourceFile.resolvedPath); state.affectedFilesIndex++; state.buildInfoEmitPending = true; if (!result) continue; } else { result = state.program.getSemanticDiagnostics( /*sourceFile*/ void 0, cancellationToken ); state.changedFilesSet.clear(); state.programEmitPending = getBuilderFileEmit(state.compilerOptions); } return { result, affected }; } } function getSemanticDiagnostics(sourceFile, cancellationToken) { assertSourceFileOkWithoutNextAffectedCall(state, sourceFile); const compilerOptions = Debug.checkDefined(state.program).getCompilerOptions(); if (compilerOptions.outFile) { Debug.assert(!state.semanticDiagnosticsPerFile); return Debug.checkDefined(state.program).getSemanticDiagnostics(sourceFile, cancellationToken); } if (sourceFile) { return getSemanticDiagnosticsOfFile(state, sourceFile, cancellationToken); } while (getSemanticDiagnosticsOfNextAffectedFile(cancellationToken)) { } let diagnostics; for (const sourceFile2 of Debug.checkDefined(state.program).getSourceFiles()) { diagnostics = addRange(diagnostics, getSemanticDiagnosticsOfFile(state, sourceFile2, cancellationToken)); } return diagnostics || emptyArray; } } function addToAffectedFilesPendingEmit(state, affectedFilePendingEmit, kind) { var _a, _b; const existingKind = ((_a = state.affectedFilesPendingEmit) == null ? void 0 : _a.get(affectedFilePendingEmit)) || 0; (state.affectedFilesPendingEmit ?? (state.affectedFilesPendingEmit = /* @__PURE__ */ new Map())).set(affectedFilePendingEmit, existingKind | kind); (_b = state.emitDiagnosticsPerFile) == null ? void 0 : _b.delete(affectedFilePendingEmit); } function toBuilderStateFileInfoForMultiEmit(fileInfo) { return isString2(fileInfo) ? { version: fileInfo, signature: fileInfo, affectsGlobalScope: void 0, impliedFormat: void 0 } : isString2(fileInfo.signature) ? fileInfo : { version: fileInfo.version, signature: fileInfo.signature === false ? void 0 : fileInfo.version, affectsGlobalScope: fileInfo.affectsGlobalScope, impliedFormat: fileInfo.impliedFormat }; } function toBuilderFileEmit(value, fullEmitForOptions) { return isNumber2(value) ? fullEmitForOptions : value[1] || 8; } function toProgramEmitPending(value, options) { return !value ? getBuilderFileEmit(options || {}) : value; } function createBuilderProgramUsingProgramBuildInfo(buildInfo, buildInfoPath, host) { var _a, _b, _c, _d; const program = buildInfo.program; const buildInfoDirectory = getDirectoryPath(getNormalizedAbsolutePath(buildInfoPath, host.getCurrentDirectory())); const getCanonicalFileName = createGetCanonicalFileName(host.useCaseSensitiveFileNames()); let state; const filePaths = (_a = program.fileNames) == null ? void 0 : _a.map(toPathInBuildInfoDirectory); let filePathsSetList; const latestChangedDtsFile = program.latestChangedDtsFile ? toAbsolutePath(program.latestChangedDtsFile) : void 0; if (isProgramBundleEmitBuildInfo(program)) { const fileInfos = /* @__PURE__ */ new Map(); program.fileInfos.forEach((fileInfo, index) => { const path17 = toFilePath(index + 1); fileInfos.set(path17, isString2(fileInfo) ? { version: fileInfo, signature: void 0, affectsGlobalScope: void 0, impliedFormat: void 0 } : fileInfo); }); state = { fileInfos, compilerOptions: program.options ? convertToOptionsWithAbsolutePaths(program.options, toAbsolutePath) : {}, latestChangedDtsFile, outSignature: program.outSignature, programEmitPending: program.pendingEmit === void 0 ? void 0 : toProgramEmitPending(program.pendingEmit, program.options) }; } else { filePathsSetList = (_b = program.fileIdsList) == null ? void 0 : _b.map((fileIds) => new Set(fileIds.map(toFilePath))); const fileInfos = /* @__PURE__ */ new Map(); const emitSignatures = ((_c = program.options) == null ? void 0 : _c.composite) && !program.options.outFile ? /* @__PURE__ */ new Map() : void 0; program.fileInfos.forEach((fileInfo, index) => { const path17 = toFilePath(index + 1); const stateFileInfo = toBuilderStateFileInfoForMultiEmit(fileInfo); fileInfos.set(path17, stateFileInfo); if (emitSignatures && stateFileInfo.signature) emitSignatures.set(path17, stateFileInfo.signature); }); (_d = program.emitSignatures) == null ? void 0 : _d.forEach((value) => { if (isNumber2(value)) emitSignatures.delete(toFilePath(value)); else { const key = toFilePath(value[0]); emitSignatures.set( key, !isString2(value[1]) && !value[1].length ? ( // File signature is emit signature but differs in map [emitSignatures.get(key)] ) : value[1] ); } }); const changedFilesSet = new Set(map(program.changeFileSet, toFilePath)); const fullEmitForOptions = program.affectedFilesPendingEmit ? getBuilderFileEmit(program.options || {}) : void 0; state = { fileInfos, compilerOptions: program.options ? convertToOptionsWithAbsolutePaths(program.options, toAbsolutePath) : {}, referencedMap: toManyToManyPathMap(program.referencedMap, program.options ?? {}), semanticDiagnosticsPerFile: toPerFileSemanticDiagnostics(program.semanticDiagnosticsPerFile, fileInfos, changedFilesSet), emitDiagnosticsPerFile: toPerFileEmitDiagnostics(program.emitDiagnosticsPerFile), hasReusableDiagnostic: true, affectedFilesPendingEmit: program.affectedFilesPendingEmit && arrayToMap(program.affectedFilesPendingEmit, (value) => toFilePath(isNumber2(value) ? value : value[0]), (value) => toBuilderFileEmit(value, fullEmitForOptions)), changedFilesSet, latestChangedDtsFile, emitSignatures: (emitSignatures == null ? void 0 : emitSignatures.size) ? emitSignatures : void 0 }; } return { getState: () => state, saveEmitState: noop2, restoreEmitState: noop2, getProgram: notImplemented, getProgramOrUndefined: returnUndefined, releaseProgram: noop2, getCompilerOptions: () => state.compilerOptions, getSourceFile: notImplemented, getSourceFiles: notImplemented, getOptionsDiagnostics: notImplemented, getGlobalDiagnostics: notImplemented, getConfigFileParsingDiagnostics: notImplemented, getSyntacticDiagnostics: notImplemented, getDeclarationDiagnostics: notImplemented, getSemanticDiagnostics: notImplemented, emit: notImplemented, getAllDependencies: notImplemented, getCurrentDirectory: notImplemented, emitNextAffectedFile: notImplemented, getSemanticDiagnosticsOfNextAffectedFile: notImplemented, emitBuildInfo: notImplemented, close: noop2, hasChangedEmitSignature: returnFalse }; function toPathInBuildInfoDirectory(path17) { return toPath3(path17, buildInfoDirectory, getCanonicalFileName); } function toAbsolutePath(path17) { return getNormalizedAbsolutePath(path17, buildInfoDirectory); } function toFilePath(fileId) { return filePaths[fileId - 1]; } function toFilePathsSet(fileIdsListId) { return filePathsSetList[fileIdsListId - 1]; } function toManyToManyPathMap(referenceMap, options) { const map2 = BuilderState.createReferencedMap(options); if (!map2 || !referenceMap) return map2; referenceMap.forEach(([fileId, fileIdListId]) => map2.set(toFilePath(fileId), toFilePathsSet(fileIdListId))); return map2; } function toPerFileSemanticDiagnostics(diagnostics, fileInfos, changedFilesSet) { const semanticDiagnostics = new Map( mapDefinedIterator( fileInfos.keys(), (key) => !changedFilesSet.has(key) ? [key, emptyArray] : void 0 ) ); diagnostics == null ? void 0 : diagnostics.forEach((value) => { if (isNumber2(value)) semanticDiagnostics.delete(toFilePath(value)); else semanticDiagnostics.set(toFilePath(value[0]), value[1]); }); return semanticDiagnostics.size ? semanticDiagnostics : void 0; } function toPerFileEmitDiagnostics(diagnostics) { return diagnostics && arrayToMap(diagnostics, (value) => toFilePath(value[0]), (value) => value[1]); } } function getBuildInfoFileVersionMap(program, buildInfoPath, host) { const buildInfoDirectory = getDirectoryPath(getNormalizedAbsolutePath(buildInfoPath, host.getCurrentDirectory())); const getCanonicalFileName = createGetCanonicalFileName(host.useCaseSensitiveFileNames()); const fileInfos = /* @__PURE__ */ new Map(); let rootIndex = 0; const roots = /* @__PURE__ */ new Map(); const resolvedRoots = new Map(program.resolvedRoot); program.fileInfos.forEach((fileInfo, index) => { const path17 = toPath3(program.fileNames[index], buildInfoDirectory, getCanonicalFileName); const version2 = isString2(fileInfo) ? fileInfo : fileInfo.version; fileInfos.set(path17, version2); if (rootIndex < program.root.length) { const current = program.root[rootIndex]; const fileId = index + 1; if (isArray3(current)) { if (current[0] <= fileId && fileId <= current[1]) { addRoot(fileId, path17); if (current[1] === fileId) rootIndex++; } } else if (current === fileId) { addRoot(fileId, path17); rootIndex++; } } }); return { fileInfos, roots }; function addRoot(fileId, path17) { const root2 = resolvedRoots.get(fileId); if (root2) { roots.set(toPath3(program.fileNames[root2 - 1], buildInfoDirectory, getCanonicalFileName), path17); } else { roots.set(path17, void 0); } } } function createRedirectedBuilderProgram(getState, configFileParsingDiagnostics) { return { getState: notImplemented, saveEmitState: noop2, restoreEmitState: noop2, getProgram, getProgramOrUndefined: () => getState().program, releaseProgram: () => getState().program = void 0, getCompilerOptions: () => getState().compilerOptions, getSourceFile: (fileName) => getProgram().getSourceFile(fileName), getSourceFiles: () => getProgram().getSourceFiles(), getOptionsDiagnostics: (cancellationToken) => getProgram().getOptionsDiagnostics(cancellationToken), getGlobalDiagnostics: (cancellationToken) => getProgram().getGlobalDiagnostics(cancellationToken), getConfigFileParsingDiagnostics: () => configFileParsingDiagnostics, getSyntacticDiagnostics: (sourceFile, cancellationToken) => getProgram().getSyntacticDiagnostics(sourceFile, cancellationToken), getDeclarationDiagnostics: (sourceFile, cancellationToken) => getProgram().getDeclarationDiagnostics(sourceFile, cancellationToken), getSemanticDiagnostics: (sourceFile, cancellationToken) => getProgram().getSemanticDiagnostics(sourceFile, cancellationToken), emit: (sourceFile, writeFile2, cancellationToken, emitOnlyDts, customTransformers) => getProgram().emit(sourceFile, writeFile2, cancellationToken, emitOnlyDts, customTransformers), emitBuildInfo: (writeFile2, cancellationToken) => getProgram().emitBuildInfo(writeFile2, cancellationToken), getAllDependencies: notImplemented, getCurrentDirectory: () => getProgram().getCurrentDirectory(), close: noop2 }; function getProgram() { return Debug.checkDefined(getState().program); } } function createSemanticDiagnosticsBuilderProgram(newProgramOrRootNames, hostOrOptions, oldProgramOrHost, configFileParsingDiagnosticsOrOldProgram, configFileParsingDiagnostics, projectReferences) { return createBuilderProgram(0, getBuilderCreationParameters(newProgramOrRootNames, hostOrOptions, oldProgramOrHost, configFileParsingDiagnosticsOrOldProgram, configFileParsingDiagnostics, projectReferences)); } function createEmitAndSemanticDiagnosticsBuilderProgram(newProgramOrRootNames, hostOrOptions, oldProgramOrHost, configFileParsingDiagnosticsOrOldProgram, configFileParsingDiagnostics, projectReferences) { return createBuilderProgram(1, getBuilderCreationParameters(newProgramOrRootNames, hostOrOptions, oldProgramOrHost, configFileParsingDiagnosticsOrOldProgram, configFileParsingDiagnostics, projectReferences)); } function createAbstractBuilder(newProgramOrRootNames, hostOrOptions, oldProgramOrHost, configFileParsingDiagnosticsOrOldProgram, configFileParsingDiagnostics, projectReferences) { const { newProgram, configFileParsingDiagnostics: newConfigFileParsingDiagnostics } = getBuilderCreationParameters(newProgramOrRootNames, hostOrOptions, oldProgramOrHost, configFileParsingDiagnosticsOrOldProgram, configFileParsingDiagnostics, projectReferences); return createRedirectedBuilderProgram(() => ({ program: newProgram, compilerOptions: newProgram.getCompilerOptions() }), newConfigFileParsingDiagnostics); } function removeIgnoredPath(path17) { if (endsWith(path17, "/node_modules/.staging")) { return removeSuffix(path17, "/.staging"); } return some(ignoredPaths, (searchPath) => path17.includes(searchPath)) ? void 0 : path17; } function perceivedOsRootLengthForWatching(pathComponents2, length2) { if (length2 <= 1) return 1; let indexAfterOsRoot = 1; let isDosStyle = pathComponents2[0].search(/[a-zA-Z]:/) === 0; if (pathComponents2[0] !== directorySeparator && !isDosStyle && // Non dos style paths pathComponents2[1].search(/[a-zA-Z]\$$/) === 0) { if (length2 === 2) return 2; indexAfterOsRoot = 2; isDosStyle = true; } if (isDosStyle && !pathComponents2[indexAfterOsRoot].match(/^users$/i)) { return indexAfterOsRoot; } if (pathComponents2[indexAfterOsRoot].match(/^workspaces$/i)) { return indexAfterOsRoot + 1; } return indexAfterOsRoot + 2; } function canWatchDirectoryOrFile(pathComponents2, length2) { if (length2 === void 0) length2 = pathComponents2.length; if (length2 <= 2) return false; const perceivedOsRootLength = perceivedOsRootLengthForWatching(pathComponents2, length2); return length2 > perceivedOsRootLength + 1; } function canWatchAtTypes(atTypes) { return canWatchAffectedPackageJsonOrNodeModulesOfAtTypes(getDirectoryPath(atTypes)); } function isInDirectoryPath(dirComponents, fileOrDirComponents) { if (fileOrDirComponents.length < fileOrDirComponents.length) return false; for (let i = 0; i < dirComponents.length; i++) { if (fileOrDirComponents[i] !== dirComponents[i]) return false; } return true; } function canWatchAffectedPackageJsonOrNodeModulesOfAtTypes(fileOrDirPath) { return canWatchDirectoryOrFile(getPathComponents(fileOrDirPath)); } function canWatchAffectingLocation(filePath) { return canWatchAffectedPackageJsonOrNodeModulesOfAtTypes(filePath); } function getDirectoryToWatchFailedLookupLocation(failedLookupLocation, failedLookupLocationPath, rootDir, rootPath, rootPathComponents, getCurrentDirectory) { const failedLookupPathComponents = getPathComponents(failedLookupLocationPath); failedLookupLocation = isRootedDiskPath(failedLookupLocation) ? normalizePath(failedLookupLocation) : getNormalizedAbsolutePath(failedLookupLocation, getCurrentDirectory()); const failedLookupComponents = getPathComponents(failedLookupLocation); const perceivedOsRootLength = perceivedOsRootLengthForWatching(failedLookupPathComponents, failedLookupPathComponents.length); if (failedLookupPathComponents.length <= perceivedOsRootLength + 1) return void 0; const nodeModulesIndex = failedLookupPathComponents.indexOf("node_modules"); if (nodeModulesIndex !== -1 && nodeModulesIndex + 1 <= perceivedOsRootLength + 1) return void 0; const lastNodeModulesIndex = failedLookupPathComponents.lastIndexOf("node_modules"); if (isInDirectoryPath(rootPathComponents, failedLookupPathComponents)) { if (failedLookupPathComponents.length > rootPathComponents.length + 1) { return getDirectoryOfFailedLookupWatch( failedLookupComponents, failedLookupPathComponents, Math.max(rootPathComponents.length + 1, perceivedOsRootLength + 1), lastNodeModulesIndex ); } else { return { dir: rootDir, dirPath: rootPath, nonRecursive: true }; } } return getDirectoryToWatchFromFailedLookupLocationDirectory( failedLookupComponents, failedLookupPathComponents, failedLookupPathComponents.length - 1, perceivedOsRootLength, nodeModulesIndex, rootPathComponents, lastNodeModulesIndex ); } function getDirectoryToWatchFromFailedLookupLocationDirectory(dirComponents, dirPathComponents, dirPathComponentsLength, perceivedOsRootLength, nodeModulesIndex, rootPathComponents, lastNodeModulesIndex) { if (nodeModulesIndex !== -1) { return getDirectoryOfFailedLookupWatch( dirComponents, dirPathComponents, nodeModulesIndex + 1, lastNodeModulesIndex ); } let nonRecursive = true; let length2 = dirPathComponentsLength; for (let i = 0; i < dirPathComponentsLength; i++) { if (dirPathComponents[i] !== rootPathComponents[i]) { nonRecursive = false; length2 = Math.max(i + 1, perceivedOsRootLength + 1); break; } } return getDirectoryOfFailedLookupWatch( dirComponents, dirPathComponents, length2, lastNodeModulesIndex, nonRecursive ); } function getDirectoryOfFailedLookupWatch(dirComponents, dirPathComponents, length2, lastNodeModulesIndex, nonRecursive) { let packageDirLength; if (lastNodeModulesIndex !== -1 && lastNodeModulesIndex + 1 >= length2 && lastNodeModulesIndex + 2 < dirPathComponents.length) { if (!startsWith2(dirPathComponents[lastNodeModulesIndex + 1], "@")) { packageDirLength = lastNodeModulesIndex + 2; } else if (lastNodeModulesIndex + 3 < dirPathComponents.length) { packageDirLength = lastNodeModulesIndex + 3; } } return { dir: getPathFromPathComponents(dirComponents, length2), dirPath: getPathFromPathComponents(dirPathComponents, length2), nonRecursive, packageDir: packageDirLength !== void 0 ? getPathFromPathComponents(dirComponents, packageDirLength) : void 0, packageDirPath: packageDirLength !== void 0 ? getPathFromPathComponents(dirPathComponents, packageDirLength) : void 0 }; } function getDirectoryToWatchFailedLookupLocationFromTypeRoot(typeRoot, typeRootPath, rootPath, rootPathComponents, getCurrentDirectory, filterCustomPath) { const typeRootPathComponents = getPathComponents(typeRootPath); if (isInDirectoryPath(rootPathComponents, typeRootPathComponents)) { return rootPath; } typeRoot = isRootedDiskPath(typeRoot) ? normalizePath(typeRoot) : getNormalizedAbsolutePath(typeRoot, getCurrentDirectory()); const toWatch = getDirectoryToWatchFromFailedLookupLocationDirectory( getPathComponents(typeRoot), typeRootPathComponents, typeRootPathComponents.length, perceivedOsRootLengthForWatching(typeRootPathComponents, typeRootPathComponents.length), typeRootPathComponents.indexOf("node_modules"), rootPathComponents, typeRootPathComponents.lastIndexOf("node_modules") ); return toWatch && filterCustomPath(toWatch.dirPath) ? toWatch.dirPath : void 0; } function getRootDirectoryOfResolutionCache(rootDirForResolution, getCurrentDirectory) { const normalized = getNormalizedAbsolutePath(rootDirForResolution, getCurrentDirectory()); return !isDiskPathRoot(normalized) ? removeTrailingDirectorySeparator(normalized) : normalized; } function getRootPathSplitLength(rootPath) { return rootPath.split(directorySeparator).length - (hasTrailingDirectorySeparator(rootPath) ? 1 : 0); } function getModuleResolutionHost(resolutionHost) { var _a; return ((_a = resolutionHost.getCompilerHost) == null ? void 0 : _a.call(resolutionHost)) || resolutionHost; } function createModuleResolutionLoaderUsingGlobalCache(containingFile, redirectedReference, options, resolutionHost, moduleResolutionCache) { return { nameAndMode: moduleResolutionNameAndModeGetter, resolve: (moduleName, resoluionMode) => resolveModuleNameUsingGlobalCache( resolutionHost, moduleResolutionCache, moduleName, containingFile, options, redirectedReference, resoluionMode ) }; } function resolveModuleNameUsingGlobalCache(resolutionHost, moduleResolutionCache, moduleName, containingFile, compilerOptions, redirectedReference, mode) { const host = getModuleResolutionHost(resolutionHost); const primaryResult = resolveModuleName(moduleName, containingFile, compilerOptions, host, moduleResolutionCache, redirectedReference, mode); if (!resolutionHost.getGlobalCache) { return primaryResult; } const globalCache = resolutionHost.getGlobalCache(); if (globalCache !== void 0 && !isExternalModuleNameRelative(moduleName) && !(primaryResult.resolvedModule && extensionIsTS(primaryResult.resolvedModule.extension))) { const { resolvedModule, failedLookupLocations, affectingLocations, resolutionDiagnostics } = loadModuleFromGlobalCache( Debug.checkDefined(resolutionHost.globalCacheResolutionModuleName)(moduleName), resolutionHost.projectName, compilerOptions, host, globalCache, moduleResolutionCache ); if (resolvedModule) { primaryResult.resolvedModule = resolvedModule; primaryResult.failedLookupLocations = updateResolutionField(primaryResult.failedLookupLocations, failedLookupLocations); primaryResult.affectingLocations = updateResolutionField(primaryResult.affectingLocations, affectingLocations); primaryResult.resolutionDiagnostics = updateResolutionField(primaryResult.resolutionDiagnostics, resolutionDiagnostics); return primaryResult; } } return primaryResult; } function createResolutionCache(resolutionHost, rootDirForResolution, logChangesWhenResolvingModule) { let filesWithChangedSetOfUnresolvedImports; let filesWithInvalidatedResolutions; let filesWithInvalidatedNonRelativeUnresolvedImports; const nonRelativeExternalModuleResolutions = createMultiMap(); const resolutionsWithFailedLookups = /* @__PURE__ */ new Set(); const resolutionsWithOnlyAffectingLocations = /* @__PURE__ */ new Set(); const resolvedFileToResolution = /* @__PURE__ */ new Map(); const impliedFormatPackageJsons = /* @__PURE__ */ new Map(); let hasChangedAutomaticTypeDirectiveNames = false; let affectingPathChecksForFile; let affectingPathChecks; let failedLookupChecks; let startsWithPathChecks; let isInDirectoryChecks; let allModuleAndTypeResolutionsAreInvalidated = false; const getCurrentDirectory = memoize(() => resolutionHost.getCurrentDirectory()); const cachedDirectoryStructureHost = resolutionHost.getCachedDirectoryStructureHost(); const resolvedModuleNames = /* @__PURE__ */ new Map(); const moduleResolutionCache = createModuleResolutionCache( getCurrentDirectory(), resolutionHost.getCanonicalFileName, resolutionHost.getCompilationSettings() ); const resolvedTypeReferenceDirectives = /* @__PURE__ */ new Map(); const typeReferenceDirectiveResolutionCache = createTypeReferenceDirectiveResolutionCache( getCurrentDirectory(), resolutionHost.getCanonicalFileName, resolutionHost.getCompilationSettings(), moduleResolutionCache.getPackageJsonInfoCache(), moduleResolutionCache.optionsToRedirectsKey ); const resolvedLibraries = /* @__PURE__ */ new Map(); const libraryResolutionCache = createModuleResolutionCache( getCurrentDirectory(), resolutionHost.getCanonicalFileName, getOptionsForLibraryResolution(resolutionHost.getCompilationSettings()), moduleResolutionCache.getPackageJsonInfoCache() ); const directoryWatchesOfFailedLookups = /* @__PURE__ */ new Map(); const fileWatchesOfAffectingLocations = /* @__PURE__ */ new Map(); const rootDir = getRootDirectoryOfResolutionCache(rootDirForResolution, getCurrentDirectory); const rootPath = resolutionHost.toPath(rootDir); const rootPathComponents = getPathComponents(rootPath); const isSymlinkCache = /* @__PURE__ */ new Map(); const packageDirWatchers = /* @__PURE__ */ new Map(); const dirPathToSymlinkPackageRefCount = /* @__PURE__ */ new Map(); const typeRootsWatches = /* @__PURE__ */ new Map(); return { rootDirForResolution, resolvedModuleNames, resolvedTypeReferenceDirectives, resolvedLibraries, resolvedFileToResolution, resolutionsWithFailedLookups, resolutionsWithOnlyAffectingLocations, directoryWatchesOfFailedLookups, fileWatchesOfAffectingLocations, packageDirWatchers, dirPathToSymlinkPackageRefCount, watchFailedLookupLocationsOfExternalModuleResolutions, getModuleResolutionCache: () => moduleResolutionCache, startRecordingFilesWithChangedResolutions, finishRecordingFilesWithChangedResolutions, // perDirectoryResolvedModuleNames and perDirectoryResolvedTypeReferenceDirectives could be non empty if there was exception during program update // (between startCachingPerDirectoryResolution and finishCachingPerDirectoryResolution) startCachingPerDirectoryResolution, finishCachingPerDirectoryResolution, resolveModuleNameLiterals, resolveTypeReferenceDirectiveReferences, resolveLibrary: resolveLibrary2, resolveSingleModuleNameWithoutWatching, removeResolutionsFromProjectReferenceRedirects, removeResolutionsOfFile, hasChangedAutomaticTypeDirectiveNames: () => hasChangedAutomaticTypeDirectiveNames, invalidateResolutionOfFile, invalidateResolutionsOfFailedLookupLocations, setFilesWithInvalidatedNonRelativeUnresolvedImports, createHasInvalidatedResolutions, isFileWithInvalidatedNonRelativeUnresolvedImports, updateTypeRootsWatch, closeTypeRootsWatch, clear: clear2, onChangesAffectModuleResolution }; function getResolvedModule(resolution) { return resolution.resolvedModule; } function getResolvedTypeReferenceDirective(resolution) { return resolution.resolvedTypeReferenceDirective; } function clear2() { clearMap(directoryWatchesOfFailedLookups, closeFileWatcherOf); clearMap(fileWatchesOfAffectingLocations, closeFileWatcherOf); isSymlinkCache.clear(); packageDirWatchers.clear(); dirPathToSymlinkPackageRefCount.clear(); nonRelativeExternalModuleResolutions.clear(); closeTypeRootsWatch(); resolvedModuleNames.clear(); resolvedTypeReferenceDirectives.clear(); resolvedFileToResolution.clear(); resolutionsWithFailedLookups.clear(); resolutionsWithOnlyAffectingLocations.clear(); failedLookupChecks = void 0; startsWithPathChecks = void 0; isInDirectoryChecks = void 0; affectingPathChecks = void 0; affectingPathChecksForFile = void 0; allModuleAndTypeResolutionsAreInvalidated = false; moduleResolutionCache.clear(); typeReferenceDirectiveResolutionCache.clear(); moduleResolutionCache.update(resolutionHost.getCompilationSettings()); typeReferenceDirectiveResolutionCache.update(resolutionHost.getCompilationSettings()); libraryResolutionCache.clear(); impliedFormatPackageJsons.clear(); resolvedLibraries.clear(); hasChangedAutomaticTypeDirectiveNames = false; } function onChangesAffectModuleResolution() { allModuleAndTypeResolutionsAreInvalidated = true; moduleResolutionCache.clearAllExceptPackageJsonInfoCache(); typeReferenceDirectiveResolutionCache.clearAllExceptPackageJsonInfoCache(); moduleResolutionCache.update(resolutionHost.getCompilationSettings()); typeReferenceDirectiveResolutionCache.update(resolutionHost.getCompilationSettings()); } function startRecordingFilesWithChangedResolutions() { filesWithChangedSetOfUnresolvedImports = []; } function finishRecordingFilesWithChangedResolutions() { const collected = filesWithChangedSetOfUnresolvedImports; filesWithChangedSetOfUnresolvedImports = void 0; return collected; } function isFileWithInvalidatedNonRelativeUnresolvedImports(path17) { if (!filesWithInvalidatedNonRelativeUnresolvedImports) { return false; } const value = filesWithInvalidatedNonRelativeUnresolvedImports.get(path17); return !!value && !!value.length; } function createHasInvalidatedResolutions(customHasInvalidatedResolutions, customHasInvalidatedLibResolutions) { invalidateResolutionsOfFailedLookupLocations(); const collected = filesWithInvalidatedResolutions; filesWithInvalidatedResolutions = void 0; return { hasInvalidatedResolutions: (path17) => customHasInvalidatedResolutions(path17) || allModuleAndTypeResolutionsAreInvalidated || !!(collected == null ? void 0 : collected.has(path17)) || isFileWithInvalidatedNonRelativeUnresolvedImports(path17), hasInvalidatedLibResolutions: (libFileName) => { var _a; return customHasInvalidatedLibResolutions(libFileName) || !!((_a = resolvedLibraries == null ? void 0 : resolvedLibraries.get(libFileName)) == null ? void 0 : _a.isInvalidated); } }; } function startCachingPerDirectoryResolution() { moduleResolutionCache.isReadonly = void 0; typeReferenceDirectiveResolutionCache.isReadonly = void 0; libraryResolutionCache.isReadonly = void 0; moduleResolutionCache.getPackageJsonInfoCache().isReadonly = void 0; moduleResolutionCache.clearAllExceptPackageJsonInfoCache(); typeReferenceDirectiveResolutionCache.clearAllExceptPackageJsonInfoCache(); libraryResolutionCache.clearAllExceptPackageJsonInfoCache(); nonRelativeExternalModuleResolutions.forEach(watchFailedLookupLocationOfNonRelativeModuleResolutions); nonRelativeExternalModuleResolutions.clear(); isSymlinkCache.clear(); } function cleanupLibResolutionWatching(newProgram) { resolvedLibraries.forEach((resolution, libFileName) => { var _a; if (!((_a = newProgram == null ? void 0 : newProgram.resolvedLibReferences) == null ? void 0 : _a.has(libFileName))) { stopWatchFailedLookupLocationOfResolution( resolution, resolutionHost.toPath(getInferredLibraryNameResolveFrom(resolutionHost.getCompilationSettings(), getCurrentDirectory(), libFileName)), getResolvedModule ); resolvedLibraries.delete(libFileName); } }); } function finishCachingPerDirectoryResolution(newProgram, oldProgram) { filesWithInvalidatedNonRelativeUnresolvedImports = void 0; allModuleAndTypeResolutionsAreInvalidated = false; nonRelativeExternalModuleResolutions.forEach(watchFailedLookupLocationOfNonRelativeModuleResolutions); nonRelativeExternalModuleResolutions.clear(); if (newProgram !== oldProgram) { cleanupLibResolutionWatching(newProgram); newProgram == null ? void 0 : newProgram.getSourceFiles().forEach((newFile) => { var _a; const expected = isExternalOrCommonJsModule(newFile) ? ((_a = newFile.packageJsonLocations) == null ? void 0 : _a.length) ?? 0 : 0; const existing = impliedFormatPackageJsons.get(newFile.resolvedPath) ?? emptyArray; for (let i = existing.length; i < expected; i++) { createFileWatcherOfAffectingLocation( newFile.packageJsonLocations[i], /*forResolution*/ false ); } if (existing.length > expected) { for (let i = expected; i < existing.length; i++) { fileWatchesOfAffectingLocations.get(existing[i]).files--; } } if (expected) impliedFormatPackageJsons.set(newFile.resolvedPath, newFile.packageJsonLocations); else impliedFormatPackageJsons.delete(newFile.resolvedPath); }); impliedFormatPackageJsons.forEach((existing, path17) => { const newFile = newProgram == null ? void 0 : newProgram.getSourceFileByPath(path17); if (!newFile || newFile.resolvedPath !== path17) { existing.forEach((location) => fileWatchesOfAffectingLocations.get(location).files--); impliedFormatPackageJsons.delete(path17); } }); } directoryWatchesOfFailedLookups.forEach(closeDirectoryWatchesOfFailedLookup); fileWatchesOfAffectingLocations.forEach(closeFileWatcherOfAffectingLocation); packageDirWatchers.forEach(closePackageDirWatcher); hasChangedAutomaticTypeDirectiveNames = false; moduleResolutionCache.isReadonly = true; typeReferenceDirectiveResolutionCache.isReadonly = true; libraryResolutionCache.isReadonly = true; moduleResolutionCache.getPackageJsonInfoCache().isReadonly = true; isSymlinkCache.clear(); } function closePackageDirWatcher(watcher, packageDirPath) { if (watcher.dirPathToWatcher.size === 0) { packageDirWatchers.delete(packageDirPath); } } function closeDirectoryWatchesOfFailedLookup(watcher, path17) { if (watcher.refCount === 0) { directoryWatchesOfFailedLookups.delete(path17); watcher.watcher.close(); } } function closeFileWatcherOfAffectingLocation(watcher, path17) { var _a; if (watcher.files === 0 && watcher.resolutions === 0 && !((_a = watcher.symlinks) == null ? void 0 : _a.size)) { fileWatchesOfAffectingLocations.delete(path17); watcher.watcher.close(); } } function resolveNamesWithLocalCache({ entries, containingFile, containingSourceFile, redirectedReference, options, perFileCache, reusedNames, loader, getResolutionWithResolvedFileName, deferWatchingNonRelativeResolution, shouldRetryResolution, logChanges }) { const path17 = resolutionHost.toPath(containingFile); const resolutionsInFile = perFileCache.get(path17) || perFileCache.set(path17, createModeAwareCache()).get(path17); const resolvedModules = []; const hasInvalidatedNonRelativeUnresolvedImport = logChanges && isFileWithInvalidatedNonRelativeUnresolvedImports(path17); const program = resolutionHost.getCurrentProgram(); const oldRedirect = program && program.getResolvedProjectReferenceToRedirect(containingFile); const unmatchedRedirects = oldRedirect ? !redirectedReference || redirectedReference.sourceFile.path !== oldRedirect.sourceFile.path : !!redirectedReference; const seenNamesInFile = createModeAwareCache(); for (const entry of entries) { const name = loader.nameAndMode.getName(entry); const mode = loader.nameAndMode.getMode(entry, containingSourceFile, (redirectedReference == null ? void 0 : redirectedReference.commandLine.options) || options); let resolution = resolutionsInFile.get(name, mode); if (!seenNamesInFile.has(name, mode) && (allModuleAndTypeResolutionsAreInvalidated || unmatchedRedirects || !resolution || resolution.isInvalidated || // If the name is unresolved import that was invalidated, recalculate hasInvalidatedNonRelativeUnresolvedImport && !isExternalModuleNameRelative(name) && shouldRetryResolution(resolution))) { const existingResolution = resolution; resolution = loader.resolve(name, mode); if (resolutionHost.onDiscoveredSymlink && resolutionIsSymlink(resolution)) { resolutionHost.onDiscoveredSymlink(); } resolutionsInFile.set(name, mode, resolution); if (resolution !== existingResolution) { watchFailedLookupLocationsOfExternalModuleResolutions(name, resolution, path17, getResolutionWithResolvedFileName, deferWatchingNonRelativeResolution); if (existingResolution) { stopWatchFailedLookupLocationOfResolution(existingResolution, path17, getResolutionWithResolvedFileName); } } if (logChanges && filesWithChangedSetOfUnresolvedImports && !resolutionIsEqualTo(existingResolution, resolution)) { filesWithChangedSetOfUnresolvedImports.push(path17); logChanges = false; } } else { const host = getModuleResolutionHost(resolutionHost); if (isTraceEnabled(options, host) && !seenNamesInFile.has(name, mode)) { const resolved = getResolutionWithResolvedFileName(resolution); trace( host, perFileCache === resolvedModuleNames ? (resolved == null ? void 0 : resolved.resolvedFileName) ? resolved.packageId ? Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package_ID_3 : Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2 : Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_not_resolved : (resolved == null ? void 0 : resolved.resolvedFileName) ? resolved.packageId ? Diagnostics.Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package_ID_3 : Diagnostics.Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_successfully_resolved_to_2 : Diagnostics.Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_not_resolved, name, containingFile, resolved == null ? void 0 : resolved.resolvedFileName, (resolved == null ? void 0 : resolved.packageId) && packageIdToString(resolved.packageId) ); } } Debug.assert(resolution !== void 0 && !resolution.isInvalidated); seenNamesInFile.set(name, mode, true); resolvedModules.push(resolution); } reusedNames == null ? void 0 : reusedNames.forEach( (entry) => seenNamesInFile.set( loader.nameAndMode.getName(entry), loader.nameAndMode.getMode(entry, containingSourceFile, (redirectedReference == null ? void 0 : redirectedReference.commandLine.options) || options), true ) ); if (resolutionsInFile.size() !== seenNamesInFile.size()) { resolutionsInFile.forEach((resolution, name, mode) => { if (!seenNamesInFile.has(name, mode)) { stopWatchFailedLookupLocationOfResolution(resolution, path17, getResolutionWithResolvedFileName); resolutionsInFile.delete(name, mode); } }); } return resolvedModules; function resolutionIsEqualTo(oldResolution, newResolution) { if (oldResolution === newResolution) { return true; } if (!oldResolution || !newResolution) { return false; } const oldResult = getResolutionWithResolvedFileName(oldResolution); const newResult = getResolutionWithResolvedFileName(newResolution); if (oldResult === newResult) { return true; } if (!oldResult || !newResult) { return false; } return oldResult.resolvedFileName === newResult.resolvedFileName; } } function resolveTypeReferenceDirectiveReferences(typeDirectiveReferences, containingFile, redirectedReference, options, containingSourceFile, reusedNames) { return resolveNamesWithLocalCache({ entries: typeDirectiveReferences, containingFile, containingSourceFile, redirectedReference, options, reusedNames, perFileCache: resolvedTypeReferenceDirectives, loader: createTypeReferenceResolutionLoader( containingFile, redirectedReference, options, getModuleResolutionHost(resolutionHost), typeReferenceDirectiveResolutionCache ), getResolutionWithResolvedFileName: getResolvedTypeReferenceDirective, shouldRetryResolution: (resolution) => resolution.resolvedTypeReferenceDirective === void 0, deferWatchingNonRelativeResolution: false }); } function resolveModuleNameLiterals(moduleLiterals, containingFile, redirectedReference, options, containingSourceFile, reusedNames) { return resolveNamesWithLocalCache({ entries: moduleLiterals, containingFile, containingSourceFile, redirectedReference, options, reusedNames, perFileCache: resolvedModuleNames, loader: createModuleResolutionLoaderUsingGlobalCache( containingFile, redirectedReference, options, resolutionHost, moduleResolutionCache ), getResolutionWithResolvedFileName: getResolvedModule, shouldRetryResolution: (resolution) => !resolution.resolvedModule || !resolutionExtensionIsTSOrJson(resolution.resolvedModule.extension), logChanges: logChangesWhenResolvingModule, deferWatchingNonRelativeResolution: true // Defer non relative resolution watch because we could be using ambient modules }); } function resolveLibrary2(libraryName, resolveFrom, options, libFileName) { const host = getModuleResolutionHost(resolutionHost); let resolution = resolvedLibraries == null ? void 0 : resolvedLibraries.get(libFileName); if (!resolution || resolution.isInvalidated) { const existingResolution = resolution; resolution = resolveLibrary(libraryName, resolveFrom, options, host, libraryResolutionCache); const path17 = resolutionHost.toPath(resolveFrom); watchFailedLookupLocationsOfExternalModuleResolutions( libraryName, resolution, path17, getResolvedModule, /*deferWatchingNonRelativeResolution*/ false ); resolvedLibraries.set(libFileName, resolution); if (existingResolution) { stopWatchFailedLookupLocationOfResolution(existingResolution, path17, getResolvedModule); } } else { if (isTraceEnabled(options, host)) { const resolved = getResolvedModule(resolution); trace( host, (resolved == null ? void 0 : resolved.resolvedFileName) ? resolved.packageId ? Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package_ID_3 : Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2 : Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_not_resolved, libraryName, resolveFrom, resolved == null ? void 0 : resolved.resolvedFileName, (resolved == null ? void 0 : resolved.packageId) && packageIdToString(resolved.packageId) ); } } return resolution; } function resolveSingleModuleNameWithoutWatching(moduleName, containingFile) { var _a, _b; const path17 = resolutionHost.toPath(containingFile); const resolutionsInFile = resolvedModuleNames.get(path17); const resolution = resolutionsInFile == null ? void 0 : resolutionsInFile.get( moduleName, /*mode*/ void 0 ); if (resolution && !resolution.isInvalidated) return resolution; const data = (_a = resolutionHost.beforeResolveSingleModuleNameWithoutWatching) == null ? void 0 : _a.call(resolutionHost, moduleResolutionCache); const host = getModuleResolutionHost(resolutionHost); const result = resolveModuleName( moduleName, containingFile, resolutionHost.getCompilationSettings(), host, moduleResolutionCache ); (_b = resolutionHost.afterResolveSingleModuleNameWithoutWatching) == null ? void 0 : _b.call(resolutionHost, moduleResolutionCache, moduleName, containingFile, result, data); return result; } function isNodeModulesAtTypesDirectory(dirPath) { return endsWith(dirPath, "/node_modules/@types"); } function watchFailedLookupLocationsOfExternalModuleResolutions(name, resolution, filePath, getResolutionWithResolvedFileName, deferWatchingNonRelativeResolution) { var _a; if (resolution.refCount) { resolution.refCount++; Debug.assertIsDefined(resolution.files); } else { resolution.refCount = 1; Debug.assert(!((_a = resolution.files) == null ? void 0 : _a.size)); if (!deferWatchingNonRelativeResolution || isExternalModuleNameRelative(name)) { watchFailedLookupLocationOfResolution(resolution); } else { nonRelativeExternalModuleResolutions.add(name, resolution); } const resolved = getResolutionWithResolvedFileName(resolution); if (resolved && resolved.resolvedFileName) { const key = resolutionHost.toPath(resolved.resolvedFileName); let resolutions = resolvedFileToResolution.get(key); if (!resolutions) resolvedFileToResolution.set(key, resolutions = /* @__PURE__ */ new Set()); resolutions.add(resolution); } } (resolution.files ?? (resolution.files = /* @__PURE__ */ new Set())).add(filePath); } function watchFailedLookupLocation(failedLookupLocation, setAtRoot) { const failedLookupLocationPath = resolutionHost.toPath(failedLookupLocation); const toWatch = getDirectoryToWatchFailedLookupLocation( failedLookupLocation, failedLookupLocationPath, rootDir, rootPath, rootPathComponents, getCurrentDirectory ); if (toWatch) { const { dir, dirPath, nonRecursive, packageDir, packageDirPath } = toWatch; if (dirPath === rootPath) { Debug.assert(nonRecursive); Debug.assert(!packageDir); setAtRoot = true; } else { setDirectoryWatcher(dir, dirPath, packageDir, packageDirPath, nonRecursive); } } return setAtRoot; } function watchFailedLookupLocationOfResolution(resolution) { Debug.assert(!!resolution.refCount); const { failedLookupLocations, affectingLocations, alternateResult } = resolution; if (!(failedLookupLocations == null ? void 0 : failedLookupLocations.length) && !(affectingLocations == null ? void 0 : affectingLocations.length) && !alternateResult) return; if ((failedLookupLocations == null ? void 0 : failedLookupLocations.length) || alternateResult) resolutionsWithFailedLookups.add(resolution); let setAtRoot = false; if (failedLookupLocations) { for (const failedLookupLocation of failedLookupLocations) { setAtRoot = watchFailedLookupLocation(failedLookupLocation, setAtRoot); } } if (alternateResult) setAtRoot = watchFailedLookupLocation(alternateResult, setAtRoot); if (setAtRoot) { setDirectoryWatcher( rootDir, rootPath, /*packageDir*/ void 0, /*packageDirPath*/ void 0, /*nonRecursive*/ true ); } watchAffectingLocationsOfResolution(resolution, !(failedLookupLocations == null ? void 0 : failedLookupLocations.length) && !alternateResult); } function watchAffectingLocationsOfResolution(resolution, addToResolutionsWithOnlyAffectingLocations) { Debug.assert(!!resolution.refCount); const { affectingLocations } = resolution; if (!(affectingLocations == null ? void 0 : affectingLocations.length)) return; if (addToResolutionsWithOnlyAffectingLocations) resolutionsWithOnlyAffectingLocations.add(resolution); for (const affectingLocation of affectingLocations) { createFileWatcherOfAffectingLocation( affectingLocation, /*forResolution*/ true ); } } function createFileWatcherOfAffectingLocation(affectingLocation, forResolution) { const fileWatcher = fileWatchesOfAffectingLocations.get(affectingLocation); if (fileWatcher) { if (forResolution) fileWatcher.resolutions++; else fileWatcher.files++; return; } let locationToWatch = affectingLocation; let isSymlink = false; let symlinkWatcher; if (resolutionHost.realpath) { locationToWatch = resolutionHost.realpath(affectingLocation); if (affectingLocation !== locationToWatch) { isSymlink = true; symlinkWatcher = fileWatchesOfAffectingLocations.get(locationToWatch); } } const resolutions = forResolution ? 1 : 0; const files = forResolution ? 0 : 1; if (!isSymlink || !symlinkWatcher) { const watcher = { watcher: canWatchAffectingLocation(resolutionHost.toPath(locationToWatch)) ? resolutionHost.watchAffectingFileLocation(locationToWatch, (fileName, eventKind) => { cachedDirectoryStructureHost == null ? void 0 : cachedDirectoryStructureHost.addOrDeleteFile(fileName, resolutionHost.toPath(locationToWatch), eventKind); invalidateAffectingFileWatcher(locationToWatch, moduleResolutionCache.getPackageJsonInfoCache().getInternalMap()); resolutionHost.scheduleInvalidateResolutionsOfFailedLookupLocations(); }) : noopFileWatcher, resolutions: isSymlink ? 0 : resolutions, files: isSymlink ? 0 : files, symlinks: void 0 }; fileWatchesOfAffectingLocations.set(locationToWatch, watcher); if (isSymlink) symlinkWatcher = watcher; } if (isSymlink) { Debug.assert(!!symlinkWatcher); const watcher = { watcher: { close: () => { var _a; const symlinkWatcher2 = fileWatchesOfAffectingLocations.get(locationToWatch); if (((_a = symlinkWatcher2 == null ? void 0 : symlinkWatcher2.symlinks) == null ? void 0 : _a.delete(affectingLocation)) && !symlinkWatcher2.symlinks.size && !symlinkWatcher2.resolutions && !symlinkWatcher2.files) { fileWatchesOfAffectingLocations.delete(locationToWatch); symlinkWatcher2.watcher.close(); } } }, resolutions, files, symlinks: void 0 }; fileWatchesOfAffectingLocations.set(affectingLocation, watcher); (symlinkWatcher.symlinks ?? (symlinkWatcher.symlinks = /* @__PURE__ */ new Set())).add(affectingLocation); } } function invalidateAffectingFileWatcher(path17, packageJsonMap) { var _a; const watcher = fileWatchesOfAffectingLocations.get(path17); if (watcher == null ? void 0 : watcher.resolutions) (affectingPathChecks ?? (affectingPathChecks = /* @__PURE__ */ new Set())).add(path17); if (watcher == null ? void 0 : watcher.files) (affectingPathChecksForFile ?? (affectingPathChecksForFile = /* @__PURE__ */ new Set())).add(path17); (_a = watcher == null ? void 0 : watcher.symlinks) == null ? void 0 : _a.forEach((path22) => invalidateAffectingFileWatcher(path22, packageJsonMap)); packageJsonMap == null ? void 0 : packageJsonMap.delete(resolutionHost.toPath(path17)); } function watchFailedLookupLocationOfNonRelativeModuleResolutions(resolutions, name) { const program = resolutionHost.getCurrentProgram(); if (!program || !program.getTypeChecker().tryFindAmbientModuleWithoutAugmentations(name)) { resolutions.forEach(watchFailedLookupLocationOfResolution); } else { resolutions.forEach((resolution) => watchAffectingLocationsOfResolution( resolution, /*addToResolutionsWithOnlyAffectingLocations*/ true )); } } function createDirectoryWatcherForPackageDir(dir, dirPath, packageDir, packageDirPath, nonRecursive) { Debug.assert(!nonRecursive); let isSymlink = isSymlinkCache.get(packageDirPath); let packageDirWatcher = packageDirWatchers.get(packageDirPath); if (isSymlink === void 0) { const realPath2 = resolutionHost.realpath(packageDir); isSymlink = realPath2 !== packageDir && resolutionHost.toPath(realPath2) !== packageDirPath; isSymlinkCache.set(packageDirPath, isSymlink); if (!packageDirWatcher) { packageDirWatchers.set( packageDirPath, packageDirWatcher = { dirPathToWatcher: /* @__PURE__ */ new Map(), isSymlink } ); } else if (packageDirWatcher.isSymlink !== isSymlink) { packageDirWatcher.dirPathToWatcher.forEach((watcher) => { removeDirectoryWatcher( packageDirWatcher.isSymlink ? packageDirPath : dirPath, /*syncDirWatcherRemove*/ false ); watcher.watcher = createDirPathToWatcher(); }); packageDirWatcher.isSymlink = isSymlink; } } else { Debug.assertIsDefined(packageDirWatcher); Debug.assert(isSymlink === packageDirWatcher.isSymlink); } const forDirPath = packageDirWatcher.dirPathToWatcher.get(dirPath); if (forDirPath) { forDirPath.refCount++; } else { packageDirWatcher.dirPathToWatcher.set(dirPath, { watcher: createDirPathToWatcher(), refCount: 1 }); if (isSymlink) dirPathToSymlinkPackageRefCount.set(dirPath, (dirPathToSymlinkPackageRefCount.get(dirPath) ?? 0) + 1); } function createDirPathToWatcher() { return isSymlink ? createOrAddRefToDirectoryWatchOfFailedLookups(packageDir, packageDirPath, nonRecursive) : createOrAddRefToDirectoryWatchOfFailedLookups(dir, dirPath, nonRecursive); } } function setDirectoryWatcher(dir, dirPath, packageDir, packageDirPath, nonRecursive) { if (!packageDirPath || !resolutionHost.realpath) { createOrAddRefToDirectoryWatchOfFailedLookups(dir, dirPath, nonRecursive); } else { createDirectoryWatcherForPackageDir(dir, dirPath, packageDir, packageDirPath, nonRecursive); } } function createOrAddRefToDirectoryWatchOfFailedLookups(dir, dirPath, nonRecursive) { let dirWatcher = directoryWatchesOfFailedLookups.get(dirPath); if (dirWatcher) { Debug.assert(!!nonRecursive === !!dirWatcher.nonRecursive); dirWatcher.refCount++; } else { directoryWatchesOfFailedLookups.set(dirPath, dirWatcher = { watcher: createDirectoryWatcher(dir, dirPath, nonRecursive), refCount: 1, nonRecursive }); } return dirWatcher; } function stopWatchFailedLookupLocation(failedLookupLocation, removeAtRoot, syncDirWatcherRemove) { const failedLookupLocationPath = resolutionHost.toPath(failedLookupLocation); const toWatch = getDirectoryToWatchFailedLookupLocation( failedLookupLocation, failedLookupLocationPath, rootDir, rootPath, rootPathComponents, getCurrentDirectory ); if (toWatch) { const { dirPath, packageDirPath } = toWatch; if (dirPath === rootPath) { removeAtRoot = true; } else if (packageDirPath && resolutionHost.realpath) { const packageDirWatcher = packageDirWatchers.get(packageDirPath); const forDirPath = packageDirWatcher.dirPathToWatcher.get(dirPath); forDirPath.refCount--; if (forDirPath.refCount === 0) { removeDirectoryWatcher(packageDirWatcher.isSymlink ? packageDirPath : dirPath, syncDirWatcherRemove); packageDirWatcher.dirPathToWatcher.delete(dirPath); if (packageDirWatcher.isSymlink) { const refCount = dirPathToSymlinkPackageRefCount.get(dirPath) - 1; if (refCount === 0) { dirPathToSymlinkPackageRefCount.delete(dirPath); } else { dirPathToSymlinkPackageRefCount.set(dirPath, refCount); } } if (syncDirWatcherRemove) closePackageDirWatcher(packageDirWatcher, packageDirPath); } } else { removeDirectoryWatcher(dirPath, syncDirWatcherRemove); } } return removeAtRoot; } function stopWatchFailedLookupLocationOfResolution(resolution, filePath, getResolutionWithResolvedFileName, syncDirWatcherRemove) { Debug.checkDefined(resolution.files).delete(filePath); resolution.refCount--; if (resolution.refCount) { return; } const resolved = getResolutionWithResolvedFileName(resolution); if (resolved && resolved.resolvedFileName) { const key = resolutionHost.toPath(resolved.resolvedFileName); const resolutions = resolvedFileToResolution.get(key); if ((resolutions == null ? void 0 : resolutions.delete(resolution)) && !resolutions.size) resolvedFileToResolution.delete(key); } const { failedLookupLocations, affectingLocations, alternateResult } = resolution; if (resolutionsWithFailedLookups.delete(resolution)) { let removeAtRoot = false; if (failedLookupLocations) { for (const failedLookupLocation of failedLookupLocations) { removeAtRoot = stopWatchFailedLookupLocation(failedLookupLocation, removeAtRoot, syncDirWatcherRemove); } } if (alternateResult) removeAtRoot = stopWatchFailedLookupLocation(alternateResult, removeAtRoot, syncDirWatcherRemove); if (removeAtRoot) removeDirectoryWatcher(rootPath, syncDirWatcherRemove); } else if (affectingLocations == null ? void 0 : affectingLocations.length) { resolutionsWithOnlyAffectingLocations.delete(resolution); } if (affectingLocations) { for (const affectingLocation of affectingLocations) { const watcher = fileWatchesOfAffectingLocations.get(affectingLocation); watcher.resolutions--; if (syncDirWatcherRemove) closeFileWatcherOfAffectingLocation(watcher, affectingLocation); } } } function removeDirectoryWatcher(dirPath, syncDirWatcherRemove) { const dirWatcher = directoryWatchesOfFailedLookups.get(dirPath); dirWatcher.refCount--; if (syncDirWatcherRemove) closeDirectoryWatchesOfFailedLookup(dirWatcher, dirPath); } function createDirectoryWatcher(directory, dirPath, nonRecursive) { return resolutionHost.watchDirectoryOfFailedLookupLocation( directory, (fileOrDirectory) => { const fileOrDirectoryPath = resolutionHost.toPath(fileOrDirectory); if (cachedDirectoryStructureHost) { cachedDirectoryStructureHost.addOrDeleteFileOrDirectory(fileOrDirectory, fileOrDirectoryPath); } scheduleInvalidateResolutionOfFailedLookupLocation(fileOrDirectoryPath, dirPath === fileOrDirectoryPath); }, nonRecursive ? 0 : 1 /* Recursive */ ); } function removeResolutionsOfFileFromCache(cache, filePath, getResolutionWithResolvedFileName, syncDirWatcherRemove) { const resolutions = cache.get(filePath); if (resolutions) { resolutions.forEach( (resolution) => stopWatchFailedLookupLocationOfResolution( resolution, filePath, getResolutionWithResolvedFileName, syncDirWatcherRemove ) ); cache.delete(filePath); } } function removeResolutionsFromProjectReferenceRedirects(filePath) { if (!fileExtensionIs( filePath, ".json" /* Json */ )) return; const program = resolutionHost.getCurrentProgram(); if (!program) return; const resolvedProjectReference = program.getResolvedProjectReferenceByPath(filePath); if (!resolvedProjectReference) return; resolvedProjectReference.commandLine.fileNames.forEach((f) => removeResolutionsOfFile(resolutionHost.toPath(f))); } function removeResolutionsOfFile(filePath, syncDirWatcherRemove) { removeResolutionsOfFileFromCache(resolvedModuleNames, filePath, getResolvedModule, syncDirWatcherRemove); removeResolutionsOfFileFromCache(resolvedTypeReferenceDirectives, filePath, getResolvedTypeReferenceDirective, syncDirWatcherRemove); } function invalidateResolutions(resolutions, canInvalidate) { if (!resolutions) return false; let invalidated = false; resolutions.forEach((resolution) => { if (resolution.isInvalidated || !canInvalidate(resolution)) return; resolution.isInvalidated = invalidated = true; for (const containingFilePath of Debug.checkDefined(resolution.files)) { (filesWithInvalidatedResolutions ?? (filesWithInvalidatedResolutions = /* @__PURE__ */ new Set())).add(containingFilePath); hasChangedAutomaticTypeDirectiveNames = hasChangedAutomaticTypeDirectiveNames || endsWith(containingFilePath, inferredTypesContainingFile); } }); return invalidated; } function invalidateResolutionOfFile(filePath) { removeResolutionsOfFile(filePath); const prevHasChangedAutomaticTypeDirectiveNames = hasChangedAutomaticTypeDirectiveNames; if (invalidateResolutions(resolvedFileToResolution.get(filePath), returnTrue) && hasChangedAutomaticTypeDirectiveNames && !prevHasChangedAutomaticTypeDirectiveNames) { resolutionHost.onChangedAutomaticTypeDirectiveNames(); } } function setFilesWithInvalidatedNonRelativeUnresolvedImports(filesMap) { Debug.assert(filesWithInvalidatedNonRelativeUnresolvedImports === filesMap || filesWithInvalidatedNonRelativeUnresolvedImports === void 0); filesWithInvalidatedNonRelativeUnresolvedImports = filesMap; } function scheduleInvalidateResolutionOfFailedLookupLocation(fileOrDirectoryPath, isCreatingWatchedDirectory) { if (isCreatingWatchedDirectory) { (isInDirectoryChecks || (isInDirectoryChecks = /* @__PURE__ */ new Set())).add(fileOrDirectoryPath); } else { const updatedPath = removeIgnoredPath(fileOrDirectoryPath); if (!updatedPath) return false; fileOrDirectoryPath = updatedPath; if (resolutionHost.fileIsOpen(fileOrDirectoryPath)) { return false; } const dirOfFileOrDirectory = getDirectoryPath(fileOrDirectoryPath); if (isNodeModulesAtTypesDirectory(fileOrDirectoryPath) || isNodeModulesDirectory(fileOrDirectoryPath) || isNodeModulesAtTypesDirectory(dirOfFileOrDirectory) || isNodeModulesDirectory(dirOfFileOrDirectory)) { (failedLookupChecks || (failedLookupChecks = /* @__PURE__ */ new Set())).add(fileOrDirectoryPath); (startsWithPathChecks || (startsWithPathChecks = /* @__PURE__ */ new Set())).add(fileOrDirectoryPath); } else { if (isEmittedFileOfProgram(resolutionHost.getCurrentProgram(), fileOrDirectoryPath)) { return false; } if (fileExtensionIs(fileOrDirectoryPath, ".map")) { return false; } (failedLookupChecks || (failedLookupChecks = /* @__PURE__ */ new Set())).add(fileOrDirectoryPath); const packagePath = parseNodeModuleFromPath( fileOrDirectoryPath, /*isFolder*/ true ); if (packagePath) (startsWithPathChecks || (startsWithPathChecks = /* @__PURE__ */ new Set())).add(packagePath); } } resolutionHost.scheduleInvalidateResolutionsOfFailedLookupLocations(); } function invalidatePackageJsonMap() { const packageJsonMap = moduleResolutionCache.getPackageJsonInfoCache().getInternalMap(); if (packageJsonMap && (failedLookupChecks || startsWithPathChecks || isInDirectoryChecks)) { packageJsonMap.forEach((_value, path17) => isInvalidatedFailedLookup(path17) ? packageJsonMap.delete(path17) : void 0); } } function invalidateResolutionsOfFailedLookupLocations() { var _a; if (allModuleAndTypeResolutionsAreInvalidated) { affectingPathChecksForFile = void 0; invalidatePackageJsonMap(); if (failedLookupChecks || startsWithPathChecks || isInDirectoryChecks || affectingPathChecks) { invalidateResolutions(resolvedLibraries, canInvalidateFailedLookupResolution); } failedLookupChecks = void 0; startsWithPathChecks = void 0; isInDirectoryChecks = void 0; affectingPathChecks = void 0; return true; } let invalidated = false; if (affectingPathChecksForFile) { (_a = resolutionHost.getCurrentProgram()) == null ? void 0 : _a.getSourceFiles().forEach((f) => { if (some(f.packageJsonLocations, (location) => affectingPathChecksForFile.has(location))) { (filesWithInvalidatedResolutions ?? (filesWithInvalidatedResolutions = /* @__PURE__ */ new Set())).add(f.path); invalidated = true; } }); affectingPathChecksForFile = void 0; } if (!failedLookupChecks && !startsWithPathChecks && !isInDirectoryChecks && !affectingPathChecks) { return invalidated; } invalidated = invalidateResolutions(resolutionsWithFailedLookups, canInvalidateFailedLookupResolution) || invalidated; invalidatePackageJsonMap(); failedLookupChecks = void 0; startsWithPathChecks = void 0; isInDirectoryChecks = void 0; invalidated = invalidateResolutions(resolutionsWithOnlyAffectingLocations, canInvalidatedFailedLookupResolutionWithAffectingLocation) || invalidated; affectingPathChecks = void 0; return invalidated; } function canInvalidateFailedLookupResolution(resolution) { var _a; if (canInvalidatedFailedLookupResolutionWithAffectingLocation(resolution)) return true; if (!failedLookupChecks && !startsWithPathChecks && !isInDirectoryChecks) return false; return ((_a = resolution.failedLookupLocations) == null ? void 0 : _a.some((location) => isInvalidatedFailedLookup(resolutionHost.toPath(location)))) || !!resolution.alternateResult && isInvalidatedFailedLookup(resolutionHost.toPath(resolution.alternateResult)); } function isInvalidatedFailedLookup(locationPath) { return (failedLookupChecks == null ? void 0 : failedLookupChecks.has(locationPath)) || firstDefinedIterator((startsWithPathChecks == null ? void 0 : startsWithPathChecks.keys()) || [], (fileOrDirectoryPath) => startsWith2(locationPath, fileOrDirectoryPath) ? true : void 0) || firstDefinedIterator((isInDirectoryChecks == null ? void 0 : isInDirectoryChecks.keys()) || [], (dirPath) => locationPath.length > dirPath.length && startsWith2(locationPath, dirPath) && (isDiskPathRoot(dirPath) || locationPath[dirPath.length] === directorySeparator) ? true : void 0); } function canInvalidatedFailedLookupResolutionWithAffectingLocation(resolution) { var _a; return !!affectingPathChecks && ((_a = resolution.affectingLocations) == null ? void 0 : _a.some((location) => affectingPathChecks.has(location))); } function closeTypeRootsWatch() { clearMap(typeRootsWatches, closeFileWatcher); } function createTypeRootsWatch(typeRoot) { return canWatchTypeRootPath(typeRoot) ? resolutionHost.watchTypeRootsDirectory( typeRoot, (fileOrDirectory) => { const fileOrDirectoryPath = resolutionHost.toPath(fileOrDirectory); if (cachedDirectoryStructureHost) { cachedDirectoryStructureHost.addOrDeleteFileOrDirectory(fileOrDirectory, fileOrDirectoryPath); } hasChangedAutomaticTypeDirectiveNames = true; resolutionHost.onChangedAutomaticTypeDirectiveNames(); const dirPath = getDirectoryToWatchFailedLookupLocationFromTypeRoot( typeRoot, resolutionHost.toPath(typeRoot), rootPath, rootPathComponents, getCurrentDirectory, (dirPath2) => directoryWatchesOfFailedLookups.has(dirPath2) || dirPathToSymlinkPackageRefCount.has(dirPath2) ); if (dirPath) { scheduleInvalidateResolutionOfFailedLookupLocation(fileOrDirectoryPath, dirPath === fileOrDirectoryPath); } }, 1 /* Recursive */ ) : noopFileWatcher; } function updateTypeRootsWatch() { const options = resolutionHost.getCompilationSettings(); if (options.types) { closeTypeRootsWatch(); return; } const typeRoots = getEffectiveTypeRoots(options, { getCurrentDirectory }); if (typeRoots) { mutateMap( typeRootsWatches, new Set(typeRoots), { createNewValue: createTypeRootsWatch, onDeleteValue: closeFileWatcher } ); } else { closeTypeRootsWatch(); } } function canWatchTypeRootPath(typeRoot) { if (resolutionHost.getCompilationSettings().typeRoots) return true; return canWatchAtTypes(resolutionHost.toPath(typeRoot)); } } function resolutionIsSymlink(resolution) { var _a, _b; return !!(((_a = resolution.resolvedModule) == null ? void 0 : _a.originalPath) || ((_b = resolution.resolvedTypeReferenceDirective) == null ? void 0 : _b.originalPath)); } var sysFormatDiagnosticsHost = sys ? { getCurrentDirectory: () => sys.getCurrentDirectory(), getNewLine: () => sys.newLine, getCanonicalFileName: createGetCanonicalFileName(sys.useCaseSensitiveFileNames) } : void 0; function createDiagnosticReporter(system, pretty) { const host = system === sys && sysFormatDiagnosticsHost ? sysFormatDiagnosticsHost : { getCurrentDirectory: () => system.getCurrentDirectory(), getNewLine: () => system.newLine, getCanonicalFileName: createGetCanonicalFileName(system.useCaseSensitiveFileNames) }; if (!pretty) { return (diagnostic) => system.write(formatDiagnostic(diagnostic, host)); } const diagnostics = new Array(1); return (diagnostic) => { diagnostics[0] = diagnostic; system.write(formatDiagnosticsWithColorAndContext(diagnostics, host) + host.getNewLine()); diagnostics[0] = void 0; }; } function clearScreenIfNotWatchingForFileChanges(system, diagnostic, options) { if (system.clearScreen && !options.preserveWatchOutput && !options.extendedDiagnostics && !options.diagnostics && contains(screenStartingMessageCodes, diagnostic.code)) { system.clearScreen(); return true; } return false; } var screenStartingMessageCodes = [ Diagnostics.Starting_compilation_in_watch_mode.code, Diagnostics.File_change_detected_Starting_incremental_compilation.code ]; function getPlainDiagnosticFollowingNewLines(diagnostic, newLine) { return contains(screenStartingMessageCodes, diagnostic.code) ? newLine + newLine : newLine; } function getLocaleTimeString(system) { return !system.now ? (/* @__PURE__ */ new Date()).toLocaleTimeString() : ( // On some systems / builds of Node, there's a non-breaking space between the time and AM/PM. // This branch is solely for testing, so just switch it to a normal space for baseline stability. // See: // - https://github.com/nodejs/node/issues/45171 // - https://github.com/nodejs/node/issues/45753 system.now().toLocaleTimeString("en-US", { timeZone: "UTC" }).replace("\u202F", " ") ); } function createWatchStatusReporter(system, pretty) { return pretty ? (diagnostic, newLine, options) => { clearScreenIfNotWatchingForFileChanges(system, diagnostic, options); let output = `[${formatColorAndReset( getLocaleTimeString(system), "\x1B[90m" /* Grey */ )}] `; output += `${flattenDiagnosticMessageText(diagnostic.messageText, system.newLine)}${newLine + newLine}`; system.write(output); } : (diagnostic, newLine, options) => { let output = ""; if (!clearScreenIfNotWatchingForFileChanges(system, diagnostic, options)) { output += newLine; } output += `${getLocaleTimeString(system)} - `; output += `${flattenDiagnosticMessageText(diagnostic.messageText, system.newLine)}${getPlainDiagnosticFollowingNewLines(diagnostic, newLine)}`; system.write(output); }; } function parseConfigFileWithSystem(configFileName, optionsToExtend, extendedConfigCache, watchOptionsToExtend, system, reportDiagnostic) { const host = system; host.onUnRecoverableConfigFileDiagnostic = (diagnostic) => reportUnrecoverableDiagnostic(system, reportDiagnostic, diagnostic); const result = getParsedCommandLineOfConfigFile(configFileName, optionsToExtend, host, extendedConfigCache, watchOptionsToExtend); host.onUnRecoverableConfigFileDiagnostic = void 0; return result; } function getErrorCountForSummary(diagnostics) { return countWhere( diagnostics, (diagnostic) => diagnostic.category === 1 /* Error */ ); } function getFilesInErrorForSummary(diagnostics) { const filesInError = filter( diagnostics, (diagnostic) => diagnostic.category === 1 /* Error */ ).map( (errorDiagnostic) => { if (errorDiagnostic.file === void 0) return; return `${errorDiagnostic.file.fileName}`; } ); return filesInError.map((fileName) => { if (fileName === void 0) { return void 0; } const diagnosticForFileName = find(diagnostics, (diagnostic) => diagnostic.file !== void 0 && diagnostic.file.fileName === fileName); if (diagnosticForFileName !== void 0) { const { line } = getLineAndCharacterOfPosition(diagnosticForFileName.file, diagnosticForFileName.start); return { fileName, line: line + 1 }; } }); } function getWatchErrorSummaryDiagnosticMessage(errorCount) { return errorCount === 1 ? Diagnostics.Found_1_error_Watching_for_file_changes : Diagnostics.Found_0_errors_Watching_for_file_changes; } function prettyPathForFileError(error2, cwd) { const line = formatColorAndReset( ":" + error2.line, "\x1B[90m" /* Grey */ ); if (pathIsAbsolute(error2.fileName) && pathIsAbsolute(cwd)) { return getRelativePathFromDirectory( cwd, error2.fileName, /*ignoreCase*/ false ) + line; } return error2.fileName + line; } function getErrorSummaryText(errorCount, filesInError, newLine, host) { if (errorCount === 0) return ""; const nonNilFiles = filesInError.filter((fileInError) => fileInError !== void 0); const distinctFileNamesWithLines = nonNilFiles.map((fileInError) => `${fileInError.fileName}:${fileInError.line}`).filter((value, index, self2) => self2.indexOf(value) === index); const firstFileReference = nonNilFiles[0] && prettyPathForFileError(nonNilFiles[0], host.getCurrentDirectory()); let messageAndArgs; if (errorCount === 1) { messageAndArgs = filesInError[0] !== void 0 ? [Diagnostics.Found_1_error_in_0, firstFileReference] : [Diagnostics.Found_1_error]; } else { messageAndArgs = distinctFileNamesWithLines.length === 0 ? [Diagnostics.Found_0_errors, errorCount] : distinctFileNamesWithLines.length === 1 ? [Diagnostics.Found_0_errors_in_the_same_file_starting_at_Colon_1, errorCount, firstFileReference] : [Diagnostics.Found_0_errors_in_1_files, errorCount, distinctFileNamesWithLines.length]; } const d = createCompilerDiagnostic(...messageAndArgs); const suffix = distinctFileNamesWithLines.length > 1 ? createTabularErrorsDisplay(nonNilFiles, host) : ""; return `${newLine}${flattenDiagnosticMessageText(d.messageText, newLine)}${newLine}${newLine}${suffix}`; } function createTabularErrorsDisplay(filesInError, host) { const distinctFiles = filesInError.filter((value, index, self2) => index === self2.findIndex((file) => (file == null ? void 0 : file.fileName) === (value == null ? void 0 : value.fileName))); if (distinctFiles.length === 0) return ""; const numberLength = (num) => Math.log(num) * Math.LOG10E + 1; const fileToErrorCount = distinctFiles.map((file) => [file, countWhere(filesInError, (fileInError) => fileInError.fileName === file.fileName)]); const maxErrors = fileToErrorCount.reduce((acc, value) => Math.max(acc, value[1] || 0), 0); const headerRow = Diagnostics.Errors_Files.message; const leftColumnHeadingLength = headerRow.split(" ")[0].length; const leftPaddingGoal = Math.max(leftColumnHeadingLength, numberLength(maxErrors)); const headerPadding = Math.max(numberLength(maxErrors) - leftColumnHeadingLength, 0); let tabularData = ""; tabularData += " ".repeat(headerPadding) + headerRow + "\n"; fileToErrorCount.forEach((row) => { const [file, errorCount] = row; const errorCountDigitsLength = Math.log(errorCount) * Math.LOG10E + 1 | 0; const leftPadding = errorCountDigitsLength < leftPaddingGoal ? " ".repeat(leftPaddingGoal - errorCountDigitsLength) : ""; const fileRef = prettyPathForFileError(file, host.getCurrentDirectory()); tabularData += `${leftPadding}${errorCount} ${fileRef} `; }); return tabularData; } function isBuilderProgram2(program) { return !!program.getState; } function listFiles(program, write) { const options = program.getCompilerOptions(); if (options.explainFiles) { explainFiles(isBuilderProgram2(program) ? program.getProgram() : program, write); } else if (options.listFiles || options.listFilesOnly) { forEach(program.getSourceFiles(), (file) => { write(file.fileName); }); } } function explainFiles(program, write) { var _a, _b; const reasons = program.getFileIncludeReasons(); const relativeFileName = (fileName) => convertToRelativePath(fileName, program.getCurrentDirectory(), program.getCanonicalFileName); for (const file of program.getSourceFiles()) { write(`${toFileName(file, relativeFileName)}`); (_a = reasons.get(file.path)) == null ? void 0 : _a.forEach((reason) => write(` ${fileIncludeReasonToDiagnostics(program, reason, relativeFileName).messageText}`)); (_b = explainIfFileIsRedirectAndImpliedFormat(file, relativeFileName)) == null ? void 0 : _b.forEach((d) => write(` ${d.messageText}`)); } } function explainIfFileIsRedirectAndImpliedFormat(file, fileNameConvertor) { var _a; let result; if (file.path !== file.resolvedPath) { (result ?? (result = [])).push(chainDiagnosticMessages( /*details*/ void 0, Diagnostics.File_is_output_of_project_reference_source_0, toFileName(file.originalFileName, fileNameConvertor) )); } if (file.redirectInfo) { (result ?? (result = [])).push(chainDiagnosticMessages( /*details*/ void 0, Diagnostics.File_redirects_to_file_0, toFileName(file.redirectInfo.redirectTarget, fileNameConvertor) )); } if (isExternalOrCommonJsModule(file)) { switch (file.impliedNodeFormat) { case 99: if (file.packageJsonScope) { (result ?? (result = [])).push(chainDiagnosticMessages( /*details*/ void 0, Diagnostics.File_is_ECMAScript_module_because_0_has_field_type_with_value_module, toFileName(last(file.packageJsonLocations), fileNameConvertor) )); } break; case 1: if (file.packageJsonScope) { (result ?? (result = [])).push(chainDiagnosticMessages( /*details*/ void 0, file.packageJsonScope.contents.packageJsonContent.type ? Diagnostics.File_is_CommonJS_module_because_0_has_field_type_whose_value_is_not_module : Diagnostics.File_is_CommonJS_module_because_0_does_not_have_field_type, toFileName(last(file.packageJsonLocations), fileNameConvertor) )); } else if ((_a = file.packageJsonLocations) == null ? void 0 : _a.length) { (result ?? (result = [])).push(chainDiagnosticMessages( /*details*/ void 0, Diagnostics.File_is_CommonJS_module_because_package_json_was_not_found )); } break; } } return result; } function getMatchedFileSpec(program, fileName) { var _a; const configFile = program.getCompilerOptions().configFile; if (!((_a = configFile == null ? void 0 : configFile.configFileSpecs) == null ? void 0 : _a.validatedFilesSpec)) return void 0; const filePath = program.getCanonicalFileName(fileName); const basePath = getDirectoryPath(getNormalizedAbsolutePath(configFile.fileName, program.getCurrentDirectory())); const index = findIndex(configFile.configFileSpecs.validatedFilesSpec, (fileSpec) => program.getCanonicalFileName(getNormalizedAbsolutePath(fileSpec, basePath)) === filePath); return index !== -1 ? configFile.configFileSpecs.validatedFilesSpecBeforeSubstitution[index] : void 0; } function getMatchedIncludeSpec(program, fileName) { var _a, _b; const configFile = program.getCompilerOptions().configFile; if (!((_a = configFile == null ? void 0 : configFile.configFileSpecs) == null ? void 0 : _a.validatedIncludeSpecs)) return void 0; if (configFile.configFileSpecs.isDefaultIncludeSpec) return true; const isJsonFile = fileExtensionIs( fileName, ".json" /* Json */ ); const basePath = getDirectoryPath(getNormalizedAbsolutePath(configFile.fileName, program.getCurrentDirectory())); const useCaseSensitiveFileNames2 = program.useCaseSensitiveFileNames(); const index = findIndex((_b = configFile == null ? void 0 : configFile.configFileSpecs) == null ? void 0 : _b.validatedIncludeSpecs, (includeSpec) => { if (isJsonFile && !endsWith( includeSpec, ".json" /* Json */ )) return false; const pattern = getPatternFromSpec(includeSpec, basePath, "files"); return !!pattern && getRegexFromPattern(`(${pattern})$`, useCaseSensitiveFileNames2).test(fileName); }); return index !== -1 ? configFile.configFileSpecs.validatedIncludeSpecsBeforeSubstitution[index] : void 0; } function fileIncludeReasonToDiagnostics(program, reason, fileNameConvertor) { var _a, _b; const options = program.getCompilerOptions(); if (isReferencedFile(reason)) { const referenceLocation = getReferencedFileLocation(program, reason); const referenceText = isReferenceFileLocation(referenceLocation) ? referenceLocation.file.text.substring(referenceLocation.pos, referenceLocation.end) : `"${referenceLocation.text}"`; let message; Debug.assert(isReferenceFileLocation(referenceLocation) || reason.kind === 3, "Only synthetic references are imports"); switch (reason.kind) { case 3: if (isReferenceFileLocation(referenceLocation)) { message = referenceLocation.packageId ? Diagnostics.Imported_via_0_from_file_1_with_packageId_2 : Diagnostics.Imported_via_0_from_file_1; } else if (referenceLocation.text === externalHelpersModuleNameText) { message = referenceLocation.packageId ? Diagnostics.Imported_via_0_from_file_1_with_packageId_2_to_import_importHelpers_as_specified_in_compilerOptions : Diagnostics.Imported_via_0_from_file_1_to_import_importHelpers_as_specified_in_compilerOptions; } else { message = referenceLocation.packageId ? Diagnostics.Imported_via_0_from_file_1_with_packageId_2_to_import_jsx_and_jsxs_factory_functions : Diagnostics.Imported_via_0_from_file_1_to_import_jsx_and_jsxs_factory_functions; } break; case 4: Debug.assert(!referenceLocation.packageId); message = Diagnostics.Referenced_via_0_from_file_1; break; case 5: message = referenceLocation.packageId ? Diagnostics.Type_library_referenced_via_0_from_file_1_with_packageId_2 : Diagnostics.Type_library_referenced_via_0_from_file_1; break; case 7: Debug.assert(!referenceLocation.packageId); message = Diagnostics.Library_referenced_via_0_from_file_1; break; default: Debug.assertNever(reason); } return chainDiagnosticMessages( /*details*/ void 0, message, referenceText, toFileName(referenceLocation.file, fileNameConvertor), referenceLocation.packageId && packageIdToString(referenceLocation.packageId) ); } switch (reason.kind) { case 0: if (!((_a = options.configFile) == null ? void 0 : _a.configFileSpecs)) return chainDiagnosticMessages( /*details*/ void 0, Diagnostics.Root_file_specified_for_compilation ); const fileName = getNormalizedAbsolutePath(program.getRootFileNames()[reason.index], program.getCurrentDirectory()); const matchedByFiles = getMatchedFileSpec(program, fileName); if (matchedByFiles) return chainDiagnosticMessages( /*details*/ void 0, Diagnostics.Part_of_files_list_in_tsconfig_json ); const matchedByInclude = getMatchedIncludeSpec(program, fileName); return isString2(matchedByInclude) ? chainDiagnosticMessages( /*details*/ void 0, Diagnostics.Matched_by_include_pattern_0_in_1, matchedByInclude, toFileName(options.configFile, fileNameConvertor) ) : ( // Could be additional files specified as roots or matched by default include chainDiagnosticMessages( /*details*/ void 0, matchedByInclude ? Diagnostics.Matched_by_default_include_pattern_Asterisk_Asterisk_Slash_Asterisk : Diagnostics.Root_file_specified_for_compilation ) ); case 1: case 2: const isOutput = reason.kind === 2; const referencedResolvedRef = Debug.checkDefined((_b = program.getResolvedProjectReferences()) == null ? void 0 : _b[reason.index]); return chainDiagnosticMessages( /*details*/ void 0, options.outFile ? isOutput ? Diagnostics.Output_from_referenced_project_0_included_because_1_specified : Diagnostics.Source_from_referenced_project_0_included_because_1_specified : isOutput ? Diagnostics.Output_from_referenced_project_0_included_because_module_is_specified_as_none : Diagnostics.Source_from_referenced_project_0_included_because_module_is_specified_as_none, toFileName(referencedResolvedRef.sourceFile.fileName, fileNameConvertor), options.outFile ? "--outFile" : "--out" ); case 8: { const messageAndArgs = options.types ? reason.packageId ? [Diagnostics.Entry_point_of_type_library_0_specified_in_compilerOptions_with_packageId_1, reason.typeReference, packageIdToString(reason.packageId)] : [Diagnostics.Entry_point_of_type_library_0_specified_in_compilerOptions, reason.typeReference] : reason.packageId ? [Diagnostics.Entry_point_for_implicit_type_library_0_with_packageId_1, reason.typeReference, packageIdToString(reason.packageId)] : [Diagnostics.Entry_point_for_implicit_type_library_0, reason.typeReference]; return chainDiagnosticMessages( /*details*/ void 0, ...messageAndArgs ); } case 6: { if (reason.index !== void 0) return chainDiagnosticMessages( /*details*/ void 0, Diagnostics.Library_0_specified_in_compilerOptions, options.lib[reason.index] ); const target = getNameOfScriptTarget(getEmitScriptTarget(options)); const messageAndArgs = target ? [Diagnostics.Default_library_for_target_0, target] : [Diagnostics.Default_library]; return chainDiagnosticMessages( /*details*/ void 0, ...messageAndArgs ); } default: Debug.assertNever(reason); } } function toFileName(file, fileNameConvertor) { const fileName = isString2(file) ? file : file.fileName; return fileNameConvertor ? fileNameConvertor(fileName) : fileName; } function emitFilesAndReportErrors(program, reportDiagnostic, write, reportSummary, writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers) { const isListFilesOnly = !!program.getCompilerOptions().listFilesOnly; const allDiagnostics = program.getConfigFileParsingDiagnostics().slice(); const configFileParsingDiagnosticsLength = allDiagnostics.length; addRange(allDiagnostics, program.getSyntacticDiagnostics( /*sourceFile*/ void 0, cancellationToken )); if (allDiagnostics.length === configFileParsingDiagnosticsLength) { addRange(allDiagnostics, program.getOptionsDiagnostics(cancellationToken)); if (!isListFilesOnly) { addRange(allDiagnostics, program.getGlobalDiagnostics(cancellationToken)); if (allDiagnostics.length === configFileParsingDiagnosticsLength) { addRange(allDiagnostics, program.getSemanticDiagnostics( /*sourceFile*/ void 0, cancellationToken )); } } } const emitResult = isListFilesOnly ? { emitSkipped: true, diagnostics: emptyArray } : program.emit( /*targetSourceFile*/ void 0, writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers ); const { emittedFiles, diagnostics: emitDiagnostics } = emitResult; addRange(allDiagnostics, emitDiagnostics); const diagnostics = sortAndDeduplicateDiagnostics(allDiagnostics); diagnostics.forEach(reportDiagnostic); if (write) { const currentDir = program.getCurrentDirectory(); forEach(emittedFiles, (file) => { const filepath = getNormalizedAbsolutePath(file, currentDir); write(`TSFILE: ${filepath}`); }); listFiles(program, write); } if (reportSummary) { reportSummary(getErrorCountForSummary(diagnostics), getFilesInErrorForSummary(diagnostics)); } return { emitResult, diagnostics }; } function emitFilesAndReportErrorsAndGetExitStatus(program, reportDiagnostic, write, reportSummary, writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers) { const { emitResult, diagnostics } = emitFilesAndReportErrors( program, reportDiagnostic, write, reportSummary, writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers ); if (emitResult.emitSkipped && diagnostics.length > 0) { return 1; } else if (diagnostics.length > 0) { return 2; } return 0; } var noopFileWatcher = { close: noop2 }; var returnNoopFileWatcher = () => noopFileWatcher; function createWatchHost(system = sys, reportWatchStatus2) { const onWatchStatusChange = reportWatchStatus2 || createWatchStatusReporter(system); return { onWatchStatusChange, watchFile: maybeBind(system, system.watchFile) || returnNoopFileWatcher, watchDirectory: maybeBind(system, system.watchDirectory) || returnNoopFileWatcher, setTimeout: maybeBind(system, system.setTimeout) || noop2, clearTimeout: maybeBind(system, system.clearTimeout) || noop2 }; } var WatchType = { ConfigFile: "Config file", ExtendedConfigFile: "Extended config file", SourceFile: "Source file", MissingFile: "Missing file", WildcardDirectory: "Wild card directory", FailedLookupLocations: "Failed Lookup Locations", AffectingFileLocation: "File location affecting resolution", TypeRoots: "Type roots", ConfigFileOfReferencedProject: "Config file of referened project", ExtendedConfigOfReferencedProject: "Extended config file of referenced project", WildcardDirectoryOfReferencedProject: "Wild card directory of referenced project", PackageJson: "package.json file", ClosedScriptInfo: "Closed Script info", ConfigFileForInferredRoot: "Config file for the inferred project root", NodeModules: "node_modules for closed script infos and package.jsons affecting module specifier cache", MissingSourceMapFile: "Missing source map file", NoopConfigFileForInferredRoot: "Noop Config file for the inferred project root", MissingGeneratedFile: "Missing generated file", NodeModulesForModuleSpecifierCache: "node_modules for module specifier cache invalidation", TypingInstallerLocationFile: "File location for typing installer", TypingInstallerLocationDirectory: "Directory location for typing installer" }; function createWatchFactory(host, options) { const watchLogLevel = host.trace ? options.extendedDiagnostics ? 2 : options.diagnostics ? 1 : 0 : 0; const writeLog = watchLogLevel !== 0 ? (s) => host.trace(s) : noop2; const result = getWatchFactory(host, watchLogLevel, writeLog); result.writeLog = writeLog; return result; } function createCompilerHostFromProgramHost(host, getCompilerOptions, directoryStructureHost = host) { const useCaseSensitiveFileNames2 = host.useCaseSensitiveFileNames(); const compilerHost = { getSourceFile: createGetSourceFile( (fileName, encoding) => !encoding ? compilerHost.readFile(fileName) : host.readFile(fileName, encoding), /*setParentNodes*/ void 0 ), getDefaultLibLocation: maybeBind(host, host.getDefaultLibLocation), getDefaultLibFileName: (options) => host.getDefaultLibFileName(options), writeFile: createWriteFileMeasuringIO( (path17, data, writeByteOrderMark) => host.writeFile(path17, data, writeByteOrderMark), (path17) => host.createDirectory(path17), (path17) => host.directoryExists(path17) ), getCurrentDirectory: memoize(() => host.getCurrentDirectory()), useCaseSensitiveFileNames: () => useCaseSensitiveFileNames2, getCanonicalFileName: createGetCanonicalFileName(useCaseSensitiveFileNames2), getNewLine: () => getNewLineCharacter(getCompilerOptions()), fileExists: (f) => host.fileExists(f), readFile: (f) => host.readFile(f), trace: maybeBind(host, host.trace), directoryExists: maybeBind(directoryStructureHost, directoryStructureHost.directoryExists), getDirectories: maybeBind(directoryStructureHost, directoryStructureHost.getDirectories), realpath: maybeBind(host, host.realpath), getEnvironmentVariable: maybeBind(host, host.getEnvironmentVariable) || (() => ""), createHash: maybeBind(host, host.createHash), readDirectory: maybeBind(host, host.readDirectory), storeSignatureInfo: host.storeSignatureInfo, jsDocParsingMode: host.jsDocParsingMode }; return compilerHost; } function getSourceFileVersionAsHashFromText(host, text) { if (text.match(sourceMapCommentRegExpDontCareLineStart)) { let lineEnd = text.length; let lineStart = lineEnd; for (let pos = lineEnd - 1; pos >= 0; pos--) { const ch = text.charCodeAt(pos); switch (ch) { case 10: if (pos && text.charCodeAt(pos - 1) === 13) { pos--; } case 13: break; default: if (ch < 127 || !isLineBreak(ch)) { lineStart = pos; continue; } break; } const line = text.substring(lineStart, lineEnd); if (line.match(sourceMapCommentRegExp)) { text = text.substring(0, lineStart); break; } else if (!line.match(whitespaceOrMapCommentRegExp)) { break; } lineEnd = lineStart; } } return (host.createHash || generateDjb2Hash)(text); } function setGetSourceFileAsHashVersioned(compilerHost) { const originalGetSourceFile = compilerHost.getSourceFile; compilerHost.getSourceFile = (...args) => { const result = originalGetSourceFile.call(compilerHost, ...args); if (result) { result.version = getSourceFileVersionAsHashFromText(compilerHost, result.text); } return result; }; } function createProgramHost(system, createProgram2) { const getDefaultLibLocation = memoize(() => getDirectoryPath(normalizePath(system.getExecutingFilePath()))); return { useCaseSensitiveFileNames: () => system.useCaseSensitiveFileNames, getNewLine: () => system.newLine, getCurrentDirectory: memoize(() => system.getCurrentDirectory()), getDefaultLibLocation, getDefaultLibFileName: (options) => combinePaths(getDefaultLibLocation(), getDefaultLibFileName(options)), fileExists: (path17) => system.fileExists(path17), readFile: (path17, encoding) => system.readFile(path17, encoding), directoryExists: (path17) => system.directoryExists(path17), getDirectories: (path17) => system.getDirectories(path17), readDirectory: (path17, extensions, exclude, include, depth2) => system.readDirectory(path17, extensions, exclude, include, depth2), realpath: maybeBind(system, system.realpath), getEnvironmentVariable: maybeBind(system, system.getEnvironmentVariable), trace: (s) => system.write(s + system.newLine), createDirectory: (path17) => system.createDirectory(path17), writeFile: (path17, data, writeByteOrderMark) => system.writeFile(path17, data, writeByteOrderMark), createHash: maybeBind(system, system.createHash), createProgram: createProgram2 || createEmitAndSemanticDiagnosticsBuilderProgram, storeSignatureInfo: system.storeSignatureInfo, now: maybeBind(system, system.now) }; } function createWatchCompilerHost(system = sys, createProgram2, reportDiagnostic, reportWatchStatus2) { const write = (s) => system.write(s + system.newLine); const result = createProgramHost(system, createProgram2); copyProperties(result, createWatchHost(system, reportWatchStatus2)); result.afterProgramCreate = (builderProgram) => { const compilerOptions = builderProgram.getCompilerOptions(); const newLine = getNewLineCharacter(compilerOptions); emitFilesAndReportErrors( builderProgram, reportDiagnostic, write, (errorCount) => result.onWatchStatusChange( createCompilerDiagnostic(getWatchErrorSummaryDiagnosticMessage(errorCount), errorCount), newLine, compilerOptions, errorCount ) ); }; return result; } function reportUnrecoverableDiagnostic(system, reportDiagnostic, diagnostic) { reportDiagnostic(diagnostic); system.exit( 1 /* DiagnosticsPresent_OutputsSkipped */ ); } function createWatchCompilerHostOfConfigFile({ configFileName, optionsToExtend, watchOptionsToExtend, extraFileExtensions, system, createProgram: createProgram2, reportDiagnostic, reportWatchStatus: reportWatchStatus2 }) { const diagnosticReporter = reportDiagnostic || createDiagnosticReporter(system); const host = createWatchCompilerHost(system, createProgram2, diagnosticReporter, reportWatchStatus2); host.onUnRecoverableConfigFileDiagnostic = (diagnostic) => reportUnrecoverableDiagnostic(system, diagnosticReporter, diagnostic); host.configFileName = configFileName; host.optionsToExtend = optionsToExtend; host.watchOptionsToExtend = watchOptionsToExtend; host.extraFileExtensions = extraFileExtensions; return host; } function createWatchCompilerHostOfFilesAndCompilerOptions({ rootFiles: rootFiles2, options, watchOptions, projectReferences, system, createProgram: createProgram2, reportDiagnostic, reportWatchStatus: reportWatchStatus2 }) { const host = createWatchCompilerHost(system, createProgram2, reportDiagnostic || createDiagnosticReporter(system), reportWatchStatus2); host.rootFiles = rootFiles2; host.options = options; host.watchOptions = watchOptions; host.projectReferences = projectReferences; return host; } function performIncrementalCompilation(input) { const system = input.system || sys; const host = input.host || (input.host = createIncrementalCompilerHost(input.options, system)); const builderProgram = createIncrementalProgram(input); const exitStatus = emitFilesAndReportErrorsAndGetExitStatus( builderProgram, input.reportDiagnostic || createDiagnosticReporter(system), (s) => host.trace && host.trace(s), input.reportErrorSummary || input.options.pretty ? (errorCount, filesInError) => system.write(getErrorSummaryText(errorCount, filesInError, system.newLine, host)) : void 0 ); if (input.afterProgramEmitAndDiagnostics) input.afterProgramEmitAndDiagnostics(builderProgram); return exitStatus; } function readBuilderProgram(compilerOptions, host) { const buildInfoPath = getTsBuildInfoEmitOutputFilePath(compilerOptions); if (!buildInfoPath) return void 0; let buildInfo; if (host.getBuildInfo) { buildInfo = host.getBuildInfo(buildInfoPath, compilerOptions.configFilePath); } else { const content = host.readFile(buildInfoPath); if (!content) return void 0; buildInfo = getBuildInfo(buildInfoPath, content); } if (!buildInfo || buildInfo.version !== version || !buildInfo.program) return void 0; return createBuilderProgramUsingProgramBuildInfo(buildInfo, buildInfoPath, host); } function createIncrementalCompilerHost(options, system = sys) { const host = createCompilerHostWorker( options, /*setParentNodes*/ void 0, system ); host.createHash = maybeBind(system, system.createHash); host.storeSignatureInfo = system.storeSignatureInfo; setGetSourceFileAsHashVersioned(host); changeCompilerHostLikeToUseCache(host, (fileName) => toPath3(fileName, host.getCurrentDirectory(), host.getCanonicalFileName)); return host; } function createIncrementalProgram({ rootNames, options, configFileParsingDiagnostics, projectReferences, host, createProgram: createProgram2 }) { host = host || createIncrementalCompilerHost(options); createProgram2 = createProgram2 || createEmitAndSemanticDiagnosticsBuilderProgram; const oldProgram = readBuilderProgram(options, host); return createProgram2(rootNames, options, host, oldProgram, configFileParsingDiagnostics, projectReferences); } function createWatchCompilerHost2(rootFilesOrConfigFileName, options, system, createProgram2, reportDiagnostic, reportWatchStatus2, projectReferencesOrWatchOptionsToExtend, watchOptionsOrExtraFileExtensions) { if (isArray3(rootFilesOrConfigFileName)) { return createWatchCompilerHostOfFilesAndCompilerOptions({ rootFiles: rootFilesOrConfigFileName, options, watchOptions: watchOptionsOrExtraFileExtensions, projectReferences: projectReferencesOrWatchOptionsToExtend, system, createProgram: createProgram2, reportDiagnostic, reportWatchStatus: reportWatchStatus2 }); } else { return createWatchCompilerHostOfConfigFile({ configFileName: rootFilesOrConfigFileName, optionsToExtend: options, watchOptionsToExtend: projectReferencesOrWatchOptionsToExtend, extraFileExtensions: watchOptionsOrExtraFileExtensions, system, createProgram: createProgram2, reportDiagnostic, reportWatchStatus: reportWatchStatus2 }); } } function createWatchProgram(host) { let builderProgram; let updateLevel; let missingFilesMap; let watchedWildcardDirectories; let timerToUpdateProgram; let timerToInvalidateFailedLookupResolutions; let parsedConfigs; let sharedExtendedConfigFileWatchers; let extendedConfigCache = host.extendedConfigCache; let reportFileChangeDetectedOnCreateProgram = false; const sourceFilesCache = /* @__PURE__ */ new Map(); let missingFilePathsRequestedForRelease; let hasChangedCompilerOptions = false; const useCaseSensitiveFileNames2 = host.useCaseSensitiveFileNames(); const currentDirectory = host.getCurrentDirectory(); const { configFileName, optionsToExtend: optionsToExtendForConfigFile = {}, watchOptionsToExtend, extraFileExtensions, createProgram: createProgram2 } = host; let { rootFiles: rootFileNames, options: compilerOptions, watchOptions, projectReferences } = host; let wildcardDirectories; let configFileParsingDiagnostics; let canConfigFileJsonReportNoInputFiles = false; let hasChangedConfigFileParsingErrors = false; const cachedDirectoryStructureHost = configFileName === void 0 ? void 0 : createCachedDirectoryStructureHost(host, currentDirectory, useCaseSensitiveFileNames2); const directoryStructureHost = cachedDirectoryStructureHost || host; const parseConfigFileHost = parseConfigHostFromCompilerHostLike(host, directoryStructureHost); let newLine = updateNewLine(); if (configFileName && host.configFileParsingResult) { setConfigFileParsingResult(host.configFileParsingResult); newLine = updateNewLine(); } reportWatchDiagnostic(Diagnostics.Starting_compilation_in_watch_mode); if (configFileName && !host.configFileParsingResult) { newLine = getNewLineCharacter(optionsToExtendForConfigFile); Debug.assert(!rootFileNames); parseConfigFile2(); newLine = updateNewLine(); } Debug.assert(compilerOptions); Debug.assert(rootFileNames); const { watchFile: watchFile2, watchDirectory, writeLog } = createWatchFactory(host, compilerOptions); const getCanonicalFileName = createGetCanonicalFileName(useCaseSensitiveFileNames2); writeLog(`Current directory: ${currentDirectory} CaseSensitiveFileNames: ${useCaseSensitiveFileNames2}`); let configFileWatcher; if (configFileName) { configFileWatcher = watchFile2(configFileName, scheduleProgramReload, 2e3, watchOptions, WatchType.ConfigFile); } const compilerHost = createCompilerHostFromProgramHost(host, () => compilerOptions, directoryStructureHost); setGetSourceFileAsHashVersioned(compilerHost); const getNewSourceFile = compilerHost.getSourceFile; compilerHost.getSourceFile = (fileName, ...args) => getVersionedSourceFileByPath(fileName, toPath32(fileName), ...args); compilerHost.getSourceFileByPath = getVersionedSourceFileByPath; compilerHost.getNewLine = () => newLine; compilerHost.fileExists = fileExists; compilerHost.onReleaseOldSourceFile = onReleaseOldSourceFile; compilerHost.onReleaseParsedCommandLine = onReleaseParsedCommandLine; compilerHost.toPath = toPath32; compilerHost.getCompilationSettings = () => compilerOptions; compilerHost.useSourceOfProjectReferenceRedirect = maybeBind(host, host.useSourceOfProjectReferenceRedirect); compilerHost.watchDirectoryOfFailedLookupLocation = (dir, cb, flags) => watchDirectory(dir, cb, flags, watchOptions, WatchType.FailedLookupLocations); compilerHost.watchAffectingFileLocation = (file, cb) => watchFile2(file, cb, 2e3, watchOptions, WatchType.AffectingFileLocation); compilerHost.watchTypeRootsDirectory = (dir, cb, flags) => watchDirectory(dir, cb, flags, watchOptions, WatchType.TypeRoots); compilerHost.getCachedDirectoryStructureHost = () => cachedDirectoryStructureHost; compilerHost.scheduleInvalidateResolutionsOfFailedLookupLocations = scheduleInvalidateResolutionsOfFailedLookupLocations; compilerHost.onInvalidatedResolution = scheduleProgramUpdate; compilerHost.onChangedAutomaticTypeDirectiveNames = scheduleProgramUpdate; compilerHost.fileIsOpen = returnFalse; compilerHost.getCurrentProgram = getCurrentProgram; compilerHost.writeLog = writeLog; compilerHost.getParsedCommandLine = getParsedCommandLine; const resolutionCache = createResolutionCache( compilerHost, configFileName ? getDirectoryPath(getNormalizedAbsolutePath(configFileName, currentDirectory)) : currentDirectory, /*logChangesWhenResolvingModule*/ false ); compilerHost.resolveModuleNameLiterals = maybeBind(host, host.resolveModuleNameLiterals); compilerHost.resolveModuleNames = maybeBind(host, host.resolveModuleNames); if (!compilerHost.resolveModuleNameLiterals && !compilerHost.resolveModuleNames) { compilerHost.resolveModuleNameLiterals = resolutionCache.resolveModuleNameLiterals.bind(resolutionCache); } compilerHost.resolveTypeReferenceDirectiveReferences = maybeBind(host, host.resolveTypeReferenceDirectiveReferences); compilerHost.resolveTypeReferenceDirectives = maybeBind(host, host.resolveTypeReferenceDirectives); if (!compilerHost.resolveTypeReferenceDirectiveReferences && !compilerHost.resolveTypeReferenceDirectives) { compilerHost.resolveTypeReferenceDirectiveReferences = resolutionCache.resolveTypeReferenceDirectiveReferences.bind(resolutionCache); } compilerHost.resolveLibrary = !host.resolveLibrary ? resolutionCache.resolveLibrary.bind(resolutionCache) : host.resolveLibrary.bind(host); compilerHost.getModuleResolutionCache = host.resolveModuleNameLiterals || host.resolveModuleNames ? maybeBind(host, host.getModuleResolutionCache) : () => resolutionCache.getModuleResolutionCache(); const userProvidedResolution = !!host.resolveModuleNameLiterals || !!host.resolveTypeReferenceDirectiveReferences || !!host.resolveModuleNames || !!host.resolveTypeReferenceDirectives; const customHasInvalidatedResolutions = userProvidedResolution ? maybeBind(host, host.hasInvalidatedResolutions) || returnTrue : returnFalse; const customHasInvalidLibResolutions = host.resolveLibrary ? maybeBind(host, host.hasInvalidatedLibResolutions) || returnTrue : returnFalse; builderProgram = readBuilderProgram(compilerOptions, compilerHost); synchronizeProgram(); watchConfigFileWildCardDirectories(); if (configFileName) updateExtendedConfigFilesWatches(toPath32(configFileName), compilerOptions, watchOptions, WatchType.ExtendedConfigFile); return configFileName ? { getCurrentProgram: getCurrentBuilderProgram, getProgram: updateProgram, close, getResolutionCache } : { getCurrentProgram: getCurrentBuilderProgram, getProgram: updateProgram, updateRootFileNames, close, getResolutionCache }; function close() { clearInvalidateResolutionsOfFailedLookupLocations(); resolutionCache.clear(); clearMap(sourceFilesCache, (value) => { if (value && value.fileWatcher) { value.fileWatcher.close(); value.fileWatcher = void 0; } }); if (configFileWatcher) { configFileWatcher.close(); configFileWatcher = void 0; } extendedConfigCache == null ? void 0 : extendedConfigCache.clear(); extendedConfigCache = void 0; if (sharedExtendedConfigFileWatchers) { clearMap(sharedExtendedConfigFileWatchers, closeFileWatcherOf); sharedExtendedConfigFileWatchers = void 0; } if (watchedWildcardDirectories) { clearMap(watchedWildcardDirectories, closeFileWatcherOf); watchedWildcardDirectories = void 0; } if (missingFilesMap) { clearMap(missingFilesMap, closeFileWatcher); missingFilesMap = void 0; } if (parsedConfigs) { clearMap(parsedConfigs, (config7) => { var _a; (_a = config7.watcher) == null ? void 0 : _a.close(); config7.watcher = void 0; if (config7.watchedDirectories) clearMap(config7.watchedDirectories, closeFileWatcherOf); config7.watchedDirectories = void 0; }); parsedConfigs = void 0; } builderProgram = void 0; } function getResolutionCache() { return resolutionCache; } function getCurrentBuilderProgram() { return builderProgram; } function getCurrentProgram() { return builderProgram && builderProgram.getProgramOrUndefined(); } function synchronizeProgram() { writeLog(`Synchronizing program`); Debug.assert(compilerOptions); Debug.assert(rootFileNames); clearInvalidateResolutionsOfFailedLookupLocations(); const program = getCurrentBuilderProgram(); if (hasChangedCompilerOptions) { newLine = updateNewLine(); if (program && changesAffectModuleResolution(program.getCompilerOptions(), compilerOptions)) { resolutionCache.onChangesAffectModuleResolution(); } } const { hasInvalidatedResolutions, hasInvalidatedLibResolutions } = resolutionCache.createHasInvalidatedResolutions(customHasInvalidatedResolutions, customHasInvalidLibResolutions); const { originalReadFile, originalFileExists, originalDirectoryExists, originalCreateDirectory, originalWriteFile, readFileWithCache } = changeCompilerHostLikeToUseCache(compilerHost, toPath32); if (isProgramUptoDate(getCurrentProgram(), rootFileNames, compilerOptions, (path17) => getSourceVersion(path17, readFileWithCache), (fileName) => compilerHost.fileExists(fileName), hasInvalidatedResolutions, hasInvalidatedLibResolutions, hasChangedAutomaticTypeDirectiveNames, getParsedCommandLine, projectReferences)) { if (hasChangedConfigFileParsingErrors) { if (reportFileChangeDetectedOnCreateProgram) { reportWatchDiagnostic(Diagnostics.File_change_detected_Starting_incremental_compilation); } builderProgram = createProgram2( /*rootNames*/ void 0, /*options*/ void 0, compilerHost, builderProgram, configFileParsingDiagnostics, projectReferences ); hasChangedConfigFileParsingErrors = false; } } else { if (reportFileChangeDetectedOnCreateProgram) { reportWatchDiagnostic(Diagnostics.File_change_detected_Starting_incremental_compilation); } createNewProgram(hasInvalidatedResolutions, hasInvalidatedLibResolutions); } reportFileChangeDetectedOnCreateProgram = false; if (host.afterProgramCreate && program !== builderProgram) { host.afterProgramCreate(builderProgram); } compilerHost.readFile = originalReadFile; compilerHost.fileExists = originalFileExists; compilerHost.directoryExists = originalDirectoryExists; compilerHost.createDirectory = originalCreateDirectory; compilerHost.writeFile = originalWriteFile; return builderProgram; } function createNewProgram(hasInvalidatedResolutions, hasInvalidatedLibResolutions) { writeLog("CreatingProgramWith::"); writeLog(` roots: ${JSON.stringify(rootFileNames)}`); writeLog(` options: ${JSON.stringify(compilerOptions)}`); if (projectReferences) writeLog(` projectReferences: ${JSON.stringify(projectReferences)}`); const needsUpdateInTypeRootWatch = hasChangedCompilerOptions || !getCurrentProgram(); hasChangedCompilerOptions = false; hasChangedConfigFileParsingErrors = false; resolutionCache.startCachingPerDirectoryResolution(); compilerHost.hasInvalidatedResolutions = hasInvalidatedResolutions; compilerHost.hasInvalidatedLibResolutions = hasInvalidatedLibResolutions; compilerHost.hasChangedAutomaticTypeDirectiveNames = hasChangedAutomaticTypeDirectiveNames; const oldProgram = getCurrentProgram(); builderProgram = createProgram2(rootFileNames, compilerOptions, compilerHost, builderProgram, configFileParsingDiagnostics, projectReferences); resolutionCache.finishCachingPerDirectoryResolution(builderProgram.getProgram(), oldProgram); updateMissingFilePathsWatch( builderProgram.getProgram(), missingFilesMap || (missingFilesMap = /* @__PURE__ */ new Map()), watchMissingFilePath ); if (needsUpdateInTypeRootWatch) { resolutionCache.updateTypeRootsWatch(); } if (missingFilePathsRequestedForRelease) { for (const missingFilePath of missingFilePathsRequestedForRelease) { if (!missingFilesMap.has(missingFilePath)) { sourceFilesCache.delete(missingFilePath); } } missingFilePathsRequestedForRelease = void 0; } } function updateRootFileNames(files) { Debug.assert(!configFileName, "Cannot update root file names with config file watch mode"); rootFileNames = files; scheduleProgramUpdate(); } function updateNewLine() { return getNewLineCharacter(compilerOptions || optionsToExtendForConfigFile); } function toPath32(fileName) { return toPath3(fileName, currentDirectory, getCanonicalFileName); } function isFileMissingOnHost(hostSourceFile) { return typeof hostSourceFile === "boolean"; } function isFilePresenceUnknownOnHost(hostSourceFile) { return typeof hostSourceFile.version === "boolean"; } function fileExists(fileName) { const path17 = toPath32(fileName); if (isFileMissingOnHost(sourceFilesCache.get(path17))) { return false; } return directoryStructureHost.fileExists(fileName); } function getVersionedSourceFileByPath(fileName, path17, languageVersionOrOptions, onError, shouldCreateNewSourceFile) { const hostSourceFile = sourceFilesCache.get(path17); if (isFileMissingOnHost(hostSourceFile)) { return void 0; } const impliedNodeFormat = typeof languageVersionOrOptions === "object" ? languageVersionOrOptions.impliedNodeFormat : void 0; if (hostSourceFile === void 0 || shouldCreateNewSourceFile || isFilePresenceUnknownOnHost(hostSourceFile) || hostSourceFile.sourceFile.impliedNodeFormat !== impliedNodeFormat) { const sourceFile = getNewSourceFile(fileName, languageVersionOrOptions, onError); if (hostSourceFile) { if (sourceFile) { hostSourceFile.sourceFile = sourceFile; hostSourceFile.version = sourceFile.version; if (!hostSourceFile.fileWatcher) { hostSourceFile.fileWatcher = watchFilePath(path17, fileName, onSourceFileChange, 250, watchOptions, WatchType.SourceFile); } } else { if (hostSourceFile.fileWatcher) { hostSourceFile.fileWatcher.close(); } sourceFilesCache.set(path17, false); } } else { if (sourceFile) { const fileWatcher = watchFilePath(path17, fileName, onSourceFileChange, 250, watchOptions, WatchType.SourceFile); sourceFilesCache.set(path17, { sourceFile, version: sourceFile.version, fileWatcher }); } else { sourceFilesCache.set(path17, false); } } return sourceFile; } return hostSourceFile.sourceFile; } function nextSourceFileVersion(path17) { const hostSourceFile = sourceFilesCache.get(path17); if (hostSourceFile !== void 0) { if (isFileMissingOnHost(hostSourceFile)) { sourceFilesCache.set(path17, { version: false }); } else { hostSourceFile.version = false; } } } function getSourceVersion(path17, readFileWithCache) { const hostSourceFile = sourceFilesCache.get(path17); if (!hostSourceFile) return void 0; if (hostSourceFile.version) return hostSourceFile.version; const text = readFileWithCache(path17); return text !== void 0 ? getSourceFileVersionAsHashFromText(compilerHost, text) : void 0; } function onReleaseOldSourceFile(oldSourceFile, _oldOptions, hasSourceFileByPath) { const hostSourceFileInfo = sourceFilesCache.get(oldSourceFile.resolvedPath); if (hostSourceFileInfo !== void 0) { if (isFileMissingOnHost(hostSourceFileInfo)) { (missingFilePathsRequestedForRelease || (missingFilePathsRequestedForRelease = [])).push(oldSourceFile.path); } else if (hostSourceFileInfo.sourceFile === oldSourceFile) { if (hostSourceFileInfo.fileWatcher) { hostSourceFileInfo.fileWatcher.close(); } sourceFilesCache.delete(oldSourceFile.resolvedPath); if (!hasSourceFileByPath) { resolutionCache.removeResolutionsOfFile(oldSourceFile.path); } } } } function reportWatchDiagnostic(message) { if (host.onWatchStatusChange) { host.onWatchStatusChange(createCompilerDiagnostic(message), newLine, compilerOptions || optionsToExtendForConfigFile); } } function hasChangedAutomaticTypeDirectiveNames() { return resolutionCache.hasChangedAutomaticTypeDirectiveNames(); } function clearInvalidateResolutionsOfFailedLookupLocations() { if (!timerToInvalidateFailedLookupResolutions) return false; host.clearTimeout(timerToInvalidateFailedLookupResolutions); timerToInvalidateFailedLookupResolutions = void 0; return true; } function scheduleInvalidateResolutionsOfFailedLookupLocations() { if (!host.setTimeout || !host.clearTimeout) { return resolutionCache.invalidateResolutionsOfFailedLookupLocations(); } const pending = clearInvalidateResolutionsOfFailedLookupLocations(); writeLog(`Scheduling invalidateFailedLookup${pending ? ", Cancelled earlier one" : ""}`); timerToInvalidateFailedLookupResolutions = host.setTimeout(invalidateResolutionsOfFailedLookup, 250, "timerToInvalidateFailedLookupResolutions"); } function invalidateResolutionsOfFailedLookup() { timerToInvalidateFailedLookupResolutions = void 0; if (resolutionCache.invalidateResolutionsOfFailedLookupLocations()) { scheduleProgramUpdate(); } } function scheduleProgramUpdate() { if (!host.setTimeout || !host.clearTimeout) { return; } if (timerToUpdateProgram) { host.clearTimeout(timerToUpdateProgram); } writeLog("Scheduling update"); timerToUpdateProgram = host.setTimeout(updateProgramWithWatchStatus, 250, "timerToUpdateProgram"); } function scheduleProgramReload() { Debug.assert(!!configFileName); updateLevel = 2; scheduleProgramUpdate(); } function updateProgramWithWatchStatus() { timerToUpdateProgram = void 0; reportFileChangeDetectedOnCreateProgram = true; updateProgram(); } function updateProgram() { var _a, _b, _c, _d; switch (updateLevel) { case 1: (_a = perfLogger) == null ? void 0 : _a.logStartUpdateProgram("PartialConfigReload"); reloadFileNamesFromConfigFile(); break; case 2: (_b = perfLogger) == null ? void 0 : _b.logStartUpdateProgram("FullConfigReload"); reloadConfigFile(); break; default: (_c = perfLogger) == null ? void 0 : _c.logStartUpdateProgram("SynchronizeProgram"); synchronizeProgram(); break; } (_d = perfLogger) == null ? void 0 : _d.logStopUpdateProgram("Done"); return getCurrentBuilderProgram(); } function reloadFileNamesFromConfigFile() { writeLog("Reloading new file names and options"); Debug.assert(compilerOptions); Debug.assert(configFileName); updateLevel = 0; rootFileNames = getFileNamesFromConfigSpecs(compilerOptions.configFile.configFileSpecs, getNormalizedAbsolutePath(getDirectoryPath(configFileName), currentDirectory), compilerOptions, parseConfigFileHost, extraFileExtensions); if (updateErrorForNoInputFiles(rootFileNames, getNormalizedAbsolutePath(configFileName, currentDirectory), compilerOptions.configFile.configFileSpecs, configFileParsingDiagnostics, canConfigFileJsonReportNoInputFiles)) { hasChangedConfigFileParsingErrors = true; } synchronizeProgram(); } function reloadConfigFile() { Debug.assert(configFileName); writeLog(`Reloading config file: ${configFileName}`); updateLevel = 0; if (cachedDirectoryStructureHost) { cachedDirectoryStructureHost.clearCache(); } parseConfigFile2(); hasChangedCompilerOptions = true; synchronizeProgram(); watchConfigFileWildCardDirectories(); updateExtendedConfigFilesWatches(toPath32(configFileName), compilerOptions, watchOptions, WatchType.ExtendedConfigFile); } function parseConfigFile2() { Debug.assert(configFileName); setConfigFileParsingResult( getParsedCommandLineOfConfigFile( configFileName, optionsToExtendForConfigFile, parseConfigFileHost, extendedConfigCache || (extendedConfigCache = /* @__PURE__ */ new Map()), watchOptionsToExtend, extraFileExtensions ) ); } function setConfigFileParsingResult(configFileParseResult) { rootFileNames = configFileParseResult.fileNames; compilerOptions = configFileParseResult.options; watchOptions = configFileParseResult.watchOptions; projectReferences = configFileParseResult.projectReferences; wildcardDirectories = configFileParseResult.wildcardDirectories; configFileParsingDiagnostics = getConfigFileParsingDiagnostics(configFileParseResult).slice(); canConfigFileJsonReportNoInputFiles = canJsonReportNoInputFiles(configFileParseResult.raw); hasChangedConfigFileParsingErrors = true; } function getParsedCommandLine(configFileName2) { const configPath = toPath32(configFileName2); let config7 = parsedConfigs == null ? void 0 : parsedConfigs.get(configPath); if (config7) { if (!config7.updateLevel) return config7.parsedCommandLine; if (config7.parsedCommandLine && config7.updateLevel === 1 && !host.getParsedCommandLine) { writeLog("Reloading new file names and options"); Debug.assert(compilerOptions); const fileNames = getFileNamesFromConfigSpecs( config7.parsedCommandLine.options.configFile.configFileSpecs, getNormalizedAbsolutePath(getDirectoryPath(configFileName2), currentDirectory), compilerOptions, parseConfigFileHost ); config7.parsedCommandLine = { ...config7.parsedCommandLine, fileNames }; config7.updateLevel = void 0; return config7.parsedCommandLine; } } writeLog(`Loading config file: ${configFileName2}`); const parsedCommandLine = host.getParsedCommandLine ? host.getParsedCommandLine(configFileName2) : getParsedCommandLineFromConfigFileHost(configFileName2); if (config7) { config7.parsedCommandLine = parsedCommandLine; config7.updateLevel = void 0; } else { (parsedConfigs || (parsedConfigs = /* @__PURE__ */ new Map())).set(configPath, config7 = { parsedCommandLine }); } watchReferencedProject(configFileName2, configPath, config7); return parsedCommandLine; } function getParsedCommandLineFromConfigFileHost(configFileName2) { const onUnRecoverableConfigFileDiagnostic = parseConfigFileHost.onUnRecoverableConfigFileDiagnostic; parseConfigFileHost.onUnRecoverableConfigFileDiagnostic = noop2; const parsedCommandLine = getParsedCommandLineOfConfigFile( configFileName2, /*optionsToExtend*/ void 0, parseConfigFileHost, extendedConfigCache || (extendedConfigCache = /* @__PURE__ */ new Map()), watchOptionsToExtend ); parseConfigFileHost.onUnRecoverableConfigFileDiagnostic = onUnRecoverableConfigFileDiagnostic; return parsedCommandLine; } function onReleaseParsedCommandLine(fileName) { var _a; const path17 = toPath32(fileName); const config7 = parsedConfigs == null ? void 0 : parsedConfigs.get(path17); if (!config7) return; parsedConfigs.delete(path17); if (config7.watchedDirectories) clearMap(config7.watchedDirectories, closeFileWatcherOf); (_a = config7.watcher) == null ? void 0 : _a.close(); clearSharedExtendedConfigFileWatcher(path17, sharedExtendedConfigFileWatchers); } function watchFilePath(path17, file, callback, pollingInterval, options, watchType) { return watchFile2(file, (fileName, eventKind) => callback(fileName, eventKind, path17), pollingInterval, options, watchType); } function onSourceFileChange(fileName, eventKind, path17) { updateCachedSystemWithFile(fileName, path17, eventKind); if (eventKind === 2 && sourceFilesCache.has(path17)) { resolutionCache.invalidateResolutionOfFile(path17); } nextSourceFileVersion(path17); scheduleProgramUpdate(); } function updateCachedSystemWithFile(fileName, path17, eventKind) { if (cachedDirectoryStructureHost) { cachedDirectoryStructureHost.addOrDeleteFile(fileName, path17, eventKind); } } function watchMissingFilePath(missingFilePath, missingFileName) { return (parsedConfigs == null ? void 0 : parsedConfigs.has(missingFilePath)) ? noopFileWatcher : watchFilePath( missingFilePath, missingFileName, onMissingFileChange, 500, watchOptions, WatchType.MissingFile ); } function onMissingFileChange(fileName, eventKind, missingFilePath) { updateCachedSystemWithFile(fileName, missingFilePath, eventKind); if (eventKind === 0 && missingFilesMap.has(missingFilePath)) { missingFilesMap.get(missingFilePath).close(); missingFilesMap.delete(missingFilePath); nextSourceFileVersion(missingFilePath); scheduleProgramUpdate(); } } function watchConfigFileWildCardDirectories() { updateWatchingWildcardDirectories( watchedWildcardDirectories || (watchedWildcardDirectories = /* @__PURE__ */ new Map()), wildcardDirectories, watchWildcardDirectory ); } function watchWildcardDirectory(directory, flags) { return watchDirectory( directory, (fileOrDirectory) => { Debug.assert(configFileName); Debug.assert(compilerOptions); const fileOrDirectoryPath = toPath32(fileOrDirectory); if (cachedDirectoryStructureHost) { cachedDirectoryStructureHost.addOrDeleteFileOrDirectory(fileOrDirectory, fileOrDirectoryPath); } nextSourceFileVersion(fileOrDirectoryPath); if (isIgnoredFileFromWildCardWatching({ watchedDirPath: toPath32(directory), fileOrDirectory, fileOrDirectoryPath, configFileName, extraFileExtensions, options: compilerOptions, program: getCurrentBuilderProgram() || rootFileNames, currentDirectory, useCaseSensitiveFileNames: useCaseSensitiveFileNames2, writeLog, toPath: toPath32 })) return; if (updateLevel !== 2) { updateLevel = 1; scheduleProgramUpdate(); } }, flags, watchOptions, WatchType.WildcardDirectory ); } function updateExtendedConfigFilesWatches(forProjectPath, options, watchOptions2, watchType) { updateSharedExtendedConfigFileWatcher( forProjectPath, options, sharedExtendedConfigFileWatchers || (sharedExtendedConfigFileWatchers = /* @__PURE__ */ new Map()), (extendedConfigFileName, extendedConfigFilePath) => watchFile2( extendedConfigFileName, (_fileName, eventKind) => { var _a; updateCachedSystemWithFile(extendedConfigFileName, extendedConfigFilePath, eventKind); if (extendedConfigCache) cleanExtendedConfigCache(extendedConfigCache, extendedConfigFilePath, toPath32); const projects = (_a = sharedExtendedConfigFileWatchers.get(extendedConfigFilePath)) == null ? void 0 : _a.projects; if (!(projects == null ? void 0 : projects.size)) return; projects.forEach((projectPath) => { if (configFileName && toPath32(configFileName) === projectPath) { updateLevel = 2; } else { const config7 = parsedConfigs == null ? void 0 : parsedConfigs.get(projectPath); if (config7) config7.updateLevel = 2; resolutionCache.removeResolutionsFromProjectReferenceRedirects(projectPath); } scheduleProgramUpdate(); }); }, 2e3, watchOptions2, watchType ), toPath32 ); } function watchReferencedProject(configFileName2, configPath, commandLine) { var _a, _b, _c, _d; commandLine.watcher || (commandLine.watcher = watchFile2( configFileName2, (_fileName, eventKind) => { updateCachedSystemWithFile(configFileName2, configPath, eventKind); const config7 = parsedConfigs == null ? void 0 : parsedConfigs.get(configPath); if (config7) config7.updateLevel = 2; resolutionCache.removeResolutionsFromProjectReferenceRedirects(configPath); scheduleProgramUpdate(); }, 2e3, ((_a = commandLine.parsedCommandLine) == null ? void 0 : _a.watchOptions) || watchOptions, WatchType.ConfigFileOfReferencedProject )); updateWatchingWildcardDirectories( commandLine.watchedDirectories || (commandLine.watchedDirectories = /* @__PURE__ */ new Map()), (_b = commandLine.parsedCommandLine) == null ? void 0 : _b.wildcardDirectories, (directory, flags) => { var _a2; return watchDirectory( directory, (fileOrDirectory) => { const fileOrDirectoryPath = toPath32(fileOrDirectory); if (cachedDirectoryStructureHost) { cachedDirectoryStructureHost.addOrDeleteFileOrDirectory(fileOrDirectory, fileOrDirectoryPath); } nextSourceFileVersion(fileOrDirectoryPath); const config7 = parsedConfigs == null ? void 0 : parsedConfigs.get(configPath); if (!(config7 == null ? void 0 : config7.parsedCommandLine)) return; if (isIgnoredFileFromWildCardWatching({ watchedDirPath: toPath32(directory), fileOrDirectory, fileOrDirectoryPath, configFileName: configFileName2, options: config7.parsedCommandLine.options, program: config7.parsedCommandLine.fileNames, currentDirectory, useCaseSensitiveFileNames: useCaseSensitiveFileNames2, writeLog, toPath: toPath32 })) return; if (config7.updateLevel !== 2) { config7.updateLevel = 1; scheduleProgramUpdate(); } }, flags, ((_a2 = commandLine.parsedCommandLine) == null ? void 0 : _a2.watchOptions) || watchOptions, WatchType.WildcardDirectoryOfReferencedProject ); } ); updateExtendedConfigFilesWatches( configPath, (_c = commandLine.parsedCommandLine) == null ? void 0 : _c.options, ((_d = commandLine.parsedCommandLine) == null ? void 0 : _d.watchOptions) || watchOptions, WatchType.ExtendedConfigOfReferencedProject ); } } var UpToDateStatusType = /* @__PURE__ */ ((UpToDateStatusType2) => { UpToDateStatusType2[UpToDateStatusType2["Unbuildable"] = 0] = "Unbuildable"; UpToDateStatusType2[UpToDateStatusType2["UpToDate"] = 1] = "UpToDate"; UpToDateStatusType2[UpToDateStatusType2["UpToDateWithUpstreamTypes"] = 2] = "UpToDateWithUpstreamTypes"; UpToDateStatusType2[UpToDateStatusType2["OutputMissing"] = 3] = "OutputMissing"; UpToDateStatusType2[UpToDateStatusType2["ErrorReadingFile"] = 4] = "ErrorReadingFile"; UpToDateStatusType2[UpToDateStatusType2["OutOfDateWithSelf"] = 5] = "OutOfDateWithSelf"; UpToDateStatusType2[UpToDateStatusType2["OutOfDateWithUpstream"] = 6] = "OutOfDateWithUpstream"; UpToDateStatusType2[UpToDateStatusType2["OutOfDateBuildInfo"] = 7] = "OutOfDateBuildInfo"; UpToDateStatusType2[UpToDateStatusType2["OutOfDateOptions"] = 8] = "OutOfDateOptions"; UpToDateStatusType2[UpToDateStatusType2["OutOfDateRoots"] = 9] = "OutOfDateRoots"; UpToDateStatusType2[UpToDateStatusType2["UpstreamOutOfDate"] = 10] = "UpstreamOutOfDate"; UpToDateStatusType2[UpToDateStatusType2["UpstreamBlocked"] = 11] = "UpstreamBlocked"; UpToDateStatusType2[UpToDateStatusType2["ComputingUpstream"] = 12] = "ComputingUpstream"; UpToDateStatusType2[UpToDateStatusType2["TsVersionOutputOfDate"] = 13] = "TsVersionOutputOfDate"; UpToDateStatusType2[UpToDateStatusType2["UpToDateWithInputFileText"] = 14] = "UpToDateWithInputFileText"; UpToDateStatusType2[UpToDateStatusType2["ContainerOnly"] = 15] = "ContainerOnly"; UpToDateStatusType2[UpToDateStatusType2["ForceBuild"] = 16] = "ForceBuild"; return UpToDateStatusType2; })(UpToDateStatusType || {}); function resolveConfigFileProjectName(project) { if (fileExtensionIs( project, ".json" /* Json */ )) { return project; } return combinePaths(project, "tsconfig.json"); } var minimumDate = /* @__PURE__ */ new Date(-864e13); var maximumDate = /* @__PURE__ */ new Date(864e13); function getOrCreateValueFromConfigFileMap(configFileMap, resolved, createT) { const existingValue = configFileMap.get(resolved); let newValue; if (!existingValue) { newValue = createT(); configFileMap.set(resolved, newValue); } return existingValue || newValue; } function getOrCreateValueMapFromConfigFileMap(configFileMap, resolved) { return getOrCreateValueFromConfigFileMap(configFileMap, resolved, () => /* @__PURE__ */ new Map()); } function getCurrentTime(host) { return host.now ? host.now() : /* @__PURE__ */ new Date(); } function isCircularBuildOrder(buildOrder) { return !!buildOrder && !!buildOrder.buildOrder; } function getBuildOrderFromAnyBuildOrder(anyBuildOrder) { return isCircularBuildOrder(anyBuildOrder) ? anyBuildOrder.buildOrder : anyBuildOrder; } function createBuilderStatusReporter(system, pretty) { return (diagnostic) => { let output = pretty ? `[${formatColorAndReset( getLocaleTimeString(system), "\x1B[90m" /* Grey */ )}] ` : `${getLocaleTimeString(system)} - `; output += `${flattenDiagnosticMessageText(diagnostic.messageText, system.newLine)}${system.newLine + system.newLine}`; system.write(output); }; } function createSolutionBuilderHostBase(system, createProgram2, reportDiagnostic, reportSolutionBuilderStatus) { const host = createProgramHost(system, createProgram2); host.getModifiedTime = system.getModifiedTime ? (path17) => system.getModifiedTime(path17) : returnUndefined; host.setModifiedTime = system.setModifiedTime ? (path17, date) => system.setModifiedTime(path17, date) : noop2; host.deleteFile = system.deleteFile ? (path17) => system.deleteFile(path17) : noop2; host.reportDiagnostic = reportDiagnostic || createDiagnosticReporter(system); host.reportSolutionBuilderStatus = reportSolutionBuilderStatus || createBuilderStatusReporter(system); host.now = maybeBind(system, system.now); return host; } function createSolutionBuilderHost(system = sys, createProgram2, reportDiagnostic, reportSolutionBuilderStatus, reportErrorSummary2) { const host = createSolutionBuilderHostBase(system, createProgram2, reportDiagnostic, reportSolutionBuilderStatus); host.reportErrorSummary = reportErrorSummary2; return host; } function createSolutionBuilderWithWatchHost(system = sys, createProgram2, reportDiagnostic, reportSolutionBuilderStatus, reportWatchStatus2) { const host = createSolutionBuilderHostBase(system, createProgram2, reportDiagnostic, reportSolutionBuilderStatus); const watchHost = createWatchHost(system, reportWatchStatus2); copyProperties(host, watchHost); return host; } function getCompilerOptionsOfBuildOptions(buildOptions) { const result = {}; commonOptionsWithBuild.forEach((option) => { if (hasProperty(buildOptions, option.name)) result[option.name] = buildOptions[option.name]; }); return result; } function createSolutionBuilder(host, rootNames, defaultOptions2) { return createSolutionBuilderWorker( /*watch*/ false, host, rootNames, defaultOptions2 ); } function createSolutionBuilderWithWatch(host, rootNames, defaultOptions2, baseWatchOptions) { return createSolutionBuilderWorker( /*watch*/ true, host, rootNames, defaultOptions2, baseWatchOptions ); } function createSolutionBuilderState(watch, hostOrHostWithWatch, rootNames, options, baseWatchOptions) { const host = hostOrHostWithWatch; const hostWithWatch = hostOrHostWithWatch; const baseCompilerOptions = getCompilerOptionsOfBuildOptions(options); const compilerHost = createCompilerHostFromProgramHost(host, () => state.projectCompilerOptions); setGetSourceFileAsHashVersioned(compilerHost); compilerHost.getParsedCommandLine = (fileName) => parseConfigFile(state, fileName, toResolvedConfigFilePath(state, fileName)); compilerHost.resolveModuleNameLiterals = maybeBind(host, host.resolveModuleNameLiterals); compilerHost.resolveTypeReferenceDirectiveReferences = maybeBind(host, host.resolveTypeReferenceDirectiveReferences); compilerHost.resolveLibrary = maybeBind(host, host.resolveLibrary); compilerHost.resolveModuleNames = maybeBind(host, host.resolveModuleNames); compilerHost.resolveTypeReferenceDirectives = maybeBind(host, host.resolveTypeReferenceDirectives); compilerHost.getModuleResolutionCache = maybeBind(host, host.getModuleResolutionCache); let moduleResolutionCache, typeReferenceDirectiveResolutionCache; if (!compilerHost.resolveModuleNameLiterals && !compilerHost.resolveModuleNames) { moduleResolutionCache = createModuleResolutionCache(compilerHost.getCurrentDirectory(), compilerHost.getCanonicalFileName); compilerHost.resolveModuleNameLiterals = (moduleNames, containingFile, redirectedReference, options2, containingSourceFile) => loadWithModeAwareCache( moduleNames, containingFile, redirectedReference, options2, containingSourceFile, host, moduleResolutionCache, createModuleResolutionLoader ); compilerHost.getModuleResolutionCache = () => moduleResolutionCache; } if (!compilerHost.resolveTypeReferenceDirectiveReferences && !compilerHost.resolveTypeReferenceDirectives) { typeReferenceDirectiveResolutionCache = createTypeReferenceDirectiveResolutionCache( compilerHost.getCurrentDirectory(), compilerHost.getCanonicalFileName, /*options*/ void 0, moduleResolutionCache == null ? void 0 : moduleResolutionCache.getPackageJsonInfoCache(), moduleResolutionCache == null ? void 0 : moduleResolutionCache.optionsToRedirectsKey ); compilerHost.resolveTypeReferenceDirectiveReferences = (typeDirectiveNames, containingFile, redirectedReference, options2, containingSourceFile) => loadWithModeAwareCache( typeDirectiveNames, containingFile, redirectedReference, options2, containingSourceFile, host, typeReferenceDirectiveResolutionCache, createTypeReferenceResolutionLoader ); } let libraryResolutionCache; if (!compilerHost.resolveLibrary) { libraryResolutionCache = createModuleResolutionCache( compilerHost.getCurrentDirectory(), compilerHost.getCanonicalFileName, /*options*/ void 0, moduleResolutionCache == null ? void 0 : moduleResolutionCache.getPackageJsonInfoCache() ); compilerHost.resolveLibrary = (libraryName, resolveFrom, options2) => resolveLibrary( libraryName, resolveFrom, options2, host, libraryResolutionCache ); } compilerHost.getBuildInfo = (fileName, configFilePath) => getBuildInfo3( state, fileName, toResolvedConfigFilePath(state, configFilePath), /*modifiedTime*/ void 0 ); const { watchFile: watchFile2, watchDirectory, writeLog } = createWatchFactory(hostWithWatch, options); const state = { host, hostWithWatch, parseConfigFileHost: parseConfigHostFromCompilerHostLike(host), write: maybeBind(host, host.trace), // State of solution options, baseCompilerOptions, rootNames, baseWatchOptions, resolvedConfigFilePaths: /* @__PURE__ */ new Map(), configFileCache: /* @__PURE__ */ new Map(), projectStatus: /* @__PURE__ */ new Map(), extendedConfigCache: /* @__PURE__ */ new Map(), buildInfoCache: /* @__PURE__ */ new Map(), outputTimeStamps: /* @__PURE__ */ new Map(), builderPrograms: /* @__PURE__ */ new Map(), diagnostics: /* @__PURE__ */ new Map(), projectPendingBuild: /* @__PURE__ */ new Map(), projectErrorsReported: /* @__PURE__ */ new Map(), compilerHost, moduleResolutionCache, typeReferenceDirectiveResolutionCache, libraryResolutionCache, // Mutable state buildOrder: void 0, readFileWithCache: (f) => host.readFile(f), projectCompilerOptions: baseCompilerOptions, cache: void 0, allProjectBuildPending: true, needsSummary: true, watchAllProjectsPending: watch, // Watch state watch, allWatchedWildcardDirectories: /* @__PURE__ */ new Map(), allWatchedInputFiles: /* @__PURE__ */ new Map(), allWatchedConfigFiles: /* @__PURE__ */ new Map(), allWatchedExtendedConfigFiles: /* @__PURE__ */ new Map(), allWatchedPackageJsonFiles: /* @__PURE__ */ new Map(), filesWatched: /* @__PURE__ */ new Map(), lastCachedPackageJsonLookups: /* @__PURE__ */ new Map(), timerToBuildInvalidatedProject: void 0, reportFileChangeDetected: false, watchFile: watchFile2, watchDirectory, writeLog }; return state; } function toPath22(state, fileName) { return toPath3(fileName, state.compilerHost.getCurrentDirectory(), state.compilerHost.getCanonicalFileName); } function toResolvedConfigFilePath(state, fileName) { const { resolvedConfigFilePaths } = state; const path17 = resolvedConfigFilePaths.get(fileName); if (path17 !== void 0) return path17; const resolvedPath = toPath22(state, fileName); resolvedConfigFilePaths.set(fileName, resolvedPath); return resolvedPath; } function isParsedCommandLine(entry) { return !!entry.options; } function getCachedParsedConfigFile(state, configFilePath) { const value = state.configFileCache.get(configFilePath); return value && isParsedCommandLine(value) ? value : void 0; } function parseConfigFile(state, configFileName, configFilePath) { const { configFileCache } = state; const value = configFileCache.get(configFilePath); if (value) { return isParsedCommandLine(value) ? value : void 0; } mark("SolutionBuilder::beforeConfigFileParsing"); let diagnostic; const { parseConfigFileHost, baseCompilerOptions, baseWatchOptions, extendedConfigCache, host } = state; let parsed; if (host.getParsedCommandLine) { parsed = host.getParsedCommandLine(configFileName); if (!parsed) diagnostic = createCompilerDiagnostic(Diagnostics.File_0_not_found, configFileName); } else { parseConfigFileHost.onUnRecoverableConfigFileDiagnostic = (d) => diagnostic = d; parsed = getParsedCommandLineOfConfigFile(configFileName, baseCompilerOptions, parseConfigFileHost, extendedConfigCache, baseWatchOptions); parseConfigFileHost.onUnRecoverableConfigFileDiagnostic = noop2; } configFileCache.set(configFilePath, parsed || diagnostic); mark("SolutionBuilder::afterConfigFileParsing"); measure("SolutionBuilder::Config file parsing", "SolutionBuilder::beforeConfigFileParsing", "SolutionBuilder::afterConfigFileParsing"); return parsed; } function resolveProjectName(state, name) { return resolveConfigFileProjectName(resolvePath(state.compilerHost.getCurrentDirectory(), name)); } function createBuildOrder(state, roots) { const temporaryMarks = /* @__PURE__ */ new Map(); const permanentMarks = /* @__PURE__ */ new Map(); const circularityReportStack = []; let buildOrder; let circularDiagnostics; for (const root2 of roots) { visit(root2); } return circularDiagnostics ? { buildOrder: buildOrder || emptyArray, circularDiagnostics } : buildOrder || emptyArray; function visit(configFileName, inCircularContext) { const projPath = toResolvedConfigFilePath(state, configFileName); if (permanentMarks.has(projPath)) return; if (temporaryMarks.has(projPath)) { if (!inCircularContext) { (circularDiagnostics || (circularDiagnostics = [])).push( createCompilerDiagnostic( Diagnostics.Project_references_may_not_form_a_circular_graph_Cycle_detected_Colon_0, circularityReportStack.join("\r\n") ) ); } return; } temporaryMarks.set(projPath, true); circularityReportStack.push(configFileName); const parsed = parseConfigFile(state, configFileName, projPath); if (parsed && parsed.projectReferences) { for (const ref of parsed.projectReferences) { const resolvedRefPath = resolveProjectName(state, ref.path); visit(resolvedRefPath, inCircularContext || ref.circular); } } circularityReportStack.pop(); permanentMarks.set(projPath, true); (buildOrder || (buildOrder = [])).push(configFileName); } } function getBuildOrder(state) { return state.buildOrder || createStateBuildOrder(state); } function createStateBuildOrder(state) { const buildOrder = createBuildOrder(state, state.rootNames.map((f) => resolveProjectName(state, f))); state.resolvedConfigFilePaths.clear(); const currentProjects = new Set( getBuildOrderFromAnyBuildOrder(buildOrder).map( (resolved) => toResolvedConfigFilePath(state, resolved) ) ); const noopOnDelete = { onDeleteValue: noop2 }; mutateMapSkippingNewValues(state.configFileCache, currentProjects, noopOnDelete); mutateMapSkippingNewValues(state.projectStatus, currentProjects, noopOnDelete); mutateMapSkippingNewValues(state.builderPrograms, currentProjects, noopOnDelete); mutateMapSkippingNewValues(state.diagnostics, currentProjects, noopOnDelete); mutateMapSkippingNewValues(state.projectPendingBuild, currentProjects, noopOnDelete); mutateMapSkippingNewValues(state.projectErrorsReported, currentProjects, noopOnDelete); mutateMapSkippingNewValues(state.buildInfoCache, currentProjects, noopOnDelete); mutateMapSkippingNewValues(state.outputTimeStamps, currentProjects, noopOnDelete); mutateMapSkippingNewValues(state.lastCachedPackageJsonLookups, currentProjects, noopOnDelete); if (state.watch) { mutateMapSkippingNewValues( state.allWatchedConfigFiles, currentProjects, { onDeleteValue: closeFileWatcher } ); state.allWatchedExtendedConfigFiles.forEach((watcher) => { watcher.projects.forEach((project) => { if (!currentProjects.has(project)) { watcher.projects.delete(project); } }); watcher.close(); }); mutateMapSkippingNewValues( state.allWatchedWildcardDirectories, currentProjects, { onDeleteValue: (existingMap) => existingMap.forEach(closeFileWatcherOf) } ); mutateMapSkippingNewValues( state.allWatchedInputFiles, currentProjects, { onDeleteValue: (existingMap) => existingMap.forEach(closeFileWatcher) } ); mutateMapSkippingNewValues( state.allWatchedPackageJsonFiles, currentProjects, { onDeleteValue: (existingMap) => existingMap.forEach(closeFileWatcher) } ); } return state.buildOrder = buildOrder; } function getBuildOrderFor(state, project, onlyReferences) { const resolvedProject = project && resolveProjectName(state, project); const buildOrderFromState = getBuildOrder(state); if (isCircularBuildOrder(buildOrderFromState)) return buildOrderFromState; if (resolvedProject) { const projectPath = toResolvedConfigFilePath(state, resolvedProject); const projectIndex = findIndex( buildOrderFromState, (configFileName) => toResolvedConfigFilePath(state, configFileName) === projectPath ); if (projectIndex === -1) return void 0; } const buildOrder = resolvedProject ? createBuildOrder(state, [resolvedProject]) : buildOrderFromState; Debug.assert(!isCircularBuildOrder(buildOrder)); Debug.assert(!onlyReferences || resolvedProject !== void 0); Debug.assert(!onlyReferences || buildOrder[buildOrder.length - 1] === resolvedProject); return onlyReferences ? buildOrder.slice(0, buildOrder.length - 1) : buildOrder; } function enableCache(state) { if (state.cache) { disableCache(state); } const { compilerHost, host } = state; const originalReadFileWithCache = state.readFileWithCache; const originalGetSourceFile = compilerHost.getSourceFile; const { originalReadFile, originalFileExists, originalDirectoryExists, originalCreateDirectory, originalWriteFile, getSourceFileWithCache, readFileWithCache } = changeCompilerHostLikeToUseCache( host, (fileName) => toPath22(state, fileName), (...args) => originalGetSourceFile.call(compilerHost, ...args) ); state.readFileWithCache = readFileWithCache; compilerHost.getSourceFile = getSourceFileWithCache; state.cache = { originalReadFile, originalFileExists, originalDirectoryExists, originalCreateDirectory, originalWriteFile, originalReadFileWithCache, originalGetSourceFile }; } function disableCache(state) { if (!state.cache) return; const { cache, host, compilerHost, extendedConfigCache, moduleResolutionCache, typeReferenceDirectiveResolutionCache, libraryResolutionCache } = state; host.readFile = cache.originalReadFile; host.fileExists = cache.originalFileExists; host.directoryExists = cache.originalDirectoryExists; host.createDirectory = cache.originalCreateDirectory; host.writeFile = cache.originalWriteFile; compilerHost.getSourceFile = cache.originalGetSourceFile; state.readFileWithCache = cache.originalReadFileWithCache; extendedConfigCache.clear(); moduleResolutionCache == null ? void 0 : moduleResolutionCache.clear(); typeReferenceDirectiveResolutionCache == null ? void 0 : typeReferenceDirectiveResolutionCache.clear(); libraryResolutionCache == null ? void 0 : libraryResolutionCache.clear(); state.cache = void 0; } function clearProjectStatus(state, resolved) { state.projectStatus.delete(resolved); state.diagnostics.delete(resolved); } function addProjToQueue({ projectPendingBuild }, proj, updateLevel) { const value = projectPendingBuild.get(proj); if (value === void 0) { projectPendingBuild.set(proj, updateLevel); } else if (value < updateLevel) { projectPendingBuild.set(proj, updateLevel); } } function setupInitialBuild(state, cancellationToken) { if (!state.allProjectBuildPending) return; state.allProjectBuildPending = false; if (state.options.watch) reportWatchStatus(state, Diagnostics.Starting_compilation_in_watch_mode); enableCache(state); const buildOrder = getBuildOrderFromAnyBuildOrder(getBuildOrder(state)); buildOrder.forEach( (configFileName) => state.projectPendingBuild.set( toResolvedConfigFilePath(state, configFileName), 0 /* Update */ ) ); if (cancellationToken) { cancellationToken.throwIfCancellationRequested(); } } var InvalidatedProjectKind = /* @__PURE__ */ ((InvalidatedProjectKind2) => { InvalidatedProjectKind2[InvalidatedProjectKind2["Build"] = 0] = "Build"; InvalidatedProjectKind2[InvalidatedProjectKind2["UpdateOutputFileStamps"] = 1] = "UpdateOutputFileStamps"; return InvalidatedProjectKind2; })(InvalidatedProjectKind || {}); function doneInvalidatedProject(state, projectPath) { state.projectPendingBuild.delete(projectPath); return state.diagnostics.has(projectPath) ? 1 : 0; } function createUpdateOutputFileStampsProject(state, project, projectPath, config7, buildOrder) { let updateOutputFileStampsPending = true; return { kind: 1, project, projectPath, buildOrder, getCompilerOptions: () => config7.options, getCurrentDirectory: () => state.compilerHost.getCurrentDirectory(), updateOutputFileStatmps: () => { updateOutputTimestamps(state, config7, projectPath); updateOutputFileStampsPending = false; }, done: () => { if (updateOutputFileStampsPending) { updateOutputTimestamps(state, config7, projectPath); } mark("SolutionBuilder::Timestamps only updates"); return doneInvalidatedProject(state, projectPath); } }; } function createBuildOrUpdateInvalidedProject(state, project, projectPath, projectIndex, config7, buildOrder) { let step = 0; let program; let buildResult; return { kind: 0, project, projectPath, buildOrder, getCompilerOptions: () => config7.options, getCurrentDirectory: () => state.compilerHost.getCurrentDirectory(), getBuilderProgram: () => withProgramOrUndefined(identity2), getProgram: () => withProgramOrUndefined( (program2) => program2.getProgramOrUndefined() ), getSourceFile: (fileName) => withProgramOrUndefined( (program2) => program2.getSourceFile(fileName) ), getSourceFiles: () => withProgramOrEmptyArray( (program2) => program2.getSourceFiles() ), getOptionsDiagnostics: (cancellationToken) => withProgramOrEmptyArray( (program2) => program2.getOptionsDiagnostics(cancellationToken) ), getGlobalDiagnostics: (cancellationToken) => withProgramOrEmptyArray( (program2) => program2.getGlobalDiagnostics(cancellationToken) ), getConfigFileParsingDiagnostics: () => withProgramOrEmptyArray( (program2) => program2.getConfigFileParsingDiagnostics() ), getSyntacticDiagnostics: (sourceFile, cancellationToken) => withProgramOrEmptyArray( (program2) => program2.getSyntacticDiagnostics(sourceFile, cancellationToken) ), getAllDependencies: (sourceFile) => withProgramOrEmptyArray( (program2) => program2.getAllDependencies(sourceFile) ), getSemanticDiagnostics: (sourceFile, cancellationToken) => withProgramOrEmptyArray( (program2) => program2.getSemanticDiagnostics(sourceFile, cancellationToken) ), getSemanticDiagnosticsOfNextAffectedFile: (cancellationToken, ignoreSourceFile) => withProgramOrUndefined( (program2) => program2.getSemanticDiagnosticsOfNextAffectedFile && program2.getSemanticDiagnosticsOfNextAffectedFile(cancellationToken, ignoreSourceFile) ), emit: (targetSourceFile, writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers) => { if (targetSourceFile || emitOnlyDtsFiles) { return withProgramOrUndefined( (program2) => { var _a, _b; return program2.emit(targetSourceFile, writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers || ((_b = (_a = state.host).getCustomTransformers) == null ? void 0 : _b.call(_a, project))); } ); } executeSteps(2, cancellationToken); if (step === 4) { return emitBuildInfo(writeFile2, cancellationToken); } if (step !== 3) return void 0; return emit(writeFile2, cancellationToken, customTransformers); }, done }; function done(cancellationToken, writeFile2, customTransformers) { executeSteps(6, cancellationToken, writeFile2, customTransformers); mark("SolutionBuilder::Projects built"); return doneInvalidatedProject(state, projectPath); } function withProgramOrUndefined(action) { executeSteps( 0 /* CreateProgram */ ); return program && action(program); } function withProgramOrEmptyArray(action) { return withProgramOrUndefined(action) || emptyArray; } function createProgram2() { var _a, _b, _c; Debug.assert(program === void 0); if (state.options.dry) { reportStatus(state, Diagnostics.A_non_dry_build_would_build_project_0, project); buildResult = 1; step = 5; return; } if (state.options.verbose) reportStatus(state, Diagnostics.Building_project_0, project); if (config7.fileNames.length === 0) { reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config7)); buildResult = 0; step = 5; return; } const { host, compilerHost } = state; state.projectCompilerOptions = config7.options; (_a = state.moduleResolutionCache) == null ? void 0 : _a.update(config7.options); (_b = state.typeReferenceDirectiveResolutionCache) == null ? void 0 : _b.update(config7.options); program = host.createProgram( config7.fileNames, config7.options, compilerHost, getOldProgram(state, projectPath, config7), getConfigFileParsingDiagnostics(config7), config7.projectReferences ); if (state.watch) { const internalMap = (_c = state.moduleResolutionCache) == null ? void 0 : _c.getPackageJsonInfoCache().getInternalMap(); state.lastCachedPackageJsonLookups.set( projectPath, internalMap && new Set(arrayFrom( internalMap.values(), (data) => state.host.realpath && (isPackageJsonInfo(data) || data.directoryExists) ? state.host.realpath(combinePaths(data.packageDirectory, "package.json")) : combinePaths(data.packageDirectory, "package.json") )) ); state.builderPrograms.set(projectPath, program); } step++; } function handleDiagnostics(diagnostics, errorFlags, errorType) { if (diagnostics.length) { ({ buildResult, step } = buildErrors( state, projectPath, program, config7, diagnostics, errorFlags, errorType )); } else { step++; } } function getSyntaxDiagnostics(cancellationToken) { Debug.assertIsDefined(program); handleDiagnostics( [ ...program.getConfigFileParsingDiagnostics(), ...program.getOptionsDiagnostics(cancellationToken), ...program.getGlobalDiagnostics(cancellationToken), ...program.getSyntacticDiagnostics( /*sourceFile*/ void 0, cancellationToken ) ], 8, "Syntactic" ); } function getSemanticDiagnostics(cancellationToken) { handleDiagnostics( Debug.checkDefined(program).getSemanticDiagnostics( /*sourceFile*/ void 0, cancellationToken ), 16, "Semantic" ); } function emit(writeFileCallback, cancellationToken, customTransformers) { var _a, _b, _c; Debug.assertIsDefined(program); Debug.assert( step === 3 /* Emit */ ); const saved = program.saveEmitState(); let declDiagnostics; const reportDeclarationDiagnostics = (d) => (declDiagnostics || (declDiagnostics = [])).push(d); const outputFiles = []; const { emitResult } = emitFilesAndReportErrors( program, reportDeclarationDiagnostics, /*write*/ void 0, /*reportSummary*/ void 0, (name, text, writeByteOrderMark, _onError, _sourceFiles, data) => outputFiles.push({ name, text, writeByteOrderMark, data }), cancellationToken, /*emitOnlyDtsFiles*/ false, customTransformers || ((_b = (_a = state.host).getCustomTransformers) == null ? void 0 : _b.call(_a, project)) ); if (declDiagnostics) { program.restoreEmitState(saved); ({ buildResult, step } = buildErrors( state, projectPath, program, config7, declDiagnostics, 32, "Declaration file" )); return { emitSkipped: true, diagnostics: emitResult.diagnostics }; } const { host, compilerHost } = state; const resultFlags = ((_c = program.hasChangedEmitSignature) == null ? void 0 : _c.call(program)) ? 0 : 2; const emitterDiagnostics = createDiagnosticCollection(); const emittedOutputs = /* @__PURE__ */ new Map(); const options = program.getCompilerOptions(); const isIncremental = isIncrementalCompilation(options); let outputTimeStampMap; let now; outputFiles.forEach(({ name, text, writeByteOrderMark, data }) => { const path17 = toPath22(state, name); emittedOutputs.set(toPath22(state, name), name); if (data == null ? void 0 : data.buildInfo) setBuildInfo(state, data.buildInfo, projectPath, options, resultFlags); const modifiedTime = (data == null ? void 0 : data.differsOnlyInMap) ? getModifiedTime(state.host, name) : void 0; writeFile(writeFileCallback ? { writeFile: writeFileCallback } : compilerHost, emitterDiagnostics, name, text, writeByteOrderMark); if (data == null ? void 0 : data.differsOnlyInMap) state.host.setModifiedTime(name, modifiedTime); else if (!isIncremental && state.watch) { (outputTimeStampMap || (outputTimeStampMap = getOutputTimeStampMap(state, projectPath))).set(path17, now || (now = getCurrentTime(state.host))); } }); finishEmit( emitterDiagnostics, emittedOutputs, outputFiles.length ? outputFiles[0].name : getFirstProjectOutput(config7, !host.useCaseSensitiveFileNames()), resultFlags ); return emitResult; } function emitBuildInfo(writeFileCallback, cancellationToken) { Debug.assertIsDefined(program); Debug.assert( step === 4 /* EmitBuildInfo */ ); const emitResult = program.emitBuildInfo((name, text, writeByteOrderMark, onError, sourceFiles, data) => { if (data == null ? void 0 : data.buildInfo) setBuildInfo( state, data.buildInfo, projectPath, program.getCompilerOptions(), 2 /* DeclarationOutputUnchanged */ ); if (writeFileCallback) writeFileCallback(name, text, writeByteOrderMark, onError, sourceFiles, data); else state.compilerHost.writeFile(name, text, writeByteOrderMark, onError, sourceFiles, data); }, cancellationToken); if (emitResult.diagnostics.length) { reportErrors(state, emitResult.diagnostics); state.diagnostics.set(projectPath, [...state.diagnostics.get(projectPath), ...emitResult.diagnostics]); buildResult = 64 & buildResult; } if (emitResult.emittedFiles && state.write) { emitResult.emittedFiles.forEach((name) => listEmittedFile(state, config7, name)); } afterProgramDone(state, program); step = 5; return emitResult; } function finishEmit(emitterDiagnostics, emittedOutputs, oldestOutputFileName, resultFlags) { const emitDiagnostics = emitterDiagnostics.getDiagnostics(); if (emitDiagnostics.length) { ({ buildResult, step } = buildErrors( state, projectPath, program, config7, emitDiagnostics, 64, "Emit" )); return emitDiagnostics; } if (state.write) { emittedOutputs.forEach((name) => listEmittedFile(state, config7, name)); } updateOutputTimestampsWorker(state, config7, projectPath, Diagnostics.Updating_unchanged_output_timestamps_of_project_0, emittedOutputs); state.diagnostics.delete(projectPath); state.projectStatus.set(projectPath, { type: 1, oldestOutputFileName }); afterProgramDone(state, program); step = 5; buildResult = resultFlags; return emitDiagnostics; } function executeSteps(till, cancellationToken, writeFile2, customTransformers) { while (step <= till && step < 6) { const currentStep = step; switch (step) { case 0: createProgram2(); break; case 1: getSyntaxDiagnostics(cancellationToken); break; case 2: getSemanticDiagnostics(cancellationToken); break; case 3: emit(writeFile2, cancellationToken, customTransformers); break; case 4: emitBuildInfo(writeFile2, cancellationToken); break; case 5: queueReferencingProjects(state, project, projectPath, projectIndex, config7, buildOrder, Debug.checkDefined(buildResult)); step++; break; case 6: default: assertType(step); } Debug.assert(step > currentStep); } } } function getNextInvalidatedProjectCreateInfo(state, buildOrder, reportQueue) { if (!state.projectPendingBuild.size) return void 0; if (isCircularBuildOrder(buildOrder)) return void 0; const { options, projectPendingBuild } = state; for (let projectIndex = 0; projectIndex < buildOrder.length; projectIndex++) { const project = buildOrder[projectIndex]; const projectPath = toResolvedConfigFilePath(state, project); const updateLevel = state.projectPendingBuild.get(projectPath); if (updateLevel === void 0) continue; if (reportQueue) { reportQueue = false; reportBuildQueue(state, buildOrder); } const config7 = parseConfigFile(state, project, projectPath); if (!config7) { reportParseConfigFileDiagnostic(state, projectPath); projectPendingBuild.delete(projectPath); continue; } if (updateLevel === 2) { watchConfigFile(state, project, projectPath, config7); watchExtendedConfigFiles(state, projectPath, config7); watchWildCardDirectories(state, project, projectPath, config7); watchInputFiles(state, project, projectPath, config7); watchPackageJsonFiles(state, project, projectPath, config7); } else if (updateLevel === 1) { config7.fileNames = getFileNamesFromConfigSpecs(config7.options.configFile.configFileSpecs, getDirectoryPath(project), config7.options, state.parseConfigFileHost); updateErrorForNoInputFiles(config7.fileNames, project, config7.options.configFile.configFileSpecs, config7.errors, canJsonReportNoInputFiles(config7.raw)); watchInputFiles(state, project, projectPath, config7); watchPackageJsonFiles(state, project, projectPath, config7); } const status = getUpToDateStatus(state, config7, projectPath); if (!options.force) { if (status.type === 1) { verboseReportProjectStatus(state, project, status); reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config7)); projectPendingBuild.delete(projectPath); if (options.dry) { reportStatus(state, Diagnostics.Project_0_is_up_to_date, project); } continue; } if (status.type === 2 || status.type === 14) { reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config7)); return { kind: 1, status, project, projectPath, projectIndex, config: config7 }; } } if (status.type === 11) { verboseReportProjectStatus(state, project, status); reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config7)); projectPendingBuild.delete(projectPath); if (options.verbose) { reportStatus( state, status.upstreamProjectBlocked ? Diagnostics.Skipping_build_of_project_0_because_its_dependency_1_was_not_built : Diagnostics.Skipping_build_of_project_0_because_its_dependency_1_has_errors, project, status.upstreamProjectName ); } continue; } if (status.type === 15) { verboseReportProjectStatus(state, project, status); reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config7)); projectPendingBuild.delete(projectPath); continue; } return { kind: 0, status, project, projectPath, projectIndex, config: config7 }; } return void 0; } function createInvalidatedProjectWithInfo(state, info, buildOrder) { verboseReportProjectStatus(state, info.project, info.status); return info.kind !== 1 ? createBuildOrUpdateInvalidedProject( state, info.project, info.projectPath, info.projectIndex, info.config, buildOrder ) : createUpdateOutputFileStampsProject( state, info.project, info.projectPath, info.config, buildOrder ); } function getNextInvalidatedProject(state, buildOrder, reportQueue) { const info = getNextInvalidatedProjectCreateInfo(state, buildOrder, reportQueue); if (!info) return info; return createInvalidatedProjectWithInfo(state, info, buildOrder); } function listEmittedFile({ write }, proj, file) { if (write && proj.options.listEmittedFiles) { write(`TSFILE: ${file}`); } } function getOldProgram({ options, builderPrograms, compilerHost }, proj, parsed) { if (options.force) return void 0; const value = builderPrograms.get(proj); if (value) return value; return readBuilderProgram(parsed.options, compilerHost); } function afterProgramDone(state, program) { if (program) { if (state.write) listFiles(program, state.write); if (state.host.afterProgramEmitAndDiagnostics) { state.host.afterProgramEmitAndDiagnostics(program); } program.releaseProgram(); } state.projectCompilerOptions = state.baseCompilerOptions; } function buildErrors(state, resolvedPath, program, config7, diagnostics, buildResult, errorType) { const canEmitBuildInfo = program && !program.getCompilerOptions().outFile; reportAndStoreErrors(state, resolvedPath, diagnostics); state.projectStatus.set(resolvedPath, { type: 0, reason: `${errorType} errors` }); if (canEmitBuildInfo) return { buildResult, step: 4 /* EmitBuildInfo */ }; afterProgramDone(state, program); return { buildResult, step: 5 /* QueueReferencingProjects */ }; } function isFileWatcherWithModifiedTime(value) { return !!value.watcher; } function getModifiedTime2(state, fileName) { const path17 = toPath22(state, fileName); const existing = state.filesWatched.get(path17); if (state.watch && !!existing) { if (!isFileWatcherWithModifiedTime(existing)) return existing; if (existing.modifiedTime) return existing.modifiedTime; } const result = getModifiedTime(state.host, fileName); if (state.watch) { if (existing) existing.modifiedTime = result; else state.filesWatched.set(path17, result); } return result; } function watchFile(state, file, callback, pollingInterval, options, watchType, project) { const path17 = toPath22(state, file); const existing = state.filesWatched.get(path17); if (existing && isFileWatcherWithModifiedTime(existing)) { existing.callbacks.push(callback); } else { const watcher = state.watchFile( file, (fileName, eventKind, modifiedTime) => { const existing2 = Debug.checkDefined(state.filesWatched.get(path17)); Debug.assert(isFileWatcherWithModifiedTime(existing2)); existing2.modifiedTime = modifiedTime; existing2.callbacks.forEach((cb) => cb(fileName, eventKind, modifiedTime)); }, pollingInterval, options, watchType, project ); state.filesWatched.set(path17, { callbacks: [callback], watcher, modifiedTime: existing }); } return { close: () => { const existing2 = Debug.checkDefined(state.filesWatched.get(path17)); Debug.assert(isFileWatcherWithModifiedTime(existing2)); if (existing2.callbacks.length === 1) { state.filesWatched.delete(path17); closeFileWatcherOf(existing2); } else { unorderedRemoveItem(existing2.callbacks, callback); } } }; } function getOutputTimeStampMap(state, resolvedConfigFilePath) { if (!state.watch) return void 0; let result = state.outputTimeStamps.get(resolvedConfigFilePath); if (!result) state.outputTimeStamps.set(resolvedConfigFilePath, result = /* @__PURE__ */ new Map()); return result; } function setBuildInfo(state, buildInfo, resolvedConfigPath, options, resultFlags) { const buildInfoPath = getTsBuildInfoEmitOutputFilePath(options); const existing = getBuildInfoCacheEntry(state, buildInfoPath, resolvedConfigPath); const modifiedTime = getCurrentTime(state.host); if (existing) { existing.buildInfo = buildInfo; existing.modifiedTime = modifiedTime; if (!(resultFlags & 2)) existing.latestChangedDtsTime = modifiedTime; } else { state.buildInfoCache.set(resolvedConfigPath, { path: toPath22(state, buildInfoPath), buildInfo, modifiedTime, latestChangedDtsTime: resultFlags & 2 ? void 0 : modifiedTime }); } } function getBuildInfoCacheEntry(state, buildInfoPath, resolvedConfigPath) { const path17 = toPath22(state, buildInfoPath); const existing = state.buildInfoCache.get(resolvedConfigPath); return (existing == null ? void 0 : existing.path) === path17 ? existing : void 0; } function getBuildInfo3(state, buildInfoPath, resolvedConfigPath, modifiedTime) { const path17 = toPath22(state, buildInfoPath); const existing = state.buildInfoCache.get(resolvedConfigPath); if (existing !== void 0 && existing.path === path17) { return existing.buildInfo || void 0; } const value = state.readFileWithCache(buildInfoPath); const buildInfo = value ? getBuildInfo(buildInfoPath, value) : void 0; state.buildInfoCache.set(resolvedConfigPath, { path: path17, buildInfo: buildInfo || false, modifiedTime: modifiedTime || missingFileModifiedTime }); return buildInfo; } function checkConfigFileUpToDateStatus(state, configFile, oldestOutputFileTime, oldestOutputFileName) { const tsconfigTime = getModifiedTime2(state, configFile); if (oldestOutputFileTime < tsconfigTime) { return { type: 5, outOfDateOutputFileName: oldestOutputFileName, newerInputFileName: configFile }; } } function getUpToDateStatusWorker(state, project, resolvedPath) { var _a, _b, _c, _d; if (!project.fileNames.length && !canJsonReportNoInputFiles(project.raw)) { return { type: 15 /* ContainerOnly */ }; } let referenceStatuses; const force = !!state.options.force; if (project.projectReferences) { state.projectStatus.set(resolvedPath, { type: 12 /* ComputingUpstream */ }); for (const ref of project.projectReferences) { const resolvedRef = resolveProjectReferencePath(ref); const resolvedRefPath = toResolvedConfigFilePath(state, resolvedRef); const resolvedConfig = parseConfigFile(state, resolvedRef, resolvedRefPath); const refStatus = getUpToDateStatus(state, resolvedConfig, resolvedRefPath); if (refStatus.type === 12 || refStatus.type === 15) { continue; } if (refStatus.type === 0 || refStatus.type === 11) { return { type: 11, upstreamProjectName: ref.path, upstreamProjectBlocked: refStatus.type === 11 /* UpstreamBlocked */ }; } if (refStatus.type !== 1) { return { type: 10, upstreamProjectName: ref.path }; } if (!force) (referenceStatuses || (referenceStatuses = [])).push({ ref, refStatus, resolvedRefPath, resolvedConfig }); } } if (force) return { type: 16 /* ForceBuild */ }; const { host } = state; const buildInfoPath = getTsBuildInfoEmitOutputFilePath(project.options); let oldestOutputFileName; let oldestOutputFileTime = maximumDate; let buildInfoTime; let buildInfoProgram; let buildInfoVersionMap; if (buildInfoPath) { const buildInfoCacheEntry2 = getBuildInfoCacheEntry(state, buildInfoPath, resolvedPath); buildInfoTime = (buildInfoCacheEntry2 == null ? void 0 : buildInfoCacheEntry2.modifiedTime) || getModifiedTime(host, buildInfoPath); if (buildInfoTime === missingFileModifiedTime) { if (!buildInfoCacheEntry2) { state.buildInfoCache.set(resolvedPath, { path: toPath22(state, buildInfoPath), buildInfo: false, modifiedTime: buildInfoTime }); } return { type: 3, missingOutputFileName: buildInfoPath }; } const buildInfo = getBuildInfo3(state, buildInfoPath, resolvedPath, buildInfoTime); if (!buildInfo) { return { type: 4, fileName: buildInfoPath }; } if (buildInfo.program && buildInfo.version !== version) { return { type: 13, version: buildInfo.version }; } if (buildInfo.program) { if (((_a = buildInfo.program.changeFileSet) == null ? void 0 : _a.length) || (!project.options.noEmit ? ((_b = buildInfo.program.affectedFilesPendingEmit) == null ? void 0 : _b.length) || ((_c = buildInfo.program.emitDiagnosticsPerFile) == null ? void 0 : _c.length) : (_d = buildInfo.program.semanticDiagnosticsPerFile) == null ? void 0 : _d.length)) { return { type: 7, buildInfoFile: buildInfoPath }; } if (!project.options.noEmit && getPendingEmitKind(project.options, buildInfo.program.options || {})) { return { type: 8, buildInfoFile: buildInfoPath }; } buildInfoProgram = buildInfo.program; } oldestOutputFileTime = buildInfoTime; oldestOutputFileName = buildInfoPath; } let newestInputFileName = void 0; let newestInputFileTime = minimumDate; let pseudoInputUpToDate = false; const seenRoots = /* @__PURE__ */ new Set(); for (const inputFile of project.fileNames) { const inputTime = getModifiedTime2(state, inputFile); if (inputTime === missingFileModifiedTime) { return { type: 0, reason: `${inputFile} does not exist` }; } const inputPath = buildInfoProgram ? toPath22(state, inputFile) : void 0; if (buildInfoTime && buildInfoTime < inputTime) { let version2; let currentVersion; if (buildInfoProgram) { if (!buildInfoVersionMap) buildInfoVersionMap = getBuildInfoFileVersionMap(buildInfoProgram, buildInfoPath, host); const resolvedInputPath = buildInfoVersionMap.roots.get(inputPath); version2 = buildInfoVersionMap.fileInfos.get(resolvedInputPath ?? inputPath); const text = version2 ? state.readFileWithCache(resolvedInputPath ?? inputFile) : void 0; currentVersion = text !== void 0 ? getSourceFileVersionAsHashFromText(host, text) : void 0; if (version2 && version2 === currentVersion) pseudoInputUpToDate = true; } if (!version2 || version2 !== currentVersion) { return { type: 5, outOfDateOutputFileName: buildInfoPath, newerInputFileName: inputFile }; } } if (inputTime > newestInputFileTime) { newestInputFileName = inputFile; newestInputFileTime = inputTime; } if (buildInfoProgram) seenRoots.add(inputPath); } if (buildInfoProgram) { if (!buildInfoVersionMap) buildInfoVersionMap = getBuildInfoFileVersionMap(buildInfoProgram, buildInfoPath, host); const existingRoot = forEachEntry( buildInfoVersionMap.roots, // File was root file when project was built but its not any more (_resolved, existingRoot2) => !seenRoots.has(existingRoot2) ? existingRoot2 : void 0 ); if (existingRoot) { return { type: 9, buildInfoFile: buildInfoPath, inputFile: existingRoot }; } } if (!buildInfoPath) { const outputs = getAllProjectOutputs(project, !host.useCaseSensitiveFileNames()); const outputTimeStampMap = getOutputTimeStampMap(state, resolvedPath); for (const output of outputs) { const path17 = toPath22(state, output); let outputTime = outputTimeStampMap == null ? void 0 : outputTimeStampMap.get(path17); if (!outputTime) { outputTime = getModifiedTime(state.host, output); outputTimeStampMap == null ? void 0 : outputTimeStampMap.set(path17, outputTime); } if (outputTime === missingFileModifiedTime) { return { type: 3, missingOutputFileName: output }; } if (outputTime < newestInputFileTime) { return { type: 5, outOfDateOutputFileName: output, newerInputFileName: newestInputFileName }; } if (outputTime < oldestOutputFileTime) { oldestOutputFileTime = outputTime; oldestOutputFileName = output; } } } const buildInfoCacheEntry = state.buildInfoCache.get(resolvedPath); let pseudoUpToDate = false; if (referenceStatuses) { for (const { ref, refStatus, resolvedConfig, resolvedRefPath } of referenceStatuses) { if (refStatus.newestInputFileTime && refStatus.newestInputFileTime <= oldestOutputFileTime) { continue; } if (buildInfoCacheEntry && hasSameBuildInfo(state, buildInfoCacheEntry, resolvedRefPath)) { return { type: 6, outOfDateOutputFileName: buildInfoPath, newerProjectName: ref.path }; } const newestDeclarationFileContentChangedTime = getLatestChangedDtsTime(state, resolvedConfig.options, resolvedRefPath); if (newestDeclarationFileContentChangedTime && newestDeclarationFileContentChangedTime <= oldestOutputFileTime) { pseudoUpToDate = true; continue; } Debug.assert(oldestOutputFileName !== void 0, "Should have an oldest output filename here"); return { type: 6, outOfDateOutputFileName: oldestOutputFileName, newerProjectName: ref.path }; } } const configStatus = checkConfigFileUpToDateStatus(state, project.options.configFilePath, oldestOutputFileTime, oldestOutputFileName); if (configStatus) return configStatus; const extendedConfigStatus = forEach(project.options.configFile.extendedSourceFiles || emptyArray, (configFile) => checkConfigFileUpToDateStatus(state, configFile, oldestOutputFileTime, oldestOutputFileName)); if (extendedConfigStatus) return extendedConfigStatus; const packageJsonLookups = state.lastCachedPackageJsonLookups.get(resolvedPath); const dependentPackageFileStatus = packageJsonLookups && forEachKey( packageJsonLookups, (path17) => checkConfigFileUpToDateStatus(state, path17, oldestOutputFileTime, oldestOutputFileName) ); if (dependentPackageFileStatus) return dependentPackageFileStatus; return { type: pseudoUpToDate ? 2 : pseudoInputUpToDate ? 14 : 1, newestInputFileTime, newestInputFileName, oldestOutputFileName }; } function hasSameBuildInfo(state, buildInfoCacheEntry, resolvedRefPath) { const refBuildInfo = state.buildInfoCache.get(resolvedRefPath); return refBuildInfo.path === buildInfoCacheEntry.path; } function getUpToDateStatus(state, project, resolvedPath) { if (project === void 0) { return { type: 0, reason: "File deleted mid-build" }; } const prior = state.projectStatus.get(resolvedPath); if (prior !== void 0) { return prior; } mark("SolutionBuilder::beforeUpToDateCheck"); const actual = getUpToDateStatusWorker(state, project, resolvedPath); mark("SolutionBuilder::afterUpToDateCheck"); measure("SolutionBuilder::Up-to-date check", "SolutionBuilder::beforeUpToDateCheck", "SolutionBuilder::afterUpToDateCheck"); state.projectStatus.set(resolvedPath, actual); return actual; } function updateOutputTimestampsWorker(state, proj, projectPath, verboseMessage, skipOutputs) { if (proj.options.noEmit) return; let now; const buildInfoPath = getTsBuildInfoEmitOutputFilePath(proj.options); if (buildInfoPath) { if (!(skipOutputs == null ? void 0 : skipOutputs.has(toPath22(state, buildInfoPath)))) { if (!!state.options.verbose) reportStatus(state, verboseMessage, proj.options.configFilePath); state.host.setModifiedTime(buildInfoPath, now = getCurrentTime(state.host)); getBuildInfoCacheEntry(state, buildInfoPath, projectPath).modifiedTime = now; } state.outputTimeStamps.delete(projectPath); return; } const { host } = state; const outputs = getAllProjectOutputs(proj, !host.useCaseSensitiveFileNames()); const outputTimeStampMap = getOutputTimeStampMap(state, projectPath); const modifiedOutputs = outputTimeStampMap ? /* @__PURE__ */ new Set() : void 0; if (!skipOutputs || outputs.length !== skipOutputs.size) { let reportVerbose = !!state.options.verbose; for (const file of outputs) { const path17 = toPath22(state, file); if (skipOutputs == null ? void 0 : skipOutputs.has(path17)) continue; if (reportVerbose) { reportVerbose = false; reportStatus(state, verboseMessage, proj.options.configFilePath); } host.setModifiedTime(file, now || (now = getCurrentTime(state.host))); if (outputTimeStampMap) { outputTimeStampMap.set(path17, now); modifiedOutputs.add(path17); } } } outputTimeStampMap == null ? void 0 : outputTimeStampMap.forEach((_value, key) => { if (!(skipOutputs == null ? void 0 : skipOutputs.has(key)) && !modifiedOutputs.has(key)) outputTimeStampMap.delete(key); }); } function getLatestChangedDtsTime(state, options, resolvedConfigPath) { if (!options.composite) return void 0; const entry = Debug.checkDefined(state.buildInfoCache.get(resolvedConfigPath)); if (entry.latestChangedDtsTime !== void 0) return entry.latestChangedDtsTime || void 0; const latestChangedDtsTime = entry.buildInfo && entry.buildInfo.program && entry.buildInfo.program.latestChangedDtsFile ? state.host.getModifiedTime(getNormalizedAbsolutePath(entry.buildInfo.program.latestChangedDtsFile, getDirectoryPath(entry.path))) : void 0; entry.latestChangedDtsTime = latestChangedDtsTime || false; return latestChangedDtsTime; } function updateOutputTimestamps(state, proj, resolvedPath) { if (state.options.dry) { return reportStatus(state, Diagnostics.A_non_dry_build_would_update_timestamps_for_output_of_project_0, proj.options.configFilePath); } updateOutputTimestampsWorker(state, proj, resolvedPath, Diagnostics.Updating_output_timestamps_of_project_0); state.projectStatus.set(resolvedPath, { type: 1, oldestOutputFileName: getFirstProjectOutput(proj, !state.host.useCaseSensitiveFileNames()) }); } function queueReferencingProjects(state, project, projectPath, projectIndex, config7, buildOrder, buildResult) { if (buildResult & 124) return; if (!config7.options.composite) return; for (let index = projectIndex + 1; index < buildOrder.length; index++) { const nextProject = buildOrder[index]; const nextProjectPath = toResolvedConfigFilePath(state, nextProject); if (state.projectPendingBuild.has(nextProjectPath)) continue; const nextProjectConfig = parseConfigFile(state, nextProject, nextProjectPath); if (!nextProjectConfig || !nextProjectConfig.projectReferences) continue; for (const ref of nextProjectConfig.projectReferences) { const resolvedRefPath = resolveProjectName(state, ref.path); if (toResolvedConfigFilePath(state, resolvedRefPath) !== projectPath) continue; const status = state.projectStatus.get(nextProjectPath); if (status) { switch (status.type) { case 1: if (buildResult & 2) { status.type = 2; break; } case 14: case 2: if (!(buildResult & 2)) { state.projectStatus.set(nextProjectPath, { type: 6, outOfDateOutputFileName: status.oldestOutputFileName, newerProjectName: project }); } break; case 11: if (toResolvedConfigFilePath(state, resolveProjectName(state, status.upstreamProjectName)) === projectPath) { clearProjectStatus(state, nextProjectPath); } break; } } addProjToQueue( state, nextProjectPath, 0 /* Update */ ); break; } } } function build(state, project, cancellationToken, writeFile2, getCustomTransformers, onlyReferences) { mark("SolutionBuilder::beforeBuild"); const result = buildWorker(state, project, cancellationToken, writeFile2, getCustomTransformers, onlyReferences); mark("SolutionBuilder::afterBuild"); measure("SolutionBuilder::Build", "SolutionBuilder::beforeBuild", "SolutionBuilder::afterBuild"); return result; } function buildWorker(state, project, cancellationToken, writeFile2, getCustomTransformers, onlyReferences) { const buildOrder = getBuildOrderFor(state, project, onlyReferences); if (!buildOrder) return 3; setupInitialBuild(state, cancellationToken); let reportQueue = true; let successfulProjects = 0; while (true) { const invalidatedProject = getNextInvalidatedProject(state, buildOrder, reportQueue); if (!invalidatedProject) break; reportQueue = false; invalidatedProject.done(cancellationToken, writeFile2, getCustomTransformers == null ? void 0 : getCustomTransformers(invalidatedProject.project)); if (!state.diagnostics.has(invalidatedProject.projectPath)) successfulProjects++; } disableCache(state); reportErrorSummary(state, buildOrder); startWatching(state, buildOrder); return isCircularBuildOrder(buildOrder) ? 4 : !buildOrder.some((p) => state.diagnostics.has(toResolvedConfigFilePath(state, p))) ? 0 : successfulProjects ? 2 : 1; } function clean(state, project, onlyReferences) { mark("SolutionBuilder::beforeClean"); const result = cleanWorker(state, project, onlyReferences); mark("SolutionBuilder::afterClean"); measure("SolutionBuilder::Clean", "SolutionBuilder::beforeClean", "SolutionBuilder::afterClean"); return result; } function cleanWorker(state, project, onlyReferences) { const buildOrder = getBuildOrderFor(state, project, onlyReferences); if (!buildOrder) return 3; if (isCircularBuildOrder(buildOrder)) { reportErrors(state, buildOrder.circularDiagnostics); return 4; } const { options, host } = state; const filesToDelete = options.dry ? [] : void 0; for (const proj of buildOrder) { const resolvedPath = toResolvedConfigFilePath(state, proj); const parsed = parseConfigFile(state, proj, resolvedPath); if (parsed === void 0) { reportParseConfigFileDiagnostic(state, resolvedPath); continue; } const outputs = getAllProjectOutputs(parsed, !host.useCaseSensitiveFileNames()); if (!outputs.length) continue; const inputFileNames = new Set(parsed.fileNames.map((f) => toPath22(state, f))); for (const output of outputs) { if (inputFileNames.has(toPath22(state, output))) continue; if (host.fileExists(output)) { if (filesToDelete) { filesToDelete.push(output); } else { host.deleteFile(output); invalidateProject( state, resolvedPath, 0 /* Update */ ); } } } } if (filesToDelete) { reportStatus(state, Diagnostics.A_non_dry_build_would_delete_the_following_files_Colon_0, filesToDelete.map((f) => `\r * ${f}`).join("")); } return 0; } function invalidateProject(state, resolved, updateLevel) { if (state.host.getParsedCommandLine && updateLevel === 1) { updateLevel = 2; } if (updateLevel === 2) { state.configFileCache.delete(resolved); state.buildOrder = void 0; } state.needsSummary = true; clearProjectStatus(state, resolved); addProjToQueue(state, resolved, updateLevel); enableCache(state); } function invalidateProjectAndScheduleBuilds(state, resolvedPath, updateLevel) { state.reportFileChangeDetected = true; invalidateProject(state, resolvedPath, updateLevel); scheduleBuildInvalidatedProject( state, 250, /*changeDetected*/ true ); } function scheduleBuildInvalidatedProject(state, time, changeDetected) { const { hostWithWatch } = state; if (!hostWithWatch.setTimeout || !hostWithWatch.clearTimeout) { return; } if (state.timerToBuildInvalidatedProject) { hostWithWatch.clearTimeout(state.timerToBuildInvalidatedProject); } state.timerToBuildInvalidatedProject = hostWithWatch.setTimeout(buildNextInvalidatedProject, time, "timerToBuildInvalidatedProject", state, changeDetected); } function buildNextInvalidatedProject(_timeoutType, state, changeDetected) { mark("SolutionBuilder::beforeBuild"); const buildOrder = buildNextInvalidatedProjectWorker(state, changeDetected); mark("SolutionBuilder::afterBuild"); measure("SolutionBuilder::Build", "SolutionBuilder::beforeBuild", "SolutionBuilder::afterBuild"); if (buildOrder) reportErrorSummary(state, buildOrder); } function buildNextInvalidatedProjectWorker(state, changeDetected) { state.timerToBuildInvalidatedProject = void 0; if (state.reportFileChangeDetected) { state.reportFileChangeDetected = false; state.projectErrorsReported.clear(); reportWatchStatus(state, Diagnostics.File_change_detected_Starting_incremental_compilation); } let projectsBuilt = 0; const buildOrder = getBuildOrder(state); const invalidatedProject = getNextInvalidatedProject( state, buildOrder, /*reportQueue*/ false ); if (invalidatedProject) { invalidatedProject.done(); projectsBuilt++; while (state.projectPendingBuild.size) { if (state.timerToBuildInvalidatedProject) return; const info = getNextInvalidatedProjectCreateInfo( state, buildOrder, /*reportQueue*/ false ); if (!info) break; if (info.kind !== 1 && (changeDetected || projectsBuilt === 5)) { scheduleBuildInvalidatedProject( state, 100, /*changeDetected*/ false ); return; } const project = createInvalidatedProjectWithInfo(state, info, buildOrder); project.done(); if (info.kind !== 1) projectsBuilt++; } } disableCache(state); return buildOrder; } function watchConfigFile(state, resolved, resolvedPath, parsed) { if (!state.watch || state.allWatchedConfigFiles.has(resolvedPath)) return; state.allWatchedConfigFiles.set( resolvedPath, watchFile( state, resolved, () => invalidateProjectAndScheduleBuilds( state, resolvedPath, 2 /* Full */ ), 2e3, parsed == null ? void 0 : parsed.watchOptions, WatchType.ConfigFile, resolved ) ); } function watchExtendedConfigFiles(state, resolvedPath, parsed) { updateSharedExtendedConfigFileWatcher( resolvedPath, parsed == null ? void 0 : parsed.options, state.allWatchedExtendedConfigFiles, (extendedConfigFileName, extendedConfigFilePath) => watchFile( state, extendedConfigFileName, () => { var _a; return (_a = state.allWatchedExtendedConfigFiles.get(extendedConfigFilePath)) == null ? void 0 : _a.projects.forEach((projectConfigFilePath) => invalidateProjectAndScheduleBuilds( state, projectConfigFilePath, 2 /* Full */ )); }, 2e3, parsed == null ? void 0 : parsed.watchOptions, WatchType.ExtendedConfigFile ), (fileName) => toPath22(state, fileName) ); } function watchWildCardDirectories(state, resolved, resolvedPath, parsed) { if (!state.watch) return; updateWatchingWildcardDirectories( getOrCreateValueMapFromConfigFileMap(state.allWatchedWildcardDirectories, resolvedPath), parsed.wildcardDirectories, (dir, flags) => state.watchDirectory( dir, (fileOrDirectory) => { var _a; if (isIgnoredFileFromWildCardWatching({ watchedDirPath: toPath22(state, dir), fileOrDirectory, fileOrDirectoryPath: toPath22(state, fileOrDirectory), configFileName: resolved, currentDirectory: state.compilerHost.getCurrentDirectory(), options: parsed.options, program: state.builderPrograms.get(resolvedPath) || ((_a = getCachedParsedConfigFile(state, resolvedPath)) == null ? void 0 : _a.fileNames), useCaseSensitiveFileNames: state.parseConfigFileHost.useCaseSensitiveFileNames, writeLog: (s) => state.writeLog(s), toPath: (fileName) => toPath22(state, fileName) })) return; invalidateProjectAndScheduleBuilds( state, resolvedPath, 1 /* RootNamesAndUpdate */ ); }, flags, parsed == null ? void 0 : parsed.watchOptions, WatchType.WildcardDirectory, resolved ) ); } function watchInputFiles(state, resolved, resolvedPath, parsed) { if (!state.watch) return; mutateMap( getOrCreateValueMapFromConfigFileMap(state.allWatchedInputFiles, resolvedPath), new Set(parsed.fileNames), { createNewValue: (input) => watchFile( state, input, () => invalidateProjectAndScheduleBuilds( state, resolvedPath, 0 /* Update */ ), 250, parsed == null ? void 0 : parsed.watchOptions, WatchType.SourceFile, resolved ), onDeleteValue: closeFileWatcher } ); } function watchPackageJsonFiles(state, resolved, resolvedPath, parsed) { if (!state.watch || !state.lastCachedPackageJsonLookups) return; mutateMap( getOrCreateValueMapFromConfigFileMap(state.allWatchedPackageJsonFiles, resolvedPath), state.lastCachedPackageJsonLookups.get(resolvedPath), { createNewValue: (input) => watchFile( state, input, () => invalidateProjectAndScheduleBuilds( state, resolvedPath, 0 /* Update */ ), 2e3, parsed == null ? void 0 : parsed.watchOptions, WatchType.PackageJson, resolved ), onDeleteValue: closeFileWatcher } ); } function startWatching(state, buildOrder) { if (!state.watchAllProjectsPending) return; mark("SolutionBuilder::beforeWatcherCreation"); state.watchAllProjectsPending = false; for (const resolved of getBuildOrderFromAnyBuildOrder(buildOrder)) { const resolvedPath = toResolvedConfigFilePath(state, resolved); const cfg = parseConfigFile(state, resolved, resolvedPath); watchConfigFile(state, resolved, resolvedPath, cfg); watchExtendedConfigFiles(state, resolvedPath, cfg); if (cfg) { watchWildCardDirectories(state, resolved, resolvedPath, cfg); watchInputFiles(state, resolved, resolvedPath, cfg); watchPackageJsonFiles(state, resolved, resolvedPath, cfg); } } mark("SolutionBuilder::afterWatcherCreation"); measure("SolutionBuilder::Watcher creation", "SolutionBuilder::beforeWatcherCreation", "SolutionBuilder::afterWatcherCreation"); } function stopWatching(state) { clearMap(state.allWatchedConfigFiles, closeFileWatcher); clearMap(state.allWatchedExtendedConfigFiles, closeFileWatcherOf); clearMap(state.allWatchedWildcardDirectories, (watchedWildcardDirectories) => clearMap(watchedWildcardDirectories, closeFileWatcherOf)); clearMap(state.allWatchedInputFiles, (watchedWildcardDirectories) => clearMap(watchedWildcardDirectories, closeFileWatcher)); clearMap(state.allWatchedPackageJsonFiles, (watchedPacageJsonFiles) => clearMap(watchedPacageJsonFiles, closeFileWatcher)); } function createSolutionBuilderWorker(watch, hostOrHostWithWatch, rootNames, options, baseWatchOptions) { const state = createSolutionBuilderState(watch, hostOrHostWithWatch, rootNames, options, baseWatchOptions); return { build: (project, cancellationToken, writeFile2, getCustomTransformers) => build(state, project, cancellationToken, writeFile2, getCustomTransformers), clean: (project) => clean(state, project), buildReferences: (project, cancellationToken, writeFile2, getCustomTransformers) => build( state, project, cancellationToken, writeFile2, getCustomTransformers, /*onlyReferences*/ true ), cleanReferences: (project) => clean( state, project, /*onlyReferences*/ true ), getNextInvalidatedProject: (cancellationToken) => { setupInitialBuild(state, cancellationToken); return getNextInvalidatedProject( state, getBuildOrder(state), /*reportQueue*/ false ); }, getBuildOrder: () => getBuildOrder(state), getUpToDateStatusOfProject: (project) => { const configFileName = resolveProjectName(state, project); const configFilePath = toResolvedConfigFilePath(state, configFileName); return getUpToDateStatus(state, parseConfigFile(state, configFileName, configFilePath), configFilePath); }, invalidateProject: (configFilePath, updateLevel) => invalidateProject( state, configFilePath, updateLevel || 0 /* Update */ ), close: () => stopWatching(state) }; } function relName(state, path17) { return convertToRelativePath(path17, state.compilerHost.getCurrentDirectory(), state.compilerHost.getCanonicalFileName); } function reportStatus(state, message, ...args) { state.host.reportSolutionBuilderStatus(createCompilerDiagnostic(message, ...args)); } function reportWatchStatus(state, message, ...args) { var _a, _b; (_b = (_a = state.hostWithWatch).onWatchStatusChange) == null ? void 0 : _b.call(_a, createCompilerDiagnostic(message, ...args), state.host.getNewLine(), state.baseCompilerOptions); } function reportErrors({ host }, errors) { errors.forEach((err) => host.reportDiagnostic(err)); } function reportAndStoreErrors(state, proj, errors) { reportErrors(state, errors); state.projectErrorsReported.set(proj, true); if (errors.length) { state.diagnostics.set(proj, errors); } } function reportParseConfigFileDiagnostic(state, proj) { reportAndStoreErrors(state, proj, [state.configFileCache.get(proj)]); } function reportErrorSummary(state, buildOrder) { if (!state.needsSummary) return; state.needsSummary = false; const canReportSummary = state.watch || !!state.host.reportErrorSummary; const { diagnostics } = state; let totalErrors = 0; let filesInError = []; if (isCircularBuildOrder(buildOrder)) { reportBuildQueue(state, buildOrder.buildOrder); reportErrors(state, buildOrder.circularDiagnostics); if (canReportSummary) totalErrors += getErrorCountForSummary(buildOrder.circularDiagnostics); if (canReportSummary) filesInError = [...filesInError, ...getFilesInErrorForSummary(buildOrder.circularDiagnostics)]; } else { buildOrder.forEach((project) => { const projectPath = toResolvedConfigFilePath(state, project); if (!state.projectErrorsReported.has(projectPath)) { reportErrors(state, diagnostics.get(projectPath) || emptyArray); } }); if (canReportSummary) diagnostics.forEach((singleProjectErrors) => totalErrors += getErrorCountForSummary(singleProjectErrors)); if (canReportSummary) diagnostics.forEach((singleProjectErrors) => [...filesInError, ...getFilesInErrorForSummary(singleProjectErrors)]); } if (state.watch) { reportWatchStatus(state, getWatchErrorSummaryDiagnosticMessage(totalErrors), totalErrors); } else if (state.host.reportErrorSummary) { state.host.reportErrorSummary(totalErrors, filesInError); } } function reportBuildQueue(state, buildQueue) { if (state.options.verbose) { reportStatus(state, Diagnostics.Projects_in_this_build_Colon_0, buildQueue.map((s) => "\r\n * " + relName(state, s)).join("")); } } function reportUpToDateStatus(state, configFileName, status) { switch (status.type) { case 5: return reportStatus( state, Diagnostics.Project_0_is_out_of_date_because_output_1_is_older_than_input_2, relName(state, configFileName), relName(state, status.outOfDateOutputFileName), relName(state, status.newerInputFileName) ); case 6: return reportStatus( state, Diagnostics.Project_0_is_out_of_date_because_output_1_is_older_than_input_2, relName(state, configFileName), relName(state, status.outOfDateOutputFileName), relName(state, status.newerProjectName) ); case 3: return reportStatus( state, Diagnostics.Project_0_is_out_of_date_because_output_file_1_does_not_exist, relName(state, configFileName), relName(state, status.missingOutputFileName) ); case 4: return reportStatus( state, Diagnostics.Project_0_is_out_of_date_because_there_was_error_reading_file_1, relName(state, configFileName), relName(state, status.fileName) ); case 7: return reportStatus( state, Diagnostics.Project_0_is_out_of_date_because_buildinfo_file_1_indicates_that_some_of_the_changes_were_not_emitted, relName(state, configFileName), relName(state, status.buildInfoFile) ); case 8: return reportStatus( state, Diagnostics.Project_0_is_out_of_date_because_buildinfo_file_1_indicates_there_is_change_in_compilerOptions, relName(state, configFileName), relName(state, status.buildInfoFile) ); case 9: return reportStatus( state, Diagnostics.Project_0_is_out_of_date_because_buildinfo_file_1_indicates_that_file_2_was_root_file_of_compilation_but_not_any_more, relName(state, configFileName), relName(state, status.buildInfoFile), relName(state, status.inputFile) ); case 1: if (status.newestInputFileTime !== void 0) { return reportStatus( state, Diagnostics.Project_0_is_up_to_date_because_newest_input_1_is_older_than_output_2, relName(state, configFileName), relName(state, status.newestInputFileName || ""), relName(state, status.oldestOutputFileName || "") ); } break; case 2: return reportStatus( state, Diagnostics.Project_0_is_up_to_date_with_d_ts_files_from_its_dependencies, relName(state, configFileName) ); case 14: return reportStatus( state, Diagnostics.Project_0_is_up_to_date_but_needs_to_update_timestamps_of_output_files_that_are_older_than_input_files, relName(state, configFileName) ); case 10: return reportStatus( state, Diagnostics.Project_0_is_out_of_date_because_its_dependency_1_is_out_of_date, relName(state, configFileName), relName(state, status.upstreamProjectName) ); case 11: return reportStatus( state, status.upstreamProjectBlocked ? Diagnostics.Project_0_can_t_be_built_because_its_dependency_1_was_not_built : Diagnostics.Project_0_can_t_be_built_because_its_dependency_1_has_errors, relName(state, configFileName), relName(state, status.upstreamProjectName) ); case 0: return reportStatus( state, Diagnostics.Failed_to_parse_file_0_Colon_1, relName(state, configFileName), status.reason ); case 13: return reportStatus( state, Diagnostics.Project_0_is_out_of_date_because_output_for_it_was_generated_with_version_1_that_differs_with_current_version_2, relName(state, configFileName), status.version, version ); case 16: return reportStatus( state, Diagnostics.Project_0_is_being_forcibly_rebuilt, relName(state, configFileName) ); case 15: case 12: break; default: assertType(status); } } function verboseReportProjectStatus(state, configFileName, status) { if (state.options.verbose) { reportUpToDateStatus(state, configFileName, status); } } var StatisticType = /* @__PURE__ */ ((StatisticType2) => { StatisticType2[StatisticType2["time"] = 0] = "time"; StatisticType2[StatisticType2["count"] = 1] = "count"; StatisticType2[StatisticType2["memory"] = 2] = "memory"; return StatisticType2; })(StatisticType || {}); function countLines(program) { const counts2 = getCountsMap(); forEach(program.getSourceFiles(), (file) => { const key = getCountKey(program, file); const lineCount = getLineStarts(file).length; counts2.set(key, counts2.get(key) + lineCount); }); return counts2; } function getCountsMap() { const counts2 = /* @__PURE__ */ new Map(); counts2.set("Library", 0); counts2.set("Definitions", 0); counts2.set("TypeScript", 0); counts2.set("JavaScript", 0); counts2.set("JSON", 0); counts2.set("Other", 0); return counts2; } function getCountKey(program, file) { if (program.isSourceFileDefaultLibrary(file)) { return "Library"; } else if (file.isDeclarationFile) { return "Definitions"; } const path17 = file.path; if (fileExtensionIsOneOf(path17, supportedTSExtensionsFlat)) { return "TypeScript"; } else if (fileExtensionIsOneOf(path17, supportedJSExtensionsFlat)) { return "JavaScript"; } else if (fileExtensionIs( path17, ".json" /* Json */ )) { return "JSON"; } else { return "Other"; } } function updateReportDiagnostic(sys2, existing, options) { return shouldBePretty(sys2, options) ? createDiagnosticReporter( sys2, /*pretty*/ true ) : existing; } function defaultIsPretty(sys2) { return !!sys2.writeOutputIsTTY && sys2.writeOutputIsTTY() && !sys2.getEnvironmentVariable("NO_COLOR"); } function shouldBePretty(sys2, options) { if (!options || typeof options.pretty === "undefined") { return defaultIsPretty(sys2); } return options.pretty; } function getOptionsForHelp(commandLine) { return !!commandLine.options.all ? sort(optionDeclarations, (a, b) => compareStringsCaseInsensitive(a.name, b.name)) : filter(optionDeclarations.slice(), (v) => !!v.showInSimplifiedHelpView); } function printVersion(sys2) { sys2.write(getDiagnosticText(Diagnostics.Version_0, version) + sys2.newLine); } function createColors(sys2) { const showColors = defaultIsPretty(sys2); if (!showColors) { return { bold: (str) => str, blue: (str) => str, blueBackground: (str) => str, brightWhite: (str) => str }; } function bold(str) { return `\x1B[1m${str}\x1B[22m`; } const isWindows = sys2.getEnvironmentVariable("OS") && sys2.getEnvironmentVariable("OS").toLowerCase().includes("windows"); const isWindowsTerminal = sys2.getEnvironmentVariable("WT_SESSION"); const isVSCode = sys2.getEnvironmentVariable("TERM_PROGRAM") && sys2.getEnvironmentVariable("TERM_PROGRAM") === "vscode"; function blue(str) { if (isWindows && !isWindowsTerminal && !isVSCode) { return brightWhite(str); } return `\x1B[94m${str}\x1B[39m`; } const supportsRicherColors = sys2.getEnvironmentVariable("COLORTERM") === "truecolor" || sys2.getEnvironmentVariable("TERM") === "xterm-256color"; function blueBackground(str) { if (supportsRicherColors) { return `\x1B[48;5;68m${str}\x1B[39;49m`; } else { return `\x1B[44m${str}\x1B[39;49m`; } } function brightWhite(str) { return `\x1B[97m${str}\x1B[39m`; } return { bold, blue, brightWhite, blueBackground }; } function getDisplayNameTextOfOption(option) { return `--${option.name}${option.shortName ? `, -${option.shortName}` : ""}`; } function generateOptionOutput(sys2, option, rightAlignOfLeft, leftAlignOfRight) { var _a; const text = []; const colors = createColors(sys2); const name = getDisplayNameTextOfOption(option); const valueCandidates = getValueCandidate(option); const defaultValueDescription = typeof option.defaultValueDescription === "object" ? getDiagnosticText(option.defaultValueDescription) : formatDefaultValue( option.defaultValueDescription, option.type === "list" || option.type === "listOrElement" ? option.element.type : option.type ); const terminalWidth = ((_a = sys2.getWidthOfTerminal) == null ? void 0 : _a.call(sys2)) ?? 0; if (terminalWidth >= 80) { let description3 = ""; if (option.description) { description3 = getDiagnosticText(option.description); } text.push(...getPrettyOutput( name, description3, rightAlignOfLeft, leftAlignOfRight, terminalWidth, /*colorLeft*/ true ), sys2.newLine); if (showAdditionalInfoOutput(valueCandidates, option)) { if (valueCandidates) { text.push(...getPrettyOutput( valueCandidates.valueType, valueCandidates.possibleValues, rightAlignOfLeft, leftAlignOfRight, terminalWidth, /*colorLeft*/ false ), sys2.newLine); } if (defaultValueDescription) { text.push(...getPrettyOutput( getDiagnosticText(Diagnostics.default_Colon), defaultValueDescription, rightAlignOfLeft, leftAlignOfRight, terminalWidth, /*colorLeft*/ false ), sys2.newLine); } } text.push(sys2.newLine); } else { text.push(colors.blue(name), sys2.newLine); if (option.description) { const description3 = getDiagnosticText(option.description); text.push(description3); } text.push(sys2.newLine); if (showAdditionalInfoOutput(valueCandidates, option)) { if (valueCandidates) { text.push(`${valueCandidates.valueType} ${valueCandidates.possibleValues}`); } if (defaultValueDescription) { if (valueCandidates) text.push(sys2.newLine); const diagType = getDiagnosticText(Diagnostics.default_Colon); text.push(`${diagType} ${defaultValueDescription}`); } text.push(sys2.newLine); } text.push(sys2.newLine); } return text; function formatDefaultValue(defaultValue, type) { return defaultValue !== void 0 && typeof type === "object" ? arrayFrom(type.entries()).filter(([, value]) => value === defaultValue).map(([name2]) => name2).join("/") : String(defaultValue); } function showAdditionalInfoOutput(valueCandidates2, option2) { const ignoreValues = ["string"]; const ignoredDescriptions = [void 0, "false", "n/a"]; const defaultValueDescription2 = option2.defaultValueDescription; if (option2.category === Diagnostics.Command_line_Options) return false; if (contains(ignoreValues, valueCandidates2 == null ? void 0 : valueCandidates2.possibleValues) && contains(ignoredDescriptions, defaultValueDescription2)) { return false; } return true; } function getPrettyOutput(left, right, rightAlignOfLeft2, leftAlignOfRight2, terminalWidth2, colorLeft) { const res = []; let isFirstLine = true; let remainRight = right; const rightCharacterNumber = terminalWidth2 - leftAlignOfRight2; while (remainRight.length > 0) { let curLeft = ""; if (isFirstLine) { curLeft = left.padStart(rightAlignOfLeft2); curLeft = curLeft.padEnd(leftAlignOfRight2); curLeft = colorLeft ? colors.blue(curLeft) : curLeft; } else { curLeft = "".padStart(leftAlignOfRight2); } const curRight = remainRight.substr(0, rightCharacterNumber); remainRight = remainRight.slice(rightCharacterNumber); res.push(`${curLeft}${curRight}`); isFirstLine = false; } return res; } function getValueCandidate(option2) { if (option2.type === "object") { return void 0; } return { valueType: getValueType(option2), possibleValues: getPossibleValues(option2) }; function getValueType(option3) { Debug.assert(option3.type !== "listOrElement"); switch (option3.type) { case "string": case "number": case "boolean": return getDiagnosticText(Diagnostics.type_Colon); case "list": return getDiagnosticText(Diagnostics.one_or_more_Colon); default: return getDiagnosticText(Diagnostics.one_of_Colon); } } function getPossibleValues(option3) { let possibleValues; switch (option3.type) { case "string": case "number": case "boolean": possibleValues = option3.type; break; case "list": case "listOrElement": possibleValues = getPossibleValues(option3.element); break; case "object": possibleValues = ""; break; default: const inverted = {}; option3.type.forEach((value, name2) => { var _a2; if (!((_a2 = option3.deprecatedKeys) == null ? void 0 : _a2.has(name2))) { (inverted[value] || (inverted[value] = [])).push(name2); } }); return Object.entries(inverted).map(([, synonyms]) => synonyms.join("/")).join(", "); } return possibleValues; } } } function generateGroupOptionOutput(sys2, optionsList) { let maxLength2 = 0; for (const option of optionsList) { const curLength = getDisplayNameTextOfOption(option).length; maxLength2 = maxLength2 > curLength ? maxLength2 : curLength; } const rightAlignOfLeftPart = maxLength2 + 2; const leftAlignOfRightPart = rightAlignOfLeftPart + 2; let lines = []; for (const option of optionsList) { const tmp = generateOptionOutput(sys2, option, rightAlignOfLeftPart, leftAlignOfRightPart); lines = [...lines, ...tmp]; } if (lines[lines.length - 2] !== sys2.newLine) { lines.push(sys2.newLine); } return lines; } function generateSectionOptionsOutput(sys2, sectionName, options, subCategory, beforeOptionsDescription, afterOptionsDescription) { let res = []; res.push(createColors(sys2).bold(sectionName) + sys2.newLine + sys2.newLine); if (beforeOptionsDescription) { res.push(beforeOptionsDescription + sys2.newLine + sys2.newLine); } if (!subCategory) { res = [...res, ...generateGroupOptionOutput(sys2, options)]; if (afterOptionsDescription) { res.push(afterOptionsDescription + sys2.newLine + sys2.newLine); } return res; } const categoryMap = /* @__PURE__ */ new Map(); for (const option of options) { if (!option.category) { continue; } const curCategory = getDiagnosticText(option.category); const optionsOfCurCategory = categoryMap.get(curCategory) ?? []; optionsOfCurCategory.push(option); categoryMap.set(curCategory, optionsOfCurCategory); } categoryMap.forEach((value, key) => { res.push(`### ${key}${sys2.newLine}${sys2.newLine}`); res = [...res, ...generateGroupOptionOutput(sys2, value)]; }); if (afterOptionsDescription) { res.push(afterOptionsDescription + sys2.newLine + sys2.newLine); } return res; } function printEasyHelp(sys2, simpleOptions) { const colors = createColors(sys2); let output = [...getHeader(sys2, `${getDiagnosticText(Diagnostics.tsc_Colon_The_TypeScript_Compiler)} - ${getDiagnosticText(Diagnostics.Version_0, version)}`)]; output.push(colors.bold(getDiagnosticText(Diagnostics.COMMON_COMMANDS)) + sys2.newLine + sys2.newLine); example("tsc", Diagnostics.Compiles_the_current_project_tsconfig_json_in_the_working_directory); example("tsc app.ts util.ts", Diagnostics.Ignoring_tsconfig_json_compiles_the_specified_files_with_default_compiler_options); example("tsc -b", Diagnostics.Build_a_composite_project_in_the_working_directory); example("tsc --init", Diagnostics.Creates_a_tsconfig_json_with_the_recommended_settings_in_the_working_directory); example("tsc -p ./path/to/tsconfig.json", Diagnostics.Compiles_the_TypeScript_project_located_at_the_specified_path); example("tsc --help --all", Diagnostics.An_expanded_version_of_this_information_showing_all_possible_compiler_options); example(["tsc --noEmit", "tsc --target esnext"], Diagnostics.Compiles_the_current_project_with_additional_settings); const cliCommands = simpleOptions.filter((opt) => opt.isCommandLineOnly || opt.category === Diagnostics.Command_line_Options); const configOpts = simpleOptions.filter((opt) => !contains(cliCommands, opt)); output = [ ...output, ...generateSectionOptionsOutput( sys2, getDiagnosticText(Diagnostics.COMMAND_LINE_FLAGS), cliCommands, /*subCategory*/ false, /*beforeOptionsDescription*/ void 0, /*afterOptionsDescription*/ void 0 ), ...generateSectionOptionsOutput( sys2, getDiagnosticText(Diagnostics.COMMON_COMPILER_OPTIONS), configOpts, /*subCategory*/ false, /*beforeOptionsDescription*/ void 0, formatMessage(Diagnostics.You_can_learn_about_all_of_the_compiler_options_at_0, "https://aka.ms/tsc") ) ]; for (const line of output) { sys2.write(line); } function example(ex, desc) { const examples = typeof ex === "string" ? [ex] : ex; for (const example2 of examples) { output.push(" " + colors.blue(example2) + sys2.newLine); } output.push(" " + getDiagnosticText(desc) + sys2.newLine + sys2.newLine); } } function printAllHelp(sys2, compilerOptions, buildOptions, watchOptions) { let output = [...getHeader(sys2, `${getDiagnosticText(Diagnostics.tsc_Colon_The_TypeScript_Compiler)} - ${getDiagnosticText(Diagnostics.Version_0, version)}`)]; output = [...output, ...generateSectionOptionsOutput( sys2, getDiagnosticText(Diagnostics.ALL_COMPILER_OPTIONS), compilerOptions, /*subCategory*/ true, /*beforeOptionsDescription*/ void 0, formatMessage(Diagnostics.You_can_learn_about_all_of_the_compiler_options_at_0, "https://aka.ms/tsc") )]; output = [...output, ...generateSectionOptionsOutput( sys2, getDiagnosticText(Diagnostics.WATCH_OPTIONS), watchOptions, /*subCategory*/ false, getDiagnosticText(Diagnostics.Including_watch_w_will_start_watching_the_current_project_for_the_file_changes_Once_set_you_can_config_watch_mode_with_Colon) )]; output = [...output, ...generateSectionOptionsOutput( sys2, getDiagnosticText(Diagnostics.BUILD_OPTIONS), buildOptions, /*subCategory*/ false, formatMessage(Diagnostics.Using_build_b_will_make_tsc_behave_more_like_a_build_orchestrator_than_a_compiler_This_is_used_to_trigger_building_composite_projects_which_you_can_learn_more_about_at_0, "https://aka.ms/tsc-composite-builds") )]; for (const line of output) { sys2.write(line); } } function printBuildHelp(sys2, buildOptions) { let output = [...getHeader(sys2, `${getDiagnosticText(Diagnostics.tsc_Colon_The_TypeScript_Compiler)} - ${getDiagnosticText(Diagnostics.Version_0, version)}`)]; output = [...output, ...generateSectionOptionsOutput( sys2, getDiagnosticText(Diagnostics.BUILD_OPTIONS), buildOptions, /*subCategory*/ false, formatMessage(Diagnostics.Using_build_b_will_make_tsc_behave_more_like_a_build_orchestrator_than_a_compiler_This_is_used_to_trigger_building_composite_projects_which_you_can_learn_more_about_at_0, "https://aka.ms/tsc-composite-builds") )]; for (const line of output) { sys2.write(line); } } function getHeader(sys2, message) { var _a; const colors = createColors(sys2); const header = []; const terminalWidth = ((_a = sys2.getWidthOfTerminal) == null ? void 0 : _a.call(sys2)) ?? 0; const tsIconLength = 5; const tsIconFirstLine = colors.blueBackground("".padStart(tsIconLength)); const tsIconSecondLine = colors.blueBackground(colors.brightWhite("TS ".padStart(tsIconLength))); if (terminalWidth >= message.length + tsIconLength) { const rightAlign = terminalWidth > 120 ? 120 : terminalWidth; const leftAlign = rightAlign - tsIconLength; header.push(message.padEnd(leftAlign) + tsIconFirstLine + sys2.newLine); header.push("".padStart(leftAlign) + tsIconSecondLine + sys2.newLine); } else { header.push(message + sys2.newLine); header.push(sys2.newLine); } return header; } function printHelp(sys2, commandLine) { if (!commandLine.options.all) { printEasyHelp(sys2, getOptionsForHelp(commandLine)); } else { printAllHelp(sys2, getOptionsForHelp(commandLine), optionsForBuild, optionsForWatch); } } function executeCommandLineWorker(sys2, cb, commandLine) { let reportDiagnostic = createDiagnosticReporter(sys2); if (commandLine.options.build) { reportDiagnostic(createCompilerDiagnostic(Diagnostics.Option_build_must_be_the_first_command_line_argument)); return sys2.exit( 1 /* DiagnosticsPresent_OutputsSkipped */ ); } let configFileName; if (commandLine.options.locale) { validateLocaleAndSetLanguage(commandLine.options.locale, sys2, commandLine.errors); } if (commandLine.errors.length > 0) { commandLine.errors.forEach(reportDiagnostic); return sys2.exit( 1 /* DiagnosticsPresent_OutputsSkipped */ ); } if (commandLine.options.init) { writeConfigFile(sys2, reportDiagnostic, commandLine.options, commandLine.fileNames); return sys2.exit( 0 /* Success */ ); } if (commandLine.options.version) { printVersion(sys2); return sys2.exit( 0 /* Success */ ); } if (commandLine.options.help || commandLine.options.all) { printHelp(sys2, commandLine); return sys2.exit( 0 /* Success */ ); } if (commandLine.options.watch && commandLine.options.listFilesOnly) { reportDiagnostic(createCompilerDiagnostic(Diagnostics.Options_0_and_1_cannot_be_combined, "watch", "listFilesOnly")); return sys2.exit( 1 /* DiagnosticsPresent_OutputsSkipped */ ); } if (commandLine.options.project) { if (commandLine.fileNames.length !== 0) { reportDiagnostic(createCompilerDiagnostic(Diagnostics.Option_project_cannot_be_mixed_with_source_files_on_a_command_line)); return sys2.exit( 1 /* DiagnosticsPresent_OutputsSkipped */ ); } const fileOrDirectory = normalizePath(commandLine.options.project); if (!fileOrDirectory || sys2.directoryExists(fileOrDirectory)) { configFileName = combinePaths(fileOrDirectory, "tsconfig.json"); if (!sys2.fileExists(configFileName)) { reportDiagnostic(createCompilerDiagnostic(Diagnostics.Cannot_find_a_tsconfig_json_file_at_the_specified_directory_Colon_0, commandLine.options.project)); return sys2.exit( 1 /* DiagnosticsPresent_OutputsSkipped */ ); } } else { configFileName = fileOrDirectory; if (!sys2.fileExists(configFileName)) { reportDiagnostic(createCompilerDiagnostic(Diagnostics.The_specified_path_does_not_exist_Colon_0, commandLine.options.project)); return sys2.exit( 1 /* DiagnosticsPresent_OutputsSkipped */ ); } } } else if (commandLine.fileNames.length === 0) { const searchPath = normalizePath(sys2.getCurrentDirectory()); configFileName = findConfigFile(searchPath, (fileName) => sys2.fileExists(fileName)); } if (commandLine.fileNames.length === 0 && !configFileName) { if (commandLine.options.showConfig) { reportDiagnostic(createCompilerDiagnostic(Diagnostics.Cannot_find_a_tsconfig_json_file_at_the_current_directory_Colon_0, normalizePath(sys2.getCurrentDirectory()))); } else { printVersion(sys2); printHelp(sys2, commandLine); } return sys2.exit( 1 /* DiagnosticsPresent_OutputsSkipped */ ); } const currentDirectory = sys2.getCurrentDirectory(); const commandLineOptions = convertToOptionsWithAbsolutePaths( commandLine.options, (fileName) => getNormalizedAbsolutePath(fileName, currentDirectory) ); if (configFileName) { const extendedConfigCache = /* @__PURE__ */ new Map(); const configParseResult = parseConfigFileWithSystem(configFileName, commandLineOptions, extendedConfigCache, commandLine.watchOptions, sys2, reportDiagnostic); if (commandLineOptions.showConfig) { if (configParseResult.errors.length !== 0) { reportDiagnostic = updateReportDiagnostic( sys2, reportDiagnostic, configParseResult.options ); configParseResult.errors.forEach(reportDiagnostic); return sys2.exit( 1 /* DiagnosticsPresent_OutputsSkipped */ ); } sys2.write(JSON.stringify(convertToTSConfig(configParseResult, configFileName, sys2), null, 4) + sys2.newLine); return sys2.exit( 0 /* Success */ ); } reportDiagnostic = updateReportDiagnostic( sys2, reportDiagnostic, configParseResult.options ); if (isWatchSet(configParseResult.options)) { if (reportWatchModeWithoutSysSupport(sys2, reportDiagnostic)) return; return createWatchOfConfigFile( sys2, cb, reportDiagnostic, configParseResult, commandLineOptions, commandLine.watchOptions, extendedConfigCache ); } else if (isIncrementalCompilation(configParseResult.options)) { performIncrementalCompilation2( sys2, cb, reportDiagnostic, configParseResult ); } else { performCompilation( sys2, cb, reportDiagnostic, configParseResult ); } } else { if (commandLineOptions.showConfig) { sys2.write(JSON.stringify(convertToTSConfig(commandLine, combinePaths(currentDirectory, "tsconfig.json"), sys2), null, 4) + sys2.newLine); return sys2.exit( 0 /* Success */ ); } reportDiagnostic = updateReportDiagnostic( sys2, reportDiagnostic, commandLineOptions ); if (isWatchSet(commandLineOptions)) { if (reportWatchModeWithoutSysSupport(sys2, reportDiagnostic)) return; return createWatchOfFilesAndCompilerOptions( sys2, cb, reportDiagnostic, commandLine.fileNames, commandLineOptions, commandLine.watchOptions ); } else if (isIncrementalCompilation(commandLineOptions)) { performIncrementalCompilation2( sys2, cb, reportDiagnostic, { ...commandLine, options: commandLineOptions } ); } else { performCompilation( sys2, cb, reportDiagnostic, { ...commandLine, options: commandLineOptions } ); } } } function isBuild(commandLineArgs) { if (commandLineArgs.length > 0 && commandLineArgs[0].charCodeAt(0) === 45) { const firstOption = commandLineArgs[0].slice(commandLineArgs[0].charCodeAt(1) === 45 ? 2 : 1).toLowerCase(); return firstOption === "build" || firstOption === "b"; } return false; } function executeCommandLine(system, cb, commandLineArgs) { if (isBuild(commandLineArgs)) { const { buildOptions, watchOptions, projects, errors } = parseBuildCommand(commandLineArgs.slice(1)); if (buildOptions.generateCpuProfile && system.enableCPUProfiler) { system.enableCPUProfiler(buildOptions.generateCpuProfile, () => performBuild( system, cb, buildOptions, watchOptions, projects, errors )); } else { return performBuild( system, cb, buildOptions, watchOptions, projects, errors ); } } const commandLine = parseCommandLine(commandLineArgs, (path17) => system.readFile(path17)); if (commandLine.options.generateCpuProfile && system.enableCPUProfiler) { system.enableCPUProfiler(commandLine.options.generateCpuProfile, () => executeCommandLineWorker( system, cb, commandLine )); } else { return executeCommandLineWorker(system, cb, commandLine); } } function reportWatchModeWithoutSysSupport(sys2, reportDiagnostic) { if (!sys2.watchFile || !sys2.watchDirectory) { reportDiagnostic(createCompilerDiagnostic(Diagnostics.The_current_host_does_not_support_the_0_option, "--watch")); sys2.exit( 1 /* DiagnosticsPresent_OutputsSkipped */ ); return true; } return false; } var defaultJSDocParsingMode = 2; function performBuild(sys2, cb, buildOptions, watchOptions, projects, errors) { const reportDiagnostic = updateReportDiagnostic( sys2, createDiagnosticReporter(sys2), buildOptions ); if (buildOptions.locale) { validateLocaleAndSetLanguage(buildOptions.locale, sys2, errors); } if (errors.length > 0) { errors.forEach(reportDiagnostic); return sys2.exit( 1 /* DiagnosticsPresent_OutputsSkipped */ ); } if (buildOptions.help) { printVersion(sys2); printBuildHelp(sys2, buildOpts); return sys2.exit( 0 /* Success */ ); } if (projects.length === 0) { printVersion(sys2); printBuildHelp(sys2, buildOpts); return sys2.exit( 0 /* Success */ ); } if (!sys2.getModifiedTime || !sys2.setModifiedTime || buildOptions.clean && !sys2.deleteFile) { reportDiagnostic(createCompilerDiagnostic(Diagnostics.The_current_host_does_not_support_the_0_option, "--build")); return sys2.exit( 1 /* DiagnosticsPresent_OutputsSkipped */ ); } if (buildOptions.watch) { if (reportWatchModeWithoutSysSupport(sys2, reportDiagnostic)) return; const buildHost2 = createSolutionBuilderWithWatchHost( sys2, /*createProgram*/ void 0, reportDiagnostic, createBuilderStatusReporter(sys2, shouldBePretty(sys2, buildOptions)), createWatchStatusReporter2(sys2, buildOptions) ); buildHost2.jsDocParsingMode = defaultJSDocParsingMode; const solutionPerformance2 = enableSolutionPerformance(sys2, buildOptions); updateSolutionBuilderHost(sys2, cb, buildHost2, solutionPerformance2); const onWatchStatusChange = buildHost2.onWatchStatusChange; let reportBuildStatistics = false; buildHost2.onWatchStatusChange = (d, newLine, options, errorCount) => { onWatchStatusChange == null ? void 0 : onWatchStatusChange(d, newLine, options, errorCount); if (reportBuildStatistics && (d.code === Diagnostics.Found_0_errors_Watching_for_file_changes.code || d.code === Diagnostics.Found_1_error_Watching_for_file_changes.code)) { reportSolutionBuilderTimes(builder2, solutionPerformance2); } }; const builder2 = createSolutionBuilderWithWatch(buildHost2, projects, buildOptions, watchOptions); builder2.build(); reportSolutionBuilderTimes(builder2, solutionPerformance2); reportBuildStatistics = true; return builder2; } const buildHost = createSolutionBuilderHost( sys2, /*createProgram*/ void 0, reportDiagnostic, createBuilderStatusReporter(sys2, shouldBePretty(sys2, buildOptions)), createReportErrorSummary(sys2, buildOptions) ); buildHost.jsDocParsingMode = defaultJSDocParsingMode; const solutionPerformance = enableSolutionPerformance(sys2, buildOptions); updateSolutionBuilderHost(sys2, cb, buildHost, solutionPerformance); const builder = createSolutionBuilder(buildHost, projects, buildOptions); const exitStatus = buildOptions.clean ? builder.clean() : builder.build(); reportSolutionBuilderTimes(builder, solutionPerformance); dumpTracingLegend(); return sys2.exit(exitStatus); } function createReportErrorSummary(sys2, options) { return shouldBePretty(sys2, options) ? (errorCount, filesInError) => sys2.write(getErrorSummaryText(errorCount, filesInError, sys2.newLine, sys2)) : void 0; } function performCompilation(sys2, cb, reportDiagnostic, config7) { const { fileNames, options, projectReferences } = config7; const host = createCompilerHostWorker( options, /*setParentNodes*/ void 0, sys2 ); host.jsDocParsingMode = defaultJSDocParsingMode; const currentDirectory = host.getCurrentDirectory(); const getCanonicalFileName = createGetCanonicalFileName(host.useCaseSensitiveFileNames()); changeCompilerHostLikeToUseCache(host, (fileName) => toPath3(fileName, currentDirectory, getCanonicalFileName)); enableStatisticsAndTracing( sys2, options, /*isBuildMode*/ false ); const programOptions = { rootNames: fileNames, options, projectReferences, host, configFileParsingDiagnostics: getConfigFileParsingDiagnostics(config7) }; const program = createProgram(programOptions); const exitStatus = emitFilesAndReportErrorsAndGetExitStatus( program, reportDiagnostic, (s) => sys2.write(s + sys2.newLine), createReportErrorSummary(sys2, options) ); reportStatistics( sys2, program, /*solutionPerformance*/ void 0 ); cb(program); return sys2.exit(exitStatus); } function performIncrementalCompilation2(sys2, cb, reportDiagnostic, config7) { const { options, fileNames, projectReferences } = config7; enableStatisticsAndTracing( sys2, options, /*isBuildMode*/ false ); const host = createIncrementalCompilerHost(options, sys2); host.jsDocParsingMode = defaultJSDocParsingMode; const exitStatus = performIncrementalCompilation({ host, system: sys2, rootNames: fileNames, options, configFileParsingDiagnostics: getConfigFileParsingDiagnostics(config7), projectReferences, reportDiagnostic, reportErrorSummary: createReportErrorSummary(sys2, options), afterProgramEmitAndDiagnostics: (builderProgram) => { reportStatistics( sys2, builderProgram.getProgram(), /*solutionPerformance*/ void 0 ); cb(builderProgram); } }); return sys2.exit(exitStatus); } function updateSolutionBuilderHost(sys2, cb, buildHost, solutionPerformance) { updateCreateProgram( sys2, buildHost, /*isBuildMode*/ true ); buildHost.afterProgramEmitAndDiagnostics = (program) => { reportStatistics(sys2, program.getProgram(), solutionPerformance); cb(program); }; } function updateCreateProgram(sys2, host, isBuildMode) { const compileUsingBuilder = host.createProgram; host.createProgram = (rootNames, options, host2, oldProgram, configFileParsingDiagnostics, projectReferences) => { Debug.assert(rootNames !== void 0 || options === void 0 && !!oldProgram); if (options !== void 0) { enableStatisticsAndTracing(sys2, options, isBuildMode); } return compileUsingBuilder(rootNames, options, host2, oldProgram, configFileParsingDiagnostics, projectReferences); }; } function updateWatchCompilationHost(sys2, cb, watchCompilerHost) { watchCompilerHost.jsDocParsingMode = defaultJSDocParsingMode; updateCreateProgram( sys2, watchCompilerHost, /*isBuildMode*/ false ); const emitFilesUsingBuilder = watchCompilerHost.afterProgramCreate; watchCompilerHost.afterProgramCreate = (builderProgram) => { emitFilesUsingBuilder(builderProgram); reportStatistics( sys2, builderProgram.getProgram(), /*solutionPerformance*/ void 0 ); cb(builderProgram); }; } function createWatchStatusReporter2(sys2, options) { return createWatchStatusReporter(sys2, shouldBePretty(sys2, options)); } function createWatchOfConfigFile(system, cb, reportDiagnostic, configParseResult, optionsToExtend, watchOptionsToExtend, extendedConfigCache) { const watchCompilerHost = createWatchCompilerHostOfConfigFile({ configFileName: configParseResult.options.configFilePath, optionsToExtend, watchOptionsToExtend, system, reportDiagnostic, reportWatchStatus: createWatchStatusReporter2(system, configParseResult.options) }); updateWatchCompilationHost(system, cb, watchCompilerHost); watchCompilerHost.configFileParsingResult = configParseResult; watchCompilerHost.extendedConfigCache = extendedConfigCache; return createWatchProgram(watchCompilerHost); } function createWatchOfFilesAndCompilerOptions(system, cb, reportDiagnostic, rootFiles2, options, watchOptions) { const watchCompilerHost = createWatchCompilerHostOfFilesAndCompilerOptions({ rootFiles: rootFiles2, options, watchOptions, system, reportDiagnostic, reportWatchStatus: createWatchStatusReporter2(system, options) }); updateWatchCompilationHost(system, cb, watchCompilerHost); return createWatchProgram(watchCompilerHost); } function enableSolutionPerformance(system, options) { if (system === sys && options.extendedDiagnostics) { enable(); return createSolutionPerfomrance(); } } function createSolutionPerfomrance() { let statistics; return { addAggregateStatistic, forEachAggregateStatistics: forEachAggreateStatistics, clear: clear2 }; function addAggregateStatistic(s) { const existing = statistics == null ? void 0 : statistics.get(s.name); if (existing) { if (existing.type === 2) existing.value = Math.max(existing.value, s.value); else existing.value += s.value; } else { (statistics ?? (statistics = /* @__PURE__ */ new Map())).set(s.name, s); } } function forEachAggreateStatistics(cb) { statistics == null ? void 0 : statistics.forEach(cb); } function clear2() { statistics = void 0; } } function reportSolutionBuilderTimes(builder, solutionPerformance) { if (!solutionPerformance) return; if (!isEnabled()) { sys.write(Diagnostics.Performance_timings_for_diagnostics_or_extendedDiagnostics_are_not_available_in_this_session_A_native_implementation_of_the_Web_Performance_API_could_not_be_found.message + "\n"); return; } const statistics = []; statistics.push( { name: "Projects in scope", value: getBuildOrderFromAnyBuildOrder(builder.getBuildOrder()).length, type: 1 /* count */ } ); reportSolutionBuilderCountStatistic("SolutionBuilder::Projects built"); reportSolutionBuilderCountStatistic("SolutionBuilder::Timestamps only updates"); reportSolutionBuilderCountStatistic("SolutionBuilder::Bundles updated"); solutionPerformance.forEachAggregateStatistics((s) => { s.name = `Aggregate ${s.name}`; statistics.push(s); }); forEachMeasure((name, duration) => { if (isSolutionMarkOrMeasure(name)) statistics.push({ name: `${getNameFromSolutionBuilderMarkOrMeasure(name)} time`, value: duration, type: 0 /* time */ }); }); disable(); enable(); solutionPerformance.clear(); reportAllStatistics(sys, statistics); function reportSolutionBuilderCountStatistic(name) { const value = getCount(name); if (value) { statistics.push({ name: getNameFromSolutionBuilderMarkOrMeasure(name), value, type: 1 /* count */ }); } } function getNameFromSolutionBuilderMarkOrMeasure(name) { return name.replace("SolutionBuilder::", ""); } } function canReportDiagnostics(system, compilerOptions) { return system === sys && (compilerOptions.diagnostics || compilerOptions.extendedDiagnostics); } function canTrace(system, compilerOptions) { return system === sys && compilerOptions.generateTrace; } function enableStatisticsAndTracing(system, compilerOptions, isBuildMode) { if (canReportDiagnostics(system, compilerOptions)) { enable(system); } if (canTrace(system, compilerOptions)) { startTracing(isBuildMode ? "build" : "project", compilerOptions.generateTrace, compilerOptions.configFilePath); } } function isSolutionMarkOrMeasure(name) { return startsWith2(name, "SolutionBuilder::"); } function reportStatistics(sys2, program, solutionPerformance) { var _a; const compilerOptions = program.getCompilerOptions(); if (canTrace(sys2, compilerOptions)) { (_a = tracing) == null ? void 0 : _a.stopTracing(); } let statistics; if (canReportDiagnostics(sys2, compilerOptions)) { statistics = []; const memoryUsed = sys2.getMemoryUsage ? sys2.getMemoryUsage() : -1; reportCountStatistic("Files", program.getSourceFiles().length); const lineCounts = countLines(program); if (compilerOptions.extendedDiagnostics) { for (const [key, value] of lineCounts.entries()) { reportCountStatistic("Lines of " + key, value); } } else { reportCountStatistic("Lines", reduceLeftIterator(lineCounts.values(), (sum, count) => sum + count, 0)); } reportCountStatistic("Identifiers", program.getIdentifierCount()); reportCountStatistic("Symbols", program.getSymbolCount()); reportCountStatistic("Types", program.getTypeCount()); reportCountStatistic("Instantiations", program.getInstantiationCount()); if (memoryUsed >= 0) { reportStatisticalValue( { name: "Memory used", value: memoryUsed, type: 2 /* memory */ }, /*aggregate*/ true ); } const isPerformanceEnabled = isEnabled(); const programTime = isPerformanceEnabled ? getDuration("Program") : 0; const bindTime = isPerformanceEnabled ? getDuration("Bind") : 0; const checkTime = isPerformanceEnabled ? getDuration("Check") : 0; const emitTime = isPerformanceEnabled ? getDuration("Emit") : 0; if (compilerOptions.extendedDiagnostics) { const caches = program.getRelationCacheSizes(); reportCountStatistic("Assignability cache size", caches.assignable); reportCountStatistic("Identity cache size", caches.identity); reportCountStatistic("Subtype cache size", caches.subtype); reportCountStatistic("Strict subtype cache size", caches.strictSubtype); if (isPerformanceEnabled) { forEachMeasure((name, duration) => { if (!isSolutionMarkOrMeasure(name)) reportTimeStatistic( `${name} time`, duration, /*aggregate*/ true ); }); } } else if (isPerformanceEnabled) { reportTimeStatistic( "I/O read", getDuration("I/O Read"), /*aggregate*/ true ); reportTimeStatistic( "I/O write", getDuration("I/O Write"), /*aggregate*/ true ); reportTimeStatistic( "Parse time", programTime, /*aggregate*/ true ); reportTimeStatistic( "Bind time", bindTime, /*aggregate*/ true ); reportTimeStatistic( "Check time", checkTime, /*aggregate*/ true ); reportTimeStatistic( "Emit time", emitTime, /*aggregate*/ true ); } if (isPerformanceEnabled) { reportTimeStatistic( "Total time", programTime + bindTime + checkTime + emitTime, /*aggregate*/ false ); } reportAllStatistics(sys2, statistics); if (!isPerformanceEnabled) { sys2.write(Diagnostics.Performance_timings_for_diagnostics_or_extendedDiagnostics_are_not_available_in_this_session_A_native_implementation_of_the_Web_Performance_API_could_not_be_found.message + "\n"); } else { if (solutionPerformance) { forEachMeasure((name) => { if (!isSolutionMarkOrMeasure(name)) clearMeasures(name); }); forEachMark((name) => { if (!isSolutionMarkOrMeasure(name)) clearMarks(name); }); } else { disable(); } } } function reportStatisticalValue(s, aggregate) { statistics.push(s); if (aggregate) solutionPerformance == null ? void 0 : solutionPerformance.addAggregateStatistic(s); } function reportCountStatistic(name, count) { reportStatisticalValue( { name, value: count, type: 1 /* count */ }, /*aggregate*/ true ); } function reportTimeStatistic(name, time, aggregate) { reportStatisticalValue({ name, value: time, type: 0 /* time */ }, aggregate); } } function reportAllStatistics(sys2, statistics) { let nameSize = 0; let valueSize = 0; for (const s of statistics) { if (s.name.length > nameSize) { nameSize = s.name.length; } const value = statisticValue(s); if (value.length > valueSize) { valueSize = value.length; } } for (const s of statistics) { sys2.write(`${s.name}:`.padEnd(nameSize + 2) + statisticValue(s).toString().padStart(valueSize) + sys2.newLine); } } function statisticValue(s) { switch (s.type) { case 1: return "" + s.value; case 0: return (s.value / 1e3).toFixed(2) + "s"; case 2: return Math.round(s.value / 1e3) + "K"; default: Debug.assertNever(s.type); } } function writeConfigFile(sys2, reportDiagnostic, options, fileNames) { const currentDirectory = sys2.getCurrentDirectory(); const file = normalizePath(combinePaths(currentDirectory, "tsconfig.json")); if (sys2.fileExists(file)) { reportDiagnostic(createCompilerDiagnostic(Diagnostics.A_tsconfig_json_file_is_already_defined_at_Colon_0, file)); } else { sys2.writeFile(file, generateTSConfig(options, fileNames, sys2.newLine)); const output = [sys2.newLine, ...getHeader(sys2, "Created a new tsconfig.json with:")]; output.push(getCompilerOptionsDiffValue(options, sys2.newLine) + sys2.newLine + sys2.newLine); output.push(`You can learn more at https://aka.ms/tsconfig` + sys2.newLine); for (const line of output) { sys2.write(line); } } return; } function createSyntacticTypeNodeBuilder(options, resolver) { const strictNullChecks = getStrictOptionValue(options, "strictNullChecks"); return { typeFromExpression, serializeTypeOfDeclaration, serializeReturnTypeForSignature, serializeTypeOfExpression }; function serializeExistingTypeAnnotation(type, addUndefined) { return type !== void 0 && (!addUndefined || type && canAddUndefined(type)) ? true : void 0; } function serializeTypeOfExpression(expr, context, addUndefined, preserveLiterals) { return typeFromExpression( expr, context, /*isConstContext*/ false, addUndefined, preserveLiterals ) ?? inferExpressionType(expr, context); } function serializeTypeOfDeclaration(node, context) { switch (node.kind) { case 171: return serializeExistingTypeAnnotation(getEffectiveTypeAnnotationNode(node)); case 169: return typeFromParameter(node, context); case 260: return typeFromVariable(node, context); case 172: return typeFromProperty(node, context); case 208: return inferTypeOfDeclaration(node, context); case 277: return serializeTypeOfExpression( node.expression, context, /*addUndefined*/ void 0, /*preserveLiterals*/ true ); case 211: case 212: case 226: return serializeExistingTypeAnnotation(getEffectiveTypeAnnotationNode(node)) || inferTypeOfDeclaration(node, context); case 303: return typeFromExpression(node.initializer, context) || inferTypeOfDeclaration(node, context); default: Debug.assertNever(node, `Node needs to be an inferrable node, found ${Debug.formatSyntaxKind(node.kind)}`); } } function serializeReturnTypeForSignature(node, context) { switch (node.kind) { case 177: return typeFromAccessor(node, context); case 174: case 262: case 180: case 173: case 179: case 176: case 178: case 181: case 184: case 185: case 218: case 219: case 317: case 323: return createReturnFromSignature(node, context); default: Debug.assertNever(node, `Node needs to be an inferrable node, found ${Debug.formatSyntaxKind(node.kind)}`); } } function getTypeAnnotationFromAccessor2(accessor) { if (accessor) { return accessor.kind === 177 ? getEffectiveReturnTypeNode(accessor) : accessor.parameters.length > 0 ? getEffectiveTypeAnnotationNode(accessor.parameters[0]) : void 0; } } function getTypeAnnotationFromAllAccessorDeclarations(node, accessors) { let accessorType = getTypeAnnotationFromAccessor2(node); if (!accessorType && node !== accessors.firstAccessor) { accessorType = getTypeAnnotationFromAccessor2(accessors.firstAccessor); } if (!accessorType && accessors.secondAccessor && node !== accessors.secondAccessor) { accessorType = getTypeAnnotationFromAccessor2(accessors.secondAccessor); } return accessorType; } function typeFromAccessor(node, context) { const accessorDeclarations = resolver.getAllAccessorDeclarations(node); const accessorType = getTypeAnnotationFromAllAccessorDeclarations(node, accessorDeclarations); if (accessorType) { return serializeExistingTypeAnnotation(accessorType); } if (accessorDeclarations.getAccessor) { return createReturnFromSignature(accessorDeclarations.getAccessor, context); } return false; } function typeFromVariable(node, context) { const declaredType = getEffectiveTypeAnnotationNode(node); if (declaredType) { return serializeExistingTypeAnnotation(declaredType); } let resultType; if (node.initializer) { if (!resolver.isExpandoFunctionDeclaration(node)) { resultType = typeFromExpression( node.initializer, context, /*isConstContext*/ void 0, /*requiresAddingUndefined*/ void 0, isVarConstLike(node) ); } } return resultType ?? inferTypeOfDeclaration(node, context); } function typeFromParameter(node, context) { const parent2 = node.parent; if (parent2.kind === 178) { return typeFromAccessor(parent2, context); } const declaredType = getEffectiveTypeAnnotationNode(node); const addUndefined = resolver.requiresAddingImplicitUndefined(node); let resultType; if (declaredType) { resultType = serializeExistingTypeAnnotation(declaredType, addUndefined); } else { if (node.initializer && isIdentifier(node.name)) { resultType = typeFromExpression( node.initializer, context, /*isConstContext*/ void 0, addUndefined ); } } return resultType ?? inferTypeOfDeclaration(node, context); } function typeFromProperty(node, context) { const declaredType = getEffectiveTypeAnnotationNode(node); if (declaredType) { return serializeExistingTypeAnnotation(declaredType); } let resultType; if (node.initializer) { const isReadonly = isDeclarationReadonly(node); resultType = typeFromExpression( node.initializer, context, /*isConstContext*/ void 0, /*requiresAddingUndefined*/ void 0, isReadonly ); } return resultType ?? inferTypeOfDeclaration(node, context); } function inferTypeOfDeclaration(node, context) { context.tracker.reportInferenceFallback(node); return false; } function inferExpressionType(node, context) { context.tracker.reportInferenceFallback(node); return false; } function inferReturnTypeOfSignatureSignature(node, context) { context.tracker.reportInferenceFallback(node); return false; } function inferAccessorType(node, allAccessors, context) { if (node.kind === 177) { return createReturnFromSignature(node, context); } else { context.tracker.reportInferenceFallback(node); return false; } } function typeFromTypeAssertion(expression, type, context, requiresAddingUndefined) { if (isConstTypeReference(type)) { return typeFromExpression( expression, context, /*isConstContext*/ true, requiresAddingUndefined ); } if (requiresAddingUndefined && !canAddUndefined(type)) { context.tracker.reportInferenceFallback(type); } return serializeExistingTypeAnnotation(type); } function typeFromExpression(node, context, isConstContext = false, requiresAddingUndefined = false, preserveLiterals = false) { switch (node.kind) { case 217: if (isJSDocTypeAssertion(node)) { return typeFromTypeAssertion(node.expression, getJSDocTypeAssertionType(node), context, requiresAddingUndefined); } return typeFromExpression(node.expression, context, isConstContext, requiresAddingUndefined); case 80: if (resolver.isUndefinedIdentifierExpression(node)) { return true; } break; case 106: return true; case 219: case 218: return typeFromFunctionLikeExpression(node, context); case 216: case 234: const asExpression = node; return typeFromTypeAssertion(asExpression.expression, asExpression.type, context, requiresAddingUndefined); case 224: const unaryExpression = node; if (isPrimitiveLiteralValue(unaryExpression)) { if (unaryExpression.operand.kind === 10) { return typeFromPrimitiveLiteral(); } if (unaryExpression.operand.kind === 9) { return typeFromPrimitiveLiteral(); } } break; case 9: return typeFromPrimitiveLiteral(); case 228: if (!isConstContext && !preserveLiterals) { return true; } break; case 15: case 11: return typeFromPrimitiveLiteral(); case 10: return typeFromPrimitiveLiteral(); case 112: case 97: return typeFromPrimitiveLiteral(); case 209: return typeFromArrayLiteral(node, context, isConstContext); case 210: return typeFromObjectLiteral(node, context, isConstContext); case 231: return inferExpressionType(node, context); } return void 0; } function typeFromFunctionLikeExpression(fnNode, context) { const returnType = serializeExistingTypeAnnotation(fnNode.type) ?? createReturnFromSignature(fnNode, context); const typeParameters = reuseTypeParameters(fnNode.typeParameters); const parameters = fnNode.parameters.every((p) => ensureParameter(p, context)); return returnType && typeParameters && parameters; } function canGetTypeFromArrayLiteral(arrayLiteral, context, isConstContext) { if (!isConstContext) { context.tracker.reportInferenceFallback(arrayLiteral); return false; } for (const element of arrayLiteral.elements) { if (element.kind === 230) { context.tracker.reportInferenceFallback(element); return false; } } return true; } function typeFromArrayLiteral(arrayLiteral, context, isConstContext) { if (!canGetTypeFromArrayLiteral(arrayLiteral, context, isConstContext)) { return false; } let canInferArray = true; for (const element of arrayLiteral.elements) { Debug.assert( element.kind !== 230 /* SpreadElement */ ); if (element.kind !== 232) { canInferArray = (typeFromExpression(element, context, isConstContext) ?? inferExpressionType(element, context)) && canInferArray; } } return true; } function canGetTypeFromObjectLiteral(objectLiteral, context) { let result = true; for (const prop of objectLiteral.properties) { if (prop.flags & 262144) { result = false; break; } if (prop.kind === 304 || prop.kind === 305) { context.tracker.reportInferenceFallback(prop); result = false; } else if (prop.name.flags & 262144) { result = false; break; } else if (prop.name.kind === 81) { result = false; } else if (prop.name.kind === 167) { const expression = prop.name.expression; if (!isPrimitiveLiteralValue( expression, /*includeBigInt*/ false )) { context.tracker.reportInferenceFallback(prop.name); result = false; } } } return result; } function typeFromObjectLiteral(objectLiteral, context, isConstContext) { if (!canGetTypeFromObjectLiteral(objectLiteral, context)) return false; let canInferObjectLiteral = true; for (const prop of objectLiteral.properties) { Debug.assert(!isShorthandPropertyAssignment(prop) && !isSpreadAssignment(prop)); const name = prop.name; switch (prop.kind) { case 174: canInferObjectLiteral = !!typeFromObjectLiteralMethod(prop, name, context) && canInferObjectLiteral; break; case 303: canInferObjectLiteral = !!typeFromObjectLiteralPropertyAssignment(prop, name, context, isConstContext) && canInferObjectLiteral; break; case 178: case 177: canInferObjectLiteral = !!typeFromObjectLiteralAccessor(prop, name, context) && canInferObjectLiteral; break; } } return canInferObjectLiteral; } function typeFromObjectLiteralPropertyAssignment(prop, name, context, isConstContext) { return typeFromExpression(prop.initializer, context, isConstContext) ?? inferTypeOfDeclaration(prop, context); } function ensureParameter(p, context) { return typeFromParameter(p, context); } function reuseTypeParameters(typeParameters) { return (typeParameters == null ? void 0 : typeParameters.every( (tp) => serializeExistingTypeAnnotation(tp.constraint) && serializeExistingTypeAnnotation(tp.default) )) ?? true; } function typeFromObjectLiteralMethod(method, name, context) { const returnType = createReturnFromSignature(method, context); const typeParameters = reuseTypeParameters(method.typeParameters); const parameters = method.parameters.every((p) => ensureParameter(p, context)); return returnType && typeParameters && parameters; } function typeFromObjectLiteralAccessor(accessor, name, context) { const allAccessors = resolver.getAllAccessorDeclarations(accessor); const getAccessorType = allAccessors.getAccessor && getTypeAnnotationFromAccessor2(allAccessors.getAccessor); const setAccessorType = allAccessors.setAccessor && getTypeAnnotationFromAccessor2(allAccessors.setAccessor); if (getAccessorType !== void 0 && setAccessorType !== void 0) { const parameters = accessor.parameters.every((p) => ensureParameter(p, context)); if (isGetAccessor(accessor)) { return parameters && serializeExistingTypeAnnotation(getAccessorType); } else { return parameters; } } else if (allAccessors.firstAccessor === accessor) { const foundType = getAccessorType ?? setAccessorType; const propertyType = foundType ? serializeExistingTypeAnnotation(foundType) : inferAccessorType(accessor, allAccessors, context); return propertyType; } return false; } function typeFromPrimitiveLiteral() { return true; } function canAddUndefined(node) { if (!strictNullChecks) return true; if (isKeyword2(node.kind) || node.kind === 201 || node.kind === 184 || node.kind === 185 || node.kind === 188 || node.kind === 189 || node.kind === 187 || node.kind === 203 || node.kind === 197) { return true; } if (node.kind === 196) { return canAddUndefined(node.type); } if (node.kind === 192 || node.kind === 193) { return node.types.every(canAddUndefined); } return false; } function createReturnFromSignature(fn, context) { let returnType; const returnTypeNode = getEffectiveReturnTypeNode(fn); if (returnTypeNode) { returnType = serializeExistingTypeAnnotation(returnTypeNode); } if (!returnType && isValueSignatureDeclaration(fn)) { returnType = typeFromSingleReturnExpression(fn, context); } return returnType ?? inferReturnTypeOfSignatureSignature(fn, context); } function typeFromSingleReturnExpression(declaration, context) { let candidateExpr; if (declaration && !nodeIsMissing(declaration.body)) { if (getFunctionFlags(declaration) & 3) return void 0; const body = declaration.body; if (body && isBlock(body)) { forEachReturnStatement(body, (s) => { if (!candidateExpr) { candidateExpr = s.expression; } else { candidateExpr = void 0; return true; } }); } else { candidateExpr = body; } } if (candidateExpr) { return typeFromExpression(candidateExpr, context); } return void 0; } } var ts_JsTyping_exports = {}; __export2(ts_JsTyping_exports, { NameValidationResult: () => NameValidationResult, discoverTypings: () => discoverTypings, isTypingUpToDate: () => isTypingUpToDate, loadSafeList: () => loadSafeList, loadTypesMap: () => loadTypesMap, nodeCoreModuleList: () => nodeCoreModuleList, nodeCoreModules: () => nodeCoreModules, nonRelativeModuleNameForTypingCache: () => nonRelativeModuleNameForTypingCache, prefixedNodeCoreModuleList: () => prefixedNodeCoreModuleList, renderPackageNameValidationFailure: () => renderPackageNameValidationFailure, validatePackageName: () => validatePackageName }); var ActionSet = "action::set"; var ActionInvalidate = "action::invalidate"; var ActionPackageInstalled = "action::packageInstalled"; var EventTypesRegistry = "event::typesRegistry"; var EventBeginInstallTypes = "event::beginInstallTypes"; var EventEndInstallTypes = "event::endInstallTypes"; var EventInitializationFailed = "event::initializationFailed"; var ActionWatchTypingLocations = "action::watchTypingLocations"; var Arguments; ((Arguments2) => { Arguments2.GlobalCacheLocation = "--globalTypingsCacheLocation"; Arguments2.LogFile = "--logFile"; Arguments2.EnableTelemetry = "--enableTelemetry"; Arguments2.TypingSafeListLocation = "--typingSafeListLocation"; Arguments2.TypesMapLocation = "--typesMapLocation"; Arguments2.NpmLocation = "--npmLocation"; Arguments2.ValidateDefaultNpmLocation = "--validateDefaultNpmLocation"; })(Arguments || (Arguments = {})); function hasArgument(argumentName) { return sys.args.includes(argumentName); } function findArgument(argumentName) { const index = sys.args.indexOf(argumentName); return index >= 0 && index < sys.args.length - 1 ? sys.args[index + 1] : void 0; } function nowString() { const d = /* @__PURE__ */ new Date(); return `${d.getHours().toString().padStart(2, "0")}:${d.getMinutes().toString().padStart(2, "0")}:${d.getSeconds().toString().padStart(2, "0")}.${d.getMilliseconds().toString().padStart(3, "0")}`; } var indentStr = "\n "; function indent2(str) { return indentStr + str.replace(/\n/g, indentStr); } function stringifyIndented(json) { return indent2(JSON.stringify(json, void 0, 2)); } function isTypingUpToDate(cachedTyping, availableTypingVersions) { const availableVersion = new Version(getProperty(availableTypingVersions, `ts${versionMajorMinor}`) || getProperty(availableTypingVersions, "latest")); return availableVersion.compareTo(cachedTyping.version) <= 0; } var unprefixedNodeCoreModuleList = [ "assert", "assert/strict", "async_hooks", "buffer", "child_process", "cluster", "console", "constants", "crypto", "dgram", "diagnostics_channel", "dns", "dns/promises", "domain", "events", "fs", "fs/promises", "http", "https", "http2", "inspector", "module", "net", "os", "path", "perf_hooks", "process", "punycode", "querystring", "readline", "repl", "stream", "stream/promises", "string_decoder", "timers", "timers/promises", "tls", "trace_events", "tty", "url", "util", "util/types", "v8", "vm", "wasi", "worker_threads", "zlib" ]; var prefixedNodeCoreModuleList = unprefixedNodeCoreModuleList.map((name) => `node:${name}`); var nodeCoreModuleList = [...unprefixedNodeCoreModuleList, ...prefixedNodeCoreModuleList]; var nodeCoreModules = new Set(nodeCoreModuleList); function nonRelativeModuleNameForTypingCache(moduleName) { return nodeCoreModules.has(moduleName) ? "node" : moduleName; } function loadSafeList(host, safeListPath) { const result = readConfigFile(safeListPath, (path17) => host.readFile(path17)); return new Map(Object.entries(result.config)); } function loadTypesMap(host, typesMapPath) { var _a; const result = readConfigFile(typesMapPath, (path17) => host.readFile(path17)); if ((_a = result.config) == null ? void 0 : _a.simpleMap) { return new Map(Object.entries(result.config.simpleMap)); } return void 0; } function discoverTypings(host, log, fileNames, projectRootPath, safeList, packageNameToTypingLocation, typeAcquisition, unresolvedImports, typesRegistry, compilerOptions) { if (!typeAcquisition || !typeAcquisition.enable) { return { cachedTypingPaths: [], newTypingNames: [], filesToWatch: [] }; } const inferredTypings = /* @__PURE__ */ new Map(); fileNames = mapDefined(fileNames, (fileName) => { const path17 = normalizePath(fileName); if (hasJSFileExtension(path17)) { return path17; } }); const filesToWatch = []; if (typeAcquisition.include) addInferredTypings(typeAcquisition.include, "Explicitly included types"); const exclude = typeAcquisition.exclude || []; if (!compilerOptions.types) { const possibleSearchDirs = new Set(fileNames.map(getDirectoryPath)); possibleSearchDirs.add(projectRootPath); possibleSearchDirs.forEach((searchDir) => { getTypingNames(searchDir, "bower.json", "bower_components", filesToWatch); getTypingNames(searchDir, "package.json", "node_modules", filesToWatch); }); } if (!typeAcquisition.disableFilenameBasedTypeAcquisition) { getTypingNamesFromSourceFileNames(fileNames); } if (unresolvedImports) { const module22 = deduplicate( unresolvedImports.map(nonRelativeModuleNameForTypingCache), equateStringsCaseSensitive, compareStringsCaseSensitive ); addInferredTypings(module22, "Inferred typings from unresolved imports"); } for (const excludeTypingName of exclude) { const didDelete = inferredTypings.delete(excludeTypingName); if (didDelete && log) log(`Typing for ${excludeTypingName} is in exclude list, will be ignored.`); } packageNameToTypingLocation.forEach((typing, name) => { const registryEntry = typesRegistry.get(name); if (inferredTypings.get(name) === false && registryEntry !== void 0 && isTypingUpToDate(typing, registryEntry)) { inferredTypings.set(name, typing.typingLocation); } }); const newTypingNames = []; const cachedTypingPaths = []; inferredTypings.forEach((inferred, typing) => { if (inferred) { cachedTypingPaths.push(inferred); } else { newTypingNames.push(typing); } }); const result = { cachedTypingPaths, newTypingNames, filesToWatch }; if (log) log(`Finished typings discovery:${stringifyIndented(result)}`); return result; function addInferredTyping(typingName) { if (!inferredTypings.has(typingName)) { inferredTypings.set(typingName, false); } } function addInferredTypings(typingNames, message) { if (log) log(`${message}: ${JSON.stringify(typingNames)}`); forEach(typingNames, addInferredTyping); } function getTypingNames(projectRootPath2, manifestName, modulesDirName, filesToWatch2) { const manifestPath = combinePaths(projectRootPath2, manifestName); let manifest; let manifestTypingNames; if (host.fileExists(manifestPath)) { filesToWatch2.push(manifestPath); manifest = readConfigFile(manifestPath, (path17) => host.readFile(path17)).config; manifestTypingNames = flatMap([manifest.dependencies, manifest.devDependencies, manifest.optionalDependencies, manifest.peerDependencies], getOwnKeys); addInferredTypings(manifestTypingNames, `Typing names in '${manifestPath}' dependencies`); } const packagesFolderPath = combinePaths(projectRootPath2, modulesDirName); filesToWatch2.push(packagesFolderPath); if (!host.directoryExists(packagesFolderPath)) { return; } const packageNames = []; const dependencyManifestNames = manifestTypingNames ? manifestTypingNames.map((typingName) => combinePaths(packagesFolderPath, typingName, manifestName)) : host.readDirectory( packagesFolderPath, [ ".json" /* Json */ ], /*excludes*/ void 0, /*includes*/ void 0, /*depth*/ 3 ).filter((manifestPath2) => { if (getBaseFileName(manifestPath2) !== manifestName) { return false; } const pathComponents2 = getPathComponents(normalizePath(manifestPath2)); const isScoped = pathComponents2[pathComponents2.length - 3][0] === "@"; return isScoped && toFileNameLowerCase(pathComponents2[pathComponents2.length - 4]) === modulesDirName || // `node_modules/@foo/bar` !isScoped && toFileNameLowerCase(pathComponents2[pathComponents2.length - 3]) === modulesDirName; }); if (log) log(`Searching for typing names in ${packagesFolderPath}; all files: ${JSON.stringify(dependencyManifestNames)}`); for (const manifestPath2 of dependencyManifestNames) { const normalizedFileName = normalizePath(manifestPath2); const result2 = readConfigFile(normalizedFileName, (path17) => host.readFile(path17)); const manifest2 = result2.config; if (!manifest2.name) { continue; } const ownTypes = manifest2.types || manifest2.typings; if (ownTypes) { const absolutePath = getNormalizedAbsolutePath(ownTypes, getDirectoryPath(normalizedFileName)); if (host.fileExists(absolutePath)) { if (log) log(` Package '${manifest2.name}' provides its own types.`); inferredTypings.set(manifest2.name, absolutePath); } else { if (log) log(` Package '${manifest2.name}' provides its own types but they are missing.`); } } else { packageNames.push(manifest2.name); } } addInferredTypings(packageNames, " Found package names"); } function getTypingNamesFromSourceFileNames(fileNames2) { const fromFileNames = mapDefined(fileNames2, (j) => { if (!hasJSFileExtension(j)) return void 0; const inferredTypingName = removeFileExtension(toFileNameLowerCase(getBaseFileName(j))); const cleanedTypingName = removeMinAndVersionNumbers(inferredTypingName); return safeList.get(cleanedTypingName); }); if (fromFileNames.length) { addInferredTypings(fromFileNames, "Inferred typings from file names"); } const hasJsxFile = some(fileNames2, (f) => fileExtensionIs( f, ".jsx" /* Jsx */ )); if (hasJsxFile) { if (log) log(`Inferred 'react' typings due to presence of '.jsx' extension`); addInferredTyping("react"); } } } var NameValidationResult = /* @__PURE__ */ ((NameValidationResult2) => { NameValidationResult2[NameValidationResult2["Ok"] = 0] = "Ok"; NameValidationResult2[NameValidationResult2["EmptyName"] = 1] = "EmptyName"; NameValidationResult2[NameValidationResult2["NameTooLong"] = 2] = "NameTooLong"; NameValidationResult2[NameValidationResult2["NameStartsWithDot"] = 3] = "NameStartsWithDot"; NameValidationResult2[NameValidationResult2["NameStartsWithUnderscore"] = 4] = "NameStartsWithUnderscore"; NameValidationResult2[NameValidationResult2["NameContainsNonURISafeCharacters"] = 5] = "NameContainsNonURISafeCharacters"; return NameValidationResult2; })(NameValidationResult || {}); var maxPackageNameLength = 214; function validatePackageName(packageName) { return validatePackageNameWorker( packageName, /*supportScopedPackage*/ true ); } function validatePackageNameWorker(packageName, supportScopedPackage) { if (!packageName) { return 1; } if (packageName.length > maxPackageNameLength) { return 2; } if (packageName.charCodeAt(0) === 46) { return 3; } if (packageName.charCodeAt(0) === 95) { return 4; } if (supportScopedPackage) { const matches = /^@([^/]+)\/([^/]+)$/.exec(packageName); if (matches) { const scopeResult = validatePackageNameWorker( matches[1], /*supportScopedPackage*/ false ); if (scopeResult !== 0) { return { name: matches[1], isScopeName: true, result: scopeResult }; } const packageResult = validatePackageNameWorker( matches[2], /*supportScopedPackage*/ false ); if (packageResult !== 0) { return { name: matches[2], isScopeName: false, result: packageResult }; } return 0; } } if (encodeURIComponent(packageName) !== packageName) { return 5; } return 0; } function renderPackageNameValidationFailure(result, typing) { return typeof result === "object" ? renderPackageNameValidationFailureWorker(typing, result.result, result.name, result.isScopeName) : renderPackageNameValidationFailureWorker( typing, result, typing, /*isScopeName*/ false ); } function renderPackageNameValidationFailureWorker(typing, result, name, isScopeName) { const kind = isScopeName ? "Scope" : "Package"; switch (result) { case 1: return `'${typing}':: ${kind} name '${name}' cannot be empty`; case 2: return `'${typing}':: ${kind} name '${name}' should be less than ${maxPackageNameLength} characters`; case 3: return `'${typing}':: ${kind} name '${name}' cannot start with '.'`; case 4: return `'${typing}':: ${kind} name '${name}' cannot start with '_'`; case 5: return `'${typing}':: ${kind} name '${name}' contains non URI safe characters`; case 0: return Debug.fail(); default: Debug.assertNever(result); } } var ScriptSnapshot; ((ScriptSnapshot2) => { class StringScriptSnapshot { constructor(text) { this.text = text; } getText(start, end) { return start === 0 && end === this.text.length ? this.text : this.text.substring(start, end); } getLength() { return this.text.length; } getChangeRange() { return void 0; } } function fromString(text) { return new StringScriptSnapshot(text); } ScriptSnapshot2.fromString = fromString; })(ScriptSnapshot || (ScriptSnapshot = {})); var PackageJsonDependencyGroup = /* @__PURE__ */ ((PackageJsonDependencyGroup2) => { PackageJsonDependencyGroup2[PackageJsonDependencyGroup2["Dependencies"] = 1] = "Dependencies"; PackageJsonDependencyGroup2[PackageJsonDependencyGroup2["DevDependencies"] = 2] = "DevDependencies"; PackageJsonDependencyGroup2[PackageJsonDependencyGroup2["PeerDependencies"] = 4] = "PeerDependencies"; PackageJsonDependencyGroup2[PackageJsonDependencyGroup2["OptionalDependencies"] = 8] = "OptionalDependencies"; PackageJsonDependencyGroup2[PackageJsonDependencyGroup2["All"] = 15] = "All"; return PackageJsonDependencyGroup2; })(PackageJsonDependencyGroup || {}); var PackageJsonAutoImportPreference = /* @__PURE__ */ ((PackageJsonAutoImportPreference2) => { PackageJsonAutoImportPreference2[PackageJsonAutoImportPreference2["Off"] = 0] = "Off"; PackageJsonAutoImportPreference2[PackageJsonAutoImportPreference2["On"] = 1] = "On"; PackageJsonAutoImportPreference2[PackageJsonAutoImportPreference2["Auto"] = 2] = "Auto"; return PackageJsonAutoImportPreference2; })(PackageJsonAutoImportPreference || {}); var LanguageServiceMode = /* @__PURE__ */ ((LanguageServiceMode2) => { LanguageServiceMode2[LanguageServiceMode2["Semantic"] = 0] = "Semantic"; LanguageServiceMode2[LanguageServiceMode2["PartialSemantic"] = 1] = "PartialSemantic"; LanguageServiceMode2[LanguageServiceMode2["Syntactic"] = 2] = "Syntactic"; return LanguageServiceMode2; })(LanguageServiceMode || {}); var emptyOptions = {}; var SemanticClassificationFormat = /* @__PURE__ */ ((SemanticClassificationFormat2) => { SemanticClassificationFormat2["Original"] = "original"; SemanticClassificationFormat2["TwentyTwenty"] = "2020"; return SemanticClassificationFormat2; })(SemanticClassificationFormat || {}); var OrganizeImportsMode = /* @__PURE__ */ ((OrganizeImportsMode2) => { OrganizeImportsMode2["All"] = "All"; OrganizeImportsMode2["SortAndCombine"] = "SortAndCombine"; OrganizeImportsMode2["RemoveUnused"] = "RemoveUnused"; return OrganizeImportsMode2; })(OrganizeImportsMode || {}); var CompletionTriggerKind = /* @__PURE__ */ ((CompletionTriggerKind2) => { CompletionTriggerKind2[CompletionTriggerKind2["Invoked"] = 1] = "Invoked"; CompletionTriggerKind2[CompletionTriggerKind2["TriggerCharacter"] = 2] = "TriggerCharacter"; CompletionTriggerKind2[CompletionTriggerKind2["TriggerForIncompleteCompletions"] = 3] = "TriggerForIncompleteCompletions"; return CompletionTriggerKind2; })(CompletionTriggerKind || {}); var InlayHintKind2 = /* @__PURE__ */ ((InlayHintKind3) => { InlayHintKind3["Type"] = "Type"; InlayHintKind3["Parameter"] = "Parameter"; InlayHintKind3["Enum"] = "Enum"; return InlayHintKind3; })(InlayHintKind2 || {}); var HighlightSpanKind = /* @__PURE__ */ ((HighlightSpanKind2) => { HighlightSpanKind2["none"] = "none"; HighlightSpanKind2["definition"] = "definition"; HighlightSpanKind2["reference"] = "reference"; HighlightSpanKind2["writtenReference"] = "writtenReference"; return HighlightSpanKind2; })(HighlightSpanKind || {}); var IndentStyle = /* @__PURE__ */ ((IndentStyle3) => { IndentStyle3[IndentStyle3["None"] = 0] = "None"; IndentStyle3[IndentStyle3["Block"] = 1] = "Block"; IndentStyle3[IndentStyle3["Smart"] = 2] = "Smart"; return IndentStyle3; })(IndentStyle || {}); var SemicolonPreference = /* @__PURE__ */ ((SemicolonPreference2) => { SemicolonPreference2["Ignore"] = "ignore"; SemicolonPreference2["Insert"] = "insert"; SemicolonPreference2["Remove"] = "remove"; return SemicolonPreference2; })(SemicolonPreference || {}); function getDefaultFormatCodeSettings(newLineCharacter) { return { indentSize: 4, tabSize: 4, newLineCharacter: newLineCharacter || "\n", convertTabsToSpaces: true, indentStyle: 2, insertSpaceAfterConstructor: false, insertSpaceAfterCommaDelimiter: true, insertSpaceAfterSemicolonInForStatements: true, insertSpaceBeforeAndAfterBinaryOperators: true, insertSpaceAfterKeywordsInControlFlowStatements: true, insertSpaceAfterFunctionKeywordForAnonymousFunctions: false, insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis: false, insertSpaceAfterOpeningAndBeforeClosingNonemptyBrackets: false, insertSpaceAfterOpeningAndBeforeClosingNonemptyBraces: true, insertSpaceAfterOpeningAndBeforeClosingTemplateStringBraces: false, insertSpaceAfterOpeningAndBeforeClosingJsxExpressionBraces: false, insertSpaceBeforeFunctionParenthesis: false, placeOpenBraceOnNewLineForFunctions: false, placeOpenBraceOnNewLineForControlBlocks: false, semicolons: "ignore", trimTrailingWhitespace: true, indentSwitchCase: true }; } var testFormatSettings = getDefaultFormatCodeSettings("\n"); var SymbolDisplayPartKind = /* @__PURE__ */ ((SymbolDisplayPartKind2) => { SymbolDisplayPartKind2[SymbolDisplayPartKind2["aliasName"] = 0] = "aliasName"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["className"] = 1] = "className"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["enumName"] = 2] = "enumName"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["fieldName"] = 3] = "fieldName"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["interfaceName"] = 4] = "interfaceName"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["keyword"] = 5] = "keyword"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["lineBreak"] = 6] = "lineBreak"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["numericLiteral"] = 7] = "numericLiteral"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["stringLiteral"] = 8] = "stringLiteral"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["localName"] = 9] = "localName"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["methodName"] = 10] = "methodName"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["moduleName"] = 11] = "moduleName"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["operator"] = 12] = "operator"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["parameterName"] = 13] = "parameterName"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["propertyName"] = 14] = "propertyName"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["punctuation"] = 15] = "punctuation"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["space"] = 16] = "space"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["text"] = 17] = "text"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["typeParameterName"] = 18] = "typeParameterName"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["enumMemberName"] = 19] = "enumMemberName"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["functionName"] = 20] = "functionName"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["regularExpressionLiteral"] = 21] = "regularExpressionLiteral"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["link"] = 22] = "link"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["linkName"] = 23] = "linkName"; SymbolDisplayPartKind2[SymbolDisplayPartKind2["linkText"] = 24] = "linkText"; return SymbolDisplayPartKind2; })(SymbolDisplayPartKind || {}); var CompletionInfoFlags = /* @__PURE__ */ ((CompletionInfoFlags2) => { CompletionInfoFlags2[CompletionInfoFlags2["None"] = 0] = "None"; CompletionInfoFlags2[CompletionInfoFlags2["MayIncludeAutoImports"] = 1] = "MayIncludeAutoImports"; CompletionInfoFlags2[CompletionInfoFlags2["IsImportStatementCompletion"] = 2] = "IsImportStatementCompletion"; CompletionInfoFlags2[CompletionInfoFlags2["IsContinuation"] = 4] = "IsContinuation"; CompletionInfoFlags2[CompletionInfoFlags2["ResolvedModuleSpecifiers"] = 8] = "ResolvedModuleSpecifiers"; CompletionInfoFlags2[CompletionInfoFlags2["ResolvedModuleSpecifiersBeyondLimit"] = 16] = "ResolvedModuleSpecifiersBeyondLimit"; CompletionInfoFlags2[CompletionInfoFlags2["MayIncludeMethodSnippets"] = 32] = "MayIncludeMethodSnippets"; return CompletionInfoFlags2; })(CompletionInfoFlags || {}); var OutliningSpanKind = /* @__PURE__ */ ((OutliningSpanKind2) => { OutliningSpanKind2["Comment"] = "comment"; OutliningSpanKind2["Region"] = "region"; OutliningSpanKind2["Code"] = "code"; OutliningSpanKind2["Imports"] = "imports"; return OutliningSpanKind2; })(OutliningSpanKind || {}); var OutputFileType = /* @__PURE__ */ ((OutputFileType2) => { OutputFileType2[OutputFileType2["JavaScript"] = 0] = "JavaScript"; OutputFileType2[OutputFileType2["SourceMap"] = 1] = "SourceMap"; OutputFileType2[OutputFileType2["Declaration"] = 2] = "Declaration"; return OutputFileType2; })(OutputFileType || {}); var EndOfLineState = /* @__PURE__ */ ((EndOfLineState2) => { EndOfLineState2[EndOfLineState2["None"] = 0] = "None"; EndOfLineState2[EndOfLineState2["InMultiLineCommentTrivia"] = 1] = "InMultiLineCommentTrivia"; EndOfLineState2[EndOfLineState2["InSingleQuoteStringLiteral"] = 2] = "InSingleQuoteStringLiteral"; EndOfLineState2[EndOfLineState2["InDoubleQuoteStringLiteral"] = 3] = "InDoubleQuoteStringLiteral"; EndOfLineState2[EndOfLineState2["InTemplateHeadOrNoSubstitutionTemplate"] = 4] = "InTemplateHeadOrNoSubstitutionTemplate"; EndOfLineState2[EndOfLineState2["InTemplateMiddleOrTail"] = 5] = "InTemplateMiddleOrTail"; EndOfLineState2[EndOfLineState2["InTemplateSubstitutionPosition"] = 6] = "InTemplateSubstitutionPosition"; return EndOfLineState2; })(EndOfLineState || {}); var TokenClass = /* @__PURE__ */ ((TokenClass2) => { TokenClass2[TokenClass2["Punctuation"] = 0] = "Punctuation"; TokenClass2[TokenClass2["Keyword"] = 1] = "Keyword"; TokenClass2[TokenClass2["Operator"] = 2] = "Operator"; TokenClass2[TokenClass2["Comment"] = 3] = "Comment"; TokenClass2[TokenClass2["Whitespace"] = 4] = "Whitespace"; TokenClass2[TokenClass2["Identifier"] = 5] = "Identifier"; TokenClass2[TokenClass2["NumberLiteral"] = 6] = "NumberLiteral"; TokenClass2[TokenClass2["BigIntLiteral"] = 7] = "BigIntLiteral"; TokenClass2[TokenClass2["StringLiteral"] = 8] = "StringLiteral"; TokenClass2[TokenClass2["RegExpLiteral"] = 9] = "RegExpLiteral"; return TokenClass2; })(TokenClass || {}); var ScriptElementKind = /* @__PURE__ */ ((ScriptElementKind2) => { ScriptElementKind2["unknown"] = ""; ScriptElementKind2["warning"] = "warning"; ScriptElementKind2["keyword"] = "keyword"; ScriptElementKind2["scriptElement"] = "script"; ScriptElementKind2["moduleElement"] = "module"; ScriptElementKind2["classElement"] = "class"; ScriptElementKind2["localClassElement"] = "local class"; ScriptElementKind2["interfaceElement"] = "interface"; ScriptElementKind2["typeElement"] = "type"; ScriptElementKind2["enumElement"] = "enum"; ScriptElementKind2["enumMemberElement"] = "enum member"; ScriptElementKind2["variableElement"] = "var"; ScriptElementKind2["localVariableElement"] = "local var"; ScriptElementKind2["variableUsingElement"] = "using"; ScriptElementKind2["variableAwaitUsingElement"] = "await using"; ScriptElementKind2["functionElement"] = "function"; ScriptElementKind2["localFunctionElement"] = "local function"; ScriptElementKind2["memberFunctionElement"] = "method"; ScriptElementKind2["memberGetAccessorElement"] = "getter"; ScriptElementKind2["memberSetAccessorElement"] = "setter"; ScriptElementKind2["memberVariableElement"] = "property"; ScriptElementKind2["memberAccessorVariableElement"] = "accessor"; ScriptElementKind2["constructorImplementationElement"] = "constructor"; ScriptElementKind2["callSignatureElement"] = "call"; ScriptElementKind2["indexSignatureElement"] = "index"; ScriptElementKind2["constructSignatureElement"] = "construct"; ScriptElementKind2["parameterElement"] = "parameter"; ScriptElementKind2["typeParameterElement"] = "type parameter"; ScriptElementKind2["primitiveType"] = "primitive type"; ScriptElementKind2["label"] = "label"; ScriptElementKind2["alias"] = "alias"; ScriptElementKind2["constElement"] = "const"; ScriptElementKind2["letElement"] = "let"; ScriptElementKind2["directory"] = "directory"; ScriptElementKind2["externalModuleName"] = "external module name"; ScriptElementKind2["jsxAttribute"] = "JSX attribute"; ScriptElementKind2["string"] = "string"; ScriptElementKind2["link"] = "link"; ScriptElementKind2["linkName"] = "link name"; ScriptElementKind2["linkText"] = "link text"; return ScriptElementKind2; })(ScriptElementKind || {}); var ScriptElementKindModifier = /* @__PURE__ */ ((ScriptElementKindModifier2) => { ScriptElementKindModifier2["none"] = ""; ScriptElementKindModifier2["publicMemberModifier"] = "public"; ScriptElementKindModifier2["privateMemberModifier"] = "private"; ScriptElementKindModifier2["protectedMemberModifier"] = "protected"; ScriptElementKindModifier2["exportedModifier"] = "export"; ScriptElementKindModifier2["ambientModifier"] = "declare"; ScriptElementKindModifier2["staticModifier"] = "static"; ScriptElementKindModifier2["abstractModifier"] = "abstract"; ScriptElementKindModifier2["optionalModifier"] = "optional"; ScriptElementKindModifier2["deprecatedModifier"] = "deprecated"; ScriptElementKindModifier2["dtsModifier"] = ".d.ts"; ScriptElementKindModifier2["tsModifier"] = ".ts"; ScriptElementKindModifier2["tsxModifier"] = ".tsx"; ScriptElementKindModifier2["jsModifier"] = ".js"; ScriptElementKindModifier2["jsxModifier"] = ".jsx"; ScriptElementKindModifier2["jsonModifier"] = ".json"; ScriptElementKindModifier2["dmtsModifier"] = ".d.mts"; ScriptElementKindModifier2["mtsModifier"] = ".mts"; ScriptElementKindModifier2["mjsModifier"] = ".mjs"; ScriptElementKindModifier2["dctsModifier"] = ".d.cts"; ScriptElementKindModifier2["ctsModifier"] = ".cts"; ScriptElementKindModifier2["cjsModifier"] = ".cjs"; return ScriptElementKindModifier2; })(ScriptElementKindModifier || {}); var ClassificationTypeNames = /* @__PURE__ */ ((ClassificationTypeNames2) => { ClassificationTypeNames2["comment"] = "comment"; ClassificationTypeNames2["identifier"] = "identifier"; ClassificationTypeNames2["keyword"] = "keyword"; ClassificationTypeNames2["numericLiteral"] = "number"; ClassificationTypeNames2["bigintLiteral"] = "bigint"; ClassificationTypeNames2["operator"] = "operator"; ClassificationTypeNames2["stringLiteral"] = "string"; ClassificationTypeNames2["whiteSpace"] = "whitespace"; ClassificationTypeNames2["text"] = "text"; ClassificationTypeNames2["punctuation"] = "punctuation"; ClassificationTypeNames2["className"] = "class name"; ClassificationTypeNames2["enumName"] = "enum name"; ClassificationTypeNames2["interfaceName"] = "interface name"; ClassificationTypeNames2["moduleName"] = "module name"; ClassificationTypeNames2["typeParameterName"] = "type parameter name"; ClassificationTypeNames2["typeAliasName"] = "type alias name"; ClassificationTypeNames2["parameterName"] = "parameter name"; ClassificationTypeNames2["docCommentTagName"] = "doc comment tag name"; ClassificationTypeNames2["jsxOpenTagName"] = "jsx open tag name"; ClassificationTypeNames2["jsxCloseTagName"] = "jsx close tag name"; ClassificationTypeNames2["jsxSelfClosingTagName"] = "jsx self closing tag name"; ClassificationTypeNames2["jsxAttribute"] = "jsx attribute"; ClassificationTypeNames2["jsxText"] = "jsx text"; ClassificationTypeNames2["jsxAttributeStringLiteralValue"] = "jsx attribute string literal value"; return ClassificationTypeNames2; })(ClassificationTypeNames || {}); var ClassificationType = /* @__PURE__ */ ((ClassificationType2) => { ClassificationType2[ClassificationType2["comment"] = 1] = "comment"; ClassificationType2[ClassificationType2["identifier"] = 2] = "identifier"; ClassificationType2[ClassificationType2["keyword"] = 3] = "keyword"; ClassificationType2[ClassificationType2["numericLiteral"] = 4] = "numericLiteral"; ClassificationType2[ClassificationType2["operator"] = 5] = "operator"; ClassificationType2[ClassificationType2["stringLiteral"] = 6] = "stringLiteral"; ClassificationType2[ClassificationType2["regularExpressionLiteral"] = 7] = "regularExpressionLiteral"; ClassificationType2[ClassificationType2["whiteSpace"] = 8] = "whiteSpace"; ClassificationType2[ClassificationType2["text"] = 9] = "text"; ClassificationType2[ClassificationType2["punctuation"] = 10] = "punctuation"; ClassificationType2[ClassificationType2["className"] = 11] = "className"; ClassificationType2[ClassificationType2["enumName"] = 12] = "enumName"; ClassificationType2[ClassificationType2["interfaceName"] = 13] = "interfaceName"; ClassificationType2[ClassificationType2["moduleName"] = 14] = "moduleName"; ClassificationType2[ClassificationType2["typeParameterName"] = 15] = "typeParameterName"; ClassificationType2[ClassificationType2["typeAliasName"] = 16] = "typeAliasName"; ClassificationType2[ClassificationType2["parameterName"] = 17] = "parameterName"; ClassificationType2[ClassificationType2["docCommentTagName"] = 18] = "docCommentTagName"; ClassificationType2[ClassificationType2["jsxOpenTagName"] = 19] = "jsxOpenTagName"; ClassificationType2[ClassificationType2["jsxCloseTagName"] = 20] = "jsxCloseTagName"; ClassificationType2[ClassificationType2["jsxSelfClosingTagName"] = 21] = "jsxSelfClosingTagName"; ClassificationType2[ClassificationType2["jsxAttribute"] = 22] = "jsxAttribute"; ClassificationType2[ClassificationType2["jsxText"] = 23] = "jsxText"; ClassificationType2[ClassificationType2["jsxAttributeStringLiteralValue"] = 24] = "jsxAttributeStringLiteralValue"; ClassificationType2[ClassificationType2["bigintLiteral"] = 25] = "bigintLiteral"; return ClassificationType2; })(ClassificationType || {}); var scanner = createScanner( 99, /*skipTrivia*/ true ); var SemanticMeaning = /* @__PURE__ */ ((SemanticMeaning2) => { SemanticMeaning2[SemanticMeaning2["None"] = 0] = "None"; SemanticMeaning2[SemanticMeaning2["Value"] = 1] = "Value"; SemanticMeaning2[SemanticMeaning2["Type"] = 2] = "Type"; SemanticMeaning2[SemanticMeaning2["Namespace"] = 4] = "Namespace"; SemanticMeaning2[SemanticMeaning2["All"] = 7] = "All"; return SemanticMeaning2; })(SemanticMeaning || {}); function getMeaningFromDeclaration(node) { switch (node.kind) { case 260: return isInJSFile(node) && getJSDocEnumTag(node) ? 7 : 1; case 169: case 208: case 172: case 171: case 303: case 304: case 174: case 173: case 176: case 177: case 178: case 262: case 218: case 219: case 299: case 291: return 1; case 168: case 264: case 265: case 187: return 2; case 346: return node.name === void 0 ? 1 | 2 : 2; case 306: case 263: return 1 | 2; case 267: if (isAmbientModule(node)) { return 4 | 1; } else if (getModuleInstanceState(node) === 1) { return 4 | 1; } else { return 4; } case 266: case 275: case 276: case 271: case 272: case 277: case 278: return 7; case 307: return 4 | 1; } return 7; } function getMeaningFromLocation(node) { node = getAdjustedReferenceLocation(node); const parent2 = node.parent; if (node.kind === 307) { return 1; } else if (isExportAssignment(parent2) || isExportSpecifier(parent2) || isExternalModuleReference(parent2) || isImportSpecifier(parent2) || isImportClause(parent2) || isImportEqualsDeclaration(parent2) && node === parent2.name) { return 7; } else if (isInRightSideOfInternalImportEqualsDeclaration(node)) { return getMeaningFromRightHandSideOfImportEquals(node); } else if (isDeclarationName(node)) { return getMeaningFromDeclaration(parent2); } else if (isEntityName(node) && findAncestor(node, or(isJSDocNameReference, isJSDocLinkLike, isJSDocMemberName))) { return 7; } else if (isTypeReference(node)) { return 2; } else if (isNamespaceReference(node)) { return 4; } else if (isTypeParameterDeclaration(parent2)) { Debug.assert(isJSDocTemplateTag(parent2.parent)); return 2; } else if (isLiteralTypeNode(parent2)) { return 2 | 1; } else { return 1; } } function getMeaningFromRightHandSideOfImportEquals(node) { const name = node.kind === 166 ? node : isQualifiedName(node.parent) && node.parent.right === node ? node.parent : void 0; return name && name.parent.kind === 271 ? 7 : 4; } function isInRightSideOfInternalImportEqualsDeclaration(node) { while (node.parent.kind === 166) { node = node.parent; } return isInternalModuleImportEqualsDeclaration(node.parent) && node.parent.moduleReference === node; } function isNamespaceReference(node) { return isQualifiedNameNamespaceReference(node) || isPropertyAccessNamespaceReference(node); } function isQualifiedNameNamespaceReference(node) { let root2 = node; let isLastClause = true; if (root2.parent.kind === 166) { while (root2.parent && root2.parent.kind === 166) { root2 = root2.parent; } isLastClause = root2.right === node; } return root2.parent.kind === 183 && !isLastClause; } function isPropertyAccessNamespaceReference(node) { let root2 = node; let isLastClause = true; if (root2.parent.kind === 211) { while (root2.parent && root2.parent.kind === 211) { root2 = root2.parent; } isLastClause = root2.name === node; } if (!isLastClause && root2.parent.kind === 233 && root2.parent.parent.kind === 298) { const decl = root2.parent.parent.parent; return decl.kind === 263 && root2.parent.parent.token === 119 || decl.kind === 264 && root2.parent.parent.token === 96; } return false; } function isTypeReference(node) { if (isRightSideOfQualifiedNameOrPropertyAccess(node)) { node = node.parent; } switch (node.kind) { case 110: return !isExpressionNode(node); case 197: return true; } switch (node.parent.kind) { case 183: return true; case 205: return !node.parent.isTypeOf; case 233: return isPartOfTypeNode(node.parent); } return false; } function isCallExpressionTarget(node, includeElementAccess = false, skipPastOuterExpressions = false) { return isCalleeWorker(node, isCallExpression2, selectExpressionOfCallOrNewExpressionOrDecorator, includeElementAccess, skipPastOuterExpressions); } function isNewExpressionTarget(node, includeElementAccess = false, skipPastOuterExpressions = false) { return isCalleeWorker(node, isNewExpression2, selectExpressionOfCallOrNewExpressionOrDecorator, includeElementAccess, skipPastOuterExpressions); } function isCallOrNewExpressionTarget(node, includeElementAccess = false, skipPastOuterExpressions = false) { return isCalleeWorker(node, isCallOrNewExpression2, selectExpressionOfCallOrNewExpressionOrDecorator, includeElementAccess, skipPastOuterExpressions); } function isTaggedTemplateTag(node, includeElementAccess = false, skipPastOuterExpressions = false) { return isCalleeWorker(node, isTaggedTemplateExpression, selectTagOfTaggedTemplateExpression, includeElementAccess, skipPastOuterExpressions); } function isDecoratorTarget(node, includeElementAccess = false, skipPastOuterExpressions = false) { return isCalleeWorker(node, isDecorator, selectExpressionOfCallOrNewExpressionOrDecorator, includeElementAccess, skipPastOuterExpressions); } function isJsxOpeningLikeElementTagName(node, includeElementAccess = false, skipPastOuterExpressions = false) { return isCalleeWorker(node, isJsxOpeningLikeElement, selectTagNameOfJsxOpeningLikeElement, includeElementAccess, skipPastOuterExpressions); } function selectExpressionOfCallOrNewExpressionOrDecorator(node) { return node.expression; } function selectTagOfTaggedTemplateExpression(node) { return node.tag; } function selectTagNameOfJsxOpeningLikeElement(node) { return node.tagName; } function isCalleeWorker(node, pred, calleeSelector, includeElementAccess, skipPastOuterExpressions) { let target = includeElementAccess ? climbPastPropertyOrElementAccess(node) : climbPastPropertyAccess(node); if (skipPastOuterExpressions) { target = skipOuterExpressions(target); } return !!target && !!target.parent && pred(target.parent) && calleeSelector(target.parent) === target; } function climbPastPropertyAccess(node) { return isRightSideOfPropertyAccess(node) ? node.parent : node; } function climbPastPropertyOrElementAccess(node) { return isRightSideOfPropertyAccess(node) || isArgumentExpressionOfElementAccess(node) ? node.parent : node; } function getTargetLabel(referenceNode, labelName) { while (referenceNode) { if (referenceNode.kind === 256 && referenceNode.label.escapedText === labelName) { return referenceNode.label; } referenceNode = referenceNode.parent; } return void 0; } function hasPropertyAccessExpressionWithName(node, funcName) { if (!isPropertyAccessExpression(node.expression)) { return false; } return node.expression.name.text === funcName; } function isJumpStatementTarget(node) { var _a; return isIdentifier(node) && ((_a = tryCast(node.parent, isBreakOrContinueStatement)) == null ? void 0 : _a.label) === node; } function isLabelOfLabeledStatement(node) { var _a; return isIdentifier(node) && ((_a = tryCast(node.parent, isLabeledStatement)) == null ? void 0 : _a.label) === node; } function isLabelName(node) { return isLabelOfLabeledStatement(node) || isJumpStatementTarget(node); } function isTagName(node) { var _a; return ((_a = tryCast(node.parent, isJSDocTag)) == null ? void 0 : _a.tagName) === node; } function isRightSideOfQualifiedName(node) { var _a; return ((_a = tryCast(node.parent, isQualifiedName)) == null ? void 0 : _a.right) === node; } function isRightSideOfPropertyAccess(node) { var _a; return ((_a = tryCast(node.parent, isPropertyAccessExpression)) == null ? void 0 : _a.name) === node; } function isArgumentExpressionOfElementAccess(node) { var _a; return ((_a = tryCast(node.parent, isElementAccessExpression)) == null ? void 0 : _a.argumentExpression) === node; } function isNameOfModuleDeclaration(node) { var _a; return ((_a = tryCast(node.parent, isModuleDeclaration)) == null ? void 0 : _a.name) === node; } function isNameOfFunctionDeclaration(node) { var _a; return isIdentifier(node) && ((_a = tryCast(node.parent, isFunctionLike)) == null ? void 0 : _a.name) === node; } function isLiteralNameOfPropertyDeclarationOrIndexAccess(node) { switch (node.parent.kind) { case 172: case 171: case 303: case 306: case 174: case 173: case 177: case 178: case 267: return getNameOfDeclaration(node.parent) === node; case 212: return node.parent.argumentExpression === node; case 167: return true; case 201: return node.parent.parent.kind === 199; default: return false; } } function isExpressionOfExternalModuleImportEqualsDeclaration(node) { return isExternalModuleImportEqualsDeclaration(node.parent.parent) && getExternalModuleImportEqualsDeclarationExpression(node.parent.parent) === node; } function getContainerNode(node) { if (isJSDocTypeAlias(node)) { node = node.parent.parent; } while (true) { node = node.parent; if (!node) { return void 0; } switch (node.kind) { case 307: case 174: case 173: case 262: case 218: case 177: case 178: case 263: case 264: case 266: case 267: return node; } } } function getNodeKind(node) { switch (node.kind) { case 307: return isExternalModule(node) ? "module" : "script"; case 267: return "module"; case 263: case 231: return "class"; case 264: return "interface"; case 265: case 338: case 346: return "type"; case 266: return "enum"; case 260: return getKindOfVariableDeclaration(node); case 208: return getKindOfVariableDeclaration(getRootDeclaration(node)); case 219: case 262: case 218: return "function"; case 177: return "getter"; case 178: return "setter"; case 174: case 173: return "method"; case 303: const { initializer } = node; return isFunctionLike(initializer) ? "method" : "property"; case 172: case 171: case 304: case 305: return "property"; case 181: return "index"; case 180: return "construct"; case 179: return "call"; case 176: case 175: return "constructor"; case 168: return "type parameter"; case 306: return "enum member"; case 169: return hasSyntacticModifier( node, 31 /* ParameterPropertyModifier */ ) ? "property" : "parameter"; case 271: case 276: case 281: case 274: case 280: return "alias"; case 226: const kind = getAssignmentDeclarationKind(node); const { right } = node; switch (kind) { case 7: case 8: case 9: case 0: return ""; case 1: case 2: const rightKind = getNodeKind(right); return rightKind === "" ? "const" : rightKind; case 3: return isFunctionExpression(right) ? "method" : "property"; case 4: return "property"; case 5: return isFunctionExpression(right) ? "method" : "property"; case 6: return "local class"; default: { assertType(kind); return ""; } } case 80: return isImportClause(node.parent) ? "alias" : ""; case 277: const scriptKind = getNodeKind(node.expression); return scriptKind === "" ? "const" : scriptKind; default: return ""; } function getKindOfVariableDeclaration(v) { return isVarConst(v) ? "const" : isLet(v) ? "let" : "var"; } } function isThis(node) { switch (node.kind) { case 110: return true; case 80: return identifierIsThisKeyword(node) && node.parent.kind === 169; default: return false; } } var tripleSlashDirectivePrefixRegex = /^\/\/\/\s*= range.end; } function rangeContainsStartEnd(range, start, end) { return range.pos <= start && range.end >= end; } function rangeOverlapsWithStartEnd(r1, start, end) { return startEndOverlapsWithStartEnd(r1.pos, r1.end, start, end); } function nodeOverlapsWithStartEnd(node, sourceFile, start, end) { return startEndOverlapsWithStartEnd(node.getStart(sourceFile), node.end, start, end); } function startEndOverlapsWithStartEnd(start1, end1, start2, end2) { const start = Math.max(start1, start2); const end = Math.min(end1, end2); return start < end; } function positionBelongsToNode(candidate, position, sourceFile) { Debug.assert(candidate.pos <= position); return position < candidate.end || !isCompletedNode(candidate, sourceFile); } function isCompletedNode(n, sourceFile) { if (n === void 0 || nodeIsMissing(n)) { return false; } switch (n.kind) { case 263: case 264: case 266: case 210: case 206: case 187: case 241: case 268: case 269: case 275: case 279: return nodeEndsWith(n, 20, sourceFile); case 299: return isCompletedNode(n.block, sourceFile); case 214: if (!n.arguments) { return true; } case 213: case 217: case 196: return nodeEndsWith(n, 22, sourceFile); case 184: case 185: return isCompletedNode(n.type, sourceFile); case 176: case 177: case 178: case 262: case 218: case 174: case 173: case 180: case 179: case 219: if (n.body) { return isCompletedNode(n.body, sourceFile); } if (n.type) { return isCompletedNode(n.type, sourceFile); } return hasChildOfKind(n, 22, sourceFile); case 267: return !!n.body && isCompletedNode(n.body, sourceFile); case 245: if (n.elseStatement) { return isCompletedNode(n.elseStatement, sourceFile); } return isCompletedNode(n.thenStatement, sourceFile); case 244: return isCompletedNode(n.expression, sourceFile) || hasChildOfKind(n, 27, sourceFile); case 209: case 207: case 212: case 167: case 189: return nodeEndsWith(n, 24, sourceFile); case 181: if (n.type) { return isCompletedNode(n.type, sourceFile); } return hasChildOfKind(n, 24, sourceFile); case 296: case 297: return false; case 248: case 249: case 250: case 247: return isCompletedNode(n.statement, sourceFile); case 246: return hasChildOfKind(n, 117, sourceFile) ? nodeEndsWith(n, 22, sourceFile) : isCompletedNode(n.statement, sourceFile); case 186: return isCompletedNode(n.exprName, sourceFile); case 221: case 220: case 222: case 229: case 230: const unaryWordExpression = n; return isCompletedNode(unaryWordExpression.expression, sourceFile); case 215: return isCompletedNode(n.template, sourceFile); case 228: const lastSpan = lastOrUndefined(n.templateSpans); return isCompletedNode(lastSpan, sourceFile); case 239: return nodeIsPresent(n.literal); case 278: case 272: return nodeIsPresent(n.moduleSpecifier); case 224: return isCompletedNode(n.operand, sourceFile); case 226: return isCompletedNode(n.right, sourceFile); case 227: return isCompletedNode(n.whenFalse, sourceFile); default: return true; } } function nodeEndsWith(n, expectedLastToken, sourceFile) { const children = n.getChildren(sourceFile); if (children.length) { const lastChild = last(children); if (lastChild.kind === expectedLastToken) { return true; } else if (lastChild.kind === 27 && children.length !== 1) { return children[children.length - 2].kind === expectedLastToken; } } return false; } function findListItemInfo(node) { const list = findContainingList(node); if (!list) { return void 0; } const children = list.getChildren(); const listItemIndex = indexOfNode(children, node); return { listItemIndex, list }; } function hasChildOfKind(n, kind, sourceFile) { return !!findChildOfKind(n, kind, sourceFile); } function findChildOfKind(n, kind, sourceFile) { return find(n.getChildren(sourceFile), (c) => c.kind === kind); } function findContainingList(node) { const syntaxList = find(node.parent.getChildren(), (c) => isSyntaxList(c) && rangeContainsRange(c, node)); Debug.assert(!syntaxList || contains(syntaxList.getChildren(), node)); return syntaxList; } function isDefaultModifier2(node) { return node.kind === 90; } function isClassKeyword(node) { return node.kind === 86; } function isFunctionKeyword(node) { return node.kind === 100; } function getAdjustedLocationForClass(node) { if (isNamedDeclaration(node)) { return node.name; } if (isClassDeclaration(node)) { const defaultModifier = node.modifiers && find(node.modifiers, isDefaultModifier2); if (defaultModifier) return defaultModifier; } if (isClassExpression(node)) { const classKeyword = find(node.getChildren(), isClassKeyword); if (classKeyword) return classKeyword; } } function getAdjustedLocationForFunction(node) { if (isNamedDeclaration(node)) { return node.name; } if (isFunctionDeclaration(node)) { const defaultModifier = find(node.modifiers, isDefaultModifier2); if (defaultModifier) return defaultModifier; } if (isFunctionExpression(node)) { const functionKeyword = find(node.getChildren(), isFunctionKeyword); if (functionKeyword) return functionKeyword; } } function getAncestorTypeNode(node) { let lastTypeNode; findAncestor(node, (a) => { if (isTypeNode(a)) { lastTypeNode = a; } return !isQualifiedName(a.parent) && !isTypeNode(a.parent) && !isTypeElement(a.parent); }); return lastTypeNode; } function getContextualTypeFromParentOrAncestorTypeNode(node, checker) { if (node.flags & (16777216 & ~524288)) return void 0; const contextualType = getContextualTypeFromParent(node, checker); if (contextualType) return contextualType; const ancestorTypeNode = getAncestorTypeNode(node); return ancestorTypeNode && checker.getTypeAtLocation(ancestorTypeNode); } function getAdjustedLocationForDeclaration(node, forRename) { if (!forRename) { switch (node.kind) { case 263: case 231: return getAdjustedLocationForClass(node); case 262: case 218: return getAdjustedLocationForFunction(node); case 176: return node; } } if (isNamedDeclaration(node)) { return node.name; } } function getAdjustedLocationForImportDeclaration(node, forRename) { if (node.importClause) { if (node.importClause.name && node.importClause.namedBindings) { return; } if (node.importClause.name) { return node.importClause.name; } if (node.importClause.namedBindings) { if (isNamedImports(node.importClause.namedBindings)) { const onlyBinding = singleOrUndefined(node.importClause.namedBindings.elements); if (!onlyBinding) { return; } return onlyBinding.name; } else if (isNamespaceImport(node.importClause.namedBindings)) { return node.importClause.namedBindings.name; } } } if (!forRename) { return node.moduleSpecifier; } } function getAdjustedLocationForExportDeclaration(node, forRename) { if (node.exportClause) { if (isNamedExports(node.exportClause)) { const onlyBinding = singleOrUndefined(node.exportClause.elements); if (!onlyBinding) { return; } return node.exportClause.elements[0].name; } else if (isNamespaceExport(node.exportClause)) { return node.exportClause.name; } } if (!forRename) { return node.moduleSpecifier; } } function getAdjustedLocationForHeritageClause(node) { if (node.types.length === 1) { return node.types[0].expression; } } function getAdjustedLocation(node, forRename) { const { parent: parent2 } = node; if (isModifier(node) && (forRename || node.kind !== 90) ? canHaveModifiers(parent2) && contains(parent2.modifiers, node) : node.kind === 86 ? isClassDeclaration(parent2) || isClassExpression(node) : node.kind === 100 ? isFunctionDeclaration(parent2) || isFunctionExpression(node) : node.kind === 120 ? isInterfaceDeclaration(parent2) : node.kind === 94 ? isEnumDeclaration(parent2) : node.kind === 156 ? isTypeAliasDeclaration(parent2) : node.kind === 145 || node.kind === 144 ? isModuleDeclaration(parent2) : node.kind === 102 ? isImportEqualsDeclaration(parent2) : node.kind === 139 ? isGetAccessorDeclaration(parent2) : node.kind === 153 && isSetAccessorDeclaration(parent2)) { const location = getAdjustedLocationForDeclaration(parent2, forRename); if (location) { return location; } } if ((node.kind === 115 || node.kind === 87 || node.kind === 121) && isVariableDeclarationList(parent2) && parent2.declarations.length === 1) { const decl = parent2.declarations[0]; if (isIdentifier(decl.name)) { return decl.name; } } if (node.kind === 156) { if (isImportClause(parent2) && parent2.isTypeOnly) { const location = getAdjustedLocationForImportDeclaration(parent2.parent, forRename); if (location) { return location; } } if (isExportDeclaration(parent2) && parent2.isTypeOnly) { const location = getAdjustedLocationForExportDeclaration(parent2, forRename); if (location) { return location; } } } if (node.kind === 130) { if (isImportSpecifier(parent2) && parent2.propertyName || isExportSpecifier(parent2) && parent2.propertyName || isNamespaceImport(parent2) || isNamespaceExport(parent2)) { return parent2.name; } if (isExportDeclaration(parent2) && parent2.exportClause && isNamespaceExport(parent2.exportClause)) { return parent2.exportClause.name; } } if (node.kind === 102 && isImportDeclaration(parent2)) { const location = getAdjustedLocationForImportDeclaration(parent2, forRename); if (location) { return location; } } if (node.kind === 95) { if (isExportDeclaration(parent2)) { const location = getAdjustedLocationForExportDeclaration(parent2, forRename); if (location) { return location; } } if (isExportAssignment(parent2)) { return skipOuterExpressions(parent2.expression); } } if (node.kind === 149 && isExternalModuleReference(parent2)) { return parent2.expression; } if (node.kind === 161 && (isImportDeclaration(parent2) || isExportDeclaration(parent2)) && parent2.moduleSpecifier) { return parent2.moduleSpecifier; } if ((node.kind === 96 || node.kind === 119) && isHeritageClause(parent2) && parent2.token === node.kind) { const location = getAdjustedLocationForHeritageClause(parent2); if (location) { return location; } } if (node.kind === 96) { if (isTypeParameterDeclaration(parent2) && parent2.constraint && isTypeReferenceNode(parent2.constraint)) { return parent2.constraint.typeName; } if (isConditionalTypeNode(parent2) && isTypeReferenceNode(parent2.extendsType)) { return parent2.extendsType.typeName; } } if (node.kind === 140 && isInferTypeNode(parent2)) { return parent2.typeParameter.name; } if (node.kind === 103 && isTypeParameterDeclaration(parent2) && isMappedTypeNode(parent2.parent)) { return parent2.name; } if (node.kind === 143 && isTypeOperatorNode(parent2) && parent2.operator === 143 && isTypeReferenceNode(parent2.type)) { return parent2.type.typeName; } if (node.kind === 148 && isTypeOperatorNode(parent2) && parent2.operator === 148 && isArrayTypeNode(parent2.type) && isTypeReferenceNode(parent2.type.elementType)) { return parent2.type.elementType.typeName; } if (!forRename) { if (node.kind === 105 && isNewExpression2(parent2) || node.kind === 116 && isVoidExpression(parent2) || node.kind === 114 && isTypeOfExpression(parent2) || node.kind === 135 && isAwaitExpression(parent2) || node.kind === 127 && isYieldExpression(parent2) || node.kind === 91 && isDeleteExpression(parent2)) { if (parent2.expression) { return skipOuterExpressions(parent2.expression); } } if ((node.kind === 103 || node.kind === 104) && isBinaryExpression(parent2) && parent2.operatorToken === node) { return skipOuterExpressions(parent2.right); } if (node.kind === 130 && isAsExpression(parent2) && isTypeReferenceNode(parent2.type)) { return parent2.type.typeName; } if (node.kind === 103 && isForInStatement(parent2) || node.kind === 165 && isForOfStatement(parent2)) { return skipOuterExpressions(parent2.expression); } } return node; } function getAdjustedReferenceLocation(node) { return getAdjustedLocation( node, /*forRename*/ false ); } function getAdjustedRenameLocation(node) { return getAdjustedLocation( node, /*forRename*/ true ); } function getTouchingPropertyName(sourceFile, position) { return getTouchingToken(sourceFile, position, (n) => isPropertyNameLiteral(n) || isKeyword2(n.kind) || isPrivateIdentifier(n)); } function getTouchingToken(sourceFile, position, includePrecedingTokenAtEndPosition) { return getTokenAtPositionWorker( sourceFile, position, /*allowPositionInLeadingTrivia*/ false, includePrecedingTokenAtEndPosition, /*includeEndPosition*/ false ); } function getTokenAtPosition(sourceFile, position) { return getTokenAtPositionWorker( sourceFile, position, /*allowPositionInLeadingTrivia*/ true, /*includePrecedingTokenAtEndPosition*/ void 0, /*includeEndPosition*/ false ); } function getTokenAtPositionWorker(sourceFile, position, allowPositionInLeadingTrivia, includePrecedingTokenAtEndPosition, includeEndPosition) { let current = sourceFile; let foundToken; outer: while (true) { const children = current.getChildren(sourceFile); const i = binarySearchKey(children, position, (_, i2) => i2, (middle, _) => { const end = children[middle].getEnd(); if (end < position) { return -1; } const start = allowPositionInLeadingTrivia ? children[middle].getFullStart() : children[middle].getStart( sourceFile, /*includeJsDocComment*/ true ); if (start > position) { return 1; } if (nodeContainsPosition(children[middle], start, end)) { if (children[middle - 1]) { if (nodeContainsPosition(children[middle - 1])) { return 1; } } return 0; } if (includePrecedingTokenAtEndPosition && start === position && children[middle - 1] && children[middle - 1].getEnd() === position && nodeContainsPosition(children[middle - 1])) { return 1; } return -1; }); if (foundToken) { return foundToken; } if (i >= 0 && children[i]) { current = children[i]; continue outer; } return current; } function nodeContainsPosition(node, start, end) { end ?? (end = node.getEnd()); if (end < position) { return false; } start ?? (start = allowPositionInLeadingTrivia ? node.getFullStart() : node.getStart( sourceFile, /*includeJsDocComment*/ true )); if (start > position) { return false; } if (position < end || position === end && (node.kind === 1 || includeEndPosition)) { return true; } else if (includePrecedingTokenAtEndPosition && end === position) { const previousToken = findPrecedingToken(position, sourceFile, node); if (previousToken && includePrecedingTokenAtEndPosition(previousToken)) { foundToken = previousToken; return true; } } return false; } } function findFirstNonJsxWhitespaceToken(sourceFile, position) { let tokenAtPosition = getTokenAtPosition(sourceFile, position); while (isWhiteSpaceOnlyJsxText(tokenAtPosition)) { const nextToken = findNextToken(tokenAtPosition, tokenAtPosition.parent, sourceFile); if (!nextToken) return; tokenAtPosition = nextToken; } return tokenAtPosition; } function findTokenOnLeftOfPosition(file, position) { const tokenAtPosition = getTokenAtPosition(file, position); if (isToken(tokenAtPosition) && position > tokenAtPosition.getStart(file) && position < tokenAtPosition.getEnd()) { return tokenAtPosition; } return findPrecedingToken(position, file); } function findNextToken(previousToken, parent2, sourceFile) { return find2(parent2); function find2(n) { if (isToken(n) && n.pos === previousToken.end) { return n; } return firstDefined(n.getChildren(sourceFile), (child) => { const shouldDiveInChildNode = ( // previous token is enclosed somewhere in the child child.pos <= previousToken.pos && child.end > previousToken.end || // previous token ends exactly at the beginning of child child.pos === previousToken.end ); return shouldDiveInChildNode && nodeHasTokens(child, sourceFile) ? find2(child) : void 0; }); } } function findPrecedingToken(position, sourceFile, startNode2, excludeJsdoc) { const result = find2(startNode2 || sourceFile); Debug.assert(!(result && isWhiteSpaceOnlyJsxText(result))); return result; function find2(n) { if (isNonWhitespaceToken(n) && n.kind !== 1) { return n; } const children = n.getChildren(sourceFile); const i = binarySearchKey(children, position, (_, i2) => i2, (middle, _) => { if (position < children[middle].end) { if (!children[middle - 1] || position >= children[middle - 1].end) { return 0; } return 1; } return -1; }); if (i >= 0 && children[i]) { const child = children[i]; if (position < child.end) { const start = child.getStart( sourceFile, /*includeJsDoc*/ !excludeJsdoc ); const lookInPreviousChild = start >= position || // cursor in the leading trivia !nodeHasTokens(child, sourceFile) || isWhiteSpaceOnlyJsxText(child); if (lookInPreviousChild) { const candidate2 = findRightmostChildNodeWithTokens( children, /*exclusiveStartPosition*/ i, sourceFile, n.kind ); if (candidate2) { if (!excludeJsdoc && isJSDocCommentContainingNode(candidate2) && candidate2.getChildren(sourceFile).length) { return find2(candidate2); } return findRightmostToken(candidate2, sourceFile); } return void 0; } else { return find2(child); } } } Debug.assert(startNode2 !== void 0 || n.kind === 307 || n.kind === 1 || isJSDocCommentContainingNode(n)); const candidate = findRightmostChildNodeWithTokens( children, /*exclusiveStartPosition*/ children.length, sourceFile, n.kind ); return candidate && findRightmostToken(candidate, sourceFile); } } function isNonWhitespaceToken(n) { return isToken(n) && !isWhiteSpaceOnlyJsxText(n); } function findRightmostToken(n, sourceFile) { if (isNonWhitespaceToken(n)) { return n; } const children = n.getChildren(sourceFile); if (children.length === 0) { return n; } const candidate = findRightmostChildNodeWithTokens( children, /*exclusiveStartPosition*/ children.length, sourceFile, n.kind ); return candidate && findRightmostToken(candidate, sourceFile); } function findRightmostChildNodeWithTokens(children, exclusiveStartPosition, sourceFile, parentKind) { for (let i = exclusiveStartPosition - 1; i >= 0; i--) { const child = children[i]; if (isWhiteSpaceOnlyJsxText(child)) { if (i === 0 && (parentKind === 12 || parentKind === 285)) { Debug.fail("`JsxText` tokens should not be the first child of `JsxElement | JsxSelfClosingElement`"); } } else if (nodeHasTokens(children[i], sourceFile)) { return children[i]; } } } function isInString(sourceFile, position, previousToken = findPrecedingToken(position, sourceFile)) { if (previousToken && isStringTextContainingNode(previousToken)) { const start = previousToken.getStart(sourceFile); const end = previousToken.getEnd(); if (start < position && position < end) { return true; } if (position === end) { return !!previousToken.isUnterminated; } } return false; } function isInsideJsxElementOrAttribute(sourceFile, position) { const token = getTokenAtPosition(sourceFile, position); if (!token) { return false; } if (token.kind === 12) { return true; } if (token.kind === 30 && token.parent.kind === 12) { return true; } if (token.kind === 30 && token.parent.kind === 294) { return true; } if (token && token.kind === 20 && token.parent.kind === 294) { return true; } if (token.kind === 30 && token.parent.kind === 287) { return true; } return false; } function isWhiteSpaceOnlyJsxText(node) { return isJsxText(node) && node.containsOnlyTriviaWhiteSpaces; } function isInTemplateString(sourceFile, position) { const token = getTokenAtPosition(sourceFile, position); return isTemplateLiteralKind(token.kind) && position > token.getStart(sourceFile); } function isInJSXText(sourceFile, position) { const token = getTokenAtPosition(sourceFile, position); if (isJsxText(token)) { return true; } if (token.kind === 19 && isJsxExpression(token.parent) && isJsxElement(token.parent.parent)) { return true; } if (token.kind === 30 && isJsxOpeningLikeElement(token.parent) && isJsxElement(token.parent.parent)) { return true; } return false; } function isInsideJsxElement(sourceFile, position) { function isInsideJsxElementTraversal(node) { while (node) { if (node.kind >= 285 && node.kind <= 294 || node.kind === 12 || node.kind === 30 || node.kind === 32 || node.kind === 80 || node.kind === 20 || node.kind === 19 || node.kind === 44) { node = node.parent; } else if (node.kind === 284) { if (position > node.getStart(sourceFile)) return true; node = node.parent; } else { return false; } } return false; } return isInsideJsxElementTraversal(getTokenAtPosition(sourceFile, position)); } function findPrecedingMatchingToken(token, matchingTokenKind, sourceFile) { const closeTokenText = tokenToString(token.kind); const matchingTokenText = tokenToString(matchingTokenKind); const tokenFullStart = token.getFullStart(); const bestGuessIndex = sourceFile.text.lastIndexOf(matchingTokenText, tokenFullStart); if (bestGuessIndex === -1) { return void 0; } if (sourceFile.text.lastIndexOf(closeTokenText, tokenFullStart - 1) < bestGuessIndex) { const nodeAtGuess = findPrecedingToken(bestGuessIndex + 1, sourceFile); if (nodeAtGuess && nodeAtGuess.kind === matchingTokenKind) { return nodeAtGuess; } } const tokenKind = token.kind; let remainingMatchingTokens = 0; while (true) { const preceding = findPrecedingToken(token.getFullStart(), sourceFile); if (!preceding) { return void 0; } token = preceding; if (token.kind === matchingTokenKind) { if (remainingMatchingTokens === 0) { return token; } remainingMatchingTokens--; } else if (token.kind === tokenKind) { remainingMatchingTokens++; } } } function removeOptionality(type, isOptionalExpression, isOptionalChain2) { return isOptionalExpression ? type.getNonNullableType() : isOptionalChain2 ? type.getNonOptionalType() : type; } function isPossiblyTypeArgumentPosition(token, sourceFile, checker) { const info = getPossibleTypeArgumentsInfo(token, sourceFile); return info !== void 0 && (isPartOfTypeNode(info.called) || getPossibleGenericSignatures(info.called, info.nTypeArguments, checker).length !== 0 || isPossiblyTypeArgumentPosition(info.called, sourceFile, checker)); } function getPossibleGenericSignatures(called, typeArgumentCount, checker) { let type = checker.getTypeAtLocation(called); if (isOptionalChain(called.parent)) { type = removeOptionality( type, isOptionalChainRoot(called.parent), /*isOptionalChain*/ true ); } const signatures = isNewExpression2(called.parent) ? type.getConstructSignatures() : type.getCallSignatures(); return signatures.filter((candidate) => !!candidate.typeParameters && candidate.typeParameters.length >= typeArgumentCount); } function getPossibleTypeArgumentsInfo(tokenIn, sourceFile) { if (sourceFile.text.lastIndexOf("<", tokenIn ? tokenIn.pos : sourceFile.text.length) === -1) { return void 0; } let token = tokenIn; let remainingLessThanTokens = 0; let nTypeArguments = 0; while (token) { switch (token.kind) { case 30: token = findPrecedingToken(token.getFullStart(), sourceFile); if (token && token.kind === 29) { token = findPrecedingToken(token.getFullStart(), sourceFile); } if (!token || !isIdentifier(token)) return void 0; if (!remainingLessThanTokens) { return isDeclarationName(token) ? void 0 : { called: token, nTypeArguments }; } remainingLessThanTokens--; break; case 50: remainingLessThanTokens = 3; break; case 49: remainingLessThanTokens = 2; break; case 32: remainingLessThanTokens++; break; case 20: token = findPrecedingMatchingToken(token, 19, sourceFile); if (!token) return void 0; break; case 22: token = findPrecedingMatchingToken(token, 21, sourceFile); if (!token) return void 0; break; case 24: token = findPrecedingMatchingToken(token, 23, sourceFile); if (!token) return void 0; break; case 28: nTypeArguments++; break; case 39: case 80: case 11: case 9: case 10: case 112: case 97: case 114: case 96: case 143: case 25: case 52: case 58: case 59: break; default: if (isTypeNode(token)) { break; } return void 0; } token = findPrecedingToken(token.getFullStart(), sourceFile); } return void 0; } function isInComment(sourceFile, position, tokenAtPosition) { return ts_formatting_exports.getRangeOfEnclosingComment( sourceFile, position, /*precedingToken*/ void 0, tokenAtPosition ); } function hasDocComment(sourceFile, position) { const token = getTokenAtPosition(sourceFile, position); return !!findAncestor(token, isJSDoc); } function nodeHasTokens(n, sourceFile) { return n.kind === 1 ? !!n.jsDoc : n.getWidth(sourceFile) !== 0; } function getNodeModifiers(node, excludeFlags = 0) { const result = []; const flags = isDeclaration(node) ? getCombinedNodeFlagsAlwaysIncludeJSDoc(node) & ~excludeFlags : 0; if (flags & 2) result.push( "private" /* privateMemberModifier */ ); if (flags & 4) result.push( "protected" /* protectedMemberModifier */ ); if (flags & 1) result.push( "public" /* publicMemberModifier */ ); if (flags & 256 || isClassStaticBlockDeclaration(node)) result.push( "static" /* staticModifier */ ); if (flags & 64) result.push( "abstract" /* abstractModifier */ ); if (flags & 32) result.push( "export" /* exportedModifier */ ); if (flags & 65536) result.push( "deprecated" /* deprecatedModifier */ ); if (node.flags & 33554432) result.push( "declare" /* ambientModifier */ ); if (node.kind === 277) result.push( "export" /* exportedModifier */ ); return result.length > 0 ? result.join(",") : ""; } function getTypeArgumentOrTypeParameterList(node) { if (node.kind === 183 || node.kind === 213) { return node.typeArguments; } if (isFunctionLike(node) || node.kind === 263 || node.kind === 264) { return node.typeParameters; } return void 0; } function isComment(kind) { return kind === 2 || kind === 3; } function isStringOrRegularExpressionOrTemplateLiteral(kind) { if (kind === 11 || kind === 14 || isTemplateLiteralKind(kind)) { return true; } return false; } function areIntersectedTypesAvoidingStringReduction(checker, t1, t2) { return !!(t1.flags & 4) && checker.isEmptyAnonymousObjectType(t2); } function isStringAndEmptyAnonymousObjectIntersection(type) { if (!type.isIntersection()) { return false; } const { types, checker } = type; return types.length === 2 && (areIntersectedTypesAvoidingStringReduction(checker, types[0], types[1]) || areIntersectedTypesAvoidingStringReduction(checker, types[1], types[0])); } function isInsideTemplateLiteral(node, position, sourceFile) { return isTemplateLiteralKind(node.kind) && (node.getStart(sourceFile) < position && position < node.end) || !!node.isUnterminated && position === node.end; } function isAccessibilityModifier(kind) { switch (kind) { case 125: case 123: case 124: return true; } return false; } function cloneCompilerOptions(options) { const result = clone(options); setConfigFileInOptions(result, options && options.configFile); return result; } function isArrayLiteralOrObjectLiteralDestructuringPattern(node) { if (node.kind === 209 || node.kind === 210) { if (node.parent.kind === 226 && node.parent.left === node && node.parent.operatorToken.kind === 64) { return true; } if (node.parent.kind === 250 && node.parent.initializer === node) { return true; } if (isArrayLiteralOrObjectLiteralDestructuringPattern(node.parent.kind === 303 ? node.parent.parent : node.parent)) { return true; } } return false; } function isInReferenceComment(sourceFile, position) { return isInReferenceCommentWorker( sourceFile, position, /*shouldBeReference*/ true ); } function isInNonReferenceComment(sourceFile, position) { return isInReferenceCommentWorker( sourceFile, position, /*shouldBeReference*/ false ); } function isInReferenceCommentWorker(sourceFile, position, shouldBeReference) { const range = isInComment( sourceFile, position, /*tokenAtPosition*/ void 0 ); return !!range && shouldBeReference === tripleSlashDirectivePrefixRegex.test(sourceFile.text.substring(range.pos, range.end)); } function getReplacementSpanForContextToken(contextToken, position) { if (!contextToken) return void 0; switch (contextToken.kind) { case 11: case 15: return createTextSpanFromStringLiteralLikeContent(contextToken, position); default: return createTextSpanFromNode(contextToken); } } function createTextSpanFromNode(node, sourceFile, endNode2) { return createTextSpanFromBounds(node.getStart(sourceFile), (endNode2 || node).getEnd()); } function createTextSpanFromStringLiteralLikeContent(node, position) { let replacementEnd = node.getEnd() - 1; if (node.isUnterminated) { if (node.getStart() === replacementEnd) return void 0; replacementEnd = Math.min(position, node.getEnd()); } return createTextSpanFromBounds(node.getStart() + 1, replacementEnd); } function createTextRangeFromNode(node, sourceFile) { return createRange(node.getStart(sourceFile), node.end); } function createTextSpanFromRange(range) { return createTextSpanFromBounds(range.pos, range.end); } function createTextRangeFromSpan(span) { return createRange(span.start, span.start + span.length); } function createTextChangeFromStartLength(start, length2, newText) { return createTextChange(createTextSpan(start, length2), newText); } function createTextChange(span, newText) { return { span, newText }; } var typeKeywords = [ 133, 131, 163, 136, 97, 140, 143, 146, 106, 150, 151, 148, 154, 155, 114, 112, 116, 157, 158, 159 /* UnknownKeyword */ ]; function isTypeKeyword(kind) { return contains(typeKeywords, kind); } function isTypeKeywordToken(node) { return node.kind === 156; } function isTypeKeywordTokenOrIdentifier(node) { return isTypeKeywordToken(node) || isIdentifier(node) && node.text === "type"; } function nodeSeenTracker() { const seen = []; return (node) => { const id = getNodeId(node); return !seen[id] && (seen[id] = true); }; } function getSnapshotText(snap) { return snap.getText(0, snap.getLength()); } function repeatString(str, count) { let result = ""; for (let i = 0; i < count; i++) { result += str; } return result; } function skipConstraint(type) { return type.isTypeParameter() ? type.getConstraint() || type : type; } function getNameFromPropertyName(name) { return name.kind === 167 ? isStringOrNumericLiteralLike(name.expression) ? name.expression.text : void 0 : isPrivateIdentifier(name) ? idText(name) : getTextOfIdentifierOrLiteral(name); } function programContainsModules(program) { return program.getSourceFiles().some((s) => !s.isDeclarationFile && !program.isSourceFileFromExternalLibrary(s) && !!(s.externalModuleIndicator || s.commonJsModuleIndicator)); } function programContainsEsModules(program) { return program.getSourceFiles().some((s) => !s.isDeclarationFile && !program.isSourceFileFromExternalLibrary(s) && !!s.externalModuleIndicator); } function compilerOptionsIndicateEsModules(compilerOptions) { return !!compilerOptions.module || getEmitScriptTarget(compilerOptions) >= 2 || !!compilerOptions.noEmit; } function createModuleSpecifierResolutionHost(program, host) { return { fileExists: (fileName) => program.fileExists(fileName), getCurrentDirectory: () => host.getCurrentDirectory(), readFile: maybeBind(host, host.readFile), useCaseSensitiveFileNames: maybeBind(host, host.useCaseSensitiveFileNames), getSymlinkCache: maybeBind(host, host.getSymlinkCache) || program.getSymlinkCache, getModuleSpecifierCache: maybeBind(host, host.getModuleSpecifierCache), getPackageJsonInfoCache: () => { var _a; return (_a = program.getModuleResolutionCache()) == null ? void 0 : _a.getPackageJsonInfoCache(); }, getGlobalTypingsCacheLocation: maybeBind(host, host.getGlobalTypingsCacheLocation), redirectTargetsMap: program.redirectTargetsMap, getProjectReferenceRedirect: (fileName) => program.getProjectReferenceRedirect(fileName), isSourceOfProjectReferenceRedirect: (fileName) => program.isSourceOfProjectReferenceRedirect(fileName), getNearestAncestorDirectoryWithPackageJson: maybeBind(host, host.getNearestAncestorDirectoryWithPackageJson), getFileIncludeReasons: () => program.getFileIncludeReasons(), getCommonSourceDirectory: () => program.getCommonSourceDirectory() }; } function getModuleSpecifierResolverHost(program, host) { return { ...createModuleSpecifierResolutionHost(program, host), getCommonSourceDirectory: () => program.getCommonSourceDirectory() }; } function moduleResolutionUsesNodeModules(moduleResolution) { return moduleResolution === 2 || moduleResolution >= 3 && moduleResolution <= 99 || moduleResolution === 100; } function makeImport(defaultImport, namedImports, moduleSpecifier, quotePreference, isTypeOnly) { return factory.createImportDeclaration( /*modifiers*/ void 0, defaultImport || namedImports ? factory.createImportClause(!!isTypeOnly, defaultImport, namedImports && namedImports.length ? factory.createNamedImports(namedImports) : void 0) : void 0, typeof moduleSpecifier === "string" ? makeStringLiteral(moduleSpecifier, quotePreference) : moduleSpecifier, /*attributes*/ void 0 ); } function makeStringLiteral(text, quotePreference) { return factory.createStringLiteral( text, quotePreference === 0 /* Single */ ); } var QuotePreference = /* @__PURE__ */ ((QuotePreference6) => { QuotePreference6[QuotePreference6["Single"] = 0] = "Single"; QuotePreference6[QuotePreference6["Double"] = 1] = "Double"; return QuotePreference6; })(QuotePreference || {}); function quotePreferenceFromString(str, sourceFile) { return isStringDoubleQuoted(str, sourceFile) ? 1 : 0; } function getQuotePreference(sourceFile, preferences) { if (preferences.quotePreference && preferences.quotePreference !== "auto") { return preferences.quotePreference === "single" ? 0 : 1; } else { const firstModuleSpecifier = isFullSourceFile(sourceFile) && sourceFile.imports && find(sourceFile.imports, (n) => isStringLiteral2(n) && !nodeIsSynthesized(n.parent)); return firstModuleSpecifier ? quotePreferenceFromString(firstModuleSpecifier, sourceFile) : 1; } } function getQuoteFromPreference(qp) { switch (qp) { case 0: return "'"; case 1: return '"'; default: return Debug.assertNever(qp); } } function symbolNameNoDefault(symbol) { const escaped = symbolEscapedNameNoDefault(symbol); return escaped === void 0 ? void 0 : unescapeLeadingUnderscores(escaped); } function symbolEscapedNameNoDefault(symbol) { if (symbol.escapedName !== "default") { return symbol.escapedName; } return firstDefined(symbol.declarations, (decl) => { const name = getNameOfDeclaration(decl); return name && name.kind === 80 ? name.escapedText : void 0; }); } function isModuleSpecifierLike(node) { return isStringLiteralLike(node) && (isExternalModuleReference(node.parent) || isImportDeclaration(node.parent) || isJSDocImportTag(node.parent) || isRequireCall( node.parent, /*requireStringLiteralLikeArgument*/ false ) && node.parent.arguments[0] === node || isImportCall(node.parent) && node.parent.arguments[0] === node); } function isObjectBindingElementWithoutPropertyName(bindingElement) { return isBindingElement(bindingElement) && isObjectBindingPattern(bindingElement.parent) && isIdentifier(bindingElement.name) && !bindingElement.propertyName; } function getPropertySymbolFromBindingElement(checker, bindingElement) { const typeOfPattern = checker.getTypeAtLocation(bindingElement.parent); return typeOfPattern && checker.getPropertyOfType(typeOfPattern, bindingElement.name.text); } function getParentNodeInSpan(node, file, span) { if (!node) return void 0; while (node.parent) { if (isSourceFile(node.parent) || !spanContainsNode(span, node.parent, file)) { return node; } node = node.parent; } } function spanContainsNode(span, node, file) { return textSpanContainsPosition(span, node.getStart(file)) && node.getEnd() <= textSpanEnd(span); } function findModifier(node, kind) { return canHaveModifiers(node) ? find(node.modifiers, (m) => m.kind === kind) : void 0; } function insertImports(changes, sourceFile, imports, blankLineBetween, preferences) { var _a; const decl = isArray3(imports) ? imports[0] : imports; const importKindPredicate = decl.kind === 243 ? isRequireVariableStatement : isAnyImportSyntax; const existingImportStatements = filter(sourceFile.statements, importKindPredicate); const { comparer, isSorted } = ts_OrganizeImports_exports.getOrganizeImportsStringComparerWithDetection(existingImportStatements, preferences); const sortedNewImports = isArray3(imports) ? stableSort(imports, (a, b) => ts_OrganizeImports_exports.compareImportsOrRequireStatements(a, b, comparer)) : [imports]; if (!(existingImportStatements == null ? void 0 : existingImportStatements.length)) { if (isFullSourceFile(sourceFile)) { changes.insertNodesAtTopOfFile(sourceFile, sortedNewImports, blankLineBetween); } else { for (const newImport of sortedNewImports) { changes.insertStatementsInNewFile(sourceFile.fileName, [newImport], (_a = getOriginalNode(newImport)) == null ? void 0 : _a.getSourceFile()); } } return; } Debug.assert(isFullSourceFile(sourceFile)); if (existingImportStatements && isSorted) { for (const newImport of sortedNewImports) { const insertionIndex = ts_OrganizeImports_exports.getImportDeclarationInsertionIndex(existingImportStatements, newImport, comparer); if (insertionIndex === 0) { const options = existingImportStatements[0] === sourceFile.statements[0] ? { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude } : {}; changes.insertNodeBefore( sourceFile, existingImportStatements[0], newImport, /*blankLineBetween*/ false, options ); } else { const prevImport = existingImportStatements[insertionIndex - 1]; changes.insertNodeAfter(sourceFile, prevImport, newImport); } } } else { const lastExistingImport = lastOrUndefined(existingImportStatements); if (lastExistingImport) { changes.insertNodesAfter(sourceFile, lastExistingImport, sortedNewImports); } else { changes.insertNodesAtTopOfFile(sourceFile, sortedNewImports, blankLineBetween); } } } function getTypeKeywordOfTypeOnlyImport(importClause, sourceFile) { Debug.assert(importClause.isTypeOnly); return cast(importClause.getChildAt(0, sourceFile), isTypeKeywordToken); } function textSpansEqual(a, b) { return !!a && !!b && a.start === b.start && a.length === b.length; } function documentSpansEqual(a, b, useCaseSensitiveFileNames2) { return (useCaseSensitiveFileNames2 ? equateStringsCaseSensitive : equateStringsCaseInsensitive)(a.fileName, b.fileName) && textSpansEqual(a.textSpan, b.textSpan); } function getDocumentSpansEqualityComparer(useCaseSensitiveFileNames2) { return (a, b) => documentSpansEqual(a, b, useCaseSensitiveFileNames2); } function forEachUnique(array, callback) { if (array) { for (let i = 0; i < array.length; i++) { if (array.indexOf(array[i]) === i) { const result = callback(array[i], i); if (result) { return result; } } } } return void 0; } function isTextWhiteSpaceLike(text, startPos, endPos) { for (let i = startPos; i < endPos; i++) { if (!isWhiteSpaceLike(text.charCodeAt(i))) { return false; } } return true; } function getMappedLocation(location, sourceMapper, fileExists) { const mapsTo = sourceMapper.tryGetSourcePosition(location); return mapsTo && (!fileExists || fileExists(normalizePath(mapsTo.fileName)) ? mapsTo : void 0); } function getMappedDocumentSpan(documentSpan, sourceMapper, fileExists) { const { fileName, textSpan } = documentSpan; const newPosition = getMappedLocation({ fileName, pos: textSpan.start }, sourceMapper, fileExists); if (!newPosition) return void 0; const newEndPosition = getMappedLocation({ fileName, pos: textSpan.start + textSpan.length }, sourceMapper, fileExists); const newLength = newEndPosition ? newEndPosition.pos - newPosition.pos : textSpan.length; return { fileName: newPosition.fileName, textSpan: { start: newPosition.pos, length: newLength }, originalFileName: documentSpan.fileName, originalTextSpan: documentSpan.textSpan, contextSpan: getMappedContextSpan(documentSpan, sourceMapper, fileExists), originalContextSpan: documentSpan.contextSpan }; } function getMappedContextSpan(documentSpan, sourceMapper, fileExists) { const contextSpanStart = documentSpan.contextSpan && getMappedLocation( { fileName: documentSpan.fileName, pos: documentSpan.contextSpan.start }, sourceMapper, fileExists ); const contextSpanEnd = documentSpan.contextSpan && getMappedLocation( { fileName: documentSpan.fileName, pos: documentSpan.contextSpan.start + documentSpan.contextSpan.length }, sourceMapper, fileExists ); return contextSpanStart && contextSpanEnd ? { start: contextSpanStart.pos, length: contextSpanEnd.pos - contextSpanStart.pos } : void 0; } function isFirstDeclarationOfSymbolParameter(symbol) { const declaration = symbol.declarations ? firstOrUndefined(symbol.declarations) : void 0; return !!findAncestor(declaration, (n) => isParameter(n) ? true : isBindingElement(n) || isObjectBindingPattern(n) || isArrayBindingPattern(n) ? false : "quit"); } var displayPartWriter = getDisplayPartWriter(); function getDisplayPartWriter() { const absoluteMaximumLength = defaultMaximumTruncationLength * 10; let displayParts; let lineStart; let indent3; let length2; resetWriter(); const unknownWrite = (text) => writeKind( text, 17 /* text */ ); return { displayParts: () => { const finalText = displayParts.length && displayParts[displayParts.length - 1].text; if (length2 > absoluteMaximumLength && finalText && finalText !== "...") { if (!isWhiteSpaceLike(finalText.charCodeAt(finalText.length - 1))) { displayParts.push(displayPart( " ", 16 /* space */ )); } displayParts.push(displayPart( "...", 15 /* punctuation */ )); } return displayParts; }, writeKeyword: (text) => writeKind( text, 5 /* keyword */ ), writeOperator: (text) => writeKind( text, 12 /* operator */ ), writePunctuation: (text) => writeKind( text, 15 /* punctuation */ ), writeTrailingSemicolon: (text) => writeKind( text, 15 /* punctuation */ ), writeSpace: (text) => writeKind( text, 16 /* space */ ), writeStringLiteral: (text) => writeKind( text, 8 /* stringLiteral */ ), writeParameter: (text) => writeKind( text, 13 /* parameterName */ ), writeProperty: (text) => writeKind( text, 14 /* propertyName */ ), writeLiteral: (text) => writeKind( text, 8 /* stringLiteral */ ), writeSymbol, writeLine, write: unknownWrite, writeComment: unknownWrite, getText: () => "", getTextPos: () => 0, getColumn: () => 0, getLine: () => 0, isAtStartOfLine: () => false, hasTrailingWhitespace: () => false, hasTrailingComment: () => false, rawWrite: notImplemented, getIndent: () => indent3, increaseIndent: () => { indent3++; }, decreaseIndent: () => { indent3--; }, clear: resetWriter }; function writeIndent() { if (length2 > absoluteMaximumLength) return; if (lineStart) { const indentString2 = getIndentString2(indent3); if (indentString2) { length2 += indentString2.length; displayParts.push(displayPart( indentString2, 16 /* space */ )); } lineStart = false; } } function writeKind(text, kind) { if (length2 > absoluteMaximumLength) return; writeIndent(); length2 += text.length; displayParts.push(displayPart(text, kind)); } function writeSymbol(text, symbol) { if (length2 > absoluteMaximumLength) return; writeIndent(); length2 += text.length; displayParts.push(symbolPart(text, symbol)); } function writeLine() { if (length2 > absoluteMaximumLength) return; length2 += 1; displayParts.push(lineBreakPart()); lineStart = true; } function resetWriter() { displayParts = []; lineStart = true; indent3 = 0; length2 = 0; } } function symbolPart(text, symbol) { return displayPart(text, displayPartKind(symbol)); function displayPartKind(symbol2) { const flags = symbol2.flags; if (flags & 3) { return isFirstDeclarationOfSymbolParameter(symbol2) ? 13 : 9; } if (flags & 4) return 14; if (flags & 32768) return 14; if (flags & 65536) return 14; if (flags & 8) return 19; if (flags & 16) return 20; if (flags & 32) return 1; if (flags & 64) return 4; if (flags & 384) return 2; if (flags & 1536) return 11; if (flags & 8192) return 10; if (flags & 262144) return 18; if (flags & 524288) return 0; if (flags & 2097152) return 0; return 17; } } function displayPart(text, kind) { return { text, kind: SymbolDisplayPartKind[kind] }; } function spacePart() { return displayPart( " ", 16 /* space */ ); } function keywordPart(kind) { return displayPart( tokenToString(kind), 5 /* keyword */ ); } function punctuationPart(kind) { return displayPart( tokenToString(kind), 15 /* punctuation */ ); } function operatorPart(kind) { return displayPart( tokenToString(kind), 12 /* operator */ ); } function parameterNamePart(text) { return displayPart( text, 13 /* parameterName */ ); } function propertyNamePart(text) { return displayPart( text, 14 /* propertyName */ ); } function textOrKeywordPart(text) { const kind = stringToToken(text); return kind === void 0 ? textPart(text) : keywordPart(kind); } function textPart(text) { return displayPart( text, 17 /* text */ ); } function typeAliasNamePart(text) { return displayPart( text, 0 /* aliasName */ ); } function typeParameterNamePart(text) { return displayPart( text, 18 /* typeParameterName */ ); } function linkTextPart(text) { return displayPart( text, 24 /* linkText */ ); } function linkNamePart(text, target) { return { text, kind: SymbolDisplayPartKind[ 23 /* linkName */ ], target: { fileName: getSourceFileOfNode(target).fileName, textSpan: createTextSpanFromNode(target) } }; } function linkPart(text) { return displayPart( text, 22 /* link */ ); } function buildLinkParts(link, checker) { var _a; const prefix = isJSDocLink(link) ? "link" : isJSDocLinkCode(link) ? "linkcode" : "linkplain"; const parts = [linkPart(`{@${prefix} `)]; if (!link.name) { if (link.text) { parts.push(linkTextPart(link.text)); } } else { const symbol = checker == null ? void 0 : checker.getSymbolAtLocation(link.name); const targetSymbol = symbol && checker ? getSymbolTarget(symbol, checker) : void 0; const suffix = findLinkNameEnd(link.text); const name = getTextOfNode(link.name) + link.text.slice(0, suffix); const text = skipSeparatorFromLinkText(link.text.slice(suffix)); const decl = (targetSymbol == null ? void 0 : targetSymbol.valueDeclaration) || ((_a = targetSymbol == null ? void 0 : targetSymbol.declarations) == null ? void 0 : _a[0]); if (decl) { parts.push(linkNamePart(name, decl)); if (text) parts.push(linkTextPart(text)); } else { const separator = suffix === 0 || link.text.charCodeAt(suffix) === 124 && name.charCodeAt(name.length - 1) !== 32 ? " " : ""; parts.push(linkTextPart(name + separator + text)); } } parts.push(linkPart("}")); return parts; } function skipSeparatorFromLinkText(text) { let pos = 0; if (text.charCodeAt(pos++) === 124) { while (pos < text.length && text.charCodeAt(pos) === 32) pos++; return text.slice(pos); } return text; } function findLinkNameEnd(text) { let pos = text.indexOf("://"); if (pos === 0) { while (pos < text.length && text.charCodeAt(pos) !== 124) pos++; return pos; } if (text.indexOf("()") === 0) return 2; if (text.charAt(0) === "<") { let brackets2 = 0; let i = 0; while (i < text.length) { if (text[i] === "<") brackets2++; if (text[i] === ">") brackets2--; i++; if (!brackets2) return i; } } return 0; } var lineFeed2 = "\n"; function getNewLineOrDefaultFromHost(host, formatSettings) { var _a; return (formatSettings == null ? void 0 : formatSettings.newLineCharacter) || ((_a = host.getNewLine) == null ? void 0 : _a.call(host)) || lineFeed2; } function lineBreakPart() { return displayPart( "\n", 6 /* lineBreak */ ); } function mapToDisplayParts(writeDisplayParts) { try { writeDisplayParts(displayPartWriter); return displayPartWriter.displayParts(); } finally { displayPartWriter.clear(); } } function typeToDisplayParts(typechecker, type, enclosingDeclaration, flags = 0) { return mapToDisplayParts((writer) => { typechecker.writeType(type, enclosingDeclaration, flags | 1024 | 16384, writer); }); } function symbolToDisplayParts(typeChecker, symbol, enclosingDeclaration, meaning, flags = 0) { return mapToDisplayParts((writer) => { typeChecker.writeSymbol(symbol, enclosingDeclaration, meaning, flags | 8, writer); }); } function signatureToDisplayParts(typechecker, signature, enclosingDeclaration, flags = 0) { flags |= 16384 | 1024 | 32 | 8192; return mapToDisplayParts((writer) => { typechecker.writeSignature( signature, enclosingDeclaration, flags, /*kind*/ void 0, writer ); }); } function nodeToDisplayParts(node, enclosingDeclaration) { const file = enclosingDeclaration.getSourceFile(); return mapToDisplayParts((writer) => { const printer = createPrinterWithRemoveCommentsOmitTrailingSemicolon(); printer.writeNode(4, node, file, writer); }); } function isImportOrExportSpecifierName(location) { return !!location.parent && isImportOrExportSpecifier(location.parent) && location.parent.propertyName === location; } function getScriptKind(fileName, host) { return ensureScriptKind(fileName, host.getScriptKind && host.getScriptKind(fileName)); } function getSymbolTarget(symbol, checker) { let next = symbol; while (isAliasSymbol(next) || isTransientSymbol(next) && next.links.target) { if (isTransientSymbol(next) && next.links.target) { next = next.links.target; } else { next = skipAlias(next, checker); } } return next; } function isAliasSymbol(symbol) { return (symbol.flags & 2097152) !== 0; } function getUniqueSymbolId(symbol, checker) { return getSymbolId(skipAlias(symbol, checker)); } function getFirstNonSpaceCharacterPosition(text, position) { while (isWhiteSpaceLike(text.charCodeAt(position))) { position += 1; } return position; } function getPrecedingNonSpaceCharacterPosition(text, position) { while (position > -1 && isWhiteSpaceSingleLine(text.charCodeAt(position))) { position -= 1; } return position + 1; } function getSynthesizedDeepClone(node, includeTrivia = true) { const clone2 = node && getSynthesizedDeepCloneWorker(node); if (clone2 && !includeTrivia) suppressLeadingAndTrailingTrivia(clone2); return setParentRecursive( clone2, /*incremental*/ false ); } function getSynthesizedDeepCloneWithReplacements(node, includeTrivia, replaceNode) { let clone2 = replaceNode(node); if (clone2) { setOriginalNode(clone2, node); } else { clone2 = getSynthesizedDeepCloneWorker(node, replaceNode); } if (clone2 && !includeTrivia) suppressLeadingAndTrailingTrivia(clone2); return clone2; } function getSynthesizedDeepCloneWorker(node, replaceNode) { const nodeClone = replaceNode ? (n) => getSynthesizedDeepCloneWithReplacements( n, /*includeTrivia*/ true, replaceNode ) : getSynthesizedDeepClone; const nodesClone = replaceNode ? (ns) => ns && getSynthesizedDeepClonesWithReplacements( ns, /*includeTrivia*/ true, replaceNode ) : (ns) => ns && getSynthesizedDeepClones(ns); const visited = visitEachChild( node, nodeClone, /*context*/ void 0, nodesClone, nodeClone ); if (visited === node) { const clone2 = isStringLiteral2(node) ? setOriginalNode(factory.createStringLiteralFromNode(node), node) : isNumericLiteral(node) ? setOriginalNode(factory.createNumericLiteral(node.text, node.numericLiteralFlags), node) : factory.cloneNode(node); return setTextRange(clone2, node); } visited.parent = void 0; return visited; } function getSynthesizedDeepClones(nodes, includeTrivia = true) { if (nodes) { const cloned = factory.createNodeArray(nodes.map((n) => getSynthesizedDeepClone(n, includeTrivia)), nodes.hasTrailingComma); setTextRange(cloned, nodes); return cloned; } return nodes; } function getSynthesizedDeepClonesWithReplacements(nodes, includeTrivia, replaceNode) { return factory.createNodeArray(nodes.map((n) => getSynthesizedDeepCloneWithReplacements(n, includeTrivia, replaceNode)), nodes.hasTrailingComma); } function suppressLeadingAndTrailingTrivia(node) { suppressLeadingTrivia(node); suppressTrailingTrivia(node); } function suppressLeadingTrivia(node) { addEmitFlagsRecursively(node, 1024, getFirstChild); } function suppressTrailingTrivia(node) { addEmitFlagsRecursively(node, 2048, getLastChild); } function copyComments(sourceNode, targetNode) { const sourceFile = sourceNode.getSourceFile(); const text = sourceFile.text; if (hasLeadingLineBreak(sourceNode, text)) { copyLeadingComments(sourceNode, targetNode, sourceFile); } else { copyTrailingAsLeadingComments(sourceNode, targetNode, sourceFile); } copyTrailingComments(sourceNode, targetNode, sourceFile); } function hasLeadingLineBreak(node, text) { const start = node.getFullStart(); const end = node.getStart(); for (let i = start; i < end; i++) { if (text.charCodeAt(i) === 10) return true; } return false; } function addEmitFlagsRecursively(node, flag, getChild) { addEmitFlags(node, flag); const child = getChild(node); if (child) addEmitFlagsRecursively(child, flag, getChild); } function getFirstChild(node) { return node.forEachChild((child) => child); } function getUniqueName(baseName, sourceFile) { let nameText = baseName; for (let i = 1; !isFileLevelUniqueName(sourceFile, nameText); i++) { nameText = `${baseName}_${i}`; } return nameText; } function getRenameLocation(edits, renameFilename, name, preferLastLocation) { let delta = 0; let lastPos = -1; for (const { fileName, textChanges: textChanges2 } of edits) { Debug.assert(fileName === renameFilename); for (const change of textChanges2) { const { span, newText } = change; const index = indexInTextChange(newText, escapeString2(name)); if (index !== -1) { lastPos = span.start + delta + index; if (!preferLastLocation) { return lastPos; } } delta += newText.length - span.length; } } Debug.assert(preferLastLocation); Debug.assert(lastPos >= 0); return lastPos; } function copyLeadingComments(sourceNode, targetNode, sourceFile, commentKind, hasTrailingNewLine) { forEachLeadingCommentRange(sourceFile.text, sourceNode.pos, getAddCommentsFunction(targetNode, sourceFile, commentKind, hasTrailingNewLine, addSyntheticLeadingComment)); } function copyTrailingComments(sourceNode, targetNode, sourceFile, commentKind, hasTrailingNewLine) { forEachTrailingCommentRange(sourceFile.text, sourceNode.end, getAddCommentsFunction(targetNode, sourceFile, commentKind, hasTrailingNewLine, addSyntheticTrailingComment)); } function copyTrailingAsLeadingComments(sourceNode, targetNode, sourceFile, commentKind, hasTrailingNewLine) { forEachTrailingCommentRange(sourceFile.text, sourceNode.pos, getAddCommentsFunction(targetNode, sourceFile, commentKind, hasTrailingNewLine, addSyntheticLeadingComment)); } function getAddCommentsFunction(targetNode, sourceFile, commentKind, hasTrailingNewLine, cb) { return (pos, end, kind, htnl) => { if (kind === 3) { pos += 2; end -= 2; } else { pos += 2; } cb(targetNode, commentKind || kind, sourceFile.text.slice(pos, end), hasTrailingNewLine !== void 0 ? hasTrailingNewLine : htnl); }; } function indexInTextChange(change, name) { if (startsWith2(change, name)) return 0; let idx = change.indexOf(" " + name); if (idx === -1) idx = change.indexOf("." + name); if (idx === -1) idx = change.indexOf('"' + name); return idx === -1 ? -1 : idx + 1; } function needsParentheses2(expression) { return isBinaryExpression(expression) && expression.operatorToken.kind === 28 || isObjectLiteralExpression(expression) || (isAsExpression(expression) || isSatisfiesExpression(expression)) && isObjectLiteralExpression(expression.expression); } function getContextualTypeFromParent(node, checker, contextFlags) { const parent2 = walkUpParenthesizedExpressions(node.parent); switch (parent2.kind) { case 214: return checker.getContextualType(parent2, contextFlags); case 226: { const { left, operatorToken, right } = parent2; return isEqualityOperatorKind(operatorToken.kind) ? checker.getTypeAtLocation(node === right ? left : right) : checker.getContextualType(node, contextFlags); } case 296: return getSwitchedType(parent2, checker); default: return checker.getContextualType(node, contextFlags); } } function quote(sourceFile, preferences, text) { const quotePreference = getQuotePreference(sourceFile, preferences); const quoted = JSON.stringify(text); return quotePreference === 0 ? `'${stripQuotes(quoted).replace(/'/g, () => "\\'").replace(/\\"/g, '"')}'` : quoted; } function isEqualityOperatorKind(kind) { switch (kind) { case 37: case 35: case 38: case 36: return true; default: return false; } } function isStringLiteralOrTemplate(node) { switch (node.kind) { case 11: case 15: case 228: case 215: return true; default: return false; } } function hasIndexSignature(type) { return !!type.getStringIndexType() || !!type.getNumberIndexType(); } function getSwitchedType(caseClause, checker) { return checker.getTypeAtLocation(caseClause.parent.parent.expression); } var ANONYMOUS = "anonymous function"; function getTypeNodeIfAccessible(type, enclosingScope, program, host) { const checker = program.getTypeChecker(); let typeIsAccessible = true; const notAccessible = () => typeIsAccessible = false; const res = checker.typeToTypeNode(type, enclosingScope, 1, { trackSymbol: (symbol, declaration, meaning) => { typeIsAccessible = typeIsAccessible && checker.isSymbolAccessible( symbol, declaration, meaning, /*shouldComputeAliasToMarkVisible*/ false ).accessibility === 0; return !typeIsAccessible; }, reportInaccessibleThisError: notAccessible, reportPrivateInBaseOfClassExpression: notAccessible, reportInaccessibleUniqueSymbolError: notAccessible, moduleResolverHost: getModuleSpecifierResolverHost(program, host) }); return typeIsAccessible ? res : void 0; } function syntaxRequiresTrailingCommaOrSemicolonOrASI(kind) { return kind === 179 || kind === 180 || kind === 181 || kind === 171 || kind === 173; } function syntaxRequiresTrailingFunctionBlockOrSemicolonOrASI(kind) { return kind === 262 || kind === 176 || kind === 174 || kind === 177 || kind === 178; } function syntaxRequiresTrailingModuleBlockOrSemicolonOrASI(kind) { return kind === 267; } function syntaxRequiresTrailingSemicolonOrASI(kind) { return kind === 243 || kind === 244 || kind === 246 || kind === 251 || kind === 252 || kind === 253 || kind === 257 || kind === 259 || kind === 172 || kind === 265 || kind === 272 || kind === 271 || kind === 278 || kind === 270 || kind === 277; } var syntaxMayBeASICandidate = or( syntaxRequiresTrailingCommaOrSemicolonOrASI, syntaxRequiresTrailingFunctionBlockOrSemicolonOrASI, syntaxRequiresTrailingModuleBlockOrSemicolonOrASI, syntaxRequiresTrailingSemicolonOrASI ); function nodeIsASICandidate(node, sourceFile) { const lastToken = node.getLastToken(sourceFile); if (lastToken && lastToken.kind === 27) { return false; } if (syntaxRequiresTrailingCommaOrSemicolonOrASI(node.kind)) { if (lastToken && lastToken.kind === 28) { return false; } } else if (syntaxRequiresTrailingModuleBlockOrSemicolonOrASI(node.kind)) { const lastChild = last(node.getChildren(sourceFile)); if (lastChild && isModuleBlock(lastChild)) { return false; } } else if (syntaxRequiresTrailingFunctionBlockOrSemicolonOrASI(node.kind)) { const lastChild = last(node.getChildren(sourceFile)); if (lastChild && isFunctionBlock(lastChild)) { return false; } } else if (!syntaxRequiresTrailingSemicolonOrASI(node.kind)) { return false; } if (node.kind === 246) { return true; } const topNode = findAncestor(node, (ancestor) => !ancestor.parent); const nextToken = findNextToken(node, topNode, sourceFile); if (!nextToken || nextToken.kind === 20) { return true; } const startLine = sourceFile.getLineAndCharacterOfPosition(node.getEnd()).line; const endLine = sourceFile.getLineAndCharacterOfPosition(nextToken.getStart(sourceFile)).line; return startLine !== endLine; } function positionIsASICandidate(pos, context, sourceFile) { const contextAncestor = findAncestor(context, (ancestor) => { if (ancestor.end !== pos) { return "quit"; } return syntaxMayBeASICandidate(ancestor.kind); }); return !!contextAncestor && nodeIsASICandidate(contextAncestor, sourceFile); } function probablyUsesSemicolons(sourceFile) { let withSemicolon = 0; let withoutSemicolon = 0; const nStatementsToObserve = 5; forEachChild(sourceFile, function visit(node) { if (syntaxRequiresTrailingSemicolonOrASI(node.kind)) { const lastToken = node.getLastToken(sourceFile); if ((lastToken == null ? void 0 : lastToken.kind) === 27) { withSemicolon++; } else { withoutSemicolon++; } } else if (syntaxRequiresTrailingCommaOrSemicolonOrASI(node.kind)) { const lastToken = node.getLastToken(sourceFile); if ((lastToken == null ? void 0 : lastToken.kind) === 27) { withSemicolon++; } else if (lastToken && lastToken.kind !== 28) { const lastTokenLine = getLineAndCharacterOfPosition(sourceFile, lastToken.getStart(sourceFile)).line; const nextTokenLine = getLineAndCharacterOfPosition(sourceFile, getSpanOfTokenAtPosition(sourceFile, lastToken.end).start).line; if (lastTokenLine !== nextTokenLine) { withoutSemicolon++; } } } if (withSemicolon + withoutSemicolon >= nStatementsToObserve) { return true; } return forEachChild(node, visit); }); if (withSemicolon === 0 && withoutSemicolon <= 1) { return true; } return withSemicolon / withoutSemicolon > 1 / nStatementsToObserve; } function tryGetDirectories(host, directoryName) { return tryIOAndConsumeErrors(host, host.getDirectories, directoryName) || []; } function tryReadDirectory(host, path17, extensions, exclude, include) { return tryIOAndConsumeErrors(host, host.readDirectory, path17, extensions, exclude, include) || emptyArray; } function tryFileExists(host, path17) { return tryIOAndConsumeErrors(host, host.fileExists, path17); } function tryDirectoryExists(host, path17) { return tryAndIgnoreErrors(() => directoryProbablyExists(path17, host)) || false; } function tryAndIgnoreErrors(cb) { try { return cb(); } catch { return void 0; } } function tryIOAndConsumeErrors(host, toApply, ...args) { return tryAndIgnoreErrors(() => toApply && toApply.apply(host, args)); } function findPackageJsons(startDirectory, host, stopDirectory) { const paths = []; forEachAncestorDirectory(startDirectory, (ancestor) => { if (ancestor === stopDirectory) { return true; } const currentConfigPath = combinePaths(ancestor, "package.json"); if (tryFileExists(host, currentConfigPath)) { paths.push(currentConfigPath); } }); return paths; } function findPackageJson(directory, host) { let packageJson; forEachAncestorDirectory(directory, (ancestor) => { if (ancestor === "node_modules") return true; packageJson = findConfigFile(ancestor, (f) => tryFileExists(host, f), "package.json"); if (packageJson) { return true; } }); return packageJson; } function getPackageJsonsVisibleToFile(fileName, host) { if (!host.fileExists) { return []; } const packageJsons = []; forEachAncestorDirectory(getDirectoryPath(fileName), (ancestor) => { const packageJsonFileName = combinePaths(ancestor, "package.json"); if (host.fileExists(packageJsonFileName)) { const info = createPackageJsonInfo(packageJsonFileName, host); if (info) { packageJsons.push(info); } } }); return packageJsons; } function createPackageJsonInfo(fileName, host) { if (!host.readFile) { return void 0; } const dependencyKeys = ["dependencies", "devDependencies", "optionalDependencies", "peerDependencies"]; const stringContent = host.readFile(fileName) || ""; const content = tryParseJson(stringContent); const info = {}; if (content) { for (const key of dependencyKeys) { const dependencies = content[key]; if (!dependencies) { continue; } const dependencyMap = /* @__PURE__ */ new Map(); for (const packageName in dependencies) { dependencyMap.set(packageName, dependencies[packageName]); } info[key] = dependencyMap; } } const dependencyGroups = [ [1, info.dependencies], [2, info.devDependencies], [8, info.optionalDependencies], [4, info.peerDependencies] ]; return { ...info, parseable: !!content, fileName, get, has(dependencyName, inGroups) { return !!get(dependencyName, inGroups); } }; function get(dependencyName, inGroups = 15) { for (const [group2, deps] of dependencyGroups) { if (deps && inGroups & group2) { const dep = deps.get(dependencyName); if (dep !== void 0) { return dep; } } } } } function createPackageJsonImportFilter(fromFile, preferences, host) { const packageJsons = (host.getPackageJsonsVisibleToFile && host.getPackageJsonsVisibleToFile(fromFile.fileName) || getPackageJsonsVisibleToFile(fromFile.fileName, host)).filter((p) => p.parseable); let usesNodeCoreModules; let ambientModuleCache; let sourceFileCache; return { allowsImportingAmbientModule, allowsImportingSourceFile, allowsImportingSpecifier }; function moduleSpecifierIsCoveredByPackageJson(specifier) { const packageName = getNodeModuleRootSpecifier(specifier); for (const packageJson of packageJsons) { if (packageJson.has(packageName) || packageJson.has(getTypesPackageName(packageName))) { return true; } } return false; } function allowsImportingAmbientModule(moduleSymbol, moduleSpecifierResolutionHost) { if (!packageJsons.length || !moduleSymbol.valueDeclaration) { return true; } if (!ambientModuleCache) { ambientModuleCache = /* @__PURE__ */ new Map(); } else { const cached = ambientModuleCache.get(moduleSymbol); if (cached !== void 0) { return cached; } } const declaredModuleSpecifier = stripQuotes(moduleSymbol.getName()); if (isAllowedCoreNodeModulesImport(declaredModuleSpecifier)) { ambientModuleCache.set(moduleSymbol, true); return true; } const declaringSourceFile = moduleSymbol.valueDeclaration.getSourceFile(); const declaringNodeModuleName = getNodeModulesPackageNameFromFileName(declaringSourceFile.fileName, moduleSpecifierResolutionHost); if (typeof declaringNodeModuleName === "undefined") { ambientModuleCache.set(moduleSymbol, true); return true; } const result = moduleSpecifierIsCoveredByPackageJson(declaringNodeModuleName) || moduleSpecifierIsCoveredByPackageJson(declaredModuleSpecifier); ambientModuleCache.set(moduleSymbol, result); return result; } function allowsImportingSourceFile(sourceFile, moduleSpecifierResolutionHost) { if (!packageJsons.length) { return true; } if (!sourceFileCache) { sourceFileCache = /* @__PURE__ */ new Map(); } else { const cached = sourceFileCache.get(sourceFile); if (cached !== void 0) { return cached; } } const moduleSpecifier = getNodeModulesPackageNameFromFileName(sourceFile.fileName, moduleSpecifierResolutionHost); if (!moduleSpecifier) { sourceFileCache.set(sourceFile, true); return true; } const result = moduleSpecifierIsCoveredByPackageJson(moduleSpecifier); sourceFileCache.set(sourceFile, result); return result; } function allowsImportingSpecifier(moduleSpecifier) { if (!packageJsons.length || isAllowedCoreNodeModulesImport(moduleSpecifier)) { return true; } if (pathIsRelative(moduleSpecifier) || isRootedDiskPath(moduleSpecifier)) { return true; } return moduleSpecifierIsCoveredByPackageJson(moduleSpecifier); } function isAllowedCoreNodeModulesImport(moduleSpecifier) { if (isFullSourceFile(fromFile) && isSourceFileJS(fromFile) && ts_JsTyping_exports.nodeCoreModules.has(moduleSpecifier)) { if (usesNodeCoreModules === void 0) { usesNodeCoreModules = consumesNodeCoreModules(fromFile); } if (usesNodeCoreModules) { return true; } } return false; } function getNodeModulesPackageNameFromFileName(importedFileName, moduleSpecifierResolutionHost) { if (!importedFileName.includes("node_modules")) { return void 0; } const specifier = ts_moduleSpecifiers_exports.getNodeModulesPackageName( host.getCompilationSettings(), fromFile, importedFileName, moduleSpecifierResolutionHost, preferences ); if (!specifier) { return void 0; } if (!pathIsRelative(specifier) && !isRootedDiskPath(specifier)) { return getNodeModuleRootSpecifier(specifier); } } function getNodeModuleRootSpecifier(fullSpecifier) { const components = getPathComponents(getPackageNameFromTypesPackageName(fullSpecifier)).slice(1); if (startsWith2(components[0], "@")) { return `${components[0]}/${components[1]}`; } return components[0]; } } function consumesNodeCoreModules(sourceFile) { return some(sourceFile.imports, ({ text }) => ts_JsTyping_exports.nodeCoreModules.has(text)); } function isInsideNodeModules(fileOrDirectory) { return contains(getPathComponents(fileOrDirectory), "node_modules"); } function isDiagnosticWithLocation(diagnostic) { return diagnostic.file !== void 0 && diagnostic.start !== void 0 && diagnostic.length !== void 0; } function findDiagnosticForNode(node, sortedFileDiagnostics) { const span = createTextSpanFromNode(node); const index = binarySearchKey(sortedFileDiagnostics, span, identity2, compareTextSpans); if (index >= 0) { const diagnostic = sortedFileDiagnostics[index]; Debug.assertEqual(diagnostic.file, node.getSourceFile(), "Diagnostics proided to 'findDiagnosticForNode' must be from a single SourceFile"); return cast(diagnostic, isDiagnosticWithLocation); } } function getDiagnosticsWithinSpan(span, sortedFileDiagnostics) { var _a; let index = binarySearchKey(sortedFileDiagnostics, span.start, (diag2) => diag2.start, compareValues); if (index < 0) { index = ~index; } while (((_a = sortedFileDiagnostics[index - 1]) == null ? void 0 : _a.start) === span.start) { index--; } const result = []; const end = textSpanEnd(span); while (true) { const diagnostic = tryCast(sortedFileDiagnostics[index], isDiagnosticWithLocation); if (!diagnostic || diagnostic.start > end) { break; } if (textSpanContainsTextSpan(span, diagnostic)) { result.push(diagnostic); } index++; } return result; } function getRefactorContextSpan({ startPosition, endPosition }) { return createTextSpanFromBounds(startPosition, endPosition === void 0 ? startPosition : endPosition); } function getFixableErrorSpanExpression(sourceFile, span) { const token = getTokenAtPosition(sourceFile, span.start); const expression = findAncestor(token, (node) => { if (node.getStart(sourceFile) < span.start || node.getEnd() > textSpanEnd(span)) { return "quit"; } return isExpression(node) && textSpansEqual(span, createTextSpanFromNode(node, sourceFile)); }); return expression; } function mapOneOrMany(valueOrArray, f, resultSelector = identity2) { return valueOrArray ? isArray3(valueOrArray) ? resultSelector(map(valueOrArray, f)) : f(valueOrArray, 0) : void 0; } function firstOrOnly(valueOrArray) { return isArray3(valueOrArray) ? first(valueOrArray) : valueOrArray; } function getNamesForExportedSymbol(symbol, scriptTarget) { if (needsNameFromDeclaration(symbol)) { const fromDeclaration = getDefaultLikeExportNameFromDeclaration(symbol); if (fromDeclaration) return fromDeclaration; const fileNameCase = moduleSymbolToValidIdentifier( getSymbolParentOrFail(symbol), scriptTarget, /*forceCapitalize*/ false ); const capitalized = moduleSymbolToValidIdentifier( getSymbolParentOrFail(symbol), scriptTarget, /*forceCapitalize*/ true ); if (fileNameCase === capitalized) return fileNameCase; return [fileNameCase, capitalized]; } return symbol.name; } function getNameForExportedSymbol(symbol, scriptTarget, preferCapitalized) { if (needsNameFromDeclaration(symbol)) { return getDefaultLikeExportNameFromDeclaration(symbol) || moduleSymbolToValidIdentifier(getSymbolParentOrFail(symbol), scriptTarget, !!preferCapitalized); } return symbol.name; } function needsNameFromDeclaration(symbol) { return !(symbol.flags & 33554432) && (symbol.escapedName === "export=" || symbol.escapedName === "default"); } function getDefaultLikeExportNameFromDeclaration(symbol) { return firstDefined(symbol.declarations, (d) => { var _a, _b, _c; if (isExportAssignment(d)) { return (_a = tryCast(skipOuterExpressions(d.expression), isIdentifier)) == null ? void 0 : _a.text; } if (isExportSpecifier(d) && d.symbol.flags === 2097152) { return (_b = tryCast(d.propertyName, isIdentifier)) == null ? void 0 : _b.text; } return (_c = tryCast(getNameOfDeclaration(d), isIdentifier)) == null ? void 0 : _c.text; }); } function getSymbolParentOrFail(symbol) { var _a; return Debug.checkDefined( symbol.parent, `Symbol parent was undefined. Flags: ${Debug.formatSymbolFlags(symbol.flags)}. Declarations: ${(_a = symbol.declarations) == null ? void 0 : _a.map((d) => { const kind = Debug.formatSyntaxKind(d.kind); const inJS = isInJSFile(d); const { expression } = d; return (inJS ? "[JS]" : "") + kind + (expression ? ` (expression: ${Debug.formatSyntaxKind(expression.kind)})` : ""); }).join(", ")}.` ); } function moduleSymbolToValidIdentifier(moduleSymbol, target, forceCapitalize) { return moduleSpecifierToValidIdentifier(removeFileExtension(stripQuotes(moduleSymbol.name)), target, forceCapitalize); } function moduleSpecifierToValidIdentifier(moduleSpecifier, target, forceCapitalize) { const baseName = getBaseFileName(removeSuffix(moduleSpecifier, "/index")); let res = ""; let lastCharWasValid = true; const firstCharCode = baseName.charCodeAt(0); if (isIdentifierStart(firstCharCode, target)) { res += String.fromCharCode(firstCharCode); if (forceCapitalize) { res = res.toUpperCase(); } } else { lastCharWasValid = false; } for (let i = 1; i < baseName.length; i++) { const ch = baseName.charCodeAt(i); const isValid2 = isIdentifierPart(ch, target); if (isValid2) { let char = String.fromCharCode(ch); if (!lastCharWasValid) { char = char.toUpperCase(); } res += char; } lastCharWasValid = isValid2; } return !isStringANonContextualKeyword(res) ? res || "_" : `_${res}`; } function stringContainsAt(haystack, needle, startIndex) { const needleLength = needle.length; if (needleLength + startIndex > haystack.length) { return false; } for (let i = 0; i < needleLength; i++) { if (needle.charCodeAt(i) !== haystack.charCodeAt(i + startIndex)) return false; } return true; } function startsWithUnderscore(name) { return name.charCodeAt(0) === 95; } function isGlobalDeclaration(declaration) { return !isNonGlobalDeclaration(declaration); } function isNonGlobalDeclaration(declaration) { const sourceFile = declaration.getSourceFile(); if (!sourceFile.externalModuleIndicator && !sourceFile.commonJsModuleIndicator) { return false; } return isInJSFile(declaration) || !findAncestor(declaration, (d) => isModuleDeclaration(d) && isGlobalScopeAugmentation(d)); } function isDeprecatedDeclaration(decl) { return !!(getCombinedNodeFlagsAlwaysIncludeJSDoc(decl) & 65536); } function shouldUseUriStyleNodeCoreModules(file, program) { const decisionFromFile = firstDefined(file.imports, (node) => { if (ts_JsTyping_exports.nodeCoreModules.has(node.text)) { return startsWith2(node.text, "node:"); } }); return decisionFromFile ?? program.usesUriStyleNodeCoreModules; } function getNewLineKind(newLineCharacter) { return newLineCharacter === "\n" ? 1 : 0; } function diagnosticToString(diag2) { return isArray3(diag2) ? formatStringFromArgs(getLocaleSpecificMessage(diag2[0]), diag2.slice(1)) : getLocaleSpecificMessage(diag2); } function getFormatCodeSettingsForWriting({ options }, sourceFile) { const shouldAutoDetectSemicolonPreference = !options.semicolons || options.semicolons === "ignore"; const shouldRemoveSemicolons = options.semicolons === "remove" || shouldAutoDetectSemicolonPreference && !probablyUsesSemicolons(sourceFile); return { ...options, semicolons: shouldRemoveSemicolons ? "remove" : "ignore" /* Ignore */ }; } function jsxModeNeedsExplicitImport(jsx) { return jsx === 2 || jsx === 3; } function isSourceFileFromLibrary(program, node) { return program.isSourceFileFromExternalLibrary(node) || program.isSourceFileDefaultLibrary(node); } function newCaseClauseTracker(checker, clauses) { const existingStrings = /* @__PURE__ */ new Set(); const existingNumbers = /* @__PURE__ */ new Set(); const existingBigInts = /* @__PURE__ */ new Set(); for (const clause of clauses) { if (!isDefaultClause(clause)) { const expression = skipParentheses(clause.expression); if (isLiteralExpression(expression)) { switch (expression.kind) { case 15: case 11: existingStrings.add(expression.text); break; case 9: existingNumbers.add(parseInt(expression.text)); break; case 10: const parsedBigInt = parseBigInt(endsWith(expression.text, "n") ? expression.text.slice(0, -1) : expression.text); if (parsedBigInt) { existingBigInts.add(pseudoBigIntToString(parsedBigInt)); } break; } } else { const symbol = checker.getSymbolAtLocation(clause.expression); if (symbol && symbol.valueDeclaration && isEnumMember(symbol.valueDeclaration)) { const enumValue = checker.getConstantValue(symbol.valueDeclaration); if (enumValue !== void 0) { addValue(enumValue); } } } } } return { addValue, hasValue: hasValue2 }; function addValue(value) { switch (typeof value) { case "string": existingStrings.add(value); break; case "number": existingNumbers.add(value); } } function hasValue2(value) { switch (typeof value) { case "string": return existingStrings.has(value); case "number": return existingNumbers.has(value); case "object": return existingBigInts.has(pseudoBigIntToString(value)); } } } function fileShouldUseJavaScriptRequire(file, program, host, preferRequire) { var _a; const fileName = typeof file === "string" ? file : file.fileName; if (!hasJSFileExtension(fileName)) { return false; } const compilerOptions = program.getCompilerOptions(); const moduleKind = getEmitModuleKind(compilerOptions); const impliedNodeFormat = typeof file === "string" ? getImpliedNodeFormatForFile(toPath3(file, host.getCurrentDirectory(), hostGetCanonicalFileName(host)), (_a = program.getPackageJsonInfoCache) == null ? void 0 : _a.call(program), host, compilerOptions) : file.impliedNodeFormat; if (impliedNodeFormat === 99) { return false; } if (impliedNodeFormat === 1) { return true; } if (compilerOptions.verbatimModuleSyntax && moduleKind === 1) { return true; } if (compilerOptions.verbatimModuleSyntax && emitModuleKindIsNonNodeESM(moduleKind)) { return false; } if (typeof file === "object") { if (file.commonJsModuleIndicator) { return true; } if (file.externalModuleIndicator) { return false; } } return preferRequire; } function isBlockLike(node) { switch (node.kind) { case 241: case 307: case 268: case 296: return true; default: return false; } } function createFutureSourceFile(fileName, syntaxModuleIndicator, program, moduleResolutionHost) { var _a; const result = getImpliedNodeFormatForFileWorker(fileName, (_a = program.getPackageJsonInfoCache) == null ? void 0 : _a.call(program), moduleResolutionHost, program.getCompilerOptions()); let impliedNodeFormat, packageJsonScope; if (typeof result === "object") { impliedNodeFormat = result.impliedNodeFormat; packageJsonScope = result.packageJsonScope; } return { path: toPath3(fileName, program.getCurrentDirectory(), program.getCanonicalFileName), fileName, externalModuleIndicator: syntaxModuleIndicator === 99 ? true : void 0, commonJsModuleIndicator: syntaxModuleIndicator === 1 ? true : void 0, impliedNodeFormat, packageJsonScope, statements: emptyArray, imports: emptyArray }; } var ImportKind = /* @__PURE__ */ ((ImportKind2) => { ImportKind2[ImportKind2["Named"] = 0] = "Named"; ImportKind2[ImportKind2["Default"] = 1] = "Default"; ImportKind2[ImportKind2["Namespace"] = 2] = "Namespace"; ImportKind2[ImportKind2["CommonJS"] = 3] = "CommonJS"; return ImportKind2; })(ImportKind || {}); var ExportKind = /* @__PURE__ */ ((ExportKind3) => { ExportKind3[ExportKind3["Named"] = 0] = "Named"; ExportKind3[ExportKind3["Default"] = 1] = "Default"; ExportKind3[ExportKind3["ExportEquals"] = 2] = "ExportEquals"; ExportKind3[ExportKind3["UMD"] = 3] = "UMD"; return ExportKind3; })(ExportKind || {}); function createCacheableExportInfoMap(host) { let exportInfoId = 1; const exportInfo = createMultiMap(); const symbols = /* @__PURE__ */ new Map(); const packages = /* @__PURE__ */ new Map(); let usableByFileName; const cache = { isUsableByFile: (importingFile) => importingFile === usableByFileName, isEmpty: () => !exportInfo.size, clear: () => { exportInfo.clear(); symbols.clear(); usableByFileName = void 0; }, add: (importingFile, symbol, symbolTableKey, moduleSymbol, moduleFile, exportKind, isFromPackageJson, checker) => { if (importingFile !== usableByFileName) { cache.clear(); usableByFileName = importingFile; } let packageName; if (moduleFile) { const nodeModulesPathParts = getNodeModulePathParts(moduleFile.fileName); if (nodeModulesPathParts) { const { topLevelNodeModulesIndex, topLevelPackageNameIndex, packageRootIndex } = nodeModulesPathParts; packageName = unmangleScopedPackageName(getPackageNameFromTypesPackageName(moduleFile.fileName.substring(topLevelPackageNameIndex + 1, packageRootIndex))); if (startsWith2(importingFile, moduleFile.path.substring(0, topLevelNodeModulesIndex))) { const prevDeepestNodeModulesPath = packages.get(packageName); const nodeModulesPath = moduleFile.fileName.substring(0, topLevelPackageNameIndex + 1); if (prevDeepestNodeModulesPath) { const prevDeepestNodeModulesIndex = prevDeepestNodeModulesPath.indexOf(nodeModulesPathPart); if (topLevelNodeModulesIndex > prevDeepestNodeModulesIndex) { packages.set(packageName, nodeModulesPath); } } else { packages.set(packageName, nodeModulesPath); } } } } const isDefault = exportKind === 1; const namedSymbol = isDefault && getLocalSymbolForExportDefault(symbol) || symbol; const names = exportKind === 0 || isExternalModuleSymbol(namedSymbol) ? unescapeLeadingUnderscores(symbolTableKey) : getNamesForExportedSymbol( namedSymbol, /*scriptTarget*/ void 0 ); const symbolName2 = typeof names === "string" ? names : names[0]; const capitalizedSymbolName = typeof names === "string" ? void 0 : names[1]; const moduleName = stripQuotes(moduleSymbol.name); const id = exportInfoId++; const target = skipAlias(symbol, checker); const storedSymbol = symbol.flags & 33554432 ? void 0 : symbol; const storedModuleSymbol = moduleSymbol.flags & 33554432 ? void 0 : moduleSymbol; if (!storedSymbol || !storedModuleSymbol) symbols.set(id, [symbol, moduleSymbol]); exportInfo.add(key(symbolName2, symbol, isExternalModuleNameRelative(moduleName) ? void 0 : moduleName, checker), { id, symbolTableKey, symbolName: symbolName2, capitalizedSymbolName, moduleName, moduleFile, moduleFileName: moduleFile == null ? void 0 : moduleFile.fileName, packageName, exportKind, targetFlags: target.flags, isFromPackageJson, symbol: storedSymbol, moduleSymbol: storedModuleSymbol }); }, get: (importingFile, key2) => { if (importingFile !== usableByFileName) return; const result = exportInfo.get(key2); return result == null ? void 0 : result.map(rehydrateCachedInfo); }, search: (importingFile, preferCapitalized, matches, action) => { if (importingFile !== usableByFileName) return; return forEachEntry(exportInfo, (info, key2) => { const { symbolName: symbolName2, ambientModuleName } = parseKey(key2); const name = preferCapitalized && info[0].capitalizedSymbolName || symbolName2; if (matches(name, info[0].targetFlags)) { const rehydrated = info.map(rehydrateCachedInfo); const filtered = rehydrated.filter((r, i) => isNotShadowedByDeeperNodeModulesPackage(r, info[i].packageName)); if (filtered.length) { const res = action(filtered, name, !!ambientModuleName, key2); if (res !== void 0) return res; } } }); }, releaseSymbols: () => { symbols.clear(); }, onFileChanged: (oldSourceFile, newSourceFile, typeAcquisitionEnabled) => { if (fileIsGlobalOnly(oldSourceFile) && fileIsGlobalOnly(newSourceFile)) { return false; } if (usableByFileName && usableByFileName !== newSourceFile.path || // If ATA is enabled, auto-imports uses existing imports to guess whether you want auto-imports from node. // Adding or removing imports from node could change the outcome of that guess, so could change the suggestions list. typeAcquisitionEnabled && consumesNodeCoreModules(oldSourceFile) !== consumesNodeCoreModules(newSourceFile) || // Module agumentation and ambient module changes can add or remove exports available to be auto-imported. // Changes elsewhere in the file can change the *type* of an export in a module augmentation, // but type info is gathered in getCompletionEntryDetails, which doesn't use the cache. !arrayIsEqualTo(oldSourceFile.moduleAugmentations, newSourceFile.moduleAugmentations) || !ambientModuleDeclarationsAreEqual(oldSourceFile, newSourceFile)) { cache.clear(); return true; } usableByFileName = newSourceFile.path; return false; } }; if (Debug.isDebugging) { Object.defineProperty(cache, "__cache", { value: exportInfo }); } return cache; function rehydrateCachedInfo(info) { if (info.symbol && info.moduleSymbol) return info; const { id, exportKind, targetFlags, isFromPackageJson, moduleFileName } = info; const [cachedSymbol, cachedModuleSymbol] = symbols.get(id) || emptyArray; if (cachedSymbol && cachedModuleSymbol) { return { symbol: cachedSymbol, moduleSymbol: cachedModuleSymbol, moduleFileName, exportKind, targetFlags, isFromPackageJson }; } const checker = (isFromPackageJson ? host.getPackageJsonAutoImportProvider() : host.getCurrentProgram()).getTypeChecker(); const moduleSymbol = info.moduleSymbol || cachedModuleSymbol || Debug.checkDefined( info.moduleFile ? checker.getMergedSymbol(info.moduleFile.symbol) : checker.tryFindAmbientModule(info.moduleName) ); const symbol = info.symbol || cachedSymbol || Debug.checkDefined( exportKind === 2 ? checker.resolveExternalModuleSymbol(moduleSymbol) : checker.tryGetMemberInModuleExportsAndProperties(unescapeLeadingUnderscores(info.symbolTableKey), moduleSymbol), `Could not find symbol '${info.symbolName}' by key '${info.symbolTableKey}' in module ${moduleSymbol.name}` ); symbols.set(id, [symbol, moduleSymbol]); return { symbol, moduleSymbol, moduleFileName, exportKind, targetFlags, isFromPackageJson }; } function key(importedName, symbol, ambientModuleName, checker) { const moduleKey = ambientModuleName || ""; return `${importedName.length} ${getSymbolId(skipAlias(symbol, checker))} ${importedName} ${moduleKey}`; } function parseKey(key2) { const firstSpace = key2.indexOf(" "); const secondSpace = key2.indexOf(" ", firstSpace + 1); const symbolNameLength = parseInt(key2.substring(0, firstSpace), 10); const data = key2.substring(secondSpace + 1); const symbolName2 = data.substring(0, symbolNameLength); const moduleKey = data.substring(symbolNameLength + 1); const ambientModuleName = moduleKey === "" ? void 0 : moduleKey; return { symbolName: symbolName2, ambientModuleName }; } function fileIsGlobalOnly(file) { return !file.commonJsModuleIndicator && !file.externalModuleIndicator && !file.moduleAugmentations && !file.ambientModuleNames; } function ambientModuleDeclarationsAreEqual(oldSourceFile, newSourceFile) { if (!arrayIsEqualTo(oldSourceFile.ambientModuleNames, newSourceFile.ambientModuleNames)) { return false; } let oldFileStatementIndex = -1; let newFileStatementIndex = -1; for (const ambientModuleName of newSourceFile.ambientModuleNames) { const isMatchingModuleDeclaration = (node) => isNonGlobalAmbientModule(node) && node.name.text === ambientModuleName; oldFileStatementIndex = findIndex(oldSourceFile.statements, isMatchingModuleDeclaration, oldFileStatementIndex + 1); newFileStatementIndex = findIndex(newSourceFile.statements, isMatchingModuleDeclaration, newFileStatementIndex + 1); if (oldSourceFile.statements[oldFileStatementIndex] !== newSourceFile.statements[newFileStatementIndex]) { return false; } } return true; } function isNotShadowedByDeeperNodeModulesPackage(info, packageName) { if (!packageName || !info.moduleFileName) return true; const typingsCacheLocation = host.getGlobalTypingsCacheLocation(); if (typingsCacheLocation && startsWith2(info.moduleFileName, typingsCacheLocation)) return true; const packageDeepestNodeModulesPath = packages.get(packageName); return !packageDeepestNodeModulesPath || startsWith2(info.moduleFileName, packageDeepestNodeModulesPath); } } function isImportableFile(program, from, to, preferences, packageJsonFilter, moduleSpecifierResolutionHost, moduleSpecifierCache) { var _a; if (from === to) return false; const cachedResult = moduleSpecifierCache == null ? void 0 : moduleSpecifierCache.get(from.path, to.path, preferences, {}); if ((cachedResult == null ? void 0 : cachedResult.isBlockedByPackageJsonDependencies) !== void 0) { return !cachedResult.isBlockedByPackageJsonDependencies; } const getCanonicalFileName = hostGetCanonicalFileName(moduleSpecifierResolutionHost); const globalTypingsCache = (_a = moduleSpecifierResolutionHost.getGlobalTypingsCacheLocation) == null ? void 0 : _a.call(moduleSpecifierResolutionHost); const hasImportablePath = !!ts_moduleSpecifiers_exports.forEachFileNameOfModule( from.fileName, to.fileName, moduleSpecifierResolutionHost, /*preferSymlinks*/ false, (toPath32) => { const toFile = program.getSourceFile(toPath32); return (toFile === to || !toFile) && isImportablePath(from.fileName, toPath32, getCanonicalFileName, globalTypingsCache); } ); if (packageJsonFilter) { const isAutoImportable = hasImportablePath && packageJsonFilter.allowsImportingSourceFile(to, moduleSpecifierResolutionHost); moduleSpecifierCache == null ? void 0 : moduleSpecifierCache.setBlockedByPackageJsonDependencies(from.path, to.path, preferences, {}, !isAutoImportable); return isAutoImportable; } return hasImportablePath; } function isImportablePath(fromPath, toPath32, getCanonicalFileName, globalCachePath) { const toNodeModules = forEachAncestorDirectory(toPath32, (ancestor) => getBaseFileName(ancestor) === "node_modules" ? ancestor : void 0); const toNodeModulesParent = toNodeModules && getDirectoryPath(getCanonicalFileName(toNodeModules)); return toNodeModulesParent === void 0 || startsWith2(getCanonicalFileName(fromPath), toNodeModulesParent) || !!globalCachePath && startsWith2(getCanonicalFileName(globalCachePath), toNodeModulesParent); } function forEachExternalModuleToImportFrom(program, host, preferences, useAutoImportProvider, cb) { var _a, _b; const useCaseSensitiveFileNames2 = hostUsesCaseSensitiveFileNames(host); const excludePatterns = preferences.autoImportFileExcludePatterns && mapDefined(preferences.autoImportFileExcludePatterns, (spec) => { const pattern = getSubPatternFromSpec(spec, "", "exclude"); return pattern ? getRegexFromPattern(pattern, useCaseSensitiveFileNames2) : void 0; }); forEachExternalModule(program.getTypeChecker(), program.getSourceFiles(), excludePatterns, host, (module22, file) => cb( module22, file, program, /*isFromPackageJson*/ false )); const autoImportProvider = useAutoImportProvider && ((_a = host.getPackageJsonAutoImportProvider) == null ? void 0 : _a.call(host)); if (autoImportProvider) { const start = timestamp(); const checker = program.getTypeChecker(); forEachExternalModule(autoImportProvider.getTypeChecker(), autoImportProvider.getSourceFiles(), excludePatterns, host, (module22, file) => { if (file && !program.getSourceFile(file.fileName) || !file && !checker.resolveName( module22.name, /*location*/ void 0, 1536, /*excludeGlobals*/ false )) { cb( module22, file, autoImportProvider, /*isFromPackageJson*/ true ); } }); (_b = host.log) == null ? void 0 : _b.call(host, `forEachExternalModuleToImportFrom autoImportProvider: ${timestamp() - start}`); } } function forEachExternalModule(checker, allSourceFiles, excludePatterns, host, cb) { var _a, _b; const realpathsWithSymlinks = (_a = host.getSymlinkCache) == null ? void 0 : _a.call(host).getSymlinkedDirectoriesByRealpath(); const isExcluded = excludePatterns && (({ fileName, path: path17 }) => { if (excludePatterns.some((p) => p.test(fileName))) return true; if ((realpathsWithSymlinks == null ? void 0 : realpathsWithSymlinks.size) && pathContainsNodeModules(fileName)) { let dir = getDirectoryPath(fileName); return forEachAncestorDirectory(getDirectoryPath(path17), (dirPath) => { const symlinks = realpathsWithSymlinks.get(ensureTrailingDirectorySeparator(dirPath)); if (symlinks) { return symlinks.some((s) => excludePatterns.some((p) => p.test(fileName.replace(dir, s)))); } dir = getDirectoryPath(dir); }) ?? false; } return false; }); for (const ambient of checker.getAmbientModules()) { if (!ambient.name.includes("*") && !(excludePatterns && ((_b = ambient.declarations) == null ? void 0 : _b.every((d) => isExcluded(d.getSourceFile()))))) { cb( ambient, /*sourceFile*/ void 0 ); } } for (const sourceFile of allSourceFiles) { if (isExternalOrCommonJsModule(sourceFile) && !(isExcluded == null ? void 0 : isExcluded(sourceFile))) { cb(checker.getMergedSymbol(sourceFile.symbol), sourceFile); } } } function getExportInfoMap(importingFile, host, program, preferences, cancellationToken) { var _a, _b, _c, _d, _e; const start = timestamp(); (_a = host.getPackageJsonAutoImportProvider) == null ? void 0 : _a.call(host); const cache = ((_b = host.getCachedExportInfoMap) == null ? void 0 : _b.call(host)) || createCacheableExportInfoMap({ getCurrentProgram: () => program, getPackageJsonAutoImportProvider: () => { var _a2; return (_a2 = host.getPackageJsonAutoImportProvider) == null ? void 0 : _a2.call(host); }, getGlobalTypingsCacheLocation: () => { var _a2; return (_a2 = host.getGlobalTypingsCacheLocation) == null ? void 0 : _a2.call(host); } }); if (cache.isUsableByFile(importingFile.path)) { (_c = host.log) == null ? void 0 : _c.call(host, "getExportInfoMap: cache hit"); return cache; } (_d = host.log) == null ? void 0 : _d.call(host, "getExportInfoMap: cache miss or empty; calculating new results"); let moduleCount = 0; try { forEachExternalModuleToImportFrom( program, host, preferences, /*useAutoImportProvider*/ true, (moduleSymbol, moduleFile, program2, isFromPackageJson) => { if (++moduleCount % 100 === 0) cancellationToken == null ? void 0 : cancellationToken.throwIfCancellationRequested(); const seenExports = /* @__PURE__ */ new Map(); const checker = program2.getTypeChecker(); const defaultInfo = getDefaultLikeExportInfo(moduleSymbol, checker); if (defaultInfo && isImportableSymbol(defaultInfo.symbol, checker)) { cache.add( importingFile.path, defaultInfo.symbol, defaultInfo.exportKind === 1 ? "default" : "export=", moduleSymbol, moduleFile, defaultInfo.exportKind, isFromPackageJson, checker ); } checker.forEachExportAndPropertyOfModule(moduleSymbol, (exported, key) => { if (exported !== (defaultInfo == null ? void 0 : defaultInfo.symbol) && isImportableSymbol(exported, checker) && addToSeen(seenExports, key)) { cache.add( importingFile.path, exported, key, moduleSymbol, moduleFile, 0, isFromPackageJson, checker ); } }); } ); } catch (err) { cache.clear(); throw err; } (_e = host.log) == null ? void 0 : _e.call(host, `getExportInfoMap: done in ${timestamp() - start} ms`); return cache; } function getDefaultLikeExportInfo(moduleSymbol, checker) { const exportEquals = checker.resolveExternalModuleSymbol(moduleSymbol); if (exportEquals !== moduleSymbol) return { symbol: exportEquals, exportKind: 2 /* ExportEquals */ }; const defaultExport = checker.tryGetMemberInModuleExports("default", moduleSymbol); if (defaultExport) return { symbol: defaultExport, exportKind: 1 /* Default */ }; } function isImportableSymbol(symbol, checker) { return !checker.isUndefinedSymbol(symbol) && !checker.isUnknownSymbol(symbol) && !isKnownSymbol(symbol) && !isPrivateIdentifierSymbol(symbol); } function forEachNameOfDefaultExport(defaultExport, checker, compilerOptions, preferCapitalizedNames, cb) { let chain; let current = defaultExport; while (current) { const fromDeclaration = getDefaultLikeExportNameFromDeclaration(current); if (fromDeclaration) { const final = cb(fromDeclaration); if (final) return final; } if (current.escapedName !== "default" && current.escapedName !== "export=") { const final = cb(current.name); if (final) return final; } chain = append(chain, current); current = current.flags & 2097152 ? checker.getImmediateAliasedSymbol(current) : void 0; } for (const symbol of chain ?? emptyArray) { if (symbol.parent && isExternalModuleSymbol(symbol.parent)) { const final = cb(moduleSymbolToValidIdentifier(symbol.parent, getEmitScriptTarget(compilerOptions), preferCapitalizedNames)); if (final) return final; } } } function createClassifier() { const scanner2 = createScanner( 99, /*skipTrivia*/ false ); function getClassificationsForLine(text, lexState, syntacticClassifierAbsent) { return convertClassificationsToResult(getEncodedLexicalClassifications(text, lexState, syntacticClassifierAbsent), text); } function getEncodedLexicalClassifications(text, lexState, syntacticClassifierAbsent) { let token = 0; let lastNonTriviaToken = 0; const templateStack = []; const { prefix, pushTemplate } = getPrefixFromLexState(lexState); text = prefix + text; const offset = prefix.length; if (pushTemplate) { templateStack.push( 16 /* TemplateHead */ ); } scanner2.setText(text); let endOfLineState = 0; const spans = []; let angleBracketStack = 0; do { token = scanner2.scan(); if (!isTrivia(token)) { handleToken(); lastNonTriviaToken = token; } const end = scanner2.getTokenEnd(); pushEncodedClassification(scanner2.getTokenStart(), end, offset, classFromKind(token), spans); if (end >= text.length) { const end2 = getNewEndOfLineState(scanner2, token, lastOrUndefined(templateStack)); if (end2 !== void 0) { endOfLineState = end2; } } } while (token !== 1); function handleToken() { switch (token) { case 44: case 69: if (!noRegexTable[lastNonTriviaToken] && scanner2.reScanSlashToken() === 14) { token = 14; } break; case 30: if (lastNonTriviaToken === 80) { angleBracketStack++; } break; case 32: if (angleBracketStack > 0) { angleBracketStack--; } break; case 133: case 154: case 150: case 136: case 155: if (angleBracketStack > 0 && !syntacticClassifierAbsent) { token = 80; } break; case 16: templateStack.push(token); break; case 19: if (templateStack.length > 0) { templateStack.push(token); } break; case 20: if (templateStack.length > 0) { const lastTemplateStackToken = lastOrUndefined(templateStack); if (lastTemplateStackToken === 16) { token = scanner2.reScanTemplateToken( /*isTaggedTemplate*/ false ); if (token === 18) { templateStack.pop(); } else { Debug.assertEqual(token, 17, "Should have been a template middle."); } } else { Debug.assertEqual(lastTemplateStackToken, 19, "Should have been an open brace"); templateStack.pop(); } } break; default: if (!isKeyword2(token)) { break; } if (lastNonTriviaToken === 25) { token = 80; } else if (isKeyword2(lastNonTriviaToken) && isKeyword2(token) && !canFollow(lastNonTriviaToken, token)) { token = 80; } } } return { endOfLineState, spans }; } return { getClassificationsForLine, getEncodedLexicalClassifications }; } var noRegexTable = arrayToNumericMap( [ 80, 11, 9, 10, 14, 110, 46, 47, 22, 24, 20, 112, 97 /* FalseKeyword */ ], (token) => token, () => true ); function getNewEndOfLineState(scanner2, token, lastOnTemplateStack) { switch (token) { case 11: { if (!scanner2.isUnterminated()) return void 0; const tokenText = scanner2.getTokenText(); const lastCharIndex = tokenText.length - 1; let numBackslashes = 0; while (tokenText.charCodeAt(lastCharIndex - numBackslashes) === 92) { numBackslashes++; } if ((numBackslashes & 1) === 0) return void 0; return tokenText.charCodeAt(0) === 34 ? 3 : 2; } case 3: return scanner2.isUnterminated() ? 1 : void 0; default: if (isTemplateLiteralKind(token)) { if (!scanner2.isUnterminated()) { return void 0; } switch (token) { case 18: return 5; case 15: return 4; default: return Debug.fail("Only 'NoSubstitutionTemplateLiteral's and 'TemplateTail's can be unterminated; got SyntaxKind #" + token); } } return lastOnTemplateStack === 16 ? 6 : void 0; } } function pushEncodedClassification(start, end, offset, classification, result) { if (classification === 8) { return; } if (start === 0 && offset > 0) { start += offset; } const length2 = end - start; if (length2 > 0) { result.push(start - offset, length2, classification); } } function convertClassificationsToResult(classifications, text) { const entries = []; const dense = classifications.spans; let lastEnd = 0; for (let i = 0; i < dense.length; i += 3) { const start = dense[i]; const length2 = dense[i + 1]; const type = dense[i + 2]; if (lastEnd >= 0) { const whitespaceLength2 = start - lastEnd; if (whitespaceLength2 > 0) { entries.push({ length: whitespaceLength2, classification: 4 /* Whitespace */ }); } } entries.push({ length: length2, classification: convertClassification(type) }); lastEnd = start + length2; } const whitespaceLength = text.length - lastEnd; if (whitespaceLength > 0) { entries.push({ length: whitespaceLength, classification: 4 /* Whitespace */ }); } return { entries, finalLexState: classifications.endOfLineState }; } function convertClassification(type) { switch (type) { case 1: return 3; case 3: return 1; case 4: return 6; case 25: return 7; case 5: return 2; case 6: return 8; case 8: return 4; case 10: return 0; case 2: case 11: case 12: case 13: case 14: case 15: case 16: case 9: case 17: return 5; default: return void 0; } } function canFollow(keyword1, keyword2) { if (!isAccessibilityModifier(keyword1)) { return true; } switch (keyword2) { case 139: case 153: case 137: case 126: case 129: return true; default: return false; } } function getPrefixFromLexState(lexState) { switch (lexState) { case 3: return { prefix: '"\\\n' }; case 2: return { prefix: "'\\\n" }; case 1: return { prefix: "/*\n" }; case 4: return { prefix: "`\n" }; case 5: return { prefix: "}\n", pushTemplate: true }; case 6: return { prefix: "", pushTemplate: true }; case 0: return { prefix: "" }; default: return Debug.assertNever(lexState); } } function isBinaryExpressionOperatorToken(token) { switch (token) { case 42: case 44: case 45: case 40: case 41: case 48: case 49: case 50: case 30: case 32: case 33: case 34: case 104: case 103: case 130: case 152: case 35: case 36: case 37: case 38: case 51: case 53: case 52: case 56: case 57: case 75: case 74: case 79: case 71: case 72: case 73: case 65: case 66: case 67: case 69: case 70: case 64: case 28: case 61: case 76: case 77: case 78: return true; default: return false; } } function isPrefixUnaryExpressionOperatorToken(token) { switch (token) { case 40: case 41: case 55: case 54: case 46: case 47: return true; default: return false; } } function classFromKind(token) { if (isKeyword2(token)) { return 3; } else if (isBinaryExpressionOperatorToken(token) || isPrefixUnaryExpressionOperatorToken(token)) { return 5; } else if (token >= 19 && token <= 79) { return 10; } switch (token) { case 9: return 4; case 10: return 25; case 11: return 6; case 14: return 7; case 7: case 3: case 2: return 1; case 5: case 4: return 8; case 80: default: if (isTemplateLiteralKind(token)) { return 6; } return 2; } } function getSemanticClassifications(typeChecker, cancellationToken, sourceFile, classifiableNames, span) { return convertClassificationsToSpans(getEncodedSemanticClassifications(typeChecker, cancellationToken, sourceFile, classifiableNames, span)); } function checkForClassificationCancellation(cancellationToken, kind) { switch (kind) { case 267: case 263: case 264: case 262: case 231: case 218: case 219: cancellationToken.throwIfCancellationRequested(); } } function getEncodedSemanticClassifications(typeChecker, cancellationToken, sourceFile, classifiableNames, span) { const spans = []; sourceFile.forEachChild(function cb(node) { if (!node || !textSpanIntersectsWith(span, node.pos, node.getFullWidth())) { return; } checkForClassificationCancellation(cancellationToken, node.kind); if (isIdentifier(node) && !nodeIsMissing(node) && classifiableNames.has(node.escapedText)) { const symbol = typeChecker.getSymbolAtLocation(node); const type = symbol && classifySymbol(symbol, getMeaningFromLocation(node), typeChecker); if (type) { pushClassification(node.getStart(sourceFile), node.getEnd(), type); } } node.forEachChild(cb); }); return { spans, endOfLineState: 0 /* None */ }; function pushClassification(start, end, type) { const length2 = end - start; Debug.assert(length2 > 0, `Classification had non-positive length of ${length2}`); spans.push(start); spans.push(length2); spans.push(type); } } function classifySymbol(symbol, meaningAtPosition, checker) { const flags = symbol.getFlags(); if ((flags & 2885600) === 0) { return void 0; } else if (flags & 32) { return 11; } else if (flags & 384) { return 12; } else if (flags & 524288) { return 16; } else if (flags & 1536) { return meaningAtPosition & 4 || meaningAtPosition & 1 && hasValueSideModule(symbol) ? 14 : void 0; } else if (flags & 2097152) { return classifySymbol(checker.getAliasedSymbol(symbol), meaningAtPosition, checker); } else if (meaningAtPosition & 2) { return flags & 64 ? 13 : flags & 262144 ? 15 : void 0; } else { return void 0; } } function hasValueSideModule(symbol) { return some( symbol.declarations, (declaration) => isModuleDeclaration(declaration) && getModuleInstanceState(declaration) === 1 /* Instantiated */ ); } function getClassificationTypeName(type) { switch (type) { case 1: return "comment"; case 2: return "identifier"; case 3: return "keyword"; case 4: return "number"; case 25: return "bigint"; case 5: return "operator"; case 6: return "string"; case 8: return "whitespace"; case 9: return "text"; case 10: return "punctuation"; case 11: return "class name"; case 12: return "enum name"; case 13: return "interface name"; case 14: return "module name"; case 15: return "type parameter name"; case 16: return "type alias name"; case 17: return "parameter name"; case 18: return "doc comment tag name"; case 19: return "jsx open tag name"; case 20: return "jsx close tag name"; case 21: return "jsx self closing tag name"; case 22: return "jsx attribute"; case 23: return "jsx text"; case 24: return "jsx attribute string literal value"; default: return void 0; } } function convertClassificationsToSpans(classifications) { Debug.assert(classifications.spans.length % 3 === 0); const dense = classifications.spans; const result = []; for (let i = 0; i < dense.length; i += 3) { result.push({ textSpan: createTextSpan(dense[i], dense[i + 1]), classificationType: getClassificationTypeName(dense[i + 2]) }); } return result; } function getSyntacticClassifications(cancellationToken, sourceFile, span) { return convertClassificationsToSpans(getEncodedSyntacticClassifications(cancellationToken, sourceFile, span)); } function getEncodedSyntacticClassifications(cancellationToken, sourceFile, span) { const spanStart = span.start; const spanLength = span.length; const triviaScanner = createScanner( 99, /*skipTrivia*/ false, sourceFile.languageVariant, sourceFile.text ); const mergeConflictScanner = createScanner( 99, /*skipTrivia*/ false, sourceFile.languageVariant, sourceFile.text ); const result = []; processElement(sourceFile); return { spans: result, endOfLineState: 0 /* None */ }; function pushClassification(start, length2, type) { result.push(start); result.push(length2); result.push(type); } function classifyLeadingTriviaAndGetTokenStart(token) { triviaScanner.resetTokenState(token.pos); while (true) { const start = triviaScanner.getTokenEnd(); if (!couldStartTrivia(sourceFile.text, start)) { return start; } const kind = triviaScanner.scan(); const end = triviaScanner.getTokenEnd(); const width = end - start; if (!isTrivia(kind)) { return start; } switch (kind) { case 4: case 5: continue; case 2: case 3: classifyComment(token, kind, start, width); triviaScanner.resetTokenState(end); continue; case 7: const text = sourceFile.text; const ch = text.charCodeAt(start); if (ch === 60 || ch === 62) { pushClassification( start, width, 1 /* comment */ ); continue; } Debug.assert( ch === 124 || ch === 61 /* equals */ ); classifyDisabledMergeCode(text, start, end); break; case 6: break; default: Debug.assertNever(kind); } } } function classifyComment(token, kind, start, width) { if (kind === 3) { const docCommentAndDiagnostics = parseIsolatedJSDocComment(sourceFile.text, start, width); if (docCommentAndDiagnostics && docCommentAndDiagnostics.jsDoc) { setParent(docCommentAndDiagnostics.jsDoc, token); classifyJSDocComment(docCommentAndDiagnostics.jsDoc); return; } } else if (kind === 2) { if (tryClassifyTripleSlashComment(start, width)) { return; } } pushCommentRange(start, width); } function pushCommentRange(start, width) { pushClassification( start, width, 1 /* comment */ ); } function classifyJSDocComment(docComment) { var _a, _b, _c, _d, _e, _f, _g, _h; let pos = docComment.pos; if (docComment.tags) { for (const tag of docComment.tags) { if (tag.pos !== pos) { pushCommentRange(pos, tag.pos - pos); } pushClassification( tag.pos, 1, 10 /* punctuation */ ); pushClassification( tag.tagName.pos, tag.tagName.end - tag.tagName.pos, 18 /* docCommentTagName */ ); pos = tag.tagName.end; let commentStart = tag.tagName.end; switch (tag.kind) { case 341: const param = tag; processJSDocParameterTag(param); commentStart = param.isNameFirst && ((_a = param.typeExpression) == null ? void 0 : _a.end) || param.name.end; break; case 348: const prop = tag; commentStart = prop.isNameFirst && ((_b = prop.typeExpression) == null ? void 0 : _b.end) || prop.name.end; break; case 345: processJSDocTemplateTag(tag); pos = tag.end; commentStart = tag.typeParameters.end; break; case 346: const type = tag; commentStart = ((_c = type.typeExpression) == null ? void 0 : _c.kind) === 309 && ((_d = type.fullName) == null ? void 0 : _d.end) || ((_e = type.typeExpression) == null ? void 0 : _e.end) || commentStart; break; case 338: commentStart = tag.typeExpression.end; break; case 344: processElement(tag.typeExpression); pos = tag.end; commentStart = tag.typeExpression.end; break; case 343: case 340: commentStart = tag.typeExpression.end; break; case 342: processElement(tag.typeExpression); pos = tag.end; commentStart = ((_f = tag.typeExpression) == null ? void 0 : _f.end) || commentStart; break; case 347: commentStart = ((_g = tag.name) == null ? void 0 : _g.end) || commentStart; break; case 328: case 329: commentStart = tag.class.end; break; case 349: processElement(tag.typeExpression); pos = tag.end; commentStart = ((_h = tag.typeExpression) == null ? void 0 : _h.end) || commentStart; break; } if (typeof tag.comment === "object") { pushCommentRange(tag.comment.pos, tag.comment.end - tag.comment.pos); } else if (typeof tag.comment === "string") { pushCommentRange(commentStart, tag.end - commentStart); } } } if (pos !== docComment.end) { pushCommentRange(pos, docComment.end - pos); } return; function processJSDocParameterTag(tag) { if (tag.isNameFirst) { pushCommentRange(pos, tag.name.pos - pos); pushClassification( tag.name.pos, tag.name.end - tag.name.pos, 17 /* parameterName */ ); pos = tag.name.end; } if (tag.typeExpression) { pushCommentRange(pos, tag.typeExpression.pos - pos); processElement(tag.typeExpression); pos = tag.typeExpression.end; } if (!tag.isNameFirst) { pushCommentRange(pos, tag.name.pos - pos); pushClassification( tag.name.pos, tag.name.end - tag.name.pos, 17 /* parameterName */ ); pos = tag.name.end; } } } function tryClassifyTripleSlashComment(start, width) { const tripleSlashXMLCommentRegEx = /^(\/\/\/\s*)(<)(?:(\S+)((?:[^/]|\/[^>])*)(\/>)?)?/im; const attributeRegex = /(\s)(\S+)(\s*)(=)(\s*)('[^']+'|"[^"]+")/img; const text = sourceFile.text.substr(start, width); const match = tripleSlashXMLCommentRegEx.exec(text); if (!match) { return false; } if (!match[3] || !(match[3] in commentPragmas)) { return false; } let pos = start; pushCommentRange(pos, match[1].length); pos += match[1].length; pushClassification( pos, match[2].length, 10 /* punctuation */ ); pos += match[2].length; pushClassification( pos, match[3].length, 21 /* jsxSelfClosingTagName */ ); pos += match[3].length; const attrText = match[4]; let attrPos = pos; while (true) { const attrMatch = attributeRegex.exec(attrText); if (!attrMatch) { break; } const newAttrPos = pos + attrMatch.index + attrMatch[1].length; if (newAttrPos > attrPos) { pushCommentRange(attrPos, newAttrPos - attrPos); attrPos = newAttrPos; } pushClassification( attrPos, attrMatch[2].length, 22 /* jsxAttribute */ ); attrPos += attrMatch[2].length; if (attrMatch[3].length) { pushCommentRange(attrPos, attrMatch[3].length); attrPos += attrMatch[3].length; } pushClassification( attrPos, attrMatch[4].length, 5 /* operator */ ); attrPos += attrMatch[4].length; if (attrMatch[5].length) { pushCommentRange(attrPos, attrMatch[5].length); attrPos += attrMatch[5].length; } pushClassification( attrPos, attrMatch[6].length, 24 /* jsxAttributeStringLiteralValue */ ); attrPos += attrMatch[6].length; } pos += match[4].length; if (pos > attrPos) { pushCommentRange(attrPos, pos - attrPos); } if (match[5]) { pushClassification( pos, match[5].length, 10 /* punctuation */ ); pos += match[5].length; } const end = start + width; if (pos < end) { pushCommentRange(pos, end - pos); } return true; } function processJSDocTemplateTag(tag) { for (const child of tag.getChildren()) { processElement(child); } } function classifyDisabledMergeCode(text, start, end) { let i; for (i = start; i < end; i++) { if (isLineBreak(text.charCodeAt(i))) { break; } } pushClassification( start, i - start, 1 /* comment */ ); mergeConflictScanner.resetTokenState(i); while (mergeConflictScanner.getTokenEnd() < end) { classifyDisabledCodeToken(); } } function classifyDisabledCodeToken() { const start = mergeConflictScanner.getTokenEnd(); const tokenKind = mergeConflictScanner.scan(); const end = mergeConflictScanner.getTokenEnd(); const type = classifyTokenType(tokenKind); if (type) { pushClassification(start, end - start, type); } } function tryClassifyNode(node) { if (isJSDoc(node)) { return true; } if (nodeIsMissing(node)) { return true; } const classifiedElementName = tryClassifyJsxElementName(node); if (!isToken(node) && node.kind !== 12 && classifiedElementName === void 0) { return false; } const tokenStart = node.kind === 12 ? node.pos : classifyLeadingTriviaAndGetTokenStart(node); const tokenWidth = node.end - tokenStart; Debug.assert(tokenWidth >= 0); if (tokenWidth > 0) { const type = classifiedElementName || classifyTokenType(node.kind, node); if (type) { pushClassification(tokenStart, tokenWidth, type); } } return true; } function tryClassifyJsxElementName(token) { switch (token.parent && token.parent.kind) { case 286: if (token.parent.tagName === token) { return 19; } break; case 287: if (token.parent.tagName === token) { return 20; } break; case 285: if (token.parent.tagName === token) { return 21; } break; case 291: if (token.parent.name === token) { return 22; } break; } return void 0; } function classifyTokenType(tokenKind, token) { if (isKeyword2(tokenKind)) { return 3; } if (tokenKind === 30 || tokenKind === 32) { if (token && getTypeArgumentOrTypeParameterList(token.parent)) { return 10; } } if (isPunctuation(tokenKind)) { if (token) { const parent2 = token.parent; if (tokenKind === 64) { if (parent2.kind === 260 || parent2.kind === 172 || parent2.kind === 169 || parent2.kind === 291) { return 5; } } if (parent2.kind === 226 || parent2.kind === 224 || parent2.kind === 225 || parent2.kind === 227) { return 5; } } return 10; } else if (tokenKind === 9) { return 4; } else if (tokenKind === 10) { return 25; } else if (tokenKind === 11) { return token && token.parent.kind === 291 ? 24 : 6; } else if (tokenKind === 14) { return 6; } else if (isTemplateLiteralKind(tokenKind)) { return 6; } else if (tokenKind === 12) { return 23; } else if (tokenKind === 80) { if (token) { switch (token.parent.kind) { case 263: if (token.parent.name === token) { return 11; } return; case 168: if (token.parent.name === token) { return 15; } return; case 264: if (token.parent.name === token) { return 13; } return; case 266: if (token.parent.name === token) { return 12; } return; case 267: if (token.parent.name === token) { return 14; } return; case 169: if (token.parent.name === token) { return isThisIdentifier(token) ? 3 : 17; } return; } if (isConstTypeReference(token.parent)) { return 3; } } return 2; } } function processElement(element) { if (!element) { return; } if (decodedTextSpanIntersectsWith(spanStart, spanLength, element.pos, element.getFullWidth())) { checkForClassificationCancellation(cancellationToken, element.kind); for (const child of element.getChildren(sourceFile)) { if (!tryClassifyNode(child)) { processElement(child); } } } } } var DocumentHighlights; ((DocumentHighlights3) => { function getDocumentHighlights(program, cancellationToken, sourceFile, position, sourceFilesToSearch) { const node = getTouchingPropertyName(sourceFile, position); if (node.parent && (isJsxOpeningElement(node.parent) && node.parent.tagName === node || isJsxClosingElement(node.parent))) { const { openingElement, closingElement } = node.parent.parent; const highlightSpans = [openingElement, closingElement].map(({ tagName }) => getHighlightSpanForNode(tagName, sourceFile)); return [{ fileName: sourceFile.fileName, highlightSpans }]; } return getSemanticDocumentHighlights(position, node, program, cancellationToken, sourceFilesToSearch) || getSyntacticDocumentHighlights(node, sourceFile); } DocumentHighlights3.getDocumentHighlights = getDocumentHighlights; function getHighlightSpanForNode(node, sourceFile) { return { fileName: sourceFile.fileName, textSpan: createTextSpanFromNode(node, sourceFile), kind: "none" /* none */ }; } function getSemanticDocumentHighlights(position, node, program, cancellationToken, sourceFilesToSearch) { const sourceFilesSet = new Set(sourceFilesToSearch.map((f) => f.fileName)); const referenceEntries = ts_FindAllReferences_exports.getReferenceEntriesForNode( position, node, program, sourceFilesToSearch, cancellationToken, /*options*/ void 0, sourceFilesSet ); if (!referenceEntries) return void 0; const map2 = arrayToMultiMap(referenceEntries.map(ts_FindAllReferences_exports.toHighlightSpan), (e) => e.fileName, (e) => e.span); const getCanonicalFileName = createGetCanonicalFileName(program.useCaseSensitiveFileNames()); return arrayFrom(mapDefinedIterator(map2.entries(), ([fileName, highlightSpans]) => { if (!sourceFilesSet.has(fileName)) { if (!program.redirectTargetsMap.has(toPath3(fileName, program.getCurrentDirectory(), getCanonicalFileName))) { return void 0; } const redirectTarget = program.getSourceFile(fileName); const redirect = find(sourceFilesToSearch, (f) => !!f.redirectInfo && f.redirectInfo.redirectTarget === redirectTarget); fileName = redirect.fileName; Debug.assert(sourceFilesSet.has(fileName)); } return { fileName, highlightSpans }; })); } function getSyntacticDocumentHighlights(node, sourceFile) { const highlightSpans = getHighlightSpans(node, sourceFile); return highlightSpans && [{ fileName: sourceFile.fileName, highlightSpans }]; } function getHighlightSpans(node, sourceFile) { switch (node.kind) { case 101: case 93: return isIfStatement(node.parent) ? getIfElseOccurrences(node.parent, sourceFile) : void 0; case 107: return useParent(node.parent, isReturnStatement, getReturnOccurrences); case 111: return useParent(node.parent, isThrowStatement, getThrowOccurrences); case 113: case 85: case 98: const tryStatement = node.kind === 85 ? node.parent.parent : node.parent; return useParent(tryStatement, isTryStatement, getTryCatchFinallyOccurrences); case 109: return useParent(node.parent, isSwitchStatement, getSwitchCaseDefaultOccurrences); case 84: case 90: { if (isDefaultClause(node.parent) || isCaseClause(node.parent)) { return useParent(node.parent.parent.parent, isSwitchStatement, getSwitchCaseDefaultOccurrences); } return void 0; } case 83: case 88: return useParent(node.parent, isBreakOrContinueStatement, getBreakOrContinueStatementOccurrences); case 99: case 117: case 92: return useParent(node.parent, (n) => isIterationStatement( n, /*lookInLabeledStatements*/ true ), getLoopBreakContinueOccurrences); case 137: return getFromAllDeclarations(isConstructorDeclaration, [ 137 /* ConstructorKeyword */ ]); case 139: case 153: return getFromAllDeclarations(isAccessor, [ 139, 153 /* SetKeyword */ ]); case 135: return useParent(node.parent, isAwaitExpression, getAsyncAndAwaitOccurrences); case 134: return highlightSpans(getAsyncAndAwaitOccurrences(node)); case 127: return highlightSpans(getYieldOccurrences(node)); case 103: case 147: return void 0; default: return isModifierKind(node.kind) && (isDeclaration(node.parent) || isVariableStatement(node.parent)) ? highlightSpans(getModifierOccurrences(node.kind, node.parent)) : void 0; } function getFromAllDeclarations(nodeTest, keywords) { return useParent(node.parent, nodeTest, (decl) => { var _a; return mapDefined((_a = tryCast(decl, canHaveSymbol)) == null ? void 0 : _a.symbol.declarations, (d) => nodeTest(d) ? find(d.getChildren(sourceFile), (c) => contains(keywords, c.kind)) : void 0); }); } function useParent(node2, nodeTest, getNodes4) { return nodeTest(node2) ? highlightSpans(getNodes4(node2, sourceFile)) : void 0; } function highlightSpans(nodes) { return nodes && nodes.map((node2) => getHighlightSpanForNode(node2, sourceFile)); } } function aggregateOwnedThrowStatements(node) { if (isThrowStatement(node)) { return [node]; } else if (isTryStatement(node)) { return concatenate( node.catchClause ? aggregateOwnedThrowStatements(node.catchClause) : node.tryBlock && aggregateOwnedThrowStatements(node.tryBlock), node.finallyBlock && aggregateOwnedThrowStatements(node.finallyBlock) ); } return isFunctionLike(node) ? void 0 : flatMapChildren(node, aggregateOwnedThrowStatements); } function getThrowStatementOwner(throwStatement) { let child = throwStatement; while (child.parent) { const parent2 = child.parent; if (isFunctionBlock(parent2) || parent2.kind === 307) { return parent2; } if (isTryStatement(parent2) && parent2.tryBlock === child && parent2.catchClause) { return child; } child = parent2; } return void 0; } function aggregateAllBreakAndContinueStatements(node) { return isBreakOrContinueStatement(node) ? [node] : isFunctionLike(node) ? void 0 : flatMapChildren(node, aggregateAllBreakAndContinueStatements); } function flatMapChildren(node, cb) { const result = []; node.forEachChild((child) => { const value = cb(child); if (value !== void 0) { result.push(...toArray(value)); } }); return result; } function ownsBreakOrContinueStatement(owner, statement) { const actualOwner = getBreakOrContinueOwner(statement); return !!actualOwner && actualOwner === owner; } function getBreakOrContinueOwner(statement) { return findAncestor(statement, (node) => { switch (node.kind) { case 255: if (statement.kind === 251) { return false; } case 248: case 249: case 250: case 247: case 246: return !statement.label || isLabeledBy(node, statement.label.escapedText); default: return isFunctionLike(node) && "quit"; } }); } function getModifierOccurrences(modifier, declaration) { return mapDefined(getNodesToSearchForModifier(declaration, modifierToFlag(modifier)), (node) => findModifier(node, modifier)); } function getNodesToSearchForModifier(declaration, modifierFlag) { const container = declaration.parent; switch (container.kind) { case 268: case 307: case 241: case 296: case 297: if (modifierFlag & 64 && isClassDeclaration(declaration)) { return [...declaration.members, declaration]; } else { return container.statements; } case 176: case 174: case 262: return [...container.parameters, ...isClassLike(container.parent) ? container.parent.members : []]; case 263: case 231: case 264: case 187: const nodes = container.members; if (modifierFlag & (7 | 8)) { const constructor = find(container.members, isConstructorDeclaration); if (constructor) { return [...nodes, ...constructor.parameters]; } } else if (modifierFlag & 64) { return [...nodes, container]; } return nodes; case 210: return void 0; default: Debug.assertNever(container, "Invalid container kind."); } } function pushKeywordIf(keywordList, token, ...expected) { if (token && contains(expected, token.kind)) { keywordList.push(token); return true; } return false; } function getLoopBreakContinueOccurrences(loopNode) { const keywords = []; if (pushKeywordIf( keywords, loopNode.getFirstToken(), 99, 117, 92 /* DoKeyword */ )) { if (loopNode.kind === 246) { const loopTokens = loopNode.getChildren(); for (let i = loopTokens.length - 1; i >= 0; i--) { if (pushKeywordIf( keywords, loopTokens[i], 117 /* WhileKeyword */ )) { break; } } } } forEach(aggregateAllBreakAndContinueStatements(loopNode.statement), (statement) => { if (ownsBreakOrContinueStatement(loopNode, statement)) { pushKeywordIf( keywords, statement.getFirstToken(), 83, 88 /* ContinueKeyword */ ); } }); return keywords; } function getBreakOrContinueStatementOccurrences(breakOrContinueStatement) { const owner = getBreakOrContinueOwner(breakOrContinueStatement); if (owner) { switch (owner.kind) { case 248: case 249: case 250: case 246: case 247: return getLoopBreakContinueOccurrences(owner); case 255: return getSwitchCaseDefaultOccurrences(owner); } } return void 0; } function getSwitchCaseDefaultOccurrences(switchStatement) { const keywords = []; pushKeywordIf( keywords, switchStatement.getFirstToken(), 109 /* SwitchKeyword */ ); forEach(switchStatement.caseBlock.clauses, (clause) => { pushKeywordIf( keywords, clause.getFirstToken(), 84, 90 /* DefaultKeyword */ ); forEach(aggregateAllBreakAndContinueStatements(clause), (statement) => { if (ownsBreakOrContinueStatement(switchStatement, statement)) { pushKeywordIf( keywords, statement.getFirstToken(), 83 /* BreakKeyword */ ); } }); }); return keywords; } function getTryCatchFinallyOccurrences(tryStatement, sourceFile) { const keywords = []; pushKeywordIf( keywords, tryStatement.getFirstToken(), 113 /* TryKeyword */ ); if (tryStatement.catchClause) { pushKeywordIf( keywords, tryStatement.catchClause.getFirstToken(), 85 /* CatchKeyword */ ); } if (tryStatement.finallyBlock) { const finallyKeyword = findChildOfKind(tryStatement, 98, sourceFile); pushKeywordIf( keywords, finallyKeyword, 98 /* FinallyKeyword */ ); } return keywords; } function getThrowOccurrences(throwStatement, sourceFile) { const owner = getThrowStatementOwner(throwStatement); if (!owner) { return void 0; } const keywords = []; forEach(aggregateOwnedThrowStatements(owner), (throwStatement2) => { keywords.push(findChildOfKind(throwStatement2, 111, sourceFile)); }); if (isFunctionBlock(owner)) { forEachReturnStatement(owner, (returnStatement) => { keywords.push(findChildOfKind(returnStatement, 107, sourceFile)); }); } return keywords; } function getReturnOccurrences(returnStatement, sourceFile) { const func = getContainingFunction(returnStatement); if (!func) { return void 0; } const keywords = []; forEachReturnStatement(cast(func.body, isBlock), (returnStatement2) => { keywords.push(findChildOfKind(returnStatement2, 107, sourceFile)); }); forEach(aggregateOwnedThrowStatements(func.body), (throwStatement) => { keywords.push(findChildOfKind(throwStatement, 111, sourceFile)); }); return keywords; } function getAsyncAndAwaitOccurrences(node) { const func = getContainingFunction(node); if (!func) { return void 0; } const keywords = []; if (func.modifiers) { func.modifiers.forEach((modifier) => { pushKeywordIf( keywords, modifier, 134 /* AsyncKeyword */ ); }); } forEachChild(func, (child) => { traverseWithoutCrossingFunction(child, (node2) => { if (isAwaitExpression(node2)) { pushKeywordIf( keywords, node2.getFirstToken(), 135 /* AwaitKeyword */ ); } }); }); return keywords; } function getYieldOccurrences(node) { const func = getContainingFunction(node); if (!func) { return void 0; } const keywords = []; forEachChild(func, (child) => { traverseWithoutCrossingFunction(child, (node2) => { if (isYieldExpression(node2)) { pushKeywordIf( keywords, node2.getFirstToken(), 127 /* YieldKeyword */ ); } }); }); return keywords; } function traverseWithoutCrossingFunction(node, cb) { cb(node); if (!isFunctionLike(node) && !isClassLike(node) && !isInterfaceDeclaration(node) && !isModuleDeclaration(node) && !isTypeAliasDeclaration(node) && !isTypeNode(node)) { forEachChild(node, (child) => traverseWithoutCrossingFunction(child, cb)); } } function getIfElseOccurrences(ifStatement, sourceFile) { const keywords = getIfElseKeywords(ifStatement, sourceFile); const result = []; for (let i = 0; i < keywords.length; i++) { if (keywords[i].kind === 93 && i < keywords.length - 1) { const elseKeyword = keywords[i]; const ifKeyword = keywords[i + 1]; let shouldCombineElseAndIf = true; for (let j = ifKeyword.getStart(sourceFile) - 1; j >= elseKeyword.end; j--) { if (!isWhiteSpaceSingleLine(sourceFile.text.charCodeAt(j))) { shouldCombineElseAndIf = false; break; } } if (shouldCombineElseAndIf) { result.push({ fileName: sourceFile.fileName, textSpan: createTextSpanFromBounds(elseKeyword.getStart(), ifKeyword.end), kind: "reference" /* reference */ }); i++; continue; } } result.push(getHighlightSpanForNode(keywords[i], sourceFile)); } return result; } function getIfElseKeywords(ifStatement, sourceFile) { const keywords = []; while (isIfStatement(ifStatement.parent) && ifStatement.parent.elseStatement === ifStatement) { ifStatement = ifStatement.parent; } while (true) { const children = ifStatement.getChildren(sourceFile); pushKeywordIf( keywords, children[0], 101 /* IfKeyword */ ); for (let i = children.length - 1; i >= 0; i--) { if (pushKeywordIf( keywords, children[i], 93 /* ElseKeyword */ )) { break; } } if (!ifStatement.elseStatement || !isIfStatement(ifStatement.elseStatement)) { break; } ifStatement = ifStatement.elseStatement; } return keywords; } function isLabeledBy(node, labelName) { return !!findAncestor(node.parent, (owner) => !isLabeledStatement(owner) ? "quit" : owner.label.escapedText === labelName); } })(DocumentHighlights || (DocumentHighlights = {})); function isDocumentRegistryEntry(entry) { return !!entry.sourceFile; } function createDocumentRegistry(useCaseSensitiveFileNames2, currentDirectory, jsDocParsingMode) { return createDocumentRegistryInternal(useCaseSensitiveFileNames2, currentDirectory, jsDocParsingMode); } function createDocumentRegistryInternal(useCaseSensitiveFileNames2, currentDirectory = "", jsDocParsingMode, externalCache) { const buckets = /* @__PURE__ */ new Map(); const getCanonicalFileName = createGetCanonicalFileName(!!useCaseSensitiveFileNames2); function reportStats() { const bucketInfoArray = arrayFrom(buckets.keys()).filter((name) => name && name.charAt(0) === "_").map((name) => { const entries = buckets.get(name); const sourceFiles = []; entries.forEach((entry, name2) => { if (isDocumentRegistryEntry(entry)) { sourceFiles.push({ name: name2, scriptKind: entry.sourceFile.scriptKind, refCount: entry.languageServiceRefCount }); } else { entry.forEach((value, scriptKind) => sourceFiles.push({ name: name2, scriptKind, refCount: value.languageServiceRefCount })); } }); sourceFiles.sort((x, y) => y.refCount - x.refCount); return { bucket: name, sourceFiles }; }); return JSON.stringify(bucketInfoArray, void 0, 2); } function getCompilationSettings(settingsOrHost) { if (typeof settingsOrHost.getCompilationSettings === "function") { return settingsOrHost.getCompilationSettings(); } return settingsOrHost; } function acquireDocument(fileName, compilationSettings, scriptSnapshot, version2, scriptKind, languageVersionOrOptions) { const path17 = toPath3(fileName, currentDirectory, getCanonicalFileName); const key = getKeyForCompilationSettings(getCompilationSettings(compilationSettings)); return acquireDocumentWithKey(fileName, path17, compilationSettings, key, scriptSnapshot, version2, scriptKind, languageVersionOrOptions); } function acquireDocumentWithKey(fileName, path17, compilationSettings, key, scriptSnapshot, version2, scriptKind, languageVersionOrOptions) { return acquireOrUpdateDocument( fileName, path17, compilationSettings, key, scriptSnapshot, version2, /*acquiring*/ true, scriptKind, languageVersionOrOptions ); } function updateDocument(fileName, compilationSettings, scriptSnapshot, version2, scriptKind, languageVersionOrOptions) { const path17 = toPath3(fileName, currentDirectory, getCanonicalFileName); const key = getKeyForCompilationSettings(getCompilationSettings(compilationSettings)); return updateDocumentWithKey(fileName, path17, compilationSettings, key, scriptSnapshot, version2, scriptKind, languageVersionOrOptions); } function updateDocumentWithKey(fileName, path17, compilationSettings, key, scriptSnapshot, version2, scriptKind, languageVersionOrOptions) { return acquireOrUpdateDocument( fileName, path17, getCompilationSettings(compilationSettings), key, scriptSnapshot, version2, /*acquiring*/ false, scriptKind, languageVersionOrOptions ); } function getDocumentRegistryEntry(bucketEntry, scriptKind) { const entry = isDocumentRegistryEntry(bucketEntry) ? bucketEntry : bucketEntry.get(Debug.checkDefined(scriptKind, "If there are more than one scriptKind's for same document the scriptKind should be provided")); Debug.assert(scriptKind === void 0 || !entry || entry.sourceFile.scriptKind === scriptKind, `Script kind should match provided ScriptKind:${scriptKind} and sourceFile.scriptKind: ${entry == null ? void 0 : entry.sourceFile.scriptKind}, !entry: ${!entry}`); return entry; } function acquireOrUpdateDocument(fileName, path17, compilationSettingsOrHost, key, scriptSnapshot, version2, acquiring, scriptKind, languageVersionOrOptions) { var _a, _b, _c, _d; scriptKind = ensureScriptKind(fileName, scriptKind); const compilationSettings = getCompilationSettings(compilationSettingsOrHost); const host = compilationSettingsOrHost === compilationSettings ? void 0 : compilationSettingsOrHost; const scriptTarget = scriptKind === 6 ? 100 : getEmitScriptTarget(compilationSettings); const sourceFileOptions = typeof languageVersionOrOptions === "object" ? languageVersionOrOptions : { languageVersion: scriptTarget, impliedNodeFormat: host && getImpliedNodeFormatForFile(path17, (_d = (_c = (_b = (_a = host.getCompilerHost) == null ? void 0 : _a.call(host)) == null ? void 0 : _b.getModuleResolutionCache) == null ? void 0 : _c.call(_b)) == null ? void 0 : _d.getPackageJsonInfoCache(), host, compilationSettings), setExternalModuleIndicator: getSetExternalModuleIndicator(compilationSettings), jsDocParsingMode }; sourceFileOptions.languageVersion = scriptTarget; Debug.assertEqual(jsDocParsingMode, sourceFileOptions.jsDocParsingMode); const oldBucketCount = buckets.size; const keyWithMode = getDocumentRegistryBucketKeyWithMode(key, sourceFileOptions.impliedNodeFormat); const bucket = getOrUpdate(buckets, keyWithMode, () => /* @__PURE__ */ new Map()); if (tracing) { if (buckets.size > oldBucketCount) { tracing.instant(tracing.Phase.Session, "createdDocumentRegistryBucket", { configFilePath: compilationSettings.configFilePath, key: keyWithMode }); } const otherBucketKey = !isDeclarationFileName(path17) && forEachEntry(buckets, (bucket2, bucketKey) => bucketKey !== keyWithMode && bucket2.has(path17) && bucketKey); if (otherBucketKey) { tracing.instant(tracing.Phase.Session, "documentRegistryBucketOverlap", { path: path17, key1: otherBucketKey, key2: keyWithMode }); } } const bucketEntry = bucket.get(path17); let entry = bucketEntry && getDocumentRegistryEntry(bucketEntry, scriptKind); if (!entry && externalCache) { const sourceFile = externalCache.getDocument(keyWithMode, path17); if (sourceFile && sourceFile.scriptKind === scriptKind && sourceFile.text === getSnapshotText(scriptSnapshot)) { Debug.assert(acquiring); entry = { sourceFile, languageServiceRefCount: 0 }; setBucketEntry(); } } if (!entry) { const sourceFile = createLanguageServiceSourceFile( fileName, scriptSnapshot, sourceFileOptions, version2, /*setNodeParents*/ false, scriptKind ); if (externalCache) { externalCache.setDocument(keyWithMode, path17, sourceFile); } entry = { sourceFile, languageServiceRefCount: 1 }; setBucketEntry(); } else { if (entry.sourceFile.version !== version2) { entry.sourceFile = updateLanguageServiceSourceFile(entry.sourceFile, scriptSnapshot, version2, scriptSnapshot.getChangeRange(entry.sourceFile.scriptSnapshot)); if (externalCache) { externalCache.setDocument(keyWithMode, path17, entry.sourceFile); } } if (acquiring) { entry.languageServiceRefCount++; } } Debug.assert(entry.languageServiceRefCount !== 0); return entry.sourceFile; function setBucketEntry() { if (!bucketEntry) { bucket.set(path17, entry); } else if (isDocumentRegistryEntry(bucketEntry)) { const scriptKindMap = /* @__PURE__ */ new Map(); scriptKindMap.set(bucketEntry.sourceFile.scriptKind, bucketEntry); scriptKindMap.set(scriptKind, entry); bucket.set(path17, scriptKindMap); } else { bucketEntry.set(scriptKind, entry); } } } function releaseDocument(fileName, compilationSettings, scriptKind, impliedNodeFormat) { const path17 = toPath3(fileName, currentDirectory, getCanonicalFileName); const key = getKeyForCompilationSettings(compilationSettings); return releaseDocumentWithKey(path17, key, scriptKind, impliedNodeFormat); } function releaseDocumentWithKey(path17, key, scriptKind, impliedNodeFormat) { const bucket = Debug.checkDefined(buckets.get(getDocumentRegistryBucketKeyWithMode(key, impliedNodeFormat))); const bucketEntry = bucket.get(path17); const entry = getDocumentRegistryEntry(bucketEntry, scriptKind); entry.languageServiceRefCount--; Debug.assert(entry.languageServiceRefCount >= 0); if (entry.languageServiceRefCount === 0) { if (isDocumentRegistryEntry(bucketEntry)) { bucket.delete(path17); } else { bucketEntry.delete(scriptKind); if (bucketEntry.size === 1) { bucket.set(path17, firstDefinedIterator(bucketEntry.values(), identity2)); } } } } return { acquireDocument, acquireDocumentWithKey, updateDocument, updateDocumentWithKey, releaseDocument, releaseDocumentWithKey, getKeyForCompilationSettings, getDocumentRegistryBucketKeyWithMode, reportStats, getBuckets: () => buckets }; } function getKeyForCompilationSettings(settings) { return getKeyForCompilerOptions(settings, sourceFileAffectingCompilerOptions); } function getDocumentRegistryBucketKeyWithMode(key, mode) { return mode ? `${key}|${mode}` : key; } function getEditsForFileRename(program, oldFileOrDirPath, newFileOrDirPath, host, formatContext, preferences, sourceMapper) { const useCaseSensitiveFileNames2 = hostUsesCaseSensitiveFileNames(host); const getCanonicalFileName = createGetCanonicalFileName(useCaseSensitiveFileNames2); const oldToNew = getPathUpdater(oldFileOrDirPath, newFileOrDirPath, getCanonicalFileName, sourceMapper); const newToOld = getPathUpdater(newFileOrDirPath, oldFileOrDirPath, getCanonicalFileName, sourceMapper); return ts_textChanges_exports.ChangeTracker.with({ host, formatContext, preferences }, (changeTracker) => { updateTsconfigFiles(program, changeTracker, oldToNew, oldFileOrDirPath, newFileOrDirPath, host.getCurrentDirectory(), useCaseSensitiveFileNames2); updateImports(program, changeTracker, oldToNew, newToOld, host, getCanonicalFileName); }); } function getPathUpdater(oldFileOrDirPath, newFileOrDirPath, getCanonicalFileName, sourceMapper) { const canonicalOldPath = getCanonicalFileName(oldFileOrDirPath); return (path17) => { const originalPath = sourceMapper && sourceMapper.tryGetSourcePosition({ fileName: path17, pos: 0 }); const updatedPath = getUpdatedPath(originalPath ? originalPath.fileName : path17); return originalPath ? updatedPath === void 0 ? void 0 : makeCorrespondingRelativeChange(originalPath.fileName, updatedPath, path17, getCanonicalFileName) : updatedPath; }; function getUpdatedPath(pathToUpdate) { if (getCanonicalFileName(pathToUpdate) === canonicalOldPath) return newFileOrDirPath; const suffix = tryRemoveDirectoryPrefix(pathToUpdate, canonicalOldPath, getCanonicalFileName); return suffix === void 0 ? void 0 : newFileOrDirPath + "/" + suffix; } } function makeCorrespondingRelativeChange(a0, b0, a1, getCanonicalFileName) { const rel = getRelativePathFromFile(a0, b0, getCanonicalFileName); return combinePathsSafe(getDirectoryPath(a1), rel); } function updateTsconfigFiles(program, changeTracker, oldToNew, oldFileOrDirPath, newFileOrDirPath, currentDirectory, useCaseSensitiveFileNames2) { const { configFile } = program.getCompilerOptions(); if (!configFile) return; const configDir = getDirectoryPath(configFile.fileName); const jsonObjectLiteral = getTsConfigObjectLiteralExpression(configFile); if (!jsonObjectLiteral) return; forEachProperty(jsonObjectLiteral, (property, propertyName) => { switch (propertyName) { case "files": case "include": case "exclude": { const foundExactMatch = updatePaths(property); if (foundExactMatch || propertyName !== "include" || !isArrayLiteralExpression(property.initializer)) return; const includes = mapDefined(property.initializer.elements, (e) => isStringLiteral2(e) ? e.text : void 0); if (includes.length === 0) return; const matchers = getFileMatcherPatterns( configDir, /*excludes*/ [], includes, useCaseSensitiveFileNames2, currentDirectory ); if (getRegexFromPattern(Debug.checkDefined(matchers.includeFilePattern), useCaseSensitiveFileNames2).test(oldFileOrDirPath) && !getRegexFromPattern(Debug.checkDefined(matchers.includeFilePattern), useCaseSensitiveFileNames2).test(newFileOrDirPath)) { changeTracker.insertNodeAfter(configFile, last(property.initializer.elements), factory.createStringLiteral(relativePath(newFileOrDirPath))); } return; } case "compilerOptions": forEachProperty(property.initializer, (property2, propertyName2) => { const option = getOptionFromName(propertyName2); Debug.assert((option == null ? void 0 : option.type) !== "listOrElement"); if (option && (option.isFilePath || option.type === "list" && option.element.isFilePath)) { updatePaths(property2); } else if (propertyName2 === "paths") { forEachProperty(property2.initializer, (pathsProperty) => { if (!isArrayLiteralExpression(pathsProperty.initializer)) return; for (const e of pathsProperty.initializer.elements) { tryUpdateString(e); } }); } }); return; } }); function updatePaths(property) { const elements = isArrayLiteralExpression(property.initializer) ? property.initializer.elements : [property.initializer]; let foundExactMatch = false; for (const element of elements) { foundExactMatch = tryUpdateString(element) || foundExactMatch; } return foundExactMatch; } function tryUpdateString(element) { if (!isStringLiteral2(element)) return false; const elementFileName = combinePathsSafe(configDir, element.text); const updated = oldToNew(elementFileName); if (updated !== void 0) { changeTracker.replaceRangeWithText(configFile, createStringRange(element, configFile), relativePath(updated)); return true; } return false; } function relativePath(path17) { return getRelativePathFromDirectory( configDir, path17, /*ignoreCase*/ !useCaseSensitiveFileNames2 ); } } function updateImports(program, changeTracker, oldToNew, newToOld, host, getCanonicalFileName) { const allFiles = program.getSourceFiles(); for (const sourceFile of allFiles) { const newFromOld = oldToNew(sourceFile.fileName); const newImportFromPath = newFromOld ?? sourceFile.fileName; const newImportFromDirectory = getDirectoryPath(newImportFromPath); const oldFromNew = newToOld(sourceFile.fileName); const oldImportFromPath = oldFromNew || sourceFile.fileName; const oldImportFromDirectory = getDirectoryPath(oldImportFromPath); const importingSourceFileMoved = newFromOld !== void 0 || oldFromNew !== void 0; updateImportsWorker(sourceFile, changeTracker, (referenceText) => { if (!pathIsRelative(referenceText)) return void 0; const oldAbsolute = combinePathsSafe(oldImportFromDirectory, referenceText); const newAbsolute = oldToNew(oldAbsolute); return newAbsolute === void 0 ? void 0 : ensurePathIsNonModuleName(getRelativePathFromDirectory(newImportFromDirectory, newAbsolute, getCanonicalFileName)); }, (importLiteral) => { const importedModuleSymbol = program.getTypeChecker().getSymbolAtLocation(importLiteral); if ((importedModuleSymbol == null ? void 0 : importedModuleSymbol.declarations) && importedModuleSymbol.declarations.some((d) => isAmbientModule(d))) return void 0; const toImport = oldFromNew !== void 0 ? getSourceFileToImportFromResolved(importLiteral, resolveModuleName(importLiteral.text, oldImportFromPath, program.getCompilerOptions(), host), oldToNew, allFiles) : getSourceFileToImport(importedModuleSymbol, importLiteral, sourceFile, program, host, oldToNew); return toImport !== void 0 && (toImport.updated || importingSourceFileMoved && pathIsRelative(importLiteral.text)) ? ts_moduleSpecifiers_exports.updateModuleSpecifier(program.getCompilerOptions(), sourceFile, newImportFromPath, toImport.newFileName, createModuleSpecifierResolutionHost(program, host), importLiteral.text) : void 0; }); } } function combineNormal(pathA, pathB) { return normalizePath(combinePaths(pathA, pathB)); } function combinePathsSafe(pathA, pathB) { return ensurePathIsNonModuleName(combineNormal(pathA, pathB)); } function getSourceFileToImport(importedModuleSymbol, importLiteral, importingSourceFile, program, host, oldToNew) { if (importedModuleSymbol) { const oldFileName = find(importedModuleSymbol.declarations, isSourceFile).fileName; const newFileName = oldToNew(oldFileName); return newFileName === void 0 ? { newFileName: oldFileName, updated: false } : { newFileName, updated: true }; } else { const mode = program.getModeForUsageLocation(importingSourceFile, importLiteral); const resolved = host.resolveModuleNameLiterals || !host.resolveModuleNames ? program.getResolvedModuleFromModuleSpecifier(importLiteral, importingSourceFile) : host.getResolvedModuleWithFailedLookupLocationsFromCache && host.getResolvedModuleWithFailedLookupLocationsFromCache(importLiteral.text, importingSourceFile.fileName, mode); return getSourceFileToImportFromResolved(importLiteral, resolved, oldToNew, program.getSourceFiles()); } } function getSourceFileToImportFromResolved(importLiteral, resolved, oldToNew, sourceFiles) { if (!resolved) return void 0; if (resolved.resolvedModule) { const result2 = tryChange(resolved.resolvedModule.resolvedFileName); if (result2) return result2; } const result = forEach(resolved.failedLookupLocations, tryChangeWithIgnoringPackageJsonExisting) || pathIsRelative(importLiteral.text) && forEach(resolved.failedLookupLocations, tryChangeWithIgnoringPackageJson); if (result) return result; return resolved.resolvedModule && { newFileName: resolved.resolvedModule.resolvedFileName, updated: false }; function tryChangeWithIgnoringPackageJsonExisting(oldFileName) { const newFileName = oldToNew(oldFileName); return newFileName && find(sourceFiles, (src) => src.fileName === newFileName) ? tryChangeWithIgnoringPackageJson(oldFileName) : void 0; } function tryChangeWithIgnoringPackageJson(oldFileName) { return !endsWith(oldFileName, "/package.json") ? tryChange(oldFileName) : void 0; } function tryChange(oldFileName) { const newFileName = oldToNew(oldFileName); return newFileName && { newFileName, updated: true }; } } function updateImportsWorker(sourceFile, changeTracker, updateRef, updateImport) { for (const ref of sourceFile.referencedFiles || emptyArray) { const updated = updateRef(ref.fileName); if (updated !== void 0 && updated !== sourceFile.text.slice(ref.pos, ref.end)) changeTracker.replaceRangeWithText(sourceFile, ref, updated); } for (const importStringLiteral of sourceFile.imports) { const updated = updateImport(importStringLiteral); if (updated !== void 0 && updated !== importStringLiteral.text) changeTracker.replaceRangeWithText(sourceFile, createStringRange(importStringLiteral, sourceFile), updated); } } function createStringRange(node, sourceFile) { return createRange(node.getStart(sourceFile) + 1, node.end - 1); } function forEachProperty(objectLiteral, cb) { if (!isObjectLiteralExpression(objectLiteral)) return; for (const property of objectLiteral.properties) { if (isPropertyAssignment(property) && isStringLiteral2(property.name)) { cb(property, property.name.text); } } } var PatternMatchKind = /* @__PURE__ */ ((PatternMatchKind2) => { PatternMatchKind2[PatternMatchKind2["exact"] = 0] = "exact"; PatternMatchKind2[PatternMatchKind2["prefix"] = 1] = "prefix"; PatternMatchKind2[PatternMatchKind2["substring"] = 2] = "substring"; PatternMatchKind2[PatternMatchKind2["camelCase"] = 3] = "camelCase"; return PatternMatchKind2; })(PatternMatchKind || {}); function createPatternMatch(kind, isCaseSensitive) { return { kind, isCaseSensitive }; } function createPatternMatcher(pattern) { const stringToWordSpans = /* @__PURE__ */ new Map(); const dotSeparatedSegments = pattern.trim().split(".").map((p) => createSegment(p.trim())); if (dotSeparatedSegments.length === 1 && dotSeparatedSegments[0].totalTextChunk.text === "") { return { getMatchForLastSegmentOfPattern: () => createPatternMatch( 2, /*isCaseSensitive*/ true ), getFullMatch: () => createPatternMatch( 2, /*isCaseSensitive*/ true ), patternContainsDots: false }; } if (dotSeparatedSegments.some((segment) => !segment.subWordTextChunks.length)) return void 0; return { getFullMatch: (containers, candidate) => getFullMatch(containers, candidate, dotSeparatedSegments, stringToWordSpans), getMatchForLastSegmentOfPattern: (candidate) => matchSegment(candidate, last(dotSeparatedSegments), stringToWordSpans), patternContainsDots: dotSeparatedSegments.length > 1 }; } function getFullMatch(candidateContainers, candidate, dotSeparatedSegments, stringToWordSpans) { const candidateMatch = matchSegment(candidate, last(dotSeparatedSegments), stringToWordSpans); if (!candidateMatch) { return void 0; } if (dotSeparatedSegments.length - 1 > candidateContainers.length) { return void 0; } let bestMatch; for (let i = dotSeparatedSegments.length - 2, j = candidateContainers.length - 1; i >= 0; i -= 1, j -= 1) { bestMatch = betterMatch(bestMatch, matchSegment(candidateContainers[j], dotSeparatedSegments[i], stringToWordSpans)); } return bestMatch; } function getWordSpans(word, stringToWordSpans) { let spans = stringToWordSpans.get(word); if (!spans) { stringToWordSpans.set(word, spans = breakIntoWordSpans(word)); } return spans; } function matchTextChunk(candidate, chunk, stringToWordSpans) { const index = indexOfIgnoringCase(candidate, chunk.textLowerCase); if (index === 0) { return createPatternMatch( chunk.text.length === candidate.length ? 0 : 1, /*isCaseSensitive:*/ startsWith2(candidate, chunk.text) ); } if (chunk.isLowerCase) { if (index === -1) return void 0; const wordSpans = getWordSpans(candidate, stringToWordSpans); for (const span of wordSpans) { if (partStartsWith( candidate, span, chunk.text, /*ignoreCase*/ true )) { return createPatternMatch( 2, /*isCaseSensitive:*/ partStartsWith( candidate, span, chunk.text, /*ignoreCase*/ false ) ); } } if (chunk.text.length < candidate.length && isUpperCaseLetter(candidate.charCodeAt(index))) { return createPatternMatch( 2, /*isCaseSensitive*/ false ); } } else { if (candidate.indexOf(chunk.text) > 0) { return createPatternMatch( 2, /*isCaseSensitive*/ true ); } if (chunk.characterSpans.length > 0) { const candidateParts = getWordSpans(candidate, stringToWordSpans); const isCaseSensitive = tryCamelCaseMatch( candidate, candidateParts, chunk, /*ignoreCase*/ false ) ? true : tryCamelCaseMatch( candidate, candidateParts, chunk, /*ignoreCase*/ true ) ? false : void 0; if (isCaseSensitive !== void 0) { return createPatternMatch(3, isCaseSensitive); } } } } function matchSegment(candidate, segment, stringToWordSpans) { if (every2( segment.totalTextChunk.text, (ch) => ch !== 32 && ch !== 42 /* asterisk */ )) { const match = matchTextChunk(candidate, segment.totalTextChunk, stringToWordSpans); if (match) return match; } const subWordTextChunks = segment.subWordTextChunks; let bestMatch; for (const subWordTextChunk of subWordTextChunks) { bestMatch = betterMatch(bestMatch, matchTextChunk(candidate, subWordTextChunk, stringToWordSpans)); } return bestMatch; } function betterMatch(a, b) { return min([a, b], compareMatches); } function compareMatches(a, b) { return a === void 0 ? 1 : b === void 0 ? -1 : compareValues(a.kind, b.kind) || compareBooleans(!a.isCaseSensitive, !b.isCaseSensitive); } function partStartsWith(candidate, candidateSpan, pattern, ignoreCase, patternSpan = { start: 0, length: pattern.length }) { return patternSpan.length <= candidateSpan.length && everyInRange(0, patternSpan.length, (i) => equalChars(pattern.charCodeAt(patternSpan.start + i), candidate.charCodeAt(candidateSpan.start + i), ignoreCase)); } function equalChars(ch1, ch2, ignoreCase) { return ignoreCase ? toLowerCase2(ch1) === toLowerCase2(ch2) : ch1 === ch2; } function tryCamelCaseMatch(candidate, candidateParts, chunk, ignoreCase) { const chunkCharacterSpans = chunk.characterSpans; let currentCandidate = 0; let currentChunkSpan = 0; let firstMatch; let contiguous; while (true) { if (currentChunkSpan === chunkCharacterSpans.length) { return true; } else if (currentCandidate === candidateParts.length) { return false; } let candidatePart = candidateParts[currentCandidate]; let gotOneMatchThisCandidate = false; for (; currentChunkSpan < chunkCharacterSpans.length; currentChunkSpan++) { const chunkCharacterSpan = chunkCharacterSpans[currentChunkSpan]; if (gotOneMatchThisCandidate) { if (!isUpperCaseLetter(chunk.text.charCodeAt(chunkCharacterSpans[currentChunkSpan - 1].start)) || !isUpperCaseLetter(chunk.text.charCodeAt(chunkCharacterSpans[currentChunkSpan].start))) { break; } } if (!partStartsWith(candidate, candidatePart, chunk.text, ignoreCase, chunkCharacterSpan)) { break; } gotOneMatchThisCandidate = true; firstMatch = firstMatch === void 0 ? currentCandidate : firstMatch; contiguous = contiguous === void 0 ? true : contiguous; candidatePart = createTextSpan(candidatePart.start + chunkCharacterSpan.length, candidatePart.length - chunkCharacterSpan.length); } if (!gotOneMatchThisCandidate && contiguous !== void 0) { contiguous = false; } currentCandidate++; } } function createSegment(text) { return { totalTextChunk: createTextChunk(text), subWordTextChunks: breakPatternIntoTextChunks(text) }; } function isUpperCaseLetter(ch) { if (ch >= 65 && ch <= 90) { return true; } if (ch < 127 || !isUnicodeIdentifierStart( ch, 99 /* Latest */ )) { return false; } const str = String.fromCharCode(ch); return str === str.toUpperCase(); } function isLowerCaseLetter(ch) { if (ch >= 97 && ch <= 122) { return true; } if (ch < 127 || !isUnicodeIdentifierStart( ch, 99 /* Latest */ )) { return false; } const str = String.fromCharCode(ch); return str === str.toLowerCase(); } function indexOfIgnoringCase(str, value) { const n = str.length - value.length; for (let start = 0; start <= n; start++) { if (every2(value, (valueChar, i) => toLowerCase2(str.charCodeAt(i + start)) === valueChar)) { return start; } } return -1; } function toLowerCase2(ch) { if (ch >= 65 && ch <= 90) { return 97 + (ch - 65); } if (ch < 127) { return ch; } return String.fromCharCode(ch).toLowerCase().charCodeAt(0); } function isDigit2(ch) { return ch >= 48 && ch <= 57; } function isWordChar(ch) { return isUpperCaseLetter(ch) || isLowerCaseLetter(ch) || isDigit2(ch) || ch === 95 || ch === 36; } function breakPatternIntoTextChunks(pattern) { const result = []; let wordStart = 0; let wordLength = 0; for (let i = 0; i < pattern.length; i++) { const ch = pattern.charCodeAt(i); if (isWordChar(ch)) { if (wordLength === 0) { wordStart = i; } wordLength++; } else { if (wordLength > 0) { result.push(createTextChunk(pattern.substr(wordStart, wordLength))); wordLength = 0; } } } if (wordLength > 0) { result.push(createTextChunk(pattern.substr(wordStart, wordLength))); } return result; } function createTextChunk(text) { const textLowerCase = text.toLowerCase(); return { text, textLowerCase, isLowerCase: text === textLowerCase, characterSpans: breakIntoCharacterSpans(text) }; } function breakIntoCharacterSpans(identifier) { return breakIntoSpans( identifier, /*word*/ false ); } function breakIntoWordSpans(identifier) { return breakIntoSpans( identifier, /*word*/ true ); } function breakIntoSpans(identifier, word) { const result = []; let wordStart = 0; for (let i = 1; i < identifier.length; i++) { const lastIsDigit = isDigit2(identifier.charCodeAt(i - 1)); const currentIsDigit = isDigit2(identifier.charCodeAt(i)); const hasTransitionFromLowerToUpper = transitionFromLowerToUpper(identifier, word, i); const hasTransitionFromUpperToLower = word && transitionFromUpperToLower(identifier, i, wordStart); if (charIsPunctuation(identifier.charCodeAt(i - 1)) || charIsPunctuation(identifier.charCodeAt(i)) || lastIsDigit !== currentIsDigit || hasTransitionFromLowerToUpper || hasTransitionFromUpperToLower) { if (!isAllPunctuation(identifier, wordStart, i)) { result.push(createTextSpan(wordStart, i - wordStart)); } wordStart = i; } } if (!isAllPunctuation(identifier, wordStart, identifier.length)) { result.push(createTextSpan(wordStart, identifier.length - wordStart)); } return result; } function charIsPunctuation(ch) { switch (ch) { case 33: case 34: case 35: case 37: case 38: case 39: case 40: case 41: case 42: case 44: case 45: case 46: case 47: case 58: case 59: case 63: case 64: case 91: case 92: case 93: case 95: case 123: case 125: return true; } return false; } function isAllPunctuation(identifier, start, end) { return every2(identifier, (ch) => charIsPunctuation(ch) && ch !== 95, start, end); } function transitionFromUpperToLower(identifier, index, wordStart) { return index !== wordStart && index + 1 < identifier.length && isUpperCaseLetter(identifier.charCodeAt(index)) && isLowerCaseLetter(identifier.charCodeAt(index + 1)) && every2(identifier, isUpperCaseLetter, wordStart, index); } function transitionFromLowerToUpper(identifier, word, index) { const lastIsUpper = isUpperCaseLetter(identifier.charCodeAt(index - 1)); const currentIsUpper = isUpperCaseLetter(identifier.charCodeAt(index)); return currentIsUpper && (!word || !lastIsUpper); } function everyInRange(start, end, pred) { for (let i = start; i < end; i++) { if (!pred(i)) { return false; } } return true; } function every2(s, pred, start = 0, end = s.length) { return everyInRange(start, end, (i) => pred(s.charCodeAt(i), i)); } function preProcessFile(sourceText, readImportFiles = true, detectJavaScriptImports = false) { const pragmaContext = { languageVersion: 1, // controls whether the token scanner considers unicode identifiers or not - shouldn't matter, since we're only using it for trivia pragmas: void 0, checkJsDirective: void 0, referencedFiles: [], typeReferenceDirectives: [], libReferenceDirectives: [], amdDependencies: [], hasNoDefaultLib: void 0, moduleName: void 0 }; const importedFiles = []; let ambientExternalModules; let lastToken; let currentToken; let braceNesting = 0; let externalModule = false; function nextToken() { lastToken = currentToken; currentToken = scanner.scan(); if (currentToken === 19) { braceNesting++; } else if (currentToken === 20) { braceNesting--; } return currentToken; } function getFileReference() { const fileName = scanner.getTokenValue(); const pos = scanner.getTokenStart(); return { fileName, pos, end: pos + fileName.length }; } function recordAmbientExternalModule() { if (!ambientExternalModules) { ambientExternalModules = []; } ambientExternalModules.push({ ref: getFileReference(), depth: braceNesting }); } function recordModuleName() { importedFiles.push(getFileReference()); markAsExternalModuleIfTopLevel(); } function markAsExternalModuleIfTopLevel() { if (braceNesting === 0) { externalModule = true; } } function tryConsumeDeclare() { let token = scanner.getToken(); if (token === 138) { token = nextToken(); if (token === 144) { token = nextToken(); if (token === 11) { recordAmbientExternalModule(); } } return true; } return false; } function tryConsumeImport() { if (lastToken === 25) { return false; } let token = scanner.getToken(); if (token === 102) { token = nextToken(); if (token === 21) { token = nextToken(); if (token === 11 || token === 15) { recordModuleName(); return true; } } else if (token === 11) { recordModuleName(); return true; } else { if (token === 156) { const skipTypeKeyword = scanner.lookAhead(() => { const token2 = scanner.scan(); return token2 !== 161 && (token2 === 42 || token2 === 19 || token2 === 80 || isKeyword2(token2)); }); if (skipTypeKeyword) { token = nextToken(); } } if (token === 80 || isKeyword2(token)) { token = nextToken(); if (token === 161) { token = nextToken(); if (token === 11) { recordModuleName(); return true; } } else if (token === 64) { if (tryConsumeRequireCall( /*skipCurrentToken*/ true )) { return true; } } else if (token === 28) { token = nextToken(); } else { return true; } } if (token === 19) { token = nextToken(); while (token !== 20 && token !== 1) { token = nextToken(); } if (token === 20) { token = nextToken(); if (token === 161) { token = nextToken(); if (token === 11) { recordModuleName(); } } } } else if (token === 42) { token = nextToken(); if (token === 130) { token = nextToken(); if (token === 80 || isKeyword2(token)) { token = nextToken(); if (token === 161) { token = nextToken(); if (token === 11) { recordModuleName(); } } } } } } return true; } return false; } function tryConsumeExport() { let token = scanner.getToken(); if (token === 95) { markAsExternalModuleIfTopLevel(); token = nextToken(); if (token === 156) { const skipTypeKeyword = scanner.lookAhead(() => { const token2 = scanner.scan(); return token2 === 42 || token2 === 19; }); if (skipTypeKeyword) { token = nextToken(); } } if (token === 19) { token = nextToken(); while (token !== 20 && token !== 1) { token = nextToken(); } if (token === 20) { token = nextToken(); if (token === 161) { token = nextToken(); if (token === 11) { recordModuleName(); } } } } else if (token === 42) { token = nextToken(); if (token === 161) { token = nextToken(); if (token === 11) { recordModuleName(); } } } else if (token === 102) { token = nextToken(); if (token === 156) { const skipTypeKeyword = scanner.lookAhead(() => { const token2 = scanner.scan(); return token2 === 80 || isKeyword2(token2); }); if (skipTypeKeyword) { token = nextToken(); } } if (token === 80 || isKeyword2(token)) { token = nextToken(); if (token === 64) { if (tryConsumeRequireCall( /*skipCurrentToken*/ true )) { return true; } } } } return true; } return false; } function tryConsumeRequireCall(skipCurrentToken, allowTemplateLiterals = false) { let token = skipCurrentToken ? nextToken() : scanner.getToken(); if (token === 149) { token = nextToken(); if (token === 21) { token = nextToken(); if (token === 11 || allowTemplateLiterals && token === 15) { recordModuleName(); } } return true; } return false; } function tryConsumeDefine() { let token = scanner.getToken(); if (token === 80 && scanner.getTokenValue() === "define") { token = nextToken(); if (token !== 21) { return true; } token = nextToken(); if (token === 11 || token === 15) { token = nextToken(); if (token === 28) { token = nextToken(); } else { return true; } } if (token !== 23) { return true; } token = nextToken(); while (token !== 24 && token !== 1) { if (token === 11 || token === 15) { recordModuleName(); } token = nextToken(); } return true; } return false; } function processImports() { scanner.setText(sourceText); nextToken(); while (true) { if (scanner.getToken() === 1) { break; } if (scanner.getToken() === 16) { const stack = [scanner.getToken()]; loop: while (length(stack)) { const token = scanner.scan(); switch (token) { case 1: break loop; case 102: tryConsumeImport(); break; case 16: stack.push(token); break; case 19: if (length(stack)) { stack.push(token); } break; case 20: if (length(stack)) { if (lastOrUndefined(stack) === 16) { if (scanner.reScanTemplateToken( /*isTaggedTemplate*/ false ) === 18) { stack.pop(); } } else { stack.pop(); } } break; } } nextToken(); } if (tryConsumeDeclare() || tryConsumeImport() || tryConsumeExport() || detectJavaScriptImports && (tryConsumeRequireCall( /*skipCurrentToken*/ false, /*allowTemplateLiterals*/ true ) || tryConsumeDefine())) { continue; } else { nextToken(); } } scanner.setText(void 0); } if (readImportFiles) { processImports(); } processCommentPragmas(pragmaContext, sourceText); processPragmasIntoFields(pragmaContext, noop2); if (externalModule) { if (ambientExternalModules) { for (const decl of ambientExternalModules) { importedFiles.push(decl.ref); } } return { referencedFiles: pragmaContext.referencedFiles, typeReferenceDirectives: pragmaContext.typeReferenceDirectives, libReferenceDirectives: pragmaContext.libReferenceDirectives, importedFiles, isLibFile: !!pragmaContext.hasNoDefaultLib, ambientExternalModules: void 0 }; } else { let ambientModuleNames; if (ambientExternalModules) { for (const decl of ambientExternalModules) { if (decl.depth === 0) { if (!ambientModuleNames) { ambientModuleNames = []; } ambientModuleNames.push(decl.ref.fileName); } else { importedFiles.push(decl.ref); } } } return { referencedFiles: pragmaContext.referencedFiles, typeReferenceDirectives: pragmaContext.typeReferenceDirectives, libReferenceDirectives: pragmaContext.libReferenceDirectives, importedFiles, isLibFile: !!pragmaContext.hasNoDefaultLib, ambientExternalModules: ambientModuleNames }; } } var base64UrlRegExp = /^data:(?:application\/json(?:;charset=[uU][tT][fF]-8);base64,([A-Za-z0-9+/=]+)$)?/; function getSourceMapper(host) { const getCanonicalFileName = createGetCanonicalFileName(host.useCaseSensitiveFileNames()); const currentDirectory = host.getCurrentDirectory(); const sourceFileLike = /* @__PURE__ */ new Map(); const documentPositionMappers = /* @__PURE__ */ new Map(); return { tryGetSourcePosition, tryGetGeneratedPosition, toLineColumnOffset, clearCache, documentPositionMappers }; function toPath32(fileName) { return toPath3(fileName, currentDirectory, getCanonicalFileName); } function getDocumentPositionMapper2(generatedFileName, sourceFileName) { const path17 = toPath32(generatedFileName); const value = documentPositionMappers.get(path17); if (value) return value; let mapper; if (host.getDocumentPositionMapper) { mapper = host.getDocumentPositionMapper(generatedFileName, sourceFileName); } else if (host.readFile) { const file = getSourceFileLike(generatedFileName); mapper = file && getDocumentPositionMapper( { getSourceFileLike, getCanonicalFileName, log: (s) => host.log(s) }, generatedFileName, getLineInfo(file.text, getLineStarts(file)), (f) => !host.fileExists || host.fileExists(f) ? host.readFile(f) : void 0 ); } documentPositionMappers.set(path17, mapper || identitySourceMapConsumer); return mapper || identitySourceMapConsumer; } function tryGetSourcePosition(info) { if (!isDeclarationFileName(info.fileName)) return void 0; const file = getSourceFile(info.fileName); if (!file) return void 0; const newLoc = getDocumentPositionMapper2(info.fileName).getSourcePosition(info); return !newLoc || newLoc === info ? void 0 : tryGetSourcePosition(newLoc) || newLoc; } function tryGetGeneratedPosition(info) { if (isDeclarationFileName(info.fileName)) return void 0; const sourceFile = getSourceFile(info.fileName); if (!sourceFile) return void 0; const program = host.getProgram(); if (program.isSourceOfProjectReferenceRedirect(sourceFile.fileName)) { return void 0; } const options = program.getCompilerOptions(); const outPath = options.outFile; const declarationPath = outPath ? removeFileExtension(outPath) + ".d.ts" : getDeclarationEmitOutputFilePathWorker(info.fileName, program.getCompilerOptions(), currentDirectory, program.getCommonSourceDirectory(), getCanonicalFileName); if (declarationPath === void 0) return void 0; const newLoc = getDocumentPositionMapper2(declarationPath, info.fileName).getGeneratedPosition(info); return newLoc === info ? void 0 : newLoc; } function getSourceFile(fileName) { const program = host.getProgram(); if (!program) return void 0; const path17 = toPath32(fileName); const file = program.getSourceFileByPath(path17); return file && file.resolvedPath === path17 ? file : void 0; } function getOrCreateSourceFileLike(fileName) { const path17 = toPath32(fileName); const fileFromCache = sourceFileLike.get(path17); if (fileFromCache !== void 0) return fileFromCache ? fileFromCache : void 0; if (!host.readFile || host.fileExists && !host.fileExists(fileName)) { sourceFileLike.set(path17, false); return void 0; } const text = host.readFile(fileName); const file = text ? createSourceFileLike(text) : false; sourceFileLike.set(path17, file); return file ? file : void 0; } function getSourceFileLike(fileName) { return !host.getSourceFileLike ? getSourceFile(fileName) || getOrCreateSourceFileLike(fileName) : host.getSourceFileLike(fileName); } function toLineColumnOffset(fileName, position) { const file = getSourceFileLike(fileName); return file.getLineAndCharacterOfPosition(position); } function clearCache() { sourceFileLike.clear(); documentPositionMappers.clear(); } } function getDocumentPositionMapper(host, generatedFileName, generatedFileLineInfo, readMapFile) { let mapFileName = tryGetSourceMappingURL(generatedFileLineInfo); if (mapFileName) { const match = base64UrlRegExp.exec(mapFileName); if (match) { if (match[1]) { const base64Object = match[1]; return convertDocumentToSourceMapper(host, base64decode(sys, base64Object), generatedFileName); } mapFileName = void 0; } } const possibleMapLocations = []; if (mapFileName) { possibleMapLocations.push(mapFileName); } possibleMapLocations.push(generatedFileName + ".map"); const originalMapFileName = mapFileName && getNormalizedAbsolutePath(mapFileName, getDirectoryPath(generatedFileName)); for (const location of possibleMapLocations) { const mapFileName2 = getNormalizedAbsolutePath(location, getDirectoryPath(generatedFileName)); const mapFileContents = readMapFile(mapFileName2, originalMapFileName); if (isString2(mapFileContents)) { return convertDocumentToSourceMapper(host, mapFileContents, mapFileName2); } if (mapFileContents !== void 0) { return mapFileContents || void 0; } } return void 0; } function convertDocumentToSourceMapper(host, contents, mapFileName) { const map2 = tryParseRawSourceMap(contents); if (!map2 || !map2.sources || !map2.file || !map2.mappings) { return void 0; } if (map2.sourcesContent && map2.sourcesContent.some(isString2)) return void 0; return createDocumentPositionMapper(host, map2, mapFileName); } function createSourceFileLike(text, lineMap) { return { text, lineMap, getLineAndCharacterOfPosition(pos) { return computeLineAndCharacterOfPosition(getLineStarts(this), pos); } }; } var visitedNestedConvertibleFunctions = /* @__PURE__ */ new Map(); function computeSuggestionDiagnostics(sourceFile, program, cancellationToken) { var _a; program.getSemanticDiagnostics(sourceFile, cancellationToken); const diags = []; const checker = program.getTypeChecker(); const isCommonJSFile = sourceFile.impliedNodeFormat === 1 || fileExtensionIsOneOf(sourceFile.fileName, [ ".cts", ".cjs" /* Cjs */ ]); if (!isCommonJSFile && sourceFile.commonJsModuleIndicator && (programContainsEsModules(program) || compilerOptionsIndicateEsModules(program.getCompilerOptions())) && containsTopLevelCommonjs(sourceFile)) { diags.push(createDiagnosticForNode(getErrorNodeFromCommonJsIndicator(sourceFile.commonJsModuleIndicator), Diagnostics.File_is_a_CommonJS_module_it_may_be_converted_to_an_ES_module)); } const isJsFile = isSourceFileJS(sourceFile); visitedNestedConvertibleFunctions.clear(); check(sourceFile); if (getAllowSyntheticDefaultImports(program.getCompilerOptions())) { for (const moduleSpecifier of sourceFile.imports) { const importNode = importFromModuleSpecifier(moduleSpecifier); const name = importNameForConvertToDefaultImport(importNode); if (!name) continue; const module22 = (_a = program.getResolvedModuleFromModuleSpecifier(moduleSpecifier, sourceFile)) == null ? void 0 : _a.resolvedModule; const resolvedFile = module22 && program.getSourceFile(module22.resolvedFileName); if (resolvedFile && resolvedFile.externalModuleIndicator && resolvedFile.externalModuleIndicator !== true && isExportAssignment(resolvedFile.externalModuleIndicator) && resolvedFile.externalModuleIndicator.isExportEquals) { diags.push(createDiagnosticForNode(name, Diagnostics.Import_may_be_converted_to_a_default_import)); } } } addRange(diags, sourceFile.bindSuggestionDiagnostics); addRange(diags, program.getSuggestionDiagnostics(sourceFile, cancellationToken)); return diags.sort((d1, d2) => d1.start - d2.start); function check(node) { if (isJsFile) { if (canBeConvertedToClass(node, checker)) { diags.push(createDiagnosticForNode(isVariableDeclaration(node.parent) ? node.parent.name : node, Diagnostics.This_constructor_function_may_be_converted_to_a_class_declaration)); } } else { if (isVariableStatement(node) && node.parent === sourceFile && node.declarationList.flags & 2 && node.declarationList.declarations.length === 1) { const init = node.declarationList.declarations[0].initializer; if (init && isRequireCall( init, /*requireStringLiteralLikeArgument*/ true )) { diags.push(createDiagnosticForNode(init, Diagnostics.require_call_may_be_converted_to_an_import)); } } const jsdocTypedefNodes = ts_codefix_exports.getJSDocTypedefNodes(node); for (const jsdocTypedefNode of jsdocTypedefNodes) { diags.push(createDiagnosticForNode(jsdocTypedefNode, Diagnostics.JSDoc_typedef_may_be_converted_to_TypeScript_type)); } if (ts_codefix_exports.parameterShouldGetTypeFromJSDoc(node)) { diags.push(createDiagnosticForNode(node.name || node, Diagnostics.JSDoc_types_may_be_moved_to_TypeScript_types)); } } if (canBeConvertedToAsync(node)) { addConvertToAsyncFunctionDiagnostics(node, checker, diags); } node.forEachChild(check); } } function containsTopLevelCommonjs(sourceFile) { return sourceFile.statements.some((statement) => { switch (statement.kind) { case 243: return statement.declarationList.declarations.some((decl) => !!decl.initializer && isRequireCall( propertyAccessLeftHandSide(decl.initializer), /*requireStringLiteralLikeArgument*/ true )); case 244: { const { expression } = statement; if (!isBinaryExpression(expression)) return isRequireCall( expression, /*requireStringLiteralLikeArgument*/ true ); const kind = getAssignmentDeclarationKind(expression); return kind === 1 || kind === 2; } default: return false; } }); } function propertyAccessLeftHandSide(node) { return isPropertyAccessExpression(node) ? propertyAccessLeftHandSide(node.expression) : node; } function importNameForConvertToDefaultImport(node) { switch (node.kind) { case 272: const { importClause, moduleSpecifier } = node; return importClause && !importClause.name && importClause.namedBindings && importClause.namedBindings.kind === 274 && isStringLiteral2(moduleSpecifier) ? importClause.namedBindings.name : void 0; case 271: return node.name; default: return void 0; } } function addConvertToAsyncFunctionDiagnostics(node, checker, diags) { if (isConvertibleFunction(node, checker) && !visitedNestedConvertibleFunctions.has(getKeyFromNode(node))) { diags.push(createDiagnosticForNode( !node.name && isVariableDeclaration(node.parent) && isIdentifier(node.parent.name) ? node.parent.name : node, Diagnostics.This_may_be_converted_to_an_async_function )); } } function isConvertibleFunction(node, checker) { return !isAsyncFunction(node) && node.body && isBlock(node.body) && hasReturnStatementWithPromiseHandler(node.body, checker) && returnsPromise(node, checker); } function returnsPromise(node, checker) { const signature = checker.getSignatureFromDeclaration(node); const returnType = signature ? checker.getReturnTypeOfSignature(signature) : void 0; return !!returnType && !!checker.getPromisedTypeOfPromise(returnType); } function getErrorNodeFromCommonJsIndicator(commonJsModuleIndicator) { return isBinaryExpression(commonJsModuleIndicator) ? commonJsModuleIndicator.left : commonJsModuleIndicator; } function hasReturnStatementWithPromiseHandler(body, checker) { return !!forEachReturnStatement(body, (statement) => isReturnStatementWithFixablePromiseHandler(statement, checker)); } function isReturnStatementWithFixablePromiseHandler(node, checker) { return isReturnStatement(node) && !!node.expression && isFixablePromiseHandler(node.expression, checker); } function isFixablePromiseHandler(node, checker) { if (!isPromiseHandler(node) || !hasSupportedNumberOfArguments(node) || !node.arguments.every((arg) => isFixablePromiseArgument(arg, checker))) { return false; } let currentNode = node.expression.expression; while (isPromiseHandler(currentNode) || isPropertyAccessExpression(currentNode)) { if (isCallExpression2(currentNode)) { if (!hasSupportedNumberOfArguments(currentNode) || !currentNode.arguments.every((arg) => isFixablePromiseArgument(arg, checker))) { return false; } currentNode = currentNode.expression.expression; } else { currentNode = currentNode.expression; } } return true; } function isPromiseHandler(node) { return isCallExpression2(node) && (hasPropertyAccessExpressionWithName(node, "then") || hasPropertyAccessExpressionWithName(node, "catch") || hasPropertyAccessExpressionWithName(node, "finally")); } function hasSupportedNumberOfArguments(node) { const name = node.expression.name.text; const maxArguments = name === "then" ? 2 : name === "catch" ? 1 : name === "finally" ? 1 : 0; if (node.arguments.length > maxArguments) return false; if (node.arguments.length < maxArguments) return true; return maxArguments === 1 || some(node.arguments, (arg) => { return arg.kind === 106 || isIdentifier(arg) && arg.text === "undefined"; }); } function isFixablePromiseArgument(arg, checker) { switch (arg.kind) { case 262: case 218: const functionFlags = getFunctionFlags(arg); if (functionFlags & 1) { return false; } case 219: visitedNestedConvertibleFunctions.set(getKeyFromNode(arg), true); case 106: return true; case 80: case 211: { const symbol = checker.getSymbolAtLocation(arg); if (!symbol) { return false; } return checker.isUndefinedSymbol(symbol) || some(skipAlias(symbol, checker).declarations, (d) => isFunctionLike(d) || hasInitializer(d) && !!d.initializer && isFunctionLike(d.initializer)); } default: return false; } } function getKeyFromNode(exp) { return `${exp.pos.toString()}:${exp.end.toString()}`; } function canBeConvertedToClass(node, checker) { var _a, _b, _c, _d; if (isFunctionExpression(node)) { if (isVariableDeclaration(node.parent) && ((_a = node.symbol.members) == null ? void 0 : _a.size)) { return true; } const symbol = checker.getSymbolOfExpando( node, /*allowDeclaration*/ false ); return !!(symbol && (((_b = symbol.exports) == null ? void 0 : _b.size) || ((_c = symbol.members) == null ? void 0 : _c.size))); } if (isFunctionDeclaration(node)) { return !!((_d = node.symbol.members) == null ? void 0 : _d.size); } return false; } function canBeConvertedToAsync(node) { switch (node.kind) { case 262: case 174: case 218: case 219: return true; default: return false; } } var optionsRedundantWithVerbatimModuleSyntax = /* @__PURE__ */ new Set([ "isolatedModules" ]); function transpileModule(input, transpileOptions) { return transpileWorker( input, transpileOptions, /*declaration*/ false ); } function transpileDeclaration(input, transpileOptions) { return transpileWorker( input, transpileOptions, /*declaration*/ true ); } var barebonesLibContent = `/// interface Boolean {} interface Function {} interface CallableFunction {} interface NewableFunction {} interface IArguments {} interface Number {} interface Object {} interface RegExp {} interface String {} interface Array { length: number; [n: number]: T; } interface SymbolConstructor { (desc?: string | number): symbol; for(name: string): symbol; readonly toStringTag: symbol; } declare var Symbol: SymbolConstructor; interface Symbol { readonly [Symbol.toStringTag]: string; }`; var barebonesLibName = "lib.d.ts"; var barebonesLibSourceFile; function transpileWorker(input, transpileOptions, declaration) { barebonesLibSourceFile ?? (barebonesLibSourceFile = createSourceFile(barebonesLibName, barebonesLibContent, { languageVersion: 99 /* Latest */ })); const diagnostics = []; const options = transpileOptions.compilerOptions ? fixupCompilerOptions(transpileOptions.compilerOptions, diagnostics) : {}; const defaultOptions2 = getDefaultCompilerOptions2(); for (const key in defaultOptions2) { if (hasProperty(defaultOptions2, key) && options[key] === void 0) { options[key] = defaultOptions2[key]; } } for (const option of transpileOptionValueCompilerOptions) { if (options.verbatimModuleSyntax && optionsRedundantWithVerbatimModuleSyntax.has(option.name)) { continue; } options[option.name] = option.transpileOptionValue; } options.suppressOutputPathCheck = true; options.allowNonTsExtensions = true; if (declaration) { options.declaration = true; options.emitDeclarationOnly = true; options.isolatedDeclarations = true; } else { options.declaration = false; } const newLine = getNewLineCharacter(options); const compilerHost = { getSourceFile: (fileName) => fileName === normalizePath(inputFileName) ? sourceFile : fileName === normalizePath(barebonesLibName) ? barebonesLibSourceFile : void 0, writeFile: (name, text) => { if (fileExtensionIs(name, ".map")) { Debug.assertEqual(sourceMapText, void 0, "Unexpected multiple source map outputs, file:", name); sourceMapText = text; } else { Debug.assertEqual(outputText, void 0, "Unexpected multiple outputs, file:", name); outputText = text; } }, getDefaultLibFileName: () => barebonesLibName, useCaseSensitiveFileNames: () => false, getCanonicalFileName: (fileName) => fileName, getCurrentDirectory: () => "", getNewLine: () => newLine, fileExists: (fileName) => fileName === inputFileName || !!declaration && fileName === barebonesLibName, readFile: () => "", directoryExists: () => true, getDirectories: () => [] }; const inputFileName = transpileOptions.fileName || (transpileOptions.compilerOptions && transpileOptions.compilerOptions.jsx ? "module.tsx" : "module.ts"); const sourceFile = createSourceFile( inputFileName, input, { languageVersion: getEmitScriptTarget(options), impliedNodeFormat: getImpliedNodeFormatForFile( toPath3(inputFileName, "", compilerHost.getCanonicalFileName), /*packageJsonInfoCache*/ void 0, compilerHost, options ), setExternalModuleIndicator: getSetExternalModuleIndicator(options), jsDocParsingMode: transpileOptions.jsDocParsingMode ?? 0 /* ParseAll */ } ); if (transpileOptions.moduleName) { sourceFile.moduleName = transpileOptions.moduleName; } if (transpileOptions.renamedDependencies) { sourceFile.renamedDependencies = new Map(Object.entries(transpileOptions.renamedDependencies)); } let outputText; let sourceMapText; const inputs = declaration ? [inputFileName, barebonesLibName] : [inputFileName]; const program = createProgram(inputs, options, compilerHost); if (transpileOptions.reportDiagnostics) { addRange( /*to*/ diagnostics, /*from*/ program.getSyntacticDiagnostics(sourceFile) ); addRange( /*to*/ diagnostics, /*from*/ program.getOptionsDiagnostics() ); } const result = program.emit( /*targetSourceFile*/ void 0, /*writeFile*/ void 0, /*cancellationToken*/ void 0, /*emitOnlyDtsFiles*/ declaration, transpileOptions.transformers, /*forceDtsEmit*/ declaration ); addRange( /*to*/ diagnostics, /*from*/ result.diagnostics ); if (outputText === void 0) return Debug.fail("Output generation failed"); return { outputText, diagnostics, sourceMapText }; } function transpile(input, compilerOptions, fileName, diagnostics, moduleName) { const output = transpileModule(input, { compilerOptions, fileName, reportDiagnostics: !!diagnostics, moduleName }); addRange(diagnostics, output.diagnostics); return output.outputText; } var commandLineOptionsStringToEnum; function fixupCompilerOptions(options, diagnostics) { commandLineOptionsStringToEnum = commandLineOptionsStringToEnum || filter(optionDeclarations, (o) => typeof o.type === "object" && !forEachEntry(o.type, (v) => typeof v !== "number")); options = cloneCompilerOptions(options); for (const opt of commandLineOptionsStringToEnum) { if (!hasProperty(options, opt.name)) { continue; } const value = options[opt.name]; if (isString2(value)) { options[opt.name] = parseCustomTypeOption(opt, value, diagnostics); } else { if (!forEachEntry(opt.type, (v) => v === value)) { diagnostics.push(createCompilerDiagnosticForInvalidCustomType(opt)); } } } return options; } var ts_NavigateTo_exports = {}; __export2(ts_NavigateTo_exports, { getNavigateToItems: () => getNavigateToItems }); function getNavigateToItems(sourceFiles, checker, cancellationToken, searchValue, maxResultCount, excludeDtsFiles, excludeLibFiles) { const patternMatcher = createPatternMatcher(searchValue); if (!patternMatcher) return emptyArray; const rawItems = []; const singleCurrentFile = sourceFiles.length === 1 ? sourceFiles[0] : void 0; for (const sourceFile of sourceFiles) { cancellationToken.throwIfCancellationRequested(); if (excludeDtsFiles && sourceFile.isDeclarationFile) { continue; } if (shouldExcludeFile(sourceFile, !!excludeLibFiles, singleCurrentFile)) { continue; } sourceFile.getNamedDeclarations().forEach((declarations, name) => { getItemsFromNamedDeclaration(patternMatcher, name, declarations, checker, sourceFile.fileName, !!excludeLibFiles, singleCurrentFile, rawItems); }); } rawItems.sort(compareNavigateToItems); return (maxResultCount === void 0 ? rawItems : rawItems.slice(0, maxResultCount)).map(createNavigateToItem); } function shouldExcludeFile(file, excludeLibFiles, singleCurrentFile) { return file !== singleCurrentFile && excludeLibFiles && (isInsideNodeModules(file.path) || file.hasNoDefaultLib); } function getItemsFromNamedDeclaration(patternMatcher, name, declarations, checker, fileName, excludeLibFiles, singleCurrentFile, rawItems) { const match = patternMatcher.getMatchForLastSegmentOfPattern(name); if (!match) { return; } for (const declaration of declarations) { if (!shouldKeepItem(declaration, checker, excludeLibFiles, singleCurrentFile)) continue; if (patternMatcher.patternContainsDots) { const fullMatch = patternMatcher.getFullMatch(getContainers(declaration), name); if (fullMatch) { rawItems.push({ name, fileName, matchKind: fullMatch.kind, isCaseSensitive: fullMatch.isCaseSensitive, declaration }); } } else { rawItems.push({ name, fileName, matchKind: match.kind, isCaseSensitive: match.isCaseSensitive, declaration }); } } } function shouldKeepItem(declaration, checker, excludeLibFiles, singleCurrentFile) { var _a; switch (declaration.kind) { case 273: case 276: case 271: const importer = checker.getSymbolAtLocation(declaration.name); const imported = checker.getAliasedSymbol(importer); return importer.escapedName !== imported.escapedName && !((_a = imported.declarations) == null ? void 0 : _a.every((d) => shouldExcludeFile(d.getSourceFile(), excludeLibFiles, singleCurrentFile))); default: return true; } } function tryAddSingleDeclarationName(declaration, containers) { const name = getNameOfDeclaration(declaration); return !!name && (pushLiteral(name, containers) || name.kind === 167 && tryAddComputedPropertyName(name.expression, containers)); } function tryAddComputedPropertyName(expression, containers) { return pushLiteral(expression, containers) || isPropertyAccessExpression(expression) && (containers.push(expression.name.text), true) && tryAddComputedPropertyName(expression.expression, containers); } function pushLiteral(node, containers) { return isPropertyNameLiteral(node) && (containers.push(getTextOfIdentifierOrLiteral(node)), true); } function getContainers(declaration) { const containers = []; const name = getNameOfDeclaration(declaration); if (name && name.kind === 167 && !tryAddComputedPropertyName(name.expression, containers)) { return emptyArray; } containers.shift(); let container = getContainerNode(declaration); while (container) { if (!tryAddSingleDeclarationName(container, containers)) { return emptyArray; } container = getContainerNode(container); } return containers.reverse(); } function compareNavigateToItems(i1, i2) { return compareValues(i1.matchKind, i2.matchKind) || compareStringsCaseSensitiveUI(i1.name, i2.name); } function createNavigateToItem(rawItem) { const declaration = rawItem.declaration; const container = getContainerNode(declaration); const containerName = container && getNameOfDeclaration(container); return { name: rawItem.name, kind: getNodeKind(declaration), kindModifiers: getNodeModifiers(declaration), matchKind: PatternMatchKind[rawItem.matchKind], isCaseSensitive: rawItem.isCaseSensitive, fileName: rawItem.fileName, textSpan: createTextSpanFromNode(declaration), // TODO(jfreeman): What should be the containerName when the container has a computed name? containerName: containerName ? containerName.text : "", containerKind: containerName ? getNodeKind(container) : "" /* unknown */ }; } var ts_NavigationBar_exports = {}; __export2(ts_NavigationBar_exports, { getNavigationBarItems: () => getNavigationBarItems, getNavigationTree: () => getNavigationTree }); var whiteSpaceRegex = /\s+/g; var maxLength = 150; var curCancellationToken; var curSourceFile; var parentsStack = []; var parent; var trackedEs5ClassesStack = []; var trackedEs5Classes; var emptyChildItemArray = []; function getNavigationBarItems(sourceFile, cancellationToken) { curCancellationToken = cancellationToken; curSourceFile = sourceFile; try { return map(primaryNavBarMenuItems(rootNavigationBarNode(sourceFile)), convertToPrimaryNavBarMenuItem); } finally { reset(); } } function getNavigationTree(sourceFile, cancellationToken) { curCancellationToken = cancellationToken; curSourceFile = sourceFile; try { return convertToTree(rootNavigationBarNode(sourceFile)); } finally { reset(); } } function reset() { curSourceFile = void 0; curCancellationToken = void 0; parentsStack = []; parent = void 0; emptyChildItemArray = []; } function nodeText(node) { return cleanText(node.getText(curSourceFile)); } function navigationBarNodeKind(n) { return n.node.kind; } function pushChild(parent2, child) { if (parent2.children) { parent2.children.push(child); } else { parent2.children = [child]; } } function rootNavigationBarNode(sourceFile) { Debug.assert(!parentsStack.length); const root2 = { node: sourceFile, name: void 0, additionalNodes: void 0, parent: void 0, children: void 0, indent: 0 }; parent = root2; for (const statement of sourceFile.statements) { addChildrenRecursively(statement); } endNode(); Debug.assert(!parent && !parentsStack.length); return root2; } function addLeafNode(node, name) { pushChild(parent, emptyNavigationBarNode(node, name)); } function emptyNavigationBarNode(node, name) { return { node, name: name || (isDeclaration(node) || isExpression(node) ? getNameOfDeclaration(node) : void 0), additionalNodes: void 0, parent, children: void 0, indent: parent.indent + 1 }; } function addTrackedEs5Class(name) { if (!trackedEs5Classes) { trackedEs5Classes = /* @__PURE__ */ new Map(); } trackedEs5Classes.set(name, true); } function endNestedNodes(depth2) { for (let i = 0; i < depth2; i++) endNode(); } function startNestedNodes(targetNode, entityName) { const names = []; while (!isPropertyNameLiteral(entityName)) { const name = getNameOrArgument(entityName); const nameText = getElementOrPropertyAccessName(entityName); entityName = entityName.expression; if (nameText === "prototype" || isPrivateIdentifier(name)) continue; names.push(name); } names.push(entityName); for (let i = names.length - 1; i > 0; i--) { const name = names[i]; startNode(targetNode, name); } return [names.length - 1, names[0]]; } function startNode(node, name) { const navNode = emptyNavigationBarNode(node, name); pushChild(parent, navNode); parentsStack.push(parent); trackedEs5ClassesStack.push(trackedEs5Classes); trackedEs5Classes = void 0; parent = navNode; } function endNode() { if (parent.children) { mergeChildren(parent.children, parent); sortChildren(parent.children); } parent = parentsStack.pop(); trackedEs5Classes = trackedEs5ClassesStack.pop(); } function addNodeWithRecursiveChild(node, child, name) { startNode(node, name); addChildrenRecursively(child); endNode(); } function addNodeWithRecursiveInitializer(node) { if (node.initializer && isFunctionOrClassExpression(node.initializer)) { startNode(node); forEachChild(node.initializer, addChildrenRecursively); endNode(); } else { addNodeWithRecursiveChild(node, node.initializer); } } function hasNavigationBarName(node) { const name = getNameOfDeclaration(node); if (name === void 0) return false; if (isComputedPropertyName(name)) { const expression = name.expression; return isEntityNameExpression(expression) || isNumericLiteral(expression) || isStringOrNumericLiteralLike(expression); } return !!name; } function addChildrenRecursively(node) { curCancellationToken.throwIfCancellationRequested(); if (!node || isToken(node)) { return; } switch (node.kind) { case 176: const ctr = node; addNodeWithRecursiveChild(ctr, ctr.body); for (const param of ctr.parameters) { if (isParameterPropertyDeclaration(param, ctr)) { addLeafNode(param); } } break; case 174: case 177: case 178: case 173: if (hasNavigationBarName(node)) { addNodeWithRecursiveChild(node, node.body); } break; case 172: if (hasNavigationBarName(node)) { addNodeWithRecursiveInitializer(node); } break; case 171: if (hasNavigationBarName(node)) { addLeafNode(node); } break; case 273: const importClause = node; if (importClause.name) { addLeafNode(importClause.name); } const { namedBindings } = importClause; if (namedBindings) { if (namedBindings.kind === 274) { addLeafNode(namedBindings); } else { for (const element of namedBindings.elements) { addLeafNode(element); } } } break; case 304: addNodeWithRecursiveChild(node, node.name); break; case 305: const { expression } = node; isIdentifier(expression) ? addLeafNode(node, expression) : addLeafNode(node); break; case 208: case 303: case 260: { const child = node; if (isBindingPattern(child.name)) { addChildrenRecursively(child.name); } else { addNodeWithRecursiveInitializer(child); } break; } case 262: const nameNode = node.name; if (nameNode && isIdentifier(nameNode)) { addTrackedEs5Class(nameNode.text); } addNodeWithRecursiveChild(node, node.body); break; case 219: case 218: addNodeWithRecursiveChild(node, node.body); break; case 266: startNode(node); for (const member of node.members) { if (!isComputedProperty(member)) { addLeafNode(member); } } endNode(); break; case 263: case 231: case 264: startNode(node); for (const member of node.members) { addChildrenRecursively(member); } endNode(); break; case 267: addNodeWithRecursiveChild(node, getInteriorModule(node).body); break; case 277: { const expression2 = node.expression; const child = isObjectLiteralExpression(expression2) || isCallExpression2(expression2) ? expression2 : isArrowFunction(expression2) || isFunctionExpression(expression2) ? expression2.body : void 0; if (child) { startNode(node); addChildrenRecursively(child); endNode(); } else { addLeafNode(node); } break; } case 281: case 271: case 181: case 179: case 180: case 265: addLeafNode(node); break; case 213: case 226: { const special = getAssignmentDeclarationKind(node); switch (special) { case 1: case 2: addNodeWithRecursiveChild(node, node.right); return; case 6: case 3: { const binaryExpression = node; const assignmentTarget = binaryExpression.left; const prototypeAccess = special === 3 ? assignmentTarget.expression : assignmentTarget; let depth2 = 0; let className; if (isIdentifier(prototypeAccess.expression)) { addTrackedEs5Class(prototypeAccess.expression.text); className = prototypeAccess.expression; } else { [depth2, className] = startNestedNodes(binaryExpression, prototypeAccess.expression); } if (special === 6) { if (isObjectLiteralExpression(binaryExpression.right)) { if (binaryExpression.right.properties.length > 0) { startNode(binaryExpression, className); forEachChild(binaryExpression.right, addChildrenRecursively); endNode(); } } } else if (isFunctionExpression(binaryExpression.right) || isArrowFunction(binaryExpression.right)) { addNodeWithRecursiveChild(node, binaryExpression.right, className); } else { startNode(binaryExpression, className); addNodeWithRecursiveChild(node, binaryExpression.right, assignmentTarget.name); endNode(); } endNestedNodes(depth2); return; } case 7: case 9: { const defineCall = node; const className = special === 7 ? defineCall.arguments[0] : defineCall.arguments[0].expression; const memberName = defineCall.arguments[1]; const [depth2, classNameIdentifier] = startNestedNodes(node, className); startNode(node, classNameIdentifier); startNode(node, setTextRange(factory.createIdentifier(memberName.text), memberName)); addChildrenRecursively(node.arguments[2]); endNode(); endNode(); endNestedNodes(depth2); return; } case 5: { const binaryExpression = node; const assignmentTarget = binaryExpression.left; const targetFunction = assignmentTarget.expression; if (isIdentifier(targetFunction) && getElementOrPropertyAccessName(assignmentTarget) !== "prototype" && trackedEs5Classes && trackedEs5Classes.has(targetFunction.text)) { if (isFunctionExpression(binaryExpression.right) || isArrowFunction(binaryExpression.right)) { addNodeWithRecursiveChild(node, binaryExpression.right, targetFunction); } else if (isBindableStaticAccessExpression(assignmentTarget)) { startNode(binaryExpression, targetFunction); addNodeWithRecursiveChild(binaryExpression.left, binaryExpression.right, getNameOrArgument(assignmentTarget)); endNode(); } return; } break; } case 4: case 0: case 8: break; default: Debug.assertNever(special); } } default: if (hasJSDocNodes(node)) { forEach(node.jsDoc, (jsDoc) => { forEach(jsDoc.tags, (tag) => { if (isJSDocTypeAlias(tag)) { addLeafNode(tag); } }); }); } forEachChild(node, addChildrenRecursively); } } function mergeChildren(children, node) { const nameToItems = /* @__PURE__ */ new Map(); filterMutate(children, (child, index) => { const declName = child.name || getNameOfDeclaration(child.node); const name = declName && nodeText(declName); if (!name) { return true; } const itemsWithSameName = nameToItems.get(name); if (!itemsWithSameName) { nameToItems.set(name, child); return true; } if (itemsWithSameName instanceof Array) { for (const itemWithSameName of itemsWithSameName) { if (tryMerge(itemWithSameName, child, index, node)) { return false; } } itemsWithSameName.push(child); return true; } else { const itemWithSameName = itemsWithSameName; if (tryMerge(itemWithSameName, child, index, node)) { return false; } nameToItems.set(name, [itemWithSameName, child]); return true; } }); } var isEs5ClassMember = { [ 5 /* Property */ ]: true, [ 3 /* PrototypeProperty */ ]: true, [ 7 /* ObjectDefinePropertyValue */ ]: true, [ 9 /* ObjectDefinePrototypeProperty */ ]: true, [ 0 /* None */ ]: false, [ 1 /* ExportsProperty */ ]: false, [ 2 /* ModuleExports */ ]: false, [ 8 /* ObjectDefinePropertyExports */ ]: false, [ 6 /* Prototype */ ]: true, [ 4 /* ThisProperty */ ]: false }; function tryMergeEs5Class(a, b, bIndex, parent2) { function isPossibleConstructor(node) { return isFunctionExpression(node) || isFunctionDeclaration(node) || isVariableDeclaration(node); } const bAssignmentDeclarationKind = isBinaryExpression(b.node) || isCallExpression2(b.node) ? getAssignmentDeclarationKind(b.node) : 0; const aAssignmentDeclarationKind = isBinaryExpression(a.node) || isCallExpression2(a.node) ? getAssignmentDeclarationKind(a.node) : 0; if (isEs5ClassMember[bAssignmentDeclarationKind] && isEs5ClassMember[aAssignmentDeclarationKind] || isPossibleConstructor(a.node) && isEs5ClassMember[bAssignmentDeclarationKind] || isPossibleConstructor(b.node) && isEs5ClassMember[aAssignmentDeclarationKind] || isClassDeclaration(a.node) && isSynthesized(a.node) && isEs5ClassMember[bAssignmentDeclarationKind] || isClassDeclaration(b.node) && isEs5ClassMember[aAssignmentDeclarationKind] || isClassDeclaration(a.node) && isSynthesized(a.node) && isPossibleConstructor(b.node) || isClassDeclaration(b.node) && isPossibleConstructor(a.node) && isSynthesized(a.node)) { let lastANode = a.additionalNodes && lastOrUndefined(a.additionalNodes) || a.node; if (!isClassDeclaration(a.node) && !isClassDeclaration(b.node) || isPossibleConstructor(a.node) || isPossibleConstructor(b.node)) { const ctorFunction = isPossibleConstructor(a.node) ? a.node : isPossibleConstructor(b.node) ? b.node : void 0; if (ctorFunction !== void 0) { const ctorNode = setTextRange( factory.createConstructorDeclaration( /*modifiers*/ void 0, [], /*body*/ void 0 ), ctorFunction ); const ctor = emptyNavigationBarNode(ctorNode); ctor.indent = a.indent + 1; ctor.children = a.node === ctorFunction ? a.children : b.children; a.children = a.node === ctorFunction ? concatenate([ctor], b.children || [b]) : concatenate(a.children || [{ ...a }], [ctor]); } else { if (a.children || b.children) { a.children = concatenate(a.children || [{ ...a }], b.children || [b]); if (a.children) { mergeChildren(a.children, a); sortChildren(a.children); } } } lastANode = a.node = setTextRange( factory.createClassDeclaration( /*modifiers*/ void 0, a.name || factory.createIdentifier("__class__"), /*typeParameters*/ void 0, /*heritageClauses*/ void 0, [] ), a.node ); } else { a.children = concatenate(a.children, b.children); if (a.children) { mergeChildren(a.children, a); } } const bNode = b.node; if (parent2.children[bIndex - 1].node.end === lastANode.end) { setTextRange(lastANode, { pos: lastANode.pos, end: bNode.end }); } else { if (!a.additionalNodes) a.additionalNodes = []; a.additionalNodes.push(setTextRange( factory.createClassDeclaration( /*modifiers*/ void 0, a.name || factory.createIdentifier("__class__"), /*typeParameters*/ void 0, /*heritageClauses*/ void 0, [] ), b.node )); } return true; } return bAssignmentDeclarationKind === 0 ? false : true; } function tryMerge(a, b, bIndex, parent2) { if (tryMergeEs5Class(a, b, bIndex, parent2)) { return true; } if (shouldReallyMerge(a.node, b.node, parent2)) { merge3(a, b); return true; } return false; } function shouldReallyMerge(a, b, parent2) { if (a.kind !== b.kind || a.parent !== b.parent && !(isOwnChild(a, parent2) && isOwnChild(b, parent2))) { return false; } switch (a.kind) { case 172: case 174: case 177: case 178: return isStatic(a) === isStatic(b); case 267: return areSameModule(a, b) && getFullyQualifiedModuleName(a) === getFullyQualifiedModuleName(b); default: return true; } } function isSynthesized(node) { return !!(node.flags & 16); } function isOwnChild(n, parent2) { const par = isModuleBlock(n.parent) ? n.parent.parent : n.parent; return par === parent2.node || contains(parent2.additionalNodes, par); } function areSameModule(a, b) { if (!a.body || !b.body) { return a.body === b.body; } return a.body.kind === b.body.kind && (a.body.kind !== 267 || areSameModule(a.body, b.body)); } function merge3(target, source) { target.additionalNodes = target.additionalNodes || []; target.additionalNodes.push(source.node); if (source.additionalNodes) { target.additionalNodes.push(...source.additionalNodes); } target.children = concatenate(target.children, source.children); if (target.children) { mergeChildren(target.children, target); sortChildren(target.children); } } function sortChildren(children) { children.sort(compareChildren); } function compareChildren(child1, child2) { return compareStringsCaseSensitiveUI(tryGetName(child1.node), tryGetName(child2.node)) || compareValues(navigationBarNodeKind(child1), navigationBarNodeKind(child2)); } function tryGetName(node) { if (node.kind === 267) { return getModuleName(node); } const declName = getNameOfDeclaration(node); if (declName && isPropertyName(declName)) { const propertyName = getPropertyNameForPropertyNameNode(declName); return propertyName && unescapeLeadingUnderscores(propertyName); } switch (node.kind) { case 218: case 219: case 231: return getFunctionOrClassName(node); default: return void 0; } } function getItemName(node, name) { if (node.kind === 267) { return cleanText(getModuleName(node)); } if (name) { const text = isIdentifier(name) ? name.text : isElementAccessExpression(name) ? `[${nodeText(name.argumentExpression)}]` : nodeText(name); if (text.length > 0) { return cleanText(text); } } switch (node.kind) { case 307: const sourceFile = node; return isExternalModule(sourceFile) ? `"${escapeString2(getBaseFileName(removeFileExtension(normalizePath(sourceFile.fileName))))}"` : ""; case 277: return isExportAssignment(node) && node.isExportEquals ? "export=" : "default"; case 219: case 262: case 218: case 263: case 231: if (getSyntacticModifierFlags(node) & 2048) { return "default"; } return getFunctionOrClassName(node); case 176: return "constructor"; case 180: return "new()"; case 179: return "()"; case 181: return "[]"; default: return ""; } } function primaryNavBarMenuItems(root2) { const primaryNavBarMenuItems2 = []; function recur(item) { if (shouldAppearInPrimaryNavBarMenu(item)) { primaryNavBarMenuItems2.push(item); if (item.children) { for (const child of item.children) { recur(child); } } } } recur(root2); return primaryNavBarMenuItems2; function shouldAppearInPrimaryNavBarMenu(item) { if (item.children) { return true; } switch (navigationBarNodeKind(item)) { case 263: case 231: case 266: case 264: case 267: case 307: case 265: case 346: case 338: return true; case 219: case 262: case 218: return isTopLevelFunctionDeclaration(item); default: return false; } function isTopLevelFunctionDeclaration(item2) { if (!item2.node.body) { return false; } switch (navigationBarNodeKind(item2.parent)) { case 268: case 307: case 174: case 176: return true; default: return false; } } } } function convertToTree(n) { return { text: getItemName(n.node, n.name), kind: getNodeKind(n.node), kindModifiers: getModifiers2(n.node), spans: getSpans(n), nameSpan: n.name && getNodeSpan(n.name), childItems: map(n.children, convertToTree) }; } function convertToPrimaryNavBarMenuItem(n) { return { text: getItemName(n.node, n.name), kind: getNodeKind(n.node), kindModifiers: getModifiers2(n.node), spans: getSpans(n), childItems: map(n.children, convertToSecondaryNavBarMenuItem) || emptyChildItemArray, indent: n.indent, bolded: false, grayed: false }; function convertToSecondaryNavBarMenuItem(n2) { return { text: getItemName(n2.node, n2.name), kind: getNodeKind(n2.node), kindModifiers: getNodeModifiers(n2.node), spans: getSpans(n2), childItems: emptyChildItemArray, indent: 0, bolded: false, grayed: false }; } } function getSpans(n) { const spans = [getNodeSpan(n.node)]; if (n.additionalNodes) { for (const node of n.additionalNodes) { spans.push(getNodeSpan(node)); } } return spans; } function getModuleName(moduleDeclaration) { if (isAmbientModule(moduleDeclaration)) { return getTextOfNode(moduleDeclaration.name); } return getFullyQualifiedModuleName(moduleDeclaration); } function getFullyQualifiedModuleName(moduleDeclaration) { const result = [getTextOfIdentifierOrLiteral(moduleDeclaration.name)]; while (moduleDeclaration.body && moduleDeclaration.body.kind === 267) { moduleDeclaration = moduleDeclaration.body; result.push(getTextOfIdentifierOrLiteral(moduleDeclaration.name)); } return result.join("."); } function getInteriorModule(decl) { return decl.body && isModuleDeclaration(decl.body) ? getInteriorModule(decl.body) : decl; } function isComputedProperty(member) { return !member.name || member.name.kind === 167; } function getNodeSpan(node) { return node.kind === 307 ? createTextSpanFromRange(node) : createTextSpanFromNode(node, curSourceFile); } function getModifiers2(node) { if (node.parent && node.parent.kind === 260) { node = node.parent; } return getNodeModifiers(node); } function getFunctionOrClassName(node) { const { parent: parent2 } = node; if (node.name && getFullWidth(node.name) > 0) { return cleanText(declarationNameToString(node.name)); } else if (isVariableDeclaration(parent2)) { return cleanText(declarationNameToString(parent2.name)); } else if (isBinaryExpression(parent2) && parent2.operatorToken.kind === 64) { return nodeText(parent2.left).replace(whiteSpaceRegex, ""); } else if (isPropertyAssignment(parent2)) { return nodeText(parent2.name); } else if (getSyntacticModifierFlags(node) & 2048) { return "default"; } else if (isClassLike(node)) { return ""; } else if (isCallExpression2(parent2)) { let name = getCalledExpressionName(parent2.expression); if (name !== void 0) { name = cleanText(name); if (name.length > maxLength) { return `${name} callback`; } const args = cleanText(mapDefined(parent2.arguments, (a) => isStringLiteralLike(a) || isTemplateLiteral(a) ? a.getText(curSourceFile) : void 0).join(", ")); return `${name}(${args}) callback`; } } return ""; } function getCalledExpressionName(expr) { if (isIdentifier(expr)) { return expr.text; } else if (isPropertyAccessExpression(expr)) { const left = getCalledExpressionName(expr.expression); const right = expr.name.text; return left === void 0 ? right : `${left}.${right}`; } else { return void 0; } } function isFunctionOrClassExpression(node) { switch (node.kind) { case 219: case 218: case 231: return true; default: return false; } } function cleanText(text) { text = text.length > maxLength ? text.substring(0, maxLength) + "..." : text; return text.replace(/\\?(\r?\n|\r|\u2028|\u2029)/g, ""); } var ts_refactor_exports = {}; __export2(ts_refactor_exports, { addExportToChanges: () => addExportToChanges, addExportsInOldFile: () => addExportsInOldFile, addImportsForMovedSymbols: () => addImportsForMovedSymbols, addNewFileToTsconfig: () => addNewFileToTsconfig, addOrRemoveBracesToArrowFunction: () => ts_refactor_addOrRemoveBracesToArrowFunction_exports, addTargetFileImports: () => addTargetFileImports, containsJsx: () => containsJsx, convertArrowFunctionOrFunctionExpression: () => ts_refactor_convertArrowFunctionOrFunctionExpression_exports, convertParamsToDestructuredObject: () => ts_refactor_convertParamsToDestructuredObject_exports, convertStringOrTemplateLiteral: () => ts_refactor_convertStringOrTemplateLiteral_exports, convertToOptionalChainExpression: () => ts_refactor_convertToOptionalChainExpression_exports, createNewFileName: () => createNewFileName, deleteMovedStatements: () => deleteMovedStatements, deleteUnusedImports: () => deleteUnusedImports, deleteUnusedOldImports: () => deleteUnusedOldImports, doChangeNamedToNamespaceOrDefault: () => doChangeNamedToNamespaceOrDefault, extractSymbol: () => ts_refactor_extractSymbol_exports, filterImport: () => filterImport, forEachImportInStatement: () => forEachImportInStatement, generateGetAccessorAndSetAccessor: () => ts_refactor_generateGetAccessorAndSetAccessor_exports, getApplicableRefactors: () => getApplicableRefactors, getEditsForRefactor: () => getEditsForRefactor, getExistingLocals: () => getExistingLocals, getIdentifierForNode: () => getIdentifierForNode, getNewStatementsAndRemoveFromOldFile: () => getNewStatementsAndRemoveFromOldFile, getStatementsToMove: () => getStatementsToMove, getTopLevelDeclarationStatement: () => getTopLevelDeclarationStatement, getUsageInfo: () => getUsageInfo, inferFunctionReturnType: () => ts_refactor_inferFunctionReturnType_exports, isRefactorErrorInfo: () => isRefactorErrorInfo, isTopLevelDeclaration: () => isTopLevelDeclaration, moduleSpecifierFromImport: () => moduleSpecifierFromImport, nameOfTopLevelDeclaration: () => nameOfTopLevelDeclaration, refactorKindBeginsWith: () => refactorKindBeginsWith, registerRefactor: () => registerRefactor, updateImportsInOtherFiles: () => updateImportsInOtherFiles }); var refactors = /* @__PURE__ */ new Map(); function registerRefactor(name, refactor2) { refactors.set(name, refactor2); } function getApplicableRefactors(context, includeInteractiveActions) { return arrayFrom(flatMapIterator(refactors.values(), (refactor2) => { var _a; return context.cancellationToken && context.cancellationToken.isCancellationRequested() || !((_a = refactor2.kinds) == null ? void 0 : _a.some((kind) => refactorKindBeginsWith(kind, context.kind))) ? void 0 : refactor2.getAvailableActions(context, includeInteractiveActions); })); } function getEditsForRefactor(context, refactorName14, actionName2, interactiveRefactorArguments) { const refactor2 = refactors.get(refactorName14); return refactor2 && refactor2.getEditsForAction(context, actionName2, interactiveRefactorArguments); } var refactorName = "Convert export"; var defaultToNamedAction = { name: "Convert default export to named export", description: getLocaleSpecificMessage(Diagnostics.Convert_default_export_to_named_export), kind: "refactor.rewrite.export.named" }; var namedToDefaultAction = { name: "Convert named export to default export", description: getLocaleSpecificMessage(Diagnostics.Convert_named_export_to_default_export), kind: "refactor.rewrite.export.default" }; registerRefactor(refactorName, { kinds: [ defaultToNamedAction.kind, namedToDefaultAction.kind ], getAvailableActions: function getRefactorActionsToConvertBetweenNamedAndDefaultExports(context) { const info = getInfo2(context, context.triggerReason === "invoked"); if (!info) return emptyArray; if (!isRefactorErrorInfo(info)) { const action = info.wasDefault ? defaultToNamedAction : namedToDefaultAction; return [{ name: refactorName, description: action.description, actions: [action] }]; } if (context.preferences.provideRefactorNotApplicableReason) { return [ { name: refactorName, description: getLocaleSpecificMessage(Diagnostics.Convert_default_export_to_named_export), actions: [ { ...defaultToNamedAction, notApplicableReason: info.error }, { ...namedToDefaultAction, notApplicableReason: info.error } ] } ]; } return emptyArray; }, getEditsForAction: function getRefactorEditsToConvertBetweenNamedAndDefaultExports(context, actionName2) { Debug.assert(actionName2 === defaultToNamedAction.name || actionName2 === namedToDefaultAction.name, "Unexpected action name"); const info = getInfo2(context); Debug.assert(info && !isRefactorErrorInfo(info), "Expected applicable refactor info"); const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange(context.file, context.program, info, t, context.cancellationToken)); return { edits, renameFilename: void 0, renameLocation: void 0 }; } }); function getInfo2(context, considerPartialSpans = true) { const { file, program } = context; const span = getRefactorContextSpan(context); const token = getTokenAtPosition(file, span.start); const exportNode = !!(token.parent && getSyntacticModifierFlags(token.parent) & 32) && considerPartialSpans ? token.parent : getParentNodeInSpan(token, file, span); if (!exportNode || !isSourceFile(exportNode.parent) && !(isModuleBlock(exportNode.parent) && isAmbientModule(exportNode.parent.parent))) { return { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_export_statement) }; } const checker = program.getTypeChecker(); const exportingModuleSymbol = getExportingModuleSymbol(exportNode.parent, checker); const flags = getSyntacticModifierFlags(exportNode) || (isExportAssignment(exportNode) && !exportNode.isExportEquals ? 2080 : 0); const wasDefault = !!(flags & 2048); if (!(flags & 32) || !wasDefault && exportingModuleSymbol.exports.has( "default" /* Default */ )) { return { error: getLocaleSpecificMessage(Diagnostics.This_file_already_has_a_default_export) }; } const noSymbolError = (id) => isIdentifier(id) && checker.getSymbolAtLocation(id) ? void 0 : { error: getLocaleSpecificMessage(Diagnostics.Can_only_convert_named_export) }; switch (exportNode.kind) { case 262: case 263: case 264: case 266: case 265: case 267: { const node = exportNode; if (!node.name) return void 0; return noSymbolError(node.name) || { exportNode: node, exportName: node.name, wasDefault, exportingModuleSymbol }; } case 243: { const vs = exportNode; if (!(vs.declarationList.flags & 2) || vs.declarationList.declarations.length !== 1) { return void 0; } const decl = first(vs.declarationList.declarations); if (!decl.initializer) return void 0; Debug.assert(!wasDefault, "Can't have a default flag here"); return noSymbolError(decl.name) || { exportNode: vs, exportName: decl.name, wasDefault, exportingModuleSymbol }; } case 277: { const node = exportNode; if (node.isExportEquals) return void 0; return noSymbolError(node.expression) || { exportNode: node, exportName: node.expression, wasDefault, exportingModuleSymbol }; } default: return void 0; } } function doChange(exportingSourceFile, program, info, changes, cancellationToken) { changeExport(exportingSourceFile, info, changes, program.getTypeChecker()); changeImports(program, info, changes, cancellationToken); } function changeExport(exportingSourceFile, { wasDefault, exportNode, exportName }, changes, checker) { if (wasDefault) { if (isExportAssignment(exportNode) && !exportNode.isExportEquals) { const exp = exportNode.expression; const spec = makeExportSpecifier(exp.text, exp.text); changes.replaceNode(exportingSourceFile, exportNode, factory.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory.createNamedExports([spec]) )); } else { changes.delete(exportingSourceFile, Debug.checkDefined(findModifier( exportNode, 90 /* DefaultKeyword */ ), "Should find a default keyword in modifier list")); } } else { const exportKeyword = Debug.checkDefined(findModifier( exportNode, 95 /* ExportKeyword */ ), "Should find an export keyword in modifier list"); switch (exportNode.kind) { case 262: case 263: case 264: changes.insertNodeAfter(exportingSourceFile, exportKeyword, factory.createToken( 90 /* DefaultKeyword */ )); break; case 243: const decl = first(exportNode.declarationList.declarations); if (!ts_FindAllReferences_exports.Core.isSymbolReferencedInFile(exportName, checker, exportingSourceFile) && !decl.type) { changes.replaceNode(exportingSourceFile, exportNode, factory.createExportDefault(Debug.checkDefined(decl.initializer, "Initializer was previously known to be present"))); break; } case 266: case 265: case 267: changes.deleteModifier(exportingSourceFile, exportKeyword); changes.insertNodeAfter(exportingSourceFile, exportNode, factory.createExportDefault(factory.createIdentifier(exportName.text))); break; default: Debug.fail(`Unexpected exportNode kind ${exportNode.kind}`); } } } function changeImports(program, { wasDefault, exportName, exportingModuleSymbol }, changes, cancellationToken) { const checker = program.getTypeChecker(); const exportSymbol = Debug.checkDefined(checker.getSymbolAtLocation(exportName), "Export name should resolve to a symbol"); ts_FindAllReferences_exports.Core.eachExportReference(program.getSourceFiles(), checker, cancellationToken, exportSymbol, exportingModuleSymbol, exportName.text, wasDefault, (ref) => { if (exportName === ref) return; const importingSourceFile = ref.getSourceFile(); if (wasDefault) { changeDefaultToNamedImport(importingSourceFile, ref, changes, exportName.text); } else { changeNamedToDefaultImport(importingSourceFile, ref, changes); } }); } function changeDefaultToNamedImport(importingSourceFile, ref, changes, exportName) { const { parent: parent2 } = ref; switch (parent2.kind) { case 211: changes.replaceNode(importingSourceFile, ref, factory.createIdentifier(exportName)); break; case 276: case 281: { const spec = parent2; changes.replaceNode(importingSourceFile, spec, makeImportSpecifier(exportName, spec.name.text)); break; } case 273: { const clause = parent2; Debug.assert(clause.name === ref, "Import clause name should match provided ref"); const spec = makeImportSpecifier(exportName, ref.text); const { namedBindings } = clause; if (!namedBindings) { changes.replaceNode(importingSourceFile, ref, factory.createNamedImports([spec])); } else if (namedBindings.kind === 274) { changes.deleteRange(importingSourceFile, { pos: ref.getStart(importingSourceFile), end: namedBindings.getStart(importingSourceFile) }); const quotePreference = isStringLiteral2(clause.parent.moduleSpecifier) ? quotePreferenceFromString(clause.parent.moduleSpecifier, importingSourceFile) : 1; const newImport = makeImport( /*defaultImport*/ void 0, [makeImportSpecifier(exportName, ref.text)], clause.parent.moduleSpecifier, quotePreference ); changes.insertNodeAfter(importingSourceFile, clause.parent, newImport); } else { changes.delete(importingSourceFile, ref); changes.insertNodeAtEndOfList(importingSourceFile, namedBindings.elements, spec); } break; } case 205: const importTypeNode = parent2; changes.replaceNode(importingSourceFile, parent2, factory.createImportTypeNode(importTypeNode.argument, importTypeNode.attributes, factory.createIdentifier(exportName), importTypeNode.typeArguments, importTypeNode.isTypeOf)); break; default: Debug.failBadSyntaxKind(parent2); } } function changeNamedToDefaultImport(importingSourceFile, ref, changes) { const parent2 = ref.parent; switch (parent2.kind) { case 211: changes.replaceNode(importingSourceFile, ref, factory.createIdentifier("default")); break; case 276: { const defaultImport = factory.createIdentifier(parent2.name.text); if (parent2.parent.elements.length === 1) { changes.replaceNode(importingSourceFile, parent2.parent, defaultImport); } else { changes.delete(importingSourceFile, parent2); changes.insertNodeBefore(importingSourceFile, parent2.parent, defaultImport); } break; } case 281: { changes.replaceNode(importingSourceFile, parent2, makeExportSpecifier("default", parent2.name.text)); break; } default: Debug.assertNever(parent2, `Unexpected parent kind ${parent2.kind}`); } } function makeImportSpecifier(propertyName, name) { return factory.createImportSpecifier( /*isTypeOnly*/ false, propertyName === name ? void 0 : factory.createIdentifier(propertyName), factory.createIdentifier(name) ); } function makeExportSpecifier(propertyName, name) { return factory.createExportSpecifier( /*isTypeOnly*/ false, propertyName === name ? void 0 : factory.createIdentifier(propertyName), factory.createIdentifier(name) ); } function getExportingModuleSymbol(parent2, checker) { if (isSourceFile(parent2)) { return parent2.symbol; } const symbol = parent2.parent.symbol; if (symbol.valueDeclaration && isExternalModuleAugmentation(symbol.valueDeclaration)) { return checker.getMergedSymbol(symbol); } return symbol; } var refactorName2 = "Convert import"; var actions = { [ 0 /* Named */ ]: { name: "Convert namespace import to named imports", description: getLocaleSpecificMessage(Diagnostics.Convert_namespace_import_to_named_imports), kind: "refactor.rewrite.import.named" }, [ 2 /* Namespace */ ]: { name: "Convert named imports to namespace import", description: getLocaleSpecificMessage(Diagnostics.Convert_named_imports_to_namespace_import), kind: "refactor.rewrite.import.namespace" }, [ 1 /* Default */ ]: { name: "Convert named imports to default import", description: getLocaleSpecificMessage(Diagnostics.Convert_named_imports_to_default_import), kind: "refactor.rewrite.import.default" } }; registerRefactor(refactorName2, { kinds: getOwnValues(actions).map((a) => a.kind), getAvailableActions: function getRefactorActionsToConvertBetweenNamedAndNamespacedImports(context) { const info = getImportConversionInfo(context, context.triggerReason === "invoked"); if (!info) return emptyArray; if (!isRefactorErrorInfo(info)) { const action = actions[info.convertTo]; return [{ name: refactorName2, description: action.description, actions: [action] }]; } if (context.preferences.provideRefactorNotApplicableReason) { return getOwnValues(actions).map((action) => ({ name: refactorName2, description: action.description, actions: [{ ...action, notApplicableReason: info.error }] })); } return emptyArray; }, getEditsForAction: function getRefactorEditsToConvertBetweenNamedAndNamespacedImports(context, actionName2) { Debug.assert(some(getOwnValues(actions), (action) => action.name === actionName2), "Unexpected action name"); const info = getImportConversionInfo(context); Debug.assert(info && !isRefactorErrorInfo(info), "Expected applicable refactor info"); const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange2(context.file, context.program, t, info)); return { edits, renameFilename: void 0, renameLocation: void 0 }; } }); function getImportConversionInfo(context, considerPartialSpans = true) { const { file } = context; const span = getRefactorContextSpan(context); const token = getTokenAtPosition(file, span.start); const importDecl = considerPartialSpans ? findAncestor(token, or(isImportDeclaration, isJSDocImportTag)) : getParentNodeInSpan(token, file, span); if (importDecl === void 0 || !(isImportDeclaration(importDecl) || isJSDocImportTag(importDecl))) return { error: "Selection is not an import declaration." }; const end = span.start + span.length; const nextToken = findNextToken(importDecl, importDecl.parent, file); if (nextToken && end > nextToken.getStart()) return void 0; const { importClause } = importDecl; if (!importClause) { return { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_import_clause) }; } if (!importClause.namedBindings) { return { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_namespace_import_or_named_imports) }; } if (importClause.namedBindings.kind === 274) { return { convertTo: 0, import: importClause.namedBindings }; } const shouldUseDefault = getShouldUseDefault(context.program, importClause); return shouldUseDefault ? { convertTo: 1, import: importClause.namedBindings } : { convertTo: 2, import: importClause.namedBindings }; } function getShouldUseDefault(program, importClause) { return getAllowSyntheticDefaultImports(program.getCompilerOptions()) && isExportEqualsModule(importClause.parent.moduleSpecifier, program.getTypeChecker()); } function doChange2(sourceFile, program, changes, info) { const checker = program.getTypeChecker(); if (info.convertTo === 0) { doChangeNamespaceToNamed(sourceFile, checker, changes, info.import, getAllowSyntheticDefaultImports(program.getCompilerOptions())); } else { doChangeNamedToNamespaceOrDefault( sourceFile, program, changes, info.import, info.convertTo === 1 /* Default */ ); } } function doChangeNamespaceToNamed(sourceFile, checker, changes, toConvert, allowSyntheticDefaultImports) { let usedAsNamespaceOrDefault = false; const nodesToReplace = []; const conflictingNames = /* @__PURE__ */ new Map(); ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(toConvert.name, checker, sourceFile, (id) => { if (!isPropertyAccessOrQualifiedName(id.parent)) { usedAsNamespaceOrDefault = true; } else { const exportName = getRightOfPropertyAccessOrQualifiedName(id.parent).text; if (checker.resolveName( exportName, id, -1, /*excludeGlobals*/ true )) { conflictingNames.set(exportName, true); } Debug.assert(getLeftOfPropertyAccessOrQualifiedName(id.parent) === id, "Parent expression should match id"); nodesToReplace.push(id.parent); } }); const exportNameToImportName = /* @__PURE__ */ new Map(); for (const propertyAccessOrQualifiedName of nodesToReplace) { const exportName = getRightOfPropertyAccessOrQualifiedName(propertyAccessOrQualifiedName).text; let importName = exportNameToImportName.get(exportName); if (importName === void 0) { exportNameToImportName.set(exportName, importName = conflictingNames.has(exportName) ? getUniqueName(exportName, sourceFile) : exportName); } changes.replaceNode(sourceFile, propertyAccessOrQualifiedName, factory.createIdentifier(importName)); } const importSpecifiers = []; exportNameToImportName.forEach((name, propertyName) => { importSpecifiers.push(factory.createImportSpecifier( /*isTypeOnly*/ false, name === propertyName ? void 0 : factory.createIdentifier(propertyName), factory.createIdentifier(name) )); }); const importDecl = toConvert.parent.parent; if (usedAsNamespaceOrDefault && !allowSyntheticDefaultImports && isImportDeclaration(importDecl)) { changes.insertNodeAfter(sourceFile, importDecl, createImport( importDecl, /*defaultImportName*/ void 0, importSpecifiers )); } else { const defaultImportName = usedAsNamespaceOrDefault ? factory.createIdentifier(toConvert.name.text) : void 0; changes.replaceNode(sourceFile, toConvert.parent, createImportClause(defaultImportName, importSpecifiers)); } } function getRightOfPropertyAccessOrQualifiedName(propertyAccessOrQualifiedName) { return isPropertyAccessExpression(propertyAccessOrQualifiedName) ? propertyAccessOrQualifiedName.name : propertyAccessOrQualifiedName.right; } function getLeftOfPropertyAccessOrQualifiedName(propertyAccessOrQualifiedName) { return isPropertyAccessExpression(propertyAccessOrQualifiedName) ? propertyAccessOrQualifiedName.expression : propertyAccessOrQualifiedName.left; } function doChangeNamedToNamespaceOrDefault(sourceFile, program, changes, toConvert, shouldUseDefault = getShouldUseDefault(program, toConvert.parent)) { const checker = program.getTypeChecker(); const importDecl = toConvert.parent.parent; const { moduleSpecifier } = importDecl; const toConvertSymbols = /* @__PURE__ */ new Set(); toConvert.elements.forEach((namedImport) => { const symbol = checker.getSymbolAtLocation(namedImport.name); if (symbol) { toConvertSymbols.add(symbol); } }); const preferredName = moduleSpecifier && isStringLiteral2(moduleSpecifier) ? moduleSpecifierToValidIdentifier( moduleSpecifier.text, 99 /* ESNext */ ) : "module"; function hasNamespaceNameConflict(namedImport) { return !!ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(namedImport.name, checker, sourceFile, (id) => { const symbol = checker.resolveName( preferredName, id, -1, /*excludeGlobals*/ true ); if (symbol) { if (toConvertSymbols.has(symbol)) { return isExportSpecifier(id.parent); } return true; } return false; }); } const namespaceNameConflicts = toConvert.elements.some(hasNamespaceNameConflict); const namespaceImportName = namespaceNameConflicts ? getUniqueName(preferredName, sourceFile) : preferredName; const neededNamedImports = /* @__PURE__ */ new Set(); for (const element of toConvert.elements) { const propertyName = (element.propertyName || element.name).text; ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(element.name, checker, sourceFile, (id) => { const access = factory.createPropertyAccessExpression(factory.createIdentifier(namespaceImportName), propertyName); if (isShorthandPropertyAssignment(id.parent)) { changes.replaceNode(sourceFile, id.parent, factory.createPropertyAssignment(id.text, access)); } else if (isExportSpecifier(id.parent)) { neededNamedImports.add(element); } else { changes.replaceNode(sourceFile, id, access); } }); } changes.replaceNode( sourceFile, toConvert, shouldUseDefault ? factory.createIdentifier(namespaceImportName) : factory.createNamespaceImport(factory.createIdentifier(namespaceImportName)) ); if (neededNamedImports.size && isImportDeclaration(importDecl)) { const newNamedImports = arrayFrom(neededNamedImports.values(), (element) => factory.createImportSpecifier(element.isTypeOnly, element.propertyName && factory.createIdentifier(element.propertyName.text), factory.createIdentifier(element.name.text))); changes.insertNodeAfter(sourceFile, toConvert.parent.parent, createImport( importDecl, /*defaultImportName*/ void 0, newNamedImports )); } } function isExportEqualsModule(moduleSpecifier, checker) { const externalModule = checker.resolveExternalModuleName(moduleSpecifier); if (!externalModule) return false; const exportEquals = checker.resolveExternalModuleSymbol(externalModule); return externalModule !== exportEquals; } function createImport(node, defaultImportName, elements) { return factory.createImportDeclaration( /*modifiers*/ void 0, createImportClause(defaultImportName, elements), node.moduleSpecifier, /*attributes*/ void 0 ); } function createImportClause(defaultImportName, elements) { return factory.createImportClause( /*isTypeOnly*/ false, defaultImportName, elements && elements.length ? factory.createNamedImports(elements) : void 0 ); } var refactorName3 = "Extract type"; var extractToTypeAliasAction = { name: "Extract to type alias", description: getLocaleSpecificMessage(Diagnostics.Extract_to_type_alias), kind: "refactor.extract.type" }; var extractToInterfaceAction = { name: "Extract to interface", description: getLocaleSpecificMessage(Diagnostics.Extract_to_interface), kind: "refactor.extract.interface" }; var extractToTypeDefAction = { name: "Extract to typedef", description: getLocaleSpecificMessage(Diagnostics.Extract_to_typedef), kind: "refactor.extract.typedef" }; registerRefactor(refactorName3, { kinds: [ extractToTypeAliasAction.kind, extractToInterfaceAction.kind, extractToTypeDefAction.kind ], getAvailableActions: function getRefactorActionsToExtractType(context) { const { info, affectedTextRange } = getRangeToExtract(context, context.triggerReason === "invoked"); if (!info) return emptyArray; if (!isRefactorErrorInfo(info)) { const refactorInfo = [{ name: refactorName3, description: getLocaleSpecificMessage(Diagnostics.Extract_type), actions: info.isJS ? [extractToTypeDefAction] : append([extractToTypeAliasAction], info.typeElements && extractToInterfaceAction) }]; return refactorInfo.map((info2) => ({ ...info2, actions: info2.actions.map((action) => ({ ...action, range: affectedTextRange ? { start: { line: getLineAndCharacterOfPosition(context.file, affectedTextRange.pos).line, offset: getLineAndCharacterOfPosition(context.file, affectedTextRange.pos).character }, end: { line: getLineAndCharacterOfPosition(context.file, affectedTextRange.end).line, offset: getLineAndCharacterOfPosition(context.file, affectedTextRange.end).character } } : void 0 })) })); } if (context.preferences.provideRefactorNotApplicableReason) { return [{ name: refactorName3, description: getLocaleSpecificMessage(Diagnostics.Extract_type), actions: [ { ...extractToTypeDefAction, notApplicableReason: info.error }, { ...extractToTypeAliasAction, notApplicableReason: info.error }, { ...extractToInterfaceAction, notApplicableReason: info.error } ] }]; } return emptyArray; }, getEditsForAction: function getRefactorEditsToExtractType(context, actionName2) { const { file } = context; const { info } = getRangeToExtract(context); Debug.assert(info && !isRefactorErrorInfo(info), "Expected to find a range to extract"); const name = getUniqueName("NewType", file); const edits = ts_textChanges_exports.ChangeTracker.with(context, (changes) => { switch (actionName2) { case extractToTypeAliasAction.name: Debug.assert(!info.isJS, "Invalid actionName/JS combo"); return doTypeAliasChange(changes, file, name, info); case extractToTypeDefAction.name: Debug.assert(info.isJS, "Invalid actionName/JS combo"); return doTypedefChange(changes, context, file, name, info); case extractToInterfaceAction.name: Debug.assert(!info.isJS && !!info.typeElements, "Invalid actionName/JS combo"); return doInterfaceChange(changes, file, name, info); default: Debug.fail("Unexpected action name"); } }); const renameFilename = file.fileName; const renameLocation = getRenameLocation( edits, renameFilename, name, /*preferLastLocation*/ false ); return { edits, renameFilename, renameLocation }; } }); function getRangeToExtract(context, considerEmptySpans = true) { const { file, startPosition } = context; const isJS = isSourceFileJS(file); const range = createTextRangeFromSpan(getRefactorContextSpan(context)); const isCursorRequest = range.pos === range.end && considerEmptySpans; const firstType = getFirstTypeAt(file, startPosition, range, isCursorRequest); if (!firstType || !isTypeNode(firstType)) return { info: { error: getLocaleSpecificMessage(Diagnostics.Selection_is_not_a_valid_type_node) }, affectedTextRange: void 0 }; const checker = context.program.getTypeChecker(); const enclosingNode = getEnclosingNode(firstType, isJS); if (enclosingNode === void 0) return { info: { error: getLocaleSpecificMessage(Diagnostics.No_type_could_be_extracted_from_this_type_node) }, affectedTextRange: void 0 }; const expandedFirstType = getExpandedSelectionNode(firstType, enclosingNode); if (!isTypeNode(expandedFirstType)) return { info: { error: getLocaleSpecificMessage(Diagnostics.Selection_is_not_a_valid_type_node) }, affectedTextRange: void 0 }; const typeList = []; if ((isUnionTypeNode(expandedFirstType.parent) || isIntersectionTypeNode(expandedFirstType.parent)) && range.end > firstType.end) { addRange( typeList, expandedFirstType.parent.types.filter((type) => { return nodeOverlapsWithStartEnd(type, file, range.pos, range.end); }) ); } const selection = typeList.length > 1 ? typeList : expandedFirstType; const { typeParameters, affectedTextRange } = collectTypeParameters(checker, selection, enclosingNode, file); if (!typeParameters) return { info: { error: getLocaleSpecificMessage(Diagnostics.No_type_could_be_extracted_from_this_type_node) }, affectedTextRange: void 0 }; const typeElements = flattenTypeLiteralNodeReference(checker, selection); return { info: { isJS, selection, enclosingNode, typeParameters, typeElements }, affectedTextRange }; } function getFirstTypeAt(file, startPosition, range, isCursorRequest) { const currentNodes = [ () => getTokenAtPosition(file, startPosition), () => getTouchingToken(file, startPosition, () => true) ]; for (const f of currentNodes) { const current = f(); const overlappingRange = nodeOverlapsWithStartEnd(current, file, range.pos, range.end); const firstType = findAncestor(current, (node) => node.parent && isTypeNode(node) && !rangeContainsSkipTrivia(range, node.parent, file) && (isCursorRequest || overlappingRange)); if (firstType) { return firstType; } } return void 0; } function flattenTypeLiteralNodeReference(checker, selection) { if (!selection) return void 0; if (isArray3(selection)) { const result = []; for (const type of selection) { const flattenedTypeMembers = flattenTypeLiteralNodeReference(checker, type); if (!flattenedTypeMembers) return void 0; addRange(result, flattenedTypeMembers); } return result; } if (isIntersectionTypeNode(selection)) { const result = []; const seen = /* @__PURE__ */ new Map(); for (const type of selection.types) { const flattenedTypeMembers = flattenTypeLiteralNodeReference(checker, type); if (!flattenedTypeMembers || !flattenedTypeMembers.every((type2) => type2.name && addToSeen(seen, getNameFromPropertyName(type2.name)))) { return void 0; } addRange(result, flattenedTypeMembers); } return result; } else if (isParenthesizedTypeNode(selection)) { return flattenTypeLiteralNodeReference(checker, selection.type); } else if (isTypeLiteralNode(selection)) { return selection.members; } return void 0; } function rangeContainsSkipTrivia(r1, node, file) { return rangeContainsStartEnd(r1, skipTrivia(file.text, node.pos), node.end); } function collectTypeParameters(checker, selection, enclosingNode, file) { const result = []; const selectionArray = toArray(selection); const selectionRange = { pos: selectionArray[0].getStart(file), end: selectionArray[selectionArray.length - 1].end }; for (const t of selectionArray) { if (visitor2(t)) return { typeParameters: void 0, affectedTextRange: void 0 }; } return { typeParameters: result, affectedTextRange: selectionRange }; function visitor2(node) { if (isTypeReferenceNode(node)) { if (isIdentifier(node.typeName)) { const typeName = node.typeName; const symbol = checker.resolveName( typeName.text, typeName, 262144, /*excludeGlobals*/ true ); for (const decl of (symbol == null ? void 0 : symbol.declarations) || emptyArray) { if (isTypeParameterDeclaration(decl) && decl.getSourceFile() === file) { if (decl.name.escapedText === typeName.escapedText && rangeContainsSkipTrivia(decl, selectionRange, file)) { return true; } if (rangeContainsSkipTrivia(enclosingNode, decl, file) && !rangeContainsSkipTrivia(selectionRange, decl, file)) { pushIfUnique(result, decl); break; } } } } } else if (isInferTypeNode(node)) { const conditionalTypeNode = findAncestor(node, (n) => isConditionalTypeNode(n) && rangeContainsSkipTrivia(n.extendsType, node, file)); if (!conditionalTypeNode || !rangeContainsSkipTrivia(selectionRange, conditionalTypeNode, file)) { return true; } } else if (isTypePredicateNode(node) || isThisTypeNode(node)) { const functionLikeNode = findAncestor(node.parent, isFunctionLike); if (functionLikeNode && functionLikeNode.type && rangeContainsSkipTrivia(functionLikeNode.type, node, file) && !rangeContainsSkipTrivia(selectionRange, functionLikeNode, file)) { return true; } } else if (isTypeQueryNode(node)) { if (isIdentifier(node.exprName)) { const symbol = checker.resolveName( node.exprName.text, node.exprName, 111551, /*excludeGlobals*/ false ); if ((symbol == null ? void 0 : symbol.valueDeclaration) && rangeContainsSkipTrivia(enclosingNode, symbol.valueDeclaration, file) && !rangeContainsSkipTrivia(selectionRange, symbol.valueDeclaration, file)) { return true; } } else { if (isThisIdentifier(node.exprName.left) && !rangeContainsSkipTrivia(selectionRange, node.parent, file)) { return true; } } } if (file && isTupleTypeNode(node) && getLineAndCharacterOfPosition(file, node.pos).line === getLineAndCharacterOfPosition(file, node.end).line) { setEmitFlags( node, 1 /* SingleLine */ ); } return forEachChild(node, visitor2); } } function doTypeAliasChange(changes, file, name, info) { const { enclosingNode, typeParameters } = info; const { firstTypeNode, lastTypeNode, newTypeNode } = getNodesToEdit(info); const newTypeDeclaration = factory.createTypeAliasDeclaration( /*modifiers*/ void 0, name, typeParameters.map((id) => factory.updateTypeParameterDeclaration( id, id.modifiers, id.name, id.constraint, /*defaultType*/ void 0 )), newTypeNode ); changes.insertNodeBefore( file, enclosingNode, ignoreSourceNewlines(newTypeDeclaration), /*blankLineBetween*/ true ); changes.replaceNodeRange(file, firstTypeNode, lastTypeNode, factory.createTypeReferenceNode(name, typeParameters.map((id) => factory.createTypeReferenceNode( id.name, /*typeArguments*/ void 0 ))), { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude, trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.ExcludeWhitespace }); } function doInterfaceChange(changes, file, name, info) { var _a; const { enclosingNode, typeParameters, typeElements } = info; const newTypeNode = factory.createInterfaceDeclaration( /*modifiers*/ void 0, name, typeParameters, /*heritageClauses*/ void 0, typeElements ); setTextRange(newTypeNode, (_a = typeElements[0]) == null ? void 0 : _a.parent); changes.insertNodeBefore( file, enclosingNode, ignoreSourceNewlines(newTypeNode), /*blankLineBetween*/ true ); const { firstTypeNode, lastTypeNode } = getNodesToEdit(info); changes.replaceNodeRange(file, firstTypeNode, lastTypeNode, factory.createTypeReferenceNode(name, typeParameters.map((id) => factory.createTypeReferenceNode( id.name, /*typeArguments*/ void 0 ))), { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude, trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.ExcludeWhitespace }); } function doTypedefChange(changes, context, file, name, info) { var _a; toArray(info.selection).forEach((typeNode) => { setEmitFlags( typeNode, 3072 | 4096 /* NoNestedComments */ ); }); const { enclosingNode, typeParameters } = info; const { firstTypeNode, lastTypeNode, newTypeNode } = getNodesToEdit(info); const node = factory.createJSDocTypedefTag( factory.createIdentifier("typedef"), factory.createJSDocTypeExpression(newTypeNode), factory.createIdentifier(name) ); const templates = []; forEach(typeParameters, (typeParameter) => { const constraint = getEffectiveConstraintOfTypeParameter(typeParameter); const parameter = factory.createTypeParameterDeclaration( /*modifiers*/ void 0, typeParameter.name ); const template = factory.createJSDocTemplateTag( factory.createIdentifier("template"), constraint && cast(constraint, isJSDocTypeExpression), [parameter] ); templates.push(template); }); const jsDoc = factory.createJSDocComment( /*comment*/ void 0, factory.createNodeArray(concatenate(templates, [node])) ); if (isJSDoc(enclosingNode)) { const pos = enclosingNode.getStart(file); const newLineCharacter = getNewLineOrDefaultFromHost(context.host, (_a = context.formatContext) == null ? void 0 : _a.options); changes.insertNodeAt(file, enclosingNode.getStart(file), jsDoc, { suffix: newLineCharacter + newLineCharacter + file.text.slice(getPrecedingNonSpaceCharacterPosition(file.text, pos - 1), pos) }); } else { changes.insertNodeBefore( file, enclosingNode, jsDoc, /*blankLineBetween*/ true ); } changes.replaceNodeRange(file, firstTypeNode, lastTypeNode, factory.createTypeReferenceNode(name, typeParameters.map((id) => factory.createTypeReferenceNode( id.name, /*typeArguments*/ void 0 )))); } function getNodesToEdit(info) { if (isArray3(info.selection)) { return { firstTypeNode: info.selection[0], lastTypeNode: info.selection[info.selection.length - 1], newTypeNode: isUnionTypeNode(info.selection[0].parent) ? factory.createUnionTypeNode(info.selection) : factory.createIntersectionTypeNode(info.selection) }; } return { firstTypeNode: info.selection, lastTypeNode: info.selection, newTypeNode: info.selection }; } function getEnclosingNode(node, isJS) { return findAncestor(node, isStatement) || (isJS ? findAncestor(node, isJSDoc) : void 0); } function getExpandedSelectionNode(firstType, enclosingNode) { return findAncestor(firstType, (node) => { if (node === enclosingNode) return "quit"; if (isUnionTypeNode(node.parent) || isIntersectionTypeNode(node.parent)) { return true; } return false; }) ?? firstType; } var refactorNameForMoveToFile = "Move to file"; var description = getLocaleSpecificMessage(Diagnostics.Move_to_file); var moveToFileAction = { name: "Move to file", description, kind: "refactor.move.file" }; registerRefactor(refactorNameForMoveToFile, { kinds: [moveToFileAction.kind], getAvailableActions: function getRefactorActionsToMoveToFile(context, interactiveRefactorArguments) { const file = context.file; const statements = getStatementsToMove(context); if (!interactiveRefactorArguments) { return emptyArray; } if (context.triggerReason === "implicit" && context.endPosition !== void 0) { const startNodeAncestor = findAncestor(getTokenAtPosition(file, context.startPosition), isBlockLike); const endNodeAncestor = findAncestor(getTokenAtPosition(file, context.endPosition), isBlockLike); if (startNodeAncestor && !isSourceFile(startNodeAncestor) && endNodeAncestor && !isSourceFile(endNodeAncestor)) { return emptyArray; } } if (context.preferences.allowTextChangesInNewFiles && statements) { const affectedTextRange = { start: { line: getLineAndCharacterOfPosition(file, statements.all[0].getStart(file)).line, offset: getLineAndCharacterOfPosition(file, statements.all[0].getStart(file)).character }, end: { line: getLineAndCharacterOfPosition(file, last(statements.all).end).line, offset: getLineAndCharacterOfPosition(file, last(statements.all).end).character } }; return [{ name: refactorNameForMoveToFile, description, actions: [{ ...moveToFileAction, range: affectedTextRange }] }]; } if (context.preferences.provideRefactorNotApplicableReason) { return [{ name: refactorNameForMoveToFile, description, actions: [{ ...moveToFileAction, notApplicableReason: getLocaleSpecificMessage(Diagnostics.Selection_is_not_a_valid_statement_or_statements) }] }]; } return emptyArray; }, getEditsForAction: function getRefactorEditsToMoveToFile(context, actionName2, interactiveRefactorArguments) { Debug.assert(actionName2 === refactorNameForMoveToFile, "Wrong refactor invoked"); const statements = Debug.checkDefined(getStatementsToMove(context)); const { host, program } = context; Debug.assert(interactiveRefactorArguments, "No interactive refactor arguments available"); const targetFile = interactiveRefactorArguments.targetFile; if (hasJSFileExtension(targetFile) || hasTSFileExtension(targetFile)) { if (host.fileExists(targetFile) && program.getSourceFile(targetFile) === void 0) { return error(getLocaleSpecificMessage(Diagnostics.Cannot_move_statements_to_the_selected_file)); } const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange3(context, context.file, interactiveRefactorArguments.targetFile, context.program, statements, t, context.host, context.preferences)); return { edits, renameFilename: void 0, renameLocation: void 0 }; } return error(getLocaleSpecificMessage(Diagnostics.Cannot_move_to_file_selected_file_is_invalid)); } }); function error(notApplicableReason) { return { edits: [], renameFilename: void 0, renameLocation: void 0, notApplicableReason }; } function doChange3(context, oldFile, targetFile, program, toMove, changes, host, preferences) { const checker = program.getTypeChecker(); const isForNewFile = !host.fileExists(targetFile); const targetSourceFile = isForNewFile ? createFutureSourceFile(targetFile, oldFile.externalModuleIndicator ? 99 : oldFile.commonJsModuleIndicator ? 1 : void 0, program, host) : Debug.checkDefined(program.getSourceFile(targetFile)); const importAdderForOldFile = ts_codefix_exports.createImportAdder(oldFile, context.program, context.preferences, context.host); const importAdderForNewFile = ts_codefix_exports.createImportAdder(targetSourceFile, context.program, context.preferences, context.host); getNewStatementsAndRemoveFromOldFile(oldFile, targetSourceFile, getUsageInfo(oldFile, toMove.all, checker, isForNewFile ? void 0 : getExistingLocals(targetSourceFile, toMove.all, checker)), changes, toMove, program, host, preferences, importAdderForNewFile, importAdderForOldFile); if (isForNewFile) { addNewFileToTsconfig(program, changes, oldFile.fileName, targetFile, hostGetCanonicalFileName(host)); } } function getNewStatementsAndRemoveFromOldFile(oldFile, targetFile, usage, changes, toMove, program, host, preferences, importAdderForNewFile, importAdderForOldFile) { const checker = program.getTypeChecker(); const prologueDirectives = takeWhile(oldFile.statements, isPrologueDirective); const useEsModuleSyntax = !fileShouldUseJavaScriptRequire(targetFile.fileName, program, host, !!oldFile.commonJsModuleIndicator); const quotePreference = getQuotePreference(oldFile, preferences); addImportsForMovedSymbols(usage.oldFileImportsFromTargetFile, targetFile.fileName, importAdderForOldFile, program); deleteUnusedOldImports(oldFile, toMove.all, usage.unusedImportsFromOldFile, importAdderForOldFile); importAdderForOldFile.writeFixes(changes, quotePreference); deleteMovedStatements(oldFile, toMove.ranges, changes); updateImportsInOtherFiles(changes, program, host, oldFile, usage.movedSymbols, targetFile.fileName, quotePreference); addExportsInOldFile(oldFile, usage.targetFileImportsFromOldFile, changes, useEsModuleSyntax); addTargetFileImports(oldFile, usage.oldImportsNeededByTargetFile, usage.targetFileImportsFromOldFile, checker, program, importAdderForNewFile); if (!isFullSourceFile(targetFile) && prologueDirectives.length) { changes.insertStatementsInNewFile(targetFile.fileName, prologueDirectives, oldFile); } importAdderForNewFile.writeFixes(changes, quotePreference); const body = addExports(oldFile, toMove.all, arrayFrom(usage.oldFileImportsFromTargetFile.keys()), useEsModuleSyntax); if (isFullSourceFile(targetFile) && targetFile.statements.length > 0) { moveStatementsToTargetFile(changes, program, body, targetFile, toMove); } else if (isFullSourceFile(targetFile)) { changes.insertNodesAtEndOfFile( targetFile, body, /*blankLineBetween*/ false ); } else { changes.insertStatementsInNewFile(targetFile.fileName, importAdderForNewFile.hasFixes() ? [4, ...body] : body, oldFile); } } function addNewFileToTsconfig(program, changes, oldFileName, newFileNameWithExtension, getCanonicalFileName) { const cfg = program.getCompilerOptions().configFile; if (!cfg) return; const newFileAbsolutePath = normalizePath(combinePaths(oldFileName, "..", newFileNameWithExtension)); const newFilePath = getRelativePathFromFile(cfg.fileName, newFileAbsolutePath, getCanonicalFileName); const cfgObject = cfg.statements[0] && tryCast(cfg.statements[0].expression, isObjectLiteralExpression); const filesProp = cfgObject && find(cfgObject.properties, (prop) => isPropertyAssignment(prop) && isStringLiteral2(prop.name) && prop.name.text === "files"); if (filesProp && isArrayLiteralExpression(filesProp.initializer)) { changes.insertNodeInListAfter(cfg, last(filesProp.initializer.elements), factory.createStringLiteral(newFilePath), filesProp.initializer.elements); } } function deleteMovedStatements(sourceFile, moved, changes) { for (const { first: first2, afterLast } of moved) { changes.deleteNodeRangeExcludingEnd(sourceFile, first2, afterLast); } } function deleteUnusedOldImports(oldFile, toMove, toDelete, importAdder) { for (const statement of oldFile.statements) { if (contains(toMove, statement)) continue; forEachImportInStatement(statement, (i) => { forEachAliasDeclarationInImportOrRequire(i, (decl) => { if (toDelete.has(decl.symbol)) { importAdder.removeExistingImport(decl); } }); }); } } function addExportsInOldFile(oldFile, targetFileImportsFromOldFile, changes, useEsModuleSyntax) { const markSeenTop = nodeSeenTracker(); targetFileImportsFromOldFile.forEach((_, symbol) => { if (!symbol.declarations) { return; } for (const decl of symbol.declarations) { if (!isTopLevelDeclaration(decl)) continue; const name = nameOfTopLevelDeclaration(decl); if (!name) continue; const top = getTopLevelDeclarationStatement(decl); if (markSeenTop(top)) { addExportToChanges(oldFile, top, name, changes, useEsModuleSyntax); } } }); } function updateImportsInOtherFiles(changes, program, host, oldFile, movedSymbols, targetFileName, quotePreference) { const checker = program.getTypeChecker(); for (const sourceFile of program.getSourceFiles()) { if (sourceFile === oldFile) continue; for (const statement of sourceFile.statements) { forEachImportInStatement(statement, (importNode) => { if (checker.getSymbolAtLocation(moduleSpecifierFromImport(importNode)) !== oldFile.symbol) return; const shouldMove = (name) => { const symbol = isBindingElement(name.parent) ? getPropertySymbolFromBindingElement(checker, name.parent) : skipAlias(checker.getSymbolAtLocation(name), checker); return !!symbol && movedSymbols.has(symbol); }; deleteUnusedImports(sourceFile, importNode, changes, shouldMove); const pathToTargetFileWithExtension = resolvePath(getDirectoryPath(getNormalizedAbsolutePath(oldFile.fileName, program.getCurrentDirectory())), targetFileName); if (getStringComparer(!program.useCaseSensitiveFileNames())(pathToTargetFileWithExtension, sourceFile.fileName) === 0) return; const newModuleSpecifier = getModuleSpecifier(program.getCompilerOptions(), sourceFile, sourceFile.fileName, pathToTargetFileWithExtension, createModuleSpecifierResolutionHost(program, host)); const newImportDeclaration = filterImport(importNode, makeStringLiteral(newModuleSpecifier, quotePreference), shouldMove); if (newImportDeclaration) changes.insertNodeAfter(sourceFile, statement, newImportDeclaration); const ns = getNamespaceLikeImport(importNode); if (ns) updateNamespaceLikeImport(changes, sourceFile, checker, movedSymbols, newModuleSpecifier, ns, importNode, quotePreference); }); } } } function getNamespaceLikeImport(node) { switch (node.kind) { case 272: return node.importClause && node.importClause.namedBindings && node.importClause.namedBindings.kind === 274 ? node.importClause.namedBindings.name : void 0; case 271: return node.name; case 260: return tryCast(node.name, isIdentifier); default: return Debug.assertNever(node, `Unexpected node kind ${node.kind}`); } } function updateNamespaceLikeImport(changes, sourceFile, checker, movedSymbols, newModuleSpecifier, oldImportId, oldImportNode, quotePreference) { const preferredNewNamespaceName = moduleSpecifierToValidIdentifier( newModuleSpecifier, 99 /* ESNext */ ); let needUniqueName = false; const toChange = []; ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(oldImportId, checker, sourceFile, (ref) => { if (!isPropertyAccessExpression(ref.parent)) return; needUniqueName = needUniqueName || !!checker.resolveName( preferredNewNamespaceName, ref, -1, /*excludeGlobals*/ true ); if (movedSymbols.has(checker.getSymbolAtLocation(ref.parent.name))) { toChange.push(ref); } }); if (toChange.length) { const newNamespaceName = needUniqueName ? getUniqueName(preferredNewNamespaceName, sourceFile) : preferredNewNamespaceName; for (const ref of toChange) { changes.replaceNode(sourceFile, ref, factory.createIdentifier(newNamespaceName)); } changes.insertNodeAfter(sourceFile, oldImportNode, updateNamespaceLikeImportNode(oldImportNode, preferredNewNamespaceName, newModuleSpecifier, quotePreference)); } } function updateNamespaceLikeImportNode(node, newNamespaceName, newModuleSpecifier, quotePreference) { const newNamespaceId = factory.createIdentifier(newNamespaceName); const newModuleString = makeStringLiteral(newModuleSpecifier, quotePreference); switch (node.kind) { case 272: return factory.createImportDeclaration( /*modifiers*/ void 0, factory.createImportClause( /*isTypeOnly*/ false, /*name*/ void 0, factory.createNamespaceImport(newNamespaceId) ), newModuleString, /*attributes*/ void 0 ); case 271: return factory.createImportEqualsDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, newNamespaceId, factory.createExternalModuleReference(newModuleString) ); case 260: return factory.createVariableDeclaration( newNamespaceId, /*exclamationToken*/ void 0, /*type*/ void 0, createRequireCall(newModuleString) ); default: return Debug.assertNever(node, `Unexpected node kind ${node.kind}`); } } function createRequireCall(moduleSpecifier) { return factory.createCallExpression( factory.createIdentifier("require"), /*typeArguments*/ void 0, [moduleSpecifier] ); } function moduleSpecifierFromImport(i) { return i.kind === 272 ? i.moduleSpecifier : i.kind === 271 ? i.moduleReference.expression : i.initializer.arguments[0]; } function forEachImportInStatement(statement, cb) { if (isImportDeclaration(statement)) { if (isStringLiteral2(statement.moduleSpecifier)) cb(statement); } else if (isImportEqualsDeclaration(statement)) { if (isExternalModuleReference(statement.moduleReference) && isStringLiteralLike(statement.moduleReference.expression)) { cb(statement); } } else if (isVariableStatement(statement)) { for (const decl of statement.declarationList.declarations) { if (decl.initializer && isRequireCall( decl.initializer, /*requireStringLiteralLikeArgument*/ true )) { cb(decl); } } } } function forEachAliasDeclarationInImportOrRequire(importOrRequire, cb) { var _a, _b, _c, _d, _e; if (importOrRequire.kind === 272) { if ((_a = importOrRequire.importClause) == null ? void 0 : _a.name) { cb(importOrRequire.importClause); } if (((_c = (_b = importOrRequire.importClause) == null ? void 0 : _b.namedBindings) == null ? void 0 : _c.kind) === 274) { cb(importOrRequire.importClause.namedBindings); } if (((_e = (_d = importOrRequire.importClause) == null ? void 0 : _d.namedBindings) == null ? void 0 : _e.kind) === 275) { for (const element of importOrRequire.importClause.namedBindings.elements) { cb(element); } } } else if (importOrRequire.kind === 271) { cb(importOrRequire); } else if (importOrRequire.kind === 260) { if (importOrRequire.name.kind === 80) { cb(importOrRequire); } else if (importOrRequire.name.kind === 206) { for (const element of importOrRequire.name.elements) { if (isIdentifier(element.name)) { cb(element); } } } } } function addImportsForMovedSymbols(symbols, targetFileName, importAdder, program) { for (const [symbol, isValidTypeOnlyUseSite] of symbols) { const symbolName2 = getNameForExportedSymbol(symbol, getEmitScriptTarget(program.getCompilerOptions())); const exportKind = symbol.name === "default" && symbol.parent ? 1 : 0; importAdder.addImportForNonExistentExport(symbolName2, targetFileName, exportKind, symbol.flags, isValidTypeOnlyUseSite); } } function makeVariableStatement(name, type, initializer, flags = 2) { return factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList([factory.createVariableDeclaration( name, /*exclamationToken*/ void 0, type, initializer )], flags) ); } function addExports(sourceFile, toMove, needExport, useEs6Exports) { return flatMap(toMove, (statement) => { if (isTopLevelDeclarationStatement(statement) && !isExported(sourceFile, statement, useEs6Exports) && forEachTopLevelDeclaration(statement, (d) => { var _a; return needExport.includes(Debug.checkDefined((_a = tryCast(d, canHaveSymbol)) == null ? void 0 : _a.symbol)); })) { const exports22 = addExport(getSynthesizedDeepClone(statement), useEs6Exports); if (exports22) return exports22; } return getSynthesizedDeepClone(statement); }); } function isExported(sourceFile, decl, useEs6Exports, name) { var _a; if (useEs6Exports) { return !isExpressionStatement2(decl) && hasSyntacticModifier( decl, 32 /* Export */ ) || !!(name && sourceFile.symbol && ((_a = sourceFile.symbol.exports) == null ? void 0 : _a.has(name.escapedText))); } return !!sourceFile.symbol && !!sourceFile.symbol.exports && getNamesToExportInCommonJS(decl).some((name2) => sourceFile.symbol.exports.has(escapeLeadingUnderscores(name2))); } function deleteUnusedImports(sourceFile, importDecl, changes, isUnused) { if (importDecl.kind === 272 && importDecl.importClause) { const { name, namedBindings } = importDecl.importClause; if ((!name || isUnused(name)) && (!namedBindings || namedBindings.kind === 275 && namedBindings.elements.length !== 0 && namedBindings.elements.every((e) => isUnused(e.name)))) { return changes.delete(sourceFile, importDecl); } } forEachAliasDeclarationInImportOrRequire(importDecl, (i) => { if (i.name && isIdentifier(i.name) && isUnused(i.name)) { changes.delete(sourceFile, i); } }); } function isTopLevelDeclarationStatement(node) { Debug.assert(isSourceFile(node.parent), "Node parent should be a SourceFile"); return isNonVariableTopLevelDeclaration(node) || isVariableStatement(node); } function addExport(decl, useEs6Exports) { return useEs6Exports ? [addEs6Export(decl)] : addCommonjsExport(decl); } function addEs6Export(d) { const modifiers = canHaveModifiers(d) ? concatenate([factory.createModifier( 95 /* ExportKeyword */ )], getModifiers(d)) : void 0; switch (d.kind) { case 262: return factory.updateFunctionDeclaration(d, modifiers, d.asteriskToken, d.name, d.typeParameters, d.parameters, d.type, d.body); case 263: const decorators = canHaveDecorators(d) ? getDecorators(d) : void 0; return factory.updateClassDeclaration(d, concatenate(decorators, modifiers), d.name, d.typeParameters, d.heritageClauses, d.members); case 243: return factory.updateVariableStatement(d, modifiers, d.declarationList); case 267: return factory.updateModuleDeclaration(d, modifiers, d.name, d.body); case 266: return factory.updateEnumDeclaration(d, modifiers, d.name, d.members); case 265: return factory.updateTypeAliasDeclaration(d, modifiers, d.name, d.typeParameters, d.type); case 264: return factory.updateInterfaceDeclaration(d, modifiers, d.name, d.typeParameters, d.heritageClauses, d.members); case 271: return factory.updateImportEqualsDeclaration(d, modifiers, d.isTypeOnly, d.name, d.moduleReference); case 244: return Debug.fail(); default: return Debug.assertNever(d, `Unexpected declaration kind ${d.kind}`); } } function addCommonjsExport(decl) { return [decl, ...getNamesToExportInCommonJS(decl).map(createExportAssignment)]; } function createExportAssignment(name) { return factory.createExpressionStatement( factory.createBinaryExpression( factory.createPropertyAccessExpression(factory.createIdentifier("exports"), factory.createIdentifier(name)), 64, factory.createIdentifier(name) ) ); } function getNamesToExportInCommonJS(decl) { switch (decl.kind) { case 262: case 263: return [decl.name.text]; case 243: return mapDefined(decl.declarationList.declarations, (d) => isIdentifier(d.name) ? d.name.text : void 0); case 267: case 266: case 265: case 264: case 271: return emptyArray; case 244: return Debug.fail("Can't export an ExpressionStatement"); default: return Debug.assertNever(decl, `Unexpected decl kind ${decl.kind}`); } } function filterImport(i, moduleSpecifier, keep) { switch (i.kind) { case 272: { const clause = i.importClause; if (!clause) return void 0; const defaultImport = clause.name && keep(clause.name) ? clause.name : void 0; const namedBindings = clause.namedBindings && filterNamedBindings(clause.namedBindings, keep); return defaultImport || namedBindings ? factory.createImportDeclaration( /*modifiers*/ void 0, factory.createImportClause(clause.isTypeOnly, defaultImport, namedBindings), getSynthesizedDeepClone(moduleSpecifier), /*attributes*/ void 0 ) : void 0; } case 271: return keep(i.name) ? i : void 0; case 260: { const name = filterBindingName(i.name, keep); return name ? makeVariableStatement(name, i.type, createRequireCall(moduleSpecifier), i.parent.flags) : void 0; } default: return Debug.assertNever(i, `Unexpected import kind ${i.kind}`); } } function filterNamedBindings(namedBindings, keep) { if (namedBindings.kind === 274) { return keep(namedBindings.name) ? namedBindings : void 0; } else { const newElements = namedBindings.elements.filter((e) => keep(e.name)); return newElements.length ? factory.createNamedImports(newElements) : void 0; } } function filterBindingName(name, keep) { switch (name.kind) { case 80: return keep(name) ? name : void 0; case 207: return name; case 206: { const newElements = name.elements.filter((prop) => prop.propertyName || !isIdentifier(prop.name) || keep(prop.name)); return newElements.length ? factory.createObjectBindingPattern(newElements) : void 0; } } } function nameOfTopLevelDeclaration(d) { return isExpressionStatement2(d) ? tryCast(d.expression.left.name, isIdentifier) : tryCast(d.name, isIdentifier); } function getTopLevelDeclarationStatement(d) { switch (d.kind) { case 260: return d.parent.parent; case 208: return getTopLevelDeclarationStatement( cast(d.parent.parent, (p) => isVariableDeclaration(p) || isBindingElement(p)) ); default: return d; } } function addExportToChanges(sourceFile, decl, name, changes, useEs6Exports) { if (isExported(sourceFile, decl, useEs6Exports, name)) return; if (useEs6Exports) { if (!isExpressionStatement2(decl)) changes.insertExportModifier(sourceFile, decl); } else { const names = getNamesToExportInCommonJS(decl); if (names.length !== 0) changes.insertNodesAfter(sourceFile, decl, names.map(createExportAssignment)); } } function createNewFileName(oldFile, program, host, toMove) { const checker = program.getTypeChecker(); if (toMove) { const usage = getUsageInfo(oldFile, toMove.all, checker); const currentDirectory = getDirectoryPath(oldFile.fileName); const extension = extensionFromPath(oldFile.fileName); const newFileName = combinePaths( // new file is always placed in the same directory as the old file currentDirectory, // ensures the filename computed below isn't already taken makeUniqueFilename( // infers a name for the new file from the symbols being moved inferNewFileName(usage.oldFileImportsFromTargetFile, usage.movedSymbols), extension, currentDirectory, host ) ) + extension; return newFileName; } return ""; } function getRangeToMove(context) { const { file } = context; const range = createTextRangeFromSpan(getRefactorContextSpan(context)); const { statements } = file; let startNodeIndex = findIndex(statements, (s) => s.end > range.pos); if (startNodeIndex === -1) return void 0; const startStatement = statements[startNodeIndex]; const overloadRangeToMove = getOverloadRangeToMove(file, startStatement); if (overloadRangeToMove) { startNodeIndex = overloadRangeToMove.start; } let endNodeIndex = findIndex(statements, (s) => s.end >= range.end, startNodeIndex); if (endNodeIndex !== -1 && range.end <= statements[endNodeIndex].getStart()) { endNodeIndex--; } const endingOverloadRangeToMove = getOverloadRangeToMove(file, statements[endNodeIndex]); if (endingOverloadRangeToMove) { endNodeIndex = endingOverloadRangeToMove.end; } return { toMove: statements.slice(startNodeIndex, endNodeIndex === -1 ? statements.length : endNodeIndex + 1), afterLast: endNodeIndex === -1 ? void 0 : statements[endNodeIndex + 1] }; } function getStatementsToMove(context) { const rangeToMove = getRangeToMove(context); if (rangeToMove === void 0) return void 0; const all = []; const ranges = []; const { toMove, afterLast } = rangeToMove; getRangesWhere(toMove, isAllowedStatementToMove, (start, afterEndIndex) => { for (let i = start; i < afterEndIndex; i++) all.push(toMove[i]); ranges.push({ first: toMove[start], afterLast }); }); return all.length === 0 ? void 0 : { all, ranges }; } function containsJsx(statements) { return find(statements, (statement) => !!(statement.transformFlags & 2)); } function isAllowedStatementToMove(statement) { return !isPureImport(statement) && !isPrologueDirective(statement); } function isPureImport(node) { switch (node.kind) { case 272: return true; case 271: return !hasSyntacticModifier( node, 32 /* Export */ ); case 243: return node.declarationList.declarations.every((d) => !!d.initializer && isRequireCall( d.initializer, /*requireStringLiteralLikeArgument*/ true )); default: return false; } } function getUsageInfo(oldFile, toMove, checker, existingTargetLocals = /* @__PURE__ */ new Set()) { var _a; const movedSymbols = /* @__PURE__ */ new Set(); const oldImportsNeededByTargetFile = /* @__PURE__ */ new Map(); const targetFileImportsFromOldFile = /* @__PURE__ */ new Map(); const jsxNamespaceSymbol = getJsxNamespaceSymbol(containsJsx(toMove)); if (jsxNamespaceSymbol) { oldImportsNeededByTargetFile.set(jsxNamespaceSymbol, [false, tryCast((_a = jsxNamespaceSymbol.declarations) == null ? void 0 : _a[0], (d) => isImportSpecifier(d) || isImportClause(d) || isNamespaceImport(d) || isImportEqualsDeclaration(d) || isBindingElement(d) || isVariableDeclaration(d))]); } for (const statement of toMove) { forEachTopLevelDeclaration(statement, (decl) => { movedSymbols.add(Debug.checkDefined(isExpressionStatement2(decl) ? checker.getSymbolAtLocation(decl.expression.left) : decl.symbol, "Need a symbol here")); }); } const unusedImportsFromOldFile = /* @__PURE__ */ new Set(); for (const statement of toMove) { forEachReference(statement, checker, (symbol, isValidTypeOnlyUseSite) => { if (!symbol.declarations || isGlobalType(checker, symbol)) { return; } if (existingTargetLocals.has(skipAlias(symbol, checker))) { unusedImportsFromOldFile.add(symbol); return; } for (const decl of symbol.declarations) { if (isInImport(decl)) { const prevIsTypeOnly = oldImportsNeededByTargetFile.get(symbol); oldImportsNeededByTargetFile.set(symbol, [ prevIsTypeOnly === void 0 ? isValidTypeOnlyUseSite : prevIsTypeOnly && isValidTypeOnlyUseSite, tryCast(decl, (d) => isImportSpecifier(d) || isImportClause(d) || isNamespaceImport(d) || isImportEqualsDeclaration(d) || isBindingElement(d) || isVariableDeclaration(d)) ]); } else if (isTopLevelDeclaration(decl) && sourceFileOfTopLevelDeclaration(decl) === oldFile && !movedSymbols.has(symbol)) { targetFileImportsFromOldFile.set(symbol, isValidTypeOnlyUseSite); } } }); } for (const unusedImport of oldImportsNeededByTargetFile.keys()) { unusedImportsFromOldFile.add(unusedImport); } const oldFileImportsFromTargetFile = /* @__PURE__ */ new Map(); for (const statement of oldFile.statements) { if (contains(toMove, statement)) continue; if (jsxNamespaceSymbol && !!(statement.transformFlags & 2)) { unusedImportsFromOldFile.delete(jsxNamespaceSymbol); } forEachReference(statement, checker, (symbol, isValidTypeOnlyUseSite) => { if (movedSymbols.has(symbol)) oldFileImportsFromTargetFile.set(symbol, isValidTypeOnlyUseSite); unusedImportsFromOldFile.delete(symbol); }); } return { movedSymbols, targetFileImportsFromOldFile, oldFileImportsFromTargetFile, oldImportsNeededByTargetFile, unusedImportsFromOldFile }; function getJsxNamespaceSymbol(containsJsx2) { if (containsJsx2 === void 0) { return void 0; } const jsxNamespace = checker.getJsxNamespace(containsJsx2); const jsxNamespaceSymbol2 = checker.resolveName( jsxNamespace, containsJsx2, 1920, /*excludeGlobals*/ true ); return !!jsxNamespaceSymbol2 && some(jsxNamespaceSymbol2.declarations, isInImport) ? jsxNamespaceSymbol2 : void 0; } } function isGlobalType(checker, symbol) { return !!checker.resolveName( symbol.name, /*location*/ void 0, 788968, /*excludeGlobals*/ false ); } function makeUniqueFilename(proposedFilename, extension, inDirectory, host) { let newFilename = proposedFilename; for (let i = 1; ; i++) { const name = combinePaths(inDirectory, newFilename + extension); if (!host.fileExists(name)) return newFilename; newFilename = `${proposedFilename}.${i}`; } } function inferNewFileName(importsFromNewFile, movedSymbols) { return forEachKey(importsFromNewFile, symbolNameNoDefault) || forEachKey(movedSymbols, symbolNameNoDefault) || "newFile"; } function forEachReference(node, checker, onReference) { node.forEachChild(function cb(node2) { if (isIdentifier(node2) && !isDeclarationName(node2)) { const sym = checker.getSymbolAtLocation(node2); if (sym) onReference(sym, isValidTypeOnlyAliasUseSite(node2)); } else { node2.forEachChild(cb); } }); } function forEachTopLevelDeclaration(statement, cb) { switch (statement.kind) { case 262: case 263: case 267: case 266: case 265: case 264: case 271: return cb(statement); case 243: return firstDefined(statement.declarationList.declarations, (decl) => forEachTopLevelDeclarationInBindingName(decl.name, cb)); case 244: { const { expression } = statement; return isBinaryExpression(expression) && getAssignmentDeclarationKind(expression) === 1 ? cb(statement) : void 0; } } } function isInImport(decl) { switch (decl.kind) { case 271: case 276: case 273: case 274: return true; case 260: return isVariableDeclarationInImport(decl); case 208: return isVariableDeclaration(decl.parent.parent) && isVariableDeclarationInImport(decl.parent.parent); default: return false; } } function isVariableDeclarationInImport(decl) { return isSourceFile(decl.parent.parent.parent) && !!decl.initializer && isRequireCall( decl.initializer, /*requireStringLiteralLikeArgument*/ true ); } function isTopLevelDeclaration(node) { return isNonVariableTopLevelDeclaration(node) && isSourceFile(node.parent) || isVariableDeclaration(node) && isSourceFile(node.parent.parent.parent); } function sourceFileOfTopLevelDeclaration(node) { return isVariableDeclaration(node) ? node.parent.parent.parent : node.parent; } function forEachTopLevelDeclarationInBindingName(name, cb) { switch (name.kind) { case 80: return cb(cast(name.parent, (x) => isVariableDeclaration(x) || isBindingElement(x))); case 207: case 206: return firstDefined(name.elements, (em) => isOmittedExpression(em) ? void 0 : forEachTopLevelDeclarationInBindingName(em.name, cb)); default: return Debug.assertNever(name, `Unexpected name kind ${name.kind}`); } } function isNonVariableTopLevelDeclaration(node) { switch (node.kind) { case 262: case 263: case 267: case 266: case 265: case 264: case 271: return true; default: return false; } } function moveStatementsToTargetFile(changes, program, statements, targetFile, toMove) { var _a; const removedExports = /* @__PURE__ */ new Set(); const targetExports = (_a = targetFile.symbol) == null ? void 0 : _a.exports; if (targetExports) { const checker = program.getTypeChecker(); const targetToSourceExports = /* @__PURE__ */ new Map(); for (const node of toMove.all) { if (isTopLevelDeclarationStatement(node) && hasSyntacticModifier( node, 32 /* Export */ )) { forEachTopLevelDeclaration(node, (declaration) => { var _a2; const targetDeclarations = canHaveSymbol(declaration) ? (_a2 = targetExports.get(declaration.symbol.escapedName)) == null ? void 0 : _a2.declarations : void 0; const exportDeclaration = firstDefined(targetDeclarations, (d) => isExportDeclaration(d) ? d : isExportSpecifier(d) ? tryCast(d.parent.parent, isExportDeclaration) : void 0); if (exportDeclaration && exportDeclaration.moduleSpecifier) { targetToSourceExports.set(exportDeclaration, (targetToSourceExports.get(exportDeclaration) || /* @__PURE__ */ new Set()).add(declaration)); } }); } } for (const [exportDeclaration, topLevelDeclarations] of arrayFrom(targetToSourceExports)) { if (exportDeclaration.exportClause && isNamedExports(exportDeclaration.exportClause) && length(exportDeclaration.exportClause.elements)) { const elements = exportDeclaration.exportClause.elements; const updatedElements = filter(elements, (elem) => find(skipAlias(elem.symbol, checker).declarations, (d) => isTopLevelDeclaration(d) && topLevelDeclarations.has(d)) === void 0); if (length(updatedElements) === 0) { changes.deleteNode(targetFile, exportDeclaration); removedExports.add(exportDeclaration); continue; } if (length(updatedElements) < length(elements)) { changes.replaceNode(targetFile, exportDeclaration, factory.updateExportDeclaration(exportDeclaration, exportDeclaration.modifiers, exportDeclaration.isTypeOnly, factory.updateNamedExports(exportDeclaration.exportClause, factory.createNodeArray(updatedElements, elements.hasTrailingComma)), exportDeclaration.moduleSpecifier, exportDeclaration.attributes)); } } } } const lastReExport = findLast(targetFile.statements, (n) => isExportDeclaration(n) && !!n.moduleSpecifier && !removedExports.has(n)); if (lastReExport) { changes.insertNodesBefore( targetFile, lastReExport, statements, /*blankLineBetween*/ true ); } else { changes.insertNodesAfter(targetFile, targetFile.statements[targetFile.statements.length - 1], statements); } } function getOverloadRangeToMove(sourceFile, statement) { if (isFunctionLikeDeclaration(statement)) { const declarations = statement.symbol.declarations; if (declarations === void 0 || length(declarations) <= 1 || !contains(declarations, statement)) { return void 0; } const firstDecl = declarations[0]; const lastDecl = declarations[length(declarations) - 1]; const statementsToMove = mapDefined(declarations, (d) => getSourceFileOfNode(d) === sourceFile && isStatement(d) ? d : void 0); const end = findIndex(sourceFile.statements, (s) => s.end >= lastDecl.end); const start = findIndex(sourceFile.statements, (s) => s.end >= firstDecl.end); return { toMove: statementsToMove, start, end }; } return void 0; } function getExistingLocals(sourceFile, statements, checker) { const existingLocals = /* @__PURE__ */ new Set(); for (const moduleSpecifier of sourceFile.imports) { const declaration = importFromModuleSpecifier(moduleSpecifier); if (isImportDeclaration(declaration) && declaration.importClause && declaration.importClause.namedBindings && isNamedImports(declaration.importClause.namedBindings)) { for (const e of declaration.importClause.namedBindings.elements) { const symbol = checker.getSymbolAtLocation(e.propertyName || e.name); if (symbol) { existingLocals.add(skipAlias(symbol, checker)); } } } if (isVariableDeclarationInitializedToRequire(declaration.parent) && isObjectBindingPattern(declaration.parent.name)) { for (const e of declaration.parent.name.elements) { const symbol = checker.getSymbolAtLocation(e.propertyName || e.name); if (symbol) { existingLocals.add(skipAlias(symbol, checker)); } } } } for (const statement of statements) { forEachReference(statement, checker, (s) => { const symbol = skipAlias(s, checker); if (symbol.valueDeclaration && getSourceFileOfNode(symbol.valueDeclaration).path === sourceFile.path) { existingLocals.add(symbol); } }); } return existingLocals; } function isRefactorErrorInfo(info) { return info.error !== void 0; } function refactorKindBeginsWith(known, requested) { if (!requested) return true; return known.substr(0, requested.length) === requested; } function getIdentifierForNode(node, scope, checker, file) { return isPropertyAccessExpression(node) && !isClassLike(scope) && !checker.resolveName( node.name.text, node, 111551, /*excludeGlobals*/ false ) && !isPrivateIdentifier(node.name) && !identifierToKeywordKind(node.name) ? node.name.text : getUniqueName(isClassLike(scope) ? "newProperty" : "newLocal", file); } function addTargetFileImports(oldFile, importsToCopy, targetFileImportsFromOldFile, checker, program, importAdder) { importsToCopy.forEach(([isValidTypeOnlyUseSite, declaration], symbol) => { var _a; const targetSymbol = skipAlias(symbol, checker); if (checker.isUnknownSymbol(targetSymbol)) { importAdder.addVerbatimImport(Debug.checkDefined(declaration ?? findAncestor((_a = symbol.declarations) == null ? void 0 : _a[0], isAnyImportOrRequireStatement))); } else { importAdder.addImportFromExportedSymbol(targetSymbol, isValidTypeOnlyUseSite, declaration); } }); addImportsForMovedSymbols(targetFileImportsFromOldFile, oldFile.fileName, importAdder, program); } var refactorName4 = "Inline variable"; var refactorDescription = getLocaleSpecificMessage(Diagnostics.Inline_variable); var inlineVariableAction = { name: refactorName4, description: refactorDescription, kind: "refactor.inline.variable" }; registerRefactor(refactorName4, { kinds: [inlineVariableAction.kind], getAvailableActions(context) { const { file, program, preferences, startPosition, triggerReason } = context; const info = getInliningInfo(file, startPosition, triggerReason === "invoked", program); if (!info) { return emptyArray; } if (!ts_refactor_exports.isRefactorErrorInfo(info)) { return [{ name: refactorName4, description: refactorDescription, actions: [inlineVariableAction] }]; } if (preferences.provideRefactorNotApplicableReason) { return [{ name: refactorName4, description: refactorDescription, actions: [{ ...inlineVariableAction, notApplicableReason: info.error }] }]; } return emptyArray; }, getEditsForAction(context, actionName2) { Debug.assert(actionName2 === refactorName4, "Unexpected refactor invoked"); const { file, program, startPosition } = context; const info = getInliningInfo( file, startPosition, /*tryWithReferenceToken*/ true, program ); if (!info || ts_refactor_exports.isRefactorErrorInfo(info)) { return void 0; } const { references, declaration, replacement } = info; const edits = ts_textChanges_exports.ChangeTracker.with(context, (tracker2) => { for (const node of references) { tracker2.replaceNode(file, node, getReplacementExpression(node, replacement)); } tracker2.delete(file, declaration); }); return { edits }; } }); function getInliningInfo(file, startPosition, tryWithReferenceToken, program) { var _a, _b; const checker = program.getTypeChecker(); const token = getTouchingPropertyName(file, startPosition); const parent2 = token.parent; if (!isIdentifier(token)) { return void 0; } if (isInitializedVariable(parent2) && isVariableDeclarationInVariableStatement(parent2) && isIdentifier(parent2.name)) { if (((_a = checker.getMergedSymbol(parent2.symbol).declarations) == null ? void 0 : _a.length) !== 1) { return { error: getLocaleSpecificMessage(Diagnostics.Variables_with_multiple_declarations_cannot_be_inlined) }; } if (isDeclarationExported(parent2)) { return void 0; } const references = getReferenceNodes(parent2, checker, file); return references && { references, declaration: parent2, replacement: parent2.initializer }; } if (tryWithReferenceToken) { let definition = checker.resolveName( token.text, token, 111551, /*excludeGlobals*/ false ); definition = definition && checker.getMergedSymbol(definition); if (((_b = definition == null ? void 0 : definition.declarations) == null ? void 0 : _b.length) !== 1) { return { error: getLocaleSpecificMessage(Diagnostics.Variables_with_multiple_declarations_cannot_be_inlined) }; } const declaration = definition.declarations[0]; if (!isInitializedVariable(declaration) || !isVariableDeclarationInVariableStatement(declaration) || !isIdentifier(declaration.name)) { return void 0; } if (isDeclarationExported(declaration)) { return void 0; } const references = getReferenceNodes(declaration, checker, file); return references && { references, declaration, replacement: declaration.initializer }; } return { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_variable_to_inline) }; } function isDeclarationExported(declaration) { const variableStatement = cast(declaration.parent.parent, isVariableStatement); return some(variableStatement.modifiers, isExportModifier); } function getReferenceNodes(declaration, checker, file) { const references = []; const cannotInline = ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(declaration.name, checker, file, (ref) => { if (ts_FindAllReferences_exports.isWriteAccessForReference(ref) && !isShorthandPropertyAssignment(ref.parent)) { return true; } if (isExportSpecifier(ref.parent) || isExportAssignment(ref.parent)) { return true; } if (isTypeQueryNode(ref.parent)) { return true; } if (textRangeContainsPositionInclusive(declaration, ref.pos)) { return true; } references.push(ref); }); return references.length === 0 || cannotInline ? void 0 : references; } function getReplacementExpression(reference, replacement) { replacement = getSynthesizedDeepClone(replacement); const { parent: parent2 } = reference; if (isExpression(parent2) && (getExpressionPrecedence(replacement) < getExpressionPrecedence(parent2) || needsParentheses2(parent2))) { return factory.createParenthesizedExpression(replacement); } if (isFunctionLike(replacement) && (isCallLikeExpression(parent2) || isPropertyAccessExpression(parent2))) { return factory.createParenthesizedExpression(replacement); } if (isPropertyAccessExpression(parent2) && (isNumericLiteral(replacement) || isObjectLiteralExpression(replacement))) { return factory.createParenthesizedExpression(replacement); } if (isIdentifier(reference) && isShorthandPropertyAssignment(parent2)) { return factory.createPropertyAssignment(reference, replacement); } return replacement; } var refactorName5 = "Move to a new file"; var description2 = getLocaleSpecificMessage(Diagnostics.Move_to_a_new_file); var moveToNewFileAction = { name: refactorName5, description: description2, kind: "refactor.move.newFile" }; registerRefactor(refactorName5, { kinds: [moveToNewFileAction.kind], getAvailableActions: function getRefactorActionsToMoveToNewFile(context) { const statements = getStatementsToMove(context); const file = context.file; if (context.triggerReason === "implicit" && context.endPosition !== void 0) { const startNodeAncestor = findAncestor(getTokenAtPosition(file, context.startPosition), isBlockLike); const endNodeAncestor = findAncestor(getTokenAtPosition(file, context.endPosition), isBlockLike); if (startNodeAncestor && !isSourceFile(startNodeAncestor) && endNodeAncestor && !isSourceFile(endNodeAncestor)) { return emptyArray; } } if (context.preferences.allowTextChangesInNewFiles && statements) { const file2 = context.file; const affectedTextRange = { start: { line: getLineAndCharacterOfPosition(file2, statements.all[0].getStart(file2)).line, offset: getLineAndCharacterOfPosition(file2, statements.all[0].getStart(file2)).character }, end: { line: getLineAndCharacterOfPosition(file2, last(statements.all).end).line, offset: getLineAndCharacterOfPosition(file2, last(statements.all).end).character } }; return [{ name: refactorName5, description: description2, actions: [{ ...moveToNewFileAction, range: affectedTextRange }] }]; } if (context.preferences.provideRefactorNotApplicableReason) { return [{ name: refactorName5, description: description2, actions: [{ ...moveToNewFileAction, notApplicableReason: getLocaleSpecificMessage(Diagnostics.Selection_is_not_a_valid_statement_or_statements) }] }]; } return emptyArray; }, getEditsForAction: function getRefactorEditsToMoveToNewFile(context, actionName2) { Debug.assert(actionName2 === refactorName5, "Wrong refactor invoked"); const statements = Debug.checkDefined(getStatementsToMove(context)); const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange4(context.file, context.program, statements, t, context.host, context, context.preferences)); return { edits, renameFilename: void 0, renameLocation: void 0 }; } }); function doChange4(oldFile, program, toMove, changes, host, context, preferences) { const checker = program.getTypeChecker(); const usage = getUsageInfo(oldFile, toMove.all, checker); const newFilename = createNewFileName(oldFile, program, host, toMove); const newSourceFile = createFutureSourceFile(newFilename, oldFile.externalModuleIndicator ? 99 : oldFile.commonJsModuleIndicator ? 1 : void 0, program, host); const importAdderForOldFile = ts_codefix_exports.createImportAdder(oldFile, context.program, context.preferences, context.host); const importAdderForNewFile = ts_codefix_exports.createImportAdder(newSourceFile, context.program, context.preferences, context.host); getNewStatementsAndRemoveFromOldFile(oldFile, newSourceFile, usage, changes, toMove, program, host, preferences, importAdderForNewFile, importAdderForOldFile); addNewFileToTsconfig(program, changes, oldFile.fileName, newFilename, hostGetCanonicalFileName(host)); } var ts_refactor_addOrRemoveBracesToArrowFunction_exports = {}; var refactorName6 = "Convert overload list to single signature"; var refactorDescription2 = getLocaleSpecificMessage(Diagnostics.Convert_overload_list_to_single_signature); var functionOverloadAction = { name: refactorName6, description: refactorDescription2, kind: "refactor.rewrite.function.overloadList" }; registerRefactor(refactorName6, { kinds: [functionOverloadAction.kind], getEditsForAction: getRefactorEditsToConvertOverloadsToOneSignature, getAvailableActions: getRefactorActionsToConvertOverloadsToOneSignature }); function getRefactorActionsToConvertOverloadsToOneSignature(context) { const { file, startPosition, program } = context; const info = getConvertableOverloadListAtPosition(file, startPosition, program); if (!info) return emptyArray; return [{ name: refactorName6, description: refactorDescription2, actions: [functionOverloadAction] }]; } function getRefactorEditsToConvertOverloadsToOneSignature(context) { const { file, startPosition, program } = context; const signatureDecls = getConvertableOverloadListAtPosition(file, startPosition, program); if (!signatureDecls) return void 0; const checker = program.getTypeChecker(); const lastDeclaration = signatureDecls[signatureDecls.length - 1]; let updated = lastDeclaration; switch (lastDeclaration.kind) { case 173: { updated = factory.updateMethodSignature( lastDeclaration, lastDeclaration.modifiers, lastDeclaration.name, lastDeclaration.questionToken, lastDeclaration.typeParameters, getNewParametersForCombinedSignature(signatureDecls), lastDeclaration.type ); break; } case 174: { updated = factory.updateMethodDeclaration( lastDeclaration, lastDeclaration.modifiers, lastDeclaration.asteriskToken, lastDeclaration.name, lastDeclaration.questionToken, lastDeclaration.typeParameters, getNewParametersForCombinedSignature(signatureDecls), lastDeclaration.type, lastDeclaration.body ); break; } case 179: { updated = factory.updateCallSignature( lastDeclaration, lastDeclaration.typeParameters, getNewParametersForCombinedSignature(signatureDecls), lastDeclaration.type ); break; } case 176: { updated = factory.updateConstructorDeclaration( lastDeclaration, lastDeclaration.modifiers, getNewParametersForCombinedSignature(signatureDecls), lastDeclaration.body ); break; } case 180: { updated = factory.updateConstructSignature( lastDeclaration, lastDeclaration.typeParameters, getNewParametersForCombinedSignature(signatureDecls), lastDeclaration.type ); break; } case 262: { updated = factory.updateFunctionDeclaration( lastDeclaration, lastDeclaration.modifiers, lastDeclaration.asteriskToken, lastDeclaration.name, lastDeclaration.typeParameters, getNewParametersForCombinedSignature(signatureDecls), lastDeclaration.type, lastDeclaration.body ); break; } default: return Debug.failBadSyntaxKind(lastDeclaration, "Unhandled signature kind in overload list conversion refactoring"); } if (updated === lastDeclaration) { return; } const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => { t.replaceNodeRange(file, signatureDecls[0], signatureDecls[signatureDecls.length - 1], updated); }); return { renameFilename: void 0, renameLocation: void 0, edits }; function getNewParametersForCombinedSignature(signatureDeclarations) { const lastSig = signatureDeclarations[signatureDeclarations.length - 1]; if (isFunctionLikeDeclaration(lastSig) && lastSig.body) { signatureDeclarations = signatureDeclarations.slice(0, signatureDeclarations.length - 1); } return factory.createNodeArray([ factory.createParameterDeclaration( /*modifiers*/ void 0, factory.createToken( 26 /* DotDotDotToken */ ), "args", /*questionToken*/ void 0, factory.createUnionTypeNode(map(signatureDeclarations, convertSignatureParametersToTuple)) ) ]); } function convertSignatureParametersToTuple(decl) { const members = map(decl.parameters, convertParameterToNamedTupleMember); return setEmitFlags( factory.createTupleTypeNode(members), some(members, (m) => !!length(getSyntheticLeadingComments(m))) ? 0 : 1 /* SingleLine */ ); } function convertParameterToNamedTupleMember(p) { Debug.assert(isIdentifier(p.name)); const result = setTextRange( factory.createNamedTupleMember( p.dotDotDotToken, p.name, p.questionToken, p.type || factory.createKeywordTypeNode( 133 /* AnyKeyword */ ) ), p ); const parameterDocComment = p.symbol && p.symbol.getDocumentationComment(checker); if (parameterDocComment) { const newComment = displayPartsToString(parameterDocComment); if (newComment.length) { setSyntheticLeadingComments(result, [{ text: `* ${newComment.split("\n").map((c) => ` * ${c}`).join("\n")} `, kind: 3, pos: -1, end: -1, hasTrailingNewLine: true, hasLeadingNewline: true }]); } } return result; } } function isConvertableSignatureDeclaration(d) { switch (d.kind) { case 173: case 174: case 179: case 176: case 180: case 262: return true; } return false; } function getConvertableOverloadListAtPosition(file, startPosition, program) { const node = getTokenAtPosition(file, startPosition); const containingDecl = findAncestor(node, isConvertableSignatureDeclaration); if (!containingDecl) { return; } if (isFunctionLikeDeclaration(containingDecl) && containingDecl.body && rangeContainsPosition(containingDecl.body, startPosition)) { return; } const checker = program.getTypeChecker(); const signatureSymbol = containingDecl.symbol; if (!signatureSymbol) { return; } const decls = signatureSymbol.declarations; if (length(decls) <= 1) { return; } if (!every(decls, (d) => getSourceFileOfNode(d) === file)) { return; } if (!isConvertableSignatureDeclaration(decls[0])) { return; } const kindOne = decls[0].kind; if (!every(decls, (d) => d.kind === kindOne)) { return; } const signatureDecls = decls; if (some(signatureDecls, (d) => !!d.typeParameters || some(d.parameters, (p) => !!p.modifiers || !isIdentifier(p.name)))) { return; } const signatures = mapDefined(signatureDecls, (d) => checker.getSignatureFromDeclaration(d)); if (length(signatures) !== length(decls)) { return; } const returnOne = checker.getReturnTypeOfSignature(signatures[0]); if (!every(signatures, (s) => checker.getReturnTypeOfSignature(s) === returnOne)) { return; } return signatureDecls; } var refactorName7 = "Add or remove braces in an arrow function"; var refactorDescription3 = getLocaleSpecificMessage(Diagnostics.Add_or_remove_braces_in_an_arrow_function); var addBracesAction = { name: "Add braces to arrow function", description: getLocaleSpecificMessage(Diagnostics.Add_braces_to_arrow_function), kind: "refactor.rewrite.arrow.braces.add" }; var removeBracesAction = { name: "Remove braces from arrow function", description: getLocaleSpecificMessage(Diagnostics.Remove_braces_from_arrow_function), kind: "refactor.rewrite.arrow.braces.remove" }; registerRefactor(refactorName7, { kinds: [removeBracesAction.kind], getEditsForAction: getRefactorEditsToRemoveFunctionBraces, getAvailableActions: getRefactorActionsToRemoveFunctionBraces }); function getRefactorActionsToRemoveFunctionBraces(context) { const { file, startPosition, triggerReason } = context; const info = getConvertibleArrowFunctionAtPosition(file, startPosition, triggerReason === "invoked"); if (!info) return emptyArray; if (!isRefactorErrorInfo(info)) { return [{ name: refactorName7, description: refactorDescription3, actions: [ info.addBraces ? addBracesAction : removeBracesAction ] }]; } if (context.preferences.provideRefactorNotApplicableReason) { return [{ name: refactorName7, description: refactorDescription3, actions: [ { ...addBracesAction, notApplicableReason: info.error }, { ...removeBracesAction, notApplicableReason: info.error } ] }]; } return emptyArray; } function getRefactorEditsToRemoveFunctionBraces(context, actionName2) { const { file, startPosition } = context; const info = getConvertibleArrowFunctionAtPosition(file, startPosition); Debug.assert(info && !isRefactorErrorInfo(info), "Expected applicable refactor info"); const { expression, returnStatement, func } = info; let body; if (actionName2 === addBracesAction.name) { const returnStatement2 = factory.createReturnStatement(expression); body = factory.createBlock( [returnStatement2], /*multiLine*/ true ); copyLeadingComments( expression, returnStatement2, file, 3, /*hasTrailingNewLine*/ true ); } else if (actionName2 === removeBracesAction.name && returnStatement) { const actualExpression = expression || factory.createVoidZero(); body = needsParentheses2(actualExpression) ? factory.createParenthesizedExpression(actualExpression) : actualExpression; copyTrailingAsLeadingComments( returnStatement, body, file, 3, /*hasTrailingNewLine*/ false ); copyLeadingComments( returnStatement, body, file, 3, /*hasTrailingNewLine*/ false ); copyTrailingComments( returnStatement, body, file, 3, /*hasTrailingNewLine*/ false ); } else { Debug.fail("invalid action"); } const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => { t.replaceNode(file, func.body, body); }); return { renameFilename: void 0, renameLocation: void 0, edits }; } function getConvertibleArrowFunctionAtPosition(file, startPosition, considerFunctionBodies = true, kind) { const node = getTokenAtPosition(file, startPosition); const func = getContainingFunction(node); if (!func) { return { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_a_containing_arrow_function) }; } if (!isArrowFunction(func)) { return { error: getLocaleSpecificMessage(Diagnostics.Containing_function_is_not_an_arrow_function) }; } if (!rangeContainsRange(func, node) || rangeContainsRange(func.body, node) && !considerFunctionBodies) { return void 0; } if (refactorKindBeginsWith(addBracesAction.kind, kind) && isExpression(func.body)) { return { func, addBraces: true, expression: func.body }; } else if (refactorKindBeginsWith(removeBracesAction.kind, kind) && isBlock(func.body) && func.body.statements.length === 1) { const firstStatement = first(func.body.statements); if (isReturnStatement(firstStatement)) { const expression = firstStatement.expression && isObjectLiteralExpression(getLeftmostExpression( firstStatement.expression, /*stopAtCallExpressions*/ false )) ? factory.createParenthesizedExpression(firstStatement.expression) : firstStatement.expression; return { func, addBraces: false, expression, returnStatement: firstStatement }; } } return void 0; } var ts_refactor_convertArrowFunctionOrFunctionExpression_exports = {}; var refactorName8 = "Convert arrow function or function expression"; var refactorDescription4 = getLocaleSpecificMessage(Diagnostics.Convert_arrow_function_or_function_expression); var toAnonymousFunctionAction = { name: "Convert to anonymous function", description: getLocaleSpecificMessage(Diagnostics.Convert_to_anonymous_function), kind: "refactor.rewrite.function.anonymous" }; var toNamedFunctionAction = { name: "Convert to named function", description: getLocaleSpecificMessage(Diagnostics.Convert_to_named_function), kind: "refactor.rewrite.function.named" }; var toArrowFunctionAction = { name: "Convert to arrow function", description: getLocaleSpecificMessage(Diagnostics.Convert_to_arrow_function), kind: "refactor.rewrite.function.arrow" }; registerRefactor(refactorName8, { kinds: [ toAnonymousFunctionAction.kind, toNamedFunctionAction.kind, toArrowFunctionAction.kind ], getEditsForAction: getRefactorEditsToConvertFunctionExpressions, getAvailableActions: getRefactorActionsToConvertFunctionExpressions }); function getRefactorActionsToConvertFunctionExpressions(context) { const { file, startPosition, program, kind } = context; const info = getFunctionInfo(file, startPosition, program); if (!info) return emptyArray; const { selectedVariableDeclaration, func } = info; const possibleActions = []; const errors = []; if (refactorKindBeginsWith(toNamedFunctionAction.kind, kind)) { const error2 = selectedVariableDeclaration || isArrowFunction(func) && isVariableDeclaration(func.parent) ? void 0 : getLocaleSpecificMessage(Diagnostics.Could_not_convert_to_named_function); if (error2) { errors.push({ ...toNamedFunctionAction, notApplicableReason: error2 }); } else { possibleActions.push(toNamedFunctionAction); } } if (refactorKindBeginsWith(toAnonymousFunctionAction.kind, kind)) { const error2 = !selectedVariableDeclaration && isArrowFunction(func) ? void 0 : getLocaleSpecificMessage(Diagnostics.Could_not_convert_to_anonymous_function); if (error2) { errors.push({ ...toAnonymousFunctionAction, notApplicableReason: error2 }); } else { possibleActions.push(toAnonymousFunctionAction); } } if (refactorKindBeginsWith(toArrowFunctionAction.kind, kind)) { const error2 = isFunctionExpression(func) ? void 0 : getLocaleSpecificMessage(Diagnostics.Could_not_convert_to_arrow_function); if (error2) { errors.push({ ...toArrowFunctionAction, notApplicableReason: error2 }); } else { possibleActions.push(toArrowFunctionAction); } } return [{ name: refactorName8, description: refactorDescription4, actions: possibleActions.length === 0 && context.preferences.provideRefactorNotApplicableReason ? errors : possibleActions }]; } function getRefactorEditsToConvertFunctionExpressions(context, actionName2) { const { file, startPosition, program } = context; const info = getFunctionInfo(file, startPosition, program); if (!info) return void 0; const { func } = info; const edits = []; switch (actionName2) { case toAnonymousFunctionAction.name: edits.push(...getEditInfoForConvertToAnonymousFunction(context, func)); break; case toNamedFunctionAction.name: const variableInfo = getVariableInfo(func); if (!variableInfo) return void 0; edits.push(...getEditInfoForConvertToNamedFunction(context, func, variableInfo)); break; case toArrowFunctionAction.name: if (!isFunctionExpression(func)) return void 0; edits.push(...getEditInfoForConvertToArrowFunction(context, func)); break; default: return Debug.fail("invalid action"); } return { renameFilename: void 0, renameLocation: void 0, edits }; } function containingThis(node) { let containsThis = false; node.forEachChild(function checkThis(child) { if (isThis(child)) { containsThis = true; return; } if (!isClassLike(child) && !isFunctionDeclaration(child) && !isFunctionExpression(child)) { forEachChild(child, checkThis); } }); return containsThis; } function getFunctionInfo(file, startPosition, program) { const token = getTokenAtPosition(file, startPosition); const typeChecker = program.getTypeChecker(); const func = tryGetFunctionFromVariableDeclaration(file, typeChecker, token.parent); if (func && !containingThis(func.body) && !typeChecker.containsArgumentsReference(func)) { return { selectedVariableDeclaration: true, func }; } const maybeFunc = getContainingFunction(token); if (maybeFunc && (isFunctionExpression(maybeFunc) || isArrowFunction(maybeFunc)) && !rangeContainsRange(maybeFunc.body, token) && !containingThis(maybeFunc.body) && !typeChecker.containsArgumentsReference(maybeFunc)) { if (isFunctionExpression(maybeFunc) && isFunctionReferencedInFile(file, typeChecker, maybeFunc)) return void 0; return { selectedVariableDeclaration: false, func: maybeFunc }; } return void 0; } function isSingleVariableDeclaration(parent2) { return isVariableDeclaration(parent2) || isVariableDeclarationList(parent2) && parent2.declarations.length === 1; } function tryGetFunctionFromVariableDeclaration(sourceFile, typeChecker, parent2) { if (!isSingleVariableDeclaration(parent2)) { return void 0; } const variableDeclaration = isVariableDeclaration(parent2) ? parent2 : first(parent2.declarations); const initializer = variableDeclaration.initializer; if (initializer && (isArrowFunction(initializer) || isFunctionExpression(initializer) && !isFunctionReferencedInFile(sourceFile, typeChecker, initializer))) { return initializer; } return void 0; } function convertToBlock(body) { if (isExpression(body)) { const returnStatement = factory.createReturnStatement(body); const file = body.getSourceFile(); setTextRange(returnStatement, body); suppressLeadingAndTrailingTrivia(returnStatement); copyTrailingAsLeadingComments( body, returnStatement, file, /*commentKind*/ void 0, /*hasTrailingNewLine*/ true ); return factory.createBlock( [returnStatement], /*multiLine*/ true ); } else { return body; } } function getVariableInfo(func) { const variableDeclaration = func.parent; if (!isVariableDeclaration(variableDeclaration) || !isVariableDeclarationInVariableStatement(variableDeclaration)) return void 0; const variableDeclarationList = variableDeclaration.parent; const statement = variableDeclarationList.parent; if (!isVariableDeclarationList(variableDeclarationList) || !isVariableStatement(statement) || !isIdentifier(variableDeclaration.name)) return void 0; return { variableDeclaration, variableDeclarationList, statement, name: variableDeclaration.name }; } function getEditInfoForConvertToAnonymousFunction(context, func) { const { file } = context; const body = convertToBlock(func.body); const newNode = factory.createFunctionExpression( func.modifiers, func.asteriskToken, /*name*/ void 0, func.typeParameters, func.parameters, func.type, body ); return ts_textChanges_exports.ChangeTracker.with(context, (t) => t.replaceNode(file, func, newNode)); } function getEditInfoForConvertToNamedFunction(context, func, variableInfo) { const { file } = context; const body = convertToBlock(func.body); const { variableDeclaration, variableDeclarationList, statement, name } = variableInfo; suppressLeadingTrivia(statement); const modifiersFlags = getCombinedModifierFlags(variableDeclaration) & 32 | getEffectiveModifierFlags(func); const modifiers = factory.createModifiersFromModifierFlags(modifiersFlags); const newNode = factory.createFunctionDeclaration(length(modifiers) ? modifiers : void 0, func.asteriskToken, name, func.typeParameters, func.parameters, func.type, body); if (variableDeclarationList.declarations.length === 1) { return ts_textChanges_exports.ChangeTracker.with(context, (t) => t.replaceNode(file, statement, newNode)); } else { return ts_textChanges_exports.ChangeTracker.with(context, (t) => { t.delete(file, variableDeclaration); t.insertNodeAfter(file, statement, newNode); }); } } function getEditInfoForConvertToArrowFunction(context, func) { const { file } = context; const statements = func.body.statements; const head = statements[0]; let body; if (canBeConvertedToExpression(func.body, head)) { body = head.expression; suppressLeadingAndTrailingTrivia(body); copyComments(head, body); } else { body = func.body; } const newNode = factory.createArrowFunction(func.modifiers, func.typeParameters, func.parameters, func.type, factory.createToken( 39 /* EqualsGreaterThanToken */ ), body); return ts_textChanges_exports.ChangeTracker.with(context, (t) => t.replaceNode(file, func, newNode)); } function canBeConvertedToExpression(body, head) { return body.statements.length === 1 && (isReturnStatement(head) && !!head.expression); } function isFunctionReferencedInFile(sourceFile, typeChecker, node) { return !!node.name && ts_FindAllReferences_exports.Core.isSymbolReferencedInFile(node.name, typeChecker, sourceFile); } var ts_refactor_convertParamsToDestructuredObject_exports = {}; var refactorName9 = "Convert parameters to destructured object"; var minimumParameterLength = 1; var refactorDescription5 = getLocaleSpecificMessage(Diagnostics.Convert_parameters_to_destructured_object); var toDestructuredAction = { name: refactorName9, description: refactorDescription5, kind: "refactor.rewrite.parameters.toDestructured" }; registerRefactor(refactorName9, { kinds: [toDestructuredAction.kind], getEditsForAction: getRefactorEditsToConvertParametersToDestructuredObject, getAvailableActions: getRefactorActionsToConvertParametersToDestructuredObject }); function getRefactorActionsToConvertParametersToDestructuredObject(context) { const { file, startPosition } = context; const isJSFile = isSourceFileJS(file); if (isJSFile) return emptyArray; const functionDeclaration = getFunctionDeclarationAtPosition(file, startPosition, context.program.getTypeChecker()); if (!functionDeclaration) return emptyArray; return [{ name: refactorName9, description: refactorDescription5, actions: [toDestructuredAction] }]; } function getRefactorEditsToConvertParametersToDestructuredObject(context, actionName2) { Debug.assert(actionName2 === refactorName9, "Unexpected action name"); const { file, startPosition, program, cancellationToken, host } = context; const functionDeclaration = getFunctionDeclarationAtPosition(file, startPosition, program.getTypeChecker()); if (!functionDeclaration || !cancellationToken) return void 0; const groupedReferences = getGroupedReferences(functionDeclaration, program, cancellationToken); if (groupedReferences.valid) { const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange5(file, program, host, t, functionDeclaration, groupedReferences)); return { renameFilename: void 0, renameLocation: void 0, edits }; } return { edits: [] }; } function doChange5(sourceFile, program, host, changes, functionDeclaration, groupedReferences) { const signature = groupedReferences.signature; const newFunctionDeclarationParams = map(createNewParameters(functionDeclaration, program, host), (param) => getSynthesizedDeepClone(param)); if (signature) { const newSignatureParams = map(createNewParameters(signature, program, host), (param) => getSynthesizedDeepClone(param)); replaceParameters(signature, newSignatureParams); } replaceParameters(functionDeclaration, newFunctionDeclarationParams); const functionCalls = sortAndDeduplicate( groupedReferences.functionCalls, /*comparer*/ (a, b) => compareValues(a.pos, b.pos) ); for (const call of functionCalls) { if (call.arguments && call.arguments.length) { const newArgument = getSynthesizedDeepClone( createNewArgument(functionDeclaration, call.arguments), /*includeTrivia*/ true ); changes.replaceNodeRange( getSourceFileOfNode(call), first(call.arguments), last(call.arguments), newArgument, { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.IncludeAll, trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Include } ); } } function replaceParameters(declarationOrSignature, parameterDeclarations) { changes.replaceNodeRangeWithNodes( sourceFile, first(declarationOrSignature.parameters), last(declarationOrSignature.parameters), parameterDeclarations, { joiner: ", ", // indentation is set to 0 because otherwise the object parameter will be indented if there is a `this` parameter indentation: 0, leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.IncludeAll, trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Include } ); } } function getGroupedReferences(functionDeclaration, program, cancellationToken) { const functionNames = getFunctionNames(functionDeclaration); const classNames = isConstructorDeclaration(functionDeclaration) ? getClassNames(functionDeclaration) : []; const names = deduplicate([...functionNames, ...classNames], equateValues); const checker = program.getTypeChecker(); const references = flatMap( names, /*mapfn*/ (name) => ts_FindAllReferences_exports.getReferenceEntriesForNode(-1, name, program, program.getSourceFiles(), cancellationToken) ); const groupedReferences = groupReferences(references); if (!every( groupedReferences.declarations, /*callback*/ (decl) => contains(names, decl) )) { groupedReferences.valid = false; } return groupedReferences; function groupReferences(referenceEntries) { const classReferences = { accessExpressions: [], typeUsages: [] }; const groupedReferences2 = { functionCalls: [], declarations: [], classReferences, valid: true }; const functionSymbols = map(functionNames, getSymbolTargetAtLocation); const classSymbols = map(classNames, getSymbolTargetAtLocation); const isConstructor = isConstructorDeclaration(functionDeclaration); const contextualSymbols = map(functionNames, (name) => getSymbolForContextualType(name, checker)); for (const entry of referenceEntries) { if (entry.kind === ts_FindAllReferences_exports.EntryKind.Span) { groupedReferences2.valid = false; continue; } if (contains(contextualSymbols, getSymbolTargetAtLocation(entry.node))) { if (isValidMethodSignature(entry.node.parent)) { groupedReferences2.signature = entry.node.parent; continue; } const call = entryToFunctionCall(entry); if (call) { groupedReferences2.functionCalls.push(call); continue; } } const contextualSymbol = getSymbolForContextualType(entry.node, checker); if (contextualSymbol && contains(contextualSymbols, contextualSymbol)) { const decl = entryToDeclaration(entry); if (decl) { groupedReferences2.declarations.push(decl); continue; } } if (contains(functionSymbols, getSymbolTargetAtLocation(entry.node)) || isNewExpressionTarget(entry.node)) { const importOrExportReference = entryToImportOrExport(entry); if (importOrExportReference) { continue; } const decl = entryToDeclaration(entry); if (decl) { groupedReferences2.declarations.push(decl); continue; } const call = entryToFunctionCall(entry); if (call) { groupedReferences2.functionCalls.push(call); continue; } } if (isConstructor && contains(classSymbols, getSymbolTargetAtLocation(entry.node))) { const importOrExportReference = entryToImportOrExport(entry); if (importOrExportReference) { continue; } const decl = entryToDeclaration(entry); if (decl) { groupedReferences2.declarations.push(decl); continue; } const accessExpression = entryToAccessExpression(entry); if (accessExpression) { classReferences.accessExpressions.push(accessExpression); continue; } if (isClassDeclaration(functionDeclaration.parent)) { const type = entryToType(entry); if (type) { classReferences.typeUsages.push(type); continue; } } } groupedReferences2.valid = false; } return groupedReferences2; } function getSymbolTargetAtLocation(node) { const symbol = checker.getSymbolAtLocation(node); return symbol && getSymbolTarget(symbol, checker); } } function getSymbolForContextualType(node, checker) { const element = getContainingObjectLiteralElement(node); if (element) { const contextualType = checker.getContextualTypeForObjectLiteralElement(element); const symbol = contextualType == null ? void 0 : contextualType.getSymbol(); if (symbol && !(getCheckFlags(symbol) & 6)) { return symbol; } } } function entryToImportOrExport(entry) { const node = entry.node; if (isImportSpecifier(node.parent) || isImportClause(node.parent) || isImportEqualsDeclaration(node.parent) || isNamespaceImport(node.parent)) { return node; } if (isExportSpecifier(node.parent) || isExportAssignment(node.parent)) { return node; } return void 0; } function entryToDeclaration(entry) { if (isDeclaration(entry.node.parent)) { return entry.node; } return void 0; } function entryToFunctionCall(entry) { if (entry.node.parent) { const functionReference = entry.node; const parent2 = functionReference.parent; switch (parent2.kind) { case 213: case 214: const callOrNewExpression = tryCast(parent2, isCallOrNewExpression2); if (callOrNewExpression && callOrNewExpression.expression === functionReference) { return callOrNewExpression; } break; case 211: const propertyAccessExpression = tryCast(parent2, isPropertyAccessExpression); if (propertyAccessExpression && propertyAccessExpression.parent && propertyAccessExpression.name === functionReference) { const callOrNewExpression2 = tryCast(propertyAccessExpression.parent, isCallOrNewExpression2); if (callOrNewExpression2 && callOrNewExpression2.expression === propertyAccessExpression) { return callOrNewExpression2; } } break; case 212: const elementAccessExpression = tryCast(parent2, isElementAccessExpression); if (elementAccessExpression && elementAccessExpression.parent && elementAccessExpression.argumentExpression === functionReference) { const callOrNewExpression2 = tryCast(elementAccessExpression.parent, isCallOrNewExpression2); if (callOrNewExpression2 && callOrNewExpression2.expression === elementAccessExpression) { return callOrNewExpression2; } } break; } } return void 0; } function entryToAccessExpression(entry) { if (entry.node.parent) { const reference = entry.node; const parent2 = reference.parent; switch (parent2.kind) { case 211: const propertyAccessExpression = tryCast(parent2, isPropertyAccessExpression); if (propertyAccessExpression && propertyAccessExpression.expression === reference) { return propertyAccessExpression; } break; case 212: const elementAccessExpression = tryCast(parent2, isElementAccessExpression); if (elementAccessExpression && elementAccessExpression.expression === reference) { return elementAccessExpression; } break; } } return void 0; } function entryToType(entry) { const reference = entry.node; if (getMeaningFromLocation(reference) === 2 || isExpressionWithTypeArgumentsInClassExtendsClause(reference.parent)) { return reference; } return void 0; } function getFunctionDeclarationAtPosition(file, startPosition, checker) { const node = getTouchingToken(file, startPosition); const functionDeclaration = getContainingFunctionDeclaration(node); if (isTopLevelJSDoc(node)) return void 0; if (functionDeclaration && isValidFunctionDeclaration(functionDeclaration, checker) && rangeContainsRange(functionDeclaration, node) && !(functionDeclaration.body && rangeContainsRange(functionDeclaration.body, node))) return functionDeclaration; return void 0; } function isTopLevelJSDoc(node) { const containingJSDoc = findAncestor(node, isJSDocNode); if (containingJSDoc) { const containingNonJSDoc = findAncestor(containingJSDoc, (n) => !isJSDocNode(n)); return !!containingNonJSDoc && isFunctionLikeDeclaration(containingNonJSDoc); } return false; } function isValidMethodSignature(node) { return isMethodSignature(node) && (isInterfaceDeclaration(node.parent) || isTypeLiteralNode(node.parent)); } function isValidFunctionDeclaration(functionDeclaration, checker) { var _a; if (!isValidParameterNodeArray(functionDeclaration.parameters, checker)) return false; switch (functionDeclaration.kind) { case 262: return hasNameOrDefault(functionDeclaration) && isSingleImplementation(functionDeclaration, checker); case 174: if (isObjectLiteralExpression(functionDeclaration.parent)) { const contextualSymbol = getSymbolForContextualType(functionDeclaration.name, checker); return ((_a = contextualSymbol == null ? void 0 : contextualSymbol.declarations) == null ? void 0 : _a.length) === 1 && isSingleImplementation(functionDeclaration, checker); } return isSingleImplementation(functionDeclaration, checker); case 176: if (isClassDeclaration(functionDeclaration.parent)) { return hasNameOrDefault(functionDeclaration.parent) && isSingleImplementation(functionDeclaration, checker); } else { return isValidVariableDeclaration(functionDeclaration.parent.parent) && isSingleImplementation(functionDeclaration, checker); } case 218: case 219: return isValidVariableDeclaration(functionDeclaration.parent); } return false; } function isSingleImplementation(functionDeclaration, checker) { return !!functionDeclaration.body && !checker.isImplementationOfOverload(functionDeclaration); } function hasNameOrDefault(functionOrClassDeclaration) { if (!functionOrClassDeclaration.name) { const defaultKeyword = findModifier( functionOrClassDeclaration, 90 /* DefaultKeyword */ ); return !!defaultKeyword; } return true; } function isValidParameterNodeArray(parameters, checker) { return getRefactorableParametersLength(parameters) >= minimumParameterLength && every( parameters, /*callback*/ (paramDecl) => isValidParameterDeclaration(paramDecl, checker) ); } function isValidParameterDeclaration(parameterDeclaration, checker) { if (isRestParameter(parameterDeclaration)) { const type = checker.getTypeAtLocation(parameterDeclaration); if (!checker.isArrayType(type) && !checker.isTupleType(type)) return false; } return !parameterDeclaration.modifiers && isIdentifier(parameterDeclaration.name); } function isValidVariableDeclaration(node) { return isVariableDeclaration(node) && isVarConst(node) && isIdentifier(node.name) && !node.type; } function hasThisParameter(parameters) { return parameters.length > 0 && isThis(parameters[0].name); } function getRefactorableParametersLength(parameters) { if (hasThisParameter(parameters)) { return parameters.length - 1; } return parameters.length; } function getRefactorableParameters(parameters) { if (hasThisParameter(parameters)) { parameters = factory.createNodeArray(parameters.slice(1), parameters.hasTrailingComma); } return parameters; } function createPropertyOrShorthandAssignment(name, initializer) { if (isIdentifier(initializer) && getTextOfIdentifierOrLiteral(initializer) === name) { return factory.createShorthandPropertyAssignment(name); } return factory.createPropertyAssignment(name, initializer); } function createNewArgument(functionDeclaration, functionArguments) { const parameters = getRefactorableParameters(functionDeclaration.parameters); const hasRestParameter2 = isRestParameter(last(parameters)); const nonRestArguments = hasRestParameter2 ? functionArguments.slice(0, parameters.length - 1) : functionArguments; const properties = map(nonRestArguments, (arg, i) => { const parameterName = getParameterName(parameters[i]); const property = createPropertyOrShorthandAssignment(parameterName, arg); suppressLeadingAndTrailingTrivia(property.name); if (isPropertyAssignment(property)) suppressLeadingAndTrailingTrivia(property.initializer); copyComments(arg, property); return property; }); if (hasRestParameter2 && functionArguments.length >= parameters.length) { const restArguments = functionArguments.slice(parameters.length - 1); const restProperty = factory.createPropertyAssignment(getParameterName(last(parameters)), factory.createArrayLiteralExpression(restArguments)); properties.push(restProperty); } const objectLiteral = factory.createObjectLiteralExpression( properties, /*multiLine*/ false ); return objectLiteral; } function createNewParameters(functionDeclaration, program, host) { const checker = program.getTypeChecker(); const refactorableParameters = getRefactorableParameters(functionDeclaration.parameters); const bindingElements = map(refactorableParameters, createBindingElementFromParameterDeclaration); const objectParameterName = factory.createObjectBindingPattern(bindingElements); const objectParameterType = createParameterTypeNode(refactorableParameters); let objectInitializer; if (every(refactorableParameters, isOptionalParameter)) { objectInitializer = factory.createObjectLiteralExpression(); } const objectParameter = factory.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, objectParameterName, /*questionToken*/ void 0, objectParameterType, objectInitializer ); if (hasThisParameter(functionDeclaration.parameters)) { const thisParameter = functionDeclaration.parameters[0]; const newThisParameter = factory.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, thisParameter.name, /*questionToken*/ void 0, thisParameter.type ); suppressLeadingAndTrailingTrivia(newThisParameter.name); copyComments(thisParameter.name, newThisParameter.name); if (thisParameter.type) { suppressLeadingAndTrailingTrivia(newThisParameter.type); copyComments(thisParameter.type, newThisParameter.type); } return factory.createNodeArray([newThisParameter, objectParameter]); } return factory.createNodeArray([objectParameter]); function createBindingElementFromParameterDeclaration(parameterDeclaration) { const element = factory.createBindingElement( /*dotDotDotToken*/ void 0, /*propertyName*/ void 0, getParameterName(parameterDeclaration), isRestParameter(parameterDeclaration) && isOptionalParameter(parameterDeclaration) ? factory.createArrayLiteralExpression() : parameterDeclaration.initializer ); suppressLeadingAndTrailingTrivia(element); if (parameterDeclaration.initializer && element.initializer) { copyComments(parameterDeclaration.initializer, element.initializer); } return element; } function createParameterTypeNode(parameters) { const members = map(parameters, createPropertySignatureFromParameterDeclaration); const typeNode = addEmitFlags( factory.createTypeLiteralNode(members), 1 /* SingleLine */ ); return typeNode; } function createPropertySignatureFromParameterDeclaration(parameterDeclaration) { let parameterType = parameterDeclaration.type; if (!parameterType && (parameterDeclaration.initializer || isRestParameter(parameterDeclaration))) { parameterType = getTypeNode3(parameterDeclaration); } const propertySignature = factory.createPropertySignature( /*modifiers*/ void 0, getParameterName(parameterDeclaration), isOptionalParameter(parameterDeclaration) ? factory.createToken( 58 /* QuestionToken */ ) : parameterDeclaration.questionToken, parameterType ); suppressLeadingAndTrailingTrivia(propertySignature); copyComments(parameterDeclaration.name, propertySignature.name); if (parameterDeclaration.type && propertySignature.type) { copyComments(parameterDeclaration.type, propertySignature.type); } return propertySignature; } function getTypeNode3(node) { const type = checker.getTypeAtLocation(node); return getTypeNodeIfAccessible(type, node, program, host); } function isOptionalParameter(parameterDeclaration) { if (isRestParameter(parameterDeclaration)) { const type = checker.getTypeAtLocation(parameterDeclaration); return !checker.isTupleType(type); } return checker.isOptionalParameter(parameterDeclaration); } } function getParameterName(paramDeclaration) { return getTextOfIdentifierOrLiteral(paramDeclaration.name); } function getClassNames(constructorDeclaration) { switch (constructorDeclaration.parent.kind) { case 263: const classDeclaration = constructorDeclaration.parent; if (classDeclaration.name) return [classDeclaration.name]; const defaultModifier = Debug.checkDefined( findModifier( classDeclaration, 90 /* DefaultKeyword */ ), "Nameless class declaration should be a default export" ); return [defaultModifier]; case 231: const classExpression = constructorDeclaration.parent; const variableDeclaration = constructorDeclaration.parent.parent; const className = classExpression.name; if (className) return [className, variableDeclaration.name]; return [variableDeclaration.name]; } } function getFunctionNames(functionDeclaration) { switch (functionDeclaration.kind) { case 262: if (functionDeclaration.name) return [functionDeclaration.name]; const defaultModifier = Debug.checkDefined( findModifier( functionDeclaration, 90 /* DefaultKeyword */ ), "Nameless function declaration should be a default export" ); return [defaultModifier]; case 174: return [functionDeclaration.name]; case 176: const ctrKeyword = Debug.checkDefined( findChildOfKind(functionDeclaration, 137, functionDeclaration.getSourceFile()), "Constructor declaration should have constructor keyword" ); if (functionDeclaration.parent.kind === 231) { const variableDeclaration = functionDeclaration.parent.parent; return [variableDeclaration.name, ctrKeyword]; } return [ctrKeyword]; case 219: return [functionDeclaration.parent.name]; case 218: if (functionDeclaration.name) return [functionDeclaration.name, functionDeclaration.parent.name]; return [functionDeclaration.parent.name]; default: return Debug.assertNever(functionDeclaration, `Unexpected function declaration kind ${functionDeclaration.kind}`); } } var ts_refactor_convertStringOrTemplateLiteral_exports = {}; var refactorName10 = "Convert to template string"; var refactorDescription6 = getLocaleSpecificMessage(Diagnostics.Convert_to_template_string); var convertStringAction = { name: refactorName10, description: refactorDescription6, kind: "refactor.rewrite.string" }; registerRefactor(refactorName10, { kinds: [convertStringAction.kind], getEditsForAction: getRefactorEditsToConvertToTemplateString, getAvailableActions: getRefactorActionsToConvertToTemplateString }); function getRefactorActionsToConvertToTemplateString(context) { const { file, startPosition } = context; const node = getNodeOrParentOfParentheses(file, startPosition); const maybeBinary = getParentBinaryExpression(node); const nodeIsStringLiteral = isStringLiteral2(maybeBinary); const refactorInfo = { name: refactorName10, description: refactorDescription6, actions: [] }; if (nodeIsStringLiteral && context.triggerReason !== "invoked") { return emptyArray; } if (isExpressionNode(maybeBinary) && (nodeIsStringLiteral || isBinaryExpression(maybeBinary) && treeToArray(maybeBinary).isValidConcatenation)) { refactorInfo.actions.push(convertStringAction); return [refactorInfo]; } else if (context.preferences.provideRefactorNotApplicableReason) { refactorInfo.actions.push({ ...convertStringAction, notApplicableReason: getLocaleSpecificMessage(Diagnostics.Can_only_convert_string_concatenations_and_string_literals) }); return [refactorInfo]; } return emptyArray; } function getNodeOrParentOfParentheses(file, startPosition) { const node = getTokenAtPosition(file, startPosition); const nestedBinary = getParentBinaryExpression(node); const isNonStringBinary = !treeToArray(nestedBinary).isValidConcatenation; if (isNonStringBinary && isParenthesizedExpression(nestedBinary.parent) && isBinaryExpression(nestedBinary.parent.parent)) { return nestedBinary.parent.parent; } return node; } function getRefactorEditsToConvertToTemplateString(context, actionName2) { const { file, startPosition } = context; const node = getNodeOrParentOfParentheses(file, startPosition); switch (actionName2) { case refactorDescription6: return { edits: getEditsForToTemplateLiteral(context, node) }; default: return Debug.fail("invalid action"); } } function getEditsForToTemplateLiteral(context, node) { const maybeBinary = getParentBinaryExpression(node); const file = context.file; const templateLiteral = nodesToTemplate(treeToArray(maybeBinary), file); const trailingCommentRanges = getTrailingCommentRanges(file.text, maybeBinary.end); if (trailingCommentRanges) { const lastComment = trailingCommentRanges[trailingCommentRanges.length - 1]; const trailingRange = { pos: trailingCommentRanges[0].pos, end: lastComment.end }; return ts_textChanges_exports.ChangeTracker.with(context, (t) => { t.deleteRange(file, trailingRange); t.replaceNode(file, maybeBinary, templateLiteral); }); } else { return ts_textChanges_exports.ChangeTracker.with(context, (t) => t.replaceNode(file, maybeBinary, templateLiteral)); } } function isNotEqualsOperator(node) { return !(node.operatorToken.kind === 64 || node.operatorToken.kind === 65); } function getParentBinaryExpression(expr) { const container = findAncestor(expr.parent, (n) => { switch (n.kind) { case 211: case 212: return false; case 228: case 226: return !(isBinaryExpression(n.parent) && isNotEqualsOperator(n.parent)); default: return "quit"; } }); return container || expr; } function treeToArray(current) { const loop = (current2) => { if (!isBinaryExpression(current2)) { return { nodes: [current2], operators: [], validOperators: true, hasString: isStringLiteral2(current2) || isNoSubstitutionTemplateLiteral(current2) }; } const { nodes: nodes2, operators: operators2, hasString: leftHasString, validOperators: leftOperatorValid } = loop(current2.left); if (!(leftHasString || isStringLiteral2(current2.right) || isTemplateExpression(current2.right))) { return { nodes: [current2], operators: [], hasString: false, validOperators: true }; } const currentOperatorValid = current2.operatorToken.kind === 40; const validOperators2 = leftOperatorValid && currentOperatorValid; nodes2.push(current2.right); operators2.push(current2.operatorToken); return { nodes: nodes2, operators: operators2, hasString: true, validOperators: validOperators2 }; }; const { nodes, operators, validOperators, hasString } = loop(current); return { nodes, operators, isValidConcatenation: validOperators && hasString }; } var copyTrailingOperatorComments = (operators, file) => (index, targetNode) => { if (index < operators.length) { copyTrailingComments( operators[index], targetNode, file, 3, /*hasTrailingNewLine*/ false ); } }; var copyCommentFromMultiNode = (nodes, file, copyOperatorComments) => (indexes, targetNode) => { while (indexes.length > 0) { const index = indexes.shift(); copyTrailingComments( nodes[index], targetNode, file, 3, /*hasTrailingNewLine*/ false ); copyOperatorComments(index, targetNode); } }; function escapeRawStringForTemplate(s) { return s.replace(/\\.|[$`]/g, (m) => m[0] === "\\" ? m : "\\" + m); } function getRawTextOfTemplate(node) { const rightShaving = isTemplateHead(node) || isTemplateMiddle(node) ? -2 : -1; return getTextOfNode(node).slice(1, rightShaving); } function concatConsecutiveString(index, nodes) { const indexes = []; let text = "", rawText = ""; while (index < nodes.length) { const node = nodes[index]; if (isStringLiteralLike(node)) { text += node.text; rawText += escapeRawStringForTemplate(getTextOfNode(node).slice(1, -1)); indexes.push(index); index++; } else if (isTemplateExpression(node)) { text += node.head.text; rawText += getRawTextOfTemplate(node.head); break; } else { break; } } return [index, text, rawText, indexes]; } function nodesToTemplate({ nodes, operators }, file) { const copyOperatorComments = copyTrailingOperatorComments(operators, file); const copyCommentFromStringLiterals = copyCommentFromMultiNode(nodes, file, copyOperatorComments); const [begin, headText, rawHeadText, headIndexes] = concatConsecutiveString(0, nodes); if (begin === nodes.length) { const noSubstitutionTemplateLiteral = factory.createNoSubstitutionTemplateLiteral(headText, rawHeadText); copyCommentFromStringLiterals(headIndexes, noSubstitutionTemplateLiteral); return noSubstitutionTemplateLiteral; } const templateSpans = []; const templateHead = factory.createTemplateHead(headText, rawHeadText); copyCommentFromStringLiterals(headIndexes, templateHead); for (let i = begin; i < nodes.length; i++) { const currentNode = getExpressionFromParenthesesOrExpression(nodes[i]); copyOperatorComments(i, currentNode); const [newIndex, subsequentText, rawSubsequentText, stringIndexes] = concatConsecutiveString(i + 1, nodes); i = newIndex - 1; const isLast = i === nodes.length - 1; if (isTemplateExpression(currentNode)) { const spans = map(currentNode.templateSpans, (span, index) => { copyExpressionComments(span); const isLastSpan = index === currentNode.templateSpans.length - 1; const text = span.literal.text + (isLastSpan ? subsequentText : ""); const rawText = getRawTextOfTemplate(span.literal) + (isLastSpan ? rawSubsequentText : ""); return factory.createTemplateSpan( span.expression, isLast && isLastSpan ? factory.createTemplateTail(text, rawText) : factory.createTemplateMiddle(text, rawText) ); }); templateSpans.push(...spans); } else { const templatePart = isLast ? factory.createTemplateTail(subsequentText, rawSubsequentText) : factory.createTemplateMiddle(subsequentText, rawSubsequentText); copyCommentFromStringLiterals(stringIndexes, templatePart); templateSpans.push(factory.createTemplateSpan(currentNode, templatePart)); } } return factory.createTemplateExpression(templateHead, templateSpans); } function copyExpressionComments(node) { const file = node.getSourceFile(); copyTrailingComments( node, node.expression, file, 3, /*hasTrailingNewLine*/ false ); copyTrailingAsLeadingComments( node.expression, node.expression, file, 3, /*hasTrailingNewLine*/ false ); } function getExpressionFromParenthesesOrExpression(node) { if (isParenthesizedExpression(node)) { copyExpressionComments(node); node = node.expression; } return node; } var ts_refactor_convertToOptionalChainExpression_exports = {}; var refactorName11 = "Convert to optional chain expression"; var convertToOptionalChainExpressionMessage = getLocaleSpecificMessage(Diagnostics.Convert_to_optional_chain_expression); var toOptionalChainAction = { name: refactorName11, description: convertToOptionalChainExpressionMessage, kind: "refactor.rewrite.expression.optionalChain" }; registerRefactor(refactorName11, { kinds: [toOptionalChainAction.kind], getEditsForAction: getRefactorEditsToConvertToOptionalChain, getAvailableActions: getRefactorActionsToConvertToOptionalChain }); function getRefactorActionsToConvertToOptionalChain(context) { const info = getInfo3(context, context.triggerReason === "invoked"); if (!info) return emptyArray; if (!isRefactorErrorInfo(info)) { return [{ name: refactorName11, description: convertToOptionalChainExpressionMessage, actions: [toOptionalChainAction] }]; } if (context.preferences.provideRefactorNotApplicableReason) { return [{ name: refactorName11, description: convertToOptionalChainExpressionMessage, actions: [{ ...toOptionalChainAction, notApplicableReason: info.error }] }]; } return emptyArray; } function getRefactorEditsToConvertToOptionalChain(context, actionName2) { const info = getInfo3(context); Debug.assert(info && !isRefactorErrorInfo(info), "Expected applicable refactor info"); const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange6(context.file, context.program.getTypeChecker(), t, info, actionName2)); return { edits, renameFilename: void 0, renameLocation: void 0 }; } function isValidExpression(node) { return isBinaryExpression(node) || isConditionalExpression(node); } function isValidStatement(node) { return isExpressionStatement2(node) || isReturnStatement(node) || isVariableStatement(node); } function isValidExpressionOrStatement(node) { return isValidExpression(node) || isValidStatement(node); } function getInfo3(context, considerEmptySpans = true) { const { file, program } = context; const span = getRefactorContextSpan(context); const forEmptySpan = span.length === 0; if (forEmptySpan && !considerEmptySpans) return void 0; const startToken = getTokenAtPosition(file, span.start); const endToken = findTokenOnLeftOfPosition(file, span.start + span.length); const adjustedSpan = createTextSpanFromBounds(startToken.pos, endToken && endToken.end >= startToken.pos ? endToken.getEnd() : startToken.getEnd()); const parent2 = forEmptySpan ? getValidParentNodeOfEmptySpan(startToken) : getValidParentNodeContainingSpan(startToken, adjustedSpan); const expression = parent2 && isValidExpressionOrStatement(parent2) ? getExpression(parent2) : void 0; if (!expression) return { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_convertible_access_expression) }; const checker = program.getTypeChecker(); return isConditionalExpression(expression) ? getConditionalInfo(expression, checker) : getBinaryInfo(expression); } function getConditionalInfo(expression, checker) { const condition = expression.condition; const finalExpression = getFinalExpressionInChain(expression.whenTrue); if (!finalExpression || checker.isNullableType(checker.getTypeAtLocation(finalExpression))) { return { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_convertible_access_expression) }; } if ((isPropertyAccessExpression(condition) || isIdentifier(condition)) && getMatchingStart(condition, finalExpression.expression)) { return { finalExpression, occurrences: [condition], expression }; } else if (isBinaryExpression(condition)) { const occurrences = getOccurrencesInExpression(finalExpression.expression, condition); return occurrences ? { finalExpression, occurrences, expression } : { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_matching_access_expressions) }; } } function getBinaryInfo(expression) { if (expression.operatorToken.kind !== 56) { return { error: getLocaleSpecificMessage(Diagnostics.Can_only_convert_logical_AND_access_chains) }; } const finalExpression = getFinalExpressionInChain(expression.right); if (!finalExpression) return { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_convertible_access_expression) }; const occurrences = getOccurrencesInExpression(finalExpression.expression, expression.left); return occurrences ? { finalExpression, occurrences, expression } : { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_matching_access_expressions) }; } function getOccurrencesInExpression(matchTo, expression) { const occurrences = []; while (isBinaryExpression(expression) && expression.operatorToken.kind === 56) { const match = getMatchingStart(skipParentheses(matchTo), skipParentheses(expression.right)); if (!match) { break; } occurrences.push(match); matchTo = match; expression = expression.left; } const finalMatch = getMatchingStart(matchTo, expression); if (finalMatch) { occurrences.push(finalMatch); } return occurrences.length > 0 ? occurrences : void 0; } function getMatchingStart(chain, subchain) { if (!isIdentifier(subchain) && !isPropertyAccessExpression(subchain) && !isElementAccessExpression(subchain)) { return void 0; } return chainStartsWith(chain, subchain) ? subchain : void 0; } function chainStartsWith(chain, subchain) { while (isCallExpression2(chain) || isPropertyAccessExpression(chain) || isElementAccessExpression(chain)) { if (getTextOfChainNode(chain) === getTextOfChainNode(subchain)) break; chain = chain.expression; } while (isPropertyAccessExpression(chain) && isPropertyAccessExpression(subchain) || isElementAccessExpression(chain) && isElementAccessExpression(subchain)) { if (getTextOfChainNode(chain) !== getTextOfChainNode(subchain)) return false; chain = chain.expression; subchain = subchain.expression; } return isIdentifier(chain) && isIdentifier(subchain) && chain.getText() === subchain.getText(); } function getTextOfChainNode(node) { if (isIdentifier(node) || isStringOrNumericLiteralLike(node)) { return node.getText(); } if (isPropertyAccessExpression(node)) { return getTextOfChainNode(node.name); } if (isElementAccessExpression(node)) { return getTextOfChainNode(node.argumentExpression); } return void 0; } function getValidParentNodeContainingSpan(node, span) { while (node.parent) { if (isValidExpressionOrStatement(node) && span.length !== 0 && node.end >= span.start + span.length) { return node; } node = node.parent; } return void 0; } function getValidParentNodeOfEmptySpan(node) { while (node.parent) { if (isValidExpressionOrStatement(node) && !isValidExpressionOrStatement(node.parent)) { return node; } node = node.parent; } return void 0; } function getExpression(node) { if (isValidExpression(node)) { return node; } if (isVariableStatement(node)) { const variable = getSingleVariableOfVariableStatement(node); const initializer = variable == null ? void 0 : variable.initializer; return initializer && isValidExpression(initializer) ? initializer : void 0; } return node.expression && isValidExpression(node.expression) ? node.expression : void 0; } function getFinalExpressionInChain(node) { node = skipParentheses(node); if (isBinaryExpression(node)) { return getFinalExpressionInChain(node.left); } else if ((isPropertyAccessExpression(node) || isElementAccessExpression(node) || isCallExpression2(node)) && !isOptionalChain(node)) { return node; } return void 0; } function convertOccurrences(checker, toConvert, occurrences) { if (isPropertyAccessExpression(toConvert) || isElementAccessExpression(toConvert) || isCallExpression2(toConvert)) { const chain = convertOccurrences(checker, toConvert.expression, occurrences); const lastOccurrence = occurrences.length > 0 ? occurrences[occurrences.length - 1] : void 0; const isOccurrence = (lastOccurrence == null ? void 0 : lastOccurrence.getText()) === toConvert.expression.getText(); if (isOccurrence) occurrences.pop(); if (isCallExpression2(toConvert)) { return isOccurrence ? factory.createCallChain(chain, factory.createToken( 29 /* QuestionDotToken */ ), toConvert.typeArguments, toConvert.arguments) : factory.createCallChain(chain, toConvert.questionDotToken, toConvert.typeArguments, toConvert.arguments); } else if (isPropertyAccessExpression(toConvert)) { return isOccurrence ? factory.createPropertyAccessChain(chain, factory.createToken( 29 /* QuestionDotToken */ ), toConvert.name) : factory.createPropertyAccessChain(chain, toConvert.questionDotToken, toConvert.name); } else if (isElementAccessExpression(toConvert)) { return isOccurrence ? factory.createElementAccessChain(chain, factory.createToken( 29 /* QuestionDotToken */ ), toConvert.argumentExpression) : factory.createElementAccessChain(chain, toConvert.questionDotToken, toConvert.argumentExpression); } } return toConvert; } function doChange6(sourceFile, checker, changes, info, _actionName) { const { finalExpression, occurrences, expression } = info; const firstOccurrence = occurrences[occurrences.length - 1]; const convertedChain = convertOccurrences(checker, finalExpression, occurrences); if (convertedChain && (isPropertyAccessExpression(convertedChain) || isElementAccessExpression(convertedChain) || isCallExpression2(convertedChain))) { if (isBinaryExpression(expression)) { changes.replaceNodeRange(sourceFile, firstOccurrence, finalExpression, convertedChain); } else if (isConditionalExpression(expression)) { changes.replaceNode(sourceFile, expression, factory.createBinaryExpression(convertedChain, factory.createToken( 61 /* QuestionQuestionToken */ ), expression.whenFalse)); } } } var ts_refactor_extractSymbol_exports = {}; __export2(ts_refactor_extractSymbol_exports, { Messages: () => Messages, RangeFacts: () => RangeFacts, getRangeToExtract: () => getRangeToExtract2, getRefactorActionsToExtractSymbol: () => getRefactorActionsToExtractSymbol, getRefactorEditsToExtractSymbol: () => getRefactorEditsToExtractSymbol }); var refactorName12 = "Extract Symbol"; var extractConstantAction = { name: "Extract Constant", description: getLocaleSpecificMessage(Diagnostics.Extract_constant), kind: "refactor.extract.constant" }; var extractFunctionAction = { name: "Extract Function", description: getLocaleSpecificMessage(Diagnostics.Extract_function), kind: "refactor.extract.function" }; registerRefactor(refactorName12, { kinds: [ extractConstantAction.kind, extractFunctionAction.kind ], getEditsForAction: getRefactorEditsToExtractSymbol, getAvailableActions: getRefactorActionsToExtractSymbol }); function getRefactorActionsToExtractSymbol(context) { const requestedRefactor = context.kind; const rangeToExtract = getRangeToExtract2(context.file, getRefactorContextSpan(context), context.triggerReason === "invoked"); const targetRange = rangeToExtract.targetRange; if (targetRange === void 0) { if (!rangeToExtract.errors || rangeToExtract.errors.length === 0 || !context.preferences.provideRefactorNotApplicableReason) { return emptyArray; } const errors = []; if (refactorKindBeginsWith(extractFunctionAction.kind, requestedRefactor)) { errors.push({ name: refactorName12, description: extractFunctionAction.description, actions: [{ ...extractFunctionAction, notApplicableReason: getStringError(rangeToExtract.errors) }] }); } if (refactorKindBeginsWith(extractConstantAction.kind, requestedRefactor)) { errors.push({ name: refactorName12, description: extractConstantAction.description, actions: [{ ...extractConstantAction, notApplicableReason: getStringError(rangeToExtract.errors) }] }); } return errors; } const { affectedTextRange, extractions } = getPossibleExtractions(targetRange, context); if (extractions === void 0) { return emptyArray; } const functionActions = []; const usedFunctionNames = /* @__PURE__ */ new Map(); let innermostErrorFunctionAction; const constantActions = []; const usedConstantNames = /* @__PURE__ */ new Map(); let innermostErrorConstantAction; let i = 0; for (const { functionExtraction, constantExtraction } of extractions) { if (refactorKindBeginsWith(extractFunctionAction.kind, requestedRefactor)) { const description3 = functionExtraction.description; if (functionExtraction.errors.length === 0) { if (!usedFunctionNames.has(description3)) { usedFunctionNames.set(description3, true); functionActions.push({ description: description3, name: `function_scope_${i}`, kind: extractFunctionAction.kind, range: { start: { line: getLineAndCharacterOfPosition(context.file, affectedTextRange.pos).line, offset: getLineAndCharacterOfPosition(context.file, affectedTextRange.pos).character }, end: { line: getLineAndCharacterOfPosition(context.file, affectedTextRange.end).line, offset: getLineAndCharacterOfPosition(context.file, affectedTextRange.end).character } } }); } } else if (!innermostErrorFunctionAction) { innermostErrorFunctionAction = { description: description3, name: `function_scope_${i}`, notApplicableReason: getStringError(functionExtraction.errors), kind: extractFunctionAction.kind }; } } if (refactorKindBeginsWith(extractConstantAction.kind, requestedRefactor)) { const description3 = constantExtraction.description; if (constantExtraction.errors.length === 0) { if (!usedConstantNames.has(description3)) { usedConstantNames.set(description3, true); constantActions.push({ description: description3, name: `constant_scope_${i}`, kind: extractConstantAction.kind, range: { start: { line: getLineAndCharacterOfPosition(context.file, affectedTextRange.pos).line, offset: getLineAndCharacterOfPosition(context.file, affectedTextRange.pos).character }, end: { line: getLineAndCharacterOfPosition(context.file, affectedTextRange.end).line, offset: getLineAndCharacterOfPosition(context.file, affectedTextRange.end).character } } }); } } else if (!innermostErrorConstantAction) { innermostErrorConstantAction = { description: description3, name: `constant_scope_${i}`, notApplicableReason: getStringError(constantExtraction.errors), kind: extractConstantAction.kind }; } } i++; } const infos = []; if (functionActions.length) { infos.push({ name: refactorName12, description: getLocaleSpecificMessage(Diagnostics.Extract_function), actions: functionActions }); } else if (context.preferences.provideRefactorNotApplicableReason && innermostErrorFunctionAction) { infos.push({ name: refactorName12, description: getLocaleSpecificMessage(Diagnostics.Extract_function), actions: [innermostErrorFunctionAction] }); } if (constantActions.length) { infos.push({ name: refactorName12, description: getLocaleSpecificMessage(Diagnostics.Extract_constant), actions: constantActions }); } else if (context.preferences.provideRefactorNotApplicableReason && innermostErrorConstantAction) { infos.push({ name: refactorName12, description: getLocaleSpecificMessage(Diagnostics.Extract_constant), actions: [innermostErrorConstantAction] }); } return infos.length ? infos : emptyArray; function getStringError(errors) { let error2 = errors[0].messageText; if (typeof error2 !== "string") { error2 = error2.messageText; } return error2; } } function getRefactorEditsToExtractSymbol(context, actionName2) { const rangeToExtract = getRangeToExtract2(context.file, getRefactorContextSpan(context)); const targetRange = rangeToExtract.targetRange; const parsedFunctionIndexMatch = /^function_scope_(\d+)$/.exec(actionName2); if (parsedFunctionIndexMatch) { const index = +parsedFunctionIndexMatch[1]; Debug.assert(isFinite(index), "Expected to parse a finite number from the function scope index"); return getFunctionExtractionAtIndex(targetRange, context, index); } const parsedConstantIndexMatch = /^constant_scope_(\d+)$/.exec(actionName2); if (parsedConstantIndexMatch) { const index = +parsedConstantIndexMatch[1]; Debug.assert(isFinite(index), "Expected to parse a finite number from the constant scope index"); return getConstantExtractionAtIndex(targetRange, context, index); } Debug.fail("Unrecognized action name"); } var Messages; ((Messages2) => { function createMessage(message) { return { message, code: 0, category: 3, key: message }; } Messages2.cannotExtractRange = createMessage("Cannot extract range."); Messages2.cannotExtractImport = createMessage("Cannot extract import statement."); Messages2.cannotExtractSuper = createMessage("Cannot extract super call."); Messages2.cannotExtractJSDoc = createMessage("Cannot extract JSDoc."); Messages2.cannotExtractEmpty = createMessage("Cannot extract empty range."); Messages2.expressionExpected = createMessage("expression expected."); Messages2.uselessConstantType = createMessage("No reason to extract constant of type."); Messages2.statementOrExpressionExpected = createMessage("Statement or expression expected."); Messages2.cannotExtractRangeContainingConditionalBreakOrContinueStatements = createMessage("Cannot extract range containing conditional break or continue statements."); Messages2.cannotExtractRangeContainingConditionalReturnStatement = createMessage("Cannot extract range containing conditional return statement."); Messages2.cannotExtractRangeContainingLabeledBreakOrContinueStatementWithTargetOutsideOfTheRange = createMessage("Cannot extract range containing labeled break or continue with target outside of the range."); Messages2.cannotExtractRangeThatContainsWritesToReferencesLocatedOutsideOfTheTargetRangeInGenerators = createMessage("Cannot extract range containing writes to references located outside of the target range in generators."); Messages2.typeWillNotBeVisibleInTheNewScope = createMessage("Type will not visible in the new scope."); Messages2.functionWillNotBeVisibleInTheNewScope = createMessage("Function will not visible in the new scope."); Messages2.cannotExtractIdentifier = createMessage("Select more than a single identifier."); Messages2.cannotExtractExportedEntity = createMessage("Cannot extract exported declaration"); Messages2.cannotWriteInExpression = createMessage("Cannot write back side-effects when extracting an expression"); Messages2.cannotExtractReadonlyPropertyInitializerOutsideConstructor = createMessage("Cannot move initialization of read-only class property outside of the constructor"); Messages2.cannotExtractAmbientBlock = createMessage("Cannot extract code from ambient contexts"); Messages2.cannotAccessVariablesFromNestedScopes = createMessage("Cannot access variables from nested scopes"); Messages2.cannotExtractToJSClass = createMessage("Cannot extract constant to a class scope in JS"); Messages2.cannotExtractToExpressionArrowFunction = createMessage("Cannot extract constant to an arrow function without a block"); Messages2.cannotExtractFunctionsContainingThisToMethod = createMessage("Cannot extract functions containing this to method"); })(Messages || (Messages = {})); var RangeFacts = /* @__PURE__ */ ((RangeFacts2) => { RangeFacts2[RangeFacts2["None"] = 0] = "None"; RangeFacts2[RangeFacts2["HasReturn"] = 1] = "HasReturn"; RangeFacts2[RangeFacts2["IsGenerator"] = 2] = "IsGenerator"; RangeFacts2[RangeFacts2["IsAsyncFunction"] = 4] = "IsAsyncFunction"; RangeFacts2[RangeFacts2["UsesThis"] = 8] = "UsesThis"; RangeFacts2[RangeFacts2["UsesThisInFunction"] = 16] = "UsesThisInFunction"; RangeFacts2[RangeFacts2["InStaticRegion"] = 32] = "InStaticRegion"; return RangeFacts2; })(RangeFacts || {}); function getRangeToExtract2(sourceFile, span, invoked = true) { const { length: length2 } = span; if (length2 === 0 && !invoked) { return { errors: [createFileDiagnostic(sourceFile, span.start, length2, Messages.cannotExtractEmpty)] }; } const cursorRequest = length2 === 0 && invoked; const startToken = findFirstNonJsxWhitespaceToken(sourceFile, span.start); const endToken = findTokenOnLeftOfPosition(sourceFile, textSpanEnd(span)); const adjustedSpan = startToken && endToken && invoked ? getAdjustedSpanFromNodes(startToken, endToken, sourceFile) : span; const start = cursorRequest ? getExtractableParent(startToken) : getParentNodeInSpan(startToken, sourceFile, adjustedSpan); const end = cursorRequest ? start : getParentNodeInSpan(endToken, sourceFile, adjustedSpan); let rangeFacts = 0; let thisNode; if (!start || !end) { return { errors: [createFileDiagnostic(sourceFile, span.start, length2, Messages.cannotExtractRange)] }; } if (start.flags & 16777216) { return { errors: [createFileDiagnostic(sourceFile, span.start, length2, Messages.cannotExtractJSDoc)] }; } if (start.parent !== end.parent) { return { errors: [createFileDiagnostic(sourceFile, span.start, length2, Messages.cannotExtractRange)] }; } if (start !== end) { if (!isBlockLike(start.parent)) { return { errors: [createFileDiagnostic(sourceFile, span.start, length2, Messages.cannotExtractRange)] }; } const statements = []; for (const statement of start.parent.statements) { if (statement === start || statements.length) { const errors2 = checkNode2(statement); if (errors2) { return { errors: errors2 }; } statements.push(statement); } if (statement === end) { break; } } if (!statements.length) { return { errors: [createFileDiagnostic(sourceFile, span.start, length2, Messages.cannotExtractRange)] }; } return { targetRange: { range: statements, facts: rangeFacts, thisNode } }; } if (isReturnStatement(start) && !start.expression) { return { errors: [createFileDiagnostic(sourceFile, span.start, length2, Messages.cannotExtractRange)] }; } const node = refineNode(start); const errors = checkRootNode(node) || checkNode2(node); if (errors) { return { errors }; } return { targetRange: { range: getStatementOrExpressionRange(node), facts: rangeFacts, thisNode } }; function refineNode(node2) { if (isReturnStatement(node2)) { if (node2.expression) { return node2.expression; } } else if (isVariableStatement(node2) || isVariableDeclarationList(node2)) { const declarations = isVariableStatement(node2) ? node2.declarationList.declarations : node2.declarations; let numInitializers = 0; let lastInitializer; for (const declaration of declarations) { if (declaration.initializer) { numInitializers++; lastInitializer = declaration.initializer; } } if (numInitializers === 1) { return lastInitializer; } } else if (isVariableDeclaration(node2)) { if (node2.initializer) { return node2.initializer; } } return node2; } function checkRootNode(node2) { if (isIdentifier(isExpressionStatement2(node2) ? node2.expression : node2)) { return [createDiagnosticForNode(node2, Messages.cannotExtractIdentifier)]; } return void 0; } function checkForStaticContext(nodeToCheck, containingClass) { let current = nodeToCheck; while (current !== containingClass) { if (current.kind === 172) { if (isStatic(current)) { rangeFacts |= 32; } break; } else if (current.kind === 169) { const ctorOrMethod = getContainingFunction(current); if (ctorOrMethod.kind === 176) { rangeFacts |= 32; } break; } else if (current.kind === 174) { if (isStatic(current)) { rangeFacts |= 32; } } current = current.parent; } } function checkNode2(nodeToCheck) { let PermittedJumps; ((PermittedJumps2) => { PermittedJumps2[PermittedJumps2["None"] = 0] = "None"; PermittedJumps2[PermittedJumps2["Break"] = 1] = "Break"; PermittedJumps2[PermittedJumps2["Continue"] = 2] = "Continue"; PermittedJumps2[PermittedJumps2["Return"] = 4] = "Return"; })(PermittedJumps || (PermittedJumps = {})); Debug.assert(nodeToCheck.pos <= nodeToCheck.end, "This failure could trigger https://github.com/Microsoft/TypeScript/issues/20809 (1)"); Debug.assert(!positionIsSynthesized(nodeToCheck.pos), "This failure could trigger https://github.com/Microsoft/TypeScript/issues/20809 (2)"); if (!isStatement(nodeToCheck) && !(isExpressionNode(nodeToCheck) && isExtractableExpression(nodeToCheck)) && !isStringLiteralJsxAttribute(nodeToCheck)) { return [createDiagnosticForNode(nodeToCheck, Messages.statementOrExpressionExpected)]; } if (nodeToCheck.flags & 33554432) { return [createDiagnosticForNode(nodeToCheck, Messages.cannotExtractAmbientBlock)]; } const containingClass = getContainingClass(nodeToCheck); if (containingClass) { checkForStaticContext(nodeToCheck, containingClass); } let errors2; let permittedJumps = 4; let seenLabels; visit(nodeToCheck); if (rangeFacts & 8) { const container = getThisContainer( nodeToCheck, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ); if (container.kind === 262 || container.kind === 174 && container.parent.kind === 210 || container.kind === 218) { rangeFacts |= 16; } } return errors2; function visit(node2) { if (errors2) { return true; } if (isDeclaration(node2)) { const declaringNode = node2.kind === 260 ? node2.parent.parent : node2; if (hasSyntacticModifier( declaringNode, 32 /* Export */ )) { (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractExportedEntity)); return true; } } switch (node2.kind) { case 272: (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractImport)); return true; case 277: (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractExportedEntity)); return true; case 108: if (node2.parent.kind === 213) { const containingClass2 = getContainingClass(node2); if (containingClass2 === void 0 || containingClass2.pos < span.start || containingClass2.end >= span.start + span.length) { (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractSuper)); return true; } } else { rangeFacts |= 8; thisNode = node2; } break; case 219: forEachChild(node2, function check(n) { if (isThis(n)) { rangeFacts |= 8; thisNode = node2; } else if (isClassLike(n) || isFunctionLike(n) && !isArrowFunction(n)) { return false; } else { forEachChild(n, check); } }); case 263: case 262: if (isSourceFile(node2.parent) && node2.parent.externalModuleIndicator === void 0) { (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.functionWillNotBeVisibleInTheNewScope)); } case 231: case 218: case 174: case 176: case 177: case 178: return false; } const savedPermittedJumps = permittedJumps; switch (node2.kind) { case 245: permittedJumps &= ~4; break; case 258: permittedJumps = 0; break; case 241: if (node2.parent && node2.parent.kind === 258 && node2.parent.finallyBlock === node2) { permittedJumps = 4; } break; case 297: case 296: permittedJumps |= 1; break; default: if (isIterationStatement( node2, /*lookInLabeledStatements*/ false )) { permittedJumps |= 1 | 2; } break; } switch (node2.kind) { case 197: case 110: rangeFacts |= 8; thisNode = node2; break; case 256: { const label = node2.label; (seenLabels || (seenLabels = [])).push(label.escapedText); forEachChild(node2, visit); seenLabels.pop(); break; } case 252: case 251: { const label = node2.label; if (label) { if (!contains(seenLabels, label.escapedText)) { (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractRangeContainingLabeledBreakOrContinueStatementWithTargetOutsideOfTheRange)); } } else { if (!(permittedJumps & (node2.kind === 252 ? 1 : 2))) { (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractRangeContainingConditionalBreakOrContinueStatements)); } } break; } case 223: rangeFacts |= 4; break; case 229: rangeFacts |= 2; break; case 253: if (permittedJumps & 4) { rangeFacts |= 1; } else { (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractRangeContainingConditionalReturnStatement)); } break; default: forEachChild(node2, visit); break; } permittedJumps = savedPermittedJumps; } } } function getAdjustedSpanFromNodes(startNode2, endNode2, sourceFile) { const start = startNode2.getStart(sourceFile); let end = endNode2.getEnd(); if (sourceFile.text.charCodeAt(end) === 59) { end++; } return { start, length: end - start }; } function getStatementOrExpressionRange(node) { if (isStatement(node)) { return [node]; } if (isExpressionNode(node)) { return isExpressionStatement2(node.parent) ? [node.parent] : node; } if (isStringLiteralJsxAttribute(node)) { return node; } return void 0; } function isScope(node) { return isArrowFunction(node) ? isFunctionBody(node.body) : isFunctionLikeDeclaration(node) || isSourceFile(node) || isModuleBlock(node) || isClassLike(node); } function collectEnclosingScopes(range) { let current = isReadonlyArray(range.range) ? first(range.range) : range.range; if (range.facts & 8 && !(range.facts & 16)) { const containingClass = getContainingClass(current); if (containingClass) { const containingFunction = findAncestor(current, isFunctionLikeDeclaration); return containingFunction ? [containingFunction, containingClass] : [containingClass]; } } const scopes = []; while (true) { current = current.parent; if (current.kind === 169) { current = findAncestor(current, (parent2) => isFunctionLikeDeclaration(parent2)).parent; } if (isScope(current)) { scopes.push(current); if (current.kind === 307) { return scopes; } } } } function getFunctionExtractionAtIndex(targetRange, context, requestedChangesIndex) { const { scopes, readsAndWrites: { target, usagesPerScope, functionErrorsPerScope, exposedVariableDeclarations } } = getPossibleExtractionsWorker(targetRange, context); Debug.assert(!functionErrorsPerScope[requestedChangesIndex].length, "The extraction went missing? How?"); context.cancellationToken.throwIfCancellationRequested(); return extractFunctionInScope(target, scopes[requestedChangesIndex], usagesPerScope[requestedChangesIndex], exposedVariableDeclarations, targetRange, context); } function getConstantExtractionAtIndex(targetRange, context, requestedChangesIndex) { const { scopes, readsAndWrites: { target, usagesPerScope, constantErrorsPerScope, exposedVariableDeclarations } } = getPossibleExtractionsWorker(targetRange, context); Debug.assert(!constantErrorsPerScope[requestedChangesIndex].length, "The extraction went missing? How?"); Debug.assert(exposedVariableDeclarations.length === 0, "Extract constant accepted a range containing a variable declaration?"); context.cancellationToken.throwIfCancellationRequested(); const expression = isExpression(target) ? target : target.statements[0].expression; return extractConstantInScope(expression, scopes[requestedChangesIndex], usagesPerScope[requestedChangesIndex], targetRange.facts, context); } function getPossibleExtractions(targetRange, context) { const { scopes, affectedTextRange, readsAndWrites: { functionErrorsPerScope, constantErrorsPerScope } } = getPossibleExtractionsWorker(targetRange, context); const extractions = scopes.map((scope, i) => { const functionDescriptionPart = getDescriptionForFunctionInScope(scope); const constantDescriptionPart = getDescriptionForConstantInScope(scope); const scopeDescription = isFunctionLikeDeclaration(scope) ? getDescriptionForFunctionLikeDeclaration(scope) : isClassLike(scope) ? getDescriptionForClassLikeDeclaration(scope) : getDescriptionForModuleLikeDeclaration(scope); let functionDescription; let constantDescription; if (scopeDescription === 1) { functionDescription = formatStringFromArgs(getLocaleSpecificMessage(Diagnostics.Extract_to_0_in_1_scope), [functionDescriptionPart, "global"]); constantDescription = formatStringFromArgs(getLocaleSpecificMessage(Diagnostics.Extract_to_0_in_1_scope), [constantDescriptionPart, "global"]); } else if (scopeDescription === 0) { functionDescription = formatStringFromArgs(getLocaleSpecificMessage(Diagnostics.Extract_to_0_in_1_scope), [functionDescriptionPart, "module"]); constantDescription = formatStringFromArgs(getLocaleSpecificMessage(Diagnostics.Extract_to_0_in_1_scope), [constantDescriptionPart, "module"]); } else { functionDescription = formatStringFromArgs(getLocaleSpecificMessage(Diagnostics.Extract_to_0_in_1), [functionDescriptionPart, scopeDescription]); constantDescription = formatStringFromArgs(getLocaleSpecificMessage(Diagnostics.Extract_to_0_in_1), [constantDescriptionPart, scopeDescription]); } if (i === 0 && !isClassLike(scope)) { constantDescription = formatStringFromArgs(getLocaleSpecificMessage(Diagnostics.Extract_to_0_in_enclosing_scope), [constantDescriptionPart]); } return { functionExtraction: { description: functionDescription, errors: functionErrorsPerScope[i] }, constantExtraction: { description: constantDescription, errors: constantErrorsPerScope[i] } }; }); return { affectedTextRange, extractions }; } function getPossibleExtractionsWorker(targetRange, context) { const { file: sourceFile } = context; const scopes = collectEnclosingScopes(targetRange); const enclosingTextRange = getEnclosingTextRange(targetRange, sourceFile); const readsAndWrites = collectReadsAndWrites( targetRange, scopes, enclosingTextRange, sourceFile, context.program.getTypeChecker(), context.cancellationToken ); return { scopes, affectedTextRange: enclosingTextRange, readsAndWrites }; } function getDescriptionForFunctionInScope(scope) { return isFunctionLikeDeclaration(scope) ? "inner function" : isClassLike(scope) ? "method" : "function"; } function getDescriptionForConstantInScope(scope) { return isClassLike(scope) ? "readonly field" : "constant"; } function getDescriptionForFunctionLikeDeclaration(scope) { switch (scope.kind) { case 176: return "constructor"; case 218: case 262: return scope.name ? `function '${scope.name.text}'` : ANONYMOUS; case 219: return "arrow function"; case 174: return `method '${scope.name.getText()}'`; case 177: return `'get ${scope.name.getText()}'`; case 178: return `'set ${scope.name.getText()}'`; default: Debug.assertNever(scope, `Unexpected scope kind ${scope.kind}`); } } function getDescriptionForClassLikeDeclaration(scope) { return scope.kind === 263 ? scope.name ? `class '${scope.name.text}'` : "anonymous class declaration" : scope.name ? `class expression '${scope.name.text}'` : "anonymous class expression"; } function getDescriptionForModuleLikeDeclaration(scope) { return scope.kind === 268 ? `namespace '${scope.parent.name.getText()}'` : scope.externalModuleIndicator ? 0 : 1; } function extractFunctionInScope(node, scope, { usages: usagesInScope, typeParameterUsages, substitutions }, exposedVariableDeclarations, range, context) { const checker = context.program.getTypeChecker(); const scriptTarget = getEmitScriptTarget(context.program.getCompilerOptions()); const importAdder = ts_codefix_exports.createImportAdder(context.file, context.program, context.preferences, context.host); const file = scope.getSourceFile(); const functionNameText = getUniqueName(isClassLike(scope) ? "newMethod" : "newFunction", file); const isJS = isInJSFile(scope); const functionName = factory.createIdentifier(functionNameText); let returnType; const parameters = []; const callArguments = []; let writes; usagesInScope.forEach((usage, name) => { let typeNode; if (!isJS) { let type = checker.getTypeOfSymbolAtLocation(usage.symbol, usage.node); type = checker.getBaseTypeOfLiteralType(type); typeNode = ts_codefix_exports.typeToAutoImportableTypeNode( checker, importAdder, type, scope, scriptTarget, 1 /* NoTruncation */ ); } const paramDecl = factory.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, /*name*/ name, /*questionToken*/ void 0, typeNode ); parameters.push(paramDecl); if (usage.usage === 2) { (writes || (writes = [])).push(usage); } callArguments.push(factory.createIdentifier(name)); }); const typeParametersAndDeclarations = arrayFrom(typeParameterUsages.values(), (type) => ({ type, declaration: getFirstDeclarationBeforePosition(type, context.startPosition) })); const sortedTypeParametersAndDeclarations = typeParametersAndDeclarations.sort(compareTypesByDeclarationOrder); const typeParameters = sortedTypeParametersAndDeclarations.length === 0 ? void 0 : mapDefined(sortedTypeParametersAndDeclarations, ({ declaration }) => declaration); const callTypeArguments = typeParameters !== void 0 ? typeParameters.map((decl) => factory.createTypeReferenceNode( decl.name, /*typeArguments*/ void 0 )) : void 0; if (isExpression(node) && !isJS) { const contextualType = checker.getContextualType(node); returnType = checker.typeToTypeNode( contextualType, scope, 1 /* NoTruncation */ ); } const { body, returnValueProperty } = transformFunctionBody(node, exposedVariableDeclarations, writes, substitutions, !!(range.facts & 1)); suppressLeadingAndTrailingTrivia(body); let newFunction; const callThis = !!(range.facts & 16); if (isClassLike(scope)) { const modifiers = isJS ? [] : [factory.createModifier( 123 /* PrivateKeyword */ )]; if (range.facts & 32) { modifiers.push(factory.createModifier( 126 /* StaticKeyword */ )); } if (range.facts & 4) { modifiers.push(factory.createModifier( 134 /* AsyncKeyword */ )); } newFunction = factory.createMethodDeclaration( modifiers.length ? modifiers : void 0, range.facts & 2 ? factory.createToken( 42 /* AsteriskToken */ ) : void 0, functionName, /*questionToken*/ void 0, typeParameters, parameters, returnType, body ); } else { if (callThis) { parameters.unshift( factory.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, /*name*/ "this", /*questionToken*/ void 0, checker.typeToTypeNode( checker.getTypeAtLocation(range.thisNode), scope, 1 /* NoTruncation */ ), /*initializer*/ void 0 ) ); } newFunction = factory.createFunctionDeclaration( range.facts & 4 ? [factory.createToken( 134 /* AsyncKeyword */ )] : void 0, range.facts & 2 ? factory.createToken( 42 /* AsteriskToken */ ) : void 0, functionName, typeParameters, parameters, returnType, body ); } const changeTracker = ts_textChanges_exports.ChangeTracker.fromContext(context); const minInsertionPos = (isReadonlyArray(range.range) ? last(range.range) : range.range).end; const nodeToInsertBefore = getNodeToInsertFunctionBefore(minInsertionPos, scope); if (nodeToInsertBefore) { changeTracker.insertNodeBefore( context.file, nodeToInsertBefore, newFunction, /*blankLineBetween*/ true ); } else { changeTracker.insertNodeAtEndOfScope(context.file, scope, newFunction); } importAdder.writeFixes(changeTracker); const newNodes = []; const called = getCalledExpression(scope, range, functionNameText); if (callThis) { callArguments.unshift(factory.createIdentifier("this")); } let call = factory.createCallExpression( callThis ? factory.createPropertyAccessExpression( called, "call" ) : called, callTypeArguments, // Note that no attempt is made to take advantage of type argument inference callArguments ); if (range.facts & 2) { call = factory.createYieldExpression(factory.createToken( 42 /* AsteriskToken */ ), call); } if (range.facts & 4) { call = factory.createAwaitExpression(call); } if (isInJSXContent(node)) { call = factory.createJsxExpression( /*dotDotDotToken*/ void 0, call ); } if (exposedVariableDeclarations.length && !writes) { Debug.assert(!returnValueProperty, "Expected no returnValueProperty"); Debug.assert(!(range.facts & 1), "Expected RangeFacts.HasReturn flag to be unset"); if (exposedVariableDeclarations.length === 1) { const variableDeclaration = exposedVariableDeclarations[0]; newNodes.push(factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [factory.createVariableDeclaration( getSynthesizedDeepClone(variableDeclaration.name), /*exclamationToken*/ void 0, /*type*/ getSynthesizedDeepClone(variableDeclaration.type), /*initializer*/ call )], variableDeclaration.parent.flags ) )); } else { const bindingElements = []; const typeElements = []; let commonNodeFlags = exposedVariableDeclarations[0].parent.flags; let sawExplicitType = false; for (const variableDeclaration of exposedVariableDeclarations) { bindingElements.push(factory.createBindingElement( /*dotDotDotToken*/ void 0, /*propertyName*/ void 0, /*name*/ getSynthesizedDeepClone(variableDeclaration.name) )); const variableType = checker.typeToTypeNode( checker.getBaseTypeOfLiteralType(checker.getTypeAtLocation(variableDeclaration)), scope, 1 /* NoTruncation */ ); typeElements.push(factory.createPropertySignature( /*modifiers*/ void 0, /*name*/ variableDeclaration.symbol.name, /*questionToken*/ void 0, /*type*/ variableType )); sawExplicitType = sawExplicitType || variableDeclaration.type !== void 0; commonNodeFlags = commonNodeFlags & variableDeclaration.parent.flags; } const typeLiteral = sawExplicitType ? factory.createTypeLiteralNode(typeElements) : void 0; if (typeLiteral) { setEmitFlags( typeLiteral, 1 /* SingleLine */ ); } newNodes.push(factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [factory.createVariableDeclaration( factory.createObjectBindingPattern(bindingElements), /*exclamationToken*/ void 0, /*type*/ typeLiteral, /*initializer*/ call )], commonNodeFlags ) )); } } else if (exposedVariableDeclarations.length || writes) { if (exposedVariableDeclarations.length) { for (const variableDeclaration of exposedVariableDeclarations) { let flags = variableDeclaration.parent.flags; if (flags & 2) { flags = flags & ~2 | 1; } newNodes.push(factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [factory.createVariableDeclaration( variableDeclaration.symbol.name, /*exclamationToken*/ void 0, getTypeDeepCloneUnionUndefined(variableDeclaration.type) )], flags ) )); } } if (returnValueProperty) { newNodes.push(factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [factory.createVariableDeclaration( returnValueProperty, /*exclamationToken*/ void 0, getTypeDeepCloneUnionUndefined(returnType) )], 1 /* Let */ ) )); } const assignments = getPropertyAssignmentsForWritesAndVariableDeclarations(exposedVariableDeclarations, writes); if (returnValueProperty) { assignments.unshift(factory.createShorthandPropertyAssignment(returnValueProperty)); } if (assignments.length === 1) { Debug.assert(!returnValueProperty, "Shouldn't have returnValueProperty here"); newNodes.push(factory.createExpressionStatement(factory.createAssignment(assignments[0].name, call))); if (range.facts & 1) { newNodes.push(factory.createReturnStatement()); } } else { newNodes.push(factory.createExpressionStatement(factory.createAssignment(factory.createObjectLiteralExpression(assignments), call))); if (returnValueProperty) { newNodes.push(factory.createReturnStatement(factory.createIdentifier(returnValueProperty))); } } } else { if (range.facts & 1) { newNodes.push(factory.createReturnStatement(call)); } else if (isReadonlyArray(range.range)) { newNodes.push(factory.createExpressionStatement(call)); } else { newNodes.push(call); } } if (isReadonlyArray(range.range)) { changeTracker.replaceNodeRangeWithNodes(context.file, first(range.range), last(range.range), newNodes); } else { changeTracker.replaceNodeWithNodes(context.file, range.range, newNodes); } const edits = changeTracker.getChanges(); const renameRange = isReadonlyArray(range.range) ? first(range.range) : range.range; const renameFilename = renameRange.getSourceFile().fileName; const renameLocation = getRenameLocation( edits, renameFilename, functionNameText, /*preferLastLocation*/ false ); return { renameFilename, renameLocation, edits }; function getTypeDeepCloneUnionUndefined(typeNode) { if (typeNode === void 0) { return void 0; } const clone2 = getSynthesizedDeepClone(typeNode); let withoutParens = clone2; while (isParenthesizedTypeNode(withoutParens)) { withoutParens = withoutParens.type; } return isUnionTypeNode(withoutParens) && find( withoutParens.types, (t) => t.kind === 157 /* UndefinedKeyword */ ) ? clone2 : factory.createUnionTypeNode([clone2, factory.createKeywordTypeNode( 157 /* UndefinedKeyword */ )]); } } function extractConstantInScope(node, scope, { substitutions }, rangeFacts, context) { const checker = context.program.getTypeChecker(); const file = scope.getSourceFile(); const localNameText = getIdentifierForNode(node, scope, checker, file); const isJS = isInJSFile(scope); let variableType = isJS || !checker.isContextSensitive(node) ? void 0 : checker.typeToTypeNode( checker.getContextualType(node), scope, 1 /* NoTruncation */ ); let initializer = transformConstantInitializer(skipParentheses(node), substitutions); ({ variableType, initializer } = transformFunctionInitializerAndType(variableType, initializer)); suppressLeadingAndTrailingTrivia(initializer); const changeTracker = ts_textChanges_exports.ChangeTracker.fromContext(context); if (isClassLike(scope)) { Debug.assert(!isJS, "Cannot extract to a JS class"); const modifiers = []; modifiers.push(factory.createModifier( 123 /* PrivateKeyword */ )); if (rangeFacts & 32) { modifiers.push(factory.createModifier( 126 /* StaticKeyword */ )); } modifiers.push(factory.createModifier( 148 /* ReadonlyKeyword */ )); const newVariable = factory.createPropertyDeclaration( modifiers, localNameText, /*questionOrExclamationToken*/ void 0, variableType, initializer ); let localReference = factory.createPropertyAccessExpression( rangeFacts & 32 ? factory.createIdentifier(scope.name.getText()) : factory.createThis(), factory.createIdentifier(localNameText) ); if (isInJSXContent(node)) { localReference = factory.createJsxExpression( /*dotDotDotToken*/ void 0, localReference ); } const maxInsertionPos = node.pos; const nodeToInsertBefore = getNodeToInsertPropertyBefore(maxInsertionPos, scope); changeTracker.insertNodeBefore( context.file, nodeToInsertBefore, newVariable, /*blankLineBetween*/ true ); changeTracker.replaceNode(context.file, node, localReference); } else { const newVariableDeclaration = factory.createVariableDeclaration( localNameText, /*exclamationToken*/ void 0, variableType, initializer ); const oldVariableDeclaration = getContainingVariableDeclarationIfInList(node, scope); if (oldVariableDeclaration) { changeTracker.insertNodeBefore(context.file, oldVariableDeclaration, newVariableDeclaration); const localReference = factory.createIdentifier(localNameText); changeTracker.replaceNode(context.file, node, localReference); } else if (node.parent.kind === 244 && scope === findAncestor(node, isScope)) { const newVariableStatement = factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [newVariableDeclaration], 2 /* Const */ ) ); changeTracker.replaceNode(context.file, node.parent, newVariableStatement); } else { const newVariableStatement = factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [newVariableDeclaration], 2 /* Const */ ) ); const nodeToInsertBefore = getNodeToInsertConstantBefore(node, scope); if (nodeToInsertBefore.pos === 0) { changeTracker.insertNodeAtTopOfFile( context.file, newVariableStatement, /*blankLineBetween*/ false ); } else { changeTracker.insertNodeBefore( context.file, nodeToInsertBefore, newVariableStatement, /*blankLineBetween*/ false ); } if (node.parent.kind === 244) { changeTracker.delete(context.file, node.parent); } else { let localReference = factory.createIdentifier(localNameText); if (isInJSXContent(node)) { localReference = factory.createJsxExpression( /*dotDotDotToken*/ void 0, localReference ); } changeTracker.replaceNode(context.file, node, localReference); } } } const edits = changeTracker.getChanges(); const renameFilename = node.getSourceFile().fileName; const renameLocation = getRenameLocation( edits, renameFilename, localNameText, /*preferLastLocation*/ true ); return { renameFilename, renameLocation, edits }; function transformFunctionInitializerAndType(variableType2, initializer2) { if (variableType2 === void 0) return { variableType: variableType2, initializer: initializer2 }; if (!isFunctionExpression(initializer2) && !isArrowFunction(initializer2) || !!initializer2.typeParameters) return { variableType: variableType2, initializer: initializer2 }; const functionType2 = checker.getTypeAtLocation(node); const functionSignature = singleOrUndefined(checker.getSignaturesOfType( functionType2, 0 /* Call */ )); if (!functionSignature) return { variableType: variableType2, initializer: initializer2 }; if (!!functionSignature.getTypeParameters()) return { variableType: variableType2, initializer: initializer2 }; const parameters = []; let hasAny = false; for (const p of initializer2.parameters) { if (p.type) { parameters.push(p); } else { const paramType = checker.getTypeAtLocation(p); if (paramType === checker.getAnyType()) hasAny = true; parameters.push(factory.updateParameterDeclaration(p, p.modifiers, p.dotDotDotToken, p.name, p.questionToken, p.type || checker.typeToTypeNode( paramType, scope, 1 /* NoTruncation */ ), p.initializer)); } } if (hasAny) return { variableType: variableType2, initializer: initializer2 }; variableType2 = void 0; if (isArrowFunction(initializer2)) { initializer2 = factory.updateArrowFunction(initializer2, canHaveModifiers(node) ? getModifiers(node) : void 0, initializer2.typeParameters, parameters, initializer2.type || checker.typeToTypeNode( functionSignature.getReturnType(), scope, 1 /* NoTruncation */ ), initializer2.equalsGreaterThanToken, initializer2.body); } else { if (functionSignature && !!functionSignature.thisParameter) { const firstParameter = firstOrUndefined(parameters); if (!firstParameter || isIdentifier(firstParameter.name) && firstParameter.name.escapedText !== "this") { const thisType = checker.getTypeOfSymbolAtLocation(functionSignature.thisParameter, node); parameters.splice( 0, 0, factory.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, "this", /*questionToken*/ void 0, checker.typeToTypeNode( thisType, scope, 1 /* NoTruncation */ ) ) ); } } initializer2 = factory.updateFunctionExpression(initializer2, canHaveModifiers(node) ? getModifiers(node) : void 0, initializer2.asteriskToken, initializer2.name, initializer2.typeParameters, parameters, initializer2.type || checker.typeToTypeNode( functionSignature.getReturnType(), scope, 1 /* NoTruncation */ ), initializer2.body); } return { variableType: variableType2, initializer: initializer2 }; } } function getContainingVariableDeclarationIfInList(node, scope) { let prevNode; while (node !== void 0 && node !== scope) { if (isVariableDeclaration(node) && node.initializer === prevNode && isVariableDeclarationList(node.parent) && node.parent.declarations.length > 1) { return node; } prevNode = node; node = node.parent; } } function getFirstDeclarationBeforePosition(type, position) { let firstDeclaration; const symbol = type.symbol; if (symbol && symbol.declarations) { for (const declaration of symbol.declarations) { if ((firstDeclaration === void 0 || declaration.pos < firstDeclaration.pos) && declaration.pos < position) { firstDeclaration = declaration; } } } return firstDeclaration; } function compareTypesByDeclarationOrder({ type: type1, declaration: declaration1 }, { type: type2, declaration: declaration2 }) { return compareProperties(declaration1, declaration2, "pos", compareValues) || compareStringsCaseSensitive( type1.symbol ? type1.symbol.getName() : "", type2.symbol ? type2.symbol.getName() : "" ) || compareValues(type1.id, type2.id); } function getCalledExpression(scope, range, functionNameText) { const functionReference = factory.createIdentifier(functionNameText); if (isClassLike(scope)) { const lhs = range.facts & 32 ? factory.createIdentifier(scope.name.text) : factory.createThis(); return factory.createPropertyAccessExpression(lhs, functionReference); } else { return functionReference; } } function transformFunctionBody(body, exposedVariableDeclarations, writes, substitutions, hasReturn2) { const hasWritesOrVariableDeclarations = writes !== void 0 || exposedVariableDeclarations.length > 0; if (isBlock(body) && !hasWritesOrVariableDeclarations && substitutions.size === 0) { return { body: factory.createBlock( body.statements, /*multiLine*/ true ), returnValueProperty: void 0 }; } let returnValueProperty; let ignoreReturns = false; const statements = factory.createNodeArray(isBlock(body) ? body.statements.slice(0) : [isStatement(body) ? body : factory.createReturnStatement(skipParentheses(body))]); if (hasWritesOrVariableDeclarations || substitutions.size) { const rewrittenStatements = visitNodes2(statements, visitor2, isStatement).slice(); if (hasWritesOrVariableDeclarations && !hasReturn2 && isStatement(body)) { const assignments = getPropertyAssignmentsForWritesAndVariableDeclarations(exposedVariableDeclarations, writes); if (assignments.length === 1) { rewrittenStatements.push(factory.createReturnStatement(assignments[0].name)); } else { rewrittenStatements.push(factory.createReturnStatement(factory.createObjectLiteralExpression(assignments))); } } return { body: factory.createBlock( rewrittenStatements, /*multiLine*/ true ), returnValueProperty }; } else { return { body: factory.createBlock( statements, /*multiLine*/ true ), returnValueProperty: void 0 }; } function visitor2(node) { if (!ignoreReturns && isReturnStatement(node) && hasWritesOrVariableDeclarations) { const assignments = getPropertyAssignmentsForWritesAndVariableDeclarations(exposedVariableDeclarations, writes); if (node.expression) { if (!returnValueProperty) { returnValueProperty = "__return"; } assignments.unshift(factory.createPropertyAssignment(returnValueProperty, visitNode(node.expression, visitor2, isExpression))); } if (assignments.length === 1) { return factory.createReturnStatement(assignments[0].name); } else { return factory.createReturnStatement(factory.createObjectLiteralExpression(assignments)); } } else { const oldIgnoreReturns = ignoreReturns; ignoreReturns = ignoreReturns || isFunctionLikeDeclaration(node) || isClassLike(node); const substitution = substitutions.get(getNodeId(node).toString()); const result = substitution ? getSynthesizedDeepClone(substitution) : visitEachChild( node, visitor2, /*context*/ void 0 ); ignoreReturns = oldIgnoreReturns; return result; } } } function transformConstantInitializer(initializer, substitutions) { return substitutions.size ? visitor2(initializer) : initializer; function visitor2(node) { const substitution = substitutions.get(getNodeId(node).toString()); return substitution ? getSynthesizedDeepClone(substitution) : visitEachChild( node, visitor2, /*context*/ void 0 ); } } function getStatementsOrClassElements(scope) { if (isFunctionLikeDeclaration(scope)) { const body = scope.body; if (isBlock(body)) { return body.statements; } } else if (isModuleBlock(scope) || isSourceFile(scope)) { return scope.statements; } else if (isClassLike(scope)) { return scope.members; } else { assertType(scope); } return emptyArray; } function getNodeToInsertFunctionBefore(minPos, scope) { return find(getStatementsOrClassElements(scope), (child) => child.pos >= minPos && isFunctionLikeDeclaration(child) && !isConstructorDeclaration(child)); } function getNodeToInsertPropertyBefore(maxPos, scope) { const members = scope.members; Debug.assert(members.length > 0, "Found no members"); let prevMember; let allProperties = true; for (const member of members) { if (member.pos > maxPos) { return prevMember || members[0]; } if (allProperties && !isPropertyDeclaration(member)) { if (prevMember !== void 0) { return member; } allProperties = false; } prevMember = member; } if (prevMember === void 0) return Debug.fail(); return prevMember; } function getNodeToInsertConstantBefore(node, scope) { Debug.assert(!isClassLike(scope)); let prevScope; for (let curr = node; curr !== scope; curr = curr.parent) { if (isScope(curr)) { prevScope = curr; } } for (let curr = (prevScope || node).parent; ; curr = curr.parent) { if (isBlockLike(curr)) { let prevStatement; for (const statement of curr.statements) { if (statement.pos > node.pos) { break; } prevStatement = statement; } if (!prevStatement && isCaseClause(curr)) { Debug.assert(isSwitchStatement(curr.parent.parent), "Grandparent isn't a switch statement"); return curr.parent.parent; } return Debug.checkDefined(prevStatement, "prevStatement failed to get set"); } Debug.assert(curr !== scope, "Didn't encounter a block-like before encountering scope"); } } function getPropertyAssignmentsForWritesAndVariableDeclarations(exposedVariableDeclarations, writes) { const variableAssignments = map(exposedVariableDeclarations, (v) => factory.createShorthandPropertyAssignment(v.symbol.name)); const writeAssignments = map(writes, (w) => factory.createShorthandPropertyAssignment(w.symbol.name)); return variableAssignments === void 0 ? writeAssignments : writeAssignments === void 0 ? variableAssignments : variableAssignments.concat(writeAssignments); } function isReadonlyArray(v) { return isArray3(v); } function getEnclosingTextRange(targetRange, sourceFile) { return isReadonlyArray(targetRange.range) ? { pos: first(targetRange.range).getStart(sourceFile), end: last(targetRange.range).getEnd() } : targetRange.range; } function collectReadsAndWrites(targetRange, scopes, enclosingTextRange, sourceFile, checker, cancellationToken) { const allTypeParameterUsages = /* @__PURE__ */ new Map(); const usagesPerScope = []; const substitutionsPerScope = []; const functionErrorsPerScope = []; const constantErrorsPerScope = []; const visibleDeclarationsInExtractedRange = []; const exposedVariableSymbolSet = /* @__PURE__ */ new Map(); const exposedVariableDeclarations = []; let firstExposedNonVariableDeclaration; const expression = !isReadonlyArray(targetRange.range) ? targetRange.range : targetRange.range.length === 1 && isExpressionStatement2(targetRange.range[0]) ? targetRange.range[0].expression : void 0; let expressionDiagnostic; if (expression === void 0) { const statements = targetRange.range; const start = first(statements).getStart(); const end = last(statements).end; expressionDiagnostic = createFileDiagnostic(sourceFile, start, end - start, Messages.expressionExpected); } else if (checker.getTypeAtLocation(expression).flags & (16384 | 131072)) { expressionDiagnostic = createDiagnosticForNode(expression, Messages.uselessConstantType); } for (const scope of scopes) { usagesPerScope.push({ usages: /* @__PURE__ */ new Map(), typeParameterUsages: /* @__PURE__ */ new Map(), substitutions: /* @__PURE__ */ new Map() }); substitutionsPerScope.push(/* @__PURE__ */ new Map()); functionErrorsPerScope.push([]); const constantErrors = []; if (expressionDiagnostic) { constantErrors.push(expressionDiagnostic); } if (isClassLike(scope) && isInJSFile(scope)) { constantErrors.push(createDiagnosticForNode(scope, Messages.cannotExtractToJSClass)); } if (isArrowFunction(scope) && !isBlock(scope.body)) { constantErrors.push(createDiagnosticForNode(scope, Messages.cannotExtractToExpressionArrowFunction)); } constantErrorsPerScope.push(constantErrors); } const seenUsages = /* @__PURE__ */ new Map(); const target = isReadonlyArray(targetRange.range) ? factory.createBlock(targetRange.range) : targetRange.range; const unmodifiedNode = isReadonlyArray(targetRange.range) ? first(targetRange.range) : targetRange.range; const inGenericContext = isInGenericContext(unmodifiedNode); collectUsages(target); if (inGenericContext && !isReadonlyArray(targetRange.range) && !isJsxAttribute(targetRange.range)) { const contextualType = checker.getContextualType(targetRange.range); recordTypeParameterUsages(contextualType); } if (allTypeParameterUsages.size > 0) { const seenTypeParameterUsages = /* @__PURE__ */ new Map(); let i = 0; for (let curr = unmodifiedNode; curr !== void 0 && i < scopes.length; curr = curr.parent) { if (curr === scopes[i]) { seenTypeParameterUsages.forEach((typeParameter, id) => { usagesPerScope[i].typeParameterUsages.set(id, typeParameter); }); i++; } if (isDeclarationWithTypeParameters(curr)) { for (const typeParameterDecl of getEffectiveTypeParameterDeclarations(curr)) { const typeParameter = checker.getTypeAtLocation(typeParameterDecl); if (allTypeParameterUsages.has(typeParameter.id.toString())) { seenTypeParameterUsages.set(typeParameter.id.toString(), typeParameter); } } } } Debug.assert(i === scopes.length, "Should have iterated all scopes"); } if (visibleDeclarationsInExtractedRange.length) { const containingLexicalScopeOfExtraction = isBlockScope(scopes[0], scopes[0].parent) ? scopes[0] : getEnclosingBlockScopeContainer(scopes[0]); forEachChild(containingLexicalScopeOfExtraction, checkForUsedDeclarations); } for (let i = 0; i < scopes.length; i++) { const scopeUsages = usagesPerScope[i]; if (i > 0 && (scopeUsages.usages.size > 0 || scopeUsages.typeParameterUsages.size > 0)) { const errorNode = isReadonlyArray(targetRange.range) ? targetRange.range[0] : targetRange.range; constantErrorsPerScope[i].push(createDiagnosticForNode(errorNode, Messages.cannotAccessVariablesFromNestedScopes)); } if (targetRange.facts & 16 && isClassLike(scopes[i])) { functionErrorsPerScope[i].push(createDiagnosticForNode(targetRange.thisNode, Messages.cannotExtractFunctionsContainingThisToMethod)); } let hasWrite = false; let readonlyClassPropertyWrite; usagesPerScope[i].usages.forEach((value) => { if (value.usage === 2) { hasWrite = true; if (value.symbol.flags & 106500 && value.symbol.valueDeclaration && hasEffectiveModifier( value.symbol.valueDeclaration, 8 /* Readonly */ )) { readonlyClassPropertyWrite = value.symbol.valueDeclaration; } } }); Debug.assert(isReadonlyArray(targetRange.range) || exposedVariableDeclarations.length === 0, "No variable declarations expected if something was extracted"); if (hasWrite && !isReadonlyArray(targetRange.range)) { const diag2 = createDiagnosticForNode(targetRange.range, Messages.cannotWriteInExpression); functionErrorsPerScope[i].push(diag2); constantErrorsPerScope[i].push(diag2); } else if (readonlyClassPropertyWrite && i > 0) { const diag2 = createDiagnosticForNode(readonlyClassPropertyWrite, Messages.cannotExtractReadonlyPropertyInitializerOutsideConstructor); functionErrorsPerScope[i].push(diag2); constantErrorsPerScope[i].push(diag2); } else if (firstExposedNonVariableDeclaration) { const diag2 = createDiagnosticForNode(firstExposedNonVariableDeclaration, Messages.cannotExtractExportedEntity); functionErrorsPerScope[i].push(diag2); constantErrorsPerScope[i].push(diag2); } } return { target, usagesPerScope, functionErrorsPerScope, constantErrorsPerScope, exposedVariableDeclarations }; function isInGenericContext(node) { return !!findAncestor(node, (n) => isDeclarationWithTypeParameters(n) && getEffectiveTypeParameterDeclarations(n).length !== 0); } function recordTypeParameterUsages(type) { const symbolWalker = checker.getSymbolWalker(() => (cancellationToken.throwIfCancellationRequested(), true)); const { visitedTypes } = symbolWalker.walkType(type); for (const visitedType of visitedTypes) { if (visitedType.isTypeParameter()) { allTypeParameterUsages.set(visitedType.id.toString(), visitedType); } } } function collectUsages(node, valueUsage = 1) { if (inGenericContext) { const type = checker.getTypeAtLocation(node); recordTypeParameterUsages(type); } if (isDeclaration(node) && node.symbol) { visibleDeclarationsInExtractedRange.push(node); } if (isAssignmentExpression2(node)) { collectUsages( node.left, 2 /* Write */ ); collectUsages(node.right); } else if (isUnaryExpressionWithWrite(node)) { collectUsages( node.operand, 2 /* Write */ ); } else if (isPropertyAccessExpression(node) || isElementAccessExpression(node)) { forEachChild(node, collectUsages); } else if (isIdentifier(node)) { if (!node.parent) { return; } if (isQualifiedName(node.parent) && node !== node.parent.left) { return; } if (isPropertyAccessExpression(node.parent) && node !== node.parent.expression) { return; } recordUsage( node, valueUsage, /*isTypeNode*/ isPartOfTypeNode(node) ); } else { forEachChild(node, collectUsages); } } function recordUsage(n, usage, isTypeNode2) { const symbolId = recordUsagebySymbol(n, usage, isTypeNode2); if (symbolId) { for (let i = 0; i < scopes.length; i++) { const substitution = substitutionsPerScope[i].get(symbolId); if (substitution) { usagesPerScope[i].substitutions.set(getNodeId(n).toString(), substitution); } } } } function recordUsagebySymbol(identifier, usage, isTypeName) { const symbol = getSymbolReferencedByIdentifier(identifier); if (!symbol) { return void 0; } const symbolId = getSymbolId(symbol).toString(); const lastUsage = seenUsages.get(symbolId); if (lastUsage && lastUsage >= usage) { return symbolId; } seenUsages.set(symbolId, usage); if (lastUsage) { for (const perScope of usagesPerScope) { const prevEntry = perScope.usages.get(identifier.text); if (prevEntry) { perScope.usages.set(identifier.text, { usage, symbol, node: identifier }); } } return symbolId; } const decls = symbol.getDeclarations(); const declInFile = decls && find(decls, (d) => d.getSourceFile() === sourceFile); if (!declInFile) { return void 0; } if (rangeContainsStartEnd(enclosingTextRange, declInFile.getStart(), declInFile.end)) { return void 0; } if (targetRange.facts & 2 && usage === 2) { const diag2 = createDiagnosticForNode(identifier, Messages.cannotExtractRangeThatContainsWritesToReferencesLocatedOutsideOfTheTargetRangeInGenerators); for (const errors of functionErrorsPerScope) { errors.push(diag2); } for (const errors of constantErrorsPerScope) { errors.push(diag2); } } for (let i = 0; i < scopes.length; i++) { const scope = scopes[i]; const resolvedSymbol = checker.resolveName( symbol.name, scope, symbol.flags, /*excludeGlobals*/ false ); if (resolvedSymbol === symbol) { continue; } if (!substitutionsPerScope[i].has(symbolId)) { const substitution = tryReplaceWithQualifiedNameOrPropertyAccess(symbol.exportSymbol || symbol, scope, isTypeName); if (substitution) { substitutionsPerScope[i].set(symbolId, substitution); } else if (isTypeName) { if (!(symbol.flags & 262144)) { const diag2 = createDiagnosticForNode(identifier, Messages.typeWillNotBeVisibleInTheNewScope); functionErrorsPerScope[i].push(diag2); constantErrorsPerScope[i].push(diag2); } } else { usagesPerScope[i].usages.set(identifier.text, { usage, symbol, node: identifier }); } } } return symbolId; } function checkForUsedDeclarations(node) { if (node === targetRange.range || isReadonlyArray(targetRange.range) && targetRange.range.includes(node)) { return; } const sym = isIdentifier(node) ? getSymbolReferencedByIdentifier(node) : checker.getSymbolAtLocation(node); if (sym) { const decl = find(visibleDeclarationsInExtractedRange, (d) => d.symbol === sym); if (decl) { if (isVariableDeclaration(decl)) { const idString = decl.symbol.id.toString(); if (!exposedVariableSymbolSet.has(idString)) { exposedVariableDeclarations.push(decl); exposedVariableSymbolSet.set(idString, true); } } else { firstExposedNonVariableDeclaration = firstExposedNonVariableDeclaration || decl; } } } forEachChild(node, checkForUsedDeclarations); } function getSymbolReferencedByIdentifier(identifier) { return identifier.parent && isShorthandPropertyAssignment(identifier.parent) && identifier.parent.name === identifier ? checker.getShorthandAssignmentValueSymbol(identifier.parent) : checker.getSymbolAtLocation(identifier); } function tryReplaceWithQualifiedNameOrPropertyAccess(symbol, scopeDecl, isTypeNode2) { if (!symbol) { return void 0; } const decls = symbol.getDeclarations(); if (decls && decls.some((d) => d.parent === scopeDecl)) { return factory.createIdentifier(symbol.name); } const prefix = tryReplaceWithQualifiedNameOrPropertyAccess(symbol.parent, scopeDecl, isTypeNode2); if (prefix === void 0) { return void 0; } return isTypeNode2 ? factory.createQualifiedName(prefix, factory.createIdentifier(symbol.name)) : factory.createPropertyAccessExpression(prefix, symbol.name); } } function getExtractableParent(node) { return findAncestor(node, (node2) => node2.parent && isExtractableExpression(node2) && !isBinaryExpression(node2.parent)); } function isExtractableExpression(node) { const { parent: parent2 } = node; switch (parent2.kind) { case 306: return false; } switch (node.kind) { case 11: return parent2.kind !== 272 && parent2.kind !== 276; case 230: case 206: case 208: return false; case 80: return parent2.kind !== 208 && parent2.kind !== 276 && parent2.kind !== 281; } return true; } function isInJSXContent(node) { return isStringLiteralJsxAttribute(node) || (isJsxElement(node) || isJsxSelfClosingElement(node) || isJsxFragment(node)) && (isJsxElement(node.parent) || isJsxFragment(node.parent)); } function isStringLiteralJsxAttribute(node) { return isStringLiteral2(node) && node.parent && isJsxAttribute(node.parent); } var ts_refactor_generateGetAccessorAndSetAccessor_exports = {}; var actionName = "Generate 'get' and 'set' accessors"; var actionDescription = getLocaleSpecificMessage(Diagnostics.Generate_get_and_set_accessors); var generateGetSetAction = { name: actionName, description: actionDescription, kind: "refactor.rewrite.property.generateAccessors" }; registerRefactor(actionName, { kinds: [generateGetSetAction.kind], getEditsForAction: function getRefactorActionsToGenerateGetAndSetAccessors(context, actionName2) { if (!context.endPosition) return void 0; const info = ts_codefix_exports.getAccessorConvertiblePropertyAtPosition(context.file, context.program, context.startPosition, context.endPosition); Debug.assert(info && !isRefactorErrorInfo(info), "Expected applicable refactor info"); const edits = ts_codefix_exports.generateAccessorFromProperty(context.file, context.program, context.startPosition, context.endPosition, context, actionName2); if (!edits) return void 0; const renameFilename = context.file.fileName; const nameNeedRename = info.renameAccessor ? info.accessorName : info.fieldName; const renameLocationOffset = isIdentifier(nameNeedRename) ? 0 : -1; const renameLocation = renameLocationOffset + getRenameLocation( edits, renameFilename, nameNeedRename.text, /*preferLastLocation*/ isParameter(info.declaration) ); return { renameFilename, renameLocation, edits }; }, getAvailableActions(context) { if (!context.endPosition) return emptyArray; const info = ts_codefix_exports.getAccessorConvertiblePropertyAtPosition(context.file, context.program, context.startPosition, context.endPosition, context.triggerReason === "invoked"); if (!info) return emptyArray; if (!isRefactorErrorInfo(info)) { return [{ name: actionName, description: actionDescription, actions: [generateGetSetAction] }]; } if (context.preferences.provideRefactorNotApplicableReason) { return [{ name: actionName, description: actionDescription, actions: [{ ...generateGetSetAction, notApplicableReason: info.error }] }]; } return emptyArray; } }); var ts_refactor_inferFunctionReturnType_exports = {}; var refactorName13 = "Infer function return type"; var refactorDescription7 = getLocaleSpecificMessage(Diagnostics.Infer_function_return_type); var inferReturnTypeAction = { name: refactorName13, description: refactorDescription7, kind: "refactor.rewrite.function.returnType" }; registerRefactor(refactorName13, { kinds: [inferReturnTypeAction.kind], getEditsForAction: getRefactorEditsToInferReturnType, getAvailableActions: getRefactorActionsToInferReturnType }); function getRefactorEditsToInferReturnType(context) { const info = getInfo4(context); if (info && !isRefactorErrorInfo(info)) { const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange7(context.file, t, info.declaration, info.returnTypeNode)); return { renameFilename: void 0, renameLocation: void 0, edits }; } return void 0; } function getRefactorActionsToInferReturnType(context) { const info = getInfo4(context); if (!info) return emptyArray; if (!isRefactorErrorInfo(info)) { return [{ name: refactorName13, description: refactorDescription7, actions: [inferReturnTypeAction] }]; } if (context.preferences.provideRefactorNotApplicableReason) { return [{ name: refactorName13, description: refactorDescription7, actions: [{ ...inferReturnTypeAction, notApplicableReason: info.error }] }]; } return emptyArray; } function doChange7(sourceFile, changes, declaration, typeNode) { const closeParen = findChildOfKind(declaration, 22, sourceFile); const needParens = isArrowFunction(declaration) && closeParen === void 0; const endNode2 = needParens ? first(declaration.parameters) : closeParen; if (endNode2) { if (needParens) { changes.insertNodeBefore(sourceFile, endNode2, factory.createToken( 21 /* OpenParenToken */ )); changes.insertNodeAfter(sourceFile, endNode2, factory.createToken( 22 /* CloseParenToken */ )); } changes.insertNodeAt(sourceFile, endNode2.end, typeNode, { prefix: ": " }); } } function getInfo4(context) { if (isInJSFile(context.file) || !refactorKindBeginsWith(inferReturnTypeAction.kind, context.kind)) return; const token = getTouchingPropertyName(context.file, context.startPosition); const declaration = findAncestor(token, (n) => isBlock(n) || n.parent && isArrowFunction(n.parent) && (n.kind === 39 || n.parent.body === n) ? "quit" : isConvertibleDeclaration(n)); if (!declaration || !declaration.body || declaration.type) { return { error: getLocaleSpecificMessage(Diagnostics.Return_type_must_be_inferred_from_a_function) }; } const typeChecker = context.program.getTypeChecker(); const returnType = tryGetReturnType(typeChecker, declaration); if (!returnType) { return { error: getLocaleSpecificMessage(Diagnostics.Could_not_determine_function_return_type) }; } const returnTypeNode = typeChecker.typeToTypeNode( returnType, declaration, 1 /* NoTruncation */ ); if (returnTypeNode) { return { declaration, returnTypeNode }; } } function isConvertibleDeclaration(node) { switch (node.kind) { case 262: case 218: case 219: case 174: return true; default: return false; } } function tryGetReturnType(typeChecker, node) { if (typeChecker.isImplementationOfOverload(node)) { const signatures = typeChecker.getTypeAtLocation(node).getCallSignatures(); if (signatures.length > 1) { return typeChecker.getUnionType(mapDefined(signatures, (s) => s.getReturnType())); } } const signature = typeChecker.getSignatureFromDeclaration(node); if (signature) { return typeChecker.getReturnTypeOfSignature(signature); } } var TokenEncodingConsts = /* @__PURE__ */ ((TokenEncodingConsts2) => { TokenEncodingConsts2[TokenEncodingConsts2["typeOffset"] = 8] = "typeOffset"; TokenEncodingConsts2[TokenEncodingConsts2["modifierMask"] = 255] = "modifierMask"; return TokenEncodingConsts2; })(TokenEncodingConsts || {}); var TokenType = /* @__PURE__ */ ((TokenType2) => { TokenType2[TokenType2["class"] = 0] = "class"; TokenType2[TokenType2["enum"] = 1] = "enum"; TokenType2[TokenType2["interface"] = 2] = "interface"; TokenType2[TokenType2["namespace"] = 3] = "namespace"; TokenType2[TokenType2["typeParameter"] = 4] = "typeParameter"; TokenType2[TokenType2["type"] = 5] = "type"; TokenType2[TokenType2["parameter"] = 6] = "parameter"; TokenType2[TokenType2["variable"] = 7] = "variable"; TokenType2[TokenType2["enumMember"] = 8] = "enumMember"; TokenType2[TokenType2["property"] = 9] = "property"; TokenType2[TokenType2["function"] = 10] = "function"; TokenType2[TokenType2["member"] = 11] = "member"; return TokenType2; })(TokenType || {}); var TokenModifier = /* @__PURE__ */ ((TokenModifier2) => { TokenModifier2[TokenModifier2["declaration"] = 0] = "declaration"; TokenModifier2[TokenModifier2["static"] = 1] = "static"; TokenModifier2[TokenModifier2["async"] = 2] = "async"; TokenModifier2[TokenModifier2["readonly"] = 3] = "readonly"; TokenModifier2[TokenModifier2["defaultLibrary"] = 4] = "defaultLibrary"; TokenModifier2[TokenModifier2["local"] = 5] = "local"; return TokenModifier2; })(TokenModifier || {}); function getSemanticClassifications2(program, cancellationToken, sourceFile, span) { const classifications = getEncodedSemanticClassifications2(program, cancellationToken, sourceFile, span); Debug.assert(classifications.spans.length % 3 === 0); const dense = classifications.spans; const result = []; for (let i = 0; i < dense.length; i += 3) { result.push({ textSpan: createTextSpan(dense[i], dense[i + 1]), classificationType: dense[i + 2] }); } return result; } function getEncodedSemanticClassifications2(program, cancellationToken, sourceFile, span) { return { spans: getSemanticTokens(program, sourceFile, span, cancellationToken), endOfLineState: 0 /* None */ }; } function getSemanticTokens(program, sourceFile, span, cancellationToken) { const resultTokens = []; const collector = (node, typeIdx, modifierSet) => { resultTokens.push(node.getStart(sourceFile), node.getWidth(sourceFile), (typeIdx + 1 << 8) + modifierSet); }; if (program && sourceFile) { collectTokens(program, sourceFile, span, collector, cancellationToken); } return resultTokens; } function collectTokens(program, sourceFile, span, collector, cancellationToken) { const typeChecker = program.getTypeChecker(); let inJSXElement = false; function visit(node) { switch (node.kind) { case 267: case 263: case 264: case 262: case 231: case 218: case 219: cancellationToken.throwIfCancellationRequested(); } if (!node || !textSpanIntersectsWith(span, node.pos, node.getFullWidth()) || node.getFullWidth() === 0) { return; } const prevInJSXElement = inJSXElement; if (isJsxElement(node) || isJsxSelfClosingElement(node)) { inJSXElement = true; } if (isJsxExpression(node)) { inJSXElement = false; } if (isIdentifier(node) && !inJSXElement && !inImportClause(node) && !isInfinityOrNaNString(node.escapedText)) { let symbol = typeChecker.getSymbolAtLocation(node); if (symbol) { if (symbol.flags & 2097152) { symbol = typeChecker.getAliasedSymbol(symbol); } let typeIdx = classifySymbol2(symbol, getMeaningFromLocation(node)); if (typeIdx !== void 0) { let modifierSet = 0; if (node.parent) { const parentIsDeclaration = isBindingElement(node.parent) || tokenFromDeclarationMapping.get(node.parent.kind) === typeIdx; if (parentIsDeclaration && node.parent.name === node) { modifierSet = 1 << 0; } } if (typeIdx === 6 && isRightSideOfQualifiedNameOrPropertyAccess2(node)) { typeIdx = 9; } typeIdx = reclassifyByType(typeChecker, node, typeIdx); const decl = symbol.valueDeclaration; if (decl) { const modifiers = getCombinedModifierFlags(decl); const nodeFlags = getCombinedNodeFlags(decl); if (modifiers & 256) { modifierSet |= 1 << 1; } if (modifiers & 1024) { modifierSet |= 1 << 2; } if (typeIdx !== 0 && typeIdx !== 2) { if (modifiers & 8 || nodeFlags & 2 || symbol.getFlags() & 8) { modifierSet |= 1 << 3; } } if ((typeIdx === 7 || typeIdx === 10) && isLocalDeclaration(decl, sourceFile)) { modifierSet |= 1 << 5; } if (program.isSourceFileDefaultLibrary(decl.getSourceFile())) { modifierSet |= 1 << 4; } } else if (symbol.declarations && symbol.declarations.some((d) => program.isSourceFileDefaultLibrary(d.getSourceFile()))) { modifierSet |= 1 << 4; } collector(node, typeIdx, modifierSet); } } } forEachChild(node, visit); inJSXElement = prevInJSXElement; } visit(sourceFile); } function classifySymbol2(symbol, meaning) { const flags = symbol.getFlags(); if (flags & 32) { return 0; } else if (flags & 384) { return 1; } else if (flags & 524288) { return 5; } else if (flags & 64) { if (meaning & 2) { return 2; } } else if (flags & 262144) { return 4; } let decl = symbol.valueDeclaration || symbol.declarations && symbol.declarations[0]; if (decl && isBindingElement(decl)) { decl = getDeclarationForBindingElement(decl); } return decl && tokenFromDeclarationMapping.get(decl.kind); } function reclassifyByType(typeChecker, node, typeIdx) { if (typeIdx === 7 || typeIdx === 9 || typeIdx === 6) { const type = typeChecker.getTypeAtLocation(node); if (type) { const test = (condition) => { return condition(type) || type.isUnion() && type.types.some(condition); }; if (typeIdx !== 6 && test((t) => t.getConstructSignatures().length > 0)) { return 0; } if (test((t) => t.getCallSignatures().length > 0) && !test((t) => t.getProperties().length > 0) || isExpressionInCallExpression(node)) { return typeIdx === 9 ? 11 : 10; } } } return typeIdx; } function isLocalDeclaration(decl, sourceFile) { if (isBindingElement(decl)) { decl = getDeclarationForBindingElement(decl); } if (isVariableDeclaration(decl)) { return (!isSourceFile(decl.parent.parent.parent) || isCatchClause(decl.parent)) && decl.getSourceFile() === sourceFile; } else if (isFunctionDeclaration(decl)) { return !isSourceFile(decl.parent) && decl.getSourceFile() === sourceFile; } return false; } function getDeclarationForBindingElement(element) { while (true) { if (isBindingElement(element.parent.parent)) { element = element.parent.parent; } else { return element.parent.parent; } } } function inImportClause(node) { const parent2 = node.parent; return parent2 && (isImportClause(parent2) || isImportSpecifier(parent2) || isNamespaceImport(parent2)); } function isExpressionInCallExpression(node) { while (isRightSideOfQualifiedNameOrPropertyAccess2(node)) { node = node.parent; } return isCallExpression2(node.parent) && node.parent.expression === node; } function isRightSideOfQualifiedNameOrPropertyAccess2(node) { return isQualifiedName(node.parent) && node.parent.right === node || isPropertyAccessExpression(node.parent) && node.parent.name === node; } var tokenFromDeclarationMapping = /* @__PURE__ */ new Map([ [ 260, 7 /* variable */ ], [ 169, 6 /* parameter */ ], [ 172, 9 /* property */ ], [ 267, 3 /* namespace */ ], [ 266, 1 /* enum */ ], [ 306, 8 /* enumMember */ ], [ 263, 0 /* class */ ], [ 174, 11 /* member */ ], [ 262, 10 /* function */ ], [ 218, 10 /* function */ ], [ 173, 11 /* member */ ], [ 177, 9 /* property */ ], [ 178, 9 /* property */ ], [ 171, 9 /* property */ ], [ 264, 2 /* interface */ ], [ 265, 5 /* type */ ], [ 168, 4 /* typeParameter */ ], [ 303, 9 /* property */ ], [ 304, 9 /* property */ ] ]); var servicesVersion = "0.8"; function createNode(kind, pos, end, parent2) { const node = isNodeKind(kind) ? new NodeObject(kind, pos, end) : kind === 80 ? new IdentifierObject(80, pos, end) : kind === 81 ? new PrivateIdentifierObject(81, pos, end) : new TokenObject(kind, pos, end); node.parent = parent2; node.flags = parent2.flags & 101441536; return node; } var NodeObject = class { constructor(kind, pos, end) { this.pos = pos; this.end = end; this.kind = kind; this.id = 0; this.flags = 0; this.modifierFlagsCache = 0; this.transformFlags = 0; this.parent = void 0; this.original = void 0; this.emitNode = void 0; } assertHasRealPosition(message) { Debug.assert(!positionIsSynthesized(this.pos) && !positionIsSynthesized(this.end), message || "Node must have a real position for this operation"); } getSourceFile() { return getSourceFileOfNode(this); } getStart(sourceFile, includeJsDocComment) { this.assertHasRealPosition(); return getTokenPosOfNode(this, sourceFile, includeJsDocComment); } getFullStart() { this.assertHasRealPosition(); return this.pos; } getEnd() { this.assertHasRealPosition(); return this.end; } getWidth(sourceFile) { this.assertHasRealPosition(); return this.getEnd() - this.getStart(sourceFile); } getFullWidth() { this.assertHasRealPosition(); return this.end - this.pos; } getLeadingTriviaWidth(sourceFile) { this.assertHasRealPosition(); return this.getStart(sourceFile) - this.pos; } getFullText(sourceFile) { this.assertHasRealPosition(); return (sourceFile || this.getSourceFile()).text.substring(this.pos, this.end); } getText(sourceFile) { this.assertHasRealPosition(); if (!sourceFile) { sourceFile = this.getSourceFile(); } return sourceFile.text.substring(this.getStart(sourceFile), this.getEnd()); } getChildCount(sourceFile) { return this.getChildren(sourceFile).length; } getChildAt(index, sourceFile) { return this.getChildren(sourceFile)[index]; } getChildren(sourceFile) { this.assertHasRealPosition("Node without a real position cannot be scanned and thus has no token nodes - use forEachChild and collect the result if that's fine"); return getNodeChildren(this) ?? setNodeChildren(this, createChildren(this, sourceFile)); } getFirstToken(sourceFile) { this.assertHasRealPosition(); const children = this.getChildren(sourceFile); if (!children.length) { return void 0; } const child = find( children, (kid) => kid.kind < 309 || kid.kind > 351 /* LastJSDocNode */ ); return child.kind < 166 ? child : child.getFirstToken(sourceFile); } getLastToken(sourceFile) { this.assertHasRealPosition(); const children = this.getChildren(sourceFile); const child = lastOrUndefined(children); if (!child) { return void 0; } return child.kind < 166 ? child : child.getLastToken(sourceFile); } forEachChild(cbNode, cbNodeArray) { return forEachChild(this, cbNode, cbNodeArray); } }; function createChildren(node, sourceFile) { const children = []; if (isJSDocCommentContainingNode(node)) { node.forEachChild((child) => { children.push(child); }); return children; } scanner.setText((sourceFile || node.getSourceFile()).text); let pos = node.pos; const processNode = (child) => { addSyntheticNodes(children, pos, child.pos, node); children.push(child); pos = child.end; }; const processNodes = (nodes) => { addSyntheticNodes(children, pos, nodes.pos, node); children.push(createSyntaxList(nodes, node)); pos = nodes.end; }; forEach(node.jsDoc, processNode); pos = node.pos; node.forEachChild(processNode, processNodes); addSyntheticNodes(children, pos, node.end, node); scanner.setText(void 0); return children; } function addSyntheticNodes(nodes, pos, end, parent2) { scanner.resetTokenState(pos); while (pos < end) { const token = scanner.scan(); const textPos = scanner.getTokenEnd(); if (textPos <= end) { if (token === 80) { if (hasTabstop(parent2)) { continue; } Debug.fail(`Did not expect ${Debug.formatSyntaxKind(parent2.kind)} to have an Identifier in its trivia`); } nodes.push(createNode(token, pos, textPos, parent2)); } pos = textPos; if (token === 1) { break; } } } function createSyntaxList(nodes, parent2) { const list = createNode(352, nodes.pos, nodes.end, parent2); const children = []; let pos = nodes.pos; for (const node of nodes) { addSyntheticNodes(children, pos, node.pos, parent2); children.push(node); pos = node.end; } addSyntheticNodes(children, pos, nodes.end, parent2); setNodeChildren(list, children); return list; } var TokenOrIdentifierObject = class { constructor(kind, pos, end) { this.pos = pos; this.end = end; this.kind = kind; this.id = 0; this.flags = 0; this.transformFlags = 0; this.parent = void 0; this.emitNode = void 0; } getSourceFile() { return getSourceFileOfNode(this); } getStart(sourceFile, includeJsDocComment) { return getTokenPosOfNode(this, sourceFile, includeJsDocComment); } getFullStart() { return this.pos; } getEnd() { return this.end; } getWidth(sourceFile) { return this.getEnd() - this.getStart(sourceFile); } getFullWidth() { return this.end - this.pos; } getLeadingTriviaWidth(sourceFile) { return this.getStart(sourceFile) - this.pos; } getFullText(sourceFile) { return (sourceFile || this.getSourceFile()).text.substring(this.pos, this.end); } getText(sourceFile) { if (!sourceFile) { sourceFile = this.getSourceFile(); } return sourceFile.text.substring(this.getStart(sourceFile), this.getEnd()); } getChildCount() { return this.getChildren().length; } getChildAt(index) { return this.getChildren()[index]; } getChildren() { return this.kind === 1 ? this.jsDoc || emptyArray : emptyArray; } getFirstToken() { return void 0; } getLastToken() { return void 0; } forEachChild() { return void 0; } }; var SymbolObject = class { constructor(flags, name) { this.flags = flags; this.escapedName = name; this.declarations = void 0; this.valueDeclaration = void 0; this.id = 0; this.mergeId = 0; this.parent = void 0; this.members = void 0; this.exports = void 0; this.exportSymbol = void 0; this.constEnumOnlyModule = void 0; this.isReferenced = void 0; this.lastAssignmentPos = void 0; this.links = void 0; } getFlags() { return this.flags; } get name() { return symbolName(this); } getEscapedName() { return this.escapedName; } getName() { return this.name; } getDeclarations() { return this.declarations; } getDocumentationComment(checker) { if (!this.documentationComment) { this.documentationComment = emptyArray; if (!this.declarations && isTransientSymbol(this) && this.links.target && isTransientSymbol(this.links.target) && this.links.target.links.tupleLabelDeclaration) { const labelDecl = this.links.target.links.tupleLabelDeclaration; this.documentationComment = getDocumentationComment([labelDecl], checker); } else { this.documentationComment = getDocumentationComment(this.declarations, checker); } } return this.documentationComment; } getContextualDocumentationComment(context, checker) { if (context) { if (isGetAccessor(context)) { if (!this.contextualGetAccessorDocumentationComment) { this.contextualGetAccessorDocumentationComment = getDocumentationComment(filter(this.declarations, isGetAccessor), checker); } if (length(this.contextualGetAccessorDocumentationComment)) { return this.contextualGetAccessorDocumentationComment; } } if (isSetAccessor(context)) { if (!this.contextualSetAccessorDocumentationComment) { this.contextualSetAccessorDocumentationComment = getDocumentationComment(filter(this.declarations, isSetAccessor), checker); } if (length(this.contextualSetAccessorDocumentationComment)) { return this.contextualSetAccessorDocumentationComment; } } } return this.getDocumentationComment(checker); } getJsDocTags(checker) { if (this.tags === void 0) { this.tags = emptyArray; this.tags = getJsDocTagsOfDeclarations(this.declarations, checker); } return this.tags; } getContextualJsDocTags(context, checker) { if (context) { if (isGetAccessor(context)) { if (!this.contextualGetAccessorTags) { this.contextualGetAccessorTags = getJsDocTagsOfDeclarations(filter(this.declarations, isGetAccessor), checker); } if (length(this.contextualGetAccessorTags)) { return this.contextualGetAccessorTags; } } if (isSetAccessor(context)) { if (!this.contextualSetAccessorTags) { this.contextualSetAccessorTags = getJsDocTagsOfDeclarations(filter(this.declarations, isSetAccessor), checker); } if (length(this.contextualSetAccessorTags)) { return this.contextualSetAccessorTags; } } } return this.getJsDocTags(checker); } }; var TokenObject = class extends TokenOrIdentifierObject { constructor(kind, pos, end) { super(kind, pos, end); } }; var IdentifierObject = class extends TokenOrIdentifierObject { constructor(kind, pos, end) { super(kind, pos, end); } get text() { return idText(this); } }; var PrivateIdentifierObject = class extends TokenOrIdentifierObject { constructor(kind, pos, end) { super(kind, pos, end); } get text() { return idText(this); } }; var TypeObject = class { constructor(checker, flags) { this.flags = flags; this.checker = checker; } getFlags() { return this.flags; } getSymbol() { return this.symbol; } getProperties() { return this.checker.getPropertiesOfType(this); } getProperty(propertyName) { return this.checker.getPropertyOfType(this, propertyName); } getApparentProperties() { return this.checker.getAugmentedPropertiesOfType(this); } getCallSignatures() { return this.checker.getSignaturesOfType( this, 0 /* Call */ ); } getConstructSignatures() { return this.checker.getSignaturesOfType( this, 1 /* Construct */ ); } getStringIndexType() { return this.checker.getIndexTypeOfType( this, 0 /* String */ ); } getNumberIndexType() { return this.checker.getIndexTypeOfType( this, 1 /* Number */ ); } getBaseTypes() { return this.isClassOrInterface() ? this.checker.getBaseTypes(this) : void 0; } isNullableType() { return this.checker.isNullableType(this); } getNonNullableType() { return this.checker.getNonNullableType(this); } getNonOptionalType() { return this.checker.getNonOptionalType(this); } getConstraint() { return this.checker.getBaseConstraintOfType(this); } getDefault() { return this.checker.getDefaultFromTypeParameter(this); } isUnion() { return !!(this.flags & 1048576); } isIntersection() { return !!(this.flags & 2097152); } isUnionOrIntersection() { return !!(this.flags & 3145728); } isLiteral() { return !!(this.flags & (128 | 256 | 2048)); } isStringLiteral() { return !!(this.flags & 128); } isNumberLiteral() { return !!(this.flags & 256); } isTypeParameter() { return !!(this.flags & 262144); } isClassOrInterface() { return !!(getObjectFlags(this) & 3); } isClass() { return !!(getObjectFlags(this) & 1); } isIndexType() { return !!(this.flags & 4194304); } /** * This polyfills `referenceType.typeArguments` for API consumers */ get typeArguments() { if (getObjectFlags(this) & 4) { return this.checker.getTypeArguments(this); } return void 0; } }; var SignatureObject = class { // same constructor(checker, flags) { this.flags = flags; this.checker = checker; } getDeclaration() { return this.declaration; } getTypeParameters() { return this.typeParameters; } getParameters() { return this.parameters; } getReturnType() { return this.checker.getReturnTypeOfSignature(this); } getTypeParameterAtPosition(pos) { const type = this.checker.getParameterType(this, pos); if (type.isIndexType() && isThisTypeParameter(type.type)) { const constraint = type.type.getConstraint(); if (constraint) { return this.checker.getIndexType(constraint); } } return type; } getDocumentationComment() { return this.documentationComment || (this.documentationComment = getDocumentationComment(singleElementArray(this.declaration), this.checker)); } getJsDocTags() { return this.jsDocTags || (this.jsDocTags = getJsDocTagsOfDeclarations(singleElementArray(this.declaration), this.checker)); } }; function hasJSDocInheritDocTag(node) { return getJSDocTags(node).some((tag) => tag.tagName.text === "inheritDoc" || tag.tagName.text === "inheritdoc"); } function getJsDocTagsOfDeclarations(declarations, checker) { if (!declarations) return emptyArray; let tags = ts_JsDoc_exports.getJsDocTagsFromDeclarations(declarations, checker); if (checker && (tags.length === 0 || declarations.some(hasJSDocInheritDocTag))) { const seenSymbols = /* @__PURE__ */ new Set(); for (const declaration of declarations) { const inheritedTags = findBaseOfDeclaration(checker, declaration, (symbol) => { var _a; if (!seenSymbols.has(symbol)) { seenSymbols.add(symbol); if (declaration.kind === 177 || declaration.kind === 178) { return symbol.getContextualJsDocTags(declaration, checker); } return ((_a = symbol.declarations) == null ? void 0 : _a.length) === 1 ? symbol.getJsDocTags(checker) : void 0; } }); if (inheritedTags) { tags = [...inheritedTags, ...tags]; } } } return tags; } function getDocumentationComment(declarations, checker) { if (!declarations) return emptyArray; let doc = ts_JsDoc_exports.getJsDocCommentsFromDeclarations(declarations, checker); if (checker && (doc.length === 0 || declarations.some(hasJSDocInheritDocTag))) { const seenSymbols = /* @__PURE__ */ new Set(); for (const declaration of declarations) { const inheritedDocs = findBaseOfDeclaration(checker, declaration, (symbol) => { if (!seenSymbols.has(symbol)) { seenSymbols.add(symbol); if (declaration.kind === 177 || declaration.kind === 178) { return symbol.getContextualDocumentationComment(declaration, checker); } return symbol.getDocumentationComment(checker); } }); if (inheritedDocs) doc = doc.length === 0 ? inheritedDocs.slice() : inheritedDocs.concat(lineBreakPart(), doc); } } return doc; } function findBaseOfDeclaration(checker, declaration, cb) { var _a; const classOrInterfaceDeclaration = ((_a = declaration.parent) == null ? void 0 : _a.kind) === 176 ? declaration.parent.parent : declaration.parent; if (!classOrInterfaceDeclaration) return; const isStaticMember2 = hasStaticModifier(declaration); return firstDefined(getAllSuperTypeNodes(classOrInterfaceDeclaration), (superTypeNode) => { const baseType = checker.getTypeAtLocation(superTypeNode); const type = isStaticMember2 && baseType.symbol ? checker.getTypeOfSymbol(baseType.symbol) : baseType; const symbol = checker.getPropertyOfType(type, declaration.symbol.name); return symbol ? cb(symbol) : void 0; }); } var SourceFileObject = class extends NodeObject { constructor(kind, pos, end) { super(kind, pos, end); } update(newText, textChangeRange) { return updateSourceFile(this, newText, textChangeRange); } getLineAndCharacterOfPosition(position) { return getLineAndCharacterOfPosition(this, position); } getLineStarts() { return getLineStarts(this); } getPositionOfLineAndCharacter(line, character, allowEdits) { return computePositionOfLineAndCharacter(getLineStarts(this), line, character, this.text, allowEdits); } getLineEndOfPosition(pos) { const { line } = this.getLineAndCharacterOfPosition(pos); const lineStarts = this.getLineStarts(); let lastCharPos; if (line + 1 >= lineStarts.length) { lastCharPos = this.getEnd(); } if (!lastCharPos) { lastCharPos = lineStarts[line + 1] - 1; } const fullText = this.getFullText(); return fullText[lastCharPos] === "\n" && fullText[lastCharPos - 1] === "\r" ? lastCharPos - 1 : lastCharPos; } getNamedDeclarations() { if (!this.namedDeclarations) { this.namedDeclarations = this.computeNamedDeclarations(); } return this.namedDeclarations; } computeNamedDeclarations() { const result = createMultiMap(); this.forEachChild(visit); return result; function addDeclaration(declaration) { const name = getDeclarationName(declaration); if (name) { result.add(name, declaration); } } function getDeclarations(name) { let declarations = result.get(name); if (!declarations) { result.set(name, declarations = []); } return declarations; } function getDeclarationName(declaration) { const name = getNonAssignedNameOfDeclaration(declaration); return name && (isComputedPropertyName(name) && isPropertyAccessExpression(name.expression) ? name.expression.name.text : isPropertyName(name) ? getNameFromPropertyName(name) : void 0); } function visit(node) { switch (node.kind) { case 262: case 218: case 174: case 173: const functionDeclaration = node; const declarationName = getDeclarationName(functionDeclaration); if (declarationName) { const declarations = getDeclarations(declarationName); const lastDeclaration = lastOrUndefined(declarations); if (lastDeclaration && functionDeclaration.parent === lastDeclaration.parent && functionDeclaration.symbol === lastDeclaration.symbol) { if (functionDeclaration.body && !lastDeclaration.body) { declarations[declarations.length - 1] = functionDeclaration; } } else { declarations.push(functionDeclaration); } } forEachChild(node, visit); break; case 263: case 231: case 264: case 265: case 266: case 267: case 271: case 281: case 276: case 273: case 274: case 177: case 178: case 187: addDeclaration(node); forEachChild(node, visit); break; case 169: if (!hasSyntacticModifier( node, 31 /* ParameterPropertyModifier */ )) { break; } case 260: case 208: { const decl = node; if (isBindingPattern(decl.name)) { forEachChild(decl.name, visit); break; } if (decl.initializer) { visit(decl.initializer); } } case 306: case 172: case 171: addDeclaration(node); break; case 278: const exportDeclaration = node; if (exportDeclaration.exportClause) { if (isNamedExports(exportDeclaration.exportClause)) { forEach(exportDeclaration.exportClause.elements, visit); } else { visit(exportDeclaration.exportClause.name); } } break; case 272: const importClause = node.importClause; if (importClause) { if (importClause.name) { addDeclaration(importClause.name); } if (importClause.namedBindings) { if (importClause.namedBindings.kind === 274) { addDeclaration(importClause.namedBindings); } else { forEach(importClause.namedBindings.elements, visit); } } } break; case 226: if (getAssignmentDeclarationKind(node) !== 0) { addDeclaration(node); } default: forEachChild(node, visit); } } } }; var SourceMapSourceObject = class { constructor(fileName, text, skipTrivia2) { this.fileName = fileName; this.text = text; this.skipTrivia = skipTrivia2 || ((pos) => pos); } getLineAndCharacterOfPosition(pos) { return getLineAndCharacterOfPosition(this, pos); } }; function getServicesObjectAllocator() { return { getNodeConstructor: () => NodeObject, getTokenConstructor: () => TokenObject, getIdentifierConstructor: () => IdentifierObject, getPrivateIdentifierConstructor: () => PrivateIdentifierObject, getSourceFileConstructor: () => SourceFileObject, getSymbolConstructor: () => SymbolObject, getTypeConstructor: () => TypeObject, getSignatureConstructor: () => SignatureObject, getSourceMapSourceConstructor: () => SourceMapSourceObject }; } function toEditorSettings(optionsAsMap) { let allPropertiesAreCamelCased = true; for (const key in optionsAsMap) { if (hasProperty(optionsAsMap, key) && !isCamelCase(key)) { allPropertiesAreCamelCased = false; break; } } if (allPropertiesAreCamelCased) { return optionsAsMap; } const settings = {}; for (const key in optionsAsMap) { if (hasProperty(optionsAsMap, key)) { const newKey = isCamelCase(key) ? key : key.charAt(0).toLowerCase() + key.substr(1); settings[newKey] = optionsAsMap[key]; } } return settings; } function isCamelCase(s) { return !s.length || s.charAt(0) === s.charAt(0).toLowerCase(); } function displayPartsToString(displayParts) { if (displayParts) { return map(displayParts, (displayPart2) => displayPart2.text).join(""); } return ""; } function getDefaultCompilerOptions2() { return { target: 1, jsx: 1 /* Preserve */ }; } function getSupportedCodeFixes() { return ts_codefix_exports.getSupportedErrorCodes(); } var SyntaxTreeCache = class { constructor(host) { this.host = host; } getCurrentSourceFile(fileName) { var _a, _b, _c, _d, _e, _f, _g, _h; const scriptSnapshot = this.host.getScriptSnapshot(fileName); if (!scriptSnapshot) { throw new Error("Could not find file: '" + fileName + "'."); } const scriptKind = getScriptKind(fileName, this.host); const version2 = this.host.getScriptVersion(fileName); let sourceFile; if (this.currentFileName !== fileName) { const options = { languageVersion: 99, impliedNodeFormat: getImpliedNodeFormatForFile( toPath3(fileName, this.host.getCurrentDirectory(), ((_c = (_b = (_a = this.host).getCompilerHost) == null ? void 0 : _b.call(_a)) == null ? void 0 : _c.getCanonicalFileName) || hostGetCanonicalFileName(this.host)), (_h = (_g = (_f = (_e = (_d = this.host).getCompilerHost) == null ? void 0 : _e.call(_d)) == null ? void 0 : _f.getModuleResolutionCache) == null ? void 0 : _g.call(_f)) == null ? void 0 : _h.getPackageJsonInfoCache(), this.host, this.host.getCompilationSettings() ), setExternalModuleIndicator: getSetExternalModuleIndicator(this.host.getCompilationSettings()), // These files are used to produce syntax-based highlighting, which reads JSDoc, so we must use ParseAll. jsDocParsingMode: 0 /* ParseAll */ }; sourceFile = createLanguageServiceSourceFile( fileName, scriptSnapshot, options, version2, /*setNodeParents*/ true, scriptKind ); } else if (this.currentFileVersion !== version2) { const editRange = scriptSnapshot.getChangeRange(this.currentFileScriptSnapshot); sourceFile = updateLanguageServiceSourceFile(this.currentSourceFile, scriptSnapshot, version2, editRange); } if (sourceFile) { this.currentFileVersion = version2; this.currentFileName = fileName; this.currentFileScriptSnapshot = scriptSnapshot; this.currentSourceFile = sourceFile; } return this.currentSourceFile; } }; function setSourceFileFields(sourceFile, scriptSnapshot, version2) { sourceFile.version = version2; sourceFile.scriptSnapshot = scriptSnapshot; } function createLanguageServiceSourceFile(fileName, scriptSnapshot, scriptTargetOrOptions, version2, setNodeParents, scriptKind) { const sourceFile = createSourceFile(fileName, getSnapshotText(scriptSnapshot), scriptTargetOrOptions, setNodeParents, scriptKind); setSourceFileFields(sourceFile, scriptSnapshot, version2); return sourceFile; } function updateLanguageServiceSourceFile(sourceFile, scriptSnapshot, version2, textChangeRange, aggressiveChecks) { if (textChangeRange) { if (version2 !== sourceFile.version) { let newText; const prefix = textChangeRange.span.start !== 0 ? sourceFile.text.substr(0, textChangeRange.span.start) : ""; const suffix = textSpanEnd(textChangeRange.span) !== sourceFile.text.length ? sourceFile.text.substr(textSpanEnd(textChangeRange.span)) : ""; if (textChangeRange.newLength === 0) { newText = prefix && suffix ? prefix + suffix : prefix || suffix; } else { const changedText = scriptSnapshot.getText(textChangeRange.span.start, textChangeRange.span.start + textChangeRange.newLength); newText = prefix && suffix ? prefix + changedText + suffix : prefix ? prefix + changedText : changedText + suffix; } const newSourceFile = updateSourceFile(sourceFile, newText, textChangeRange, aggressiveChecks); setSourceFileFields(newSourceFile, scriptSnapshot, version2); newSourceFile.nameTable = void 0; if (sourceFile !== newSourceFile && sourceFile.scriptSnapshot) { if (sourceFile.scriptSnapshot.dispose) { sourceFile.scriptSnapshot.dispose(); } sourceFile.scriptSnapshot = void 0; } return newSourceFile; } } const options = { languageVersion: sourceFile.languageVersion, impliedNodeFormat: sourceFile.impliedNodeFormat, setExternalModuleIndicator: sourceFile.setExternalModuleIndicator, jsDocParsingMode: sourceFile.jsDocParsingMode }; return createLanguageServiceSourceFile( sourceFile.fileName, scriptSnapshot, options, version2, /*setNodeParents*/ true, sourceFile.scriptKind ); } var NoopCancellationToken = { isCancellationRequested: returnFalse, throwIfCancellationRequested: noop2 }; var CancellationTokenObject = class { constructor(cancellationToken) { this.cancellationToken = cancellationToken; } isCancellationRequested() { return this.cancellationToken.isCancellationRequested(); } throwIfCancellationRequested() { var _a; if (this.isCancellationRequested()) { (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.Session, "cancellationThrown", { kind: "CancellationTokenObject" }); throw new OperationCanceledException(); } } }; var ThrottledCancellationToken = class { constructor(hostCancellationToken, throttleWaitMilliseconds = 20) { this.hostCancellationToken = hostCancellationToken; this.throttleWaitMilliseconds = throttleWaitMilliseconds; this.lastCancellationCheckTime = 0; } isCancellationRequested() { const time = timestamp(); const duration = Math.abs(time - this.lastCancellationCheckTime); if (duration >= this.throttleWaitMilliseconds) { this.lastCancellationCheckTime = time; return this.hostCancellationToken.isCancellationRequested(); } return false; } throwIfCancellationRequested() { var _a; if (this.isCancellationRequested()) { (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.Session, "cancellationThrown", { kind: "ThrottledCancellationToken" }); throw new OperationCanceledException(); } } }; var invalidOperationsInPartialSemanticMode = [ "getSemanticDiagnostics", "getSuggestionDiagnostics", "getCompilerOptionsDiagnostics", "getSemanticClassifications", "getEncodedSemanticClassifications", "getCodeFixesAtPosition", "getCombinedCodeFix", "applyCodeActionCommand", "organizeImports", "getEditsForFileRename", "getEmitOutput", "getApplicableRefactors", "getEditsForRefactor", "prepareCallHierarchy", "provideCallHierarchyIncomingCalls", "provideCallHierarchyOutgoingCalls", "provideInlayHints", "getSupportedCodeFixes", "getPasteEdits" ]; var invalidOperationsInSyntacticMode = [ ...invalidOperationsInPartialSemanticMode, "getCompletionsAtPosition", "getCompletionEntryDetails", "getCompletionEntrySymbol", "getSignatureHelpItems", "getQuickInfoAtPosition", "getDefinitionAtPosition", "getDefinitionAndBoundSpan", "getImplementationAtPosition", "getTypeDefinitionAtPosition", "getReferencesAtPosition", "findReferences", "getDocumentHighlights", "getNavigateToItems", "getRenameInfo", "findRenameLocations", "getApplicableRefactors" ]; function createLanguageService(host, documentRegistry = createDocumentRegistry(host.useCaseSensitiveFileNames && host.useCaseSensitiveFileNames(), host.getCurrentDirectory(), host.jsDocParsingMode), syntaxOnlyOrLanguageServiceMode) { var _a; let languageServiceMode; if (syntaxOnlyOrLanguageServiceMode === void 0) { languageServiceMode = 0; } else if (typeof syntaxOnlyOrLanguageServiceMode === "boolean") { languageServiceMode = syntaxOnlyOrLanguageServiceMode ? 2 : 0; } else { languageServiceMode = syntaxOnlyOrLanguageServiceMode; } const syntaxTreeCache = new SyntaxTreeCache(host); let program; let lastProjectVersion; let lastTypesRootVersion = 0; const cancellationToken = host.getCancellationToken ? new CancellationTokenObject(host.getCancellationToken()) : NoopCancellationToken; const currentDirectory = host.getCurrentDirectory(); maybeSetLocalizedDiagnosticMessages((_a = host.getLocalizedDiagnosticMessages) == null ? void 0 : _a.bind(host)); function log(message) { if (host.log) { host.log(message); } } const useCaseSensitiveFileNames2 = hostUsesCaseSensitiveFileNames(host); const getCanonicalFileName = createGetCanonicalFileName(useCaseSensitiveFileNames2); const sourceMapper = getSourceMapper({ useCaseSensitiveFileNames: () => useCaseSensitiveFileNames2, getCurrentDirectory: () => currentDirectory, getProgram, fileExists: maybeBind(host, host.fileExists), readFile: maybeBind(host, host.readFile), getDocumentPositionMapper: maybeBind(host, host.getDocumentPositionMapper), getSourceFileLike: maybeBind(host, host.getSourceFileLike), log }); function getValidSourceFile(fileName) { const sourceFile = program.getSourceFile(fileName); if (!sourceFile) { const error2 = new Error(`Could not find source file: '${fileName}'.`); error2.ProgramFiles = program.getSourceFiles().map((f) => f.fileName); throw error2; } return sourceFile; } function synchronizeHostData() { if (host.updateFromProject && !host.updateFromProjectInProgress) { host.updateFromProject(); } else { synchronizeHostDataWorker(); } } function synchronizeHostDataWorker() { var _a2, _b, _c; Debug.assert( languageServiceMode !== 2 /* Syntactic */ ); if (host.getProjectVersion) { const hostProjectVersion = host.getProjectVersion(); if (hostProjectVersion) { if (lastProjectVersion === hostProjectVersion && !((_a2 = host.hasChangedAutomaticTypeDirectiveNames) == null ? void 0 : _a2.call(host))) { return; } lastProjectVersion = hostProjectVersion; } } const typeRootsVersion = host.getTypeRootsVersion ? host.getTypeRootsVersion() : 0; if (lastTypesRootVersion !== typeRootsVersion) { log("TypeRoots version has changed; provide new program"); program = void 0; lastTypesRootVersion = typeRootsVersion; } const rootFileNames = host.getScriptFileNames().slice(); const newSettings = host.getCompilationSettings() || getDefaultCompilerOptions2(); const hasInvalidatedResolutions = host.hasInvalidatedResolutions || returnFalse; const hasInvalidatedLibResolutions = maybeBind(host, host.hasInvalidatedLibResolutions) || returnFalse; const hasChangedAutomaticTypeDirectiveNames = maybeBind(host, host.hasChangedAutomaticTypeDirectiveNames); const projectReferences = (_b = host.getProjectReferences) == null ? void 0 : _b.call(host); let parsedCommandLines; let compilerHost = { getSourceFile: getOrCreateSourceFile, getSourceFileByPath: getOrCreateSourceFileByPath, getCancellationToken: () => cancellationToken, getCanonicalFileName, useCaseSensitiveFileNames: () => useCaseSensitiveFileNames2, getNewLine: () => getNewLineCharacter(newSettings), getDefaultLibFileName: (options2) => host.getDefaultLibFileName(options2), writeFile: noop2, getCurrentDirectory: () => currentDirectory, fileExists: (fileName) => host.fileExists(fileName), readFile: (fileName) => host.readFile && host.readFile(fileName), getSymlinkCache: maybeBind(host, host.getSymlinkCache), realpath: maybeBind(host, host.realpath), directoryExists: (directoryName) => { return directoryProbablyExists(directoryName, host); }, getDirectories: (path17) => { return host.getDirectories ? host.getDirectories(path17) : []; }, readDirectory: (path17, extensions, exclude, include, depth2) => { Debug.checkDefined(host.readDirectory, "'LanguageServiceHost.readDirectory' must be implemented to correctly process 'projectReferences'"); return host.readDirectory(path17, extensions, exclude, include, depth2); }, onReleaseOldSourceFile, onReleaseParsedCommandLine, hasInvalidatedResolutions, hasInvalidatedLibResolutions, hasChangedAutomaticTypeDirectiveNames, trace: maybeBind(host, host.trace), resolveModuleNames: maybeBind(host, host.resolveModuleNames), getModuleResolutionCache: maybeBind(host, host.getModuleResolutionCache), createHash: maybeBind(host, host.createHash), resolveTypeReferenceDirectives: maybeBind(host, host.resolveTypeReferenceDirectives), resolveModuleNameLiterals: maybeBind(host, host.resolveModuleNameLiterals), resolveTypeReferenceDirectiveReferences: maybeBind(host, host.resolveTypeReferenceDirectiveReferences), resolveLibrary: maybeBind(host, host.resolveLibrary), useSourceOfProjectReferenceRedirect: maybeBind(host, host.useSourceOfProjectReferenceRedirect), getParsedCommandLine, jsDocParsingMode: host.jsDocParsingMode }; const originalGetSourceFile = compilerHost.getSourceFile; const { getSourceFileWithCache } = changeCompilerHostLikeToUseCache( compilerHost, (fileName) => toPath3(fileName, currentDirectory, getCanonicalFileName), (...args) => originalGetSourceFile.call(compilerHost, ...args) ); compilerHost.getSourceFile = getSourceFileWithCache; (_c = host.setCompilerHost) == null ? void 0 : _c.call(host, compilerHost); const parseConfigHost = { useCaseSensitiveFileNames: useCaseSensitiveFileNames2, fileExists: (fileName) => compilerHost.fileExists(fileName), readFile: (fileName) => compilerHost.readFile(fileName), directoryExists: (f) => compilerHost.directoryExists(f), getDirectories: (f) => compilerHost.getDirectories(f), realpath: compilerHost.realpath, readDirectory: (...args) => compilerHost.readDirectory(...args), trace: compilerHost.trace, getCurrentDirectory: compilerHost.getCurrentDirectory, onUnRecoverableConfigFileDiagnostic: noop2 }; const documentRegistryBucketKey = documentRegistry.getKeyForCompilationSettings(newSettings); let releasedScriptKinds = /* @__PURE__ */ new Set(); if (isProgramUptoDate(program, rootFileNames, newSettings, (_path, fileName) => host.getScriptVersion(fileName), (fileName) => compilerHost.fileExists(fileName), hasInvalidatedResolutions, hasInvalidatedLibResolutions, hasChangedAutomaticTypeDirectiveNames, getParsedCommandLine, projectReferences)) { compilerHost = void 0; parsedCommandLines = void 0; releasedScriptKinds = void 0; return; } const options = { rootNames: rootFileNames, options: newSettings, host: compilerHost, oldProgram: program, projectReferences }; program = createProgram(options); compilerHost = void 0; parsedCommandLines = void 0; releasedScriptKinds = void 0; sourceMapper.clearCache(); program.getTypeChecker(); return; function getParsedCommandLine(fileName) { const path17 = toPath3(fileName, currentDirectory, getCanonicalFileName); const existing = parsedCommandLines == null ? void 0 : parsedCommandLines.get(path17); if (existing !== void 0) return existing || void 0; const result = host.getParsedCommandLine ? host.getParsedCommandLine(fileName) : getParsedCommandLineOfConfigFileUsingSourceFile(fileName); (parsedCommandLines || (parsedCommandLines = /* @__PURE__ */ new Map())).set(path17, result || false); return result; } function getParsedCommandLineOfConfigFileUsingSourceFile(configFileName) { const result = getOrCreateSourceFile( configFileName, 100 /* JSON */ ); if (!result) return void 0; result.path = toPath3(configFileName, currentDirectory, getCanonicalFileName); result.resolvedPath = result.path; result.originalFileName = result.fileName; return parseJsonSourceFileConfigFileContent( result, parseConfigHost, getNormalizedAbsolutePath(getDirectoryPath(configFileName), currentDirectory), /*existingOptions*/ void 0, getNormalizedAbsolutePath(configFileName, currentDirectory) ); } function onReleaseParsedCommandLine(configFileName, oldResolvedRef, oldOptions) { var _a3; if (host.getParsedCommandLine) { (_a3 = host.onReleaseParsedCommandLine) == null ? void 0 : _a3.call(host, configFileName, oldResolvedRef, oldOptions); } else if (oldResolvedRef) { onReleaseOldSourceFile(oldResolvedRef.sourceFile, oldOptions); } } function onReleaseOldSourceFile(oldSourceFile, oldOptions) { const oldSettingsKey = documentRegistry.getKeyForCompilationSettings(oldOptions); documentRegistry.releaseDocumentWithKey(oldSourceFile.resolvedPath, oldSettingsKey, oldSourceFile.scriptKind, oldSourceFile.impliedNodeFormat); } function getOrCreateSourceFile(fileName, languageVersionOrOptions, onError, shouldCreateNewSourceFile) { return getOrCreateSourceFileByPath(fileName, toPath3(fileName, currentDirectory, getCanonicalFileName), languageVersionOrOptions, onError, shouldCreateNewSourceFile); } function getOrCreateSourceFileByPath(fileName, path17, languageVersionOrOptions, _onError, shouldCreateNewSourceFile) { Debug.assert(compilerHost, "getOrCreateSourceFileByPath called after typical CompilerHost lifetime, check the callstack something with a reference to an old host."); const scriptSnapshot = host.getScriptSnapshot(fileName); if (!scriptSnapshot) { return void 0; } const scriptKind = getScriptKind(fileName, host); const scriptVersion = host.getScriptVersion(fileName); if (!shouldCreateNewSourceFile) { const oldSourceFile = program && program.getSourceFileByPath(path17); if (oldSourceFile) { if (scriptKind === oldSourceFile.scriptKind || releasedScriptKinds.has(oldSourceFile.resolvedPath)) { return documentRegistry.updateDocumentWithKey(fileName, path17, host, documentRegistryBucketKey, scriptSnapshot, scriptVersion, scriptKind, languageVersionOrOptions); } else { documentRegistry.releaseDocumentWithKey(oldSourceFile.resolvedPath, documentRegistry.getKeyForCompilationSettings(program.getCompilerOptions()), oldSourceFile.scriptKind, oldSourceFile.impliedNodeFormat); releasedScriptKinds.add(oldSourceFile.resolvedPath); } } } return documentRegistry.acquireDocumentWithKey(fileName, path17, host, documentRegistryBucketKey, scriptSnapshot, scriptVersion, scriptKind, languageVersionOrOptions); } } function getProgram() { if (languageServiceMode === 2) { Debug.assert(program === void 0); return void 0; } synchronizeHostData(); return program; } function getAutoImportProvider() { var _a2; return (_a2 = host.getPackageJsonAutoImportProvider) == null ? void 0 : _a2.call(host); } function updateIsDefinitionOfReferencedSymbols(referencedSymbols, knownSymbolSpans) { const checker = program.getTypeChecker(); const symbol = getSymbolForProgram(); if (!symbol) return false; for (const referencedSymbol of referencedSymbols) { for (const ref of referencedSymbol.references) { const refNode = getNodeForSpan(ref); Debug.assertIsDefined(refNode); if (knownSymbolSpans.has(ref) || ts_FindAllReferences_exports.isDeclarationOfSymbol(refNode, symbol)) { knownSymbolSpans.add(ref); ref.isDefinition = true; const mappedSpan = getMappedDocumentSpan(ref, sourceMapper, maybeBind(host, host.fileExists)); if (mappedSpan) { knownSymbolSpans.add(mappedSpan); } } else { ref.isDefinition = false; } } } return true; function getSymbolForProgram() { for (const referencedSymbol of referencedSymbols) { for (const ref of referencedSymbol.references) { if (knownSymbolSpans.has(ref)) { const refNode = getNodeForSpan(ref); Debug.assertIsDefined(refNode); return checker.getSymbolAtLocation(refNode); } const mappedSpan = getMappedDocumentSpan(ref, sourceMapper, maybeBind(host, host.fileExists)); if (mappedSpan && knownSymbolSpans.has(mappedSpan)) { const refNode = getNodeForSpan(mappedSpan); if (refNode) { return checker.getSymbolAtLocation(refNode); } } } } return void 0; } function getNodeForSpan(docSpan) { const sourceFile = program.getSourceFile(docSpan.fileName); if (!sourceFile) return void 0; const rawNode = getTouchingPropertyName(sourceFile, docSpan.textSpan.start); const adjustedNode = ts_FindAllReferences_exports.Core.getAdjustedNode(rawNode, { use: ts_FindAllReferences_exports.FindReferencesUse.References }); return adjustedNode; } } function cleanupSemanticCache() { if (program) { const key = documentRegistry.getKeyForCompilationSettings(program.getCompilerOptions()); forEach(program.getSourceFiles(), (f) => documentRegistry.releaseDocumentWithKey(f.resolvedPath, key, f.scriptKind, f.impliedNodeFormat)); program = void 0; } } function dispose() { cleanupSemanticCache(); host = void 0; } function getSyntacticDiagnostics(fileName) { synchronizeHostData(); return program.getSyntacticDiagnostics(getValidSourceFile(fileName), cancellationToken).slice(); } function getSemanticDiagnostics(fileName) { synchronizeHostData(); const targetSourceFile = getValidSourceFile(fileName); const semanticDiagnostics = program.getSemanticDiagnostics(targetSourceFile, cancellationToken); if (!getEmitDeclarations(program.getCompilerOptions())) { return semanticDiagnostics.slice(); } const declarationDiagnostics = program.getDeclarationDiagnostics(targetSourceFile, cancellationToken); return [...semanticDiagnostics, ...declarationDiagnostics]; } function getSuggestionDiagnostics(fileName) { synchronizeHostData(); return computeSuggestionDiagnostics(getValidSourceFile(fileName), program, cancellationToken); } function getCompilerOptionsDiagnostics() { synchronizeHostData(); return [...program.getOptionsDiagnostics(cancellationToken), ...program.getGlobalDiagnostics(cancellationToken)]; } function getCompletionsAtPosition2(fileName, position, options = emptyOptions, formattingSettings) { const fullPreferences = { ...identity2(options), // avoid excess property check includeCompletionsForModuleExports: options.includeCompletionsForModuleExports || options.includeExternalModuleExports, includeCompletionsWithInsertText: options.includeCompletionsWithInsertText || options.includeInsertTextCompletions }; synchronizeHostData(); return ts_Completions_exports.getCompletionsAtPosition( host, program, log, getValidSourceFile(fileName), position, fullPreferences, options.triggerCharacter, options.triggerKind, cancellationToken, formattingSettings && ts_formatting_exports.getFormatContext(formattingSettings, host), options.includeSymbol ); } function getCompletionEntryDetails2(fileName, position, name, formattingOptions, source, preferences = emptyOptions, data) { synchronizeHostData(); return ts_Completions_exports.getCompletionEntryDetails( program, log, getValidSourceFile(fileName), position, { name, source, data }, host, formattingOptions && ts_formatting_exports.getFormatContext(formattingOptions, host), // TODO: GH#18217 preferences, cancellationToken ); } function getCompletionEntrySymbol2(fileName, position, name, source, preferences = emptyOptions) { synchronizeHostData(); return ts_Completions_exports.getCompletionEntrySymbol(program, log, getValidSourceFile(fileName), position, { name, source }, host, preferences); } function getQuickInfoAtPosition(fileName, position) { synchronizeHostData(); const sourceFile = getValidSourceFile(fileName); const node = getTouchingPropertyName(sourceFile, position); if (node === sourceFile) { return void 0; } const typeChecker = program.getTypeChecker(); const nodeForQuickInfo = getNodeForQuickInfo(node); const symbol = getSymbolAtLocationForQuickInfo(nodeForQuickInfo, typeChecker); if (!symbol || typeChecker.isUnknownSymbol(symbol)) { const type = shouldGetType(sourceFile, nodeForQuickInfo, position) ? typeChecker.getTypeAtLocation(nodeForQuickInfo) : void 0; return type && { kind: "", kindModifiers: "", textSpan: createTextSpanFromNode(nodeForQuickInfo, sourceFile), displayParts: typeChecker.runWithCancellationToken(cancellationToken, (typeChecker2) => typeToDisplayParts(typeChecker2, type, getContainerNode(nodeForQuickInfo))), documentation: type.symbol ? type.symbol.getDocumentationComment(typeChecker) : void 0, tags: type.symbol ? type.symbol.getJsDocTags(typeChecker) : void 0 }; } const { symbolKind, displayParts, documentation, tags } = typeChecker.runWithCancellationToken(cancellationToken, (typeChecker2) => ts_SymbolDisplay_exports.getSymbolDisplayPartsDocumentationAndSymbolKind(typeChecker2, symbol, sourceFile, getContainerNode(nodeForQuickInfo), nodeForQuickInfo)); return { kind: symbolKind, kindModifiers: ts_SymbolDisplay_exports.getSymbolModifiers(typeChecker, symbol), textSpan: createTextSpanFromNode(nodeForQuickInfo, sourceFile), displayParts, documentation, tags }; } function getPasteEdits(args, formatOptions) { synchronizeHostData(); return ts_PasteEdits_exports.pasteEditsProvider( getValidSourceFile(args.targetFile), args.pastedText, args.pasteLocations, args.copiedFrom ? { file: getValidSourceFile(args.copiedFrom.file), range: args.copiedFrom.range } : void 0, host, args.preferences, ts_formatting_exports.getFormatContext(formatOptions, host), cancellationToken ); } function getNodeForQuickInfo(node) { if (isNewExpression2(node.parent) && node.pos === node.parent.pos) { return node.parent.expression; } if (isNamedTupleMember(node.parent) && node.pos === node.parent.pos) { return node.parent; } if (isImportMeta(node.parent) && node.parent.name === node) { return node.parent; } if (isJsxNamespacedName(node.parent)) { return node.parent; } return node; } function shouldGetType(sourceFile, node, position) { switch (node.kind) { case 80: if (node.flags & 16777216 && !isInJSFile(node) && (node.parent.kind === 171 && node.parent.name === node || findAncestor( node, (n) => n.kind === 169 /* Parameter */ ))) { return false; } return !isLabelName(node) && !isTagName(node) && !isConstTypeReference(node.parent); case 211: case 166: return !isInComment(sourceFile, position); case 110: case 197: case 108: case 202: return true; case 236: return isImportMeta(node); default: return false; } } function getDefinitionAtPosition2(fileName, position, searchOtherFilesOnly, stopAtAlias) { synchronizeHostData(); return ts_GoToDefinition_exports.getDefinitionAtPosition(program, getValidSourceFile(fileName), position, searchOtherFilesOnly, stopAtAlias); } function getDefinitionAndBoundSpan2(fileName, position) { synchronizeHostData(); return ts_GoToDefinition_exports.getDefinitionAndBoundSpan(program, getValidSourceFile(fileName), position); } function getTypeDefinitionAtPosition2(fileName, position) { synchronizeHostData(); return ts_GoToDefinition_exports.getTypeDefinitionAtPosition(program.getTypeChecker(), getValidSourceFile(fileName), position); } function getImplementationAtPosition(fileName, position) { synchronizeHostData(); return ts_FindAllReferences_exports.getImplementationsAtPosition(program, cancellationToken, program.getSourceFiles(), getValidSourceFile(fileName), position); } function getDocumentHighlights(fileName, position, filesToSearch) { const normalizedFileName = normalizePath(fileName); Debug.assert(filesToSearch.some((f) => normalizePath(f) === normalizedFileName)); synchronizeHostData(); const sourceFilesToSearch = mapDefined(filesToSearch, (fileName2) => program.getSourceFile(fileName2)); const sourceFile = getValidSourceFile(fileName); return DocumentHighlights.getDocumentHighlights(program, cancellationToken, sourceFile, position, sourceFilesToSearch); } function findRenameLocations(fileName, position, findInStrings, findInComments, preferences) { synchronizeHostData(); const sourceFile = getValidSourceFile(fileName); const node = getAdjustedRenameLocation(getTouchingPropertyName(sourceFile, position)); if (!ts_Rename_exports.nodeIsEligibleForRename(node)) return void 0; if (isIdentifier(node) && (isJsxOpeningElement(node.parent) || isJsxClosingElement(node.parent)) && isIntrinsicJsxName(node.escapedText)) { const { openingElement, closingElement } = node.parent.parent; return [openingElement, closingElement].map((node2) => { const textSpan = createTextSpanFromNode(node2.tagName, sourceFile); return { fileName: sourceFile.fileName, textSpan, ...ts_FindAllReferences_exports.toContextSpan(textSpan, sourceFile, node2.parent) }; }); } else { const quotePreference = getQuotePreference(sourceFile, preferences ?? emptyOptions); const providePrefixAndSuffixTextForRename = typeof preferences === "boolean" ? preferences : preferences == null ? void 0 : preferences.providePrefixAndSuffixTextForRename; return getReferencesWorker2(node, position, { findInStrings, findInComments, providePrefixAndSuffixTextForRename, use: ts_FindAllReferences_exports.FindReferencesUse.Rename }, (entry, originalNode, checker) => ts_FindAllReferences_exports.toRenameLocation(entry, originalNode, checker, providePrefixAndSuffixTextForRename || false, quotePreference)); } } function getReferencesAtPosition(fileName, position) { synchronizeHostData(); return getReferencesWorker2(getTouchingPropertyName(getValidSourceFile(fileName), position), position, { use: ts_FindAllReferences_exports.FindReferencesUse.References }, ts_FindAllReferences_exports.toReferenceEntry); } function getReferencesWorker2(node, position, options, cb) { synchronizeHostData(); const sourceFiles = options && options.use === ts_FindAllReferences_exports.FindReferencesUse.Rename ? program.getSourceFiles().filter((sourceFile) => !program.isSourceFileDefaultLibrary(sourceFile)) : program.getSourceFiles(); return ts_FindAllReferences_exports.findReferenceOrRenameEntries(program, cancellationToken, sourceFiles, node, position, options, cb); } function findReferences(fileName, position) { synchronizeHostData(); return ts_FindAllReferences_exports.findReferencedSymbols(program, cancellationToken, program.getSourceFiles(), getValidSourceFile(fileName), position); } function getFileReferences(fileName) { synchronizeHostData(); return ts_FindAllReferences_exports.Core.getReferencesForFileName(fileName, program, program.getSourceFiles()).map(ts_FindAllReferences_exports.toReferenceEntry); } function getNavigateToItems2(searchValue, maxResultCount, fileName, excludeDtsFiles = false, excludeLibFiles = false) { synchronizeHostData(); const sourceFiles = fileName ? [getValidSourceFile(fileName)] : program.getSourceFiles(); return getNavigateToItems(sourceFiles, program.getTypeChecker(), cancellationToken, searchValue, maxResultCount, excludeDtsFiles, excludeLibFiles); } function getEmitOutput(fileName, emitOnlyDtsFiles, forceDtsEmit) { synchronizeHostData(); const sourceFile = getValidSourceFile(fileName); const customTransformers = host.getCustomTransformers && host.getCustomTransformers(); return getFileEmitOutput(program, sourceFile, !!emitOnlyDtsFiles, cancellationToken, customTransformers, forceDtsEmit); } function getSignatureHelpItems2(fileName, position, { triggerReason } = emptyOptions) { synchronizeHostData(); const sourceFile = getValidSourceFile(fileName); return ts_SignatureHelp_exports.getSignatureHelpItems(program, sourceFile, position, triggerReason, cancellationToken); } function getNonBoundSourceFile(fileName) { return syntaxTreeCache.getCurrentSourceFile(fileName); } function getNameOrDottedNameSpan(fileName, startPos, _endPos) { const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName); const node = getTouchingPropertyName(sourceFile, startPos); if (node === sourceFile) { return void 0; } switch (node.kind) { case 211: case 166: case 11: case 97: case 112: case 106: case 108: case 110: case 197: case 80: break; default: return void 0; } let nodeForStartPos = node; while (true) { if (isRightSideOfPropertyAccess(nodeForStartPos) || isRightSideOfQualifiedName(nodeForStartPos)) { nodeForStartPos = nodeForStartPos.parent; } else if (isNameOfModuleDeclaration(nodeForStartPos)) { if (nodeForStartPos.parent.parent.kind === 267 && nodeForStartPos.parent.parent.body === nodeForStartPos.parent) { nodeForStartPos = nodeForStartPos.parent.parent.name; } else { break; } } else { break; } } return createTextSpanFromBounds(nodeForStartPos.getStart(), node.getEnd()); } function getBreakpointStatementAtPosition(fileName, position) { const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName); return ts_BreakpointResolver_exports.spanInSourceFileAtLocation(sourceFile, position); } function getNavigationBarItems2(fileName) { return getNavigationBarItems(syntaxTreeCache.getCurrentSourceFile(fileName), cancellationToken); } function getNavigationTree2(fileName) { return getNavigationTree(syntaxTreeCache.getCurrentSourceFile(fileName), cancellationToken); } function getSemanticClassifications3(fileName, span, format2) { synchronizeHostData(); const responseFormat = format2 || "original"; if (responseFormat === "2020") { return getSemanticClassifications2(program, cancellationToken, getValidSourceFile(fileName), span); } else { return getSemanticClassifications(program.getTypeChecker(), cancellationToken, getValidSourceFile(fileName), program.getClassifiableNames(), span); } } function getEncodedSemanticClassifications3(fileName, span, format2) { synchronizeHostData(); const responseFormat = format2 || "original"; if (responseFormat === "original") { return getEncodedSemanticClassifications(program.getTypeChecker(), cancellationToken, getValidSourceFile(fileName), program.getClassifiableNames(), span); } else { return getEncodedSemanticClassifications2(program, cancellationToken, getValidSourceFile(fileName), span); } } function getSyntacticClassifications2(fileName, span) { return getSyntacticClassifications(cancellationToken, syntaxTreeCache.getCurrentSourceFile(fileName), span); } function getEncodedSyntacticClassifications2(fileName, span) { return getEncodedSyntacticClassifications(cancellationToken, syntaxTreeCache.getCurrentSourceFile(fileName), span); } function getOutliningSpans(fileName) { const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName); return ts_OutliningElementsCollector_exports.collectElements(sourceFile, cancellationToken); } const braceMatching = new Map(Object.entries({ [ 19 /* OpenBraceToken */ ]: 20, [ 21 /* OpenParenToken */ ]: 22, [ 23 /* OpenBracketToken */ ]: 24, [ 32 /* GreaterThanToken */ ]: 30 /* LessThanToken */ })); braceMatching.forEach((value, key) => braceMatching.set(value.toString(), Number(key))); function getBraceMatchingAtPosition(fileName, position) { const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName); const token = getTouchingToken(sourceFile, position); const matchKind = token.getStart(sourceFile) === position ? braceMatching.get(token.kind.toString()) : void 0; const match = matchKind && findChildOfKind(token.parent, matchKind, sourceFile); return match ? [createTextSpanFromNode(token, sourceFile), createTextSpanFromNode(match, sourceFile)].sort((a, b) => a.start - b.start) : emptyArray; } function getIndentationAtPosition(fileName, position, editorOptions) { let start = timestamp(); const settings = toEditorSettings(editorOptions); const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName); log("getIndentationAtPosition: getCurrentSourceFile: " + (timestamp() - start)); start = timestamp(); const result = ts_formatting_exports.SmartIndenter.getIndentation(position, sourceFile, settings); log("getIndentationAtPosition: computeIndentation : " + (timestamp() - start)); return result; } function getFormattingEditsForRange(fileName, start, end, options) { const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName); return ts_formatting_exports.formatSelection(start, end, sourceFile, ts_formatting_exports.getFormatContext(toEditorSettings(options), host)); } function getFormattingEditsForDocument(fileName, options) { return ts_formatting_exports.formatDocument(syntaxTreeCache.getCurrentSourceFile(fileName), ts_formatting_exports.getFormatContext(toEditorSettings(options), host)); } function getFormattingEditsAfterKeystroke(fileName, position, key, options) { const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName); const formatContext = ts_formatting_exports.getFormatContext(toEditorSettings(options), host); if (!isInComment(sourceFile, position)) { switch (key) { case "{": return ts_formatting_exports.formatOnOpeningCurly(position, sourceFile, formatContext); case "}": return ts_formatting_exports.formatOnClosingCurly(position, sourceFile, formatContext); case ";": return ts_formatting_exports.formatOnSemicolon(position, sourceFile, formatContext); case "\n": return ts_formatting_exports.formatOnEnter(position, sourceFile, formatContext); } } return []; } function getCodeFixesAtPosition(fileName, start, end, errorCodes67, formatOptions, preferences = emptyOptions) { synchronizeHostData(); const sourceFile = getValidSourceFile(fileName); const span = createTextSpanFromBounds(start, end); const formatContext = ts_formatting_exports.getFormatContext(formatOptions, host); return flatMap(deduplicate(errorCodes67, equateValues, compareValues), (errorCode) => { cancellationToken.throwIfCancellationRequested(); return ts_codefix_exports.getFixes({ errorCode, sourceFile, span, program, host, cancellationToken, formatContext, preferences }); }); } function getCombinedCodeFix(scope, fixId55, formatOptions, preferences = emptyOptions) { synchronizeHostData(); Debug.assert(scope.type === "file"); const sourceFile = getValidSourceFile(scope.fileName); const formatContext = ts_formatting_exports.getFormatContext(formatOptions, host); return ts_codefix_exports.getAllFixes({ fixId: fixId55, sourceFile, program, host, cancellationToken, formatContext, preferences }); } function organizeImports2(args, formatOptions, preferences = emptyOptions) { synchronizeHostData(); Debug.assert(args.type === "file"); const sourceFile = getValidSourceFile(args.fileName); const formatContext = ts_formatting_exports.getFormatContext(formatOptions, host); const mode = args.mode ?? (args.skipDestructiveCodeActions ? "SortAndCombine" : "All"); return ts_OrganizeImports_exports.organizeImports(sourceFile, formatContext, host, program, preferences, mode); } function getEditsForFileRename2(oldFilePath, newFilePath, formatOptions, preferences = emptyOptions) { return getEditsForFileRename(getProgram(), oldFilePath, newFilePath, host, ts_formatting_exports.getFormatContext(formatOptions, host), preferences, sourceMapper); } function applyCodeActionCommand(fileName, actionOrFormatSettingsOrUndefined) { const action = typeof fileName === "string" ? actionOrFormatSettingsOrUndefined : fileName; return isArray3(action) ? Promise.all(action.map((a) => applySingleCodeActionCommand(a))) : applySingleCodeActionCommand(action); } function applySingleCodeActionCommand(action) { const getPath = (path17) => toPath3(path17, currentDirectory, getCanonicalFileName); Debug.assertEqual(action.type, "install package"); return host.installPackage ? host.installPackage({ fileName: getPath(action.file), packageName: action.packageName }) : Promise.reject("Host does not implement `installPackage`"); } function getDocCommentTemplateAtPosition2(fileName, position, options, formatOptions) { const formatSettings = formatOptions ? ts_formatting_exports.getFormatContext(formatOptions, host).options : void 0; return ts_JsDoc_exports.getDocCommentTemplateAtPosition(getNewLineOrDefaultFromHost(host, formatSettings), syntaxTreeCache.getCurrentSourceFile(fileName), position, options); } function isValidBraceCompletionAtPosition(fileName, position, openingBrace) { if (openingBrace === 60) { return false; } const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName); if (isInString(sourceFile, position)) { return false; } if (isInsideJsxElementOrAttribute(sourceFile, position)) { return openingBrace === 123; } if (isInTemplateString(sourceFile, position)) { return false; } switch (openingBrace) { case 39: case 34: case 96: return !isInComment(sourceFile, position); } return true; } function getJsxClosingTagAtPosition(fileName, position) { const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName); const token = findPrecedingToken(position, sourceFile); if (!token) return void 0; const element = token.kind === 32 && isJsxOpeningElement(token.parent) ? token.parent.parent : isJsxText(token) && isJsxElement(token.parent) ? token.parent : void 0; if (element && isUnclosedTag(element)) { return { newText: `` }; } const fragment = token.kind === 32 && isJsxOpeningFragment(token.parent) ? token.parent.parent : isJsxText(token) && isJsxFragment(token.parent) ? token.parent : void 0; if (fragment && isUnclosedFragment(fragment)) { return { newText: "" }; } } function getLinkedEditingRangeAtPosition(fileName, position) { const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName); const token = findPrecedingToken(position, sourceFile); if (!token || token.parent.kind === 307) return void 0; const jsxTagWordPattern = "[a-zA-Z0-9:\\-\\._$]*"; if (isJsxFragment(token.parent.parent)) { const openFragment = token.parent.parent.openingFragment; const closeFragment = token.parent.parent.closingFragment; if (containsParseError(openFragment) || containsParseError(closeFragment)) return void 0; const openPos = openFragment.getStart(sourceFile) + 1; const closePos = closeFragment.getStart(sourceFile) + 2; if (position !== openPos && position !== closePos) return void 0; return { ranges: [{ start: openPos, length: 0 }, { start: closePos, length: 0 }], wordPattern: jsxTagWordPattern }; } else { const tag = findAncestor(token.parent, (n) => { if (isJsxOpeningElement(n) || isJsxClosingElement(n)) { return true; } return false; }); if (!tag) return void 0; Debug.assert(isJsxOpeningElement(tag) || isJsxClosingElement(tag), "tag should be opening or closing element"); const openTag = tag.parent.openingElement; const closeTag = tag.parent.closingElement; const openTagNameStart = openTag.tagName.getStart(sourceFile); const openTagNameEnd = openTag.tagName.end; const closeTagNameStart = closeTag.tagName.getStart(sourceFile); const closeTagNameEnd = closeTag.tagName.end; if (openTagNameStart === openTag.getStart(sourceFile) || closeTagNameStart === closeTag.getStart(sourceFile) || openTagNameEnd === openTag.getEnd() || closeTagNameEnd === closeTag.getEnd()) return void 0; if (!(openTagNameStart <= position && position <= openTagNameEnd || closeTagNameStart <= position && position <= closeTagNameEnd)) return void 0; const openingTagText = openTag.tagName.getText(sourceFile); if (openingTagText !== closeTag.tagName.getText(sourceFile)) return void 0; return { ranges: [{ start: openTagNameStart, length: openTagNameEnd - openTagNameStart }, { start: closeTagNameStart, length: closeTagNameEnd - closeTagNameStart }], wordPattern: jsxTagWordPattern }; } } function getLinesForRange(sourceFile, textRange) { return { lineStarts: sourceFile.getLineStarts(), firstLine: sourceFile.getLineAndCharacterOfPosition(textRange.pos).line, lastLine: sourceFile.getLineAndCharacterOfPosition(textRange.end).line }; } function toggleLineComment(fileName, textRange, insertComment) { const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName); const textChanges2 = []; const { lineStarts, firstLine, lastLine } = getLinesForRange(sourceFile, textRange); let isCommenting = insertComment || false; let leftMostPosition = Number.MAX_VALUE; const lineTextStarts = /* @__PURE__ */ new Map(); const firstNonWhitespaceCharacterRegex = new RegExp(/\S/); const isJsx = isInsideJsxElement(sourceFile, lineStarts[firstLine]); const openComment = isJsx ? "{/*" : "//"; for (let i = firstLine; i <= lastLine; i++) { const lineText = sourceFile.text.substring(lineStarts[i], sourceFile.getLineEndOfPosition(lineStarts[i])); const regExec = firstNonWhitespaceCharacterRegex.exec(lineText); if (regExec) { leftMostPosition = Math.min(leftMostPosition, regExec.index); lineTextStarts.set(i.toString(), regExec.index); if (lineText.substr(regExec.index, openComment.length) !== openComment) { isCommenting = insertComment === void 0 || insertComment; } } } for (let i = firstLine; i <= lastLine; i++) { if (firstLine !== lastLine && lineStarts[i] === textRange.end) { continue; } const lineTextStart = lineTextStarts.get(i.toString()); if (lineTextStart !== void 0) { if (isJsx) { textChanges2.push(...toggleMultilineComment(fileName, { pos: lineStarts[i] + leftMostPosition, end: sourceFile.getLineEndOfPosition(lineStarts[i]) }, isCommenting, isJsx)); } else if (isCommenting) { textChanges2.push({ newText: openComment, span: { length: 0, start: lineStarts[i] + leftMostPosition } }); } else if (sourceFile.text.substr(lineStarts[i] + lineTextStart, openComment.length) === openComment) { textChanges2.push({ newText: "", span: { length: openComment.length, start: lineStarts[i] + lineTextStart } }); } } } return textChanges2; } function toggleMultilineComment(fileName, textRange, insertComment, isInsideJsx) { var _a2; const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName); const textChanges2 = []; const { text } = sourceFile; let hasComment = false; let isCommenting = insertComment || false; const positions = []; let { pos } = textRange; const isJsx = isInsideJsx !== void 0 ? isInsideJsx : isInsideJsxElement(sourceFile, pos); const openMultiline = isJsx ? "{/*" : "/*"; const closeMultiline = isJsx ? "*/}" : "*/"; const openMultilineRegex = isJsx ? "\\{\\/\\*" : "\\/\\*"; const closeMultilineRegex = isJsx ? "\\*\\/\\}" : "\\*\\/"; while (pos <= textRange.end) { const offset = text.substr(pos, openMultiline.length) === openMultiline ? openMultiline.length : 0; const commentRange = isInComment(sourceFile, pos + offset); if (commentRange) { if (isJsx) { commentRange.pos--; commentRange.end++; } positions.push(commentRange.pos); if (commentRange.kind === 3) { positions.push(commentRange.end); } hasComment = true; pos = commentRange.end + 1; } else { const newPos = text.substring(pos, textRange.end).search(`(${openMultilineRegex})|(${closeMultilineRegex})`); isCommenting = insertComment !== void 0 ? insertComment : isCommenting || !isTextWhiteSpaceLike(text, pos, newPos === -1 ? textRange.end : pos + newPos); pos = newPos === -1 ? textRange.end + 1 : pos + newPos + closeMultiline.length; } } if (isCommenting || !hasComment) { if (((_a2 = isInComment(sourceFile, textRange.pos)) == null ? void 0 : _a2.kind) !== 2) { insertSorted(positions, textRange.pos, compareValues); } insertSorted(positions, textRange.end, compareValues); const firstPos = positions[0]; if (text.substr(firstPos, openMultiline.length) !== openMultiline) { textChanges2.push({ newText: openMultiline, span: { length: 0, start: firstPos } }); } for (let i = 1; i < positions.length - 1; i++) { if (text.substr(positions[i] - closeMultiline.length, closeMultiline.length) !== closeMultiline) { textChanges2.push({ newText: closeMultiline, span: { length: 0, start: positions[i] } }); } if (text.substr(positions[i], openMultiline.length) !== openMultiline) { textChanges2.push({ newText: openMultiline, span: { length: 0, start: positions[i] } }); } } if (textChanges2.length % 2 !== 0) { textChanges2.push({ newText: closeMultiline, span: { length: 0, start: positions[positions.length - 1] } }); } } else { for (const pos2 of positions) { const from = pos2 - closeMultiline.length > 0 ? pos2 - closeMultiline.length : 0; const offset = text.substr(from, closeMultiline.length) === closeMultiline ? closeMultiline.length : 0; textChanges2.push({ newText: "", span: { length: openMultiline.length, start: pos2 - offset } }); } } return textChanges2; } function commentSelection(fileName, textRange) { const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName); const { firstLine, lastLine } = getLinesForRange(sourceFile, textRange); return firstLine === lastLine && textRange.pos !== textRange.end ? toggleMultilineComment( fileName, textRange, /*insertComment*/ true ) : toggleLineComment( fileName, textRange, /*insertComment*/ true ); } function uncommentSelection(fileName, textRange) { const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName); const textChanges2 = []; const { pos } = textRange; let { end } = textRange; if (pos === end) { end += isInsideJsxElement(sourceFile, pos) ? 2 : 1; } for (let i = pos; i <= end; i++) { const commentRange = isInComment(sourceFile, i); if (commentRange) { switch (commentRange.kind) { case 2: textChanges2.push(...toggleLineComment( fileName, { end: commentRange.end, pos: commentRange.pos + 1 }, /*insertComment*/ false )); break; case 3: textChanges2.push(...toggleMultilineComment( fileName, { end: commentRange.end, pos: commentRange.pos + 1 }, /*insertComment*/ false )); } i = commentRange.end + 1; } } return textChanges2; } function isUnclosedTag({ openingElement, closingElement, parent: parent2 }) { return !tagNamesAreEquivalent(openingElement.tagName, closingElement.tagName) || isJsxElement(parent2) && tagNamesAreEquivalent(openingElement.tagName, parent2.openingElement.tagName) && isUnclosedTag(parent2); } function isUnclosedFragment({ closingFragment, parent: parent2 }) { return !!(closingFragment.flags & 262144) || isJsxFragment(parent2) && isUnclosedFragment(parent2); } function getSpanOfEnclosingComment(fileName, position, onlyMultiLine) { const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName); const range = ts_formatting_exports.getRangeOfEnclosingComment(sourceFile, position); return range && (!onlyMultiLine || range.kind === 3) ? createTextSpanFromRange(range) : void 0; } function getTodoComments(fileName, descriptors) { synchronizeHostData(); const sourceFile = getValidSourceFile(fileName); cancellationToken.throwIfCancellationRequested(); const fileContents = sourceFile.text; const result = []; if (descriptors.length > 0 && !isNodeModulesFile(sourceFile.fileName)) { const regExp = getTodoCommentsRegExp(); let matchArray; while (matchArray = regExp.exec(fileContents)) { cancellationToken.throwIfCancellationRequested(); const firstDescriptorCaptureIndex = 3; Debug.assert(matchArray.length === descriptors.length + firstDescriptorCaptureIndex); const preamble = matchArray[1]; const matchPosition = matchArray.index + preamble.length; if (!isInComment(sourceFile, matchPosition)) { continue; } let descriptor; for (let i = 0; i < descriptors.length; i++) { if (matchArray[i + firstDescriptorCaptureIndex]) { descriptor = descriptors[i]; } } if (descriptor === void 0) return Debug.fail(); if (isLetterOrDigit(fileContents.charCodeAt(matchPosition + descriptor.text.length))) { continue; } const message = matchArray[2]; result.push({ descriptor, message, position: matchPosition }); } } return result; function escapeRegExp(str) { return str.replace(/[-[\]/{}()*+?.\\^$|]/g, "\\$&"); } function getTodoCommentsRegExp() { const singleLineCommentStart = /(?:\/\/+\s*)/.source; const multiLineCommentStart = /(?:\/\*+\s*)/.source; const anyNumberOfSpacesAndAsterisksAtStartOfLine = /(?:^(?:\s|\*)*)/.source; const preamble = "(" + anyNumberOfSpacesAndAsterisksAtStartOfLine + "|" + singleLineCommentStart + "|" + multiLineCommentStart + ")"; const literals = "(?:" + map(descriptors, (d) => "(" + escapeRegExp(d.text) + ")").join("|") + ")"; const endOfLineOrEndOfComment = /(?:$|\*\/)/.source; const messageRemainder = /(?:.*?)/.source; const messagePortion = "(" + literals + messageRemainder + ")"; const regExpString = preamble + messagePortion + endOfLineOrEndOfComment; return new RegExp(regExpString, "gim"); } function isLetterOrDigit(char) { return char >= 97 && char <= 122 || char >= 65 && char <= 90 || char >= 48 && char <= 57; } function isNodeModulesFile(path17) { return path17.includes("/node_modules/"); } } function getRenameInfo2(fileName, position, preferences) { synchronizeHostData(); return ts_Rename_exports.getRenameInfo(program, getValidSourceFile(fileName), position, preferences || {}); } function getRefactorContext(file, positionOrRange, preferences, formatOptions, triggerReason, kind) { const [startPosition, endPosition] = typeof positionOrRange === "number" ? [positionOrRange, void 0] : [positionOrRange.pos, positionOrRange.end]; return { file, startPosition, endPosition, program: getProgram(), host, formatContext: ts_formatting_exports.getFormatContext(formatOptions, host), // TODO: GH#18217 cancellationToken, preferences, triggerReason, kind }; } function getInlayHintsContext(file, span, preferences) { return { file, program: getProgram(), host, span, preferences, cancellationToken }; } function getSmartSelectionRange2(fileName, position) { return ts_SmartSelectionRange_exports.getSmartSelectionRange(position, syntaxTreeCache.getCurrentSourceFile(fileName)); } function getApplicableRefactors2(fileName, positionOrRange, preferences = emptyOptions, triggerReason, kind, includeInteractiveActions) { synchronizeHostData(); const file = getValidSourceFile(fileName); return ts_refactor_exports.getApplicableRefactors(getRefactorContext(file, positionOrRange, preferences, emptyOptions, triggerReason, kind), includeInteractiveActions); } function getMoveToRefactoringFileSuggestions(fileName, positionOrRange, preferences = emptyOptions) { synchronizeHostData(); const sourceFile = getValidSourceFile(fileName); const allFiles = Debug.checkDefined(program.getSourceFiles()); const extension = extensionFromPath(fileName); const toMove = getStatementsToMove(getRefactorContext(sourceFile, positionOrRange, preferences, emptyOptions)); const toMoveContainsJsx = containsJsx(toMove == null ? void 0 : toMove.all); const files = mapDefined(allFiles, (file) => { const fileNameExtension = extensionFromPath(file.fileName); const isValidSourceFile = !(program == null ? void 0 : program.isSourceFileFromExternalLibrary(sourceFile)) && !(sourceFile === getValidSourceFile(file.fileName) || extension === ".ts" && fileNameExtension === ".d.ts" || extension === ".d.ts" && startsWith2(getBaseFileName(file.fileName), "lib.") && fileNameExtension === ".d.ts"); return isValidSourceFile && (extension === fileNameExtension || (extension === ".tsx" && fileNameExtension === ".ts" || extension === ".jsx" && fileNameExtension === ".js") && !toMoveContainsJsx) ? file.fileName : void 0; }); return { newFileName: createNewFileName(sourceFile, program, host, toMove), files }; } function getEditsForRefactor2(fileName, formatOptions, positionOrRange, refactorName14, actionName2, preferences = emptyOptions, interactiveRefactorArguments) { synchronizeHostData(); const file = getValidSourceFile(fileName); return ts_refactor_exports.getEditsForRefactor(getRefactorContext(file, positionOrRange, preferences, formatOptions), refactorName14, actionName2, interactiveRefactorArguments); } function toLineColumnOffset(fileName, position) { if (position === 0) { return { line: 0, character: 0 }; } return sourceMapper.toLineColumnOffset(fileName, position); } function prepareCallHierarchy(fileName, position) { synchronizeHostData(); const declarations = ts_CallHierarchy_exports.resolveCallHierarchyDeclaration(program, getTouchingPropertyName(getValidSourceFile(fileName), position)); return declarations && mapOneOrMany(declarations, (declaration) => ts_CallHierarchy_exports.createCallHierarchyItem(program, declaration)); } function provideCallHierarchyIncomingCalls(fileName, position) { synchronizeHostData(); const sourceFile = getValidSourceFile(fileName); const declaration = firstOrOnly(ts_CallHierarchy_exports.resolveCallHierarchyDeclaration(program, position === 0 ? sourceFile : getTouchingPropertyName(sourceFile, position))); return declaration ? ts_CallHierarchy_exports.getIncomingCalls(program, declaration, cancellationToken) : []; } function provideCallHierarchyOutgoingCalls(fileName, position) { synchronizeHostData(); const sourceFile = getValidSourceFile(fileName); const declaration = firstOrOnly(ts_CallHierarchy_exports.resolveCallHierarchyDeclaration(program, position === 0 ? sourceFile : getTouchingPropertyName(sourceFile, position))); return declaration ? ts_CallHierarchy_exports.getOutgoingCalls(program, declaration) : []; } function provideInlayHints2(fileName, span, preferences = emptyOptions) { synchronizeHostData(); const sourceFile = getValidSourceFile(fileName); return ts_InlayHints_exports.provideInlayHints(getInlayHintsContext(sourceFile, span, preferences)); } function mapCode2(sourceFile, contents, focusLocations, formatOptions, preferences) { return ts_MapCode_exports.mapCode( syntaxTreeCache.getCurrentSourceFile(sourceFile), contents, focusLocations, host, ts_formatting_exports.getFormatContext(formatOptions, host), preferences ); } const ls = { dispose, cleanupSemanticCache, getSyntacticDiagnostics, getSemanticDiagnostics, getSuggestionDiagnostics, getCompilerOptionsDiagnostics, getSyntacticClassifications: getSyntacticClassifications2, getSemanticClassifications: getSemanticClassifications3, getEncodedSyntacticClassifications: getEncodedSyntacticClassifications2, getEncodedSemanticClassifications: getEncodedSemanticClassifications3, getCompletionsAtPosition: getCompletionsAtPosition2, getCompletionEntryDetails: getCompletionEntryDetails2, getCompletionEntrySymbol: getCompletionEntrySymbol2, getSignatureHelpItems: getSignatureHelpItems2, getQuickInfoAtPosition, getDefinitionAtPosition: getDefinitionAtPosition2, getDefinitionAndBoundSpan: getDefinitionAndBoundSpan2, getImplementationAtPosition, getTypeDefinitionAtPosition: getTypeDefinitionAtPosition2, getReferencesAtPosition, findReferences, getFileReferences, getDocumentHighlights, getNameOrDottedNameSpan, getBreakpointStatementAtPosition, getNavigateToItems: getNavigateToItems2, getRenameInfo: getRenameInfo2, getSmartSelectionRange: getSmartSelectionRange2, findRenameLocations, getNavigationBarItems: getNavigationBarItems2, getNavigationTree: getNavigationTree2, getOutliningSpans, getTodoComments, getBraceMatchingAtPosition, getIndentationAtPosition, getFormattingEditsForRange, getFormattingEditsForDocument, getFormattingEditsAfterKeystroke, getDocCommentTemplateAtPosition: getDocCommentTemplateAtPosition2, isValidBraceCompletionAtPosition, getJsxClosingTagAtPosition, getLinkedEditingRangeAtPosition, getSpanOfEnclosingComment, getCodeFixesAtPosition, getCombinedCodeFix, applyCodeActionCommand, organizeImports: organizeImports2, getEditsForFileRename: getEditsForFileRename2, getEmitOutput, getNonBoundSourceFile, getProgram, getCurrentProgram: () => program, getAutoImportProvider, updateIsDefinitionOfReferencedSymbols, getApplicableRefactors: getApplicableRefactors2, getEditsForRefactor: getEditsForRefactor2, getMoveToRefactoringFileSuggestions, toLineColumnOffset, getSourceMapper: () => sourceMapper, clearSourceMapperCache: () => sourceMapper.clearCache(), prepareCallHierarchy, provideCallHierarchyIncomingCalls, provideCallHierarchyOutgoingCalls, toggleLineComment, toggleMultilineComment, commentSelection, uncommentSelection, provideInlayHints: provideInlayHints2, getSupportedCodeFixes, getPasteEdits, mapCode: mapCode2 }; switch (languageServiceMode) { case 0: break; case 1: invalidOperationsInPartialSemanticMode.forEach( (key) => ls[key] = () => { throw new Error(`LanguageService Operation: ${key} not allowed in LanguageServiceMode.PartialSemantic`); } ); break; case 2: invalidOperationsInSyntacticMode.forEach( (key) => ls[key] = () => { throw new Error(`LanguageService Operation: ${key} not allowed in LanguageServiceMode.Syntactic`); } ); break; default: Debug.assertNever(languageServiceMode); } return ls; } function getNameTable(sourceFile) { if (!sourceFile.nameTable) { initializeNameTable(sourceFile); } return sourceFile.nameTable; } function initializeNameTable(sourceFile) { const nameTable = sourceFile.nameTable = /* @__PURE__ */ new Map(); sourceFile.forEachChild(function walk(node) { if (isIdentifier(node) && !isTagName(node) && node.escapedText || isStringOrNumericLiteralLike(node) && literalIsName(node)) { const text = getEscapedTextOfIdentifierOrLiteral(node); nameTable.set(text, nameTable.get(text) === void 0 ? node.pos : -1); } else if (isPrivateIdentifier(node)) { const text = node.escapedText; nameTable.set(text, nameTable.get(text) === void 0 ? node.pos : -1); } forEachChild(node, walk); if (hasJSDocNodes(node)) { for (const jsDoc of node.jsDoc) { forEachChild(jsDoc, walk); } } }); } function literalIsName(node) { return isDeclarationName(node) || node.parent.kind === 283 || isArgumentOfElementAccessExpression(node) || isLiteralComputedPropertyDeclarationName(node); } function getContainingObjectLiteralElement(node) { const element = getContainingObjectLiteralElementWorker(node); return element && (isObjectLiteralExpression(element.parent) || isJsxAttributes(element.parent)) ? element : void 0; } function getContainingObjectLiteralElementWorker(node) { switch (node.kind) { case 11: case 15: case 9: if (node.parent.kind === 167) { return isObjectLiteralElement(node.parent.parent) ? node.parent.parent : void 0; } case 80: return isObjectLiteralElement(node.parent) && (node.parent.parent.kind === 210 || node.parent.parent.kind === 292) && node.parent.name === node ? node.parent : void 0; } return void 0; } function getSymbolAtLocationForQuickInfo(node, checker) { const object = getContainingObjectLiteralElement(node); if (object) { const contextualType = checker.getContextualType(object.parent); const properties = contextualType && getPropertySymbolsFromContextualType( object, checker, contextualType, /*unionSymbolOk*/ false ); if (properties && properties.length === 1) { return first(properties); } } return checker.getSymbolAtLocation(node); } function getPropertySymbolsFromContextualType(node, checker, contextualType, unionSymbolOk) { const name = getNameFromPropertyName(node.name); if (!name) return emptyArray; if (!contextualType.isUnion()) { const symbol = contextualType.getProperty(name); return symbol ? [symbol] : emptyArray; } const filteredTypes = isObjectLiteralExpression(node.parent) || isJsxAttributes(node.parent) ? filter(contextualType.types, (t) => !checker.isTypeInvalidDueToUnionDiscriminant(t, node.parent)) : contextualType.types; const discriminatedPropertySymbols = mapDefined(filteredTypes, (t) => t.getProperty(name)); if (unionSymbolOk && (discriminatedPropertySymbols.length === 0 || discriminatedPropertySymbols.length === contextualType.types.length)) { const symbol = contextualType.getProperty(name); if (symbol) return [symbol]; } if (!filteredTypes.length && !discriminatedPropertySymbols.length) { return mapDefined(contextualType.types, (t) => t.getProperty(name)); } return deduplicate(discriminatedPropertySymbols, equateValues); } function isArgumentOfElementAccessExpression(node) { return node && node.parent && node.parent.kind === 212 && node.parent.argumentExpression === node; } function getDefaultLibFilePath(options) { if (sys) { return combinePaths(getDirectoryPath(normalizePath(sys.getExecutingFilePath())), getDefaultLibFileName(options)); } throw new Error("getDefaultLibFilePath is only supported when consumed as a node module. "); } setObjectAllocator(getServicesObjectAllocator()); function transform(source, transformers, compilerOptions) { const diagnostics = []; compilerOptions = fixupCompilerOptions(compilerOptions, diagnostics); const nodes = isArray3(source) ? source : [source]; const result = transformNodes( /*resolver*/ void 0, /*host*/ void 0, factory, compilerOptions, nodes, transformers, /*allowDtsFiles*/ true ); result.diagnostics = concatenate(result.diagnostics, diagnostics); return result; } var ts_BreakpointResolver_exports = {}; __export2(ts_BreakpointResolver_exports, { spanInSourceFileAtLocation: () => spanInSourceFileAtLocation }); function spanInSourceFileAtLocation(sourceFile, position) { if (sourceFile.isDeclarationFile) { return void 0; } let tokenAtLocation = getTokenAtPosition(sourceFile, position); const lineOfPosition = sourceFile.getLineAndCharacterOfPosition(position).line; if (sourceFile.getLineAndCharacterOfPosition(tokenAtLocation.getStart(sourceFile)).line > lineOfPosition) { const preceding = findPrecedingToken(tokenAtLocation.pos, sourceFile); if (!preceding || sourceFile.getLineAndCharacterOfPosition(preceding.getEnd()).line !== lineOfPosition) { return void 0; } tokenAtLocation = preceding; } if (tokenAtLocation.flags & 33554432) { return void 0; } return spanInNode(tokenAtLocation); function textSpan(startNode2, endNode2) { const lastDecorator = canHaveDecorators(startNode2) ? findLast(startNode2.modifiers, isDecorator) : void 0; const start = lastDecorator ? skipTrivia(sourceFile.text, lastDecorator.end) : startNode2.getStart(sourceFile); return createTextSpanFromBounds(start, (endNode2 || startNode2).getEnd()); } function textSpanEndingAtNextToken(startNode2, previousTokenToFindNextEndToken) { return textSpan(startNode2, findNextToken(previousTokenToFindNextEndToken, previousTokenToFindNextEndToken.parent, sourceFile)); } function spanInNodeIfStartsOnSameLine(node, otherwiseOnNode) { if (node && lineOfPosition === sourceFile.getLineAndCharacterOfPosition(node.getStart(sourceFile)).line) { return spanInNode(node); } return spanInNode(otherwiseOnNode); } function spanInNodeArray(nodeArray, node, match) { if (nodeArray) { const index = nodeArray.indexOf(node); if (index >= 0) { let start = index; let end = index + 1; while (start > 0 && match(nodeArray[start - 1])) start--; while (end < nodeArray.length && match(nodeArray[end])) end++; return createTextSpanFromBounds(skipTrivia(sourceFile.text, nodeArray[start].pos), nodeArray[end - 1].end); } } return textSpan(node); } function spanInPreviousNode(node) { return spanInNode(findPrecedingToken(node.pos, sourceFile)); } function spanInNextNode(node) { return spanInNode(findNextToken(node, node.parent, sourceFile)); } function spanInNode(node) { if (node) { const { parent: parent2 } = node; switch (node.kind) { case 243: return spanInVariableDeclaration(node.declarationList.declarations[0]); case 260: case 172: case 171: return spanInVariableDeclaration(node); case 169: return spanInParameterDeclaration(node); case 262: case 174: case 173: case 177: case 178: case 176: case 218: case 219: return spanInFunctionDeclaration(node); case 241: if (isFunctionBlock(node)) { return spanInFunctionBlock(node); } case 268: return spanInBlock(node); case 299: return spanInBlock(node.block); case 244: return textSpan(node.expression); case 253: return textSpan(node.getChildAt(0), node.expression); case 247: return textSpanEndingAtNextToken(node, node.expression); case 246: return spanInNode(node.statement); case 259: return textSpan(node.getChildAt(0)); case 245: return textSpanEndingAtNextToken(node, node.expression); case 256: return spanInNode(node.statement); case 252: case 251: return textSpan(node.getChildAt(0), node.label); case 248: return spanInForStatement(node); case 249: return textSpanEndingAtNextToken(node, node.expression); case 250: return spanInInitializerOfForLike(node); case 255: return textSpanEndingAtNextToken(node, node.expression); case 296: case 297: return spanInNode(node.statements[0]); case 258: return spanInBlock(node.tryBlock); case 257: return textSpan(node, node.expression); case 277: return textSpan(node, node.expression); case 271: return textSpan(node, node.moduleReference); case 272: return textSpan(node, node.moduleSpecifier); case 278: return textSpan(node, node.moduleSpecifier); case 267: if (getModuleInstanceState(node) !== 1) { return void 0; } case 263: case 266: case 306: case 208: return textSpan(node); case 254: return spanInNode(node.statement); case 170: return spanInNodeArray(parent2.modifiers, node, isDecorator); case 206: case 207: return spanInBindingPattern(node); case 264: case 265: return void 0; case 27: case 1: return spanInNodeIfStartsOnSameLine(findPrecedingToken(node.pos, sourceFile)); case 28: return spanInPreviousNode(node); case 19: return spanInOpenBraceToken(node); case 20: return spanInCloseBraceToken(node); case 24: return spanInCloseBracketToken(node); case 21: return spanInOpenParenToken(node); case 22: return spanInCloseParenToken(node); case 59: return spanInColonToken(node); case 32: case 30: return spanInGreaterThanOrLessThanToken(node); case 117: return spanInWhileKeyword(node); case 93: case 85: case 98: return spanInNextNode(node); case 165: return spanInOfKeyword(node); default: if (isArrayLiteralOrObjectLiteralDestructuringPattern(node)) { return spanInArrayLiteralOrObjectLiteralDestructuringPattern(node); } if ((node.kind === 80 || node.kind === 230 || node.kind === 303 || node.kind === 304) && isArrayLiteralOrObjectLiteralDestructuringPattern(parent2)) { return textSpan(node); } if (node.kind === 226) { const { left, operatorToken } = node; if (isArrayLiteralOrObjectLiteralDestructuringPattern(left)) { return spanInArrayLiteralOrObjectLiteralDestructuringPattern( left ); } if (operatorToken.kind === 64 && isArrayLiteralOrObjectLiteralDestructuringPattern(node.parent)) { return textSpan(node); } if (operatorToken.kind === 28) { return spanInNode(left); } } if (isExpressionNode(node)) { switch (parent2.kind) { case 246: return spanInPreviousNode(node); case 170: return spanInNode(node.parent); case 248: case 250: return textSpan(node); case 226: if (node.parent.operatorToken.kind === 28) { return textSpan(node); } break; case 219: if (node.parent.body === node) { return textSpan(node); } break; } } switch (node.parent.kind) { case 303: if (node.parent.name === node && !isArrayLiteralOrObjectLiteralDestructuringPattern(node.parent.parent)) { return spanInNode(node.parent.initializer); } break; case 216: if (node.parent.type === node) { return spanInNextNode(node.parent.type); } break; case 260: case 169: { const { initializer, type } = node.parent; if (initializer === node || type === node || isAssignmentOperator(node.kind)) { return spanInPreviousNode(node); } break; } case 226: { const { left } = node.parent; if (isArrayLiteralOrObjectLiteralDestructuringPattern(left) && node !== left) { return spanInPreviousNode(node); } break; } default: if (isFunctionLike(node.parent) && node.parent.type === node) { return spanInPreviousNode(node); } } return spanInNode(node.parent); } } function textSpanFromVariableDeclaration(variableDeclaration) { if (isVariableDeclarationList(variableDeclaration.parent) && variableDeclaration.parent.declarations[0] === variableDeclaration) { return textSpan(findPrecedingToken(variableDeclaration.pos, sourceFile, variableDeclaration.parent), variableDeclaration); } else { return textSpan(variableDeclaration); } } function spanInVariableDeclaration(variableDeclaration) { if (variableDeclaration.parent.parent.kind === 249) { return spanInNode(variableDeclaration.parent.parent); } const parent2 = variableDeclaration.parent; if (isBindingPattern(variableDeclaration.name)) { return spanInBindingPattern(variableDeclaration.name); } if (hasOnlyExpressionInitializer(variableDeclaration) && variableDeclaration.initializer || hasSyntacticModifier( variableDeclaration, 32 /* Export */ ) || parent2.parent.kind === 250) { return textSpanFromVariableDeclaration(variableDeclaration); } if (isVariableDeclarationList(variableDeclaration.parent) && variableDeclaration.parent.declarations[0] !== variableDeclaration) { return spanInNode(findPrecedingToken(variableDeclaration.pos, sourceFile, variableDeclaration.parent)); } } function canHaveSpanInParameterDeclaration(parameter) { return !!parameter.initializer || parameter.dotDotDotToken !== void 0 || hasSyntacticModifier( parameter, 1 | 2 /* Private */ ); } function spanInParameterDeclaration(parameter) { if (isBindingPattern(parameter.name)) { return spanInBindingPattern(parameter.name); } else if (canHaveSpanInParameterDeclaration(parameter)) { return textSpan(parameter); } else { const functionDeclaration = parameter.parent; const indexOfParameter = functionDeclaration.parameters.indexOf(parameter); Debug.assert(indexOfParameter !== -1); if (indexOfParameter !== 0) { return spanInParameterDeclaration(functionDeclaration.parameters[indexOfParameter - 1]); } else { return spanInNode(functionDeclaration.body); } } } function canFunctionHaveSpanInWholeDeclaration(functionDeclaration) { return hasSyntacticModifier( functionDeclaration, 32 /* Export */ ) || functionDeclaration.parent.kind === 263 && functionDeclaration.kind !== 176; } function spanInFunctionDeclaration(functionDeclaration) { if (!functionDeclaration.body) { return void 0; } if (canFunctionHaveSpanInWholeDeclaration(functionDeclaration)) { return textSpan(functionDeclaration); } return spanInNode(functionDeclaration.body); } function spanInFunctionBlock(block) { const nodeForSpanInBlock = block.statements.length ? block.statements[0] : block.getLastToken(); if (canFunctionHaveSpanInWholeDeclaration(block.parent)) { return spanInNodeIfStartsOnSameLine(block.parent, nodeForSpanInBlock); } return spanInNode(nodeForSpanInBlock); } function spanInBlock(block) { switch (block.parent.kind) { case 267: if (getModuleInstanceState(block.parent) !== 1) { return void 0; } case 247: case 245: case 249: return spanInNodeIfStartsOnSameLine(block.parent, block.statements[0]); case 248: case 250: return spanInNodeIfStartsOnSameLine(findPrecedingToken(block.pos, sourceFile, block.parent), block.statements[0]); } return spanInNode(block.statements[0]); } function spanInInitializerOfForLike(forLikeStatement) { if (forLikeStatement.initializer.kind === 261) { const variableDeclarationList = forLikeStatement.initializer; if (variableDeclarationList.declarations.length > 0) { return spanInNode(variableDeclarationList.declarations[0]); } } else { return spanInNode(forLikeStatement.initializer); } } function spanInForStatement(forStatement) { if (forStatement.initializer) { return spanInInitializerOfForLike(forStatement); } if (forStatement.condition) { return textSpan(forStatement.condition); } if (forStatement.incrementor) { return textSpan(forStatement.incrementor); } } function spanInBindingPattern(bindingPattern) { const firstBindingElement = forEach(bindingPattern.elements, (element) => element.kind !== 232 ? element : void 0); if (firstBindingElement) { return spanInNode(firstBindingElement); } if (bindingPattern.parent.kind === 208) { return textSpan(bindingPattern.parent); } return textSpanFromVariableDeclaration(bindingPattern.parent); } function spanInArrayLiteralOrObjectLiteralDestructuringPattern(node2) { Debug.assert( node2.kind !== 207 && node2.kind !== 206 /* ObjectBindingPattern */ ); const elements = node2.kind === 209 ? node2.elements : node2.properties; const firstBindingElement = forEach(elements, (element) => element.kind !== 232 ? element : void 0); if (firstBindingElement) { return spanInNode(firstBindingElement); } return textSpan(node2.parent.kind === 226 ? node2.parent : node2); } function spanInOpenBraceToken(node2) { switch (node2.parent.kind) { case 266: const enumDeclaration = node2.parent; return spanInNodeIfStartsOnSameLine(findPrecedingToken(node2.pos, sourceFile, node2.parent), enumDeclaration.members.length ? enumDeclaration.members[0] : enumDeclaration.getLastToken(sourceFile)); case 263: const classDeclaration = node2.parent; return spanInNodeIfStartsOnSameLine(findPrecedingToken(node2.pos, sourceFile, node2.parent), classDeclaration.members.length ? classDeclaration.members[0] : classDeclaration.getLastToken(sourceFile)); case 269: return spanInNodeIfStartsOnSameLine(node2.parent.parent, node2.parent.clauses[0]); } return spanInNode(node2.parent); } function spanInCloseBraceToken(node2) { switch (node2.parent.kind) { case 268: if (getModuleInstanceState(node2.parent.parent) !== 1) { return void 0; } case 266: case 263: return textSpan(node2); case 241: if (isFunctionBlock(node2.parent)) { return textSpan(node2); } case 299: return spanInNode(lastOrUndefined(node2.parent.statements)); case 269: const caseBlock = node2.parent; const lastClause = lastOrUndefined(caseBlock.clauses); if (lastClause) { return spanInNode(lastOrUndefined(lastClause.statements)); } return void 0; case 206: const bindingPattern = node2.parent; return spanInNode(lastOrUndefined(bindingPattern.elements) || bindingPattern); default: if (isArrayLiteralOrObjectLiteralDestructuringPattern(node2.parent)) { const objectLiteral = node2.parent; return textSpan(lastOrUndefined(objectLiteral.properties) || objectLiteral); } return spanInNode(node2.parent); } } function spanInCloseBracketToken(node2) { switch (node2.parent.kind) { case 207: const bindingPattern = node2.parent; return textSpan(lastOrUndefined(bindingPattern.elements) || bindingPattern); default: if (isArrayLiteralOrObjectLiteralDestructuringPattern(node2.parent)) { const arrayLiteral = node2.parent; return textSpan(lastOrUndefined(arrayLiteral.elements) || arrayLiteral); } return spanInNode(node2.parent); } } function spanInOpenParenToken(node2) { if (node2.parent.kind === 246 || // Go to while keyword and do action instead node2.parent.kind === 213 || node2.parent.kind === 214) { return spanInPreviousNode(node2); } if (node2.parent.kind === 217) { return spanInNextNode(node2); } return spanInNode(node2.parent); } function spanInCloseParenToken(node2) { switch (node2.parent.kind) { case 218: case 262: case 219: case 174: case 173: case 177: case 178: case 176: case 247: case 246: case 248: case 250: case 213: case 214: case 217: return spanInPreviousNode(node2); default: return spanInNode(node2.parent); } } function spanInColonToken(node2) { if (isFunctionLike(node2.parent) || node2.parent.kind === 303 || node2.parent.kind === 169) { return spanInPreviousNode(node2); } return spanInNode(node2.parent); } function spanInGreaterThanOrLessThanToken(node2) { if (node2.parent.kind === 216) { return spanInNextNode(node2); } return spanInNode(node2.parent); } function spanInWhileKeyword(node2) { if (node2.parent.kind === 246) { return textSpanEndingAtNextToken(node2, node2.parent.expression); } return spanInNode(node2.parent); } function spanInOfKeyword(node2) { if (node2.parent.kind === 250) { return spanInNextNode(node2); } return spanInNode(node2.parent); } } } var ts_CallHierarchy_exports = {}; __export2(ts_CallHierarchy_exports, { createCallHierarchyItem: () => createCallHierarchyItem, getIncomingCalls: () => getIncomingCalls, getOutgoingCalls: () => getOutgoingCalls, resolveCallHierarchyDeclaration: () => resolveCallHierarchyDeclaration }); function isNamedExpression(node) { return (isFunctionExpression(node) || isClassExpression(node)) && isNamedDeclaration(node); } function isVariableLike2(node) { return isPropertyDeclaration(node) || isVariableDeclaration(node); } function isAssignedExpression(node) { return (isFunctionExpression(node) || isArrowFunction(node) || isClassExpression(node)) && isVariableLike2(node.parent) && node === node.parent.initializer && isIdentifier(node.parent.name) && (!!(getCombinedNodeFlags(node.parent) & 2) || isPropertyDeclaration(node.parent)); } function isPossibleCallHierarchyDeclaration(node) { return isSourceFile(node) || isModuleDeclaration(node) || isFunctionDeclaration(node) || isFunctionExpression(node) || isClassDeclaration(node) || isClassExpression(node) || isClassStaticBlockDeclaration(node) || isMethodDeclaration(node) || isMethodSignature(node) || isGetAccessorDeclaration(node) || isSetAccessorDeclaration(node); } function isValidCallHierarchyDeclaration(node) { return isSourceFile(node) || isModuleDeclaration(node) && isIdentifier(node.name) || isFunctionDeclaration(node) || isClassDeclaration(node) || isClassStaticBlockDeclaration(node) || isMethodDeclaration(node) || isMethodSignature(node) || isGetAccessorDeclaration(node) || isSetAccessorDeclaration(node) || isNamedExpression(node) || isAssignedExpression(node); } function getCallHierarchyDeclarationReferenceNode(node) { if (isSourceFile(node)) return node; if (isNamedDeclaration(node)) return node.name; if (isAssignedExpression(node)) return node.parent.name; return Debug.checkDefined(node.modifiers && find(node.modifiers, isDefaultModifier3)); } function isDefaultModifier3(node) { return node.kind === 90; } function getSymbolOfCallHierarchyDeclaration(typeChecker, node) { const location = getCallHierarchyDeclarationReferenceNode(node); return location && typeChecker.getSymbolAtLocation(location); } function getCallHierarchyItemName(program, node) { if (isSourceFile(node)) { return { text: node.fileName, pos: 0, end: 0 }; } if ((isFunctionDeclaration(node) || isClassDeclaration(node)) && !isNamedDeclaration(node)) { const defaultModifier = node.modifiers && find(node.modifiers, isDefaultModifier3); if (defaultModifier) { return { text: "default", pos: defaultModifier.getStart(), end: defaultModifier.getEnd() }; } } if (isClassStaticBlockDeclaration(node)) { const sourceFile = node.getSourceFile(); const pos = skipTrivia(sourceFile.text, moveRangePastModifiers(node).pos); const end = pos + 6; const typeChecker = program.getTypeChecker(); const symbol = typeChecker.getSymbolAtLocation(node.parent); const prefix = symbol ? `${typeChecker.symbolToString(symbol, node.parent)} ` : ""; return { text: `${prefix}static {}`, pos, end }; } const declName = isAssignedExpression(node) ? node.parent.name : Debug.checkDefined(getNameOfDeclaration(node), "Expected call hierarchy item to have a name"); let text = isIdentifier(declName) ? idText(declName) : isStringOrNumericLiteralLike(declName) ? declName.text : isComputedPropertyName(declName) ? isStringOrNumericLiteralLike(declName.expression) ? declName.expression.text : void 0 : void 0; if (text === void 0) { const typeChecker = program.getTypeChecker(); const symbol = typeChecker.getSymbolAtLocation(declName); if (symbol) { text = typeChecker.symbolToString(symbol, node); } } if (text === void 0) { const printer = createPrinterWithRemoveCommentsOmitTrailingSemicolon(); text = usingSingleLineStringWriter((writer) => printer.writeNode(4, node, node.getSourceFile(), writer)); } return { text, pos: declName.getStart(), end: declName.getEnd() }; } function getCallHierarchItemContainerName(node) { var _a, _b, _c, _d; if (isAssignedExpression(node)) { if (isPropertyDeclaration(node.parent) && isClassLike(node.parent.parent)) { return isClassExpression(node.parent.parent) ? (_a = getAssignedName(node.parent.parent)) == null ? void 0 : _a.getText() : (_b = node.parent.parent.name) == null ? void 0 : _b.getText(); } if (isModuleBlock(node.parent.parent.parent.parent) && isIdentifier(node.parent.parent.parent.parent.parent.name)) { return node.parent.parent.parent.parent.parent.name.getText(); } return; } switch (node.kind) { case 177: case 178: case 174: if (node.parent.kind === 210) { return (_c = getAssignedName(node.parent)) == null ? void 0 : _c.getText(); } return (_d = getNameOfDeclaration(node.parent)) == null ? void 0 : _d.getText(); case 262: case 263: case 267: if (isModuleBlock(node.parent) && isIdentifier(node.parent.parent.name)) { return node.parent.parent.name.getText(); } } } function findImplementation(typeChecker, node) { if (node.body) { return node; } if (isConstructorDeclaration(node)) { return getFirstConstructorWithBody(node.parent); } if (isFunctionDeclaration(node) || isMethodDeclaration(node)) { const symbol = getSymbolOfCallHierarchyDeclaration(typeChecker, node); if (symbol && symbol.valueDeclaration && isFunctionLikeDeclaration(symbol.valueDeclaration) && symbol.valueDeclaration.body) { return symbol.valueDeclaration; } return void 0; } return node; } function findAllInitialDeclarations(typeChecker, node) { const symbol = getSymbolOfCallHierarchyDeclaration(typeChecker, node); let declarations; if (symbol && symbol.declarations) { const indices = indicesOf(symbol.declarations); const keys2 = map(symbol.declarations, (decl) => ({ file: decl.getSourceFile().fileName, pos: decl.pos })); indices.sort((a, b) => compareStringsCaseSensitive(keys2[a].file, keys2[b].file) || keys2[a].pos - keys2[b].pos); const sortedDeclarations = map(indices, (i) => symbol.declarations[i]); let lastDecl; for (const decl of sortedDeclarations) { if (isValidCallHierarchyDeclaration(decl)) { if (!lastDecl || lastDecl.parent !== decl.parent || lastDecl.end !== decl.pos) { declarations = append(declarations, decl); } lastDecl = decl; } } } return declarations; } function findImplementationOrAllInitialDeclarations(typeChecker, node) { if (isClassStaticBlockDeclaration(node)) { return node; } if (isFunctionLikeDeclaration(node)) { return findImplementation(typeChecker, node) ?? findAllInitialDeclarations(typeChecker, node) ?? node; } return findAllInitialDeclarations(typeChecker, node) ?? node; } function resolveCallHierarchyDeclaration(program, location) { const typeChecker = program.getTypeChecker(); let followingSymbol = false; while (true) { if (isValidCallHierarchyDeclaration(location)) { return findImplementationOrAllInitialDeclarations(typeChecker, location); } if (isPossibleCallHierarchyDeclaration(location)) { const ancestor = findAncestor(location, isValidCallHierarchyDeclaration); return ancestor && findImplementationOrAllInitialDeclarations(typeChecker, ancestor); } if (isDeclarationName(location)) { if (isValidCallHierarchyDeclaration(location.parent)) { return findImplementationOrAllInitialDeclarations(typeChecker, location.parent); } if (isPossibleCallHierarchyDeclaration(location.parent)) { const ancestor = findAncestor(location.parent, isValidCallHierarchyDeclaration); return ancestor && findImplementationOrAllInitialDeclarations(typeChecker, ancestor); } if (isVariableLike2(location.parent) && location.parent.initializer && isAssignedExpression(location.parent.initializer)) { return location.parent.initializer; } return void 0; } if (isConstructorDeclaration(location)) { if (isValidCallHierarchyDeclaration(location.parent)) { return location.parent; } return void 0; } if (location.kind === 126 && isClassStaticBlockDeclaration(location.parent)) { location = location.parent; continue; } if (isVariableDeclaration(location) && location.initializer && isAssignedExpression(location.initializer)) { return location.initializer; } if (!followingSymbol) { let symbol = typeChecker.getSymbolAtLocation(location); if (symbol) { if (symbol.flags & 2097152) { symbol = typeChecker.getAliasedSymbol(symbol); } if (symbol.valueDeclaration) { followingSymbol = true; location = symbol.valueDeclaration; continue; } } } return void 0; } } function createCallHierarchyItem(program, node) { const sourceFile = node.getSourceFile(); const name = getCallHierarchyItemName(program, node); const containerName = getCallHierarchItemContainerName(node); const kind = getNodeKind(node); const kindModifiers = getNodeModifiers(node); const span = createTextSpanFromBounds(skipTrivia( sourceFile.text, node.getFullStart(), /*stopAfterLineBreak*/ false, /*stopAtComments*/ true ), node.getEnd()); const selectionSpan = createTextSpanFromBounds(name.pos, name.end); return { file: sourceFile.fileName, kind, kindModifiers, name: name.text, containerName, span, selectionSpan }; } function isDefined(x) { return x !== void 0; } function convertEntryToCallSite(entry) { if (entry.kind === ts_FindAllReferences_exports.EntryKind.Node) { const { node } = entry; if (isCallOrNewExpressionTarget( node, /*includeElementAccess*/ true, /*skipPastOuterExpressions*/ true ) || isTaggedTemplateTag( node, /*includeElementAccess*/ true, /*skipPastOuterExpressions*/ true ) || isDecoratorTarget( node, /*includeElementAccess*/ true, /*skipPastOuterExpressions*/ true ) || isJsxOpeningLikeElementTagName( node, /*includeElementAccess*/ true, /*skipPastOuterExpressions*/ true ) || isRightSideOfPropertyAccess(node) || isArgumentExpressionOfElementAccess(node)) { const sourceFile = node.getSourceFile(); const ancestor = findAncestor(node, isValidCallHierarchyDeclaration) || sourceFile; return { declaration: ancestor, range: createTextRangeFromNode(node, sourceFile) }; } } } function getCallSiteGroupKey(entry) { return getNodeId(entry.declaration); } function createCallHierarchyIncomingCall(from, fromSpans) { return { from, fromSpans }; } function convertCallSiteGroupToIncomingCall(program, entries) { return createCallHierarchyIncomingCall(createCallHierarchyItem(program, entries[0].declaration), map(entries, (entry) => createTextSpanFromRange(entry.range))); } function getIncomingCalls(program, declaration, cancellationToken) { if (isSourceFile(declaration) || isModuleDeclaration(declaration) || isClassStaticBlockDeclaration(declaration)) { return []; } const location = getCallHierarchyDeclarationReferenceNode(declaration); const calls = filter(ts_FindAllReferences_exports.findReferenceOrRenameEntries( program, cancellationToken, program.getSourceFiles(), location, /*position*/ 0, { use: ts_FindAllReferences_exports.FindReferencesUse.References }, convertEntryToCallSite ), isDefined); return calls ? group(calls, getCallSiteGroupKey, (entries) => convertCallSiteGroupToIncomingCall(program, entries)) : []; } function createCallSiteCollector(program, callSites) { function recordCallSite(node) { const target = isTaggedTemplateExpression(node) ? node.tag : isJsxOpeningLikeElement(node) ? node.tagName : isAccessExpression(node) ? node : isClassStaticBlockDeclaration(node) ? node : node.expression; const declaration = resolveCallHierarchyDeclaration(program, target); if (declaration) { const range = createTextRangeFromNode(target, node.getSourceFile()); if (isArray3(declaration)) { for (const decl of declaration) { callSites.push({ declaration: decl, range }); } } else { callSites.push({ declaration, range }); } } } function collect2(node) { if (!node) return; if (node.flags & 33554432) { return; } if (isValidCallHierarchyDeclaration(node)) { if (isClassLike(node)) { for (const member of node.members) { if (member.name && isComputedPropertyName(member.name)) { collect2(member.name.expression); } } } return; } switch (node.kind) { case 80: case 271: case 272: case 278: case 264: case 265: return; case 175: recordCallSite(node); return; case 216: case 234: collect2(node.expression); return; case 260: case 169: collect2(node.name); collect2(node.initializer); return; case 213: recordCallSite(node); collect2(node.expression); forEach(node.arguments, collect2); return; case 214: recordCallSite(node); collect2(node.expression); forEach(node.arguments, collect2); return; case 215: recordCallSite(node); collect2(node.tag); collect2(node.template); return; case 286: case 285: recordCallSite(node); collect2(node.tagName); collect2(node.attributes); return; case 170: recordCallSite(node); collect2(node.expression); return; case 211: case 212: recordCallSite(node); forEachChild(node, collect2); break; case 238: collect2(node.expression); return; } if (isPartOfTypeNode(node)) { return; } forEachChild(node, collect2); } return collect2; } function collectCallSitesOfSourceFile(node, collect2) { forEach(node.statements, collect2); } function collectCallSitesOfModuleDeclaration(node, collect2) { if (!hasSyntacticModifier( node, 128 /* Ambient */ ) && node.body && isModuleBlock(node.body)) { forEach(node.body.statements, collect2); } } function collectCallSitesOfFunctionLikeDeclaration(typeChecker, node, collect2) { const implementation = findImplementation(typeChecker, node); if (implementation) { forEach(implementation.parameters, collect2); collect2(implementation.body); } } function collectCallSitesOfClassStaticBlockDeclaration(node, collect2) { collect2(node.body); } function collectCallSitesOfClassLikeDeclaration(node, collect2) { forEach(node.modifiers, collect2); const heritage = getClassExtendsHeritageElement(node); if (heritage) { collect2(heritage.expression); } for (const member of node.members) { if (canHaveModifiers(member)) { forEach(member.modifiers, collect2); } if (isPropertyDeclaration(member)) { collect2(member.initializer); } else if (isConstructorDeclaration(member) && member.body) { forEach(member.parameters, collect2); collect2(member.body); } else if (isClassStaticBlockDeclaration(member)) { collect2(member); } } } function collectCallSites(program, node) { const callSites = []; const collect2 = createCallSiteCollector(program, callSites); switch (node.kind) { case 307: collectCallSitesOfSourceFile(node, collect2); break; case 267: collectCallSitesOfModuleDeclaration(node, collect2); break; case 262: case 218: case 219: case 174: case 177: case 178: collectCallSitesOfFunctionLikeDeclaration(program.getTypeChecker(), node, collect2); break; case 263: case 231: collectCallSitesOfClassLikeDeclaration(node, collect2); break; case 175: collectCallSitesOfClassStaticBlockDeclaration(node, collect2); break; default: Debug.assertNever(node); } return callSites; } function createCallHierarchyOutgoingCall(to, fromSpans) { return { to, fromSpans }; } function convertCallSiteGroupToOutgoingCall(program, entries) { return createCallHierarchyOutgoingCall(createCallHierarchyItem(program, entries[0].declaration), map(entries, (entry) => createTextSpanFromRange(entry.range))); } function getOutgoingCalls(program, declaration) { if (declaration.flags & 33554432 || isMethodSignature(declaration)) { return []; } return group(collectCallSites(program, declaration), getCallSiteGroupKey, (entries) => convertCallSiteGroupToOutgoingCall(program, entries)); } var ts_classifier_exports = {}; __export2(ts_classifier_exports, { v2020: () => ts_classifier_v2020_exports }); var ts_classifier_v2020_exports = {}; __export2(ts_classifier_v2020_exports, { TokenEncodingConsts: () => TokenEncodingConsts, TokenModifier: () => TokenModifier, TokenType: () => TokenType, getEncodedSemanticClassifications: () => getEncodedSemanticClassifications2, getSemanticClassifications: () => getSemanticClassifications2 }); var ts_codefix_exports = {}; __export2(ts_codefix_exports, { PreserveOptionalFlags: () => PreserveOptionalFlags, addNewNodeForMemberSymbol: () => addNewNodeForMemberSymbol, codeFixAll: () => codeFixAll, createCodeFixAction: () => createCodeFixAction, createCodeFixActionMaybeFixAll: () => createCodeFixActionMaybeFixAll, createCodeFixActionWithoutFixAll: () => createCodeFixActionWithoutFixAll, createCombinedCodeActions: () => createCombinedCodeActions, createFileTextChanges: () => createFileTextChanges, createImportAdder: () => createImportAdder, createImportSpecifierResolver: () => createImportSpecifierResolver, createJsonPropertyAssignment: () => createJsonPropertyAssignment, createMissingMemberNodes: () => createMissingMemberNodes, createSignatureDeclarationFromCallExpression: () => createSignatureDeclarationFromCallExpression, createSignatureDeclarationFromSignature: () => createSignatureDeclarationFromSignature, createStubbedBody: () => createStubbedBody, eachDiagnostic: () => eachDiagnostic, findAncestorMatchingSpan: () => findAncestorMatchingSpan, findJsonProperty: () => findJsonProperty, generateAccessorFromProperty: () => generateAccessorFromProperty, getAccessorConvertiblePropertyAtPosition: () => getAccessorConvertiblePropertyAtPosition, getAllFixes: () => getAllFixes, getAllSupers: () => getAllSupers, getArgumentTypesAndTypeParameters: () => getArgumentTypesAndTypeParameters, getFixes: () => getFixes, getImportCompletionAction: () => getImportCompletionAction, getImportKind: () => getImportKind, getJSDocTypedefNodes: () => getJSDocTypedefNodes, getNoopSymbolTrackerWithResolver: () => getNoopSymbolTrackerWithResolver, getPromoteTypeOnlyCompletionAction: () => getPromoteTypeOnlyCompletionAction, getSupportedErrorCodes: () => getSupportedErrorCodes, importFixName: () => importFixName, importSymbols: () => importSymbols, parameterShouldGetTypeFromJSDoc: () => parameterShouldGetTypeFromJSDoc, registerCodeFix: () => registerCodeFix, setJsonCompilerOptionValue: () => setJsonCompilerOptionValue, setJsonCompilerOptionValues: () => setJsonCompilerOptionValues, tryGetAutoImportableReferenceFromTypeNode: () => tryGetAutoImportableReferenceFromTypeNode, typeToAutoImportableTypeNode: () => typeToAutoImportableTypeNode }); var errorCodeToFixes = createMultiMap(); var fixIdToRegistration = /* @__PURE__ */ new Map(); function createCodeFixActionWithoutFixAll(fixName8, changes, description3) { return createCodeFixActionWorker( fixName8, diagnosticToString(description3), changes, /*fixId*/ void 0, /*fixAllDescription*/ void 0 ); } function createCodeFixAction(fixName8, changes, description3, fixId55, fixAllDescription, command) { return createCodeFixActionWorker(fixName8, diagnosticToString(description3), changes, fixId55, diagnosticToString(fixAllDescription), command); } function createCodeFixActionMaybeFixAll(fixName8, changes, description3, fixId55, fixAllDescription, command) { return createCodeFixActionWorker(fixName8, diagnosticToString(description3), changes, fixId55, fixAllDescription && diagnosticToString(fixAllDescription), command); } function createCodeFixActionWorker(fixName8, description3, changes, fixId55, fixAllDescription, command) { return { fixName: fixName8, description: description3, changes, fixId: fixId55, fixAllDescription, commands: command ? [command] : void 0 }; } function registerCodeFix(reg) { for (const error2 of reg.errorCodes) { errorCodeToFixesArray = void 0; errorCodeToFixes.add(String(error2), reg); } if (reg.fixIds) { for (const fixId55 of reg.fixIds) { Debug.assert(!fixIdToRegistration.has(fixId55)); fixIdToRegistration.set(fixId55, reg); } } } var errorCodeToFixesArray; function getSupportedErrorCodes() { return errorCodeToFixesArray ?? (errorCodeToFixesArray = arrayFrom(errorCodeToFixes.keys())); } function removeFixIdIfFixAllUnavailable(registration, diagnostics) { const { errorCodes: errorCodes67 } = registration; let maybeFixableDiagnostics = 0; for (const diag2 of diagnostics) { if (contains(errorCodes67, diag2.code)) maybeFixableDiagnostics++; if (maybeFixableDiagnostics > 1) break; } const fixAllUnavailable = maybeFixableDiagnostics < 2; return ({ fixId: fixId55, fixAllDescription, ...action }) => { return fixAllUnavailable ? action : { ...action, fixId: fixId55, fixAllDescription }; }; } function getFixes(context) { const diagnostics = getDiagnostics(context); const registrations = errorCodeToFixes.get(String(context.errorCode)); return flatMap(registrations, (f) => map(f.getCodeActions(context), removeFixIdIfFixAllUnavailable(f, diagnostics))); } function getAllFixes(context) { return fixIdToRegistration.get(cast(context.fixId, isString2)).getAllCodeActions(context); } function createCombinedCodeActions(changes, commands) { return { changes, commands }; } function createFileTextChanges(fileName, textChanges2) { return { fileName, textChanges: textChanges2 }; } function codeFixAll(context, errorCodes67, use) { const commands = []; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => eachDiagnostic(context, errorCodes67, (diag2) => use(t, diag2, commands))); return createCombinedCodeActions(changes, commands.length === 0 ? void 0 : commands); } function eachDiagnostic(context, errorCodes67, cb) { for (const diag2 of getDiagnostics(context)) { if (contains(errorCodes67, diag2.code)) { cb(diag2); } } } function getDiagnostics({ program, sourceFile, cancellationToken }) { const diagnostics = [ ...program.getSemanticDiagnostics(sourceFile, cancellationToken), ...program.getSyntacticDiagnostics(sourceFile, cancellationToken), ...computeSuggestionDiagnostics(sourceFile, program, cancellationToken) ]; if (getEmitDeclarations(program.getCompilerOptions())) { diagnostics.push( ...program.getDeclarationDiagnostics(sourceFile, cancellationToken) ); } return diagnostics; } var fixId = "addConvertToUnknownForNonOverlappingTypes"; var errorCodes = [Diagnostics.Conversion_of_type_0_to_type_1_may_be_a_mistake_because_neither_type_sufficiently_overlaps_with_the_other_If_this_was_intentional_convert_the_expression_to_unknown_first.code]; registerCodeFix({ errorCodes, getCodeActions: function getCodeActionsToAddConvertToUnknownForNonOverlappingTypes(context) { const assertion = getAssertion(context.sourceFile, context.span.start); if (assertion === void 0) return void 0; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange(t, context.sourceFile, assertion)); return [createCodeFixAction(fixId, changes, Diagnostics.Add_unknown_conversion_for_non_overlapping_types, fixId, Diagnostics.Add_unknown_to_all_conversions_of_non_overlapping_types)]; }, fixIds: [fixId], getAllCodeActions: (context) => codeFixAll(context, errorCodes, (changes, diag2) => { const assertion = getAssertion(diag2.file, diag2.start); if (assertion) { makeChange(changes, diag2.file, assertion); } }) }); function makeChange(changeTracker, sourceFile, assertion) { const replacement = isAsExpression(assertion) ? factory.createAsExpression(assertion.expression, factory.createKeywordTypeNode( 159 /* UnknownKeyword */ )) : factory.createTypeAssertion(factory.createKeywordTypeNode( 159 /* UnknownKeyword */ ), assertion.expression); changeTracker.replaceNode(sourceFile, assertion.expression, replacement); } function getAssertion(sourceFile, pos) { if (isInJSFile(sourceFile)) return void 0; return findAncestor(getTokenAtPosition(sourceFile, pos), (n) => isAsExpression(n) || isTypeAssertionExpression(n)); } registerCodeFix({ errorCodes: [ Diagnostics.await_expressions_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module.code, Diagnostics.await_using_statements_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module.code, Diagnostics.for_await_loops_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module.code ], getCodeActions: function getCodeActionsToAddEmptyExportDeclaration(context) { const { sourceFile } = context; const changes = ts_textChanges_exports.ChangeTracker.with(context, (changes2) => { const exportDeclaration = factory.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory.createNamedExports([]), /*moduleSpecifier*/ void 0 ); changes2.insertNodeAtEndOfScope(sourceFile, sourceFile, exportDeclaration); }); return [createCodeFixActionWithoutFixAll("addEmptyExportDeclaration", changes, Diagnostics.Add_export_to_make_this_file_into_a_module)]; } }); var fixId2 = "addMissingAsync"; var errorCodes2 = [ Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1.code, Diagnostics.Type_0_is_not_assignable_to_type_1.code, Diagnostics.Type_0_is_not_comparable_to_type_1.code ]; registerCodeFix({ fixIds: [fixId2], errorCodes: errorCodes2, getCodeActions: function getCodeActionsToAddMissingAsync(context) { const { sourceFile, errorCode, cancellationToken, program, span } = context; const diagnostic = find(program.getTypeChecker().getDiagnostics(sourceFile, cancellationToken), getIsMatchingAsyncError(span, errorCode)); const directSpan = diagnostic && diagnostic.relatedInformation && find(diagnostic.relatedInformation, (r) => r.code === Diagnostics.Did_you_mean_to_mark_this_function_as_async.code); const decl = getFixableErrorSpanDeclaration(sourceFile, directSpan); if (!decl) { return; } const trackChanges = (cb) => ts_textChanges_exports.ChangeTracker.with(context, cb); return [getFix2(context, decl, trackChanges)]; }, getAllCodeActions: (context) => { const { sourceFile } = context; const fixedDeclarations = /* @__PURE__ */ new Set(); return codeFixAll(context, errorCodes2, (t, diagnostic) => { const span = diagnostic.relatedInformation && find(diagnostic.relatedInformation, (r) => r.code === Diagnostics.Did_you_mean_to_mark_this_function_as_async.code); const decl = getFixableErrorSpanDeclaration(sourceFile, span); if (!decl) { return; } const trackChanges = (cb) => (cb(t), []); return getFix2(context, decl, trackChanges, fixedDeclarations); }); } }); function getFix2(context, decl, trackChanges, fixedDeclarations) { const changes = trackChanges((t) => makeChange2(t, context.sourceFile, decl, fixedDeclarations)); return createCodeFixAction(fixId2, changes, Diagnostics.Add_async_modifier_to_containing_function, fixId2, Diagnostics.Add_all_missing_async_modifiers); } function makeChange2(changeTracker, sourceFile, insertionSite, fixedDeclarations) { if (fixedDeclarations) { if (fixedDeclarations.has(getNodeId(insertionSite))) { return; } } fixedDeclarations == null ? void 0 : fixedDeclarations.add(getNodeId(insertionSite)); const cloneWithModifier = factory.replaceModifiers( getSynthesizedDeepClone( insertionSite, /*includeTrivia*/ true ), factory.createNodeArray(factory.createModifiersFromModifierFlags( getSyntacticModifierFlags(insertionSite) | 1024 /* Async */ )) ); changeTracker.replaceNode( sourceFile, insertionSite, cloneWithModifier ); } function getFixableErrorSpanDeclaration(sourceFile, span) { if (!span) return void 0; const token = getTokenAtPosition(sourceFile, span.start); const decl = findAncestor(token, (node) => { if (node.getStart(sourceFile) < span.start || node.getEnd() > textSpanEnd(span)) { return "quit"; } return (isArrowFunction(node) || isMethodDeclaration(node) || isFunctionExpression(node) || isFunctionDeclaration(node)) && textSpansEqual(span, createTextSpanFromNode(node, sourceFile)); }); return decl; } function getIsMatchingAsyncError(span, errorCode) { return ({ start, length: length2, relatedInformation, code }) => isNumber2(start) && isNumber2(length2) && textSpansEqual({ start, length: length2 }, span) && code === errorCode && !!relatedInformation && some(relatedInformation, (related) => related.code === Diagnostics.Did_you_mean_to_mark_this_function_as_async.code); } var fixId3 = "addMissingAwait"; var propertyAccessCode = Diagnostics.Property_0_does_not_exist_on_type_1.code; var callableConstructableErrorCodes = [ Diagnostics.This_expression_is_not_callable.code, Diagnostics.This_expression_is_not_constructable.code ]; var errorCodes3 = [ Diagnostics.An_arithmetic_operand_must_be_of_type_any_number_bigint_or_an_enum_type.code, Diagnostics.The_left_hand_side_of_an_arithmetic_operation_must_be_of_type_any_number_bigint_or_an_enum_type.code, Diagnostics.The_right_hand_side_of_an_arithmetic_operation_must_be_of_type_any_number_bigint_or_an_enum_type.code, Diagnostics.Operator_0_cannot_be_applied_to_type_1.code, Diagnostics.Operator_0_cannot_be_applied_to_types_1_and_2.code, Diagnostics.This_comparison_appears_to_be_unintentional_because_the_types_0_and_1_have_no_overlap.code, Diagnostics.This_condition_will_always_return_true_since_this_0_is_always_defined.code, Diagnostics.Type_0_is_not_an_array_type.code, Diagnostics.Type_0_is_not_an_array_type_or_a_string_type.code, Diagnostics.Type_0_can_only_be_iterated_through_when_using_the_downlevelIteration_flag_or_with_a_target_of_es2015_or_higher.code, Diagnostics.Type_0_is_not_an_array_type_or_a_string_type_or_does_not_have_a_Symbol_iterator_method_that_returns_an_iterator.code, Diagnostics.Type_0_is_not_an_array_type_or_does_not_have_a_Symbol_iterator_method_that_returns_an_iterator.code, Diagnostics.Type_0_must_have_a_Symbol_iterator_method_that_returns_an_iterator.code, Diagnostics.Type_0_must_have_a_Symbol_asyncIterator_method_that_returns_an_async_iterator.code, Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1.code, propertyAccessCode, ...callableConstructableErrorCodes ]; registerCodeFix({ fixIds: [fixId3], errorCodes: errorCodes3, getCodeActions: function getCodeActionsToAddMissingAwait(context) { const { sourceFile, errorCode, span, cancellationToken, program } = context; const expression = getAwaitErrorSpanExpression(sourceFile, errorCode, span, cancellationToken, program); if (!expression) { return; } const checker = context.program.getTypeChecker(); const trackChanges = (cb) => ts_textChanges_exports.ChangeTracker.with(context, cb); return compact([ getDeclarationSiteFix(context, expression, errorCode, checker, trackChanges), getUseSiteFix(context, expression, errorCode, checker, trackChanges) ]); }, getAllCodeActions: (context) => { const { sourceFile, program, cancellationToken } = context; const checker = context.program.getTypeChecker(); const fixedDeclarations = /* @__PURE__ */ new Set(); return codeFixAll(context, errorCodes3, (t, diagnostic) => { const expression = getAwaitErrorSpanExpression(sourceFile, diagnostic.code, diagnostic, cancellationToken, program); if (!expression) { return; } const trackChanges = (cb) => (cb(t), []); return getDeclarationSiteFix(context, expression, diagnostic.code, checker, trackChanges, fixedDeclarations) || getUseSiteFix(context, expression, diagnostic.code, checker, trackChanges, fixedDeclarations); }); } }); function getAwaitErrorSpanExpression(sourceFile, errorCode, span, cancellationToken, program) { const expression = getFixableErrorSpanExpression(sourceFile, span); return expression && isMissingAwaitError(sourceFile, errorCode, span, cancellationToken, program) && isInsideAwaitableBody(expression) ? expression : void 0; } function getDeclarationSiteFix(context, expression, errorCode, checker, trackChanges, fixedDeclarations) { const { sourceFile, program, cancellationToken } = context; const awaitableInitializers = findAwaitableInitializers(expression, sourceFile, cancellationToken, program, checker); if (awaitableInitializers) { const initializerChanges = trackChanges((t) => { forEach(awaitableInitializers.initializers, ({ expression: expression2 }) => makeChange3(t, errorCode, sourceFile, checker, expression2, fixedDeclarations)); if (fixedDeclarations && awaitableInitializers.needsSecondPassForFixAll) { makeChange3(t, errorCode, sourceFile, checker, expression, fixedDeclarations); } }); return createCodeFixActionWithoutFixAll( "addMissingAwaitToInitializer", initializerChanges, awaitableInitializers.initializers.length === 1 ? [Diagnostics.Add_await_to_initializer_for_0, awaitableInitializers.initializers[0].declarationSymbol.name] : Diagnostics.Add_await_to_initializers ); } } function getUseSiteFix(context, expression, errorCode, checker, trackChanges, fixedDeclarations) { const changes = trackChanges((t) => makeChange3(t, errorCode, context.sourceFile, checker, expression, fixedDeclarations)); return createCodeFixAction(fixId3, changes, Diagnostics.Add_await, fixId3, Diagnostics.Fix_all_expressions_possibly_missing_await); } function isMissingAwaitError(sourceFile, errorCode, span, cancellationToken, program) { const checker = program.getTypeChecker(); const diagnostics = checker.getDiagnostics(sourceFile, cancellationToken); return some(diagnostics, ({ start, length: length2, relatedInformation, code }) => isNumber2(start) && isNumber2(length2) && textSpansEqual({ start, length: length2 }, span) && code === errorCode && !!relatedInformation && some(relatedInformation, (related) => related.code === Diagnostics.Did_you_forget_to_use_await.code)); } function findAwaitableInitializers(expression, sourceFile, cancellationToken, program, checker) { const identifiers = getIdentifiersFromErrorSpanExpression(expression, checker); if (!identifiers) { return; } let isCompleteFix = identifiers.isCompleteFix; let initializers; for (const identifier of identifiers.identifiers) { const symbol = checker.getSymbolAtLocation(identifier); if (!symbol) { continue; } const declaration = tryCast(symbol.valueDeclaration, isVariableDeclaration); const variableName = declaration && tryCast(declaration.name, isIdentifier); const variableStatement = getAncestor2( declaration, 243 /* VariableStatement */ ); if (!declaration || !variableStatement || declaration.type || !declaration.initializer || variableStatement.getSourceFile() !== sourceFile || hasSyntacticModifier( variableStatement, 32 /* Export */ ) || !variableName || !isInsideAwaitableBody(declaration.initializer)) { isCompleteFix = false; continue; } const diagnostics = program.getSemanticDiagnostics(sourceFile, cancellationToken); const isUsedElsewhere = ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(variableName, checker, sourceFile, (reference) => { return identifier !== reference && !symbolReferenceIsAlsoMissingAwait(reference, diagnostics, sourceFile, checker); }); if (isUsedElsewhere) { isCompleteFix = false; continue; } (initializers || (initializers = [])).push({ expression: declaration.initializer, declarationSymbol: symbol }); } return initializers && { initializers, needsSecondPassForFixAll: !isCompleteFix }; } function getIdentifiersFromErrorSpanExpression(expression, checker) { if (isPropertyAccessExpression(expression.parent) && isIdentifier(expression.parent.expression)) { return { identifiers: [expression.parent.expression], isCompleteFix: true }; } if (isIdentifier(expression)) { return { identifiers: [expression], isCompleteFix: true }; } if (isBinaryExpression(expression)) { let sides; let isCompleteFix = true; for (const side of [expression.left, expression.right]) { const type = checker.getTypeAtLocation(side); if (checker.getPromisedTypeOfPromise(type)) { if (!isIdentifier(side)) { isCompleteFix = false; continue; } (sides || (sides = [])).push(side); } } return sides && { identifiers: sides, isCompleteFix }; } } function symbolReferenceIsAlsoMissingAwait(reference, diagnostics, sourceFile, checker) { const errorNode = isPropertyAccessExpression(reference.parent) ? reference.parent.name : isBinaryExpression(reference.parent) ? reference.parent : reference; const diagnostic = find(diagnostics, (diagnostic2) => diagnostic2.start === errorNode.getStart(sourceFile) && diagnostic2.start + diagnostic2.length === errorNode.getEnd()); return diagnostic && contains(errorCodes3, diagnostic.code) || // A Promise is usually not correct in a binary expression (it's not valid // in an arithmetic expression and an equality comparison seems unusual), // but if the other side of the binary expression has an error, the side // is typed `any` which will squash the error that would identify this // Promise as an invalid operand. So if the whole binary expression is // typed `any` as a result, there is a strong likelihood that this Promise // is accidentally missing `await`. checker.getTypeAtLocation(errorNode).flags & 1; } function isInsideAwaitableBody(node) { return node.flags & 65536 || !!findAncestor(node, (ancestor) => ancestor.parent && isArrowFunction(ancestor.parent) && ancestor.parent.body === ancestor || isBlock(ancestor) && (ancestor.parent.kind === 262 || ancestor.parent.kind === 218 || ancestor.parent.kind === 219 || ancestor.parent.kind === 174)); } function makeChange3(changeTracker, errorCode, sourceFile, checker, insertionSite, fixedDeclarations) { if (isForOfStatement(insertionSite.parent) && !insertionSite.parent.awaitModifier) { const exprType = checker.getTypeAtLocation(insertionSite); const asyncIter = checker.getAsyncIterableType(); if (asyncIter && checker.isTypeAssignableTo(exprType, asyncIter)) { const forOf = insertionSite.parent; changeTracker.replaceNode(sourceFile, forOf, factory.updateForOfStatement(forOf, factory.createToken( 135 /* AwaitKeyword */ ), forOf.initializer, forOf.expression, forOf.statement)); return; } } if (isBinaryExpression(insertionSite)) { for (const side of [insertionSite.left, insertionSite.right]) { if (fixedDeclarations && isIdentifier(side)) { const symbol = checker.getSymbolAtLocation(side); if (symbol && fixedDeclarations.has(getSymbolId(symbol))) { continue; } } const type = checker.getTypeAtLocation(side); const newNode = checker.getPromisedTypeOfPromise(type) ? factory.createAwaitExpression(side) : side; changeTracker.replaceNode(sourceFile, side, newNode); } } else if (errorCode === propertyAccessCode && isPropertyAccessExpression(insertionSite.parent)) { if (fixedDeclarations && isIdentifier(insertionSite.parent.expression)) { const symbol = checker.getSymbolAtLocation(insertionSite.parent.expression); if (symbol && fixedDeclarations.has(getSymbolId(symbol))) { return; } } changeTracker.replaceNode( sourceFile, insertionSite.parent.expression, factory.createParenthesizedExpression(factory.createAwaitExpression(insertionSite.parent.expression)) ); insertLeadingSemicolonIfNeeded(changeTracker, insertionSite.parent.expression, sourceFile); } else if (contains(callableConstructableErrorCodes, errorCode) && isCallOrNewExpression2(insertionSite.parent)) { if (fixedDeclarations && isIdentifier(insertionSite)) { const symbol = checker.getSymbolAtLocation(insertionSite); if (symbol && fixedDeclarations.has(getSymbolId(symbol))) { return; } } changeTracker.replaceNode(sourceFile, insertionSite, factory.createParenthesizedExpression(factory.createAwaitExpression(insertionSite))); insertLeadingSemicolonIfNeeded(changeTracker, insertionSite, sourceFile); } else { if (fixedDeclarations && isVariableDeclaration(insertionSite.parent) && isIdentifier(insertionSite.parent.name)) { const symbol = checker.getSymbolAtLocation(insertionSite.parent.name); if (symbol && !tryAddToSet(fixedDeclarations, getSymbolId(symbol))) { return; } } changeTracker.replaceNode(sourceFile, insertionSite, factory.createAwaitExpression(insertionSite)); } } function insertLeadingSemicolonIfNeeded(changeTracker, beforeNode, sourceFile) { const precedingToken = findPrecedingToken(beforeNode.pos, sourceFile); if (precedingToken && positionIsASICandidate(precedingToken.end, precedingToken.parent, sourceFile)) { changeTracker.insertText(sourceFile, beforeNode.getStart(sourceFile), ";"); } } var fixId4 = "addMissingConst"; var errorCodes4 = [ Diagnostics.Cannot_find_name_0.code, Diagnostics.No_value_exists_in_scope_for_the_shorthand_property_0_Either_declare_one_or_provide_an_initializer.code ]; registerCodeFix({ errorCodes: errorCodes4, getCodeActions: function getCodeActionsToAddMissingConst(context) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange4(t, context.sourceFile, context.span.start, context.program)); if (changes.length > 0) { return [createCodeFixAction(fixId4, changes, Diagnostics.Add_const_to_unresolved_variable, fixId4, Diagnostics.Add_const_to_all_unresolved_variables)]; } }, fixIds: [fixId4], getAllCodeActions: (context) => { const fixedNodes = /* @__PURE__ */ new Set(); return codeFixAll(context, errorCodes4, (changes, diag2) => makeChange4(changes, diag2.file, diag2.start, context.program, fixedNodes)); } }); function makeChange4(changeTracker, sourceFile, pos, program, fixedNodes) { const token = getTokenAtPosition(sourceFile, pos); const forInitializer = findAncestor(token, (node) => isForInOrOfStatement(node.parent) ? node.parent.initializer === node : isPossiblyPartOfDestructuring(node) ? false : "quit"); if (forInitializer) return applyChange(changeTracker, forInitializer, sourceFile, fixedNodes); const parent2 = token.parent; if (isBinaryExpression(parent2) && parent2.operatorToken.kind === 64 && isExpressionStatement2(parent2.parent)) { return applyChange(changeTracker, token, sourceFile, fixedNodes); } if (isArrayLiteralExpression(parent2)) { const checker = program.getTypeChecker(); if (!every(parent2.elements, (element) => arrayElementCouldBeVariableDeclaration(element, checker))) { return; } return applyChange(changeTracker, parent2, sourceFile, fixedNodes); } const commaExpression = findAncestor(token, (node) => isExpressionStatement2(node.parent) ? true : isPossiblyPartOfCommaSeperatedInitializer(node) ? false : "quit"); if (commaExpression) { const checker = program.getTypeChecker(); if (!expressionCouldBeVariableDeclaration(commaExpression, checker)) { return; } return applyChange(changeTracker, commaExpression, sourceFile, fixedNodes); } } function applyChange(changeTracker, initializer, sourceFile, fixedNodes) { if (!fixedNodes || tryAddToSet(fixedNodes, initializer)) { changeTracker.insertModifierBefore(sourceFile, 87, initializer); } } function isPossiblyPartOfDestructuring(node) { switch (node.kind) { case 80: case 209: case 210: case 303: case 304: return true; default: return false; } } function arrayElementCouldBeVariableDeclaration(expression, checker) { const identifier = isIdentifier(expression) ? expression : isAssignmentExpression2( expression, /*excludeCompoundAssignment*/ true ) && isIdentifier(expression.left) ? expression.left : void 0; return !!identifier && !checker.getSymbolAtLocation(identifier); } function isPossiblyPartOfCommaSeperatedInitializer(node) { switch (node.kind) { case 80: case 226: case 28: return true; default: return false; } } function expressionCouldBeVariableDeclaration(expression, checker) { if (!isBinaryExpression(expression)) { return false; } if (expression.operatorToken.kind === 28) { return every([expression.left, expression.right], (expression2) => expressionCouldBeVariableDeclaration(expression2, checker)); } return expression.operatorToken.kind === 64 && isIdentifier(expression.left) && !checker.getSymbolAtLocation(expression.left); } var fixId5 = "addMissingDeclareProperty"; var errorCodes5 = [ Diagnostics.Property_0_will_overwrite_the_base_property_in_1_If_this_is_intentional_add_an_initializer_Otherwise_add_a_declare_modifier_or_remove_the_redundant_declaration.code ]; registerCodeFix({ errorCodes: errorCodes5, getCodeActions: function getCodeActionsToAddMissingDeclareOnProperty(context) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange5(t, context.sourceFile, context.span.start)); if (changes.length > 0) { return [createCodeFixAction(fixId5, changes, Diagnostics.Prefix_with_declare, fixId5, Diagnostics.Prefix_all_incorrect_property_declarations_with_declare)]; } }, fixIds: [fixId5], getAllCodeActions: (context) => { const fixedNodes = /* @__PURE__ */ new Set(); return codeFixAll(context, errorCodes5, (changes, diag2) => makeChange5(changes, diag2.file, diag2.start, fixedNodes)); } }); function makeChange5(changeTracker, sourceFile, pos, fixedNodes) { const token = getTokenAtPosition(sourceFile, pos); if (!isIdentifier(token)) { return; } const declaration = token.parent; if (declaration.kind === 172 && (!fixedNodes || tryAddToSet(fixedNodes, declaration))) { changeTracker.insertModifierBefore(sourceFile, 138, declaration); } } var fixId6 = "addMissingInvocationForDecorator"; var errorCodes6 = [Diagnostics._0_accepts_too_few_arguments_to_be_used_as_a_decorator_here_Did_you_mean_to_call_it_first_and_write_0.code]; registerCodeFix({ errorCodes: errorCodes6, getCodeActions: function getCodeActionsToAddMissingInvocationForDecorator(context) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange6(t, context.sourceFile, context.span.start)); return [createCodeFixAction(fixId6, changes, Diagnostics.Call_decorator_expression, fixId6, Diagnostics.Add_to_all_uncalled_decorators)]; }, fixIds: [fixId6], getAllCodeActions: (context) => codeFixAll(context, errorCodes6, (changes, diag2) => makeChange6(changes, diag2.file, diag2.start)) }); function makeChange6(changeTracker, sourceFile, pos) { const token = getTokenAtPosition(sourceFile, pos); const decorator = findAncestor(token, isDecorator); Debug.assert(!!decorator, "Expected position to be owned by a decorator."); const replacement = factory.createCallExpression( decorator.expression, /*typeArguments*/ void 0, /*argumentsArray*/ void 0 ); changeTracker.replaceNode(sourceFile, decorator.expression, replacement); } var fixId7 = "addNameToNamelessParameter"; var errorCodes7 = [Diagnostics.Parameter_has_a_name_but_no_type_Did_you_mean_0_Colon_1.code]; registerCodeFix({ errorCodes: errorCodes7, getCodeActions: function getCodeActionsToAddNameToNamelessParameter(context) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange7(t, context.sourceFile, context.span.start)); return [createCodeFixAction(fixId7, changes, Diagnostics.Add_parameter_name, fixId7, Diagnostics.Add_names_to_all_parameters_without_names)]; }, fixIds: [fixId7], getAllCodeActions: (context) => codeFixAll(context, errorCodes7, (changes, diag2) => makeChange7(changes, diag2.file, diag2.start)) }); function makeChange7(changeTracker, sourceFile, start) { const token = getTokenAtPosition(sourceFile, start); const param = token.parent; if (!isParameter(param)) { return Debug.fail("Tried to add a parameter name to a non-parameter: " + Debug.formatSyntaxKind(token.kind)); } const i = param.parent.parameters.indexOf(param); Debug.assert(!param.type, "Tried to add a parameter name to a parameter that already had one."); Debug.assert(i > -1, "Parameter not found in parent parameter list."); let end = param.name.getEnd(); let typeNode = factory.createTypeReferenceNode( param.name, /*typeArguments*/ void 0 ); let nextParam = tryGetNextParam(sourceFile, param); while (nextParam) { typeNode = factory.createArrayTypeNode(typeNode); end = nextParam.getEnd(); nextParam = tryGetNextParam(sourceFile, nextParam); } const replacement = factory.createParameterDeclaration( param.modifiers, param.dotDotDotToken, "arg" + i, param.questionToken, param.dotDotDotToken && !isArrayTypeNode(typeNode) ? factory.createArrayTypeNode(typeNode) : typeNode, param.initializer ); changeTracker.replaceRange(sourceFile, createRange(param.getStart(sourceFile), end), replacement); } function tryGetNextParam(sourceFile, param) { const nextToken = findNextToken(param.name, param.parent, sourceFile); if (nextToken && nextToken.kind === 23 && isArrayBindingPattern(nextToken.parent) && isParameter(nextToken.parent.parent)) { return nextToken.parent.parent; } return void 0; } var addOptionalPropertyUndefined = "addOptionalPropertyUndefined"; var errorCodes8 = [ Diagnostics.Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_type_of_the_target.code, Diagnostics.Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_types_of_the_target_s_properties.code, Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_types_of_the_target_s_properties.code ]; registerCodeFix({ errorCodes: errorCodes8, getCodeActions(context) { const typeChecker = context.program.getTypeChecker(); const toAdd = getPropertiesToAdd(context.sourceFile, context.span, typeChecker); if (!toAdd.length) { return void 0; } const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addUndefinedToOptionalProperty(t, toAdd)); return [createCodeFixActionWithoutFixAll(addOptionalPropertyUndefined, changes, Diagnostics.Add_undefined_to_optional_property_type)]; }, fixIds: [addOptionalPropertyUndefined] }); function getPropertiesToAdd(file, span, checker) { var _a, _b; const sourceTarget = getSourceTarget(getFixableErrorSpanExpression(file, span), checker); if (!sourceTarget) { return emptyArray; } const { source: sourceNode, target: targetNode } = sourceTarget; const target = shouldUseParentTypeOfProperty(sourceNode, targetNode, checker) ? checker.getTypeAtLocation(targetNode.expression) : checker.getTypeAtLocation(targetNode); if ((_b = (_a = target.symbol) == null ? void 0 : _a.declarations) == null ? void 0 : _b.some((d) => getSourceFileOfNode(d).fileName.match(/\.d\.ts$/))) { return emptyArray; } return checker.getExactOptionalProperties(target); } function shouldUseParentTypeOfProperty(sourceNode, targetNode, checker) { return isPropertyAccessExpression(targetNode) && !!checker.getExactOptionalProperties(checker.getTypeAtLocation(targetNode.expression)).length && checker.getTypeAtLocation(sourceNode) === checker.getUndefinedType(); } function getSourceTarget(errorNode, checker) { var _a; if (!errorNode) { return void 0; } else if (isBinaryExpression(errorNode.parent) && errorNode.parent.operatorToken.kind === 64) { return { source: errorNode.parent.right, target: errorNode.parent.left }; } else if (isVariableDeclaration(errorNode.parent) && errorNode.parent.initializer) { return { source: errorNode.parent.initializer, target: errorNode.parent.name }; } else if (isCallExpression2(errorNode.parent)) { const n = checker.getSymbolAtLocation(errorNode.parent.expression); if (!(n == null ? void 0 : n.valueDeclaration) || !isFunctionLikeKind(n.valueDeclaration.kind)) return void 0; if (!isExpression(errorNode)) return void 0; const i = errorNode.parent.arguments.indexOf(errorNode); if (i === -1) return void 0; const name = n.valueDeclaration.parameters[i].name; if (isIdentifier(name)) return { source: errorNode, target: name }; } else if (isPropertyAssignment(errorNode.parent) && isIdentifier(errorNode.parent.name) || isShorthandPropertyAssignment(errorNode.parent)) { const parentTarget = getSourceTarget(errorNode.parent.parent, checker); if (!parentTarget) return void 0; const prop = checker.getPropertyOfType(checker.getTypeAtLocation(parentTarget.target), errorNode.parent.name.text); const declaration = (_a = prop == null ? void 0 : prop.declarations) == null ? void 0 : _a[0]; if (!declaration) return void 0; return { source: isPropertyAssignment(errorNode.parent) ? errorNode.parent.initializer : errorNode.parent.name, target: declaration }; } return void 0; } function addUndefinedToOptionalProperty(changes, toAdd) { for (const add of toAdd) { const d = add.valueDeclaration; if (d && (isPropertySignature(d) || isPropertyDeclaration(d)) && d.type) { const t = factory.createUnionTypeNode([ ...d.type.kind === 192 ? d.type.types : [d.type], factory.createTypeReferenceNode("undefined") ]); changes.replaceNode(d.getSourceFile(), d.type, t); } } } var fixId8 = "annotateWithTypeFromJSDoc"; var errorCodes9 = [Diagnostics.JSDoc_types_may_be_moved_to_TypeScript_types.code]; registerCodeFix({ errorCodes: errorCodes9, getCodeActions(context) { const decl = getDeclaration(context.sourceFile, context.span.start); if (!decl) return; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange8(t, context.sourceFile, decl)); return [createCodeFixAction(fixId8, changes, Diagnostics.Annotate_with_type_from_JSDoc, fixId8, Diagnostics.Annotate_everything_with_types_from_JSDoc)]; }, fixIds: [fixId8], getAllCodeActions: (context) => codeFixAll(context, errorCodes9, (changes, diag2) => { const decl = getDeclaration(diag2.file, diag2.start); if (decl) doChange8(changes, diag2.file, decl); }) }); function getDeclaration(file, pos) { const name = getTokenAtPosition(file, pos); return tryCast(isParameter(name.parent) ? name.parent.parent : name.parent, parameterShouldGetTypeFromJSDoc); } function parameterShouldGetTypeFromJSDoc(node) { return isDeclarationWithType(node) && hasUsableJSDoc(node); } function hasUsableJSDoc(decl) { return isFunctionLikeDeclaration(decl) ? decl.parameters.some(hasUsableJSDoc) || !decl.type && !!getJSDocReturnType(decl) : !decl.type && !!getJSDocType(decl); } function doChange8(changes, sourceFile, decl) { if (isFunctionLikeDeclaration(decl) && (getJSDocReturnType(decl) || decl.parameters.some((p) => !!getJSDocType(p)))) { if (!decl.typeParameters) { const typeParameters = getJSDocTypeParameterDeclarations(decl); if (typeParameters.length) changes.insertTypeParameters(sourceFile, decl, typeParameters); } const needParens = isArrowFunction(decl) && !findChildOfKind(decl, 21, sourceFile); if (needParens) changes.insertNodeBefore(sourceFile, first(decl.parameters), factory.createToken( 21 /* OpenParenToken */ )); for (const param of decl.parameters) { if (!param.type) { const paramType = getJSDocType(param); if (paramType) changes.tryInsertTypeAnnotation(sourceFile, param, visitNode(paramType, transformJSDocType, isTypeNode)); } } if (needParens) changes.insertNodeAfter(sourceFile, last(decl.parameters), factory.createToken( 22 /* CloseParenToken */ )); if (!decl.type) { const returnType = getJSDocReturnType(decl); if (returnType) changes.tryInsertTypeAnnotation(sourceFile, decl, visitNode(returnType, transformJSDocType, isTypeNode)); } } else { const jsdocType = Debug.checkDefined(getJSDocType(decl), "A JSDocType for this declaration should exist"); Debug.assert(!decl.type, "The JSDocType decl should have a type"); changes.tryInsertTypeAnnotation(sourceFile, decl, visitNode(jsdocType, transformJSDocType, isTypeNode)); } } function isDeclarationWithType(node) { return isFunctionLikeDeclaration(node) || node.kind === 260 || node.kind === 171 || node.kind === 172; } function transformJSDocType(node) { switch (node.kind) { case 312: case 313: return factory.createTypeReferenceNode("any", emptyArray); case 316: return transformJSDocOptionalType(node); case 315: return transformJSDocType(node.type); case 314: return transformJSDocNullableType(node); case 318: return transformJSDocVariadicType(node); case 317: return transformJSDocFunctionType(node); case 183: return transformJSDocTypeReference(node); case 322: return transformJSDocTypeLiteral(node); default: const visited = visitEachChild( node, transformJSDocType, /*context*/ void 0 ); setEmitFlags( visited, 1 /* SingleLine */ ); return visited; } } function transformJSDocTypeLiteral(node) { const typeNode = factory.createTypeLiteralNode(map(node.jsDocPropertyTags, (tag) => factory.createPropertySignature( /*modifiers*/ void 0, isIdentifier(tag.name) ? tag.name : tag.name.right, isOptionalJSDocPropertyLikeTag(tag) ? factory.createToken( 58 /* QuestionToken */ ) : void 0, tag.typeExpression && visitNode(tag.typeExpression.type, transformJSDocType, isTypeNode) || factory.createKeywordTypeNode( 133 /* AnyKeyword */ ) ))); setEmitFlags( typeNode, 1 /* SingleLine */ ); return typeNode; } function transformJSDocOptionalType(node) { return factory.createUnionTypeNode([visitNode(node.type, transformJSDocType, isTypeNode), factory.createTypeReferenceNode("undefined", emptyArray)]); } function transformJSDocNullableType(node) { return factory.createUnionTypeNode([visitNode(node.type, transformJSDocType, isTypeNode), factory.createTypeReferenceNode("null", emptyArray)]); } function transformJSDocVariadicType(node) { return factory.createArrayTypeNode(visitNode(node.type, transformJSDocType, isTypeNode)); } function transformJSDocFunctionType(node) { return factory.createFunctionTypeNode(emptyArray, node.parameters.map(transformJSDocParameter), node.type ?? factory.createKeywordTypeNode( 133 /* AnyKeyword */ )); } function transformJSDocParameter(node) { const index = node.parent.parameters.indexOf(node); const isRest = node.type.kind === 318 && index === node.parent.parameters.length - 1; const name = node.name || (isRest ? "rest" : "arg" + index); const dotdotdot = isRest ? factory.createToken( 26 /* DotDotDotToken */ ) : node.dotDotDotToken; return factory.createParameterDeclaration(node.modifiers, dotdotdot, name, node.questionToken, visitNode(node.type, transformJSDocType, isTypeNode), node.initializer); } function transformJSDocTypeReference(node) { let name = node.typeName; let args = node.typeArguments; if (isIdentifier(node.typeName)) { if (isJSDocIndexSignature(node)) { return transformJSDocIndexSignature(node); } let text = node.typeName.text; switch (node.typeName.text) { case "String": case "Boolean": case "Object": case "Number": text = text.toLowerCase(); break; case "array": case "date": case "promise": text = text[0].toUpperCase() + text.slice(1); break; } name = factory.createIdentifier(text); if ((text === "Array" || text === "Promise") && !node.typeArguments) { args = factory.createNodeArray([factory.createTypeReferenceNode("any", emptyArray)]); } else { args = visitNodes2(node.typeArguments, transformJSDocType, isTypeNode); } } return factory.createTypeReferenceNode(name, args); } function transformJSDocIndexSignature(node) { const index = factory.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, node.typeArguments[0].kind === 150 ? "n" : "s", /*questionToken*/ void 0, factory.createTypeReferenceNode(node.typeArguments[0].kind === 150 ? "number" : "string", []), /*initializer*/ void 0 ); const indexSignature = factory.createTypeLiteralNode([factory.createIndexSignature( /*modifiers*/ void 0, [index], node.typeArguments[1] )]); setEmitFlags( indexSignature, 1 /* SingleLine */ ); return indexSignature; } var fixId9 = "convertFunctionToEs6Class"; var errorCodes10 = [Diagnostics.This_constructor_function_may_be_converted_to_a_class_declaration.code]; registerCodeFix({ errorCodes: errorCodes10, getCodeActions(context) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange9(t, context.sourceFile, context.span.start, context.program.getTypeChecker(), context.preferences, context.program.getCompilerOptions())); return [createCodeFixAction(fixId9, changes, Diagnostics.Convert_function_to_an_ES2015_class, fixId9, Diagnostics.Convert_all_constructor_functions_to_classes)]; }, fixIds: [fixId9], getAllCodeActions: (context) => codeFixAll(context, errorCodes10, (changes, err) => doChange9(changes, err.file, err.start, context.program.getTypeChecker(), context.preferences, context.program.getCompilerOptions())) }); function doChange9(changes, sourceFile, position, checker, preferences, compilerOptions) { const ctorSymbol = checker.getSymbolAtLocation(getTokenAtPosition(sourceFile, position)); if (!ctorSymbol || !ctorSymbol.valueDeclaration || !(ctorSymbol.flags & (16 | 3))) { return void 0; } const ctorDeclaration = ctorSymbol.valueDeclaration; if (isFunctionDeclaration(ctorDeclaration) || isFunctionExpression(ctorDeclaration)) { changes.replaceNode(sourceFile, ctorDeclaration, createClassFromFunction(ctorDeclaration)); } else if (isVariableDeclaration(ctorDeclaration)) { const classDeclaration = createClassFromVariableDeclaration(ctorDeclaration); if (!classDeclaration) { return void 0; } const ancestor = ctorDeclaration.parent.parent; if (isVariableDeclarationList(ctorDeclaration.parent) && ctorDeclaration.parent.declarations.length > 1) { changes.delete(sourceFile, ctorDeclaration); changes.insertNodeAfter(sourceFile, ancestor, classDeclaration); } else { changes.replaceNode(sourceFile, ancestor, classDeclaration); } } function createClassElementsFromSymbol(symbol) { const memberElements = []; if (symbol.exports) { symbol.exports.forEach((member) => { if (member.name === "prototype" && member.declarations) { const firstDeclaration = member.declarations[0]; if (member.declarations.length === 1 && isPropertyAccessExpression(firstDeclaration) && isBinaryExpression(firstDeclaration.parent) && firstDeclaration.parent.operatorToken.kind === 64 && isObjectLiteralExpression(firstDeclaration.parent.right)) { const prototypes = firstDeclaration.parent.right; createClassElement( prototypes.symbol, /*modifiers*/ void 0, memberElements ); } } else { createClassElement(member, [factory.createToken( 126 /* StaticKeyword */ )], memberElements); } }); } if (symbol.members) { symbol.members.forEach((member, key) => { var _a, _b, _c, _d; if (key === "constructor" && member.valueDeclaration) { const prototypeAssignment = (_d = (_c = (_b = (_a = symbol.exports) == null ? void 0 : _a.get("prototype")) == null ? void 0 : _b.declarations) == null ? void 0 : _c[0]) == null ? void 0 : _d.parent; if (prototypeAssignment && isBinaryExpression(prototypeAssignment) && isObjectLiteralExpression(prototypeAssignment.right) && some(prototypeAssignment.right.properties, isConstructorAssignment)) { } else { changes.delete(sourceFile, member.valueDeclaration.parent); } return; } createClassElement( member, /*modifiers*/ void 0, memberElements ); }); } return memberElements; function shouldConvertDeclaration(_target, source) { if (isAccessExpression(_target)) { if (isPropertyAccessExpression(_target) && isConstructorAssignment(_target)) return true; return isFunctionLike(source); } else { return every(_target.properties, (property) => { if (isMethodDeclaration(property) || isGetOrSetAccessorDeclaration(property)) return true; if (isPropertyAssignment(property) && isFunctionExpression(property.initializer) && !!property.name) return true; if (isConstructorAssignment(property)) return true; return false; }); } } function createClassElement(symbol2, modifiers, members) { if (!(symbol2.flags & 8192) && !(symbol2.flags & 4096)) { return; } const memberDeclaration = symbol2.valueDeclaration; const assignmentBinaryExpression = memberDeclaration.parent; const assignmentExpr = assignmentBinaryExpression.right; if (!shouldConvertDeclaration(memberDeclaration, assignmentExpr)) { return; } if (some(members, (m) => { const name = getNameOfDeclaration(m); if (name && isIdentifier(name) && idText(name) === symbolName(symbol2)) { return true; } return false; })) { return; } const nodeToDelete = assignmentBinaryExpression.parent && assignmentBinaryExpression.parent.kind === 244 ? assignmentBinaryExpression.parent : assignmentBinaryExpression; changes.delete(sourceFile, nodeToDelete); if (!assignmentExpr) { members.push(factory.createPropertyDeclaration( modifiers, symbol2.name, /*questionOrExclamationToken*/ void 0, /*type*/ void 0, /*initializer*/ void 0 )); return; } if (isAccessExpression(memberDeclaration) && (isFunctionExpression(assignmentExpr) || isArrowFunction(assignmentExpr))) { const quotePreference = getQuotePreference(sourceFile, preferences); const name = tryGetPropertyName(memberDeclaration, compilerOptions, quotePreference); if (name) { createFunctionLikeExpressionMember(members, assignmentExpr, name); } return; } else if (isObjectLiteralExpression(assignmentExpr)) { forEach( assignmentExpr.properties, (property) => { if (isMethodDeclaration(property) || isGetOrSetAccessorDeclaration(property)) { members.push(property); } if (isPropertyAssignment(property) && isFunctionExpression(property.initializer)) { createFunctionLikeExpressionMember(members, property.initializer, property.name); } if (isConstructorAssignment(property)) return; return; } ); return; } else { if (isSourceFileJS(sourceFile)) return; if (!isPropertyAccessExpression(memberDeclaration)) return; const prop = factory.createPropertyDeclaration( modifiers, memberDeclaration.name, /*questionOrExclamationToken*/ void 0, /*type*/ void 0, assignmentExpr ); copyLeadingComments(assignmentBinaryExpression.parent, prop, sourceFile); members.push(prop); return; } function createFunctionLikeExpressionMember(members2, expression, name) { if (isFunctionExpression(expression)) return createFunctionExpressionMember(members2, expression, name); else return createArrowFunctionExpressionMember(members2, expression, name); } function createFunctionExpressionMember(members2, functionExpression, name) { const fullModifiers = concatenate(modifiers, getModifierKindFromSource( functionExpression, 134 /* AsyncKeyword */ )); const method = factory.createMethodDeclaration( fullModifiers, /*asteriskToken*/ void 0, name, /*questionToken*/ void 0, /*typeParameters*/ void 0, functionExpression.parameters, /*type*/ void 0, functionExpression.body ); copyLeadingComments(assignmentBinaryExpression, method, sourceFile); members2.push(method); return; } function createArrowFunctionExpressionMember(members2, arrowFunction, name) { const arrowFunctionBody = arrowFunction.body; let bodyBlock; if (arrowFunctionBody.kind === 241) { bodyBlock = arrowFunctionBody; } else { bodyBlock = factory.createBlock([factory.createReturnStatement(arrowFunctionBody)]); } const fullModifiers = concatenate(modifiers, getModifierKindFromSource( arrowFunction, 134 /* AsyncKeyword */ )); const method = factory.createMethodDeclaration( fullModifiers, /*asteriskToken*/ void 0, name, /*questionToken*/ void 0, /*typeParameters*/ void 0, arrowFunction.parameters, /*type*/ void 0, bodyBlock ); copyLeadingComments(assignmentBinaryExpression, method, sourceFile); members2.push(method); } } } function createClassFromVariableDeclaration(node) { const initializer = node.initializer; if (!initializer || !isFunctionExpression(initializer) || !isIdentifier(node.name)) { return void 0; } const memberElements = createClassElementsFromSymbol(node.symbol); if (initializer.body) { memberElements.unshift(factory.createConstructorDeclaration( /*modifiers*/ void 0, initializer.parameters, initializer.body )); } const modifiers = getModifierKindFromSource( node.parent.parent, 95 /* ExportKeyword */ ); const cls = factory.createClassDeclaration( modifiers, node.name, /*typeParameters*/ void 0, /*heritageClauses*/ void 0, memberElements ); return cls; } function createClassFromFunction(node) { const memberElements = createClassElementsFromSymbol(ctorSymbol); if (node.body) { memberElements.unshift(factory.createConstructorDeclaration( /*modifiers*/ void 0, node.parameters, node.body )); } const modifiers = getModifierKindFromSource( node, 95 /* ExportKeyword */ ); const cls = factory.createClassDeclaration( modifiers, node.name, /*typeParameters*/ void 0, /*heritageClauses*/ void 0, memberElements ); return cls; } } function getModifierKindFromSource(source, kind) { return canHaveModifiers(source) ? filter(source.modifiers, (modifier) => modifier.kind === kind) : void 0; } function isConstructorAssignment(x) { if (!x.name) return false; if (isIdentifier(x.name) && x.name.text === "constructor") return true; return false; } function tryGetPropertyName(node, compilerOptions, quotePreference) { if (isPropertyAccessExpression(node)) { return node.name; } const propName = node.argumentExpression; if (isNumericLiteral(propName)) { return propName; } if (isStringLiteralLike(propName)) { return isIdentifierText(propName.text, getEmitScriptTarget(compilerOptions)) ? factory.createIdentifier(propName.text) : isNoSubstitutionTemplateLiteral(propName) ? factory.createStringLiteral( propName.text, quotePreference === 0 /* Single */ ) : propName; } return void 0; } var fixId10 = "convertToAsyncFunction"; var errorCodes11 = [Diagnostics.This_may_be_converted_to_an_async_function.code]; var codeActionSucceeded = true; registerCodeFix({ errorCodes: errorCodes11, getCodeActions(context) { codeActionSucceeded = true; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => convertToAsyncFunction(t, context.sourceFile, context.span.start, context.program.getTypeChecker())); return codeActionSucceeded ? [createCodeFixAction(fixId10, changes, Diagnostics.Convert_to_async_function, fixId10, Diagnostics.Convert_all_to_async_functions)] : []; }, fixIds: [fixId10], getAllCodeActions: (context) => codeFixAll(context, errorCodes11, (changes, err) => convertToAsyncFunction(changes, err.file, err.start, context.program.getTypeChecker())) }); function convertToAsyncFunction(changes, sourceFile, position, checker) { const tokenAtPosition = getTokenAtPosition(sourceFile, position); let functionToConvert; if (isIdentifier(tokenAtPosition) && isVariableDeclaration(tokenAtPosition.parent) && tokenAtPosition.parent.initializer && isFunctionLikeDeclaration(tokenAtPosition.parent.initializer)) { functionToConvert = tokenAtPosition.parent.initializer; } else { functionToConvert = tryCast(getContainingFunction(getTokenAtPosition(sourceFile, position)), canBeConvertedToAsync); } if (!functionToConvert) { return; } const synthNamesMap = /* @__PURE__ */ new Map(); const isInJavascript = isInJSFile(functionToConvert); const setOfExpressionsToReturn = getAllPromiseExpressionsToReturn(functionToConvert, checker); const functionToConvertRenamed = renameCollidingVarNames(functionToConvert, checker, synthNamesMap); if (!returnsPromise(functionToConvertRenamed, checker)) { return; } const returnStatements = functionToConvertRenamed.body && isBlock(functionToConvertRenamed.body) ? getReturnStatementsWithPromiseHandlers(functionToConvertRenamed.body, checker) : emptyArray; const transformer = { checker, synthNamesMap, setOfExpressionsToReturn, isInJSFile: isInJavascript }; if (!returnStatements.length) { return; } const pos = skipTrivia(sourceFile.text, moveRangePastModifiers(functionToConvert).pos); changes.insertModifierAt(sourceFile, pos, 134, { suffix: " " }); for (const returnStatement of returnStatements) { forEachChild(returnStatement, function visit(node) { if (isCallExpression2(node)) { const newNodes = transformExpression( node, node, transformer, /*hasContinuation*/ false ); if (hasFailed()) { return true; } changes.replaceNodeWithNodes(sourceFile, returnStatement, newNodes); } else if (!isFunctionLike(node)) { forEachChild(node, visit); if (hasFailed()) { return true; } } }); if (hasFailed()) { return; } } } function getReturnStatementsWithPromiseHandlers(body, checker) { const res = []; forEachReturnStatement(body, (ret) => { if (isReturnStatementWithFixablePromiseHandler(ret, checker)) res.push(ret); }); return res; } function getAllPromiseExpressionsToReturn(func, checker) { if (!func.body) { return /* @__PURE__ */ new Set(); } const setOfExpressionsToReturn = /* @__PURE__ */ new Set(); forEachChild(func.body, function visit(node) { if (isPromiseReturningCallExpression(node, checker, "then")) { setOfExpressionsToReturn.add(getNodeId(node)); forEach(node.arguments, visit); } else if (isPromiseReturningCallExpression(node, checker, "catch") || isPromiseReturningCallExpression(node, checker, "finally")) { setOfExpressionsToReturn.add(getNodeId(node)); forEachChild(node, visit); } else if (isPromiseTypedExpression(node, checker)) { setOfExpressionsToReturn.add(getNodeId(node)); } else { forEachChild(node, visit); } }); return setOfExpressionsToReturn; } function isPromiseReturningCallExpression(node, checker, name) { if (!isCallExpression2(node)) return false; const isExpressionOfName = hasPropertyAccessExpressionWithName(node, name); const nodeType = isExpressionOfName && checker.getTypeAtLocation(node); return !!(nodeType && checker.getPromisedTypeOfPromise(nodeType)); } function isReferenceToType(type, target) { return (getObjectFlags(type) & 4) !== 0 && type.target === target; } function getExplicitPromisedTypeOfPromiseReturningCallExpression(node, callback, checker) { if (node.expression.name.escapedText === "finally") { return void 0; } const promiseType2 = checker.getTypeAtLocation(node.expression.expression); if (isReferenceToType(promiseType2, checker.getPromiseType()) || isReferenceToType(promiseType2, checker.getPromiseLikeType())) { if (node.expression.name.escapedText === "then") { if (callback === elementAt(node.arguments, 0)) { return elementAt(node.typeArguments, 0); } else if (callback === elementAt(node.arguments, 1)) { return elementAt(node.typeArguments, 1); } } else { return elementAt(node.typeArguments, 0); } } } function isPromiseTypedExpression(node, checker) { if (!isExpression(node)) return false; return !!checker.getPromisedTypeOfPromise(checker.getTypeAtLocation(node)); } function renameCollidingVarNames(nodeToRename, checker, synthNamesMap) { const identsToRenameMap = /* @__PURE__ */ new Map(); const collidingSymbolMap = createMultiMap(); forEachChild(nodeToRename, function visit(node) { if (!isIdentifier(node)) { forEachChild(node, visit); return; } const symbol = checker.getSymbolAtLocation(node); if (symbol) { const type = checker.getTypeAtLocation(node); const lastCallSignature = getLastCallSignature(type, checker); const symbolIdString = getSymbolId(symbol).toString(); if (lastCallSignature && !isParameter(node.parent) && !isFunctionLikeDeclaration(node.parent) && !synthNamesMap.has(symbolIdString)) { const firstParameter = firstOrUndefined(lastCallSignature.parameters); const ident = (firstParameter == null ? void 0 : firstParameter.valueDeclaration) && isParameter(firstParameter.valueDeclaration) && tryCast(firstParameter.valueDeclaration.name, isIdentifier) || factory.createUniqueName( "result", 16 /* Optimistic */ ); const synthName = getNewNameIfConflict(ident, collidingSymbolMap); synthNamesMap.set(symbolIdString, synthName); collidingSymbolMap.add(ident.text, symbol); } else if (node.parent && (isParameter(node.parent) || isVariableDeclaration(node.parent) || isBindingElement(node.parent))) { const originalName = node.text; const collidingSymbols = collidingSymbolMap.get(originalName); if (collidingSymbols && collidingSymbols.some((prevSymbol) => prevSymbol !== symbol)) { const newName = getNewNameIfConflict(node, collidingSymbolMap); identsToRenameMap.set(symbolIdString, newName.identifier); synthNamesMap.set(symbolIdString, newName); collidingSymbolMap.add(originalName, symbol); } else { const identifier = getSynthesizedDeepClone(node); synthNamesMap.set(symbolIdString, createSynthIdentifier(identifier)); collidingSymbolMap.add(originalName, symbol); } } } }); return getSynthesizedDeepCloneWithReplacements( nodeToRename, /*includeTrivia*/ true, (original) => { if (isBindingElement(original) && isIdentifier(original.name) && isObjectBindingPattern(original.parent)) { const symbol = checker.getSymbolAtLocation(original.name); const renameInfo = symbol && identsToRenameMap.get(String(getSymbolId(symbol))); if (renameInfo && renameInfo.text !== (original.name || original.propertyName).getText()) { return factory.createBindingElement( original.dotDotDotToken, original.propertyName || original.name, renameInfo, original.initializer ); } } else if (isIdentifier(original)) { const symbol = checker.getSymbolAtLocation(original); const renameInfo = symbol && identsToRenameMap.get(String(getSymbolId(symbol))); if (renameInfo) { return factory.createIdentifier(renameInfo.text); } } } ); } function getNewNameIfConflict(name, originalNames) { const numVarsSameName = (originalNames.get(name.text) || emptyArray).length; const identifier = numVarsSameName === 0 ? name : factory.createIdentifier(name.text + "_" + numVarsSameName); return createSynthIdentifier(identifier); } function hasFailed() { return !codeActionSucceeded; } function silentFail() { codeActionSucceeded = false; return emptyArray; } function transformExpression(returnContextNode, node, transformer, hasContinuation, continuationArgName) { if (isPromiseReturningCallExpression(node, transformer.checker, "then")) { return transformThen(node, elementAt(node.arguments, 0), elementAt(node.arguments, 1), transformer, hasContinuation, continuationArgName); } if (isPromiseReturningCallExpression(node, transformer.checker, "catch")) { return transformCatch(node, elementAt(node.arguments, 0), transformer, hasContinuation, continuationArgName); } if (isPromiseReturningCallExpression(node, transformer.checker, "finally")) { return transformFinally(node, elementAt(node.arguments, 0), transformer, hasContinuation, continuationArgName); } if (isPropertyAccessExpression(node)) { return transformExpression(returnContextNode, node.expression, transformer, hasContinuation, continuationArgName); } const nodeType = transformer.checker.getTypeAtLocation(node); if (nodeType && transformer.checker.getPromisedTypeOfPromise(nodeType)) { Debug.assertNode(getOriginalNode(node).parent, isPropertyAccessExpression); return transformPromiseExpressionOfPropertyAccess(returnContextNode, node, transformer, hasContinuation, continuationArgName); } return silentFail(); } function isNullOrUndefined2({ checker }, node) { if (node.kind === 106) return true; if (isIdentifier(node) && !isGeneratedIdentifier(node) && idText(node) === "undefined") { const symbol = checker.getSymbolAtLocation(node); return !symbol || checker.isUndefinedSymbol(symbol); } return false; } function createUniqueSynthName(prevArgName) { const renamedPrevArg = factory.createUniqueName( prevArgName.identifier.text, 16 /* Optimistic */ ); return createSynthIdentifier(renamedPrevArg); } function getPossibleNameForVarDecl(node, transformer, continuationArgName) { let possibleNameForVarDecl; if (continuationArgName && !shouldReturn(node, transformer)) { if (isSynthIdentifier(continuationArgName)) { possibleNameForVarDecl = continuationArgName; transformer.synthNamesMap.forEach((val, key) => { if (val.identifier.text === continuationArgName.identifier.text) { const newSynthName = createUniqueSynthName(continuationArgName); transformer.synthNamesMap.set(key, newSynthName); } }); } else { possibleNameForVarDecl = createSynthIdentifier(factory.createUniqueName( "result", 16 /* Optimistic */ ), continuationArgName.types); } declareSynthIdentifier(possibleNameForVarDecl); } return possibleNameForVarDecl; } function finishCatchOrFinallyTransform(node, transformer, tryStatement, possibleNameForVarDecl, continuationArgName) { const statements = []; let varDeclIdentifier; if (possibleNameForVarDecl && !shouldReturn(node, transformer)) { varDeclIdentifier = getSynthesizedDeepClone(declareSynthIdentifier(possibleNameForVarDecl)); const typeArray = possibleNameForVarDecl.types; const unionType2 = transformer.checker.getUnionType( typeArray, 2 /* Subtype */ ); const unionTypeNode = transformer.isInJSFile ? void 0 : transformer.checker.typeToTypeNode( unionType2, /*enclosingDeclaration*/ void 0, /*flags*/ void 0 ); const varDecl = [factory.createVariableDeclaration( varDeclIdentifier, /*exclamationToken*/ void 0, unionTypeNode )]; const varDeclList = factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( varDecl, 1 /* Let */ ) ); statements.push(varDeclList); } statements.push(tryStatement); if (continuationArgName && varDeclIdentifier && isSynthBindingPattern(continuationArgName)) { statements.push(factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [ factory.createVariableDeclaration( getSynthesizedDeepClone(declareSynthBindingPattern(continuationArgName)), /*exclamationToken*/ void 0, /*type*/ void 0, varDeclIdentifier ) ], 2 /* Const */ ) )); } return statements; } function transformFinally(node, onFinally, transformer, hasContinuation, continuationArgName) { if (!onFinally || isNullOrUndefined2(transformer, onFinally)) { return transformExpression( /* returnContextNode */ node, node.expression.expression, transformer, hasContinuation, continuationArgName ); } const possibleNameForVarDecl = getPossibleNameForVarDecl(node, transformer, continuationArgName); const inlinedLeftHandSide = transformExpression( /*returnContextNode*/ node, node.expression.expression, transformer, /*hasContinuation*/ true, possibleNameForVarDecl ); if (hasFailed()) return silentFail(); const inlinedCallback = transformCallbackArgument( onFinally, hasContinuation, /*continuationArgName*/ void 0, /*inputArgName*/ void 0, node, transformer ); if (hasFailed()) return silentFail(); const tryBlock = factory.createBlock(inlinedLeftHandSide); const finallyBlock = factory.createBlock(inlinedCallback); const tryStatement = factory.createTryStatement( tryBlock, /*catchClause*/ void 0, finallyBlock ); return finishCatchOrFinallyTransform(node, transformer, tryStatement, possibleNameForVarDecl, continuationArgName); } function transformCatch(node, onRejected, transformer, hasContinuation, continuationArgName) { if (!onRejected || isNullOrUndefined2(transformer, onRejected)) { return transformExpression( /* returnContextNode */ node, node.expression.expression, transformer, hasContinuation, continuationArgName ); } const inputArgName = getArgBindingName(onRejected, transformer); const possibleNameForVarDecl = getPossibleNameForVarDecl(node, transformer, continuationArgName); const inlinedLeftHandSide = transformExpression( /*returnContextNode*/ node, node.expression.expression, transformer, /*hasContinuation*/ true, possibleNameForVarDecl ); if (hasFailed()) return silentFail(); const inlinedCallback = transformCallbackArgument(onRejected, hasContinuation, possibleNameForVarDecl, inputArgName, node, transformer); if (hasFailed()) return silentFail(); const tryBlock = factory.createBlock(inlinedLeftHandSide); const catchClause = factory.createCatchClause(inputArgName && getSynthesizedDeepClone(declareSynthBindingName(inputArgName)), factory.createBlock(inlinedCallback)); const tryStatement = factory.createTryStatement( tryBlock, catchClause, /*finallyBlock*/ void 0 ); return finishCatchOrFinallyTransform(node, transformer, tryStatement, possibleNameForVarDecl, continuationArgName); } function transformThen(node, onFulfilled, onRejected, transformer, hasContinuation, continuationArgName) { if (!onFulfilled || isNullOrUndefined2(transformer, onFulfilled)) { return transformCatch(node, onRejected, transformer, hasContinuation, continuationArgName); } if (onRejected && !isNullOrUndefined2(transformer, onRejected)) { return silentFail(); } const inputArgName = getArgBindingName(onFulfilled, transformer); const inlinedLeftHandSide = transformExpression( node.expression.expression, node.expression.expression, transformer, /*hasContinuation*/ true, inputArgName ); if (hasFailed()) return silentFail(); const inlinedCallback = transformCallbackArgument(onFulfilled, hasContinuation, continuationArgName, inputArgName, node, transformer); if (hasFailed()) return silentFail(); return concatenate(inlinedLeftHandSide, inlinedCallback); } function transformPromiseExpressionOfPropertyAccess(returnContextNode, node, transformer, hasContinuation, continuationArgName) { if (shouldReturn(returnContextNode, transformer)) { let returnValue = getSynthesizedDeepClone(node); if (hasContinuation) { returnValue = factory.createAwaitExpression(returnValue); } return [factory.createReturnStatement(returnValue)]; } return createVariableOrAssignmentOrExpressionStatement( continuationArgName, factory.createAwaitExpression(node), /*typeAnnotation*/ void 0 ); } function createVariableOrAssignmentOrExpressionStatement(variableName, rightHandSide, typeAnnotation) { if (!variableName || isEmptyBindingName(variableName)) { return [factory.createExpressionStatement(rightHandSide)]; } if (isSynthIdentifier(variableName) && variableName.hasBeenDeclared) { return [factory.createExpressionStatement(factory.createAssignment(getSynthesizedDeepClone(referenceSynthIdentifier(variableName)), rightHandSide))]; } return [ factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [ factory.createVariableDeclaration( getSynthesizedDeepClone(declareSynthBindingName(variableName)), /*exclamationToken*/ void 0, typeAnnotation, rightHandSide ) ], 2 /* Const */ ) ) ]; } function maybeAnnotateAndReturn(expressionToReturn, typeAnnotation) { if (typeAnnotation && expressionToReturn) { const name = factory.createUniqueName( "result", 16 /* Optimistic */ ); return [ ...createVariableOrAssignmentOrExpressionStatement(createSynthIdentifier(name), expressionToReturn, typeAnnotation), factory.createReturnStatement(name) ]; } return [factory.createReturnStatement(expressionToReturn)]; } function transformCallbackArgument(func, hasContinuation, continuationArgName, inputArgName, parent2, transformer) { var _a; switch (func.kind) { case 106: break; case 211: case 80: if (!inputArgName) { break; } const synthCall = factory.createCallExpression( getSynthesizedDeepClone(func), /*typeArguments*/ void 0, isSynthIdentifier(inputArgName) ? [referenceSynthIdentifier(inputArgName)] : [] ); if (shouldReturn(parent2, transformer)) { return maybeAnnotateAndReturn(synthCall, getExplicitPromisedTypeOfPromiseReturningCallExpression(parent2, func, transformer.checker)); } const type = transformer.checker.getTypeAtLocation(func); const callSignatures = transformer.checker.getSignaturesOfType( type, 0 /* Call */ ); if (!callSignatures.length) { return silentFail(); } const returnType = callSignatures[0].getReturnType(); const varDeclOrAssignment = createVariableOrAssignmentOrExpressionStatement(continuationArgName, factory.createAwaitExpression(synthCall), getExplicitPromisedTypeOfPromiseReturningCallExpression(parent2, func, transformer.checker)); if (continuationArgName) { continuationArgName.types.push(transformer.checker.getAwaitedType(returnType) || returnType); } return varDeclOrAssignment; case 218: case 219: { const funcBody = func.body; const returnType2 = (_a = getLastCallSignature(transformer.checker.getTypeAtLocation(func), transformer.checker)) == null ? void 0 : _a.getReturnType(); if (isBlock(funcBody)) { let refactoredStmts = []; let seenReturnStatement = false; for (const statement of funcBody.statements) { if (isReturnStatement(statement)) { seenReturnStatement = true; if (isReturnStatementWithFixablePromiseHandler(statement, transformer.checker)) { refactoredStmts = refactoredStmts.concat(transformReturnStatementWithFixablePromiseHandler(transformer, statement, hasContinuation, continuationArgName)); } else { const possiblyAwaitedRightHandSide = returnType2 && statement.expression ? getPossiblyAwaitedRightHandSide(transformer.checker, returnType2, statement.expression) : statement.expression; refactoredStmts.push(...maybeAnnotateAndReturn(possiblyAwaitedRightHandSide, getExplicitPromisedTypeOfPromiseReturningCallExpression(parent2, func, transformer.checker))); } } else if (hasContinuation && forEachReturnStatement(statement, returnTrue)) { return silentFail(); } else { refactoredStmts.push(statement); } } return shouldReturn(parent2, transformer) ? refactoredStmts.map((s) => getSynthesizedDeepClone(s)) : removeReturns( refactoredStmts, continuationArgName, transformer, seenReturnStatement ); } else { const inlinedStatements = isFixablePromiseHandler(funcBody, transformer.checker) ? transformReturnStatementWithFixablePromiseHandler(transformer, factory.createReturnStatement(funcBody), hasContinuation, continuationArgName) : emptyArray; if (inlinedStatements.length > 0) { return inlinedStatements; } if (returnType2) { const possiblyAwaitedRightHandSide = getPossiblyAwaitedRightHandSide(transformer.checker, returnType2, funcBody); if (!shouldReturn(parent2, transformer)) { const transformedStatement = createVariableOrAssignmentOrExpressionStatement( continuationArgName, possiblyAwaitedRightHandSide, /*typeAnnotation*/ void 0 ); if (continuationArgName) { continuationArgName.types.push(transformer.checker.getAwaitedType(returnType2) || returnType2); } return transformedStatement; } else { return maybeAnnotateAndReturn(possiblyAwaitedRightHandSide, getExplicitPromisedTypeOfPromiseReturningCallExpression(parent2, func, transformer.checker)); } } else { return silentFail(); } } } default: return silentFail(); } return emptyArray; } function getPossiblyAwaitedRightHandSide(checker, type, expr) { const rightHandSide = getSynthesizedDeepClone(expr); return !!checker.getPromisedTypeOfPromise(type) ? factory.createAwaitExpression(rightHandSide) : rightHandSide; } function getLastCallSignature(type, checker) { const callSignatures = checker.getSignaturesOfType( type, 0 /* Call */ ); return lastOrUndefined(callSignatures); } function removeReturns(stmts, prevArgName, transformer, seenReturnStatement) { const ret = []; for (const stmt of stmts) { if (isReturnStatement(stmt)) { if (stmt.expression) { const possiblyAwaitedExpression = isPromiseTypedExpression(stmt.expression, transformer.checker) ? factory.createAwaitExpression(stmt.expression) : stmt.expression; if (prevArgName === void 0) { ret.push(factory.createExpressionStatement(possiblyAwaitedExpression)); } else if (isSynthIdentifier(prevArgName) && prevArgName.hasBeenDeclared) { ret.push(factory.createExpressionStatement(factory.createAssignment(referenceSynthIdentifier(prevArgName), possiblyAwaitedExpression))); } else { ret.push(factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [factory.createVariableDeclaration( declareSynthBindingName(prevArgName), /*exclamationToken*/ void 0, /*type*/ void 0, possiblyAwaitedExpression )], 2 /* Const */ ) )); } } } else { ret.push(getSynthesizedDeepClone(stmt)); } } if (!seenReturnStatement && prevArgName !== void 0) { ret.push(factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [factory.createVariableDeclaration( declareSynthBindingName(prevArgName), /*exclamationToken*/ void 0, /*type*/ void 0, factory.createIdentifier("undefined") )], 2 /* Const */ ) )); } return ret; } function transformReturnStatementWithFixablePromiseHandler(transformer, innerRetStmt, hasContinuation, continuationArgName) { let innerCbBody = []; forEachChild(innerRetStmt, function visit(node) { if (isCallExpression2(node)) { const temp = transformExpression(node, node, transformer, hasContinuation, continuationArgName); innerCbBody = innerCbBody.concat(temp); if (innerCbBody.length > 0) { return; } } else if (!isFunctionLike(node)) { forEachChild(node, visit); } }); return innerCbBody; } function getArgBindingName(funcNode, transformer) { const types = []; let name; if (isFunctionLikeDeclaration(funcNode)) { if (funcNode.parameters.length > 0) { const param = funcNode.parameters[0].name; name = getMappedBindingNameOrDefault(param); } } else if (isIdentifier(funcNode)) { name = getMapEntryOrDefault(funcNode); } else if (isPropertyAccessExpression(funcNode) && isIdentifier(funcNode.name)) { name = getMapEntryOrDefault(funcNode.name); } if (!name || "identifier" in name && name.identifier.text === "undefined") { return void 0; } return name; function getMappedBindingNameOrDefault(bindingName) { if (isIdentifier(bindingName)) return getMapEntryOrDefault(bindingName); const elements = flatMap(bindingName.elements, (element) => { if (isOmittedExpression(element)) return []; return [getMappedBindingNameOrDefault(element.name)]; }); return createSynthBindingPattern(bindingName, elements); } function getMapEntryOrDefault(identifier) { const originalNode = getOriginalNode2(identifier); const symbol = getSymbol2(originalNode); if (!symbol) { return createSynthIdentifier(identifier, types); } const mapEntry = transformer.synthNamesMap.get(getSymbolId(symbol).toString()); return mapEntry || createSynthIdentifier(identifier, types); } function getSymbol2(node) { var _a; return ((_a = tryCast(node, canHaveSymbol)) == null ? void 0 : _a.symbol) ?? transformer.checker.getSymbolAtLocation(node); } function getOriginalNode2(node) { return node.original ? node.original : node; } } function isEmptyBindingName(bindingName) { if (!bindingName) { return true; } if (isSynthIdentifier(bindingName)) { return !bindingName.identifier.text; } return every(bindingName.elements, isEmptyBindingName); } function createSynthIdentifier(identifier, types = []) { return { kind: 0, identifier, types, hasBeenDeclared: false, hasBeenReferenced: false }; } function createSynthBindingPattern(bindingPattern, elements = emptyArray, types = []) { return { kind: 1, bindingPattern, elements, types }; } function referenceSynthIdentifier(synthId) { synthId.hasBeenReferenced = true; return synthId.identifier; } function declareSynthBindingName(synthName) { return isSynthIdentifier(synthName) ? declareSynthIdentifier(synthName) : declareSynthBindingPattern(synthName); } function declareSynthBindingPattern(synthPattern) { for (const element of synthPattern.elements) { declareSynthBindingName(element); } return synthPattern.bindingPattern; } function declareSynthIdentifier(synthId) { synthId.hasBeenDeclared = true; return synthId.identifier; } function isSynthIdentifier(bindingName) { return bindingName.kind === 0; } function isSynthBindingPattern(bindingName) { return bindingName.kind === 1; } function shouldReturn(expression, transformer) { return !!expression.original && transformer.setOfExpressionsToReturn.has(getNodeId(expression.original)); } registerCodeFix({ errorCodes: [Diagnostics.File_is_a_CommonJS_module_it_may_be_converted_to_an_ES_module.code], getCodeActions(context) { const { sourceFile, program, preferences } = context; const changes = ts_textChanges_exports.ChangeTracker.with(context, (changes2) => { const moduleExportsChangedToDefault = convertFileToEsModule(sourceFile, program.getTypeChecker(), changes2, getEmitScriptTarget(program.getCompilerOptions()), getQuotePreference(sourceFile, preferences)); if (moduleExportsChangedToDefault) { for (const importingFile of program.getSourceFiles()) { fixImportOfModuleExports(importingFile, sourceFile, program, changes2, getQuotePreference(importingFile, preferences)); } } }); return [createCodeFixActionWithoutFixAll("convertToEsModule", changes, Diagnostics.Convert_to_ES_module)]; } }); function fixImportOfModuleExports(importingFile, exportingFile, program, changes, quotePreference) { var _a; for (const moduleSpecifier of importingFile.imports) { const imported = (_a = program.getResolvedModuleFromModuleSpecifier(moduleSpecifier, importingFile)) == null ? void 0 : _a.resolvedModule; if (!imported || imported.resolvedFileName !== exportingFile.fileName) { continue; } const importNode = importFromModuleSpecifier(moduleSpecifier); switch (importNode.kind) { case 271: changes.replaceNode(importingFile, importNode, makeImport( importNode.name, /*namedImports*/ void 0, moduleSpecifier, quotePreference )); break; case 213: if (isRequireCall( importNode, /*requireStringLiteralLikeArgument*/ false )) { changes.replaceNode(importingFile, importNode, factory.createPropertyAccessExpression(getSynthesizedDeepClone(importNode), "default")); } break; } } } function convertFileToEsModule(sourceFile, checker, changes, target, quotePreference) { const identifiers = { original: collectFreeIdentifiers(sourceFile), additional: /* @__PURE__ */ new Set() }; const exports22 = collectExportRenames(sourceFile, checker, identifiers); convertExportsAccesses(sourceFile, exports22, changes); let moduleExportsChangedToDefault = false; let useSitesToUnqualify; for (const statement of filter(sourceFile.statements, isVariableStatement)) { const newUseSites = convertVariableStatement(sourceFile, statement, changes, checker, identifiers, target, quotePreference); if (newUseSites) { copyEntries(newUseSites, useSitesToUnqualify ?? (useSitesToUnqualify = /* @__PURE__ */ new Map())); } } for (const statement of filter(sourceFile.statements, (s) => !isVariableStatement(s))) { const moduleExportsChanged = convertStatement(sourceFile, statement, checker, changes, identifiers, target, exports22, useSitesToUnqualify, quotePreference); moduleExportsChangedToDefault = moduleExportsChangedToDefault || moduleExportsChanged; } useSitesToUnqualify == null ? void 0 : useSitesToUnqualify.forEach((replacement, original) => { changes.replaceNode(sourceFile, original, replacement); }); return moduleExportsChangedToDefault; } function collectExportRenames(sourceFile, checker, identifiers) { const res = /* @__PURE__ */ new Map(); forEachExportReference(sourceFile, (node) => { const { text } = node.name; if (!res.has(text) && (isIdentifierANonContextualKeyword(node.name) || checker.resolveName( text, node, 111551, /*excludeGlobals*/ true ))) { res.set(text, makeUniqueName(`_${text}`, identifiers)); } }); return res; } function convertExportsAccesses(sourceFile, exports22, changes) { forEachExportReference(sourceFile, (node, isAssignmentLhs) => { if (isAssignmentLhs) { return; } const { text } = node.name; changes.replaceNode(sourceFile, node, factory.createIdentifier(exports22.get(text) || text)); }); } function forEachExportReference(sourceFile, cb) { sourceFile.forEachChild(function recur(node) { if (isPropertyAccessExpression(node) && isExportsOrModuleExportsOrAlias(sourceFile, node.expression) && isIdentifier(node.name)) { const { parent: parent2 } = node; cb( node, isBinaryExpression(parent2) && parent2.left === node && parent2.operatorToken.kind === 64 /* EqualsToken */ ); } node.forEachChild(recur); }); } function convertStatement(sourceFile, statement, checker, changes, identifiers, target, exports22, useSitesToUnqualify, quotePreference) { switch (statement.kind) { case 243: convertVariableStatement(sourceFile, statement, changes, checker, identifiers, target, quotePreference); return false; case 244: { const { expression } = statement; switch (expression.kind) { case 213: { if (isRequireCall( expression, /*requireStringLiteralLikeArgument*/ true )) { changes.replaceNode(sourceFile, statement, makeImport( /*defaultImport*/ void 0, /*namedImports*/ void 0, expression.arguments[0], quotePreference )); } return false; } case 226: { const { operatorToken } = expression; return operatorToken.kind === 64 && convertAssignment(sourceFile, checker, expression, changes, exports22, useSitesToUnqualify); } } } default: return false; } } function convertVariableStatement(sourceFile, statement, changes, checker, identifiers, target, quotePreference) { const { declarationList } = statement; let foundImport = false; const converted = map(declarationList.declarations, (decl) => { const { name, initializer } = decl; if (initializer) { if (isExportsOrModuleExportsOrAlias(sourceFile, initializer)) { foundImport = true; return convertedImports([]); } else if (isRequireCall( initializer, /*requireStringLiteralLikeArgument*/ true )) { foundImport = true; return convertSingleImport(name, initializer.arguments[0], checker, identifiers, target, quotePreference); } else if (isPropertyAccessExpression(initializer) && isRequireCall( initializer.expression, /*requireStringLiteralLikeArgument*/ true )) { foundImport = true; return convertPropertyAccessImport(name, initializer.name.text, initializer.expression.arguments[0], identifiers, quotePreference); } } return convertedImports([factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList([decl], declarationList.flags) )]); }); if (foundImport) { changes.replaceNodeWithNodes(sourceFile, statement, flatMap(converted, (c) => c.newImports)); let combinedUseSites; forEach(converted, (c) => { if (c.useSitesToUnqualify) { copyEntries(c.useSitesToUnqualify, combinedUseSites ?? (combinedUseSites = /* @__PURE__ */ new Map())); } }); return combinedUseSites; } } function convertPropertyAccessImport(name, propertyName, moduleSpecifier, identifiers, quotePreference) { switch (name.kind) { case 206: case 207: { const tmp = makeUniqueName(propertyName, identifiers); return convertedImports([ makeSingleImport(tmp, propertyName, moduleSpecifier, quotePreference), makeConst( /*modifiers*/ void 0, name, factory.createIdentifier(tmp) ) ]); } case 80: return convertedImports([makeSingleImport(name.text, propertyName, moduleSpecifier, quotePreference)]); default: return Debug.assertNever(name, `Convert to ES module got invalid syntax form ${name.kind}`); } } function convertAssignment(sourceFile, checker, assignment, changes, exports22, useSitesToUnqualify) { const { left, right } = assignment; if (!isPropertyAccessExpression(left)) { return false; } if (isExportsOrModuleExportsOrAlias(sourceFile, left)) { if (isExportsOrModuleExportsOrAlias(sourceFile, right)) { changes.delete(sourceFile, assignment.parent); } else { const replacement = isObjectLiteralExpression(right) ? tryChangeModuleExportsObject(right, useSitesToUnqualify) : isRequireCall( right, /*requireStringLiteralLikeArgument*/ true ) ? convertReExportAll(right.arguments[0], checker) : void 0; if (replacement) { changes.replaceNodeWithNodes(sourceFile, assignment.parent, replacement[0]); return replacement[1]; } else { changes.replaceRangeWithText(sourceFile, createRange(left.getStart(sourceFile), right.pos), "export default"); return true; } } } else if (isExportsOrModuleExportsOrAlias(sourceFile, left.expression)) { convertNamedExport(sourceFile, assignment, changes, exports22); } return false; } function tryChangeModuleExportsObject(object, useSitesToUnqualify) { const statements = mapAllOrFail(object.properties, (prop) => { switch (prop.kind) { case 177: case 178: case 304: case 305: return void 0; case 303: return !isIdentifier(prop.name) ? void 0 : convertExportsDotXEquals_replaceNode(prop.name.text, prop.initializer, useSitesToUnqualify); case 174: return !isIdentifier(prop.name) ? void 0 : functionExpressionToDeclaration(prop.name.text, [factory.createToken( 95 /* ExportKeyword */ )], prop, useSitesToUnqualify); default: Debug.assertNever(prop, `Convert to ES6 got invalid prop kind ${prop.kind}`); } }); return statements && [statements, false]; } function convertNamedExport(sourceFile, assignment, changes, exports22) { const { text } = assignment.left.name; const rename = exports22.get(text); if (rename !== void 0) { const newNodes = [ makeConst( /*modifiers*/ void 0, rename, assignment.right ), makeExportDeclaration([factory.createExportSpecifier( /*isTypeOnly*/ false, rename, text )]) ]; changes.replaceNodeWithNodes(sourceFile, assignment.parent, newNodes); } else { convertExportsPropertyAssignment(assignment, sourceFile, changes); } } function convertReExportAll(reExported, checker) { const moduleSpecifier = reExported.text; const moduleSymbol = checker.getSymbolAtLocation(reExported); const exports22 = moduleSymbol ? moduleSymbol.exports : emptyMap; return exports22.has( "export=" /* ExportEquals */ ) ? [[reExportDefault(moduleSpecifier)], true] : !exports22.has( "default" /* Default */ ) ? [[reExportStar(moduleSpecifier)], false] : ( // If there's some non-default export, must include both `export *` and `export default`. exports22.size > 1 ? [[reExportStar(moduleSpecifier), reExportDefault(moduleSpecifier)], true] : [[reExportDefault(moduleSpecifier)], true] ); } function reExportStar(moduleSpecifier) { return makeExportDeclaration( /*exportSpecifiers*/ void 0, moduleSpecifier ); } function reExportDefault(moduleSpecifier) { return makeExportDeclaration([factory.createExportSpecifier( /*isTypeOnly*/ false, /*propertyName*/ void 0, "default" )], moduleSpecifier); } function convertExportsPropertyAssignment({ left, right, parent: parent2 }, sourceFile, changes) { const name = left.name.text; if ((isFunctionExpression(right) || isArrowFunction(right) || isClassExpression(right)) && (!right.name || right.name.text === name)) { changes.replaceRange(sourceFile, { pos: left.getStart(sourceFile), end: right.getStart(sourceFile) }, factory.createToken( 95 /* ExportKeyword */ ), { suffix: " " }); if (!right.name) changes.insertName(sourceFile, right, name); const semi = findChildOfKind(parent2, 27, sourceFile); if (semi) changes.delete(sourceFile, semi); } else { changes.replaceNodeRangeWithNodes(sourceFile, left.expression, findChildOfKind(left, 25, sourceFile), [factory.createToken( 95 /* ExportKeyword */ ), factory.createToken( 87 /* ConstKeyword */ )], { joiner: " ", suffix: " " }); } } function convertExportsDotXEquals_replaceNode(name, exported, useSitesToUnqualify) { const modifiers = [factory.createToken( 95 /* ExportKeyword */ )]; switch (exported.kind) { case 218: { const { name: expressionName } = exported; if (expressionName && expressionName.text !== name) { return exportConst(); } } case 219: return functionExpressionToDeclaration(name, modifiers, exported, useSitesToUnqualify); case 231: return classExpressionToDeclaration(name, modifiers, exported, useSitesToUnqualify); default: return exportConst(); } function exportConst() { return makeConst(modifiers, factory.createIdentifier(name), replaceImportUseSites(exported, useSitesToUnqualify)); } } function replaceImportUseSites(nodeOrNodes, useSitesToUnqualify) { if (!useSitesToUnqualify || !some(arrayFrom(useSitesToUnqualify.keys()), (original) => rangeContainsRange(nodeOrNodes, original))) { return nodeOrNodes; } return isArray3(nodeOrNodes) ? getSynthesizedDeepClonesWithReplacements( nodeOrNodes, /*includeTrivia*/ true, replaceNode ) : getSynthesizedDeepCloneWithReplacements( nodeOrNodes, /*includeTrivia*/ true, replaceNode ); function replaceNode(original) { if (original.kind === 211) { const replacement = useSitesToUnqualify.get(original); useSitesToUnqualify.delete(original); return replacement; } } } function convertSingleImport(name, moduleSpecifier, checker, identifiers, target, quotePreference) { switch (name.kind) { case 206: { const importSpecifiers = mapAllOrFail(name.elements, (e) => e.dotDotDotToken || e.initializer || e.propertyName && !isIdentifier(e.propertyName) || !isIdentifier(e.name) ? void 0 : makeImportSpecifier2(e.propertyName && e.propertyName.text, e.name.text)); if (importSpecifiers) { return convertedImports([makeImport( /*defaultImport*/ void 0, importSpecifiers, moduleSpecifier, quotePreference )]); } } case 207: { const tmp = makeUniqueName(moduleSpecifierToValidIdentifier(moduleSpecifier.text, target), identifiers); return convertedImports([ makeImport( factory.createIdentifier(tmp), /*namedImports*/ void 0, moduleSpecifier, quotePreference ), makeConst( /*modifiers*/ void 0, getSynthesizedDeepClone(name), factory.createIdentifier(tmp) ) ]); } case 80: return convertSingleIdentifierImport(name, moduleSpecifier, checker, identifiers, quotePreference); default: return Debug.assertNever(name, `Convert to ES module got invalid name kind ${name.kind}`); } } function convertSingleIdentifierImport(name, moduleSpecifier, checker, identifiers, quotePreference) { const nameSymbol = checker.getSymbolAtLocation(name); const namedBindingsNames = /* @__PURE__ */ new Map(); let needDefaultImport = false; let useSitesToUnqualify; for (const use of identifiers.original.get(name.text)) { if (checker.getSymbolAtLocation(use) !== nameSymbol || use === name) { continue; } const { parent: parent2 } = use; if (isPropertyAccessExpression(parent2)) { const { name: { text: propertyName } } = parent2; if (propertyName === "default") { needDefaultImport = true; const importDefaultName = use.getText(); (useSitesToUnqualify ?? (useSitesToUnqualify = /* @__PURE__ */ new Map())).set(parent2, factory.createIdentifier(importDefaultName)); } else { Debug.assert(parent2.expression === use, "Didn't expect expression === use"); let idName = namedBindingsNames.get(propertyName); if (idName === void 0) { idName = makeUniqueName(propertyName, identifiers); namedBindingsNames.set(propertyName, idName); } (useSitesToUnqualify ?? (useSitesToUnqualify = /* @__PURE__ */ new Map())).set(parent2, factory.createIdentifier(idName)); } } else { needDefaultImport = true; } } const namedBindings = namedBindingsNames.size === 0 ? void 0 : arrayFrom(mapIterator(namedBindingsNames.entries(), ([propertyName, idName]) => factory.createImportSpecifier( /*isTypeOnly*/ false, propertyName === idName ? void 0 : factory.createIdentifier(propertyName), factory.createIdentifier(idName) ))); if (!namedBindings) { needDefaultImport = true; } return convertedImports( [makeImport(needDefaultImport ? getSynthesizedDeepClone(name) : void 0, namedBindings, moduleSpecifier, quotePreference)], useSitesToUnqualify ); } function makeUniqueName(name, identifiers) { while (identifiers.original.has(name) || identifiers.additional.has(name)) { name = `_${name}`; } identifiers.additional.add(name); return name; } function collectFreeIdentifiers(file) { const map2 = createMultiMap(); forEachFreeIdentifier(file, (id) => map2.add(id.text, id)); return map2; } function forEachFreeIdentifier(node, cb) { if (isIdentifier(node) && isFreeIdentifier(node)) cb(node); node.forEachChild((child) => forEachFreeIdentifier(child, cb)); } function isFreeIdentifier(node) { const { parent: parent2 } = node; switch (parent2.kind) { case 211: return parent2.name !== node; case 208: return parent2.propertyName !== node; case 276: return parent2.propertyName !== node; default: return true; } } function functionExpressionToDeclaration(name, additionalModifiers, fn, useSitesToUnqualify) { return factory.createFunctionDeclaration( concatenate(additionalModifiers, getSynthesizedDeepClones(fn.modifiers)), getSynthesizedDeepClone(fn.asteriskToken), name, getSynthesizedDeepClones(fn.typeParameters), getSynthesizedDeepClones(fn.parameters), getSynthesizedDeepClone(fn.type), factory.converters.convertToFunctionBlock(replaceImportUseSites(fn.body, useSitesToUnqualify)) ); } function classExpressionToDeclaration(name, additionalModifiers, cls, useSitesToUnqualify) { return factory.createClassDeclaration( concatenate(additionalModifiers, getSynthesizedDeepClones(cls.modifiers)), name, getSynthesizedDeepClones(cls.typeParameters), getSynthesizedDeepClones(cls.heritageClauses), replaceImportUseSites(cls.members, useSitesToUnqualify) ); } function makeSingleImport(localName, propertyName, moduleSpecifier, quotePreference) { return propertyName === "default" ? makeImport( factory.createIdentifier(localName), /*namedImports*/ void 0, moduleSpecifier, quotePreference ) : makeImport( /*defaultImport*/ void 0, [makeImportSpecifier2(propertyName, localName)], moduleSpecifier, quotePreference ); } function makeImportSpecifier2(propertyName, name) { return factory.createImportSpecifier( /*isTypeOnly*/ false, propertyName !== void 0 && propertyName !== name ? factory.createIdentifier(propertyName) : void 0, factory.createIdentifier(name) ); } function makeConst(modifiers, name, init) { return factory.createVariableStatement( modifiers, factory.createVariableDeclarationList( [factory.createVariableDeclaration( name, /*exclamationToken*/ void 0, /*type*/ void 0, init )], 2 /* Const */ ) ); } function makeExportDeclaration(exportSpecifiers, moduleSpecifier) { return factory.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, exportSpecifiers && factory.createNamedExports(exportSpecifiers), moduleSpecifier === void 0 ? void 0 : factory.createStringLiteral(moduleSpecifier) ); } function convertedImports(newImports, useSitesToUnqualify) { return { newImports, useSitesToUnqualify }; } var fixId11 = "correctQualifiedNameToIndexedAccessType"; var errorCodes12 = [Diagnostics.Cannot_access_0_1_because_0_is_a_type_but_not_a_namespace_Did_you_mean_to_retrieve_the_type_of_the_property_1_in_0_with_0_1.code]; registerCodeFix({ errorCodes: errorCodes12, getCodeActions(context) { const qualifiedName = getQualifiedName(context.sourceFile, context.span.start); if (!qualifiedName) return void 0; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange10(t, context.sourceFile, qualifiedName)); const newText = `${qualifiedName.left.text}["${qualifiedName.right.text}"]`; return [createCodeFixAction(fixId11, changes, [Diagnostics.Rewrite_as_the_indexed_access_type_0, newText], fixId11, Diagnostics.Rewrite_all_as_indexed_access_types)]; }, fixIds: [fixId11], getAllCodeActions: (context) => codeFixAll(context, errorCodes12, (changes, diag2) => { const q = getQualifiedName(diag2.file, diag2.start); if (q) { doChange10(changes, diag2.file, q); } }) }); function getQualifiedName(sourceFile, pos) { const qualifiedName = findAncestor(getTokenAtPosition(sourceFile, pos), isQualifiedName); Debug.assert(!!qualifiedName, "Expected position to be owned by a qualified name."); return isIdentifier(qualifiedName.left) ? qualifiedName : void 0; } function doChange10(changeTracker, sourceFile, qualifiedName) { const rightText = qualifiedName.right.text; const replacement = factory.createIndexedAccessTypeNode( factory.createTypeReferenceNode( qualifiedName.left, /*typeArguments*/ void 0 ), factory.createLiteralTypeNode(factory.createStringLiteral(rightText)) ); changeTracker.replaceNode(sourceFile, qualifiedName, replacement); } var errorCodes13 = [Diagnostics.Re_exporting_a_type_when_0_is_enabled_requires_using_export_type.code]; var fixId12 = "convertToTypeOnlyExport"; registerCodeFix({ errorCodes: errorCodes13, getCodeActions: function getCodeActionsToConvertToTypeOnlyExport(context) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => fixSingleExportDeclaration(t, getExportSpecifierForDiagnosticSpan(context.span, context.sourceFile), context)); if (changes.length) { return [createCodeFixAction(fixId12, changes, Diagnostics.Convert_to_type_only_export, fixId12, Diagnostics.Convert_all_re_exported_types_to_type_only_exports)]; } }, fixIds: [fixId12], getAllCodeActions: function getAllCodeActionsToConvertToTypeOnlyExport(context) { const fixedExportDeclarations = /* @__PURE__ */ new Map(); return codeFixAll(context, errorCodes13, (changes, diag2) => { const exportSpecifier = getExportSpecifierForDiagnosticSpan(diag2, context.sourceFile); if (exportSpecifier && addToSeen(fixedExportDeclarations, getNodeId(exportSpecifier.parent.parent))) { fixSingleExportDeclaration(changes, exportSpecifier, context); } }); } }); function getExportSpecifierForDiagnosticSpan(span, sourceFile) { return tryCast(getTokenAtPosition(sourceFile, span.start).parent, isExportSpecifier); } function fixSingleExportDeclaration(changes, exportSpecifier, context) { if (!exportSpecifier) { return; } const exportClause = exportSpecifier.parent; const exportDeclaration = exportClause.parent; const typeExportSpecifiers = getTypeExportSpecifiers(exportSpecifier, context); if (typeExportSpecifiers.length === exportClause.elements.length) { changes.insertModifierBefore(context.sourceFile, 156, exportClause); } else { const valueExportDeclaration = factory.updateExportDeclaration( exportDeclaration, exportDeclaration.modifiers, /*isTypeOnly*/ false, factory.updateNamedExports(exportClause, filter(exportClause.elements, (e) => !contains(typeExportSpecifiers, e))), exportDeclaration.moduleSpecifier, /*attributes*/ void 0 ); const typeExportDeclaration = factory.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ true, factory.createNamedExports(typeExportSpecifiers), exportDeclaration.moduleSpecifier, /*attributes*/ void 0 ); changes.replaceNode(context.sourceFile, exportDeclaration, valueExportDeclaration, { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.IncludeAll, trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Exclude }); changes.insertNodeAfter(context.sourceFile, exportDeclaration, typeExportDeclaration); } } function getTypeExportSpecifiers(originExportSpecifier, context) { const exportClause = originExportSpecifier.parent; if (exportClause.elements.length === 1) { return exportClause.elements; } const diagnostics = getDiagnosticsWithinSpan( createTextSpanFromNode(exportClause), context.program.getSemanticDiagnostics(context.sourceFile, context.cancellationToken) ); return filter(exportClause.elements, (element) => { var _a; return element === originExportSpecifier || ((_a = findDiagnosticForNode(element, diagnostics)) == null ? void 0 : _a.code) === errorCodes13[0]; }); } var errorCodes14 = [ Diagnostics._0_is_a_type_and_must_be_imported_using_a_type_only_import_when_verbatimModuleSyntax_is_enabled.code, Diagnostics._0_resolves_to_a_type_only_declaration_and_must_be_imported_using_a_type_only_import_when_verbatimModuleSyntax_is_enabled.code ]; var fixId13 = "convertToTypeOnlyImport"; registerCodeFix({ errorCodes: errorCodes14, getCodeActions: function getCodeActionsToConvertToTypeOnlyImport(context) { var _a; const declaration = getDeclaration2(context.sourceFile, context.span.start); if (declaration) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange11(t, context.sourceFile, declaration)); const importDeclarationChanges = declaration.kind === 276 && isImportDeclaration(declaration.parent.parent.parent) && canConvertImportDeclarationForSpecifier(declaration, context.sourceFile, context.program) ? ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange11(t, context.sourceFile, declaration.parent.parent.parent)) : void 0; const mainAction = createCodeFixAction( fixId13, changes, declaration.kind === 276 ? [Diagnostics.Use_type_0, ((_a = declaration.propertyName) == null ? void 0 : _a.text) ?? declaration.name.text] : Diagnostics.Use_import_type, fixId13, Diagnostics.Fix_all_with_type_only_imports ); if (some(importDeclarationChanges)) { return [ createCodeFixActionWithoutFixAll(fixId13, importDeclarationChanges, Diagnostics.Use_import_type), mainAction ]; } return [mainAction]; } return void 0; }, fixIds: [fixId13], getAllCodeActions: function getAllCodeActionsToConvertToTypeOnlyImport(context) { const fixedImportDeclarations = /* @__PURE__ */ new Set(); return codeFixAll(context, errorCodes14, (changes, diag2) => { const errorDeclaration = getDeclaration2(diag2.file, diag2.start); if ((errorDeclaration == null ? void 0 : errorDeclaration.kind) === 272 && !fixedImportDeclarations.has(errorDeclaration)) { doChange11(changes, diag2.file, errorDeclaration); fixedImportDeclarations.add(errorDeclaration); } else if ((errorDeclaration == null ? void 0 : errorDeclaration.kind) === 276 && isImportDeclaration(errorDeclaration.parent.parent.parent) && !fixedImportDeclarations.has(errorDeclaration.parent.parent.parent) && canConvertImportDeclarationForSpecifier(errorDeclaration, diag2.file, context.program)) { doChange11(changes, diag2.file, errorDeclaration.parent.parent.parent); fixedImportDeclarations.add(errorDeclaration.parent.parent.parent); } else if ((errorDeclaration == null ? void 0 : errorDeclaration.kind) === 276) { doChange11(changes, diag2.file, errorDeclaration); } }); } }); function getDeclaration2(sourceFile, pos) { const { parent: parent2 } = getTokenAtPosition(sourceFile, pos); return isImportSpecifier(parent2) || isImportDeclaration(parent2) && parent2.importClause ? parent2 : void 0; } function canConvertImportDeclarationForSpecifier(specifier, sourceFile, program) { if (specifier.parent.parent.name) { return false; } const nonTypeOnlySpecifiers = specifier.parent.elements.filter((e) => !e.isTypeOnly); if (nonTypeOnlySpecifiers.length === 1) { return true; } const checker = program.getTypeChecker(); for (const specifier2 of nonTypeOnlySpecifiers) { const isUsedAsValue = ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(specifier2.name, checker, sourceFile, (usage) => { const symbol = checker.getSymbolAtLocation(usage); return !!symbol && checker.symbolIsValue(symbol) || !isValidTypeOnlyAliasUseSite(usage); }); if (isUsedAsValue) { return false; } } return true; } function doChange11(changes, sourceFile, declaration) { var _a; if (isImportSpecifier(declaration)) { changes.replaceNode(sourceFile, declaration, factory.updateImportSpecifier( declaration, /*isTypeOnly*/ true, declaration.propertyName, declaration.name )); } else { const importClause = declaration.importClause; if (importClause.name && importClause.namedBindings) { changes.replaceNodeWithNodes(sourceFile, declaration, [ factory.createImportDeclaration( getSynthesizedDeepClones( declaration.modifiers, /*includeTrivia*/ true ), factory.createImportClause( /*isTypeOnly*/ true, getSynthesizedDeepClone( importClause.name, /*includeTrivia*/ true ), /*namedBindings*/ void 0 ), getSynthesizedDeepClone( declaration.moduleSpecifier, /*includeTrivia*/ true ), getSynthesizedDeepClone( declaration.attributes, /*includeTrivia*/ true ) ), factory.createImportDeclaration( getSynthesizedDeepClones( declaration.modifiers, /*includeTrivia*/ true ), factory.createImportClause( /*isTypeOnly*/ true, /*name*/ void 0, getSynthesizedDeepClone( importClause.namedBindings, /*includeTrivia*/ true ) ), getSynthesizedDeepClone( declaration.moduleSpecifier, /*includeTrivia*/ true ), getSynthesizedDeepClone( declaration.attributes, /*includeTrivia*/ true ) ) ]); } else { const newNamedBindings = ((_a = importClause.namedBindings) == null ? void 0 : _a.kind) === 275 ? factory.updateNamedImports( importClause.namedBindings, sameMap(importClause.namedBindings.elements, (e) => factory.updateImportSpecifier( e, /*isTypeOnly*/ false, e.propertyName, e.name )) ) : importClause.namedBindings; const importDeclaration = factory.updateImportDeclaration(declaration, declaration.modifiers, factory.updateImportClause( importClause, /*isTypeOnly*/ true, importClause.name, newNamedBindings ), declaration.moduleSpecifier, declaration.attributes); changes.replaceNode(sourceFile, declaration, importDeclaration); } } } var fixId14 = "convertTypedefToType"; var errorCodes15 = [Diagnostics.JSDoc_typedef_may_be_converted_to_TypeScript_type.code]; registerCodeFix({ fixIds: [fixId14], errorCodes: errorCodes15, getCodeActions(context) { const newLineCharacter = getNewLineOrDefaultFromHost(context.host, context.formatContext.options); const node = getTokenAtPosition( context.sourceFile, context.span.start ); if (!node) return; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange12(t, node, context.sourceFile, newLineCharacter)); if (changes.length > 0) { return [ createCodeFixAction( fixId14, changes, Diagnostics.Convert_typedef_to_TypeScript_type, fixId14, Diagnostics.Convert_all_typedef_to_TypeScript_types ) ]; } }, getAllCodeActions: (context) => codeFixAll( context, errorCodes15, (changes, diag2) => { const newLineCharacter = getNewLineOrDefaultFromHost(context.host, context.formatContext.options); const node = getTokenAtPosition(diag2.file, diag2.start); const fixAll = true; if (node) doChange12(changes, node, diag2.file, newLineCharacter, fixAll); } ) }); function doChange12(changes, node, sourceFile, newLine, fixAll = false) { if (!isJSDocTypedefTag(node)) return; const declaration = createDeclaration(node); if (!declaration) return; const commentNode = node.parent; const { leftSibling, rightSibling } = getLeftAndRightSiblings(node); let pos = commentNode.getStart(); let prefix = ""; if (!leftSibling && commentNode.comment) { pos = findEndOfTextBetween(commentNode, commentNode.getStart(), node.getStart()); prefix = `${newLine} */${newLine}`; } if (leftSibling) { if (fixAll && isJSDocTypedefTag(leftSibling)) { pos = node.getStart(); prefix = ""; } else { pos = findEndOfTextBetween(commentNode, leftSibling.getStart(), node.getStart()); prefix = `${newLine} */${newLine}`; } } let end = commentNode.getEnd(); let suffix = ""; if (rightSibling) { if (fixAll && isJSDocTypedefTag(rightSibling)) { end = rightSibling.getStart(); suffix = `${newLine}${newLine}`; } else { end = rightSibling.getStart(); suffix = `${newLine}/**${newLine} * `; } } changes.replaceRange(sourceFile, { pos, end }, declaration, { prefix, suffix }); } function getLeftAndRightSiblings(typedefNode) { const commentNode = typedefNode.parent; const maxChildIndex = commentNode.getChildCount() - 1; const currentNodeIndex = commentNode.getChildren().findIndex( (n) => n.getStart() === typedefNode.getStart() && n.getEnd() === typedefNode.getEnd() ); const leftSibling = currentNodeIndex > 0 ? commentNode.getChildAt(currentNodeIndex - 1) : void 0; const rightSibling = currentNodeIndex < maxChildIndex ? commentNode.getChildAt(currentNodeIndex + 1) : void 0; return { leftSibling, rightSibling }; } function findEndOfTextBetween(jsDocComment, from, to) { const comment = jsDocComment.getText().substring(from - jsDocComment.getStart(), to - jsDocComment.getStart()); for (let i = comment.length; i > 0; i--) { if (!/[*/\s]/g.test(comment.substring(i - 1, i))) { return from + i; } } return to; } function createDeclaration(tag) { var _a; const { typeExpression } = tag; if (!typeExpression) return; const typeName = (_a = tag.name) == null ? void 0 : _a.getText(); if (!typeName) return; if (typeExpression.kind === 322) { return createInterfaceForTypeLiteral(typeName, typeExpression); } if (typeExpression.kind === 309) { return createTypeAliasForTypeExpression(typeName, typeExpression); } } function createInterfaceForTypeLiteral(typeName, typeLiteral) { const propertySignatures = createSignatureFromTypeLiteral(typeLiteral); if (!some(propertySignatures)) return; return factory.createInterfaceDeclaration( /*modifiers*/ void 0, typeName, /*typeParameters*/ void 0, /*heritageClauses*/ void 0, propertySignatures ); } function createTypeAliasForTypeExpression(typeName, typeExpression) { const typeReference = getSynthesizedDeepClone(typeExpression.type); if (!typeReference) return; return factory.createTypeAliasDeclaration( /*modifiers*/ void 0, factory.createIdentifier(typeName), /*typeParameters*/ void 0, typeReference ); } function createSignatureFromTypeLiteral(typeLiteral) { const propertyTags = typeLiteral.jsDocPropertyTags; if (!some(propertyTags)) return; const getSignature = (tag) => { var _a; const name = getPropertyName2(tag); const type = (_a = tag.typeExpression) == null ? void 0 : _a.type; const isOptional = tag.isBracketed; let typeReference; if (type && isJSDocTypeLiteral(type)) { const signatures = createSignatureFromTypeLiteral(type); typeReference = factory.createTypeLiteralNode(signatures); } else if (type) { typeReference = getSynthesizedDeepClone(type); } if (typeReference && name) { const questionToken = isOptional ? factory.createToken( 58 /* QuestionToken */ ) : void 0; return factory.createPropertySignature( /*modifiers*/ void 0, name, questionToken, typeReference ); } }; return mapDefined(propertyTags, getSignature); } function getPropertyName2(tag) { return tag.name.kind === 80 ? tag.name.text : tag.name.right.text; } function getJSDocTypedefNodes(node) { if (hasJSDocNodes(node)) { return flatMap(node.jsDoc, (doc) => { var _a; return (_a = doc.tags) == null ? void 0 : _a.filter((tag) => isJSDocTypedefTag(tag)); }); } return []; } var fixId15 = "convertLiteralTypeToMappedType"; var errorCodes16 = [Diagnostics._0_only_refers_to_a_type_but_is_being_used_as_a_value_here_Did_you_mean_to_use_1_in_0.code]; registerCodeFix({ errorCodes: errorCodes16, getCodeActions: function getCodeActionsToConvertLiteralTypeToMappedType(context) { const { sourceFile, span } = context; const info = getInfo5(sourceFile, span.start); if (!info) { return void 0; } const { name, constraint } = info; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange13(t, sourceFile, info)); return [createCodeFixAction(fixId15, changes, [Diagnostics.Convert_0_to_1_in_0, constraint, name], fixId15, Diagnostics.Convert_all_type_literals_to_mapped_type)]; }, fixIds: [fixId15], getAllCodeActions: (context) => codeFixAll(context, errorCodes16, (changes, diag2) => { const info = getInfo5(diag2.file, diag2.start); if (info) { doChange13(changes, diag2.file, info); } }) }); function getInfo5(sourceFile, pos) { const token = getTokenAtPosition(sourceFile, pos); if (isIdentifier(token)) { const propertySignature = cast(token.parent.parent, isPropertySignature); const propertyName = token.getText(sourceFile); return { container: cast(propertySignature.parent, isTypeLiteralNode), typeNode: propertySignature.type, constraint: propertyName, name: propertyName === "K" ? "P" : "K" }; } return void 0; } function doChange13(changes, sourceFile, { container, typeNode, constraint, name }) { changes.replaceNode( sourceFile, container, factory.createMappedTypeNode( /*readonlyToken*/ void 0, factory.createTypeParameterDeclaration( /*modifiers*/ void 0, name, factory.createTypeReferenceNode(constraint) ), /*nameType*/ void 0, /*questionToken*/ void 0, typeNode, /*members*/ void 0 ) ); } var errorCodes17 = [ Diagnostics.Class_0_incorrectly_implements_interface_1.code, Diagnostics.Class_0_incorrectly_implements_class_1_Did_you_mean_to_extend_1_and_inherit_its_members_as_a_subclass.code ]; var fixId16 = "fixClassIncorrectlyImplementsInterface"; registerCodeFix({ errorCodes: errorCodes17, getCodeActions(context) { const { sourceFile, span } = context; const classDeclaration = getClass(sourceFile, span.start); return mapDefined(getEffectiveImplementsTypeNodes(classDeclaration), (implementedTypeNode) => { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addMissingDeclarations(context, implementedTypeNode, sourceFile, classDeclaration, t, context.preferences)); return changes.length === 0 ? void 0 : createCodeFixAction(fixId16, changes, [Diagnostics.Implement_interface_0, implementedTypeNode.getText(sourceFile)], fixId16, Diagnostics.Implement_all_unimplemented_interfaces); }); }, fixIds: [fixId16], getAllCodeActions(context) { const seenClassDeclarations = /* @__PURE__ */ new Map(); return codeFixAll(context, errorCodes17, (changes, diag2) => { const classDeclaration = getClass(diag2.file, diag2.start); if (addToSeen(seenClassDeclarations, getNodeId(classDeclaration))) { for (const implementedTypeNode of getEffectiveImplementsTypeNodes(classDeclaration)) { addMissingDeclarations(context, implementedTypeNode, diag2.file, classDeclaration, changes, context.preferences); } } }); } }); function getClass(sourceFile, pos) { return Debug.checkDefined(getContainingClass(getTokenAtPosition(sourceFile, pos)), "There should be a containing class"); } function symbolPointsToNonPrivateMember(symbol) { return !symbol.valueDeclaration || !(getEffectiveModifierFlags(symbol.valueDeclaration) & 2); } function addMissingDeclarations(context, implementedTypeNode, sourceFile, classDeclaration, changeTracker, preferences) { const checker = context.program.getTypeChecker(); const maybeHeritageClauseSymbol = getHeritageClauseSymbolTable(classDeclaration, checker); const implementedType = checker.getTypeAtLocation(implementedTypeNode); const implementedTypeSymbols = checker.getPropertiesOfType(implementedType); const nonPrivateAndNotExistedInHeritageClauseMembers = implementedTypeSymbols.filter(and(symbolPointsToNonPrivateMember, (symbol) => !maybeHeritageClauseSymbol.has(symbol.escapedName))); const classType = checker.getTypeAtLocation(classDeclaration); const constructor = find(classDeclaration.members, (m) => isConstructorDeclaration(m)); if (!classType.getNumberIndexType()) { createMissingIndexSignatureDeclaration( implementedType, 1 /* Number */ ); } if (!classType.getStringIndexType()) { createMissingIndexSignatureDeclaration( implementedType, 0 /* String */ ); } const importAdder = createImportAdder(sourceFile, context.program, preferences, context.host); createMissingMemberNodes(classDeclaration, nonPrivateAndNotExistedInHeritageClauseMembers, sourceFile, context, preferences, importAdder, (member) => insertInterfaceMemberNode(sourceFile, classDeclaration, member)); importAdder.writeFixes(changeTracker); function createMissingIndexSignatureDeclaration(type, kind) { const indexInfoOfKind = checker.getIndexInfoOfType(type, kind); if (indexInfoOfKind) { insertInterfaceMemberNode(sourceFile, classDeclaration, checker.indexInfoToIndexSignatureDeclaration( indexInfoOfKind, classDeclaration, /*flags*/ void 0, getNoopSymbolTrackerWithResolver(context) )); } } function insertInterfaceMemberNode(sourceFile2, cls, newElement) { if (constructor) { changeTracker.insertNodeAfter(sourceFile2, constructor, newElement); } else { changeTracker.insertMemberAtStart(sourceFile2, cls, newElement); } } } function getHeritageClauseSymbolTable(classDeclaration, checker) { const heritageClauseNode = getEffectiveBaseTypeNode(classDeclaration); if (!heritageClauseNode) return createSymbolTable(); const heritageClauseType = checker.getTypeAtLocation(heritageClauseNode); const heritageClauseTypeSymbols = checker.getPropertiesOfType(heritageClauseType); return createSymbolTable(heritageClauseTypeSymbols.filter(symbolPointsToNonPrivateMember)); } var importFixName = "import"; var importFixId = "fixMissingImport"; var errorCodes18 = [ Diagnostics.Cannot_find_name_0.code, Diagnostics.Cannot_find_name_0_Did_you_mean_1.code, Diagnostics.Cannot_find_name_0_Did_you_mean_the_instance_member_this_0.code, Diagnostics.Cannot_find_name_0_Did_you_mean_the_static_member_1_0.code, Diagnostics.Cannot_find_namespace_0.code, Diagnostics._0_refers_to_a_UMD_global_but_the_current_file_is_a_module_Consider_adding_an_import_instead.code, Diagnostics._0_only_refers_to_a_type_but_is_being_used_as_a_value_here.code, Diagnostics.No_value_exists_in_scope_for_the_shorthand_property_0_Either_declare_one_or_provide_an_initializer.code, Diagnostics._0_cannot_be_used_as_a_value_because_it_was_imported_using_import_type.code, Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_jQuery_Try_npm_i_save_dev_types_Slashjquery.code, Diagnostics.Cannot_find_name_0_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_1_or_later.code, Diagnostics.Cannot_find_name_0_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_include_dom.code, Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_a_test_runner_Try_npm_i_save_dev_types_Slashjest_or_npm_i_save_dev_types_Slashmocha_and_then_add_jest_or_mocha_to_the_types_field_in_your_tsconfig.code, Diagnostics.Cannot_find_name_0_Did_you_mean_to_write_this_in_an_async_function.code, Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_jQuery_Try_npm_i_save_dev_types_Slashjquery_and_then_add_jquery_to_the_types_field_in_your_tsconfig.code, Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_a_test_runner_Try_npm_i_save_dev_types_Slashjest_or_npm_i_save_dev_types_Slashmocha.code, Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_node_Try_npm_i_save_dev_types_Slashnode.code, Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_node_Try_npm_i_save_dev_types_Slashnode_and_then_add_node_to_the_types_field_in_your_tsconfig.code, Diagnostics.Cannot_find_namespace_0_Did_you_mean_1.code ]; registerCodeFix({ errorCodes: errorCodes18, getCodeActions(context) { const { errorCode, preferences, sourceFile, span, program } = context; const info = getFixInfos( context, errorCode, span.start, /*useAutoImportProvider*/ true ); if (!info) return void 0; return info.map( ({ fix: fix11, symbolName: symbolName2, errorIdentifierText }) => codeActionForFix( context, sourceFile, symbolName2, fix11, /*includeSymbolNameInDescription*/ symbolName2 !== errorIdentifierText, program, preferences ) ); }, fixIds: [importFixId], getAllCodeActions: (context) => { const { sourceFile, program, preferences, host, cancellationToken } = context; const importAdder = createImportAdderWorker( sourceFile, program, /*useAutoImportProvider*/ true, preferences, host, cancellationToken ); eachDiagnostic(context, errorCodes18, (diag2) => importAdder.addImportFromDiagnostic(diag2, context)); return createCombinedCodeActions(ts_textChanges_exports.ChangeTracker.with(context, importAdder.writeFixes)); } }); function createImportAdder(sourceFile, program, preferences, host, cancellationToken) { return createImportAdderWorker( sourceFile, program, /*useAutoImportProvider*/ false, preferences, host, cancellationToken ); } function createImportAdderWorker(sourceFile, program, useAutoImportProvider, preferences, host, cancellationToken) { const compilerOptions = program.getCompilerOptions(); const addToNamespace = []; const importType = []; const addToExisting = /* @__PURE__ */ new Map(); const removeExisting = /* @__PURE__ */ new Set(); const verbatimImports = /* @__PURE__ */ new Set(); const newImports = /* @__PURE__ */ new Map(); return { addImportFromDiagnostic, addImportFromExportedSymbol, writeFixes, hasFixes, addImportForUnresolvedIdentifier, addImportForNonExistentExport, removeExistingImport, addVerbatimImport }; function addVerbatimImport(declaration) { verbatimImports.add(declaration); } function addImportForUnresolvedIdentifier(context, symbolToken, useAutoImportProvider2) { const info = getFixInfosWithoutDiagnostic(context, symbolToken, useAutoImportProvider2); if (!info || !info.length) return; addImport(first(info)); } function addImportFromDiagnostic(diagnostic, context) { const info = getFixInfos(context, diagnostic.code, diagnostic.start, useAutoImportProvider); if (!info || !info.length) return; addImport(first(info)); } function addImportFromExportedSymbol(exportedSymbol, isValidTypeOnlyUseSite, referenceImport) { var _a; const moduleSymbol = Debug.checkDefined(exportedSymbol.parent); const symbolName2 = getNameForExportedSymbol(exportedSymbol, getEmitScriptTarget(compilerOptions)); const checker = program.getTypeChecker(); const symbol = checker.getMergedSymbol(skipAlias(exportedSymbol, checker)); const exportInfo = getAllExportInfoForSymbol( sourceFile, symbol, symbolName2, moduleSymbol, /*preferCapitalized*/ false, program, host, preferences, cancellationToken ); const useRequire = shouldUseRequire(sourceFile, program); let fix11 = getImportFixForSymbol( sourceFile, Debug.checkDefined(exportInfo), program, /*position*/ void 0, !!isValidTypeOnlyUseSite, useRequire, host, preferences ); if (fix11) { const localName = ((_a = tryCast(referenceImport == null ? void 0 : referenceImport.name, isIdentifier)) == null ? void 0 : _a.text) ?? symbolName2; if (referenceImport && isTypeOnlyImportDeclaration(referenceImport) && (fix11.kind === 3 || fix11.kind === 2) && fix11.addAsTypeOnly === 1) { fix11 = { ...fix11, addAsTypeOnly: 2 /* Required */ }; } addImport({ fix: fix11, symbolName: localName ?? symbolName2, errorIdentifierText: void 0 }); } } function addImportForNonExistentExport(exportName, exportingFileName, exportKind, exportedMeanings, isImportUsageValidAsTypeOnly) { const exportingSourceFile = program.getSourceFile(exportingFileName); const useRequire = shouldUseRequire(sourceFile, program); if (exportingSourceFile && exportingSourceFile.symbol) { const { fixes } = getImportFixes( [{ exportKind, isFromPackageJson: false, moduleFileName: exportingFileName, moduleSymbol: exportingSourceFile.symbol, targetFlags: exportedMeanings }], /*usagePosition*/ void 0, isImportUsageValidAsTypeOnly, useRequire, program, sourceFile, host, preferences ); if (fixes.length) { addImport({ fix: fixes[0], symbolName: exportName, errorIdentifierText: exportName }); } } else { const futureExportingSourceFile = createFutureSourceFile(exportingFileName, 99, program, host); const moduleSpecifier = ts_moduleSpecifiers_exports.getLocalModuleSpecifierBetweenFileNames( sourceFile, exportingFileName, compilerOptions, createModuleSpecifierResolutionHost(program, host) ); const importKind = getImportKind(futureExportingSourceFile, exportKind, compilerOptions); const addAsTypeOnly = getAddAsTypeOnly( isImportUsageValidAsTypeOnly, /*isForNewImportDeclaration*/ true, /*symbol*/ void 0, exportedMeanings, program.getTypeChecker(), compilerOptions ); const fix11 = { kind: 3, moduleSpecifierKind: "relative", moduleSpecifier, importKind, addAsTypeOnly, useRequire }; addImport({ fix: fix11, symbolName: exportName, errorIdentifierText: exportName }); } } function removeExistingImport(declaration) { if (declaration.kind === 273) { Debug.assertIsDefined(declaration.name, "ImportClause should have a name if it's being removed"); } removeExisting.add(declaration); } function addImport(info) { var _a, _b; const { fix: fix11, symbolName: symbolName2 } = info; switch (fix11.kind) { case 0: addToNamespace.push(fix11); break; case 1: importType.push(fix11); break; case 2: { const { importClauseOrBindingPattern, importKind, addAsTypeOnly } = fix11; let entry = addToExisting.get(importClauseOrBindingPattern); if (!entry) { addToExisting.set(importClauseOrBindingPattern, entry = { importClauseOrBindingPattern, defaultImport: void 0, namedImports: /* @__PURE__ */ new Map() }); } if (importKind === 0) { const prevValue = entry == null ? void 0 : entry.namedImports.get(symbolName2); entry.namedImports.set(symbolName2, reduceAddAsTypeOnlyValues(prevValue, addAsTypeOnly)); } else { Debug.assert(entry.defaultImport === void 0 || entry.defaultImport.name === symbolName2, "(Add to Existing) Default import should be missing or match symbolName"); entry.defaultImport = { name: symbolName2, addAsTypeOnly: reduceAddAsTypeOnlyValues((_a = entry.defaultImport) == null ? void 0 : _a.addAsTypeOnly, addAsTypeOnly) }; } break; } case 3: { const { moduleSpecifier, importKind, useRequire, addAsTypeOnly } = fix11; const entry = getNewImportEntry(moduleSpecifier, importKind, useRequire, addAsTypeOnly); Debug.assert(entry.useRequire === useRequire, "(Add new) Tried to add an `import` and a `require` for the same module"); switch (importKind) { case 1: Debug.assert(entry.defaultImport === void 0 || entry.defaultImport.name === symbolName2, "(Add new) Default import should be missing or match symbolName"); entry.defaultImport = { name: symbolName2, addAsTypeOnly: reduceAddAsTypeOnlyValues((_b = entry.defaultImport) == null ? void 0 : _b.addAsTypeOnly, addAsTypeOnly) }; break; case 0: const prevValue = (entry.namedImports || (entry.namedImports = /* @__PURE__ */ new Map())).get(symbolName2); entry.namedImports.set(symbolName2, reduceAddAsTypeOnlyValues(prevValue, addAsTypeOnly)); break; case 3: if (compilerOptions.verbatimModuleSyntax) { const prevValue2 = (entry.namedImports || (entry.namedImports = /* @__PURE__ */ new Map())).get(symbolName2); entry.namedImports.set(symbolName2, reduceAddAsTypeOnlyValues(prevValue2, addAsTypeOnly)); } else { Debug.assert(entry.namespaceLikeImport === void 0 || entry.namespaceLikeImport.name === symbolName2, "Namespacelike import shoudl be missing or match symbolName"); entry.namespaceLikeImport = { importKind, name: symbolName2, addAsTypeOnly }; } break; case 2: Debug.assert(entry.namespaceLikeImport === void 0 || entry.namespaceLikeImport.name === symbolName2, "Namespacelike import shoudl be missing or match symbolName"); entry.namespaceLikeImport = { importKind, name: symbolName2, addAsTypeOnly }; break; } break; } case 4: break; default: Debug.assertNever(fix11, `fix wasn't never - got kind ${fix11.kind}`); } function reduceAddAsTypeOnlyValues(prevValue, newValue) { return Math.max(prevValue ?? 0, newValue); } function getNewImportEntry(moduleSpecifier, importKind, useRequire, addAsTypeOnly) { const typeOnlyKey = newImportsKey( moduleSpecifier, /*topLevelTypeOnly*/ true ); const nonTypeOnlyKey = newImportsKey( moduleSpecifier, /*topLevelTypeOnly*/ false ); const typeOnlyEntry = newImports.get(typeOnlyKey); const nonTypeOnlyEntry = newImports.get(nonTypeOnlyKey); const newEntry = { defaultImport: void 0, namedImports: void 0, namespaceLikeImport: void 0, useRequire }; if (importKind === 1 && addAsTypeOnly === 2) { if (typeOnlyEntry) return typeOnlyEntry; newImports.set(typeOnlyKey, newEntry); return newEntry; } if (addAsTypeOnly === 1 && (typeOnlyEntry || nonTypeOnlyEntry)) { return typeOnlyEntry || nonTypeOnlyEntry; } if (nonTypeOnlyEntry) { return nonTypeOnlyEntry; } newImports.set(nonTypeOnlyKey, newEntry); return newEntry; } function newImportsKey(moduleSpecifier, topLevelTypeOnly) { return `${topLevelTypeOnly ? 1 : 0}|${moduleSpecifier}`; } } function writeFixes(changeTracker, oldFileQuotePreference) { var _a, _b; let quotePreference; if (isFullSourceFile(sourceFile) && sourceFile.imports.length === 0 && oldFileQuotePreference !== void 0) { quotePreference = oldFileQuotePreference; } else { quotePreference = getQuotePreference(sourceFile, preferences); } for (const fix11 of addToNamespace) { addNamespaceQualifier(changeTracker, sourceFile, fix11); } for (const fix11 of importType) { addImportType(changeTracker, sourceFile, fix11, quotePreference); } let importSpecifiersToRemoveWhileAdding; if (removeExisting.size) { Debug.assert(isFullSourceFile(sourceFile), "Cannot remove imports from a future source file"); const importDeclarationsWithRemovals = new Set(mapDefined([...removeExisting], (d) => findAncestor(d, isImportDeclaration))); const variableDeclarationsWithRemovals = new Set(mapDefined([...removeExisting], (d) => findAncestor(d, isVariableDeclarationInitializedToRequire))); const emptyImportDeclarations = [...importDeclarationsWithRemovals].filter( (d) => { var _a2, _b2, _c; return ( // nothing added to the import declaration !addToExisting.has(d.importClause) && // no default, or default is being removed (!((_a2 = d.importClause) == null ? void 0 : _a2.name) || removeExisting.has(d.importClause)) && // no namespace import, or namespace import is being removed (!tryCast((_b2 = d.importClause) == null ? void 0 : _b2.namedBindings, isNamespaceImport) || removeExisting.has(d.importClause.namedBindings)) && // no named imports, or all named imports are being removed (!tryCast((_c = d.importClause) == null ? void 0 : _c.namedBindings, isNamedImports) || every(d.importClause.namedBindings.elements, (e) => removeExisting.has(e))) ); } ); const emptyVariableDeclarations = [...variableDeclarationsWithRemovals].filter( (d) => ( // no binding elements being added to the variable declaration (d.name.kind !== 206 || !addToExisting.has(d.name)) && // no binding elements, or all binding elements are being removed (d.name.kind !== 206 || every(d.name.elements, (e) => removeExisting.has(e))) ) ); const namedBindingsToDelete = [...importDeclarationsWithRemovals].filter( (d) => { var _a2, _b2; return ( // has named bindings ((_a2 = d.importClause) == null ? void 0 : _a2.namedBindings) && // is not being fully removed emptyImportDeclarations.indexOf(d) === -1 && // is not gaining named imports !((_b2 = addToExisting.get(d.importClause)) == null ? void 0 : _b2.namedImports) && // all named imports are being removed (d.importClause.namedBindings.kind === 274 || every(d.importClause.namedBindings.elements, (e) => removeExisting.has(e))) ); } ); for (const declaration of [...emptyImportDeclarations, ...emptyVariableDeclarations]) { changeTracker.delete(sourceFile, declaration); } for (const declaration of namedBindingsToDelete) { changeTracker.replaceNode( sourceFile, declaration.importClause, factory.updateImportClause( declaration.importClause, declaration.importClause.isTypeOnly, declaration.importClause.name, /*namedBindings*/ void 0 ) ); } for (const declaration of removeExisting) { const importDeclaration = findAncestor(declaration, isImportDeclaration); if (importDeclaration && emptyImportDeclarations.indexOf(importDeclaration) === -1 && namedBindingsToDelete.indexOf(importDeclaration) === -1) { if (declaration.kind === 273) { changeTracker.delete(sourceFile, declaration.name); } else { Debug.assert(declaration.kind === 276, "NamespaceImport should have been handled earlier"); if ((_a = addToExisting.get(importDeclaration.importClause)) == null ? void 0 : _a.namedImports) { (importSpecifiersToRemoveWhileAdding ?? (importSpecifiersToRemoveWhileAdding = /* @__PURE__ */ new Set())).add(declaration); } else { changeTracker.delete(sourceFile, declaration); } } } else if (declaration.kind === 208) { if ((_b = addToExisting.get(declaration.parent)) == null ? void 0 : _b.namedImports) { (importSpecifiersToRemoveWhileAdding ?? (importSpecifiersToRemoveWhileAdding = /* @__PURE__ */ new Set())).add(declaration); } else { changeTracker.delete(sourceFile, declaration); } } else if (declaration.kind === 271) { changeTracker.delete(sourceFile, declaration); } } } addToExisting.forEach(({ importClauseOrBindingPattern, defaultImport, namedImports }) => { doAddExistingFix( changeTracker, sourceFile, importClauseOrBindingPattern, defaultImport, arrayFrom(namedImports.entries(), ([name, addAsTypeOnly]) => ({ addAsTypeOnly, name })), importSpecifiersToRemoveWhileAdding, preferences ); }); let newDeclarations; newImports.forEach(({ useRequire, defaultImport, namedImports, namespaceLikeImport }, key) => { const moduleSpecifier = key.slice(2); const getDeclarations = useRequire ? getNewRequires : getNewImports; const declarations = getDeclarations( moduleSpecifier, quotePreference, defaultImport, namedImports && arrayFrom(namedImports.entries(), ([name, addAsTypeOnly]) => ({ addAsTypeOnly, name })), namespaceLikeImport, compilerOptions, preferences ); newDeclarations = combine(newDeclarations, declarations); }); newDeclarations = combine(newDeclarations, getCombinedVerbatimImports()); if (newDeclarations) { insertImports( changeTracker, sourceFile, newDeclarations, /*blankLineBetween*/ true, preferences ); } } function getCombinedVerbatimImports() { if (!verbatimImports.size) return void 0; const importDeclarations = new Set(mapDefined([...verbatimImports], (d) => findAncestor(d, isImportDeclaration))); const requireStatements = new Set(mapDefined([...verbatimImports], (d) => findAncestor(d, isRequireVariableStatement))); return [ ...mapDefined([...verbatimImports], (d) => d.kind === 271 ? getSynthesizedDeepClone( d, /*includeTrivia*/ true ) : void 0), ...[...importDeclarations].map((d) => { var _a; if (verbatimImports.has(d)) { return getSynthesizedDeepClone( d, /*includeTrivia*/ true ); } return getSynthesizedDeepClone( factory.updateImportDeclaration( d, d.modifiers, d.importClause && factory.updateImportClause( d.importClause, d.importClause.isTypeOnly, verbatimImports.has(d.importClause) ? d.importClause.name : void 0, verbatimImports.has(d.importClause.namedBindings) ? d.importClause.namedBindings : ((_a = tryCast(d.importClause.namedBindings, isNamedImports)) == null ? void 0 : _a.elements.some((e) => verbatimImports.has(e))) ? factory.updateNamedImports( d.importClause.namedBindings, d.importClause.namedBindings.elements.filter((e) => verbatimImports.has(e)) ) : void 0 ), d.moduleSpecifier, d.attributes ), /*includeTrivia*/ true ); }), ...[...requireStatements].map((s) => { if (verbatimImports.has(s)) { return getSynthesizedDeepClone( s, /*includeTrivia*/ true ); } return getSynthesizedDeepClone( factory.updateVariableStatement( s, s.modifiers, factory.updateVariableDeclarationList( s.declarationList, mapDefined(s.declarationList.declarations, (d) => { if (verbatimImports.has(d)) { return d; } return factory.updateVariableDeclaration( d, d.name.kind === 206 ? factory.updateObjectBindingPattern( d.name, d.name.elements.filter((e) => verbatimImports.has(e)) ) : d.name, d.exclamationToken, d.type, d.initializer ); }) ) ), /*includeTrivia*/ true ); }) ]; } function hasFixes() { return addToNamespace.length > 0 || importType.length > 0 || addToExisting.size > 0 || newImports.size > 0 || verbatimImports.size > 0 || removeExisting.size > 0; } } function createImportSpecifierResolver(importingFile, program, host, preferences) { const packageJsonImportFilter = createPackageJsonImportFilter(importingFile, preferences, host); const importMap = createExistingImportMap(program.getTypeChecker(), importingFile, program.getCompilerOptions()); return { getModuleSpecifierForBestExportInfo }; function getModuleSpecifierForBestExportInfo(exportInfo, position, isValidTypeOnlyUseSite, fromCacheOnly) { const { fixes, computedWithoutCacheCount } = getImportFixes( exportInfo, position, isValidTypeOnlyUseSite, /*useRequire*/ false, program, importingFile, host, preferences, importMap, fromCacheOnly ); const result = getBestFix(fixes, importingFile, program, packageJsonImportFilter, host, preferences); return result && { ...result, computedWithoutCacheCount }; } } function getImportCompletionAction(targetSymbol, moduleSymbol, exportMapKey, sourceFile, symbolName2, isJsxTagName, host, program, formatContext, position, preferences, cancellationToken) { let exportInfos; if (exportMapKey) { exportInfos = getExportInfoMap(sourceFile, host, program, preferences, cancellationToken).get(sourceFile.path, exportMapKey); Debug.assertIsDefined(exportInfos, "Some exportInfo should match the specified exportMapKey"); } else { exportInfos = pathIsBareSpecifier(stripQuotes(moduleSymbol.name)) ? [getSingleExportInfoForSymbol(targetSymbol, symbolName2, moduleSymbol, program, host)] : getAllExportInfoForSymbol(sourceFile, targetSymbol, symbolName2, moduleSymbol, isJsxTagName, program, host, preferences, cancellationToken); Debug.assertIsDefined(exportInfos, "Some exportInfo should match the specified symbol / moduleSymbol"); } const useRequire = shouldUseRequire(sourceFile, program); const isValidTypeOnlyUseSite = isValidTypeOnlyAliasUseSite(getTokenAtPosition(sourceFile, position)); const fix11 = Debug.checkDefined(getImportFixForSymbol(sourceFile, exportInfos, program, position, isValidTypeOnlyUseSite, useRequire, host, preferences)); return { moduleSpecifier: fix11.moduleSpecifier, codeAction: codeFixActionToCodeAction(codeActionForFix( { host, formatContext, preferences }, sourceFile, symbolName2, fix11, /*includeSymbolNameInDescription*/ false, program, preferences )) }; } function getPromoteTypeOnlyCompletionAction(sourceFile, symbolToken, program, host, formatContext, preferences) { const compilerOptions = program.getCompilerOptions(); const symbolName2 = single(getSymbolNamesToImport(sourceFile, program.getTypeChecker(), symbolToken, compilerOptions)); const fix11 = getTypeOnlyPromotionFix(sourceFile, symbolToken, symbolName2, program); const includeSymbolNameInDescription = symbolName2 !== symbolToken.text; return fix11 && codeFixActionToCodeAction(codeActionForFix( { host, formatContext, preferences }, sourceFile, symbolName2, fix11, includeSymbolNameInDescription, program, preferences )); } function getImportFixForSymbol(sourceFile, exportInfos, program, position, isValidTypeOnlyUseSite, useRequire, host, preferences) { const packageJsonImportFilter = createPackageJsonImportFilter(sourceFile, preferences, host); return getBestFix(getImportFixes(exportInfos, position, isValidTypeOnlyUseSite, useRequire, program, sourceFile, host, preferences).fixes, sourceFile, program, packageJsonImportFilter, host, preferences); } function codeFixActionToCodeAction({ description: description3, changes, commands }) { return { description: description3, changes, commands }; } function getAllExportInfoForSymbol(importingFile, symbol, symbolName2, moduleSymbol, preferCapitalized, program, host, preferences, cancellationToken) { const getChecker = createGetChecker(program, host); return getExportInfoMap(importingFile, host, program, preferences, cancellationToken).search(importingFile.path, preferCapitalized, (name) => name === symbolName2, (info) => { if (skipAlias(info[0].symbol, getChecker(info[0].isFromPackageJson)) === symbol && info.some((i) => i.moduleSymbol === moduleSymbol || i.symbol.parent === moduleSymbol)) { return info; } }); } function getSingleExportInfoForSymbol(symbol, symbolName2, moduleSymbol, program, host) { var _a, _b; const mainProgramInfo = getInfoWithChecker( program.getTypeChecker(), /*isFromPackageJson*/ false ); if (mainProgramInfo) { return mainProgramInfo; } const autoImportProvider = (_b = (_a = host.getPackageJsonAutoImportProvider) == null ? void 0 : _a.call(host)) == null ? void 0 : _b.getTypeChecker(); return Debug.checkDefined(autoImportProvider && getInfoWithChecker( autoImportProvider, /*isFromPackageJson*/ true ), `Could not find symbol in specified module for code actions`); function getInfoWithChecker(checker, isFromPackageJson) { const defaultInfo = getDefaultLikeExportInfo(moduleSymbol, checker); if (defaultInfo && skipAlias(defaultInfo.symbol, checker) === symbol) { return { symbol: defaultInfo.symbol, moduleSymbol, moduleFileName: void 0, exportKind: defaultInfo.exportKind, targetFlags: skipAlias(symbol, checker).flags, isFromPackageJson }; } const named = checker.tryGetMemberInModuleExportsAndProperties(symbolName2, moduleSymbol); if (named && skipAlias(named, checker) === symbol) { return { symbol: named, moduleSymbol, moduleFileName: void 0, exportKind: 0, targetFlags: skipAlias(symbol, checker).flags, isFromPackageJson }; } } } function getImportFixes(exportInfos, usagePosition, isValidTypeOnlyUseSite, useRequire, program, sourceFile, host, preferences, importMap = isFullSourceFile(sourceFile) ? createExistingImportMap(program.getTypeChecker(), sourceFile, program.getCompilerOptions()) : void 0, fromCacheOnly) { const checker = program.getTypeChecker(); const existingImports = importMap ? flatMap(exportInfos, importMap.getImportsForExportInfo) : emptyArray; const useNamespace = usagePosition !== void 0 && tryUseExistingNamespaceImport(existingImports, usagePosition); const addToExisting = tryAddToExistingImport(existingImports, isValidTypeOnlyUseSite, checker, program.getCompilerOptions()); if (addToExisting) { return { computedWithoutCacheCount: 0, fixes: [...useNamespace ? [useNamespace] : emptyArray, addToExisting] }; } const { fixes, computedWithoutCacheCount = 0 } = getFixesForAddImport( exportInfos, existingImports, program, sourceFile, usagePosition, isValidTypeOnlyUseSite, useRequire, host, preferences, fromCacheOnly ); return { computedWithoutCacheCount, fixes: [...useNamespace ? [useNamespace] : emptyArray, ...fixes] }; } function tryUseExistingNamespaceImport(existingImports, position) { return firstDefined(existingImports, ({ declaration, importKind }) => { var _a; if (importKind !== 0) return void 0; const namespacePrefix = getNamespaceLikeImportText(declaration); const moduleSpecifier = namespacePrefix && ((_a = tryGetModuleSpecifierFromDeclaration(declaration)) == null ? void 0 : _a.text); if (moduleSpecifier) { return { kind: 0, namespacePrefix, usagePosition: position, moduleSpecifierKind: void 0, moduleSpecifier }; } }); } function getNamespaceLikeImportText(declaration) { var _a, _b, _c; switch (declaration.kind) { case 260: return (_a = tryCast(declaration.name, isIdentifier)) == null ? void 0 : _a.text; case 271: return declaration.name.text; case 351: case 272: return (_c = tryCast((_b = declaration.importClause) == null ? void 0 : _b.namedBindings, isNamespaceImport)) == null ? void 0 : _c.name.text; default: return Debug.assertNever(declaration); } } function getAddAsTypeOnly(isValidTypeOnlyUseSite, isForNewImportDeclaration, symbol, targetFlags, checker, compilerOptions) { if (!isValidTypeOnlyUseSite) { return 4; } if (symbol && compilerOptions.verbatimModuleSyntax && (!(targetFlags & 111551) || !!checker.getTypeOnlyAliasDeclaration(symbol))) { return 2; } return 1; } function tryAddToExistingImport(existingImports, isValidTypeOnlyUseSite, checker, compilerOptions) { let best; for (const existingImport of existingImports) { const fix11 = getAddToExistingImportFix(existingImport); if (!fix11) continue; const isTypeOnly = isTypeOnlyImportDeclaration(fix11.importClauseOrBindingPattern); if (fix11.addAsTypeOnly !== 4 && isTypeOnly || fix11.addAsTypeOnly === 4 && !isTypeOnly) { return fix11; } best ?? (best = fix11); } return best; function getAddToExistingImportFix({ declaration, importKind, symbol, targetFlags }) { if (importKind === 3 || importKind === 2 || declaration.kind === 271) { return void 0; } if (declaration.kind === 260) { return (importKind === 0 || importKind === 1) && declaration.name.kind === 206 ? { kind: 2, importClauseOrBindingPattern: declaration.name, importKind, moduleSpecifierKind: void 0, moduleSpecifier: declaration.initializer.arguments[0].text, addAsTypeOnly: 4 /* NotAllowed */ } : void 0; } const { importClause } = declaration; if (!importClause || !isStringLiteralLike(declaration.moduleSpecifier)) { return void 0; } const { name, namedBindings } = importClause; if (importClause.isTypeOnly && !(importKind === 0 && namedBindings)) { return void 0; } const addAsTypeOnly = getAddAsTypeOnly( isValidTypeOnlyUseSite, /*isForNewImportDeclaration*/ false, symbol, targetFlags, checker, compilerOptions ); if (importKind === 1 && (name || // Cannot add a default import to a declaration that already has one addAsTypeOnly === 2 && namedBindings)) { return void 0; } if (importKind === 0 && (namedBindings == null ? void 0 : namedBindings.kind) === 274) { return void 0; } return { kind: 2, importClauseOrBindingPattern: importClause, importKind, moduleSpecifierKind: void 0, moduleSpecifier: declaration.moduleSpecifier.text, addAsTypeOnly }; } } function createExistingImportMap(checker, importingFile, compilerOptions) { let importMap; for (const moduleSpecifier of importingFile.imports) { const i = importFromModuleSpecifier(moduleSpecifier); if (isVariableDeclarationInitializedToRequire(i.parent)) { const moduleSymbol = checker.resolveExternalModuleName(moduleSpecifier); if (moduleSymbol) { (importMap || (importMap = createMultiMap())).add(getSymbolId(moduleSymbol), i.parent); } } else if (i.kind === 272 || i.kind === 271 || i.kind === 351) { const moduleSymbol = checker.getSymbolAtLocation(moduleSpecifier); if (moduleSymbol) { (importMap || (importMap = createMultiMap())).add(getSymbolId(moduleSymbol), i); } } } return { getImportsForExportInfo: ({ moduleSymbol, exportKind, targetFlags, symbol }) => { const matchingDeclarations = importMap == null ? void 0 : importMap.get(getSymbolId(moduleSymbol)); if (!matchingDeclarations) return emptyArray; if (isSourceFileJS(importingFile) && !(targetFlags & 111551) && !every(matchingDeclarations, isJSDocImportTag)) return emptyArray; const importKind = getImportKind(importingFile, exportKind, compilerOptions); return matchingDeclarations.map((declaration) => ({ declaration, importKind, symbol, targetFlags })); } }; } function shouldUseRequire(sourceFile, program) { if (!hasJSFileExtension(sourceFile.fileName)) { return false; } if (sourceFile.commonJsModuleIndicator && !sourceFile.externalModuleIndicator) return true; if (sourceFile.externalModuleIndicator && !sourceFile.commonJsModuleIndicator) return false; const compilerOptions = program.getCompilerOptions(); if (compilerOptions.configFile) { return getEmitModuleKind(compilerOptions) < 5; } if (sourceFile.impliedNodeFormat === 1) return true; if (sourceFile.impliedNodeFormat === 99) return false; for (const otherFile of program.getSourceFiles()) { if (otherFile === sourceFile || !isSourceFileJS(otherFile) || program.isSourceFileFromExternalLibrary(otherFile)) continue; if (otherFile.commonJsModuleIndicator && !otherFile.externalModuleIndicator) return true; if (otherFile.externalModuleIndicator && !otherFile.commonJsModuleIndicator) return false; } return true; } function createGetChecker(program, host) { return memoizeOne((isFromPackageJson) => isFromPackageJson ? host.getPackageJsonAutoImportProvider().getTypeChecker() : program.getTypeChecker()); } function getNewImportFixes(program, sourceFile, usagePosition, isValidTypeOnlyUseSite, useRequire, exportInfo, host, preferences, fromCacheOnly) { const isJs = hasJSFileExtension(sourceFile.fileName); const compilerOptions = program.getCompilerOptions(); const moduleSpecifierResolutionHost = createModuleSpecifierResolutionHost(program, host); const getChecker = createGetChecker(program, host); const moduleResolution = getEmitModuleResolutionKind(compilerOptions); const rejectNodeModulesRelativePaths = moduleResolutionUsesNodeModules(moduleResolution); const getModuleSpecifiers2 = fromCacheOnly ? (exportInfo2) => ts_moduleSpecifiers_exports.tryGetModuleSpecifiersFromCache(exportInfo2.moduleSymbol, sourceFile, moduleSpecifierResolutionHost, preferences) : (exportInfo2, checker) => ts_moduleSpecifiers_exports.getModuleSpecifiersWithCacheInfo( exportInfo2.moduleSymbol, checker, compilerOptions, sourceFile, moduleSpecifierResolutionHost, preferences, /*options*/ void 0, /*forAutoImport*/ true ); let computedWithoutCacheCount = 0; const fixes = flatMap(exportInfo, (exportInfo2, i) => { const checker = getChecker(exportInfo2.isFromPackageJson); const { computedWithoutCache, moduleSpecifiers: moduleSpecifiers2, kind: moduleSpecifierKind } = getModuleSpecifiers2(exportInfo2, checker) ?? {}; const importedSymbolHasValueMeaning = !!(exportInfo2.targetFlags & 111551); const addAsTypeOnly = getAddAsTypeOnly( isValidTypeOnlyUseSite, /*isForNewImportDeclaration*/ true, exportInfo2.symbol, exportInfo2.targetFlags, checker, compilerOptions ); computedWithoutCacheCount += computedWithoutCache ? 1 : 0; return mapDefined(moduleSpecifiers2, (moduleSpecifier) => { if (rejectNodeModulesRelativePaths && pathContainsNodeModules(moduleSpecifier)) { return void 0; } if (!importedSymbolHasValueMeaning && isJs && usagePosition !== void 0) { return { kind: 1, moduleSpecifierKind, moduleSpecifier, usagePosition, exportInfo: exportInfo2, isReExport: i > 0 }; } const importKind = getImportKind(sourceFile, exportInfo2.exportKind, compilerOptions); let qualification; if (usagePosition !== void 0 && importKind === 3 && exportInfo2.exportKind === 0) { const exportEquals = checker.resolveExternalModuleSymbol(exportInfo2.moduleSymbol); let namespacePrefix; if (exportEquals !== exportInfo2.moduleSymbol) { namespacePrefix = forEachNameOfDefaultExport( exportEquals, checker, compilerOptions, /*preferCapitalizedNames*/ false, identity2 ); } namespacePrefix || (namespacePrefix = moduleSymbolToValidIdentifier( exportInfo2.moduleSymbol, getEmitScriptTarget(compilerOptions), /*forceCapitalize*/ false )); qualification = { namespacePrefix, usagePosition }; } return { kind: 3, moduleSpecifierKind, moduleSpecifier, importKind, useRequire, addAsTypeOnly, exportInfo: exportInfo2, isReExport: i > 0, qualification }; }); }); return { computedWithoutCacheCount, fixes }; } function getFixesForAddImport(exportInfos, existingImports, program, sourceFile, usagePosition, isValidTypeOnlyUseSite, useRequire, host, preferences, fromCacheOnly) { const existingDeclaration = firstDefined(existingImports, (info) => newImportInfoFromExistingSpecifier(info, isValidTypeOnlyUseSite, useRequire, program.getTypeChecker(), program.getCompilerOptions())); return existingDeclaration ? { fixes: [existingDeclaration] } : getNewImportFixes(program, sourceFile, usagePosition, isValidTypeOnlyUseSite, useRequire, exportInfos, host, preferences, fromCacheOnly); } function newImportInfoFromExistingSpecifier({ declaration, importKind, symbol, targetFlags }, isValidTypeOnlyUseSite, useRequire, checker, compilerOptions) { var _a; const moduleSpecifier = (_a = tryGetModuleSpecifierFromDeclaration(declaration)) == null ? void 0 : _a.text; if (moduleSpecifier) { const addAsTypeOnly = useRequire ? 4 : getAddAsTypeOnly( isValidTypeOnlyUseSite, /*isForNewImportDeclaration*/ true, symbol, targetFlags, checker, compilerOptions ); return { kind: 3, moduleSpecifierKind: void 0, moduleSpecifier, importKind, addAsTypeOnly, useRequire }; } } function getFixInfos(context, errorCode, pos, useAutoImportProvider) { const symbolToken = getTokenAtPosition(context.sourceFile, pos); let info; if (errorCode === Diagnostics._0_refers_to_a_UMD_global_but_the_current_file_is_a_module_Consider_adding_an_import_instead.code) { info = getFixesInfoForUMDImport(context, symbolToken); } else if (!isIdentifier(symbolToken)) { return void 0; } else if (errorCode === Diagnostics._0_cannot_be_used_as_a_value_because_it_was_imported_using_import_type.code) { const symbolName2 = single(getSymbolNamesToImport(context.sourceFile, context.program.getTypeChecker(), symbolToken, context.program.getCompilerOptions())); const fix11 = getTypeOnlyPromotionFix(context.sourceFile, symbolToken, symbolName2, context.program); return fix11 && [{ fix: fix11, symbolName: symbolName2, errorIdentifierText: symbolToken.text }]; } else { info = getFixesInfoForNonUMDImport(context, symbolToken, useAutoImportProvider); } const packageJsonImportFilter = createPackageJsonImportFilter(context.sourceFile, context.preferences, context.host); return info && sortFixInfo(info, context.sourceFile, context.program, packageJsonImportFilter, context.host, context.preferences); } function sortFixInfo(fixes, sourceFile, program, packageJsonImportFilter, host, preferences) { const _toPath = (fileName) => toPath3(fileName, host.getCurrentDirectory(), hostGetCanonicalFileName(host)); return sort(fixes, (a, b) => compareBooleans(!!a.isJsxNamespaceFix, !!b.isJsxNamespaceFix) || compareValues(a.fix.kind, b.fix.kind) || compareModuleSpecifiers(a.fix, b.fix, sourceFile, program, preferences, packageJsonImportFilter.allowsImportingSpecifier, _toPath)); } function getFixInfosWithoutDiagnostic(context, symbolToken, useAutoImportProvider) { const info = getFixesInfoForNonUMDImport(context, symbolToken, useAutoImportProvider); const packageJsonImportFilter = createPackageJsonImportFilter(context.sourceFile, context.preferences, context.host); return info && sortFixInfo(info, context.sourceFile, context.program, packageJsonImportFilter, context.host, context.preferences); } function getBestFix(fixes, sourceFile, program, packageJsonImportFilter, host, preferences) { if (!some(fixes)) return; if (fixes[0].kind === 0 || fixes[0].kind === 2) { return fixes[0]; } return fixes.reduce( (best, fix11) => ( // Takes true branch of conditional if `fix` is better than `best` compareModuleSpecifiers( fix11, best, sourceFile, program, preferences, packageJsonImportFilter.allowsImportingSpecifier, (fileName) => toPath3(fileName, host.getCurrentDirectory(), hostGetCanonicalFileName(host)) ) === -1 ? fix11 : best ) ); } function compareModuleSpecifiers(a, b, importingFile, program, preferences, allowsImportingSpecifier, toPath32) { if (a.kind !== 0 && b.kind !== 0) { return compareBooleans( b.moduleSpecifierKind !== "node_modules" || allowsImportingSpecifier(b.moduleSpecifier), a.moduleSpecifierKind !== "node_modules" || allowsImportingSpecifier(a.moduleSpecifier) ) || compareModuleSpecifierRelativity(a, b, preferences) || compareNodeCoreModuleSpecifiers(a.moduleSpecifier, b.moduleSpecifier, importingFile, program) || compareBooleans( isFixPossiblyReExportingImportingFile(a, importingFile.path, toPath32), isFixPossiblyReExportingImportingFile(b, importingFile.path, toPath32) ) || compareNumberOfDirectorySeparators(a.moduleSpecifier, b.moduleSpecifier); } return 0; } function compareModuleSpecifierRelativity(a, b, preferences) { if (preferences.importModuleSpecifierPreference === "non-relative" || preferences.importModuleSpecifierPreference === "project-relative") { return compareBooleans(a.moduleSpecifierKind === "relative", b.moduleSpecifierKind === "relative"); } return 0; } function isFixPossiblyReExportingImportingFile(fix11, importingFilePath, toPath32) { var _a; if (fix11.isReExport && ((_a = fix11.exportInfo) == null ? void 0 : _a.moduleFileName) && isIndexFileName(fix11.exportInfo.moduleFileName)) { const reExportDir = toPath32(getDirectoryPath(fix11.exportInfo.moduleFileName)); return startsWith2(importingFilePath, reExportDir); } return false; } function isIndexFileName(fileName) { return getBaseFileName( fileName, [".js", ".jsx", ".d.ts", ".ts", ".tsx"], /*ignoreCase*/ true ) === "index"; } function compareNodeCoreModuleSpecifiers(a, b, importingFile, program) { if (startsWith2(a, "node:") && !startsWith2(b, "node:")) return shouldUseUriStyleNodeCoreModules(importingFile, program) ? -1 : 1; if (startsWith2(b, "node:") && !startsWith2(a, "node:")) return shouldUseUriStyleNodeCoreModules(importingFile, program) ? 1 : -1; return 0; } function getFixesInfoForUMDImport({ sourceFile, program, host, preferences }, token) { const checker = program.getTypeChecker(); const umdSymbol = getUmdSymbol(token, checker); if (!umdSymbol) return void 0; const symbol = checker.getAliasedSymbol(umdSymbol); const symbolName2 = umdSymbol.name; const exportInfo = [{ symbol: umdSymbol, moduleSymbol: symbol, moduleFileName: void 0, exportKind: 3, targetFlags: symbol.flags, isFromPackageJson: false }]; const useRequire = shouldUseRequire(sourceFile, program); const fixes = getImportFixes( exportInfo, /*usagePosition*/ void 0, /*isValidTypeOnlyUseSite*/ false, useRequire, program, sourceFile, host, preferences ).fixes; return fixes.map((fix11) => { var _a; return { fix: fix11, symbolName: symbolName2, errorIdentifierText: (_a = tryCast(token, isIdentifier)) == null ? void 0 : _a.text }; }); } function getUmdSymbol(token, checker) { const umdSymbol = isIdentifier(token) ? checker.getSymbolAtLocation(token) : void 0; if (isUMDExportSymbol(umdSymbol)) return umdSymbol; const { parent: parent2 } = token; if (isJsxOpeningLikeElement(parent2) && parent2.tagName === token || isJsxOpeningFragment(parent2)) { const parentSymbol = checker.resolveName( checker.getJsxNamespace(parent2), isJsxOpeningLikeElement(parent2) ? token : parent2, 111551, /*excludeGlobals*/ false ); if (isUMDExportSymbol(parentSymbol)) { return parentSymbol; } } return void 0; } function getImportKind(importingFile, exportKind, compilerOptions, forceImportKeyword) { if (compilerOptions.verbatimModuleSyntax && (getEmitModuleKind(compilerOptions) === 1 || importingFile.impliedNodeFormat === 1)) { return 3; } switch (exportKind) { case 0: return 0; case 1: return 1; case 2: return getExportEqualsImportKind(importingFile, compilerOptions, !!forceImportKeyword); case 3: return getUmdImportKind(importingFile, compilerOptions, !!forceImportKeyword); default: return Debug.assertNever(exportKind); } } function getUmdImportKind(importingFile, compilerOptions, forceImportKeyword) { if (getAllowSyntheticDefaultImports(compilerOptions)) { return 1; } const moduleKind = getEmitModuleKind(compilerOptions); switch (moduleKind) { case 2: case 1: case 3: if (hasJSFileExtension(importingFile.fileName)) { return importingFile.externalModuleIndicator || forceImportKeyword ? 2 : 3; } return 3; case 4: case 5: case 6: case 7: case 99: case 0: case 200: return 2; case 100: case 199: return importingFile.impliedNodeFormat === 99 ? 2 : 3; default: return Debug.assertNever(moduleKind, `Unexpected moduleKind ${moduleKind}`); } } function getFixesInfoForNonUMDImport({ sourceFile, program, cancellationToken, host, preferences }, symbolToken, useAutoImportProvider) { const checker = program.getTypeChecker(); const compilerOptions = program.getCompilerOptions(); return flatMap(getSymbolNamesToImport(sourceFile, checker, symbolToken, compilerOptions), (symbolName2) => { if (symbolName2 === "default") { return void 0; } const isValidTypeOnlyUseSite = isValidTypeOnlyAliasUseSite(symbolToken); const useRequire = shouldUseRequire(sourceFile, program); const exportInfo = getExportInfos(symbolName2, isJSXTagName(symbolToken), getMeaningFromLocation(symbolToken), cancellationToken, sourceFile, program, useAutoImportProvider, host, preferences); return arrayFrom( flatMapIterator(exportInfo.values(), (exportInfos) => getImportFixes(exportInfos, symbolToken.getStart(sourceFile), isValidTypeOnlyUseSite, useRequire, program, sourceFile, host, preferences).fixes), (fix11) => ({ fix: fix11, symbolName: symbolName2, errorIdentifierText: symbolToken.text, isJsxNamespaceFix: symbolName2 !== symbolToken.text }) ); }); } function getTypeOnlyPromotionFix(sourceFile, symbolToken, symbolName2, program) { const checker = program.getTypeChecker(); const symbol = checker.resolveName( symbolName2, symbolToken, 111551, /*excludeGlobals*/ true ); if (!symbol) return void 0; const typeOnlyAliasDeclaration = checker.getTypeOnlyAliasDeclaration(symbol); if (!typeOnlyAliasDeclaration || getSourceFileOfNode(typeOnlyAliasDeclaration) !== sourceFile) return void 0; return { kind: 4, typeOnlyAliasDeclaration }; } function getSymbolNamesToImport(sourceFile, checker, symbolToken, compilerOptions) { const parent2 = symbolToken.parent; if ((isJsxOpeningLikeElement(parent2) || isJsxClosingElement(parent2)) && parent2.tagName === symbolToken && jsxModeNeedsExplicitImport(compilerOptions.jsx)) { const jsxNamespace = checker.getJsxNamespace(sourceFile); if (needsJsxNamespaceFix(jsxNamespace, symbolToken, checker)) { const needsComponentNameFix = !isIntrinsicJsxName(symbolToken.text) && !checker.resolveName( symbolToken.text, symbolToken, 111551, /*excludeGlobals*/ false ); return needsComponentNameFix ? [symbolToken.text, jsxNamespace] : [jsxNamespace]; } } return [symbolToken.text]; } function needsJsxNamespaceFix(jsxNamespace, symbolToken, checker) { if (isIntrinsicJsxName(symbolToken.text)) return true; const namespaceSymbol = checker.resolveName( jsxNamespace, symbolToken, 111551, /*excludeGlobals*/ true ); return !namespaceSymbol || some(namespaceSymbol.declarations, isTypeOnlyImportOrExportDeclaration) && !(namespaceSymbol.flags & 111551); } function getExportInfos(symbolName2, isJsxTagName, currentTokenMeaning, cancellationToken, fromFile, program, useAutoImportProvider, host, preferences) { var _a; const originalSymbolToExportInfos = createMultiMap(); const packageJsonFilter = createPackageJsonImportFilter(fromFile, preferences, host); const moduleSpecifierCache = (_a = host.getModuleSpecifierCache) == null ? void 0 : _a.call(host); const getModuleSpecifierResolutionHost = memoizeOne((isFromPackageJson) => { return createModuleSpecifierResolutionHost(isFromPackageJson ? host.getPackageJsonAutoImportProvider() : program, host); }); function addSymbol(moduleSymbol, toFile, exportedSymbol, exportKind, program2, isFromPackageJson) { const moduleSpecifierResolutionHost = getModuleSpecifierResolutionHost(isFromPackageJson); if (toFile && isImportableFile(program2, fromFile, toFile, preferences, packageJsonFilter, moduleSpecifierResolutionHost, moduleSpecifierCache) || !toFile && packageJsonFilter.allowsImportingAmbientModule(moduleSymbol, moduleSpecifierResolutionHost)) { const checker = program2.getTypeChecker(); originalSymbolToExportInfos.add(getUniqueSymbolId(exportedSymbol, checker).toString(), { symbol: exportedSymbol, moduleSymbol, moduleFileName: toFile == null ? void 0 : toFile.fileName, exportKind, targetFlags: skipAlias(exportedSymbol, checker).flags, isFromPackageJson }); } } forEachExternalModuleToImportFrom(program, host, preferences, useAutoImportProvider, (moduleSymbol, sourceFile, program2, isFromPackageJson) => { const checker = program2.getTypeChecker(); cancellationToken.throwIfCancellationRequested(); const compilerOptions = program2.getCompilerOptions(); const defaultInfo = getDefaultLikeExportInfo(moduleSymbol, checker); if (defaultInfo && symbolFlagsHaveMeaning(checker.getSymbolFlags(defaultInfo.symbol), currentTokenMeaning) && forEachNameOfDefaultExport(defaultInfo.symbol, checker, compilerOptions, isJsxTagName, (name) => name === symbolName2)) { addSymbol(moduleSymbol, sourceFile, defaultInfo.symbol, defaultInfo.exportKind, program2, isFromPackageJson); } const exportSymbolWithIdenticalName = checker.tryGetMemberInModuleExportsAndProperties(symbolName2, moduleSymbol); if (exportSymbolWithIdenticalName && symbolFlagsHaveMeaning(checker.getSymbolFlags(exportSymbolWithIdenticalName), currentTokenMeaning)) { addSymbol(moduleSymbol, sourceFile, exportSymbolWithIdenticalName, 0, program2, isFromPackageJson); } }); return originalSymbolToExportInfos; } function getExportEqualsImportKind(importingFile, compilerOptions, forceImportKeyword) { const allowSyntheticDefaults = getAllowSyntheticDefaultImports(compilerOptions); const isJS = hasJSFileExtension(importingFile.fileName); if (!isJS && getEmitModuleKind(compilerOptions) >= 5) { return allowSyntheticDefaults ? 1 : 2; } if (isJS) { return importingFile.externalModuleIndicator || forceImportKeyword ? allowSyntheticDefaults ? 1 : 2 : 3; } for (const statement of importingFile.statements ?? emptyArray) { if (isImportEqualsDeclaration(statement) && !nodeIsMissing(statement.moduleReference)) { return 3; } } return allowSyntheticDefaults ? 1 : 3; } function codeActionForFix(context, sourceFile, symbolName2, fix11, includeSymbolNameInDescription, program, preferences) { let diag2; const changes = ts_textChanges_exports.ChangeTracker.with(context, (tracker2) => { diag2 = codeActionForFixWorker(tracker2, sourceFile, symbolName2, fix11, includeSymbolNameInDescription, program, preferences); }); return createCodeFixAction(importFixName, changes, diag2, importFixId, Diagnostics.Add_all_missing_imports); } function codeActionForFixWorker(changes, sourceFile, symbolName2, fix11, includeSymbolNameInDescription, program, preferences) { const quotePreference = getQuotePreference(sourceFile, preferences); switch (fix11.kind) { case 0: addNamespaceQualifier(changes, sourceFile, fix11); return [Diagnostics.Change_0_to_1, symbolName2, `${fix11.namespacePrefix}.${symbolName2}`]; case 1: addImportType(changes, sourceFile, fix11, quotePreference); return [Diagnostics.Change_0_to_1, symbolName2, getImportTypePrefix(fix11.moduleSpecifier, quotePreference) + symbolName2]; case 2: { const { importClauseOrBindingPattern, importKind, addAsTypeOnly, moduleSpecifier } = fix11; doAddExistingFix( changes, sourceFile, importClauseOrBindingPattern, importKind === 1 ? { name: symbolName2, addAsTypeOnly } : void 0, importKind === 0 ? [{ name: symbolName2, addAsTypeOnly }] : emptyArray, /*removeExistingImportSpecifiers*/ void 0, preferences ); const moduleSpecifierWithoutQuotes = stripQuotes(moduleSpecifier); return includeSymbolNameInDescription ? [Diagnostics.Import_0_from_1, symbolName2, moduleSpecifierWithoutQuotes] : [Diagnostics.Update_import_from_0, moduleSpecifierWithoutQuotes]; } case 3: { const { importKind, moduleSpecifier, addAsTypeOnly, useRequire, qualification } = fix11; const getDeclarations = useRequire ? getNewRequires : getNewImports; const defaultImport = importKind === 1 ? { name: symbolName2, addAsTypeOnly } : void 0; const namedImports = importKind === 0 ? [{ name: symbolName2, addAsTypeOnly }] : void 0; const namespaceLikeImport = importKind === 2 || importKind === 3 ? { importKind, name: (qualification == null ? void 0 : qualification.namespacePrefix) || symbolName2, addAsTypeOnly } : void 0; insertImports( changes, sourceFile, getDeclarations( moduleSpecifier, quotePreference, defaultImport, namedImports, namespaceLikeImport, program.getCompilerOptions(), preferences ), /*blankLineBetween*/ true, preferences ); if (qualification) { addNamespaceQualifier(changes, sourceFile, qualification); } return includeSymbolNameInDescription ? [Diagnostics.Import_0_from_1, symbolName2, moduleSpecifier] : [Diagnostics.Add_import_from_0, moduleSpecifier]; } case 4: { const { typeOnlyAliasDeclaration } = fix11; const promotedDeclaration = promoteFromTypeOnly(changes, typeOnlyAliasDeclaration, program, sourceFile, preferences); return promotedDeclaration.kind === 276 ? [Diagnostics.Remove_type_from_import_of_0_from_1, symbolName2, getModuleSpecifierText(promotedDeclaration.parent.parent)] : [Diagnostics.Remove_type_from_import_declaration_from_0, getModuleSpecifierText(promotedDeclaration)]; } default: return Debug.assertNever(fix11, `Unexpected fix kind ${fix11.kind}`); } } function getModuleSpecifierText(promotedDeclaration) { var _a, _b; return promotedDeclaration.kind === 271 ? ((_b = tryCast((_a = tryCast(promotedDeclaration.moduleReference, isExternalModuleReference)) == null ? void 0 : _a.expression, isStringLiteralLike)) == null ? void 0 : _b.text) || promotedDeclaration.moduleReference.getText() : cast(promotedDeclaration.parent.moduleSpecifier, isStringLiteral2).text; } function promoteFromTypeOnly(changes, aliasDeclaration, program, sourceFile, preferences) { const compilerOptions = program.getCompilerOptions(); const convertExistingToTypeOnly = compilerOptions.verbatimModuleSyntax; switch (aliasDeclaration.kind) { case 276: if (aliasDeclaration.isTypeOnly) { if (aliasDeclaration.parent.elements.length > 1) { const newSpecifier = factory.updateImportSpecifier( aliasDeclaration, /*isTypeOnly*/ false, aliasDeclaration.propertyName, aliasDeclaration.name ); const { specifierComparer } = ts_OrganizeImports_exports.getNamedImportSpecifierComparerWithDetection(aliasDeclaration.parent.parent.parent, preferences, sourceFile); const insertionIndex = ts_OrganizeImports_exports.getImportSpecifierInsertionIndex(aliasDeclaration.parent.elements, newSpecifier, specifierComparer); if (insertionIndex !== aliasDeclaration.parent.elements.indexOf(aliasDeclaration)) { changes.delete(sourceFile, aliasDeclaration); changes.insertImportSpecifierAtIndex(sourceFile, newSpecifier, aliasDeclaration.parent, insertionIndex); return aliasDeclaration; } } changes.deleteRange(sourceFile, { pos: getTokenPosOfNode(aliasDeclaration.getFirstToken()), end: getTokenPosOfNode(aliasDeclaration.propertyName ?? aliasDeclaration.name) }); return aliasDeclaration; } else { Debug.assert(aliasDeclaration.parent.parent.isTypeOnly); promoteImportClause(aliasDeclaration.parent.parent); return aliasDeclaration.parent.parent; } case 273: promoteImportClause(aliasDeclaration); return aliasDeclaration; case 274: promoteImportClause(aliasDeclaration.parent); return aliasDeclaration.parent; case 271: changes.deleteRange(sourceFile, aliasDeclaration.getChildAt(1)); return aliasDeclaration; default: Debug.failBadSyntaxKind(aliasDeclaration); } function promoteImportClause(importClause) { var _a; changes.delete(sourceFile, getTypeKeywordOfTypeOnlyImport(importClause, sourceFile)); if (!compilerOptions.allowImportingTsExtensions) { const moduleSpecifier = tryGetModuleSpecifierFromDeclaration(importClause.parent); const resolvedModule = moduleSpecifier && ((_a = program.getResolvedModuleFromModuleSpecifier(moduleSpecifier, sourceFile)) == null ? void 0 : _a.resolvedModule); if (resolvedModule == null ? void 0 : resolvedModule.resolvedUsingTsExtension) { const changedExtension = changeAnyExtension(moduleSpecifier.text, getOutputExtension(moduleSpecifier.text, compilerOptions)); changes.replaceNode(sourceFile, moduleSpecifier, factory.createStringLiteral(changedExtension)); } } if (convertExistingToTypeOnly) { const namedImports = tryCast(importClause.namedBindings, isNamedImports); if (namedImports && namedImports.elements.length > 1) { const sortState = ts_OrganizeImports_exports.getNamedImportSpecifierComparerWithDetection(importClause.parent, preferences, sourceFile); if (sortState.isSorted !== false && aliasDeclaration.kind === 276 && namedImports.elements.indexOf(aliasDeclaration) !== 0) { changes.delete(sourceFile, aliasDeclaration); changes.insertImportSpecifierAtIndex(sourceFile, aliasDeclaration, namedImports, 0); } for (const element of namedImports.elements) { if (element !== aliasDeclaration && !element.isTypeOnly) { changes.insertModifierBefore(sourceFile, 156, element); } } } } } } function doAddExistingFix(changes, sourceFile, clause, defaultImport, namedImports, removeExistingImportSpecifiers, preferences) { var _a; if (clause.kind === 206) { if (removeExistingImportSpecifiers && clause.elements.some((e) => removeExistingImportSpecifiers.has(e))) { changes.replaceNode( sourceFile, clause, factory.createObjectBindingPattern([ ...clause.elements.filter((e) => !removeExistingImportSpecifiers.has(e)), ...defaultImport ? [factory.createBindingElement( /*dotDotDotToken*/ void 0, /*propertyName*/ "default", defaultImport.name )] : emptyArray, ...namedImports.map((i) => factory.createBindingElement( /*dotDotDotToken*/ void 0, /*propertyName*/ void 0, i.name )) ]) ); return; } if (defaultImport) { addElementToBindingPattern(clause, defaultImport.name, "default"); } for (const specifier of namedImports) { addElementToBindingPattern( clause, specifier.name, /*propertyName*/ void 0 ); } return; } const promoteFromTypeOnly2 = clause.isTypeOnly && some( [defaultImport, ...namedImports], (i) => (i == null ? void 0 : i.addAsTypeOnly) === 4 /* NotAllowed */ ); const existingSpecifiers = clause.namedBindings && ((_a = tryCast(clause.namedBindings, isNamedImports)) == null ? void 0 : _a.elements); if (defaultImport) { Debug.assert(!clause.name, "Cannot add a default import to an import clause that already has one"); changes.insertNodeAt(sourceFile, clause.getStart(sourceFile), factory.createIdentifier(defaultImport.name), { suffix: ", " }); } if (namedImports.length) { const { specifierComparer, isSorted } = ts_OrganizeImports_exports.getNamedImportSpecifierComparerWithDetection(clause.parent, preferences, sourceFile); const newSpecifiers = stableSort( namedImports.map( (namedImport) => factory.createImportSpecifier( (!clause.isTypeOnly || promoteFromTypeOnly2) && shouldUseTypeOnly(namedImport, preferences), /*propertyName*/ void 0, factory.createIdentifier(namedImport.name) ) ), specifierComparer ); if (removeExistingImportSpecifiers) { changes.replaceNode( sourceFile, clause.namedBindings, factory.updateNamedImports( clause.namedBindings, stableSort([...existingSpecifiers.filter((s) => !removeExistingImportSpecifiers.has(s)), ...newSpecifiers], specifierComparer) ) ); } else if ((existingSpecifiers == null ? void 0 : existingSpecifiers.length) && isSorted !== false) { const transformedExistingSpecifiers = promoteFromTypeOnly2 && existingSpecifiers ? factory.updateNamedImports( clause.namedBindings, sameMap(existingSpecifiers, (e) => factory.updateImportSpecifier( e, /*isTypeOnly*/ true, e.propertyName, e.name )) ).elements : existingSpecifiers; for (const spec of newSpecifiers) { const insertionIndex = ts_OrganizeImports_exports.getImportSpecifierInsertionIndex(transformedExistingSpecifiers, spec, specifierComparer); changes.insertImportSpecifierAtIndex(sourceFile, spec, clause.namedBindings, insertionIndex); } } else if (existingSpecifiers == null ? void 0 : existingSpecifiers.length) { for (const spec of newSpecifiers) { changes.insertNodeInListAfter(sourceFile, last(existingSpecifiers), spec, existingSpecifiers); } } else { if (newSpecifiers.length) { const namedImports2 = factory.createNamedImports(newSpecifiers); if (clause.namedBindings) { changes.replaceNode(sourceFile, clause.namedBindings, namedImports2); } else { changes.insertNodeAfter(sourceFile, Debug.checkDefined(clause.name, "Import clause must have either named imports or a default import"), namedImports2); } } } } if (promoteFromTypeOnly2) { changes.delete(sourceFile, getTypeKeywordOfTypeOnlyImport(clause, sourceFile)); if (existingSpecifiers) { for (const specifier of existingSpecifiers) { changes.insertModifierBefore(sourceFile, 156, specifier); } } } function addElementToBindingPattern(bindingPattern, name, propertyName) { const element = factory.createBindingElement( /*dotDotDotToken*/ void 0, propertyName, name ); if (bindingPattern.elements.length) { changes.insertNodeInListAfter(sourceFile, last(bindingPattern.elements), element); } else { changes.replaceNode(sourceFile, bindingPattern, factory.createObjectBindingPattern([element])); } } } function addNamespaceQualifier(changes, sourceFile, { namespacePrefix, usagePosition }) { changes.insertText(sourceFile, usagePosition, namespacePrefix + "."); } function addImportType(changes, sourceFile, { moduleSpecifier, usagePosition: position }, quotePreference) { changes.insertText(sourceFile, position, getImportTypePrefix(moduleSpecifier, quotePreference)); } function getImportTypePrefix(moduleSpecifier, quotePreference) { const quote2 = getQuoteFromPreference(quotePreference); return `import(${quote2}${moduleSpecifier}${quote2}).`; } function needsTypeOnly({ addAsTypeOnly }) { return addAsTypeOnly === 2; } function shouldUseTypeOnly(info, preferences) { return needsTypeOnly(info) || !!preferences.preferTypeOnlyAutoImports && info.addAsTypeOnly !== 4; } function getNewImports(moduleSpecifier, quotePreference, defaultImport, namedImports, namespaceLikeImport, compilerOptions, preferences) { const quotedModuleSpecifier = makeStringLiteral(moduleSpecifier, quotePreference); let statements; if (defaultImport !== void 0 || (namedImports == null ? void 0 : namedImports.length)) { const topLevelTypeOnly = (!defaultImport || needsTypeOnly(defaultImport)) && every(namedImports, needsTypeOnly) || (compilerOptions.verbatimModuleSyntax || preferences.preferTypeOnlyAutoImports) && (defaultImport == null ? void 0 : defaultImport.addAsTypeOnly) !== 4 && !some( namedImports, (i) => i.addAsTypeOnly === 4 /* NotAllowed */ ); statements = combine( statements, makeImport( defaultImport && factory.createIdentifier(defaultImport.name), namedImports == null ? void 0 : namedImports.map( (namedImport) => factory.createImportSpecifier( !topLevelTypeOnly && shouldUseTypeOnly(namedImport, preferences), /*propertyName*/ void 0, factory.createIdentifier(namedImport.name) ) ), moduleSpecifier, quotePreference, topLevelTypeOnly ) ); } if (namespaceLikeImport) { const declaration = namespaceLikeImport.importKind === 3 ? factory.createImportEqualsDeclaration( /*modifiers*/ void 0, shouldUseTypeOnly(namespaceLikeImport, preferences), factory.createIdentifier(namespaceLikeImport.name), factory.createExternalModuleReference(quotedModuleSpecifier) ) : factory.createImportDeclaration( /*modifiers*/ void 0, factory.createImportClause( shouldUseTypeOnly(namespaceLikeImport, preferences), /*name*/ void 0, factory.createNamespaceImport(factory.createIdentifier(namespaceLikeImport.name)) ), quotedModuleSpecifier, /*attributes*/ void 0 ); statements = combine(statements, declaration); } return Debug.checkDefined(statements); } function getNewRequires(moduleSpecifier, quotePreference, defaultImport, namedImports, namespaceLikeImport) { const quotedModuleSpecifier = makeStringLiteral(moduleSpecifier, quotePreference); let statements; if (defaultImport || (namedImports == null ? void 0 : namedImports.length)) { const bindingElements = (namedImports == null ? void 0 : namedImports.map(({ name }) => factory.createBindingElement( /*dotDotDotToken*/ void 0, /*propertyName*/ void 0, name ))) || []; if (defaultImport) { bindingElements.unshift(factory.createBindingElement( /*dotDotDotToken*/ void 0, "default", defaultImport.name )); } const declaration = createConstEqualsRequireDeclaration(factory.createObjectBindingPattern(bindingElements), quotedModuleSpecifier); statements = combine(statements, declaration); } if (namespaceLikeImport) { const declaration = createConstEqualsRequireDeclaration(namespaceLikeImport.name, quotedModuleSpecifier); statements = combine(statements, declaration); } return Debug.checkDefined(statements); } function createConstEqualsRequireDeclaration(name, quotedModuleSpecifier) { return factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [ factory.createVariableDeclaration( typeof name === "string" ? factory.createIdentifier(name) : name, /*exclamationToken*/ void 0, /*type*/ void 0, factory.createCallExpression( factory.createIdentifier("require"), /*typeArguments*/ void 0, [quotedModuleSpecifier] ) ) ], 2 /* Const */ ) ); } function symbolFlagsHaveMeaning(flags, meaning) { return meaning === 7 ? true : meaning & 1 ? !!(flags & 111551) : meaning & 2 ? !!(flags & 788968) : meaning & 4 ? !!(flags & 1920) : false; } var fixId17 = "addMissingConstraint"; var errorCodes19 = [ // We want errors this could be attached to: // Diagnostics.This_type_parameter_probably_needs_an_extends_0_constraint Diagnostics.Type_0_is_not_comparable_to_type_1.code, Diagnostics.Type_0_is_not_assignable_to_type_1_Two_different_types_with_this_name_exist_but_they_are_unrelated.code, Diagnostics.Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_types_of_the_target_s_properties.code, Diagnostics.Type_0_is_not_assignable_to_type_1.code, Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_types_of_the_target_s_properties.code, Diagnostics.Property_0_is_incompatible_with_index_signature.code, Diagnostics.Property_0_in_type_1_is_not_assignable_to_type_2.code, Diagnostics.Type_0_does_not_satisfy_the_constraint_1.code ]; registerCodeFix({ errorCodes: errorCodes19, getCodeActions(context) { const { sourceFile, span, program, preferences, host } = context; const info = getInfo6(program, sourceFile, span); if (info === void 0) return; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addMissingConstraint(t, program, preferences, host, sourceFile, info)); return [createCodeFixAction(fixId17, changes, Diagnostics.Add_extends_constraint, fixId17, Diagnostics.Add_extends_constraint_to_all_type_parameters)]; }, fixIds: [fixId17], getAllCodeActions: (context) => { const { program, preferences, host } = context; const seen = /* @__PURE__ */ new Map(); return createCombinedCodeActions(ts_textChanges_exports.ChangeTracker.with(context, (changes) => { eachDiagnostic(context, errorCodes19, (diag2) => { const info = getInfo6(program, diag2.file, createTextSpan(diag2.start, diag2.length)); if (info) { if (addToSeen(seen, getNodeId(info.declaration))) { return addMissingConstraint(changes, program, preferences, host, diag2.file, info); } } return void 0; }); })); } }); function getInfo6(program, sourceFile, span) { const diag2 = find(program.getSemanticDiagnostics(sourceFile), (diag3) => diag3.start === span.start && diag3.length === span.length); if (diag2 === void 0 || diag2.relatedInformation === void 0) return; const related = find(diag2.relatedInformation, (related2) => related2.code === Diagnostics.This_type_parameter_might_need_an_extends_0_constraint.code); if (related === void 0 || related.file === void 0 || related.start === void 0 || related.length === void 0) return; let declaration = findAncestorMatchingSpan(related.file, createTextSpan(related.start, related.length)); if (declaration === void 0) return; if (isIdentifier(declaration) && isTypeParameterDeclaration(declaration.parent)) { declaration = declaration.parent; } if (isTypeParameterDeclaration(declaration)) { if (isMappedTypeNode(declaration.parent)) return; const token = getTokenAtPosition(sourceFile, span.start); const checker = program.getTypeChecker(); const constraint = tryGetConstraintType(checker, token) || tryGetConstraintFromDiagnosticMessage(related.messageText); return { constraint, declaration, token }; } return void 0; } function addMissingConstraint(changes, program, preferences, host, sourceFile, info) { const { declaration, constraint } = info; const checker = program.getTypeChecker(); if (isString2(constraint)) { changes.insertText(sourceFile, declaration.name.end, ` extends ${constraint}`); } else { const scriptTarget = getEmitScriptTarget(program.getCompilerOptions()); const tracker2 = getNoopSymbolTrackerWithResolver({ program, host }); const importAdder = createImportAdder(sourceFile, program, preferences, host); const typeNode = typeToAutoImportableTypeNode( checker, importAdder, constraint, /*contextNode*/ void 0, scriptTarget, /*flags*/ void 0, tracker2 ); if (typeNode) { changes.replaceNode(sourceFile, declaration, factory.updateTypeParameterDeclaration( declaration, /*modifiers*/ void 0, declaration.name, typeNode, declaration.default )); importAdder.writeFixes(changes); } } } function tryGetConstraintFromDiagnosticMessage(messageText) { const [, constraint] = flattenDiagnosticMessageText(messageText, "\n", 0).match(/`extends (.*)`/) || []; return constraint; } function tryGetConstraintType(checker, node) { if (isTypeNode(node.parent)) { return checker.getTypeArgumentConstraint(node.parent); } const contextualType = isExpression(node) ? checker.getContextualType(node) : void 0; return contextualType || checker.getTypeAtLocation(node); } var fixName = "fixOverrideModifier"; var fixAddOverrideId = "fixAddOverrideModifier"; var fixRemoveOverrideId = "fixRemoveOverrideModifier"; var errorCodes20 = [ Diagnostics.This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0.code, Diagnostics.This_member_cannot_have_an_override_modifier_because_its_containing_class_0_does_not_extend_another_class.code, Diagnostics.This_member_must_have_an_override_modifier_because_it_overrides_an_abstract_method_that_is_declared_in_the_base_class_0.code, Diagnostics.This_member_must_have_an_override_modifier_because_it_overrides_a_member_in_the_base_class_0.code, Diagnostics.This_parameter_property_must_have_an_override_modifier_because_it_overrides_a_member_in_base_class_0.code, Diagnostics.This_member_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0.code, Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_its_containing_class_0_does_not_extend_another_class.code, Diagnostics.This_parameter_property_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0.code, Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base_class_0.code ]; var errorCodeFixIdMap = { // case #1: [Diagnostics.This_member_must_have_an_override_modifier_because_it_overrides_a_member_in_the_base_class_0.code]: { descriptions: Diagnostics.Add_override_modifier, fixId: fixAddOverrideId, fixAllDescriptions: Diagnostics.Add_all_missing_override_modifiers }, [Diagnostics.This_member_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0.code]: { descriptions: Diagnostics.Add_override_modifier, fixId: fixAddOverrideId, fixAllDescriptions: Diagnostics.Add_all_missing_override_modifiers }, // case #2: [Diagnostics.This_member_cannot_have_an_override_modifier_because_its_containing_class_0_does_not_extend_another_class.code]: { descriptions: Diagnostics.Remove_override_modifier, fixId: fixRemoveOverrideId, fixAllDescriptions: Diagnostics.Remove_all_unnecessary_override_modifiers }, [Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_its_containing_class_0_does_not_extend_another_class.code]: { descriptions: Diagnostics.Remove_override_modifier, fixId: fixRemoveOverrideId, fixAllDescriptions: Diagnostics.Remove_override_modifier }, // case #3: [Diagnostics.This_parameter_property_must_have_an_override_modifier_because_it_overrides_a_member_in_base_class_0.code]: { descriptions: Diagnostics.Add_override_modifier, fixId: fixAddOverrideId, fixAllDescriptions: Diagnostics.Add_all_missing_override_modifiers }, [Diagnostics.This_parameter_property_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0.code]: { descriptions: Diagnostics.Add_override_modifier, fixId: fixAddOverrideId, fixAllDescriptions: Diagnostics.Add_all_missing_override_modifiers }, // case #4: [Diagnostics.This_member_must_have_an_override_modifier_because_it_overrides_an_abstract_method_that_is_declared_in_the_base_class_0.code]: { descriptions: Diagnostics.Add_override_modifier, fixId: fixAddOverrideId, fixAllDescriptions: Diagnostics.Remove_all_unnecessary_override_modifiers }, // case #5: [Diagnostics.This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0.code]: { descriptions: Diagnostics.Remove_override_modifier, fixId: fixRemoveOverrideId, fixAllDescriptions: Diagnostics.Remove_all_unnecessary_override_modifiers }, [Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base_class_0.code]: { descriptions: Diagnostics.Remove_override_modifier, fixId: fixRemoveOverrideId, fixAllDescriptions: Diagnostics.Remove_all_unnecessary_override_modifiers } }; registerCodeFix({ errorCodes: errorCodes20, getCodeActions: function getCodeActionsToFixOverrideModifierIssues(context) { const { errorCode, span } = context; const info = errorCodeFixIdMap[errorCode]; if (!info) return emptyArray; const { descriptions, fixId: fixId55, fixAllDescriptions } = info; const changes = ts_textChanges_exports.ChangeTracker.with(context, (changes2) => dispatchChanges(changes2, context, errorCode, span.start)); return [ createCodeFixActionMaybeFixAll(fixName, changes, descriptions, fixId55, fixAllDescriptions) ]; }, fixIds: [fixName, fixAddOverrideId, fixRemoveOverrideId], getAllCodeActions: (context) => codeFixAll(context, errorCodes20, (changes, diag2) => { const { code, start } = diag2; const info = errorCodeFixIdMap[code]; if (!info || info.fixId !== context.fixId) { return; } dispatchChanges(changes, context, code, start); }) }); function dispatchChanges(changeTracker, context, errorCode, pos) { switch (errorCode) { case Diagnostics.This_member_must_have_an_override_modifier_because_it_overrides_a_member_in_the_base_class_0.code: case Diagnostics.This_member_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0.code: case Diagnostics.This_member_must_have_an_override_modifier_because_it_overrides_an_abstract_method_that_is_declared_in_the_base_class_0.code: case Diagnostics.This_parameter_property_must_have_an_override_modifier_because_it_overrides_a_member_in_base_class_0.code: case Diagnostics.This_parameter_property_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0.code: return doAddOverrideModifierChange(changeTracker, context.sourceFile, pos); case Diagnostics.This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0.code: case Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base_class_0.code: case Diagnostics.This_member_cannot_have_an_override_modifier_because_its_containing_class_0_does_not_extend_another_class.code: case Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_its_containing_class_0_does_not_extend_another_class.code: return doRemoveOverrideModifierChange(changeTracker, context.sourceFile, pos); default: Debug.fail("Unexpected error code: " + errorCode); } } function doAddOverrideModifierChange(changeTracker, sourceFile, pos) { const classElement = findContainerClassElementLike(sourceFile, pos); if (isSourceFileJS(sourceFile)) { changeTracker.addJSDocTags(sourceFile, classElement, [factory.createJSDocOverrideTag(factory.createIdentifier("override"))]); return; } const modifiers = classElement.modifiers || emptyArray; const staticModifier = find(modifiers, isStaticModifier); const abstractModifier = find(modifiers, isAbstractModifier); const accessibilityModifier = find(modifiers, (m) => isAccessibilityModifier(m.kind)); const lastDecorator = findLast(modifiers, isDecorator); const modifierPos = abstractModifier ? abstractModifier.end : staticModifier ? staticModifier.end : accessibilityModifier ? accessibilityModifier.end : lastDecorator ? skipTrivia(sourceFile.text, lastDecorator.end) : classElement.getStart(sourceFile); const options = accessibilityModifier || staticModifier || abstractModifier ? { prefix: " " } : { suffix: " " }; changeTracker.insertModifierAt(sourceFile, modifierPos, 164, options); } function doRemoveOverrideModifierChange(changeTracker, sourceFile, pos) { const classElement = findContainerClassElementLike(sourceFile, pos); if (isSourceFileJS(sourceFile)) { changeTracker.filterJSDocTags(sourceFile, classElement, not(isJSDocOverrideTag)); return; } const overrideModifier = find(classElement.modifiers, isOverrideModifier); Debug.assertIsDefined(overrideModifier); changeTracker.deleteModifier(sourceFile, overrideModifier); } function isClassElementLikeHasJSDoc(node) { switch (node.kind) { case 176: case 172: case 174: case 177: case 178: return true; case 169: return isParameterPropertyDeclaration(node, node.parent); default: return false; } } function findContainerClassElementLike(sourceFile, pos) { const token = getTokenAtPosition(sourceFile, pos); const classElement = findAncestor(token, (node) => { if (isClassLike(node)) return "quit"; return isClassElementLikeHasJSDoc(node); }); Debug.assert(classElement && isClassElementLikeHasJSDoc(classElement)); return classElement; } var fixId18 = "fixNoPropertyAccessFromIndexSignature"; var errorCodes21 = [ Diagnostics.Property_0_comes_from_an_index_signature_so_it_must_be_accessed_with_0.code ]; registerCodeFix({ errorCodes: errorCodes21, fixIds: [fixId18], getCodeActions(context) { const { sourceFile, span, preferences } = context; const property = getPropertyAccessExpression(sourceFile, span.start); const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange14(t, context.sourceFile, property, preferences)); return [createCodeFixAction(fixId18, changes, [Diagnostics.Use_element_access_for_0, property.name.text], fixId18, Diagnostics.Use_element_access_for_all_undeclared_properties)]; }, getAllCodeActions: (context) => codeFixAll(context, errorCodes21, (changes, diag2) => doChange14(changes, diag2.file, getPropertyAccessExpression(diag2.file, diag2.start), context.preferences)) }); function doChange14(changes, sourceFile, node, preferences) { const quotePreference = getQuotePreference(sourceFile, preferences); const argumentsExpression = factory.createStringLiteral( node.name.text, quotePreference === 0 /* Single */ ); changes.replaceNode( sourceFile, node, isPropertyAccessChain(node) ? factory.createElementAccessChain(node.expression, node.questionDotToken, argumentsExpression) : factory.createElementAccessExpression(node.expression, argumentsExpression) ); } function getPropertyAccessExpression(sourceFile, pos) { return cast(getTokenAtPosition(sourceFile, pos).parent, isPropertyAccessExpression); } var fixId19 = "fixImplicitThis"; var errorCodes22 = [Diagnostics.this_implicitly_has_type_any_because_it_does_not_have_a_type_annotation.code]; registerCodeFix({ errorCodes: errorCodes22, getCodeActions: function getCodeActionsToFixImplicitThis(context) { const { sourceFile, program, span } = context; let diagnostic; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => { diagnostic = doChange15(t, sourceFile, span.start, program.getTypeChecker()); }); return diagnostic ? [createCodeFixAction(fixId19, changes, diagnostic, fixId19, Diagnostics.Fix_all_implicit_this_errors)] : emptyArray; }, fixIds: [fixId19], getAllCodeActions: (context) => codeFixAll(context, errorCodes22, (changes, diag2) => { doChange15(changes, diag2.file, diag2.start, context.program.getTypeChecker()); }) }); function doChange15(changes, sourceFile, pos, checker) { const token = getTokenAtPosition(sourceFile, pos); if (!isThis(token)) return void 0; const fn = getThisContainer( token, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ); if (!isFunctionDeclaration(fn) && !isFunctionExpression(fn)) return void 0; if (!isSourceFile(getThisContainer( fn, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ))) { const fnKeyword = Debug.checkDefined(findChildOfKind(fn, 100, sourceFile)); const { name } = fn; const body = Debug.checkDefined(fn.body); if (isFunctionExpression(fn)) { if (name && ts_FindAllReferences_exports.Core.isSymbolReferencedInFile(name, checker, sourceFile, body)) { return void 0; } changes.delete(sourceFile, fnKeyword); if (name) { changes.delete(sourceFile, name); } changes.insertText(sourceFile, body.pos, " =>"); return [Diagnostics.Convert_function_expression_0_to_arrow_function, name ? name.text : ANONYMOUS]; } else { changes.replaceNode(sourceFile, fnKeyword, factory.createToken( 87 /* ConstKeyword */ )); changes.insertText(sourceFile, name.end, " = "); changes.insertText(sourceFile, body.pos, " =>"); return [Diagnostics.Convert_function_declaration_0_to_arrow_function, name.text]; } } } var fixId20 = "fixImportNonExportedMember"; var errorCodes23 = [ Diagnostics.Module_0_declares_1_locally_but_it_is_not_exported.code ]; registerCodeFix({ errorCodes: errorCodes23, fixIds: [fixId20], getCodeActions(context) { const { sourceFile, span, program } = context; const info = getInfo7(sourceFile, span.start, program); if (info === void 0) return void 0; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange16(t, program, info)); return [createCodeFixAction(fixId20, changes, [Diagnostics.Export_0_from_module_1, info.exportName.node.text, info.moduleSpecifier], fixId20, Diagnostics.Export_all_referenced_locals)]; }, getAllCodeActions(context) { const { program } = context; return createCombinedCodeActions(ts_textChanges_exports.ChangeTracker.with(context, (changes) => { const exports22 = /* @__PURE__ */ new Map(); eachDiagnostic(context, errorCodes23, (diag2) => { const info = getInfo7(diag2.file, diag2.start, program); if (info === void 0) return void 0; const { exportName, node, moduleSourceFile } = info; if (tryGetExportDeclaration(moduleSourceFile, exportName.isTypeOnly) === void 0 && canHaveExportModifier(node)) { changes.insertExportModifier(moduleSourceFile, node); } else { const moduleExports4 = exports22.get(moduleSourceFile) || { typeOnlyExports: [], exports: [] }; if (exportName.isTypeOnly) { moduleExports4.typeOnlyExports.push(exportName); } else { moduleExports4.exports.push(exportName); } exports22.set(moduleSourceFile, moduleExports4); } }); exports22.forEach((moduleExports4, moduleSourceFile) => { const exportDeclaration = tryGetExportDeclaration( moduleSourceFile, /*isTypeOnly*/ true ); if (exportDeclaration && exportDeclaration.isTypeOnly) { doChanges(changes, program, moduleSourceFile, moduleExports4.typeOnlyExports, exportDeclaration); doChanges(changes, program, moduleSourceFile, moduleExports4.exports, tryGetExportDeclaration( moduleSourceFile, /*isTypeOnly*/ false )); } else { doChanges(changes, program, moduleSourceFile, [...moduleExports4.exports, ...moduleExports4.typeOnlyExports], exportDeclaration); } }); })); } }); function getInfo7(sourceFile, pos, program) { var _a, _b; const token = getTokenAtPosition(sourceFile, pos); if (isIdentifier(token)) { const importDeclaration = findAncestor(token, isImportDeclaration); if (importDeclaration === void 0) return void 0; const moduleSpecifier = isStringLiteral2(importDeclaration.moduleSpecifier) ? importDeclaration.moduleSpecifier : void 0; if (moduleSpecifier === void 0) return void 0; const resolvedModule = (_a = program.getResolvedModuleFromModuleSpecifier(moduleSpecifier, sourceFile)) == null ? void 0 : _a.resolvedModule; if (resolvedModule === void 0) return void 0; const moduleSourceFile = program.getSourceFile(resolvedModule.resolvedFileName); if (moduleSourceFile === void 0 || isSourceFileFromLibrary(program, moduleSourceFile)) return void 0; const moduleSymbol = moduleSourceFile.symbol; const locals = (_b = tryCast(moduleSymbol.valueDeclaration, canHaveLocals)) == null ? void 0 : _b.locals; if (locals === void 0) return void 0; const localSymbol = locals.get(token.escapedText); if (localSymbol === void 0) return void 0; const node = getNodeOfSymbol(localSymbol); if (node === void 0) return void 0; const exportName = { node: token, isTypeOnly: isTypeDeclaration(node) }; return { exportName, node, moduleSourceFile, moduleSpecifier: moduleSpecifier.text }; } return void 0; } function doChange16(changes, program, { exportName, node, moduleSourceFile }) { const exportDeclaration = tryGetExportDeclaration(moduleSourceFile, exportName.isTypeOnly); if (exportDeclaration) { updateExport(changes, program, moduleSourceFile, exportDeclaration, [exportName]); } else if (canHaveExportModifier(node)) { changes.insertExportModifier(moduleSourceFile, node); } else { createExport(changes, program, moduleSourceFile, [exportName]); } } function doChanges(changes, program, sourceFile, moduleExports4, node) { if (length(moduleExports4)) { if (node) { updateExport(changes, program, sourceFile, node, moduleExports4); } else { createExport(changes, program, sourceFile, moduleExports4); } } } function tryGetExportDeclaration(sourceFile, isTypeOnly) { const predicate = (node) => isExportDeclaration(node) && (isTypeOnly && node.isTypeOnly || !node.isTypeOnly); return findLast(sourceFile.statements, predicate); } function updateExport(changes, program, sourceFile, node, names) { const namedExports = node.exportClause && isNamedExports(node.exportClause) ? node.exportClause.elements : factory.createNodeArray([]); const allowTypeModifier = !node.isTypeOnly && !!(getIsolatedModules(program.getCompilerOptions()) || find(namedExports, (e) => e.isTypeOnly)); changes.replaceNode( sourceFile, node, factory.updateExportDeclaration( node, node.modifiers, node.isTypeOnly, factory.createNamedExports( factory.createNodeArray( [...namedExports, ...createExportSpecifiers(names, allowTypeModifier)], /*hasTrailingComma*/ namedExports.hasTrailingComma ) ), node.moduleSpecifier, node.attributes ) ); } function createExport(changes, program, sourceFile, names) { changes.insertNodeAtEndOfScope(sourceFile, sourceFile, factory.createExportDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, factory.createNamedExports(createExportSpecifiers( names, /*allowTypeModifier*/ getIsolatedModules(program.getCompilerOptions()) )), /*moduleSpecifier*/ void 0, /*attributes*/ void 0 )); } function createExportSpecifiers(names, allowTypeModifier) { return factory.createNodeArray(map(names, (n) => factory.createExportSpecifier( allowTypeModifier && n.isTypeOnly, /*propertyName*/ void 0, n.node ))); } function getNodeOfSymbol(symbol) { if (symbol.valueDeclaration === void 0) { return firstOrUndefined(symbol.declarations); } const declaration = symbol.valueDeclaration; const variableStatement = isVariableDeclaration(declaration) ? tryCast(declaration.parent.parent, isVariableStatement) : void 0; return variableStatement && length(variableStatement.declarationList.declarations) === 1 ? variableStatement : declaration; } var fixId21 = "fixIncorrectNamedTupleSyntax"; var errorCodes24 = [ Diagnostics.A_labeled_tuple_element_is_declared_as_optional_with_a_question_mark_after_the_name_and_before_the_colon_rather_than_after_the_type.code, Diagnostics.A_labeled_tuple_element_is_declared_as_rest_with_a_before_the_name_rather_than_before_the_type.code ]; registerCodeFix({ errorCodes: errorCodes24, getCodeActions: function getCodeActionsToFixIncorrectNamedTupleSyntax(context) { const { sourceFile, span } = context; const namedTupleMember = getNamedTupleMember(sourceFile, span.start); const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange17(t, sourceFile, namedTupleMember)); return [createCodeFixAction(fixId21, changes, Diagnostics.Move_labeled_tuple_element_modifiers_to_labels, fixId21, Diagnostics.Move_labeled_tuple_element_modifiers_to_labels)]; }, fixIds: [fixId21] }); function getNamedTupleMember(sourceFile, pos) { const token = getTokenAtPosition(sourceFile, pos); return findAncestor( token, (t) => t.kind === 202 /* NamedTupleMember */ ); } function doChange17(changes, sourceFile, namedTupleMember) { if (!namedTupleMember) { return; } let unwrappedType = namedTupleMember.type; let sawOptional = false; let sawRest = false; while (unwrappedType.kind === 190 || unwrappedType.kind === 191 || unwrappedType.kind === 196) { if (unwrappedType.kind === 190) { sawOptional = true; } else if (unwrappedType.kind === 191) { sawRest = true; } unwrappedType = unwrappedType.type; } const updated = factory.updateNamedTupleMember( namedTupleMember, namedTupleMember.dotDotDotToken || (sawRest ? factory.createToken( 26 /* DotDotDotToken */ ) : void 0), namedTupleMember.name, namedTupleMember.questionToken || (sawOptional ? factory.createToken( 58 /* QuestionToken */ ) : void 0), unwrappedType ); if (updated === namedTupleMember) { return; } changes.replaceNode(sourceFile, namedTupleMember, updated); } var fixId22 = "fixSpelling"; var errorCodes25 = [ Diagnostics.Property_0_does_not_exist_on_type_1_Did_you_mean_2.code, Diagnostics.Property_0_may_not_exist_on_type_1_Did_you_mean_2.code, Diagnostics.Cannot_find_name_0_Did_you_mean_1.code, Diagnostics.Could_not_find_name_0_Did_you_mean_1.code, Diagnostics.Cannot_find_namespace_0_Did_you_mean_1.code, Diagnostics.Cannot_find_name_0_Did_you_mean_the_instance_member_this_0.code, Diagnostics.Cannot_find_name_0_Did_you_mean_the_static_member_1_0.code, Diagnostics._0_has_no_exported_member_named_1_Did_you_mean_2.code, Diagnostics.This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0_Did_you_mean_1.code, Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base_class_0_Did_you_mean_1.code, // for JSX class components Diagnostics.No_overload_matches_this_call.code, // for JSX FC Diagnostics.Type_0_is_not_assignable_to_type_1.code ]; registerCodeFix({ errorCodes: errorCodes25, getCodeActions(context) { const { sourceFile, errorCode } = context; const info = getInfo8(sourceFile, context.span.start, context, errorCode); if (!info) return void 0; const { node, suggestedSymbol } = info; const target = getEmitScriptTarget(context.host.getCompilationSettings()); const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange18(t, sourceFile, node, suggestedSymbol, target)); return [createCodeFixAction("spelling", changes, [Diagnostics.Change_spelling_to_0, symbolName(suggestedSymbol)], fixId22, Diagnostics.Fix_all_detected_spelling_errors)]; }, fixIds: [fixId22], getAllCodeActions: (context) => codeFixAll(context, errorCodes25, (changes, diag2) => { const info = getInfo8(diag2.file, diag2.start, context, diag2.code); const target = getEmitScriptTarget(context.host.getCompilationSettings()); if (info) doChange18(changes, context.sourceFile, info.node, info.suggestedSymbol, target); }) }); function getInfo8(sourceFile, pos, context, errorCode) { const node = getTokenAtPosition(sourceFile, pos); const parent2 = node.parent; if ((errorCode === Diagnostics.No_overload_matches_this_call.code || errorCode === Diagnostics.Type_0_is_not_assignable_to_type_1.code) && !isJsxAttribute(parent2)) return void 0; const checker = context.program.getTypeChecker(); let suggestedSymbol; if (isPropertyAccessExpression(parent2) && parent2.name === node) { Debug.assert(isMemberName(node), "Expected an identifier for spelling (property access)"); let containingType = checker.getTypeAtLocation(parent2.expression); if (parent2.flags & 64) { containingType = checker.getNonNullableType(containingType); } suggestedSymbol = checker.getSuggestedSymbolForNonexistentProperty(node, containingType); } else if (isBinaryExpression(parent2) && parent2.operatorToken.kind === 103 && parent2.left === node && isPrivateIdentifier(node)) { const receiverType = checker.getTypeAtLocation(parent2.right); suggestedSymbol = checker.getSuggestedSymbolForNonexistentProperty(node, receiverType); } else if (isQualifiedName(parent2) && parent2.right === node) { const symbol = checker.getSymbolAtLocation(parent2.left); if (symbol && symbol.flags & 1536) { suggestedSymbol = checker.getSuggestedSymbolForNonexistentModule(parent2.right, symbol); } } else if (isImportSpecifier(parent2) && parent2.name === node) { Debug.assertNode(node, isIdentifier, "Expected an identifier for spelling (import)"); const importDeclaration = findAncestor(node, isImportDeclaration); const resolvedSourceFile = getResolvedSourceFileFromImportDeclaration(context, importDeclaration, sourceFile); if (resolvedSourceFile && resolvedSourceFile.symbol) { suggestedSymbol = checker.getSuggestedSymbolForNonexistentModule(node, resolvedSourceFile.symbol); } } else if (isJsxAttribute(parent2) && parent2.name === node) { Debug.assertNode(node, isIdentifier, "Expected an identifier for JSX attribute"); const tag = findAncestor(node, isJsxOpeningLikeElement); const props = checker.getContextualTypeForArgumentAtIndex(tag, 0); suggestedSymbol = checker.getSuggestedSymbolForNonexistentJSXAttribute(node, props); } else if (hasOverrideModifier(parent2) && isClassElement(parent2) && parent2.name === node) { const baseDeclaration = findAncestor(node, isClassLike); const baseTypeNode = baseDeclaration ? getEffectiveBaseTypeNode(baseDeclaration) : void 0; const baseType = baseTypeNode ? checker.getTypeAtLocation(baseTypeNode) : void 0; if (baseType) { suggestedSymbol = checker.getSuggestedSymbolForNonexistentClassMember(getTextOfNode(node), baseType); } } else { const meaning = getMeaningFromLocation(node); const name = getTextOfNode(node); Debug.assert(name !== void 0, "name should be defined"); suggestedSymbol = checker.getSuggestedSymbolForNonexistentSymbol(node, name, convertSemanticMeaningToSymbolFlags(meaning)); } return suggestedSymbol === void 0 ? void 0 : { node, suggestedSymbol }; } function doChange18(changes, sourceFile, node, suggestedSymbol, target) { const suggestion = symbolName(suggestedSymbol); if (!isIdentifierText(suggestion, target) && isPropertyAccessExpression(node.parent)) { const valDecl = suggestedSymbol.valueDeclaration; if (valDecl && isNamedDeclaration(valDecl) && isPrivateIdentifier(valDecl.name)) { changes.replaceNode(sourceFile, node, factory.createIdentifier(suggestion)); } else { changes.replaceNode(sourceFile, node.parent, factory.createElementAccessExpression(node.parent.expression, factory.createStringLiteral(suggestion))); } } else { changes.replaceNode(sourceFile, node, factory.createIdentifier(suggestion)); } } function convertSemanticMeaningToSymbolFlags(meaning) { let flags = 0; if (meaning & 4) { flags |= 1920; } if (meaning & 2) { flags |= 788968; } if (meaning & 1) { flags |= 111551; } return flags; } function getResolvedSourceFileFromImportDeclaration(context, importDeclaration, importingFile) { var _a; if (!importDeclaration || !isStringLiteralLike(importDeclaration.moduleSpecifier)) return void 0; const resolvedModule = (_a = context.program.getResolvedModuleFromModuleSpecifier(importDeclaration.moduleSpecifier, importingFile)) == null ? void 0 : _a.resolvedModule; if (!resolvedModule) return void 0; return context.program.getSourceFile(resolvedModule.resolvedFileName); } var fixId23 = "returnValueCorrect"; var fixIdAddReturnStatement = "fixAddReturnStatement"; var fixRemoveBracesFromArrowFunctionBody = "fixRemoveBracesFromArrowFunctionBody"; var fixIdWrapTheBlockWithParen = "fixWrapTheBlockWithParen"; var errorCodes26 = [ Diagnostics.A_function_whose_declared_type_is_neither_undefined_void_nor_any_must_return_a_value.code, Diagnostics.Type_0_is_not_assignable_to_type_1.code, Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1.code ]; registerCodeFix({ errorCodes: errorCodes26, fixIds: [fixIdAddReturnStatement, fixRemoveBracesFromArrowFunctionBody, fixIdWrapTheBlockWithParen], getCodeActions: function getCodeActionsToCorrectReturnValue(context) { const { program, sourceFile, span: { start }, errorCode } = context; const info = getInfo9(program.getTypeChecker(), sourceFile, start, errorCode); if (!info) return void 0; if (info.kind === 0) { return append( [getActionForfixAddReturnStatement(context, info.expression, info.statement)], isArrowFunction(info.declaration) ? getActionForFixRemoveBracesFromArrowFunctionBody(context, info.declaration, info.expression, info.commentSource) : void 0 ); } else { return [getActionForfixWrapTheBlockWithParen(context, info.declaration, info.expression)]; } }, getAllCodeActions: (context) => codeFixAll(context, errorCodes26, (changes, diag2) => { const info = getInfo9(context.program.getTypeChecker(), diag2.file, diag2.start, diag2.code); if (!info) return void 0; switch (context.fixId) { case fixIdAddReturnStatement: addReturnStatement(changes, diag2.file, info.expression, info.statement); break; case fixRemoveBracesFromArrowFunctionBody: if (!isArrowFunction(info.declaration)) return void 0; removeBlockBodyBrace( changes, diag2.file, info.declaration, info.expression, info.commentSource, /*withParen*/ false ); break; case fixIdWrapTheBlockWithParen: if (!isArrowFunction(info.declaration)) return void 0; wrapBlockWithParen(changes, diag2.file, info.declaration, info.expression); break; default: Debug.fail(JSON.stringify(context.fixId)); } }) }); function createObjectTypeFromLabeledExpression(checker, label, expression) { const member = checker.createSymbol(4, label.escapedText); member.links.type = checker.getTypeAtLocation(expression); const members = createSymbolTable([member]); return checker.createAnonymousType( /*symbol*/ void 0, members, [], [], [] ); } function getFixInfo(checker, declaration, expectType, isFunctionType) { if (!declaration.body || !isBlock(declaration.body) || length(declaration.body.statements) !== 1) return void 0; const firstStatement = first(declaration.body.statements); if (isExpressionStatement2(firstStatement) && checkFixedAssignableTo(checker, declaration, checker.getTypeAtLocation(firstStatement.expression), expectType, isFunctionType)) { return { declaration, kind: 0, expression: firstStatement.expression, statement: firstStatement, commentSource: firstStatement.expression }; } else if (isLabeledStatement(firstStatement) && isExpressionStatement2(firstStatement.statement)) { const node = factory.createObjectLiteralExpression([factory.createPropertyAssignment(firstStatement.label, firstStatement.statement.expression)]); const nodeType = createObjectTypeFromLabeledExpression(checker, firstStatement.label, firstStatement.statement.expression); if (checkFixedAssignableTo(checker, declaration, nodeType, expectType, isFunctionType)) { return isArrowFunction(declaration) ? { declaration, kind: 1, expression: node, statement: firstStatement, commentSource: firstStatement.statement.expression } : { declaration, kind: 0, expression: node, statement: firstStatement, commentSource: firstStatement.statement.expression }; } } else if (isBlock(firstStatement) && length(firstStatement.statements) === 1) { const firstBlockStatement = first(firstStatement.statements); if (isLabeledStatement(firstBlockStatement) && isExpressionStatement2(firstBlockStatement.statement)) { const node = factory.createObjectLiteralExpression([factory.createPropertyAssignment(firstBlockStatement.label, firstBlockStatement.statement.expression)]); const nodeType = createObjectTypeFromLabeledExpression(checker, firstBlockStatement.label, firstBlockStatement.statement.expression); if (checkFixedAssignableTo(checker, declaration, nodeType, expectType, isFunctionType)) { return { declaration, kind: 0, expression: node, statement: firstStatement, commentSource: firstBlockStatement }; } } } return void 0; } function checkFixedAssignableTo(checker, declaration, exprType, type, isFunctionType) { if (isFunctionType) { const sig = checker.getSignatureFromDeclaration(declaration); if (sig) { if (hasSyntacticModifier( declaration, 1024 /* Async */ )) { exprType = checker.createPromiseType(exprType); } const newSig = checker.createSignature( declaration, sig.typeParameters, sig.thisParameter, sig.parameters, exprType, /*typePredicate*/ void 0, sig.minArgumentCount, sig.flags ); exprType = checker.createAnonymousType( /*symbol*/ void 0, createSymbolTable(), [newSig], [], [] ); } else { exprType = checker.getAnyType(); } } return checker.isTypeAssignableTo(exprType, type); } function getInfo9(checker, sourceFile, position, errorCode) { const node = getTokenAtPosition(sourceFile, position); if (!node.parent) return void 0; const declaration = findAncestor(node.parent, isFunctionLikeDeclaration); switch (errorCode) { case Diagnostics.A_function_whose_declared_type_is_neither_undefined_void_nor_any_must_return_a_value.code: if (!declaration || !declaration.body || !declaration.type || !rangeContainsRange(declaration.type, node)) return void 0; return getFixInfo( checker, declaration, checker.getTypeFromTypeNode(declaration.type), /*isFunctionType*/ false ); case Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1.code: if (!declaration || !isCallExpression2(declaration.parent) || !declaration.body) return void 0; const pos = declaration.parent.arguments.indexOf(declaration); if (pos === -1) return void 0; const type = checker.getContextualTypeForArgumentAtIndex(declaration.parent, pos); if (!type) return void 0; return getFixInfo( checker, declaration, type, /*isFunctionType*/ true ); case Diagnostics.Type_0_is_not_assignable_to_type_1.code: if (!isDeclarationName(node) || !isVariableLike(node.parent) && !isJsxAttribute(node.parent)) return void 0; const initializer = getVariableLikeInitializer(node.parent); if (!initializer || !isFunctionLikeDeclaration(initializer) || !initializer.body) return void 0; return getFixInfo( checker, initializer, checker.getTypeAtLocation(node.parent), /*isFunctionType*/ true ); } return void 0; } function getVariableLikeInitializer(declaration) { switch (declaration.kind) { case 260: case 169: case 208: case 172: case 303: return declaration.initializer; case 291: return declaration.initializer && (isJsxExpression(declaration.initializer) ? declaration.initializer.expression : void 0); case 304: case 171: case 306: case 348: case 341: return void 0; } } function addReturnStatement(changes, sourceFile, expression, statement) { suppressLeadingAndTrailingTrivia(expression); const probablyNeedSemi = probablyUsesSemicolons(sourceFile); changes.replaceNode(sourceFile, statement, factory.createReturnStatement(expression), { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude, trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Exclude, suffix: probablyNeedSemi ? ";" : void 0 }); } function removeBlockBodyBrace(changes, sourceFile, declaration, expression, commentSource, withParen) { const newBody = withParen || needsParentheses2(expression) ? factory.createParenthesizedExpression(expression) : expression; suppressLeadingAndTrailingTrivia(commentSource); copyComments(commentSource, newBody); changes.replaceNode(sourceFile, declaration.body, newBody); } function wrapBlockWithParen(changes, sourceFile, declaration, expression) { changes.replaceNode(sourceFile, declaration.body, factory.createParenthesizedExpression(expression)); } function getActionForfixAddReturnStatement(context, expression, statement) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addReturnStatement(t, context.sourceFile, expression, statement)); return createCodeFixAction(fixId23, changes, Diagnostics.Add_a_return_statement, fixIdAddReturnStatement, Diagnostics.Add_all_missing_return_statement); } function getActionForFixRemoveBracesFromArrowFunctionBody(context, declaration, expression, commentSource) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => removeBlockBodyBrace( t, context.sourceFile, declaration, expression, commentSource, /*withParen*/ false )); return createCodeFixAction(fixId23, changes, Diagnostics.Remove_braces_from_arrow_function_body, fixRemoveBracesFromArrowFunctionBody, Diagnostics.Remove_braces_from_all_arrow_function_bodies_with_relevant_issues); } function getActionForfixWrapTheBlockWithParen(context, declaration, expression) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => wrapBlockWithParen(t, context.sourceFile, declaration, expression)); return createCodeFixAction(fixId23, changes, Diagnostics.Wrap_the_following_body_with_parentheses_which_should_be_an_object_literal, fixIdWrapTheBlockWithParen, Diagnostics.Wrap_all_object_literal_with_parentheses); } var fixMissingMember = "fixMissingMember"; var fixMissingProperties = "fixMissingProperties"; var fixMissingAttributes = "fixMissingAttributes"; var fixMissingFunctionDeclaration = "fixMissingFunctionDeclaration"; var errorCodes27 = [ Diagnostics.Property_0_does_not_exist_on_type_1.code, Diagnostics.Property_0_does_not_exist_on_type_1_Did_you_mean_2.code, Diagnostics.Property_0_is_missing_in_type_1_but_required_in_type_2.code, Diagnostics.Type_0_is_missing_the_following_properties_from_type_1_Colon_2.code, Diagnostics.Type_0_is_missing_the_following_properties_from_type_1_Colon_2_and_3_more.code, Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1.code, Diagnostics.Cannot_find_name_0.code ]; registerCodeFix({ errorCodes: errorCodes27, getCodeActions(context) { const typeChecker = context.program.getTypeChecker(); const info = getInfo10(context.sourceFile, context.span.start, context.errorCode, typeChecker, context.program); if (!info) { return void 0; } if (info.kind === 3) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addObjectLiteralProperties(t, context, info)); return [createCodeFixAction(fixMissingProperties, changes, Diagnostics.Add_missing_properties, fixMissingProperties, Diagnostics.Add_all_missing_properties)]; } if (info.kind === 4) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addJsxAttributes(t, context, info)); return [createCodeFixAction(fixMissingAttributes, changes, Diagnostics.Add_missing_attributes, fixMissingAttributes, Diagnostics.Add_all_missing_attributes)]; } if (info.kind === 2 || info.kind === 5) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addFunctionDeclaration(t, context, info)); return [createCodeFixAction(fixMissingFunctionDeclaration, changes, [Diagnostics.Add_missing_function_declaration_0, info.token.text], fixMissingFunctionDeclaration, Diagnostics.Add_all_missing_function_declarations)]; } if (info.kind === 1) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addEnumMemberDeclaration(t, context.program.getTypeChecker(), info)); return [createCodeFixAction(fixMissingMember, changes, [Diagnostics.Add_missing_enum_member_0, info.token.text], fixMissingMember, Diagnostics.Add_all_missing_members)]; } return concatenate(getActionsForMissingMethodDeclaration(context, info), getActionsForMissingMemberDeclaration(context, info)); }, fixIds: [fixMissingMember, fixMissingFunctionDeclaration, fixMissingProperties, fixMissingAttributes], getAllCodeActions: (context) => { const { program, fixId: fixId55 } = context; const checker = program.getTypeChecker(); const seen = /* @__PURE__ */ new Map(); const typeDeclToMembers = /* @__PURE__ */ new Map(); return createCombinedCodeActions(ts_textChanges_exports.ChangeTracker.with(context, (changes) => { eachDiagnostic(context, errorCodes27, (diag2) => { const info = getInfo10(diag2.file, diag2.start, diag2.code, checker, context.program); if (!info || !addToSeen(seen, getNodeId(info.parentDeclaration) + "#" + (info.kind === 3 ? info.identifier : info.token.text))) { return; } if (fixId55 === fixMissingFunctionDeclaration && (info.kind === 2 || info.kind === 5)) { addFunctionDeclaration(changes, context, info); } else if (fixId55 === fixMissingProperties && info.kind === 3) { addObjectLiteralProperties(changes, context, info); } else if (fixId55 === fixMissingAttributes && info.kind === 4) { addJsxAttributes(changes, context, info); } else { if (info.kind === 1) { addEnumMemberDeclaration(changes, checker, info); } if (info.kind === 0) { const { parentDeclaration, token } = info; const infos = getOrUpdate(typeDeclToMembers, parentDeclaration, () => []); if (!infos.some((i) => i.token.text === token.text)) { infos.push(info); } } } }); typeDeclToMembers.forEach((infos, declaration) => { const supers = isTypeLiteralNode(declaration) ? void 0 : getAllSupers(declaration, checker); for (const info of infos) { if (supers == null ? void 0 : supers.some((superClassOrInterface) => { const superInfos = typeDeclToMembers.get(superClassOrInterface); return !!superInfos && superInfos.some(({ token: token2 }) => token2.text === info.token.text); })) continue; const { parentDeclaration, declSourceFile, modifierFlags, token, call, isJSFile } = info; if (call && !isPrivateIdentifier(token)) { addMethodDeclaration(context, changes, call, token, modifierFlags & 256, parentDeclaration, declSourceFile); } else { if (isJSFile && !isInterfaceDeclaration(parentDeclaration) && !isTypeLiteralNode(parentDeclaration)) { addMissingMemberInJs(changes, declSourceFile, parentDeclaration, token, !!(modifierFlags & 256)); } else { const typeNode = getTypeNode2(checker, parentDeclaration, token); addPropertyDeclaration( changes, declSourceFile, parentDeclaration, token.text, typeNode, modifierFlags & 256 /* Static */ ); } } } }); })); } }); function getInfo10(sourceFile, tokenPos, errorCode, checker, program) { var _a; const token = getTokenAtPosition(sourceFile, tokenPos); const parent2 = token.parent; if (errorCode === Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1.code) { if (!(token.kind === 19 && isObjectLiteralExpression(parent2) && isCallExpression2(parent2.parent))) return void 0; const argIndex = findIndex(parent2.parent.arguments, (arg) => arg === parent2); if (argIndex < 0) return void 0; const signature = checker.getResolvedSignature(parent2.parent); if (!(signature && signature.declaration && signature.parameters[argIndex])) return void 0; const param = signature.parameters[argIndex].valueDeclaration; if (!(param && isParameter(param) && isIdentifier(param.name))) return void 0; const properties = arrayFrom(checker.getUnmatchedProperties( checker.getTypeAtLocation(parent2), checker.getParameterType(signature, argIndex), /*requireOptionalProperties*/ false, /*matchDiscriminantProperties*/ false )); if (!length(properties)) return void 0; return { kind: 3, token: param.name, identifier: param.name.text, properties, parentDeclaration: parent2 }; } if (token.kind === 19 && isObjectLiteralExpression(parent2)) { const targetType = checker.getContextualType(parent2) || checker.getTypeAtLocation(parent2); const properties = arrayFrom(checker.getUnmatchedProperties( checker.getTypeAtLocation(parent2), targetType, /*requireOptionalProperties*/ false, /*matchDiscriminantProperties*/ false )); if (!length(properties)) return void 0; const identifier = ""; return { kind: 3, token: parent2, identifier, properties, parentDeclaration: parent2 }; } if (!isMemberName(token)) return void 0; if (isIdentifier(token) && hasInitializer(parent2) && parent2.initializer && isObjectLiteralExpression(parent2.initializer)) { const targetType = checker.getContextualType(token) || checker.getTypeAtLocation(token); const properties = arrayFrom(checker.getUnmatchedProperties( checker.getTypeAtLocation(parent2.initializer), targetType, /*requireOptionalProperties*/ false, /*matchDiscriminantProperties*/ false )); if (!length(properties)) return void 0; return { kind: 3, token, identifier: token.text, properties, parentDeclaration: parent2.initializer }; } if (isIdentifier(token) && isJsxOpeningLikeElement(token.parent)) { const target = getEmitScriptTarget(program.getCompilerOptions()); const attributes = getUnmatchedAttributes(checker, target, token.parent); if (!length(attributes)) return void 0; return { kind: 4, token, attributes, parentDeclaration: token.parent }; } if (isIdentifier(token)) { const type = (_a = checker.getContextualType(token)) == null ? void 0 : _a.getNonNullableType(); if (type && getObjectFlags(type) & 16) { const signature = firstOrUndefined(checker.getSignaturesOfType( type, 0 /* Call */ )); if (signature === void 0) return void 0; return { kind: 5, token, signature, sourceFile, parentDeclaration: findScope(token) }; } if (isCallExpression2(parent2) && parent2.expression === token) { return { kind: 2, token, call: parent2, sourceFile, modifierFlags: 0, parentDeclaration: findScope(token) }; } } if (!isPropertyAccessExpression(parent2)) return void 0; const leftExpressionType = skipConstraint(checker.getTypeAtLocation(parent2.expression)); const symbol = leftExpressionType.symbol; if (!symbol || !symbol.declarations) return void 0; if (isIdentifier(token) && isCallExpression2(parent2.parent)) { const moduleDeclaration = find(symbol.declarations, isModuleDeclaration); const moduleDeclarationSourceFile = moduleDeclaration == null ? void 0 : moduleDeclaration.getSourceFile(); if (moduleDeclaration && moduleDeclarationSourceFile && !isSourceFileFromLibrary(program, moduleDeclarationSourceFile)) { return { kind: 2, token, call: parent2.parent, sourceFile, modifierFlags: 32, parentDeclaration: moduleDeclaration }; } const moduleSourceFile = find(symbol.declarations, isSourceFile); if (sourceFile.commonJsModuleIndicator) return void 0; if (moduleSourceFile && !isSourceFileFromLibrary(program, moduleSourceFile)) { return { kind: 2, token, call: parent2.parent, sourceFile: moduleSourceFile, modifierFlags: 32, parentDeclaration: moduleSourceFile }; } } const classDeclaration = find(symbol.declarations, isClassLike); if (!classDeclaration && isPrivateIdentifier(token)) return void 0; const declaration = classDeclaration || find(symbol.declarations, (d) => isInterfaceDeclaration(d) || isTypeLiteralNode(d)); if (declaration && !isSourceFileFromLibrary(program, declaration.getSourceFile())) { const makeStatic = !isTypeLiteralNode(declaration) && (leftExpressionType.target || leftExpressionType) !== checker.getDeclaredTypeOfSymbol(symbol); if (makeStatic && (isPrivateIdentifier(token) || isInterfaceDeclaration(declaration))) return void 0; const declSourceFile = declaration.getSourceFile(); const modifierFlags = isTypeLiteralNode(declaration) ? 0 : (makeStatic ? 256 : 0) | (startsWithUnderscore(token.text) ? 2 : 0); const isJSFile = isSourceFileJS(declSourceFile); const call = tryCast(parent2.parent, isCallExpression2); return { kind: 0, token, call, modifierFlags, parentDeclaration: declaration, declSourceFile, isJSFile }; } const enumDeclaration = find(symbol.declarations, isEnumDeclaration); if (enumDeclaration && !(leftExpressionType.flags & 1056) && !isPrivateIdentifier(token) && !isSourceFileFromLibrary(program, enumDeclaration.getSourceFile())) { return { kind: 1, token, parentDeclaration: enumDeclaration }; } return void 0; } function getActionsForMissingMemberDeclaration(context, info) { return info.isJSFile ? singleElementArray(createActionForAddMissingMemberInJavascriptFile(context, info)) : createActionsForAddMissingMemberInTypeScriptFile(context, info); } function createActionForAddMissingMemberInJavascriptFile(context, { parentDeclaration, declSourceFile, modifierFlags, token }) { if (isInterfaceDeclaration(parentDeclaration) || isTypeLiteralNode(parentDeclaration)) { return void 0; } const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addMissingMemberInJs(t, declSourceFile, parentDeclaration, token, !!(modifierFlags & 256))); if (changes.length === 0) { return void 0; } const diagnostic = modifierFlags & 256 ? Diagnostics.Initialize_static_property_0 : isPrivateIdentifier(token) ? Diagnostics.Declare_a_private_field_named_0 : Diagnostics.Initialize_property_0_in_the_constructor; return createCodeFixAction(fixMissingMember, changes, [diagnostic, token.text], fixMissingMember, Diagnostics.Add_all_missing_members); } function addMissingMemberInJs(changeTracker, sourceFile, classDeclaration, token, makeStatic) { const tokenName = token.text; if (makeStatic) { if (classDeclaration.kind === 231) { return; } const className = classDeclaration.name.getText(); const staticInitialization = initializePropertyToUndefined(factory.createIdentifier(className), tokenName); changeTracker.insertNodeAfter(sourceFile, classDeclaration, staticInitialization); } else if (isPrivateIdentifier(token)) { const property = factory.createPropertyDeclaration( /*modifiers*/ void 0, tokenName, /*questionOrExclamationToken*/ void 0, /*type*/ void 0, /*initializer*/ void 0 ); const lastProp = getNodeToInsertPropertyAfter(classDeclaration); if (lastProp) { changeTracker.insertNodeAfter(sourceFile, lastProp, property); } else { changeTracker.insertMemberAtStart(sourceFile, classDeclaration, property); } } else { const classConstructor = getFirstConstructorWithBody(classDeclaration); if (!classConstructor) { return; } const propertyInitialization = initializePropertyToUndefined(factory.createThis(), tokenName); changeTracker.insertNodeAtConstructorEnd(sourceFile, classConstructor, propertyInitialization); } } function initializePropertyToUndefined(obj, propertyName) { return factory.createExpressionStatement(factory.createAssignment(factory.createPropertyAccessExpression(obj, propertyName), createUndefined())); } function createActionsForAddMissingMemberInTypeScriptFile(context, { parentDeclaration, declSourceFile, modifierFlags, token }) { const memberName = token.text; const isStatic2 = modifierFlags & 256; const typeNode = getTypeNode2(context.program.getTypeChecker(), parentDeclaration, token); const addPropertyDeclarationChanges = (modifierFlags2) => ts_textChanges_exports.ChangeTracker.with(context, (t) => addPropertyDeclaration(t, declSourceFile, parentDeclaration, memberName, typeNode, modifierFlags2)); const actions2 = [createCodeFixAction(fixMissingMember, addPropertyDeclarationChanges( modifierFlags & 256 /* Static */ ), [isStatic2 ? Diagnostics.Declare_static_property_0 : Diagnostics.Declare_property_0, memberName], fixMissingMember, Diagnostics.Add_all_missing_members)]; if (isStatic2 || isPrivateIdentifier(token)) { return actions2; } if (modifierFlags & 2) { actions2.unshift(createCodeFixActionWithoutFixAll(fixMissingMember, addPropertyDeclarationChanges( 2 /* Private */ ), [Diagnostics.Declare_private_property_0, memberName])); } actions2.push(createAddIndexSignatureAction(context, declSourceFile, parentDeclaration, token.text, typeNode)); return actions2; } function getTypeNode2(checker, node, token) { let typeNode; if (token.parent.parent.kind === 226) { const binaryExpression = token.parent.parent; const otherExpression = token.parent === binaryExpression.left ? binaryExpression.right : binaryExpression.left; const widenedType = checker.getWidenedType(checker.getBaseTypeOfLiteralType(checker.getTypeAtLocation(otherExpression))); typeNode = checker.typeToTypeNode( widenedType, node, 1 /* NoTruncation */ ); } else { const contextualType = checker.getContextualType(token.parent); typeNode = contextualType ? checker.typeToTypeNode( contextualType, /*enclosingDeclaration*/ void 0, 1 /* NoTruncation */ ) : void 0; } return typeNode || factory.createKeywordTypeNode( 133 /* AnyKeyword */ ); } function addPropertyDeclaration(changeTracker, sourceFile, node, tokenName, typeNode, modifierFlags) { const modifiers = modifierFlags ? factory.createNodeArray(factory.createModifiersFromModifierFlags(modifierFlags)) : void 0; const property = isClassLike(node) ? factory.createPropertyDeclaration( modifiers, tokenName, /*questionOrExclamationToken*/ void 0, typeNode, /*initializer*/ void 0 ) : factory.createPropertySignature( /*modifiers*/ void 0, tokenName, /*questionToken*/ void 0, typeNode ); const lastProp = getNodeToInsertPropertyAfter(node); if (lastProp) { changeTracker.insertNodeAfter(sourceFile, lastProp, property); } else { changeTracker.insertMemberAtStart(sourceFile, node, property); } } function getNodeToInsertPropertyAfter(node) { let res; for (const member of node.members) { if (!isPropertyDeclaration(member)) break; res = member; } return res; } function createAddIndexSignatureAction(context, sourceFile, node, tokenName, typeNode) { const stringTypeNode = factory.createKeywordTypeNode( 154 /* StringKeyword */ ); const indexingParameter = factory.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, "x", /*questionToken*/ void 0, stringTypeNode, /*initializer*/ void 0 ); const indexSignature = factory.createIndexSignature( /*modifiers*/ void 0, [indexingParameter], typeNode ); const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => t.insertMemberAtStart(sourceFile, node, indexSignature)); return createCodeFixActionWithoutFixAll(fixMissingMember, changes, [Diagnostics.Add_index_signature_for_property_0, tokenName]); } function getActionsForMissingMethodDeclaration(context, info) { const { parentDeclaration, declSourceFile, modifierFlags, token, call } = info; if (call === void 0) { return void 0; } const methodName = token.text; const addMethodDeclarationChanges = (modifierFlags2) => ts_textChanges_exports.ChangeTracker.with(context, (t) => addMethodDeclaration(context, t, call, token, modifierFlags2, parentDeclaration, declSourceFile)); const actions2 = [createCodeFixAction(fixMissingMember, addMethodDeclarationChanges( modifierFlags & 256 /* Static */ ), [modifierFlags & 256 ? Diagnostics.Declare_static_method_0 : Diagnostics.Declare_method_0, methodName], fixMissingMember, Diagnostics.Add_all_missing_members)]; if (modifierFlags & 2) { actions2.unshift(createCodeFixActionWithoutFixAll(fixMissingMember, addMethodDeclarationChanges( 2 /* Private */ ), [Diagnostics.Declare_private_method_0, methodName])); } return actions2; } function addMethodDeclaration(context, changes, callExpression, name, modifierFlags, parentDeclaration, sourceFile) { const importAdder = createImportAdder(sourceFile, context.program, context.preferences, context.host); const kind = isClassLike(parentDeclaration) ? 174 : 173; const signatureDeclaration = createSignatureDeclarationFromCallExpression(kind, context, importAdder, callExpression, name, modifierFlags, parentDeclaration); const containingMethodDeclaration = tryGetContainingMethodDeclaration(parentDeclaration, callExpression); if (containingMethodDeclaration) { changes.insertNodeAfter(sourceFile, containingMethodDeclaration, signatureDeclaration); } else { changes.insertMemberAtStart(sourceFile, parentDeclaration, signatureDeclaration); } importAdder.writeFixes(changes); } function addEnumMemberDeclaration(changes, checker, { token, parentDeclaration }) { const hasStringInitializer = some(parentDeclaration.members, (member) => { const type = checker.getTypeAtLocation(member); return !!(type && type.flags & 402653316); }); const sourceFile = parentDeclaration.getSourceFile(); const enumMember = factory.createEnumMember(token, hasStringInitializer ? factory.createStringLiteral(token.text) : void 0); const last2 = lastOrUndefined(parentDeclaration.members); if (last2) { changes.insertNodeInListAfter(sourceFile, last2, enumMember, parentDeclaration.members); } else { changes.insertMemberAtStart(sourceFile, parentDeclaration, enumMember); } } function addFunctionDeclaration(changes, context, info) { const quotePreference = getQuotePreference(context.sourceFile, context.preferences); const importAdder = createImportAdder(context.sourceFile, context.program, context.preferences, context.host); const functionDeclaration = info.kind === 2 ? createSignatureDeclarationFromCallExpression(262, context, importAdder, info.call, idText(info.token), info.modifierFlags, info.parentDeclaration) : createSignatureDeclarationFromSignature( 262, context, quotePreference, info.signature, createStubbedBody(Diagnostics.Function_not_implemented.message, quotePreference), info.token, /*modifiers*/ void 0, /*optional*/ void 0, /*enclosingDeclaration*/ void 0, importAdder ); if (functionDeclaration === void 0) { Debug.fail("fixMissingFunctionDeclaration codefix got unexpected error."); } isReturnStatement(info.parentDeclaration) ? changes.insertNodeBefore( info.sourceFile, info.parentDeclaration, functionDeclaration, /*blankLineBetween*/ true ) : changes.insertNodeAtEndOfScope(info.sourceFile, info.parentDeclaration, functionDeclaration); importAdder.writeFixes(changes); } function addJsxAttributes(changes, context, info) { const importAdder = createImportAdder(context.sourceFile, context.program, context.preferences, context.host); const quotePreference = getQuotePreference(context.sourceFile, context.preferences); const checker = context.program.getTypeChecker(); const jsxAttributesNode = info.parentDeclaration.attributes; const hasSpreadAttribute = some(jsxAttributesNode.properties, isJsxSpreadAttribute); const attrs = map(info.attributes, (attr) => { const value = tryGetValueFromType(context, checker, importAdder, quotePreference, checker.getTypeOfSymbol(attr), info.parentDeclaration); const name = factory.createIdentifier(attr.name); const jsxAttribute = factory.createJsxAttribute(name, factory.createJsxExpression( /*dotDotDotToken*/ void 0, value )); setParent(name, jsxAttribute); return jsxAttribute; }); const jsxAttributes = factory.createJsxAttributes(hasSpreadAttribute ? [...attrs, ...jsxAttributesNode.properties] : [...jsxAttributesNode.properties, ...attrs]); const options = { prefix: jsxAttributesNode.pos === jsxAttributesNode.end ? " " : void 0 }; changes.replaceNode(context.sourceFile, jsxAttributesNode, jsxAttributes, options); importAdder.writeFixes(changes); } function addObjectLiteralProperties(changes, context, info) { const importAdder = createImportAdder(context.sourceFile, context.program, context.preferences, context.host); const quotePreference = getQuotePreference(context.sourceFile, context.preferences); const target = getEmitScriptTarget(context.program.getCompilerOptions()); const checker = context.program.getTypeChecker(); const props = map(info.properties, (prop) => { const initializer = tryGetValueFromType(context, checker, importAdder, quotePreference, checker.getTypeOfSymbol(prop), info.parentDeclaration); return factory.createPropertyAssignment(createPropertyNameFromSymbol(prop, target, quotePreference, checker), initializer); }); const options = { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude, trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Exclude, indentation: info.indentation }; changes.replaceNode(context.sourceFile, info.parentDeclaration, factory.createObjectLiteralExpression( [...info.parentDeclaration.properties, ...props], /*multiLine*/ true ), options); importAdder.writeFixes(changes); } function tryGetValueFromType(context, checker, importAdder, quotePreference, type, enclosingDeclaration) { if (type.flags & 3) { return createUndefined(); } if (type.flags & (4 | 134217728)) { return factory.createStringLiteral( "", /* isSingleQuote */ quotePreference === 0 /* Single */ ); } if (type.flags & 8) { return factory.createNumericLiteral(0); } if (type.flags & 64) { return factory.createBigIntLiteral("0n"); } if (type.flags & 16) { return factory.createFalse(); } if (type.flags & 1056) { const enumMember = type.symbol.exports ? firstOrUndefinedIterator(type.symbol.exports.values()) : type.symbol; const name = checker.symbolToExpression( type.symbol.parent ? type.symbol.parent : type.symbol, 111551, /*enclosingDeclaration*/ void 0, /*flags*/ 64 /* UseFullyQualifiedType */ ); return enumMember === void 0 || name === void 0 ? factory.createNumericLiteral(0) : factory.createPropertyAccessExpression(name, checker.symbolToString(enumMember)); } if (type.flags & 256) { return factory.createNumericLiteral(type.value); } if (type.flags & 2048) { return factory.createBigIntLiteral(type.value); } if (type.flags & 128) { return factory.createStringLiteral( type.value, /* isSingleQuote */ quotePreference === 0 /* Single */ ); } if (type.flags & 512) { return type === checker.getFalseType() || type === checker.getFalseType( /*fresh*/ true ) ? factory.createFalse() : factory.createTrue(); } if (type.flags & 65536) { return factory.createNull(); } if (type.flags & 1048576) { const expression = firstDefined(type.types, (t) => tryGetValueFromType(context, checker, importAdder, quotePreference, t, enclosingDeclaration)); return expression ?? createUndefined(); } if (checker.isArrayLikeType(type)) { return factory.createArrayLiteralExpression(); } if (isObjectLiteralType(type)) { const props = map(checker.getPropertiesOfType(type), (prop) => { const initializer = tryGetValueFromType(context, checker, importAdder, quotePreference, checker.getTypeOfSymbol(prop), enclosingDeclaration); return factory.createPropertyAssignment(prop.name, initializer); }); return factory.createObjectLiteralExpression( props, /*multiLine*/ true ); } if (getObjectFlags(type) & 16) { const decl = find(type.symbol.declarations || emptyArray, or(isFunctionTypeNode, isMethodSignature, isMethodDeclaration)); if (decl === void 0) return createUndefined(); const signature = checker.getSignaturesOfType( type, 0 /* Call */ ); if (signature === void 0) return createUndefined(); const func = createSignatureDeclarationFromSignature( 218, context, quotePreference, signature[0], createStubbedBody(Diagnostics.Function_not_implemented.message, quotePreference), /*name*/ void 0, /*modifiers*/ void 0, /*optional*/ void 0, /*enclosingDeclaration*/ enclosingDeclaration, importAdder ); return func ?? createUndefined(); } if (getObjectFlags(type) & 1) { const classDeclaration = getClassLikeDeclarationOfSymbol(type.symbol); if (classDeclaration === void 0 || hasAbstractModifier(classDeclaration)) return createUndefined(); const constructorDeclaration = getFirstConstructorWithBody(classDeclaration); if (constructorDeclaration && length(constructorDeclaration.parameters)) return createUndefined(); return factory.createNewExpression( factory.createIdentifier(type.symbol.name), /*typeArguments*/ void 0, /*argumentsArray*/ void 0 ); } return createUndefined(); } function createUndefined() { return factory.createIdentifier("undefined"); } function isObjectLiteralType(type) { return type.flags & 524288 && (getObjectFlags(type) & 128 || type.symbol && tryCast(singleOrUndefined(type.symbol.declarations), isTypeLiteralNode)); } function getUnmatchedAttributes(checker, target, source) { const attrsType = checker.getContextualType(source.attributes); if (attrsType === void 0) return emptyArray; const targetProps = attrsType.getProperties(); if (!length(targetProps)) return emptyArray; const seenNames = /* @__PURE__ */ new Set(); for (const sourceProp of source.attributes.properties) { if (isJsxAttribute(sourceProp)) { seenNames.add(getEscapedTextOfJsxAttributeName(sourceProp.name)); } if (isJsxSpreadAttribute(sourceProp)) { const type = checker.getTypeAtLocation(sourceProp.expression); for (const prop of type.getProperties()) { seenNames.add(prop.escapedName); } } } return filter(targetProps, (targetProp) => isIdentifierText( targetProp.name, target, 1 /* JSX */ ) && !(targetProp.flags & 16777216 || getCheckFlags(targetProp) & 48 || seenNames.has(targetProp.escapedName))); } function tryGetContainingMethodDeclaration(node, callExpression) { if (isTypeLiteralNode(node)) { return void 0; } const declaration = findAncestor(callExpression, (n) => isMethodDeclaration(n) || isConstructorDeclaration(n)); return declaration && declaration.parent === node ? declaration : void 0; } function createPropertyNameFromSymbol(symbol, target, quotePreference, checker) { if (isTransientSymbol(symbol)) { const prop = checker.symbolToNode( symbol, 111551, /*enclosingDeclaration*/ void 0, 1073741824 /* WriteComputedProps */ ); if (prop && isComputedPropertyName(prop)) return prop; } return createPropertyNameNodeForIdentifierOrLiteral( symbol.name, target, quotePreference === 0, /*stringNamed*/ false, /*isMethod*/ false ); } function findScope(node) { if (findAncestor(node, isJsxExpression)) { const returnStatement = findAncestor(node.parent, isReturnStatement); if (returnStatement) return returnStatement; } return getSourceFileOfNode(node); } var fixId24 = "addMissingNewOperator"; var errorCodes28 = [Diagnostics.Value_of_type_0_is_not_callable_Did_you_mean_to_include_new.code]; registerCodeFix({ errorCodes: errorCodes28, getCodeActions(context) { const { sourceFile, span } = context; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addMissingNewOperator(t, sourceFile, span)); return [createCodeFixAction(fixId24, changes, Diagnostics.Add_missing_new_operator_to_call, fixId24, Diagnostics.Add_missing_new_operator_to_all_calls)]; }, fixIds: [fixId24], getAllCodeActions: (context) => codeFixAll(context, errorCodes28, (changes, diag2) => addMissingNewOperator(changes, context.sourceFile, diag2)) }); function addMissingNewOperator(changes, sourceFile, span) { const call = cast(findAncestorMatchingSpan2(sourceFile, span), isCallExpression2); const newExpression = factory.createNewExpression(call.expression, call.typeArguments, call.arguments); changes.replaceNode(sourceFile, call, newExpression); } function findAncestorMatchingSpan2(sourceFile, span) { let token = getTokenAtPosition(sourceFile, span.start); const end = textSpanEnd(span); while (token.end < end) { token = token.parent; } return token; } var addMissingParamFixId = "addMissingParam"; var addOptionalParamFixId = "addOptionalParam"; var errorCodes29 = [Diagnostics.Expected_0_arguments_but_got_1.code]; registerCodeFix({ errorCodes: errorCodes29, fixIds: [addMissingParamFixId, addOptionalParamFixId], getCodeActions(context) { const info = getInfo11(context.sourceFile, context.program, context.span.start); if (info === void 0) return void 0; const { name, declarations, newParameters, newOptionalParameters } = info; const actions2 = []; if (length(newParameters)) { append( actions2, createCodeFixAction( addMissingParamFixId, ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange19(t, context.program, context.preferences, context.host, declarations, newParameters)), [length(newParameters) > 1 ? Diagnostics.Add_missing_parameters_to_0 : Diagnostics.Add_missing_parameter_to_0, name], addMissingParamFixId, Diagnostics.Add_all_missing_parameters ) ); } if (length(newOptionalParameters)) { append( actions2, createCodeFixAction( addOptionalParamFixId, ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange19(t, context.program, context.preferences, context.host, declarations, newOptionalParameters)), [length(newOptionalParameters) > 1 ? Diagnostics.Add_optional_parameters_to_0 : Diagnostics.Add_optional_parameter_to_0, name], addOptionalParamFixId, Diagnostics.Add_all_optional_parameters ) ); } return actions2; }, getAllCodeActions: (context) => codeFixAll(context, errorCodes29, (changes, diag2) => { const info = getInfo11(context.sourceFile, context.program, diag2.start); if (info) { const { declarations, newParameters, newOptionalParameters } = info; if (context.fixId === addMissingParamFixId) { doChange19(changes, context.program, context.preferences, context.host, declarations, newParameters); } if (context.fixId === addOptionalParamFixId) { doChange19(changes, context.program, context.preferences, context.host, declarations, newOptionalParameters); } } }) }); function getInfo11(sourceFile, program, pos) { const token = getTokenAtPosition(sourceFile, pos); const callExpression = findAncestor(token, isCallExpression2); if (callExpression === void 0 || length(callExpression.arguments) === 0) { return void 0; } const checker = program.getTypeChecker(); const type = checker.getTypeAtLocation(callExpression.expression); const convertibleSignatureDeclarations = filter(type.symbol.declarations, isConvertibleSignatureDeclaration); if (convertibleSignatureDeclarations === void 0) { return void 0; } const nonOverloadDeclaration = lastOrUndefined(convertibleSignatureDeclarations); if (nonOverloadDeclaration === void 0 || nonOverloadDeclaration.body === void 0 || isSourceFileFromLibrary(program, nonOverloadDeclaration.getSourceFile())) { return void 0; } const name = tryGetName2(nonOverloadDeclaration); if (name === void 0) { return void 0; } const newParameters = []; const newOptionalParameters = []; const parametersLength = length(nonOverloadDeclaration.parameters); const argumentsLength = length(callExpression.arguments); if (parametersLength > argumentsLength) { return void 0; } const declarations = [nonOverloadDeclaration, ...getOverloads(nonOverloadDeclaration, convertibleSignatureDeclarations)]; for (let i = 0, pos2 = 0, paramIndex = 0; i < argumentsLength; i++) { const arg = callExpression.arguments[i]; const expr = isAccessExpression(arg) ? getNameOfAccessExpression(arg) : arg; const type2 = checker.getWidenedType(checker.getBaseTypeOfLiteralType(checker.getTypeAtLocation(arg))); const parameter = pos2 < parametersLength ? nonOverloadDeclaration.parameters[pos2] : void 0; if (parameter && checker.isTypeAssignableTo(type2, checker.getTypeAtLocation(parameter))) { pos2++; continue; } const name2 = expr && isIdentifier(expr) ? expr.text : `p${paramIndex++}`; const typeNode = typeToTypeNode(checker, type2, nonOverloadDeclaration); append(newParameters, { pos: i, declaration: createParameter( name2, typeNode, /*questionToken*/ void 0 ) }); if (isOptionalPos(declarations, pos2)) { continue; } append(newOptionalParameters, { pos: i, declaration: createParameter(name2, typeNode, factory.createToken( 58 /* QuestionToken */ )) }); } return { newParameters, newOptionalParameters, name: declarationNameToString(name), declarations }; } function tryGetName2(node) { const name = getNameOfDeclaration(node); if (name) { return name; } if (isVariableDeclaration(node.parent) && isIdentifier(node.parent.name) || isPropertyDeclaration(node.parent) || isParameter(node.parent)) { return node.parent.name; } } function typeToTypeNode(checker, type, enclosingDeclaration) { return checker.typeToTypeNode( checker.getWidenedType(type), enclosingDeclaration, 1 /* NoTruncation */ ) ?? factory.createKeywordTypeNode( 159 /* UnknownKeyword */ ); } function doChange19(changes, program, preferences, host, declarations, newParameters) { const scriptTarget = getEmitScriptTarget(program.getCompilerOptions()); forEach(declarations, (declaration) => { const sourceFile = getSourceFileOfNode(declaration); const importAdder = createImportAdder(sourceFile, program, preferences, host); if (length(declaration.parameters)) { changes.replaceNodeRangeWithNodes( sourceFile, first(declaration.parameters), last(declaration.parameters), updateParameters(importAdder, scriptTarget, declaration, newParameters), { joiner: ", ", indentation: 0, leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.IncludeAll, trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Include } ); } else { forEach(updateParameters(importAdder, scriptTarget, declaration, newParameters), (parameter, index) => { if (length(declaration.parameters) === 0 && index === 0) { changes.insertNodeAt(sourceFile, declaration.parameters.end, parameter); } else { changes.insertNodeAtEndOfList(sourceFile, declaration.parameters, parameter); } }); } importAdder.writeFixes(changes); }); } function isConvertibleSignatureDeclaration(node) { switch (node.kind) { case 262: case 218: case 174: case 219: return true; default: return false; } } function updateParameters(importAdder, scriptTarget, node, newParameters) { const parameters = map(node.parameters, (p) => factory.createParameterDeclaration( p.modifiers, p.dotDotDotToken, p.name, p.questionToken, p.type, p.initializer )); for (const { pos, declaration } of newParameters) { const prev = pos > 0 ? parameters[pos - 1] : void 0; parameters.splice( pos, 0, factory.updateParameterDeclaration( declaration, declaration.modifiers, declaration.dotDotDotToken, declaration.name, prev && prev.questionToken ? factory.createToken( 58 /* QuestionToken */ ) : declaration.questionToken, getParameterType(importAdder, declaration.type, scriptTarget), declaration.initializer ) ); } return parameters; } function getOverloads(implementation, declarations) { const overloads = []; for (const declaration of declarations) { if (isOverload(declaration)) { if (length(declaration.parameters) === length(implementation.parameters)) { overloads.push(declaration); continue; } if (length(declaration.parameters) > length(implementation.parameters)) { return []; } } } return overloads; } function isOverload(declaration) { return isConvertibleSignatureDeclaration(declaration) && declaration.body === void 0; } function createParameter(name, type, questionToken) { return factory.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, name, questionToken, type, /*initializer*/ void 0 ); } function isOptionalPos(declarations, pos) { return length(declarations) && some(declarations, (d) => pos < length(d.parameters) && !!d.parameters[pos] && d.parameters[pos].questionToken === void 0); } function getParameterType(importAdder, typeNode, scriptTarget) { const importableReference = tryGetAutoImportableReferenceFromTypeNode(typeNode, scriptTarget); if (importableReference) { importSymbols(importAdder, importableReference.symbols); return importableReference.typeNode; } return typeNode; } var fixName2 = "fixCannotFindModule"; var fixIdInstallTypesPackage = "installTypesPackage"; var errorCodeCannotFindModule = Diagnostics.Cannot_find_module_0_or_its_corresponding_type_declarations.code; var errorCodes30 = [ errorCodeCannotFindModule, Diagnostics.Could_not_find_a_declaration_file_for_module_0_1_implicitly_has_an_any_type.code ]; registerCodeFix({ errorCodes: errorCodes30, getCodeActions: function getCodeActionsToFixNotFoundModule(context) { const { host, sourceFile, span: { start } } = context; const packageName = tryGetImportedPackageName(sourceFile, start); if (packageName === void 0) return void 0; const typesPackageName = getTypesPackageNameToInstall(packageName, host, context.errorCode); return typesPackageName === void 0 ? [] : [createCodeFixAction( fixName2, /*changes*/ [], [Diagnostics.Install_0, typesPackageName], fixIdInstallTypesPackage, Diagnostics.Install_all_missing_types_packages, getInstallCommand(sourceFile.fileName, typesPackageName) )]; }, fixIds: [fixIdInstallTypesPackage], getAllCodeActions: (context) => { return codeFixAll(context, errorCodes30, (_changes, diag2, commands) => { const packageName = tryGetImportedPackageName(diag2.file, diag2.start); if (packageName === void 0) return void 0; switch (context.fixId) { case fixIdInstallTypesPackage: { const pkg = getTypesPackageNameToInstall(packageName, context.host, diag2.code); if (pkg) { commands.push(getInstallCommand(diag2.file.fileName, pkg)); } break; } default: Debug.fail(`Bad fixId: ${context.fixId}`); } }); } }); function getInstallCommand(fileName, packageName) { return { type: "install package", file: fileName, packageName }; } function tryGetImportedPackageName(sourceFile, pos) { const moduleSpecifierText = tryCast(getTokenAtPosition(sourceFile, pos), isStringLiteral2); if (!moduleSpecifierText) return void 0; const moduleName = moduleSpecifierText.text; const { packageName } = parsePackageName(moduleName); return isExternalModuleNameRelative(packageName) ? void 0 : packageName; } function getTypesPackageNameToInstall(packageName, host, diagCode) { var _a; return diagCode === errorCodeCannotFindModule ? ts_JsTyping_exports.nodeCoreModules.has(packageName) ? "@types/node" : void 0 : ((_a = host.isKnownTypesPackageName) == null ? void 0 : _a.call(host, packageName)) ? getTypesPackageName(packageName) : void 0; } var errorCodes31 = [ Diagnostics.Non_abstract_class_0_does_not_implement_inherited_abstract_member_1_from_class_2.code, Diagnostics.Non_abstract_class_0_is_missing_implementations_for_the_following_members_of_1_Colon_2.code, Diagnostics.Non_abstract_class_0_is_missing_implementations_for_the_following_members_of_1_Colon_2_and_3_more.code, Diagnostics.Non_abstract_class_expression_does_not_implement_inherited_abstract_member_0_from_class_1.code, Diagnostics.Non_abstract_class_expression_is_missing_implementations_for_the_following_members_of_0_Colon_1.code, Diagnostics.Non_abstract_class_expression_is_missing_implementations_for_the_following_members_of_0_Colon_1_and_2_more.code ]; var fixId25 = "fixClassDoesntImplementInheritedAbstractMember"; registerCodeFix({ errorCodes: errorCodes31, getCodeActions: function getCodeActionsToFixClassNotImplementingInheritedMembers(context) { const { sourceFile, span } = context; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addMissingMembers(getClass2(sourceFile, span.start), sourceFile, context, t, context.preferences)); return changes.length === 0 ? void 0 : [createCodeFixAction(fixId25, changes, Diagnostics.Implement_inherited_abstract_class, fixId25, Diagnostics.Implement_all_inherited_abstract_classes)]; }, fixIds: [fixId25], getAllCodeActions: function getAllCodeActionsToFixClassDoesntImplementInheritedAbstractMember(context) { const seenClassDeclarations = /* @__PURE__ */ new Map(); return codeFixAll(context, errorCodes31, (changes, diag2) => { const classDeclaration = getClass2(diag2.file, diag2.start); if (addToSeen(seenClassDeclarations, getNodeId(classDeclaration))) { addMissingMembers(classDeclaration, context.sourceFile, context, changes, context.preferences); } }); } }); function getClass2(sourceFile, pos) { const token = getTokenAtPosition(sourceFile, pos); return cast(token.parent, isClassLike); } function addMissingMembers(classDeclaration, sourceFile, context, changeTracker, preferences) { const extendsNode = getEffectiveBaseTypeNode(classDeclaration); const checker = context.program.getTypeChecker(); const instantiatedExtendsType = checker.getTypeAtLocation(extendsNode); const abstractAndNonPrivateExtendsSymbols = checker.getPropertiesOfType(instantiatedExtendsType).filter(symbolPointsToNonPrivateAndAbstractMember); const importAdder = createImportAdder(sourceFile, context.program, preferences, context.host); createMissingMemberNodes(classDeclaration, abstractAndNonPrivateExtendsSymbols, sourceFile, context, preferences, importAdder, (member) => changeTracker.insertMemberAtStart(sourceFile, classDeclaration, member)); importAdder.writeFixes(changeTracker); } function symbolPointsToNonPrivateAndAbstractMember(symbol) { const flags = getSyntacticModifierFlags(first(symbol.getDeclarations())); return !(flags & 2) && !!(flags & 64); } var fixId26 = "classSuperMustPrecedeThisAccess"; var errorCodes32 = [Diagnostics.super_must_be_called_before_accessing_this_in_the_constructor_of_a_derived_class.code]; registerCodeFix({ errorCodes: errorCodes32, getCodeActions(context) { const { sourceFile, span } = context; const nodes = getNodes(sourceFile, span.start); if (!nodes) return void 0; const { constructor, superCall } = nodes; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange20(t, sourceFile, constructor, superCall)); return [createCodeFixAction(fixId26, changes, Diagnostics.Make_super_call_the_first_statement_in_the_constructor, fixId26, Diagnostics.Make_all_super_calls_the_first_statement_in_their_constructor)]; }, fixIds: [fixId26], getAllCodeActions(context) { const { sourceFile } = context; const seenClasses = /* @__PURE__ */ new Map(); return codeFixAll(context, errorCodes32, (changes, diag2) => { const nodes = getNodes(diag2.file, diag2.start); if (!nodes) return; const { constructor, superCall } = nodes; if (addToSeen(seenClasses, getNodeId(constructor.parent))) { doChange20(changes, sourceFile, constructor, superCall); } }); } }); function doChange20(changes, sourceFile, constructor, superCall) { changes.insertNodeAtConstructorStart(sourceFile, constructor, superCall); changes.delete(sourceFile, superCall); } function getNodes(sourceFile, pos) { const token = getTokenAtPosition(sourceFile, pos); if (token.kind !== 110) return void 0; const constructor = getContainingFunction(token); const superCall = findSuperCall(constructor.body); return superCall && !superCall.expression.arguments.some((arg) => isPropertyAccessExpression(arg) && arg.expression === token) ? { constructor, superCall } : void 0; } function findSuperCall(n) { return isExpressionStatement2(n) && isSuperCall(n.expression) ? n : isFunctionLike(n) ? void 0 : forEachChild(n, findSuperCall); } var fixId27 = "constructorForDerivedNeedSuperCall"; var errorCodes33 = [Diagnostics.Constructors_for_derived_classes_must_contain_a_super_call.code]; registerCodeFix({ errorCodes: errorCodes33, getCodeActions(context) { const { sourceFile, span } = context; const ctr = getNode(sourceFile, span.start); const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange21(t, sourceFile, ctr)); return [createCodeFixAction(fixId27, changes, Diagnostics.Add_missing_super_call, fixId27, Diagnostics.Add_all_missing_super_calls)]; }, fixIds: [fixId27], getAllCodeActions: (context) => codeFixAll(context, errorCodes33, (changes, diag2) => doChange21(changes, context.sourceFile, getNode(diag2.file, diag2.start))) }); function getNode(sourceFile, pos) { const token = getTokenAtPosition(sourceFile, pos); Debug.assert(isConstructorDeclaration(token.parent), "token should be at the constructor declaration"); return token.parent; } function doChange21(changes, sourceFile, ctr) { const superCall = factory.createExpressionStatement(factory.createCallExpression( factory.createSuper(), /*typeArguments*/ void 0, /*argumentsArray*/ emptyArray )); changes.insertNodeAtConstructorStart(sourceFile, ctr, superCall); } var fixID = "fixEnableJsxFlag"; var errorCodes34 = [Diagnostics.Cannot_use_JSX_unless_the_jsx_flag_is_provided.code]; registerCodeFix({ errorCodes: errorCodes34, getCodeActions: function getCodeActionsToFixEnableJsxFlag(context) { const { configFile } = context.program.getCompilerOptions(); if (configFile === void 0) { return void 0; } const changes = ts_textChanges_exports.ChangeTracker.with(context, (changeTracker) => doChange22(changeTracker, configFile)); return [ createCodeFixActionWithoutFixAll(fixID, changes, Diagnostics.Enable_the_jsx_flag_in_your_configuration_file) ]; }, fixIds: [fixID], getAllCodeActions: (context) => codeFixAll(context, errorCodes34, (changes) => { const { configFile } = context.program.getCompilerOptions(); if (configFile === void 0) { return void 0; } doChange22(changes, configFile); }) }); function doChange22(changeTracker, configFile) { setJsonCompilerOptionValue(changeTracker, configFile, "jsx", factory.createStringLiteral("react")); } var fixId28 = "fixNaNEquality"; var errorCodes35 = [ Diagnostics.This_condition_will_always_return_0.code ]; registerCodeFix({ errorCodes: errorCodes35, getCodeActions(context) { const { sourceFile, span, program } = context; const info = getInfo12(program, sourceFile, span); if (info === void 0) return; const { suggestion, expression, arg } = info; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange23(t, sourceFile, arg, expression)); return [createCodeFixAction(fixId28, changes, [Diagnostics.Use_0, suggestion], fixId28, Diagnostics.Use_Number_isNaN_in_all_conditions)]; }, fixIds: [fixId28], getAllCodeActions: (context) => { return codeFixAll(context, errorCodes35, (changes, diag2) => { const info = getInfo12(context.program, diag2.file, createTextSpan(diag2.start, diag2.length)); if (info) { doChange23(changes, diag2.file, info.arg, info.expression); } }); } }); function getInfo12(program, sourceFile, span) { const diag2 = find(program.getSemanticDiagnostics(sourceFile), (diag3) => diag3.start === span.start && diag3.length === span.length); if (diag2 === void 0 || diag2.relatedInformation === void 0) return; const related = find(diag2.relatedInformation, (related2) => related2.code === Diagnostics.Did_you_mean_0.code); if (related === void 0 || related.file === void 0 || related.start === void 0 || related.length === void 0) return; const token = findAncestorMatchingSpan(related.file, createTextSpan(related.start, related.length)); if (token === void 0) return; if (isExpression(token) && isBinaryExpression(token.parent)) { return { suggestion: getSuggestion(related.messageText), expression: token.parent, arg: token }; } return void 0; } function doChange23(changes, sourceFile, arg, expression) { const callExpression = factory.createCallExpression( factory.createPropertyAccessExpression(factory.createIdentifier("Number"), factory.createIdentifier("isNaN")), /*typeArguments*/ void 0, [arg] ); const operator = expression.operatorToken.kind; changes.replaceNode( sourceFile, expression, operator === 38 || operator === 36 ? factory.createPrefixUnaryExpression(54, callExpression) : callExpression ); } function getSuggestion(messageText) { const [, suggestion] = flattenDiagnosticMessageText(messageText, "\n", 0).match(/'(.*)'/) || []; return suggestion; } registerCodeFix({ errorCodes: [ Diagnostics.Top_level_await_expressions_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher.code, Diagnostics.Top_level_await_using_statements_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher.code, Diagnostics.Top_level_for_await_loops_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher.code ], getCodeActions: function getCodeActionsToFixModuleAndTarget(context) { const compilerOptions = context.program.getCompilerOptions(); const { configFile } = compilerOptions; if (configFile === void 0) { return void 0; } const codeFixes = []; const moduleKind = getEmitModuleKind(compilerOptions); const moduleOutOfRange = moduleKind >= 5 && moduleKind < 99; if (moduleOutOfRange) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (changes2) => { setJsonCompilerOptionValue(changes2, configFile, "module", factory.createStringLiteral("esnext")); }); codeFixes.push(createCodeFixActionWithoutFixAll("fixModuleOption", changes, [Diagnostics.Set_the_module_option_in_your_configuration_file_to_0, "esnext"])); } const target = getEmitScriptTarget(compilerOptions); const targetOutOfRange = target < 4 || target > 99; if (targetOutOfRange) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (tracker2) => { const configObject = getTsConfigObjectLiteralExpression(configFile); if (!configObject) return; const options = [["target", factory.createStringLiteral("es2017")]]; if (moduleKind === 1) { options.push(["module", factory.createStringLiteral("commonjs")]); } setJsonCompilerOptionValues(tracker2, configFile, options); }); codeFixes.push(createCodeFixActionWithoutFixAll("fixTargetOption", changes, [Diagnostics.Set_the_target_option_in_your_configuration_file_to_0, "es2017"])); } return codeFixes.length ? codeFixes : void 0; } }); var fixId29 = "fixPropertyAssignment"; var errorCodes36 = [ Diagnostics.Did_you_mean_to_use_a_Colon_An_can_only_follow_a_property_name_when_the_containing_object_literal_is_part_of_a_destructuring_pattern.code ]; registerCodeFix({ errorCodes: errorCodes36, fixIds: [fixId29], getCodeActions(context) { const { sourceFile, span } = context; const property = getProperty2(sourceFile, span.start); const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange24(t, context.sourceFile, property)); return [createCodeFixAction(fixId29, changes, [Diagnostics.Change_0_to_1, "=", ":"], fixId29, [Diagnostics.Switch_each_misused_0_to_1, "=", ":"])]; }, getAllCodeActions: (context) => codeFixAll(context, errorCodes36, (changes, diag2) => doChange24(changes, diag2.file, getProperty2(diag2.file, diag2.start))) }); function doChange24(changes, sourceFile, node) { changes.replaceNode(sourceFile, node, factory.createPropertyAssignment(node.name, node.objectAssignmentInitializer)); } function getProperty2(sourceFile, pos) { return cast(getTokenAtPosition(sourceFile, pos).parent, isShorthandPropertyAssignment); } var fixId30 = "extendsInterfaceBecomesImplements"; var errorCodes37 = [Diagnostics.Cannot_extend_an_interface_0_Did_you_mean_implements.code]; registerCodeFix({ errorCodes: errorCodes37, getCodeActions(context) { const { sourceFile } = context; const nodes = getNodes2(sourceFile, context.span.start); if (!nodes) return void 0; const { extendsToken, heritageClauses } = nodes; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChanges2(t, sourceFile, extendsToken, heritageClauses)); return [createCodeFixAction(fixId30, changes, Diagnostics.Change_extends_to_implements, fixId30, Diagnostics.Change_all_extended_interfaces_to_implements)]; }, fixIds: [fixId30], getAllCodeActions: (context) => codeFixAll(context, errorCodes37, (changes, diag2) => { const nodes = getNodes2(diag2.file, diag2.start); if (nodes) doChanges2(changes, diag2.file, nodes.extendsToken, nodes.heritageClauses); }) }); function getNodes2(sourceFile, pos) { const token = getTokenAtPosition(sourceFile, pos); const heritageClauses = getContainingClass(token).heritageClauses; const extendsToken = heritageClauses[0].getFirstToken(); return extendsToken.kind === 96 ? { extendsToken, heritageClauses } : void 0; } function doChanges2(changes, sourceFile, extendsToken, heritageClauses) { changes.replaceNode(sourceFile, extendsToken, factory.createToken( 119 /* ImplementsKeyword */ )); if (heritageClauses.length === 2 && heritageClauses[0].token === 96 && heritageClauses[1].token === 119) { const implementsToken = heritageClauses[1].getFirstToken(); const implementsFullStart = implementsToken.getFullStart(); changes.replaceRange(sourceFile, { pos: implementsFullStart, end: implementsFullStart }, factory.createToken( 28 /* CommaToken */ )); const text = sourceFile.text; let end = implementsToken.end; while (end < text.length && isWhiteSpaceSingleLine(text.charCodeAt(end))) { end++; } changes.deleteRange(sourceFile, { pos: implementsToken.getStart(), end }); } } var fixId31 = "forgottenThisPropertyAccess"; var didYouMeanStaticMemberCode = Diagnostics.Cannot_find_name_0_Did_you_mean_the_static_member_1_0.code; var errorCodes38 = [ Diagnostics.Cannot_find_name_0_Did_you_mean_the_instance_member_this_0.code, Diagnostics.Private_identifiers_are_only_allowed_in_class_bodies_and_may_only_be_used_as_part_of_a_class_member_declaration_property_access_or_on_the_left_hand_side_of_an_in_expression.code, didYouMeanStaticMemberCode ]; registerCodeFix({ errorCodes: errorCodes38, getCodeActions(context) { const { sourceFile } = context; const info = getInfo13(sourceFile, context.span.start, context.errorCode); if (!info) { return void 0; } const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange25(t, sourceFile, info)); return [createCodeFixAction(fixId31, changes, [Diagnostics.Add_0_to_unresolved_variable, info.className || "this"], fixId31, Diagnostics.Add_qualifier_to_all_unresolved_variables_matching_a_member_name)]; }, fixIds: [fixId31], getAllCodeActions: (context) => codeFixAll(context, errorCodes38, (changes, diag2) => { const info = getInfo13(diag2.file, diag2.start, diag2.code); if (info) doChange25(changes, context.sourceFile, info); }) }); function getInfo13(sourceFile, pos, diagCode) { const node = getTokenAtPosition(sourceFile, pos); if (isIdentifier(node) || isPrivateIdentifier(node)) { return { node, className: diagCode === didYouMeanStaticMemberCode ? getContainingClass(node).name.text : void 0 }; } } function doChange25(changes, sourceFile, { node, className }) { suppressLeadingAndTrailingTrivia(node); changes.replaceNode(sourceFile, node, factory.createPropertyAccessExpression(className ? factory.createIdentifier(className) : factory.createThis(), node)); } var fixIdExpression = "fixInvalidJsxCharacters_expression"; var fixIdHtmlEntity = "fixInvalidJsxCharacters_htmlEntity"; var errorCodes39 = [ Diagnostics.Unexpected_token_Did_you_mean_or_gt.code, Diagnostics.Unexpected_token_Did_you_mean_or_rbrace.code ]; registerCodeFix({ errorCodes: errorCodes39, fixIds: [fixIdExpression, fixIdHtmlEntity], getCodeActions(context) { const { sourceFile, preferences, span } = context; const changeToExpression = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange26( t, preferences, sourceFile, span.start, /*useHtmlEntity*/ false )); const changeToHtmlEntity = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange26( t, preferences, sourceFile, span.start, /*useHtmlEntity*/ true )); return [ createCodeFixAction(fixIdExpression, changeToExpression, Diagnostics.Wrap_invalid_character_in_an_expression_container, fixIdExpression, Diagnostics.Wrap_all_invalid_characters_in_an_expression_container), createCodeFixAction(fixIdHtmlEntity, changeToHtmlEntity, Diagnostics.Convert_invalid_character_to_its_html_entity_code, fixIdHtmlEntity, Diagnostics.Convert_all_invalid_characters_to_HTML_entity_code) ]; }, getAllCodeActions(context) { return codeFixAll(context, errorCodes39, (changes, diagnostic) => doChange26(changes, context.preferences, diagnostic.file, diagnostic.start, context.fixId === fixIdHtmlEntity)); } }); var htmlEntity = { ">": ">", "}": "}" }; function isValidCharacter(character) { return hasProperty(htmlEntity, character); } function doChange26(changes, preferences, sourceFile, start, useHtmlEntity) { const character = sourceFile.getText()[start]; if (!isValidCharacter(character)) { return; } const replacement = useHtmlEntity ? htmlEntity[character] : `{${quote(sourceFile, preferences, character)}}`; changes.replaceRangeWithText(sourceFile, { pos: start, end: start + 1 }, replacement); } var deleteUnmatchedParameter = "deleteUnmatchedParameter"; var renameUnmatchedParameter = "renameUnmatchedParameter"; var errorCodes40 = [ Diagnostics.JSDoc_param_tag_has_name_0_but_there_is_no_parameter_with_that_name.code ]; registerCodeFix({ fixIds: [deleteUnmatchedParameter, renameUnmatchedParameter], errorCodes: errorCodes40, getCodeActions: function getCodeActionsToFixUnmatchedParameter(context) { const { sourceFile, span } = context; const actions2 = []; const info = getInfo14(sourceFile, span.start); if (info) { append(actions2, getDeleteAction(context, info)); append(actions2, getRenameAction(context, info)); return actions2; } return void 0; }, getAllCodeActions: function getAllCodeActionsToFixUnmatchedParameter(context) { const tagsToSignature = /* @__PURE__ */ new Map(); return createCombinedCodeActions(ts_textChanges_exports.ChangeTracker.with(context, (changes) => { eachDiagnostic(context, errorCodes40, ({ file, start }) => { const info = getInfo14(file, start); if (info) { tagsToSignature.set(info.signature, append(tagsToSignature.get(info.signature), info.jsDocParameterTag)); } }); tagsToSignature.forEach((tags, signature) => { if (context.fixId === deleteUnmatchedParameter) { const tagsSet = new Set(tags); changes.filterJSDocTags(signature.getSourceFile(), signature, (t) => !tagsSet.has(t)); } }); })); } }); function getDeleteAction(context, { name, jsDocHost, jsDocParameterTag }) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (changeTracker) => changeTracker.filterJSDocTags(context.sourceFile, jsDocHost, (t) => t !== jsDocParameterTag)); return createCodeFixAction( deleteUnmatchedParameter, changes, [Diagnostics.Delete_unused_param_tag_0, name.getText(context.sourceFile)], deleteUnmatchedParameter, Diagnostics.Delete_all_unused_param_tags ); } function getRenameAction(context, { name, jsDocHost, signature, jsDocParameterTag }) { if (!length(signature.parameters)) return void 0; const sourceFile = context.sourceFile; const tags = getJSDocTags(signature); const names = /* @__PURE__ */ new Set(); for (const tag of tags) { if (isJSDocParameterTag(tag) && isIdentifier(tag.name)) { names.add(tag.name.escapedText); } } const parameterName = firstDefined(signature.parameters, (p) => isIdentifier(p.name) && !names.has(p.name.escapedText) ? p.name.getText(sourceFile) : void 0); if (parameterName === void 0) return void 0; const newJSDocParameterTag = factory.updateJSDocParameterTag( jsDocParameterTag, jsDocParameterTag.tagName, factory.createIdentifier(parameterName), jsDocParameterTag.isBracketed, jsDocParameterTag.typeExpression, jsDocParameterTag.isNameFirst, jsDocParameterTag.comment ); const changes = ts_textChanges_exports.ChangeTracker.with(context, (changeTracker) => changeTracker.replaceJSDocComment(sourceFile, jsDocHost, map(tags, (t) => t === jsDocParameterTag ? newJSDocParameterTag : t))); return createCodeFixActionWithoutFixAll(renameUnmatchedParameter, changes, [Diagnostics.Rename_param_tag_name_0_to_1, name.getText(sourceFile), parameterName]); } function getInfo14(sourceFile, pos) { const token = getTokenAtPosition(sourceFile, pos); if (token.parent && isJSDocParameterTag(token.parent) && isIdentifier(token.parent.name)) { const jsDocParameterTag = token.parent; const jsDocHost = getJSDocHost(jsDocParameterTag); const signature = getHostSignatureFromJSDoc(jsDocParameterTag); if (jsDocHost && signature) { return { jsDocHost, signature, name: token.parent.name, jsDocParameterTag }; } } return void 0; } var fixId32 = "fixUnreferenceableDecoratorMetadata"; var errorCodes41 = [Diagnostics.A_type_referenced_in_a_decorated_signature_must_be_imported_with_import_type_or_a_namespace_import_when_isolatedModules_and_emitDecoratorMetadata_are_enabled.code]; registerCodeFix({ errorCodes: errorCodes41, getCodeActions: (context) => { const importDeclaration = getImportDeclaration(context.sourceFile, context.program, context.span.start); if (!importDeclaration) return; const namespaceChanges = ts_textChanges_exports.ChangeTracker.with(context, (t) => importDeclaration.kind === 276 && doNamespaceImportChange(t, context.sourceFile, importDeclaration, context.program)); const typeOnlyChanges = ts_textChanges_exports.ChangeTracker.with(context, (t) => doTypeOnlyImportChange(t, context.sourceFile, importDeclaration, context.program)); let actions2; if (namespaceChanges.length) { actions2 = append(actions2, createCodeFixActionWithoutFixAll(fixId32, namespaceChanges, Diagnostics.Convert_named_imports_to_namespace_import)); } if (typeOnlyChanges.length) { actions2 = append(actions2, createCodeFixActionWithoutFixAll(fixId32, typeOnlyChanges, Diagnostics.Use_import_type)); } return actions2; }, fixIds: [fixId32] }); function getImportDeclaration(sourceFile, program, start) { const identifier = tryCast(getTokenAtPosition(sourceFile, start), isIdentifier); if (!identifier || identifier.parent.kind !== 183) return; const checker = program.getTypeChecker(); const symbol = checker.getSymbolAtLocation(identifier); return find((symbol == null ? void 0 : symbol.declarations) || emptyArray, or(isImportClause, isImportSpecifier, isImportEqualsDeclaration)); } function doTypeOnlyImportChange(changes, sourceFile, importDeclaration, program) { if (importDeclaration.kind === 271) { changes.insertModifierBefore(sourceFile, 156, importDeclaration.name); return; } const importClause = importDeclaration.kind === 273 ? importDeclaration : importDeclaration.parent.parent; if (importClause.name && importClause.namedBindings) { return; } const checker = program.getTypeChecker(); const importsValue = !!forEachImportClauseDeclaration(importClause, (decl) => { if (skipAlias(decl.symbol, checker).flags & 111551) return true; }); if (importsValue) { return; } changes.insertModifierBefore(sourceFile, 156, importClause); } function doNamespaceImportChange(changes, sourceFile, importDeclaration, program) { ts_refactor_exports.doChangeNamedToNamespaceOrDefault(sourceFile, program, changes, importDeclaration.parent); } var fixName3 = "unusedIdentifier"; var fixIdPrefix = "unusedIdentifier_prefix"; var fixIdDelete = "unusedIdentifier_delete"; var fixIdDeleteImports = "unusedIdentifier_deleteImports"; var fixIdInfer = "unusedIdentifier_infer"; var errorCodes42 = [ Diagnostics._0_is_declared_but_its_value_is_never_read.code, Diagnostics._0_is_declared_but_never_used.code, Diagnostics.Property_0_is_declared_but_its_value_is_never_read.code, Diagnostics.All_imports_in_import_declaration_are_unused.code, Diagnostics.All_destructured_elements_are_unused.code, Diagnostics.All_variables_are_unused.code, Diagnostics.All_type_parameters_are_unused.code ]; registerCodeFix({ errorCodes: errorCodes42, getCodeActions(context) { const { errorCode, sourceFile, program, cancellationToken } = context; const checker = program.getTypeChecker(); const sourceFiles = program.getSourceFiles(); const token = getTokenAtPosition(sourceFile, context.span.start); if (isJSDocTemplateTag(token)) { return [createDeleteFix(ts_textChanges_exports.ChangeTracker.with(context, (t) => t.delete(sourceFile, token)), Diagnostics.Remove_template_tag)]; } if (token.kind === 30) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => deleteTypeParameters(t, sourceFile, token)); return [createDeleteFix(changes, Diagnostics.Remove_type_parameters)]; } const importDecl = tryGetFullImport(token); if (importDecl) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => t.delete(sourceFile, importDecl)); return [createCodeFixAction(fixName3, changes, [Diagnostics.Remove_import_from_0, showModuleSpecifier(importDecl)], fixIdDeleteImports, Diagnostics.Delete_all_unused_imports)]; } else if (isImport(token)) { const deletion = ts_textChanges_exports.ChangeTracker.with(context, (t) => tryDeleteDeclaration( sourceFile, token, t, checker, sourceFiles, program, cancellationToken, /*isFixAll*/ false )); if (deletion.length) { return [createCodeFixAction(fixName3, deletion, [Diagnostics.Remove_unused_declaration_for_Colon_0, token.getText(sourceFile)], fixIdDeleteImports, Diagnostics.Delete_all_unused_imports)]; } } if (isObjectBindingPattern(token.parent) || isArrayBindingPattern(token.parent)) { if (isParameter(token.parent.parent)) { const elements = token.parent.elements; const diagnostic = [ elements.length > 1 ? Diagnostics.Remove_unused_declarations_for_Colon_0 : Diagnostics.Remove_unused_declaration_for_Colon_0, map(elements, (e) => e.getText(sourceFile)).join(", ") ]; return [ createDeleteFix(ts_textChanges_exports.ChangeTracker.with(context, (t) => deleteDestructuringElements(t, sourceFile, token.parent)), diagnostic) ]; } return [ createDeleteFix(ts_textChanges_exports.ChangeTracker.with(context, (t) => deleteDestructuring(context, t, sourceFile, token.parent)), Diagnostics.Remove_unused_destructuring_declaration) ]; } if (canDeleteEntireVariableStatement(sourceFile, token)) { return [ createDeleteFix(ts_textChanges_exports.ChangeTracker.with(context, (t) => deleteEntireVariableStatement(t, sourceFile, token.parent)), Diagnostics.Remove_variable_statement) ]; } if (isIdentifier(token) && isFunctionDeclaration(token.parent)) { return [createDeleteFix(ts_textChanges_exports.ChangeTracker.with(context, (t) => deleteFunctionLikeDeclaration(t, sourceFile, token.parent)), [Diagnostics.Remove_unused_declaration_for_Colon_0, token.getText(sourceFile)])]; } const result = []; if (token.kind === 140) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => changeInferToUnknown(t, sourceFile, token)); const name = cast(token.parent, isInferTypeNode).typeParameter.name.text; result.push(createCodeFixAction(fixName3, changes, [Diagnostics.Replace_infer_0_with_unknown, name], fixIdInfer, Diagnostics.Replace_all_unused_infer_with_unknown)); } else { const deletion = ts_textChanges_exports.ChangeTracker.with(context, (t) => tryDeleteDeclaration( sourceFile, token, t, checker, sourceFiles, program, cancellationToken, /*isFixAll*/ false )); if (deletion.length) { const name = isComputedPropertyName(token.parent) ? token.parent : token; result.push(createDeleteFix(deletion, [Diagnostics.Remove_unused_declaration_for_Colon_0, name.getText(sourceFile)])); } } const prefix = ts_textChanges_exports.ChangeTracker.with(context, (t) => tryPrefixDeclaration(t, errorCode, sourceFile, token)); if (prefix.length) { result.push(createCodeFixAction(fixName3, prefix, [Diagnostics.Prefix_0_with_an_underscore, token.getText(sourceFile)], fixIdPrefix, Diagnostics.Prefix_all_unused_declarations_with_where_possible)); } return result; }, fixIds: [fixIdPrefix, fixIdDelete, fixIdDeleteImports, fixIdInfer], getAllCodeActions: (context) => { const { sourceFile, program, cancellationToken } = context; const checker = program.getTypeChecker(); const sourceFiles = program.getSourceFiles(); return codeFixAll(context, errorCodes42, (changes, diag2) => { const token = getTokenAtPosition(sourceFile, diag2.start); switch (context.fixId) { case fixIdPrefix: tryPrefixDeclaration(changes, diag2.code, sourceFile, token); break; case fixIdDeleteImports: { const importDecl = tryGetFullImport(token); if (importDecl) { changes.delete(sourceFile, importDecl); } else if (isImport(token)) { tryDeleteDeclaration( sourceFile, token, changes, checker, sourceFiles, program, cancellationToken, /*isFixAll*/ true ); } break; } case fixIdDelete: { if (token.kind === 140 || isImport(token)) { break; } else if (isJSDocTemplateTag(token)) { changes.delete(sourceFile, token); } else if (token.kind === 30) { deleteTypeParameters(changes, sourceFile, token); } else if (isObjectBindingPattern(token.parent)) { if (token.parent.parent.initializer) { break; } else if (!isParameter(token.parent.parent) || isNotProvidedArguments(token.parent.parent, checker, sourceFiles)) { changes.delete(sourceFile, token.parent.parent); } } else if (isArrayBindingPattern(token.parent.parent) && token.parent.parent.parent.initializer) { break; } else if (canDeleteEntireVariableStatement(sourceFile, token)) { deleteEntireVariableStatement(changes, sourceFile, token.parent); } else { tryDeleteDeclaration( sourceFile, token, changes, checker, sourceFiles, program, cancellationToken, /*isFixAll*/ true ); } break; } case fixIdInfer: if (token.kind === 140) { changeInferToUnknown(changes, sourceFile, token); } break; default: Debug.fail(JSON.stringify(context.fixId)); } }); } }); function changeInferToUnknown(changes, sourceFile, token) { changes.replaceNode(sourceFile, token.parent, factory.createKeywordTypeNode( 159 /* UnknownKeyword */ )); } function createDeleteFix(changes, diag2) { return createCodeFixAction(fixName3, changes, diag2, fixIdDelete, Diagnostics.Delete_all_unused_declarations); } function deleteTypeParameters(changes, sourceFile, token) { changes.delete(sourceFile, Debug.checkDefined(cast(token.parent, isDeclarationWithTypeParameterChildren).typeParameters, "The type parameter to delete should exist")); } function isImport(token) { return token.kind === 102 || token.kind === 80 && (token.parent.kind === 276 || token.parent.kind === 273); } function tryGetFullImport(token) { return token.kind === 102 ? tryCast(token.parent, isImportDeclaration) : void 0; } function canDeleteEntireVariableStatement(sourceFile, token) { return isVariableDeclarationList(token.parent) && first(token.parent.getChildren(sourceFile)) === token; } function deleteEntireVariableStatement(changes, sourceFile, node) { changes.delete(sourceFile, node.parent.kind === 243 ? node.parent : node); } function deleteDestructuringElements(changes, sourceFile, node) { forEach(node.elements, (n) => changes.delete(sourceFile, n)); } function deleteDestructuring(context, changes, sourceFile, { parent: parent2 }) { if (isVariableDeclaration(parent2) && parent2.initializer && isCallLikeExpression(parent2.initializer)) { if (isVariableDeclarationList(parent2.parent) && length(parent2.parent.declarations) > 1) { const varStatement = parent2.parent.parent; const pos = varStatement.getStart(sourceFile); const end = varStatement.end; changes.delete(sourceFile, parent2); changes.insertNodeAt(sourceFile, end, parent2.initializer, { prefix: getNewLineOrDefaultFromHost(context.host, context.formatContext.options) + sourceFile.text.slice(getPrecedingNonSpaceCharacterPosition(sourceFile.text, pos - 1), pos), suffix: probablyUsesSemicolons(sourceFile) ? ";" : "" }); } else { changes.replaceNode(sourceFile, parent2.parent, parent2.initializer); } } else { changes.delete(sourceFile, parent2); } } function tryPrefixDeclaration(changes, errorCode, sourceFile, token) { if (errorCode === Diagnostics.Property_0_is_declared_but_its_value_is_never_read.code) return; if (token.kind === 140) { token = cast(token.parent, isInferTypeNode).typeParameter.name; } if (isIdentifier(token) && canPrefix(token)) { changes.replaceNode(sourceFile, token, factory.createIdentifier(`_${token.text}`)); if (isParameter(token.parent)) { getJSDocParameterTags(token.parent).forEach((tag) => { if (isIdentifier(tag.name)) { changes.replaceNode(sourceFile, tag.name, factory.createIdentifier(`_${tag.name.text}`)); } }); } } } function canPrefix(token) { switch (token.parent.kind) { case 169: case 168: return true; case 260: { const varDecl = token.parent; switch (varDecl.parent.parent.kind) { case 250: case 249: return true; } } } return false; } function tryDeleteDeclaration(sourceFile, token, changes, checker, sourceFiles, program, cancellationToken, isFixAll) { tryDeleteDeclarationWorker(token, changes, sourceFile, checker, sourceFiles, program, cancellationToken, isFixAll); if (isIdentifier(token)) { ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(token, checker, sourceFile, (ref) => { if (isPropertyAccessExpression(ref.parent) && ref.parent.name === ref) ref = ref.parent; if (!isFixAll && mayDeleteExpression(ref)) { changes.delete(sourceFile, ref.parent.parent); } }); } } function tryDeleteDeclarationWorker(token, changes, sourceFile, checker, sourceFiles, program, cancellationToken, isFixAll) { const { parent: parent2 } = token; if (isParameter(parent2)) { tryDeleteParameter(changes, sourceFile, parent2, checker, sourceFiles, program, cancellationToken, isFixAll); } else if (!(isFixAll && isIdentifier(token) && ts_FindAllReferences_exports.Core.isSymbolReferencedInFile(token, checker, sourceFile))) { const node = isImportClause(parent2) ? token : isComputedPropertyName(parent2) ? parent2.parent : parent2; Debug.assert(node !== sourceFile, "should not delete whole source file"); changes.delete(sourceFile, node); } } function tryDeleteParameter(changes, sourceFile, parameter, checker, sourceFiles, program, cancellationToken, isFixAll = false) { if (mayDeleteParameter(checker, sourceFile, parameter, sourceFiles, program, cancellationToken, isFixAll)) { if (parameter.modifiers && parameter.modifiers.length > 0 && (!isIdentifier(parameter.name) || ts_FindAllReferences_exports.Core.isSymbolReferencedInFile(parameter.name, checker, sourceFile))) { for (const modifier of parameter.modifiers) { if (isModifier(modifier)) { changes.deleteModifier(sourceFile, modifier); } } } else if (!parameter.initializer && isNotProvidedArguments(parameter, checker, sourceFiles)) { changes.delete(sourceFile, parameter); } } } function isNotProvidedArguments(parameter, checker, sourceFiles) { const index = parameter.parent.parameters.indexOf(parameter); return !ts_FindAllReferences_exports.Core.someSignatureUsage(parameter.parent, sourceFiles, checker, (_, call) => !call || call.arguments.length > index); } function mayDeleteParameter(checker, sourceFile, parameter, sourceFiles, program, cancellationToken, isFixAll) { const { parent: parent2 } = parameter; switch (parent2.kind) { case 174: case 176: const index = parent2.parameters.indexOf(parameter); const referent = isMethodDeclaration(parent2) ? parent2.name : parent2; const entries = ts_FindAllReferences_exports.Core.getReferencedSymbolsForNode(parent2.pos, referent, program, sourceFiles, cancellationToken); if (entries) { for (const entry of entries) { for (const reference of entry.references) { if (reference.kind === ts_FindAllReferences_exports.EntryKind.Node) { const isSuperCall2 = isSuperKeyword(reference.node) && isCallExpression2(reference.node.parent) && reference.node.parent.arguments.length > index; const isSuperMethodCall = isPropertyAccessExpression(reference.node.parent) && isSuperKeyword(reference.node.parent.expression) && isCallExpression2(reference.node.parent.parent) && reference.node.parent.parent.arguments.length > index; const isOverriddenMethod = (isMethodDeclaration(reference.node.parent) || isMethodSignature(reference.node.parent)) && reference.node.parent !== parameter.parent && reference.node.parent.parameters.length > index; if (isSuperCall2 || isSuperMethodCall || isOverriddenMethod) return false; } } } } return true; case 262: { if (parent2.name && isCallbackLike(checker, sourceFile, parent2.name)) { return isLastParameter2(parent2, parameter, isFixAll); } return true; } case 218: case 219: return isLastParameter2(parent2, parameter, isFixAll); case 178: return false; case 177: return true; default: return Debug.failBadSyntaxKind(parent2); } } function isCallbackLike(checker, sourceFile, name) { return !!ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(name, checker, sourceFile, (reference) => isIdentifier(reference) && isCallExpression2(reference.parent) && reference.parent.arguments.includes(reference)); } function isLastParameter2(func, parameter, isFixAll) { const parameters = func.parameters; const index = parameters.indexOf(parameter); Debug.assert(index !== -1, "The parameter should already be in the list"); return isFixAll ? parameters.slice(index + 1).every((p) => isIdentifier(p.name) && !p.symbol.isReferenced) : index === parameters.length - 1; } function mayDeleteExpression(node) { return (isBinaryExpression(node.parent) && node.parent.left === node || (isPostfixUnaryExpression(node.parent) || isPrefixUnaryExpression(node.parent)) && node.parent.operand === node) && isExpressionStatement2(node.parent.parent); } function deleteFunctionLikeDeclaration(changes, sourceFile, node) { const declarations = node.symbol.declarations; if (declarations) { for (const declaration of declarations) { changes.delete(sourceFile, declaration); } } } var fixId33 = "fixUnreachableCode"; var errorCodes43 = [Diagnostics.Unreachable_code_detected.code]; registerCodeFix({ errorCodes: errorCodes43, getCodeActions(context) { const syntacticDiagnostics = context.program.getSyntacticDiagnostics(context.sourceFile, context.cancellationToken); if (syntacticDiagnostics.length) return; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange27(t, context.sourceFile, context.span.start, context.span.length, context.errorCode)); return [createCodeFixAction(fixId33, changes, Diagnostics.Remove_unreachable_code, fixId33, Diagnostics.Remove_all_unreachable_code)]; }, fixIds: [fixId33], getAllCodeActions: (context) => codeFixAll(context, errorCodes43, (changes, diag2) => doChange27(changes, diag2.file, diag2.start, diag2.length, diag2.code)) }); function doChange27(changes, sourceFile, start, length2, errorCode) { const token = getTokenAtPosition(sourceFile, start); const statement = findAncestor(token, isStatement); if (statement.getStart(sourceFile) !== token.getStart(sourceFile)) { const logData = JSON.stringify({ statementKind: Debug.formatSyntaxKind(statement.kind), tokenKind: Debug.formatSyntaxKind(token.kind), errorCode, start, length: length2 }); Debug.fail("Token and statement should start at the same point. " + logData); } const container = (isBlock(statement.parent) ? statement.parent : statement).parent; if (!isBlock(statement.parent) || statement === first(statement.parent.statements)) { switch (container.kind) { case 245: if (container.elseStatement) { if (isBlock(statement.parent)) { break; } else { changes.replaceNode(sourceFile, statement, factory.createBlock(emptyArray)); } return; } case 247: case 248: changes.delete(sourceFile, container); return; } } if (isBlock(statement.parent)) { const end = start + length2; const lastStatement = Debug.checkDefined(lastWhere(sliceAfter(statement.parent.statements, statement), (s) => s.pos < end), "Some statement should be last"); changes.deleteNodeRange(sourceFile, statement, lastStatement); } else { changes.delete(sourceFile, statement); } } function lastWhere(a, pred) { let last2; for (const value of a) { if (!pred(value)) break; last2 = value; } return last2; } var fixId34 = "fixUnusedLabel"; var errorCodes44 = [Diagnostics.Unused_label.code]; registerCodeFix({ errorCodes: errorCodes44, getCodeActions(context) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange28(t, context.sourceFile, context.span.start)); return [createCodeFixAction(fixId34, changes, Diagnostics.Remove_unused_label, fixId34, Diagnostics.Remove_all_unused_labels)]; }, fixIds: [fixId34], getAllCodeActions: (context) => codeFixAll(context, errorCodes44, (changes, diag2) => doChange28(changes, diag2.file, diag2.start)) }); function doChange28(changes, sourceFile, start) { const token = getTokenAtPosition(sourceFile, start); const labeledStatement = cast(token.parent, isLabeledStatement); const pos = token.getStart(sourceFile); const statementPos = labeledStatement.statement.getStart(sourceFile); const end = positionsAreOnSameLine(pos, statementPos, sourceFile) ? statementPos : skipTrivia( sourceFile.text, findChildOfKind(labeledStatement, 59, sourceFile).end, /*stopAfterLineBreak*/ true ); changes.deleteRange(sourceFile, { pos, end }); } var fixIdPlain = "fixJSDocTypes_plain"; var fixIdNullable = "fixJSDocTypes_nullable"; var errorCodes45 = [ Diagnostics.JSDoc_types_can_only_be_used_inside_documentation_comments.code, Diagnostics._0_at_the_end_of_a_type_is_not_valid_TypeScript_syntax_Did_you_mean_to_write_1.code, Diagnostics._0_at_the_start_of_a_type_is_not_valid_TypeScript_syntax_Did_you_mean_to_write_1.code ]; registerCodeFix({ errorCodes: errorCodes45, getCodeActions(context) { const { sourceFile } = context; const checker = context.program.getTypeChecker(); const info = getInfo15(sourceFile, context.span.start, checker); if (!info) return void 0; const { typeNode, type } = info; const original = typeNode.getText(sourceFile); const actions2 = [fix11(type, fixIdPlain, Diagnostics.Change_all_jsdoc_style_types_to_TypeScript)]; if (typeNode.kind === 314) { actions2.push(fix11(type, fixIdNullable, Diagnostics.Change_all_jsdoc_style_types_to_TypeScript_and_add_undefined_to_nullable_types)); } return actions2; function fix11(type2, fixId55, fixAllDescription) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange29(t, sourceFile, typeNode, type2, checker)); return createCodeFixAction("jdocTypes", changes, [Diagnostics.Change_0_to_1, original, checker.typeToString(type2)], fixId55, fixAllDescription); } }, fixIds: [fixIdPlain, fixIdNullable], getAllCodeActions(context) { const { fixId: fixId55, program, sourceFile } = context; const checker = program.getTypeChecker(); return codeFixAll(context, errorCodes45, (changes, err) => { const info = getInfo15(err.file, err.start, checker); if (!info) return; const { typeNode, type } = info; const fixedType = typeNode.kind === 314 && fixId55 === fixIdNullable ? checker.getNullableType( type, 32768 /* Undefined */ ) : type; doChange29(changes, sourceFile, typeNode, fixedType, checker); }); } }); function doChange29(changes, sourceFile, oldTypeNode, newType, checker) { changes.replaceNode(sourceFile, oldTypeNode, checker.typeToTypeNode( newType, /*enclosingDeclaration*/ oldTypeNode, /*flags*/ void 0 )); } function getInfo15(sourceFile, pos, checker) { const decl = findAncestor(getTokenAtPosition(sourceFile, pos), isTypeContainer); const typeNode = decl && decl.type; return typeNode && { typeNode, type: getType(checker, typeNode) }; } function isTypeContainer(node) { switch (node.kind) { case 234: case 179: case 180: case 262: case 177: case 181: case 200: case 174: case 173: case 169: case 172: case 171: case 178: case 265: case 216: case 260: return true; default: return false; } } function getType(checker, node) { if (isJSDocNullableType(node)) { const type = checker.getTypeFromTypeNode(node.type); if (type === checker.getNeverType() || type === checker.getVoidType()) { return type; } return checker.getUnionType( append([type, checker.getUndefinedType()], node.postfix ? void 0 : checker.getNullType()) ); } return checker.getTypeFromTypeNode(node); } var fixId35 = "fixMissingCallParentheses"; var errorCodes46 = [ Diagnostics.This_condition_will_always_return_true_since_this_function_is_always_defined_Did_you_mean_to_call_it_instead.code ]; registerCodeFix({ errorCodes: errorCodes46, fixIds: [fixId35], getCodeActions(context) { const { sourceFile, span } = context; const callName = getCallName(sourceFile, span.start); if (!callName) return; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange30(t, context.sourceFile, callName)); return [createCodeFixAction(fixId35, changes, Diagnostics.Add_missing_call_parentheses, fixId35, Diagnostics.Add_all_missing_call_parentheses)]; }, getAllCodeActions: (context) => codeFixAll(context, errorCodes46, (changes, diag2) => { const callName = getCallName(diag2.file, diag2.start); if (callName) doChange30(changes, diag2.file, callName); }) }); function doChange30(changes, sourceFile, name) { changes.replaceNodeWithText(sourceFile, name, `${name.text}()`); } function getCallName(sourceFile, start) { const token = getTokenAtPosition(sourceFile, start); if (isPropertyAccessExpression(token.parent)) { let current = token.parent; while (isPropertyAccessExpression(current.parent)) { current = current.parent; } return current.name; } if (isIdentifier(token)) { return token; } return void 0; } var fixId36 = "fixMissingTypeAnnotationOnExports"; var addAnnotationFix = "add-annotation"; var addInlineTypeAssertion = "add-type-assertion"; var extractExpression = "extract-expression"; var errorCodes47 = [ Diagnostics.Function_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations.code, Diagnostics.Method_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations.code, Diagnostics.At_least_one_accessor_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations.code, Diagnostics.Variable_must_have_an_explicit_type_annotation_with_isolatedDeclarations.code, Diagnostics.Parameter_must_have_an_explicit_type_annotation_with_isolatedDeclarations.code, Diagnostics.Property_must_have_an_explicit_type_annotation_with_isolatedDeclarations.code, Diagnostics.Expression_type_can_t_be_inferred_with_isolatedDeclarations.code, Diagnostics.Binding_elements_can_t_be_exported_directly_with_isolatedDeclarations.code, Diagnostics.Computed_property_names_on_class_or_object_literals_cannot_be_inferred_with_isolatedDeclarations.code, Diagnostics.Computed_properties_must_be_number_or_string_literals_variables_or_dotted_expressions_with_isolatedDeclarations.code, Diagnostics.Enum_member_initializers_must_be_computable_without_references_to_external_symbols_with_isolatedDeclarations.code, Diagnostics.Extends_clause_can_t_contain_an_expression_with_isolatedDeclarations.code, Diagnostics.Objects_that_contain_shorthand_properties_can_t_be_inferred_with_isolatedDeclarations.code, Diagnostics.Objects_that_contain_spread_assignments_can_t_be_inferred_with_isolatedDeclarations.code, Diagnostics.Arrays_with_spread_elements_can_t_inferred_with_isolatedDeclarations.code, Diagnostics.Default_exports_can_t_be_inferred_with_isolatedDeclarations.code, Diagnostics.Only_const_arrays_can_be_inferred_with_isolatedDeclarations.code, Diagnostics.Assigning_properties_to_functions_without_declaring_them_is_not_supported_with_isolatedDeclarations_Add_an_explicit_declaration_for_the_properties_assigned_to_this_function.code, Diagnostics.Declaration_emit_for_this_parameter_requires_implicitly_adding_undefined_to_it_s_type_This_is_not_supported_with_isolatedDeclarations.code, Diagnostics.Type_containing_private_name_0_can_t_be_used_with_isolatedDeclarations.code, Diagnostics.Add_satisfies_and_a_type_assertion_to_this_expression_satisfies_T_as_T_to_make_the_type_explicit.code ]; var canHaveTypeAnnotation = /* @__PURE__ */ new Set([ 177, 174, 172, 262, 218, 219, 260, 169, 277, 263, 206, 207 /* ArrayBindingPattern */ ]); var declarationEmitNodeBuilderFlags2 = 1024 | 2048 | 4096 | 8 | 524288 | 4 | 1 | 1073741824; registerCodeFix({ errorCodes: errorCodes47, fixIds: [fixId36], getCodeActions(context) { const fixes = []; addCodeAction(addAnnotationFix, fixes, context, 0, (f) => f.addTypeAnnotation(context.span)); addCodeAction(addAnnotationFix, fixes, context, 1, (f) => f.addTypeAnnotation(context.span)); addCodeAction(addAnnotationFix, fixes, context, 2, (f) => f.addTypeAnnotation(context.span)); addCodeAction(addInlineTypeAssertion, fixes, context, 0, (f) => f.addInlineAssertion(context.span)); addCodeAction(addInlineTypeAssertion, fixes, context, 1, (f) => f.addInlineAssertion(context.span)); addCodeAction(addInlineTypeAssertion, fixes, context, 2, (f) => f.addInlineAssertion(context.span)); addCodeAction(extractExpression, fixes, context, 0, (f) => f.extractAsVariable(context.span)); return fixes; }, getAllCodeActions: (context) => { const changes = withContext(context, 0, (f) => { eachDiagnostic(context, errorCodes47, (diag2) => { f.addTypeAnnotation(diag2); }); }); return createCombinedCodeActions(changes.textChanges); } }); function addCodeAction(fixName8, fixes, context, typePrintMode, cb) { const changes = withContext(context, typePrintMode, cb); if (changes.result && changes.textChanges.length) { fixes.push(createCodeFixAction( fixName8, changes.textChanges, changes.result, fixId36, Diagnostics.Add_all_missing_type_annotations )); } } function withContext(context, typePrintMode, cb) { const emptyInferenceResult = { typeNode: void 0, mutatedTarget: false }; const changeTracker = ts_textChanges_exports.ChangeTracker.fromContext(context); const sourceFile = context.sourceFile; const program = context.program; const typeChecker = program.getTypeChecker(); const scriptTarget = getEmitScriptTarget(program.getCompilerOptions()); const importAdder = createImportAdder(context.sourceFile, context.program, context.preferences, context.host); const fixedNodes = /* @__PURE__ */ new Set(); const expandoPropertiesAdded = /* @__PURE__ */ new Set(); const typePrinter = createPrinter({ preserveSourceNewlines: false }); const result = cb({ addTypeAnnotation, addInlineAssertion, extractAsVariable }); importAdder.writeFixes(changeTracker); return { result, textChanges: changeTracker.getChanges() }; function addTypeAnnotation(span) { context.cancellationToken.throwIfCancellationRequested(); const nodeWithDiag = getTokenAtPosition(sourceFile, span.start); const expandoFunction = findExpandoFunction(nodeWithDiag); if (expandoFunction) { if (isFunctionDeclaration(expandoFunction)) { return createNamespaceForExpandoProperties(expandoFunction); } return fixIsolatedDeclarationError(expandoFunction); } const nodeMissingType = findAncestorWithMissingType(nodeWithDiag); if (nodeMissingType) { return fixIsolatedDeclarationError(nodeMissingType); } return void 0; } function createNamespaceForExpandoProperties(expandoFunc) { var _a; if (expandoPropertiesAdded == null ? void 0 : expandoPropertiesAdded.has(expandoFunc)) return void 0; expandoPropertiesAdded == null ? void 0 : expandoPropertiesAdded.add(expandoFunc); const type = typeChecker.getTypeAtLocation(expandoFunc); const elements = typeChecker.getPropertiesOfType(type); if (!expandoFunc.name || elements.length === 0) return void 0; const newProperties = []; for (const symbol of elements) { if (!isIdentifierText(symbol.name, getEmitScriptTarget(program.getCompilerOptions()))) continue; if (symbol.valueDeclaration && isVariableDeclaration(symbol.valueDeclaration)) continue; newProperties.push(factory.createVariableStatement( [factory.createModifier( 95 /* ExportKeyword */ )], factory.createVariableDeclarationList( [factory.createVariableDeclaration( symbol.name, /*exclamationToken*/ void 0, typeToTypeNode2(typeChecker.getTypeOfSymbol(symbol), expandoFunc), /*initializer*/ void 0 )] ) )); } if (newProperties.length === 0) return void 0; const modifiers = []; if ((_a = expandoFunc.modifiers) == null ? void 0 : _a.some( (modifier) => modifier.kind === 95 /* ExportKeyword */ )) { modifiers.push(factory.createModifier( 95 /* ExportKeyword */ )); } modifiers.push(factory.createModifier( 138 /* DeclareKeyword */ )); const namespace = factory.createModuleDeclaration( modifiers, expandoFunc.name, factory.createModuleBlock(newProperties), /*flags*/ 32 | 128 | 33554432 | 101441536 /* ContextFlags */ ); changeTracker.insertNodeAfter(sourceFile, expandoFunc, namespace); return [Diagnostics.Annotate_types_of_properties_expando_function_in_a_namespace]; } function needsParenthesizedExpressionForAssertion(node) { return !isEntityNameExpression(node) && !isCallExpression2(node) && !isObjectLiteralExpression(node) && !isArrayLiteralExpression(node); } function createAsExpression(node, type) { if (needsParenthesizedExpressionForAssertion(node)) { node = factory.createParenthesizedExpression(node); } return factory.createAsExpression(node, type); } function createSatisfiesAsExpression(node, type) { if (needsParenthesizedExpressionForAssertion(node)) { node = factory.createParenthesizedExpression(node); } return factory.createAsExpression(factory.createSatisfiesExpression(node, getSynthesizedDeepClone(type)), type); } function addInlineAssertion(span) { context.cancellationToken.throwIfCancellationRequested(); const nodeWithDiag = getTokenAtPosition(sourceFile, span.start); const expandoFunction = findExpandoFunction(nodeWithDiag); if (expandoFunction) return; const targetNode = findBestFittingNode(nodeWithDiag, span); if (!targetNode || isValueSignatureDeclaration(targetNode) || isValueSignatureDeclaration(targetNode.parent)) return; const isExpressionTarget = isExpression(targetNode); const isShorthandPropertyAssignmentTarget = isShorthandPropertyAssignment(targetNode); if (!isShorthandPropertyAssignmentTarget && isDeclaration(targetNode)) { return void 0; } if (findAncestor(targetNode, isBindingPattern)) { return void 0; } if (findAncestor(targetNode, isEnumMember)) { return void 0; } if (isExpressionTarget && (findAncestor(targetNode, isHeritageClause) || findAncestor(targetNode, isTypeNode))) { return void 0; } if (isSpreadElement(targetNode)) { return void 0; } const variableDeclaration = findAncestor(targetNode, isVariableDeclaration); const type = variableDeclaration && typeChecker.getTypeAtLocation(variableDeclaration); if (type && type.flags & 8192) { return void 0; } if (!(isExpressionTarget || isShorthandPropertyAssignmentTarget)) return void 0; const { typeNode, mutatedTarget } = inferType(targetNode, type); if (!typeNode || mutatedTarget) return void 0; if (isShorthandPropertyAssignmentTarget) { changeTracker.insertNodeAt( sourceFile, targetNode.end, createAsExpression( getSynthesizedDeepClone(targetNode.name), typeNode ), { prefix: ": " } ); } else if (isExpressionTarget) { changeTracker.replaceNode( sourceFile, targetNode, createSatisfiesAsExpression( getSynthesizedDeepClone(targetNode), typeNode ) ); } else { Debug.assertNever(targetNode); } return [Diagnostics.Add_satisfies_and_an_inline_type_assertion_with_0, typeToStringForDiag(typeNode)]; } function extractAsVariable(span) { context.cancellationToken.throwIfCancellationRequested(); const nodeWithDiag = getTokenAtPosition(sourceFile, span.start); const targetNode = findBestFittingNode(nodeWithDiag, span); if (!targetNode || isValueSignatureDeclaration(targetNode) || isValueSignatureDeclaration(targetNode.parent)) return; const isExpressionTarget = isExpression(targetNode); if (!isExpressionTarget) return; if (isArrayLiteralExpression(targetNode)) { changeTracker.replaceNode( sourceFile, targetNode, createAsExpression(targetNode, factory.createTypeReferenceNode("const")) ); return [Diagnostics.Mark_array_literal_as_const]; } const parentPropertyAssignment = findAncestor(targetNode, isPropertyAssignment); if (parentPropertyAssignment) { if (parentPropertyAssignment === targetNode.parent && isEntityNameExpression(targetNode)) return; const tempName = factory.createUniqueName( getIdentifierForNode(targetNode, sourceFile, typeChecker, sourceFile), 16 /* Optimistic */ ); let replacementTarget = targetNode; let initializationNode = targetNode; if (isSpreadElement(replacementTarget)) { replacementTarget = walkUpParenthesizedExpressions(replacementTarget.parent); if (isConstAssertion2(replacementTarget.parent)) { initializationNode = replacementTarget = replacementTarget.parent; } else { initializationNode = createAsExpression( replacementTarget, factory.createTypeReferenceNode("const") ); } } if (isEntityNameExpression(replacementTarget)) return void 0; const variableDefinition = factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [ factory.createVariableDeclaration( tempName, /*exclamationToken*/ void 0, /*type*/ void 0, initializationNode ) ], 2 /* Const */ ) ); const statement = findAncestor(targetNode, isStatement); changeTracker.insertNodeBefore(sourceFile, statement, variableDefinition); changeTracker.replaceNode( sourceFile, replacementTarget, factory.createAsExpression( factory.cloneNode(tempName), factory.createTypeQueryNode( factory.cloneNode(tempName) ) ) ); return [Diagnostics.Extract_to_variable_and_replace_with_0_as_typeof_0, typeToStringForDiag(tempName)]; } } function findExpandoFunction(node) { const expandoDeclaration = findAncestor(node, (n) => isStatement(n) ? "quit" : isExpandoPropertyDeclaration(n)); if (expandoDeclaration && isExpandoPropertyDeclaration(expandoDeclaration)) { let assignmentTarget = expandoDeclaration; if (isBinaryExpression(assignmentTarget)) { assignmentTarget = assignmentTarget.left; if (!isExpandoPropertyDeclaration(assignmentTarget)) return void 0; } const targetType = typeChecker.getTypeAtLocation(assignmentTarget.expression); if (!targetType) return; const properties = typeChecker.getPropertiesOfType(targetType); if (some(properties, (p) => p.valueDeclaration === expandoDeclaration || p.valueDeclaration === expandoDeclaration.parent)) { const fn = targetType.symbol.valueDeclaration; if (fn) { if (isFunctionExpressionOrArrowFunction(fn) && isVariableDeclaration(fn.parent)) { return fn.parent; } if (isFunctionDeclaration(fn)) { return fn; } } } } return void 0; } function fixIsolatedDeclarationError(node) { if (fixedNodes == null ? void 0 : fixedNodes.has(node)) return void 0; fixedNodes == null ? void 0 : fixedNodes.add(node); switch (node.kind) { case 169: case 172: case 260: return addTypeToVariableLike(node); case 219: case 218: case 262: case 174: case 177: return addTypeToSignatureDeclaration(node, sourceFile); case 277: return transformExportAssignment(node); case 263: return transformExtendsClauseWithExpression(node); case 206: case 207: return transformDestructuringPatterns(node); default: throw new Error(`Cannot find a fix for the given node ${node.kind}`); } } function addTypeToSignatureDeclaration(func, sourceFile2) { if (func.type) { return; } const { typeNode } = inferType(func); if (typeNode) { changeTracker.tryInsertTypeAnnotation( sourceFile2, func, typeNode ); return [Diagnostics.Add_return_type_0, typeToStringForDiag(typeNode)]; } } function transformExportAssignment(defaultExport) { if (defaultExport.isExportEquals) { return; } const { typeNode } = inferType(defaultExport.expression); if (!typeNode) return void 0; const defaultIdentifier = factory.createUniqueName("_default"); changeTracker.replaceNodeWithNodes(sourceFile, defaultExport, [ factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [factory.createVariableDeclaration( defaultIdentifier, /*exclamationToken*/ void 0, typeNode, defaultExport.expression )], 2 /* Const */ ) ), factory.updateExportAssignment(defaultExport, defaultExport == null ? void 0 : defaultExport.modifiers, defaultIdentifier) ]); return [ Diagnostics.Extract_default_export_to_variable ]; } function transformExtendsClauseWithExpression(classDecl) { var _a, _b; const extendsClause = (_a = classDecl.heritageClauses) == null ? void 0 : _a.find( (p) => p.token === 96 /* ExtendsKeyword */ ); const heritageExpression = extendsClause == null ? void 0 : extendsClause.types[0]; if (!heritageExpression) { return void 0; } const { typeNode: heritageTypeNode } = inferType(heritageExpression.expression); if (!heritageTypeNode) { return void 0; } const baseClassName = factory.createUniqueName( classDecl.name ? classDecl.name.text + "Base" : "Anonymous", 16 /* Optimistic */ ); const heritageVariable = factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [factory.createVariableDeclaration( baseClassName, /*exclamationToken*/ void 0, heritageTypeNode, heritageExpression.expression )], 2 /* Const */ ) ); changeTracker.insertNodeBefore(sourceFile, classDecl, heritageVariable); const trailingComments = getTrailingCommentRanges(sourceFile.text, heritageExpression.end); const realEnd = ((_b = trailingComments == null ? void 0 : trailingComments[trailingComments.length - 1]) == null ? void 0 : _b.end) ?? heritageExpression.end; changeTracker.replaceRange( sourceFile, { pos: heritageExpression.getFullStart(), end: realEnd }, baseClassName, { prefix: " " } ); return [Diagnostics.Extract_base_class_to_variable]; } let ExpressionType; ((ExpressionType2) => { ExpressionType2[ExpressionType2["Text"] = 0] = "Text"; ExpressionType2[ExpressionType2["Computed"] = 1] = "Computed"; ExpressionType2[ExpressionType2["ArrayAccess"] = 2] = "ArrayAccess"; ExpressionType2[ExpressionType2["Identifier"] = 3] = "Identifier"; })(ExpressionType || (ExpressionType = {})); function transformDestructuringPatterns(bindingPattern) { var _a; const enclosingVariableDeclaration = bindingPattern.parent; const enclosingVarStmt = bindingPattern.parent.parent.parent; if (!enclosingVariableDeclaration.initializer) return void 0; let baseExpr; const newNodes = []; if (!isIdentifier(enclosingVariableDeclaration.initializer)) { const tempHolderForReturn = factory.createUniqueName( "dest", 16 /* Optimistic */ ); baseExpr = { expression: { kind: 3, identifier: tempHolderForReturn } }; newNodes.push(factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [factory.createVariableDeclaration( tempHolderForReturn, /*exclamationToken*/ void 0, /*type*/ void 0, enclosingVariableDeclaration.initializer )], 2 /* Const */ ) )); } else { baseExpr = { expression: { kind: 3, identifier: enclosingVariableDeclaration.initializer } }; } const bindingElements = []; if (isArrayBindingPattern(bindingPattern)) { addArrayBindingPatterns(bindingPattern, bindingElements, baseExpr); } else { addObjectBindingPatterns(bindingPattern, bindingElements, baseExpr); } const expressionToVar = /* @__PURE__ */ new Map(); for (const bindingElement of bindingElements) { if (bindingElement.element.propertyName && isComputedPropertyName(bindingElement.element.propertyName)) { const computedExpression = bindingElement.element.propertyName.expression; const identifierForComputedProperty = factory.getGeneratedNameForNode(computedExpression); const variableDecl = factory.createVariableDeclaration( identifierForComputedProperty, /*exclamationToken*/ void 0, /*type*/ void 0, computedExpression ); const variableList = factory.createVariableDeclarationList( [variableDecl], 2 /* Const */ ); const variableStatement = factory.createVariableStatement( /*modifiers*/ void 0, variableList ); newNodes.push(variableStatement); expressionToVar.set(computedExpression, identifierForComputedProperty); } const name = bindingElement.element.name; if (isArrayBindingPattern(name)) { addArrayBindingPatterns(name, bindingElements, bindingElement); } else if (isObjectBindingPattern(name)) { addObjectBindingPatterns(name, bindingElements, bindingElement); } else { const { typeNode } = inferType(name); let variableInitializer = createChainedExpression(bindingElement, expressionToVar); if (bindingElement.element.initializer) { const propertyName = (_a = bindingElement.element) == null ? void 0 : _a.propertyName; const tempName = factory.createUniqueName( propertyName && isIdentifier(propertyName) ? propertyName.text : "temp", 16 /* Optimistic */ ); newNodes.push(factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [factory.createVariableDeclaration( tempName, /*exclamationToken*/ void 0, /*type*/ void 0, variableInitializer )], 2 /* Const */ ) )); variableInitializer = factory.createConditionalExpression( factory.createBinaryExpression( tempName, factory.createToken( 37 /* EqualsEqualsEqualsToken */ ), factory.createIdentifier("undefined") ), factory.createToken( 58 /* QuestionToken */ ), bindingElement.element.initializer, factory.createToken( 59 /* ColonToken */ ), variableInitializer ); } const exportModifier = hasSyntacticModifier( enclosingVarStmt, 32 /* Export */ ) ? [factory.createToken( 95 /* ExportKeyword */ )] : void 0; newNodes.push(factory.createVariableStatement( exportModifier, factory.createVariableDeclarationList( [factory.createVariableDeclaration( name, /*exclamationToken*/ void 0, typeNode, variableInitializer )], 2 /* Const */ ) )); } } if (enclosingVarStmt.declarationList.declarations.length > 1) { newNodes.push(factory.updateVariableStatement( enclosingVarStmt, enclosingVarStmt.modifiers, factory.updateVariableDeclarationList( enclosingVarStmt.declarationList, enclosingVarStmt.declarationList.declarations.filter((node) => node !== bindingPattern.parent) ) )); } changeTracker.replaceNodeWithNodes(sourceFile, enclosingVarStmt, newNodes); return [ Diagnostics.Extract_binding_expressions_to_variable ]; } function addArrayBindingPatterns(bindingPattern, bindingElements, parent2) { for (let i = 0; i < bindingPattern.elements.length; ++i) { const element = bindingPattern.elements[i]; if (isOmittedExpression(element)) { continue; } bindingElements.push({ element, parent: parent2, expression: { kind: 2, arrayIndex: i } }); } } function addObjectBindingPatterns(bindingPattern, bindingElements, parent2) { for (const bindingElement of bindingPattern.elements) { let name; if (bindingElement.propertyName) { if (isComputedPropertyName(bindingElement.propertyName)) { bindingElements.push({ element: bindingElement, parent: parent2, expression: { kind: 1, computed: bindingElement.propertyName.expression } }); continue; } else { name = bindingElement.propertyName.text; } } else { name = bindingElement.name.text; } bindingElements.push({ element: bindingElement, parent: parent2, expression: { kind: 0, text: name } }); } } function createChainedExpression(expression, expressionToVar) { const reverseTraverse = [expression]; while (expression.parent) { expression = expression.parent; reverseTraverse.push(expression); } let chainedExpression = reverseTraverse[reverseTraverse.length - 1].expression.identifier; for (let i = reverseTraverse.length - 2; i >= 0; --i) { const nextSubExpr = reverseTraverse[i].expression; if (nextSubExpr.kind === 0) { chainedExpression = factory.createPropertyAccessChain( chainedExpression, /*questionDotToken*/ void 0, factory.createIdentifier(nextSubExpr.text) ); } else if (nextSubExpr.kind === 1) { chainedExpression = factory.createElementAccessExpression( chainedExpression, expressionToVar.get(nextSubExpr.computed) ); } else if (nextSubExpr.kind === 2) { chainedExpression = factory.createElementAccessExpression( chainedExpression, nextSubExpr.arrayIndex ); } } return chainedExpression; } function inferType(node, variableType) { if (typePrintMode === 1) { return relativeType(node); } let type = isValueSignatureDeclaration(node) ? tryGetReturnType2(node) : typeChecker.getTypeAtLocation(node); if (!type) { return emptyInferenceResult; } if (typePrintMode === 2) { if (variableType) { type = variableType; } const widenedType = typeChecker.getWidenedLiteralType(type); if (typeChecker.isTypeAssignableTo(widenedType, type)) { return emptyInferenceResult; } type = widenedType; } if (isParameter(node) && typeChecker.requiresAddingImplicitUndefined(node)) { type = typeChecker.getUnionType( [typeChecker.getUndefinedType(), type], 0 /* None */ ); } const flags = (isVariableDeclaration(node) || isPropertyDeclaration(node) && hasSyntacticModifier( node, 256 | 8 /* Readonly */ )) && type.flags & 8192 ? 1048576 : 0; return { typeNode: typeToTypeNode2(type, findAncestor(node, isDeclaration) ?? sourceFile, flags), mutatedTarget: false }; } function createTypeOfFromEntityNameExpression(node) { return factory.createTypeQueryNode(getSynthesizedDeepClone(node)); } function typeFromArraySpreadElements(node, name = "temp") { const isConstContext = !!findAncestor(node, isConstAssertion2); if (!isConstContext) return emptyInferenceResult; return typeFromSpreads( node, name, isConstContext, (n) => n.elements, isSpreadElement, factory.createSpreadElement, (props) => factory.createArrayLiteralExpression( props, /*multiLine*/ true ), (types) => factory.createTupleTypeNode(types.map(factory.createRestTypeNode)) ); } function typeFromObjectSpreadAssignment(node, name = "temp") { const isConstContext = !!findAncestor(node, isConstAssertion2); return typeFromSpreads( node, name, isConstContext, (n) => n.properties, isSpreadAssignment, factory.createSpreadAssignment, (props) => factory.createObjectLiteralExpression( props, /*multiLine*/ true ), factory.createIntersectionTypeNode ); } function typeFromSpreads(node, name, isConstContext, getChildren, isSpread, createSpread, makeNodeOfKind, finalType) { const intersectionTypes = []; const newSpreads = []; let currentVariableProperties; const statement = findAncestor(node, isStatement); for (const prop of getChildren(node)) { if (isSpread(prop)) { finalizesVariablePart(); if (isEntityNameExpression(prop.expression)) { intersectionTypes.push(createTypeOfFromEntityNameExpression(prop.expression)); newSpreads.push(prop); } else { makeVariable(prop.expression); } } else { (currentVariableProperties ?? (currentVariableProperties = [])).push(prop); } } if (newSpreads.length === 0) { return emptyInferenceResult; } finalizesVariablePart(); changeTracker.replaceNode(sourceFile, node, makeNodeOfKind(newSpreads)); return { typeNode: finalType(intersectionTypes), mutatedTarget: true }; function makeVariable(expression) { const tempName = factory.createUniqueName( name + "_Part" + (newSpreads.length + 1), 16 /* Optimistic */ ); const initializer = !isConstContext ? expression : factory.createAsExpression( expression, factory.createTypeReferenceNode("const") ); const variableDefinition = factory.createVariableStatement( /*modifiers*/ void 0, factory.createVariableDeclarationList( [ factory.createVariableDeclaration( tempName, /*exclamationToken*/ void 0, /*type*/ void 0, initializer ) ], 2 /* Const */ ) ); changeTracker.insertNodeBefore(sourceFile, statement, variableDefinition); intersectionTypes.push(createTypeOfFromEntityNameExpression(tempName)); newSpreads.push(createSpread(tempName)); } function finalizesVariablePart() { if (currentVariableProperties) { makeVariable(makeNodeOfKind( currentVariableProperties )); currentVariableProperties = void 0; } } } function isConstAssertion2(location) { return isAssertionExpression(location) && isConstTypeReference(location.type); } function relativeType(node) { if (isParameter(node)) { return emptyInferenceResult; } if (isShorthandPropertyAssignment(node)) { return { typeNode: createTypeOfFromEntityNameExpression(node.name), mutatedTarget: false }; } if (isEntityNameExpression(node)) { return { typeNode: createTypeOfFromEntityNameExpression(node), mutatedTarget: false }; } if (isConstAssertion2(node)) { return relativeType(node.expression); } if (isArrayLiteralExpression(node)) { const variableDecl = findAncestor(node, isVariableDeclaration); const partName = variableDecl && isIdentifier(variableDecl.name) ? variableDecl.name.text : void 0; return typeFromArraySpreadElements(node, partName); } if (isObjectLiteralExpression(node)) { const variableDecl = findAncestor(node, isVariableDeclaration); const partName = variableDecl && isIdentifier(variableDecl.name) ? variableDecl.name.text : void 0; return typeFromObjectSpreadAssignment(node, partName); } if (isVariableDeclaration(node) && node.initializer) { return relativeType(node.initializer); } if (isConditionalExpression(node)) { const { typeNode: trueType, mutatedTarget: mTrue } = relativeType(node.whenTrue); if (!trueType) return emptyInferenceResult; const { typeNode: falseType, mutatedTarget: mFalse } = relativeType(node.whenFalse); if (!falseType) return emptyInferenceResult; return { typeNode: factory.createUnionTypeNode([trueType, falseType]), mutatedTarget: mTrue || mFalse }; } return emptyInferenceResult; } function typeToTypeNode2(type, enclosingDeclaration, flags = 0) { let isTruncated = false; const result2 = typeToAutoImportableTypeNode(typeChecker, importAdder, type, enclosingDeclaration, scriptTarget, declarationEmitNodeBuilderFlags2 | flags, { moduleResolverHost: program, trackSymbol() { return true; }, reportTruncationError() { isTruncated = true; } }); return isTruncated ? factory.createKeywordTypeNode( 133 /* AnyKeyword */ ) : result2; } function tryGetReturnType2(node) { const signature = typeChecker.getSignatureFromDeclaration(node); if (signature) { return typeChecker.getReturnTypeOfSignature(signature); } } function addTypeToVariableLike(decl) { const { typeNode } = inferType(decl); if (typeNode) { if (decl.type) { changeTracker.replaceNode(getSourceFileOfNode(decl), decl.type, typeNode); } else { changeTracker.tryInsertTypeAnnotation(getSourceFileOfNode(decl), decl, typeNode); } return [Diagnostics.Add_annotation_of_type_0, typeToStringForDiag(typeNode)]; } } function typeToStringForDiag(node) { setEmitFlags( node, 1 /* SingleLine */ ); const result2 = typePrinter.printNode(4, node, sourceFile); if (result2.length > defaultMaximumTruncationLength) { return result2.substring(0, defaultMaximumTruncationLength - "...".length) + "..."; } setEmitFlags( node, 0 /* None */ ); return result2; } function findAncestorWithMissingType(node) { return findAncestor(node, (n) => { return canHaveTypeAnnotation.has(n.kind) && (!isObjectBindingPattern(n) && !isArrayBindingPattern(n) || isVariableDeclaration(n.parent)); }); } function findBestFittingNode(node, span) { while (node && node.end < span.start + span.length) { node = node.parent; } while (node.parent.pos === node.pos && node.parent.end === node.end) { node = node.parent; } if (isIdentifier(node) && hasInitializer(node.parent) && node.parent.initializer) { return node.parent.initializer; } return node; } } var fixId37 = "fixAwaitInSyncFunction"; var errorCodes48 = [ Diagnostics.await_expressions_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules.code, Diagnostics.await_using_statements_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules.code, Diagnostics.for_await_loops_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules.code, Diagnostics.Cannot_find_name_0_Did_you_mean_to_write_this_in_an_async_function.code ]; registerCodeFix({ errorCodes: errorCodes48, getCodeActions(context) { const { sourceFile, span } = context; const nodes = getNodes3(sourceFile, span.start); if (!nodes) return void 0; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange31(t, sourceFile, nodes)); return [createCodeFixAction(fixId37, changes, Diagnostics.Add_async_modifier_to_containing_function, fixId37, Diagnostics.Add_all_missing_async_modifiers)]; }, fixIds: [fixId37], getAllCodeActions: function getAllCodeActionsToFixAwaitInSyncFunction(context) { const seen = /* @__PURE__ */ new Map(); return codeFixAll(context, errorCodes48, (changes, diag2) => { const nodes = getNodes3(diag2.file, diag2.start); if (!nodes || !addToSeen(seen, getNodeId(nodes.insertBefore))) return; doChange31(changes, context.sourceFile, nodes); }); } }); function getReturnType(expr) { if (expr.type) { return expr.type; } if (isVariableDeclaration(expr.parent) && expr.parent.type && isFunctionTypeNode(expr.parent.type)) { return expr.parent.type.type; } } function getNodes3(sourceFile, start) { const token = getTokenAtPosition(sourceFile, start); const containingFunction = getContainingFunction(token); if (!containingFunction) { return; } let insertBefore; switch (containingFunction.kind) { case 174: insertBefore = containingFunction.name; break; case 262: case 218: insertBefore = findChildOfKind(containingFunction, 100, sourceFile); break; case 219: const kind = containingFunction.typeParameters ? 30 : 21; insertBefore = findChildOfKind(containingFunction, kind, sourceFile) || first(containingFunction.parameters); break; default: return; } return insertBefore && { insertBefore, returnType: getReturnType(containingFunction) }; } function doChange31(changes, sourceFile, { insertBefore, returnType }) { if (returnType) { const entityName = getEntityNameFromTypeNode(returnType); if (!entityName || entityName.kind !== 80 || entityName.text !== "Promise") { changes.replaceNode(sourceFile, returnType, factory.createTypeReferenceNode("Promise", factory.createNodeArray([returnType]))); } } changes.insertModifierBefore(sourceFile, 134, insertBefore); } var errorCodes49 = [ Diagnostics._0_is_defined_as_an_accessor_in_class_1_but_is_overridden_here_in_2_as_an_instance_property.code, Diagnostics._0_is_defined_as_a_property_in_class_1_but_is_overridden_here_in_2_as_an_accessor.code ]; var fixId38 = "fixPropertyOverrideAccessor"; registerCodeFix({ errorCodes: errorCodes49, getCodeActions(context) { const edits = doChange32(context.sourceFile, context.span.start, context.span.length, context.errorCode, context); if (edits) { return [createCodeFixAction(fixId38, edits, Diagnostics.Generate_get_and_set_accessors, fixId38, Diagnostics.Generate_get_and_set_accessors_for_all_overriding_properties)]; } }, fixIds: [fixId38], getAllCodeActions: (context) => codeFixAll(context, errorCodes49, (changes, diag2) => { const edits = doChange32(diag2.file, diag2.start, diag2.length, diag2.code, context); if (edits) { for (const edit of edits) { changes.pushRaw(context.sourceFile, edit); } } }) }); function doChange32(file, start, length2, code, context) { let startPosition; let endPosition; if (code === Diagnostics._0_is_defined_as_an_accessor_in_class_1_but_is_overridden_here_in_2_as_an_instance_property.code) { startPosition = start; endPosition = start + length2; } else if (code === Diagnostics._0_is_defined_as_a_property_in_class_1_but_is_overridden_here_in_2_as_an_accessor.code) { const checker = context.program.getTypeChecker(); const node = getTokenAtPosition(file, start).parent; Debug.assert(isAccessor(node), "error span of fixPropertyOverrideAccessor should only be on an accessor"); const containingClass = node.parent; Debug.assert(isClassLike(containingClass), "erroneous accessors should only be inside classes"); const base = singleOrUndefined(getAllSupers(containingClass, checker)); if (!base) return []; const name = unescapeLeadingUnderscores(getTextOfPropertyName(node.name)); const baseProp = checker.getPropertyOfType(checker.getTypeAtLocation(base), name); if (!baseProp || !baseProp.valueDeclaration) return []; startPosition = baseProp.valueDeclaration.pos; endPosition = baseProp.valueDeclaration.end; file = getSourceFileOfNode(baseProp.valueDeclaration); } else { Debug.fail("fixPropertyOverrideAccessor codefix got unexpected error code " + code); } return generateAccessorFromProperty(file, context.program, startPosition, endPosition, context, Diagnostics.Generate_get_and_set_accessors.message); } var fixId39 = "inferFromUsage"; var errorCodes50 = [ // Variable declarations Diagnostics.Variable_0_implicitly_has_type_1_in_some_locations_where_its_type_cannot_be_determined.code, // Variable uses Diagnostics.Variable_0_implicitly_has_an_1_type.code, // Parameter declarations Diagnostics.Parameter_0_implicitly_has_an_1_type.code, Diagnostics.Rest_parameter_0_implicitly_has_an_any_type.code, // Get Accessor declarations Diagnostics.Property_0_implicitly_has_type_any_because_its_get_accessor_lacks_a_return_type_annotation.code, Diagnostics._0_which_lacks_return_type_annotation_implicitly_has_an_1_return_type.code, // Set Accessor declarations Diagnostics.Property_0_implicitly_has_type_any_because_its_set_accessor_lacks_a_parameter_type_annotation.code, // Property declarations Diagnostics.Member_0_implicitly_has_an_1_type.code, //// Suggestions // Variable declarations Diagnostics.Variable_0_implicitly_has_type_1_in_some_locations_but_a_better_type_may_be_inferred_from_usage.code, // Variable uses Diagnostics.Variable_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage.code, // Parameter declarations Diagnostics.Parameter_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage.code, Diagnostics.Rest_parameter_0_implicitly_has_an_any_type_but_a_better_type_may_be_inferred_from_usage.code, // Get Accessor declarations Diagnostics.Property_0_implicitly_has_type_any_but_a_better_type_for_its_get_accessor_may_be_inferred_from_usage.code, Diagnostics._0_implicitly_has_an_1_return_type_but_a_better_type_may_be_inferred_from_usage.code, // Set Accessor declarations Diagnostics.Property_0_implicitly_has_type_any_but_a_better_type_for_its_set_accessor_may_be_inferred_from_usage.code, // Property declarations Diagnostics.Member_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage.code, // Function expressions and declarations Diagnostics.this_implicitly_has_type_any_because_it_does_not_have_a_type_annotation.code ]; registerCodeFix({ errorCodes: errorCodes50, getCodeActions(context) { const { sourceFile, program, span: { start }, errorCode, cancellationToken, host, preferences } = context; const token = getTokenAtPosition(sourceFile, start); let declaration; const changes = ts_textChanges_exports.ChangeTracker.with(context, (changes2) => { declaration = doChange33( changes2, sourceFile, token, errorCode, program, cancellationToken, /*markSeen*/ returnTrue, host, preferences ); }); const name = declaration && getNameOfDeclaration(declaration); return !name || changes.length === 0 ? void 0 : [createCodeFixAction(fixId39, changes, [getDiagnostic(errorCode, token), getTextOfNode(name)], fixId39, Diagnostics.Infer_all_types_from_usage)]; }, fixIds: [fixId39], getAllCodeActions(context) { const { sourceFile, program, cancellationToken, host, preferences } = context; const markSeen = nodeSeenTracker(); return codeFixAll(context, errorCodes50, (changes, err) => { doChange33(changes, sourceFile, getTokenAtPosition(err.file, err.start), err.code, program, cancellationToken, markSeen, host, preferences); }); } }); function getDiagnostic(errorCode, token) { switch (errorCode) { case Diagnostics.Parameter_0_implicitly_has_an_1_type.code: case Diagnostics.Parameter_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage.code: return isSetAccessorDeclaration(getContainingFunction(token)) ? Diagnostics.Infer_type_of_0_from_usage : Diagnostics.Infer_parameter_types_from_usage; case Diagnostics.Rest_parameter_0_implicitly_has_an_any_type.code: case Diagnostics.Rest_parameter_0_implicitly_has_an_any_type_but_a_better_type_may_be_inferred_from_usage.code: return Diagnostics.Infer_parameter_types_from_usage; case Diagnostics.this_implicitly_has_type_any_because_it_does_not_have_a_type_annotation.code: return Diagnostics.Infer_this_type_of_0_from_usage; default: return Diagnostics.Infer_type_of_0_from_usage; } } function mapSuggestionDiagnostic(errorCode) { switch (errorCode) { case Diagnostics.Variable_0_implicitly_has_type_1_in_some_locations_but_a_better_type_may_be_inferred_from_usage.code: return Diagnostics.Variable_0_implicitly_has_type_1_in_some_locations_where_its_type_cannot_be_determined.code; case Diagnostics.Variable_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage.code: return Diagnostics.Variable_0_implicitly_has_an_1_type.code; case Diagnostics.Parameter_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage.code: return Diagnostics.Parameter_0_implicitly_has_an_1_type.code; case Diagnostics.Rest_parameter_0_implicitly_has_an_any_type_but_a_better_type_may_be_inferred_from_usage.code: return Diagnostics.Rest_parameter_0_implicitly_has_an_any_type.code; case Diagnostics.Property_0_implicitly_has_type_any_but_a_better_type_for_its_get_accessor_may_be_inferred_from_usage.code: return Diagnostics.Property_0_implicitly_has_type_any_because_its_get_accessor_lacks_a_return_type_annotation.code; case Diagnostics._0_implicitly_has_an_1_return_type_but_a_better_type_may_be_inferred_from_usage.code: return Diagnostics._0_which_lacks_return_type_annotation_implicitly_has_an_1_return_type.code; case Diagnostics.Property_0_implicitly_has_type_any_but_a_better_type_for_its_set_accessor_may_be_inferred_from_usage.code: return Diagnostics.Property_0_implicitly_has_type_any_because_its_set_accessor_lacks_a_parameter_type_annotation.code; case Diagnostics.Member_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage.code: return Diagnostics.Member_0_implicitly_has_an_1_type.code; } return errorCode; } function doChange33(changes, sourceFile, token, errorCode, program, cancellationToken, markSeen, host, preferences) { if (!isParameterPropertyModifier(token.kind) && token.kind !== 80 && token.kind !== 26 && token.kind !== 110) { return void 0; } const { parent: parent2 } = token; const importAdder = createImportAdder(sourceFile, program, preferences, host); errorCode = mapSuggestionDiagnostic(errorCode); switch (errorCode) { case Diagnostics.Member_0_implicitly_has_an_1_type.code: case Diagnostics.Variable_0_implicitly_has_type_1_in_some_locations_where_its_type_cannot_be_determined.code: if (isVariableDeclaration(parent2) && markSeen(parent2) || isPropertyDeclaration(parent2) || isPropertySignature(parent2)) { annotateVariableDeclaration(changes, importAdder, sourceFile, parent2, program, host, cancellationToken); importAdder.writeFixes(changes); return parent2; } if (isPropertyAccessExpression(parent2)) { const type = inferTypeForVariableFromUsage(parent2.name, program, cancellationToken); const typeNode = getTypeNodeIfAccessible(type, parent2, program, host); if (typeNode) { const typeTag = factory.createJSDocTypeTag( /*tagName*/ void 0, factory.createJSDocTypeExpression(typeNode), /*comment*/ void 0 ); changes.addJSDocTags(sourceFile, cast(parent2.parent.parent, isExpressionStatement2), [typeTag]); } importAdder.writeFixes(changes); return parent2; } return void 0; case Diagnostics.Variable_0_implicitly_has_an_1_type.code: { const symbol = program.getTypeChecker().getSymbolAtLocation(token); if (symbol && symbol.valueDeclaration && isVariableDeclaration(symbol.valueDeclaration) && markSeen(symbol.valueDeclaration)) { annotateVariableDeclaration(changes, importAdder, getSourceFileOfNode(symbol.valueDeclaration), symbol.valueDeclaration, program, host, cancellationToken); importAdder.writeFixes(changes); return symbol.valueDeclaration; } return void 0; } } const containingFunction = getContainingFunction(token); if (containingFunction === void 0) { return void 0; } let declaration; switch (errorCode) { case Diagnostics.Parameter_0_implicitly_has_an_1_type.code: if (isSetAccessorDeclaration(containingFunction)) { annotateSetAccessor(changes, importAdder, sourceFile, containingFunction, program, host, cancellationToken); declaration = containingFunction; break; } case Diagnostics.Rest_parameter_0_implicitly_has_an_any_type.code: if (markSeen(containingFunction)) { const param = cast(parent2, isParameter); annotateParameters(changes, importAdder, sourceFile, param, containingFunction, program, host, cancellationToken); declaration = param; } break; case Diagnostics.Property_0_implicitly_has_type_any_because_its_get_accessor_lacks_a_return_type_annotation.code: case Diagnostics._0_which_lacks_return_type_annotation_implicitly_has_an_1_return_type.code: if (isGetAccessorDeclaration(containingFunction) && isIdentifier(containingFunction.name)) { annotate(changes, importAdder, sourceFile, containingFunction, inferTypeForVariableFromUsage(containingFunction.name, program, cancellationToken), program, host); declaration = containingFunction; } break; case Diagnostics.Property_0_implicitly_has_type_any_because_its_set_accessor_lacks_a_parameter_type_annotation.code: if (isSetAccessorDeclaration(containingFunction)) { annotateSetAccessor(changes, importAdder, sourceFile, containingFunction, program, host, cancellationToken); declaration = containingFunction; } break; case Diagnostics.this_implicitly_has_type_any_because_it_does_not_have_a_type_annotation.code: if (ts_textChanges_exports.isThisTypeAnnotatable(containingFunction) && markSeen(containingFunction)) { annotateThis(changes, sourceFile, containingFunction, program, host, cancellationToken); declaration = containingFunction; } break; default: return Debug.fail(String(errorCode)); } importAdder.writeFixes(changes); return declaration; } function annotateVariableDeclaration(changes, importAdder, sourceFile, declaration, program, host, cancellationToken) { if (isIdentifier(declaration.name)) { annotate(changes, importAdder, sourceFile, declaration, inferTypeForVariableFromUsage(declaration.name, program, cancellationToken), program, host); } } function annotateParameters(changes, importAdder, sourceFile, parameterDeclaration, containingFunction, program, host, cancellationToken) { if (!isIdentifier(parameterDeclaration.name)) { return; } const parameterInferences = inferTypeForParametersFromUsage(containingFunction, sourceFile, program, cancellationToken); Debug.assert(containingFunction.parameters.length === parameterInferences.length, "Parameter count and inference count should match"); if (isInJSFile(containingFunction)) { annotateJSDocParameters(changes, sourceFile, parameterInferences, program, host); } else { const needParens = isArrowFunction(containingFunction) && !findChildOfKind(containingFunction, 21, sourceFile); if (needParens) changes.insertNodeBefore(sourceFile, first(containingFunction.parameters), factory.createToken( 21 /* OpenParenToken */ )); for (const { declaration, type } of parameterInferences) { if (declaration && !declaration.type && !declaration.initializer) { annotate(changes, importAdder, sourceFile, declaration, type, program, host); } } if (needParens) changes.insertNodeAfter(sourceFile, last(containingFunction.parameters), factory.createToken( 22 /* CloseParenToken */ )); } } function annotateThis(changes, sourceFile, containingFunction, program, host, cancellationToken) { const references = getFunctionReferences(containingFunction, sourceFile, program, cancellationToken); if (!references || !references.length) { return; } const thisInference = inferTypeFromReferences(program, references, cancellationToken).thisParameter(); const typeNode = getTypeNodeIfAccessible(thisInference, containingFunction, program, host); if (!typeNode) { return; } if (isInJSFile(containingFunction)) { annotateJSDocThis(changes, sourceFile, containingFunction, typeNode); } else { changes.tryInsertThisTypeAnnotation(sourceFile, containingFunction, typeNode); } } function annotateJSDocThis(changes, sourceFile, containingFunction, typeNode) { changes.addJSDocTags(sourceFile, containingFunction, [ factory.createJSDocThisTag( /*tagName*/ void 0, factory.createJSDocTypeExpression(typeNode) ) ]); } function annotateSetAccessor(changes, importAdder, sourceFile, setAccessorDeclaration, program, host, cancellationToken) { const param = firstOrUndefined(setAccessorDeclaration.parameters); if (param && isIdentifier(setAccessorDeclaration.name) && isIdentifier(param.name)) { let type = inferTypeForVariableFromUsage(setAccessorDeclaration.name, program, cancellationToken); if (type === program.getTypeChecker().getAnyType()) { type = inferTypeForVariableFromUsage(param.name, program, cancellationToken); } if (isInJSFile(setAccessorDeclaration)) { annotateJSDocParameters(changes, sourceFile, [{ declaration: param, type }], program, host); } else { annotate(changes, importAdder, sourceFile, param, type, program, host); } } } function annotate(changes, importAdder, sourceFile, declaration, type, program, host) { const typeNode = getTypeNodeIfAccessible(type, declaration, program, host); if (typeNode) { if (isInJSFile(sourceFile) && declaration.kind !== 171) { const parent2 = isVariableDeclaration(declaration) ? tryCast(declaration.parent.parent, isVariableStatement) : declaration; if (!parent2) { return; } const typeExpression = factory.createJSDocTypeExpression(typeNode); const typeTag = isGetAccessorDeclaration(declaration) ? factory.createJSDocReturnTag( /*tagName*/ void 0, typeExpression, /*comment*/ void 0 ) : factory.createJSDocTypeTag( /*tagName*/ void 0, typeExpression, /*comment*/ void 0 ); changes.addJSDocTags(sourceFile, parent2, [typeTag]); } else if (!tryReplaceImportTypeNodeWithAutoImport(typeNode, declaration, sourceFile, changes, importAdder, getEmitScriptTarget(program.getCompilerOptions()))) { changes.tryInsertTypeAnnotation(sourceFile, declaration, typeNode); } } } function tryReplaceImportTypeNodeWithAutoImport(typeNode, declaration, sourceFile, changes, importAdder, scriptTarget) { const importableReference = tryGetAutoImportableReferenceFromTypeNode(typeNode, scriptTarget); if (importableReference && changes.tryInsertTypeAnnotation(sourceFile, declaration, importableReference.typeNode)) { forEach(importableReference.symbols, (s) => importAdder.addImportFromExportedSymbol( s, /*isValidTypeOnlyUseSite*/ true )); return true; } return false; } function annotateJSDocParameters(changes, sourceFile, parameterInferences, program, host) { const signature = parameterInferences.length && parameterInferences[0].declaration.parent; if (!signature) { return; } const inferences = mapDefined(parameterInferences, (inference) => { const param = inference.declaration; if (param.initializer || getJSDocType(param) || !isIdentifier(param.name)) { return; } const typeNode = inference.type && getTypeNodeIfAccessible(inference.type, param, program, host); if (typeNode) { const name = factory.cloneNode(param.name); setEmitFlags( name, 3072 | 4096 /* NoNestedComments */ ); return { name: factory.cloneNode(param.name), param, isOptional: !!inference.isOptional, typeNode }; } }); if (!inferences.length) { return; } if (isArrowFunction(signature) || isFunctionExpression(signature)) { const needParens = isArrowFunction(signature) && !findChildOfKind(signature, 21, sourceFile); if (needParens) { changes.insertNodeBefore(sourceFile, first(signature.parameters), factory.createToken( 21 /* OpenParenToken */ )); } forEach(inferences, ({ typeNode, param }) => { const typeTag = factory.createJSDocTypeTag( /*tagName*/ void 0, factory.createJSDocTypeExpression(typeNode) ); const jsDoc = factory.createJSDocComment( /*comment*/ void 0, [typeTag] ); changes.insertNodeAt(sourceFile, param.getStart(sourceFile), jsDoc, { suffix: " " }); }); if (needParens) { changes.insertNodeAfter(sourceFile, last(signature.parameters), factory.createToken( 22 /* CloseParenToken */ )); } } else { const paramTags = map(inferences, ({ name, typeNode, isOptional }) => factory.createJSDocParameterTag( /*tagName*/ void 0, name, /*isBracketed*/ !!isOptional, factory.createJSDocTypeExpression(typeNode), /*isNameFirst*/ false, /*comment*/ void 0 )); changes.addJSDocTags(sourceFile, signature, paramTags); } } function getReferences3(token, program, cancellationToken) { return mapDefined(ts_FindAllReferences_exports.getReferenceEntriesForNode(-1, token, program, program.getSourceFiles(), cancellationToken), (entry) => entry.kind !== ts_FindAllReferences_exports.EntryKind.Span ? tryCast(entry.node, isIdentifier) : void 0); } function inferTypeForVariableFromUsage(token, program, cancellationToken) { const references = getReferences3(token, program, cancellationToken); return inferTypeFromReferences(program, references, cancellationToken).single(); } function inferTypeForParametersFromUsage(func, sourceFile, program, cancellationToken) { const references = getFunctionReferences(func, sourceFile, program, cancellationToken); return references && inferTypeFromReferences(program, references, cancellationToken).parameters(func) || func.parameters.map((p) => ({ declaration: p, type: isIdentifier(p.name) ? inferTypeForVariableFromUsage(p.name, program, cancellationToken) : program.getTypeChecker().getAnyType() })); } function getFunctionReferences(containingFunction, sourceFile, program, cancellationToken) { let searchToken; switch (containingFunction.kind) { case 176: searchToken = findChildOfKind(containingFunction, 137, sourceFile); break; case 219: case 218: const parent2 = containingFunction.parent; searchToken = (isVariableDeclaration(parent2) || isPropertyDeclaration(parent2)) && isIdentifier(parent2.name) ? parent2.name : containingFunction.name; break; case 262: case 174: case 173: searchToken = containingFunction.name; break; } if (!searchToken) { return void 0; } return getReferences3(searchToken, program, cancellationToken); } function inferTypeFromReferences(program, references, cancellationToken) { const checker = program.getTypeChecker(); const builtinConstructors = { string: () => checker.getStringType(), number: () => checker.getNumberType(), Array: (t) => checker.createArrayType(t), Promise: (t) => checker.createPromiseType(t) }; const builtins = [ checker.getStringType(), checker.getNumberType(), checker.createArrayType(checker.getAnyType()), checker.createPromiseType(checker.getAnyType()) ]; return { single: single2, parameters, thisParameter }; function createEmptyUsage() { return { isNumber: void 0, isString: void 0, isNumberOrString: void 0, candidateTypes: void 0, properties: void 0, calls: void 0, constructs: void 0, numberIndex: void 0, stringIndex: void 0, candidateThisTypes: void 0, inferredTypes: void 0 }; } function combineUsages(usages) { const combinedProperties = /* @__PURE__ */ new Map(); for (const u of usages) { if (u.properties) { u.properties.forEach((p, name) => { if (!combinedProperties.has(name)) { combinedProperties.set(name, []); } combinedProperties.get(name).push(p); }); } } const properties = /* @__PURE__ */ new Map(); combinedProperties.forEach((ps, name) => { properties.set(name, combineUsages(ps)); }); return { isNumber: usages.some((u) => u.isNumber), isString: usages.some((u) => u.isString), isNumberOrString: usages.some((u) => u.isNumberOrString), candidateTypes: flatMap(usages, (u) => u.candidateTypes), properties, calls: flatMap(usages, (u) => u.calls), constructs: flatMap(usages, (u) => u.constructs), numberIndex: forEach(usages, (u) => u.numberIndex), stringIndex: forEach(usages, (u) => u.stringIndex), candidateThisTypes: flatMap(usages, (u) => u.candidateThisTypes), inferredTypes: void 0 // clear type cache }; } function single2() { return combineTypes(inferTypesFromReferencesSingle(references)); } function parameters(declaration) { if (references.length === 0 || !declaration.parameters) { return void 0; } const usage = createEmptyUsage(); for (const reference of references) { cancellationToken.throwIfCancellationRequested(); calculateUsageOfNode(reference, usage); } const calls = [...usage.constructs || [], ...usage.calls || []]; return declaration.parameters.map((parameter, parameterIndex) => { const types = []; const isRest = isRestParameter(parameter); let isOptional = false; for (const call of calls) { if (call.argumentTypes.length <= parameterIndex) { isOptional = isInJSFile(declaration); types.push(checker.getUndefinedType()); } else if (isRest) { for (let i = parameterIndex; i < call.argumentTypes.length; i++) { types.push(checker.getBaseTypeOfLiteralType(call.argumentTypes[i])); } } else { types.push(checker.getBaseTypeOfLiteralType(call.argumentTypes[parameterIndex])); } } if (isIdentifier(parameter.name)) { const inferred = inferTypesFromReferencesSingle(getReferences3(parameter.name, program, cancellationToken)); types.push(...isRest ? mapDefined(inferred, checker.getElementTypeOfArrayType) : inferred); } const type = combineTypes(types); return { type: isRest ? checker.createArrayType(type) : type, isOptional: isOptional && !isRest, declaration: parameter }; }); } function thisParameter() { const usage = createEmptyUsage(); for (const reference of references) { cancellationToken.throwIfCancellationRequested(); calculateUsageOfNode(reference, usage); } return combineTypes(usage.candidateThisTypes || emptyArray); } function inferTypesFromReferencesSingle(references2) { const usage = createEmptyUsage(); for (const reference of references2) { cancellationToken.throwIfCancellationRequested(); calculateUsageOfNode(reference, usage); } return inferTypes(usage); } function calculateUsageOfNode(node, usage) { while (isRightSideOfQualifiedNameOrPropertyAccess(node)) { node = node.parent; } switch (node.parent.kind) { case 244: inferTypeFromExpressionStatement(node, usage); break; case 225: usage.isNumber = true; break; case 224: inferTypeFromPrefixUnaryExpression(node.parent, usage); break; case 226: inferTypeFromBinaryExpression(node, node.parent, usage); break; case 296: case 297: inferTypeFromSwitchStatementLabel(node.parent, usage); break; case 213: case 214: if (node.parent.expression === node) { inferTypeFromCallExpression(node.parent, usage); } else { inferTypeFromContextualType(node, usage); } break; case 211: inferTypeFromPropertyAccessExpression(node.parent, usage); break; case 212: inferTypeFromPropertyElementExpression(node.parent, node, usage); break; case 303: case 304: inferTypeFromPropertyAssignment(node.parent, usage); break; case 172: inferTypeFromPropertyDeclaration(node.parent, usage); break; case 260: { const { name, initializer } = node.parent; if (node === name) { if (initializer) { addCandidateType(usage, checker.getTypeAtLocation(initializer)); } break; } } default: return inferTypeFromContextualType(node, usage); } } function inferTypeFromContextualType(node, usage) { if (isExpressionNode(node)) { addCandidateType(usage, checker.getContextualType(node)); } } function inferTypeFromExpressionStatement(node, usage) { addCandidateType(usage, isCallExpression2(node) ? checker.getVoidType() : checker.getAnyType()); } function inferTypeFromPrefixUnaryExpression(node, usage) { switch (node.operator) { case 46: case 47: case 41: case 55: usage.isNumber = true; break; case 40: usage.isNumberOrString = true; break; } } function inferTypeFromBinaryExpression(node, parent2, usage) { switch (parent2.operatorToken.kind) { case 43: case 42: case 44: case 45: case 48: case 49: case 50: case 51: case 52: case 53: case 66: case 68: case 67: case 69: case 70: case 74: case 75: case 79: case 71: case 73: case 72: case 41: case 30: case 33: case 32: case 34: const operandType = checker.getTypeAtLocation(parent2.left === node ? parent2.right : parent2.left); if (operandType.flags & 1056) { addCandidateType(usage, operandType); } else { usage.isNumber = true; } break; case 65: case 40: const otherOperandType = checker.getTypeAtLocation(parent2.left === node ? parent2.right : parent2.left); if (otherOperandType.flags & 1056) { addCandidateType(usage, otherOperandType); } else if (otherOperandType.flags & 296) { usage.isNumber = true; } else if (otherOperandType.flags & 402653316) { usage.isString = true; } else if (otherOperandType.flags & 1) { } else { usage.isNumberOrString = true; } break; case 64: case 35: case 37: case 38: case 36: case 77: case 78: case 76: addCandidateType(usage, checker.getTypeAtLocation(parent2.left === node ? parent2.right : parent2.left)); break; case 103: if (node === parent2.left) { usage.isString = true; } break; case 57: case 61: if (node === parent2.left && (node.parent.parent.kind === 260 || isAssignmentExpression2( node.parent.parent, /*excludeCompoundAssignment*/ true ))) { addCandidateType(usage, checker.getTypeAtLocation(parent2.right)); } break; case 56: case 28: case 104: break; } } function inferTypeFromSwitchStatementLabel(parent2, usage) { addCandidateType(usage, checker.getTypeAtLocation(parent2.parent.parent.expression)); } function inferTypeFromCallExpression(parent2, usage) { const call = { argumentTypes: [], return_: createEmptyUsage() }; if (parent2.arguments) { for (const argument of parent2.arguments) { call.argumentTypes.push(checker.getTypeAtLocation(argument)); } } calculateUsageOfNode(parent2, call.return_); if (parent2.kind === 213) { (usage.calls || (usage.calls = [])).push(call); } else { (usage.constructs || (usage.constructs = [])).push(call); } } function inferTypeFromPropertyAccessExpression(parent2, usage) { const name = escapeLeadingUnderscores(parent2.name.text); if (!usage.properties) { usage.properties = /* @__PURE__ */ new Map(); } const propertyUsage = usage.properties.get(name) || createEmptyUsage(); calculateUsageOfNode(parent2, propertyUsage); usage.properties.set(name, propertyUsage); } function inferTypeFromPropertyElementExpression(parent2, node, usage) { if (node === parent2.argumentExpression) { usage.isNumberOrString = true; return; } else { const indexType = checker.getTypeAtLocation(parent2.argumentExpression); const indexUsage = createEmptyUsage(); calculateUsageOfNode(parent2, indexUsage); if (indexType.flags & 296) { usage.numberIndex = indexUsage; } else { usage.stringIndex = indexUsage; } } } function inferTypeFromPropertyAssignment(assignment, usage) { const nodeWithRealType = isVariableDeclaration(assignment.parent.parent) ? assignment.parent.parent : assignment.parent; addCandidateThisType(usage, checker.getTypeAtLocation(nodeWithRealType)); } function inferTypeFromPropertyDeclaration(declaration, usage) { addCandidateThisType(usage, checker.getTypeAtLocation(declaration.parent)); } function removeLowPriorityInferences(inferences, priorities) { const toRemove = []; for (const i of inferences) { for (const { high, low } of priorities) { if (high(i)) { Debug.assert(!low(i), "Priority can't have both low and high"); toRemove.push(low); } } } return inferences.filter((i) => toRemove.every((f) => !f(i))); } function combineFromUsage(usage) { return combineTypes(inferTypes(usage)); } function combineTypes(inferences) { if (!inferences.length) return checker.getAnyType(); const stringNumber = checker.getUnionType([checker.getStringType(), checker.getNumberType()]); const priorities = [ { high: (t) => t === checker.getStringType() || t === checker.getNumberType(), low: (t) => t === stringNumber }, { high: (t) => !(t.flags & (1 | 16384)), low: (t) => !!(t.flags & (1 | 16384)) }, { high: (t) => !(t.flags & (98304 | 1 | 16384)) && !(getObjectFlags(t) & 16), low: (t) => !!(getObjectFlags(t) & 16) } ]; let good = removeLowPriorityInferences(inferences, priorities); const anons = good.filter( (i) => getObjectFlags(i) & 16 /* Anonymous */ ); if (anons.length) { good = good.filter((i) => !(getObjectFlags(i) & 16)); good.push(combineAnonymousTypes(anons)); } return checker.getWidenedType(checker.getUnionType( good.map(checker.getBaseTypeOfLiteralType), 2 /* Subtype */ )); } function combineAnonymousTypes(anons) { if (anons.length === 1) { return anons[0]; } const calls = []; const constructs = []; const stringIndices = []; const numberIndices = []; let stringIndexReadonly = false; let numberIndexReadonly = false; const props = createMultiMap(); for (const anon2 of anons) { for (const p of checker.getPropertiesOfType(anon2)) { props.add(p.escapedName, p.valueDeclaration ? checker.getTypeOfSymbolAtLocation(p, p.valueDeclaration) : checker.getAnyType()); } calls.push(...checker.getSignaturesOfType( anon2, 0 /* Call */ )); constructs.push(...checker.getSignaturesOfType( anon2, 1 /* Construct */ )); const stringIndexInfo = checker.getIndexInfoOfType( anon2, 0 /* String */ ); if (stringIndexInfo) { stringIndices.push(stringIndexInfo.type); stringIndexReadonly = stringIndexReadonly || stringIndexInfo.isReadonly; } const numberIndexInfo = checker.getIndexInfoOfType( anon2, 1 /* Number */ ); if (numberIndexInfo) { numberIndices.push(numberIndexInfo.type); numberIndexReadonly = numberIndexReadonly || numberIndexInfo.isReadonly; } } const members = mapEntries(props, (name, types) => { const isOptional = types.length < anons.length ? 16777216 : 0; const s = checker.createSymbol(4 | isOptional, name); s.links.type = checker.getUnionType(types); return [name, s]; }); const indexInfos = []; if (stringIndices.length) indexInfos.push(checker.createIndexInfo(checker.getStringType(), checker.getUnionType(stringIndices), stringIndexReadonly)); if (numberIndices.length) indexInfos.push(checker.createIndexInfo(checker.getNumberType(), checker.getUnionType(numberIndices), numberIndexReadonly)); return checker.createAnonymousType( anons[0].symbol, members, calls, constructs, indexInfos ); } function inferTypes(usage) { var _a, _b, _c; const types = []; if (usage.isNumber) { types.push(checker.getNumberType()); } if (usage.isString) { types.push(checker.getStringType()); } if (usage.isNumberOrString) { types.push(checker.getUnionType([checker.getStringType(), checker.getNumberType()])); } if (usage.numberIndex) { types.push(checker.createArrayType(combineFromUsage(usage.numberIndex))); } if (((_a = usage.properties) == null ? void 0 : _a.size) || ((_b = usage.constructs) == null ? void 0 : _b.length) || usage.stringIndex) { types.push(inferStructuralType(usage)); } const candidateTypes = (usage.candidateTypes || []).map((t) => checker.getBaseTypeOfLiteralType(t)); const callsType = ((_c = usage.calls) == null ? void 0 : _c.length) ? inferStructuralType(usage) : void 0; if (callsType && candidateTypes) { types.push(checker.getUnionType( [callsType, ...candidateTypes], 2 /* Subtype */ )); } else { if (callsType) { types.push(callsType); } if (length(candidateTypes)) { types.push(...candidateTypes); } } types.push(...inferNamedTypesFromProperties(usage)); return types; } function inferStructuralType(usage) { const members = /* @__PURE__ */ new Map(); if (usage.properties) { usage.properties.forEach((u, name) => { const symbol = checker.createSymbol(4, name); symbol.links.type = combineFromUsage(u); members.set(name, symbol); }); } const callSignatures = usage.calls ? [getSignatureFromCalls(usage.calls)] : []; const constructSignatures = usage.constructs ? [getSignatureFromCalls(usage.constructs)] : []; const indexInfos = usage.stringIndex ? [checker.createIndexInfo( checker.getStringType(), combineFromUsage(usage.stringIndex), /*isReadonly*/ false )] : []; return checker.createAnonymousType( /*symbol*/ void 0, members, callSignatures, constructSignatures, indexInfos ); } function inferNamedTypesFromProperties(usage) { if (!usage.properties || !usage.properties.size) return []; const types = builtins.filter((t) => allPropertiesAreAssignableToUsage(t, usage)); if (0 < types.length && types.length < 3) { return types.map((t) => inferInstantiationFromUsage(t, usage)); } return []; } function allPropertiesAreAssignableToUsage(type, usage) { if (!usage.properties) return false; return !forEachEntry(usage.properties, (propUsage, name) => { const source = checker.getTypeOfPropertyOfType(type, name); if (!source) { return true; } if (propUsage.calls) { const sigs = checker.getSignaturesOfType( source, 0 /* Call */ ); return !sigs.length || !checker.isTypeAssignableTo(source, getFunctionFromCalls(propUsage.calls)); } else { return !checker.isTypeAssignableTo(source, combineFromUsage(propUsage)); } }); } function inferInstantiationFromUsage(type, usage) { if (!(getObjectFlags(type) & 4) || !usage.properties) { return type; } const generic = type.target; const singleTypeParameter = singleOrUndefined(generic.typeParameters); if (!singleTypeParameter) return type; const types = []; usage.properties.forEach((propUsage, name) => { const genericPropertyType = checker.getTypeOfPropertyOfType(generic, name); Debug.assert(!!genericPropertyType, "generic should have all the properties of its reference."); types.push(...inferTypeParameters(genericPropertyType, combineFromUsage(propUsage), singleTypeParameter)); }); return builtinConstructors[type.symbol.escapedName](combineTypes(types)); } function inferTypeParameters(genericType, usageType, typeParameter) { if (genericType === typeParameter) { return [usageType]; } else if (genericType.flags & 3145728) { return flatMap(genericType.types, (t) => inferTypeParameters(t, usageType, typeParameter)); } else if (getObjectFlags(genericType) & 4 && getObjectFlags(usageType) & 4) { const genericArgs = checker.getTypeArguments(genericType); const usageArgs = checker.getTypeArguments(usageType); const types = []; if (genericArgs && usageArgs) { for (let i = 0; i < genericArgs.length; i++) { if (usageArgs[i]) { types.push(...inferTypeParameters(genericArgs[i], usageArgs[i], typeParameter)); } } } return types; } const genericSigs = checker.getSignaturesOfType( genericType, 0 /* Call */ ); const usageSigs = checker.getSignaturesOfType( usageType, 0 /* Call */ ); if (genericSigs.length === 1 && usageSigs.length === 1) { return inferFromSignatures(genericSigs[0], usageSigs[0], typeParameter); } return []; } function inferFromSignatures(genericSig, usageSig, typeParameter) { var _a; const types = []; for (let i = 0; i < genericSig.parameters.length; i++) { const genericParam = genericSig.parameters[i]; const usageParam = usageSig.parameters[i]; const isRest = genericSig.declaration && isRestParameter(genericSig.declaration.parameters[i]); if (!usageParam) { break; } let genericParamType = genericParam.valueDeclaration ? checker.getTypeOfSymbolAtLocation(genericParam, genericParam.valueDeclaration) : checker.getAnyType(); const elementType = isRest && checker.getElementTypeOfArrayType(genericParamType); if (elementType) { genericParamType = elementType; } const targetType = ((_a = tryCast(usageParam, isTransientSymbol)) == null ? void 0 : _a.links.type) || (usageParam.valueDeclaration ? checker.getTypeOfSymbolAtLocation(usageParam, usageParam.valueDeclaration) : checker.getAnyType()); types.push(...inferTypeParameters(genericParamType, targetType, typeParameter)); } const genericReturn = checker.getReturnTypeOfSignature(genericSig); const usageReturn = checker.getReturnTypeOfSignature(usageSig); types.push(...inferTypeParameters(genericReturn, usageReturn, typeParameter)); return types; } function getFunctionFromCalls(calls) { return checker.createAnonymousType( /*symbol*/ void 0, createSymbolTable(), [getSignatureFromCalls(calls)], emptyArray, emptyArray ); } function getSignatureFromCalls(calls) { const parameters2 = []; const length2 = Math.max(...calls.map((c) => c.argumentTypes.length)); for (let i = 0; i < length2; i++) { const symbol = checker.createSymbol(1, escapeLeadingUnderscores(`arg${i}`)); symbol.links.type = combineTypes(calls.map((call) => call.argumentTypes[i] || checker.getUndefinedType())); if (calls.some((call) => call.argumentTypes[i] === void 0)) { symbol.flags |= 16777216; } parameters2.push(symbol); } const returnType = combineFromUsage(combineUsages(calls.map((call) => call.return_))); return checker.createSignature( /*declaration*/ void 0, /*typeParameters*/ void 0, /*thisParameter*/ void 0, parameters2, returnType, /*typePredicate*/ void 0, length2, 0 /* None */ ); } function addCandidateType(usage, type) { if (type && !(type.flags & 1) && !(type.flags & 131072)) { (usage.candidateTypes || (usage.candidateTypes = [])).push(type); } } function addCandidateThisType(usage, type) { if (type && !(type.flags & 1) && !(type.flags & 131072)) { (usage.candidateThisTypes || (usage.candidateThisTypes = [])).push(type); } } } var fixId40 = "fixReturnTypeInAsyncFunction"; var errorCodes51 = [ Diagnostics.The_return_type_of_an_async_function_or_method_must_be_the_global_Promise_T_type_Did_you_mean_to_write_Promise_0.code ]; registerCodeFix({ errorCodes: errorCodes51, fixIds: [fixId40], getCodeActions: function getCodeActionsToFixReturnTypeInAsyncFunction(context) { const { sourceFile, program, span } = context; const checker = program.getTypeChecker(); const info = getInfo16(sourceFile, program.getTypeChecker(), span.start); if (!info) { return void 0; } const { returnTypeNode, returnType, promisedTypeNode, promisedType } = info; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange34(t, sourceFile, returnTypeNode, promisedTypeNode)); return [createCodeFixAction( fixId40, changes, [Diagnostics.Replace_0_with_Promise_1, checker.typeToString(returnType), checker.typeToString(promisedType)], fixId40, Diagnostics.Fix_all_incorrect_return_type_of_an_async_functions )]; }, getAllCodeActions: (context) => codeFixAll(context, errorCodes51, (changes, diag2) => { const info = getInfo16(diag2.file, context.program.getTypeChecker(), diag2.start); if (info) { doChange34(changes, diag2.file, info.returnTypeNode, info.promisedTypeNode); } }) }); function getInfo16(sourceFile, checker, pos) { if (isInJSFile(sourceFile)) { return void 0; } const token = getTokenAtPosition(sourceFile, pos); const func = findAncestor(token, isFunctionLikeDeclaration); const returnTypeNode = func == null ? void 0 : func.type; if (!returnTypeNode) { return void 0; } const returnType = checker.getTypeFromTypeNode(returnTypeNode); const promisedType = checker.getAwaitedType(returnType) || checker.getVoidType(); const promisedTypeNode = checker.typeToTypeNode( promisedType, /*enclosingDeclaration*/ returnTypeNode, /*flags*/ void 0 ); if (promisedTypeNode) { return { returnTypeNode, returnType, promisedTypeNode, promisedType }; } } function doChange34(changes, sourceFile, returnTypeNode, promisedTypeNode) { changes.replaceNode(sourceFile, returnTypeNode, factory.createTypeReferenceNode("Promise", [promisedTypeNode])); } var fixName4 = "disableJsDiagnostics"; var fixId41 = "disableJsDiagnostics"; var errorCodes52 = mapDefined(Object.keys(Diagnostics), (key) => { const diag2 = Diagnostics[key]; return diag2.category === 1 ? diag2.code : void 0; }); registerCodeFix({ errorCodes: errorCodes52, getCodeActions: function getCodeActionsToDisableJsDiagnostics(context) { const { sourceFile, program, span, host, formatContext } = context; if (!isInJSFile(sourceFile) || !isCheckJsEnabledForFile(sourceFile, program.getCompilerOptions())) { return void 0; } const newLineCharacter = sourceFile.checkJsDirective ? "" : getNewLineOrDefaultFromHost(host, formatContext.options); const fixes = [ // fixId unnecessary because adding `// @ts-nocheck` even once will ignore every error in the file. createCodeFixActionWithoutFixAll( fixName4, [createFileTextChanges(sourceFile.fileName, [ createTextChange( sourceFile.checkJsDirective ? createTextSpanFromBounds(sourceFile.checkJsDirective.pos, sourceFile.checkJsDirective.end) : createTextSpan(0, 0), `// @ts-nocheck${newLineCharacter}` ) ])], Diagnostics.Disable_checking_for_this_file ) ]; if (ts_textChanges_exports.isValidLocationToAddComment(sourceFile, span.start)) { fixes.unshift(createCodeFixAction(fixName4, ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange8(t, sourceFile, span.start)), Diagnostics.Ignore_this_error_message, fixId41, Diagnostics.Add_ts_ignore_to_all_error_messages)); } return fixes; }, fixIds: [fixId41], getAllCodeActions: (context) => { const seenLines = /* @__PURE__ */ new Set(); return codeFixAll(context, errorCodes52, (changes, diag2) => { if (ts_textChanges_exports.isValidLocationToAddComment(diag2.file, diag2.start)) { makeChange8(changes, diag2.file, diag2.start, seenLines); } }); } }); function makeChange8(changes, sourceFile, position, seenLines) { const { line: lineNumber } = getLineAndCharacterOfPosition(sourceFile, position); if (!seenLines || tryAddToSet(seenLines, lineNumber)) { changes.insertCommentBeforeLine(sourceFile, lineNumber, position, " @ts-ignore"); } } function createMissingMemberNodes(classDeclaration, possiblyMissingSymbols, sourceFile, context, preferences, importAdder, addClassElement) { const classMembers = classDeclaration.symbol.members; for (const symbol of possiblyMissingSymbols) { if (!classMembers.has(symbol.escapedName)) { addNewNodeForMemberSymbol( symbol, classDeclaration, sourceFile, context, preferences, importAdder, addClassElement, /*body*/ void 0 ); } } } function getNoopSymbolTrackerWithResolver(context) { return { trackSymbol: () => false, moduleResolverHost: getModuleSpecifierResolverHost(context.program, context.host) }; } var PreserveOptionalFlags = /* @__PURE__ */ ((PreserveOptionalFlags2) => { PreserveOptionalFlags2[PreserveOptionalFlags2["Method"] = 1] = "Method"; PreserveOptionalFlags2[PreserveOptionalFlags2["Property"] = 2] = "Property"; PreserveOptionalFlags2[PreserveOptionalFlags2["All"] = 3] = "All"; return PreserveOptionalFlags2; })(PreserveOptionalFlags || {}); function addNewNodeForMemberSymbol(symbol, enclosingDeclaration, sourceFile, context, preferences, importAdder, addClassElement, body, preserveOptional = 3, isAmbient = false) { const declarations = symbol.getDeclarations(); const declaration = firstOrUndefined(declarations); const checker = context.program.getTypeChecker(); const scriptTarget = getEmitScriptTarget(context.program.getCompilerOptions()); const kind = (declaration == null ? void 0 : declaration.kind) ?? 171; const declarationName = createDeclarationName(symbol, declaration); const effectiveModifierFlags = declaration ? getEffectiveModifierFlags(declaration) : 0; let modifierFlags = effectiveModifierFlags & 256; modifierFlags |= effectiveModifierFlags & 1 ? 1 : effectiveModifierFlags & 4 ? 4 : 0; if (declaration && isAutoAccessorPropertyDeclaration(declaration)) { modifierFlags |= 512; } const modifiers = createModifiers(); const type = checker.getWidenedType(checker.getTypeOfSymbolAtLocation(symbol, enclosingDeclaration)); const optional = !!(symbol.flags & 16777216); const ambient = !!(enclosingDeclaration.flags & 33554432) || isAmbient; const quotePreference = getQuotePreference(sourceFile, preferences); switch (kind) { case 171: case 172: let flags = 1; flags |= quotePreference === 0 ? 268435456 : 0; let typeNode = checker.typeToTypeNode(type, enclosingDeclaration, flags, getNoopSymbolTrackerWithResolver(context)); if (importAdder) { const importableReference = tryGetAutoImportableReferenceFromTypeNode(typeNode, scriptTarget); if (importableReference) { typeNode = importableReference.typeNode; importSymbols(importAdder, importableReference.symbols); } } addClassElement(factory.createPropertyDeclaration( modifiers, declaration ? createName(declarationName) : symbol.getName(), optional && preserveOptional & 2 ? factory.createToken( 58 /* QuestionToken */ ) : void 0, typeNode, /*initializer*/ void 0 )); break; case 177: case 178: { Debug.assertIsDefined(declarations); let typeNode2 = checker.typeToTypeNode( type, enclosingDeclaration, /*flags*/ void 0, getNoopSymbolTrackerWithResolver(context) ); const allAccessors = getAllAccessorDeclarations(declarations, declaration); const orderedAccessors = allAccessors.secondAccessor ? [allAccessors.firstAccessor, allAccessors.secondAccessor] : [allAccessors.firstAccessor]; if (importAdder) { const importableReference = tryGetAutoImportableReferenceFromTypeNode(typeNode2, scriptTarget); if (importableReference) { typeNode2 = importableReference.typeNode; importSymbols(importAdder, importableReference.symbols); } } for (const accessor of orderedAccessors) { if (isGetAccessorDeclaration(accessor)) { addClassElement(factory.createGetAccessorDeclaration( modifiers, createName(declarationName), emptyArray, createTypeNode(typeNode2), createBody(body, quotePreference, ambient) )); } else { Debug.assertNode(accessor, isSetAccessorDeclaration, "The counterpart to a getter should be a setter"); const parameter = getSetAccessorValueParameter(accessor); const parameterName = parameter && isIdentifier(parameter.name) ? idText(parameter.name) : void 0; addClassElement(factory.createSetAccessorDeclaration( modifiers, createName(declarationName), createDummyParameters( 1, [parameterName], [createTypeNode(typeNode2)], 1, /*inJs*/ false ), createBody(body, quotePreference, ambient) )); } } break; } case 173: case 174: Debug.assertIsDefined(declarations); const signatures = type.isUnion() ? flatMap(type.types, (t) => t.getCallSignatures()) : type.getCallSignatures(); if (!some(signatures)) { break; } if (declarations.length === 1) { Debug.assert(signatures.length === 1, "One declaration implies one signature"); const signature = signatures[0]; outputMethod(quotePreference, signature, modifiers, createName(declarationName), createBody(body, quotePreference, ambient)); break; } for (const signature of signatures) { outputMethod(quotePreference, signature, modifiers, createName(declarationName)); } if (!ambient) { if (declarations.length > signatures.length) { const signature = checker.getSignatureFromDeclaration(declarations[declarations.length - 1]); outputMethod(quotePreference, signature, modifiers, createName(declarationName), createBody(body, quotePreference)); } else { Debug.assert(declarations.length === signatures.length, "Declarations and signatures should match count"); addClassElement(createMethodImplementingSignatures(checker, context, enclosingDeclaration, signatures, createName(declarationName), optional && !!(preserveOptional & 1), modifiers, quotePreference, body)); } } break; } function outputMethod(quotePreference2, signature, modifiers2, name, body2) { const method = createSignatureDeclarationFromSignature(174, context, quotePreference2, signature, body2, name, modifiers2, optional && !!(preserveOptional & 1), enclosingDeclaration, importAdder); if (method) addClassElement(method); } function createModifiers() { let modifiers2; if (modifierFlags) { modifiers2 = combine(modifiers2, factory.createModifiersFromModifierFlags(modifierFlags)); } if (shouldAddOverrideKeyword()) { modifiers2 = append(modifiers2, factory.createToken( 164 /* OverrideKeyword */ )); } return modifiers2 && factory.createNodeArray(modifiers2); } function shouldAddOverrideKeyword() { return !!(context.program.getCompilerOptions().noImplicitOverride && declaration && hasAbstractModifier(declaration)); } function createName(node) { if (isIdentifier(node) && node.escapedText === "constructor") { return factory.createComputedPropertyName(factory.createStringLiteral( idText(node), quotePreference === 0 /* Single */ )); } return getSynthesizedDeepClone( node, /*includeTrivia*/ false ); } function createBody(block, quotePreference2, ambient2) { return ambient2 ? void 0 : getSynthesizedDeepClone( block, /*includeTrivia*/ false ) || createStubbedMethodBody(quotePreference2); } function createTypeNode(typeNode) { return getSynthesizedDeepClone( typeNode, /*includeTrivia*/ false ); } function createDeclarationName(symbol2, declaration2) { if (getCheckFlags(symbol2) & 262144) { const nameType = symbol2.links.nameType; if (nameType && isTypeUsableAsPropertyName(nameType)) { return factory.createIdentifier(unescapeLeadingUnderscores(getPropertyNameFromType(nameType))); } } return getSynthesizedDeepClone( getNameOfDeclaration(declaration2), /*includeTrivia*/ false ); } } function createSignatureDeclarationFromSignature(kind, context, quotePreference, signature, body, name, modifiers, optional, enclosingDeclaration, importAdder) { const program = context.program; const checker = program.getTypeChecker(); const scriptTarget = getEmitScriptTarget(program.getCompilerOptions()); const isJs = isInJSFile(enclosingDeclaration); const flags = 1 | 256 | 524288 | (quotePreference === 0 ? 268435456 : 0); const signatureDeclaration = checker.signatureToSignatureDeclaration(signature, kind, enclosingDeclaration, flags, getNoopSymbolTrackerWithResolver(context)); if (!signatureDeclaration) { return void 0; } let typeParameters = isJs ? void 0 : signatureDeclaration.typeParameters; let parameters = signatureDeclaration.parameters; let type = isJs ? void 0 : getSynthesizedDeepClone(signatureDeclaration.type); if (importAdder) { if (typeParameters) { const newTypeParameters = sameMap(typeParameters, (typeParameterDecl) => { let constraint = typeParameterDecl.constraint; let defaultType = typeParameterDecl.default; if (constraint) { const importableReference = tryGetAutoImportableReferenceFromTypeNode(constraint, scriptTarget); if (importableReference) { constraint = importableReference.typeNode; importSymbols(importAdder, importableReference.symbols); } } if (defaultType) { const importableReference = tryGetAutoImportableReferenceFromTypeNode(defaultType, scriptTarget); if (importableReference) { defaultType = importableReference.typeNode; importSymbols(importAdder, importableReference.symbols); } } return factory.updateTypeParameterDeclaration( typeParameterDecl, typeParameterDecl.modifiers, typeParameterDecl.name, constraint, defaultType ); }); if (typeParameters !== newTypeParameters) { typeParameters = setTextRange(factory.createNodeArray(newTypeParameters, typeParameters.hasTrailingComma), typeParameters); } } const newParameters = sameMap(parameters, (parameterDecl) => { let type2 = isJs ? void 0 : parameterDecl.type; if (type2) { const importableReference = tryGetAutoImportableReferenceFromTypeNode(type2, scriptTarget); if (importableReference) { type2 = importableReference.typeNode; importSymbols(importAdder, importableReference.symbols); } } return factory.updateParameterDeclaration( parameterDecl, parameterDecl.modifiers, parameterDecl.dotDotDotToken, parameterDecl.name, isJs ? void 0 : parameterDecl.questionToken, type2, parameterDecl.initializer ); }); if (parameters !== newParameters) { parameters = setTextRange(factory.createNodeArray(newParameters, parameters.hasTrailingComma), parameters); } if (type) { const importableReference = tryGetAutoImportableReferenceFromTypeNode(type, scriptTarget); if (importableReference) { type = importableReference.typeNode; importSymbols(importAdder, importableReference.symbols); } } } const questionToken = optional ? factory.createToken( 58 /* QuestionToken */ ) : void 0; const asteriskToken = signatureDeclaration.asteriskToken; if (isFunctionExpression(signatureDeclaration)) { return factory.updateFunctionExpression(signatureDeclaration, modifiers, signatureDeclaration.asteriskToken, tryCast(name, isIdentifier), typeParameters, parameters, type, body ?? signatureDeclaration.body); } if (isArrowFunction(signatureDeclaration)) { return factory.updateArrowFunction(signatureDeclaration, modifiers, typeParameters, parameters, type, signatureDeclaration.equalsGreaterThanToken, body ?? signatureDeclaration.body); } if (isMethodDeclaration(signatureDeclaration)) { return factory.updateMethodDeclaration(signatureDeclaration, modifiers, asteriskToken, name ?? factory.createIdentifier(""), questionToken, typeParameters, parameters, type, body); } if (isFunctionDeclaration(signatureDeclaration)) { return factory.updateFunctionDeclaration(signatureDeclaration, modifiers, signatureDeclaration.asteriskToken, tryCast(name, isIdentifier), typeParameters, parameters, type, body ?? signatureDeclaration.body); } return void 0; } function createSignatureDeclarationFromCallExpression(kind, context, importAdder, call, name, modifierFlags, contextNode) { const quotePreference = getQuotePreference(context.sourceFile, context.preferences); const scriptTarget = getEmitScriptTarget(context.program.getCompilerOptions()); const tracker2 = getNoopSymbolTrackerWithResolver(context); const checker = context.program.getTypeChecker(); const isJs = isInJSFile(contextNode); const { typeArguments, arguments: args, parent: parent2 } = call; const contextualType = isJs ? void 0 : checker.getContextualType(call); const names = map(args, (arg) => isIdentifier(arg) ? arg.text : isPropertyAccessExpression(arg) && isIdentifier(arg.name) ? arg.name.text : void 0); const instanceTypes = isJs ? [] : map(args, (arg) => checker.getTypeAtLocation(arg)); const { argumentTypeNodes, argumentTypeParameters } = getArgumentTypesAndTypeParameters( checker, importAdder, instanceTypes, contextNode, scriptTarget, 1, tracker2 ); const modifiers = modifierFlags ? factory.createNodeArray(factory.createModifiersFromModifierFlags(modifierFlags)) : void 0; const asteriskToken = isYieldExpression(parent2) ? factory.createToken( 42 /* AsteriskToken */ ) : void 0; const typeParameters = isJs ? void 0 : createTypeParametersForArguments(checker, argumentTypeParameters, typeArguments); const parameters = createDummyParameters( args.length, names, argumentTypeNodes, /*minArgumentCount*/ void 0, isJs ); const type = isJs || contextualType === void 0 ? void 0 : checker.typeToTypeNode( contextualType, contextNode, /*flags*/ void 0, tracker2 ); switch (kind) { case 174: return factory.createMethodDeclaration( modifiers, asteriskToken, name, /*questionToken*/ void 0, typeParameters, parameters, type, createStubbedMethodBody(quotePreference) ); case 173: return factory.createMethodSignature( modifiers, name, /*questionToken*/ void 0, typeParameters, parameters, type === void 0 ? factory.createKeywordTypeNode( 159 /* UnknownKeyword */ ) : type ); case 262: Debug.assert(typeof name === "string" || isIdentifier(name), "Unexpected name"); return factory.createFunctionDeclaration( modifiers, asteriskToken, name, typeParameters, parameters, type, createStubbedBody(Diagnostics.Function_not_implemented.message, quotePreference) ); default: Debug.fail("Unexpected kind"); } } function createTypeParametersForArguments(checker, argumentTypeParameters, typeArguments) { const usedNames = new Set(argumentTypeParameters.map((pair) => pair[0])); const constraintsByName = new Map(argumentTypeParameters); if (typeArguments) { const typeArgumentsWithNewTypes = typeArguments.filter((typeArgument) => !argumentTypeParameters.some((pair) => { var _a; return checker.getTypeAtLocation(typeArgument) === ((_a = pair[1]) == null ? void 0 : _a.argumentType); })); const targetSize = usedNames.size + typeArgumentsWithNewTypes.length; for (let i = 0; usedNames.size < targetSize; i += 1) { usedNames.add(createTypeParameterName(i)); } } return arrayFrom( usedNames.values(), (usedName) => { var _a; return factory.createTypeParameterDeclaration( /*modifiers*/ void 0, usedName, (_a = constraintsByName.get(usedName)) == null ? void 0 : _a.constraint ); } ); } function createTypeParameterName(index) { return 84 + index <= 90 ? String.fromCharCode(84 + index) : `T${index}`; } function typeToAutoImportableTypeNode(checker, importAdder, type, contextNode, scriptTarget, flags, tracker2) { let typeNode = checker.typeToTypeNode(type, contextNode, flags, tracker2); if (typeNode && isImportTypeNode(typeNode)) { const importableReference = tryGetAutoImportableReferenceFromTypeNode(typeNode, scriptTarget); if (importableReference) { importSymbols(importAdder, importableReference.symbols); typeNode = importableReference.typeNode; } } return getSynthesizedDeepClone(typeNode); } function typeContainsTypeParameter(type) { if (type.isUnionOrIntersection()) { return type.types.some(typeContainsTypeParameter); } return type.flags & 262144; } function getArgumentTypesAndTypeParameters(checker, importAdder, instanceTypes, contextNode, scriptTarget, flags, tracker2) { const argumentTypeNodes = []; const argumentTypeParameters = /* @__PURE__ */ new Map(); for (let i = 0; i < instanceTypes.length; i += 1) { const instanceType = instanceTypes[i]; if (instanceType.isUnionOrIntersection() && instanceType.types.some(typeContainsTypeParameter)) { const synthesizedTypeParameterName = createTypeParameterName(i); argumentTypeNodes.push(factory.createTypeReferenceNode(synthesizedTypeParameterName)); argumentTypeParameters.set(synthesizedTypeParameterName, void 0); continue; } const widenedInstanceType = checker.getBaseTypeOfLiteralType(instanceType); const argumentTypeNode = typeToAutoImportableTypeNode(checker, importAdder, widenedInstanceType, contextNode, scriptTarget, flags, tracker2); if (!argumentTypeNode) { continue; } argumentTypeNodes.push(argumentTypeNode); const argumentTypeParameter = getFirstTypeParameterName(instanceType); const instanceTypeConstraint = instanceType.isTypeParameter() && instanceType.constraint && !isAnonymousObjectConstraintType(instanceType.constraint) ? typeToAutoImportableTypeNode(checker, importAdder, instanceType.constraint, contextNode, scriptTarget, flags, tracker2) : void 0; if (argumentTypeParameter) { argumentTypeParameters.set(argumentTypeParameter, { argumentType: instanceType, constraint: instanceTypeConstraint }); } } return { argumentTypeNodes, argumentTypeParameters: arrayFrom(argumentTypeParameters.entries()) }; } function isAnonymousObjectConstraintType(type) { return type.flags & 524288 && type.objectFlags === 16; } function getFirstTypeParameterName(type) { var _a; if (type.flags & (1048576 | 2097152)) { for (const subType of type.types) { const subTypeName = getFirstTypeParameterName(subType); if (subTypeName) { return subTypeName; } } } return type.flags & 262144 ? (_a = type.getSymbol()) == null ? void 0 : _a.getName() : void 0; } function createDummyParameters(argCount, names, types, minArgumentCount, inJs) { const parameters = []; const parameterNameCounts = /* @__PURE__ */ new Map(); for (let i = 0; i < argCount; i++) { const parameterName = (names == null ? void 0 : names[i]) || `arg${i}`; const parameterNameCount = parameterNameCounts.get(parameterName); parameterNameCounts.set(parameterName, (parameterNameCount || 0) + 1); const newParameter = factory.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, /*name*/ parameterName + (parameterNameCount || ""), /*questionToken*/ minArgumentCount !== void 0 && i >= minArgumentCount ? factory.createToken( 58 /* QuestionToken */ ) : void 0, /*type*/ inJs ? void 0 : (types == null ? void 0 : types[i]) || factory.createKeywordTypeNode( 159 /* UnknownKeyword */ ), /*initializer*/ void 0 ); parameters.push(newParameter); } return parameters; } function createMethodImplementingSignatures(checker, context, enclosingDeclaration, signatures, name, optional, modifiers, quotePreference, body) { let maxArgsSignature = signatures[0]; let minArgumentCount = signatures[0].minArgumentCount; let someSigHasRestParameter = false; for (const sig of signatures) { minArgumentCount = Math.min(sig.minArgumentCount, minArgumentCount); if (signatureHasRestParameter(sig)) { someSigHasRestParameter = true; } if (sig.parameters.length >= maxArgsSignature.parameters.length && (!signatureHasRestParameter(sig) || signatureHasRestParameter(maxArgsSignature))) { maxArgsSignature = sig; } } const maxNonRestArgs = maxArgsSignature.parameters.length - (signatureHasRestParameter(maxArgsSignature) ? 1 : 0); const maxArgsParameterSymbolNames = maxArgsSignature.parameters.map((symbol) => symbol.name); const parameters = createDummyParameters( maxNonRestArgs, maxArgsParameterSymbolNames, /*types*/ void 0, minArgumentCount, /*inJs*/ false ); if (someSigHasRestParameter) { const restParameter = factory.createParameterDeclaration( /*modifiers*/ void 0, factory.createToken( 26 /* DotDotDotToken */ ), maxArgsParameterSymbolNames[maxNonRestArgs] || "rest", /*questionToken*/ maxNonRestArgs >= minArgumentCount ? factory.createToken( 58 /* QuestionToken */ ) : void 0, factory.createArrayTypeNode(factory.createKeywordTypeNode( 159 /* UnknownKeyword */ )), /*initializer*/ void 0 ); parameters.push(restParameter); } return createStubbedMethod( modifiers, name, optional, /*typeParameters*/ void 0, parameters, getReturnTypeFromSignatures(signatures, checker, context, enclosingDeclaration), quotePreference, body ); } function getReturnTypeFromSignatures(signatures, checker, context, enclosingDeclaration) { if (length(signatures)) { const type = checker.getUnionType(map(signatures, checker.getReturnTypeOfSignature)); return checker.typeToTypeNode(type, enclosingDeclaration, 1, getNoopSymbolTrackerWithResolver(context)); } } function createStubbedMethod(modifiers, name, optional, typeParameters, parameters, returnType, quotePreference, body) { return factory.createMethodDeclaration( modifiers, /*asteriskToken*/ void 0, name, optional ? factory.createToken( 58 /* QuestionToken */ ) : void 0, typeParameters, parameters, returnType, body || createStubbedMethodBody(quotePreference) ); } function createStubbedMethodBody(quotePreference) { return createStubbedBody(Diagnostics.Method_not_implemented.message, quotePreference); } function createStubbedBody(text, quotePreference) { return factory.createBlock( [factory.createThrowStatement( factory.createNewExpression( factory.createIdentifier("Error"), /*typeArguments*/ void 0, // TODO Handle auto quote preference. [factory.createStringLiteral( text, /*isSingleQuote*/ quotePreference === 0 /* Single */ )] ) )], /*multiLine*/ true ); } function setJsonCompilerOptionValues(changeTracker, configFile, options) { const tsconfigObjectLiteral = getTsConfigObjectLiteralExpression(configFile); if (!tsconfigObjectLiteral) return void 0; const compilerOptionsProperty = findJsonProperty(tsconfigObjectLiteral, "compilerOptions"); if (compilerOptionsProperty === void 0) { changeTracker.insertNodeAtObjectStart( configFile, tsconfigObjectLiteral, createJsonPropertyAssignment( "compilerOptions", factory.createObjectLiteralExpression( options.map(([optionName, optionValue]) => createJsonPropertyAssignment(optionName, optionValue)), /*multiLine*/ true ) ) ); return; } const compilerOptions = compilerOptionsProperty.initializer; if (!isObjectLiteralExpression(compilerOptions)) { return; } for (const [optionName, optionValue] of options) { const optionProperty = findJsonProperty(compilerOptions, optionName); if (optionProperty === void 0) { changeTracker.insertNodeAtObjectStart(configFile, compilerOptions, createJsonPropertyAssignment(optionName, optionValue)); } else { changeTracker.replaceNode(configFile, optionProperty.initializer, optionValue); } } } function setJsonCompilerOptionValue(changeTracker, configFile, optionName, optionValue) { setJsonCompilerOptionValues(changeTracker, configFile, [[optionName, optionValue]]); } function createJsonPropertyAssignment(name, initializer) { return factory.createPropertyAssignment(factory.createStringLiteral(name), initializer); } function findJsonProperty(obj, name) { return find(obj.properties, (p) => isPropertyAssignment(p) && !!p.name && isStringLiteral2(p.name) && p.name.text === name); } function tryGetAutoImportableReferenceFromTypeNode(importTypeNode, scriptTarget) { let symbols; const typeNode = visitNode(importTypeNode, visit, isTypeNode); if (symbols && typeNode) { return { typeNode, symbols }; } function visit(node) { if (isLiteralImportTypeNode(node) && node.qualifier) { const firstIdentifier = getFirstIdentifier(node.qualifier); const name = getNameForExportedSymbol(firstIdentifier.symbol, scriptTarget); const qualifier = name !== firstIdentifier.text ? replaceFirstIdentifierOfEntityName(node.qualifier, factory.createIdentifier(name)) : node.qualifier; symbols = append(symbols, firstIdentifier.symbol); const typeArguments = visitNodes2(node.typeArguments, visit, isTypeNode); return factory.createTypeReferenceNode(qualifier, typeArguments); } return visitEachChild( node, visit, /*context*/ void 0 ); } } function replaceFirstIdentifierOfEntityName(name, newIdentifier) { if (name.kind === 80) { return newIdentifier; } return factory.createQualifiedName(replaceFirstIdentifierOfEntityName(name.left, newIdentifier), name.right); } function importSymbols(importAdder, symbols) { symbols.forEach((s) => importAdder.addImportFromExportedSymbol( s, /*isValidTypeOnlyUseSite*/ true )); } function findAncestorMatchingSpan(sourceFile, span) { const end = textSpanEnd(span); let token = getTokenAtPosition(sourceFile, span.start); while (token.end < end) { token = token.parent; } return token; } function generateAccessorFromProperty(file, program, start, end, context, _actionName) { const fieldInfo = getAccessorConvertiblePropertyAtPosition(file, program, start, end); if (!fieldInfo || ts_refactor_exports.isRefactorErrorInfo(fieldInfo)) return void 0; const changeTracker = ts_textChanges_exports.ChangeTracker.fromContext(context); const { isStatic: isStatic2, isReadonly, fieldName, accessorName, originalName, type, container, declaration } = fieldInfo; suppressLeadingAndTrailingTrivia(fieldName); suppressLeadingAndTrailingTrivia(accessorName); suppressLeadingAndTrailingTrivia(declaration); suppressLeadingAndTrailingTrivia(container); let accessorModifiers; let fieldModifiers; if (isClassLike(container)) { const modifierFlags = getEffectiveModifierFlags(declaration); if (isSourceFileJS(file)) { const modifiers = factory.createModifiersFromModifierFlags(modifierFlags); accessorModifiers = modifiers; fieldModifiers = modifiers; } else { accessorModifiers = factory.createModifiersFromModifierFlags(prepareModifierFlagsForAccessor(modifierFlags)); fieldModifiers = factory.createModifiersFromModifierFlags(prepareModifierFlagsForField(modifierFlags)); } if (canHaveDecorators(declaration)) { fieldModifiers = concatenate(getDecorators(declaration), fieldModifiers); } } updateFieldDeclaration(changeTracker, file, declaration, type, fieldName, fieldModifiers); const getAccessor = generateGetAccessor(fieldName, accessorName, type, accessorModifiers, isStatic2, container); suppressLeadingAndTrailingTrivia(getAccessor); insertAccessor(changeTracker, file, getAccessor, declaration, container); if (isReadonly) { const constructor = getFirstConstructorWithBody(container); if (constructor) { updateReadonlyPropertyInitializerStatementConstructor(changeTracker, file, constructor, fieldName.text, originalName); } } else { const setAccessor = generateSetAccessor(fieldName, accessorName, type, accessorModifiers, isStatic2, container); suppressLeadingAndTrailingTrivia(setAccessor); insertAccessor(changeTracker, file, setAccessor, declaration, container); } return changeTracker.getChanges(); } function isConvertibleName(name) { return isIdentifier(name) || isStringLiteral2(name); } function isAcceptedDeclaration(node) { return isParameterPropertyDeclaration(node, node.parent) || isPropertyDeclaration(node) || isPropertyAssignment(node); } function createPropertyName(name, originalName) { return isIdentifier(originalName) ? factory.createIdentifier(name) : factory.createStringLiteral(name); } function createAccessorAccessExpression(fieldName, isStatic2, container) { const leftHead = isStatic2 ? container.name : factory.createThis(); return isIdentifier(fieldName) ? factory.createPropertyAccessExpression(leftHead, fieldName) : factory.createElementAccessExpression(leftHead, factory.createStringLiteralFromNode(fieldName)); } function prepareModifierFlagsForAccessor(modifierFlags) { modifierFlags &= ~8; modifierFlags &= ~2; if (!(modifierFlags & 4)) { modifierFlags |= 1; } return modifierFlags; } function prepareModifierFlagsForField(modifierFlags) { modifierFlags &= ~1; modifierFlags &= ~4; modifierFlags |= 2; return modifierFlags; } function getAccessorConvertiblePropertyAtPosition(file, program, start, end, considerEmptySpans = true) { const node = getTokenAtPosition(file, start); const cursorRequest = start === end && considerEmptySpans; const declaration = findAncestor(node.parent, isAcceptedDeclaration); const meaning = 7 | 256 | 8; if (!declaration || !(nodeOverlapsWithStartEnd(declaration.name, file, start, end) || cursorRequest)) { return { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_property_for_which_to_generate_accessor) }; } if (!isConvertibleName(declaration.name)) { return { error: getLocaleSpecificMessage(Diagnostics.Name_is_not_valid) }; } if ((getEffectiveModifierFlags(declaration) & 98303 | meaning) !== meaning) { return { error: getLocaleSpecificMessage(Diagnostics.Can_only_convert_property_with_modifier) }; } const name = declaration.name.text; const startWithUnderscore = startsWithUnderscore(name); const fieldName = createPropertyName(startWithUnderscore ? name : getUniqueName(`_${name}`, file), declaration.name); const accessorName = createPropertyName(startWithUnderscore ? getUniqueName(name.substring(1), file) : name, declaration.name); return { isStatic: hasStaticModifier(declaration), isReadonly: hasEffectiveReadonlyModifier(declaration), type: getDeclarationType(declaration, program), container: declaration.kind === 169 ? declaration.parent.parent : declaration.parent, originalName: declaration.name.text, declaration, fieldName, accessorName, renameAccessor: startWithUnderscore }; } function generateGetAccessor(fieldName, accessorName, type, modifiers, isStatic2, container) { return factory.createGetAccessorDeclaration( modifiers, accessorName, [], type, factory.createBlock( [ factory.createReturnStatement( createAccessorAccessExpression(fieldName, isStatic2, container) ) ], /*multiLine*/ true ) ); } function generateSetAccessor(fieldName, accessorName, type, modifiers, isStatic2, container) { return factory.createSetAccessorDeclaration( modifiers, accessorName, [factory.createParameterDeclaration( /*modifiers*/ void 0, /*dotDotDotToken*/ void 0, factory.createIdentifier("value"), /*questionToken*/ void 0, type )], factory.createBlock( [ factory.createExpressionStatement( factory.createAssignment( createAccessorAccessExpression(fieldName, isStatic2, container), factory.createIdentifier("value") ) ) ], /*multiLine*/ true ) ); } function updatePropertyDeclaration(changeTracker, file, declaration, type, fieldName, modifiers) { const property = factory.updatePropertyDeclaration( declaration, modifiers, fieldName, declaration.questionToken || declaration.exclamationToken, type, declaration.initializer ); changeTracker.replaceNode(file, declaration, property); } function updatePropertyAssignmentDeclaration(changeTracker, file, declaration, fieldName) { let assignment = factory.updatePropertyAssignment(declaration, fieldName, declaration.initializer); if (assignment.modifiers || assignment.questionToken || assignment.exclamationToken) { if (assignment === declaration) assignment = factory.cloneNode(assignment); assignment.modifiers = void 0; assignment.questionToken = void 0; assignment.exclamationToken = void 0; } changeTracker.replacePropertyAssignment(file, declaration, assignment); } function updateFieldDeclaration(changeTracker, file, declaration, type, fieldName, modifiers) { if (isPropertyDeclaration(declaration)) { updatePropertyDeclaration(changeTracker, file, declaration, type, fieldName, modifiers); } else if (isPropertyAssignment(declaration)) { updatePropertyAssignmentDeclaration(changeTracker, file, declaration, fieldName); } else { changeTracker.replaceNode(file, declaration, factory.updateParameterDeclaration(declaration, modifiers, declaration.dotDotDotToken, cast(fieldName, isIdentifier), declaration.questionToken, declaration.type, declaration.initializer)); } } function insertAccessor(changeTracker, file, accessor, declaration, container) { isParameterPropertyDeclaration(declaration, declaration.parent) ? changeTracker.insertMemberAtStart(file, container, accessor) : isPropertyAssignment(declaration) ? changeTracker.insertNodeAfterComma(file, declaration, accessor) : changeTracker.insertNodeAfter(file, declaration, accessor); } function updateReadonlyPropertyInitializerStatementConstructor(changeTracker, file, constructor, fieldName, originalName) { if (!constructor.body) return; constructor.body.forEachChild(function recur(node) { if (isElementAccessExpression(node) && node.expression.kind === 110 && isStringLiteral2(node.argumentExpression) && node.argumentExpression.text === originalName && isWriteAccess(node)) { changeTracker.replaceNode(file, node.argumentExpression, factory.createStringLiteral(fieldName)); } if (isPropertyAccessExpression(node) && node.expression.kind === 110 && node.name.text === originalName && isWriteAccess(node)) { changeTracker.replaceNode(file, node.name, factory.createIdentifier(fieldName)); } if (!isFunctionLike(node) && !isClassLike(node)) { node.forEachChild(recur); } }); } function getDeclarationType(declaration, program) { const typeNode = getTypeAnnotationNode(declaration); if (isPropertyDeclaration(declaration) && typeNode && declaration.questionToken) { const typeChecker = program.getTypeChecker(); const type = typeChecker.getTypeFromTypeNode(typeNode); if (!typeChecker.isTypeAssignableTo(typeChecker.getUndefinedType(), type)) { const types = isUnionTypeNode(typeNode) ? typeNode.types : [typeNode]; return factory.createUnionTypeNode([...types, factory.createKeywordTypeNode( 157 /* UndefinedKeyword */ )]); } } return typeNode; } function getAllSupers(decl, checker) { const res = []; while (decl) { const superElement = getClassExtendsHeritageElement(decl); const superSymbol = superElement && checker.getSymbolAtLocation(superElement.expression); if (!superSymbol) break; const symbol = superSymbol.flags & 2097152 ? checker.getAliasedSymbol(superSymbol) : superSymbol; const superDecl = symbol.declarations && find(symbol.declarations, isClassLike); if (!superDecl) break; res.push(superDecl); decl = superDecl; } return res; } var fixName5 = "invalidImportSyntax"; function getCodeFixesForImportDeclaration(context, node) { const sourceFile = getSourceFileOfNode(node); const namespace = getNamespaceDeclarationNode(node); const opts = context.program.getCompilerOptions(); const variations = []; variations.push(createAction(context, sourceFile, node, makeImport( namespace.name, /*namedImports*/ void 0, node.moduleSpecifier, getQuotePreference(sourceFile, context.preferences) ))); if (getEmitModuleKind(opts) === 1) { variations.push(createAction( context, sourceFile, node, factory.createImportEqualsDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, namespace.name, factory.createExternalModuleReference(node.moduleSpecifier) ) )); } return variations; } function createAction(context, sourceFile, node, replacement) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => t.replaceNode(sourceFile, node, replacement)); return createCodeFixActionWithoutFixAll(fixName5, changes, [Diagnostics.Replace_import_with_0, changes[0].textChanges[0].newText]); } registerCodeFix({ errorCodes: [ Diagnostics.This_expression_is_not_callable.code, Diagnostics.This_expression_is_not_constructable.code ], getCodeActions: getActionsForUsageOfInvalidImport }); function getActionsForUsageOfInvalidImport(context) { const sourceFile = context.sourceFile; const targetKind = Diagnostics.This_expression_is_not_callable.code === context.errorCode ? 213 : 214; const node = findAncestor(getTokenAtPosition(sourceFile, context.span.start), (a) => a.kind === targetKind); if (!node) { return []; } const expr = node.expression; return getImportCodeFixesForExpression(context, expr); } registerCodeFix({ errorCodes: [ // The following error codes cover pretty much all assignability errors that could involve an expression Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1.code, Diagnostics.Type_0_does_not_satisfy_the_constraint_1.code, Diagnostics.Type_0_is_not_assignable_to_type_1.code, Diagnostics.Type_0_is_not_assignable_to_type_1_Two_different_types_with_this_name_exist_but_they_are_unrelated.code, Diagnostics.Type_predicate_0_is_not_assignable_to_1.code, Diagnostics.Property_0_of_type_1_is_not_assignable_to_2_index_type_3.code, Diagnostics._0_index_type_1_is_not_assignable_to_2_index_type_3.code, Diagnostics.Property_0_in_type_1_is_not_assignable_to_the_same_property_in_base_type_2.code, Diagnostics.Property_0_in_type_1_is_not_assignable_to_type_2.code, Diagnostics.Property_0_of_JSX_spread_attribute_is_not_assignable_to_target_property.code, Diagnostics.The_this_context_of_type_0_is_not_assignable_to_method_s_this_of_type_1.code ], getCodeActions: getActionsForInvalidImportLocation }); function getActionsForInvalidImportLocation(context) { const sourceFile = context.sourceFile; const node = findAncestor(getTokenAtPosition(sourceFile, context.span.start), (a) => a.getStart() === context.span.start && a.getEnd() === context.span.start + context.span.length); if (!node) { return []; } return getImportCodeFixesForExpression(context, node); } function getImportCodeFixesForExpression(context, expr) { const type = context.program.getTypeChecker().getTypeAtLocation(expr); if (!(type.symbol && isTransientSymbol(type.symbol) && type.symbol.links.originatingImport)) { return []; } const fixes = []; const relatedImport = type.symbol.links.originatingImport; if (!isImportCall(relatedImport)) { addRange(fixes, getCodeFixesForImportDeclaration(context, relatedImport)); } if (isExpression(expr) && !(isNamedDeclaration(expr.parent) && expr.parent.name === expr)) { const sourceFile = context.sourceFile; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => t.replaceNode(sourceFile, expr, factory.createPropertyAccessExpression(expr, "default"), {})); fixes.push(createCodeFixActionWithoutFixAll(fixName5, changes, Diagnostics.Use_synthetic_default_member)); } return fixes; } var fixName6 = "strictClassInitialization"; var fixIdAddDefiniteAssignmentAssertions = "addMissingPropertyDefiniteAssignmentAssertions"; var fixIdAddUndefinedType = "addMissingPropertyUndefinedType"; var fixIdAddInitializer = "addMissingPropertyInitializer"; var errorCodes53 = [Diagnostics.Property_0_has_no_initializer_and_is_not_definitely_assigned_in_the_constructor.code]; registerCodeFix({ errorCodes: errorCodes53, getCodeActions: function getCodeActionsForStrictClassInitializationErrors(context) { const info = getInfo17(context.sourceFile, context.span.start); if (!info) return; const result = []; append(result, getActionForAddMissingUndefinedType(context, info)); append(result, getActionForAddMissingDefiniteAssignmentAssertion(context, info)); append(result, getActionForAddMissingInitializer(context, info)); return result; }, fixIds: [fixIdAddDefiniteAssignmentAssertions, fixIdAddUndefinedType, fixIdAddInitializer], getAllCodeActions: (context) => { return codeFixAll(context, errorCodes53, (changes, diag2) => { const info = getInfo17(diag2.file, diag2.start); if (!info) return; switch (context.fixId) { case fixIdAddDefiniteAssignmentAssertions: addDefiniteAssignmentAssertion(changes, diag2.file, info.prop); break; case fixIdAddUndefinedType: addUndefinedType(changes, diag2.file, info); break; case fixIdAddInitializer: const checker = context.program.getTypeChecker(); const initializer = getInitializer(checker, info.prop); if (!initializer) return; addInitializer(changes, diag2.file, info.prop, initializer); break; default: Debug.fail(JSON.stringify(context.fixId)); } }); } }); function getInfo17(sourceFile, pos) { const token = getTokenAtPosition(sourceFile, pos); if (isIdentifier(token) && isPropertyDeclaration(token.parent)) { const type = getEffectiveTypeAnnotationNode(token.parent); if (type) { return { type, prop: token.parent, isJs: isInJSFile(token.parent) }; } } return void 0; } function getActionForAddMissingDefiniteAssignmentAssertion(context, info) { if (info.isJs) return void 0; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addDefiniteAssignmentAssertion(t, context.sourceFile, info.prop)); return createCodeFixAction(fixName6, changes, [Diagnostics.Add_definite_assignment_assertion_to_property_0, info.prop.getText()], fixIdAddDefiniteAssignmentAssertions, Diagnostics.Add_definite_assignment_assertions_to_all_uninitialized_properties); } function addDefiniteAssignmentAssertion(changeTracker, propertyDeclarationSourceFile, propertyDeclaration) { suppressLeadingAndTrailingTrivia(propertyDeclaration); const property = factory.updatePropertyDeclaration( propertyDeclaration, propertyDeclaration.modifiers, propertyDeclaration.name, factory.createToken( 54 /* ExclamationToken */ ), propertyDeclaration.type, propertyDeclaration.initializer ); changeTracker.replaceNode(propertyDeclarationSourceFile, propertyDeclaration, property); } function getActionForAddMissingUndefinedType(context, info) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addUndefinedType(t, context.sourceFile, info)); return createCodeFixAction(fixName6, changes, [Diagnostics.Add_undefined_type_to_property_0, info.prop.name.getText()], fixIdAddUndefinedType, Diagnostics.Add_undefined_type_to_all_uninitialized_properties); } function addUndefinedType(changeTracker, sourceFile, info) { const undefinedTypeNode = factory.createKeywordTypeNode( 157 /* UndefinedKeyword */ ); const types = isUnionTypeNode(info.type) ? info.type.types.concat(undefinedTypeNode) : [info.type, undefinedTypeNode]; const unionTypeNode = factory.createUnionTypeNode(types); if (info.isJs) { changeTracker.addJSDocTags(sourceFile, info.prop, [factory.createJSDocTypeTag( /*tagName*/ void 0, factory.createJSDocTypeExpression(unionTypeNode) )]); } else { changeTracker.replaceNode(sourceFile, info.type, unionTypeNode); } } function getActionForAddMissingInitializer(context, info) { if (info.isJs) return void 0; const checker = context.program.getTypeChecker(); const initializer = getInitializer(checker, info.prop); if (!initializer) return void 0; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addInitializer(t, context.sourceFile, info.prop, initializer)); return createCodeFixAction(fixName6, changes, [Diagnostics.Add_initializer_to_property_0, info.prop.name.getText()], fixIdAddInitializer, Diagnostics.Add_initializers_to_all_uninitialized_properties); } function addInitializer(changeTracker, propertyDeclarationSourceFile, propertyDeclaration, initializer) { suppressLeadingAndTrailingTrivia(propertyDeclaration); const property = factory.updatePropertyDeclaration( propertyDeclaration, propertyDeclaration.modifiers, propertyDeclaration.name, propertyDeclaration.questionToken, propertyDeclaration.type, initializer ); changeTracker.replaceNode(propertyDeclarationSourceFile, propertyDeclaration, property); } function getInitializer(checker, propertyDeclaration) { return getDefaultValueFromType(checker, checker.getTypeFromTypeNode(propertyDeclaration.type)); } function getDefaultValueFromType(checker, type) { if (type.flags & 512) { return type === checker.getFalseType() || type === checker.getFalseType( /*fresh*/ true ) ? factory.createFalse() : factory.createTrue(); } else if (type.isStringLiteral()) { return factory.createStringLiteral(type.value); } else if (type.isNumberLiteral()) { return factory.createNumericLiteral(type.value); } else if (type.flags & 2048) { return factory.createBigIntLiteral(type.value); } else if (type.isUnion()) { return firstDefined(type.types, (t) => getDefaultValueFromType(checker, t)); } else if (type.isClass()) { const classDeclaration = getClassLikeDeclarationOfSymbol(type.symbol); if (!classDeclaration || hasSyntacticModifier( classDeclaration, 64 /* Abstract */ )) return void 0; const constructorDeclaration = getFirstConstructorWithBody(classDeclaration); if (constructorDeclaration && constructorDeclaration.parameters.length) return void 0; return factory.createNewExpression( factory.createIdentifier(type.symbol.name), /*typeArguments*/ void 0, /*argumentsArray*/ void 0 ); } else if (checker.isArrayLikeType(type)) { return factory.createArrayLiteralExpression(); } return void 0; } var fixId42 = "requireInTs"; var errorCodes54 = [Diagnostics.require_call_may_be_converted_to_an_import.code]; registerCodeFix({ errorCodes: errorCodes54, getCodeActions(context) { const info = getInfo18(context.sourceFile, context.program, context.span.start); if (!info) { return void 0; } const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange35(t, context.sourceFile, info)); return [createCodeFixAction(fixId42, changes, Diagnostics.Convert_require_to_import, fixId42, Diagnostics.Convert_all_require_to_import)]; }, fixIds: [fixId42], getAllCodeActions: (context) => codeFixAll(context, errorCodes54, (changes, diag2) => { const info = getInfo18(diag2.file, context.program, diag2.start); if (info) { doChange35(changes, context.sourceFile, info); } }) }); function doChange35(changes, sourceFile, info) { const { allowSyntheticDefaults, defaultImportName, namedImports, statement, required } = info; changes.replaceNode( sourceFile, statement, defaultImportName && !allowSyntheticDefaults ? factory.createImportEqualsDeclaration( /*modifiers*/ void 0, /*isTypeOnly*/ false, defaultImportName, factory.createExternalModuleReference(required) ) : factory.createImportDeclaration( /*modifiers*/ void 0, factory.createImportClause( /*isTypeOnly*/ false, defaultImportName, namedImports ), required, /*attributes*/ void 0 ) ); } function getInfo18(sourceFile, program, pos) { const { parent: parent2 } = getTokenAtPosition(sourceFile, pos); if (!isRequireCall( parent2, /*requireStringLiteralLikeArgument*/ true )) { Debug.failBadSyntaxKind(parent2); } const decl = cast(parent2.parent, isVariableDeclaration); const defaultImportName = tryCast(decl.name, isIdentifier); const namedImports = isObjectBindingPattern(decl.name) ? tryCreateNamedImportsFromObjectBindingPattern(decl.name) : void 0; if (defaultImportName || namedImports) { return { allowSyntheticDefaults: getAllowSyntheticDefaultImports(program.getCompilerOptions()), defaultImportName, namedImports, statement: cast(decl.parent.parent, isVariableStatement), required: first(parent2.arguments) }; } } function tryCreateNamedImportsFromObjectBindingPattern(node) { const importSpecifiers = []; for (const element of node.elements) { if (!isIdentifier(element.name) || element.initializer) { return void 0; } importSpecifiers.push(factory.createImportSpecifier( /*isTypeOnly*/ false, tryCast(element.propertyName, isIdentifier), element.name )); } if (importSpecifiers.length) { return factory.createNamedImports(importSpecifiers); } } var fixId43 = "useDefaultImport"; var errorCodes55 = [Diagnostics.Import_may_be_converted_to_a_default_import.code]; registerCodeFix({ errorCodes: errorCodes55, getCodeActions(context) { const { sourceFile, span: { start } } = context; const info = getInfo19(sourceFile, start); if (!info) return void 0; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange36(t, sourceFile, info, context.preferences)); return [createCodeFixAction(fixId43, changes, Diagnostics.Convert_to_default_import, fixId43, Diagnostics.Convert_all_to_default_imports)]; }, fixIds: [fixId43], getAllCodeActions: (context) => codeFixAll(context, errorCodes55, (changes, diag2) => { const info = getInfo19(diag2.file, diag2.start); if (info) doChange36(changes, diag2.file, info, context.preferences); }) }); function getInfo19(sourceFile, pos) { const name = getTokenAtPosition(sourceFile, pos); if (!isIdentifier(name)) return void 0; const { parent: parent2 } = name; if (isImportEqualsDeclaration(parent2) && isExternalModuleReference(parent2.moduleReference)) { return { importNode: parent2, name, moduleSpecifier: parent2.moduleReference.expression }; } else if (isNamespaceImport(parent2) && isImportDeclaration(parent2.parent.parent)) { const importNode = parent2.parent.parent; return { importNode, name, moduleSpecifier: importNode.moduleSpecifier }; } } function doChange36(changes, sourceFile, info, preferences) { changes.replaceNode(sourceFile, info.importNode, makeImport( info.name, /*namedImports*/ void 0, info.moduleSpecifier, getQuotePreference(sourceFile, preferences) )); } var fixId44 = "useBigintLiteral"; var errorCodes56 = [ Diagnostics.Numeric_literals_with_absolute_values_equal_to_2_53_or_greater_are_too_large_to_be_represented_accurately_as_integers.code ]; registerCodeFix({ errorCodes: errorCodes56, getCodeActions: function getCodeActionsToUseBigintLiteral(context) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange9(t, context.sourceFile, context.span)); if (changes.length > 0) { return [createCodeFixAction(fixId44, changes, Diagnostics.Convert_to_a_bigint_numeric_literal, fixId44, Diagnostics.Convert_all_to_bigint_numeric_literals)]; } }, fixIds: [fixId44], getAllCodeActions: (context) => { return codeFixAll(context, errorCodes56, (changes, diag2) => makeChange9(changes, diag2.file, diag2)); } }); function makeChange9(changeTracker, sourceFile, span) { const numericLiteral = tryCast(getTokenAtPosition(sourceFile, span.start), isNumericLiteral); if (!numericLiteral) { return; } const newText = numericLiteral.getText(sourceFile) + "n"; changeTracker.replaceNode(sourceFile, numericLiteral, factory.createBigIntLiteral(newText)); } var fixIdAddMissingTypeof = "fixAddModuleReferTypeMissingTypeof"; var fixId45 = fixIdAddMissingTypeof; var errorCodes57 = [Diagnostics.Module_0_does_not_refer_to_a_type_but_is_used_as_a_type_here_Did_you_mean_typeof_import_0.code]; registerCodeFix({ errorCodes: errorCodes57, getCodeActions: function getCodeActionsToAddMissingTypeof(context) { const { sourceFile, span } = context; const importType = getImportTypeNode(sourceFile, span.start); const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange37(t, sourceFile, importType)); return [createCodeFixAction(fixId45, changes, Diagnostics.Add_missing_typeof, fixId45, Diagnostics.Add_missing_typeof)]; }, fixIds: [fixId45], getAllCodeActions: (context) => codeFixAll(context, errorCodes57, (changes, diag2) => doChange37(changes, context.sourceFile, getImportTypeNode(diag2.file, diag2.start))) }); function getImportTypeNode(sourceFile, pos) { const token = getTokenAtPosition(sourceFile, pos); Debug.assert(token.kind === 102, "This token should be an ImportKeyword"); Debug.assert(token.parent.kind === 205, "Token parent should be an ImportType"); return token.parent; } function doChange37(changes, sourceFile, importType) { const newTypeNode = factory.updateImportTypeNode( importType, importType.argument, importType.attributes, importType.qualifier, importType.typeArguments, /*isTypeOf*/ true ); changes.replaceNode(sourceFile, importType, newTypeNode); } var fixID2 = "wrapJsxInFragment"; var errorCodes58 = [Diagnostics.JSX_expressions_must_have_one_parent_element.code]; registerCodeFix({ errorCodes: errorCodes58, getCodeActions: function getCodeActionsToWrapJsxInFragment(context) { const { sourceFile, span } = context; const node = findNodeToFix(sourceFile, span.start); if (!node) return void 0; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange38(t, sourceFile, node)); return [createCodeFixAction(fixID2, changes, Diagnostics.Wrap_in_JSX_fragment, fixID2, Diagnostics.Wrap_all_unparented_JSX_in_JSX_fragment)]; }, fixIds: [fixID2], getAllCodeActions: (context) => codeFixAll(context, errorCodes58, (changes, diag2) => { const node = findNodeToFix(context.sourceFile, diag2.start); if (!node) return void 0; doChange38(changes, context.sourceFile, node); }) }); function findNodeToFix(sourceFile, pos) { const lessThanToken = getTokenAtPosition(sourceFile, pos); const firstJsxElementOrOpenElement = lessThanToken.parent; let binaryExpr = firstJsxElementOrOpenElement.parent; if (!isBinaryExpression(binaryExpr)) { binaryExpr = binaryExpr.parent; if (!isBinaryExpression(binaryExpr)) return void 0; } if (!nodeIsMissing(binaryExpr.operatorToken)) return void 0; return binaryExpr; } function doChange38(changeTracker, sf, node) { const jsx = flattenInvalidBinaryExpr(node); if (jsx) changeTracker.replaceNode(sf, node, factory.createJsxFragment(factory.createJsxOpeningFragment(), jsx, factory.createJsxJsxClosingFragment())); } function flattenInvalidBinaryExpr(node) { const children = []; let current = node; while (true) { if (isBinaryExpression(current) && nodeIsMissing(current.operatorToken) && current.operatorToken.kind === 28) { children.push(current.left); if (isJsxChild(current.right)) { children.push(current.right); return children; } else if (isBinaryExpression(current.right)) { current = current.right; continue; } else return void 0; } else return void 0; } } var fixId46 = "wrapDecoratorInParentheses"; var errorCodes59 = [Diagnostics.Expression_must_be_enclosed_in_parentheses_to_be_used_as_a_decorator.code]; registerCodeFix({ errorCodes: errorCodes59, getCodeActions: function getCodeActionsToWrapDecoratorExpressionInParentheses(context) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange10(t, context.sourceFile, context.span.start)); return [createCodeFixAction(fixId46, changes, Diagnostics.Wrap_in_parentheses, fixId46, Diagnostics.Wrap_all_invalid_decorator_expressions_in_parentheses)]; }, fixIds: [fixId46], getAllCodeActions: (context) => codeFixAll(context, errorCodes59, (changes, diag2) => makeChange10(changes, diag2.file, diag2.start)) }); function makeChange10(changeTracker, sourceFile, pos) { const token = getTokenAtPosition(sourceFile, pos); const decorator = findAncestor(token, isDecorator); Debug.assert(!!decorator, "Expected position to be owned by a decorator."); const replacement = factory.createParenthesizedExpression(decorator.expression); changeTracker.replaceNode(sourceFile, decorator.expression, replacement); } var fixId47 = "fixConvertToMappedObjectType"; var errorCodes60 = [Diagnostics.An_index_signature_parameter_type_cannot_be_a_literal_type_or_generic_type_Consider_using_a_mapped_object_type_instead.code]; registerCodeFix({ errorCodes: errorCodes60, getCodeActions: function getCodeActionsToConvertToMappedTypeObject(context) { const { sourceFile, span } = context; const info = getInfo20(sourceFile, span.start); if (!info) return void 0; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange39(t, sourceFile, info)); const name = idText(info.container.name); return [createCodeFixAction(fixId47, changes, [Diagnostics.Convert_0_to_mapped_object_type, name], fixId47, [Diagnostics.Convert_0_to_mapped_object_type, name])]; }, fixIds: [fixId47], getAllCodeActions: (context) => codeFixAll(context, errorCodes60, (changes, diag2) => { const info = getInfo20(diag2.file, diag2.start); if (info) doChange39(changes, diag2.file, info); }) }); function getInfo20(sourceFile, pos) { const token = getTokenAtPosition(sourceFile, pos); const indexSignature = tryCast(token.parent.parent, isIndexSignatureDeclaration); if (!indexSignature) return void 0; const container = isInterfaceDeclaration(indexSignature.parent) ? indexSignature.parent : tryCast(indexSignature.parent.parent, isTypeAliasDeclaration); if (!container) return void 0; return { indexSignature, container }; } function createTypeAliasFromInterface(declaration, type) { return factory.createTypeAliasDeclaration(declaration.modifiers, declaration.name, declaration.typeParameters, type); } function doChange39(changes, sourceFile, { indexSignature, container }) { const members = isInterfaceDeclaration(container) ? container.members : container.type.members; const otherMembers = members.filter((member) => !isIndexSignatureDeclaration(member)); const parameter = first(indexSignature.parameters); const mappedTypeParameter = factory.createTypeParameterDeclaration( /*modifiers*/ void 0, cast(parameter.name, isIdentifier), parameter.type ); const mappedIntersectionType = factory.createMappedTypeNode( hasEffectiveReadonlyModifier(indexSignature) ? factory.createModifier( 148 /* ReadonlyKeyword */ ) : void 0, mappedTypeParameter, /*nameType*/ void 0, indexSignature.questionToken, indexSignature.type, /*members*/ void 0 ); const intersectionType2 = factory.createIntersectionTypeNode([ ...getAllSuperTypeNodes(container), mappedIntersectionType, ...otherMembers.length ? [factory.createTypeLiteralNode(otherMembers)] : emptyArray ]); changes.replaceNode(sourceFile, container, createTypeAliasFromInterface(container, intersectionType2)); } var fixId48 = "removeAccidentalCallParentheses"; var errorCodes61 = [ Diagnostics.This_expression_is_not_callable_because_it_is_a_get_accessor_Did_you_mean_to_use_it_without.code ]; registerCodeFix({ errorCodes: errorCodes61, getCodeActions(context) { const callExpression = findAncestor(getTokenAtPosition(context.sourceFile, context.span.start), isCallExpression2); if (!callExpression) { return void 0; } const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => { t.deleteRange(context.sourceFile, { pos: callExpression.expression.end, end: callExpression.end }); }); return [createCodeFixActionWithoutFixAll(fixId48, changes, Diagnostics.Remove_parentheses)]; }, fixIds: [fixId48] }); var fixId49 = "removeUnnecessaryAwait"; var errorCodes62 = [ Diagnostics.await_has_no_effect_on_the_type_of_this_expression.code ]; registerCodeFix({ errorCodes: errorCodes62, getCodeActions: function getCodeActionsToRemoveUnnecessaryAwait(context) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange11(t, context.sourceFile, context.span)); if (changes.length > 0) { return [createCodeFixAction(fixId49, changes, Diagnostics.Remove_unnecessary_await, fixId49, Diagnostics.Remove_all_unnecessary_uses_of_await)]; } }, fixIds: [fixId49], getAllCodeActions: (context) => { return codeFixAll(context, errorCodes62, (changes, diag2) => makeChange11(changes, diag2.file, diag2)); } }); function makeChange11(changeTracker, sourceFile, span) { const awaitKeyword = tryCast( getTokenAtPosition(sourceFile, span.start), (node) => node.kind === 135 /* AwaitKeyword */ ); const awaitExpression = awaitKeyword && tryCast(awaitKeyword.parent, isAwaitExpression); if (!awaitExpression) { return; } let expressionToReplace = awaitExpression; const hasSurroundingParens = isParenthesizedExpression(awaitExpression.parent); if (hasSurroundingParens) { const leftMostExpression = getLeftmostExpression( awaitExpression.expression, /*stopAtCallExpressions*/ false ); if (isIdentifier(leftMostExpression)) { const precedingToken = findPrecedingToken(awaitExpression.parent.pos, sourceFile); if (precedingToken && precedingToken.kind !== 105) { expressionToReplace = awaitExpression.parent; } } } changeTracker.replaceNode(sourceFile, expressionToReplace, awaitExpression.expression); } var errorCodes63 = [Diagnostics.A_type_only_import_can_specify_a_default_import_or_named_bindings_but_not_both.code]; var fixId50 = "splitTypeOnlyImport"; registerCodeFix({ errorCodes: errorCodes63, fixIds: [fixId50], getCodeActions: function getCodeActionsToSplitTypeOnlyImport(context) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => { return splitTypeOnlyImport(t, getImportDeclaration2(context.sourceFile, context.span), context); }); if (changes.length) { return [createCodeFixAction(fixId50, changes, Diagnostics.Split_into_two_separate_import_declarations, fixId50, Diagnostics.Split_all_invalid_type_only_imports)]; } }, getAllCodeActions: (context) => codeFixAll(context, errorCodes63, (changes, error2) => { splitTypeOnlyImport(changes, getImportDeclaration2(context.sourceFile, error2), context); }) }); function getImportDeclaration2(sourceFile, span) { return findAncestor(getTokenAtPosition(sourceFile, span.start), isImportDeclaration); } function splitTypeOnlyImport(changes, importDeclaration, context) { if (!importDeclaration) { return; } const importClause = Debug.checkDefined(importDeclaration.importClause); changes.replaceNode( context.sourceFile, importDeclaration, factory.updateImportDeclaration( importDeclaration, importDeclaration.modifiers, factory.updateImportClause( importClause, importClause.isTypeOnly, importClause.name, /*namedBindings*/ void 0 ), importDeclaration.moduleSpecifier, importDeclaration.attributes ) ); changes.insertNodeAfter( context.sourceFile, importDeclaration, factory.createImportDeclaration( /*modifiers*/ void 0, factory.updateImportClause( importClause, importClause.isTypeOnly, /*name*/ void 0, importClause.namedBindings ), importDeclaration.moduleSpecifier, importDeclaration.attributes ) ); } var fixId51 = "fixConvertConstToLet"; var errorCodes64 = [Diagnostics.Cannot_assign_to_0_because_it_is_a_constant.code]; registerCodeFix({ errorCodes: errorCodes64, getCodeActions: function getCodeActionsToConvertConstToLet(context) { const { sourceFile, span, program } = context; const info = getInfo21(sourceFile, span.start, program); if (info === void 0) return; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange40(t, sourceFile, info.token)); return [createCodeFixActionMaybeFixAll(fixId51, changes, Diagnostics.Convert_const_to_let, fixId51, Diagnostics.Convert_all_const_to_let)]; }, getAllCodeActions: (context) => { const { program } = context; const seen = /* @__PURE__ */ new Map(); return createCombinedCodeActions(ts_textChanges_exports.ChangeTracker.with(context, (changes) => { eachDiagnostic(context, errorCodes64, (diag2) => { const info = getInfo21(diag2.file, diag2.start, program); if (info) { if (addToSeen(seen, getSymbolId(info.symbol))) { return doChange40(changes, diag2.file, info.token); } } return void 0; }); })); }, fixIds: [fixId51] }); function getInfo21(sourceFile, pos, program) { var _a; const checker = program.getTypeChecker(); const symbol = checker.getSymbolAtLocation(getTokenAtPosition(sourceFile, pos)); if (symbol === void 0) return; const declaration = tryCast((_a = symbol == null ? void 0 : symbol.valueDeclaration) == null ? void 0 : _a.parent, isVariableDeclarationList); if (declaration === void 0) return; const constToken = findChildOfKind(declaration, 87, sourceFile); if (constToken === void 0) return; return { symbol, token: constToken }; } function doChange40(changes, sourceFile, token) { changes.replaceNode(sourceFile, token, factory.createToken( 121 /* LetKeyword */ )); } var fixId52 = "fixExpectedComma"; var expectedErrorCode = Diagnostics._0_expected.code; var errorCodes65 = [expectedErrorCode]; registerCodeFix({ errorCodes: errorCodes65, getCodeActions(context) { const { sourceFile } = context; const info = getInfo22(sourceFile, context.span.start, context.errorCode); if (!info) return void 0; const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange41(t, sourceFile, info)); return [createCodeFixAction( fixId52, changes, [Diagnostics.Change_0_to_1, ";", ","], fixId52, [Diagnostics.Change_0_to_1, ";", ","] )]; }, fixIds: [fixId52], getAllCodeActions: (context) => codeFixAll(context, errorCodes65, (changes, diag2) => { const info = getInfo22(diag2.file, diag2.start, diag2.code); if (info) doChange41(changes, context.sourceFile, info); }) }); function getInfo22(sourceFile, pos, _) { const node = getTokenAtPosition(sourceFile, pos); return node.kind === 27 && node.parent && (isObjectLiteralExpression(node.parent) || isArrayLiteralExpression(node.parent)) ? { node } : void 0; } function doChange41(changes, sourceFile, { node }) { const newNode = factory.createToken( 28 /* CommaToken */ ); changes.replaceNode(sourceFile, node, newNode); } var fixName7 = "addVoidToPromise"; var fixId53 = "addVoidToPromise"; var errorCodes66 = [ Diagnostics.Expected_1_argument_but_got_0_new_Promise_needs_a_JSDoc_hint_to_produce_a_resolve_that_can_be_called_without_arguments.code, Diagnostics.Expected_0_arguments_but_got_1_Did_you_forget_to_include_void_in_your_type_argument_to_Promise.code ]; registerCodeFix({ errorCodes: errorCodes66, fixIds: [fixId53], getCodeActions(context) { const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange12(t, context.sourceFile, context.span, context.program)); if (changes.length > 0) { return [createCodeFixAction(fixName7, changes, Diagnostics.Add_void_to_Promise_resolved_without_a_value, fixId53, Diagnostics.Add_void_to_all_Promises_resolved_without_a_value)]; } }, getAllCodeActions(context) { return codeFixAll(context, errorCodes66, (changes, diag2) => makeChange12(changes, diag2.file, diag2, context.program, /* @__PURE__ */ new Set())); } }); function makeChange12(changes, sourceFile, span, program, seen) { const node = getTokenAtPosition(sourceFile, span.start); if (!isIdentifier(node) || !isCallExpression2(node.parent) || node.parent.expression !== node || node.parent.arguments.length !== 0) return; const checker = program.getTypeChecker(); const symbol = checker.getSymbolAtLocation(node); const decl = symbol == null ? void 0 : symbol.valueDeclaration; if (!decl || !isParameter(decl) || !isNewExpression2(decl.parent.parent)) return; if (seen == null ? void 0 : seen.has(decl)) return; seen == null ? void 0 : seen.add(decl); const typeArguments = getEffectiveTypeArguments(decl.parent.parent); if (some(typeArguments)) { const typeArgument = typeArguments[0]; const needsParens = !isUnionTypeNode(typeArgument) && !isParenthesizedTypeNode(typeArgument) && isParenthesizedTypeNode(factory.createUnionTypeNode([typeArgument, factory.createKeywordTypeNode( 116 /* VoidKeyword */ )]).types[0]); if (needsParens) { changes.insertText(sourceFile, typeArgument.pos, "("); } changes.insertText(sourceFile, typeArgument.end, needsParens ? ") | void" : " | void"); } else { const signature = checker.getResolvedSignature(node.parent); const parameter = signature == null ? void 0 : signature.parameters[0]; const parameterType = parameter && checker.getTypeOfSymbolAtLocation(parameter, decl.parent.parent); if (isInJSFile(decl)) { if (!parameterType || parameterType.flags & 3) { changes.insertText(sourceFile, decl.parent.parent.end, `)`); changes.insertText(sourceFile, skipTrivia(sourceFile.text, decl.parent.parent.pos), `/** @type {Promise} */(`); } } else { if (!parameterType || parameterType.flags & 2) { changes.insertText(sourceFile, decl.parent.parent.expression.end, ""); } } } } function getEffectiveTypeArguments(node) { var _a; if (isInJSFile(node)) { if (isParenthesizedExpression(node.parent)) { const jsDocType = (_a = getJSDocTypeTag(node.parent)) == null ? void 0 : _a.typeExpression.type; if (jsDocType && isTypeReferenceNode(jsDocType) && isIdentifier(jsDocType.typeName) && idText(jsDocType.typeName) === "Promise") { return jsDocType.typeArguments; } } } else { return node.typeArguments; } } var ts_Completions_exports = {}; __export2(ts_Completions_exports, { CompletionKind: () => CompletionKind, CompletionSource: () => CompletionSource, SortText: () => SortText, StringCompletions: () => ts_Completions_StringCompletions_exports, SymbolOriginInfoKind: () => SymbolOriginInfoKind, createCompletionDetails: () => createCompletionDetails, createCompletionDetailsForSymbol: () => createCompletionDetailsForSymbol, getCompletionEntriesFromSymbols: () => getCompletionEntriesFromSymbols, getCompletionEntryDetails: () => getCompletionEntryDetails, getCompletionEntrySymbol: () => getCompletionEntrySymbol, getCompletionsAtPosition: () => getCompletionsAtPosition, getPropertiesForObjectExpression: () => getPropertiesForObjectExpression, moduleSpecifierResolutionCacheAttemptLimit: () => moduleSpecifierResolutionCacheAttemptLimit, moduleSpecifierResolutionLimit: () => moduleSpecifierResolutionLimit }); var moduleSpecifierResolutionLimit = 100; var moduleSpecifierResolutionCacheAttemptLimit = 1e3; var SortText = { // Presets LocalDeclarationPriority: "10", LocationPriority: "11", OptionalMember: "12", MemberDeclaredBySpreadAssignment: "13", SuggestedClassMembers: "14", GlobalsOrKeywords: "15", AutoImportSuggestions: "16", ClassMemberSnippets: "17", JavascriptIdentifiers: "18", // Transformations Deprecated(sortText) { return "z" + sortText; }, ObjectLiteralProperty(presetSortText, symbolDisplayName) { return `${presetSortText}\0${symbolDisplayName}\0`; }, SortBelow(sortText) { return sortText + "1"; } }; var CompletionSource = /* @__PURE__ */ ((CompletionSource2) => { CompletionSource2["ThisProperty"] = "ThisProperty/"; CompletionSource2["ClassMemberSnippet"] = "ClassMemberSnippet/"; CompletionSource2["TypeOnlyAlias"] = "TypeOnlyAlias/"; CompletionSource2["ObjectLiteralMethodSnippet"] = "ObjectLiteralMethodSnippet/"; CompletionSource2["SwitchCases"] = "SwitchCases/"; CompletionSource2["ObjectLiteralMemberWithComma"] = "ObjectLiteralMemberWithComma/"; return CompletionSource2; })(CompletionSource || {}); var SymbolOriginInfoKind = /* @__PURE__ */ ((SymbolOriginInfoKind2) => { SymbolOriginInfoKind2[SymbolOriginInfoKind2["ThisType"] = 1] = "ThisType"; SymbolOriginInfoKind2[SymbolOriginInfoKind2["SymbolMember"] = 2] = "SymbolMember"; SymbolOriginInfoKind2[SymbolOriginInfoKind2["Export"] = 4] = "Export"; SymbolOriginInfoKind2[SymbolOriginInfoKind2["Promise"] = 8] = "Promise"; SymbolOriginInfoKind2[SymbolOriginInfoKind2["Nullable"] = 16] = "Nullable"; SymbolOriginInfoKind2[SymbolOriginInfoKind2["ResolvedExport"] = 32] = "ResolvedExport"; SymbolOriginInfoKind2[SymbolOriginInfoKind2["TypeOnlyAlias"] = 64] = "TypeOnlyAlias"; SymbolOriginInfoKind2[SymbolOriginInfoKind2["ObjectLiteralMethod"] = 128] = "ObjectLiteralMethod"; SymbolOriginInfoKind2[SymbolOriginInfoKind2["Ignore"] = 256] = "Ignore"; SymbolOriginInfoKind2[SymbolOriginInfoKind2["ComputedPropertyName"] = 512] = "ComputedPropertyName"; SymbolOriginInfoKind2[ SymbolOriginInfoKind2["SymbolMemberNoExport"] = 2 /* SymbolMember */ ] = "SymbolMemberNoExport"; SymbolOriginInfoKind2[SymbolOriginInfoKind2["SymbolMemberExport"] = 6] = "SymbolMemberExport"; return SymbolOriginInfoKind2; })(SymbolOriginInfoKind || {}); function originIsThisType(origin) { return !!(origin.kind & 1); } function originIsSymbolMember(origin) { return !!(origin.kind & 2); } function originIsExport(origin) { return !!(origin && origin.kind & 4); } function originIsResolvedExport(origin) { return !!(origin && origin.kind === 32); } function originIncludesSymbolName(origin) { return originIsExport(origin) || originIsResolvedExport(origin) || originIsComputedPropertyName(origin); } function originIsPackageJsonImport(origin) { return (originIsExport(origin) || originIsResolvedExport(origin)) && !!origin.isFromPackageJson; } function originIsPromise(origin) { return !!(origin.kind & 8); } function originIsNullableMember(origin) { return !!(origin.kind & 16); } function originIsTypeOnlyAlias(origin) { return !!(origin && origin.kind & 64); } function originIsObjectLiteralMethod(origin) { return !!(origin && origin.kind & 128); } function originIsIgnore(origin) { return !!(origin && origin.kind & 256); } function originIsComputedPropertyName(origin) { return !!(origin && origin.kind & 512); } function resolvingModuleSpecifiers(logPrefix, host, resolver, program, position, preferences, isForImportStatementCompletion, isValidTypeOnlyUseSite, cb) { var _a, _b, _c; const start = timestamp(); const needsFullResolution = isForImportStatementCompletion || moduleResolutionSupportsPackageJsonExportsAndImports(getEmitModuleResolutionKind(program.getCompilerOptions())); let skippedAny = false; let ambientCount = 0; let resolvedCount = 0; let resolvedFromCacheCount = 0; let cacheAttemptCount = 0; const result = cb({ tryResolve, skippedAny: () => skippedAny, resolvedAny: () => resolvedCount > 0, resolvedBeyondLimit: () => resolvedCount > moduleSpecifierResolutionLimit }); const hitRateMessage = cacheAttemptCount ? ` (${(resolvedFromCacheCount / cacheAttemptCount * 100).toFixed(1)}% hit rate)` : ""; (_a = host.log) == null ? void 0 : _a.call(host, `${logPrefix}: resolved ${resolvedCount} module specifiers, plus ${ambientCount} ambient and ${resolvedFromCacheCount} from cache${hitRateMessage}`); (_b = host.log) == null ? void 0 : _b.call(host, `${logPrefix}: response is ${skippedAny ? "incomplete" : "complete"}`); (_c = host.log) == null ? void 0 : _c.call(host, `${logPrefix}: ${timestamp() - start}`); return result; function tryResolve(exportInfo, isFromAmbientModule) { if (isFromAmbientModule) { const result3 = resolver.getModuleSpecifierForBestExportInfo(exportInfo, position, isValidTypeOnlyUseSite); if (result3) { ambientCount++; } return result3 || "failed"; } const shouldResolveModuleSpecifier = needsFullResolution || preferences.allowIncompleteCompletions && resolvedCount < moduleSpecifierResolutionLimit; const shouldGetModuleSpecifierFromCache = !shouldResolveModuleSpecifier && preferences.allowIncompleteCompletions && cacheAttemptCount < moduleSpecifierResolutionCacheAttemptLimit; const result2 = shouldResolveModuleSpecifier || shouldGetModuleSpecifierFromCache ? resolver.getModuleSpecifierForBestExportInfo(exportInfo, position, isValidTypeOnlyUseSite, shouldGetModuleSpecifierFromCache) : void 0; if (!shouldResolveModuleSpecifier && !shouldGetModuleSpecifierFromCache || shouldGetModuleSpecifierFromCache && !result2) { skippedAny = true; } resolvedCount += (result2 == null ? void 0 : result2.computedWithoutCacheCount) || 0; resolvedFromCacheCount += exportInfo.length - ((result2 == null ? void 0 : result2.computedWithoutCacheCount) || 0); if (shouldGetModuleSpecifierFromCache) { cacheAttemptCount++; } return result2 || (needsFullResolution ? "failed" : "skipped"); } } function getCompletionsAtPosition(host, program, log, sourceFile, position, preferences, triggerCharacter, completionKind, cancellationToken, formatContext, includeSymbol = false) { var _a; const { previousToken } = getRelevantTokens(position, sourceFile); if (triggerCharacter && !isInString(sourceFile, position, previousToken) && !isValidTrigger(sourceFile, triggerCharacter, previousToken, position)) { return void 0; } if (triggerCharacter === " ") { if (preferences.includeCompletionsForImportStatements && preferences.includeCompletionsWithInsertText) { return { isGlobalCompletion: true, isMemberCompletion: false, isNewIdentifierLocation: true, isIncomplete: true, entries: [] }; } return void 0; } const compilerOptions = program.getCompilerOptions(); const checker = program.getTypeChecker(); const incompleteCompletionsCache = preferences.allowIncompleteCompletions ? (_a = host.getIncompleteCompletionsCache) == null ? void 0 : _a.call(host) : void 0; if (incompleteCompletionsCache && completionKind === 3 && previousToken && isIdentifier(previousToken)) { const incompleteContinuation = continuePreviousIncompleteResponse(incompleteCompletionsCache, sourceFile, previousToken, program, host, preferences, cancellationToken, position); if (incompleteContinuation) { return incompleteContinuation; } } else { incompleteCompletionsCache == null ? void 0 : incompleteCompletionsCache.clear(); } const stringCompletions = ts_Completions_StringCompletions_exports.getStringLiteralCompletions(sourceFile, position, previousToken, compilerOptions, host, program, log, preferences, includeSymbol); if (stringCompletions) { return stringCompletions; } if (previousToken && isBreakOrContinueStatement(previousToken.parent) && (previousToken.kind === 83 || previousToken.kind === 88 || previousToken.kind === 80)) { return getLabelCompletionAtPosition(previousToken.parent); } const completionData = getCompletionData( program, log, sourceFile, compilerOptions, position, preferences, /*detailsEntryId*/ void 0, host, formatContext, cancellationToken ); if (!completionData) { return void 0; } switch (completionData.kind) { case 0: const response = completionInfoFromData(sourceFile, host, program, compilerOptions, log, completionData, preferences, formatContext, position, includeSymbol); if (response == null ? void 0 : response.isIncomplete) { incompleteCompletionsCache == null ? void 0 : incompleteCompletionsCache.set(response); } return response; case 1: return jsdocCompletionInfo([ ...ts_JsDoc_exports.getJSDocTagNameCompletions(), ...getJSDocParameterCompletions( sourceFile, position, checker, compilerOptions, preferences, /*tagNameOnly*/ true ) ]); case 2: return jsdocCompletionInfo([ ...ts_JsDoc_exports.getJSDocTagCompletions(), ...getJSDocParameterCompletions( sourceFile, position, checker, compilerOptions, preferences, /*tagNameOnly*/ false ) ]); case 3: return jsdocCompletionInfo(ts_JsDoc_exports.getJSDocParameterNameCompletions(completionData.tag)); case 4: return specificKeywordCompletionInfo(completionData.keywordCompletions, completionData.isNewIdentifierLocation); default: return Debug.assertNever(completionData); } } function compareCompletionEntries(entryInArray, entryToInsert) { var _a, _b; let result = compareStringsCaseSensitiveUI(entryInArray.sortText, entryToInsert.sortText); if (result === 0) { result = compareStringsCaseSensitiveUI(entryInArray.name, entryToInsert.name); } if (result === 0 && ((_a = entryInArray.data) == null ? void 0 : _a.moduleSpecifier) && ((_b = entryToInsert.data) == null ? void 0 : _b.moduleSpecifier)) { result = compareNumberOfDirectorySeparators( entryInArray.data.moduleSpecifier, entryToInsert.data.moduleSpecifier ); } if (result === 0) { return -1; } return result; } function completionEntryDataIsResolved(data) { return !!(data == null ? void 0 : data.moduleSpecifier); } function continuePreviousIncompleteResponse(cache, file, location, program, host, preferences, cancellationToken, position) { const previousResponse = cache.get(); if (!previousResponse) return void 0; const touchNode = getTouchingPropertyName(file, position); const lowerCaseTokenText = location.text.toLowerCase(); const exportMap = getExportInfoMap(file, host, program, preferences, cancellationToken); const newEntries = resolvingModuleSpecifiers( "continuePreviousIncompleteResponse", host, ts_codefix_exports.createImportSpecifierResolver(file, program, host, preferences), program, location.getStart(), preferences, /*isForImportStatementCompletion*/ false, isValidTypeOnlyAliasUseSite(location), (context) => { const entries = mapDefined(previousResponse.entries, (entry) => { var _a; if (!entry.hasAction || !entry.source || !entry.data || completionEntryDataIsResolved(entry.data)) { return entry; } if (!charactersFuzzyMatchInString(entry.name, lowerCaseTokenText)) { return void 0; } const { origin } = Debug.checkDefined(getAutoImportSymbolFromCompletionEntryData(entry.name, entry.data, program, host)); const info = exportMap.get(file.path, entry.data.exportMapKey); const result = info && context.tryResolve(info, !isExternalModuleNameRelative(stripQuotes(origin.moduleSymbol.name))); if (result === "skipped") return entry; if (!result || result === "failed") { (_a = host.log) == null ? void 0 : _a.call(host, `Unexpected failure resolving auto import for '${entry.name}' from '${entry.source}'`); return void 0; } const newOrigin = { ...origin, kind: 32, moduleSpecifier: result.moduleSpecifier }; entry.data = originToCompletionEntryData(newOrigin); entry.source = getSourceFromOrigin(newOrigin); entry.sourceDisplay = [textPart(newOrigin.moduleSpecifier)]; return entry; }); if (!context.skippedAny()) { previousResponse.isIncomplete = void 0; } return entries; } ); previousResponse.entries = newEntries; previousResponse.flags = (previousResponse.flags || 0) | 4; previousResponse.optionalReplacementSpan = getOptionalReplacementSpan(touchNode); return previousResponse; } function jsdocCompletionInfo(entries) { return { isGlobalCompletion: false, isMemberCompletion: false, isNewIdentifierLocation: false, entries }; } function getJSDocParameterCompletions(sourceFile, position, checker, options, preferences, tagNameOnly) { const currentToken = getTokenAtPosition(sourceFile, position); if (!isJSDocTag(currentToken) && !isJSDoc(currentToken)) { return []; } const jsDoc = isJSDoc(currentToken) ? currentToken : currentToken.parent; if (!isJSDoc(jsDoc)) { return []; } const func = jsDoc.parent; if (!isFunctionLike(func)) { return []; } const isJs = isSourceFileJS(sourceFile); const isSnippet = preferences.includeCompletionsWithSnippetText || void 0; const paramTagCount = countWhere(jsDoc.tags, (tag) => isJSDocParameterTag(tag) && tag.getEnd() <= position); return mapDefined(func.parameters, (param) => { if (getJSDocParameterTags(param).length) { return void 0; } if (isIdentifier(param.name)) { const tabstopCounter = { tabstop: 1 }; const paramName = param.name.text; let displayText = getJSDocParamAnnotation( paramName, param.initializer, param.dotDotDotToken, isJs, /*isObject*/ false, /*isSnippet*/ false, checker, options, preferences ); let snippetText = isSnippet ? getJSDocParamAnnotation( paramName, param.initializer, param.dotDotDotToken, isJs, /*isObject*/ false, /*isSnippet*/ true, checker, options, preferences, tabstopCounter ) : void 0; if (tagNameOnly) { displayText = displayText.slice(1); if (snippetText) snippetText = snippetText.slice(1); } return { name: displayText, kind: "parameter", sortText: SortText.LocationPriority, insertText: isSnippet ? snippetText : void 0, isSnippet }; } else if (param.parent.parameters.indexOf(param) === paramTagCount) { const paramPath = `param${paramTagCount}`; const displayTextResult = generateJSDocParamTagsForDestructuring( paramPath, param.name, param.initializer, param.dotDotDotToken, isJs, /*isSnippet*/ false, checker, options, preferences ); const snippetTextResult = isSnippet ? generateJSDocParamTagsForDestructuring( paramPath, param.name, param.initializer, param.dotDotDotToken, isJs, /*isSnippet*/ true, checker, options, preferences ) : void 0; let displayText = displayTextResult.join(getNewLineCharacter(options) + "* "); let snippetText = snippetTextResult == null ? void 0 : snippetTextResult.join(getNewLineCharacter(options) + "* "); if (tagNameOnly) { displayText = displayText.slice(1); if (snippetText) snippetText = snippetText.slice(1); } return { name: displayText, kind: "parameter", sortText: SortText.LocationPriority, insertText: isSnippet ? snippetText : void 0, isSnippet }; } }); } function generateJSDocParamTagsForDestructuring(path17, pattern, initializer, dotDotDotToken, isJs, isSnippet, checker, options, preferences) { if (!isJs) { return [ getJSDocParamAnnotation( path17, initializer, dotDotDotToken, isJs, /*isObject*/ false, isSnippet, checker, options, preferences, { tabstop: 1 } ) ]; } return patternWorker(path17, pattern, initializer, dotDotDotToken, { tabstop: 1 }); function patternWorker(path22, pattern2, initializer2, dotDotDotToken2, counter) { if (isObjectBindingPattern(pattern2) && !dotDotDotToken2) { const oldTabstop = counter.tabstop; const childCounter = { tabstop: oldTabstop }; const rootParam = getJSDocParamAnnotation( path22, initializer2, dotDotDotToken2, isJs, /*isObject*/ true, isSnippet, checker, options, preferences, childCounter ); let childTags = []; for (const element of pattern2.elements) { const elementTags = elementWorker(path22, element, childCounter); if (!elementTags) { childTags = void 0; break; } else { childTags.push(...elementTags); } } if (childTags) { counter.tabstop = childCounter.tabstop; return [rootParam, ...childTags]; } } return [ getJSDocParamAnnotation( path22, initializer2, dotDotDotToken2, isJs, /*isObject*/ false, isSnippet, checker, options, preferences, counter ) ]; } function elementWorker(path22, element, counter) { if (!element.propertyName && isIdentifier(element.name) || isIdentifier(element.name)) { const propertyName = element.propertyName ? tryGetTextOfPropertyName(element.propertyName) : element.name.text; if (!propertyName) { return void 0; } const paramName = `${path22}.${propertyName}`; return [ getJSDocParamAnnotation( paramName, element.initializer, element.dotDotDotToken, isJs, /*isObject*/ false, isSnippet, checker, options, preferences, counter ) ]; } else if (element.propertyName) { const propertyName = tryGetTextOfPropertyName(element.propertyName); return propertyName && patternWorker(`${path22}.${propertyName}`, element.name, element.initializer, element.dotDotDotToken, counter); } return void 0; } } function getJSDocParamAnnotation(paramName, initializer, dotDotDotToken, isJs, isObject2, isSnippet, checker, options, preferences, tabstopCounter) { if (isSnippet) { Debug.assertIsDefined(tabstopCounter); } if (initializer) { paramName = getJSDocParamNameWithInitializer(paramName, initializer); } if (isSnippet) { paramName = escapeSnippetText(paramName); } if (isJs) { let type = "*"; if (isObject2) { Debug.assert(!dotDotDotToken, `Cannot annotate a rest parameter with type 'Object'.`); type = "Object"; } else { if (initializer) { const inferredType = checker.getTypeAtLocation(initializer.parent); if (!(inferredType.flags & (1 | 16384))) { const sourceFile = initializer.getSourceFile(); const quotePreference = getQuotePreference(sourceFile, preferences); const builderFlags = quotePreference === 0 ? 268435456 : 0; const typeNode = checker.typeToTypeNode(inferredType, findAncestor(initializer, isFunctionLike), builderFlags); if (typeNode) { const printer = isSnippet ? createSnippetPrinter({ removeComments: true, module: options.module, target: options.target }) : createPrinter({ removeComments: true, module: options.module, target: options.target }); setEmitFlags( typeNode, 1 /* SingleLine */ ); type = printer.printNode(4, typeNode, sourceFile); } } } if (isSnippet && type === "*") { type = `\${${tabstopCounter.tabstop++}:${type}}`; } } const dotDotDot = !isObject2 && dotDotDotToken ? "..." : ""; const description3 = isSnippet ? `\${${tabstopCounter.tabstop++}}` : ""; return `@param {${dotDotDot}${type}} ${paramName} ${description3}`; } else { const description3 = isSnippet ? `\${${tabstopCounter.tabstop++}}` : ""; return `@param ${paramName} ${description3}`; } } function getJSDocParamNameWithInitializer(paramName, initializer) { const initializerText = initializer.getText().trim(); if (initializerText.includes("\n") || initializerText.length > 80) { return `[${paramName}]`; } return `[${paramName}=${initializerText}]`; } function keywordToCompletionEntry(keyword) { return { name: tokenToString(keyword), kind: "keyword", kindModifiers: "", sortText: SortText.GlobalsOrKeywords }; } function specificKeywordCompletionInfo(entries, isNewIdentifierLocation) { return { isGlobalCompletion: false, isMemberCompletion: false, isNewIdentifierLocation, entries: entries.slice() }; } function keywordCompletionData(keywordFilters, filterOutTsOnlyKeywords, isNewIdentifierLocation) { return { kind: 4, keywordCompletions: getKeywordCompletions(keywordFilters, filterOutTsOnlyKeywords), isNewIdentifierLocation }; } function keywordFiltersFromSyntaxKind(keywordCompletion) { switch (keywordCompletion) { case 156: return 8; default: Debug.fail("Unknown mapping from SyntaxKind to KeywordCompletionFilters"); } } function getOptionalReplacementSpan(location) { return (location == null ? void 0 : location.kind) === 80 ? createTextSpanFromNode(location) : void 0; } function completionInfoFromData(sourceFile, host, program, compilerOptions, log, completionData, preferences, formatContext, position, includeSymbol) { const { symbols, contextToken, completionKind, isInSnippetScope, isNewIdentifierLocation, location, propertyAccessToConvert, keywordFilters, symbolToOriginInfoMap, recommendedCompletion, isJsxInitializer, isTypeOnlyLocation, isJsxIdentifierExpected, isRightOfOpenTag, isRightOfDotOrQuestionDot, importStatementCompletion, insideJsDocTagTypeExpression, symbolToSortTextMap, hasUnresolvedAutoImports } = completionData; let literals = completionData.literals; const checker = program.getTypeChecker(); if (getLanguageVariant(sourceFile.scriptKind) === 1) { const completionInfo = getJsxClosingTagCompletion(location, sourceFile); if (completionInfo) { return completionInfo; } } const caseClause = findAncestor(contextToken, isCaseClause); if (caseClause && (isCaseKeyword(contextToken) || isNodeDescendantOf(contextToken, caseClause.expression))) { const tracker2 = newCaseClauseTracker(checker, caseClause.parent.clauses); literals = literals.filter((literal) => !tracker2.hasValue(literal)); symbols.forEach((symbol, i) => { if (symbol.valueDeclaration && isEnumMember(symbol.valueDeclaration)) { const value = checker.getConstantValue(symbol.valueDeclaration); if (value !== void 0 && tracker2.hasValue(value)) { symbolToOriginInfoMap[i] = { kind: 256 /* Ignore */ }; } } }); } const entries = createSortedArray(); const isChecked = isCheckedFile(sourceFile, compilerOptions); if (isChecked && !isNewIdentifierLocation && (!symbols || symbols.length === 0) && keywordFilters === 0) { return void 0; } const uniqueNames = getCompletionEntriesFromSymbols( symbols, entries, /*replacementToken*/ void 0, contextToken, location, position, sourceFile, host, program, getEmitScriptTarget(compilerOptions), log, completionKind, preferences, compilerOptions, formatContext, isTypeOnlyLocation, propertyAccessToConvert, isJsxIdentifierExpected, isJsxInitializer, importStatementCompletion, recommendedCompletion, symbolToOriginInfoMap, symbolToSortTextMap, isJsxIdentifierExpected, isRightOfOpenTag, includeSymbol ); if (keywordFilters !== 0) { for (const keywordEntry of getKeywordCompletions(keywordFilters, !insideJsDocTagTypeExpression && isSourceFileJS(sourceFile))) { if (isTypeOnlyLocation && isTypeKeyword(stringToToken(keywordEntry.name)) || !isTypeOnlyLocation && isContextualKeywordInAutoImportableExpressionSpace(keywordEntry.name) || !uniqueNames.has(keywordEntry.name)) { uniqueNames.add(keywordEntry.name); insertSorted( entries, keywordEntry, compareCompletionEntries, /*equalityComparer*/ void 0, /*allowDuplicates*/ true ); } } } for (const keywordEntry of getContextualKeywords(contextToken, position)) { if (!uniqueNames.has(keywordEntry.name)) { uniqueNames.add(keywordEntry.name); insertSorted( entries, keywordEntry, compareCompletionEntries, /*equalityComparer*/ void 0, /*allowDuplicates*/ true ); } } for (const literal of literals) { const literalEntry = createCompletionEntryForLiteral(sourceFile, preferences, literal); uniqueNames.add(literalEntry.name); insertSorted( entries, literalEntry, compareCompletionEntries, /*equalityComparer*/ void 0, /*allowDuplicates*/ true ); } if (!isChecked) { getJSCompletionEntries(sourceFile, location.pos, uniqueNames, getEmitScriptTarget(compilerOptions), entries); } let caseBlock; if (preferences.includeCompletionsWithInsertText && contextToken && !isRightOfOpenTag && !isRightOfDotOrQuestionDot && (caseBlock = findAncestor(contextToken, isCaseBlock))) { const cases6 = getExhaustiveCaseSnippets(caseBlock, sourceFile, preferences, compilerOptions, host, program, formatContext); if (cases6) { entries.push(cases6.entry); } } return { flags: completionData.flags, isGlobalCompletion: isInSnippetScope, isIncomplete: preferences.allowIncompleteCompletions && hasUnresolvedAutoImports ? true : void 0, isMemberCompletion: isMemberCompletionKind(completionKind), isNewIdentifierLocation, optionalReplacementSpan: getOptionalReplacementSpan(location), entries }; } function isCheckedFile(sourceFile, compilerOptions) { return !isSourceFileJS(sourceFile) || !!isCheckJsEnabledForFile(sourceFile, compilerOptions); } function getExhaustiveCaseSnippets(caseBlock, sourceFile, preferences, options, host, program, formatContext) { const clauses = caseBlock.clauses; const checker = program.getTypeChecker(); const switchType = checker.getTypeAtLocation(caseBlock.parent.expression); if (switchType && switchType.isUnion() && every(switchType.types, (type) => type.isLiteral())) { const tracker2 = newCaseClauseTracker(checker, clauses); const target = getEmitScriptTarget(options); const quotePreference = getQuotePreference(sourceFile, preferences); const importAdder = ts_codefix_exports.createImportAdder(sourceFile, program, preferences, host); const elements = []; for (const type of switchType.types) { if (type.flags & 1024) { Debug.assert(type.symbol, "An enum member type should have a symbol"); Debug.assert(type.symbol.parent, "An enum member type should have a parent symbol (the enum symbol)"); const enumValue = type.symbol.valueDeclaration && checker.getConstantValue(type.symbol.valueDeclaration); if (enumValue !== void 0) { if (tracker2.hasValue(enumValue)) { continue; } tracker2.addValue(enumValue); } const typeNode = ts_codefix_exports.typeToAutoImportableTypeNode(checker, importAdder, type, caseBlock, target); if (!typeNode) { return void 0; } const expr = typeNodeToExpression(typeNode, target, quotePreference); if (!expr) { return void 0; } elements.push(expr); } else if (!tracker2.hasValue(type.value)) { switch (typeof type.value) { case "object": elements.push(type.value.negative ? factory.createPrefixUnaryExpression(41, factory.createBigIntLiteral({ negative: false, base10Value: type.value.base10Value })) : factory.createBigIntLiteral(type.value)); break; case "number": elements.push(type.value < 0 ? factory.createPrefixUnaryExpression(41, factory.createNumericLiteral(-type.value)) : factory.createNumericLiteral(type.value)); break; case "string": elements.push(factory.createStringLiteral( type.value, quotePreference === 0 /* Single */ )); break; } } } if (elements.length === 0) { return void 0; } const newClauses = map(elements, (element) => factory.createCaseClause(element, [])); const newLineChar = getNewLineOrDefaultFromHost(host, formatContext == null ? void 0 : formatContext.options); const printer = createSnippetPrinter({ removeComments: true, module: options.module, target: options.target, newLine: getNewLineKind(newLineChar) }); const printNode = formatContext ? (node) => printer.printAndFormatNode(4, node, sourceFile, formatContext) : (node) => printer.printNode(4, node, sourceFile); const insertText = map(newClauses, (clause, i) => { if (preferences.includeCompletionsWithSnippetText) { return `${printNode(clause)}$${i + 1}`; } return `${printNode(clause)}`; }).join(newLineChar); const firstClause = printer.printNode(4, newClauses[0], sourceFile); return { entry: { name: `${firstClause} ...`, kind: "", sortText: SortText.GlobalsOrKeywords, insertText, hasAction: importAdder.hasFixes() || void 0, source: "SwitchCases/", isSnippet: preferences.includeCompletionsWithSnippetText ? true : void 0 }, importAdder }; } return void 0; } function typeNodeToExpression(typeNode, languageVersion, quotePreference) { switch (typeNode.kind) { case 183: const typeName = typeNode.typeName; return entityNameToExpression(typeName, languageVersion, quotePreference); case 199: const objectExpression = typeNodeToExpression(typeNode.objectType, languageVersion, quotePreference); const indexExpression = typeNodeToExpression(typeNode.indexType, languageVersion, quotePreference); return objectExpression && indexExpression && factory.createElementAccessExpression(objectExpression, indexExpression); case 201: const literal = typeNode.literal; switch (literal.kind) { case 11: return factory.createStringLiteral( literal.text, quotePreference === 0 /* Single */ ); case 9: return factory.createNumericLiteral(literal.text, literal.numericLiteralFlags); } return void 0; case 196: const exp = typeNodeToExpression(typeNode.type, languageVersion, quotePreference); return exp && (isIdentifier(exp) ? exp : factory.createParenthesizedExpression(exp)); case 186: return entityNameToExpression(typeNode.exprName, languageVersion, quotePreference); case 205: Debug.fail(`We should not get an import type after calling 'codefix.typeToAutoImportableTypeNode'.`); } return void 0; } function entityNameToExpression(entityName, languageVersion, quotePreference) { if (isIdentifier(entityName)) { return entityName; } const unescapedName = unescapeLeadingUnderscores(entityName.right.escapedText); if (canUsePropertyAccess(unescapedName, languageVersion)) { return factory.createPropertyAccessExpression( entityNameToExpression(entityName.left, languageVersion, quotePreference), unescapedName ); } else { return factory.createElementAccessExpression( entityNameToExpression(entityName.left, languageVersion, quotePreference), factory.createStringLiteral( unescapedName, quotePreference === 0 /* Single */ ) ); } } function isMemberCompletionKind(kind) { switch (kind) { case 0: case 3: case 2: return true; default: return false; } } function getJsxClosingTagCompletion(location, sourceFile) { const jsxClosingElement = findAncestor(location, (node) => { switch (node.kind) { case 287: return true; case 44: case 32: case 80: case 211: return false; default: return "quit"; } }); if (jsxClosingElement) { const hasClosingAngleBracket = !!findChildOfKind(jsxClosingElement, 32, sourceFile); const tagName = jsxClosingElement.parent.openingElement.tagName; const closingTag = tagName.getText(sourceFile); const fullClosingTag = closingTag + (hasClosingAngleBracket ? "" : ">"); const replacementSpan = createTextSpanFromNode(jsxClosingElement.tagName); const entry = { name: fullClosingTag, kind: "class", kindModifiers: void 0, sortText: SortText.LocationPriority }; return { isGlobalCompletion: false, isMemberCompletion: true, isNewIdentifierLocation: false, optionalReplacementSpan: replacementSpan, entries: [entry] }; } return; } function getJSCompletionEntries(sourceFile, position, uniqueNames, target, entries) { getNameTable(sourceFile).forEach((pos, name) => { if (pos === position) { return; } const realName = unescapeLeadingUnderscores(name); if (!uniqueNames.has(realName) && isIdentifierText(realName, target)) { uniqueNames.add(realName); insertSorted(entries, { name: realName, kind: "warning", kindModifiers: "", sortText: SortText.JavascriptIdentifiers, isFromUncheckedFile: true }, compareCompletionEntries); } }); } function completionNameForLiteral(sourceFile, preferences, literal) { return typeof literal === "object" ? pseudoBigIntToString(literal) + "n" : isString2(literal) ? quote(sourceFile, preferences, literal) : JSON.stringify(literal); } function createCompletionEntryForLiteral(sourceFile, preferences, literal) { return { name: completionNameForLiteral(sourceFile, preferences, literal), kind: "string", kindModifiers: "", sortText: SortText.LocationPriority }; } function createCompletionEntry(symbol, sortText, replacementToken, contextToken, location, position, sourceFile, host, program, name, needsConvertPropertyAccess, origin, recommendedCompletion, propertyAccessToConvert, isJsxInitializer, importStatementCompletion, useSemicolons, options, preferences, completionKind, formatContext, isJsxIdentifierExpected, isRightOfOpenTag, includeSymbol) { var _a, _b; let insertText; let filterText; let replacementSpan = getReplacementSpanForContextToken(replacementToken, position); let data; let isSnippet; let source = getSourceFromOrigin(origin); let sourceDisplay; let hasAction; let labelDetails; const typeChecker = program.getTypeChecker(); const insertQuestionDot = origin && originIsNullableMember(origin); const useBraces = origin && originIsSymbolMember(origin) || needsConvertPropertyAccess; if (origin && originIsThisType(origin)) { insertText = needsConvertPropertyAccess ? `this${insertQuestionDot ? "?." : ""}[${quotePropertyName(sourceFile, preferences, name)}]` : `this${insertQuestionDot ? "?." : "."}${name}`; } else if ((useBraces || insertQuestionDot) && propertyAccessToConvert) { insertText = useBraces ? needsConvertPropertyAccess ? `[${quotePropertyName(sourceFile, preferences, name)}]` : `[${name}]` : name; if (insertQuestionDot || propertyAccessToConvert.questionDotToken) { insertText = `?.${insertText}`; } const dot = findChildOfKind(propertyAccessToConvert, 25, sourceFile) || findChildOfKind(propertyAccessToConvert, 29, sourceFile); if (!dot) { return void 0; } const end = startsWith2(name, propertyAccessToConvert.name.text) ? propertyAccessToConvert.name.end : dot.end; replacementSpan = createTextSpanFromBounds(dot.getStart(sourceFile), end); } if (isJsxInitializer) { if (insertText === void 0) insertText = name; insertText = `{${insertText}}`; if (typeof isJsxInitializer !== "boolean") { replacementSpan = createTextSpanFromNode(isJsxInitializer, sourceFile); } } if (origin && originIsPromise(origin) && propertyAccessToConvert) { if (insertText === void 0) insertText = name; const precedingToken = findPrecedingToken(propertyAccessToConvert.pos, sourceFile); let awaitText = ""; if (precedingToken && positionIsASICandidate(precedingToken.end, precedingToken.parent, sourceFile)) { awaitText = ";"; } awaitText += `(await ${propertyAccessToConvert.expression.getText()})`; insertText = needsConvertPropertyAccess ? `${awaitText}${insertText}` : `${awaitText}${insertQuestionDot ? "?." : "."}${insertText}`; const isInAwaitExpression = tryCast(propertyAccessToConvert.parent, isAwaitExpression); const wrapNode = isInAwaitExpression ? propertyAccessToConvert.parent : propertyAccessToConvert.expression; replacementSpan = createTextSpanFromBounds(wrapNode.getStart(sourceFile), propertyAccessToConvert.end); } if (originIsResolvedExport(origin)) { sourceDisplay = [textPart(origin.moduleSpecifier)]; if (importStatementCompletion) { ({ insertText, replacementSpan } = getInsertTextAndReplacementSpanForImportCompletion(name, importStatementCompletion, origin, useSemicolons, sourceFile, options, preferences)); isSnippet = preferences.includeCompletionsWithSnippetText ? true : void 0; } } if ((origin == null ? void 0 : origin.kind) === 64) { hasAction = true; } if (completionKind === 0 && contextToken && ((_a = findPrecedingToken(contextToken.pos, sourceFile, contextToken)) == null ? void 0 : _a.kind) !== 28) { if (isMethodDeclaration(contextToken.parent.parent) || isGetAccessorDeclaration(contextToken.parent.parent) || isSetAccessorDeclaration(contextToken.parent.parent) || isSpreadAssignment(contextToken.parent) || ((_b = findAncestor(contextToken.parent, isPropertyAssignment)) == null ? void 0 : _b.getLastToken(sourceFile)) === contextToken || isShorthandPropertyAssignment(contextToken.parent) && getLineAndCharacterOfPosition(sourceFile, contextToken.getEnd()).line !== getLineAndCharacterOfPosition(sourceFile, position).line) { source = "ObjectLiteralMemberWithComma/"; hasAction = true; } } if (preferences.includeCompletionsWithClassMemberSnippets && preferences.includeCompletionsWithInsertText && completionKind === 3 && isClassLikeMemberCompletion(symbol, location, sourceFile)) { let importAdder; const memberCompletionEntry = getEntryForMemberCompletion( host, program, options, preferences, name, symbol, location, position, contextToken, formatContext ); if (memberCompletionEntry) { ({ insertText, filterText, isSnippet, importAdder } = memberCompletionEntry); if ((importAdder == null ? void 0 : importAdder.hasFixes()) || memberCompletionEntry.eraseRange) { hasAction = true; source = "ClassMemberSnippet/"; } } else { return void 0; } } if (origin && originIsObjectLiteralMethod(origin)) { ({ insertText, isSnippet, labelDetails } = origin); if (!preferences.useLabelDetailsInCompletionEntries) { name = name + labelDetails.detail; labelDetails = void 0; } source = "ObjectLiteralMethodSnippet/"; sortText = SortText.SortBelow(sortText); } if (isJsxIdentifierExpected && !isRightOfOpenTag && preferences.includeCompletionsWithSnippetText && preferences.jsxAttributeCompletionStyle && preferences.jsxAttributeCompletionStyle !== "none" && !(isJsxAttribute(location.parent) && location.parent.initializer)) { let useBraces2 = preferences.jsxAttributeCompletionStyle === "braces"; const type = typeChecker.getTypeOfSymbolAtLocation(symbol, location); if (preferences.jsxAttributeCompletionStyle === "auto" && !(type.flags & 528) && !(type.flags & 1048576 && find(type.types, (type2) => !!(type2.flags & 528)))) { if (type.flags & 402653316 || type.flags & 1048576 && every(type.types, (type2) => !!(type2.flags & (402653316 | 32768) || isStringAndEmptyAnonymousObjectIntersection(type2)))) { insertText = `${escapeSnippetText(name)}=${quote(sourceFile, preferences, "$1")}`; isSnippet = true; } else { useBraces2 = true; } } if (useBraces2) { insertText = `${escapeSnippetText(name)}={$1}`; isSnippet = true; } } if (insertText !== void 0 && !preferences.includeCompletionsWithInsertText) { return void 0; } if (originIsExport(origin) || originIsResolvedExport(origin)) { data = originToCompletionEntryData(origin); hasAction = !importStatementCompletion; } const parentNamedImportOrExport = findAncestor(location, isNamedImportsOrExports); if ((parentNamedImportOrExport == null ? void 0 : parentNamedImportOrExport.kind) === 275) { const possibleToken = stringToToken(name); if (parentNamedImportOrExport && possibleToken && (possibleToken === 135 || isNonContextualKeyword(possibleToken))) { insertText = `${name} as ${name}_`; } } return { name, kind: ts_SymbolDisplay_exports.getSymbolKind(typeChecker, symbol, location), kindModifiers: ts_SymbolDisplay_exports.getSymbolModifiers(typeChecker, symbol), sortText, source, hasAction: hasAction ? true : void 0, isRecommended: isRecommendedCompletionMatch(symbol, recommendedCompletion, typeChecker) || void 0, insertText, filterText, replacementSpan, sourceDisplay, labelDetails, isSnippet, isPackageJsonImport: originIsPackageJsonImport(origin) || void 0, isImportStatementCompletion: !!importStatementCompletion || void 0, data, ...includeSymbol ? { symbol } : void 0 }; } function isClassLikeMemberCompletion(symbol, location, sourceFile) { if (isInJSFile(location)) { return false; } const memberFlags = 106500 & 900095; return !!(symbol.flags & memberFlags) && (isClassLike(location) || location.parent && location.parent.parent && isClassElement(location.parent) && location === location.parent.name && location.parent.getLastToken(sourceFile) === location.parent.name && isClassLike(location.parent.parent) || location.parent && isSyntaxList(location) && isClassLike(location.parent)); } function getEntryForMemberCompletion(host, program, options, preferences, name, symbol, location, position, contextToken, formatContext) { const classLikeDeclaration = findAncestor(location, isClassLike); if (!classLikeDeclaration) { return void 0; } let isSnippet; let insertText = name; const filterText = name; const checker = program.getTypeChecker(); const sourceFile = location.getSourceFile(); const printer = createSnippetPrinter({ removeComments: true, module: options.module, target: options.target, omitTrailingSemicolon: false, newLine: getNewLineKind(getNewLineOrDefaultFromHost(host, formatContext == null ? void 0 : formatContext.options)) }); const importAdder = ts_codefix_exports.createImportAdder(sourceFile, program, preferences, host); let body; if (preferences.includeCompletionsWithSnippetText) { isSnippet = true; const emptyStmt = factory.createEmptyStatement(); body = factory.createBlock( [emptyStmt], /*multiLine*/ true ); setSnippetElement(emptyStmt, { kind: 0, order: 0 }); } else { body = factory.createBlock( [], /*multiLine*/ true ); } let modifiers = 0; const { modifiers: presentModifiers, range: eraseRange, decorators: presentDecorators } = getPresentModifiers(contextToken, sourceFile, position); const isAbstract = presentModifiers & 64 && classLikeDeclaration.modifierFlagsCache & 64; let completionNodes = []; ts_codefix_exports.addNewNodeForMemberSymbol( symbol, classLikeDeclaration, sourceFile, { program, host }, preferences, importAdder, // `addNewNodeForMemberSymbol` calls this callback function for each new member node // it adds for the given member symbol. // We store these member nodes in the `completionNodes` array. // Note: there might be: // - No nodes if `addNewNodeForMemberSymbol` cannot figure out a node for the member; // - One node; // - More than one node if the member is overloaded (e.g. a method with overload signatures). (node) => { let requiredModifiers = 0; if (isAbstract) { requiredModifiers |= 64; } if (isClassElement(node) && checker.getMemberOverrideModifierStatus(classLikeDeclaration, node, symbol) === 1) { requiredModifiers |= 16; } if (!completionNodes.length) { modifiers = node.modifierFlagsCache | requiredModifiers; } node = factory.replaceModifiers(node, modifiers); completionNodes.push(node); }, body, ts_codefix_exports.PreserveOptionalFlags.Property, !!isAbstract ); if (completionNodes.length) { const isMethod = symbol.flags & 8192; let allowedModifiers = modifiers | 16 | 1; if (!isMethod) { allowedModifiers |= 128 | 8; } else { allowedModifiers |= 1024; } const allowedAndPresent = presentModifiers & allowedModifiers; if (presentModifiers & ~allowedModifiers) { return void 0; } if (modifiers & 4 && allowedAndPresent & 1) { modifiers &= ~4; } if (allowedAndPresent !== 0 && !(allowedAndPresent & 1)) { modifiers &= ~1; } modifiers |= allowedAndPresent; completionNodes = completionNodes.map((node) => factory.replaceModifiers(node, modifiers)); if (presentDecorators == null ? void 0 : presentDecorators.length) { const lastNode = completionNodes[completionNodes.length - 1]; if (canHaveDecorators(lastNode)) { completionNodes[completionNodes.length - 1] = factory.replaceDecoratorsAndModifiers(lastNode, presentDecorators.concat(getModifiers(lastNode) || [])); } } const format2 = 1 | 131072; if (formatContext) { insertText = printer.printAndFormatSnippetList( format2, factory.createNodeArray(completionNodes), sourceFile, formatContext ); } else { insertText = printer.printSnippetList( format2, factory.createNodeArray(completionNodes), sourceFile ); } } return { insertText, filterText, isSnippet, importAdder, eraseRange }; } function getPresentModifiers(contextToken, sourceFile, position) { if (!contextToken || getLineAndCharacterOfPosition(sourceFile, position).line > getLineAndCharacterOfPosition(sourceFile, contextToken.getEnd()).line) { return { modifiers: 0 /* None */ }; } let modifiers = 0; let decorators; let contextMod; const range = { pos: position, end: position }; if (isPropertyDeclaration(contextToken.parent) && (contextMod = isModifierLike2(contextToken))) { if (contextToken.parent.modifiers) { modifiers |= modifiersToFlags(contextToken.parent.modifiers) & 98303; decorators = contextToken.parent.modifiers.filter(isDecorator) || []; range.pos = Math.min(...contextToken.parent.modifiers.map((n) => n.getStart(sourceFile))); } const contextModifierFlag = modifierToFlag(contextMod); if (!(modifiers & contextModifierFlag)) { modifiers |= contextModifierFlag; range.pos = Math.min(range.pos, contextToken.getStart(sourceFile)); } if (contextToken.parent.name !== contextToken) { range.end = contextToken.parent.name.getStart(sourceFile); } } return { modifiers, decorators, range: range.pos < range.end ? range : void 0 }; } function isModifierLike2(node) { if (isModifier(node)) { return node.kind; } if (isIdentifier(node)) { const originalKeywordKind = identifierToKeywordKind(node); if (originalKeywordKind && isModifierKind(originalKeywordKind)) { return originalKeywordKind; } } return void 0; } function getEntryForObjectLiteralMethodCompletion(symbol, name, enclosingDeclaration, program, host, options, preferences, formatContext) { const isSnippet = preferences.includeCompletionsWithSnippetText || void 0; let insertText = name; const sourceFile = enclosingDeclaration.getSourceFile(); const method = createObjectLiteralMethod(symbol, enclosingDeclaration, sourceFile, program, host, preferences); if (!method) { return void 0; } const printer = createSnippetPrinter({ removeComments: true, module: options.module, target: options.target, omitTrailingSemicolon: false, newLine: getNewLineKind(getNewLineOrDefaultFromHost(host, formatContext == null ? void 0 : formatContext.options)) }); if (formatContext) { insertText = printer.printAndFormatSnippetList(16 | 64, factory.createNodeArray( [method], /*hasTrailingComma*/ true ), sourceFile, formatContext); } else { insertText = printer.printSnippetList(16 | 64, factory.createNodeArray( [method], /*hasTrailingComma*/ true ), sourceFile); } const signaturePrinter = createPrinter({ removeComments: true, module: options.module, target: options.target, omitTrailingSemicolon: true }); const methodSignature = factory.createMethodSignature( /*modifiers*/ void 0, /*name*/ "", method.questionToken, method.typeParameters, method.parameters, method.type ); const labelDetails = { detail: signaturePrinter.printNode(4, methodSignature, sourceFile) }; return { isSnippet, insertText, labelDetails }; } function createObjectLiteralMethod(symbol, enclosingDeclaration, sourceFile, program, host, preferences) { const declarations = symbol.getDeclarations(); if (!(declarations && declarations.length)) { return void 0; } const checker = program.getTypeChecker(); const declaration = declarations[0]; const name = getSynthesizedDeepClone( getNameOfDeclaration(declaration), /*includeTrivia*/ false ); const type = checker.getWidenedType(checker.getTypeOfSymbolAtLocation(symbol, enclosingDeclaration)); const quotePreference = getQuotePreference(sourceFile, preferences); const builderFlags = 33554432 | (quotePreference === 0 ? 268435456 : 0); switch (declaration.kind) { case 171: case 172: case 173: case 174: { let effectiveType = type.flags & 1048576 && type.types.length < 10 ? checker.getUnionType( type.types, 2 /* Subtype */ ) : type; if (effectiveType.flags & 1048576) { const functionTypes2 = filter(effectiveType.types, (type2) => checker.getSignaturesOfType( type2, 0 /* Call */ ).length > 0); if (functionTypes2.length === 1) { effectiveType = functionTypes2[0]; } else { return void 0; } } const signatures = checker.getSignaturesOfType( effectiveType, 0 /* Call */ ); if (signatures.length !== 1) { return void 0; } const typeNode = checker.typeToTypeNode(effectiveType, enclosingDeclaration, builderFlags, ts_codefix_exports.getNoopSymbolTrackerWithResolver({ program, host })); if (!typeNode || !isFunctionTypeNode(typeNode)) { return void 0; } let body; if (preferences.includeCompletionsWithSnippetText) { const emptyStmt = factory.createEmptyStatement(); body = factory.createBlock( [emptyStmt], /*multiLine*/ true ); setSnippetElement(emptyStmt, { kind: 0, order: 0 }); } else { body = factory.createBlock( [], /*multiLine*/ true ); } const parameters = typeNode.parameters.map( (typedParam) => factory.createParameterDeclaration( /*modifiers*/ void 0, typedParam.dotDotDotToken, typedParam.name, /*questionToken*/ void 0, /*type*/ void 0, typedParam.initializer ) ); return factory.createMethodDeclaration( /*modifiers*/ void 0, /*asteriskToken*/ void 0, name, /*questionToken*/ void 0, /*typeParameters*/ void 0, parameters, /*type*/ void 0, body ); } default: return void 0; } } function createSnippetPrinter(printerOptions) { let escapes; const baseWriter = ts_textChanges_exports.createWriter(getNewLineCharacter(printerOptions)); const printer = createPrinter(printerOptions, baseWriter); const writer = { ...baseWriter, write: (s) => escapingWrite(s, () => baseWriter.write(s)), nonEscapingWrite: baseWriter.write, writeLiteral: (s) => escapingWrite(s, () => baseWriter.writeLiteral(s)), writeStringLiteral: (s) => escapingWrite(s, () => baseWriter.writeStringLiteral(s)), writeSymbol: (s, symbol) => escapingWrite(s, () => baseWriter.writeSymbol(s, symbol)), writeParameter: (s) => escapingWrite(s, () => baseWriter.writeParameter(s)), writeComment: (s) => escapingWrite(s, () => baseWriter.writeComment(s)), writeProperty: (s) => escapingWrite(s, () => baseWriter.writeProperty(s)) }; return { printSnippetList, printAndFormatSnippetList, printNode, printAndFormatNode }; function escapingWrite(s, write) { const escaped = escapeSnippetText(s); if (escaped !== s) { const start = baseWriter.getTextPos(); write(); const end = baseWriter.getTextPos(); escapes = append(escapes || (escapes = []), { newText: escaped, span: { start, length: end - start } }); } else { write(); } } function printSnippetList(format2, list, sourceFile) { const unescaped = printUnescapedSnippetList(format2, list, sourceFile); return escapes ? ts_textChanges_exports.applyChanges(unescaped, escapes) : unescaped; } function printUnescapedSnippetList(format2, list, sourceFile) { escapes = void 0; writer.clear(); printer.writeList(format2, list, sourceFile, writer); return writer.getText(); } function printAndFormatSnippetList(format2, list, sourceFile, formatContext) { const syntheticFile = { text: printUnescapedSnippetList( format2, list, sourceFile ), getLineAndCharacterOfPosition(pos) { return getLineAndCharacterOfPosition(this, pos); } }; const formatOptions = getFormatCodeSettingsForWriting(formatContext, sourceFile); const changes = flatMap(list, (node) => { const nodeWithPos = ts_textChanges_exports.assignPositionsToNode(node); return ts_formatting_exports.formatNodeGivenIndentation( nodeWithPos, syntheticFile, sourceFile.languageVariant, /* indentation */ 0, /* delta */ 0, { ...formatContext, options: formatOptions } ); }); const allChanges = escapes ? stableSort(concatenate(changes, escapes), (a, b) => compareTextSpans(a.span, b.span)) : changes; return ts_textChanges_exports.applyChanges(syntheticFile.text, allChanges); } function printNode(hint, node, sourceFile) { const unescaped = printUnescapedNode(hint, node, sourceFile); return escapes ? ts_textChanges_exports.applyChanges(unescaped, escapes) : unescaped; } function printUnescapedNode(hint, node, sourceFile) { escapes = void 0; writer.clear(); printer.writeNode(hint, node, sourceFile, writer); return writer.getText(); } function printAndFormatNode(hint, node, sourceFile, formatContext) { const syntheticFile = { text: printUnescapedNode( hint, node, sourceFile ), getLineAndCharacterOfPosition(pos) { return getLineAndCharacterOfPosition(this, pos); } }; const formatOptions = getFormatCodeSettingsForWriting(formatContext, sourceFile); const nodeWithPos = ts_textChanges_exports.assignPositionsToNode(node); const changes = ts_formatting_exports.formatNodeGivenIndentation( nodeWithPos, syntheticFile, sourceFile.languageVariant, /* indentation */ 0, /* delta */ 0, { ...formatContext, options: formatOptions } ); const allChanges = escapes ? stableSort(concatenate(changes, escapes), (a, b) => compareTextSpans(a.span, b.span)) : changes; return ts_textChanges_exports.applyChanges(syntheticFile.text, allChanges); } } function originToCompletionEntryData(origin) { const ambientModuleName = origin.fileName ? void 0 : stripQuotes(origin.moduleSymbol.name); const isPackageJsonImport = origin.isFromPackageJson ? true : void 0; if (originIsResolvedExport(origin)) { const resolvedData = { exportName: origin.exportName, exportMapKey: origin.exportMapKey, moduleSpecifier: origin.moduleSpecifier, ambientModuleName, fileName: origin.fileName, isPackageJsonImport }; return resolvedData; } const unresolvedData = { exportName: origin.exportName, exportMapKey: origin.exportMapKey, fileName: origin.fileName, ambientModuleName: origin.fileName ? void 0 : stripQuotes(origin.moduleSymbol.name), isPackageJsonImport: origin.isFromPackageJson ? true : void 0 }; return unresolvedData; } function completionEntryDataToSymbolOriginInfo(data, completionName, moduleSymbol) { const isDefaultExport = data.exportName === "default"; const isFromPackageJson = !!data.isPackageJsonImport; if (completionEntryDataIsResolved(data)) { const resolvedOrigin = { kind: 32, exportName: data.exportName, exportMapKey: data.exportMapKey, moduleSpecifier: data.moduleSpecifier, symbolName: completionName, fileName: data.fileName, moduleSymbol, isDefaultExport, isFromPackageJson }; return resolvedOrigin; } const unresolvedOrigin = { kind: 4, exportName: data.exportName, exportMapKey: data.exportMapKey, symbolName: completionName, fileName: data.fileName, moduleSymbol, isDefaultExport, isFromPackageJson }; return unresolvedOrigin; } function getInsertTextAndReplacementSpanForImportCompletion(name, importStatementCompletion, origin, useSemicolons, sourceFile, options, preferences) { const replacementSpan = importStatementCompletion.replacementSpan; const quotedModuleSpecifier = escapeSnippetText(quote(sourceFile, preferences, origin.moduleSpecifier)); const exportKind = origin.isDefaultExport ? 1 : origin.exportName === "export=" ? 2 : 0; const tabStop = preferences.includeCompletionsWithSnippetText ? "$1" : ""; const importKind = ts_codefix_exports.getImportKind( sourceFile, exportKind, options, /*forceImportKeyword*/ true ); const isImportSpecifierTypeOnly = importStatementCompletion.couldBeTypeOnlyImportSpecifier; const topLevelTypeOnlyText = importStatementCompletion.isTopLevelTypeOnly ? ` ${tokenToString( 156 /* TypeKeyword */ )} ` : " "; const importSpecifierTypeOnlyText = isImportSpecifierTypeOnly ? `${tokenToString( 156 /* TypeKeyword */ )} ` : ""; const suffix = useSemicolons ? ";" : ""; switch (importKind) { case 3: return { replacementSpan, insertText: `import${topLevelTypeOnlyText}${escapeSnippetText(name)}${tabStop} = require(${quotedModuleSpecifier})${suffix}` }; case 1: return { replacementSpan, insertText: `import${topLevelTypeOnlyText}${escapeSnippetText(name)}${tabStop} from ${quotedModuleSpecifier}${suffix}` }; case 2: return { replacementSpan, insertText: `import${topLevelTypeOnlyText}* as ${escapeSnippetText(name)} from ${quotedModuleSpecifier}${suffix}` }; case 0: return { replacementSpan, insertText: `import${topLevelTypeOnlyText}{ ${importSpecifierTypeOnlyText}${escapeSnippetText(name)}${tabStop} } from ${quotedModuleSpecifier}${suffix}` }; } } function quotePropertyName(sourceFile, preferences, name) { if (/^\d+$/.test(name)) { return name; } return quote(sourceFile, preferences, name); } function isRecommendedCompletionMatch(localSymbol, recommendedCompletion, checker) { return localSymbol === recommendedCompletion || !!(localSymbol.flags & 1048576) && checker.getExportSymbolOfSymbol(localSymbol) === recommendedCompletion; } function getSourceFromOrigin(origin) { if (originIsExport(origin)) { return stripQuotes(origin.moduleSymbol.name); } if (originIsResolvedExport(origin)) { return origin.moduleSpecifier; } if ((origin == null ? void 0 : origin.kind) === 1) { return "ThisProperty/"; } if ((origin == null ? void 0 : origin.kind) === 64) { return "TypeOnlyAlias/"; } } function getCompletionEntriesFromSymbols(symbols, entries, replacementToken, contextToken, location, position, sourceFile, host, program, target, log, kind, preferences, compilerOptions, formatContext, isTypeOnlyLocation, propertyAccessToConvert, jsxIdentifierExpected, isJsxInitializer, importStatementCompletion, recommendedCompletion, symbolToOriginInfoMap, symbolToSortTextMap, isJsxIdentifierExpected, isRightOfOpenTag, includeSymbol = false) { const start = timestamp(); const variableOrParameterDeclaration = getVariableOrParameterDeclaration(contextToken, location); const useSemicolons = probablyUsesSemicolons(sourceFile); const typeChecker = program.getTypeChecker(); const uniques = /* @__PURE__ */ new Map(); for (let i = 0; i < symbols.length; i++) { const symbol = symbols[i]; const origin = symbolToOriginInfoMap == null ? void 0 : symbolToOriginInfoMap[i]; const info = getCompletionEntryDisplayNameForSymbol(symbol, target, origin, kind, !!jsxIdentifierExpected); if (!info || uniques.get(info.name) && (!origin || !originIsObjectLiteralMethod(origin)) || kind === 1 && symbolToSortTextMap && !shouldIncludeSymbol(symbol, symbolToSortTextMap)) { continue; } if (!isTypeOnlyLocation && isInJSFile(sourceFile) && symbolAppearsToBeTypeOnly(symbol)) { continue; } const { name, needsConvertPropertyAccess } = info; const originalSortText = (symbolToSortTextMap == null ? void 0 : symbolToSortTextMap[getSymbolId(symbol)]) ?? SortText.LocationPriority; const sortText = isDeprecated(symbol, typeChecker) ? SortText.Deprecated(originalSortText) : originalSortText; const entry = createCompletionEntry( symbol, sortText, replacementToken, contextToken, location, position, sourceFile, host, program, name, needsConvertPropertyAccess, origin, recommendedCompletion, propertyAccessToConvert, isJsxInitializer, importStatementCompletion, useSemicolons, compilerOptions, preferences, kind, formatContext, isJsxIdentifierExpected, isRightOfOpenTag, includeSymbol ); if (!entry) { continue; } const shouldShadowLaterSymbols = (!origin || originIsTypeOnlyAlias(origin)) && !(symbol.parent === void 0 && !some(symbol.declarations, (d) => d.getSourceFile() === location.getSourceFile())); uniques.set(name, shouldShadowLaterSymbols); insertSorted( entries, entry, compareCompletionEntries, /*equalityComparer*/ void 0, /*allowDuplicates*/ true ); } log("getCompletionsAtPosition: getCompletionEntriesFromSymbols: " + (timestamp() - start)); return { has: (name) => uniques.has(name), add: (name) => uniques.set(name, true) }; function shouldIncludeSymbol(symbol, symbolToSortTextMap2) { var _a; let allFlags = symbol.flags; if (!isSourceFile(location)) { if (isExportAssignment(location.parent)) { return true; } if (tryCast(variableOrParameterDeclaration, isVariableDeclaration) && symbol.valueDeclaration === variableOrParameterDeclaration) { return false; } const symbolDeclaration = symbol.valueDeclaration ?? ((_a = symbol.declarations) == null ? void 0 : _a[0]); if (variableOrParameterDeclaration && symbolDeclaration && (isTypeParameterDeclaration(variableOrParameterDeclaration) && isTypeParameterDeclaration(symbolDeclaration) || isParameter(variableOrParameterDeclaration) && isParameter(symbolDeclaration))) { const symbolDeclarationPos = symbolDeclaration.pos; const parameters = isParameter(variableOrParameterDeclaration) ? variableOrParameterDeclaration.parent.parameters : isInferTypeNode(variableOrParameterDeclaration.parent) ? void 0 : variableOrParameterDeclaration.parent.typeParameters; if (symbolDeclarationPos >= variableOrParameterDeclaration.pos && parameters && symbolDeclarationPos < parameters.end) { return false; } } const symbolOrigin = skipAlias(symbol, typeChecker); if (!!sourceFile.externalModuleIndicator && !compilerOptions.allowUmdGlobalAccess && symbolToSortTextMap2[getSymbolId(symbol)] === SortText.GlobalsOrKeywords && (symbolToSortTextMap2[getSymbolId(symbolOrigin)] === SortText.AutoImportSuggestions || symbolToSortTextMap2[getSymbolId(symbolOrigin)] === SortText.LocationPriority)) { return false; } allFlags |= getCombinedLocalAndExportSymbolFlags(symbolOrigin); if (isInRightSideOfInternalImportEqualsDeclaration(location)) { return !!(allFlags & 1920); } if (isTypeOnlyLocation) { return symbolCanBeReferencedAtTypeLocation(symbol, typeChecker); } } return !!(allFlags & 111551); } function symbolAppearsToBeTypeOnly(symbol) { var _a; const flags = getCombinedLocalAndExportSymbolFlags(skipAlias(symbol, typeChecker)); return !(flags & 111551) && (!isInJSFile((_a = symbol.declarations) == null ? void 0 : _a[0]) || !!(flags & 788968)); } } function getLabelCompletionAtPosition(node) { const entries = getLabelStatementCompletions(node); if (entries.length) { return { isGlobalCompletion: false, isMemberCompletion: false, isNewIdentifierLocation: false, entries }; } } function getLabelStatementCompletions(node) { const entries = []; const uniques = /* @__PURE__ */ new Map(); let current = node; while (current) { if (isFunctionLike(current)) { break; } if (isLabeledStatement(current)) { const name = current.label.text; if (!uniques.has(name)) { uniques.set(name, true); entries.push({ name, kindModifiers: "", kind: "label", sortText: SortText.LocationPriority }); } } current = current.parent; } return entries; } function getSymbolCompletionFromEntryId(program, log, sourceFile, position, entryId, host, preferences) { if (entryId.source === "SwitchCases/") { return { type: "cases" }; } if (entryId.data) { const autoImport = getAutoImportSymbolFromCompletionEntryData(entryId.name, entryId.data, program, host); if (autoImport) { const { contextToken: contextToken2, previousToken: previousToken2 } = getRelevantTokens(position, sourceFile); return { type: "symbol", symbol: autoImport.symbol, location: getTouchingPropertyName(sourceFile, position), previousToken: previousToken2, contextToken: contextToken2, isJsxInitializer: false, isTypeOnlyLocation: false, origin: autoImport.origin }; } } const compilerOptions = program.getCompilerOptions(); const completionData = getCompletionData( program, log, sourceFile, compilerOptions, position, { includeCompletionsForModuleExports: true, includeCompletionsWithInsertText: true }, entryId, host, /*formatContext*/ void 0 ); if (!completionData) { return { type: "none" }; } if (completionData.kind !== 0) { return { type: "request", request: completionData }; } const { symbols, literals, location, completionKind, symbolToOriginInfoMap, contextToken, previousToken, isJsxInitializer, isTypeOnlyLocation } = completionData; const literal = find(literals, (l) => completionNameForLiteral(sourceFile, preferences, l) === entryId.name); if (literal !== void 0) return { type: "literal", literal }; return firstDefined(symbols, (symbol, index) => { const origin = symbolToOriginInfoMap[index]; const info = getCompletionEntryDisplayNameForSymbol(symbol, getEmitScriptTarget(compilerOptions), origin, completionKind, completionData.isJsxIdentifierExpected); return info && info.name === entryId.name && (entryId.source === "ClassMemberSnippet/" && symbol.flags & 106500 || entryId.source === "ObjectLiteralMethodSnippet/" && symbol.flags & (4 | 8192) || getSourceFromOrigin(origin) === entryId.source || entryId.source === "ObjectLiteralMemberWithComma/") ? { type: "symbol", symbol, location, origin, contextToken, previousToken, isJsxInitializer, isTypeOnlyLocation } : void 0; }) || { type: "none" }; } function getCompletionEntryDetails(program, log, sourceFile, position, entryId, host, formatContext, preferences, cancellationToken) { const typeChecker = program.getTypeChecker(); const compilerOptions = program.getCompilerOptions(); const { name, source, data } = entryId; const { previousToken, contextToken } = getRelevantTokens(position, sourceFile); if (isInString(sourceFile, position, previousToken)) { return ts_Completions_StringCompletions_exports.getStringLiteralCompletionDetails(name, sourceFile, position, previousToken, program, host, cancellationToken, preferences); } const symbolCompletion = getSymbolCompletionFromEntryId(program, log, sourceFile, position, entryId, host, preferences); switch (symbolCompletion.type) { case "request": { const { request } = symbolCompletion; switch (request.kind) { case 1: return ts_JsDoc_exports.getJSDocTagNameCompletionDetails(name); case 2: return ts_JsDoc_exports.getJSDocTagCompletionDetails(name); case 3: return ts_JsDoc_exports.getJSDocParameterNameCompletionDetails(name); case 4: return some(request.keywordCompletions, (c) => c.name === name) ? createSimpleDetails( name, "keyword", 5 /* keyword */ ) : void 0; default: return Debug.assertNever(request); } } case "symbol": { const { symbol, location, contextToken: contextToken2, origin, previousToken: previousToken2 } = symbolCompletion; const { codeActions, sourceDisplay } = getCompletionEntryCodeActionsAndSourceDisplay(name, location, contextToken2, origin, symbol, program, host, compilerOptions, sourceFile, position, previousToken2, formatContext, preferences, data, source, cancellationToken); const symbolName2 = originIsComputedPropertyName(origin) ? origin.symbolName : symbol.name; return createCompletionDetailsForSymbol(symbol, symbolName2, typeChecker, sourceFile, location, cancellationToken, codeActions, sourceDisplay); } case "literal": { const { literal } = symbolCompletion; return createSimpleDetails( completionNameForLiteral(sourceFile, preferences, literal), "string", typeof literal === "string" ? 8 : 7 /* numericLiteral */ ); } case "cases": { const snippets = getExhaustiveCaseSnippets( contextToken.parent, sourceFile, preferences, program.getCompilerOptions(), host, program, /*formatContext*/ void 0 ); if (snippets == null ? void 0 : snippets.importAdder.hasFixes()) { const { entry, importAdder } = snippets; const changes = ts_textChanges_exports.ChangeTracker.with( { host, formatContext, preferences }, importAdder.writeFixes ); return { name: entry.name, kind: "", kindModifiers: "", displayParts: [], sourceDisplay: void 0, codeActions: [{ changes, description: diagnosticToString([Diagnostics.Includes_imports_of_types_referenced_by_0, name]) }] }; } return { name, kind: "", kindModifiers: "", displayParts: [], sourceDisplay: void 0 }; } case "none": return allKeywordsCompletions().some((c) => c.name === name) ? createSimpleDetails( name, "keyword", 5 /* keyword */ ) : void 0; default: Debug.assertNever(symbolCompletion); } } function createSimpleDetails(name, kind, kind2) { return createCompletionDetails(name, "", kind, [displayPart(name, kind2)]); } function createCompletionDetailsForSymbol(symbol, name, checker, sourceFile, location, cancellationToken, codeActions, sourceDisplay) { const { displayParts, documentation, symbolKind, tags } = checker.runWithCancellationToken(cancellationToken, (checker2) => ts_SymbolDisplay_exports.getSymbolDisplayPartsDocumentationAndSymbolKind( checker2, symbol, sourceFile, location, location, 7 /* All */ )); return createCompletionDetails(name, ts_SymbolDisplay_exports.getSymbolModifiers(checker, symbol), symbolKind, displayParts, documentation, tags, codeActions, sourceDisplay); } function createCompletionDetails(name, kindModifiers, kind, displayParts, documentation, tags, codeActions, source) { return { name, kindModifiers, kind, displayParts, documentation, tags, codeActions, source, sourceDisplay: source }; } function getCompletionEntryCodeActionsAndSourceDisplay(name, location, contextToken, origin, symbol, program, host, compilerOptions, sourceFile, position, previousToken, formatContext, preferences, data, source, cancellationToken) { if (data == null ? void 0 : data.moduleSpecifier) { if (previousToken && getImportStatementCompletionInfo(contextToken || previousToken, sourceFile).replacementSpan) { return { codeActions: void 0, sourceDisplay: [textPart(data.moduleSpecifier)] }; } } if (source === "ClassMemberSnippet/") { const { importAdder, eraseRange } = getEntryForMemberCompletion( host, program, compilerOptions, preferences, name, symbol, location, position, contextToken, formatContext ); if ((importAdder == null ? void 0 : importAdder.hasFixes()) || eraseRange) { const changes = ts_textChanges_exports.ChangeTracker.with( { host, formatContext, preferences }, (tracker2) => { if (importAdder) { importAdder.writeFixes(tracker2); } if (eraseRange) { tracker2.deleteRange(sourceFile, eraseRange); } } ); return { sourceDisplay: void 0, codeActions: [{ changes, description: (importAdder == null ? void 0 : importAdder.hasFixes()) ? diagnosticToString([Diagnostics.Includes_imports_of_types_referenced_by_0, name]) : diagnosticToString([Diagnostics.Update_modifiers_of_0, name]) }] }; } } if (originIsTypeOnlyAlias(origin)) { const codeAction2 = ts_codefix_exports.getPromoteTypeOnlyCompletionAction( sourceFile, origin.declaration.name, program, host, formatContext, preferences ); Debug.assertIsDefined(codeAction2, "Expected to have a code action for promoting type-only alias"); return { codeActions: [codeAction2], sourceDisplay: void 0 }; } if (source === "ObjectLiteralMemberWithComma/" && contextToken) { const changes = ts_textChanges_exports.ChangeTracker.with( { host, formatContext, preferences }, (tracker2) => tracker2.insertText(sourceFile, contextToken.end, ",") ); if (changes) { return { sourceDisplay: void 0, codeActions: [{ changes, description: diagnosticToString([Diagnostics.Add_missing_comma_for_object_member_completion_0, name]) }] }; } } if (!origin || !(originIsExport(origin) || originIsResolvedExport(origin))) { return { codeActions: void 0, sourceDisplay: void 0 }; } const checker = origin.isFromPackageJson ? host.getPackageJsonAutoImportProvider().getTypeChecker() : program.getTypeChecker(); const { moduleSymbol } = origin; const targetSymbol = checker.getMergedSymbol(skipAlias(symbol.exportSymbol || symbol, checker)); const isJsxOpeningTagName = (contextToken == null ? void 0 : contextToken.kind) === 30 && isJsxOpeningLikeElement(contextToken.parent); const { moduleSpecifier, codeAction } = ts_codefix_exports.getImportCompletionAction( targetSymbol, moduleSymbol, data == null ? void 0 : data.exportMapKey, sourceFile, name, isJsxOpeningTagName, host, program, formatContext, previousToken && isIdentifier(previousToken) ? previousToken.getStart(sourceFile) : position, preferences, cancellationToken ); Debug.assert(!(data == null ? void 0 : data.moduleSpecifier) || moduleSpecifier === data.moduleSpecifier); return { sourceDisplay: [textPart(moduleSpecifier)], codeActions: [codeAction] }; } function getCompletionEntrySymbol(program, log, sourceFile, position, entryId, host, preferences) { const completion = getSymbolCompletionFromEntryId(program, log, sourceFile, position, entryId, host, preferences); return completion.type === "symbol" ? completion.symbol : void 0; } var CompletionKind = /* @__PURE__ */ ((CompletionKind2) => { CompletionKind2[CompletionKind2["ObjectPropertyDeclaration"] = 0] = "ObjectPropertyDeclaration"; CompletionKind2[CompletionKind2["Global"] = 1] = "Global"; CompletionKind2[CompletionKind2["PropertyAccess"] = 2] = "PropertyAccess"; CompletionKind2[CompletionKind2["MemberLike"] = 3] = "MemberLike"; CompletionKind2[CompletionKind2["String"] = 4] = "String"; CompletionKind2[CompletionKind2["None"] = 5] = "None"; return CompletionKind2; })(CompletionKind || {}); function getRecommendedCompletion(previousToken, contextualType, checker) { return firstDefined(contextualType && (contextualType.isUnion() ? contextualType.types : [contextualType]), (type) => { const symbol = type && type.symbol; return symbol && (symbol.flags & (8 | 384 | 32) && !isAbstractConstructorSymbol(symbol)) ? getFirstSymbolInChain(symbol, previousToken, checker) : void 0; }); } function getContextualType(previousToken, position, sourceFile, checker) { const { parent: parent2 } = previousToken; switch (previousToken.kind) { case 80: return getContextualTypeFromParent(previousToken, checker); case 64: switch (parent2.kind) { case 260: return checker.getContextualType(parent2.initializer); case 226: return checker.getTypeAtLocation(parent2.left); case 291: return checker.getContextualTypeForJsxAttribute(parent2); default: return void 0; } case 105: return checker.getContextualType(parent2); case 84: const caseClause = tryCast(parent2, isCaseClause); return caseClause ? getSwitchedType(caseClause, checker) : void 0; case 19: return isJsxExpression(parent2) && !isJsxElement(parent2.parent) && !isJsxFragment(parent2.parent) ? checker.getContextualTypeForJsxAttribute(parent2.parent) : void 0; default: const argInfo = ts_SignatureHelp_exports.getArgumentInfoForCompletions(previousToken, position, sourceFile, checker); return argInfo ? checker.getContextualTypeForArgumentAtIndex(argInfo.invocation, argInfo.argumentIndex) : isEqualityOperatorKind(previousToken.kind) && isBinaryExpression(parent2) && isEqualityOperatorKind(parent2.operatorToken.kind) ? ( // completion at `x ===/**/` should be for the right side checker.getTypeAtLocation(parent2.left) ) : checker.getContextualType( previousToken, 4 /* Completions */ ) || checker.getContextualType(previousToken); } } function getFirstSymbolInChain(symbol, enclosingDeclaration, checker) { const chain = checker.getAccessibleSymbolChain( symbol, enclosingDeclaration, /*meaning*/ -1, /*useOnlyExternalAliasing*/ false ); if (chain) return first(chain); return symbol.parent && (isModuleSymbol(symbol.parent) ? symbol : getFirstSymbolInChain(symbol.parent, enclosingDeclaration, checker)); } function isModuleSymbol(symbol) { var _a; return !!((_a = symbol.declarations) == null ? void 0 : _a.some( (d) => d.kind === 307 /* SourceFile */ )); } function getCompletionData(program, log, sourceFile, compilerOptions, position, preferences, detailsEntryId, host, formatContext, cancellationToken) { const typeChecker = program.getTypeChecker(); const inCheckedFile = isCheckedFile(sourceFile, compilerOptions); let start = timestamp(); let currentToken = getTokenAtPosition(sourceFile, position); log("getCompletionData: Get current token: " + (timestamp() - start)); start = timestamp(); const insideComment = isInComment(sourceFile, position, currentToken); log("getCompletionData: Is inside comment: " + (timestamp() - start)); let insideJsDocTagTypeExpression = false; let insideJsDocImportTag = false; let isInSnippetScope = false; if (insideComment) { if (hasDocComment(sourceFile, position)) { if (sourceFile.text.charCodeAt(position - 1) === 64) { return { kind: 1 /* JsDocTagName */ }; } else { const lineStart = getLineStartPositionForPosition(position, sourceFile); if (!/[^*|\s(/)]/.test(sourceFile.text.substring(lineStart, position))) { return { kind: 2 /* JsDocTag */ }; } } } const tag = getJsDocTagAtPosition(currentToken, position); if (tag) { if (tag.tagName.pos <= position && position <= tag.tagName.end) { return { kind: 1 /* JsDocTagName */ }; } if (isJSDocImportTag(tag)) { insideJsDocImportTag = true; } else { const typeExpression = tryGetTypeExpressionFromTag(tag); if (typeExpression) { currentToken = getTokenAtPosition(sourceFile, position); if (!currentToken || !isDeclarationName(currentToken) && (currentToken.parent.kind !== 348 || currentToken.parent.name !== currentToken)) { insideJsDocTagTypeExpression = isCurrentlyEditingNode(typeExpression); } } if (!insideJsDocTagTypeExpression && isJSDocParameterTag(tag) && (nodeIsMissing(tag.name) || tag.name.pos <= position && position <= tag.name.end)) { return { kind: 3, tag }; } } } if (!insideJsDocTagTypeExpression && !insideJsDocImportTag) { log("Returning an empty list because completion was inside a regular comment or plain text part of a JsDoc comment."); return void 0; } } start = timestamp(); const isJsOnlyLocation = !insideJsDocTagTypeExpression && !insideJsDocImportTag && isSourceFileJS(sourceFile); const tokens = getRelevantTokens(position, sourceFile); const previousToken = tokens.previousToken; let contextToken = tokens.contextToken; log("getCompletionData: Get previous token: " + (timestamp() - start)); let node = currentToken; let propertyAccessToConvert; let isRightOfDot = false; let isRightOfQuestionDot = false; let isRightOfOpenTag = false; let isStartingCloseTag = false; let isJsxInitializer = false; let isJsxIdentifierExpected = false; let importStatementCompletion; let location = getTouchingPropertyName(sourceFile, position); let keywordFilters = 0; let isNewIdentifierLocation = false; let flags = 0; if (contextToken) { const importStatementCompletionInfo = getImportStatementCompletionInfo(contextToken, sourceFile); if (importStatementCompletionInfo.keywordCompletion) { if (importStatementCompletionInfo.isKeywordOnlyCompletion) { return { kind: 4, keywordCompletions: [keywordToCompletionEntry(importStatementCompletionInfo.keywordCompletion)], isNewIdentifierLocation: importStatementCompletionInfo.isNewIdentifierLocation }; } keywordFilters = keywordFiltersFromSyntaxKind(importStatementCompletionInfo.keywordCompletion); } if (importStatementCompletionInfo.replacementSpan && preferences.includeCompletionsForImportStatements && preferences.includeCompletionsWithInsertText) { flags |= 2; importStatementCompletion = importStatementCompletionInfo; isNewIdentifierLocation = importStatementCompletionInfo.isNewIdentifierLocation; } if (!importStatementCompletionInfo.replacementSpan && isCompletionListBlocker(contextToken)) { log("Returning an empty list because completion was requested in an invalid position."); return keywordFilters ? keywordCompletionData(keywordFilters, isJsOnlyLocation, isNewIdentifierDefinitionLocation()) : void 0; } let parent2 = contextToken.parent; if (contextToken.kind === 25 || contextToken.kind === 29) { isRightOfDot = contextToken.kind === 25; isRightOfQuestionDot = contextToken.kind === 29; switch (parent2.kind) { case 211: propertyAccessToConvert = parent2; node = propertyAccessToConvert.expression; const leftmostAccessExpression = getLeftmostAccessExpression(propertyAccessToConvert); if (nodeIsMissing(leftmostAccessExpression) || (isCallExpression2(node) || isFunctionLike(node)) && node.end === contextToken.pos && node.getChildCount(sourceFile) && last(node.getChildren(sourceFile)).kind !== 22) { return void 0; } break; case 166: node = parent2.left; break; case 267: node = parent2.name; break; case 205: node = parent2; break; case 236: node = parent2.getFirstToken(sourceFile); Debug.assert( node.kind === 102 || node.kind === 105 /* NewKeyword */ ); break; default: return void 0; } } else if (!importStatementCompletion) { if (parent2 && parent2.kind === 211) { contextToken = parent2; parent2 = parent2.parent; } if (currentToken.parent === location) { switch (currentToken.kind) { case 32: if (currentToken.parent.kind === 284 || currentToken.parent.kind === 286) { location = currentToken; } break; case 44: if (currentToken.parent.kind === 285) { location = currentToken; } break; } } switch (parent2.kind) { case 287: if (contextToken.kind === 44) { isStartingCloseTag = true; location = contextToken; } break; case 226: if (!binaryExpressionMayBeOpenTag(parent2)) { break; } case 285: case 284: case 286: isJsxIdentifierExpected = true; if (contextToken.kind === 30) { isRightOfOpenTag = true; location = contextToken; } break; case 294: case 293: if (previousToken.kind === 20 || previousToken.kind === 80 && previousToken.parent.kind === 291) { isJsxIdentifierExpected = true; } break; case 291: if (parent2.initializer === previousToken && previousToken.end < position) { isJsxIdentifierExpected = true; break; } switch (previousToken.kind) { case 64: isJsxInitializer = true; break; case 80: isJsxIdentifierExpected = true; if (parent2 !== previousToken.parent && !parent2.initializer && findChildOfKind(parent2, 64, sourceFile)) { isJsxInitializer = previousToken; } } break; } } } const semanticStart = timestamp(); let completionKind = 5; let hasUnresolvedAutoImports = false; let symbols = []; let importSpecifierResolver; const symbolToOriginInfoMap = []; const symbolToSortTextMap = []; const seenPropertySymbols = /* @__PURE__ */ new Map(); const isTypeOnlyLocation = isTypeOnlyCompletion(); const getModuleSpecifierResolutionHost = memoizeOne((isFromPackageJson) => { return createModuleSpecifierResolutionHost(isFromPackageJson ? host.getPackageJsonAutoImportProvider() : program, host); }); if (isRightOfDot || isRightOfQuestionDot) { getTypeScriptMemberSymbols(); } else if (isRightOfOpenTag) { symbols = typeChecker.getJsxIntrinsicTagNamesAt(location); Debug.assertEachIsDefined(symbols, "getJsxIntrinsicTagNames() should all be defined"); tryGetGlobalSymbols(); completionKind = 1; keywordFilters = 0; } else if (isStartingCloseTag) { const tagName = contextToken.parent.parent.openingElement.tagName; const tagSymbol = typeChecker.getSymbolAtLocation(tagName); if (tagSymbol) { symbols = [tagSymbol]; } completionKind = 1; keywordFilters = 0; } else { if (!tryGetGlobalSymbols()) { return keywordFilters ? keywordCompletionData(keywordFilters, isJsOnlyLocation, isNewIdentifierLocation) : void 0; } } log("getCompletionData: Semantic work: " + (timestamp() - semanticStart)); const contextualType = previousToken && getContextualType(previousToken, position, sourceFile, typeChecker); const isLiteralExpected = !tryCast(previousToken, isStringLiteralLike) && !isJsxIdentifierExpected; const literals = !isLiteralExpected ? [] : mapDefined( contextualType && (contextualType.isUnion() ? contextualType.types : [contextualType]), (t) => t.isLiteral() && !(t.flags & 1024) ? t.value : void 0 ); const recommendedCompletion = previousToken && contextualType && getRecommendedCompletion(previousToken, contextualType, typeChecker); return { kind: 0, symbols, completionKind, isInSnippetScope, propertyAccessToConvert, isNewIdentifierLocation, location, keywordFilters, literals, symbolToOriginInfoMap, recommendedCompletion, previousToken, contextToken, isJsxInitializer, insideJsDocTagTypeExpression, symbolToSortTextMap, isTypeOnlyLocation, isJsxIdentifierExpected, isRightOfOpenTag, isRightOfDotOrQuestionDot: isRightOfDot || isRightOfQuestionDot, importStatementCompletion, hasUnresolvedAutoImports, flags }; function isTagWithTypeExpression(tag) { switch (tag.kind) { case 341: case 348: case 342: case 344: case 346: case 349: case 350: return true; case 345: return !!tag.constraint; default: return false; } } function tryGetTypeExpressionFromTag(tag) { if (isTagWithTypeExpression(tag)) { const typeExpression = isJSDocTemplateTag(tag) ? tag.constraint : tag.typeExpression; return typeExpression && typeExpression.kind === 309 ? typeExpression : void 0; } if (isJSDocAugmentsTag(tag) || isJSDocImplementsTag(tag)) { return tag.class; } return void 0; } function getTypeScriptMemberSymbols() { completionKind = 2; const isImportType = isLiteralImportTypeNode(node); const isTypeLocation = isImportType && !node.isTypeOf || isPartOfTypeNode(node.parent) || isPossiblyTypeArgumentPosition(contextToken, sourceFile, typeChecker); const isRhsOfImportDeclaration = isInRightSideOfInternalImportEqualsDeclaration(node); if (isEntityName(node) || isImportType || isPropertyAccessExpression(node)) { const isNamespaceName = isModuleDeclaration(node.parent); if (isNamespaceName) isNewIdentifierLocation = true; let symbol = typeChecker.getSymbolAtLocation(node); if (symbol) { symbol = skipAlias(symbol, typeChecker); if (symbol.flags & (1536 | 384)) { const exportedSymbols = typeChecker.getExportsOfModule(symbol); Debug.assertEachIsDefined(exportedSymbols, "getExportsOfModule() should all be defined"); const isValidValueAccess = (symbol2) => typeChecker.isValidPropertyAccess(isImportType ? node : node.parent, symbol2.name); const isValidTypeAccess = (symbol2) => symbolCanBeReferencedAtTypeLocation(symbol2, typeChecker); const isValidAccess = isNamespaceName ? (symbol2) => { var _a; return !!(symbol2.flags & 1920) && !((_a = symbol2.declarations) == null ? void 0 : _a.every((d) => d.parent === node.parent)); } : isRhsOfImportDeclaration ? ( // Any kind is allowed when dotting off namespace in internal import equals declaration (symbol2) => isValidTypeAccess(symbol2) || isValidValueAccess(symbol2) ) : isTypeLocation || insideJsDocTagTypeExpression ? isValidTypeAccess : isValidValueAccess; for (const exportedSymbol of exportedSymbols) { if (isValidAccess(exportedSymbol)) { symbols.push(exportedSymbol); } } if (!isTypeLocation && !insideJsDocTagTypeExpression && symbol.declarations && symbol.declarations.some( (d) => d.kind !== 307 && d.kind !== 267 && d.kind !== 266 /* EnumDeclaration */ )) { let type = typeChecker.getTypeOfSymbolAtLocation(symbol, node).getNonOptionalType(); let insertQuestionDot = false; if (type.isNullableType()) { const canCorrectToQuestionDot = isRightOfDot && !isRightOfQuestionDot && preferences.includeAutomaticOptionalChainCompletions !== false; if (canCorrectToQuestionDot || isRightOfQuestionDot) { type = type.getNonNullableType(); if (canCorrectToQuestionDot) { insertQuestionDot = true; } } } addTypeProperties(type, !!(node.flags & 65536), insertQuestionDot); } return; } } } if (!isTypeLocation || isInTypeQuery(node)) { typeChecker.tryGetThisTypeAt( node, /*includeGlobalThis*/ false ); let type = typeChecker.getTypeAtLocation(node).getNonOptionalType(); if (!isTypeLocation) { let insertQuestionDot = false; if (type.isNullableType()) { const canCorrectToQuestionDot = isRightOfDot && !isRightOfQuestionDot && preferences.includeAutomaticOptionalChainCompletions !== false; if (canCorrectToQuestionDot || isRightOfQuestionDot) { type = type.getNonNullableType(); if (canCorrectToQuestionDot) { insertQuestionDot = true; } } } addTypeProperties(type, !!(node.flags & 65536), insertQuestionDot); } else { addTypeProperties( type.getNonNullableType(), /*insertAwait*/ false, /*insertQuestionDot*/ false ); } } } function addTypeProperties(type, insertAwait, insertQuestionDot) { isNewIdentifierLocation = !!type.getStringIndexType(); if (isRightOfQuestionDot && some(type.getCallSignatures())) { isNewIdentifierLocation = true; } const propertyAccess = node.kind === 205 ? node : node.parent; if (inCheckedFile) { for (const symbol of type.getApparentProperties()) { if (typeChecker.isValidPropertyAccessForCompletions(propertyAccess, type, symbol)) { addPropertySymbol( symbol, /*insertAwait*/ false, insertQuestionDot ); } } } else { symbols.push(...filter(getPropertiesForCompletion(type, typeChecker), (s) => typeChecker.isValidPropertyAccessForCompletions(propertyAccess, type, s))); } if (insertAwait && preferences.includeCompletionsWithInsertText) { const promiseType2 = typeChecker.getPromisedTypeOfPromise(type); if (promiseType2) { for (const symbol of promiseType2.getApparentProperties()) { if (typeChecker.isValidPropertyAccessForCompletions(propertyAccess, promiseType2, symbol)) { addPropertySymbol( symbol, /*insertAwait*/ true, insertQuestionDot ); } } } } } function addPropertySymbol(symbol, insertAwait, insertQuestionDot) { var _a; const computedPropertyName = firstDefined(symbol.declarations, (decl) => tryCast(getNameOfDeclaration(decl), isComputedPropertyName)); if (computedPropertyName) { const leftMostName = getLeftMostName(computedPropertyName.expression); const nameSymbol = leftMostName && typeChecker.getSymbolAtLocation(leftMostName); const firstAccessibleSymbol = nameSymbol && getFirstSymbolInChain(nameSymbol, contextToken, typeChecker); const firstAccessibleSymbolId = firstAccessibleSymbol && getSymbolId(firstAccessibleSymbol); if (firstAccessibleSymbolId && addToSeen(seenPropertySymbols, firstAccessibleSymbolId)) { const index = symbols.length; symbols.push(firstAccessibleSymbol); const moduleSymbol = firstAccessibleSymbol.parent; if (!moduleSymbol || !isExternalModuleSymbol(moduleSymbol) || typeChecker.tryGetMemberInModuleExportsAndProperties(firstAccessibleSymbol.name, moduleSymbol) !== firstAccessibleSymbol) { symbolToOriginInfoMap[index] = { kind: getNullableSymbolOriginInfoKind( 2 /* SymbolMemberNoExport */ ) }; } else { const fileName = isExternalModuleNameRelative(stripQuotes(moduleSymbol.name)) ? (_a = getSourceFileOfModule(moduleSymbol)) == null ? void 0 : _a.fileName : void 0; const { moduleSpecifier } = (importSpecifierResolver || (importSpecifierResolver = ts_codefix_exports.createImportSpecifierResolver(sourceFile, program, host, preferences))).getModuleSpecifierForBestExportInfo( [{ exportKind: 0, moduleFileName: fileName, isFromPackageJson: false, moduleSymbol, symbol: firstAccessibleSymbol, targetFlags: skipAlias(firstAccessibleSymbol, typeChecker).flags }], position, isValidTypeOnlyAliasUseSite(location) ) || {}; if (moduleSpecifier) { const origin = { kind: getNullableSymbolOriginInfoKind( 6 /* SymbolMemberExport */ ), moduleSymbol, isDefaultExport: false, symbolName: firstAccessibleSymbol.name, exportName: firstAccessibleSymbol.name, fileName, moduleSpecifier }; symbolToOriginInfoMap[index] = origin; } } } else if (preferences.includeCompletionsWithInsertText) { if (firstAccessibleSymbolId && seenPropertySymbols.has(firstAccessibleSymbolId)) { return; } addSymbolOriginInfo(symbol); addSymbolSortInfo(symbol); symbols.push(symbol); } } else { addSymbolOriginInfo(symbol); addSymbolSortInfo(symbol); symbols.push(symbol); } function addSymbolSortInfo(symbol2) { if (isStaticProperty(symbol2)) { symbolToSortTextMap[getSymbolId(symbol2)] = SortText.LocalDeclarationPriority; } } function addSymbolOriginInfo(symbol2) { if (preferences.includeCompletionsWithInsertText) { if (insertAwait && addToSeen(seenPropertySymbols, getSymbolId(symbol2))) { symbolToOriginInfoMap[symbols.length] = { kind: getNullableSymbolOriginInfoKind( 8 /* Promise */ ) }; } else if (insertQuestionDot) { symbolToOriginInfoMap[symbols.length] = { kind: 16 /* Nullable */ }; } } } function getNullableSymbolOriginInfoKind(kind) { return insertQuestionDot ? kind | 16 : kind; } } function getLeftMostName(e) { return isIdentifier(e) ? e : isPropertyAccessExpression(e) ? getLeftMostName(e.expression) : void 0; } function tryGetGlobalSymbols() { const result = tryGetObjectTypeLiteralInTypeArgumentCompletionSymbols() || tryGetObjectLikeCompletionSymbols() || tryGetImportCompletionSymbols() || tryGetImportOrExportClauseCompletionSymbols() || tryGetImportAttributesCompletionSymbols() || tryGetLocalNamedExportCompletionSymbols() || tryGetConstructorCompletion() || tryGetClassLikeCompletionSymbols() || tryGetJsxCompletionSymbols() || (getGlobalCompletions(), 1); return result === 1; } function tryGetConstructorCompletion() { if (!tryGetConstructorLikeCompletionContainer(contextToken)) return 0; completionKind = 5; isNewIdentifierLocation = true; keywordFilters = 4; return 1; } function tryGetJsxCompletionSymbols() { const jsxContainer = tryGetContainingJsxElement(contextToken); const attrsType = jsxContainer && typeChecker.getContextualType(jsxContainer.attributes); if (!attrsType) return 0; const completionsType = jsxContainer && typeChecker.getContextualType( jsxContainer.attributes, 4 /* Completions */ ); symbols = concatenate(symbols, filterJsxAttributes(getPropertiesForObjectExpression(attrsType, completionsType, jsxContainer.attributes, typeChecker), jsxContainer.attributes.properties)); setSortTextToOptionalMember(); completionKind = 3; isNewIdentifierLocation = false; return 1; } function tryGetImportCompletionSymbols() { if (!importStatementCompletion) return 0; isNewIdentifierLocation = true; collectAutoImports(); return 1; } function getGlobalCompletions() { keywordFilters = tryGetFunctionLikeBodyCompletionContainer(contextToken) ? 5 : 1; completionKind = 1; isNewIdentifierLocation = isNewIdentifierDefinitionLocation(); if (previousToken !== contextToken) { Debug.assert(!!previousToken, "Expected 'contextToken' to be defined when different from 'previousToken'."); } const adjustedPosition = previousToken !== contextToken ? previousToken.getStart() : position; const scopeNode = getScopeNode(contextToken, adjustedPosition, sourceFile) || sourceFile; isInSnippetScope = isSnippetScope(scopeNode); const symbolMeanings = (isTypeOnlyLocation ? 0 : 111551) | 788968 | 1920 | 2097152; const typeOnlyAliasNeedsPromotion = previousToken && !isValidTypeOnlyAliasUseSite(previousToken); symbols = concatenate(symbols, typeChecker.getSymbolsInScope(scopeNode, symbolMeanings)); Debug.assertEachIsDefined(symbols, "getSymbolsInScope() should all be defined"); for (let i = 0; i < symbols.length; i++) { const symbol = symbols[i]; if (!typeChecker.isArgumentsSymbol(symbol) && !some(symbol.declarations, (d) => d.getSourceFile() === sourceFile)) { symbolToSortTextMap[getSymbolId(symbol)] = SortText.GlobalsOrKeywords; } if (typeOnlyAliasNeedsPromotion && !(symbol.flags & 111551)) { const typeOnlyAliasDeclaration = symbol.declarations && find(symbol.declarations, isTypeOnlyImportDeclaration); if (typeOnlyAliasDeclaration) { const origin = { kind: 64, declaration: typeOnlyAliasDeclaration }; symbolToOriginInfoMap[i] = origin; } } } if (preferences.includeCompletionsWithInsertText && scopeNode.kind !== 307) { const thisType = typeChecker.tryGetThisTypeAt( scopeNode, /*includeGlobalThis*/ false, isClassLike(scopeNode.parent) ? scopeNode : void 0 ); if (thisType && !isProbablyGlobalType(thisType, sourceFile, typeChecker)) { for (const symbol of getPropertiesForCompletion(thisType, typeChecker)) { symbolToOriginInfoMap[symbols.length] = { kind: 1 /* ThisType */ }; symbols.push(symbol); symbolToSortTextMap[getSymbolId(symbol)] = SortText.SuggestedClassMembers; } } } collectAutoImports(); if (isTypeOnlyLocation) { keywordFilters = contextToken && isAssertionExpression(contextToken.parent) ? 6 : 7; } } function shouldOfferImportCompletions() { var _a; if (importStatementCompletion) return true; if (!preferences.includeCompletionsForModuleExports) return false; if (sourceFile.externalModuleIndicator || sourceFile.commonJsModuleIndicator) return true; if (compilerOptionsIndicateEsModules(program.getCompilerOptions())) return true; return ((_a = program.getSymlinkCache) == null ? void 0 : _a.call(program).hasAnySymlinks()) || !!program.getCompilerOptions().paths || programContainsModules(program); } function isSnippetScope(scopeNode) { switch (scopeNode.kind) { case 307: case 228: case 294: case 241: return true; default: return isStatement(scopeNode); } } function isTypeOnlyCompletion() { return insideJsDocTagTypeExpression || insideJsDocImportTag || !!importStatementCompletion && isTypeOnlyImportOrExportDeclaration(location.parent) || !isContextTokenValueLocation(contextToken) && (isPossiblyTypeArgumentPosition(contextToken, sourceFile, typeChecker) || isPartOfTypeNode(location) || isContextTokenTypeLocation(contextToken)); } function isContextTokenValueLocation(contextToken2) { return contextToken2 && (contextToken2.kind === 114 && (contextToken2.parent.kind === 186 || isTypeOfExpression(contextToken2.parent)) || contextToken2.kind === 131 && contextToken2.parent.kind === 182); } function isContextTokenTypeLocation(contextToken2) { if (contextToken2) { const parentKind = contextToken2.parent.kind; switch (contextToken2.kind) { case 59: return parentKind === 172 || parentKind === 171 || parentKind === 169 || parentKind === 260 || isFunctionLikeKind(parentKind); case 64: return parentKind === 265 || parentKind === 168; case 130: return parentKind === 234; case 30: return parentKind === 183 || parentKind === 216; case 96: return parentKind === 168; case 152: return parentKind === 238; } } return false; } function collectAutoImports() { var _a, _b; if (!shouldOfferImportCompletions()) return; Debug.assert(!(detailsEntryId == null ? void 0 : detailsEntryId.data), "Should not run 'collectAutoImports' when faster path is available via `data`"); if (detailsEntryId && !detailsEntryId.source) { return; } flags |= 1; const isAfterTypeOnlyImportSpecifierModifier = previousToken === contextToken && importStatementCompletion; const lowerCaseTokenText = isAfterTypeOnlyImportSpecifierModifier ? "" : previousToken && isIdentifier(previousToken) ? previousToken.text.toLowerCase() : ""; const moduleSpecifierCache = (_a = host.getModuleSpecifierCache) == null ? void 0 : _a.call(host); const exportInfo = getExportInfoMap(sourceFile, host, program, preferences, cancellationToken); const packageJsonAutoImportProvider = (_b = host.getPackageJsonAutoImportProvider) == null ? void 0 : _b.call(host); const packageJsonFilter = detailsEntryId ? void 0 : createPackageJsonImportFilter(sourceFile, preferences, host); resolvingModuleSpecifiers( "collectAutoImports", host, importSpecifierResolver || (importSpecifierResolver = ts_codefix_exports.createImportSpecifierResolver(sourceFile, program, host, preferences)), program, position, preferences, !!importStatementCompletion, isValidTypeOnlyAliasUseSite(location), (context) => { exportInfo.search( sourceFile.path, /*preferCapitalized*/ isRightOfOpenTag, (symbolName2, targetFlags) => { if (!isIdentifierText(symbolName2, getEmitScriptTarget(host.getCompilationSettings()))) return false; if (!detailsEntryId && isStringANonContextualKeyword(symbolName2)) return false; if (!isTypeOnlyLocation && !importStatementCompletion && !(targetFlags & 111551)) return false; if (isTypeOnlyLocation && !(targetFlags & (1536 | 788968))) return false; const firstChar = symbolName2.charCodeAt(0); if (isRightOfOpenTag && (firstChar < 65 || firstChar > 90)) return false; if (detailsEntryId) return true; return charactersFuzzyMatchInString(symbolName2, lowerCaseTokenText); }, (info, symbolName2, isFromAmbientModule, exportMapKey) => { if (detailsEntryId && !some(info, (i) => detailsEntryId.source === stripQuotes(i.moduleSymbol.name))) { return; } info = filter(info, isImportableExportInfo); if (!info.length) { return; } const result = context.tryResolve(info, isFromAmbientModule) || {}; if (result === "failed") return; let exportInfo2 = info[0], moduleSpecifier; if (result !== "skipped") { ({ exportInfo: exportInfo2 = info[0], moduleSpecifier } = result); } const isDefaultExport = exportInfo2.exportKind === 1; const symbol = isDefaultExport && getLocalSymbolForExportDefault(Debug.checkDefined(exportInfo2.symbol)) || Debug.checkDefined(exportInfo2.symbol); pushAutoImportSymbol(symbol, { kind: moduleSpecifier ? 32 : 4, moduleSpecifier, symbolName: symbolName2, exportMapKey, exportName: exportInfo2.exportKind === 2 ? "export=" : Debug.checkDefined(exportInfo2.symbol).name, fileName: exportInfo2.moduleFileName, isDefaultExport, moduleSymbol: exportInfo2.moduleSymbol, isFromPackageJson: exportInfo2.isFromPackageJson }); } ); hasUnresolvedAutoImports = context.skippedAny(); flags |= context.resolvedAny() ? 8 : 0; flags |= context.resolvedBeyondLimit() ? 16 : 0; } ); function isImportableExportInfo(info) { const moduleFile = tryCast(info.moduleSymbol.valueDeclaration, isSourceFile); if (!moduleFile) { const moduleName = stripQuotes(info.moduleSymbol.name); if (ts_JsTyping_exports.nodeCoreModules.has(moduleName) && startsWith2(moduleName, "node:") !== shouldUseUriStyleNodeCoreModules(sourceFile, program)) { return false; } return packageJsonFilter ? packageJsonFilter.allowsImportingAmbientModule(info.moduleSymbol, getModuleSpecifierResolutionHost(info.isFromPackageJson)) : true; } return isImportableFile( info.isFromPackageJson ? packageJsonAutoImportProvider : program, sourceFile, moduleFile, preferences, packageJsonFilter, getModuleSpecifierResolutionHost(info.isFromPackageJson), moduleSpecifierCache ); } } function pushAutoImportSymbol(symbol, origin) { const symbolId = getSymbolId(symbol); if (symbolToSortTextMap[symbolId] === SortText.GlobalsOrKeywords) { return; } symbolToOriginInfoMap[symbols.length] = origin; symbolToSortTextMap[symbolId] = importStatementCompletion ? SortText.LocationPriority : SortText.AutoImportSuggestions; symbols.push(symbol); } function collectObjectLiteralMethodSymbols(members, enclosingDeclaration) { if (isInJSFile(location)) { return; } members.forEach((member) => { if (!isObjectLiteralMethodSymbol(member)) { return; } const displayName = getCompletionEntryDisplayNameForSymbol( member, getEmitScriptTarget(compilerOptions), /*origin*/ void 0, 0, /*jsxIdentifierExpected*/ false ); if (!displayName) { return; } const { name } = displayName; const entryProps = getEntryForObjectLiteralMethodCompletion( member, name, enclosingDeclaration, program, host, compilerOptions, preferences, formatContext ); if (!entryProps) { return; } const origin = { kind: 128, ...entryProps }; flags |= 32; symbolToOriginInfoMap[symbols.length] = origin; symbols.push(member); }); } function isObjectLiteralMethodSymbol(symbol) { if (!(symbol.flags & (4 | 8192))) { return false; } return true; } function getScopeNode(initialToken, position2, sourceFile2) { let scope = initialToken; while (scope && !positionBelongsToNode(scope, position2, sourceFile2)) { scope = scope.parent; } return scope; } function isCompletionListBlocker(contextToken2) { const start2 = timestamp(); const result = isInStringOrRegularExpressionOrTemplateLiteral(contextToken2) || isSolelyIdentifierDefinitionLocation(contextToken2) || isDotOfNumericLiteral(contextToken2) || isInJsxText(contextToken2) || isBigIntLiteral2(contextToken2); log("getCompletionsAtPosition: isCompletionListBlocker: " + (timestamp() - start2)); return result; } function isInJsxText(contextToken2) { if (contextToken2.kind === 12) { return true; } if (contextToken2.kind === 32 && contextToken2.parent) { if (location === contextToken2.parent && (location.kind === 286 || location.kind === 285)) { return false; } if (contextToken2.parent.kind === 286) { return location.parent.kind !== 286; } if (contextToken2.parent.kind === 287 || contextToken2.parent.kind === 285) { return !!contextToken2.parent.parent && contextToken2.parent.parent.kind === 284; } } return false; } function isNewIdentifierDefinitionLocation() { if (contextToken) { const containingNodeKind = contextToken.parent.kind; const tokenKind = keywordForNode(contextToken); switch (tokenKind) { case 28: return containingNodeKind === 213 || containingNodeKind === 176 || containingNodeKind === 214 || containingNodeKind === 209 || containingNodeKind === 226 || containingNodeKind === 184 || containingNodeKind === 210; case 21: return containingNodeKind === 213 || containingNodeKind === 176 || containingNodeKind === 214 || containingNodeKind === 217 || containingNodeKind === 196; case 23: return containingNodeKind === 209 || containingNodeKind === 181 || containingNodeKind === 167; case 144: case 145: case 102: return true; case 25: return containingNodeKind === 267; case 19: return containingNodeKind === 263 || containingNodeKind === 210; case 64: return containingNodeKind === 260 || containingNodeKind === 226; case 16: return containingNodeKind === 228; case 17: return containingNodeKind === 239; case 134: return containingNodeKind === 174 || containingNodeKind === 304; case 42: return containingNodeKind === 174; } if (isClassMemberCompletionKeyword(tokenKind)) { return true; } } return false; } function isInStringOrRegularExpressionOrTemplateLiteral(contextToken2) { return (isRegularExpressionLiteral(contextToken2) || isStringTextContainingNode(contextToken2)) && (rangeContainsPositionExclusive(contextToken2, position) || position === contextToken2.end && (!!contextToken2.isUnterminated || isRegularExpressionLiteral(contextToken2))); } function tryGetObjectTypeLiteralInTypeArgumentCompletionSymbols() { const typeLiteralNode = tryGetTypeLiteralNode(contextToken); if (!typeLiteralNode) return 0; const intersectionTypeNode = isIntersectionTypeNode(typeLiteralNode.parent) ? typeLiteralNode.parent : void 0; const containerTypeNode = intersectionTypeNode || typeLiteralNode; const containerExpectedType = getConstraintOfTypeArgumentProperty(containerTypeNode, typeChecker); if (!containerExpectedType) return 0; const containerActualType = typeChecker.getTypeFromTypeNode(containerTypeNode); const members = getPropertiesForCompletion(containerExpectedType, typeChecker); const existingMembers = getPropertiesForCompletion(containerActualType, typeChecker); const existingMemberEscapedNames = /* @__PURE__ */ new Set(); existingMembers.forEach((s) => existingMemberEscapedNames.add(s.escapedName)); symbols = concatenate(symbols, filter(members, (s) => !existingMemberEscapedNames.has(s.escapedName))); completionKind = 0; isNewIdentifierLocation = true; return 1; } function tryGetObjectLikeCompletionSymbols() { if ((contextToken == null ? void 0 : contextToken.kind) === 26) return 0; const symbolsStartIndex = symbols.length; const objectLikeContainer = tryGetObjectLikeCompletionContainer(contextToken, position, sourceFile); if (!objectLikeContainer) return 0; completionKind = 0; let typeMembers; let existingMembers; if (objectLikeContainer.kind === 210) { const instantiatedType = tryGetObjectLiteralContextualType(objectLikeContainer, typeChecker); if (instantiatedType === void 0) { if (objectLikeContainer.flags & 67108864) { return 2; } return 0; } const completionsType = typeChecker.getContextualType( objectLikeContainer, 4 /* Completions */ ); const hasStringIndexType = (completionsType || instantiatedType).getStringIndexType(); const hasNumberIndextype = (completionsType || instantiatedType).getNumberIndexType(); isNewIdentifierLocation = !!hasStringIndexType || !!hasNumberIndextype; typeMembers = getPropertiesForObjectExpression(instantiatedType, completionsType, objectLikeContainer, typeChecker); existingMembers = objectLikeContainer.properties; if (typeMembers.length === 0) { if (!hasNumberIndextype) { return 0; } } } else { Debug.assert( objectLikeContainer.kind === 206 /* ObjectBindingPattern */ ); isNewIdentifierLocation = false; const rootDeclaration = getRootDeclaration(objectLikeContainer.parent); if (!isVariableLike(rootDeclaration)) return Debug.fail("Root declaration is not variable-like."); let canGetType = hasInitializer(rootDeclaration) || !!getEffectiveTypeAnnotationNode(rootDeclaration) || rootDeclaration.parent.parent.kind === 250; if (!canGetType && rootDeclaration.kind === 169) { if (isExpression(rootDeclaration.parent)) { canGetType = !!typeChecker.getContextualType(rootDeclaration.parent); } else if (rootDeclaration.parent.kind === 174 || rootDeclaration.parent.kind === 178) { canGetType = isExpression(rootDeclaration.parent.parent) && !!typeChecker.getContextualType(rootDeclaration.parent.parent); } } if (canGetType) { const typeForObject = typeChecker.getTypeAtLocation(objectLikeContainer); if (!typeForObject) return 2; typeMembers = typeChecker.getPropertiesOfType(typeForObject).filter((propertySymbol) => { return typeChecker.isPropertyAccessible( objectLikeContainer, /*isSuper*/ false, /*isWrite*/ false, typeForObject, propertySymbol ); }); existingMembers = objectLikeContainer.elements; } } if (typeMembers && typeMembers.length > 0) { const filteredMembers = filterObjectMembersList(typeMembers, Debug.checkDefined(existingMembers)); symbols = concatenate(symbols, filteredMembers); setSortTextToOptionalMember(); if (objectLikeContainer.kind === 210 && preferences.includeCompletionsWithObjectLiteralMethodSnippets && preferences.includeCompletionsWithInsertText) { transformObjectLiteralMembersSortText(symbolsStartIndex); collectObjectLiteralMethodSymbols(filteredMembers, objectLikeContainer); } } return 1; } function tryGetImportOrExportClauseCompletionSymbols() { if (!contextToken) return 0; const namedImportsOrExports = contextToken.kind === 19 || contextToken.kind === 28 ? tryCast(contextToken.parent, isNamedImportsOrExports) : isTypeKeywordTokenOrIdentifier(contextToken) ? tryCast(contextToken.parent.parent, isNamedImportsOrExports) : void 0; if (!namedImportsOrExports) return 0; if (!isTypeKeywordTokenOrIdentifier(contextToken)) { keywordFilters = 8; } const { moduleSpecifier } = namedImportsOrExports.kind === 275 ? namedImportsOrExports.parent.parent : namedImportsOrExports.parent; if (!moduleSpecifier) { isNewIdentifierLocation = true; return namedImportsOrExports.kind === 275 ? 2 : 0; } const moduleSpecifierSymbol = typeChecker.getSymbolAtLocation(moduleSpecifier); if (!moduleSpecifierSymbol) { isNewIdentifierLocation = true; return 2; } completionKind = 3; isNewIdentifierLocation = false; const exports22 = typeChecker.getExportsAndPropertiesOfModule(moduleSpecifierSymbol); const existing = new Set(namedImportsOrExports.elements.filter((n) => !isCurrentlyEditingNode(n)).map((n) => (n.propertyName || n.name).escapedText)); const uniques = exports22.filter((e) => e.escapedName !== "default" && !existing.has(e.escapedName)); symbols = concatenate(symbols, uniques); if (!uniques.length) { keywordFilters = 0; } return 1; } function tryGetImportAttributesCompletionSymbols() { if (contextToken === void 0) return 0; const importAttributes = contextToken.kind === 19 || contextToken.kind === 28 ? tryCast(contextToken.parent, isImportAttributes) : contextToken.kind === 59 ? tryCast(contextToken.parent.parent, isImportAttributes) : void 0; if (importAttributes === void 0) return 0; const existing = new Set(importAttributes.elements.map(getNameFromImportAttribute)); symbols = filter(typeChecker.getTypeAtLocation(importAttributes).getApparentProperties(), (attr) => !existing.has(attr.escapedName)); return 1; } function tryGetLocalNamedExportCompletionSymbols() { var _a; const namedExports = contextToken && (contextToken.kind === 19 || contextToken.kind === 28) ? tryCast(contextToken.parent, isNamedExports) : void 0; if (!namedExports) { return 0; } const localsContainer = findAncestor(namedExports, or(isSourceFile, isModuleDeclaration)); completionKind = 5; isNewIdentifierLocation = false; (_a = localsContainer.locals) == null ? void 0 : _a.forEach((symbol, name) => { var _a2, _b; symbols.push(symbol); if ((_b = (_a2 = localsContainer.symbol) == null ? void 0 : _a2.exports) == null ? void 0 : _b.has(name)) { symbolToSortTextMap[getSymbolId(symbol)] = SortText.OptionalMember; } }); return 1; } function tryGetClassLikeCompletionSymbols() { const decl = tryGetObjectTypeDeclarationCompletionContainer(sourceFile, contextToken, location, position); if (!decl) return 0; completionKind = 3; isNewIdentifierLocation = true; keywordFilters = contextToken.kind === 42 ? 0 : isClassLike(decl) ? 2 : 3; if (!isClassLike(decl)) return 1; const classElement = contextToken.kind === 27 ? contextToken.parent.parent : contextToken.parent; let classElementModifierFlags = isClassElement(classElement) ? getEffectiveModifierFlags(classElement) : 0; if (contextToken.kind === 80 && !isCurrentlyEditingNode(contextToken)) { switch (contextToken.getText()) { case "private": classElementModifierFlags = classElementModifierFlags | 2; break; case "static": classElementModifierFlags = classElementModifierFlags | 256; break; case "override": classElementModifierFlags = classElementModifierFlags | 16; break; } } if (isClassStaticBlockDeclaration(classElement)) { classElementModifierFlags |= 256; } if (!(classElementModifierFlags & 2)) { const baseTypeNodes = isClassLike(decl) && classElementModifierFlags & 16 ? singleElementArray(getEffectiveBaseTypeNode(decl)) : getAllSuperTypeNodes(decl); const baseSymbols = flatMap(baseTypeNodes, (baseTypeNode) => { const type = typeChecker.getTypeAtLocation(baseTypeNode); return classElementModifierFlags & 256 ? (type == null ? void 0 : type.symbol) && typeChecker.getPropertiesOfType(typeChecker.getTypeOfSymbolAtLocation(type.symbol, decl)) : type && typeChecker.getPropertiesOfType(type); }); symbols = concatenate(symbols, filterClassMembersList(baseSymbols, decl.members, classElementModifierFlags)); forEach(symbols, (symbol, index) => { const declaration = symbol == null ? void 0 : symbol.valueDeclaration; if (declaration && isClassElement(declaration) && declaration.name && isComputedPropertyName(declaration.name)) { const origin = { kind: 512, symbolName: typeChecker.symbolToString(symbol) }; symbolToOriginInfoMap[index] = origin; } }); } return 1; } function isConstructorParameterCompletion(node2) { return !!node2.parent && isParameter(node2.parent) && isConstructorDeclaration(node2.parent.parent) && (isParameterPropertyModifier(node2.kind) || isDeclarationName(node2)); } function tryGetConstructorLikeCompletionContainer(contextToken2) { if (contextToken2) { const parent2 = contextToken2.parent; switch (contextToken2.kind) { case 21: case 28: return isConstructorDeclaration(contextToken2.parent) ? contextToken2.parent : void 0; default: if (isConstructorParameterCompletion(contextToken2)) { return parent2.parent; } } } return void 0; } function tryGetFunctionLikeBodyCompletionContainer(contextToken2) { if (contextToken2) { let prev; const container = findAncestor(contextToken2.parent, (node2) => { if (isClassLike(node2)) { return "quit"; } if (isFunctionLikeDeclaration(node2) && prev === node2.body) { return true; } prev = node2; return false; }); return container && container; } } function tryGetContainingJsxElement(contextToken2) { if (contextToken2) { const parent2 = contextToken2.parent; switch (contextToken2.kind) { case 32: case 31: case 44: case 80: case 211: case 292: case 291: case 293: if (parent2 && (parent2.kind === 285 || parent2.kind === 286)) { if (contextToken2.kind === 32) { const precedingToken = findPrecedingToken( contextToken2.pos, sourceFile, /*startNode*/ void 0 ); if (!parent2.typeArguments || precedingToken && precedingToken.kind === 44) break; } return parent2; } else if (parent2.kind === 291) { return parent2.parent.parent; } break; case 11: if (parent2 && (parent2.kind === 291 || parent2.kind === 293)) { return parent2.parent.parent; } break; case 20: if (parent2 && parent2.kind === 294 && parent2.parent && parent2.parent.kind === 291) { return parent2.parent.parent.parent; } if (parent2 && parent2.kind === 293) { return parent2.parent.parent; } break; } } return void 0; } function isInDifferentLineThanContextToken(contextToken2, position2) { return sourceFile.getLineEndOfPosition(contextToken2.getEnd()) < position2; } function isSolelyIdentifierDefinitionLocation(contextToken2) { const parent2 = contextToken2.parent; const containingNodeKind = parent2.kind; switch (contextToken2.kind) { case 28: return containingNodeKind === 260 || isVariableDeclarationListButNotTypeArgument(contextToken2) || containingNodeKind === 243 || containingNodeKind === 266 || // enum a { foo, | isFunctionLikeButNotConstructor(containingNodeKind) || containingNodeKind === 264 || // interface A= contextToken2.pos; case 25: return containingNodeKind === 207; case 59: return containingNodeKind === 208; case 23: return containingNodeKind === 207; case 21: return containingNodeKind === 299 || isFunctionLikeButNotConstructor(containingNodeKind); case 19: return containingNodeKind === 266; case 30: return containingNodeKind === 263 || // class A< | containingNodeKind === 231 || // var C = class D< | containingNodeKind === 264 || // interface A< | containingNodeKind === 265 || // type List< | isFunctionLikeKind(containingNodeKind); case 126: return containingNodeKind === 172 && !isClassLike(parent2.parent); case 26: return containingNodeKind === 169 || !!parent2.parent && parent2.parent.kind === 207; case 125: case 123: case 124: return containingNodeKind === 169 && !isConstructorDeclaration(parent2.parent); case 130: return containingNodeKind === 276 || containingNodeKind === 281 || containingNodeKind === 274; case 139: case 153: return !isFromObjectTypeDeclaration(contextToken2); case 80: { if (containingNodeKind === 276 && contextToken2 === parent2.name && contextToken2.text === "type") { return false; } const ancestorVariableDeclaration = findAncestor( contextToken2.parent, isVariableDeclaration ); if (ancestorVariableDeclaration && isInDifferentLineThanContextToken(contextToken2, position)) { return false; } break; } case 86: case 94: case 120: case 100: case 115: case 102: case 121: case 87: case 140: return true; case 156: return containingNodeKind !== 276; case 42: return isFunctionLike(contextToken2.parent) && !isMethodDeclaration(contextToken2.parent); } if (isClassMemberCompletionKeyword(keywordForNode(contextToken2)) && isFromObjectTypeDeclaration(contextToken2)) { return false; } if (isConstructorParameterCompletion(contextToken2)) { if (!isIdentifier(contextToken2) || isParameterPropertyModifier(keywordForNode(contextToken2)) || isCurrentlyEditingNode(contextToken2)) { return false; } } switch (keywordForNode(contextToken2)) { case 128: case 86: case 87: case 138: case 94: case 100: case 120: case 121: case 123: case 124: case 125: case 126: case 115: return true; case 134: return isPropertyDeclaration(contextToken2.parent); } const ancestorClassLike = findAncestor(contextToken2.parent, isClassLike); if (ancestorClassLike && contextToken2 === previousToken && isPreviousPropertyDeclarationTerminated(contextToken2, position)) { return false; } const ancestorPropertyDeclaraion = getAncestor2( contextToken2.parent, 172 /* PropertyDeclaration */ ); if (ancestorPropertyDeclaraion && contextToken2 !== previousToken && isClassLike(previousToken.parent.parent) && position <= previousToken.end) { if (isPreviousPropertyDeclarationTerminated(contextToken2, previousToken.end)) { return false; } else if (contextToken2.kind !== 64 && (isInitializedProperty(ancestorPropertyDeclaraion) || hasType(ancestorPropertyDeclaraion))) { return true; } } return isDeclarationName(contextToken2) && !isShorthandPropertyAssignment(contextToken2.parent) && !isJsxAttribute(contextToken2.parent) && !((isClassLike(contextToken2.parent) || isInterfaceDeclaration(contextToken2.parent) || isTypeParameterDeclaration(contextToken2.parent)) && (contextToken2 !== previousToken || position > previousToken.end)); } function isPreviousPropertyDeclarationTerminated(contextToken2, position2) { return contextToken2.kind !== 64 && (contextToken2.kind === 27 || !positionsAreOnSameLine(contextToken2.end, position2, sourceFile)); } function isFunctionLikeButNotConstructor(kind) { return isFunctionLikeKind(kind) && kind !== 176; } function isDotOfNumericLiteral(contextToken2) { if (contextToken2.kind === 9) { const text = contextToken2.getFullText(); return text.charAt(text.length - 1) === "."; } return false; } function isVariableDeclarationListButNotTypeArgument(node2) { return node2.parent.kind === 261 && !isPossiblyTypeArgumentPosition(node2, sourceFile, typeChecker); } function filterObjectMembersList(contextualMemberSymbols, existingMembers) { if (existingMembers.length === 0) { return contextualMemberSymbols; } const membersDeclaredBySpreadAssignment = /* @__PURE__ */ new Set(); const existingMemberNames = /* @__PURE__ */ new Set(); for (const m of existingMembers) { if (m.kind !== 303 && m.kind !== 304 && m.kind !== 208 && m.kind !== 174 && m.kind !== 177 && m.kind !== 178 && m.kind !== 305) { continue; } if (isCurrentlyEditingNode(m)) { continue; } let existingName; if (isSpreadAssignment(m)) { setMembersDeclaredBySpreadAssignment(m, membersDeclaredBySpreadAssignment); } else if (isBindingElement(m) && m.propertyName) { if (m.propertyName.kind === 80) { existingName = m.propertyName.escapedText; } } else { const name = getNameOfDeclaration(m); existingName = name && isPropertyNameLiteral(name) ? getEscapedTextOfIdentifierOrLiteral(name) : void 0; } if (existingName !== void 0) { existingMemberNames.add(existingName); } } const filteredSymbols = contextualMemberSymbols.filter((m) => !existingMemberNames.has(m.escapedName)); setSortTextToMemberDeclaredBySpreadAssignment(membersDeclaredBySpreadAssignment, filteredSymbols); return filteredSymbols; } function setMembersDeclaredBySpreadAssignment(declaration, membersDeclaredBySpreadAssignment) { const expression = declaration.expression; const symbol = typeChecker.getSymbolAtLocation(expression); const type = symbol && typeChecker.getTypeOfSymbolAtLocation(symbol, expression); const properties = type && type.properties; if (properties) { properties.forEach((property) => { membersDeclaredBySpreadAssignment.add(property.name); }); } } function setSortTextToOptionalMember() { symbols.forEach((m) => { if (m.flags & 16777216) { const symbolId = getSymbolId(m); symbolToSortTextMap[symbolId] = symbolToSortTextMap[symbolId] ?? SortText.OptionalMember; } }); } function setSortTextToMemberDeclaredBySpreadAssignment(membersDeclaredBySpreadAssignment, contextualMemberSymbols) { if (membersDeclaredBySpreadAssignment.size === 0) { return; } for (const contextualMemberSymbol of contextualMemberSymbols) { if (membersDeclaredBySpreadAssignment.has(contextualMemberSymbol.name)) { symbolToSortTextMap[getSymbolId(contextualMemberSymbol)] = SortText.MemberDeclaredBySpreadAssignment; } } } function transformObjectLiteralMembersSortText(start2) { for (let i = start2; i < symbols.length; i++) { const symbol = symbols[i]; const symbolId = getSymbolId(symbol); const origin = symbolToOriginInfoMap == null ? void 0 : symbolToOriginInfoMap[i]; const target = getEmitScriptTarget(compilerOptions); const displayName = getCompletionEntryDisplayNameForSymbol( symbol, target, origin, 0, /*jsxIdentifierExpected*/ false ); if (displayName) { const originalSortText = symbolToSortTextMap[symbolId] ?? SortText.LocationPriority; const { name } = displayName; symbolToSortTextMap[symbolId] = SortText.ObjectLiteralProperty(originalSortText, name); } } } function filterClassMembersList(baseSymbols, existingMembers, currentClassElementModifierFlags) { const existingMemberNames = /* @__PURE__ */ new Set(); for (const m of existingMembers) { if (m.kind !== 172 && m.kind !== 174 && m.kind !== 177 && m.kind !== 178) { continue; } if (isCurrentlyEditingNode(m)) { continue; } if (hasEffectiveModifier( m, 2 /* Private */ )) { continue; } if (isStatic(m) !== !!(currentClassElementModifierFlags & 256)) { continue; } const existingName = getPropertyNameForPropertyNameNode(m.name); if (existingName) { existingMemberNames.add(existingName); } } return baseSymbols.filter( (propertySymbol) => !existingMemberNames.has(propertySymbol.escapedName) && !!propertySymbol.declarations && !(getDeclarationModifierFlagsFromSymbol(propertySymbol) & 2) && !(propertySymbol.valueDeclaration && isPrivateIdentifierClassElementDeclaration(propertySymbol.valueDeclaration)) ); } function filterJsxAttributes(symbols2, attributes) { const seenNames = /* @__PURE__ */ new Set(); const membersDeclaredBySpreadAssignment = /* @__PURE__ */ new Set(); for (const attr of attributes) { if (isCurrentlyEditingNode(attr)) { continue; } if (attr.kind === 291) { seenNames.add(getEscapedTextOfJsxAttributeName(attr.name)); } else if (isJsxSpreadAttribute(attr)) { setMembersDeclaredBySpreadAssignment(attr, membersDeclaredBySpreadAssignment); } } const filteredSymbols = symbols2.filter((a) => !seenNames.has(a.escapedName)); setSortTextToMemberDeclaredBySpreadAssignment(membersDeclaredBySpreadAssignment, filteredSymbols); return filteredSymbols; } function isCurrentlyEditingNode(node2) { return node2.getStart(sourceFile) <= position && position <= node2.getEnd(); } } function tryGetObjectLikeCompletionContainer(contextToken, position, sourceFile) { var _a; if (contextToken) { const { parent: parent2 } = contextToken; switch (contextToken.kind) { case 19: case 28: if (isObjectLiteralExpression(parent2) || isObjectBindingPattern(parent2)) { return parent2; } break; case 42: return isMethodDeclaration(parent2) ? tryCast(parent2.parent, isObjectLiteralExpression) : void 0; case 134: return tryCast(parent2.parent, isObjectLiteralExpression); case 80: if (contextToken.text === "async" && isShorthandPropertyAssignment(contextToken.parent)) { return contextToken.parent.parent; } else { if (isObjectLiteralExpression(contextToken.parent.parent) && (isSpreadAssignment(contextToken.parent) || isShorthandPropertyAssignment(contextToken.parent) && getLineAndCharacterOfPosition(sourceFile, contextToken.getEnd()).line !== getLineAndCharacterOfPosition(sourceFile, position).line)) { return contextToken.parent.parent; } const ancestorNode2 = findAncestor(parent2, isPropertyAssignment); if ((ancestorNode2 == null ? void 0 : ancestorNode2.getLastToken(sourceFile)) === contextToken && isObjectLiteralExpression(ancestorNode2.parent)) { return ancestorNode2.parent; } } break; default: if (((_a = parent2.parent) == null ? void 0 : _a.parent) && (isMethodDeclaration(parent2.parent) || isGetAccessorDeclaration(parent2.parent) || isSetAccessorDeclaration(parent2.parent)) && isObjectLiteralExpression(parent2.parent.parent)) { return parent2.parent.parent; } if (isSpreadAssignment(parent2) && isObjectLiteralExpression(parent2.parent)) { return parent2.parent; } const ancestorNode = findAncestor(parent2, isPropertyAssignment); if (contextToken.kind !== 59 && (ancestorNode == null ? void 0 : ancestorNode.getLastToken(sourceFile)) === contextToken && isObjectLiteralExpression(ancestorNode.parent)) { return ancestorNode.parent; } } } return void 0; } function getRelevantTokens(position, sourceFile) { const previousToken = findPrecedingToken(position, sourceFile); if (previousToken && position <= previousToken.end && (isMemberName(previousToken) || isKeyword2(previousToken.kind))) { const contextToken = findPrecedingToken( previousToken.getFullStart(), sourceFile, /*startNode*/ void 0 ); return { contextToken, previousToken }; } return { contextToken: previousToken, previousToken }; } function getAutoImportSymbolFromCompletionEntryData(name, data, program, host) { const containingProgram = data.isPackageJsonImport ? host.getPackageJsonAutoImportProvider() : program; const checker = containingProgram.getTypeChecker(); const moduleSymbol = data.ambientModuleName ? checker.tryFindAmbientModule(data.ambientModuleName) : data.fileName ? checker.getMergedSymbol(Debug.checkDefined(containingProgram.getSourceFile(data.fileName)).symbol) : void 0; if (!moduleSymbol) return void 0; let symbol = data.exportName === "export=" ? checker.resolveExternalModuleSymbol(moduleSymbol) : checker.tryGetMemberInModuleExportsAndProperties(data.exportName, moduleSymbol); if (!symbol) return void 0; const isDefaultExport = data.exportName === "default"; symbol = isDefaultExport && getLocalSymbolForExportDefault(symbol) || symbol; return { symbol, origin: completionEntryDataToSymbolOriginInfo(data, name, moduleSymbol) }; } function getCompletionEntryDisplayNameForSymbol(symbol, target, origin, kind, jsxIdentifierExpected) { if (originIsIgnore(origin)) { return void 0; } const name = originIncludesSymbolName(origin) ? origin.symbolName : symbol.name; if (name === void 0 || symbol.flags & 1536 && isSingleOrDoubleQuote(name.charCodeAt(0)) || isKnownSymbol(symbol)) { return void 0; } const validNameResult = { name, needsConvertPropertyAccess: false }; if (isIdentifierText( name, target, jsxIdentifierExpected ? 1 : 0 /* Standard */ ) || symbol.valueDeclaration && isPrivateIdentifierClassElementDeclaration(symbol.valueDeclaration)) { return validNameResult; } switch (kind) { case 3: return originIsComputedPropertyName(origin) ? { name: origin.symbolName, needsConvertPropertyAccess: false } : void 0; case 0: return { name: JSON.stringify(name), needsConvertPropertyAccess: false }; case 2: case 1: return name.charCodeAt(0) === 32 ? void 0 : { name, needsConvertPropertyAccess: true }; case 5: case 4: return validNameResult; default: Debug.assertNever(kind); } } var _keywordCompletions = []; var allKeywordsCompletions = memoize(() => { const res = []; for (let i = 83; i <= 165; i++) { res.push({ name: tokenToString(i), kind: "keyword", kindModifiers: "", sortText: SortText.GlobalsOrKeywords }); } return res; }); function getKeywordCompletions(keywordFilter, filterOutTsOnlyKeywords) { if (!filterOutTsOnlyKeywords) return getTypescriptKeywordCompletions(keywordFilter); const index = keywordFilter + 8 + 1; return _keywordCompletions[index] || (_keywordCompletions[index] = getTypescriptKeywordCompletions(keywordFilter).filter((entry) => !isTypeScriptOnlyKeyword(stringToToken(entry.name)))); } function getTypescriptKeywordCompletions(keywordFilter) { return _keywordCompletions[keywordFilter] || (_keywordCompletions[keywordFilter] = allKeywordsCompletions().filter((entry) => { const kind = stringToToken(entry.name); switch (keywordFilter) { case 0: return false; case 1: return isFunctionLikeBodyKeyword(kind) || kind === 138 || kind === 144 || kind === 156 || kind === 145 || kind === 128 || isTypeKeyword(kind) && kind !== 157; case 5: return isFunctionLikeBodyKeyword(kind); case 2: return isClassMemberCompletionKeyword(kind); case 3: return isInterfaceOrTypeLiteralCompletionKeyword(kind); case 4: return isParameterPropertyModifier(kind); case 6: return isTypeKeyword(kind) || kind === 87; case 7: return isTypeKeyword(kind); case 8: return kind === 156; default: return Debug.assertNever(keywordFilter); } })); } function isTypeScriptOnlyKeyword(kind) { switch (kind) { case 128: case 133: case 163: case 136: case 138: case 94: case 162: case 119: case 140: case 120: case 142: case 143: case 144: case 145: case 146: case 150: case 151: case 164: case 123: case 124: case 125: case 148: case 154: case 155: case 156: case 158: case 159: return true; default: return false; } } function isInterfaceOrTypeLiteralCompletionKeyword(kind) { return kind === 148; } function isClassMemberCompletionKeyword(kind) { switch (kind) { case 128: case 129: case 137: case 139: case 153: case 134: case 138: case 164: return true; default: return isClassMemberModifier(kind); } } function isFunctionLikeBodyKeyword(kind) { return kind === 134 || kind === 135 || kind === 160 || kind === 130 || kind === 152 || kind === 156 || !isContextualKeyword(kind) && !isClassMemberCompletionKeyword(kind); } function keywordForNode(node) { return isIdentifier(node) ? identifierToKeywordKind(node) ?? 0 : node.kind; } function getContextualKeywords(contextToken, position) { const entries = []; if (contextToken) { const file = contextToken.getSourceFile(); const parent2 = contextToken.parent; const tokenLine = file.getLineAndCharacterOfPosition(contextToken.end).line; const currentLine = file.getLineAndCharacterOfPosition(position).line; if ((isImportDeclaration(parent2) || isExportDeclaration(parent2) && parent2.moduleSpecifier) && contextToken === parent2.moduleSpecifier && tokenLine === currentLine) { entries.push({ name: tokenToString( 132 /* AssertKeyword */ ), kind: "keyword", kindModifiers: "", sortText: SortText.GlobalsOrKeywords }); } } return entries; } function getJsDocTagAtPosition(node, position) { return findAncestor(node, (n) => isJSDocTag(n) && rangeContainsPosition(n, position) ? true : isJSDoc(n) ? "quit" : false); } function getPropertiesForObjectExpression(contextualType, completionsType, obj, checker) { const hasCompletionsType = completionsType && completionsType !== contextualType; const type = hasCompletionsType && !(completionsType.flags & 3) ? checker.getUnionType([contextualType, completionsType]) : contextualType; const properties = getApparentProperties(type, obj, checker); return type.isClass() && containsNonPublicProperties(properties) ? [] : hasCompletionsType ? filter(properties, hasDeclarationOtherThanSelf) : properties; function hasDeclarationOtherThanSelf(member) { if (!length(member.declarations)) return true; return some(member.declarations, (decl) => decl.parent !== obj); } } function getApparentProperties(type, node, checker) { if (!type.isUnion()) return type.getApparentProperties(); return checker.getAllPossiblePropertiesOfTypes(filter(type.types, (memberType) => !(memberType.flags & 402784252 || checker.isArrayLikeType(memberType) || checker.isTypeInvalidDueToUnionDiscriminant(memberType, node) || checker.typeHasCallOrConstructSignatures(memberType) || memberType.isClass() && containsNonPublicProperties(memberType.getApparentProperties())))); } function containsNonPublicProperties(props) { return some(props, (p) => !!(getDeclarationModifierFlagsFromSymbol(p) & 6)); } function getPropertiesForCompletion(type, checker) { return type.isUnion() ? Debug.checkEachDefined(checker.getAllPossiblePropertiesOfTypes(type.types), "getAllPossiblePropertiesOfTypes() should all be defined") : Debug.checkEachDefined(type.getApparentProperties(), "getApparentProperties() should all be defined"); } function tryGetObjectTypeDeclarationCompletionContainer(sourceFile, contextToken, location, position) { switch (location.kind) { case 352: return tryCast(location.parent, isObjectTypeDeclaration); case 1: const cls = tryCast(lastOrUndefined(cast(location.parent, isSourceFile).statements), isObjectTypeDeclaration); if (cls && !findChildOfKind(cls, 20, sourceFile)) { return cls; } break; case 81: if (tryCast(location.parent, isPropertyDeclaration)) { return findAncestor(location, isClassLike); } break; case 80: { const originalKeywordKind = identifierToKeywordKind(location); if (originalKeywordKind) { return void 0; } if (isPropertyDeclaration(location.parent) && location.parent.initializer === location) { return void 0; } if (isFromObjectTypeDeclaration(location)) { return findAncestor(location, isObjectTypeDeclaration); } } } if (!contextToken) return void 0; if (location.kind === 137 || isIdentifier(contextToken) && isPropertyDeclaration(contextToken.parent) && isClassLike(location)) { return findAncestor(contextToken, isClassLike); } switch (contextToken.kind) { case 64: return void 0; case 27: case 20: return isFromObjectTypeDeclaration(location) && location.parent.name === location ? location.parent.parent : tryCast(location, isObjectTypeDeclaration); case 19: case 28: return tryCast(contextToken.parent, isObjectTypeDeclaration); default: if (isObjectTypeDeclaration(location)) { if (getLineAndCharacterOfPosition(sourceFile, contextToken.getEnd()).line !== getLineAndCharacterOfPosition(sourceFile, position).line) { return location; } const isValidKeyword = isClassLike(contextToken.parent.parent) ? isClassMemberCompletionKeyword : isInterfaceOrTypeLiteralCompletionKeyword; return isValidKeyword(contextToken.kind) || contextToken.kind === 42 || isIdentifier(contextToken) && isValidKeyword( identifierToKeywordKind(contextToken) ?? 0 /* Unknown */ ) ? contextToken.parent.parent : void 0; } return void 0; } } function tryGetTypeLiteralNode(node) { if (!node) return void 0; const parent2 = node.parent; switch (node.kind) { case 19: if (isTypeLiteralNode(parent2)) { return parent2; } break; case 27: case 28: case 80: if (parent2.kind === 171 && isTypeLiteralNode(parent2.parent)) { return parent2.parent; } break; } return void 0; } function getConstraintOfTypeArgumentProperty(node, checker) { if (!node) return void 0; if (isTypeNode(node) && isTypeReferenceType(node.parent)) { return checker.getTypeArgumentConstraint(node); } const t = getConstraintOfTypeArgumentProperty(node.parent, checker); if (!t) return void 0; switch (node.kind) { case 171: return checker.getTypeOfPropertyOfContextualType(t, node.symbol.escapedName); case 193: case 187: case 192: return t; } } function isFromObjectTypeDeclaration(node) { return node.parent && isClassOrTypeElement(node.parent) && isObjectTypeDeclaration(node.parent.parent); } function isValidTrigger(sourceFile, triggerCharacter, contextToken, position) { switch (triggerCharacter) { case ".": case "@": return true; case '"': case "'": case "`": return !!contextToken && isStringLiteralOrTemplate(contextToken) && position === contextToken.getStart(sourceFile) + 1; case "#": return !!contextToken && isPrivateIdentifier(contextToken) && !!getContainingClass(contextToken); case "<": return !!contextToken && contextToken.kind === 30 && (!isBinaryExpression(contextToken.parent) || binaryExpressionMayBeOpenTag(contextToken.parent)); case "/": return !!contextToken && (isStringLiteralLike(contextToken) ? !!tryGetImportFromModuleSpecifier(contextToken) : contextToken.kind === 44 && isJsxClosingElement(contextToken.parent)); case " ": return !!contextToken && isImportKeyword(contextToken) && contextToken.parent.kind === 307; default: return Debug.assertNever(triggerCharacter); } } function binaryExpressionMayBeOpenTag({ left }) { return nodeIsMissing(left); } function isProbablyGlobalType(type, sourceFile, checker) { const selfSymbol = checker.resolveName( "self", /*location*/ void 0, 111551, /*excludeGlobals*/ false ); if (selfSymbol && checker.getTypeOfSymbolAtLocation(selfSymbol, sourceFile) === type) { return true; } const globalSymbol = checker.resolveName( "global", /*location*/ void 0, 111551, /*excludeGlobals*/ false ); if (globalSymbol && checker.getTypeOfSymbolAtLocation(globalSymbol, sourceFile) === type) { return true; } const globalThisSymbol = checker.resolveName( "globalThis", /*location*/ void 0, 111551, /*excludeGlobals*/ false ); if (globalThisSymbol && checker.getTypeOfSymbolAtLocation(globalThisSymbol, sourceFile) === type) { return true; } return false; } function isStaticProperty(symbol) { return !!(symbol.valueDeclaration && getEffectiveModifierFlags(symbol.valueDeclaration) & 256 && isClassLike(symbol.valueDeclaration.parent)); } function tryGetObjectLiteralContextualType(node, typeChecker) { const type = typeChecker.getContextualType(node); if (type) { return type; } const parent2 = walkUpParenthesizedExpressions(node.parent); if (isBinaryExpression(parent2) && parent2.operatorToken.kind === 64 && node === parent2.left) { return typeChecker.getTypeAtLocation(parent2); } if (isExpression(parent2)) { return typeChecker.getContextualType(parent2); } return void 0; } function getImportStatementCompletionInfo(contextToken, sourceFile) { var _a, _b, _c; let keywordCompletion; let isKeywordOnlyCompletion = false; const candidate = getCandidate(); return { isKeywordOnlyCompletion, keywordCompletion, isNewIdentifierLocation: !!(candidate || keywordCompletion === 156), isTopLevelTypeOnly: !!((_b = (_a = tryCast(candidate, isImportDeclaration)) == null ? void 0 : _a.importClause) == null ? void 0 : _b.isTypeOnly) || !!((_c = tryCast(candidate, isImportEqualsDeclaration)) == null ? void 0 : _c.isTypeOnly), couldBeTypeOnlyImportSpecifier: !!candidate && couldBeTypeOnlyImportSpecifier(candidate, contextToken), replacementSpan: getSingleLineReplacementSpanForImportCompletionNode(candidate) }; function getCandidate() { const parent2 = contextToken.parent; if (isImportEqualsDeclaration(parent2)) { const lastToken = parent2.getLastToken(sourceFile); if (isIdentifier(contextToken) && lastToken !== contextToken) { keywordCompletion = 161; isKeywordOnlyCompletion = true; return void 0; } keywordCompletion = contextToken.kind === 156 ? void 0 : 156; return isModuleSpecifierMissingOrEmpty(parent2.moduleReference) ? parent2 : void 0; } if (couldBeTypeOnlyImportSpecifier(parent2, contextToken) && canCompleteFromNamedBindings(parent2.parent)) { return parent2; } if (isNamedImports(parent2) || isNamespaceImport(parent2)) { if (!parent2.parent.isTypeOnly && (contextToken.kind === 19 || contextToken.kind === 102 || contextToken.kind === 28)) { keywordCompletion = 156; } if (canCompleteFromNamedBindings(parent2)) { if (contextToken.kind === 20 || contextToken.kind === 80) { isKeywordOnlyCompletion = true; keywordCompletion = 161; } else { return parent2.parent.parent; } } return void 0; } if (isExportDeclaration(parent2) && contextToken.kind === 42 || isNamedExports(parent2) && contextToken.kind === 20) { isKeywordOnlyCompletion = true; keywordCompletion = 161; return void 0; } if (isImportKeyword(contextToken) && isSourceFile(parent2)) { keywordCompletion = 156; return contextToken; } if (isImportKeyword(contextToken) && isImportDeclaration(parent2)) { keywordCompletion = 156; return isModuleSpecifierMissingOrEmpty(parent2.moduleSpecifier) ? parent2 : void 0; } return void 0; } } function getSingleLineReplacementSpanForImportCompletionNode(node) { var _a; if (!node) return void 0; const top = findAncestor(node, or(isImportDeclaration, isImportEqualsDeclaration, isJSDocImportTag)) ?? node; const sourceFile = top.getSourceFile(); if (rangeIsOnSingleLine(top, sourceFile)) { return createTextSpanFromNode(top, sourceFile); } Debug.assert( top.kind !== 102 && top.kind !== 276 /* ImportSpecifier */ ); const potentialSplitPoint = top.kind === 272 || top.kind === 351 ? getPotentiallyInvalidImportSpecifier((_a = top.importClause) == null ? void 0 : _a.namedBindings) ?? top.moduleSpecifier : top.moduleReference; const withoutModuleSpecifier = { pos: top.getFirstToken().getStart(), end: potentialSplitPoint.pos }; if (rangeIsOnSingleLine(withoutModuleSpecifier, sourceFile)) { return createTextSpanFromRange(withoutModuleSpecifier); } } function getPotentiallyInvalidImportSpecifier(namedBindings) { var _a; return find( (_a = tryCast(namedBindings, isNamedImports)) == null ? void 0 : _a.elements, (e) => { var _a2; return !e.propertyName && isStringANonContextualKeyword(e.name.text) && ((_a2 = findPrecedingToken(e.name.pos, namedBindings.getSourceFile(), namedBindings)) == null ? void 0 : _a2.kind) !== 28; } ); } function couldBeTypeOnlyImportSpecifier(importSpecifier, contextToken) { return isImportSpecifier(importSpecifier) && (importSpecifier.isTypeOnly || contextToken === importSpecifier.name && isTypeKeywordTokenOrIdentifier(contextToken)); } function canCompleteFromNamedBindings(namedBindings) { if (!isModuleSpecifierMissingOrEmpty(namedBindings.parent.parent.moduleSpecifier) || namedBindings.parent.name) { return false; } if (isNamedImports(namedBindings)) { const invalidNamedImport = getPotentiallyInvalidImportSpecifier(namedBindings); const validImports = invalidNamedImport ? namedBindings.elements.indexOf(invalidNamedImport) : namedBindings.elements.length; return validImports < 2; } return true; } function isModuleSpecifierMissingOrEmpty(specifier) { var _a; if (nodeIsMissing(specifier)) return true; return !((_a = tryCast(isExternalModuleReference(specifier) ? specifier.expression : specifier, isStringLiteralLike)) == null ? void 0 : _a.text); } function getVariableOrParameterDeclaration(contextToken, location) { if (!contextToken) return; const possiblyParameterDeclaration = findAncestor(contextToken, (node) => isFunctionBlock(node) || isArrowFunctionBody2(node) || isBindingPattern(node) ? "quit" : (isParameter(node) || isTypeParameterDeclaration(node)) && !isIndexSignatureDeclaration(node.parent)); const possiblyVariableDeclaration = findAncestor(location, (node) => isFunctionBlock(node) || isArrowFunctionBody2(node) || isBindingPattern(node) ? "quit" : isVariableDeclaration(node)); return possiblyParameterDeclaration || possiblyVariableDeclaration; } function isArrowFunctionBody2(node) { return node.parent && isArrowFunction(node.parent) && (node.parent.body === node || // const a = () => /**/; node.kind === 39); } function symbolCanBeReferencedAtTypeLocation(symbol, checker, seenModules = /* @__PURE__ */ new Map()) { return nonAliasCanBeReferencedAtTypeLocation(symbol) || nonAliasCanBeReferencedAtTypeLocation(skipAlias(symbol.exportSymbol || symbol, checker)); function nonAliasCanBeReferencedAtTypeLocation(symbol2) { return !!(symbol2.flags & 788968) || checker.isUnknownSymbol(symbol2) || !!(symbol2.flags & 1536) && addToSeen(seenModules, getSymbolId(symbol2)) && checker.getExportsOfModule(symbol2).some((e) => symbolCanBeReferencedAtTypeLocation(e, checker, seenModules)); } } function isDeprecated(symbol, checker) { const declarations = skipAlias(symbol, checker).declarations; return !!length(declarations) && every(declarations, isDeprecatedDeclaration); } function charactersFuzzyMatchInString(identifierString, lowercaseCharacters) { if (lowercaseCharacters.length === 0) { return true; } let matchedFirstCharacter = false; let prevChar; let characterIndex = 0; const len = identifierString.length; for (let strIndex = 0; strIndex < len; strIndex++) { const strChar = identifierString.charCodeAt(strIndex); const testChar = lowercaseCharacters.charCodeAt(characterIndex); if (strChar === testChar || strChar === toUpperCharCode(testChar)) { matchedFirstCharacter || (matchedFirstCharacter = prevChar === void 0 || // Beginning of word 97 <= prevChar && prevChar <= 122 && 65 <= strChar && strChar <= 90 || // camelCase transition prevChar === 95 && strChar !== 95); if (matchedFirstCharacter) { characterIndex++; } if (characterIndex === lowercaseCharacters.length) { return true; } } prevChar = strChar; } return false; } function toUpperCharCode(charCode) { if (97 <= charCode && charCode <= 122) { return charCode - 32; } return charCode; } function isContextualKeywordInAutoImportableExpressionSpace(keyword) { return keyword === "abstract" || keyword === "async" || keyword === "await" || keyword === "declare" || keyword === "module" || keyword === "namespace" || keyword === "type" || keyword === "satisfies" || keyword === "as"; } var ts_Completions_StringCompletions_exports = {}; __export2(ts_Completions_StringCompletions_exports, { getStringLiteralCompletionDetails: () => getStringLiteralCompletionDetails, getStringLiteralCompletions: () => getStringLiteralCompletions }); var kindPrecedence = { [ "directory" /* directory */ ]: 0, [ "script" /* scriptElement */ ]: 1, [ "external module name" /* externalModuleName */ ]: 2 }; function createNameAndKindSet() { const map2 = /* @__PURE__ */ new Map(); function add(value) { const existing = map2.get(value.name); if (!existing || kindPrecedence[existing.kind] < kindPrecedence[value.kind]) { map2.set(value.name, value); } } return { add, has: map2.has.bind(map2), values: map2.values.bind(map2) }; } function getStringLiteralCompletions(sourceFile, position, contextToken, options, host, program, log, preferences, includeSymbol) { if (isInReferenceComment(sourceFile, position)) { const entries = getTripleSlashReferenceCompletion(sourceFile, position, options, host); return entries && convertPathCompletions(entries); } if (isInString(sourceFile, position, contextToken)) { if (!contextToken || !isStringLiteralLike(contextToken)) return void 0; const entries = getStringLiteralCompletionEntries(sourceFile, contextToken, position, program, host, preferences); return convertStringLiteralCompletions(entries, contextToken, sourceFile, host, program, log, options, preferences, position, includeSymbol); } } function convertStringLiteralCompletions(completion, contextToken, sourceFile, host, program, log, options, preferences, position, includeSymbol) { if (completion === void 0) { return void 0; } const optionalReplacementSpan = createTextSpanFromStringLiteralLikeContent(contextToken, position); switch (completion.kind) { case 0: return convertPathCompletions(completion.paths); case 1: { const entries = createSortedArray(); getCompletionEntriesFromSymbols( completion.symbols, entries, contextToken, contextToken, sourceFile, position, sourceFile, host, program, 99, log, 4, preferences, options, /*formatContext*/ void 0, /*isTypeOnlyLocation*/ void 0, /*propertyAccessToConvert*/ void 0, /*jsxIdentifierExpected*/ void 0, /*isJsxInitializer*/ void 0, /*importStatementCompletion*/ void 0, /*recommendedCompletion*/ void 0, /*symbolToOriginInfoMap*/ void 0, /*symbolToSortTextMap*/ void 0, /*isJsxIdentifierExpected*/ void 0, /*isRightOfOpenTag*/ void 0, includeSymbol ); return { isGlobalCompletion: false, isMemberCompletion: true, isNewIdentifierLocation: completion.hasIndexSignature, optionalReplacementSpan, entries }; } case 2: { const quoteChar = contextToken.kind === 15 ? 96 : startsWith2(getTextOfNode(contextToken), "'") ? 39 : 34; const entries = completion.types.map((type) => ({ name: escapeString2(type.value, quoteChar), kindModifiers: "", kind: "string", sortText: SortText.LocationPriority, replacementSpan: getReplacementSpanForContextToken(contextToken, position) })); return { isGlobalCompletion: false, isMemberCompletion: false, isNewIdentifierLocation: completion.isNewIdentifier, optionalReplacementSpan, entries }; } default: return Debug.assertNever(completion); } } function getStringLiteralCompletionDetails(name, sourceFile, position, contextToken, program, host, cancellationToken, preferences) { if (!contextToken || !isStringLiteralLike(contextToken)) return void 0; const completions = getStringLiteralCompletionEntries(sourceFile, contextToken, position, program, host, preferences); return completions && stringLiteralCompletionDetails(name, contextToken, completions, sourceFile, program.getTypeChecker(), cancellationToken); } function stringLiteralCompletionDetails(name, location, completion, sourceFile, checker, cancellationToken) { switch (completion.kind) { case 0: { const match = find(completion.paths, (p) => p.name === name); return match && createCompletionDetails(name, kindModifiersFromExtension(match.extension), match.kind, [textPart(name)]); } case 1: { const match = find(completion.symbols, (s) => s.name === name); return match && createCompletionDetailsForSymbol(match, match.name, checker, sourceFile, location, cancellationToken); } case 2: return find(completion.types, (t) => t.value === name) ? createCompletionDetails(name, "", "string", [textPart(name)]) : void 0; default: return Debug.assertNever(completion); } } function convertPathCompletions(pathCompletions) { const isGlobalCompletion = false; const isNewIdentifierLocation = true; const entries = pathCompletions.map(({ name, kind, span, extension }) => ({ name, kind, kindModifiers: kindModifiersFromExtension(extension), sortText: SortText.LocationPriority, replacementSpan: span })); return { isGlobalCompletion, isMemberCompletion: false, isNewIdentifierLocation, entries }; } function kindModifiersFromExtension(extension) { switch (extension) { case ".d.ts": return ".d.ts"; case ".js": return ".js"; case ".json": return ".json"; case ".jsx": return ".jsx"; case ".ts": return ".ts"; case ".tsx": return ".tsx"; case ".d.mts": return ".d.mts"; case ".mjs": return ".mjs"; case ".mts": return ".mts"; case ".d.cts": return ".d.cts"; case ".cjs": return ".cjs"; case ".cts": return ".cts"; case ".tsbuildinfo": return Debug.fail(`Extension ${".tsbuildinfo"} is unsupported.`); case void 0: return ""; default: return Debug.assertNever(extension); } } function getStringLiteralCompletionEntries(sourceFile, node, position, program, host, preferences) { const typeChecker = program.getTypeChecker(); const parent2 = walkUpParentheses(node.parent); switch (parent2.kind) { case 201: { const grandParent = walkUpParentheses(parent2.parent); if (grandParent.kind === 205) { return { kind: 0, paths: getStringLiteralCompletionsFromModuleNames(sourceFile, node, program, host, preferences) }; } return fromUnionableLiteralType(grandParent); } case 303: if (isObjectLiteralExpression(parent2.parent) && parent2.name === node) { return stringLiteralCompletionsForObjectLiteral(typeChecker, parent2.parent); } return fromContextualType() || fromContextualType( 0 /* None */ ); case 212: { const { expression, argumentExpression } = parent2; if (node === skipParentheses(argumentExpression)) { return stringLiteralCompletionsFromProperties(typeChecker.getTypeAtLocation(expression)); } return void 0; } case 213: case 214: case 291: if (!isRequireCallArgument(node) && !isImportCall(parent2)) { const argumentInfo = ts_SignatureHelp_exports.getArgumentInfoForCompletions(parent2.kind === 291 ? parent2.parent : node, position, sourceFile, typeChecker); return argumentInfo && getStringLiteralCompletionsFromSignature(argumentInfo.invocation, node, argumentInfo, typeChecker) || fromContextualType( 0 /* None */ ); } case 272: case 278: case 283: case 351: return { kind: 0, paths: getStringLiteralCompletionsFromModuleNames(sourceFile, node, program, host, preferences) }; case 296: const tracker2 = newCaseClauseTracker(typeChecker, parent2.parent.clauses); const contextualTypes = fromContextualType(); if (!contextualTypes) { return; } const literals = contextualTypes.types.filter((literal) => !tracker2.hasValue(literal.value)); return { kind: 2, types: literals, isNewIdentifier: false }; default: return fromContextualType() || fromContextualType( 0 /* None */ ); } function fromUnionableLiteralType(grandParent) { switch (grandParent.kind) { case 233: case 183: { const typeArgument = findAncestor(parent2, (n) => n.parent === grandParent); if (typeArgument) { return { kind: 2, types: getStringLiteralTypes(typeChecker.getTypeArgumentConstraint(typeArgument)), isNewIdentifier: false }; } return void 0; } case 199: const { indexType, objectType: objectType2 } = grandParent; if (!rangeContainsPosition(indexType, position)) { return void 0; } return stringLiteralCompletionsFromProperties(typeChecker.getTypeFromTypeNode(objectType2)); case 192: { const result = fromUnionableLiteralType(walkUpParentheses(grandParent.parent)); if (!result) { return void 0; } const alreadyUsedTypes = getAlreadyUsedTypesInStringLiteralUnion(grandParent, parent2); if (result.kind === 1) { return { kind: 1, symbols: result.symbols.filter((sym) => !contains(alreadyUsedTypes, sym.name)), hasIndexSignature: result.hasIndexSignature }; } return { kind: 2, types: result.types.filter((t) => !contains(alreadyUsedTypes, t.value)), isNewIdentifier: false }; } default: return void 0; } } function fromContextualType(contextFlags = 4) { const types = getStringLiteralTypes(getContextualTypeFromParent(node, typeChecker, contextFlags)); if (!types.length) { return; } return { kind: 2, types, isNewIdentifier: false }; } } function walkUpParentheses(node) { switch (node.kind) { case 196: return walkUpParenthesizedTypes(node); case 217: return walkUpParenthesizedExpressions(node); default: return node; } } function getAlreadyUsedTypesInStringLiteralUnion(union, current) { return mapDefined(union.types, (type) => type !== current && isLiteralTypeNode(type) && isStringLiteral2(type.literal) ? type.literal.text : void 0); } function getStringLiteralCompletionsFromSignature(call, arg, argumentInfo, checker) { let isNewIdentifier = false; const uniques = /* @__PURE__ */ new Map(); const editingArgument = isJsxOpeningLikeElement(call) ? Debug.checkDefined(findAncestor(arg.parent, isJsxAttribute)) : arg; const candidates = checker.getCandidateSignaturesForStringLiteralCompletions(call, editingArgument); const types = flatMap(candidates, (candidate) => { if (!signatureHasRestParameter(candidate) && argumentInfo.argumentCount > candidate.parameters.length) return; let type = candidate.getTypeParameterAtPosition(argumentInfo.argumentIndex); if (isJsxOpeningLikeElement(call)) { const propType = checker.getTypeOfPropertyOfType(type, getTextOfJsxAttributeName(editingArgument.name)); if (propType) { type = propType; } } isNewIdentifier = isNewIdentifier || !!(type.flags & 4); return getStringLiteralTypes(type, uniques); }); return length(types) ? { kind: 2, types, isNewIdentifier } : void 0; } function stringLiteralCompletionsFromProperties(type) { return type && { kind: 1, symbols: filter(type.getApparentProperties(), (prop) => !(prop.valueDeclaration && isPrivateIdentifierClassElementDeclaration(prop.valueDeclaration))), hasIndexSignature: hasIndexSignature(type) }; } function stringLiteralCompletionsForObjectLiteral(checker, objectLiteralExpression) { const contextualType = checker.getContextualType(objectLiteralExpression); if (!contextualType) return void 0; const completionsType = checker.getContextualType( objectLiteralExpression, 4 /* Completions */ ); const symbols = getPropertiesForObjectExpression( contextualType, completionsType, objectLiteralExpression, checker ); return { kind: 1, symbols, hasIndexSignature: hasIndexSignature(contextualType) }; } function getStringLiteralTypes(type, uniques = /* @__PURE__ */ new Map()) { if (!type) return emptyArray; type = skipConstraint(type); return type.isUnion() ? flatMap(type.types, (t) => getStringLiteralTypes(t, uniques)) : type.isStringLiteral() && !(type.flags & 1024) && addToSeen(uniques, type.value) ? [type] : emptyArray; } function nameAndKind(name, kind, extension) { return { name, kind, extension }; } function directoryResult(name) { return nameAndKind( name, "directory", /*extension*/ void 0 ); } function addReplacementSpans(text, textStart, names) { const span = getDirectoryFragmentTextSpan(text, textStart); const wholeSpan = text.length === 0 ? void 0 : createTextSpan(textStart, text.length); return names.map(({ name, kind, extension }) => name.includes(directorySeparator) || name.includes(altDirectorySeparator) ? { name, kind, extension, span: wholeSpan } : { name, kind, extension, span }); } function getStringLiteralCompletionsFromModuleNames(sourceFile, node, program, host, preferences) { return addReplacementSpans(node.text, node.getStart(sourceFile) + 1, getStringLiteralCompletionsFromModuleNamesWorker(sourceFile, node, program, host, preferences)); } function getStringLiteralCompletionsFromModuleNamesWorker(sourceFile, node, program, host, preferences) { const literalValue = normalizeSlashes(node.text); const mode = isStringLiteralLike(node) ? program.getModeForUsageLocation(sourceFile, node) : void 0; const scriptPath = sourceFile.path; const scriptDirectory = getDirectoryPath(scriptPath); const compilerOptions = program.getCompilerOptions(); const typeChecker = program.getTypeChecker(); const extensionOptions = getExtensionOptions(compilerOptions, 1, sourceFile, typeChecker, preferences, mode); return isPathRelativeToScript(literalValue) || !compilerOptions.baseUrl && !compilerOptions.paths && (isRootedDiskPath(literalValue) || isUrl(literalValue)) ? getCompletionEntriesForRelativeModules(literalValue, scriptDirectory, compilerOptions, host, scriptPath, extensionOptions) : getCompletionEntriesForNonRelativeModules(literalValue, scriptDirectory, mode, compilerOptions, host, extensionOptions, typeChecker); } function getExtensionOptions(compilerOptions, referenceKind, importingSourceFile, typeChecker, preferences, resolutionMode) { return { extensionsToSearch: flatten(getSupportedExtensionsForModuleResolution(compilerOptions, typeChecker)), referenceKind, importingSourceFile, endingPreference: preferences == null ? void 0 : preferences.importModuleSpecifierEnding, resolutionMode }; } function getCompletionEntriesForRelativeModules(literalValue, scriptDirectory, compilerOptions, host, scriptPath, extensionOptions) { if (compilerOptions.rootDirs) { return getCompletionEntriesForDirectoryFragmentWithRootDirs( compilerOptions.rootDirs, literalValue, scriptDirectory, extensionOptions, compilerOptions, host, scriptPath ); } else { return arrayFrom(getCompletionEntriesForDirectoryFragment( literalValue, scriptDirectory, extensionOptions, host, /*moduleSpecifierIsRelative*/ true, scriptPath ).values()); } } function getSupportedExtensionsForModuleResolution(compilerOptions, typeChecker) { const ambientModulesExtensions = !typeChecker ? [] : mapDefined(typeChecker.getAmbientModules(), (module22) => { const name = module22.name.slice(1, -1); if (!name.startsWith("*.") || name.includes("/")) return; return name.slice(1); }); const extensions = [...getSupportedExtensions(compilerOptions), ambientModulesExtensions]; const moduleResolution = getEmitModuleResolutionKind(compilerOptions); return moduleResolutionUsesNodeModules(moduleResolution) ? getSupportedExtensionsWithJsonIfResolveJsonModule(compilerOptions, extensions) : extensions; } function getBaseDirectoriesFromRootDirs(rootDirs, basePath, scriptDirectory, ignoreCase) { rootDirs = rootDirs.map((rootDirectory) => ensureTrailingDirectorySeparator(normalizePath(isRootedDiskPath(rootDirectory) ? rootDirectory : combinePaths(basePath, rootDirectory)))); const relativeDirectory = firstDefined(rootDirs, (rootDirectory) => containsPath(rootDirectory, scriptDirectory, basePath, ignoreCase) ? scriptDirectory.substr(rootDirectory.length) : void 0); return deduplicate( [...rootDirs.map((rootDirectory) => combinePaths(rootDirectory, relativeDirectory)), scriptDirectory].map((baseDir) => removeTrailingDirectorySeparator(baseDir)), equateStringsCaseSensitive, compareStringsCaseSensitive ); } function getCompletionEntriesForDirectoryFragmentWithRootDirs(rootDirs, fragment, scriptDirectory, extensionOptions, compilerOptions, host, exclude) { const basePath = compilerOptions.project || host.getCurrentDirectory(); const ignoreCase = !(host.useCaseSensitiveFileNames && host.useCaseSensitiveFileNames()); const baseDirectories = getBaseDirectoriesFromRootDirs(rootDirs, basePath, scriptDirectory, ignoreCase); return deduplicate( flatMap(baseDirectories, (baseDirectory) => arrayFrom(getCompletionEntriesForDirectoryFragment( fragment, baseDirectory, extensionOptions, host, /*moduleSpecifierIsRelative*/ true, exclude ).values())), (itemA, itemB) => itemA.name === itemB.name && itemA.kind === itemB.kind && itemA.extension === itemB.extension ); } function getCompletionEntriesForDirectoryFragment(fragment, scriptDirectory, extensionOptions, host, moduleSpecifierIsRelative, exclude, result = createNameAndKindSet()) { var _a; if (fragment === void 0) { fragment = ""; } fragment = normalizeSlashes(fragment); if (!hasTrailingDirectorySeparator(fragment)) { fragment = getDirectoryPath(fragment); } if (fragment === "") { fragment = "." + directorySeparator; } fragment = ensureTrailingDirectorySeparator(fragment); const absolutePath = resolvePath(scriptDirectory, fragment); const baseDirectory = hasTrailingDirectorySeparator(absolutePath) ? absolutePath : getDirectoryPath(absolutePath); if (!moduleSpecifierIsRelative) { const packageJsonPath = findPackageJson(baseDirectory, host); if (packageJsonPath) { const packageJson = readJson(packageJsonPath, host); const typesVersions = packageJson.typesVersions; if (typeof typesVersions === "object") { const versionPaths = (_a = getPackageJsonTypesVersionsPaths(typesVersions)) == null ? void 0 : _a.paths; if (versionPaths) { const packageDirectory = getDirectoryPath(packageJsonPath); const pathInPackage = absolutePath.slice(ensureTrailingDirectorySeparator(packageDirectory).length); if (addCompletionEntriesFromPaths(result, pathInPackage, packageDirectory, extensionOptions, host, versionPaths)) { return result; } } } } } const ignoreCase = !(host.useCaseSensitiveFileNames && host.useCaseSensitiveFileNames()); if (!tryDirectoryExists(host, baseDirectory)) return result; const files = tryReadDirectory( host, baseDirectory, extensionOptions.extensionsToSearch, /*exclude*/ void 0, /*include*/ ["./*"] ); if (files) { for (let filePath of files) { filePath = normalizePath(filePath); if (exclude && comparePaths(filePath, exclude, scriptDirectory, ignoreCase) === 0) { continue; } const { name, extension } = getFilenameWithExtensionOption( getBaseFileName(filePath), host.getCompilationSettings(), extensionOptions, /*isExportsWildcard*/ false ); result.add(nameAndKind(name, "script", extension)); } } const directories = tryGetDirectories(host, baseDirectory); if (directories) { for (const directory of directories) { const directoryName = getBaseFileName(normalizePath(directory)); if (directoryName !== "@types") { result.add(directoryResult(directoryName)); } } } return result; } function getFilenameWithExtensionOption(name, compilerOptions, extensionOptions, isExportsWildcard) { const nonJsResult = ts_moduleSpecifiers_exports.tryGetRealFileNameForNonJsDeclarationFileName(name); if (nonJsResult) { return { name: nonJsResult, extension: tryGetExtensionFromPath2(nonJsResult) }; } if (extensionOptions.referenceKind === 0) { return { name, extension: tryGetExtensionFromPath2(name) }; } let allowedEndings = getModuleSpecifierPreferences( { importModuleSpecifierEnding: extensionOptions.endingPreference }, compilerOptions, extensionOptions.importingSourceFile ).getAllowedEndingsInPreferredOrder(extensionOptions.resolutionMode); if (isExportsWildcard) { allowedEndings = allowedEndings.filter( (e) => e !== 0 && e !== 1 /* Index */ ); } if (allowedEndings[0] === 3) { if (fileExtensionIsOneOf(name, supportedTSImplementationExtensions)) { return { name, extension: tryGetExtensionFromPath2(name) }; } const outputExtension2 = ts_moduleSpecifiers_exports.tryGetJSExtensionForFile(name, compilerOptions); return outputExtension2 ? { name: changeExtension(name, outputExtension2), extension: outputExtension2 } : { name, extension: tryGetExtensionFromPath2(name) }; } if (!isExportsWildcard && (allowedEndings[0] === 0 || allowedEndings[0] === 1) && fileExtensionIsOneOf(name, [ ".js", ".jsx", ".ts", ".tsx", ".d.ts" /* Dts */ ])) { return { name: removeFileExtension(name), extension: tryGetExtensionFromPath2(name) }; } const outputExtension = ts_moduleSpecifiers_exports.tryGetJSExtensionForFile(name, compilerOptions); return outputExtension ? { name: changeExtension(name, outputExtension), extension: outputExtension } : { name, extension: tryGetExtensionFromPath2(name) }; } function addCompletionEntriesFromPaths(result, fragment, baseDirectory, extensionOptions, host, paths) { const getPatternsForKey = (key) => paths[key]; const comparePaths2 = (a, b) => { const patternA = tryParsePattern(a); const patternB = tryParsePattern(b); const lengthA = typeof patternA === "object" ? patternA.prefix.length : a.length; const lengthB = typeof patternB === "object" ? patternB.prefix.length : b.length; return compareValues(lengthB, lengthA); }; return addCompletionEntriesFromPathsOrExports( result, /*isExports*/ false, fragment, baseDirectory, extensionOptions, host, getOwnKeys(paths), getPatternsForKey, comparePaths2 ); } function addCompletionEntriesFromPathsOrExports(result, isExports, fragment, baseDirectory, extensionOptions, host, keys2, getPatternsForKey, comparePaths2) { let pathResults = []; let matchedPath; for (const key of keys2) { if (key === ".") continue; const keyWithoutLeadingDotSlash = key.replace(/^\.\//, ""); const patterns = getPatternsForKey(key); if (patterns) { const pathPattern = tryParsePattern(keyWithoutLeadingDotSlash); if (!pathPattern) continue; const isMatch = typeof pathPattern === "object" && isPatternMatch(pathPattern, fragment); const isLongestMatch = isMatch && (matchedPath === void 0 || comparePaths2(key, matchedPath) === -1); if (isLongestMatch) { matchedPath = key; pathResults = pathResults.filter((r) => !r.matchedPattern); } if (typeof pathPattern === "string" || matchedPath === void 0 || comparePaths2(key, matchedPath) !== 1) { pathResults.push({ matchedPattern: isMatch, results: getCompletionsForPathMapping(keyWithoutLeadingDotSlash, patterns, fragment, baseDirectory, extensionOptions, isExports && isMatch, host).map(({ name, kind, extension }) => nameAndKind(name, kind, extension)) }); } } } pathResults.forEach((pathResult) => pathResult.results.forEach((r) => result.add(r))); return matchedPath !== void 0; } function getCompletionEntriesForNonRelativeModules(fragment, scriptPath, mode, compilerOptions, host, extensionOptions, typeChecker) { const { baseUrl, paths } = compilerOptions; const result = createNameAndKindSet(); const moduleResolution = getEmitModuleResolutionKind(compilerOptions); if (baseUrl) { const absolute = normalizePath(combinePaths(host.getCurrentDirectory(), baseUrl)); getCompletionEntriesForDirectoryFragment( fragment, absolute, extensionOptions, host, /*moduleSpecifierIsRelative*/ false, /*exclude*/ void 0, result ); } if (paths) { const absolute = getPathsBasePath(compilerOptions, host); addCompletionEntriesFromPaths(result, fragment, absolute, extensionOptions, host, paths); } const fragmentDirectory = getFragmentDirectory(fragment); for (const ambientName of getAmbientModuleCompletions(fragment, fragmentDirectory, typeChecker)) { result.add(nameAndKind( ambientName, "external module name", /*extension*/ void 0 )); } getCompletionEntriesFromTypings(host, compilerOptions, scriptPath, fragmentDirectory, extensionOptions, result); if (moduleResolutionUsesNodeModules(moduleResolution)) { let foundGlobal = false; if (fragmentDirectory === void 0) { for (const moduleName of enumerateNodeModulesVisibleToScript(host, scriptPath)) { const moduleResult = nameAndKind( moduleName, "external module name", /*extension*/ void 0 ); if (!result.has(moduleResult.name)) { foundGlobal = true; result.add(moduleResult); } } } if (!foundGlobal) { let ancestorLookup = (ancestor) => { const nodeModules = combinePaths(ancestor, "node_modules"); if (tryDirectoryExists(host, nodeModules)) { getCompletionEntriesForDirectoryFragment( fragment, nodeModules, extensionOptions, host, /*moduleSpecifierIsRelative*/ false, /*exclude*/ void 0, result ); } }; if (fragmentDirectory && getResolvePackageJsonExports(compilerOptions)) { const nodeModulesDirectoryLookup = ancestorLookup; ancestorLookup = (ancestor) => { const components = getPathComponents(fragment); components.shift(); let packagePath = components.shift(); if (!packagePath) { return nodeModulesDirectoryLookup(ancestor); } if (startsWith2(packagePath, "@")) { const subName = components.shift(); if (!subName) { return nodeModulesDirectoryLookup(ancestor); } packagePath = combinePaths(packagePath, subName); } const packageDirectory = combinePaths(ancestor, "node_modules", packagePath); const packageFile = combinePaths(packageDirectory, "package.json"); if (tryFileExists(host, packageFile)) { const packageJson = readJson(packageFile, host); const exports22 = packageJson.exports; if (exports22) { if (typeof exports22 !== "object" || exports22 === null) { return; } const keys2 = getOwnKeys(exports22); const fragmentSubpath = components.join("/") + (components.length && hasTrailingDirectorySeparator(fragment) ? "/" : ""); const conditions = getConditions(compilerOptions, mode); addCompletionEntriesFromPathsOrExports( result, /*isExports*/ true, fragmentSubpath, packageDirectory, extensionOptions, host, keys2, (key) => singleElementArray(getPatternFromFirstMatchingCondition(exports22[key], conditions)), comparePatternKeys ); return; } } return nodeModulesDirectoryLookup(ancestor); }; } forEachAncestorDirectory(scriptPath, ancestorLookup); } } return arrayFrom(result.values()); } function getPatternFromFirstMatchingCondition(target, conditions) { if (typeof target === "string") { return target; } if (target && typeof target === "object" && !isArray3(target)) { for (const condition in target) { if (condition === "default" || conditions.includes(condition) || isApplicableVersionedTypesKey(conditions, condition)) { const pattern = target[condition]; return getPatternFromFirstMatchingCondition(pattern, conditions); } } } } function getFragmentDirectory(fragment) { return containsSlash(fragment) ? hasTrailingDirectorySeparator(fragment) ? fragment : getDirectoryPath(fragment) : void 0; } function getCompletionsForPathMapping(path17, patterns, fragment, packageDirectory, extensionOptions, isExportsWildcard, host) { if (!endsWith(path17, "*")) { return !path17.includes("*") ? justPathMappingName( path17, "script" /* scriptElement */ ) : emptyArray; } const pathPrefix = path17.slice(0, path17.length - 1); const remainingFragment = tryRemovePrefix(fragment, pathPrefix); if (remainingFragment === void 0) { const starIsFullPathComponent = path17[path17.length - 2] === "/"; return starIsFullPathComponent ? justPathMappingName( pathPrefix, "directory" /* directory */ ) : flatMap(patterns, (pattern) => { var _a; return (_a = getModulesForPathsPattern("", packageDirectory, pattern, extensionOptions, isExportsWildcard, host)) == null ? void 0 : _a.map(({ name, ...rest }) => ({ name: pathPrefix + name, ...rest })); }); } return flatMap(patterns, (pattern) => getModulesForPathsPattern(remainingFragment, packageDirectory, pattern, extensionOptions, isExportsWildcard, host)); function justPathMappingName(name, kind) { return startsWith2(name, fragment) ? [{ name: removeTrailingDirectorySeparator(name), kind, extension: void 0 }] : emptyArray; } } function getModulesForPathsPattern(fragment, packageDirectory, pattern, extensionOptions, isExportsWildcard, host) { if (!host.readDirectory) { return void 0; } const parsed = tryParsePattern(pattern); if (parsed === void 0 || isString2(parsed)) { return void 0; } const normalizedPrefix = resolvePath(parsed.prefix); const normalizedPrefixDirectory = hasTrailingDirectorySeparator(parsed.prefix) ? normalizedPrefix : getDirectoryPath(normalizedPrefix); const normalizedPrefixBase = hasTrailingDirectorySeparator(parsed.prefix) ? "" : getBaseFileName(normalizedPrefix); const fragmentHasPath = containsSlash(fragment); const fragmentDirectory = fragmentHasPath ? hasTrailingDirectorySeparator(fragment) ? fragment : getDirectoryPath(fragment) : void 0; const expandedPrefixDirectory = fragmentHasPath ? combinePaths(normalizedPrefixDirectory, normalizedPrefixBase + fragmentDirectory) : normalizedPrefixDirectory; const normalizedSuffix = normalizePath(parsed.suffix); const declarationExtension = normalizedSuffix && getDeclarationEmitExtensionForPath("_" + normalizedSuffix); const matchingSuffixes = declarationExtension ? [changeExtension(normalizedSuffix, declarationExtension), normalizedSuffix] : [normalizedSuffix]; const baseDirectory = normalizePath(combinePaths(packageDirectory, expandedPrefixDirectory)); const completePrefix = fragmentHasPath ? baseDirectory : ensureTrailingDirectorySeparator(baseDirectory) + normalizedPrefixBase; const includeGlobs = normalizedSuffix ? matchingSuffixes.map((suffix) => "**/*" + suffix) : ["./*"]; const matches = mapDefined(tryReadDirectory( host, baseDirectory, extensionOptions.extensionsToSearch, /*exclude*/ void 0, includeGlobs ), (match) => { const trimmedWithPattern = trimPrefixAndSuffix(match); if (trimmedWithPattern) { if (containsSlash(trimmedWithPattern)) { return directoryResult(getPathComponents(removeLeadingDirectorySeparator(trimmedWithPattern))[1]); } const { name, extension } = getFilenameWithExtensionOption(trimmedWithPattern, host.getCompilationSettings(), extensionOptions, isExportsWildcard); return nameAndKind(name, "script", extension); } }); const directories = normalizedSuffix ? emptyArray : mapDefined(tryGetDirectories(host, baseDirectory), (dir) => dir === "node_modules" ? void 0 : directoryResult(dir)); return [...matches, ...directories]; function trimPrefixAndSuffix(path17) { return firstDefined(matchingSuffixes, (suffix) => { const inner = withoutStartAndEnd(normalizePath(path17), completePrefix, suffix); return inner === void 0 ? void 0 : removeLeadingDirectorySeparator(inner); }); } } function withoutStartAndEnd(s, start, end) { return startsWith2(s, start) && endsWith(s, end) ? s.slice(start.length, s.length - end.length) : void 0; } function removeLeadingDirectorySeparator(path17) { return path17[0] === directorySeparator ? path17.slice(1) : path17; } function getAmbientModuleCompletions(fragment, fragmentDirectory, checker) { const ambientModules = checker.getAmbientModules().map((sym) => stripQuotes(sym.name)); const nonRelativeModuleNames = ambientModules.filter((moduleName) => startsWith2(moduleName, fragment) && !moduleName.includes("*")); if (fragmentDirectory !== void 0) { const moduleNameWithSeparator = ensureTrailingDirectorySeparator(fragmentDirectory); return nonRelativeModuleNames.map((nonRelativeModuleName) => removePrefix(nonRelativeModuleName, moduleNameWithSeparator)); } return nonRelativeModuleNames; } function getTripleSlashReferenceCompletion(sourceFile, position, compilerOptions, host) { const token = getTokenAtPosition(sourceFile, position); const commentRanges = getLeadingCommentRanges(sourceFile.text, token.pos); const range = commentRanges && find(commentRanges, (commentRange) => position >= commentRange.pos && position <= commentRange.end); if (!range) { return void 0; } const text = sourceFile.text.slice(range.pos, position); const match = tripleSlashDirectiveFragmentRegex.exec(text); if (!match) { return void 0; } const [, prefix, kind, toComplete] = match; const scriptPath = getDirectoryPath(sourceFile.path); const names = kind === "path" ? getCompletionEntriesForDirectoryFragment( toComplete, scriptPath, getExtensionOptions(compilerOptions, 0, sourceFile), host, /*moduleSpecifierIsRelative*/ true, sourceFile.path ) : kind === "types" ? getCompletionEntriesFromTypings(host, compilerOptions, scriptPath, getFragmentDirectory(toComplete), getExtensionOptions(compilerOptions, 1, sourceFile)) : Debug.fail(); return addReplacementSpans(toComplete, range.pos + prefix.length, arrayFrom(names.values())); } function getCompletionEntriesFromTypings(host, options, scriptPath, fragmentDirectory, extensionOptions, result = createNameAndKindSet()) { const seen = /* @__PURE__ */ new Map(); const typeRoots = tryAndIgnoreErrors(() => getEffectiveTypeRoots(options, host)) || emptyArray; for (const root2 of typeRoots) { getCompletionEntriesFromDirectories(root2); } for (const packageJson of findPackageJsons(scriptPath, host)) { const typesDir = combinePaths(getDirectoryPath(packageJson), "node_modules/@types"); getCompletionEntriesFromDirectories(typesDir); } return result; function getCompletionEntriesFromDirectories(directory) { if (!tryDirectoryExists(host, directory)) return; for (const typeDirectoryName of tryGetDirectories(host, directory)) { const packageName = unmangleScopedPackageName(typeDirectoryName); if (options.types && !contains(options.types, packageName)) continue; if (fragmentDirectory === void 0) { if (!seen.has(packageName)) { result.add(nameAndKind( packageName, "external module name", /*extension*/ void 0 )); seen.set(packageName, true); } } else { const baseDirectory = combinePaths(directory, typeDirectoryName); const remainingFragment = tryRemoveDirectoryPrefix(fragmentDirectory, packageName, hostGetCanonicalFileName(host)); if (remainingFragment !== void 0) { getCompletionEntriesForDirectoryFragment( remainingFragment, baseDirectory, extensionOptions, host, /*moduleSpecifierIsRelative*/ false, /*exclude*/ void 0, result ); } } } } } function enumerateNodeModulesVisibleToScript(host, scriptPath) { if (!host.readFile || !host.fileExists) return emptyArray; const result = []; for (const packageJson of findPackageJsons(scriptPath, host)) { const contents = readJson(packageJson, host); for (const key of nodeModulesDependencyKeys) { const dependencies = contents[key]; if (!dependencies) continue; for (const dep in dependencies) { if (hasProperty(dependencies, dep) && !startsWith2(dep, "@types/")) { result.push(dep); } } } } return result; } function getDirectoryFragmentTextSpan(text, textStart) { const index = Math.max(text.lastIndexOf(directorySeparator), text.lastIndexOf(altDirectorySeparator)); const offset = index !== -1 ? index + 1 : 0; const length2 = text.length - offset; return length2 === 0 || isIdentifierText( text.substr(offset, length2), 99 /* ESNext */ ) ? void 0 : createTextSpan(textStart + offset, length2); } function isPathRelativeToScript(path17) { if (path17 && path17.length >= 2 && path17.charCodeAt(0) === 46) { const slashIndex = path17.length >= 3 && path17.charCodeAt(1) === 46 ? 2 : 1; const slashCharCode = path17.charCodeAt(slashIndex); return slashCharCode === 47 || slashCharCode === 92; } return false; } var tripleSlashDirectiveFragmentRegex = /^(\/\/\/\s* Core, DefinitionKind: () => DefinitionKind, EntryKind: () => EntryKind, ExportKind: () => ExportKind2, FindReferencesUse: () => FindReferencesUse, ImportExport: () => ImportExport, createImportTracker: () => createImportTracker, findModuleReferences: () => findModuleReferences, findReferenceOrRenameEntries: () => findReferenceOrRenameEntries, findReferencedSymbols: () => findReferencedSymbols, getContextNode: () => getContextNode, getExportInfo: () => getExportInfo, getImplementationsAtPosition: () => getImplementationsAtPosition, getImportOrExportSymbol: () => getImportOrExportSymbol, getReferenceEntriesForNode: () => getReferenceEntriesForNode, getTextSpanOfEntry: () => getTextSpanOfEntry, isContextWithStartAndEndNode: () => isContextWithStartAndEndNode, isDeclarationOfSymbol: () => isDeclarationOfSymbol, isWriteAccessForReference: () => isWriteAccessForReference, nodeEntry: () => nodeEntry, toContextSpan: () => toContextSpan, toHighlightSpan: () => toHighlightSpan, toReferenceEntry: () => toReferenceEntry, toRenameLocation: () => toRenameLocation }); function createImportTracker(sourceFiles, sourceFilesSet, checker, cancellationToken) { const allDirectImports = getDirectImportsMap(sourceFiles, checker, cancellationToken); return (exportSymbol, exportInfo, isForRename) => { const { directImports, indirectUsers } = getImportersForExport(sourceFiles, sourceFilesSet, allDirectImports, exportInfo, checker, cancellationToken); return { indirectUsers, ...getSearchesFromDirectImports(directImports, exportSymbol, exportInfo.exportKind, checker, isForRename) }; }; } var ExportKind2 = /* @__PURE__ */ ((ExportKind3) => { ExportKind3[ExportKind3["Named"] = 0] = "Named"; ExportKind3[ExportKind3["Default"] = 1] = "Default"; ExportKind3[ExportKind3["ExportEquals"] = 2] = "ExportEquals"; return ExportKind3; })(ExportKind2 || {}); var ImportExport = /* @__PURE__ */ ((ImportExport2) => { ImportExport2[ImportExport2["Import"] = 0] = "Import"; ImportExport2[ImportExport2["Export"] = 1] = "Export"; return ImportExport2; })(ImportExport || {}); function getImportersForExport(sourceFiles, sourceFilesSet, allDirectImports, { exportingModuleSymbol, exportKind }, checker, cancellationToken) { const markSeenDirectImport = nodeSeenTracker(); const markSeenIndirectUser = nodeSeenTracker(); const directImports = []; const isAvailableThroughGlobal = !!exportingModuleSymbol.globalExports; const indirectUserDeclarations = isAvailableThroughGlobal ? void 0 : []; handleDirectImports(exportingModuleSymbol); return { directImports, indirectUsers: getIndirectUsers() }; function getIndirectUsers() { if (isAvailableThroughGlobal) { return sourceFiles; } if (exportingModuleSymbol.declarations) { for (const decl of exportingModuleSymbol.declarations) { if (isExternalModuleAugmentation(decl) && sourceFilesSet.has(decl.getSourceFile().fileName)) { addIndirectUser(decl); } } } return indirectUserDeclarations.map(getSourceFileOfNode); } function handleDirectImports(exportingModuleSymbol2) { const theseDirectImports = getDirectImports(exportingModuleSymbol2); if (theseDirectImports) { for (const direct of theseDirectImports) { if (!markSeenDirectImport(direct)) { continue; } if (cancellationToken) cancellationToken.throwIfCancellationRequested(); switch (direct.kind) { case 213: if (isImportCall(direct)) { handleImportCall(direct); break; } if (!isAvailableThroughGlobal) { const parent2 = direct.parent; if (exportKind === 2 && parent2.kind === 260) { const { name } = parent2; if (name.kind === 80) { directImports.push(name); break; } } } break; case 80: break; case 271: handleNamespaceImport( direct, direct.name, hasSyntacticModifier( direct, 32 /* Export */ ), /*alreadyAddedDirect*/ false ); break; case 272: case 351: directImports.push(direct); const namedBindings = direct.importClause && direct.importClause.namedBindings; if (namedBindings && namedBindings.kind === 274) { handleNamespaceImport( direct, namedBindings.name, /*isReExport*/ false, /*alreadyAddedDirect*/ true ); } else if (!isAvailableThroughGlobal && isDefaultImport(direct)) { addIndirectUser(getSourceFileLikeForImportDeclaration(direct)); } break; case 278: if (!direct.exportClause) { handleDirectImports(getContainingModuleSymbol(direct, checker)); } else if (direct.exportClause.kind === 280) { addIndirectUser( getSourceFileLikeForImportDeclaration(direct), /*addTransitiveDependencies*/ true ); } else { directImports.push(direct); } break; case 205: if (!isAvailableThroughGlobal && direct.isTypeOf && !direct.qualifier && isExported2(direct)) { addIndirectUser( direct.getSourceFile(), /*addTransitiveDependencies*/ true ); } directImports.push(direct); break; default: Debug.failBadSyntaxKind(direct, "Unexpected import kind."); } } } } function handleImportCall(importCall) { const top = findAncestor(importCall, isAmbientModuleDeclaration) || importCall.getSourceFile(); addIndirectUser( top, /** addTransitiveDependencies */ !!isExported2( importCall, /*stopAtAmbientModule*/ true ) ); } function isExported2(node, stopAtAmbientModule = false) { return findAncestor(node, (node2) => { if (stopAtAmbientModule && isAmbientModuleDeclaration(node2)) return "quit"; return canHaveModifiers(node2) && some(node2.modifiers, isExportModifier); }); } function handleNamespaceImport(importDeclaration, name, isReExport, alreadyAddedDirect) { if (exportKind === 2) { if (!alreadyAddedDirect) directImports.push(importDeclaration); } else if (!isAvailableThroughGlobal) { const sourceFileLike = getSourceFileLikeForImportDeclaration(importDeclaration); Debug.assert( sourceFileLike.kind === 307 || sourceFileLike.kind === 267 /* ModuleDeclaration */ ); if (isReExport || findNamespaceReExports(sourceFileLike, name, checker)) { addIndirectUser( sourceFileLike, /*addTransitiveDependencies*/ true ); } else { addIndirectUser(sourceFileLike); } } } function addIndirectUser(sourceFileLike, addTransitiveDependencies = false) { Debug.assert(!isAvailableThroughGlobal); const isNew = markSeenIndirectUser(sourceFileLike); if (!isNew) return; indirectUserDeclarations.push(sourceFileLike); if (!addTransitiveDependencies) return; const moduleSymbol = checker.getMergedSymbol(sourceFileLike.symbol); if (!moduleSymbol) return; Debug.assert(!!(moduleSymbol.flags & 1536)); const directImports2 = getDirectImports(moduleSymbol); if (directImports2) { for (const directImport of directImports2) { if (!isImportTypeNode(directImport)) { addIndirectUser( getSourceFileLikeForImportDeclaration(directImport), /*addTransitiveDependencies*/ true ); } } } } function getDirectImports(moduleSymbol) { return allDirectImports.get(getSymbolId(moduleSymbol).toString()); } } function getSearchesFromDirectImports(directImports, exportSymbol, exportKind, checker, isForRename) { const importSearches = []; const singleReferences = []; function addSearch(location, symbol) { importSearches.push([location, symbol]); } if (directImports) { for (const decl of directImports) { handleImport(decl); } } return { importSearches, singleReferences }; function handleImport(decl) { if (decl.kind === 271) { if (isExternalModuleImportEquals(decl)) { handleNamespaceImportLike(decl.name); } return; } if (decl.kind === 80) { handleNamespaceImportLike(decl); return; } if (decl.kind === 205) { if (decl.qualifier) { const firstIdentifier = getFirstIdentifier(decl.qualifier); if (firstIdentifier.escapedText === symbolName(exportSymbol)) { singleReferences.push(firstIdentifier); } } else if (exportKind === 2) { singleReferences.push(decl.argument.literal); } return; } if (decl.moduleSpecifier.kind !== 11) { return; } if (decl.kind === 278) { if (decl.exportClause && isNamedExports(decl.exportClause)) { searchForNamedImport(decl.exportClause); } return; } const { name, namedBindings } = decl.importClause || { name: void 0, namedBindings: void 0 }; if (namedBindings) { switch (namedBindings.kind) { case 274: handleNamespaceImportLike(namedBindings.name); break; case 275: if (exportKind === 0 || exportKind === 1) { searchForNamedImport(namedBindings); } break; default: Debug.assertNever(namedBindings); } } if (name && (exportKind === 1 || exportKind === 2) && (!isForRename || name.escapedText === symbolEscapedNameNoDefault(exportSymbol))) { const defaultImportAlias = checker.getSymbolAtLocation(name); addSearch(name, defaultImportAlias); } } function handleNamespaceImportLike(importName) { if (exportKind === 2 && (!isForRename || isNameMatch(importName.escapedText))) { addSearch(importName, checker.getSymbolAtLocation(importName)); } } function searchForNamedImport(namedBindings) { if (!namedBindings) { return; } for (const element of namedBindings.elements) { const { name, propertyName } = element; if (!isNameMatch((propertyName || name).escapedText)) { continue; } if (propertyName) { singleReferences.push(propertyName); if (!isForRename || name.escapedText === exportSymbol.escapedName) { addSearch(name, checker.getSymbolAtLocation(name)); } } else { const localSymbol = element.kind === 281 && element.propertyName ? checker.getExportSpecifierLocalTargetSymbol(element) : checker.getSymbolAtLocation(name); addSearch(name, localSymbol); } } } function isNameMatch(name) { return name === exportSymbol.escapedName || exportKind !== 0 && name === "default"; } } function findNamespaceReExports(sourceFileLike, name, checker) { const namespaceImportSymbol = checker.getSymbolAtLocation(name); return !!forEachPossibleImportOrExportStatement(sourceFileLike, (statement) => { if (!isExportDeclaration(statement)) return; const { exportClause, moduleSpecifier } = statement; return !moduleSpecifier && exportClause && isNamedExports(exportClause) && exportClause.elements.some((element) => checker.getExportSpecifierLocalTargetSymbol(element) === namespaceImportSymbol); }); } function findModuleReferences(program, sourceFiles, searchModuleSymbol) { var _a; const refs = []; const checker = program.getTypeChecker(); for (const referencingFile of sourceFiles) { const searchSourceFile = searchModuleSymbol.valueDeclaration; if ((searchSourceFile == null ? void 0 : searchSourceFile.kind) === 307) { for (const ref of referencingFile.referencedFiles) { if (program.getSourceFileFromReference(referencingFile, ref) === searchSourceFile) { refs.push({ kind: "reference", referencingFile, ref }); } } for (const ref of referencingFile.typeReferenceDirectives) { const referenced = (_a = program.getResolvedTypeReferenceDirectiveFromTypeReferenceDirective(ref, referencingFile)) == null ? void 0 : _a.resolvedTypeReferenceDirective; if (referenced !== void 0 && referenced.resolvedFileName === searchSourceFile.fileName) { refs.push({ kind: "reference", referencingFile, ref }); } } } forEachImport(referencingFile, (importDecl, moduleSpecifier) => { const moduleSymbol = checker.getSymbolAtLocation(moduleSpecifier); if (moduleSymbol === searchModuleSymbol) { refs.push(nodeIsSynthesized(importDecl) ? { kind: "implicit", literal: moduleSpecifier, referencingFile } : { kind: "import", literal: moduleSpecifier }); } }); } return refs; } function getDirectImportsMap(sourceFiles, checker, cancellationToken) { const map2 = /* @__PURE__ */ new Map(); for (const sourceFile of sourceFiles) { if (cancellationToken) cancellationToken.throwIfCancellationRequested(); forEachImport(sourceFile, (importDecl, moduleSpecifier) => { const moduleSymbol = checker.getSymbolAtLocation(moduleSpecifier); if (moduleSymbol) { const id = getSymbolId(moduleSymbol).toString(); let imports = map2.get(id); if (!imports) { map2.set(id, imports = []); } imports.push(importDecl); } }); } return map2; } function forEachPossibleImportOrExportStatement(sourceFileLike, action) { return forEach(sourceFileLike.kind === 307 ? sourceFileLike.statements : sourceFileLike.body.statements, (statement) => ( // TODO: GH#18217 action(statement) || isAmbientModuleDeclaration(statement) && forEach(statement.body && statement.body.statements, action) )); } function forEachImport(sourceFile, action) { if (sourceFile.externalModuleIndicator || sourceFile.imports !== void 0) { for (const i of sourceFile.imports) { action(importFromModuleSpecifier(i), i); } } else { forEachPossibleImportOrExportStatement(sourceFile, (statement) => { switch (statement.kind) { case 278: case 272: { const decl = statement; if (decl.moduleSpecifier && isStringLiteral2(decl.moduleSpecifier)) { action(decl, decl.moduleSpecifier); } break; } case 271: { const decl = statement; if (isExternalModuleImportEquals(decl)) { action(decl, decl.moduleReference.expression); } break; } } }); } } function getImportOrExportSymbol(node, symbol, checker, comingFromExport) { return comingFromExport ? getExport() : getExport() || getImport(); function getExport() { var _a; const { parent: parent2 } = node; const grandparent = parent2.parent; if (symbol.exportSymbol) { if (parent2.kind === 211) { return ((_a = symbol.declarations) == null ? void 0 : _a.some((d) => d === parent2)) && isBinaryExpression(grandparent) ? getSpecialPropertyExport( grandparent, /*useLhsSymbol*/ false ) : void 0; } else { return exportInfo(symbol.exportSymbol, getExportKindForDeclaration(parent2)); } } else { const exportNode = getExportNode(parent2, node); if (exportNode && hasSyntacticModifier( exportNode, 32 /* Export */ )) { if (isImportEqualsDeclaration(exportNode) && exportNode.moduleReference === node) { if (comingFromExport) { return void 0; } const lhsSymbol = checker.getSymbolAtLocation(exportNode.name); return { kind: 0, symbol: lhsSymbol }; } else { return exportInfo(symbol, getExportKindForDeclaration(exportNode)); } } else if (isNamespaceExport(parent2)) { return exportInfo( symbol, 0 /* Named */ ); } else if (isExportAssignment(parent2)) { return getExportAssignmentExport(parent2); } else if (isExportAssignment(grandparent)) { return getExportAssignmentExport(grandparent); } else if (isBinaryExpression(parent2)) { return getSpecialPropertyExport( parent2, /*useLhsSymbol*/ true ); } else if (isBinaryExpression(grandparent)) { return getSpecialPropertyExport( grandparent, /*useLhsSymbol*/ true ); } else if (isJSDocTypedefTag(parent2) || isJSDocCallbackTag(parent2)) { return exportInfo( symbol, 0 /* Named */ ); } } function getExportAssignmentExport(ex) { if (!ex.symbol.parent) return void 0; const exportKind = ex.isExportEquals ? 2 : 1; return { kind: 1, symbol, exportInfo: { exportingModuleSymbol: ex.symbol.parent, exportKind } }; } function getSpecialPropertyExport(node2, useLhsSymbol) { let kind; switch (getAssignmentDeclarationKind(node2)) { case 1: kind = 0; break; case 2: kind = 2; break; default: return void 0; } const sym = useLhsSymbol ? checker.getSymbolAtLocation(getNameOfAccessExpression(cast(node2.left, isAccessExpression))) : symbol; return sym && exportInfo(sym, kind); } } function getImport() { const isImport3 = isNodeImport(node); if (!isImport3) return void 0; let importedSymbol = checker.getImmediateAliasedSymbol(symbol); if (!importedSymbol) return void 0; importedSymbol = skipExportSpecifierSymbol(importedSymbol, checker); if (importedSymbol.escapedName === "export=") { importedSymbol = getExportEqualsLocalSymbol(importedSymbol, checker); if (importedSymbol === void 0) return void 0; } const importedName = symbolEscapedNameNoDefault(importedSymbol); if (importedName === void 0 || importedName === "default" || importedName === symbol.escapedName) { return { kind: 0, symbol: importedSymbol }; } } function exportInfo(symbol2, kind) { const exportInfo2 = getExportInfo(symbol2, kind, checker); return exportInfo2 && { kind: 1, symbol: symbol2, exportInfo: exportInfo2 }; } function getExportKindForDeclaration(node2) { return hasSyntacticModifier( node2, 2048 /* Default */ ) ? 1 : 0; } } function getExportEqualsLocalSymbol(importedSymbol, checker) { var _a, _b; if (importedSymbol.flags & 2097152) { return checker.getImmediateAliasedSymbol(importedSymbol); } const decl = Debug.checkDefined(importedSymbol.valueDeclaration); if (isExportAssignment(decl)) { return (_a = tryCast(decl.expression, canHaveSymbol)) == null ? void 0 : _a.symbol; } else if (isBinaryExpression(decl)) { return (_b = tryCast(decl.right, canHaveSymbol)) == null ? void 0 : _b.symbol; } else if (isSourceFile(decl)) { return decl.symbol; } return void 0; } function getExportNode(parent2, node) { const declaration = isVariableDeclaration(parent2) ? parent2 : isBindingElement(parent2) ? walkUpBindingElementsAndPatterns(parent2) : void 0; if (declaration) { return parent2.name !== node ? void 0 : isCatchClause(declaration.parent) ? void 0 : isVariableStatement(declaration.parent.parent) ? declaration.parent.parent : void 0; } else { return parent2; } } function isNodeImport(node) { const { parent: parent2 } = node; switch (parent2.kind) { case 271: return parent2.name === node && isExternalModuleImportEquals(parent2); case 276: return !parent2.propertyName; case 273: case 274: Debug.assert(parent2.name === node); return true; case 208: return isInJSFile(node) && isVariableDeclarationInitializedToBareOrAccessedRequire(parent2.parent.parent); default: return false; } } function getExportInfo(exportSymbol, exportKind, checker) { const moduleSymbol = exportSymbol.parent; if (!moduleSymbol) return void 0; const exportingModuleSymbol = checker.getMergedSymbol(moduleSymbol); return isExternalModuleSymbol(exportingModuleSymbol) ? { exportingModuleSymbol, exportKind } : void 0; } function skipExportSpecifierSymbol(symbol, checker) { if (symbol.declarations) { for (const declaration of symbol.declarations) { if (isExportSpecifier(declaration) && !declaration.propertyName && !declaration.parent.parent.moduleSpecifier) { return checker.getExportSpecifierLocalTargetSymbol(declaration) || symbol; } else if (isPropertyAccessExpression(declaration) && isModuleExportsAccessExpression(declaration.expression) && !isPrivateIdentifier(declaration.name)) { return checker.getSymbolAtLocation(declaration); } else if (isShorthandPropertyAssignment(declaration) && isBinaryExpression(declaration.parent.parent) && getAssignmentDeclarationKind(declaration.parent.parent) === 2) { return checker.getExportSpecifierLocalTargetSymbol(declaration.name); } } } return symbol; } function getContainingModuleSymbol(importer, checker) { return checker.getMergedSymbol(getSourceFileLikeForImportDeclaration(importer).symbol); } function getSourceFileLikeForImportDeclaration(node) { if (node.kind === 213) { return node.getSourceFile(); } const { parent: parent2 } = node; if (parent2.kind === 307) { return parent2; } Debug.assert( parent2.kind === 268 /* ModuleBlock */ ); return cast(parent2.parent, isAmbientModuleDeclaration); } function isAmbientModuleDeclaration(node) { return node.kind === 267 && node.name.kind === 11; } function isExternalModuleImportEquals(eq2) { return eq2.moduleReference.kind === 283 && eq2.moduleReference.expression.kind === 11; } var DefinitionKind = /* @__PURE__ */ ((DefinitionKind2) => { DefinitionKind2[DefinitionKind2["Symbol"] = 0] = "Symbol"; DefinitionKind2[DefinitionKind2["Label"] = 1] = "Label"; DefinitionKind2[DefinitionKind2["Keyword"] = 2] = "Keyword"; DefinitionKind2[DefinitionKind2["This"] = 3] = "This"; DefinitionKind2[DefinitionKind2["String"] = 4] = "String"; DefinitionKind2[DefinitionKind2["TripleSlashReference"] = 5] = "TripleSlashReference"; return DefinitionKind2; })(DefinitionKind || {}); var EntryKind = /* @__PURE__ */ ((EntryKind2) => { EntryKind2[EntryKind2["Span"] = 0] = "Span"; EntryKind2[EntryKind2["Node"] = 1] = "Node"; EntryKind2[EntryKind2["StringLiteral"] = 2] = "StringLiteral"; EntryKind2[EntryKind2["SearchedLocalFoundProperty"] = 3] = "SearchedLocalFoundProperty"; EntryKind2[EntryKind2["SearchedPropertyFoundLocal"] = 4] = "SearchedPropertyFoundLocal"; return EntryKind2; })(EntryKind || {}); function nodeEntry(node, kind = 1) { return { kind, node: node.name || node, context: getContextNodeForNodeEntry(node) }; } function isContextWithStartAndEndNode(node) { return node && node.kind === void 0; } function getContextNodeForNodeEntry(node) { if (isDeclaration(node)) { return getContextNode(node); } if (!node.parent) return void 0; if (!isDeclaration(node.parent) && !isExportAssignment(node.parent)) { if (isInJSFile(node)) { const binaryExpression = isBinaryExpression(node.parent) ? node.parent : isAccessExpression(node.parent) && isBinaryExpression(node.parent.parent) && node.parent.parent.left === node.parent ? node.parent.parent : void 0; if (binaryExpression && getAssignmentDeclarationKind(binaryExpression) !== 0) { return getContextNode(binaryExpression); } } if (isJsxOpeningElement(node.parent) || isJsxClosingElement(node.parent)) { return node.parent.parent; } else if (isJsxSelfClosingElement(node.parent) || isLabeledStatement(node.parent) || isBreakOrContinueStatement(node.parent)) { return node.parent; } else if (isStringLiteralLike(node)) { const validImport = tryGetImportFromModuleSpecifier(node); if (validImport) { const declOrStatement = findAncestor(validImport, (node2) => isDeclaration(node2) || isStatement(node2) || isJSDocTag(node2)); return isDeclaration(declOrStatement) ? getContextNode(declOrStatement) : declOrStatement; } } const propertyName = findAncestor(node, isComputedPropertyName); return propertyName ? getContextNode(propertyName.parent) : void 0; } if (node.parent.name === node || // node is name of declaration, use parent isConstructorDeclaration(node.parent) || isExportAssignment(node.parent) || // Property name of the import export specifier or binding pattern, use parent (isImportOrExportSpecifier(node.parent) || isBindingElement(node.parent)) && node.parent.propertyName === node || // Is default export node.kind === 90 && hasSyntacticModifier( node.parent, 2080 /* ExportDefault */ )) { return getContextNode(node.parent); } return void 0; } function getContextNode(node) { if (!node) return void 0; switch (node.kind) { case 260: return !isVariableDeclarationList(node.parent) || node.parent.declarations.length !== 1 ? node : isVariableStatement(node.parent.parent) ? node.parent.parent : isForInOrOfStatement(node.parent.parent) ? getContextNode(node.parent.parent) : node.parent; case 208: return getContextNode(node.parent.parent); case 276: return node.parent.parent.parent; case 281: case 274: return node.parent.parent; case 273: case 280: return node.parent; case 226: return isExpressionStatement2(node.parent) ? node.parent : node; case 250: case 249: return { start: node.initializer, end: node.expression }; case 303: case 304: return isArrayLiteralOrObjectLiteralDestructuringPattern(node.parent) ? getContextNode( findAncestor(node.parent, (node2) => isBinaryExpression(node2) || isForInOrOfStatement(node2)) ) : node; case 255: return { start: find( node.getChildren(node.getSourceFile()), (node2) => node2.kind === 109 /* SwitchKeyword */ ), end: node.caseBlock }; default: return node; } } function toContextSpan(textSpan, sourceFile, context) { if (!context) return void 0; const contextSpan = isContextWithStartAndEndNode(context) ? getTextSpan(context.start, sourceFile, context.end) : getTextSpan(context, sourceFile); return contextSpan.start !== textSpan.start || contextSpan.length !== textSpan.length ? { contextSpan } : void 0; } var FindReferencesUse = /* @__PURE__ */ ((FindReferencesUse2) => { FindReferencesUse2[FindReferencesUse2["Other"] = 0] = "Other"; FindReferencesUse2[FindReferencesUse2["References"] = 1] = "References"; FindReferencesUse2[FindReferencesUse2["Rename"] = 2] = "Rename"; return FindReferencesUse2; })(FindReferencesUse || {}); function findReferencedSymbols(program, cancellationToken, sourceFiles, sourceFile, position) { const node = getTouchingPropertyName(sourceFile, position); const options = { use: 1 /* References */ }; const referencedSymbols = Core.getReferencedSymbolsForNode(position, node, program, sourceFiles, cancellationToken, options); const checker = program.getTypeChecker(); const adjustedNode = Core.getAdjustedNode(node, options); const symbol = isDefinitionForReference(adjustedNode) ? checker.getSymbolAtLocation(adjustedNode) : void 0; return !referencedSymbols || !referencedSymbols.length ? void 0 : mapDefined(referencedSymbols, ({ definition, references }) => ( // Only include referenced symbols that have a valid definition. definition && { definition: checker.runWithCancellationToken(cancellationToken, (checker2) => definitionToReferencedSymbolDefinitionInfo(definition, checker2, node)), references: references.map((r) => toReferencedSymbolEntry(r, symbol)) } )); } function isDefinitionForReference(node) { return node.kind === 90 || !!getDeclarationFromName(node) || isLiteralComputedPropertyDeclarationName(node) || node.kind === 137 && isConstructorDeclaration(node.parent); } function getImplementationsAtPosition(program, cancellationToken, sourceFiles, sourceFile, position) { const node = getTouchingPropertyName(sourceFile, position); let referenceEntries; const entries = getImplementationReferenceEntries(program, cancellationToken, sourceFiles, node, position); if (node.parent.kind === 211 || node.parent.kind === 208 || node.parent.kind === 212 || node.kind === 108) { referenceEntries = entries && [...entries]; } else if (entries) { const queue = createQueue(entries); const seenNodes = /* @__PURE__ */ new Map(); while (!queue.isEmpty()) { const entry = queue.dequeue(); if (!addToSeen(seenNodes, getNodeId(entry.node))) { continue; } referenceEntries = append(referenceEntries, entry); const entries2 = getImplementationReferenceEntries(program, cancellationToken, sourceFiles, entry.node, entry.node.pos); if (entries2) { queue.enqueue(...entries2); } } } const checker = program.getTypeChecker(); return map(referenceEntries, (entry) => toImplementationLocation(entry, checker)); } function getImplementationReferenceEntries(program, cancellationToken, sourceFiles, node, position) { if (node.kind === 307) { return void 0; } const checker = program.getTypeChecker(); if (node.parent.kind === 304) { const result = []; Core.getReferenceEntriesForShorthandPropertyAssignment(node, checker, (node2) => result.push(nodeEntry(node2))); return result; } else if (node.kind === 108 || isSuperProperty(node.parent)) { const symbol = checker.getSymbolAtLocation(node); return symbol.valueDeclaration && [nodeEntry(symbol.valueDeclaration)]; } else { return getReferenceEntriesForNode(position, node, program, sourceFiles, cancellationToken, { implementations: true, use: 1 /* References */ }); } } function findReferenceOrRenameEntries(program, cancellationToken, sourceFiles, node, position, options, convertEntry) { return map(flattenEntries(Core.getReferencedSymbolsForNode(position, node, program, sourceFiles, cancellationToken, options)), (entry) => convertEntry(entry, node, program.getTypeChecker())); } function getReferenceEntriesForNode(position, node, program, sourceFiles, cancellationToken, options = {}, sourceFilesSet = new Set(sourceFiles.map((f) => f.fileName))) { return flattenEntries(Core.getReferencedSymbolsForNode(position, node, program, sourceFiles, cancellationToken, options, sourceFilesSet)); } function flattenEntries(referenceSymbols) { return referenceSymbols && flatMap(referenceSymbols, (r) => r.references); } function definitionToReferencedSymbolDefinitionInfo(def, checker, originalNode) { const info = (() => { switch (def.type) { case 0: { const { symbol } = def; const { displayParts: displayParts2, kind: kind2 } = getDefinitionKindAndDisplayParts(symbol, checker, originalNode); const name2 = displayParts2.map((p) => p.text).join(""); const declaration = symbol.declarations && firstOrUndefined(symbol.declarations); const node = declaration ? getNameOfDeclaration(declaration) || declaration : originalNode; return { ...getFileAndTextSpanFromNode(node), name: name2, kind: kind2, displayParts: displayParts2, context: getContextNode(declaration) }; } case 1: { const { node } = def; return { ...getFileAndTextSpanFromNode(node), name: node.text, kind: "label", displayParts: [displayPart( node.text, 17 /* text */ )] }; } case 2: { const { node } = def; const name2 = tokenToString(node.kind); return { ...getFileAndTextSpanFromNode(node), name: name2, kind: "keyword", displayParts: [{ text: name2, kind: "keyword" /* keyword */ }] }; } case 3: { const { node } = def; const symbol = checker.getSymbolAtLocation(node); const displayParts2 = symbol && ts_SymbolDisplay_exports.getSymbolDisplayPartsDocumentationAndSymbolKind( checker, symbol, node.getSourceFile(), getContainerNode(node), node ).displayParts || [textPart("this")]; return { ...getFileAndTextSpanFromNode(node), name: "this", kind: "var", displayParts: displayParts2 }; } case 4: { const { node } = def; return { ...getFileAndTextSpanFromNode(node), name: node.text, kind: "var", displayParts: [displayPart( getTextOfNode(node), 8 /* stringLiteral */ )] }; } case 5: { return { textSpan: createTextSpanFromRange(def.reference), sourceFile: def.file, name: def.reference.fileName, kind: "string", displayParts: [displayPart( `"${def.reference.fileName}"`, 8 /* stringLiteral */ )] }; } default: return Debug.assertNever(def); } })(); const { sourceFile, textSpan, name, kind, displayParts, context } = info; return { containerKind: "", containerName: "", fileName: sourceFile.fileName, kind, name, textSpan, displayParts, ...toContextSpan(textSpan, sourceFile, context) }; } function getFileAndTextSpanFromNode(node) { const sourceFile = node.getSourceFile(); return { sourceFile, textSpan: getTextSpan(isComputedPropertyName(node) ? node.expression : node, sourceFile) }; } function getDefinitionKindAndDisplayParts(symbol, checker, node) { const meaning = Core.getIntersectingMeaningFromDeclarations(node, symbol); const enclosingDeclaration = symbol.declarations && firstOrUndefined(symbol.declarations) || node; const { displayParts, symbolKind } = ts_SymbolDisplay_exports.getSymbolDisplayPartsDocumentationAndSymbolKind(checker, symbol, enclosingDeclaration.getSourceFile(), enclosingDeclaration, enclosingDeclaration, meaning); return { displayParts, kind: symbolKind }; } function toRenameLocation(entry, originalNode, checker, providePrefixAndSuffixText, quotePreference) { return { ...entryToDocumentSpan(entry), ...providePrefixAndSuffixText && getPrefixAndSuffixText(entry, originalNode, checker, quotePreference) }; } function toReferencedSymbolEntry(entry, symbol) { const referenceEntry = toReferenceEntry(entry); if (!symbol) return referenceEntry; return { ...referenceEntry, isDefinition: entry.kind !== 0 && isDeclarationOfSymbol(entry.node, symbol) }; } function toReferenceEntry(entry) { const documentSpan = entryToDocumentSpan(entry); if (entry.kind === 0) { return { ...documentSpan, isWriteAccess: false }; } const { kind, node } = entry; return { ...documentSpan, isWriteAccess: isWriteAccessForReference(node), isInString: kind === 2 ? true : void 0 }; } function entryToDocumentSpan(entry) { if (entry.kind === 0) { return { textSpan: entry.textSpan, fileName: entry.fileName }; } else { const sourceFile = entry.node.getSourceFile(); const textSpan = getTextSpan(entry.node, sourceFile); return { textSpan, fileName: sourceFile.fileName, ...toContextSpan(textSpan, sourceFile, entry.context) }; } } function getPrefixAndSuffixText(entry, originalNode, checker, quotePreference) { if (entry.kind !== 0 && (isIdentifier(originalNode) || isStringLiteralLike(originalNode))) { const { node, kind } = entry; const parent2 = node.parent; const name = originalNode.text; const isShorthandAssignment = isShorthandPropertyAssignment(parent2); if (isShorthandAssignment || isObjectBindingElementWithoutPropertyName(parent2) && parent2.name === node && parent2.dotDotDotToken === void 0) { const prefixColon = { prefixText: name + ": " }; const suffixColon = { suffixText: ": " + name }; if (kind === 3) { return prefixColon; } if (kind === 4) { return suffixColon; } if (isShorthandAssignment) { const grandParent = parent2.parent; if (isObjectLiteralExpression(grandParent) && isBinaryExpression(grandParent.parent) && isModuleExportsAccessExpression(grandParent.parent.left)) { return prefixColon; } return suffixColon; } else { return prefixColon; } } else if (isImportSpecifier(parent2) && !parent2.propertyName) { const originalSymbol = isExportSpecifier(originalNode.parent) ? checker.getExportSpecifierLocalTargetSymbol(originalNode.parent) : checker.getSymbolAtLocation(originalNode); return contains(originalSymbol.declarations, parent2) ? { prefixText: name + " as " } : emptyOptions; } else if (isExportSpecifier(parent2) && !parent2.propertyName) { return originalNode === entry.node || checker.getSymbolAtLocation(originalNode) === checker.getSymbolAtLocation(entry.node) ? { prefixText: name + " as " } : { suffixText: " as " + name }; } } if (entry.kind !== 0 && isNumericLiteral(entry.node) && isAccessExpression(entry.node.parent)) { const quote2 = getQuoteFromPreference(quotePreference); return { prefixText: quote2, suffixText: quote2 }; } return emptyOptions; } function toImplementationLocation(entry, checker) { const documentSpan = entryToDocumentSpan(entry); if (entry.kind !== 0) { const { node } = entry; return { ...documentSpan, ...implementationKindDisplayParts(node, checker) }; } else { return { ...documentSpan, kind: "", displayParts: [] }; } } function implementationKindDisplayParts(node, checker) { const symbol = checker.getSymbolAtLocation(isDeclaration(node) && node.name ? node.name : node); if (symbol) { return getDefinitionKindAndDisplayParts(symbol, checker, node); } else if (node.kind === 210) { return { kind: "interface", displayParts: [punctuationPart( 21 /* OpenParenToken */ ), textPart("object literal"), punctuationPart( 22 /* CloseParenToken */ )] }; } else if (node.kind === 231) { return { kind: "local class", displayParts: [punctuationPart( 21 /* OpenParenToken */ ), textPart("anonymous local class"), punctuationPart( 22 /* CloseParenToken */ )] }; } else { return { kind: getNodeKind(node), displayParts: [] }; } } function toHighlightSpan(entry) { const documentSpan = entryToDocumentSpan(entry); if (entry.kind === 0) { return { fileName: documentSpan.fileName, span: { textSpan: documentSpan.textSpan, kind: "reference" /* reference */ } }; } const writeAccess = isWriteAccessForReference(entry.node); const span = { textSpan: documentSpan.textSpan, kind: writeAccess ? "writtenReference" : "reference", isInString: entry.kind === 2 ? true : void 0, ...documentSpan.contextSpan && { contextSpan: documentSpan.contextSpan } }; return { fileName: documentSpan.fileName, span }; } function getTextSpan(node, sourceFile, endNode2) { let start = node.getStart(sourceFile); let end = (endNode2 || node).getEnd(); if (isStringLiteralLike(node) && end - start > 2) { Debug.assert(endNode2 === void 0); start += 1; end -= 1; } if ((endNode2 == null ? void 0 : endNode2.kind) === 269) { end = endNode2.getFullStart(); } return createTextSpanFromBounds(start, end); } function getTextSpanOfEntry(entry) { return entry.kind === 0 ? entry.textSpan : getTextSpan(entry.node, entry.node.getSourceFile()); } function isWriteAccessForReference(node) { const decl = getDeclarationFromName(node); return !!decl && declarationIsWriteAccess(decl) || node.kind === 90 || isWriteAccess(node); } function isDeclarationOfSymbol(node, target) { var _a; if (!target) return false; const source = getDeclarationFromName(node) || (node.kind === 90 ? node.parent : isLiteralComputedPropertyDeclarationName(node) ? node.parent.parent : node.kind === 137 && isConstructorDeclaration(node.parent) ? node.parent.parent : void 0); const commonjsSource = source && isBinaryExpression(source) ? source.left : void 0; return !!(source && ((_a = target.declarations) == null ? void 0 : _a.some((d) => d === source || d === commonjsSource))); } function declarationIsWriteAccess(decl) { if (!!(decl.flags & 33554432)) return true; switch (decl.kind) { case 226: case 208: case 263: case 231: case 90: case 266: case 306: case 281: case 273: case 271: case 276: case 264: case 338: case 346: case 291: case 267: case 270: case 274: case 280: case 169: case 304: case 265: case 168: return true; case 303: return !isArrayLiteralOrObjectLiteralDestructuringPattern(decl.parent); case 262: case 218: case 176: case 174: case 177: case 178: return !!decl.body; case 260: case 172: return !!decl.initializer || isCatchClause(decl.parent); case 173: case 171: case 348: case 341: return false; default: return Debug.failBadSyntaxKind(decl); } } var Core; ((Core2) => { function getReferencedSymbolsForNode(position, node, program, sourceFiles, cancellationToken, options = {}, sourceFilesSet = new Set(sourceFiles.map((f) => f.fileName))) { var _a, _b; node = getAdjustedNode2(node, options); if (isSourceFile(node)) { const resolvedRef = ts_GoToDefinition_exports.getReferenceAtPosition(node, position, program); if (!(resolvedRef == null ? void 0 : resolvedRef.file)) { return void 0; } const moduleSymbol = program.getTypeChecker().getMergedSymbol(resolvedRef.file.symbol); if (moduleSymbol) { return getReferencedSymbolsForModule( program, moduleSymbol, /*excludeImportTypeOfExportEquals*/ false, sourceFiles, sourceFilesSet ); } const fileIncludeReasons = program.getFileIncludeReasons(); if (!fileIncludeReasons) { return void 0; } return [{ definition: { type: 5, reference: resolvedRef.reference, file: node }, references: getReferencesForNonModule(resolvedRef.file, fileIncludeReasons, program) || emptyArray }]; } if (!options.implementations) { const special = getReferencedSymbolsSpecial(node, sourceFiles, cancellationToken); if (special) { return special; } } const checker = program.getTypeChecker(); const symbol = checker.getSymbolAtLocation(isConstructorDeclaration(node) && node.parent.name || node); if (!symbol) { if (!options.implementations && isStringLiteralLike(node)) { if (isModuleSpecifierLike(node)) { const fileIncludeReasons = program.getFileIncludeReasons(); const referencedFileName = (_b = (_a = program.getResolvedModuleFromModuleSpecifier(node)) == null ? void 0 : _a.resolvedModule) == null ? void 0 : _b.resolvedFileName; const referencedFile = referencedFileName ? program.getSourceFile(referencedFileName) : void 0; if (referencedFile) { return [{ definition: { type: 4, node }, references: getReferencesForNonModule(referencedFile, fileIncludeReasons, program) || emptyArray }]; } } return getReferencesForStringLiteral(node, sourceFiles, checker, cancellationToken); } return void 0; } if (symbol.escapedName === "export=") { return getReferencedSymbolsForModule( program, symbol.parent, /*excludeImportTypeOfExportEquals*/ false, sourceFiles, sourceFilesSet ); } const moduleReferences = getReferencedSymbolsForModuleIfDeclaredBySourceFile(symbol, program, sourceFiles, cancellationToken, options, sourceFilesSet); if (moduleReferences && !(symbol.flags & 33554432)) { return moduleReferences; } const aliasedSymbol = getMergedAliasedSymbolOfNamespaceExportDeclaration(node, symbol, checker); const moduleReferencesOfExportTarget = aliasedSymbol && getReferencedSymbolsForModuleIfDeclaredBySourceFile(aliasedSymbol, program, sourceFiles, cancellationToken, options, sourceFilesSet); const references = getReferencedSymbolsForSymbol(symbol, node, sourceFiles, sourceFilesSet, checker, cancellationToken, options); return mergeReferences(program, moduleReferences, references, moduleReferencesOfExportTarget); } Core2.getReferencedSymbolsForNode = getReferencedSymbolsForNode; function getAdjustedNode2(node, options) { if (options.use === 1) { node = getAdjustedReferenceLocation(node); } else if (options.use === 2) { node = getAdjustedRenameLocation(node); } return node; } Core2.getAdjustedNode = getAdjustedNode2; function getReferencesForFileName(fileName, program, sourceFiles, sourceFilesSet = new Set(sourceFiles.map((f) => f.fileName))) { var _a, _b; const moduleSymbol = (_a = program.getSourceFile(fileName)) == null ? void 0 : _a.symbol; if (moduleSymbol) { return ((_b = getReferencedSymbolsForModule( program, moduleSymbol, /*excludeImportTypeOfExportEquals*/ false, sourceFiles, sourceFilesSet )[0]) == null ? void 0 : _b.references) || emptyArray; } const fileIncludeReasons = program.getFileIncludeReasons(); const referencedFile = program.getSourceFile(fileName); return referencedFile && fileIncludeReasons && getReferencesForNonModule(referencedFile, fileIncludeReasons, program) || emptyArray; } Core2.getReferencesForFileName = getReferencesForFileName; function getReferencesForNonModule(referencedFile, refFileMap, program) { let entries; const references = refFileMap.get(referencedFile.path) || emptyArray; for (const ref of references) { if (isReferencedFile(ref)) { const referencingFile = program.getSourceFileByPath(ref.file); const location = getReferencedFileLocation(program, ref); if (isReferenceFileLocation(location)) { entries = append(entries, { kind: 0, fileName: referencingFile.fileName, textSpan: createTextSpanFromRange(location) }); } } } return entries; } function getMergedAliasedSymbolOfNamespaceExportDeclaration(node, symbol, checker) { if (node.parent && isNamespaceExportDeclaration(node.parent)) { const aliasedSymbol = checker.getAliasedSymbol(symbol); const targetSymbol = checker.getMergedSymbol(aliasedSymbol); if (aliasedSymbol !== targetSymbol) { return targetSymbol; } } return void 0; } function getReferencedSymbolsForModuleIfDeclaredBySourceFile(symbol, program, sourceFiles, cancellationToken, options, sourceFilesSet) { const moduleSourceFile = symbol.flags & 1536 && symbol.declarations && find(symbol.declarations, isSourceFile); if (!moduleSourceFile) return void 0; const exportEquals = symbol.exports.get( "export=" /* ExportEquals */ ); const moduleReferences = getReferencedSymbolsForModule(program, symbol, !!exportEquals, sourceFiles, sourceFilesSet); if (!exportEquals || !sourceFilesSet.has(moduleSourceFile.fileName)) return moduleReferences; const checker = program.getTypeChecker(); symbol = skipAlias(exportEquals, checker); return mergeReferences(program, moduleReferences, getReferencedSymbolsForSymbol( symbol, /*node*/ void 0, sourceFiles, sourceFilesSet, checker, cancellationToken, options )); } function mergeReferences(program, ...referencesToMerge) { let result; for (const references of referencesToMerge) { if (!references || !references.length) continue; if (!result) { result = references; continue; } for (const entry of references) { if (!entry.definition || entry.definition.type !== 0) { result.push(entry); continue; } const symbol = entry.definition.symbol; const refIndex = findIndex(result, (ref) => !!ref.definition && ref.definition.type === 0 && ref.definition.symbol === symbol); if (refIndex === -1) { result.push(entry); continue; } const reference = result[refIndex]; result[refIndex] = { definition: reference.definition, references: reference.references.concat(entry.references).sort((entry1, entry2) => { const entry1File = getSourceFileIndexOfEntry(program, entry1); const entry2File = getSourceFileIndexOfEntry(program, entry2); if (entry1File !== entry2File) { return compareValues(entry1File, entry2File); } const entry1Span = getTextSpanOfEntry(entry1); const entry2Span = getTextSpanOfEntry(entry2); return entry1Span.start !== entry2Span.start ? compareValues(entry1Span.start, entry2Span.start) : compareValues(entry1Span.length, entry2Span.length); }) }; } } return result; } function getSourceFileIndexOfEntry(program, entry) { const sourceFile = entry.kind === 0 ? program.getSourceFile(entry.fileName) : entry.node.getSourceFile(); return program.getSourceFiles().indexOf(sourceFile); } function getReferencedSymbolsForModule(program, symbol, excludeImportTypeOfExportEquals, sourceFiles, sourceFilesSet) { Debug.assert(!!symbol.valueDeclaration); const references = mapDefined(findModuleReferences(program, sourceFiles, symbol), (reference) => { if (reference.kind === "import") { const parent2 = reference.literal.parent; if (isLiteralTypeNode(parent2)) { const importType = cast(parent2.parent, isImportTypeNode); if (excludeImportTypeOfExportEquals && !importType.qualifier) { return void 0; } } return nodeEntry(reference.literal); } else if (reference.kind === "implicit") { const range = reference.literal.text !== externalHelpersModuleNameText && forEachChildRecursively( reference.referencingFile, (n) => !(n.transformFlags & 2) ? "skip" : isJsxElement(n) || isJsxSelfClosingElement(n) || isJsxFragment(n) ? n : void 0 ) || reference.referencingFile.statements[0] || reference.referencingFile; return nodeEntry(range); } else { return { kind: 0, fileName: reference.referencingFile.fileName, textSpan: createTextSpanFromRange(reference.ref) }; } }); if (symbol.declarations) { for (const decl of symbol.declarations) { switch (decl.kind) { case 307: break; case 267: if (sourceFilesSet.has(decl.getSourceFile().fileName)) { references.push(nodeEntry(decl.name)); } break; default: Debug.assert(!!(symbol.flags & 33554432), "Expected a module symbol to be declared by a SourceFile or ModuleDeclaration."); } } } const exported = symbol.exports.get( "export=" /* ExportEquals */ ); if (exported == null ? void 0 : exported.declarations) { for (const decl of exported.declarations) { const sourceFile = decl.getSourceFile(); if (sourceFilesSet.has(sourceFile.fileName)) { const node = isBinaryExpression(decl) && isPropertyAccessExpression(decl.left) ? decl.left.expression : isExportAssignment(decl) ? Debug.checkDefined(findChildOfKind(decl, 95, sourceFile)) : getNameOfDeclaration(decl) || decl; references.push(nodeEntry(node)); } } } return references.length ? [{ definition: { type: 0, symbol }, references }] : emptyArray; } function isReadonlyTypeOperator(node) { return node.kind === 148 && isTypeOperatorNode(node.parent) && node.parent.operator === 148; } function getReferencedSymbolsSpecial(node, sourceFiles, cancellationToken) { if (isTypeKeyword(node.kind)) { if (node.kind === 116 && isVoidExpression(node.parent)) { return void 0; } if (node.kind === 148 && !isReadonlyTypeOperator(node)) { return void 0; } return getAllReferencesForKeyword( sourceFiles, node.kind, cancellationToken, node.kind === 148 ? isReadonlyTypeOperator : void 0 ); } if (isImportMeta(node.parent) && node.parent.name === node) { return getAllReferencesForImportMeta(sourceFiles, cancellationToken); } if (isStaticModifier(node) && isClassStaticBlockDeclaration(node.parent)) { return [{ definition: { type: 2, node }, references: [nodeEntry(node)] }]; } if (isJumpStatementTarget(node)) { const labelDefinition = getTargetLabel(node.parent, node.text); return labelDefinition && getLabelReferencesInNode(labelDefinition.parent, labelDefinition); } else if (isLabelOfLabeledStatement(node)) { return getLabelReferencesInNode(node.parent, node); } if (isThis(node)) { return getReferencesForThisKeyword(node, sourceFiles, cancellationToken); } if (node.kind === 108) { return getReferencesForSuperKeyword(node); } return void 0; } function getReferencedSymbolsForSymbol(originalSymbol, node, sourceFiles, sourceFilesSet, checker, cancellationToken, options) { const symbol = node && skipPastExportOrImportSpecifierOrUnion( originalSymbol, node, checker, /*useLocalSymbolForExportSpecifier*/ !isForRenameWithPrefixAndSuffixText(options) ) || originalSymbol; const searchMeaning = node ? getIntersectingMeaningFromDeclarations(node, symbol) : 7; const result = []; const state = new State(sourceFiles, sourceFilesSet, node ? getSpecialSearchKind(node) : 0, checker, cancellationToken, searchMeaning, options, result); const exportSpecifier = !isForRenameWithPrefixAndSuffixText(options) || !symbol.declarations ? void 0 : find(symbol.declarations, isExportSpecifier); if (exportSpecifier) { getReferencesAtExportSpecifier( exportSpecifier.name, symbol, exportSpecifier, state.createSearch( node, originalSymbol, /*comingFrom*/ void 0 ), state, /*addReferencesHere*/ true, /*alwaysGetReferences*/ true ); } else if (node && node.kind === 90 && symbol.escapedName === "default" && symbol.parent) { addReference(node, symbol, state); searchForImportsOfExport(node, symbol, { exportingModuleSymbol: symbol.parent, exportKind: 1 /* Default */ }, state); } else { const search = state.createSearch( node, symbol, /*comingFrom*/ void 0, { allSearchSymbols: node ? populateSearchSymbolSet(symbol, node, checker, options.use === 2, !!options.providePrefixAndSuffixTextForRename, !!options.implementations) : [symbol] } ); getReferencesInContainerOrFiles(symbol, state, search); } return result; } function getReferencesInContainerOrFiles(symbol, state, search) { const scope = getSymbolScope(symbol); if (scope) { getReferencesInContainer( scope, scope.getSourceFile(), search, state, /*addReferencesHere*/ !(isSourceFile(scope) && !contains(state.sourceFiles, scope)) ); } else { for (const sourceFile of state.sourceFiles) { state.cancellationToken.throwIfCancellationRequested(); searchForName(sourceFile, search, state); } } } function getSpecialSearchKind(node) { switch (node.kind) { case 176: case 137: return 1; case 80: if (isClassLike(node.parent)) { Debug.assert(node.parent.name === node); return 2; } default: return 0; } } function skipPastExportOrImportSpecifierOrUnion(symbol, node, checker, useLocalSymbolForExportSpecifier) { const { parent: parent2 } = node; if (isExportSpecifier(parent2) && useLocalSymbolForExportSpecifier) { return getLocalSymbolForExportSpecifier(node, symbol, parent2, checker); } return firstDefined(symbol.declarations, (decl) => { if (!decl.parent) { if (symbol.flags & 33554432) return void 0; Debug.fail(`Unexpected symbol at ${Debug.formatSyntaxKind(node.kind)}: ${Debug.formatSymbol(symbol)}`); } return isTypeLiteralNode(decl.parent) && isUnionTypeNode(decl.parent.parent) ? checker.getPropertyOfType(checker.getTypeFromTypeNode(decl.parent.parent), symbol.name) : void 0; }); } let SpecialSearchKind; ((SpecialSearchKind2) => { SpecialSearchKind2[SpecialSearchKind2["None"] = 0] = "None"; SpecialSearchKind2[SpecialSearchKind2["Constructor"] = 1] = "Constructor"; SpecialSearchKind2[SpecialSearchKind2["Class"] = 2] = "Class"; })(SpecialSearchKind || (SpecialSearchKind = {})); function getNonModuleSymbolOfMergedModuleSymbol(symbol) { if (!(symbol.flags & (1536 | 33554432))) return void 0; const decl = symbol.declarations && find(symbol.declarations, (d) => !isSourceFile(d) && !isModuleDeclaration(d)); return decl && decl.symbol; } class State { constructor(sourceFiles, sourceFilesSet, specialSearchKind, checker, cancellationToken, searchMeaning, options, result) { this.sourceFiles = sourceFiles; this.sourceFilesSet = sourceFilesSet; this.specialSearchKind = specialSearchKind; this.checker = checker; this.cancellationToken = cancellationToken; this.searchMeaning = searchMeaning; this.options = options; this.result = result; this.inheritsFromCache = /* @__PURE__ */ new Map(); this.markSeenContainingTypeReference = nodeSeenTracker(); this.markSeenReExportRHS = nodeSeenTracker(); this.symbolIdToReferences = []; this.sourceFileToSeenSymbols = []; } includesSourceFile(sourceFile) { return this.sourceFilesSet.has(sourceFile.fileName); } /** Gets every place to look for references of an exported symbols. See `ImportsResult` in `importTracker.ts` for more documentation. */ getImportSearches(exportSymbol, exportInfo) { if (!this.importTracker) this.importTracker = createImportTracker(this.sourceFiles, this.sourceFilesSet, this.checker, this.cancellationToken); return this.importTracker( exportSymbol, exportInfo, this.options.use === 2 /* Rename */ ); } /** @param allSearchSymbols set of additional symbols for use by `includes`. */ createSearch(location, symbol, comingFrom, searchOptions = {}) { const { text = stripQuotes(symbolName(getLocalSymbolForExportDefault(symbol) || getNonModuleSymbolOfMergedModuleSymbol(symbol) || symbol)), allSearchSymbols = [symbol] } = searchOptions; const escapedText = escapeLeadingUnderscores(text); const parents = this.options.implementations && location ? getParentSymbolsOfPropertyAccess(location, symbol, this.checker) : void 0; return { symbol, comingFrom, text, escapedText, parents, allSearchSymbols, includes: (sym) => contains(allSearchSymbols, sym) }; } /** * Callback to add references for a particular searched symbol. * This initializes a reference group, so only call this if you will add at least one reference. */ referenceAdder(searchSymbol) { const symbolId = getSymbolId(searchSymbol); let references = this.symbolIdToReferences[symbolId]; if (!references) { references = this.symbolIdToReferences[symbolId] = []; this.result.push({ definition: { type: 0, symbol: searchSymbol }, references }); } return (node, kind) => references.push(nodeEntry(node, kind)); } /** Add a reference with no associated definition. */ addStringOrCommentReference(fileName, textSpan) { this.result.push({ definition: void 0, references: [{ kind: 0, fileName, textSpan }] }); } /** Returns `true` the first time we search for a symbol in a file and `false` afterwards. */ markSearchedSymbols(sourceFile, symbols) { const sourceId = getNodeId(sourceFile); const seenSymbols = this.sourceFileToSeenSymbols[sourceId] || (this.sourceFileToSeenSymbols[sourceId] = /* @__PURE__ */ new Set()); let anyNewSymbols = false; for (const sym of symbols) { anyNewSymbols = tryAddToSet(seenSymbols, getSymbolId(sym)) || anyNewSymbols; } return anyNewSymbols; } } function searchForImportsOfExport(exportLocation, exportSymbol, exportInfo, state) { const { importSearches, singleReferences, indirectUsers } = state.getImportSearches(exportSymbol, exportInfo); if (singleReferences.length) { const addRef = state.referenceAdder(exportSymbol); for (const singleRef of singleReferences) { if (shouldAddSingleReference(singleRef, state)) addRef(singleRef); } } for (const [importLocation, importSymbol] of importSearches) { getReferencesInSourceFile(importLocation.getSourceFile(), state.createSearch( importLocation, importSymbol, 1 /* Export */ ), state); } if (indirectUsers.length) { let indirectSearch; switch (exportInfo.exportKind) { case 0: indirectSearch = state.createSearch( exportLocation, exportSymbol, 1 /* Export */ ); break; case 1: indirectSearch = state.options.use === 2 ? void 0 : state.createSearch(exportLocation, exportSymbol, 1, { text: "default" }); break; case 2: break; } if (indirectSearch) { for (const indirectUser of indirectUsers) { searchForName(indirectUser, indirectSearch, state); } } } } function eachExportReference(sourceFiles, checker, cancellationToken, exportSymbol, exportingModuleSymbol, exportName, isDefaultExport, cb) { const importTracker = createImportTracker(sourceFiles, new Set(sourceFiles.map((f) => f.fileName)), checker, cancellationToken); const { importSearches, indirectUsers, singleReferences } = importTracker( exportSymbol, { exportKind: isDefaultExport ? 1 : 0, exportingModuleSymbol }, /*isForRename*/ false ); for (const [importLocation] of importSearches) { cb(importLocation); } for (const singleReference of singleReferences) { if (isIdentifier(singleReference) && isImportTypeNode(singleReference.parent)) { cb(singleReference); } } for (const indirectUser of indirectUsers) { for (const node of getPossibleSymbolReferenceNodes(indirectUser, isDefaultExport ? "default" : exportName)) { const symbol = checker.getSymbolAtLocation(node); const hasExportAssignmentDeclaration = some(symbol == null ? void 0 : symbol.declarations, (d) => tryCast(d, isExportAssignment) ? true : false); if (isIdentifier(node) && !isImportOrExportSpecifier(node.parent) && (symbol === exportSymbol || hasExportAssignmentDeclaration)) { cb(node); } } } } Core2.eachExportReference = eachExportReference; function shouldAddSingleReference(singleRef, state) { if (!hasMatchingMeaning(singleRef, state)) return false; if (state.options.use !== 2) return true; if (!isIdentifier(singleRef)) return false; return !(isImportOrExportSpecifier(singleRef.parent) && singleRef.escapedText === "default"); } function searchForImportedSymbol(symbol, state) { if (!symbol.declarations) return; for (const declaration of symbol.declarations) { const exportingFile = declaration.getSourceFile(); getReferencesInSourceFile(exportingFile, state.createSearch( declaration, symbol, 0 /* Import */ ), state, state.includesSourceFile(exportingFile)); } } function searchForName(sourceFile, search, state) { if (getNameTable(sourceFile).get(search.escapedText) !== void 0) { getReferencesInSourceFile(sourceFile, search, state); } } function getPropertySymbolOfDestructuringAssignment(location, checker) { return isArrayLiteralOrObjectLiteralDestructuringPattern(location.parent.parent) ? checker.getPropertySymbolOfDestructuringAssignment(location) : void 0; } function getSymbolScope(symbol) { const { declarations, flags, parent: parent2, valueDeclaration } = symbol; if (valueDeclaration && (valueDeclaration.kind === 218 || valueDeclaration.kind === 231)) { return valueDeclaration; } if (!declarations) { return void 0; } if (flags & (4 | 8192)) { const privateDeclaration = find(declarations, (d) => hasEffectiveModifier( d, 2 /* Private */ ) || isPrivateIdentifierClassElementDeclaration(d)); if (privateDeclaration) { return getAncestor2( privateDeclaration, 263 /* ClassDeclaration */ ); } return void 0; } if (declarations.some(isObjectBindingElementWithoutPropertyName)) { return void 0; } const exposedByParent = parent2 && !(symbol.flags & 262144); if (exposedByParent && !(isExternalModuleSymbol(parent2) && !parent2.globalExports)) { return void 0; } let scope; for (const declaration of declarations) { const container = getContainerNode(declaration); if (scope && scope !== container) { return void 0; } if (!container || container.kind === 307 && !isExternalOrCommonJsModule(container)) { return void 0; } scope = container; if (isFunctionExpression(scope)) { let next; while (next = getNextJSDocCommentLocation(scope)) { scope = next; } } } return exposedByParent ? scope.getSourceFile() : scope; } function isSymbolReferencedInFile(definition, checker, sourceFile, searchContainer = sourceFile) { return eachSymbolReferenceInFile(definition, checker, sourceFile, () => true, searchContainer) || false; } Core2.isSymbolReferencedInFile = isSymbolReferencedInFile; function eachSymbolReferenceInFile(definition, checker, sourceFile, cb, searchContainer = sourceFile) { const symbol = isParameterPropertyDeclaration(definition.parent, definition.parent.parent) ? first(checker.getSymbolsOfParameterPropertyDeclaration(definition.parent, definition.text)) : checker.getSymbolAtLocation(definition); if (!symbol) return void 0; for (const token of getPossibleSymbolReferenceNodes(sourceFile, symbol.name, searchContainer)) { if (!isIdentifier(token) || token === definition || token.escapedText !== definition.escapedText) continue; const referenceSymbol = checker.getSymbolAtLocation(token); if (referenceSymbol === symbol || checker.getShorthandAssignmentValueSymbol(token.parent) === symbol || isExportSpecifier(token.parent) && getLocalSymbolForExportSpecifier(token, referenceSymbol, token.parent, checker) === symbol) { const res = cb(token); if (res) return res; } } } Core2.eachSymbolReferenceInFile = eachSymbolReferenceInFile; function getTopMostDeclarationNamesInFile(declarationName, sourceFile) { const candidates = filter(getPossibleSymbolReferenceNodes(sourceFile, declarationName), (name) => !!getDeclarationFromName(name)); return candidates.reduce((topMost, decl) => { const depth2 = getDepth(decl); if (!some(topMost.declarationNames) || depth2 === topMost.depth) { topMost.declarationNames.push(decl); topMost.depth = depth2; } else if (depth2 < topMost.depth) { topMost.declarationNames = [decl]; topMost.depth = depth2; } return topMost; }, { depth: Infinity, declarationNames: [] }).declarationNames; function getDepth(declaration) { let depth2 = 0; while (declaration) { declaration = getContainerNode(declaration); depth2++; } return depth2; } } Core2.getTopMostDeclarationNamesInFile = getTopMostDeclarationNamesInFile; function someSignatureUsage(signature, sourceFiles, checker, cb) { if (!signature.name || !isIdentifier(signature.name)) return false; const symbol = Debug.checkDefined(checker.getSymbolAtLocation(signature.name)); for (const sourceFile of sourceFiles) { for (const name of getPossibleSymbolReferenceNodes(sourceFile, symbol.name)) { if (!isIdentifier(name) || name === signature.name || name.escapedText !== signature.name.escapedText) continue; const called = climbPastPropertyAccess(name); const call = isCallExpression2(called.parent) && called.parent.expression === called ? called.parent : void 0; const referenceSymbol = checker.getSymbolAtLocation(name); if (referenceSymbol && checker.getRootSymbols(referenceSymbol).some((s) => s === symbol)) { if (cb(name, call)) { return true; } } } } return false; } Core2.someSignatureUsage = someSignatureUsage; function getPossibleSymbolReferenceNodes(sourceFile, symbolName2, container = sourceFile) { return mapDefined(getPossibleSymbolReferencePositions(sourceFile, symbolName2, container), (pos) => { const referenceLocation = getTouchingPropertyName(sourceFile, pos); return referenceLocation === sourceFile ? void 0 : referenceLocation; }); } function getPossibleSymbolReferencePositions(sourceFile, symbolName2, container = sourceFile) { const positions = []; if (!symbolName2 || !symbolName2.length) { return positions; } const text = sourceFile.text; const sourceLength = text.length; const symbolNameLength = symbolName2.length; let position = text.indexOf(symbolName2, container.pos); while (position >= 0) { if (position > container.end) break; const endPosition = position + symbolNameLength; if ((position === 0 || !isIdentifierPart( text.charCodeAt(position - 1), 99 /* Latest */ )) && (endPosition === sourceLength || !isIdentifierPart( text.charCodeAt(endPosition), 99 /* Latest */ ))) { positions.push(position); } position = text.indexOf(symbolName2, position + symbolNameLength + 1); } return positions; } function getLabelReferencesInNode(container, targetLabel) { const sourceFile = container.getSourceFile(); const labelName = targetLabel.text; const references = mapDefined(getPossibleSymbolReferenceNodes(sourceFile, labelName, container), (node) => ( // Only pick labels that are either the target label, or have a target that is the target label node === targetLabel || isJumpStatementTarget(node) && getTargetLabel(node, labelName) === targetLabel ? nodeEntry(node) : void 0 )); return [{ definition: { type: 1, node: targetLabel }, references }]; } function isValidReferencePosition(node, searchSymbolName) { switch (node.kind) { case 81: if (isJSDocMemberName(node.parent)) { return true; } case 80: return node.text.length === searchSymbolName.length; case 15: case 11: { const str = node; return (isLiteralNameOfPropertyDeclarationOrIndexAccess(str) || isNameOfModuleDeclaration(node) || isExpressionOfExternalModuleImportEqualsDeclaration(node) || isCallExpression2(node.parent) && isBindableObjectDefinePropertyCall(node.parent) && node.parent.arguments[1] === node) && str.text.length === searchSymbolName.length; } case 9: return isLiteralNameOfPropertyDeclarationOrIndexAccess(node) && node.text.length === searchSymbolName.length; case 90: return "default".length === searchSymbolName.length; default: return false; } } function getAllReferencesForImportMeta(sourceFiles, cancellationToken) { const references = flatMap(sourceFiles, (sourceFile) => { cancellationToken.throwIfCancellationRequested(); return mapDefined(getPossibleSymbolReferenceNodes(sourceFile, "meta", sourceFile), (node) => { const parent2 = node.parent; if (isImportMeta(parent2)) { return nodeEntry(parent2); } }); }); return references.length ? [{ definition: { type: 2, node: references[0].node }, references }] : void 0; } function getAllReferencesForKeyword(sourceFiles, keywordKind, cancellationToken, filter2) { const references = flatMap(sourceFiles, (sourceFile) => { cancellationToken.throwIfCancellationRequested(); return mapDefined(getPossibleSymbolReferenceNodes(sourceFile, tokenToString(keywordKind), sourceFile), (referenceLocation) => { if (referenceLocation.kind === keywordKind && (!filter2 || filter2(referenceLocation))) { return nodeEntry(referenceLocation); } }); }); return references.length ? [{ definition: { type: 2, node: references[0].node }, references }] : void 0; } function getReferencesInSourceFile(sourceFile, search, state, addReferencesHere = true) { state.cancellationToken.throwIfCancellationRequested(); return getReferencesInContainer(sourceFile, sourceFile, search, state, addReferencesHere); } function getReferencesInContainer(container, sourceFile, search, state, addReferencesHere) { if (!state.markSearchedSymbols(sourceFile, search.allSearchSymbols)) { return; } for (const position of getPossibleSymbolReferencePositions(sourceFile, search.text, container)) { getReferencesAtLocation(sourceFile, position, search, state, addReferencesHere); } } function hasMatchingMeaning(referenceLocation, state) { return !!(getMeaningFromLocation(referenceLocation) & state.searchMeaning); } function getReferencesAtLocation(sourceFile, position, search, state, addReferencesHere) { const referenceLocation = getTouchingPropertyName(sourceFile, position); if (!isValidReferencePosition(referenceLocation, search.text)) { if (!state.options.implementations && (state.options.findInStrings && isInString(sourceFile, position) || state.options.findInComments && isInNonReferenceComment(sourceFile, position))) { state.addStringOrCommentReference(sourceFile.fileName, createTextSpan(position, search.text.length)); } return; } if (!hasMatchingMeaning(referenceLocation, state)) return; let referenceSymbol = state.checker.getSymbolAtLocation(referenceLocation); if (!referenceSymbol) { return; } const parent2 = referenceLocation.parent; if (isImportSpecifier(parent2) && parent2.propertyName === referenceLocation) { return; } if (isExportSpecifier(parent2)) { Debug.assert( referenceLocation.kind === 80 /* Identifier */ ); getReferencesAtExportSpecifier(referenceLocation, referenceSymbol, parent2, search, state, addReferencesHere); return; } if (isJSDocPropertyLikeTag(parent2) && parent2.isNameFirst && parent2.typeExpression && isJSDocTypeLiteral(parent2.typeExpression.type) && parent2.typeExpression.type.jsDocPropertyTags && length(parent2.typeExpression.type.jsDocPropertyTags)) { getReferencesAtJSDocTypeLiteral(parent2.typeExpression.type.jsDocPropertyTags, referenceLocation, search, state); return; } const relatedSymbol = getRelatedSymbol(search, referenceSymbol, referenceLocation, state); if (!relatedSymbol) { getReferenceForShorthandProperty(referenceSymbol, search, state); return; } switch (state.specialSearchKind) { case 0: if (addReferencesHere) addReference(referenceLocation, relatedSymbol, state); break; case 1: addConstructorReferences(referenceLocation, sourceFile, search, state); break; case 2: addClassStaticThisReferences(referenceLocation, search, state); break; default: Debug.assertNever(state.specialSearchKind); } if (isInJSFile(referenceLocation) && isBindingElement(referenceLocation.parent) && isVariableDeclarationInitializedToBareOrAccessedRequire(referenceLocation.parent.parent.parent)) { referenceSymbol = referenceLocation.parent.symbol; if (!referenceSymbol) return; } getImportOrExportReferences(referenceLocation, referenceSymbol, search, state); } function getReferencesAtJSDocTypeLiteral(jsDocPropertyTags, referenceLocation, search, state) { const addRef = state.referenceAdder(search.symbol); addReference(referenceLocation, search.symbol, state); forEach(jsDocPropertyTags, (propTag) => { if (isQualifiedName(propTag.name)) { addRef(propTag.name.left); } }); } function getReferencesAtExportSpecifier(referenceLocation, referenceSymbol, exportSpecifier, search, state, addReferencesHere, alwaysGetReferences) { Debug.assert(!alwaysGetReferences || !!state.options.providePrefixAndSuffixTextForRename, "If alwaysGetReferences is true, then prefix/suffix text must be enabled"); const { parent: parent2, propertyName, name } = exportSpecifier; const exportDeclaration = parent2.parent; const localSymbol = getLocalSymbolForExportSpecifier(referenceLocation, referenceSymbol, exportSpecifier, state.checker); if (!alwaysGetReferences && !search.includes(localSymbol)) { return; } if (!propertyName) { if (!(state.options.use === 2 && name.escapedText === "default")) { addRef(); } } else if (referenceLocation === propertyName) { if (!exportDeclaration.moduleSpecifier) { addRef(); } if (addReferencesHere && state.options.use !== 2 && state.markSeenReExportRHS(name)) { addReference(name, Debug.checkDefined(exportSpecifier.symbol), state); } } else { if (state.markSeenReExportRHS(referenceLocation)) { addRef(); } } if (!isForRenameWithPrefixAndSuffixText(state.options) || alwaysGetReferences) { const isDefaultExport = referenceLocation.escapedText === "default" || exportSpecifier.name.escapedText === "default"; const exportKind = isDefaultExport ? 1 : 0; const exportSymbol = Debug.checkDefined(exportSpecifier.symbol); const exportInfo = getExportInfo(exportSymbol, exportKind, state.checker); if (exportInfo) { searchForImportsOfExport(referenceLocation, exportSymbol, exportInfo, state); } } if (search.comingFrom !== 1 && exportDeclaration.moduleSpecifier && !propertyName && !isForRenameWithPrefixAndSuffixText(state.options)) { const imported = state.checker.getExportSpecifierLocalTargetSymbol(exportSpecifier); if (imported) searchForImportedSymbol(imported, state); } function addRef() { if (addReferencesHere) addReference(referenceLocation, localSymbol, state); } } function getLocalSymbolForExportSpecifier(referenceLocation, referenceSymbol, exportSpecifier, checker) { return isExportSpecifierAlias(referenceLocation, exportSpecifier) && checker.getExportSpecifierLocalTargetSymbol(exportSpecifier) || referenceSymbol; } function isExportSpecifierAlias(referenceLocation, exportSpecifier) { const { parent: parent2, propertyName, name } = exportSpecifier; Debug.assert(propertyName === referenceLocation || name === referenceLocation); if (propertyName) { return propertyName === referenceLocation; } else { return !parent2.parent.moduleSpecifier; } } function getImportOrExportReferences(referenceLocation, referenceSymbol, search, state) { const importOrExport = getImportOrExportSymbol( referenceLocation, referenceSymbol, state.checker, search.comingFrom === 1 /* Export */ ); if (!importOrExport) return; const { symbol } = importOrExport; if (importOrExport.kind === 0) { if (!isForRenameWithPrefixAndSuffixText(state.options)) { searchForImportedSymbol(symbol, state); } } else { searchForImportsOfExport(referenceLocation, symbol, importOrExport.exportInfo, state); } } function getReferenceForShorthandProperty({ flags, valueDeclaration }, search, state) { const shorthandValueSymbol = state.checker.getShorthandAssignmentValueSymbol(valueDeclaration); const name = valueDeclaration && getNameOfDeclaration(valueDeclaration); if (!(flags & 33554432) && name && search.includes(shorthandValueSymbol)) { addReference(name, shorthandValueSymbol, state); } } function addReference(referenceLocation, relatedSymbol, state) { const { kind, symbol } = "kind" in relatedSymbol ? relatedSymbol : { kind: void 0, symbol: relatedSymbol }; if (state.options.use === 2 && referenceLocation.kind === 90) { return; } const addRef = state.referenceAdder(symbol); if (state.options.implementations) { addImplementationReferences(referenceLocation, addRef, state); } else { addRef(referenceLocation, kind); } } function addConstructorReferences(referenceLocation, sourceFile, search, state) { if (isNewExpressionTarget(referenceLocation)) { addReference(referenceLocation, search.symbol, state); } const pusher = () => state.referenceAdder(search.symbol); if (isClassLike(referenceLocation.parent)) { Debug.assert(referenceLocation.kind === 90 || referenceLocation.parent.name === referenceLocation); findOwnConstructorReferences(search.symbol, sourceFile, pusher()); } else { const classExtending = tryGetClassByExtendingIdentifier(referenceLocation); if (classExtending) { findSuperConstructorAccesses(classExtending, pusher()); findInheritedConstructorReferences(classExtending, state); } } } function addClassStaticThisReferences(referenceLocation, search, state) { addReference(referenceLocation, search.symbol, state); const classLike = referenceLocation.parent; if (state.options.use === 2 || !isClassLike(classLike)) return; Debug.assert(classLike.name === referenceLocation); const addRef = state.referenceAdder(search.symbol); for (const member of classLike.members) { if (!(isMethodOrAccessor(member) && isStatic(member))) { continue; } if (member.body) { member.body.forEachChild(function cb(node) { if (node.kind === 110) { addRef(node); } else if (!isFunctionLike(node) && !isClassLike(node)) { node.forEachChild(cb); } }); } } } function findOwnConstructorReferences(classSymbol, sourceFile, addNode) { const constructorSymbol = getClassConstructorSymbol(classSymbol); if (constructorSymbol && constructorSymbol.declarations) { for (const decl of constructorSymbol.declarations) { const ctrKeyword = findChildOfKind(decl, 137, sourceFile); Debug.assert(decl.kind === 176 && !!ctrKeyword); addNode(ctrKeyword); } } if (classSymbol.exports) { classSymbol.exports.forEach((member) => { const decl = member.valueDeclaration; if (decl && decl.kind === 174) { const body = decl.body; if (body) { forEachDescendantOfKind(body, 110, (thisKeyword) => { if (isNewExpressionTarget(thisKeyword)) { addNode(thisKeyword); } }); } } }); } } function getClassConstructorSymbol(classSymbol) { return classSymbol.members && classSymbol.members.get( "__constructor" /* Constructor */ ); } function findSuperConstructorAccesses(classDeclaration, addNode) { const constructor = getClassConstructorSymbol(classDeclaration.symbol); if (!(constructor && constructor.declarations)) { return; } for (const decl of constructor.declarations) { Debug.assert( decl.kind === 176 /* Constructor */ ); const body = decl.body; if (body) { forEachDescendantOfKind(body, 108, (node) => { if (isCallExpressionTarget(node)) { addNode(node); } }); } } } function hasOwnConstructor(classDeclaration) { return !!getClassConstructorSymbol(classDeclaration.symbol); } function findInheritedConstructorReferences(classDeclaration, state) { if (hasOwnConstructor(classDeclaration)) return; const classSymbol = classDeclaration.symbol; const search = state.createSearch( /*location*/ void 0, classSymbol, /*comingFrom*/ void 0 ); getReferencesInContainerOrFiles(classSymbol, state, search); } function addImplementationReferences(refNode, addReference2, state) { if (isDeclarationName(refNode) && isImplementation(refNode.parent)) { addReference2(refNode); return; } if (refNode.kind !== 80) { return; } if (refNode.parent.kind === 304) { getReferenceEntriesForShorthandPropertyAssignment(refNode, state.checker, addReference2); } const containingNode = getContainingNodeIfInHeritageClause(refNode); if (containingNode) { addReference2(containingNode); return; } const typeNode = findAncestor(refNode, (a) => !isQualifiedName(a.parent) && !isTypeNode(a.parent) && !isTypeElement(a.parent)); const typeHavingNode = typeNode.parent; if (hasType(typeHavingNode) && typeHavingNode.type === typeNode && state.markSeenContainingTypeReference(typeHavingNode)) { if (hasInitializer(typeHavingNode)) { addIfImplementation(typeHavingNode.initializer); } else if (isFunctionLike(typeHavingNode) && typeHavingNode.body) { const body = typeHavingNode.body; if (body.kind === 241) { forEachReturnStatement(body, (returnStatement) => { if (returnStatement.expression) addIfImplementation(returnStatement.expression); }); } else { addIfImplementation(body); } } else if (isAssertionExpression(typeHavingNode)) { addIfImplementation(typeHavingNode.expression); } } function addIfImplementation(e) { if (isImplementationExpression(e)) addReference2(e); } } function getContainingNodeIfInHeritageClause(node) { return isIdentifier(node) || isPropertyAccessExpression(node) ? getContainingNodeIfInHeritageClause(node.parent) : isExpressionWithTypeArguments(node) ? tryCast(node.parent.parent, or(isClassLike, isInterfaceDeclaration)) : void 0; } function isImplementationExpression(node) { switch (node.kind) { case 217: return isImplementationExpression(node.expression); case 219: case 218: case 210: case 231: case 209: return true; default: return false; } } function explicitlyInheritsFrom(symbol, parent2, cachedResults, checker) { if (symbol === parent2) { return true; } const key = getSymbolId(symbol) + "," + getSymbolId(parent2); const cached = cachedResults.get(key); if (cached !== void 0) { return cached; } cachedResults.set(key, false); const inherits = !!symbol.declarations && symbol.declarations.some( (declaration) => getAllSuperTypeNodes(declaration).some((typeReference) => { const type = checker.getTypeAtLocation(typeReference); return !!type && !!type.symbol && explicitlyInheritsFrom(type.symbol, parent2, cachedResults, checker); }) ); cachedResults.set(key, inherits); return inherits; } function getReferencesForSuperKeyword(superKeyword) { let searchSpaceNode = getSuperContainer( superKeyword, /*stopOnFunctions*/ false ); if (!searchSpaceNode) { return void 0; } let staticFlag = 256; switch (searchSpaceNode.kind) { case 172: case 171: case 174: case 173: case 176: case 177: case 178: staticFlag &= getSyntacticModifierFlags(searchSpaceNode); searchSpaceNode = searchSpaceNode.parent; break; default: return void 0; } const sourceFile = searchSpaceNode.getSourceFile(); const references = mapDefined(getPossibleSymbolReferenceNodes(sourceFile, "super", searchSpaceNode), (node) => { if (node.kind !== 108) { return; } const container = getSuperContainer( node, /*stopOnFunctions*/ false ); return container && isStatic(container) === !!staticFlag && container.parent.symbol === searchSpaceNode.symbol ? nodeEntry(node) : void 0; }); return [{ definition: { type: 0, symbol: searchSpaceNode.symbol }, references }]; } function isParameterName(node) { return node.kind === 80 && node.parent.kind === 169 && node.parent.name === node; } function getReferencesForThisKeyword(thisOrSuperKeyword, sourceFiles, cancellationToken) { let searchSpaceNode = getThisContainer( thisOrSuperKeyword, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ); let staticFlag = 256; switch (searchSpaceNode.kind) { case 174: case 173: if (isObjectLiteralMethod(searchSpaceNode)) { staticFlag &= getSyntacticModifierFlags(searchSpaceNode); searchSpaceNode = searchSpaceNode.parent; break; } case 172: case 171: case 176: case 177: case 178: staticFlag &= getSyntacticModifierFlags(searchSpaceNode); searchSpaceNode = searchSpaceNode.parent; break; case 307: if (isExternalModule(searchSpaceNode) || isParameterName(thisOrSuperKeyword)) { return void 0; } case 262: case 218: break; default: return void 0; } const references = flatMap(searchSpaceNode.kind === 307 ? sourceFiles : [searchSpaceNode.getSourceFile()], (sourceFile) => { cancellationToken.throwIfCancellationRequested(); return getPossibleSymbolReferenceNodes(sourceFile, "this", isSourceFile(searchSpaceNode) ? sourceFile : searchSpaceNode).filter((node) => { if (!isThis(node)) { return false; } const container = getThisContainer( node, /*includeArrowFunctions*/ false, /*includeClassComputedPropertyName*/ false ); if (!canHaveSymbol(container)) return false; switch (searchSpaceNode.kind) { case 218: case 262: return searchSpaceNode.symbol === container.symbol; case 174: case 173: return isObjectLiteralMethod(searchSpaceNode) && searchSpaceNode.symbol === container.symbol; case 231: case 263: case 210: return container.parent && canHaveSymbol(container.parent) && searchSpaceNode.symbol === container.parent.symbol && isStatic(container) === !!staticFlag; case 307: return container.kind === 307 && !isExternalModule(container) && !isParameterName(node); } }); }).map((n) => nodeEntry(n)); const thisParameter = firstDefined(references, (r) => isParameter(r.node.parent) ? r.node : void 0); return [{ definition: { type: 3, node: thisParameter || thisOrSuperKeyword }, references }]; } function getReferencesForStringLiteral(node, sourceFiles, checker, cancellationToken) { const type = getContextualTypeFromParentOrAncestorTypeNode(node, checker); const references = flatMap(sourceFiles, (sourceFile) => { cancellationToken.throwIfCancellationRequested(); return mapDefined(getPossibleSymbolReferenceNodes(sourceFile, node.text), (ref) => { if (isStringLiteralLike(ref) && ref.text === node.text) { if (type) { const refType = getContextualTypeFromParentOrAncestorTypeNode(ref, checker); if (type !== checker.getStringType() && (type === refType || isStringLiteralPropertyReference(ref, checker))) { return nodeEntry( ref, 2 /* StringLiteral */ ); } } else { return isNoSubstitutionTemplateLiteral(ref) && !rangeIsOnSingleLine(ref, sourceFile) ? void 0 : nodeEntry( ref, 2 /* StringLiteral */ ); } } }); }); return [{ definition: { type: 4, node }, references }]; } function isStringLiteralPropertyReference(node, checker) { if (isPropertySignature(node.parent)) { return checker.getPropertyOfType(checker.getTypeAtLocation(node.parent.parent), node.text); } } function populateSearchSymbolSet(symbol, location, checker, isForRename, providePrefixAndSuffixText, implementations) { const result = []; forEachRelatedSymbol( symbol, location, checker, isForRename, !(isForRename && providePrefixAndSuffixText), (sym, root2, base) => { if (base) { if (isStaticSymbol(symbol) !== isStaticSymbol(base)) { base = void 0; } } result.push(base || root2 || sym); }, // when try to find implementation, implementations is true, and not allowed to find base class /*allowBaseTypes*/ () => !implementations ); return result; } function forEachRelatedSymbol(symbol, location, checker, isForRenamePopulateSearchSymbolSet, onlyIncludeBindingElementAtReferenceLocation, cbSymbol, allowBaseTypes) { const containingObjectLiteralElement = getContainingObjectLiteralElement(location); if (containingObjectLiteralElement) { const shorthandValueSymbol = checker.getShorthandAssignmentValueSymbol(location.parent); if (shorthandValueSymbol && isForRenamePopulateSearchSymbolSet) { return cbSymbol( shorthandValueSymbol, /*rootSymbol*/ void 0, /*baseSymbol*/ void 0, 3 /* SearchedLocalFoundProperty */ ); } const contextualType = checker.getContextualType(containingObjectLiteralElement.parent); const res2 = contextualType && firstDefined( getPropertySymbolsFromContextualType( containingObjectLiteralElement, checker, contextualType, /*unionSymbolOk*/ true ), (sym) => fromRoot( sym, 4 /* SearchedPropertyFoundLocal */ ) ); if (res2) return res2; const propertySymbol = getPropertySymbolOfDestructuringAssignment(location, checker); const res1 = propertySymbol && cbSymbol( propertySymbol, /*rootSymbol*/ void 0, /*baseSymbol*/ void 0, 4 /* SearchedPropertyFoundLocal */ ); if (res1) return res1; const res22 = shorthandValueSymbol && cbSymbol( shorthandValueSymbol, /*rootSymbol*/ void 0, /*baseSymbol*/ void 0, 3 /* SearchedLocalFoundProperty */ ); if (res22) return res22; } const aliasedSymbol = getMergedAliasedSymbolOfNamespaceExportDeclaration(location, symbol, checker); if (aliasedSymbol) { const res2 = cbSymbol( aliasedSymbol, /*rootSymbol*/ void 0, /*baseSymbol*/ void 0, 1 /* Node */ ); if (res2) return res2; } const res = fromRoot(symbol); if (res) return res; if (symbol.valueDeclaration && isParameterPropertyDeclaration(symbol.valueDeclaration, symbol.valueDeclaration.parent)) { const paramProps = checker.getSymbolsOfParameterPropertyDeclaration(cast(symbol.valueDeclaration, isParameter), symbol.name); Debug.assert(paramProps.length === 2 && !!(paramProps[0].flags & 1) && !!(paramProps[1].flags & 4)); return fromRoot(symbol.flags & 1 ? paramProps[1] : paramProps[0]); } const exportSpecifier = getDeclarationOfKind( symbol, 281 /* ExportSpecifier */ ); if (!isForRenamePopulateSearchSymbolSet || exportSpecifier && !exportSpecifier.propertyName) { const localSymbol = exportSpecifier && checker.getExportSpecifierLocalTargetSymbol(exportSpecifier); if (localSymbol) { const res2 = cbSymbol( localSymbol, /*rootSymbol*/ void 0, /*baseSymbol*/ void 0, 1 /* Node */ ); if (res2) return res2; } } if (!isForRenamePopulateSearchSymbolSet) { let bindingElementPropertySymbol; if (onlyIncludeBindingElementAtReferenceLocation) { bindingElementPropertySymbol = isObjectBindingElementWithoutPropertyName(location.parent) ? getPropertySymbolFromBindingElement(checker, location.parent) : void 0; } else { bindingElementPropertySymbol = getPropertySymbolOfObjectBindingPatternWithoutPropertyName(symbol, checker); } return bindingElementPropertySymbol && fromRoot( bindingElementPropertySymbol, 4 /* SearchedPropertyFoundLocal */ ); } Debug.assert(isForRenamePopulateSearchSymbolSet); const includeOriginalSymbolOfBindingElement = onlyIncludeBindingElementAtReferenceLocation; if (includeOriginalSymbolOfBindingElement) { const bindingElementPropertySymbol = getPropertySymbolOfObjectBindingPatternWithoutPropertyName(symbol, checker); return bindingElementPropertySymbol && fromRoot( bindingElementPropertySymbol, 4 /* SearchedPropertyFoundLocal */ ); } function fromRoot(sym, kind) { return firstDefined(checker.getRootSymbols(sym), (rootSymbol) => cbSymbol( sym, rootSymbol, /*baseSymbol*/ void 0, kind ) || (rootSymbol.parent && rootSymbol.parent.flags & (32 | 64) && allowBaseTypes(rootSymbol) ? getPropertySymbolsFromBaseTypes(rootSymbol.parent, rootSymbol.name, checker, (base) => cbSymbol(sym, rootSymbol, base, kind)) : void 0)); } function getPropertySymbolOfObjectBindingPatternWithoutPropertyName(symbol2, checker2) { const bindingElement = getDeclarationOfKind( symbol2, 208 /* BindingElement */ ); if (bindingElement && isObjectBindingElementWithoutPropertyName(bindingElement)) { return getPropertySymbolFromBindingElement(checker2, bindingElement); } } } function getPropertySymbolsFromBaseTypes(symbol, propertyName, checker, cb) { const seen = /* @__PURE__ */ new Map(); return recur(symbol); function recur(symbol2) { if (!(symbol2.flags & (32 | 64)) || !addToSeen(seen, getSymbolId(symbol2))) return; return firstDefined(symbol2.declarations, (declaration) => firstDefined(getAllSuperTypeNodes(declaration), (typeReference) => { const type = checker.getTypeAtLocation(typeReference); const propertySymbol = type && type.symbol && checker.getPropertyOfType(type, propertyName); return type && propertySymbol && (firstDefined(checker.getRootSymbols(propertySymbol), cb) || recur(type.symbol)); })); } } function isStaticSymbol(symbol) { if (!symbol.valueDeclaration) return false; const modifierFlags = getEffectiveModifierFlags(symbol.valueDeclaration); return !!(modifierFlags & 256); } function getRelatedSymbol(search, referenceSymbol, referenceLocation, state) { const { checker } = state; return forEachRelatedSymbol( referenceSymbol, referenceLocation, checker, /*isForRenamePopulateSearchSymbolSet*/ false, /*onlyIncludeBindingElementAtReferenceLocation*/ state.options.use !== 2 || !!state.options.providePrefixAndSuffixTextForRename, (sym, rootSymbol, baseSymbol, kind) => { if (baseSymbol) { if (isStaticSymbol(referenceSymbol) !== isStaticSymbol(baseSymbol)) { baseSymbol = void 0; } } return search.includes(baseSymbol || rootSymbol || sym) ? { symbol: rootSymbol && !(getCheckFlags(sym) & 6) ? rootSymbol : sym, kind } : void 0; }, /*allowBaseTypes*/ (rootSymbol) => !(search.parents && !search.parents.some((parent2) => explicitlyInheritsFrom(rootSymbol.parent, parent2, state.inheritsFromCache, checker))) ); } function getIntersectingMeaningFromDeclarations(node, symbol) { let meaning = getMeaningFromLocation(node); const { declarations } = symbol; if (declarations) { let lastIterationMeaning; do { lastIterationMeaning = meaning; for (const declaration of declarations) { const declarationMeaning = getMeaningFromDeclaration(declaration); if (declarationMeaning & meaning) { meaning |= declarationMeaning; } } } while (meaning !== lastIterationMeaning); } return meaning; } Core2.getIntersectingMeaningFromDeclarations = getIntersectingMeaningFromDeclarations; function isImplementation(node) { return !!(node.flags & 33554432) ? !(isInterfaceDeclaration(node) || isTypeAliasDeclaration(node)) : isVariableLike(node) ? hasInitializer(node) : isFunctionLikeDeclaration(node) ? !!node.body : isClassLike(node) || isModuleOrEnumDeclaration(node); } function getReferenceEntriesForShorthandPropertyAssignment(node, checker, addReference2) { const refSymbol = checker.getSymbolAtLocation(node); const shorthandSymbol = checker.getShorthandAssignmentValueSymbol(refSymbol.valueDeclaration); if (shorthandSymbol) { for (const declaration of shorthandSymbol.getDeclarations()) { if (getMeaningFromDeclaration(declaration) & 1) { addReference2(declaration); } } } } Core2.getReferenceEntriesForShorthandPropertyAssignment = getReferenceEntriesForShorthandPropertyAssignment; function forEachDescendantOfKind(node, kind, action) { forEachChild(node, (child) => { if (child.kind === kind) { action(child); } forEachDescendantOfKind(child, kind, action); }); } function tryGetClassByExtendingIdentifier(node) { return tryGetClassExtendingExpressionWithTypeArguments(climbPastPropertyAccess(node).parent); } function getParentSymbolsOfPropertyAccess(location, symbol, checker) { const propertyAccessExpression = isRightSideOfPropertyAccess(location) ? location.parent : void 0; const lhsType = propertyAccessExpression && checker.getTypeAtLocation(propertyAccessExpression.expression); const res = mapDefined(lhsType && (lhsType.isUnionOrIntersection() ? lhsType.types : lhsType.symbol === symbol.parent ? void 0 : [lhsType]), (t) => t.symbol && t.symbol.flags & (32 | 64) ? t.symbol : void 0); return res.length === 0 ? void 0 : res; } function isForRenameWithPrefixAndSuffixText(options) { return options.use === 2 && options.providePrefixAndSuffixTextForRename; } })(Core || (Core = {})); var ts_GoToDefinition_exports = {}; __export2(ts_GoToDefinition_exports, { createDefinitionInfo: () => createDefinitionInfo, findReferenceInPosition: () => findReferenceInPosition, getDefinitionAndBoundSpan: () => getDefinitionAndBoundSpan, getDefinitionAtPosition: () => getDefinitionAtPosition, getReferenceAtPosition: () => getReferenceAtPosition, getTypeDefinitionAtPosition: () => getTypeDefinitionAtPosition }); function getDefinitionAtPosition(program, sourceFile, position, searchOtherFilesOnly, stopAtAlias) { var _a; const resolvedRef = getReferenceAtPosition(sourceFile, position, program); const fileReferenceDefinition = resolvedRef && [getDefinitionInfoForFileReference(resolvedRef.reference.fileName, resolvedRef.fileName, resolvedRef.unverified)] || emptyArray; if (resolvedRef == null ? void 0 : resolvedRef.file) { return fileReferenceDefinition; } const node = getTouchingPropertyName(sourceFile, position); if (node === sourceFile) { return void 0; } const { parent: parent2 } = node; const typeChecker = program.getTypeChecker(); if (node.kind === 164 || isIdentifier(node) && isJSDocOverrideTag(parent2) && parent2.tagName === node) { return getDefinitionFromOverriddenMember(typeChecker, node) || emptyArray; } if (isJumpStatementTarget(node)) { const label = getTargetLabel(node.parent, node.text); return label ? [createDefinitionInfoFromName( typeChecker, label, "label", node.text, /*containerName*/ void 0 )] : void 0; } switch (node.kind) { case 107: const functionDeclaration = findAncestor(node.parent, (n) => isClassStaticBlockDeclaration(n) ? "quit" : isFunctionLikeDeclaration(n)); return functionDeclaration ? [createDefinitionFromSignatureDeclaration(typeChecker, functionDeclaration)] : void 0; case 90: if (!isDefaultClause(node.parent)) { break; } case 84: const switchStatement = findAncestor(node.parent, isSwitchStatement); if (switchStatement) { return [createDefinitionInfoFromSwitch(switchStatement, sourceFile)]; } break; } if (node.kind === 135) { const functionDeclaration = findAncestor(node, (n) => isFunctionLikeDeclaration(n)); const isAsyncFunction2 = functionDeclaration && some( functionDeclaration.modifiers, (node2) => node2.kind === 134 /* AsyncKeyword */ ); return isAsyncFunction2 ? [createDefinitionFromSignatureDeclaration(typeChecker, functionDeclaration)] : void 0; } if (node.kind === 127) { const functionDeclaration = findAncestor(node, (n) => isFunctionLikeDeclaration(n)); const isGeneratorFunction = functionDeclaration && functionDeclaration.asteriskToken; return isGeneratorFunction ? [createDefinitionFromSignatureDeclaration(typeChecker, functionDeclaration)] : void 0; } if (isStaticModifier(node) && isClassStaticBlockDeclaration(node.parent)) { const classDecl = node.parent.parent; const { symbol: symbol2, failedAliasResolution: failedAliasResolution2 } = getSymbol(classDecl, typeChecker, stopAtAlias); const staticBlocks = filter(classDecl.members, isClassStaticBlockDeclaration); const containerName = symbol2 ? typeChecker.symbolToString(symbol2, classDecl) : ""; const sourceFile2 = node.getSourceFile(); return map(staticBlocks, (staticBlock) => { let { pos } = moveRangePastModifiers(staticBlock); pos = skipTrivia(sourceFile2.text, pos); return createDefinitionInfoFromName( typeChecker, staticBlock, "constructor", "static {}", containerName, /*unverified*/ false, failedAliasResolution2, { start: pos, length: "static".length } ); }); } let { symbol, failedAliasResolution } = getSymbol(node, typeChecker, stopAtAlias); let fallbackNode = node; if (searchOtherFilesOnly && failedAliasResolution) { const importDeclaration = forEach([node, ...(symbol == null ? void 0 : symbol.declarations) || emptyArray], (n) => findAncestor(n, isAnyImportOrBareOrAccessedRequire)); const moduleSpecifier = importDeclaration && tryGetModuleSpecifierFromDeclaration(importDeclaration); if (moduleSpecifier) { ({ symbol, failedAliasResolution } = getSymbol(moduleSpecifier, typeChecker, stopAtAlias)); fallbackNode = moduleSpecifier; } } if (!symbol && isModuleSpecifierLike(fallbackNode)) { const ref = (_a = program.getResolvedModuleFromModuleSpecifier(fallbackNode, sourceFile)) == null ? void 0 : _a.resolvedModule; if (ref) { return [{ name: fallbackNode.text, fileName: ref.resolvedFileName, containerName: void 0, containerKind: void 0, kind: "script", textSpan: createTextSpan(0, 0), failedAliasResolution, isAmbient: isDeclarationFileName(ref.resolvedFileName), unverified: fallbackNode !== node }]; } } if (!symbol) { return concatenate(fileReferenceDefinition, getDefinitionInfoForIndexSignatures(node, typeChecker)); } if (searchOtherFilesOnly && every(symbol.declarations, (d) => d.getSourceFile().fileName === sourceFile.fileName)) return void 0; const calledDeclaration = tryGetSignatureDeclaration(typeChecker, node); if (calledDeclaration && !(isJsxOpeningLikeElement(node.parent) && isJsxConstructorLike(calledDeclaration))) { const sigInfo = createDefinitionFromSignatureDeclaration(typeChecker, calledDeclaration, failedAliasResolution); if (typeChecker.getRootSymbols(symbol).some((s) => symbolMatchesSignature(s, calledDeclaration))) { return [sigInfo]; } else { const defs = getDefinitionFromSymbol(typeChecker, symbol, node, failedAliasResolution, calledDeclaration) || emptyArray; return node.kind === 108 ? [sigInfo, ...defs] : [...defs, sigInfo]; } } if (node.parent.kind === 304) { const shorthandSymbol = typeChecker.getShorthandAssignmentValueSymbol(symbol.valueDeclaration); const definitions = (shorthandSymbol == null ? void 0 : shorthandSymbol.declarations) ? shorthandSymbol.declarations.map((decl) => createDefinitionInfo( decl, typeChecker, shorthandSymbol, node, /*unverified*/ false, failedAliasResolution )) : emptyArray; return concatenate(definitions, getDefinitionFromObjectLiteralElement(typeChecker, node)); } if (isPropertyName(node) && isBindingElement(parent2) && isObjectBindingPattern(parent2.parent) && node === (parent2.propertyName || parent2.name)) { const name = getNameFromPropertyName(node); const type = typeChecker.getTypeAtLocation(parent2.parent); return name === void 0 ? emptyArray : flatMap(type.isUnion() ? type.types : [type], (t) => { const prop = t.getProperty(name); return prop && getDefinitionFromSymbol(typeChecker, prop, node); }); } const objectLiteralElementDefinition = getDefinitionFromObjectLiteralElement(typeChecker, node); return concatenate(fileReferenceDefinition, objectLiteralElementDefinition.length ? objectLiteralElementDefinition : getDefinitionFromSymbol(typeChecker, symbol, node, failedAliasResolution)); } function symbolMatchesSignature(s, calledDeclaration) { var _a; return s === calledDeclaration.symbol || s === calledDeclaration.symbol.parent || isAssignmentExpression2(calledDeclaration.parent) || !isCallLikeExpression(calledDeclaration.parent) && s === ((_a = tryCast(calledDeclaration.parent, canHaveSymbol)) == null ? void 0 : _a.symbol); } function getDefinitionFromObjectLiteralElement(typeChecker, node) { const element = getContainingObjectLiteralElement(node); if (element) { const contextualType = element && typeChecker.getContextualType(element.parent); if (contextualType) { return flatMap(getPropertySymbolsFromContextualType( element, typeChecker, contextualType, /*unionSymbolOk*/ false ), (propertySymbol) => getDefinitionFromSymbol(typeChecker, propertySymbol, node)); } } return emptyArray; } function getDefinitionFromOverriddenMember(typeChecker, node) { const classElement = findAncestor(node, isClassElement); if (!(classElement && classElement.name)) return; const baseDeclaration = findAncestor(classElement, isClassLike); if (!baseDeclaration) return; const baseTypeNode = getEffectiveBaseTypeNode(baseDeclaration); if (!baseTypeNode) return; const expression = skipParentheses(baseTypeNode.expression); const base = isClassExpression(expression) ? expression.symbol : typeChecker.getSymbolAtLocation(expression); if (!base) return; const name = unescapeLeadingUnderscores(getTextOfPropertyName(classElement.name)); const symbol = hasStaticModifier(classElement) ? typeChecker.getPropertyOfType(typeChecker.getTypeOfSymbol(base), name) : typeChecker.getPropertyOfType(typeChecker.getDeclaredTypeOfSymbol(base), name); if (!symbol) return; return getDefinitionFromSymbol(typeChecker, symbol, node); } function getReferenceAtPosition(sourceFile, position, program) { var _a, _b; const referencePath = findReferenceInPosition(sourceFile.referencedFiles, position); if (referencePath) { const file = program.getSourceFileFromReference(sourceFile, referencePath); return file && { reference: referencePath, fileName: file.fileName, file, unverified: false }; } const typeReferenceDirective = findReferenceInPosition(sourceFile.typeReferenceDirectives, position); if (typeReferenceDirective) { const reference = (_a = program.getResolvedTypeReferenceDirectiveFromTypeReferenceDirective(typeReferenceDirective, sourceFile)) == null ? void 0 : _a.resolvedTypeReferenceDirective; const file = reference && program.getSourceFile(reference.resolvedFileName); return file && { reference: typeReferenceDirective, fileName: file.fileName, file, unverified: false }; } const libReferenceDirective = findReferenceInPosition(sourceFile.libReferenceDirectives, position); if (libReferenceDirective) { const file = program.getLibFileFromReference(libReferenceDirective); return file && { reference: libReferenceDirective, fileName: file.fileName, file, unverified: false }; } if (sourceFile.imports.length || sourceFile.moduleAugmentations.length) { const node = getTouchingToken(sourceFile, position); let resolution; if (isModuleSpecifierLike(node) && isExternalModuleNameRelative(node.text) && (resolution = program.getResolvedModuleFromModuleSpecifier(node, sourceFile))) { const verifiedFileName = (_b = resolution.resolvedModule) == null ? void 0 : _b.resolvedFileName; const fileName = verifiedFileName || resolvePath(getDirectoryPath(sourceFile.fileName), node.text); return { file: program.getSourceFile(fileName), fileName, reference: { pos: node.getStart(), end: node.getEnd(), fileName: node.text }, unverified: !verifiedFileName }; } } return void 0; } var typesWithUnwrappedTypeArguments = /* @__PURE__ */ new Set([ "Array", "ArrayLike", "ReadonlyArray", "Promise", "PromiseLike", "Iterable", "IterableIterator", "AsyncIterable", "Set", "WeakSet", "ReadonlySet", "Map", "WeakMap", "ReadonlyMap", "Partial", "Required", "Readonly", "Pick", "Omit" ]); function shouldUnwrapFirstTypeArgumentTypeDefinitionFromTypeReference(typeChecker, type) { const referenceName = type.symbol.name; if (!typesWithUnwrappedTypeArguments.has(referenceName)) { return false; } const globalType = typeChecker.resolveName( referenceName, /*location*/ void 0, 788968, /*excludeGlobals*/ false ); return !!globalType && globalType === type.target.symbol; } function shouldUnwrapFirstTypeArgumentTypeDefinitionFromAlias(typeChecker, type) { if (!type.aliasSymbol) { return false; } const referenceName = type.aliasSymbol.name; if (!typesWithUnwrappedTypeArguments.has(referenceName)) { return false; } const globalType = typeChecker.resolveName( referenceName, /*location*/ void 0, 788968, /*excludeGlobals*/ false ); return !!globalType && globalType === type.aliasSymbol; } function getFirstTypeArgumentDefinitions(typeChecker, type, node, failedAliasResolution) { var _a, _b; if (!!(getObjectFlags(type) & 4) && shouldUnwrapFirstTypeArgumentTypeDefinitionFromTypeReference(typeChecker, type)) { return definitionFromType(typeChecker.getTypeArguments(type)[0], typeChecker, node, failedAliasResolution); } if (shouldUnwrapFirstTypeArgumentTypeDefinitionFromAlias(typeChecker, type) && type.aliasTypeArguments) { return definitionFromType(type.aliasTypeArguments[0], typeChecker, node, failedAliasResolution); } if (getObjectFlags(type) & 32 && type.target && shouldUnwrapFirstTypeArgumentTypeDefinitionFromAlias(typeChecker, type.target)) { const declaration = (_b = (_a = type.aliasSymbol) == null ? void 0 : _a.declarations) == null ? void 0 : _b[0]; if (declaration && isTypeAliasDeclaration(declaration) && isTypeReferenceNode(declaration.type) && declaration.type.typeArguments) { return definitionFromType(typeChecker.getTypeAtLocation(declaration.type.typeArguments[0]), typeChecker, node, failedAliasResolution); } } return []; } function getTypeDefinitionAtPosition(typeChecker, sourceFile, position) { const node = getTouchingPropertyName(sourceFile, position); if (node === sourceFile) { return void 0; } if (isImportMeta(node.parent) && node.parent.name === node) { return definitionFromType( typeChecker.getTypeAtLocation(node.parent), typeChecker, node.parent, /*failedAliasResolution*/ false ); } const { symbol, failedAliasResolution } = getSymbol( node, typeChecker, /*stopAtAlias*/ false ); if (!symbol) return void 0; const typeAtLocation = typeChecker.getTypeOfSymbolAtLocation(symbol, node); const returnType = tryGetReturnTypeOfFunction(symbol, typeAtLocation, typeChecker); const fromReturnType = returnType && definitionFromType(returnType, typeChecker, node, failedAliasResolution); const [resolvedType, typeDefinitions] = fromReturnType && fromReturnType.length !== 0 ? [returnType, fromReturnType] : [typeAtLocation, definitionFromType(typeAtLocation, typeChecker, node, failedAliasResolution)]; return typeDefinitions.length ? [...getFirstTypeArgumentDefinitions(typeChecker, resolvedType, node, failedAliasResolution), ...typeDefinitions] : !(symbol.flags & 111551) && symbol.flags & 788968 ? getDefinitionFromSymbol(typeChecker, skipAlias(symbol, typeChecker), node, failedAliasResolution) : void 0; } function definitionFromType(type, checker, node, failedAliasResolution) { return flatMap(type.isUnion() && !(type.flags & 32) ? type.types : [type], (t) => t.symbol && getDefinitionFromSymbol(checker, t.symbol, node, failedAliasResolution)); } function tryGetReturnTypeOfFunction(symbol, type, checker) { if (type.symbol === symbol || // At `const f = () => {}`, the symbol is `f` and the type symbol is at `() => {}` symbol.valueDeclaration && type.symbol && isVariableDeclaration(symbol.valueDeclaration) && symbol.valueDeclaration.initializer === type.symbol.valueDeclaration) { const sigs = type.getCallSignatures(); if (sigs.length === 1) return checker.getReturnTypeOfSignature(first(sigs)); } return void 0; } function getDefinitionAndBoundSpan(program, sourceFile, position) { const definitions = getDefinitionAtPosition(program, sourceFile, position); if (!definitions || definitions.length === 0) { return void 0; } const comment = findReferenceInPosition(sourceFile.referencedFiles, position) || findReferenceInPosition(sourceFile.typeReferenceDirectives, position) || findReferenceInPosition(sourceFile.libReferenceDirectives, position); if (comment) { return { definitions, textSpan: createTextSpanFromRange(comment) }; } const node = getTouchingPropertyName(sourceFile, position); const textSpan = createTextSpan(node.getStart(), node.getWidth()); return { definitions, textSpan }; } function getDefinitionInfoForIndexSignatures(node, checker) { return mapDefined(checker.getIndexInfosAtLocation(node), (info) => info.declaration && createDefinitionFromSignatureDeclaration(checker, info.declaration)); } function getSymbol(node, checker, stopAtAlias) { const symbol = checker.getSymbolAtLocation(node); let failedAliasResolution = false; if ((symbol == null ? void 0 : symbol.declarations) && symbol.flags & 2097152 && !stopAtAlias && shouldSkipAlias(node, symbol.declarations[0])) { const aliased = checker.getAliasedSymbol(symbol); if (aliased.declarations) { return { symbol: aliased }; } else { failedAliasResolution = true; } } return { symbol, failedAliasResolution }; } function shouldSkipAlias(node, declaration) { if (node.kind !== 80) { return false; } if (node.parent === declaration) { return true; } if (declaration.kind === 274) { return false; } return true; } function isExpandoDeclaration(node) { if (!isAssignmentDeclaration(node)) return false; const containingAssignment = findAncestor(node, (p) => { if (isAssignmentExpression2(p)) return true; if (!isAssignmentDeclaration(p)) return "quit"; return false; }); return !!containingAssignment && getAssignmentDeclarationKind(containingAssignment) === 5; } function getDefinitionFromSymbol(typeChecker, symbol, node, failedAliasResolution, excludeDeclaration) { const filteredDeclarations = filter(symbol.declarations, (d) => d !== excludeDeclaration); const signatureDefinition = getConstructSignatureDefinition() || getCallSignatureDefinition(); if (signatureDefinition) { return signatureDefinition; } const withoutExpandos = filter(filteredDeclarations, (d) => !isExpandoDeclaration(d)); const results = some(withoutExpandos) ? withoutExpandos : filteredDeclarations; return map(results, (declaration) => createDefinitionInfo( declaration, typeChecker, symbol, node, /*unverified*/ false, failedAliasResolution )); function getConstructSignatureDefinition() { if (symbol.flags & 32 && !(symbol.flags & (16 | 3)) && (isNewExpressionTarget(node) || node.kind === 137)) { const cls = find(filteredDeclarations, isClassLike); return cls && getSignatureDefinition( cls.members, /*selectConstructors*/ true ); } } function getCallSignatureDefinition() { return isCallOrNewExpressionTarget(node) || isNameOfFunctionDeclaration(node) ? getSignatureDefinition( filteredDeclarations, /*selectConstructors*/ false ) : void 0; } function getSignatureDefinition(signatureDeclarations, selectConstructors) { if (!signatureDeclarations) { return void 0; } const declarations = signatureDeclarations.filter(selectConstructors ? isConstructorDeclaration : isFunctionLike); const declarationsWithBody = declarations.filter((d) => !!d.body); return declarations.length ? declarationsWithBody.length !== 0 ? declarationsWithBody.map((x) => createDefinitionInfo(x, typeChecker, symbol, node)) : [createDefinitionInfo( last(declarations), typeChecker, symbol, node, /*unverified*/ false, failedAliasResolution )] : void 0; } } function createDefinitionInfo(declaration, checker, symbol, node, unverified, failedAliasResolution) { const symbolName2 = checker.symbolToString(symbol); const symbolKind = ts_SymbolDisplay_exports.getSymbolKind(checker, symbol, node); const containerName = symbol.parent ? checker.symbolToString(symbol.parent, node) : ""; return createDefinitionInfoFromName(checker, declaration, symbolKind, symbolName2, containerName, unverified, failedAliasResolution); } function createDefinitionInfoFromName(checker, declaration, symbolKind, symbolName2, containerName, unverified, failedAliasResolution, textSpan) { const sourceFile = declaration.getSourceFile(); if (!textSpan) { const name = getNameOfDeclaration(declaration) || declaration; textSpan = createTextSpanFromNode(name, sourceFile); } return { fileName: sourceFile.fileName, textSpan, kind: symbolKind, name: symbolName2, containerKind: void 0, // TODO: GH#18217 containerName, ...ts_FindAllReferences_exports.toContextSpan( textSpan, sourceFile, ts_FindAllReferences_exports.getContextNode(declaration) ), isLocal: !isDefinitionVisible(checker, declaration), isAmbient: !!(declaration.flags & 33554432), unverified, failedAliasResolution }; } function createDefinitionInfoFromSwitch(statement, sourceFile) { const keyword = ts_FindAllReferences_exports.getContextNode(statement); const textSpan = createTextSpanFromNode(isContextWithStartAndEndNode(keyword) ? keyword.start : keyword, sourceFile); return { fileName: sourceFile.fileName, textSpan, kind: "keyword", name: "switch", containerKind: void 0, containerName: "", ...ts_FindAllReferences_exports.toContextSpan(textSpan, sourceFile, keyword), isLocal: true, isAmbient: false, unverified: false, failedAliasResolution: void 0 }; } function isDefinitionVisible(checker, declaration) { if (checker.isDeclarationVisible(declaration)) return true; if (!declaration.parent) return false; if (hasInitializer(declaration.parent) && declaration.parent.initializer === declaration) return isDefinitionVisible(checker, declaration.parent); switch (declaration.kind) { case 172: case 177: case 178: case 174: if (hasEffectiveModifier( declaration, 2 /* Private */ )) return false; case 176: case 303: case 304: case 210: case 231: case 219: case 218: return isDefinitionVisible(checker, declaration.parent); default: return false; } } function createDefinitionFromSignatureDeclaration(typeChecker, decl, failedAliasResolution) { return createDefinitionInfo( decl, typeChecker, decl.symbol, decl, /*unverified*/ false, failedAliasResolution ); } function findReferenceInPosition(refs, pos) { return find(refs, (ref) => textRangeContainsPositionInclusive(ref, pos)); } function getDefinitionInfoForFileReference(name, targetFileName, unverified) { return { fileName: targetFileName, textSpan: createTextSpanFromBounds(0, 0), kind: "script", name, containerName: void 0, containerKind: void 0, // TODO: GH#18217 unverified }; } function getAncestorCallLikeExpression(node) { const target = findAncestor(node, (n) => !isRightSideOfPropertyAccess(n)); const callLike = target == null ? void 0 : target.parent; return callLike && isCallLikeExpression(callLike) && getInvokedExpression(callLike) === target ? callLike : void 0; } function tryGetSignatureDeclaration(typeChecker, node) { const callLike = getAncestorCallLikeExpression(node); const signature = callLike && typeChecker.getResolvedSignature(callLike); return tryCast(signature && signature.declaration, (d) => isFunctionLike(d) && !isFunctionTypeNode(d)); } function isJsxConstructorLike(node) { switch (node.kind) { case 176: case 185: case 179: case 180: return true; default: return false; } } var ts_InlayHints_exports = {}; __export2(ts_InlayHints_exports, { provideInlayHints: () => provideInlayHints }); var leadingParameterNameCommentRegexFactory = (name) => { return new RegExp(`^\\s?/\\*\\*?\\s?${name}\\s?\\*\\/\\s?$`); }; function shouldShowParameterNameHints(preferences) { return preferences.includeInlayParameterNameHints === "literals" || preferences.includeInlayParameterNameHints === "all"; } function shouldShowLiteralParameterNameHintsOnly(preferences) { return preferences.includeInlayParameterNameHints === "literals"; } function shouldUseInteractiveInlayHints(preferences) { return preferences.interactiveInlayHints === true; } function provideInlayHints(context) { const { file, program, span, cancellationToken, preferences } = context; const sourceFileText = file.text; const compilerOptions = program.getCompilerOptions(); const quotePreference = getQuotePreference(file, preferences); const checker = program.getTypeChecker(); const result = []; visitor2(file); return result; function visitor2(node) { if (!node || node.getFullWidth() === 0) { return; } switch (node.kind) { case 267: case 263: case 264: case 262: case 231: case 218: case 174: case 219: cancellationToken.throwIfCancellationRequested(); } if (!textSpanIntersectsWith(span, node.pos, node.getFullWidth())) { return; } if (isTypeNode(node) && !isExpressionWithTypeArguments(node)) { return; } if (preferences.includeInlayVariableTypeHints && isVariableDeclaration(node)) { visitVariableLikeDeclaration(node); } else if (preferences.includeInlayPropertyDeclarationTypeHints && isPropertyDeclaration(node)) { visitVariableLikeDeclaration(node); } else if (preferences.includeInlayEnumMemberValueHints && isEnumMember(node)) { visitEnumMember(node); } else if (shouldShowParameterNameHints(preferences) && (isCallExpression2(node) || isNewExpression2(node))) { visitCallOrNewExpression(node); } else { if (preferences.includeInlayFunctionParameterTypeHints && isFunctionLikeDeclaration(node) && hasContextSensitiveParameters(node)) { visitFunctionLikeForParameterType(node); } if (preferences.includeInlayFunctionLikeReturnTypeHints && isSignatureSupportingReturnAnnotation(node)) { visitFunctionDeclarationLikeForReturnType(node); } } return forEachChild(node, visitor2); } function isSignatureSupportingReturnAnnotation(node) { return isArrowFunction(node) || isFunctionExpression(node) || isFunctionDeclaration(node) || isMethodDeclaration(node) || isGetAccessorDeclaration(node); } function addParameterHints(text, parameter, position, isFirstVariadicArgument) { let hintText = `${isFirstVariadicArgument ? "..." : ""}${text}`; let displayParts; if (shouldUseInteractiveInlayHints(preferences)) { displayParts = [getNodeDisplayPart(hintText, parameter), { text: ":" }]; hintText = ""; } else { hintText += ":"; } result.push({ text: hintText, position, kind: "Parameter", whitespaceAfter: true, displayParts }); } function addTypeHints(hintText, position) { result.push({ text: typeof hintText === "string" ? `: ${hintText}` : "", displayParts: typeof hintText === "string" ? void 0 : [{ text: ": " }, ...hintText], position, kind: "Type", whitespaceBefore: true }); } function addEnumMemberValueHints(text, position) { result.push({ text: `= ${text}`, position, kind: "Enum", whitespaceBefore: true }); } function visitEnumMember(member) { if (member.initializer) { return; } const enumValue = checker.getConstantValue(member); if (enumValue !== void 0) { addEnumMemberValueHints(enumValue.toString(), member.end); } } function isModuleReferenceType(type) { return type.symbol && type.symbol.flags & 1536; } function visitVariableLikeDeclaration(decl) { if (decl.initializer === void 0 && !(isPropertyDeclaration(decl) && !(checker.getTypeAtLocation(decl).flags & 1)) || isBindingPattern(decl.name) || isVariableDeclaration(decl) && !isHintableDeclaration(decl)) { return; } const effectiveTypeAnnotation = getEffectiveTypeAnnotationNode(decl); if (effectiveTypeAnnotation) { return; } const declarationType = checker.getTypeAtLocation(decl); if (isModuleReferenceType(declarationType)) { return; } const hintParts = typeToInlayHintParts(declarationType); if (hintParts) { const hintText = typeof hintParts === "string" ? hintParts : hintParts.map((part) => part.text).join(""); const isVariableNameMatchesType = preferences.includeInlayVariableTypeHintsWhenTypeMatchesName === false && equateStringsCaseInsensitive(decl.name.getText(), hintText); if (isVariableNameMatchesType) { return; } addTypeHints(hintParts, decl.name.end); } } function visitCallOrNewExpression(expr) { const args = expr.arguments; if (!args || !args.length) { return; } const candidates = []; const signature = checker.getResolvedSignatureForSignatureHelp(expr, candidates); if (!signature || !candidates.length) { return; } let signatureParamPos = 0; for (const originalArg of args) { const arg = skipParentheses(originalArg); if (shouldShowLiteralParameterNameHintsOnly(preferences) && !isHintableLiteral(arg)) { signatureParamPos++; continue; } let spreadArgs = 0; if (isSpreadElement(arg)) { const spreadType = checker.getTypeAtLocation(arg.expression); if (checker.isTupleType(spreadType)) { const { elementFlags, fixedLength } = spreadType.target; if (fixedLength === 0) { continue; } const firstOptionalIndex = findIndex(elementFlags, (f) => !(f & 1)); const requiredArgs = firstOptionalIndex < 0 ? fixedLength : firstOptionalIndex; if (requiredArgs > 0) { spreadArgs = firstOptionalIndex < 0 ? fixedLength : firstOptionalIndex; } } } const identifierInfo = checker.getParameterIdentifierInfoAtPosition(signature, signatureParamPos); signatureParamPos = signatureParamPos + (spreadArgs || 1); if (identifierInfo) { const { parameter, parameterName, isRestParameter: isFirstVariadicArgument } = identifierInfo; const isParameterNameNotSameAsArgument = preferences.includeInlayParameterNameHintsWhenArgumentMatchesName || !identifierOrAccessExpressionPostfixMatchesParameterName(arg, parameterName); if (!isParameterNameNotSameAsArgument && !isFirstVariadicArgument) { continue; } const name = unescapeLeadingUnderscores(parameterName); if (leadingCommentsContainsParameterName(arg, name)) { continue; } addParameterHints(name, parameter, originalArg.getStart(), isFirstVariadicArgument); } } } function identifierOrAccessExpressionPostfixMatchesParameterName(expr, parameterName) { if (isIdentifier(expr)) { return expr.text === parameterName; } if (isPropertyAccessExpression(expr)) { return expr.name.text === parameterName; } return false; } function leadingCommentsContainsParameterName(node, name) { if (!isIdentifierText(name, getEmitScriptTarget(compilerOptions), getLanguageVariant(file.scriptKind))) { return false; } const ranges = getLeadingCommentRanges(sourceFileText, node.pos); if (!(ranges == null ? void 0 : ranges.length)) { return false; } const regex = leadingParameterNameCommentRegexFactory(name); return some(ranges, (range) => regex.test(sourceFileText.substring(range.pos, range.end))); } function isHintableLiteral(node) { switch (node.kind) { case 224: { const operand = node.operand; return isLiteralExpression(operand) || isIdentifier(operand) && isInfinityOrNaNString(operand.escapedText); } case 112: case 97: case 106: case 15: case 228: return true; case 80: { const name = node.escapedText; return isUndefined2(name) || isInfinityOrNaNString(name); } } return isLiteralExpression(node); } function visitFunctionDeclarationLikeForReturnType(decl) { if (isArrowFunction(decl)) { if (!findChildOfKind(decl, 21, file)) { return; } } const effectiveTypeAnnotation = getEffectiveReturnTypeNode(decl); if (effectiveTypeAnnotation || !decl.body) { return; } const signature = checker.getSignatureFromDeclaration(decl); if (!signature) { return; } const returnType = checker.getReturnTypeOfSignature(signature); if (isModuleReferenceType(returnType)) { return; } const hintParts = typeToInlayHintParts(returnType); if (hintParts) { addTypeHints(hintParts, getTypeAnnotationPosition(decl)); } } function getTypeAnnotationPosition(decl) { const closeParenToken = findChildOfKind(decl, 22, file); if (closeParenToken) { return closeParenToken.end; } return decl.parameters.end; } function visitFunctionLikeForParameterType(node) { const signature = checker.getSignatureFromDeclaration(node); if (!signature) { return; } for (let i = 0; i < node.parameters.length && i < signature.parameters.length; ++i) { const param = node.parameters[i]; if (!isHintableDeclaration(param)) { continue; } const effectiveTypeAnnotation = getEffectiveTypeAnnotationNode(param); if (effectiveTypeAnnotation) { continue; } const typeHints = getParameterDeclarationTypeHints(signature.parameters[i]); if (!typeHints) { continue; } addTypeHints(typeHints, param.questionToken ? param.questionToken.end : param.name.end); } } function getParameterDeclarationTypeHints(symbol) { const valueDeclaration = symbol.valueDeclaration; if (!valueDeclaration || !isParameter(valueDeclaration)) { return void 0; } const signatureParamType = checker.getTypeOfSymbolAtLocation(symbol, valueDeclaration); if (isModuleReferenceType(signatureParamType)) { return void 0; } return typeToInlayHintParts(signatureParamType); } function printTypeInSingleLine(type) { const flags = 70221824 | 1048576 | 16384; const printer = createPrinterWithRemoveComments(); return usingSingleLineStringWriter((writer) => { const typeNode = checker.typeToTypeNode( type, /*enclosingDeclaration*/ void 0, flags ); Debug.assertIsDefined(typeNode, "should always get typenode"); printer.writeNode( 4, typeNode, /*sourceFile*/ file, writer ); }); } function typeToInlayHintParts(type) { if (!shouldUseInteractiveInlayHints(preferences)) { return printTypeInSingleLine(type); } const flags = 70221824 | 1048576 | 16384; const typeNode = checker.typeToTypeNode( type, /*enclosingDeclaration*/ void 0, flags ); Debug.assertIsDefined(typeNode, "should always get typenode"); const parts = []; visitForDisplayParts(typeNode); return parts; function visitForDisplayParts(node) { var _a, _b; if (!node) { return; } const tokenString = tokenToString(node.kind); if (tokenString) { parts.push({ text: tokenString }); return; } if (isLiteralExpression(node)) { parts.push({ text: getLiteralText2(node) }); return; } switch (node.kind) { case 80: Debug.assertNode(node, isIdentifier); const identifierText = idText(node); const name = node.symbol && node.symbol.declarations && node.symbol.declarations.length && getNameOfDeclaration(node.symbol.declarations[0]); if (name) { parts.push(getNodeDisplayPart(identifierText, name)); } else { parts.push({ text: identifierText }); } break; case 166: Debug.assertNode(node, isQualifiedName); visitForDisplayParts(node.left); parts.push({ text: "." }); visitForDisplayParts(node.right); break; case 182: Debug.assertNode(node, isTypePredicateNode); if (node.assertsModifier) { parts.push({ text: "asserts " }); } visitForDisplayParts(node.parameterName); if (node.type) { parts.push({ text: " is " }); visitForDisplayParts(node.type); } break; case 183: Debug.assertNode(node, isTypeReferenceNode); visitForDisplayParts(node.typeName); if (node.typeArguments) { parts.push({ text: "<" }); visitDisplayPartList(node.typeArguments, ", "); parts.push({ text: ">" }); } break; case 168: Debug.assertNode(node, isTypeParameterDeclaration); if (node.modifiers) { visitDisplayPartList(node.modifiers, " "); } visitForDisplayParts(node.name); if (node.constraint) { parts.push({ text: " extends " }); visitForDisplayParts(node.constraint); } if (node.default) { parts.push({ text: " = " }); visitForDisplayParts(node.default); } break; case 169: Debug.assertNode(node, isParameter); if (node.modifiers) { visitDisplayPartList(node.modifiers, " "); } if (node.dotDotDotToken) { parts.push({ text: "..." }); } visitForDisplayParts(node.name); if (node.questionToken) { parts.push({ text: "?" }); } if (node.type) { parts.push({ text: ": " }); visitForDisplayParts(node.type); } break; case 185: Debug.assertNode(node, isConstructorTypeNode); parts.push({ text: "new " }); visitParametersAndTypeParameters(node); parts.push({ text: " => " }); visitForDisplayParts(node.type); break; case 186: Debug.assertNode(node, isTypeQueryNode); parts.push({ text: "typeof " }); visitForDisplayParts(node.exprName); if (node.typeArguments) { parts.push({ text: "<" }); visitDisplayPartList(node.typeArguments, ", "); parts.push({ text: ">" }); } break; case 187: Debug.assertNode(node, isTypeLiteralNode); parts.push({ text: "{" }); if (node.members.length) { parts.push({ text: " " }); visitDisplayPartList(node.members, "; "); parts.push({ text: " " }); } parts.push({ text: "}" }); break; case 188: Debug.assertNode(node, isArrayTypeNode); visitForDisplayParts(node.elementType); parts.push({ text: "[]" }); break; case 189: Debug.assertNode(node, isTupleTypeNode); parts.push({ text: "[" }); visitDisplayPartList(node.elements, ", "); parts.push({ text: "]" }); break; case 202: Debug.assertNode(node, isNamedTupleMember); if (node.dotDotDotToken) { parts.push({ text: "..." }); } visitForDisplayParts(node.name); if (node.questionToken) { parts.push({ text: "?" }); } parts.push({ text: ": " }); visitForDisplayParts(node.type); break; case 190: Debug.assertNode(node, isOptionalTypeNode); visitForDisplayParts(node.type); parts.push({ text: "?" }); break; case 191: Debug.assertNode(node, isRestTypeNode); parts.push({ text: "..." }); visitForDisplayParts(node.type); break; case 192: Debug.assertNode(node, isUnionTypeNode); visitDisplayPartList(node.types, " | "); break; case 193: Debug.assertNode(node, isIntersectionTypeNode); visitDisplayPartList(node.types, " & "); break; case 194: Debug.assertNode(node, isConditionalTypeNode); visitForDisplayParts(node.checkType); parts.push({ text: " extends " }); visitForDisplayParts(node.extendsType); parts.push({ text: " ? " }); visitForDisplayParts(node.trueType); parts.push({ text: " : " }); visitForDisplayParts(node.falseType); break; case 195: Debug.assertNode(node, isInferTypeNode); parts.push({ text: "infer " }); visitForDisplayParts(node.typeParameter); break; case 196: Debug.assertNode(node, isParenthesizedTypeNode); parts.push({ text: "(" }); visitForDisplayParts(node.type); parts.push({ text: ")" }); break; case 198: Debug.assertNode(node, isTypeOperatorNode); parts.push({ text: `${tokenToString(node.operator)} ` }); visitForDisplayParts(node.type); break; case 199: Debug.assertNode(node, isIndexedAccessTypeNode); visitForDisplayParts(node.objectType); parts.push({ text: "[" }); visitForDisplayParts(node.indexType); parts.push({ text: "]" }); break; case 200: Debug.assertNode(node, isMappedTypeNode); parts.push({ text: "{ " }); if (node.readonlyToken) { if (node.readonlyToken.kind === 40) { parts.push({ text: "+" }); } else if (node.readonlyToken.kind === 41) { parts.push({ text: "-" }); } parts.push({ text: "readonly " }); } parts.push({ text: "[" }); visitForDisplayParts(node.typeParameter); if (node.nameType) { parts.push({ text: " as " }); visitForDisplayParts(node.nameType); } parts.push({ text: "]" }); if (node.questionToken) { if (node.questionToken.kind === 40) { parts.push({ text: "+" }); } else if (node.questionToken.kind === 41) { parts.push({ text: "-" }); } parts.push({ text: "?" }); } parts.push({ text: ": " }); if (node.type) { visitForDisplayParts(node.type); } parts.push({ text: "; }" }); break; case 201: Debug.assertNode(node, isLiteralTypeNode); visitForDisplayParts(node.literal); break; case 184: Debug.assertNode(node, isFunctionTypeNode); visitParametersAndTypeParameters(node); parts.push({ text: " => " }); visitForDisplayParts(node.type); break; case 205: Debug.assertNode(node, isImportTypeNode); if (node.isTypeOf) { parts.push({ text: "typeof " }); } parts.push({ text: "import(" }); visitForDisplayParts(node.argument); if (node.assertions) { parts.push({ text: ", { assert: " }); visitDisplayPartList(node.assertions.assertClause.elements, ", "); parts.push({ text: " }" }); } parts.push({ text: ")" }); if (node.qualifier) { parts.push({ text: "." }); visitForDisplayParts(node.qualifier); } if (node.typeArguments) { parts.push({ text: "<" }); visitDisplayPartList(node.typeArguments, ", "); parts.push({ text: ">" }); } break; case 171: Debug.assertNode(node, isPropertySignature); if ((_a = node.modifiers) == null ? void 0 : _a.length) { visitDisplayPartList(node.modifiers, " "); parts.push({ text: " " }); } visitForDisplayParts(node.name); if (node.questionToken) { parts.push({ text: "?" }); } if (node.type) { parts.push({ text: ": " }); visitForDisplayParts(node.type); } break; case 181: Debug.assertNode(node, isIndexSignatureDeclaration); parts.push({ text: "[" }); visitDisplayPartList(node.parameters, ", "); parts.push({ text: "]" }); if (node.type) { parts.push({ text: ": " }); visitForDisplayParts(node.type); } break; case 173: Debug.assertNode(node, isMethodSignature); if ((_b = node.modifiers) == null ? void 0 : _b.length) { visitDisplayPartList(node.modifiers, " "); parts.push({ text: " " }); } visitForDisplayParts(node.name); if (node.questionToken) { parts.push({ text: "?" }); } visitParametersAndTypeParameters(node); if (node.type) { parts.push({ text: ": " }); visitForDisplayParts(node.type); } break; case 179: Debug.assertNode(node, isCallSignatureDeclaration); visitParametersAndTypeParameters(node); if (node.type) { parts.push({ text: ": " }); visitForDisplayParts(node.type); } break; case 207: Debug.assertNode(node, isArrayBindingPattern); parts.push({ text: "[" }); visitDisplayPartList(node.elements, ", "); parts.push({ text: "]" }); break; case 206: Debug.assertNode(node, isObjectBindingPattern); parts.push({ text: "{" }); if (node.elements.length) { parts.push({ text: " " }); visitDisplayPartList(node.elements, ", "); parts.push({ text: " " }); } parts.push({ text: "}" }); break; case 208: Debug.assertNode(node, isBindingElement); visitForDisplayParts(node.name); break; case 224: Debug.assertNode(node, isPrefixUnaryExpression); parts.push({ text: tokenToString(node.operator) }); visitForDisplayParts(node.operand); break; case 203: Debug.assertNode(node, isTemplateLiteralTypeNode); visitForDisplayParts(node.head); node.templateSpans.forEach(visitForDisplayParts); break; case 16: Debug.assertNode(node, isTemplateHead); parts.push({ text: getLiteralText2(node) }); break; case 204: Debug.assertNode(node, isTemplateLiteralTypeSpan); visitForDisplayParts(node.type); visitForDisplayParts(node.literal); break; case 17: Debug.assertNode(node, isTemplateMiddle); parts.push({ text: getLiteralText2(node) }); break; case 18: Debug.assertNode(node, isTemplateTail); parts.push({ text: getLiteralText2(node) }); break; case 197: Debug.assertNode(node, isThisTypeNode); parts.push({ text: "this" }); break; default: Debug.failBadSyntaxKind(node); } } function visitParametersAndTypeParameters(signatureDeclaration) { if (signatureDeclaration.typeParameters) { parts.push({ text: "<" }); visitDisplayPartList(signatureDeclaration.typeParameters, ", "); parts.push({ text: ">" }); } parts.push({ text: "(" }); visitDisplayPartList(signatureDeclaration.parameters, ", "); parts.push({ text: ")" }); } function visitDisplayPartList(nodes, separator) { nodes.forEach((node, index) => { if (index > 0) { parts.push({ text: separator }); } visitForDisplayParts(node); }); } function getLiteralText2(node) { switch (node.kind) { case 11: return quotePreference === 0 ? `'${escapeString2( node.text, 39 /* singleQuote */ )}'` : `"${escapeString2( node.text, 34 /* doubleQuote */ )}"`; case 16: case 17: case 18: { const rawText = node.rawText ?? escapeTemplateSubstitution(escapeString2( node.text, 96 /* backtick */ )); switch (node.kind) { case 16: return "`" + rawText + "${"; case 17: return "}" + rawText + "${"; case 18: return "}" + rawText + "`"; } } } return node.text; } } function isUndefined2(name) { return name === "undefined"; } function isHintableDeclaration(node) { if ((isPartOfParameterDeclaration(node) || isVariableDeclaration(node) && isVarConst(node)) && node.initializer) { const initializer = skipParentheses(node.initializer); return !(isHintableLiteral(initializer) || isNewExpression2(initializer) || isObjectLiteralExpression(initializer) || isAssertionExpression(initializer)); } return true; } function getNodeDisplayPart(text, node) { const sourceFile = node.getSourceFile(); return { text, span: createTextSpanFromNode(node, sourceFile), file: sourceFile.fileName }; } } var ts_JsDoc_exports = {}; __export2(ts_JsDoc_exports, { getDocCommentTemplateAtPosition: () => getDocCommentTemplateAtPosition, getJSDocParameterNameCompletionDetails: () => getJSDocParameterNameCompletionDetails, getJSDocParameterNameCompletions: () => getJSDocParameterNameCompletions, getJSDocTagCompletionDetails: () => getJSDocTagCompletionDetails, getJSDocTagCompletions: () => getJSDocTagCompletions, getJSDocTagNameCompletionDetails: () => getJSDocTagNameCompletionDetails, getJSDocTagNameCompletions: () => getJSDocTagNameCompletions, getJsDocCommentsFromDeclarations: () => getJsDocCommentsFromDeclarations, getJsDocTagsFromDeclarations: () => getJsDocTagsFromDeclarations }); var jsDocTagNames = [ "abstract", "access", "alias", "argument", "async", "augments", "author", "borrows", "callback", "class", "classdesc", "constant", "constructor", "constructs", "copyright", "default", "deprecated", "description", "emits", "enum", "event", "example", "exports", "extends", "external", "field", "file", "fileoverview", "fires", "function", "generator", "global", "hideconstructor", "host", "ignore", "implements", "import", "inheritdoc", "inner", "instance", "interface", "kind", "lends", "license", "link", "linkcode", "linkplain", "listens", "member", "memberof", "method", "mixes", "module", "name", "namespace", "overload", "override", "package", "param", "private", "prop", "property", "protected", "public", "readonly", "requires", "returns", "satisfies", "see", "since", "static", "summary", "template", "this", "throws", "todo", "tutorial", "type", "typedef", "var", "variation", "version", "virtual", "yields" ]; var jsDocTagNameCompletionEntries; var jsDocTagCompletionEntries; function getJsDocCommentsFromDeclarations(declarations, checker) { const parts = []; forEachUnique(declarations, (declaration) => { for (const jsdoc of getCommentHavingNodes(declaration)) { const inheritDoc = isJSDoc(jsdoc) && jsdoc.tags && find(jsdoc.tags, (t) => t.kind === 327 && (t.tagName.escapedText === "inheritDoc" || t.tagName.escapedText === "inheritdoc")); if (jsdoc.comment === void 0 && !inheritDoc || isJSDoc(jsdoc) && declaration.kind !== 346 && declaration.kind !== 338 && jsdoc.tags && jsdoc.tags.some( (t) => t.kind === 346 || t.kind === 338 /* JSDocCallbackTag */ ) && !jsdoc.tags.some( (t) => t.kind === 341 || t.kind === 342 /* JSDocReturnTag */ )) { continue; } let newparts = jsdoc.comment ? getDisplayPartsFromComment(jsdoc.comment, checker) : []; if (inheritDoc && inheritDoc.comment) { newparts = newparts.concat(getDisplayPartsFromComment(inheritDoc.comment, checker)); } if (!contains(parts, newparts, isIdenticalListOfDisplayParts)) { parts.push(newparts); } } }); return flatten(intersperse(parts, [lineBreakPart()])); } function isIdenticalListOfDisplayParts(parts1, parts2) { return arraysEqual(parts1, parts2, (p1, p2) => p1.kind === p2.kind && p1.text === p2.text); } function getCommentHavingNodes(declaration) { switch (declaration.kind) { case 341: case 348: return [declaration]; case 338: case 346: return [declaration, declaration.parent]; case 323: if (isJSDocOverloadTag(declaration.parent)) { return [declaration.parent.parent]; } default: return getJSDocCommentsAndTags(declaration); } } function getJsDocTagsFromDeclarations(declarations, checker) { const infos = []; forEachUnique(declarations, (declaration) => { const tags = getJSDocTags(declaration); if (tags.some( (t) => t.kind === 346 || t.kind === 338 /* JSDocCallbackTag */ ) && !tags.some( (t) => t.kind === 341 || t.kind === 342 /* JSDocReturnTag */ )) { return; } for (const tag of tags) { infos.push({ name: tag.tagName.text, text: getCommentDisplayParts(tag, checker) }); infos.push(...getJSDocPropertyTagsInfo(tryGetJSDocPropertyTags(tag), checker)); } }); return infos; } function getJSDocPropertyTagsInfo(nodes, checker) { return flatMap(nodes, (propTag) => concatenate([{ name: propTag.tagName.text, text: getCommentDisplayParts(propTag, checker) }], getJSDocPropertyTagsInfo(tryGetJSDocPropertyTags(propTag), checker))); } function tryGetJSDocPropertyTags(node) { return isJSDocPropertyLikeTag(node) && node.isNameFirst && node.typeExpression && isJSDocTypeLiteral(node.typeExpression.type) ? node.typeExpression.type.jsDocPropertyTags : void 0; } function getDisplayPartsFromComment(comment, checker) { if (typeof comment === "string") { return [textPart(comment)]; } return flatMap( comment, (node) => node.kind === 321 ? [textPart(node.text)] : buildLinkParts(node, checker) ); } function getCommentDisplayParts(tag, checker) { const { comment, kind } = tag; const namePart = getTagNameDisplayPart(kind); switch (kind) { case 349: const typeExpression = tag.typeExpression; return typeExpression ? withNode(typeExpression) : comment === void 0 ? void 0 : getDisplayPartsFromComment(comment, checker); case 329: return withNode(tag.class); case 328: return withNode(tag.class); case 345: const templateTag = tag; const displayParts = []; if (templateTag.constraint) { displayParts.push(textPart(templateTag.constraint.getText())); } if (length(templateTag.typeParameters)) { if (length(displayParts)) { displayParts.push(spacePart()); } const lastTypeParameter = templateTag.typeParameters[templateTag.typeParameters.length - 1]; forEach(templateTag.typeParameters, (tp) => { displayParts.push(namePart(tp.getText())); if (lastTypeParameter !== tp) { displayParts.push(...[punctuationPart( 28 /* CommaToken */ ), spacePart()]); } }); } if (comment) { displayParts.push(...[spacePart(), ...getDisplayPartsFromComment(comment, checker)]); } return displayParts; case 344: case 350: return withNode(tag.typeExpression); case 346: case 338: case 348: case 341: case 347: const { name } = tag; return name ? withNode(name) : comment === void 0 ? void 0 : getDisplayPartsFromComment(comment, checker); default: return comment === void 0 ? void 0 : getDisplayPartsFromComment(comment, checker); } function withNode(node) { return addComment(node.getText()); } function addComment(s) { if (comment) { if (s.match(/^https?$/)) { return [textPart(s), ...getDisplayPartsFromComment(comment, checker)]; } else { return [namePart(s), spacePart(), ...getDisplayPartsFromComment(comment, checker)]; } } else { return [textPart(s)]; } } } function getTagNameDisplayPart(kind) { switch (kind) { case 341: return parameterNamePart; case 348: return propertyNamePart; case 345: return typeParameterNamePart; case 346: case 338: return typeAliasNamePart; default: return textPart; } } function getJSDocTagNameCompletions() { return jsDocTagNameCompletionEntries || (jsDocTagNameCompletionEntries = map(jsDocTagNames, (tagName) => { return { name: tagName, kind: "keyword", kindModifiers: "", sortText: ts_Completions_exports.SortText.LocationPriority }; })); } var getJSDocTagNameCompletionDetails = getJSDocTagCompletionDetails; function getJSDocTagCompletions() { return jsDocTagCompletionEntries || (jsDocTagCompletionEntries = map(jsDocTagNames, (tagName) => { return { name: `@${tagName}`, kind: "keyword", kindModifiers: "", sortText: ts_Completions_exports.SortText.LocationPriority }; })); } function getJSDocTagCompletionDetails(name) { return { name, kind: "", // TODO: should have its own kind? kindModifiers: "", displayParts: [textPart(name)], documentation: emptyArray, tags: void 0, codeActions: void 0 }; } function getJSDocParameterNameCompletions(tag) { if (!isIdentifier(tag.name)) { return emptyArray; } const nameThusFar = tag.name.text; const jsdoc = tag.parent; const fn = jsdoc.parent; if (!isFunctionLike(fn)) return []; return mapDefined(fn.parameters, (param) => { if (!isIdentifier(param.name)) return void 0; const name = param.name.text; if (jsdoc.tags.some((t) => t !== tag && isJSDocParameterTag(t) && isIdentifier(t.name) && t.name.escapedText === name) || nameThusFar !== void 0 && !startsWith2(name, nameThusFar)) { return void 0; } return { name, kind: "parameter", kindModifiers: "", sortText: ts_Completions_exports.SortText.LocationPriority }; }); } function getJSDocParameterNameCompletionDetails(name) { return { name, kind: "parameter", kindModifiers: "", displayParts: [textPart(name)], documentation: emptyArray, tags: void 0, codeActions: void 0 }; } function getDocCommentTemplateAtPosition(newLine, sourceFile, position, options) { const tokenAtPos = getTokenAtPosition(sourceFile, position); const existingDocComment = findAncestor(tokenAtPos, isJSDoc); if (existingDocComment && (existingDocComment.comment !== void 0 || length(existingDocComment.tags))) { return void 0; } const tokenStart = tokenAtPos.getStart(sourceFile); if (!existingDocComment && tokenStart < position) { return void 0; } const commentOwnerInfo = getCommentOwnerInfo(tokenAtPos, options); if (!commentOwnerInfo) { return void 0; } const { commentOwner, parameters, hasReturn: hasReturn2 } = commentOwnerInfo; const commentOwnerJsDoc = hasJSDocNodes(commentOwner) && commentOwner.jsDoc ? commentOwner.jsDoc : void 0; const lastJsDoc = lastOrUndefined(commentOwnerJsDoc); if (commentOwner.getStart(sourceFile) < position || lastJsDoc && existingDocComment && lastJsDoc !== existingDocComment) { return void 0; } const indentationStr = getIndentationStringAtPosition(sourceFile, position); const isJavaScriptFile = hasJSFileExtension(sourceFile.fileName); const tags = (parameters ? parameterDocComments(parameters || [], isJavaScriptFile, indentationStr, newLine) : "") + (hasReturn2 ? returnsDocComment(indentationStr, newLine) : ""); const openComment = "/**"; const closeComment = " */"; const hasTag = length(getJSDocTags(commentOwner)) > 0; if (tags && !hasTag) { const preamble = openComment + newLine + indentationStr + " * "; const endLine = tokenStart === position ? newLine + indentationStr : ""; const result = preamble + newLine + tags + indentationStr + closeComment + endLine; return { newText: result, caretOffset: preamble.length }; } return { newText: openComment + closeComment, caretOffset: 3 }; } function getIndentationStringAtPosition(sourceFile, position) { const { text } = sourceFile; const lineStart = getLineStartPositionForPosition(position, sourceFile); let pos = lineStart; for (; pos <= position && isWhiteSpaceSingleLine(text.charCodeAt(pos)); pos++) ; return text.slice(lineStart, pos); } function parameterDocComments(parameters, isJavaScriptFile, indentationStr, newLine) { return parameters.map(({ name, dotDotDotToken }, i) => { const paramName = name.kind === 80 ? name.text : "param" + i; const type = isJavaScriptFile ? dotDotDotToken ? "{...any} " : "{any} " : ""; return `${indentationStr} * @param ${type}${paramName}${newLine}`; }).join(""); } function returnsDocComment(indentationStr, newLine) { return `${indentationStr} * @returns${newLine}`; } function getCommentOwnerInfo(tokenAtPos, options) { return forEachAncestor(tokenAtPos, (n) => getCommentOwnerInfoWorker(n, options)); } function getCommentOwnerInfoWorker(commentOwner, options) { switch (commentOwner.kind) { case 262: case 218: case 174: case 176: case 173: case 219: const host = commentOwner; return { commentOwner, parameters: host.parameters, hasReturn: hasReturn(host, options) }; case 303: return getCommentOwnerInfoWorker(commentOwner.initializer, options); case 263: case 264: case 266: case 306: case 265: return { commentOwner }; case 171: { const host2 = commentOwner; return host2.type && isFunctionTypeNode(host2.type) ? { commentOwner, parameters: host2.type.parameters, hasReturn: hasReturn(host2.type, options) } : { commentOwner }; } case 243: { const varStatement = commentOwner; const varDeclarations = varStatement.declarationList.declarations; const host2 = varDeclarations.length === 1 && varDeclarations[0].initializer ? getRightHandSideOfAssignment(varDeclarations[0].initializer) : void 0; return host2 ? { commentOwner, parameters: host2.parameters, hasReturn: hasReturn(host2, options) } : { commentOwner }; } case 307: return "quit"; case 267: return commentOwner.parent.kind === 267 ? void 0 : { commentOwner }; case 244: return getCommentOwnerInfoWorker(commentOwner.expression, options); case 226: { const be = commentOwner; if (getAssignmentDeclarationKind(be) === 0) { return "quit"; } return isFunctionLike(be.right) ? { commentOwner, parameters: be.right.parameters, hasReturn: hasReturn(be.right, options) } : { commentOwner }; } case 172: const init = commentOwner.initializer; if (init && (isFunctionExpression(init) || isArrowFunction(init))) { return { commentOwner, parameters: init.parameters, hasReturn: hasReturn(init, options) }; } } } function hasReturn(node, options) { return !!(options == null ? void 0 : options.generateReturnInDocTemplate) && (isFunctionTypeNode(node) || isArrowFunction(node) && isExpression(node.body) || isFunctionLikeDeclaration(node) && node.body && isBlock(node.body) && !!forEachReturnStatement(node.body, (n) => n)); } function getRightHandSideOfAssignment(rightHandSide) { while (rightHandSide.kind === 217) { rightHandSide = rightHandSide.expression; } switch (rightHandSide.kind) { case 218: case 219: return rightHandSide; case 231: return find(rightHandSide.members, isConstructorDeclaration); } } var ts_MapCode_exports = {}; __export2(ts_MapCode_exports, { mapCode: () => mapCode }); function mapCode(sourceFile, contents, focusLocations, host, formatContext, preferences) { return ts_textChanges_exports.ChangeTracker.with( { host, formatContext, preferences }, (changeTracker) => { const parsed = contents.map((c) => parse2(sourceFile, c)); const flattenedLocations = focusLocations && flatten(focusLocations); for (const nodes of parsed) { placeNodeGroup( sourceFile, changeTracker, nodes, flattenedLocations ); } } ); } function parse2(sourceFile, content) { const nodeKinds = [ { parse: () => createSourceFile( "__mapcode_content_nodes.ts", content, sourceFile.languageVersion, /*setParentNodes*/ true, sourceFile.scriptKind ), body: (sf) => sf.statements }, { parse: () => createSourceFile( "__mapcode_class_content_nodes.ts", `class __class { ${content} }`, sourceFile.languageVersion, /*setParentNodes*/ true, sourceFile.scriptKind ), body: (cw) => cw.statements[0].members } ]; const parsedNodes = []; for (const { parse: parse22, body: body2 } of nodeKinds) { const sourceFile2 = parse22(); const bod = body2(sourceFile2); if (bod.length && sourceFile2.parseDiagnostics.length === 0) { return bod; } else if (bod.length) { parsedNodes.push({ sourceFile: sourceFile2, body: bod }); } } const { body } = parsedNodes.sort( (a, b) => a.sourceFile.parseDiagnostics.length - b.sourceFile.parseDiagnostics.length )[0]; return body; } function placeNodeGroup(originalFile, changeTracker, changes, focusLocations) { if (isClassElement(changes[0]) || isTypeElement(changes[0])) { placeClassNodeGroup( originalFile, changeTracker, changes, focusLocations ); } else { placeStatements( originalFile, changeTracker, changes, focusLocations ); } } function placeClassNodeGroup(originalFile, changeTracker, changes, focusLocations) { let classOrInterface; if (!focusLocations || !focusLocations.length) { classOrInterface = find(originalFile.statements, or(isClassLike, isInterfaceDeclaration)); } else { classOrInterface = forEach(focusLocations, (location) => findAncestor( getTokenAtPosition(originalFile, location.start), or(isClassLike, isInterfaceDeclaration) )); } if (!classOrInterface) { return; } const firstMatch = classOrInterface.members.find((member) => changes.some((change) => matchNode(change, member))); if (firstMatch) { const lastMatch = findLast( classOrInterface.members, (member) => changes.some((change) => matchNode(change, member)) ); forEach(changes, wipeNode); changeTracker.replaceNodeRangeWithNodes( originalFile, firstMatch, lastMatch, changes ); return; } forEach(changes, wipeNode); changeTracker.insertNodesAfter( originalFile, classOrInterface.members[classOrInterface.members.length - 1], changes ); } function placeStatements(originalFile, changeTracker, changes, focusLocations) { if (!(focusLocations == null ? void 0 : focusLocations.length)) { changeTracker.insertNodesAtEndOfFile( originalFile, changes, /*blankLineBetween*/ false ); return; } for (const location of focusLocations) { const scope = findAncestor( getTokenAtPosition(originalFile, location.start), (block) => or(isBlock, isSourceFile)(block) && some(block.statements, (origStmt) => changes.some((newStmt) => matchNode(newStmt, origStmt))) ); if (scope) { const start = scope.statements.find((stmt) => changes.some((node) => matchNode(node, stmt))); if (start) { const end = findLast(scope.statements, (stmt) => changes.some((node) => matchNode(node, stmt))); forEach(changes, wipeNode); changeTracker.replaceNodeRangeWithNodes( originalFile, start, end, changes ); return; } } } let scopeStatements = originalFile.statements; for (const location of focusLocations) { const block = findAncestor( getTokenAtPosition(originalFile, location.start), isBlock ); if (block) { scopeStatements = block.statements; break; } } forEach(changes, wipeNode); changeTracker.insertNodesAfter( originalFile, scopeStatements[scopeStatements.length - 1], changes ); } function matchNode(a, b) { var _a, _b, _c, _d, _e, _f; if (a.kind !== b.kind) { return false; } if (a.kind === 176) { return a.kind === b.kind; } if (isNamedDeclaration(a) && isNamedDeclaration(b)) { return a.name.getText() === b.name.getText(); } if (isIfStatement(a) && isIfStatement(b)) { return a.expression.getText() === b.expression.getText(); } if (isWhileStatement(a) && isWhileStatement(b)) { return a.expression.getText() === b.expression.getText(); } if (isForStatement(a) && isForStatement(b)) { return ((_a = a.initializer) == null ? void 0 : _a.getText()) === ((_b = b.initializer) == null ? void 0 : _b.getText()) && ((_c = a.incrementor) == null ? void 0 : _c.getText()) === ((_d = b.incrementor) == null ? void 0 : _d.getText()) && ((_e = a.condition) == null ? void 0 : _e.getText()) === ((_f = b.condition) == null ? void 0 : _f.getText()); } if (isForInOrOfStatement(a) && isForInOrOfStatement(b)) { return a.expression.getText() === b.expression.getText() && a.initializer.getText() === b.initializer.getText(); } if (isLabeledStatement(a) && isLabeledStatement(b)) { return a.label.getText() === b.label.getText(); } if (a.getText() === b.getText()) { return true; } return false; } function wipeNode(node) { resetNodePositions(node); node.parent = void 0; } function resetNodePositions(node) { node.pos = -1; node.end = -1; node.forEachChild(resetNodePositions); } var ts_OrganizeImports_exports = {}; __export2(ts_OrganizeImports_exports, { compareImportsOrRequireStatements: () => compareImportsOrRequireStatements, compareModuleSpecifiers: () => compareModuleSpecifiers2, getDetectionLists: () => getDetectionLists, getImportDeclarationInsertionIndex: () => getImportDeclarationInsertionIndex, getImportSpecifierInsertionIndex: () => getImportSpecifierInsertionIndex, getNamedImportSpecifierComparerWithDetection: () => getNamedImportSpecifierComparerWithDetection, getOrganizeImportsStringComparerWithDetection: () => getOrganizeImportsStringComparerWithDetection, organizeImports: () => organizeImports, testCoalesceExports: () => testCoalesceExports, testCoalesceImports: () => testCoalesceImports }); function organizeImports(sourceFile, formatContext, host, program, preferences, mode) { const changeTracker = ts_textChanges_exports.ChangeTracker.fromContext({ host, formatContext, preferences }); const shouldSort = mode === "SortAndCombine" || mode === "All"; const shouldCombine = shouldSort; const shouldRemove = mode === "RemoveUnused" || mode === "All"; const topLevelImportDecls = sourceFile.statements.filter(isImportDeclaration); const topLevelImportGroupDecls = groupByNewlineContiguous(sourceFile, topLevelImportDecls); const { comparersToTest, typeOrdersToTest } = getDetectionLists(preferences); const defaultComparer = comparersToTest[0]; const comparer = { moduleSpecifierComparer: typeof preferences.organizeImportsIgnoreCase === "boolean" ? defaultComparer : void 0, namedImportComparer: typeof preferences.organizeImportsIgnoreCase === "boolean" ? defaultComparer : void 0, typeOrder: preferences.organizeImportsTypeOrder }; if (typeof preferences.organizeImportsIgnoreCase !== "boolean") { ({ comparer: comparer.moduleSpecifierComparer } = detectModuleSpecifierCaseBySort(topLevelImportGroupDecls, comparersToTest)); } if (!comparer.typeOrder || typeof preferences.organizeImportsIgnoreCase !== "boolean") { const namedImportSort = detectNamedImportOrganizationBySort(topLevelImportDecls, comparersToTest, typeOrdersToTest); if (namedImportSort) { const { namedImportComparer, typeOrder } = namedImportSort; comparer.namedImportComparer = comparer.namedImportComparer ?? namedImportComparer; comparer.typeOrder = comparer.typeOrder ?? typeOrder; } } topLevelImportGroupDecls.forEach((importGroupDecl) => organizeImportsWorker(importGroupDecl, comparer)); if (mode !== "RemoveUnused") { getTopLevelExportGroups(sourceFile).forEach((exportGroupDecl) => organizeExportsWorker(exportGroupDecl, comparer.namedImportComparer)); } for (const ambientModule of sourceFile.statements.filter(isAmbientModule)) { if (!ambientModule.body) continue; const ambientModuleImportGroupDecls = groupByNewlineContiguous(sourceFile, ambientModule.body.statements.filter(isImportDeclaration)); ambientModuleImportGroupDecls.forEach((importGroupDecl) => organizeImportsWorker(importGroupDecl, comparer)); if (mode !== "RemoveUnused") { const ambientModuleExportDecls = ambientModule.body.statements.filter(isExportDeclaration); organizeExportsWorker(ambientModuleExportDecls, comparer.namedImportComparer); } } return changeTracker.getChanges(); function organizeDeclsWorker(oldImportDecls, coalesce) { if (length(oldImportDecls) === 0) { return; } setEmitFlags( oldImportDecls[0], 1024 /* NoLeadingComments */ ); const oldImportGroups = shouldCombine ? group(oldImportDecls, (importDecl) => getExternalModuleName2(importDecl.moduleSpecifier)) : [oldImportDecls]; const sortedImportGroups = shouldSort ? stableSort(oldImportGroups, (group1, group2) => compareModuleSpecifiersWorker(group1[0].moduleSpecifier, group2[0].moduleSpecifier, comparer.moduleSpecifierComparer ?? defaultComparer)) : oldImportGroups; const newImportDecls = flatMap(sortedImportGroups, (importGroup) => getExternalModuleName2(importGroup[0].moduleSpecifier) || importGroup[0].moduleSpecifier === void 0 ? coalesce(importGroup) : importGroup); if (newImportDecls.length === 0) { changeTracker.deleteNodes( sourceFile, oldImportDecls, { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude, trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Include }, /*hasTrailingComment*/ true ); } else { const replaceOptions = { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude, // Leave header comment in place trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Include, suffix: getNewLineOrDefaultFromHost(host, formatContext.options) }; changeTracker.replaceNodeWithNodes(sourceFile, oldImportDecls[0], newImportDecls, replaceOptions); const hasTrailingComment = changeTracker.nodeHasTrailingComment(sourceFile, oldImportDecls[0], replaceOptions); changeTracker.deleteNodes(sourceFile, oldImportDecls.slice(1), { trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Include }, hasTrailingComment); } } function organizeImportsWorker(oldImportDecls, comparer2) { const detectedModuleCaseComparer = comparer2.moduleSpecifierComparer ?? defaultComparer; const detectedNamedImportCaseComparer = comparer2.namedImportComparer ?? defaultComparer; const detectedTypeOrder = comparer2.typeOrder ?? "last"; const specifierComparer = getNamedImportSpecifierComparer({ organizeImportsTypeOrder: detectedTypeOrder }, detectedNamedImportCaseComparer); const processImportsOfSameModuleSpecifier = (importGroup) => { if (shouldRemove) importGroup = removeUnusedImports(importGroup, sourceFile, program); if (shouldCombine) importGroup = coalesceImportsWorker(importGroup, detectedModuleCaseComparer, specifierComparer, sourceFile); if (shouldSort) importGroup = stableSort(importGroup, (s1, s2) => compareImportsOrRequireStatements(s1, s2, detectedModuleCaseComparer)); return importGroup; }; organizeDeclsWorker(oldImportDecls, processImportsOfSameModuleSpecifier); } function organizeExportsWorker(oldExportDecls, specifierCaseComparer) { const useComparer = getNamedImportSpecifierComparer(preferences, specifierCaseComparer); organizeDeclsWorker(oldExportDecls, (group2) => coalesceExportsWorker(group2, useComparer)); } } function getDetectionLists(preferences) { return { comparersToTest: typeof preferences.organizeImportsIgnoreCase === "boolean" ? [getOrganizeImportsStringComparer(preferences, preferences.organizeImportsIgnoreCase)] : [getOrganizeImportsStringComparer( preferences, /*ignoreCase*/ true ), getOrganizeImportsStringComparer( preferences, /*ignoreCase*/ false )], typeOrdersToTest: preferences.organizeImportsTypeOrder ? [preferences.organizeImportsTypeOrder] : ["last", "inline", "first"] }; } function groupByNewlineContiguous(sourceFile, decls) { const scanner2 = createScanner( sourceFile.languageVersion, /*skipTrivia*/ false, sourceFile.languageVariant ); const group2 = []; let groupIndex = 0; for (const decl of decls) { if (group2[groupIndex] && isNewGroup(sourceFile, decl, scanner2)) { groupIndex++; } if (!group2[groupIndex]) { group2[groupIndex] = []; } group2[groupIndex].push(decl); } return group2; } function isNewGroup(sourceFile, decl, scanner2) { const startPos = decl.getFullStart(); const endPos = decl.getStart(); scanner2.setText(sourceFile.text, startPos, endPos - startPos); let numberOfNewLines = 0; while (scanner2.getTokenStart() < endPos) { const tokenKind = scanner2.scan(); if (tokenKind === 4) { numberOfNewLines++; if (numberOfNewLines >= 2) { return true; } } } return false; } function getTopLevelExportGroups(sourceFile) { const topLevelExportGroups = []; const statements = sourceFile.statements; const len = length(statements); let i = 0; let groupIndex = 0; while (i < len) { if (isExportDeclaration(statements[i])) { if (topLevelExportGroups[groupIndex] === void 0) { topLevelExportGroups[groupIndex] = []; } const exportDecl = statements[i]; if (exportDecl.moduleSpecifier) { topLevelExportGroups[groupIndex].push(exportDecl); i++; } else { while (i < len && isExportDeclaration(statements[i])) { topLevelExportGroups[groupIndex].push(statements[i++]); } groupIndex++; } } else { i++; } } return flatMap(topLevelExportGroups, (exportGroupDecls) => groupByNewlineContiguous(sourceFile, exportGroupDecls)); } function removeUnusedImports(oldImports, sourceFile, program) { const typeChecker = program.getTypeChecker(); const compilerOptions = program.getCompilerOptions(); const jsxNamespace = typeChecker.getJsxNamespace(sourceFile); const jsxFragmentFactory = typeChecker.getJsxFragmentFactory(sourceFile); const jsxElementsPresent = !!(sourceFile.transformFlags & 2); const usedImports = []; for (const importDecl of oldImports) { const { importClause, moduleSpecifier } = importDecl; if (!importClause) { usedImports.push(importDecl); continue; } let { name, namedBindings } = importClause; if (name && !isDeclarationUsed(name)) { name = void 0; } if (namedBindings) { if (isNamespaceImport(namedBindings)) { if (!isDeclarationUsed(namedBindings.name)) { namedBindings = void 0; } } else { const newElements = namedBindings.elements.filter((e) => isDeclarationUsed(e.name)); if (newElements.length < namedBindings.elements.length) { namedBindings = newElements.length ? factory.updateNamedImports(namedBindings, newElements) : void 0; } } } if (name || namedBindings) { usedImports.push(updateImportDeclarationAndClause(importDecl, name, namedBindings)); } else if (hasModuleDeclarationMatchingSpecifier(sourceFile, moduleSpecifier)) { if (sourceFile.isDeclarationFile) { usedImports.push(factory.createImportDeclaration( importDecl.modifiers, /*importClause*/ void 0, moduleSpecifier, /*attributes*/ void 0 )); } else { usedImports.push(importDecl); } } } return usedImports; function isDeclarationUsed(identifier) { return jsxElementsPresent && (identifier.text === jsxNamespace || jsxFragmentFactory && identifier.text === jsxFragmentFactory) && jsxModeNeedsExplicitImport(compilerOptions.jsx) || ts_FindAllReferences_exports.Core.isSymbolReferencedInFile(identifier, typeChecker, sourceFile); } } function getExternalModuleName2(specifier) { return specifier !== void 0 && isStringLiteralLike(specifier) ? specifier.text : void 0; } function getCategorizedImports(importGroup) { let importWithoutClause; const typeOnlyImports = { defaultImports: [], namespaceImports: [], namedImports: [] }; const regularImports = { defaultImports: [], namespaceImports: [], namedImports: [] }; for (const importDeclaration of importGroup) { if (importDeclaration.importClause === void 0) { importWithoutClause = importWithoutClause || importDeclaration; continue; } const group2 = importDeclaration.importClause.isTypeOnly ? typeOnlyImports : regularImports; const { name, namedBindings } = importDeclaration.importClause; if (name) { group2.defaultImports.push(importDeclaration); } if (namedBindings) { if (isNamespaceImport(namedBindings)) { group2.namespaceImports.push(importDeclaration); } else { group2.namedImports.push(importDeclaration); } } } return { importWithoutClause, typeOnlyImports, regularImports }; } function coalesceImportsWorker(importGroup, comparer, specifierComparer, sourceFile) { if (importGroup.length === 0) { return importGroup; } const importGroupsByAttributes = groupBy(importGroup, (decl) => { if (decl.attributes) { let attrs = decl.attributes.token + " "; for (const x of sort(decl.attributes.elements, (x2, y) => compareStringsCaseSensitive(x2.name.text, y.name.text))) { attrs += x.name.text + ":"; attrs += isStringLiteralLike(x.value) ? `"${x.value.text}"` : x.value.getText() + " "; } return attrs; } return ""; }); const coalescedImports = []; for (const attribute in importGroupsByAttributes) { const importGroupSameAttrs = importGroupsByAttributes[attribute]; const { importWithoutClause, typeOnlyImports, regularImports } = getCategorizedImports(importGroupSameAttrs); if (importWithoutClause) { coalescedImports.push(importWithoutClause); } for (const group2 of [regularImports, typeOnlyImports]) { const isTypeOnly = group2 === typeOnlyImports; const { defaultImports, namespaceImports, namedImports } = group2; if (!isTypeOnly && defaultImports.length === 1 && namespaceImports.length === 1 && namedImports.length === 0) { const defaultImport = defaultImports[0]; coalescedImports.push( updateImportDeclarationAndClause(defaultImport, defaultImport.importClause.name, namespaceImports[0].importClause.namedBindings) ); continue; } const sortedNamespaceImports = stableSort(namespaceImports, (i1, i2) => comparer(i1.importClause.namedBindings.name.text, i2.importClause.namedBindings.name.text)); for (const namespaceImport of sortedNamespaceImports) { coalescedImports.push( updateImportDeclarationAndClause( namespaceImport, /*name*/ void 0, namespaceImport.importClause.namedBindings ) ); } const firstDefaultImport = firstOrUndefined(defaultImports); const firstNamedImport = firstOrUndefined(namedImports); const importDecl = firstDefaultImport ?? firstNamedImport; if (!importDecl) { continue; } let newDefaultImport; const newImportSpecifiers = []; if (defaultImports.length === 1) { newDefaultImport = defaultImports[0].importClause.name; } else { for (const defaultImport of defaultImports) { newImportSpecifiers.push( factory.createImportSpecifier( /*isTypeOnly*/ false, factory.createIdentifier("default"), defaultImport.importClause.name ) ); } } newImportSpecifiers.push(...getNewImportSpecifiers(namedImports)); const sortedImportSpecifiers = factory.createNodeArray( stableSort(newImportSpecifiers, specifierComparer), firstNamedImport == null ? void 0 : firstNamedImport.importClause.namedBindings.elements.hasTrailingComma ); const newNamedImports = sortedImportSpecifiers.length === 0 ? newDefaultImport ? void 0 : factory.createNamedImports(emptyArray) : firstNamedImport ? factory.updateNamedImports(firstNamedImport.importClause.namedBindings, sortedImportSpecifiers) : factory.createNamedImports(sortedImportSpecifiers); if (sourceFile && newNamedImports && (firstNamedImport == null ? void 0 : firstNamedImport.importClause.namedBindings) && !rangeIsOnSingleLine(firstNamedImport.importClause.namedBindings, sourceFile)) { setEmitFlags( newNamedImports, 2 /* MultiLine */ ); } if (isTypeOnly && newDefaultImport && newNamedImports) { coalescedImports.push( updateImportDeclarationAndClause( importDecl, newDefaultImport, /*namedBindings*/ void 0 ) ); coalescedImports.push( updateImportDeclarationAndClause( firstNamedImport ?? importDecl, /*name*/ void 0, newNamedImports ) ); } else { coalescedImports.push( updateImportDeclarationAndClause(importDecl, newDefaultImport, newNamedImports) ); } } } return coalescedImports; } function coalesceExportsWorker(exportGroup, specifierComparer) { if (exportGroup.length === 0) { return exportGroup; } const { exportWithoutClause, namedExports, typeOnlyExports } = getCategorizedExports(exportGroup); const coalescedExports = []; if (exportWithoutClause) { coalescedExports.push(exportWithoutClause); } for (const exportGroup2 of [namedExports, typeOnlyExports]) { if (exportGroup2.length === 0) { continue; } const newExportSpecifiers = []; newExportSpecifiers.push(...flatMap(exportGroup2, (i) => i.exportClause && isNamedExports(i.exportClause) ? i.exportClause.elements : emptyArray)); const sortedExportSpecifiers = stableSort(newExportSpecifiers, specifierComparer); const exportDecl = exportGroup2[0]; coalescedExports.push( factory.updateExportDeclaration( exportDecl, exportDecl.modifiers, exportDecl.isTypeOnly, exportDecl.exportClause && (isNamedExports(exportDecl.exportClause) ? factory.updateNamedExports(exportDecl.exportClause, sortedExportSpecifiers) : factory.updateNamespaceExport(exportDecl.exportClause, exportDecl.exportClause.name)), exportDecl.moduleSpecifier, exportDecl.attributes ) ); } return coalescedExports; function getCategorizedExports(exportGroup2) { let exportWithoutClause2; const namedExports2 = []; const typeOnlyExports2 = []; for (const exportDeclaration of exportGroup2) { if (exportDeclaration.exportClause === void 0) { exportWithoutClause2 = exportWithoutClause2 || exportDeclaration; } else if (exportDeclaration.isTypeOnly) { typeOnlyExports2.push(exportDeclaration); } else { namedExports2.push(exportDeclaration); } } return { exportWithoutClause: exportWithoutClause2, namedExports: namedExports2, typeOnlyExports: typeOnlyExports2 }; } } function updateImportDeclarationAndClause(importDeclaration, name, namedBindings) { return factory.updateImportDeclaration( importDeclaration, importDeclaration.modifiers, factory.updateImportClause(importDeclaration.importClause, importDeclaration.importClause.isTypeOnly, name, namedBindings), // TODO: GH#18217 importDeclaration.moduleSpecifier, importDeclaration.attributes ); } function compareImportOrExportSpecifiers(s1, s2, comparer, preferences) { switch (preferences == null ? void 0 : preferences.organizeImportsTypeOrder) { case "first": return compareBooleans(s2.isTypeOnly, s1.isTypeOnly) || comparer(s1.name.text, s2.name.text); case "inline": return comparer(s1.name.text, s2.name.text); default: return compareBooleans(s1.isTypeOnly, s2.isTypeOnly) || comparer(s1.name.text, s2.name.text); } } function compareModuleSpecifiersWorker(m1, m2, comparer) { const name1 = m1 === void 0 ? void 0 : getExternalModuleName2(m1); const name2 = m2 === void 0 ? void 0 : getExternalModuleName2(m2); return compareBooleans(name1 === void 0, name2 === void 0) || compareBooleans(isExternalModuleNameRelative(name1), isExternalModuleNameRelative(name2)) || comparer(name1, name2); } function getModuleNamesFromDecls(decls) { return decls.map((s) => getExternalModuleName2(getModuleSpecifierExpression(s)) || ""); } function getModuleSpecifierExpression(declaration) { var _a; switch (declaration.kind) { case 271: return (_a = tryCast(declaration.moduleReference, isExternalModuleReference)) == null ? void 0 : _a.expression; case 272: return declaration.moduleSpecifier; case 243: return declaration.declarationList.declarations[0].initializer.arguments[0]; } } function hasModuleDeclarationMatchingSpecifier(sourceFile, moduleSpecifier) { const moduleSpecifierText = isStringLiteral2(moduleSpecifier) && moduleSpecifier.text; return isString2(moduleSpecifierText) && some(sourceFile.moduleAugmentations, (moduleName) => isStringLiteral2(moduleName) && moduleName.text === moduleSpecifierText); } function getNewImportSpecifiers(namedImports) { return flatMap(namedImports, (namedImport) => map(tryGetNamedBindingElements(namedImport), (importSpecifier) => importSpecifier.name && importSpecifier.propertyName && importSpecifier.name.escapedText === importSpecifier.propertyName.escapedText ? factory.updateImportSpecifier( importSpecifier, importSpecifier.isTypeOnly, /*propertyName*/ void 0, importSpecifier.name ) : importSpecifier)); } function tryGetNamedBindingElements(namedImport) { var _a; return ((_a = namedImport.importClause) == null ? void 0 : _a.namedBindings) && isNamedImports(namedImport.importClause.namedBindings) ? namedImport.importClause.namedBindings.elements : void 0; } function detectModuleSpecifierCaseBySort(importDeclsByGroup, comparersToTest) { const moduleSpecifiersByGroup = []; importDeclsByGroup.forEach((importGroup) => { moduleSpecifiersByGroup.push(getModuleNamesFromDecls(importGroup)); }); return detectCaseSensitivityBySort(moduleSpecifiersByGroup, comparersToTest); } function detectNamedImportOrganizationBySort(originalGroups, comparersToTest, typesToTest) { let bothNamedImports = false; const importDeclsWithNamed = originalGroups.filter((i) => { var _a, _b; const namedImports = (_b = tryCast((_a = i.importClause) == null ? void 0 : _a.namedBindings, isNamedImports)) == null ? void 0 : _b.elements; if (!(namedImports == null ? void 0 : namedImports.length)) return false; if (!bothNamedImports && namedImports.some((n) => n.isTypeOnly) && namedImports.some((n) => !n.isTypeOnly)) { bothNamedImports = true; } return true; }); if (importDeclsWithNamed.length === 0) return; const namedImportsByDecl = importDeclsWithNamed.map((importDecl) => { var _a, _b; return (_b = tryCast((_a = importDecl.importClause) == null ? void 0 : _a.namedBindings, isNamedImports)) == null ? void 0 : _b.elements; }).filter((elements) => elements !== void 0); if (!bothNamedImports || typesToTest.length === 0) { const sortState = detectCaseSensitivityBySort(namedImportsByDecl.map((i) => i.map((n) => n.name.text)), comparersToTest); return { namedImportComparer: sortState.comparer, typeOrder: typesToTest.length === 1 ? typesToTest[0] : void 0, isSorted: sortState.isSorted }; } const bestDiff = { first: Infinity, last: Infinity, inline: Infinity }; const bestComparer = { first: comparersToTest[0], last: comparersToTest[0], inline: comparersToTest[0] }; for (const curComparer of comparersToTest) { const currDiff = { first: 0, last: 0, inline: 0 }; for (const importDecl of namedImportsByDecl) { for (const typeOrder of typesToTest) { currDiff[typeOrder] = (currDiff[typeOrder] ?? 0) + measureSortedness(importDecl, (n1, n2) => compareImportOrExportSpecifiers(n1, n2, curComparer, { organizeImportsTypeOrder: typeOrder })); } } for (const key of typesToTest) { const typeOrder = key; if (currDiff[typeOrder] < bestDiff[typeOrder]) { bestDiff[typeOrder] = currDiff[typeOrder]; bestComparer[typeOrder] = curComparer; } } } outer: for (const bestKey of typesToTest) { const bestTypeOrder = bestKey; for (const testKey of typesToTest) { const testTypeOrder = testKey; if (bestDiff[testTypeOrder] < bestDiff[bestTypeOrder]) continue outer; } return { namedImportComparer: bestComparer[bestTypeOrder], typeOrder: bestTypeOrder, isSorted: bestDiff[bestTypeOrder] === 0 }; } return { namedImportComparer: bestComparer.last, typeOrder: "last", isSorted: bestDiff.last === 0 }; } function measureSortedness(arr, comparer) { let i = 0; for (let j = 0; j < arr.length - 1; j++) { if (comparer(arr[j], arr[j + 1]) > 0) { i++; } } return i; } function detectCaseSensitivityBySort(originalGroups, comparersToTest) { let bestComparer; let bestDiff = Infinity; for (const curComparer of comparersToTest) { let diffOfCurrentComparer = 0; for (const listToSort of originalGroups) { if (listToSort.length <= 1) continue; const diff = measureSortedness(listToSort, curComparer); diffOfCurrentComparer += diff; } if (diffOfCurrentComparer < bestDiff) { bestDiff = diffOfCurrentComparer; bestComparer = curComparer; } } return { comparer: bestComparer ?? comparersToTest[0], isSorted: bestDiff === 0 }; } function compareImportKind(s1, s2) { return compareValues(getImportKindOrder(s1), getImportKindOrder(s2)); } function getImportKindOrder(s1) { var _a; switch (s1.kind) { case 272: if (!s1.importClause) return 0; if (s1.importClause.isTypeOnly) return 1; if (((_a = s1.importClause.namedBindings) == null ? void 0 : _a.kind) === 274) return 2; if (s1.importClause.name) return 3; return 4; case 271: return 5; case 243: return 6; } } function getOrganizeImportsOrdinalStringComparer(ignoreCase) { return ignoreCase ? compareStringsCaseInsensitiveEslintCompatible : compareStringsCaseSensitive; } function getOrganizeImportsUnicodeStringComparer(ignoreCase, preferences) { const resolvedLocale = getOrganizeImportsLocale(preferences); const caseFirst = preferences.organizeImportsCaseFirst ?? false; const numeric = preferences.organizeImportsNumericCollation ?? false; const accents = preferences.organizeImportsAccentCollation ?? true; const sensitivity = ignoreCase ? accents ? "accent" : "base" : accents ? "variant" : "case"; const collator = new Intl.Collator(resolvedLocale, { usage: "sort", caseFirst: caseFirst || "false", sensitivity, numeric }); return collator.compare; } function getOrganizeImportsLocale(preferences) { let locale = preferences.organizeImportsLocale; if (locale === "auto") locale = getUILocale(); if (locale === void 0) locale = "en"; const supportedLocales = Intl.Collator.supportedLocalesOf(locale); const resolvedLocale = supportedLocales.length ? supportedLocales[0] : "en"; return resolvedLocale; } function getOrganizeImportsStringComparer(preferences, ignoreCase) { const collation = preferences.organizeImportsCollation ?? "ordinal"; return collation === "unicode" ? getOrganizeImportsUnicodeStringComparer(ignoreCase, preferences) : getOrganizeImportsOrdinalStringComparer(ignoreCase); } function getOrganizeImportsStringComparerWithDetection(originalImportDecls, preferences) { return detectModuleSpecifierCaseBySort([originalImportDecls], getDetectionLists(preferences).comparersToTest); } function getNamedImportSpecifierComparer(preferences, comparer) { const stringComparer = comparer ?? getOrganizeImportsOrdinalStringComparer(!!preferences.organizeImportsIgnoreCase); return (s1, s2) => compareImportOrExportSpecifiers(s1, s2, stringComparer, preferences); } function getNamedImportSpecifierComparerWithDetection(importDecl, preferences, sourceFile) { const { comparersToTest, typeOrdersToTest } = getDetectionLists(preferences); const detectFromDecl = detectNamedImportOrganizationBySort([importDecl], comparersToTest, typeOrdersToTest); let specifierComparer = getNamedImportSpecifierComparer(preferences, comparersToTest[0]); let isSorted; if (typeof preferences.organizeImportsIgnoreCase !== "boolean" || !preferences.organizeImportsTypeOrder) { if (detectFromDecl) { const { namedImportComparer, typeOrder, isSorted: isDetectedSorted } = detectFromDecl; isSorted = isDetectedSorted; specifierComparer = getNamedImportSpecifierComparer({ organizeImportsTypeOrder: typeOrder }, namedImportComparer); } else if (sourceFile) { const detectFromFile = detectNamedImportOrganizationBySort(sourceFile.statements.filter(isImportDeclaration), comparersToTest, typeOrdersToTest); if (detectFromFile) { const { namedImportComparer, typeOrder, isSorted: isDetectedSorted } = detectFromFile; isSorted = isDetectedSorted; specifierComparer = getNamedImportSpecifierComparer({ organizeImportsTypeOrder: typeOrder }, namedImportComparer); } } } return { specifierComparer, isSorted }; } function getImportDeclarationInsertionIndex(sortedImports, newImport, comparer) { const index = binarySearch(sortedImports, newImport, identity2, (a, b) => compareImportsOrRequireStatements(a, b, comparer)); return index < 0 ? ~index : index; } function getImportSpecifierInsertionIndex(sortedImports, newImport, comparer) { const index = binarySearch(sortedImports, newImport, identity2, comparer); return index < 0 ? ~index : index; } function compareImportsOrRequireStatements(s1, s2, comparer) { return compareModuleSpecifiersWorker(getModuleSpecifierExpression(s1), getModuleSpecifierExpression(s2), comparer) || compareImportKind(s1, s2); } function testCoalesceImports(importGroup, ignoreCase, sourceFile, preferences) { const comparer = getOrganizeImportsOrdinalStringComparer(ignoreCase); const specifierComparer = getNamedImportSpecifierComparer({ organizeImportsTypeOrder: preferences == null ? void 0 : preferences.organizeImportsTypeOrder }, comparer); return coalesceImportsWorker(importGroup, comparer, specifierComparer, sourceFile); } function testCoalesceExports(exportGroup, ignoreCase, preferences) { const comparer = (s1, s2) => compareImportOrExportSpecifiers(s1, s2, getOrganizeImportsOrdinalStringComparer(ignoreCase), { organizeImportsTypeOrder: (preferences == null ? void 0 : preferences.organizeImportsTypeOrder) ?? "last" }); return coalesceExportsWorker(exportGroup, comparer); } function compareModuleSpecifiers2(m1, m2, ignoreCase) { const comparer = getOrganizeImportsOrdinalStringComparer(!!ignoreCase); return compareModuleSpecifiersWorker(m1, m2, comparer); } var ts_OutliningElementsCollector_exports = {}; __export2(ts_OutliningElementsCollector_exports, { collectElements: () => collectElements }); function collectElements(sourceFile, cancellationToken) { const res = []; addNodeOutliningSpans(sourceFile, cancellationToken, res); addRegionOutliningSpans(sourceFile, res); return res.sort((span1, span2) => span1.textSpan.start - span2.textSpan.start); } function addNodeOutliningSpans(sourceFile, cancellationToken, out) { let depthRemaining = 40; let current = 0; const statements = [...sourceFile.statements, sourceFile.endOfFileToken]; const n = statements.length; while (current < n) { while (current < n && !isAnyImportSyntax(statements[current])) { visitNode3(statements[current]); current++; } if (current === n) break; const firstImport = current; while (current < n && isAnyImportSyntax(statements[current])) { visitNode3(statements[current]); current++; } const lastImport = current - 1; if (lastImport !== firstImport) { out.push(createOutliningSpanFromBounds( findChildOfKind(statements[firstImport], 102, sourceFile).getStart(sourceFile), statements[lastImport].getEnd(), "imports" /* Imports */ )); } } function visitNode3(n2) { var _a; if (depthRemaining === 0) return; cancellationToken.throwIfCancellationRequested(); if (isDeclaration(n2) || isVariableStatement(n2) || isReturnStatement(n2) || isCallOrNewExpression2(n2) || n2.kind === 1) { addOutliningForLeadingCommentsForNode(n2, sourceFile, cancellationToken, out); } if (isFunctionLike(n2) && isBinaryExpression(n2.parent) && isPropertyAccessExpression(n2.parent.left)) { addOutliningForLeadingCommentsForNode(n2.parent.left, sourceFile, cancellationToken, out); } if (isBlock(n2) || isModuleBlock(n2)) { addOutliningForLeadingCommentsForPos(n2.statements.end, sourceFile, cancellationToken, out); } if (isClassLike(n2) || isInterfaceDeclaration(n2)) { addOutliningForLeadingCommentsForPos(n2.members.end, sourceFile, cancellationToken, out); } const span = getOutliningSpanForNode(n2, sourceFile); if (span) out.push(span); depthRemaining--; if (isCallExpression2(n2)) { depthRemaining++; visitNode3(n2.expression); depthRemaining--; n2.arguments.forEach(visitNode3); (_a = n2.typeArguments) == null ? void 0 : _a.forEach(visitNode3); } else if (isIfStatement(n2) && n2.elseStatement && isIfStatement(n2.elseStatement)) { visitNode3(n2.expression); visitNode3(n2.thenStatement); depthRemaining++; visitNode3(n2.elseStatement); depthRemaining--; } else { n2.forEachChild(visitNode3); } depthRemaining++; } } function addRegionOutliningSpans(sourceFile, out) { const regions = []; const lineStarts = sourceFile.getLineStarts(); for (const currentLineStart of lineStarts) { const lineEnd = sourceFile.getLineEndOfPosition(currentLineStart); const lineText = sourceFile.text.substring(currentLineStart, lineEnd); const result = isRegionDelimiter(lineText); if (!result || isInComment(sourceFile, currentLineStart)) { continue; } if (!result[1]) { const span = createTextSpanFromBounds(sourceFile.text.indexOf("//", currentLineStart), lineEnd); regions.push(createOutliningSpan( span, "region", span, /*autoCollapse*/ false, result[2] || "#region" )); } else { const region = regions.pop(); if (region) { region.textSpan.length = lineEnd - region.textSpan.start; region.hintSpan.length = lineEnd - region.textSpan.start; out.push(region); } } } } var regionDelimiterRegExp = /^#(end)?region(?:\s+(.*))?(?:\r)?$/; function isRegionDelimiter(lineText) { lineText = lineText.trimStart(); if (!startsWith2(lineText, "//")) { return null; } lineText = lineText.slice(2).trim(); return regionDelimiterRegExp.exec(lineText); } function addOutliningForLeadingCommentsForPos(pos, sourceFile, cancellationToken, out) { const comments = getLeadingCommentRanges(sourceFile.text, pos); if (!comments) return; let firstSingleLineCommentStart = -1; let lastSingleLineCommentEnd = -1; let singleLineCommentCount = 0; const sourceText = sourceFile.getFullText(); for (const { kind, pos: pos2, end } of comments) { cancellationToken.throwIfCancellationRequested(); switch (kind) { case 2: const commentText = sourceText.slice(pos2, end); if (isRegionDelimiter(commentText)) { combineAndAddMultipleSingleLineComments(); singleLineCommentCount = 0; break; } if (singleLineCommentCount === 0) { firstSingleLineCommentStart = pos2; } lastSingleLineCommentEnd = end; singleLineCommentCount++; break; case 3: combineAndAddMultipleSingleLineComments(); out.push(createOutliningSpanFromBounds( pos2, end, "comment" /* Comment */ )); singleLineCommentCount = 0; break; default: Debug.assertNever(kind); } } combineAndAddMultipleSingleLineComments(); function combineAndAddMultipleSingleLineComments() { if (singleLineCommentCount > 1) { out.push(createOutliningSpanFromBounds( firstSingleLineCommentStart, lastSingleLineCommentEnd, "comment" /* Comment */ )); } } } function addOutliningForLeadingCommentsForNode(n, sourceFile, cancellationToken, out) { if (isJsxText(n)) return; addOutliningForLeadingCommentsForPos(n.pos, sourceFile, cancellationToken, out); } function createOutliningSpanFromBounds(pos, end, kind) { return createOutliningSpan(createTextSpanFromBounds(pos, end), kind); } function getOutliningSpanForNode(n, sourceFile) { switch (n.kind) { case 241: if (isFunctionLike(n.parent)) { return functionSpan(n.parent, n, sourceFile); } switch (n.parent.kind) { case 246: case 249: case 250: case 248: case 245: case 247: case 254: case 299: return spanForNode(n.parent); case 258: const tryStatement = n.parent; if (tryStatement.tryBlock === n) { return spanForNode(n.parent); } else if (tryStatement.finallyBlock === n) { const node = findChildOfKind(tryStatement, 98, sourceFile); if (node) return spanForNode(node); } default: return createOutliningSpan( createTextSpanFromNode(n, sourceFile), "code" /* Code */ ); } case 268: return spanForNode(n.parent); case 263: case 231: case 264: case 266: case 269: case 187: case 206: return spanForNode(n); case 189: return spanForNode( n, /*autoCollapse*/ false, /*useFullStart*/ !isTupleTypeNode(n.parent), 23 /* OpenBracketToken */ ); case 296: case 297: return spanForNodeArray(n.statements); case 210: return spanForObjectOrArrayLiteral(n); case 209: return spanForObjectOrArrayLiteral( n, 23 /* OpenBracketToken */ ); case 284: return spanForJSXElement(n); case 288: return spanForJSXFragment(n); case 285: case 286: return spanForJSXAttributes(n.attributes); case 228: case 15: return spanForTemplateLiteral(n); case 207: return spanForNode( n, /*autoCollapse*/ false, /*useFullStart*/ !isBindingElement(n.parent), 23 /* OpenBracketToken */ ); case 219: return spanForArrowFunction(n); case 213: return spanForCallExpression(n); case 217: return spanForParenthesizedExpression(n); case 275: case 279: case 300: return spanForImportExportElements(n); } function spanForImportExportElements(node) { if (!node.elements.length) { return void 0; } const openToken = findChildOfKind(node, 19, sourceFile); const closeToken = findChildOfKind(node, 20, sourceFile); if (!openToken || !closeToken || positionsAreOnSameLine(openToken.pos, closeToken.pos, sourceFile)) { return void 0; } return spanBetweenTokens( openToken, closeToken, node, sourceFile, /*autoCollapse*/ false, /*useFullStart*/ false ); } function spanForCallExpression(node) { if (!node.arguments.length) { return void 0; } const openToken = findChildOfKind(node, 21, sourceFile); const closeToken = findChildOfKind(node, 22, sourceFile); if (!openToken || !closeToken || positionsAreOnSameLine(openToken.pos, closeToken.pos, sourceFile)) { return void 0; } return spanBetweenTokens( openToken, closeToken, node, sourceFile, /*autoCollapse*/ false, /*useFullStart*/ true ); } function spanForArrowFunction(node) { if (isBlock(node.body) || isParenthesizedExpression(node.body) || positionsAreOnSameLine(node.body.getFullStart(), node.body.getEnd(), sourceFile)) { return void 0; } const textSpan = createTextSpanFromBounds(node.body.getFullStart(), node.body.getEnd()); return createOutliningSpan(textSpan, "code", createTextSpanFromNode(node)); } function spanForJSXElement(node) { const textSpan = createTextSpanFromBounds(node.openingElement.getStart(sourceFile), node.closingElement.getEnd()); const tagName = node.openingElement.tagName.getText(sourceFile); const bannerText = "<" + tagName + ">..."; return createOutliningSpan( textSpan, "code", textSpan, /*autoCollapse*/ false, bannerText ); } function spanForJSXFragment(node) { const textSpan = createTextSpanFromBounds(node.openingFragment.getStart(sourceFile), node.closingFragment.getEnd()); const bannerText = "<>..."; return createOutliningSpan( textSpan, "code", textSpan, /*autoCollapse*/ false, bannerText ); } function spanForJSXAttributes(node) { if (node.properties.length === 0) { return void 0; } return createOutliningSpanFromBounds( node.getStart(sourceFile), node.getEnd(), "code" /* Code */ ); } function spanForTemplateLiteral(node) { if (node.kind === 15 && node.text.length === 0) { return void 0; } return createOutliningSpanFromBounds( node.getStart(sourceFile), node.getEnd(), "code" /* Code */ ); } function spanForObjectOrArrayLiteral(node, open = 19) { return spanForNode( node, /*autoCollapse*/ false, /*useFullStart*/ !isArrayLiteralExpression(node.parent) && !isCallExpression2(node.parent), open ); } function spanForNode(hintSpanNode, autoCollapse = false, useFullStart = true, open = 19, close = open === 19 ? 20 : 24) { const openToken = findChildOfKind(n, open, sourceFile); const closeToken = findChildOfKind(n, close, sourceFile); return openToken && closeToken && spanBetweenTokens(openToken, closeToken, hintSpanNode, sourceFile, autoCollapse, useFullStart); } function spanForNodeArray(nodeArray) { return nodeArray.length ? createOutliningSpan( createTextSpanFromRange(nodeArray), "code" /* Code */ ) : void 0; } function spanForParenthesizedExpression(node) { if (positionsAreOnSameLine(node.getStart(), node.getEnd(), sourceFile)) return void 0; const textSpan = createTextSpanFromBounds(node.getStart(), node.getEnd()); return createOutliningSpan(textSpan, "code", createTextSpanFromNode(node)); } } function functionSpan(node, body, sourceFile) { const openToken = tryGetFunctionOpenToken(node, body, sourceFile); const closeToken = findChildOfKind(body, 20, sourceFile); return openToken && closeToken && spanBetweenTokens( openToken, closeToken, node, sourceFile, /*autoCollapse*/ node.kind !== 219 /* ArrowFunction */ ); } function spanBetweenTokens(openToken, closeToken, hintSpanNode, sourceFile, autoCollapse = false, useFullStart = true) { const textSpan = createTextSpanFromBounds(useFullStart ? openToken.getFullStart() : openToken.getStart(sourceFile), closeToken.getEnd()); return createOutliningSpan(textSpan, "code", createTextSpanFromNode(hintSpanNode, sourceFile), autoCollapse); } function createOutliningSpan(textSpan, kind, hintSpan = textSpan, autoCollapse = false, bannerText = "...") { return { textSpan, kind, hintSpan, bannerText, autoCollapse }; } function tryGetFunctionOpenToken(node, body, sourceFile) { if (isNodeArrayMultiLine(node.parameters, sourceFile)) { const openParenToken = findChildOfKind(node, 21, sourceFile); if (openParenToken) { return openParenToken; } } return findChildOfKind(body, 19, sourceFile); } var ts_Rename_exports = {}; __export2(ts_Rename_exports, { getRenameInfo: () => getRenameInfo, nodeIsEligibleForRename: () => nodeIsEligibleForRename }); function getRenameInfo(program, sourceFile, position, preferences) { const node = getAdjustedRenameLocation(getTouchingPropertyName(sourceFile, position)); if (nodeIsEligibleForRename(node)) { const renameInfo = getRenameInfoForNode(node, program.getTypeChecker(), sourceFile, program, preferences); if (renameInfo) { return renameInfo; } } return getRenameInfoError(Diagnostics.You_cannot_rename_this_element); } function getRenameInfoForNode(node, typeChecker, sourceFile, program, preferences) { const symbol = typeChecker.getSymbolAtLocation(node); if (!symbol) { if (isStringLiteralLike(node)) { const type = getContextualTypeFromParentOrAncestorTypeNode(node, typeChecker); if (type && (type.flags & 128 || type.flags & 1048576 && every(type.types, (type2) => !!(type2.flags & 128)))) { return getRenameInfoSuccess(node.text, node.text, "string", "", node, sourceFile); } } else if (isLabelName(node)) { const name = getTextOfNode(node); return getRenameInfoSuccess(name, name, "label", "", node, sourceFile); } return void 0; } const { declarations } = symbol; if (!declarations || declarations.length === 0) return; if (declarations.some((declaration) => isDefinedInLibraryFile(program, declaration))) { return getRenameInfoError(Diagnostics.You_cannot_rename_elements_that_are_defined_in_the_standard_TypeScript_library); } if (isIdentifier(node) && node.escapedText === "default" && symbol.parent && symbol.parent.flags & 1536) { return void 0; } if (isStringLiteralLike(node) && tryGetImportFromModuleSpecifier(node)) { return preferences.allowRenameOfImportPath ? getRenameInfoForModule(node, sourceFile, symbol) : void 0; } const wouldRenameNodeModules = wouldRenameInOtherNodeModules(sourceFile, symbol, typeChecker, preferences); if (wouldRenameNodeModules) { return getRenameInfoError(wouldRenameNodeModules); } const kind = ts_SymbolDisplay_exports.getSymbolKind(typeChecker, symbol, node); const specifierName = isImportOrExportSpecifierName(node) || isStringOrNumericLiteralLike(node) && node.parent.kind === 167 ? stripQuotes(getTextOfIdentifierOrLiteral(node)) : void 0; const displayName = specifierName || typeChecker.symbolToString(symbol); const fullDisplayName = specifierName || typeChecker.getFullyQualifiedName(symbol); return getRenameInfoSuccess(displayName, fullDisplayName, kind, ts_SymbolDisplay_exports.getSymbolModifiers(typeChecker, symbol), node, sourceFile); } function isDefinedInLibraryFile(program, declaration) { const sourceFile = declaration.getSourceFile(); return program.isSourceFileDefaultLibrary(sourceFile) && fileExtensionIs( sourceFile.fileName, ".d.ts" /* Dts */ ); } function wouldRenameInOtherNodeModules(originalFile, symbol, checker, preferences) { if (!preferences.providePrefixAndSuffixTextForRename && symbol.flags & 2097152) { const importSpecifier = symbol.declarations && find(symbol.declarations, (decl) => isImportSpecifier(decl)); if (importSpecifier && !importSpecifier.propertyName) { symbol = checker.getAliasedSymbol(symbol); } } const { declarations } = symbol; if (!declarations) { return void 0; } const originalPackage = getPackagePathComponents(originalFile.path); if (originalPackage === void 0) { if (some(declarations, (declaration) => isInsideNodeModules(declaration.getSourceFile().path))) { return Diagnostics.You_cannot_rename_elements_that_are_defined_in_a_node_modules_folder; } else { return void 0; } } for (const declaration of declarations) { const declPackage = getPackagePathComponents(declaration.getSourceFile().path); if (declPackage) { const length2 = Math.min(originalPackage.length, declPackage.length); for (let i = 0; i <= length2; i++) { if (compareStringsCaseSensitive(originalPackage[i], declPackage[i]) !== 0) { return Diagnostics.You_cannot_rename_elements_that_are_defined_in_another_node_modules_folder; } } } } return void 0; } function getPackagePathComponents(filePath) { const components = getPathComponents(filePath); const nodeModulesIdx = components.lastIndexOf("node_modules"); if (nodeModulesIdx === -1) { return void 0; } return components.slice(0, nodeModulesIdx + 2); } function getRenameInfoForModule(node, sourceFile, moduleSymbol) { if (!isExternalModuleNameRelative(node.text)) { return getRenameInfoError(Diagnostics.You_cannot_rename_a_module_via_a_global_import); } const moduleSourceFile = moduleSymbol.declarations && find(moduleSymbol.declarations, isSourceFile); if (!moduleSourceFile) return void 0; const withoutIndex = endsWith(node.text, "/index") || endsWith(node.text, "/index.js") ? void 0 : tryRemoveSuffix(removeFileExtension(moduleSourceFile.fileName), "/index"); const fileName = withoutIndex === void 0 ? moduleSourceFile.fileName : withoutIndex; const kind = withoutIndex === void 0 ? "module" : "directory"; const indexAfterLastSlash = node.text.lastIndexOf("/") + 1; const triggerSpan = createTextSpan(node.getStart(sourceFile) + 1 + indexAfterLastSlash, node.text.length - indexAfterLastSlash); return { canRename: true, fileToRename: fileName, kind, displayName: fileName, fullDisplayName: node.text, kindModifiers: "", triggerSpan }; } function getRenameInfoSuccess(displayName, fullDisplayName, kind, kindModifiers, node, sourceFile) { return { canRename: true, fileToRename: void 0, kind, displayName, fullDisplayName, kindModifiers, triggerSpan: createTriggerSpanForNode(node, sourceFile) }; } function getRenameInfoError(diagnostic) { return { canRename: false, localizedErrorMessage: getLocaleSpecificMessage(diagnostic) }; } function createTriggerSpanForNode(node, sourceFile) { let start = node.getStart(sourceFile); let width = node.getWidth(sourceFile); if (isStringLiteralLike(node)) { start += 1; width -= 2; } return createTextSpan(start, width); } function nodeIsEligibleForRename(node) { switch (node.kind) { case 80: case 81: case 11: case 15: case 110: return true; case 9: return isLiteralNameOfPropertyDeclarationOrIndexAccess(node); default: return false; } } var ts_SignatureHelp_exports = {}; __export2(ts_SignatureHelp_exports, { getArgumentInfoForCompletions: () => getArgumentInfoForCompletions, getSignatureHelpItems: () => getSignatureHelpItems }); function getSignatureHelpItems(program, sourceFile, position, triggerReason, cancellationToken) { const typeChecker = program.getTypeChecker(); const startingToken = findTokenOnLeftOfPosition(sourceFile, position); if (!startingToken) { return void 0; } const onlyUseSyntacticOwners = !!triggerReason && triggerReason.kind === "characterTyped"; if (onlyUseSyntacticOwners && (isInString(sourceFile, position, startingToken) || isInComment(sourceFile, position))) { return void 0; } const isManuallyInvoked = !!triggerReason && triggerReason.kind === "invoked"; const argumentInfo = getContainingArgumentInfo(startingToken, position, sourceFile, typeChecker, isManuallyInvoked); if (!argumentInfo) return void 0; cancellationToken.throwIfCancellationRequested(); const candidateInfo = getCandidateOrTypeInfo(argumentInfo, typeChecker, sourceFile, startingToken, onlyUseSyntacticOwners); cancellationToken.throwIfCancellationRequested(); if (!candidateInfo) { return isSourceFileJS(sourceFile) ? createJSSignatureHelpItems(argumentInfo, program, cancellationToken) : void 0; } return typeChecker.runWithCancellationToken(cancellationToken, (typeChecker2) => candidateInfo.kind === 0 ? createSignatureHelpItems(candidateInfo.candidates, candidateInfo.resolvedSignature, argumentInfo, sourceFile, typeChecker2) : createTypeHelpItems(candidateInfo.symbol, argumentInfo, sourceFile, typeChecker2)); } function getCandidateOrTypeInfo({ invocation, argumentCount }, checker, sourceFile, startingToken, onlyUseSyntacticOwners) { switch (invocation.kind) { case 0: { if (onlyUseSyntacticOwners && !isSyntacticOwner(startingToken, invocation.node, sourceFile)) { return void 0; } const candidates = []; const resolvedSignature = checker.getResolvedSignatureForSignatureHelp(invocation.node, candidates, argumentCount); return candidates.length === 0 ? void 0 : { kind: 0, candidates, resolvedSignature }; } case 1: { const { called } = invocation; if (onlyUseSyntacticOwners && !containsPrecedingToken(startingToken, sourceFile, isIdentifier(called) ? called.parent : called)) { return void 0; } const candidates = getPossibleGenericSignatures(called, argumentCount, checker); if (candidates.length !== 0) return { kind: 0, candidates, resolvedSignature: first(candidates) }; const symbol = checker.getSymbolAtLocation(called); return symbol && { kind: 1, symbol }; } case 2: return { kind: 0, candidates: [invocation.signature], resolvedSignature: invocation.signature }; default: return Debug.assertNever(invocation); } } function isSyntacticOwner(startingToken, node, sourceFile) { if (!isCallOrNewExpression2(node)) return false; const invocationChildren = node.getChildren(sourceFile); switch (startingToken.kind) { case 21: return contains(invocationChildren, startingToken); case 28: { const containingList = findContainingList(startingToken); return !!containingList && contains(invocationChildren, containingList); } case 30: return containsPrecedingToken(startingToken, sourceFile, node.expression); default: return false; } } function createJSSignatureHelpItems(argumentInfo, program, cancellationToken) { if (argumentInfo.invocation.kind === 2) return void 0; const expression = getExpressionFromInvocation(argumentInfo.invocation); const name = isPropertyAccessExpression(expression) ? expression.name.text : void 0; const typeChecker = program.getTypeChecker(); return name === void 0 ? void 0 : firstDefined(program.getSourceFiles(), (sourceFile) => firstDefined(sourceFile.getNamedDeclarations().get(name), (declaration) => { const type = declaration.symbol && typeChecker.getTypeOfSymbolAtLocation(declaration.symbol, declaration); const callSignatures = type && type.getCallSignatures(); if (callSignatures && callSignatures.length) { return typeChecker.runWithCancellationToken( cancellationToken, (typeChecker2) => createSignatureHelpItems( callSignatures, callSignatures[0], argumentInfo, sourceFile, typeChecker2, /*useFullPrefix*/ true ) ); } })); } function containsPrecedingToken(startingToken, sourceFile, container) { const pos = startingToken.getFullStart(); let currentParent = startingToken.parent; while (currentParent) { const precedingToken = findPrecedingToken( pos, sourceFile, currentParent, /*excludeJsdoc*/ true ); if (precedingToken) { return rangeContainsRange(container, precedingToken); } currentParent = currentParent.parent; } return Debug.fail("Could not find preceding token"); } function getArgumentInfoForCompletions(node, position, sourceFile, checker) { const info = getImmediatelyContainingArgumentInfo(node, position, sourceFile, checker); return !info || info.isTypeParameterList || info.invocation.kind !== 0 ? void 0 : { invocation: info.invocation.node, argumentCount: info.argumentCount, argumentIndex: info.argumentIndex }; } function getArgumentOrParameterListInfo(node, position, sourceFile, checker) { const info = getArgumentOrParameterListAndIndex(node, sourceFile, checker); if (!info) return void 0; const { list, argumentIndex } = info; const argumentCount = getArgumentCount(checker, list); if (argumentIndex !== 0) { Debug.assertLessThan(argumentIndex, argumentCount); } const argumentsSpan = getApplicableSpanForArguments(list, sourceFile); return { list, argumentIndex, argumentCount, argumentsSpan }; } function getArgumentOrParameterListAndIndex(node, sourceFile, checker) { if (node.kind === 30 || node.kind === 21) { return { list: getChildListThatStartsWithOpenerToken(node.parent, node, sourceFile), argumentIndex: 0 }; } else { const list = findContainingList(node); return list && { list, argumentIndex: getArgumentIndex(checker, list, node) }; } } function getImmediatelyContainingArgumentInfo(node, position, sourceFile, checker) { const { parent: parent2 } = node; if (isCallOrNewExpression2(parent2)) { const invocation = parent2; const info = getArgumentOrParameterListInfo(node, position, sourceFile, checker); if (!info) return void 0; const { list, argumentIndex, argumentCount, argumentsSpan } = info; const isTypeParameterList = !!parent2.typeArguments && parent2.typeArguments.pos === list.pos; return { isTypeParameterList, invocation: { kind: 0, node: invocation }, argumentsSpan, argumentIndex, argumentCount }; } else if (isNoSubstitutionTemplateLiteral(node) && isTaggedTemplateExpression(parent2)) { if (isInsideTemplateLiteral(node, position, sourceFile)) { return getArgumentListInfoForTemplate( parent2, /*argumentIndex*/ 0, sourceFile ); } return void 0; } else if (isTemplateHead(node) && parent2.parent.kind === 215) { const templateExpression = parent2; const tagExpression = templateExpression.parent; Debug.assert( templateExpression.kind === 228 /* TemplateExpression */ ); const argumentIndex = isInsideTemplateLiteral(node, position, sourceFile) ? 0 : 1; return getArgumentListInfoForTemplate(tagExpression, argumentIndex, sourceFile); } else if (isTemplateSpan(parent2) && isTaggedTemplateExpression(parent2.parent.parent)) { const templateSpan = parent2; const tagExpression = parent2.parent.parent; if (isTemplateTail(node) && !isInsideTemplateLiteral(node, position, sourceFile)) { return void 0; } const spanIndex = templateSpan.parent.templateSpans.indexOf(templateSpan); const argumentIndex = getArgumentIndexForTemplatePiece(spanIndex, node, position, sourceFile); return getArgumentListInfoForTemplate(tagExpression, argumentIndex, sourceFile); } else if (isJsxOpeningLikeElement(parent2)) { const attributeSpanStart = parent2.attributes.pos; const attributeSpanEnd = skipTrivia( sourceFile.text, parent2.attributes.end, /*stopAfterLineBreak*/ false ); return { isTypeParameterList: false, invocation: { kind: 0, node: parent2 }, argumentsSpan: createTextSpan(attributeSpanStart, attributeSpanEnd - attributeSpanStart), argumentIndex: 0, argumentCount: 1 }; } else { const typeArgInfo = getPossibleTypeArgumentsInfo(node, sourceFile); if (typeArgInfo) { const { called, nTypeArguments } = typeArgInfo; const invocation = { kind: 1, called }; const argumentsSpan = createTextSpanFromBounds(called.getStart(sourceFile), node.end); return { isTypeParameterList: true, invocation, argumentsSpan, argumentIndex: nTypeArguments, argumentCount: nTypeArguments + 1 }; } return void 0; } } function getImmediatelyContainingArgumentOrContextualParameterInfo(node, position, sourceFile, checker) { return tryGetParameterInfo(node, position, sourceFile, checker) || getImmediatelyContainingArgumentInfo(node, position, sourceFile, checker); } function getHighestBinary(b) { return isBinaryExpression(b.parent) ? getHighestBinary(b.parent) : b; } function countBinaryExpressionParameters(b) { return isBinaryExpression(b.left) ? countBinaryExpressionParameters(b.left) + 1 : 2; } function tryGetParameterInfo(startingToken, position, sourceFile, checker) { const node = getAdjustedNode(startingToken); if (node === void 0) return void 0; const info = getContextualSignatureLocationInfo(node, sourceFile, position, checker); if (info === void 0) return void 0; const { contextualType, argumentIndex, argumentCount, argumentsSpan } = info; const nonNullableContextualType = contextualType.getNonNullableType(); const symbol = nonNullableContextualType.symbol; if (symbol === void 0) return void 0; const signature = lastOrUndefined(nonNullableContextualType.getCallSignatures()); if (signature === void 0) return void 0; const invocation = { kind: 2, signature, node: startingToken, symbol: chooseBetterSymbol(symbol) }; return { isTypeParameterList: false, invocation, argumentsSpan, argumentIndex, argumentCount }; } function getAdjustedNode(node) { switch (node.kind) { case 21: case 28: return node; default: return findAncestor(node.parent, (n) => isParameter(n) ? true : isBindingElement(n) || isObjectBindingPattern(n) || isArrayBindingPattern(n) ? false : "quit"); } } function getContextualSignatureLocationInfo(node, sourceFile, position, checker) { const { parent: parent2 } = node; switch (parent2.kind) { case 217: case 174: case 218: case 219: const info = getArgumentOrParameterListInfo(node, position, sourceFile, checker); if (!info) return void 0; const { argumentIndex, argumentCount, argumentsSpan } = info; const contextualType = isMethodDeclaration(parent2) ? checker.getContextualTypeForObjectLiteralElement(parent2) : checker.getContextualType(parent2); return contextualType && { contextualType, argumentIndex, argumentCount, argumentsSpan }; case 226: { const highestBinary = getHighestBinary(parent2); const contextualType2 = checker.getContextualType(highestBinary); const argumentIndex2 = node.kind === 21 ? 0 : countBinaryExpressionParameters(parent2) - 1; const argumentCount2 = countBinaryExpressionParameters(highestBinary); return contextualType2 && { contextualType: contextualType2, argumentIndex: argumentIndex2, argumentCount: argumentCount2, argumentsSpan: createTextSpanFromNode(parent2) }; } default: return void 0; } } function chooseBetterSymbol(s) { return s.name === "__type" ? firstDefined(s.declarations, (d) => { var _a; return isFunctionTypeNode(d) ? (_a = tryCast(d.parent, canHaveSymbol)) == null ? void 0 : _a.symbol : void 0; }) || s : s; } function getSpreadElementCount(node, checker) { const spreadType = checker.getTypeAtLocation(node.expression); if (checker.isTupleType(spreadType)) { const { elementFlags, fixedLength } = spreadType.target; if (fixedLength === 0) { return 0; } const firstOptionalIndex = findIndex(elementFlags, (f) => !(f & 1)); return firstOptionalIndex < 0 ? fixedLength : firstOptionalIndex; } return 0; } function getArgumentIndex(checker, argumentsList, node) { return getArgumentIndexOrCount(checker, argumentsList, node); } function getArgumentCount(checker, argumentsList) { return getArgumentIndexOrCount( checker, argumentsList, /*node*/ void 0 ); } function getArgumentIndexOrCount(checker, argumentsList, node) { const args = argumentsList.getChildren(); let argumentIndex = 0; let skipComma = false; for (const child of args) { if (node && child === node) { if (!skipComma && child.kind === 28) { argumentIndex++; } return argumentIndex; } if (isSpreadElement(child)) { argumentIndex += getSpreadElementCount(child, checker); skipComma = true; continue; } if (child.kind !== 28) { argumentIndex++; skipComma = true; continue; } if (skipComma) { skipComma = false; continue; } argumentIndex++; } if (node) { return argumentIndex; } return args.length && last(args).kind === 28 ? argumentIndex + 1 : argumentIndex; } function getArgumentIndexForTemplatePiece(spanIndex, node, position, sourceFile) { Debug.assert(position >= node.getStart(), "Assumed 'position' could not occur before node."); if (isTemplateLiteralToken(node)) { if (isInsideTemplateLiteral(node, position, sourceFile)) { return 0; } return spanIndex + 2; } return spanIndex + 1; } function getArgumentListInfoForTemplate(tagExpression, argumentIndex, sourceFile) { const argumentCount = isNoSubstitutionTemplateLiteral(tagExpression.template) ? 1 : tagExpression.template.templateSpans.length + 1; if (argumentIndex !== 0) { Debug.assertLessThan(argumentIndex, argumentCount); } return { isTypeParameterList: false, invocation: { kind: 0, node: tagExpression }, argumentsSpan: getApplicableSpanForTaggedTemplate(tagExpression, sourceFile), argumentIndex, argumentCount }; } function getApplicableSpanForArguments(argumentsList, sourceFile) { const applicableSpanStart = argumentsList.getFullStart(); const applicableSpanEnd = skipTrivia( sourceFile.text, argumentsList.getEnd(), /*stopAfterLineBreak*/ false ); return createTextSpan(applicableSpanStart, applicableSpanEnd - applicableSpanStart); } function getApplicableSpanForTaggedTemplate(taggedTemplate, sourceFile) { const template = taggedTemplate.template; const applicableSpanStart = template.getStart(); let applicableSpanEnd = template.getEnd(); if (template.kind === 228) { const lastSpan = last(template.templateSpans); if (lastSpan.literal.getFullWidth() === 0) { applicableSpanEnd = skipTrivia( sourceFile.text, applicableSpanEnd, /*stopAfterLineBreak*/ false ); } } return createTextSpan(applicableSpanStart, applicableSpanEnd - applicableSpanStart); } function getContainingArgumentInfo(node, position, sourceFile, checker, isManuallyInvoked) { for (let n = node; !isSourceFile(n) && (isManuallyInvoked || !isBlock(n)); n = n.parent) { Debug.assert(rangeContainsRange(n.parent, n), "Not a subspan", () => `Child: ${Debug.formatSyntaxKind(n.kind)}, parent: ${Debug.formatSyntaxKind(n.parent.kind)}`); const argumentInfo = getImmediatelyContainingArgumentOrContextualParameterInfo(n, position, sourceFile, checker); if (argumentInfo) { return argumentInfo; } } return void 0; } function getChildListThatStartsWithOpenerToken(parent2, openerToken, sourceFile) { const children = parent2.getChildren(sourceFile); const indexOfOpenerToken = children.indexOf(openerToken); Debug.assert(indexOfOpenerToken >= 0 && children.length > indexOfOpenerToken + 1); return children[indexOfOpenerToken + 1]; } function getExpressionFromInvocation(invocation) { return invocation.kind === 0 ? getInvokedExpression(invocation.node) : invocation.called; } function getEnclosingDeclarationFromInvocation(invocation) { return invocation.kind === 0 ? invocation.node : invocation.kind === 1 ? invocation.called : invocation.node; } var signatureHelpNodeBuilderFlags = 8192 | 70221824 | 16384; function createSignatureHelpItems(candidates, resolvedSignature, { isTypeParameterList, argumentCount, argumentsSpan: applicableSpan, invocation, argumentIndex }, sourceFile, typeChecker, useFullPrefix) { var _a; const enclosingDeclaration = getEnclosingDeclarationFromInvocation(invocation); const callTargetSymbol = invocation.kind === 2 ? invocation.symbol : typeChecker.getSymbolAtLocation(getExpressionFromInvocation(invocation)) || useFullPrefix && ((_a = resolvedSignature.declaration) == null ? void 0 : _a.symbol); const callTargetDisplayParts = callTargetSymbol ? symbolToDisplayParts( typeChecker, callTargetSymbol, useFullPrefix ? sourceFile : void 0, /*meaning*/ void 0 ) : emptyArray; const items = map(candidates, (candidateSignature) => getSignatureHelpItem(candidateSignature, callTargetDisplayParts, isTypeParameterList, typeChecker, enclosingDeclaration, sourceFile)); if (argumentIndex !== 0) { Debug.assertLessThan(argumentIndex, argumentCount); } let selectedItemIndex = 0; let itemsSeen = 0; for (let i = 0; i < items.length; i++) { const item = items[i]; if (candidates[i] === resolvedSignature) { selectedItemIndex = itemsSeen; if (item.length > 1) { let count = 0; for (const i2 of item) { if (i2.isVariadic || i2.parameters.length >= argumentCount) { selectedItemIndex = itemsSeen + count; break; } count++; } } } itemsSeen += item.length; } Debug.assert(selectedItemIndex !== -1); const help = { items: flatMapToMutable(items, identity2), applicableSpan, selectedItemIndex, argumentIndex, argumentCount }; const selected = help.items[selectedItemIndex]; if (selected.isVariadic) { const firstRest = findIndex(selected.parameters, (p) => !!p.isRest); if (-1 < firstRest && firstRest < selected.parameters.length - 1) { help.argumentIndex = selected.parameters.length; } else { help.argumentIndex = Math.min(help.argumentIndex, selected.parameters.length - 1); } } return help; } function createTypeHelpItems(symbol, { argumentCount, argumentsSpan: applicableSpan, invocation, argumentIndex }, sourceFile, checker) { const typeParameters = checker.getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol); if (!typeParameters) return void 0; const items = [getTypeHelpItem(symbol, typeParameters, checker, getEnclosingDeclarationFromInvocation(invocation), sourceFile)]; return { items, applicableSpan, selectedItemIndex: 0, argumentIndex, argumentCount }; } function getTypeHelpItem(symbol, typeParameters, checker, enclosingDeclaration, sourceFile) { const typeSymbolDisplay = symbolToDisplayParts(checker, symbol); const printer = createPrinterWithRemoveComments(); const parameters = typeParameters.map((t) => createSignatureHelpParameterForTypeParameter(t, checker, enclosingDeclaration, sourceFile, printer)); const documentation = symbol.getDocumentationComment(checker); const tags = symbol.getJsDocTags(checker); const prefixDisplayParts = [...typeSymbolDisplay, punctuationPart( 30 /* LessThanToken */ )]; return { isVariadic: false, prefixDisplayParts, suffixDisplayParts: [punctuationPart( 32 /* GreaterThanToken */ )], separatorDisplayParts, parameters, documentation, tags }; } var separatorDisplayParts = [punctuationPart( 28 /* CommaToken */ ), spacePart()]; function getSignatureHelpItem(candidateSignature, callTargetDisplayParts, isTypeParameterList, checker, enclosingDeclaration, sourceFile) { const infos = (isTypeParameterList ? itemInfoForTypeParameters : itemInfoForParameters)(candidateSignature, checker, enclosingDeclaration, sourceFile); return map(infos, ({ isVariadic, parameters, prefix, suffix }) => { const prefixDisplayParts = [...callTargetDisplayParts, ...prefix]; const suffixDisplayParts = [...suffix, ...returnTypeToDisplayParts(candidateSignature, enclosingDeclaration, checker)]; const documentation = candidateSignature.getDocumentationComment(checker); const tags = candidateSignature.getJsDocTags(); return { isVariadic, prefixDisplayParts, suffixDisplayParts, separatorDisplayParts, parameters, documentation, tags }; }); } function returnTypeToDisplayParts(candidateSignature, enclosingDeclaration, checker) { return mapToDisplayParts((writer) => { writer.writePunctuation(":"); writer.writeSpace(" "); const predicate = checker.getTypePredicateOfSignature(candidateSignature); if (predicate) { checker.writeTypePredicate( predicate, enclosingDeclaration, /*flags*/ void 0, writer ); } else { checker.writeType( checker.getReturnTypeOfSignature(candidateSignature), enclosingDeclaration, /*flags*/ void 0, writer ); } }); } function itemInfoForTypeParameters(candidateSignature, checker, enclosingDeclaration, sourceFile) { const typeParameters = (candidateSignature.target || candidateSignature).typeParameters; const printer = createPrinterWithRemoveComments(); const parameters = (typeParameters || emptyArray).map((t) => createSignatureHelpParameterForTypeParameter(t, checker, enclosingDeclaration, sourceFile, printer)); const thisParameter = candidateSignature.thisParameter ? [checker.symbolToParameterDeclaration(candidateSignature.thisParameter, enclosingDeclaration, signatureHelpNodeBuilderFlags)] : []; return checker.getExpandedParameters(candidateSignature).map((paramList) => { const params = factory.createNodeArray([...thisParameter, ...map(paramList, (param) => checker.symbolToParameterDeclaration(param, enclosingDeclaration, signatureHelpNodeBuilderFlags))]); const parameterParts = mapToDisplayParts((writer) => { printer.writeList(2576, params, sourceFile, writer); }); return { isVariadic: false, parameters, prefix: [punctuationPart( 30 /* LessThanToken */ )], suffix: [punctuationPart( 32 /* GreaterThanToken */ ), ...parameterParts] }; }); } function itemInfoForParameters(candidateSignature, checker, enclosingDeclaration, sourceFile) { const printer = createPrinterWithRemoveComments(); const typeParameterParts = mapToDisplayParts((writer) => { if (candidateSignature.typeParameters && candidateSignature.typeParameters.length) { const args = factory.createNodeArray(candidateSignature.typeParameters.map((p) => checker.typeParameterToDeclaration(p, enclosingDeclaration, signatureHelpNodeBuilderFlags))); printer.writeList(53776, args, sourceFile, writer); } }); const lists = checker.getExpandedParameters(candidateSignature); const isVariadic = !checker.hasEffectiveRestParameter(candidateSignature) ? (_) => false : lists.length === 1 ? (_) => true : (pList) => { var _a; return !!(pList.length && ((_a = tryCast(pList[pList.length - 1], isTransientSymbol)) == null ? void 0 : _a.links.checkFlags) & 32768); }; return lists.map((parameterList) => ({ isVariadic: isVariadic(parameterList), parameters: parameterList.map((p) => createSignatureHelpParameterForParameter(p, checker, enclosingDeclaration, sourceFile, printer)), prefix: [...typeParameterParts, punctuationPart( 21 /* OpenParenToken */ )], suffix: [punctuationPart( 22 /* CloseParenToken */ )] })); } function createSignatureHelpParameterForParameter(parameter, checker, enclosingDeclaration, sourceFile, printer) { const displayParts = mapToDisplayParts((writer) => { const param = checker.symbolToParameterDeclaration(parameter, enclosingDeclaration, signatureHelpNodeBuilderFlags); printer.writeNode(4, param, sourceFile, writer); }); const isOptional = checker.isOptionalParameter(parameter.valueDeclaration); const isRest = isTransientSymbol(parameter) && !!(parameter.links.checkFlags & 32768); return { name: parameter.name, documentation: parameter.getDocumentationComment(checker), displayParts, isOptional, isRest }; } function createSignatureHelpParameterForTypeParameter(typeParameter, checker, enclosingDeclaration, sourceFile, printer) { const displayParts = mapToDisplayParts((writer) => { const param = checker.typeParameterToDeclaration(typeParameter, enclosingDeclaration, signatureHelpNodeBuilderFlags); printer.writeNode(4, param, sourceFile, writer); }); return { name: typeParameter.symbol.name, documentation: typeParameter.symbol.getDocumentationComment(checker), displayParts, isOptional: false, isRest: false }; } var ts_SmartSelectionRange_exports = {}; __export2(ts_SmartSelectionRange_exports, { getSmartSelectionRange: () => getSmartSelectionRange }); function getSmartSelectionRange(pos, sourceFile) { var _a, _b; let selectionRange = { textSpan: createTextSpanFromBounds(sourceFile.getFullStart(), sourceFile.getEnd()) }; let parentNode = sourceFile; outer: while (true) { const children = getSelectionChildren(parentNode); if (!children.length) break; for (let i = 0; i < children.length; i++) { const prevNode = children[i - 1]; const node = children[i]; const nextNode = children[i + 1]; if (getTokenPosOfNode( node, sourceFile, /*includeJsDoc*/ true ) > pos) { break outer; } const comment = singleOrUndefined(getTrailingCommentRanges(sourceFile.text, node.end)); if (comment && comment.kind === 2) { pushSelectionCommentRange(comment.pos, comment.end); } if (positionShouldSnapToNode(sourceFile, pos, node)) { if (isFunctionBody(node) && isFunctionLikeDeclaration(parentNode) && !positionsAreOnSameLine(node.getStart(sourceFile), node.getEnd(), sourceFile)) { pushSelectionRange(node.getStart(sourceFile), node.getEnd()); } if (isBlock(node) || isTemplateSpan(node) || isTemplateHead(node) || isTemplateTail(node) || prevNode && isTemplateHead(prevNode) || isVariableDeclarationList(node) && isVariableStatement(parentNode) || isSyntaxList(node) && isVariableDeclarationList(parentNode) || isVariableDeclaration(node) && isSyntaxList(parentNode) && children.length === 1 || isJSDocTypeExpression(node) || isJSDocSignature(node) || isJSDocTypeLiteral(node)) { parentNode = node; break; } if (isTemplateSpan(parentNode) && nextNode && isTemplateMiddleOrTemplateTail(nextNode)) { const start2 = node.getFullStart() - "${".length; const end2 = nextNode.getStart() + "}".length; pushSelectionRange(start2, end2); } const isBetweenMultiLineBookends = isSyntaxList(node) && isListOpener(prevNode) && isListCloser(nextNode) && !positionsAreOnSameLine(prevNode.getStart(), nextNode.getStart(), sourceFile); let start = isBetweenMultiLineBookends ? prevNode.getEnd() : node.getStart(); const end = isBetweenMultiLineBookends ? nextNode.getStart() : getEndPos(sourceFile, node); if (hasJSDocNodes(node) && ((_a = node.jsDoc) == null ? void 0 : _a.length)) { pushSelectionRange(first(node.jsDoc).getStart(), end); } if (isSyntaxList(node)) { const firstChild = node.getChildren()[0]; if (firstChild && hasJSDocNodes(firstChild) && ((_b = firstChild.jsDoc) == null ? void 0 : _b.length) && firstChild.getStart() !== node.pos) { start = Math.min(start, first(firstChild.jsDoc).getStart()); } } pushSelectionRange(start, end); if (isStringLiteral2(node) || isTemplateLiteral(node)) { pushSelectionRange(start + 1, end - 1); } parentNode = node; break; } if (i === children.length - 1) { break outer; } } } return selectionRange; function pushSelectionRange(start, end) { if (start !== end) { const textSpan = createTextSpanFromBounds(start, end); if (!selectionRange || // Skip ranges that are identical to the parent !textSpansEqual(textSpan, selectionRange.textSpan) && // Skip ranges that don't contain the original position textSpanIntersectsWithPosition(textSpan, pos)) { selectionRange = { textSpan, ...selectionRange && { parent: selectionRange } }; } } } function pushSelectionCommentRange(start, end) { pushSelectionRange(start, end); let pos2 = start; while (sourceFile.text.charCodeAt(pos2) === 47) { pos2++; } pushSelectionRange(pos2, end); } } function positionShouldSnapToNode(sourceFile, pos, node) { Debug.assert(node.pos <= pos); if (pos < node.end) { return true; } const nodeEnd = node.getEnd(); if (nodeEnd === pos) { return getTouchingPropertyName(sourceFile, pos).pos < node.end; } return false; } var isImport2 = or(isImportDeclaration, isImportEqualsDeclaration); function getSelectionChildren(node) { var _a; if (isSourceFile(node)) { return groupChildren(node.getChildAt(0).getChildren(), isImport2); } if (isMappedTypeNode(node)) { const [openBraceToken, ...children] = node.getChildren(); const closeBraceToken = Debug.checkDefined(children.pop()); Debug.assertEqual( openBraceToken.kind, 19 /* OpenBraceToken */ ); Debug.assertEqual( closeBraceToken.kind, 20 /* CloseBraceToken */ ); const groupedWithPlusMinusTokens = groupChildren( children, (child) => child === node.readonlyToken || child.kind === 148 || child === node.questionToken || child.kind === 58 /* QuestionToken */ ); const groupedWithBrackets = groupChildren( groupedWithPlusMinusTokens, ({ kind }) => kind === 23 || kind === 168 || kind === 24 /* CloseBracketToken */ ); return [ openBraceToken, // Pivot on `:` createSyntaxList2(splitChildren( groupedWithBrackets, ({ kind }) => kind === 59 /* ColonToken */ )), closeBraceToken ]; } if (isPropertySignature(node)) { const children = groupChildren(node.getChildren(), (child) => child === node.name || contains(node.modifiers, child)); const firstJSDocChild = ((_a = children[0]) == null ? void 0 : _a.kind) === 320 ? children[0] : void 0; const withJSDocSeparated = firstJSDocChild ? children.slice(1) : children; const splittedChildren = splitChildren( withJSDocSeparated, ({ kind }) => kind === 59 /* ColonToken */ ); return firstJSDocChild ? [firstJSDocChild, createSyntaxList2(splittedChildren)] : splittedChildren; } if (isParameter(node)) { const groupedDotDotDotAndName = groupChildren(node.getChildren(), (child) => child === node.dotDotDotToken || child === node.name); const groupedWithQuestionToken = groupChildren(groupedDotDotDotAndName, (child) => child === groupedDotDotDotAndName[0] || child === node.questionToken); return splitChildren( groupedWithQuestionToken, ({ kind }) => kind === 64 /* EqualsToken */ ); } if (isBindingElement(node)) { return splitChildren( node.getChildren(), ({ kind }) => kind === 64 /* EqualsToken */ ); } return node.getChildren(); } function groupChildren(children, groupOn) { const result = []; let group2; for (const child of children) { if (groupOn(child)) { group2 = group2 || []; group2.push(child); } else { if (group2) { result.push(createSyntaxList2(group2)); group2 = void 0; } result.push(child); } } if (group2) { result.push(createSyntaxList2(group2)); } return result; } function splitChildren(children, pivotOn, separateTrailingSemicolon = true) { if (children.length < 2) { return children; } const splitTokenIndex = findIndex(children, pivotOn); if (splitTokenIndex === -1) { return children; } const leftChildren = children.slice(0, splitTokenIndex); const splitToken = children[splitTokenIndex]; const lastToken = last(children); const separateLastToken = separateTrailingSemicolon && lastToken.kind === 27; const rightChildren = children.slice(splitTokenIndex + 1, separateLastToken ? children.length - 1 : void 0); const result = compact([ leftChildren.length ? createSyntaxList2(leftChildren) : void 0, splitToken, rightChildren.length ? createSyntaxList2(rightChildren) : void 0 ]); return separateLastToken ? result.concat(lastToken) : result; } function createSyntaxList2(children) { Debug.assertGreaterThanOrEqual(children.length, 1); return setTextRangePosEnd(parseNodeFactory.createSyntaxList(children), children[0].pos, last(children).end); } function isListOpener(token) { const kind = token && token.kind; return kind === 19 || kind === 23 || kind === 21 || kind === 286; } function isListCloser(token) { const kind = token && token.kind; return kind === 20 || kind === 24 || kind === 22 || kind === 287; } function getEndPos(sourceFile, node) { switch (node.kind) { case 341: case 338: case 348: case 346: case 343: return sourceFile.getLineEndOfPosition(node.getStart()); default: return node.getEnd(); } } var ts_SymbolDisplay_exports = {}; __export2(ts_SymbolDisplay_exports, { getSymbolDisplayPartsDocumentationAndSymbolKind: () => getSymbolDisplayPartsDocumentationAndSymbolKind, getSymbolKind: () => getSymbolKind, getSymbolModifiers: () => getSymbolModifiers }); var symbolDisplayNodeBuilderFlags = 8192 | 70221824 | 16384; function getSymbolKind(typeChecker, symbol, location) { const result = getSymbolKindOfConstructorPropertyMethodAccessorFunctionOrVar(typeChecker, symbol, location); if (result !== "") { return result; } const flags = getCombinedLocalAndExportSymbolFlags(symbol); if (flags & 32) { return getDeclarationOfKind( symbol, 231 /* ClassExpression */ ) ? "local class" : "class"; } if (flags & 384) return "enum"; if (flags & 524288) return "type"; if (flags & 64) return "interface"; if (flags & 262144) return "type parameter"; if (flags & 8) return "enum member"; if (flags & 2097152) return "alias"; if (flags & 1536) return "module"; return result; } function getSymbolKindOfConstructorPropertyMethodAccessorFunctionOrVar(typeChecker, symbol, location) { const roots = typeChecker.getRootSymbols(symbol); if (roots.length === 1 && first(roots).flags & 8192 && typeChecker.getTypeOfSymbolAtLocation(symbol, location).getNonNullableType().getCallSignatures().length !== 0) { return "method"; } if (typeChecker.isUndefinedSymbol(symbol)) { return "var"; } if (typeChecker.isArgumentsSymbol(symbol)) { return "local var"; } if (location.kind === 110 && isExpression(location) || isThisInTypeQuery(location)) { return "parameter"; } const flags = getCombinedLocalAndExportSymbolFlags(symbol); if (flags & 3) { if (isFirstDeclarationOfSymbolParameter(symbol)) { return "parameter"; } else if (symbol.valueDeclaration && isVarConst(symbol.valueDeclaration)) { return "const"; } else if (symbol.valueDeclaration && isVarUsing(symbol.valueDeclaration)) { return "using"; } else if (symbol.valueDeclaration && isVarAwaitUsing(symbol.valueDeclaration)) { return "await using"; } else if (forEach(symbol.declarations, isLet)) { return "let"; } return isLocalVariableOrFunction(symbol) ? "local var" : "var"; } if (flags & 16) return isLocalVariableOrFunction(symbol) ? "local function" : "function"; if (flags & 32768) return "getter"; if (flags & 65536) return "setter"; if (flags & 8192) return "method"; if (flags & 16384) return "constructor"; if (flags & 131072) return "index"; if (flags & 4) { if (flags & 33554432 && symbol.links.checkFlags & 6) { const unionPropertyKind = forEach(typeChecker.getRootSymbols(symbol), (rootSymbol) => { const rootSymbolFlags = rootSymbol.getFlags(); if (rootSymbolFlags & (98308 | 3)) { return "property"; } }); if (!unionPropertyKind) { const typeOfUnionProperty = typeChecker.getTypeOfSymbolAtLocation(symbol, location); if (typeOfUnionProperty.getCallSignatures().length) { return "method"; } return "property"; } return unionPropertyKind; } return "property"; } return ""; } function getNormalizedSymbolModifiers(symbol) { if (symbol.declarations && symbol.declarations.length) { const [declaration, ...declarations] = symbol.declarations; const excludeFlags = length(declarations) && isDeprecatedDeclaration(declaration) && some(declarations, (d) => !isDeprecatedDeclaration(d)) ? 65536 : 0; const modifiers = getNodeModifiers(declaration, excludeFlags); if (modifiers) { return modifiers.split(","); } } return []; } function getSymbolModifiers(typeChecker, symbol) { if (!symbol) { return ""; } const modifiers = new Set(getNormalizedSymbolModifiers(symbol)); if (symbol.flags & 2097152) { const resolvedSymbol = typeChecker.getAliasedSymbol(symbol); if (resolvedSymbol !== symbol) { forEach(getNormalizedSymbolModifiers(resolvedSymbol), (modifier) => { modifiers.add(modifier); }); } } if (symbol.flags & 16777216) { modifiers.add( "optional" /* optionalModifier */ ); } return modifiers.size > 0 ? arrayFrom(modifiers.values()).join(",") : ""; } function getSymbolDisplayPartsDocumentationAndSymbolKindWorker(typeChecker, symbol, sourceFile, enclosingDeclaration, location, type, semanticMeaning, alias) { var _a; const displayParts = []; let documentation = []; let tags = []; const symbolFlags = getCombinedLocalAndExportSymbolFlags(symbol); let symbolKind = semanticMeaning & 1 ? getSymbolKindOfConstructorPropertyMethodAccessorFunctionOrVar(typeChecker, symbol, location) : ""; let hasAddedSymbolInfo = false; const isThisExpression = location.kind === 110 && isInExpressionContext(location) || isThisInTypeQuery(location); let documentationFromAlias; let tagsFromAlias; let hasMultipleSignatures = false; if (location.kind === 110 && !isThisExpression) { return { displayParts: [keywordPart( 110 /* ThisKeyword */ )], documentation: [], symbolKind: "primitive type", tags: void 0 }; } if (symbolKind !== "" || symbolFlags & 32 || symbolFlags & 2097152) { if (symbolKind === "getter" || symbolKind === "setter") { const declaration = find(symbol.declarations, (declaration2) => declaration2.name === location); if (declaration) { switch (declaration.kind) { case 177: symbolKind = "getter"; break; case 178: symbolKind = "setter"; break; case 172: symbolKind = "accessor"; break; default: Debug.assertNever(declaration); } } else { symbolKind = "property"; } } let signature; type ?? (type = isThisExpression ? typeChecker.getTypeAtLocation(location) : typeChecker.getTypeOfSymbolAtLocation(symbol, location)); if (location.parent && location.parent.kind === 211) { const right = location.parent.name; if (right === location || right && right.getFullWidth() === 0) { location = location.parent; } } let callExpressionLike; if (isCallOrNewExpression2(location)) { callExpressionLike = location; } else if (isCallExpressionTarget(location) || isNewExpressionTarget(location)) { callExpressionLike = location.parent; } else if (location.parent && (isJsxOpeningLikeElement(location.parent) || isTaggedTemplateExpression(location.parent)) && isFunctionLike(symbol.valueDeclaration)) { callExpressionLike = location.parent; } if (callExpressionLike) { signature = typeChecker.getResolvedSignature(callExpressionLike); const useConstructSignatures = callExpressionLike.kind === 214 || isCallExpression2(callExpressionLike) && callExpressionLike.expression.kind === 108; const allSignatures = useConstructSignatures ? type.getConstructSignatures() : type.getCallSignatures(); if (signature && !contains(allSignatures, signature.target) && !contains(allSignatures, signature)) { signature = allSignatures.length ? allSignatures[0] : void 0; } if (signature) { if (useConstructSignatures && symbolFlags & 32) { symbolKind = "constructor"; addPrefixForAnyFunctionOrVar(type.symbol, symbolKind); } else if (symbolFlags & 2097152) { symbolKind = "alias"; pushSymbolKind(symbolKind); displayParts.push(spacePart()); if (useConstructSignatures) { if (signature.flags & 4) { displayParts.push(keywordPart( 128 /* AbstractKeyword */ )); displayParts.push(spacePart()); } displayParts.push(keywordPart( 105 /* NewKeyword */ )); displayParts.push(spacePart()); } addFullSymbolName(symbol); } else { addPrefixForAnyFunctionOrVar(symbol, symbolKind); } switch (symbolKind) { case "JSX attribute": case "property": case "var": case "const": case "let": case "parameter": case "local var": displayParts.push(punctuationPart( 59 /* ColonToken */ )); displayParts.push(spacePart()); if (!(getObjectFlags(type) & 16) && type.symbol) { addRange(displayParts, symbolToDisplayParts( typeChecker, type.symbol, enclosingDeclaration, /*meaning*/ void 0, 4 | 1 /* WriteTypeParametersOrArguments */ )); displayParts.push(lineBreakPart()); } if (useConstructSignatures) { if (signature.flags & 4) { displayParts.push(keywordPart( 128 /* AbstractKeyword */ )); displayParts.push(spacePart()); } displayParts.push(keywordPart( 105 /* NewKeyword */ )); displayParts.push(spacePart()); } addSignatureDisplayParts( signature, allSignatures, 262144 /* WriteArrowStyleSignature */ ); break; default: addSignatureDisplayParts(signature, allSignatures); } hasAddedSymbolInfo = true; hasMultipleSignatures = allSignatures.length > 1; } } else if (isNameOfFunctionDeclaration(location) && !(symbolFlags & 98304) || // name of function declaration location.kind === 137 && location.parent.kind === 176) { const functionDeclaration = location.parent; const locationIsSymbolDeclaration = symbol.declarations && find(symbol.declarations, (declaration) => declaration === (location.kind === 137 ? functionDeclaration.parent : functionDeclaration)); if (locationIsSymbolDeclaration) { const allSignatures = functionDeclaration.kind === 176 ? type.getNonNullableType().getConstructSignatures() : type.getNonNullableType().getCallSignatures(); if (!typeChecker.isImplementationOfOverload(functionDeclaration)) { signature = typeChecker.getSignatureFromDeclaration(functionDeclaration); } else { signature = allSignatures[0]; } if (functionDeclaration.kind === 176) { symbolKind = "constructor"; addPrefixForAnyFunctionOrVar(type.symbol, symbolKind); } else { addPrefixForAnyFunctionOrVar( functionDeclaration.kind === 179 && !(type.symbol.flags & 2048 || type.symbol.flags & 4096) ? type.symbol : symbol, symbolKind ); } if (signature) { addSignatureDisplayParts(signature, allSignatures); } hasAddedSymbolInfo = true; hasMultipleSignatures = allSignatures.length > 1; } } } if (symbolFlags & 32 && !hasAddedSymbolInfo && !isThisExpression) { addAliasPrefixIfNecessary(); if (getDeclarationOfKind( symbol, 231 /* ClassExpression */ )) { pushSymbolKind( "local class" /* localClassElement */ ); } else { displayParts.push(keywordPart( 86 /* ClassKeyword */ )); } displayParts.push(spacePart()); addFullSymbolName(symbol); writeTypeParametersOfSymbol(symbol, sourceFile); } if (symbolFlags & 64 && semanticMeaning & 2) { prefixNextMeaning(); displayParts.push(keywordPart( 120 /* InterfaceKeyword */ )); displayParts.push(spacePart()); addFullSymbolName(symbol); writeTypeParametersOfSymbol(symbol, sourceFile); } if (symbolFlags & 524288 && semanticMeaning & 2) { prefixNextMeaning(); displayParts.push(keywordPart( 156 /* TypeKeyword */ )); displayParts.push(spacePart()); addFullSymbolName(symbol); writeTypeParametersOfSymbol(symbol, sourceFile); displayParts.push(spacePart()); displayParts.push(operatorPart( 64 /* EqualsToken */ )); displayParts.push(spacePart()); addRange(displayParts, typeToDisplayParts( typeChecker, location.parent && isConstTypeReference(location.parent) ? typeChecker.getTypeAtLocation(location.parent) : typeChecker.getDeclaredTypeOfSymbol(symbol), enclosingDeclaration, 8388608 /* InTypeAlias */ )); } if (symbolFlags & 384) { prefixNextMeaning(); if (some(symbol.declarations, (d) => isEnumDeclaration(d) && isEnumConst(d))) { displayParts.push(keywordPart( 87 /* ConstKeyword */ )); displayParts.push(spacePart()); } displayParts.push(keywordPart( 94 /* EnumKeyword */ )); displayParts.push(spacePart()); addFullSymbolName(symbol); } if (symbolFlags & 1536 && !isThisExpression) { prefixNextMeaning(); const declaration = getDeclarationOfKind( symbol, 267 /* ModuleDeclaration */ ); const isNamespace = declaration && declaration.name && declaration.name.kind === 80; displayParts.push(keywordPart( isNamespace ? 145 : 144 /* ModuleKeyword */ )); displayParts.push(spacePart()); addFullSymbolName(symbol); } if (symbolFlags & 262144 && semanticMeaning & 2) { prefixNextMeaning(); displayParts.push(punctuationPart( 21 /* OpenParenToken */ )); displayParts.push(textPart("type parameter")); displayParts.push(punctuationPart( 22 /* CloseParenToken */ )); displayParts.push(spacePart()); addFullSymbolName(symbol); if (symbol.parent) { addInPrefix(); addFullSymbolName(symbol.parent, enclosingDeclaration); writeTypeParametersOfSymbol(symbol.parent, enclosingDeclaration); } else { const decl = getDeclarationOfKind( symbol, 168 /* TypeParameter */ ); if (decl === void 0) return Debug.fail(); const declaration = decl.parent; if (declaration) { if (isFunctionLike(declaration)) { addInPrefix(); const signature = typeChecker.getSignatureFromDeclaration(declaration); if (declaration.kind === 180) { displayParts.push(keywordPart( 105 /* NewKeyword */ )); displayParts.push(spacePart()); } else if (declaration.kind !== 179 && declaration.name) { addFullSymbolName(declaration.symbol); } addRange(displayParts, signatureToDisplayParts( typeChecker, signature, sourceFile, 32 /* WriteTypeArgumentsOfSignature */ )); } else if (isTypeAliasDeclaration(declaration)) { addInPrefix(); displayParts.push(keywordPart( 156 /* TypeKeyword */ )); displayParts.push(spacePart()); addFullSymbolName(declaration.symbol); writeTypeParametersOfSymbol(declaration.symbol, sourceFile); } } } } if (symbolFlags & 8) { symbolKind = "enum member"; addPrefixForAnyFunctionOrVar(symbol, "enum member"); const declaration = (_a = symbol.declarations) == null ? void 0 : _a[0]; if ((declaration == null ? void 0 : declaration.kind) === 306) { const constantValue = typeChecker.getConstantValue(declaration); if (constantValue !== void 0) { displayParts.push(spacePart()); displayParts.push(operatorPart( 64 /* EqualsToken */ )); displayParts.push(spacePart()); displayParts.push(displayPart( getTextOfConstantValue(constantValue), typeof constantValue === "number" ? 7 : 8 /* stringLiteral */ )); } } } if (symbol.flags & 2097152) { prefixNextMeaning(); if (!hasAddedSymbolInfo || documentation.length === 0 && tags.length === 0) { const resolvedSymbol = typeChecker.getAliasedSymbol(symbol); if (resolvedSymbol !== symbol && resolvedSymbol.declarations && resolvedSymbol.declarations.length > 0) { const resolvedNode = resolvedSymbol.declarations[0]; const declarationName = getNameOfDeclaration(resolvedNode); if (declarationName && !hasAddedSymbolInfo) { const isExternalModuleDeclaration = isModuleWithStringLiteralName(resolvedNode) && hasSyntacticModifier( resolvedNode, 128 /* Ambient */ ); const shouldUseAliasName = symbol.name !== "default" && !isExternalModuleDeclaration; const resolvedInfo = getSymbolDisplayPartsDocumentationAndSymbolKindWorker( typeChecker, resolvedSymbol, getSourceFileOfNode(resolvedNode), enclosingDeclaration, declarationName, type, semanticMeaning, shouldUseAliasName ? symbol : resolvedSymbol ); displayParts.push(...resolvedInfo.displayParts); displayParts.push(lineBreakPart()); documentationFromAlias = resolvedInfo.documentation; tagsFromAlias = resolvedInfo.tags; } else { documentationFromAlias = resolvedSymbol.getContextualDocumentationComment(resolvedNode, typeChecker); tagsFromAlias = resolvedSymbol.getJsDocTags(typeChecker); } } } if (symbol.declarations) { switch (symbol.declarations[0].kind) { case 270: displayParts.push(keywordPart( 95 /* ExportKeyword */ )); displayParts.push(spacePart()); displayParts.push(keywordPart( 145 /* NamespaceKeyword */ )); break; case 277: displayParts.push(keywordPart( 95 /* ExportKeyword */ )); displayParts.push(spacePart()); displayParts.push(keywordPart( symbol.declarations[0].isExportEquals ? 64 : 90 /* DefaultKeyword */ )); break; case 281: displayParts.push(keywordPart( 95 /* ExportKeyword */ )); break; default: displayParts.push(keywordPart( 102 /* ImportKeyword */ )); } } displayParts.push(spacePart()); addFullSymbolName(symbol); forEach(symbol.declarations, (declaration) => { if (declaration.kind === 271) { const importEqualsDeclaration = declaration; if (isExternalModuleImportEqualsDeclaration(importEqualsDeclaration)) { displayParts.push(spacePart()); displayParts.push(operatorPart( 64 /* EqualsToken */ )); displayParts.push(spacePart()); displayParts.push(keywordPart( 149 /* RequireKeyword */ )); displayParts.push(punctuationPart( 21 /* OpenParenToken */ )); displayParts.push(displayPart( getTextOfNode(getExternalModuleImportEqualsDeclarationExpression(importEqualsDeclaration)), 8 /* stringLiteral */ )); displayParts.push(punctuationPart( 22 /* CloseParenToken */ )); } else { const internalAliasSymbol = typeChecker.getSymbolAtLocation(importEqualsDeclaration.moduleReference); if (internalAliasSymbol) { displayParts.push(spacePart()); displayParts.push(operatorPart( 64 /* EqualsToken */ )); displayParts.push(spacePart()); addFullSymbolName(internalAliasSymbol, enclosingDeclaration); } } return true; } }); } if (!hasAddedSymbolInfo) { if (symbolKind !== "") { if (type) { if (isThisExpression) { prefixNextMeaning(); displayParts.push(keywordPart( 110 /* ThisKeyword */ )); } else { addPrefixForAnyFunctionOrVar(symbol, symbolKind); } if (symbolKind === "property" || symbolKind === "accessor" || symbolKind === "getter" || symbolKind === "setter" || symbolKind === "JSX attribute" || symbolFlags & 3 || symbolKind === "local var" || symbolKind === "index" || symbolKind === "using" || symbolKind === "await using" || isThisExpression) { displayParts.push(punctuationPart( 59 /* ColonToken */ )); displayParts.push(spacePart()); if (type.symbol && type.symbol.flags & 262144 && symbolKind !== "index") { const typeParameterParts = mapToDisplayParts((writer) => { const param = typeChecker.typeParameterToDeclaration(type, enclosingDeclaration, symbolDisplayNodeBuilderFlags); getPrinter().writeNode(4, param, getSourceFileOfNode(getParseTreeNode(enclosingDeclaration)), writer); }); addRange(displayParts, typeParameterParts); } else { addRange(displayParts, typeToDisplayParts(typeChecker, type, enclosingDeclaration)); } if (isTransientSymbol(symbol) && symbol.links.target && isTransientSymbol(symbol.links.target) && symbol.links.target.links.tupleLabelDeclaration) { const labelDecl = symbol.links.target.links.tupleLabelDeclaration; Debug.assertNode(labelDecl.name, isIdentifier); displayParts.push(spacePart()); displayParts.push(punctuationPart( 21 /* OpenParenToken */ )); displayParts.push(textPart(idText(labelDecl.name))); displayParts.push(punctuationPart( 22 /* CloseParenToken */ )); } } else if (symbolFlags & 16 || symbolFlags & 8192 || symbolFlags & 16384 || symbolFlags & 131072 || symbolFlags & 98304 || symbolKind === "method") { const allSignatures = type.getNonNullableType().getCallSignatures(); if (allSignatures.length) { addSignatureDisplayParts(allSignatures[0], allSignatures); hasMultipleSignatures = allSignatures.length > 1; } } } } else { symbolKind = getSymbolKind(typeChecker, symbol, location); } } if (documentation.length === 0 && !hasMultipleSignatures) { documentation = symbol.getContextualDocumentationComment(enclosingDeclaration, typeChecker); } if (documentation.length === 0 && symbolFlags & 4) { if (symbol.parent && symbol.declarations && forEach( symbol.parent.declarations, (declaration) => declaration.kind === 307 /* SourceFile */ )) { for (const declaration of symbol.declarations) { if (!declaration.parent || declaration.parent.kind !== 226) { continue; } const rhsSymbol = typeChecker.getSymbolAtLocation(declaration.parent.right); if (!rhsSymbol) { continue; } documentation = rhsSymbol.getDocumentationComment(typeChecker); tags = rhsSymbol.getJsDocTags(typeChecker); if (documentation.length > 0) { break; } } } } if (documentation.length === 0 && isIdentifier(location) && symbol.valueDeclaration && isBindingElement(symbol.valueDeclaration)) { const declaration = symbol.valueDeclaration; const parent2 = declaration.parent; const name = declaration.propertyName || declaration.name; if (isIdentifier(name) && isObjectBindingPattern(parent2)) { const propertyName = getTextOfIdentifierOrLiteral(name); const objectType2 = typeChecker.getTypeAtLocation(parent2); documentation = firstDefined(objectType2.isUnion() ? objectType2.types : [objectType2], (t) => { const prop = t.getProperty(propertyName); return prop ? prop.getDocumentationComment(typeChecker) : void 0; }) || emptyArray; } } if (tags.length === 0 && !hasMultipleSignatures) { tags = symbol.getContextualJsDocTags(enclosingDeclaration, typeChecker); } if (documentation.length === 0 && documentationFromAlias) { documentation = documentationFromAlias; } if (tags.length === 0 && tagsFromAlias) { tags = tagsFromAlias; } return { displayParts, documentation, symbolKind, tags: tags.length === 0 ? void 0 : tags }; function getPrinter() { return createPrinterWithRemoveComments(); } function prefixNextMeaning() { if (displayParts.length) { displayParts.push(lineBreakPart()); } addAliasPrefixIfNecessary(); } function addAliasPrefixIfNecessary() { if (alias) { pushSymbolKind( "alias" /* alias */ ); displayParts.push(spacePart()); } } function addInPrefix() { displayParts.push(spacePart()); displayParts.push(keywordPart( 103 /* InKeyword */ )); displayParts.push(spacePart()); } function addFullSymbolName(symbolToDisplay, enclosingDeclaration2) { let indexInfos; if (alias && symbolToDisplay === symbol) { symbolToDisplay = alias; } if (symbolKind === "index") { indexInfos = typeChecker.getIndexInfosOfIndexSymbol(symbolToDisplay); } let fullSymbolDisplayParts = []; if (symbolToDisplay.flags & 131072 && indexInfos) { if (symbolToDisplay.parent) { fullSymbolDisplayParts = symbolToDisplayParts(typeChecker, symbolToDisplay.parent); } fullSymbolDisplayParts.push(punctuationPart( 23 /* OpenBracketToken */ )); indexInfos.forEach((info, i) => { fullSymbolDisplayParts.push(...typeToDisplayParts(typeChecker, info.keyType)); if (i !== indexInfos.length - 1) { fullSymbolDisplayParts.push(spacePart()); fullSymbolDisplayParts.push(punctuationPart( 52 /* BarToken */ )); fullSymbolDisplayParts.push(spacePart()); } }); fullSymbolDisplayParts.push(punctuationPart( 24 /* CloseBracketToken */ )); } else { fullSymbolDisplayParts = symbolToDisplayParts( typeChecker, symbolToDisplay, enclosingDeclaration2 || sourceFile, /*meaning*/ void 0, 1 | 2 | 4 /* AllowAnyNodeKind */ ); } addRange(displayParts, fullSymbolDisplayParts); if (symbol.flags & 16777216) { displayParts.push(punctuationPart( 58 /* QuestionToken */ )); } } function addPrefixForAnyFunctionOrVar(symbol2, symbolKind2) { prefixNextMeaning(); if (symbolKind2) { pushSymbolKind(symbolKind2); if (symbol2 && !some(symbol2.declarations, (d) => isArrowFunction(d) || (isFunctionExpression(d) || isClassExpression(d)) && !d.name)) { displayParts.push(spacePart()); addFullSymbolName(symbol2); } } } function pushSymbolKind(symbolKind2) { switch (symbolKind2) { case "var": case "function": case "let": case "const": case "constructor": case "using": case "await using": displayParts.push(textOrKeywordPart(symbolKind2)); return; default: displayParts.push(punctuationPart( 21 /* OpenParenToken */ )); displayParts.push(textOrKeywordPart(symbolKind2)); displayParts.push(punctuationPart( 22 /* CloseParenToken */ )); return; } } function addSignatureDisplayParts(signature, allSignatures, flags = 0) { addRange(displayParts, signatureToDisplayParts( typeChecker, signature, enclosingDeclaration, flags | 32 /* WriteTypeArgumentsOfSignature */ )); if (allSignatures.length > 1) { displayParts.push(spacePart()); displayParts.push(punctuationPart( 21 /* OpenParenToken */ )); displayParts.push(operatorPart( 40 /* PlusToken */ )); displayParts.push(displayPart( (allSignatures.length - 1).toString(), 7 /* numericLiteral */ )); displayParts.push(spacePart()); displayParts.push(textPart(allSignatures.length === 2 ? "overload" : "overloads")); displayParts.push(punctuationPart( 22 /* CloseParenToken */ )); } documentation = signature.getDocumentationComment(typeChecker); tags = signature.getJsDocTags(); if (allSignatures.length > 1 && documentation.length === 0 && tags.length === 0) { documentation = allSignatures[0].getDocumentationComment(typeChecker); tags = allSignatures[0].getJsDocTags().filter((tag) => tag.name !== "deprecated"); } } function writeTypeParametersOfSymbol(symbol2, enclosingDeclaration2) { const typeParameterParts = mapToDisplayParts((writer) => { const params = typeChecker.symbolToTypeParameterDeclarations(symbol2, enclosingDeclaration2, symbolDisplayNodeBuilderFlags); getPrinter().writeList(53776, params, getSourceFileOfNode(getParseTreeNode(enclosingDeclaration2)), writer); }); addRange(displayParts, typeParameterParts); } } function getSymbolDisplayPartsDocumentationAndSymbolKind(typeChecker, symbol, sourceFile, enclosingDeclaration, location, semanticMeaning = getMeaningFromLocation(location), alias) { return getSymbolDisplayPartsDocumentationAndSymbolKindWorker( typeChecker, symbol, sourceFile, enclosingDeclaration, location, /*type*/ void 0, semanticMeaning, alias ); } function isLocalVariableOrFunction(symbol) { if (symbol.parent) { return false; } return forEach(symbol.declarations, (declaration) => { if (declaration.kind === 218) { return true; } if (declaration.kind !== 260 && declaration.kind !== 262) { return false; } for (let parent2 = declaration.parent; !isFunctionBlock(parent2); parent2 = parent2.parent) { if (parent2.kind === 307 || parent2.kind === 268) { return false; } } return true; }); } var ts_textChanges_exports = {}; __export2(ts_textChanges_exports, { ChangeTracker: () => ChangeTracker, LeadingTriviaOption: () => LeadingTriviaOption, TrailingTriviaOption: () => TrailingTriviaOption, applyChanges: () => applyChanges, assignPositionsToNode: () => assignPositionsToNode, createWriter: () => createWriter, deleteNode: () => deleteNode, isThisTypeAnnotatable: () => isThisTypeAnnotatable, isValidLocationToAddComment: () => isValidLocationToAddComment }); function getPos2(n) { const result = n.__pos; Debug.assert(typeof result === "number"); return result; } function setPos(n, pos) { Debug.assert(typeof pos === "number"); n.__pos = pos; } function getEnd(n) { const result = n.__end; Debug.assert(typeof result === "number"); return result; } function setEnd(n, end) { Debug.assert(typeof end === "number"); n.__end = end; } var LeadingTriviaOption = /* @__PURE__ */ ((LeadingTriviaOption2) => { LeadingTriviaOption2[LeadingTriviaOption2["Exclude"] = 0] = "Exclude"; LeadingTriviaOption2[LeadingTriviaOption2["IncludeAll"] = 1] = "IncludeAll"; LeadingTriviaOption2[LeadingTriviaOption2["JSDoc"] = 2] = "JSDoc"; LeadingTriviaOption2[LeadingTriviaOption2["StartLine"] = 3] = "StartLine"; return LeadingTriviaOption2; })(LeadingTriviaOption || {}); var TrailingTriviaOption = /* @__PURE__ */ ((TrailingTriviaOption2) => { TrailingTriviaOption2[TrailingTriviaOption2["Exclude"] = 0] = "Exclude"; TrailingTriviaOption2[TrailingTriviaOption2["ExcludeWhitespace"] = 1] = "ExcludeWhitespace"; TrailingTriviaOption2[TrailingTriviaOption2["Include"] = 2] = "Include"; return TrailingTriviaOption2; })(TrailingTriviaOption || {}); function skipWhitespacesAndLineBreaks(text, start) { return skipTrivia( text, start, /*stopAfterLineBreak*/ false, /*stopAtComments*/ true ); } function hasCommentsBeforeLineBreak(text, start) { let i = start; while (i < text.length) { const ch = text.charCodeAt(i); if (isWhiteSpaceSingleLine(ch)) { i++; continue; } return ch === 47; } return false; } var useNonAdjustedPositions = { leadingTriviaOption: 0, trailingTriviaOption: 0 /* Exclude */ }; function getAdjustedRange(sourceFile, startNode2, endNode2, options) { return { pos: getAdjustedStartPosition(sourceFile, startNode2, options), end: getAdjustedEndPosition(sourceFile, endNode2, options) }; } function getAdjustedStartPosition(sourceFile, node, options, hasTrailingComment = false) { var _a, _b; const { leadingTriviaOption } = options; if (leadingTriviaOption === 0) { return node.getStart(sourceFile); } if (leadingTriviaOption === 3) { const startPos = node.getStart(sourceFile); const pos = getLineStartPositionForPosition(startPos, sourceFile); return rangeContainsPosition(node, pos) ? pos : startPos; } if (leadingTriviaOption === 2) { const JSDocComments = getJSDocCommentRanges(node, sourceFile.text); if (JSDocComments == null ? void 0 : JSDocComments.length) { return getLineStartPositionForPosition(JSDocComments[0].pos, sourceFile); } } const fullStart = node.getFullStart(); const start = node.getStart(sourceFile); if (fullStart === start) { return start; } const fullStartLine = getLineStartPositionForPosition(fullStart, sourceFile); const startLine = getLineStartPositionForPosition(start, sourceFile); if (startLine === fullStartLine) { return leadingTriviaOption === 1 ? fullStart : start; } if (hasTrailingComment) { const comment = ((_a = getLeadingCommentRanges(sourceFile.text, fullStart)) == null ? void 0 : _a[0]) || ((_b = getTrailingCommentRanges(sourceFile.text, fullStart)) == null ? void 0 : _b[0]); if (comment) { return skipTrivia( sourceFile.text, comment.end, /*stopAfterLineBreak*/ true, /*stopAtComments*/ true ); } } const nextLineStart = fullStart > 0 ? 1 : 0; let adjustedStartPosition = getStartPositionOfLine(getLineOfLocalPosition(sourceFile, fullStartLine) + nextLineStart, sourceFile); adjustedStartPosition = skipWhitespacesAndLineBreaks(sourceFile.text, adjustedStartPosition); return getStartPositionOfLine(getLineOfLocalPosition(sourceFile, adjustedStartPosition), sourceFile); } function getEndPositionOfMultilineTrailingComment(sourceFile, node, options) { const { end } = node; const { trailingTriviaOption } = options; if (trailingTriviaOption === 2) { const comments = getTrailingCommentRanges(sourceFile.text, end); if (comments) { const nodeEndLine = getLineOfLocalPosition(sourceFile, node.end); for (const comment of comments) { if (comment.kind === 2 || getLineOfLocalPosition(sourceFile, comment.pos) > nodeEndLine) { break; } const commentEndLine = getLineOfLocalPosition(sourceFile, comment.end); if (commentEndLine > nodeEndLine) { return skipTrivia( sourceFile.text, comment.end, /*stopAfterLineBreak*/ true, /*stopAtComments*/ true ); } } } } return void 0; } function getAdjustedEndPosition(sourceFile, node, options) { var _a; const { end } = node; const { trailingTriviaOption } = options; if (trailingTriviaOption === 0) { return end; } if (trailingTriviaOption === 1) { const comments = concatenate(getTrailingCommentRanges(sourceFile.text, end), getLeadingCommentRanges(sourceFile.text, end)); const realEnd = (_a = comments == null ? void 0 : comments[comments.length - 1]) == null ? void 0 : _a.end; if (realEnd) { return realEnd; } return end; } const multilineEndPosition = getEndPositionOfMultilineTrailingComment(sourceFile, node, options); if (multilineEndPosition) { return multilineEndPosition; } const newEnd = skipTrivia( sourceFile.text, end, /*stopAfterLineBreak*/ true ); return newEnd !== end && (trailingTriviaOption === 2 || isLineBreak(sourceFile.text.charCodeAt(newEnd - 1))) ? newEnd : end; } function isSeparator(node, candidate) { return !!candidate && !!node.parent && (candidate.kind === 28 || candidate.kind === 27 && node.parent.kind === 210); } function isThisTypeAnnotatable(containingFunction) { return isFunctionExpression(containingFunction) || isFunctionDeclaration(containingFunction); } var ChangeTracker = class _ChangeTracker { /** Public for tests only. Other callers should use `ChangeTracker.with`. */ constructor(newLineCharacter, formatContext) { this.newLineCharacter = newLineCharacter; this.formatContext = formatContext; this.changes = []; this.classesWithNodesInsertedAtStart = /* @__PURE__ */ new Map(); this.deletedNodes = []; } static fromContext(context) { return new _ChangeTracker(getNewLineOrDefaultFromHost(context.host, context.formatContext.options), context.formatContext); } static with(context, cb) { const tracker2 = _ChangeTracker.fromContext(context); cb(tracker2); return tracker2.getChanges(); } pushRaw(sourceFile, change) { Debug.assertEqual(sourceFile.fileName, change.fileName); for (const c of change.textChanges) { this.changes.push({ kind: 3, sourceFile, text: c.newText, range: createTextRangeFromSpan(c.span) }); } } deleteRange(sourceFile, range) { this.changes.push({ kind: 0, sourceFile, range }); } delete(sourceFile, node) { this.deletedNodes.push({ sourceFile, node }); } /** Stop! Consider using `delete` instead, which has logic for deleting nodes from delimited lists. */ deleteNode(sourceFile, node, options = { leadingTriviaOption: 1 /* IncludeAll */ }) { this.deleteRange(sourceFile, getAdjustedRange(sourceFile, node, node, options)); } deleteNodes(sourceFile, nodes, options = { leadingTriviaOption: 1 /* IncludeAll */ }, hasTrailingComment) { for (const node of nodes) { const pos = getAdjustedStartPosition(sourceFile, node, options, hasTrailingComment); const end = getAdjustedEndPosition(sourceFile, node, options); this.deleteRange(sourceFile, { pos, end }); hasTrailingComment = !!getEndPositionOfMultilineTrailingComment(sourceFile, node, options); } } deleteModifier(sourceFile, modifier) { this.deleteRange(sourceFile, { pos: modifier.getStart(sourceFile), end: skipTrivia( sourceFile.text, modifier.end, /*stopAfterLineBreak*/ true ) }); } deleteNodeRange(sourceFile, startNode2, endNode2, options = { leadingTriviaOption: 1 /* IncludeAll */ }) { const startPosition = getAdjustedStartPosition(sourceFile, startNode2, options); const endPosition = getAdjustedEndPosition(sourceFile, endNode2, options); this.deleteRange(sourceFile, { pos: startPosition, end: endPosition }); } deleteNodeRangeExcludingEnd(sourceFile, startNode2, afterEndNode, options = { leadingTriviaOption: 1 /* IncludeAll */ }) { const startPosition = getAdjustedStartPosition(sourceFile, startNode2, options); const endPosition = afterEndNode === void 0 ? sourceFile.text.length : getAdjustedStartPosition(sourceFile, afterEndNode, options); this.deleteRange(sourceFile, { pos: startPosition, end: endPosition }); } replaceRange(sourceFile, range, newNode, options = {}) { this.changes.push({ kind: 1, sourceFile, range, options, node: newNode }); } replaceNode(sourceFile, oldNode, newNode, options = useNonAdjustedPositions) { this.replaceRange(sourceFile, getAdjustedRange(sourceFile, oldNode, oldNode, options), newNode, options); } replaceNodeRange(sourceFile, startNode2, endNode2, newNode, options = useNonAdjustedPositions) { this.replaceRange(sourceFile, getAdjustedRange(sourceFile, startNode2, endNode2, options), newNode, options); } replaceRangeWithNodes(sourceFile, range, newNodes, options = {}) { this.changes.push({ kind: 2, sourceFile, range, options, nodes: newNodes }); } replaceNodeWithNodes(sourceFile, oldNode, newNodes, options = useNonAdjustedPositions) { this.replaceRangeWithNodes(sourceFile, getAdjustedRange(sourceFile, oldNode, oldNode, options), newNodes, options); } replaceNodeWithText(sourceFile, oldNode, text) { this.replaceRangeWithText(sourceFile, getAdjustedRange(sourceFile, oldNode, oldNode, useNonAdjustedPositions), text); } replaceNodeRangeWithNodes(sourceFile, startNode2, endNode2, newNodes, options = useNonAdjustedPositions) { this.replaceRangeWithNodes(sourceFile, getAdjustedRange(sourceFile, startNode2, endNode2, options), newNodes, options); } nodeHasTrailingComment(sourceFile, oldNode, configurableEnd = useNonAdjustedPositions) { return !!getEndPositionOfMultilineTrailingComment(sourceFile, oldNode, configurableEnd); } nextCommaToken(sourceFile, node) { const next = findNextToken(node, node.parent, sourceFile); return next && next.kind === 28 ? next : void 0; } replacePropertyAssignment(sourceFile, oldNode, newNode) { const suffix = this.nextCommaToken(sourceFile, oldNode) ? "" : "," + this.newLineCharacter; this.replaceNode(sourceFile, oldNode, newNode, { suffix }); } insertNodeAt(sourceFile, pos, newNode, options = {}) { this.replaceRange(sourceFile, createRange(pos), newNode, options); } insertNodesAt(sourceFile, pos, newNodes, options = {}) { this.replaceRangeWithNodes(sourceFile, createRange(pos), newNodes, options); } insertNodeAtTopOfFile(sourceFile, newNode, blankLineBetween) { this.insertAtTopOfFile(sourceFile, newNode, blankLineBetween); } insertNodesAtTopOfFile(sourceFile, newNodes, blankLineBetween) { this.insertAtTopOfFile(sourceFile, newNodes, blankLineBetween); } insertAtTopOfFile(sourceFile, insert, blankLineBetween) { const pos = getInsertionPositionAtSourceFileTop(sourceFile); const options = { prefix: pos === 0 ? void 0 : this.newLineCharacter, suffix: (isLineBreak(sourceFile.text.charCodeAt(pos)) ? "" : this.newLineCharacter) + (blankLineBetween ? this.newLineCharacter : "") }; if (isArray3(insert)) { this.insertNodesAt(sourceFile, pos, insert, options); } else { this.insertNodeAt(sourceFile, pos, insert, options); } } insertNodesAtEndOfFile(sourceFile, newNodes, blankLineBetween) { this.insertAtEndOfFile(sourceFile, newNodes, blankLineBetween); } insertAtEndOfFile(sourceFile, insert, blankLineBetween) { const pos = sourceFile.end + 1; const options = { prefix: this.newLineCharacter, suffix: this.newLineCharacter + (blankLineBetween ? this.newLineCharacter : "") }; this.insertNodesAt(sourceFile, pos, insert, options); } insertStatementsInNewFile(fileName, statements, oldFile) { if (!this.newFileChanges) { this.newFileChanges = createMultiMap(); } this.newFileChanges.add(fileName, { oldFile, statements }); } insertFirstParameter(sourceFile, parameters, newParam) { const p0 = firstOrUndefined(parameters); if (p0) { this.insertNodeBefore(sourceFile, p0, newParam); } else { this.insertNodeAt(sourceFile, parameters.pos, newParam); } } insertNodeBefore(sourceFile, before, newNode, blankLineBetween = false, options = {}) { this.insertNodeAt(sourceFile, getAdjustedStartPosition(sourceFile, before, options), newNode, this.getOptionsForInsertNodeBefore(before, newNode, blankLineBetween)); } insertNodesBefore(sourceFile, before, newNodes, blankLineBetween = false, options = {}) { this.insertNodesAt(sourceFile, getAdjustedStartPosition(sourceFile, before, options), newNodes, this.getOptionsForInsertNodeBefore(before, first(newNodes), blankLineBetween)); } insertModifierAt(sourceFile, pos, modifier, options = {}) { this.insertNodeAt(sourceFile, pos, factory.createToken(modifier), options); } insertModifierBefore(sourceFile, modifier, before) { return this.insertModifierAt(sourceFile, before.getStart(sourceFile), modifier, { suffix: " " }); } insertCommentBeforeLine(sourceFile, lineNumber, position, commentText) { const lineStartPosition = getStartPositionOfLine(lineNumber, sourceFile); const startPosition = getFirstNonSpaceCharacterPosition(sourceFile.text, lineStartPosition); const insertAtLineStart = isValidLocationToAddComment(sourceFile, startPosition); const token = getTouchingToken(sourceFile, insertAtLineStart ? startPosition : position); const indent3 = sourceFile.text.slice(lineStartPosition, startPosition); const text = `${insertAtLineStart ? "" : this.newLineCharacter}//${commentText}${this.newLineCharacter}${indent3}`; this.insertText(sourceFile, token.getStart(sourceFile), text); } insertJsdocCommentBefore(sourceFile, node, tag) { const fnStart = node.getStart(sourceFile); if (node.jsDoc) { for (const jsdoc of node.jsDoc) { this.deleteRange(sourceFile, { pos: getLineStartPositionForPosition(jsdoc.getStart(sourceFile), sourceFile), end: getAdjustedEndPosition( sourceFile, jsdoc, /*options*/ {} ) }); } } const startPosition = getPrecedingNonSpaceCharacterPosition(sourceFile.text, fnStart - 1); const indent3 = sourceFile.text.slice(startPosition, fnStart); this.insertNodeAt(sourceFile, fnStart, tag, { suffix: this.newLineCharacter + indent3 }); } createJSDocText(sourceFile, node) { const comments = flatMap(node.jsDoc, (jsDoc2) => isString2(jsDoc2.comment) ? factory.createJSDocText(jsDoc2.comment) : jsDoc2.comment); const jsDoc = singleOrUndefined(node.jsDoc); return jsDoc && positionsAreOnSameLine(jsDoc.pos, jsDoc.end, sourceFile) && length(comments) === 0 ? void 0 : factory.createNodeArray(intersperse(comments, factory.createJSDocText("\n"))); } replaceJSDocComment(sourceFile, node, tags) { this.insertJsdocCommentBefore(sourceFile, updateJSDocHost(node), factory.createJSDocComment(this.createJSDocText(sourceFile, node), factory.createNodeArray(tags))); } addJSDocTags(sourceFile, parent2, newTags) { const oldTags = flatMapToMutable(parent2.jsDoc, (j) => j.tags); const unmergedNewTags = newTags.filter( (newTag) => !oldTags.some((tag, i) => { const merged = tryMergeJsdocTags(tag, newTag); if (merged) oldTags[i] = merged; return !!merged; }) ); this.replaceJSDocComment(sourceFile, parent2, [...oldTags, ...unmergedNewTags]); } filterJSDocTags(sourceFile, parent2, predicate) { this.replaceJSDocComment(sourceFile, parent2, filter(flatMapToMutable(parent2.jsDoc, (j) => j.tags), predicate)); } replaceRangeWithText(sourceFile, range, text) { this.changes.push({ kind: 3, sourceFile, range, text }); } insertText(sourceFile, pos, text) { this.replaceRangeWithText(sourceFile, createRange(pos), text); } /** Prefer this over replacing a node with another that has a type annotation, as it avoids reformatting the other parts of the node. */ tryInsertTypeAnnotation(sourceFile, node, type) { let endNode2; if (isFunctionLike(node)) { endNode2 = findChildOfKind(node, 22, sourceFile); if (!endNode2) { if (!isArrowFunction(node)) return false; endNode2 = first(node.parameters); } } else { endNode2 = (node.kind === 260 ? node.exclamationToken : node.questionToken) ?? node.name; } this.insertNodeAt(sourceFile, endNode2.end, type, { prefix: ": " }); return true; } tryInsertThisTypeAnnotation(sourceFile, node, type) { const start = findChildOfKind(node, 21, sourceFile).getStart(sourceFile) + 1; const suffix = node.parameters.length ? ", " : ""; this.insertNodeAt(sourceFile, start, type, { prefix: "this: ", suffix }); } insertTypeParameters(sourceFile, node, typeParameters) { const start = (findChildOfKind(node, 21, sourceFile) || first(node.parameters)).getStart(sourceFile); this.insertNodesAt(sourceFile, start, typeParameters, { prefix: "<", suffix: ">", joiner: ", " }); } getOptionsForInsertNodeBefore(before, inserted, blankLineBetween) { if (isStatement(before) || isClassElement(before)) { return { suffix: blankLineBetween ? this.newLineCharacter + this.newLineCharacter : this.newLineCharacter }; } else if (isVariableDeclaration(before)) { return { suffix: ", " }; } else if (isParameter(before)) { return isParameter(inserted) ? { suffix: ", " } : {}; } else if (isStringLiteral2(before) && isImportDeclaration(before.parent) || isNamedImports(before)) { return { suffix: ", " }; } else if (isImportSpecifier(before)) { return { suffix: "," + (blankLineBetween ? this.newLineCharacter : " ") }; } return Debug.failBadSyntaxKind(before); } insertNodeAtConstructorStart(sourceFile, ctr, newStatement) { const firstStatement = firstOrUndefined(ctr.body.statements); if (!firstStatement || !ctr.body.multiLine) { this.replaceConstructorBody(sourceFile, ctr, [newStatement, ...ctr.body.statements]); } else { this.insertNodeBefore(sourceFile, firstStatement, newStatement); } } insertNodeAtConstructorStartAfterSuperCall(sourceFile, ctr, newStatement) { const superCallStatement = find(ctr.body.statements, (stmt) => isExpressionStatement2(stmt) && isSuperCall(stmt.expression)); if (!superCallStatement || !ctr.body.multiLine) { this.replaceConstructorBody(sourceFile, ctr, [...ctr.body.statements, newStatement]); } else { this.insertNodeAfter(sourceFile, superCallStatement, newStatement); } } insertNodeAtConstructorEnd(sourceFile, ctr, newStatement) { const lastStatement = lastOrUndefined(ctr.body.statements); if (!lastStatement || !ctr.body.multiLine) { this.replaceConstructorBody(sourceFile, ctr, [...ctr.body.statements, newStatement]); } else { this.insertNodeAfter(sourceFile, lastStatement, newStatement); } } replaceConstructorBody(sourceFile, ctr, statements) { this.replaceNode(sourceFile, ctr.body, factory.createBlock( statements, /*multiLine*/ true )); } insertNodeAtEndOfScope(sourceFile, scope, newNode) { const pos = getAdjustedStartPosition(sourceFile, scope.getLastToken(), {}); this.insertNodeAt(sourceFile, pos, newNode, { prefix: isLineBreak(sourceFile.text.charCodeAt(scope.getLastToken().pos)) ? this.newLineCharacter : this.newLineCharacter + this.newLineCharacter, suffix: this.newLineCharacter }); } insertMemberAtStart(sourceFile, node, newElement) { this.insertNodeAtStartWorker(sourceFile, node, newElement); } insertNodeAtObjectStart(sourceFile, obj, newElement) { this.insertNodeAtStartWorker(sourceFile, obj, newElement); } insertNodeAtStartWorker(sourceFile, node, newElement) { const indentation = this.guessIndentationFromExistingMembers(sourceFile, node) ?? this.computeIndentationForNewMember(sourceFile, node); this.insertNodeAt(sourceFile, getMembersOrProperties(node).pos, newElement, this.getInsertNodeAtStartInsertOptions(sourceFile, node, indentation)); } /** * Tries to guess the indentation from the existing members of a class/interface/object. All members must be on * new lines and must share the same indentation. */ guessIndentationFromExistingMembers(sourceFile, node) { let indentation; let lastRange = node; for (const member of getMembersOrProperties(node)) { if (rangeStartPositionsAreOnSameLine(lastRange, member, sourceFile)) { return void 0; } const memberStart = member.getStart(sourceFile); const memberIndentation = ts_formatting_exports.SmartIndenter.findFirstNonWhitespaceColumn(getLineStartPositionForPosition(memberStart, sourceFile), memberStart, sourceFile, this.formatContext.options); if (indentation === void 0) { indentation = memberIndentation; } else if (memberIndentation !== indentation) { return void 0; } lastRange = member; } return indentation; } computeIndentationForNewMember(sourceFile, node) { const nodeStart = node.getStart(sourceFile); return ts_formatting_exports.SmartIndenter.findFirstNonWhitespaceColumn(getLineStartPositionForPosition(nodeStart, sourceFile), nodeStart, sourceFile, this.formatContext.options) + (this.formatContext.options.indentSize ?? 4); } getInsertNodeAtStartInsertOptions(sourceFile, node, indentation) { const members = getMembersOrProperties(node); const isEmpty2 = members.length === 0; const isFirstInsertion = addToSeen(this.classesWithNodesInsertedAtStart, getNodeId(node), { node, sourceFile }); const insertTrailingComma = isObjectLiteralExpression(node) && (!isJsonSourceFile(sourceFile) || !isEmpty2); const insertLeadingComma = isObjectLiteralExpression(node) && isJsonSourceFile(sourceFile) && isEmpty2 && !isFirstInsertion; return { indentation, prefix: (insertLeadingComma ? "," : "") + this.newLineCharacter, suffix: insertTrailingComma ? "," : isInterfaceDeclaration(node) && isEmpty2 ? ";" : "" }; } insertNodeAfterComma(sourceFile, after, newNode) { const endPosition = this.insertNodeAfterWorker(sourceFile, this.nextCommaToken(sourceFile, after) || after, newNode); this.insertNodeAt(sourceFile, endPosition, newNode, this.getInsertNodeAfterOptions(sourceFile, after)); } insertNodeAfter(sourceFile, after, newNode) { const endPosition = this.insertNodeAfterWorker(sourceFile, after, newNode); this.insertNodeAt(sourceFile, endPosition, newNode, this.getInsertNodeAfterOptions(sourceFile, after)); } insertNodeAtEndOfList(sourceFile, list, newNode) { this.insertNodeAt(sourceFile, list.end, newNode, { prefix: ", " }); } insertNodesAfter(sourceFile, after, newNodes) { const endPosition = this.insertNodeAfterWorker(sourceFile, after, first(newNodes)); this.insertNodesAt(sourceFile, endPosition, newNodes, this.getInsertNodeAfterOptions(sourceFile, after)); } insertNodeAfterWorker(sourceFile, after, newNode) { if (needSemicolonBetween(after, newNode)) { if (sourceFile.text.charCodeAt(after.end - 1) !== 59) { this.replaceRange(sourceFile, createRange(after.end), factory.createToken( 27 /* SemicolonToken */ )); } } const endPosition = getAdjustedEndPosition(sourceFile, after, {}); return endPosition; } getInsertNodeAfterOptions(sourceFile, after) { const options = this.getInsertNodeAfterOptionsWorker(after); return { ...options, prefix: after.end === sourceFile.end && isStatement(after) ? options.prefix ? ` ${options.prefix}` : "\n" : options.prefix }; } getInsertNodeAfterOptionsWorker(node) { switch (node.kind) { case 263: case 267: return { prefix: this.newLineCharacter, suffix: this.newLineCharacter }; case 260: case 11: case 80: return { prefix: ", " }; case 303: return { suffix: "," + this.newLineCharacter }; case 95: return { prefix: " " }; case 169: return {}; default: Debug.assert(isStatement(node) || isClassOrTypeElement(node)); return { suffix: this.newLineCharacter }; } } insertName(sourceFile, node, name) { Debug.assert(!node.name); if (node.kind === 219) { const arrow = findChildOfKind(node, 39, sourceFile); const lparen = findChildOfKind(node, 21, sourceFile); if (lparen) { this.insertNodesAt(sourceFile, lparen.getStart(sourceFile), [factory.createToken( 100 /* FunctionKeyword */ ), factory.createIdentifier(name)], { joiner: " " }); deleteNode(this, sourceFile, arrow); } else { this.insertText(sourceFile, first(node.parameters).getStart(sourceFile), `function ${name}(`); this.replaceRange(sourceFile, arrow, factory.createToken( 22 /* CloseParenToken */ )); } if (node.body.kind !== 241) { this.insertNodesAt(sourceFile, node.body.getStart(sourceFile), [factory.createToken( 19 /* OpenBraceToken */ ), factory.createToken( 107 /* ReturnKeyword */ )], { joiner: " ", suffix: " " }); this.insertNodesAt(sourceFile, node.body.end, [factory.createToken( 27 /* SemicolonToken */ ), factory.createToken( 20 /* CloseBraceToken */ )], { joiner: " " }); } } else { const pos = findChildOfKind(node, node.kind === 218 ? 100 : 86, sourceFile).end; this.insertNodeAt(sourceFile, pos, factory.createIdentifier(name), { prefix: " " }); } } insertExportModifier(sourceFile, node) { this.insertText(sourceFile, node.getStart(sourceFile), "export "); } insertImportSpecifierAtIndex(sourceFile, importSpecifier, namedImports, index) { const prevSpecifier = namedImports.elements[index - 1]; if (prevSpecifier) { this.insertNodeInListAfter(sourceFile, prevSpecifier, importSpecifier); } else { this.insertNodeBefore( sourceFile, namedImports.elements[0], importSpecifier, !positionsAreOnSameLine(namedImports.elements[0].getStart(), namedImports.parent.parent.getStart(), sourceFile) ); } } /** * This function should be used to insert nodes in lists when nodes don't carry separators as the part of the node range, * i.e. arguments in arguments lists, parameters in parameter lists etc. * Note that separators are part of the node in statements and class elements. */ insertNodeInListAfter(sourceFile, after, newNode, containingList = ts_formatting_exports.SmartIndenter.getContainingList(after, sourceFile)) { if (!containingList) { Debug.fail("node is not a list element"); return; } const index = indexOfNode(containingList, after); if (index < 0) { return; } const end = after.getEnd(); if (index !== containingList.length - 1) { const nextToken = getTokenAtPosition(sourceFile, after.end); if (nextToken && isSeparator(after, nextToken)) { const nextNode = containingList[index + 1]; const startPos = skipWhitespacesAndLineBreaks(sourceFile.text, nextNode.getFullStart()); const suffix = `${tokenToString(nextToken.kind)}${sourceFile.text.substring(nextToken.end, startPos)}`; this.insertNodesAt(sourceFile, startPos, [newNode], { suffix }); } } else { const afterStart = after.getStart(sourceFile); const afterStartLinePosition = getLineStartPositionForPosition(afterStart, sourceFile); let separator; let multilineList = false; if (containingList.length === 1) { separator = 28; } else { const tokenBeforeInsertPosition = findPrecedingToken(after.pos, sourceFile); separator = isSeparator(after, tokenBeforeInsertPosition) ? tokenBeforeInsertPosition.kind : 28; const afterMinusOneStartLinePosition = getLineStartPositionForPosition(containingList[index - 1].getStart(sourceFile), sourceFile); multilineList = afterMinusOneStartLinePosition !== afterStartLinePosition; } if (hasCommentsBeforeLineBreak(sourceFile.text, after.end) || !positionsAreOnSameLine(containingList.pos, containingList.end, sourceFile)) { multilineList = true; } if (multilineList) { this.replaceRange(sourceFile, createRange(end), factory.createToken(separator)); const indentation = ts_formatting_exports.SmartIndenter.findFirstNonWhitespaceColumn(afterStartLinePosition, afterStart, sourceFile, this.formatContext.options); let insertPos = skipTrivia( sourceFile.text, end, /*stopAfterLineBreak*/ true, /*stopAtComments*/ false ); while (insertPos !== end && isLineBreak(sourceFile.text.charCodeAt(insertPos - 1))) { insertPos--; } this.replaceRange(sourceFile, createRange(insertPos), newNode, { indentation, prefix: this.newLineCharacter }); } else { this.replaceRange(sourceFile, createRange(end), newNode, { prefix: `${tokenToString(separator)} ` }); } } } parenthesizeExpression(sourceFile, expression) { this.replaceRange(sourceFile, rangeOfNode(expression), factory.createParenthesizedExpression(expression)); } finishClassesWithNodesInsertedAtStart() { this.classesWithNodesInsertedAtStart.forEach(({ node, sourceFile }) => { const [openBraceEnd, closeBraceEnd] = getClassOrObjectBraceEnds(node, sourceFile); if (openBraceEnd !== void 0 && closeBraceEnd !== void 0) { const isEmpty2 = getMembersOrProperties(node).length === 0; const isSingleLine = positionsAreOnSameLine(openBraceEnd, closeBraceEnd, sourceFile); if (isEmpty2 && isSingleLine && openBraceEnd !== closeBraceEnd - 1) { this.deleteRange(sourceFile, createRange(openBraceEnd, closeBraceEnd - 1)); } if (isSingleLine) { this.insertText(sourceFile, closeBraceEnd - 1, this.newLineCharacter); } } }); } finishDeleteDeclarations() { const deletedNodesInLists = /* @__PURE__ */ new Set(); for (const { sourceFile, node } of this.deletedNodes) { if (!this.deletedNodes.some((d) => d.sourceFile === sourceFile && rangeContainsRangeExclusive(d.node, node))) { if (isArray3(node)) { this.deleteRange(sourceFile, rangeOfTypeParameters(sourceFile, node)); } else { deleteDeclaration.deleteDeclaration(this, deletedNodesInLists, sourceFile, node); } } } deletedNodesInLists.forEach((node) => { const sourceFile = node.getSourceFile(); const list = ts_formatting_exports.SmartIndenter.getContainingList(node, sourceFile); if (node !== last(list)) return; const lastNonDeletedIndex = findLastIndex(list, (n) => !deletedNodesInLists.has(n), list.length - 2); if (lastNonDeletedIndex !== -1) { this.deleteRange(sourceFile, { pos: list[lastNonDeletedIndex].end, end: startPositionToDeleteNodeInList(sourceFile, list[lastNonDeletedIndex + 1]) }); } }); } /** * Note: after calling this, the TextChanges object must be discarded! * @param validate only for tests * The reason we must validate as part of this method is that `getNonFormattedText` changes the node's positions, * so we can only call this once and can't get the non-formatted text separately. */ getChanges(validate) { this.finishDeleteDeclarations(); this.finishClassesWithNodesInsertedAtStart(); const changes = changesToText.getTextChangesFromChanges(this.changes, this.newLineCharacter, this.formatContext, validate); if (this.newFileChanges) { this.newFileChanges.forEach((insertions, fileName) => { changes.push(changesToText.newFileChanges(fileName, insertions, this.newLineCharacter, this.formatContext)); }); } return changes; } createNewFile(oldFile, fileName, statements) { this.insertStatementsInNewFile(fileName, statements, oldFile); } }; function updateJSDocHost(parent2) { if (parent2.kind !== 219) { return parent2; } const jsDocNode = parent2.parent.kind === 172 ? parent2.parent : parent2.parent.parent; jsDocNode.jsDoc = parent2.jsDoc; return jsDocNode; } function tryMergeJsdocTags(oldTag, newTag) { if (oldTag.kind !== newTag.kind) { return void 0; } switch (oldTag.kind) { case 341: { const oldParam = oldTag; const newParam = newTag; return isIdentifier(oldParam.name) && isIdentifier(newParam.name) && oldParam.name.escapedText === newParam.name.escapedText ? factory.createJSDocParameterTag( /*tagName*/ void 0, newParam.name, /*isBracketed*/ false, newParam.typeExpression, newParam.isNameFirst, oldParam.comment ) : void 0; } case 342: return factory.createJSDocReturnTag( /*tagName*/ void 0, newTag.typeExpression, oldTag.comment ); case 344: return factory.createJSDocTypeTag( /*tagName*/ void 0, newTag.typeExpression, oldTag.comment ); } } function startPositionToDeleteNodeInList(sourceFile, node) { return skipTrivia( sourceFile.text, getAdjustedStartPosition(sourceFile, node, { leadingTriviaOption: 1 /* IncludeAll */ }), /*stopAfterLineBreak*/ false, /*stopAtComments*/ true ); } function endPositionToDeleteNodeInList(sourceFile, node, prevNode, nextNode) { const end = startPositionToDeleteNodeInList(sourceFile, nextNode); if (prevNode === void 0 || positionsAreOnSameLine(getAdjustedEndPosition(sourceFile, node, {}), end, sourceFile)) { return end; } const token = findPrecedingToken(nextNode.getStart(sourceFile), sourceFile); if (isSeparator(node, token)) { const prevToken = findPrecedingToken(node.getStart(sourceFile), sourceFile); if (isSeparator(prevNode, prevToken)) { const pos = skipTrivia( sourceFile.text, token.getEnd(), /*stopAfterLineBreak*/ true, /*stopAtComments*/ true ); if (positionsAreOnSameLine(prevToken.getStart(sourceFile), token.getStart(sourceFile), sourceFile)) { return isLineBreak(sourceFile.text.charCodeAt(pos - 1)) ? pos - 1 : pos; } if (isLineBreak(sourceFile.text.charCodeAt(pos))) { return pos; } } } return end; } function getClassOrObjectBraceEnds(cls, sourceFile) { const open = findChildOfKind(cls, 19, sourceFile); const close = findChildOfKind(cls, 20, sourceFile); return [open == null ? void 0 : open.end, close == null ? void 0 : close.end]; } function getMembersOrProperties(node) { return isObjectLiteralExpression(node) ? node.properties : node.members; } var changesToText; ((changesToText2) => { function getTextChangesFromChanges(changes, newLineCharacter, formatContext, validate) { return mapDefined(group(changes, (c) => c.sourceFile.path), (changesInFile) => { const sourceFile = changesInFile[0].sourceFile; const normalized = stableSort(changesInFile, (a, b) => a.range.pos - b.range.pos || a.range.end - b.range.end); for (let i = 0; i < normalized.length - 1; i++) { Debug.assert(normalized[i].range.end <= normalized[i + 1].range.pos, "Changes overlap", () => `${JSON.stringify(normalized[i].range)} and ${JSON.stringify(normalized[i + 1].range)}`); } const textChanges2 = mapDefined(normalized, (c) => { const span = createTextSpanFromRange(c.range); const targetSourceFile = c.kind === 1 ? getSourceFileOfNode(getOriginalNode(c.node)) ?? c.sourceFile : c.kind === 2 ? getSourceFileOfNode(getOriginalNode(c.nodes[0])) ?? c.sourceFile : c.sourceFile; const newText = computeNewText(c, targetSourceFile, sourceFile, newLineCharacter, formatContext, validate); if (span.length === newText.length && stringContainsAt(targetSourceFile.text, newText, span.start)) { return void 0; } return createTextChange(span, newText); }); return textChanges2.length > 0 ? { fileName: sourceFile.fileName, textChanges: textChanges2 } : void 0; }); } changesToText2.getTextChangesFromChanges = getTextChangesFromChanges; function newFileChanges(fileName, insertions, newLineCharacter, formatContext) { const text = newFileChangesWorker(getScriptKindFromFileName(fileName), insertions, newLineCharacter, formatContext); return { fileName, textChanges: [createTextChange(createTextSpan(0, 0), text)], isNewFile: true }; } changesToText2.newFileChanges = newFileChanges; function newFileChangesWorker(scriptKind, insertions, newLineCharacter, formatContext) { const nonFormattedText = flatMap(insertions, (insertion) => insertion.statements.map((s) => s === 4 ? "" : getNonformattedText(s, insertion.oldFile, newLineCharacter).text)).join(newLineCharacter); const sourceFile = createSourceFile( "any file name", nonFormattedText, { languageVersion: 99, jsDocParsingMode: 1 /* ParseNone */ }, /*setParentNodes*/ true, scriptKind ); const changes = ts_formatting_exports.formatDocument(sourceFile, formatContext); return applyChanges(nonFormattedText, changes) + newLineCharacter; } changesToText2.newFileChangesWorker = newFileChangesWorker; function computeNewText(change, targetSourceFile, sourceFile, newLineCharacter, formatContext, validate) { var _a; if (change.kind === 0) { return ""; } if (change.kind === 3) { return change.text; } const { options = {}, range: { pos } } = change; const format2 = (n) => getFormattedTextOfNode(n, targetSourceFile, sourceFile, pos, options, newLineCharacter, formatContext, validate); const text = change.kind === 2 ? change.nodes.map((n) => removeSuffix(format2(n), newLineCharacter)).join(((_a = change.options) == null ? void 0 : _a.joiner) || newLineCharacter) : format2(change.node); const noIndent = options.indentation !== void 0 || getLineStartPositionForPosition(pos, targetSourceFile) === pos ? text : text.replace(/^\s+/, ""); return (options.prefix || "") + noIndent + (!options.suffix || endsWith(noIndent, options.suffix) ? "" : options.suffix); } function getFormattedTextOfNode(nodeIn, targetSourceFile, sourceFile, pos, { indentation, prefix, delta }, newLineCharacter, formatContext, validate) { const { node, text } = getNonformattedText(nodeIn, targetSourceFile, newLineCharacter); if (validate) validate(node, text); const formatOptions = getFormatCodeSettingsForWriting(formatContext, targetSourceFile); const initialIndentation = indentation !== void 0 ? indentation : ts_formatting_exports.SmartIndenter.getIndentation(pos, sourceFile, formatOptions, prefix === newLineCharacter || getLineStartPositionForPosition(pos, targetSourceFile) === pos); if (delta === void 0) { delta = ts_formatting_exports.SmartIndenter.shouldIndentChildNode(formatOptions, nodeIn) ? formatOptions.indentSize || 0 : 0; } const file = { text, getLineAndCharacterOfPosition(pos2) { return getLineAndCharacterOfPosition(this, pos2); } }; const changes = ts_formatting_exports.formatNodeGivenIndentation(node, file, targetSourceFile.languageVariant, initialIndentation, delta, { ...formatContext, options: formatOptions }); return applyChanges(text, changes); } function getNonformattedText(node, sourceFile, newLineCharacter) { const writer = createWriter(newLineCharacter); const newLine = getNewLineKind(newLineCharacter); createPrinter({ newLine, neverAsciiEscape: true, preserveSourceNewlines: true, terminateUnterminatedLiterals: true }, writer).writeNode(4, node, sourceFile, writer); return { text: writer.getText(), node: assignPositionsToNode(node) }; } changesToText2.getNonformattedText = getNonformattedText; })(changesToText || (changesToText = {})); function applyChanges(text, changes) { for (let i = changes.length - 1; i >= 0; i--) { const { span, newText } = changes[i]; text = `${text.substring(0, span.start)}${newText}${text.substring(textSpanEnd(span))}`; } return text; } function isTrivia2(s) { return skipTrivia(s, 0) === s.length; } var textChangesTransformationContext = { ...nullTransformationContext, factory: createNodeFactory( nullTransformationContext.factory.flags | 1, nullTransformationContext.factory.baseFactory ) }; function assignPositionsToNode(node) { const visited = visitEachChild(node, assignPositionsToNode, textChangesTransformationContext, assignPositionsToNodeArray, assignPositionsToNode); const newNode = nodeIsSynthesized(visited) ? visited : Object.create(visited); setTextRangePosEnd(newNode, getPos2(node), getEnd(node)); return newNode; } function assignPositionsToNodeArray(nodes, visitor2, test, start, count) { const visited = visitNodes2(nodes, visitor2, test, start, count); if (!visited) { return visited; } Debug.assert(nodes); const nodeArray = visited === nodes ? factory.createNodeArray(visited.slice(0)) : visited; setTextRangePosEnd(nodeArray, getPos2(nodes), getEnd(nodes)); return nodeArray; } function createWriter(newLine) { let lastNonTriviaPosition = 0; const writer = createTextWriter(newLine); const onBeforeEmitNode = (node) => { if (node) { setPos(node, lastNonTriviaPosition); } }; const onAfterEmitNode = (node) => { if (node) { setEnd(node, lastNonTriviaPosition); } }; const onBeforeEmitNodeArray = (nodes) => { if (nodes) { setPos(nodes, lastNonTriviaPosition); } }; const onAfterEmitNodeArray = (nodes) => { if (nodes) { setEnd(nodes, lastNonTriviaPosition); } }; const onBeforeEmitToken = (node) => { if (node) { setPos(node, lastNonTriviaPosition); } }; const onAfterEmitToken = (node) => { if (node) { setEnd(node, lastNonTriviaPosition); } }; function setLastNonTriviaPosition(s, force) { if (force || !isTrivia2(s)) { lastNonTriviaPosition = writer.getTextPos(); let i = 0; while (isWhiteSpaceLike(s.charCodeAt(s.length - i - 1))) { i++; } lastNonTriviaPosition -= i; } } function write(s) { writer.write(s); setLastNonTriviaPosition( s, /*force*/ false ); } function writeComment(s) { writer.writeComment(s); } function writeKeyword(s) { writer.writeKeyword(s); setLastNonTriviaPosition( s, /*force*/ false ); } function writeOperator(s) { writer.writeOperator(s); setLastNonTriviaPosition( s, /*force*/ false ); } function writePunctuation(s) { writer.writePunctuation(s); setLastNonTriviaPosition( s, /*force*/ false ); } function writeTrailingSemicolon(s) { writer.writeTrailingSemicolon(s); setLastNonTriviaPosition( s, /*force*/ false ); } function writeParameter(s) { writer.writeParameter(s); setLastNonTriviaPosition( s, /*force*/ false ); } function writeProperty(s) { writer.writeProperty(s); setLastNonTriviaPosition( s, /*force*/ false ); } function writeSpace(s) { writer.writeSpace(s); setLastNonTriviaPosition( s, /*force*/ false ); } function writeStringLiteral(s) { writer.writeStringLiteral(s); setLastNonTriviaPosition( s, /*force*/ false ); } function writeSymbol(s, sym) { writer.writeSymbol(s, sym); setLastNonTriviaPosition( s, /*force*/ false ); } function writeLine(force) { writer.writeLine(force); } function increaseIndent() { writer.increaseIndent(); } function decreaseIndent() { writer.decreaseIndent(); } function getText() { return writer.getText(); } function rawWrite(s) { writer.rawWrite(s); setLastNonTriviaPosition( s, /*force*/ false ); } function writeLiteral(s) { writer.writeLiteral(s); setLastNonTriviaPosition( s, /*force*/ true ); } function getTextPos() { return writer.getTextPos(); } function getLine() { return writer.getLine(); } function getColumn() { return writer.getColumn(); } function getIndent() { return writer.getIndent(); } function isAtStartOfLine() { return writer.isAtStartOfLine(); } function clear2() { writer.clear(); lastNonTriviaPosition = 0; } return { onBeforeEmitNode, onAfterEmitNode, onBeforeEmitNodeArray, onAfterEmitNodeArray, onBeforeEmitToken, onAfterEmitToken, write, writeComment, writeKeyword, writeOperator, writePunctuation, writeTrailingSemicolon, writeParameter, writeProperty, writeSpace, writeStringLiteral, writeSymbol, writeLine, increaseIndent, decreaseIndent, getText, rawWrite, writeLiteral, getTextPos, getLine, getColumn, getIndent, isAtStartOfLine, hasTrailingComment: () => writer.hasTrailingComment(), hasTrailingWhitespace: () => writer.hasTrailingWhitespace(), clear: clear2 }; } function getInsertionPositionAtSourceFileTop(sourceFile) { let lastPrologue; for (const node of sourceFile.statements) { if (isPrologueDirective(node)) { lastPrologue = node; } else { break; } } let position = 0; const text = sourceFile.text; if (lastPrologue) { position = lastPrologue.end; advancePastLineBreak(); return position; } const shebang = getShebang(text); if (shebang !== void 0) { position = shebang.length; advancePastLineBreak(); } const ranges = getLeadingCommentRanges(text, position); if (!ranges) return position; let lastComment; let firstNodeLine; for (const range of ranges) { if (range.kind === 3) { if (isPinnedComment(text, range.pos)) { lastComment = { range, pinnedOrTripleSlash: true }; continue; } } else if (isRecognizedTripleSlashComment(text, range.pos, range.end)) { lastComment = { range, pinnedOrTripleSlash: true }; continue; } if (lastComment) { if (lastComment.pinnedOrTripleSlash) break; const commentLine = sourceFile.getLineAndCharacterOfPosition(range.pos).line; const lastCommentEndLine = sourceFile.getLineAndCharacterOfPosition(lastComment.range.end).line; if (commentLine >= lastCommentEndLine + 2) break; } if (sourceFile.statements.length) { if (firstNodeLine === void 0) firstNodeLine = sourceFile.getLineAndCharacterOfPosition(sourceFile.statements[0].getStart()).line; const commentEndLine = sourceFile.getLineAndCharacterOfPosition(range.end).line; if (firstNodeLine < commentEndLine + 2) break; } lastComment = { range, pinnedOrTripleSlash: false }; } if (lastComment) { position = lastComment.range.end; advancePastLineBreak(); } return position; function advancePastLineBreak() { if (position < text.length) { const charCode = text.charCodeAt(position); if (isLineBreak(charCode)) { position++; if (position < text.length && charCode === 13 && text.charCodeAt(position) === 10) { position++; } } } } } function isValidLocationToAddComment(sourceFile, position) { return !isInComment(sourceFile, position) && !isInString(sourceFile, position) && !isInTemplateString(sourceFile, position) && !isInJSXText(sourceFile, position); } function needSemicolonBetween(a, b) { return (isPropertySignature(a) || isPropertyDeclaration(a)) && isClassOrTypeElement(b) && b.name.kind === 167 || isStatementButNotDeclaration(a) && isStatementButNotDeclaration(b); } var deleteDeclaration; ((_deleteDeclaration) => { function deleteDeclaration2(changes, deletedNodesInLists, sourceFile, node) { switch (node.kind) { case 169: { const oldFunction = node.parent; if (isArrowFunction(oldFunction) && oldFunction.parameters.length === 1 && !findChildOfKind(oldFunction, 21, sourceFile)) { changes.replaceNodeWithText(sourceFile, node, "()"); } else { deleteNodeInList(changes, deletedNodesInLists, sourceFile, node); } break; } case 272: case 271: const isFirstImport = sourceFile.imports.length && node === first(sourceFile.imports).parent || node === find(sourceFile.statements, isAnyImportSyntax); deleteNode(changes, sourceFile, node, { leadingTriviaOption: isFirstImport ? 0 : hasJSDocNodes(node) ? 2 : 3 /* StartLine */ }); break; case 208: const pattern = node.parent; const preserveComma = pattern.kind === 207 && node !== last(pattern.elements); if (preserveComma) { deleteNode(changes, sourceFile, node); } else { deleteNodeInList(changes, deletedNodesInLists, sourceFile, node); } break; case 260: deleteVariableDeclaration(changes, deletedNodesInLists, sourceFile, node); break; case 168: deleteNodeInList(changes, deletedNodesInLists, sourceFile, node); break; case 276: const namedImports = node.parent; if (namedImports.elements.length === 1) { deleteImportBinding(changes, sourceFile, namedImports); } else { deleteNodeInList(changes, deletedNodesInLists, sourceFile, node); } break; case 274: deleteImportBinding(changes, sourceFile, node); break; case 27: deleteNode(changes, sourceFile, node, { trailingTriviaOption: 0 /* Exclude */ }); break; case 100: deleteNode(changes, sourceFile, node, { leadingTriviaOption: 0 /* Exclude */ }); break; case 263: case 262: deleteNode(changes, sourceFile, node, { leadingTriviaOption: hasJSDocNodes(node) ? 2 : 3 /* StartLine */ }); break; default: if (!node.parent) { deleteNode(changes, sourceFile, node); } else if (isImportClause(node.parent) && node.parent.name === node) { deleteDefaultImport(changes, sourceFile, node.parent); } else if (isCallExpression2(node.parent) && contains(node.parent.arguments, node)) { deleteNodeInList(changes, deletedNodesInLists, sourceFile, node); } else { deleteNode(changes, sourceFile, node); } } } _deleteDeclaration.deleteDeclaration = deleteDeclaration2; function deleteDefaultImport(changes, sourceFile, importClause) { if (!importClause.namedBindings) { deleteNode(changes, sourceFile, importClause.parent); } else { const start = importClause.name.getStart(sourceFile); const nextToken = getTokenAtPosition(sourceFile, importClause.name.end); if (nextToken && nextToken.kind === 28) { const end = skipTrivia( sourceFile.text, nextToken.end, /*stopAfterLineBreak*/ false, /*stopAtComments*/ true ); changes.deleteRange(sourceFile, { pos: start, end }); } else { deleteNode(changes, sourceFile, importClause.name); } } } function deleteImportBinding(changes, sourceFile, node) { if (node.parent.name) { const previousToken = Debug.checkDefined(getTokenAtPosition(sourceFile, node.pos - 1)); changes.deleteRange(sourceFile, { pos: previousToken.getStart(sourceFile), end: node.end }); } else { const importDecl = getAncestor2( node, 272 /* ImportDeclaration */ ); deleteNode(changes, sourceFile, importDecl); } } function deleteVariableDeclaration(changes, deletedNodesInLists, sourceFile, node) { const { parent: parent2 } = node; if (parent2.kind === 299) { changes.deleteNodeRange(sourceFile, findChildOfKind(parent2, 21, sourceFile), findChildOfKind(parent2, 22, sourceFile)); return; } if (parent2.declarations.length !== 1) { deleteNodeInList(changes, deletedNodesInLists, sourceFile, node); return; } const gp = parent2.parent; switch (gp.kind) { case 250: case 249: changes.replaceNode(sourceFile, node, factory.createObjectLiteralExpression()); break; case 248: deleteNode(changes, sourceFile, parent2); break; case 243: deleteNode(changes, sourceFile, gp, { leadingTriviaOption: hasJSDocNodes(gp) ? 2 : 3 /* StartLine */ }); break; default: Debug.assertNever(gp); } } })(deleteDeclaration || (deleteDeclaration = {})); function deleteNode(changes, sourceFile, node, options = { leadingTriviaOption: 1 /* IncludeAll */ }) { const startPosition = getAdjustedStartPosition(sourceFile, node, options); const endPosition = getAdjustedEndPosition(sourceFile, node, options); changes.deleteRange(sourceFile, { pos: startPosition, end: endPosition }); } function deleteNodeInList(changes, deletedNodesInLists, sourceFile, node) { const containingList = Debug.checkDefined(ts_formatting_exports.SmartIndenter.getContainingList(node, sourceFile)); const index = indexOfNode(containingList, node); Debug.assert(index !== -1); if (containingList.length === 1) { deleteNode(changes, sourceFile, node); return; } Debug.assert(!deletedNodesInLists.has(node), "Deleting a node twice"); deletedNodesInLists.add(node); changes.deleteRange(sourceFile, { pos: startPositionToDeleteNodeInList(sourceFile, node), end: index === containingList.length - 1 ? getAdjustedEndPosition(sourceFile, node, {}) : endPositionToDeleteNodeInList(sourceFile, node, containingList[index - 1], containingList[index + 1]) }); } var ts_formatting_exports = {}; __export2(ts_formatting_exports, { FormattingContext: () => FormattingContext, FormattingRequestKind: () => FormattingRequestKind, RuleAction: () => RuleAction, RuleFlags: () => RuleFlags, SmartIndenter: () => SmartIndenter, anyContext: () => anyContext, createTextRangeWithKind: () => createTextRangeWithKind, formatDocument: () => formatDocument, formatNodeGivenIndentation: () => formatNodeGivenIndentation, formatOnClosingCurly: () => formatOnClosingCurly, formatOnEnter: () => formatOnEnter, formatOnOpeningCurly: () => formatOnOpeningCurly, formatOnSemicolon: () => formatOnSemicolon, formatSelection: () => formatSelection, getAllRules: () => getAllRules, getFormatContext: () => getFormatContext, getFormattingScanner: () => getFormattingScanner, getIndentationString: () => getIndentationString, getRangeOfEnclosingComment: () => getRangeOfEnclosingComment }); var FormattingRequestKind = /* @__PURE__ */ ((FormattingRequestKind2) => { FormattingRequestKind2[FormattingRequestKind2["FormatDocument"] = 0] = "FormatDocument"; FormattingRequestKind2[FormattingRequestKind2["FormatSelection"] = 1] = "FormatSelection"; FormattingRequestKind2[FormattingRequestKind2["FormatOnEnter"] = 2] = "FormatOnEnter"; FormattingRequestKind2[FormattingRequestKind2["FormatOnSemicolon"] = 3] = "FormatOnSemicolon"; FormattingRequestKind2[FormattingRequestKind2["FormatOnOpeningCurlyBrace"] = 4] = "FormatOnOpeningCurlyBrace"; FormattingRequestKind2[FormattingRequestKind2["FormatOnClosingCurlyBrace"] = 5] = "FormatOnClosingCurlyBrace"; return FormattingRequestKind2; })(FormattingRequestKind || {}); var FormattingContext = class { constructor(sourceFile, formattingRequestKind, options) { this.sourceFile = sourceFile; this.formattingRequestKind = formattingRequestKind; this.options = options; } updateContext(currentRange, currentTokenParent, nextRange, nextTokenParent, commonParent) { this.currentTokenSpan = Debug.checkDefined(currentRange); this.currentTokenParent = Debug.checkDefined(currentTokenParent); this.nextTokenSpan = Debug.checkDefined(nextRange); this.nextTokenParent = Debug.checkDefined(nextTokenParent); this.contextNode = Debug.checkDefined(commonParent); this.contextNodeAllOnSameLine = void 0; this.nextNodeAllOnSameLine = void 0; this.tokensAreOnSameLine = void 0; this.contextNodeBlockIsOnOneLine = void 0; this.nextNodeBlockIsOnOneLine = void 0; } ContextNodeAllOnSameLine() { if (this.contextNodeAllOnSameLine === void 0) { this.contextNodeAllOnSameLine = this.NodeIsOnOneLine(this.contextNode); } return this.contextNodeAllOnSameLine; } NextNodeAllOnSameLine() { if (this.nextNodeAllOnSameLine === void 0) { this.nextNodeAllOnSameLine = this.NodeIsOnOneLine(this.nextTokenParent); } return this.nextNodeAllOnSameLine; } TokensAreOnSameLine() { if (this.tokensAreOnSameLine === void 0) { const startLine = this.sourceFile.getLineAndCharacterOfPosition(this.currentTokenSpan.pos).line; const endLine = this.sourceFile.getLineAndCharacterOfPosition(this.nextTokenSpan.pos).line; this.tokensAreOnSameLine = startLine === endLine; } return this.tokensAreOnSameLine; } ContextNodeBlockIsOnOneLine() { if (this.contextNodeBlockIsOnOneLine === void 0) { this.contextNodeBlockIsOnOneLine = this.BlockIsOnOneLine(this.contextNode); } return this.contextNodeBlockIsOnOneLine; } NextNodeBlockIsOnOneLine() { if (this.nextNodeBlockIsOnOneLine === void 0) { this.nextNodeBlockIsOnOneLine = this.BlockIsOnOneLine(this.nextTokenParent); } return this.nextNodeBlockIsOnOneLine; } NodeIsOnOneLine(node) { const startLine = this.sourceFile.getLineAndCharacterOfPosition(node.getStart(this.sourceFile)).line; const endLine = this.sourceFile.getLineAndCharacterOfPosition(node.getEnd()).line; return startLine === endLine; } BlockIsOnOneLine(node) { const openBrace = findChildOfKind(node, 19, this.sourceFile); const closeBrace = findChildOfKind(node, 20, this.sourceFile); if (openBrace && closeBrace) { const startLine = this.sourceFile.getLineAndCharacterOfPosition(openBrace.getEnd()).line; const endLine = this.sourceFile.getLineAndCharacterOfPosition(closeBrace.getStart(this.sourceFile)).line; return startLine === endLine; } return false; } }; var standardScanner = createScanner( 99, /*skipTrivia*/ false, 0 /* Standard */ ); var jsxScanner = createScanner( 99, /*skipTrivia*/ false, 1 /* JSX */ ); function getFormattingScanner(text, languageVariant, startPos, endPos, cb) { const scanner2 = languageVariant === 1 ? jsxScanner : standardScanner; scanner2.setText(text); scanner2.resetTokenState(startPos); let wasNewLine = true; let leadingTrivia; let trailingTrivia; let savedPos; let lastScanAction; let lastTokenInfo; const res = cb({ advance, readTokenInfo, readEOFTokenRange, isOnToken, isOnEOF, getCurrentLeadingTrivia: () => leadingTrivia, lastTrailingTriviaWasNewLine: () => wasNewLine, skipToEndOf, skipToStartOf, getTokenFullStart: () => (lastTokenInfo == null ? void 0 : lastTokenInfo.token.pos) ?? scanner2.getTokenStart(), getStartPos: () => (lastTokenInfo == null ? void 0 : lastTokenInfo.token.pos) ?? scanner2.getTokenStart() }); lastTokenInfo = void 0; scanner2.setText(void 0); return res; function advance() { lastTokenInfo = void 0; const isStarted = scanner2.getTokenFullStart() !== startPos; if (isStarted) { wasNewLine = !!trailingTrivia && last(trailingTrivia).kind === 4; } else { scanner2.scan(); } leadingTrivia = void 0; trailingTrivia = void 0; let pos = scanner2.getTokenFullStart(); while (pos < endPos) { const t = scanner2.getToken(); if (!isTrivia(t)) { break; } scanner2.scan(); const item = { pos, end: scanner2.getTokenFullStart(), kind: t }; pos = scanner2.getTokenFullStart(); leadingTrivia = append(leadingTrivia, item); } savedPos = scanner2.getTokenFullStart(); } function shouldRescanGreaterThanToken(node) { switch (node.kind) { case 34: case 72: case 73: case 50: case 49: return true; } return false; } function shouldRescanJsxIdentifier(node) { if (node.parent) { switch (node.parent.kind) { case 291: case 286: case 287: case 285: return isKeyword2(node.kind) || node.kind === 80; } } return false; } function shouldRescanJsxText(node) { return isJsxText(node) || isJsxElement(node) && (lastTokenInfo == null ? void 0 : lastTokenInfo.token.kind) === 12; } function shouldRescanSlashToken(container) { return container.kind === 14; } function shouldRescanTemplateToken(container) { return container.kind === 17 || container.kind === 18; } function shouldRescanJsxAttributeValue(node) { return node.parent && isJsxAttribute(node.parent) && node.parent.initializer === node; } function startsWithSlashToken(t) { return t === 44 || t === 69; } function readTokenInfo(n) { Debug.assert(isOnToken()); const expectedScanAction = shouldRescanGreaterThanToken(n) ? 1 : shouldRescanSlashToken(n) ? 2 : shouldRescanTemplateToken(n) ? 3 : shouldRescanJsxIdentifier(n) ? 4 : shouldRescanJsxText(n) ? 5 : shouldRescanJsxAttributeValue(n) ? 6 : 0; if (lastTokenInfo && expectedScanAction === lastScanAction) { return fixTokenKind(lastTokenInfo, n); } if (scanner2.getTokenFullStart() !== savedPos) { Debug.assert(lastTokenInfo !== void 0); scanner2.resetTokenState(savedPos); scanner2.scan(); } let currentToken = getNextToken(n, expectedScanAction); const token = createTextRangeWithKind( scanner2.getTokenFullStart(), scanner2.getTokenEnd(), currentToken ); if (trailingTrivia) { trailingTrivia = void 0; } while (scanner2.getTokenFullStart() < endPos) { currentToken = scanner2.scan(); if (!isTrivia(currentToken)) { break; } const trivia = createTextRangeWithKind( scanner2.getTokenFullStart(), scanner2.getTokenEnd(), currentToken ); if (!trailingTrivia) { trailingTrivia = []; } trailingTrivia.push(trivia); if (currentToken === 4) { scanner2.scan(); break; } } lastTokenInfo = { leadingTrivia, trailingTrivia, token }; return fixTokenKind(lastTokenInfo, n); } function getNextToken(n, expectedScanAction) { const token = scanner2.getToken(); lastScanAction = 0; switch (expectedScanAction) { case 1: if (token === 32) { lastScanAction = 1; const newToken = scanner2.reScanGreaterToken(); Debug.assert(n.kind === newToken); return newToken; } break; case 2: if (startsWithSlashToken(token)) { lastScanAction = 2; const newToken = scanner2.reScanSlashToken(); Debug.assert(n.kind === newToken); return newToken; } break; case 3: if (token === 20) { lastScanAction = 3; return scanner2.reScanTemplateToken( /*isTaggedTemplate*/ false ); } break; case 4: lastScanAction = 4; return scanner2.scanJsxIdentifier(); case 5: lastScanAction = 5; return scanner2.reScanJsxToken( /*allowMultilineJsxText*/ false ); case 6: lastScanAction = 6; return scanner2.reScanJsxAttributeValue(); case 0: break; default: Debug.assertNever(expectedScanAction); } return token; } function readEOFTokenRange() { Debug.assert(isOnEOF()); return createTextRangeWithKind( scanner2.getTokenFullStart(), scanner2.getTokenEnd(), 1 /* EndOfFileToken */ ); } function isOnToken() { const current = lastTokenInfo ? lastTokenInfo.token.kind : scanner2.getToken(); return current !== 1 && !isTrivia(current); } function isOnEOF() { const current = lastTokenInfo ? lastTokenInfo.token.kind : scanner2.getToken(); return current === 1; } function fixTokenKind(tokenInfo, container) { if (isToken(container) && tokenInfo.token.kind !== container.kind) { tokenInfo.token.kind = container.kind; } return tokenInfo; } function skipToEndOf(node) { scanner2.resetTokenState(node.end); savedPos = scanner2.getTokenFullStart(); lastScanAction = void 0; lastTokenInfo = void 0; wasNewLine = false; leadingTrivia = void 0; trailingTrivia = void 0; } function skipToStartOf(node) { scanner2.resetTokenState(node.pos); savedPos = scanner2.getTokenFullStart(); lastScanAction = void 0; lastTokenInfo = void 0; wasNewLine = false; leadingTrivia = void 0; trailingTrivia = void 0; } } var anyContext = emptyArray; var RuleAction = /* @__PURE__ */ ((RuleAction2) => { RuleAction2[RuleAction2["None"] = 0] = "None"; RuleAction2[RuleAction2["StopProcessingSpaceActions"] = 1] = "StopProcessingSpaceActions"; RuleAction2[RuleAction2["StopProcessingTokenActions"] = 2] = "StopProcessingTokenActions"; RuleAction2[RuleAction2["InsertSpace"] = 4] = "InsertSpace"; RuleAction2[RuleAction2["InsertNewLine"] = 8] = "InsertNewLine"; RuleAction2[RuleAction2["DeleteSpace"] = 16] = "DeleteSpace"; RuleAction2[RuleAction2["DeleteToken"] = 32] = "DeleteToken"; RuleAction2[RuleAction2["InsertTrailingSemicolon"] = 64] = "InsertTrailingSemicolon"; RuleAction2[RuleAction2["StopAction"] = 3] = "StopAction"; RuleAction2[RuleAction2["ModifySpaceAction"] = 28] = "ModifySpaceAction"; RuleAction2[RuleAction2["ModifyTokenAction"] = 96] = "ModifyTokenAction"; return RuleAction2; })(RuleAction || {}); var RuleFlags = /* @__PURE__ */ ((RuleFlags2) => { RuleFlags2[RuleFlags2["None"] = 0] = "None"; RuleFlags2[RuleFlags2["CanDeleteNewLines"] = 1] = "CanDeleteNewLines"; return RuleFlags2; })(RuleFlags || {}); function getAllRules() { const allTokens = []; for (let token = 0; token <= 165; token++) { if (token !== 1) { allTokens.push(token); } } function anyTokenExcept(...tokens) { return { tokens: allTokens.filter((t) => !tokens.some((t2) => t2 === t)), isSpecific: false }; } const anyToken = { tokens: allTokens, isSpecific: false }; const anyTokenIncludingMultilineComments = tokenRangeFrom([ ...allTokens, 3 /* MultiLineCommentTrivia */ ]); const anyTokenIncludingEOF = tokenRangeFrom([ ...allTokens, 1 /* EndOfFileToken */ ]); const keywords = tokenRangeFromRange( 83, 165 /* LastKeyword */ ); const binaryOperators = tokenRangeFromRange( 30, 79 /* LastBinaryOperator */ ); const binaryKeywordOperators = [ 103, 104, 165, 130, 142, 152 /* SatisfiesKeyword */ ]; const unaryPrefixOperators = [ 46, 47, 55, 54 /* ExclamationToken */ ]; const unaryPrefixExpressions = [ 9, 10, 80, 21, 23, 19, 110, 105 /* NewKeyword */ ]; const unaryPreincrementExpressions = [ 80, 21, 110, 105 /* NewKeyword */ ]; const unaryPostincrementExpressions = [ 80, 22, 24, 105 /* NewKeyword */ ]; const unaryPredecrementExpressions = [ 80, 21, 110, 105 /* NewKeyword */ ]; const unaryPostdecrementExpressions = [ 80, 22, 24, 105 /* NewKeyword */ ]; const comments = [ 2, 3 /* MultiLineCommentTrivia */ ]; const typeNames = [80, ...typeKeywords]; const functionOpenBraceLeftTokenRange = anyTokenIncludingMultilineComments; const typeScriptOpenBraceLeftTokenRange = tokenRangeFrom([ 80, 32, 3, 86, 95, 102 /* ImportKeyword */ ]); const controlOpenBraceLeftTokenRange = tokenRangeFrom([ 22, 3, 92, 113, 98, 93, 85 /* CatchKeyword */ ]); const highPriorityCommonRules = [ // Leave comments alone rule( "IgnoreBeforeComment", anyToken, comments, anyContext, 1 /* StopProcessingSpaceActions */ ), rule( "IgnoreAfterLineComment", 2, anyToken, anyContext, 1 /* StopProcessingSpaceActions */ ), rule( "NotSpaceBeforeColon", anyToken, 59, [isNonJsxSameLineTokenContext, isNotBinaryOpContext, isNotTypeAnnotationContext], 16 /* DeleteSpace */ ), rule( "SpaceAfterColon", 59, anyToken, [isNonJsxSameLineTokenContext, isNotBinaryOpContext, isNextTokenParentNotJsxNamespacedName], 4 /* InsertSpace */ ), rule( "NoSpaceBeforeQuestionMark", anyToken, 58, [isNonJsxSameLineTokenContext, isNotBinaryOpContext, isNotTypeAnnotationContext], 16 /* DeleteSpace */ ), // insert space after '?' only when it is used in conditional operator rule( "SpaceAfterQuestionMarkInConditionalOperator", 58, anyToken, [isNonJsxSameLineTokenContext, isConditionalOperatorContext], 4 /* InsertSpace */ ), // in other cases there should be no space between '?' and next token rule( "NoSpaceAfterQuestionMark", 58, anyToken, [isNonJsxSameLineTokenContext, isNonOptionalPropertyContext], 16 /* DeleteSpace */ ), rule( "NoSpaceBeforeDot", anyToken, [ 25, 29 /* QuestionDotToken */ ], [isNonJsxSameLineTokenContext, isNotPropertyAccessOnIntegerLiteral], 16 /* DeleteSpace */ ), rule( "NoSpaceAfterDot", [ 25, 29 /* QuestionDotToken */ ], anyToken, [isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), rule( "NoSpaceBetweenImportParenInImportType", 102, 21, [isNonJsxSameLineTokenContext, isImportTypeContext], 16 /* DeleteSpace */ ), // Special handling of unary operators. // Prefix operators generally shouldn't have a space between // them and their target unary expression. rule( "NoSpaceAfterUnaryPrefixOperator", unaryPrefixOperators, unaryPrefixExpressions, [isNonJsxSameLineTokenContext, isNotBinaryOpContext], 16 /* DeleteSpace */ ), rule( "NoSpaceAfterUnaryPreincrementOperator", 46, unaryPreincrementExpressions, [isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), rule( "NoSpaceAfterUnaryPredecrementOperator", 47, unaryPredecrementExpressions, [isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), rule( "NoSpaceBeforeUnaryPostincrementOperator", unaryPostincrementExpressions, 46, [isNonJsxSameLineTokenContext, isNotStatementConditionContext], 16 /* DeleteSpace */ ), rule( "NoSpaceBeforeUnaryPostdecrementOperator", unaryPostdecrementExpressions, 47, [isNonJsxSameLineTokenContext, isNotStatementConditionContext], 16 /* DeleteSpace */ ), // More unary operator special-casing. // DevDiv 181814: Be careful when removing leading whitespace // around unary operators. Examples: // 1 - -2 --X--> 1--2 // a + ++b --X--> a+++b rule( "SpaceAfterPostincrementWhenFollowedByAdd", 46, 40, [isNonJsxSameLineTokenContext, isBinaryOpContext], 4 /* InsertSpace */ ), rule( "SpaceAfterAddWhenFollowedByUnaryPlus", 40, 40, [isNonJsxSameLineTokenContext, isBinaryOpContext], 4 /* InsertSpace */ ), rule( "SpaceAfterAddWhenFollowedByPreincrement", 40, 46, [isNonJsxSameLineTokenContext, isBinaryOpContext], 4 /* InsertSpace */ ), rule( "SpaceAfterPostdecrementWhenFollowedBySubtract", 47, 41, [isNonJsxSameLineTokenContext, isBinaryOpContext], 4 /* InsertSpace */ ), rule( "SpaceAfterSubtractWhenFollowedByUnaryMinus", 41, 41, [isNonJsxSameLineTokenContext, isBinaryOpContext], 4 /* InsertSpace */ ), rule( "SpaceAfterSubtractWhenFollowedByPredecrement", 41, 47, [isNonJsxSameLineTokenContext, isBinaryOpContext], 4 /* InsertSpace */ ), rule( "NoSpaceAfterCloseBrace", 20, [ 28, 27 /* SemicolonToken */ ], [isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), // For functions and control block place } on a new line [multi-line rule] rule( "NewLineBeforeCloseBraceInBlockContext", anyTokenIncludingMultilineComments, 20, [isMultilineBlockContext], 8 /* InsertNewLine */ ), // Space/new line after }. rule( "SpaceAfterCloseBrace", 20, anyTokenExcept( 22 /* CloseParenToken */ ), [isNonJsxSameLineTokenContext, isAfterCodeBlockContext], 4 /* InsertSpace */ ), // Special case for (}, else) and (}, while) since else & while tokens are not part of the tree which makes SpaceAfterCloseBrace rule not applied // Also should not apply to }) rule( "SpaceBetweenCloseBraceAndElse", 20, 93, [isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), rule( "SpaceBetweenCloseBraceAndWhile", 20, 117, [isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), rule( "NoSpaceBetweenEmptyBraceBrackets", 19, 20, [isNonJsxSameLineTokenContext, isObjectContext], 16 /* DeleteSpace */ ), // Add a space after control dec context if the next character is an open bracket ex: 'if (false)[a, b] = [1, 2];' -> 'if (false) [a, b] = [1, 2];' rule( "SpaceAfterConditionalClosingParen", 22, 23, [isControlDeclContext], 4 /* InsertSpace */ ), rule( "NoSpaceBetweenFunctionKeywordAndStar", 100, 42, [isFunctionDeclarationOrFunctionExpressionContext], 16 /* DeleteSpace */ ), rule( "SpaceAfterStarInGeneratorDeclaration", 42, 80, [isFunctionDeclarationOrFunctionExpressionContext], 4 /* InsertSpace */ ), rule( "SpaceAfterFunctionInFuncDecl", 100, anyToken, [isFunctionDeclContext], 4 /* InsertSpace */ ), // Insert new line after { and before } in multi-line contexts. rule( "NewLineAfterOpenBraceInBlockContext", 19, anyToken, [isMultilineBlockContext], 8 /* InsertNewLine */ ), // For get/set members, we check for (identifier,identifier) since get/set don't have tokens and they are represented as just an identifier token. // Though, we do extra check on the context to make sure we are dealing with get/set node. Example: // get x() {} // set x(val) {} rule( "SpaceAfterGetSetInMember", [ 139, 153 /* SetKeyword */ ], 80, [isFunctionDeclContext], 4 /* InsertSpace */ ), rule( "NoSpaceBetweenYieldKeywordAndStar", 127, 42, [isNonJsxSameLineTokenContext, isYieldOrYieldStarWithOperand], 16 /* DeleteSpace */ ), rule( "SpaceBetweenYieldOrYieldStarAndOperand", [ 127, 42 /* AsteriskToken */ ], anyToken, [isNonJsxSameLineTokenContext, isYieldOrYieldStarWithOperand], 4 /* InsertSpace */ ), rule( "NoSpaceBetweenReturnAndSemicolon", 107, 27, [isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), rule( "SpaceAfterCertainKeywords", [ 115, 111, 105, 91, 107, 114, 135 /* AwaitKeyword */ ], anyToken, [isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), rule( "SpaceAfterLetConstInVariableDeclaration", [ 121, 87 /* ConstKeyword */ ], anyToken, [isNonJsxSameLineTokenContext, isStartOfVariableDeclarationList], 4 /* InsertSpace */ ), rule( "NoSpaceBeforeOpenParenInFuncCall", anyToken, 21, [isNonJsxSameLineTokenContext, isFunctionCallOrNewContext, isPreviousTokenNotComma], 16 /* DeleteSpace */ ), // Special case for binary operators (that are keywords). For these we have to add a space and shouldn't follow any user options. rule( "SpaceBeforeBinaryKeywordOperator", anyToken, binaryKeywordOperators, [isNonJsxSameLineTokenContext, isBinaryOpContext], 4 /* InsertSpace */ ), rule( "SpaceAfterBinaryKeywordOperator", binaryKeywordOperators, anyToken, [isNonJsxSameLineTokenContext, isBinaryOpContext], 4 /* InsertSpace */ ), rule( "SpaceAfterVoidOperator", 116, anyToken, [isNonJsxSameLineTokenContext, isVoidOpContext], 4 /* InsertSpace */ ), // Async-await rule( "SpaceBetweenAsyncAndOpenParen", 134, 21, [isArrowFunctionContext, isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), rule( "SpaceBetweenAsyncAndFunctionKeyword", 134, [ 100, 80 /* Identifier */ ], [isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), // Template string rule( "NoSpaceBetweenTagAndTemplateString", [ 80, 22 /* CloseParenToken */ ], [ 15, 16 /* TemplateHead */ ], [isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), // JSX opening elements rule( "SpaceBeforeJsxAttribute", anyToken, 80, [isNextTokenParentJsxAttribute, isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), rule( "SpaceBeforeSlashInJsxOpeningElement", anyToken, 44, [isJsxSelfClosingElementContext, isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), rule( "NoSpaceBeforeGreaterThanTokenInJsxOpeningElement", 44, 32, [isJsxSelfClosingElementContext, isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), rule( "NoSpaceBeforeEqualInJsxAttribute", anyToken, 64, [isJsxAttributeContext, isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), rule( "NoSpaceAfterEqualInJsxAttribute", 64, anyToken, [isJsxAttributeContext, isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), rule( "NoSpaceBeforeJsxNamespaceColon", 80, 59, [isNextTokenParentJsxNamespacedName], 16 /* DeleteSpace */ ), rule( "NoSpaceAfterJsxNamespaceColon", 59, 80, [isNextTokenParentJsxNamespacedName], 16 /* DeleteSpace */ ), // TypeScript-specific rules // Use of module as a function call. e.g.: import m2 = module("m2"); rule( "NoSpaceAfterModuleImport", [ 144, 149 /* RequireKeyword */ ], 21, [isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), // Add a space around certain TypeScript keywords rule( "SpaceAfterCertainTypeScriptKeywords", [ 128, 129, 86, 138, 90, 94, 95, 96, 139, 119, 102, 120, 144, 145, 123, 125, 124, 148, 153, 126, 156, 161, 143, 140 /* InferKeyword */ ], anyToken, [isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), rule( "SpaceBeforeCertainTypeScriptKeywords", anyToken, [ 96, 119, 161 /* FromKeyword */ ], [isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), // Treat string literals in module names as identifiers, and add a space between the literal and the opening Brace braces, e.g.: module "m2" { rule( "SpaceAfterModuleName", 11, 19, [isModuleDeclContext], 4 /* InsertSpace */ ), // Lambda expressions rule( "SpaceBeforeArrow", anyToken, 39, [isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), rule( "SpaceAfterArrow", 39, anyToken, [isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), // Optional parameters and let args rule( "NoSpaceAfterEllipsis", 26, 80, [isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), rule( "NoSpaceAfterOptionalParameters", 58, [ 22, 28 /* CommaToken */ ], [isNonJsxSameLineTokenContext, isNotBinaryOpContext], 16 /* DeleteSpace */ ), // Remove spaces in empty interface literals. e.g.: x: {} rule( "NoSpaceBetweenEmptyInterfaceBraceBrackets", 19, 20, [isNonJsxSameLineTokenContext, isObjectTypeContext], 16 /* DeleteSpace */ ), // generics and type assertions rule( "NoSpaceBeforeOpenAngularBracket", typeNames, 30, [isNonJsxSameLineTokenContext, isTypeArgumentOrParameterOrAssertionContext], 16 /* DeleteSpace */ ), rule( "NoSpaceBetweenCloseParenAndAngularBracket", 22, 30, [isNonJsxSameLineTokenContext, isTypeArgumentOrParameterOrAssertionContext], 16 /* DeleteSpace */ ), rule( "NoSpaceAfterOpenAngularBracket", 30, anyToken, [isNonJsxSameLineTokenContext, isTypeArgumentOrParameterOrAssertionContext], 16 /* DeleteSpace */ ), rule( "NoSpaceBeforeCloseAngularBracket", anyToken, 32, [isNonJsxSameLineTokenContext, isTypeArgumentOrParameterOrAssertionContext], 16 /* DeleteSpace */ ), rule( "NoSpaceAfterCloseAngularBracket", 32, [ 21, 23, 32, 28 /* CommaToken */ ], [ isNonJsxSameLineTokenContext, isTypeArgumentOrParameterOrAssertionContext, isNotFunctionDeclContext, /*To prevent an interference with the SpaceBeforeOpenParenInFuncDecl rule*/ isNonTypeAssertionContext ], 16 /* DeleteSpace */ ), // decorators rule( "SpaceBeforeAt", [ 22, 80 /* Identifier */ ], 60, [isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), rule( "NoSpaceAfterAt", 60, anyToken, [isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), // Insert space after @ in decorator rule( "SpaceAfterDecorator", anyToken, [ 128, 80, 95, 90, 86, 126, 125, 123, 124, 139, 153, 23, 42 /* AsteriskToken */ ], [isEndOfDecoratorContextOnSameLine], 4 /* InsertSpace */ ), rule( "NoSpaceBeforeNonNullAssertionOperator", anyToken, 54, [isNonJsxSameLineTokenContext, isNonNullAssertionContext], 16 /* DeleteSpace */ ), rule( "NoSpaceAfterNewKeywordOnConstructorSignature", 105, 21, [isNonJsxSameLineTokenContext, isConstructorSignatureContext], 16 /* DeleteSpace */ ), rule( "SpaceLessThanAndNonJSXTypeAnnotation", 30, 30, [isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ) ]; const userConfigurableRules = [ // Treat constructor as an identifier in a function declaration, and remove spaces between constructor and following left parentheses rule( "SpaceAfterConstructor", 137, 21, [isOptionEnabled("insertSpaceAfterConstructor"), isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), rule( "NoSpaceAfterConstructor", 137, 21, [isOptionDisabledOrUndefined("insertSpaceAfterConstructor"), isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), rule( "SpaceAfterComma", 28, anyToken, [isOptionEnabled("insertSpaceAfterCommaDelimiter"), isNonJsxSameLineTokenContext, isNonJsxElementOrFragmentContext, isNextTokenNotCloseBracket, isNextTokenNotCloseParen], 4 /* InsertSpace */ ), rule( "NoSpaceAfterComma", 28, anyToken, [isOptionDisabledOrUndefined("insertSpaceAfterCommaDelimiter"), isNonJsxSameLineTokenContext, isNonJsxElementOrFragmentContext], 16 /* DeleteSpace */ ), // Insert space after function keyword for anonymous functions rule( "SpaceAfterAnonymousFunctionKeyword", [ 100, 42 /* AsteriskToken */ ], 21, [isOptionEnabled("insertSpaceAfterFunctionKeywordForAnonymousFunctions"), isFunctionDeclContext], 4 /* InsertSpace */ ), rule( "NoSpaceAfterAnonymousFunctionKeyword", [ 100, 42 /* AsteriskToken */ ], 21, [isOptionDisabledOrUndefined("insertSpaceAfterFunctionKeywordForAnonymousFunctions"), isFunctionDeclContext], 16 /* DeleteSpace */ ), // Insert space after keywords in control flow statements rule( "SpaceAfterKeywordInControl", keywords, 21, [isOptionEnabled("insertSpaceAfterKeywordsInControlFlowStatements"), isControlDeclContext], 4 /* InsertSpace */ ), rule( "NoSpaceAfterKeywordInControl", keywords, 21, [isOptionDisabledOrUndefined("insertSpaceAfterKeywordsInControlFlowStatements"), isControlDeclContext], 16 /* DeleteSpace */ ), // Insert space after opening and before closing nonempty parenthesis rule( "SpaceAfterOpenParen", 21, anyToken, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis"), isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), rule( "SpaceBeforeCloseParen", anyToken, 22, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis"), isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), rule( "SpaceBetweenOpenParens", 21, 21, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis"), isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), rule( "NoSpaceBetweenParens", 21, 22, [isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), rule( "NoSpaceAfterOpenParen", 21, anyToken, [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis"), isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), rule( "NoSpaceBeforeCloseParen", anyToken, 22, [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis"), isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), // Insert space after opening and before closing nonempty brackets rule( "SpaceAfterOpenBracket", 23, anyToken, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyBrackets"), isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), rule( "SpaceBeforeCloseBracket", anyToken, 24, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyBrackets"), isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), rule( "NoSpaceBetweenBrackets", 23, 24, [isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), rule( "NoSpaceAfterOpenBracket", 23, anyToken, [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyBrackets"), isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), rule( "NoSpaceBeforeCloseBracket", anyToken, 24, [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyBrackets"), isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), // Insert a space after { and before } in single-line contexts, but remove space from empty object literals {}. rule( "SpaceAfterOpenBrace", 19, anyToken, [isOptionEnabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyBraces"), isBraceWrappedContext], 4 /* InsertSpace */ ), rule( "SpaceBeforeCloseBrace", anyToken, 20, [isOptionEnabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyBraces"), isBraceWrappedContext], 4 /* InsertSpace */ ), rule( "NoSpaceBetweenEmptyBraceBrackets", 19, 20, [isNonJsxSameLineTokenContext, isObjectContext], 16 /* DeleteSpace */ ), rule( "NoSpaceAfterOpenBrace", 19, anyToken, [isOptionDisabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyBraces"), isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), rule( "NoSpaceBeforeCloseBrace", anyToken, 20, [isOptionDisabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyBraces"), isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), // Insert a space after opening and before closing empty brace brackets rule( "SpaceBetweenEmptyBraceBrackets", 19, 20, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingEmptyBraces")], 4 /* InsertSpace */ ), rule( "NoSpaceBetweenEmptyBraceBrackets", 19, 20, [isOptionDisabled("insertSpaceAfterOpeningAndBeforeClosingEmptyBraces"), isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), // Insert space after opening and before closing template string braces rule( "SpaceAfterTemplateHeadAndMiddle", [ 16, 17 /* TemplateMiddle */ ], anyToken, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingTemplateStringBraces"), isNonJsxTextContext], 4, 1 /* CanDeleteNewLines */ ), rule( "SpaceBeforeTemplateMiddleAndTail", anyToken, [ 17, 18 /* TemplateTail */ ], [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingTemplateStringBraces"), isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), rule( "NoSpaceAfterTemplateHeadAndMiddle", [ 16, 17 /* TemplateMiddle */ ], anyToken, [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingTemplateStringBraces"), isNonJsxTextContext], 16, 1 /* CanDeleteNewLines */ ), rule( "NoSpaceBeforeTemplateMiddleAndTail", anyToken, [ 17, 18 /* TemplateTail */ ], [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingTemplateStringBraces"), isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), // No space after { and before } in JSX expression rule( "SpaceAfterOpenBraceInJsxExpression", 19, anyToken, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingJsxExpressionBraces"), isNonJsxSameLineTokenContext, isJsxExpressionContext], 4 /* InsertSpace */ ), rule( "SpaceBeforeCloseBraceInJsxExpression", anyToken, 20, [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingJsxExpressionBraces"), isNonJsxSameLineTokenContext, isJsxExpressionContext], 4 /* InsertSpace */ ), rule( "NoSpaceAfterOpenBraceInJsxExpression", 19, anyToken, [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingJsxExpressionBraces"), isNonJsxSameLineTokenContext, isJsxExpressionContext], 16 /* DeleteSpace */ ), rule( "NoSpaceBeforeCloseBraceInJsxExpression", anyToken, 20, [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingJsxExpressionBraces"), isNonJsxSameLineTokenContext, isJsxExpressionContext], 16 /* DeleteSpace */ ), // Insert space after semicolon in for statement rule( "SpaceAfterSemicolonInFor", 27, anyToken, [isOptionEnabled("insertSpaceAfterSemicolonInForStatements"), isNonJsxSameLineTokenContext, isForContext], 4 /* InsertSpace */ ), rule( "NoSpaceAfterSemicolonInFor", 27, anyToken, [isOptionDisabledOrUndefined("insertSpaceAfterSemicolonInForStatements"), isNonJsxSameLineTokenContext, isForContext], 16 /* DeleteSpace */ ), // Insert space before and after binary operators rule( "SpaceBeforeBinaryOperator", anyToken, binaryOperators, [isOptionEnabled("insertSpaceBeforeAndAfterBinaryOperators"), isNonJsxSameLineTokenContext, isBinaryOpContext], 4 /* InsertSpace */ ), rule( "SpaceAfterBinaryOperator", binaryOperators, anyToken, [isOptionEnabled("insertSpaceBeforeAndAfterBinaryOperators"), isNonJsxSameLineTokenContext, isBinaryOpContext], 4 /* InsertSpace */ ), rule( "NoSpaceBeforeBinaryOperator", anyToken, binaryOperators, [isOptionDisabledOrUndefined("insertSpaceBeforeAndAfterBinaryOperators"), isNonJsxSameLineTokenContext, isBinaryOpContext], 16 /* DeleteSpace */ ), rule( "NoSpaceAfterBinaryOperator", binaryOperators, anyToken, [isOptionDisabledOrUndefined("insertSpaceBeforeAndAfterBinaryOperators"), isNonJsxSameLineTokenContext, isBinaryOpContext], 16 /* DeleteSpace */ ), rule( "SpaceBeforeOpenParenInFuncDecl", anyToken, 21, [isOptionEnabled("insertSpaceBeforeFunctionParenthesis"), isNonJsxSameLineTokenContext, isFunctionDeclContext], 4 /* InsertSpace */ ), rule( "NoSpaceBeforeOpenParenInFuncDecl", anyToken, 21, [isOptionDisabledOrUndefined("insertSpaceBeforeFunctionParenthesis"), isNonJsxSameLineTokenContext, isFunctionDeclContext], 16 /* DeleteSpace */ ), // Open Brace braces after control block rule( "NewLineBeforeOpenBraceInControl", controlOpenBraceLeftTokenRange, 19, [isOptionEnabled("placeOpenBraceOnNewLineForControlBlocks"), isControlDeclContext, isBeforeMultilineBlockContext], 8, 1 /* CanDeleteNewLines */ ), // Open Brace braces after function // TypeScript: Function can have return types, which can be made of tons of different token kinds rule( "NewLineBeforeOpenBraceInFunction", functionOpenBraceLeftTokenRange, 19, [isOptionEnabled("placeOpenBraceOnNewLineForFunctions"), isFunctionDeclContext, isBeforeMultilineBlockContext], 8, 1 /* CanDeleteNewLines */ ), // Open Brace braces after TypeScript module/class/interface rule( "NewLineBeforeOpenBraceInTypeScriptDeclWithBlock", typeScriptOpenBraceLeftTokenRange, 19, [isOptionEnabled("placeOpenBraceOnNewLineForFunctions"), isTypeScriptDeclWithBlockContext, isBeforeMultilineBlockContext], 8, 1 /* CanDeleteNewLines */ ), rule( "SpaceAfterTypeAssertion", 32, anyToken, [isOptionEnabled("insertSpaceAfterTypeAssertion"), isNonJsxSameLineTokenContext, isTypeAssertionContext], 4 /* InsertSpace */ ), rule( "NoSpaceAfterTypeAssertion", 32, anyToken, [isOptionDisabledOrUndefined("insertSpaceAfterTypeAssertion"), isNonJsxSameLineTokenContext, isTypeAssertionContext], 16 /* DeleteSpace */ ), rule( "SpaceBeforeTypeAnnotation", anyToken, [ 58, 59 /* ColonToken */ ], [isOptionEnabled("insertSpaceBeforeTypeAnnotation"), isNonJsxSameLineTokenContext, isTypeAnnotationContext], 4 /* InsertSpace */ ), rule( "NoSpaceBeforeTypeAnnotation", anyToken, [ 58, 59 /* ColonToken */ ], [isOptionDisabledOrUndefined("insertSpaceBeforeTypeAnnotation"), isNonJsxSameLineTokenContext, isTypeAnnotationContext], 16 /* DeleteSpace */ ), rule( "NoOptionalSemicolon", 27, anyTokenIncludingEOF, [optionEquals( "semicolons", "remove" /* Remove */ ), isSemicolonDeletionContext], 32 /* DeleteToken */ ), rule( "OptionalSemicolon", anyToken, anyTokenIncludingEOF, [optionEquals( "semicolons", "insert" /* Insert */ ), isSemicolonInsertionContext], 64 /* InsertTrailingSemicolon */ ) ]; const lowPriorityCommonRules = [ // Space after keyword but not before ; or : or ? rule( "NoSpaceBeforeSemicolon", anyToken, 27, [isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), rule( "SpaceBeforeOpenBraceInControl", controlOpenBraceLeftTokenRange, 19, [isOptionDisabledOrUndefinedOrTokensOnSameLine("placeOpenBraceOnNewLineForControlBlocks"), isControlDeclContext, isNotFormatOnEnter, isSameLineTokenOrBeforeBlockContext], 4, 1 /* CanDeleteNewLines */ ), rule( "SpaceBeforeOpenBraceInFunction", functionOpenBraceLeftTokenRange, 19, [isOptionDisabledOrUndefinedOrTokensOnSameLine("placeOpenBraceOnNewLineForFunctions"), isFunctionDeclContext, isBeforeBlockContext, isNotFormatOnEnter, isSameLineTokenOrBeforeBlockContext], 4, 1 /* CanDeleteNewLines */ ), rule( "SpaceBeforeOpenBraceInTypeScriptDeclWithBlock", typeScriptOpenBraceLeftTokenRange, 19, [isOptionDisabledOrUndefinedOrTokensOnSameLine("placeOpenBraceOnNewLineForFunctions"), isTypeScriptDeclWithBlockContext, isNotFormatOnEnter, isSameLineTokenOrBeforeBlockContext], 4, 1 /* CanDeleteNewLines */ ), rule( "NoSpaceBeforeComma", anyToken, 28, [isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), // No space before and after indexer `x[]` rule( "NoSpaceBeforeOpenBracket", anyTokenExcept( 134, 84 /* CaseKeyword */ ), 23, [isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), rule( "NoSpaceAfterCloseBracket", 24, anyToken, [isNonJsxSameLineTokenContext, isNotBeforeBlockInFunctionDeclarationContext], 16 /* DeleteSpace */ ), rule( "SpaceAfterSemicolon", 27, anyToken, [isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), // Remove extra space between for and await rule( "SpaceBetweenForAndAwaitKeyword", 99, 135, [isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ), // Remove extra spaces between ... and type name in tuple spread rule( "SpaceBetweenDotDotDotAndTypeName", 26, typeNames, [isNonJsxSameLineTokenContext], 16 /* DeleteSpace */ ), // Add a space between statements. All keywords except (do,else,case) has open/close parens after them. // So, we have a rule to add a space for [),Any], [do,Any], [else,Any], and [case,Any] rule( "SpaceBetweenStatements", [ 22, 92, 93, 84 /* CaseKeyword */ ], anyToken, [isNonJsxSameLineTokenContext, isNonJsxElementOrFragmentContext, isNotForContext], 4 /* InsertSpace */ ), // This low-pri rule takes care of "try {", "catch {" and "finally {" in case the rule SpaceBeforeOpenBraceInControl didn't execute on FormatOnEnter. rule( "SpaceAfterTryCatchFinally", [ 113, 85, 98 /* FinallyKeyword */ ], 19, [isNonJsxSameLineTokenContext], 4 /* InsertSpace */ ) ]; return [ ...highPriorityCommonRules, ...userConfigurableRules, ...lowPriorityCommonRules ]; } function rule(debugName, left, right, context, action, flags = 0) { return { leftTokenRange: toTokenRange(left), rightTokenRange: toTokenRange(right), rule: { debugName, context, action, flags } }; } function tokenRangeFrom(tokens) { return { tokens, isSpecific: true }; } function toTokenRange(arg) { return typeof arg === "number" ? tokenRangeFrom([arg]) : isArray3(arg) ? tokenRangeFrom(arg) : arg; } function tokenRangeFromRange(from, to, except = []) { const tokens = []; for (let token = from; token <= to; token++) { if (!contains(except, token)) { tokens.push(token); } } return tokenRangeFrom(tokens); } function optionEquals(optionName, optionValue) { return (context) => context.options && context.options[optionName] === optionValue; } function isOptionEnabled(optionName) { return (context) => context.options && hasProperty(context.options, optionName) && !!context.options[optionName]; } function isOptionDisabled(optionName) { return (context) => context.options && hasProperty(context.options, optionName) && !context.options[optionName]; } function isOptionDisabledOrUndefined(optionName) { return (context) => !context.options || !hasProperty(context.options, optionName) || !context.options[optionName]; } function isOptionDisabledOrUndefinedOrTokensOnSameLine(optionName) { return (context) => !context.options || !hasProperty(context.options, optionName) || !context.options[optionName] || context.TokensAreOnSameLine(); } function isOptionEnabledOrUndefined(optionName) { return (context) => !context.options || !hasProperty(context.options, optionName) || !!context.options[optionName]; } function isForContext(context) { return context.contextNode.kind === 248; } function isNotForContext(context) { return !isForContext(context); } function isBinaryOpContext(context) { switch (context.contextNode.kind) { case 226: return context.contextNode.operatorToken.kind !== 28; case 227: case 194: case 234: case 281: case 276: case 182: case 192: case 193: case 238: return true; case 208: case 265: case 271: case 277: case 260: case 169: case 306: case 172: case 171: return context.currentTokenSpan.kind === 64 || context.nextTokenSpan.kind === 64; case 249: case 168: return context.currentTokenSpan.kind === 103 || context.nextTokenSpan.kind === 103 || context.currentTokenSpan.kind === 64 || context.nextTokenSpan.kind === 64; case 250: return context.currentTokenSpan.kind === 165 || context.nextTokenSpan.kind === 165; } return false; } function isNotBinaryOpContext(context) { return !isBinaryOpContext(context); } function isNotTypeAnnotationContext(context) { return !isTypeAnnotationContext(context); } function isTypeAnnotationContext(context) { const contextKind = context.contextNode.kind; return contextKind === 172 || contextKind === 171 || contextKind === 169 || contextKind === 260 || isFunctionLikeKind(contextKind); } function isOptionalPropertyContext(context) { return isPropertyDeclaration(context.contextNode) && context.contextNode.questionToken; } function isNonOptionalPropertyContext(context) { return !isOptionalPropertyContext(context); } function isConditionalOperatorContext(context) { return context.contextNode.kind === 227 || context.contextNode.kind === 194; } function isSameLineTokenOrBeforeBlockContext(context) { return context.TokensAreOnSameLine() || isBeforeBlockContext(context); } function isBraceWrappedContext(context) { return context.contextNode.kind === 206 || context.contextNode.kind === 200 || isSingleLineBlockContext(context); } function isBeforeMultilineBlockContext(context) { return isBeforeBlockContext(context) && !(context.NextNodeAllOnSameLine() || context.NextNodeBlockIsOnOneLine()); } function isMultilineBlockContext(context) { return isBlockContext(context) && !(context.ContextNodeAllOnSameLine() || context.ContextNodeBlockIsOnOneLine()); } function isSingleLineBlockContext(context) { return isBlockContext(context) && (context.ContextNodeAllOnSameLine() || context.ContextNodeBlockIsOnOneLine()); } function isBlockContext(context) { return nodeIsBlockContext(context.contextNode); } function isBeforeBlockContext(context) { return nodeIsBlockContext(context.nextTokenParent); } function nodeIsBlockContext(node) { if (nodeIsTypeScriptDeclWithBlockContext(node)) { return true; } switch (node.kind) { case 241: case 269: case 210: case 268: return true; } return false; } function isFunctionDeclContext(context) { switch (context.contextNode.kind) { case 262: case 174: case 173: case 177: case 178: case 179: case 218: case 176: case 219: case 264: return true; } return false; } function isNotFunctionDeclContext(context) { return !isFunctionDeclContext(context); } function isFunctionDeclarationOrFunctionExpressionContext(context) { return context.contextNode.kind === 262 || context.contextNode.kind === 218; } function isTypeScriptDeclWithBlockContext(context) { return nodeIsTypeScriptDeclWithBlockContext(context.contextNode); } function nodeIsTypeScriptDeclWithBlockContext(node) { switch (node.kind) { case 263: case 231: case 264: case 266: case 187: case 267: case 278: case 279: case 272: case 275: return true; } return false; } function isAfterCodeBlockContext(context) { switch (context.currentTokenParent.kind) { case 263: case 267: case 266: case 299: case 268: case 255: return true; case 241: { const blockParent = context.currentTokenParent.parent; if (!blockParent || blockParent.kind !== 219 && blockParent.kind !== 218) { return true; } } } return false; } function isControlDeclContext(context) { switch (context.contextNode.kind) { case 245: case 255: case 248: case 249: case 250: case 247: case 258: case 246: case 254: case 299: return true; default: return false; } } function isObjectContext(context) { return context.contextNode.kind === 210; } function isFunctionCallContext(context) { return context.contextNode.kind === 213; } function isNewContext(context) { return context.contextNode.kind === 214; } function isFunctionCallOrNewContext(context) { return isFunctionCallContext(context) || isNewContext(context); } function isPreviousTokenNotComma(context) { return context.currentTokenSpan.kind !== 28; } function isNextTokenNotCloseBracket(context) { return context.nextTokenSpan.kind !== 24; } function isNextTokenNotCloseParen(context) { return context.nextTokenSpan.kind !== 22; } function isArrowFunctionContext(context) { return context.contextNode.kind === 219; } function isImportTypeContext(context) { return context.contextNode.kind === 205; } function isNonJsxSameLineTokenContext(context) { return context.TokensAreOnSameLine() && context.contextNode.kind !== 12; } function isNonJsxTextContext(context) { return context.contextNode.kind !== 12; } function isNonJsxElementOrFragmentContext(context) { return context.contextNode.kind !== 284 && context.contextNode.kind !== 288; } function isJsxExpressionContext(context) { return context.contextNode.kind === 294 || context.contextNode.kind === 293; } function isNextTokenParentJsxAttribute(context) { return context.nextTokenParent.kind === 291 || context.nextTokenParent.kind === 295 && context.nextTokenParent.parent.kind === 291; } function isJsxAttributeContext(context) { return context.contextNode.kind === 291; } function isNextTokenParentNotJsxNamespacedName(context) { return context.nextTokenParent.kind !== 295; } function isNextTokenParentJsxNamespacedName(context) { return context.nextTokenParent.kind === 295; } function isJsxSelfClosingElementContext(context) { return context.contextNode.kind === 285; } function isNotBeforeBlockInFunctionDeclarationContext(context) { return !isFunctionDeclContext(context) && !isBeforeBlockContext(context); } function isEndOfDecoratorContextOnSameLine(context) { return context.TokensAreOnSameLine() && hasDecorators(context.contextNode) && nodeIsInDecoratorContext(context.currentTokenParent) && !nodeIsInDecoratorContext(context.nextTokenParent); } function nodeIsInDecoratorContext(node) { while (node && isExpression(node)) { node = node.parent; } return node && node.kind === 170; } function isStartOfVariableDeclarationList(context) { return context.currentTokenParent.kind === 261 && context.currentTokenParent.getStart(context.sourceFile) === context.currentTokenSpan.pos; } function isNotFormatOnEnter(context) { return context.formattingRequestKind !== 2; } function isModuleDeclContext(context) { return context.contextNode.kind === 267; } function isObjectTypeContext(context) { return context.contextNode.kind === 187; } function isConstructorSignatureContext(context) { return context.contextNode.kind === 180; } function isTypeArgumentOrParameterOrAssertion(token, parent2) { if (token.kind !== 30 && token.kind !== 32) { return false; } switch (parent2.kind) { case 183: case 216: case 265: case 263: case 231: case 264: case 262: case 218: case 219: case 174: case 173: case 179: case 180: case 213: case 214: case 233: return true; default: return false; } } function isTypeArgumentOrParameterOrAssertionContext(context) { return isTypeArgumentOrParameterOrAssertion(context.currentTokenSpan, context.currentTokenParent) || isTypeArgumentOrParameterOrAssertion(context.nextTokenSpan, context.nextTokenParent); } function isTypeAssertionContext(context) { return context.contextNode.kind === 216; } function isNonTypeAssertionContext(context) { return !isTypeAssertionContext(context); } function isVoidOpContext(context) { return context.currentTokenSpan.kind === 116 && context.currentTokenParent.kind === 222; } function isYieldOrYieldStarWithOperand(context) { return context.contextNode.kind === 229 && context.contextNode.expression !== void 0; } function isNonNullAssertionContext(context) { return context.contextNode.kind === 235; } function isNotStatementConditionContext(context) { return !isStatementConditionContext(context); } function isStatementConditionContext(context) { switch (context.contextNode.kind) { case 245: case 248: case 249: case 250: case 246: case 247: return true; default: return false; } } function isSemicolonDeletionContext(context) { let nextTokenKind = context.nextTokenSpan.kind; let nextTokenStart = context.nextTokenSpan.pos; if (isTrivia(nextTokenKind)) { const nextRealToken = context.nextTokenParent === context.currentTokenParent ? findNextToken( context.currentTokenParent, findAncestor(context.currentTokenParent, (a) => !a.parent), context.sourceFile ) : context.nextTokenParent.getFirstToken(context.sourceFile); if (!nextRealToken) { return true; } nextTokenKind = nextRealToken.kind; nextTokenStart = nextRealToken.getStart(context.sourceFile); } const startLine = context.sourceFile.getLineAndCharacterOfPosition(context.currentTokenSpan.pos).line; const endLine = context.sourceFile.getLineAndCharacterOfPosition(nextTokenStart).line; if (startLine === endLine) { return nextTokenKind === 20 || nextTokenKind === 1; } if (nextTokenKind === 240 || nextTokenKind === 27) { return false; } if (context.contextNode.kind === 264 || context.contextNode.kind === 265) { return !isPropertySignature(context.currentTokenParent) || !!context.currentTokenParent.type || nextTokenKind !== 21; } if (isPropertyDeclaration(context.currentTokenParent)) { return !context.currentTokenParent.initializer; } return context.currentTokenParent.kind !== 248 && context.currentTokenParent.kind !== 242 && context.currentTokenParent.kind !== 240 && nextTokenKind !== 23 && nextTokenKind !== 21 && nextTokenKind !== 40 && nextTokenKind !== 41 && nextTokenKind !== 44 && nextTokenKind !== 14 && nextTokenKind !== 28 && nextTokenKind !== 228 && nextTokenKind !== 16 && nextTokenKind !== 15 && nextTokenKind !== 25; } function isSemicolonInsertionContext(context) { return positionIsASICandidate(context.currentTokenSpan.end, context.currentTokenParent, context.sourceFile); } function isNotPropertyAccessOnIntegerLiteral(context) { return !isPropertyAccessExpression(context.contextNode) || !isNumericLiteral(context.contextNode.expression) || context.contextNode.expression.getText().includes("."); } function getFormatContext(options, host) { return { options, getRules: getRulesMap(), host }; } var rulesMapCache; function getRulesMap() { if (rulesMapCache === void 0) { rulesMapCache = createRulesMap(getAllRules()); } return rulesMapCache; } function getRuleActionExclusion(ruleAction) { let mask2 = 0; if (ruleAction & 1) { mask2 |= 28; } if (ruleAction & 2) { mask2 |= 96; } if (ruleAction & 28) { mask2 |= 28; } if (ruleAction & 96) { mask2 |= 96; } return mask2; } function createRulesMap(rules) { const map2 = buildMap(rules); return (context) => { const bucket = map2[getRuleBucketIndex(context.currentTokenSpan.kind, context.nextTokenSpan.kind)]; if (bucket) { const rules2 = []; let ruleActionMask = 0; for (const rule2 of bucket) { const acceptRuleActions = ~getRuleActionExclusion(ruleActionMask); if (rule2.action & acceptRuleActions && every(rule2.context, (c) => c(context))) { rules2.push(rule2); ruleActionMask |= rule2.action; } } if (rules2.length) { return rules2; } } }; } function buildMap(rules) { const map2 = new Array(mapRowLength * mapRowLength); const rulesBucketConstructionStateList = new Array(map2.length); for (const rule2 of rules) { const specificRule = rule2.leftTokenRange.isSpecific && rule2.rightTokenRange.isSpecific; for (const left of rule2.leftTokenRange.tokens) { for (const right of rule2.rightTokenRange.tokens) { const index = getRuleBucketIndex(left, right); let rulesBucket = map2[index]; if (rulesBucket === void 0) { rulesBucket = map2[index] = []; } addRule(rulesBucket, rule2.rule, specificRule, rulesBucketConstructionStateList, index); } } } return map2; } function getRuleBucketIndex(row, column) { Debug.assert(row <= 165 && column <= 165, "Must compute formatting context from tokens"); return row * mapRowLength + column; } var maskBitSize = 5; var mask = 31; var mapRowLength = 165 + 1; var RulesPosition = ((RulesPosition2) => { RulesPosition2[RulesPosition2["StopRulesSpecific"] = 0] = "StopRulesSpecific"; RulesPosition2[RulesPosition2["StopRulesAny"] = maskBitSize * 1] = "StopRulesAny"; RulesPosition2[RulesPosition2["ContextRulesSpecific"] = maskBitSize * 2] = "ContextRulesSpecific"; RulesPosition2[RulesPosition2["ContextRulesAny"] = maskBitSize * 3] = "ContextRulesAny"; RulesPosition2[RulesPosition2["NoContextRulesSpecific"] = maskBitSize * 4] = "NoContextRulesSpecific"; RulesPosition2[RulesPosition2["NoContextRulesAny"] = maskBitSize * 5] = "NoContextRulesAny"; return RulesPosition2; })(RulesPosition || {}); function addRule(rules, rule2, specificTokens, constructionState, rulesBucketIndex) { const position = rule2.action & 3 ? specificTokens ? 0 : RulesPosition.StopRulesAny : rule2.context !== anyContext ? specificTokens ? RulesPosition.ContextRulesSpecific : RulesPosition.ContextRulesAny : specificTokens ? RulesPosition.NoContextRulesSpecific : RulesPosition.NoContextRulesAny; const state = constructionState[rulesBucketIndex] || 0; rules.splice(getInsertionIndex(state, position), 0, rule2); constructionState[rulesBucketIndex] = increaseInsertionIndex(state, position); } function getInsertionIndex(indexBitmap, maskPosition) { let index = 0; for (let pos = 0; pos <= maskPosition; pos += maskBitSize) { index += indexBitmap & mask; indexBitmap >>= maskBitSize; } return index; } function increaseInsertionIndex(indexBitmap, maskPosition) { const value = (indexBitmap >> maskPosition & mask) + 1; Debug.assert((value & mask) === value, "Adding more rules into the sub-bucket than allowed. Maximum allowed is 32 rules."); return indexBitmap & ~(mask << maskPosition) | value << maskPosition; } function createTextRangeWithKind(pos, end, kind) { const textRangeWithKind = { pos, end, kind }; if (Debug.isDebugging) { Object.defineProperty(textRangeWithKind, "__debugKind", { get: () => Debug.formatSyntaxKind(kind) }); } return textRangeWithKind; } function formatOnEnter(position, sourceFile, formatContext) { const line = sourceFile.getLineAndCharacterOfPosition(position).line; if (line === 0) { return []; } let endOfFormatSpan = getEndLinePosition(line, sourceFile); while (isWhiteSpaceSingleLine(sourceFile.text.charCodeAt(endOfFormatSpan))) { endOfFormatSpan--; } if (isLineBreak(sourceFile.text.charCodeAt(endOfFormatSpan))) { endOfFormatSpan--; } const span = { // get start position for the previous line pos: getStartPositionOfLine(line - 1, sourceFile), // end value is exclusive so add 1 to the result end: endOfFormatSpan + 1 }; return formatSpan( span, sourceFile, formatContext, 2 /* FormatOnEnter */ ); } function formatOnSemicolon(position, sourceFile, formatContext) { const semicolon = findImmediatelyPrecedingTokenOfKind(position, 27, sourceFile); return formatNodeLines( findOutermostNodeWithinListLevel(semicolon), sourceFile, formatContext, 3 /* FormatOnSemicolon */ ); } function formatOnOpeningCurly(position, sourceFile, formatContext) { const openingCurly = findImmediatelyPrecedingTokenOfKind(position, 19, sourceFile); if (!openingCurly) { return []; } const curlyBraceRange = openingCurly.parent; const outermostNode = findOutermostNodeWithinListLevel(curlyBraceRange); const textRange = { pos: getLineStartPositionForPosition(outermostNode.getStart(sourceFile), sourceFile), // TODO: GH#18217 end: position }; return formatSpan( textRange, sourceFile, formatContext, 4 /* FormatOnOpeningCurlyBrace */ ); } function formatOnClosingCurly(position, sourceFile, formatContext) { const precedingToken = findImmediatelyPrecedingTokenOfKind(position, 20, sourceFile); return formatNodeLines( findOutermostNodeWithinListLevel(precedingToken), sourceFile, formatContext, 5 /* FormatOnClosingCurlyBrace */ ); } function formatDocument(sourceFile, formatContext) { const span = { pos: 0, end: sourceFile.text.length }; return formatSpan( span, sourceFile, formatContext, 0 /* FormatDocument */ ); } function formatSelection(start, end, sourceFile, formatContext) { const span = { pos: getLineStartPositionForPosition(start, sourceFile), end }; return formatSpan( span, sourceFile, formatContext, 1 /* FormatSelection */ ); } function findImmediatelyPrecedingTokenOfKind(end, expectedTokenKind, sourceFile) { const precedingToken = findPrecedingToken(end, sourceFile); return precedingToken && precedingToken.kind === expectedTokenKind && end === precedingToken.getEnd() ? precedingToken : void 0; } function findOutermostNodeWithinListLevel(node) { let current = node; while (current && current.parent && current.parent.end === node.end && !isListElement(current.parent, current)) { current = current.parent; } return current; } function isListElement(parent2, node) { switch (parent2.kind) { case 263: case 264: return rangeContainsRange(parent2.members, node); case 267: const body = parent2.body; return !!body && body.kind === 268 && rangeContainsRange(body.statements, node); case 307: case 241: case 268: return rangeContainsRange(parent2.statements, node); case 299: return rangeContainsRange(parent2.block.statements, node); } return false; } function findEnclosingNode(range, sourceFile) { return find2(sourceFile); function find2(n) { const candidate = forEachChild(n, (c) => startEndContainsRange(c.getStart(sourceFile), c.end, range) && c); if (candidate) { const result = find2(candidate); if (result) { return result; } } return n; } } function prepareRangeContainsErrorFunction(errors, originalRange) { if (!errors.length) { return rangeHasNoErrors; } const sorted = errors.filter((d) => rangeOverlapsWithStartEnd(originalRange, d.start, d.start + d.length)).sort((e1, e2) => e1.start - e2.start); if (!sorted.length) { return rangeHasNoErrors; } let index = 0; return (r) => { while (true) { if (index >= sorted.length) { return false; } const error2 = sorted[index]; if (r.end <= error2.start) { return false; } if (startEndOverlapsWithStartEnd(r.pos, r.end, error2.start, error2.start + error2.length)) { return true; } index++; } }; function rangeHasNoErrors() { return false; } } function getScanStartPosition(enclosingNode, originalRange, sourceFile) { const start = enclosingNode.getStart(sourceFile); if (start === originalRange.pos && enclosingNode.end === originalRange.end) { return start; } const precedingToken = findPrecedingToken(originalRange.pos, sourceFile); if (!precedingToken) { return enclosingNode.pos; } if (precedingToken.end >= originalRange.pos) { return enclosingNode.pos; } return precedingToken.end; } function getOwnOrInheritedDelta(n, options, sourceFile) { let previousLine = -1; let child; while (n) { const line = sourceFile.getLineAndCharacterOfPosition(n.getStart(sourceFile)).line; if (previousLine !== -1 && line !== previousLine) { break; } if (SmartIndenter.shouldIndentChildNode(options, n, child, sourceFile)) { return options.indentSize; } previousLine = line; child = n; n = n.parent; } return 0; } function formatNodeGivenIndentation(node, sourceFileLike, languageVariant, initialIndentation, delta, formatContext) { const range = { pos: node.pos, end: node.end }; return getFormattingScanner(sourceFileLike.text, languageVariant, range.pos, range.end, (scanner2) => formatSpanWorker( range, node, initialIndentation, delta, scanner2, formatContext, 1, (_) => false, // assume that node does not have any errors sourceFileLike )); } function formatNodeLines(node, sourceFile, formatContext, requestKind) { if (!node) { return []; } const span = { pos: getLineStartPositionForPosition(node.getStart(sourceFile), sourceFile), end: node.end }; return formatSpan(span, sourceFile, formatContext, requestKind); } function formatSpan(originalRange, sourceFile, formatContext, requestKind) { const enclosingNode = findEnclosingNode(originalRange, sourceFile); return getFormattingScanner( sourceFile.text, sourceFile.languageVariant, getScanStartPosition(enclosingNode, originalRange, sourceFile), originalRange.end, (scanner2) => formatSpanWorker( originalRange, enclosingNode, SmartIndenter.getIndentationForNode(enclosingNode, originalRange, sourceFile, formatContext.options), getOwnOrInheritedDelta(enclosingNode, formatContext.options, sourceFile), scanner2, formatContext, requestKind, prepareRangeContainsErrorFunction(sourceFile.parseDiagnostics, originalRange), sourceFile ) ); } function formatSpanWorker(originalRange, enclosingNode, initialIndentation, delta, formattingScanner, { options, getRules, host }, requestKind, rangeContainsError, sourceFile) { var _a; const formattingContext = new FormattingContext(sourceFile, requestKind, options); let previousRangeTriviaEnd; let previousRange; let previousParent; let previousRangeStartLine; let lastIndentedLine; let indentationOnLastIndentedLine = -1; const edits = []; formattingScanner.advance(); if (formattingScanner.isOnToken()) { const startLine = sourceFile.getLineAndCharacterOfPosition(enclosingNode.getStart(sourceFile)).line; let undecoratedStartLine = startLine; if (hasDecorators(enclosingNode)) { undecoratedStartLine = sourceFile.getLineAndCharacterOfPosition(getNonDecoratorTokenPosOfNode(enclosingNode, sourceFile)).line; } processNode(enclosingNode, enclosingNode, startLine, undecoratedStartLine, initialIndentation, delta); } const remainingTrivia = formattingScanner.getCurrentLeadingTrivia(); if (remainingTrivia) { const indentation = SmartIndenter.nodeWillIndentChild( options, enclosingNode, /*child*/ void 0, sourceFile, /*indentByDefault*/ false ) ? initialIndentation + options.indentSize : initialIndentation; indentTriviaItems( remainingTrivia, indentation, /*indentNextTokenOrTrivia*/ true, (item) => { processRange( item, sourceFile.getLineAndCharacterOfPosition(item.pos), enclosingNode, enclosingNode, /*dynamicIndentation*/ void 0 ); insertIndentation( item.pos, indentation, /*lineAdded*/ false ); } ); if (options.trimTrailingWhitespace !== false) { trimTrailingWhitespacesForRemainingRange(remainingTrivia); } } if (previousRange && formattingScanner.getTokenFullStart() >= originalRange.end) { const tokenInfo = formattingScanner.isOnEOF() ? formattingScanner.readEOFTokenRange() : formattingScanner.isOnToken() ? formattingScanner.readTokenInfo(enclosingNode).token : void 0; if (tokenInfo && tokenInfo.pos === previousRangeTriviaEnd) { const parent2 = ((_a = findPrecedingToken(tokenInfo.end, sourceFile, enclosingNode)) == null ? void 0 : _a.parent) || previousParent; processPair( tokenInfo, sourceFile.getLineAndCharacterOfPosition(tokenInfo.pos).line, parent2, previousRange, previousRangeStartLine, previousParent, parent2, /*dynamicIndentation*/ void 0 ); } } return edits; function tryComputeIndentationForListItem(startPos, endPos, parentStartLine, range, inheritedIndentation) { if (rangeOverlapsWithStartEnd(range, startPos, endPos) || rangeContainsStartEnd(range, startPos, endPos)) { if (inheritedIndentation !== -1) { return inheritedIndentation; } } else { const startLine = sourceFile.getLineAndCharacterOfPosition(startPos).line; const startLinePosition = getLineStartPositionForPosition(startPos, sourceFile); const column = SmartIndenter.findFirstNonWhitespaceColumn(startLinePosition, startPos, sourceFile, options); if (startLine !== parentStartLine || startPos === column) { const baseIndentSize = SmartIndenter.getBaseIndentation(options); return baseIndentSize > column ? baseIndentSize : column; } } return -1; } function computeIndentation(node, startLine, inheritedIndentation, parent2, parentDynamicIndentation, effectiveParentStartLine) { const delta2 = SmartIndenter.shouldIndentChildNode(options, node) ? options.indentSize : 0; if (effectiveParentStartLine === startLine) { return { indentation: startLine === lastIndentedLine ? indentationOnLastIndentedLine : parentDynamicIndentation.getIndentation(), delta: Math.min(options.indentSize, parentDynamicIndentation.getDelta(node) + delta2) }; } else if (inheritedIndentation === -1) { if (node.kind === 21 && startLine === lastIndentedLine) { return { indentation: indentationOnLastIndentedLine, delta: parentDynamicIndentation.getDelta(node) }; } else if (SmartIndenter.childStartsOnTheSameLineWithElseInIfStatement(parent2, node, startLine, sourceFile) || SmartIndenter.childIsUnindentedBranchOfConditionalExpression(parent2, node, startLine, sourceFile) || SmartIndenter.argumentStartsOnSameLineAsPreviousArgument(parent2, node, startLine, sourceFile)) { return { indentation: parentDynamicIndentation.getIndentation(), delta: delta2 }; } else { return { indentation: parentDynamicIndentation.getIndentation() + parentDynamicIndentation.getDelta(node), delta: delta2 }; } } else { return { indentation: inheritedIndentation, delta: delta2 }; } } function getFirstNonDecoratorTokenOfNode(node) { if (canHaveModifiers(node)) { const modifier = find(node.modifiers, isModifier, findIndex(node.modifiers, isDecorator)); if (modifier) return modifier.kind; } switch (node.kind) { case 263: return 86; case 264: return 120; case 262: return 100; case 266: return 266; case 177: return 139; case 178: return 153; case 174: if (node.asteriskToken) { return 42; } case 172: case 169: const name = getNameOfDeclaration(node); if (name) { return name.kind; } } } function getDynamicIndentation(node, nodeStartLine, indentation, delta2) { return { getIndentationForComment: (kind, tokenIndentation, container) => { switch (kind) { case 20: case 24: case 22: return indentation + getDelta(container); } return tokenIndentation !== -1 ? tokenIndentation : indentation; }, // if list end token is LessThanToken '>' then its delta should be explicitly suppressed // so that LessThanToken as a binary operator can still be indented. // foo.then // < // number, // string, // >(); // vs // var a = xValue // > yValue; getIndentationForToken: (line, kind, container, suppressDelta) => !suppressDelta && shouldAddDelta(line, kind, container) ? indentation + getDelta(container) : indentation, getIndentation: () => indentation, getDelta, recomputeIndentation: (lineAdded, parent2) => { if (SmartIndenter.shouldIndentChildNode(options, parent2, node, sourceFile)) { indentation += lineAdded ? options.indentSize : -options.indentSize; delta2 = SmartIndenter.shouldIndentChildNode(options, node) ? options.indentSize : 0; } } }; function shouldAddDelta(line, kind, container) { switch (kind) { case 19: case 20: case 22: case 93: case 117: case 60: return false; case 44: case 32: switch (container.kind) { case 286: case 287: case 285: return false; } break; case 23: case 24: if (container.kind !== 200) { return false; } break; } return nodeStartLine !== line && !(hasDecorators(node) && kind === getFirstNonDecoratorTokenOfNode(node)); } function getDelta(child) { return SmartIndenter.nodeWillIndentChild( options, node, child, sourceFile, /*indentByDefault*/ true ) ? delta2 : 0; } } function processNode(node, contextNode, nodeStartLine, undecoratedNodeStartLine, indentation, delta2) { if (!rangeOverlapsWithStartEnd(originalRange, node.getStart(sourceFile), node.getEnd())) { return; } const nodeDynamicIndentation = getDynamicIndentation(node, nodeStartLine, indentation, delta2); let childContextNode = contextNode; forEachChild( node, (child) => { processChildNode( child, /*inheritedIndentation*/ -1, node, nodeDynamicIndentation, nodeStartLine, undecoratedNodeStartLine, /*isListItem*/ false ); }, (nodes) => { processChildNodes(nodes, node, nodeStartLine, nodeDynamicIndentation); } ); while (formattingScanner.isOnToken() && formattingScanner.getTokenFullStart() < originalRange.end) { const tokenInfo = formattingScanner.readTokenInfo(node); if (tokenInfo.token.end > Math.min(node.end, originalRange.end)) { break; } consumeTokenAndAdvanceScanner(tokenInfo, node, nodeDynamicIndentation, node); } function processChildNode(child, inheritedIndentation, parent2, parentDynamicIndentation, parentStartLine, undecoratedParentStartLine, isListItem, isFirstListItem) { Debug.assert(!nodeIsSynthesized(child)); if (nodeIsMissing(child) || isGrammarError(parent2, child)) { return inheritedIndentation; } const childStartPos = child.getStart(sourceFile); const childStartLine = sourceFile.getLineAndCharacterOfPosition(childStartPos).line; let undecoratedChildStartLine = childStartLine; if (hasDecorators(child)) { undecoratedChildStartLine = sourceFile.getLineAndCharacterOfPosition(getNonDecoratorTokenPosOfNode(child, sourceFile)).line; } let childIndentationAmount = -1; if (isListItem && rangeContainsRange(originalRange, parent2)) { childIndentationAmount = tryComputeIndentationForListItem(childStartPos, child.end, parentStartLine, originalRange, inheritedIndentation); if (childIndentationAmount !== -1) { inheritedIndentation = childIndentationAmount; } } if (!rangeOverlapsWithStartEnd(originalRange, child.pos, child.end)) { if (child.end < originalRange.pos) { formattingScanner.skipToEndOf(child); } return inheritedIndentation; } if (child.getFullWidth() === 0) { return inheritedIndentation; } while (formattingScanner.isOnToken() && formattingScanner.getTokenFullStart() < originalRange.end) { const tokenInfo = formattingScanner.readTokenInfo(node); if (tokenInfo.token.end > originalRange.end) { return inheritedIndentation; } if (tokenInfo.token.end > childStartPos) { if (tokenInfo.token.pos > childStartPos) { formattingScanner.skipToStartOf(child); } break; } consumeTokenAndAdvanceScanner(tokenInfo, node, parentDynamicIndentation, node); } if (!formattingScanner.isOnToken() || formattingScanner.getTokenFullStart() >= originalRange.end) { return inheritedIndentation; } if (isToken(child)) { const tokenInfo = formattingScanner.readTokenInfo(child); if (child.kind !== 12) { Debug.assert(tokenInfo.token.end === child.end, "Token end is child end"); consumeTokenAndAdvanceScanner(tokenInfo, node, parentDynamicIndentation, child); return inheritedIndentation; } } const effectiveParentStartLine = child.kind === 170 ? childStartLine : undecoratedParentStartLine; const childIndentation = computeIndentation(child, childStartLine, childIndentationAmount, node, parentDynamicIndentation, effectiveParentStartLine); processNode(child, childContextNode, childStartLine, undecoratedChildStartLine, childIndentation.indentation, childIndentation.delta); childContextNode = node; if (isFirstListItem && parent2.kind === 209 && inheritedIndentation === -1) { inheritedIndentation = childIndentation.indentation; } return inheritedIndentation; } function processChildNodes(nodes, parent2, parentStartLine, parentDynamicIndentation) { Debug.assert(isNodeArray(nodes)); Debug.assert(!nodeIsSynthesized(nodes)); const listStartToken = getOpenTokenForList(parent2, nodes); let listDynamicIndentation = parentDynamicIndentation; let startLine = parentStartLine; if (!rangeOverlapsWithStartEnd(originalRange, nodes.pos, nodes.end)) { if (nodes.end < originalRange.pos) { formattingScanner.skipToEndOf(nodes); } return; } if (listStartToken !== 0) { while (formattingScanner.isOnToken() && formattingScanner.getTokenFullStart() < originalRange.end) { const tokenInfo = formattingScanner.readTokenInfo(parent2); if (tokenInfo.token.end > nodes.pos) { break; } else if (tokenInfo.token.kind === listStartToken) { startLine = sourceFile.getLineAndCharacterOfPosition(tokenInfo.token.pos).line; consumeTokenAndAdvanceScanner(tokenInfo, parent2, parentDynamicIndentation, parent2); let indentationOnListStartToken; if (indentationOnLastIndentedLine !== -1) { indentationOnListStartToken = indentationOnLastIndentedLine; } else { const startLinePosition = getLineStartPositionForPosition(tokenInfo.token.pos, sourceFile); indentationOnListStartToken = SmartIndenter.findFirstNonWhitespaceColumn(startLinePosition, tokenInfo.token.pos, sourceFile, options); } listDynamicIndentation = getDynamicIndentation(parent2, parentStartLine, indentationOnListStartToken, options.indentSize); } else { consumeTokenAndAdvanceScanner(tokenInfo, parent2, parentDynamicIndentation, parent2); } } } let inheritedIndentation = -1; for (let i = 0; i < nodes.length; i++) { const child = nodes[i]; inheritedIndentation = processChildNode( child, inheritedIndentation, node, listDynamicIndentation, startLine, startLine, /*isListItem*/ true, /*isFirstListItem*/ i === 0 ); } const listEndToken = getCloseTokenForOpenToken(listStartToken); if (listEndToken !== 0 && formattingScanner.isOnToken() && formattingScanner.getTokenFullStart() < originalRange.end) { let tokenInfo = formattingScanner.readTokenInfo(parent2); if (tokenInfo.token.kind === 28) { consumeTokenAndAdvanceScanner(tokenInfo, parent2, listDynamicIndentation, parent2); tokenInfo = formattingScanner.isOnToken() ? formattingScanner.readTokenInfo(parent2) : void 0; } if (tokenInfo && tokenInfo.token.kind === listEndToken && rangeContainsRange(parent2, tokenInfo.token)) { consumeTokenAndAdvanceScanner( tokenInfo, parent2, listDynamicIndentation, parent2, /*isListEndToken*/ true ); } } } function consumeTokenAndAdvanceScanner(currentTokenInfo, parent2, dynamicIndentation, container, isListEndToken) { Debug.assert(rangeContainsRange(parent2, currentTokenInfo.token)); const lastTriviaWasNewLine = formattingScanner.lastTrailingTriviaWasNewLine(); let indentToken = false; if (currentTokenInfo.leadingTrivia) { processTrivia(currentTokenInfo.leadingTrivia, parent2, childContextNode, dynamicIndentation); } let lineAction = 0; const isTokenInRange = rangeContainsRange(originalRange, currentTokenInfo.token); const tokenStart = sourceFile.getLineAndCharacterOfPosition(currentTokenInfo.token.pos); if (isTokenInRange) { const rangeHasError = rangeContainsError(currentTokenInfo.token); const savePreviousRange = previousRange; lineAction = processRange(currentTokenInfo.token, tokenStart, parent2, childContextNode, dynamicIndentation); if (!rangeHasError) { if (lineAction === 0) { const prevEndLine = savePreviousRange && sourceFile.getLineAndCharacterOfPosition(savePreviousRange.end).line; indentToken = lastTriviaWasNewLine && tokenStart.line !== prevEndLine; } else { indentToken = lineAction === 1; } } } if (currentTokenInfo.trailingTrivia) { previousRangeTriviaEnd = last(currentTokenInfo.trailingTrivia).end; processTrivia(currentTokenInfo.trailingTrivia, parent2, childContextNode, dynamicIndentation); } if (indentToken) { const tokenIndentation = isTokenInRange && !rangeContainsError(currentTokenInfo.token) ? dynamicIndentation.getIndentationForToken(tokenStart.line, currentTokenInfo.token.kind, container, !!isListEndToken) : -1; let indentNextTokenOrTrivia = true; if (currentTokenInfo.leadingTrivia) { const commentIndentation = dynamicIndentation.getIndentationForComment(currentTokenInfo.token.kind, tokenIndentation, container); indentNextTokenOrTrivia = indentTriviaItems(currentTokenInfo.leadingTrivia, commentIndentation, indentNextTokenOrTrivia, (item) => insertIndentation( item.pos, commentIndentation, /*lineAdded*/ false )); } if (tokenIndentation !== -1 && indentNextTokenOrTrivia) { insertIndentation( currentTokenInfo.token.pos, tokenIndentation, lineAction === 1 /* LineAdded */ ); lastIndentedLine = tokenStart.line; indentationOnLastIndentedLine = tokenIndentation; } } formattingScanner.advance(); childContextNode = parent2; } } function indentTriviaItems(trivia, commentIndentation, indentNextTokenOrTrivia, indentSingleLine) { for (const triviaItem of trivia) { const triviaInRange = rangeContainsRange(originalRange, triviaItem); switch (triviaItem.kind) { case 3: if (triviaInRange) { indentMultilineComment( triviaItem, commentIndentation, /*firstLineIsIndented*/ !indentNextTokenOrTrivia ); } indentNextTokenOrTrivia = false; break; case 2: if (indentNextTokenOrTrivia && triviaInRange) { indentSingleLine(triviaItem); } indentNextTokenOrTrivia = false; break; case 4: indentNextTokenOrTrivia = true; break; } } return indentNextTokenOrTrivia; } function processTrivia(trivia, parent2, contextNode, dynamicIndentation) { for (const triviaItem of trivia) { if (isComment(triviaItem.kind) && rangeContainsRange(originalRange, triviaItem)) { const triviaItemStart = sourceFile.getLineAndCharacterOfPosition(triviaItem.pos); processRange(triviaItem, triviaItemStart, parent2, contextNode, dynamicIndentation); } } } function processRange(range, rangeStart, parent2, contextNode, dynamicIndentation) { const rangeHasError = rangeContainsError(range); let lineAction = 0; if (!rangeHasError) { if (!previousRange) { const originalStart = sourceFile.getLineAndCharacterOfPosition(originalRange.pos); trimTrailingWhitespacesForLines(originalStart.line, rangeStart.line); } else { lineAction = processPair(range, rangeStart.line, parent2, previousRange, previousRangeStartLine, previousParent, contextNode, dynamicIndentation); } } previousRange = range; previousRangeTriviaEnd = range.end; previousParent = parent2; previousRangeStartLine = rangeStart.line; return lineAction; } function processPair(currentItem, currentStartLine, currentParent, previousItem, previousStartLine, previousParent2, contextNode, dynamicIndentation) { formattingContext.updateContext(previousItem, previousParent2, currentItem, currentParent, contextNode); const rules = getRules(formattingContext); let trimTrailingWhitespaces = formattingContext.options.trimTrailingWhitespace !== false; let lineAction = 0; if (rules) { forEachRight(rules, (rule2) => { lineAction = applyRuleEdits(rule2, previousItem, previousStartLine, currentItem, currentStartLine); if (dynamicIndentation) { switch (lineAction) { case 2: if (currentParent.getStart(sourceFile) === currentItem.pos) { dynamicIndentation.recomputeIndentation( /*lineAddedByFormatting*/ false, contextNode ); } break; case 1: if (currentParent.getStart(sourceFile) === currentItem.pos) { dynamicIndentation.recomputeIndentation( /*lineAddedByFormatting*/ true, contextNode ); } break; default: Debug.assert( lineAction === 0 /* None */ ); } } trimTrailingWhitespaces = trimTrailingWhitespaces && !(rule2.action & 16) && rule2.flags !== 1; }); } else { trimTrailingWhitespaces = trimTrailingWhitespaces && currentItem.kind !== 1; } if (currentStartLine !== previousStartLine && trimTrailingWhitespaces) { trimTrailingWhitespacesForLines(previousStartLine, currentStartLine, previousItem); } return lineAction; } function insertIndentation(pos, indentation, lineAdded) { const indentationString = getIndentationString(indentation, options); if (lineAdded) { recordReplace(pos, 0, indentationString); } else { const tokenStart = sourceFile.getLineAndCharacterOfPosition(pos); const startLinePosition = getStartPositionOfLine(tokenStart.line, sourceFile); if (indentation !== characterToColumn(startLinePosition, tokenStart.character) || indentationIsDifferent(indentationString, startLinePosition)) { recordReplace(startLinePosition, tokenStart.character, indentationString); } } } function characterToColumn(startLinePosition, characterInLine) { let column = 0; for (let i = 0; i < characterInLine; i++) { if (sourceFile.text.charCodeAt(startLinePosition + i) === 9) { column += options.tabSize - column % options.tabSize; } else { column++; } } return column; } function indentationIsDifferent(indentationString, startLinePosition) { return indentationString !== sourceFile.text.substr(startLinePosition, indentationString.length); } function indentMultilineComment(commentRange, indentation, firstLineIsIndented, indentFinalLine = true) { let startLine = sourceFile.getLineAndCharacterOfPosition(commentRange.pos).line; const endLine = sourceFile.getLineAndCharacterOfPosition(commentRange.end).line; if (startLine === endLine) { if (!firstLineIsIndented) { insertIndentation( commentRange.pos, indentation, /*lineAdded*/ false ); } return; } const parts = []; let startPos = commentRange.pos; for (let line = startLine; line < endLine; line++) { const endOfLine = getEndLinePosition(line, sourceFile); parts.push({ pos: startPos, end: endOfLine }); startPos = getStartPositionOfLine(line + 1, sourceFile); } if (indentFinalLine) { parts.push({ pos: startPos, end: commentRange.end }); } if (parts.length === 0) return; const startLinePos = getStartPositionOfLine(startLine, sourceFile); const nonWhitespaceColumnInFirstPart = SmartIndenter.findFirstNonWhitespaceCharacterAndColumn(startLinePos, parts[0].pos, sourceFile, options); let startIndex = 0; if (firstLineIsIndented) { startIndex = 1; startLine++; } const delta2 = indentation - nonWhitespaceColumnInFirstPart.column; for (let i = startIndex; i < parts.length; i++, startLine++) { const startLinePos2 = getStartPositionOfLine(startLine, sourceFile); const nonWhitespaceCharacterAndColumn = i === 0 ? nonWhitespaceColumnInFirstPart : SmartIndenter.findFirstNonWhitespaceCharacterAndColumn(parts[i].pos, parts[i].end, sourceFile, options); const newIndentation = nonWhitespaceCharacterAndColumn.column + delta2; if (newIndentation > 0) { const indentationString = getIndentationString(newIndentation, options); recordReplace(startLinePos2, nonWhitespaceCharacterAndColumn.character, indentationString); } else { recordDelete(startLinePos2, nonWhitespaceCharacterAndColumn.character); } } } function trimTrailingWhitespacesForLines(line1, line2, range) { for (let line = line1; line < line2; line++) { const lineStartPosition = getStartPositionOfLine(line, sourceFile); const lineEndPosition = getEndLinePosition(line, sourceFile); if (range && (isComment(range.kind) || isStringOrRegularExpressionOrTemplateLiteral(range.kind)) && range.pos <= lineEndPosition && range.end > lineEndPosition) { continue; } const whitespaceStart = getTrailingWhitespaceStartPosition(lineStartPosition, lineEndPosition); if (whitespaceStart !== -1) { Debug.assert(whitespaceStart === lineStartPosition || !isWhiteSpaceSingleLine(sourceFile.text.charCodeAt(whitespaceStart - 1))); recordDelete(whitespaceStart, lineEndPosition + 1 - whitespaceStart); } } } function getTrailingWhitespaceStartPosition(start, end) { let pos = end; while (pos >= start && isWhiteSpaceSingleLine(sourceFile.text.charCodeAt(pos))) { pos--; } if (pos !== end) { return pos + 1; } return -1; } function trimTrailingWhitespacesForRemainingRange(trivias) { let startPos = previousRange ? previousRange.end : originalRange.pos; for (const trivia of trivias) { if (isComment(trivia.kind)) { if (startPos < trivia.pos) { trimTrailingWitespacesForPositions(startPos, trivia.pos - 1, previousRange); } startPos = trivia.end + 1; } } if (startPos < originalRange.end) { trimTrailingWitespacesForPositions(startPos, originalRange.end, previousRange); } } function trimTrailingWitespacesForPositions(startPos, endPos, previousRange2) { const startLine = sourceFile.getLineAndCharacterOfPosition(startPos).line; const endLine = sourceFile.getLineAndCharacterOfPosition(endPos).line; trimTrailingWhitespacesForLines(startLine, endLine + 1, previousRange2); } function recordDelete(start, len) { if (len) { edits.push(createTextChangeFromStartLength(start, len, "")); } } function recordReplace(start, len, newText) { if (len || newText) { edits.push(createTextChangeFromStartLength(start, len, newText)); } } function recordInsert(start, text) { if (text) { edits.push(createTextChangeFromStartLength(start, 0, text)); } } function applyRuleEdits(rule2, previousRange2, previousStartLine, currentRange, currentStartLine) { const onLaterLine = currentStartLine !== previousStartLine; switch (rule2.action) { case 1: return 0; case 16: if (previousRange2.end !== currentRange.pos) { recordDelete(previousRange2.end, currentRange.pos - previousRange2.end); return onLaterLine ? 2 : 0; } break; case 32: recordDelete(previousRange2.pos, previousRange2.end - previousRange2.pos); break; case 8: if (rule2.flags !== 1 && previousStartLine !== currentStartLine) { return 0; } const lineDelta = currentStartLine - previousStartLine; if (lineDelta !== 1) { recordReplace(previousRange2.end, currentRange.pos - previousRange2.end, getNewLineOrDefaultFromHost(host, options)); return onLaterLine ? 0 : 1; } break; case 4: if (rule2.flags !== 1 && previousStartLine !== currentStartLine) { return 0; } const posDelta = currentRange.pos - previousRange2.end; if (posDelta !== 1 || sourceFile.text.charCodeAt(previousRange2.end) !== 32) { recordReplace(previousRange2.end, currentRange.pos - previousRange2.end, " "); return onLaterLine ? 2 : 0; } break; case 64: recordInsert(previousRange2.end, ";"); } return 0; } } function getRangeOfEnclosingComment(sourceFile, position, precedingToken, tokenAtPosition = getTokenAtPosition(sourceFile, position)) { const jsdoc = findAncestor(tokenAtPosition, isJSDoc); if (jsdoc) tokenAtPosition = jsdoc.parent; const tokenStart = tokenAtPosition.getStart(sourceFile); if (tokenStart <= position && position < tokenAtPosition.getEnd()) { return void 0; } precedingToken = precedingToken === null ? void 0 : precedingToken === void 0 ? findPrecedingToken(position, sourceFile) : precedingToken; const trailingRangesOfPreviousToken = precedingToken && getTrailingCommentRanges(sourceFile.text, precedingToken.end); const leadingCommentRangesOfNextToken = getLeadingCommentRangesOfNode(tokenAtPosition, sourceFile); const commentRanges = concatenate(trailingRangesOfPreviousToken, leadingCommentRangesOfNextToken); return commentRanges && find(commentRanges, (range) => rangeContainsPositionExclusive(range, position) || // The end marker of a single-line comment does not include the newline character. // With caret at `^`, in the following case, we are inside a comment (^ denotes the cursor position): // // // asdf ^\n // // But for closed multi-line comments, we don't want to be inside the comment in the following case: // // /* asdf */^ // // However, unterminated multi-line comments *do* contain their end. // // Internally, we represent the end of the comment at the newline and closing '/', respectively. // position === range.end && (range.kind === 2 || position === sourceFile.getFullWidth())); } function getOpenTokenForList(node, list) { switch (node.kind) { case 176: case 262: case 218: case 174: case 173: case 219: case 179: case 180: case 184: case 185: case 177: case 178: if (node.typeParameters === list) { return 30; } else if (node.parameters === list) { return 21; } break; case 213: case 214: if (node.typeArguments === list) { return 30; } else if (node.arguments === list) { return 21; } break; case 263: case 231: case 264: case 265: if (node.typeParameters === list) { return 30; } break; case 183: case 215: case 186: case 233: case 205: if (node.typeArguments === list) { return 30; } break; case 187: return 19; } return 0; } function getCloseTokenForOpenToken(kind) { switch (kind) { case 21: return 22; case 30: return 32; case 19: return 20; } return 0; } var internedSizes; var internedTabsIndentation; var internedSpacesIndentation; function getIndentationString(indentation, options) { const resetInternedStrings = !internedSizes || (internedSizes.tabSize !== options.tabSize || internedSizes.indentSize !== options.indentSize); if (resetInternedStrings) { internedSizes = { tabSize: options.tabSize, indentSize: options.indentSize }; internedTabsIndentation = internedSpacesIndentation = void 0; } if (!options.convertTabsToSpaces) { const tabs = Math.floor(indentation / options.tabSize); const spaces = indentation - tabs * options.tabSize; let tabString; if (!internedTabsIndentation) { internedTabsIndentation = []; } if (internedTabsIndentation[tabs] === void 0) { internedTabsIndentation[tabs] = tabString = repeatString(" ", tabs); } else { tabString = internedTabsIndentation[tabs]; } return spaces ? tabString + repeatString(" ", spaces) : tabString; } else { let spacesString; const quotient = Math.floor(indentation / options.indentSize); const remainder = indentation % options.indentSize; if (!internedSpacesIndentation) { internedSpacesIndentation = []; } if (internedSpacesIndentation[quotient] === void 0) { spacesString = repeatString(" ", options.indentSize * quotient); internedSpacesIndentation[quotient] = spacesString; } else { spacesString = internedSpacesIndentation[quotient]; } return remainder ? spacesString + repeatString(" ", remainder) : spacesString; } } var SmartIndenter; ((SmartIndenter2) => { let Value; ((Value2) => { Value2[Value2["Unknown"] = -1] = "Unknown"; })(Value || (Value = {})); function getIndentation(position, sourceFile, options, assumeNewLineBeforeCloseBrace = false) { if (position > sourceFile.text.length) { return getBaseIndentation(options); } if (options.indentStyle === 0) { return 0; } const precedingToken = findPrecedingToken( position, sourceFile, /*startNode*/ void 0, /*excludeJsdoc*/ true ); const enclosingCommentRange = getRangeOfEnclosingComment(sourceFile, position, precedingToken || null); if (enclosingCommentRange && enclosingCommentRange.kind === 3) { return getCommentIndent(sourceFile, position, options, enclosingCommentRange); } if (!precedingToken) { return getBaseIndentation(options); } const precedingTokenIsLiteral = isStringOrRegularExpressionOrTemplateLiteral(precedingToken.kind); if (precedingTokenIsLiteral && precedingToken.getStart(sourceFile) <= position && position < precedingToken.end) { return 0; } const lineAtPosition = sourceFile.getLineAndCharacterOfPosition(position).line; const currentToken = getTokenAtPosition(sourceFile, position); const isObjectLiteral = currentToken.kind === 19 && currentToken.parent.kind === 210; if (options.indentStyle === 1 || isObjectLiteral) { return getBlockIndent(sourceFile, position, options); } if (precedingToken.kind === 28 && precedingToken.parent.kind !== 226) { const actualIndentation = getActualIndentationForListItemBeforeComma(precedingToken, sourceFile, options); if (actualIndentation !== -1) { return actualIndentation; } } const containerList = getListByPosition(position, precedingToken.parent, sourceFile); if (containerList && !rangeContainsRange(containerList, precedingToken)) { const useTheSameBaseIndentation = [ 218, 219 /* ArrowFunction */ ].includes(currentToken.parent.kind); const indentSize = useTheSameBaseIndentation ? 0 : options.indentSize; return getActualIndentationForListStartLine(containerList, sourceFile, options) + indentSize; } return getSmartIndent(sourceFile, position, precedingToken, lineAtPosition, assumeNewLineBeforeCloseBrace, options); } SmartIndenter2.getIndentation = getIndentation; function getCommentIndent(sourceFile, position, options, enclosingCommentRange) { const previousLine = getLineAndCharacterOfPosition(sourceFile, position).line - 1; const commentStartLine = getLineAndCharacterOfPosition(sourceFile, enclosingCommentRange.pos).line; Debug.assert(commentStartLine >= 0); if (previousLine <= commentStartLine) { return findFirstNonWhitespaceColumn(getStartPositionOfLine(commentStartLine, sourceFile), position, sourceFile, options); } const startPositionOfLine = getStartPositionOfLine(previousLine, sourceFile); const { column, character } = findFirstNonWhitespaceCharacterAndColumn(startPositionOfLine, position, sourceFile, options); if (column === 0) { return column; } const firstNonWhitespaceCharacterCode = sourceFile.text.charCodeAt(startPositionOfLine + character); return firstNonWhitespaceCharacterCode === 42 ? column - 1 : column; } function getBlockIndent(sourceFile, position, options) { let current = position; while (current > 0) { const char = sourceFile.text.charCodeAt(current); if (!isWhiteSpaceLike(char)) { break; } current--; } const lineStart = getLineStartPositionForPosition(current, sourceFile); return findFirstNonWhitespaceColumn(lineStart, current, sourceFile, options); } function getSmartIndent(sourceFile, position, precedingToken, lineAtPosition, assumeNewLineBeforeCloseBrace, options) { let previous; let current = precedingToken; while (current) { if (positionBelongsToNode(current, position, sourceFile) && shouldIndentChildNode( options, current, previous, sourceFile, /*isNextChild*/ true )) { const currentStart = getStartLineAndCharacterForNode(current, sourceFile); const nextTokenKind = nextTokenIsCurlyBraceOnSameLineAsCursor(precedingToken, current, lineAtPosition, sourceFile); const indentationDelta = nextTokenKind !== 0 ? assumeNewLineBeforeCloseBrace && nextTokenKind === 2 ? options.indentSize : 0 : lineAtPosition !== currentStart.line ? options.indentSize : 0; return getIndentationForNodeWorker( current, currentStart, /*ignoreActualIndentationRange*/ void 0, indentationDelta, sourceFile, /*isNextChild*/ true, options ); } const actualIndentation = getActualIndentationForListItem( current, sourceFile, options, /*listIndentsChild*/ true ); if (actualIndentation !== -1) { return actualIndentation; } previous = current; current = current.parent; } return getBaseIndentation(options); } function getIndentationForNode(n, ignoreActualIndentationRange, sourceFile, options) { const start = sourceFile.getLineAndCharacterOfPosition(n.getStart(sourceFile)); return getIndentationForNodeWorker( n, start, ignoreActualIndentationRange, /*indentationDelta*/ 0, sourceFile, /*isNextChild*/ false, options ); } SmartIndenter2.getIndentationForNode = getIndentationForNode; function getBaseIndentation(options) { return options.baseIndentSize || 0; } SmartIndenter2.getBaseIndentation = getBaseIndentation; function getIndentationForNodeWorker(current, currentStart, ignoreActualIndentationRange, indentationDelta, sourceFile, isNextChild, options) { var _a; let parent2 = current.parent; while (parent2) { let useActualIndentation = true; if (ignoreActualIndentationRange) { const start = current.getStart(sourceFile); useActualIndentation = start < ignoreActualIndentationRange.pos || start > ignoreActualIndentationRange.end; } const containingListOrParentStart = getContainingListOrParentStart(parent2, current, sourceFile); const parentAndChildShareLine = containingListOrParentStart.line === currentStart.line || childStartsOnTheSameLineWithElseInIfStatement(parent2, current, currentStart.line, sourceFile); if (useActualIndentation) { const firstListChild = (_a = getContainingList(current, sourceFile)) == null ? void 0 : _a[0]; const listIndentsChild = !!firstListChild && getStartLineAndCharacterForNode(firstListChild, sourceFile).line > containingListOrParentStart.line; let actualIndentation = getActualIndentationForListItem(current, sourceFile, options, listIndentsChild); if (actualIndentation !== -1) { return actualIndentation + indentationDelta; } actualIndentation = getActualIndentationForNode(current, parent2, currentStart, parentAndChildShareLine, sourceFile, options); if (actualIndentation !== -1) { return actualIndentation + indentationDelta; } } if (shouldIndentChildNode(options, parent2, current, sourceFile, isNextChild) && !parentAndChildShareLine) { indentationDelta += options.indentSize; } const useTrueStart = isArgumentAndStartLineOverlapsExpressionBeingCalled(parent2, current, currentStart.line, sourceFile); current = parent2; parent2 = current.parent; currentStart = useTrueStart ? sourceFile.getLineAndCharacterOfPosition(current.getStart(sourceFile)) : containingListOrParentStart; } return indentationDelta + getBaseIndentation(options); } function getContainingListOrParentStart(parent2, child, sourceFile) { const containingList = getContainingList(child, sourceFile); const startPos = containingList ? containingList.pos : parent2.getStart(sourceFile); return sourceFile.getLineAndCharacterOfPosition(startPos); } function getActualIndentationForListItemBeforeComma(commaToken, sourceFile, options) { const commaItemInfo = findListItemInfo(commaToken); if (commaItemInfo && commaItemInfo.listItemIndex > 0) { return deriveActualIndentationFromList(commaItemInfo.list.getChildren(), commaItemInfo.listItemIndex - 1, sourceFile, options); } else { return -1; } } function getActualIndentationForNode(current, parent2, currentLineAndChar, parentAndChildShareLine, sourceFile, options) { const useActualIndentation = (isDeclaration(current) || isStatementButNotDeclaration(current)) && (parent2.kind === 307 || !parentAndChildShareLine); if (!useActualIndentation) { return -1; } return findColumnForFirstNonWhitespaceCharacterInLine(currentLineAndChar, sourceFile, options); } let NextTokenKind; ((NextTokenKind2) => { NextTokenKind2[NextTokenKind2["Unknown"] = 0] = "Unknown"; NextTokenKind2[NextTokenKind2["OpenBrace"] = 1] = "OpenBrace"; NextTokenKind2[NextTokenKind2["CloseBrace"] = 2] = "CloseBrace"; })(NextTokenKind || (NextTokenKind = {})); function nextTokenIsCurlyBraceOnSameLineAsCursor(precedingToken, current, lineAtPosition, sourceFile) { const nextToken = findNextToken(precedingToken, current, sourceFile); if (!nextToken) { return 0; } if (nextToken.kind === 19) { return 1; } else if (nextToken.kind === 20) { const nextTokenStartLine = getStartLineAndCharacterForNode(nextToken, sourceFile).line; return lineAtPosition === nextTokenStartLine ? 2 : 0; } return 0; } function getStartLineAndCharacterForNode(n, sourceFile) { return sourceFile.getLineAndCharacterOfPosition(n.getStart(sourceFile)); } function isArgumentAndStartLineOverlapsExpressionBeingCalled(parent2, child, childStartLine, sourceFile) { if (!(isCallExpression2(parent2) && contains(parent2.arguments, child))) { return false; } const expressionOfCallExpressionEnd = parent2.expression.getEnd(); const expressionOfCallExpressionEndLine = getLineAndCharacterOfPosition(sourceFile, expressionOfCallExpressionEnd).line; return expressionOfCallExpressionEndLine === childStartLine; } SmartIndenter2.isArgumentAndStartLineOverlapsExpressionBeingCalled = isArgumentAndStartLineOverlapsExpressionBeingCalled; function childStartsOnTheSameLineWithElseInIfStatement(parent2, child, childStartLine, sourceFile) { if (parent2.kind === 245 && parent2.elseStatement === child) { const elseKeyword = findChildOfKind(parent2, 93, sourceFile); Debug.assert(elseKeyword !== void 0); const elseKeywordStartLine = getStartLineAndCharacterForNode(elseKeyword, sourceFile).line; return elseKeywordStartLine === childStartLine; } return false; } SmartIndenter2.childStartsOnTheSameLineWithElseInIfStatement = childStartsOnTheSameLineWithElseInIfStatement; function childIsUnindentedBranchOfConditionalExpression(parent2, child, childStartLine, sourceFile) { if (isConditionalExpression(parent2) && (child === parent2.whenTrue || child === parent2.whenFalse)) { const conditionEndLine = getLineAndCharacterOfPosition(sourceFile, parent2.condition.end).line; if (child === parent2.whenTrue) { return childStartLine === conditionEndLine; } else { const trueStartLine = getStartLineAndCharacterForNode(parent2.whenTrue, sourceFile).line; const trueEndLine = getLineAndCharacterOfPosition(sourceFile, parent2.whenTrue.end).line; return conditionEndLine === trueStartLine && trueEndLine === childStartLine; } } return false; } SmartIndenter2.childIsUnindentedBranchOfConditionalExpression = childIsUnindentedBranchOfConditionalExpression; function argumentStartsOnSameLineAsPreviousArgument(parent2, child, childStartLine, sourceFile) { if (isCallOrNewExpression2(parent2)) { if (!parent2.arguments) return false; const currentNode = find(parent2.arguments, (arg) => arg.pos === child.pos); if (!currentNode) return false; const currentIndex = parent2.arguments.indexOf(currentNode); if (currentIndex === 0) return false; const previousNode = parent2.arguments[currentIndex - 1]; const lineOfPreviousNode = getLineAndCharacterOfPosition(sourceFile, previousNode.getEnd()).line; if (childStartLine === lineOfPreviousNode) { return true; } } return false; } SmartIndenter2.argumentStartsOnSameLineAsPreviousArgument = argumentStartsOnSameLineAsPreviousArgument; function getContainingList(node, sourceFile) { return node.parent && getListByRange(node.getStart(sourceFile), node.getEnd(), node.parent, sourceFile); } SmartIndenter2.getContainingList = getContainingList; function getListByPosition(pos, node, sourceFile) { return node && getListByRange(pos, pos, node, sourceFile); } function getListByRange(start, end, node, sourceFile) { switch (node.kind) { case 183: return getList(node.typeArguments); case 210: return getList(node.properties); case 209: return getList(node.elements); case 187: return getList(node.members); case 262: case 218: case 219: case 174: case 173: case 179: case 176: case 185: case 180: return getList(node.typeParameters) || getList(node.parameters); case 177: return getList(node.parameters); case 263: case 231: case 264: case 265: case 345: return getList(node.typeParameters); case 214: case 213: return getList(node.typeArguments) || getList(node.arguments); case 261: return getList(node.declarations); case 275: case 279: return getList(node.elements); case 206: case 207: return getList(node.elements); } function getList(list) { return list && rangeContainsStartEnd(getVisualListRange(node, list, sourceFile), start, end) ? list : void 0; } } function getVisualListRange(node, list, sourceFile) { const children = node.getChildren(sourceFile); for (let i = 1; i < children.length - 1; i++) { if (children[i].pos === list.pos && children[i].end === list.end) { return { pos: children[i - 1].end, end: children[i + 1].getStart(sourceFile) }; } } return list; } function getActualIndentationForListStartLine(list, sourceFile, options) { if (!list) { return -1; } return findColumnForFirstNonWhitespaceCharacterInLine(sourceFile.getLineAndCharacterOfPosition(list.pos), sourceFile, options); } function getActualIndentationForListItem(node, sourceFile, options, listIndentsChild) { if (node.parent && node.parent.kind === 261) { return -1; } const containingList = getContainingList(node, sourceFile); if (containingList) { const index = containingList.indexOf(node); if (index !== -1) { const result = deriveActualIndentationFromList(containingList, index, sourceFile, options); if (result !== -1) { return result; } } return getActualIndentationForListStartLine(containingList, sourceFile, options) + (listIndentsChild ? options.indentSize : 0); } return -1; } function deriveActualIndentationFromList(list, index, sourceFile, options) { Debug.assert(index >= 0 && index < list.length); const node = list[index]; let lineAndCharacter = getStartLineAndCharacterForNode(node, sourceFile); for (let i = index - 1; i >= 0; i--) { if (list[i].kind === 28) { continue; } const prevEndLine = sourceFile.getLineAndCharacterOfPosition(list[i].end).line; if (prevEndLine !== lineAndCharacter.line) { return findColumnForFirstNonWhitespaceCharacterInLine(lineAndCharacter, sourceFile, options); } lineAndCharacter = getStartLineAndCharacterForNode(list[i], sourceFile); } return -1; } function findColumnForFirstNonWhitespaceCharacterInLine(lineAndCharacter, sourceFile, options) { const lineStart = sourceFile.getPositionOfLineAndCharacter(lineAndCharacter.line, 0); return findFirstNonWhitespaceColumn(lineStart, lineStart + lineAndCharacter.character, sourceFile, options); } function findFirstNonWhitespaceCharacterAndColumn(startPos, endPos, sourceFile, options) { let character = 0; let column = 0; for (let pos = startPos; pos < endPos; pos++) { const ch = sourceFile.text.charCodeAt(pos); if (!isWhiteSpaceSingleLine(ch)) { break; } if (ch === 9) { column += options.tabSize + column % options.tabSize; } else { column++; } character++; } return { column, character }; } SmartIndenter2.findFirstNonWhitespaceCharacterAndColumn = findFirstNonWhitespaceCharacterAndColumn; function findFirstNonWhitespaceColumn(startPos, endPos, sourceFile, options) { return findFirstNonWhitespaceCharacterAndColumn(startPos, endPos, sourceFile, options).column; } SmartIndenter2.findFirstNonWhitespaceColumn = findFirstNonWhitespaceColumn; function nodeWillIndentChild(settings, parent2, child, sourceFile, indentByDefault) { const childKind = child ? child.kind : 0; switch (parent2.kind) { case 244: case 263: case 231: case 264: case 266: case 265: case 209: case 241: case 268: case 210: case 187: case 200: case 189: case 217: case 211: case 213: case 214: case 243: case 277: case 253: case 227: case 207: case 206: case 286: case 289: case 285: case 294: case 173: case 179: case 180: case 169: case 184: case 185: case 196: case 215: case 223: case 279: case 275: case 281: case 276: case 172: case 296: case 297: return true; case 269: return settings.indentSwitchCase ?? true; case 260: case 303: case 226: if (!settings.indentMultiLineObjectLiteralBeginningOnBlankLine && sourceFile && childKind === 210) { return rangeIsOnOneLine(sourceFile, child); } if (parent2.kind === 226 && sourceFile && child && childKind === 284) { const parentStartLine = sourceFile.getLineAndCharacterOfPosition(skipTrivia(sourceFile.text, parent2.pos)).line; const childStartLine = sourceFile.getLineAndCharacterOfPosition(skipTrivia(sourceFile.text, child.pos)).line; return parentStartLine !== childStartLine; } if (parent2.kind !== 226) { return true; } break; case 246: case 247: case 249: case 250: case 248: case 245: case 262: case 218: case 174: case 176: case 177: case 178: return childKind !== 241; case 219: if (sourceFile && childKind === 217) { return rangeIsOnOneLine(sourceFile, child); } return childKind !== 241; case 278: return childKind !== 279; case 272: return childKind !== 273 || !!child.namedBindings && child.namedBindings.kind !== 275; case 284: return childKind !== 287; case 288: return childKind !== 290; case 193: case 192: case 238: if (childKind === 187 || childKind === 189 || childKind === 200) { return false; } break; } return indentByDefault; } SmartIndenter2.nodeWillIndentChild = nodeWillIndentChild; function isControlFlowEndingStatement(kind, parent2) { switch (kind) { case 253: case 257: case 251: case 252: return parent2.kind !== 241; default: return false; } } function shouldIndentChildNode(settings, parent2, child, sourceFile, isNextChild = false) { return nodeWillIndentChild( settings, parent2, child, sourceFile, /*indentByDefault*/ false ) && !(isNextChild && child && isControlFlowEndingStatement(child.kind, parent2)); } SmartIndenter2.shouldIndentChildNode = shouldIndentChildNode; function rangeIsOnOneLine(sourceFile, range) { const rangeStart = skipTrivia(sourceFile.text, range.pos); const startLine = sourceFile.getLineAndCharacterOfPosition(rangeStart).line; const endLine = sourceFile.getLineAndCharacterOfPosition(range.end).line; return startLine === endLine; } })(SmartIndenter || (SmartIndenter = {})); var ts_PasteEdits_exports = {}; __export2(ts_PasteEdits_exports, { pasteEditsProvider: () => pasteEditsProvider }); var fixId54 = "providePostPasteEdits"; function pasteEditsProvider(targetFile, pastedText, pasteLocations, copiedFrom, host, preferences, formatContext, cancellationToken) { const changes = ts_textChanges_exports.ChangeTracker.with({ host, formatContext, preferences }, (changeTracker) => pasteEdits(targetFile, pastedText, pasteLocations, copiedFrom, host, preferences, formatContext, cancellationToken, changeTracker)); return { edits: changes, fixId: fixId54 }; } function pasteEdits(targetFile, pastedText, pasteLocations, copiedFrom, host, preferences, formatContext, cancellationToken, changes) { let actualPastedText; if (pastedText.length !== pasteLocations.length) { actualPastedText = pastedText.length === 1 ? pastedText : [pastedText.join("\n")]; } const statements = []; let newText = targetFile.text; for (let i = pasteLocations.length - 1; i >= 0; i--) { const { pos, end } = pasteLocations[i]; newText = actualPastedText ? newText.slice(0, pos) + actualPastedText[0] + newText.slice(end) : newText.slice(0, pos) + pastedText[i] + newText.slice(end); } Debug.checkDefined(host.runWithTemporaryFileUpdate).call(host, targetFile.fileName, newText, (updatedProgram, originalProgram, updatedFile) => { const importAdder = ts_codefix_exports.createImportAdder(updatedFile, updatedProgram, preferences, host); if (copiedFrom == null ? void 0 : copiedFrom.range) { Debug.assert(copiedFrom.range.length === pastedText.length); copiedFrom.range.forEach((copy) => { const statementsInSourceFile = copiedFrom.file.statements; const startNodeIndex = findIndex(statementsInSourceFile, (s) => s.end > copy.pos); if (startNodeIndex === -1) return void 0; let endNodeIndex = findIndex(statementsInSourceFile, (s) => s.end >= copy.end, startNodeIndex); if (endNodeIndex !== -1 && copy.end <= statementsInSourceFile[endNodeIndex].getStart()) { endNodeIndex--; } statements.push(...statementsInSourceFile.slice(startNodeIndex, endNodeIndex === -1 ? statementsInSourceFile.length : endNodeIndex + 1)); }); const usage = getUsageInfo(copiedFrom.file, statements, originalProgram.getTypeChecker(), getExistingLocals(updatedFile, statements, originalProgram.getTypeChecker())); Debug.assertIsDefined(originalProgram); const useEsModuleSyntax = !fileShouldUseJavaScriptRequire(targetFile.fileName, originalProgram, host, !!copiedFrom.file.commonJsModuleIndicator); addExportsInOldFile(copiedFrom.file, usage.targetFileImportsFromOldFile, changes, useEsModuleSyntax); addTargetFileImports(copiedFrom.file, usage.oldImportsNeededByTargetFile, usage.targetFileImportsFromOldFile, originalProgram.getTypeChecker(), updatedProgram, importAdder); } else { const context = { sourceFile: updatedFile, program: originalProgram, cancellationToken, host, preferences, formatContext }; forEachChild(updatedFile, function cb(node) { if (isIdentifier(node) && !(originalProgram == null ? void 0 : originalProgram.getTypeChecker().resolveName( node.text, node, -1, /*excludeGlobals*/ false ))) { importAdder.addImportForUnresolvedIdentifier( context, node, /*useAutoImportProvider*/ true ); } node.forEachChild(cb); }); } importAdder.writeFixes(changes, getQuotePreference(copiedFrom ? copiedFrom.file : targetFile, preferences)); }); pasteLocations.forEach((paste, i) => { changes.replaceRangeWithText( targetFile, { pos: paste.pos, end: paste.end }, actualPastedText ? actualPastedText[0] : pastedText[i] ); }); } var ts_exports2 = {}; __export2(ts_exports2, { ANONYMOUS: () => ANONYMOUS, AccessFlags: () => AccessFlags, AssertionLevel: () => AssertionLevel, AssignmentDeclarationKind: () => AssignmentDeclarationKind, AssignmentKind: () => AssignmentKind, Associativity: () => Associativity, BreakpointResolver: () => ts_BreakpointResolver_exports, BuilderFileEmit: () => BuilderFileEmit, BuilderProgramKind: () => BuilderProgramKind, BuilderState: () => BuilderState, CallHierarchy: () => ts_CallHierarchy_exports, CharacterCodes: () => CharacterCodes, CheckFlags: () => CheckFlags, CheckMode: () => CheckMode, ClassificationType: () => ClassificationType, ClassificationTypeNames: () => ClassificationTypeNames, CommentDirectiveType: () => CommentDirectiveType, Comparison: () => Comparison, CompletionInfoFlags: () => CompletionInfoFlags, CompletionTriggerKind: () => CompletionTriggerKind, Completions: () => ts_Completions_exports, ContainerFlags: () => ContainerFlags, ContextFlags: () => ContextFlags, Debug: () => Debug, DiagnosticCategory: () => DiagnosticCategory, Diagnostics: () => Diagnostics, DocumentHighlights: () => DocumentHighlights, ElementFlags: () => ElementFlags, EmitFlags: () => EmitFlags, EmitHint: () => EmitHint, EmitOnly: () => EmitOnly, EndOfLineState: () => EndOfLineState, ExitStatus: () => ExitStatus, ExportKind: () => ExportKind, Extension: () => Extension, ExternalEmitHelpers: () => ExternalEmitHelpers, FileIncludeKind: () => FileIncludeKind, FilePreprocessingDiagnosticsKind: () => FilePreprocessingDiagnosticsKind, FileSystemEntryKind: () => FileSystemEntryKind, FileWatcherEventKind: () => FileWatcherEventKind, FindAllReferences: () => ts_FindAllReferences_exports, FlattenLevel: () => FlattenLevel, FlowFlags: () => FlowFlags, ForegroundColorEscapeSequences: () => ForegroundColorEscapeSequences, FunctionFlags: () => FunctionFlags, GeneratedIdentifierFlags: () => GeneratedIdentifierFlags, GetLiteralTextFlags: () => GetLiteralTextFlags, GoToDefinition: () => ts_GoToDefinition_exports, HighlightSpanKind: () => HighlightSpanKind, IdentifierNameMap: () => IdentifierNameMap, IdentifierNameMultiMap: () => IdentifierNameMultiMap, ImportKind: () => ImportKind, ImportsNotUsedAsValues: () => ImportsNotUsedAsValues, IndentStyle: () => IndentStyle, IndexFlags: () => IndexFlags, IndexKind: () => IndexKind, InferenceFlags: () => InferenceFlags, InferencePriority: () => InferencePriority, InlayHintKind: () => InlayHintKind2, InlayHints: () => ts_InlayHints_exports, InternalEmitFlags: () => InternalEmitFlags, InternalSymbolName: () => InternalSymbolName, IntersectionFlags: () => IntersectionFlags, InvalidatedProjectKind: () => InvalidatedProjectKind, JSDocParsingMode: () => JSDocParsingMode, JsDoc: () => ts_JsDoc_exports, JsTyping: () => ts_JsTyping_exports, JsxEmit: () => JsxEmit, JsxFlags: () => JsxFlags, JsxReferenceKind: () => JsxReferenceKind, LanguageFeatureMinimumTarget: () => LanguageFeatureMinimumTarget, LanguageServiceMode: () => LanguageServiceMode, LanguageVariant: () => LanguageVariant, LexicalEnvironmentFlags: () => LexicalEnvironmentFlags, ListFormat: () => ListFormat, LogLevel: () => LogLevel2, MapCode: () => ts_MapCode_exports, MemberOverrideStatus: () => MemberOverrideStatus, ModifierFlags: () => ModifierFlags, ModuleDetectionKind: () => ModuleDetectionKind, ModuleInstanceState: () => ModuleInstanceState, ModuleKind: () => ModuleKind, ModuleResolutionKind: () => ModuleResolutionKind, ModuleSpecifierEnding: () => ModuleSpecifierEnding, NavigateTo: () => ts_NavigateTo_exports, NavigationBar: () => ts_NavigationBar_exports, NewLineKind: () => NewLineKind, NodeBuilderFlags: () => NodeBuilderFlags, NodeCheckFlags: () => NodeCheckFlags, NodeFactoryFlags: () => NodeFactoryFlags, NodeFlags: () => NodeFlags, NodeResolutionFeatures: () => NodeResolutionFeatures, ObjectFlags: () => ObjectFlags, OperationCanceledException: () => OperationCanceledException, OperatorPrecedence: () => OperatorPrecedence, OrganizeImports: () => ts_OrganizeImports_exports, OrganizeImportsMode: () => OrganizeImportsMode, OuterExpressionKinds: () => OuterExpressionKinds, OutliningElementsCollector: () => ts_OutliningElementsCollector_exports, OutliningSpanKind: () => OutliningSpanKind, OutputFileType: () => OutputFileType, PackageJsonAutoImportPreference: () => PackageJsonAutoImportPreference, PackageJsonDependencyGroup: () => PackageJsonDependencyGroup, PatternMatchKind: () => PatternMatchKind, PollingInterval: () => PollingInterval, PollingWatchKind: () => PollingWatchKind, PragmaKindFlags: () => PragmaKindFlags, PrivateIdentifierKind: () => PrivateIdentifierKind, ProcessLevel: () => ProcessLevel, ProgramUpdateLevel: () => ProgramUpdateLevel, QuotePreference: () => QuotePreference, RegularExpressionFlags: () => RegularExpressionFlags, RelationComparisonResult: () => RelationComparisonResult, Rename: () => ts_Rename_exports, ScriptElementKind: () => ScriptElementKind, ScriptElementKindModifier: () => ScriptElementKindModifier, ScriptKind: () => ScriptKind, ScriptSnapshot: () => ScriptSnapshot, ScriptTarget: () => ScriptTarget, SemanticClassificationFormat: () => SemanticClassificationFormat, SemanticMeaning: () => SemanticMeaning, SemicolonPreference: () => SemicolonPreference, SignatureCheckMode: () => SignatureCheckMode, SignatureFlags: () => SignatureFlags, SignatureHelp: () => ts_SignatureHelp_exports, SignatureInfo: () => SignatureInfo, SignatureKind: () => SignatureKind, SmartSelectionRange: () => ts_SmartSelectionRange_exports, SnippetKind: () => SnippetKind, StatisticType: () => StatisticType, StructureIsReused: () => StructureIsReused, SymbolAccessibility: () => SymbolAccessibility, SymbolDisplay: () => ts_SymbolDisplay_exports, SymbolDisplayPartKind: () => SymbolDisplayPartKind, SymbolFlags: () => SymbolFlags, SymbolFormatFlags: () => SymbolFormatFlags, SyntaxKind: () => SyntaxKind, SyntheticSymbolKind: () => SyntheticSymbolKind, Ternary: () => Ternary, ThrottledCancellationToken: () => ThrottledCancellationToken, TokenClass: () => TokenClass, TokenFlags: () => TokenFlags, TransformFlags: () => TransformFlags, TypeFacts: () => TypeFacts, TypeFlags: () => TypeFlags, TypeFormatFlags: () => TypeFormatFlags, TypeMapKind: () => TypeMapKind, TypePredicateKind: () => TypePredicateKind, TypeReferenceSerializationKind: () => TypeReferenceSerializationKind, UnionReduction: () => UnionReduction, UpToDateStatusType: () => UpToDateStatusType, VarianceFlags: () => VarianceFlags, Version: () => Version, VersionRange: () => VersionRange, WatchDirectoryFlags: () => WatchDirectoryFlags, WatchDirectoryKind: () => WatchDirectoryKind, WatchFileKind: () => WatchFileKind, WatchLogLevel: () => WatchLogLevel, WatchType: () => WatchType, accessPrivateIdentifier: () => accessPrivateIdentifier, addDisposableResourceHelper: () => addDisposableResourceHelper, addEmitFlags: () => addEmitFlags, addEmitHelper: () => addEmitHelper, addEmitHelpers: () => addEmitHelpers, addInternalEmitFlags: () => addInternalEmitFlags, addNodeFactoryPatcher: () => addNodeFactoryPatcher, addObjectAllocatorPatcher: () => addObjectAllocatorPatcher, addRange: () => addRange, addRelatedInfo: () => addRelatedInfo, addSyntheticLeadingComment: () => addSyntheticLeadingComment, addSyntheticTrailingComment: () => addSyntheticTrailingComment, addToSeen: () => addToSeen, advancedAsyncSuperHelper: () => advancedAsyncSuperHelper, affectsDeclarationPathOptionDeclarations: () => affectsDeclarationPathOptionDeclarations, affectsEmitOptionDeclarations: () => affectsEmitOptionDeclarations, allKeysStartWithDot: () => allKeysStartWithDot, altDirectorySeparator: () => altDirectorySeparator, and: () => and, append: () => append, appendIfUnique: () => appendIfUnique, arrayFrom: () => arrayFrom, arrayIsEqualTo: () => arrayIsEqualTo, arrayIsHomogeneous: () => arrayIsHomogeneous, arrayIsSorted: () => arrayIsSorted, arrayOf: () => arrayOf, arrayReverseIterator: () => arrayReverseIterator, arrayToMap: () => arrayToMap, arrayToMultiMap: () => arrayToMultiMap, arrayToNumericMap: () => arrayToNumericMap, arraysEqual: () => arraysEqual, assertType: () => assertType, assign: () => assign, assignHelper: () => assignHelper, asyncDelegator: () => asyncDelegator, asyncGeneratorHelper: () => asyncGeneratorHelper, asyncSuperHelper: () => asyncSuperHelper, asyncValues: () => asyncValues, attachFileToDiagnostics: () => attachFileToDiagnostics, awaitHelper: () => awaitHelper, awaiterHelper: () => awaiterHelper, base64decode: () => base64decode, base64encode: () => base64encode, binarySearch: () => binarySearch, binarySearchKey: () => binarySearchKey, bindSourceFile: () => bindSourceFile, breakIntoCharacterSpans: () => breakIntoCharacterSpans, breakIntoWordSpans: () => breakIntoWordSpans, buildLinkParts: () => buildLinkParts, buildOpts: () => buildOpts, buildOverload: () => buildOverload, bundlerModuleNameResolver: () => bundlerModuleNameResolver, canBeConvertedToAsync: () => canBeConvertedToAsync, canHaveDecorators: () => canHaveDecorators, canHaveExportModifier: () => canHaveExportModifier, canHaveFlowNode: () => canHaveFlowNode, canHaveIllegalDecorators: () => canHaveIllegalDecorators, canHaveIllegalModifiers: () => canHaveIllegalModifiers, canHaveIllegalType: () => canHaveIllegalType, canHaveIllegalTypeParameters: () => canHaveIllegalTypeParameters, canHaveJSDoc: () => canHaveJSDoc, canHaveLocals: () => canHaveLocals, canHaveModifiers: () => canHaveModifiers, canHaveSymbol: () => canHaveSymbol, canIncludeBindAndCheckDiagnsotics: () => canIncludeBindAndCheckDiagnsotics, canJsonReportNoInputFiles: () => canJsonReportNoInputFiles, canProduceDiagnostics: () => canProduceDiagnostics, canUsePropertyAccess: () => canUsePropertyAccess, canWatchAffectingLocation: () => canWatchAffectingLocation, canWatchAtTypes: () => canWatchAtTypes, canWatchDirectoryOrFile: () => canWatchDirectoryOrFile, cartesianProduct: () => cartesianProduct, cast: () => cast, chainBundle: () => chainBundle, chainDiagnosticMessages: () => chainDiagnosticMessages, changeAnyExtension: () => changeAnyExtension, changeCompilerHostLikeToUseCache: () => changeCompilerHostLikeToUseCache, changeExtension: () => changeExtension, changeFullExtension: () => changeFullExtension, changesAffectModuleResolution: () => changesAffectModuleResolution, changesAffectingProgramStructure: () => changesAffectingProgramStructure, characterToRegularExpressionFlag: () => characterToRegularExpressionFlag, childIsDecorated: () => childIsDecorated, classElementOrClassElementParameterIsDecorated: () => classElementOrClassElementParameterIsDecorated, classHasClassThisAssignment: () => classHasClassThisAssignment, classHasDeclaredOrExplicitlyAssignedName: () => classHasDeclaredOrExplicitlyAssignedName, classHasExplicitlyAssignedName: () => classHasExplicitlyAssignedName, classOrConstructorParameterIsDecorated: () => classOrConstructorParameterIsDecorated, classPrivateFieldGetHelper: () => classPrivateFieldGetHelper, classPrivateFieldInHelper: () => classPrivateFieldInHelper, classPrivateFieldSetHelper: () => classPrivateFieldSetHelper, classicNameResolver: () => classicNameResolver, classifier: () => ts_classifier_exports, cleanExtendedConfigCache: () => cleanExtendedConfigCache, clear: () => clear, clearMap: () => clearMap, clearSharedExtendedConfigFileWatcher: () => clearSharedExtendedConfigFileWatcher, climbPastPropertyAccess: () => climbPastPropertyAccess, climbPastPropertyOrElementAccess: () => climbPastPropertyOrElementAccess, clone: () => clone, cloneCompilerOptions: () => cloneCompilerOptions, closeFileWatcher: () => closeFileWatcher, closeFileWatcherOf: () => closeFileWatcherOf, codefix: () => ts_codefix_exports, collapseTextChangeRangesAcrossMultipleVersions: () => collapseTextChangeRangesAcrossMultipleVersions, collectExternalModuleInfo: () => collectExternalModuleInfo, combine: () => combine, combinePaths: () => combinePaths, commandLineOptionOfCustomType: () => commandLineOptionOfCustomType, commentPragmas: () => commentPragmas, commonOptionsWithBuild: () => commonOptionsWithBuild, commonPackageFolders: () => commonPackageFolders, compact: () => compact, compareBooleans: () => compareBooleans, compareDataObjects: () => compareDataObjects, compareDiagnostics: () => compareDiagnostics, compareDiagnosticsSkipRelatedInformation: () => compareDiagnosticsSkipRelatedInformation, compareEmitHelpers: () => compareEmitHelpers, compareNumberOfDirectorySeparators: () => compareNumberOfDirectorySeparators, comparePaths: () => comparePaths, comparePathsCaseInsensitive: () => comparePathsCaseInsensitive, comparePathsCaseSensitive: () => comparePathsCaseSensitive, comparePatternKeys: () => comparePatternKeys, compareProperties: () => compareProperties, compareStringsCaseInsensitive: () => compareStringsCaseInsensitive, compareStringsCaseInsensitiveEslintCompatible: () => compareStringsCaseInsensitiveEslintCompatible, compareStringsCaseSensitive: () => compareStringsCaseSensitive, compareStringsCaseSensitiveUI: () => compareStringsCaseSensitiveUI, compareTextSpans: () => compareTextSpans, compareValues: () => compareValues, compileOnSaveCommandLineOption: () => compileOnSaveCommandLineOption, compilerOptionsAffectDeclarationPath: () => compilerOptionsAffectDeclarationPath, compilerOptionsAffectEmit: () => compilerOptionsAffectEmit, compilerOptionsAffectSemanticDiagnostics: () => compilerOptionsAffectSemanticDiagnostics, compilerOptionsDidYouMeanDiagnostics: () => compilerOptionsDidYouMeanDiagnostics, compilerOptionsIndicateEsModules: () => compilerOptionsIndicateEsModules, compose: () => compose, computeCommonSourceDirectoryOfFilenames: () => computeCommonSourceDirectoryOfFilenames, computeLineAndCharacterOfPosition: () => computeLineAndCharacterOfPosition, computeLineOfPosition: () => computeLineOfPosition, computeLineStarts: () => computeLineStarts, computePositionOfLineAndCharacter: () => computePositionOfLineAndCharacter, computeSignature: () => computeSignature, computeSignatureWithDiagnostics: () => computeSignatureWithDiagnostics, computeSuggestionDiagnostics: () => computeSuggestionDiagnostics, computedOptions: () => computedOptions, concatenate: () => concatenate, concatenateDiagnosticMessageChains: () => concatenateDiagnosticMessageChains, configDirTemplateSubstitutionOptions: () => configDirTemplateSubstitutionOptions, configDirTemplateSubstitutionWatchOptions: () => configDirTemplateSubstitutionWatchOptions, consumesNodeCoreModules: () => consumesNodeCoreModules, contains: () => contains, containsIgnoredPath: () => containsIgnoredPath, containsObjectRestOrSpread: () => containsObjectRestOrSpread, containsParseError: () => containsParseError, containsPath: () => containsPath, convertCompilerOptionsForTelemetry: () => convertCompilerOptionsForTelemetry, convertCompilerOptionsFromJson: () => convertCompilerOptionsFromJson, convertJsonOption: () => convertJsonOption, convertToBase64: () => convertToBase64, convertToJson: () => convertToJson, convertToObject: () => convertToObject, convertToOptionsWithAbsolutePaths: () => convertToOptionsWithAbsolutePaths, convertToRelativePath: () => convertToRelativePath, convertToTSConfig: () => convertToTSConfig, convertTypeAcquisitionFromJson: () => convertTypeAcquisitionFromJson, copyComments: () => copyComments, copyEntries: () => copyEntries, copyLeadingComments: () => copyLeadingComments, copyProperties: () => copyProperties, copyTrailingAsLeadingComments: () => copyTrailingAsLeadingComments, copyTrailingComments: () => copyTrailingComments, couldStartTrivia: () => couldStartTrivia, countWhere: () => countWhere, createAbstractBuilder: () => createAbstractBuilder, createAccessorPropertyBackingField: () => createAccessorPropertyBackingField, createAccessorPropertyGetRedirector: () => createAccessorPropertyGetRedirector, createAccessorPropertySetRedirector: () => createAccessorPropertySetRedirector, createBaseNodeFactory: () => createBaseNodeFactory, createBinaryExpressionTrampoline: () => createBinaryExpressionTrampoline, createBindingHelper: () => createBindingHelper, createBuildInfo: () => createBuildInfo, createBuilderProgram: () => createBuilderProgram, createBuilderProgramUsingProgramBuildInfo: () => createBuilderProgramUsingProgramBuildInfo, createBuilderStatusReporter: () => createBuilderStatusReporter, createCacheWithRedirects: () => createCacheWithRedirects, createCacheableExportInfoMap: () => createCacheableExportInfoMap, createCachedDirectoryStructureHost: () => createCachedDirectoryStructureHost, createClassNamedEvaluationHelperBlock: () => createClassNamedEvaluationHelperBlock, createClassThisAssignmentBlock: () => createClassThisAssignmentBlock, createClassifier: () => createClassifier, createCommentDirectivesMap: () => createCommentDirectivesMap, createCompilerDiagnostic: () => createCompilerDiagnostic, createCompilerDiagnosticForInvalidCustomType: () => createCompilerDiagnosticForInvalidCustomType, createCompilerDiagnosticFromMessageChain: () => createCompilerDiagnosticFromMessageChain, createCompilerHost: () => createCompilerHost, createCompilerHostFromProgramHost: () => createCompilerHostFromProgramHost, createCompilerHostWorker: () => createCompilerHostWorker, createDetachedDiagnostic: () => createDetachedDiagnostic, createDiagnosticCollection: () => createDiagnosticCollection, createDiagnosticForFileFromMessageChain: () => createDiagnosticForFileFromMessageChain, createDiagnosticForNode: () => createDiagnosticForNode, createDiagnosticForNodeArray: () => createDiagnosticForNodeArray, createDiagnosticForNodeArrayFromMessageChain: () => createDiagnosticForNodeArrayFromMessageChain, createDiagnosticForNodeFromMessageChain: () => createDiagnosticForNodeFromMessageChain, createDiagnosticForNodeInSourceFile: () => createDiagnosticForNodeInSourceFile, createDiagnosticForRange: () => createDiagnosticForRange, createDiagnosticMessageChainFromDiagnostic: () => createDiagnosticMessageChainFromDiagnostic, createDiagnosticReporter: () => createDiagnosticReporter, createDocumentPositionMapper: () => createDocumentPositionMapper, createDocumentRegistry: () => createDocumentRegistry, createDocumentRegistryInternal: () => createDocumentRegistryInternal, createEmitAndSemanticDiagnosticsBuilderProgram: () => createEmitAndSemanticDiagnosticsBuilderProgram, createEmitHelperFactory: () => createEmitHelperFactory, createEmptyExports: () => createEmptyExports, createEvaluator: () => createEvaluator, createExpressionForJsxElement: () => createExpressionForJsxElement, createExpressionForJsxFragment: () => createExpressionForJsxFragment, createExpressionForObjectLiteralElementLike: () => createExpressionForObjectLiteralElementLike, createExpressionForPropertyName: () => createExpressionForPropertyName, createExpressionFromEntityName: () => createExpressionFromEntityName, createExternalHelpersImportDeclarationIfNeeded: () => createExternalHelpersImportDeclarationIfNeeded, createFileDiagnostic: () => createFileDiagnostic, createFileDiagnosticFromMessageChain: () => createFileDiagnosticFromMessageChain, createFlowNode: () => createFlowNode, createForOfBindingStatement: () => createForOfBindingStatement, createFutureSourceFile: () => createFutureSourceFile, createGetCanonicalFileName: () => createGetCanonicalFileName, createGetIsolatedDeclarationErrors: () => createGetIsolatedDeclarationErrors, createGetSourceFile: () => createGetSourceFile, createGetSymbolAccessibilityDiagnosticForNode: () => createGetSymbolAccessibilityDiagnosticForNode, createGetSymbolAccessibilityDiagnosticForNodeName: () => createGetSymbolAccessibilityDiagnosticForNodeName, createGetSymbolWalker: () => createGetSymbolWalker, createIncrementalCompilerHost: () => createIncrementalCompilerHost, createIncrementalProgram: () => createIncrementalProgram, createJsxFactoryExpression: () => createJsxFactoryExpression, createLanguageService: () => createLanguageService, createLanguageServiceSourceFile: () => createLanguageServiceSourceFile, createMemberAccessForPropertyName: () => createMemberAccessForPropertyName, createModeAwareCache: () => createModeAwareCache, createModeAwareCacheKey: () => createModeAwareCacheKey, createModuleNotFoundChain: () => createModuleNotFoundChain, createModuleResolutionCache: () => createModuleResolutionCache, createModuleResolutionLoader: () => createModuleResolutionLoader, createModuleResolutionLoaderUsingGlobalCache: () => createModuleResolutionLoaderUsingGlobalCache, createModuleSpecifierResolutionHost: () => createModuleSpecifierResolutionHost, createMultiMap: () => createMultiMap, createNameResolver: () => createNameResolver, createNodeConverters: () => createNodeConverters, createNodeFactory: () => createNodeFactory, createOptionNameMap: () => createOptionNameMap, createOverload: () => createOverload, createPackageJsonImportFilter: () => createPackageJsonImportFilter, createPackageJsonInfo: () => createPackageJsonInfo, createParenthesizerRules: () => createParenthesizerRules, createPatternMatcher: () => createPatternMatcher, createPrinter: () => createPrinter, createPrinterWithDefaults: () => createPrinterWithDefaults, createPrinterWithRemoveComments: () => createPrinterWithRemoveComments, createPrinterWithRemoveCommentsNeverAsciiEscape: () => createPrinterWithRemoveCommentsNeverAsciiEscape, createPrinterWithRemoveCommentsOmitTrailingSemicolon: () => createPrinterWithRemoveCommentsOmitTrailingSemicolon, createProgram: () => createProgram, createProgramHost: () => createProgramHost, createPropertyNameNodeForIdentifierOrLiteral: () => createPropertyNameNodeForIdentifierOrLiteral, createQueue: () => createQueue, createRange: () => createRange, createRedirectedBuilderProgram: () => createRedirectedBuilderProgram, createResolutionCache: () => createResolutionCache, createRuntimeTypeSerializer: () => createRuntimeTypeSerializer, createScanner: () => createScanner, createSemanticDiagnosticsBuilderProgram: () => createSemanticDiagnosticsBuilderProgram, createSet: () => createSet, createSolutionBuilder: () => createSolutionBuilder, createSolutionBuilderHost: () => createSolutionBuilderHost, createSolutionBuilderWithWatch: () => createSolutionBuilderWithWatch, createSolutionBuilderWithWatchHost: () => createSolutionBuilderWithWatchHost, createSortedArray: () => createSortedArray, createSourceFile: () => createSourceFile, createSourceMapGenerator: () => createSourceMapGenerator, createSourceMapSource: () => createSourceMapSource, createSuperAccessVariableStatement: () => createSuperAccessVariableStatement, createSymbolTable: () => createSymbolTable, createSymlinkCache: () => createSymlinkCache, createSyntacticTypeNodeBuilder: () => createSyntacticTypeNodeBuilder, createSystemWatchFunctions: () => createSystemWatchFunctions, createTextChange: () => createTextChange, createTextChangeFromStartLength: () => createTextChangeFromStartLength, createTextChangeRange: () => createTextChangeRange, createTextRangeFromNode: () => createTextRangeFromNode, createTextRangeFromSpan: () => createTextRangeFromSpan, createTextSpan: () => createTextSpan, createTextSpanFromBounds: () => createTextSpanFromBounds, createTextSpanFromNode: () => createTextSpanFromNode, createTextSpanFromRange: () => createTextSpanFromRange, createTextSpanFromStringLiteralLikeContent: () => createTextSpanFromStringLiteralLikeContent, createTextWriter: () => createTextWriter, createTokenRange: () => createTokenRange, createTypeChecker: () => createTypeChecker, createTypeReferenceDirectiveResolutionCache: () => createTypeReferenceDirectiveResolutionCache, createTypeReferenceResolutionLoader: () => createTypeReferenceResolutionLoader, createWatchCompilerHost: () => createWatchCompilerHost2, createWatchCompilerHostOfConfigFile: () => createWatchCompilerHostOfConfigFile, createWatchCompilerHostOfFilesAndCompilerOptions: () => createWatchCompilerHostOfFilesAndCompilerOptions, createWatchFactory: () => createWatchFactory, createWatchHost: () => createWatchHost, createWatchProgram: () => createWatchProgram, createWatchStatusReporter: () => createWatchStatusReporter, createWriteFileMeasuringIO: () => createWriteFileMeasuringIO, declarationNameToString: () => declarationNameToString, decodeMappings: () => decodeMappings, decodedTextSpanIntersectsWith: () => decodedTextSpanIntersectsWith, decorateHelper: () => decorateHelper, deduplicate: () => deduplicate, defaultIncludeSpec: () => defaultIncludeSpec, defaultInitCompilerOptions: () => defaultInitCompilerOptions, defaultMaximumTruncationLength: () => defaultMaximumTruncationLength, diagnosticCategoryName: () => diagnosticCategoryName, diagnosticToString: () => diagnosticToString, diagnosticsEqualityComparer: () => diagnosticsEqualityComparer, directoryProbablyExists: () => directoryProbablyExists, directorySeparator: () => directorySeparator, displayPart: () => displayPart, displayPartsToString: () => displayPartsToString, disposeEmitNodes: () => disposeEmitNodes, disposeResourcesHelper: () => disposeResourcesHelper, documentSpansEqual: () => documentSpansEqual, dumpTracingLegend: () => dumpTracingLegend, elementAt: () => elementAt, elideNodes: () => elideNodes, emitComments: () => emitComments, emitDetachedComments: () => emitDetachedComments, emitFiles: () => emitFiles, emitFilesAndReportErrors: () => emitFilesAndReportErrors, emitFilesAndReportErrorsAndGetExitStatus: () => emitFilesAndReportErrorsAndGetExitStatus, emitModuleKindIsNonNodeESM: () => emitModuleKindIsNonNodeESM, emitNewLineBeforeLeadingCommentOfPosition: () => emitNewLineBeforeLeadingCommentOfPosition, emitNewLineBeforeLeadingComments: () => emitNewLineBeforeLeadingComments, emitNewLineBeforeLeadingCommentsOfPosition: () => emitNewLineBeforeLeadingCommentsOfPosition, emitResolverSkipsTypeChecking: () => emitResolverSkipsTypeChecking, emitSkippedWithNoDiagnostics: () => emitSkippedWithNoDiagnostics, emptyArray: () => emptyArray, emptyFileSystemEntries: () => emptyFileSystemEntries, emptyMap: () => emptyMap, emptyOptions: () => emptyOptions, emptySet: () => emptySet, endsWith: () => endsWith, ensurePathIsNonModuleName: () => ensurePathIsNonModuleName, ensureScriptKind: () => ensureScriptKind, ensureTrailingDirectorySeparator: () => ensureTrailingDirectorySeparator, entityNameToString: () => entityNameToString, enumerateInsertsAndDeletes: () => enumerateInsertsAndDeletes, equalOwnProperties: () => equalOwnProperties, equateStringsCaseInsensitive: () => equateStringsCaseInsensitive, equateStringsCaseSensitive: () => equateStringsCaseSensitive, equateValues: () => equateValues, esDecorateHelper: () => esDecorateHelper, escapeJsxAttributeString: () => escapeJsxAttributeString, escapeLeadingUnderscores: () => escapeLeadingUnderscores, escapeNonAsciiString: () => escapeNonAsciiString, escapeSnippetText: () => escapeSnippetText, escapeString: () => escapeString2, escapeTemplateSubstitution: () => escapeTemplateSubstitution, evaluatorResult: () => evaluatorResult, every: () => every, executeCommandLine: () => executeCommandLine, expandPreOrPostfixIncrementOrDecrementExpression: () => expandPreOrPostfixIncrementOrDecrementExpression, explainFiles: () => explainFiles, explainIfFileIsRedirectAndImpliedFormat: () => explainIfFileIsRedirectAndImpliedFormat, exportAssignmentIsAlias: () => exportAssignmentIsAlias, exportStarHelper: () => exportStarHelper, expressionResultIsUnused: () => expressionResultIsUnused, extend: () => extend, extendsHelper: () => extendsHelper, extensionFromPath: () => extensionFromPath, extensionIsTS: () => extensionIsTS, extensionsNotSupportingExtensionlessResolution: () => extensionsNotSupportingExtensionlessResolution, externalHelpersModuleNameText: () => externalHelpersModuleNameText, factory: () => factory, fileExtensionIs: () => fileExtensionIs, fileExtensionIsOneOf: () => fileExtensionIsOneOf, fileIncludeReasonToDiagnostics: () => fileIncludeReasonToDiagnostics, fileShouldUseJavaScriptRequire: () => fileShouldUseJavaScriptRequire, filter: () => filter, filterMutate: () => filterMutate, filterSemanticDiagnostics: () => filterSemanticDiagnostics, find: () => find, findAncestor: () => findAncestor, findBestPatternMatch: () => findBestPatternMatch, findChildOfKind: () => findChildOfKind, findComputedPropertyNameCacheAssignment: () => findComputedPropertyNameCacheAssignment, findConfigFile: () => findConfigFile, findConstructorDeclaration: () => findConstructorDeclaration, findContainingList: () => findContainingList, findDiagnosticForNode: () => findDiagnosticForNode, findFirstNonJsxWhitespaceToken: () => findFirstNonJsxWhitespaceToken, findIndex: () => findIndex, findLast: () => findLast, findLastIndex: () => findLastIndex, findListItemInfo: () => findListItemInfo, findMap: () => findMap, findModifier: () => findModifier, findNextToken: () => findNextToken, findPackageJson: () => findPackageJson, findPackageJsons: () => findPackageJsons, findPrecedingMatchingToken: () => findPrecedingMatchingToken, findPrecedingToken: () => findPrecedingToken, findSuperStatementIndexPath: () => findSuperStatementIndexPath, findTokenOnLeftOfPosition: () => findTokenOnLeftOfPosition, findUseStrictPrologue: () => findUseStrictPrologue, first: () => first, firstDefined: () => firstDefined, firstDefinedIterator: () => firstDefinedIterator, firstIterator: () => firstIterator, firstOrOnly: () => firstOrOnly, firstOrUndefined: () => firstOrUndefined, firstOrUndefinedIterator: () => firstOrUndefinedIterator, fixupCompilerOptions: () => fixupCompilerOptions, flatMap: () => flatMap, flatMapIterator: () => flatMapIterator, flatMapToMutable: () => flatMapToMutable, flatten: () => flatten, flattenCommaList: () => flattenCommaList, flattenDestructuringAssignment: () => flattenDestructuringAssignment, flattenDestructuringBinding: () => flattenDestructuringBinding, flattenDiagnosticMessageText: () => flattenDiagnosticMessageText, forEach: () => forEach, forEachAncestor: () => forEachAncestor, forEachAncestorDirectory: () => forEachAncestorDirectory, forEachChild: () => forEachChild, forEachChildRecursively: () => forEachChildRecursively, forEachEmittedFile: () => forEachEmittedFile, forEachEnclosingBlockScopeContainer: () => forEachEnclosingBlockScopeContainer, forEachEntry: () => forEachEntry, forEachExternalModuleToImportFrom: () => forEachExternalModuleToImportFrom, forEachImportClauseDeclaration: () => forEachImportClauseDeclaration, forEachKey: () => forEachKey, forEachLeadingCommentRange: () => forEachLeadingCommentRange, forEachNameInAccessChainWalkingLeft: () => forEachNameInAccessChainWalkingLeft, forEachNameOfDefaultExport: () => forEachNameOfDefaultExport, forEachPropertyAssignment: () => forEachPropertyAssignment, forEachResolvedProjectReference: () => forEachResolvedProjectReference, forEachReturnStatement: () => forEachReturnStatement, forEachRight: () => forEachRight, forEachTrailingCommentRange: () => forEachTrailingCommentRange, forEachTsConfigPropArray: () => forEachTsConfigPropArray, forEachUnique: () => forEachUnique, forEachYieldExpression: () => forEachYieldExpression, forSomeAncestorDirectory: () => forSomeAncestorDirectory, formatColorAndReset: () => formatColorAndReset, formatDiagnostic: () => formatDiagnostic, formatDiagnostics: () => formatDiagnostics, formatDiagnosticsWithColorAndContext: () => formatDiagnosticsWithColorAndContext, formatGeneratedName: () => formatGeneratedName, formatGeneratedNamePart: () => formatGeneratedNamePart, formatLocation: () => formatLocation, formatMessage: () => formatMessage, formatStringFromArgs: () => formatStringFromArgs, formatting: () => ts_formatting_exports, fullTripleSlashAMDReferencePathRegEx: () => fullTripleSlashAMDReferencePathRegEx, fullTripleSlashReferencePathRegEx: () => fullTripleSlashReferencePathRegEx, generateDjb2Hash: () => generateDjb2Hash, generateTSConfig: () => generateTSConfig, generatorHelper: () => generatorHelper, getAdjustedReferenceLocation: () => getAdjustedReferenceLocation, getAdjustedRenameLocation: () => getAdjustedRenameLocation, getAliasDeclarationFromName: () => getAliasDeclarationFromName, getAllAccessorDeclarations: () => getAllAccessorDeclarations, getAllDecoratorsOfClass: () => getAllDecoratorsOfClass, getAllDecoratorsOfClassElement: () => getAllDecoratorsOfClassElement, getAllJSDocTags: () => getAllJSDocTags, getAllJSDocTagsOfKind: () => getAllJSDocTagsOfKind, getAllKeys: () => getAllKeys, getAllProjectOutputs: () => getAllProjectOutputs, getAllSuperTypeNodes: () => getAllSuperTypeNodes, getAllowJSCompilerOption: () => getAllowJSCompilerOption, getAllowSyntheticDefaultImports: () => getAllowSyntheticDefaultImports, getAncestor: () => getAncestor2, getAnyExtensionFromPath: () => getAnyExtensionFromPath, getAreDeclarationMapsEnabled: () => getAreDeclarationMapsEnabled, getAssignedExpandoInitializer: () => getAssignedExpandoInitializer, getAssignedName: () => getAssignedName, getAssignedNameOfIdentifier: () => getAssignedNameOfIdentifier, getAssignmentDeclarationKind: () => getAssignmentDeclarationKind, getAssignmentDeclarationPropertyAccessKind: () => getAssignmentDeclarationPropertyAccessKind, getAssignmentTargetKind: () => getAssignmentTargetKind, getAutomaticTypeDirectiveNames: () => getAutomaticTypeDirectiveNames, getBaseFileName: () => getBaseFileName, getBinaryOperatorPrecedence: () => getBinaryOperatorPrecedence, getBuildInfo: () => getBuildInfo, getBuildInfoFileVersionMap: () => getBuildInfoFileVersionMap, getBuildInfoText: () => getBuildInfoText, getBuildOrderFromAnyBuildOrder: () => getBuildOrderFromAnyBuildOrder, getBuilderCreationParameters: () => getBuilderCreationParameters, getBuilderFileEmit: () => getBuilderFileEmit, getCanonicalDiagnostic: () => getCanonicalDiagnostic, getCheckFlags: () => getCheckFlags, getClassExtendsHeritageElement: () => getClassExtendsHeritageElement, getClassLikeDeclarationOfSymbol: () => getClassLikeDeclarationOfSymbol, getCombinedLocalAndExportSymbolFlags: () => getCombinedLocalAndExportSymbolFlags, getCombinedModifierFlags: () => getCombinedModifierFlags, getCombinedNodeFlags: () => getCombinedNodeFlags, getCombinedNodeFlagsAlwaysIncludeJSDoc: () => getCombinedNodeFlagsAlwaysIncludeJSDoc, getCommentRange: () => getCommentRange, getCommonSourceDirectory: () => getCommonSourceDirectory, getCommonSourceDirectoryOfConfig: () => getCommonSourceDirectoryOfConfig, getCompilerOptionValue: () => getCompilerOptionValue, getCompilerOptionsDiffValue: () => getCompilerOptionsDiffValue, getConditions: () => getConditions, getConfigFileParsingDiagnostics: () => getConfigFileParsingDiagnostics, getConstantValue: () => getConstantValue, getContainerFlags: () => getContainerFlags, getContainerNode: () => getContainerNode, getContainingClass: () => getContainingClass, getContainingClassExcludingClassDecorators: () => getContainingClassExcludingClassDecorators, getContainingClassStaticBlock: () => getContainingClassStaticBlock, getContainingFunction: () => getContainingFunction, getContainingFunctionDeclaration: () => getContainingFunctionDeclaration, getContainingFunctionOrClassStaticBlock: () => getContainingFunctionOrClassStaticBlock, getContainingNodeArray: () => getContainingNodeArray, getContainingObjectLiteralElement: () => getContainingObjectLiteralElement, getContextualTypeFromParent: () => getContextualTypeFromParent, getContextualTypeFromParentOrAncestorTypeNode: () => getContextualTypeFromParentOrAncestorTypeNode, getCurrentTime: () => getCurrentTime, getDeclarationDiagnostics: () => getDeclarationDiagnostics, getDeclarationEmitExtensionForPath: () => getDeclarationEmitExtensionForPath, getDeclarationEmitOutputFilePath: () => getDeclarationEmitOutputFilePath, getDeclarationEmitOutputFilePathWorker: () => getDeclarationEmitOutputFilePathWorker, getDeclarationFileExtension: () => getDeclarationFileExtension, getDeclarationFromName: () => getDeclarationFromName, getDeclarationModifierFlagsFromSymbol: () => getDeclarationModifierFlagsFromSymbol, getDeclarationOfKind: () => getDeclarationOfKind, getDeclarationsOfKind: () => getDeclarationsOfKind, getDeclaredExpandoInitializer: () => getDeclaredExpandoInitializer, getDecorators: () => getDecorators, getDefaultCompilerOptions: () => getDefaultCompilerOptions2, getDefaultFormatCodeSettings: () => getDefaultFormatCodeSettings, getDefaultLibFileName: () => getDefaultLibFileName, getDefaultLibFilePath: () => getDefaultLibFilePath, getDefaultLikeExportInfo: () => getDefaultLikeExportInfo, getDefaultLikeExportNameFromDeclaration: () => getDefaultLikeExportNameFromDeclaration, getDiagnosticText: () => getDiagnosticText, getDiagnosticsWithinSpan: () => getDiagnosticsWithinSpan, getDirectoryPath: () => getDirectoryPath, getDirectoryToWatchFailedLookupLocation: () => getDirectoryToWatchFailedLookupLocation, getDirectoryToWatchFailedLookupLocationFromTypeRoot: () => getDirectoryToWatchFailedLookupLocationFromTypeRoot, getDocumentPositionMapper: () => getDocumentPositionMapper, getDocumentSpansEqualityComparer: () => getDocumentSpansEqualityComparer, getESModuleInterop: () => getESModuleInterop, getEditsForFileRename: () => getEditsForFileRename, getEffectiveBaseTypeNode: () => getEffectiveBaseTypeNode, getEffectiveConstraintOfTypeParameter: () => getEffectiveConstraintOfTypeParameter, getEffectiveContainerForJSDocTemplateTag: () => getEffectiveContainerForJSDocTemplateTag, getEffectiveImplementsTypeNodes: () => getEffectiveImplementsTypeNodes, getEffectiveInitializer: () => getEffectiveInitializer, getEffectiveJSDocHost: () => getEffectiveJSDocHost, getEffectiveModifierFlags: () => getEffectiveModifierFlags, getEffectiveModifierFlagsAlwaysIncludeJSDoc: () => getEffectiveModifierFlagsAlwaysIncludeJSDoc, getEffectiveModifierFlagsNoCache: () => getEffectiveModifierFlagsNoCache, getEffectiveReturnTypeNode: () => getEffectiveReturnTypeNode, getEffectiveSetAccessorTypeAnnotationNode: () => getEffectiveSetAccessorTypeAnnotationNode, getEffectiveTypeAnnotationNode: () => getEffectiveTypeAnnotationNode, getEffectiveTypeParameterDeclarations: () => getEffectiveTypeParameterDeclarations, getEffectiveTypeRoots: () => getEffectiveTypeRoots, getElementOrPropertyAccessArgumentExpressionOrName: () => getElementOrPropertyAccessArgumentExpressionOrName, getElementOrPropertyAccessName: () => getElementOrPropertyAccessName, getElementsOfBindingOrAssignmentPattern: () => getElementsOfBindingOrAssignmentPattern, getEmitDeclarations: () => getEmitDeclarations, getEmitFlags: () => getEmitFlags, getEmitHelpers: () => getEmitHelpers, getEmitModuleDetectionKind: () => getEmitModuleDetectionKind, getEmitModuleKind: () => getEmitModuleKind, getEmitModuleResolutionKind: () => getEmitModuleResolutionKind, getEmitScriptTarget: () => getEmitScriptTarget, getEmitStandardClassFields: () => getEmitStandardClassFields, getEnclosingBlockScopeContainer: () => getEnclosingBlockScopeContainer, getEnclosingContainer: () => getEnclosingContainer, getEncodedSemanticClassifications: () => getEncodedSemanticClassifications, getEncodedSyntacticClassifications: () => getEncodedSyntacticClassifications, getEndLinePosition: () => getEndLinePosition, getEntityNameFromTypeNode: () => getEntityNameFromTypeNode, getEntrypointsFromPackageJsonInfo: () => getEntrypointsFromPackageJsonInfo, getErrorCountForSummary: () => getErrorCountForSummary, getErrorSpanForNode: () => getErrorSpanForNode, getErrorSummaryText: () => getErrorSummaryText, getEscapedTextOfIdentifierOrLiteral: () => getEscapedTextOfIdentifierOrLiteral, getEscapedTextOfJsxAttributeName: () => getEscapedTextOfJsxAttributeName, getEscapedTextOfJsxNamespacedName: () => getEscapedTextOfJsxNamespacedName, getExpandoInitializer: () => getExpandoInitializer, getExportAssignmentExpression: () => getExportAssignmentExpression, getExportInfoMap: () => getExportInfoMap, getExportNeedsImportStarHelper: () => getExportNeedsImportStarHelper, getExpressionAssociativity: () => getExpressionAssociativity, getExpressionPrecedence: () => getExpressionPrecedence, getExternalHelpersModuleName: () => getExternalHelpersModuleName, getExternalModuleImportEqualsDeclarationExpression: () => getExternalModuleImportEqualsDeclarationExpression, getExternalModuleName: () => getExternalModuleName, getExternalModuleNameFromDeclaration: () => getExternalModuleNameFromDeclaration, getExternalModuleNameFromPath: () => getExternalModuleNameFromPath, getExternalModuleNameLiteral: () => getExternalModuleNameLiteral, getExternalModuleRequireArgument: () => getExternalModuleRequireArgument, getFallbackOptions: () => getFallbackOptions, getFileEmitOutput: () => getFileEmitOutput, getFileMatcherPatterns: () => getFileMatcherPatterns, getFileNamesFromConfigSpecs: () => getFileNamesFromConfigSpecs, getFileWatcherEventKind: () => getFileWatcherEventKind, getFilesInErrorForSummary: () => getFilesInErrorForSummary, getFirstConstructorWithBody: () => getFirstConstructorWithBody, getFirstIdentifier: () => getFirstIdentifier, getFirstNonSpaceCharacterPosition: () => getFirstNonSpaceCharacterPosition, getFirstProjectOutput: () => getFirstProjectOutput, getFixableErrorSpanExpression: () => getFixableErrorSpanExpression, getFormatCodeSettingsForWriting: () => getFormatCodeSettingsForWriting, getFullWidth: () => getFullWidth, getFunctionFlags: () => getFunctionFlags, getHeritageClause: () => getHeritageClause, getHostSignatureFromJSDoc: () => getHostSignatureFromJSDoc, getIdentifierAutoGenerate: () => getIdentifierAutoGenerate, getIdentifierGeneratedImportReference: () => getIdentifierGeneratedImportReference, getIdentifierTypeArguments: () => getIdentifierTypeArguments, getImmediatelyInvokedFunctionExpression: () => getImmediatelyInvokedFunctionExpression, getImpliedNodeFormatForFile: () => getImpliedNodeFormatForFile, getImpliedNodeFormatForFileWorker: () => getImpliedNodeFormatForFileWorker, getImportNeedsImportDefaultHelper: () => getImportNeedsImportDefaultHelper, getImportNeedsImportStarHelper: () => getImportNeedsImportStarHelper, getIndentSize: () => getIndentSize, getIndentString: () => getIndentString2, getInferredLibraryNameResolveFrom: () => getInferredLibraryNameResolveFrom, getInitializedVariables: () => getInitializedVariables, getInitializerOfBinaryExpression: () => getInitializerOfBinaryExpression, getInitializerOfBindingOrAssignmentElement: () => getInitializerOfBindingOrAssignmentElement, getInterfaceBaseTypeNodes: () => getInterfaceBaseTypeNodes, getInternalEmitFlags: () => getInternalEmitFlags, getInvokedExpression: () => getInvokedExpression, getIsolatedModules: () => getIsolatedModules, getJSDocAugmentsTag: () => getJSDocAugmentsTag, getJSDocClassTag: () => getJSDocClassTag, getJSDocCommentRanges: () => getJSDocCommentRanges, getJSDocCommentsAndTags: () => getJSDocCommentsAndTags, getJSDocDeprecatedTag: () => getJSDocDeprecatedTag, getJSDocDeprecatedTagNoCache: () => getJSDocDeprecatedTagNoCache, getJSDocEnumTag: () => getJSDocEnumTag, getJSDocHost: () => getJSDocHost, getJSDocImplementsTags: () => getJSDocImplementsTags, getJSDocOverloadTags: () => getJSDocOverloadTags, getJSDocOverrideTagNoCache: () => getJSDocOverrideTagNoCache, getJSDocParameterTags: () => getJSDocParameterTags, getJSDocParameterTagsNoCache: () => getJSDocParameterTagsNoCache, getJSDocPrivateTag: () => getJSDocPrivateTag, getJSDocPrivateTagNoCache: () => getJSDocPrivateTagNoCache, getJSDocProtectedTag: () => getJSDocProtectedTag, getJSDocProtectedTagNoCache: () => getJSDocProtectedTagNoCache, getJSDocPublicTag: () => getJSDocPublicTag, getJSDocPublicTagNoCache: () => getJSDocPublicTagNoCache, getJSDocReadonlyTag: () => getJSDocReadonlyTag, getJSDocReadonlyTagNoCache: () => getJSDocReadonlyTagNoCache, getJSDocReturnTag: () => getJSDocReturnTag, getJSDocReturnType: () => getJSDocReturnType, getJSDocRoot: () => getJSDocRoot, getJSDocSatisfiesExpressionType: () => getJSDocSatisfiesExpressionType, getJSDocSatisfiesTag: () => getJSDocSatisfiesTag, getJSDocTags: () => getJSDocTags, getJSDocTagsNoCache: () => getJSDocTagsNoCache, getJSDocTemplateTag: () => getJSDocTemplateTag, getJSDocThisTag: () => getJSDocThisTag, getJSDocType: () => getJSDocType, getJSDocTypeAliasName: () => getJSDocTypeAliasName, getJSDocTypeAssertionType: () => getJSDocTypeAssertionType, getJSDocTypeParameterDeclarations: () => getJSDocTypeParameterDeclarations, getJSDocTypeParameterTags: () => getJSDocTypeParameterTags, getJSDocTypeParameterTagsNoCache: () => getJSDocTypeParameterTagsNoCache, getJSDocTypeTag: () => getJSDocTypeTag, getJSXImplicitImportBase: () => getJSXImplicitImportBase, getJSXRuntimeImport: () => getJSXRuntimeImport, getJSXTransformEnabled: () => getJSXTransformEnabled, getKeyForCompilerOptions: () => getKeyForCompilerOptions, getLanguageVariant: () => getLanguageVariant, getLastChild: () => getLastChild, getLeadingCommentRanges: () => getLeadingCommentRanges, getLeadingCommentRangesOfNode: () => getLeadingCommentRangesOfNode, getLeftmostAccessExpression: () => getLeftmostAccessExpression, getLeftmostExpression: () => getLeftmostExpression, getLibraryNameFromLibFileName: () => getLibraryNameFromLibFileName, getLineAndCharacterOfPosition: () => getLineAndCharacterOfPosition, getLineInfo: () => getLineInfo, getLineOfLocalPosition: () => getLineOfLocalPosition, getLineOfLocalPositionFromLineMap: () => getLineOfLocalPositionFromLineMap, getLineStartPositionForPosition: () => getLineStartPositionForPosition, getLineStarts: () => getLineStarts, getLinesBetweenPositionAndNextNonWhitespaceCharacter: () => getLinesBetweenPositionAndNextNonWhitespaceCharacter, getLinesBetweenPositionAndPrecedingNonWhitespaceCharacter: () => getLinesBetweenPositionAndPrecedingNonWhitespaceCharacter, getLinesBetweenPositions: () => getLinesBetweenPositions, getLinesBetweenRangeEndAndRangeStart: () => getLinesBetweenRangeEndAndRangeStart, getLinesBetweenRangeEndPositions: () => getLinesBetweenRangeEndPositions, getLiteralText: () => getLiteralText, getLocalNameForExternalImport: () => getLocalNameForExternalImport, getLocalSymbolForExportDefault: () => getLocalSymbolForExportDefault, getLocaleSpecificMessage: () => getLocaleSpecificMessage, getLocaleTimeString: () => getLocaleTimeString, getMappedContextSpan: () => getMappedContextSpan, getMappedDocumentSpan: () => getMappedDocumentSpan, getMappedLocation: () => getMappedLocation, getMatchedFileSpec: () => getMatchedFileSpec, getMatchedIncludeSpec: () => getMatchedIncludeSpec, getMeaningFromDeclaration: () => getMeaningFromDeclaration, getMeaningFromLocation: () => getMeaningFromLocation, getMembersOfDeclaration: () => getMembersOfDeclaration, getModeForFileReference: () => getModeForFileReference, getModeForResolutionAtIndex: () => getModeForResolutionAtIndex, getModeForUsageLocation: () => getModeForUsageLocation, getModifiedTime: () => getModifiedTime, getModifiers: () => getModifiers, getModuleInstanceState: () => getModuleInstanceState, getModuleNameStringLiteralAt: () => getModuleNameStringLiteralAt, getModuleSpecifierEndingPreference: () => getModuleSpecifierEndingPreference, getModuleSpecifierResolverHost: () => getModuleSpecifierResolverHost, getNameForExportedSymbol: () => getNameForExportedSymbol, getNameFromImportAttribute: () => getNameFromImportAttribute, getNameFromIndexInfo: () => getNameFromIndexInfo, getNameFromPropertyName: () => getNameFromPropertyName, getNameOfAccessExpression: () => getNameOfAccessExpression, getNameOfCompilerOptionValue: () => getNameOfCompilerOptionValue, getNameOfDeclaration: () => getNameOfDeclaration, getNameOfExpando: () => getNameOfExpando, getNameOfJSDocTypedef: () => getNameOfJSDocTypedef, getNameOfScriptTarget: () => getNameOfScriptTarget, getNameOrArgument: () => getNameOrArgument, getNameTable: () => getNameTable, getNamesForExportedSymbol: () => getNamesForExportedSymbol, getNamespaceDeclarationNode: () => getNamespaceDeclarationNode, getNewLineCharacter: () => getNewLineCharacter, getNewLineKind: () => getNewLineKind, getNewLineOrDefaultFromHost: () => getNewLineOrDefaultFromHost, getNewTargetContainer: () => getNewTargetContainer, getNextJSDocCommentLocation: () => getNextJSDocCommentLocation, getNodeChildren: () => getNodeChildren, getNodeForGeneratedName: () => getNodeForGeneratedName, getNodeId: () => getNodeId, getNodeKind: () => getNodeKind, getNodeModifiers: () => getNodeModifiers, getNodeModulePathParts: () => getNodeModulePathParts, getNonAssignedNameOfDeclaration: () => getNonAssignedNameOfDeclaration, getNonAssignmentOperatorForCompoundAssignment: () => getNonAssignmentOperatorForCompoundAssignment, getNonAugmentationDeclaration: () => getNonAugmentationDeclaration, getNonDecoratorTokenPosOfNode: () => getNonDecoratorTokenPosOfNode, getNormalizedAbsolutePath: () => getNormalizedAbsolutePath, getNormalizedAbsolutePathWithoutRoot: () => getNormalizedAbsolutePathWithoutRoot, getNormalizedPathComponents: () => getNormalizedPathComponents, getObjectFlags: () => getObjectFlags, getOperator: () => getOperator, getOperatorAssociativity: () => getOperatorAssociativity, getOperatorPrecedence: () => getOperatorPrecedence, getOptionFromName: () => getOptionFromName, getOptionsForLibraryResolution: () => getOptionsForLibraryResolution, getOptionsNameMap: () => getOptionsNameMap, getOrCreateEmitNode: () => getOrCreateEmitNode, getOrCreateExternalHelpersModuleNameIfNeeded: () => getOrCreateExternalHelpersModuleNameIfNeeded, getOrUpdate: () => getOrUpdate, getOriginalNode: () => getOriginalNode, getOriginalNodeId: () => getOriginalNodeId, getOriginalSourceFile: () => getOriginalSourceFile, getOutputDeclarationFileName: () => getOutputDeclarationFileName, getOutputDeclarationFileNameWorker: () => getOutputDeclarationFileNameWorker, getOutputExtension: () => getOutputExtension, getOutputFileNames: () => getOutputFileNames, getOutputJSFileNameWorker: () => getOutputJSFileNameWorker, getOutputPathsFor: () => getOutputPathsFor, getOutputPathsForBundle: () => getOutputPathsForBundle, getOwnEmitOutputFilePath: () => getOwnEmitOutputFilePath, getOwnKeys: () => getOwnKeys, getOwnValues: () => getOwnValues, getPackageJsonInfo: () => getPackageJsonInfo, getPackageJsonTypesVersionsPaths: () => getPackageJsonTypesVersionsPaths, getPackageJsonsVisibleToFile: () => getPackageJsonsVisibleToFile, getPackageNameFromTypesPackageName: () => getPackageNameFromTypesPackageName, getPackageScopeForPath: () => getPackageScopeForPath, getParameterSymbolFromJSDoc: () => getParameterSymbolFromJSDoc, getParameterTypeNode: () => getParameterTypeNode, getParentNodeInSpan: () => getParentNodeInSpan, getParseTreeNode: () => getParseTreeNode, getParsedCommandLineOfConfigFile: () => getParsedCommandLineOfConfigFile, getPathComponents: () => getPathComponents, getPathComponentsRelativeTo: () => getPathComponentsRelativeTo, getPathFromPathComponents: () => getPathFromPathComponents, getPathUpdater: () => getPathUpdater, getPathsBasePath: () => getPathsBasePath, getPatternFromSpec: () => getPatternFromSpec, getPendingEmitKind: () => getPendingEmitKind, getPositionOfLineAndCharacter: () => getPositionOfLineAndCharacter, getPossibleGenericSignatures: () => getPossibleGenericSignatures, getPossibleOriginalInputExtensionForExtension: () => getPossibleOriginalInputExtensionForExtension, getPossibleTypeArgumentsInfo: () => getPossibleTypeArgumentsInfo, getPreEmitDiagnostics: () => getPreEmitDiagnostics, getPrecedingNonSpaceCharacterPosition: () => getPrecedingNonSpaceCharacterPosition, getPrivateIdentifier: () => getPrivateIdentifier, getProperties: () => getProperties, getProperty: () => getProperty, getPropertyArrayElementValue: () => getPropertyArrayElementValue, getPropertyAssignmentAliasLikeExpression: () => getPropertyAssignmentAliasLikeExpression, getPropertyNameForPropertyNameNode: () => getPropertyNameForPropertyNameNode, getPropertyNameForUniqueESSymbol: () => getPropertyNameForUniqueESSymbol, getPropertyNameFromType: () => getPropertyNameFromType, getPropertyNameOfBindingOrAssignmentElement: () => getPropertyNameOfBindingOrAssignmentElement, getPropertySymbolFromBindingElement: () => getPropertySymbolFromBindingElement, getPropertySymbolsFromContextualType: () => getPropertySymbolsFromContextualType, getQuoteFromPreference: () => getQuoteFromPreference, getQuotePreference: () => getQuotePreference, getRangesWhere: () => getRangesWhere, getRefactorContextSpan: () => getRefactorContextSpan, getReferencedFileLocation: () => getReferencedFileLocation, getRegexFromPattern: () => getRegexFromPattern, getRegularExpressionForWildcard: () => getRegularExpressionForWildcard, getRegularExpressionsForWildcards: () => getRegularExpressionsForWildcards, getRelativePathFromDirectory: () => getRelativePathFromDirectory, getRelativePathFromFile: () => getRelativePathFromFile, getRelativePathToDirectoryOrUrl: () => getRelativePathToDirectoryOrUrl, getRenameLocation: () => getRenameLocation, getReplacementSpanForContextToken: () => getReplacementSpanForContextToken, getResolutionDiagnostic: () => getResolutionDiagnostic, getResolutionModeOverride: () => getResolutionModeOverride, getResolveJsonModule: () => getResolveJsonModule, getResolvePackageJsonExports: () => getResolvePackageJsonExports, getResolvePackageJsonImports: () => getResolvePackageJsonImports, getResolvedExternalModuleName: () => getResolvedExternalModuleName, getRestIndicatorOfBindingOrAssignmentElement: () => getRestIndicatorOfBindingOrAssignmentElement, getRestParameterElementType: () => getRestParameterElementType, getRightMostAssignedExpression: () => getRightMostAssignedExpression, getRootDeclaration: () => getRootDeclaration, getRootDirectoryOfResolutionCache: () => getRootDirectoryOfResolutionCache, getRootLength: () => getRootLength, getRootPathSplitLength: () => getRootPathSplitLength, getScriptKind: () => getScriptKind, getScriptKindFromFileName: () => getScriptKindFromFileName, getScriptTargetFeatures: () => getScriptTargetFeatures, getSelectedEffectiveModifierFlags: () => getSelectedEffectiveModifierFlags, getSelectedSyntacticModifierFlags: () => getSelectedSyntacticModifierFlags, getSemanticClassifications: () => getSemanticClassifications, getSemanticJsxChildren: () => getSemanticJsxChildren, getSetAccessorTypeAnnotationNode: () => getSetAccessorTypeAnnotationNode, getSetAccessorValueParameter: () => getSetAccessorValueParameter, getSetExternalModuleIndicator: () => getSetExternalModuleIndicator, getShebang: () => getShebang, getSingleInitializerOfVariableStatementOrPropertyDeclaration: () => getSingleInitializerOfVariableStatementOrPropertyDeclaration, getSingleVariableOfVariableStatement: () => getSingleVariableOfVariableStatement, getSnapshotText: () => getSnapshotText, getSnippetElement: () => getSnippetElement, getSourceFileOfModule: () => getSourceFileOfModule, getSourceFileOfNode: () => getSourceFileOfNode, getSourceFilePathInNewDir: () => getSourceFilePathInNewDir, getSourceFilePathInNewDirWorker: () => getSourceFilePathInNewDirWorker, getSourceFileVersionAsHashFromText: () => getSourceFileVersionAsHashFromText, getSourceFilesToEmit: () => getSourceFilesToEmit, getSourceMapRange: () => getSourceMapRange, getSourceMapper: () => getSourceMapper, getSourceTextOfNodeFromSourceFile: () => getSourceTextOfNodeFromSourceFile, getSpanOfTokenAtPosition: () => getSpanOfTokenAtPosition, getSpellingSuggestion: () => getSpellingSuggestion, getStartPositionOfLine: () => getStartPositionOfLine, getStartPositionOfRange: () => getStartPositionOfRange, getStartsOnNewLine: () => getStartsOnNewLine, getStaticPropertiesAndClassStaticBlock: () => getStaticPropertiesAndClassStaticBlock, getStrictOptionValue: () => getStrictOptionValue, getStringComparer: () => getStringComparer, getSubPatternFromSpec: () => getSubPatternFromSpec, getSuperCallFromStatement: () => getSuperCallFromStatement, getSuperContainer: () => getSuperContainer, getSupportedCodeFixes: () => getSupportedCodeFixes, getSupportedExtensions: () => getSupportedExtensions, getSupportedExtensionsWithJsonIfResolveJsonModule: () => getSupportedExtensionsWithJsonIfResolveJsonModule, getSwitchedType: () => getSwitchedType, getSymbolId: () => getSymbolId, getSymbolNameForPrivateIdentifier: () => getSymbolNameForPrivateIdentifier, getSymbolParentOrFail: () => getSymbolParentOrFail, getSymbolTarget: () => getSymbolTarget, getSyntacticClassifications: () => getSyntacticClassifications, getSyntacticModifierFlags: () => getSyntacticModifierFlags, getSyntacticModifierFlagsNoCache: () => getSyntacticModifierFlagsNoCache, getSynthesizedDeepClone: () => getSynthesizedDeepClone, getSynthesizedDeepCloneWithReplacements: () => getSynthesizedDeepCloneWithReplacements, getSynthesizedDeepClones: () => getSynthesizedDeepClones, getSynthesizedDeepClonesWithReplacements: () => getSynthesizedDeepClonesWithReplacements, getSyntheticLeadingComments: () => getSyntheticLeadingComments, getSyntheticTrailingComments: () => getSyntheticTrailingComments, getTargetLabel: () => getTargetLabel, getTargetOfBindingOrAssignmentElement: () => getTargetOfBindingOrAssignmentElement, getTemporaryModuleResolutionState: () => getTemporaryModuleResolutionState, getTextOfConstantValue: () => getTextOfConstantValue, getTextOfIdentifierOrLiteral: () => getTextOfIdentifierOrLiteral, getTextOfJSDocComment: () => getTextOfJSDocComment, getTextOfJsxAttributeName: () => getTextOfJsxAttributeName, getTextOfJsxNamespacedName: () => getTextOfJsxNamespacedName, getTextOfNode: () => getTextOfNode, getTextOfNodeFromSourceText: () => getTextOfNodeFromSourceText, getTextOfPropertyName: () => getTextOfPropertyName, getThisContainer: () => getThisContainer, getThisParameter: () => getThisParameter, getTokenAtPosition: () => getTokenAtPosition, getTokenPosOfNode: () => getTokenPosOfNode, getTokenSourceMapRange: () => getTokenSourceMapRange, getTouchingPropertyName: () => getTouchingPropertyName, getTouchingToken: () => getTouchingToken, getTrailingCommentRanges: () => getTrailingCommentRanges, getTrailingSemicolonDeferringWriter: () => getTrailingSemicolonDeferringWriter, getTransformFlagsSubtreeExclusions: () => getTransformFlagsSubtreeExclusions, getTransformers: () => getTransformers, getTsBuildInfoEmitOutputFilePath: () => getTsBuildInfoEmitOutputFilePath, getTsConfigObjectLiteralExpression: () => getTsConfigObjectLiteralExpression, getTsConfigPropArrayElementValue: () => getTsConfigPropArrayElementValue, getTypeAnnotationNode: () => getTypeAnnotationNode, getTypeArgumentOrTypeParameterList: () => getTypeArgumentOrTypeParameterList, getTypeKeywordOfTypeOnlyImport: () => getTypeKeywordOfTypeOnlyImport, getTypeNode: () => getTypeNode, getTypeNodeIfAccessible: () => getTypeNodeIfAccessible, getTypeParameterFromJsDoc: () => getTypeParameterFromJsDoc, getTypeParameterOwner: () => getTypeParameterOwner, getTypesPackageName: () => getTypesPackageName, getUILocale: () => getUILocale, getUniqueName: () => getUniqueName, getUniqueSymbolId: () => getUniqueSymbolId, getUseDefineForClassFields: () => getUseDefineForClassFields, getWatchErrorSummaryDiagnosticMessage: () => getWatchErrorSummaryDiagnosticMessage, getWatchFactory: () => getWatchFactory, group: () => group, groupBy: () => groupBy, guessIndentation: () => guessIndentation, handleNoEmitOptions: () => handleNoEmitOptions, handleWatchOptionsConfigDirTemplateSubstitution: () => handleWatchOptionsConfigDirTemplateSubstitution, hasAbstractModifier: () => hasAbstractModifier, hasAccessorModifier: () => hasAccessorModifier, hasAmbientModifier: () => hasAmbientModifier, hasChangesInResolutions: () => hasChangesInResolutions, hasChildOfKind: () => hasChildOfKind, hasContextSensitiveParameters: () => hasContextSensitiveParameters, hasDecorators: () => hasDecorators, hasDocComment: () => hasDocComment, hasDynamicName: () => hasDynamicName, hasEffectiveModifier: () => hasEffectiveModifier, hasEffectiveModifiers: () => hasEffectiveModifiers, hasEffectiveReadonlyModifier: () => hasEffectiveReadonlyModifier, hasExtension: () => hasExtension, hasIndexSignature: () => hasIndexSignature, hasInferredType: () => hasInferredType, hasInitializer: () => hasInitializer, hasInvalidEscape: () => hasInvalidEscape, hasJSDocNodes: () => hasJSDocNodes, hasJSDocParameterTags: () => hasJSDocParameterTags, hasJSFileExtension: () => hasJSFileExtension, hasJsonModuleEmitEnabled: () => hasJsonModuleEmitEnabled, hasOnlyExpressionInitializer: () => hasOnlyExpressionInitializer, hasOverrideModifier: () => hasOverrideModifier, hasPossibleExternalModuleReference: () => hasPossibleExternalModuleReference, hasProperty: () => hasProperty, hasPropertyAccessExpressionWithName: () => hasPropertyAccessExpressionWithName, hasQuestionToken: () => hasQuestionToken, hasRecordedExternalHelpers: () => hasRecordedExternalHelpers, hasResolutionModeOverride: () => hasResolutionModeOverride, hasRestParameter: () => hasRestParameter, hasScopeMarker: () => hasScopeMarker, hasStaticModifier: () => hasStaticModifier, hasSyntacticModifier: () => hasSyntacticModifier, hasSyntacticModifiers: () => hasSyntacticModifiers, hasTSFileExtension: () => hasTSFileExtension, hasTabstop: () => hasTabstop, hasTrailingDirectorySeparator: () => hasTrailingDirectorySeparator, hasType: () => hasType, hasTypeArguments: () => hasTypeArguments, hasZeroOrOneAsteriskCharacter: () => hasZeroOrOneAsteriskCharacter, helperString: () => helperString, hostGetCanonicalFileName: () => hostGetCanonicalFileName, hostUsesCaseSensitiveFileNames: () => hostUsesCaseSensitiveFileNames, idText: () => idText, identifierIsThisKeyword: () => identifierIsThisKeyword, identifierToKeywordKind: () => identifierToKeywordKind, identity: () => identity2, identitySourceMapConsumer: () => identitySourceMapConsumer, ignoreSourceNewlines: () => ignoreSourceNewlines, ignoredPaths: () => ignoredPaths, importDefaultHelper: () => importDefaultHelper, importFromModuleSpecifier: () => importFromModuleSpecifier, importStarHelper: () => importStarHelper, indexOfAnyCharCode: () => indexOfAnyCharCode, indexOfNode: () => indexOfNode, indicesOf: () => indicesOf, inferredTypesContainingFile: () => inferredTypesContainingFile, injectClassNamedEvaluationHelperBlockIfMissing: () => injectClassNamedEvaluationHelperBlockIfMissing, injectClassThisAssignmentIfMissing: () => injectClassThisAssignmentIfMissing, insertImports: () => insertImports, insertLeadingStatement: () => insertLeadingStatement, insertSorted: () => insertSorted, insertStatementAfterCustomPrologue: () => insertStatementAfterCustomPrologue, insertStatementAfterStandardPrologue: () => insertStatementAfterStandardPrologue, insertStatementsAfterCustomPrologue: () => insertStatementsAfterCustomPrologue, insertStatementsAfterStandardPrologue: () => insertStatementsAfterStandardPrologue, intersperse: () => intersperse, intrinsicTagNameToString: () => intrinsicTagNameToString, introducesArgumentsExoticObject: () => introducesArgumentsExoticObject, inverseJsxOptionMap: () => inverseJsxOptionMap, isAbstractConstructorSymbol: () => isAbstractConstructorSymbol, isAbstractModifier: () => isAbstractModifier, isAccessExpression: () => isAccessExpression, isAccessibilityModifier: () => isAccessibilityModifier, isAccessor: () => isAccessor, isAccessorModifier: () => isAccessorModifier, isAliasSymbolDeclaration: () => isAliasSymbolDeclaration, isAliasableExpression: () => isAliasableExpression, isAmbientModule: () => isAmbientModule, isAmbientPropertyDeclaration: () => isAmbientPropertyDeclaration, isAnonymousFunctionDefinition: () => isAnonymousFunctionDefinition, isAnyDirectorySeparator: () => isAnyDirectorySeparator, isAnyImportOrBareOrAccessedRequire: () => isAnyImportOrBareOrAccessedRequire, isAnyImportOrReExport: () => isAnyImportOrReExport, isAnyImportOrRequireStatement: () => isAnyImportOrRequireStatement, isAnyImportSyntax: () => isAnyImportSyntax, isAnySupportedFileExtension: () => isAnySupportedFileExtension, isApplicableVersionedTypesKey: () => isApplicableVersionedTypesKey, isArgumentExpressionOfElementAccess: () => isArgumentExpressionOfElementAccess, isArray: () => isArray3, isArrayBindingElement: () => isArrayBindingElement, isArrayBindingOrAssignmentElement: () => isArrayBindingOrAssignmentElement, isArrayBindingOrAssignmentPattern: () => isArrayBindingOrAssignmentPattern, isArrayBindingPattern: () => isArrayBindingPattern, isArrayLiteralExpression: () => isArrayLiteralExpression, isArrayLiteralOrObjectLiteralDestructuringPattern: () => isArrayLiteralOrObjectLiteralDestructuringPattern, isArrayTypeNode: () => isArrayTypeNode, isArrowFunction: () => isArrowFunction, isAsExpression: () => isAsExpression, isAssertClause: () => isAssertClause, isAssertEntry: () => isAssertEntry, isAssertionExpression: () => isAssertionExpression, isAssertsKeyword: () => isAssertsKeyword, isAssignmentDeclaration: () => isAssignmentDeclaration, isAssignmentExpression: () => isAssignmentExpression2, isAssignmentOperator: () => isAssignmentOperator, isAssignmentPattern: () => isAssignmentPattern, isAssignmentTarget: () => isAssignmentTarget, isAsteriskToken: () => isAsteriskToken, isAsyncFunction: () => isAsyncFunction, isAsyncModifier: () => isAsyncModifier, isAutoAccessorPropertyDeclaration: () => isAutoAccessorPropertyDeclaration, isAwaitExpression: () => isAwaitExpression, isAwaitKeyword: () => isAwaitKeyword, isBigIntLiteral: () => isBigIntLiteral2, isBinaryExpression: () => isBinaryExpression, isBinaryOperatorToken: () => isBinaryOperatorToken, isBindableObjectDefinePropertyCall: () => isBindableObjectDefinePropertyCall, isBindableStaticAccessExpression: () => isBindableStaticAccessExpression, isBindableStaticElementAccessExpression: () => isBindableStaticElementAccessExpression, isBindableStaticNameExpression: () => isBindableStaticNameExpression, isBindingElement: () => isBindingElement, isBindingElementOfBareOrAccessedRequire: () => isBindingElementOfBareOrAccessedRequire, isBindingName: () => isBindingName, isBindingOrAssignmentElement: () => isBindingOrAssignmentElement, isBindingOrAssignmentPattern: () => isBindingOrAssignmentPattern, isBindingPattern: () => isBindingPattern, isBlock: () => isBlock, isBlockLike: () => isBlockLike, isBlockOrCatchScoped: () => isBlockOrCatchScoped, isBlockScope: () => isBlockScope, isBlockScopedContainerTopLevel: () => isBlockScopedContainerTopLevel, isBooleanLiteral: () => isBooleanLiteral, isBreakOrContinueStatement: () => isBreakOrContinueStatement, isBreakStatement: () => isBreakStatement, isBuild: () => isBuild, isBuildInfoFile: () => isBuildInfoFile, isBuilderProgram: () => isBuilderProgram2, isBundle: () => isBundle, isCallChain: () => isCallChain, isCallExpression: () => isCallExpression2, isCallExpressionTarget: () => isCallExpressionTarget, isCallLikeExpression: () => isCallLikeExpression, isCallLikeOrFunctionLikeExpression: () => isCallLikeOrFunctionLikeExpression, isCallOrNewExpression: () => isCallOrNewExpression2, isCallOrNewExpressionTarget: () => isCallOrNewExpressionTarget, isCallSignatureDeclaration: () => isCallSignatureDeclaration, isCallToHelper: () => isCallToHelper, isCaseBlock: () => isCaseBlock, isCaseClause: () => isCaseClause, isCaseKeyword: () => isCaseKeyword, isCaseOrDefaultClause: () => isCaseOrDefaultClause, isCatchClause: () => isCatchClause, isCatchClauseVariableDeclaration: () => isCatchClauseVariableDeclaration, isCatchClauseVariableDeclarationOrBindingElement: () => isCatchClauseVariableDeclarationOrBindingElement, isCheckJsEnabledForFile: () => isCheckJsEnabledForFile, isChildOfNodeWithKind: () => isChildOfNodeWithKind, isCircularBuildOrder: () => isCircularBuildOrder, isClassDeclaration: () => isClassDeclaration, isClassElement: () => isClassElement, isClassExpression: () => isClassExpression, isClassInstanceProperty: () => isClassInstanceProperty, isClassLike: () => isClassLike, isClassMemberModifier: () => isClassMemberModifier, isClassNamedEvaluationHelperBlock: () => isClassNamedEvaluationHelperBlock, isClassOrTypeElement: () => isClassOrTypeElement, isClassStaticBlockDeclaration: () => isClassStaticBlockDeclaration, isClassThisAssignmentBlock: () => isClassThisAssignmentBlock, isCollapsedRange: () => isCollapsedRange, isColonToken: () => isColonToken2, isCommaExpression: () => isCommaExpression, isCommaListExpression: () => isCommaListExpression, isCommaSequence: () => isCommaSequence, isCommaToken: () => isCommaToken2, isComment: () => isComment, isCommonJsExportPropertyAssignment: () => isCommonJsExportPropertyAssignment, isCommonJsExportedExpression: () => isCommonJsExportedExpression, isCompoundAssignment: () => isCompoundAssignment, isComputedNonLiteralName: () => isComputedNonLiteralName, isComputedPropertyName: () => isComputedPropertyName, isConciseBody: () => isConciseBody, isConditionalExpression: () => isConditionalExpression, isConditionalTypeNode: () => isConditionalTypeNode, isConstAssertion: () => isConstAssertion, isConstTypeReference: () => isConstTypeReference, isConstructSignatureDeclaration: () => isConstructSignatureDeclaration, isConstructorDeclaration: () => isConstructorDeclaration, isConstructorTypeNode: () => isConstructorTypeNode, isContextualKeyword: () => isContextualKeyword, isContinueStatement: () => isContinueStatement, isCustomPrologue: () => isCustomPrologue, isDebuggerStatement: () => isDebuggerStatement, isDeclaration: () => isDeclaration, isDeclarationBindingElement: () => isDeclarationBindingElement, isDeclarationFileName: () => isDeclarationFileName, isDeclarationName: () => isDeclarationName, isDeclarationNameOfEnumOrNamespace: () => isDeclarationNameOfEnumOrNamespace, isDeclarationReadonly: () => isDeclarationReadonly, isDeclarationStatement: () => isDeclarationStatement, isDeclarationWithTypeParameterChildren: () => isDeclarationWithTypeParameterChildren, isDeclarationWithTypeParameters: () => isDeclarationWithTypeParameters, isDecorator: () => isDecorator, isDecoratorTarget: () => isDecoratorTarget, isDefaultClause: () => isDefaultClause, isDefaultImport: () => isDefaultImport, isDefaultModifier: () => isDefaultModifier, isDefaultedExpandoInitializer: () => isDefaultedExpandoInitializer, isDeleteExpression: () => isDeleteExpression, isDeleteTarget: () => isDeleteTarget, isDeprecatedDeclaration: () => isDeprecatedDeclaration, isDestructuringAssignment: () => isDestructuringAssignment, isDiagnosticWithLocation: () => isDiagnosticWithLocation, isDiskPathRoot: () => isDiskPathRoot, isDoStatement: () => isDoStatement, isDocumentRegistryEntry: () => isDocumentRegistryEntry, isDotDotDotToken: () => isDotDotDotToken, isDottedName: () => isDottedName, isDynamicName: () => isDynamicName, isESSymbolIdentifier: () => isESSymbolIdentifier, isEffectiveExternalModule: () => isEffectiveExternalModule, isEffectiveModuleDeclaration: () => isEffectiveModuleDeclaration, isEffectiveStrictModeSourceFile: () => isEffectiveStrictModeSourceFile, isElementAccessChain: () => isElementAccessChain, isElementAccessExpression: () => isElementAccessExpression, isEmittedFileOfProgram: () => isEmittedFileOfProgram, isEmptyArrayLiteral: () => isEmptyArrayLiteral, isEmptyBindingElement: () => isEmptyBindingElement, isEmptyBindingPattern: () => isEmptyBindingPattern, isEmptyObjectLiteral: () => isEmptyObjectLiteral, isEmptyStatement: () => isEmptyStatement, isEmptyStringLiteral: () => isEmptyStringLiteral2, isEntityName: () => isEntityName, isEntityNameExpression: () => isEntityNameExpression, isEnumConst: () => isEnumConst, isEnumDeclaration: () => isEnumDeclaration, isEnumMember: () => isEnumMember, isEqualityOperatorKind: () => isEqualityOperatorKind, isEqualsGreaterThanToken: () => isEqualsGreaterThanToken, isExclamationToken: () => isExclamationToken, isExcludedFile: () => isExcludedFile, isExclusivelyTypeOnlyImportOrExport: () => isExclusivelyTypeOnlyImportOrExport, isExpandoPropertyDeclaration: () => isExpandoPropertyDeclaration, isExportAssignment: () => isExportAssignment, isExportDeclaration: () => isExportDeclaration, isExportModifier: () => isExportModifier, isExportName: () => isExportName, isExportNamespaceAsDefaultDeclaration: () => isExportNamespaceAsDefaultDeclaration, isExportOrDefaultModifier: () => isExportOrDefaultModifier, isExportSpecifier: () => isExportSpecifier, isExportsIdentifier: () => isExportsIdentifier, isExportsOrModuleExportsOrAlias: () => isExportsOrModuleExportsOrAlias, isExpression: () => isExpression, isExpressionNode: () => isExpressionNode, isExpressionOfExternalModuleImportEqualsDeclaration: () => isExpressionOfExternalModuleImportEqualsDeclaration, isExpressionOfOptionalChainRoot: () => isExpressionOfOptionalChainRoot, isExpressionStatement: () => isExpressionStatement2, isExpressionWithTypeArguments: () => isExpressionWithTypeArguments, isExpressionWithTypeArgumentsInClassExtendsClause: () => isExpressionWithTypeArgumentsInClassExtendsClause, isExternalModule: () => isExternalModule, isExternalModuleAugmentation: () => isExternalModuleAugmentation, isExternalModuleImportEqualsDeclaration: () => isExternalModuleImportEqualsDeclaration, isExternalModuleIndicator: () => isExternalModuleIndicator, isExternalModuleNameRelative: () => isExternalModuleNameRelative, isExternalModuleReference: () => isExternalModuleReference, isExternalModuleSymbol: () => isExternalModuleSymbol, isExternalOrCommonJsModule: () => isExternalOrCommonJsModule, isFileLevelReservedGeneratedIdentifier: () => isFileLevelReservedGeneratedIdentifier, isFileLevelUniqueName: () => isFileLevelUniqueName, isFileProbablyExternalModule: () => isFileProbablyExternalModule, isFirstDeclarationOfSymbolParameter: () => isFirstDeclarationOfSymbolParameter, isFixablePromiseHandler: () => isFixablePromiseHandler, isForInOrOfStatement: () => isForInOrOfStatement, isForInStatement: () => isForInStatement, isForInitializer: () => isForInitializer, isForOfStatement: () => isForOfStatement, isForStatement: () => isForStatement, isFullSourceFile: () => isFullSourceFile, isFunctionBlock: () => isFunctionBlock, isFunctionBody: () => isFunctionBody, isFunctionDeclaration: () => isFunctionDeclaration, isFunctionExpression: () => isFunctionExpression, isFunctionExpressionOrArrowFunction: () => isFunctionExpressionOrArrowFunction, isFunctionLike: () => isFunctionLike, isFunctionLikeDeclaration: () => isFunctionLikeDeclaration, isFunctionLikeKind: () => isFunctionLikeKind, isFunctionLikeOrClassStaticBlockDeclaration: () => isFunctionLikeOrClassStaticBlockDeclaration, isFunctionOrConstructorTypeNode: () => isFunctionOrConstructorTypeNode, isFunctionOrModuleBlock: () => isFunctionOrModuleBlock, isFunctionSymbol: () => isFunctionSymbol, isFunctionTypeNode: () => isFunctionTypeNode, isFutureReservedKeyword: () => isFutureReservedKeyword, isGeneratedIdentifier: () => isGeneratedIdentifier, isGeneratedPrivateIdentifier: () => isGeneratedPrivateIdentifier, isGetAccessor: () => isGetAccessor, isGetAccessorDeclaration: () => isGetAccessorDeclaration, isGetOrSetAccessorDeclaration: () => isGetOrSetAccessorDeclaration, isGlobalDeclaration: () => isGlobalDeclaration, isGlobalScopeAugmentation: () => isGlobalScopeAugmentation, isGlobalSourceFile: () => isGlobalSourceFile, isGrammarError: () => isGrammarError, isHeritageClause: () => isHeritageClause, isHoistedFunction: () => isHoistedFunction, isHoistedVariableStatement: () => isHoistedVariableStatement, isIdentifier: () => isIdentifier, isIdentifierANonContextualKeyword: () => isIdentifierANonContextualKeyword, isIdentifierName: () => isIdentifierName4, isIdentifierOrThisTypeNode: () => isIdentifierOrThisTypeNode, isIdentifierPart: () => isIdentifierPart, isIdentifierStart: () => isIdentifierStart, isIdentifierText: () => isIdentifierText, isIdentifierTypePredicate: () => isIdentifierTypePredicate, isIdentifierTypeReference: () => isIdentifierTypeReference, isIfStatement: () => isIfStatement, isIgnoredFileFromWildCardWatching: () => isIgnoredFileFromWildCardWatching, isImplicitGlob: () => isImplicitGlob, isImportAttribute: () => isImportAttribute, isImportAttributeName: () => isImportAttributeName, isImportAttributes: () => isImportAttributes, isImportCall: () => isImportCall, isImportClause: () => isImportClause, isImportDeclaration: () => isImportDeclaration, isImportEqualsDeclaration: () => isImportEqualsDeclaration, isImportKeyword: () => isImportKeyword, isImportMeta: () => isImportMeta, isImportOrExportSpecifier: () => isImportOrExportSpecifier, isImportOrExportSpecifierName: () => isImportOrExportSpecifierName, isImportSpecifier: () => isImportSpecifier, isImportTypeAssertionContainer: () => isImportTypeAssertionContainer, isImportTypeNode: () => isImportTypeNode, isImportableFile: () => isImportableFile, isInComment: () => isInComment, isInCompoundLikeAssignment: () => isInCompoundLikeAssignment, isInExpressionContext: () => isInExpressionContext, isInJSDoc: () => isInJSDoc, isInJSFile: () => isInJSFile, isInJSXText: () => isInJSXText, isInJsonFile: () => isInJsonFile, isInNonReferenceComment: () => isInNonReferenceComment, isInReferenceComment: () => isInReferenceComment, isInRightSideOfInternalImportEqualsDeclaration: () => isInRightSideOfInternalImportEqualsDeclaration, isInString: () => isInString, isInTemplateString: () => isInTemplateString, isInTopLevelContext: () => isInTopLevelContext, isInTypeQuery: () => isInTypeQuery, isIncrementalCompilation: () => isIncrementalCompilation, isIndexSignatureDeclaration: () => isIndexSignatureDeclaration, isIndexedAccessTypeNode: () => isIndexedAccessTypeNode, isInferTypeNode: () => isInferTypeNode, isInfinityOrNaNString: () => isInfinityOrNaNString, isInitializedProperty: () => isInitializedProperty, isInitializedVariable: () => isInitializedVariable, isInsideJsxElement: () => isInsideJsxElement, isInsideJsxElementOrAttribute: () => isInsideJsxElementOrAttribute, isInsideNodeModules: () => isInsideNodeModules, isInsideTemplateLiteral: () => isInsideTemplateLiteral, isInstanceOfExpression: () => isInstanceOfExpression, isInstantiatedModule: () => isInstantiatedModule, isInterfaceDeclaration: () => isInterfaceDeclaration, isInternalDeclaration: () => isInternalDeclaration, isInternalModuleImportEqualsDeclaration: () => isInternalModuleImportEqualsDeclaration, isInternalName: () => isInternalName, isIntersectionTypeNode: () => isIntersectionTypeNode, isIntrinsicJsxName: () => isIntrinsicJsxName, isIterationStatement: () => isIterationStatement, isJSDoc: () => isJSDoc, isJSDocAllType: () => isJSDocAllType, isJSDocAugmentsTag: () => isJSDocAugmentsTag, isJSDocAuthorTag: () => isJSDocAuthorTag, isJSDocCallbackTag: () => isJSDocCallbackTag, isJSDocClassTag: () => isJSDocClassTag, isJSDocCommentContainingNode: () => isJSDocCommentContainingNode, isJSDocConstructSignature: () => isJSDocConstructSignature, isJSDocDeprecatedTag: () => isJSDocDeprecatedTag, isJSDocEnumTag: () => isJSDocEnumTag, isJSDocFunctionType: () => isJSDocFunctionType, isJSDocImplementsTag: () => isJSDocImplementsTag, isJSDocImportTag: () => isJSDocImportTag, isJSDocIndexSignature: () => isJSDocIndexSignature, isJSDocLikeText: () => isJSDocLikeText, isJSDocLink: () => isJSDocLink, isJSDocLinkCode: () => isJSDocLinkCode, isJSDocLinkLike: () => isJSDocLinkLike, isJSDocLinkPlain: () => isJSDocLinkPlain, isJSDocMemberName: () => isJSDocMemberName, isJSDocNameReference: () => isJSDocNameReference, isJSDocNamepathType: () => isJSDocNamepathType, isJSDocNamespaceBody: () => isJSDocNamespaceBody, isJSDocNode: () => isJSDocNode, isJSDocNonNullableType: () => isJSDocNonNullableType, isJSDocNullableType: () => isJSDocNullableType, isJSDocOptionalParameter: () => isJSDocOptionalParameter, isJSDocOptionalType: () => isJSDocOptionalType, isJSDocOverloadTag: () => isJSDocOverloadTag, isJSDocOverrideTag: () => isJSDocOverrideTag, isJSDocParameterTag: () => isJSDocParameterTag, isJSDocPrivateTag: () => isJSDocPrivateTag, isJSDocPropertyLikeTag: () => isJSDocPropertyLikeTag, isJSDocPropertyTag: () => isJSDocPropertyTag, isJSDocProtectedTag: () => isJSDocProtectedTag, isJSDocPublicTag: () => isJSDocPublicTag, isJSDocReadonlyTag: () => isJSDocReadonlyTag, isJSDocReturnTag: () => isJSDocReturnTag, isJSDocSatisfiesExpression: () => isJSDocSatisfiesExpression, isJSDocSatisfiesTag: () => isJSDocSatisfiesTag, isJSDocSeeTag: () => isJSDocSeeTag, isJSDocSignature: () => isJSDocSignature, isJSDocTag: () => isJSDocTag, isJSDocTemplateTag: () => isJSDocTemplateTag, isJSDocThisTag: () => isJSDocThisTag, isJSDocThrowsTag: () => isJSDocThrowsTag, isJSDocTypeAlias: () => isJSDocTypeAlias, isJSDocTypeAssertion: () => isJSDocTypeAssertion, isJSDocTypeExpression: () => isJSDocTypeExpression, isJSDocTypeLiteral: () => isJSDocTypeLiteral, isJSDocTypeTag: () => isJSDocTypeTag, isJSDocTypedefTag: () => isJSDocTypedefTag, isJSDocUnknownTag: () => isJSDocUnknownTag, isJSDocUnknownType: () => isJSDocUnknownType, isJSDocVariadicType: () => isJSDocVariadicType, isJSXTagName: () => isJSXTagName, isJsonEqual: () => isJsonEqual, isJsonSourceFile: () => isJsonSourceFile, isJsxAttribute: () => isJsxAttribute, isJsxAttributeLike: () => isJsxAttributeLike, isJsxAttributeName: () => isJsxAttributeName, isJsxAttributes: () => isJsxAttributes, isJsxChild: () => isJsxChild, isJsxClosingElement: () => isJsxClosingElement, isJsxClosingFragment: () => isJsxClosingFragment, isJsxElement: () => isJsxElement, isJsxExpression: () => isJsxExpression, isJsxFragment: () => isJsxFragment, isJsxNamespacedName: () => isJsxNamespacedName, isJsxOpeningElement: () => isJsxOpeningElement, isJsxOpeningFragment: () => isJsxOpeningFragment, isJsxOpeningLikeElement: () => isJsxOpeningLikeElement, isJsxOpeningLikeElementTagName: () => isJsxOpeningLikeElementTagName, isJsxSelfClosingElement: () => isJsxSelfClosingElement, isJsxSpreadAttribute: () => isJsxSpreadAttribute, isJsxTagNameExpression: () => isJsxTagNameExpression, isJsxText: () => isJsxText, isJumpStatementTarget: () => isJumpStatementTarget, isKeyword: () => isKeyword2, isKeywordOrPunctuation: () => isKeywordOrPunctuation, isKnownSymbol: () => isKnownSymbol, isLabelName: () => isLabelName, isLabelOfLabeledStatement: () => isLabelOfLabeledStatement, isLabeledStatement: () => isLabeledStatement, isLateVisibilityPaintedStatement: () => isLateVisibilityPaintedStatement, isLeftHandSideExpression: () => isLeftHandSideExpression, isLeftHandSideOfAssignment: () => isLeftHandSideOfAssignment, isLet: () => isLet, isLineBreak: () => isLineBreak, isLiteralComputedPropertyDeclarationName: () => isLiteralComputedPropertyDeclarationName, isLiteralExpression: () => isLiteralExpression, isLiteralExpressionOfObject: () => isLiteralExpressionOfObject, isLiteralImportTypeNode: () => isLiteralImportTypeNode, isLiteralKind: () => isLiteralKind, isLiteralLikeAccess: () => isLiteralLikeAccess, isLiteralLikeElementAccess: () => isLiteralLikeElementAccess, isLiteralNameOfPropertyDeclarationOrIndexAccess: () => isLiteralNameOfPropertyDeclarationOrIndexAccess, isLiteralTypeLikeExpression: () => isLiteralTypeLikeExpression, isLiteralTypeLiteral: () => isLiteralTypeLiteral, isLiteralTypeNode: () => isLiteralTypeNode, isLocalName: () => isLocalName, isLogicalOperator: () => isLogicalOperator, isLogicalOrCoalescingAssignmentExpression: () => isLogicalOrCoalescingAssignmentExpression, isLogicalOrCoalescingAssignmentOperator: () => isLogicalOrCoalescingAssignmentOperator, isLogicalOrCoalescingBinaryExpression: () => isLogicalOrCoalescingBinaryExpression, isLogicalOrCoalescingBinaryOperator: () => isLogicalOrCoalescingBinaryOperator, isMappedTypeNode: () => isMappedTypeNode, isMemberName: () => isMemberName, isMetaProperty: () => isMetaProperty, isMethodDeclaration: () => isMethodDeclaration, isMethodOrAccessor: () => isMethodOrAccessor, isMethodSignature: () => isMethodSignature, isMinusToken: () => isMinusToken, isMissingDeclaration: () => isMissingDeclaration, isMissingPackageJsonInfo: () => isMissingPackageJsonInfo, isModifier: () => isModifier, isModifierKind: () => isModifierKind, isModifierLike: () => isModifierLike, isModuleAugmentationExternal: () => isModuleAugmentationExternal, isModuleBlock: () => isModuleBlock, isModuleBody: () => isModuleBody, isModuleDeclaration: () => isModuleDeclaration, isModuleExportsAccessExpression: () => isModuleExportsAccessExpression, isModuleIdentifier: () => isModuleIdentifier, isModuleName: () => isModuleName, isModuleOrEnumDeclaration: () => isModuleOrEnumDeclaration, isModuleReference: () => isModuleReference, isModuleSpecifierLike: () => isModuleSpecifierLike, isModuleWithStringLiteralName: () => isModuleWithStringLiteralName, isNameOfFunctionDeclaration: () => isNameOfFunctionDeclaration, isNameOfModuleDeclaration: () => isNameOfModuleDeclaration, isNamedClassElement: () => isNamedClassElement, isNamedDeclaration: () => isNamedDeclaration, isNamedEvaluation: () => isNamedEvaluation, isNamedEvaluationSource: () => isNamedEvaluationSource, isNamedExportBindings: () => isNamedExportBindings, isNamedExports: () => isNamedExports, isNamedImportBindings: () => isNamedImportBindings, isNamedImports: () => isNamedImports, isNamedImportsOrExports: () => isNamedImportsOrExports, isNamedTupleMember: () => isNamedTupleMember, isNamespaceBody: () => isNamespaceBody, isNamespaceExport: () => isNamespaceExport, isNamespaceExportDeclaration: () => isNamespaceExportDeclaration, isNamespaceImport: () => isNamespaceImport, isNamespaceReexportDeclaration: () => isNamespaceReexportDeclaration, isNewExpression: () => isNewExpression2, isNewExpressionTarget: () => isNewExpressionTarget, isNoSubstitutionTemplateLiteral: () => isNoSubstitutionTemplateLiteral, isNode: () => isNode2, isNodeArray: () => isNodeArray, isNodeArrayMultiLine: () => isNodeArrayMultiLine, isNodeDescendantOf: () => isNodeDescendantOf, isNodeKind: () => isNodeKind, isNodeLikeSystem: () => isNodeLikeSystem, isNodeModulesDirectory: () => isNodeModulesDirectory, isNodeWithPossibleHoistedDeclaration: () => isNodeWithPossibleHoistedDeclaration, isNonContextualKeyword: () => isNonContextualKeyword, isNonExportDefaultModifier: () => isNonExportDefaultModifier, isNonGlobalAmbientModule: () => isNonGlobalAmbientModule, isNonGlobalDeclaration: () => isNonGlobalDeclaration, isNonNullAccess: () => isNonNullAccess, isNonNullChain: () => isNonNullChain, isNonNullExpression: () => isNonNullExpression, isNonStaticMethodOrAccessorWithPrivateName: () => isNonStaticMethodOrAccessorWithPrivateName, isNotEmittedOrPartiallyEmittedNode: () => isNotEmittedOrPartiallyEmittedNode, isNotEmittedStatement: () => isNotEmittedStatement, isNullishCoalesce: () => isNullishCoalesce, isNumber: () => isNumber2, isNumericLiteral: () => isNumericLiteral, isNumericLiteralName: () => isNumericLiteralName, isObjectBindingElementWithoutPropertyName: () => isObjectBindingElementWithoutPropertyName, isObjectBindingOrAssignmentElement: () => isObjectBindingOrAssignmentElement, isObjectBindingOrAssignmentPattern: () => isObjectBindingOrAssignmentPattern, isObjectBindingPattern: () => isObjectBindingPattern, isObjectLiteralElement: () => isObjectLiteralElement, isObjectLiteralElementLike: () => isObjectLiteralElementLike, isObjectLiteralExpression: () => isObjectLiteralExpression, isObjectLiteralMethod: () => isObjectLiteralMethod, isObjectLiteralOrClassExpressionMethodOrAccessor: () => isObjectLiteralOrClassExpressionMethodOrAccessor, isObjectTypeDeclaration: () => isObjectTypeDeclaration, isOctalDigit: () => isOctalDigit, isOmittedExpression: () => isOmittedExpression, isOptionalChain: () => isOptionalChain, isOptionalChainRoot: () => isOptionalChainRoot, isOptionalDeclaration: () => isOptionalDeclaration, isOptionalJSDocPropertyLikeTag: () => isOptionalJSDocPropertyLikeTag, isOptionalTypeNode: () => isOptionalTypeNode, isOuterExpression: () => isOuterExpression, isOutermostOptionalChain: () => isOutermostOptionalChain, isOverrideModifier: () => isOverrideModifier, isPackageJsonInfo: () => isPackageJsonInfo, isPackedArrayLiteral: () => isPackedArrayLiteral, isParameter: () => isParameter, isParameterPropertyDeclaration: () => isParameterPropertyDeclaration, isParameterPropertyModifier: () => isParameterPropertyModifier, isParenthesizedExpression: () => isParenthesizedExpression, isParenthesizedTypeNode: () => isParenthesizedTypeNode, isParseTreeNode: () => isParseTreeNode, isPartOfParameterDeclaration: () => isPartOfParameterDeclaration, isPartOfTypeNode: () => isPartOfTypeNode, isPartOfTypeQuery: () => isPartOfTypeQuery, isPartiallyEmittedExpression: () => isPartiallyEmittedExpression, isPatternMatch: () => isPatternMatch, isPinnedComment: () => isPinnedComment, isPlainJsFile: () => isPlainJsFile, isPlusToken: () => isPlusToken, isPossiblyTypeArgumentPosition: () => isPossiblyTypeArgumentPosition, isPostfixUnaryExpression: () => isPostfixUnaryExpression, isPrefixUnaryExpression: () => isPrefixUnaryExpression, isPrimitiveLiteralValue: () => isPrimitiveLiteralValue, isPrivateIdentifier: () => isPrivateIdentifier, isPrivateIdentifierClassElementDeclaration: () => isPrivateIdentifierClassElementDeclaration, isPrivateIdentifierPropertyAccessExpression: () => isPrivateIdentifierPropertyAccessExpression, isPrivateIdentifierSymbol: () => isPrivateIdentifierSymbol, isProgramBundleEmitBuildInfo: () => isProgramBundleEmitBuildInfo, isProgramUptoDate: () => isProgramUptoDate, isPrologueDirective: () => isPrologueDirective, isPropertyAccessChain: () => isPropertyAccessChain, isPropertyAccessEntityNameExpression: () => isPropertyAccessEntityNameExpression, isPropertyAccessExpression: () => isPropertyAccessExpression, isPropertyAccessOrQualifiedName: () => isPropertyAccessOrQualifiedName, isPropertyAccessOrQualifiedNameOrImportTypeNode: () => isPropertyAccessOrQualifiedNameOrImportTypeNode, isPropertyAssignment: () => isPropertyAssignment, isPropertyDeclaration: () => isPropertyDeclaration, isPropertyName: () => isPropertyName, isPropertyNameLiteral: () => isPropertyNameLiteral, isPropertySignature: () => isPropertySignature, isProtoSetter: () => isProtoSetter, isPrototypeAccess: () => isPrototypeAccess, isPrototypePropertyAssignment: () => isPrototypePropertyAssignment, isPunctuation: () => isPunctuation, isPushOrUnshiftIdentifier: () => isPushOrUnshiftIdentifier, isQualifiedName: () => isQualifiedName, isQuestionDotToken: () => isQuestionDotToken, isQuestionOrExclamationToken: () => isQuestionOrExclamationToken, isQuestionOrPlusOrMinusToken: () => isQuestionOrPlusOrMinusToken, isQuestionToken: () => isQuestionToken, isRawSourceMap: () => isRawSourceMap, isReadonlyKeyword: () => isReadonlyKeyword, isReadonlyKeywordOrPlusOrMinusToken: () => isReadonlyKeywordOrPlusOrMinusToken, isRecognizedTripleSlashComment: () => isRecognizedTripleSlashComment, isReferenceFileLocation: () => isReferenceFileLocation, isReferencedFile: () => isReferencedFile, isRegularExpressionLiteral: () => isRegularExpressionLiteral, isRequireCall: () => isRequireCall, isRequireVariableStatement: () => isRequireVariableStatement, isRestParameter: () => isRestParameter, isRestTypeNode: () => isRestTypeNode, isReturnStatement: () => isReturnStatement, isReturnStatementWithFixablePromiseHandler: () => isReturnStatementWithFixablePromiseHandler, isRightSideOfAccessExpression: () => isRightSideOfAccessExpression, isRightSideOfInstanceofExpression: () => isRightSideOfInstanceofExpression, isRightSideOfPropertyAccess: () => isRightSideOfPropertyAccess, isRightSideOfQualifiedName: () => isRightSideOfQualifiedName, isRightSideOfQualifiedNameOrPropertyAccess: () => isRightSideOfQualifiedNameOrPropertyAccess, isRightSideOfQualifiedNameOrPropertyAccessOrJSDocMemberName: () => isRightSideOfQualifiedNameOrPropertyAccessOrJSDocMemberName, isRootedDiskPath: () => isRootedDiskPath, isSameEntityName: () => isSameEntityName, isSatisfiesExpression: () => isSatisfiesExpression, isScopeMarker: () => isScopeMarker, isSemicolonClassElement: () => isSemicolonClassElement, isSetAccessor: () => isSetAccessor, isSetAccessorDeclaration: () => isSetAccessorDeclaration, isShebangTrivia: () => isShebangTrivia, isShiftOperatorOrHigher: () => isShiftOperatorOrHigher, isShorthandAmbientModuleSymbol: () => isShorthandAmbientModuleSymbol, isShorthandPropertyAssignment: () => isShorthandPropertyAssignment, isSignedNumericLiteral: () => isSignedNumericLiteral, isSimpleCopiableExpression: () => isSimpleCopiableExpression, isSimpleInlineableExpression: () => isSimpleInlineableExpression, isSimpleParameter: () => isSimpleParameter, isSimpleParameterList: () => isSimpleParameterList, isSingleOrDoubleQuote: () => isSingleOrDoubleQuote, isSourceFile: () => isSourceFile, isSourceFileFromLibrary: () => isSourceFileFromLibrary, isSourceFileJS: () => isSourceFileJS, isSourceFileNotJS: () => isSourceFileNotJS, isSourceFileNotJson: () => isSourceFileNotJson, isSourceMapping: () => isSourceMapping, isSpecialPropertyDeclaration: () => isSpecialPropertyDeclaration, isSpreadAssignment: () => isSpreadAssignment, isSpreadElement: () => isSpreadElement, isStatement: () => isStatement, isStatementButNotDeclaration: () => isStatementButNotDeclaration, isStatementOrBlock: () => isStatementOrBlock, isStatementWithLocals: () => isStatementWithLocals, isStatic: () => isStatic, isStaticModifier: () => isStaticModifier, isString: () => isString2, isStringAKeyword: () => isStringAKeyword, isStringANonContextualKeyword: () => isStringANonContextualKeyword, isStringAndEmptyAnonymousObjectIntersection: () => isStringAndEmptyAnonymousObjectIntersection, isStringDoubleQuoted: () => isStringDoubleQuoted, isStringLiteral: () => isStringLiteral2, isStringLiteralLike: () => isStringLiteralLike, isStringLiteralOrJsxExpression: () => isStringLiteralOrJsxExpression, isStringLiteralOrTemplate: () => isStringLiteralOrTemplate, isStringOrNumericLiteralLike: () => isStringOrNumericLiteralLike, isStringOrRegularExpressionOrTemplateLiteral: () => isStringOrRegularExpressionOrTemplateLiteral, isStringTextContainingNode: () => isStringTextContainingNode, isSuperCall: () => isSuperCall, isSuperKeyword: () => isSuperKeyword, isSuperOrSuperProperty: () => isSuperOrSuperProperty, isSuperProperty: () => isSuperProperty, isSupportedSourceFileName: () => isSupportedSourceFileName, isSwitchStatement: () => isSwitchStatement, isSyntaxList: () => isSyntaxList, isSyntheticExpression: () => isSyntheticExpression, isSyntheticReference: () => isSyntheticReference, isTagName: () => isTagName, isTaggedTemplateExpression: () => isTaggedTemplateExpression, isTaggedTemplateTag: () => isTaggedTemplateTag, isTemplateExpression: () => isTemplateExpression, isTemplateHead: () => isTemplateHead, isTemplateLiteral: () => isTemplateLiteral, isTemplateLiteralKind: () => isTemplateLiteralKind, isTemplateLiteralToken: () => isTemplateLiteralToken, isTemplateLiteralTypeNode: () => isTemplateLiteralTypeNode, isTemplateLiteralTypeSpan: () => isTemplateLiteralTypeSpan, isTemplateMiddle: () => isTemplateMiddle, isTemplateMiddleOrTemplateTail: () => isTemplateMiddleOrTemplateTail, isTemplateSpan: () => isTemplateSpan, isTemplateTail: () => isTemplateTail, isTextWhiteSpaceLike: () => isTextWhiteSpaceLike, isThis: () => isThis, isThisContainerOrFunctionBlock: () => isThisContainerOrFunctionBlock, isThisIdentifier: () => isThisIdentifier, isThisInTypeQuery: () => isThisInTypeQuery, isThisInitializedDeclaration: () => isThisInitializedDeclaration, isThisInitializedObjectBindingExpression: () => isThisInitializedObjectBindingExpression, isThisProperty: () => isThisProperty, isThisTypeNode: () => isThisTypeNode, isThisTypeParameter: () => isThisTypeParameter, isThisTypePredicate: () => isThisTypePredicate, isThrowStatement: () => isThrowStatement, isToken: () => isToken, isTokenKind: () => isTokenKind, isTraceEnabled: () => isTraceEnabled, isTransientSymbol: () => isTransientSymbol, isTrivia: () => isTrivia, isTryStatement: () => isTryStatement, isTupleTypeNode: () => isTupleTypeNode, isTypeAlias: () => isTypeAlias, isTypeAliasDeclaration: () => isTypeAliasDeclaration, isTypeAssertionExpression: () => isTypeAssertionExpression, isTypeDeclaration: () => isTypeDeclaration, isTypeElement: () => isTypeElement, isTypeKeyword: () => isTypeKeyword, isTypeKeywordToken: () => isTypeKeywordToken, isTypeKeywordTokenOrIdentifier: () => isTypeKeywordTokenOrIdentifier, isTypeLiteralNode: () => isTypeLiteralNode, isTypeNode: () => isTypeNode, isTypeNodeKind: () => isTypeNodeKind, isTypeOfExpression: () => isTypeOfExpression, isTypeOnlyExportDeclaration: () => isTypeOnlyExportDeclaration, isTypeOnlyImportDeclaration: () => isTypeOnlyImportDeclaration, isTypeOnlyImportOrExportDeclaration: () => isTypeOnlyImportOrExportDeclaration, isTypeOperatorNode: () => isTypeOperatorNode, isTypeParameterDeclaration: () => isTypeParameterDeclaration, isTypePredicateNode: () => isTypePredicateNode, isTypeQueryNode: () => isTypeQueryNode, isTypeReferenceNode: () => isTypeReferenceNode, isTypeReferenceType: () => isTypeReferenceType, isTypeUsableAsPropertyName: () => isTypeUsableAsPropertyName, isUMDExportSymbol: () => isUMDExportSymbol, isUnaryExpression: () => isUnaryExpression, isUnaryExpressionWithWrite: () => isUnaryExpressionWithWrite, isUnicodeIdentifierStart: () => isUnicodeIdentifierStart, isUnionTypeNode: () => isUnionTypeNode, isUrl: () => isUrl, isValidBigIntString: () => isValidBigIntString, isValidESSymbolDeclaration: () => isValidESSymbolDeclaration, isValidTypeOnlyAliasUseSite: () => isValidTypeOnlyAliasUseSite, isValueSignatureDeclaration: () => isValueSignatureDeclaration, isVarAwaitUsing: () => isVarAwaitUsing, isVarConst: () => isVarConst, isVarConstLike: () => isVarConstLike, isVarUsing: () => isVarUsing, isVariableDeclaration: () => isVariableDeclaration, isVariableDeclarationInVariableStatement: () => isVariableDeclarationInVariableStatement, isVariableDeclarationInitializedToBareOrAccessedRequire: () => isVariableDeclarationInitializedToBareOrAccessedRequire, isVariableDeclarationInitializedToRequire: () => isVariableDeclarationInitializedToRequire, isVariableDeclarationList: () => isVariableDeclarationList, isVariableLike: () => isVariableLike, isVariableLikeOrAccessor: () => isVariableLikeOrAccessor, isVariableStatement: () => isVariableStatement, isVoidExpression: () => isVoidExpression, isWatchSet: () => isWatchSet, isWhileStatement: () => isWhileStatement, isWhiteSpaceLike: () => isWhiteSpaceLike, isWhiteSpaceSingleLine: () => isWhiteSpaceSingleLine, isWithStatement: () => isWithStatement, isWriteAccess: () => isWriteAccess, isWriteOnlyAccess: () => isWriteOnlyAccess, isYieldExpression: () => isYieldExpression, jsxModeNeedsExplicitImport: () => jsxModeNeedsExplicitImport, keywordPart: () => keywordPart, last: () => last, lastOrUndefined: () => lastOrUndefined, length: () => length, libMap: () => libMap, libs: () => libs, lineBreakPart: () => lineBreakPart, linkNamePart: () => linkNamePart, linkPart: () => linkPart, linkTextPart: () => linkTextPart, listFiles: () => listFiles, loadModuleFromGlobalCache: () => loadModuleFromGlobalCache, loadWithModeAwareCache: () => loadWithModeAwareCache, makeIdentifierFromModuleName: () => makeIdentifierFromModuleName, makeImport: () => makeImport, makeStringLiteral: () => makeStringLiteral, mangleScopedPackageName: () => mangleScopedPackageName, map: () => map, mapAllOrFail: () => mapAllOrFail, mapDefined: () => mapDefined, mapDefinedEntries: () => mapDefinedEntries, mapDefinedIterator: () => mapDefinedIterator, mapEntries: () => mapEntries, mapIterator: () => mapIterator, mapOneOrMany: () => mapOneOrMany, mapToDisplayParts: () => mapToDisplayParts, matchFiles: () => matchFiles, matchPatternOrExact: () => matchPatternOrExact, matchedText: () => matchedText, matchesExclude: () => matchesExclude, maybeBind: () => maybeBind, maybeSetLocalizedDiagnosticMessages: () => maybeSetLocalizedDiagnosticMessages, memoize: () => memoize, memoizeCached: () => memoizeCached, memoizeOne: () => memoizeOne, memoizeWeak: () => memoizeWeak, metadataHelper: () => metadataHelper, min: () => min, minAndMax: () => minAndMax, missingFileModifiedTime: () => missingFileModifiedTime, modifierToFlag: () => modifierToFlag, modifiersToFlags: () => modifiersToFlags, moduleOptionDeclaration: () => moduleOptionDeclaration, moduleResolutionIsEqualTo: () => moduleResolutionIsEqualTo, moduleResolutionNameAndModeGetter: () => moduleResolutionNameAndModeGetter, moduleResolutionOptionDeclarations: () => moduleResolutionOptionDeclarations, moduleResolutionSupportsPackageJsonExportsAndImports: () => moduleResolutionSupportsPackageJsonExportsAndImports, moduleResolutionUsesNodeModules: () => moduleResolutionUsesNodeModules, moduleSpecifierToValidIdentifier: () => moduleSpecifierToValidIdentifier, moduleSpecifiers: () => ts_moduleSpecifiers_exports, moduleSymbolToValidIdentifier: () => moduleSymbolToValidIdentifier, moveEmitHelpers: () => moveEmitHelpers, moveRangeEnd: () => moveRangeEnd, moveRangePastDecorators: () => moveRangePastDecorators, moveRangePastModifiers: () => moveRangePastModifiers, moveRangePos: () => moveRangePos, moveSyntheticComments: () => moveSyntheticComments, mutateMap: () => mutateMap, mutateMapSkippingNewValues: () => mutateMapSkippingNewValues, needsParentheses: () => needsParentheses2, needsScopeMarker: () => needsScopeMarker, newCaseClauseTracker: () => newCaseClauseTracker, newPrivateEnvironment: () => newPrivateEnvironment, noEmitNotification: () => noEmitNotification, noEmitSubstitution: () => noEmitSubstitution, noTransformers: () => noTransformers, noTruncationMaximumTruncationLength: () => noTruncationMaximumTruncationLength, nodeCanBeDecorated: () => nodeCanBeDecorated, nodeHasName: () => nodeHasName, nodeIsDecorated: () => nodeIsDecorated, nodeIsMissing: () => nodeIsMissing, nodeIsPresent: () => nodeIsPresent, nodeIsSynthesized: () => nodeIsSynthesized, nodeModuleNameResolver: () => nodeModuleNameResolver, nodeModulesPathPart: () => nodeModulesPathPart, nodeNextJsonConfigResolver: () => nodeNextJsonConfigResolver, nodeOrChildIsDecorated: () => nodeOrChildIsDecorated, nodeOverlapsWithStartEnd: () => nodeOverlapsWithStartEnd, nodePosToString: () => nodePosToString, nodeSeenTracker: () => nodeSeenTracker, nodeStartsNewLexicalEnvironment: () => nodeStartsNewLexicalEnvironment, nodeToDisplayParts: () => nodeToDisplayParts, noop: () => noop2, noopFileWatcher: () => noopFileWatcher, normalizePath: () => normalizePath, normalizeSlashes: () => normalizeSlashes, not: () => not, notImplemented: () => notImplemented, notImplementedResolver: () => notImplementedResolver, nullNodeConverters: () => nullNodeConverters, nullParenthesizerRules: () => nullParenthesizerRules, nullTransformationContext: () => nullTransformationContext, objectAllocator: () => objectAllocator, operatorPart: () => operatorPart, optionDeclarations: () => optionDeclarations, optionMapToObject: () => optionMapToObject, optionsAffectingProgramStructure: () => optionsAffectingProgramStructure, optionsForBuild: () => optionsForBuild, optionsForWatch: () => optionsForWatch, optionsHaveChanges: () => optionsHaveChanges, optionsHaveModuleResolutionChanges: () => optionsHaveModuleResolutionChanges, or: () => or, orderedRemoveItem: () => orderedRemoveItem, orderedRemoveItemAt: () => orderedRemoveItemAt, packageIdToPackageName: () => packageIdToPackageName, packageIdToString: () => packageIdToString, paramHelper: () => paramHelper, parameterIsThisKeyword: () => parameterIsThisKeyword, parameterNamePart: () => parameterNamePart, parseBaseNodeFactory: () => parseBaseNodeFactory, parseBigInt: () => parseBigInt, parseBuildCommand: () => parseBuildCommand, parseCommandLine: () => parseCommandLine, parseCommandLineWorker: () => parseCommandLineWorker, parseConfigFileTextToJson: () => parseConfigFileTextToJson, parseConfigFileWithSystem: () => parseConfigFileWithSystem, parseConfigHostFromCompilerHostLike: () => parseConfigHostFromCompilerHostLike, parseCustomTypeOption: () => parseCustomTypeOption, parseIsolatedEntityName: () => parseIsolatedEntityName, parseIsolatedJSDocComment: () => parseIsolatedJSDocComment, parseJSDocTypeExpressionForTests: () => parseJSDocTypeExpressionForTests, parseJsonConfigFileContent: () => parseJsonConfigFileContent, parseJsonSourceFileConfigFileContent: () => parseJsonSourceFileConfigFileContent, parseJsonText: () => parseJsonText, parseListTypeOption: () => parseListTypeOption, parseNodeFactory: () => parseNodeFactory, parseNodeModuleFromPath: () => parseNodeModuleFromPath, parsePackageName: () => parsePackageName, parsePseudoBigInt: () => parsePseudoBigInt, parseValidBigInt: () => parseValidBigInt, pasteEdits: () => ts_PasteEdits_exports, patchWriteFileEnsuringDirectory: () => patchWriteFileEnsuringDirectory, pathContainsNodeModules: () => pathContainsNodeModules, pathIsAbsolute: () => pathIsAbsolute, pathIsBareSpecifier: () => pathIsBareSpecifier, pathIsRelative: () => pathIsRelative, patternText: () => patternText, perfLogger: () => perfLogger, performIncrementalCompilation: () => performIncrementalCompilation, performance: () => ts_performance_exports, plainJSErrors: () => plainJSErrors, positionBelongsToNode: () => positionBelongsToNode, positionIsASICandidate: () => positionIsASICandidate, positionIsSynthesized: () => positionIsSynthesized, positionsAreOnSameLine: () => positionsAreOnSameLine, preProcessFile: () => preProcessFile, probablyUsesSemicolons: () => probablyUsesSemicolons, processCommentPragmas: () => processCommentPragmas, processPragmasIntoFields: () => processPragmasIntoFields, processTaggedTemplateExpression: () => processTaggedTemplateExpression, programContainsEsModules: () => programContainsEsModules, programContainsModules: () => programContainsModules, projectReferenceIsEqualTo: () => projectReferenceIsEqualTo, propKeyHelper: () => propKeyHelper, propertyNamePart: () => propertyNamePart, pseudoBigIntToString: () => pseudoBigIntToString, punctuationPart: () => punctuationPart, pushIfUnique: () => pushIfUnique, quote: () => quote, quotePreferenceFromString: () => quotePreferenceFromString, rangeContainsPosition: () => rangeContainsPosition, rangeContainsPositionExclusive: () => rangeContainsPositionExclusive, rangeContainsRange: () => rangeContainsRange, rangeContainsRangeExclusive: () => rangeContainsRangeExclusive, rangeContainsStartEnd: () => rangeContainsStartEnd, rangeEndIsOnSameLineAsRangeStart: () => rangeEndIsOnSameLineAsRangeStart, rangeEndPositionsAreOnSameLine: () => rangeEndPositionsAreOnSameLine, rangeEquals: () => rangeEquals, rangeIsOnSingleLine: () => rangeIsOnSingleLine, rangeOfNode: () => rangeOfNode, rangeOfTypeParameters: () => rangeOfTypeParameters, rangeOverlapsWithStartEnd: () => rangeOverlapsWithStartEnd, rangeStartIsOnSameLineAsRangeEnd: () => rangeStartIsOnSameLineAsRangeEnd, rangeStartPositionsAreOnSameLine: () => rangeStartPositionsAreOnSameLine, readBuilderProgram: () => readBuilderProgram, readConfigFile: () => readConfigFile, readHelper: () => readHelper, readJson: () => readJson, readJsonConfigFile: () => readJsonConfigFile, readJsonOrUndefined: () => readJsonOrUndefined, reduceEachLeadingCommentRange: () => reduceEachLeadingCommentRange, reduceEachTrailingCommentRange: () => reduceEachTrailingCommentRange, reduceLeft: () => reduceLeft, reduceLeftIterator: () => reduceLeftIterator, reducePathComponents: () => reducePathComponents, refactor: () => ts_refactor_exports, regExpEscape: () => regExpEscape, regularExpressionFlagToCharacter: () => regularExpressionFlagToCharacter, relativeComplement: () => relativeComplement, removeAllComments: () => removeAllComments, removeEmitHelper: () => removeEmitHelper, removeExtension: () => removeExtension, removeFileExtension: () => removeFileExtension, removeIgnoredPath: () => removeIgnoredPath, removeMinAndVersionNumbers: () => removeMinAndVersionNumbers, removeOptionality: () => removeOptionality, removePrefix: () => removePrefix, removeSuffix: () => removeSuffix, removeTrailingDirectorySeparator: () => removeTrailingDirectorySeparator, repeatString: () => repeatString, replaceElement: () => replaceElement, replaceFirstStar: () => replaceFirstStar, resolutionExtensionIsTSOrJson: () => resolutionExtensionIsTSOrJson, resolveConfigFileProjectName: () => resolveConfigFileProjectName, resolveJSModule: () => resolveJSModule, resolveLibrary: () => resolveLibrary, resolveModuleName: () => resolveModuleName, resolveModuleNameFromCache: () => resolveModuleNameFromCache, resolvePackageNameToPackageJson: () => resolvePackageNameToPackageJson, resolvePath: () => resolvePath, resolveProjectReferencePath: () => resolveProjectReferencePath, resolveTripleslashReference: () => resolveTripleslashReference, resolveTypeReferenceDirective: () => resolveTypeReferenceDirective, resolvingEmptyArray: () => resolvingEmptyArray, restHelper: () => restHelper, returnFalse: () => returnFalse, returnNoopFileWatcher: () => returnNoopFileWatcher, returnTrue: () => returnTrue, returnUndefined: () => returnUndefined, returnsPromise: () => returnsPromise, runInitializersHelper: () => runInitializersHelper, sameFlatMap: () => sameFlatMap, sameMap: () => sameMap, sameMapping: () => sameMapping, scanShebangTrivia: () => scanShebangTrivia, scanTokenAtPosition: () => scanTokenAtPosition, scanner: () => scanner, screenStartingMessageCodes: () => screenStartingMessageCodes, semanticDiagnosticsOptionDeclarations: () => semanticDiagnosticsOptionDeclarations, serializeCompilerOptions: () => serializeCompilerOptions, server: () => ts_server_exports3, servicesVersion: () => servicesVersion, setCommentRange: () => setCommentRange, setConfigFileInOptions: () => setConfigFileInOptions, setConstantValue: () => setConstantValue, setEachParent: () => setEachParent, setEmitFlags: () => setEmitFlags, setFunctionNameHelper: () => setFunctionNameHelper, setGetSourceFileAsHashVersioned: () => setGetSourceFileAsHashVersioned, setIdentifierAutoGenerate: () => setIdentifierAutoGenerate, setIdentifierGeneratedImportReference: () => setIdentifierGeneratedImportReference, setIdentifierTypeArguments: () => setIdentifierTypeArguments, setInternalEmitFlags: () => setInternalEmitFlags, setLocalizedDiagnosticMessages: () => setLocalizedDiagnosticMessages, setModuleDefaultHelper: () => setModuleDefaultHelper, setNodeChildren: () => setNodeChildren, setNodeFlags: () => setNodeFlags, setObjectAllocator: () => setObjectAllocator, setOriginalNode: () => setOriginalNode, setParent: () => setParent, setParentRecursive: () => setParentRecursive, setPrivateIdentifier: () => setPrivateIdentifier, setSnippetElement: () => setSnippetElement, setSourceMapRange: () => setSourceMapRange, setStackTraceLimit: () => setStackTraceLimit, setStartsOnNewLine: () => setStartsOnNewLine, setSyntheticLeadingComments: () => setSyntheticLeadingComments, setSyntheticTrailingComments: () => setSyntheticTrailingComments, setSys: () => setSys, setSysLog: () => setSysLog, setTextRange: () => setTextRange, setTextRangeEnd: () => setTextRangeEnd, setTextRangePos: () => setTextRangePos, setTextRangePosEnd: () => setTextRangePosEnd, setTextRangePosWidth: () => setTextRangePosWidth, setTokenSourceMapRange: () => setTokenSourceMapRange, setTypeNode: () => setTypeNode, setUILocale: () => setUILocale, setValueDeclaration: () => setValueDeclaration, shouldAllowImportingTsExtension: () => shouldAllowImportingTsExtension, shouldPreserveConstEnums: () => shouldPreserveConstEnums, shouldUseUriStyleNodeCoreModules: () => shouldUseUriStyleNodeCoreModules, showModuleSpecifier: () => showModuleSpecifier, signatureHasLiteralTypes: () => signatureHasLiteralTypes, signatureHasRestParameter: () => signatureHasRestParameter, signatureToDisplayParts: () => signatureToDisplayParts, single: () => single, singleElementArray: () => singleElementArray, singleIterator: () => singleIterator, singleOrMany: () => singleOrMany, singleOrUndefined: () => singleOrUndefined, skipAlias: () => skipAlias, skipAssertions: () => skipAssertions, skipConstraint: () => skipConstraint, skipOuterExpressions: () => skipOuterExpressions, skipParentheses: () => skipParentheses, skipPartiallyEmittedExpressions: () => skipPartiallyEmittedExpressions, skipTrivia: () => skipTrivia, skipTypeChecking: () => skipTypeChecking, skipTypeParentheses: () => skipTypeParentheses, skipWhile: () => skipWhile, sliceAfter: () => sliceAfter, some: () => some, sort: () => sort, sortAndDeduplicate: () => sortAndDeduplicate, sortAndDeduplicateDiagnostics: () => sortAndDeduplicateDiagnostics, sourceFileAffectingCompilerOptions: () => sourceFileAffectingCompilerOptions, sourceFileMayBeEmitted: () => sourceFileMayBeEmitted, sourceMapCommentRegExp: () => sourceMapCommentRegExp, sourceMapCommentRegExpDontCareLineStart: () => sourceMapCommentRegExpDontCareLineStart, spacePart: () => spacePart, spanMap: () => spanMap, spreadArrayHelper: () => spreadArrayHelper, stableSort: () => stableSort, startEndContainsRange: () => startEndContainsRange, startEndOverlapsWithStartEnd: () => startEndOverlapsWithStartEnd, startOnNewLine: () => startOnNewLine, startTracing: () => startTracing, startsWith: () => startsWith2, startsWithDirectory: () => startsWithDirectory, startsWithUnderscore: () => startsWithUnderscore, startsWithUseStrict: () => startsWithUseStrict, stringContainsAt: () => stringContainsAt, stringToToken: () => stringToToken, stripQuotes: () => stripQuotes, supportedDeclarationExtensions: () => supportedDeclarationExtensions, supportedJSExtensions: () => supportedJSExtensions, supportedJSExtensionsFlat: () => supportedJSExtensionsFlat, supportedLocaleDirectories: () => supportedLocaleDirectories, supportedTSExtensions: () => supportedTSExtensions, supportedTSExtensionsFlat: () => supportedTSExtensionsFlat, supportedTSImplementationExtensions: () => supportedTSImplementationExtensions, suppressLeadingAndTrailingTrivia: () => suppressLeadingAndTrailingTrivia, suppressLeadingTrivia: () => suppressLeadingTrivia, suppressTrailingTrivia: () => suppressTrailingTrivia, symbolEscapedNameNoDefault: () => symbolEscapedNameNoDefault, symbolName: () => symbolName, symbolNameNoDefault: () => symbolNameNoDefault, symbolPart: () => symbolPart, symbolToDisplayParts: () => symbolToDisplayParts, syntaxMayBeASICandidate: () => syntaxMayBeASICandidate, syntaxRequiresTrailingSemicolonOrASI: () => syntaxRequiresTrailingSemicolonOrASI, sys: () => sys, sysLog: () => sysLog, tagNamesAreEquivalent: () => tagNamesAreEquivalent, takeWhile: () => takeWhile, targetOptionDeclaration: () => targetOptionDeclaration, templateObjectHelper: () => templateObjectHelper, testFormatSettings: () => testFormatSettings, textChangeRangeIsUnchanged: () => textChangeRangeIsUnchanged, textChangeRangeNewSpan: () => textChangeRangeNewSpan, textChanges: () => ts_textChanges_exports, textOrKeywordPart: () => textOrKeywordPart, textPart: () => textPart, textRangeContainsPositionInclusive: () => textRangeContainsPositionInclusive, textSpanContainsPosition: () => textSpanContainsPosition, textSpanContainsTextSpan: () => textSpanContainsTextSpan, textSpanEnd: () => textSpanEnd, textSpanIntersection: () => textSpanIntersection, textSpanIntersectsWith: () => textSpanIntersectsWith, textSpanIntersectsWithPosition: () => textSpanIntersectsWithPosition, textSpanIntersectsWithTextSpan: () => textSpanIntersectsWithTextSpan, textSpanIsEmpty: () => textSpanIsEmpty, textSpanOverlap: () => textSpanOverlap, textSpanOverlapsWith: () => textSpanOverlapsWith, textSpansEqual: () => textSpansEqual, textToKeywordObj: () => textToKeywordObj, timestamp: () => timestamp, toArray: () => toArray, toBuilderFileEmit: () => toBuilderFileEmit, toBuilderStateFileInfoForMultiEmit: () => toBuilderStateFileInfoForMultiEmit, toEditorSettings: () => toEditorSettings, toFileNameLowerCase: () => toFileNameLowerCase, toLowerCase: () => toLowerCase, toPath: () => toPath3, toProgramEmitPending: () => toProgramEmitPending, tokenIsIdentifierOrKeyword: () => tokenIsIdentifierOrKeyword, tokenIsIdentifierOrKeywordOrGreaterThan: () => tokenIsIdentifierOrKeywordOrGreaterThan, tokenToString: () => tokenToString, trace: () => trace, tracing: () => tracing, tracingEnabled: () => tracingEnabled, transform: () => transform, transformClassFields: () => transformClassFields, transformDeclarations: () => transformDeclarations, transformECMAScriptModule: () => transformECMAScriptModule, transformES2015: () => transformES2015, transformES2016: () => transformES2016, transformES2017: () => transformES2017, transformES2018: () => transformES2018, transformES2019: () => transformES2019, transformES2020: () => transformES2020, transformES2021: () => transformES2021, transformESDecorators: () => transformESDecorators, transformESNext: () => transformESNext, transformGenerators: () => transformGenerators, transformJsx: () => transformJsx, transformLegacyDecorators: () => transformLegacyDecorators, transformModule: () => transformModule, transformNamedEvaluation: () => transformNamedEvaluation, transformNodeModule: () => transformNodeModule, transformNodes: () => transformNodes, transformSystemModule: () => transformSystemModule, transformTypeScript: () => transformTypeScript, transpile: () => transpile, transpileDeclaration: () => transpileDeclaration, transpileModule: () => transpileModule, transpileOptionValueCompilerOptions: () => transpileOptionValueCompilerOptions, tryAddToSet: () => tryAddToSet, tryAndIgnoreErrors: () => tryAndIgnoreErrors, tryCast: () => tryCast, tryDirectoryExists: () => tryDirectoryExists, tryExtractTSExtension: () => tryExtractTSExtension, tryFileExists: () => tryFileExists, tryGetClassExtendingExpressionWithTypeArguments: () => tryGetClassExtendingExpressionWithTypeArguments, tryGetClassImplementingOrExtendingExpressionWithTypeArguments: () => tryGetClassImplementingOrExtendingExpressionWithTypeArguments, tryGetDirectories: () => tryGetDirectories, tryGetExtensionFromPath: () => tryGetExtensionFromPath2, tryGetImportFromModuleSpecifier: () => tryGetImportFromModuleSpecifier, tryGetJSDocSatisfiesTypeNode: () => tryGetJSDocSatisfiesTypeNode, tryGetModuleNameFromFile: () => tryGetModuleNameFromFile, tryGetModuleSpecifierFromDeclaration: () => tryGetModuleSpecifierFromDeclaration, tryGetNativePerformanceHooks: () => tryGetNativePerformanceHooks, tryGetPropertyAccessOrIdentifierToString: () => tryGetPropertyAccessOrIdentifierToString, tryGetPropertyNameOfBindingOrAssignmentElement: () => tryGetPropertyNameOfBindingOrAssignmentElement, tryGetSourceMappingURL: () => tryGetSourceMappingURL, tryGetTextOfPropertyName: () => tryGetTextOfPropertyName, tryIOAndConsumeErrors: () => tryIOAndConsumeErrors, tryParseJson: () => tryParseJson, tryParsePattern: () => tryParsePattern, tryParsePatterns: () => tryParsePatterns, tryParseRawSourceMap: () => tryParseRawSourceMap, tryReadDirectory: () => tryReadDirectory, tryReadFile: () => tryReadFile, tryRemoveDirectoryPrefix: () => tryRemoveDirectoryPrefix, tryRemoveExtension: () => tryRemoveExtension, tryRemovePrefix: () => tryRemovePrefix, tryRemoveSuffix: () => tryRemoveSuffix, typeAcquisitionDeclarations: () => typeAcquisitionDeclarations, typeAliasNamePart: () => typeAliasNamePart, typeDirectiveIsEqualTo: () => typeDirectiveIsEqualTo, typeKeywords: () => typeKeywords, typeParameterNamePart: () => typeParameterNamePart, typeToDisplayParts: () => typeToDisplayParts, unchangedPollThresholds: () => unchangedPollThresholds, unchangedTextChangeRange: () => unchangedTextChangeRange, unescapeLeadingUnderscores: () => unescapeLeadingUnderscores, unmangleScopedPackageName: () => unmangleScopedPackageName, unorderedRemoveItem: () => unorderedRemoveItem, unorderedRemoveItemAt: () => unorderedRemoveItemAt, unreachableCodeIsError: () => unreachableCodeIsError, unsetNodeChildren: () => unsetNodeChildren, unusedLabelIsError: () => unusedLabelIsError, unwrapInnermostStatementOfLabel: () => unwrapInnermostStatementOfLabel, unwrapParenthesizedExpression: () => unwrapParenthesizedExpression, updateErrorForNoInputFiles: () => updateErrorForNoInputFiles, updateLanguageServiceSourceFile: () => updateLanguageServiceSourceFile, updateMissingFilePathsWatch: () => updateMissingFilePathsWatch, updateResolutionField: () => updateResolutionField, updateSharedExtendedConfigFileWatcher: () => updateSharedExtendedConfigFileWatcher, updateSourceFile: () => updateSourceFile, updateWatchingWildcardDirectories: () => updateWatchingWildcardDirectories, usesExtensionsOnImports: () => usesExtensionsOnImports, usingSingleLineStringWriter: () => usingSingleLineStringWriter, utf16EncodeAsString: () => utf16EncodeAsString, validateLocaleAndSetLanguage: () => validateLocaleAndSetLanguage, valuesHelper: () => valuesHelper, version: () => version, versionMajorMinor: () => versionMajorMinor, visitArray: () => visitArray, visitCommaListElements: () => visitCommaListElements, visitEachChild: () => visitEachChild, visitFunctionBody: () => visitFunctionBody, visitIterationBody: () => visitIterationBody, visitLexicalEnvironment: () => visitLexicalEnvironment, visitNode: () => visitNode, visitNodes: () => visitNodes2, visitParameterList: () => visitParameterList, walkUpBindingElementsAndPatterns: () => walkUpBindingElementsAndPatterns, walkUpLexicalEnvironments: () => walkUpLexicalEnvironments, walkUpOuterExpressions: () => walkUpOuterExpressions, walkUpParenthesizedExpressions: () => walkUpParenthesizedExpressions, walkUpParenthesizedTypes: () => walkUpParenthesizedTypes, walkUpParenthesizedTypesAndGetParentAndChild: () => walkUpParenthesizedTypesAndGetParentAndChild, whitespaceOrMapCommentRegExp: () => whitespaceOrMapCommentRegExp, writeCommentRange: () => writeCommentRange, writeFile: () => writeFile, writeFileEnsuringDirectories: () => writeFileEnsuringDirectories, zipWith: () => zipWith }); var enableDeprecationWarnings = true; var typeScriptVersion2; function getTypeScriptVersion() { return typeScriptVersion2 ?? (typeScriptVersion2 = new Version(version)); } function formatDeprecationMessage(name, error2, errorAfter, since, message) { let deprecationMessage = error2 ? "DeprecationError: " : "DeprecationWarning: "; deprecationMessage += `'${name}' `; deprecationMessage += since ? `has been deprecated since v${since}` : "is deprecated"; deprecationMessage += error2 ? " and can no longer be used." : errorAfter ? ` and will no longer be usable after v${errorAfter}.` : "."; deprecationMessage += message ? ` ${formatStringFromArgs(message, [name])}` : ""; return deprecationMessage; } function createErrorDeprecation(name, errorAfter, since, message) { const deprecationMessage = formatDeprecationMessage( name, /*error*/ true, errorAfter, since, message ); return () => { throw new TypeError(deprecationMessage); }; } function createWarningDeprecation(name, errorAfter, since, message) { let hasWrittenDeprecation = false; return () => { if (enableDeprecationWarnings && !hasWrittenDeprecation) { Debug.log.warn(formatDeprecationMessage( name, /*error*/ false, errorAfter, since, message )); hasWrittenDeprecation = true; } }; } function createDeprecation(name, options = {}) { const version2 = typeof options.typeScriptVersion === "string" ? new Version(options.typeScriptVersion) : options.typeScriptVersion ?? getTypeScriptVersion(); const errorAfter = typeof options.errorAfter === "string" ? new Version(options.errorAfter) : options.errorAfter; const warnAfter = typeof options.warnAfter === "string" ? new Version(options.warnAfter) : options.warnAfter; const since = typeof options.since === "string" ? new Version(options.since) : options.since ?? warnAfter; const error2 = options.error || errorAfter && version2.compareTo(errorAfter) >= 0; const warn = !warnAfter || version2.compareTo(warnAfter) >= 0; return error2 ? createErrorDeprecation(name, errorAfter, since, options.message) : warn ? createWarningDeprecation(name, errorAfter, since, options.message) : noop2; } function wrapFunction(deprecation, func) { return function() { deprecation(); return func.apply(this, arguments); }; } function deprecate(func, options) { const deprecation = createDeprecation((options == null ? void 0 : options.name) ?? Debug.getFunctionName(func), options); return wrapFunction(deprecation, func); } function createOverload(name, overloads, binder2, deprecations) { Object.defineProperty(call, "name", { ...Object.getOwnPropertyDescriptor(call, "name"), value: name }); if (deprecations) { for (const key of Object.keys(deprecations)) { const index = +key; if (!isNaN(index) && hasProperty(overloads, `${index}`)) { overloads[index] = deprecate(overloads[index], { ...deprecations[index], name }); } } } const bind = createBinder2(overloads, binder2); return call; function call(...args) { const index = bind(args); const fn = index !== void 0 ? overloads[index] : void 0; if (typeof fn === "function") { return fn(...args); } throw new TypeError("Invalid arguments"); } } function createBinder2(overloads, binder2) { return (args) => { for (let i = 0; hasProperty(overloads, `${i}`) && hasProperty(binder2, `${i}`); i++) { const fn = binder2[i]; if (fn(args)) { return i; } } }; } function buildOverload(name) { return { overload: (overloads) => ({ bind: (binder2) => ({ finish: () => createOverload(name, overloads, binder2), deprecate: (deprecations) => ({ finish: () => createOverload(name, overloads, binder2, deprecations) }) }) }) }; } var ts_server_exports3 = {}; __export2(ts_server_exports3, { ActionInvalidate: () => ActionInvalidate, ActionPackageInstalled: () => ActionPackageInstalled, ActionSet: () => ActionSet, ActionWatchTypingLocations: () => ActionWatchTypingLocations, Arguments: () => Arguments, AutoImportProviderProject: () => AutoImportProviderProject, AuxiliaryProject: () => AuxiliaryProject, CharRangeSection: () => CharRangeSection, CloseFileWatcherEvent: () => CloseFileWatcherEvent, CommandNames: () => CommandNames, ConfigFileDiagEvent: () => ConfigFileDiagEvent, ConfiguredProject: () => ConfiguredProject2, ConfiguredProjectLoadKind: () => ConfiguredProjectLoadKind, CreateDirectoryWatcherEvent: () => CreateDirectoryWatcherEvent, CreateFileWatcherEvent: () => CreateFileWatcherEvent, Errors: () => Errors, EventBeginInstallTypes: () => EventBeginInstallTypes, EventEndInstallTypes: () => EventEndInstallTypes, EventInitializationFailed: () => EventInitializationFailed, EventTypesRegistry: () => EventTypesRegistry, ExternalProject: () => ExternalProject, GcTimer: () => GcTimer, InferredProject: () => InferredProject2, LargeFileReferencedEvent: () => LargeFileReferencedEvent, LineIndex: () => LineIndex, LineLeaf: () => LineLeaf, LineNode: () => LineNode, LogLevel: () => LogLevel22, Msg: () => Msg, OpenFileInfoTelemetryEvent: () => OpenFileInfoTelemetryEvent, Project: () => Project3, ProjectInfoTelemetryEvent: () => ProjectInfoTelemetryEvent, ProjectKind: () => ProjectKind, ProjectLanguageServiceStateEvent: () => ProjectLanguageServiceStateEvent, ProjectLoadingFinishEvent: () => ProjectLoadingFinishEvent, ProjectLoadingStartEvent: () => ProjectLoadingStartEvent, ProjectService: () => ProjectService3, ProjectsUpdatedInBackgroundEvent: () => ProjectsUpdatedInBackgroundEvent, ScriptInfo: () => ScriptInfo, ScriptVersionCache: () => ScriptVersionCache, Session: () => Session3, TextStorage: () => TextStorage, ThrottledOperations: () => ThrottledOperations, TypingsCache: () => TypingsCache, TypingsInstallerAdapter: () => TypingsInstallerAdapter, allFilesAreJsOrDts: () => allFilesAreJsOrDts, allRootFilesAreJsOrDts: () => allRootFilesAreJsOrDts, asNormalizedPath: () => asNormalizedPath, convertCompilerOptions: () => convertCompilerOptions, convertFormatOptions: () => convertFormatOptions, convertScriptKindName: () => convertScriptKindName, convertTypeAcquisition: () => convertTypeAcquisition, convertUserPreferences: () => convertUserPreferences, convertWatchOptions: () => convertWatchOptions, countEachFileTypes: () => countEachFileTypes, createInstallTypingsRequest: () => createInstallTypingsRequest, createModuleSpecifierCache: () => createModuleSpecifierCache, createNormalizedPathMap: () => createNormalizedPathMap, createPackageJsonCache: () => createPackageJsonCache, createSortedArray: () => createSortedArray2, emptyArray: () => emptyArray2, findArgument: () => findArgument, forEachResolvedProjectReferenceProject: () => forEachResolvedProjectReferenceProject, formatDiagnosticToProtocol: () => formatDiagnosticToProtocol, formatMessage: () => formatMessage2, getBaseConfigFileName: () => getBaseConfigFileName, getLocationInNewDocument: () => getLocationInNewDocument, hasArgument: () => hasArgument, hasNoTypeScriptSource: () => hasNoTypeScriptSource, indent: () => indent2, isBackgroundProject: () => isBackgroundProject, isConfigFile: () => isConfigFile, isConfiguredProject: () => isConfiguredProject, isDynamicFileName: () => isDynamicFileName, isExternalProject: () => isExternalProject, isInferredProject: () => isInferredProject, isInferredProjectName: () => isInferredProjectName, isProjectDeferredClose: () => isProjectDeferredClose, makeAutoImportProviderProjectName: () => makeAutoImportProviderProjectName, makeAuxiliaryProjectName: () => makeAuxiliaryProjectName, makeInferredProjectName: () => makeInferredProjectName, maxFileSize: () => maxFileSize, maxProgramSizeForNonTsFiles: () => maxProgramSizeForNonTsFiles, normalizedPathToPath: () => normalizedPathToPath, nowString: () => nowString, nullCancellationToken: () => nullCancellationToken, nullTypingsInstaller: () => nullTypingsInstaller, protocol: () => ts_server_protocol_exports, removeSorted: () => removeSorted, stringifyIndented: () => stringifyIndented, toEvent: () => toEvent, toNormalizedPath: () => toNormalizedPath, tryConvertScriptKindName: () => tryConvertScriptKindName, typingsInstaller: () => ts_server_typingsInstaller_exports, updateProjectIfDirty: () => updateProjectIfDirty }); var ts_server_typingsInstaller_exports = {}; __export2(ts_server_typingsInstaller_exports, { TypingsInstaller: () => TypingsInstaller, getNpmCommandForInstallation: () => getNpmCommandForInstallation, installNpmPackages: () => installNpmPackages, typingsName: () => typingsName }); var nullLog = { isEnabled: () => false, writeLine: noop2 }; function typingToFileName(cachePath, packageName, installTypingHost, log) { try { const result = resolveModuleName(packageName, combinePaths(cachePath, "index.d.ts"), { moduleResolution: 2 /* Node10 */ }, installTypingHost); return result.resolvedModule && result.resolvedModule.resolvedFileName; } catch (e) { if (log.isEnabled()) { log.writeLine(`Failed to resolve ${packageName} in folder '${cachePath}': ${e.message}`); } return void 0; } } function installNpmPackages(npmPath, tsVersion, packageNames, install) { let hasError = false; for (let remaining = packageNames.length; remaining > 0; ) { const result = getNpmCommandForInstallation(npmPath, tsVersion, packageNames, remaining); remaining = result.remaining; hasError = install(result.command) || hasError; } return hasError; } function getNpmCommandForInstallation(npmPath, tsVersion, packageNames, remaining) { const sliceStart = packageNames.length - remaining; let command, toSlice = remaining; while (true) { command = `${npmPath} install --ignore-scripts ${(toSlice === packageNames.length ? packageNames : packageNames.slice(sliceStart, sliceStart + toSlice)).join(" ")} --save-dev --user-agent="typesInstaller/${tsVersion}"`; if (command.length < 8e3) { break; } toSlice = toSlice - Math.floor(toSlice / 2); } return { command, remaining: remaining - toSlice }; } var TypingsInstaller = class { constructor(installTypingHost, globalCachePath, safeListPath, typesMapLocation, throttleLimit, log = nullLog) { this.installTypingHost = installTypingHost; this.globalCachePath = globalCachePath; this.safeListPath = safeListPath; this.typesMapLocation = typesMapLocation; this.throttleLimit = throttleLimit; this.log = log; this.packageNameToTypingLocation = /* @__PURE__ */ new Map(); this.missingTypingsSet = /* @__PURE__ */ new Set(); this.knownCachesSet = /* @__PURE__ */ new Set(); this.projectWatchers = /* @__PURE__ */ new Map(); this.pendingRunRequests = []; this.installRunCount = 1; this.inFlightRequestCount = 0; this.latestDistTag = "latest"; const isLoggingEnabled = this.log.isEnabled(); if (isLoggingEnabled) { this.log.writeLine(`Global cache location '${globalCachePath}', safe file path '${safeListPath}', types map path ${typesMapLocation}`); } this.processCacheLocation(this.globalCachePath); } /** @internal */ handleRequest(req) { switch (req.kind) { case "discover": this.install(req); break; case "closeProject": this.closeProject(req); break; case "typesRegistry": { const typesRegistry = {}; this.typesRegistry.forEach((value, key) => { typesRegistry[key] = value; }); const response = { kind: EventTypesRegistry, typesRegistry }; this.sendResponse(response); break; } case "installPackage": { this.installPackage(req); break; } default: Debug.assertNever(req); } } closeProject(req) { this.closeWatchers(req.projectName); } closeWatchers(projectName) { if (this.log.isEnabled()) { this.log.writeLine(`Closing file watchers for project '${projectName}'`); } const watchers = this.projectWatchers.get(projectName); if (!watchers) { if (this.log.isEnabled()) { this.log.writeLine(`No watchers are registered for project '${projectName}'`); } return; } this.projectWatchers.delete(projectName); this.sendResponse({ kind: ActionWatchTypingLocations, projectName, files: [] }); if (this.log.isEnabled()) { this.log.writeLine(`Closing file watchers for project '${projectName}' - done.`); } } install(req) { if (this.log.isEnabled()) { this.log.writeLine(`Got install request${stringifyIndented(req)}`); } if (req.cachePath) { if (this.log.isEnabled()) { this.log.writeLine(`Request specifies cache path '${req.cachePath}', loading cached information...`); } this.processCacheLocation(req.cachePath); } if (this.safeList === void 0) { this.initializeSafeList(); } const discoverTypingsResult = ts_JsTyping_exports.discoverTypings( this.installTypingHost, this.log.isEnabled() ? (s) => this.log.writeLine(s) : void 0, req.fileNames, req.projectRootPath, this.safeList, this.packageNameToTypingLocation, req.typeAcquisition, req.unresolvedImports, this.typesRegistry, req.compilerOptions ); this.watchFiles(req.projectName, discoverTypingsResult.filesToWatch); if (discoverTypingsResult.newTypingNames.length) { this.installTypings(req, req.cachePath || this.globalCachePath, discoverTypingsResult.cachedTypingPaths, discoverTypingsResult.newTypingNames); } else { this.sendResponse(this.createSetTypings(req, discoverTypingsResult.cachedTypingPaths)); if (this.log.isEnabled()) { this.log.writeLine(`No new typings were requested as a result of typings discovery`); } } } /** @internal */ installPackage(req) { const { fileName, packageName, projectName, projectRootPath, id } = req; const cwd = forEachAncestorDirectory(getDirectoryPath(fileName), (directory) => { if (this.installTypingHost.fileExists(combinePaths(directory, "package.json"))) { return directory; } }) || projectRootPath; if (cwd) { this.installWorker(-1, [packageName], cwd, (success) => { const message = success ? `Package ${packageName} installed.` : `There was an error installing ${packageName}.`; const response = { kind: ActionPackageInstalled, projectName, id, success, message }; this.sendResponse(response); }); } else { const response = { kind: ActionPackageInstalled, projectName, id, success: false, message: "Could not determine a project root path." }; this.sendResponse(response); } } initializeSafeList() { if (this.typesMapLocation) { const safeListFromMap = ts_JsTyping_exports.loadTypesMap(this.installTypingHost, this.typesMapLocation); if (safeListFromMap) { this.log.writeLine(`Loaded safelist from types map file '${this.typesMapLocation}'`); this.safeList = safeListFromMap; return; } this.log.writeLine(`Failed to load safelist from types map file '${this.typesMapLocation}'`); } this.safeList = ts_JsTyping_exports.loadSafeList(this.installTypingHost, this.safeListPath); } processCacheLocation(cacheLocation) { if (this.log.isEnabled()) { this.log.writeLine(`Processing cache location '${cacheLocation}'`); } if (this.knownCachesSet.has(cacheLocation)) { if (this.log.isEnabled()) { this.log.writeLine(`Cache location was already processed...`); } return; } const packageJson = combinePaths(cacheLocation, "package.json"); const packageLockJson = combinePaths(cacheLocation, "package-lock.json"); if (this.log.isEnabled()) { this.log.writeLine(`Trying to find '${packageJson}'...`); } if (this.installTypingHost.fileExists(packageJson) && this.installTypingHost.fileExists(packageLockJson)) { const npmConfig = JSON.parse(this.installTypingHost.readFile(packageJson)); const npmLock = JSON.parse(this.installTypingHost.readFile(packageLockJson)); if (this.log.isEnabled()) { this.log.writeLine(`Loaded content of '${packageJson}':${stringifyIndented(npmConfig)}`); this.log.writeLine(`Loaded content of '${packageLockJson}':${stringifyIndented(npmLock)}`); } if (npmConfig.devDependencies && npmLock.dependencies) { for (const key in npmConfig.devDependencies) { if (!hasProperty(npmLock.dependencies, key)) { continue; } const packageName = getBaseFileName(key); if (!packageName) { continue; } const typingFile = typingToFileName(cacheLocation, packageName, this.installTypingHost, this.log); if (!typingFile) { this.missingTypingsSet.add(packageName); continue; } const existingTypingFile = this.packageNameToTypingLocation.get(packageName); if (existingTypingFile) { if (existingTypingFile.typingLocation === typingFile) { continue; } if (this.log.isEnabled()) { this.log.writeLine(`New typing for package ${packageName} from '${typingFile}' conflicts with existing typing file '${existingTypingFile}'`); } } if (this.log.isEnabled()) { this.log.writeLine(`Adding entry into typings cache: '${packageName}' => '${typingFile}'`); } const info = getProperty(npmLock.dependencies, key); const version2 = info && info.version; if (!version2) { continue; } const newTyping = { typingLocation: typingFile, version: new Version(version2) }; this.packageNameToTypingLocation.set(packageName, newTyping); } } } if (this.log.isEnabled()) { this.log.writeLine(`Finished processing cache location '${cacheLocation}'`); } this.knownCachesSet.add(cacheLocation); } filterTypings(typingsToInstall) { return mapDefined(typingsToInstall, (typing) => { const typingKey = mangleScopedPackageName(typing); if (this.missingTypingsSet.has(typingKey)) { if (this.log.isEnabled()) this.log.writeLine(`'${typing}':: '${typingKey}' is in missingTypingsSet - skipping...`); return void 0; } const validationResult = ts_JsTyping_exports.validatePackageName(typing); if (validationResult !== ts_JsTyping_exports.NameValidationResult.Ok) { this.missingTypingsSet.add(typingKey); if (this.log.isEnabled()) this.log.writeLine(ts_JsTyping_exports.renderPackageNameValidationFailure(validationResult, typing)); return void 0; } if (!this.typesRegistry.has(typingKey)) { if (this.log.isEnabled()) this.log.writeLine(`'${typing}':: Entry for package '${typingKey}' does not exist in local types registry - skipping...`); return void 0; } if (this.packageNameToTypingLocation.get(typingKey) && ts_JsTyping_exports.isTypingUpToDate(this.packageNameToTypingLocation.get(typingKey), this.typesRegistry.get(typingKey))) { if (this.log.isEnabled()) this.log.writeLine(`'${typing}':: '${typingKey}' already has an up-to-date typing - skipping...`); return void 0; } return typingKey; }); } ensurePackageDirectoryExists(directory) { const npmConfigPath = combinePaths(directory, "package.json"); if (this.log.isEnabled()) { this.log.writeLine(`Npm config file: ${npmConfigPath}`); } if (!this.installTypingHost.fileExists(npmConfigPath)) { if (this.log.isEnabled()) { this.log.writeLine(`Npm config file: '${npmConfigPath}' is missing, creating new one...`); } this.ensureDirectoryExists(directory, this.installTypingHost); this.installTypingHost.writeFile(npmConfigPath, '{ "private": true }'); } } installTypings(req, cachePath, currentlyCachedTypings, typingsToInstall) { if (this.log.isEnabled()) { this.log.writeLine(`Installing typings ${JSON.stringify(typingsToInstall)}`); } const filteredTypings = this.filterTypings(typingsToInstall); if (filteredTypings.length === 0) { if (this.log.isEnabled()) { this.log.writeLine(`All typings are known to be missing or invalid - no need to install more typings`); } this.sendResponse(this.createSetTypings(req, currentlyCachedTypings)); return; } this.ensurePackageDirectoryExists(cachePath); const requestId = this.installRunCount; this.installRunCount++; this.sendResponse({ kind: EventBeginInstallTypes, eventId: requestId, typingsInstallerVersion: version, projectName: req.projectName }); const scopedTypings = filteredTypings.map(typingsName); this.installTypingsAsync(requestId, scopedTypings, cachePath, (ok) => { try { if (!ok) { if (this.log.isEnabled()) { this.log.writeLine(`install request failed, marking packages as missing to prevent repeated requests: ${JSON.stringify(filteredTypings)}`); } for (const typing of filteredTypings) { this.missingTypingsSet.add(typing); } return; } if (this.log.isEnabled()) { this.log.writeLine(`Installed typings ${JSON.stringify(scopedTypings)}`); } const installedTypingFiles = []; for (const packageName of filteredTypings) { const typingFile = typingToFileName(cachePath, packageName, this.installTypingHost, this.log); if (!typingFile) { this.missingTypingsSet.add(packageName); continue; } const distTags = this.typesRegistry.get(packageName); const newVersion = new Version(distTags[`ts${versionMajorMinor}`] || distTags[this.latestDistTag]); const newTyping = { typingLocation: typingFile, version: newVersion }; this.packageNameToTypingLocation.set(packageName, newTyping); installedTypingFiles.push(typingFile); } if (this.log.isEnabled()) { this.log.writeLine(`Installed typing files ${JSON.stringify(installedTypingFiles)}`); } this.sendResponse(this.createSetTypings(req, currentlyCachedTypings.concat(installedTypingFiles))); } finally { const response = { kind: EventEndInstallTypes, eventId: requestId, projectName: req.projectName, packagesToInstall: scopedTypings, installSuccess: ok, typingsInstallerVersion: version }; this.sendResponse(response); } }); } ensureDirectoryExists(directory, host) { const directoryName = getDirectoryPath(directory); if (!host.directoryExists(directoryName)) { this.ensureDirectoryExists(directoryName, host); } if (!host.directoryExists(directory)) { host.createDirectory(directory); } } watchFiles(projectName, files) { if (!files.length) { this.closeWatchers(projectName); return; } const existing = this.projectWatchers.get(projectName); const newSet = new Set(files); if (!existing || forEachKey(newSet, (s) => !existing.has(s)) || forEachKey(existing, (s) => !newSet.has(s))) { this.projectWatchers.set(projectName, newSet); this.sendResponse({ kind: ActionWatchTypingLocations, projectName, files }); } else { this.sendResponse({ kind: ActionWatchTypingLocations, projectName, files: void 0 }); } } createSetTypings(request, typings) { return { projectName: request.projectName, typeAcquisition: request.typeAcquisition, compilerOptions: request.compilerOptions, typings, unresolvedImports: request.unresolvedImports, kind: ActionSet }; } installTypingsAsync(requestId, packageNames, cwd, onRequestCompleted) { this.pendingRunRequests.unshift({ requestId, packageNames, cwd, onRequestCompleted }); this.executeWithThrottling(); } executeWithThrottling() { while (this.inFlightRequestCount < this.throttleLimit && this.pendingRunRequests.length) { this.inFlightRequestCount++; const request = this.pendingRunRequests.pop(); this.installWorker(request.requestId, request.packageNames, request.cwd, (ok) => { this.inFlightRequestCount--; request.onRequestCompleted(ok); this.executeWithThrottling(); }); } } }; function typingsName(packageName) { return `@types/${packageName}@ts${versionMajorMinor}`; } var LogLevel22 = /* @__PURE__ */ ((LogLevel3) => { LogLevel3[LogLevel3["terse"] = 0] = "terse"; LogLevel3[LogLevel3["normal"] = 1] = "normal"; LogLevel3[LogLevel3["requestTime"] = 2] = "requestTime"; LogLevel3[LogLevel3["verbose"] = 3] = "verbose"; return LogLevel3; })(LogLevel22 || {}); var emptyArray2 = createSortedArray2(); var Msg = /* @__PURE__ */ ((Msg2) => { Msg2["Err"] = "Err"; Msg2["Info"] = "Info"; Msg2["Perf"] = "Perf"; return Msg2; })(Msg || {}); function createInstallTypingsRequest(project, typeAcquisition, unresolvedImports, cachePath) { return { projectName: project.getProjectName(), fileNames: project.getFileNames( /*excludeFilesFromExternalLibraries*/ true, /*excludeConfigFiles*/ true ).concat(project.getExcludedFiles()), compilerOptions: project.getCompilationSettings(), typeAcquisition, unresolvedImports, projectRootPath: project.getCurrentDirectory(), cachePath, kind: "discover" }; } var Errors; ((Errors2) => { function ThrowNoProject() { throw new Error("No Project."); } Errors2.ThrowNoProject = ThrowNoProject; function ThrowProjectLanguageServiceDisabled() { throw new Error("The project's language service is disabled."); } Errors2.ThrowProjectLanguageServiceDisabled = ThrowProjectLanguageServiceDisabled; function ThrowProjectDoesNotContainDocument(fileName, project) { throw new Error(`Project '${project.getProjectName()}' does not contain document '${fileName}'`); } Errors2.ThrowProjectDoesNotContainDocument = ThrowProjectDoesNotContainDocument; })(Errors || (Errors = {})); function toNormalizedPath(fileName) { return normalizePath(fileName); } function normalizedPathToPath(normalizedPath, currentDirectory, getCanonicalFileName) { const f = isRootedDiskPath(normalizedPath) ? normalizedPath : getNormalizedAbsolutePath(normalizedPath, currentDirectory); return getCanonicalFileName(f); } function asNormalizedPath(fileName) { return fileName; } function createNormalizedPathMap() { const map2 = /* @__PURE__ */ new Map(); return { get(path17) { return map2.get(path17); }, set(path17, value) { map2.set(path17, value); }, contains(path17) { return map2.has(path17); }, remove(path17) { map2.delete(path17); } }; } function isInferredProjectName(name) { return /dev\/null\/inferredProject\d+\*/.test(name); } function makeInferredProjectName(counter) { return `/dev/null/inferredProject${counter}*`; } function makeAutoImportProviderProjectName(counter) { return `/dev/null/autoImportProviderProject${counter}*`; } function makeAuxiliaryProjectName(counter) { return `/dev/null/auxiliaryProject${counter}*`; } function createSortedArray2() { return []; } var ThrottledOperations = class _ThrottledOperations { constructor(host, logger) { this.host = host; this.pendingTimeouts = /* @__PURE__ */ new Map(); this.logger = logger.hasLevel( 3 /* verbose */ ) ? logger : void 0; } /** * Wait `number` milliseconds and then invoke `cb`. If, while waiting, schedule * is called again with the same `operationId`, cancel this operation in favor * of the new one. (Note that the amount of time the canceled operation had been * waiting does not affect the amount of time that the new operation waits.) */ schedule(operationId, delay, cb) { const pendingTimeout = this.pendingTimeouts.get(operationId); if (pendingTimeout) { this.host.clearTimeout(pendingTimeout); } this.pendingTimeouts.set(operationId, this.host.setTimeout(_ThrottledOperations.run, delay, operationId, this, cb)); if (this.logger) { this.logger.info(`Scheduled: ${operationId}${pendingTimeout ? ", Cancelled earlier one" : ""}`); } } cancel(operationId) { const pendingTimeout = this.pendingTimeouts.get(operationId); if (!pendingTimeout) return false; this.host.clearTimeout(pendingTimeout); return this.pendingTimeouts.delete(operationId); } static run(operationId, self2, cb) { var _a, _b; (_a = perfLogger) == null ? void 0 : _a.logStartScheduledOperation(operationId); self2.pendingTimeouts.delete(operationId); if (self2.logger) { self2.logger.info(`Running: ${operationId}`); } cb(); (_b = perfLogger) == null ? void 0 : _b.logStopScheduledOperation(); } }; var GcTimer = class _GcTimer { constructor(host, delay, logger) { this.host = host; this.delay = delay; this.logger = logger; } scheduleCollect() { if (!this.host.gc || this.timerId !== void 0) { return; } this.timerId = this.host.setTimeout(_GcTimer.run, this.delay, this); } static run(self2) { var _a, _b; self2.timerId = void 0; (_a = perfLogger) == null ? void 0 : _a.logStartScheduledOperation("GC collect"); const log = self2.logger.hasLevel( 2 /* requestTime */ ); const before = log && self2.host.getMemoryUsage(); self2.host.gc(); if (log) { const after = self2.host.getMemoryUsage(); self2.logger.perftrc(`GC::before ${before}, after ${after}`); } (_b = perfLogger) == null ? void 0 : _b.logStopScheduledOperation(); } }; function getBaseConfigFileName(configFilePath) { const base = getBaseFileName(configFilePath); return base === "tsconfig.json" || base === "jsconfig.json" ? base : void 0; } function removeSorted(array, remove, compare) { if (!array || array.length === 0) { return; } if (array[0] === remove) { array.splice(0, 1); return; } const removeIndex = binarySearch(array, remove, identity2, compare); if (removeIndex >= 0) { array.splice(removeIndex, 1); } } var ts_server_protocol_exports = {}; __export2(ts_server_protocol_exports, { ClassificationType: () => ClassificationType, CommandTypes: () => CommandTypes, CompletionTriggerKind: () => CompletionTriggerKind, IndentStyle: () => IndentStyle2, JsxEmit: () => JsxEmit2, ModuleKind: () => ModuleKind2, ModuleResolutionKind: () => ModuleResolutionKind2, NewLineKind: () => NewLineKind2, OrganizeImportsMode: () => OrganizeImportsMode, PollingWatchKind: () => PollingWatchKind2, ScriptTarget: () => ScriptTarget10, SemicolonPreference: () => SemicolonPreference, WatchDirectoryKind: () => WatchDirectoryKind2, WatchFileKind: () => WatchFileKind2 }); var CommandTypes = /* @__PURE__ */ ((CommandTypes2) => { CommandTypes2["JsxClosingTag"] = "jsxClosingTag"; CommandTypes2["LinkedEditingRange"] = "linkedEditingRange"; CommandTypes2["Brace"] = "brace"; CommandTypes2["BraceFull"] = "brace-full"; CommandTypes2["BraceCompletion"] = "braceCompletion"; CommandTypes2["GetSpanOfEnclosingComment"] = "getSpanOfEnclosingComment"; CommandTypes2["Change"] = "change"; CommandTypes2["Close"] = "close"; CommandTypes2["Completions"] = "completions"; CommandTypes2["CompletionInfo"] = "completionInfo"; CommandTypes2["CompletionsFull"] = "completions-full"; CommandTypes2["CompletionDetails"] = "completionEntryDetails"; CommandTypes2["CompletionDetailsFull"] = "completionEntryDetails-full"; CommandTypes2["CompileOnSaveAffectedFileList"] = "compileOnSaveAffectedFileList"; CommandTypes2["CompileOnSaveEmitFile"] = "compileOnSaveEmitFile"; CommandTypes2["Configure"] = "configure"; CommandTypes2["Definition"] = "definition"; CommandTypes2["DefinitionFull"] = "definition-full"; CommandTypes2["DefinitionAndBoundSpan"] = "definitionAndBoundSpan"; CommandTypes2["DefinitionAndBoundSpanFull"] = "definitionAndBoundSpan-full"; CommandTypes2["Implementation"] = "implementation"; CommandTypes2["ImplementationFull"] = "implementation-full"; CommandTypes2["EmitOutput"] = "emit-output"; CommandTypes2["Exit"] = "exit"; CommandTypes2["FileReferences"] = "fileReferences"; CommandTypes2["FileReferencesFull"] = "fileReferences-full"; CommandTypes2["Format"] = "format"; CommandTypes2["Formatonkey"] = "formatonkey"; CommandTypes2["FormatFull"] = "format-full"; CommandTypes2["FormatonkeyFull"] = "formatonkey-full"; CommandTypes2["FormatRangeFull"] = "formatRange-full"; CommandTypes2["Geterr"] = "geterr"; CommandTypes2["GeterrForProject"] = "geterrForProject"; CommandTypes2["SemanticDiagnosticsSync"] = "semanticDiagnosticsSync"; CommandTypes2["SyntacticDiagnosticsSync"] = "syntacticDiagnosticsSync"; CommandTypes2["SuggestionDiagnosticsSync"] = "suggestionDiagnosticsSync"; CommandTypes2["NavBar"] = "navbar"; CommandTypes2["NavBarFull"] = "navbar-full"; CommandTypes2["Navto"] = "navto"; CommandTypes2["NavtoFull"] = "navto-full"; CommandTypes2["NavTree"] = "navtree"; CommandTypes2["NavTreeFull"] = "navtree-full"; CommandTypes2["DocumentHighlights"] = "documentHighlights"; CommandTypes2["DocumentHighlightsFull"] = "documentHighlights-full"; CommandTypes2["Open"] = "open"; CommandTypes2["Quickinfo"] = "quickinfo"; CommandTypes2["QuickinfoFull"] = "quickinfo-full"; CommandTypes2["References"] = "references"; CommandTypes2["ReferencesFull"] = "references-full"; CommandTypes2["Reload"] = "reload"; CommandTypes2["Rename"] = "rename"; CommandTypes2["RenameInfoFull"] = "rename-full"; CommandTypes2["RenameLocationsFull"] = "renameLocations-full"; CommandTypes2["Saveto"] = "saveto"; CommandTypes2["SignatureHelp"] = "signatureHelp"; CommandTypes2["SignatureHelpFull"] = "signatureHelp-full"; CommandTypes2["FindSourceDefinition"] = "findSourceDefinition"; CommandTypes2["Status"] = "status"; CommandTypes2["TypeDefinition"] = "typeDefinition"; CommandTypes2["ProjectInfo"] = "projectInfo"; CommandTypes2["ReloadProjects"] = "reloadProjects"; CommandTypes2["Unknown"] = "unknown"; CommandTypes2["OpenExternalProject"] = "openExternalProject"; CommandTypes2["OpenExternalProjects"] = "openExternalProjects"; CommandTypes2["CloseExternalProject"] = "closeExternalProject"; CommandTypes2["SynchronizeProjectList"] = "synchronizeProjectList"; CommandTypes2["ApplyChangedToOpenFiles"] = "applyChangedToOpenFiles"; CommandTypes2["UpdateOpen"] = "updateOpen"; CommandTypes2["EncodedSyntacticClassificationsFull"] = "encodedSyntacticClassifications-full"; CommandTypes2["EncodedSemanticClassificationsFull"] = "encodedSemanticClassifications-full"; CommandTypes2["Cleanup"] = "cleanup"; CommandTypes2["GetOutliningSpans"] = "getOutliningSpans"; CommandTypes2["GetOutliningSpansFull"] = "outliningSpans"; CommandTypes2["TodoComments"] = "todoComments"; CommandTypes2["Indentation"] = "indentation"; CommandTypes2["DocCommentTemplate"] = "docCommentTemplate"; CommandTypes2["CompilerOptionsDiagnosticsFull"] = "compilerOptionsDiagnostics-full"; CommandTypes2["NameOrDottedNameSpan"] = "nameOrDottedNameSpan"; CommandTypes2["BreakpointStatement"] = "breakpointStatement"; CommandTypes2["CompilerOptionsForInferredProjects"] = "compilerOptionsForInferredProjects"; CommandTypes2["GetCodeFixes"] = "getCodeFixes"; CommandTypes2["GetCodeFixesFull"] = "getCodeFixes-full"; CommandTypes2["GetCombinedCodeFix"] = "getCombinedCodeFix"; CommandTypes2["GetCombinedCodeFixFull"] = "getCombinedCodeFix-full"; CommandTypes2["ApplyCodeActionCommand"] = "applyCodeActionCommand"; CommandTypes2["GetSupportedCodeFixes"] = "getSupportedCodeFixes"; CommandTypes2["GetApplicableRefactors"] = "getApplicableRefactors"; CommandTypes2["GetEditsForRefactor"] = "getEditsForRefactor"; CommandTypes2["GetMoveToRefactoringFileSuggestions"] = "getMoveToRefactoringFileSuggestions"; CommandTypes2["GetPasteEdits"] = "getPasteEdits"; CommandTypes2["GetEditsForRefactorFull"] = "getEditsForRefactor-full"; CommandTypes2["OrganizeImports"] = "organizeImports"; CommandTypes2["OrganizeImportsFull"] = "organizeImports-full"; CommandTypes2["GetEditsForFileRename"] = "getEditsForFileRename"; CommandTypes2["GetEditsForFileRenameFull"] = "getEditsForFileRename-full"; CommandTypes2["ConfigurePlugin"] = "configurePlugin"; CommandTypes2["SelectionRange"] = "selectionRange"; CommandTypes2["SelectionRangeFull"] = "selectionRange-full"; CommandTypes2["ToggleLineComment"] = "toggleLineComment"; CommandTypes2["ToggleLineCommentFull"] = "toggleLineComment-full"; CommandTypes2["ToggleMultilineComment"] = "toggleMultilineComment"; CommandTypes2["ToggleMultilineCommentFull"] = "toggleMultilineComment-full"; CommandTypes2["CommentSelection"] = "commentSelection"; CommandTypes2["CommentSelectionFull"] = "commentSelection-full"; CommandTypes2["UncommentSelection"] = "uncommentSelection"; CommandTypes2["UncommentSelectionFull"] = "uncommentSelection-full"; CommandTypes2["PrepareCallHierarchy"] = "prepareCallHierarchy"; CommandTypes2["ProvideCallHierarchyIncomingCalls"] = "provideCallHierarchyIncomingCalls"; CommandTypes2["ProvideCallHierarchyOutgoingCalls"] = "provideCallHierarchyOutgoingCalls"; CommandTypes2["ProvideInlayHints"] = "provideInlayHints"; CommandTypes2["WatchChange"] = "watchChange"; CommandTypes2["MapCode"] = "mapCode"; return CommandTypes2; })(CommandTypes || {}); var WatchFileKind2 = /* @__PURE__ */ ((WatchFileKind3) => { WatchFileKind3["FixedPollingInterval"] = "FixedPollingInterval"; WatchFileKind3["PriorityPollingInterval"] = "PriorityPollingInterval"; WatchFileKind3["DynamicPriorityPolling"] = "DynamicPriorityPolling"; WatchFileKind3["FixedChunkSizePolling"] = "FixedChunkSizePolling"; WatchFileKind3["UseFsEvents"] = "UseFsEvents"; WatchFileKind3["UseFsEventsOnParentDirectory"] = "UseFsEventsOnParentDirectory"; return WatchFileKind3; })(WatchFileKind2 || {}); var WatchDirectoryKind2 = /* @__PURE__ */ ((WatchDirectoryKind3) => { WatchDirectoryKind3["UseFsEvents"] = "UseFsEvents"; WatchDirectoryKind3["FixedPollingInterval"] = "FixedPollingInterval"; WatchDirectoryKind3["DynamicPriorityPolling"] = "DynamicPriorityPolling"; WatchDirectoryKind3["FixedChunkSizePolling"] = "FixedChunkSizePolling"; return WatchDirectoryKind3; })(WatchDirectoryKind2 || {}); var PollingWatchKind2 = /* @__PURE__ */ ((PollingWatchKind3) => { PollingWatchKind3["FixedInterval"] = "FixedInterval"; PollingWatchKind3["PriorityInterval"] = "PriorityInterval"; PollingWatchKind3["DynamicPriority"] = "DynamicPriority"; PollingWatchKind3["FixedChunkSize"] = "FixedChunkSize"; return PollingWatchKind3; })(PollingWatchKind2 || {}); var IndentStyle2 = /* @__PURE__ */ ((IndentStyle3) => { IndentStyle3["None"] = "None"; IndentStyle3["Block"] = "Block"; IndentStyle3["Smart"] = "Smart"; return IndentStyle3; })(IndentStyle2 || {}); var JsxEmit2 = /* @__PURE__ */ ((JsxEmit3) => { JsxEmit3["None"] = "none"; JsxEmit3["Preserve"] = "preserve"; JsxEmit3["ReactNative"] = "react-native"; JsxEmit3["React"] = "react"; JsxEmit3["ReactJSX"] = "react-jsx"; JsxEmit3["ReactJSXDev"] = "react-jsxdev"; return JsxEmit3; })(JsxEmit2 || {}); var ModuleKind2 = /* @__PURE__ */ ((ModuleKind3) => { ModuleKind3["None"] = "none"; ModuleKind3["CommonJS"] = "commonjs"; ModuleKind3["AMD"] = "amd"; ModuleKind3["UMD"] = "umd"; ModuleKind3["System"] = "system"; ModuleKind3["ES6"] = "es6"; ModuleKind3["ES2015"] = "es2015"; ModuleKind3["ES2020"] = "es2020"; ModuleKind3["ES2022"] = "es2022"; ModuleKind3["ESNext"] = "esnext"; ModuleKind3["Node16"] = "node16"; ModuleKind3["NodeNext"] = "nodenext"; ModuleKind3["Preserve"] = "preserve"; return ModuleKind3; })(ModuleKind2 || {}); var ModuleResolutionKind2 = /* @__PURE__ */ ((ModuleResolutionKind3) => { ModuleResolutionKind3["Classic"] = "classic"; ModuleResolutionKind3["Node"] = "node"; ModuleResolutionKind3["NodeJs"] = "node"; ModuleResolutionKind3["Node10"] = "node10"; ModuleResolutionKind3["Node16"] = "node16"; ModuleResolutionKind3["NodeNext"] = "nodenext"; ModuleResolutionKind3["Bundler"] = "bundler"; return ModuleResolutionKind3; })(ModuleResolutionKind2 || {}); var NewLineKind2 = /* @__PURE__ */ ((NewLineKind3) => { NewLineKind3["Crlf"] = "Crlf"; NewLineKind3["Lf"] = "Lf"; return NewLineKind3; })(NewLineKind2 || {}); var ScriptTarget10 = /* @__PURE__ */ ((ScriptTarget11) => { ScriptTarget11["ES3"] = "es3"; ScriptTarget11["ES5"] = "es5"; ScriptTarget11["ES6"] = "es6"; ScriptTarget11["ES2015"] = "es2015"; ScriptTarget11["ES2016"] = "es2016"; ScriptTarget11["ES2017"] = "es2017"; ScriptTarget11["ES2018"] = "es2018"; ScriptTarget11["ES2019"] = "es2019"; ScriptTarget11["ES2020"] = "es2020"; ScriptTarget11["ES2021"] = "es2021"; ScriptTarget11["ES2022"] = "es2022"; ScriptTarget11["ES2023"] = "es2023"; ScriptTarget11["ESNext"] = "esnext"; ScriptTarget11["JSON"] = "json"; ScriptTarget11["Latest"] = "esnext"; return ScriptTarget11; })(ScriptTarget10 || {}); { } var TextStorage = class { constructor(host, info, initialVersion) { this.host = host; this.info = info; this.isOpen = false; this.ownFileText = false; this.pendingReloadFromDisk = false; this.version = initialVersion || 0; } getVersion() { return this.svc ? `SVC-${this.version}-${this.svc.getSnapshotVersion()}` : `Text-${this.version}`; } hasScriptVersionCache_TestOnly() { return this.svc !== void 0; } resetSourceMapInfo() { this.info.sourceFileLike = void 0; this.info.closeSourceMapFileWatcher(); this.info.sourceMapFilePath = void 0; this.info.declarationInfoPath = void 0; this.info.sourceInfos = void 0; this.info.documentPositionMapper = void 0; } /** Public for testing */ useText(newText) { this.svc = void 0; this.text = newText; this.textSnapshot = void 0; this.lineMap = void 0; this.fileSize = void 0; this.resetSourceMapInfo(); this.version++; } edit(start, end, newText) { this.switchToScriptVersionCache().edit(start, end - start, newText); this.ownFileText = false; this.text = void 0; this.textSnapshot = void 0; this.lineMap = void 0; this.fileSize = void 0; this.resetSourceMapInfo(); } /** * Set the contents as newText * returns true if text changed */ reload(newText) { Debug.assert(newText !== void 0); this.pendingReloadFromDisk = false; if (!this.text && this.svc) { this.text = getSnapshotText(this.svc.getSnapshot()); } if (this.text !== newText) { this.useText(newText); this.ownFileText = false; return true; } return false; } /** * Reads the contents from tempFile(if supplied) or own file and sets it as contents * returns true if text changed */ reloadWithFileText(tempFileName) { const { text: newText, fileSize } = tempFileName || !this.info.isDynamicOrHasMixedContent() ? this.getFileTextAndSize(tempFileName) : { text: "", fileSize: void 0 }; const reloaded = this.reload(newText); this.fileSize = fileSize; this.ownFileText = !tempFileName || tempFileName === this.info.fileName; if (this.ownFileText && this.info.mTime === missingFileModifiedTime.getTime()) { this.info.mTime = (this.host.getModifiedTime(this.info.fileName) || missingFileModifiedTime).getTime(); } return reloaded; } /** * Schedule reload from the disk if its not already scheduled and its not own text * returns true when scheduling reload */ scheduleReloadIfNeeded() { return !this.pendingReloadFromDisk && !this.ownFileText ? this.pendingReloadFromDisk = true : false; } delayReloadFromFileIntoText() { this.pendingReloadFromDisk = true; } /** * For telemetry purposes, we would like to be able to report the size of the file. * However, we do not want telemetry to require extra file I/O so we report a size * that may be stale (e.g. may not reflect change made on disk since the last reload). * NB: Will read from disk if the file contents have never been loaded because * telemetry falsely indicating size 0 would be counter-productive. */ getTelemetryFileSize() { return !!this.fileSize ? this.fileSize : !!this.text ? this.text.length : !!this.svc ? this.svc.getSnapshot().getLength() : this.getSnapshot().getLength(); } getSnapshot() { var _a; return ((_a = this.tryUseScriptVersionCache()) == null ? void 0 : _a.getSnapshot()) || (this.textSnapshot ?? (this.textSnapshot = ScriptSnapshot.fromString(Debug.checkDefined(this.text)))); } getAbsolutePositionAndLineText(oneBasedLine) { const svc = this.tryUseScriptVersionCache(); if (svc) return svc.getAbsolutePositionAndLineText(oneBasedLine); const lineMap = this.getLineMap(); return oneBasedLine <= lineMap.length ? { absolutePosition: lineMap[oneBasedLine - 1], lineText: this.text.substring(lineMap[oneBasedLine - 1], lineMap[oneBasedLine]) } : { absolutePosition: this.text.length, lineText: void 0 }; } /** * @param line 0 based index */ lineToTextSpan(line) { const svc = this.tryUseScriptVersionCache(); if (svc) return svc.lineToTextSpan(line); const lineMap = this.getLineMap(); const start = lineMap[line]; const end = line + 1 < lineMap.length ? lineMap[line + 1] : this.text.length; return createTextSpanFromBounds(start, end); } /** * @param line 1 based index * @param offset 1 based index */ lineOffsetToPosition(line, offset, allowEdits) { const svc = this.tryUseScriptVersionCache(); return svc ? svc.lineOffsetToPosition(line, offset) : computePositionOfLineAndCharacter(this.getLineMap(), line - 1, offset - 1, this.text, allowEdits); } positionToLineOffset(position) { const svc = this.tryUseScriptVersionCache(); if (svc) return svc.positionToLineOffset(position); const { line, character } = computeLineAndCharacterOfPosition(this.getLineMap(), position); return { line: line + 1, offset: character + 1 }; } getFileTextAndSize(tempFileName) { let text; const fileName = tempFileName || this.info.fileName; const getText = () => text === void 0 ? text = this.host.readFile(fileName) || "" : text; if (!hasTSFileExtension(this.info.fileName)) { const fileSize = this.host.getFileSize ? this.host.getFileSize(fileName) : getText().length; if (fileSize > maxFileSize) { Debug.assert(!!this.info.containingProjects.length); const service = this.info.containingProjects[0].projectService; service.logger.info(`Skipped loading contents of large file ${fileName} for info ${this.info.fileName}: fileSize: ${fileSize}`); this.info.containingProjects[0].projectService.sendLargeFileReferencedEvent(fileName, fileSize); return { text: "", fileSize }; } } return { text: getText() }; } /** @internal */ switchToScriptVersionCache() { if (!this.svc || this.pendingReloadFromDisk) { this.svc = ScriptVersionCache.fromString(this.getOrLoadText()); this.textSnapshot = void 0; this.version++; } return this.svc; } tryUseScriptVersionCache() { if (!this.svc || this.pendingReloadFromDisk) { this.getOrLoadText(); } if (this.isOpen) { if (!this.svc && !this.textSnapshot) { this.svc = ScriptVersionCache.fromString(Debug.checkDefined(this.text)); this.textSnapshot = void 0; } return this.svc; } return this.svc; } getOrLoadText() { if (this.text === void 0 || this.pendingReloadFromDisk) { Debug.assert(!this.svc || this.pendingReloadFromDisk, "ScriptVersionCache should not be set when reloading from disk"); this.reloadWithFileText(); } return this.text; } getLineMap() { Debug.assert(!this.svc, "ScriptVersionCache should not be set"); return this.lineMap || (this.lineMap = computeLineStarts(Debug.checkDefined(this.text))); } getLineInfo() { const svc = this.tryUseScriptVersionCache(); if (svc) { return { getLineCount: () => svc.getLineCount(), getLineText: (line) => svc.getAbsolutePositionAndLineText(line + 1).lineText }; } const lineMap = this.getLineMap(); return getLineInfo(this.text, lineMap); } }; function isDynamicFileName(fileName) { return fileName[0] === "^" || (fileName.includes("walkThroughSnippet:/") || fileName.includes("untitled:/")) && getBaseFileName(fileName)[0] === "^" || fileName.includes(":^") && !fileName.includes(directorySeparator); } var ScriptInfo = class { constructor(host, fileName, scriptKind, hasMixedContent, path17, initialVersion) { this.host = host; this.fileName = fileName; this.scriptKind = scriptKind; this.hasMixedContent = hasMixedContent; this.path = path17; this.containingProjects = []; this.isDynamic = isDynamicFileName(fileName); this.textStorage = new TextStorage(host, this, initialVersion); if (hasMixedContent || this.isDynamic) { this.realpath = this.path; } this.scriptKind = scriptKind ? scriptKind : getScriptKindFromFileName(fileName); } /** @internal */ isDynamicOrHasMixedContent() { return this.hasMixedContent || this.isDynamic; } isScriptOpen() { return this.textStorage.isOpen; } open(newText) { this.textStorage.isOpen = true; if (newText !== void 0 && this.textStorage.reload(newText)) { this.markContainingProjectsAsDirty(); } } close(fileExists = true) { this.textStorage.isOpen = false; if (fileExists && this.textStorage.scheduleReloadIfNeeded()) { this.markContainingProjectsAsDirty(); } } getSnapshot() { return this.textStorage.getSnapshot(); } ensureRealPath() { if (this.realpath === void 0) { this.realpath = this.path; if (this.host.realpath) { Debug.assert(!!this.containingProjects.length); const project = this.containingProjects[0]; const realpath = this.host.realpath(this.path); if (realpath) { this.realpath = project.toPath(realpath); if (this.realpath !== this.path) { project.projectService.realpathToScriptInfos.add(this.realpath, this); } } } } } /** @internal */ getRealpathIfDifferent() { return this.realpath && this.realpath !== this.path ? this.realpath : void 0; } /** * @internal * Does not compute realpath; uses precomputed result. Use `ensureRealPath` * first if a definite result is needed. */ isSymlink() { return this.realpath && this.realpath !== this.path; } getFormatCodeSettings() { return this.formatSettings; } getPreferences() { return this.preferences; } attachToProject(project) { const isNew = !this.isAttached(project); if (isNew) { this.containingProjects.push(project); if (!project.getCompilerOptions().preserveSymlinks) { this.ensureRealPath(); } project.onFileAddedOrRemoved(this.isSymlink()); } return isNew; } isAttached(project) { switch (this.containingProjects.length) { case 0: return false; case 1: return this.containingProjects[0] === project; case 2: return this.containingProjects[0] === project || this.containingProjects[1] === project; default: return contains(this.containingProjects, project); } } detachFromProject(project) { switch (this.containingProjects.length) { case 0: return; case 1: if (this.containingProjects[0] === project) { project.onFileAddedOrRemoved(this.isSymlink()); this.containingProjects.pop(); } break; case 2: if (this.containingProjects[0] === project) { project.onFileAddedOrRemoved(this.isSymlink()); this.containingProjects[0] = this.containingProjects.pop(); } else if (this.containingProjects[1] === project) { project.onFileAddedOrRemoved(this.isSymlink()); this.containingProjects.pop(); } break; default: if (orderedRemoveItem(this.containingProjects, project)) { project.onFileAddedOrRemoved(this.isSymlink()); } break; } } detachAllProjects() { for (const p of this.containingProjects) { if (isConfiguredProject(p)) { p.getCachedDirectoryStructureHost().addOrDeleteFile( this.fileName, this.path, 2 /* Deleted */ ); } const existingRoot = p.getRootFilesMap().get(this.path); p.removeFile( this, /*fileExists*/ false, /*detachFromProject*/ false ); p.onFileAddedOrRemoved(this.isSymlink()); if (existingRoot && !isInferredProject(p)) { p.addMissingFileRoot(existingRoot.fileName); } } clear(this.containingProjects); } getDefaultProject() { switch (this.containingProjects.length) { case 0: return Errors.ThrowNoProject(); case 1: return isProjectDeferredClose(this.containingProjects[0]) || isBackgroundProject(this.containingProjects[0]) ? Errors.ThrowNoProject() : this.containingProjects[0]; default: let firstConfiguredProject; let firstInferredProject; let firstNonSourceOfProjectReferenceRedirect; let defaultConfiguredProject; for (let index = 0; index < this.containingProjects.length; index++) { const project = this.containingProjects[index]; if (isConfiguredProject(project)) { if (project.deferredClose) continue; if (!project.isSourceOfProjectReferenceRedirect(this.fileName)) { if (defaultConfiguredProject === void 0 && index !== this.containingProjects.length - 1) { defaultConfiguredProject = project.projectService.findDefaultConfiguredProject(this) || false; } if (defaultConfiguredProject === project) return project; if (!firstNonSourceOfProjectReferenceRedirect) firstNonSourceOfProjectReferenceRedirect = project; } if (!firstConfiguredProject) firstConfiguredProject = project; } else if (isExternalProject(project)) { return project; } else if (!firstInferredProject && isInferredProject(project)) { firstInferredProject = project; } } return (defaultConfiguredProject || firstNonSourceOfProjectReferenceRedirect || firstConfiguredProject || firstInferredProject) ?? Errors.ThrowNoProject(); } } registerFileUpdate() { for (const p of this.containingProjects) { p.registerFileUpdate(this.path); } } setOptions(formatSettings, preferences) { if (formatSettings) { if (!this.formatSettings) { this.formatSettings = getDefaultFormatCodeSettings(this.host.newLine); assign(this.formatSettings, formatSettings); } else { this.formatSettings = { ...this.formatSettings, ...formatSettings }; } } if (preferences) { if (!this.preferences) { this.preferences = emptyOptions; } this.preferences = { ...this.preferences, ...preferences }; } } getLatestVersion() { this.textStorage.getSnapshot(); return this.textStorage.getVersion(); } saveTo(fileName) { this.host.writeFile(fileName, getSnapshotText(this.textStorage.getSnapshot())); } /** @internal */ delayReloadNonMixedContentFile() { Debug.assert(!this.isDynamicOrHasMixedContent()); this.textStorage.delayReloadFromFileIntoText(); this.markContainingProjectsAsDirty(); } reloadFromFile(tempFileName) { if (this.textStorage.reloadWithFileText(tempFileName)) { this.markContainingProjectsAsDirty(); return true; } return false; } editContent(start, end, newText) { this.textStorage.edit(start, end, newText); this.markContainingProjectsAsDirty(); } markContainingProjectsAsDirty() { for (const p of this.containingProjects) { p.markFileAsDirty(this.path); } } isOrphan() { return this.deferredDelete || !forEach(this.containingProjects, (p) => !p.isOrphan()); } /** @internal */ isContainedByBackgroundProject() { return some( this.containingProjects, isBackgroundProject ); } /** * @param line 1 based index */ lineToTextSpan(line) { return this.textStorage.lineToTextSpan(line); } // eslint-disable-line @typescript-eslint/unified-signatures lineOffsetToPosition(line, offset, allowEdits) { return this.textStorage.lineOffsetToPosition(line, offset, allowEdits); } positionToLineOffset(position) { failIfInvalidPosition(position); const location = this.textStorage.positionToLineOffset(position); failIfInvalidLocation(location); return location; } isJavaScript() { return this.scriptKind === 1 || this.scriptKind === 2; } /** @internal */ closeSourceMapFileWatcher() { if (this.sourceMapFilePath && !isString2(this.sourceMapFilePath)) { closeFileWatcherOf(this.sourceMapFilePath); this.sourceMapFilePath = void 0; } } }; function failIfInvalidPosition(position) { Debug.assert(typeof position === "number", `Expected position ${position} to be a number.`); Debug.assert(position >= 0, `Expected position to be non-negative.`); } function failIfInvalidLocation(location) { Debug.assert(typeof location.line === "number", `Expected line ${location.line} to be a number.`); Debug.assert(typeof location.offset === "number", `Expected offset ${location.offset} to be a number.`); Debug.assert(location.line > 0, `Expected line to be non-${location.line === 0 ? "zero" : "negative"}`); Debug.assert(location.offset > 0, `Expected offset to be non-${location.offset === 0 ? "zero" : "negative"}`); } var nullTypingsInstaller = { isKnownTypesPackageName: returnFalse, // Should never be called because we never provide a types registry. installPackage: notImplemented, enqueueInstallTypingsRequest: noop2, attach: noop2, onProjectClosed: noop2, globalTypingsCacheLocation: void 0 // TODO: GH#18217 }; function setIsEqualTo(arr1, arr2) { if (arr1 === arr2) { return true; } if ((arr1 || emptyArray2).length === 0 && (arr2 || emptyArray2).length === 0) { return true; } const set = /* @__PURE__ */ new Map(); let unique = 0; for (const v of arr1) { if (set.get(v) !== true) { set.set(v, true); unique++; } } for (const v of arr2) { const isSet2 = set.get(v); if (isSet2 === void 0) { return false; } if (isSet2 === true) { set.set(v, false); unique--; } } return unique === 0; } function typeAcquisitionChanged(opt1, opt2) { return opt1.enable !== opt2.enable || !setIsEqualTo(opt1.include, opt2.include) || !setIsEqualTo(opt1.exclude, opt2.exclude); } function compilerOptionsChanged(opt1, opt2) { return getAllowJSCompilerOption(opt1) !== getAllowJSCompilerOption(opt2); } function unresolvedImportsChanged(imports1, imports2) { if (imports1 === imports2) { return false; } return !arrayIsEqualTo(imports1, imports2); } var TypingsCache = class { constructor(installer) { this.installer = installer; this.perProjectCache = /* @__PURE__ */ new Map(); } isKnownTypesPackageName(name) { return this.installer.isKnownTypesPackageName(name); } installPackage(options) { return this.installer.installPackage(options); } enqueueInstallTypingsForProject(project, unresolvedImports, forceRefresh) { const typeAcquisition = project.getTypeAcquisition(); if (!typeAcquisition || !typeAcquisition.enable) { return; } const entry = this.perProjectCache.get(project.getProjectName()); if (forceRefresh || !entry || typeAcquisitionChanged(typeAcquisition, entry.typeAcquisition) || compilerOptionsChanged(project.getCompilationSettings(), entry.compilerOptions) || unresolvedImportsChanged(unresolvedImports, entry.unresolvedImports)) { this.perProjectCache.set(project.getProjectName(), { compilerOptions: project.getCompilationSettings(), typeAcquisition, typings: entry ? entry.typings : emptyArray2, unresolvedImports, poisoned: true }); this.installer.enqueueInstallTypingsRequest(project, typeAcquisition, unresolvedImports); } } updateTypingsForProject(projectName, compilerOptions, typeAcquisition, unresolvedImports, newTypings) { const typings = sort(newTypings); this.perProjectCache.set(projectName, { compilerOptions, typeAcquisition, typings, unresolvedImports, poisoned: false }); return !typeAcquisition || !typeAcquisition.enable ? emptyArray2 : typings; } onProjectClosed(project) { if (this.perProjectCache.delete(project.getProjectName())) { this.installer.onProjectClosed(project); } } }; var ProjectKind = /* @__PURE__ */ ((ProjectKind2) => { ProjectKind2[ProjectKind2["Inferred"] = 0] = "Inferred"; ProjectKind2[ProjectKind2["Configured"] = 1] = "Configured"; ProjectKind2[ProjectKind2["External"] = 2] = "External"; ProjectKind2[ProjectKind2["AutoImportProvider"] = 3] = "AutoImportProvider"; ProjectKind2[ProjectKind2["Auxiliary"] = 4] = "Auxiliary"; return ProjectKind2; })(ProjectKind || {}); function countEachFileTypes(infos, includeSizes = false) { const result = { js: 0, jsSize: 0, jsx: 0, jsxSize: 0, ts: 0, tsSize: 0, tsx: 0, tsxSize: 0, dts: 0, dtsSize: 0, deferred: 0, deferredSize: 0 }; for (const info of infos) { const fileSize = includeSizes ? info.textStorage.getTelemetryFileSize() : 0; switch (info.scriptKind) { case 1: result.js += 1; result.jsSize += fileSize; break; case 2: result.jsx += 1; result.jsxSize += fileSize; break; case 3: if (isDeclarationFileName(info.fileName)) { result.dts += 1; result.dtsSize += fileSize; } else { result.ts += 1; result.tsSize += fileSize; } break; case 4: result.tsx += 1; result.tsxSize += fileSize; break; case 7: result.deferred += 1; result.deferredSize += fileSize; break; } } return result; } function hasOneOrMoreJsAndNoTsFiles(project) { const counts2 = countEachFileTypes(project.getScriptInfos()); return counts2.js > 0 && counts2.ts === 0 && counts2.tsx === 0; } function allRootFilesAreJsOrDts(project) { const counts2 = countEachFileTypes(project.getRootScriptInfos()); return counts2.ts === 0 && counts2.tsx === 0; } function allFilesAreJsOrDts(project) { const counts2 = countEachFileTypes(project.getScriptInfos()); return counts2.ts === 0 && counts2.tsx === 0; } function hasNoTypeScriptSource(fileNames) { return !fileNames.some((fileName) => fileExtensionIs( fileName, ".ts" /* Ts */ ) && !isDeclarationFileName(fileName) || fileExtensionIs( fileName, ".tsx" /* Tsx */ )); } function isGeneratedFileWatcher(watch) { return watch.generatedFilePath !== void 0; } var Project3 = class _Project { /** @internal */ constructor(projectName, projectKind, projectService, documentRegistry, hasExplicitListOfFiles, lastFileExceededProgramSize, compilerOptions, compileOnSaveEnabled, watchOptions, directoryStructureHost, currentDirectory) { this.projectKind = projectKind; this.projectService = projectService; this.documentRegistry = documentRegistry; this.compilerOptions = compilerOptions; this.compileOnSaveEnabled = compileOnSaveEnabled; this.watchOptions = watchOptions; this.rootFilesMap = /* @__PURE__ */ new Map(); this.plugins = []; this.cachedUnresolvedImportsPerFile = /* @__PURE__ */ new Map(); this.hasAddedorRemovedFiles = false; this.hasAddedOrRemovedSymlinks = false; this.lastReportedVersion = 0; this.projectProgramVersion = 0; this.projectStateVersion = 0; this.isInitialLoadPending = returnFalse; this.dirty = false; this.typingFiles = emptyArray2; this.moduleSpecifierCache = createModuleSpecifierCache(this); this.createHash = maybeBind(this.projectService.host, this.projectService.host.createHash); this.globalCacheResolutionModuleName = ts_JsTyping_exports.nonRelativeModuleNameForTypingCache; this.updateFromProjectInProgress = false; this.projectName = projectName; this.directoryStructureHost = directoryStructureHost; this.currentDirectory = this.projectService.getNormalizedAbsolutePath(currentDirectory); this.getCanonicalFileName = this.projectService.toCanonicalFileName; this.jsDocParsingMode = this.projectService.jsDocParsingMode; this.cancellationToken = new ThrottledCancellationToken(this.projectService.cancellationToken, this.projectService.throttleWaitMilliseconds); if (!this.compilerOptions) { this.compilerOptions = getDefaultCompilerOptions2(); this.compilerOptions.allowNonTsExtensions = true; this.compilerOptions.allowJs = true; } else if (hasExplicitListOfFiles || getAllowJSCompilerOption(this.compilerOptions) || this.projectService.hasDeferredExtension()) { this.compilerOptions.allowNonTsExtensions = true; } switch (projectService.serverMode) { case 0: this.languageServiceEnabled = true; break; case 1: this.languageServiceEnabled = true; this.compilerOptions.noResolve = true; this.compilerOptions.types = []; break; case 2: this.languageServiceEnabled = false; this.compilerOptions.noResolve = true; this.compilerOptions.types = []; break; default: Debug.assertNever(projectService.serverMode); } this.setInternalCompilerOptionsForEmittingJsFiles(); const host = this.projectService.host; if (this.projectService.logger.loggingEnabled()) { this.trace = (s) => this.writeLog(s); } else if (host.trace) { this.trace = (s) => host.trace(s); } this.realpath = maybeBind(host, host.realpath); this.resolutionCache = createResolutionCache( this, this.currentDirectory, /*logChangesWhenResolvingModule*/ true ); this.languageService = createLanguageService(this, this.documentRegistry, this.projectService.serverMode); if (lastFileExceededProgramSize) { this.disableLanguageService(lastFileExceededProgramSize); } this.markAsDirty(); if (!isBackgroundProject(this)) { this.projectService.pendingEnsureProjectForOpenFiles = true; } this.projectService.onProjectCreation(this); } /** @internal */ getResolvedProjectReferenceToRedirect(_fileName) { return void 0; } isNonTsProject() { updateProjectIfDirty(this); return allFilesAreJsOrDts(this); } isJsOnlyProject() { updateProjectIfDirty(this); return hasOneOrMoreJsAndNoTsFiles(this); } static resolveModule(moduleName, initialDir, host, log) { return _Project.importServicePluginSync({ name: moduleName }, [initialDir], host, log).resolvedModule; } /** @internal */ static importServicePluginSync(pluginConfigEntry, searchPaths, host, log) { Debug.assertIsDefined(host.require); let errorLogs; let resolvedModule; for (const initialDir of searchPaths) { const resolvedPath = normalizeSlashes(host.resolvePath(combinePaths(initialDir, "node_modules"))); log(`Loading ${pluginConfigEntry.name} from ${initialDir} (resolved to ${resolvedPath})`); const result = host.require(resolvedPath, pluginConfigEntry.name); if (!result.error) { resolvedModule = result.module; break; } const err = result.error.stack || result.error.message || JSON.stringify(result.error); (errorLogs ?? (errorLogs = [])).push(`Failed to load module '${pluginConfigEntry.name}' from ${resolvedPath}: ${err}`); } return { pluginConfigEntry, resolvedModule, errorLogs }; } /** @internal */ static async importServicePluginAsync(pluginConfigEntry, searchPaths, host, log) { Debug.assertIsDefined(host.importPlugin); let errorLogs; let resolvedModule; for (const initialDir of searchPaths) { const resolvedPath = combinePaths(initialDir, "node_modules"); log(`Dynamically importing ${pluginConfigEntry.name} from ${initialDir} (resolved to ${resolvedPath})`); let result; try { result = await host.importPlugin(resolvedPath, pluginConfigEntry.name); } catch (e) { result = { module: void 0, error: e }; } if (!result.error) { resolvedModule = result.module; break; } const err = result.error.stack || result.error.message || JSON.stringify(result.error); (errorLogs ?? (errorLogs = [])).push(`Failed to dynamically import module '${pluginConfigEntry.name}' from ${resolvedPath}: ${err}`); } return { pluginConfigEntry, resolvedModule, errorLogs }; } isKnownTypesPackageName(name) { return this.typingsCache.isKnownTypesPackageName(name); } installPackage(options) { return this.typingsCache.installPackage({ ...options, projectName: this.projectName, projectRootPath: this.toPath(this.currentDirectory) }); } /** @internal */ getGlobalTypingsCacheLocation() { return this.getGlobalCache(); } get typingsCache() { return this.projectService.typingsCache; } /** @internal */ getSymlinkCache() { if (!this.symlinks) { this.symlinks = createSymlinkCache(this.getCurrentDirectory(), this.getCanonicalFileName); } if (this.program && !this.symlinks.hasProcessedResolutions()) { this.symlinks.setSymlinksFromResolutions( this.program.forEachResolvedModule, this.program.forEachResolvedTypeReferenceDirective, this.program.getAutomaticTypeDirectiveResolutions() ); } return this.symlinks; } // Method of LanguageServiceHost getCompilationSettings() { return this.compilerOptions; } // Method to support public API getCompilerOptions() { return this.getCompilationSettings(); } getNewLine() { return this.projectService.host.newLine; } getProjectVersion() { return this.projectStateVersion.toString(); } getProjectReferences() { return void 0; } getScriptFileNames() { if (!this.rootFilesMap.size) { return emptyArray; } let result; this.rootFilesMap.forEach((value) => { if (this.languageServiceEnabled || value.info && value.info.isScriptOpen()) { (result || (result = [])).push(value.fileName); } }); return addRange(result, this.typingFiles) || emptyArray; } getOrCreateScriptInfoAndAttachToProject(fileName) { const scriptInfo = this.projectService.getOrCreateScriptInfoNotOpenedByClient( fileName, this.currentDirectory, this.directoryStructureHost, /*deferredDeleteOk*/ false ); if (scriptInfo) { const existingValue = this.rootFilesMap.get(scriptInfo.path); if (existingValue && existingValue.info !== scriptInfo) { existingValue.info = scriptInfo; } scriptInfo.attachToProject(this); } return scriptInfo; } getScriptKind(fileName) { const info = this.projectService.getScriptInfoForPath(this.toPath(fileName)); return info && info.scriptKind; } getScriptVersion(filename) { const info = this.projectService.getOrCreateScriptInfoNotOpenedByClient( filename, this.currentDirectory, this.directoryStructureHost, /*deferredDeleteOk*/ false ); return info && info.getLatestVersion(); } getScriptSnapshot(filename) { const scriptInfo = this.getOrCreateScriptInfoAndAttachToProject(filename); if (scriptInfo) { return scriptInfo.getSnapshot(); } } getCancellationToken() { return this.cancellationToken; } getCurrentDirectory() { return this.currentDirectory; } getDefaultLibFileName() { const nodeModuleBinDir = getDirectoryPath(normalizePath(this.projectService.getExecutingFilePath())); return combinePaths(nodeModuleBinDir, getDefaultLibFileName(this.compilerOptions)); } useCaseSensitiveFileNames() { return this.projectService.host.useCaseSensitiveFileNames; } readDirectory(path17, extensions, exclude, include, depth2) { return this.directoryStructureHost.readDirectory(path17, extensions, exclude, include, depth2); } readFile(fileName) { return this.projectService.host.readFile(fileName); } writeFile(fileName, content) { return this.projectService.host.writeFile(fileName, content); } fileExists(file) { const path17 = this.toPath(file); return !this.isWatchedMissingFile(path17) && this.directoryStructureHost.fileExists(file); } /** @internal */ resolveModuleNameLiterals(moduleLiterals, containingFile, redirectedReference, options, containingSourceFile, reusedNames) { return this.resolutionCache.resolveModuleNameLiterals(moduleLiterals, containingFile, redirectedReference, options, containingSourceFile, reusedNames); } /** @internal */ getModuleResolutionCache() { return this.resolutionCache.getModuleResolutionCache(); } /** @internal */ resolveTypeReferenceDirectiveReferences(typeDirectiveReferences, containingFile, redirectedReference, options, containingSourceFile, reusedNames) { return this.resolutionCache.resolveTypeReferenceDirectiveReferences( typeDirectiveReferences, containingFile, redirectedReference, options, containingSourceFile, reusedNames ); } /** @internal */ resolveLibrary(libraryName, resolveFrom, options, libFileName) { return this.resolutionCache.resolveLibrary(libraryName, resolveFrom, options, libFileName); } directoryExists(path17) { return this.directoryStructureHost.directoryExists(path17); } getDirectories(path17) { return this.directoryStructureHost.getDirectories(path17); } /** @internal */ getCachedDirectoryStructureHost() { return void 0; } /** @internal */ toPath(fileName) { return toPath3(fileName, this.currentDirectory, this.projectService.toCanonicalFileName); } /** @internal */ watchDirectoryOfFailedLookupLocation(directory, cb, flags) { return this.projectService.watchFactory.watchDirectory( directory, cb, flags, this.projectService.getWatchOptions(this), WatchType.FailedLookupLocations, this ); } /** @internal */ watchAffectingFileLocation(file, cb) { return this.projectService.watchFactory.watchFile( file, cb, 2e3, this.projectService.getWatchOptions(this), WatchType.AffectingFileLocation, this ); } /** @internal */ clearInvalidateResolutionOfFailedLookupTimer() { return this.projectService.throttledOperations.cancel(`${this.getProjectName()}FailedLookupInvalidation`); } /** @internal */ scheduleInvalidateResolutionsOfFailedLookupLocations() { this.projectService.throttledOperations.schedule( `${this.getProjectName()}FailedLookupInvalidation`, /*delay*/ 1e3, () => { if (this.resolutionCache.invalidateResolutionsOfFailedLookupLocations()) { this.projectService.delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(this); } } ); } /** @internal */ invalidateResolutionsOfFailedLookupLocations() { if (this.clearInvalidateResolutionOfFailedLookupTimer() && this.resolutionCache.invalidateResolutionsOfFailedLookupLocations()) { this.markAsDirty(); this.projectService.delayEnsureProjectForOpenFiles(); } } /** @internal */ onInvalidatedResolution() { this.projectService.delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(this); } /** @internal */ watchTypeRootsDirectory(directory, cb, flags) { return this.projectService.watchFactory.watchDirectory( directory, cb, flags, this.projectService.getWatchOptions(this), WatchType.TypeRoots, this ); } /** @internal */ hasChangedAutomaticTypeDirectiveNames() { return this.resolutionCache.hasChangedAutomaticTypeDirectiveNames(); } /** @internal */ onChangedAutomaticTypeDirectiveNames() { this.projectService.delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(this); } /** @internal */ getGlobalCache() { return this.getTypeAcquisition().enable ? this.projectService.typingsInstaller.globalTypingsCacheLocation : void 0; } /** @internal */ fileIsOpen(filePath) { return this.projectService.openFiles.has(filePath); } /** @internal */ writeLog(s) { this.projectService.logger.info(s); } log(s) { this.writeLog(s); } error(s) { this.projectService.logger.msg( s, "Err" /* Err */ ); } setInternalCompilerOptionsForEmittingJsFiles() { if (this.projectKind === 0 || this.projectKind === 2) { this.compilerOptions.noEmitForJsFiles = true; } } /** * Get the errors that dont have any file name associated */ getGlobalProjectErrors() { return filter(this.projectErrors, (diagnostic) => !diagnostic.file) || emptyArray2; } /** * Get all the project errors */ getAllProjectErrors() { return this.projectErrors || emptyArray2; } setProjectErrors(projectErrors) { this.projectErrors = projectErrors; } getLanguageService(ensureSynchronized = true) { if (ensureSynchronized) { updateProjectIfDirty(this); } return this.languageService; } /** @internal */ getSourceMapper() { return this.getLanguageService().getSourceMapper(); } /** @internal */ clearSourceMapperCache() { this.languageService.clearSourceMapperCache(); } /** @internal */ getDocumentPositionMapper(generatedFileName, sourceFileName) { return this.projectService.getDocumentPositionMapper(this, generatedFileName, sourceFileName); } /** @internal */ getSourceFileLike(fileName) { return this.projectService.getSourceFileLike(fileName, this); } /** @internal */ shouldEmitFile(scriptInfo) { return scriptInfo && !scriptInfo.isDynamicOrHasMixedContent() && !this.program.isSourceOfProjectReferenceRedirect(scriptInfo.path); } getCompileOnSaveAffectedFileList(scriptInfo) { if (!this.languageServiceEnabled) { return []; } updateProjectIfDirty(this); this.builderState = BuilderState.create( this.program, this.builderState, /*disableUseFileVersionAsSignature*/ true ); return mapDefined( BuilderState.getFilesAffectedBy( this.builderState, this.program, scriptInfo.path, this.cancellationToken, this.projectService.host ), (sourceFile) => this.shouldEmitFile(this.projectService.getScriptInfoForPath(sourceFile.path)) ? sourceFile.fileName : void 0 ); } /** * Returns true if emit was conducted */ emitFile(scriptInfo, writeFile2) { if (!this.languageServiceEnabled || !this.shouldEmitFile(scriptInfo)) { return { emitSkipped: true, diagnostics: emptyArray2 }; } const { emitSkipped, diagnostics, outputFiles } = this.getLanguageService().getEmitOutput(scriptInfo.fileName); if (!emitSkipped) { for (const outputFile of outputFiles) { const outputFileAbsoluteFileName = getNormalizedAbsolutePath(outputFile.name, this.currentDirectory); writeFile2(outputFileAbsoluteFileName, outputFile.text, outputFile.writeByteOrderMark); } if (this.builderState && getEmitDeclarations(this.compilerOptions)) { const dtsFiles = outputFiles.filter((f) => isDeclarationFileName(f.name)); if (dtsFiles.length === 1) { const sourceFile = this.program.getSourceFile(scriptInfo.fileName); const signature = this.projectService.host.createHash ? this.projectService.host.createHash(dtsFiles[0].text) : generateDjb2Hash(dtsFiles[0].text); BuilderState.updateSignatureOfFile(this.builderState, signature, sourceFile.resolvedPath); } } } return { emitSkipped, diagnostics }; } enableLanguageService() { if (this.languageServiceEnabled || this.projectService.serverMode === 2) { return; } this.languageServiceEnabled = true; this.lastFileExceededProgramSize = void 0; this.projectService.onUpdateLanguageServiceStateForProject( this, /*languageServiceEnabled*/ true ); } /** @internal */ cleanupProgram() { if (this.program) { for (const f of this.program.getSourceFiles()) { this.detachScriptInfoIfNotRoot(f.fileName); } this.program.forEachResolvedProjectReference((ref) => this.detachScriptInfoFromProject(ref.sourceFile.fileName)); this.program = void 0; } } disableLanguageService(lastFileExceededProgramSize) { if (!this.languageServiceEnabled) { return; } Debug.assert( this.projectService.serverMode !== 2 /* Syntactic */ ); this.languageService.cleanupSemanticCache(); this.languageServiceEnabled = false; this.cleanupProgram(); this.lastFileExceededProgramSize = lastFileExceededProgramSize; this.builderState = void 0; if (this.autoImportProviderHost) { this.autoImportProviderHost.close(); } this.autoImportProviderHost = void 0; this.resolutionCache.closeTypeRootsWatch(); this.clearGeneratedFileWatch(); this.projectService.verifyDocumentRegistry(); this.projectService.onUpdateLanguageServiceStateForProject( this, /*languageServiceEnabled*/ false ); } getProjectName() { return this.projectName; } removeLocalTypingsFromTypeAcquisition(newTypeAcquisition) { if (!newTypeAcquisition || !newTypeAcquisition.include) { return newTypeAcquisition; } return { ...newTypeAcquisition, include: this.removeExistingTypings(newTypeAcquisition.include) }; } getExternalFiles(updateLevel) { return sort(flatMap(this.plugins, (plugin2) => { if (typeof plugin2.module.getExternalFiles !== "function") return; try { return plugin2.module.getExternalFiles( this, updateLevel || 0 /* Update */ ); } catch (e) { this.projectService.logger.info(`A plugin threw an exception in getExternalFiles: ${e}`); if (e.stack) { this.projectService.logger.info(e.stack); } } })); } getSourceFile(path17) { if (!this.program) { return void 0; } return this.program.getSourceFileByPath(path17); } /** @internal */ getSourceFileOrConfigFile(path17) { const options = this.program.getCompilerOptions(); return path17 === options.configFilePath ? options.configFile : this.getSourceFile(path17); } close() { var _a; this.projectService.typingsCache.onProjectClosed(this); this.closeWatchingTypingLocations(); this.cleanupProgram(); forEach(this.externalFiles, (externalFile) => this.detachScriptInfoIfNotRoot(externalFile)); this.rootFilesMap.forEach((root2) => { var _a2; return (_a2 = root2.info) == null ? void 0 : _a2.detachFromProject(this); }); this.projectService.pendingEnsureProjectForOpenFiles = true; this.rootFilesMap = void 0; this.externalFiles = void 0; this.program = void 0; this.builderState = void 0; this.resolutionCache.clear(); this.resolutionCache = void 0; this.cachedUnresolvedImportsPerFile = void 0; (_a = this.packageJsonWatches) == null ? void 0 : _a.forEach((watcher) => { watcher.projects.delete(this); watcher.close(); }); this.packageJsonWatches = void 0; this.moduleSpecifierCache.clear(); this.moduleSpecifierCache = void 0; this.directoryStructureHost = void 0; this.exportMapCache = void 0; this.projectErrors = void 0; this.plugins.length = 0; if (this.missingFilesMap) { clearMap(this.missingFilesMap, closeFileWatcher); this.missingFilesMap = void 0; } this.clearGeneratedFileWatch(); this.clearInvalidateResolutionOfFailedLookupTimer(); if (this.autoImportProviderHost) { this.autoImportProviderHost.close(); } this.autoImportProviderHost = void 0; if (this.noDtsResolutionProject) { this.noDtsResolutionProject.close(); } this.noDtsResolutionProject = void 0; this.languageService.dispose(); this.languageService = void 0; } detachScriptInfoIfNotRoot(uncheckedFilename) { const info = this.projectService.getScriptInfo(uncheckedFilename); if (info && !this.isRoot(info)) { info.detachFromProject(this); } } isClosed() { return this.rootFilesMap === void 0; } hasRoots() { var _a; return !!((_a = this.rootFilesMap) == null ? void 0 : _a.size); } /** @internal */ isOrphan() { return false; } getRootFiles() { return this.rootFilesMap && arrayFrom(mapDefinedIterator(this.rootFilesMap.values(), (value) => { var _a; return (_a = value.info) == null ? void 0 : _a.fileName; })); } /** @internal */ getRootFilesMap() { return this.rootFilesMap; } getRootScriptInfos() { return arrayFrom(mapDefinedIterator(this.rootFilesMap.values(), (value) => value.info)); } getScriptInfos() { if (!this.languageServiceEnabled) { return this.getRootScriptInfos(); } return map(this.program.getSourceFiles(), (sourceFile) => { const scriptInfo = this.projectService.getScriptInfoForPath(sourceFile.resolvedPath); Debug.assert(!!scriptInfo, "getScriptInfo", () => `scriptInfo for a file '${sourceFile.fileName}' Path: '${sourceFile.path}' / '${sourceFile.resolvedPath}' is missing.`); return scriptInfo; }); } getExcludedFiles() { return emptyArray2; } getFileNames(excludeFilesFromExternalLibraries, excludeConfigFiles) { if (!this.program) { return []; } if (!this.languageServiceEnabled) { let rootFiles2 = this.getRootFiles(); if (this.compilerOptions) { const defaultLibrary = getDefaultLibFilePath(this.compilerOptions); if (defaultLibrary) { (rootFiles2 || (rootFiles2 = [])).push(asNormalizedPath(defaultLibrary)); } } return rootFiles2; } const result = []; for (const f of this.program.getSourceFiles()) { if (excludeFilesFromExternalLibraries && this.program.isSourceFileFromExternalLibrary(f)) { continue; } result.push(asNormalizedPath(f.fileName)); } if (!excludeConfigFiles) { const configFile = this.program.getCompilerOptions().configFile; if (configFile) { result.push(asNormalizedPath(configFile.fileName)); if (configFile.extendedSourceFiles) { for (const f of configFile.extendedSourceFiles) { result.push(asNormalizedPath(f)); } } } } return result; } /** @internal */ getFileNamesWithRedirectInfo(includeProjectReferenceRedirectInfo) { return this.getFileNames().map((fileName) => ({ fileName, isSourceOfProjectReferenceRedirect: includeProjectReferenceRedirectInfo && this.isSourceOfProjectReferenceRedirect(fileName) })); } hasConfigFile(configFilePath) { if (this.program && this.languageServiceEnabled) { const configFile = this.program.getCompilerOptions().configFile; if (configFile) { if (configFilePath === asNormalizedPath(configFile.fileName)) { return true; } if (configFile.extendedSourceFiles) { for (const f of configFile.extendedSourceFiles) { if (configFilePath === asNormalizedPath(f)) { return true; } } } } } return false; } containsScriptInfo(info) { if (this.isRoot(info)) return true; if (!this.program) return false; const file = this.program.getSourceFileByPath(info.path); return !!file && file.resolvedPath === info.path; } containsFile(filename, requireOpen) { const info = this.projectService.getScriptInfoForNormalizedPath(filename); if (info && (info.isScriptOpen() || !requireOpen)) { return this.containsScriptInfo(info); } return false; } isRoot(info) { var _a, _b; return ((_b = (_a = this.rootFilesMap) == null ? void 0 : _a.get(info.path)) == null ? void 0 : _b.info) === info; } // add a root file to project addRoot(info, fileName) { Debug.assert(!this.isRoot(info)); this.rootFilesMap.set(info.path, { fileName: fileName || info.fileName, info }); info.attachToProject(this); this.markAsDirty(); } // add a root file that doesnt exist on host addMissingFileRoot(fileName) { const path17 = this.projectService.toPath(fileName); this.rootFilesMap.set(path17, { fileName }); this.markAsDirty(); } removeFile(info, fileExists, detachFromProject) { if (this.isRoot(info)) { this.removeRoot(info); } if (fileExists) { this.resolutionCache.removeResolutionsOfFile(info.path); } else { this.resolutionCache.invalidateResolutionOfFile(info.path); } this.cachedUnresolvedImportsPerFile.delete(info.path); if (detachFromProject) { info.detachFromProject(this); } this.markAsDirty(); } registerFileUpdate(fileName) { (this.updatedFileNames || (this.updatedFileNames = /* @__PURE__ */ new Set())).add(fileName); } /** @internal */ markFileAsDirty(changedFile) { this.markAsDirty(); if (this.exportMapCache && !this.exportMapCache.isEmpty()) { (this.changedFilesForExportMapCache || (this.changedFilesForExportMapCache = /* @__PURE__ */ new Set())).add(changedFile); } } /** @internal */ markAsDirty() { if (!this.dirty) { this.projectStateVersion++; this.dirty = true; } } /** @internal */ markAutoImportProviderAsDirty() { var _a; if (!this.autoImportProviderHost) this.autoImportProviderHost = void 0; (_a = this.autoImportProviderHost) == null ? void 0 : _a.markAsDirty(); } /** @internal */ onAutoImportProviderSettingsChanged() { var _a; if (this.autoImportProviderHost === false) { this.autoImportProviderHost = void 0; } else { (_a = this.autoImportProviderHost) == null ? void 0 : _a.markAsDirty(); } } /** @internal */ onPackageJsonChange() { this.moduleSpecifierCache.clear(); if (this.autoImportProviderHost) { this.autoImportProviderHost.markAsDirty(); } } /** @internal */ onFileAddedOrRemoved(isSymlink) { this.hasAddedorRemovedFiles = true; if (isSymlink) { this.hasAddedOrRemovedSymlinks = true; } } /** @internal */ onDiscoveredSymlink() { this.hasAddedOrRemovedSymlinks = true; } /** @internal */ updateFromProject() { updateProjectIfDirty(this); } /** * Updates set of files that contribute to this project * @returns: true if set of files in the project stays the same and false - otherwise. */ updateGraph() { var _a, _b, _c, _d; (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Session, "updateGraph", { name: this.projectName, kind: ProjectKind[this.projectKind] }); (_b = perfLogger) == null ? void 0 : _b.logStartUpdateGraph(); this.resolutionCache.startRecordingFilesWithChangedResolutions(); const hasNewProgram = this.updateGraphWorker(); const hasAddedorRemovedFiles = this.hasAddedorRemovedFiles; this.hasAddedorRemovedFiles = false; this.hasAddedOrRemovedSymlinks = false; const changedFiles = this.resolutionCache.finishRecordingFilesWithChangedResolutions() || emptyArray2; for (const file of changedFiles) { this.cachedUnresolvedImportsPerFile.delete(file); } if (this.languageServiceEnabled && this.projectService.serverMode === 0 && !this.isOrphan()) { if (hasNewProgram || changedFiles.length) { this.lastCachedUnresolvedImportsList = getUnresolvedImports(this.program, this.cachedUnresolvedImportsPerFile); } this.projectService.typingsCache.enqueueInstallTypingsForProject(this, this.lastCachedUnresolvedImportsList, hasAddedorRemovedFiles); } else { this.lastCachedUnresolvedImportsList = void 0; } const isFirstProgramLoad = this.projectProgramVersion === 0 && hasNewProgram; if (hasNewProgram) { this.projectProgramVersion++; } if (hasAddedorRemovedFiles) { this.markAutoImportProviderAsDirty(); } if (isFirstProgramLoad) { this.getPackageJsonAutoImportProvider(); } (_c = perfLogger) == null ? void 0 : _c.logStopUpdateGraph(); (_d = tracing) == null ? void 0 : _d.pop(); return !hasNewProgram; } /** @internal */ updateTypingFiles(typingFiles) { if (enumerateInsertsAndDeletes( typingFiles, this.typingFiles, getStringComparer(!this.useCaseSensitiveFileNames()), /*inserted*/ noop2, (removed) => this.detachScriptInfoFromProject(removed) )) { this.typingFiles = typingFiles; this.resolutionCache.setFilesWithInvalidatedNonRelativeUnresolvedImports(this.cachedUnresolvedImportsPerFile); this.projectService.delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(this); } } /** @internal */ closeWatchingTypingLocations() { if (this.typingWatchers) clearMap(this.typingWatchers, closeFileWatcher); this.typingWatchers = void 0; } /** @internal */ onTypingInstallerWatchInvoke() { this.typingWatchers.isInvoked = true; this.projectService.updateTypingsForProject({ projectName: this.getProjectName(), kind: ActionInvalidate }); } /** @internal */ watchTypingLocations(files) { if (!files) { this.typingWatchers.isInvoked = false; return; } if (!files.length) { this.closeWatchingTypingLocations(); return; } const toRemove = new Map(this.typingWatchers); if (!this.typingWatchers) this.typingWatchers = /* @__PURE__ */ new Map(); this.typingWatchers.isInvoked = false; const createProjectWatcher = (path17, typingsWatcherType) => { const canonicalPath = this.toPath(path17); toRemove.delete(canonicalPath); if (!this.typingWatchers.has(canonicalPath)) { this.typingWatchers.set( canonicalPath, typingsWatcherType === "FileWatcher" ? this.projectService.watchFactory.watchFile( path17, () => !this.typingWatchers.isInvoked ? this.onTypingInstallerWatchInvoke() : this.writeLog(`TypingWatchers already invoked`), 2e3, this.projectService.getWatchOptions(this), WatchType.TypingInstallerLocationFile, this ) : this.projectService.watchFactory.watchDirectory( path17, (f) => { if (this.typingWatchers.isInvoked) return this.writeLog(`TypingWatchers already invoked`); if (!fileExtensionIs( f, ".json" /* Json */ )) return this.writeLog(`Ignoring files that are not *.json`); if (comparePaths(f, combinePaths(this.projectService.typingsInstaller.globalTypingsCacheLocation, "package.json"), !this.useCaseSensitiveFileNames())) return this.writeLog(`Ignoring package.json change at global typings location`); this.onTypingInstallerWatchInvoke(); }, 1, this.projectService.getWatchOptions(this), WatchType.TypingInstallerLocationDirectory, this ) ); } }; for (const file of files) { const basename = getBaseFileName(file); if (basename === "package.json" || basename === "bower.json") { createProjectWatcher( file, "FileWatcher" /* FileWatcher */ ); continue; } if (containsPath(this.currentDirectory, file, this.currentDirectory, !this.useCaseSensitiveFileNames())) { const subDirectory = file.indexOf(directorySeparator, this.currentDirectory.length + 1); if (subDirectory !== -1) { createProjectWatcher( file.substr(0, subDirectory), "DirectoryWatcher" /* DirectoryWatcher */ ); } else { createProjectWatcher( file, "DirectoryWatcher" /* DirectoryWatcher */ ); } continue; } if (containsPath(this.projectService.typingsInstaller.globalTypingsCacheLocation, file, this.currentDirectory, !this.useCaseSensitiveFileNames())) { createProjectWatcher( this.projectService.typingsInstaller.globalTypingsCacheLocation, "DirectoryWatcher" /* DirectoryWatcher */ ); continue; } createProjectWatcher( file, "DirectoryWatcher" /* DirectoryWatcher */ ); } toRemove.forEach((watch, path17) => { watch.close(); this.typingWatchers.delete(path17); }); } /** @internal */ getCurrentProgram() { return this.program; } removeExistingTypings(include) { const existing = getAutomaticTypeDirectiveNames(this.getCompilerOptions(), this.directoryStructureHost); return include.filter((i) => !existing.includes(i)); } updateGraphWorker() { var _a, _b; const oldProgram = this.languageService.getCurrentProgram(); Debug.assert(oldProgram === this.program); Debug.assert(!this.isClosed(), "Called update graph worker of closed project"); this.writeLog(`Starting updateGraphWorker: Project: ${this.getProjectName()}`); const start = timestamp(); const { hasInvalidatedResolutions, hasInvalidatedLibResolutions } = this.resolutionCache.createHasInvalidatedResolutions(returnFalse, returnFalse); this.hasInvalidatedResolutions = hasInvalidatedResolutions; this.hasInvalidatedLibResolutions = hasInvalidatedLibResolutions; this.resolutionCache.startCachingPerDirectoryResolution(); this.dirty = false; this.updateFromProjectInProgress = true; this.program = this.languageService.getProgram(); this.updateFromProjectInProgress = false; (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Session, "finishCachingPerDirectoryResolution"); this.resolutionCache.finishCachingPerDirectoryResolution(this.program, oldProgram); (_b = tracing) == null ? void 0 : _b.pop(); Debug.assert(oldProgram === void 0 || this.program !== void 0); let hasNewProgram = false; if (this.program && (!oldProgram || this.program !== oldProgram && this.program.structureIsReused !== 2)) { hasNewProgram = true; if (oldProgram) { for (const f of oldProgram.getSourceFiles()) { const newFile = this.program.getSourceFileByPath(f.resolvedPath); if (!newFile || f.resolvedPath === f.path && newFile.resolvedPath !== f.path) { this.detachScriptInfoFromProject( f.fileName, !!this.program.getSourceFileByPath(f.path), /*syncDirWatcherRemove*/ true ); } } oldProgram.forEachResolvedProjectReference((resolvedProjectReference) => { if (!this.program.getResolvedProjectReferenceByPath(resolvedProjectReference.sourceFile.path)) { this.detachScriptInfoFromProject( resolvedProjectReference.sourceFile.fileName, /*noRemoveResolution*/ void 0, /*syncDirWatcherRemove*/ true ); } }); } this.rootFilesMap.forEach((value, path17) => { var _a2; const file = this.program.getSourceFileByPath(path17); const info = value.info; if (!file || ((_a2 = value.info) == null ? void 0 : _a2.path) === file.resolvedPath) return; value.info = this.projectService.getScriptInfo(file.fileName); Debug.assert(value.info.isAttached(this)); info == null ? void 0 : info.detachFromProject(this); }); updateMissingFilePathsWatch( this.program, this.missingFilesMap || (this.missingFilesMap = /* @__PURE__ */ new Map()), // Watch the missing files (missingFilePath, missingFileName) => this.addMissingFileWatcher(missingFilePath, missingFileName) ); if (this.generatedFilesMap) { const outPath = this.compilerOptions.outFile; if (isGeneratedFileWatcher(this.generatedFilesMap)) { if (!outPath || !this.isValidGeneratedFileWatcher( removeFileExtension(outPath) + ".d.ts", this.generatedFilesMap )) { this.clearGeneratedFileWatch(); } } else { if (outPath) { this.clearGeneratedFileWatch(); } else { this.generatedFilesMap.forEach((watcher, source) => { const sourceFile = this.program.getSourceFileByPath(source); if (!sourceFile || sourceFile.resolvedPath !== source || !this.isValidGeneratedFileWatcher( getDeclarationEmitOutputFilePathWorker(sourceFile.fileName, this.compilerOptions, this.currentDirectory, this.program.getCommonSourceDirectory(), this.getCanonicalFileName), watcher )) { closeFileWatcherOf(watcher); this.generatedFilesMap.delete(source); } }); } } } if (this.languageServiceEnabled && this.projectService.serverMode === 0) { this.resolutionCache.updateTypeRootsWatch(); } } this.projectService.verifyProgram(this); if (this.exportMapCache && !this.exportMapCache.isEmpty()) { this.exportMapCache.releaseSymbols(); if (this.hasAddedorRemovedFiles || oldProgram && !this.program.structureIsReused) { this.exportMapCache.clear(); } else if (this.changedFilesForExportMapCache && oldProgram && this.program) { forEachKey(this.changedFilesForExportMapCache, (fileName) => { const oldSourceFile = oldProgram.getSourceFileByPath(fileName); const sourceFile = this.program.getSourceFileByPath(fileName); if (!oldSourceFile || !sourceFile) { this.exportMapCache.clear(); return true; } return this.exportMapCache.onFileChanged(oldSourceFile, sourceFile, !!this.getTypeAcquisition().enable); }); } } if (this.changedFilesForExportMapCache) { this.changedFilesForExportMapCache.clear(); } if (this.hasAddedOrRemovedSymlinks || this.program && !this.program.structureIsReused && this.getCompilerOptions().preserveSymlinks) { this.symlinks = void 0; this.moduleSpecifierCache.clear(); } const oldExternalFiles = this.externalFiles || emptyArray2; this.externalFiles = this.getExternalFiles(); enumerateInsertsAndDeletes( this.externalFiles, oldExternalFiles, getStringComparer(!this.useCaseSensitiveFileNames()), // Ensure a ScriptInfo is created for new external files. This is performed indirectly // by the host for files in the program when the program is retrieved above but // the program doesn't contain external files so this must be done explicitly. (inserted) => { const scriptInfo = this.projectService.getOrCreateScriptInfoNotOpenedByClient( inserted, this.currentDirectory, this.directoryStructureHost, /*deferredDeleteOk*/ false ); scriptInfo == null ? void 0 : scriptInfo.attachToProject(this); }, (removed) => this.detachScriptInfoFromProject(removed) ); const elapsed = timestamp() - start; this.sendPerformanceEvent("UpdateGraph", elapsed); this.writeLog(`Finishing updateGraphWorker: Project: ${this.getProjectName()} projectStateVersion: ${this.projectStateVersion} projectProgramVersion: ${this.projectProgramVersion} structureChanged: ${hasNewProgram}${this.program ? ` structureIsReused:: ${StructureIsReused[this.program.structureIsReused]}` : ""} Elapsed: ${elapsed}ms`); if (this.projectService.logger.isTestLogger) { if (this.program !== oldProgram) { this.print( /*writeProjectFileNames*/ true, this.hasAddedorRemovedFiles, /*writeFileVersionAndText*/ true ); } else { this.writeLog(`Same program as before`); } } else if (this.hasAddedorRemovedFiles) { this.print( /*writeProjectFileNames*/ true, /*writeFileExplaination*/ true, /*writeFileVersionAndText*/ false ); } else if (this.program !== oldProgram) { this.writeLog(`Different program with same set of files`); } this.projectService.verifyDocumentRegistry(); return hasNewProgram; } /** @internal */ sendPerformanceEvent(kind, durationMs) { this.projectService.sendPerformanceEvent(kind, durationMs); } detachScriptInfoFromProject(uncheckedFileName, noRemoveResolution, syncDirWatcherRemove) { const scriptInfoToDetach = this.projectService.getScriptInfo(uncheckedFileName); if (scriptInfoToDetach) { scriptInfoToDetach.detachFromProject(this); if (!noRemoveResolution) { this.resolutionCache.removeResolutionsOfFile(scriptInfoToDetach.path, syncDirWatcherRemove); } } } addMissingFileWatcher(missingFilePath, missingFileName) { var _a; if (isConfiguredProject(this)) { const configFileExistenceInfo = this.projectService.configFileExistenceInfoCache.get(missingFilePath); if ((_a = configFileExistenceInfo == null ? void 0 : configFileExistenceInfo.config) == null ? void 0 : _a.projects.has(this.canonicalConfigFilePath)) return noopFileWatcher; } const fileWatcher = this.projectService.watchFactory.watchFile( getNormalizedAbsolutePath(missingFileName, this.currentDirectory), (fileName, eventKind) => { if (isConfiguredProject(this)) { this.getCachedDirectoryStructureHost().addOrDeleteFile(fileName, missingFilePath, eventKind); } if (eventKind === 0 && this.missingFilesMap.has(missingFilePath)) { this.missingFilesMap.delete(missingFilePath); fileWatcher.close(); this.projectService.delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(this); } }, 500, this.projectService.getWatchOptions(this), WatchType.MissingFile, this ); return fileWatcher; } isWatchedMissingFile(path17) { return !!this.missingFilesMap && this.missingFilesMap.has(path17); } /** @internal */ addGeneratedFileWatch(generatedFile, sourceFile) { if (this.compilerOptions.outFile) { if (!this.generatedFilesMap) { this.generatedFilesMap = this.createGeneratedFileWatcher(generatedFile); } } else { const path17 = this.toPath(sourceFile); if (this.generatedFilesMap) { if (isGeneratedFileWatcher(this.generatedFilesMap)) { Debug.fail(`${this.projectName} Expected to not have --out watcher for generated file with options: ${JSON.stringify(this.compilerOptions)}`); return; } if (this.generatedFilesMap.has(path17)) return; } else { this.generatedFilesMap = /* @__PURE__ */ new Map(); } this.generatedFilesMap.set(path17, this.createGeneratedFileWatcher(generatedFile)); } } createGeneratedFileWatcher(generatedFile) { return { generatedFilePath: this.toPath(generatedFile), watcher: this.projectService.watchFactory.watchFile( generatedFile, () => { this.clearSourceMapperCache(); this.projectService.delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(this); }, 2e3, this.projectService.getWatchOptions(this), WatchType.MissingGeneratedFile, this ) }; } isValidGeneratedFileWatcher(generateFile, watcher) { return this.toPath(generateFile) === watcher.generatedFilePath; } clearGeneratedFileWatch() { if (this.generatedFilesMap) { if (isGeneratedFileWatcher(this.generatedFilesMap)) { closeFileWatcherOf(this.generatedFilesMap); } else { clearMap(this.generatedFilesMap, closeFileWatcherOf); } this.generatedFilesMap = void 0; } } getScriptInfoForNormalizedPath(fileName) { const scriptInfo = this.projectService.getScriptInfoForPath(this.toPath(fileName)); if (scriptInfo && !scriptInfo.isAttached(this)) { return Errors.ThrowProjectDoesNotContainDocument(fileName, this); } return scriptInfo; } getScriptInfo(uncheckedFileName) { return this.projectService.getScriptInfo(uncheckedFileName); } filesToString(writeProjectFileNames) { return this.filesToStringWorker( writeProjectFileNames, /*writeFileExplaination*/ true, /*writeFileVersionAndText*/ false ); } /** @internal */ filesToStringWorker(writeProjectFileNames, writeFileExplaination, writeFileVersionAndText) { if (this.isInitialLoadPending()) return " Files (0) InitialLoadPending\n"; if (!this.program) return " Files (0) NoProgram\n"; const sourceFiles = this.program.getSourceFiles(); let strBuilder = ` Files (${sourceFiles.length}) `; if (writeProjectFileNames) { for (const file of sourceFiles) { strBuilder += ` ${file.fileName}${writeFileVersionAndText ? ` ${file.version} ${JSON.stringify(file.text)}` : ""} `; } if (writeFileExplaination) { strBuilder += "\n\n"; explainFiles(this.program, (s) => strBuilder += ` ${s} `); } } return strBuilder; } /** @internal */ print(writeProjectFileNames, writeFileExplaination, writeFileVersionAndText) { var _a; this.writeLog(`Project '${this.projectName}' (${ProjectKind[this.projectKind]})`); this.writeLog(this.filesToStringWorker( writeProjectFileNames && this.projectService.logger.hasLevel( 3 /* verbose */ ), writeFileExplaination && this.projectService.logger.hasLevel( 3 /* verbose */ ), writeFileVersionAndText && this.projectService.logger.hasLevel( 3 /* verbose */ ) )); this.writeLog("-----------------------------------------------"); if (this.autoImportProviderHost) { this.autoImportProviderHost.print( /*writeProjectFileNames*/ false, /*writeFileExplaination*/ false, /*writeFileVersionAndText*/ false ); } (_a = this.noDtsResolutionProject) == null ? void 0 : _a.print( /*writeProjectFileNames*/ false, /*writeFileExplaination*/ false, /*writeFileVersionAndText*/ false ); } setCompilerOptions(compilerOptions) { var _a; if (compilerOptions) { compilerOptions.allowNonTsExtensions = true; const oldOptions = this.compilerOptions; this.compilerOptions = compilerOptions; this.setInternalCompilerOptionsForEmittingJsFiles(); (_a = this.noDtsResolutionProject) == null ? void 0 : _a.setCompilerOptions(this.getCompilerOptionsForNoDtsResolutionProject()); if (changesAffectModuleResolution(oldOptions, compilerOptions)) { this.cachedUnresolvedImportsPerFile.clear(); this.lastCachedUnresolvedImportsList = void 0; this.resolutionCache.onChangesAffectModuleResolution(); this.moduleSpecifierCache.clear(); } this.markAsDirty(); } } /** @internal */ setWatchOptions(watchOptions) { this.watchOptions = watchOptions; } /** @internal */ getWatchOptions() { return this.watchOptions; } setTypeAcquisition(newTypeAcquisition) { if (newTypeAcquisition) { this.typeAcquisition = this.removeLocalTypingsFromTypeAcquisition(newTypeAcquisition); } } getTypeAcquisition() { return this.typeAcquisition || {}; } /** @internal */ getChangesSinceVersion(lastKnownVersion, includeProjectReferenceRedirectInfo) { var _a, _b; const includeProjectReferenceRedirectInfoIfRequested = includeProjectReferenceRedirectInfo ? (files) => arrayFrom(files.entries(), ([fileName, isSourceOfProjectReferenceRedirect]) => ({ fileName, isSourceOfProjectReferenceRedirect })) : (files) => arrayFrom(files.keys()); if (!this.isInitialLoadPending()) { updateProjectIfDirty(this); } const info = { projectName: this.getProjectName(), version: this.projectProgramVersion, isInferred: isInferredProject(this), options: this.getCompilationSettings(), languageServiceDisabled: !this.languageServiceEnabled, lastFileExceededProgramSize: this.lastFileExceededProgramSize }; const updatedFileNames = this.updatedFileNames; this.updatedFileNames = void 0; if (this.lastReportedFileNames && lastKnownVersion === this.lastReportedVersion) { if (this.projectProgramVersion === this.lastReportedVersion && !updatedFileNames) { return { info, projectErrors: this.getGlobalProjectErrors() }; } const lastReportedFileNames = this.lastReportedFileNames; const externalFiles = ((_a = this.externalFiles) == null ? void 0 : _a.map((f) => ({ fileName: toNormalizedPath(f), isSourceOfProjectReferenceRedirect: false }))) || emptyArray2; const currentFiles = arrayToMap( this.getFileNamesWithRedirectInfo(!!includeProjectReferenceRedirectInfo).concat(externalFiles), (info2) => info2.fileName, (info2) => info2.isSourceOfProjectReferenceRedirect ); const added = /* @__PURE__ */ new Map(); const removed = /* @__PURE__ */ new Map(); const updated = updatedFileNames ? arrayFrom(updatedFileNames.keys()) : []; const updatedRedirects = []; forEachEntry(currentFiles, (isSourceOfProjectReferenceRedirect, fileName) => { if (!lastReportedFileNames.has(fileName)) { added.set(fileName, isSourceOfProjectReferenceRedirect); } else if (includeProjectReferenceRedirectInfo && isSourceOfProjectReferenceRedirect !== lastReportedFileNames.get(fileName)) { updatedRedirects.push({ fileName, isSourceOfProjectReferenceRedirect }); } }); forEachEntry(lastReportedFileNames, (isSourceOfProjectReferenceRedirect, fileName) => { if (!currentFiles.has(fileName)) { removed.set(fileName, isSourceOfProjectReferenceRedirect); } }); this.lastReportedFileNames = currentFiles; this.lastReportedVersion = this.projectProgramVersion; return { info, changes: { added: includeProjectReferenceRedirectInfoIfRequested(added), removed: includeProjectReferenceRedirectInfoIfRequested(removed), updated: includeProjectReferenceRedirectInfo ? updated.map((fileName) => ({ fileName, isSourceOfProjectReferenceRedirect: this.isSourceOfProjectReferenceRedirect(fileName) })) : updated, updatedRedirects: includeProjectReferenceRedirectInfo ? updatedRedirects : void 0 }, projectErrors: this.getGlobalProjectErrors() }; } else { const projectFileNames = this.getFileNamesWithRedirectInfo(!!includeProjectReferenceRedirectInfo); const externalFiles = ((_b = this.externalFiles) == null ? void 0 : _b.map((f) => ({ fileName: toNormalizedPath(f), isSourceOfProjectReferenceRedirect: false }))) || emptyArray2; const allFiles = projectFileNames.concat(externalFiles); this.lastReportedFileNames = arrayToMap( allFiles, (info2) => info2.fileName, (info2) => info2.isSourceOfProjectReferenceRedirect ); this.lastReportedVersion = this.projectProgramVersion; return { info, files: includeProjectReferenceRedirectInfo ? allFiles : allFiles.map((f) => f.fileName), projectErrors: this.getGlobalProjectErrors() }; } } // remove a root file from project removeRoot(info) { this.rootFilesMap.delete(info.path); } /** @internal */ isSourceOfProjectReferenceRedirect(fileName) { return !!this.program && this.program.isSourceOfProjectReferenceRedirect(fileName); } /** @internal */ getGlobalPluginSearchPaths() { return [ ...this.projectService.pluginProbeLocations, // ../../.. to walk from X/node_modules/typescript/lib/tsserver.js to X/node_modules/ combinePaths(this.projectService.getExecutingFilePath(), "../../..") ]; } enableGlobalPlugins(options) { if (!this.projectService.globalPlugins.length) return; const host = this.projectService.host; if (!host.require && !host.importPlugin) { this.projectService.logger.info("Plugins were requested but not running in environment that supports 'require'. Nothing will be loaded"); return; } const searchPaths = this.getGlobalPluginSearchPaths(); for (const globalPluginName of this.projectService.globalPlugins) { if (!globalPluginName) continue; if (options.plugins && options.plugins.some((p) => p.name === globalPluginName)) continue; this.projectService.logger.info(`Loading global plugin ${globalPluginName}`); this.enablePlugin({ name: globalPluginName, global: true }, searchPaths); } } enablePlugin(pluginConfigEntry, searchPaths) { this.projectService.requestEnablePlugin(this, pluginConfigEntry, searchPaths); } /** @internal */ enableProxy(pluginModuleFactory, configEntry) { try { if (typeof pluginModuleFactory !== "function") { this.projectService.logger.info(`Skipped loading plugin ${configEntry.name} because it did not expose a proper factory function`); return; } const info = { config: configEntry, project: this, languageService: this.languageService, languageServiceHost: this, serverHost: this.projectService.host, session: this.projectService.session }; const pluginModule = pluginModuleFactory({ typescript: ts_exports2 }); const newLS = pluginModule.create(info); for (const k of Object.keys(this.languageService)) { if (!(k in newLS)) { this.projectService.logger.info(`Plugin activation warning: Missing proxied method ${k} in created LS. Patching.`); newLS[k] = this.languageService[k]; } } this.projectService.logger.info(`Plugin validation succeeded`); this.languageService = newLS; this.plugins.push({ name: configEntry.name, module: pluginModule }); } catch (e) { this.projectService.logger.info(`Plugin activation failed: ${e}`); } } /** @internal */ onPluginConfigurationChanged(pluginName, configuration) { this.plugins.filter((plugin2) => plugin2.name === pluginName).forEach((plugin2) => { if (plugin2.module.onConfigurationChanged) { plugin2.module.onConfigurationChanged(configuration); } }); } /** Starts a new check for diagnostics. Call this if some file has updated that would cause diagnostics to be changed. */ refreshDiagnostics() { this.projectService.sendProjectsUpdatedInBackgroundEvent(); } /** @internal */ getPackageJsonsVisibleToFile(fileName, rootDir) { if (this.projectService.serverMode !== 0) return emptyArray2; return this.projectService.getPackageJsonsVisibleToFile(fileName, this, rootDir); } /** @internal */ getNearestAncestorDirectoryWithPackageJson(fileName) { return this.projectService.getNearestAncestorDirectoryWithPackageJson(fileName); } /** @internal */ getPackageJsonsForAutoImport(rootDir) { return this.getPackageJsonsVisibleToFile(combinePaths(this.currentDirectory, inferredTypesContainingFile), rootDir); } /** @internal */ getPackageJsonCache() { return this.projectService.packageJsonCache; } /** @internal */ getCachedExportInfoMap() { return this.exportMapCache || (this.exportMapCache = createCacheableExportInfoMap(this)); } /** @internal */ clearCachedExportInfoMap() { var _a; (_a = this.exportMapCache) == null ? void 0 : _a.clear(); } /** @internal */ getModuleSpecifierCache() { return this.moduleSpecifierCache; } /** @internal */ includePackageJsonAutoImports() { if (this.projectService.includePackageJsonAutoImports() === 0 || !this.languageServiceEnabled || isInsideNodeModules(this.currentDirectory) || !this.isDefaultProjectForOpenFiles()) { return 0; } return this.projectService.includePackageJsonAutoImports(); } /** @internal */ getHostForAutoImportProvider() { var _a, _b; if (this.program) { return { fileExists: this.program.fileExists, directoryExists: this.program.directoryExists, realpath: this.program.realpath || ((_a = this.projectService.host.realpath) == null ? void 0 : _a.bind(this.projectService.host)), getCurrentDirectory: this.getCurrentDirectory.bind(this), readFile: this.projectService.host.readFile.bind(this.projectService.host), getDirectories: this.projectService.host.getDirectories.bind(this.projectService.host), trace: (_b = this.projectService.host.trace) == null ? void 0 : _b.bind(this.projectService.host), useCaseSensitiveFileNames: this.program.useCaseSensitiveFileNames(), readDirectory: this.projectService.host.readDirectory.bind(this.projectService.host) }; } return this.projectService.host; } /** @internal */ getPackageJsonAutoImportProvider() { var _a, _b, _c; if (this.autoImportProviderHost === false) { return void 0; } if (this.projectService.serverMode !== 0) { this.autoImportProviderHost = false; return void 0; } if (this.autoImportProviderHost) { updateProjectIfDirty(this.autoImportProviderHost); if (this.autoImportProviderHost.isEmpty()) { this.autoImportProviderHost.close(); this.autoImportProviderHost = void 0; return void 0; } return this.autoImportProviderHost.getCurrentProgram(); } const dependencySelection = this.includePackageJsonAutoImports(); if (dependencySelection) { (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Session, "getPackageJsonAutoImportProvider"); const start = timestamp(); this.autoImportProviderHost = AutoImportProviderProject.create(dependencySelection, this, this.getHostForAutoImportProvider(), this.documentRegistry); if (this.autoImportProviderHost) { updateProjectIfDirty(this.autoImportProviderHost); this.sendPerformanceEvent("CreatePackageJsonAutoImportProvider", timestamp() - start); (_b = tracing) == null ? void 0 : _b.pop(); return this.autoImportProviderHost.getCurrentProgram(); } (_c = tracing) == null ? void 0 : _c.pop(); } } /** @internal */ isDefaultProjectForOpenFiles() { return !!forEachEntry( this.projectService.openFiles, (_projectRootPath, path17) => this.projectService.tryGetDefaultProjectForFile(this.projectService.getScriptInfoForPath(path17)) === this ); } /** @internal */ watchNodeModulesForPackageJsonChanges(directoryPath) { return this.projectService.watchPackageJsonsInNodeModules(directoryPath, this); } /** @internal */ getIncompleteCompletionsCache() { return this.projectService.getIncompleteCompletionsCache(); } /** @internal */ getNoDtsResolutionProject(rootFile) { Debug.assert( this.projectService.serverMode === 0 /* Semantic */ ); if (!this.noDtsResolutionProject) { this.noDtsResolutionProject = new AuxiliaryProject(this.projectService, this.documentRegistry, this.getCompilerOptionsForNoDtsResolutionProject(), this.currentDirectory); } if (this.noDtsResolutionProject.rootFile !== rootFile) { this.projectService.setFileNamesOfAutpImportProviderOrAuxillaryProject(this.noDtsResolutionProject, [rootFile]); this.noDtsResolutionProject.rootFile = rootFile; } return this.noDtsResolutionProject; } /** @internal */ runWithTemporaryFileUpdate(rootFile, updatedText, cb) { var _a, _b, _c, _d; const originalProgram = this.program; const rootSourceFile = Debug.checkDefined((_a = this.program) == null ? void 0 : _a.getSourceFile(rootFile), "Expected file to be part of program"); const originalText = Debug.checkDefined(rootSourceFile.getText()); (_b = this.getScriptInfo(rootFile)) == null ? void 0 : _b.editContent(0, originalText.length, updatedText); this.updateGraph(); try { cb(this.program, originalProgram, (_c = this.program) == null ? void 0 : _c.getSourceFile(rootFile)); } finally { (_d = this.getScriptInfo(rootFile)) == null ? void 0 : _d.editContent(0, this.program.getSourceFile(rootFile).getText().length, originalText); } } /** @internal */ getCompilerOptionsForNoDtsResolutionProject() { return { ...this.getCompilerOptions(), noDtsResolution: true, allowJs: true, maxNodeModuleJsDepth: 3, diagnostics: false, skipLibCheck: true, sourceMap: false, types: emptyArray, lib: emptyArray, noLib: true }; } }; function getUnresolvedImports(program, cachedUnresolvedImportsPerFile) { var _a, _b; const sourceFiles = program.getSourceFiles(); (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Session, "getUnresolvedImports", { count: sourceFiles.length }); const ambientModules = program.getTypeChecker().getAmbientModules().map((mod) => stripQuotes(mod.getName())); const result = sortAndDeduplicate(flatMap(sourceFiles, (sourceFile) => extractUnresolvedImportsFromSourceFile( program, sourceFile, ambientModules, cachedUnresolvedImportsPerFile ))); (_b = tracing) == null ? void 0 : _b.pop(); return result; } function extractUnresolvedImportsFromSourceFile(program, file, ambientModules, cachedUnresolvedImportsPerFile) { return getOrUpdate(cachedUnresolvedImportsPerFile, file.path, () => { let unresolvedImports; program.forEachResolvedModule(({ resolvedModule }, name) => { if ((!resolvedModule || !resolutionExtensionIsTSOrJson(resolvedModule.extension)) && !isExternalModuleNameRelative(name) && !ambientModules.some((m) => m === name)) { unresolvedImports = append(unresolvedImports, parsePackageName(name).packageName); } }, file); return unresolvedImports || emptyArray2; }); } var InferredProject2 = class extends Project3 { /** @internal */ constructor(projectService, documentRegistry, compilerOptions, watchOptions, projectRootPath, currentDirectory, typeAcquisition) { super( projectService.newInferredProjectName(), 0, projectService, documentRegistry, // TODO: GH#18217 /*files*/ void 0, /*lastFileExceededProgramSize*/ void 0, compilerOptions, /*compileOnSaveEnabled*/ false, watchOptions, projectService.host, currentDirectory ); this._isJsInferredProject = false; this.typeAcquisition = typeAcquisition; this.projectRootPath = projectRootPath && projectService.toCanonicalFileName(projectRootPath); if (!projectRootPath && !projectService.useSingleInferredProject) { this.canonicalCurrentDirectory = projectService.toCanonicalFileName(this.currentDirectory); } this.enableGlobalPlugins(this.getCompilerOptions()); } toggleJsInferredProject(isJsInferredProject) { if (isJsInferredProject !== this._isJsInferredProject) { this._isJsInferredProject = isJsInferredProject; this.setCompilerOptions(); } } setCompilerOptions(options) { if (!options && !this.getCompilationSettings()) { return; } const newOptions = cloneCompilerOptions(options || this.getCompilationSettings()); if (this._isJsInferredProject && typeof newOptions.maxNodeModuleJsDepth !== "number") { newOptions.maxNodeModuleJsDepth = 2; } else if (!this._isJsInferredProject) { newOptions.maxNodeModuleJsDepth = void 0; } newOptions.allowJs = true; super.setCompilerOptions(newOptions); } addRoot(info) { Debug.assert(info.isScriptOpen()); this.projectService.startWatchingConfigFilesForInferredProjectRoot(info); if (!this._isJsInferredProject && info.isJavaScript()) { this.toggleJsInferredProject( /*isJsInferredProject*/ true ); } else if (this.isOrphan() && this._isJsInferredProject && !info.isJavaScript()) { this.toggleJsInferredProject( /*isJsInferredProject*/ false ); } super.addRoot(info); } removeRoot(info) { this.projectService.stopWatchingConfigFilesForScriptInfo(info); super.removeRoot(info); if (!this.isOrphan() && this._isJsInferredProject && info.isJavaScript()) { if (every(this.getRootScriptInfos(), (rootInfo) => !rootInfo.isJavaScript())) { this.toggleJsInferredProject( /*isJsInferredProject*/ false ); } } } /** @internal */ isOrphan() { return !this.hasRoots(); } isProjectWithSingleRoot() { return !this.projectRootPath && !this.projectService.useSingleInferredProject || this.getRootScriptInfos().length === 1; } close() { forEach(this.getRootScriptInfos(), (info) => this.projectService.stopWatchingConfigFilesForScriptInfo(info)); super.close(); } getTypeAcquisition() { return this.typeAcquisition || { enable: allRootFilesAreJsOrDts(this), include: emptyArray, exclude: emptyArray }; } }; var AuxiliaryProject = class extends Project3 { constructor(projectService, documentRegistry, compilerOptions, currentDirectory) { super( projectService.newAuxiliaryProjectName(), 4, projectService, documentRegistry, /*hasExplicitListOfFiles*/ false, /*lastFileExceededProgramSize*/ void 0, compilerOptions, /*compileOnSaveEnabled*/ false, /*watchOptions*/ void 0, projectService.host, currentDirectory ); } isOrphan() { return true; } scheduleInvalidateResolutionsOfFailedLookupLocations() { return; } }; var _AutoImportProviderProject = class _AutoImportProviderProject2 extends Project3 { /** @internal */ constructor(hostProject, initialRootNames, documentRegistry, compilerOptions) { super( hostProject.projectService.newAutoImportProviderProjectName(), 3, hostProject.projectService, documentRegistry, /*hasExplicitListOfFiles*/ false, /*lastFileExceededProgramSize*/ void 0, compilerOptions, /*compileOnSaveEnabled*/ false, hostProject.getWatchOptions(), hostProject.projectService.host, hostProject.currentDirectory ); this.hostProject = hostProject; this.rootFileNames = initialRootNames; this.useSourceOfProjectReferenceRedirect = maybeBind(this.hostProject, this.hostProject.useSourceOfProjectReferenceRedirect); this.getParsedCommandLine = maybeBind(this.hostProject, this.hostProject.getParsedCommandLine); } /** @internal */ static getRootFileNames(dependencySelection, hostProject, host, compilerOptions) { var _a, _b; if (!dependencySelection) { return emptyArray; } const program = hostProject.getCurrentProgram(); if (!program) { return emptyArray; } const start = timestamp(); let dependencyNames; let rootNames; const rootFileName = combinePaths(hostProject.currentDirectory, inferredTypesContainingFile); const packageJsons = hostProject.getPackageJsonsForAutoImport(combinePaths(hostProject.currentDirectory, rootFileName)); for (const packageJson of packageJsons) { (_a = packageJson.dependencies) == null ? void 0 : _a.forEach((_, dependenyName) => addDependency(dependenyName)); (_b = packageJson.peerDependencies) == null ? void 0 : _b.forEach((_, dependencyName) => addDependency(dependencyName)); } let dependenciesAdded = 0; if (dependencyNames) { const symlinkCache = hostProject.getSymlinkCache(); for (const name of arrayFrom(dependencyNames.keys())) { if (dependencySelection === 2 && dependenciesAdded > this.maxDependencies) { hostProject.log(`AutoImportProviderProject: attempted to add more than ${this.maxDependencies} dependencies. Aborting.`); return emptyArray; } const packageJson = resolvePackageNameToPackageJson( name, hostProject.currentDirectory, compilerOptions, host, program.getModuleResolutionCache() ); if (packageJson) { const entrypoints = getRootNamesFromPackageJson(packageJson, program, symlinkCache); if (entrypoints) { dependenciesAdded += addRootNames(entrypoints); continue; } } const done = forEach([hostProject.currentDirectory, hostProject.getGlobalTypingsCacheLocation()], (directory) => { if (directory) { const typesPackageJson = resolvePackageNameToPackageJson( `@types/${name}`, directory, compilerOptions, host, program.getModuleResolutionCache() ); if (typesPackageJson) { const entrypoints = getRootNamesFromPackageJson(typesPackageJson, program, symlinkCache); dependenciesAdded += addRootNames(entrypoints); return true; } } }); if (done) continue; if (packageJson && compilerOptions.allowJs && compilerOptions.maxNodeModuleJsDepth) { const entrypoints = getRootNamesFromPackageJson( packageJson, program, symlinkCache, /*resolveJs*/ true ); dependenciesAdded += addRootNames(entrypoints); } } } const references = program.getResolvedProjectReferences(); let referencesAddded = 0; if ((references == null ? void 0 : references.length) && hostProject.projectService.getHostPreferences().includeCompletionsForModuleExports) { references.forEach((ref) => { if (ref == null ? void 0 : ref.commandLine.options.outFile) { referencesAddded += addRootNames(filterEntrypoints([ changeExtension(ref.commandLine.options.outFile, ".d.ts") ])); } else if (ref) { const getCommonSourceDirectory2 = memoize( () => getCommonSourceDirectoryOfConfig( ref.commandLine, !hostProject.useCaseSensitiveFileNames() ) ); referencesAddded += addRootNames(filterEntrypoints(mapDefined( ref.commandLine.fileNames, (fileName) => !isDeclarationFileName(fileName) && !fileExtensionIs( fileName, ".json" /* Json */ ) && !program.getSourceFile(fileName) ? getOutputDeclarationFileName( fileName, ref.commandLine, !hostProject.useCaseSensitiveFileNames(), getCommonSourceDirectory2 ) : void 0 ))); } }); } if (rootNames == null ? void 0 : rootNames.size) { hostProject.log(`AutoImportProviderProject: found ${rootNames.size} root files in ${dependenciesAdded} dependencies ${referencesAddded} referenced projects in ${timestamp() - start} ms`); } return rootNames ? arrayFrom(rootNames.values()) : emptyArray; function addRootNames(entrypoints) { if (!(entrypoints == null ? void 0 : entrypoints.length)) return 0; rootNames ?? (rootNames = /* @__PURE__ */ new Set()); entrypoints.forEach((entry) => rootNames.add(entry)); return 1; } function addDependency(dependency) { if (!startsWith2(dependency, "@types/")) { (dependencyNames || (dependencyNames = /* @__PURE__ */ new Set())).add(dependency); } } function getRootNamesFromPackageJson(packageJson, program2, symlinkCache, resolveJs) { var _a2; const entrypoints = getEntrypointsFromPackageJsonInfo( packageJson, compilerOptions, host, program2.getModuleResolutionCache(), resolveJs ); if (entrypoints) { const real = (_a2 = host.realpath) == null ? void 0 : _a2.call(host, packageJson.packageDirectory); const realPath2 = real ? hostProject.toPath(real) : void 0; const isSymlink = realPath2 && realPath2 !== hostProject.toPath(packageJson.packageDirectory); if (isSymlink) { symlinkCache.setSymlinkedDirectory(packageJson.packageDirectory, { real: ensureTrailingDirectorySeparator(real), realPath: ensureTrailingDirectorySeparator(realPath2) }); } return filterEntrypoints(entrypoints, isSymlink ? (entrypoint) => entrypoint.replace(packageJson.packageDirectory, real) : void 0); } } function filterEntrypoints(entrypoints, symlinkName) { return mapDefined(entrypoints, (entrypoint) => { const resolvedFileName = symlinkName ? symlinkName(entrypoint) : entrypoint; if (!program.getSourceFile(resolvedFileName) && !(symlinkName && program.getSourceFile(entrypoint))) { return resolvedFileName; } }); } } /** @internal */ static create(dependencySelection, hostProject, host, documentRegistry) { if (dependencySelection === 0) { return void 0; } const compilerOptions = { ...hostProject.getCompilerOptions(), ...this.compilerOptionsOverrides }; const rootNames = this.getRootFileNames(dependencySelection, hostProject, host, compilerOptions); if (!rootNames.length) { return void 0; } return new _AutoImportProviderProject2(hostProject, rootNames, documentRegistry, compilerOptions); } /** @internal */ isEmpty() { return !some(this.rootFileNames); } /** @internal */ isOrphan() { return true; } updateGraph() { let rootFileNames = this.rootFileNames; if (!rootFileNames) { rootFileNames = _AutoImportProviderProject2.getRootFileNames( this.hostProject.includePackageJsonAutoImports(), this.hostProject, this.hostProject.getHostForAutoImportProvider(), this.getCompilationSettings() ); } this.projectService.setFileNamesOfAutpImportProviderOrAuxillaryProject(this, rootFileNames); this.rootFileNames = rootFileNames; const oldProgram = this.getCurrentProgram(); const hasSameSetOfFiles = super.updateGraph(); if (oldProgram && oldProgram !== this.getCurrentProgram()) { this.hostProject.clearCachedExportInfoMap(); } return hasSameSetOfFiles; } /** @internal */ scheduleInvalidateResolutionsOfFailedLookupLocations() { return; } hasRoots() { var _a; return !!((_a = this.rootFileNames) == null ? void 0 : _a.length); } /** @internal */ markAsDirty() { this.rootFileNames = void 0; super.markAsDirty(); } getScriptFileNames() { return this.rootFileNames || emptyArray; } getLanguageService() { throw new Error("AutoImportProviderProject language service should never be used. To get the program, use `project.getCurrentProgram()`."); } /** @internal */ onAutoImportProviderSettingsChanged() { throw new Error("AutoImportProviderProject is an auto import provider; use `markAsDirty()` instead."); } /** @internal */ onPackageJsonChange() { throw new Error("package.json changes should be notified on an AutoImportProvider's host project"); } getHostForAutoImportProvider() { throw new Error("AutoImportProviderProject cannot provide its own host; use `hostProject.getModuleResolutionHostForAutomImportProvider()` instead."); } getProjectReferences() { return this.hostProject.getProjectReferences(); } /** @internal */ includePackageJsonAutoImports() { return 0; } /** @internal */ getSymlinkCache() { return this.hostProject.getSymlinkCache(); } /** @internal */ getModuleResolutionCache() { var _a; return (_a = this.hostProject.getCurrentProgram()) == null ? void 0 : _a.getModuleResolutionCache(); } }; _AutoImportProviderProject.maxDependencies = 10; _AutoImportProviderProject.compilerOptionsOverrides = { diagnostics: false, skipLibCheck: true, sourceMap: false, types: emptyArray, lib: emptyArray, noLib: true }; var AutoImportProviderProject = _AutoImportProviderProject; var ConfiguredProject2 = class extends Project3 { /** @internal */ constructor(configFileName, canonicalConfigFilePath, projectService, documentRegistry, cachedDirectoryStructureHost, pendingUpdateReason) { super( configFileName, 1, projectService, documentRegistry, /*hasExplicitListOfFiles*/ false, /*lastFileExceededProgramSize*/ void 0, /*compilerOptions*/ {}, /*compileOnSaveEnabled*/ false, /*watchOptions*/ void 0, cachedDirectoryStructureHost, getDirectoryPath(configFileName) ); this.canonicalConfigFilePath = canonicalConfigFilePath; this.openFileWatchTriggered = /* @__PURE__ */ new Map(); this.canConfigFileJsonReportNoInputFiles = false; this.isInitialLoadPending = returnTrue; this.sendLoadingProjectFinish = false; this.pendingUpdateLevel = 2; this.pendingUpdateReason = pendingUpdateReason; } /** @internal */ setCompilerHost(host) { this.compilerHost = host; } /** @internal */ getCompilerHost() { return this.compilerHost; } /** @internal */ useSourceOfProjectReferenceRedirect() { return this.languageServiceEnabled; } /** @internal */ getParsedCommandLine(fileName) { const configFileName = asNormalizedPath(normalizePath(fileName)); const canonicalConfigFilePath = asNormalizedPath(this.projectService.toCanonicalFileName(configFileName)); let configFileExistenceInfo = this.projectService.configFileExistenceInfoCache.get(canonicalConfigFilePath); if (!configFileExistenceInfo) { this.projectService.configFileExistenceInfoCache.set(canonicalConfigFilePath, configFileExistenceInfo = { exists: this.projectService.host.fileExists(configFileName) }); } this.projectService.ensureParsedConfigUptoDate(configFileName, canonicalConfigFilePath, configFileExistenceInfo, this); if (this.languageServiceEnabled && this.projectService.serverMode === 0) { this.projectService.watchWildcards(configFileName, configFileExistenceInfo, this); } return configFileExistenceInfo.exists ? configFileExistenceInfo.config.parsedCommandLine : void 0; } /** @internal */ onReleaseParsedCommandLine(fileName) { this.releaseParsedConfig(asNormalizedPath(this.projectService.toCanonicalFileName(asNormalizedPath(normalizePath(fileName))))); } /** @internal */ releaseParsedConfig(canonicalConfigFilePath) { this.projectService.stopWatchingWildCards(canonicalConfigFilePath, this); this.projectService.releaseParsedConfig(canonicalConfigFilePath, this); } /** * If the project has reload from disk pending, it reloads (and then updates graph as part of that) instead of just updating the graph * @returns: true if set of files in the project stays the same and false - otherwise. */ updateGraph() { if (this.deferredClose) return false; const isDirty2 = this.dirty; this.isInitialLoadPending = returnFalse; const updateLevel = this.pendingUpdateLevel; this.pendingUpdateLevel = 0; let result; switch (updateLevel) { case 1: this.openFileWatchTriggered.clear(); result = this.projectService.reloadFileNamesOfConfiguredProject(this); break; case 2: this.openFileWatchTriggered.clear(); const reason = Debug.checkDefined(this.pendingUpdateReason); this.projectService.reloadConfiguredProject(this, reason); result = true; break; default: result = super.updateGraph(); } this.compilerHost = void 0; this.projectService.sendProjectLoadingFinishEvent(this); this.projectService.sendProjectTelemetry(this); if (updateLevel === 2 || // Already sent event through reload result && // Not new program (!isDirty2 || !this.triggerFileForConfigFileDiag || this.getCurrentProgram().structureIsReused === 2)) { this.triggerFileForConfigFileDiag = void 0; } else if (!this.triggerFileForConfigFileDiag) { this.projectService.sendConfigFileDiagEvent( this, /*triggerFile*/ void 0, /*force*/ false ); } return result; } /** @internal */ getCachedDirectoryStructureHost() { return this.directoryStructureHost; } getConfigFilePath() { return asNormalizedPath(this.getProjectName()); } getProjectReferences() { return this.projectReferences; } updateReferences(refs) { this.projectReferences = refs; this.potentialProjectReferences = void 0; } /** @internal */ setPotentialProjectReference(canonicalConfigPath) { Debug.assert(this.isInitialLoadPending()); (this.potentialProjectReferences || (this.potentialProjectReferences = /* @__PURE__ */ new Set())).add(canonicalConfigPath); } /** @internal */ getResolvedProjectReferenceToRedirect(fileName) { const program = this.getCurrentProgram(); return program && program.getResolvedProjectReferenceToRedirect(fileName); } /** @internal */ forEachResolvedProjectReference(cb) { var _a; return (_a = this.getCurrentProgram()) == null ? void 0 : _a.forEachResolvedProjectReference(cb); } /** @internal */ enablePluginsWithOptions(options) { var _a; this.plugins.length = 0; if (!((_a = options.plugins) == null ? void 0 : _a.length) && !this.projectService.globalPlugins.length) return; const host = this.projectService.host; if (!host.require && !host.importPlugin) { this.projectService.logger.info("Plugins were requested but not running in environment that supports 'require'. Nothing will be loaded"); return; } const searchPaths = this.getGlobalPluginSearchPaths(); if (this.projectService.allowLocalPluginLoads) { const local = getDirectoryPath(this.canonicalConfigFilePath); this.projectService.logger.info(`Local plugin loading enabled; adding ${local} to search paths`); searchPaths.unshift(local); } if (options.plugins) { for (const pluginConfigEntry of options.plugins) { this.enablePlugin(pluginConfigEntry, searchPaths); } } return this.enableGlobalPlugins(options); } /** * Get the errors that dont have any file name associated */ getGlobalProjectErrors() { return filter(this.projectErrors, (diagnostic) => !diagnostic.file) || emptyArray2; } /** * Get all the project errors */ getAllProjectErrors() { return this.projectErrors || emptyArray2; } setProjectErrors(projectErrors) { this.projectErrors = projectErrors; } close() { this.projectService.configFileExistenceInfoCache.forEach((_configFileExistenceInfo, canonicalConfigFilePath) => this.releaseParsedConfig(canonicalConfigFilePath)); this.projectErrors = void 0; this.openFileWatchTriggered.clear(); this.compilerHost = void 0; super.close(); } /** @internal */ markAsDirty() { if (this.deferredClose) return; super.markAsDirty(); } /** @internal */ isSolution() { return this.getRootFilesMap().size === 0 && !this.canConfigFileJsonReportNoInputFiles; } /** @internal */ isOrphan() { return !!this.deferredClose; } getEffectiveTypeRoots() { return getEffectiveTypeRoots(this.getCompilationSettings(), this) || []; } /** @internal */ updateErrorOnNoInputFiles(fileNames) { updateErrorForNoInputFiles(fileNames, this.getConfigFilePath(), this.getCompilerOptions().configFile.configFileSpecs, this.projectErrors, this.canConfigFileJsonReportNoInputFiles); } }; var ExternalProject = class extends Project3 { /** @internal */ constructor(externalProjectName, projectService, documentRegistry, compilerOptions, lastFileExceededProgramSize, compileOnSaveEnabled, projectFilePath, watchOptions) { super( externalProjectName, 2, projectService, documentRegistry, /*hasExplicitListOfFiles*/ true, lastFileExceededProgramSize, compilerOptions, compileOnSaveEnabled, watchOptions, projectService.host, getDirectoryPath(projectFilePath || normalizeSlashes(externalProjectName)) ); this.externalProjectName = externalProjectName; this.compileOnSaveEnabled = compileOnSaveEnabled; this.excludedFiles = []; this.enableGlobalPlugins(this.getCompilerOptions()); } updateGraph() { const result = super.updateGraph(); this.projectService.sendProjectTelemetry(this); return result; } getExcludedFiles() { return this.excludedFiles; } }; function isInferredProject(project) { return project.projectKind === 0; } function isConfiguredProject(project) { return project.projectKind === 1; } function isExternalProject(project) { return project.projectKind === 2; } function isBackgroundProject(project) { return project.projectKind === 3 || project.projectKind === 4; } function isProjectDeferredClose(project) { return isConfiguredProject(project) && !!project.deferredClose; } var maxProgramSizeForNonTsFiles = 20 * 1024 * 1024; var maxFileSize = 4 * 1024 * 1024; var ProjectsUpdatedInBackgroundEvent = "projectsUpdatedInBackground"; var ProjectLoadingStartEvent = "projectLoadingStart"; var ProjectLoadingFinishEvent = "projectLoadingFinish"; var LargeFileReferencedEvent = "largeFileReferenced"; var ConfigFileDiagEvent = "configFileDiag"; var ProjectLanguageServiceStateEvent = "projectLanguageServiceState"; var ProjectInfoTelemetryEvent = "projectInfo"; var OpenFileInfoTelemetryEvent = "openFileInfo"; var CreateFileWatcherEvent = "createFileWatcher"; var CreateDirectoryWatcherEvent = "createDirectoryWatcher"; var CloseFileWatcherEvent = "closeFileWatcher"; var ensureProjectForOpenFileSchedule = "*ensureProjectForOpenFiles*"; function prepareConvertersForEnumLikeCompilerOptions(commandLineOptions) { const map2 = /* @__PURE__ */ new Map(); for (const option of commandLineOptions) { if (typeof option.type === "object") { const optionMap = option.type; optionMap.forEach((value) => { Debug.assert(typeof value === "number"); }); map2.set(option.name, optionMap); } } return map2; } var compilerOptionConverters = prepareConvertersForEnumLikeCompilerOptions(optionDeclarations); var watchOptionsConverters = prepareConvertersForEnumLikeCompilerOptions(optionsForWatch); var indentStyle = new Map(Object.entries({ none: 0, block: 1, smart: 2 /* Smart */ })); var defaultTypeSafeList = { "jquery": { // jquery files can have names like "jquery-1.10.2.min.js" (or "jquery.intellisense.js") match: /jquery(-[\d.]+)?(\.intellisense)?(\.min)?\.js$/i, types: ["jquery"] }, "WinJS": { // e.g. c:/temp/UWApp1/lib/winjs-4.0.1/js/base.js match: /^(.*\/winjs-[.\d]+)\/js\/base\.js$/i, // If the winjs/base.js file is found.. exclude: [["^", 1, "/.*"]], // ..then exclude all files under the winjs folder types: ["winjs"] // And fetch the @types package for WinJS }, "Kendo": { // e.g. /Kendo3/wwwroot/lib/kendo/kendo.all.min.js match: /^(.*\/kendo(-ui)?)\/kendo\.all(\.min)?\.js$/i, exclude: [["^", 1, "/.*"]], types: ["kendo-ui"] }, "Office Nuget": { // e.g. /scripts/Office/1/excel-15.debug.js match: /^(.*\/office\/1)\/excel-\d+\.debug\.js$/i, // Office NuGet package is installed under a "1/office" folder exclude: [["^", 1, "/.*"]], // Exclude that whole folder if the file indicated above is found in it types: ["office"] // @types package to fetch instead }, "References": { match: /^(.*\/_references\.js)$/i, exclude: [["^", 1, "$"]] } }; function convertFormatOptions(protocolOptions) { if (isString2(protocolOptions.indentStyle)) { protocolOptions.indentStyle = indentStyle.get(protocolOptions.indentStyle.toLowerCase()); Debug.assert(protocolOptions.indentStyle !== void 0); } return protocolOptions; } function convertCompilerOptions(protocolOptions) { compilerOptionConverters.forEach((mappedValues, id) => { const propertyValue = protocolOptions[id]; if (isString2(propertyValue)) { protocolOptions[id] = mappedValues.get(propertyValue.toLowerCase()); } }); return protocolOptions; } function convertWatchOptions(protocolOptions, currentDirectory) { let watchOptions; let errors; optionsForWatch.forEach((option) => { const propertyValue = protocolOptions[option.name]; if (propertyValue === void 0) return; const mappedValues = watchOptionsConverters.get(option.name); (watchOptions || (watchOptions = {}))[option.name] = mappedValues ? isString2(propertyValue) ? mappedValues.get(propertyValue.toLowerCase()) : propertyValue : convertJsonOption(option, propertyValue, currentDirectory || "", errors || (errors = [])); }); return watchOptions && { watchOptions, errors }; } function convertTypeAcquisition(protocolOptions) { let result; typeAcquisitionDeclarations.forEach((option) => { const propertyValue = protocolOptions[option.name]; if (propertyValue === void 0) return; (result || (result = {}))[option.name] = propertyValue; }); return result; } function tryConvertScriptKindName(scriptKindName) { return isString2(scriptKindName) ? convertScriptKindName(scriptKindName) : scriptKindName; } function convertScriptKindName(scriptKindName) { switch (scriptKindName) { case "JS": return 1; case "JSX": return 2; case "TS": return 3; case "TSX": return 4; default: return 0; } } function convertUserPreferences(preferences) { const { lazyConfiguredProjectsFromExternalProject: _, ...userPreferences } = preferences; return userPreferences; } var fileNamePropertyReader = { getFileName: (x) => x, getScriptKind: (fileName, extraFileExtensions) => { let result; if (extraFileExtensions) { const fileExtension = getAnyExtensionFromPath(fileName); if (fileExtension) { some(extraFileExtensions, (info) => { if (info.extension === fileExtension) { result = info.scriptKind; return true; } return false; }); } } return result; }, hasMixedContent: (fileName, extraFileExtensions) => some(extraFileExtensions, (ext) => ext.isMixedContent && fileExtensionIs(fileName, ext.extension)) }; var externalFilePropertyReader = { getFileName: (x) => x.fileName, getScriptKind: (x) => tryConvertScriptKindName(x.scriptKind), // TODO: GH#18217 hasMixedContent: (x) => !!x.hasMixedContent }; function findProjectByName(projectName, projects) { for (const proj of projects) { if (proj.getProjectName() === projectName) { return proj; } } } var noopConfigFileWatcher = { close: noop2 }; function getConfigFileNameFromCache(info, cache) { if (!cache || isAncestorConfigFileInfo(info)) return void 0; return cache.get(info.path); } function isOpenScriptInfo(infoOrFileNameOrConfig) { return !!infoOrFileNameOrConfig.containingProjects; } function isAncestorConfigFileInfo(infoOrFileNameOrConfig) { return !!infoOrFileNameOrConfig.configFileInfo; } var ConfiguredProjectLoadKind = /* @__PURE__ */ ((ConfiguredProjectLoadKind2) => { ConfiguredProjectLoadKind2[ConfiguredProjectLoadKind2["Find"] = 0] = "Find"; ConfiguredProjectLoadKind2[ConfiguredProjectLoadKind2["Create"] = 1] = "Create"; ConfiguredProjectLoadKind2[ConfiguredProjectLoadKind2["Reload"] = 2] = "Reload"; return ConfiguredProjectLoadKind2; })(ConfiguredProjectLoadKind || {}); function forEachAncestorProject(info, project, cb, kind, reason, allowDeferredClosed, reloadedProjects, delayReloadedConfiguredProjects) { while (true) { if (!project.isInitialLoadPending() && (!project.getCompilerOptions().composite || project.getCompilerOptions().disableSolutionSearching)) return; const configFileName = project.projectService.getConfigFileNameForFile( { fileName: project.getConfigFilePath(), path: info.path, configFileInfo: true }, kind === 0 /* Find */ ); if (!configFileName) return; const ancestor = project.projectService.findCreateOrReloadConfiguredProject( configFileName, kind, reason, allowDeferredClosed, /*triggerFile*/ void 0, reloadedProjects, /*delayLoad*/ true, delayReloadedConfiguredProjects ); if (!ancestor) return; if (ancestor.project.isInitialLoadPending() && project.getCompilerOptions().composite) { ancestor.project.setPotentialProjectReference(project.canonicalConfigFilePath); } const result = cb(ancestor.project); if (result) return result; project = ancestor.project; } } function forEachResolvedProjectReferenceProject(project, fileName, cb, kind, reason, allowDeferredClosed, triggerFile, reloadedProjects) { var _a; const resolvedRefs = (_a = project.getCurrentProgram()) == null ? void 0 : _a.getResolvedProjectReferences(); if (!resolvedRefs) return void 0; const possibleDefaultRef = fileName ? project.getResolvedProjectReferenceToRedirect(fileName) : void 0; if (possibleDefaultRef) { const configFileName = toNormalizedPath(possibleDefaultRef.sourceFile.fileName); const child = project.projectService.findConfiguredProjectByProjectName( configFileName, allowDeferredClosed ); if (child) { const result = callbackWithProjectFoundUsingFind(child); if (result) return result; } else if (kind !== 0) { const result = forEachResolvedProjectReferenceProjectWorker( resolvedRefs, project.getCompilerOptions(), (ref, loadKind) => possibleDefaultRef === ref ? callback(ref, loadKind) : void 0, kind, project.projectService ); if (result) return result; } } return forEachResolvedProjectReferenceProjectWorker( resolvedRefs, project.getCompilerOptions(), (ref, loadKind) => possibleDefaultRef !== ref ? callback(ref, loadKind) : void 0, kind, project.projectService ); function callback(ref, loadKind) { const result = project.projectService.findCreateOrReloadConfiguredProject( toNormalizedPath(ref.sourceFile.fileName), loadKind, reason, allowDeferredClosed, triggerFile, reloadedProjects ); return result && (loadKind === kind ? cb(result.project, result.sentConfigFileDiag) : callbackWithProjectFoundUsingFind(result.project)); } function callbackWithProjectFoundUsingFind(child) { let sentConfigFileDiag = false; switch (kind) { case 1: sentConfigFileDiag = updateConfiguredProject(child, triggerFile); break; case 2: sentConfigFileDiag = child.projectService.reloadConfiguredProjectClearingSemanticCache(child, reason, reloadedProjects); break; case 0: break; default: Debug.assertNever(kind); } const result = cb(child, sentConfigFileDiag); if (result) return result; } } function forEachResolvedProjectReferenceProjectWorker(resolvedProjectReferences, parentOptions, cb, kind, projectService, seenResolvedRefs) { const loadKind = parentOptions.disableReferencedProjectLoad ? 0 : kind; return forEach(resolvedProjectReferences, (ref) => { if (!ref) return void 0; const configFileName = toNormalizedPath(ref.sourceFile.fileName); const canonicalPath = projectService.toCanonicalFileName(configFileName); const seenValue = seenResolvedRefs == null ? void 0 : seenResolvedRefs.get(canonicalPath); if (seenValue !== void 0 && seenValue >= loadKind) { return void 0; } const result = cb(ref, loadKind); if (result) { return result; } (seenResolvedRefs || (seenResolvedRefs = /* @__PURE__ */ new Map())).set(canonicalPath, loadKind); return ref.references && forEachResolvedProjectReferenceProjectWorker(ref.references, ref.commandLine.options, cb, loadKind, projectService, seenResolvedRefs); }); } function forEachPotentialProjectReference(project, cb) { return project.potentialProjectReferences && forEachKey(project.potentialProjectReferences, cb); } function forEachAnyProjectReferenceKind(project, cb, cbProjectRef, cbPotentialProjectRef) { return project.getCurrentProgram() ? project.forEachResolvedProjectReference(cb) : project.isInitialLoadPending() ? forEachPotentialProjectReference(project, cbPotentialProjectRef) : forEach(project.getProjectReferences(), cbProjectRef); } function callbackRefProject(project, cb, refPath) { const refProject = refPath && project.projectService.configuredProjects.get(refPath); return refProject && cb(refProject); } function forEachReferencedProject(project, cb) { return forEachAnyProjectReferenceKind( project, (resolvedRef) => callbackRefProject(project, cb, resolvedRef.sourceFile.path), (projectRef) => callbackRefProject(project, cb, project.toPath(resolveProjectReferencePath(projectRef))), (potentialProjectRef) => callbackRefProject(project, cb, potentialProjectRef) ); } function getDetailWatchInfo(watchType, project) { return `${isString2(project) ? `Config: ${project} ` : project ? `Project: ${project.getProjectName()} ` : ""}WatchType: ${watchType}`; } function isScriptInfoWatchedFromNodeModules(info) { return !info.isScriptOpen() && info.mTime !== void 0; } function updateProjectIfDirty(project) { project.invalidateResolutionsOfFailedLookupLocations(); return project.dirty && !project.updateGraph(); } function updateWithTriggerFile(project, triggerFile, isReload) { if (!isReload) { project.invalidateResolutionsOfFailedLookupLocations(); if (!project.dirty) return false; } project.triggerFileForConfigFileDiag = triggerFile; const updateLevel = project.pendingUpdateLevel; project.updateGraph(); if (!project.triggerFileForConfigFileDiag && !isReload) return updateLevel === 2; const sent = project.projectService.sendConfigFileDiagEvent(project, triggerFile, isReload); project.triggerFileForConfigFileDiag = void 0; return sent; } function updateConfiguredProject(project, triggerFile) { if (triggerFile) { if (updateWithTriggerFile( project, triggerFile, /*isReload*/ false )) return true; } else { updateProjectIfDirty(project); } return false; } function fileOpenReason(info) { return `Creating possible configured project for ${info.fileName} to open`; } function reloadReason(reason) { return `User requested reload projects: ${reason}`; } function setProjectOptionsUsed(project) { if (isConfiguredProject(project)) { project.projectOptions = true; } } function createProjectNameFactoryWithCounter(nameFactory) { let nextId = 1; return () => nameFactory(nextId++); } function getHostWatcherMap() { return { idToCallbacks: /* @__PURE__ */ new Map(), pathToId: /* @__PURE__ */ new Map() }; } function createWatchFactoryHostUsingWatchEvents(service, canUseWatchEvents) { if (!canUseWatchEvents || !service.eventHandler || !service.session) return void 0; const watchedFiles = getHostWatcherMap(); const watchedDirectories = getHostWatcherMap(); const watchedDirectoriesRecursive = getHostWatcherMap(); let ids = 1; service.session.addProtocolHandler("watchChange", (req) => { onWatchChange(req.arguments); return { responseRequired: false }; }); return { watchFile: watchFile2, watchDirectory, getCurrentDirectory: () => service.host.getCurrentDirectory(), useCaseSensitiveFileNames: service.host.useCaseSensitiveFileNames }; function watchFile2(path17, callback) { return getOrCreateFileWatcher( watchedFiles, path17, callback, (id) => ({ eventName: CreateFileWatcherEvent, data: { id, path: path17 } }) ); } function watchDirectory(path17, callback, recursive) { return getOrCreateFileWatcher( recursive ? watchedDirectoriesRecursive : watchedDirectories, path17, callback, (id) => ({ eventName: CreateDirectoryWatcherEvent, data: { id, path: path17, recursive: !!recursive, // Special case node_modules as we watch it for changes to closed script infos as well ignoreUpdate: !path17.endsWith("/node_modules") ? true : void 0 } }) ); } function getOrCreateFileWatcher({ pathToId, idToCallbacks }, path17, callback, event) { const key = service.toPath(path17); let id = pathToId.get(key); if (!id) pathToId.set(key, id = ids++); let callbacks = idToCallbacks.get(id); if (!callbacks) { idToCallbacks.set(id, callbacks = /* @__PURE__ */ new Set()); service.eventHandler(event(id)); } callbacks.add(callback); return { close() { const callbacks2 = idToCallbacks.get(id); if (!(callbacks2 == null ? void 0 : callbacks2.delete(callback))) return; if (callbacks2.size) return; idToCallbacks.delete(id); pathToId.delete(key); service.eventHandler({ eventName: CloseFileWatcherEvent, data: { id } }); } }; } function onWatchChange(args) { if (isArray3(args)) args.forEach(onWatchChangeRequestArgs); else onWatchChangeRequestArgs(args); } function onWatchChangeRequestArgs({ id, created, deleted, updated }) { onWatchEventType( id, created, 0 /* Created */ ); onWatchEventType( id, deleted, 2 /* Deleted */ ); onWatchEventType( id, updated, 1 /* Changed */ ); } function onWatchEventType(id, paths, eventKind) { if (!(paths == null ? void 0 : paths.length)) return; forEachCallback(watchedFiles, id, paths, (callback, eventPath) => callback(eventPath, eventKind)); forEachCallback(watchedDirectories, id, paths, (callback, eventPath) => callback(eventPath)); forEachCallback(watchedDirectoriesRecursive, id, paths, (callback, eventPath) => callback(eventPath)); } function forEachCallback(hostWatcherMap, id, eventPaths, cb) { var _a; (_a = hostWatcherMap.idToCallbacks.get(id)) == null ? void 0 : _a.forEach((callback) => { eventPaths.forEach((eventPath) => cb(callback, normalizeSlashes(eventPath))); }); } } var _ProjectService = class _ProjectService2 { constructor(opts) { this.filenameToScriptInfo = /* @__PURE__ */ new Map(); this.nodeModulesWatchers = /* @__PURE__ */ new Map(); this.filenameToScriptInfoVersion = /* @__PURE__ */ new Map(); this.allJsFilesForOpenFileTelemetry = /* @__PURE__ */ new Map(); this.externalProjectToConfiguredProjectMap = /* @__PURE__ */ new Map(); this.externalProjects = []; this.inferredProjects = []; this.configuredProjects = /* @__PURE__ */ new Map(); this.newInferredProjectName = createProjectNameFactoryWithCounter(makeInferredProjectName); this.newAutoImportProviderProjectName = createProjectNameFactoryWithCounter(makeAutoImportProviderProjectName); this.newAuxiliaryProjectName = createProjectNameFactoryWithCounter(makeAuxiliaryProjectName); this.openFiles = /* @__PURE__ */ new Map(); this.configFileForOpenFiles = /* @__PURE__ */ new Map(); this.rootOfInferredProjects = /* @__PURE__ */ new Set(); this.openFilesWithNonRootedDiskPath = /* @__PURE__ */ new Map(); this.compilerOptionsForInferredProjectsPerProjectRoot = /* @__PURE__ */ new Map(); this.watchOptionsForInferredProjectsPerProjectRoot = /* @__PURE__ */ new Map(); this.typeAcquisitionForInferredProjectsPerProjectRoot = /* @__PURE__ */ new Map(); this.projectToSizeMap = /* @__PURE__ */ new Map(); this.configFileExistenceInfoCache = /* @__PURE__ */ new Map(); this.safelist = defaultTypeSafeList; this.legacySafelist = /* @__PURE__ */ new Map(); this.pendingProjectUpdates = /* @__PURE__ */ new Map(); this.pendingEnsureProjectForOpenFiles = false; this.seenProjects = /* @__PURE__ */ new Map(); this.sharedExtendedConfigFileWatchers = /* @__PURE__ */ new Map(); this.extendedConfigCache = /* @__PURE__ */ new Map(); this.baseline = noop2; this.verifyDocumentRegistry = noop2; this.verifyProgram = noop2; this.onProjectCreation = noop2; var _a; this.host = opts.host; this.logger = opts.logger; this.cancellationToken = opts.cancellationToken; this.useSingleInferredProject = opts.useSingleInferredProject; this.useInferredProjectPerProjectRoot = opts.useInferredProjectPerProjectRoot; this.typingsInstaller = opts.typingsInstaller || nullTypingsInstaller; this.throttleWaitMilliseconds = opts.throttleWaitMilliseconds; this.eventHandler = opts.eventHandler; this.suppressDiagnosticEvents = opts.suppressDiagnosticEvents; this.globalPlugins = opts.globalPlugins || emptyArray2; this.pluginProbeLocations = opts.pluginProbeLocations || emptyArray2; this.allowLocalPluginLoads = !!opts.allowLocalPluginLoads; this.typesMapLocation = opts.typesMapLocation === void 0 ? combinePaths(getDirectoryPath(this.getExecutingFilePath()), "typesMap.json") : opts.typesMapLocation; this.session = opts.session; this.jsDocParsingMode = opts.jsDocParsingMode; if (opts.serverMode !== void 0) { this.serverMode = opts.serverMode; } else { this.serverMode = 0; } if (this.host.realpath) { this.realpathToScriptInfos = createMultiMap(); } this.currentDirectory = toNormalizedPath(this.host.getCurrentDirectory()); this.toCanonicalFileName = createGetCanonicalFileName(this.host.useCaseSensitiveFileNames); this.globalCacheLocationDirectoryPath = this.typingsInstaller.globalTypingsCacheLocation ? ensureTrailingDirectorySeparator(this.toPath(this.typingsInstaller.globalTypingsCacheLocation)) : void 0; this.throttledOperations = new ThrottledOperations(this.host, this.logger); if (this.typesMapLocation) { this.loadTypesMap(); } else { this.logger.info("No types map provided; using the default"); } this.typingsInstaller.attach(this); this.typingsCache = new TypingsCache(this.typingsInstaller); this.hostConfiguration = { formatCodeOptions: getDefaultFormatCodeSettings(this.host.newLine), preferences: emptyOptions, hostInfo: "Unknown host", extraFileExtensions: [] }; this.documentRegistry = createDocumentRegistryInternal(this.host.useCaseSensitiveFileNames, this.currentDirectory, this.jsDocParsingMode, this); const watchLogLevel = this.logger.hasLevel( 3 /* verbose */ ) ? 2 : this.logger.loggingEnabled() ? 1 : 0; const log = watchLogLevel !== 0 ? (s) => this.logger.info(s) : noop2; this.packageJsonCache = createPackageJsonCache(this); this.watchFactory = this.serverMode !== 0 ? { watchFile: returnNoopFileWatcher, watchDirectory: returnNoopFileWatcher } : getWatchFactory( createWatchFactoryHostUsingWatchEvents(this, opts.canUseWatchEvents) || this.host, watchLogLevel, log, getDetailWatchInfo ); (_a = opts.incrementalVerifier) == null ? void 0 : _a.call(opts, this); } toPath(fileName) { return toPath3(fileName, this.currentDirectory, this.toCanonicalFileName); } /** @internal */ getExecutingFilePath() { return this.getNormalizedAbsolutePath(this.host.getExecutingFilePath()); } /** @internal */ getNormalizedAbsolutePath(fileName) { return getNormalizedAbsolutePath(fileName, this.host.getCurrentDirectory()); } /** @internal */ setDocument(key, path17, sourceFile) { const info = Debug.checkDefined(this.getScriptInfoForPath(path17)); info.cacheSourceFile = { key, sourceFile }; } /** @internal */ getDocument(key, path17) { const info = this.getScriptInfoForPath(path17); return info && info.cacheSourceFile && info.cacheSourceFile.key === key ? info.cacheSourceFile.sourceFile : void 0; } /** @internal */ ensureInferredProjectsUpToDate_TestOnly() { this.ensureProjectStructuresUptoDate(); } /** @internal */ getCompilerOptionsForInferredProjects() { return this.compilerOptionsForInferredProjects; } /** @internal */ onUpdateLanguageServiceStateForProject(project, languageServiceEnabled) { if (!this.eventHandler) { return; } const event = { eventName: ProjectLanguageServiceStateEvent, data: { project, languageServiceEnabled } }; this.eventHandler(event); } loadTypesMap() { try { const fileContent = this.host.readFile(this.typesMapLocation); if (fileContent === void 0) { this.logger.info(`Provided types map file "${this.typesMapLocation}" doesn't exist`); return; } const raw = JSON.parse(fileContent); for (const k of Object.keys(raw.typesMap)) { raw.typesMap[k].match = new RegExp(raw.typesMap[k].match, "i"); } this.safelist = raw.typesMap; for (const key in raw.simpleMap) { if (hasProperty(raw.simpleMap, key)) { this.legacySafelist.set(key, raw.simpleMap[key].toLowerCase()); } } } catch (e) { this.logger.info(`Error loading types map: ${e}`); this.safelist = defaultTypeSafeList; this.legacySafelist.clear(); } } // eslint-disable-line @typescript-eslint/unified-signatures updateTypingsForProject(response) { const project = this.findProject(response.projectName); if (!project) { return; } switch (response.kind) { case ActionSet: project.updateTypingFiles(this.typingsCache.updateTypingsForProject(response.projectName, response.compilerOptions, response.typeAcquisition, response.unresolvedImports, response.typings)); return; case ActionInvalidate: this.typingsCache.enqueueInstallTypingsForProject( project, project.lastCachedUnresolvedImportsList, /*forceRefresh*/ true ); return; } } /** @internal */ watchTypingLocations(response) { var _a; (_a = this.findProject(response.projectName)) == null ? void 0 : _a.watchTypingLocations(response.files); } /** @internal */ delayEnsureProjectForOpenFiles() { if (!this.openFiles.size) return; this.pendingEnsureProjectForOpenFiles = true; this.throttledOperations.schedule( ensureProjectForOpenFileSchedule, /*delay*/ 2500, () => { if (this.pendingProjectUpdates.size !== 0) { this.delayEnsureProjectForOpenFiles(); } else { if (this.pendingEnsureProjectForOpenFiles) { this.ensureProjectForOpenFiles(); this.sendProjectsUpdatedInBackgroundEvent(); } } } ); } delayUpdateProjectGraph(project) { if (isProjectDeferredClose(project)) return; project.markAsDirty(); if (isBackgroundProject(project)) return; const projectName = project.getProjectName(); this.pendingProjectUpdates.set(projectName, project); this.throttledOperations.schedule( projectName, /*delay*/ 250, () => { if (this.pendingProjectUpdates.delete(projectName)) { updateProjectIfDirty(project); } } ); } /** @internal */ hasPendingProjectUpdate(project) { return this.pendingProjectUpdates.has(project.getProjectName()); } /** @internal */ sendProjectsUpdatedInBackgroundEvent() { if (!this.eventHandler) { return; } const event = { eventName: ProjectsUpdatedInBackgroundEvent, data: { openFiles: arrayFrom(this.openFiles.keys(), (path17) => this.getScriptInfoForPath(path17).fileName) } }; this.eventHandler(event); } /** @internal */ sendLargeFileReferencedEvent(file, fileSize) { if (!this.eventHandler) { return; } const event = { eventName: LargeFileReferencedEvent, data: { file, fileSize, maxFileSize } }; this.eventHandler(event); } /** @internal */ sendProjectLoadingStartEvent(project, reason) { if (!this.eventHandler) { return; } project.sendLoadingProjectFinish = true; const event = { eventName: ProjectLoadingStartEvent, data: { project, reason } }; this.eventHandler(event); } /** @internal */ sendProjectLoadingFinishEvent(project) { if (!this.eventHandler || !project.sendLoadingProjectFinish) { return; } project.sendLoadingProjectFinish = false; const event = { eventName: ProjectLoadingFinishEvent, data: { project } }; this.eventHandler(event); } /** @internal */ sendPerformanceEvent(kind, durationMs) { if (this.performanceEventHandler) { this.performanceEventHandler({ kind, durationMs }); } } /** @internal */ delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(project) { this.delayUpdateProjectGraph(project); this.delayEnsureProjectForOpenFiles(); } delayUpdateProjectGraphs(projects, clearSourceMapperCache) { if (projects.length) { for (const project of projects) { if (clearSourceMapperCache) project.clearSourceMapperCache(); this.delayUpdateProjectGraph(project); } this.delayEnsureProjectForOpenFiles(); } } setCompilerOptionsForInferredProjects(projectCompilerOptions, projectRootPath) { Debug.assert(projectRootPath === void 0 || this.useInferredProjectPerProjectRoot, "Setting compiler options per project root path is only supported when useInferredProjectPerProjectRoot is enabled"); const compilerOptions = convertCompilerOptions(projectCompilerOptions); const watchOptions = convertWatchOptions(projectCompilerOptions, projectRootPath); const typeAcquisition = convertTypeAcquisition(projectCompilerOptions); compilerOptions.allowNonTsExtensions = true; const canonicalProjectRootPath = projectRootPath && this.toCanonicalFileName(projectRootPath); if (canonicalProjectRootPath) { this.compilerOptionsForInferredProjectsPerProjectRoot.set(canonicalProjectRootPath, compilerOptions); this.watchOptionsForInferredProjectsPerProjectRoot.set(canonicalProjectRootPath, watchOptions || false); this.typeAcquisitionForInferredProjectsPerProjectRoot.set(canonicalProjectRootPath, typeAcquisition); } else { this.compilerOptionsForInferredProjects = compilerOptions; this.watchOptionsForInferredProjects = watchOptions; this.typeAcquisitionForInferredProjects = typeAcquisition; } for (const project of this.inferredProjects) { if (canonicalProjectRootPath ? project.projectRootPath === canonicalProjectRootPath : !project.projectRootPath || !this.compilerOptionsForInferredProjectsPerProjectRoot.has(project.projectRootPath)) { project.setCompilerOptions(compilerOptions); project.setTypeAcquisition(typeAcquisition); project.setWatchOptions(watchOptions == null ? void 0 : watchOptions.watchOptions); project.setProjectErrors(watchOptions == null ? void 0 : watchOptions.errors); project.compileOnSaveEnabled = compilerOptions.compileOnSave; project.markAsDirty(); this.delayUpdateProjectGraph(project); } } this.delayEnsureProjectForOpenFiles(); } findProject(projectName) { if (projectName === void 0) { return void 0; } if (isInferredProjectName(projectName)) { return findProjectByName(projectName, this.inferredProjects); } return this.findExternalProjectByProjectName(projectName) || this.findConfiguredProjectByProjectName(toNormalizedPath(projectName)); } /** @internal */ forEachProject(cb) { this.externalProjects.forEach(cb); this.configuredProjects.forEach(cb); this.inferredProjects.forEach(cb); } /** @internal */ forEachEnabledProject(cb) { this.forEachProject((project) => { if (!project.isOrphan() && project.languageServiceEnabled) { cb(project); } }); } getDefaultProjectForFile(fileName, ensureProject) { return ensureProject ? this.ensureDefaultProjectForFile(fileName) : this.tryGetDefaultProjectForFile(fileName); } /** @internal */ tryGetDefaultProjectForFile(fileNameOrScriptInfo) { const scriptInfo = isString2(fileNameOrScriptInfo) ? this.getScriptInfoForNormalizedPath(fileNameOrScriptInfo) : fileNameOrScriptInfo; return scriptInfo && !scriptInfo.isOrphan() ? scriptInfo.getDefaultProject() : void 0; } /** * If there is default project calculation pending for this file, * then it completes that calculation so that correct default project is used for the project */ tryGetDefaultProjectForEnsuringConfiguredProjectForFile(fileNameOrScriptInfo) { var _a; const scriptInfo = isString2(fileNameOrScriptInfo) ? this.getScriptInfoForNormalizedPath(fileNameOrScriptInfo) : fileNameOrScriptInfo; if (!scriptInfo) return void 0; if ((_a = this.pendingOpenFileProjectUpdates) == null ? void 0 : _a.delete(scriptInfo.path)) { this.tryFindDefaultConfiguredProjectAndLoadAncestorsForOpenScriptInfo( scriptInfo, 1 /* Create */ ); if (scriptInfo.isOrphan()) { this.assignOrphanScriptInfoToInferredProject(scriptInfo, this.openFiles.get(scriptInfo.path)); } } return this.tryGetDefaultProjectForFile(scriptInfo); } /** @internal */ ensureDefaultProjectForFile(fileNameOrScriptInfo) { return this.tryGetDefaultProjectForEnsuringConfiguredProjectForFile(fileNameOrScriptInfo) || this.doEnsureDefaultProjectForFile(fileNameOrScriptInfo); } doEnsureDefaultProjectForFile(fileNameOrScriptInfo) { this.ensureProjectStructuresUptoDate(); const scriptInfo = isString2(fileNameOrScriptInfo) ? this.getScriptInfoForNormalizedPath(fileNameOrScriptInfo) : fileNameOrScriptInfo; return scriptInfo ? scriptInfo.getDefaultProject() : (this.logErrorForScriptInfoNotFound(isString2(fileNameOrScriptInfo) ? fileNameOrScriptInfo : fileNameOrScriptInfo.fileName), Errors.ThrowNoProject()); } getScriptInfoEnsuringProjectsUptoDate(uncheckedFileName) { this.ensureProjectStructuresUptoDate(); return this.getScriptInfo(uncheckedFileName); } /** * Ensures the project structures are upto date * This means, * - we go through all the projects and update them if they are dirty * - if updates reflect some change in structure or there was pending request to ensure projects for open files * ensure that each open script info has project */ ensureProjectStructuresUptoDate() { let hasChanges = this.pendingEnsureProjectForOpenFiles; this.pendingProjectUpdates.clear(); const updateGraph = (project) => { hasChanges = updateProjectIfDirty(project) || hasChanges; }; this.externalProjects.forEach(updateGraph); this.configuredProjects.forEach(updateGraph); this.inferredProjects.forEach(updateGraph); if (hasChanges) { this.ensureProjectForOpenFiles(); } } getFormatCodeOptions(file) { const info = this.getScriptInfoForNormalizedPath(file); return info && info.getFormatCodeSettings() || this.hostConfiguration.formatCodeOptions; } getPreferences(file) { const info = this.getScriptInfoForNormalizedPath(file); return { ...this.hostConfiguration.preferences, ...info && info.getPreferences() }; } getHostFormatCodeOptions() { return this.hostConfiguration.formatCodeOptions; } getHostPreferences() { return this.hostConfiguration.preferences; } onSourceFileChanged(info, eventKind) { Debug.assert(!info.isScriptOpen()); if (eventKind === 2) { this.handleDeletedFile( info, /*deferredDelete*/ true ); } else { if (info.deferredDelete) info.deferredDelete = void 0; info.delayReloadNonMixedContentFile(); this.delayUpdateProjectGraphs( info.containingProjects, /*clearSourceMapperCache*/ false ); this.handleSourceMapProjects(info); } } handleSourceMapProjects(info) { if (info.sourceMapFilePath) { if (isString2(info.sourceMapFilePath)) { const sourceMapFileInfo = this.getScriptInfoForPath(info.sourceMapFilePath); this.delayUpdateSourceInfoProjects(sourceMapFileInfo == null ? void 0 : sourceMapFileInfo.sourceInfos); } else { this.delayUpdateSourceInfoProjects(info.sourceMapFilePath.sourceInfos); } } this.delayUpdateSourceInfoProjects(info.sourceInfos); if (info.declarationInfoPath) { this.delayUpdateProjectsOfScriptInfoPath(info.declarationInfoPath); } } delayUpdateSourceInfoProjects(sourceInfos) { if (sourceInfos) { sourceInfos.forEach((_value, path17) => this.delayUpdateProjectsOfScriptInfoPath(path17)); } } delayUpdateProjectsOfScriptInfoPath(path17) { const info = this.getScriptInfoForPath(path17); if (info) { this.delayUpdateProjectGraphs( info.containingProjects, /*clearSourceMapperCache*/ true ); } } handleDeletedFile(info, deferredDelete) { Debug.assert(!info.isScriptOpen()); this.delayUpdateProjectGraphs( info.containingProjects, /*clearSourceMapperCache*/ false ); this.handleSourceMapProjects(info); info.detachAllProjects(); if (deferredDelete) { info.delayReloadNonMixedContentFile(); info.deferredDelete = true; } else { this.deleteScriptInfo(info); } } /** * This is to watch whenever files are added or removed to the wildcard directories * * @internal */ watchWildcardDirectory(directory, flags, configFileName, config7) { let watcher = this.watchFactory.watchDirectory( directory, (fileOrDirectory) => { const fileOrDirectoryPath = this.toPath(fileOrDirectory); const fsResult = config7.cachedDirectoryStructureHost.addOrDeleteFileOrDirectory(fileOrDirectory, fileOrDirectoryPath); if (getBaseFileName(fileOrDirectoryPath) === "package.json" && !isInsideNodeModules(fileOrDirectoryPath) && (fsResult && fsResult.fileExists || !fsResult && this.host.fileExists(fileOrDirectory))) { const file = this.getNormalizedAbsolutePath(fileOrDirectory); this.logger.info(`Config: ${configFileName} Detected new package.json: ${file}`); this.packageJsonCache.addOrUpdate(file, fileOrDirectoryPath); this.watchPackageJsonFile(file, fileOrDirectoryPath, result); } const configuredProjectForConfig = this.findConfiguredProjectByProjectName(configFileName); if (isIgnoredFileFromWildCardWatching({ watchedDirPath: this.toPath(directory), fileOrDirectory, fileOrDirectoryPath, configFileName, extraFileExtensions: this.hostConfiguration.extraFileExtensions, currentDirectory: this.currentDirectory, options: config7.parsedCommandLine.options, program: (configuredProjectForConfig == null ? void 0 : configuredProjectForConfig.getCurrentProgram()) || config7.parsedCommandLine.fileNames, useCaseSensitiveFileNames: this.host.useCaseSensitiveFileNames, writeLog: (s) => this.logger.info(s), toPath: (s) => this.toPath(s), getScriptKind: configuredProjectForConfig ? (fileName) => configuredProjectForConfig.getScriptKind(fileName) : void 0 })) return; if (config7.updateLevel !== 2) config7.updateLevel = 1; config7.projects.forEach((watchWildcardDirectories, projectCanonicalPath) => { var _a; if (!watchWildcardDirectories) return; const project = this.getConfiguredProjectByCanonicalConfigFilePath(projectCanonicalPath); if (!project) return; if (configuredProjectForConfig !== project && this.getHostPreferences().includeCompletionsForModuleExports) { const path17 = this.toPath(configFileName); if (find((_a = project.getCurrentProgram()) == null ? void 0 : _a.getResolvedProjectReferences(), (ref) => (ref == null ? void 0 : ref.sourceFile.path) === path17)) { project.markAutoImportProviderAsDirty(); } } const updateLevel = configuredProjectForConfig === project ? 1 : 0; if (project.pendingUpdateLevel > updateLevel) return; if (this.openFiles.has(fileOrDirectoryPath)) { const info = Debug.checkDefined(this.getScriptInfoForPath(fileOrDirectoryPath)); if (info.isAttached(project)) { const loadLevelToSet = Math.max( updateLevel, project.openFileWatchTriggered.get(fileOrDirectoryPath) || 0 /* Update */ ); project.openFileWatchTriggered.set(fileOrDirectoryPath, loadLevelToSet); } else { project.pendingUpdateLevel = updateLevel; this.delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(project); } } else { project.pendingUpdateLevel = updateLevel; this.delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(project); } }); }, flags, this.getWatchOptionsFromProjectWatchOptions(config7.parsedCommandLine.watchOptions, getDirectoryPath(configFileName)), WatchType.WildcardDirectory, configFileName ); const result = { packageJsonWatches: void 0, close() { var _a; if (watcher) { watcher.close(); watcher = void 0; (_a = result.packageJsonWatches) == null ? void 0 : _a.forEach((watcher2) => { watcher2.projects.delete(result); watcher2.close(); }); result.packageJsonWatches = void 0; } } }; return result; } /** @internal */ delayUpdateProjectsFromParsedConfigOnConfigFileChange(canonicalConfigFilePath, loadReason) { const configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath); if (!(configFileExistenceInfo == null ? void 0 : configFileExistenceInfo.config)) return false; let scheduledAnyProjectUpdate = false; configFileExistenceInfo.config.updateLevel = 2; configFileExistenceInfo.config.projects.forEach((_watchWildcardDirectories, projectCanonicalPath) => { var _a; const project = this.getConfiguredProjectByCanonicalConfigFilePath(projectCanonicalPath); if (!project) return; scheduledAnyProjectUpdate = true; if (projectCanonicalPath === canonicalConfigFilePath) { if (project.isInitialLoadPending()) return; project.pendingUpdateLevel = 2; project.pendingUpdateReason = loadReason; this.delayUpdateProjectGraph(project); project.markAutoImportProviderAsDirty(); } else { const path17 = this.toPath(canonicalConfigFilePath); project.resolutionCache.removeResolutionsFromProjectReferenceRedirects(path17); this.delayUpdateProjectGraph(project); if (this.getHostPreferences().includeCompletionsForModuleExports && find((_a = project.getCurrentProgram()) == null ? void 0 : _a.getResolvedProjectReferences(), (ref) => (ref == null ? void 0 : ref.sourceFile.path) === path17)) { project.markAutoImportProviderAsDirty(); } } }); return scheduledAnyProjectUpdate; } /** @internal */ onConfigFileChanged(configFileName, canonicalConfigFilePath, eventKind) { const configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath); const project = this.getConfiguredProjectByCanonicalConfigFilePath(canonicalConfigFilePath); const wasDefferedClose = project == null ? void 0 : project.deferredClose; if (eventKind === 2) { configFileExistenceInfo.exists = false; if (project) project.deferredClose = true; } else { configFileExistenceInfo.exists = true; if (wasDefferedClose) { project.deferredClose = void 0; project.markAsDirty(); } } this.delayUpdateProjectsFromParsedConfigOnConfigFileChange( canonicalConfigFilePath, "Change in config file detected" ); const updatedProjects = new Set(project ? [project] : void 0); this.openFiles.forEach((_projectRootPath, path17) => { var _a, _b; const configFileForOpenFile = this.configFileForOpenFiles.get(path17); if (!((_a = configFileExistenceInfo.openFilesImpactedByConfigFile) == null ? void 0 : _a.has(path17))) return; this.configFileForOpenFiles.delete(path17); const info = this.getScriptInfoForPath(path17); const newConfigFileNameForInfo = this.getConfigFileNameForFile( info, /*findFromCacheOnly*/ false ); if (!newConfigFileNameForInfo) return; const projectForInfo = this.findConfiguredProjectByProjectName(newConfigFileNameForInfo) ?? this.createConfiguredProject( newConfigFileNameForInfo, `Change in config file ${configFileName} detected, ${fileOpenReason(info)}` ); if (!((_b = this.pendingOpenFileProjectUpdates) == null ? void 0 : _b.has(path17))) { (this.pendingOpenFileProjectUpdates ?? (this.pendingOpenFileProjectUpdates = /* @__PURE__ */ new Map())).set(path17, configFileForOpenFile); } if (tryAddToSet(updatedProjects, projectForInfo) && projectForInfo.isInitialLoadPending()) { this.delayUpdateProjectGraph(projectForInfo); } }); this.delayEnsureProjectForOpenFiles(); } removeProject(project) { this.logger.info("`remove Project::"); project.print( /*writeProjectFileNames*/ true, /*writeFileExplaination*/ true, /*writeFileVersionAndText*/ false ); project.close(); if (Debug.shouldAssert( 1 /* Normal */ )) { this.filenameToScriptInfo.forEach( (info) => Debug.assert( !info.isAttached(project), "Found script Info still attached to project", () => `${project.projectName}: ScriptInfos still attached: ${JSON.stringify( arrayFrom( mapDefinedIterator( this.filenameToScriptInfo.values(), (info2) => info2.isAttached(project) ? { fileName: info2.fileName, projects: info2.containingProjects.map((p) => p.projectName), hasMixedContent: info2.hasMixedContent } : void 0 ) ), /*replacer*/ void 0, " " )}` ) ); } this.pendingProjectUpdates.delete(project.getProjectName()); switch (project.projectKind) { case 2: unorderedRemoveItem(this.externalProjects, project); this.projectToSizeMap.delete(project.getProjectName()); break; case 1: this.configuredProjects.delete(project.canonicalConfigFilePath); this.projectToSizeMap.delete(project.canonicalConfigFilePath); break; case 0: unorderedRemoveItem(this.inferredProjects, project); break; } } /** @internal */ assignOrphanScriptInfoToInferredProject(info, projectRootPath) { Debug.assert(info.isOrphan()); const project = this.getOrCreateInferredProjectForProjectRootPathIfEnabled(info, projectRootPath) || this.getOrCreateSingleInferredProjectIfEnabled() || this.getOrCreateSingleInferredWithoutProjectRoot( info.isDynamic ? projectRootPath || this.currentDirectory : getDirectoryPath( isRootedDiskPath(info.fileName) ? info.fileName : getNormalizedAbsolutePath( info.fileName, projectRootPath ? this.getNormalizedAbsolutePath(projectRootPath) : this.currentDirectory ) ) ); project.addRoot(info); if (info.containingProjects[0] !== project) { orderedRemoveItem(info.containingProjects, project); info.containingProjects.unshift(project); } project.updateGraph(); if (!this.useSingleInferredProject && !project.projectRootPath) { for (const inferredProject of this.inferredProjects) { if (inferredProject === project || inferredProject.isOrphan()) { continue; } const roots = inferredProject.getRootScriptInfos(); Debug.assert(roots.length === 1 || !!inferredProject.projectRootPath); if (roots.length === 1 && forEach(roots[0].containingProjects, (p) => p !== roots[0].containingProjects[0] && !p.isOrphan())) { inferredProject.removeFile( roots[0], /*fileExists*/ true, /*detachFromProject*/ true ); } } } return project; } assignOrphanScriptInfosToInferredProject() { this.openFiles.forEach((projectRootPath, path17) => { const info = this.getScriptInfoForPath(path17); if (info.isOrphan()) { this.assignOrphanScriptInfoToInferredProject(info, projectRootPath); } }); } /** * Remove this file from the set of open, non-configured files. * @param info The file that has been closed or newly configured */ closeOpenFile(info, skipAssignOrphanScriptInfosToInferredProject) { var _a; const fileExists = info.isDynamic ? false : this.host.fileExists(info.fileName); info.close(fileExists); this.stopWatchingConfigFilesForScriptInfo(info); const canonicalFileName = this.toCanonicalFileName(info.fileName); if (this.openFilesWithNonRootedDiskPath.get(canonicalFileName) === info) { this.openFilesWithNonRootedDiskPath.delete(canonicalFileName); } let ensureProjectsForOpenFiles = false; for (const p of info.containingProjects) { if (isConfiguredProject(p)) { if (info.hasMixedContent) { info.registerFileUpdate(); } const updateLevel = p.openFileWatchTriggered.get(info.path); if (updateLevel !== void 0) { p.openFileWatchTriggered.delete(info.path); if (p.pendingUpdateLevel < updateLevel) { p.pendingUpdateLevel = updateLevel; p.markFileAsDirty(info.path); } } } else if (isInferredProject(p) && p.isRoot(info)) { if (p.isProjectWithSingleRoot()) { ensureProjectsForOpenFiles = true; } p.removeFile( info, fileExists, /*detachFromProject*/ true ); } if (!p.languageServiceEnabled) { p.markAsDirty(); } } this.openFiles.delete(info.path); this.configFileForOpenFiles.delete(info.path); (_a = this.pendingOpenFileProjectUpdates) == null ? void 0 : _a.delete(info.path); Debug.assert(!this.rootOfInferredProjects.has(info)); if (!skipAssignOrphanScriptInfosToInferredProject && ensureProjectsForOpenFiles) { this.assignOrphanScriptInfosToInferredProject(); } if (fileExists) { this.watchClosedScriptInfo(info); } else { this.handleDeletedFile( info, /*deferredDelete*/ false ); } return ensureProjectsForOpenFiles; } deleteScriptInfo(info) { Debug.assert(!info.isScriptOpen()); this.filenameToScriptInfo.delete(info.path); this.filenameToScriptInfoVersion.set(info.path, info.textStorage.version); this.stopWatchingScriptInfo(info); const realpath = info.getRealpathIfDifferent(); if (realpath) { this.realpathToScriptInfos.remove(realpath, info); } info.closeSourceMapFileWatcher(); } configFileExists(configFileName, canonicalConfigFilePath, info) { const configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath); let openFilesImpactedByConfigFile; if (this.openFiles.has(info.path) && !isAncestorConfigFileInfo(info)) { if (configFileExistenceInfo) (configFileExistenceInfo.openFilesImpactedByConfigFile ?? (configFileExistenceInfo.openFilesImpactedByConfigFile = /* @__PURE__ */ new Set())).add(info.path); else (openFilesImpactedByConfigFile = /* @__PURE__ */ new Set()).add(info.path); } if (configFileExistenceInfo) return configFileExistenceInfo.exists; const exists = this.host.fileExists(configFileName); this.configFileExistenceInfoCache.set(canonicalConfigFilePath, { exists, openFilesImpactedByConfigFile }); return exists; } /** @internal */ createConfigFileWatcherForParsedConfig(configFileName, canonicalConfigFilePath, forProject) { var _a, _b; const configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath); if (!configFileExistenceInfo.watcher || configFileExistenceInfo.watcher === noopConfigFileWatcher) { configFileExistenceInfo.watcher = this.watchFactory.watchFile( configFileName, (_fileName, eventKind) => this.onConfigFileChanged(configFileName, canonicalConfigFilePath, eventKind), 2e3, this.getWatchOptionsFromProjectWatchOptions((_b = (_a = configFileExistenceInfo == null ? void 0 : configFileExistenceInfo.config) == null ? void 0 : _a.parsedCommandLine) == null ? void 0 : _b.watchOptions, getDirectoryPath(configFileName)), WatchType.ConfigFile, forProject ); } const projects = configFileExistenceInfo.config.projects; projects.set(forProject.canonicalConfigFilePath, projects.get(forProject.canonicalConfigFilePath) || false); } /** @internal */ releaseParsedConfig(canonicalConfigFilePath, forProject) { var _a, _b, _c; const configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath); if (!((_a = configFileExistenceInfo.config) == null ? void 0 : _a.projects.delete(forProject.canonicalConfigFilePath))) return; if ((_b = configFileExistenceInfo.config) == null ? void 0 : _b.projects.size) return; configFileExistenceInfo.config = void 0; clearSharedExtendedConfigFileWatcher(canonicalConfigFilePath, this.sharedExtendedConfigFileWatchers); Debug.checkDefined(configFileExistenceInfo.watcher); if ((_c = configFileExistenceInfo.openFilesImpactedByConfigFile) == null ? void 0 : _c.size) { if (configFileExistenceInfo.inferredProjectRoots) { if (!canWatchDirectoryOrFile(getPathComponents(getDirectoryPath(canonicalConfigFilePath)))) { configFileExistenceInfo.watcher.close(); configFileExistenceInfo.watcher = noopConfigFileWatcher; } } else { configFileExistenceInfo.watcher.close(); configFileExistenceInfo.watcher = void 0; } } else { configFileExistenceInfo.watcher.close(); this.configFileExistenceInfoCache.delete(canonicalConfigFilePath); } } /** * This is called on file close or when its removed from inferred project as root, * so that we handle the watches and inferred project root data * @internal */ stopWatchingConfigFilesForScriptInfo(info) { if (this.serverMode !== 0) return; const isRootOfInferredProject = this.rootOfInferredProjects.delete(info); const isOpen = info.isScriptOpen(); if (isOpen && !isRootOfInferredProject) return; this.forEachConfigFileLocation(info, (canonicalConfigFilePath) => { var _a, _b, _c; const configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath); if (!configFileExistenceInfo) return; if (isOpen) { if (!((_a = configFileExistenceInfo == null ? void 0 : configFileExistenceInfo.openFilesImpactedByConfigFile) == null ? void 0 : _a.has(info.path))) return; } else { if (!((_b = configFileExistenceInfo.openFilesImpactedByConfigFile) == null ? void 0 : _b.delete(info.path))) return; } if (isRootOfInferredProject) { configFileExistenceInfo.inferredProjectRoots--; if (configFileExistenceInfo.watcher && !configFileExistenceInfo.config && !configFileExistenceInfo.inferredProjectRoots) { configFileExistenceInfo.watcher.close(); configFileExistenceInfo.watcher = void 0; } } if (!((_c = configFileExistenceInfo.openFilesImpactedByConfigFile) == null ? void 0 : _c.size) && !configFileExistenceInfo.config) { Debug.assert(!configFileExistenceInfo.watcher); this.configFileExistenceInfoCache.delete(canonicalConfigFilePath); } }); } /** * This is called by inferred project whenever script info is added as a root * * @internal */ startWatchingConfigFilesForInferredProjectRoot(info) { if (this.serverMode !== 0) return; Debug.assert(info.isScriptOpen()); this.rootOfInferredProjects.add(info); this.forEachConfigFileLocation(info, (canonicalConfigFilePath, configFileName) => { let configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath); if (!configFileExistenceInfo) { configFileExistenceInfo = { exists: this.host.fileExists(configFileName), inferredProjectRoots: 1 }; this.configFileExistenceInfoCache.set(canonicalConfigFilePath, configFileExistenceInfo); } else { configFileExistenceInfo.inferredProjectRoots = (configFileExistenceInfo.inferredProjectRoots ?? 0) + 1; } (configFileExistenceInfo.openFilesImpactedByConfigFile ?? (configFileExistenceInfo.openFilesImpactedByConfigFile = /* @__PURE__ */ new Set())).add(info.path); configFileExistenceInfo.watcher || (configFileExistenceInfo.watcher = canWatchDirectoryOrFile(getPathComponents(getDirectoryPath(canonicalConfigFilePath))) ? this.watchFactory.watchFile( configFileName, (_filename, eventKind) => this.onConfigFileChanged(configFileName, canonicalConfigFilePath, eventKind), 2e3, this.hostConfiguration.watchOptions, WatchType.ConfigFileForInferredRoot ) : noopConfigFileWatcher); }); } /** * This function tries to search for a tsconfig.json for the given file. * This is different from the method the compiler uses because * the compiler can assume it will always start searching in the * current directory (the directory in which tsc was invoked). * The server must start searching from the directory containing * the newly opened file. */ forEachConfigFileLocation(info, action) { if (this.serverMode !== 0) { return void 0; } Debug.assert(!isOpenScriptInfo(info) || this.openFiles.has(info.path)); const projectRootPath = this.openFiles.get(info.path); const scriptInfo = Debug.checkDefined(this.getScriptInfo(info.path)); if (scriptInfo.isDynamic) return void 0; let searchPath = asNormalizedPath(getDirectoryPath(info.fileName)); const isSearchPathInProjectRoot = () => containsPath(projectRootPath, searchPath, this.currentDirectory, !this.host.useCaseSensitiveFileNames); const anySearchPathOk = !projectRootPath || !isSearchPathInProjectRoot(); let searchInDirectory = !isAncestorConfigFileInfo(info); do { if (searchInDirectory) { const canonicalSearchPath = normalizedPathToPath(searchPath, this.currentDirectory, this.toCanonicalFileName); const tsconfigFileName = asNormalizedPath(combinePaths(searchPath, "tsconfig.json")); let result = action(combinePaths(canonicalSearchPath, "tsconfig.json"), tsconfigFileName); if (result) return tsconfigFileName; const jsconfigFileName = asNormalizedPath(combinePaths(searchPath, "jsconfig.json")); result = action(combinePaths(canonicalSearchPath, "jsconfig.json"), jsconfigFileName); if (result) return jsconfigFileName; if (isNodeModulesDirectory(canonicalSearchPath)) { break; } } const parentPath = asNormalizedPath(getDirectoryPath(searchPath)); if (parentPath === searchPath) break; searchPath = parentPath; searchInDirectory = true; } while (anySearchPathOk || isSearchPathInProjectRoot()); return void 0; } /** @internal */ findDefaultConfiguredProject(info) { var _a; return info.isScriptOpen() ? (_a = this.tryFindDefaultConfiguredProjectForOpenScriptInfo( info, 0 /* Find */ )) == null ? void 0 : _a.defaultProject : void 0; } /** Get cached configFileName for scriptInfo or ancestor of open script info */ getConfigFileNameForFileFromCache(info, lookInPendingFilesForValue) { if (lookInPendingFilesForValue) { const result = getConfigFileNameFromCache(info, this.pendingOpenFileProjectUpdates); if (result !== void 0) return result; } return getConfigFileNameFromCache(info, this.configFileForOpenFiles); } /** Caches the configFilename for script info or ancestor of open script info */ setConfigFileNameForFileInCache(info, configFileName) { if (!this.openFiles.has(info.path)) return; if (isAncestorConfigFileInfo(info)) return; this.configFileForOpenFiles.set(info.path, configFileName || false); } /** * This function tries to search for a tsconfig.json for the given file. * This is different from the method the compiler uses because * the compiler can assume it will always start searching in the * current directory (the directory in which tsc was invoked). * The server must start searching from the directory containing * the newly opened file. * If script info is passed in, it is asserted to be open script info * otherwise just file name * when findFromCacheOnly is true only looked up in cache instead of hitting disk to figure things out * @internal */ getConfigFileNameForFile(info, findFromCacheOnly) { const fromCache = this.getConfigFileNameForFileFromCache(info, findFromCacheOnly); if (fromCache !== void 0) return fromCache || void 0; if (findFromCacheOnly) return void 0; const configFileName = this.forEachConfigFileLocation(info, (canonicalConfigFilePath, configFileName2) => this.configFileExists(configFileName2, canonicalConfigFilePath, info)); this.logger.info(`getConfigFileNameForFile:: File: ${info.fileName} ProjectRootPath: ${this.openFiles.get(info.path)}:: Result: ${configFileName}`); this.setConfigFileNameForFileInCache(info, configFileName); return configFileName; } printProjects() { if (!this.logger.hasLevel( 1 /* normal */ )) { return; } this.logger.startGroup(); this.externalProjects.forEach(printProjectWithoutFileNames); this.configuredProjects.forEach(printProjectWithoutFileNames); this.inferredProjects.forEach(printProjectWithoutFileNames); this.logger.info("Open files: "); this.openFiles.forEach((projectRootPath, path17) => { const info = this.getScriptInfoForPath(path17); this.logger.info(` FileName: ${info.fileName} ProjectRootPath: ${projectRootPath}`); this.logger.info(` Projects: ${info.containingProjects.map((p) => p.getProjectName())}`); }); this.logger.endGroup(); } /** @internal */ findConfiguredProjectByProjectName(configFileName, allowDeferredClosed) { const canonicalConfigFilePath = asNormalizedPath(this.toCanonicalFileName(configFileName)); const result = this.getConfiguredProjectByCanonicalConfigFilePath(canonicalConfigFilePath); return allowDeferredClosed ? result : !(result == null ? void 0 : result.deferredClose) ? result : void 0; } getConfiguredProjectByCanonicalConfigFilePath(canonicalConfigFilePath) { return this.configuredProjects.get(canonicalConfigFilePath); } findExternalProjectByProjectName(projectFileName) { return findProjectByName(projectFileName, this.externalProjects); } /** Get a filename if the language service exceeds the maximum allowed program size; otherwise returns undefined. */ getFilenameForExceededTotalSizeLimitForNonTsFiles(name, options, fileNames, propertyReader) { if (options && options.disableSizeLimit || !this.host.getFileSize) { return; } let availableSpace = maxProgramSizeForNonTsFiles; this.projectToSizeMap.set(name, 0); this.projectToSizeMap.forEach((val) => availableSpace -= val || 0); let totalNonTsFileSize = 0; for (const f of fileNames) { const fileName = propertyReader.getFileName(f); if (hasTSFileExtension(fileName)) { continue; } totalNonTsFileSize += this.host.getFileSize(fileName); if (totalNonTsFileSize > maxProgramSizeForNonTsFiles || totalNonTsFileSize > availableSpace) { const top5LargestFiles = fileNames.map((f2) => propertyReader.getFileName(f2)).filter((name2) => !hasTSFileExtension(name2)).map((name2) => ({ name: name2, size: this.host.getFileSize(name2) })).sort((a, b) => b.size - a.size).slice(0, 5); this.logger.info(`Non TS file size exceeded limit (${totalNonTsFileSize}). Largest files: ${top5LargestFiles.map((file) => `${file.name}:${file.size}`).join(", ")}`); return fileName; } } this.projectToSizeMap.set(name, totalNonTsFileSize); } createExternalProject(projectFileName, files, options, typeAcquisition, excludedFiles) { const compilerOptions = convertCompilerOptions(options); const watchOptionsAndErrors = convertWatchOptions(options, getDirectoryPath(normalizeSlashes(projectFileName))); const project = new ExternalProject( projectFileName, this, this.documentRegistry, compilerOptions, /*lastFileExceededProgramSize*/ this.getFilenameForExceededTotalSizeLimitForNonTsFiles(projectFileName, compilerOptions, files, externalFilePropertyReader), options.compileOnSave === void 0 ? true : options.compileOnSave, /*projectFilePath*/ void 0, watchOptionsAndErrors == null ? void 0 : watchOptionsAndErrors.watchOptions ); project.setProjectErrors(watchOptionsAndErrors == null ? void 0 : watchOptionsAndErrors.errors); project.excludedFiles = excludedFiles; this.addFilesToNonInferredProject(project, files, externalFilePropertyReader, typeAcquisition); this.externalProjects.push(project); return project; } /** @internal */ sendProjectTelemetry(project) { if (this.seenProjects.has(project.projectName)) { setProjectOptionsUsed(project); return; } this.seenProjects.set(project.projectName, true); if (!this.eventHandler || !this.host.createSHA256Hash) { setProjectOptionsUsed(project); return; } const projectOptions = isConfiguredProject(project) ? project.projectOptions : void 0; setProjectOptionsUsed(project); const data = { projectId: this.host.createSHA256Hash(project.projectName), fileStats: countEachFileTypes( project.getScriptInfos(), /*includeSizes*/ true ), compilerOptions: convertCompilerOptionsForTelemetry(project.getCompilationSettings()), typeAcquisition: convertTypeAcquisition2(project.getTypeAcquisition()), extends: projectOptions && projectOptions.configHasExtendsProperty, files: projectOptions && projectOptions.configHasFilesProperty, include: projectOptions && projectOptions.configHasIncludeProperty, exclude: projectOptions && projectOptions.configHasExcludeProperty, compileOnSave: project.compileOnSaveEnabled, configFileName: configFileName(), projectType: project instanceof ExternalProject ? "external" : "configured", languageServiceEnabled: project.languageServiceEnabled, version }; this.eventHandler({ eventName: ProjectInfoTelemetryEvent, data }); function configFileName() { if (!isConfiguredProject(project)) { return "other"; } return getBaseConfigFileName(project.getConfigFilePath()) || "other"; } function convertTypeAcquisition2({ enable: enable2, include, exclude }) { return { enable: enable2, include: include !== void 0 && include.length !== 0, exclude: exclude !== void 0 && exclude.length !== 0 }; } } addFilesToNonInferredProject(project, files, propertyReader, typeAcquisition) { this.updateNonInferredProjectFiles(project, files, propertyReader); project.setTypeAcquisition(typeAcquisition); project.markAsDirty(); } /** @internal */ createConfiguredProject(configFileName, reason) { var _a; (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.Session, "createConfiguredProject", { configFilePath: configFileName }); this.logger.info(`Creating configuration project ${configFileName}`); const canonicalConfigFilePath = asNormalizedPath(this.toCanonicalFileName(configFileName)); let configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath); if (!configFileExistenceInfo) { this.configFileExistenceInfoCache.set(canonicalConfigFilePath, configFileExistenceInfo = { exists: true }); } else { configFileExistenceInfo.exists = true; } if (!configFileExistenceInfo.config) { configFileExistenceInfo.config = { cachedDirectoryStructureHost: createCachedDirectoryStructureHost(this.host, this.host.getCurrentDirectory(), this.host.useCaseSensitiveFileNames), projects: /* @__PURE__ */ new Map(), updateLevel: 2 /* Full */ }; } const project = new ConfiguredProject2( configFileName, canonicalConfigFilePath, this, this.documentRegistry, configFileExistenceInfo.config.cachedDirectoryStructureHost, reason ); Debug.assert(!this.configuredProjects.has(canonicalConfigFilePath)); this.configuredProjects.set(canonicalConfigFilePath, project); this.createConfigFileWatcherForParsedConfig(configFileName, canonicalConfigFilePath, project); return project; } /** * Read the config file of the project, and update the project root file names. * * @internal */ loadConfiguredProject(project, reason) { var _a, _b; (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Session, "loadConfiguredProject", { configFilePath: project.canonicalConfigFilePath }); this.sendProjectLoadingStartEvent(project, reason); const configFilename = asNormalizedPath(normalizePath(project.getConfigFilePath())); const configFileExistenceInfo = this.ensureParsedConfigUptoDate( configFilename, project.canonicalConfigFilePath, this.configFileExistenceInfoCache.get(project.canonicalConfigFilePath), project ); const parsedCommandLine = configFileExistenceInfo.config.parsedCommandLine; Debug.assert(!!parsedCommandLine.fileNames); const compilerOptions = parsedCommandLine.options; if (!project.projectOptions) { project.projectOptions = { configHasExtendsProperty: parsedCommandLine.raw.extends !== void 0, configHasFilesProperty: parsedCommandLine.raw.files !== void 0, configHasIncludeProperty: parsedCommandLine.raw.include !== void 0, configHasExcludeProperty: parsedCommandLine.raw.exclude !== void 0 }; } project.canConfigFileJsonReportNoInputFiles = canJsonReportNoInputFiles(parsedCommandLine.raw); project.setProjectErrors(parsedCommandLine.options.configFile.parseDiagnostics); project.updateReferences(parsedCommandLine.projectReferences); const lastFileExceededProgramSize = this.getFilenameForExceededTotalSizeLimitForNonTsFiles(project.canonicalConfigFilePath, compilerOptions, parsedCommandLine.fileNames, fileNamePropertyReader); if (lastFileExceededProgramSize) { project.disableLanguageService(lastFileExceededProgramSize); this.configFileExistenceInfoCache.forEach((_configFileExistenceInfo, canonicalConfigFilePath) => this.stopWatchingWildCards(canonicalConfigFilePath, project)); } else { project.setCompilerOptions(compilerOptions); project.setWatchOptions(parsedCommandLine.watchOptions); project.enableLanguageService(); this.watchWildcards(configFilename, configFileExistenceInfo, project); } project.enablePluginsWithOptions(compilerOptions); const filesToAdd = parsedCommandLine.fileNames.concat(project.getExternalFiles( 2 /* Full */ )); this.updateRootAndOptionsOfNonInferredProject(project, filesToAdd, fileNamePropertyReader, compilerOptions, parsedCommandLine.typeAcquisition, parsedCommandLine.compileOnSave, parsedCommandLine.watchOptions); (_b = tracing) == null ? void 0 : _b.pop(); } /** @internal */ ensureParsedConfigUptoDate(configFilename, canonicalConfigFilePath, configFileExistenceInfo, forProject) { var _a, _b, _c; if (configFileExistenceInfo.config) { if (!configFileExistenceInfo.config.updateLevel) return configFileExistenceInfo; if (configFileExistenceInfo.config.updateLevel === 1) { this.reloadFileNamesOfParsedConfig(configFilename, configFileExistenceInfo.config); return configFileExistenceInfo; } } const cachedDirectoryStructureHost = ((_a = configFileExistenceInfo.config) == null ? void 0 : _a.cachedDirectoryStructureHost) || createCachedDirectoryStructureHost(this.host, this.host.getCurrentDirectory(), this.host.useCaseSensitiveFileNames); const configFileContent = tryReadFile(configFilename, (fileName) => this.host.readFile(fileName)); const configFile = parseJsonText(configFilename, isString2(configFileContent) ? configFileContent : ""); const configFileErrors = configFile.parseDiagnostics; if (!isString2(configFileContent)) configFileErrors.push(configFileContent); const configDir = getDirectoryPath(configFilename); const parsedCommandLine = parseJsonSourceFileConfigFileContent( configFile, cachedDirectoryStructureHost, configDir, /*existingOptions*/ void 0, configFilename, /*resolutionStack*/ void 0, this.hostConfiguration.extraFileExtensions, this.extendedConfigCache ); if (parsedCommandLine.errors.length) { configFileErrors.push(...parsedCommandLine.errors); } this.logger.info(`Config: ${configFilename} : ${JSON.stringify( { rootNames: parsedCommandLine.fileNames, options: parsedCommandLine.options, watchOptions: parsedCommandLine.watchOptions, projectReferences: parsedCommandLine.projectReferences }, /*replacer*/ void 0, " " )}`); const oldCommandLine = (_b = configFileExistenceInfo.config) == null ? void 0 : _b.parsedCommandLine; if (!configFileExistenceInfo.config) { configFileExistenceInfo.config = { parsedCommandLine, cachedDirectoryStructureHost, projects: /* @__PURE__ */ new Map() }; } else { configFileExistenceInfo.config.parsedCommandLine = parsedCommandLine; configFileExistenceInfo.config.watchedDirectoriesStale = true; configFileExistenceInfo.config.updateLevel = void 0; } if (!oldCommandLine && !isJsonEqual( // Old options this.getWatchOptionsFromProjectWatchOptions( /*projectOptions*/ void 0, configDir ), // New options this.getWatchOptionsFromProjectWatchOptions(parsedCommandLine.watchOptions, configDir) )) { (_c = configFileExistenceInfo.watcher) == null ? void 0 : _c.close(); configFileExistenceInfo.watcher = void 0; } this.createConfigFileWatcherForParsedConfig(configFilename, canonicalConfigFilePath, forProject); updateSharedExtendedConfigFileWatcher( canonicalConfigFilePath, parsedCommandLine.options, this.sharedExtendedConfigFileWatchers, (extendedConfigFileName, extendedConfigFilePath) => this.watchFactory.watchFile( extendedConfigFileName, () => { var _a2; cleanExtendedConfigCache(this.extendedConfigCache, extendedConfigFilePath, (fileName) => this.toPath(fileName)); let ensureProjectsForOpenFiles = false; (_a2 = this.sharedExtendedConfigFileWatchers.get(extendedConfigFilePath)) == null ? void 0 : _a2.projects.forEach((canonicalPath) => { ensureProjectsForOpenFiles = this.delayUpdateProjectsFromParsedConfigOnConfigFileChange(canonicalPath, `Change in extended config file ${extendedConfigFileName} detected`) || ensureProjectsForOpenFiles; }); if (ensureProjectsForOpenFiles) this.delayEnsureProjectForOpenFiles(); }, 2e3, this.hostConfiguration.watchOptions, WatchType.ExtendedConfigFile, configFilename ), (fileName) => this.toPath(fileName) ); return configFileExistenceInfo; } /** @internal */ watchWildcards(configFileName, { exists, config: config7 }, forProject) { config7.projects.set(forProject.canonicalConfigFilePath, true); if (exists) { if (config7.watchedDirectories && !config7.watchedDirectoriesStale) return; config7.watchedDirectoriesStale = false; updateWatchingWildcardDirectories( config7.watchedDirectories || (config7.watchedDirectories = /* @__PURE__ */ new Map()), config7.parsedCommandLine.wildcardDirectories, // Create new directory watcher (directory, flags) => this.watchWildcardDirectory(directory, flags, configFileName, config7) ); } else { config7.watchedDirectoriesStale = false; if (!config7.watchedDirectories) return; clearMap(config7.watchedDirectories, closeFileWatcherOf); config7.watchedDirectories = void 0; } } /** @internal */ stopWatchingWildCards(canonicalConfigFilePath, forProject) { const configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath); if (!configFileExistenceInfo.config || !configFileExistenceInfo.config.projects.get(forProject.canonicalConfigFilePath)) { return; } configFileExistenceInfo.config.projects.set(forProject.canonicalConfigFilePath, false); if (forEachEntry(configFileExistenceInfo.config.projects, identity2)) return; if (configFileExistenceInfo.config.watchedDirectories) { clearMap(configFileExistenceInfo.config.watchedDirectories, closeFileWatcherOf); configFileExistenceInfo.config.watchedDirectories = void 0; } configFileExistenceInfo.config.watchedDirectoriesStale = void 0; } updateNonInferredProjectFiles(project, files, propertyReader) { var _a; const projectRootFilesMap = project.getRootFilesMap(); const newRootScriptInfoMap = /* @__PURE__ */ new Map(); for (const f of files) { const newRootFile = propertyReader.getFileName(f); const fileName = toNormalizedPath(newRootFile); const isDynamic = isDynamicFileName(fileName); let path17; if (!isDynamic && !project.fileExists(newRootFile)) { path17 = normalizedPathToPath(fileName, this.currentDirectory, this.toCanonicalFileName); const existingValue = projectRootFilesMap.get(path17); if (existingValue) { if (((_a = existingValue.info) == null ? void 0 : _a.path) === path17) { project.removeFile( existingValue.info, /*fileExists*/ false, /*detachFromProject*/ true ); existingValue.info = void 0; } existingValue.fileName = fileName; } else { projectRootFilesMap.set(path17, { fileName }); } } else { const scriptKind = propertyReader.getScriptKind(f, this.hostConfiguration.extraFileExtensions); const hasMixedContent = propertyReader.hasMixedContent(f, this.hostConfiguration.extraFileExtensions); const scriptInfo = Debug.checkDefined(this.getOrCreateScriptInfoNotOpenedByClientForNormalizedPath( fileName, project.currentDirectory, scriptKind, hasMixedContent, project.directoryStructureHost, /*deferredDeleteOk*/ false )); path17 = scriptInfo.path; const existingValue = projectRootFilesMap.get(path17); if (!existingValue || existingValue.info !== scriptInfo) { project.addRoot(scriptInfo, fileName); if (scriptInfo.isScriptOpen()) { this.removeRootOfInferredProjectIfNowPartOfOtherProject(scriptInfo); } } else { existingValue.fileName = fileName; } } newRootScriptInfoMap.set(path17, true); } if (projectRootFilesMap.size > newRootScriptInfoMap.size) { projectRootFilesMap.forEach((value, path17) => { if (!newRootScriptInfoMap.has(path17)) { if (value.info) { project.removeFile( value.info, project.fileExists(value.info.fileName), /*detachFromProject*/ true ); } else { projectRootFilesMap.delete(path17); } } }); } } updateRootAndOptionsOfNonInferredProject(project, newUncheckedFiles, propertyReader, newOptions, newTypeAcquisition, compileOnSave, watchOptions) { project.setCompilerOptions(newOptions); project.setWatchOptions(watchOptions); if (compileOnSave !== void 0) { project.compileOnSaveEnabled = compileOnSave; } this.addFilesToNonInferredProject(project, newUncheckedFiles, propertyReader, newTypeAcquisition); } /** * Reload the file names from config file specs and update the project graph * * @internal */ reloadFileNamesOfConfiguredProject(project) { const fileNames = this.reloadFileNamesOfParsedConfig(project.getConfigFilePath(), this.configFileExistenceInfoCache.get(project.canonicalConfigFilePath).config); project.updateErrorOnNoInputFiles(fileNames); this.updateNonInferredProjectFiles(project, fileNames.concat(project.getExternalFiles( 1 /* RootNamesAndUpdate */ )), fileNamePropertyReader); project.markAsDirty(); return project.updateGraph(); } /** @internal */ reloadFileNamesOfParsedConfig(configFileName, config7) { if (config7.updateLevel === void 0) return config7.parsedCommandLine.fileNames; Debug.assert( config7.updateLevel === 1 /* RootNamesAndUpdate */ ); const configFileSpecs = config7.parsedCommandLine.options.configFile.configFileSpecs; const fileNames = getFileNamesFromConfigSpecs( configFileSpecs, getDirectoryPath(configFileName), config7.parsedCommandLine.options, config7.cachedDirectoryStructureHost, this.hostConfiguration.extraFileExtensions ); config7.parsedCommandLine = { ...config7.parsedCommandLine, fileNames }; return fileNames; } /** @internal */ setFileNamesOfAutpImportProviderOrAuxillaryProject(project, fileNames) { this.updateNonInferredProjectFiles(project, fileNames, fileNamePropertyReader); } /** @internal */ reloadConfiguredProjectClearingSemanticCache(project, reason, reloadedProjects) { if (!tryAddToSet(reloadedProjects, project)) return false; this.clearSemanticCache(project); this.reloadConfiguredProject(project, reloadReason(reason)); return true; } /** * Read the config file of the project again by clearing the cache and update the project graph * * @internal */ reloadConfiguredProject(project, reason) { project.isInitialLoadPending = returnFalse; project.pendingUpdateReason = void 0; project.pendingUpdateLevel = 0; const host = project.getCachedDirectoryStructureHost(); host.clearCache(); this.loadConfiguredProject(project, reason); updateWithTriggerFile( project, project.triggerFileForConfigFileDiag ?? project.getConfigFilePath(), /*isReload*/ true ); } /** @internal */ clearSemanticCache(project) { project.originalConfiguredProjects = void 0; project.resolutionCache.clear(); project.getLanguageService( /*ensureSynchronized*/ false ).cleanupSemanticCache(); project.cleanupProgram(); project.markAsDirty(); } /** @internal */ sendConfigFileDiagEvent(project, triggerFile, force) { if (!this.eventHandler || this.suppressDiagnosticEvents) return false; const diagnostics = project.getLanguageService().getCompilerOptionsDiagnostics(); diagnostics.push(...project.getAllProjectErrors()); if (!force && diagnostics.length === (project.configDiagDiagnosticsReported ?? 0)) return false; project.configDiagDiagnosticsReported = diagnostics.length; this.eventHandler( { eventName: ConfigFileDiagEvent, data: { configFileName: project.getConfigFilePath(), diagnostics, triggerFile: triggerFile ?? project.getConfigFilePath() } } ); return true; } getOrCreateInferredProjectForProjectRootPathIfEnabled(info, projectRootPath) { if (!this.useInferredProjectPerProjectRoot || // Its a dynamic info opened without project root info.isDynamic && projectRootPath === void 0) { return void 0; } if (projectRootPath) { const canonicalProjectRootPath = this.toCanonicalFileName(projectRootPath); for (const project of this.inferredProjects) { if (project.projectRootPath === canonicalProjectRootPath) { return project; } } return this.createInferredProject( projectRootPath, /*isSingleInferredProject*/ false, projectRootPath ); } let bestMatch; for (const project of this.inferredProjects) { if (!project.projectRootPath) continue; if (!containsPath(project.projectRootPath, info.path, this.host.getCurrentDirectory(), !this.host.useCaseSensitiveFileNames)) continue; if (bestMatch && bestMatch.projectRootPath.length > project.projectRootPath.length) continue; bestMatch = project; } return bestMatch; } getOrCreateSingleInferredProjectIfEnabled() { if (!this.useSingleInferredProject) { return void 0; } if (this.inferredProjects.length > 0 && this.inferredProjects[0].projectRootPath === void 0) { return this.inferredProjects[0]; } return this.createInferredProject( "", /*isSingleInferredProject*/ true ); } getOrCreateSingleInferredWithoutProjectRoot(currentDirectory) { Debug.assert(!this.useSingleInferredProject); const expectedCurrentDirectory = this.toCanonicalFileName(this.getNormalizedAbsolutePath(currentDirectory)); for (const inferredProject of this.inferredProjects) { if (!inferredProject.projectRootPath && inferredProject.isOrphan() && inferredProject.canonicalCurrentDirectory === expectedCurrentDirectory) { return inferredProject; } } return this.createInferredProject(currentDirectory); } createInferredProject(currentDirectory, isSingleInferredProject, projectRootPath) { const compilerOptions = projectRootPath && this.compilerOptionsForInferredProjectsPerProjectRoot.get(projectRootPath) || this.compilerOptionsForInferredProjects; let watchOptionsAndErrors; let typeAcquisition; if (projectRootPath) { watchOptionsAndErrors = this.watchOptionsForInferredProjectsPerProjectRoot.get(projectRootPath); typeAcquisition = this.typeAcquisitionForInferredProjectsPerProjectRoot.get(projectRootPath); } if (watchOptionsAndErrors === void 0) { watchOptionsAndErrors = this.watchOptionsForInferredProjects; } if (typeAcquisition === void 0) { typeAcquisition = this.typeAcquisitionForInferredProjects; } watchOptionsAndErrors = watchOptionsAndErrors || void 0; const project = new InferredProject2(this, this.documentRegistry, compilerOptions, watchOptionsAndErrors == null ? void 0 : watchOptionsAndErrors.watchOptions, projectRootPath, currentDirectory, typeAcquisition); project.setProjectErrors(watchOptionsAndErrors == null ? void 0 : watchOptionsAndErrors.errors); if (isSingleInferredProject) { this.inferredProjects.unshift(project); } else { this.inferredProjects.push(project); } return project; } /** @internal */ getOrCreateScriptInfoNotOpenedByClient(uncheckedFileName, currentDirectory, hostToQueryFileExistsOn, deferredDeleteOk) { return this.getOrCreateScriptInfoNotOpenedByClientForNormalizedPath( toNormalizedPath(uncheckedFileName), currentDirectory, /*scriptKind*/ void 0, /*hasMixedContent*/ void 0, hostToQueryFileExistsOn, deferredDeleteOk ); } getScriptInfo(uncheckedFileName) { return this.getScriptInfoForNormalizedPath(toNormalizedPath(uncheckedFileName)); } /** @internal */ getScriptInfoOrConfig(uncheckedFileName) { const path17 = toNormalizedPath(uncheckedFileName); const info = this.getScriptInfoForNormalizedPath(path17); if (info) return info; const configProject = this.configuredProjects.get(this.toPath(uncheckedFileName)); return configProject && configProject.getCompilerOptions().configFile; } /** @internal */ logErrorForScriptInfoNotFound(fileName) { const names = arrayFrom( mapDefinedIterator( this.filenameToScriptInfo.entries(), (entry) => entry[1].deferredDelete ? void 0 : entry ), ([path17, scriptInfo]) => ({ path: path17, fileName: scriptInfo.fileName }) ); this.logger.msg( `Could not find file ${JSON.stringify(fileName)}. All files are: ${JSON.stringify(names)}`, "Err" /* Err */ ); } /** * Returns the projects that contain script info through SymLink * Note that this does not return projects in info.containingProjects * * @internal */ getSymlinkedProjects(info) { let projects; if (this.realpathToScriptInfos) { const realpath = info.getRealpathIfDifferent(); if (realpath) { forEach(this.realpathToScriptInfos.get(realpath), combineProjects); } forEach(this.realpathToScriptInfos.get(info.path), combineProjects); } return projects; function combineProjects(toAddInfo) { if (toAddInfo !== info) { for (const project of toAddInfo.containingProjects) { if (project.languageServiceEnabled && !project.isOrphan() && !project.getCompilerOptions().preserveSymlinks && !info.isAttached(project)) { if (!projects) { projects = createMultiMap(); projects.add(toAddInfo.path, project); } else if (!forEachEntry(projects, (projs, path17) => path17 === toAddInfo.path ? false : contains(projs, project))) { projects.add(toAddInfo.path, project); } } } } } } watchClosedScriptInfo(info) { Debug.assert(!info.fileWatcher); if (!info.isDynamicOrHasMixedContent() && (!this.globalCacheLocationDirectoryPath || !startsWith2(info.path, this.globalCacheLocationDirectoryPath))) { const indexOfNodeModules = info.fileName.indexOf("/node_modules/"); if (!this.host.getModifiedTime || indexOfNodeModules === -1) { info.fileWatcher = this.watchFactory.watchFile( info.fileName, (_fileName, eventKind) => this.onSourceFileChanged(info, eventKind), 500, this.hostConfiguration.watchOptions, WatchType.ClosedScriptInfo ); } else { info.mTime = this.getModifiedTime(info); info.fileWatcher = this.watchClosedScriptInfoInNodeModules(info.fileName.substring(0, indexOfNodeModules)); } } } createNodeModulesWatcher(dir, dirPath) { let watcher = this.watchFactory.watchDirectory( dir, (fileOrDirectory) => { var _a; const fileOrDirectoryPath = removeIgnoredPath(this.toPath(fileOrDirectory)); if (!fileOrDirectoryPath) return; const basename = getBaseFileName(fileOrDirectoryPath); if (((_a = result.affectedModuleSpecifierCacheProjects) == null ? void 0 : _a.size) && (basename === "package.json" || basename === "node_modules")) { result.affectedModuleSpecifierCacheProjects.forEach((project) => { var _a2; (_a2 = project.getModuleSpecifierCache()) == null ? void 0 : _a2.clear(); }); } if (result.refreshScriptInfoRefCount) { if (dirPath === fileOrDirectoryPath) { this.refreshScriptInfosInDirectory(dirPath); } else { const info = this.filenameToScriptInfo.get(fileOrDirectoryPath); if (info) { if (isScriptInfoWatchedFromNodeModules(info)) { this.refreshScriptInfo(info); } } else if (!hasExtension(fileOrDirectoryPath)) { this.refreshScriptInfosInDirectory(fileOrDirectoryPath); } } } }, 1, this.hostConfiguration.watchOptions, WatchType.NodeModules ); const result = { refreshScriptInfoRefCount: 0, affectedModuleSpecifierCacheProjects: void 0, close: () => { var _a; if (watcher && !result.refreshScriptInfoRefCount && !((_a = result.affectedModuleSpecifierCacheProjects) == null ? void 0 : _a.size)) { watcher.close(); watcher = void 0; this.nodeModulesWatchers.delete(dirPath); } } }; this.nodeModulesWatchers.set(dirPath, result); return result; } /** @internal */ watchPackageJsonsInNodeModules(dir, project) { var _a; const dirPath = this.toPath(dir); const watcher = this.nodeModulesWatchers.get(dirPath) || this.createNodeModulesWatcher(dir, dirPath); Debug.assert(!((_a = watcher.affectedModuleSpecifierCacheProjects) == null ? void 0 : _a.has(project))); (watcher.affectedModuleSpecifierCacheProjects || (watcher.affectedModuleSpecifierCacheProjects = /* @__PURE__ */ new Set())).add(project); return { close: () => { var _a2; (_a2 = watcher.affectedModuleSpecifierCacheProjects) == null ? void 0 : _a2.delete(project); watcher.close(); } }; } watchClosedScriptInfoInNodeModules(dir) { const watchDir = dir + "/node_modules"; const watchDirPath = this.toPath(watchDir); const watcher = this.nodeModulesWatchers.get(watchDirPath) || this.createNodeModulesWatcher(watchDir, watchDirPath); watcher.refreshScriptInfoRefCount++; return { close: () => { watcher.refreshScriptInfoRefCount--; watcher.close(); } }; } getModifiedTime(info) { return (this.host.getModifiedTime(info.fileName) || missingFileModifiedTime).getTime(); } refreshScriptInfo(info) { const mTime = this.getModifiedTime(info); if (mTime !== info.mTime) { const eventKind = getFileWatcherEventKind(info.mTime, mTime); info.mTime = mTime; this.onSourceFileChanged(info, eventKind); } } refreshScriptInfosInDirectory(dir) { dir = dir + directorySeparator; this.filenameToScriptInfo.forEach((info) => { if (isScriptInfoWatchedFromNodeModules(info) && startsWith2(info.path, dir)) { this.refreshScriptInfo(info); } }); } stopWatchingScriptInfo(info) { if (info.fileWatcher) { info.fileWatcher.close(); info.fileWatcher = void 0; } } getOrCreateScriptInfoNotOpenedByClientForNormalizedPath(fileName, currentDirectory, scriptKind, hasMixedContent, hostToQueryFileExistsOn, deferredDeleteOk) { if (isRootedDiskPath(fileName) || isDynamicFileName(fileName)) { return this.getOrCreateScriptInfoWorker( fileName, currentDirectory, /*openedByClient*/ false, /*fileContent*/ void 0, scriptKind, !!hasMixedContent, hostToQueryFileExistsOn, deferredDeleteOk ); } const info = this.openFilesWithNonRootedDiskPath.get(this.toCanonicalFileName(fileName)); if (info) { return info; } return void 0; } getOrCreateScriptInfoForNormalizedPath(fileName, openedByClient, fileContent, scriptKind, hasMixedContent, hostToQueryFileExistsOn) { return this.getOrCreateScriptInfoWorker( fileName, this.currentDirectory, openedByClient, fileContent, scriptKind, !!hasMixedContent, hostToQueryFileExistsOn, /*deferredDeleteOk*/ false ); } getOrCreateScriptInfoWorker(fileName, currentDirectory, openedByClient, fileContent, scriptKind, hasMixedContent, hostToQueryFileExistsOn, deferredDeleteOk) { Debug.assert(fileContent === void 0 || openedByClient, "ScriptInfo needs to be opened by client to be able to set its user defined content"); const path17 = normalizedPathToPath(fileName, currentDirectory, this.toCanonicalFileName); let info = this.filenameToScriptInfo.get(path17); if (!info) { const isDynamic = isDynamicFileName(fileName); Debug.assert(isRootedDiskPath(fileName) || isDynamic || openedByClient, "", () => `${JSON.stringify({ fileName, currentDirectory, hostCurrentDirectory: this.currentDirectory, openKeys: arrayFrom(this.openFilesWithNonRootedDiskPath.keys()) })} Script info with non-dynamic relative file name can only be open script info or in context of host currentDirectory`); Debug.assert(!isRootedDiskPath(fileName) || this.currentDirectory === currentDirectory || !this.openFilesWithNonRootedDiskPath.has(this.toCanonicalFileName(fileName)), "", () => `${JSON.stringify({ fileName, currentDirectory, hostCurrentDirectory: this.currentDirectory, openKeys: arrayFrom(this.openFilesWithNonRootedDiskPath.keys()) })} Open script files with non rooted disk path opened with current directory context cannot have same canonical names`); Debug.assert(!isDynamic || this.currentDirectory === currentDirectory || this.useInferredProjectPerProjectRoot, "", () => `${JSON.stringify({ fileName, currentDirectory, hostCurrentDirectory: this.currentDirectory, openKeys: arrayFrom(this.openFilesWithNonRootedDiskPath.keys()) })} Dynamic files must always be opened with service's current directory or service should support inferred project per projectRootPath.`); if (!openedByClient && !isDynamic && !(hostToQueryFileExistsOn || this.host).fileExists(fileName)) { return; } info = new ScriptInfo(this.host, fileName, scriptKind, hasMixedContent, path17, this.filenameToScriptInfoVersion.get(path17)); this.filenameToScriptInfo.set(info.path, info); this.filenameToScriptInfoVersion.delete(info.path); if (!openedByClient) { this.watchClosedScriptInfo(info); } else if (!isRootedDiskPath(fileName) && (!isDynamic || this.currentDirectory !== currentDirectory)) { this.openFilesWithNonRootedDiskPath.set(this.toCanonicalFileName(fileName), info); } } else if (info.deferredDelete) { Debug.assert(!info.isDynamic); if (!openedByClient && !(hostToQueryFileExistsOn || this.host).fileExists(fileName)) { return deferredDeleteOk ? info : void 0; } info.deferredDelete = void 0; } if (openedByClient) { this.stopWatchingScriptInfo(info); info.open(fileContent); if (hasMixedContent) { info.registerFileUpdate(); } } return info; } /** * This gets the script info for the normalized path. If the path is not rooted disk path then the open script info with project root context is preferred */ getScriptInfoForNormalizedPath(fileName) { return !isRootedDiskPath(fileName) && this.openFilesWithNonRootedDiskPath.get(this.toCanonicalFileName(fileName)) || this.getScriptInfoForPath(normalizedPathToPath(fileName, this.currentDirectory, this.toCanonicalFileName)); } getScriptInfoForPath(fileName) { const info = this.filenameToScriptInfo.get(fileName); return !info || !info.deferredDelete ? info : void 0; } /** @internal */ getDocumentPositionMapper(project, generatedFileName, sourceFileName) { const declarationInfo = this.getOrCreateScriptInfoNotOpenedByClient( generatedFileName, project.currentDirectory, this.host, /*deferredDeleteOk*/ false ); if (!declarationInfo) { if (sourceFileName) { project.addGeneratedFileWatch(generatedFileName, sourceFileName); } return void 0; } declarationInfo.getSnapshot(); if (isString2(declarationInfo.sourceMapFilePath)) { const sourceMapFileInfo2 = this.getScriptInfoForPath(declarationInfo.sourceMapFilePath); if (sourceMapFileInfo2) { sourceMapFileInfo2.getSnapshot(); if (sourceMapFileInfo2.documentPositionMapper !== void 0) { sourceMapFileInfo2.sourceInfos = this.addSourceInfoToSourceMap(sourceFileName, project, sourceMapFileInfo2.sourceInfos); return sourceMapFileInfo2.documentPositionMapper ? sourceMapFileInfo2.documentPositionMapper : void 0; } } declarationInfo.sourceMapFilePath = void 0; } else if (declarationInfo.sourceMapFilePath) { declarationInfo.sourceMapFilePath.sourceInfos = this.addSourceInfoToSourceMap(sourceFileName, project, declarationInfo.sourceMapFilePath.sourceInfos); return void 0; } else if (declarationInfo.sourceMapFilePath !== void 0) { return void 0; } let sourceMapFileInfo; let readMapFile = (mapFileName, mapFileNameFromDts) => { const mapInfo = this.getOrCreateScriptInfoNotOpenedByClient( mapFileName, project.currentDirectory, this.host, /*deferredDeleteOk*/ true ); sourceMapFileInfo = mapInfo || mapFileNameFromDts; if (!mapInfo || mapInfo.deferredDelete) return void 0; const snap = mapInfo.getSnapshot(); if (mapInfo.documentPositionMapper !== void 0) return mapInfo.documentPositionMapper; return getSnapshotText(snap); }; const projectName = project.projectName; const documentPositionMapper = getDocumentPositionMapper( { getCanonicalFileName: this.toCanonicalFileName, log: (s) => this.logger.info(s), getSourceFileLike: (f) => this.getSourceFileLike(f, projectName, declarationInfo) }, declarationInfo.fileName, declarationInfo.textStorage.getLineInfo(), readMapFile ); readMapFile = void 0; if (sourceMapFileInfo) { if (!isString2(sourceMapFileInfo)) { declarationInfo.sourceMapFilePath = sourceMapFileInfo.path; sourceMapFileInfo.declarationInfoPath = declarationInfo.path; if (!sourceMapFileInfo.deferredDelete) sourceMapFileInfo.documentPositionMapper = documentPositionMapper || false; sourceMapFileInfo.sourceInfos = this.addSourceInfoToSourceMap(sourceFileName, project, sourceMapFileInfo.sourceInfos); } else { declarationInfo.sourceMapFilePath = { watcher: this.addMissingSourceMapFile( project.currentDirectory === this.currentDirectory ? sourceMapFileInfo : getNormalizedAbsolutePath(sourceMapFileInfo, project.currentDirectory), declarationInfo.path ), sourceInfos: this.addSourceInfoToSourceMap(sourceFileName, project) }; } } else { declarationInfo.sourceMapFilePath = false; } return documentPositionMapper; } addSourceInfoToSourceMap(sourceFileName, project, sourceInfos) { if (sourceFileName) { const sourceInfo = this.getOrCreateScriptInfoNotOpenedByClient( sourceFileName, project.currentDirectory, project.directoryStructureHost, /*deferredDeleteOk*/ false ); (sourceInfos || (sourceInfos = /* @__PURE__ */ new Set())).add(sourceInfo.path); } return sourceInfos; } addMissingSourceMapFile(mapFileName, declarationInfoPath) { const fileWatcher = this.watchFactory.watchFile( mapFileName, () => { const declarationInfo = this.getScriptInfoForPath(declarationInfoPath); if (declarationInfo && declarationInfo.sourceMapFilePath && !isString2(declarationInfo.sourceMapFilePath)) { this.delayUpdateProjectGraphs( declarationInfo.containingProjects, /*clearSourceMapperCache*/ true ); this.delayUpdateSourceInfoProjects(declarationInfo.sourceMapFilePath.sourceInfos); declarationInfo.closeSourceMapFileWatcher(); } }, 2e3, this.hostConfiguration.watchOptions, WatchType.MissingSourceMapFile ); return fileWatcher; } /** @internal */ getSourceFileLike(fileName, projectNameOrProject, declarationInfo) { const project = projectNameOrProject.projectName ? projectNameOrProject : this.findProject(projectNameOrProject); if (project) { const path17 = project.toPath(fileName); const sourceFile = project.getSourceFile(path17); if (sourceFile && sourceFile.resolvedPath === path17) return sourceFile; } const info = this.getOrCreateScriptInfoNotOpenedByClient( fileName, (project || this).currentDirectory, project ? project.directoryStructureHost : this.host, /*deferredDeleteOk*/ false ); if (!info) return void 0; if (declarationInfo && isString2(declarationInfo.sourceMapFilePath) && info !== declarationInfo) { const sourceMapInfo = this.getScriptInfoForPath(declarationInfo.sourceMapFilePath); if (sourceMapInfo) { (sourceMapInfo.sourceInfos ?? (sourceMapInfo.sourceInfos = /* @__PURE__ */ new Set())).add(info.path); } } if (info.cacheSourceFile) return info.cacheSourceFile.sourceFile; if (!info.sourceFileLike) { info.sourceFileLike = { get text() { Debug.fail("shouldnt need text"); return ""; }, getLineAndCharacterOfPosition: (pos) => { const lineOffset = info.positionToLineOffset(pos); return { line: lineOffset.line - 1, character: lineOffset.offset - 1 }; }, getPositionOfLineAndCharacter: (line, character, allowEdits) => info.lineOffsetToPosition(line + 1, character + 1, allowEdits) }; } return info.sourceFileLike; } /** @internal */ setPerformanceEventHandler(performanceEventHandler) { this.performanceEventHandler = performanceEventHandler; } setHostConfiguration(args) { var _a; if (args.file) { const info = this.getScriptInfoForNormalizedPath(toNormalizedPath(args.file)); if (info) { info.setOptions(convertFormatOptions(args.formatOptions), args.preferences); this.logger.info(`Host configuration update for file ${args.file}`); } } else { if (args.hostInfo !== void 0) { this.hostConfiguration.hostInfo = args.hostInfo; this.logger.info(`Host information ${args.hostInfo}`); } if (args.formatOptions) { this.hostConfiguration.formatCodeOptions = { ...this.hostConfiguration.formatCodeOptions, ...convertFormatOptions(args.formatOptions) }; this.logger.info("Format host information updated"); } if (args.preferences) { const { lazyConfiguredProjectsFromExternalProject, includePackageJsonAutoImports, includeCompletionsForModuleExports } = this.hostConfiguration.preferences; this.hostConfiguration.preferences = { ...this.hostConfiguration.preferences, ...args.preferences }; if (lazyConfiguredProjectsFromExternalProject && !this.hostConfiguration.preferences.lazyConfiguredProjectsFromExternalProject) { this.externalProjectToConfiguredProjectMap.forEach( (projects) => projects.forEach((project) => { if (!project.deferredClose && !project.isClosed() && project.pendingUpdateLevel === 2 && !this.hasPendingProjectUpdate(project)) { project.updateGraph(); } }) ); } if (includePackageJsonAutoImports !== args.preferences.includePackageJsonAutoImports || !!includeCompletionsForModuleExports !== !!args.preferences.includeCompletionsForModuleExports) { this.forEachProject((project) => { project.onAutoImportProviderSettingsChanged(); }); } } if (args.extraFileExtensions) { this.hostConfiguration.extraFileExtensions = args.extraFileExtensions; this.reloadProjects(); this.logger.info("Host file extension mappings updated"); } if (args.watchOptions) { const watchOptions = (_a = convertWatchOptions(args.watchOptions)) == null ? void 0 : _a.watchOptions; const substitution = handleWatchOptionsConfigDirTemplateSubstitution(watchOptions, this.currentDirectory); this.hostConfiguration.watchOptions = substitution; this.hostConfiguration.beforeSubstitution = substitution === watchOptions ? void 0 : watchOptions; this.logger.info(`Host watch options changed to ${JSON.stringify(this.hostConfiguration.watchOptions)}, it will be take effect for next watches.`); } } } /** @internal */ getWatchOptions(project) { return this.getWatchOptionsFromProjectWatchOptions(project.getWatchOptions(), project.getCurrentDirectory()); } /** @internal */ getWatchOptionsFromProjectWatchOptions(projectOptions, basePath) { const hostWatchOptions = !this.hostConfiguration.beforeSubstitution ? this.hostConfiguration.watchOptions : handleWatchOptionsConfigDirTemplateSubstitution( this.hostConfiguration.beforeSubstitution, basePath ); return projectOptions && hostWatchOptions ? { ...hostWatchOptions, ...projectOptions } : projectOptions || hostWatchOptions; } closeLog() { this.logger.close(); } /** * This function rebuilds the project for every file opened by the client * This does not reload contents of open files from disk. But we could do that if needed */ reloadProjects() { this.logger.info("reload projects."); this.filenameToScriptInfo.forEach((info) => { if (this.openFiles.has(info.path)) return; if (!info.fileWatcher) return; this.onSourceFileChanged( info, this.host.fileExists(info.fileName) ? info.deferredDelete ? 0 : 1 : 2 /* Deleted */ ); }); this.pendingProjectUpdates.forEach((_project, projectName) => { this.throttledOperations.cancel(projectName); this.pendingProjectUpdates.delete(projectName); }); this.throttledOperations.cancel(ensureProjectForOpenFileSchedule); this.pendingOpenFileProjectUpdates = void 0; this.pendingEnsureProjectForOpenFiles = false; this.configFileExistenceInfoCache.forEach((info) => { if (info.config) info.config.updateLevel = 2; }); this.configFileForOpenFiles.clear(); this.externalProjects.forEach((project) => { this.clearSemanticCache(project); project.updateGraph(); }); const reloadedConfiguredProjects = /* @__PURE__ */ new Set(); const delayReloadedConfiguredProjects = /* @__PURE__ */ new Set(); this.externalProjectToConfiguredProjectMap.forEach((projects, externalProjectName) => { const reason = `Reloading configured project in external project: ${externalProjectName}`; projects.forEach((project) => { if (this.getHostPreferences().lazyConfiguredProjectsFromExternalProject) { if (!project.isInitialLoadPending()) { this.clearSemanticCache(project); project.pendingUpdateLevel = 2; project.pendingUpdateReason = reloadReason(reason); } delayReloadedConfiguredProjects.add(project); } else { this.reloadConfiguredProjectClearingSemanticCache( project, reason, reloadedConfiguredProjects ); } }); }); this.openFiles.forEach((_projectRootPath, path17) => { const info = this.getScriptInfoForPath(path17); if (find(info.containingProjects, isExternalProject)) return; this.tryFindDefaultConfiguredProjectAndLoadAncestorsForOpenScriptInfo( info, 2, reloadedConfiguredProjects, delayReloadedConfiguredProjects ); }); delayReloadedConfiguredProjects.forEach((p) => reloadedConfiguredProjects.add(p)); this.inferredProjects.forEach((project) => this.clearSemanticCache(project)); this.ensureProjectForOpenFiles(); this.cleanupProjectsAndScriptInfos( reloadedConfiguredProjects, new Set(this.openFiles.keys()), new Set(this.externalProjectToConfiguredProjectMap.keys()) ); this.logger.info("After reloading projects.."); this.printProjects(); } /** * Remove the root of inferred project if script info is part of another project */ removeRootOfInferredProjectIfNowPartOfOtherProject(info) { Debug.assert(info.containingProjects.length > 0); const firstProject = info.containingProjects[0]; if (!firstProject.isOrphan() && isInferredProject(firstProject) && firstProject.isRoot(info) && forEach(info.containingProjects, (p) => p !== firstProject && !p.isOrphan())) { firstProject.removeFile( info, /*fileExists*/ true, /*detachFromProject*/ true ); } } /** * This function is to update the project structure for every inferred project. * It is called on the premise that all the configured projects are * up to date. * This will go through open files and assign them to inferred project if open file is not part of any other project * After that all the inferred project graphs are updated */ ensureProjectForOpenFiles() { this.logger.info("Before ensureProjectForOpenFiles:"); this.printProjects(); const pendingOpenFileProjectUpdates = this.pendingOpenFileProjectUpdates; this.pendingOpenFileProjectUpdates = void 0; pendingOpenFileProjectUpdates == null ? void 0 : pendingOpenFileProjectUpdates.forEach( (_config, path17) => this.tryFindDefaultConfiguredProjectAndLoadAncestorsForOpenScriptInfo( this.getScriptInfoForPath(path17), 1 /* Create */ ) ); this.openFiles.forEach((projectRootPath, path17) => { const info = this.getScriptInfoForPath(path17); if (info.isOrphan()) { this.assignOrphanScriptInfoToInferredProject(info, projectRootPath); } else { this.removeRootOfInferredProjectIfNowPartOfOtherProject(info); } }); this.pendingEnsureProjectForOpenFiles = false; this.inferredProjects.forEach(updateProjectIfDirty); this.logger.info("After ensureProjectForOpenFiles:"); this.printProjects(); } /** * Open file whose contents is managed by the client * @param filename is absolute pathname * @param fileContent is a known version of the file content that is more up to date than the one on disk */ openClientFile(fileName, fileContent, scriptKind, projectRootPath) { return this.openClientFileWithNormalizedPath( toNormalizedPath(fileName), fileContent, scriptKind, /*hasMixedContent*/ false, projectRootPath ? toNormalizedPath(projectRootPath) : void 0 ); } /** @internal */ getOriginalLocationEnsuringConfiguredProject(project, location) { const isSourceOfProjectReferenceRedirect = project.isSourceOfProjectReferenceRedirect(location.fileName); const originalLocation = isSourceOfProjectReferenceRedirect ? location : project.getSourceMapper().tryGetSourcePosition(location); if (!originalLocation) return void 0; const { fileName } = originalLocation; const scriptInfo = this.getScriptInfo(fileName); if (!scriptInfo && !this.host.fileExists(fileName)) return void 0; const originalFileInfo = { fileName: toNormalizedPath(fileName), path: this.toPath(fileName) }; const configFileName = this.getConfigFileNameForFile( originalFileInfo, /*findFromCacheOnly*/ false ); if (!configFileName) return void 0; let configuredProject = this.findConfiguredProjectByProjectName(configFileName); if (!configuredProject) { if (project.getCompilerOptions().disableReferencedProjectLoad) { if (isSourceOfProjectReferenceRedirect) { return location; } return (scriptInfo == null ? void 0 : scriptInfo.containingProjects.length) ? originalLocation : location; } configuredProject = this.createConfiguredProject(configFileName, `Creating project for original file: ${originalFileInfo.fileName}${location !== originalLocation ? " for location: " + location.fileName : ""}`); } updateProjectIfDirty(configuredProject); const projectContainsOriginalInfo = (project2) => { const info = this.getScriptInfo(fileName); return info && project2.containsScriptInfo(info) && !project2.isSourceOfProjectReferenceRedirect(info.path); }; if (configuredProject.isSolution() || !projectContainsOriginalInfo(configuredProject)) { configuredProject = forEachResolvedProjectReferenceProject( configuredProject, fileName, (child) => projectContainsOriginalInfo(child) ? child : void 0, 1, `Creating project referenced in solution ${configuredProject.projectName} to find possible configured project for original file: ${originalFileInfo.fileName}${location !== originalLocation ? " for location: " + location.fileName : ""}` ); if (!configuredProject) return void 0; if (configuredProject === project) return originalLocation; } addOriginalConfiguredProject(configuredProject); const originalScriptInfo = this.getScriptInfo(fileName); if (!originalScriptInfo || !originalScriptInfo.containingProjects.length) return void 0; originalScriptInfo.containingProjects.forEach((project2) => { if (isConfiguredProject(project2)) { addOriginalConfiguredProject(project2); } }); return originalLocation; function addOriginalConfiguredProject(originalProject) { (project.originalConfiguredProjects ?? (project.originalConfiguredProjects = /* @__PURE__ */ new Set())).add(originalProject.canonicalConfigFilePath); } } /** @internal */ fileExists(fileName) { return !!this.getScriptInfoForNormalizedPath(fileName) || this.host.fileExists(fileName); } findExternalProjectContainingOpenScriptInfo(info) { return find(this.externalProjects, (proj) => { updateProjectIfDirty(proj); return proj.containsScriptInfo(info); }); } getOrCreateOpenScriptInfo(fileName, fileContent, scriptKind, hasMixedContent, projectRootPath) { const info = this.getOrCreateScriptInfoWorker( fileName, projectRootPath ? this.getNormalizedAbsolutePath(projectRootPath) : this.currentDirectory, /*openedByClient*/ true, fileContent, scriptKind, !!hasMixedContent, /*hostToQueryFileExistsOn*/ void 0, /*deferredDeleteOk*/ true ); this.openFiles.set(info.path, projectRootPath); return info; } assignProjectToOpenedScriptInfo(info) { let configFileName; let configFileErrors; const project = this.findExternalProjectContainingOpenScriptInfo(info); let retainProjects; let sentConfigDiag; if (!project && this.serverMode === 0) { const result = this.tryFindDefaultConfiguredProjectAndLoadAncestorsForOpenScriptInfo( info, 1 /* Create */ ); if (result) { retainProjects = result.seenProjects; sentConfigDiag = result.sentConfigDiag; if (result.defaultProject) { configFileName = result.defaultProject.getConfigFilePath(); configFileErrors = result.defaultProject.getAllProjectErrors(); } } } info.containingProjects.forEach(updateProjectIfDirty); if (info.isOrphan()) { retainProjects == null ? void 0 : retainProjects.forEach((project2) => { if (!sentConfigDiag.has(project2)) this.sendConfigFileDiagEvent( project2, info.fileName, /*force*/ true ); }); Debug.assert(this.openFiles.has(info.path)); this.assignOrphanScriptInfoToInferredProject(info, this.openFiles.get(info.path)); } Debug.assert(!info.isOrphan()); return { configFileName, configFileErrors, retainProjects }; } /** * Depending on kind * - Find the configuedProject and return it - if allowDeferredClosed is set it will find the deferredClosed project as well * - Create - if the project doesnt exist, it creates one as well. If not delayLoad, the project is updated (with triggerFile if passed) * - Reload - if the project doesnt exist, it creates one. If not delayLoad, the project is reloaded clearing semantic cache * @internal */ findCreateOrReloadConfiguredProject(configFileName, kind, reason, allowDeferredClosed, triggerFile, reloadedProjects, delayLoad, delayReloadedConfiguredProjects) { let project = this.findConfiguredProjectByProjectName(configFileName, allowDeferredClosed); let sentConfigFileDiag = false; switch (kind) { case 0: if (!project) return; break; case 1: project ?? (project = this.createConfiguredProject(configFileName, reason)); sentConfigFileDiag = !delayLoad && updateConfiguredProject(project, triggerFile); break; case 2: project ?? (project = this.createConfiguredProject(configFileName, reloadReason(reason))); sentConfigFileDiag = !delayReloadedConfiguredProjects && this.reloadConfiguredProjectClearingSemanticCache(project, reason, reloadedProjects); if (delayReloadedConfiguredProjects && !delayReloadedConfiguredProjects.has(project) && !reloadedProjects.has(project)) { project.pendingUpdateLevel = 2; project.pendingUpdateReason = reloadReason(reason); delayReloadedConfiguredProjects.add(project); } break; default: Debug.assertNever(kind); } return { project, sentConfigFileDiag }; } /** * Finds the default configured project for given info * For any tsconfig found, it looks into that project, if not then all its references, * The search happens for all tsconfigs till projectRootPath */ tryFindDefaultConfiguredProjectForOpenScriptInfo(info, kind, allowDeferredClosed, reloadedProjects) { const configFileName = this.getConfigFileNameForFile( info, kind === 0 /* Find */ ); if (!configFileName) return; const result = this.findCreateOrReloadConfiguredProject( configFileName, kind, fileOpenReason(info), allowDeferredClosed, info.fileName, reloadedProjects ); if (!result) return; const seenProjects = /* @__PURE__ */ new Set(); const sentConfigDiag = new Set(result.sentConfigFileDiag ? [result.project] : void 0); let defaultProject; let possiblyDefault; tryFindDefaultConfiguredProject(result.project); return { defaultProject: defaultProject ?? possiblyDefault, sentConfigDiag, seenProjects }; function tryFindDefaultConfiguredProject(project) { return isDefaultProject(project) ? defaultProject : tryFindDefaultConfiguredProjectFromReferences(project); } function isDefaultProject(project) { if (!tryAddToSet(seenProjects, project)) return; const projectWithInfo = project.containsScriptInfo(info); if (projectWithInfo && !project.isSourceOfProjectReferenceRedirect(info.path)) return defaultProject = project; possiblyDefault ?? (possiblyDefault = projectWithInfo ? project : void 0); } function tryFindDefaultConfiguredProjectFromReferences(project) { return forEachResolvedProjectReferenceProject( project, info.path, (child, sentConfigFileDiag) => { if (sentConfigFileDiag) sentConfigDiag.add(child); return isDefaultProject(child); }, kind, `Creating project referenced in solution ${project.projectName} to find possible configured project for ${info.fileName} to open`, allowDeferredClosed, info.fileName, reloadedProjects ); } } tryFindDefaultConfiguredProjectAndLoadAncestorsForOpenScriptInfo(info, kind, reloadedProjects, delayReloadedConfiguredProjects) { const allowDeferredClosed = kind === 0; const result = this.tryFindDefaultConfiguredProjectForOpenScriptInfo( info, kind, allowDeferredClosed, reloadedProjects ); if (!result) return; const { defaultProject, seenProjects } = result; if (defaultProject) { forEachAncestorProject( info, defaultProject, (ancestor) => { seenProjects.add(ancestor); }, kind, `Creating project possibly referencing default composite project ${defaultProject.getProjectName()} of open file ${info.fileName}`, allowDeferredClosed, reloadedProjects, delayReloadedConfiguredProjects ); } return result; } /** @internal */ loadAncestorProjectTree(forProjects) { forProjects = forProjects || mapDefinedEntries( this.configuredProjects, (key, project) => !project.isInitialLoadPending() ? [key, true] : void 0 ); const seenProjects = /* @__PURE__ */ new Set(); for (const project of arrayFrom(this.configuredProjects.values())) { if (forEachPotentialProjectReference(project, (potentialRefPath) => forProjects.has(potentialRefPath))) { updateProjectIfDirty(project); } this.ensureProjectChildren(project, forProjects, seenProjects); } } ensureProjectChildren(project, forProjects, seenProjects) { var _a; if (!tryAddToSet(seenProjects, project.canonicalConfigFilePath)) return; if (project.getCompilerOptions().disableReferencedProjectLoad) return; const children = (_a = project.getCurrentProgram()) == null ? void 0 : _a.getResolvedProjectReferences(); if (!children) return; for (const child of children) { if (!child) continue; const referencedProject = forEachResolvedProjectReference(child.references, (ref) => forProjects.has(ref.sourceFile.path) ? ref : void 0); if (!referencedProject) continue; const configFileName = toNormalizedPath(child.sourceFile.fileName); const childProject = this.findConfiguredProjectByProjectName(configFileName) ?? this.createConfiguredProject( configFileName, `Creating project referenced by : ${project.projectName} as it references project ${referencedProject.sourceFile.fileName}` ); updateProjectIfDirty(childProject); this.ensureProjectChildren(childProject, forProjects, seenProjects); } } cleanupConfiguredProjects(toRetainConfiguredProjects, externalProjectsRetainingConfiguredProjects, openFilesWithRetainedConfiguredProject) { this.getOrphanConfiguredProjects( toRetainConfiguredProjects, openFilesWithRetainedConfiguredProject, externalProjectsRetainingConfiguredProjects ).forEach((project) => this.removeProject(project)); } cleanupProjectsAndScriptInfos(toRetainConfiguredProjects, openFilesWithRetainedConfiguredProject, externalProjectsRetainingConfiguredProjects) { this.cleanupConfiguredProjects( toRetainConfiguredProjects, externalProjectsRetainingConfiguredProjects, openFilesWithRetainedConfiguredProject ); for (const inferredProject of this.inferredProjects.slice()) { if (inferredProject.isOrphan()) { this.removeProject(inferredProject); } } this.removeOrphanScriptInfos(); } openClientFileWithNormalizedPath(fileName, fileContent, scriptKind, hasMixedContent, projectRootPath) { const info = this.getOrCreateOpenScriptInfo(fileName, fileContent, scriptKind, hasMixedContent, projectRootPath); const { retainProjects, ...result } = this.assignProjectToOpenedScriptInfo(info); this.cleanupProjectsAndScriptInfos( retainProjects, /* @__PURE__ */ new Set([info.path]), /*externalProjectsRetainingConfiguredProjects*/ void 0 ); this.telemetryOnOpenFile(info); this.printProjects(); return result; } /** @internal */ getOrphanConfiguredProjects(toRetainConfiguredProjects, openFilesWithRetainedConfiguredProject, externalProjectsRetainingConfiguredProjects) { const toRemoveConfiguredProjects = new Set(this.configuredProjects.values()); const markOriginalProjectsAsUsed = (project) => { if (project.originalConfiguredProjects && (isConfiguredProject(project) || !project.isOrphan())) { project.originalConfiguredProjects.forEach( (_value, configuredProjectPath) => { const project2 = this.getConfiguredProjectByCanonicalConfigFilePath(configuredProjectPath); return project2 && retainConfiguredProject(project2); } ); } }; toRetainConfiguredProjects == null ? void 0 : toRetainConfiguredProjects.forEach(retainConfiguredProject); this.inferredProjects.forEach(markOriginalProjectsAsUsed); this.externalProjects.forEach(markOriginalProjectsAsUsed); this.externalProjectToConfiguredProjectMap.forEach((projects, externalProjectName) => { if (!(externalProjectsRetainingConfiguredProjects == null ? void 0 : externalProjectsRetainingConfiguredProjects.has(externalProjectName))) { projects.forEach(retainConfiguredProject); } }); this.openFiles.forEach((_projectRootPath, path17) => { if (openFilesWithRetainedConfiguredProject == null ? void 0 : openFilesWithRetainedConfiguredProject.has(path17)) return; const info = this.getScriptInfoForPath(path17); if (find(info.containingProjects, isExternalProject)) return; const result = this.tryFindDefaultConfiguredProjectAndLoadAncestorsForOpenScriptInfo( info, 0 /* Find */ ); if (result == null ? void 0 : result.defaultProject) { result == null ? void 0 : result.seenProjects.forEach(retainConfiguredProject); } }); this.configuredProjects.forEach((project) => { if (toRemoveConfiguredProjects.has(project)) { if (isPendingUpdate(project) || forEachReferencedProject(project, isRetained)) { retainConfiguredProject(project); } } }); return toRemoveConfiguredProjects; function isRetained(project) { return !toRemoveConfiguredProjects.has(project) || isPendingUpdate(project); } function isPendingUpdate(project) { var _a, _b; return (project.deferredClose || project.projectService.hasPendingProjectUpdate(project)) && !!((_b = (_a = project.projectService.configFileExistenceInfoCache.get(project.canonicalConfigFilePath)) == null ? void 0 : _a.openFilesImpactedByConfigFile) == null ? void 0 : _b.size); } function retainConfiguredProject(project) { if (!toRemoveConfiguredProjects.delete(project)) return; markOriginalProjectsAsUsed(project); forEachReferencedProject(project, retainConfiguredProject); } } removeOrphanScriptInfos() { const toRemoveScriptInfos = new Map(this.filenameToScriptInfo); this.filenameToScriptInfo.forEach((info) => { if (info.deferredDelete) return; if (!info.isScriptOpen() && info.isOrphan() && !info.isContainedByBackgroundProject()) { if (!info.sourceMapFilePath) return; let sourceInfos; if (isString2(info.sourceMapFilePath)) { const sourceMapInfo = this.filenameToScriptInfo.get(info.sourceMapFilePath); sourceInfos = sourceMapInfo == null ? void 0 : sourceMapInfo.sourceInfos; } else { sourceInfos = info.sourceMapFilePath.sourceInfos; } if (!sourceInfos) return; if (!forEachKey(sourceInfos, (path17) => { const info2 = this.getScriptInfoForPath(path17); return !!info2 && (info2.isScriptOpen() || !info2.isOrphan()); })) { return; } } toRemoveScriptInfos.delete(info.path); if (info.sourceMapFilePath) { let sourceInfos; if (isString2(info.sourceMapFilePath)) { const sourceMapInfo = this.filenameToScriptInfo.get(info.sourceMapFilePath); if (sourceMapInfo == null ? void 0 : sourceMapInfo.deferredDelete) { info.sourceMapFilePath = { watcher: this.addMissingSourceMapFile(sourceMapInfo.fileName, info.path), sourceInfos: sourceMapInfo.sourceInfos }; } else { toRemoveScriptInfos.delete(info.sourceMapFilePath); } sourceInfos = sourceMapInfo == null ? void 0 : sourceMapInfo.sourceInfos; } else { sourceInfos = info.sourceMapFilePath.sourceInfos; } if (sourceInfos) { sourceInfos.forEach((_value, path17) => toRemoveScriptInfos.delete(path17)); } } }); toRemoveScriptInfos.forEach((info) => this.deleteScriptInfo(info)); } telemetryOnOpenFile(scriptInfo) { if (this.serverMode !== 0 || !this.eventHandler || !scriptInfo.isJavaScript() || !addToSeen(this.allJsFilesForOpenFileTelemetry, scriptInfo.path)) { return; } const project = this.ensureDefaultProjectForFile(scriptInfo); if (!project.languageServiceEnabled) { return; } const sourceFile = project.getSourceFile(scriptInfo.path); const checkJs = !!sourceFile && !!sourceFile.checkJsDirective; this.eventHandler({ eventName: OpenFileInfoTelemetryEvent, data: { info: { checkJs } } }); } closeClientFile(uncheckedFileName, skipAssignOrphanScriptInfosToInferredProject) { const info = this.getScriptInfoForNormalizedPath(toNormalizedPath(uncheckedFileName)); const result = info ? this.closeOpenFile(info, skipAssignOrphanScriptInfosToInferredProject) : false; if (!skipAssignOrphanScriptInfosToInferredProject) { this.printProjects(); } return result; } collectChanges(lastKnownProjectVersions, currentProjects, includeProjectReferenceRedirectInfo, result) { for (const proj of currentProjects) { const knownProject = find(lastKnownProjectVersions, (p) => p.projectName === proj.getProjectName()); result.push(proj.getChangesSinceVersion(knownProject && knownProject.version, includeProjectReferenceRedirectInfo)); } } /** @internal */ synchronizeProjectList(knownProjects, includeProjectReferenceRedirectInfo) { const files = []; this.collectChanges(knownProjects, this.externalProjects, includeProjectReferenceRedirectInfo, files); this.collectChanges(knownProjects, mapDefinedIterator(this.configuredProjects.values(), (p) => p.deferredClose ? void 0 : p), includeProjectReferenceRedirectInfo, files); this.collectChanges(knownProjects, this.inferredProjects, includeProjectReferenceRedirectInfo, files); return files; } /** @internal */ applyChangesInOpenFiles(openFiles, changedFiles, closedFiles) { let openScriptInfos; let assignOrphanScriptInfosToInferredProject = false; if (openFiles) { for (const file of openFiles) { const info = this.getOrCreateOpenScriptInfo( toNormalizedPath(file.fileName), file.content, tryConvertScriptKindName(file.scriptKind), file.hasMixedContent, file.projectRootPath ? toNormalizedPath(file.projectRootPath) : void 0 ); (openScriptInfos || (openScriptInfos = [])).push(info); } } if (changedFiles) { for (const file of changedFiles) { const scriptInfo = this.getScriptInfo(file.fileName); Debug.assert(!!scriptInfo); this.applyChangesToFile(scriptInfo, file.changes); } } if (closedFiles) { for (const file of closedFiles) { assignOrphanScriptInfosToInferredProject = this.closeClientFile( file, /*skipAssignOrphanScriptInfosToInferredProject*/ true ) || assignOrphanScriptInfosToInferredProject; } } let retainProjects; openScriptInfos == null ? void 0 : openScriptInfos.forEach((info) => { var _a; return (_a = this.assignProjectToOpenedScriptInfo(info).retainProjects) == null ? void 0 : _a.forEach((p) => (retainProjects ?? (retainProjects = /* @__PURE__ */ new Set())).add(p)); }); if (assignOrphanScriptInfosToInferredProject) { this.assignOrphanScriptInfosToInferredProject(); } if (openScriptInfos) { this.cleanupProjectsAndScriptInfos( retainProjects, new Set(openScriptInfos.map((info) => info.path)), /*externalProjectsRetainingConfiguredProjects*/ void 0 ); openScriptInfos.forEach((info) => this.telemetryOnOpenFile(info)); this.printProjects(); } else if (length(closedFiles)) { this.printProjects(); } } /** @internal */ applyChangesToFile(scriptInfo, changes) { for (const change of changes) { scriptInfo.editContent(change.span.start, change.span.start + change.span.length, change.newText); } } // eslint-disable-line @typescript-eslint/unified-signatures closeExternalProject(uncheckedFileName, cleanupAfter) { const fileName = toNormalizedPath(uncheckedFileName); const projects = this.externalProjectToConfiguredProjectMap.get(fileName); if (projects) { this.externalProjectToConfiguredProjectMap.delete(fileName); } else { const externalProject = this.findExternalProjectByProjectName(uncheckedFileName); if (externalProject) { this.removeProject(externalProject); } } if (cleanupAfter) { this.cleanupConfiguredProjects(); this.printProjects(); } } openExternalProjects(projects) { const projectsToClose = new Set(this.externalProjects.map((p) => p.getProjectName())); this.externalProjectToConfiguredProjectMap.forEach((_, externalProjectName) => projectsToClose.add(externalProjectName)); for (const externalProject of projects) { this.openExternalProject( externalProject, /*cleanupAfter*/ false ); projectsToClose.delete(externalProject.projectFileName); } projectsToClose.forEach((externalProjectName) => this.closeExternalProject( externalProjectName, /*cleanupAfter*/ false )); this.cleanupConfiguredProjects(); this.printProjects(); } static escapeFilenameForRegex(filename) { return filename.replace(this.filenameEscapeRegexp, "\\$&"); } resetSafeList() { this.safelist = defaultTypeSafeList; } applySafeList(proj) { const typeAcquisition = proj.typeAcquisition; Debug.assert(!!typeAcquisition, "proj.typeAcquisition should be set by now"); const result = this.applySafeListWorker(proj, proj.rootFiles, typeAcquisition); return (result == null ? void 0 : result.excludedFiles) ?? []; } applySafeListWorker(proj, rootFiles2, typeAcquisition) { if (typeAcquisition.enable === false || typeAcquisition.disableFilenameBasedTypeAcquisition) { return void 0; } const typeAcqInclude = typeAcquisition.include || (typeAcquisition.include = []); const excludeRules = []; const normalizedNames = rootFiles2.map((f) => normalizeSlashes(f.fileName)); for (const name of Object.keys(this.safelist)) { const rule2 = this.safelist[name]; for (const root2 of normalizedNames) { if (rule2.match.test(root2)) { this.logger.info(`Excluding files based on rule ${name} matching file '${root2}'`); if (rule2.types) { for (const type of rule2.types) { if (!typeAcqInclude.includes(type)) { typeAcqInclude.push(type); } } } if (rule2.exclude) { for (const exclude of rule2.exclude) { const processedRule = root2.replace(rule2.match, (...groups) => { return exclude.map((groupNumberOrString) => { if (typeof groupNumberOrString === "number") { if (!isString2(groups[groupNumberOrString])) { this.logger.info(`Incorrect RegExp specification in safelist rule ${name} - not enough groups`); return "\\*"; } return _ProjectService2.escapeFilenameForRegex(groups[groupNumberOrString]); } return groupNumberOrString; }).join(""); }); if (!excludeRules.includes(processedRule)) { excludeRules.push(processedRule); } } } else { const escaped = _ProjectService2.escapeFilenameForRegex(root2); if (!excludeRules.includes(escaped)) { excludeRules.push(escaped); } } } } } const excludeRegexes = excludeRules.map((e) => new RegExp(e, "i")); let filesToKeep; let excludedFiles; for (let i = 0; i < rootFiles2.length; i++) { if (excludeRegexes.some((re) => re.test(normalizedNames[i]))) { addExcludedFile(i); } else { if (typeAcquisition.enable) { const baseName = getBaseFileName(toFileNameLowerCase(normalizedNames[i])); if (fileExtensionIs(baseName, "js")) { const inferredTypingName = removeFileExtension(baseName); const cleanedTypingName = removeMinAndVersionNumbers(inferredTypingName); const typeName = this.legacySafelist.get(cleanedTypingName); if (typeName !== void 0) { this.logger.info(`Excluded '${normalizedNames[i]}' because it matched ${cleanedTypingName} from the legacy safelist`); addExcludedFile(i); if (!typeAcqInclude.includes(typeName)) { typeAcqInclude.push(typeName); } continue; } } } if (/^.+[.-]min\.js$/.test(normalizedNames[i])) { addExcludedFile(i); } else { filesToKeep == null ? void 0 : filesToKeep.push(rootFiles2[i]); } } } return excludedFiles ? { rootFiles: filesToKeep, excludedFiles } : void 0; function addExcludedFile(index) { if (!excludedFiles) { Debug.assert(!filesToKeep); filesToKeep = rootFiles2.slice(0, index); excludedFiles = []; } excludedFiles.push(normalizedNames[index]); } } // eslint-disable-line @typescript-eslint/unified-signatures openExternalProject(proj, cleanupAfter) { const existingExternalProject = this.findExternalProjectByProjectName(proj.projectFileName); let configuredProjects; let rootFiles2 = []; for (const file of proj.rootFiles) { const normalized = toNormalizedPath(file.fileName); if (getBaseConfigFileName(normalized)) { if (this.serverMode === 0 && this.host.fileExists(normalized)) { let project = this.findConfiguredProjectByProjectName(normalized); if (!project) { project = this.createConfiguredProject(normalized, `Creating configured project in external project: ${proj.projectFileName}`); if (!this.getHostPreferences().lazyConfiguredProjectsFromExternalProject) project.updateGraph(); } (configuredProjects ?? (configuredProjects = /* @__PURE__ */ new Set())).add(project); Debug.assert(!project.isClosed()); } } else { rootFiles2.push(file); } } if (configuredProjects) { this.externalProjectToConfiguredProjectMap.set(proj.projectFileName, configuredProjects); if (existingExternalProject) this.removeProject(existingExternalProject); } else { this.externalProjectToConfiguredProjectMap.delete(proj.projectFileName); const typeAcquisition = proj.typeAcquisition || {}; typeAcquisition.include = typeAcquisition.include || []; typeAcquisition.exclude = typeAcquisition.exclude || []; if (typeAcquisition.enable === void 0) { typeAcquisition.enable = hasNoTypeScriptSource(rootFiles2.map((f) => f.fileName)); } const excludeResult = this.applySafeListWorker(proj, rootFiles2, typeAcquisition); const excludedFiles = (excludeResult == null ? void 0 : excludeResult.excludedFiles) ?? []; rootFiles2 = (excludeResult == null ? void 0 : excludeResult.rootFiles) ?? rootFiles2; if (existingExternalProject) { existingExternalProject.excludedFiles = excludedFiles; const compilerOptions = convertCompilerOptions(proj.options); const watchOptionsAndErrors = convertWatchOptions(proj.options, existingExternalProject.getCurrentDirectory()); const lastFileExceededProgramSize = this.getFilenameForExceededTotalSizeLimitForNonTsFiles(proj.projectFileName, compilerOptions, rootFiles2, externalFilePropertyReader); if (lastFileExceededProgramSize) { existingExternalProject.disableLanguageService(lastFileExceededProgramSize); } else { existingExternalProject.enableLanguageService(); } existingExternalProject.setProjectErrors(watchOptionsAndErrors == null ? void 0 : watchOptionsAndErrors.errors); this.updateRootAndOptionsOfNonInferredProject(existingExternalProject, rootFiles2, externalFilePropertyReader, compilerOptions, typeAcquisition, proj.options.compileOnSave, watchOptionsAndErrors == null ? void 0 : watchOptionsAndErrors.watchOptions); existingExternalProject.updateGraph(); } else { const project = this.createExternalProject(proj.projectFileName, rootFiles2, proj.options, typeAcquisition, excludedFiles); project.updateGraph(); } } if (cleanupAfter) { this.cleanupConfiguredProjects( configuredProjects, new Set(proj.projectFileName) ); this.printProjects(); } } hasDeferredExtension() { for (const extension of this.hostConfiguration.extraFileExtensions) { if (extension.scriptKind === 7) { return true; } } return false; } /** * Performs the initial steps of enabling a plugin by finding and instantiating the module for a plugin either asynchronously or synchronously * @internal */ requestEnablePlugin(project, pluginConfigEntry, searchPaths) { if (!this.host.importPlugin && !this.host.require) { this.logger.info("Plugins were requested but not running in environment that supports 'require'. Nothing will be loaded"); return; } this.logger.info(`Enabling plugin ${pluginConfigEntry.name} from candidate paths: ${searchPaths.join(",")}`); if (!pluginConfigEntry.name || isExternalModuleNameRelative(pluginConfigEntry.name) || /[\\/]\.\.?($|[\\/])/.test(pluginConfigEntry.name)) { this.logger.info(`Skipped loading plugin ${pluginConfigEntry.name || JSON.stringify(pluginConfigEntry)} because only package name is allowed plugin name`); return; } if (this.host.importPlugin) { const importPromise = Project3.importServicePluginAsync( pluginConfigEntry, searchPaths, this.host, (s) => this.logger.info(s) ); this.pendingPluginEnablements ?? (this.pendingPluginEnablements = /* @__PURE__ */ new Map()); let promises = this.pendingPluginEnablements.get(project); if (!promises) this.pendingPluginEnablements.set(project, promises = []); promises.push(importPromise); return; } this.endEnablePlugin( project, Project3.importServicePluginSync( pluginConfigEntry, searchPaths, this.host, (s) => this.logger.info(s) ) ); } /** * Performs the remaining steps of enabling a plugin after its module has been instantiated. * @internal */ endEnablePlugin(project, { pluginConfigEntry, resolvedModule, errorLogs }) { var _a; if (resolvedModule) { const configurationOverride = (_a = this.currentPluginConfigOverrides) == null ? void 0 : _a.get(pluginConfigEntry.name); if (configurationOverride) { const pluginName = pluginConfigEntry.name; pluginConfigEntry = configurationOverride; pluginConfigEntry.name = pluginName; } project.enableProxy(resolvedModule, pluginConfigEntry); } else { forEach(errorLogs, (message) => this.logger.info(message)); this.logger.info(`Couldn't find ${pluginConfigEntry.name}`); } } /** @internal */ hasNewPluginEnablementRequests() { return !!this.pendingPluginEnablements; } /** @internal */ hasPendingPluginEnablements() { return !!this.currentPluginEnablementPromise; } /** * Waits for any ongoing plugin enablement requests to complete. * * @internal */ async waitForPendingPlugins() { while (this.currentPluginEnablementPromise) { await this.currentPluginEnablementPromise; } } /** * Starts enabling any requested plugins without waiting for the result. * * @internal */ enableRequestedPlugins() { if (this.pendingPluginEnablements) { void this.enableRequestedPluginsAsync(); } } async enableRequestedPluginsAsync() { if (this.currentPluginEnablementPromise) { await this.waitForPendingPlugins(); } if (!this.pendingPluginEnablements) { return; } const entries = arrayFrom(this.pendingPluginEnablements.entries()); this.pendingPluginEnablements = void 0; this.currentPluginEnablementPromise = this.enableRequestedPluginsWorker(entries); await this.currentPluginEnablementPromise; } async enableRequestedPluginsWorker(pendingPlugins) { Debug.assert(this.currentPluginEnablementPromise === void 0); let sendProjectsUpdatedInBackgroundEvent = false; await Promise.all(map(pendingPlugins, async ([project, promises]) => { const results = await Promise.all(promises); if (project.isClosed() || isProjectDeferredClose(project)) { this.logger.info(`Cancelling plugin enabling for ${project.getProjectName()} as it is ${project.isClosed() ? "closed" : "deferred close"}`); return; } sendProjectsUpdatedInBackgroundEvent = true; for (const result of results) { this.endEnablePlugin(project, result); } this.delayUpdateProjectGraph(project); })); this.currentPluginEnablementPromise = void 0; if (sendProjectsUpdatedInBackgroundEvent) this.sendProjectsUpdatedInBackgroundEvent(); } configurePlugin(args) { this.forEachEnabledProject((project) => project.onPluginConfigurationChanged(args.pluginName, args.configuration)); this.currentPluginConfigOverrides = this.currentPluginConfigOverrides || /* @__PURE__ */ new Map(); this.currentPluginConfigOverrides.set(args.pluginName, args.configuration); } /** @internal */ getPackageJsonsVisibleToFile(fileName, project, rootDir) { const packageJsonCache = this.packageJsonCache; const rootPath = rootDir && this.toPath(rootDir); const result = []; const processDirectory = (directory) => { switch (packageJsonCache.directoryHasPackageJson(directory)) { case 3: packageJsonCache.searchDirectoryAndAncestors(directory); return processDirectory(directory); case -1: const packageJsonFileName = combinePaths(directory, "package.json"); this.watchPackageJsonFile(packageJsonFileName, this.toPath(packageJsonFileName), project); const info = packageJsonCache.getInDirectory(directory); if (info) result.push(info); } if (rootPath && rootPath === directory) { return true; } }; forEachAncestorDirectory(getDirectoryPath(fileName), processDirectory); return result; } /** @internal */ getNearestAncestorDirectoryWithPackageJson(fileName) { return forEachAncestorDirectory(fileName, (directory) => { switch (this.packageJsonCache.directoryHasPackageJson(directory)) { case -1: return directory; case 0: return void 0; case 3: return this.host.fileExists(combinePaths(directory, "package.json")) ? directory : void 0; } }); } /** @internal */ watchPackageJsonFile(file, path17, project) { Debug.assert(project !== void 0); let result = (this.packageJsonFilesMap ?? (this.packageJsonFilesMap = /* @__PURE__ */ new Map())).get(path17); if (!result) { let watcher = this.watchFactory.watchFile( file, (fileName, eventKind) => { switch (eventKind) { case 0: case 1: this.packageJsonCache.addOrUpdate(fileName, path17); this.onPackageJsonChange(result); break; case 2: this.packageJsonCache.delete(path17); this.onPackageJsonChange(result); result.projects.clear(); result.close(); } }, 250, this.hostConfiguration.watchOptions, WatchType.PackageJson ); result = { projects: /* @__PURE__ */ new Set(), close: () => { var _a; if (result.projects.size || !watcher) return; watcher.close(); watcher = void 0; (_a = this.packageJsonFilesMap) == null ? void 0 : _a.delete(path17); this.packageJsonCache.invalidate(path17); } }; this.packageJsonFilesMap.set(path17, result); } result.projects.add(project); (project.packageJsonWatches ?? (project.packageJsonWatches = /* @__PURE__ */ new Set())).add(result); } /** @internal */ onPackageJsonChange(result) { result.projects.forEach((project) => { var _a; return (_a = project.onPackageJsonChange) == null ? void 0 : _a.call(project); }); } /** @internal */ includePackageJsonAutoImports() { switch (this.hostConfiguration.preferences.includePackageJsonAutoImports) { case "on": return 1; case "off": return 0; default: return 2; } } /** @internal */ getIncompleteCompletionsCache() { return this.incompleteCompletionsCache || (this.incompleteCompletionsCache = createIncompleteCompletionsCache()); } }; _ProjectService.filenameEscapeRegexp = /[-/\\^$*+?.()|[\]{}]/g; var ProjectService3 = _ProjectService; function createIncompleteCompletionsCache() { let info; return { get() { return info; }, set(newInfo) { info = newInfo; }, clear() { info = void 0; } }; } function isConfigFile(config7) { return config7.kind !== void 0; } function printProjectWithoutFileNames(project) { project.print( /*writeProjectFileNames*/ false, /*writeFileExplaination*/ false, /*writeFileVersionAndText*/ false ); } function createModuleSpecifierCache(host) { let containedNodeModulesWatchers; let cache; let currentKey; const result = { get(fromFileName, toFileName2, preferences, options) { if (!cache || currentKey !== key(fromFileName, preferences, options)) return void 0; return cache.get(toFileName2); }, set(fromFileName, toFileName2, preferences, options, kind, modulePaths, moduleSpecifiers2) { ensureCache(fromFileName, preferences, options).set(toFileName2, createInfo( kind, modulePaths, moduleSpecifiers2, /*isBlockedByPackageJsonDependencies*/ false )); if (moduleSpecifiers2) { for (const p of modulePaths) { if (p.isInNodeModules) { const nodeModulesPath = p.path.substring(0, p.path.indexOf(nodeModulesPathPart) + nodeModulesPathPart.length - 1); const key2 = host.toPath(nodeModulesPath); if (!(containedNodeModulesWatchers == null ? void 0 : containedNodeModulesWatchers.has(key2))) { (containedNodeModulesWatchers || (containedNodeModulesWatchers = /* @__PURE__ */ new Map())).set( key2, host.watchNodeModulesForPackageJsonChanges(nodeModulesPath) ); } } } } }, setModulePaths(fromFileName, toFileName2, preferences, options, modulePaths) { const cache2 = ensureCache(fromFileName, preferences, options); const info = cache2.get(toFileName2); if (info) { info.modulePaths = modulePaths; } else { cache2.set(toFileName2, createInfo( /*kind*/ void 0, modulePaths, /*moduleSpecifiers*/ void 0, /*isBlockedByPackageJsonDependencies*/ void 0 )); } }, setBlockedByPackageJsonDependencies(fromFileName, toFileName2, preferences, options, isBlockedByPackageJsonDependencies) { const cache2 = ensureCache(fromFileName, preferences, options); const info = cache2.get(toFileName2); if (info) { info.isBlockedByPackageJsonDependencies = isBlockedByPackageJsonDependencies; } else { cache2.set(toFileName2, createInfo( /*kind*/ void 0, /*modulePaths*/ void 0, /*moduleSpecifiers*/ void 0, isBlockedByPackageJsonDependencies )); } }, clear() { containedNodeModulesWatchers == null ? void 0 : containedNodeModulesWatchers.forEach(closeFileWatcher); cache == null ? void 0 : cache.clear(); containedNodeModulesWatchers == null ? void 0 : containedNodeModulesWatchers.clear(); currentKey = void 0; }, count() { return cache ? cache.size : 0; } }; if (Debug.isDebugging) { Object.defineProperty(result, "__cache", { get: () => cache }); } return result; function ensureCache(fromFileName, preferences, options) { const newKey = key(fromFileName, preferences, options); if (cache && currentKey !== newKey) { result.clear(); } currentKey = newKey; return cache || (cache = /* @__PURE__ */ new Map()); } function key(fromFileName, preferences, options) { return `${fromFileName},${preferences.importModuleSpecifierEnding},${preferences.importModuleSpecifierPreference},${options.overrideImportMode}`; } function createInfo(kind, modulePaths, moduleSpecifiers2, isBlockedByPackageJsonDependencies) { return { kind, modulePaths, moduleSpecifiers: moduleSpecifiers2, isBlockedByPackageJsonDependencies }; } } function createPackageJsonCache(host) { const packageJsons = /* @__PURE__ */ new Map(); const directoriesWithoutPackageJson = /* @__PURE__ */ new Map(); return { addOrUpdate, invalidate, delete: (fileName) => { packageJsons.delete(fileName); directoriesWithoutPackageJson.set(getDirectoryPath(fileName), true); }, getInDirectory: (directory) => { return packageJsons.get(host.toPath(combinePaths(directory, "package.json"))) || void 0; }, directoryHasPackageJson: (directory) => directoryHasPackageJson(host.toPath(directory)), searchDirectoryAndAncestors: (directory) => { forEachAncestorDirectory(directory, (ancestor) => { const ancestorPath = host.toPath(ancestor); if (directoryHasPackageJson(ancestorPath) !== 3) { return true; } const packageJsonFileName = combinePaths(ancestor, "package.json"); if (tryFileExists(host, packageJsonFileName)) { addOrUpdate(packageJsonFileName, combinePaths(ancestorPath, "package.json")); } else { directoriesWithoutPackageJson.set(ancestorPath, true); } }); } }; function addOrUpdate(fileName, path17) { const packageJsonInfo = Debug.checkDefined(createPackageJsonInfo(fileName, host.host)); packageJsons.set(path17, packageJsonInfo); directoriesWithoutPackageJson.delete(getDirectoryPath(path17)); } function invalidate(path17) { packageJsons.delete(path17); directoriesWithoutPackageJson.delete(getDirectoryPath(path17)); } function directoryHasPackageJson(directory) { return packageJsons.has(combinePaths(directory, "package.json")) ? -1 : directoriesWithoutPackageJson.has(directory) ? 0 : 3; } } var nullCancellationToken = { isCancellationRequested: () => false, setRequest: () => void 0, resetRequest: () => void 0 }; function hrTimeToMilliseconds(time) { const seconds = time[0]; const nanoseconds = time[1]; return (1e9 * seconds + nanoseconds) / 1e6; } function isDeclarationFileInJSOnlyNonConfiguredProject(project, file) { if ((isInferredProject(project) || isExternalProject(project)) && project.isJsOnlyProject()) { const scriptInfo = project.getScriptInfoForNormalizedPath(file); return scriptInfo && !scriptInfo.isJavaScript(); } return false; } function dtsChangeCanAffectEmit(compilationSettings) { return getEmitDeclarations(compilationSettings) || !!compilationSettings.emitDecoratorMetadata; } function formatDiag(fileName, project, diag2) { const scriptInfo = project.getScriptInfoForNormalizedPath(fileName); return { start: scriptInfo.positionToLineOffset(diag2.start), end: scriptInfo.positionToLineOffset(diag2.start + diag2.length), // TODO: GH#18217 text: flattenDiagnosticMessageText(diag2.messageText, "\n"), code: diag2.code, category: diagnosticCategoryName(diag2), reportsUnnecessary: diag2.reportsUnnecessary, reportsDeprecated: diag2.reportsDeprecated, source: diag2.source, relatedInformation: map(diag2.relatedInformation, formatRelatedInformation) }; } function formatRelatedInformation(info) { if (!info.file) { return { message: flattenDiagnosticMessageText(info.messageText, "\n"), category: diagnosticCategoryName(info), code: info.code }; } return { span: { start: convertToLocation(getLineAndCharacterOfPosition(info.file, info.start)), end: convertToLocation(getLineAndCharacterOfPosition(info.file, info.start + info.length)), // TODO: GH#18217 file: info.file.fileName }, message: flattenDiagnosticMessageText(info.messageText, "\n"), category: diagnosticCategoryName(info), code: info.code }; } function convertToLocation(lineAndCharacter) { return { line: lineAndCharacter.line + 1, offset: lineAndCharacter.character + 1 }; } function formatDiagnosticToProtocol(diag2, includeFileName) { const start = diag2.file && convertToLocation(getLineAndCharacterOfPosition(diag2.file, diag2.start)); const end = diag2.file && convertToLocation(getLineAndCharacterOfPosition(diag2.file, diag2.start + diag2.length)); const text = flattenDiagnosticMessageText(diag2.messageText, "\n"); const { code, source } = diag2; const category = diagnosticCategoryName(diag2); const common = { start, end, text, code, category, reportsUnnecessary: diag2.reportsUnnecessary, reportsDeprecated: diag2.reportsDeprecated, source, relatedInformation: map(diag2.relatedInformation, formatRelatedInformation) }; return includeFileName ? { ...common, fileName: diag2.file && diag2.file.fileName } : common; } function allEditsBeforePos(edits, pos) { return edits.every((edit) => textSpanEnd(edit.span) < pos); } var CommandNames = CommandTypes; function formatMessage2(msg, logger, byteLength, newLine) { const verboseLogging = logger.hasLevel( 3 /* verbose */ ); const json = JSON.stringify(msg); if (verboseLogging) { logger.info(`${msg.type}:${stringifyIndented(msg)}`); } const len = byteLength(json, "utf8"); return `Content-Length: ${1 + len}\r \r ${json}${newLine}`; } var MultistepOperation = class { constructor(operationHost) { this.operationHost = operationHost; } startNew(action) { this.complete(); this.requestId = this.operationHost.getCurrentRequestId(); this.executeAction(action); } complete() { if (this.requestId !== void 0) { this.operationHost.sendRequestCompletedEvent(this.requestId); this.requestId = void 0; } this.setTimerHandle(void 0); this.setImmediateId(void 0); } immediate(actionType, action) { const requestId = this.requestId; Debug.assert(requestId === this.operationHost.getCurrentRequestId(), "immediate: incorrect request id"); this.setImmediateId( this.operationHost.getServerHost().setImmediate(() => { this.immediateId = void 0; this.operationHost.executeWithRequestId(requestId, () => this.executeAction(action)); }, actionType) ); } delay(actionType, ms, action) { const requestId = this.requestId; Debug.assert(requestId === this.operationHost.getCurrentRequestId(), "delay: incorrect request id"); this.setTimerHandle( this.operationHost.getServerHost().setTimeout( () => { this.timerHandle = void 0; this.operationHost.executeWithRequestId(requestId, () => this.executeAction(action)); }, ms, actionType ) ); } executeAction(action) { var _a, _b, _c, _d, _e, _f; let stop = false; try { if (this.operationHost.isCancellationRequested()) { stop = true; (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.Session, "stepCanceled", { seq: this.requestId, early: true }); } else { (_b = tracing) == null ? void 0 : _b.push(tracing.Phase.Session, "stepAction", { seq: this.requestId }); action(this); (_c = tracing) == null ? void 0 : _c.pop(); } } catch (e) { (_d = tracing) == null ? void 0 : _d.popAll(); stop = true; if (e instanceof OperationCanceledException) { (_e = tracing) == null ? void 0 : _e.instant(tracing.Phase.Session, "stepCanceled", { seq: this.requestId }); } else { (_f = tracing) == null ? void 0 : _f.instant(tracing.Phase.Session, "stepError", { seq: this.requestId, message: e.message }); this.operationHost.logError(e, `delayed processing of request ${this.requestId}`); } } if (stop || !this.hasPendingWork()) { this.complete(); } } setTimerHandle(timerHandle) { if (this.timerHandle !== void 0) { this.operationHost.getServerHost().clearTimeout(this.timerHandle); } this.timerHandle = timerHandle; } setImmediateId(immediateId) { if (this.immediateId !== void 0) { this.operationHost.getServerHost().clearImmediate(this.immediateId); } this.immediateId = immediateId; } hasPendingWork() { return !!this.timerHandle || !!this.immediateId; } }; function toEvent(eventName, body) { return { seq: 0, type: "event", event: eventName, body }; } function combineProjectOutput(defaultValue, getValue2, projects, action) { const outputs = flatMapToMutable(isArray3(projects) ? projects : projects.projects, (project) => action(project, defaultValue)); if (!isArray3(projects) && projects.symLinkedProjects) { projects.symLinkedProjects.forEach((projects2, path17) => { const value = getValue2(path17); outputs.push(...flatMap(projects2, (project) => action(project, value))); }); } return deduplicate(outputs, equateValues); } function createDocumentSpanSet(useCaseSensitiveFileNames2) { return createSet(({ textSpan }) => textSpan.start + 100003 * textSpan.length, getDocumentSpansEqualityComparer(useCaseSensitiveFileNames2)); } function getRenameLocationsWorker(projects, defaultProject, initialLocation, findInStrings, findInComments, preferences, useCaseSensitiveFileNames2) { const perProjectResults = getPerProjectReferences( projects, defaultProject, initialLocation, /*isForRename*/ true, (project, position) => project.getLanguageService().findRenameLocations(position.fileName, position.pos, findInStrings, findInComments, preferences), (renameLocation, cb) => cb(documentSpanLocation(renameLocation)) ); if (isArray3(perProjectResults)) { return perProjectResults; } const results = []; const seen = createDocumentSpanSet(useCaseSensitiveFileNames2); perProjectResults.forEach((projectResults, project) => { for (const result of projectResults) { if (!seen.has(result) && !getMappedLocationForProject(documentSpanLocation(result), project)) { results.push(result); seen.add(result); } } }); return results; } function getDefinitionLocation(defaultProject, initialLocation, isForRename) { const infos = defaultProject.getLanguageService().getDefinitionAtPosition( initialLocation.fileName, initialLocation.pos, /*searchOtherFilesOnly*/ false, /*stopAtAlias*/ isForRename ); const info = infos && firstOrUndefined(infos); return info && !info.isLocal ? { fileName: info.fileName, pos: info.textSpan.start } : void 0; } function getReferencesWorker(projects, defaultProject, initialLocation, useCaseSensitiveFileNames2, logger) { var _a, _b; const perProjectResults = getPerProjectReferences( projects, defaultProject, initialLocation, /*isForRename*/ false, (project, position) => { logger.info(`Finding references to ${position.fileName} position ${position.pos} in project ${project.getProjectName()}`); return project.getLanguageService().findReferences(position.fileName, position.pos); }, (referencedSymbol, cb) => { cb(documentSpanLocation(referencedSymbol.definition)); for (const ref of referencedSymbol.references) { cb(documentSpanLocation(ref)); } } ); if (isArray3(perProjectResults)) { return perProjectResults; } const defaultProjectResults = perProjectResults.get(defaultProject); if (((_b = (_a = defaultProjectResults == null ? void 0 : defaultProjectResults[0]) == null ? void 0 : _a.references[0]) == null ? void 0 : _b.isDefinition) === void 0) { perProjectResults.forEach((projectResults) => { for (const referencedSymbol of projectResults) { for (const ref of referencedSymbol.references) { delete ref.isDefinition; } } }); } else { const knownSymbolSpans = createDocumentSpanSet(useCaseSensitiveFileNames2); for (const referencedSymbol of defaultProjectResults) { for (const ref of referencedSymbol.references) { if (ref.isDefinition) { knownSymbolSpans.add(ref); break; } } } const updatedProjects = /* @__PURE__ */ new Set(); while (true) { let progress = false; perProjectResults.forEach((referencedSymbols, project) => { if (updatedProjects.has(project)) return; const updated = project.getLanguageService().updateIsDefinitionOfReferencedSymbols(referencedSymbols, knownSymbolSpans); if (updated) { updatedProjects.add(project); progress = true; } }); if (!progress) break; } perProjectResults.forEach((referencedSymbols, project) => { if (updatedProjects.has(project)) return; for (const referencedSymbol of referencedSymbols) { for (const ref of referencedSymbol.references) { ref.isDefinition = false; } } }); } const results = []; const seenRefs = createDocumentSpanSet(useCaseSensitiveFileNames2); perProjectResults.forEach((projectResults, project) => { for (const referencedSymbol of projectResults) { const mappedDefinitionFile = getMappedLocationForProject(documentSpanLocation(referencedSymbol.definition), project); const definition = mappedDefinitionFile === void 0 ? referencedSymbol.definition : { ...referencedSymbol.definition, textSpan: createTextSpan(mappedDefinitionFile.pos, referencedSymbol.definition.textSpan.length), // Why would the length be the same in the original? fileName: mappedDefinitionFile.fileName, contextSpan: getMappedContextSpanForProject(referencedSymbol.definition, project) }; let symbolToAddTo = find(results, (o) => documentSpansEqual(o.definition, definition, useCaseSensitiveFileNames2)); if (!symbolToAddTo) { symbolToAddTo = { definition, references: [] }; results.push(symbolToAddTo); } for (const ref of referencedSymbol.references) { if (!seenRefs.has(ref) && !getMappedLocationForProject(documentSpanLocation(ref), project)) { seenRefs.add(ref); symbolToAddTo.references.push(ref); } } } }); return results.filter((o) => o.references.length !== 0); } function forEachProjectInProjects(projects, path17, cb) { for (const project of isArray3(projects) ? projects : projects.projects) { cb(project, path17); } if (!isArray3(projects) && projects.symLinkedProjects) { projects.symLinkedProjects.forEach((symlinkedProjects, symlinkedPath) => { for (const project of symlinkedProjects) { cb(project, symlinkedPath); } }); } } function getPerProjectReferences(projects, defaultProject, initialLocation, isForRename, getResultsForPosition, forPositionInResult) { const resultsMap = /* @__PURE__ */ new Map(); const queue = createQueue(); queue.enqueue({ project: defaultProject, location: initialLocation }); forEachProjectInProjects(projects, initialLocation.fileName, (project, path17) => { const location = { fileName: path17, pos: initialLocation.pos }; queue.enqueue({ project, location }); }); const projectService = defaultProject.projectService; const cancellationToken = defaultProject.getCancellationToken(); const defaultDefinition = getDefinitionLocation(defaultProject, initialLocation, isForRename); const getGeneratedDefinition = memoize( () => defaultProject.isSourceOfProjectReferenceRedirect(defaultDefinition.fileName) ? defaultDefinition : defaultProject.getLanguageService().getSourceMapper().tryGetGeneratedPosition(defaultDefinition) ); const getSourceDefinition = memoize( () => defaultProject.isSourceOfProjectReferenceRedirect(defaultDefinition.fileName) ? defaultDefinition : defaultProject.getLanguageService().getSourceMapper().tryGetSourcePosition(defaultDefinition) ); const searchedProjectKeys = /* @__PURE__ */ new Set(); onCancellation: while (!queue.isEmpty()) { while (!queue.isEmpty()) { if (cancellationToken.isCancellationRequested()) break onCancellation; const { project, location } = queue.dequeue(); if (resultsMap.has(project)) continue; if (isLocationProjectReferenceRedirect(project, location)) continue; updateProjectIfDirty(project); if (!project.containsFile(toNormalizedPath(location.fileName))) { continue; } const projectResults = searchPosition(project, location); resultsMap.set(project, projectResults ?? emptyArray2); searchedProjectKeys.add(getProjectKey(project)); } if (defaultDefinition) { projectService.loadAncestorProjectTree(searchedProjectKeys); projectService.forEachEnabledProject((project) => { if (cancellationToken.isCancellationRequested()) return; if (resultsMap.has(project)) return; const location = mapDefinitionInProject(defaultDefinition, project, getGeneratedDefinition, getSourceDefinition); if (location) { queue.enqueue({ project, location }); } }); } } if (resultsMap.size === 1) { return firstIterator(resultsMap.values()); } return resultsMap; function searchPosition(project, location) { const projectResults = getResultsForPosition(project, location); if (!projectResults) return void 0; for (const result of projectResults) { forPositionInResult(result, (position) => { const originalLocation = projectService.getOriginalLocationEnsuringConfiguredProject(project, position); if (!originalLocation) return; const originalScriptInfo = projectService.getScriptInfo(originalLocation.fileName); for (const project2 of originalScriptInfo.containingProjects) { if (!project2.isOrphan() && !resultsMap.has(project2)) { queue.enqueue({ project: project2, location: originalLocation }); } } const symlinkedProjectsMap = projectService.getSymlinkedProjects(originalScriptInfo); if (symlinkedProjectsMap) { symlinkedProjectsMap.forEach((symlinkedProjects, symlinkedPath) => { for (const symlinkedProject of symlinkedProjects) { if (!symlinkedProject.isOrphan() && !resultsMap.has(symlinkedProject)) { queue.enqueue({ project: symlinkedProject, location: { fileName: symlinkedPath, pos: originalLocation.pos } }); } } }); } }); } return projectResults; } } function mapDefinitionInProject(definition, project, getGeneratedDefinition, getSourceDefinition) { if (project.containsFile(toNormalizedPath(definition.fileName)) && !isLocationProjectReferenceRedirect(project, definition)) { return definition; } const generatedDefinition = getGeneratedDefinition(); if (generatedDefinition && project.containsFile(toNormalizedPath(generatedDefinition.fileName))) return generatedDefinition; const sourceDefinition = getSourceDefinition(); return sourceDefinition && project.containsFile(toNormalizedPath(sourceDefinition.fileName)) ? sourceDefinition : void 0; } function isLocationProjectReferenceRedirect(project, location) { if (!location) return false; const program = project.getLanguageService().getProgram(); if (!program) return false; const sourceFile = program.getSourceFile(location.fileName); return !!sourceFile && sourceFile.resolvedPath !== sourceFile.path && sourceFile.resolvedPath !== project.toPath(location.fileName); } function getProjectKey(project) { return isConfiguredProject(project) ? project.canonicalConfigFilePath : project.getProjectName(); } function documentSpanLocation({ fileName, textSpan }) { return { fileName, pos: textSpan.start }; } function getMappedLocationForProject(location, project) { return getMappedLocation(location, project.getSourceMapper(), (p) => project.projectService.fileExists(p)); } function getMappedDocumentSpanForProject(documentSpan, project) { return getMappedDocumentSpan(documentSpan, project.getSourceMapper(), (p) => project.projectService.fileExists(p)); } function getMappedContextSpanForProject(documentSpan, project) { return getMappedContextSpan(documentSpan, project.getSourceMapper(), (p) => project.projectService.fileExists(p)); } var invalidPartialSemanticModeCommands = [ "openExternalProject", "openExternalProjects", "closeExternalProject", "synchronizeProjectList", "emit-output", "compileOnSaveAffectedFileList", "compileOnSaveEmitFile", "compilerOptionsDiagnostics-full", "encodedSemanticClassifications-full", "semanticDiagnosticsSync", "suggestionDiagnosticsSync", "geterrForProject", "reload", "reloadProjects", "getCodeFixes", "getCodeFixes-full", "getCombinedCodeFix", "getCombinedCodeFix-full", "applyCodeActionCommand", "getSupportedCodeFixes", "getApplicableRefactors", "getMoveToRefactoringFileSuggestions", "getEditsForRefactor", "getEditsForRefactor-full", "organizeImports", "organizeImports-full", "getEditsForFileRename", "getEditsForFileRename-full", "prepareCallHierarchy", "provideCallHierarchyIncomingCalls", "provideCallHierarchyOutgoingCalls", "getPasteEdits" /* GetPasteEdits */ ]; var invalidSyntacticModeCommands = [ ...invalidPartialSemanticModeCommands, "definition", "definition-full", "definitionAndBoundSpan", "definitionAndBoundSpan-full", "typeDefinition", "implementation", "implementation-full", "references", "references-full", "rename", "renameLocations-full", "rename-full", "quickinfo", "quickinfo-full", "completionInfo", "completions", "completions-full", "completionEntryDetails", "completionEntryDetails-full", "signatureHelp", "signatureHelp-full", "navto", "navto-full", "documentHighlights", "documentHighlights-full" /* DocumentHighlightsFull */ ]; var Session3 = class _Session { constructor(opts) { this.changeSeq = 0; this.handlers = new Map(Object.entries({ // TODO(jakebailey): correctly type the handlers [ "status" /* Status */ ]: () => { const response = { version }; return this.requiredResponse(response); }, [ "openExternalProject" /* OpenExternalProject */ ]: (request) => { this.projectService.openExternalProject( request.arguments, /*cleanupAfter*/ true ); return this.requiredResponse( /*response*/ true ); }, [ "openExternalProjects" /* OpenExternalProjects */ ]: (request) => { this.projectService.openExternalProjects(request.arguments.projects); return this.requiredResponse( /*response*/ true ); }, [ "closeExternalProject" /* CloseExternalProject */ ]: (request) => { this.projectService.closeExternalProject( request.arguments.projectFileName, /*cleanupAfter*/ true ); return this.requiredResponse( /*response*/ true ); }, [ "synchronizeProjectList" /* SynchronizeProjectList */ ]: (request) => { const result = this.projectService.synchronizeProjectList(request.arguments.knownProjects, request.arguments.includeProjectReferenceRedirectInfo); if (!result.some((p) => p.projectErrors && p.projectErrors.length !== 0)) { return this.requiredResponse(result); } const converted = map(result, (p) => { if (!p.projectErrors || p.projectErrors.length === 0) { return p; } return { info: p.info, changes: p.changes, files: p.files, projectErrors: this.convertToDiagnosticsWithLinePosition( p.projectErrors, /*scriptInfo*/ void 0 ) }; }); return this.requiredResponse(converted); }, [ "updateOpen" /* UpdateOpen */ ]: (request) => { this.changeSeq++; this.projectService.applyChangesInOpenFiles( request.arguments.openFiles && mapIterator(request.arguments.openFiles, (file) => ({ fileName: file.file, content: file.fileContent, scriptKind: file.scriptKindName, projectRootPath: file.projectRootPath })), request.arguments.changedFiles && mapIterator(request.arguments.changedFiles, (file) => ({ fileName: file.fileName, changes: mapDefinedIterator(arrayReverseIterator(file.textChanges), (change) => { const scriptInfo = Debug.checkDefined(this.projectService.getScriptInfo(file.fileName)); const start = scriptInfo.lineOffsetToPosition(change.start.line, change.start.offset); const end = scriptInfo.lineOffsetToPosition(change.end.line, change.end.offset); return start >= 0 ? { span: { start, length: end - start }, newText: change.newText } : void 0; }) })), request.arguments.closedFiles ); return this.requiredResponse( /*response*/ true ); }, [ "applyChangedToOpenFiles" /* ApplyChangedToOpenFiles */ ]: (request) => { this.changeSeq++; this.projectService.applyChangesInOpenFiles( request.arguments.openFiles, request.arguments.changedFiles && mapIterator(request.arguments.changedFiles, (file) => ({ fileName: file.fileName, // apply changes in reverse order changes: arrayReverseIterator(file.changes) })), request.arguments.closedFiles ); return this.requiredResponse( /*response*/ true ); }, [ "exit" /* Exit */ ]: () => { this.exit(); return this.notRequired(); }, [ "definition" /* Definition */ ]: (request) => { return this.requiredResponse(this.getDefinition( request.arguments, /*simplifiedResult*/ true )); }, [ "definition-full" /* DefinitionFull */ ]: (request) => { return this.requiredResponse(this.getDefinition( request.arguments, /*simplifiedResult*/ false )); }, [ "definitionAndBoundSpan" /* DefinitionAndBoundSpan */ ]: (request) => { return this.requiredResponse(this.getDefinitionAndBoundSpan( request.arguments, /*simplifiedResult*/ true )); }, [ "definitionAndBoundSpan-full" /* DefinitionAndBoundSpanFull */ ]: (request) => { return this.requiredResponse(this.getDefinitionAndBoundSpan( request.arguments, /*simplifiedResult*/ false )); }, [ "findSourceDefinition" /* FindSourceDefinition */ ]: (request) => { return this.requiredResponse(this.findSourceDefinition(request.arguments)); }, [ "emit-output" /* EmitOutput */ ]: (request) => { return this.requiredResponse(this.getEmitOutput(request.arguments)); }, [ "typeDefinition" /* TypeDefinition */ ]: (request) => { return this.requiredResponse(this.getTypeDefinition(request.arguments)); }, [ "implementation" /* Implementation */ ]: (request) => { return this.requiredResponse(this.getImplementation( request.arguments, /*simplifiedResult*/ true )); }, [ "implementation-full" /* ImplementationFull */ ]: (request) => { return this.requiredResponse(this.getImplementation( request.arguments, /*simplifiedResult*/ false )); }, [ "references" /* References */ ]: (request) => { return this.requiredResponse(this.getReferences( request.arguments, /*simplifiedResult*/ true )); }, [ "references-full" /* ReferencesFull */ ]: (request) => { return this.requiredResponse(this.getReferences( request.arguments, /*simplifiedResult*/ false )); }, [ "rename" /* Rename */ ]: (request) => { return this.requiredResponse(this.getRenameLocations( request.arguments, /*simplifiedResult*/ true )); }, [ "renameLocations-full" /* RenameLocationsFull */ ]: (request) => { return this.requiredResponse(this.getRenameLocations( request.arguments, /*simplifiedResult*/ false )); }, [ "rename-full" /* RenameInfoFull */ ]: (request) => { return this.requiredResponse(this.getRenameInfo(request.arguments)); }, [ "open" /* Open */ ]: (request) => { this.openClientFile( toNormalizedPath(request.arguments.file), request.arguments.fileContent, convertScriptKindName(request.arguments.scriptKindName), // TODO: GH#18217 request.arguments.projectRootPath ? toNormalizedPath(request.arguments.projectRootPath) : void 0 ); return this.notRequired(); }, [ "quickinfo" /* Quickinfo */ ]: (request) => { return this.requiredResponse(this.getQuickInfoWorker( request.arguments, /*simplifiedResult*/ true )); }, [ "quickinfo-full" /* QuickinfoFull */ ]: (request) => { return this.requiredResponse(this.getQuickInfoWorker( request.arguments, /*simplifiedResult*/ false )); }, [ "getOutliningSpans" /* GetOutliningSpans */ ]: (request) => { return this.requiredResponse(this.getOutliningSpans( request.arguments, /*simplifiedResult*/ true )); }, [ "outliningSpans" /* GetOutliningSpansFull */ ]: (request) => { return this.requiredResponse(this.getOutliningSpans( request.arguments, /*simplifiedResult*/ false )); }, [ "todoComments" /* TodoComments */ ]: (request) => { return this.requiredResponse(this.getTodoComments(request.arguments)); }, [ "indentation" /* Indentation */ ]: (request) => { return this.requiredResponse(this.getIndentation(request.arguments)); }, [ "nameOrDottedNameSpan" /* NameOrDottedNameSpan */ ]: (request) => { return this.requiredResponse(this.getNameOrDottedNameSpan(request.arguments)); }, [ "breakpointStatement" /* BreakpointStatement */ ]: (request) => { return this.requiredResponse(this.getBreakpointStatement(request.arguments)); }, [ "braceCompletion" /* BraceCompletion */ ]: (request) => { return this.requiredResponse(this.isValidBraceCompletion(request.arguments)); }, [ "docCommentTemplate" /* DocCommentTemplate */ ]: (request) => { return this.requiredResponse(this.getDocCommentTemplate(request.arguments)); }, [ "getSpanOfEnclosingComment" /* GetSpanOfEnclosingComment */ ]: (request) => { return this.requiredResponse(this.getSpanOfEnclosingComment(request.arguments)); }, [ "fileReferences" /* FileReferences */ ]: (request) => { return this.requiredResponse(this.getFileReferences( request.arguments, /*simplifiedResult*/ true )); }, [ "fileReferences-full" /* FileReferencesFull */ ]: (request) => { return this.requiredResponse(this.getFileReferences( request.arguments, /*simplifiedResult*/ false )); }, [ "format" /* Format */ ]: (request) => { return this.requiredResponse(this.getFormattingEditsForRange(request.arguments)); }, [ "formatonkey" /* Formatonkey */ ]: (request) => { return this.requiredResponse(this.getFormattingEditsAfterKeystroke(request.arguments)); }, [ "format-full" /* FormatFull */ ]: (request) => { return this.requiredResponse(this.getFormattingEditsForDocumentFull(request.arguments)); }, [ "formatonkey-full" /* FormatonkeyFull */ ]: (request) => { return this.requiredResponse(this.getFormattingEditsAfterKeystrokeFull(request.arguments)); }, [ "formatRange-full" /* FormatRangeFull */ ]: (request) => { return this.requiredResponse(this.getFormattingEditsForRangeFull(request.arguments)); }, [ "completionInfo" /* CompletionInfo */ ]: (request) => { return this.requiredResponse(this.getCompletions( request.arguments, "completionInfo" /* CompletionInfo */ )); }, [ "completions" /* Completions */ ]: (request) => { return this.requiredResponse(this.getCompletions( request.arguments, "completions" /* Completions */ )); }, [ "completions-full" /* CompletionsFull */ ]: (request) => { return this.requiredResponse(this.getCompletions( request.arguments, "completions-full" /* CompletionsFull */ )); }, [ "completionEntryDetails" /* CompletionDetails */ ]: (request) => { return this.requiredResponse(this.getCompletionEntryDetails( request.arguments, /*fullResult*/ false )); }, [ "completionEntryDetails-full" /* CompletionDetailsFull */ ]: (request) => { return this.requiredResponse(this.getCompletionEntryDetails( request.arguments, /*fullResult*/ true )); }, [ "compileOnSaveAffectedFileList" /* CompileOnSaveAffectedFileList */ ]: (request) => { return this.requiredResponse(this.getCompileOnSaveAffectedFileList(request.arguments)); }, [ "compileOnSaveEmitFile" /* CompileOnSaveEmitFile */ ]: (request) => { return this.requiredResponse(this.emitFile(request.arguments)); }, [ "signatureHelp" /* SignatureHelp */ ]: (request) => { return this.requiredResponse(this.getSignatureHelpItems( request.arguments, /*simplifiedResult*/ true )); }, [ "signatureHelp-full" /* SignatureHelpFull */ ]: (request) => { return this.requiredResponse(this.getSignatureHelpItems( request.arguments, /*simplifiedResult*/ false )); }, [ "compilerOptionsDiagnostics-full" /* CompilerOptionsDiagnosticsFull */ ]: (request) => { return this.requiredResponse(this.getCompilerOptionsDiagnostics(request.arguments)); }, [ "encodedSyntacticClassifications-full" /* EncodedSyntacticClassificationsFull */ ]: (request) => { return this.requiredResponse(this.getEncodedSyntacticClassifications(request.arguments)); }, [ "encodedSemanticClassifications-full" /* EncodedSemanticClassificationsFull */ ]: (request) => { return this.requiredResponse(this.getEncodedSemanticClassifications(request.arguments)); }, [ "cleanup" /* Cleanup */ ]: () => { this.cleanup(); return this.requiredResponse( /*response*/ true ); }, [ "semanticDiagnosticsSync" /* SemanticDiagnosticsSync */ ]: (request) => { return this.requiredResponse(this.getSemanticDiagnosticsSync(request.arguments)); }, [ "syntacticDiagnosticsSync" /* SyntacticDiagnosticsSync */ ]: (request) => { return this.requiredResponse(this.getSyntacticDiagnosticsSync(request.arguments)); }, [ "suggestionDiagnosticsSync" /* SuggestionDiagnosticsSync */ ]: (request) => { return this.requiredResponse(this.getSuggestionDiagnosticsSync(request.arguments)); }, [ "geterr" /* Geterr */ ]: (request) => { this.errorCheck.startNew((next) => this.getDiagnostics(next, request.arguments.delay, request.arguments.files)); return this.notRequired(); }, [ "geterrForProject" /* GeterrForProject */ ]: (request) => { this.errorCheck.startNew((next) => this.getDiagnosticsForProject(next, request.arguments.delay, request.arguments.file)); return this.notRequired(); }, [ "change" /* Change */ ]: (request) => { this.change(request.arguments); return this.notRequired(); }, [ "configure" /* Configure */ ]: (request) => { this.projectService.setHostConfiguration(request.arguments); this.doOutput( /*info*/ void 0, "configure", request.seq, /*success*/ true ); return this.notRequired(); }, [ "reload" /* Reload */ ]: (request) => { this.reload(request.arguments, request.seq); return this.requiredResponse({ reloadFinished: true }); }, [ "saveto" /* Saveto */ ]: (request) => { const savetoArgs = request.arguments; this.saveToTmp(savetoArgs.file, savetoArgs.tmpfile); return this.notRequired(); }, [ "close" /* Close */ ]: (request) => { const closeArgs = request.arguments; this.closeClientFile(closeArgs.file); return this.notRequired(); }, [ "navto" /* Navto */ ]: (request) => { return this.requiredResponse(this.getNavigateToItems( request.arguments, /*simplifiedResult*/ true )); }, [ "navto-full" /* NavtoFull */ ]: (request) => { return this.requiredResponse(this.getNavigateToItems( request.arguments, /*simplifiedResult*/ false )); }, [ "brace" /* Brace */ ]: (request) => { return this.requiredResponse(this.getBraceMatching( request.arguments, /*simplifiedResult*/ true )); }, [ "brace-full" /* BraceFull */ ]: (request) => { return this.requiredResponse(this.getBraceMatching( request.arguments, /*simplifiedResult*/ false )); }, [ "navbar" /* NavBar */ ]: (request) => { return this.requiredResponse(this.getNavigationBarItems( request.arguments, /*simplifiedResult*/ true )); }, [ "navbar-full" /* NavBarFull */ ]: (request) => { return this.requiredResponse(this.getNavigationBarItems( request.arguments, /*simplifiedResult*/ false )); }, [ "navtree" /* NavTree */ ]: (request) => { return this.requiredResponse(this.getNavigationTree( request.arguments, /*simplifiedResult*/ true )); }, [ "navtree-full" /* NavTreeFull */ ]: (request) => { return this.requiredResponse(this.getNavigationTree( request.arguments, /*simplifiedResult*/ false )); }, [ "documentHighlights" /* DocumentHighlights */ ]: (request) => { return this.requiredResponse(this.getDocumentHighlights( request.arguments, /*simplifiedResult*/ true )); }, [ "documentHighlights-full" /* DocumentHighlightsFull */ ]: (request) => { return this.requiredResponse(this.getDocumentHighlights( request.arguments, /*simplifiedResult*/ false )); }, [ "compilerOptionsForInferredProjects" /* CompilerOptionsForInferredProjects */ ]: (request) => { this.setCompilerOptionsForInferredProjects(request.arguments); return this.requiredResponse( /*response*/ true ); }, [ "projectInfo" /* ProjectInfo */ ]: (request) => { return this.requiredResponse(this.getProjectInfo(request.arguments)); }, [ "reloadProjects" /* ReloadProjects */ ]: () => { this.projectService.reloadProjects(); return this.notRequired(); }, [ "jsxClosingTag" /* JsxClosingTag */ ]: (request) => { return this.requiredResponse(this.getJsxClosingTag(request.arguments)); }, [ "linkedEditingRange" /* LinkedEditingRange */ ]: (request) => { return this.requiredResponse(this.getLinkedEditingRange(request.arguments)); }, [ "getCodeFixes" /* GetCodeFixes */ ]: (request) => { return this.requiredResponse(this.getCodeFixes( request.arguments, /*simplifiedResult*/ true )); }, [ "getCodeFixes-full" /* GetCodeFixesFull */ ]: (request) => { return this.requiredResponse(this.getCodeFixes( request.arguments, /*simplifiedResult*/ false )); }, [ "getCombinedCodeFix" /* GetCombinedCodeFix */ ]: (request) => { return this.requiredResponse(this.getCombinedCodeFix( request.arguments, /*simplifiedResult*/ true )); }, [ "getCombinedCodeFix-full" /* GetCombinedCodeFixFull */ ]: (request) => { return this.requiredResponse(this.getCombinedCodeFix( request.arguments, /*simplifiedResult*/ false )); }, [ "applyCodeActionCommand" /* ApplyCodeActionCommand */ ]: (request) => { return this.requiredResponse(this.applyCodeActionCommand(request.arguments)); }, [ "getSupportedCodeFixes" /* GetSupportedCodeFixes */ ]: (request) => { return this.requiredResponse(this.getSupportedCodeFixes(request.arguments)); }, [ "getApplicableRefactors" /* GetApplicableRefactors */ ]: (request) => { return this.requiredResponse(this.getApplicableRefactors(request.arguments)); }, [ "getEditsForRefactor" /* GetEditsForRefactor */ ]: (request) => { return this.requiredResponse(this.getEditsForRefactor( request.arguments, /*simplifiedResult*/ true )); }, [ "getMoveToRefactoringFileSuggestions" /* GetMoveToRefactoringFileSuggestions */ ]: (request) => { return this.requiredResponse(this.getMoveToRefactoringFileSuggestions(request.arguments)); }, [ "getPasteEdits" /* GetPasteEdits */ ]: (request) => { return this.requiredResponse(this.getPasteEdits(request.arguments)); }, [ "getEditsForRefactor-full" /* GetEditsForRefactorFull */ ]: (request) => { return this.requiredResponse(this.getEditsForRefactor( request.arguments, /*simplifiedResult*/ false )); }, [ "organizeImports" /* OrganizeImports */ ]: (request) => { return this.requiredResponse(this.organizeImports( request.arguments, /*simplifiedResult*/ true )); }, [ "organizeImports-full" /* OrganizeImportsFull */ ]: (request) => { return this.requiredResponse(this.organizeImports( request.arguments, /*simplifiedResult*/ false )); }, [ "getEditsForFileRename" /* GetEditsForFileRename */ ]: (request) => { return this.requiredResponse(this.getEditsForFileRename( request.arguments, /*simplifiedResult*/ true )); }, [ "getEditsForFileRename-full" /* GetEditsForFileRenameFull */ ]: (request) => { return this.requiredResponse(this.getEditsForFileRename( request.arguments, /*simplifiedResult*/ false )); }, [ "configurePlugin" /* ConfigurePlugin */ ]: (request) => { this.configurePlugin(request.arguments); this.doOutput( /*info*/ void 0, "configurePlugin", request.seq, /*success*/ true ); return this.notRequired(); }, [ "selectionRange" /* SelectionRange */ ]: (request) => { return this.requiredResponse(this.getSmartSelectionRange( request.arguments, /*simplifiedResult*/ true )); }, [ "selectionRange-full" /* SelectionRangeFull */ ]: (request) => { return this.requiredResponse(this.getSmartSelectionRange( request.arguments, /*simplifiedResult*/ false )); }, [ "prepareCallHierarchy" /* PrepareCallHierarchy */ ]: (request) => { return this.requiredResponse(this.prepareCallHierarchy(request.arguments)); }, [ "provideCallHierarchyIncomingCalls" /* ProvideCallHierarchyIncomingCalls */ ]: (request) => { return this.requiredResponse(this.provideCallHierarchyIncomingCalls(request.arguments)); }, [ "provideCallHierarchyOutgoingCalls" /* ProvideCallHierarchyOutgoingCalls */ ]: (request) => { return this.requiredResponse(this.provideCallHierarchyOutgoingCalls(request.arguments)); }, [ "toggleLineComment" /* ToggleLineComment */ ]: (request) => { return this.requiredResponse(this.toggleLineComment( request.arguments, /*simplifiedResult*/ true )); }, [ "toggleLineComment-full" /* ToggleLineCommentFull */ ]: (request) => { return this.requiredResponse(this.toggleLineComment( request.arguments, /*simplifiedResult*/ false )); }, [ "toggleMultilineComment" /* ToggleMultilineComment */ ]: (request) => { return this.requiredResponse(this.toggleMultilineComment( request.arguments, /*simplifiedResult*/ true )); }, [ "toggleMultilineComment-full" /* ToggleMultilineCommentFull */ ]: (request) => { return this.requiredResponse(this.toggleMultilineComment( request.arguments, /*simplifiedResult*/ false )); }, [ "commentSelection" /* CommentSelection */ ]: (request) => { return this.requiredResponse(this.commentSelection( request.arguments, /*simplifiedResult*/ true )); }, [ "commentSelection-full" /* CommentSelectionFull */ ]: (request) => { return this.requiredResponse(this.commentSelection( request.arguments, /*simplifiedResult*/ false )); }, [ "uncommentSelection" /* UncommentSelection */ ]: (request) => { return this.requiredResponse(this.uncommentSelection( request.arguments, /*simplifiedResult*/ true )); }, [ "uncommentSelection-full" /* UncommentSelectionFull */ ]: (request) => { return this.requiredResponse(this.uncommentSelection( request.arguments, /*simplifiedResult*/ false )); }, [ "provideInlayHints" /* ProvideInlayHints */ ]: (request) => { return this.requiredResponse(this.provideInlayHints(request.arguments)); }, [ "mapCode" /* MapCode */ ]: (request) => { return this.requiredResponse(this.mapCode(request.arguments)); } })); this.host = opts.host; this.cancellationToken = opts.cancellationToken; this.typingsInstaller = opts.typingsInstaller || nullTypingsInstaller; this.byteLength = opts.byteLength; this.hrtime = opts.hrtime; this.logger = opts.logger; this.canUseEvents = opts.canUseEvents; this.suppressDiagnosticEvents = opts.suppressDiagnosticEvents; this.noGetErrOnBackgroundUpdate = opts.noGetErrOnBackgroundUpdate; const { throttleWaitMilliseconds } = opts; this.eventHandler = this.canUseEvents ? opts.eventHandler || ((event) => this.defaultEventHandler(event)) : void 0; const multistepOperationHost = { executeWithRequestId: (requestId, action) => this.executeWithRequestId(requestId, action), getCurrentRequestId: () => this.currentRequestId, getServerHost: () => this.host, logError: (err, cmd) => this.logError(err, cmd), sendRequestCompletedEvent: (requestId) => this.sendRequestCompletedEvent(requestId), isCancellationRequested: () => this.cancellationToken.isCancellationRequested() }; this.errorCheck = new MultistepOperation(multistepOperationHost); const settings = { host: this.host, logger: this.logger, cancellationToken: this.cancellationToken, useSingleInferredProject: opts.useSingleInferredProject, useInferredProjectPerProjectRoot: opts.useInferredProjectPerProjectRoot, typingsInstaller: this.typingsInstaller, throttleWaitMilliseconds, eventHandler: this.eventHandler, suppressDiagnosticEvents: this.suppressDiagnosticEvents, globalPlugins: opts.globalPlugins, pluginProbeLocations: opts.pluginProbeLocations, allowLocalPluginLoads: opts.allowLocalPluginLoads, typesMapLocation: opts.typesMapLocation, serverMode: opts.serverMode, session: this, canUseWatchEvents: opts.canUseWatchEvents, incrementalVerifier: opts.incrementalVerifier }; this.projectService = new ProjectService3(settings); this.projectService.setPerformanceEventHandler(this.performanceEventHandler.bind(this)); this.gcTimer = new GcTimer( this.host, /*delay*/ 7e3, this.logger ); switch (this.projectService.serverMode) { case 0: break; case 1: invalidPartialSemanticModeCommands.forEach( (commandName) => this.handlers.set(commandName, (request) => { throw new Error(`Request: ${request.command} not allowed in LanguageServiceMode.PartialSemantic`); }) ); break; case 2: invalidSyntacticModeCommands.forEach( (commandName) => this.handlers.set(commandName, (request) => { throw new Error(`Request: ${request.command} not allowed in LanguageServiceMode.Syntactic`); }) ); break; default: Debug.assertNever(this.projectService.serverMode); } } sendRequestCompletedEvent(requestId) { this.event({ request_seq: requestId }, "requestCompleted"); } addPerformanceData(key, value) { if (!this.performanceData) { this.performanceData = {}; } this.performanceData[key] = (this.performanceData[key] ?? 0) + value; } performanceEventHandler(event) { switch (event.kind) { case "UpdateGraph": this.addPerformanceData("updateGraphDurationMs", event.durationMs); break; case "CreatePackageJsonAutoImportProvider": this.addPerformanceData("createAutoImportProviderProgramDurationMs", event.durationMs); break; } } defaultEventHandler(event) { switch (event.eventName) { case ProjectsUpdatedInBackgroundEvent: this.projectsUpdatedInBackgroundEvent(event.data.openFiles); break; case ProjectLoadingStartEvent: this.event({ projectName: event.data.project.getProjectName(), reason: event.data.reason }, event.eventName); break; case ProjectLoadingFinishEvent: this.event({ projectName: event.data.project.getProjectName() }, event.eventName); break; case LargeFileReferencedEvent: case CreateFileWatcherEvent: case CreateDirectoryWatcherEvent: case CloseFileWatcherEvent: this.event(event.data, event.eventName); break; case ConfigFileDiagEvent: this.event({ triggerFile: event.data.triggerFile, configFile: event.data.configFileName, diagnostics: map(event.data.diagnostics, (diagnostic) => formatDiagnosticToProtocol( diagnostic, /*includeFileName*/ true )) }, event.eventName); break; case ProjectLanguageServiceStateEvent: { this.event({ projectName: event.data.project.getProjectName(), languageServiceEnabled: event.data.languageServiceEnabled }, event.eventName); break; } case ProjectInfoTelemetryEvent: { const eventName = "telemetry"; this.event({ telemetryEventName: event.eventName, payload: event.data }, eventName); break; } } } projectsUpdatedInBackgroundEvent(openFiles) { this.projectService.logger.info(`got projects updated in background ${openFiles}`); if (openFiles.length) { if (!this.suppressDiagnosticEvents && !this.noGetErrOnBackgroundUpdate) { this.projectService.logger.info(`Queueing diagnostics update for ${openFiles}`); this.errorCheck.startNew((next) => this.updateErrorCheck( next, openFiles, 100, /*requireOpen*/ true )); } this.event({ openFiles }, ProjectsUpdatedInBackgroundEvent); } } logError(err, cmd) { this.logErrorWorker(err, cmd); } logErrorWorker(err, cmd, fileRequest) { let msg = "Exception on executing command " + cmd; if (err.message) { msg += ":\n" + indent2(err.message); if (err.stack) { msg += "\n" + indent2(err.stack); } } if (this.logger.hasLevel( 3 /* verbose */ )) { if (fileRequest) { try { const { file, project } = this.getFileAndProject(fileRequest); const scriptInfo = project.getScriptInfoForNormalizedPath(file); if (scriptInfo) { const text = getSnapshotText(scriptInfo.getSnapshot()); msg += ` File text of ${fileRequest.file}:${indent2(text)} `; } } catch { } } if (err.ProgramFiles) { msg += ` Program files: ${JSON.stringify(err.ProgramFiles)} `; msg += ` Projects:: `; let counter = 0; const addProjectInfo = (project) => { msg += ` Project '${project.projectName}' (${ProjectKind[project.projectKind]}) ${counter} `; msg += project.filesToString( /*writeProjectFileNames*/ true ); msg += "\n-----------------------------------------------\n"; counter++; }; this.projectService.externalProjects.forEach(addProjectInfo); this.projectService.configuredProjects.forEach(addProjectInfo); this.projectService.inferredProjects.forEach(addProjectInfo); } } this.logger.msg( msg, "Err" /* Err */ ); } send(msg) { if (msg.type === "event" && !this.canUseEvents) { if (this.logger.hasLevel( 3 /* verbose */ )) { this.logger.info(`Session does not support events: ignored event: ${stringifyIndented(msg)}`); } return; } this.writeMessage(msg); } writeMessage(msg) { var _a; const msgText = formatMessage2(msg, this.logger, this.byteLength, this.host.newLine); (_a = perfLogger) == null ? void 0 : _a.logEvent(`Response message size: ${msgText.length}`); this.host.write(msgText); } event(body, eventName) { this.send(toEvent(eventName, body)); } /** @internal */ doOutput(info, cmdName, reqSeq, success, message) { const res = { seq: 0, type: "response", command: cmdName, request_seq: reqSeq, success, performanceData: this.performanceData }; if (success) { let metadata; if (isArray3(info)) { res.body = info; metadata = info.metadata; delete info.metadata; } else if (typeof info === "object") { if (info.metadata) { const { metadata: infoMetadata, ...body } = info; res.body = body; metadata = infoMetadata; } else { res.body = info; } } else { res.body = info; } if (metadata) res.metadata = metadata; } else { Debug.assert(info === void 0); } if (message) { res.message = message; } this.send(res); } semanticCheck(file, project) { var _a, _b; (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Session, "semanticCheck", { file, configFilePath: project.canonicalConfigFilePath }); const diags = isDeclarationFileInJSOnlyNonConfiguredProject(project, file) ? emptyArray2 : project.getLanguageService().getSemanticDiagnostics(file).filter((d) => !!d.file); this.sendDiagnosticsEvent(file, project, diags, "semanticDiag"); (_b = tracing) == null ? void 0 : _b.pop(); } syntacticCheck(file, project) { var _a, _b; (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Session, "syntacticCheck", { file, configFilePath: project.canonicalConfigFilePath }); this.sendDiagnosticsEvent(file, project, project.getLanguageService().getSyntacticDiagnostics(file), "syntaxDiag"); (_b = tracing) == null ? void 0 : _b.pop(); } suggestionCheck(file, project) { var _a, _b; (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Session, "suggestionCheck", { file, configFilePath: project.canonicalConfigFilePath }); this.sendDiagnosticsEvent(file, project, project.getLanguageService().getSuggestionDiagnostics(file), "suggestionDiag"); (_b = tracing) == null ? void 0 : _b.pop(); } sendDiagnosticsEvent(file, project, diagnostics, kind) { try { this.event({ file, diagnostics: diagnostics.map((diag2) => formatDiag(file, project, diag2)) }, kind); } catch (err) { this.logError(err, kind); } } /** It is the caller's responsibility to verify that `!this.suppressDiagnosticEvents`. */ updateErrorCheck(next, checkList, ms, requireOpen = true) { Debug.assert(!this.suppressDiagnosticEvents); const seq = this.changeSeq; const followMs = Math.min(ms, 200); let index = 0; const goNext = () => { index++; if (checkList.length > index) { next.delay("checkOne", followMs, checkOne); } }; const checkOne = () => { if (this.changeSeq !== seq) { return; } let item = checkList[index]; if (isString2(item)) { item = this.toPendingErrorCheck(item); if (!item) { goNext(); return; } } const { fileName, project } = item; updateProjectIfDirty(project); if (!project.containsFile(fileName, requireOpen)) { return; } this.syntacticCheck(fileName, project); if (this.changeSeq !== seq) { return; } if (project.projectService.serverMode !== 0) { goNext(); return; } next.immediate("semanticCheck", () => { this.semanticCheck(fileName, project); if (this.changeSeq !== seq) { return; } if (this.getPreferences(fileName).disableSuggestions) { goNext(); return; } next.immediate("suggestionCheck", () => { this.suggestionCheck(fileName, project); goNext(); }); }); }; if (checkList.length > index && this.changeSeq === seq) { next.delay("checkOne", ms, checkOne); } } cleanProjects(caption, projects) { if (!projects) { return; } this.logger.info(`cleaning ${caption}`); for (const p of projects) { p.getLanguageService( /*ensureSynchronized*/ false ).cleanupSemanticCache(); p.cleanupProgram(); } } cleanup() { this.cleanProjects("inferred projects", this.projectService.inferredProjects); this.cleanProjects("configured projects", arrayFrom(this.projectService.configuredProjects.values())); this.cleanProjects("external projects", this.projectService.externalProjects); if (this.host.gc) { this.logger.info(`host.gc()`); this.host.gc(); } } getEncodedSyntacticClassifications(args) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); return languageService.getEncodedSyntacticClassifications(file, args); } getEncodedSemanticClassifications(args) { const { file, project } = this.getFileAndProject(args); const format2 = args.format === "2020" ? "2020" : "original"; return project.getLanguageService().getEncodedSemanticClassifications(file, args, format2); } getProject(projectFileName) { return projectFileName === void 0 ? void 0 : this.projectService.findProject(projectFileName); } getConfigFileAndProject(args) { const project = this.getProject(args.projectFileName); const file = toNormalizedPath(args.file); return { configFile: project && project.hasConfigFile(file) ? file : void 0, project }; } getConfigFileDiagnostics(configFile, project, includeLinePosition) { const projectErrors = project.getAllProjectErrors(); const optionsErrors = project.getLanguageService().getCompilerOptionsDiagnostics(); const diagnosticsForConfigFile = filter( concatenate(projectErrors, optionsErrors), (diagnostic) => !!diagnostic.file && diagnostic.file.fileName === configFile ); return includeLinePosition ? this.convertToDiagnosticsWithLinePositionFromDiagnosticFile(diagnosticsForConfigFile) : map( diagnosticsForConfigFile, (diagnostic) => formatDiagnosticToProtocol( diagnostic, /*includeFileName*/ false ) ); } convertToDiagnosticsWithLinePositionFromDiagnosticFile(diagnostics) { return diagnostics.map((d) => ({ message: flattenDiagnosticMessageText(d.messageText, this.host.newLine), start: d.start, // TODO: GH#18217 length: d.length, // TODO: GH#18217 category: diagnosticCategoryName(d), code: d.code, source: d.source, startLocation: d.file && convertToLocation(getLineAndCharacterOfPosition(d.file, d.start)), // TODO: GH#18217 endLocation: d.file && convertToLocation(getLineAndCharacterOfPosition(d.file, d.start + d.length)), // TODO: GH#18217 reportsUnnecessary: d.reportsUnnecessary, reportsDeprecated: d.reportsDeprecated, relatedInformation: map(d.relatedInformation, formatRelatedInformation) })); } getCompilerOptionsDiagnostics(args) { const project = this.getProject(args.projectFileName); return this.convertToDiagnosticsWithLinePosition( filter( project.getLanguageService().getCompilerOptionsDiagnostics(), (diagnostic) => !diagnostic.file ), /*scriptInfo*/ void 0 ); } convertToDiagnosticsWithLinePosition(diagnostics, scriptInfo) { return diagnostics.map( (d) => ({ message: flattenDiagnosticMessageText(d.messageText, this.host.newLine), start: d.start, length: d.length, category: diagnosticCategoryName(d), code: d.code, source: d.source, startLocation: scriptInfo && scriptInfo.positionToLineOffset(d.start), // TODO: GH#18217 endLocation: scriptInfo && scriptInfo.positionToLineOffset(d.start + d.length), reportsUnnecessary: d.reportsUnnecessary, reportsDeprecated: d.reportsDeprecated, relatedInformation: map(d.relatedInformation, formatRelatedInformation) }) ); } getDiagnosticsWorker(args, isSemantic, selector, includeLinePosition) { const { project, file } = this.getFileAndProject(args); if (isSemantic && isDeclarationFileInJSOnlyNonConfiguredProject(project, file)) { return emptyArray2; } const scriptInfo = project.getScriptInfoForNormalizedPath(file); const diagnostics = selector(project, file); return includeLinePosition ? this.convertToDiagnosticsWithLinePosition(diagnostics, scriptInfo) : diagnostics.map((d) => formatDiag(file, project, d)); } getDefinition(args, simplifiedResult) { const { file, project } = this.getFileAndProject(args); const position = this.getPositionInFile(args, file); const definitions = this.mapDefinitionInfoLocations(project.getLanguageService().getDefinitionAtPosition(file, position) || emptyArray2, project); return simplifiedResult ? this.mapDefinitionInfo(definitions, project) : definitions.map(_Session.mapToOriginalLocation); } mapDefinitionInfoLocations(definitions, project) { return definitions.map((info) => { const newDocumentSpan = getMappedDocumentSpanForProject(info, project); return !newDocumentSpan ? info : { ...newDocumentSpan, containerKind: info.containerKind, containerName: info.containerName, kind: info.kind, name: info.name, failedAliasResolution: info.failedAliasResolution, ...info.unverified && { unverified: info.unverified } }; }); } getDefinitionAndBoundSpan(args, simplifiedResult) { const { file, project } = this.getFileAndProject(args); const position = this.getPositionInFile(args, file); const scriptInfo = Debug.checkDefined(project.getScriptInfo(file)); const unmappedDefinitionAndBoundSpan = project.getLanguageService().getDefinitionAndBoundSpan(file, position); if (!unmappedDefinitionAndBoundSpan || !unmappedDefinitionAndBoundSpan.definitions) { return { definitions: emptyArray2, textSpan: void 0 // TODO: GH#18217 }; } const definitions = this.mapDefinitionInfoLocations(unmappedDefinitionAndBoundSpan.definitions, project); const { textSpan } = unmappedDefinitionAndBoundSpan; if (simplifiedResult) { return { definitions: this.mapDefinitionInfo(definitions, project), textSpan: toProtocolTextSpan(textSpan, scriptInfo) }; } return { definitions: definitions.map(_Session.mapToOriginalLocation), textSpan }; } findSourceDefinition(args) { var _a; const { file, project } = this.getFileAndProject(args); const position = this.getPositionInFile(args, file); const unmappedDefinitions = project.getLanguageService().getDefinitionAtPosition(file, position); let definitions = this.mapDefinitionInfoLocations(unmappedDefinitions || emptyArray2, project).slice(); const needsJsResolution = this.projectService.serverMode === 0 && (!some(definitions, (d) => toNormalizedPath(d.fileName) !== file && !d.isAmbient) || some(definitions, (d) => !!d.failedAliasResolution)); if (needsJsResolution) { const definitionSet = createSet( (d) => d.textSpan.start, getDocumentSpansEqualityComparer(this.host.useCaseSensitiveFileNames) ); definitions == null ? void 0 : definitions.forEach((d) => definitionSet.add(d)); const noDtsProject = project.getNoDtsResolutionProject(file); const ls = noDtsProject.getLanguageService(); const jsDefinitions = (_a = ls.getDefinitionAtPosition( file, position, /*searchOtherFilesOnly*/ true, /*stopAtAlias*/ false )) == null ? void 0 : _a.filter((d) => toNormalizedPath(d.fileName) !== file); if (some(jsDefinitions)) { for (const jsDefinition of jsDefinitions) { if (jsDefinition.unverified) { const refined = tryRefineDefinition(jsDefinition, project.getLanguageService().getProgram(), ls.getProgram()); if (some(refined)) { for (const def of refined) { definitionSet.add(def); } continue; } } definitionSet.add(jsDefinition); } } else { const ambientCandidates = definitions.filter((d) => toNormalizedPath(d.fileName) !== file && d.isAmbient); for (const candidate of some(ambientCandidates) ? ambientCandidates : getAmbientCandidatesByClimbingAccessChain()) { const fileNameToSearch = findImplementationFileFromDtsFileName(candidate.fileName, file, noDtsProject); if (!fileNameToSearch) continue; const info = this.projectService.getOrCreateScriptInfoNotOpenedByClient( fileNameToSearch, noDtsProject.currentDirectory, noDtsProject.directoryStructureHost, /*deferredDeleteOk*/ false ); if (!info) continue; if (!noDtsProject.containsScriptInfo(info)) { noDtsProject.addRoot(info); noDtsProject.updateGraph(); } const noDtsProgram = ls.getProgram(); const fileToSearch = Debug.checkDefined(noDtsProgram.getSourceFile(fileNameToSearch)); for (const match of searchForDeclaration(candidate.name, fileToSearch, noDtsProgram)) { definitionSet.add(match); } } } definitions = arrayFrom(definitionSet.values()); } definitions = definitions.filter((d) => !d.isAmbient && !d.failedAliasResolution); return this.mapDefinitionInfo(definitions, project); function findImplementationFileFromDtsFileName(fileName, resolveFromFile, auxiliaryProject) { var _a2, _b, _c; const nodeModulesPathParts = getNodeModulePathParts(fileName); if (nodeModulesPathParts && fileName.lastIndexOf(nodeModulesPathPart) === nodeModulesPathParts.topLevelNodeModulesIndex) { const packageDirectory = fileName.substring(0, nodeModulesPathParts.packageRootIndex); const packageJsonCache = (_a2 = project.getModuleResolutionCache()) == null ? void 0 : _a2.getPackageJsonInfoCache(); const compilerOptions = project.getCompilationSettings(); const packageJson = getPackageScopeForPath(getNormalizedAbsolutePath(packageDirectory + "/package.json", project.getCurrentDirectory()), getTemporaryModuleResolutionState(packageJsonCache, project, compilerOptions)); if (!packageJson) return void 0; const entrypoints = getEntrypointsFromPackageJsonInfo( packageJson, { moduleResolution: 2 /* Node10 */ }, project, project.getModuleResolutionCache() ); const packageNamePathPart = fileName.substring( nodeModulesPathParts.topLevelPackageNameIndex + 1, nodeModulesPathParts.packageRootIndex ); const packageName = getPackageNameFromTypesPackageName(unmangleScopedPackageName(packageNamePathPart)); const path17 = project.toPath(fileName); if (entrypoints && some(entrypoints, (e) => project.toPath(e) === path17)) { return (_b = auxiliaryProject.resolutionCache.resolveSingleModuleNameWithoutWatching(packageName, resolveFromFile).resolvedModule) == null ? void 0 : _b.resolvedFileName; } else { const pathToFileInPackage = fileName.substring(nodeModulesPathParts.packageRootIndex + 1); const specifier = `${packageName}/${removeFileExtension(pathToFileInPackage)}`; return (_c = auxiliaryProject.resolutionCache.resolveSingleModuleNameWithoutWatching(specifier, resolveFromFile).resolvedModule) == null ? void 0 : _c.resolvedFileName; } } return void 0; } function getAmbientCandidatesByClimbingAccessChain() { const ls = project.getLanguageService(); const program = ls.getProgram(); const initialNode = getTouchingPropertyName(program.getSourceFile(file), position); if ((isStringLiteralLike(initialNode) || isIdentifier(initialNode)) && isAccessExpression(initialNode.parent)) { return forEachNameInAccessChainWalkingLeft(initialNode, (nameInChain) => { var _a2; if (nameInChain === initialNode) return void 0; const candidates = (_a2 = ls.getDefinitionAtPosition( file, nameInChain.getStart(), /*searchOtherFilesOnly*/ true, /*stopAtAlias*/ false )) == null ? void 0 : _a2.filter((d) => toNormalizedPath(d.fileName) !== file && d.isAmbient).map((d) => ({ fileName: d.fileName, name: getTextOfIdentifierOrLiteral(initialNode) })); if (some(candidates)) { return candidates; } }) || emptyArray2; } return emptyArray2; } function tryRefineDefinition(definition, program, noDtsProgram) { var _a2; const fileToSearch = noDtsProgram.getSourceFile(definition.fileName); if (!fileToSearch) { return void 0; } const initialNode = getTouchingPropertyName(program.getSourceFile(file), position); const symbol = program.getTypeChecker().getSymbolAtLocation(initialNode); const importSpecifier = symbol && getDeclarationOfKind( symbol, 276 /* ImportSpecifier */ ); if (!importSpecifier) return void 0; const nameToSearch = ((_a2 = importSpecifier.propertyName) == null ? void 0 : _a2.text) || importSpecifier.name.text; return searchForDeclaration(nameToSearch, fileToSearch, noDtsProgram); } function searchForDeclaration(declarationName, fileToSearch, noDtsProgram) { const matches = ts_FindAllReferences_exports.Core.getTopMostDeclarationNamesInFile(declarationName, fileToSearch); return mapDefined(matches, (match) => { const symbol = noDtsProgram.getTypeChecker().getSymbolAtLocation(match); const decl = getDeclarationFromName(match); if (symbol && decl) { return ts_GoToDefinition_exports.createDefinitionInfo( decl, noDtsProgram.getTypeChecker(), symbol, decl, /*unverified*/ true ); } }); } } getEmitOutput(args) { const { file, project } = this.getFileAndProject(args); if (!project.shouldEmitFile(project.getScriptInfo(file))) { return { emitSkipped: true, outputFiles: [], diagnostics: [] }; } const result = project.getLanguageService().getEmitOutput(file); return args.richResponse ? { ...result, diagnostics: args.includeLinePosition ? this.convertToDiagnosticsWithLinePositionFromDiagnosticFile(result.diagnostics) : result.diagnostics.map((d) => formatDiagnosticToProtocol( d, /*includeFileName*/ true )) } : result; } mapJSDocTagInfo(tags, project, richResponse) { return tags ? tags.map((tag) => { var _a; return { ...tag, text: richResponse ? this.mapDisplayParts(tag.text, project) : (_a = tag.text) == null ? void 0 : _a.map((part) => part.text).join("") }; }) : []; } mapDisplayParts(parts, project) { if (!parts) { return []; } return parts.map( (part) => part.kind !== "linkName" ? part : { ...part, target: this.toFileSpan(part.target.fileName, part.target.textSpan, project) } ); } mapSignatureHelpItems(items, project, richResponse) { return items.map((item) => ({ ...item, documentation: this.mapDisplayParts(item.documentation, project), parameters: item.parameters.map((p) => ({ ...p, documentation: this.mapDisplayParts(p.documentation, project) })), tags: this.mapJSDocTagInfo(item.tags, project, richResponse) })); } mapDefinitionInfo(definitions, project) { return definitions.map((def) => ({ ...this.toFileSpanWithContext(def.fileName, def.textSpan, def.contextSpan, project), ...def.unverified && { unverified: def.unverified } })); } /* * When we map a .d.ts location to .ts, Visual Studio gets confused because there's no associated Roslyn Document in * the same project which corresponds to the file. VS Code has no problem with this, and luckily we have two protocols. * This retains the existing behavior for the "simplified" (VS Code) protocol but stores the .d.ts location in a * set of additional fields, and does the reverse for VS (store the .d.ts location where * it used to be and stores the .ts location in the additional fields). */ static mapToOriginalLocation(def) { if (def.originalFileName) { Debug.assert(def.originalTextSpan !== void 0, "originalTextSpan should be present if originalFileName is"); return { ...def, fileName: def.originalFileName, textSpan: def.originalTextSpan, targetFileName: def.fileName, targetTextSpan: def.textSpan, contextSpan: def.originalContextSpan, targetContextSpan: def.contextSpan }; } return def; } toFileSpan(fileName, textSpan, project) { const ls = project.getLanguageService(); const start = ls.toLineColumnOffset(fileName, textSpan.start); const end = ls.toLineColumnOffset(fileName, textSpanEnd(textSpan)); return { file: fileName, start: { line: start.line + 1, offset: start.character + 1 }, end: { line: end.line + 1, offset: end.character + 1 } }; } toFileSpanWithContext(fileName, textSpan, contextSpan, project) { const fileSpan = this.toFileSpan(fileName, textSpan, project); const context = contextSpan && this.toFileSpan(fileName, contextSpan, project); return context ? { ...fileSpan, contextStart: context.start, contextEnd: context.end } : fileSpan; } getTypeDefinition(args) { const { file, project } = this.getFileAndProject(args); const position = this.getPositionInFile(args, file); const definitions = this.mapDefinitionInfoLocations(project.getLanguageService().getTypeDefinitionAtPosition(file, position) || emptyArray2, project); return this.mapDefinitionInfo(definitions, project); } mapImplementationLocations(implementations, project) { return implementations.map((info) => { const newDocumentSpan = getMappedDocumentSpanForProject(info, project); return !newDocumentSpan ? info : { ...newDocumentSpan, kind: info.kind, displayParts: info.displayParts }; }); } getImplementation(args, simplifiedResult) { const { file, project } = this.getFileAndProject(args); const position = this.getPositionInFile(args, file); const implementations = this.mapImplementationLocations(project.getLanguageService().getImplementationAtPosition(file, position) || emptyArray2, project); return simplifiedResult ? implementations.map(({ fileName, textSpan, contextSpan }) => this.toFileSpanWithContext(fileName, textSpan, contextSpan, project)) : implementations.map(_Session.mapToOriginalLocation); } getSyntacticDiagnosticsSync(args) { const { configFile } = this.getConfigFileAndProject(args); if (configFile) { return emptyArray2; } return this.getDiagnosticsWorker( args, /*isSemantic*/ false, (project, file) => project.getLanguageService().getSyntacticDiagnostics(file), !!args.includeLinePosition ); } getSemanticDiagnosticsSync(args) { const { configFile, project } = this.getConfigFileAndProject(args); if (configFile) { return this.getConfigFileDiagnostics(configFile, project, !!args.includeLinePosition); } return this.getDiagnosticsWorker( args, /*isSemantic*/ true, (project2, file) => project2.getLanguageService().getSemanticDiagnostics(file).filter((d) => !!d.file), !!args.includeLinePosition ); } getSuggestionDiagnosticsSync(args) { const { configFile } = this.getConfigFileAndProject(args); if (configFile) { return emptyArray2; } return this.getDiagnosticsWorker( args, /*isSemantic*/ true, (project, file) => project.getLanguageService().getSuggestionDiagnostics(file), !!args.includeLinePosition ); } getJsxClosingTag(args) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const position = this.getPositionInFile(args, file); const tag = languageService.getJsxClosingTagAtPosition(file, position); return tag === void 0 ? void 0 : { newText: tag.newText, caretOffset: 0 }; } getLinkedEditingRange(args) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const position = this.getPositionInFile(args, file); const linkedEditInfo = languageService.getLinkedEditingRangeAtPosition(file, position); const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file); if (scriptInfo === void 0 || linkedEditInfo === void 0) return void 0; return convertLinkedEditInfoToRanges(linkedEditInfo, scriptInfo); } getDocumentHighlights(args, simplifiedResult) { const { file, project } = this.getFileAndProject(args); const position = this.getPositionInFile(args, file); const documentHighlights = project.getLanguageService().getDocumentHighlights(file, position, args.filesToSearch); if (!documentHighlights) return emptyArray2; if (!simplifiedResult) return documentHighlights; return documentHighlights.map(({ fileName, highlightSpans }) => { const scriptInfo = project.getScriptInfo(fileName); return { file: fileName, highlightSpans: highlightSpans.map(({ textSpan, kind, contextSpan }) => ({ ...toProtocolTextSpanWithContext(textSpan, contextSpan, scriptInfo), kind })) }; }); } provideInlayHints(args) { const { file, project } = this.getFileAndProject(args); const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file); const hints = project.getLanguageService().provideInlayHints(file, args, this.getPreferences(file)); return hints.map((hint) => { const { position, displayParts } = hint; return { ...hint, position: scriptInfo.positionToLineOffset(position), displayParts: displayParts == null ? void 0 : displayParts.map(({ text, span, file: file2 }) => { if (span) { Debug.assertIsDefined(file2, "Target file should be defined together with its span."); const scriptInfo2 = this.projectService.getScriptInfo(file2); return { text, span: { start: scriptInfo2.positionToLineOffset(span.start), end: scriptInfo2.positionToLineOffset(span.start + span.length), file: file2 } }; } else { return { text }; } }) }; }); } mapCode(args) { var _a; const formatOptions = this.getHostFormatOptions(); const preferences = this.getHostPreferences(); const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file); const focusLocations = (_a = args.mapping.focusLocations) == null ? void 0 : _a.map((spans) => { return spans.map((loc) => { const start = scriptInfo.lineOffsetToPosition(loc.start.line, loc.start.offset); const end = scriptInfo.lineOffsetToPosition(loc.end.line, loc.end.offset); return { start, length: end - start }; }); }); const changes = languageService.mapCode(file, args.mapping.contents, focusLocations, formatOptions, preferences); return this.mapTextChangesToCodeEdits(changes); } setCompilerOptionsForInferredProjects(args) { this.projectService.setCompilerOptionsForInferredProjects(args.options, args.projectRootPath); } getProjectInfo(args) { return this.getProjectInfoWorker( args.file, args.projectFileName, args.needFileNameList, /*excludeConfigFiles*/ false ); } getProjectInfoWorker(uncheckedFileName, projectFileName, needFileNameList, excludeConfigFiles) { const { project } = this.getFileAndProjectWorker(uncheckedFileName, projectFileName); updateProjectIfDirty(project); const projectInfo = { configFileName: project.getProjectName(), languageServiceDisabled: !project.languageServiceEnabled, fileNames: needFileNameList ? project.getFileNames( /*excludeFilesFromExternalLibraries*/ false, excludeConfigFiles ) : void 0 }; return projectInfo; } getRenameInfo(args) { const { file, project } = this.getFileAndProject(args); const position = this.getPositionInFile(args, file); const preferences = this.getPreferences(file); return project.getLanguageService().getRenameInfo(file, position, preferences); } getProjects(args, getScriptInfoEnsuringProjectsUptoDate, ignoreNoProjectError) { let projects; let symLinkedProjects; if (args.projectFileName) { const project = this.getProject(args.projectFileName); if (project) { projects = [project]; } } else { const scriptInfo = getScriptInfoEnsuringProjectsUptoDate ? this.projectService.getScriptInfoEnsuringProjectsUptoDate(args.file) : this.projectService.getScriptInfo(args.file); if (!scriptInfo) { if (ignoreNoProjectError) return emptyArray2; this.projectService.logErrorForScriptInfoNotFound(args.file); return Errors.ThrowNoProject(); } else if (!getScriptInfoEnsuringProjectsUptoDate) { this.projectService.ensureDefaultProjectForFile(scriptInfo); } projects = scriptInfo.containingProjects; symLinkedProjects = this.projectService.getSymlinkedProjects(scriptInfo); } projects = filter(projects, (p) => p.languageServiceEnabled && !p.isOrphan()); if (!ignoreNoProjectError && (!projects || !projects.length) && !symLinkedProjects) { this.projectService.logErrorForScriptInfoNotFound(args.file ?? args.projectFileName); return Errors.ThrowNoProject(); } return symLinkedProjects ? { projects, symLinkedProjects } : projects; } getDefaultProject(args) { if (args.projectFileName) { const project = this.getProject(args.projectFileName); if (project) { return project; } if (!args.file) { return Errors.ThrowNoProject(); } } const info = this.projectService.getScriptInfo(args.file); return info.getDefaultProject(); } getRenameLocations(args, simplifiedResult) { const file = toNormalizedPath(args.file); const position = this.getPositionInFile(args, file); const projects = this.getProjects(args); const defaultProject = this.getDefaultProject(args); const preferences = this.getPreferences(file); const renameInfo = this.mapRenameInfo( defaultProject.getLanguageService().getRenameInfo(file, position, preferences), Debug.checkDefined(this.projectService.getScriptInfo(file)) ); if (!renameInfo.canRename) return simplifiedResult ? { info: renameInfo, locs: [] } : []; const locations = getRenameLocationsWorker( projects, defaultProject, { fileName: args.file, pos: position }, !!args.findInStrings, !!args.findInComments, preferences, this.host.useCaseSensitiveFileNames ); if (!simplifiedResult) return locations; return { info: renameInfo, locs: this.toSpanGroups(locations) }; } mapRenameInfo(info, scriptInfo) { if (info.canRename) { const { canRename, fileToRename, displayName, fullDisplayName, kind, kindModifiers, triggerSpan } = info; return identity2( { canRename, fileToRename, displayName, fullDisplayName, kind, kindModifiers, triggerSpan: toProtocolTextSpan(triggerSpan, scriptInfo) } ); } else { return info; } } toSpanGroups(locations) { const map2 = /* @__PURE__ */ new Map(); for (const { fileName, textSpan, contextSpan, originalContextSpan: _2, originalTextSpan: _, originalFileName: _1, ...prefixSuffixText } of locations) { let group2 = map2.get(fileName); if (!group2) map2.set(fileName, group2 = { file: fileName, locs: [] }); const scriptInfo = Debug.checkDefined(this.projectService.getScriptInfo(fileName)); group2.locs.push({ ...toProtocolTextSpanWithContext(textSpan, contextSpan, scriptInfo), ...prefixSuffixText }); } return arrayFrom(map2.values()); } getReferences(args, simplifiedResult) { const file = toNormalizedPath(args.file); const projects = this.getProjects(args); const position = this.getPositionInFile(args, file); const references = getReferencesWorker( projects, this.getDefaultProject(args), { fileName: args.file, pos: position }, this.host.useCaseSensitiveFileNames, this.logger ); if (!simplifiedResult) return references; const preferences = this.getPreferences(file); const defaultProject = this.getDefaultProject(args); const scriptInfo = defaultProject.getScriptInfoForNormalizedPath(file); const nameInfo = defaultProject.getLanguageService().getQuickInfoAtPosition(file, position); const symbolDisplayString = nameInfo ? displayPartsToString(nameInfo.displayParts) : ""; const nameSpan = nameInfo && nameInfo.textSpan; const symbolStartOffset = nameSpan ? scriptInfo.positionToLineOffset(nameSpan.start).offset : 0; const symbolName2 = nameSpan ? scriptInfo.getSnapshot().getText(nameSpan.start, textSpanEnd(nameSpan)) : ""; const refs = flatMap(references, (referencedSymbol) => { return referencedSymbol.references.map((entry) => referenceEntryToReferencesResponseItem(this.projectService, entry, preferences)); }); return { refs, symbolName: symbolName2, symbolStartOffset, symbolDisplayString }; } getFileReferences(args, simplifiedResult) { const projects = this.getProjects(args); const fileName = args.file; const preferences = this.getPreferences(toNormalizedPath(fileName)); const references = []; const seen = createDocumentSpanSet(this.host.useCaseSensitiveFileNames); forEachProjectInProjects( projects, /*path*/ void 0, (project) => { if (project.getCancellationToken().isCancellationRequested()) return; const projectOutputs = project.getLanguageService().getFileReferences(fileName); if (projectOutputs) { for (const referenceEntry of projectOutputs) { if (!seen.has(referenceEntry)) { references.push(referenceEntry); seen.add(referenceEntry); } } } } ); if (!simplifiedResult) return references; const refs = references.map((entry) => referenceEntryToReferencesResponseItem(this.projectService, entry, preferences)); return { refs, symbolName: `"${args.file}"` }; } /** * @param fileName is the name of the file to be opened * @param fileContent is a version of the file content that is known to be more up to date than the one on disk */ openClientFile(fileName, fileContent, scriptKind, projectRootPath) { this.projectService.openClientFileWithNormalizedPath( fileName, fileContent, scriptKind, /*hasMixedContent*/ false, projectRootPath ); } getPosition(args, scriptInfo) { return args.position !== void 0 ? args.position : scriptInfo.lineOffsetToPosition(args.line, args.offset); } getPositionInFile(args, file) { const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file); return this.getPosition(args, scriptInfo); } getFileAndProject(args) { return this.getFileAndProjectWorker(args.file, args.projectFileName); } getFileAndLanguageServiceForSyntacticOperation(args) { const { file, project } = this.getFileAndProject(args); return { file, languageService: project.getLanguageService( /*ensureSynchronized*/ false ) }; } getFileAndProjectWorker(uncheckedFileName, projectFileName) { const file = toNormalizedPath(uncheckedFileName); const project = this.getProject(projectFileName) || this.projectService.ensureDefaultProjectForFile(file); return { file, project }; } getOutliningSpans(args, simplifiedResult) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const spans = languageService.getOutliningSpans(file); if (simplifiedResult) { const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file); return spans.map((s) => ({ textSpan: toProtocolTextSpan(s.textSpan, scriptInfo), hintSpan: toProtocolTextSpan(s.hintSpan, scriptInfo), bannerText: s.bannerText, autoCollapse: s.autoCollapse, kind: s.kind })); } else { return spans; } } getTodoComments(args) { const { file, project } = this.getFileAndProject(args); return project.getLanguageService().getTodoComments(file, args.descriptors); } getDocCommentTemplate(args) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const position = this.getPositionInFile(args, file); return languageService.getDocCommentTemplateAtPosition(file, position, this.getPreferences(file), this.getFormatOptions(file)); } getSpanOfEnclosingComment(args) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const onlyMultiLine = args.onlyMultiLine; const position = this.getPositionInFile(args, file); return languageService.getSpanOfEnclosingComment(file, position, onlyMultiLine); } getIndentation(args) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const position = this.getPositionInFile(args, file); const options = args.options ? convertFormatOptions(args.options) : this.getFormatOptions(file); const indentation = languageService.getIndentationAtPosition(file, position, options); return { position, indentation }; } getBreakpointStatement(args) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const position = this.getPositionInFile(args, file); return languageService.getBreakpointStatementAtPosition(file, position); } getNameOrDottedNameSpan(args) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const position = this.getPositionInFile(args, file); return languageService.getNameOrDottedNameSpan(file, position, position); } isValidBraceCompletion(args) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const position = this.getPositionInFile(args, file); return languageService.isValidBraceCompletionAtPosition(file, position, args.openingBrace.charCodeAt(0)); } getQuickInfoWorker(args, simplifiedResult) { const { file, project } = this.getFileAndProject(args); const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file); const quickInfo = project.getLanguageService().getQuickInfoAtPosition(file, this.getPosition(args, scriptInfo)); if (!quickInfo) { return void 0; } const useDisplayParts = !!this.getPreferences(file).displayPartsForJSDoc; if (simplifiedResult) { const displayString = displayPartsToString(quickInfo.displayParts); return { kind: quickInfo.kind, kindModifiers: quickInfo.kindModifiers, start: scriptInfo.positionToLineOffset(quickInfo.textSpan.start), end: scriptInfo.positionToLineOffset(textSpanEnd(quickInfo.textSpan)), displayString, documentation: useDisplayParts ? this.mapDisplayParts(quickInfo.documentation, project) : displayPartsToString(quickInfo.documentation), tags: this.mapJSDocTagInfo(quickInfo.tags, project, useDisplayParts) }; } else { return useDisplayParts ? quickInfo : { ...quickInfo, tags: this.mapJSDocTagInfo( quickInfo.tags, project, /*richResponse*/ false ) }; } } getFormattingEditsForRange(args) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file); const startPosition = scriptInfo.lineOffsetToPosition(args.line, args.offset); const endPosition = scriptInfo.lineOffsetToPosition(args.endLine, args.endOffset); const edits = languageService.getFormattingEditsForRange(file, startPosition, endPosition, this.getFormatOptions(file)); if (!edits) { return void 0; } return edits.map((edit) => this.convertTextChangeToCodeEdit(edit, scriptInfo)); } getFormattingEditsForRangeFull(args) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const options = args.options ? convertFormatOptions(args.options) : this.getFormatOptions(file); return languageService.getFormattingEditsForRange(file, args.position, args.endPosition, options); } getFormattingEditsForDocumentFull(args) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const options = args.options ? convertFormatOptions(args.options) : this.getFormatOptions(file); return languageService.getFormattingEditsForDocument(file, options); } getFormattingEditsAfterKeystrokeFull(args) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const options = args.options ? convertFormatOptions(args.options) : this.getFormatOptions(file); return languageService.getFormattingEditsAfterKeystroke(file, args.position, args.key, options); } getFormattingEditsAfterKeystroke(args) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file); const position = scriptInfo.lineOffsetToPosition(args.line, args.offset); const formatOptions = this.getFormatOptions(file); const edits = languageService.getFormattingEditsAfterKeystroke(file, position, args.key, formatOptions); if (args.key === "\n" && (!edits || edits.length === 0 || allEditsBeforePos(edits, position))) { const { lineText, absolutePosition } = scriptInfo.textStorage.getAbsolutePositionAndLineText(args.line); if (lineText && lineText.search("\\S") < 0) { const preferredIndent = languageService.getIndentationAtPosition(file, position, formatOptions); let hasIndent = 0; let i, len; for (i = 0, len = lineText.length; i < len; i++) { if (lineText.charAt(i) === " ") { hasIndent++; } else if (lineText.charAt(i) === " ") { hasIndent += formatOptions.tabSize; } else { break; } } if (preferredIndent !== hasIndent) { const firstNoWhiteSpacePosition = absolutePosition + i; edits.push({ span: createTextSpanFromBounds(absolutePosition, firstNoWhiteSpacePosition), newText: ts_formatting_exports.getIndentationString(preferredIndent, formatOptions) }); } } } if (!edits) { return void 0; } return edits.map((edit) => { return { start: scriptInfo.positionToLineOffset(edit.span.start), end: scriptInfo.positionToLineOffset(textSpanEnd(edit.span)), newText: edit.newText ? edit.newText : "" }; }); } getCompletions(args, kind) { const { file, project } = this.getFileAndProject(args); const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file); const position = this.getPosition(args, scriptInfo); const completions = project.getLanguageService().getCompletionsAtPosition( file, position, { ...convertUserPreferences(this.getPreferences(file)), triggerCharacter: args.triggerCharacter, triggerKind: args.triggerKind, includeExternalModuleExports: args.includeExternalModuleExports, includeInsertTextCompletions: args.includeInsertTextCompletions }, project.projectService.getFormatCodeOptions(file) ); if (completions === void 0) return void 0; if (kind === "completions-full") return completions; const prefix = args.prefix || ""; const entries = mapDefined(completions.entries, (entry) => { if (completions.isMemberCompletion || startsWith2(entry.name.toLowerCase(), prefix.toLowerCase())) { const { name, kind: kind2, kindModifiers, sortText, insertText, filterText, replacementSpan, hasAction, source, sourceDisplay, labelDetails, isSnippet, isRecommended, isPackageJsonImport, isImportStatementCompletion, data } = entry; const convertedSpan = replacementSpan ? toProtocolTextSpan(replacementSpan, scriptInfo) : void 0; return { name, kind: kind2, kindModifiers, sortText, insertText, filterText, replacementSpan: convertedSpan, isSnippet, hasAction: hasAction || void 0, source, sourceDisplay, labelDetails, isRecommended, isPackageJsonImport, isImportStatementCompletion, data }; } }); if (kind === "completions") { if (completions.metadata) entries.metadata = completions.metadata; return entries; } const res = { ...completions, optionalReplacementSpan: completions.optionalReplacementSpan && toProtocolTextSpan(completions.optionalReplacementSpan, scriptInfo), entries }; return res; } getCompletionEntryDetails(args, fullResult) { const { file, project } = this.getFileAndProject(args); const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file); const position = this.getPosition(args, scriptInfo); const formattingOptions = project.projectService.getFormatCodeOptions(file); const useDisplayParts = !!this.getPreferences(file).displayPartsForJSDoc; const result = mapDefined(args.entryNames, (entryName) => { const { name, source, data } = typeof entryName === "string" ? { name: entryName, source: void 0, data: void 0 } : entryName; return project.getLanguageService().getCompletionEntryDetails(file, position, name, formattingOptions, source, this.getPreferences(file), data ? cast(data, isCompletionEntryData) : void 0); }); return fullResult ? useDisplayParts ? result : result.map((details) => ({ ...details, tags: this.mapJSDocTagInfo( details.tags, project, /*richResponse*/ false ) })) : result.map((details) => ({ ...details, codeActions: map(details.codeActions, (action) => this.mapCodeAction(action)), documentation: this.mapDisplayParts(details.documentation, project), tags: this.mapJSDocTagInfo(details.tags, project, useDisplayParts) })); } getCompileOnSaveAffectedFileList(args) { const projects = this.getProjects( args, /*getScriptInfoEnsuringProjectsUptoDate*/ true, /*ignoreNoProjectError*/ true ); const info = this.projectService.getScriptInfo(args.file); if (!info) { return emptyArray2; } return combineProjectOutput( info, (path17) => this.projectService.getScriptInfoForPath(path17), projects, (project, info2) => { if (!project.compileOnSaveEnabled || !project.languageServiceEnabled || project.isOrphan()) { return void 0; } const compilationSettings = project.getCompilationSettings(); if (!!compilationSettings.noEmit || isDeclarationFileName(info2.fileName) && !dtsChangeCanAffectEmit(compilationSettings)) { return void 0; } return { projectFileName: project.getProjectName(), fileNames: project.getCompileOnSaveAffectedFileList(info2), projectUsesOutFile: !!compilationSettings.outFile }; } ); } emitFile(args) { const { file, project } = this.getFileAndProject(args); if (!project) { Errors.ThrowNoProject(); } if (!project.languageServiceEnabled) { return args.richResponse ? { emitSkipped: true, diagnostics: [] } : false; } const scriptInfo = project.getScriptInfo(file); const { emitSkipped, diagnostics } = project.emitFile(scriptInfo, (path17, data, writeByteOrderMark) => this.host.writeFile(path17, data, writeByteOrderMark)); return args.richResponse ? { emitSkipped, diagnostics: args.includeLinePosition ? this.convertToDiagnosticsWithLinePositionFromDiagnosticFile(diagnostics) : diagnostics.map((d) => formatDiagnosticToProtocol( d, /*includeFileName*/ true )) } : !emitSkipped; } getSignatureHelpItems(args, simplifiedResult) { const { file, project } = this.getFileAndProject(args); const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file); const position = this.getPosition(args, scriptInfo); const helpItems = project.getLanguageService().getSignatureHelpItems(file, position, args); const useDisplayParts = !!this.getPreferences(file).displayPartsForJSDoc; if (helpItems && simplifiedResult) { const span = helpItems.applicableSpan; return { ...helpItems, applicableSpan: { start: scriptInfo.positionToLineOffset(span.start), end: scriptInfo.positionToLineOffset(span.start + span.length) }, items: this.mapSignatureHelpItems(helpItems.items, project, useDisplayParts) }; } else if (useDisplayParts || !helpItems) { return helpItems; } else { return { ...helpItems, items: helpItems.items.map((item) => ({ ...item, tags: this.mapJSDocTagInfo( item.tags, project, /*richResponse*/ false ) })) }; } } toPendingErrorCheck(uncheckedFileName) { const fileName = toNormalizedPath(uncheckedFileName); const project = this.projectService.tryGetDefaultProjectForFile(fileName); return project && { fileName, project }; } getDiagnostics(next, delay, fileNames) { if (this.suppressDiagnosticEvents) { return; } if (fileNames.length > 0) { this.updateErrorCheck(next, fileNames, delay); } } change(args) { const scriptInfo = this.projectService.getScriptInfo(args.file); Debug.assert(!!scriptInfo); scriptInfo.textStorage.switchToScriptVersionCache(); const start = scriptInfo.lineOffsetToPosition(args.line, args.offset); const end = scriptInfo.lineOffsetToPosition(args.endLine, args.endOffset); if (start >= 0) { this.changeSeq++; this.projectService.applyChangesToFile( scriptInfo, singleIterator({ span: { start, length: end - start }, newText: args.insertString // TODO: GH#18217 }) ); } } reload(args, reqSeq) { const file = toNormalizedPath(args.file); const tempFileName = args.tmpfile === void 0 ? void 0 : toNormalizedPath(args.tmpfile); const info = this.projectService.getScriptInfoForNormalizedPath(file); if (info) { this.changeSeq++; if (info.reloadFromFile(tempFileName)) { this.doOutput( /*info*/ void 0, "reload", reqSeq, /*success*/ true ); } } } saveToTmp(fileName, tempFileName) { const scriptInfo = this.projectService.getScriptInfo(fileName); if (scriptInfo) { scriptInfo.saveTo(tempFileName); } } closeClientFile(fileName) { if (!fileName) { return; } const file = normalizePath(fileName); this.projectService.closeClientFile(file); } mapLocationNavigationBarItems(items, scriptInfo) { return map(items, (item) => ({ text: item.text, kind: item.kind, kindModifiers: item.kindModifiers, spans: item.spans.map((span) => toProtocolTextSpan(span, scriptInfo)), childItems: this.mapLocationNavigationBarItems(item.childItems, scriptInfo), indent: item.indent })); } getNavigationBarItems(args, simplifiedResult) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const items = languageService.getNavigationBarItems(file); return !items ? void 0 : simplifiedResult ? this.mapLocationNavigationBarItems(items, this.projectService.getScriptInfoForNormalizedPath(file)) : items; } toLocationNavigationTree(tree, scriptInfo) { return { text: tree.text, kind: tree.kind, kindModifiers: tree.kindModifiers, spans: tree.spans.map((span) => toProtocolTextSpan(span, scriptInfo)), nameSpan: tree.nameSpan && toProtocolTextSpan(tree.nameSpan, scriptInfo), childItems: map(tree.childItems, (item) => this.toLocationNavigationTree(item, scriptInfo)) }; } getNavigationTree(args, simplifiedResult) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const tree = languageService.getNavigationTree(file); return !tree ? void 0 : simplifiedResult ? this.toLocationNavigationTree(tree, this.projectService.getScriptInfoForNormalizedPath(file)) : tree; } getNavigateToItems(args, simplifiedResult) { const full = this.getFullNavigateToItems(args); return !simplifiedResult ? flatMap(full, ({ navigateToItems }) => navigateToItems) : flatMap( full, ({ project, navigateToItems }) => navigateToItems.map((navItem) => { const scriptInfo = project.getScriptInfo(navItem.fileName); const bakedItem = { name: navItem.name, kind: navItem.kind, kindModifiers: navItem.kindModifiers, isCaseSensitive: navItem.isCaseSensitive, matchKind: navItem.matchKind, file: navItem.fileName, start: scriptInfo.positionToLineOffset(navItem.textSpan.start), end: scriptInfo.positionToLineOffset(textSpanEnd(navItem.textSpan)) }; if (navItem.kindModifiers && navItem.kindModifiers !== "") { bakedItem.kindModifiers = navItem.kindModifiers; } if (navItem.containerName && navItem.containerName.length > 0) { bakedItem.containerName = navItem.containerName; } if (navItem.containerKind && navItem.containerKind.length > 0) { bakedItem.containerKind = navItem.containerKind; } return bakedItem; }) ); } getFullNavigateToItems(args) { const { currentFileOnly, searchValue, maxResultCount, projectFileName } = args; if (currentFileOnly) { Debug.assertIsDefined(args.file); const { file, project } = this.getFileAndProject(args); return [{ project, navigateToItems: project.getLanguageService().getNavigateToItems(searchValue, maxResultCount, file) }]; } const preferences = this.getHostPreferences(); const outputs = []; const seenItems = /* @__PURE__ */ new Map(); if (!args.file && !projectFileName) { this.projectService.loadAncestorProjectTree(); this.projectService.forEachEnabledProject((project) => addItemsForProject(project)); } else { const projects = this.getProjects(args); forEachProjectInProjects( projects, /*path*/ void 0, (project) => addItemsForProject(project) ); } return outputs; function addItemsForProject(project) { const projectItems = project.getLanguageService().getNavigateToItems( searchValue, maxResultCount, /*fileName*/ void 0, /*excludeDts*/ project.isNonTsProject(), /*excludeLibFiles*/ preferences.excludeLibrarySymbolsInNavTo ); const unseenItems = filter(projectItems, (item) => tryAddSeenItem(item) && !getMappedLocationForProject(documentSpanLocation(item), project)); if (unseenItems.length) { outputs.push({ project, navigateToItems: unseenItems }); } } function tryAddSeenItem(item) { const name = item.name; if (!seenItems.has(name)) { seenItems.set(name, [item]); return true; } const seen = seenItems.get(name); for (const seenItem of seen) { if (navigateToItemIsEqualTo(seenItem, item)) { return false; } } seen.push(item); return true; } function navigateToItemIsEqualTo(a, b) { if (a === b) { return true; } if (!a || !b) { return false; } return a.containerKind === b.containerKind && a.containerName === b.containerName && a.fileName === b.fileName && a.isCaseSensitive === b.isCaseSensitive && a.kind === b.kind && a.kindModifiers === b.kindModifiers && a.matchKind === b.matchKind && a.name === b.name && a.textSpan.start === b.textSpan.start && a.textSpan.length === b.textSpan.length; } } getSupportedCodeFixes(args) { if (!args) return getSupportedCodeFixes(); if (args.file) { const { file, project: project2 } = this.getFileAndProject(args); return project2.getLanguageService().getSupportedCodeFixes(file); } const project = this.getProject(args.projectFileName); if (!project) Errors.ThrowNoProject(); return project.getLanguageService().getSupportedCodeFixes(); } isLocation(locationOrSpan) { return locationOrSpan.line !== void 0; } extractPositionOrRange(args, scriptInfo) { let position; let textRange; if (this.isLocation(args)) { position = getPosition2(args); } else { textRange = this.getRange(args, scriptInfo); } return Debug.checkDefined(position === void 0 ? textRange : position); function getPosition2(loc) { return loc.position !== void 0 ? loc.position : scriptInfo.lineOffsetToPosition(loc.line, loc.offset); } } getRange(args, scriptInfo) { const { startPosition, endPosition } = this.getStartAndEndPosition(args, scriptInfo); return { pos: startPosition, end: endPosition }; } getApplicableRefactors(args) { const { file, project } = this.getFileAndProject(args); const scriptInfo = project.getScriptInfoForNormalizedPath(file); const result = project.getLanguageService().getApplicableRefactors(file, this.extractPositionOrRange(args, scriptInfo), this.getPreferences(file), args.triggerReason, args.kind, args.includeInteractiveActions); return result.map((result2) => ({ ...result2, actions: result2.actions.map((action) => ({ ...action, range: action.range ? { start: convertToLocation({ line: action.range.start.line, character: action.range.start.offset }), end: convertToLocation({ line: action.range.end.line, character: action.range.end.offset }) } : void 0 })) })); } getEditsForRefactor(args, simplifiedResult) { const { file, project } = this.getFileAndProject(args); const scriptInfo = project.getScriptInfoForNormalizedPath(file); const result = project.getLanguageService().getEditsForRefactor( file, this.getFormatOptions(file), this.extractPositionOrRange(args, scriptInfo), args.refactor, args.action, this.getPreferences(file), args.interactiveRefactorArguments ); if (result === void 0) { return { edits: [] }; } if (simplifiedResult) { const { renameFilename, renameLocation, edits } = result; let mappedRenameLocation; if (renameFilename !== void 0 && renameLocation !== void 0) { const renameScriptInfo = project.getScriptInfoForNormalizedPath(toNormalizedPath(renameFilename)); mappedRenameLocation = getLocationInNewDocument(getSnapshotText(renameScriptInfo.getSnapshot()), renameFilename, renameLocation, edits); } return { renameLocation: mappedRenameLocation, renameFilename, edits: this.mapTextChangesToCodeEdits(edits), notApplicableReason: result.notApplicableReason }; } return result; } getMoveToRefactoringFileSuggestions(args) { const { file, project } = this.getFileAndProject(args); const scriptInfo = project.getScriptInfoForNormalizedPath(file); return project.getLanguageService().getMoveToRefactoringFileSuggestions(file, this.extractPositionOrRange(args, scriptInfo), this.getPreferences(file)); } getPasteEdits(args) { const { file, project } = this.getFileAndProject(args); const copiedFrom = args.copiedFrom ? { file: args.copiedFrom.file, range: args.copiedFrom.spans.map((copies) => this.getRange({ file: args.copiedFrom.file, startLine: copies.start.line, startOffset: copies.start.offset, endLine: copies.end.line, endOffset: copies.end.offset }, project.getScriptInfoForNormalizedPath(toNormalizedPath(args.copiedFrom.file)))) } : void 0; const result = project.getLanguageService().getPasteEdits( { targetFile: file, pastedText: args.pastedText, pasteLocations: args.pasteLocations.map((paste) => this.getRange({ file, startLine: paste.start.line, startOffset: paste.start.offset, endLine: paste.end.line, endOffset: paste.end.offset }, project.getScriptInfoForNormalizedPath(file))), copiedFrom, preferences: this.getPreferences(file) }, this.getFormatOptions(file) ); return result && this.mapPasteEditsAction(result); } organizeImports(args, simplifiedResult) { Debug.assert(args.scope.type === "file"); const { file, project } = this.getFileAndProject(args.scope.args); const changes = project.getLanguageService().organizeImports( { fileName: file, mode: args.mode ?? (args.skipDestructiveCodeActions ? "SortAndCombine" : void 0), type: "file" }, this.getFormatOptions(file), this.getPreferences(file) ); if (simplifiedResult) { return this.mapTextChangesToCodeEdits(changes); } else { return changes; } } getEditsForFileRename(args, simplifiedResult) { const oldPath = toNormalizedPath(args.oldFilePath); const newPath = toNormalizedPath(args.newFilePath); const formatOptions = this.getHostFormatOptions(); const preferences = this.getHostPreferences(); const seenFiles = /* @__PURE__ */ new Set(); const textChanges2 = []; this.projectService.loadAncestorProjectTree(); this.projectService.forEachEnabledProject((project) => { const projectTextChanges = project.getLanguageService().getEditsForFileRename(oldPath, newPath, formatOptions, preferences); const projectFiles = []; for (const textChange of projectTextChanges) { if (!seenFiles.has(textChange.fileName)) { textChanges2.push(textChange); projectFiles.push(textChange.fileName); } } for (const file of projectFiles) { seenFiles.add(file); } }); return simplifiedResult ? textChanges2.map((c) => this.mapTextChangeToCodeEdit(c)) : textChanges2; } getCodeFixes(args, simplifiedResult) { const { file, project } = this.getFileAndProject(args); const scriptInfo = project.getScriptInfoForNormalizedPath(file); const { startPosition, endPosition } = this.getStartAndEndPosition(args, scriptInfo); let codeActions; try { codeActions = project.getLanguageService().getCodeFixesAtPosition(file, startPosition, endPosition, args.errorCodes, this.getFormatOptions(file), this.getPreferences(file)); } catch (e) { const ls = project.getLanguageService(); const existingDiagCodes = [ ...ls.getSyntacticDiagnostics(file), ...ls.getSemanticDiagnostics(file), ...ls.getSuggestionDiagnostics(file) ].map( (d) => decodedTextSpanIntersectsWith(startPosition, endPosition - startPosition, d.start, d.length) && d.code ); const badCode = args.errorCodes.find((c) => !existingDiagCodes.includes(c)); if (badCode !== void 0) { e.message = `BADCLIENT: Bad error code, ${badCode} not found in range ${startPosition}..${endPosition} (found: ${existingDiagCodes.join(", ")}); could have caused this error: ${e.message}`; } throw e; } return simplifiedResult ? codeActions.map((codeAction) => this.mapCodeFixAction(codeAction)) : codeActions; } getCombinedCodeFix({ scope, fixId: fixId55 }, simplifiedResult) { Debug.assert(scope.type === "file"); const { file, project } = this.getFileAndProject(scope.args); const res = project.getLanguageService().getCombinedCodeFix({ type: "file", fileName: file }, fixId55, this.getFormatOptions(file), this.getPreferences(file)); if (simplifiedResult) { return { changes: this.mapTextChangesToCodeEdits(res.changes), commands: res.commands }; } else { return res; } } applyCodeActionCommand(args) { const commands = args.command; for (const command of toArray(commands)) { const { file, project } = this.getFileAndProject(command); project.getLanguageService().applyCodeActionCommand(command, this.getFormatOptions(file)).then( (_result) => { }, (_error) => { } ); } return {}; } getStartAndEndPosition(args, scriptInfo) { let startPosition, endPosition; if (args.startPosition !== void 0) { startPosition = args.startPosition; } else { startPosition = scriptInfo.lineOffsetToPosition(args.startLine, args.startOffset); args.startPosition = startPosition; } if (args.endPosition !== void 0) { endPosition = args.endPosition; } else { endPosition = scriptInfo.lineOffsetToPosition(args.endLine, args.endOffset); args.endPosition = endPosition; } return { startPosition, endPosition }; } mapCodeAction({ description: description3, changes, commands }) { return { description: description3, changes: this.mapTextChangesToCodeEdits(changes), commands }; } mapCodeFixAction({ fixName: fixName8, description: description3, changes, commands, fixId: fixId55, fixAllDescription }) { return { fixName: fixName8, description: description3, changes: this.mapTextChangesToCodeEdits(changes), commands, fixId: fixId55, fixAllDescription }; } mapPasteEditsAction({ edits, fixId: fixId55 }) { return { edits: this.mapTextChangesToCodeEdits(edits), fixId: fixId55 }; } mapTextChangesToCodeEdits(textChanges2) { return textChanges2.map((change) => this.mapTextChangeToCodeEdit(change)); } mapTextChangeToCodeEdit(textChanges2) { const scriptInfo = this.projectService.getScriptInfoOrConfig(textChanges2.fileName); if (!!textChanges2.isNewFile === !!scriptInfo) { if (!scriptInfo) { this.projectService.logErrorForScriptInfoNotFound(textChanges2.fileName); } Debug.fail("Expected isNewFile for (only) new files. " + JSON.stringify({ isNewFile: !!textChanges2.isNewFile, hasScriptInfo: !!scriptInfo })); } return scriptInfo ? { fileName: textChanges2.fileName, textChanges: textChanges2.textChanges.map((textChange) => convertTextChangeToCodeEdit(textChange, scriptInfo)) } : convertNewFileTextChangeToCodeEdit(textChanges2); } convertTextChangeToCodeEdit(change, scriptInfo) { return { start: scriptInfo.positionToLineOffset(change.span.start), end: scriptInfo.positionToLineOffset(change.span.start + change.span.length), newText: change.newText ? change.newText : "" }; } getBraceMatching(args, simplifiedResult) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file); const position = this.getPosition(args, scriptInfo); const spans = languageService.getBraceMatchingAtPosition(file, position); return !spans ? void 0 : simplifiedResult ? spans.map((span) => toProtocolTextSpan(span, scriptInfo)) : spans; } getDiagnosticsForProject(next, delay, fileName) { if (this.suppressDiagnosticEvents) { return; } const { fileNames, languageServiceDisabled } = this.getProjectInfoWorker( fileName, /*projectFileName*/ void 0, /*needFileNameList*/ true, /*excludeConfigFiles*/ true ); if (languageServiceDisabled) { return; } const fileNamesInProject = fileNames.filter((value) => !value.includes("lib.d.ts")); if (fileNamesInProject.length === 0) { return; } const highPriorityFiles = []; const mediumPriorityFiles = []; const lowPriorityFiles = []; const veryLowPriorityFiles = []; const normalizedFileName = toNormalizedPath(fileName); const project = this.projectService.ensureDefaultProjectForFile(normalizedFileName); for (const fileNameInProject of fileNamesInProject) { if (this.getCanonicalFileName(fileNameInProject) === this.getCanonicalFileName(fileName)) { highPriorityFiles.push(fileNameInProject); } else { const info = this.projectService.getScriptInfo(fileNameInProject); if (!info.isScriptOpen()) { if (isDeclarationFileName(fileNameInProject)) { veryLowPriorityFiles.push(fileNameInProject); } else { lowPriorityFiles.push(fileNameInProject); } } else { mediumPriorityFiles.push(fileNameInProject); } } } const sortedFiles = [...highPriorityFiles, ...mediumPriorityFiles, ...lowPriorityFiles, ...veryLowPriorityFiles]; const checkList = sortedFiles.map((fileName2) => ({ fileName: fileName2, project })); this.updateErrorCheck( next, checkList, delay, /*requireOpen*/ false ); } configurePlugin(args) { this.projectService.configurePlugin(args); } getSmartSelectionRange(args, simplifiedResult) { const { locations } = args; const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const scriptInfo = Debug.checkDefined(this.projectService.getScriptInfo(file)); return map(locations, (location) => { const pos = this.getPosition(location, scriptInfo); const selectionRange = languageService.getSmartSelectionRange(file, pos); return simplifiedResult ? this.mapSelectionRange(selectionRange, scriptInfo) : selectionRange; }); } toggleLineComment(args, simplifiedResult) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const scriptInfo = this.projectService.getScriptInfo(file); const textRange = this.getRange(args, scriptInfo); const textChanges2 = languageService.toggleLineComment(file, textRange); if (simplifiedResult) { const scriptInfo2 = this.projectService.getScriptInfoForNormalizedPath(file); return textChanges2.map((textChange) => this.convertTextChangeToCodeEdit(textChange, scriptInfo2)); } return textChanges2; } toggleMultilineComment(args, simplifiedResult) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file); const textRange = this.getRange(args, scriptInfo); const textChanges2 = languageService.toggleMultilineComment(file, textRange); if (simplifiedResult) { const scriptInfo2 = this.projectService.getScriptInfoForNormalizedPath(file); return textChanges2.map((textChange) => this.convertTextChangeToCodeEdit(textChange, scriptInfo2)); } return textChanges2; } commentSelection(args, simplifiedResult) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file); const textRange = this.getRange(args, scriptInfo); const textChanges2 = languageService.commentSelection(file, textRange); if (simplifiedResult) { const scriptInfo2 = this.projectService.getScriptInfoForNormalizedPath(file); return textChanges2.map((textChange) => this.convertTextChangeToCodeEdit(textChange, scriptInfo2)); } return textChanges2; } uncommentSelection(args, simplifiedResult) { const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args); const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file); const textRange = this.getRange(args, scriptInfo); const textChanges2 = languageService.uncommentSelection(file, textRange); if (simplifiedResult) { const scriptInfo2 = this.projectService.getScriptInfoForNormalizedPath(file); return textChanges2.map((textChange) => this.convertTextChangeToCodeEdit(textChange, scriptInfo2)); } return textChanges2; } mapSelectionRange(selectionRange, scriptInfo) { const result = { textSpan: toProtocolTextSpan(selectionRange.textSpan, scriptInfo) }; if (selectionRange.parent) { result.parent = this.mapSelectionRange(selectionRange.parent, scriptInfo); } return result; } getScriptInfoFromProjectService(file) { const normalizedFile = toNormalizedPath(file); const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(normalizedFile); if (!scriptInfo) { this.projectService.logErrorForScriptInfoNotFound(normalizedFile); return Errors.ThrowNoProject(); } return scriptInfo; } toProtocolCallHierarchyItem(item) { const scriptInfo = this.getScriptInfoFromProjectService(item.file); return { name: item.name, kind: item.kind, kindModifiers: item.kindModifiers, file: item.file, containerName: item.containerName, span: toProtocolTextSpan(item.span, scriptInfo), selectionSpan: toProtocolTextSpan(item.selectionSpan, scriptInfo) }; } toProtocolCallHierarchyIncomingCall(incomingCall) { const scriptInfo = this.getScriptInfoFromProjectService(incomingCall.from.file); return { from: this.toProtocolCallHierarchyItem(incomingCall.from), fromSpans: incomingCall.fromSpans.map((fromSpan) => toProtocolTextSpan(fromSpan, scriptInfo)) }; } toProtocolCallHierarchyOutgoingCall(outgoingCall, scriptInfo) { return { to: this.toProtocolCallHierarchyItem(outgoingCall.to), fromSpans: outgoingCall.fromSpans.map((fromSpan) => toProtocolTextSpan(fromSpan, scriptInfo)) }; } prepareCallHierarchy(args) { const { file, project } = this.getFileAndProject(args); const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file); if (scriptInfo) { const position = this.getPosition(args, scriptInfo); const result = project.getLanguageService().prepareCallHierarchy(file, position); return result && mapOneOrMany(result, (item) => this.toProtocolCallHierarchyItem(item)); } return void 0; } provideCallHierarchyIncomingCalls(args) { const { file, project } = this.getFileAndProject(args); const scriptInfo = this.getScriptInfoFromProjectService(file); const incomingCalls = project.getLanguageService().provideCallHierarchyIncomingCalls(file, this.getPosition(args, scriptInfo)); return incomingCalls.map((call) => this.toProtocolCallHierarchyIncomingCall(call)); } provideCallHierarchyOutgoingCalls(args) { const { file, project } = this.getFileAndProject(args); const scriptInfo = this.getScriptInfoFromProjectService(file); const outgoingCalls = project.getLanguageService().provideCallHierarchyOutgoingCalls(file, this.getPosition(args, scriptInfo)); return outgoingCalls.map((call) => this.toProtocolCallHierarchyOutgoingCall(call, scriptInfo)); } getCanonicalFileName(fileName) { const name = this.host.useCaseSensitiveFileNames ? fileName : toFileNameLowerCase(fileName); return normalizePath(name); } exit() { } notRequired() { return { responseRequired: false }; } requiredResponse(response) { return { response, responseRequired: true }; } addProtocolHandler(command, handler) { if (this.handlers.has(command)) { throw new Error(`Protocol handler already exists for command "${command}"`); } this.handlers.set(command, handler); } setCurrentRequest(requestId) { Debug.assert(this.currentRequestId === void 0); this.currentRequestId = requestId; this.cancellationToken.setRequest(requestId); } resetCurrentRequest(requestId) { Debug.assert(this.currentRequestId === requestId); this.currentRequestId = void 0; this.cancellationToken.resetRequest(requestId); } executeWithRequestId(requestId, f) { try { this.setCurrentRequest(requestId); return f(); } finally { this.resetCurrentRequest(requestId); } } executeCommand(request) { const handler = this.handlers.get(request.command); if (handler) { const response = this.executeWithRequestId(request.seq, () => handler(request)); this.projectService.enableRequestedPlugins(); return response; } else { this.logger.msg( `Unrecognized JSON command:${stringifyIndented(request)}`, "Err" /* Err */ ); this.doOutput( /*info*/ void 0, "unknown", request.seq, /*success*/ false, `Unrecognized JSON command: ${request.command}` ); return { responseRequired: false }; } } onMessage(message) { var _a, _b, _c, _d, _e, _f, _g, _h, _i, _j, _k; this.gcTimer.scheduleCollect(); this.performanceData = void 0; let start; if (this.logger.hasLevel( 2 /* requestTime */ )) { start = this.hrtime(); if (this.logger.hasLevel( 3 /* verbose */ )) { this.logger.info(`request:${indent2(this.toStringMessage(message))}`); } } let request; let relevantFile; try { request = this.parseMessage(message); relevantFile = request.arguments && request.arguments.file ? request.arguments : void 0; (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.Session, "request", { seq: request.seq, command: request.command }); (_b = perfLogger) == null ? void 0 : _b.logStartCommand("" + request.command, this.toStringMessage(message).substring(0, 100)); (_c = tracing) == null ? void 0 : _c.push( tracing.Phase.Session, "executeCommand", { seq: request.seq, command: request.command }, /*separateBeginAndEnd*/ true ); const { response, responseRequired } = this.executeCommand(request); (_d = tracing) == null ? void 0 : _d.pop(); if (this.logger.hasLevel( 2 /* requestTime */ )) { const elapsedTime = hrTimeToMilliseconds(this.hrtime(start)).toFixed(4); if (responseRequired) { this.logger.perftrc(`${request.seq}::${request.command}: elapsed time (in milliseconds) ${elapsedTime}`); } else { this.logger.perftrc(`${request.seq}::${request.command}: async elapsed time (in milliseconds) ${elapsedTime}`); } } (_e = perfLogger) == null ? void 0 : _e.logStopCommand("" + request.command, "Success"); (_f = tracing) == null ? void 0 : _f.instant(tracing.Phase.Session, "response", { seq: request.seq, command: request.command, success: !!response }); if (response) { this.doOutput( response, request.command, request.seq, /*success*/ true ); } else if (responseRequired) { this.doOutput( /*info*/ void 0, request.command, request.seq, /*success*/ false, "No content available." ); } } catch (err) { (_g = tracing) == null ? void 0 : _g.popAll(); if (err instanceof OperationCanceledException) { (_h = perfLogger) == null ? void 0 : _h.logStopCommand("" + (request && request.command), "Canceled: " + err); (_i = tracing) == null ? void 0 : _i.instant(tracing.Phase.Session, "commandCanceled", { seq: request == null ? void 0 : request.seq, command: request == null ? void 0 : request.command }); this.doOutput( { canceled: true }, request.command, request.seq, /*success*/ true ); return; } this.logErrorWorker(err, this.toStringMessage(message), relevantFile); (_j = perfLogger) == null ? void 0 : _j.logStopCommand("" + (request && request.command), "Error: " + err); (_k = tracing) == null ? void 0 : _k.instant(tracing.Phase.Session, "commandError", { seq: request == null ? void 0 : request.seq, command: request == null ? void 0 : request.command, message: err.message }); this.doOutput( /*info*/ void 0, request ? request.command : "unknown", request ? request.seq : 0, /*success*/ false, "Error processing request. " + err.message + "\n" + err.stack ); } } parseMessage(message) { return JSON.parse(message); } toStringMessage(message) { return message; } getFormatOptions(file) { return this.projectService.getFormatCodeOptions(file); } getPreferences(file) { return this.projectService.getPreferences(file); } getHostFormatOptions() { return this.projectService.getHostFormatCodeOptions(); } getHostPreferences() { return this.projectService.getHostPreferences(); } }; function toProtocolTextSpan(textSpan, scriptInfo) { return { start: scriptInfo.positionToLineOffset(textSpan.start), end: scriptInfo.positionToLineOffset(textSpanEnd(textSpan)) }; } function toProtocolTextSpanWithContext(span, contextSpan, scriptInfo) { const textSpan = toProtocolTextSpan(span, scriptInfo); const contextTextSpan = contextSpan && toProtocolTextSpan(contextSpan, scriptInfo); return contextTextSpan ? { ...textSpan, contextStart: contextTextSpan.start, contextEnd: contextTextSpan.end } : textSpan; } function convertTextChangeToCodeEdit(change, scriptInfo) { return { start: positionToLineOffset(scriptInfo, change.span.start), end: positionToLineOffset(scriptInfo, textSpanEnd(change.span)), newText: change.newText }; } function positionToLineOffset(info, position) { return isConfigFile(info) ? locationFromLineAndCharacter(info.getLineAndCharacterOfPosition(position)) : info.positionToLineOffset(position); } function convertLinkedEditInfoToRanges(linkedEdit, scriptInfo) { const ranges = linkedEdit.ranges.map( (r) => { return { start: scriptInfo.positionToLineOffset(r.start), end: scriptInfo.positionToLineOffset(r.start + r.length) }; } ); if (!linkedEdit.wordPattern) return { ranges }; return { ranges, wordPattern: linkedEdit.wordPattern }; } function locationFromLineAndCharacter(lc) { return { line: lc.line + 1, offset: lc.character + 1 }; } function convertNewFileTextChangeToCodeEdit(textChanges2) { Debug.assert(textChanges2.textChanges.length === 1); const change = first(textChanges2.textChanges); Debug.assert(change.span.start === 0 && change.span.length === 0); return { fileName: textChanges2.fileName, textChanges: [{ start: { line: 0, offset: 0 }, end: { line: 0, offset: 0 }, newText: change.newText }] }; } function getLocationInNewDocument(oldText, renameFilename, renameLocation, edits) { const newText = applyEdits(oldText, renameFilename, edits); const { line, character } = computeLineAndCharacterOfPosition(computeLineStarts(newText), renameLocation); return { line: line + 1, offset: character + 1 }; } function applyEdits(text, textFilename, edits) { for (const { fileName, textChanges: textChanges2 } of edits) { if (fileName !== textFilename) { continue; } for (let i = textChanges2.length - 1; i >= 0; i--) { const { newText, span: { start, length: length2 } } = textChanges2[i]; text = text.slice(0, start) + newText + text.slice(start + length2); } } return text; } function referenceEntryToReferencesResponseItem(projectService, { fileName, textSpan, contextSpan, isWriteAccess: isWriteAccess2, isDefinition }, { disableLineTextInReferences }) { const scriptInfo = Debug.checkDefined(projectService.getScriptInfo(fileName)); const span = toProtocolTextSpanWithContext(textSpan, contextSpan, scriptInfo); const lineText = disableLineTextInReferences ? void 0 : getLineText(scriptInfo, span); return { file: fileName, ...span, lineText, isWriteAccess: isWriteAccess2, isDefinition }; } function getLineText(scriptInfo, span) { const lineSpan = scriptInfo.lineToTextSpan(span.start.line - 1); return scriptInfo.getSnapshot().getText(lineSpan.start, textSpanEnd(lineSpan)).replace(/\r|\n/g, ""); } function isCompletionEntryData(data) { return data === void 0 || data && typeof data === "object" && typeof data.exportName === "string" && (data.fileName === void 0 || typeof data.fileName === "string") && (data.ambientModuleName === void 0 || typeof data.ambientModuleName === "string" && (data.isPackageJsonImport === void 0 || typeof data.isPackageJsonImport === "boolean")); } var lineCollectionCapacity = 4; var CharRangeSection = /* @__PURE__ */ ((CharRangeSection2) => { CharRangeSection2[CharRangeSection2["PreStart"] = 0] = "PreStart"; CharRangeSection2[CharRangeSection2["Start"] = 1] = "Start"; CharRangeSection2[CharRangeSection2["Entire"] = 2] = "Entire"; CharRangeSection2[CharRangeSection2["Mid"] = 3] = "Mid"; CharRangeSection2[CharRangeSection2["End"] = 4] = "End"; CharRangeSection2[CharRangeSection2["PostEnd"] = 5] = "PostEnd"; return CharRangeSection2; })(CharRangeSection || {}); var EditWalker = class { constructor() { this.goSubtree = true; this.lineIndex = new LineIndex(); this.endBranch = []; this.state = 2; this.initialText = ""; this.trailingText = ""; this.lineIndex.root = new LineNode(); this.startPath = [this.lineIndex.root]; this.stack = [this.lineIndex.root]; } get done() { return false; } insertLines(insertedText, suppressTrailingText) { if (suppressTrailingText) { this.trailingText = ""; } if (insertedText) { insertedText = this.initialText + insertedText + this.trailingText; } else { insertedText = this.initialText + this.trailingText; } const lm = LineIndex.linesFromText(insertedText); const lines = lm.lines; if (lines.length > 1 && lines[lines.length - 1] === "") { lines.pop(); } let branchParent; let lastZeroCount; for (let k = this.endBranch.length - 1; k >= 0; k--) { this.endBranch[k].updateCounts(); if (this.endBranch[k].charCount() === 0) { lastZeroCount = this.endBranch[k]; if (k > 0) { branchParent = this.endBranch[k - 1]; } else { branchParent = this.branchNode; } } } if (lastZeroCount) { branchParent.remove(lastZeroCount); } const leafNode = this.startPath[this.startPath.length - 1]; if (lines.length > 0) { leafNode.text = lines[0]; if (lines.length > 1) { let insertedNodes = new Array(lines.length - 1); let startNode2 = leafNode; for (let i = 1; i < lines.length; i++) { insertedNodes[i - 1] = new LineLeaf(lines[i]); } let pathIndex = this.startPath.length - 2; while (pathIndex >= 0) { const insertionNode = this.startPath[pathIndex]; insertedNodes = insertionNode.insertAt(startNode2, insertedNodes); pathIndex--; startNode2 = insertionNode; } let insertedNodesLen = insertedNodes.length; while (insertedNodesLen > 0) { const newRoot = new LineNode(); newRoot.add(this.lineIndex.root); insertedNodes = newRoot.insertAt(this.lineIndex.root, insertedNodes); insertedNodesLen = insertedNodes.length; this.lineIndex.root = newRoot; } this.lineIndex.root.updateCounts(); } else { for (let j = this.startPath.length - 2; j >= 0; j--) { this.startPath[j].updateCounts(); } } } else { const insertionNode = this.startPath[this.startPath.length - 2]; insertionNode.remove(leafNode); for (let j = this.startPath.length - 2; j >= 0; j--) { this.startPath[j].updateCounts(); } } return this.lineIndex; } post(_relativeStart, _relativeLength, lineCollection) { if (lineCollection === this.lineCollectionAtBranch) { this.state = 4; } this.stack.pop(); } pre(_relativeStart, _relativeLength, lineCollection, _parent, nodeType) { const currentNode = this.stack[this.stack.length - 1]; if (this.state === 2 && nodeType === 1) { this.state = 1; this.branchNode = currentNode; this.lineCollectionAtBranch = lineCollection; } let child; function fresh(node) { if (node.isLeaf()) { return new LineLeaf(""); } else return new LineNode(); } switch (nodeType) { case 0: this.goSubtree = false; if (this.state !== 4) { currentNode.add(lineCollection); } break; case 1: if (this.state === 4) { this.goSubtree = false; } else { child = fresh(lineCollection); currentNode.add(child); this.startPath.push(child); } break; case 2: if (this.state !== 4) { child = fresh(lineCollection); currentNode.add(child); this.startPath.push(child); } else { if (!lineCollection.isLeaf()) { child = fresh(lineCollection); currentNode.add(child); this.endBranch.push(child); } } break; case 3: this.goSubtree = false; break; case 4: if (this.state !== 4) { this.goSubtree = false; } else { if (!lineCollection.isLeaf()) { child = fresh(lineCollection); currentNode.add(child); this.endBranch.push(child); } } break; case 5: this.goSubtree = false; if (this.state !== 1) { currentNode.add(lineCollection); } break; } if (this.goSubtree) { this.stack.push(child); } } // just gather text from the leaves leaf(relativeStart, relativeLength, ll) { if (this.state === 1) { this.initialText = ll.text.substring(0, relativeStart); } else if (this.state === 2) { this.initialText = ll.text.substring(0, relativeStart); this.trailingText = ll.text.substring(relativeStart + relativeLength); } else { this.trailingText = ll.text.substring(relativeStart + relativeLength); } } }; var TextChange9 = class { constructor(pos, deleteLen, insertedText) { this.pos = pos; this.deleteLen = deleteLen; this.insertedText = insertedText; } getTextChangeRange() { return createTextChangeRange(createTextSpan(this.pos, this.deleteLen), this.insertedText ? this.insertedText.length : 0); } }; var _ScriptVersionCache = class _ScriptVersionCache2 { constructor() { this.changes = []; this.versions = new Array(_ScriptVersionCache2.maxVersions); this.minVersion = 0; this.currentVersion = 0; } versionToIndex(version2) { if (version2 < this.minVersion || version2 > this.currentVersion) { return void 0; } return version2 % _ScriptVersionCache2.maxVersions; } currentVersionToIndex() { return this.currentVersion % _ScriptVersionCache2.maxVersions; } // REVIEW: can optimize by coalescing simple edits edit(pos, deleteLen, insertedText) { this.changes.push(new TextChange9(pos, deleteLen, insertedText)); if (this.changes.length > _ScriptVersionCache2.changeNumberThreshold || deleteLen > _ScriptVersionCache2.changeLengthThreshold || insertedText && insertedText.length > _ScriptVersionCache2.changeLengthThreshold) { this.getSnapshot(); } } getSnapshot() { return this._getSnapshot(); } _getSnapshot() { let snap = this.versions[this.currentVersionToIndex()]; if (this.changes.length > 0) { let snapIndex = snap.index; for (const change of this.changes) { snapIndex = snapIndex.edit(change.pos, change.deleteLen, change.insertedText); } snap = new LineIndexSnapshot(this.currentVersion + 1, this, snapIndex, this.changes); this.currentVersion = snap.version; this.versions[this.currentVersionToIndex()] = snap; this.changes = []; if (this.currentVersion - this.minVersion >= _ScriptVersionCache2.maxVersions) { this.minVersion = this.currentVersion - _ScriptVersionCache2.maxVersions + 1; } } return snap; } getSnapshotVersion() { return this._getSnapshot().version; } getAbsolutePositionAndLineText(oneBasedLine) { return this._getSnapshot().index.lineNumberToInfo(oneBasedLine); } lineOffsetToPosition(line, column) { return this._getSnapshot().index.absolutePositionOfStartOfLine(line) + (column - 1); } positionToLineOffset(position) { return this._getSnapshot().index.positionToLineOffset(position); } lineToTextSpan(line) { const index = this._getSnapshot().index; const { lineText, absolutePosition } = index.lineNumberToInfo(line + 1); const len = lineText !== void 0 ? lineText.length : index.absolutePositionOfStartOfLine(line + 2) - absolutePosition; return createTextSpan(absolutePosition, len); } getTextChangesBetweenVersions(oldVersion, newVersion) { if (oldVersion < newVersion) { if (oldVersion >= this.minVersion) { const textChangeRanges = []; for (let i = oldVersion + 1; i <= newVersion; i++) { const snap = this.versions[this.versionToIndex(i)]; for (const textChange of snap.changesSincePreviousVersion) { textChangeRanges.push(textChange.getTextChangeRange()); } } return collapseTextChangeRangesAcrossMultipleVersions(textChangeRanges); } else { return void 0; } } else { return unchangedTextChangeRange; } } getLineCount() { return this._getSnapshot().index.getLineCount(); } static fromString(script) { const svc = new _ScriptVersionCache2(); const snap = new LineIndexSnapshot(0, svc, new LineIndex()); svc.versions[svc.currentVersion] = snap; const lm = LineIndex.linesFromText(script); snap.index.load(lm.lines); return svc; } }; _ScriptVersionCache.changeNumberThreshold = 8; _ScriptVersionCache.changeLengthThreshold = 256; _ScriptVersionCache.maxVersions = 8; var ScriptVersionCache = _ScriptVersionCache; var LineIndexSnapshot = class _LineIndexSnapshot { constructor(version2, cache, index, changesSincePreviousVersion = emptyArray2) { this.version = version2; this.cache = cache; this.index = index; this.changesSincePreviousVersion = changesSincePreviousVersion; } getText(rangeStart, rangeEnd) { return this.index.getText(rangeStart, rangeEnd - rangeStart); } getLength() { return this.index.getLength(); } getChangeRange(oldSnapshot) { if (oldSnapshot instanceof _LineIndexSnapshot && this.cache === oldSnapshot.cache) { if (this.version <= oldSnapshot.version) { return unchangedTextChangeRange; } else { return this.cache.getTextChangesBetweenVersions(oldSnapshot.version, this.version); } } } }; var LineIndex = class _LineIndex { constructor() { this.checkEdits = false; } absolutePositionOfStartOfLine(oneBasedLine) { return this.lineNumberToInfo(oneBasedLine).absolutePosition; } positionToLineOffset(position) { const { oneBasedLine, zeroBasedColumn } = this.root.charOffsetToLineInfo(1, position); return { line: oneBasedLine, offset: zeroBasedColumn + 1 }; } positionToColumnAndLineText(position) { return this.root.charOffsetToLineInfo(1, position); } getLineCount() { return this.root.lineCount(); } lineNumberToInfo(oneBasedLine) { const lineCount = this.getLineCount(); if (oneBasedLine <= lineCount) { const { position, leaf } = this.root.lineNumberToInfo(oneBasedLine, 0); return { absolutePosition: position, lineText: leaf && leaf.text }; } else { return { absolutePosition: this.root.charCount(), lineText: void 0 }; } } load(lines) { if (lines.length > 0) { const leaves = []; for (let i = 0; i < lines.length; i++) { leaves[i] = new LineLeaf(lines[i]); } this.root = _LineIndex.buildTreeFromBottom(leaves); } else { this.root = new LineNode(); } } walk(rangeStart, rangeLength, walkFns) { this.root.walk(rangeStart, rangeLength, walkFns); } getText(rangeStart, rangeLength) { let accum = ""; if (rangeLength > 0 && rangeStart < this.root.charCount()) { this.walk(rangeStart, rangeLength, { goSubtree: true, done: false, leaf: (relativeStart, relativeLength, ll) => { accum = accum.concat(ll.text.substring(relativeStart, relativeStart + relativeLength)); } }); } return accum; } getLength() { return this.root.charCount(); } every(f, rangeStart, rangeEnd) { if (!rangeEnd) { rangeEnd = this.root.charCount(); } const walkFns = { goSubtree: true, done: false, leaf(relativeStart, relativeLength, ll) { if (!f(ll, relativeStart, relativeLength)) { this.done = true; } } }; this.walk(rangeStart, rangeEnd - rangeStart, walkFns); return !walkFns.done; } edit(pos, deleteLength, newText) { if (this.root.charCount() === 0) { Debug.assert(deleteLength === 0); if (newText !== void 0) { this.load(_LineIndex.linesFromText(newText).lines); return this; } return void 0; } else { let checkText; if (this.checkEdits) { const source = this.getText(0, this.root.charCount()); checkText = source.slice(0, pos) + newText + source.slice(pos + deleteLength); } const walker = new EditWalker(); let suppressTrailingText = false; if (pos >= this.root.charCount()) { pos = this.root.charCount() - 1; const endString = this.getText(pos, 1); if (newText) { newText = endString + newText; } else { newText = endString; } deleteLength = 0; suppressTrailingText = true; } else if (deleteLength > 0) { const e = pos + deleteLength; const { zeroBasedColumn, lineText } = this.positionToColumnAndLineText(e); if (zeroBasedColumn === 0) { deleteLength += lineText.length; newText = newText ? newText + lineText : lineText; } } this.root.walk(pos, deleteLength, walker); walker.insertLines(newText, suppressTrailingText); if (this.checkEdits) { const updatedText = walker.lineIndex.getText(0, walker.lineIndex.getLength()); Debug.assert(checkText === updatedText, "buffer edit mismatch"); } return walker.lineIndex; } } static buildTreeFromBottom(nodes) { if (nodes.length < lineCollectionCapacity) { return new LineNode(nodes); } const interiorNodes = new Array(Math.ceil(nodes.length / lineCollectionCapacity)); let nodeIndex = 0; for (let i = 0; i < interiorNodes.length; i++) { const end = Math.min(nodeIndex + lineCollectionCapacity, nodes.length); interiorNodes[i] = new LineNode(nodes.slice(nodeIndex, end)); nodeIndex = end; } return this.buildTreeFromBottom(interiorNodes); } static linesFromText(text) { const lineMap = computeLineStarts(text); if (lineMap.length === 0) { return { lines: [], lineMap }; } const lines = new Array(lineMap.length); const lc = lineMap.length - 1; for (let lmi = 0; lmi < lc; lmi++) { lines[lmi] = text.substring(lineMap[lmi], lineMap[lmi + 1]); } const endText = text.substring(lineMap[lc]); if (endText.length > 0) { lines[lc] = endText; } else { lines.pop(); } return { lines, lineMap }; } }; var LineNode = class _LineNode { constructor(children = []) { this.children = children; this.totalChars = 0; this.totalLines = 0; if (children.length) this.updateCounts(); } isLeaf() { return false; } updateCounts() { this.totalChars = 0; this.totalLines = 0; for (const child of this.children) { this.totalChars += child.charCount(); this.totalLines += child.lineCount(); } } execWalk(rangeStart, rangeLength, walkFns, childIndex, nodeType) { if (walkFns.pre) { walkFns.pre(rangeStart, rangeLength, this.children[childIndex], this, nodeType); } if (walkFns.goSubtree) { this.children[childIndex].walk(rangeStart, rangeLength, walkFns); if (walkFns.post) { walkFns.post(rangeStart, rangeLength, this.children[childIndex], this, nodeType); } } else { walkFns.goSubtree = true; } return walkFns.done; } skipChild(relativeStart, relativeLength, childIndex, walkFns, nodeType) { if (walkFns.pre && !walkFns.done) { walkFns.pre(relativeStart, relativeLength, this.children[childIndex], this, nodeType); walkFns.goSubtree = true; } } walk(rangeStart, rangeLength, walkFns) { let childIndex = 0; let childCharCount = this.children[childIndex].charCount(); let adjustedStart = rangeStart; while (adjustedStart >= childCharCount) { this.skipChild( adjustedStart, rangeLength, childIndex, walkFns, 0 /* PreStart */ ); adjustedStart -= childCharCount; childIndex++; childCharCount = this.children[childIndex].charCount(); } if (adjustedStart + rangeLength <= childCharCount) { if (this.execWalk( adjustedStart, rangeLength, walkFns, childIndex, 2 /* Entire */ )) { return; } } else { if (this.execWalk( adjustedStart, childCharCount - adjustedStart, walkFns, childIndex, 1 /* Start */ )) { return; } let adjustedLength = rangeLength - (childCharCount - adjustedStart); childIndex++; const child = this.children[childIndex]; childCharCount = child.charCount(); while (adjustedLength > childCharCount) { if (this.execWalk( 0, childCharCount, walkFns, childIndex, 3 /* Mid */ )) { return; } adjustedLength -= childCharCount; childIndex++; childCharCount = this.children[childIndex].charCount(); } if (adjustedLength > 0) { if (this.execWalk( 0, adjustedLength, walkFns, childIndex, 4 /* End */ )) { return; } } } if (walkFns.pre) { const clen = this.children.length; if (childIndex < clen - 1) { for (let ej = childIndex + 1; ej < clen; ej++) { this.skipChild( 0, 0, ej, walkFns, 5 /* PostEnd */ ); } } } } // Input position is relative to the start of this node. // Output line number is absolute. charOffsetToLineInfo(lineNumberAccumulator, relativePosition) { if (this.children.length === 0) { return { oneBasedLine: lineNumberAccumulator, zeroBasedColumn: relativePosition, lineText: void 0 }; } for (const child of this.children) { if (child.charCount() > relativePosition) { if (child.isLeaf()) { return { oneBasedLine: lineNumberAccumulator, zeroBasedColumn: relativePosition, lineText: child.text }; } else { return child.charOffsetToLineInfo(lineNumberAccumulator, relativePosition); } } else { relativePosition -= child.charCount(); lineNumberAccumulator += child.lineCount(); } } const lineCount = this.lineCount(); if (lineCount === 0) { return { oneBasedLine: 1, zeroBasedColumn: 0, lineText: void 0 }; } const leaf = Debug.checkDefined(this.lineNumberToInfo(lineCount, 0).leaf); return { oneBasedLine: lineCount, zeroBasedColumn: leaf.charCount(), lineText: void 0 }; } /** * Input line number is relative to the start of this node. * Output line number is relative to the child. * positionAccumulator will be an absolute position once relativeLineNumber reaches 0. */ lineNumberToInfo(relativeOneBasedLine, positionAccumulator) { for (const child of this.children) { const childLineCount = child.lineCount(); if (childLineCount >= relativeOneBasedLine) { return child.isLeaf() ? { position: positionAccumulator, leaf: child } : child.lineNumberToInfo(relativeOneBasedLine, positionAccumulator); } else { relativeOneBasedLine -= childLineCount; positionAccumulator += child.charCount(); } } return { position: positionAccumulator, leaf: void 0 }; } splitAfter(childIndex) { let splitNode; const clen = this.children.length; childIndex++; const endLength = childIndex; if (childIndex < clen) { splitNode = new _LineNode(); while (childIndex < clen) { splitNode.add(this.children[childIndex]); childIndex++; } splitNode.updateCounts(); } this.children.length = endLength; return splitNode; } remove(child) { const childIndex = this.findChildIndex(child); const clen = this.children.length; if (childIndex < clen - 1) { for (let i = childIndex; i < clen - 1; i++) { this.children[i] = this.children[i + 1]; } } this.children.pop(); } findChildIndex(child) { const childIndex = this.children.indexOf(child); Debug.assert(childIndex !== -1); return childIndex; } insertAt(child, nodes) { let childIndex = this.findChildIndex(child); const clen = this.children.length; const nodeCount = nodes.length; if (clen < lineCollectionCapacity && childIndex === clen - 1 && nodeCount === 1) { this.add(nodes[0]); this.updateCounts(); return []; } else { const shiftNode = this.splitAfter(childIndex); let nodeIndex = 0; childIndex++; while (childIndex < lineCollectionCapacity && nodeIndex < nodeCount) { this.children[childIndex] = nodes[nodeIndex]; childIndex++; nodeIndex++; } let splitNodes = []; let splitNodeCount = 0; if (nodeIndex < nodeCount) { splitNodeCount = Math.ceil((nodeCount - nodeIndex) / lineCollectionCapacity); splitNodes = new Array(splitNodeCount); let splitNodeIndex = 0; for (let i = 0; i < splitNodeCount; i++) { splitNodes[i] = new _LineNode(); } let splitNode = splitNodes[0]; while (nodeIndex < nodeCount) { splitNode.add(nodes[nodeIndex]); nodeIndex++; if (splitNode.children.length === lineCollectionCapacity) { splitNodeIndex++; splitNode = splitNodes[splitNodeIndex]; } } for (let i = splitNodes.length - 1; i >= 0; i--) { if (splitNodes[i].children.length === 0) { splitNodes.pop(); } } } if (shiftNode) { splitNodes.push(shiftNode); } this.updateCounts(); for (let i = 0; i < splitNodeCount; i++) { splitNodes[i].updateCounts(); } return splitNodes; } } // assume there is room for the item; return true if more room add(collection) { this.children.push(collection); Debug.assert(this.children.length <= lineCollectionCapacity); } charCount() { return this.totalChars; } lineCount() { return this.totalLines; } }; var LineLeaf = class { constructor(text) { this.text = text; } isLeaf() { return true; } walk(rangeStart, rangeLength, walkFns) { walkFns.leaf(rangeStart, rangeLength, this); } charCount() { return this.text.length; } lineCount() { return 1; } }; var _TypingsInstallerAdapter = class _TypingsInstallerAdapter2 { constructor(telemetryEnabled, logger, host, globalTypingsCacheLocation, event, maxActiveRequestCount) { this.telemetryEnabled = telemetryEnabled; this.logger = logger; this.host = host; this.globalTypingsCacheLocation = globalTypingsCacheLocation; this.event = event; this.maxActiveRequestCount = maxActiveRequestCount; this.activeRequestCount = 0; this.requestQueue = createQueue(); this.requestMap = /* @__PURE__ */ new Map(); this.requestedRegistry = false; this.packageInstallId = 0; } isKnownTypesPackageName(name) { var _a; const validationResult = ts_JsTyping_exports.validatePackageName(name); if (validationResult !== ts_JsTyping_exports.NameValidationResult.Ok) { return false; } if (!this.requestedRegistry) { this.requestedRegistry = true; this.installer.send({ kind: "typesRegistry" }); } return !!((_a = this.typesRegistryCache) == null ? void 0 : _a.has(name)); } installPackage(options) { this.packageInstallId++; const request = { kind: "installPackage", ...options, id: this.packageInstallId }; const promise = new Promise((resolve2, reject) => { (this.packageInstalledPromise ?? (this.packageInstalledPromise = /* @__PURE__ */ new Map())).set(this.packageInstallId, { resolve: resolve2, reject }); }); this.installer.send(request); return promise; } attach(projectService) { this.projectService = projectService; this.installer = this.createInstallerProcess(); } onProjectClosed(p) { this.installer.send({ projectName: p.getProjectName(), kind: "closeProject" }); } enqueueInstallTypingsRequest(project, typeAcquisition, unresolvedImports) { const request = createInstallTypingsRequest(project, typeAcquisition, unresolvedImports); if (this.logger.hasLevel( 3 /* verbose */ )) { this.logger.info(`TIAdapter:: Scheduling throttled operation:${stringifyIndented(request)}`); } if (this.activeRequestCount < this.maxActiveRequestCount) { this.scheduleRequest(request); } else { if (this.logger.hasLevel( 3 /* verbose */ )) { this.logger.info(`TIAdapter:: Deferring request for: ${request.projectName}`); } this.requestQueue.enqueue(request); this.requestMap.set(request.projectName, request); } } handleMessage(response) { var _a, _b; if (this.logger.hasLevel( 3 /* verbose */ )) { this.logger.info(`TIAdapter:: Received response:${stringifyIndented(response)}`); } switch (response.kind) { case EventTypesRegistry: this.typesRegistryCache = new Map(Object.entries(response.typesRegistry)); break; case ActionPackageInstalled: { const promise = (_a = this.packageInstalledPromise) == null ? void 0 : _a.get(response.id); Debug.assertIsDefined(promise, "Should find the promise for package install"); (_b = this.packageInstalledPromise) == null ? void 0 : _b.delete(response.id); if (response.success) { promise.resolve({ successMessage: response.message }); } else { promise.reject(response.message); } this.projectService.updateTypingsForProject(response); this.event(response, "setTypings"); break; } case EventInitializationFailed: { const body = { message: response.message }; const eventName = "typesInstallerInitializationFailed"; this.event(body, eventName); break; } case EventBeginInstallTypes: { const body = { eventId: response.eventId, packages: response.packagesToInstall }; const eventName = "beginInstallTypes"; this.event(body, eventName); break; } case EventEndInstallTypes: { if (this.telemetryEnabled) { const body2 = { telemetryEventName: "typingsInstalled", payload: { installedPackages: response.packagesToInstall.join(","), installSuccess: response.installSuccess, typingsInstallerVersion: response.typingsInstallerVersion } }; const eventName2 = "telemetry"; this.event(body2, eventName2); } const body = { eventId: response.eventId, packages: response.packagesToInstall, success: response.installSuccess }; const eventName = "endInstallTypes"; this.event(body, eventName); break; } case ActionInvalidate: { this.projectService.updateTypingsForProject(response); break; } case ActionSet: { if (this.activeRequestCount > 0) { this.activeRequestCount--; } else { Debug.fail("TIAdapter:: Received too many responses"); } while (!this.requestQueue.isEmpty()) { const queuedRequest = this.requestQueue.dequeue(); if (this.requestMap.get(queuedRequest.projectName) === queuedRequest) { this.requestMap.delete(queuedRequest.projectName); this.scheduleRequest(queuedRequest); break; } if (this.logger.hasLevel( 3 /* verbose */ )) { this.logger.info(`TIAdapter:: Skipping defunct request for: ${queuedRequest.projectName}`); } } this.projectService.updateTypingsForProject(response); this.event(response, "setTypings"); break; } case ActionWatchTypingLocations: this.projectService.watchTypingLocations(response); break; default: assertType(response); } } scheduleRequest(request) { if (this.logger.hasLevel( 3 /* verbose */ )) { this.logger.info(`TIAdapter:: Scheduling request for: ${request.projectName}`); } this.activeRequestCount++; this.host.setTimeout( () => { if (this.logger.hasLevel( 3 /* verbose */ )) { this.logger.info(`TIAdapter:: Sending request:${stringifyIndented(request)}`); } this.installer.send(request); }, _TypingsInstallerAdapter2.requestDelayMillis, `${request.projectName}::${request.kind}` ); } }; _TypingsInstallerAdapter.requestDelayMillis = 100; var TypingsInstallerAdapter = _TypingsInstallerAdapter; var ts_server_exports4 = {}; __export2(ts_server_exports4, { ActionInvalidate: () => ActionInvalidate, ActionPackageInstalled: () => ActionPackageInstalled, ActionSet: () => ActionSet, ActionWatchTypingLocations: () => ActionWatchTypingLocations, Arguments: () => Arguments, AutoImportProviderProject: () => AutoImportProviderProject, AuxiliaryProject: () => AuxiliaryProject, CharRangeSection: () => CharRangeSection, CloseFileWatcherEvent: () => CloseFileWatcherEvent, CommandNames: () => CommandNames, ConfigFileDiagEvent: () => ConfigFileDiagEvent, ConfiguredProject: () => ConfiguredProject2, ConfiguredProjectLoadKind: () => ConfiguredProjectLoadKind, CreateDirectoryWatcherEvent: () => CreateDirectoryWatcherEvent, CreateFileWatcherEvent: () => CreateFileWatcherEvent, Errors: () => Errors, EventBeginInstallTypes: () => EventBeginInstallTypes, EventEndInstallTypes: () => EventEndInstallTypes, EventInitializationFailed: () => EventInitializationFailed, EventTypesRegistry: () => EventTypesRegistry, ExternalProject: () => ExternalProject, GcTimer: () => GcTimer, InferredProject: () => InferredProject2, LargeFileReferencedEvent: () => LargeFileReferencedEvent, LineIndex: () => LineIndex, LineLeaf: () => LineLeaf, LineNode: () => LineNode, LogLevel: () => LogLevel22, Msg: () => Msg, OpenFileInfoTelemetryEvent: () => OpenFileInfoTelemetryEvent, Project: () => Project3, ProjectInfoTelemetryEvent: () => ProjectInfoTelemetryEvent, ProjectKind: () => ProjectKind, ProjectLanguageServiceStateEvent: () => ProjectLanguageServiceStateEvent, ProjectLoadingFinishEvent: () => ProjectLoadingFinishEvent, ProjectLoadingStartEvent: () => ProjectLoadingStartEvent, ProjectService: () => ProjectService3, ProjectsUpdatedInBackgroundEvent: () => ProjectsUpdatedInBackgroundEvent, ScriptInfo: () => ScriptInfo, ScriptVersionCache: () => ScriptVersionCache, Session: () => Session3, TextStorage: () => TextStorage, ThrottledOperations: () => ThrottledOperations, TypingsCache: () => TypingsCache, TypingsInstallerAdapter: () => TypingsInstallerAdapter, allFilesAreJsOrDts: () => allFilesAreJsOrDts, allRootFilesAreJsOrDts: () => allRootFilesAreJsOrDts, asNormalizedPath: () => asNormalizedPath, convertCompilerOptions: () => convertCompilerOptions, convertFormatOptions: () => convertFormatOptions, convertScriptKindName: () => convertScriptKindName, convertTypeAcquisition: () => convertTypeAcquisition, convertUserPreferences: () => convertUserPreferences, convertWatchOptions: () => convertWatchOptions, countEachFileTypes: () => countEachFileTypes, createInstallTypingsRequest: () => createInstallTypingsRequest, createModuleSpecifierCache: () => createModuleSpecifierCache, createNormalizedPathMap: () => createNormalizedPathMap, createPackageJsonCache: () => createPackageJsonCache, createSortedArray: () => createSortedArray2, emptyArray: () => emptyArray2, findArgument: () => findArgument, forEachResolvedProjectReferenceProject: () => forEachResolvedProjectReferenceProject, formatDiagnosticToProtocol: () => formatDiagnosticToProtocol, formatMessage: () => formatMessage2, getBaseConfigFileName: () => getBaseConfigFileName, getLocationInNewDocument: () => getLocationInNewDocument, hasArgument: () => hasArgument, hasNoTypeScriptSource: () => hasNoTypeScriptSource, indent: () => indent2, isBackgroundProject: () => isBackgroundProject, isConfigFile: () => isConfigFile, isConfiguredProject: () => isConfiguredProject, isDynamicFileName: () => isDynamicFileName, isExternalProject: () => isExternalProject, isInferredProject: () => isInferredProject, isInferredProjectName: () => isInferredProjectName, isProjectDeferredClose: () => isProjectDeferredClose, makeAutoImportProviderProjectName: () => makeAutoImportProviderProjectName, makeAuxiliaryProjectName: () => makeAuxiliaryProjectName, makeInferredProjectName: () => makeInferredProjectName, maxFileSize: () => maxFileSize, maxProgramSizeForNonTsFiles: () => maxProgramSizeForNonTsFiles, normalizedPathToPath: () => normalizedPathToPath, nowString: () => nowString, nullCancellationToken: () => nullCancellationToken, nullTypingsInstaller: () => nullTypingsInstaller, protocol: () => ts_server_protocol_exports, removeSorted: () => removeSorted, stringifyIndented: () => stringifyIndented, toEvent: () => toEvent, toNormalizedPath: () => toNormalizedPath, tryConvertScriptKindName: () => tryConvertScriptKindName, typingsInstaller: () => ts_server_typingsInstaller_exports, updateProjectIfDirty: () => updateProjectIfDirty }); if (typeof console !== "undefined") { Debug.loggingHost = { log(level, s) { switch (level) { case 1: return console.error(s); case 2: return console.warn(s); case 3: return console.log(s); case 4: return console.log(s); } } }; } })({ get exports() { return ts; }, set exports(v) { ts = v; if (typeof module2 !== "undefined" && module2.exports) { module2.exports = v; } } }); } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/escapeRegExp.js var require_escapeRegExp = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/escapeRegExp.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.escapeRegExp = escapeRegExp; var reRegExpChar2 = /[\\^$.*+?()[\]{}|]/g; var reHasRegExpChar = RegExp(reRegExpChar2.source); function escapeRegExp(string = "") { return string && reHasRegExpChar.test(string) ? string.replace(reRegExpChar2, "\\$&") : string; } } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/astUtils.js var require_astUtils = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/astUtils.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) { for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p); }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getNameLocationInGlobalDirectiveComment = getNameLocationInGlobalDirectiveComment; exports2.forEachReturnStatement = forEachReturnStatement; var ts = __importStar2(require_typescript()); var escapeRegExp_1 = require_escapeRegExp(); __exportStar2(require_ast_utils(), exports2); function getNameLocationInGlobalDirectiveComment(sourceCode, comment, name) { const namePattern = new RegExp(`[\\s,]${(0, escapeRegExp_1.escapeRegExp)(name)}(?:$|[\\s,:])`, "gu"); namePattern.lastIndex = comment.value.indexOf("global") + 6; const match = namePattern.exec(comment.value); const start = sourceCode.getLocFromIndex(comment.range[0] + "/*".length + (match ? match.index + 1 : 0)); const end = { line: start.line, column: start.column + (match ? name.length : 1) }; return { start, end }; } function forEachReturnStatement(body, visitor2) { return traverse(body); function traverse(node) { switch (node.kind) { case ts.SyntaxKind.ReturnStatement: return visitor2(node); case ts.SyntaxKind.CaseBlock: case ts.SyntaxKind.Block: case ts.SyntaxKind.IfStatement: case ts.SyntaxKind.DoStatement: case ts.SyntaxKind.WhileStatement: case ts.SyntaxKind.ForStatement: case ts.SyntaxKind.ForInStatement: case ts.SyntaxKind.ForOfStatement: case ts.SyntaxKind.WithStatement: case ts.SyntaxKind.SwitchStatement: case ts.SyntaxKind.CaseClause: case ts.SyntaxKind.DefaultClause: case ts.SyntaxKind.LabeledStatement: case ts.SyntaxKind.TryStatement: case ts.SyntaxKind.CatchClause: return ts.forEachChild(node, traverse); } return void 0; } } } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/collectUnusedVariables.js var require_collectUnusedVariables = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/collectUnusedVariables.js"(exports2) { "use strict"; var __classPrivateFieldSet3 = exports2 && exports2.__classPrivateFieldSet || function(receiver, state, value, kind, f) { if (kind === "m") throw new TypeError("Private method is not writable"); if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it"); return kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value; }; var __classPrivateFieldGet3 = exports2 && exports2.__classPrivateFieldGet || function(receiver, state, kind, f) { if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it"); return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); }; var _UnusedVarsVisitor_scopeManager; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.collectUnusedVariables = collectUnusedVariables; var scope_manager_1 = require_dist3(); var utils_1 = require_dist4(); var UnusedVarsVisitor = class extends scope_manager_1.Visitor { // readonly #unusedVariables = new Set(); constructor(context) { super({ visitChildrenEvenIfSelectorExists: true }); _UnusedVarsVisitor_scopeManager.set(this, void 0); this.ClassDeclaration = this.visitClass; this.ClassExpression = this.visitClass; this.FunctionDeclaration = this.visitFunction; this.FunctionExpression = this.visitFunction; this.MethodDefinition = this.visitSetter; this.Property = this.visitSetter; this.TSCallSignatureDeclaration = this.visitFunctionTypeSignature; this.TSConstructorType = this.visitFunctionTypeSignature; this.TSConstructSignatureDeclaration = this.visitFunctionTypeSignature; this.TSDeclareFunction = this.visitFunctionTypeSignature; this.TSEmptyBodyFunctionExpression = this.visitFunctionTypeSignature; this.TSFunctionType = this.visitFunctionTypeSignature; this.TSMethodSignature = this.visitFunctionTypeSignature; __classPrivateFieldSet3(this, _UnusedVarsVisitor_scopeManager, utils_1.ESLintUtils.nullThrows(context.sourceCode.scopeManager, "Missing required scope manager"), "f"); } static collectUnusedVariables(context) { const program = context.sourceCode.ast; const cached = this.RESULTS_CACHE.get(program); if (cached) { return cached; } const visitor2 = new this(context); visitor2.visit(program); const unusedVars = visitor2.collectUnusedVariables(visitor2.getScope(program)); this.RESULTS_CACHE.set(program, unusedVars); return unusedVars; } collectUnusedVariables(scope, unusedVariables = /* @__PURE__ */ new Set()) { for (const variable of scope.variables) { if ( // skip function expression names, scope.functionExpressionScope || // variables marked with markVariableAsUsed(), variable.eslintUsed || // implicit lib variables (from @typescript-eslint/scope-manager), variable instanceof scope_manager_1.ImplicitLibVariable || // basic exported variables isExported(variable) || // variables implicitly exported via a merged declaration isMergableExported(variable) || // used variables isUsedVariable(variable) ) { continue; } unusedVariables.add(variable); } for (const childScope of scope.childScopes) { this.collectUnusedVariables(childScope, unusedVariables); } return unusedVariables; } //#region HELPERS getScope(currentNode) { const inner = currentNode.type !== utils_1.AST_NODE_TYPES.Program; let node = currentNode; while (node) { const scope = __classPrivateFieldGet3(this, _UnusedVarsVisitor_scopeManager, "f").acquire(node, inner); if (scope) { if (scope.type === scope_manager_1.ScopeType.functionExpressionName) { return scope.childScopes[0]; } return scope; } node = node.parent; } return __classPrivateFieldGet3(this, _UnusedVarsVisitor_scopeManager, "f").scopes[0]; } markVariableAsUsed(variableOrIdentifierOrName, parent) { if (typeof variableOrIdentifierOrName !== "string" && !("type" in variableOrIdentifierOrName)) { variableOrIdentifierOrName.eslintUsed = true; return; } let name; let node; if (typeof variableOrIdentifierOrName === "string") { name = variableOrIdentifierOrName; node = parent; } else { name = variableOrIdentifierOrName.name; node = variableOrIdentifierOrName; } let currentScope = this.getScope(node); while (currentScope) { const variable = currentScope.variables.find((scopeVar) => scopeVar.name === name); if (variable) { variable.eslintUsed = true; return; } currentScope = currentScope.upper; } } visitClass(node) { const scope = this.getScope(node); for (const variable of scope.variables) { if (variable.identifiers[0] === scope.block.id) { this.markVariableAsUsed(variable); return; } } } visitFunction(node) { const scope = this.getScope(node); const variable = scope.set.get("arguments"); if (variable?.defs.length === 0) { this.markVariableAsUsed(variable); } } visitFunctionTypeSignature(node) { for (const param of node.params) { this.visitPattern(param, (name) => { this.markVariableAsUsed(name); }); } } visitSetter(node) { if (node.kind === "set") { for (const param of node.value.params) { this.visitPattern(param, (id) => { this.markVariableAsUsed(id); }); } } } ForInStatement(node) { let idOrVariable; if (node.left.type === utils_1.AST_NODE_TYPES.VariableDeclaration) { const variable = __classPrivateFieldGet3(this, _UnusedVarsVisitor_scopeManager, "f").getDeclaredVariables(node.left).at(0); if (!variable) { return; } idOrVariable = variable; } if (node.left.type === utils_1.AST_NODE_TYPES.Identifier) { idOrVariable = node.left; } if (idOrVariable == null) { return; } let body = node.body; if (node.body.type === utils_1.AST_NODE_TYPES.BlockStatement) { if (node.body.body.length !== 1) { return; } body = node.body.body[0]; } if (body.type !== utils_1.AST_NODE_TYPES.ReturnStatement) { return; } this.markVariableAsUsed(idOrVariable); } Identifier(node) { const scope = this.getScope(node); if (scope.type === utils_1.TSESLint.Scope.ScopeType.function && node.name === "this") { if ("params" in scope.block && scope.block.params.includes(node)) { this.markVariableAsUsed(node); } } } TSEnumDeclaration(node) { const scope = this.getScope(node); for (const variable of scope.variables) { this.markVariableAsUsed(variable); } } TSMappedType(node) { this.markVariableAsUsed(node.typeParameter.name); } TSModuleDeclaration(node) { if (node.kind === "global") { this.markVariableAsUsed("global", node.parent); } } TSParameterProperty(node) { let identifier = null; switch (node.parameter.type) { case utils_1.AST_NODE_TYPES.AssignmentPattern: if (node.parameter.left.type === utils_1.AST_NODE_TYPES.Identifier) { identifier = node.parameter.left; } break; case utils_1.AST_NODE_TYPES.Identifier: identifier = node.parameter; break; } if (identifier) { this.markVariableAsUsed(identifier); } } }; _UnusedVarsVisitor_scopeManager = /* @__PURE__ */ new WeakMap(); UnusedVarsVisitor.RESULTS_CACHE = /* @__PURE__ */ new WeakMap(); function isInside(inner, outer) { return inner.range[0] >= outer.range[0] && inner.range[1] <= outer.range[1]; } function isSelfReference(ref, nodes) { let scope = ref.from; while (scope) { if (nodes.has(scope.block)) { return true; } scope = scope.upper; } return false; } var MERGABLE_TYPES = /* @__PURE__ */ new Set([ utils_1.AST_NODE_TYPES.TSInterfaceDeclaration, utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration, utils_1.AST_NODE_TYPES.TSModuleDeclaration, utils_1.AST_NODE_TYPES.ClassDeclaration, utils_1.AST_NODE_TYPES.FunctionDeclaration ]); function isMergableExported(variable) { for (const def of variable.defs) { if (def.type === utils_1.TSESLint.Scope.DefinitionType.Parameter) { continue; } if (MERGABLE_TYPES.has(def.node.type) && def.node.parent?.type === utils_1.AST_NODE_TYPES.ExportNamedDeclaration || def.node.parent?.type === utils_1.AST_NODE_TYPES.ExportDefaultDeclaration) { return true; } } return false; } function isExported(variable) { return variable.defs.some((definition) => { let node = definition.node; if (node.type === utils_1.AST_NODE_TYPES.VariableDeclarator) { node = node.parent; } else if (definition.type === utils_1.TSESLint.Scope.DefinitionType.Parameter) { return false; } return node.parent.type.startsWith("Export"); }); } var LOGICAL_ASSIGNMENT_OPERATORS = /* @__PURE__ */ new Set(["&&=", "||=", "??="]); function isUsedVariable(variable) { function getFunctionDefinitions(variable2) { const functionDefinitions = /* @__PURE__ */ new Set(); variable2.defs.forEach((def) => { if (def.type === utils_1.TSESLint.Scope.DefinitionType.FunctionName) { functionDefinitions.add(def.node); } if (def.type === utils_1.TSESLint.Scope.DefinitionType.Variable && (def.node.init?.type === utils_1.AST_NODE_TYPES.FunctionExpression || def.node.init?.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression)) { functionDefinitions.add(def.node.init); } }); return functionDefinitions; } function getTypeDeclarations(variable2) { const nodes = /* @__PURE__ */ new Set(); variable2.defs.forEach((def) => { if (def.node.type === utils_1.AST_NODE_TYPES.TSInterfaceDeclaration || def.node.type === utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration) { nodes.add(def.node); } }); return nodes; } function getModuleDeclarations(variable2) { const nodes = /* @__PURE__ */ new Set(); variable2.defs.forEach((def) => { if (def.node.type === utils_1.AST_NODE_TYPES.TSModuleDeclaration) { nodes.add(def.node); } }); return nodes; } function isInsideOneOf(ref, nodes) { for (const node of nodes) { if (isInside(ref.identifier, node)) { return true; } } return false; } function getRhsNode(ref, prevRhsNode) { function isInLoop(node) { let currentNode = node; while (currentNode) { if (utils_1.ASTUtils.isFunction(currentNode)) { break; } if (utils_1.ASTUtils.isLoop(currentNode)) { return true; } currentNode = currentNode.parent; } return false; } const id = ref.identifier; const parent = id.parent; const grandparent = parent.parent; const refScope = ref.from.variableScope; const varScope = ref.resolved.scope.variableScope; const canBeUsedLater = refScope !== varScope || isInLoop(id); if (prevRhsNode && isInside(id, prevRhsNode)) { return prevRhsNode; } if (parent.type === utils_1.AST_NODE_TYPES.AssignmentExpression && grandparent.type === utils_1.AST_NODE_TYPES.ExpressionStatement && id === parent.left && !canBeUsedLater) { return parent.right; } return null; } function isReadForItself(ref, rhsNode2) { function isInsideOfStorableFunction(id2, rhsNode3) { function getUpperFunction(node) { let currentNode = node; while (currentNode) { if (utils_1.ASTUtils.isFunction(currentNode)) { return currentNode; } currentNode = currentNode.parent; } return null; } function isStorableFunction(funcNode2, rhsNode4) { let node = funcNode2; let parent2 = funcNode2.parent; while (parent2 && isInside(parent2, rhsNode4)) { switch (parent2.type) { case utils_1.AST_NODE_TYPES.SequenceExpression: if (parent2.expressions[parent2.expressions.length - 1] !== node) { return false; } break; case utils_1.AST_NODE_TYPES.CallExpression: case utils_1.AST_NODE_TYPES.NewExpression: return parent2.callee !== node; case utils_1.AST_NODE_TYPES.AssignmentExpression: case utils_1.AST_NODE_TYPES.TaggedTemplateExpression: case utils_1.AST_NODE_TYPES.YieldExpression: return true; default: if (parent2.type.endsWith("Statement") || parent2.type.endsWith("Declaration")) { return true; } } node = parent2; parent2 = parent2.parent; } return false; } const funcNode = getUpperFunction(id2); return !!funcNode && isInside(funcNode, rhsNode3) && isStorableFunction(funcNode, rhsNode3); } const id = ref.identifier; const parent = id.parent; const grandparent = parent.parent; return ref.isRead() && // in RHS of an assignment for itself. e.g. `a = a + 1` // self update. e.g. `a += 1`, `a++` (parent.type === utils_1.AST_NODE_TYPES.AssignmentExpression && !LOGICAL_ASSIGNMENT_OPERATORS.has(parent.operator) && grandparent.type === utils_1.AST_NODE_TYPES.ExpressionStatement && parent.left === id || parent.type === utils_1.AST_NODE_TYPES.UpdateExpression && grandparent.type === utils_1.AST_NODE_TYPES.ExpressionStatement || !!rhsNode2 && isInside(id, rhsNode2) && !isInsideOfStorableFunction(id, rhsNode2)); } const functionNodes = getFunctionDefinitions(variable); const isFunctionDefinition = functionNodes.size > 0; const typeDeclNodes = getTypeDeclarations(variable); const isTypeDecl = typeDeclNodes.size > 0; const moduleDeclNodes = getModuleDeclarations(variable); const isModuleDecl = moduleDeclNodes.size > 0; let rhsNode = null; return variable.references.some((ref) => { const forItself = isReadForItself(ref, rhsNode); rhsNode = getRhsNode(ref, rhsNode); return ref.isRead() && !forItself && !(isFunctionDefinition && isSelfReference(ref, functionNodes)) && !(isTypeDecl && isInsideOneOf(ref, typeDeclNodes)) && !(isModuleDecl && isSelfReference(ref, moduleDeclNodes)); }); } function collectUnusedVariables(context) { return UnusedVarsVisitor.collectUnusedVariables(context); } } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/createRule.js var require_createRule = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/createRule.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.createRule = void 0; var utils_1 = require_dist4(); exports2.createRule = utils_1.ESLintUtils.RuleCreator((name) => `https://typescript-eslint.io/rules/${name}`); } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getFunctionHeadLoc.js var require_getFunctionHeadLoc = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getFunctionHeadLoc.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getFunctionHeadLoc = getFunctionHeadLoc; var utils_1 = require_dist4(); var astUtils_1 = require_astUtils(); function getOpeningParenOfParams2(node, sourceCode) { if (node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression && node.params.length === 1) { const argToken = utils_1.ESLintUtils.nullThrows(sourceCode.getFirstToken(node.params[0]), utils_1.ESLintUtils.NullThrowsReasons.MissingToken("parameter", "arrow function")); const maybeParenToken = sourceCode.getTokenBefore(argToken); return maybeParenToken && (0, astUtils_1.isOpeningParenToken)(maybeParenToken) ? maybeParenToken : argToken; } return node.id != null ? utils_1.ESLintUtils.nullThrows(sourceCode.getTokenAfter(node.id, astUtils_1.isOpeningParenToken), utils_1.ESLintUtils.NullThrowsReasons.MissingToken("id", "function")) : utils_1.ESLintUtils.nullThrows(sourceCode.getFirstToken(node, astUtils_1.isOpeningParenToken), utils_1.ESLintUtils.NullThrowsReasons.MissingToken("opening parenthesis", "function")); } function getFunctionHeadLoc(node, sourceCode) { const parent = node.parent; let start = null; let end = null; if (parent.type === utils_1.AST_NODE_TYPES.MethodDefinition || parent.type === utils_1.AST_NODE_TYPES.PropertyDefinition) { if (parent.decorators.length > 0) { const lastDecorator = parent.decorators[parent.decorators.length - 1]; const firstTokenAfterDecorator = utils_1.ESLintUtils.nullThrows(sourceCode.getTokenAfter(lastDecorator), utils_1.ESLintUtils.NullThrowsReasons.MissingToken("modifier or member name", "class member")); start = firstTokenAfterDecorator.loc.start; } else { start = parent.loc.start; } end = getOpeningParenOfParams2(node, sourceCode).loc.start; } else if (parent.type === utils_1.AST_NODE_TYPES.Property) { start = parent.loc.start; end = getOpeningParenOfParams2(node, sourceCode).loc.start; } else if (node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression) { const arrowToken = utils_1.ESLintUtils.nullThrows(sourceCode.getTokenBefore(node.body, astUtils_1.isArrowToken), utils_1.ESLintUtils.NullThrowsReasons.MissingToken("arrow token", "arrow function")); start = arrowToken.loc.start; end = arrowToken.loc.end; } else { start = node.loc.start; end = getOpeningParenOfParams2(node, sourceCode).loc.start; } return { start: Object.assign({}, start), end: Object.assign({}, end) }; } } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getOperatorPrecedence.js var require_getOperatorPrecedence = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getOperatorPrecedence.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.OperatorPrecedence = void 0; exports2.getOperatorPrecedenceForNode = getOperatorPrecedenceForNode; exports2.getOperatorPrecedence = getOperatorPrecedence; exports2.getBinaryOperatorPrecedence = getBinaryOperatorPrecedence; var utils_1 = require_dist4(); var typescript_1 = require_typescript(); var OperatorPrecedence; (function(OperatorPrecedence2) { OperatorPrecedence2[OperatorPrecedence2["Comma"] = 0] = "Comma"; OperatorPrecedence2[OperatorPrecedence2["Spread"] = 1] = "Spread"; OperatorPrecedence2[OperatorPrecedence2["Yield"] = 2] = "Yield"; OperatorPrecedence2[OperatorPrecedence2["Assignment"] = 3] = "Assignment"; OperatorPrecedence2[OperatorPrecedence2["Conditional"] = 4] = "Conditional"; OperatorPrecedence2[OperatorPrecedence2["Coalesce"] = 4] = "Coalesce"; OperatorPrecedence2[OperatorPrecedence2["LogicalOR"] = 5] = "LogicalOR"; OperatorPrecedence2[OperatorPrecedence2["LogicalAND"] = 6] = "LogicalAND"; OperatorPrecedence2[OperatorPrecedence2["BitwiseOR"] = 7] = "BitwiseOR"; OperatorPrecedence2[OperatorPrecedence2["BitwiseXOR"] = 8] = "BitwiseXOR"; OperatorPrecedence2[OperatorPrecedence2["BitwiseAND"] = 9] = "BitwiseAND"; OperatorPrecedence2[OperatorPrecedence2["Equality"] = 10] = "Equality"; OperatorPrecedence2[OperatorPrecedence2["Relational"] = 11] = "Relational"; OperatorPrecedence2[OperatorPrecedence2["Shift"] = 12] = "Shift"; OperatorPrecedence2[OperatorPrecedence2["Additive"] = 13] = "Additive"; OperatorPrecedence2[OperatorPrecedence2["Multiplicative"] = 14] = "Multiplicative"; OperatorPrecedence2[OperatorPrecedence2["Exponentiation"] = 15] = "Exponentiation"; OperatorPrecedence2[OperatorPrecedence2["Unary"] = 16] = "Unary"; OperatorPrecedence2[OperatorPrecedence2["Update"] = 17] = "Update"; OperatorPrecedence2[OperatorPrecedence2["LeftHandSide"] = 18] = "LeftHandSide"; OperatorPrecedence2[OperatorPrecedence2["Member"] = 19] = "Member"; OperatorPrecedence2[OperatorPrecedence2["Primary"] = 20] = "Primary"; OperatorPrecedence2[OperatorPrecedence2["Highest"] = 20] = "Highest"; OperatorPrecedence2[OperatorPrecedence2["Lowest"] = 0] = "Lowest"; OperatorPrecedence2[OperatorPrecedence2["Invalid"] = -1] = "Invalid"; })(OperatorPrecedence || (exports2.OperatorPrecedence = OperatorPrecedence = {})); function getOperatorPrecedenceForNode(node) { switch (node.type) { case utils_1.AST_NODE_TYPES.SpreadElement: case utils_1.AST_NODE_TYPES.RestElement: return OperatorPrecedence.Spread; case utils_1.AST_NODE_TYPES.YieldExpression: case utils_1.AST_NODE_TYPES.ArrowFunctionExpression: return OperatorPrecedence.Yield; case utils_1.AST_NODE_TYPES.ConditionalExpression: return OperatorPrecedence.Conditional; case utils_1.AST_NODE_TYPES.SequenceExpression: return OperatorPrecedence.Comma; case utils_1.AST_NODE_TYPES.AssignmentExpression: case utils_1.AST_NODE_TYPES.BinaryExpression: case utils_1.AST_NODE_TYPES.LogicalExpression: switch (node.operator) { case "==": case "+=": case "-=": case "**=": case "*=": case "/=": case "%=": case "<<=": case ">>=": case ">>>=": case "&=": case "^=": case "|=": case "||=": case "&&=": case "??=": return OperatorPrecedence.Assignment; default: return getBinaryOperatorPrecedence(node.operator); } case utils_1.AST_NODE_TYPES.TSTypeAssertion: case utils_1.AST_NODE_TYPES.TSNonNullExpression: case utils_1.AST_NODE_TYPES.UnaryExpression: case utils_1.AST_NODE_TYPES.AwaitExpression: return OperatorPrecedence.Unary; case utils_1.AST_NODE_TYPES.UpdateExpression: if (node.prefix) { return OperatorPrecedence.Unary; } return OperatorPrecedence.Update; case utils_1.AST_NODE_TYPES.ChainExpression: return getOperatorPrecedenceForNode(node.expression); case utils_1.AST_NODE_TYPES.CallExpression: return OperatorPrecedence.LeftHandSide; case utils_1.AST_NODE_TYPES.NewExpression: return node.arguments.length > 0 ? OperatorPrecedence.Member : OperatorPrecedence.LeftHandSide; case utils_1.AST_NODE_TYPES.TaggedTemplateExpression: case utils_1.AST_NODE_TYPES.MemberExpression: case utils_1.AST_NODE_TYPES.MetaProperty: return OperatorPrecedence.Member; case utils_1.AST_NODE_TYPES.TSAsExpression: return OperatorPrecedence.Relational; case utils_1.AST_NODE_TYPES.ThisExpression: case utils_1.AST_NODE_TYPES.Super: case utils_1.AST_NODE_TYPES.Identifier: case utils_1.AST_NODE_TYPES.PrivateIdentifier: case utils_1.AST_NODE_TYPES.Literal: case utils_1.AST_NODE_TYPES.ArrayExpression: case utils_1.AST_NODE_TYPES.ObjectExpression: case utils_1.AST_NODE_TYPES.FunctionExpression: case utils_1.AST_NODE_TYPES.ClassExpression: case utils_1.AST_NODE_TYPES.TemplateLiteral: case utils_1.AST_NODE_TYPES.JSXElement: case utils_1.AST_NODE_TYPES.JSXFragment: return OperatorPrecedence.Primary; default: return OperatorPrecedence.Invalid; } } function getOperatorPrecedence(nodeKind, operatorKind, hasArguments) { switch (nodeKind) { case typescript_1.SyntaxKind.CommaListExpression: return OperatorPrecedence.Comma; case typescript_1.SyntaxKind.SpreadElement: return OperatorPrecedence.Spread; case typescript_1.SyntaxKind.YieldExpression: return OperatorPrecedence.Yield; case typescript_1.SyntaxKind.ConditionalExpression: return OperatorPrecedence.Conditional; case typescript_1.SyntaxKind.BinaryExpression: switch (operatorKind) { case typescript_1.SyntaxKind.CommaToken: return OperatorPrecedence.Comma; case typescript_1.SyntaxKind.EqualsToken: case typescript_1.SyntaxKind.PlusEqualsToken: case typescript_1.SyntaxKind.MinusEqualsToken: case typescript_1.SyntaxKind.AsteriskAsteriskEqualsToken: case typescript_1.SyntaxKind.AsteriskEqualsToken: case typescript_1.SyntaxKind.SlashEqualsToken: case typescript_1.SyntaxKind.PercentEqualsToken: case typescript_1.SyntaxKind.LessThanLessThanEqualsToken: case typescript_1.SyntaxKind.GreaterThanGreaterThanEqualsToken: case typescript_1.SyntaxKind.GreaterThanGreaterThanGreaterThanEqualsToken: case typescript_1.SyntaxKind.AmpersandEqualsToken: case typescript_1.SyntaxKind.CaretEqualsToken: case typescript_1.SyntaxKind.BarEqualsToken: case typescript_1.SyntaxKind.BarBarEqualsToken: case typescript_1.SyntaxKind.AmpersandAmpersandEqualsToken: case typescript_1.SyntaxKind.QuestionQuestionEqualsToken: return OperatorPrecedence.Assignment; default: return getBinaryOperatorPrecedence(operatorKind); } case typescript_1.SyntaxKind.TypeAssertionExpression: case typescript_1.SyntaxKind.NonNullExpression: case typescript_1.SyntaxKind.PrefixUnaryExpression: case typescript_1.SyntaxKind.TypeOfExpression: case typescript_1.SyntaxKind.VoidExpression: case typescript_1.SyntaxKind.DeleteExpression: case typescript_1.SyntaxKind.AwaitExpression: return OperatorPrecedence.Unary; case typescript_1.SyntaxKind.PostfixUnaryExpression: return OperatorPrecedence.Update; case typescript_1.SyntaxKind.CallExpression: return OperatorPrecedence.LeftHandSide; case typescript_1.SyntaxKind.NewExpression: return hasArguments ? OperatorPrecedence.Member : OperatorPrecedence.LeftHandSide; case typescript_1.SyntaxKind.TaggedTemplateExpression: case typescript_1.SyntaxKind.PropertyAccessExpression: case typescript_1.SyntaxKind.ElementAccessExpression: case typescript_1.SyntaxKind.MetaProperty: return OperatorPrecedence.Member; case typescript_1.SyntaxKind.AsExpression: case typescript_1.SyntaxKind.SatisfiesExpression: return OperatorPrecedence.Relational; case typescript_1.SyntaxKind.ThisKeyword: case typescript_1.SyntaxKind.SuperKeyword: case typescript_1.SyntaxKind.Identifier: case typescript_1.SyntaxKind.PrivateIdentifier: case typescript_1.SyntaxKind.NullKeyword: case typescript_1.SyntaxKind.TrueKeyword: case typescript_1.SyntaxKind.FalseKeyword: case typescript_1.SyntaxKind.NumericLiteral: case typescript_1.SyntaxKind.BigIntLiteral: case typescript_1.SyntaxKind.StringLiteral: case typescript_1.SyntaxKind.ArrayLiteralExpression: case typescript_1.SyntaxKind.ObjectLiteralExpression: case typescript_1.SyntaxKind.FunctionExpression: case typescript_1.SyntaxKind.ArrowFunction: case typescript_1.SyntaxKind.ClassExpression: case typescript_1.SyntaxKind.RegularExpressionLiteral: case typescript_1.SyntaxKind.NoSubstitutionTemplateLiteral: case typescript_1.SyntaxKind.TemplateExpression: case typescript_1.SyntaxKind.ParenthesizedExpression: case typescript_1.SyntaxKind.OmittedExpression: case typescript_1.SyntaxKind.JsxElement: case typescript_1.SyntaxKind.JsxSelfClosingElement: case typescript_1.SyntaxKind.JsxFragment: return OperatorPrecedence.Primary; default: return OperatorPrecedence.Invalid; } } function getBinaryOperatorPrecedence(kind) { switch (kind) { case typescript_1.SyntaxKind.QuestionQuestionToken: case "??": return OperatorPrecedence.Coalesce; case typescript_1.SyntaxKind.BarBarToken: case "||": return OperatorPrecedence.LogicalOR; case typescript_1.SyntaxKind.AmpersandAmpersandToken: case "&&": return OperatorPrecedence.LogicalAND; case typescript_1.SyntaxKind.BarToken: case "|": return OperatorPrecedence.BitwiseOR; case typescript_1.SyntaxKind.CaretToken: case "^": return OperatorPrecedence.BitwiseXOR; case typescript_1.SyntaxKind.AmpersandToken: case "&": return OperatorPrecedence.BitwiseAND; case typescript_1.SyntaxKind.EqualsEqualsToken: case "==": case typescript_1.SyntaxKind.ExclamationEqualsToken: case "!=": case typescript_1.SyntaxKind.EqualsEqualsEqualsToken: case "===": case typescript_1.SyntaxKind.ExclamationEqualsEqualsToken: case "!==": return OperatorPrecedence.Equality; case typescript_1.SyntaxKind.LessThanToken: case "<": case typescript_1.SyntaxKind.GreaterThanToken: case ">": case typescript_1.SyntaxKind.LessThanEqualsToken: case "<=": case typescript_1.SyntaxKind.GreaterThanEqualsToken: case ">=": case typescript_1.SyntaxKind.InstanceOfKeyword: case "instanceof": case typescript_1.SyntaxKind.InKeyword: case "in": case typescript_1.SyntaxKind.AsKeyword: return OperatorPrecedence.Relational; case typescript_1.SyntaxKind.LessThanLessThanToken: case "<<": case typescript_1.SyntaxKind.GreaterThanGreaterThanToken: case ">>": case typescript_1.SyntaxKind.GreaterThanGreaterThanGreaterThanToken: case ">>>": return OperatorPrecedence.Shift; case typescript_1.SyntaxKind.PlusToken: case "+": case typescript_1.SyntaxKind.MinusToken: case "-": return OperatorPrecedence.Additive; case typescript_1.SyntaxKind.AsteriskToken: case "*": case typescript_1.SyntaxKind.SlashToken: case "/": case typescript_1.SyntaxKind.PercentToken: case "%": return OperatorPrecedence.Multiplicative; case typescript_1.SyntaxKind.AsteriskAsteriskToken: case "**": return OperatorPrecedence.Exponentiation; } return -1; } } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/isNullLiteral.js var require_isNullLiteral = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/isNullLiteral.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.isNullLiteral = isNullLiteral2; var utils_1 = require_dist4(); function isNullLiteral2(i) { return i.type === utils_1.AST_NODE_TYPES.Literal && i.value == null; } } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getStaticStringValue.js var require_getStaticStringValue = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getStaticStringValue.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getStaticStringValue = getStaticStringValue; var utils_1 = require_dist4(); var isNullLiteral_1 = require_isNullLiteral(); function getStaticStringValue(node) { switch (node.type) { case utils_1.AST_NODE_TYPES.Literal: if (node.value === null) { if ((0, isNullLiteral_1.isNullLiteral)(node)) { return String(node.value); } if ("regex" in node) { return `/${node.regex.pattern}/${node.regex.flags}`; } if ("bigint" in node) { return node.bigint; } } else { return String(node.value); } break; case utils_1.AST_NODE_TYPES.TemplateLiteral: if (node.expressions.length === 0 && node.quasis.length === 1) { return node.quasis[0].value.cooked; } break; } return null; } } }); // node_modules/.pnpm/graphemer@1.4.0/node_modules/graphemer/lib/boundaries.js var require_boundaries = __commonJS({ "node_modules/.pnpm/graphemer@1.4.0/node_modules/graphemer/lib/boundaries.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.EXTENDED_PICTOGRAPHIC = exports2.CLUSTER_BREAK = void 0; var CLUSTER_BREAK; (function(CLUSTER_BREAK2) { CLUSTER_BREAK2[CLUSTER_BREAK2["CR"] = 0] = "CR"; CLUSTER_BREAK2[CLUSTER_BREAK2["LF"] = 1] = "LF"; CLUSTER_BREAK2[CLUSTER_BREAK2["CONTROL"] = 2] = "CONTROL"; CLUSTER_BREAK2[CLUSTER_BREAK2["EXTEND"] = 3] = "EXTEND"; CLUSTER_BREAK2[CLUSTER_BREAK2["REGIONAL_INDICATOR"] = 4] = "REGIONAL_INDICATOR"; CLUSTER_BREAK2[CLUSTER_BREAK2["SPACINGMARK"] = 5] = "SPACINGMARK"; CLUSTER_BREAK2[CLUSTER_BREAK2["L"] = 6] = "L"; CLUSTER_BREAK2[CLUSTER_BREAK2["V"] = 7] = "V"; CLUSTER_BREAK2[CLUSTER_BREAK2["T"] = 8] = "T"; CLUSTER_BREAK2[CLUSTER_BREAK2["LV"] = 9] = "LV"; CLUSTER_BREAK2[CLUSTER_BREAK2["LVT"] = 10] = "LVT"; CLUSTER_BREAK2[CLUSTER_BREAK2["OTHER"] = 11] = "OTHER"; CLUSTER_BREAK2[CLUSTER_BREAK2["PREPEND"] = 12] = "PREPEND"; CLUSTER_BREAK2[CLUSTER_BREAK2["E_BASE"] = 13] = "E_BASE"; CLUSTER_BREAK2[CLUSTER_BREAK2["E_MODIFIER"] = 14] = "E_MODIFIER"; CLUSTER_BREAK2[CLUSTER_BREAK2["ZWJ"] = 15] = "ZWJ"; CLUSTER_BREAK2[CLUSTER_BREAK2["GLUE_AFTER_ZWJ"] = 16] = "GLUE_AFTER_ZWJ"; CLUSTER_BREAK2[CLUSTER_BREAK2["E_BASE_GAZ"] = 17] = "E_BASE_GAZ"; })(CLUSTER_BREAK = exports2.CLUSTER_BREAK || (exports2.CLUSTER_BREAK = {})); exports2.EXTENDED_PICTOGRAPHIC = 101; } }); // node_modules/.pnpm/graphemer@1.4.0/node_modules/graphemer/lib/GraphemerHelper.js var require_GraphemerHelper = __commonJS({ "node_modules/.pnpm/graphemer@1.4.0/node_modules/graphemer/lib/GraphemerHelper.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var boundaries_1 = require_boundaries(); var NotBreak = 0; var BreakStart = 1; var Break = 2; var BreakLastRegional = 3; var BreakPenultimateRegional = 4; var GraphemerHelper = class { /** * Check if the the character at the position {pos} of the string is surrogate * @param str {string} * @param pos {number} * @returns {boolean} */ static isSurrogate(str, pos) { return 55296 <= str.charCodeAt(pos) && str.charCodeAt(pos) <= 56319 && 56320 <= str.charCodeAt(pos + 1) && str.charCodeAt(pos + 1) <= 57343; } /** * The String.prototype.codePointAt polyfill * Private function, gets a Unicode code point from a JavaScript UTF-16 string * handling surrogate pairs appropriately * @param str {string} * @param idx {number} * @returns {number} */ static codePointAt(str, idx) { if (idx === void 0) { idx = 0; } const code = str.charCodeAt(idx); if (55296 <= code && code <= 56319 && idx < str.length - 1) { const hi = code; const low = str.charCodeAt(idx + 1); if (56320 <= low && low <= 57343) { return (hi - 55296) * 1024 + (low - 56320) + 65536; } return hi; } if (56320 <= code && code <= 57343 && idx >= 1) { const hi = str.charCodeAt(idx - 1); const low = code; if (55296 <= hi && hi <= 56319) { return (hi - 55296) * 1024 + (low - 56320) + 65536; } return low; } return code; } // /** * Private function, returns whether a break is allowed between the two given grapheme breaking classes * Implemented the UAX #29 3.1.1 Grapheme Cluster Boundary Rules on extended grapheme clusters * @param start {number} * @param mid {Array} * @param end {number} * @param startEmoji {number} * @param midEmoji {Array} * @param endEmoji {number} * @returns {number} */ static shouldBreak(start, mid, end, startEmoji, midEmoji, endEmoji) { const all = [start].concat(mid).concat([end]); const allEmoji = [startEmoji].concat(midEmoji).concat([endEmoji]); const previous = all[all.length - 2]; const next = end; const nextEmoji = endEmoji; const rIIndex = all.lastIndexOf(boundaries_1.CLUSTER_BREAK.REGIONAL_INDICATOR); if (rIIndex > 0 && all.slice(1, rIIndex).every(function(c) { return c === boundaries_1.CLUSTER_BREAK.REGIONAL_INDICATOR; }) && [boundaries_1.CLUSTER_BREAK.PREPEND, boundaries_1.CLUSTER_BREAK.REGIONAL_INDICATOR].indexOf(previous) === -1) { if (all.filter(function(c) { return c === boundaries_1.CLUSTER_BREAK.REGIONAL_INDICATOR; }).length % 2 === 1) { return BreakLastRegional; } else { return BreakPenultimateRegional; } } if (previous === boundaries_1.CLUSTER_BREAK.CR && next === boundaries_1.CLUSTER_BREAK.LF) { return NotBreak; } else if (previous === boundaries_1.CLUSTER_BREAK.CONTROL || previous === boundaries_1.CLUSTER_BREAK.CR || previous === boundaries_1.CLUSTER_BREAK.LF) { return BreakStart; } else if (next === boundaries_1.CLUSTER_BREAK.CONTROL || next === boundaries_1.CLUSTER_BREAK.CR || next === boundaries_1.CLUSTER_BREAK.LF) { return BreakStart; } else if (previous === boundaries_1.CLUSTER_BREAK.L && (next === boundaries_1.CLUSTER_BREAK.L || next === boundaries_1.CLUSTER_BREAK.V || next === boundaries_1.CLUSTER_BREAK.LV || next === boundaries_1.CLUSTER_BREAK.LVT)) { return NotBreak; } else if ((previous === boundaries_1.CLUSTER_BREAK.LV || previous === boundaries_1.CLUSTER_BREAK.V) && (next === boundaries_1.CLUSTER_BREAK.V || next === boundaries_1.CLUSTER_BREAK.T)) { return NotBreak; } else if ((previous === boundaries_1.CLUSTER_BREAK.LVT || previous === boundaries_1.CLUSTER_BREAK.T) && next === boundaries_1.CLUSTER_BREAK.T) { return NotBreak; } else if (next === boundaries_1.CLUSTER_BREAK.EXTEND || next === boundaries_1.CLUSTER_BREAK.ZWJ) { return NotBreak; } else if (next === boundaries_1.CLUSTER_BREAK.SPACINGMARK) { return NotBreak; } else if (previous === boundaries_1.CLUSTER_BREAK.PREPEND) { return NotBreak; } const previousNonExtendIndex = allEmoji.slice(0, -1).lastIndexOf(boundaries_1.EXTENDED_PICTOGRAPHIC); if (previousNonExtendIndex !== -1 && allEmoji[previousNonExtendIndex] === boundaries_1.EXTENDED_PICTOGRAPHIC && all.slice(previousNonExtendIndex + 1, -2).every(function(c) { return c === boundaries_1.CLUSTER_BREAK.EXTEND; }) && previous === boundaries_1.CLUSTER_BREAK.ZWJ && nextEmoji === boundaries_1.EXTENDED_PICTOGRAPHIC) { return NotBreak; } if (mid.indexOf(boundaries_1.CLUSTER_BREAK.REGIONAL_INDICATOR) !== -1) { return Break; } if (previous === boundaries_1.CLUSTER_BREAK.REGIONAL_INDICATOR && next === boundaries_1.CLUSTER_BREAK.REGIONAL_INDICATOR) { return NotBreak; } return BreakStart; } }; exports2.default = GraphemerHelper; } }); // node_modules/.pnpm/graphemer@1.4.0/node_modules/graphemer/lib/GraphemerIterator.js var require_GraphemerIterator = __commonJS({ "node_modules/.pnpm/graphemer@1.4.0/node_modules/graphemer/lib/GraphemerIterator.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var GraphemerIterator = class { constructor(str, nextBreak) { this._index = 0; this._str = str; this._nextBreak = nextBreak; } [Symbol.iterator]() { return this; } next() { let brk; if ((brk = this._nextBreak(this._str, this._index)) < this._str.length) { const value = this._str.slice(this._index, brk); this._index = brk; return { value, done: false }; } if (this._index < this._str.length) { const value = this._str.slice(this._index); this._index = this._str.length; return { value, done: false }; } return { value: void 0, done: true }; } }; exports2.default = GraphemerIterator; } }); // node_modules/.pnpm/graphemer@1.4.0/node_modules/graphemer/lib/Graphemer.js var require_Graphemer = __commonJS({ "node_modules/.pnpm/graphemer@1.4.0/node_modules/graphemer/lib/Graphemer.js"(exports2) { "use strict"; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); var boundaries_1 = require_boundaries(); var GraphemerHelper_1 = __importDefault2(require_GraphemerHelper()); var GraphemerIterator_1 = __importDefault2(require_GraphemerIterator()); var Graphemer = class _Graphemer { /** * Returns the next grapheme break in the string after the given index * @param string {string} * @param index {number} * @returns {number} */ static nextBreak(string, index) { if (index === void 0) { index = 0; } if (index < 0) { return 0; } if (index >= string.length - 1) { return string.length; } const prevCP = GraphemerHelper_1.default.codePointAt(string, index); const prev = _Graphemer.getGraphemeBreakProperty(prevCP); const prevEmoji = _Graphemer.getEmojiProperty(prevCP); const mid = []; const midEmoji = []; for (let i = index + 1; i < string.length; i++) { if (GraphemerHelper_1.default.isSurrogate(string, i - 1)) { continue; } const nextCP = GraphemerHelper_1.default.codePointAt(string, i); const next = _Graphemer.getGraphemeBreakProperty(nextCP); const nextEmoji = _Graphemer.getEmojiProperty(nextCP); if (GraphemerHelper_1.default.shouldBreak(prev, mid, next, prevEmoji, midEmoji, nextEmoji)) { return i; } mid.push(next); midEmoji.push(nextEmoji); } return string.length; } /** * Breaks the given string into an array of grapheme clusters * @param str {string} * @returns {string[]} */ splitGraphemes(str) { const res = []; let index = 0; let brk; while ((brk = _Graphemer.nextBreak(str, index)) < str.length) { res.push(str.slice(index, brk)); index = brk; } if (index < str.length) { res.push(str.slice(index)); } return res; } /** * Returns an iterator of grapheme clusters in the given string * @param str {string} * @returns {GraphemerIterator} */ iterateGraphemes(str) { return new GraphemerIterator_1.default(str, _Graphemer.nextBreak); } /** * Returns the number of grapheme clusters in the given string * @param str {string} * @returns {number} */ countGraphemes(str) { let count = 0; let index = 0; let brk; while ((brk = _Graphemer.nextBreak(str, index)) < str.length) { index = brk; count++; } if (index < str.length) { count++; } return count; } /** * Given a Unicode code point, determines this symbol's grapheme break property * @param code {number} Unicode code point * @returns {number} */ static getGraphemeBreakProperty(code) { if (code < 48905) { if (code < 44116) { if (code < 4141) { if (code < 2818) { if (code < 2363) { if (code < 1759) { if (code < 1471) { if (code < 127) { if (code < 11) { if (code < 10) { if (0 <= code && code <= 9) { return boundaries_1.CLUSTER_BREAK.CONTROL; } } else { if (10 === code) { return boundaries_1.CLUSTER_BREAK.LF; } } } else { if (code < 13) { if (11 <= code && code <= 12) { return boundaries_1.CLUSTER_BREAK.CONTROL; } } else { if (code < 14) { if (13 === code) { return boundaries_1.CLUSTER_BREAK.CR; } } else { if (14 <= code && code <= 31) { return boundaries_1.CLUSTER_BREAK.CONTROL; } } } } } else { if (code < 768) { if (code < 173) { if (127 <= code && code <= 159) { return boundaries_1.CLUSTER_BREAK.CONTROL; } } else { if (173 === code) { return boundaries_1.CLUSTER_BREAK.CONTROL; } } } else { if (code < 1155) { if (768 <= code && code <= 879) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 1425) { if (1155 <= code && code <= 1161) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (1425 <= code && code <= 1469) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 1552) { if (code < 1476) { if (code < 1473) { if (1471 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (1473 <= code && code <= 1474) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 1479) { if (1476 <= code && code <= 1477) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 1536) { if (1479 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (1536 <= code && code <= 1541) { return boundaries_1.CLUSTER_BREAK.PREPEND; } } } } } else { if (code < 1648) { if (code < 1564) { if (1552 <= code && code <= 1562) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 1611) { if (1564 === code) { return boundaries_1.CLUSTER_BREAK.CONTROL; } } else { if (1611 <= code && code <= 1631) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 1750) { if (1648 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 1757) { if (1750 <= code && code <= 1756) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (1757 === code) { return boundaries_1.CLUSTER_BREAK.PREPEND; } } } } } } } else { if (code < 2075) { if (code < 1840) { if (code < 1770) { if (code < 1767) { if (1759 <= code && code <= 1764) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (1767 <= code && code <= 1768) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 1807) { if (1770 <= code && code <= 1773) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (1807 === code) { return boundaries_1.CLUSTER_BREAK.PREPEND; } if (1809 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 2027) { if (code < 1958) { if (1840 <= code && code <= 1866) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (1958 <= code && code <= 1968) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 2045) { if (2027 <= code && code <= 2035) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 2070) { if (2045 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (2070 <= code && code <= 2073) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 2200) { if (code < 2089) { if (code < 2085) { if (2075 <= code && code <= 2083) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (2085 <= code && code <= 2087) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 2137) { if (2089 <= code && code <= 2093) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 2192) { if (2137 <= code && code <= 2139) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (2192 <= code && code <= 2193) { return boundaries_1.CLUSTER_BREAK.PREPEND; } } } } } else { if (code < 2275) { if (code < 2250) { if (2200 <= code && code <= 2207) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 2274) { if (2250 <= code && code <= 2273) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (2274 === code) { return boundaries_1.CLUSTER_BREAK.PREPEND; } } } } else { if (code < 2307) { if (2275 <= code && code <= 2306) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (2307 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } if (2362 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } } else { if (code < 2561) { if (code < 2434) { if (code < 2381) { if (code < 2366) { if (2363 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } if (2364 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 2369) { if (2366 <= code && code <= 2368) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 2377) { if (2369 <= code && code <= 2376) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (2377 <= code && code <= 2380) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } else { if (code < 2385) { if (code < 2382) { if (2381 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (2382 <= code && code <= 2383) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } else { if (code < 2402) { if (2385 <= code && code <= 2391) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 2433) { if (2402 <= code && code <= 2403) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (2433 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 2503) { if (code < 2494) { if (code < 2492) { if (2434 <= code && code <= 2435) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (2492 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 2495) { if (2494 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 2497) { if (2495 <= code && code <= 2496) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (2497 <= code && code <= 2500) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 2519) { if (code < 2507) { if (2503 <= code && code <= 2504) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 2509) { if (2507 <= code && code <= 2508) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (2509 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 2530) { if (2519 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 2558) { if (2530 <= code && code <= 2531) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (2558 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } } else { if (code < 2691) { if (code < 2631) { if (code < 2620) { if (code < 2563) { if (2561 <= code && code <= 2562) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (2563 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } else { if (code < 2622) { if (2620 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 2625) { if (2622 <= code && code <= 2624) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (2625 <= code && code <= 2626) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 2672) { if (code < 2635) { if (2631 <= code && code <= 2632) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 2641) { if (2635 <= code && code <= 2637) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (2641 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 2677) { if (2672 <= code && code <= 2673) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 2689) { if (2677 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (2689 <= code && code <= 2690) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 2761) { if (code < 2750) { if (2691 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } if (2748 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 2753) { if (2750 <= code && code <= 2752) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 2759) { if (2753 <= code && code <= 2757) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (2759 <= code && code <= 2760) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 2786) { if (code < 2763) { if (2761 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 2765) { if (2763 <= code && code <= 2764) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (2765 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 2810) { if (2786 <= code && code <= 2787) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 2817) { if (2810 <= code && code <= 2815) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (2817 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } } } } else { if (code < 3315) { if (code < 3076) { if (code < 2946) { if (code < 2887) { if (code < 2878) { if (code < 2876) { if (2818 <= code && code <= 2819) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (2876 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 2880) { if (2878 <= code && code <= 2879) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 2881) { if (2880 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (2881 <= code && code <= 2884) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 2893) { if (code < 2891) { if (2887 <= code && code <= 2888) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (2891 <= code && code <= 2892) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } else { if (code < 2901) { if (2893 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 2914) { if (2901 <= code && code <= 2903) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (2914 <= code && code <= 2915) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 3014) { if (code < 3007) { if (2946 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (3006 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 3008) { if (3007 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 3009) { if (3008 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (3009 <= code && code <= 3010) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } else { if (code < 3031) { if (code < 3018) { if (3014 <= code && code <= 3016) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 3021) { if (3018 <= code && code <= 3020) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (3021 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 3072) { if (3031 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 3073) { if (3072 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (3073 <= code && code <= 3075) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } } } else { if (code < 3262) { if (code < 3146) { if (code < 3134) { if (3076 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (3132 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 3137) { if (3134 <= code && code <= 3136) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 3142) { if (3137 <= code && code <= 3140) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (3142 <= code && code <= 3144) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 3201) { if (code < 3157) { if (3146 <= code && code <= 3149) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 3170) { if (3157 <= code && code <= 3158) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (3170 <= code && code <= 3171) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 3202) { if (3201 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 3260) { if (3202 <= code && code <= 3203) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (3260 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 3270) { if (code < 3264) { if (3262 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } if (3263 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 3266) { if (3264 <= code && code <= 3265) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 3267) { if (3266 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (3267 <= code && code <= 3268) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } else { if (code < 3276) { if (code < 3271) { if (3270 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 3274) { if (3271 <= code && code <= 3272) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (3274 <= code && code <= 3275) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } else { if (code < 3285) { if (3276 <= code && code <= 3277) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 3298) { if (3285 <= code && code <= 3286) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (3298 <= code && code <= 3299) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } } } else { if (code < 3551) { if (code < 3406) { if (code < 3391) { if (code < 3330) { if (code < 3328) { if (3315 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (3328 <= code && code <= 3329) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 3387) { if (3330 <= code && code <= 3331) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 3390) { if (3387 <= code && code <= 3388) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (3390 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 3398) { if (code < 3393) { if (3391 <= code && code <= 3392) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (3393 <= code && code <= 3396) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 3402) { if (3398 <= code && code <= 3400) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 3405) { if (3402 <= code && code <= 3404) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (3405 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 3530) { if (code < 3426) { if (3406 === code) { return boundaries_1.CLUSTER_BREAK.PREPEND; } if (3415 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 3457) { if (3426 <= code && code <= 3427) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 3458) { if (3457 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (3458 <= code && code <= 3459) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } else { if (code < 3538) { if (code < 3535) { if (3530 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 3536) { if (3535 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (3536 <= code && code <= 3537) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } else { if (code < 3542) { if (3538 <= code && code <= 3540) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 3544) { if (3542 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (3544 <= code && code <= 3550) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } } } else { if (code < 3893) { if (code < 3655) { if (code < 3633) { if (code < 3570) { if (3551 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (3570 <= code && code <= 3571) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } else { if (code < 3635) { if (3633 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 3636) { if (3635 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (3636 <= code && code <= 3642) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 3764) { if (code < 3761) { if (3655 <= code && code <= 3662) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (3761 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (3763 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } else { if (code < 3784) { if (3764 <= code && code <= 3772) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 3864) { if (3784 <= code && code <= 3790) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (3864 <= code && code <= 3865) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 3967) { if (code < 3897) { if (3893 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (3895 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 3902) { if (3897 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 3953) { if (3902 <= code && code <= 3903) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (3953 <= code && code <= 3966) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 3981) { if (code < 3968) { if (3967 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 3974) { if (3968 <= code && code <= 3972) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (3974 <= code && code <= 3975) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 3993) { if (3981 <= code && code <= 3991) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 4038) { if (3993 <= code && code <= 4028) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (4038 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } } } } } else { if (code < 7204) { if (code < 6448) { if (code < 5938) { if (code < 4226) { if (code < 4157) { if (code < 4146) { if (code < 4145) { if (4141 <= code && code <= 4144) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (4145 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } else { if (code < 4153) { if (4146 <= code && code <= 4151) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 4155) { if (4153 <= code && code <= 4154) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (4155 <= code && code <= 4156) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } else { if (code < 4184) { if (code < 4182) { if (4157 <= code && code <= 4158) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (4182 <= code && code <= 4183) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } else { if (code < 4190) { if (4184 <= code && code <= 4185) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 4209) { if (4190 <= code && code <= 4192) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (4209 <= code && code <= 4212) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 4352) { if (code < 4229) { if (4226 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (4228 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 4237) { if (4229 <= code && code <= 4230) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (4237 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (4253 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 4957) { if (code < 4448) { if (4352 <= code && code <= 4447) { return boundaries_1.CLUSTER_BREAK.L; } } else { if (code < 4520) { if (4448 <= code && code <= 4519) { return boundaries_1.CLUSTER_BREAK.V; } } else { if (4520 <= code && code <= 4607) { return boundaries_1.CLUSTER_BREAK.T; } } } } else { if (code < 5906) { if (4957 <= code && code <= 4959) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 5909) { if (5906 <= code && code <= 5908) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (5909 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } } } else { if (code < 6089) { if (code < 6070) { if (code < 5970) { if (code < 5940) { if (5938 <= code && code <= 5939) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (5940 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } else { if (code < 6002) { if (5970 <= code && code <= 5971) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 6068) { if (6002 <= code && code <= 6003) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (6068 <= code && code <= 6069) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 6078) { if (code < 6071) { if (6070 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (6071 <= code && code <= 6077) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 6086) { if (6078 <= code && code <= 6085) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 6087) { if (6086 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (6087 <= code && code <= 6088) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } } else { if (code < 6277) { if (code < 6155) { if (code < 6109) { if (6089 <= code && code <= 6099) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (6109 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 6158) { if (6155 <= code && code <= 6157) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (6158 === code) { return boundaries_1.CLUSTER_BREAK.CONTROL; } if (6159 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 6435) { if (code < 6313) { if (6277 <= code && code <= 6278) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 6432) { if (6313 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (6432 <= code && code <= 6434) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 6439) { if (6435 <= code && code <= 6438) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 6441) { if (6439 <= code && code <= 6440) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (6441 <= code && code <= 6443) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } } } } else { if (code < 6971) { if (code < 6744) { if (code < 6681) { if (code < 6451) { if (code < 6450) { if (6448 <= code && code <= 6449) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (6450 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 6457) { if (6451 <= code && code <= 6456) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 6679) { if (6457 <= code && code <= 6459) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (6679 <= code && code <= 6680) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 6741) { if (code < 6683) { if (6681 <= code && code <= 6682) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (6683 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 6742) { if (6741 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (6742 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (6743 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } else { if (code < 6771) { if (code < 6754) { if (code < 6752) { if (6744 <= code && code <= 6750) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (6752 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 6757) { if (6754 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 6765) { if (6757 <= code && code <= 6764) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (6765 <= code && code <= 6770) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } else { if (code < 6912) { if (code < 6783) { if (6771 <= code && code <= 6780) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 6832) { if (6783 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (6832 <= code && code <= 6862) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 6916) { if (6912 <= code && code <= 6915) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 6964) { if (6916 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (6964 <= code && code <= 6970) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } } else { if (code < 7080) { if (code < 7019) { if (code < 6973) { if (6971 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } if (6972 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 6978) { if (6973 <= code && code <= 6977) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 6979) { if (6978 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (6979 <= code && code <= 6980) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } else { if (code < 7073) { if (code < 7040) { if (7019 <= code && code <= 7027) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 7042) { if (7040 <= code && code <= 7041) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (7042 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } else { if (code < 7074) { if (7073 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 7078) { if (7074 <= code && code <= 7077) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (7078 <= code && code <= 7079) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } } else { if (code < 7144) { if (code < 7083) { if (code < 7082) { if (7080 <= code && code <= 7081) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (7082 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } else { if (code < 7142) { if (7083 <= code && code <= 7085) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (7142 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (7143 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } else { if (code < 7150) { if (code < 7146) { if (7144 <= code && code <= 7145) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 7149) { if (7146 <= code && code <= 7148) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (7149 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 7151) { if (7150 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 7154) { if (7151 <= code && code <= 7153) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (7154 <= code && code <= 7155) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } } } } } else { if (code < 43346) { if (code < 11647) { if (code < 7415) { if (code < 7380) { if (code < 7220) { if (code < 7212) { if (7204 <= code && code <= 7211) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (7212 <= code && code <= 7219) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 7222) { if (7220 <= code && code <= 7221) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 7376) { if (7222 <= code && code <= 7223) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (7376 <= code && code <= 7378) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 7394) { if (code < 7393) { if (7380 <= code && code <= 7392) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (7393 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } else { if (code < 7405) { if (7394 <= code && code <= 7400) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (7405 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (7412 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 8205) { if (code < 7616) { if (code < 7416) { if (7415 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (7416 <= code && code <= 7417) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 8203) { if (7616 <= code && code <= 7679) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (8203 === code) { return boundaries_1.CLUSTER_BREAK.CONTROL; } if (8204 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 8288) { if (code < 8206) { if (8205 === code) { return boundaries_1.CLUSTER_BREAK.ZWJ; } } else { if (code < 8232) { if (8206 <= code && code <= 8207) { return boundaries_1.CLUSTER_BREAK.CONTROL; } } else { if (8232 <= code && code <= 8238) { return boundaries_1.CLUSTER_BREAK.CONTROL; } } } } else { if (code < 8400) { if (8288 <= code && code <= 8303) { return boundaries_1.CLUSTER_BREAK.CONTROL; } } else { if (code < 11503) { if (8400 <= code && code <= 8432) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (11503 <= code && code <= 11505) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } } else { if (code < 43043) { if (code < 42612) { if (code < 12330) { if (code < 11744) { if (11647 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (11744 <= code && code <= 11775) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 12441) { if (12330 <= code && code <= 12335) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 42607) { if (12441 <= code && code <= 12442) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (42607 <= code && code <= 42610) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 43010) { if (code < 42654) { if (42612 <= code && code <= 42621) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 42736) { if (42654 <= code && code <= 42655) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (42736 <= code && code <= 42737) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 43014) { if (43010 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (43014 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (43019 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 43188) { if (code < 43047) { if (code < 43045) { if (43043 <= code && code <= 43044) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (43045 <= code && code <= 43046) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 43052) { if (43047 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 43136) { if (43052 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (43136 <= code && code <= 43137) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } else { if (code < 43263) { if (code < 43204) { if (43188 <= code && code <= 43203) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 43232) { if (43204 <= code && code <= 43205) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (43232 <= code && code <= 43249) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 43302) { if (43263 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 43335) { if (43302 <= code && code <= 43309) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (43335 <= code && code <= 43345) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } } } else { if (code < 43698) { if (code < 43493) { if (code < 43444) { if (code < 43392) { if (code < 43360) { if (43346 <= code && code <= 43347) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (43360 <= code && code <= 43388) { return boundaries_1.CLUSTER_BREAK.L; } } } else { if (code < 43395) { if (43392 <= code && code <= 43394) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (43395 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } if (43443 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 43450) { if (code < 43446) { if (43444 <= code && code <= 43445) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (43446 <= code && code <= 43449) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 43452) { if (43450 <= code && code <= 43451) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 43454) { if (43452 <= code && code <= 43453) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (43454 <= code && code <= 43456) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } } else { if (code < 43573) { if (code < 43567) { if (code < 43561) { if (43493 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (43561 <= code && code <= 43566) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 43569) { if (43567 <= code && code <= 43568) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 43571) { if (43569 <= code && code <= 43570) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (43571 <= code && code <= 43572) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } else { if (code < 43597) { if (code < 43587) { if (43573 <= code && code <= 43574) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (43587 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (43596 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 43644) { if (43597 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (43644 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (43696 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 44006) { if (code < 43756) { if (code < 43710) { if (code < 43703) { if (43698 <= code && code <= 43700) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (43703 <= code && code <= 43704) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 43713) { if (43710 <= code && code <= 43711) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (43713 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (43755 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } else { if (code < 43766) { if (code < 43758) { if (43756 <= code && code <= 43757) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 43765) { if (43758 <= code && code <= 43759) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (43765 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } else { if (code < 44003) { if (43766 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 44005) { if (44003 <= code && code <= 44004) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (44005 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 44032) { if (code < 44009) { if (code < 44008) { if (44006 <= code && code <= 44007) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (44008 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 44012) { if (44009 <= code && code <= 44010) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (44012 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } if (44013 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 44061) { if (code < 44033) { if (44032 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 44060) { if (44033 <= code && code <= 44059) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (44060 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 44088) { if (44061 <= code && code <= 44087) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 44089) { if (44088 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (44089 <= code && code <= 44115) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } } } } } else { if (code < 46497) { if (code < 45293) { if (code < 44704) { if (code < 44397) { if (code < 44256) { if (code < 44173) { if (code < 44144) { if (code < 44117) { if (44116 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (44117 <= code && code <= 44143) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 44145) { if (44144 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 44172) { if (44145 <= code && code <= 44171) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (44172 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 44201) { if (code < 44200) { if (44173 <= code && code <= 44199) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (44200 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 44228) { if (44201 <= code && code <= 44227) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 44229) { if (44228 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (44229 <= code && code <= 44255) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 44313) { if (code < 44284) { if (code < 44257) { if (44256 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (44257 <= code && code <= 44283) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 44285) { if (44284 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 44312) { if (44285 <= code && code <= 44311) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (44312 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 44368) { if (code < 44340) { if (44313 <= code && code <= 44339) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 44341) { if (44340 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (44341 <= code && code <= 44367) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 44369) { if (44368 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 44396) { if (44369 <= code && code <= 44395) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (44396 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } else { if (code < 44537) { if (code < 44480) { if (code < 44425) { if (code < 44424) { if (44397 <= code && code <= 44423) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (44424 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 44452) { if (44425 <= code && code <= 44451) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 44453) { if (44452 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (44453 <= code && code <= 44479) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 44508) { if (code < 44481) { if (44480 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (44481 <= code && code <= 44507) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 44509) { if (44508 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 44536) { if (44509 <= code && code <= 44535) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (44536 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 44620) { if (code < 44565) { if (code < 44564) { if (44537 <= code && code <= 44563) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (44564 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 44592) { if (44565 <= code && code <= 44591) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 44593) { if (44592 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (44593 <= code && code <= 44619) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 44649) { if (code < 44621) { if (44620 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 44648) { if (44621 <= code && code <= 44647) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (44648 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 44676) { if (44649 <= code && code <= 44675) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 44677) { if (44676 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (44677 <= code && code <= 44703) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } } else { if (code < 44985) { if (code < 44844) { if (code < 44761) { if (code < 44732) { if (code < 44705) { if (44704 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (44705 <= code && code <= 44731) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 44733) { if (44732 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 44760) { if (44733 <= code && code <= 44759) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (44760 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 44789) { if (code < 44788) { if (44761 <= code && code <= 44787) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (44788 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 44816) { if (44789 <= code && code <= 44815) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 44817) { if (44816 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (44817 <= code && code <= 44843) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 44901) { if (code < 44872) { if (code < 44845) { if (44844 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (44845 <= code && code <= 44871) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 44873) { if (44872 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 44900) { if (44873 <= code && code <= 44899) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (44900 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 44956) { if (code < 44928) { if (44901 <= code && code <= 44927) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 44929) { if (44928 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (44929 <= code && code <= 44955) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 44957) { if (44956 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 44984) { if (44957 <= code && code <= 44983) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (44984 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } else { if (code < 45152) { if (code < 45068) { if (code < 45013) { if (code < 45012) { if (44985 <= code && code <= 45011) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (45012 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 45040) { if (45013 <= code && code <= 45039) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 45041) { if (45040 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (45041 <= code && code <= 45067) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 45097) { if (code < 45069) { if (45068 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 45096) { if (45069 <= code && code <= 45095) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (45096 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 45124) { if (45097 <= code && code <= 45123) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 45125) { if (45124 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (45125 <= code && code <= 45151) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 45209) { if (code < 45180) { if (code < 45153) { if (45152 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (45153 <= code && code <= 45179) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 45181) { if (45180 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 45208) { if (45181 <= code && code <= 45207) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (45208 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 45264) { if (code < 45236) { if (45209 <= code && code <= 45235) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 45237) { if (45236 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (45237 <= code && code <= 45263) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 45265) { if (45264 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 45292) { if (45265 <= code && code <= 45291) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (45292 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } } } else { if (code < 45908) { if (code < 45600) { if (code < 45433) { if (code < 45376) { if (code < 45321) { if (code < 45320) { if (45293 <= code && code <= 45319) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (45320 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 45348) { if (45321 <= code && code <= 45347) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 45349) { if (45348 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (45349 <= code && code <= 45375) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 45404) { if (code < 45377) { if (45376 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (45377 <= code && code <= 45403) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 45405) { if (45404 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 45432) { if (45405 <= code && code <= 45431) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (45432 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 45516) { if (code < 45461) { if (code < 45460) { if (45433 <= code && code <= 45459) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (45460 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 45488) { if (45461 <= code && code <= 45487) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 45489) { if (45488 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (45489 <= code && code <= 45515) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 45545) { if (code < 45517) { if (45516 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 45544) { if (45517 <= code && code <= 45543) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (45544 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 45572) { if (45545 <= code && code <= 45571) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 45573) { if (45572 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (45573 <= code && code <= 45599) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } else { if (code < 45741) { if (code < 45657) { if (code < 45628) { if (code < 45601) { if (45600 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (45601 <= code && code <= 45627) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 45629) { if (45628 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 45656) { if (45629 <= code && code <= 45655) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (45656 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 45712) { if (code < 45684) { if (45657 <= code && code <= 45683) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 45685) { if (45684 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (45685 <= code && code <= 45711) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 45713) { if (45712 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 45740) { if (45713 <= code && code <= 45739) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (45740 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 45824) { if (code < 45769) { if (code < 45768) { if (45741 <= code && code <= 45767) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (45768 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 45796) { if (45769 <= code && code <= 45795) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 45797) { if (45796 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (45797 <= code && code <= 45823) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 45853) { if (code < 45825) { if (45824 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 45852) { if (45825 <= code && code <= 45851) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (45852 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 45880) { if (45853 <= code && code <= 45879) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 45881) { if (45880 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (45881 <= code && code <= 45907) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } } else { if (code < 46189) { if (code < 46048) { if (code < 45965) { if (code < 45936) { if (code < 45909) { if (45908 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (45909 <= code && code <= 45935) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 45937) { if (45936 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 45964) { if (45937 <= code && code <= 45963) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (45964 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 45993) { if (code < 45992) { if (45965 <= code && code <= 45991) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (45992 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 46020) { if (45993 <= code && code <= 46019) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 46021) { if (46020 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (46021 <= code && code <= 46047) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 46105) { if (code < 46076) { if (code < 46049) { if (46048 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (46049 <= code && code <= 46075) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 46077) { if (46076 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 46104) { if (46077 <= code && code <= 46103) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (46104 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 46160) { if (code < 46132) { if (46105 <= code && code <= 46131) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 46133) { if (46132 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (46133 <= code && code <= 46159) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 46161) { if (46160 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 46188) { if (46161 <= code && code <= 46187) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (46188 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } else { if (code < 46356) { if (code < 46272) { if (code < 46217) { if (code < 46216) { if (46189 <= code && code <= 46215) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (46216 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 46244) { if (46217 <= code && code <= 46243) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 46245) { if (46244 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (46245 <= code && code <= 46271) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 46301) { if (code < 46273) { if (46272 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 46300) { if (46273 <= code && code <= 46299) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (46300 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 46328) { if (46301 <= code && code <= 46327) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 46329) { if (46328 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (46329 <= code && code <= 46355) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 46413) { if (code < 46384) { if (code < 46357) { if (46356 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (46357 <= code && code <= 46383) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 46385) { if (46384 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 46412) { if (46385 <= code && code <= 46411) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (46412 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 46468) { if (code < 46440) { if (46413 <= code && code <= 46439) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 46441) { if (46440 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (46441 <= code && code <= 46467) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 46469) { if (46468 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 46496) { if (46469 <= code && code <= 46495) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (46496 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } } } } else { if (code < 47701) { if (code < 47112) { if (code < 46804) { if (code < 46637) { if (code < 46580) { if (code < 46525) { if (code < 46524) { if (46497 <= code && code <= 46523) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (46524 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 46552) { if (46525 <= code && code <= 46551) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 46553) { if (46552 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (46553 <= code && code <= 46579) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 46608) { if (code < 46581) { if (46580 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (46581 <= code && code <= 46607) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 46609) { if (46608 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 46636) { if (46609 <= code && code <= 46635) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (46636 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 46720) { if (code < 46665) { if (code < 46664) { if (46637 <= code && code <= 46663) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (46664 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 46692) { if (46665 <= code && code <= 46691) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 46693) { if (46692 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (46693 <= code && code <= 46719) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 46749) { if (code < 46721) { if (46720 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 46748) { if (46721 <= code && code <= 46747) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (46748 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 46776) { if (46749 <= code && code <= 46775) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 46777) { if (46776 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (46777 <= code && code <= 46803) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } else { if (code < 46945) { if (code < 46861) { if (code < 46832) { if (code < 46805) { if (46804 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (46805 <= code && code <= 46831) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 46833) { if (46832 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 46860) { if (46833 <= code && code <= 46859) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (46860 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 46916) { if (code < 46888) { if (46861 <= code && code <= 46887) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 46889) { if (46888 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (46889 <= code && code <= 46915) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 46917) { if (46916 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 46944) { if (46917 <= code && code <= 46943) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (46944 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 47028) { if (code < 46973) { if (code < 46972) { if (46945 <= code && code <= 46971) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (46972 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 47e3) { if (46973 <= code && code <= 46999) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 47001) { if (47e3 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (47001 <= code && code <= 47027) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 47057) { if (code < 47029) { if (47028 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 47056) { if (47029 <= code && code <= 47055) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (47056 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 47084) { if (47057 <= code && code <= 47083) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 47085) { if (47084 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (47085 <= code && code <= 47111) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } } else { if (code < 47393) { if (code < 47252) { if (code < 47169) { if (code < 47140) { if (code < 47113) { if (47112 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (47113 <= code && code <= 47139) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 47141) { if (47140 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 47168) { if (47141 <= code && code <= 47167) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (47168 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 47197) { if (code < 47196) { if (47169 <= code && code <= 47195) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (47196 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 47224) { if (47197 <= code && code <= 47223) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 47225) { if (47224 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (47225 <= code && code <= 47251) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 47309) { if (code < 47280) { if (code < 47253) { if (47252 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (47253 <= code && code <= 47279) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 47281) { if (47280 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 47308) { if (47281 <= code && code <= 47307) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (47308 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 47364) { if (code < 47336) { if (47309 <= code && code <= 47335) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 47337) { if (47336 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (47337 <= code && code <= 47363) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 47365) { if (47364 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 47392) { if (47365 <= code && code <= 47391) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (47392 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } else { if (code < 47560) { if (code < 47476) { if (code < 47421) { if (code < 47420) { if (47393 <= code && code <= 47419) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (47420 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 47448) { if (47421 <= code && code <= 47447) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 47449) { if (47448 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (47449 <= code && code <= 47475) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 47505) { if (code < 47477) { if (47476 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 47504) { if (47477 <= code && code <= 47503) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (47504 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 47532) { if (47505 <= code && code <= 47531) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 47533) { if (47532 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (47533 <= code && code <= 47559) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 47617) { if (code < 47588) { if (code < 47561) { if (47560 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (47561 <= code && code <= 47587) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 47589) { if (47588 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 47616) { if (47589 <= code && code <= 47615) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (47616 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 47672) { if (code < 47644) { if (47617 <= code && code <= 47643) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 47645) { if (47644 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (47645 <= code && code <= 47671) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 47673) { if (47672 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 47700) { if (47673 <= code && code <= 47699) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (47700 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } } } else { if (code < 48316) { if (code < 48008) { if (code < 47841) { if (code < 47784) { if (code < 47729) { if (code < 47728) { if (47701 <= code && code <= 47727) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (47728 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 47756) { if (47729 <= code && code <= 47755) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 47757) { if (47756 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (47757 <= code && code <= 47783) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 47812) { if (code < 47785) { if (47784 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (47785 <= code && code <= 47811) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 47813) { if (47812 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 47840) { if (47813 <= code && code <= 47839) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (47840 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 47924) { if (code < 47869) { if (code < 47868) { if (47841 <= code && code <= 47867) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (47868 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 47896) { if (47869 <= code && code <= 47895) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 47897) { if (47896 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (47897 <= code && code <= 47923) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 47953) { if (code < 47925) { if (47924 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 47952) { if (47925 <= code && code <= 47951) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (47952 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 47980) { if (47953 <= code && code <= 47979) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 47981) { if (47980 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (47981 <= code && code <= 48007) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } else { if (code < 48149) { if (code < 48065) { if (code < 48036) { if (code < 48009) { if (48008 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (48009 <= code && code <= 48035) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 48037) { if (48036 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 48064) { if (48037 <= code && code <= 48063) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (48064 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 48120) { if (code < 48092) { if (48065 <= code && code <= 48091) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 48093) { if (48092 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (48093 <= code && code <= 48119) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 48121) { if (48120 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 48148) { if (48121 <= code && code <= 48147) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (48148 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 48232) { if (code < 48177) { if (code < 48176) { if (48149 <= code && code <= 48175) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (48176 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 48204) { if (48177 <= code && code <= 48203) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 48205) { if (48204 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (48205 <= code && code <= 48231) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 48261) { if (code < 48233) { if (48232 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 48260) { if (48233 <= code && code <= 48259) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (48260 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 48288) { if (48261 <= code && code <= 48287) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 48289) { if (48288 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (48289 <= code && code <= 48315) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } } else { if (code < 48597) { if (code < 48456) { if (code < 48373) { if (code < 48344) { if (code < 48317) { if (48316 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (48317 <= code && code <= 48343) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 48345) { if (48344 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 48372) { if (48345 <= code && code <= 48371) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (48372 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 48401) { if (code < 48400) { if (48373 <= code && code <= 48399) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (48400 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 48428) { if (48401 <= code && code <= 48427) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 48429) { if (48428 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (48429 <= code && code <= 48455) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 48513) { if (code < 48484) { if (code < 48457) { if (48456 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (48457 <= code && code <= 48483) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 48485) { if (48484 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 48512) { if (48485 <= code && code <= 48511) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (48512 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 48568) { if (code < 48540) { if (48513 <= code && code <= 48539) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 48541) { if (48540 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (48541 <= code && code <= 48567) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 48569) { if (48568 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 48596) { if (48569 <= code && code <= 48595) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (48596 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } else { if (code < 48764) { if (code < 48680) { if (code < 48625) { if (code < 48624) { if (48597 <= code && code <= 48623) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (48624 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 48652) { if (48625 <= code && code <= 48651) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 48653) { if (48652 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (48653 <= code && code <= 48679) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 48709) { if (code < 48681) { if (48680 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 48708) { if (48681 <= code && code <= 48707) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (48708 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 48736) { if (48709 <= code && code <= 48735) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 48737) { if (48736 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (48737 <= code && code <= 48763) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 48821) { if (code < 48792) { if (code < 48765) { if (48764 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (48765 <= code && code <= 48791) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 48793) { if (48792 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 48820) { if (48793 <= code && code <= 48819) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (48820 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 48876) { if (code < 48848) { if (48821 <= code && code <= 48847) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 48849) { if (48848 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (48849 <= code && code <= 48875) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 48877) { if (48876 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 48904) { if (48877 <= code && code <= 48903) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (48904 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } } } } } } else { if (code < 53720) { if (code < 51312) { if (code < 50108) { if (code < 49493) { if (code < 49212) { if (code < 49045) { if (code < 48988) { if (code < 48933) { if (code < 48932) { if (48905 <= code && code <= 48931) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (48932 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 48960) { if (48933 <= code && code <= 48959) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 48961) { if (48960 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (48961 <= code && code <= 48987) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 49016) { if (code < 48989) { if (48988 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (48989 <= code && code <= 49015) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 49017) { if (49016 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 49044) { if (49017 <= code && code <= 49043) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (49044 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 49128) { if (code < 49073) { if (code < 49072) { if (49045 <= code && code <= 49071) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (49072 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 49100) { if (49073 <= code && code <= 49099) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 49101) { if (49100 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (49101 <= code && code <= 49127) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 49157) { if (code < 49129) { if (49128 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 49156) { if (49129 <= code && code <= 49155) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (49156 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 49184) { if (49157 <= code && code <= 49183) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 49185) { if (49184 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (49185 <= code && code <= 49211) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } else { if (code < 49352) { if (code < 49269) { if (code < 49240) { if (code < 49213) { if (49212 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (49213 <= code && code <= 49239) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 49241) { if (49240 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 49268) { if (49241 <= code && code <= 49267) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (49268 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 49297) { if (code < 49296) { if (49269 <= code && code <= 49295) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (49296 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 49324) { if (49297 <= code && code <= 49323) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 49325) { if (49324 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (49325 <= code && code <= 49351) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 49409) { if (code < 49380) { if (code < 49353) { if (49352 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (49353 <= code && code <= 49379) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 49381) { if (49380 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 49408) { if (49381 <= code && code <= 49407) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (49408 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 49464) { if (code < 49436) { if (49409 <= code && code <= 49435) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 49437) { if (49436 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (49437 <= code && code <= 49463) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 49465) { if (49464 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 49492) { if (49465 <= code && code <= 49491) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (49492 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } } else { if (code < 49800) { if (code < 49633) { if (code < 49576) { if (code < 49521) { if (code < 49520) { if (49493 <= code && code <= 49519) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (49520 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 49548) { if (49521 <= code && code <= 49547) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 49549) { if (49548 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (49549 <= code && code <= 49575) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 49604) { if (code < 49577) { if (49576 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (49577 <= code && code <= 49603) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 49605) { if (49604 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 49632) { if (49605 <= code && code <= 49631) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (49632 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 49716) { if (code < 49661) { if (code < 49660) { if (49633 <= code && code <= 49659) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (49660 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 49688) { if (49661 <= code && code <= 49687) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 49689) { if (49688 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (49689 <= code && code <= 49715) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 49745) { if (code < 49717) { if (49716 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 49744) { if (49717 <= code && code <= 49743) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (49744 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 49772) { if (49745 <= code && code <= 49771) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 49773) { if (49772 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (49773 <= code && code <= 49799) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } else { if (code < 49941) { if (code < 49857) { if (code < 49828) { if (code < 49801) { if (49800 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (49801 <= code && code <= 49827) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 49829) { if (49828 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 49856) { if (49829 <= code && code <= 49855) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (49856 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 49912) { if (code < 49884) { if (49857 <= code && code <= 49883) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 49885) { if (49884 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (49885 <= code && code <= 49911) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 49913) { if (49912 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 49940) { if (49913 <= code && code <= 49939) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (49940 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 50024) { if (code < 49969) { if (code < 49968) { if (49941 <= code && code <= 49967) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (49968 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 49996) { if (49969 <= code && code <= 49995) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 49997) { if (49996 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (49997 <= code && code <= 50023) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 50053) { if (code < 50025) { if (50024 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 50052) { if (50025 <= code && code <= 50051) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (50052 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 50080) { if (50053 <= code && code <= 50079) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 50081) { if (50080 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (50081 <= code && code <= 50107) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } } } else { if (code < 50697) { if (code < 50389) { if (code < 50248) { if (code < 50165) { if (code < 50136) { if (code < 50109) { if (50108 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (50109 <= code && code <= 50135) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 50137) { if (50136 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 50164) { if (50137 <= code && code <= 50163) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (50164 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 50193) { if (code < 50192) { if (50165 <= code && code <= 50191) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (50192 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 50220) { if (50193 <= code && code <= 50219) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 50221) { if (50220 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (50221 <= code && code <= 50247) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 50305) { if (code < 50276) { if (code < 50249) { if (50248 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (50249 <= code && code <= 50275) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 50277) { if (50276 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 50304) { if (50277 <= code && code <= 50303) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (50304 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 50360) { if (code < 50332) { if (50305 <= code && code <= 50331) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 50333) { if (50332 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (50333 <= code && code <= 50359) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 50361) { if (50360 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 50388) { if (50361 <= code && code <= 50387) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (50388 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } else { if (code < 50556) { if (code < 50472) { if (code < 50417) { if (code < 50416) { if (50389 <= code && code <= 50415) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (50416 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 50444) { if (50417 <= code && code <= 50443) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 50445) { if (50444 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (50445 <= code && code <= 50471) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 50501) { if (code < 50473) { if (50472 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 50500) { if (50473 <= code && code <= 50499) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (50500 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 50528) { if (50501 <= code && code <= 50527) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 50529) { if (50528 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (50529 <= code && code <= 50555) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 50613) { if (code < 50584) { if (code < 50557) { if (50556 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (50557 <= code && code <= 50583) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 50585) { if (50584 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 50612) { if (50585 <= code && code <= 50611) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (50612 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 50668) { if (code < 50640) { if (50613 <= code && code <= 50639) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 50641) { if (50640 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (50641 <= code && code <= 50667) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 50669) { if (50668 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 50696) { if (50669 <= code && code <= 50695) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (50696 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } } else { if (code < 51004) { if (code < 50837) { if (code < 50780) { if (code < 50725) { if (code < 50724) { if (50697 <= code && code <= 50723) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (50724 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 50752) { if (50725 <= code && code <= 50751) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 50753) { if (50752 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (50753 <= code && code <= 50779) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 50808) { if (code < 50781) { if (50780 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (50781 <= code && code <= 50807) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 50809) { if (50808 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 50836) { if (50809 <= code && code <= 50835) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (50836 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 50920) { if (code < 50865) { if (code < 50864) { if (50837 <= code && code <= 50863) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (50864 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 50892) { if (50865 <= code && code <= 50891) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 50893) { if (50892 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (50893 <= code && code <= 50919) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 50949) { if (code < 50921) { if (50920 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 50948) { if (50921 <= code && code <= 50947) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (50948 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 50976) { if (50949 <= code && code <= 50975) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 50977) { if (50976 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (50977 <= code && code <= 51003) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } else { if (code < 51145) { if (code < 51061) { if (code < 51032) { if (code < 51005) { if (51004 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (51005 <= code && code <= 51031) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 51033) { if (51032 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 51060) { if (51033 <= code && code <= 51059) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (51060 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 51116) { if (code < 51088) { if (51061 <= code && code <= 51087) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 51089) { if (51088 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (51089 <= code && code <= 51115) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 51117) { if (51116 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 51144) { if (51117 <= code && code <= 51143) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (51144 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 51228) { if (code < 51173) { if (code < 51172) { if (51145 <= code && code <= 51171) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (51172 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 51200) { if (51173 <= code && code <= 51199) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 51201) { if (51200 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (51201 <= code && code <= 51227) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 51257) { if (code < 51229) { if (51228 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 51256) { if (51229 <= code && code <= 51255) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (51256 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 51284) { if (51257 <= code && code <= 51283) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 51285) { if (51284 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (51285 <= code && code <= 51311) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } } } } else { if (code < 52516) { if (code < 51901) { if (code < 51593) { if (code < 51452) { if (code < 51369) { if (code < 51340) { if (code < 51313) { if (51312 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (51313 <= code && code <= 51339) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 51341) { if (51340 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 51368) { if (51341 <= code && code <= 51367) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (51368 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 51397) { if (code < 51396) { if (51369 <= code && code <= 51395) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (51396 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 51424) { if (51397 <= code && code <= 51423) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 51425) { if (51424 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (51425 <= code && code <= 51451) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 51509) { if (code < 51480) { if (code < 51453) { if (51452 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (51453 <= code && code <= 51479) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 51481) { if (51480 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 51508) { if (51481 <= code && code <= 51507) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (51508 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 51564) { if (code < 51536) { if (51509 <= code && code <= 51535) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 51537) { if (51536 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (51537 <= code && code <= 51563) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 51565) { if (51564 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 51592) { if (51565 <= code && code <= 51591) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (51592 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } else { if (code < 51760) { if (code < 51676) { if (code < 51621) { if (code < 51620) { if (51593 <= code && code <= 51619) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (51620 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 51648) { if (51621 <= code && code <= 51647) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 51649) { if (51648 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (51649 <= code && code <= 51675) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 51705) { if (code < 51677) { if (51676 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 51704) { if (51677 <= code && code <= 51703) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (51704 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 51732) { if (51705 <= code && code <= 51731) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 51733) { if (51732 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (51733 <= code && code <= 51759) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 51817) { if (code < 51788) { if (code < 51761) { if (51760 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (51761 <= code && code <= 51787) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 51789) { if (51788 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 51816) { if (51789 <= code && code <= 51815) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (51816 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 51872) { if (code < 51844) { if (51817 <= code && code <= 51843) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 51845) { if (51844 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (51845 <= code && code <= 51871) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 51873) { if (51872 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 51900) { if (51873 <= code && code <= 51899) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (51900 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } } else { if (code < 52208) { if (code < 52041) { if (code < 51984) { if (code < 51929) { if (code < 51928) { if (51901 <= code && code <= 51927) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (51928 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 51956) { if (51929 <= code && code <= 51955) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 51957) { if (51956 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (51957 <= code && code <= 51983) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 52012) { if (code < 51985) { if (51984 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (51985 <= code && code <= 52011) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 52013) { if (52012 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 52040) { if (52013 <= code && code <= 52039) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (52040 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 52124) { if (code < 52069) { if (code < 52068) { if (52041 <= code && code <= 52067) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (52068 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 52096) { if (52069 <= code && code <= 52095) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 52097) { if (52096 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (52097 <= code && code <= 52123) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 52153) { if (code < 52125) { if (52124 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 52152) { if (52125 <= code && code <= 52151) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (52152 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 52180) { if (52153 <= code && code <= 52179) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 52181) { if (52180 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (52181 <= code && code <= 52207) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } else { if (code < 52349) { if (code < 52265) { if (code < 52236) { if (code < 52209) { if (52208 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (52209 <= code && code <= 52235) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 52237) { if (52236 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 52264) { if (52237 <= code && code <= 52263) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (52264 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 52320) { if (code < 52292) { if (52265 <= code && code <= 52291) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 52293) { if (52292 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (52293 <= code && code <= 52319) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 52321) { if (52320 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 52348) { if (52321 <= code && code <= 52347) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (52348 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 52432) { if (code < 52377) { if (code < 52376) { if (52349 <= code && code <= 52375) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (52376 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 52404) { if (52377 <= code && code <= 52403) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 52405) { if (52404 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (52405 <= code && code <= 52431) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 52461) { if (code < 52433) { if (52432 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 52460) { if (52433 <= code && code <= 52459) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (52460 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 52488) { if (52461 <= code && code <= 52487) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 52489) { if (52488 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (52489 <= code && code <= 52515) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } } } else { if (code < 53105) { if (code < 52797) { if (code < 52656) { if (code < 52573) { if (code < 52544) { if (code < 52517) { if (52516 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (52517 <= code && code <= 52543) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 52545) { if (52544 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 52572) { if (52545 <= code && code <= 52571) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (52572 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 52601) { if (code < 52600) { if (52573 <= code && code <= 52599) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (52600 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 52628) { if (52601 <= code && code <= 52627) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 52629) { if (52628 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (52629 <= code && code <= 52655) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 52713) { if (code < 52684) { if (code < 52657) { if (52656 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (52657 <= code && code <= 52683) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 52685) { if (52684 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 52712) { if (52685 <= code && code <= 52711) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (52712 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 52768) { if (code < 52740) { if (52713 <= code && code <= 52739) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 52741) { if (52740 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (52741 <= code && code <= 52767) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 52769) { if (52768 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 52796) { if (52769 <= code && code <= 52795) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (52796 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } else { if (code < 52964) { if (code < 52880) { if (code < 52825) { if (code < 52824) { if (52797 <= code && code <= 52823) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (52824 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 52852) { if (52825 <= code && code <= 52851) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 52853) { if (52852 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (52853 <= code && code <= 52879) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 52909) { if (code < 52881) { if (52880 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 52908) { if (52881 <= code && code <= 52907) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (52908 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 52936) { if (52909 <= code && code <= 52935) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 52937) { if (52936 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (52937 <= code && code <= 52963) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 53021) { if (code < 52992) { if (code < 52965) { if (52964 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (52965 <= code && code <= 52991) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 52993) { if (52992 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 53020) { if (52993 <= code && code <= 53019) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (53020 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 53076) { if (code < 53048) { if (53021 <= code && code <= 53047) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 53049) { if (53048 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (53049 <= code && code <= 53075) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 53077) { if (53076 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 53104) { if (53077 <= code && code <= 53103) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (53104 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } } else { if (code < 53412) { if (code < 53245) { if (code < 53188) { if (code < 53133) { if (code < 53132) { if (53105 <= code && code <= 53131) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (53132 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 53160) { if (53133 <= code && code <= 53159) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 53161) { if (53160 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (53161 <= code && code <= 53187) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 53216) { if (code < 53189) { if (53188 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (53189 <= code && code <= 53215) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 53217) { if (53216 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 53244) { if (53217 <= code && code <= 53243) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (53244 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 53328) { if (code < 53273) { if (code < 53272) { if (53245 <= code && code <= 53271) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (53272 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 53300) { if (53273 <= code && code <= 53299) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 53301) { if (53300 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (53301 <= code && code <= 53327) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 53357) { if (code < 53329) { if (53328 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 53356) { if (53329 <= code && code <= 53355) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (53356 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 53384) { if (53357 <= code && code <= 53383) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 53385) { if (53384 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (53385 <= code && code <= 53411) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } else { if (code < 53553) { if (code < 53469) { if (code < 53440) { if (code < 53413) { if (53412 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (53413 <= code && code <= 53439) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 53441) { if (53440 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 53468) { if (53441 <= code && code <= 53467) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (53468 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 53524) { if (code < 53496) { if (53469 <= code && code <= 53495) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 53497) { if (53496 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (53497 <= code && code <= 53523) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 53525) { if (53524 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 53552) { if (53525 <= code && code <= 53551) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (53552 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 53636) { if (code < 53581) { if (code < 53580) { if (53553 <= code && code <= 53579) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (53580 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 53608) { if (53581 <= code && code <= 53607) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 53609) { if (53608 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (53609 <= code && code <= 53635) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 53665) { if (code < 53637) { if (53636 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 53664) { if (53637 <= code && code <= 53663) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (53664 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 53692) { if (53665 <= code && code <= 53691) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 53693) { if (53692 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (53693 <= code && code <= 53719) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } } } } } else { if (code < 70459) { if (code < 54897) { if (code < 54308) { if (code < 54001) { if (code < 53860) { if (code < 53777) { if (code < 53748) { if (code < 53721) { if (53720 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (53721 <= code && code <= 53747) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 53749) { if (53748 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 53776) { if (53749 <= code && code <= 53775) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (53776 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 53805) { if (code < 53804) { if (53777 <= code && code <= 53803) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (53804 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 53832) { if (53805 <= code && code <= 53831) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 53833) { if (53832 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (53833 <= code && code <= 53859) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 53917) { if (code < 53888) { if (code < 53861) { if (53860 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (53861 <= code && code <= 53887) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 53889) { if (53888 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 53916) { if (53889 <= code && code <= 53915) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (53916 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 53972) { if (code < 53944) { if (53917 <= code && code <= 53943) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 53945) { if (53944 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (53945 <= code && code <= 53971) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 53973) { if (53972 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 54e3) { if (53973 <= code && code <= 53999) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (54e3 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } else { if (code < 54141) { if (code < 54084) { if (code < 54029) { if (code < 54028) { if (54001 <= code && code <= 54027) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (54028 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 54056) { if (54029 <= code && code <= 54055) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 54057) { if (54056 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (54057 <= code && code <= 54083) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 54112) { if (code < 54085) { if (54084 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (54085 <= code && code <= 54111) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 54113) { if (54112 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 54140) { if (54113 <= code && code <= 54139) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (54140 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 54224) { if (code < 54169) { if (code < 54168) { if (54141 <= code && code <= 54167) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (54168 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 54196) { if (54169 <= code && code <= 54195) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 54197) { if (54196 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (54197 <= code && code <= 54223) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 54253) { if (code < 54225) { if (54224 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 54252) { if (54225 <= code && code <= 54251) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (54252 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 54280) { if (54253 <= code && code <= 54279) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 54281) { if (54280 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (54281 <= code && code <= 54307) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } } else { if (code < 54589) { if (code < 54448) { if (code < 54365) { if (code < 54336) { if (code < 54309) { if (54308 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (54309 <= code && code <= 54335) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 54337) { if (54336 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 54364) { if (54337 <= code && code <= 54363) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (54364 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 54393) { if (code < 54392) { if (54365 <= code && code <= 54391) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (54392 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 54420) { if (54393 <= code && code <= 54419) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 54421) { if (54420 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (54421 <= code && code <= 54447) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 54505) { if (code < 54476) { if (code < 54449) { if (54448 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (54449 <= code && code <= 54475) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 54477) { if (54476 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 54504) { if (54477 <= code && code <= 54503) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (54504 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 54560) { if (code < 54532) { if (54505 <= code && code <= 54531) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 54533) { if (54532 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (54533 <= code && code <= 54559) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 54561) { if (54560 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 54588) { if (54561 <= code && code <= 54587) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (54588 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } else { if (code < 54756) { if (code < 54672) { if (code < 54617) { if (code < 54616) { if (54589 <= code && code <= 54615) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (54616 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 54644) { if (54617 <= code && code <= 54643) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 54645) { if (54644 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (54645 <= code && code <= 54671) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 54701) { if (code < 54673) { if (54672 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 54700) { if (54673 <= code && code <= 54699) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (54700 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 54728) { if (54701 <= code && code <= 54727) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 54729) { if (54728 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (54729 <= code && code <= 54755) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } else { if (code < 54813) { if (code < 54784) { if (code < 54757) { if (54756 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (54757 <= code && code <= 54783) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 54785) { if (54784 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 54812) { if (54785 <= code && code <= 54811) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (54812 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } else { if (code < 54868) { if (code < 54840) { if (54813 <= code && code <= 54839) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 54841) { if (54840 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (54841 <= code && code <= 54867) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } else { if (code < 54869) { if (54868 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 54896) { if (54869 <= code && code <= 54895) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (54896 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } } } } else { if (code < 69632) { if (code < 55216) { if (code < 55037) { if (code < 54980) { if (code < 54925) { if (code < 54924) { if (54897 <= code && code <= 54923) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (54924 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 54952) { if (54925 <= code && code <= 54951) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 54953) { if (54952 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (54953 <= code && code <= 54979) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 55008) { if (code < 54981) { if (54980 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (54981 <= code && code <= 55007) { return boundaries_1.CLUSTER_BREAK.LVT; } } } else { if (code < 55009) { if (55008 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 55036) { if (55009 <= code && code <= 55035) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (55036 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } } } else { if (code < 55120) { if (code < 55065) { if (code < 55064) { if (55037 <= code && code <= 55063) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (55064 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } else { if (code < 55092) { if (55065 <= code && code <= 55091) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 55093) { if (55092 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (55093 <= code && code <= 55119) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } else { if (code < 55149) { if (code < 55121) { if (55120 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (code < 55148) { if (55121 <= code && code <= 55147) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (55148 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } } } else { if (code < 55176) { if (55149 <= code && code <= 55175) { return boundaries_1.CLUSTER_BREAK.LVT; } } else { if (code < 55177) { if (55176 === code) { return boundaries_1.CLUSTER_BREAK.LV; } } else { if (55177 <= code && code <= 55203) { return boundaries_1.CLUSTER_BREAK.LVT; } } } } } } } else { if (code < 68097) { if (code < 65279) { if (code < 64286) { if (code < 55243) { if (55216 <= code && code <= 55238) { return boundaries_1.CLUSTER_BREAK.V; } } else { if (55243 <= code && code <= 55291) { return boundaries_1.CLUSTER_BREAK.T; } } } else { if (code < 65024) { if (64286 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 65056) { if (65024 <= code && code <= 65039) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (65056 <= code && code <= 65071) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 66045) { if (code < 65438) { if (65279 === code) { return boundaries_1.CLUSTER_BREAK.CONTROL; } } else { if (code < 65520) { if (65438 <= code && code <= 65439) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (65520 <= code && code <= 65531) { return boundaries_1.CLUSTER_BREAK.CONTROL; } } } } else { if (code < 66272) { if (66045 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 66422) { if (66272 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (66422 <= code && code <= 66426) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 68325) { if (code < 68108) { if (code < 68101) { if (68097 <= code && code <= 68099) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (68101 <= code && code <= 68102) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 68152) { if (68108 <= code && code <= 68111) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 68159) { if (68152 <= code && code <= 68154) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (68159 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 69373) { if (code < 68900) { if (68325 <= code && code <= 68326) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 69291) { if (68900 <= code && code <= 68903) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (69291 <= code && code <= 69292) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 69446) { if (69373 <= code && code <= 69375) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 69506) { if (69446 <= code && code <= 69456) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (69506 <= code && code <= 69509) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } } } else { if (code < 70016) { if (code < 69815) { if (code < 69747) { if (code < 69634) { if (69632 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } if (69633 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 69688) { if (69634 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 69744) { if (69688 <= code && code <= 69702) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (69744 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 69762) { if (code < 69759) { if (69747 <= code && code <= 69748) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (69759 <= code && code <= 69761) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 69808) { if (69762 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 69811) { if (69808 <= code && code <= 69810) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (69811 <= code && code <= 69814) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 69888) { if (code < 69821) { if (code < 69817) { if (69815 <= code && code <= 69816) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (69817 <= code && code <= 69818) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 69826) { if (69821 === code) { return boundaries_1.CLUSTER_BREAK.PREPEND; } } else { if (69826 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (69837 === code) { return boundaries_1.CLUSTER_BREAK.PREPEND; } } } } else { if (code < 69933) { if (code < 69927) { if (69888 <= code && code <= 69890) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 69932) { if (69927 <= code && code <= 69931) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (69932 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } else { if (code < 69957) { if (69933 <= code && code <= 69940) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 70003) { if (69957 <= code && code <= 69958) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (70003 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } } else { if (code < 70194) { if (code < 70082) { if (code < 70067) { if (code < 70018) { if (70016 <= code && code <= 70017) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (70018 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } else { if (code < 70070) { if (70067 <= code && code <= 70069) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 70079) { if (70070 <= code && code <= 70078) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (70079 <= code && code <= 70080) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } else { if (code < 70095) { if (code < 70089) { if (70082 <= code && code <= 70083) { return boundaries_1.CLUSTER_BREAK.PREPEND; } } else { if (code < 70094) { if (70089 <= code && code <= 70092) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (70094 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } else { if (code < 70188) { if (70095 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 70191) { if (70188 <= code && code <= 70190) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (70191 <= code && code <= 70193) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 70209) { if (code < 70197) { if (code < 70196) { if (70194 <= code && code <= 70195) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (70196 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 70198) { if (70197 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 70206) { if (70198 <= code && code <= 70199) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (70206 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 70371) { if (code < 70367) { if (70209 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 70368) { if (70367 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (70368 <= code && code <= 70370) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } else { if (code < 70400) { if (70371 <= code && code <= 70378) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 70402) { if (70400 <= code && code <= 70401) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (70402 <= code && code <= 70403) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } } } } } } else { if (code < 72343) { if (code < 71339) { if (code < 70841) { if (code < 70512) { if (code < 70471) { if (code < 70463) { if (code < 70462) { if (70459 <= code && code <= 70460) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (70462 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 70464) { if (70463 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 70465) { if (70464 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (70465 <= code && code <= 70468) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } else { if (code < 70487) { if (code < 70475) { if (70471 <= code && code <= 70472) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (70475 <= code && code <= 70477) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } else { if (code < 70498) { if (70487 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 70502) { if (70498 <= code && code <= 70499) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (70502 <= code && code <= 70508) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 70725) { if (code < 70712) { if (code < 70709) { if (70512 <= code && code <= 70516) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (70709 <= code && code <= 70711) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } else { if (code < 70720) { if (70712 <= code && code <= 70719) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 70722) { if (70720 <= code && code <= 70721) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (70722 <= code && code <= 70724) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 70832) { if (code < 70726) { if (70725 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (70726 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (70750 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 70833) { if (70832 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 70835) { if (70833 <= code && code <= 70834) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (70835 <= code && code <= 70840) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } } else { if (code < 71096) { if (code < 70847) { if (code < 70843) { if (70841 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } if (70842 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 70845) { if (70843 <= code && code <= 70844) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (70845 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (70846 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } else { if (code < 71087) { if (code < 70849) { if (70847 <= code && code <= 70848) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 70850) { if (70849 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (70850 <= code && code <= 70851) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 71088) { if (71087 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 71090) { if (71088 <= code && code <= 71089) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (71090 <= code && code <= 71093) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 71216) { if (code < 71102) { if (code < 71100) { if (71096 <= code && code <= 71099) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (71100 <= code && code <= 71101) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 71103) { if (71102 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 71132) { if (71103 <= code && code <= 71104) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (71132 <= code && code <= 71133) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 71229) { if (code < 71219) { if (71216 <= code && code <= 71218) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 71227) { if (71219 <= code && code <= 71226) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (71227 <= code && code <= 71228) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } else { if (code < 71230) { if (71229 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 71231) { if (71230 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (71231 <= code && code <= 71232) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } } } else { if (code < 71999) { if (code < 71463) { if (code < 71350) { if (code < 71341) { if (71339 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (71340 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 71342) { if (71341 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 71344) { if (71342 <= code && code <= 71343) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (71344 <= code && code <= 71349) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 71453) { if (71350 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } if (71351 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 71458) { if (71453 <= code && code <= 71455) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 71462) { if (71458 <= code && code <= 71461) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (71462 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } } else { if (code < 71984) { if (code < 71727) { if (code < 71724) { if (71463 <= code && code <= 71467) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (71724 <= code && code <= 71726) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } else { if (code < 71736) { if (71727 <= code && code <= 71735) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 71737) { if (71736 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (71737 <= code && code <= 71738) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 71995) { if (code < 71985) { if (71984 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 71991) { if (71985 <= code && code <= 71989) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (71991 <= code && code <= 71992) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } else { if (code < 71997) { if (71995 <= code && code <= 71996) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (71997 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } if (71998 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 72193) { if (code < 72145) { if (code < 72001) { if (71999 === code) { return boundaries_1.CLUSTER_BREAK.PREPEND; } if (72e3 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 72002) { if (72001 === code) { return boundaries_1.CLUSTER_BREAK.PREPEND; } } else { if (72002 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } if (72003 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 72156) { if (code < 72148) { if (72145 <= code && code <= 72147) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 72154) { if (72148 <= code && code <= 72151) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (72154 <= code && code <= 72155) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 72160) { if (72156 <= code && code <= 72159) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (72160 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (72164 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } else { if (code < 72263) { if (code < 72249) { if (code < 72243) { if (72193 <= code && code <= 72202) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (72243 <= code && code <= 72248) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 72250) { if (72249 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 72251) { if (72250 === code) { return boundaries_1.CLUSTER_BREAK.PREPEND; } } else { if (72251 <= code && code <= 72254) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 72281) { if (code < 72273) { if (72263 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 72279) { if (72273 <= code && code <= 72278) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (72279 <= code && code <= 72280) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } else { if (code < 72324) { if (72281 <= code && code <= 72283) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 72330) { if (72324 <= code && code <= 72329) { return boundaries_1.CLUSTER_BREAK.PREPEND; } } else { if (72330 <= code && code <= 72342) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } } } } else { if (code < 94033) { if (code < 73104) { if (code < 72881) { if (code < 72766) { if (code < 72751) { if (code < 72344) { if (72343 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (72344 <= code && code <= 72345) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 72752) { if (72751 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 72760) { if (72752 <= code && code <= 72758) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (72760 <= code && code <= 72765) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 72850) { if (72766 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } if (72767 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 72873) { if (72850 <= code && code <= 72871) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 72874) { if (72873 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (72874 <= code && code <= 72880) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 73018) { if (code < 72884) { if (code < 72882) { if (72881 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (72882 <= code && code <= 72883) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 72885) { if (72884 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (code < 73009) { if (72885 <= code && code <= 72886) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (73009 <= code && code <= 73014) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 73030) { if (code < 73020) { if (73018 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 73023) { if (73020 <= code && code <= 73021) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (73023 <= code && code <= 73029) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 73031) { if (73030 === code) { return boundaries_1.CLUSTER_BREAK.PREPEND; } } else { if (code < 73098) { if (73031 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (73098 <= code && code <= 73102) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } } } else { if (code < 73526) { if (code < 73459) { if (code < 73109) { if (code < 73107) { if (73104 <= code && code <= 73105) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (73107 <= code && code <= 73108) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } else { if (code < 73110) { if (73109 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (73110 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } if (73111 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 73474) { if (code < 73461) { if (73459 <= code && code <= 73460) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 73472) { if (73461 <= code && code <= 73462) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (73472 <= code && code <= 73473) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 73475) { if (73474 === code) { return boundaries_1.CLUSTER_BREAK.PREPEND; } } else { if (code < 73524) { if (73475 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (73524 <= code && code <= 73525) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } } else { if (code < 78896) { if (code < 73536) { if (code < 73534) { if (73526 <= code && code <= 73530) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (73534 <= code && code <= 73535) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } else { if (code < 73537) { if (73536 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (73537 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } if (73538 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 92912) { if (code < 78912) { if (78896 <= code && code <= 78911) { return boundaries_1.CLUSTER_BREAK.CONTROL; } } else { if (code < 78919) { if (78912 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (78919 <= code && code <= 78933) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 92976) { if (92912 <= code && code <= 92916) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 94031) { if (92976 <= code && code <= 92982) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (94031 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } } } else { if (code < 121476) { if (code < 119143) { if (code < 113824) { if (code < 94180) { if (code < 94095) { if (94033 <= code && code <= 94087) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (94095 <= code && code <= 94098) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 94192) { if (94180 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 113821) { if (94192 <= code && code <= 94193) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } else { if (113821 <= code && code <= 113822) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 118576) { if (code < 118528) { if (113824 <= code && code <= 113827) { return boundaries_1.CLUSTER_BREAK.CONTROL; } } else { if (118528 <= code && code <= 118573) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 119141) { if (118576 <= code && code <= 118598) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (119141 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } if (119142 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } } } else { if (code < 119173) { if (code < 119150) { if (code < 119149) { if (119143 <= code && code <= 119145) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (119149 === code) { return boundaries_1.CLUSTER_BREAK.SPACINGMARK; } } } else { if (code < 119155) { if (119150 <= code && code <= 119154) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 119163) { if (119155 <= code && code <= 119162) { return boundaries_1.CLUSTER_BREAK.CONTROL; } } else { if (119163 <= code && code <= 119170) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 121344) { if (code < 119210) { if (119173 <= code && code <= 119179) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 119362) { if (119210 <= code && code <= 119213) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (119362 <= code && code <= 119364) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 121403) { if (121344 <= code && code <= 121398) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 121461) { if (121403 <= code && code <= 121452) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (121461 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } } else { if (code < 123628) { if (code < 122907) { if (code < 121505) { if (code < 121499) { if (121476 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (121499 <= code && code <= 121503) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 122880) { if (121505 <= code && code <= 121519) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 122888) { if (122880 <= code && code <= 122886) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (122888 <= code && code <= 122904) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } else { if (code < 123023) { if (code < 122915) { if (122907 <= code && code <= 122913) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 122918) { if (122915 <= code && code <= 122916) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (122918 <= code && code <= 122922) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 123184) { if (123023 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 123566) { if (123184 <= code && code <= 123190) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (123566 === code) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } } } else { if (code < 127995) { if (code < 125136) { if (code < 124140) { if (123628 <= code && code <= 123631) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (124140 <= code && code <= 124143) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } else { if (code < 125252) { if (125136 <= code && code <= 125142) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 127462) { if (125252 <= code && code <= 125258) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (127462 <= code && code <= 127487) { return boundaries_1.CLUSTER_BREAK.REGIONAL_INDICATOR; } } } } } else { if (code < 917632) { if (code < 917504) { if (127995 <= code && code <= 127999) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (code < 917536) { if (917504 <= code && code <= 917535) { return boundaries_1.CLUSTER_BREAK.CONTROL; } } else { if (917536 <= code && code <= 917631) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } } } else { if (code < 917760) { if (917632 <= code && code <= 917759) { return boundaries_1.CLUSTER_BREAK.CONTROL; } } else { if (code < 918e3) { if (917760 <= code && code <= 917999) { return boundaries_1.CLUSTER_BREAK.EXTEND; } } else { if (918e3 <= code && code <= 921599) { return boundaries_1.CLUSTER_BREAK.CONTROL; } } } } } } } } } } } } return boundaries_1.CLUSTER_BREAK.OTHER; } /** * Given a Unicode code point, returns if symbol is an extended pictographic or some other break * @param code {number} Unicode code point * @returns {number} */ static getEmojiProperty(code) { if (code < 10160) { if (code < 9728) { if (code < 9e3) { if (code < 8482) { if (code < 8252) { if (169 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } if (174 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (8252 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } if (8265 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } else { if (code < 8596) { if (8482 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } if (8505 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (code < 8617) { if (8596 <= code && code <= 8601) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (code < 8986) { if (8617 <= code && code <= 8618) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (8986 <= code && code <= 8987) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } } } } else { if (code < 9410) { if (code < 9167) { if (9e3 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } if (9096 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (code < 9193) { if (9167 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (code < 9208) { if (9193 <= code && code <= 9203) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (9208 <= code && code <= 9210) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } } } else { if (code < 9654) { if (code < 9642) { if (9410 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (9642 <= code && code <= 9643) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } else { if (code < 9664) { if (9654 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (code < 9723) { if (9664 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (9723 <= code && code <= 9726) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } } } } } else { if (code < 10035) { if (code < 10004) { if (code < 9748) { if (code < 9735) { if (9728 <= code && code <= 9733) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (9735 <= code && code <= 9746) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } else { if (code < 9872) { if (9748 <= code && code <= 9861) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (code < 9992) { if (9872 <= code && code <= 9989) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (9992 <= code && code <= 10002) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } } } else { if (code < 10013) { if (10004 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } if (10006 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (code < 10017) { if (10013 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (10017 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } if (10024 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } } } else { if (code < 10067) { if (code < 10055) { if (code < 10052) { if (10035 <= code && code <= 10036) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (10052 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } else { if (code < 10060) { if (10055 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (10060 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } if (10062 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } } else { if (code < 10083) { if (code < 10071) { if (10067 <= code && code <= 10069) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (10071 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } else { if (code < 10133) { if (10083 <= code && code <= 10087) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (code < 10145) { if (10133 <= code && code <= 10135) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (10145 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } } } } } } else { if (code < 127489) { if (code < 12951) { if (code < 11035) { if (code < 10548) { if (10160 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } if (10175 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (code < 11013) { if (10548 <= code && code <= 10549) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (11013 <= code && code <= 11015) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } } else { if (code < 11093) { if (code < 11088) { if (11035 <= code && code <= 11036) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (11088 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } else { if (code < 12336) { if (11093 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (12336 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } if (12349 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } } } else { if (code < 127340) { if (code < 126976) { if (12951 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } if (12953 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (code < 127245) { if (126976 <= code && code <= 127231) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (code < 127279) { if (127245 <= code && code <= 127247) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (127279 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } } } else { if (code < 127374) { if (code < 127358) { if (127340 <= code && code <= 127345) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (127358 <= code && code <= 127359) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } else { if (code < 127377) { if (127374 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (code < 127405) { if (127377 <= code && code <= 127386) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (127405 <= code && code <= 127461) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } } } } } else { if (code < 128981) { if (code < 127561) { if (code < 127535) { if (code < 127514) { if (127489 <= code && code <= 127503) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (127514 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } else { if (code < 127538) { if (127535 === code) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (code < 127548) { if (127538 <= code && code <= 127546) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (127548 <= code && code <= 127551) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } } } else { if (code < 128326) { if (code < 128e3) { if (127561 <= code && code <= 127994) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (128e3 <= code && code <= 128317) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } else { if (code < 128640) { if (128326 <= code && code <= 128591) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (code < 128884) { if (128640 <= code && code <= 128767) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (128884 <= code && code <= 128895) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } } } } else { if (code < 129198) { if (code < 129096) { if (code < 129036) { if (128981 <= code && code <= 129023) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (129036 <= code && code <= 129039) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } else { if (code < 129114) { if (129096 <= code && code <= 129103) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (code < 129160) { if (129114 <= code && code <= 129119) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (129160 <= code && code <= 129167) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } } } else { if (code < 129340) { if (code < 129292) { if (129198 <= code && code <= 129279) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (129292 <= code && code <= 129338) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } else { if (code < 129351) { if (129340 <= code && code <= 129349) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (code < 130048) { if (129351 <= code && code <= 129791) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } else { if (130048 <= code && code <= 131069) { return boundaries_1.EXTENDED_PICTOGRAPHIC; } } } } } } } } return boundaries_1.CLUSTER_BREAK.OTHER; } }; exports2.default = Graphemer; } }); // node_modules/.pnpm/graphemer@1.4.0/node_modules/graphemer/lib/index.js var require_lib4 = __commonJS({ "node_modules/.pnpm/graphemer@1.4.0/node_modules/graphemer/lib/index.js"(exports2) { "use strict"; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); var Graphemer_1 = __importDefault2(require_Graphemer()); exports2.default = Graphemer_1.default; } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getStringLength.js var require_getStringLength = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getStringLength.js"(exports2) { "use strict"; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getStringLength = getStringLength; var graphemer_1 = __importDefault2(require_lib4()); var splitter; function isASCII(value) { return /^[\u0020-\u007f]*$/u.test(value); } function getStringLength(value) { if (isASCII(value)) { return value.length; } splitter ??= new graphemer_1.default(); return splitter.countGraphemes(value); } } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getTextWithParentheses.js var require_getTextWithParentheses = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getTextWithParentheses.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getTextWithParentheses = getTextWithParentheses; var _1 = require_util4(); function getTextWithParentheses(sourceCode, node) { let beforeCount = 0; let afterCount = 0; if ((0, _1.isParenthesized)(node, sourceCode)) { const bodyOpeningParen = (0, _1.nullThrows)(sourceCode.getTokenBefore(node, _1.isOpeningParenToken), _1.NullThrowsReasons.MissingToken("(", "node")); const bodyClosingParen = (0, _1.nullThrows)(sourceCode.getTokenAfter(node, _1.isClosingParenToken), _1.NullThrowsReasons.MissingToken(")", "node")); beforeCount = node.range[0] - bodyOpeningParen.range[0]; afterCount = bodyClosingParen.range[1] - node.range[1]; } return sourceCode.getText(node, beforeCount, afterCount); } } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getThisExpression.js var require_getThisExpression = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getThisExpression.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getThisExpression = getThisExpression; var utils_1 = require_dist4(); function getThisExpression(node) { while (true) { if (node.type === utils_1.AST_NODE_TYPES.CallExpression) { node = node.callee; } else if (node.type === utils_1.AST_NODE_TYPES.ThisExpression) { return node; } else if (node.type === utils_1.AST_NODE_TYPES.MemberExpression) { node = node.object; } else if (node.type === utils_1.AST_NODE_TYPES.ChainExpression) { node = node.expression; } else { break; } } return; } } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getWrappingFixer.js var require_getWrappingFixer = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getWrappingFixer.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getWrappingFixer = getWrappingFixer; exports2.isStrongPrecedenceNode = isStrongPrecedenceNode; var utils_1 = require_dist4(); function getWrappingFixer(params) { const { sourceCode, node, innerNode = node, wrap } = params; const innerNodes = Array.isArray(innerNode) ? innerNode : [innerNode]; return (fixer) => { const innerCodes = innerNodes.map((innerNode2) => { let code2 = sourceCode.getText(innerNode2); if (!isStrongPrecedenceNode(innerNode2) || isObjectExpressionInOneLineReturn(node, innerNode2)) { code2 = `(${code2})`; } return code2; }); let code = wrap(...innerCodes); if (isWeakPrecedenceParent(node)) { if (!utils_1.ASTUtils.isParenthesized(node, sourceCode)) { code = `(${code})`; } } if (/^[`([]/.exec(code) && isMissingSemicolonBefore(node, sourceCode)) { code = `;${code}`; } return fixer.replaceText(node, code); }; } function isStrongPrecedenceNode(innerNode) { return innerNode.type === utils_1.AST_NODE_TYPES.Literal || innerNode.type === utils_1.AST_NODE_TYPES.Identifier || innerNode.type === utils_1.AST_NODE_TYPES.TSTypeReference || innerNode.type === utils_1.AST_NODE_TYPES.TSTypeOperator || innerNode.type === utils_1.AST_NODE_TYPES.ArrayExpression || innerNode.type === utils_1.AST_NODE_TYPES.ObjectExpression || innerNode.type === utils_1.AST_NODE_TYPES.MemberExpression || innerNode.type === utils_1.AST_NODE_TYPES.CallExpression || innerNode.type === utils_1.AST_NODE_TYPES.NewExpression || innerNode.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression || innerNode.type === utils_1.AST_NODE_TYPES.TSInstantiationExpression; } function isWeakPrecedenceParent(node) { const parent = node.parent; if (parent.type === utils_1.AST_NODE_TYPES.UpdateExpression || parent.type === utils_1.AST_NODE_TYPES.UnaryExpression || parent.type === utils_1.AST_NODE_TYPES.BinaryExpression || parent.type === utils_1.AST_NODE_TYPES.LogicalExpression || parent.type === utils_1.AST_NODE_TYPES.ConditionalExpression || parent.type === utils_1.AST_NODE_TYPES.AwaitExpression) { return true; } if (parent.type === utils_1.AST_NODE_TYPES.MemberExpression && parent.object === node) { return true; } if ((parent.type === utils_1.AST_NODE_TYPES.CallExpression || parent.type === utils_1.AST_NODE_TYPES.NewExpression) && parent.callee === node) { return true; } if (parent.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression && parent.tag === node) { return true; } return false; } function isMissingSemicolonBefore(node, sourceCode) { for (; ; ) { const parent = node.parent; if (parent.type === utils_1.AST_NODE_TYPES.ExpressionStatement) { const block = parent.parent; if (block.type === utils_1.AST_NODE_TYPES.Program || block.type === utils_1.AST_NODE_TYPES.BlockStatement) { const statementIndex = block.body.indexOf(parent); const previousStatement = block.body[statementIndex - 1]; if (statementIndex > 0 && utils_1.ESLintUtils.nullThrows(sourceCode.getLastToken(previousStatement), "Mismatched semicolon and block").value !== ";") { return true; } } } if (!isLeftHandSide2(node)) { return false; } node = parent; } } function isLeftHandSide2(node) { const parent = node.parent; if (parent.type === utils_1.AST_NODE_TYPES.UpdateExpression) { return true; } if ((parent.type === utils_1.AST_NODE_TYPES.BinaryExpression || parent.type === utils_1.AST_NODE_TYPES.LogicalExpression || parent.type === utils_1.AST_NODE_TYPES.AssignmentExpression) && node === parent.left) { return true; } if (parent.type === utils_1.AST_NODE_TYPES.ConditionalExpression && node === parent.test) { return true; } if (parent.type === utils_1.AST_NODE_TYPES.CallExpression && node === parent.callee) { return true; } if (parent.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression && node === parent.tag) { return true; } return false; } function isObjectExpressionInOneLineReturn(node, innerNode) { return node.parent?.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression && node.parent.body === node && innerNode.type === utils_1.AST_NODE_TYPES.ObjectExpression; } } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/isNodeEqual.js var require_isNodeEqual = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/isNodeEqual.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.isNodeEqual = isNodeEqual; var utils_1 = require_dist4(); function isNodeEqual(a, b) { if (a.type !== b.type) { return false; } if (a.type === utils_1.AST_NODE_TYPES.ThisExpression && b.type === utils_1.AST_NODE_TYPES.ThisExpression) { return true; } if (a.type === utils_1.AST_NODE_TYPES.Literal && b.type === utils_1.AST_NODE_TYPES.Literal) { return a.value === b.value; } if (a.type === utils_1.AST_NODE_TYPES.Identifier && b.type === utils_1.AST_NODE_TYPES.Identifier) { return a.name === b.name; } if (a.type === utils_1.AST_NODE_TYPES.MemberExpression && b.type === utils_1.AST_NODE_TYPES.MemberExpression) { return isNodeEqual(a.property, b.property) && isNodeEqual(a.object, b.object); } return false; } } }); // node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/isUndefinedIdentifier.js var require_isUndefinedIdentifier = __commonJS({ "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/isUndefinedIdentifier.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.isUndefinedIdentifier = isUndefinedIdentifier; var utils_1 = require_dist4(); function isUndefinedIdentifier(i) { return i.type === utils_1.AST_NODE_TYPES.Identifier && i.name === "undefined"; } } }); // node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/isSymbolFromDefaultLibrary.js var require_isSymbolFromDefaultLibrary = __commonJS({ "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/isSymbolFromDefaultLibrary.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.isSymbolFromDefaultLibrary = isSymbolFromDefaultLibrary; function isSymbolFromDefaultLibrary(program, symbol) { if (!symbol) { return false; } const declarations = symbol.getDeclarations() ?? []; for (const declaration of declarations) { const sourceFile = declaration.getSourceFile(); if (program.isSourceFileDefaultLibrary(sourceFile)) { return true; } } return false; } } }); // node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/builtinSymbolLikes.js var require_builtinSymbolLikes = __commonJS({ "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/builtinSymbolLikes.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.isPromiseLike = isPromiseLike; exports2.isPromiseConstructorLike = isPromiseConstructorLike; exports2.isErrorLike = isErrorLike; exports2.isReadonlyErrorLike = isReadonlyErrorLike; exports2.isReadonlyTypeLike = isReadonlyTypeLike; exports2.isBuiltinTypeAliasLike = isBuiltinTypeAliasLike; exports2.isBuiltinSymbolLike = isBuiltinSymbolLike; exports2.isBuiltinSymbolLikeRecurser = isBuiltinSymbolLikeRecurser; var ts = __importStar2(require_typescript()); var isSymbolFromDefaultLibrary_1 = require_isSymbolFromDefaultLibrary(); function isPromiseLike(program, type) { return isBuiltinSymbolLike(program, type, "Promise"); } function isPromiseConstructorLike(program, type) { return isBuiltinSymbolLike(program, type, "PromiseConstructor"); } function isErrorLike(program, type) { return isBuiltinSymbolLike(program, type, "Error"); } function isReadonlyErrorLike(program, type) { return isReadonlyTypeLike(program, type, (subtype) => { const [typeArgument] = subtype.aliasTypeArguments; return isErrorLike(program, typeArgument) || isReadonlyErrorLike(program, typeArgument); }); } function isReadonlyTypeLike(program, type, predicate) { return isBuiltinTypeAliasLike(program, type, (subtype) => { return subtype.aliasSymbol.getName() === "Readonly" && !!predicate?.(subtype); }); } function isBuiltinTypeAliasLike(program, type, predicate) { return isBuiltinSymbolLikeRecurser(program, type, (subtype) => { const { aliasSymbol, aliasTypeArguments } = subtype; if (!aliasSymbol || !aliasTypeArguments) { return false; } if ((0, isSymbolFromDefaultLibrary_1.isSymbolFromDefaultLibrary)(program, aliasSymbol) && predicate(subtype)) { return true; } return null; }); } function isBuiltinSymbolLike(program, type, symbolName) { return isBuiltinSymbolLikeRecurser(program, type, (subType) => { const symbol = subType.getSymbol(); if (!symbol) { return false; } if (symbol.getName() === symbolName && (0, isSymbolFromDefaultLibrary_1.isSymbolFromDefaultLibrary)(program, symbol)) { return true; } return null; }); } function isBuiltinSymbolLikeRecurser(program, type, predicate) { if (type.isIntersection()) { return type.types.some((t) => isBuiltinSymbolLikeRecurser(program, t, predicate)); } if (type.isUnion()) { return type.types.every((t) => isBuiltinSymbolLikeRecurser(program, t, predicate)); } const predicateResult = predicate(type); if (typeof predicateResult === "boolean") { return predicateResult; } const symbol = type.getSymbol(); if (symbol && symbol.flags & (ts.SymbolFlags.Class | ts.SymbolFlags.Interface)) { const checker = program.getTypeChecker(); for (const baseType of checker.getBaseTypes(type)) { if (isBuiltinSymbolLikeRecurser(program, baseType, predicate)) { return true; } } } return false; } } }); // node_modules/.pnpm/ts-api-utils@1.3.0_typescript@5.5.3/node_modules/ts-api-utils/lib/index.cjs var require_lib5 = __commonJS({ "node_modules/.pnpm/ts-api-utils@1.3.0_typescript@5.5.3/node_modules/ts-api-utils/lib/index.cjs"(exports2, module2) { "use strict"; var __create2 = Object.create; var __defProp2 = Object.defineProperty; var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor; var __getOwnPropNames2 = Object.getOwnPropertyNames; var __getProtoOf2 = Object.getPrototypeOf; var __hasOwnProp2 = Object.prototype.hasOwnProperty; var __export2 = (target, all) => { for (var name in all) __defProp2(target, name, { get: all[name], enumerable: true }); }; var __copyProps2 = (to, from, except, desc) => { if (from && typeof from === "object" || typeof from === "function") { for (let key of __getOwnPropNames2(from)) if (!__hasOwnProp2.call(to, key) && key !== except) __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable }); } return to; }; var __toESM2 = (mod, isNodeMode, target) => (target = mod != null ? __create2(__getProtoOf2(mod)) : {}, __copyProps2( // If the importer is in node compatibility mode or this is not an ESM // file that has been converted to a CommonJS file using a Babel- // compatible transform (i.e. "__esModule" has not been set), then set // "default" to the CommonJS "module.exports" for node compatibility. isNodeMode || !mod || !mod.__esModule ? __defProp2(target, "default", { value: mod, enumerable: true }) : target, mod )); var __toCommonJS2 = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod); var __accessCheck = (obj, member, msg) => { if (!member.has(obj)) throw TypeError("Cannot " + msg); }; var __privateGet = (obj, member, getter) => { __accessCheck(obj, member, "read from private field"); return getter ? getter.call(obj) : member.get(obj); }; var __privateAdd = (obj, member, value) => { if (member.has(obj)) throw TypeError("Cannot add the same private member more than once"); member instanceof WeakSet ? member.add(obj) : member.set(obj, value); }; var __privateSet = (obj, member, value, setter) => { __accessCheck(obj, member, "write to private field"); setter ? setter.call(obj, value) : member.set(obj, value); return value; }; var __privateMethod = (obj, member, method) => { __accessCheck(obj, member, "access private method"); return method; }; var src_exports2 = {}; __export2(src_exports2, { AccessKind: () => AccessKind, DeclarationDomain: () => DeclarationDomain, UsageDomain: () => UsageDomain, collectVariableUsage: () => collectVariableUsage, forEachComment: () => forEachComment, forEachToken: () => forEachToken, getAccessKind: () => getAccessKind, getCallSignaturesOfType: () => getCallSignaturesOfType, getPropertyOfType: () => getPropertyOfType, getWellKnownSymbolPropertyOfType: () => getWellKnownSymbolPropertyOfType, hasDecorators: () => hasDecorators, hasExpressionInitializer: () => hasExpressionInitializer, hasInitializer: () => hasInitializer, hasJSDoc: () => hasJSDoc, hasModifiers: () => hasModifiers, hasType: () => hasType, hasTypeArguments: () => hasTypeArguments, includesModifier: () => includesModifier, intersectionTypeParts: () => intersectionTypeParts, isAbstractKeyword: () => isAbstractKeyword, isAccessExpression: () => isAccessExpression, isAccessibilityModifier: () => isAccessibilityModifier, isAccessorDeclaration: () => isAccessorDeclaration, isAccessorKeyword: () => isAccessorKeyword, isAnyKeyword: () => isAnyKeyword, isArrayBindingElement: () => isArrayBindingElement, isArrayBindingOrAssignmentPattern: () => isArrayBindingOrAssignmentPattern, isAssertKeyword: () => isAssertKeyword, isAssertsKeyword: () => isAssertsKeyword, isAssignmentKind: () => isAssignmentKind, isAssignmentPattern: () => isAssignmentPattern, isAsyncKeyword: () => isAsyncKeyword, isAwaitKeyword: () => isAwaitKeyword, isBigIntKeyword: () => isBigIntKeyword, isBigIntLiteralType: () => isBigIntLiteralType, isBindingOrAssignmentElementRestIndicator: () => isBindingOrAssignmentElementRestIndicator, isBindingOrAssignmentElementTarget: () => isBindingOrAssignmentElementTarget, isBindingOrAssignmentPattern: () => isBindingOrAssignmentPattern, isBindingPattern: () => isBindingPattern, isBlockLike: () => isBlockLike, isBooleanKeyword: () => isBooleanKeyword, isBooleanLiteral: () => isBooleanLiteral, isBooleanLiteralType: () => isBooleanLiteralType, isClassLikeDeclaration: () => isClassLikeDeclaration, isClassMemberModifier: () => isClassMemberModifier, isColonToken: () => isColonToken2, isCompilerOptionEnabled: () => isCompilerOptionEnabled, isConditionalType: () => isConditionalType, isConstAssertionExpression: () => isConstAssertionExpression, isConstKeyword: () => isConstKeyword, isDeclarationName: () => isDeclarationName, isDeclarationWithTypeParameterChildren: () => isDeclarationWithTypeParameterChildren, isDeclarationWithTypeParameters: () => isDeclarationWithTypeParameters, isDeclareKeyword: () => isDeclareKeyword, isDefaultKeyword: () => isDefaultKeyword, isDestructuringPattern: () => isDestructuringPattern, isDotToken: () => isDotToken, isEndOfFileToken: () => isEndOfFileToken, isEntityNameExpression: () => isEntityNameExpression, isEntityNameOrEntityNameExpression: () => isEntityNameOrEntityNameExpression, isEnumType: () => isEnumType, isEqualsGreaterThanToken: () => isEqualsGreaterThanToken, isEqualsToken: () => isEqualsToken, isEvolvingArrayType: () => isEvolvingArrayType, isExclamationToken: () => isExclamationToken, isExportKeyword: () => isExportKeyword, isFalseKeyword: () => isFalseKeyword, isFalseLiteral: () => isFalseLiteral, isFalseLiteralType: () => isFalseLiteralType, isFalsyType: () => isFalsyType, isForInOrOfStatement: () => isForInOrOfStatement, isFreshableIntrinsicType: () => isFreshableIntrinsicType, isFreshableType: () => isFreshableType, isFunctionLikeDeclaration: () => isFunctionLikeDeclaration, isFunctionScopeBoundary: () => isFunctionScopeBoundary, isImportExpression: () => isImportExpression, isImportKeyword: () => isImportKeyword, isInKeyword: () => isInKeyword, isIndexType: () => isIndexType, isIndexedAccessType: () => isIndexedAccessType, isInputFiles: () => isInputFiles, isInstantiableType: () => isInstantiableType, isIntersectionType: () => isIntersectionType, isIntrinsicAnyType: () => isIntrinsicAnyType, isIntrinsicBigIntType: () => isIntrinsicBigIntType, isIntrinsicBooleanType: () => isIntrinsicBooleanType, isIntrinsicESSymbolType: () => isIntrinsicESSymbolType, isIntrinsicErrorType: () => isIntrinsicErrorType, isIntrinsicNeverType: () => isIntrinsicNeverType, isIntrinsicNonPrimitiveType: () => isIntrinsicNonPrimitiveType, isIntrinsicNullType: () => isIntrinsicNullType, isIntrinsicNumberType: () => isIntrinsicNumberType, isIntrinsicStringType: () => isIntrinsicStringType, isIntrinsicType: () => isIntrinsicType, isIntrinsicUndefinedType: () => isIntrinsicUndefinedType, isIntrinsicUnknownType: () => isIntrinsicUnknownType, isIntrinsicVoidType: () => isIntrinsicVoidType, isIterationStatement: () => isIterationStatement, isJSDocComment: () => isJSDocComment, isJSDocNamespaceBody: () => isJSDocNamespaceBody, isJSDocNamespaceDeclaration: () => isJSDocNamespaceDeclaration, isJSDocText: () => isJSDocText, isJSDocTypeReferencingNode: () => isJSDocTypeReferencingNode, isJsonMinusNumericLiteral: () => isJsonMinusNumericLiteral, isJsonObjectExpression: () => isJsonObjectExpression, isJsxAttributeLike: () => isJsxAttributeLike, isJsxAttributeValue: () => isJsxAttributeValue, isJsxChild: () => isJsxChild, isJsxTagNameExpression: () => isJsxTagNameExpression, isJsxTagNamePropertyAccess: () => isJsxTagNamePropertyAccess, isLiteralToken: () => isLiteralToken, isLiteralType: () => isLiteralType, isModifierFlagSet: () => isModifierFlagSet, isModuleBody: () => isModuleBody, isModuleName: () => isModuleName, isModuleReference: () => isModuleReference, isNamedDeclarationWithName: () => isNamedDeclarationWithName, isNamedImportBindings: () => isNamedImportBindings, isNamedImportsOrExports: () => isNamedImportsOrExports, isNamespaceBody: () => isNamespaceBody, isNamespaceDeclaration: () => isNamespaceDeclaration, isNeverKeyword: () => isNeverKeyword, isNodeFlagSet: () => isNodeFlagSet, isNullKeyword: () => isNullKeyword, isNullLiteral: () => isNullLiteral2, isNumberKeyword: () => isNumberKeyword, isNumberLiteralType: () => isNumberLiteralType, isNumericOrStringLikeLiteral: () => isNumericOrStringLikeLiteral, isNumericPropertyName: () => isNumericPropertyName, isObjectBindingOrAssignmentElement: () => isObjectBindingOrAssignmentElement, isObjectBindingOrAssignmentPattern: () => isObjectBindingOrAssignmentPattern, isObjectFlagSet: () => isObjectFlagSet, isObjectKeyword: () => isObjectKeyword, isObjectType: () => isObjectType, isObjectTypeDeclaration: () => isObjectTypeDeclaration, isOutKeyword: () => isOutKeyword, isOverrideKeyword: () => isOverrideKeyword, isParameterPropertyModifier: () => isParameterPropertyModifier, isPrivateKeyword: () => isPrivateKeyword, isPropertyAccessEntityNameExpression: () => isPropertyAccessEntityNameExpression, isPropertyNameLiteral: () => isPropertyNameLiteral, isPropertyReadonlyInType: () => isPropertyReadonlyInType, isProtectedKeyword: () => isProtectedKeyword, isPseudoLiteralToken: () => isPseudoLiteralToken, isPublicKeyword: () => isPublicKeyword, isQuestionDotToken: () => isQuestionDotToken, isQuestionToken: () => isQuestionToken, isReadonlyKeyword: () => isReadonlyKeyword, isSignatureDeclaration: () => isSignatureDeclaration, isStaticKeyword: () => isStaticKeyword, isStrictCompilerOptionEnabled: () => isStrictCompilerOptionEnabled, isStringKeyword: () => isStringKeyword, isStringLiteralType: () => isStringLiteralType, isStringMappingType: () => isStringMappingType, isSubstitutionType: () => isSubstitutionType, isSuperElementAccessExpression: () => isSuperElementAccessExpression, isSuperExpression: () => isSuperExpression2, isSuperKeyword: () => isSuperKeyword, isSuperProperty: () => isSuperProperty, isSuperPropertyAccessExpression: () => isSuperPropertyAccessExpression, isSymbolFlagSet: () => isSymbolFlagSet, isSymbolKeyword: () => isSymbolKeyword, isSyntaxList: () => isSyntaxList, isTemplateLiteralType: () => isTemplateLiteralType, isThenableType: () => isThenableType, isThisExpression: () => isThisExpression, isThisKeyword: () => isThisKeyword, isTrueKeyword: () => isTrueKeyword, isTrueLiteral: () => isTrueLiteral, isTrueLiteralType: () => isTrueLiteralType, isTupleType: () => isTupleType, isTupleTypeReference: () => isTupleTypeReference, isTypeFlagSet: () => isTypeFlagSet, isTypeOnlyCompatibleAliasDeclaration: () => isTypeOnlyCompatibleAliasDeclaration, isTypeParameter: () => isTypeParameter, isTypeReference: () => isTypeReference, isTypeReferenceType: () => isTypeReferenceType, isTypeVariable: () => isTypeVariable, isUndefinedKeyword: () => isUndefinedKeyword, isUnionOrIntersectionType: () => isUnionOrIntersectionType, isUnionOrIntersectionTypeNode: () => isUnionOrIntersectionTypeNode, isUnionType: () => isUnionType, isUniqueESSymbolType: () => isUniqueESSymbolType, isUnknownKeyword: () => isUnknownKeyword, isUnknownLiteralType: () => isUnknownLiteralType, isUnparsedPrologue: () => isUnparsedPrologue, isUnparsedSourceText: () => isUnparsedSourceText, isUnparsedSyntheticReference: () => isUnparsedSyntheticReference, isValidPropertyAccess: () => isValidPropertyAccess, isVariableLikeDeclaration: () => isVariableLikeDeclaration, isVoidKeyword: () => isVoidKeyword, symbolHasReadonlyDeclaration: () => symbolHasReadonlyDeclaration, typeParts: () => typeParts, unionTypeParts: () => unionTypeParts }); module2.exports = __toCommonJS2(src_exports2); var import_typescript2 = __toESM2(require_typescript(), 1); var import_typescript3 = __toESM2(require_typescript(), 1); function forEachToken(node, callback, sourceFile = node.getSourceFile()) { const queue = []; while (true) { if (import_typescript3.default.isTokenKind(node.kind)) { callback(node); } else if ( // eslint-disable-next-line deprecation/deprecation -- need for support of TS < 4.7 node.kind !== import_typescript3.default.SyntaxKind.JSDocComment ) { const children = node.getChildren(sourceFile); if (children.length === 1) { node = children[0]; continue; } for (let i = children.length - 1; i >= 0; --i) { queue.push(children[i]); } } if (queue.length === 0) { break; } node = queue.pop(); } } function canHaveTrailingTrivia(token) { switch (token.kind) { case import_typescript2.default.SyntaxKind.CloseBraceToken: return token.parent.kind !== import_typescript2.default.SyntaxKind.JsxExpression || !isJsxElementOrFragment(token.parent.parent); case import_typescript2.default.SyntaxKind.GreaterThanToken: switch (token.parent.kind) { case import_typescript2.default.SyntaxKind.JsxOpeningElement: return token.end !== token.parent.end; case import_typescript2.default.SyntaxKind.JsxOpeningFragment: return false; case import_typescript2.default.SyntaxKind.JsxSelfClosingElement: return token.end !== token.parent.end || // if end is not equal, this is part of the type arguments list !isJsxElementOrFragment(token.parent.parent); case import_typescript2.default.SyntaxKind.JsxClosingElement: case import_typescript2.default.SyntaxKind.JsxClosingFragment: return !isJsxElementOrFragment(token.parent.parent.parent); } } return true; } function isJsxElementOrFragment(node) { return node.kind === import_typescript2.default.SyntaxKind.JsxElement || node.kind === import_typescript2.default.SyntaxKind.JsxFragment; } function forEachComment(node, callback, sourceFile = node.getSourceFile()) { const fullText = sourceFile.text; const notJsx = sourceFile.languageVariant !== import_typescript2.default.LanguageVariant.JSX; return forEachToken( node, (token) => { if (token.pos === token.end) { return; } if (token.kind !== import_typescript2.default.SyntaxKind.JsxText) { import_typescript2.default.forEachLeadingCommentRange( fullText, // skip shebang at position 0 token.pos === 0 ? (import_typescript2.default.getShebang(fullText) ?? "").length : token.pos, commentCallback ); } if (notJsx || canHaveTrailingTrivia(token)) { return import_typescript2.default.forEachTrailingCommentRange( fullText, token.end, commentCallback ); } }, sourceFile ); function commentCallback(pos, end, kind) { callback(fullText, { end, kind, pos }); } } var import_typescript32 = __toESM2(require_typescript(), 1); function isCompilerOptionEnabled(options, option) { switch (option) { case "stripInternal": case "declarationMap": case "emitDeclarationOnly": return options[option] === true && isCompilerOptionEnabled(options, "declaration"); case "declaration": return options.declaration || isCompilerOptionEnabled(options, "composite"); case "incremental": return options.incremental === void 0 ? isCompilerOptionEnabled(options, "composite") : options.incremental; case "skipDefaultLibCheck": return options.skipDefaultLibCheck || isCompilerOptionEnabled(options, "skipLibCheck"); case "suppressImplicitAnyIndexErrors": return options.suppressImplicitAnyIndexErrors === true && isCompilerOptionEnabled(options, "noImplicitAny"); case "allowSyntheticDefaultImports": return options.allowSyntheticDefaultImports !== void 0 ? options.allowSyntheticDefaultImports : isCompilerOptionEnabled(options, "esModuleInterop") || options.module === import_typescript32.default.ModuleKind.System; case "noUncheckedIndexedAccess": return options.noUncheckedIndexedAccess === true && isCompilerOptionEnabled(options, "strictNullChecks"); case "allowJs": return options.allowJs === void 0 ? isCompilerOptionEnabled(options, "checkJs") : options.allowJs; case "noImplicitAny": case "noImplicitThis": case "strictNullChecks": case "strictFunctionTypes": case "strictPropertyInitialization": case "alwaysStrict": case "strictBindCallApply": return isStrictCompilerOptionEnabled( options, option ); } return options[option] === true; } function isStrictCompilerOptionEnabled(options, option) { return (options.strict ? options[option] !== false : options[option] === true) && (option !== "strictPropertyInitialization" || isStrictCompilerOptionEnabled(options, "strictNullChecks")); } var import_typescript4 = __toESM2(require_typescript(), 1); function isFlagSet(allFlags, flag) { return (allFlags & flag) !== 0; } function isFlagSetOnObject(obj, flag) { return isFlagSet(obj.flags, flag); } function isModifierFlagSet(node, flag) { return isFlagSet(import_typescript4.default.getCombinedModifierFlags(node), flag); } var isNodeFlagSet = isFlagSetOnObject; function isObjectFlagSet(objectType2, flag) { return isFlagSet(objectType2.objectFlags, flag); } var isSymbolFlagSet = isFlagSetOnObject; var isTypeFlagSet = isFlagSetOnObject; function includesModifier(modifiers, ...kinds) { if (modifiers === void 0) { return false; } for (const modifier of modifiers) { if (kinds.includes(modifier.kind)) { return true; } } return false; } var import_typescript6 = __toESM2(require_typescript(), 1); var import_typescript5 = __toESM2(require_typescript(), 1); function isAssignmentKind(kind) { return kind >= import_typescript5.default.SyntaxKind.FirstAssignment && kind <= import_typescript5.default.SyntaxKind.LastAssignment; } function isNumericPropertyName(name) { return String(+name) === name; } function charSize(ch) { return ch >= 65536 ? 2 : 1; } function isValidPropertyAccess(text, languageVersion = import_typescript5.default.ScriptTarget.Latest) { if (text.length === 0) { return false; } let ch = text.codePointAt(0); if (!import_typescript5.default.isIdentifierStart(ch, languageVersion)) { return false; } for (let i = charSize(ch); i < text.length; i += charSize(ch)) { ch = text.codePointAt(i); if (!import_typescript5.default.isIdentifierPart(ch, languageVersion)) { return false; } } return true; } var AccessKind = /* @__PURE__ */ ((AccessKind2) => { AccessKind2[AccessKind2["None"] = 0] = "None"; AccessKind2[AccessKind2["Read"] = 1] = "Read"; AccessKind2[AccessKind2["Write"] = 2] = "Write"; AccessKind2[AccessKind2["Delete"] = 4] = "Delete"; AccessKind2[AccessKind2["ReadWrite"] = 3] = "ReadWrite"; return AccessKind2; })(AccessKind || {}); function getAccessKind(node) { const parent = node.parent; switch (parent.kind) { case import_typescript6.default.SyntaxKind.DeleteExpression: return 4; case import_typescript6.default.SyntaxKind.PostfixUnaryExpression: return 3; case import_typescript6.default.SyntaxKind.PrefixUnaryExpression: return parent.operator === import_typescript6.default.SyntaxKind.PlusPlusToken || parent.operator === import_typescript6.default.SyntaxKind.MinusMinusToken ? 3 : 1; case import_typescript6.default.SyntaxKind.BinaryExpression: return parent.right === node ? 1 : !isAssignmentKind(parent.operatorToken.kind) ? 1 : parent.operatorToken.kind === import_typescript6.default.SyntaxKind.EqualsToken ? 2 : 3; case import_typescript6.default.SyntaxKind.ShorthandPropertyAssignment: return parent.objectAssignmentInitializer === node ? 1 : isInDestructuringAssignment(parent) ? 2 : 1; case import_typescript6.default.SyntaxKind.PropertyAssignment: return parent.name === node ? 0 : isInDestructuringAssignment(parent) ? 2 : 1; case import_typescript6.default.SyntaxKind.ArrayLiteralExpression: case import_typescript6.default.SyntaxKind.SpreadElement: case import_typescript6.default.SyntaxKind.SpreadAssignment: return isInDestructuringAssignment( parent ) ? 2 : 1; case import_typescript6.default.SyntaxKind.ParenthesizedExpression: case import_typescript6.default.SyntaxKind.NonNullExpression: case import_typescript6.default.SyntaxKind.TypeAssertionExpression: case import_typescript6.default.SyntaxKind.AsExpression: return getAccessKind(parent); case import_typescript6.default.SyntaxKind.ForOfStatement: case import_typescript6.default.SyntaxKind.ForInStatement: return parent.initializer === node ? 2 : 1; case import_typescript6.default.SyntaxKind.ExpressionWithTypeArguments: return parent.parent.token === import_typescript6.default.SyntaxKind.ExtendsKeyword && parent.parent.parent.kind !== import_typescript6.default.SyntaxKind.InterfaceDeclaration ? 1 : 0; case import_typescript6.default.SyntaxKind.ComputedPropertyName: case import_typescript6.default.SyntaxKind.ExpressionStatement: case import_typescript6.default.SyntaxKind.TypeOfExpression: case import_typescript6.default.SyntaxKind.ElementAccessExpression: case import_typescript6.default.SyntaxKind.ForStatement: case import_typescript6.default.SyntaxKind.IfStatement: case import_typescript6.default.SyntaxKind.DoStatement: case import_typescript6.default.SyntaxKind.WhileStatement: case import_typescript6.default.SyntaxKind.SwitchStatement: case import_typescript6.default.SyntaxKind.WithStatement: case import_typescript6.default.SyntaxKind.ThrowStatement: case import_typescript6.default.SyntaxKind.CallExpression: case import_typescript6.default.SyntaxKind.NewExpression: case import_typescript6.default.SyntaxKind.TaggedTemplateExpression: case import_typescript6.default.SyntaxKind.JsxExpression: case import_typescript6.default.SyntaxKind.Decorator: case import_typescript6.default.SyntaxKind.TemplateSpan: case import_typescript6.default.SyntaxKind.JsxOpeningElement: case import_typescript6.default.SyntaxKind.JsxSelfClosingElement: case import_typescript6.default.SyntaxKind.JsxSpreadAttribute: case import_typescript6.default.SyntaxKind.VoidExpression: case import_typescript6.default.SyntaxKind.ReturnStatement: case import_typescript6.default.SyntaxKind.AwaitExpression: case import_typescript6.default.SyntaxKind.YieldExpression: case import_typescript6.default.SyntaxKind.ConditionalExpression: case import_typescript6.default.SyntaxKind.CaseClause: case import_typescript6.default.SyntaxKind.JsxElement: return 1; case import_typescript6.default.SyntaxKind.ArrowFunction: return parent.body === node ? 1 : 2; case import_typescript6.default.SyntaxKind.PropertyDeclaration: case import_typescript6.default.SyntaxKind.VariableDeclaration: case import_typescript6.default.SyntaxKind.Parameter: case import_typescript6.default.SyntaxKind.EnumMember: case import_typescript6.default.SyntaxKind.BindingElement: case import_typescript6.default.SyntaxKind.JsxAttribute: return parent.initializer === node ? 1 : 0; case import_typescript6.default.SyntaxKind.PropertyAccessExpression: return parent.expression === node ? 1 : 0; case import_typescript6.default.SyntaxKind.ExportAssignment: return parent.isExportEquals ? 1 : 0; } return 0; } function isInDestructuringAssignment(node) { switch (node.kind) { case import_typescript6.default.SyntaxKind.ShorthandPropertyAssignment: if (node.objectAssignmentInitializer !== void 0) { return true; } case import_typescript6.default.SyntaxKind.PropertyAssignment: case import_typescript6.default.SyntaxKind.SpreadAssignment: node = node.parent; break; case import_typescript6.default.SyntaxKind.SpreadElement: if (node.parent.kind !== import_typescript6.default.SyntaxKind.ArrayLiteralExpression) { return false; } node = node.parent; } while (true) { switch (node.parent.kind) { case import_typescript6.default.SyntaxKind.BinaryExpression: return node.parent.left === node && node.parent.operatorToken.kind === import_typescript6.default.SyntaxKind.EqualsToken; case import_typescript6.default.SyntaxKind.ForOfStatement: return node.parent.initializer === node; case import_typescript6.default.SyntaxKind.ArrayLiteralExpression: case import_typescript6.default.SyntaxKind.ObjectLiteralExpression: node = node.parent; break; case import_typescript6.default.SyntaxKind.SpreadAssignment: case import_typescript6.default.SyntaxKind.PropertyAssignment: node = node.parent.parent; break; case import_typescript6.default.SyntaxKind.SpreadElement: if (node.parent.parent.kind !== import_typescript6.default.SyntaxKind.ArrayLiteralExpression) { return false; } node = node.parent.parent; break; default: return false; } } } var import_typescript10 = __toESM2(require_typescript(), 1); var import_typescript7 = __toESM2(require_typescript(), 1); function isAbstractKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.AbstractKeyword; } function isAccessorKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.AccessorKeyword; } function isAnyKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.AnyKeyword; } function isAssertKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.AssertKeyword; } function isAssertsKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.AssertsKeyword; } function isAsyncKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.AsyncKeyword; } function isAwaitKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.AwaitKeyword; } function isBigIntKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.BigIntKeyword; } function isBooleanKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.BooleanKeyword; } function isColonToken2(node) { return node.kind === import_typescript7.default.SyntaxKind.ColonToken; } function isConstKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.ConstKeyword; } function isDeclareKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.DeclareKeyword; } function isDefaultKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.DefaultKeyword; } function isDotToken(node) { return node.kind === import_typescript7.default.SyntaxKind.DotToken; } function isEndOfFileToken(node) { return node.kind === import_typescript7.default.SyntaxKind.EndOfFileToken; } function isEqualsGreaterThanToken(node) { return node.kind === import_typescript7.default.SyntaxKind.EqualsGreaterThanToken; } function isEqualsToken(node) { return node.kind === import_typescript7.default.SyntaxKind.EqualsToken; } function isExclamationToken(node) { return node.kind === import_typescript7.default.SyntaxKind.ExclamationToken; } function isExportKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.ExportKeyword; } function isFalseKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.FalseKeyword; } function isFalseLiteral(node) { return node.kind === import_typescript7.default.SyntaxKind.FalseKeyword; } function isImportExpression(node) { return node.kind === import_typescript7.default.SyntaxKind.ImportKeyword; } function isImportKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.ImportKeyword; } function isInKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.InKeyword; } function isInputFiles(node) { return node.kind === import_typescript7.default.SyntaxKind.InputFiles; } function isJSDocText(node) { return node.kind === import_typescript7.default.SyntaxKind.JSDocText; } function isJsonMinusNumericLiteral(node) { return node.kind === import_typescript7.default.SyntaxKind.PrefixUnaryExpression; } function isNeverKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.NeverKeyword; } function isNullKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.NullKeyword; } function isNullLiteral2(node) { return node.kind === import_typescript7.default.SyntaxKind.NullKeyword; } function isNumberKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.NumberKeyword; } function isObjectKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.ObjectKeyword; } function isOutKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.OutKeyword; } function isOverrideKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.OverrideKeyword; } function isPrivateKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.PrivateKeyword; } function isProtectedKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.ProtectedKeyword; } function isPublicKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.PublicKeyword; } function isQuestionDotToken(node) { return node.kind === import_typescript7.default.SyntaxKind.QuestionDotToken; } function isQuestionToken(node) { return node.kind === import_typescript7.default.SyntaxKind.QuestionToken; } function isReadonlyKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.ReadonlyKeyword; } function isStaticKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.StaticKeyword; } function isStringKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.StringKeyword; } function isSuperExpression2(node) { return node.kind === import_typescript7.default.SyntaxKind.SuperKeyword; } function isSuperKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.SuperKeyword; } function isSymbolKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.SymbolKeyword; } function isSyntaxList(node) { return node.kind === import_typescript7.default.SyntaxKind.SyntaxList; } function isThisExpression(node) { return node.kind === import_typescript7.default.SyntaxKind.ThisKeyword; } function isThisKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.ThisKeyword; } function isTrueKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.TrueKeyword; } function isTrueLiteral(node) { return node.kind === import_typescript7.default.SyntaxKind.TrueKeyword; } function isUndefinedKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.UndefinedKeyword; } function isUnknownKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.UnknownKeyword; } function isUnparsedPrologue(node) { return node.kind === import_typescript7.default.SyntaxKind.UnparsedPrologue; } function isUnparsedSyntheticReference(node) { return node.kind === import_typescript7.default.SyntaxKind.UnparsedSyntheticReference; } function isVoidKeyword(node) { return node.kind === import_typescript7.default.SyntaxKind.VoidKeyword; } var import_typescript9 = __toESM2(require_typescript(), 1); var import_typescript8 = __toESM2(require_typescript(), 1); var [tsMajor, tsMinor] = import_typescript8.default.versionMajorMinor.split(".").map((raw) => Number.parseInt(raw, 10)); function isTsVersionAtLeast(major, minor = 0) { return tsMajor > major || tsMajor === major && tsMinor >= minor; } function isAccessExpression(node) { return import_typescript9.default.isPropertyAccessExpression(node) || import_typescript9.default.isElementAccessExpression(node); } function isAccessibilityModifier(node) { return isPublicKeyword(node) || isPrivateKeyword(node) || isProtectedKeyword(node); } function isAccessorDeclaration(node) { return import_typescript9.default.isGetAccessorDeclaration(node) || import_typescript9.default.isSetAccessorDeclaration(node); } function isArrayBindingElement(node) { return import_typescript9.default.isBindingElement(node) || import_typescript9.default.isOmittedExpression(node); } function isArrayBindingOrAssignmentPattern(node) { return import_typescript9.default.isArrayBindingPattern(node) || import_typescript9.default.isArrayLiteralExpression(node); } function isAssignmentPattern(node) { return import_typescript9.default.isObjectLiteralExpression(node) || import_typescript9.default.isArrayLiteralExpression(node); } function isBindingOrAssignmentElementRestIndicator(node) { if (import_typescript9.default.isSpreadElement(node) || import_typescript9.default.isSpreadAssignment(node)) { return true; } if (isTsVersionAtLeast(4, 4)) { return import_typescript9.default.isDotDotDotToken(node); } return false; } function isBindingOrAssignmentElementTarget(node) { return isBindingOrAssignmentPattern(node) || import_typescript9.default.isIdentifier(node) || import_typescript9.default.isPropertyAccessExpression(node) || import_typescript9.default.isElementAccessExpression(node) || import_typescript9.default.isOmittedExpression(node); } function isBindingOrAssignmentPattern(node) { return isObjectBindingOrAssignmentPattern(node) || isArrayBindingOrAssignmentPattern(node); } function isBindingPattern(node) { return import_typescript9.default.isObjectBindingPattern(node) || import_typescript9.default.isArrayBindingPattern(node); } function isBlockLike(node) { return import_typescript9.default.isSourceFile(node) || import_typescript9.default.isBlock(node) || import_typescript9.default.isModuleBlock(node) || import_typescript9.default.isCaseOrDefaultClause(node); } function isBooleanLiteral(node) { return isTrueLiteral(node) || isFalseLiteral(node); } function isClassLikeDeclaration(node) { return import_typescript9.default.isClassDeclaration(node) || import_typescript9.default.isClassExpression(node); } function isClassMemberModifier(node) { return isAccessibilityModifier(node) || isReadonlyKeyword(node) || isStaticKeyword(node) || isAccessorKeyword(node); } function isDeclarationName(node) { return import_typescript9.default.isIdentifier(node) || import_typescript9.default.isPrivateIdentifier(node) || import_typescript9.default.isStringLiteralLike(node) || import_typescript9.default.isNumericLiteral(node) || import_typescript9.default.isComputedPropertyName(node) || import_typescript9.default.isElementAccessExpression(node) || isBindingPattern(node) || isEntityNameExpression(node); } function isDeclarationWithTypeParameterChildren(node) { return isSignatureDeclaration(node) || // eslint-disable-next-line deprecation/deprecation -- Keep compatibility with ts <5 isClassLikeDeclaration(node) || import_typescript9.default.isInterfaceDeclaration(node) || import_typescript9.default.isTypeAliasDeclaration(node) || import_typescript9.default.isJSDocTemplateTag(node); } function isDeclarationWithTypeParameters(node) { return isDeclarationWithTypeParameterChildren(node) || import_typescript9.default.isJSDocTypedefTag(node) || import_typescript9.default.isJSDocCallbackTag(node) || import_typescript9.default.isJSDocSignature(node); } function isDestructuringPattern(node) { return isBindingPattern(node) || import_typescript9.default.isObjectLiteralExpression(node) || import_typescript9.default.isArrayLiteralExpression(node); } function isEntityNameExpression(node) { return import_typescript9.default.isIdentifier(node) || isPropertyAccessEntityNameExpression(node); } function isEntityNameOrEntityNameExpression(node) { return import_typescript9.default.isEntityName(node) || isEntityNameExpression(node); } function isForInOrOfStatement(node) { return import_typescript9.default.isForInStatement(node) || import_typescript9.default.isForOfStatement(node); } function isFunctionLikeDeclaration(node) { return import_typescript9.default.isFunctionDeclaration(node) || import_typescript9.default.isMethodDeclaration(node) || import_typescript9.default.isGetAccessorDeclaration(node) || import_typescript9.default.isSetAccessorDeclaration(node) || import_typescript9.default.isConstructorDeclaration(node) || import_typescript9.default.isFunctionExpression(node) || import_typescript9.default.isArrowFunction(node); } function hasDecorators(node) { return import_typescript9.default.isParameter(node) || import_typescript9.default.isPropertyDeclaration(node) || import_typescript9.default.isMethodDeclaration(node) || import_typescript9.default.isGetAccessorDeclaration(node) || import_typescript9.default.isSetAccessorDeclaration(node) || import_typescript9.default.isClassExpression(node) || import_typescript9.default.isClassDeclaration(node); } function hasExpressionInitializer(node) { return import_typescript9.default.isVariableDeclaration(node) || import_typescript9.default.isParameter(node) || import_typescript9.default.isBindingElement(node) || import_typescript9.default.isPropertyDeclaration(node) || import_typescript9.default.isPropertyAssignment(node) || import_typescript9.default.isEnumMember(node); } function hasInitializer(node) { return hasExpressionInitializer(node) || import_typescript9.default.isForStatement(node) || import_typescript9.default.isForInStatement(node) || import_typescript9.default.isForOfStatement(node) || import_typescript9.default.isJsxAttribute(node); } function hasJSDoc(node) { if ( // eslint-disable-next-line deprecation/deprecation -- Keep compatibility with ts <5 isAccessorDeclaration(node) || import_typescript9.default.isArrowFunction(node) || import_typescript9.default.isBlock(node) || import_typescript9.default.isBreakStatement(node) || import_typescript9.default.isCallSignatureDeclaration(node) || import_typescript9.default.isCaseClause(node) || // eslint-disable-next-line deprecation/deprecation -- Keep compatibility with ts <5 isClassLikeDeclaration(node) || import_typescript9.default.isConstructorDeclaration(node) || import_typescript9.default.isConstructorTypeNode(node) || import_typescript9.default.isConstructSignatureDeclaration(node) || import_typescript9.default.isContinueStatement(node) || import_typescript9.default.isDebuggerStatement(node) || import_typescript9.default.isDoStatement(node) || import_typescript9.default.isEmptyStatement(node) || isEndOfFileToken(node) || import_typescript9.default.isEnumDeclaration(node) || import_typescript9.default.isEnumMember(node) || import_typescript9.default.isExportAssignment(node) || import_typescript9.default.isExportDeclaration(node) || import_typescript9.default.isExportSpecifier(node) || import_typescript9.default.isExpressionStatement(node) || import_typescript9.default.isForInStatement(node) || import_typescript9.default.isForOfStatement(node) || import_typescript9.default.isForStatement(node) || import_typescript9.default.isFunctionDeclaration(node) || import_typescript9.default.isFunctionExpression(node) || import_typescript9.default.isFunctionTypeNode(node) || import_typescript9.default.isIfStatement(node) || import_typescript9.default.isImportDeclaration(node) || import_typescript9.default.isImportEqualsDeclaration(node) || import_typescript9.default.isIndexSignatureDeclaration(node) || import_typescript9.default.isInterfaceDeclaration(node) || import_typescript9.default.isJSDocFunctionType(node) || import_typescript9.default.isLabeledStatement(node) || import_typescript9.default.isMethodDeclaration(node) || import_typescript9.default.isMethodSignature(node) || import_typescript9.default.isModuleDeclaration(node) || import_typescript9.default.isNamedTupleMember(node) || import_typescript9.default.isNamespaceExportDeclaration(node) || import_typescript9.default.isParameter(node) || import_typescript9.default.isParenthesizedExpression(node) || import_typescript9.default.isPropertyAssignment(node) || import_typescript9.default.isPropertyDeclaration(node) || import_typescript9.default.isPropertySignature(node) || import_typescript9.default.isReturnStatement(node) || import_typescript9.default.isShorthandPropertyAssignment(node) || import_typescript9.default.isSpreadAssignment(node) || import_typescript9.default.isSwitchStatement(node) || import_typescript9.default.isThrowStatement(node) || import_typescript9.default.isTryStatement(node) || import_typescript9.default.isTypeAliasDeclaration(node) || import_typescript9.default.isVariableDeclaration(node) || import_typescript9.default.isVariableStatement(node) || import_typescript9.default.isWhileStatement(node) || import_typescript9.default.isWithStatement(node) ) { return true; } if (isTsVersionAtLeast(4, 4) && import_typescript9.default.isClassStaticBlockDeclaration(node)) { return true; } if (isTsVersionAtLeast(5, 0) && (import_typescript9.default.isBinaryExpression(node) || import_typescript9.default.isElementAccessExpression(node) || import_typescript9.default.isIdentifier(node) || import_typescript9.default.isJSDocSignature(node) || import_typescript9.default.isObjectLiteralExpression(node) || import_typescript9.default.isPropertyAccessExpression(node) || import_typescript9.default.isTypeParameterDeclaration(node))) { return true; } return false; } function hasModifiers(node) { return import_typescript9.default.isTypeParameterDeclaration(node) || import_typescript9.default.isParameter(node) || import_typescript9.default.isConstructorTypeNode(node) || import_typescript9.default.isPropertySignature(node) || import_typescript9.default.isPropertyDeclaration(node) || import_typescript9.default.isMethodSignature(node) || import_typescript9.default.isMethodDeclaration(node) || import_typescript9.default.isConstructorDeclaration(node) || import_typescript9.default.isGetAccessorDeclaration(node) || import_typescript9.default.isSetAccessorDeclaration(node) || import_typescript9.default.isIndexSignatureDeclaration(node) || import_typescript9.default.isFunctionExpression(node) || import_typescript9.default.isArrowFunction(node) || import_typescript9.default.isClassExpression(node) || import_typescript9.default.isVariableStatement(node) || import_typescript9.default.isFunctionDeclaration(node) || import_typescript9.default.isClassDeclaration(node) || import_typescript9.default.isInterfaceDeclaration(node) || import_typescript9.default.isTypeAliasDeclaration(node) || import_typescript9.default.isEnumDeclaration(node) || import_typescript9.default.isModuleDeclaration(node) || import_typescript9.default.isImportEqualsDeclaration(node) || import_typescript9.default.isImportDeclaration(node) || import_typescript9.default.isExportAssignment(node) || import_typescript9.default.isExportDeclaration(node); } function hasType(node) { return isSignatureDeclaration(node) || import_typescript9.default.isVariableDeclaration(node) || import_typescript9.default.isParameter(node) || import_typescript9.default.isPropertySignature(node) || import_typescript9.default.isPropertyDeclaration(node) || import_typescript9.default.isTypePredicateNode(node) || import_typescript9.default.isParenthesizedTypeNode(node) || import_typescript9.default.isTypeOperatorNode(node) || import_typescript9.default.isMappedTypeNode(node) || import_typescript9.default.isAssertionExpression(node) || import_typescript9.default.isTypeAliasDeclaration(node) || import_typescript9.default.isJSDocTypeExpression(node) || import_typescript9.default.isJSDocNonNullableType(node) || import_typescript9.default.isJSDocNullableType(node) || import_typescript9.default.isJSDocOptionalType(node) || import_typescript9.default.isJSDocVariadicType(node); } function hasTypeArguments(node) { return import_typescript9.default.isCallExpression(node) || import_typescript9.default.isNewExpression(node) || import_typescript9.default.isTaggedTemplateExpression(node) || import_typescript9.default.isJsxOpeningElement(node) || import_typescript9.default.isJsxSelfClosingElement(node); } function isJSDocComment(node) { if (isJSDocText(node)) { return true; } if (isTsVersionAtLeast(4, 4)) { return import_typescript9.default.isJSDocLink(node) || import_typescript9.default.isJSDocLinkCode(node) || import_typescript9.default.isJSDocLinkPlain(node); } return false; } function isJSDocNamespaceBody(node) { return import_typescript9.default.isIdentifier(node) || isJSDocNamespaceDeclaration(node); } function isJSDocTypeReferencingNode(node) { return import_typescript9.default.isJSDocVariadicType(node) || import_typescript9.default.isJSDocOptionalType(node) || import_typescript9.default.isJSDocNullableType(node) || import_typescript9.default.isJSDocNonNullableType(node); } function isJsonObjectExpression(node) { return import_typescript9.default.isObjectLiteralExpression(node) || import_typescript9.default.isArrayLiteralExpression(node) || isJsonMinusNumericLiteral(node) || import_typescript9.default.isNumericLiteral(node) || import_typescript9.default.isStringLiteral(node) || isBooleanLiteral(node) || isNullLiteral2(node); } function isJsxAttributeLike(node) { return import_typescript9.default.isJsxAttribute(node) || import_typescript9.default.isJsxSpreadAttribute(node); } function isJsxAttributeValue(node) { return import_typescript9.default.isStringLiteral(node) || import_typescript9.default.isJsxExpression(node) || import_typescript9.default.isJsxElement(node) || import_typescript9.default.isJsxSelfClosingElement(node) || import_typescript9.default.isJsxFragment(node); } function isJsxChild(node) { return import_typescript9.default.isJsxText(node) || import_typescript9.default.isJsxExpression(node) || import_typescript9.default.isJsxElement(node) || import_typescript9.default.isJsxSelfClosingElement(node) || import_typescript9.default.isJsxFragment(node); } function isJsxTagNameExpression(node) { return import_typescript9.default.isIdentifier(node) || isThisExpression(node) || isJsxTagNamePropertyAccess(node); } function isLiteralToken(node) { return import_typescript9.default.isNumericLiteral(node) || import_typescript9.default.isBigIntLiteral(node) || import_typescript9.default.isStringLiteral(node) || import_typescript9.default.isJsxText(node) || import_typescript9.default.isRegularExpressionLiteral(node) || import_typescript9.default.isNoSubstitutionTemplateLiteral(node); } function isModuleBody(node) { return isNamespaceBody(node) || isJSDocNamespaceBody(node); } function isModuleName(node) { return import_typescript9.default.isIdentifier(node) || import_typescript9.default.isStringLiteral(node); } function isModuleReference(node) { return import_typescript9.default.isEntityName(node) || import_typescript9.default.isExternalModuleReference(node); } function isNamedImportBindings(node) { return import_typescript9.default.isNamespaceImport(node) || import_typescript9.default.isNamedImports(node); } function isNamedImportsOrExports(node) { return import_typescript9.default.isNamedImports(node) || import_typescript9.default.isNamedExports(node); } function isNamespaceBody(node) { return import_typescript9.default.isModuleBlock(node) || isNamespaceDeclaration(node); } function isObjectBindingOrAssignmentElement(node) { return import_typescript9.default.isBindingElement(node) || import_typescript9.default.isPropertyAssignment(node) || import_typescript9.default.isShorthandPropertyAssignment(node) || import_typescript9.default.isSpreadAssignment(node); } function isObjectBindingOrAssignmentPattern(node) { return import_typescript9.default.isObjectBindingPattern(node) || import_typescript9.default.isObjectLiteralExpression(node); } function isObjectTypeDeclaration(node) { return ( // eslint-disable-next-line deprecation/deprecation -- Keep compatibility with ts <5 isClassLikeDeclaration(node) || import_typescript9.default.isInterfaceDeclaration(node) || import_typescript9.default.isTypeLiteralNode(node) ); } function isParameterPropertyModifier(node) { return isAccessibilityModifier(node) || isReadonlyKeyword(node); } function isPropertyNameLiteral(node) { return import_typescript9.default.isIdentifier(node) || import_typescript9.default.isStringLiteralLike(node) || import_typescript9.default.isNumericLiteral(node); } function isPseudoLiteralToken(node) { return import_typescript9.default.isTemplateHead(node) || import_typescript9.default.isTemplateMiddle(node) || import_typescript9.default.isTemplateTail(node); } function isSignatureDeclaration(node) { return import_typescript9.default.isCallSignatureDeclaration(node) || import_typescript9.default.isConstructSignatureDeclaration(node) || import_typescript9.default.isMethodSignature(node) || import_typescript9.default.isIndexSignatureDeclaration(node) || import_typescript9.default.isFunctionTypeNode(node) || import_typescript9.default.isConstructorTypeNode(node) || import_typescript9.default.isJSDocFunctionType(node) || import_typescript9.default.isFunctionDeclaration(node) || import_typescript9.default.isMethodDeclaration(node) || import_typescript9.default.isConstructorDeclaration(node) || // eslint-disable-next-line deprecation/deprecation -- Keep compatibility with ts <5 isAccessorDeclaration(node) || import_typescript9.default.isFunctionExpression(node) || import_typescript9.default.isArrowFunction(node); } function isSuperProperty(node) { return isSuperPropertyAccessExpression(node) || isSuperElementAccessExpression(node); } function isTypeOnlyCompatibleAliasDeclaration(node) { if (import_typescript9.default.isImportClause(node) || import_typescript9.default.isImportEqualsDeclaration(node) || import_typescript9.default.isNamespaceImport(node) || import_typescript9.default.isImportOrExportSpecifier(node)) { return true; } if (isTsVersionAtLeast(5, 0) && (import_typescript9.default.isExportDeclaration(node) || import_typescript9.default.isNamespaceExport(node))) { return true; } return false; } function isTypeReferenceType(node) { return import_typescript9.default.isTypeReferenceNode(node) || import_typescript9.default.isExpressionWithTypeArguments(node); } function isUnionOrIntersectionTypeNode(node) { return import_typescript9.default.isUnionTypeNode(node) || import_typescript9.default.isIntersectionTypeNode(node); } function isUnparsedSourceText(node) { return import_typescript9.default.isUnparsedPrepend(node) || import_typescript9.default.isUnparsedTextLike(node); } function isVariableLikeDeclaration(node) { return import_typescript9.default.isVariableDeclaration(node) || import_typescript9.default.isParameter(node) || import_typescript9.default.isBindingElement(node) || import_typescript9.default.isPropertyDeclaration(node) || import_typescript9.default.isPropertyAssignment(node) || import_typescript9.default.isPropertySignature(node) || import_typescript9.default.isJsxAttribute(node) || import_typescript9.default.isShorthandPropertyAssignment(node) || import_typescript9.default.isEnumMember(node) || import_typescript9.default.isJSDocPropertyTag(node) || import_typescript9.default.isJSDocParameterTag(node); } function isConstAssertionExpression(node) { return import_typescript10.default.isTypeReferenceNode(node.type) && import_typescript10.default.isIdentifier(node.type.typeName) && node.type.typeName.escapedText === "const"; } function isIterationStatement(node) { switch (node.kind) { case import_typescript10.default.SyntaxKind.DoStatement: case import_typescript10.default.SyntaxKind.ForInStatement: case import_typescript10.default.SyntaxKind.ForOfStatement: case import_typescript10.default.SyntaxKind.ForStatement: case import_typescript10.default.SyntaxKind.WhileStatement: return true; default: return false; } } function isJSDocNamespaceDeclaration(node) { return import_typescript10.default.isModuleDeclaration(node) && import_typescript10.default.isIdentifier(node.name) && (node.body === void 0 || isJSDocNamespaceBody(node.body)); } function isJsxTagNamePropertyAccess(node) { return import_typescript10.default.isPropertyAccessExpression(node) && // eslint-disable-next-line deprecation/deprecation -- Keep compatibility with ts < 5 isJsxTagNameExpression(node.expression); } function isNamedDeclarationWithName(node) { return "name" in node && node.name !== void 0 && node.name !== null && isDeclarationName(node.name); } function isNamespaceDeclaration(node) { return import_typescript10.default.isModuleDeclaration(node) && import_typescript10.default.isIdentifier(node.name) && node.body !== void 0 && isNamespaceBody(node.body); } function isNumericOrStringLikeLiteral(node) { switch (node.kind) { case import_typescript10.default.SyntaxKind.StringLiteral: case import_typescript10.default.SyntaxKind.NumericLiteral: case import_typescript10.default.SyntaxKind.NoSubstitutionTemplateLiteral: return true; default: return false; } } function isPropertyAccessEntityNameExpression(node) { return import_typescript10.default.isPropertyAccessExpression(node) && import_typescript10.default.isIdentifier(node.name) && isEntityNameExpression(node.expression); } function isSuperElementAccessExpression(node) { return import_typescript10.default.isElementAccessExpression(node) && isSuperExpression2(node.expression); } function isSuperPropertyAccessExpression(node) { return import_typescript10.default.isPropertyAccessExpression(node) && isSuperExpression2(node.expression); } var import_typescript11 = __toESM2(require_typescript(), 1); function isFunctionScopeBoundary(node) { switch (node.kind) { case import_typescript11.default.SyntaxKind.FunctionExpression: case import_typescript11.default.SyntaxKind.ArrowFunction: case import_typescript11.default.SyntaxKind.Constructor: case import_typescript11.default.SyntaxKind.ModuleDeclaration: case import_typescript11.default.SyntaxKind.ClassDeclaration: case import_typescript11.default.SyntaxKind.ClassExpression: case import_typescript11.default.SyntaxKind.EnumDeclaration: case import_typescript11.default.SyntaxKind.MethodDeclaration: case import_typescript11.default.SyntaxKind.FunctionDeclaration: case import_typescript11.default.SyntaxKind.GetAccessor: case import_typescript11.default.SyntaxKind.SetAccessor: case import_typescript11.default.SyntaxKind.MethodSignature: case import_typescript11.default.SyntaxKind.CallSignature: case import_typescript11.default.SyntaxKind.ConstructSignature: case import_typescript11.default.SyntaxKind.ConstructorType: case import_typescript11.default.SyntaxKind.FunctionType: return true; case import_typescript11.default.SyntaxKind.SourceFile: return import_typescript11.default.isExternalModule(node); default: return false; } } var import_typescript16 = __toESM2(require_typescript(), 1); var import_typescript12 = __toESM2(require_typescript(), 1); function isIntrinsicAnyType(type) { return isTypeFlagSet(type, import_typescript12.default.TypeFlags.Any); } function isIntrinsicBooleanType(type) { return isTypeFlagSet(type, import_typescript12.default.TypeFlags.Boolean); } function isIntrinsicBigIntType(type) { return isTypeFlagSet(type, import_typescript12.default.TypeFlags.BigInt); } function isIntrinsicErrorType(type) { return isIntrinsicType(type) && type.intrinsicName === "error"; } function isIntrinsicESSymbolType(type) { return isTypeFlagSet(type, import_typescript12.default.TypeFlags.ESSymbol); } var IntrinsicTypeFlags = import_typescript12.default.TypeFlags.Intrinsic ?? import_typescript12.default.TypeFlags.Any | import_typescript12.default.TypeFlags.Unknown | import_typescript12.default.TypeFlags.String | import_typescript12.default.TypeFlags.Number | import_typescript12.default.TypeFlags.BigInt | import_typescript12.default.TypeFlags.Boolean | import_typescript12.default.TypeFlags.BooleanLiteral | import_typescript12.default.TypeFlags.ESSymbol | import_typescript12.default.TypeFlags.Void | import_typescript12.default.TypeFlags.Undefined | import_typescript12.default.TypeFlags.Null | import_typescript12.default.TypeFlags.Never | import_typescript12.default.TypeFlags.NonPrimitive; function isIntrinsicType(type) { return isTypeFlagSet(type, IntrinsicTypeFlags); } function isIntrinsicNeverType(type) { return isTypeFlagSet(type, import_typescript12.default.TypeFlags.Never); } function isIntrinsicNonPrimitiveType(type) { return isTypeFlagSet(type, import_typescript12.default.TypeFlags.NonPrimitive); } function isIntrinsicNullType(type) { return isTypeFlagSet(type, import_typescript12.default.TypeFlags.Null); } function isIntrinsicNumberType(type) { return isTypeFlagSet(type, import_typescript12.default.TypeFlags.Number); } function isIntrinsicStringType(type) { return isTypeFlagSet(type, import_typescript12.default.TypeFlags.String); } function isIntrinsicUndefinedType(type) { return isTypeFlagSet(type, import_typescript12.default.TypeFlags.Undefined); } function isIntrinsicUnknownType(type) { return isTypeFlagSet(type, import_typescript12.default.TypeFlags.Unknown); } function isIntrinsicVoidType(type) { return isTypeFlagSet(type, import_typescript12.default.TypeFlags.Void); } var import_typescript14 = __toESM2(require_typescript(), 1); var import_typescript13 = __toESM2(require_typescript(), 1); function isConditionalType(type) { return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Conditional); } function isEnumType(type) { return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Enum); } function isFreshableType(type) { return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Freshable); } function isIndexType(type) { return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Index); } function isIndexedAccessType(type) { return isTypeFlagSet(type, import_typescript13.default.TypeFlags.IndexedAccess); } function isInstantiableType(type) { return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Instantiable); } function isIntersectionType(type) { return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Intersection); } function isObjectType(type) { return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Object); } function isStringMappingType(type) { return isTypeFlagSet(type, import_typescript13.default.TypeFlags.StringMapping); } function isSubstitutionType(type) { return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Substitution); } function isTypeParameter(type) { return isTypeFlagSet(type, import_typescript13.default.TypeFlags.TypeParameter); } function isTypeVariable(type) { return isTypeFlagSet(type, import_typescript13.default.TypeFlags.TypeVariable); } function isUnionType(type) { return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Union); } function isUnionOrIntersectionType(type) { return isTypeFlagSet(type, import_typescript13.default.TypeFlags.UnionOrIntersection); } function isUniqueESSymbolType(type) { return isTypeFlagSet(type, import_typescript13.default.TypeFlags.UniqueESSymbol); } function isEvolvingArrayType(type) { return isObjectType(type) && isObjectFlagSet(type, import_typescript14.default.ObjectFlags.EvolvingArray); } function isTupleType(type) { return isObjectType(type) && isObjectFlagSet(type, import_typescript14.default.ObjectFlags.Tuple); } function isTypeReference(type) { return isObjectType(type) && isObjectFlagSet(type, import_typescript14.default.ObjectFlags.Reference); } function isFreshableIntrinsicType(type) { return isIntrinsicType(type) && isFreshableType(type); } function isTupleTypeReference(type) { return isTypeReference(type) && isTupleType(type.target); } var import_typescript15 = __toESM2(require_typescript(), 1); function isBooleanLiteralType(type) { return isTypeFlagSet(type, import_typescript15.default.TypeFlags.BooleanLiteral); } function isBigIntLiteralType(type) { return isTypeFlagSet(type, import_typescript15.default.TypeFlags.BigIntLiteral); } function isFalseLiteralType(type) { return isBooleanLiteralType(type) && type.intrinsicName === "false"; } function isLiteralType(type) { return isTypeFlagSet(type, import_typescript15.default.TypeFlags.Literal); } function isNumberLiteralType(type) { return isTypeFlagSet(type, import_typescript15.default.TypeFlags.NumberLiteral); } function isStringLiteralType(type) { return isTypeFlagSet(type, import_typescript15.default.TypeFlags.StringLiteral); } function isTemplateLiteralType(type) { return isTypeFlagSet(type, import_typescript15.default.TypeFlags.TemplateLiteral); } function isTrueLiteralType(type) { return isBooleanLiteralType(type) && type.intrinsicName === "true"; } function isUnknownLiteralType(type) { return isTypeFlagSet(type, import_typescript15.default.TypeFlags.Literal); } function getCallSignaturesOfType(type) { if (isUnionType(type)) { const signatures = []; for (const subType of type.types) { signatures.push(...getCallSignaturesOfType(subType)); } return signatures; } if (isIntersectionType(type)) { let signatures; for (const subType of type.types) { const sig = getCallSignaturesOfType(subType); if (sig.length !== 0) { if (signatures !== void 0) { return []; } signatures = sig; } } return signatures === void 0 ? [] : signatures; } return type.getCallSignatures(); } function getPropertyOfType(type, name) { if (!name.startsWith("__")) { return type.getProperty(name); } return type.getProperties().find((s) => s.escapedName === name); } function getWellKnownSymbolPropertyOfType(type, wellKnownSymbolName, typeChecker) { const prefix = "__@" + wellKnownSymbolName; for (const prop of type.getProperties()) { if (!prop.name.startsWith(prefix)) { continue; } const declaration = prop.valueDeclaration ?? prop.getDeclarations()[0]; if (!isNamedDeclarationWithName(declaration) || declaration.name === void 0 || !import_typescript16.default.isComputedPropertyName(declaration.name)) { continue; } const globalSymbol = typeChecker.getApparentType( typeChecker.getTypeAtLocation(declaration.name.expression) ).symbol; if (prop.escapedName === getPropertyNameOfWellKnownSymbol( typeChecker, globalSymbol, wellKnownSymbolName )) { return prop; } } return void 0; } function getPropertyNameOfWellKnownSymbol(typeChecker, symbolConstructor, symbolName) { const knownSymbol = symbolConstructor && typeChecker.getTypeOfSymbolAtLocation( symbolConstructor, // eslint-disable-next-line @typescript-eslint/no-explicit-any, @typescript-eslint/no-unsafe-argument, @typescript-eslint/no-unsafe-member-access symbolConstructor.valueDeclaration ).getProperty(symbolName); const knownSymbolType = knownSymbol && typeChecker.getTypeOfSymbolAtLocation( knownSymbol, // eslint-disable-next-line @typescript-eslint/no-explicit-any, @typescript-eslint/no-unsafe-argument, @typescript-eslint/no-unsafe-member-access knownSymbol.valueDeclaration ); if (knownSymbolType && isUniqueESSymbolType(knownSymbolType)) { return knownSymbolType.escapedName; } return "__@" + symbolName; } var import_typescript18 = __toESM2(require_typescript(), 1); var import_typescript17 = __toESM2(require_typescript(), 1); function isBindableObjectDefinePropertyCall(node) { return node.arguments.length === 3 && isEntityNameExpression(node.arguments[0]) && isNumericOrStringLikeLiteral(node.arguments[1]) && import_typescript17.default.isPropertyAccessExpression(node.expression) && node.expression.name.escapedText === "defineProperty" && import_typescript17.default.isIdentifier(node.expression.expression) && node.expression.expression.escapedText === "Object"; } function isInConstContext(node) { let current = node; while (true) { const parent = current.parent; outer: switch (parent.kind) { case import_typescript17.default.SyntaxKind.TypeAssertionExpression: case import_typescript17.default.SyntaxKind.AsExpression: return isConstAssertionExpression(parent); case import_typescript17.default.SyntaxKind.PrefixUnaryExpression: if (current.kind !== import_typescript17.default.SyntaxKind.NumericLiteral) { return false; } switch (parent.operator) { case import_typescript17.default.SyntaxKind.PlusToken: case import_typescript17.default.SyntaxKind.MinusToken: current = parent; break outer; default: return false; } case import_typescript17.default.SyntaxKind.PropertyAssignment: if (parent.initializer !== current) { return false; } current = parent.parent; break; case import_typescript17.default.SyntaxKind.ShorthandPropertyAssignment: current = parent.parent; break; case import_typescript17.default.SyntaxKind.ParenthesizedExpression: case import_typescript17.default.SyntaxKind.ArrayLiteralExpression: case import_typescript17.default.SyntaxKind.ObjectLiteralExpression: case import_typescript17.default.SyntaxKind.TemplateExpression: current = parent; break; default: return false; } } } function isFalsyType(type) { if (isTypeFlagSet( type, import_typescript18.default.TypeFlags.Undefined | import_typescript18.default.TypeFlags.Null | import_typescript18.default.TypeFlags.Void )) { return true; } if (type.isLiteral()) { return !type.value; } return isFalseLiteralType(type); } function intersectionTypeParts(type) { return isIntersectionType(type) ? type.types : [type]; } function typeParts(type) { return isIntersectionType(type) || isUnionType(type) ? type.types : [type]; } function isReadonlyPropertyIntersection(type, name, typeChecker) { const typeParts2 = isIntersectionType(type) ? type.types : [type]; return typeParts2.some((subType) => { const prop = getPropertyOfType(subType, name); if (prop === void 0) { return false; } if (prop.flags & import_typescript18.default.SymbolFlags.Transient) { if (/^(?:[1-9]\d*|0)$/.test(name) && isTupleTypeReference(subType)) { return subType.target.readonly; } switch (isReadonlyPropertyFromMappedType(subType, name, typeChecker)) { case true: return true; case false: return false; default: } } return !!// members of namespace import (isSymbolFlagSet(prop, import_typescript18.default.SymbolFlags.ValueModule) || // we unwrapped every mapped type, now we can check the actual declarations symbolHasReadonlyDeclaration(prop, typeChecker)); }); } function isReadonlyPropertyFromMappedType(type, name, typeChecker) { if (!isObjectType(type) || !isObjectFlagSet(type, import_typescript18.default.ObjectFlags.Mapped)) { return; } const declaration = type.symbol.declarations[0]; if (declaration.readonlyToken !== void 0 && !/^__@[^@]+$/.test(name)) { return declaration.readonlyToken.kind !== import_typescript18.default.SyntaxKind.MinusToken; } const { modifiersType } = type; return modifiersType && isPropertyReadonlyInType(modifiersType, name, typeChecker); } function isCallback(typeChecker, param, node) { let type = typeChecker.getApparentType( typeChecker.getTypeOfSymbolAtLocation(param, node) ); if (param.valueDeclaration.dotDotDotToken) { type = type.getNumberIndexType(); if (type === void 0) { return false; } } for (const subType of unionTypeParts(type)) { if (subType.getCallSignatures().length !== 0) { return true; } } return false; } function isPropertyReadonlyInType(type, name, typeChecker) { let seenProperty = false; let seenReadonlySignature = false; for (const subType of unionTypeParts(type)) { if (getPropertyOfType(subType, name) === void 0) { const index = (isNumericPropertyName(name) ? typeChecker.getIndexInfoOfType(subType, import_typescript18.default.IndexKind.Number) : void 0) ?? typeChecker.getIndexInfoOfType(subType, import_typescript18.default.IndexKind.String); if (index?.isReadonly) { if (seenProperty) { return true; } seenReadonlySignature = true; } } else if (seenReadonlySignature || isReadonlyPropertyIntersection(subType, name, typeChecker)) { return true; } else { seenProperty = true; } } return false; } function isReadonlyAssignmentDeclaration(node, typeChecker) { if (!isBindableObjectDefinePropertyCall(node)) { return false; } const descriptorType = typeChecker.getTypeAtLocation(node.arguments[2]); if (descriptorType.getProperty("value") === void 0) { return descriptorType.getProperty("set") === void 0; } const writableProp = descriptorType.getProperty("writable"); if (writableProp === void 0) { return false; } const writableType = writableProp.valueDeclaration !== void 0 && import_typescript18.default.isPropertyAssignment(writableProp.valueDeclaration) ? typeChecker.getTypeAtLocation(writableProp.valueDeclaration.initializer) : typeChecker.getTypeOfSymbolAtLocation(writableProp, node.arguments[2]); return isFalseLiteralType(writableType); } function isThenableType(typeChecker, node, type = typeChecker.getTypeAtLocation(node)) { for (const typePart of unionTypeParts(typeChecker.getApparentType(type))) { const then = typePart.getProperty("then"); if (then === void 0) { continue; } const thenType = typeChecker.getTypeOfSymbolAtLocation(then, node); for (const subTypePart of unionTypeParts(thenType)) { for (const signature of subTypePart.getCallSignatures()) { if (signature.parameters.length !== 0 && isCallback(typeChecker, signature.parameters[0], node)) { return true; } } } } return false; } function symbolHasReadonlyDeclaration(symbol, typeChecker) { return !!((symbol.flags & import_typescript18.default.SymbolFlags.Accessor) === import_typescript18.default.SymbolFlags.GetAccessor || symbol.declarations?.some( (node) => isModifierFlagSet(node, import_typescript18.default.ModifierFlags.Readonly) || import_typescript18.default.isVariableDeclaration(node) && isNodeFlagSet(node.parent, import_typescript18.default.NodeFlags.Const) || import_typescript18.default.isCallExpression(node) && isReadonlyAssignmentDeclaration(node, typeChecker) || import_typescript18.default.isEnumMember(node) || (import_typescript18.default.isPropertyAssignment(node) || import_typescript18.default.isShorthandPropertyAssignment(node)) && isInConstContext(node.parent) )); } function unionTypeParts(type) { return isUnionType(type) ? type.types : [type]; } var import_typescript24 = __toESM2(require_typescript(), 1); var import_typescript19 = __toESM2(require_typescript(), 1); function isBlockScopeBoundary(node) { switch (node.kind) { case import_typescript19.default.SyntaxKind.Block: { const parent = node.parent; return parent.kind !== import_typescript19.default.SyntaxKind.CatchClause && // blocks inside SourceFile are block scope boundaries (parent.kind === import_typescript19.default.SyntaxKind.SourceFile || // blocks that are direct children of a function scope boundary are no scope boundary // for example the FunctionBlock is part of the function scope of the containing function !isFunctionScopeBoundary(parent)) ? 2 : 0; } case import_typescript19.default.SyntaxKind.ForStatement: case import_typescript19.default.SyntaxKind.ForInStatement: case import_typescript19.default.SyntaxKind.ForOfStatement: case import_typescript19.default.SyntaxKind.CaseBlock: case import_typescript19.default.SyntaxKind.CatchClause: case import_typescript19.default.SyntaxKind.WithStatement: return 2; default: return 0; } } var import_typescript21 = __toESM2(require_typescript(), 1); var import_typescript20 = __toESM2(require_typescript(), 1); function identifierToKeywordKind(node) { return "identifierToKeywordKind" in import_typescript20.default ? import_typescript20.default.identifierToKeywordKind(node) : ( // eslint-disable-next-line deprecation/deprecation node.originalKeywordKind ); } function canHaveDecorators(node) { return "canHaveDecorators" in import_typescript20.default ? import_typescript20.default.canHaveDecorators(node) : "decorators" in node; } function getDecorators(node) { return "getDecorators" in import_typescript20.default ? import_typescript20.default.getDecorators(node) : node.decorators; } var DeclarationDomain = /* @__PURE__ */ ((DeclarationDomain2) => { DeclarationDomain2[DeclarationDomain2["Import"] = 8] = "Import"; DeclarationDomain2[DeclarationDomain2["Namespace"] = 1] = "Namespace"; DeclarationDomain2[DeclarationDomain2["Type"] = 2] = "Type"; DeclarationDomain2[DeclarationDomain2["Value"] = 4] = "Value"; DeclarationDomain2[DeclarationDomain2["Any"] = 7] = "Any"; return DeclarationDomain2; })(DeclarationDomain || {}); function getDeclarationDomain(node) { switch (node.parent.kind) { case import_typescript21.default.SyntaxKind.TypeParameter: case import_typescript21.default.SyntaxKind.InterfaceDeclaration: case import_typescript21.default.SyntaxKind.TypeAliasDeclaration: return 2; case import_typescript21.default.SyntaxKind.ClassDeclaration: case import_typescript21.default.SyntaxKind.ClassExpression: return 2 | 4; case import_typescript21.default.SyntaxKind.EnumDeclaration: return 7; case import_typescript21.default.SyntaxKind.NamespaceImport: case import_typescript21.default.SyntaxKind.ImportClause: return 7 | 8; case import_typescript21.default.SyntaxKind.ImportEqualsDeclaration: case import_typescript21.default.SyntaxKind.ImportSpecifier: return node.parent.name === node ? 7 | 8 : void 0; case import_typescript21.default.SyntaxKind.ModuleDeclaration: return 1; case import_typescript21.default.SyntaxKind.Parameter: if (node.parent.parent.kind === import_typescript21.default.SyntaxKind.IndexSignature || identifierToKeywordKind(node) === import_typescript21.default.SyntaxKind.ThisKeyword) { return; } case import_typescript21.default.SyntaxKind.BindingElement: case import_typescript21.default.SyntaxKind.VariableDeclaration: return node.parent.name === node ? 4 : void 0; case import_typescript21.default.SyntaxKind.FunctionDeclaration: case import_typescript21.default.SyntaxKind.FunctionExpression: return 4; } } var import_typescript22 = __toESM2(require_typescript(), 1); function unwrapParentheses(node) { while (node.kind === import_typescript22.default.SyntaxKind.ParenthesizedExpression) { node = node.expression; } return node; } function getPropertyName2(propertyName) { if (propertyName.kind === import_typescript22.default.SyntaxKind.ComputedPropertyName) { const expression = unwrapParentheses(propertyName.expression); if (import_typescript22.default.isPrefixUnaryExpression(expression)) { let negate2 = false; switch (expression.operator) { case import_typescript22.default.SyntaxKind.MinusToken: negate2 = true; case import_typescript22.default.SyntaxKind.PlusToken: return import_typescript22.default.isNumericLiteral(expression.operand) ? `${negate2 ? "-" : ""}${expression.operand.text}` : import_typescript22.default.isBigIntLiteral(expression.operand) ? `${negate2 ? "-" : ""}${expression.operand.text.slice(0, -1)}` : void 0; default: return; } } if (import_typescript22.default.isBigIntLiteral(expression)) { return expression.text.slice(0, -1); } if (isNumericOrStringLikeLiteral(expression)) { return expression.text; } return; } return propertyName.kind === import_typescript22.default.SyntaxKind.PrivateIdentifier ? void 0 : propertyName.text; } var import_typescript23 = __toESM2(require_typescript(), 1); var UsageDomain = /* @__PURE__ */ ((UsageDomain2) => { UsageDomain2[UsageDomain2["Namespace"] = 1] = "Namespace"; UsageDomain2[UsageDomain2["Type"] = 2] = "Type"; UsageDomain2[UsageDomain2["TypeQuery"] = 8] = "TypeQuery"; UsageDomain2[UsageDomain2["Value"] = 4] = "Value"; UsageDomain2[UsageDomain2["ValueOrNamespace"] = 5] = "ValueOrNamespace"; UsageDomain2[UsageDomain2["Any"] = 7] = "Any"; return UsageDomain2; })(UsageDomain || {}); function getUsageDomain(node) { const parent = node.parent; switch (parent.kind) { case import_typescript23.default.SyntaxKind.TypeReference: return identifierToKeywordKind(node) !== import_typescript23.default.SyntaxKind.ConstKeyword ? 2 : void 0; case import_typescript23.default.SyntaxKind.ExpressionWithTypeArguments: return parent.parent.token === import_typescript23.default.SyntaxKind.ImplementsKeyword || parent.parent.parent.kind === import_typescript23.default.SyntaxKind.InterfaceDeclaration ? 2 : 4; case import_typescript23.default.SyntaxKind.TypeQuery: return 5 | 8; case import_typescript23.default.SyntaxKind.QualifiedName: if (parent.left === node) { if (getEntityNameParent(parent).kind === import_typescript23.default.SyntaxKind.TypeQuery) { return 1 | 8; } return 1; } break; case import_typescript23.default.SyntaxKind.ExportSpecifier: if (parent.propertyName === void 0 || parent.propertyName === node) { return 7; } break; case import_typescript23.default.SyntaxKind.ExportAssignment: return 7; case import_typescript23.default.SyntaxKind.BindingElement: if (parent.initializer === node) { return 5; } break; case import_typescript23.default.SyntaxKind.Parameter: case import_typescript23.default.SyntaxKind.EnumMember: case import_typescript23.default.SyntaxKind.PropertyDeclaration: case import_typescript23.default.SyntaxKind.VariableDeclaration: case import_typescript23.default.SyntaxKind.PropertyAssignment: case import_typescript23.default.SyntaxKind.PropertyAccessExpression: case import_typescript23.default.SyntaxKind.ImportEqualsDeclaration: if (parent.name !== node) { return 5; } break; case import_typescript23.default.SyntaxKind.JsxAttribute: case import_typescript23.default.SyntaxKind.FunctionDeclaration: case import_typescript23.default.SyntaxKind.FunctionExpression: case import_typescript23.default.SyntaxKind.NamespaceImport: case import_typescript23.default.SyntaxKind.ClassDeclaration: case import_typescript23.default.SyntaxKind.ClassExpression: case import_typescript23.default.SyntaxKind.ModuleDeclaration: case import_typescript23.default.SyntaxKind.MethodDeclaration: case import_typescript23.default.SyntaxKind.EnumDeclaration: case import_typescript23.default.SyntaxKind.GetAccessor: case import_typescript23.default.SyntaxKind.SetAccessor: case import_typescript23.default.SyntaxKind.LabeledStatement: case import_typescript23.default.SyntaxKind.BreakStatement: case import_typescript23.default.SyntaxKind.ContinueStatement: case import_typescript23.default.SyntaxKind.ImportClause: case import_typescript23.default.SyntaxKind.ImportSpecifier: case import_typescript23.default.SyntaxKind.TypePredicate: case import_typescript23.default.SyntaxKind.MethodSignature: case import_typescript23.default.SyntaxKind.PropertySignature: case import_typescript23.default.SyntaxKind.NamespaceExportDeclaration: case import_typescript23.default.SyntaxKind.NamespaceExport: case import_typescript23.default.SyntaxKind.InterfaceDeclaration: case import_typescript23.default.SyntaxKind.TypeAliasDeclaration: case import_typescript23.default.SyntaxKind.TypeParameter: case import_typescript23.default.SyntaxKind.NamedTupleMember: break; default: return 5; } } function getEntityNameParent(name) { let parent = name.parent; while (parent.kind === import_typescript23.default.SyntaxKind.QualifiedName) { parent = parent.parent; } return parent; } var _enumScopes; var AbstractScope = class { constructor(global2) { this.global = global2; __privateAdd(this, _enumScopes, void 0); this.namespaceScopes = void 0; this.uses = []; this.variables = /* @__PURE__ */ new Map(); } addUse(use) { this.uses.push(use); } // eslint-disable-next-line @typescript-eslint/no-empty-function addUseToParent(_use) { } addVariable(identifier, name, selector, exported, domain) { const variables = this.getDestinationScope(selector).getVariables(); const declaration = { declaration: name, domain, exported }; const variable = variables.get(identifier); if (variable === void 0) { variables.set(identifier, { declarations: [declaration], domain, uses: [] }); } else { variable.domain |= domain; variable.declarations.push(declaration); } } applyUse(use, variables = this.variables) { const variable = variables.get(use.location.text); if (variable === void 0 || (variable.domain & use.domain) === 0) { return false; } variable.uses.push(use); return true; } applyUses() { for (const use of this.uses) { if (!this.applyUse(use)) { this.addUseToParent(use); } } this.uses = []; } createOrReuseEnumScope(name, _exported) { let scope; if (__privateGet(this, _enumScopes) === void 0) { __privateSet(this, _enumScopes, /* @__PURE__ */ new Map()); } else { scope = __privateGet(this, _enumScopes).get(name); } if (scope === void 0) { scope = new EnumScope(this); __privateGet(this, _enumScopes).set(name, scope); } return scope; } // only relevant for the root scope createOrReuseNamespaceScope(name, _exported, ambient, hasExportStatement) { let scope; if (this.namespaceScopes === void 0) { this.namespaceScopes = /* @__PURE__ */ new Map(); } else { scope = this.namespaceScopes.get(name); } if (scope === void 0) { scope = new NamespaceScope(ambient, hasExportStatement, this); this.namespaceScopes.set(name, scope); } else { scope.refresh(ambient, hasExportStatement); } return scope; } end(cb) { if (this.namespaceScopes !== void 0) { this.namespaceScopes.forEach((value) => value.finish(cb)); } this.namespaceScopes = __privateSet(this, _enumScopes, void 0); this.applyUses(); this.variables.forEach((variable) => { for (const declaration of variable.declarations) { const result = { declarations: [], domain: declaration.domain, exported: declaration.exported, inGlobalScope: this.global, uses: [] }; for (const other of variable.declarations) { if (other.domain & declaration.domain) { result.declarations.push(other.declaration); } } for (const use of variable.uses) { if (use.domain & declaration.domain) { result.uses.push(use); } } cb(result, declaration.declaration, this); } }); } getFunctionScope() { return this; } getVariables() { return this.variables; } // eslint-disable-next-line @typescript-eslint/no-empty-function markExported(_name2) { } }; _enumScopes = /* @__PURE__ */ new WeakMap(); var NonRootScope = class extends AbstractScope { constructor(parent, boundary) { super(false); this.parent = parent; this.boundary = boundary; } addUseToParent(use) { return this.parent.addUse(use, this); } getDestinationScope(selector) { return this.boundary & selector ? this : this.parent.getDestinationScope(selector); } }; var EnumScope = class extends NonRootScope { constructor(parent) { super( parent, 1 /* Function */ ); } end() { this.applyUses(); } }; var _exportAll; var _exports; var _innerScope; var RootScope = class extends AbstractScope { constructor(exportAll, global2) { super(global2); __privateAdd(this, _exportAll, void 0); __privateAdd(this, _exports, void 0); __privateAdd(this, _innerScope, new NonRootScope( this, 1 /* Function */ )); __privateSet(this, _exportAll, exportAll); } addUse(use, origin) { if (origin === __privateGet(this, _innerScope)) { return super.addUse(use); } return __privateGet(this, _innerScope).addUse(use); } addVariable(identifier, name, selector, exported, domain) { if (domain & 8) { return super.addVariable(identifier, name, selector, exported, domain); } return __privateGet(this, _innerScope).addVariable( identifier, name, selector, exported, domain ); } end(cb) { __privateGet(this, _innerScope).end((value, key) => { value.exported ||= __privateGet(this, _exportAll) || __privateGet(this, _exports) !== void 0 && __privateGet(this, _exports).includes(key.text); value.inGlobalScope = this.global; return cb(value, key, this); }); return super.end((value, key, scope) => { value.exported ||= scope === this && __privateGet(this, _exports) !== void 0 && __privateGet(this, _exports).includes(key.text); return cb(value, key, scope); }); } getDestinationScope() { return this; } markExported(id) { if (__privateGet(this, _exports) === void 0) { __privateSet(this, _exports, [id.text]); } else { __privateGet(this, _exports).push(id.text); } } }; _exportAll = /* @__PURE__ */ new WeakMap(); _exports = /* @__PURE__ */ new WeakMap(); _innerScope = /* @__PURE__ */ new WeakMap(); var _ambient; var _exports2; var _hasExport; var _innerScope2; var NamespaceScope = class extends NonRootScope { constructor(ambient, hasExport, parent) { super( parent, 1 /* Function */ ); __privateAdd(this, _ambient, void 0); __privateAdd(this, _exports2, void 0); __privateAdd(this, _hasExport, void 0); __privateAdd(this, _innerScope2, new NonRootScope( this, 1 /* Function */ )); __privateSet(this, _ambient, ambient); __privateSet(this, _hasExport, hasExport); } addUse(use, source) { if (source !== __privateGet(this, _innerScope2)) { return __privateGet(this, _innerScope2).addUse(use); } this.uses.push(use); } createOrReuseEnumScope(name, exported) { if (!exported && (!__privateGet(this, _ambient) || __privateGet(this, _hasExport))) { return __privateGet(this, _innerScope2).createOrReuseEnumScope(name, exported); } return super.createOrReuseEnumScope(name, exported); } createOrReuseNamespaceScope(name, exported, ambient, hasExportStatement) { if (!exported && (!__privateGet(this, _ambient) || __privateGet(this, _hasExport))) { return __privateGet(this, _innerScope2).createOrReuseNamespaceScope( name, exported, ambient || __privateGet(this, _ambient), hasExportStatement ); } return super.createOrReuseNamespaceScope( name, exported, ambient || __privateGet(this, _ambient), hasExportStatement ); } end(cb) { __privateGet(this, _innerScope2).end((variable, key, scope) => { if (scope !== __privateGet(this, _innerScope2) || !variable.exported && (!__privateGet(this, _ambient) || __privateGet(this, _exports2) !== void 0 && !__privateGet(this, _exports2).has(key.text))) { return cb(variable, key, scope); } const namespaceVar = this.variables.get(key.text); if (namespaceVar === void 0) { this.variables.set(key.text, { declarations: variable.declarations.map(mapDeclaration), domain: variable.domain, uses: [...variable.uses] }); } else { outer: for (const declaration of variable.declarations) { for (const existing of namespaceVar.declarations) { if (existing.declaration === declaration) { continue outer; } namespaceVar.declarations.push(mapDeclaration(declaration)); } } namespaceVar.domain |= variable.domain; for (const use of variable.uses) { if (namespaceVar.uses.includes(use)) { continue; } namespaceVar.uses.push(use); } } }); this.applyUses(); __privateSet(this, _innerScope2, new NonRootScope( this, 1 /* Function */ )); } finish(cb) { return super.end(cb); } getDestinationScope() { return __privateGet(this, _innerScope2); } markExported(name) { if (__privateGet(this, _exports2) === void 0) { __privateSet(this, _exports2, /* @__PURE__ */ new Set()); } __privateGet(this, _exports2).add(name.text); } refresh(ambient, hasExport) { __privateSet(this, _ambient, ambient); __privateSet(this, _hasExport, hasExport); } }; _ambient = /* @__PURE__ */ new WeakMap(); _exports2 = /* @__PURE__ */ new WeakMap(); _hasExport = /* @__PURE__ */ new WeakMap(); _innerScope2 = /* @__PURE__ */ new WeakMap(); function mapDeclaration(declaration) { return { declaration, domain: getDeclarationDomain(declaration), exported: true }; } var FunctionScope = class extends NonRootScope { constructor(parent) { super( parent, 1 /* Function */ ); } beginBody() { this.applyUses(); } }; var _domain; var _name; var AbstractNamedExpressionScope = class extends NonRootScope { constructor(name, domain, parent) { super( parent, 1 /* Function */ ); __privateAdd(this, _domain, void 0); __privateAdd(this, _name, void 0); __privateSet(this, _name, name); __privateSet(this, _domain, domain); } addUse(use, source) { if (source !== this.innerScope) { return this.innerScope.addUse(use); } if (use.domain & __privateGet(this, _domain) && use.location.text === __privateGet(this, _name).text) { this.uses.push(use); } else { return this.parent.addUse(use, this); } } end(cb) { this.innerScope.end(cb); return cb( { declarations: [__privateGet(this, _name)], domain: __privateGet(this, _domain), exported: false, inGlobalScope: false, uses: this.uses }, __privateGet(this, _name), this ); } getDestinationScope() { return this.innerScope; } getFunctionScope() { return this.innerScope; } }; _domain = /* @__PURE__ */ new WeakMap(); _name = /* @__PURE__ */ new WeakMap(); var FunctionExpressionScope = class extends AbstractNamedExpressionScope { constructor(name, parent) { super(name, 4, parent); this.innerScope = new FunctionScope(this); } beginBody() { return this.innerScope.beginBody(); } }; var _functionScope; var BlockScope = class extends NonRootScope { constructor(functionScope, parent) { super( parent, 2 /* Block */ ); __privateAdd(this, _functionScope, void 0); __privateSet(this, _functionScope, functionScope); } getFunctionScope() { return __privateGet(this, _functionScope); } }; _functionScope = /* @__PURE__ */ new WeakMap(); var ClassExpressionScope = class extends AbstractNamedExpressionScope { constructor(name, parent) { super(name, 4 | 2, parent); this.innerScope = new NonRootScope( this, 1 /* Function */ ); } }; var _state; var ConditionalTypeScope = class extends NonRootScope { constructor(parent) { super( parent, 8 /* ConditionalType */ ); __privateAdd( this, _state, 0 /* Initial */ ); } addUse(use) { if (__privateGet(this, _state) === 2) { return void this.uses.push(use); } return this.parent.addUse(use, this); } updateState(newState) { __privateSet(this, _state, newState); } }; _state = /* @__PURE__ */ new WeakMap(); var _result; var _scope; var _handleBindingName; var handleBindingName_fn; var _handleConditionalType; var handleConditionalType_fn; var _handleDeclaration; var handleDeclaration_fn; var _handleFunctionLikeDeclaration; var handleFunctionLikeDeclaration_fn; var _handleModule; var handleModule_fn; var _handleVariableDeclaration; var handleVariableDeclaration_fn; var UsageWalker = class { constructor() { __privateAdd(this, _handleBindingName); __privateAdd(this, _handleConditionalType); __privateAdd(this, _handleDeclaration); __privateAdd(this, _handleFunctionLikeDeclaration); __privateAdd(this, _handleModule); __privateAdd(this, _handleVariableDeclaration); __privateAdd(this, _result, /* @__PURE__ */ new Map()); __privateAdd(this, _scope, void 0); } getUsage(sourceFile) { const variableCallback = (variable, key) => { __privateGet(this, _result).set(key, variable); }; const isModule = import_typescript24.default.isExternalModule(sourceFile); __privateSet(this, _scope, new RootScope( sourceFile.isDeclarationFile && isModule && !containsExportStatement(sourceFile), !isModule )); const cb = (node) => { if (isBlockScopeBoundary(node)) { return continueWithScope( node, new BlockScope(__privateGet(this, _scope).getFunctionScope(), __privateGet(this, _scope)), handleBlockScope ); } switch (node.kind) { case import_typescript24.default.SyntaxKind.ClassExpression: return continueWithScope( node, node.name !== void 0 ? new ClassExpressionScope( node.name, __privateGet(this, _scope) ) : new NonRootScope( __privateGet(this, _scope), 1 /* Function */ ) ); case import_typescript24.default.SyntaxKind.ClassDeclaration: __privateMethod(this, _handleDeclaration, handleDeclaration_fn).call( this, node, true, 4 | 2 /* Type */ ); return continueWithScope( node, new NonRootScope( __privateGet(this, _scope), 1 /* Function */ ) ); case import_typescript24.default.SyntaxKind.InterfaceDeclaration: case import_typescript24.default.SyntaxKind.TypeAliasDeclaration: __privateMethod(this, _handleDeclaration, handleDeclaration_fn).call( this, node, true, 2 /* Type */ ); return continueWithScope( node, new NonRootScope( __privateGet(this, _scope), 4 /* Type */ ) ); case import_typescript24.default.SyntaxKind.EnumDeclaration: __privateMethod(this, _handleDeclaration, handleDeclaration_fn).call( this, node, true, 7 /* Any */ ); return continueWithScope( node, __privateGet(this, _scope).createOrReuseEnumScope( node.name.text, includesModifier( node.modifiers, import_typescript24.default.SyntaxKind.ExportKeyword ) ) ); case import_typescript24.default.SyntaxKind.ModuleDeclaration: return __privateMethod(this, _handleModule, handleModule_fn).call(this, node, continueWithScope); case import_typescript24.default.SyntaxKind.MappedType: return continueWithScope( node, new NonRootScope( __privateGet(this, _scope), 4 /* Type */ ) ); case import_typescript24.default.SyntaxKind.FunctionExpression: case import_typescript24.default.SyntaxKind.ArrowFunction: case import_typescript24.default.SyntaxKind.Constructor: case import_typescript24.default.SyntaxKind.MethodDeclaration: case import_typescript24.default.SyntaxKind.FunctionDeclaration: case import_typescript24.default.SyntaxKind.GetAccessor: case import_typescript24.default.SyntaxKind.SetAccessor: case import_typescript24.default.SyntaxKind.MethodSignature: case import_typescript24.default.SyntaxKind.CallSignature: case import_typescript24.default.SyntaxKind.ConstructSignature: case import_typescript24.default.SyntaxKind.ConstructorType: case import_typescript24.default.SyntaxKind.FunctionType: return __privateMethod(this, _handleFunctionLikeDeclaration, handleFunctionLikeDeclaration_fn).call(this, node, cb, variableCallback); case import_typescript24.default.SyntaxKind.ConditionalType: return __privateMethod(this, _handleConditionalType, handleConditionalType_fn).call(this, node, cb, variableCallback); case import_typescript24.default.SyntaxKind.VariableDeclarationList: __privateMethod(this, _handleVariableDeclaration, handleVariableDeclaration_fn).call(this, node); break; case import_typescript24.default.SyntaxKind.Parameter: if (node.parent.kind !== import_typescript24.default.SyntaxKind.IndexSignature && (node.name.kind !== import_typescript24.default.SyntaxKind.Identifier || identifierToKeywordKind( node.name ) !== import_typescript24.default.SyntaxKind.ThisKeyword)) { __privateMethod(this, _handleBindingName, handleBindingName_fn).call(this, node.name, false, false); } break; case import_typescript24.default.SyntaxKind.EnumMember: __privateGet(this, _scope).addVariable( getPropertyName2(node.name), node.name, 1, true, 4 /* Value */ ); break; case import_typescript24.default.SyntaxKind.ImportClause: case import_typescript24.default.SyntaxKind.ImportSpecifier: case import_typescript24.default.SyntaxKind.NamespaceImport: case import_typescript24.default.SyntaxKind.ImportEqualsDeclaration: __privateMethod(this, _handleDeclaration, handleDeclaration_fn).call( this, node, false, 7 | 8 /* Import */ ); break; case import_typescript24.default.SyntaxKind.TypeParameter: __privateGet(this, _scope).addVariable( node.name.text, node.name, node.parent.kind === import_typescript24.default.SyntaxKind.InferType ? 8 : 7, false, 2 /* Type */ ); break; case import_typescript24.default.SyntaxKind.ExportSpecifier: if (node.propertyName !== void 0) { return __privateGet(this, _scope).markExported( node.propertyName, node.name ); } return __privateGet(this, _scope).markExported(node.name); case import_typescript24.default.SyntaxKind.ExportAssignment: if (node.expression.kind === import_typescript24.default.SyntaxKind.Identifier) { return __privateGet(this, _scope).markExported( node.expression ); } break; case import_typescript24.default.SyntaxKind.Identifier: { const domain = getUsageDomain(node); if (domain !== void 0) { __privateGet(this, _scope).addUse({ domain, location: node }); } return; } } return import_typescript24.default.forEachChild(node, cb); }; const continueWithScope = (node, scope, next = forEachChild) => { const savedScope = __privateGet(this, _scope); __privateSet(this, _scope, scope); next(node); __privateGet(this, _scope).end(variableCallback); __privateSet(this, _scope, savedScope); }; const handleBlockScope = (node) => { if (node.kind === import_typescript24.default.SyntaxKind.CatchClause && node.variableDeclaration !== void 0) { __privateMethod(this, _handleBindingName, handleBindingName_fn).call(this, node.variableDeclaration.name, true, false); } return import_typescript24.default.forEachChild(node, cb); }; import_typescript24.default.forEachChild(sourceFile, cb); __privateGet(this, _scope).end(variableCallback); return __privateGet(this, _result); function forEachChild(node) { return import_typescript24.default.forEachChild(node, cb); } } }; _result = /* @__PURE__ */ new WeakMap(); _scope = /* @__PURE__ */ new WeakMap(); _handleBindingName = /* @__PURE__ */ new WeakSet(); handleBindingName_fn = function(name, blockScoped, exported) { if (name.kind === import_typescript24.default.SyntaxKind.Identifier) { return __privateGet(this, _scope).addVariable( name.text, name, blockScoped ? 3 : 1, exported, 4 /* Value */ ); } forEachDestructuringIdentifier(name, (declaration) => { __privateGet(this, _scope).addVariable( declaration.name.text, declaration.name, blockScoped ? 3 : 1, exported, 4 /* Value */ ); }); }; _handleConditionalType = /* @__PURE__ */ new WeakSet(); handleConditionalType_fn = function(node, cb, varCb) { const savedScope = __privateGet(this, _scope); const scope = __privateSet(this, _scope, new ConditionalTypeScope(savedScope)); cb(node.checkType); scope.updateState( 1 /* Extends */ ); cb(node.extendsType); scope.updateState( 2 /* TrueType */ ); cb(node.trueType); scope.updateState( 3 /* FalseType */ ); cb(node.falseType); scope.end(varCb); __privateSet(this, _scope, savedScope); }; _handleDeclaration = /* @__PURE__ */ new WeakSet(); handleDeclaration_fn = function(node, blockScoped, domain) { if (node.name !== void 0) { __privateGet(this, _scope).addVariable( node.name.text, node.name, blockScoped ? 3 : 1, includesModifier( node.modifiers, import_typescript24.default.SyntaxKind.ExportKeyword ), domain ); } }; _handleFunctionLikeDeclaration = /* @__PURE__ */ new WeakSet(); handleFunctionLikeDeclaration_fn = function(node, cb, varCb) { if (canHaveDecorators(node)) { getDecorators(node)?.forEach(cb); } const savedScope = __privateGet(this, _scope); if (node.kind === import_typescript24.default.SyntaxKind.FunctionDeclaration) { __privateMethod(this, _handleDeclaration, handleDeclaration_fn).call( this, node, false, 4 /* Value */ ); } const scope = __privateSet(this, _scope, node.kind === import_typescript24.default.SyntaxKind.FunctionExpression && node.name !== void 0 ? new FunctionExpressionScope(node.name, savedScope) : new FunctionScope(savedScope)); if (node.name !== void 0) { cb(node.name); } if (node.typeParameters !== void 0) { node.typeParameters.forEach(cb); } node.parameters.forEach(cb); if (node.type !== void 0) { cb(node.type); } if (node.body !== void 0) { scope.beginBody(); cb(node.body); } scope.end(varCb); __privateSet(this, _scope, savedScope); }; _handleModule = /* @__PURE__ */ new WeakSet(); handleModule_fn = function(node, next) { if (node.flags & import_typescript24.default.NodeFlags.GlobalAugmentation) { return next( node, __privateGet(this, _scope).createOrReuseNamespaceScope("-global", false, true, false) ); } if (node.name.kind === import_typescript24.default.SyntaxKind.Identifier) { const exported = isNamespaceExported(node); __privateGet(this, _scope).addVariable( node.name.text, node.name, 1, exported, 1 | 4 /* Value */ ); const ambient = includesModifier( node.modifiers, import_typescript24.default.SyntaxKind.DeclareKeyword ); return next( node, __privateGet(this, _scope).createOrReuseNamespaceScope( node.name.text, exported, ambient, ambient && namespaceHasExportStatement(node) ) ); } return next( node, __privateGet(this, _scope).createOrReuseNamespaceScope( `"${node.name.text}"`, false, true, namespaceHasExportStatement(node) ) ); }; _handleVariableDeclaration = /* @__PURE__ */ new WeakSet(); handleVariableDeclaration_fn = function(declarationList) { const blockScoped = isBlockScopedVariableDeclarationList(declarationList); const exported = declarationList.parent.kind === import_typescript24.default.SyntaxKind.VariableStatement && includesModifier( declarationList.parent.modifiers, import_typescript24.default.SyntaxKind.ExportKeyword ); for (const declaration of declarationList.declarations) { __privateMethod(this, _handleBindingName, handleBindingName_fn).call(this, declaration.name, blockScoped, exported); } }; function isNamespaceExported(node) { return node.parent.kind === import_typescript24.default.SyntaxKind.ModuleDeclaration || includesModifier(node.modifiers, import_typescript24.default.SyntaxKind.ExportKeyword); } function namespaceHasExportStatement(ns) { if (ns.body === void 0 || ns.body.kind !== import_typescript24.default.SyntaxKind.ModuleBlock) { return false; } return containsExportStatement(ns.body); } function containsExportStatement(block) { for (const statement of block.statements) { if (statement.kind === import_typescript24.default.SyntaxKind.ExportDeclaration || statement.kind === import_typescript24.default.SyntaxKind.ExportAssignment) { return true; } } return false; } function isBlockScopedVariableDeclarationList(declarationList) { return (declarationList.flags & import_typescript24.default.NodeFlags.BlockScoped) !== 0; } function forEachDestructuringIdentifier(pattern, fn) { for (const element of pattern.elements) { if (element.kind !== import_typescript24.default.SyntaxKind.BindingElement) { continue; } let result; if (element.name.kind === import_typescript24.default.SyntaxKind.Identifier) { result = fn(element); } else { result = forEachDestructuringIdentifier(element.name, fn); } if (result) { return result; } } } function collectVariableUsage(sourceFile) { return new UsageWalker().getUsage(sourceFile); } } }); // node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/typeFlagUtils.js var require_typeFlagUtils = __commonJS({ "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/typeFlagUtils.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getTypeFlags = getTypeFlags; exports2.isTypeFlagSet = isTypeFlagSet; var tsutils = __importStar2(require_lib5()); var ts = __importStar2(require_typescript()); var ANY_OR_UNKNOWN = ts.TypeFlags.Any | ts.TypeFlags.Unknown; function getTypeFlags(type) { let flags = 0; for (const t of tsutils.unionTypeParts(type)) { flags |= t.flags; } return flags; } function isTypeFlagSet(type, flagsToCheck, isReceiver) { const flags = getTypeFlags(type); if (isReceiver && flags & ANY_OR_UNKNOWN) { return true; } return (flags & flagsToCheck) !== 0; } } }); // node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/containsAllTypesByName.js var require_containsAllTypesByName = __commonJS({ "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/containsAllTypesByName.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.containsAllTypesByName = containsAllTypesByName; var tsutils = __importStar2(require_lib5()); var ts = __importStar2(require_typescript()); var typeFlagUtils_1 = require_typeFlagUtils(); function containsAllTypesByName(type, allowAny, allowedNames, matchAnyInstead = false) { if ((0, typeFlagUtils_1.isTypeFlagSet)(type, ts.TypeFlags.Any | ts.TypeFlags.Unknown)) { return !allowAny; } if (tsutils.isTypeReference(type)) { type = type.target; } const symbol = type.getSymbol(); if (symbol && allowedNames.has(symbol.name)) { return true; } const predicate = (t) => containsAllTypesByName(t, allowAny, allowedNames, matchAnyInstead); if (tsutils.isUnionOrIntersectionType(type)) { return matchAnyInstead ? type.types.some(predicate) : type.types.every(predicate); } const bases = type.getBaseTypes(); return bases !== void 0 && (matchAnyInstead ? bases.some(predicate) : bases.length > 0 && bases.every(predicate)); } } }); // node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/getConstrainedTypeAtLocation.js var require_getConstrainedTypeAtLocation = __commonJS({ "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/getConstrainedTypeAtLocation.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getConstrainedTypeAtLocation = getConstrainedTypeAtLocation; function getConstrainedTypeAtLocation(services, node) { const nodeType = services.getTypeAtLocation(node); const constrained = services.program.getTypeChecker().getBaseConstraintOfType(nodeType); return constrained ?? nodeType; } } }); // node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/getContextualType.js var require_getContextualType = __commonJS({ "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/getContextualType.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getContextualType = getContextualType; var ts = __importStar2(require_typescript()); function getContextualType(checker, node) { const parent = node.parent; if (ts.isCallExpression(parent) || ts.isNewExpression(parent)) { if (node === parent.expression) { return; } } else if (ts.isVariableDeclaration(parent) || ts.isPropertyDeclaration(parent) || ts.isParameter(parent)) { return parent.type ? checker.getTypeFromTypeNode(parent.type) : void 0; } else if (ts.isJsxExpression(parent)) { return checker.getContextualType(parent); } else if (ts.isIdentifier(node) && (ts.isPropertyAssignment(parent) || ts.isShorthandPropertyAssignment(parent))) { return checker.getContextualType(node); } else if (ts.isBinaryExpression(parent) && parent.operatorToken.kind === ts.SyntaxKind.EqualsToken && parent.right === node) { return checker.getTypeAtLocation(parent.left); } else if (![ts.SyntaxKind.TemplateSpan, ts.SyntaxKind.JsxExpression].includes(parent.kind)) { return; } return checker.getContextualType(node); } } }); // node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/getDeclaration.js var require_getDeclaration = __commonJS({ "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/getDeclaration.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getDeclaration = getDeclaration; function getDeclaration(services, node) { const symbol = services.getSymbolAtLocation(node); if (!symbol) { return null; } const declarations = symbol.getDeclarations(); return declarations?.[0] ?? null; } } }); // node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/getSourceFileOfNode.js var require_getSourceFileOfNode = __commonJS({ "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/getSourceFileOfNode.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getSourceFileOfNode = getSourceFileOfNode; var ts = __importStar2(require_typescript()); function getSourceFileOfNode(node) { while (node.kind !== ts.SyntaxKind.SourceFile) { node = node.parent; } return node; } } }); // node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/getTokenAtPosition.js var require_getTokenAtPosition = __commonJS({ "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/getTokenAtPosition.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getTokenAtPosition = getTokenAtPosition; var ts = __importStar2(require_typescript()); function getTokenAtPosition(sourceFile, position) { const queue = [sourceFile]; let current; while (queue.length > 0) { current = queue.shift(); for (const child of current.getChildren(sourceFile)) { const start = child.getFullStart(); if (start > position) { return current; } const end = child.getEnd(); if (position < end || position === end && child.kind === ts.SyntaxKind.EndOfFileToken) { queue.push(child); break; } } } return current; } } }); // node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/getTypeArguments.js var require_getTypeArguments = __commonJS({ "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/getTypeArguments.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getTypeArguments = getTypeArguments; function getTypeArguments(type, checker) { if (checker.getTypeArguments) { return checker.getTypeArguments(type); } return type.typeArguments ?? []; } } }); // node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/getTypeName.js var require_getTypeName = __commonJS({ "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/getTypeName.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getTypeName = getTypeName; var ts = __importStar2(require_typescript()); function getTypeName(typeChecker, type) { if ((type.flags & ts.TypeFlags.StringLike) !== 0) { return "string"; } if ((type.flags & ts.TypeFlags.TypeParameter) !== 0) { const symbol = type.getSymbol(); const decls = symbol?.getDeclarations(); const typeParamDecl = decls?.[0]; if (ts.isTypeParameterDeclaration(typeParamDecl) && typeParamDecl.constraint != null) { return getTypeName(typeChecker, typeChecker.getTypeFromTypeNode(typeParamDecl.constraint)); } } if (type.isUnion() && type.types.map((value) => getTypeName(typeChecker, value)).every((t) => t === "string")) { return "string"; } if (type.isIntersection() && type.types.map((value) => getTypeName(typeChecker, value)).some((t) => t === "string")) { return "string"; } return typeChecker.typeToString(type); } } }); // node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/propertyTypes.js var require_propertyTypes = __commonJS({ "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/propertyTypes.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getTypeOfPropertyOfName = getTypeOfPropertyOfName; exports2.getTypeOfPropertyOfType = getTypeOfPropertyOfType; function getTypeOfPropertyOfName(checker, type, name, escapedName) { if (!escapedName || !isSymbol2(escapedName)) { return checker.getTypeOfPropertyOfType(type, name); } const escapedProperty = type.getProperties().find((property) => property.escapedName === escapedName); return escapedProperty ? checker.getDeclaredTypeOfSymbol(escapedProperty) : void 0; } function getTypeOfPropertyOfType(checker, type, property) { return getTypeOfPropertyOfName(checker, type, property.getName(), property.getEscapedName()); } function isSymbol2(escapedName) { return isKnownSymbol(escapedName) || isPrivateIdentifierSymbol(escapedName); } function isKnownSymbol(escapedName) { return escapedName.startsWith("__@"); } function isPrivateIdentifierSymbol(escapedName) { return escapedName.startsWith("__#"); } } }); // node_modules/.pnpm/ms@2.1.3/node_modules/ms/index.js var require_ms2 = __commonJS({ "node_modules/.pnpm/ms@2.1.3/node_modules/ms/index.js"(exports2, module2) { var s = 1e3; var m = s * 60; var h = m * 60; var d = h * 24; var w = d * 7; var y = d * 365.25; module2.exports = function(val, options) { options = options || {}; var type = typeof val; if (type === "string" && val.length > 0) { return parse2(val); } else if (type === "number" && isFinite(val)) { return options.long ? fmtLong(val) : fmtShort(val); } throw new Error( "val is not a non-empty string or a valid number. val=" + JSON.stringify(val) ); }; function parse2(str) { str = String(str); if (str.length > 100) { return; } var match = /^(-?(?:\d+)?\.?\d+) *(milliseconds?|msecs?|ms|seconds?|secs?|s|minutes?|mins?|m|hours?|hrs?|h|days?|d|weeks?|w|years?|yrs?|y)?$/i.exec( str ); if (!match) { return; } var n = parseFloat(match[1]); var type = (match[2] || "ms").toLowerCase(); switch (type) { case "years": case "year": case "yrs": case "yr": case "y": return n * y; case "weeks": case "week": case "w": return n * w; case "days": case "day": case "d": return n * d; case "hours": case "hour": case "hrs": case "hr": case "h": return n * h; case "minutes": case "minute": case "mins": case "min": case "m": return n * m; case "seconds": case "second": case "secs": case "sec": case "s": return n * s; case "milliseconds": case "millisecond": case "msecs": case "msec": case "ms": return n; default: return void 0; } } function fmtShort(ms) { var msAbs = Math.abs(ms); if (msAbs >= d) { return Math.round(ms / d) + "d"; } if (msAbs >= h) { return Math.round(ms / h) + "h"; } if (msAbs >= m) { return Math.round(ms / m) + "m"; } if (msAbs >= s) { return Math.round(ms / s) + "s"; } return ms + "ms"; } function fmtLong(ms) { var msAbs = Math.abs(ms); if (msAbs >= d) { return plural(ms, msAbs, d, "day"); } if (msAbs >= h) { return plural(ms, msAbs, h, "hour"); } if (msAbs >= m) { return plural(ms, msAbs, m, "minute"); } if (msAbs >= s) { return plural(ms, msAbs, s, "second"); } return ms + " ms"; } function plural(ms, msAbs, n, name) { var isPlural = msAbs >= n * 1.5; return Math.round(ms / n) + " " + name + (isPlural ? "s" : ""); } } }); // node_modules/.pnpm/debug@4.3.7/node_modules/debug/src/common.js var require_common2 = __commonJS({ "node_modules/.pnpm/debug@4.3.7/node_modules/debug/src/common.js"(exports2, module2) { function setup(env) { createDebug2.debug = createDebug2; createDebug2.default = createDebug2; createDebug2.coerce = coerce2; createDebug2.disable = disable; createDebug2.enable = enable; createDebug2.enabled = enabled; createDebug2.humanize = require_ms2(); createDebug2.destroy = destroy; Object.keys(env).forEach((key) => { createDebug2[key] = env[key]; }); createDebug2.names = []; createDebug2.skips = []; createDebug2.formatters = {}; function selectColor(namespace) { let hash = 0; for (let i = 0; i < namespace.length; i++) { hash = (hash << 5) - hash + namespace.charCodeAt(i); hash |= 0; } return createDebug2.colors[Math.abs(hash) % createDebug2.colors.length]; } createDebug2.selectColor = selectColor; function createDebug2(namespace) { let prevTime; let enableOverride = null; let namespacesCache; let enabledCache; function debug5(...args) { if (!debug5.enabled) { return; } const self2 = debug5; const curr = Number(/* @__PURE__ */ new Date()); const ms = curr - (prevTime || curr); self2.diff = ms; self2.prev = prevTime; self2.curr = curr; prevTime = curr; args[0] = createDebug2.coerce(args[0]); if (typeof args[0] !== "string") { args.unshift("%O"); } let index = 0; args[0] = args[0].replace(/%([a-zA-Z%])/g, (match, format2) => { if (match === "%%") { return "%"; } index++; const formatter = createDebug2.formatters[format2]; if (typeof formatter === "function") { const val = args[index]; match = formatter.call(self2, val); args.splice(index, 1); index--; } return match; }); createDebug2.formatArgs.call(self2, args); const logFn = self2.log || createDebug2.log; logFn.apply(self2, args); } debug5.namespace = namespace; debug5.useColors = createDebug2.useColors(); debug5.color = createDebug2.selectColor(namespace); debug5.extend = extend; debug5.destroy = createDebug2.destroy; Object.defineProperty(debug5, "enabled", { enumerable: true, configurable: false, get: () => { if (enableOverride !== null) { return enableOverride; } if (namespacesCache !== createDebug2.namespaces) { namespacesCache = createDebug2.namespaces; enabledCache = createDebug2.enabled(namespace); } return enabledCache; }, set: (v) => { enableOverride = v; } }); if (typeof createDebug2.init === "function") { createDebug2.init(debug5); } return debug5; } function extend(namespace, delimiter2) { const newDebug = createDebug2(this.namespace + (typeof delimiter2 === "undefined" ? ":" : delimiter2) + namespace); newDebug.log = this.log; return newDebug; } function enable(namespaces) { createDebug2.save(namespaces); createDebug2.namespaces = namespaces; createDebug2.names = []; createDebug2.skips = []; let i; const split = (typeof namespaces === "string" ? namespaces : "").split(/[\s,]+/); const len = split.length; for (i = 0; i < len; i++) { if (!split[i]) { continue; } namespaces = split[i].replace(/\*/g, ".*?"); if (namespaces[0] === "-") { createDebug2.skips.push(new RegExp("^" + namespaces.slice(1) + "$")); } else { createDebug2.names.push(new RegExp("^" + namespaces + "$")); } } } function disable() { const namespaces = [ ...createDebug2.names.map(toNamespace), ...createDebug2.skips.map(toNamespace).map((namespace) => "-" + namespace) ].join(","); createDebug2.enable(""); return namespaces; } function enabled(name) { if (name[name.length - 1] === "*") { return true; } let i; let len; for (i = 0, len = createDebug2.skips.length; i < len; i++) { if (createDebug2.skips[i].test(name)) { return false; } } for (i = 0, len = createDebug2.names.length; i < len; i++) { if (createDebug2.names[i].test(name)) { return true; } } return false; } function toNamespace(regexp) { return regexp.toString().substring(2, regexp.toString().length - 2).replace(/\.\*\?$/, "*"); } function coerce2(val) { if (val instanceof Error) { return val.stack || val.message; } return val; } function destroy() { console.warn("Instance method `debug.destroy()` is deprecated and no longer does anything. It will be removed in the next major version of `debug`."); } createDebug2.enable(createDebug2.load()); return createDebug2; } module2.exports = setup; } }); // node_modules/.pnpm/debug@4.3.7/node_modules/debug/src/browser.js var require_browser2 = __commonJS({ "node_modules/.pnpm/debug@4.3.7/node_modules/debug/src/browser.js"(exports2, module2) { exports2.formatArgs = formatArgs; exports2.save = save; exports2.load = load; exports2.useColors = useColors; exports2.storage = localstorage(); exports2.destroy = /* @__PURE__ */ (() => { let warned = false; return () => { if (!warned) { warned = true; console.warn("Instance method `debug.destroy()` is deprecated and no longer does anything. It will be removed in the next major version of `debug`."); } }; })(); exports2.colors = [ "#0000CC", "#0000FF", "#0033CC", "#0033FF", "#0066CC", "#0066FF", "#0099CC", "#0099FF", "#00CC00", "#00CC33", "#00CC66", "#00CC99", "#00CCCC", "#00CCFF", "#3300CC", "#3300FF", "#3333CC", "#3333FF", "#3366CC", "#3366FF", "#3399CC", "#3399FF", "#33CC00", "#33CC33", "#33CC66", "#33CC99", "#33CCCC", "#33CCFF", "#6600CC", "#6600FF", "#6633CC", "#6633FF", "#66CC00", "#66CC33", "#9900CC", "#9900FF", "#9933CC", "#9933FF", "#99CC00", "#99CC33", "#CC0000", "#CC0033", "#CC0066", "#CC0099", "#CC00CC", "#CC00FF", "#CC3300", "#CC3333", "#CC3366", "#CC3399", "#CC33CC", "#CC33FF", "#CC6600", "#CC6633", "#CC9900", "#CC9933", "#CCCC00", "#CCCC33", "#FF0000", "#FF0033", "#FF0066", "#FF0099", "#FF00CC", "#FF00FF", "#FF3300", "#FF3333", "#FF3366", "#FF3399", "#FF33CC", "#FF33FF", "#FF6600", "#FF6633", "#FF9900", "#FF9933", "#FFCC00", "#FFCC33" ]; function useColors() { if (typeof window !== "undefined" && window.process && (window.process.type === "renderer" || window.process.__nwjs)) { return true; } if (typeof navigator !== "undefined" && navigator.userAgent && navigator.userAgent.toLowerCase().match(/(edge|trident)\/(\d+)/)) { return false; } let m; return typeof document !== "undefined" && document.documentElement && document.documentElement.style && document.documentElement.style.WebkitAppearance || // Is firebug? http://stackoverflow.com/a/398120/376773 typeof window !== "undefined" && window.console && (window.console.firebug || window.console.exception && window.console.table) || // Is firefox >= v31? // https://developer.mozilla.org/en-US/docs/Tools/Web_Console#Styling_messages typeof navigator !== "undefined" && navigator.userAgent && (m = navigator.userAgent.toLowerCase().match(/firefox\/(\d+)/)) && parseInt(m[1], 10) >= 31 || // Double check webkit in userAgent just in case we are in a worker typeof navigator !== "undefined" && navigator.userAgent && navigator.userAgent.toLowerCase().match(/applewebkit\/(\d+)/); } function formatArgs(args) { args[0] = (this.useColors ? "%c" : "") + this.namespace + (this.useColors ? " %c" : " ") + args[0] + (this.useColors ? "%c " : " ") + "+" + module2.exports.humanize(this.diff); if (!this.useColors) { return; } const c = "color: " + this.color; args.splice(1, 0, c, "color: inherit"); let index = 0; let lastC = 0; args[0].replace(/%[a-zA-Z%]/g, (match) => { if (match === "%%") { return; } index++; if (match === "%c") { lastC = index; } }); args.splice(lastC, 0, c); } exports2.log = console.debug || console.log || (() => { }); function save(namespaces) { try { if (namespaces) { exports2.storage.setItem("debug", namespaces); } else { exports2.storage.removeItem("debug"); } } catch (error) { } } function load() { let r; try { r = exports2.storage.getItem("debug"); } catch (error) { } if (!r && typeof process !== "undefined" && "env" in process) { r = process.env.DEBUG; } return r; } function localstorage() { try { return localStorage; } catch (error) { } } module2.exports = require_common2()(exports2); var { formatters } = module2.exports; formatters.j = function(v) { try { return JSON.stringify(v); } catch (error) { return "[UnexpectedJSONParseError]: " + error.message; } }; } }); // node_modules/.pnpm/debug@4.3.7/node_modules/debug/src/node.js var require_node2 = __commonJS({ "node_modules/.pnpm/debug@4.3.7/node_modules/debug/src/node.js"(exports2, module2) { var tty = require("tty"); var util5 = require("util"); exports2.init = init; exports2.log = log; exports2.formatArgs = formatArgs; exports2.save = save; exports2.load = load; exports2.useColors = useColors; exports2.destroy = util5.deprecate( () => { }, "Instance method `debug.destroy()` is deprecated and no longer does anything. It will be removed in the next major version of `debug`." ); exports2.colors = [6, 2, 3, 4, 5, 1]; try { const supportsColor = require_supports_color(); if (supportsColor && (supportsColor.stderr || supportsColor).level >= 2) { exports2.colors = [ 20, 21, 26, 27, 32, 33, 38, 39, 40, 41, 42, 43, 44, 45, 56, 57, 62, 63, 68, 69, 74, 75, 76, 77, 78, 79, 80, 81, 92, 93, 98, 99, 112, 113, 128, 129, 134, 135, 148, 149, 160, 161, 162, 163, 164, 165, 166, 167, 168, 169, 170, 171, 172, 173, 178, 179, 184, 185, 196, 197, 198, 199, 200, 201, 202, 203, 204, 205, 206, 207, 208, 209, 214, 215, 220, 221 ]; } } catch (error) { } exports2.inspectOpts = Object.keys(process.env).filter((key) => { return /^debug_/i.test(key); }).reduce((obj, key) => { const prop = key.substring(6).toLowerCase().replace(/_([a-z])/g, (_, k) => { return k.toUpperCase(); }); let val = process.env[key]; if (/^(yes|on|true|enabled)$/i.test(val)) { val = true; } else if (/^(no|off|false|disabled)$/i.test(val)) { val = false; } else if (val === "null") { val = null; } else { val = Number(val); } obj[prop] = val; return obj; }, {}); function useColors() { return "colors" in exports2.inspectOpts ? Boolean(exports2.inspectOpts.colors) : tty.isatty(process.stderr.fd); } function formatArgs(args) { const { namespace: name, useColors: useColors2 } = this; if (useColors2) { const c = this.color; const colorCode = "\x1B[3" + (c < 8 ? c : "8;5;" + c); const prefix = ` ${colorCode};1m${name} \x1B[0m`; args[0] = prefix + args[0].split("\n").join("\n" + prefix); args.push(colorCode + "m+" + module2.exports.humanize(this.diff) + "\x1B[0m"); } else { args[0] = getDate() + name + " " + args[0]; } } function getDate() { if (exports2.inspectOpts.hideDate) { return ""; } return (/* @__PURE__ */ new Date()).toISOString() + " "; } function log(...args) { return process.stderr.write(util5.formatWithOptions(exports2.inspectOpts, ...args) + "\n"); } function save(namespaces) { if (namespaces) { process.env.DEBUG = namespaces; } else { delete process.env.DEBUG; } } function load() { return process.env.DEBUG; } function init(debug5) { debug5.inspectOpts = {}; const keys2 = Object.keys(exports2.inspectOpts); for (let i = 0; i < keys2.length; i++) { debug5.inspectOpts[keys2[i]] = exports2.inspectOpts[keys2[i]]; } } module2.exports = require_common2()(exports2); var { formatters } = module2.exports; formatters.o = function(v) { this.inspectOpts.colors = this.useColors; return util5.inspect(v, this.inspectOpts).split("\n").map((str) => str.trim()).join(" "); }; formatters.O = function(v) { this.inspectOpts.colors = this.useColors; return util5.inspect(v, this.inspectOpts); }; } }); // node_modules/.pnpm/debug@4.3.7/node_modules/debug/src/index.js var require_src2 = __commonJS({ "node_modules/.pnpm/debug@4.3.7/node_modules/debug/src/index.js"(exports2, module2) { if (typeof process === "undefined" || process.type === "renderer" || process.browser === true || process.__nwjs) { module2.exports = require_browser2(); } else { module2.exports = require_node2(); } } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/internal/constants.js var require_constants = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/internal/constants.js"(exports2, module2) { var SEMVER_SPEC_VERSION = "2.0.0"; var MAX_LENGTH = 256; var MAX_SAFE_INTEGER3 = Number.MAX_SAFE_INTEGER || /* istanbul ignore next */ 9007199254740991; var MAX_SAFE_COMPONENT_LENGTH = 16; var MAX_SAFE_BUILD_LENGTH = MAX_LENGTH - 6; var RELEASE_TYPES = [ "major", "premajor", "minor", "preminor", "patch", "prepatch", "prerelease" ]; module2.exports = { MAX_LENGTH, MAX_SAFE_COMPONENT_LENGTH, MAX_SAFE_BUILD_LENGTH, MAX_SAFE_INTEGER: MAX_SAFE_INTEGER3, RELEASE_TYPES, SEMVER_SPEC_VERSION, FLAG_INCLUDE_PRERELEASE: 1, FLAG_LOOSE: 2 }; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/internal/debug.js var require_debug = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/internal/debug.js"(exports2, module2) { var debug5 = typeof process === "object" && process.env && process.env.NODE_DEBUG && /\bsemver\b/i.test(process.env.NODE_DEBUG) ? (...args) => console.error("SEMVER", ...args) : () => { }; module2.exports = debug5; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/internal/re.js var require_re = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/internal/re.js"(exports2, module2) { var { MAX_SAFE_COMPONENT_LENGTH, MAX_SAFE_BUILD_LENGTH, MAX_LENGTH } = require_constants(); var debug5 = require_debug(); exports2 = module2.exports = {}; var re = exports2.re = []; var safeRe = exports2.safeRe = []; var src = exports2.src = []; var t = exports2.t = {}; var R = 0; var LETTERDASHNUMBER = "[a-zA-Z0-9-]"; var safeRegexReplacements = [ ["\\s", 1], ["\\d", MAX_LENGTH], [LETTERDASHNUMBER, MAX_SAFE_BUILD_LENGTH] ]; var makeSafeRegex = (value) => { for (const [token, max] of safeRegexReplacements) { value = value.split(`${token}*`).join(`${token}{0,${max}}`).split(`${token}+`).join(`${token}{1,${max}}`); } return value; }; var createToken = (name, value, isGlobal) => { const safe = makeSafeRegex(value); const index = R++; debug5(name, index, value); t[name] = index; src[index] = value; re[index] = new RegExp(value, isGlobal ? "g" : void 0); safeRe[index] = new RegExp(safe, isGlobal ? "g" : void 0); }; createToken("NUMERICIDENTIFIER", "0|[1-9]\\d*"); createToken("NUMERICIDENTIFIERLOOSE", "\\d+"); createToken("NONNUMERICIDENTIFIER", `\\d*[a-zA-Z-]${LETTERDASHNUMBER}*`); createToken("MAINVERSION", `(${src[t.NUMERICIDENTIFIER]})\\.(${src[t.NUMERICIDENTIFIER]})\\.(${src[t.NUMERICIDENTIFIER]})`); createToken("MAINVERSIONLOOSE", `(${src[t.NUMERICIDENTIFIERLOOSE]})\\.(${src[t.NUMERICIDENTIFIERLOOSE]})\\.(${src[t.NUMERICIDENTIFIERLOOSE]})`); createToken("PRERELEASEIDENTIFIER", `(?:${src[t.NUMERICIDENTIFIER]}|${src[t.NONNUMERICIDENTIFIER]})`); createToken("PRERELEASEIDENTIFIERLOOSE", `(?:${src[t.NUMERICIDENTIFIERLOOSE]}|${src[t.NONNUMERICIDENTIFIER]})`); createToken("PRERELEASE", `(?:-(${src[t.PRERELEASEIDENTIFIER]}(?:\\.${src[t.PRERELEASEIDENTIFIER]})*))`); createToken("PRERELEASELOOSE", `(?:-?(${src[t.PRERELEASEIDENTIFIERLOOSE]}(?:\\.${src[t.PRERELEASEIDENTIFIERLOOSE]})*))`); createToken("BUILDIDENTIFIER", `${LETTERDASHNUMBER}+`); createToken("BUILD", `(?:\\+(${src[t.BUILDIDENTIFIER]}(?:\\.${src[t.BUILDIDENTIFIER]})*))`); createToken("FULLPLAIN", `v?${src[t.MAINVERSION]}${src[t.PRERELEASE]}?${src[t.BUILD]}?`); createToken("FULL", `^${src[t.FULLPLAIN]}$`); createToken("LOOSEPLAIN", `[v=\\s]*${src[t.MAINVERSIONLOOSE]}${src[t.PRERELEASELOOSE]}?${src[t.BUILD]}?`); createToken("LOOSE", `^${src[t.LOOSEPLAIN]}$`); createToken("GTLT", "((?:<|>)?=?)"); createToken("XRANGEIDENTIFIERLOOSE", `${src[t.NUMERICIDENTIFIERLOOSE]}|x|X|\\*`); createToken("XRANGEIDENTIFIER", `${src[t.NUMERICIDENTIFIER]}|x|X|\\*`); createToken("XRANGEPLAIN", `[v=\\s]*(${src[t.XRANGEIDENTIFIER]})(?:\\.(${src[t.XRANGEIDENTIFIER]})(?:\\.(${src[t.XRANGEIDENTIFIER]})(?:${src[t.PRERELEASE]})?${src[t.BUILD]}?)?)?`); createToken("XRANGEPLAINLOOSE", `[v=\\s]*(${src[t.XRANGEIDENTIFIERLOOSE]})(?:\\.(${src[t.XRANGEIDENTIFIERLOOSE]})(?:\\.(${src[t.XRANGEIDENTIFIERLOOSE]})(?:${src[t.PRERELEASELOOSE]})?${src[t.BUILD]}?)?)?`); createToken("XRANGE", `^${src[t.GTLT]}\\s*${src[t.XRANGEPLAIN]}$`); createToken("XRANGELOOSE", `^${src[t.GTLT]}\\s*${src[t.XRANGEPLAINLOOSE]}$`); createToken("COERCEPLAIN", `${"(^|[^\\d])(\\d{1,"}${MAX_SAFE_COMPONENT_LENGTH}})(?:\\.(\\d{1,${MAX_SAFE_COMPONENT_LENGTH}}))?(?:\\.(\\d{1,${MAX_SAFE_COMPONENT_LENGTH}}))?`); createToken("COERCE", `${src[t.COERCEPLAIN]}(?:$|[^\\d])`); createToken("COERCEFULL", src[t.COERCEPLAIN] + `(?:${src[t.PRERELEASE]})?(?:${src[t.BUILD]})?(?:$|[^\\d])`); createToken("COERCERTL", src[t.COERCE], true); createToken("COERCERTLFULL", src[t.COERCEFULL], true); createToken("LONETILDE", "(?:~>?)"); createToken("TILDETRIM", `(\\s*)${src[t.LONETILDE]}\\s+`, true); exports2.tildeTrimReplace = "$1~"; createToken("TILDE", `^${src[t.LONETILDE]}${src[t.XRANGEPLAIN]}$`); createToken("TILDELOOSE", `^${src[t.LONETILDE]}${src[t.XRANGEPLAINLOOSE]}$`); createToken("LONECARET", "(?:\\^)"); createToken("CARETTRIM", `(\\s*)${src[t.LONECARET]}\\s+`, true); exports2.caretTrimReplace = "$1^"; createToken("CARET", `^${src[t.LONECARET]}${src[t.XRANGEPLAIN]}$`); createToken("CARETLOOSE", `^${src[t.LONECARET]}${src[t.XRANGEPLAINLOOSE]}$`); createToken("COMPARATORLOOSE", `^${src[t.GTLT]}\\s*(${src[t.LOOSEPLAIN]})$|^$`); createToken("COMPARATOR", `^${src[t.GTLT]}\\s*(${src[t.FULLPLAIN]})$|^$`); createToken("COMPARATORTRIM", `(\\s*)${src[t.GTLT]}\\s*(${src[t.LOOSEPLAIN]}|${src[t.XRANGEPLAIN]})`, true); exports2.comparatorTrimReplace = "$1$2$3"; createToken("HYPHENRANGE", `^\\s*(${src[t.XRANGEPLAIN]})\\s+-\\s+(${src[t.XRANGEPLAIN]})\\s*$`); createToken("HYPHENRANGELOOSE", `^\\s*(${src[t.XRANGEPLAINLOOSE]})\\s+-\\s+(${src[t.XRANGEPLAINLOOSE]})\\s*$`); createToken("STAR", "(<|>)?=?\\s*\\*"); createToken("GTE0", "^\\s*>=\\s*0\\.0\\.0\\s*$"); createToken("GTE0PRE", "^\\s*>=\\s*0\\.0\\.0-0\\s*$"); } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/internal/parse-options.js var require_parse_options = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/internal/parse-options.js"(exports2, module2) { var looseOption = Object.freeze({ loose: true }); var emptyOpts = Object.freeze({}); var parseOptions = (options) => { if (!options) { return emptyOpts; } if (typeof options !== "object") { return looseOption; } return options; }; module2.exports = parseOptions; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/internal/identifiers.js var require_identifiers = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/internal/identifiers.js"(exports2, module2) { var numeric = /^[0-9]+$/; var compareIdentifiers = (a, b) => { const anum = numeric.test(a); const bnum = numeric.test(b); if (anum && bnum) { a = +a; b = +b; } return a === b ? 0 : anum && !bnum ? -1 : bnum && !anum ? 1 : a < b ? -1 : 1; }; var rcompareIdentifiers = (a, b) => compareIdentifiers(b, a); module2.exports = { compareIdentifiers, rcompareIdentifiers }; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/classes/semver.js var require_semver = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/classes/semver.js"(exports2, module2) { var debug5 = require_debug(); var { MAX_LENGTH, MAX_SAFE_INTEGER: MAX_SAFE_INTEGER3 } = require_constants(); var { safeRe: re, t } = require_re(); var parseOptions = require_parse_options(); var { compareIdentifiers } = require_identifiers(); var SemVer = class _SemVer { constructor(version, options) { options = parseOptions(options); if (version instanceof _SemVer) { if (version.loose === !!options.loose && version.includePrerelease === !!options.includePrerelease) { return version; } else { version = version.version; } } else if (typeof version !== "string") { throw new TypeError(`Invalid version. Must be a string. Got type "${typeof version}".`); } if (version.length > MAX_LENGTH) { throw new TypeError( `version is longer than ${MAX_LENGTH} characters` ); } debug5("SemVer", version, options); this.options = options; this.loose = !!options.loose; this.includePrerelease = !!options.includePrerelease; const m = version.trim().match(options.loose ? re[t.LOOSE] : re[t.FULL]); if (!m) { throw new TypeError(`Invalid Version: ${version}`); } this.raw = version; this.major = +m[1]; this.minor = +m[2]; this.patch = +m[3]; if (this.major > MAX_SAFE_INTEGER3 || this.major < 0) { throw new TypeError("Invalid major version"); } if (this.minor > MAX_SAFE_INTEGER3 || this.minor < 0) { throw new TypeError("Invalid minor version"); } if (this.patch > MAX_SAFE_INTEGER3 || this.patch < 0) { throw new TypeError("Invalid patch version"); } if (!m[4]) { this.prerelease = []; } else { this.prerelease = m[4].split(".").map((id) => { if (/^[0-9]+$/.test(id)) { const num = +id; if (num >= 0 && num < MAX_SAFE_INTEGER3) { return num; } } return id; }); } this.build = m[5] ? m[5].split(".") : []; this.format(); } format() { this.version = `${this.major}.${this.minor}.${this.patch}`; if (this.prerelease.length) { this.version += `-${this.prerelease.join(".")}`; } return this.version; } toString() { return this.version; } compare(other) { debug5("SemVer.compare", this.version, this.options, other); if (!(other instanceof _SemVer)) { if (typeof other === "string" && other === this.version) { return 0; } other = new _SemVer(other, this.options); } if (other.version === this.version) { return 0; } return this.compareMain(other) || this.comparePre(other); } compareMain(other) { if (!(other instanceof _SemVer)) { other = new _SemVer(other, this.options); } return compareIdentifiers(this.major, other.major) || compareIdentifiers(this.minor, other.minor) || compareIdentifiers(this.patch, other.patch); } comparePre(other) { if (!(other instanceof _SemVer)) { other = new _SemVer(other, this.options); } if (this.prerelease.length && !other.prerelease.length) { return -1; } else if (!this.prerelease.length && other.prerelease.length) { return 1; } else if (!this.prerelease.length && !other.prerelease.length) { return 0; } let i = 0; do { const a = this.prerelease[i]; const b = other.prerelease[i]; debug5("prerelease compare", i, a, b); if (a === void 0 && b === void 0) { return 0; } else if (b === void 0) { return 1; } else if (a === void 0) { return -1; } else if (a === b) { continue; } else { return compareIdentifiers(a, b); } } while (++i); } compareBuild(other) { if (!(other instanceof _SemVer)) { other = new _SemVer(other, this.options); } let i = 0; do { const a = this.build[i]; const b = other.build[i]; debug5("build compare", i, a, b); if (a === void 0 && b === void 0) { return 0; } else if (b === void 0) { return 1; } else if (a === void 0) { return -1; } else if (a === b) { continue; } else { return compareIdentifiers(a, b); } } while (++i); } // preminor will bump the version up to the next minor release, and immediately // down to pre-release. premajor and prepatch work the same way. inc(release, identifier, identifierBase) { switch (release) { case "premajor": this.prerelease.length = 0; this.patch = 0; this.minor = 0; this.major++; this.inc("pre", identifier, identifierBase); break; case "preminor": this.prerelease.length = 0; this.patch = 0; this.minor++; this.inc("pre", identifier, identifierBase); break; case "prepatch": this.prerelease.length = 0; this.inc("patch", identifier, identifierBase); this.inc("pre", identifier, identifierBase); break; case "prerelease": if (this.prerelease.length === 0) { this.inc("patch", identifier, identifierBase); } this.inc("pre", identifier, identifierBase); break; case "major": if (this.minor !== 0 || this.patch !== 0 || this.prerelease.length === 0) { this.major++; } this.minor = 0; this.patch = 0; this.prerelease = []; break; case "minor": if (this.patch !== 0 || this.prerelease.length === 0) { this.minor++; } this.patch = 0; this.prerelease = []; break; case "patch": if (this.prerelease.length === 0) { this.patch++; } this.prerelease = []; break; case "pre": { const base = Number(identifierBase) ? 1 : 0; if (!identifier && identifierBase === false) { throw new Error("invalid increment argument: identifier is empty"); } if (this.prerelease.length === 0) { this.prerelease = [base]; } else { let i = this.prerelease.length; while (--i >= 0) { if (typeof this.prerelease[i] === "number") { this.prerelease[i]++; i = -2; } } if (i === -1) { if (identifier === this.prerelease.join(".") && identifierBase === false) { throw new Error("invalid increment argument: identifier already exists"); } this.prerelease.push(base); } } if (identifier) { let prerelease = [identifier, base]; if (identifierBase === false) { prerelease = [identifier]; } if (compareIdentifiers(this.prerelease[0], identifier) === 0) { if (isNaN(this.prerelease[1])) { this.prerelease = prerelease; } } else { this.prerelease = prerelease; } } break; } default: throw new Error(`invalid increment argument: ${release}`); } this.raw = this.format(); if (this.build.length) { this.raw += `+${this.build.join(".")}`; } return this; } }; module2.exports = SemVer; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/parse.js var require_parse = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/parse.js"(exports2, module2) { var SemVer = require_semver(); var parse2 = (version, options, throwErrors = false) => { if (version instanceof SemVer) { return version; } try { return new SemVer(version, options); } catch (er) { if (!throwErrors) { return null; } throw er; } }; module2.exports = parse2; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/valid.js var require_valid = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/valid.js"(exports2, module2) { var parse2 = require_parse(); var valid = (version, options) => { const v = parse2(version, options); return v ? v.version : null; }; module2.exports = valid; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/clean.js var require_clean = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/clean.js"(exports2, module2) { var parse2 = require_parse(); var clean = (version, options) => { const s = parse2(version.trim().replace(/^[=v]+/, ""), options); return s ? s.version : null; }; module2.exports = clean; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/inc.js var require_inc = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/inc.js"(exports2, module2) { var SemVer = require_semver(); var inc = (version, release, options, identifier, identifierBase) => { if (typeof options === "string") { identifierBase = identifier; identifier = options; options = void 0; } try { return new SemVer( version instanceof SemVer ? version.version : version, options ).inc(release, identifier, identifierBase).version; } catch (er) { return null; } }; module2.exports = inc; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/diff.js var require_diff = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/diff.js"(exports2, module2) { var parse2 = require_parse(); var diff = (version1, version2) => { const v1 = parse2(version1, null, true); const v2 = parse2(version2, null, true); const comparison = v1.compare(v2); if (comparison === 0) { return null; } const v1Higher = comparison > 0; const highVersion = v1Higher ? v1 : v2; const lowVersion = v1Higher ? v2 : v1; const highHasPre = !!highVersion.prerelease.length; const lowHasPre = !!lowVersion.prerelease.length; if (lowHasPre && !highHasPre) { if (!lowVersion.patch && !lowVersion.minor) { return "major"; } if (highVersion.patch) { return "patch"; } if (highVersion.minor) { return "minor"; } return "major"; } const prefix = highHasPre ? "pre" : ""; if (v1.major !== v2.major) { return prefix + "major"; } if (v1.minor !== v2.minor) { return prefix + "minor"; } if (v1.patch !== v2.patch) { return prefix + "patch"; } return "prerelease"; }; module2.exports = diff; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/major.js var require_major = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/major.js"(exports2, module2) { var SemVer = require_semver(); var major = (a, loose) => new SemVer(a, loose).major; module2.exports = major; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/minor.js var require_minor = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/minor.js"(exports2, module2) { var SemVer = require_semver(); var minor = (a, loose) => new SemVer(a, loose).minor; module2.exports = minor; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/patch.js var require_patch = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/patch.js"(exports2, module2) { var SemVer = require_semver(); var patch = (a, loose) => new SemVer(a, loose).patch; module2.exports = patch; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/prerelease.js var require_prerelease = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/prerelease.js"(exports2, module2) { var parse2 = require_parse(); var prerelease = (version, options) => { const parsed = parse2(version, options); return parsed && parsed.prerelease.length ? parsed.prerelease : null; }; module2.exports = prerelease; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/compare.js var require_compare = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/compare.js"(exports2, module2) { var SemVer = require_semver(); var compare = (a, b, loose) => new SemVer(a, loose).compare(new SemVer(b, loose)); module2.exports = compare; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/rcompare.js var require_rcompare = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/rcompare.js"(exports2, module2) { var compare = require_compare(); var rcompare = (a, b, loose) => compare(b, a, loose); module2.exports = rcompare; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/compare-loose.js var require_compare_loose = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/compare-loose.js"(exports2, module2) { var compare = require_compare(); var compareLoose = (a, b) => compare(a, b, true); module2.exports = compareLoose; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/compare-build.js var require_compare_build = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/compare-build.js"(exports2, module2) { var SemVer = require_semver(); var compareBuild = (a, b, loose) => { const versionA = new SemVer(a, loose); const versionB = new SemVer(b, loose); return versionA.compare(versionB) || versionA.compareBuild(versionB); }; module2.exports = compareBuild; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/sort.js var require_sort = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/sort.js"(exports2, module2) { var compareBuild = require_compare_build(); var sort = (list, loose) => list.sort((a, b) => compareBuild(a, b, loose)); module2.exports = sort; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/rsort.js var require_rsort = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/rsort.js"(exports2, module2) { var compareBuild = require_compare_build(); var rsort = (list, loose) => list.sort((a, b) => compareBuild(b, a, loose)); module2.exports = rsort; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/gt.js var require_gt = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/gt.js"(exports2, module2) { var compare = require_compare(); var gt = (a, b, loose) => compare(a, b, loose) > 0; module2.exports = gt; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/lt.js var require_lt = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/lt.js"(exports2, module2) { var compare = require_compare(); var lt = (a, b, loose) => compare(a, b, loose) < 0; module2.exports = lt; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/eq.js var require_eq = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/eq.js"(exports2, module2) { var compare = require_compare(); var eq2 = (a, b, loose) => compare(a, b, loose) === 0; module2.exports = eq2; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/neq.js var require_neq = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/neq.js"(exports2, module2) { var compare = require_compare(); var neq = (a, b, loose) => compare(a, b, loose) !== 0; module2.exports = neq; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/gte.js var require_gte = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/gte.js"(exports2, module2) { var compare = require_compare(); var gte = (a, b, loose) => compare(a, b, loose) >= 0; module2.exports = gte; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/lte.js var require_lte = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/lte.js"(exports2, module2) { var compare = require_compare(); var lte = (a, b, loose) => compare(a, b, loose) <= 0; module2.exports = lte; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/cmp.js var require_cmp = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/cmp.js"(exports2, module2) { var eq2 = require_eq(); var neq = require_neq(); var gt = require_gt(); var gte = require_gte(); var lt = require_lt(); var lte = require_lte(); var cmp = (a, op, b, loose) => { switch (op) { case "===": if (typeof a === "object") { a = a.version; } if (typeof b === "object") { b = b.version; } return a === b; case "!==": if (typeof a === "object") { a = a.version; } if (typeof b === "object") { b = b.version; } return a !== b; case "": case "=": case "==": return eq2(a, b, loose); case "!=": return neq(a, b, loose); case ">": return gt(a, b, loose); case ">=": return gte(a, b, loose); case "<": return lt(a, b, loose); case "<=": return lte(a, b, loose); default: throw new TypeError(`Invalid operator: ${op}`); } }; module2.exports = cmp; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/coerce.js var require_coerce = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/coerce.js"(exports2, module2) { var SemVer = require_semver(); var parse2 = require_parse(); var { safeRe: re, t } = require_re(); var coerce2 = (version, options) => { if (version instanceof SemVer) { return version; } if (typeof version === "number") { version = String(version); } if (typeof version !== "string") { return null; } options = options || {}; let match = null; if (!options.rtl) { match = version.match(options.includePrerelease ? re[t.COERCEFULL] : re[t.COERCE]); } else { const coerceRtlRegex = options.includePrerelease ? re[t.COERCERTLFULL] : re[t.COERCERTL]; let next; while ((next = coerceRtlRegex.exec(version)) && (!match || match.index + match[0].length !== version.length)) { if (!match || next.index + next[0].length !== match.index + match[0].length) { match = next; } coerceRtlRegex.lastIndex = next.index + next[1].length + next[2].length; } coerceRtlRegex.lastIndex = -1; } if (match === null) { return null; } const major = match[2]; const minor = match[3] || "0"; const patch = match[4] || "0"; const prerelease = options.includePrerelease && match[5] ? `-${match[5]}` : ""; const build = options.includePrerelease && match[6] ? `+${match[6]}` : ""; return parse2(`${major}.${minor}.${patch}${prerelease}${build}`, options); }; module2.exports = coerce2; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/internal/lrucache.js var require_lrucache = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/internal/lrucache.js"(exports2, module2) { var LRUCache = class { constructor() { this.max = 1e3; this.map = /* @__PURE__ */ new Map(); } get(key) { const value = this.map.get(key); if (value === void 0) { return void 0; } else { this.map.delete(key); this.map.set(key, value); return value; } } delete(key) { return this.map.delete(key); } set(key, value) { const deleted = this.delete(key); if (!deleted && value !== void 0) { if (this.map.size >= this.max) { const firstKey = this.map.keys().next().value; this.delete(firstKey); } this.map.set(key, value); } return this; } }; module2.exports = LRUCache; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/classes/range.js var require_range = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/classes/range.js"(exports2, module2) { var Range = class _Range { constructor(range, options) { options = parseOptions(options); if (range instanceof _Range) { if (range.loose === !!options.loose && range.includePrerelease === !!options.includePrerelease) { return range; } else { return new _Range(range.raw, options); } } if (range instanceof Comparator) { this.raw = range.value; this.set = [[range]]; this.format(); return this; } this.options = options; this.loose = !!options.loose; this.includePrerelease = !!options.includePrerelease; this.raw = range.trim().split(/\s+/).join(" "); this.set = this.raw.split("||").map((r) => this.parseRange(r.trim())).filter((c) => c.length); if (!this.set.length) { throw new TypeError(`Invalid SemVer Range: ${this.raw}`); } if (this.set.length > 1) { const first = this.set[0]; this.set = this.set.filter((c) => !isNullSet(c[0])); if (this.set.length === 0) { this.set = [first]; } else if (this.set.length > 1) { for (const c of this.set) { if (c.length === 1 && isAny(c[0])) { this.set = [c]; break; } } } } this.format(); } format() { this.range = this.set.map((comps) => comps.join(" ").trim()).join("||").trim(); return this.range; } toString() { return this.range; } parseRange(range) { const memoOpts = (this.options.includePrerelease && FLAG_INCLUDE_PRERELEASE) | (this.options.loose && FLAG_LOOSE); const memoKey = memoOpts + ":" + range; const cached = cache.get(memoKey); if (cached) { return cached; } const loose = this.options.loose; const hr = loose ? re[t.HYPHENRANGELOOSE] : re[t.HYPHENRANGE]; range = range.replace(hr, hyphenReplace(this.options.includePrerelease)); debug5("hyphen replace", range); range = range.replace(re[t.COMPARATORTRIM], comparatorTrimReplace); debug5("comparator trim", range); range = range.replace(re[t.TILDETRIM], tildeTrimReplace); debug5("tilde trim", range); range = range.replace(re[t.CARETTRIM], caretTrimReplace); debug5("caret trim", range); let rangeList = range.split(" ").map((comp) => parseComparator(comp, this.options)).join(" ").split(/\s+/).map((comp) => replaceGTE0(comp, this.options)); if (loose) { rangeList = rangeList.filter((comp) => { debug5("loose invalid filter", comp, this.options); return !!comp.match(re[t.COMPARATORLOOSE]); }); } debug5("range list", rangeList); const rangeMap = /* @__PURE__ */ new Map(); const comparators = rangeList.map((comp) => new Comparator(comp, this.options)); for (const comp of comparators) { if (isNullSet(comp)) { return [comp]; } rangeMap.set(comp.value, comp); } if (rangeMap.size > 1 && rangeMap.has("")) { rangeMap.delete(""); } const result = [...rangeMap.values()]; cache.set(memoKey, result); return result; } intersects(range, options) { if (!(range instanceof _Range)) { throw new TypeError("a Range is required"); } return this.set.some((thisComparators) => { return isSatisfiable(thisComparators, options) && range.set.some((rangeComparators) => { return isSatisfiable(rangeComparators, options) && thisComparators.every((thisComparator) => { return rangeComparators.every((rangeComparator) => { return thisComparator.intersects(rangeComparator, options); }); }); }); }); } // if ANY of the sets match ALL of its comparators, then pass test(version) { if (!version) { return false; } if (typeof version === "string") { try { version = new SemVer(version, this.options); } catch (er) { return false; } } for (let i = 0; i < this.set.length; i++) { if (testSet(this.set[i], version, this.options)) { return true; } } return false; } }; module2.exports = Range; var LRU = require_lrucache(); var cache = new LRU(); var parseOptions = require_parse_options(); var Comparator = require_comparator(); var debug5 = require_debug(); var SemVer = require_semver(); var { safeRe: re, t, comparatorTrimReplace, tildeTrimReplace, caretTrimReplace } = require_re(); var { FLAG_INCLUDE_PRERELEASE, FLAG_LOOSE } = require_constants(); var isNullSet = (c) => c.value === "<0.0.0-0"; var isAny = (c) => c.value === ""; var isSatisfiable = (comparators, options) => { let result = true; const remainingComparators = comparators.slice(); let testComparator = remainingComparators.pop(); while (result && remainingComparators.length) { result = remainingComparators.every((otherComparator) => { return testComparator.intersects(otherComparator, options); }); testComparator = remainingComparators.pop(); } return result; }; var parseComparator = (comp, options) => { debug5("comp", comp, options); comp = replaceCarets(comp, options); debug5("caret", comp); comp = replaceTildes(comp, options); debug5("tildes", comp); comp = replaceXRanges(comp, options); debug5("xrange", comp); comp = replaceStars(comp, options); debug5("stars", comp); return comp; }; var isX = (id) => !id || id.toLowerCase() === "x" || id === "*"; var replaceTildes = (comp, options) => { return comp.trim().split(/\s+/).map((c) => replaceTilde(c, options)).join(" "); }; var replaceTilde = (comp, options) => { const r = options.loose ? re[t.TILDELOOSE] : re[t.TILDE]; return comp.replace(r, (_, M, m, p, pr) => { debug5("tilde", comp, _, M, m, p, pr); let ret; if (isX(M)) { ret = ""; } else if (isX(m)) { ret = `>=${M}.0.0 <${+M + 1}.0.0-0`; } else if (isX(p)) { ret = `>=${M}.${m}.0 <${M}.${+m + 1}.0-0`; } else if (pr) { debug5("replaceTilde pr", pr); ret = `>=${M}.${m}.${p}-${pr} <${M}.${+m + 1}.0-0`; } else { ret = `>=${M}.${m}.${p} <${M}.${+m + 1}.0-0`; } debug5("tilde return", ret); return ret; }); }; var replaceCarets = (comp, options) => { return comp.trim().split(/\s+/).map((c) => replaceCaret(c, options)).join(" "); }; var replaceCaret = (comp, options) => { debug5("caret", comp, options); const r = options.loose ? re[t.CARETLOOSE] : re[t.CARET]; const z2 = options.includePrerelease ? "-0" : ""; return comp.replace(r, (_, M, m, p, pr) => { debug5("caret", comp, _, M, m, p, pr); let ret; if (isX(M)) { ret = ""; } else if (isX(m)) { ret = `>=${M}.0.0${z2} <${+M + 1}.0.0-0`; } else if (isX(p)) { if (M === "0") { ret = `>=${M}.${m}.0${z2} <${M}.${+m + 1}.0-0`; } else { ret = `>=${M}.${m}.0${z2} <${+M + 1}.0.0-0`; } } else if (pr) { debug5("replaceCaret pr", pr); if (M === "0") { if (m === "0") { ret = `>=${M}.${m}.${p}-${pr} <${M}.${m}.${+p + 1}-0`; } else { ret = `>=${M}.${m}.${p}-${pr} <${M}.${+m + 1}.0-0`; } } else { ret = `>=${M}.${m}.${p}-${pr} <${+M + 1}.0.0-0`; } } else { debug5("no pr"); if (M === "0") { if (m === "0") { ret = `>=${M}.${m}.${p}${z2} <${M}.${m}.${+p + 1}-0`; } else { ret = `>=${M}.${m}.${p}${z2} <${M}.${+m + 1}.0-0`; } } else { ret = `>=${M}.${m}.${p} <${+M + 1}.0.0-0`; } } debug5("caret return", ret); return ret; }); }; var replaceXRanges = (comp, options) => { debug5("replaceXRanges", comp, options); return comp.split(/\s+/).map((c) => replaceXRange(c, options)).join(" "); }; var replaceXRange = (comp, options) => { comp = comp.trim(); const r = options.loose ? re[t.XRANGELOOSE] : re[t.XRANGE]; return comp.replace(r, (ret, gtlt, M, m, p, pr) => { debug5("xRange", comp, ret, gtlt, M, m, p, pr); const xM = isX(M); const xm = xM || isX(m); const xp = xm || isX(p); const anyX = xp; if (gtlt === "=" && anyX) { gtlt = ""; } pr = options.includePrerelease ? "-0" : ""; if (xM) { if (gtlt === ">" || gtlt === "<") { ret = "<0.0.0-0"; } else { ret = "*"; } } else if (gtlt && anyX) { if (xm) { m = 0; } p = 0; if (gtlt === ">") { gtlt = ">="; if (xm) { M = +M + 1; m = 0; p = 0; } else { m = +m + 1; p = 0; } } else if (gtlt === "<=") { gtlt = "<"; if (xm) { M = +M + 1; } else { m = +m + 1; } } if (gtlt === "<") { pr = "-0"; } ret = `${gtlt + M}.${m}.${p}${pr}`; } else if (xm) { ret = `>=${M}.0.0${pr} <${+M + 1}.0.0-0`; } else if (xp) { ret = `>=${M}.${m}.0${pr} <${M}.${+m + 1}.0-0`; } debug5("xRange return", ret); return ret; }); }; var replaceStars = (comp, options) => { debug5("replaceStars", comp, options); return comp.trim().replace(re[t.STAR], ""); }; var replaceGTE0 = (comp, options) => { debug5("replaceGTE0", comp, options); return comp.trim().replace(re[options.includePrerelease ? t.GTE0PRE : t.GTE0], ""); }; var hyphenReplace = (incPr) => ($0, from, fM, fm, fp, fpr, fb, to, tM, tm, tp, tpr) => { if (isX(fM)) { from = ""; } else if (isX(fm)) { from = `>=${fM}.0.0${incPr ? "-0" : ""}`; } else if (isX(fp)) { from = `>=${fM}.${fm}.0${incPr ? "-0" : ""}`; } else if (fpr) { from = `>=${from}`; } else { from = `>=${from}${incPr ? "-0" : ""}`; } if (isX(tM)) { to = ""; } else if (isX(tm)) { to = `<${+tM + 1}.0.0-0`; } else if (isX(tp)) { to = `<${tM}.${+tm + 1}.0-0`; } else if (tpr) { to = `<=${tM}.${tm}.${tp}-${tpr}`; } else if (incPr) { to = `<${tM}.${tm}.${+tp + 1}-0`; } else { to = `<=${to}`; } return `${from} ${to}`.trim(); }; var testSet = (set, version, options) => { for (let i = 0; i < set.length; i++) { if (!set[i].test(version)) { return false; } } if (version.prerelease.length && !options.includePrerelease) { for (let i = 0; i < set.length; i++) { debug5(set[i].semver); if (set[i].semver === Comparator.ANY) { continue; } if (set[i].semver.prerelease.length > 0) { const allowed = set[i].semver; if (allowed.major === version.major && allowed.minor === version.minor && allowed.patch === version.patch) { return true; } } } return false; } return true; }; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/classes/comparator.js var require_comparator = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/classes/comparator.js"(exports2, module2) { var ANY = Symbol("SemVer ANY"); var Comparator = class _Comparator { static get ANY() { return ANY; } constructor(comp, options) { options = parseOptions(options); if (comp instanceof _Comparator) { if (comp.loose === !!options.loose) { return comp; } else { comp = comp.value; } } comp = comp.trim().split(/\s+/).join(" "); debug5("comparator", comp, options); this.options = options; this.loose = !!options.loose; this.parse(comp); if (this.semver === ANY) { this.value = ""; } else { this.value = this.operator + this.semver.version; } debug5("comp", this); } parse(comp) { const r = this.options.loose ? re[t.COMPARATORLOOSE] : re[t.COMPARATOR]; const m = comp.match(r); if (!m) { throw new TypeError(`Invalid comparator: ${comp}`); } this.operator = m[1] !== void 0 ? m[1] : ""; if (this.operator === "=") { this.operator = ""; } if (!m[2]) { this.semver = ANY; } else { this.semver = new SemVer(m[2], this.options.loose); } } toString() { return this.value; } test(version) { debug5("Comparator.test", version, this.options.loose); if (this.semver === ANY || version === ANY) { return true; } if (typeof version === "string") { try { version = new SemVer(version, this.options); } catch (er) { return false; } } return cmp(version, this.operator, this.semver, this.options); } intersects(comp, options) { if (!(comp instanceof _Comparator)) { throw new TypeError("a Comparator is required"); } if (this.operator === "") { if (this.value === "") { return true; } return new Range(comp.value, options).test(this.value); } else if (comp.operator === "") { if (comp.value === "") { return true; } return new Range(this.value, options).test(comp.semver); } options = parseOptions(options); if (options.includePrerelease && (this.value === "<0.0.0-0" || comp.value === "<0.0.0-0")) { return false; } if (!options.includePrerelease && (this.value.startsWith("<0.0.0") || comp.value.startsWith("<0.0.0"))) { return false; } if (this.operator.startsWith(">") && comp.operator.startsWith(">")) { return true; } if (this.operator.startsWith("<") && comp.operator.startsWith("<")) { return true; } if (this.semver.version === comp.semver.version && this.operator.includes("=") && comp.operator.includes("=")) { return true; } if (cmp(this.semver, "<", comp.semver, options) && this.operator.startsWith(">") && comp.operator.startsWith("<")) { return true; } if (cmp(this.semver, ">", comp.semver, options) && this.operator.startsWith("<") && comp.operator.startsWith(">")) { return true; } return false; } }; module2.exports = Comparator; var parseOptions = require_parse_options(); var { safeRe: re, t } = require_re(); var cmp = require_cmp(); var debug5 = require_debug(); var SemVer = require_semver(); var Range = require_range(); } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/satisfies.js var require_satisfies = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/functions/satisfies.js"(exports2, module2) { var Range = require_range(); var satisfies = (version, range, options) => { try { range = new Range(range, options); } catch (er) { return false; } return range.test(version); }; module2.exports = satisfies; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/to-comparators.js var require_to_comparators = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/to-comparators.js"(exports2, module2) { var Range = require_range(); var toComparators = (range, options) => new Range(range, options).set.map((comp) => comp.map((c) => c.value).join(" ").trim().split(" ")); module2.exports = toComparators; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/max-satisfying.js var require_max_satisfying = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/max-satisfying.js"(exports2, module2) { var SemVer = require_semver(); var Range = require_range(); var maxSatisfying = (versions, range, options) => { let max = null; let maxSV = null; let rangeObj = null; try { rangeObj = new Range(range, options); } catch (er) { return null; } versions.forEach((v) => { if (rangeObj.test(v)) { if (!max || maxSV.compare(v) === -1) { max = v; maxSV = new SemVer(max, options); } } }); return max; }; module2.exports = maxSatisfying; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/min-satisfying.js var require_min_satisfying = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/min-satisfying.js"(exports2, module2) { var SemVer = require_semver(); var Range = require_range(); var minSatisfying = (versions, range, options) => { let min = null; let minSV = null; let rangeObj = null; try { rangeObj = new Range(range, options); } catch (er) { return null; } versions.forEach((v) => { if (rangeObj.test(v)) { if (!min || minSV.compare(v) === 1) { min = v; minSV = new SemVer(min, options); } } }); return min; }; module2.exports = minSatisfying; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/min-version.js var require_min_version = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/min-version.js"(exports2, module2) { var SemVer = require_semver(); var Range = require_range(); var gt = require_gt(); var minVersion = (range, loose) => { range = new Range(range, loose); let minver = new SemVer("0.0.0"); if (range.test(minver)) { return minver; } minver = new SemVer("0.0.0-0"); if (range.test(minver)) { return minver; } minver = null; for (let i = 0; i < range.set.length; ++i) { const comparators = range.set[i]; let setMin = null; comparators.forEach((comparator) => { const compver = new SemVer(comparator.semver.version); switch (comparator.operator) { case ">": if (compver.prerelease.length === 0) { compver.patch++; } else { compver.prerelease.push(0); } compver.raw = compver.format(); case "": case ">=": if (!setMin || gt(compver, setMin)) { setMin = compver; } break; case "<": case "<=": break; default: throw new Error(`Unexpected operation: ${comparator.operator}`); } }); if (setMin && (!minver || gt(minver, setMin))) { minver = setMin; } } if (minver && range.test(minver)) { return minver; } return null; }; module2.exports = minVersion; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/valid.js var require_valid2 = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/valid.js"(exports2, module2) { var Range = require_range(); var validRange = (range, options) => { try { return new Range(range, options).range || "*"; } catch (er) { return null; } }; module2.exports = validRange; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/outside.js var require_outside = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/outside.js"(exports2, module2) { var SemVer = require_semver(); var Comparator = require_comparator(); var { ANY } = Comparator; var Range = require_range(); var satisfies = require_satisfies(); var gt = require_gt(); var lt = require_lt(); var lte = require_lte(); var gte = require_gte(); var outside = (version, range, hilo, options) => { version = new SemVer(version, options); range = new Range(range, options); let gtfn, ltefn, ltfn, comp, ecomp; switch (hilo) { case ">": gtfn = gt; ltefn = lte; ltfn = lt; comp = ">"; ecomp = ">="; break; case "<": gtfn = lt; ltefn = gte; ltfn = gt; comp = "<"; ecomp = "<="; break; default: throw new TypeError('Must provide a hilo val of "<" or ">"'); } if (satisfies(version, range, options)) { return false; } for (let i = 0; i < range.set.length; ++i) { const comparators = range.set[i]; let high = null; let low = null; comparators.forEach((comparator) => { if (comparator.semver === ANY) { comparator = new Comparator(">=0.0.0"); } high = high || comparator; low = low || comparator; if (gtfn(comparator.semver, high.semver, options)) { high = comparator; } else if (ltfn(comparator.semver, low.semver, options)) { low = comparator; } }); if (high.operator === comp || high.operator === ecomp) { return false; } if ((!low.operator || low.operator === comp) && ltefn(version, low.semver)) { return false; } else if (low.operator === ecomp && ltfn(version, low.semver)) { return false; } } return true; }; module2.exports = outside; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/gtr.js var require_gtr = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/gtr.js"(exports2, module2) { var outside = require_outside(); var gtr = (version, range, options) => outside(version, range, ">", options); module2.exports = gtr; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/ltr.js var require_ltr = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/ltr.js"(exports2, module2) { var outside = require_outside(); var ltr = (version, range, options) => outside(version, range, "<", options); module2.exports = ltr; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/intersects.js var require_intersects = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/intersects.js"(exports2, module2) { var Range = require_range(); var intersects = (r1, r2, options) => { r1 = new Range(r1, options); r2 = new Range(r2, options); return r1.intersects(r2, options); }; module2.exports = intersects; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/simplify.js var require_simplify = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/simplify.js"(exports2, module2) { var satisfies = require_satisfies(); var compare = require_compare(); module2.exports = (versions, range, options) => { const set = []; let first = null; let prev = null; const v = versions.sort((a, b) => compare(a, b, options)); for (const version of v) { const included = satisfies(version, range, options); if (included) { prev = version; if (!first) { first = version; } } else { if (prev) { set.push([first, prev]); } prev = null; first = null; } } if (first) { set.push([first, null]); } const ranges = []; for (const [min, max] of set) { if (min === max) { ranges.push(min); } else if (!max && min === v[0]) { ranges.push("*"); } else if (!max) { ranges.push(`>=${min}`); } else if (min === v[0]) { ranges.push(`<=${max}`); } else { ranges.push(`${min} - ${max}`); } } const simplified = ranges.join(" || "); const original = typeof range.raw === "string" ? range.raw : String(range); return simplified.length < original.length ? simplified : range; }; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/subset.js var require_subset = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/ranges/subset.js"(exports2, module2) { var Range = require_range(); var Comparator = require_comparator(); var { ANY } = Comparator; var satisfies = require_satisfies(); var compare = require_compare(); var subset = (sub, dom, options = {}) => { if (sub === dom) { return true; } sub = new Range(sub, options); dom = new Range(dom, options); let sawNonNull = false; OUTER: for (const simpleSub of sub.set) { for (const simpleDom of dom.set) { const isSub = simpleSubset(simpleSub, simpleDom, options); sawNonNull = sawNonNull || isSub !== null; if (isSub) { continue OUTER; } } if (sawNonNull) { return false; } } return true; }; var minimumVersionWithPreRelease = [new Comparator(">=0.0.0-0")]; var minimumVersion = [new Comparator(">=0.0.0")]; var simpleSubset = (sub, dom, options) => { if (sub === dom) { return true; } if (sub.length === 1 && sub[0].semver === ANY) { if (dom.length === 1 && dom[0].semver === ANY) { return true; } else if (options.includePrerelease) { sub = minimumVersionWithPreRelease; } else { sub = minimumVersion; } } if (dom.length === 1 && dom[0].semver === ANY) { if (options.includePrerelease) { return true; } else { dom = minimumVersion; } } const eqSet = /* @__PURE__ */ new Set(); let gt, lt; for (const c of sub) { if (c.operator === ">" || c.operator === ">=") { gt = higherGT(gt, c, options); } else if (c.operator === "<" || c.operator === "<=") { lt = lowerLT(lt, c, options); } else { eqSet.add(c.semver); } } if (eqSet.size > 1) { return null; } let gtltComp; if (gt && lt) { gtltComp = compare(gt.semver, lt.semver, options); if (gtltComp > 0) { return null; } else if (gtltComp === 0 && (gt.operator !== ">=" || lt.operator !== "<=")) { return null; } } for (const eq2 of eqSet) { if (gt && !satisfies(eq2, String(gt), options)) { return null; } if (lt && !satisfies(eq2, String(lt), options)) { return null; } for (const c of dom) { if (!satisfies(eq2, String(c), options)) { return false; } } return true; } let higher, lower; let hasDomLT, hasDomGT; let needDomLTPre = lt && !options.includePrerelease && lt.semver.prerelease.length ? lt.semver : false; let needDomGTPre = gt && !options.includePrerelease && gt.semver.prerelease.length ? gt.semver : false; if (needDomLTPre && needDomLTPre.prerelease.length === 1 && lt.operator === "<" && needDomLTPre.prerelease[0] === 0) { needDomLTPre = false; } for (const c of dom) { hasDomGT = hasDomGT || c.operator === ">" || c.operator === ">="; hasDomLT = hasDomLT || c.operator === "<" || c.operator === "<="; if (gt) { if (needDomGTPre) { if (c.semver.prerelease && c.semver.prerelease.length && c.semver.major === needDomGTPre.major && c.semver.minor === needDomGTPre.minor && c.semver.patch === needDomGTPre.patch) { needDomGTPre = false; } } if (c.operator === ">" || c.operator === ">=") { higher = higherGT(gt, c, options); if (higher === c && higher !== gt) { return false; } } else if (gt.operator === ">=" && !satisfies(gt.semver, String(c), options)) { return false; } } if (lt) { if (needDomLTPre) { if (c.semver.prerelease && c.semver.prerelease.length && c.semver.major === needDomLTPre.major && c.semver.minor === needDomLTPre.minor && c.semver.patch === needDomLTPre.patch) { needDomLTPre = false; } } if (c.operator === "<" || c.operator === "<=") { lower = lowerLT(lt, c, options); if (lower === c && lower !== lt) { return false; } } else if (lt.operator === "<=" && !satisfies(lt.semver, String(c), options)) { return false; } } if (!c.operator && (lt || gt) && gtltComp !== 0) { return false; } } if (gt && hasDomLT && !lt && gtltComp !== 0) { return false; } if (lt && hasDomGT && !gt && gtltComp !== 0) { return false; } if (needDomGTPre || needDomLTPre) { return false; } return true; }; var higherGT = (a, b, options) => { if (!a) { return b; } const comp = compare(a.semver, b.semver, options); return comp > 0 ? a : comp < 0 ? b : b.operator === ">" && a.operator === ">=" ? b : a; }; var lowerLT = (a, b, options) => { if (!a) { return b; } const comp = compare(a.semver, b.semver, options); return comp < 0 ? a : comp > 0 ? b : b.operator === "<" && a.operator === "<=" ? b : a; }; module2.exports = subset; } }); // node_modules/.pnpm/semver@7.6.2/node_modules/semver/index.js var require_semver2 = __commonJS({ "node_modules/.pnpm/semver@7.6.2/node_modules/semver/index.js"(exports2, module2) { var internalRe = require_re(); var constants = require_constants(); var SemVer = require_semver(); var identifiers = require_identifiers(); var parse2 = require_parse(); var valid = require_valid(); var clean = require_clean(); var inc = require_inc(); var diff = require_diff(); var major = require_major(); var minor = require_minor(); var patch = require_patch(); var prerelease = require_prerelease(); var compare = require_compare(); var rcompare = require_rcompare(); var compareLoose = require_compare_loose(); var compareBuild = require_compare_build(); var sort = require_sort(); var rsort = require_rsort(); var gt = require_gt(); var lt = require_lt(); var eq2 = require_eq(); var neq = require_neq(); var gte = require_gte(); var lte = require_lte(); var cmp = require_cmp(); var coerce2 = require_coerce(); var Comparator = require_comparator(); var Range = require_range(); var satisfies = require_satisfies(); var toComparators = require_to_comparators(); var maxSatisfying = require_max_satisfying(); var minSatisfying = require_min_satisfying(); var minVersion = require_min_version(); var validRange = require_valid2(); var outside = require_outside(); var gtr = require_gtr(); var ltr = require_ltr(); var intersects = require_intersects(); var simplifyRange = require_simplify(); var subset = require_subset(); module2.exports = { parse: parse2, valid, clean, inc, diff, major, minor, patch, prerelease, compare, rcompare, compareLoose, compareBuild, sort, rsort, gt, lt, eq: eq2, neq, gte, lte, cmp, coerce: coerce2, Comparator, Range, satisfies, toComparators, maxSatisfying, minSatisfying, minVersion, validRange, outside, gtr, ltr, intersects, simplifyRange, subset, SemVer, re: internalRe.re, src: internalRe.src, tokens: internalRe.t, SEMVER_SPEC_VERSION: constants.SEMVER_SPEC_VERSION, RELEASE_TYPES: constants.RELEASE_TYPES, compareIdentifiers: identifiers.compareIdentifiers, rcompareIdentifiers: identifiers.rcompareIdentifiers }; } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/version-check.js var require_version_check = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/version-check.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.typescriptVersionIsAtLeast = void 0; var semver2 = __importStar2(require_semver2()); var ts = __importStar2(require_typescript()); function semverCheck(version) { return semver2.satisfies(ts.version, `>= ${version}.0 || >= ${version}.1-rc || >= ${version}.0-beta`, { includePrerelease: true }); } var versions = [ "4.7", "4.8", "4.9", "5.0", "5.1", "5.2", "5.3", "5.4" ]; var typescriptVersionIsAtLeast = {}; exports2.typescriptVersionIsAtLeast = typescriptVersionIsAtLeast; for (const version of versions) { typescriptVersionIsAtLeast[version] = semverCheck(version); } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/getModifiers.js var require_getModifiers = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/getModifiers.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getModifiers = getModifiers; exports2.getDecorators = getDecorators; var ts = __importStar2(require_typescript()); var version_check_1 = require_version_check(); var isAtLeast48 = version_check_1.typescriptVersionIsAtLeast["4.8"]; function getModifiers(node, includeIllegalModifiers = false) { if (node == null) { return void 0; } if (isAtLeast48) { if (includeIllegalModifiers || ts.canHaveModifiers(node)) { const modifiers = ts.getModifiers(node); return modifiers ? Array.from(modifiers) : void 0; } return void 0; } return ( // @ts-expect-error intentional fallback for older TS versions node.modifiers?.filter((m) => !ts.isDecorator(m)) ); } function getDecorators(node, includeIllegalDecorators = false) { if (node == null) { return void 0; } if (isAtLeast48) { if (includeIllegalDecorators || ts.canHaveDecorators(node)) { const decorators = ts.getDecorators(node); return decorators ? Array.from(decorators) : void 0; } return void 0; } return ( // @ts-expect-error intentional fallback for older TS versions node.decorators?.filter(ts.isDecorator) ); } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/jsx/xhtml-entities.js var require_xhtml_entities = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/jsx/xhtml-entities.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.xhtmlEntities = void 0; exports2.xhtmlEntities = { quot: '"', amp: "&", apos: "'", lt: "<", gt: ">", nbsp: "\xA0", iexcl: "\xA1", cent: "\xA2", pound: "\xA3", curren: "\xA4", yen: "\xA5", brvbar: "\xA6", sect: "\xA7", uml: "\xA8", copy: "\xA9", ordf: "\xAA", laquo: "\xAB", not: "\xAC", shy: "\xAD", reg: "\xAE", macr: "\xAF", deg: "\xB0", plusmn: "\xB1", sup2: "\xB2", sup3: "\xB3", acute: "\xB4", micro: "\xB5", para: "\xB6", middot: "\xB7", cedil: "\xB8", sup1: "\xB9", ordm: "\xBA", raquo: "\xBB", frac14: "\xBC", frac12: "\xBD", frac34: "\xBE", iquest: "\xBF", Agrave: "\xC0", Aacute: "\xC1", Acirc: "\xC2", Atilde: "\xC3", Auml: "\xC4", Aring: "\xC5", AElig: "\xC6", Ccedil: "\xC7", Egrave: "\xC8", Eacute: "\xC9", Ecirc: "\xCA", Euml: "\xCB", Igrave: "\xCC", Iacute: "\xCD", Icirc: "\xCE", Iuml: "\xCF", ETH: "\xD0", Ntilde: "\xD1", Ograve: "\xD2", Oacute: "\xD3", Ocirc: "\xD4", Otilde: "\xD5", Ouml: "\xD6", times: "\xD7", Oslash: "\xD8", Ugrave: "\xD9", Uacute: "\xDA", Ucirc: "\xDB", Uuml: "\xDC", Yacute: "\xDD", THORN: "\xDE", szlig: "\xDF", agrave: "\xE0", aacute: "\xE1", acirc: "\xE2", atilde: "\xE3", auml: "\xE4", aring: "\xE5", aelig: "\xE6", ccedil: "\xE7", egrave: "\xE8", eacute: "\xE9", ecirc: "\xEA", euml: "\xEB", igrave: "\xEC", iacute: "\xED", icirc: "\xEE", iuml: "\xEF", eth: "\xF0", ntilde: "\xF1", ograve: "\xF2", oacute: "\xF3", ocirc: "\xF4", otilde: "\xF5", ouml: "\xF6", divide: "\xF7", oslash: "\xF8", ugrave: "\xF9", uacute: "\xFA", ucirc: "\xFB", uuml: "\xFC", yacute: "\xFD", thorn: "\xFE", yuml: "\xFF", OElig: "\u0152", oelig: "\u0153", Scaron: "\u0160", scaron: "\u0161", Yuml: "\u0178", fnof: "\u0192", circ: "\u02C6", tilde: "\u02DC", Alpha: "\u0391", Beta: "\u0392", Gamma: "\u0393", Delta: "\u0394", Epsilon: "\u0395", Zeta: "\u0396", Eta: "\u0397", Theta: "\u0398", Iota: "\u0399", Kappa: "\u039A", Lambda: "\u039B", Mu: "\u039C", Nu: "\u039D", Xi: "\u039E", Omicron: "\u039F", Pi: "\u03A0", Rho: "\u03A1", Sigma: "\u03A3", Tau: "\u03A4", Upsilon: "\u03A5", Phi: "\u03A6", Chi: "\u03A7", Psi: "\u03A8", Omega: "\u03A9", alpha: "\u03B1", beta: "\u03B2", gamma: "\u03B3", delta: "\u03B4", epsilon: "\u03B5", zeta: "\u03B6", eta: "\u03B7", theta: "\u03B8", iota: "\u03B9", kappa: "\u03BA", lambda: "\u03BB", mu: "\u03BC", nu: "\u03BD", xi: "\u03BE", omicron: "\u03BF", pi: "\u03C0", rho: "\u03C1", sigmaf: "\u03C2", sigma: "\u03C3", tau: "\u03C4", upsilon: "\u03C5", phi: "\u03C6", chi: "\u03C7", psi: "\u03C8", omega: "\u03C9", thetasym: "\u03D1", upsih: "\u03D2", piv: "\u03D6", ensp: "\u2002", emsp: "\u2003", thinsp: "\u2009", zwnj: "\u200C", zwj: "\u200D", lrm: "\u200E", rlm: "\u200F", ndash: "\u2013", mdash: "\u2014", lsquo: "\u2018", rsquo: "\u2019", sbquo: "\u201A", ldquo: "\u201C", rdquo: "\u201D", bdquo: "\u201E", dagger: "\u2020", Dagger: "\u2021", bull: "\u2022", hellip: "\u2026", permil: "\u2030", prime: "\u2032", Prime: "\u2033", lsaquo: "\u2039", rsaquo: "\u203A", oline: "\u203E", frasl: "\u2044", euro: "\u20AC", image: "\u2111", weierp: "\u2118", real: "\u211C", trade: "\u2122", alefsym: "\u2135", larr: "\u2190", uarr: "\u2191", rarr: "\u2192", darr: "\u2193", harr: "\u2194", crarr: "\u21B5", lArr: "\u21D0", uArr: "\u21D1", rArr: "\u21D2", dArr: "\u21D3", hArr: "\u21D4", forall: "\u2200", part: "\u2202", exist: "\u2203", empty: "\u2205", nabla: "\u2207", isin: "\u2208", notin: "\u2209", ni: "\u220B", prod: "\u220F", sum: "\u2211", minus: "\u2212", lowast: "\u2217", radic: "\u221A", prop: "\u221D", infin: "\u221E", ang: "\u2220", and: "\u2227", or: "\u2228", cap: "\u2229", cup: "\u222A", int: "\u222B", there4: "\u2234", sim: "\u223C", cong: "\u2245", asymp: "\u2248", ne: "\u2260", equiv: "\u2261", le: "\u2264", ge: "\u2265", sub: "\u2282", sup: "\u2283", nsub: "\u2284", sube: "\u2286", supe: "\u2287", oplus: "\u2295", otimes: "\u2297", perp: "\u22A5", sdot: "\u22C5", lceil: "\u2308", rceil: "\u2309", lfloor: "\u230A", rfloor: "\u230B", lang: "\u2329", rang: "\u232A", loz: "\u25CA", spades: "\u2660", clubs: "\u2663", hearts: "\u2665", diams: "\u2666" }; } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/ts-estree/ts-nodes.js var require_ts_nodes = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/ts-estree/ts-nodes.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/ts-estree/estree-to-ts-node-types.js var require_estree_to_ts_node_types = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/ts-estree/estree-to-ts-node-types.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/ts-estree/index.js var require_ts_estree3 = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/ts-estree/index.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) { for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p); }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.TSESTree = exports2.AST_TOKEN_TYPES = exports2.AST_NODE_TYPES = void 0; var types_1 = require_dist(); Object.defineProperty(exports2, "AST_NODE_TYPES", { enumerable: true, get: function() { return types_1.AST_NODE_TYPES; } }); Object.defineProperty(exports2, "AST_TOKEN_TYPES", { enumerable: true, get: function() { return types_1.AST_TOKEN_TYPES; } }); Object.defineProperty(exports2, "TSESTree", { enumerable: true, get: function() { return types_1.TSESTree; } }); __exportStar2(require_ts_nodes(), exports2); __exportStar2(require_estree_to_ts_node_types(), exports2); } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/node-utils.js var require_node_utils = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/node-utils.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.TSError = void 0; exports2.isLogicalOperator = isLogicalOperator; exports2.isESTreeBinaryOperator = isESTreeBinaryOperator; exports2.getTextForTokenKind = getTextForTokenKind; exports2.isESTreeClassMember = isESTreeClassMember; exports2.hasModifier = hasModifier; exports2.getLastModifier = getLastModifier; exports2.isComma = isComma; exports2.isComment = isComment; exports2.getBinaryExpressionType = getBinaryExpressionType; exports2.getLineAndCharacterFor = getLineAndCharacterFor; exports2.getLocFor = getLocFor; exports2.canContainDirective = canContainDirective; exports2.getRange = getRange; exports2.isJSXToken = isJSXToken; exports2.getDeclarationKind = getDeclarationKind; exports2.getTSNodeAccessibility = getTSNodeAccessibility; exports2.findNextToken = findNextToken; exports2.findFirstMatchingAncestor = findFirstMatchingAncestor; exports2.hasJSXAncestor = hasJSXAncestor; exports2.unescapeStringLiteralText = unescapeStringLiteralText; exports2.isComputedProperty = isComputedProperty; exports2.isOptional = isOptional; exports2.isChainExpression = isChainExpression; exports2.isChildUnwrappableOptionalChain = isChildUnwrappableOptionalChain; exports2.getTokenType = getTokenType; exports2.convertToken = convertToken; exports2.convertTokens = convertTokens; exports2.createError = createError; exports2.nodeHasIllegalDecorators = nodeHasIllegalDecorators; exports2.nodeHasTokens = nodeHasTokens; exports2.firstDefined = firstDefined; exports2.identifierIsThisKeyword = identifierIsThisKeyword; exports2.isThisIdentifier = isThisIdentifier; exports2.isThisInTypeQuery = isThisInTypeQuery; exports2.nodeIsPresent = nodeIsPresent; exports2.getContainingFunction = getContainingFunction; exports2.nodeCanBeDecorated = nodeCanBeDecorated; exports2.isValidAssignmentTarget = isValidAssignmentTarget; exports2.getNamespaceModifiers = getNamespaceModifiers; var ts = __importStar2(require_typescript()); var getModifiers_1 = require_getModifiers(); var xhtml_entities_1 = require_xhtml_entities(); var ts_estree_1 = require_ts_estree3(); var version_check_1 = require_version_check(); var isAtLeast50 = version_check_1.typescriptVersionIsAtLeast["5.0"]; var SyntaxKind = ts.SyntaxKind; var LOGICAL_OPERATORS = /* @__PURE__ */ new Set([ SyntaxKind.BarBarToken, SyntaxKind.AmpersandAmpersandToken, SyntaxKind.QuestionQuestionToken ]); var ASSIGNMENT_OPERATORS = /* @__PURE__ */ new Set([ ts.SyntaxKind.EqualsToken, ts.SyntaxKind.PlusEqualsToken, ts.SyntaxKind.MinusEqualsToken, ts.SyntaxKind.AsteriskEqualsToken, ts.SyntaxKind.AsteriskAsteriskEqualsToken, ts.SyntaxKind.SlashEqualsToken, ts.SyntaxKind.PercentEqualsToken, ts.SyntaxKind.LessThanLessThanEqualsToken, ts.SyntaxKind.GreaterThanGreaterThanEqualsToken, ts.SyntaxKind.GreaterThanGreaterThanGreaterThanEqualsToken, ts.SyntaxKind.AmpersandEqualsToken, ts.SyntaxKind.BarEqualsToken, ts.SyntaxKind.BarBarEqualsToken, ts.SyntaxKind.AmpersandAmpersandEqualsToken, ts.SyntaxKind.QuestionQuestionEqualsToken, ts.SyntaxKind.CaretEqualsToken ]); var BINARY_OPERATORS = /* @__PURE__ */ new Set([ SyntaxKind.InstanceOfKeyword, SyntaxKind.InKeyword, SyntaxKind.AsteriskAsteriskToken, SyntaxKind.AsteriskToken, SyntaxKind.SlashToken, SyntaxKind.PercentToken, SyntaxKind.PlusToken, SyntaxKind.MinusToken, SyntaxKind.AmpersandToken, SyntaxKind.BarToken, SyntaxKind.CaretToken, SyntaxKind.LessThanLessThanToken, SyntaxKind.GreaterThanGreaterThanToken, SyntaxKind.GreaterThanGreaterThanGreaterThanToken, SyntaxKind.AmpersandAmpersandToken, SyntaxKind.BarBarToken, SyntaxKind.LessThanToken, SyntaxKind.LessThanEqualsToken, SyntaxKind.GreaterThanToken, SyntaxKind.GreaterThanEqualsToken, SyntaxKind.EqualsEqualsToken, SyntaxKind.EqualsEqualsEqualsToken, SyntaxKind.ExclamationEqualsEqualsToken, SyntaxKind.ExclamationEqualsToken ]); function isAssignmentOperator(operator) { return ASSIGNMENT_OPERATORS.has(operator.kind); } function isLogicalOperator(operator) { return LOGICAL_OPERATORS.has(operator.kind); } function isESTreeBinaryOperator(operator) { return BINARY_OPERATORS.has(operator.kind); } function getTextForTokenKind(kind) { return ts.tokenToString(kind); } function isESTreeClassMember(node) { return node.kind !== SyntaxKind.SemicolonClassElement; } function hasModifier(modifierKind, node) { const modifiers = (0, getModifiers_1.getModifiers)(node); return modifiers?.some((modifier) => modifier.kind === modifierKind) === true; } function getLastModifier(node) { const modifiers = (0, getModifiers_1.getModifiers)(node); if (modifiers == null) { return null; } return modifiers[modifiers.length - 1] ?? null; } function isComma(token) { return token.kind === SyntaxKind.CommaToken; } function isComment(node) { return node.kind === SyntaxKind.SingleLineCommentTrivia || node.kind === SyntaxKind.MultiLineCommentTrivia; } function isJSDocComment(node) { return node.kind === SyntaxKind.JSDocComment; } function getBinaryExpressionType(operator) { if (isAssignmentOperator(operator)) { return { type: ts_estree_1.AST_NODE_TYPES.AssignmentExpression, operator: getTextForTokenKind(operator.kind) }; } else if (isLogicalOperator(operator)) { return { type: ts_estree_1.AST_NODE_TYPES.LogicalExpression, operator: getTextForTokenKind(operator.kind) }; } else if (isESTreeBinaryOperator(operator)) { return { type: ts_estree_1.AST_NODE_TYPES.BinaryExpression, operator: getTextForTokenKind(operator.kind) }; } throw new Error(`Unexpected binary operator ${ts.tokenToString(operator.kind)}`); } function getLineAndCharacterFor(pos, ast) { const loc = ast.getLineAndCharacterOfPosition(pos); return { line: loc.line + 1, column: loc.character }; } function getLocFor(range, ast) { const [start, end] = range.map((pos) => getLineAndCharacterFor(pos, ast)); return { start, end }; } function canContainDirective(node) { if (node.kind === ts.SyntaxKind.Block) { switch (node.parent.kind) { case ts.SyntaxKind.Constructor: case ts.SyntaxKind.GetAccessor: case ts.SyntaxKind.SetAccessor: case ts.SyntaxKind.ArrowFunction: case ts.SyntaxKind.FunctionExpression: case ts.SyntaxKind.FunctionDeclaration: case ts.SyntaxKind.MethodDeclaration: return true; default: return false; } } return true; } function getRange(node, ast) { return [node.getStart(ast), node.getEnd()]; } function isToken(node) { return node.kind >= SyntaxKind.FirstToken && node.kind <= SyntaxKind.LastToken; } function isJSXToken(node) { return node.kind >= SyntaxKind.JsxElement && node.kind <= SyntaxKind.JsxAttribute; } function getDeclarationKind(node) { if (node.flags & ts.NodeFlags.Let) { return "let"; } if ((node.flags & ts.NodeFlags.AwaitUsing) === ts.NodeFlags.AwaitUsing) { return "await using"; } if (node.flags & ts.NodeFlags.Const) { return "const"; } if (node.flags & ts.NodeFlags.Using) { return "using"; } return "var"; } function getTSNodeAccessibility(node) { const modifiers = (0, getModifiers_1.getModifiers)(node); if (modifiers == null) { return void 0; } for (const modifier of modifiers) { switch (modifier.kind) { case SyntaxKind.PublicKeyword: return "public"; case SyntaxKind.ProtectedKeyword: return "protected"; case SyntaxKind.PrivateKeyword: return "private"; default: break; } } return void 0; } function findNextToken(previousToken, parent, ast) { return find(parent); function find(n) { if (ts.isToken(n) && n.pos === previousToken.end) { return n; } return firstDefined(n.getChildren(ast), (child) => { const shouldDiveInChildNode = ( // previous token is enclosed somewhere in the child child.pos <= previousToken.pos && child.end > previousToken.end || // previous token ends exactly at the beginning of child child.pos === previousToken.end ); return shouldDiveInChildNode && nodeHasTokens(child, ast) ? find(child) : void 0; }); } } function findFirstMatchingAncestor(node, predicate) { let current = node; while (current) { if (predicate(current)) { return current; } current = current.parent; } return void 0; } function hasJSXAncestor(node) { return !!findFirstMatchingAncestor(node, isJSXToken); } function unescapeStringLiteralText(text) { return text.replace(/&(?:#\d+|#x[\da-fA-F]+|[0-9a-zA-Z]+);/g, (entity) => { const item = entity.slice(1, -1); if (item[0] === "#") { const codePoint = item[1] === "x" ? parseInt(item.slice(2), 16) : parseInt(item.slice(1), 10); return codePoint > 1114111 ? entity : String.fromCodePoint(codePoint); } return xhtml_entities_1.xhtmlEntities[item] || entity; }); } function isComputedProperty(node) { return node.kind === SyntaxKind.ComputedPropertyName; } function isOptional(node) { return !!node.questionToken; } function isChainExpression(node) { return node.type === ts_estree_1.AST_NODE_TYPES.ChainExpression; } function isChildUnwrappableOptionalChain(node, child) { return isChainExpression(child) && // (x?.y).z is semantically different, and as such .z is no longer optional node.expression.kind !== ts.SyntaxKind.ParenthesizedExpression; } function getTokenType(token) { let keywordKind; if (isAtLeast50 && token.kind === SyntaxKind.Identifier) { keywordKind = ts.identifierToKeywordKind(token); } else if ("originalKeywordKind" in token) { keywordKind = token.originalKeywordKind; } if (keywordKind) { if (keywordKind === SyntaxKind.NullKeyword) { return ts_estree_1.AST_TOKEN_TYPES.Null; } else if (keywordKind >= SyntaxKind.FirstFutureReservedWord && keywordKind <= SyntaxKind.LastKeyword) { return ts_estree_1.AST_TOKEN_TYPES.Identifier; } return ts_estree_1.AST_TOKEN_TYPES.Keyword; } if (token.kind >= SyntaxKind.FirstKeyword && token.kind <= SyntaxKind.LastFutureReservedWord) { if (token.kind === SyntaxKind.FalseKeyword || token.kind === SyntaxKind.TrueKeyword) { return ts_estree_1.AST_TOKEN_TYPES.Boolean; } return ts_estree_1.AST_TOKEN_TYPES.Keyword; } if (token.kind >= SyntaxKind.FirstPunctuation && token.kind <= SyntaxKind.LastPunctuation) { return ts_estree_1.AST_TOKEN_TYPES.Punctuator; } if (token.kind >= SyntaxKind.NoSubstitutionTemplateLiteral && token.kind <= SyntaxKind.TemplateTail) { return ts_estree_1.AST_TOKEN_TYPES.Template; } switch (token.kind) { case SyntaxKind.NumericLiteral: return ts_estree_1.AST_TOKEN_TYPES.Numeric; case SyntaxKind.JsxText: return ts_estree_1.AST_TOKEN_TYPES.JSXText; case SyntaxKind.StringLiteral: if (token.parent.kind === SyntaxKind.JsxAttribute || token.parent.kind === SyntaxKind.JsxElement) { return ts_estree_1.AST_TOKEN_TYPES.JSXText; } return ts_estree_1.AST_TOKEN_TYPES.String; case SyntaxKind.RegularExpressionLiteral: return ts_estree_1.AST_TOKEN_TYPES.RegularExpression; case SyntaxKind.Identifier: case SyntaxKind.ConstructorKeyword: case SyntaxKind.GetKeyword: case SyntaxKind.SetKeyword: default: } if (token.kind === SyntaxKind.Identifier) { if (isJSXToken(token.parent)) { return ts_estree_1.AST_TOKEN_TYPES.JSXIdentifier; } if (token.parent.kind === SyntaxKind.PropertyAccessExpression && hasJSXAncestor(token)) { return ts_estree_1.AST_TOKEN_TYPES.JSXIdentifier; } } return ts_estree_1.AST_TOKEN_TYPES.Identifier; } function convertToken(token, ast) { const start = token.kind === SyntaxKind.JsxText ? token.getFullStart() : token.getStart(ast); const end = token.getEnd(); const value = ast.text.slice(start, end); const tokenType = getTokenType(token); const range = [start, end]; const loc = getLocFor(range, ast); if (tokenType === ts_estree_1.AST_TOKEN_TYPES.RegularExpression) { return { type: tokenType, value, range, loc, regex: { pattern: value.slice(1, value.lastIndexOf("/")), flags: value.slice(value.lastIndexOf("/") + 1) } }; } return { type: tokenType, value, range, loc }; } function convertTokens(ast) { const result = []; function walk(node) { if (isComment(node) || isJSDocComment(node)) { return; } if (isToken(node) && node.kind !== SyntaxKind.EndOfFileToken) { result.push(convertToken(node, ast)); } else { node.getChildren(ast).forEach(walk); } } walk(ast); return result; } var TSError = class extends Error { constructor(message, fileName, location) { super(message); this.fileName = fileName; this.location = location; Object.defineProperty(this, "name", { value: new.target.name, enumerable: false, configurable: true }); } // For old version of ESLint https://github.com/typescript-eslint/typescript-eslint/pull/6556#discussion_r1123237311 get index() { return this.location.start.offset; } // https://github.com/eslint/eslint/blob/b09a512107249a4eb19ef5a37b0bd672266eafdb/lib/linter/linter.js#L853 get lineNumber() { return this.location.start.line; } // https://github.com/eslint/eslint/blob/b09a512107249a4eb19ef5a37b0bd672266eafdb/lib/linter/linter.js#L854 get column() { return this.location.start.column; } }; exports2.TSError = TSError; function createError(message, ast, startIndex, endIndex = startIndex) { const [start, end] = [startIndex, endIndex].map((offset) => { const { line, character: column } = ast.getLineAndCharacterOfPosition(offset); return { line: line + 1, column, offset }; }); return new TSError(message, ast.fileName, { start, end }); } function nodeHasIllegalDecorators(node) { return !!("illegalDecorators" in node && node.illegalDecorators?.length); } function nodeHasTokens(n, ast) { return n.kind === SyntaxKind.EndOfFileToken ? !!n.jsDoc : n.getWidth(ast) !== 0; } function firstDefined(array, callback) { if (array === void 0) { return void 0; } for (let i = 0; i < array.length; i++) { const result = callback(array[i], i); if (result !== void 0) { return result; } } return void 0; } function identifierIsThisKeyword(id) { return (isAtLeast50 ? ts.identifierToKeywordKind(id) : ( // @ts-expect-error -- intentional fallback for older TS versions <=4.9 id.originalKeywordKind )) === SyntaxKind.ThisKeyword; } function isThisIdentifier(node) { return !!node && node.kind === SyntaxKind.Identifier && identifierIsThisKeyword(node); } function isThisInTypeQuery(node) { if (!isThisIdentifier(node)) { return false; } while (ts.isQualifiedName(node.parent) && node.parent.left === node) { node = node.parent; } return node.parent.kind === SyntaxKind.TypeQuery; } function nodeIsMissing(node) { if (node === void 0) { return true; } return node.pos === node.end && node.pos >= 0 && node.kind !== SyntaxKind.EndOfFileToken; } function nodeIsPresent(node) { return !nodeIsMissing(node); } function getContainingFunction(node) { return ts.findAncestor(node.parent, ts.isFunctionLike); } function hasAbstractModifier(node) { return hasModifier(SyntaxKind.AbstractKeyword, node); } function getThisParameter(signature) { if (signature.parameters.length && !ts.isJSDocSignature(signature)) { const thisParameter = signature.parameters[0]; if (parameterIsThisKeyword(thisParameter)) { return thisParameter; } } return null; } function parameterIsThisKeyword(parameter) { return isThisIdentifier(parameter.name); } function nodeCanBeDecorated(node) { switch (node.kind) { case SyntaxKind.ClassDeclaration: return true; case SyntaxKind.ClassExpression: return true; case SyntaxKind.PropertyDeclaration: { const { parent } = node; if (ts.isClassDeclaration(parent)) { return true; } if (ts.isClassLike(parent) && !hasAbstractModifier(node)) { return true; } return false; } case SyntaxKind.GetAccessor: case SyntaxKind.SetAccessor: case SyntaxKind.MethodDeclaration: { const { parent } = node; return Boolean(node.body) && (ts.isClassDeclaration(parent) || ts.isClassLike(parent)); } case SyntaxKind.Parameter: { const { parent } = node; const grandparent = parent.parent; return Boolean(parent) && "body" in parent && Boolean(parent.body) && (parent.kind === SyntaxKind.Constructor || parent.kind === SyntaxKind.MethodDeclaration || parent.kind === SyntaxKind.SetAccessor) && getThisParameter(parent) !== node && Boolean(grandparent) && grandparent.kind === SyntaxKind.ClassDeclaration; } } return false; } function isValidAssignmentTarget(node) { switch (node.kind) { case SyntaxKind.Identifier: return true; case SyntaxKind.PropertyAccessExpression: case SyntaxKind.ElementAccessExpression: if (node.flags & ts.NodeFlags.OptionalChain) { return false; } return true; case SyntaxKind.ParenthesizedExpression: case SyntaxKind.TypeAssertionExpression: case SyntaxKind.AsExpression: case SyntaxKind.SatisfiesExpression: case SyntaxKind.NonNullExpression: return isValidAssignmentTarget(node.expression); default: return false; } } function getNamespaceModifiers(node) { let modifiers = (0, getModifiers_1.getModifiers)(node); let moduleDeclaration = node; while ((!modifiers || modifiers.length === 0) && ts.isModuleDeclaration(moduleDeclaration.parent)) { const parentModifiers = (0, getModifiers_1.getModifiers)(moduleDeclaration.parent); if (parentModifiers?.length) { modifiers = parentModifiers; } moduleDeclaration = moduleDeclaration.parent; } return modifiers; } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/convert.js var require_convert = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/convert.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; var __classPrivateFieldGet3 = exports2 && exports2.__classPrivateFieldGet || function(receiver, state, kind, f) { if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it"); return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); }; var _Converter_instances; var _Converter_checkModifiers; var _Converter_throwUnlessAllowInvalidAST; var _Converter_withDeprecatedAliasGetter; var _Converter_throwError; var _Converter_checkForStatementDeclaration; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.Converter = void 0; exports2.convertError = convertError; var ts = __importStar2(require_typescript()); var getModifiers_1 = require_getModifiers(); var node_utils_1 = require_node_utils(); var ts_estree_1 = require_ts_estree3(); var SyntaxKind = ts.SyntaxKind; function convertError(error) { return (0, node_utils_1.createError)("message" in error && error.message || error.messageText, error.file, error.start); } var Converter = class { /** * Converts a TypeScript node into an ESTree node * @param ast the full TypeScript AST * @param options additional options for the conversion * @returns the converted ESTreeNode */ constructor(ast, options) { _Converter_instances.add(this); this.esTreeNodeToTSNodeMap = /* @__PURE__ */ new WeakMap(); this.tsNodeToESTreeNodeMap = /* @__PURE__ */ new WeakMap(); this.allowPattern = false; this.ast = ast; this.options = { ...options }; } getASTMaps() { return { esTreeNodeToTSNodeMap: this.esTreeNodeToTSNodeMap, tsNodeToESTreeNodeMap: this.tsNodeToESTreeNodeMap }; } convertProgram() { return this.converter(this.ast); } /** * Converts a TypeScript node into an ESTree node. * @param node the child ts.Node * @param parent parentNode * @param allowPattern flag to determine if patterns are allowed * @returns the converted ESTree node */ converter(node, parent, allowPattern) { if (!node) { return null; } __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_checkModifiers).call(this, node); const pattern = this.allowPattern; if (allowPattern !== void 0) { this.allowPattern = allowPattern; } const result = this.convertNode(node, parent ?? node.parent); this.registerTSNodeInNodeMap(node, result); this.allowPattern = pattern; return result; } /** * Fixes the exports of the given ts.Node * @returns the ESTreeNode with fixed exports */ fixExports(node, result) { const isNamespaceNode = ts.isModuleDeclaration(node) && Boolean(node.flags & ts.NodeFlags.Namespace); const modifiers = isNamespaceNode ? (0, node_utils_1.getNamespaceModifiers)(node) : (0, getModifiers_1.getModifiers)(node); if (modifiers?.[0].kind === SyntaxKind.ExportKeyword) { this.registerTSNodeInNodeMap(node, result); const exportKeyword = modifiers[0]; const nextModifier = modifiers[1]; const declarationIsDefault = nextModifier?.kind === SyntaxKind.DefaultKeyword; const varToken = declarationIsDefault ? (0, node_utils_1.findNextToken)(nextModifier, this.ast, this.ast) : (0, node_utils_1.findNextToken)(exportKeyword, this.ast, this.ast); result.range[0] = varToken.getStart(this.ast); result.loc = (0, node_utils_1.getLocFor)(result.range, this.ast); if (declarationIsDefault) { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ExportDefaultDeclaration, declaration: result, range: [exportKeyword.getStart(this.ast), result.range[1]], exportKind: "value" }); } const isType = result.type === ts_estree_1.AST_NODE_TYPES.TSInterfaceDeclaration || result.type === ts_estree_1.AST_NODE_TYPES.TSTypeAliasDeclaration; const isDeclare = "declare" in result && result.declare; return this.createNode( node, // @ts-expect-error - TODO, narrow the types here __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, { type: ts_estree_1.AST_NODE_TYPES.ExportNamedDeclaration, declaration: result, specifiers: [], source: null, exportKind: isType || isDeclare ? "type" : "value", range: [exportKeyword.getStart(this.ast), result.range[1]], attributes: [] }, "assertions", "attributes", true) ); } return result; } /** * Register specific TypeScript node into map with first ESTree node provided */ registerTSNodeInNodeMap(node, result) { if (result && this.options.shouldPreserveNodeMaps) { if (!this.tsNodeToESTreeNodeMap.has(node)) { this.tsNodeToESTreeNodeMap.set(node, result); } } } /** * Converts a TypeScript node into an ESTree node. * @param child the child ts.Node * @param parent parentNode * @returns the converted ESTree node */ convertPattern(child, parent) { return this.converter(child, parent, true); } /** * Converts a TypeScript node into an ESTree node. * @param child the child ts.Node * @param parent parentNode * @returns the converted ESTree node */ convertChild(child, parent) { return this.converter(child, parent, false); } createNode(node, data) { const result = data; result.range ??= (0, node_utils_1.getRange)(node, this.ast); result.loc ??= (0, node_utils_1.getLocFor)(result.range, this.ast); if (result && this.options.shouldPreserveNodeMaps) { this.esTreeNodeToTSNodeMap.set(result, node); } return result; } convertBindingNameWithTypeAnnotation(name, tsType, parent) { const id = this.convertPattern(name); if (tsType) { id.typeAnnotation = this.convertTypeAnnotation(tsType, parent); this.fixParentLocation(id, id.typeAnnotation.range); } return id; } /** * Converts a child into a type annotation. This creates an intermediary * TypeAnnotation node to match what Flow does. * @param child The TypeScript AST node to convert. * @param parent parentNode * @returns The type annotation node. */ convertTypeAnnotation(child, parent) { const offset = parent?.kind === SyntaxKind.FunctionType || parent?.kind === SyntaxKind.ConstructorType ? 2 : 1; const annotationStartCol = child.getFullStart() - offset; const range = [annotationStartCol, child.end]; const loc = (0, node_utils_1.getLocFor)(range, this.ast); return { type: ts_estree_1.AST_NODE_TYPES.TSTypeAnnotation, loc, range, typeAnnotation: this.convertChild(child) }; } /** * Coverts body Nodes and add a directive field to StringLiterals * @param nodes of ts.Node * @param parent parentNode * @returns Array of body statements */ convertBodyExpressions(nodes, parent) { let allowDirectives = (0, node_utils_1.canContainDirective)(parent); return nodes.map((statement) => { const child = this.convertChild(statement); if (allowDirectives) { if (child?.expression && ts.isExpressionStatement(statement) && ts.isStringLiteral(statement.expression)) { const raw = child.expression.raw; child.directive = raw.slice(1, -1); return child; } allowDirectives = false; } return child; }).filter((statement) => statement); } /** * Converts a ts.Node's typeArguments to TSTypeParameterInstantiation node * @param typeArguments ts.NodeArray typeArguments * @param node parent used to create this node * @returns TypeParameterInstantiation node */ convertTypeArgumentsToTypeParameterInstantiation(typeArguments, node) { const greaterThanToken = (0, node_utils_1.findNextToken)(typeArguments, this.ast, this.ast); return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSTypeParameterInstantiation, range: [typeArguments.pos - 1, greaterThanToken.end], params: typeArguments.map((typeArgument) => this.convertChild(typeArgument)) }); } /** * Converts a ts.Node's typeParameters to TSTypeParameterDeclaration node * @param typeParameters ts.Node typeParameters * @returns TypeParameterDeclaration node */ convertTSTypeParametersToTypeParametersDeclaration(typeParameters) { const greaterThanToken = (0, node_utils_1.findNextToken)(typeParameters, this.ast, this.ast); const range = [ typeParameters.pos - 1, greaterThanToken.end ]; return { type: ts_estree_1.AST_NODE_TYPES.TSTypeParameterDeclaration, range, loc: (0, node_utils_1.getLocFor)(range, this.ast), params: typeParameters.map((typeParameter) => this.convertChild(typeParameter)) }; } /** * Converts an array of ts.Node parameters into an array of ESTreeNode params * @param parameters An array of ts.Node params to be converted * @returns an array of converted ESTreeNode params */ convertParameters(parameters) { if (!parameters?.length) { return []; } return parameters.map((param) => { const convertedParam = this.convertChild(param); convertedParam.decorators = (0, getModifiers_1.getDecorators)(param)?.map((el) => this.convertChild(el)) ?? []; return convertedParam; }); } convertChainExpression(node, tsNode) { const { child, isOptional } = (() => { if (node.type === ts_estree_1.AST_NODE_TYPES.MemberExpression) { return { child: node.object, isOptional: node.optional }; } if (node.type === ts_estree_1.AST_NODE_TYPES.CallExpression) { return { child: node.callee, isOptional: node.optional }; } return { child: node.expression, isOptional: false }; })(); const isChildUnwrappable = (0, node_utils_1.isChildUnwrappableOptionalChain)(tsNode, child); if (!isChildUnwrappable && !isOptional) { return node; } if (isChildUnwrappable && (0, node_utils_1.isChainExpression)(child)) { const newChild = child.expression; if (node.type === ts_estree_1.AST_NODE_TYPES.MemberExpression) { node.object = newChild; } else if (node.type === ts_estree_1.AST_NODE_TYPES.CallExpression) { node.callee = newChild; } else { node.expression = newChild; } } return this.createNode(tsNode, { type: ts_estree_1.AST_NODE_TYPES.ChainExpression, expression: node }); } /** * For nodes that are copied directly from the TypeScript AST into * ESTree mostly as-is. The only difference is the addition of a type * property instead of a kind property. Recursively copies all children. */ deeplyCopy(node) { if (node.kind === ts.SyntaxKind.JSDocFunctionType) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node, "JSDoc types can only be used inside documentation comments."); } const customType = `TS${SyntaxKind[node.kind]}`; if (this.options.errorOnUnknownASTType && !ts_estree_1.AST_NODE_TYPES[customType]) { throw new Error(`Unknown AST_NODE_TYPE: "${customType}"`); } const result = this.createNode(node, { type: customType }); if ("type" in node) { result.typeAnnotation = node.type && "kind" in node.type && ts.isTypeNode(node.type) ? this.convertTypeAnnotation(node.type, node) : null; } if ("typeArguments" in node) { result.typeArguments = node.typeArguments && "pos" in node.typeArguments ? this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node) : null; __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, result, "typeParameters", "typeArguments"); } if ("typeParameters" in node) { result.typeParameters = node.typeParameters && "pos" in node.typeParameters ? this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters) : null; } const decorators = (0, getModifiers_1.getDecorators)(node); if (decorators?.length) { result.decorators = decorators.map((el) => this.convertChild(el)); } const KEYS_TO_NOT_COPY = /* @__PURE__ */ new Set([ "_children", "decorators", "end", "flags", "illegalDecorators", "heritageClauses", "locals", "localSymbol", "jsDoc", "kind", "modifierFlagsCache", "modifiers", "nextContainer", "parent", "pos", "symbol", "transformFlags", "type", "typeArguments", "typeParameters" ]); Object.entries(node).filter(([key]) => !KEYS_TO_NOT_COPY.has(key)).forEach(([key, value]) => { if (Array.isArray(value)) { result[key] = value.map((el) => this.convertChild(el)); } else if (value && typeof value === "object" && value.kind) { result[key] = this.convertChild(value); } else { result[key] = value; } }); return result; } convertJSXIdentifier(node) { const result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXIdentifier, name: node.getText() }); this.registerTSNodeInNodeMap(node, result); return result; } convertJSXNamespaceOrIdentifier(node) { if (node.kind === ts.SyntaxKind.JsxNamespacedName) { const result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXNamespacedName, namespace: this.createNode(node.namespace, { type: ts_estree_1.AST_NODE_TYPES.JSXIdentifier, name: node.namespace.text }), name: this.createNode(node.name, { type: ts_estree_1.AST_NODE_TYPES.JSXIdentifier, name: node.name.text }) }); this.registerTSNodeInNodeMap(node, result); return result; } const text = node.getText(); const colonIndex = text.indexOf(":"); if (colonIndex > 0) { const range = (0, node_utils_1.getRange)(node, this.ast); const result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXNamespacedName, namespace: this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXIdentifier, name: text.slice(0, colonIndex), range: [range[0], range[0] + colonIndex] }), name: this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXIdentifier, name: text.slice(colonIndex + 1), range: [range[0] + colonIndex + 1, range[1]] }), range }); this.registerTSNodeInNodeMap(node, result); return result; } return this.convertJSXIdentifier(node); } /** * Converts a TypeScript JSX node.tagName into an ESTree node.name * @param node the tagName object from a JSX ts.Node * @returns the converted ESTree name object */ convertJSXTagName(node, parent) { let result; switch (node.kind) { case SyntaxKind.PropertyAccessExpression: if (node.name.kind === SyntaxKind.PrivateIdentifier) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node.name, "Non-private identifier expected."); } result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXMemberExpression, object: this.convertJSXTagName(node.expression, parent), property: this.convertJSXIdentifier(node.name) }); break; case SyntaxKind.ThisKeyword: case SyntaxKind.Identifier: default: return this.convertJSXNamespaceOrIdentifier(node); } this.registerTSNodeInNodeMap(node, result); return result; } convertMethodSignature(node) { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSMethodSignature, accessibility: (0, node_utils_1.getTSNodeAccessibility)(node), computed: (0, node_utils_1.isComputedProperty)(node.name), key: this.convertChild(node.name), kind: (() => { switch (node.kind) { case SyntaxKind.GetAccessor: return "get"; case SyntaxKind.SetAccessor: return "set"; case SyntaxKind.MethodSignature: return "method"; } })(), optional: (0, node_utils_1.isOptional)(node), params: this.convertParameters(node.parameters), returnType: node.type && this.convertTypeAnnotation(node.type, node), readonly: (0, node_utils_1.hasModifier)(SyntaxKind.ReadonlyKeyword, node), static: (0, node_utils_1.hasModifier)(SyntaxKind.StaticKeyword, node), typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters) }); } convertImportAttributes(node) { return node === void 0 ? [] : node.elements.map((element) => this.convertChild(element)); } /** * Uses the provided range location to adjust the location data of the given Node * @param result The node that will have its location data mutated * @param childRange The child node range used to expand location */ fixParentLocation(result, childRange) { if (childRange[0] < result.range[0]) { result.range[0] = childRange[0]; result.loc.start = (0, node_utils_1.getLineAndCharacterFor)(result.range[0], this.ast); } if (childRange[1] > result.range[1]) { result.range[1] = childRange[1]; result.loc.end = (0, node_utils_1.getLineAndCharacterFor)(result.range[1], this.ast); } } assertModuleSpecifier(node, allowNull) { if (!allowNull && node.moduleSpecifier == null) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node, "Module specifier must be a string literal."); } if (node.moduleSpecifier && node.moduleSpecifier?.kind !== SyntaxKind.StringLiteral) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node.moduleSpecifier, "Module specifier must be a string literal."); } } /** * Converts a TypeScript node into an ESTree node. * The core of the conversion logic: * Identify and convert each relevant TypeScript SyntaxKind * @returns the converted ESTree node */ convertNode(node, parent) { switch (node.kind) { case SyntaxKind.SourceFile: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.Program, body: this.convertBodyExpressions(node.statements, node), comments: void 0, range: [node.getStart(this.ast), node.endOfFileToken.end], sourceType: node.externalModuleIndicator ? "module" : "script", tokens: void 0 }); } case SyntaxKind.Block: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.BlockStatement, body: this.convertBodyExpressions(node.statements, node) }); } case SyntaxKind.Identifier: { if ((0, node_utils_1.isThisInTypeQuery)(node)) { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ThisExpression }); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.Identifier, decorators: [], name: node.text, optional: false, typeAnnotation: void 0 }); } case SyntaxKind.PrivateIdentifier: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.PrivateIdentifier, // typescript includes the `#` in the text name: node.text.slice(1) }); } case SyntaxKind.WithStatement: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.WithStatement, object: this.convertChild(node.expression), body: this.convertChild(node.statement) }); case SyntaxKind.ReturnStatement: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ReturnStatement, argument: this.convertChild(node.expression) }); case SyntaxKind.LabeledStatement: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.LabeledStatement, label: this.convertChild(node.label), body: this.convertChild(node.statement) }); case SyntaxKind.ContinueStatement: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ContinueStatement, label: this.convertChild(node.label) }); case SyntaxKind.BreakStatement: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.BreakStatement, label: this.convertChild(node.label) }); case SyntaxKind.IfStatement: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.IfStatement, test: this.convertChild(node.expression), consequent: this.convertChild(node.thenStatement), alternate: this.convertChild(node.elseStatement) }); case SyntaxKind.SwitchStatement: if (node.caseBlock.clauses.filter((switchCase) => switchCase.kind === SyntaxKind.DefaultClause).length > 1) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node, "A 'default' clause cannot appear more than once in a 'switch' statement."); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.SwitchStatement, discriminant: this.convertChild(node.expression), cases: node.caseBlock.clauses.map((el) => this.convertChild(el)) }); case SyntaxKind.CaseClause: case SyntaxKind.DefaultClause: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.SwitchCase, // expression is present in case only test: node.kind === SyntaxKind.CaseClause ? this.convertChild(node.expression) : null, consequent: node.statements.map((el) => this.convertChild(el)) }); case SyntaxKind.ThrowStatement: if (node.expression.end === node.expression.pos) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node, "A throw statement must throw an expression."); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ThrowStatement, argument: this.convertChild(node.expression) }); case SyntaxKind.TryStatement: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TryStatement, block: this.convertChild(node.tryBlock), handler: this.convertChild(node.catchClause), finalizer: this.convertChild(node.finallyBlock) }); case SyntaxKind.CatchClause: if (node.variableDeclaration?.initializer) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node.variableDeclaration.initializer, "Catch clause variable cannot have an initializer."); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.CatchClause, param: node.variableDeclaration ? this.convertBindingNameWithTypeAnnotation(node.variableDeclaration.name, node.variableDeclaration.type) : null, body: this.convertChild(node.block) }); case SyntaxKind.WhileStatement: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.WhileStatement, test: this.convertChild(node.expression), body: this.convertChild(node.statement) }); case SyntaxKind.DoStatement: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.DoWhileStatement, test: this.convertChild(node.expression), body: this.convertChild(node.statement) }); case SyntaxKind.ForStatement: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ForStatement, init: this.convertChild(node.initializer), test: this.convertChild(node.condition), update: this.convertChild(node.incrementor), body: this.convertChild(node.statement) }); case SyntaxKind.ForInStatement: __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_checkForStatementDeclaration).call(this, node.initializer); return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ForInStatement, left: this.convertPattern(node.initializer), right: this.convertChild(node.expression), body: this.convertChild(node.statement) }); case SyntaxKind.ForOfStatement: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ForOfStatement, left: this.convertPattern(node.initializer), right: this.convertChild(node.expression), body: this.convertChild(node.statement), await: Boolean(node.awaitModifier && node.awaitModifier.kind === SyntaxKind.AwaitKeyword) }); case SyntaxKind.FunctionDeclaration: { const isDeclare = (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node); const isAsync2 = (0, node_utils_1.hasModifier)(SyntaxKind.AsyncKeyword, node); const isGenerator = !!node.asteriskToken; if (isDeclare) { if (node.body) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node, "An implementation cannot be declared in ambient contexts."); } else if (isAsync2) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node, "'async' modifier cannot be used in an ambient context."); } else if (isGenerator) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node, "Generators are not allowed in an ambient context."); } } else { if (!node.body && isGenerator) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node, "A function signature cannot be declared as a generator."); } } const result = this.createNode(node, { // declare implies no body due to the invariant above type: !node.body ? ts_estree_1.AST_NODE_TYPES.TSDeclareFunction : ts_estree_1.AST_NODE_TYPES.FunctionDeclaration, async: isAsync2, body: this.convertChild(node.body) || void 0, declare: isDeclare, expression: false, generator: isGenerator, id: this.convertChild(node.name), params: this.convertParameters(node.parameters), returnType: node.type && this.convertTypeAnnotation(node.type, node), typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters) }); return this.fixExports(node, result); } case SyntaxKind.VariableDeclaration: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.VariableDeclarator, definite: !!node.exclamationToken, id: this.convertBindingNameWithTypeAnnotation(node.name, node.type, node), init: this.convertChild(node.initializer) }); } case SyntaxKind.VariableStatement: { const result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.VariableDeclaration, declarations: node.declarationList.declarations.map((el) => this.convertChild(el)), declare: (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node), kind: (0, node_utils_1.getDeclarationKind)(node.declarationList) }); if (!result.declarations.length) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node, "A variable declaration list must have at least one variable declarator."); } if (result.kind === "using" || result.kind === "await using") { node.declarationList.declarations.forEach((declaration, i) => { if (result.declarations[i].init == null) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, declaration, `'${result.kind}' declarations must be initialized.`); } if (result.declarations[i].id.type !== ts_estree_1.AST_NODE_TYPES.Identifier) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, declaration.name, `'${result.kind}' declarations may not have binding patterns.`); } }); } return this.fixExports(node, result); } case SyntaxKind.VariableDeclarationList: { const result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.VariableDeclaration, declarations: node.declarations.map((el) => this.convertChild(el)), declare: false, kind: (0, node_utils_1.getDeclarationKind)(node) }); if (result.kind === "using" || result.kind === "await using") { node.declarations.forEach((declaration, i) => { if (result.declarations[i].init != null) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, declaration, `'${result.kind}' declarations may not be initialized in for statement.`); } if (result.declarations[i].id.type !== ts_estree_1.AST_NODE_TYPES.Identifier) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, declaration.name, `'${result.kind}' declarations may not have binding patterns.`); } }); } return result; } case SyntaxKind.ExpressionStatement: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ExpressionStatement, directive: void 0, expression: this.convertChild(node.expression) }); case SyntaxKind.ThisKeyword: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ThisExpression }); case SyntaxKind.ArrayLiteralExpression: { if (this.allowPattern) { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ArrayPattern, decorators: [], elements: node.elements.map((el) => this.convertPattern(el)), optional: false, typeAnnotation: void 0 }); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ArrayExpression, elements: node.elements.map((el) => this.convertChild(el)) }); } case SyntaxKind.ObjectLiteralExpression: { if (this.allowPattern) { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ObjectPattern, decorators: [], optional: false, properties: node.properties.map((el) => this.convertPattern(el)), typeAnnotation: void 0 }); } const properties = []; for (const property of node.properties) { if ((property.kind === SyntaxKind.GetAccessor || property.kind === SyntaxKind.SetAccessor || property.kind === SyntaxKind.MethodDeclaration) && !property.body) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, property.end - 1, "'{' expected."); } properties.push(this.convertChild(property)); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ObjectExpression, properties }); } case SyntaxKind.PropertyAssignment: { const { questionToken, exclamationToken } = node; if (questionToken) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, questionToken, "A property assignment cannot have a question token."); } if (exclamationToken) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, exclamationToken, "A property assignment cannot have an exclamation token."); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.Property, key: this.convertChild(node.name), value: this.converter(node.initializer, node, this.allowPattern), computed: (0, node_utils_1.isComputedProperty)(node.name), method: false, optional: false, shorthand: false, kind: "init" }); } case SyntaxKind.ShorthandPropertyAssignment: { const { modifiers, questionToken, exclamationToken } = node; if (modifiers) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifiers[0], "A shorthand property assignment cannot have modifiers."); } if (questionToken) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, questionToken, "A shorthand property assignment cannot have a question token."); } if (exclamationToken) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, exclamationToken, "A shorthand property assignment cannot have an exclamation token."); } if (node.objectAssignmentInitializer) { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.Property, key: this.convertChild(node.name), value: this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.AssignmentPattern, decorators: [], left: this.convertPattern(node.name), optional: false, right: this.convertChild(node.objectAssignmentInitializer), typeAnnotation: void 0 }), computed: false, method: false, optional: false, shorthand: true, kind: "init" }); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.Property, computed: false, key: this.convertChild(node.name), kind: "init", method: false, optional: false, shorthand: true, value: this.convertChild(node.name) }); } case SyntaxKind.ComputedPropertyName: return this.convertChild(node.expression); case SyntaxKind.PropertyDeclaration: { const isAbstract = (0, node_utils_1.hasModifier)(SyntaxKind.AbstractKeyword, node); if (isAbstract && node.initializer) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node.initializer, `Abstract property cannot have an initializer.`); } const isAccessor = (0, node_utils_1.hasModifier)(SyntaxKind.AccessorKeyword, node); const type = (() => { if (isAccessor) { if (isAbstract) { return ts_estree_1.AST_NODE_TYPES.TSAbstractAccessorProperty; } return ts_estree_1.AST_NODE_TYPES.AccessorProperty; } if (isAbstract) { return ts_estree_1.AST_NODE_TYPES.TSAbstractPropertyDefinition; } return ts_estree_1.AST_NODE_TYPES.PropertyDefinition; })(); const key = this.convertChild(node.name); return this.createNode(node, { type, key, accessibility: (0, node_utils_1.getTSNodeAccessibility)(node), value: isAbstract ? null : this.convertChild(node.initializer), computed: (0, node_utils_1.isComputedProperty)(node.name), static: (0, node_utils_1.hasModifier)(SyntaxKind.StaticKeyword, node), readonly: (0, node_utils_1.hasModifier)(SyntaxKind.ReadonlyKeyword, node), decorators: (0, getModifiers_1.getDecorators)(node)?.map((el) => this.convertChild(el)) ?? [], declare: (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node), override: (0, node_utils_1.hasModifier)(SyntaxKind.OverrideKeyword, node), typeAnnotation: node.type && this.convertTypeAnnotation(node.type, node), optional: (key.type === ts_estree_1.AST_NODE_TYPES.Literal || node.name.kind === SyntaxKind.Identifier || node.name.kind === SyntaxKind.ComputedPropertyName || node.name.kind === SyntaxKind.PrivateIdentifier) && !!node.questionToken, definite: !!node.exclamationToken }); } case SyntaxKind.GetAccessor: case SyntaxKind.SetAccessor: { if (node.parent.kind === SyntaxKind.InterfaceDeclaration || node.parent.kind === SyntaxKind.TypeLiteral) { return this.convertMethodSignature(node); } } case SyntaxKind.MethodDeclaration: { const method = this.createNode(node, { type: !node.body ? ts_estree_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression : ts_estree_1.AST_NODE_TYPES.FunctionExpression, id: null, generator: !!node.asteriskToken, expression: false, // ESTreeNode as ESTreeNode here async: (0, node_utils_1.hasModifier)(SyntaxKind.AsyncKeyword, node), body: this.convertChild(node.body), declare: false, range: [node.parameters.pos - 1, node.end], params: [], returnType: node.type && this.convertTypeAnnotation(node.type, node), typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters) }); if (method.typeParameters) { this.fixParentLocation(method, method.typeParameters.range); } let result; if (parent.kind === SyntaxKind.ObjectLiteralExpression) { method.params = node.parameters.map((el) => this.convertChild(el)); result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.Property, key: this.convertChild(node.name), value: method, computed: (0, node_utils_1.isComputedProperty)(node.name), optional: !!node.questionToken, method: node.kind === SyntaxKind.MethodDeclaration, shorthand: false, kind: "init" }); } else { method.params = this.convertParameters(node.parameters); const methodDefinitionType = (0, node_utils_1.hasModifier)(SyntaxKind.AbstractKeyword, node) ? ts_estree_1.AST_NODE_TYPES.TSAbstractMethodDefinition : ts_estree_1.AST_NODE_TYPES.MethodDefinition; result = this.createNode(node, { type: methodDefinitionType, accessibility: (0, node_utils_1.getTSNodeAccessibility)(node), computed: (0, node_utils_1.isComputedProperty)(node.name), decorators: (0, getModifiers_1.getDecorators)(node)?.map((el) => this.convertChild(el)) ?? [], key: this.convertChild(node.name), kind: "method", optional: !!node.questionToken, override: (0, node_utils_1.hasModifier)(SyntaxKind.OverrideKeyword, node), static: (0, node_utils_1.hasModifier)(SyntaxKind.StaticKeyword, node), value: method }); } if (node.kind === SyntaxKind.GetAccessor) { result.kind = "get"; } else if (node.kind === SyntaxKind.SetAccessor) { result.kind = "set"; } else if (!result.static && node.name.kind === SyntaxKind.StringLiteral && node.name.text === "constructor" && result.type !== ts_estree_1.AST_NODE_TYPES.Property) { result.kind = "constructor"; } return result; } case SyntaxKind.Constructor: { const lastModifier = (0, node_utils_1.getLastModifier)(node); const constructorToken = (lastModifier && (0, node_utils_1.findNextToken)(lastModifier, node, this.ast)) ?? node.getFirstToken(); const constructor = this.createNode(node, { type: !node.body ? ts_estree_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression : ts_estree_1.AST_NODE_TYPES.FunctionExpression, async: false, body: this.convertChild(node.body), declare: false, expression: false, // is not present in ESTreeNode generator: false, id: null, params: this.convertParameters(node.parameters), range: [node.parameters.pos - 1, node.end], returnType: node.type && this.convertTypeAnnotation(node.type, node), typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters) }); if (constructor.typeParameters) { this.fixParentLocation(constructor, constructor.typeParameters.range); } const constructorKey = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.Identifier, decorators: [], name: "constructor", optional: false, range: [constructorToken.getStart(this.ast), constructorToken.end], typeAnnotation: void 0 }); const isStatic = (0, node_utils_1.hasModifier)(SyntaxKind.StaticKeyword, node); return this.createNode(node, { type: (0, node_utils_1.hasModifier)(SyntaxKind.AbstractKeyword, node) ? ts_estree_1.AST_NODE_TYPES.TSAbstractMethodDefinition : ts_estree_1.AST_NODE_TYPES.MethodDefinition, accessibility: (0, node_utils_1.getTSNodeAccessibility)(node), computed: false, decorators: [], optional: false, key: constructorKey, kind: isStatic ? "method" : "constructor", override: false, static: isStatic, value: constructor }); } case SyntaxKind.FunctionExpression: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.FunctionExpression, async: (0, node_utils_1.hasModifier)(SyntaxKind.AsyncKeyword, node), body: this.convertChild(node.body), declare: false, expression: false, generator: !!node.asteriskToken, id: this.convertChild(node.name), params: this.convertParameters(node.parameters), returnType: node.type && this.convertTypeAnnotation(node.type, node), typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters) }); } case SyntaxKind.SuperKeyword: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.Super }); case SyntaxKind.ArrayBindingPattern: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ArrayPattern, decorators: [], elements: node.elements.map((el) => this.convertPattern(el)), optional: false, typeAnnotation: void 0 }); case SyntaxKind.OmittedExpression: return null; case SyntaxKind.ObjectBindingPattern: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ObjectPattern, decorators: [], optional: false, properties: node.elements.map((el) => this.convertPattern(el)), typeAnnotation: void 0 }); case SyntaxKind.BindingElement: { if (parent.kind === SyntaxKind.ArrayBindingPattern) { const arrayItem = this.convertChild(node.name, parent); if (node.initializer) { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.AssignmentPattern, decorators: [], left: arrayItem, optional: false, right: this.convertChild(node.initializer), typeAnnotation: void 0 }); } else if (node.dotDotDotToken) { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.RestElement, argument: arrayItem, decorators: [], optional: false, typeAnnotation: void 0, value: void 0 }); } return arrayItem; } let result; if (node.dotDotDotToken) { result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.RestElement, argument: this.convertChild(node.propertyName ?? node.name), decorators: [], optional: false, typeAnnotation: void 0, value: void 0 }); } else { result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.Property, key: this.convertChild(node.propertyName ?? node.name), value: this.convertChild(node.name), computed: Boolean(node.propertyName && node.propertyName.kind === SyntaxKind.ComputedPropertyName), method: false, optional: false, shorthand: !node.propertyName, kind: "init" }); } if (node.initializer) { result.value = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.AssignmentPattern, decorators: [], left: this.convertChild(node.name), optional: false, range: [node.name.getStart(this.ast), node.initializer.end], right: this.convertChild(node.initializer), typeAnnotation: void 0 }); } return result; } case SyntaxKind.ArrowFunction: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ArrowFunctionExpression, generator: false, id: null, params: this.convertParameters(node.parameters), body: this.convertChild(node.body), async: (0, node_utils_1.hasModifier)(SyntaxKind.AsyncKeyword, node), expression: node.body.kind !== SyntaxKind.Block, returnType: node.type && this.convertTypeAnnotation(node.type, node), typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters) }); } case SyntaxKind.YieldExpression: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.YieldExpression, delegate: !!node.asteriskToken, argument: this.convertChild(node.expression) }); case SyntaxKind.AwaitExpression: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.AwaitExpression, argument: this.convertChild(node.expression) }); case SyntaxKind.NoSubstitutionTemplateLiteral: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TemplateLiteral, quasis: [ this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TemplateElement, value: { raw: this.ast.text.slice(node.getStart(this.ast) + 1, node.end - 1), cooked: node.text }, tail: true }) ], expressions: [] }); case SyntaxKind.TemplateExpression: { const result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TemplateLiteral, quasis: [this.convertChild(node.head)], expressions: [] }); node.templateSpans.forEach((templateSpan) => { result.expressions.push(this.convertChild(templateSpan.expression)); result.quasis.push(this.convertChild(templateSpan.literal)); }); return result; } case SyntaxKind.TaggedTemplateExpression: return this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, { type: ts_estree_1.AST_NODE_TYPES.TaggedTemplateExpression, typeArguments: node.typeArguments && this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node), tag: this.convertChild(node.tag), quasi: this.convertChild(node.template) }, "typeParameters", "typeArguments")); case SyntaxKind.TemplateHead: case SyntaxKind.TemplateMiddle: case SyntaxKind.TemplateTail: { const tail = node.kind === SyntaxKind.TemplateTail; return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TemplateElement, value: { raw: this.ast.text.slice(node.getStart(this.ast) + 1, node.end - (tail ? 1 : 2)), cooked: node.text }, tail }); } case SyntaxKind.SpreadAssignment: case SyntaxKind.SpreadElement: { if (this.allowPattern) { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.RestElement, argument: this.convertPattern(node.expression), decorators: [], optional: false, typeAnnotation: void 0, value: void 0 }); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.SpreadElement, argument: this.convertChild(node.expression) }); } case SyntaxKind.Parameter: { let parameter; let result; if (node.dotDotDotToken) { parameter = result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.RestElement, argument: this.convertChild(node.name), decorators: [], optional: false, typeAnnotation: void 0, value: void 0 }); } else if (node.initializer) { parameter = this.convertChild(node.name); result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.AssignmentPattern, decorators: [], left: parameter, optional: false, right: this.convertChild(node.initializer), typeAnnotation: void 0 }); const modifiers2 = (0, getModifiers_1.getModifiers)(node); if (modifiers2) { result.range[0] = parameter.range[0]; result.loc = (0, node_utils_1.getLocFor)(result.range, this.ast); } } else { parameter = result = this.convertChild(node.name, parent); } if (node.type) { parameter.typeAnnotation = this.convertTypeAnnotation(node.type, node); this.fixParentLocation(parameter, parameter.typeAnnotation.range); } if (node.questionToken) { if (node.questionToken.end > parameter.range[1]) { parameter.range[1] = node.questionToken.end; parameter.loc.end = (0, node_utils_1.getLineAndCharacterFor)(parameter.range[1], this.ast); } parameter.optional = true; } const modifiers = (0, getModifiers_1.getModifiers)(node); if (modifiers) { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSParameterProperty, accessibility: (0, node_utils_1.getTSNodeAccessibility)(node), decorators: [], override: (0, node_utils_1.hasModifier)(SyntaxKind.OverrideKeyword, node), parameter: result, readonly: (0, node_utils_1.hasModifier)(SyntaxKind.ReadonlyKeyword, node), static: (0, node_utils_1.hasModifier)(SyntaxKind.StaticKeyword, node) }); } return result; } case SyntaxKind.ClassDeclaration: if (!node.name && (!(0, node_utils_1.hasModifier)(ts.SyntaxKind.ExportKeyword, node) || !(0, node_utils_1.hasModifier)(ts.SyntaxKind.DefaultKeyword, node))) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node, "A class declaration without the 'default' modifier must have a name."); } case SyntaxKind.ClassExpression: { const heritageClauses = node.heritageClauses ?? []; const classNodeType = node.kind === SyntaxKind.ClassDeclaration ? ts_estree_1.AST_NODE_TYPES.ClassDeclaration : ts_estree_1.AST_NODE_TYPES.ClassExpression; let extendsClause; let implementsClause; for (const heritageClause of heritageClauses) { const { token, types } = heritageClause; if (types.length === 0) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, heritageClause, `'${ts.tokenToString(token)}' list cannot be empty.`); } if (token === SyntaxKind.ExtendsKeyword) { if (extendsClause) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, heritageClause, "'extends' clause already seen."); } if (implementsClause) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, heritageClause, "'extends' clause must precede 'implements' clause."); } if (types.length > 1) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, types[1], "Classes can only extend a single class."); } extendsClause ??= heritageClause; } else if (token === SyntaxKind.ImplementsKeyword) { if (implementsClause) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, heritageClause, "'implements' clause already seen."); } implementsClause ??= heritageClause; } } const result = this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, { type: classNodeType, abstract: (0, node_utils_1.hasModifier)(SyntaxKind.AbstractKeyword, node), body: this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ClassBody, body: node.members.filter(node_utils_1.isESTreeClassMember).map((el) => this.convertChild(el)), range: [node.members.pos - 1, node.end] }), declare: (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node), decorators: (0, getModifiers_1.getDecorators)(node)?.map((el) => this.convertChild(el)) ?? [], id: this.convertChild(node.name), implements: implementsClause?.types.map((el) => this.convertChild(el)) ?? [], superClass: extendsClause?.types[0] ? this.convertChild(extendsClause.types[0].expression) : null, superTypeArguments: void 0, typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters) }, "superTypeParameters", "superTypeArguments")); if (extendsClause?.types[0]?.typeArguments) { result.superTypeArguments = this.convertTypeArgumentsToTypeParameterInstantiation(extendsClause.types[0].typeArguments, extendsClause.types[0]); } return this.fixExports(node, result); } case SyntaxKind.ModuleBlock: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSModuleBlock, body: this.convertBodyExpressions(node.statements, node) }); case SyntaxKind.ImportDeclaration: { this.assertModuleSpecifier(node, false); const result = this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, { type: ts_estree_1.AST_NODE_TYPES.ImportDeclaration, source: this.convertChild(node.moduleSpecifier), specifiers: [], importKind: "value", attributes: this.convertImportAttributes( // eslint-disable-next-line deprecation/deprecation -- TS <5.3 node.attributes ?? node.assertClause ) }, "assertions", "attributes", true)); if (node.importClause) { if (node.importClause.isTypeOnly) { result.importKind = "type"; } if (node.importClause.name) { result.specifiers.push(this.convertChild(node.importClause)); } if (node.importClause.namedBindings) { switch (node.importClause.namedBindings.kind) { case SyntaxKind.NamespaceImport: result.specifiers.push(this.convertChild(node.importClause.namedBindings)); break; case SyntaxKind.NamedImports: result.specifiers = result.specifiers.concat(node.importClause.namedBindings.elements.map((el) => this.convertChild(el))); break; } } } return result; } case SyntaxKind.NamespaceImport: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ImportNamespaceSpecifier, local: this.convertChild(node.name) }); case SyntaxKind.ImportSpecifier: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ImportSpecifier, local: this.convertChild(node.name), imported: this.convertChild(node.propertyName ?? node.name), importKind: node.isTypeOnly ? "type" : "value" }); case SyntaxKind.ImportClause: { const local = this.convertChild(node.name); return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ImportDefaultSpecifier, local, range: local.range }); } case SyntaxKind.ExportDeclaration: { if (node.exportClause?.kind === SyntaxKind.NamedExports) { this.assertModuleSpecifier(node, true); return this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, { type: ts_estree_1.AST_NODE_TYPES.ExportNamedDeclaration, source: this.convertChild(node.moduleSpecifier), specifiers: node.exportClause.elements.map((el) => this.convertChild(el)), exportKind: node.isTypeOnly ? "type" : "value", declaration: null, attributes: this.convertImportAttributes( // eslint-disable-next-line deprecation/deprecation -- TS <5.3 node.attributes ?? node.assertClause ) }, "assertions", "attributes", true)); } this.assertModuleSpecifier(node, false); return this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, { type: ts_estree_1.AST_NODE_TYPES.ExportAllDeclaration, source: this.convertChild(node.moduleSpecifier), exportKind: node.isTypeOnly ? "type" : "value", exported: node.exportClause?.kind === SyntaxKind.NamespaceExport ? this.convertChild(node.exportClause.name) : null, attributes: this.convertImportAttributes( // eslint-disable-next-line deprecation/deprecation -- TS <5.3 node.attributes ?? node.assertClause ) }, "assertions", "attributes", true)); } case SyntaxKind.ExportSpecifier: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ExportSpecifier, local: this.convertChild(node.propertyName ?? node.name), exported: this.convertChild(node.name), exportKind: node.isTypeOnly ? "type" : "value" }); case SyntaxKind.ExportAssignment: if (node.isExportEquals) { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSExportAssignment, expression: this.convertChild(node.expression) }); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ExportDefaultDeclaration, declaration: this.convertChild(node.expression), exportKind: "value" }); case SyntaxKind.PrefixUnaryExpression: case SyntaxKind.PostfixUnaryExpression: { const operator = (0, node_utils_1.getTextForTokenKind)(node.operator); if (operator === "++" || operator === "--") { if (!(0, node_utils_1.isValidAssignmentTarget)(node.operand)) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node.operand, "Invalid left-hand side expression in unary operation"); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.UpdateExpression, operator, prefix: node.kind === SyntaxKind.PrefixUnaryExpression, argument: this.convertChild(node.operand) }); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.UnaryExpression, operator, prefix: node.kind === SyntaxKind.PrefixUnaryExpression, argument: this.convertChild(node.operand) }); } case SyntaxKind.DeleteExpression: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.UnaryExpression, operator: "delete", prefix: true, argument: this.convertChild(node.expression) }); case SyntaxKind.VoidExpression: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.UnaryExpression, operator: "void", prefix: true, argument: this.convertChild(node.expression) }); case SyntaxKind.TypeOfExpression: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.UnaryExpression, operator: "typeof", prefix: true, argument: this.convertChild(node.expression) }); case SyntaxKind.TypeOperator: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSTypeOperator, operator: (0, node_utils_1.getTextForTokenKind)(node.operator), typeAnnotation: this.convertChild(node.type) }); case SyntaxKind.BinaryExpression: { if ((0, node_utils_1.isComma)(node.operatorToken)) { const result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.SequenceExpression, expressions: [] }); const left = this.convertChild(node.left); if (left.type === ts_estree_1.AST_NODE_TYPES.SequenceExpression && node.left.kind !== SyntaxKind.ParenthesizedExpression) { result.expressions = result.expressions.concat(left.expressions); } else { result.expressions.push(left); } result.expressions.push(this.convertChild(node.right)); return result; } const expressionType = (0, node_utils_1.getBinaryExpressionType)(node.operatorToken); if (this.allowPattern && expressionType.type === ts_estree_1.AST_NODE_TYPES.AssignmentExpression) { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.AssignmentPattern, decorators: [], left: this.convertPattern(node.left, node), optional: false, right: this.convertChild(node.right), typeAnnotation: void 0 }); } return this.createNode(node, { ...expressionType, left: this.converter(node.left, node, expressionType.type === ts_estree_1.AST_NODE_TYPES.AssignmentExpression), right: this.convertChild(node.right) }); } case SyntaxKind.PropertyAccessExpression: { const object = this.convertChild(node.expression); const property = this.convertChild(node.name); const computed = false; const result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.MemberExpression, object, property, computed, optional: node.questionDotToken !== void 0 }); return this.convertChainExpression(result, node); } case SyntaxKind.ElementAccessExpression: { const object = this.convertChild(node.expression); const property = this.convertChild(node.argumentExpression); const computed = true; const result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.MemberExpression, object, property, computed, optional: node.questionDotToken !== void 0 }); return this.convertChainExpression(result, node); } case SyntaxKind.CallExpression: { if (node.expression.kind === SyntaxKind.ImportKeyword) { if (node.arguments.length !== 1 && node.arguments.length !== 2) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node.arguments[2] ?? node, "Dynamic import requires exactly one or two arguments."); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ImportExpression, source: this.convertChild(node.arguments[0]), attributes: node.arguments[1] ? this.convertChild(node.arguments[1]) : null }); } const callee = this.convertChild(node.expression); const args = node.arguments.map((el) => this.convertChild(el)); const typeArguments = node.typeArguments && this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node); const result = this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, { type: ts_estree_1.AST_NODE_TYPES.CallExpression, callee, arguments: args, optional: node.questionDotToken !== void 0, typeArguments }, "typeParameters", "typeArguments")); return this.convertChainExpression(result, node); } case SyntaxKind.NewExpression: { const typeArguments = node.typeArguments && this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node); return this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, { type: ts_estree_1.AST_NODE_TYPES.NewExpression, arguments: node.arguments ? node.arguments.map((el) => this.convertChild(el)) : [], callee: this.convertChild(node.expression), typeArguments }, "typeParameters", "typeArguments")); } case SyntaxKind.ConditionalExpression: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ConditionalExpression, test: this.convertChild(node.condition), consequent: this.convertChild(node.whenTrue), alternate: this.convertChild(node.whenFalse) }); case SyntaxKind.MetaProperty: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.MetaProperty, meta: this.createNode( // TODO: do we really want to convert it to Token? node.getFirstToken(), { type: ts_estree_1.AST_NODE_TYPES.Identifier, decorators: [], name: (0, node_utils_1.getTextForTokenKind)(node.keywordToken), optional: false, typeAnnotation: void 0 } ), property: this.convertChild(node.name) }); } case SyntaxKind.Decorator: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.Decorator, expression: this.convertChild(node.expression) }); } case SyntaxKind.StringLiteral: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.Literal, value: parent.kind === SyntaxKind.JsxAttribute ? (0, node_utils_1.unescapeStringLiteralText)(node.text) : node.text, raw: node.getText() }); } case SyntaxKind.NumericLiteral: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.Literal, value: Number(node.text), raw: node.getText() }); } case SyntaxKind.BigIntLiteral: { const range = (0, node_utils_1.getRange)(node, this.ast); const rawValue = this.ast.text.slice(range[0], range[1]); const bigint = rawValue.slice(0, -1).replace(/_/g, ""); const value = typeof BigInt !== "undefined" ? BigInt(bigint) : null; return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.Literal, raw: rawValue, value, bigint: value == null ? bigint : String(value), range }); } case SyntaxKind.RegularExpressionLiteral: { const pattern = node.text.slice(1, node.text.lastIndexOf("/")); const flags = node.text.slice(node.text.lastIndexOf("/") + 1); let regex = null; try { regex = new RegExp(pattern, flags); } catch { } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.Literal, value: regex, raw: node.text, regex: { pattern, flags } }); } case SyntaxKind.TrueKeyword: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.Literal, value: true, raw: "true" }); case SyntaxKind.FalseKeyword: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.Literal, value: false, raw: "false" }); case SyntaxKind.NullKeyword: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.Literal, value: null, raw: "null" }); } case SyntaxKind.EmptyStatement: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.EmptyStatement }); case SyntaxKind.DebuggerStatement: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.DebuggerStatement }); case SyntaxKind.JsxElement: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXElement, openingElement: this.convertChild(node.openingElement), closingElement: this.convertChild(node.closingElement), children: node.children.map((el) => this.convertChild(el)) }); case SyntaxKind.JsxFragment: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXFragment, openingFragment: this.convertChild(node.openingFragment), closingFragment: this.convertChild(node.closingFragment), children: node.children.map((el) => this.convertChild(el)) }); case SyntaxKind.JsxSelfClosingElement: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXElement, /** * Convert SyntaxKind.JsxSelfClosingElement to SyntaxKind.JsxOpeningElement, * TypeScript does not seem to have the idea of openingElement when tag is self-closing */ openingElement: this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, { type: ts_estree_1.AST_NODE_TYPES.JSXOpeningElement, typeArguments: node.typeArguments ? this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node) : void 0, selfClosing: true, name: this.convertJSXTagName(node.tagName, node), attributes: node.attributes.properties.map((el) => this.convertChild(el)), range: (0, node_utils_1.getRange)(node, this.ast) }, "typeParameters", "typeArguments")), closingElement: null, children: [] }); } case SyntaxKind.JsxOpeningElement: { return this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, { type: ts_estree_1.AST_NODE_TYPES.JSXOpeningElement, typeArguments: node.typeArguments && this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node), selfClosing: false, name: this.convertJSXTagName(node.tagName, node), attributes: node.attributes.properties.map((el) => this.convertChild(el)) }, "typeParameters", "typeArguments")); } case SyntaxKind.JsxClosingElement: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXClosingElement, name: this.convertJSXTagName(node.tagName, node) }); case SyntaxKind.JsxOpeningFragment: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXOpeningFragment }); case SyntaxKind.JsxClosingFragment: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXClosingFragment }); case SyntaxKind.JsxExpression: { const expression = node.expression ? this.convertChild(node.expression) : this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXEmptyExpression, range: [node.getStart(this.ast) + 1, node.getEnd() - 1] }); if (node.dotDotDotToken) { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXSpreadChild, expression }); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXExpressionContainer, expression }); } case SyntaxKind.JsxAttribute: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXAttribute, name: this.convertJSXNamespaceOrIdentifier(node.name), value: this.convertChild(node.initializer) }); } case SyntaxKind.JsxText: { const start = node.getFullStart(); const end = node.getEnd(); const text = this.ast.text.slice(start, end); return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXText, value: (0, node_utils_1.unescapeStringLiteralText)(text), raw: text, range: [start, end] }); } case SyntaxKind.JsxSpreadAttribute: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.JSXSpreadAttribute, argument: this.convertChild(node.expression) }); case SyntaxKind.QualifiedName: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSQualifiedName, left: this.convertChild(node.left), right: this.convertChild(node.right) }); } case SyntaxKind.TypeReference: return this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, { type: ts_estree_1.AST_NODE_TYPES.TSTypeReference, typeName: this.convertChild(node.typeName), typeArguments: node.typeArguments && this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node) }, "typeParameters", "typeArguments")); case SyntaxKind.TypeParameter: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSTypeParameter, name: this.convertChild(node.name), constraint: node.constraint && this.convertChild(node.constraint), default: node.default ? this.convertChild(node.default) : void 0, in: (0, node_utils_1.hasModifier)(SyntaxKind.InKeyword, node), out: (0, node_utils_1.hasModifier)(SyntaxKind.OutKeyword, node), const: (0, node_utils_1.hasModifier)(SyntaxKind.ConstKeyword, node) }); } case SyntaxKind.ThisType: return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSThisType }); case SyntaxKind.AnyKeyword: case SyntaxKind.BigIntKeyword: case SyntaxKind.BooleanKeyword: case SyntaxKind.NeverKeyword: case SyntaxKind.NumberKeyword: case SyntaxKind.ObjectKeyword: case SyntaxKind.StringKeyword: case SyntaxKind.SymbolKeyword: case SyntaxKind.UnknownKeyword: case SyntaxKind.VoidKeyword: case SyntaxKind.UndefinedKeyword: case SyntaxKind.IntrinsicKeyword: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES[`TS${SyntaxKind[node.kind]}`] }); } case SyntaxKind.NonNullExpression: { const nnExpr = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSNonNullExpression, expression: this.convertChild(node.expression) }); return this.convertChainExpression(nnExpr, node); } case SyntaxKind.TypeLiteral: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSTypeLiteral, members: node.members.map((el) => this.convertChild(el)) }); } case SyntaxKind.ArrayType: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSArrayType, elementType: this.convertChild(node.elementType) }); } case SyntaxKind.IndexedAccessType: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSIndexedAccessType, objectType: this.convertChild(node.objectType), indexType: this.convertChild(node.indexType) }); } case SyntaxKind.ConditionalType: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSConditionalType, checkType: this.convertChild(node.checkType), extendsType: this.convertChild(node.extendsType), trueType: this.convertChild(node.trueType), falseType: this.convertChild(node.falseType) }); } case SyntaxKind.TypeQuery: return this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, { type: ts_estree_1.AST_NODE_TYPES.TSTypeQuery, exprName: this.convertChild(node.exprName), typeArguments: node.typeArguments && this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node) }, "typeParameters", "typeArguments")); case SyntaxKind.MappedType: { if (node.members && node.members.length > 0) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node.members[0], "A mapped type may not declare properties or methods."); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSMappedType, nameType: this.convertChild(node.nameType) ?? null, optional: node.questionToken && (node.questionToken.kind === SyntaxKind.QuestionToken || (0, node_utils_1.getTextForTokenKind)(node.questionToken.kind)), readonly: node.readonlyToken && (node.readonlyToken.kind === SyntaxKind.ReadonlyKeyword || (0, node_utils_1.getTextForTokenKind)(node.readonlyToken.kind)), typeAnnotation: node.type && this.convertChild(node.type), typeParameter: this.convertChild(node.typeParameter) }); } case SyntaxKind.ParenthesizedExpression: return this.convertChild(node.expression, parent); case SyntaxKind.TypeAliasDeclaration: { const result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSTypeAliasDeclaration, declare: (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node), id: this.convertChild(node.name), typeAnnotation: this.convertChild(node.type), typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters) }); return this.fixExports(node, result); } case SyntaxKind.MethodSignature: { return this.convertMethodSignature(node); } case SyntaxKind.PropertySignature: { const { initializer } = node; if (initializer) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, initializer, "A property signature cannot have an initializer."); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSPropertySignature, accessibility: (0, node_utils_1.getTSNodeAccessibility)(node), computed: (0, node_utils_1.isComputedProperty)(node.name), key: this.convertChild(node.name), optional: (0, node_utils_1.isOptional)(node), readonly: (0, node_utils_1.hasModifier)(SyntaxKind.ReadonlyKeyword, node), static: (0, node_utils_1.hasModifier)(SyntaxKind.StaticKeyword, node), typeAnnotation: node.type && this.convertTypeAnnotation(node.type, node) }); } case SyntaxKind.IndexSignature: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSIndexSignature, accessibility: (0, node_utils_1.getTSNodeAccessibility)(node), parameters: node.parameters.map((el) => this.convertChild(el)), readonly: (0, node_utils_1.hasModifier)(SyntaxKind.ReadonlyKeyword, node), static: (0, node_utils_1.hasModifier)(SyntaxKind.StaticKeyword, node), typeAnnotation: node.type && this.convertTypeAnnotation(node.type, node) }); } case SyntaxKind.ConstructorType: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSConstructorType, abstract: (0, node_utils_1.hasModifier)(SyntaxKind.AbstractKeyword, node), params: this.convertParameters(node.parameters), returnType: node.type && this.convertTypeAnnotation(node.type, node), typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters) }); } case SyntaxKind.FunctionType: { const { modifiers } = node; if (modifiers) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifiers[0], "A function type cannot have modifiers."); } } case SyntaxKind.ConstructSignature: case SyntaxKind.CallSignature: { const type = node.kind === SyntaxKind.ConstructSignature ? ts_estree_1.AST_NODE_TYPES.TSConstructSignatureDeclaration : node.kind === SyntaxKind.CallSignature ? ts_estree_1.AST_NODE_TYPES.TSCallSignatureDeclaration : ts_estree_1.AST_NODE_TYPES.TSFunctionType; return this.createNode(node, { type, params: this.convertParameters(node.parameters), returnType: node.type && this.convertTypeAnnotation(node.type, node), typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters) }); } case SyntaxKind.ExpressionWithTypeArguments: { const parentKind = parent.kind; const type = parentKind === SyntaxKind.InterfaceDeclaration ? ts_estree_1.AST_NODE_TYPES.TSInterfaceHeritage : parentKind === SyntaxKind.HeritageClause ? ts_estree_1.AST_NODE_TYPES.TSClassImplements : ts_estree_1.AST_NODE_TYPES.TSInstantiationExpression; return this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, { type, expression: this.convertChild(node.expression), typeArguments: node.typeArguments && this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node) }, "typeParameters", "typeArguments")); } case SyntaxKind.InterfaceDeclaration: { const interfaceHeritageClauses = node.heritageClauses ?? []; const interfaceExtends = []; for (const heritageClause of interfaceHeritageClauses) { if (heritageClause.token !== SyntaxKind.ExtendsKeyword) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, heritageClause, heritageClause.token === SyntaxKind.ImplementsKeyword ? "Interface declaration cannot have 'implements' clause." : "Unexpected token."); } for (const heritageType of heritageClause.types) { interfaceExtends.push(this.convertChild(heritageType, node)); } } const result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSInterfaceDeclaration, body: this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSInterfaceBody, body: node.members.map((member) => this.convertChild(member)), range: [node.members.pos - 1, node.end] }), declare: (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node), extends: interfaceExtends, id: this.convertChild(node.name), typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters) }); return this.fixExports(node, result); } case SyntaxKind.TypePredicate: { const result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSTypePredicate, asserts: node.assertsModifier !== void 0, parameterName: this.convertChild(node.parameterName), typeAnnotation: null }); if (node.type) { result.typeAnnotation = this.convertTypeAnnotation(node.type, node); result.typeAnnotation.loc = result.typeAnnotation.typeAnnotation.loc; result.typeAnnotation.range = result.typeAnnotation.typeAnnotation.range; } return result; } case SyntaxKind.ImportType: { const range = (0, node_utils_1.getRange)(node, this.ast); if (node.isTypeOf) { const token = (0, node_utils_1.findNextToken)(node.getFirstToken(), node, this.ast); range[0] = token.getStart(this.ast); } const result = this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, { type: ts_estree_1.AST_NODE_TYPES.TSImportType, argument: this.convertChild(node.argument), qualifier: this.convertChild(node.qualifier), typeArguments: node.typeArguments ? this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node) : null, range }, "typeParameters", "typeArguments")); if (node.isTypeOf) { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSTypeQuery, exprName: result, typeArguments: void 0, typeParameters: void 0 }); } return result; } case SyntaxKind.EnumDeclaration: { const result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSEnumDeclaration, const: (0, node_utils_1.hasModifier)(SyntaxKind.ConstKeyword, node), declare: (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node), id: this.convertChild(node.name), members: node.members.map((el) => this.convertChild(el)) }); return this.fixExports(node, result); } case SyntaxKind.EnumMember: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSEnumMember, computed: node.name.kind === ts.SyntaxKind.ComputedPropertyName, id: this.convertChild(node.name), initializer: node.initializer && this.convertChild(node.initializer) }); } case SyntaxKind.ModuleDeclaration: { let isDeclare = (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node); const result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSModuleDeclaration, ...(() => { if (node.flags & ts.NodeFlags.GlobalAugmentation) { const id = this.convertChild(node.name); const body = this.convertChild(node.body); if (body == null || body.type === ts_estree_1.AST_NODE_TYPES.TSModuleDeclaration) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node.body ?? node, "Expected a valid module body"); } if (id.type !== ts_estree_1.AST_NODE_TYPES.Identifier) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node.name, "global module augmentation must have an Identifier id"); } return { kind: "global", body, declare: false, global: false, id }; } if (!(node.flags & ts.NodeFlags.Namespace)) { const body = this.convertChild(node.body); return { kind: "module", ...body != null ? { body } : {}, declare: false, global: false, id: this.convertChild(node.name) }; } if (node.body == null) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node, "Expected a module body"); } if (node.name.kind !== ts.SyntaxKind.Identifier) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node.name, "`namespace`s must have an Identifier id"); } let name = this.createNode(node.name, { decorators: [], name: node.name.text, optional: false, range: [node.name.getStart(this.ast), node.name.getEnd()], type: ts_estree_1.AST_NODE_TYPES.Identifier, typeAnnotation: void 0 }); while (node.body && ts.isModuleDeclaration(node.body) && node.body.name) { node = node.body; isDeclare ||= (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node); const nextName = node.name; const right = this.createNode(nextName, { decorators: [], name: nextName.text, optional: false, range: [nextName.getStart(this.ast), nextName.getEnd()], type: ts_estree_1.AST_NODE_TYPES.Identifier, typeAnnotation: void 0 }); name = this.createNode(nextName, { left: name, right, range: [name.range[0], right.range[1]], type: ts_estree_1.AST_NODE_TYPES.TSQualifiedName }); } return { kind: "namespace", body: this.convertChild(node.body), declare: false, global: false, id: name }; })() }); result.declare = isDeclare; if (node.flags & ts.NodeFlags.GlobalAugmentation) { result.global = true; } return this.fixExports(node, result); } case SyntaxKind.ParenthesizedType: { return this.convertChild(node.type); } case SyntaxKind.UnionType: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSUnionType, types: node.types.map((el) => this.convertChild(el)) }); } case SyntaxKind.IntersectionType: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSIntersectionType, types: node.types.map((el) => this.convertChild(el)) }); } case SyntaxKind.AsExpression: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSAsExpression, expression: this.convertChild(node.expression), typeAnnotation: this.convertChild(node.type) }); } case SyntaxKind.InferType: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSInferType, typeParameter: this.convertChild(node.typeParameter) }); } case SyntaxKind.LiteralType: { if (node.literal.kind === SyntaxKind.NullKeyword) { return this.createNode(node.literal, { type: ts_estree_1.AST_NODE_TYPES.TSNullKeyword }); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSLiteralType, literal: this.convertChild(node.literal) }); } case SyntaxKind.TypeAssertionExpression: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSTypeAssertion, typeAnnotation: this.convertChild(node.type), expression: this.convertChild(node.expression) }); } case SyntaxKind.ImportEqualsDeclaration: { return this.fixExports(node, this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSImportEqualsDeclaration, id: this.convertChild(node.name), importKind: node.isTypeOnly ? "type" : "value", moduleReference: this.convertChild(node.moduleReference) })); } case SyntaxKind.ExternalModuleReference: { if (node.expression.kind !== SyntaxKind.StringLiteral) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node.expression, "String literal expected."); } return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSExternalModuleReference, expression: this.convertChild(node.expression) }); } case SyntaxKind.NamespaceExportDeclaration: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSNamespaceExportDeclaration, id: this.convertChild(node.name) }); } case SyntaxKind.AbstractKeyword: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSAbstractKeyword }); } case SyntaxKind.TupleType: { const elementTypes = node.elements.map((el) => this.convertChild(el)); return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSTupleType, elementTypes }); } case SyntaxKind.NamedTupleMember: { const member = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSNamedTupleMember, elementType: this.convertChild(node.type, node), label: this.convertChild(node.name, node), optional: node.questionToken != null }); if (node.dotDotDotToken) { member.range[0] = member.label.range[0]; member.loc.start = member.label.loc.start; return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSRestType, typeAnnotation: member }); } return member; } case SyntaxKind.OptionalType: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSOptionalType, typeAnnotation: this.convertChild(node.type) }); } case SyntaxKind.RestType: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSRestType, typeAnnotation: this.convertChild(node.type) }); } case SyntaxKind.TemplateLiteralType: { const result = this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSTemplateLiteralType, quasis: [this.convertChild(node.head)], types: [] }); node.templateSpans.forEach((templateSpan) => { result.types.push(this.convertChild(templateSpan.type)); result.quasis.push(this.convertChild(templateSpan.literal)); }); return result; } case SyntaxKind.ClassStaticBlockDeclaration: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.StaticBlock, body: this.convertBodyExpressions(node.body.statements, node) }); } case SyntaxKind.AssertEntry: case SyntaxKind.ImportAttribute: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.ImportAttribute, key: this.convertChild(node.name), value: this.convertChild(node.value) }); } case SyntaxKind.SatisfiesExpression: { return this.createNode(node, { type: ts_estree_1.AST_NODE_TYPES.TSSatisfiesExpression, expression: this.convertChild(node.expression), typeAnnotation: this.convertChild(node.type) }); } default: return this.deeplyCopy(node); } } }; exports2.Converter = Converter; _Converter_instances = /* @__PURE__ */ new WeakSet(), _Converter_checkModifiers = function _Converter_checkModifiers2(node) { if (this.options.allowInvalidAST) { return; } if ((0, node_utils_1.nodeHasIllegalDecorators)(node)) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node.illegalDecorators[0], "Decorators are not valid here."); } for (const decorator of (0, getModifiers_1.getDecorators)( node, /* includeIllegalDecorators */ true ) ?? []) { if (!(0, node_utils_1.nodeCanBeDecorated)(node)) { if (ts.isMethodDeclaration(node) && !(0, node_utils_1.nodeIsPresent)(node.body)) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, decorator, "A decorator can only decorate a method implementation, not an overload."); } else { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, decorator, "Decorators are not valid here."); } } } for (const modifier of (0, getModifiers_1.getModifiers)( node, /* includeIllegalModifiers */ true ) ?? []) { if (modifier.kind !== SyntaxKind.ReadonlyKeyword) { if (node.kind === SyntaxKind.PropertySignature || node.kind === SyntaxKind.MethodSignature) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'${ts.tokenToString(modifier.kind)}' modifier cannot appear on a type member`); } if (node.kind === SyntaxKind.IndexSignature && (modifier.kind !== SyntaxKind.StaticKeyword || !ts.isClassLike(node.parent))) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'${ts.tokenToString(modifier.kind)}' modifier cannot appear on an index signature`); } } if (modifier.kind !== SyntaxKind.InKeyword && modifier.kind !== SyntaxKind.OutKeyword && modifier.kind !== SyntaxKind.ConstKeyword && node.kind === SyntaxKind.TypeParameter) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'${ts.tokenToString(modifier.kind)}' modifier cannot appear on a type parameter`); } if ((modifier.kind === SyntaxKind.InKeyword || modifier.kind === SyntaxKind.OutKeyword) && (node.kind !== SyntaxKind.TypeParameter || !(ts.isInterfaceDeclaration(node.parent) || ts.isClassLike(node.parent) || ts.isTypeAliasDeclaration(node.parent)))) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'${ts.tokenToString(modifier.kind)}' modifier can only appear on a type parameter of a class, interface or type alias`); } if (modifier.kind === SyntaxKind.ReadonlyKeyword && node.kind !== SyntaxKind.PropertyDeclaration && node.kind !== SyntaxKind.PropertySignature && node.kind !== SyntaxKind.IndexSignature && node.kind !== SyntaxKind.Parameter) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, "'readonly' modifier can only appear on a property declaration or index signature."); } if (modifier.kind === SyntaxKind.DeclareKeyword && ts.isClassLike(node.parent) && !ts.isPropertyDeclaration(node)) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'${ts.tokenToString(modifier.kind)}' modifier cannot appear on class elements of this kind.`); } if (modifier.kind === SyntaxKind.DeclareKeyword && ts.isVariableStatement(node)) { const declarationKind = (0, node_utils_1.getDeclarationKind)(node.declarationList); if (declarationKind === "using" || declarationKind === "await using") { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'declare' modifier cannot appear on a '${declarationKind}' declaration.`); } } if (modifier.kind === SyntaxKind.AbstractKeyword && node.kind !== SyntaxKind.ClassDeclaration && node.kind !== SyntaxKind.ConstructorType && node.kind !== SyntaxKind.MethodDeclaration && node.kind !== SyntaxKind.PropertyDeclaration && node.kind !== SyntaxKind.GetAccessor && node.kind !== SyntaxKind.SetAccessor) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'${ts.tokenToString(modifier.kind)}' modifier can only appear on a class, method, or property declaration.`); } if ((modifier.kind === SyntaxKind.StaticKeyword || modifier.kind === SyntaxKind.PublicKeyword || modifier.kind === SyntaxKind.ProtectedKeyword || modifier.kind === SyntaxKind.PrivateKeyword) && (node.parent.kind === SyntaxKind.ModuleBlock || node.parent.kind === SyntaxKind.SourceFile)) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'${ts.tokenToString(modifier.kind)}' modifier cannot appear on a module or namespace element.`); } if (modifier.kind === SyntaxKind.AccessorKeyword && node.kind !== SyntaxKind.PropertyDeclaration) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, "'accessor' modifier can only appear on a property declaration."); } if (modifier.kind === SyntaxKind.AsyncKeyword && node.kind !== SyntaxKind.MethodDeclaration && node.kind !== SyntaxKind.FunctionDeclaration && node.kind !== SyntaxKind.FunctionExpression && node.kind !== SyntaxKind.ArrowFunction) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, "'async' modifier cannot be used here."); } if (node.kind === SyntaxKind.Parameter && (modifier.kind === SyntaxKind.StaticKeyword || modifier.kind === SyntaxKind.ExportKeyword || modifier.kind === SyntaxKind.DeclareKeyword || modifier.kind === SyntaxKind.AsyncKeyword)) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'${ts.tokenToString(modifier.kind)}' modifier cannot appear on a parameter.`); } if (modifier.kind === SyntaxKind.PublicKeyword || modifier.kind === SyntaxKind.ProtectedKeyword || modifier.kind === SyntaxKind.PrivateKeyword) { for (const anotherModifier of (0, getModifiers_1.getModifiers)(node) ?? []) { if (anotherModifier !== modifier && (anotherModifier.kind === SyntaxKind.PublicKeyword || anotherModifier.kind === SyntaxKind.ProtectedKeyword || anotherModifier.kind === SyntaxKind.PrivateKeyword)) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, anotherModifier, `Accessibility modifier already seen.`); } } } if (node.kind === SyntaxKind.Parameter && // In `typescript` package, it's `ts.hasSyntacticModifier(node, ts.ModifierFlags.ParameterPropertyModifier)` // https://github.com/typescript-eslint/typescript-eslint/pull/6615#discussion_r1136489935 (modifier.kind === SyntaxKind.PublicKeyword || modifier.kind === SyntaxKind.PrivateKeyword || modifier.kind === SyntaxKind.ProtectedKeyword || modifier.kind === SyntaxKind.ReadonlyKeyword || modifier.kind === SyntaxKind.OverrideKeyword)) { const func = (0, node_utils_1.getContainingFunction)(node); if (!(func.kind === SyntaxKind.Constructor && (0, node_utils_1.nodeIsPresent)(func.body))) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, "A parameter property is only allowed in a constructor implementation."); } } } }, _Converter_throwUnlessAllowInvalidAST = function _Converter_throwUnlessAllowInvalidAST2(node, message) { if (!this.options.allowInvalidAST) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node, message); } }, _Converter_withDeprecatedAliasGetter = function _Converter_withDeprecatedAliasGetter2(node, aliasKey, valueKey, suppressWarnings = false) { let warned = suppressWarnings; Object.defineProperty(node, aliasKey, { configurable: true, get: this.options.suppressDeprecatedPropertyWarnings ? () => node[valueKey] : () => { if (!warned) { process.emitWarning(`The '${aliasKey}' property is deprecated on ${node.type} nodes. Use '${valueKey}' instead. See https://typescript-eslint.io/troubleshooting/faqs/general#the-key-property-is-deprecated-on-type-nodes-use-key-instead-warnings.`, "DeprecationWarning"); warned = true; } return node[valueKey]; }, set(value) { Object.defineProperty(node, aliasKey, { enumerable: true, writable: true, value }); } }); return node; }, _Converter_throwError = function _Converter_throwError2(node, message) { let start; let end; if (typeof node === "number") { start = end = node; } else { start = node.getStart(this.ast); end = node.getEnd(); } throw (0, node_utils_1.createError)(message, this.ast, start, end); }, _Converter_checkForStatementDeclaration = function _Converter_checkForStatementDeclaration2(initializer) { if (ts.isVariableDeclarationList(initializer)) { if ((initializer.flags & ts.NodeFlags.Using) !== 0) { __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, initializer, "The left-hand side of a 'for...in' statement cannot be a 'using' declaration."); } } }; } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/convert-comments.js var require_convert_comments = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/convert-comments.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.convertComments = convertComments; var tsutils = __importStar2(require_lib5()); var ts = __importStar2(require_typescript()); var node_utils_1 = require_node_utils(); var ts_estree_1 = require_ts_estree3(); function convertComments(ast, code) { const comments = []; tsutils.forEachComment(ast, (_, comment) => { const type = comment.kind === ts.SyntaxKind.SingleLineCommentTrivia ? ts_estree_1.AST_TOKEN_TYPES.Line : ts_estree_1.AST_TOKEN_TYPES.Block; const range = [comment.pos, comment.end]; const loc = (0, node_utils_1.getLocFor)(range, ast); const textStart = range[0] + 2; const textEnd = comment.kind === ts.SyntaxKind.SingleLineCommentTrivia ? ( // single line comments end at the end range[1] - textStart ) : ( // multiline comments end 2 characters early range[1] - textStart - 2 ); comments.push({ type, value: code.slice(textStart, textStart + textEnd), range, loc }); }, ast); return comments; } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/simple-traverse.js var require_simple_traverse = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/simple-traverse.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.simpleTraverse = simpleTraverse; var visitor_keys_1 = require_dist2(); function isValidNode(x) { return typeof x === "object" && x != null && "type" in x && typeof x.type === "string"; } function getVisitorKeysForNode(allVisitorKeys, node) { const keys2 = allVisitorKeys[node.type]; return keys2 ?? []; } var SimpleTraverser = class { constructor(selectors, setParentPointers = false) { this.allVisitorKeys = visitor_keys_1.visitorKeys; this.selectors = selectors; this.setParentPointers = setParentPointers; if (selectors.visitorKeys) { this.allVisitorKeys = selectors.visitorKeys; } } traverse(node, parent) { if (!isValidNode(node)) { return; } if (this.setParentPointers) { node.parent = parent; } if ("enter" in this.selectors) { this.selectors.enter(node, parent); } else if (node.type in this.selectors.visitors) { this.selectors.visitors[node.type](node, parent); } const keys2 = getVisitorKeysForNode(this.allVisitorKeys, node); if (keys2.length < 1) { return; } for (const key of keys2) { const childOrChildren = node[key]; if (Array.isArray(childOrChildren)) { for (const child of childOrChildren) { this.traverse(child, node); } } else { this.traverse(childOrChildren, node); } } } }; function simpleTraverse(startingNode, options, setParentPointers = false) { new SimpleTraverser(options, setParentPointers).traverse(startingNode, void 0); } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/ast-converter.js var require_ast_converter = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/ast-converter.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.astConverter = astConverter; var convert_1 = require_convert(); var convert_comments_1 = require_convert_comments(); var node_utils_1 = require_node_utils(); var simple_traverse_1 = require_simple_traverse(); function astConverter(ast, parseSettings, shouldPreserveNodeMaps) { const { parseDiagnostics } = ast; if (parseDiagnostics.length) { throw (0, convert_1.convertError)(parseDiagnostics[0]); } const instance = new convert_1.Converter(ast, { allowInvalidAST: parseSettings.allowInvalidAST, errorOnUnknownASTType: parseSettings.errorOnUnknownASTType, shouldPreserveNodeMaps, suppressDeprecatedPropertyWarnings: parseSettings.suppressDeprecatedPropertyWarnings }); const estree = instance.convertProgram(); if (!parseSettings.range || !parseSettings.loc) { (0, simple_traverse_1.simpleTraverse)(estree, { enter: (node) => { if (!parseSettings.range) { delete node.range; } if (!parseSettings.loc) { delete node.loc; } } }); } if (parseSettings.tokens) { estree.tokens = (0, node_utils_1.convertTokens)(ast); } if (parseSettings.comment) { estree.comments = (0, convert_comments_1.convertComments)(ast, parseSettings.codeFullText); } const astMaps = instance.getASTMaps(); return { estree, astMaps }; } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/shared.js var require_shared = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/shared.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.CORE_COMPILER_OPTIONS = void 0; exports2.canonicalDirname = canonicalDirname; exports2.createDefaultCompilerOptionsFromExtra = createDefaultCompilerOptionsFromExtra; exports2.createHash = createHash; exports2.ensureAbsolutePath = ensureAbsolutePath; exports2.getCanonicalFileName = getCanonicalFileName; exports2.getAstFromProgram = getAstFromProgram; var path_1 = __importDefault2(require("path")); var ts = __importStar2(require_typescript()); var CORE_COMPILER_OPTIONS = { noEmit: true, // required to avoid parse from causing emit to occur /** * Flags required to make no-unused-vars work */ noUnusedLocals: true, noUnusedParameters: true }; exports2.CORE_COMPILER_OPTIONS = CORE_COMPILER_OPTIONS; var DEFAULT_COMPILER_OPTIONS = { ...CORE_COMPILER_OPTIONS, allowNonTsExtensions: true, allowJs: true, checkJs: true }; function createDefaultCompilerOptionsFromExtra(parseSettings) { if (parseSettings.debugLevel.has("typescript")) { return { ...DEFAULT_COMPILER_OPTIONS, extendedDiagnostics: true }; } return DEFAULT_COMPILER_OPTIONS; } var useCaseSensitiveFileNames = ( // eslint-disable-next-line @typescript-eslint/no-unnecessary-condition ts.sys !== void 0 ? ts.sys.useCaseSensitiveFileNames : true ); var correctPathCasing = useCaseSensitiveFileNames ? (filePath) => filePath : (filePath) => filePath.toLowerCase(); function getCanonicalFileName(filePath) { let normalized = path_1.default.normalize(filePath); if (normalized.endsWith(path_1.default.sep)) { normalized = normalized.slice(0, -1); } return correctPathCasing(normalized); } function ensureAbsolutePath(p, tsconfigRootDir) { return path_1.default.isAbsolute(p) ? p : path_1.default.join(tsconfigRootDir || process.cwd(), p); } function canonicalDirname(p) { return path_1.default.dirname(p); } var DEFINITION_EXTENSIONS = [ ts.Extension.Dts, ts.Extension.Dcts, ts.Extension.Dmts ]; function getExtension(fileName) { if (!fileName) { return null; } return DEFINITION_EXTENSIONS.find((definitionExt) => fileName.endsWith(definitionExt)) ?? path_1.default.extname(fileName); } function getAstFromProgram(currentProgram, filePath) { const ast = currentProgram.getSourceFile(filePath); const expectedExt = getExtension(filePath); const returnedExt = getExtension(ast?.fileName); if (expectedExt !== returnedExt) { return void 0; } return ast && { ast, program: currentProgram }; } function createHash(content) { if (ts.sys?.createHash) { return ts.sys.createHash(content); } return content; } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createDefaultProgram.js var require_createDefaultProgram = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createDefaultProgram.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.createDefaultProgram = createDefaultProgram; var debug_1 = __importDefault2(require_src2()); var path_1 = __importDefault2(require("path")); var ts = __importStar2(require_typescript()); var shared_1 = require_shared(); var log = (0, debug_1.default)("typescript-eslint:typescript-estree:createDefaultProgram"); function createDefaultProgram(parseSettings) { log("Getting default program for: %s", parseSettings.filePath || "unnamed file"); if (parseSettings.projects.size !== 1) { return void 0; } const tsconfigPath = Array.from(parseSettings.projects.values())[0]; const commandLine = ts.getParsedCommandLineOfConfigFile(tsconfigPath, (0, shared_1.createDefaultCompilerOptionsFromExtra)(parseSettings), { ...ts.sys, // TODO: file issue on TypeScript to suggest making optional? // eslint-disable-next-line @typescript-eslint/no-empty-function onUnRecoverableConfigFileDiagnostic: () => { } }); if (!commandLine) { return void 0; } const compilerHost = ts.createCompilerHost( commandLine.options, /* setParentNodes */ true ); const oldReadFile = compilerHost.readFile; compilerHost.readFile = (fileName) => path_1.default.normalize(fileName) === path_1.default.normalize(parseSettings.filePath) ? parseSettings.codeFullText : oldReadFile(fileName); const program = ts.createProgram([parseSettings.filePath], { ...commandLine.options, jsDocParsingMode: parseSettings.jsDocParsingMode }, compilerHost); const ast = program.getSourceFile(parseSettings.filePath); return ast && { ast, program }; } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/getScriptKind.js var require_getScriptKind = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/getScriptKind.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getScriptKind = getScriptKind; exports2.getLanguageVariant = getLanguageVariant; var path_1 = __importDefault2(require("path")); var ts = __importStar2(require_typescript()); function getScriptKind(filePath, jsx) { const extension = path_1.default.extname(filePath).toLowerCase(); switch (extension) { case ts.Extension.Js: case ts.Extension.Cjs: case ts.Extension.Mjs: return ts.ScriptKind.JS; case ts.Extension.Jsx: return ts.ScriptKind.JSX; case ts.Extension.Ts: case ts.Extension.Cts: case ts.Extension.Mts: return ts.ScriptKind.TS; case ts.Extension.Tsx: return ts.ScriptKind.TSX; case ts.Extension.Json: return ts.ScriptKind.JSON; default: return jsx ? ts.ScriptKind.TSX : ts.ScriptKind.TS; } } function getLanguageVariant(scriptKind) { switch (scriptKind) { case ts.ScriptKind.TSX: case ts.ScriptKind.JSX: case ts.ScriptKind.JS: case ts.ScriptKind.JSON: return ts.LanguageVariant.JSX; default: return ts.LanguageVariant.Standard; } } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createIsolatedProgram.js var require_createIsolatedProgram = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createIsolatedProgram.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.createIsolatedProgram = createIsolatedProgram; var debug_1 = __importDefault2(require_src2()); var ts = __importStar2(require_typescript()); var getScriptKind_1 = require_getScriptKind(); var shared_1 = require_shared(); var log = (0, debug_1.default)("typescript-eslint:typescript-estree:createIsolatedProgram"); function createIsolatedProgram(parseSettings) { log("Getting isolated program in %s mode for: %s", parseSettings.jsx ? "TSX" : "TS", parseSettings.filePath); const compilerHost = { fileExists() { return true; }, getCanonicalFileName() { return parseSettings.filePath; }, getCurrentDirectory() { return ""; }, getDirectories() { return []; }, getDefaultLibFileName() { return "lib.d.ts"; }, // TODO: Support Windows CRLF getNewLine() { return "\n"; }, getSourceFile(filename) { return ts.createSourceFile( filename, parseSettings.codeFullText, ts.ScriptTarget.Latest, /* setParentNodes */ true, (0, getScriptKind_1.getScriptKind)(parseSettings.filePath, parseSettings.jsx) ); }, readFile() { return void 0; }, useCaseSensitiveFileNames() { return true; }, writeFile() { return null; } }; const program = ts.createProgram([parseSettings.filePath], { jsDocParsingMode: parseSettings.jsDocParsingMode, noResolve: true, target: ts.ScriptTarget.Latest, jsx: parseSettings.jsx ? ts.JsxEmit.Preserve : void 0, ...(0, shared_1.createDefaultCompilerOptionsFromExtra)(parseSettings) }, compilerHost); const ast = program.getSourceFile(parseSettings.filePath); if (!ast) { throw new Error("Expected an ast to be returned for the single-file isolated program."); } return { ast, program }; } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/describeFilePath.js var require_describeFilePath = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/describeFilePath.js"(exports2) { "use strict"; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.describeFilePath = describeFilePath; var path_1 = __importDefault2(require("path")); function describeFilePath(filePath, tsconfigRootDir) { const relative2 = path_1.default.relative(tsconfigRootDir, filePath); if (relative2 && !relative2.startsWith("..") && !path_1.default.isAbsolute(relative2)) { return `/${relative2}`; } if (/^[(\w+:)\\/~]/.test(filePath)) { return filePath; } if (/\.\.[/\\]\.\./.test(relative2)) { return filePath; } return `/${relative2}`; } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createProjectProgram.js var require_createProjectProgram = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createProjectProgram.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.createProjectProgram = createProjectProgram; var debug_1 = __importDefault2(require_src2()); var path_1 = __importDefault2(require("path")); var ts = __importStar2(require_typescript()); var node_utils_1 = require_node_utils(); var describeFilePath_1 = require_describeFilePath(); var shared_1 = require_shared(); var log = (0, debug_1.default)("typescript-eslint:typescript-estree:createProjectProgram"); var DEFAULT_EXTRA_FILE_EXTENSIONS = [ ts.Extension.Ts, ts.Extension.Tsx, ts.Extension.Js, ts.Extension.Jsx, ts.Extension.Mjs, ts.Extension.Mts, ts.Extension.Cjs, ts.Extension.Cts ]; function createProjectProgram(parseSettings, programsForProjects) { log("Creating project program for: %s", parseSettings.filePath); const astAndProgram = (0, node_utils_1.firstDefined)(programsForProjects, (currentProgram) => (0, shared_1.getAstFromProgram)(currentProgram, parseSettings.filePath)); if (astAndProgram || parseSettings.DEPRECATED__createDefaultProgram) { return astAndProgram; } const describeProjectFilePath = (projectFile) => (0, describeFilePath_1.describeFilePath)(projectFile, parseSettings.tsconfigRootDir); const describedFilePath = (0, describeFilePath_1.describeFilePath)(parseSettings.filePath, parseSettings.tsconfigRootDir); const relativeProjects = Array.from(parseSettings.projects.values()).map(describeProjectFilePath); const describedPrograms = relativeProjects.length === 1 ? relativeProjects[0] : ` ${relativeProjects.map((project) => `- ${project}`).join("\n")}`; const errorLines = [ `ESLint was configured to run on \`${describedFilePath}\` using \`parserOptions.project\`: ${describedPrograms}` ]; let hasMatchedAnError = false; const { extraFileExtensions } = parseSettings; extraFileExtensions.forEach((extraExtension) => { if (!extraExtension.startsWith(".")) { errorLines.push(`Found unexpected extension \`${extraExtension}\` specified with the \`parserOptions.extraFileExtensions\` option. Did you mean \`.${extraExtension}\`?`); } if (DEFAULT_EXTRA_FILE_EXTENSIONS.includes(extraExtension)) { errorLines.push(`You unnecessarily included the extension \`${extraExtension}\` with the \`parserOptions.extraFileExtensions\` option. This extension is already handled by the parser by default.`); } }); const fileExtension = path_1.default.extname(parseSettings.filePath); if (!DEFAULT_EXTRA_FILE_EXTENSIONS.includes(fileExtension)) { const nonStandardExt = `The extension for the file (\`${fileExtension}\`) is non-standard`; if (extraFileExtensions.length > 0) { if (!extraFileExtensions.includes(fileExtension)) { errorLines.push(`${nonStandardExt}. It should be added to your existing \`parserOptions.extraFileExtensions\`.`); hasMatchedAnError = true; } } else { errorLines.push(`${nonStandardExt}. You should add \`parserOptions.extraFileExtensions\` to your config.`); hasMatchedAnError = true; } } if (!hasMatchedAnError) { const [describedInclusions, describedSpecifiers] = parseSettings.projects.size === 1 ? ["that TSConfig does not", "that TSConfig"] : ["none of those TSConfigs", "one of those TSConfigs"]; errorLines.push(`However, ${describedInclusions} include this file. Either:`, `- Change ESLint's list of included files to not include this file`, `- Change ${describedSpecifiers} to include this file`, `- Create a new TSConfig that includes this file and include it in your parserOptions.project`, `See the typescript-eslint docs for more info: https://typescript-eslint.io/troubleshooting/typed-linting#i-get-errors-telling-me-eslint-was-configured-to-run--however-that-tsconfig-does-not--none-of-those-tsconfigs-include-this-file`); } throw new Error(errorLines.join("\n")); } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/source-files.js var require_source_files = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/source-files.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.isSourceFile = isSourceFile; exports2.getCodeText = getCodeText; var ts = __importStar2(require_typescript()); function isSourceFile(code) { if (typeof code !== "object" || code == null) { return false; } const maybeSourceFile = code; return maybeSourceFile.kind === ts.SyntaxKind.SourceFile && typeof maybeSourceFile.getFullText === "function"; } function getCodeText(code) { return isSourceFile(code) ? code.getFullText(code) : code; } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createSourceFile.js var require_createSourceFile = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createSourceFile.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.createSourceFile = createSourceFile; exports2.createNoProgram = createNoProgram; var debug_1 = __importDefault2(require_src2()); var ts = __importStar2(require_typescript()); var source_files_1 = require_source_files(); var getScriptKind_1 = require_getScriptKind(); var log = (0, debug_1.default)("typescript-eslint:typescript-estree:createSourceFile"); function createSourceFile(parseSettings) { log("Getting AST without type information in %s mode for: %s", parseSettings.jsx ? "TSX" : "TS", parseSettings.filePath); return (0, source_files_1.isSourceFile)(parseSettings.code) ? parseSettings.code : ts.createSourceFile( parseSettings.filePath, parseSettings.codeFullText, { languageVersion: ts.ScriptTarget.Latest, jsDocParsingMode: parseSettings.jsDocParsingMode }, /* setParentNodes */ true, (0, getScriptKind_1.getScriptKind)(parseSettings.filePath, parseSettings.jsx) ); } function createNoProgram(parseSettings) { return { ast: createSourceFile(parseSettings), program: null }; } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/getWatchProgramsForProjects.js var require_getWatchProgramsForProjects = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/getWatchProgramsForProjects.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.clearWatchCaches = clearWatchCaches; exports2.getWatchProgramsForProjects = getWatchProgramsForProjects; var debug_1 = __importDefault2(require_src2()); var fs_1 = __importDefault2(require("fs")); var ts = __importStar2(require_typescript()); var source_files_1 = require_source_files(); var shared_1 = require_shared(); var log = (0, debug_1.default)("typescript-eslint:typescript-estree:createWatchProgram"); var knownWatchProgramMap = /* @__PURE__ */ new Map(); var fileWatchCallbackTrackingMap = /* @__PURE__ */ new Map(); var folderWatchCallbackTrackingMap = /* @__PURE__ */ new Map(); var programFileListCache = /* @__PURE__ */ new Map(); var tsconfigLastModifiedTimestampCache = /* @__PURE__ */ new Map(); var parsedFilesSeenHash = /* @__PURE__ */ new Map(); function clearWatchCaches() { knownWatchProgramMap.clear(); fileWatchCallbackTrackingMap.clear(); folderWatchCallbackTrackingMap.clear(); parsedFilesSeenHash.clear(); programFileListCache.clear(); tsconfigLastModifiedTimestampCache.clear(); } function saveWatchCallback(trackingMap) { return (fileName, callback) => { const normalizedFileName = (0, shared_1.getCanonicalFileName)(fileName); const watchers = (() => { let watchers2 = trackingMap.get(normalizedFileName); if (!watchers2) { watchers2 = /* @__PURE__ */ new Set(); trackingMap.set(normalizedFileName, watchers2); } return watchers2; })(); watchers.add(callback); return { close: () => { watchers.delete(callback); } }; }; } var currentLintOperationState = { code: "", filePath: "" }; function diagnosticReporter(diagnostic) { throw new Error(ts.flattenDiagnosticMessageText(diagnostic.messageText, ts.sys.newLine)); } function updateCachedFileList(tsconfigPath, program, parseSettings) { const fileList = parseSettings.EXPERIMENTAL_useSourceOfProjectReferenceRedirect ? new Set(program.getSourceFiles().map((sf) => (0, shared_1.getCanonicalFileName)(sf.fileName))) : new Set(program.getRootFileNames().map((f) => (0, shared_1.getCanonicalFileName)(f))); programFileListCache.set(tsconfigPath, fileList); return fileList; } function getWatchProgramsForProjects(parseSettings) { const filePath = (0, shared_1.getCanonicalFileName)(parseSettings.filePath); const results = []; currentLintOperationState.code = parseSettings.code; currentLintOperationState.filePath = filePath; const fileWatchCallbacks = fileWatchCallbackTrackingMap.get(filePath); const codeHash = (0, shared_1.createHash)((0, source_files_1.getCodeText)(parseSettings.code)); if (parsedFilesSeenHash.get(filePath) !== codeHash && fileWatchCallbacks && fileWatchCallbacks.size > 0) { fileWatchCallbacks.forEach((cb) => cb(filePath, ts.FileWatcherEventKind.Changed)); } const currentProjectsFromSettings = new Map(parseSettings.projects); for (const [tsconfigPath, existingWatch] of knownWatchProgramMap.entries()) { if (!currentProjectsFromSettings.has(tsconfigPath)) { continue; } let fileList = programFileListCache.get(tsconfigPath); let updatedProgram = null; if (!fileList) { updatedProgram = existingWatch.getProgram().getProgram(); fileList = updateCachedFileList(tsconfigPath, updatedProgram, parseSettings); } if (fileList.has(filePath)) { log("Found existing program for file. %s", filePath); updatedProgram ??= existingWatch.getProgram().getProgram(); updatedProgram.getTypeChecker(); return [updatedProgram]; } } log("File did not belong to any existing programs, moving to create/update. %s", filePath); for (const tsconfigPath of parseSettings.projects) { const existingWatch = knownWatchProgramMap.get(tsconfigPath[0]); if (existingWatch) { const updatedProgram = maybeInvalidateProgram(existingWatch, filePath, tsconfigPath[0]); if (!updatedProgram) { continue; } updatedProgram.getTypeChecker(); const fileList2 = updateCachedFileList(tsconfigPath[0], updatedProgram, parseSettings); if (fileList2.has(filePath)) { log("Found updated program for file. %s", filePath); return [updatedProgram]; } results.push(updatedProgram); continue; } const programWatch = createWatchProgram(tsconfigPath[1], parseSettings); knownWatchProgramMap.set(tsconfigPath[0], programWatch); const program = programWatch.getProgram().getProgram(); program.getTypeChecker(); const fileList = updateCachedFileList(tsconfigPath[0], program, parseSettings); if (fileList.has(filePath)) { log("Found program for file. %s", filePath); return [program]; } results.push(program); } return results; } function createWatchProgram(tsconfigPath, parseSettings) { log("Creating watch program for %s.", tsconfigPath); const watchCompilerHost = ts.createWatchCompilerHost( tsconfigPath, (0, shared_1.createDefaultCompilerOptionsFromExtra)(parseSettings), ts.sys, ts.createAbstractBuilder, diagnosticReporter, // TODO: file issue on TypeScript to suggest making optional? // eslint-disable-next-line @typescript-eslint/no-empty-function /*reportWatchStatus*/ () => { } ); watchCompilerHost.jsDocParsingMode = parseSettings.jsDocParsingMode; const oldReadFile = watchCompilerHost.readFile; watchCompilerHost.readFile = (filePathIn, encoding) => { const filePath = (0, shared_1.getCanonicalFileName)(filePathIn); const fileContent = filePath === currentLintOperationState.filePath ? (0, source_files_1.getCodeText)(currentLintOperationState.code) : oldReadFile(filePath, encoding); if (fileContent !== void 0) { parsedFilesSeenHash.set(filePath, (0, shared_1.createHash)(fileContent)); } return fileContent; }; watchCompilerHost.onUnRecoverableConfigFileDiagnostic = diagnosticReporter; watchCompilerHost.afterProgramCreate = (program) => { const configFileDiagnostics = program.getConfigFileParsingDiagnostics().filter((diag) => diag.category === ts.DiagnosticCategory.Error && diag.code !== 18003); if (configFileDiagnostics.length > 0) { diagnosticReporter(configFileDiagnostics[0]); } }; watchCompilerHost.watchFile = saveWatchCallback(fileWatchCallbackTrackingMap); watchCompilerHost.watchDirectory = saveWatchCallback(folderWatchCallbackTrackingMap); const oldOnDirectoryStructureHostCreate = watchCompilerHost.onCachedDirectoryStructureHostCreate; watchCompilerHost.onCachedDirectoryStructureHostCreate = (host) => { const oldReadDirectory = host.readDirectory; host.readDirectory = (path17, extensions, exclude, include, depth2) => oldReadDirectory(path17, !extensions ? void 0 : extensions.concat(parseSettings.extraFileExtensions), exclude, include, depth2); oldOnDirectoryStructureHostCreate(host); }; watchCompilerHost.extraFileExtensions = parseSettings.extraFileExtensions.map((extension) => ({ extension, isMixedContent: true, scriptKind: ts.ScriptKind.Deferred })); watchCompilerHost.trace = log; watchCompilerHost.useSourceOfProjectReferenceRedirect = () => parseSettings.EXPERIMENTAL_useSourceOfProjectReferenceRedirect; watchCompilerHost.setTimeout = void 0; watchCompilerHost.clearTimeout = void 0; return ts.createWatchProgram(watchCompilerHost); } function hasTSConfigChanged(tsconfigPath) { const stat = fs_1.default.statSync(tsconfigPath); const lastModifiedAt = stat.mtimeMs; const cachedLastModifiedAt = tsconfigLastModifiedTimestampCache.get(tsconfigPath); tsconfigLastModifiedTimestampCache.set(tsconfigPath, lastModifiedAt); if (cachedLastModifiedAt === void 0) { return false; } return Math.abs(cachedLastModifiedAt - lastModifiedAt) > Number.EPSILON; } function maybeInvalidateProgram(existingWatch, filePath, tsconfigPath) { let updatedProgram = existingWatch.getProgram().getProgram(); if (process.env.TSESTREE_NO_INVALIDATION === "true") { return updatedProgram; } if (hasTSConfigChanged(tsconfigPath)) { log("tsconfig has changed - triggering program update. %s", tsconfigPath); fileWatchCallbackTrackingMap.get(tsconfigPath).forEach((cb) => cb(tsconfigPath, ts.FileWatcherEventKind.Changed)); programFileListCache.delete(tsconfigPath); } let sourceFile = updatedProgram.getSourceFile(filePath); if (sourceFile) { return updatedProgram; } log("File was not found in program - triggering folder update. %s", filePath); const currentDir = (0, shared_1.canonicalDirname)(filePath); let current = null; let next = currentDir; let hasCallback = false; while (current !== next) { current = next; const folderWatchCallbacks = folderWatchCallbackTrackingMap.get(current); if (folderWatchCallbacks) { for (const cb of folderWatchCallbacks) { if (currentDir !== current) { cb(currentDir, ts.FileWatcherEventKind.Changed); } cb(current, ts.FileWatcherEventKind.Changed); } hasCallback = true; } next = (0, shared_1.canonicalDirname)(current); } if (!hasCallback) { log("No callback found for file, not part of this program. %s", filePath); return null; } programFileListCache.delete(tsconfigPath); updatedProgram = existingWatch.getProgram().getProgram(); sourceFile = updatedProgram.getSourceFile(filePath); if (sourceFile) { return updatedProgram; } log("File was still not found in program after directory update - checking file deletions. %s", filePath); const rootFilenames = updatedProgram.getRootFileNames(); const deletedFile = rootFilenames.find((file) => !fs_1.default.existsSync(file)); if (!deletedFile) { return null; } const fileWatchCallbacks = fileWatchCallbackTrackingMap.get((0, shared_1.getCanonicalFileName)(deletedFile)); if (!fileWatchCallbacks) { log("Could not find watch callbacks for root file. %s", deletedFile); return updatedProgram; } log("Marking file as deleted. %s", deletedFile); fileWatchCallbacks.forEach((cb) => cb(deletedFile, ts.FileWatcherEventKind.Deleted)); programFileListCache.delete(tsconfigPath); updatedProgram = existingWatch.getProgram().getProgram(); sourceFile = updatedProgram.getSourceFile(filePath); if (sourceFile) { return updatedProgram; } log("File was still not found in program after deletion check, assuming it is not part of this program. %s", filePath); return null; } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/useProvidedPrograms.js var require_useProvidedPrograms = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/useProvidedPrograms.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.useProvidedPrograms = useProvidedPrograms; exports2.createProgramFromConfigFile = createProgramFromConfigFile; var debug_1 = __importDefault2(require_src2()); var fs4 = __importStar2(require("fs")); var path17 = __importStar2(require("path")); var ts = __importStar2(require_typescript()); var shared_1 = require_shared(); var log = (0, debug_1.default)("typescript-eslint:typescript-estree:useProvidedProgram"); function useProvidedPrograms(programInstances, { filePath, tsconfigRootDir }) { log("Retrieving ast for %s from provided program instance(s)", filePath); let astAndProgram; for (const programInstance of programInstances) { astAndProgram = (0, shared_1.getAstFromProgram)(programInstance, filePath); if (astAndProgram) { break; } } if (!astAndProgram) { const relativeFilePath = path17.relative(tsconfigRootDir || process.cwd(), filePath); const errorLines = [ '"parserOptions.programs" has been provided for @typescript-eslint/parser.', `The file was not found in any of the provided program instance(s): ${relativeFilePath}` ]; throw new Error(errorLines.join("\n")); } astAndProgram.program.getTypeChecker(); return astAndProgram; } function createProgramFromConfigFile(configFile, projectDirectory) { if (ts.sys === void 0) { throw new Error("`createProgramFromConfigFile` is only supported in a Node-like environment."); } const parsed = ts.getParsedCommandLineOfConfigFile(configFile, shared_1.CORE_COMPILER_OPTIONS, { onUnRecoverableConfigFileDiagnostic: (diag) => { throw new Error(formatDiagnostics([diag])); }, fileExists: fs4.existsSync, getCurrentDirectory: () => projectDirectory && path17.resolve(projectDirectory) || process.cwd(), readDirectory: ts.sys.readDirectory, readFile: (file) => fs4.readFileSync(file, "utf-8"), useCaseSensitiveFileNames: ts.sys.useCaseSensitiveFileNames }); const result = parsed; if (result.errors.length) { throw new Error(formatDiagnostics(result.errors)); } const host = ts.createCompilerHost(result.options, true); return ts.createProgram(result.fileNames, result.options, host); } function formatDiagnostics(diagnostics) { return ts.formatDiagnostics(diagnostics, { getCanonicalFileName: (f) => f, getCurrentDirectory: process.cwd, getNewLine: () => "\n" }); } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/createParserServices.js var require_createParserServices = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/createParserServices.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.createParserServices = createParserServices; function createParserServices(astMaps, program) { if (!program) { return { program, emitDecoratorMetadata: void 0, experimentalDecorators: void 0, // we always return the node maps because // (a) they don't require type info and // (b) they can be useful when using some of TS's internal non-type-aware AST utils ...astMaps }; } const checker = program.getTypeChecker(); const compilerOptions = program.getCompilerOptions(); return { program, // not set in the config is the same as off emitDecoratorMetadata: compilerOptions.emitDecoratorMetadata ?? false, experimentalDecorators: compilerOptions.experimentalDecorators ?? false, ...astMaps, getSymbolAtLocation: (node) => checker.getSymbolAtLocation(astMaps.esTreeNodeToTSNodeMap.get(node)), getTypeAtLocation: (node) => checker.getTypeAtLocation(astMaps.esTreeNodeToTSNodeMap.get(node)) }; } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/validateDefaultProjectForFilesGlob.js var require_validateDefaultProjectForFilesGlob = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/validateDefaultProjectForFilesGlob.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.DEFAULT_PROJECT_FILES_ERROR_EXPLANATION = void 0; exports2.validateDefaultProjectForFilesGlob = validateDefaultProjectForFilesGlob; exports2.DEFAULT_PROJECT_FILES_ERROR_EXPLANATION = ` Having many files run with the default project is known to cause performance issues and slow down linting. See https://typescript-eslint.io/troubleshooting/typed-linting#allowdefaultprojectforfiles-glob-too-wide `; function validateDefaultProjectForFilesGlob(options) { if (!options.allowDefaultProjectForFiles?.length) { return; } for (const glob of options.allowDefaultProjectForFiles) { if (glob === "*") { throw new Error(`allowDefaultProjectForFiles contains the overly wide '*'.${exports2.DEFAULT_PROJECT_FILES_ERROR_EXPLANATION}`); } if (glob.includes("**")) { throw new Error(`allowDefaultProjectForFiles glob '${glob}' contains a disallowed '**'.${exports2.DEFAULT_PROJECT_FILES_ERROR_EXPLANATION}`); } } } } }); // node_modules/.pnpm/typescript@5.5.3/node_modules/typescript/lib/tsserverlibrary.js var require_tsserverlibrary = __commonJS({ "node_modules/.pnpm/typescript@5.5.3/node_modules/typescript/lib/tsserverlibrary.js"(exports2, module2) { if (typeof module2 !== "undefined" && module2.exports) { module2.exports = require_typescript(); } else { throw new Error("tsserverlibrary requires CommonJS; use typescript.js instead"); } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createProjectService.js var require_createProjectService = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createProjectService.js"(exports2) { "use strict"; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.createProjectService = createProjectService; var node_os_1 = __importDefault2(require("node:os")); var validateDefaultProjectForFilesGlob_1 = require_validateDefaultProjectForFilesGlob(); var DEFAULT_PROJECT_MATCHED_FILES_THRESHOLD = 8; var doNothing = () => { }; var createStubFileWatcher = () => ({ close: doNothing }); function createProjectService(optionsRaw, jsDocParsingMode) { const options = typeof optionsRaw === "object" ? optionsRaw : {}; (0, validateDefaultProjectForFilesGlob_1.validateDefaultProjectForFilesGlob)(options); const tsserver = require_tsserverlibrary(); const system = { ...tsserver.sys, clearImmediate, clearTimeout, setImmediate, setTimeout, watchDirectory: createStubFileWatcher, watchFile: createStubFileWatcher }; const service = new tsserver.server.ProjectService({ host: system, cancellationToken: { isCancellationRequested: () => false }, useSingleInferredProject: false, useInferredProjectPerProjectRoot: false, logger: { close: doNothing, endGroup: doNothing, getLogFileName: () => void 0, hasLevel: () => false, info: doNothing, loggingEnabled: () => false, msg: doNothing, perftrc: doNothing, startGroup: doNothing }, session: void 0, jsDocParsingMode }); if (options.defaultProject) { let configRead; try { configRead = tsserver.readConfigFile(options.defaultProject, system.readFile); } catch (error) { throw new Error(`Could not parse default project '${options.defaultProject}': ${error.message}`); } if (configRead.error) { throw new Error(`Could not read default project '${options.defaultProject}': ${tsserver.formatDiagnostic(configRead.error, { getCurrentDirectory: system.getCurrentDirectory, getCanonicalFileName: (fileName) => fileName, getNewLine: () => node_os_1.default.EOL })}`); } service.setCompilerOptionsForInferredProjects(configRead.config.compilerOptions); } return { allowDefaultProjectForFiles: options.allowDefaultProjectForFiles, maximumDefaultProjectFileMatchCount: options.maximumDefaultProjectFileMatchCount_THIS_WILL_SLOW_DOWN_LINTING ?? DEFAULT_PROJECT_MATCHED_FILES_THRESHOLD, service }; } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/ExpiringCache.js var require_ExpiringCache = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/ExpiringCache.js"(exports2) { "use strict"; var __classPrivateFieldSet3 = exports2 && exports2.__classPrivateFieldSet || function(receiver, state, value, kind, f) { if (kind === "m") throw new TypeError("Private method is not writable"); if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it"); return kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value; }; var __classPrivateFieldGet3 = exports2 && exports2.__classPrivateFieldGet || function(receiver, state, kind, f) { if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter"); if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it"); return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver); }; var _ExpiringCache_cacheDurationSeconds; var _ExpiringCache_map; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.ExpiringCache = exports2.DEFAULT_TSCONFIG_CACHE_DURATION_SECONDS = void 0; exports2.DEFAULT_TSCONFIG_CACHE_DURATION_SECONDS = 30; var ZERO_HR_TIME = [0, 0]; var ExpiringCache = class { constructor(cacheDurationSeconds) { _ExpiringCache_cacheDurationSeconds.set(this, void 0); _ExpiringCache_map.set(this, /* @__PURE__ */ new Map()); __classPrivateFieldSet3(this, _ExpiringCache_cacheDurationSeconds, cacheDurationSeconds, "f"); } set(key, value) { __classPrivateFieldGet3(this, _ExpiringCache_map, "f").set(key, { value, lastSeen: __classPrivateFieldGet3(this, _ExpiringCache_cacheDurationSeconds, "f") === "Infinity" ? ( // no need to waste time calculating the hrtime in infinity mode as there's no expiry ZERO_HR_TIME ) : process.hrtime() }); return this; } get(key) { const entry = __classPrivateFieldGet3(this, _ExpiringCache_map, "f").get(key); if (entry?.value != null) { if (__classPrivateFieldGet3(this, _ExpiringCache_cacheDurationSeconds, "f") === "Infinity") { return entry.value; } const ageSeconds = process.hrtime(entry.lastSeen)[0]; if (ageSeconds < __classPrivateFieldGet3(this, _ExpiringCache_cacheDurationSeconds, "f")) { return entry.value; } __classPrivateFieldGet3(this, _ExpiringCache_map, "f").delete(key); } return void 0; } clear() { __classPrivateFieldGet3(this, _ExpiringCache_map, "f").clear(); } }; exports2.ExpiringCache = ExpiringCache; _ExpiringCache_cacheDurationSeconds = /* @__PURE__ */ new WeakMap(), _ExpiringCache_map = /* @__PURE__ */ new WeakMap(); } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/getProjectConfigFiles.js var require_getProjectConfigFiles = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/getProjectConfigFiles.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getProjectConfigFiles = getProjectConfigFiles; var debug_1 = __importDefault2(require_src2()); var fs4 = __importStar2(require("fs")); var path17 = __importStar2(require("path")); var log = (0, debug_1.default)("typescript-eslint:typescript-estree:getProjectConfigFiles"); function getProjectConfigFiles(parseSettings, project) { if (project !== true) { if (project == null || project === false) { return null; } if (Array.isArray(project)) { return project; } return [project]; } log("Looking for tsconfig.json at or above file: %s", parseSettings.filePath); let directory = path17.dirname(parseSettings.filePath); const checkedDirectories = [directory]; do { log("Checking tsconfig.json path: %s", directory); const tsconfigPath = path17.join(directory, "tsconfig.json"); const cached = parseSettings.tsconfigMatchCache.get(directory) ?? (fs4.existsSync(tsconfigPath) && tsconfigPath); if (cached) { for (const directory2 of checkedDirectories) { parseSettings.tsconfigMatchCache.set(directory2, cached); } return [cached]; } directory = path17.dirname(directory); checkedDirectories.push(directory); } while (directory.length > 1 && directory.length >= parseSettings.tsconfigRootDir.length); throw new Error(`project was set to \`true\` but couldn't find any tsconfig.json relative to '${parseSettings.filePath}' within '${parseSettings.tsconfigRootDir}'.`); } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/inferSingleRun.js var require_inferSingleRun = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/inferSingleRun.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.inferSingleRun = inferSingleRun; var path_1 = require("path"); function inferSingleRun(options) { if ( // single-run implies type-aware linting - no projects means we can't be in single-run mode options?.project == null || // programs passed via options means the user should be managing the programs, so we shouldn't // be creating our own single-run programs accidentally options.programs != null ) { return false; } if (process.env.TSESTREE_SINGLE_RUN === "false") { return false; } if (process.env.TSESTREE_SINGLE_RUN === "true") { return true; } if (options.allowAutomaticSingleRunInference) { const possibleEslintBinPaths = [ "node_modules/.bin/eslint", // npm or yarn repo "node_modules/eslint/bin/eslint.js" // pnpm repo ]; if ( // Default to single runs for CI processes. CI=true is set by most CI providers by default. process.env.CI === "true" || // This will be true for invocations such as `npx eslint ...` and `./node_modules/.bin/eslint ...` possibleEslintBinPaths.some((path17) => process.argv[1].endsWith((0, path_1.normalize)(path17))) ) { return true; } } return false; } } }); // node_modules/.pnpm/array-union@2.1.0/node_modules/array-union/index.js var require_array_union = __commonJS({ "node_modules/.pnpm/array-union@2.1.0/node_modules/array-union/index.js"(exports2, module2) { "use strict"; module2.exports = (...arguments_) => { return [...new Set([].concat(...arguments_))]; }; } }); // node_modules/.pnpm/merge2@1.4.1/node_modules/merge2/index.js var require_merge2 = __commonJS({ "node_modules/.pnpm/merge2@1.4.1/node_modules/merge2/index.js"(exports2, module2) { "use strict"; var Stream = require("stream"); var PassThrough = Stream.PassThrough; var slice = Array.prototype.slice; module2.exports = merge22; function merge22() { const streamsQueue = []; const args = slice.call(arguments); let merging = false; let options = args[args.length - 1]; if (options && !Array.isArray(options) && options.pipe == null) { args.pop(); } else { options = {}; } const doEnd = options.end !== false; const doPipeError = options.pipeError === true; if (options.objectMode == null) { options.objectMode = true; } if (options.highWaterMark == null) { options.highWaterMark = 64 * 1024; } const mergedStream = PassThrough(options); function addStream() { for (let i = 0, len = arguments.length; i < len; i++) { streamsQueue.push(pauseStreams(arguments[i], options)); } mergeStream(); return this; } function mergeStream() { if (merging) { return; } merging = true; let streams = streamsQueue.shift(); if (!streams) { process.nextTick(endStream); return; } if (!Array.isArray(streams)) { streams = [streams]; } let pipesCount = streams.length + 1; function next() { if (--pipesCount > 0) { return; } merging = false; mergeStream(); } function pipe(stream) { function onend() { stream.removeListener("merge2UnpipeEnd", onend); stream.removeListener("end", onend); if (doPipeError) { stream.removeListener("error", onerror); } next(); } function onerror(err) { mergedStream.emit("error", err); } if (stream._readableState.endEmitted) { return next(); } stream.on("merge2UnpipeEnd", onend); stream.on("end", onend); if (doPipeError) { stream.on("error", onerror); } stream.pipe(mergedStream, { end: false }); stream.resume(); } for (let i = 0; i < streams.length; i++) { pipe(streams[i]); } next(); } function endStream() { merging = false; mergedStream.emit("queueDrain"); if (doEnd) { mergedStream.end(); } } mergedStream.setMaxListeners(0); mergedStream.add = addStream; mergedStream.on("unpipe", function(stream) { stream.emit("merge2UnpipeEnd"); }); if (args.length) { addStream.apply(null, args); } return mergedStream; } function pauseStreams(streams, options) { if (!Array.isArray(streams)) { if (!streams._readableState && streams.pipe) { streams = streams.pipe(PassThrough(options)); } if (!streams._readableState || !streams.pause || !streams.pipe) { throw new Error("Only readable stream can be merged."); } streams.pause(); } else { for (let i = 0, len = streams.length; i < len; i++) { streams[i] = pauseStreams(streams[i], options); } } return streams; } } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/utils/array.js var require_array = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/utils/array.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.splitWhen = exports2.flatten = void 0; function flatten(items) { return items.reduce((collection, item) => [].concat(collection, item), []); } exports2.flatten = flatten; function splitWhen(items, predicate) { const result = [[]]; let groupIndex = 0; for (const item of items) { if (predicate(item)) { groupIndex++; result[groupIndex] = []; } else { result[groupIndex].push(item); } } return result; } exports2.splitWhen = splitWhen; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/utils/errno.js var require_errno = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/utils/errno.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.isEnoentCodeError = void 0; function isEnoentCodeError(error) { return error.code === "ENOENT"; } exports2.isEnoentCodeError = isEnoentCodeError; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/utils/fs.js var require_fs = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/utils/fs.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.createDirentFromStats = void 0; var DirentFromStats = class { constructor(name, stats) { this.name = name; this.isBlockDevice = stats.isBlockDevice.bind(stats); this.isCharacterDevice = stats.isCharacterDevice.bind(stats); this.isDirectory = stats.isDirectory.bind(stats); this.isFIFO = stats.isFIFO.bind(stats); this.isFile = stats.isFile.bind(stats); this.isSocket = stats.isSocket.bind(stats); this.isSymbolicLink = stats.isSymbolicLink.bind(stats); } }; function createDirentFromStats(name, stats) { return new DirentFromStats(name, stats); } exports2.createDirentFromStats = createDirentFromStats; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/utils/path.js var require_path = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/utils/path.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.convertPosixPathToPattern = exports2.convertWindowsPathToPattern = exports2.convertPathToPattern = exports2.escapePosixPath = exports2.escapeWindowsPath = exports2.escape = exports2.removeLeadingDotSegment = exports2.makeAbsolute = exports2.unixify = void 0; var os2 = require("os"); var path17 = require("path"); var IS_WINDOWS_PLATFORM = os2.platform() === "win32"; var LEADING_DOT_SEGMENT_CHARACTERS_COUNT = 2; var POSIX_UNESCAPED_GLOB_SYMBOLS_RE = /(\\?)([()*?[\]{|}]|^!|[!+@](?=\()|\\(?![!()*+?@[\]{|}]))/g; var WINDOWS_UNESCAPED_GLOB_SYMBOLS_RE = /(\\?)([()[\]{}]|^!|[!+@](?=\())/g; var DOS_DEVICE_PATH_RE = /^\\\\([.?])/; var WINDOWS_BACKSLASHES_RE = /\\(?![!()+@[\]{}])/g; function unixify(filepath) { return filepath.replace(/\\/g, "/"); } exports2.unixify = unixify; function makeAbsolute(cwd, filepath) { return path17.resolve(cwd, filepath); } exports2.makeAbsolute = makeAbsolute; function removeLeadingDotSegment(entry) { if (entry.charAt(0) === ".") { const secondCharactery = entry.charAt(1); if (secondCharactery === "/" || secondCharactery === "\\") { return entry.slice(LEADING_DOT_SEGMENT_CHARACTERS_COUNT); } } return entry; } exports2.removeLeadingDotSegment = removeLeadingDotSegment; exports2.escape = IS_WINDOWS_PLATFORM ? escapeWindowsPath : escapePosixPath; function escapeWindowsPath(pattern) { return pattern.replace(WINDOWS_UNESCAPED_GLOB_SYMBOLS_RE, "\\$2"); } exports2.escapeWindowsPath = escapeWindowsPath; function escapePosixPath(pattern) { return pattern.replace(POSIX_UNESCAPED_GLOB_SYMBOLS_RE, "\\$2"); } exports2.escapePosixPath = escapePosixPath; exports2.convertPathToPattern = IS_WINDOWS_PLATFORM ? convertWindowsPathToPattern : convertPosixPathToPattern; function convertWindowsPathToPattern(filepath) { return escapeWindowsPath(filepath).replace(DOS_DEVICE_PATH_RE, "//$1").replace(WINDOWS_BACKSLASHES_RE, "/"); } exports2.convertWindowsPathToPattern = convertWindowsPathToPattern; function convertPosixPathToPattern(filepath) { return escapePosixPath(filepath); } exports2.convertPosixPathToPattern = convertPosixPathToPattern; } }); // node_modules/.pnpm/is-extglob@2.1.1/node_modules/is-extglob/index.js var require_is_extglob = __commonJS({ "node_modules/.pnpm/is-extglob@2.1.1/node_modules/is-extglob/index.js"(exports2, module2) { module2.exports = function isExtglob(str) { if (typeof str !== "string" || str === "") { return false; } var match; while (match = /(\\).|([@?!+*]\(.*\))/g.exec(str)) { if (match[2]) return true; str = str.slice(match.index + match[0].length); } return false; }; } }); // node_modules/.pnpm/is-glob@4.0.3/node_modules/is-glob/index.js var require_is_glob = __commonJS({ "node_modules/.pnpm/is-glob@4.0.3/node_modules/is-glob/index.js"(exports2, module2) { var isExtglob = require_is_extglob(); var chars = { "{": "}", "(": ")", "[": "]" }; var strictCheck = function(str) { if (str[0] === "!") { return true; } var index = 0; var pipeIndex = -2; var closeSquareIndex = -2; var closeCurlyIndex = -2; var closeParenIndex = -2; var backSlashIndex = -2; while (index < str.length) { if (str[index] === "*") { return true; } if (str[index + 1] === "?" && /[\].+)]/.test(str[index])) { return true; } if (closeSquareIndex !== -1 && str[index] === "[" && str[index + 1] !== "]") { if (closeSquareIndex < index) { closeSquareIndex = str.indexOf("]", index); } if (closeSquareIndex > index) { if (backSlashIndex === -1 || backSlashIndex > closeSquareIndex) { return true; } backSlashIndex = str.indexOf("\\", index); if (backSlashIndex === -1 || backSlashIndex > closeSquareIndex) { return true; } } } if (closeCurlyIndex !== -1 && str[index] === "{" && str[index + 1] !== "}") { closeCurlyIndex = str.indexOf("}", index); if (closeCurlyIndex > index) { backSlashIndex = str.indexOf("\\", index); if (backSlashIndex === -1 || backSlashIndex > closeCurlyIndex) { return true; } } } if (closeParenIndex !== -1 && str[index] === "(" && str[index + 1] === "?" && /[:!=]/.test(str[index + 2]) && str[index + 3] !== ")") { closeParenIndex = str.indexOf(")", index); if (closeParenIndex > index) { backSlashIndex = str.indexOf("\\", index); if (backSlashIndex === -1 || backSlashIndex > closeParenIndex) { return true; } } } if (pipeIndex !== -1 && str[index] === "(" && str[index + 1] !== "|") { if (pipeIndex < index) { pipeIndex = str.indexOf("|", index); } if (pipeIndex !== -1 && str[pipeIndex + 1] !== ")") { closeParenIndex = str.indexOf(")", pipeIndex); if (closeParenIndex > pipeIndex) { backSlashIndex = str.indexOf("\\", pipeIndex); if (backSlashIndex === -1 || backSlashIndex > closeParenIndex) { return true; } } } } if (str[index] === "\\") { var open = str[index + 1]; index += 2; var close = chars[open]; if (close) { var n = str.indexOf(close, index); if (n !== -1) { index = n + 1; } } if (str[index] === "!") { return true; } } else { index++; } } return false; }; var relaxedCheck = function(str) { if (str[0] === "!") { return true; } var index = 0; while (index < str.length) { if (/[*?{}()[\]]/.test(str[index])) { return true; } if (str[index] === "\\") { var open = str[index + 1]; index += 2; var close = chars[open]; if (close) { var n = str.indexOf(close, index); if (n !== -1) { index = n + 1; } } if (str[index] === "!") { return true; } } else { index++; } } return false; }; module2.exports = function isGlob(str, options) { if (typeof str !== "string" || str === "") { return false; } if (isExtglob(str)) { return true; } var check = strictCheck; if (options && options.strict === false) { check = relaxedCheck; } return check(str); }; } }); // node_modules/.pnpm/glob-parent@5.1.2/node_modules/glob-parent/index.js var require_glob_parent = __commonJS({ "node_modules/.pnpm/glob-parent@5.1.2/node_modules/glob-parent/index.js"(exports2, module2) { "use strict"; var isGlob = require_is_glob(); var pathPosixDirname = require("path").posix.dirname; var isWin32 = require("os").platform() === "win32"; var slash = "/"; var backslash = /\\/g; var enclosure = /[\{\[].*[\}\]]$/; var globby = /(^|[^\\])([\{\[]|\([^\)]+$)/; var escaped = /\\([\!\*\?\|\[\]\(\)\{\}])/g; module2.exports = function globParent(str, opts) { var options = Object.assign({ flipBackslashes: true }, opts); if (options.flipBackslashes && isWin32 && str.indexOf(slash) < 0) { str = str.replace(backslash, slash); } if (enclosure.test(str)) { str += slash; } str += "a"; do { str = pathPosixDirname(str); } while (isGlob(str) || globby.test(str)); return str.replace(escaped, "$1"); }; } }); // node_modules/.pnpm/braces@3.0.3/node_modules/braces/lib/utils.js var require_utils = __commonJS({ "node_modules/.pnpm/braces@3.0.3/node_modules/braces/lib/utils.js"(exports2) { "use strict"; exports2.isInteger = (num) => { if (typeof num === "number") { return Number.isInteger(num); } if (typeof num === "string" && num.trim() !== "") { return Number.isInteger(Number(num)); } return false; }; exports2.find = (node, type) => node.nodes.find((node2) => node2.type === type); exports2.exceedsLimit = (min, max, step = 1, limit) => { if (limit === false) return false; if (!exports2.isInteger(min) || !exports2.isInteger(max)) return false; return (Number(max) - Number(min)) / Number(step) >= limit; }; exports2.escapeNode = (block, n = 0, type) => { const node = block.nodes[n]; if (!node) return; if (type && node.type === type || node.type === "open" || node.type === "close") { if (node.escaped !== true) { node.value = "\\" + node.value; node.escaped = true; } } }; exports2.encloseBrace = (node) => { if (node.type !== "brace") return false; if (node.commas >> 0 + node.ranges >> 0 === 0) { node.invalid = true; return true; } return false; }; exports2.isInvalidBrace = (block) => { if (block.type !== "brace") return false; if (block.invalid === true || block.dollar) return true; if (block.commas >> 0 + block.ranges >> 0 === 0) { block.invalid = true; return true; } if (block.open !== true || block.close !== true) { block.invalid = true; return true; } return false; }; exports2.isOpenOrClose = (node) => { if (node.type === "open" || node.type === "close") { return true; } return node.open === true || node.close === true; }; exports2.reduce = (nodes) => nodes.reduce((acc, node) => { if (node.type === "text") acc.push(node.value); if (node.type === "range") node.type = "text"; return acc; }, []); exports2.flatten = (...args) => { const result = []; const flat = (arr) => { for (let i = 0; i < arr.length; i++) { const ele = arr[i]; if (Array.isArray(ele)) { flat(ele); continue; } if (ele !== void 0) { result.push(ele); } } return result; }; flat(args); return result; }; } }); // node_modules/.pnpm/braces@3.0.3/node_modules/braces/lib/stringify.js var require_stringify = __commonJS({ "node_modules/.pnpm/braces@3.0.3/node_modules/braces/lib/stringify.js"(exports2, module2) { "use strict"; var utils = require_utils(); module2.exports = (ast, options = {}) => { const stringify = (node, parent = {}) => { const invalidBlock = options.escapeInvalid && utils.isInvalidBrace(parent); const invalidNode = node.invalid === true && options.escapeInvalid === true; let output = ""; if (node.value) { if ((invalidBlock || invalidNode) && utils.isOpenOrClose(node)) { return "\\" + node.value; } return node.value; } if (node.value) { return node.value; } if (node.nodes) { for (const child of node.nodes) { output += stringify(child); } } return output; }; return stringify(ast); }; } }); // node_modules/.pnpm/is-number@7.0.0/node_modules/is-number/index.js var require_is_number = __commonJS({ "node_modules/.pnpm/is-number@7.0.0/node_modules/is-number/index.js"(exports2, module2) { "use strict"; module2.exports = function(num) { if (typeof num === "number") { return num - num === 0; } if (typeof num === "string" && num.trim() !== "") { return Number.isFinite ? Number.isFinite(+num) : isFinite(+num); } return false; }; } }); // node_modules/.pnpm/to-regex-range@5.0.1/node_modules/to-regex-range/index.js var require_to_regex_range = __commonJS({ "node_modules/.pnpm/to-regex-range@5.0.1/node_modules/to-regex-range/index.js"(exports2, module2) { "use strict"; var isNumber2 = require_is_number(); var toRegexRange = (min, max, options) => { if (isNumber2(min) === false) { throw new TypeError("toRegexRange: expected the first argument to be a number"); } if (max === void 0 || min === max) { return String(min); } if (isNumber2(max) === false) { throw new TypeError("toRegexRange: expected the second argument to be a number."); } let opts = { relaxZeros: true, ...options }; if (typeof opts.strictZeros === "boolean") { opts.relaxZeros = opts.strictZeros === false; } let relax = String(opts.relaxZeros); let shorthand = String(opts.shorthand); let capture = String(opts.capture); let wrap = String(opts.wrap); let cacheKey = min + ":" + max + "=" + relax + shorthand + capture + wrap; if (toRegexRange.cache.hasOwnProperty(cacheKey)) { return toRegexRange.cache[cacheKey].result; } let a = Math.min(min, max); let b = Math.max(min, max); if (Math.abs(a - b) === 1) { let result = min + "|" + max; if (opts.capture) { return `(${result})`; } if (opts.wrap === false) { return result; } return `(?:${result})`; } let isPadded = hasPadding(min) || hasPadding(max); let state = { min, max, a, b }; let positives = []; let negatives = []; if (isPadded) { state.isPadded = isPadded; state.maxLen = String(state.max).length; } if (a < 0) { let newMin = b < 0 ? Math.abs(b) : 1; negatives = splitToPatterns(newMin, Math.abs(a), state, opts); a = state.a = 0; } if (b >= 0) { positives = splitToPatterns(a, b, state, opts); } state.negatives = negatives; state.positives = positives; state.result = collatePatterns(negatives, positives, opts); if (opts.capture === true) { state.result = `(${state.result})`; } else if (opts.wrap !== false && positives.length + negatives.length > 1) { state.result = `(?:${state.result})`; } toRegexRange.cache[cacheKey] = state; return state.result; }; function collatePatterns(neg, pos, options) { let onlyNegative = filterPatterns(neg, pos, "-", false, options) || []; let onlyPositive = filterPatterns(pos, neg, "", false, options) || []; let intersected = filterPatterns(neg, pos, "-?", true, options) || []; let subpatterns = onlyNegative.concat(intersected).concat(onlyPositive); return subpatterns.join("|"); } function splitToRanges(min, max) { let nines = 1; let zeros = 1; let stop = countNines(min, nines); let stops = /* @__PURE__ */ new Set([max]); while (min <= stop && stop <= max) { stops.add(stop); nines += 1; stop = countNines(min, nines); } stop = countZeros(max + 1, zeros) - 1; while (min < stop && stop <= max) { stops.add(stop); zeros += 1; stop = countZeros(max + 1, zeros) - 1; } stops = [...stops]; stops.sort(compare); return stops; } function rangeToPattern(start, stop, options) { if (start === stop) { return { pattern: start, count: [], digits: 0 }; } let zipped = zip(start, stop); let digits = zipped.length; let pattern = ""; let count = 0; for (let i = 0; i < digits; i++) { let [startDigit, stopDigit] = zipped[i]; if (startDigit === stopDigit) { pattern += startDigit; } else if (startDigit !== "0" || stopDigit !== "9") { pattern += toCharacterClass(startDigit, stopDigit, options); } else { count++; } } if (count) { pattern += options.shorthand === true ? "\\d" : "[0-9]"; } return { pattern, count: [count], digits }; } function splitToPatterns(min, max, tok, options) { let ranges = splitToRanges(min, max); let tokens = []; let start = min; let prev; for (let i = 0; i < ranges.length; i++) { let max2 = ranges[i]; let obj = rangeToPattern(String(start), String(max2), options); let zeros = ""; if (!tok.isPadded && prev && prev.pattern === obj.pattern) { if (prev.count.length > 1) { prev.count.pop(); } prev.count.push(obj.count[0]); prev.string = prev.pattern + toQuantifier(prev.count); start = max2 + 1; continue; } if (tok.isPadded) { zeros = padZeros(max2, tok, options); } obj.string = zeros + obj.pattern + toQuantifier(obj.count); tokens.push(obj); start = max2 + 1; prev = obj; } return tokens; } function filterPatterns(arr, comparison, prefix, intersection, options) { let result = []; for (let ele of arr) { let { string } = ele; if (!intersection && !contains(comparison, "string", string)) { result.push(prefix + string); } if (intersection && contains(comparison, "string", string)) { result.push(prefix + string); } } return result; } function zip(a, b) { let arr = []; for (let i = 0; i < a.length; i++) arr.push([a[i], b[i]]); return arr; } function compare(a, b) { return a > b ? 1 : b > a ? -1 : 0; } function contains(arr, key, val) { return arr.some((ele) => ele[key] === val); } function countNines(min, len) { return Number(String(min).slice(0, -len) + "9".repeat(len)); } function countZeros(integer, zeros) { return integer - integer % Math.pow(10, zeros); } function toQuantifier(digits) { let [start = 0, stop = ""] = digits; if (stop || start > 1) { return `{${start + (stop ? "," + stop : "")}}`; } return ""; } function toCharacterClass(a, b, options) { return `[${a}${b - a === 1 ? "" : "-"}${b}]`; } function hasPadding(str) { return /^-?(0+)\d/.test(str); } function padZeros(value, tok, options) { if (!tok.isPadded) { return value; } let diff = Math.abs(tok.maxLen - String(value).length); let relax = options.relaxZeros !== false; switch (diff) { case 0: return ""; case 1: return relax ? "0?" : "0"; case 2: return relax ? "0{0,2}" : "00"; default: { return relax ? `0{0,${diff}}` : `0{${diff}}`; } } } toRegexRange.cache = {}; toRegexRange.clearCache = () => toRegexRange.cache = {}; module2.exports = toRegexRange; } }); // node_modules/.pnpm/fill-range@7.1.1/node_modules/fill-range/index.js var require_fill_range = __commonJS({ "node_modules/.pnpm/fill-range@7.1.1/node_modules/fill-range/index.js"(exports2, module2) { "use strict"; var util5 = require("util"); var toRegexRange = require_to_regex_range(); var isObject2 = (val) => val !== null && typeof val === "object" && !Array.isArray(val); var transform = (toNumber) => { return (value) => toNumber === true ? Number(value) : String(value); }; var isValidValue = (value) => { return typeof value === "number" || typeof value === "string" && value !== ""; }; var isNumber2 = (num) => Number.isInteger(+num); var zeros = (input) => { let value = `${input}`; let index = -1; if (value[0] === "-") value = value.slice(1); if (value === "0") return false; while (value[++index] === "0") ; return index > 0; }; var stringify = (start, end, options) => { if (typeof start === "string" || typeof end === "string") { return true; } return options.stringify === true; }; var pad = (input, maxLength, toNumber) => { if (maxLength > 0) { let dash = input[0] === "-" ? "-" : ""; if (dash) input = input.slice(1); input = dash + input.padStart(dash ? maxLength - 1 : maxLength, "0"); } if (toNumber === false) { return String(input); } return input; }; var toMaxLen = (input, maxLength) => { let negative = input[0] === "-" ? "-" : ""; if (negative) { input = input.slice(1); maxLength--; } while (input.length < maxLength) input = "0" + input; return negative ? "-" + input : input; }; var toSequence = (parts, options, maxLen) => { parts.negatives.sort((a, b) => a < b ? -1 : a > b ? 1 : 0); parts.positives.sort((a, b) => a < b ? -1 : a > b ? 1 : 0); let prefix = options.capture ? "" : "?:"; let positives = ""; let negatives = ""; let result; if (parts.positives.length) { positives = parts.positives.map((v) => toMaxLen(String(v), maxLen)).join("|"); } if (parts.negatives.length) { negatives = `-(${prefix}${parts.negatives.map((v) => toMaxLen(String(v), maxLen)).join("|")})`; } if (positives && negatives) { result = `${positives}|${negatives}`; } else { result = positives || negatives; } if (options.wrap) { return `(${prefix}${result})`; } return result; }; var toRange = (a, b, isNumbers, options) => { if (isNumbers) { return toRegexRange(a, b, { wrap: false, ...options }); } let start = String.fromCharCode(a); if (a === b) return start; let stop = String.fromCharCode(b); return `[${start}-${stop}]`; }; var toRegex = (start, end, options) => { if (Array.isArray(start)) { let wrap = options.wrap === true; let prefix = options.capture ? "" : "?:"; return wrap ? `(${prefix}${start.join("|")})` : start.join("|"); } return toRegexRange(start, end, options); }; var rangeError = (...args) => { return new RangeError("Invalid range arguments: " + util5.inspect(...args)); }; var invalidRange = (start, end, options) => { if (options.strictRanges === true) throw rangeError([start, end]); return []; }; var invalidStep = (step, options) => { if (options.strictRanges === true) { throw new TypeError(`Expected step "${step}" to be a number`); } return []; }; var fillNumbers = (start, end, step = 1, options = {}) => { let a = Number(start); let b = Number(end); if (!Number.isInteger(a) || !Number.isInteger(b)) { if (options.strictRanges === true) throw rangeError([start, end]); return []; } if (a === 0) a = 0; if (b === 0) b = 0; let descending = a > b; let startString = String(start); let endString = String(end); let stepString = String(step); step = Math.max(Math.abs(step), 1); let padded = zeros(startString) || zeros(endString) || zeros(stepString); let maxLen = padded ? Math.max(startString.length, endString.length, stepString.length) : 0; let toNumber = padded === false && stringify(start, end, options) === false; let format2 = options.transform || transform(toNumber); if (options.toRegex && step === 1) { return toRange(toMaxLen(start, maxLen), toMaxLen(end, maxLen), true, options); } let parts = { negatives: [], positives: [] }; let push = (num) => parts[num < 0 ? "negatives" : "positives"].push(Math.abs(num)); let range = []; let index = 0; while (descending ? a >= b : a <= b) { if (options.toRegex === true && step > 1) { push(a); } else { range.push(pad(format2(a, index), maxLen, toNumber)); } a = descending ? a - step : a + step; index++; } if (options.toRegex === true) { return step > 1 ? toSequence(parts, options, maxLen) : toRegex(range, null, { wrap: false, ...options }); } return range; }; var fillLetters = (start, end, step = 1, options = {}) => { if (!isNumber2(start) && start.length > 1 || !isNumber2(end) && end.length > 1) { return invalidRange(start, end, options); } let format2 = options.transform || ((val) => String.fromCharCode(val)); let a = `${start}`.charCodeAt(0); let b = `${end}`.charCodeAt(0); let descending = a > b; let min = Math.min(a, b); let max = Math.max(a, b); if (options.toRegex && step === 1) { return toRange(min, max, false, options); } let range = []; let index = 0; while (descending ? a >= b : a <= b) { range.push(format2(a, index)); a = descending ? a - step : a + step; index++; } if (options.toRegex === true) { return toRegex(range, null, { wrap: false, options }); } return range; }; var fill = (start, end, step, options = {}) => { if (end == null && isValidValue(start)) { return [start]; } if (!isValidValue(start) || !isValidValue(end)) { return invalidRange(start, end, options); } if (typeof step === "function") { return fill(start, end, 1, { transform: step }); } if (isObject2(step)) { return fill(start, end, 0, step); } let opts = { ...options }; if (opts.capture === true) opts.wrap = true; step = step || opts.step || 1; if (!isNumber2(step)) { if (step != null && !isObject2(step)) return invalidStep(step, opts); return fill(start, end, 1, step); } if (isNumber2(start) && isNumber2(end)) { return fillNumbers(start, end, step, opts); } return fillLetters(start, end, Math.max(Math.abs(step), 1), opts); }; module2.exports = fill; } }); // node_modules/.pnpm/braces@3.0.3/node_modules/braces/lib/compile.js var require_compile2 = __commonJS({ "node_modules/.pnpm/braces@3.0.3/node_modules/braces/lib/compile.js"(exports2, module2) { "use strict"; var fill = require_fill_range(); var utils = require_utils(); var compile = (ast, options = {}) => { const walk = (node, parent = {}) => { const invalidBlock = utils.isInvalidBrace(parent); const invalidNode = node.invalid === true && options.escapeInvalid === true; const invalid = invalidBlock === true || invalidNode === true; const prefix = options.escapeInvalid === true ? "\\" : ""; let output = ""; if (node.isOpen === true) { return prefix + node.value; } if (node.isClose === true) { console.log("node.isClose", prefix, node.value); return prefix + node.value; } if (node.type === "open") { return invalid ? prefix + node.value : "("; } if (node.type === "close") { return invalid ? prefix + node.value : ")"; } if (node.type === "comma") { return node.prev.type === "comma" ? "" : invalid ? node.value : "|"; } if (node.value) { return node.value; } if (node.nodes && node.ranges > 0) { const args = utils.reduce(node.nodes); const range = fill(...args, { ...options, wrap: false, toRegex: true, strictZeros: true }); if (range.length !== 0) { return args.length > 1 && range.length > 1 ? `(${range})` : range; } } if (node.nodes) { for (const child of node.nodes) { output += walk(child, node); } } return output; }; return walk(ast); }; module2.exports = compile; } }); // node_modules/.pnpm/braces@3.0.3/node_modules/braces/lib/expand.js var require_expand = __commonJS({ "node_modules/.pnpm/braces@3.0.3/node_modules/braces/lib/expand.js"(exports2, module2) { "use strict"; var fill = require_fill_range(); var stringify = require_stringify(); var utils = require_utils(); var append = (queue = "", stash = "", enclose = false) => { const result = []; queue = [].concat(queue); stash = [].concat(stash); if (!stash.length) return queue; if (!queue.length) { return enclose ? utils.flatten(stash).map((ele) => `{${ele}}`) : stash; } for (const item of queue) { if (Array.isArray(item)) { for (const value of item) { result.push(append(value, stash, enclose)); } } else { for (let ele of stash) { if (enclose === true && typeof ele === "string") ele = `{${ele}}`; result.push(Array.isArray(ele) ? append(item, ele, enclose) : item + ele); } } } return utils.flatten(result); }; var expand = (ast, options = {}) => { const rangeLimit = options.rangeLimit === void 0 ? 1e3 : options.rangeLimit; const walk = (node, parent = {}) => { node.queue = []; let p = parent; let q = parent.queue; while (p.type !== "brace" && p.type !== "root" && p.parent) { p = p.parent; q = p.queue; } if (node.invalid || node.dollar) { q.push(append(q.pop(), stringify(node, options))); return; } if (node.type === "brace" && node.invalid !== true && node.nodes.length === 2) { q.push(append(q.pop(), ["{}"])); return; } if (node.nodes && node.ranges > 0) { const args = utils.reduce(node.nodes); if (utils.exceedsLimit(...args, options.step, rangeLimit)) { throw new RangeError("expanded array length exceeds range limit. Use options.rangeLimit to increase or disable the limit."); } let range = fill(...args, options); if (range.length === 0) { range = stringify(node, options); } q.push(append(q.pop(), range)); node.nodes = []; return; } const enclose = utils.encloseBrace(node); let queue = node.queue; let block = node; while (block.type !== "brace" && block.type !== "root" && block.parent) { block = block.parent; queue = block.queue; } for (let i = 0; i < node.nodes.length; i++) { const child = node.nodes[i]; if (child.type === "comma" && node.type === "brace") { if (i === 1) queue.push(""); queue.push(""); continue; } if (child.type === "close") { q.push(append(q.pop(), queue, enclose)); continue; } if (child.value && child.type !== "open") { queue.push(append(queue.pop(), child.value)); continue; } if (child.nodes) { walk(child, node); } } return queue; }; return utils.flatten(walk(ast)); }; module2.exports = expand; } }); // node_modules/.pnpm/braces@3.0.3/node_modules/braces/lib/constants.js var require_constants2 = __commonJS({ "node_modules/.pnpm/braces@3.0.3/node_modules/braces/lib/constants.js"(exports2, module2) { "use strict"; module2.exports = { MAX_LENGTH: 1e4, // Digits CHAR_0: "0", /* 0 */ CHAR_9: "9", /* 9 */ // Alphabet chars. CHAR_UPPERCASE_A: "A", /* A */ CHAR_LOWERCASE_A: "a", /* a */ CHAR_UPPERCASE_Z: "Z", /* Z */ CHAR_LOWERCASE_Z: "z", /* z */ CHAR_LEFT_PARENTHESES: "(", /* ( */ CHAR_RIGHT_PARENTHESES: ")", /* ) */ CHAR_ASTERISK: "*", /* * */ // Non-alphabetic chars. CHAR_AMPERSAND: "&", /* & */ CHAR_AT: "@", /* @ */ CHAR_BACKSLASH: "\\", /* \ */ CHAR_BACKTICK: "`", /* ` */ CHAR_CARRIAGE_RETURN: "\r", /* \r */ CHAR_CIRCUMFLEX_ACCENT: "^", /* ^ */ CHAR_COLON: ":", /* : */ CHAR_COMMA: ",", /* , */ CHAR_DOLLAR: "$", /* . */ CHAR_DOT: ".", /* . */ CHAR_DOUBLE_QUOTE: '"', /* " */ CHAR_EQUAL: "=", /* = */ CHAR_EXCLAMATION_MARK: "!", /* ! */ CHAR_FORM_FEED: "\f", /* \f */ CHAR_FORWARD_SLASH: "/", /* / */ CHAR_HASH: "#", /* # */ CHAR_HYPHEN_MINUS: "-", /* - */ CHAR_LEFT_ANGLE_BRACKET: "<", /* < */ CHAR_LEFT_CURLY_BRACE: "{", /* { */ CHAR_LEFT_SQUARE_BRACKET: "[", /* [ */ CHAR_LINE_FEED: "\n", /* \n */ CHAR_NO_BREAK_SPACE: "\xA0", /* \u00A0 */ CHAR_PERCENT: "%", /* % */ CHAR_PLUS: "+", /* + */ CHAR_QUESTION_MARK: "?", /* ? */ CHAR_RIGHT_ANGLE_BRACKET: ">", /* > */ CHAR_RIGHT_CURLY_BRACE: "}", /* } */ CHAR_RIGHT_SQUARE_BRACKET: "]", /* ] */ CHAR_SEMICOLON: ";", /* ; */ CHAR_SINGLE_QUOTE: "'", /* ' */ CHAR_SPACE: " ", /* */ CHAR_TAB: " ", /* \t */ CHAR_UNDERSCORE: "_", /* _ */ CHAR_VERTICAL_LINE: "|", /* | */ CHAR_ZERO_WIDTH_NOBREAK_SPACE: "\uFEFF" /* \uFEFF */ }; } }); // node_modules/.pnpm/braces@3.0.3/node_modules/braces/lib/parse.js var require_parse2 = __commonJS({ "node_modules/.pnpm/braces@3.0.3/node_modules/braces/lib/parse.js"(exports2, module2) { "use strict"; var stringify = require_stringify(); var { MAX_LENGTH, CHAR_BACKSLASH, /* \ */ CHAR_BACKTICK, /* ` */ CHAR_COMMA, /* , */ CHAR_DOT, /* . */ CHAR_LEFT_PARENTHESES, /* ( */ CHAR_RIGHT_PARENTHESES, /* ) */ CHAR_LEFT_CURLY_BRACE, /* { */ CHAR_RIGHT_CURLY_BRACE, /* } */ CHAR_LEFT_SQUARE_BRACKET, /* [ */ CHAR_RIGHT_SQUARE_BRACKET, /* ] */ CHAR_DOUBLE_QUOTE, /* " */ CHAR_SINGLE_QUOTE, /* ' */ CHAR_NO_BREAK_SPACE, CHAR_ZERO_WIDTH_NOBREAK_SPACE } = require_constants2(); var parse2 = (input, options = {}) => { if (typeof input !== "string") { throw new TypeError("Expected a string"); } const opts = options || {}; const max = typeof opts.maxLength === "number" ? Math.min(MAX_LENGTH, opts.maxLength) : MAX_LENGTH; if (input.length > max) { throw new SyntaxError(`Input length (${input.length}), exceeds max characters (${max})`); } const ast = { type: "root", input, nodes: [] }; const stack = [ast]; let block = ast; let prev = ast; let brackets = 0; const length = input.length; let index = 0; let depth2 = 0; let value; const advance = () => input[index++]; const push = (node) => { if (node.type === "text" && prev.type === "dot") { prev.type = "text"; } if (prev && prev.type === "text" && node.type === "text") { prev.value += node.value; return; } block.nodes.push(node); node.parent = block; node.prev = prev; prev = node; return node; }; push({ type: "bos" }); while (index < length) { block = stack[stack.length - 1]; value = advance(); if (value === CHAR_ZERO_WIDTH_NOBREAK_SPACE || value === CHAR_NO_BREAK_SPACE) { continue; } if (value === CHAR_BACKSLASH) { push({ type: "text", value: (options.keepEscaping ? value : "") + advance() }); continue; } if (value === CHAR_RIGHT_SQUARE_BRACKET) { push({ type: "text", value: "\\" + value }); continue; } if (value === CHAR_LEFT_SQUARE_BRACKET) { brackets++; let next; while (index < length && (next = advance())) { value += next; if (next === CHAR_LEFT_SQUARE_BRACKET) { brackets++; continue; } if (next === CHAR_BACKSLASH) { value += advance(); continue; } if (next === CHAR_RIGHT_SQUARE_BRACKET) { brackets--; if (brackets === 0) { break; } } } push({ type: "text", value }); continue; } if (value === CHAR_LEFT_PARENTHESES) { block = push({ type: "paren", nodes: [] }); stack.push(block); push({ type: "text", value }); continue; } if (value === CHAR_RIGHT_PARENTHESES) { if (block.type !== "paren") { push({ type: "text", value }); continue; } block = stack.pop(); push({ type: "text", value }); block = stack[stack.length - 1]; continue; } if (value === CHAR_DOUBLE_QUOTE || value === CHAR_SINGLE_QUOTE || value === CHAR_BACKTICK) { const open = value; let next; if (options.keepQuotes !== true) { value = ""; } while (index < length && (next = advance())) { if (next === CHAR_BACKSLASH) { value += next + advance(); continue; } if (next === open) { if (options.keepQuotes === true) value += next; break; } value += next; } push({ type: "text", value }); continue; } if (value === CHAR_LEFT_CURLY_BRACE) { depth2++; const dollar = prev.value && prev.value.slice(-1) === "$" || block.dollar === true; const brace = { type: "brace", open: true, close: false, dollar, depth: depth2, commas: 0, ranges: 0, nodes: [] }; block = push(brace); stack.push(block); push({ type: "open", value }); continue; } if (value === CHAR_RIGHT_CURLY_BRACE) { if (block.type !== "brace") { push({ type: "text", value }); continue; } const type = "close"; block = stack.pop(); block.close = true; push({ type, value }); depth2--; block = stack[stack.length - 1]; continue; } if (value === CHAR_COMMA && depth2 > 0) { if (block.ranges > 0) { block.ranges = 0; const open = block.nodes.shift(); block.nodes = [open, { type: "text", value: stringify(block) }]; } push({ type: "comma", value }); block.commas++; continue; } if (value === CHAR_DOT && depth2 > 0 && block.commas === 0) { const siblings = block.nodes; if (depth2 === 0 || siblings.length === 0) { push({ type: "text", value }); continue; } if (prev.type === "dot") { block.range = []; prev.value += value; prev.type = "range"; if (block.nodes.length !== 3 && block.nodes.length !== 5) { block.invalid = true; block.ranges = 0; prev.type = "text"; continue; } block.ranges++; block.args = []; continue; } if (prev.type === "range") { siblings.pop(); const before = siblings[siblings.length - 1]; before.value += prev.value + value; prev = before; block.ranges--; continue; } push({ type: "dot", value }); continue; } push({ type: "text", value }); } do { block = stack.pop(); if (block.type !== "root") { block.nodes.forEach((node) => { if (!node.nodes) { if (node.type === "open") node.isOpen = true; if (node.type === "close") node.isClose = true; if (!node.nodes) node.type = "text"; node.invalid = true; } }); const parent = stack[stack.length - 1]; const index2 = parent.nodes.indexOf(block); parent.nodes.splice(index2, 1, ...block.nodes); } } while (stack.length > 0); push({ type: "eos" }); return ast; }; module2.exports = parse2; } }); // node_modules/.pnpm/braces@3.0.3/node_modules/braces/index.js var require_braces = __commonJS({ "node_modules/.pnpm/braces@3.0.3/node_modules/braces/index.js"(exports2, module2) { "use strict"; var stringify = require_stringify(); var compile = require_compile2(); var expand = require_expand(); var parse2 = require_parse2(); var braces = (input, options = {}) => { let output = []; if (Array.isArray(input)) { for (const pattern of input) { const result = braces.create(pattern, options); if (Array.isArray(result)) { output.push(...result); } else { output.push(result); } } } else { output = [].concat(braces.create(input, options)); } if (options && options.expand === true && options.nodupes === true) { output = [...new Set(output)]; } return output; }; braces.parse = (input, options = {}) => parse2(input, options); braces.stringify = (input, options = {}) => { if (typeof input === "string") { return stringify(braces.parse(input, options), options); } return stringify(input, options); }; braces.compile = (input, options = {}) => { if (typeof input === "string") { input = braces.parse(input, options); } return compile(input, options); }; braces.expand = (input, options = {}) => { if (typeof input === "string") { input = braces.parse(input, options); } let result = expand(input, options); if (options.noempty === true) { result = result.filter(Boolean); } if (options.nodupes === true) { result = [...new Set(result)]; } return result; }; braces.create = (input, options = {}) => { if (input === "" || input.length < 3) { return [input]; } return options.expand !== true ? braces.compile(input, options) : braces.expand(input, options); }; module2.exports = braces; } }); // node_modules/.pnpm/picomatch@2.3.1/node_modules/picomatch/lib/constants.js var require_constants3 = __commonJS({ "node_modules/.pnpm/picomatch@2.3.1/node_modules/picomatch/lib/constants.js"(exports2, module2) { "use strict"; var path17 = require("path"); var WIN_SLASH = "\\\\/"; var WIN_NO_SLASH = `[^${WIN_SLASH}]`; var DOT_LITERAL = "\\."; var PLUS_LITERAL = "\\+"; var QMARK_LITERAL = "\\?"; var SLASH_LITERAL = "\\/"; var ONE_CHAR = "(?=.)"; var QMARK = "[^/]"; var END_ANCHOR = `(?:${SLASH_LITERAL}|$)`; var START_ANCHOR = `(?:^|${SLASH_LITERAL})`; var DOTS_SLASH = `${DOT_LITERAL}{1,2}${END_ANCHOR}`; var NO_DOT = `(?!${DOT_LITERAL})`; var NO_DOTS = `(?!${START_ANCHOR}${DOTS_SLASH})`; var NO_DOT_SLASH = `(?!${DOT_LITERAL}{0,1}${END_ANCHOR})`; var NO_DOTS_SLASH = `(?!${DOTS_SLASH})`; var QMARK_NO_DOT = `[^.${SLASH_LITERAL}]`; var STAR = `${QMARK}*?`; var POSIX_CHARS = { DOT_LITERAL, PLUS_LITERAL, QMARK_LITERAL, SLASH_LITERAL, ONE_CHAR, QMARK, END_ANCHOR, DOTS_SLASH, NO_DOT, NO_DOTS, NO_DOT_SLASH, NO_DOTS_SLASH, QMARK_NO_DOT, STAR, START_ANCHOR }; var WINDOWS_CHARS = { ...POSIX_CHARS, SLASH_LITERAL: `[${WIN_SLASH}]`, QMARK: WIN_NO_SLASH, STAR: `${WIN_NO_SLASH}*?`, DOTS_SLASH: `${DOT_LITERAL}{1,2}(?:[${WIN_SLASH}]|$)`, NO_DOT: `(?!${DOT_LITERAL})`, NO_DOTS: `(?!(?:^|[${WIN_SLASH}])${DOT_LITERAL}{1,2}(?:[${WIN_SLASH}]|$))`, NO_DOT_SLASH: `(?!${DOT_LITERAL}{0,1}(?:[${WIN_SLASH}]|$))`, NO_DOTS_SLASH: `(?!${DOT_LITERAL}{1,2}(?:[${WIN_SLASH}]|$))`, QMARK_NO_DOT: `[^.${WIN_SLASH}]`, START_ANCHOR: `(?:^|[${WIN_SLASH}])`, END_ANCHOR: `(?:[${WIN_SLASH}]|$)` }; var POSIX_REGEX_SOURCE = { alnum: "a-zA-Z0-9", alpha: "a-zA-Z", ascii: "\\x00-\\x7F", blank: " \\t", cntrl: "\\x00-\\x1F\\x7F", digit: "0-9", graph: "\\x21-\\x7E", lower: "a-z", print: "\\x20-\\x7E ", punct: "\\-!\"#$%&'()\\*+,./:;<=>?@[\\]^_`{|}~", space: " \\t\\r\\n\\v\\f", upper: "A-Z", word: "A-Za-z0-9_", xdigit: "A-Fa-f0-9" }; module2.exports = { MAX_LENGTH: 1024 * 64, POSIX_REGEX_SOURCE, // regular expressions REGEX_BACKSLASH: /\\(?![*+?^${}(|)[\]])/g, REGEX_NON_SPECIAL_CHARS: /^[^@![\].,$*+?^{}()|\\/]+/, REGEX_SPECIAL_CHARS: /[-*+?.^${}(|)[\]]/, REGEX_SPECIAL_CHARS_BACKREF: /(\\?)((\W)(\3*))/g, REGEX_SPECIAL_CHARS_GLOBAL: /([-*+?.^${}(|)[\]])/g, REGEX_REMOVE_BACKSLASH: /(?:\[.*?[^\\]\]|\\(?=.))/g, // Replace globs with equivalent patterns to reduce parsing time. REPLACEMENTS: { "***": "*", "**/**": "**", "**/**/**": "**" }, // Digits CHAR_0: 48, /* 0 */ CHAR_9: 57, /* 9 */ // Alphabet chars. CHAR_UPPERCASE_A: 65, /* A */ CHAR_LOWERCASE_A: 97, /* a */ CHAR_UPPERCASE_Z: 90, /* Z */ CHAR_LOWERCASE_Z: 122, /* z */ CHAR_LEFT_PARENTHESES: 40, /* ( */ CHAR_RIGHT_PARENTHESES: 41, /* ) */ CHAR_ASTERISK: 42, /* * */ // Non-alphabetic chars. CHAR_AMPERSAND: 38, /* & */ CHAR_AT: 64, /* @ */ CHAR_BACKWARD_SLASH: 92, /* \ */ CHAR_CARRIAGE_RETURN: 13, /* \r */ CHAR_CIRCUMFLEX_ACCENT: 94, /* ^ */ CHAR_COLON: 58, /* : */ CHAR_COMMA: 44, /* , */ CHAR_DOT: 46, /* . */ CHAR_DOUBLE_QUOTE: 34, /* " */ CHAR_EQUAL: 61, /* = */ CHAR_EXCLAMATION_MARK: 33, /* ! */ CHAR_FORM_FEED: 12, /* \f */ CHAR_FORWARD_SLASH: 47, /* / */ CHAR_GRAVE_ACCENT: 96, /* ` */ CHAR_HASH: 35, /* # */ CHAR_HYPHEN_MINUS: 45, /* - */ CHAR_LEFT_ANGLE_BRACKET: 60, /* < */ CHAR_LEFT_CURLY_BRACE: 123, /* { */ CHAR_LEFT_SQUARE_BRACKET: 91, /* [ */ CHAR_LINE_FEED: 10, /* \n */ CHAR_NO_BREAK_SPACE: 160, /* \u00A0 */ CHAR_PERCENT: 37, /* % */ CHAR_PLUS: 43, /* + */ CHAR_QUESTION_MARK: 63, /* ? */ CHAR_RIGHT_ANGLE_BRACKET: 62, /* > */ CHAR_RIGHT_CURLY_BRACE: 125, /* } */ CHAR_RIGHT_SQUARE_BRACKET: 93, /* ] */ CHAR_SEMICOLON: 59, /* ; */ CHAR_SINGLE_QUOTE: 39, /* ' */ CHAR_SPACE: 32, /* */ CHAR_TAB: 9, /* \t */ CHAR_UNDERSCORE: 95, /* _ */ CHAR_VERTICAL_LINE: 124, /* | */ CHAR_ZERO_WIDTH_NOBREAK_SPACE: 65279, /* \uFEFF */ SEP: path17.sep, /** * Create EXTGLOB_CHARS */ extglobChars(chars) { return { "!": { type: "negate", open: "(?:(?!(?:", close: `))${chars.STAR})` }, "?": { type: "qmark", open: "(?:", close: ")?" }, "+": { type: "plus", open: "(?:", close: ")+" }, "*": { type: "star", open: "(?:", close: ")*" }, "@": { type: "at", open: "(?:", close: ")" } }; }, /** * Create GLOB_CHARS */ globChars(win32) { return win32 === true ? WINDOWS_CHARS : POSIX_CHARS; } }; } }); // node_modules/.pnpm/picomatch@2.3.1/node_modules/picomatch/lib/utils.js var require_utils2 = __commonJS({ "node_modules/.pnpm/picomatch@2.3.1/node_modules/picomatch/lib/utils.js"(exports2) { "use strict"; var path17 = require("path"); var win32 = process.platform === "win32"; var { REGEX_BACKSLASH, REGEX_REMOVE_BACKSLASH, REGEX_SPECIAL_CHARS, REGEX_SPECIAL_CHARS_GLOBAL } = require_constants3(); exports2.isObject = (val) => val !== null && typeof val === "object" && !Array.isArray(val); exports2.hasRegexChars = (str) => REGEX_SPECIAL_CHARS.test(str); exports2.isRegexChar = (str) => str.length === 1 && exports2.hasRegexChars(str); exports2.escapeRegex = (str) => str.replace(REGEX_SPECIAL_CHARS_GLOBAL, "\\$1"); exports2.toPosixSlashes = (str) => str.replace(REGEX_BACKSLASH, "/"); exports2.removeBackslashes = (str) => { return str.replace(REGEX_REMOVE_BACKSLASH, (match) => { return match === "\\" ? "" : match; }); }; exports2.supportsLookbehinds = () => { const segs = process.version.slice(1).split(".").map(Number); if (segs.length === 3 && segs[0] >= 9 || segs[0] === 8 && segs[1] >= 10) { return true; } return false; }; exports2.isWindows = (options) => { if (options && typeof options.windows === "boolean") { return options.windows; } return win32 === true || path17.sep === "\\"; }; exports2.escapeLast = (input, char, lastIdx) => { const idx = input.lastIndexOf(char, lastIdx); if (idx === -1) return input; if (input[idx - 1] === "\\") return exports2.escapeLast(input, char, idx - 1); return `${input.slice(0, idx)}\\${input.slice(idx)}`; }; exports2.removePrefix = (input, state = {}) => { let output = input; if (output.startsWith("./")) { output = output.slice(2); state.prefix = "./"; } return output; }; exports2.wrapOutput = (input, state = {}, options = {}) => { const prepend = options.contains ? "" : "^"; const append = options.contains ? "" : "$"; let output = `${prepend}(?:${input})${append}`; if (state.negated === true) { output = `(?:^(?!${output}).*$)`; } return output; }; } }); // node_modules/.pnpm/picomatch@2.3.1/node_modules/picomatch/lib/scan.js var require_scan = __commonJS({ "node_modules/.pnpm/picomatch@2.3.1/node_modules/picomatch/lib/scan.js"(exports2, module2) { "use strict"; var utils = require_utils2(); var { CHAR_ASTERISK, /* * */ CHAR_AT, /* @ */ CHAR_BACKWARD_SLASH, /* \ */ CHAR_COMMA, /* , */ CHAR_DOT, /* . */ CHAR_EXCLAMATION_MARK, /* ! */ CHAR_FORWARD_SLASH, /* / */ CHAR_LEFT_CURLY_BRACE, /* { */ CHAR_LEFT_PARENTHESES, /* ( */ CHAR_LEFT_SQUARE_BRACKET, /* [ */ CHAR_PLUS, /* + */ CHAR_QUESTION_MARK, /* ? */ CHAR_RIGHT_CURLY_BRACE, /* } */ CHAR_RIGHT_PARENTHESES, /* ) */ CHAR_RIGHT_SQUARE_BRACKET /* ] */ } = require_constants3(); var isPathSeparator = (code) => { return code === CHAR_FORWARD_SLASH || code === CHAR_BACKWARD_SLASH; }; var depth2 = (token) => { if (token.isPrefix !== true) { token.depth = token.isGlobstar ? Infinity : 1; } }; var scan = (input, options) => { const opts = options || {}; const length = input.length - 1; const scanToEnd = opts.parts === true || opts.scanToEnd === true; const slashes = []; const tokens = []; const parts = []; let str = input; let index = -1; let start = 0; let lastIndex = 0; let isBrace = false; let isBracket = false; let isGlob = false; let isExtglob = false; let isGlobstar = false; let braceEscaped = false; let backslashes = false; let negated = false; let negatedExtglob = false; let finished = false; let braces = 0; let prev; let code; let token = { value: "", depth: 0, isGlob: false }; const eos = () => index >= length; const peek = () => str.charCodeAt(index + 1); const advance = () => { prev = code; return str.charCodeAt(++index); }; while (index < length) { code = advance(); let next; if (code === CHAR_BACKWARD_SLASH) { backslashes = token.backslashes = true; code = advance(); if (code === CHAR_LEFT_CURLY_BRACE) { braceEscaped = true; } continue; } if (braceEscaped === true || code === CHAR_LEFT_CURLY_BRACE) { braces++; while (eos() !== true && (code = advance())) { if (code === CHAR_BACKWARD_SLASH) { backslashes = token.backslashes = true; advance(); continue; } if (code === CHAR_LEFT_CURLY_BRACE) { braces++; continue; } if (braceEscaped !== true && code === CHAR_DOT && (code = advance()) === CHAR_DOT) { isBrace = token.isBrace = true; isGlob = token.isGlob = true; finished = true; if (scanToEnd === true) { continue; } break; } if (braceEscaped !== true && code === CHAR_COMMA) { isBrace = token.isBrace = true; isGlob = token.isGlob = true; finished = true; if (scanToEnd === true) { continue; } break; } if (code === CHAR_RIGHT_CURLY_BRACE) { braces--; if (braces === 0) { braceEscaped = false; isBrace = token.isBrace = true; finished = true; break; } } } if (scanToEnd === true) { continue; } break; } if (code === CHAR_FORWARD_SLASH) { slashes.push(index); tokens.push(token); token = { value: "", depth: 0, isGlob: false }; if (finished === true) continue; if (prev === CHAR_DOT && index === start + 1) { start += 2; continue; } lastIndex = index + 1; continue; } if (opts.noext !== true) { const isExtglobChar = code === CHAR_PLUS || code === CHAR_AT || code === CHAR_ASTERISK || code === CHAR_QUESTION_MARK || code === CHAR_EXCLAMATION_MARK; if (isExtglobChar === true && peek() === CHAR_LEFT_PARENTHESES) { isGlob = token.isGlob = true; isExtglob = token.isExtglob = true; finished = true; if (code === CHAR_EXCLAMATION_MARK && index === start) { negatedExtglob = true; } if (scanToEnd === true) { while (eos() !== true && (code = advance())) { if (code === CHAR_BACKWARD_SLASH) { backslashes = token.backslashes = true; code = advance(); continue; } if (code === CHAR_RIGHT_PARENTHESES) { isGlob = token.isGlob = true; finished = true; break; } } continue; } break; } } if (code === CHAR_ASTERISK) { if (prev === CHAR_ASTERISK) isGlobstar = token.isGlobstar = true; isGlob = token.isGlob = true; finished = true; if (scanToEnd === true) { continue; } break; } if (code === CHAR_QUESTION_MARK) { isGlob = token.isGlob = true; finished = true; if (scanToEnd === true) { continue; } break; } if (code === CHAR_LEFT_SQUARE_BRACKET) { while (eos() !== true && (next = advance())) { if (next === CHAR_BACKWARD_SLASH) { backslashes = token.backslashes = true; advance(); continue; } if (next === CHAR_RIGHT_SQUARE_BRACKET) { isBracket = token.isBracket = true; isGlob = token.isGlob = true; finished = true; break; } } if (scanToEnd === true) { continue; } break; } if (opts.nonegate !== true && code === CHAR_EXCLAMATION_MARK && index === start) { negated = token.negated = true; start++; continue; } if (opts.noparen !== true && code === CHAR_LEFT_PARENTHESES) { isGlob = token.isGlob = true; if (scanToEnd === true) { while (eos() !== true && (code = advance())) { if (code === CHAR_LEFT_PARENTHESES) { backslashes = token.backslashes = true; code = advance(); continue; } if (code === CHAR_RIGHT_PARENTHESES) { finished = true; break; } } continue; } break; } if (isGlob === true) { finished = true; if (scanToEnd === true) { continue; } break; } } if (opts.noext === true) { isExtglob = false; isGlob = false; } let base = str; let prefix = ""; let glob = ""; if (start > 0) { prefix = str.slice(0, start); str = str.slice(start); lastIndex -= start; } if (base && isGlob === true && lastIndex > 0) { base = str.slice(0, lastIndex); glob = str.slice(lastIndex); } else if (isGlob === true) { base = ""; glob = str; } else { base = str; } if (base && base !== "" && base !== "/" && base !== str) { if (isPathSeparator(base.charCodeAt(base.length - 1))) { base = base.slice(0, -1); } } if (opts.unescape === true) { if (glob) glob = utils.removeBackslashes(glob); if (base && backslashes === true) { base = utils.removeBackslashes(base); } } const state = { prefix, input, start, base, glob, isBrace, isBracket, isGlob, isExtglob, isGlobstar, negated, negatedExtglob }; if (opts.tokens === true) { state.maxDepth = 0; if (!isPathSeparator(code)) { tokens.push(token); } state.tokens = tokens; } if (opts.parts === true || opts.tokens === true) { let prevIndex; for (let idx = 0; idx < slashes.length; idx++) { const n = prevIndex ? prevIndex + 1 : start; const i = slashes[idx]; const value = input.slice(n, i); if (opts.tokens) { if (idx === 0 && start !== 0) { tokens[idx].isPrefix = true; tokens[idx].value = prefix; } else { tokens[idx].value = value; } depth2(tokens[idx]); state.maxDepth += tokens[idx].depth; } if (idx !== 0 || value !== "") { parts.push(value); } prevIndex = i; } if (prevIndex && prevIndex + 1 < input.length) { const value = input.slice(prevIndex + 1); parts.push(value); if (opts.tokens) { tokens[tokens.length - 1].value = value; depth2(tokens[tokens.length - 1]); state.maxDepth += tokens[tokens.length - 1].depth; } } state.slashes = slashes; state.parts = parts; } return state; }; module2.exports = scan; } }); // node_modules/.pnpm/picomatch@2.3.1/node_modules/picomatch/lib/parse.js var require_parse3 = __commonJS({ "node_modules/.pnpm/picomatch@2.3.1/node_modules/picomatch/lib/parse.js"(exports2, module2) { "use strict"; var constants = require_constants3(); var utils = require_utils2(); var { MAX_LENGTH, POSIX_REGEX_SOURCE, REGEX_NON_SPECIAL_CHARS, REGEX_SPECIAL_CHARS_BACKREF, REPLACEMENTS } = constants; var expandRange = (args, options) => { if (typeof options.expandRange === "function") { return options.expandRange(...args, options); } args.sort(); const value = `[${args.join("-")}]`; try { new RegExp(value); } catch (ex) { return args.map((v) => utils.escapeRegex(v)).join(".."); } return value; }; var syntaxError = (type, char) => { return `Missing ${type}: "${char}" - use "\\\\${char}" to match literal characters`; }; var parse2 = (input, options) => { if (typeof input !== "string") { throw new TypeError("Expected a string"); } input = REPLACEMENTS[input] || input; const opts = { ...options }; const max = typeof opts.maxLength === "number" ? Math.min(MAX_LENGTH, opts.maxLength) : MAX_LENGTH; let len = input.length; if (len > max) { throw new SyntaxError(`Input length: ${len}, exceeds maximum allowed length: ${max}`); } const bos = { type: "bos", value: "", output: opts.prepend || "" }; const tokens = [bos]; const capture = opts.capture ? "" : "?:"; const win32 = utils.isWindows(options); const PLATFORM_CHARS = constants.globChars(win32); const EXTGLOB_CHARS = constants.extglobChars(PLATFORM_CHARS); const { DOT_LITERAL, PLUS_LITERAL, SLASH_LITERAL, ONE_CHAR, DOTS_SLASH, NO_DOT, NO_DOT_SLASH, NO_DOTS_SLASH, QMARK, QMARK_NO_DOT, STAR, START_ANCHOR } = PLATFORM_CHARS; const globstar = (opts2) => { return `(${capture}(?:(?!${START_ANCHOR}${opts2.dot ? DOTS_SLASH : DOT_LITERAL}).)*?)`; }; const nodot = opts.dot ? "" : NO_DOT; const qmarkNoDot = opts.dot ? QMARK : QMARK_NO_DOT; let star = opts.bash === true ? globstar(opts) : STAR; if (opts.capture) { star = `(${star})`; } if (typeof opts.noext === "boolean") { opts.noextglob = opts.noext; } const state = { input, index: -1, start: 0, dot: opts.dot === true, consumed: "", output: "", prefix: "", backtrack: false, negated: false, brackets: 0, braces: 0, parens: 0, quotes: 0, globstar: false, tokens }; input = utils.removePrefix(input, state); len = input.length; const extglobs = []; const braces = []; const stack = []; let prev = bos; let value; const eos = () => state.index === len - 1; const peek = state.peek = (n = 1) => input[state.index + n]; const advance = state.advance = () => input[++state.index] || ""; const remaining = () => input.slice(state.index + 1); const consume = (value2 = "", num = 0) => { state.consumed += value2; state.index += num; }; const append = (token) => { state.output += token.output != null ? token.output : token.value; consume(token.value); }; const negate2 = () => { let count = 1; while (peek() === "!" && (peek(2) !== "(" || peek(3) === "?")) { advance(); state.start++; count++; } if (count % 2 === 0) { return false; } state.negated = true; state.start++; return true; }; const increment = (type) => { state[type]++; stack.push(type); }; const decrement = (type) => { state[type]--; stack.pop(); }; const push = (tok) => { if (prev.type === "globstar") { const isBrace = state.braces > 0 && (tok.type === "comma" || tok.type === "brace"); const isExtglob = tok.extglob === true || extglobs.length && (tok.type === "pipe" || tok.type === "paren"); if (tok.type !== "slash" && tok.type !== "paren" && !isBrace && !isExtglob) { state.output = state.output.slice(0, -prev.output.length); prev.type = "star"; prev.value = "*"; prev.output = star; state.output += prev.output; } } if (extglobs.length && tok.type !== "paren") { extglobs[extglobs.length - 1].inner += tok.value; } if (tok.value || tok.output) append(tok); if (prev && prev.type === "text" && tok.type === "text") { prev.value += tok.value; prev.output = (prev.output || "") + tok.value; return; } tok.prev = prev; tokens.push(tok); prev = tok; }; const extglobOpen = (type, value2) => { const token = { ...EXTGLOB_CHARS[value2], conditions: 1, inner: "" }; token.prev = prev; token.parens = state.parens; token.output = state.output; const output = (opts.capture ? "(" : "") + token.open; increment("parens"); push({ type, value: value2, output: state.output ? "" : ONE_CHAR }); push({ type: "paren", extglob: true, value: advance(), output }); extglobs.push(token); }; const extglobClose = (token) => { let output = token.close + (opts.capture ? ")" : ""); let rest; if (token.type === "negate") { let extglobStar = star; if (token.inner && token.inner.length > 1 && token.inner.includes("/")) { extglobStar = globstar(opts); } if (extglobStar !== star || eos() || /^\)+$/.test(remaining())) { output = token.close = `)$))${extglobStar}`; } if (token.inner.includes("*") && (rest = remaining()) && /^\.[^\\/.]+$/.test(rest)) { const expression = parse2(rest, { ...options, fastpaths: false }).output; output = token.close = `)${expression})${extglobStar})`; } if (token.prev.type === "bos") { state.negatedExtglob = true; } } push({ type: "paren", extglob: true, value, output }); decrement("parens"); }; if (opts.fastpaths !== false && !/(^[*!]|[/()[\]{}"])/.test(input)) { let backslashes = false; let output = input.replace(REGEX_SPECIAL_CHARS_BACKREF, (m, esc, chars, first, rest, index) => { if (first === "\\") { backslashes = true; return m; } if (first === "?") { if (esc) { return esc + first + (rest ? QMARK.repeat(rest.length) : ""); } if (index === 0) { return qmarkNoDot + (rest ? QMARK.repeat(rest.length) : ""); } return QMARK.repeat(chars.length); } if (first === ".") { return DOT_LITERAL.repeat(chars.length); } if (first === "*") { if (esc) { return esc + first + (rest ? star : ""); } return star; } return esc ? m : `\\${m}`; }); if (backslashes === true) { if (opts.unescape === true) { output = output.replace(/\\/g, ""); } else { output = output.replace(/\\+/g, (m) => { return m.length % 2 === 0 ? "\\\\" : m ? "\\" : ""; }); } } if (output === input && opts.contains === true) { state.output = input; return state; } state.output = utils.wrapOutput(output, state, options); return state; } while (!eos()) { value = advance(); if (value === "\0") { continue; } if (value === "\\") { const next = peek(); if (next === "/" && opts.bash !== true) { continue; } if (next === "." || next === ";") { continue; } if (!next) { value += "\\"; push({ type: "text", value }); continue; } const match = /^\\+/.exec(remaining()); let slashes = 0; if (match && match[0].length > 2) { slashes = match[0].length; state.index += slashes; if (slashes % 2 !== 0) { value += "\\"; } } if (opts.unescape === true) { value = advance(); } else { value += advance(); } if (state.brackets === 0) { push({ type: "text", value }); continue; } } if (state.brackets > 0 && (value !== "]" || prev.value === "[" || prev.value === "[^")) { if (opts.posix !== false && value === ":") { const inner = prev.value.slice(1); if (inner.includes("[")) { prev.posix = true; if (inner.includes(":")) { const idx = prev.value.lastIndexOf("["); const pre = prev.value.slice(0, idx); const rest2 = prev.value.slice(idx + 2); const posix = POSIX_REGEX_SOURCE[rest2]; if (posix) { prev.value = pre + posix; state.backtrack = true; advance(); if (!bos.output && tokens.indexOf(prev) === 1) { bos.output = ONE_CHAR; } continue; } } } } if (value === "[" && peek() !== ":" || value === "-" && peek() === "]") { value = `\\${value}`; } if (value === "]" && (prev.value === "[" || prev.value === "[^")) { value = `\\${value}`; } if (opts.posix === true && value === "!" && prev.value === "[") { value = "^"; } prev.value += value; append({ value }); continue; } if (state.quotes === 1 && value !== '"') { value = utils.escapeRegex(value); prev.value += value; append({ value }); continue; } if (value === '"') { state.quotes = state.quotes === 1 ? 0 : 1; if (opts.keepQuotes === true) { push({ type: "text", value }); } continue; } if (value === "(") { increment("parens"); push({ type: "paren", value }); continue; } if (value === ")") { if (state.parens === 0 && opts.strictBrackets === true) { throw new SyntaxError(syntaxError("opening", "(")); } const extglob = extglobs[extglobs.length - 1]; if (extglob && state.parens === extglob.parens + 1) { extglobClose(extglobs.pop()); continue; } push({ type: "paren", value, output: state.parens ? ")" : "\\)" }); decrement("parens"); continue; } if (value === "[") { if (opts.nobracket === true || !remaining().includes("]")) { if (opts.nobracket !== true && opts.strictBrackets === true) { throw new SyntaxError(syntaxError("closing", "]")); } value = `\\${value}`; } else { increment("brackets"); } push({ type: "bracket", value }); continue; } if (value === "]") { if (opts.nobracket === true || prev && prev.type === "bracket" && prev.value.length === 1) { push({ type: "text", value, output: `\\${value}` }); continue; } if (state.brackets === 0) { if (opts.strictBrackets === true) { throw new SyntaxError(syntaxError("opening", "[")); } push({ type: "text", value, output: `\\${value}` }); continue; } decrement("brackets"); const prevValue = prev.value.slice(1); if (prev.posix !== true && prevValue[0] === "^" && !prevValue.includes("/")) { value = `/${value}`; } prev.value += value; append({ value }); if (opts.literalBrackets === false || utils.hasRegexChars(prevValue)) { continue; } const escaped = utils.escapeRegex(prev.value); state.output = state.output.slice(0, -prev.value.length); if (opts.literalBrackets === true) { state.output += escaped; prev.value = escaped; continue; } prev.value = `(${capture}${escaped}|${prev.value})`; state.output += prev.value; continue; } if (value === "{" && opts.nobrace !== true) { increment("braces"); const open = { type: "brace", value, output: "(", outputIndex: state.output.length, tokensIndex: state.tokens.length }; braces.push(open); push(open); continue; } if (value === "}") { const brace = braces[braces.length - 1]; if (opts.nobrace === true || !brace) { push({ type: "text", value, output: value }); continue; } let output = ")"; if (brace.dots === true) { const arr = tokens.slice(); const range = []; for (let i = arr.length - 1; i >= 0; i--) { tokens.pop(); if (arr[i].type === "brace") { break; } if (arr[i].type !== "dots") { range.unshift(arr[i].value); } } output = expandRange(range, opts); state.backtrack = true; } if (brace.comma !== true && brace.dots !== true) { const out = state.output.slice(0, brace.outputIndex); const toks = state.tokens.slice(brace.tokensIndex); brace.value = brace.output = "\\{"; value = output = "\\}"; state.output = out; for (const t of toks) { state.output += t.output || t.value; } } push({ type: "brace", value, output }); decrement("braces"); braces.pop(); continue; } if (value === "|") { if (extglobs.length > 0) { extglobs[extglobs.length - 1].conditions++; } push({ type: "text", value }); continue; } if (value === ",") { let output = value; const brace = braces[braces.length - 1]; if (brace && stack[stack.length - 1] === "braces") { brace.comma = true; output = "|"; } push({ type: "comma", value, output }); continue; } if (value === "/") { if (prev.type === "dot" && state.index === state.start + 1) { state.start = state.index + 1; state.consumed = ""; state.output = ""; tokens.pop(); prev = bos; continue; } push({ type: "slash", value, output: SLASH_LITERAL }); continue; } if (value === ".") { if (state.braces > 0 && prev.type === "dot") { if (prev.value === ".") prev.output = DOT_LITERAL; const brace = braces[braces.length - 1]; prev.type = "dots"; prev.output += value; prev.value += value; brace.dots = true; continue; } if (state.braces + state.parens === 0 && prev.type !== "bos" && prev.type !== "slash") { push({ type: "text", value, output: DOT_LITERAL }); continue; } push({ type: "dot", value, output: DOT_LITERAL }); continue; } if (value === "?") { const isGroup = prev && prev.value === "("; if (!isGroup && opts.noextglob !== true && peek() === "(" && peek(2) !== "?") { extglobOpen("qmark", value); continue; } if (prev && prev.type === "paren") { const next = peek(); let output = value; if (next === "<" && !utils.supportsLookbehinds()) { throw new Error("Node.js v10 or higher is required for regex lookbehinds"); } if (prev.value === "(" && !/[!=<:]/.test(next) || next === "<" && !/<([!=]|\w+>)/.test(remaining())) { output = `\\${value}`; } push({ type: "text", value, output }); continue; } if (opts.dot !== true && (prev.type === "slash" || prev.type === "bos")) { push({ type: "qmark", value, output: QMARK_NO_DOT }); continue; } push({ type: "qmark", value, output: QMARK }); continue; } if (value === "!") { if (opts.noextglob !== true && peek() === "(") { if (peek(2) !== "?" || !/[!=<:]/.test(peek(3))) { extglobOpen("negate", value); continue; } } if (opts.nonegate !== true && state.index === 0) { negate2(); continue; } } if (value === "+") { if (opts.noextglob !== true && peek() === "(" && peek(2) !== "?") { extglobOpen("plus", value); continue; } if (prev && prev.value === "(" || opts.regex === false) { push({ type: "plus", value, output: PLUS_LITERAL }); continue; } if (prev && (prev.type === "bracket" || prev.type === "paren" || prev.type === "brace") || state.parens > 0) { push({ type: "plus", value }); continue; } push({ type: "plus", value: PLUS_LITERAL }); continue; } if (value === "@") { if (opts.noextglob !== true && peek() === "(" && peek(2) !== "?") { push({ type: "at", extglob: true, value, output: "" }); continue; } push({ type: "text", value }); continue; } if (value !== "*") { if (value === "$" || value === "^") { value = `\\${value}`; } const match = REGEX_NON_SPECIAL_CHARS.exec(remaining()); if (match) { value += match[0]; state.index += match[0].length; } push({ type: "text", value }); continue; } if (prev && (prev.type === "globstar" || prev.star === true)) { prev.type = "star"; prev.star = true; prev.value += value; prev.output = star; state.backtrack = true; state.globstar = true; consume(value); continue; } let rest = remaining(); if (opts.noextglob !== true && /^\([^?]/.test(rest)) { extglobOpen("star", value); continue; } if (prev.type === "star") { if (opts.noglobstar === true) { consume(value); continue; } const prior = prev.prev; const before = prior.prev; const isStart = prior.type === "slash" || prior.type === "bos"; const afterStar = before && (before.type === "star" || before.type === "globstar"); if (opts.bash === true && (!isStart || rest[0] && rest[0] !== "/")) { push({ type: "star", value, output: "" }); continue; } const isBrace = state.braces > 0 && (prior.type === "comma" || prior.type === "brace"); const isExtglob = extglobs.length && (prior.type === "pipe" || prior.type === "paren"); if (!isStart && prior.type !== "paren" && !isBrace && !isExtglob) { push({ type: "star", value, output: "" }); continue; } while (rest.slice(0, 3) === "/**") { const after = input[state.index + 4]; if (after && after !== "/") { break; } rest = rest.slice(3); consume("/**", 3); } if (prior.type === "bos" && eos()) { prev.type = "globstar"; prev.value += value; prev.output = globstar(opts); state.output = prev.output; state.globstar = true; consume(value); continue; } if (prior.type === "slash" && prior.prev.type !== "bos" && !afterStar && eos()) { state.output = state.output.slice(0, -(prior.output + prev.output).length); prior.output = `(?:${prior.output}`; prev.type = "globstar"; prev.output = globstar(opts) + (opts.strictSlashes ? ")" : "|$)"); prev.value += value; state.globstar = true; state.output += prior.output + prev.output; consume(value); continue; } if (prior.type === "slash" && prior.prev.type !== "bos" && rest[0] === "/") { const end = rest[1] !== void 0 ? "|$" : ""; state.output = state.output.slice(0, -(prior.output + prev.output).length); prior.output = `(?:${prior.output}`; prev.type = "globstar"; prev.output = `${globstar(opts)}${SLASH_LITERAL}|${SLASH_LITERAL}${end})`; prev.value += value; state.output += prior.output + prev.output; state.globstar = true; consume(value + advance()); push({ type: "slash", value: "/", output: "" }); continue; } if (prior.type === "bos" && rest[0] === "/") { prev.type = "globstar"; prev.value += value; prev.output = `(?:^|${SLASH_LITERAL}|${globstar(opts)}${SLASH_LITERAL})`; state.output = prev.output; state.globstar = true; consume(value + advance()); push({ type: "slash", value: "/", output: "" }); continue; } state.output = state.output.slice(0, -prev.output.length); prev.type = "globstar"; prev.output = globstar(opts); prev.value += value; state.output += prev.output; state.globstar = true; consume(value); continue; } const token = { type: "star", value, output: star }; if (opts.bash === true) { token.output = ".*?"; if (prev.type === "bos" || prev.type === "slash") { token.output = nodot + token.output; } push(token); continue; } if (prev && (prev.type === "bracket" || prev.type === "paren") && opts.regex === true) { token.output = value; push(token); continue; } if (state.index === state.start || prev.type === "slash" || prev.type === "dot") { if (prev.type === "dot") { state.output += NO_DOT_SLASH; prev.output += NO_DOT_SLASH; } else if (opts.dot === true) { state.output += NO_DOTS_SLASH; prev.output += NO_DOTS_SLASH; } else { state.output += nodot; prev.output += nodot; } if (peek() !== "*") { state.output += ONE_CHAR; prev.output += ONE_CHAR; } } push(token); } while (state.brackets > 0) { if (opts.strictBrackets === true) throw new SyntaxError(syntaxError("closing", "]")); state.output = utils.escapeLast(state.output, "["); decrement("brackets"); } while (state.parens > 0) { if (opts.strictBrackets === true) throw new SyntaxError(syntaxError("closing", ")")); state.output = utils.escapeLast(state.output, "("); decrement("parens"); } while (state.braces > 0) { if (opts.strictBrackets === true) throw new SyntaxError(syntaxError("closing", "}")); state.output = utils.escapeLast(state.output, "{"); decrement("braces"); } if (opts.strictSlashes !== true && (prev.type === "star" || prev.type === "bracket")) { push({ type: "maybe_slash", value: "", output: `${SLASH_LITERAL}?` }); } if (state.backtrack === true) { state.output = ""; for (const token of state.tokens) { state.output += token.output != null ? token.output : token.value; if (token.suffix) { state.output += token.suffix; } } } return state; }; parse2.fastpaths = (input, options) => { const opts = { ...options }; const max = typeof opts.maxLength === "number" ? Math.min(MAX_LENGTH, opts.maxLength) : MAX_LENGTH; const len = input.length; if (len > max) { throw new SyntaxError(`Input length: ${len}, exceeds maximum allowed length: ${max}`); } input = REPLACEMENTS[input] || input; const win32 = utils.isWindows(options); const { DOT_LITERAL, SLASH_LITERAL, ONE_CHAR, DOTS_SLASH, NO_DOT, NO_DOTS, NO_DOTS_SLASH, STAR, START_ANCHOR } = constants.globChars(win32); const nodot = opts.dot ? NO_DOTS : NO_DOT; const slashDot = opts.dot ? NO_DOTS_SLASH : NO_DOT; const capture = opts.capture ? "" : "?:"; const state = { negated: false, prefix: "" }; let star = opts.bash === true ? ".*?" : STAR; if (opts.capture) { star = `(${star})`; } const globstar = (opts2) => { if (opts2.noglobstar === true) return star; return `(${capture}(?:(?!${START_ANCHOR}${opts2.dot ? DOTS_SLASH : DOT_LITERAL}).)*?)`; }; const create119 = (str) => { switch (str) { case "*": return `${nodot}${ONE_CHAR}${star}`; case ".*": return `${DOT_LITERAL}${ONE_CHAR}${star}`; case "*.*": return `${nodot}${star}${DOT_LITERAL}${ONE_CHAR}${star}`; case "*/*": return `${nodot}${star}${SLASH_LITERAL}${ONE_CHAR}${slashDot}${star}`; case "**": return nodot + globstar(opts); case "**/*": return `(?:${nodot}${globstar(opts)}${SLASH_LITERAL})?${slashDot}${ONE_CHAR}${star}`; case "**/*.*": return `(?:${nodot}${globstar(opts)}${SLASH_LITERAL})?${slashDot}${star}${DOT_LITERAL}${ONE_CHAR}${star}`; case "**/.*": return `(?:${nodot}${globstar(opts)}${SLASH_LITERAL})?${DOT_LITERAL}${ONE_CHAR}${star}`; default: { const match = /^(.*?)\.(\w+)$/.exec(str); if (!match) return; const source2 = create119(match[1]); if (!source2) return; return source2 + DOT_LITERAL + match[2]; } } }; const output = utils.removePrefix(input, state); let source = create119(output); if (source && opts.strictSlashes !== true) { source += `${SLASH_LITERAL}?`; } return source; }; module2.exports = parse2; } }); // node_modules/.pnpm/picomatch@2.3.1/node_modules/picomatch/lib/picomatch.js var require_picomatch = __commonJS({ "node_modules/.pnpm/picomatch@2.3.1/node_modules/picomatch/lib/picomatch.js"(exports2, module2) { "use strict"; var path17 = require("path"); var scan = require_scan(); var parse2 = require_parse3(); var utils = require_utils2(); var constants = require_constants3(); var isObject2 = (val) => val && typeof val === "object" && !Array.isArray(val); var picomatch = (glob, options, returnState = false) => { if (Array.isArray(glob)) { const fns = glob.map((input) => picomatch(input, options, returnState)); const arrayMatcher = (str) => { for (const isMatch of fns) { const state2 = isMatch(str); if (state2) return state2; } return false; }; return arrayMatcher; } const isState = isObject2(glob) && glob.tokens && glob.input; if (glob === "" || typeof glob !== "string" && !isState) { throw new TypeError("Expected pattern to be a non-empty string"); } const opts = options || {}; const posix = utils.isWindows(options); const regex = isState ? picomatch.compileRe(glob, options) : picomatch.makeRe(glob, options, false, true); const state = regex.state; delete regex.state; let isIgnored = () => false; if (opts.ignore) { const ignoreOpts = { ...options, ignore: null, onMatch: null, onResult: null }; isIgnored = picomatch(opts.ignore, ignoreOpts, returnState); } const matcher = (input, returnObject = false) => { const { isMatch, match, output } = picomatch.test(input, regex, options, { glob, posix }); const result = { glob, state, regex, posix, input, output, match, isMatch }; if (typeof opts.onResult === "function") { opts.onResult(result); } if (isMatch === false) { result.isMatch = false; return returnObject ? result : false; } if (isIgnored(input)) { if (typeof opts.onIgnore === "function") { opts.onIgnore(result); } result.isMatch = false; return returnObject ? result : false; } if (typeof opts.onMatch === "function") { opts.onMatch(result); } return returnObject ? result : true; }; if (returnState) { matcher.state = state; } return matcher; }; picomatch.test = (input, regex, options, { glob, posix } = {}) => { if (typeof input !== "string") { throw new TypeError("Expected input to be a string"); } if (input === "") { return { isMatch: false, output: "" }; } const opts = options || {}; const format2 = opts.format || (posix ? utils.toPosixSlashes : null); let match = input === glob; let output = match && format2 ? format2(input) : input; if (match === false) { output = format2 ? format2(input) : input; match = output === glob; } if (match === false || opts.capture === true) { if (opts.matchBase === true || opts.basename === true) { match = picomatch.matchBase(input, regex, options, posix); } else { match = regex.exec(output); } } return { isMatch: Boolean(match), match, output }; }; picomatch.matchBase = (input, glob, options, posix = utils.isWindows(options)) => { const regex = glob instanceof RegExp ? glob : picomatch.makeRe(glob, options); return regex.test(path17.basename(input)); }; picomatch.isMatch = (str, patterns, options) => picomatch(patterns, options)(str); picomatch.parse = (pattern, options) => { if (Array.isArray(pattern)) return pattern.map((p) => picomatch.parse(p, options)); return parse2(pattern, { ...options, fastpaths: false }); }; picomatch.scan = (input, options) => scan(input, options); picomatch.compileRe = (state, options, returnOutput = false, returnState = false) => { if (returnOutput === true) { return state.output; } const opts = options || {}; const prepend = opts.contains ? "" : "^"; const append = opts.contains ? "" : "$"; let source = `${prepend}(?:${state.output})${append}`; if (state && state.negated === true) { source = `^(?!${source}).*$`; } const regex = picomatch.toRegex(source, options); if (returnState === true) { regex.state = state; } return regex; }; picomatch.makeRe = (input, options = {}, returnOutput = false, returnState = false) => { if (!input || typeof input !== "string") { throw new TypeError("Expected a non-empty string"); } let parsed = { negated: false, fastpaths: true }; if (options.fastpaths !== false && (input[0] === "." || input[0] === "*")) { parsed.output = parse2.fastpaths(input, options); } if (!parsed.output) { parsed = parse2(input, options); } return picomatch.compileRe(parsed, options, returnOutput, returnState); }; picomatch.toRegex = (source, options) => { try { const opts = options || {}; return new RegExp(source, opts.flags || (opts.nocase ? "i" : "")); } catch (err) { if (options && options.debug === true) throw err; return /$^/; } }; picomatch.constants = constants; module2.exports = picomatch; } }); // node_modules/.pnpm/picomatch@2.3.1/node_modules/picomatch/index.js var require_picomatch2 = __commonJS({ "node_modules/.pnpm/picomatch@2.3.1/node_modules/picomatch/index.js"(exports2, module2) { "use strict"; module2.exports = require_picomatch(); } }); // node_modules/.pnpm/micromatch@4.0.7/node_modules/micromatch/index.js var require_micromatch = __commonJS({ "node_modules/.pnpm/micromatch@4.0.7/node_modules/micromatch/index.js"(exports2, module2) { "use strict"; var util5 = require("util"); var braces = require_braces(); var picomatch = require_picomatch2(); var utils = require_utils2(); var isEmptyString = (val) => val === "" || val === "./"; var micromatch = (list, patterns, options) => { patterns = [].concat(patterns); list = [].concat(list); let omit = /* @__PURE__ */ new Set(); let keep = /* @__PURE__ */ new Set(); let items = /* @__PURE__ */ new Set(); let negatives = 0; let onResult = (state) => { items.add(state.output); if (options && options.onResult) { options.onResult(state); } }; for (let i = 0; i < patterns.length; i++) { let isMatch = picomatch(String(patterns[i]), { ...options, onResult }, true); let negated = isMatch.state.negated || isMatch.state.negatedExtglob; if (negated) negatives++; for (let item of list) { let matched = isMatch(item, true); let match = negated ? !matched.isMatch : matched.isMatch; if (!match) continue; if (negated) { omit.add(matched.output); } else { omit.delete(matched.output); keep.add(matched.output); } } } let result = negatives === patterns.length ? [...items] : [...keep]; let matches = result.filter((item) => !omit.has(item)); if (options && matches.length === 0) { if (options.failglob === true) { throw new Error(`No matches found for "${patterns.join(", ")}"`); } if (options.nonull === true || options.nullglob === true) { return options.unescape ? patterns.map((p) => p.replace(/\\/g, "")) : patterns; } } return matches; }; micromatch.match = micromatch; micromatch.matcher = (pattern, options) => picomatch(pattern, options); micromatch.isMatch = (str, patterns, options) => picomatch(patterns, options)(str); micromatch.any = micromatch.isMatch; micromatch.not = (list, patterns, options = {}) => { patterns = [].concat(patterns).map(String); let result = /* @__PURE__ */ new Set(); let items = []; let onResult = (state) => { if (options.onResult) options.onResult(state); items.push(state.output); }; let matches = new Set(micromatch(list, patterns, { ...options, onResult })); for (let item of items) { if (!matches.has(item)) { result.add(item); } } return [...result]; }; micromatch.contains = (str, pattern, options) => { if (typeof str !== "string") { throw new TypeError(`Expected a string: "${util5.inspect(str)}"`); } if (Array.isArray(pattern)) { return pattern.some((p) => micromatch.contains(str, p, options)); } if (typeof pattern === "string") { if (isEmptyString(str) || isEmptyString(pattern)) { return false; } if (str.includes(pattern) || str.startsWith("./") && str.slice(2).includes(pattern)) { return true; } } return micromatch.isMatch(str, pattern, { ...options, contains: true }); }; micromatch.matchKeys = (obj, patterns, options) => { if (!utils.isObject(obj)) { throw new TypeError("Expected the first argument to be an object"); } let keys2 = micromatch(Object.keys(obj), patterns, options); let res = {}; for (let key of keys2) res[key] = obj[key]; return res; }; micromatch.some = (list, patterns, options) => { let items = [].concat(list); for (let pattern of [].concat(patterns)) { let isMatch = picomatch(String(pattern), options); if (items.some((item) => isMatch(item))) { return true; } } return false; }; micromatch.every = (list, patterns, options) => { let items = [].concat(list); for (let pattern of [].concat(patterns)) { let isMatch = picomatch(String(pattern), options); if (!items.every((item) => isMatch(item))) { return false; } } return true; }; micromatch.all = (str, patterns, options) => { if (typeof str !== "string") { throw new TypeError(`Expected a string: "${util5.inspect(str)}"`); } return [].concat(patterns).every((p) => picomatch(p, options)(str)); }; micromatch.capture = (glob, input, options) => { let posix = utils.isWindows(options); let regex = picomatch.makeRe(String(glob), { ...options, capture: true }); let match = regex.exec(posix ? utils.toPosixSlashes(input) : input); if (match) { return match.slice(1).map((v) => v === void 0 ? "" : v); } }; micromatch.makeRe = (...args) => picomatch.makeRe(...args); micromatch.scan = (...args) => picomatch.scan(...args); micromatch.parse = (patterns, options) => { let res = []; for (let pattern of [].concat(patterns || [])) { for (let str of braces(String(pattern), options)) { res.push(picomatch.parse(str, options)); } } return res; }; micromatch.braces = (pattern, options) => { if (typeof pattern !== "string") throw new TypeError("Expected a string"); if (options && options.nobrace === true || !/\{.*\}/.test(pattern)) { return [pattern]; } return braces(pattern, options); }; micromatch.braceExpand = (pattern, options) => { if (typeof pattern !== "string") throw new TypeError("Expected a string"); return micromatch.braces(pattern, { ...options, expand: true }); }; module2.exports = micromatch; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/utils/pattern.js var require_pattern2 = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/utils/pattern.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.removeDuplicateSlashes = exports2.matchAny = exports2.convertPatternsToRe = exports2.makeRe = exports2.getPatternParts = exports2.expandBraceExpansion = exports2.expandPatternsWithBraceExpansion = exports2.isAffectDepthOfReadingPattern = exports2.endsWithSlashGlobStar = exports2.hasGlobStar = exports2.getBaseDirectory = exports2.isPatternRelatedToParentDirectory = exports2.getPatternsOutsideCurrentDirectory = exports2.getPatternsInsideCurrentDirectory = exports2.getPositivePatterns = exports2.getNegativePatterns = exports2.isPositivePattern = exports2.isNegativePattern = exports2.convertToNegativePattern = exports2.convertToPositivePattern = exports2.isDynamicPattern = exports2.isStaticPattern = void 0; var path17 = require("path"); var globParent = require_glob_parent(); var micromatch = require_micromatch(); var GLOBSTAR = "**"; var ESCAPE_SYMBOL = "\\"; var COMMON_GLOB_SYMBOLS_RE = /[*?]|^!/; var REGEX_CHARACTER_CLASS_SYMBOLS_RE = /\[[^[]*]/; var REGEX_GROUP_SYMBOLS_RE = /(?:^|[^!*+?@])\([^(]*\|[^|]*\)/; var GLOB_EXTENSION_SYMBOLS_RE = /[!*+?@]\([^(]*\)/; var BRACE_EXPANSION_SEPARATORS_RE = /,|\.\./; var DOUBLE_SLASH_RE = /(?!^)\/{2,}/g; function isStaticPattern(pattern, options = {}) { return !isDynamicPattern(pattern, options); } exports2.isStaticPattern = isStaticPattern; function isDynamicPattern(pattern, options = {}) { if (pattern === "") { return false; } if (options.caseSensitiveMatch === false || pattern.includes(ESCAPE_SYMBOL)) { return true; } if (COMMON_GLOB_SYMBOLS_RE.test(pattern) || REGEX_CHARACTER_CLASS_SYMBOLS_RE.test(pattern) || REGEX_GROUP_SYMBOLS_RE.test(pattern)) { return true; } if (options.extglob !== false && GLOB_EXTENSION_SYMBOLS_RE.test(pattern)) { return true; } if (options.braceExpansion !== false && hasBraceExpansion(pattern)) { return true; } return false; } exports2.isDynamicPattern = isDynamicPattern; function hasBraceExpansion(pattern) { const openingBraceIndex = pattern.indexOf("{"); if (openingBraceIndex === -1) { return false; } const closingBraceIndex = pattern.indexOf("}", openingBraceIndex + 1); if (closingBraceIndex === -1) { return false; } const braceContent = pattern.slice(openingBraceIndex, closingBraceIndex); return BRACE_EXPANSION_SEPARATORS_RE.test(braceContent); } function convertToPositivePattern(pattern) { return isNegativePattern(pattern) ? pattern.slice(1) : pattern; } exports2.convertToPositivePattern = convertToPositivePattern; function convertToNegativePattern(pattern) { return "!" + pattern; } exports2.convertToNegativePattern = convertToNegativePattern; function isNegativePattern(pattern) { return pattern.startsWith("!") && pattern[1] !== "("; } exports2.isNegativePattern = isNegativePattern; function isPositivePattern(pattern) { return !isNegativePattern(pattern); } exports2.isPositivePattern = isPositivePattern; function getNegativePatterns(patterns) { return patterns.filter(isNegativePattern); } exports2.getNegativePatterns = getNegativePatterns; function getPositivePatterns(patterns) { return patterns.filter(isPositivePattern); } exports2.getPositivePatterns = getPositivePatterns; function getPatternsInsideCurrentDirectory(patterns) { return patterns.filter((pattern) => !isPatternRelatedToParentDirectory(pattern)); } exports2.getPatternsInsideCurrentDirectory = getPatternsInsideCurrentDirectory; function getPatternsOutsideCurrentDirectory(patterns) { return patterns.filter(isPatternRelatedToParentDirectory); } exports2.getPatternsOutsideCurrentDirectory = getPatternsOutsideCurrentDirectory; function isPatternRelatedToParentDirectory(pattern) { return pattern.startsWith("..") || pattern.startsWith("./.."); } exports2.isPatternRelatedToParentDirectory = isPatternRelatedToParentDirectory; function getBaseDirectory(pattern) { return globParent(pattern, { flipBackslashes: false }); } exports2.getBaseDirectory = getBaseDirectory; function hasGlobStar(pattern) { return pattern.includes(GLOBSTAR); } exports2.hasGlobStar = hasGlobStar; function endsWithSlashGlobStar(pattern) { return pattern.endsWith("/" + GLOBSTAR); } exports2.endsWithSlashGlobStar = endsWithSlashGlobStar; function isAffectDepthOfReadingPattern(pattern) { const basename = path17.basename(pattern); return endsWithSlashGlobStar(pattern) || isStaticPattern(basename); } exports2.isAffectDepthOfReadingPattern = isAffectDepthOfReadingPattern; function expandPatternsWithBraceExpansion(patterns) { return patterns.reduce((collection, pattern) => { return collection.concat(expandBraceExpansion(pattern)); }, []); } exports2.expandPatternsWithBraceExpansion = expandPatternsWithBraceExpansion; function expandBraceExpansion(pattern) { const patterns = micromatch.braces(pattern, { expand: true, nodupes: true, keepEscaping: true }); patterns.sort((a, b) => a.length - b.length); return patterns.filter((pattern2) => pattern2 !== ""); } exports2.expandBraceExpansion = expandBraceExpansion; function getPatternParts(pattern, options) { let { parts } = micromatch.scan(pattern, Object.assign(Object.assign({}, options), { parts: true })); if (parts.length === 0) { parts = [pattern]; } if (parts[0].startsWith("/")) { parts[0] = parts[0].slice(1); parts.unshift(""); } return parts; } exports2.getPatternParts = getPatternParts; function makeRe(pattern, options) { return micromatch.makeRe(pattern, options); } exports2.makeRe = makeRe; function convertPatternsToRe(patterns, options) { return patterns.map((pattern) => makeRe(pattern, options)); } exports2.convertPatternsToRe = convertPatternsToRe; function matchAny(entry, patternsRe) { return patternsRe.some((patternRe) => patternRe.test(entry)); } exports2.matchAny = matchAny; function removeDuplicateSlashes(pattern) { return pattern.replace(DOUBLE_SLASH_RE, "/"); } exports2.removeDuplicateSlashes = removeDuplicateSlashes; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/utils/stream.js var require_stream = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/utils/stream.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.merge = void 0; var merge22 = require_merge2(); function merge3(streams) { const mergedStream = merge22(streams); streams.forEach((stream) => { stream.once("error", (error) => mergedStream.emit("error", error)); }); mergedStream.once("close", () => propagateCloseEventToSources(streams)); mergedStream.once("end", () => propagateCloseEventToSources(streams)); return mergedStream; } exports2.merge = merge3; function propagateCloseEventToSources(streams) { streams.forEach((stream) => stream.emit("close")); } } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/utils/string.js var require_string = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/utils/string.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.isEmpty = exports2.isString = void 0; function isString2(input) { return typeof input === "string"; } exports2.isString = isString2; function isEmpty2(input) { return input === ""; } exports2.isEmpty = isEmpty2; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/utils/index.js var require_utils3 = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/utils/index.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.string = exports2.stream = exports2.pattern = exports2.path = exports2.fs = exports2.errno = exports2.array = void 0; var array = require_array(); exports2.array = array; var errno = require_errno(); exports2.errno = errno; var fs4 = require_fs(); exports2.fs = fs4; var path17 = require_path(); exports2.path = path17; var pattern = require_pattern2(); exports2.pattern = pattern; var stream = require_stream(); exports2.stream = stream; var string = require_string(); exports2.string = string; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/managers/tasks.js var require_tasks = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/managers/tasks.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.convertPatternGroupToTask = exports2.convertPatternGroupsToTasks = exports2.groupPatternsByBaseDirectory = exports2.getNegativePatternsAsPositive = exports2.getPositivePatterns = exports2.convertPatternsToTasks = exports2.generate = void 0; var utils = require_utils3(); function generate(input, settings) { const patterns = processPatterns(input, settings); const ignore2 = processPatterns(settings.ignore, settings); const positivePatterns = getPositivePatterns(patterns); const negativePatterns = getNegativePatternsAsPositive(patterns, ignore2); const staticPatterns = positivePatterns.filter((pattern) => utils.pattern.isStaticPattern(pattern, settings)); const dynamicPatterns = positivePatterns.filter((pattern) => utils.pattern.isDynamicPattern(pattern, settings)); const staticTasks = convertPatternsToTasks( staticPatterns, negativePatterns, /* dynamic */ false ); const dynamicTasks = convertPatternsToTasks( dynamicPatterns, negativePatterns, /* dynamic */ true ); return staticTasks.concat(dynamicTasks); } exports2.generate = generate; function processPatterns(input, settings) { let patterns = input; if (settings.braceExpansion) { patterns = utils.pattern.expandPatternsWithBraceExpansion(patterns); } if (settings.baseNameMatch) { patterns = patterns.map((pattern) => pattern.includes("/") ? pattern : `**/${pattern}`); } return patterns.map((pattern) => utils.pattern.removeDuplicateSlashes(pattern)); } function convertPatternsToTasks(positive, negative, dynamic) { const tasks = []; const patternsOutsideCurrentDirectory = utils.pattern.getPatternsOutsideCurrentDirectory(positive); const patternsInsideCurrentDirectory = utils.pattern.getPatternsInsideCurrentDirectory(positive); const outsideCurrentDirectoryGroup = groupPatternsByBaseDirectory(patternsOutsideCurrentDirectory); const insideCurrentDirectoryGroup = groupPatternsByBaseDirectory(patternsInsideCurrentDirectory); tasks.push(...convertPatternGroupsToTasks(outsideCurrentDirectoryGroup, negative, dynamic)); if ("." in insideCurrentDirectoryGroup) { tasks.push(convertPatternGroupToTask(".", patternsInsideCurrentDirectory, negative, dynamic)); } else { tasks.push(...convertPatternGroupsToTasks(insideCurrentDirectoryGroup, negative, dynamic)); } return tasks; } exports2.convertPatternsToTasks = convertPatternsToTasks; function getPositivePatterns(patterns) { return utils.pattern.getPositivePatterns(patterns); } exports2.getPositivePatterns = getPositivePatterns; function getNegativePatternsAsPositive(patterns, ignore2) { const negative = utils.pattern.getNegativePatterns(patterns).concat(ignore2); const positive = negative.map(utils.pattern.convertToPositivePattern); return positive; } exports2.getNegativePatternsAsPositive = getNegativePatternsAsPositive; function groupPatternsByBaseDirectory(patterns) { const group = {}; return patterns.reduce((collection, pattern) => { const base = utils.pattern.getBaseDirectory(pattern); if (base in collection) { collection[base].push(pattern); } else { collection[base] = [pattern]; } return collection; }, group); } exports2.groupPatternsByBaseDirectory = groupPatternsByBaseDirectory; function convertPatternGroupsToTasks(positive, negative, dynamic) { return Object.keys(positive).map((base) => { return convertPatternGroupToTask(base, positive[base], negative, dynamic); }); } exports2.convertPatternGroupsToTasks = convertPatternGroupsToTasks; function convertPatternGroupToTask(base, positive, negative, dynamic) { return { dynamic, positive, negative, base, patterns: [].concat(positive, negative.map(utils.pattern.convertToNegativePattern)) }; } exports2.convertPatternGroupToTask = convertPatternGroupToTask; } }); // node_modules/.pnpm/@nodelib+fs.stat@2.0.5/node_modules/@nodelib/fs.stat/out/providers/async.js var require_async2 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.stat@2.0.5/node_modules/@nodelib/fs.stat/out/providers/async.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.read = void 0; function read(path17, settings, callback) { settings.fs.lstat(path17, (lstatError, lstat) => { if (lstatError !== null) { callFailureCallback(callback, lstatError); return; } if (!lstat.isSymbolicLink() || !settings.followSymbolicLink) { callSuccessCallback(callback, lstat); return; } settings.fs.stat(path17, (statError, stat) => { if (statError !== null) { if (settings.throwErrorOnBrokenSymbolicLink) { callFailureCallback(callback, statError); return; } callSuccessCallback(callback, lstat); return; } if (settings.markSymbolicLink) { stat.isSymbolicLink = () => true; } callSuccessCallback(callback, stat); }); }); } exports2.read = read; function callFailureCallback(callback, error) { callback(error); } function callSuccessCallback(callback, result) { callback(null, result); } } }); // node_modules/.pnpm/@nodelib+fs.stat@2.0.5/node_modules/@nodelib/fs.stat/out/providers/sync.js var require_sync = __commonJS({ "node_modules/.pnpm/@nodelib+fs.stat@2.0.5/node_modules/@nodelib/fs.stat/out/providers/sync.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.read = void 0; function read(path17, settings) { const lstat = settings.fs.lstatSync(path17); if (!lstat.isSymbolicLink() || !settings.followSymbolicLink) { return lstat; } try { const stat = settings.fs.statSync(path17); if (settings.markSymbolicLink) { stat.isSymbolicLink = () => true; } return stat; } catch (error) { if (!settings.throwErrorOnBrokenSymbolicLink) { return lstat; } throw error; } } exports2.read = read; } }); // node_modules/.pnpm/@nodelib+fs.stat@2.0.5/node_modules/@nodelib/fs.stat/out/adapters/fs.js var require_fs2 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.stat@2.0.5/node_modules/@nodelib/fs.stat/out/adapters/fs.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.createFileSystemAdapter = exports2.FILE_SYSTEM_ADAPTER = void 0; var fs4 = require("fs"); exports2.FILE_SYSTEM_ADAPTER = { lstat: fs4.lstat, stat: fs4.stat, lstatSync: fs4.lstatSync, statSync: fs4.statSync }; function createFileSystemAdapter(fsMethods) { if (fsMethods === void 0) { return exports2.FILE_SYSTEM_ADAPTER; } return Object.assign(Object.assign({}, exports2.FILE_SYSTEM_ADAPTER), fsMethods); } exports2.createFileSystemAdapter = createFileSystemAdapter; } }); // node_modules/.pnpm/@nodelib+fs.stat@2.0.5/node_modules/@nodelib/fs.stat/out/settings.js var require_settings = __commonJS({ "node_modules/.pnpm/@nodelib+fs.stat@2.0.5/node_modules/@nodelib/fs.stat/out/settings.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var fs4 = require_fs2(); var Settings = class { constructor(_options = {}) { this._options = _options; this.followSymbolicLink = this._getValue(this._options.followSymbolicLink, true); this.fs = fs4.createFileSystemAdapter(this._options.fs); this.markSymbolicLink = this._getValue(this._options.markSymbolicLink, false); this.throwErrorOnBrokenSymbolicLink = this._getValue(this._options.throwErrorOnBrokenSymbolicLink, true); } _getValue(option, value) { return option !== null && option !== void 0 ? option : value; } }; exports2.default = Settings; } }); // node_modules/.pnpm/@nodelib+fs.stat@2.0.5/node_modules/@nodelib/fs.stat/out/index.js var require_out = __commonJS({ "node_modules/.pnpm/@nodelib+fs.stat@2.0.5/node_modules/@nodelib/fs.stat/out/index.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.statSync = exports2.stat = exports2.Settings = void 0; var async = require_async2(); var sync = require_sync(); var settings_1 = require_settings(); exports2.Settings = settings_1.default; function stat(path17, optionsOrSettingsOrCallback, callback) { if (typeof optionsOrSettingsOrCallback === "function") { async.read(path17, getSettings(), optionsOrSettingsOrCallback); return; } async.read(path17, getSettings(optionsOrSettingsOrCallback), callback); } exports2.stat = stat; function statSync(path17, optionsOrSettings) { const settings = getSettings(optionsOrSettings); return sync.read(path17, settings); } exports2.statSync = statSync; function getSettings(settingsOrOptions = {}) { if (settingsOrOptions instanceof settings_1.default) { return settingsOrOptions; } return new settings_1.default(settingsOrOptions); } } }); // node_modules/.pnpm/queue-microtask@1.2.3/node_modules/queue-microtask/index.js var require_queue_microtask = __commonJS({ "node_modules/.pnpm/queue-microtask@1.2.3/node_modules/queue-microtask/index.js"(exports2, module2) { var promise; module2.exports = typeof queueMicrotask === "function" ? queueMicrotask.bind(typeof window !== "undefined" ? window : global) : (cb) => (promise || (promise = Promise.resolve())).then(cb).catch((err) => setTimeout(() => { throw err; }, 0)); } }); // node_modules/.pnpm/run-parallel@1.2.0/node_modules/run-parallel/index.js var require_run_parallel = __commonJS({ "node_modules/.pnpm/run-parallel@1.2.0/node_modules/run-parallel/index.js"(exports2, module2) { module2.exports = runParallel; var queueMicrotask2 = require_queue_microtask(); function runParallel(tasks, cb) { let results, pending, keys2; let isSync = true; if (Array.isArray(tasks)) { results = []; pending = tasks.length; } else { keys2 = Object.keys(tasks); results = {}; pending = keys2.length; } function done(err) { function end() { if (cb) cb(err, results); cb = null; } if (isSync) queueMicrotask2(end); else end(); } function each(i, err, result) { results[i] = result; if (--pending === 0 || err) { done(err); } } if (!pending) { done(null); } else if (keys2) { keys2.forEach(function(key) { tasks[key](function(err, result) { each(key, err, result); }); }); } else { tasks.forEach(function(task, i) { task(function(err, result) { each(i, err, result); }); }); } isSync = false; } } }); // node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/constants.js var require_constants4 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/constants.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.IS_SUPPORT_READDIR_WITH_FILE_TYPES = void 0; var NODE_PROCESS_VERSION_PARTS = process.versions.node.split("."); if (NODE_PROCESS_VERSION_PARTS[0] === void 0 || NODE_PROCESS_VERSION_PARTS[1] === void 0) { throw new Error(`Unexpected behavior. The 'process.versions.node' variable has invalid value: ${process.versions.node}`); } var MAJOR_VERSION = Number.parseInt(NODE_PROCESS_VERSION_PARTS[0], 10); var MINOR_VERSION = Number.parseInt(NODE_PROCESS_VERSION_PARTS[1], 10); var SUPPORTED_MAJOR_VERSION = 10; var SUPPORTED_MINOR_VERSION = 10; var IS_MATCHED_BY_MAJOR = MAJOR_VERSION > SUPPORTED_MAJOR_VERSION; var IS_MATCHED_BY_MAJOR_AND_MINOR = MAJOR_VERSION === SUPPORTED_MAJOR_VERSION && MINOR_VERSION >= SUPPORTED_MINOR_VERSION; exports2.IS_SUPPORT_READDIR_WITH_FILE_TYPES = IS_MATCHED_BY_MAJOR || IS_MATCHED_BY_MAJOR_AND_MINOR; } }); // node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/utils/fs.js var require_fs3 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/utils/fs.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.createDirentFromStats = void 0; var DirentFromStats = class { constructor(name, stats) { this.name = name; this.isBlockDevice = stats.isBlockDevice.bind(stats); this.isCharacterDevice = stats.isCharacterDevice.bind(stats); this.isDirectory = stats.isDirectory.bind(stats); this.isFIFO = stats.isFIFO.bind(stats); this.isFile = stats.isFile.bind(stats); this.isSocket = stats.isSocket.bind(stats); this.isSymbolicLink = stats.isSymbolicLink.bind(stats); } }; function createDirentFromStats(name, stats) { return new DirentFromStats(name, stats); } exports2.createDirentFromStats = createDirentFromStats; } }); // node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/utils/index.js var require_utils4 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/utils/index.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.fs = void 0; var fs4 = require_fs3(); exports2.fs = fs4; } }); // node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/providers/common.js var require_common3 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/providers/common.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.joinPathSegments = void 0; function joinPathSegments(a, b, separator) { if (a.endsWith(separator)) { return a + b; } return a + separator + b; } exports2.joinPathSegments = joinPathSegments; } }); // node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/providers/async.js var require_async3 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/providers/async.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.readdir = exports2.readdirWithFileTypes = exports2.read = void 0; var fsStat = require_out(); var rpl = require_run_parallel(); var constants_1 = require_constants4(); var utils = require_utils4(); var common = require_common3(); function read(directory, settings, callback) { if (!settings.stats && constants_1.IS_SUPPORT_READDIR_WITH_FILE_TYPES) { readdirWithFileTypes(directory, settings, callback); return; } readdir(directory, settings, callback); } exports2.read = read; function readdirWithFileTypes(directory, settings, callback) { settings.fs.readdir(directory, { withFileTypes: true }, (readdirError, dirents) => { if (readdirError !== null) { callFailureCallback(callback, readdirError); return; } const entries = dirents.map((dirent) => ({ dirent, name: dirent.name, path: common.joinPathSegments(directory, dirent.name, settings.pathSegmentSeparator) })); if (!settings.followSymbolicLinks) { callSuccessCallback(callback, entries); return; } const tasks = entries.map((entry) => makeRplTaskEntry(entry, settings)); rpl(tasks, (rplError, rplEntries) => { if (rplError !== null) { callFailureCallback(callback, rplError); return; } callSuccessCallback(callback, rplEntries); }); }); } exports2.readdirWithFileTypes = readdirWithFileTypes; function makeRplTaskEntry(entry, settings) { return (done) => { if (!entry.dirent.isSymbolicLink()) { done(null, entry); return; } settings.fs.stat(entry.path, (statError, stats) => { if (statError !== null) { if (settings.throwErrorOnBrokenSymbolicLink) { done(statError); return; } done(null, entry); return; } entry.dirent = utils.fs.createDirentFromStats(entry.name, stats); done(null, entry); }); }; } function readdir(directory, settings, callback) { settings.fs.readdir(directory, (readdirError, names) => { if (readdirError !== null) { callFailureCallback(callback, readdirError); return; } const tasks = names.map((name) => { const path17 = common.joinPathSegments(directory, name, settings.pathSegmentSeparator); return (done) => { fsStat.stat(path17, settings.fsStatSettings, (error, stats) => { if (error !== null) { done(error); return; } const entry = { name, path: path17, dirent: utils.fs.createDirentFromStats(name, stats) }; if (settings.stats) { entry.stats = stats; } done(null, entry); }); }; }); rpl(tasks, (rplError, entries) => { if (rplError !== null) { callFailureCallback(callback, rplError); return; } callSuccessCallback(callback, entries); }); }); } exports2.readdir = readdir; function callFailureCallback(callback, error) { callback(error); } function callSuccessCallback(callback, result) { callback(null, result); } } }); // node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/providers/sync.js var require_sync2 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/providers/sync.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.readdir = exports2.readdirWithFileTypes = exports2.read = void 0; var fsStat = require_out(); var constants_1 = require_constants4(); var utils = require_utils4(); var common = require_common3(); function read(directory, settings) { if (!settings.stats && constants_1.IS_SUPPORT_READDIR_WITH_FILE_TYPES) { return readdirWithFileTypes(directory, settings); } return readdir(directory, settings); } exports2.read = read; function readdirWithFileTypes(directory, settings) { const dirents = settings.fs.readdirSync(directory, { withFileTypes: true }); return dirents.map((dirent) => { const entry = { dirent, name: dirent.name, path: common.joinPathSegments(directory, dirent.name, settings.pathSegmentSeparator) }; if (entry.dirent.isSymbolicLink() && settings.followSymbolicLinks) { try { const stats = settings.fs.statSync(entry.path); entry.dirent = utils.fs.createDirentFromStats(entry.name, stats); } catch (error) { if (settings.throwErrorOnBrokenSymbolicLink) { throw error; } } } return entry; }); } exports2.readdirWithFileTypes = readdirWithFileTypes; function readdir(directory, settings) { const names = settings.fs.readdirSync(directory); return names.map((name) => { const entryPath = common.joinPathSegments(directory, name, settings.pathSegmentSeparator); const stats = fsStat.statSync(entryPath, settings.fsStatSettings); const entry = { name, path: entryPath, dirent: utils.fs.createDirentFromStats(name, stats) }; if (settings.stats) { entry.stats = stats; } return entry; }); } exports2.readdir = readdir; } }); // node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/adapters/fs.js var require_fs4 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/adapters/fs.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.createFileSystemAdapter = exports2.FILE_SYSTEM_ADAPTER = void 0; var fs4 = require("fs"); exports2.FILE_SYSTEM_ADAPTER = { lstat: fs4.lstat, stat: fs4.stat, lstatSync: fs4.lstatSync, statSync: fs4.statSync, readdir: fs4.readdir, readdirSync: fs4.readdirSync }; function createFileSystemAdapter(fsMethods) { if (fsMethods === void 0) { return exports2.FILE_SYSTEM_ADAPTER; } return Object.assign(Object.assign({}, exports2.FILE_SYSTEM_ADAPTER), fsMethods); } exports2.createFileSystemAdapter = createFileSystemAdapter; } }); // node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/settings.js var require_settings2 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/settings.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var path17 = require("path"); var fsStat = require_out(); var fs4 = require_fs4(); var Settings = class { constructor(_options = {}) { this._options = _options; this.followSymbolicLinks = this._getValue(this._options.followSymbolicLinks, false); this.fs = fs4.createFileSystemAdapter(this._options.fs); this.pathSegmentSeparator = this._getValue(this._options.pathSegmentSeparator, path17.sep); this.stats = this._getValue(this._options.stats, false); this.throwErrorOnBrokenSymbolicLink = this._getValue(this._options.throwErrorOnBrokenSymbolicLink, true); this.fsStatSettings = new fsStat.Settings({ followSymbolicLink: this.followSymbolicLinks, fs: this.fs, throwErrorOnBrokenSymbolicLink: this.throwErrorOnBrokenSymbolicLink }); } _getValue(option, value) { return option !== null && option !== void 0 ? option : value; } }; exports2.default = Settings; } }); // node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/index.js var require_out2 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.scandir@2.1.5/node_modules/@nodelib/fs.scandir/out/index.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.Settings = exports2.scandirSync = exports2.scandir = void 0; var async = require_async3(); var sync = require_sync2(); var settings_1 = require_settings2(); exports2.Settings = settings_1.default; function scandir(path17, optionsOrSettingsOrCallback, callback) { if (typeof optionsOrSettingsOrCallback === "function") { async.read(path17, getSettings(), optionsOrSettingsOrCallback); return; } async.read(path17, getSettings(optionsOrSettingsOrCallback), callback); } exports2.scandir = scandir; function scandirSync(path17, optionsOrSettings) { const settings = getSettings(optionsOrSettings); return sync.read(path17, settings); } exports2.scandirSync = scandirSync; function getSettings(settingsOrOptions = {}) { if (settingsOrOptions instanceof settings_1.default) { return settingsOrOptions; } return new settings_1.default(settingsOrOptions); } } }); // node_modules/.pnpm/reusify@1.0.4/node_modules/reusify/reusify.js var require_reusify = __commonJS({ "node_modules/.pnpm/reusify@1.0.4/node_modules/reusify/reusify.js"(exports2, module2) { "use strict"; function reusify(Constructor) { var head = new Constructor(); var tail = head; function get() { var current = head; if (current.next) { head = current.next; } else { head = new Constructor(); tail = head; } current.next = null; return current; } function release(obj) { tail.next = obj; tail = obj; } return { get, release }; } module2.exports = reusify; } }); // node_modules/.pnpm/fastq@1.17.1/node_modules/fastq/queue.js var require_queue = __commonJS({ "node_modules/.pnpm/fastq@1.17.1/node_modules/fastq/queue.js"(exports2, module2) { "use strict"; var reusify = require_reusify(); function fastqueue(context, worker, _concurrency) { if (typeof context === "function") { _concurrency = worker; worker = context; context = null; } if (!(_concurrency >= 1)) { throw new Error("fastqueue concurrency must be equal to or greater than 1"); } var cache = reusify(Task); var queueHead = null; var queueTail = null; var _running = 0; var errorHandler = null; var self2 = { push, drain: noop2, saturated: noop2, pause, paused: false, get concurrency() { return _concurrency; }, set concurrency(value) { if (!(value >= 1)) { throw new Error("fastqueue concurrency must be equal to or greater than 1"); } _concurrency = value; if (self2.paused) return; for (; queueHead && _running < _concurrency; ) { _running++; release(); } }, running, resume, idle, length, getQueue, unshift, empty: noop2, kill, killAndDrain, error }; return self2; function running() { return _running; } function pause() { self2.paused = true; } function length() { var current = queueHead; var counter = 0; while (current) { current = current.next; counter++; } return counter; } function getQueue() { var current = queueHead; var tasks = []; while (current) { tasks.push(current.value); current = current.next; } return tasks; } function resume() { if (!self2.paused) return; self2.paused = false; if (queueHead === null) { _running++; release(); return; } for (; queueHead && _running < _concurrency; ) { _running++; release(); } } function idle() { return _running === 0 && self2.length() === 0; } function push(value, done) { var current = cache.get(); current.context = context; current.release = release; current.value = value; current.callback = done || noop2; current.errorHandler = errorHandler; if (_running >= _concurrency || self2.paused) { if (queueTail) { queueTail.next = current; queueTail = current; } else { queueHead = current; queueTail = current; self2.saturated(); } } else { _running++; worker.call(context, current.value, current.worked); } } function unshift(value, done) { var current = cache.get(); current.context = context; current.release = release; current.value = value; current.callback = done || noop2; current.errorHandler = errorHandler; if (_running >= _concurrency || self2.paused) { if (queueHead) { current.next = queueHead; queueHead = current; } else { queueHead = current; queueTail = current; self2.saturated(); } } else { _running++; worker.call(context, current.value, current.worked); } } function release(holder) { if (holder) { cache.release(holder); } var next = queueHead; if (next && _running <= _concurrency) { if (!self2.paused) { if (queueTail === queueHead) { queueTail = null; } queueHead = next.next; next.next = null; worker.call(context, next.value, next.worked); if (queueTail === null) { self2.empty(); } } else { _running--; } } else if (--_running === 0) { self2.drain(); } } function kill() { queueHead = null; queueTail = null; self2.drain = noop2; } function killAndDrain() { queueHead = null; queueTail = null; self2.drain(); self2.drain = noop2; } function error(handler) { errorHandler = handler; } } function noop2() { } function Task() { this.value = null; this.callback = noop2; this.next = null; this.release = noop2; this.context = null; this.errorHandler = null; var self2 = this; this.worked = function worked(err, result) { var callback = self2.callback; var errorHandler = self2.errorHandler; var val = self2.value; self2.value = null; self2.callback = noop2; if (self2.errorHandler) { errorHandler(err, val); } callback.call(self2.context, err, result); self2.release(self2); }; } function queueAsPromised(context, worker, _concurrency) { if (typeof context === "function") { _concurrency = worker; worker = context; context = null; } function asyncWrapper(arg, cb) { worker.call(this, arg).then(function(res) { cb(null, res); }, cb); } var queue = fastqueue(context, asyncWrapper, _concurrency); var pushCb = queue.push; var unshiftCb = queue.unshift; queue.push = push; queue.unshift = unshift; queue.drained = drained; return queue; function push(value) { var p = new Promise(function(resolve2, reject) { pushCb(value, function(err, result) { if (err) { reject(err); return; } resolve2(result); }); }); p.catch(noop2); return p; } function unshift(value) { var p = new Promise(function(resolve2, reject) { unshiftCb(value, function(err, result) { if (err) { reject(err); return; } resolve2(result); }); }); p.catch(noop2); return p; } function drained() { if (queue.idle()) { return new Promise(function(resolve2) { resolve2(); }); } var previousDrain = queue.drain; var p = new Promise(function(resolve2) { queue.drain = function() { previousDrain(); resolve2(); }; }); return p; } } module2.exports = fastqueue; module2.exports.promise = queueAsPromised; } }); // node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/readers/common.js var require_common4 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/readers/common.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.joinPathSegments = exports2.replacePathSegmentSeparator = exports2.isAppliedFilter = exports2.isFatalError = void 0; function isFatalError(settings, error) { if (settings.errorFilter === null) { return true; } return !settings.errorFilter(error); } exports2.isFatalError = isFatalError; function isAppliedFilter(filter, value) { return filter === null || filter(value); } exports2.isAppliedFilter = isAppliedFilter; function replacePathSegmentSeparator(filepath, separator) { return filepath.split(/[/\\]/).join(separator); } exports2.replacePathSegmentSeparator = replacePathSegmentSeparator; function joinPathSegments(a, b, separator) { if (a === "") { return b; } if (a.endsWith(separator)) { return a + b; } return a + separator + b; } exports2.joinPathSegments = joinPathSegments; } }); // node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/readers/reader.js var require_reader = __commonJS({ "node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/readers/reader.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var common = require_common4(); var Reader = class { constructor(_root, _settings) { this._root = _root; this._settings = _settings; this._root = common.replacePathSegmentSeparator(_root, _settings.pathSegmentSeparator); } }; exports2.default = Reader; } }); // node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/readers/async.js var require_async4 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/readers/async.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var events_1 = require("events"); var fsScandir = require_out2(); var fastq = require_queue(); var common = require_common4(); var reader_1 = require_reader(); var AsyncReader = class extends reader_1.default { constructor(_root, _settings) { super(_root, _settings); this._settings = _settings; this._scandir = fsScandir.scandir; this._emitter = new events_1.EventEmitter(); this._queue = fastq(this._worker.bind(this), this._settings.concurrency); this._isFatalError = false; this._isDestroyed = false; this._queue.drain = () => { if (!this._isFatalError) { this._emitter.emit("end"); } }; } read() { this._isFatalError = false; this._isDestroyed = false; setImmediate(() => { this._pushToQueue(this._root, this._settings.basePath); }); return this._emitter; } get isDestroyed() { return this._isDestroyed; } destroy() { if (this._isDestroyed) { throw new Error("The reader is already destroyed"); } this._isDestroyed = true; this._queue.killAndDrain(); } onEntry(callback) { this._emitter.on("entry", callback); } onError(callback) { this._emitter.once("error", callback); } onEnd(callback) { this._emitter.once("end", callback); } _pushToQueue(directory, base) { const queueItem = { directory, base }; this._queue.push(queueItem, (error) => { if (error !== null) { this._handleError(error); } }); } _worker(item, done) { this._scandir(item.directory, this._settings.fsScandirSettings, (error, entries) => { if (error !== null) { done(error, void 0); return; } for (const entry of entries) { this._handleEntry(entry, item.base); } done(null, void 0); }); } _handleError(error) { if (this._isDestroyed || !common.isFatalError(this._settings, error)) { return; } this._isFatalError = true; this._isDestroyed = true; this._emitter.emit("error", error); } _handleEntry(entry, base) { if (this._isDestroyed || this._isFatalError) { return; } const fullpath = entry.path; if (base !== void 0) { entry.path = common.joinPathSegments(base, entry.name, this._settings.pathSegmentSeparator); } if (common.isAppliedFilter(this._settings.entryFilter, entry)) { this._emitEntry(entry); } if (entry.dirent.isDirectory() && common.isAppliedFilter(this._settings.deepFilter, entry)) { this._pushToQueue(fullpath, base === void 0 ? void 0 : entry.path); } } _emitEntry(entry) { this._emitter.emit("entry", entry); } }; exports2.default = AsyncReader; } }); // node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/providers/async.js var require_async5 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/providers/async.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var async_1 = require_async4(); var AsyncProvider = class { constructor(_root, _settings) { this._root = _root; this._settings = _settings; this._reader = new async_1.default(this._root, this._settings); this._storage = []; } read(callback) { this._reader.onError((error) => { callFailureCallback(callback, error); }); this._reader.onEntry((entry) => { this._storage.push(entry); }); this._reader.onEnd(() => { callSuccessCallback(callback, this._storage); }); this._reader.read(); } }; exports2.default = AsyncProvider; function callFailureCallback(callback, error) { callback(error); } function callSuccessCallback(callback, entries) { callback(null, entries); } } }); // node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/providers/stream.js var require_stream2 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/providers/stream.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var stream_1 = require("stream"); var async_1 = require_async4(); var StreamProvider = class { constructor(_root, _settings) { this._root = _root; this._settings = _settings; this._reader = new async_1.default(this._root, this._settings); this._stream = new stream_1.Readable({ objectMode: true, read: () => { }, destroy: () => { if (!this._reader.isDestroyed) { this._reader.destroy(); } } }); } read() { this._reader.onError((error) => { this._stream.emit("error", error); }); this._reader.onEntry((entry) => { this._stream.push(entry); }); this._reader.onEnd(() => { this._stream.push(null); }); this._reader.read(); return this._stream; } }; exports2.default = StreamProvider; } }); // node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/readers/sync.js var require_sync3 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/readers/sync.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var fsScandir = require_out2(); var common = require_common4(); var reader_1 = require_reader(); var SyncReader = class extends reader_1.default { constructor() { super(...arguments); this._scandir = fsScandir.scandirSync; this._storage = []; this._queue = /* @__PURE__ */ new Set(); } read() { this._pushToQueue(this._root, this._settings.basePath); this._handleQueue(); return this._storage; } _pushToQueue(directory, base) { this._queue.add({ directory, base }); } _handleQueue() { for (const item of this._queue.values()) { this._handleDirectory(item.directory, item.base); } } _handleDirectory(directory, base) { try { const entries = this._scandir(directory, this._settings.fsScandirSettings); for (const entry of entries) { this._handleEntry(entry, base); } } catch (error) { this._handleError(error); } } _handleError(error) { if (!common.isFatalError(this._settings, error)) { return; } throw error; } _handleEntry(entry, base) { const fullpath = entry.path; if (base !== void 0) { entry.path = common.joinPathSegments(base, entry.name, this._settings.pathSegmentSeparator); } if (common.isAppliedFilter(this._settings.entryFilter, entry)) { this._pushToStorage(entry); } if (entry.dirent.isDirectory() && common.isAppliedFilter(this._settings.deepFilter, entry)) { this._pushToQueue(fullpath, base === void 0 ? void 0 : entry.path); } } _pushToStorage(entry) { this._storage.push(entry); } }; exports2.default = SyncReader; } }); // node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/providers/sync.js var require_sync4 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/providers/sync.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var sync_1 = require_sync3(); var SyncProvider = class { constructor(_root, _settings) { this._root = _root; this._settings = _settings; this._reader = new sync_1.default(this._root, this._settings); } read() { return this._reader.read(); } }; exports2.default = SyncProvider; } }); // node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/settings.js var require_settings3 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/settings.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var path17 = require("path"); var fsScandir = require_out2(); var Settings = class { constructor(_options = {}) { this._options = _options; this.basePath = this._getValue(this._options.basePath, void 0); this.concurrency = this._getValue(this._options.concurrency, Number.POSITIVE_INFINITY); this.deepFilter = this._getValue(this._options.deepFilter, null); this.entryFilter = this._getValue(this._options.entryFilter, null); this.errorFilter = this._getValue(this._options.errorFilter, null); this.pathSegmentSeparator = this._getValue(this._options.pathSegmentSeparator, path17.sep); this.fsScandirSettings = new fsScandir.Settings({ followSymbolicLinks: this._options.followSymbolicLinks, fs: this._options.fs, pathSegmentSeparator: this._options.pathSegmentSeparator, stats: this._options.stats, throwErrorOnBrokenSymbolicLink: this._options.throwErrorOnBrokenSymbolicLink }); } _getValue(option, value) { return option !== null && option !== void 0 ? option : value; } }; exports2.default = Settings; } }); // node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/index.js var require_out3 = __commonJS({ "node_modules/.pnpm/@nodelib+fs.walk@1.2.8/node_modules/@nodelib/fs.walk/out/index.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.Settings = exports2.walkStream = exports2.walkSync = exports2.walk = void 0; var async_1 = require_async5(); var stream_1 = require_stream2(); var sync_1 = require_sync4(); var settings_1 = require_settings3(); exports2.Settings = settings_1.default; function walk(directory, optionsOrSettingsOrCallback, callback) { if (typeof optionsOrSettingsOrCallback === "function") { new async_1.default(directory, getSettings()).read(optionsOrSettingsOrCallback); return; } new async_1.default(directory, getSettings(optionsOrSettingsOrCallback)).read(callback); } exports2.walk = walk; function walkSync(directory, optionsOrSettings) { const settings = getSettings(optionsOrSettings); const provider = new sync_1.default(directory, settings); return provider.read(); } exports2.walkSync = walkSync; function walkStream(directory, optionsOrSettings) { const settings = getSettings(optionsOrSettings); const provider = new stream_1.default(directory, settings); return provider.read(); } exports2.walkStream = walkStream; function getSettings(settingsOrOptions = {}) { if (settingsOrOptions instanceof settings_1.default) { return settingsOrOptions; } return new settings_1.default(settingsOrOptions); } } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/readers/reader.js var require_reader2 = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/readers/reader.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var path17 = require("path"); var fsStat = require_out(); var utils = require_utils3(); var Reader = class { constructor(_settings) { this._settings = _settings; this._fsStatSettings = new fsStat.Settings({ followSymbolicLink: this._settings.followSymbolicLinks, fs: this._settings.fs, throwErrorOnBrokenSymbolicLink: this._settings.followSymbolicLinks }); } _getFullEntryPath(filepath) { return path17.resolve(this._settings.cwd, filepath); } _makeEntry(stats, pattern) { const entry = { name: pattern, path: pattern, dirent: utils.fs.createDirentFromStats(pattern, stats) }; if (this._settings.stats) { entry.stats = stats; } return entry; } _isFatalError(error) { return !utils.errno.isEnoentCodeError(error) && !this._settings.suppressErrors; } }; exports2.default = Reader; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/readers/stream.js var require_stream3 = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/readers/stream.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var stream_1 = require("stream"); var fsStat = require_out(); var fsWalk = require_out3(); var reader_1 = require_reader2(); var ReaderStream = class extends reader_1.default { constructor() { super(...arguments); this._walkStream = fsWalk.walkStream; this._stat = fsStat.stat; } dynamic(root2, options) { return this._walkStream(root2, options); } static(patterns, options) { const filepaths = patterns.map(this._getFullEntryPath, this); const stream = new stream_1.PassThrough({ objectMode: true }); stream._write = (index, _enc, done) => { return this._getEntry(filepaths[index], patterns[index], options).then((entry) => { if (entry !== null && options.entryFilter(entry)) { stream.push(entry); } if (index === filepaths.length - 1) { stream.end(); } done(); }).catch(done); }; for (let i = 0; i < filepaths.length; i++) { stream.write(i); } return stream; } _getEntry(filepath, pattern, options) { return this._getStat(filepath).then((stats) => this._makeEntry(stats, pattern)).catch((error) => { if (options.errorFilter(error)) { return null; } throw error; }); } _getStat(filepath) { return new Promise((resolve2, reject) => { this._stat(filepath, this._fsStatSettings, (error, stats) => { return error === null ? resolve2(stats) : reject(error); }); }); } }; exports2.default = ReaderStream; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/readers/async.js var require_async6 = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/readers/async.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var fsWalk = require_out3(); var reader_1 = require_reader2(); var stream_1 = require_stream3(); var ReaderAsync = class extends reader_1.default { constructor() { super(...arguments); this._walkAsync = fsWalk.walk; this._readerStream = new stream_1.default(this._settings); } dynamic(root2, options) { return new Promise((resolve2, reject) => { this._walkAsync(root2, options, (error, entries) => { if (error === null) { resolve2(entries); } else { reject(error); } }); }); } async static(patterns, options) { const entries = []; const stream = this._readerStream.static(patterns, options); return new Promise((resolve2, reject) => { stream.once("error", reject); stream.on("data", (entry) => entries.push(entry)); stream.once("end", () => resolve2(entries)); }); } }; exports2.default = ReaderAsync; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/matchers/matcher.js var require_matcher = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/matchers/matcher.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var utils = require_utils3(); var Matcher = class { constructor(_patterns, _settings, _micromatchOptions) { this._patterns = _patterns; this._settings = _settings; this._micromatchOptions = _micromatchOptions; this._storage = []; this._fillStorage(); } _fillStorage() { for (const pattern of this._patterns) { const segments = this._getPatternSegments(pattern); const sections = this._splitSegmentsIntoSections(segments); this._storage.push({ complete: sections.length <= 1, pattern, segments, sections }); } } _getPatternSegments(pattern) { const parts = utils.pattern.getPatternParts(pattern, this._micromatchOptions); return parts.map((part) => { const dynamic = utils.pattern.isDynamicPattern(part, this._settings); if (!dynamic) { return { dynamic: false, pattern: part }; } return { dynamic: true, pattern: part, patternRe: utils.pattern.makeRe(part, this._micromatchOptions) }; }); } _splitSegmentsIntoSections(segments) { return utils.array.splitWhen(segments, (segment) => segment.dynamic && utils.pattern.hasGlobStar(segment.pattern)); } }; exports2.default = Matcher; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/matchers/partial.js var require_partial = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/matchers/partial.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var matcher_1 = require_matcher(); var PartialMatcher = class extends matcher_1.default { match(filepath) { const parts = filepath.split("/"); const levels = parts.length; const patterns = this._storage.filter((info) => !info.complete || info.segments.length > levels); for (const pattern of patterns) { const section = pattern.sections[0]; if (!pattern.complete && levels > section.length) { return true; } const match = parts.every((part, index) => { const segment = pattern.segments[index]; if (segment.dynamic && segment.patternRe.test(part)) { return true; } if (!segment.dynamic && segment.pattern === part) { return true; } return false; }); if (match) { return true; } } return false; } }; exports2.default = PartialMatcher; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/filters/deep.js var require_deep = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/filters/deep.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var utils = require_utils3(); var partial_1 = require_partial(); var DeepFilter = class { constructor(_settings, _micromatchOptions) { this._settings = _settings; this._micromatchOptions = _micromatchOptions; } getFilter(basePath, positive, negative) { const matcher = this._getMatcher(positive); const negativeRe = this._getNegativePatternsRe(negative); return (entry) => this._filter(basePath, entry, matcher, negativeRe); } _getMatcher(patterns) { return new partial_1.default(patterns, this._settings, this._micromatchOptions); } _getNegativePatternsRe(patterns) { const affectDepthOfReadingPatterns = patterns.filter(utils.pattern.isAffectDepthOfReadingPattern); return utils.pattern.convertPatternsToRe(affectDepthOfReadingPatterns, this._micromatchOptions); } _filter(basePath, entry, matcher, negativeRe) { if (this._isSkippedByDeep(basePath, entry.path)) { return false; } if (this._isSkippedSymbolicLink(entry)) { return false; } const filepath = utils.path.removeLeadingDotSegment(entry.path); if (this._isSkippedByPositivePatterns(filepath, matcher)) { return false; } return this._isSkippedByNegativePatterns(filepath, negativeRe); } _isSkippedByDeep(basePath, entryPath) { if (this._settings.deep === Infinity) { return false; } return this._getEntryLevel(basePath, entryPath) >= this._settings.deep; } _getEntryLevel(basePath, entryPath) { const entryPathDepth = entryPath.split("/").length; if (basePath === "") { return entryPathDepth; } const basePathDepth = basePath.split("/").length; return entryPathDepth - basePathDepth; } _isSkippedSymbolicLink(entry) { return !this._settings.followSymbolicLinks && entry.dirent.isSymbolicLink(); } _isSkippedByPositivePatterns(entryPath, matcher) { return !this._settings.baseNameMatch && !matcher.match(entryPath); } _isSkippedByNegativePatterns(entryPath, patternsRe) { return !utils.pattern.matchAny(entryPath, patternsRe); } }; exports2.default = DeepFilter; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/filters/entry.js var require_entry = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/filters/entry.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var utils = require_utils3(); var EntryFilter = class { constructor(_settings, _micromatchOptions) { this._settings = _settings; this._micromatchOptions = _micromatchOptions; this.index = /* @__PURE__ */ new Map(); } getFilter(positive, negative) { const positiveRe = utils.pattern.convertPatternsToRe(positive, this._micromatchOptions); const negativeRe = utils.pattern.convertPatternsToRe(negative, Object.assign(Object.assign({}, this._micromatchOptions), { dot: true })); return (entry) => this._filter(entry, positiveRe, negativeRe); } _filter(entry, positiveRe, negativeRe) { const filepath = utils.path.removeLeadingDotSegment(entry.path); if (this._settings.unique && this._isDuplicateEntry(filepath)) { return false; } if (this._onlyFileFilter(entry) || this._onlyDirectoryFilter(entry)) { return false; } if (this._isSkippedByAbsoluteNegativePatterns(filepath, negativeRe)) { return false; } const isDirectory = entry.dirent.isDirectory(); const isMatched = this._isMatchToPatterns(filepath, positiveRe, isDirectory) && !this._isMatchToPatterns(filepath, negativeRe, isDirectory); if (this._settings.unique && isMatched) { this._createIndexRecord(filepath); } return isMatched; } _isDuplicateEntry(filepath) { return this.index.has(filepath); } _createIndexRecord(filepath) { this.index.set(filepath, void 0); } _onlyFileFilter(entry) { return this._settings.onlyFiles && !entry.dirent.isFile(); } _onlyDirectoryFilter(entry) { return this._settings.onlyDirectories && !entry.dirent.isDirectory(); } _isSkippedByAbsoluteNegativePatterns(entryPath, patternsRe) { if (!this._settings.absolute) { return false; } const fullpath = utils.path.makeAbsolute(this._settings.cwd, entryPath); return utils.pattern.matchAny(fullpath, patternsRe); } _isMatchToPatterns(filepath, patternsRe, isDirectory) { const isMatched = utils.pattern.matchAny(filepath, patternsRe); if (!isMatched && isDirectory) { return utils.pattern.matchAny(filepath + "/", patternsRe); } return isMatched; } }; exports2.default = EntryFilter; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/filters/error.js var require_error = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/filters/error.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var utils = require_utils3(); var ErrorFilter = class { constructor(_settings) { this._settings = _settings; } getFilter() { return (error) => this._isNonFatalError(error); } _isNonFatalError(error) { return utils.errno.isEnoentCodeError(error) || this._settings.suppressErrors; } }; exports2.default = ErrorFilter; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/transformers/entry.js var require_entry2 = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/transformers/entry.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var utils = require_utils3(); var EntryTransformer = class { constructor(_settings) { this._settings = _settings; } getTransformer() { return (entry) => this._transform(entry); } _transform(entry) { let filepath = entry.path; if (this._settings.absolute) { filepath = utils.path.makeAbsolute(this._settings.cwd, filepath); filepath = utils.path.unixify(filepath); } if (this._settings.markDirectories && entry.dirent.isDirectory()) { filepath += "/"; } if (!this._settings.objectMode) { return filepath; } return Object.assign(Object.assign({}, entry), { path: filepath }); } }; exports2.default = EntryTransformer; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/provider.js var require_provider = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/provider.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var path17 = require("path"); var deep_1 = require_deep(); var entry_1 = require_entry(); var error_1 = require_error(); var entry_2 = require_entry2(); var Provider = class { constructor(_settings) { this._settings = _settings; this.errorFilter = new error_1.default(this._settings); this.entryFilter = new entry_1.default(this._settings, this._getMicromatchOptions()); this.deepFilter = new deep_1.default(this._settings, this._getMicromatchOptions()); this.entryTransformer = new entry_2.default(this._settings); } _getRootDirectory(task) { return path17.resolve(this._settings.cwd, task.base); } _getReaderOptions(task) { const basePath = task.base === "." ? "" : task.base; return { basePath, pathSegmentSeparator: "/", concurrency: this._settings.concurrency, deepFilter: this.deepFilter.getFilter(basePath, task.positive, task.negative), entryFilter: this.entryFilter.getFilter(task.positive, task.negative), errorFilter: this.errorFilter.getFilter(), followSymbolicLinks: this._settings.followSymbolicLinks, fs: this._settings.fs, stats: this._settings.stats, throwErrorOnBrokenSymbolicLink: this._settings.throwErrorOnBrokenSymbolicLink, transform: this.entryTransformer.getTransformer() }; } _getMicromatchOptions() { return { dot: this._settings.dot, matchBase: this._settings.baseNameMatch, nobrace: !this._settings.braceExpansion, nocase: !this._settings.caseSensitiveMatch, noext: !this._settings.extglob, noglobstar: !this._settings.globstar, posix: true, strictSlashes: false }; } }; exports2.default = Provider; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/async.js var require_async7 = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/async.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var async_1 = require_async6(); var provider_1 = require_provider(); var ProviderAsync = class extends provider_1.default { constructor() { super(...arguments); this._reader = new async_1.default(this._settings); } async read(task) { const root2 = this._getRootDirectory(task); const options = this._getReaderOptions(task); const entries = await this.api(root2, task, options); return entries.map((entry) => options.transform(entry)); } api(root2, task, options) { if (task.dynamic) { return this._reader.dynamic(root2, options); } return this._reader.static(task.patterns, options); } }; exports2.default = ProviderAsync; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/stream.js var require_stream4 = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/stream.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var stream_1 = require("stream"); var stream_2 = require_stream3(); var provider_1 = require_provider(); var ProviderStream = class extends provider_1.default { constructor() { super(...arguments); this._reader = new stream_2.default(this._settings); } read(task) { const root2 = this._getRootDirectory(task); const options = this._getReaderOptions(task); const source = this.api(root2, task, options); const destination = new stream_1.Readable({ objectMode: true, read: () => { } }); source.once("error", (error) => destination.emit("error", error)).on("data", (entry) => destination.emit("data", options.transform(entry))).once("end", () => destination.emit("end")); destination.once("close", () => source.destroy()); return destination; } api(root2, task, options) { if (task.dynamic) { return this._reader.dynamic(root2, options); } return this._reader.static(task.patterns, options); } }; exports2.default = ProviderStream; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/readers/sync.js var require_sync5 = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/readers/sync.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var fsStat = require_out(); var fsWalk = require_out3(); var reader_1 = require_reader2(); var ReaderSync = class extends reader_1.default { constructor() { super(...arguments); this._walkSync = fsWalk.walkSync; this._statSync = fsStat.statSync; } dynamic(root2, options) { return this._walkSync(root2, options); } static(patterns, options) { const entries = []; for (const pattern of patterns) { const filepath = this._getFullEntryPath(pattern); const entry = this._getEntry(filepath, pattern, options); if (entry === null || !options.entryFilter(entry)) { continue; } entries.push(entry); } return entries; } _getEntry(filepath, pattern, options) { try { const stats = this._getStat(filepath); return this._makeEntry(stats, pattern); } catch (error) { if (options.errorFilter(error)) { return null; } throw error; } } _getStat(filepath) { return this._statSync(filepath, this._fsStatSettings); } }; exports2.default = ReaderSync; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/sync.js var require_sync6 = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/providers/sync.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); var sync_1 = require_sync5(); var provider_1 = require_provider(); var ProviderSync = class extends provider_1.default { constructor() { super(...arguments); this._reader = new sync_1.default(this._settings); } read(task) { const root2 = this._getRootDirectory(task); const options = this._getReaderOptions(task); const entries = this.api(root2, task, options); return entries.map(options.transform); } api(root2, task, options) { if (task.dynamic) { return this._reader.dynamic(root2, options); } return this._reader.static(task.patterns, options); } }; exports2.default = ProviderSync; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/settings.js var require_settings4 = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/settings.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.DEFAULT_FILE_SYSTEM_ADAPTER = void 0; var fs4 = require("fs"); var os2 = require("os"); var CPU_COUNT = Math.max(os2.cpus().length, 1); exports2.DEFAULT_FILE_SYSTEM_ADAPTER = { lstat: fs4.lstat, lstatSync: fs4.lstatSync, stat: fs4.stat, statSync: fs4.statSync, readdir: fs4.readdir, readdirSync: fs4.readdirSync }; var Settings = class { constructor(_options = {}) { this._options = _options; this.absolute = this._getValue(this._options.absolute, false); this.baseNameMatch = this._getValue(this._options.baseNameMatch, false); this.braceExpansion = this._getValue(this._options.braceExpansion, true); this.caseSensitiveMatch = this._getValue(this._options.caseSensitiveMatch, true); this.concurrency = this._getValue(this._options.concurrency, CPU_COUNT); this.cwd = this._getValue(this._options.cwd, process.cwd()); this.deep = this._getValue(this._options.deep, Infinity); this.dot = this._getValue(this._options.dot, false); this.extglob = this._getValue(this._options.extglob, true); this.followSymbolicLinks = this._getValue(this._options.followSymbolicLinks, true); this.fs = this._getFileSystemMethods(this._options.fs); this.globstar = this._getValue(this._options.globstar, true); this.ignore = this._getValue(this._options.ignore, []); this.markDirectories = this._getValue(this._options.markDirectories, false); this.objectMode = this._getValue(this._options.objectMode, false); this.onlyDirectories = this._getValue(this._options.onlyDirectories, false); this.onlyFiles = this._getValue(this._options.onlyFiles, true); this.stats = this._getValue(this._options.stats, false); this.suppressErrors = this._getValue(this._options.suppressErrors, false); this.throwErrorOnBrokenSymbolicLink = this._getValue(this._options.throwErrorOnBrokenSymbolicLink, false); this.unique = this._getValue(this._options.unique, true); if (this.onlyDirectories) { this.onlyFiles = false; } if (this.stats) { this.objectMode = true; } this.ignore = [].concat(this.ignore); } _getValue(option, value) { return option === void 0 ? value : option; } _getFileSystemMethods(methods2 = {}) { return Object.assign(Object.assign({}, exports2.DEFAULT_FILE_SYSTEM_ADAPTER), methods2); } }; exports2.default = Settings; } }); // node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/index.js var require_out4 = __commonJS({ "node_modules/.pnpm/fast-glob@3.3.2/node_modules/fast-glob/out/index.js"(exports2, module2) { "use strict"; var taskManager = require_tasks(); var async_1 = require_async7(); var stream_1 = require_stream4(); var sync_1 = require_sync6(); var settings_1 = require_settings4(); var utils = require_utils3(); async function FastGlob(source, options) { assertPatternsInput(source); const works = getWorks(source, async_1.default, options); const result = await Promise.all(works); return utils.array.flatten(result); } (function(FastGlob2) { FastGlob2.glob = FastGlob2; FastGlob2.globSync = sync; FastGlob2.globStream = stream; FastGlob2.async = FastGlob2; function sync(source, options) { assertPatternsInput(source); const works = getWorks(source, sync_1.default, options); return utils.array.flatten(works); } FastGlob2.sync = sync; function stream(source, options) { assertPatternsInput(source); const works = getWorks(source, stream_1.default, options); return utils.stream.merge(works); } FastGlob2.stream = stream; function generateTasks(source, options) { assertPatternsInput(source); const patterns = [].concat(source); const settings = new settings_1.default(options); return taskManager.generate(patterns, settings); } FastGlob2.generateTasks = generateTasks; function isDynamicPattern(source, options) { assertPatternsInput(source); const settings = new settings_1.default(options); return utils.pattern.isDynamicPattern(source, settings); } FastGlob2.isDynamicPattern = isDynamicPattern; function escapePath(source) { assertPatternsInput(source); return utils.path.escape(source); } FastGlob2.escapePath = escapePath; function convertPathToPattern(source) { assertPatternsInput(source); return utils.path.convertPathToPattern(source); } FastGlob2.convertPathToPattern = convertPathToPattern; let posix; (function(posix2) { function escapePath2(source) { assertPatternsInput(source); return utils.path.escapePosixPath(source); } posix2.escapePath = escapePath2; function convertPathToPattern2(source) { assertPatternsInput(source); return utils.path.convertPosixPathToPattern(source); } posix2.convertPathToPattern = convertPathToPattern2; })(posix = FastGlob2.posix || (FastGlob2.posix = {})); let win32; (function(win322) { function escapePath2(source) { assertPatternsInput(source); return utils.path.escapeWindowsPath(source); } win322.escapePath = escapePath2; function convertPathToPattern2(source) { assertPatternsInput(source); return utils.path.convertWindowsPathToPattern(source); } win322.convertPathToPattern = convertPathToPattern2; })(win32 = FastGlob2.win32 || (FastGlob2.win32 = {})); })(FastGlob || (FastGlob = {})); function getWorks(source, _Provider, options) { const patterns = [].concat(source); const settings = new settings_1.default(options); const tasks = taskManager.generate(patterns, settings); const provider = new _Provider(settings); return tasks.map(provider.read, provider); } function assertPatternsInput(input) { const source = [].concat(input); const isValidSource = source.every((item) => utils.string.isString(item) && !utils.string.isEmpty(item)); if (!isValidSource) { throw new TypeError("Patterns must be a string (non empty) or an array of strings"); } } module2.exports = FastGlob; } }); // node_modules/.pnpm/path-type@4.0.0/node_modules/path-type/index.js var require_path_type = __commonJS({ "node_modules/.pnpm/path-type@4.0.0/node_modules/path-type/index.js"(exports2) { "use strict"; var { promisify } = require("util"); var fs4 = require("fs"); async function isType(fsStatType, statsMethodName, filePath) { if (typeof filePath !== "string") { throw new TypeError(`Expected a string, got ${typeof filePath}`); } try { const stats = await promisify(fs4[fsStatType])(filePath); return stats[statsMethodName](); } catch (error) { if (error.code === "ENOENT") { return false; } throw error; } } function isTypeSync(fsStatType, statsMethodName, filePath) { if (typeof filePath !== "string") { throw new TypeError(`Expected a string, got ${typeof filePath}`); } try { return fs4[fsStatType](filePath)[statsMethodName](); } catch (error) { if (error.code === "ENOENT") { return false; } throw error; } } exports2.isFile = isType.bind(null, "stat", "isFile"); exports2.isDirectory = isType.bind(null, "stat", "isDirectory"); exports2.isSymlink = isType.bind(null, "lstat", "isSymbolicLink"); exports2.isFileSync = isTypeSync.bind(null, "statSync", "isFile"); exports2.isDirectorySync = isTypeSync.bind(null, "statSync", "isDirectory"); exports2.isSymlinkSync = isTypeSync.bind(null, "lstatSync", "isSymbolicLink"); } }); // node_modules/.pnpm/dir-glob@3.0.1/node_modules/dir-glob/index.js var require_dir_glob = __commonJS({ "node_modules/.pnpm/dir-glob@3.0.1/node_modules/dir-glob/index.js"(exports2, module2) { "use strict"; var path17 = require("path"); var pathType = require_path_type(); var getExtensions = (extensions) => extensions.length > 1 ? `{${extensions.join(",")}}` : extensions[0]; var getPath = (filepath, cwd) => { const pth = filepath[0] === "!" ? filepath.slice(1) : filepath; return path17.isAbsolute(pth) ? pth : path17.join(cwd, pth); }; var addExtensions = (file, extensions) => { if (path17.extname(file)) { return `**/${file}`; } return `**/${file}.${getExtensions(extensions)}`; }; var getGlob = (directory, options) => { if (options.files && !Array.isArray(options.files)) { throw new TypeError(`Expected \`files\` to be of type \`Array\` but received type \`${typeof options.files}\``); } if (options.extensions && !Array.isArray(options.extensions)) { throw new TypeError(`Expected \`extensions\` to be of type \`Array\` but received type \`${typeof options.extensions}\``); } if (options.files && options.extensions) { return options.files.map((x) => path17.posix.join(directory, addExtensions(x, options.extensions))); } if (options.files) { return options.files.map((x) => path17.posix.join(directory, `**/${x}`)); } if (options.extensions) { return [path17.posix.join(directory, `**/*.${getExtensions(options.extensions)}`)]; } return [path17.posix.join(directory, "**")]; }; module2.exports = async (input, options) => { options = { cwd: process.cwd(), ...options }; if (typeof options.cwd !== "string") { throw new TypeError(`Expected \`cwd\` to be of type \`string\` but received type \`${typeof options.cwd}\``); } const globs = await Promise.all([].concat(input).map(async (x) => { const isDirectory = await pathType.isDirectory(getPath(x, options.cwd)); return isDirectory ? getGlob(x, options) : x; })); return [].concat.apply([], globs); }; module2.exports.sync = (input, options) => { options = { cwd: process.cwd(), ...options }; if (typeof options.cwd !== "string") { throw new TypeError(`Expected \`cwd\` to be of type \`string\` but received type \`${typeof options.cwd}\``); } const globs = [].concat(input).map((x) => pathType.isDirectorySync(getPath(x, options.cwd)) ? getGlob(x, options) : x); return [].concat.apply([], globs); }; } }); // node_modules/.pnpm/slash@3.0.0/node_modules/slash/index.js var require_slash = __commonJS({ "node_modules/.pnpm/slash@3.0.0/node_modules/slash/index.js"(exports2, module2) { "use strict"; module2.exports = (path17) => { const isExtendedLengthPath = /^\\\\\?\\/.test(path17); const hasNonAscii = /[^\u0000-\u0080]+/.test(path17); if (isExtendedLengthPath || hasNonAscii) { return path17; } return path17.replace(/\\/g, "/"); }; } }); // node_modules/.pnpm/globby@11.1.0/node_modules/globby/gitignore.js var require_gitignore = __commonJS({ "node_modules/.pnpm/globby@11.1.0/node_modules/globby/gitignore.js"(exports2, module2) { "use strict"; var { promisify } = require("util"); var fs4 = require("fs"); var path17 = require("path"); var fastGlob = require_out4(); var gitIgnore = require_ignore(); var slash = require_slash(); var DEFAULT_IGNORE = [ "**/node_modules/**", "**/flow-typed/**", "**/coverage/**", "**/.git" ]; var readFileP = promisify(fs4.readFile); var mapGitIgnorePatternTo = (base) => (ignore2) => { if (ignore2.startsWith("!")) { return "!" + path17.posix.join(base, ignore2.slice(1)); } return path17.posix.join(base, ignore2); }; var parseGitIgnore = (content, options) => { const base = slash(path17.relative(options.cwd, path17.dirname(options.fileName))); return content.split(/\r?\n/).filter(Boolean).filter((line) => !line.startsWith("#")).map(mapGitIgnorePatternTo(base)); }; var reduceIgnore = (files) => { const ignores2 = gitIgnore(); for (const file of files) { ignores2.add(parseGitIgnore(file.content, { cwd: file.cwd, fileName: file.filePath })); } return ignores2; }; var ensureAbsolutePathForCwd = (cwd, p) => { cwd = slash(cwd); if (path17.isAbsolute(p)) { if (slash(p).startsWith(cwd)) { return p; } throw new Error(`Path ${p} is not in cwd ${cwd}`); } return path17.join(cwd, p); }; var getIsIgnoredPredecate = (ignores2, cwd) => { return (p) => ignores2.ignores(slash(path17.relative(cwd, ensureAbsolutePathForCwd(cwd, p.path || p)))); }; var getFile = async (file, cwd) => { const filePath = path17.join(cwd, file); const content = await readFileP(filePath, "utf8"); return { cwd, filePath, content }; }; var getFileSync = (file, cwd) => { const filePath = path17.join(cwd, file); const content = fs4.readFileSync(filePath, "utf8"); return { cwd, filePath, content }; }; var normalizeOptions = ({ ignore: ignore2 = [], cwd = slash(process.cwd()) } = {}) => { return { ignore: ignore2, cwd }; }; module2.exports = async (options) => { options = normalizeOptions(options); const paths = await fastGlob("**/.gitignore", { ignore: DEFAULT_IGNORE.concat(options.ignore), cwd: options.cwd }); const files = await Promise.all(paths.map((file) => getFile(file, options.cwd))); const ignores2 = reduceIgnore(files); return getIsIgnoredPredecate(ignores2, options.cwd); }; module2.exports.sync = (options) => { options = normalizeOptions(options); const paths = fastGlob.sync("**/.gitignore", { ignore: DEFAULT_IGNORE.concat(options.ignore), cwd: options.cwd }); const files = paths.map((file) => getFileSync(file, options.cwd)); const ignores2 = reduceIgnore(files); return getIsIgnoredPredecate(ignores2, options.cwd); }; } }); // node_modules/.pnpm/globby@11.1.0/node_modules/globby/stream-utils.js var require_stream_utils = __commonJS({ "node_modules/.pnpm/globby@11.1.0/node_modules/globby/stream-utils.js"(exports2, module2) { "use strict"; var { Transform } = require("stream"); var ObjectTransform = class extends Transform { constructor() { super({ objectMode: true }); } }; var FilterStream = class extends ObjectTransform { constructor(filter) { super(); this._filter = filter; } _transform(data, encoding, callback) { if (this._filter(data)) { this.push(data); } callback(); } }; var UniqueStream = class extends ObjectTransform { constructor() { super(); this._pushed = /* @__PURE__ */ new Set(); } _transform(data, encoding, callback) { if (!this._pushed.has(data)) { this.push(data); this._pushed.add(data); } callback(); } }; module2.exports = { FilterStream, UniqueStream }; } }); // node_modules/.pnpm/globby@11.1.0/node_modules/globby/index.js var require_globby = __commonJS({ "node_modules/.pnpm/globby@11.1.0/node_modules/globby/index.js"(exports2, module2) { "use strict"; var fs4 = require("fs"); var arrayUnion = require_array_union(); var merge22 = require_merge2(); var fastGlob = require_out4(); var dirGlob = require_dir_glob(); var gitignore = require_gitignore(); var { FilterStream, UniqueStream } = require_stream_utils(); var DEFAULT_FILTER = () => false; var isNegative2 = (pattern) => pattern[0] === "!"; var assertPatternsInput = (patterns) => { if (!patterns.every((pattern) => typeof pattern === "string")) { throw new TypeError("Patterns must be a string or an array of strings"); } }; var checkCwdOption = (options = {}) => { if (!options.cwd) { return; } let stat; try { stat = fs4.statSync(options.cwd); } catch { return; } if (!stat.isDirectory()) { throw new Error("The `cwd` option must be a path to a directory"); } }; var getPathString = (p) => p.stats instanceof fs4.Stats ? p.path : p; var generateGlobTasks = (patterns, taskOptions) => { patterns = arrayUnion([].concat(patterns)); assertPatternsInput(patterns); checkCwdOption(taskOptions); const globTasks = []; taskOptions = { ignore: [], expandDirectories: true, ...taskOptions }; for (const [index, pattern] of patterns.entries()) { if (isNegative2(pattern)) { continue; } const ignore2 = patterns.slice(index).filter((pattern2) => isNegative2(pattern2)).map((pattern2) => pattern2.slice(1)); const options = { ...taskOptions, ignore: taskOptions.ignore.concat(ignore2) }; globTasks.push({ pattern, options }); } return globTasks; }; var globDirs = (task, fn) => { let options = {}; if (task.options.cwd) { options.cwd = task.options.cwd; } if (Array.isArray(task.options.expandDirectories)) { options = { ...options, files: task.options.expandDirectories }; } else if (typeof task.options.expandDirectories === "object") { options = { ...options, ...task.options.expandDirectories }; } return fn(task.pattern, options); }; var getPattern = (task, fn) => task.options.expandDirectories ? globDirs(task, fn) : [task.pattern]; var getFilterSync = (options) => { return options && options.gitignore ? gitignore.sync({ cwd: options.cwd, ignore: options.ignore }) : DEFAULT_FILTER; }; var globToTask = (task) => (glob) => { const { options } = task; if (options.ignore && Array.isArray(options.ignore) && options.expandDirectories) { options.ignore = dirGlob.sync(options.ignore); } return { pattern: glob, options }; }; module2.exports = async (patterns, options) => { const globTasks = generateGlobTasks(patterns, options); const getFilter = async () => { return options && options.gitignore ? gitignore({ cwd: options.cwd, ignore: options.ignore }) : DEFAULT_FILTER; }; const getTasks = async () => { const tasks2 = await Promise.all(globTasks.map(async (task) => { const globs = await getPattern(task, dirGlob); return Promise.all(globs.map(globToTask(task))); })); return arrayUnion(...tasks2); }; const [filter, tasks] = await Promise.all([getFilter(), getTasks()]); const paths = await Promise.all(tasks.map((task) => fastGlob(task.pattern, task.options))); return arrayUnion(...paths).filter((path_) => !filter(getPathString(path_))); }; module2.exports.sync = (patterns, options) => { const globTasks = generateGlobTasks(patterns, options); const tasks = []; for (const task of globTasks) { const newTask = getPattern(task, dirGlob.sync).map(globToTask(task)); tasks.push(...newTask); } const filter = getFilterSync(options); let matches = []; for (const task of tasks) { matches = arrayUnion(matches, fastGlob.sync(task.pattern, task.options)); } return matches.filter((path_) => !filter(path_)); }; module2.exports.stream = (patterns, options) => { const globTasks = generateGlobTasks(patterns, options); const tasks = []; for (const task of globTasks) { const newTask = getPattern(task, dirGlob.sync).map(globToTask(task)); tasks.push(...newTask); } const filter = getFilterSync(options); const filterStream = new FilterStream((p) => !filter(p)); const uniqueStream = new UniqueStream(); return merge22(tasks.map((task) => fastGlob.stream(task.pattern, task.options))).pipe(filterStream).pipe(uniqueStream); }; module2.exports.generateGlobTasks = generateGlobTasks; module2.exports.hasMagic = (patterns, options) => [].concat(patterns).some((pattern) => fastGlob.isDynamicPattern(pattern, options)); module2.exports.gitignore = gitignore; } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/resolveProjectList.js var require_resolveProjectList = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/resolveProjectList.js"(exports2) { "use strict"; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.clearGlobCache = clearGlobCache; exports2.resolveProjectList = resolveProjectList; exports2.clearGlobResolutionCache = clearGlobResolutionCache; var debug_1 = __importDefault2(require_src2()); var globby_1 = require_globby(); var is_glob_1 = __importDefault2(require_is_glob()); var shared_1 = require_shared(); var ExpiringCache_1 = require_ExpiringCache(); var log = (0, debug_1.default)("typescript-eslint:typescript-estree:parser:parseSettings:resolveProjectList"); var RESOLUTION_CACHE = null; function clearGlobCache() { RESOLUTION_CACHE?.clear(); } function resolveProjectList(options) { const sanitizedProjects = []; if (options.project != null) { for (const project of options.project) { if (typeof project === "string") { sanitizedProjects.push(project); } } } if (sanitizedProjects.length === 0) { return /* @__PURE__ */ new Map(); } const projectFolderIgnoreList = (options.projectFolderIgnoreList ?? ["**/node_modules/**"]).reduce((acc, folder) => { if (typeof folder === "string") { acc.push(folder); } return acc; }, []).map((folder) => folder.startsWith("!") ? folder : `!${folder}`); const cacheKey = getHash({ project: sanitizedProjects, projectFolderIgnoreList, tsconfigRootDir: options.tsconfigRootDir }); if (RESOLUTION_CACHE == null) { RESOLUTION_CACHE = new ExpiringCache_1.ExpiringCache(options.singleRun ? "Infinity" : options.cacheLifetime?.glob ?? ExpiringCache_1.DEFAULT_TSCONFIG_CACHE_DURATION_SECONDS); } else { const cached = RESOLUTION_CACHE.get(cacheKey); if (cached) { return cached; } } const nonGlobProjects = sanitizedProjects.filter((project) => !(0, is_glob_1.default)(project)); const globProjects = sanitizedProjects.filter((project) => (0, is_glob_1.default)(project)); const uniqueCanonicalProjectPaths = new Map(nonGlobProjects.concat(globProjects.length === 0 ? [] : (0, globby_1.sync)([...globProjects, ...projectFolderIgnoreList], { cwd: options.tsconfigRootDir })).map((project) => [ (0, shared_1.getCanonicalFileName)((0, shared_1.ensureAbsolutePath)(project, options.tsconfigRootDir)), (0, shared_1.ensureAbsolutePath)(project, options.tsconfigRootDir) ])); log("parserOptions.project (excluding ignored) matched projects: %s", uniqueCanonicalProjectPaths); RESOLUTION_CACHE.set(cacheKey, uniqueCanonicalProjectPaths); return uniqueCanonicalProjectPaths; } function getHash({ project, projectFolderIgnoreList, tsconfigRootDir }) { const hashObject = { tsconfigRootDir, // the project order does matter and can impact the resolved globs project, // the ignore order won't doesn't ever matter projectFolderIgnoreList: [...projectFolderIgnoreList].sort() }; return (0, shared_1.createHash)(JSON.stringify(hashObject)); } function clearGlobResolutionCache() { RESOLUTION_CACHE?.clear(); RESOLUTION_CACHE = null; } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/warnAboutTSVersion.js var require_warnAboutTSVersion = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/warnAboutTSVersion.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.warnAboutTSVersion = warnAboutTSVersion; var semver_1 = __importDefault2(require_semver2()); var ts = __importStar2(require_typescript()); var SUPPORTED_TYPESCRIPT_VERSIONS = ">=4.7.4 <5.6.0"; var SUPPORTED_PRERELEASE_RANGES = []; var ACTIVE_TYPESCRIPT_VERSION = ts.version; var isRunningSupportedTypeScriptVersion = semver_1.default.satisfies(ACTIVE_TYPESCRIPT_VERSION, [SUPPORTED_TYPESCRIPT_VERSIONS].concat(SUPPORTED_PRERELEASE_RANGES).join(" || ")); var warnedAboutTSVersion = false; function warnAboutTSVersion(parseSettings, passedLoggerFn) { if (isRunningSupportedTypeScriptVersion || warnedAboutTSVersion) { return; } if (passedLoggerFn || // See https://github.com/typescript-eslint/typescript-eslint/issues/7896 // eslint-disable-next-line @typescript-eslint/no-unnecessary-condition (typeof process === "undefined" ? false : process.stdout?.isTTY)) { const border = "============="; const versionWarning = [ border, "WARNING: You are currently running a version of TypeScript which is not officially supported by @typescript-eslint/typescript-estree.", "You may find that it works just fine, or you may not.", `SUPPORTED TYPESCRIPT VERSIONS: ${SUPPORTED_TYPESCRIPT_VERSIONS}`, `YOUR TYPESCRIPT VERSION: ${ACTIVE_TYPESCRIPT_VERSION}`, "Please only submit bug reports when using the officially supported version.", border ].join("\n\n"); parseSettings.log(versionWarning); } warnedAboutTSVersion = true; } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/createParseSettings.js var require_createParseSettings = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/createParseSettings.js"(exports2) { "use strict"; var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) { if (k2 === void 0) k2 = k; var desc = Object.getOwnPropertyDescriptor(m, k); if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) { desc = { enumerable: true, get: function() { return m[k]; } }; } Object.defineProperty(o, k2, desc); } : function(o, m, k, k2) { if (k2 === void 0) k2 = k; o[k2] = m[k]; }); var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) { Object.defineProperty(o, "default", { enumerable: true, value: v }); } : function(o, v) { o["default"] = v; }); var __importStar2 = exports2 && exports2.__importStar || function(mod) { if (mod && mod.__esModule) return mod; var result = {}; if (mod != null) { for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k); } __setModuleDefault2(result, mod); return result; }; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.createParseSettings = createParseSettings; exports2.clearTSConfigMatchCache = clearTSConfigMatchCache; exports2.clearTSServerProjectService = clearTSServerProjectService; var debug_1 = __importDefault2(require_src2()); var ts = __importStar2(require_typescript()); var createProjectService_1 = require_createProjectService(); var shared_1 = require_shared(); var source_files_1 = require_source_files(); var ExpiringCache_1 = require_ExpiringCache(); var getProjectConfigFiles_1 = require_getProjectConfigFiles(); var inferSingleRun_1 = require_inferSingleRun(); var resolveProjectList_1 = require_resolveProjectList(); var warnAboutTSVersion_1 = require_warnAboutTSVersion(); var log = (0, debug_1.default)("typescript-eslint:typescript-estree:parser:parseSettings:createParseSettings"); var TSCONFIG_MATCH_CACHE; var TSSERVER_PROJECT_SERVICE = null; var JSDocParsingMode = { ParseAll: ts.JSDocParsingMode?.ParseAll, ParseNone: ts.JSDocParsingMode?.ParseNone, ParseForTypeErrors: ts.JSDocParsingMode?.ParseForTypeErrors, ParseForTypeInfo: ts.JSDocParsingMode?.ParseForTypeInfo }; function createParseSettings(code, options = {}) { const codeFullText = enforceCodeString(code); const singleRun = (0, inferSingleRun_1.inferSingleRun)(options); const tsconfigRootDir = typeof options.tsconfigRootDir === "string" ? options.tsconfigRootDir : process.cwd(); const passedLoggerFn = typeof options.loggerFn === "function"; const jsDocParsingMode = (() => { switch (options.jsDocParsingMode) { case "all": return JSDocParsingMode.ParseAll; case "none": return JSDocParsingMode.ParseNone; case "type-info": return JSDocParsingMode.ParseForTypeInfo; default: return JSDocParsingMode.ParseAll; } })(); const parseSettings = { allowInvalidAST: options.allowInvalidAST === true, code, codeFullText, comment: options.comment === true, comments: [], DEPRECATED__createDefaultProgram: ( // eslint-disable-next-line deprecation/deprecation -- will be cleaned up with the next major options.DEPRECATED__createDefaultProgram === true ), debugLevel: options.debugLevel === true ? /* @__PURE__ */ new Set(["typescript-eslint"]) : Array.isArray(options.debugLevel) ? new Set(options.debugLevel) : /* @__PURE__ */ new Set(), errorOnTypeScriptSyntacticAndSemanticIssues: false, errorOnUnknownASTType: options.errorOnUnknownASTType === true, EXPERIMENTAL_projectService: options.EXPERIMENTAL_useProjectService || options.project && options.EXPERIMENTAL_useProjectService !== false && process.env.TYPESCRIPT_ESLINT_EXPERIMENTAL_TSSERVER === "true" ? TSSERVER_PROJECT_SERVICE ??= (0, createProjectService_1.createProjectService)(options.EXPERIMENTAL_useProjectService, jsDocParsingMode) : void 0, EXPERIMENTAL_useSourceOfProjectReferenceRedirect: options.EXPERIMENTAL_useSourceOfProjectReferenceRedirect === true, extraFileExtensions: Array.isArray(options.extraFileExtensions) && options.extraFileExtensions.every((ext) => typeof ext === "string") ? options.extraFileExtensions : [], filePath: (0, shared_1.ensureAbsolutePath)(typeof options.filePath === "string" && options.filePath !== "" ? options.filePath : getFileName(options.jsx), tsconfigRootDir), jsDocParsingMode, jsx: options.jsx === true, loc: options.loc === true, log: typeof options.loggerFn === "function" ? options.loggerFn : options.loggerFn === false ? () => { } : console.log, // eslint-disable-line no-console preserveNodeMaps: options.preserveNodeMaps !== false, programs: Array.isArray(options.programs) ? options.programs : null, projects: /* @__PURE__ */ new Map(), range: options.range === true, singleRun, suppressDeprecatedPropertyWarnings: options.suppressDeprecatedPropertyWarnings ?? process.env.NODE_ENV !== "test", tokens: options.tokens === true ? [] : null, tsconfigMatchCache: TSCONFIG_MATCH_CACHE ??= new ExpiringCache_1.ExpiringCache(singleRun ? "Infinity" : options.cacheLifetime?.glob ?? ExpiringCache_1.DEFAULT_TSCONFIG_CACHE_DURATION_SECONDS), tsconfigRootDir }; if (parseSettings.debugLevel.size > 0) { const namespaces = []; if (parseSettings.debugLevel.has("typescript-eslint")) { namespaces.push("typescript-eslint:*"); } if (parseSettings.debugLevel.has("eslint") || // make sure we don't turn off the eslint debug if it was enabled via --debug debug_1.default.enabled("eslint:*,-eslint:code-path")) { namespaces.push("eslint:*,-eslint:code-path"); } debug_1.default.enable(namespaces.join(",")); } if (Array.isArray(options.programs)) { if (!options.programs.length) { throw new Error(`You have set parserOptions.programs to an empty array. This will cause all files to not be found in existing programs. Either provide one or more existing TypeScript Program instances in the array, or remove the parserOptions.programs setting.`); } log("parserOptions.programs was provided, so parserOptions.project will be ignored."); } if (!parseSettings.programs && !parseSettings.EXPERIMENTAL_projectService) { parseSettings.projects = (0, resolveProjectList_1.resolveProjectList)({ cacheLifetime: options.cacheLifetime, project: (0, getProjectConfigFiles_1.getProjectConfigFiles)(parseSettings, options.project), projectFolderIgnoreList: options.projectFolderIgnoreList, singleRun: parseSettings.singleRun, tsconfigRootDir }); } if (options.jsDocParsingMode == null && parseSettings.projects.size === 0 && parseSettings.programs == null && parseSettings.EXPERIMENTAL_projectService == null) { parseSettings.jsDocParsingMode = JSDocParsingMode.ParseNone; } (0, warnAboutTSVersion_1.warnAboutTSVersion)(parseSettings, passedLoggerFn); return parseSettings; } function clearTSConfigMatchCache() { TSCONFIG_MATCH_CACHE?.clear(); } function clearTSServerProjectService() { TSSERVER_PROJECT_SERVICE = null; } function enforceCodeString(code) { return (0, source_files_1.isSourceFile)(code) ? code.getFullText(code) : typeof code === "string" ? code : String(code); } function getFileName(jsx) { return jsx ? "estree.tsx" : "estree.ts"; } } }); // node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/semantic-or-syntactic-errors.js var require_semantic_or_syntactic_errors = __commonJS({ "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/semantic-or-syntactic-errors.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.getFirstSemanticOrSyntacticError = getFirstSemanticOrSyntacticError; var typescript_1 = require_typescript(); function getFirstSemanticOrSyntacticError(program, ast) { try { const supportedSyntacticDiagnostics = allowlistSupportedDiagnostics(program.getSyntacticDiagnostics(ast)); if (supportedSyntacticDiagnostics.length > 0) { return convertDiagnosticToSemanticOrSyntacticError(supportedSyntacticDiagnostics[0]); } const supportedSemanticDiagnostics = allowlistSupportedDiagnostics(program.getSemanticDiagnostics(ast)); if (supportedSemanticDiagnostics.length > 0) { return convertDiagnosticToSemanticOrSyntacticError(supportedSemanticDiagnostics[0]); } return void 0; } catch (e) { console.warn(`Warning From TSC: "${e.message}`); return void 0; } } function allowlistSupportedDiagnostics(diagnostics) { return diagnostics.filter((diagnostic) => { switch (diagnostic.code) { case 1013: case 1014: case 1044: case 1045: case 1048: case 1049: case 1070: case 1071: case 1085: case 1090: case 1096: case 1097: case 1098: case 1099: case 1117: case 1121: case 1123: case 1141: case 1162: case 1164: case 1172: case 1173: case 1175: case 1176: case 1190: case 1196: case 1200: case 1206: case 1211: case 1242: case 1246: case 1255: case 1308: case 2364: case 2369: case 2452: case 2462: case 8017: case 17012: case 17013: return true; } return false; }); } function convertDiagnosticToSemanticOrSyntacticError(diagnostic) { return { ...diagnostic, message: (0, typescript_1.flattenDiagnosticMessageText)(diagnostic.messageText, typescript_1.sys.newLine) }; } } }); // node_modules/.pnpm/brace-expansion@2.0.1/node_modules/brace-expansion/index.js var require_brace_expansion2 = __commonJS({ "node_modules/.pnpm/brace-expansion@2.0.1/node_modules/brace-expansion/index.js"(exports2, module2) { var balanced = require_balanced_match(); module2.exports = expandTop; var escSlash = "\0SLASH" + Math.random() + "\0"; var escOpen = "\0OPEN" + Math.random() + "\0"; var escClose = "\0CLOSE" + Math.random() + "\0"; var escComma = "\0COMMA" + Math.random() + "\0"; var escPeriod = "\0PERIOD" + Math.random() + "\0"; function numeric(str) { return parseInt(str, 10) == str ? parseInt(str, 10) : str.charCodeAt(0); } function escapeBraces(str) { return str.split("\\\\").join(escSlash).split("\\{").join(escOpen).split("\\}").join(escClose).split("\\,").join(escComma).split("\\.").join(escPeriod); } function unescapeBraces(str) { return str.split(escSlash).join("\\").split(escOpen).join("{").split(escClose).join("}").split(escComma).join(",").split(escPeriod).join("."); } function parseCommaParts(str) { if (!str) return [""]; var parts = []; var m = balanced("{", "}", str); if (!m) return str.split(","); var pre = m.pre; var body = m.body; var post = m.post; var p = pre.split(","); p[p.length - 1] += "{" + body + "}"; var postParts = parseCommaParts(post); if (post.length) { p[p.length - 1] += postParts.shift(); p.push.apply(p, postParts); } parts.push.apply(parts, p); return parts; } function expandTop(str) { if (!str) return []; if (str.substr(0, 2) === "{}") { str = "\\{\\}" + str.substr(2); } return expand(escapeBraces(str), true).map(unescapeBraces); } function embrace(str) { return "{" + str + "}"; } function isPadded(el) { return /^-?0\d/.test(el); } function lte(i, y) { return i <= y; } function gte(i, y) { return i >= y; } function expand(str, isTop) { var expansions = []; var m = balanced("{", "}", str); if (!m) return [str]; var pre = m.pre; var post = m.post.length ? expand(m.post, false) : [""]; if (/\$$/.test(m.pre)) { for (var k = 0; k < post.length; k++) { var expansion = pre + "{" + m.body + "}" + post[k]; expansions.push(expansion); } } else { var isNumericSequence = /^-?\d+\.\.-?\d+(?:\.\.-?\d+)?$/.test(m.body); var isAlphaSequence = /^[a-zA-Z]\.\.[a-zA-Z](?:\.\.-?\d+)?$/.test(m.body); var isSequence = isNumericSequence || isAlphaSequence; var isOptions = m.body.indexOf(",") >= 0; if (!isSequence && !isOptions) { if (m.post.match(/,.*\}/)) { str = m.pre + "{" + m.body + escClose + m.post; return expand(str); } return [str]; } var n; if (isSequence) { n = m.body.split(/\.\./); } else { n = parseCommaParts(m.body); if (n.length === 1) { n = expand(n[0], false).map(embrace); if (n.length === 1) { return post.map(function(p) { return m.pre + n[0] + p; }); } } } var N; if (isSequence) { var x = numeric(n[0]); var y = numeric(n[1]); var width = Math.max(n[0].length, n[1].length); var incr = n.length == 3 ? Math.abs(numeric(n[2])) : 1; var test = lte; var reverse = y < x; if (reverse) { incr *= -1; test = gte; } var pad = n.some(isPadded); N = []; for (var i = x; test(i, y); i += incr) { var c; if (isAlphaSequence) { c = String.fromCharCode(i); if (c === "\\") c = ""; } else { c = String(i); if (pad) { var need = width - c.length; if (need > 0) { var z2 = new Array(need + 1).join("0"); if (i < 0) c = "-" + z2 + c.slice(1); else c = z2 + c; } } } N.push(c); } } else { N = []; for (var j = 0; j < n.length; j++) { N.push.apply(N, expand(n[j], false)); } } for (var j = 0; j < N.length; j++) { for (var k = 0; k < post.length; k++) { var expansion = pre + N[j] + post[k]; if (!isTop || isSequence || expansion) expansions.push(expansion); } } } return expansions; } } }); // node_modules/.pnpm/minimatch@9.0.5/node_modules/minimatch/dist/commonjs/assert-valid-pattern.js var require_assert_valid_pattern = __commonJS({ "node_modules/.pnpm/minimatch@9.0.5/node_modules/minimatch/dist/commonjs/assert-valid-pattern.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.assertValidPattern = void 0; var MAX_PATTERN_LENGTH = 1024 * 64; var assertValidPattern = (pattern) => { if (typeof pattern !== "string") { throw new TypeError("invalid pattern"); } if (pattern.length > MAX_PATTERN_LENGTH) { throw new TypeError("pattern is too long"); } }; exports2.assertValidPattern = assertValidPattern; } }); // node_modules/.pnpm/minimatch@9.0.5/node_modules/minimatch/dist/commonjs/brace-expressions.js var require_brace_expressions = __commonJS({ "node_modules/.pnpm/minimatch@9.0.5/node_modules/minimatch/dist/commonjs/brace-expressions.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.parseClass = void 0; var posixClasses = { "[:alnum:]": ["\\p{L}\\p{Nl}\\p{Nd}", true], "[:alpha:]": ["\\p{L}\\p{Nl}", true], "[:ascii:]": ["\\x00-\\x7f", false], "[:blank:]": ["\\p{Zs}\\t", true], "[:cntrl:]": ["\\p{Cc}", true], "[:digit:]": ["\\p{Nd}", true], "[:graph:]": ["\\p{Z}\\p{C}", true, true], "[:lower:]": ["\\p{Ll}", true], "[:print:]": ["\\p{C}", true], "[:punct:]": ["\\p{P}", true], "[:space:]": ["\\p{Z}\\t\\r\\n\\v\\f", true], "[:upper:]": ["\\p{Lu}", true], "[:word:]": ["\\p{L}\\p{Nl}\\p{Nd}\\p{Pc}", true], "[:xdigit:]": ["A-Fa-f0-9", false] }; var braceEscape = (s) => s.replace(/[[\]\\-]/g, "\\$&"); var regexpEscape = (s) => s.replace(/[-[\]{}()*+?.,\\^$|#\s]/g, "\\$&"); var rangesToString = (ranges) => ranges.join(""); var parseClass = (glob, position) => { const pos = position; if (glob.charAt(pos) !== "[") { throw new Error("not in a brace expression"); } const ranges = []; const negs = []; let i = pos + 1; let sawStart = false; let uflag = false; let escaping = false; let negate2 = false; let endPos = pos; let rangeStart = ""; WHILE: while (i < glob.length) { const c = glob.charAt(i); if ((c === "!" || c === "^") && i === pos + 1) { negate2 = true; i++; continue; } if (c === "]" && sawStart && !escaping) { endPos = i + 1; break; } sawStart = true; if (c === "\\") { if (!escaping) { escaping = true; i++; continue; } } if (c === "[" && !escaping) { for (const [cls, [unip, u, neg]] of Object.entries(posixClasses)) { if (glob.startsWith(cls, i)) { if (rangeStart) { return ["$.", false, glob.length - pos, true]; } i += cls.length; if (neg) negs.push(unip); else ranges.push(unip); uflag = uflag || u; continue WHILE; } } } escaping = false; if (rangeStart) { if (c > rangeStart) { ranges.push(braceEscape(rangeStart) + "-" + braceEscape(c)); } else if (c === rangeStart) { ranges.push(braceEscape(c)); } rangeStart = ""; i++; continue; } if (glob.startsWith("-]", i + 1)) { ranges.push(braceEscape(c + "-")); i += 2; continue; } if (glob.startsWith("-", i + 1)) { rangeStart = c; i += 2; continue; } ranges.push(braceEscape(c)); i++; } if (endPos < i) { return ["", false, 0, false]; } if (!ranges.length && !negs.length) { return ["$.", false, glob.length - pos, true]; } if (negs.length === 0 && ranges.length === 1 && /^\\?.$/.test(ranges[0]) && !negate2) { const r = ranges[0].length === 2 ? ranges[0].slice(-1) : ranges[0]; return [regexpEscape(r), false, endPos - pos, false]; } const sranges = "[" + (negate2 ? "^" : "") + rangesToString(ranges) + "]"; const snegs = "[" + (negate2 ? "" : "^") + rangesToString(negs) + "]"; const comb = ranges.length && negs.length ? "(" + sranges + "|" + snegs + ")" : ranges.length ? sranges : snegs; return [comb, uflag, endPos - pos, true]; }; exports2.parseClass = parseClass; } }); // node_modules/.pnpm/minimatch@9.0.5/node_modules/minimatch/dist/commonjs/unescape.js var require_unescape = __commonJS({ "node_modules/.pnpm/minimatch@9.0.5/node_modules/minimatch/dist/commonjs/unescape.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.unescape = void 0; var unescape2 = (s, { windowsPathsNoEscape = false } = {}) => { return windowsPathsNoEscape ? s.replace(/\[([^\/\\])\]/g, "$1") : s.replace(/((?!\\).|^)\[([^\/\\])\]/g, "$1$2").replace(/\\([^\/])/g, "$1"); }; exports2.unescape = unescape2; } }); // node_modules/.pnpm/minimatch@9.0.5/node_modules/minimatch/dist/commonjs/ast.js var require_ast = __commonJS({ "node_modules/.pnpm/minimatch@9.0.5/node_modules/minimatch/dist/commonjs/ast.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.AST = void 0; var brace_expressions_js_1 = require_brace_expressions(); var unescape_js_1 = require_unescape(); var types = /* @__PURE__ */ new Set(["!", "?", "+", "*", "@"]); var isExtglobType = (c) => types.has(c); var startNoTraversal = "(?!(?:^|/)\\.\\.?(?:$|/))"; var startNoDot = "(?!\\.)"; var addPatternStart = /* @__PURE__ */ new Set(["[", "."]); var justDots = /* @__PURE__ */ new Set(["..", "."]); var reSpecials = new Set("().*{}+?[]^$\\!"); var regExpEscape = (s) => s.replace(/[-[\]{}()*+?.,\\^$|#\s]/g, "\\$&"); var qmark = "[^/]"; var star = qmark + "*?"; var starNoEmpty = qmark + "+?"; var AST = class _AST { type; #root; #hasMagic; #uflag = false; #parts = []; #parent; #parentIndex; #negs; #filledNegs = false; #options; #toString; // set to true if it's an extglob with no children // (which really means one child of '') #emptyExt = false; constructor(type, parent, options = {}) { this.type = type; if (type) this.#hasMagic = true; this.#parent = parent; this.#root = this.#parent ? this.#parent.#root : this; this.#options = this.#root === this ? options : this.#root.#options; this.#negs = this.#root === this ? [] : this.#root.#negs; if (type === "!" && !this.#root.#filledNegs) this.#negs.push(this); this.#parentIndex = this.#parent ? this.#parent.#parts.length : 0; } get hasMagic() { if (this.#hasMagic !== void 0) return this.#hasMagic; for (const p of this.#parts) { if (typeof p === "string") continue; if (p.type || p.hasMagic) return this.#hasMagic = true; } return this.#hasMagic; } // reconstructs the pattern toString() { if (this.#toString !== void 0) return this.#toString; if (!this.type) { return this.#toString = this.#parts.map((p) => String(p)).join(""); } else { return this.#toString = this.type + "(" + this.#parts.map((p) => String(p)).join("|") + ")"; } } #fillNegs() { if (this !== this.#root) throw new Error("should only call on root"); if (this.#filledNegs) return this; this.toString(); this.#filledNegs = true; let n; while (n = this.#negs.pop()) { if (n.type !== "!") continue; let p = n; let pp = p.#parent; while (pp) { for (let i = p.#parentIndex + 1; !pp.type && i < pp.#parts.length; i++) { for (const part of n.#parts) { if (typeof part === "string") { throw new Error("string part in extglob AST??"); } part.copyIn(pp.#parts[i]); } } p = pp; pp = p.#parent; } } return this; } push(...parts) { for (const p of parts) { if (p === "") continue; if (typeof p !== "string" && !(p instanceof _AST && p.#parent === this)) { throw new Error("invalid part: " + p); } this.#parts.push(p); } } toJSON() { const ret = this.type === null ? this.#parts.slice().map((p) => typeof p === "string" ? p : p.toJSON()) : [this.type, ...this.#parts.map((p) => p.toJSON())]; if (this.isStart() && !this.type) ret.unshift([]); if (this.isEnd() && (this === this.#root || this.#root.#filledNegs && this.#parent?.type === "!")) { ret.push({}); } return ret; } isStart() { if (this.#root === this) return true; if (!this.#parent?.isStart()) return false; if (this.#parentIndex === 0) return true; const p = this.#parent; for (let i = 0; i < this.#parentIndex; i++) { const pp = p.#parts[i]; if (!(pp instanceof _AST && pp.type === "!")) { return false; } } return true; } isEnd() { if (this.#root === this) return true; if (this.#parent?.type === "!") return true; if (!this.#parent?.isEnd()) return false; if (!this.type) return this.#parent?.isEnd(); const pl = this.#parent ? this.#parent.#parts.length : 0; return this.#parentIndex === pl - 1; } copyIn(part) { if (typeof part === "string") this.push(part); else this.push(part.clone(this)); } clone(parent) { const c = new _AST(this.type, parent); for (const p of this.#parts) { c.copyIn(p); } return c; } static #parseAST(str, ast, pos, opt) { let escaping = false; let inBrace = false; let braceStart = -1; let braceNeg = false; if (ast.type === null) { let i2 = pos; let acc2 = ""; while (i2 < str.length) { const c = str.charAt(i2++); if (escaping || c === "\\") { escaping = !escaping; acc2 += c; continue; } if (inBrace) { if (i2 === braceStart + 1) { if (c === "^" || c === "!") { braceNeg = true; } } else if (c === "]" && !(i2 === braceStart + 2 && braceNeg)) { inBrace = false; } acc2 += c; continue; } else if (c === "[") { inBrace = true; braceStart = i2; braceNeg = false; acc2 += c; continue; } if (!opt.noext && isExtglobType(c) && str.charAt(i2) === "(") { ast.push(acc2); acc2 = ""; const ext = new _AST(c, ast); i2 = _AST.#parseAST(str, ext, i2, opt); ast.push(ext); continue; } acc2 += c; } ast.push(acc2); return i2; } let i = pos + 1; let part = new _AST(null, ast); const parts = []; let acc = ""; while (i < str.length) { const c = str.charAt(i++); if (escaping || c === "\\") { escaping = !escaping; acc += c; continue; } if (inBrace) { if (i === braceStart + 1) { if (c === "^" || c === "!") { braceNeg = true; } } else if (c === "]" && !(i === braceStart + 2 && braceNeg)) { inBrace = false; } acc += c; continue; } else if (c === "[") { inBrace = true; braceStart = i; braceNeg = false; acc += c; continue; } if (isExtglobType(c) && str.charAt(i) === "(") { part.push(acc); acc = ""; const ext = new _AST(c, part); part.push(ext); i = _AST.#parseAST(str, ext, i, opt); continue; } if (c === "|") { part.push(acc); acc = ""; parts.push(part); part = new _AST(null, ast); continue; } if (c === ")") { if (acc === "" && ast.#parts.length === 0) { ast.#emptyExt = true; } part.push(acc); acc = ""; ast.push(...parts, part); return i; } acc += c; } ast.type = null; ast.#hasMagic = void 0; ast.#parts = [str.substring(pos - 1)]; return i; } static fromGlob(pattern, options = {}) { const ast = new _AST(null, void 0, options); _AST.#parseAST(pattern, ast, 0, options); return ast; } // returns the regular expression if there's magic, or the unescaped // string if not. toMMPattern() { if (this !== this.#root) return this.#root.toMMPattern(); const glob = this.toString(); const [re, body, hasMagic, uflag] = this.toRegExpSource(); const anyMagic = hasMagic || this.#hasMagic || this.#options.nocase && !this.#options.nocaseMagicOnly && glob.toUpperCase() !== glob.toLowerCase(); if (!anyMagic) { return body; } const flags = (this.#options.nocase ? "i" : "") + (uflag ? "u" : ""); return Object.assign(new RegExp(`^${re}$`, flags), { _src: re, _glob: glob }); } get options() { return this.#options; } // returns the string match, the regexp source, whether there's magic // in the regexp (so a regular expression is required) and whether or // not the uflag is needed for the regular expression (for posix classes) // TODO: instead of injecting the start/end at this point, just return // the BODY of the regexp, along with the start/end portions suitable // for binding the start/end in either a joined full-path makeRe context // (where we bind to (^|/), or a standalone matchPart context (where // we bind to ^, and not /). Otherwise slashes get duped! // // In part-matching mode, the start is: // - if not isStart: nothing // - if traversal possible, but not allowed: ^(?!\.\.?$) // - if dots allowed or not possible: ^ // - if dots possible and not allowed: ^(?!\.) // end is: // - if not isEnd(): nothing // - else: $ // // In full-path matching mode, we put the slash at the START of the // pattern, so start is: // - if first pattern: same as part-matching mode // - if not isStart(): nothing // - if traversal possible, but not allowed: /(?!\.\.?(?:$|/)) // - if dots allowed or not possible: / // - if dots possible and not allowed: /(?!\.) // end is: // - if last pattern, same as part-matching mode // - else nothing // // Always put the (?:$|/) on negated tails, though, because that has to be // there to bind the end of the negated pattern portion, and it's easier to // just stick it in now rather than try to inject it later in the middle of // the pattern. // // We can just always return the same end, and leave it up to the caller // to know whether it's going to be used joined or in parts. // And, if the start is adjusted slightly, can do the same there: // - if not isStart: nothing // - if traversal possible, but not allowed: (?:/|^)(?!\.\.?$) // - if dots allowed or not possible: (?:/|^) // - if dots possible and not allowed: (?:/|^)(?!\.) // // But it's better to have a simpler binding without a conditional, for // performance, so probably better to return both start options. // // Then the caller just ignores the end if it's not the first pattern, // and the start always gets applied. // // But that's always going to be $ if it's the ending pattern, or nothing, // so the caller can just attach $ at the end of the pattern when building. // // So the todo is: // - better detect what kind of start is needed // - return both flavors of starting pattern // - attach $ at the end of the pattern when creating the actual RegExp // // Ah, but wait, no, that all only applies to the root when the first pattern // is not an extglob. If the first pattern IS an extglob, then we need all // that dot prevention biz to live in the extglob portions, because eg // +(*|.x*) can match .xy but not .yx. // // So, return the two flavors if it's #root and the first child is not an // AST, otherwise leave it to the child AST to handle it, and there, // use the (?:^|/) style of start binding. // // Even simplified further: // - Since the start for a join is eg /(?!\.) and the start for a part // is ^(?!\.), we can just prepend (?!\.) to the pattern (either root // or start or whatever) and prepend ^ or / at the Regexp construction. toRegExpSource(allowDot) { const dot = allowDot ?? !!this.#options.dot; if (this.#root === this) this.#fillNegs(); if (!this.type) { const noEmpty = this.isStart() && this.isEnd(); const src = this.#parts.map((p) => { const [re, _, hasMagic, uflag] = typeof p === "string" ? _AST.#parseGlob(p, this.#hasMagic, noEmpty) : p.toRegExpSource(allowDot); this.#hasMagic = this.#hasMagic || hasMagic; this.#uflag = this.#uflag || uflag; return re; }).join(""); let start2 = ""; if (this.isStart()) { if (typeof this.#parts[0] === "string") { const dotTravAllowed = this.#parts.length === 1 && justDots.has(this.#parts[0]); if (!dotTravAllowed) { const aps = addPatternStart; const needNoTrav = ( // dots are allowed, and the pattern starts with [ or . dot && aps.has(src.charAt(0)) || // the pattern starts with \., and then [ or . src.startsWith("\\.") && aps.has(src.charAt(2)) || // the pattern starts with \.\., and then [ or . src.startsWith("\\.\\.") && aps.has(src.charAt(4)) ); const needNoDot = !dot && !allowDot && aps.has(src.charAt(0)); start2 = needNoTrav ? startNoTraversal : needNoDot ? startNoDot : ""; } } } let end = ""; if (this.isEnd() && this.#root.#filledNegs && this.#parent?.type === "!") { end = "(?:$|\\/)"; } const final2 = start2 + src + end; return [ final2, (0, unescape_js_1.unescape)(src), this.#hasMagic = !!this.#hasMagic, this.#uflag ]; } const repeated = this.type === "*" || this.type === "+"; const start = this.type === "!" ? "(?:(?!(?:" : "(?:"; let body = this.#partsToRegExp(dot); if (this.isStart() && this.isEnd() && !body && this.type !== "!") { const s = this.toString(); this.#parts = [s]; this.type = null; this.#hasMagic = void 0; return [s, (0, unescape_js_1.unescape)(this.toString()), false, false]; } let bodyDotAllowed = !repeated || allowDot || dot || !startNoDot ? "" : this.#partsToRegExp(true); if (bodyDotAllowed === body) { bodyDotAllowed = ""; } if (bodyDotAllowed) { body = `(?:${body})(?:${bodyDotAllowed})*?`; } let final = ""; if (this.type === "!" && this.#emptyExt) { final = (this.isStart() && !dot ? startNoDot : "") + starNoEmpty; } else { const close = this.type === "!" ? ( // !() must match something,but !(x) can match '' "))" + (this.isStart() && !dot && !allowDot ? startNoDot : "") + star + ")" ) : this.type === "@" ? ")" : this.type === "?" ? ")?" : this.type === "+" && bodyDotAllowed ? ")" : this.type === "*" && bodyDotAllowed ? `)?` : `)${this.type}`; final = start + body + close; } return [ final, (0, unescape_js_1.unescape)(body), this.#hasMagic = !!this.#hasMagic, this.#uflag ]; } #partsToRegExp(dot) { return this.#parts.map((p) => { if (typeof p === "string") { throw new Error("string type in extglob ast??"); } const [re, _, _hasMagic, uflag] = p.toRegExpSource(dot); this.#uflag = this.#uflag || uflag; return re; }).filter((p) => !(this.isStart() && this.isEnd()) || !!p).join("|"); } static #parseGlob(glob, hasMagic, noEmpty = false) { let escaping = false; let re = ""; let uflag = false; for (let i = 0; i < glob.length; i++) { const c = glob.charAt(i); if (escaping) { escaping = false; re += (reSpecials.has(c) ? "\\" : "") + c; continue; } if (c === "\\") { if (i === glob.length - 1) { re += "\\\\"; } else { escaping = true; } continue; } if (c === "[") { const [src, needUflag, consumed, magic] = (0, brace_expressions_js_1.parseClass)(glob, i); if (consumed) { re += src; uflag = uflag || needUflag; i += consumed - 1; hasMagic = hasMagic || magic; continue; } } if (c === "*") { if (noEmpty && glob === "*") re += starNoEmpty; else re += star; hasMagic = true; continue; } if (c === "?") { re += qmark; hasMagic = true; continue; } re += regExpEscape(c); } return [re, (0, unescape_js_1.unescape)(glob), !!hasMagic, uflag]; } }; exports2.AST = AST; } }); // node_modules/.pnpm/minimatch@9.0.5/node_modules/minimatch/dist/commonjs/escape.js var require_escape = __commonJS({ "node_modules/.pnpm/minimatch@9.0.5/node_modules/minimatch/dist/commonjs/escape.js"(exports2) { "use strict"; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.escape = void 0; var escape2 = (s, { windowsPathsNoEscape = false } = {}) => { return windowsPathsNoEscape ? s.replace(/[?*()[\]]/g, "[$&]") : s.replace(/[?*()[\]\\]/g, "\\$&"); }; exports2.escape = escape2; } }); // node_modules/.pnpm/minimatch@9.0.5/node_modules/minimatch/dist/commonjs/index.js var require_commonjs = __commonJS({ "node_modules/.pnpm/minimatch@9.0.5/node_modules/minimatch/dist/commonjs/index.js"(exports2) { "use strict"; var __importDefault2 = exports2 && exports2.__importDefault || function(mod) { return mod && mod.__esModule ? mod : { "default": mod }; }; Object.defineProperty(exports2, "__esModule", { value: true }); exports2.unescape = exports2.escape = exports2.AST = exports2.Minimatch = exports2.match = exports2.makeRe = exports2.braceExpand = exports2.defaults = exports2.filter = exports2.GLOBSTAR = exports2.sep = exports2.minimatch = void 0; var brace_expansion_1 = __importDefault2(require_brace_expansion2()); var assert_valid_pattern_js_1 = require_assert_valid_pattern(); var ast_js_1 = require_ast(); var escape_js_1 = require_escape(); var unescape_js_1 = require_unescape(); var minimatch2 = (p, pattern, options = {}) => { (0, assert_valid_pattern_js_1.assertValidPattern)(pattern); if (!options.nocomment && pattern.charAt(0) === "#") { return false; } return new Minimatch2(pattern, options).match(p); }; exports2.minimatch = minimatch2; var starDotExtRE = /^\*+([^+@!?\*\[\(]*)$/; var starDotExtTest = (ext2) => (f) => !f.startsWith(".") && f.endsWith(ext2); var starDotExtTestDot = (ext2) => (f) => f.endsWith(ext2); var starDotExtTestNocase = (ext2) => { ext2 = ext2.toLowerCase(); return (f) => !f.startsWith(".") && f.toLowerCase().endsWith(ext2); }; var starDotExtTestNocaseDot = (ext2) => { ext2 = ext2.toLowerCase(); return (f) => f.toLowerCase().endsWith(ext2); }; var starDotStarRE = /^\*+\.\*+$/; var starDotStarTest = (f) => !f.startsWith(".") && f.includes("."); var starDotStarTestDot = (f) => f !== "." && f !== ".." && f.includes("."); var dotStarRE = /^\.\*+$/; var dotStarTest = (f) => f !== "." && f !== ".." && f.startsWith("."); var starRE = /^\*+$/; var starTest = (f) => f.length !== 0 && !f.startsWith("."); var starTestDot = (f) => f.length !== 0 && f !== "." && f !== ".."; var qmarksRE = /^\?+([^+@!?\*\[\(]*)?$/; var qmarksTestNocase = ([$0, ext2 = ""]) => { const noext = qmarksTestNoExt([$0]); if (!ext2) return noext; ext2 = ext2.toLowerCase(); return (f) => noext(f) && f.toLowerCase().endsWith(ext2); }; var qmarksTestNocaseDot = ([$0, ext2 = ""]) => { const noext = qmarksTestNoExtDot([$0]); if (!ext2) return noext; ext2 = ext2.toLowerCase(); return (f) => noext(f) && f.toLowerCase().endsWith(ext2); }; var qmarksTestDot = ([$0, ext2 = ""]) => { const noext = qmarksTestNoExtDot([$0]); return !ext2 ? noext : (f) => noext(f) && f.endsWith(ext2); }; var qmarksTest = ([$0, ext2 = ""]) => { const noext = qmarksTestNoExt([$0]); return !ext2 ? noext : (f) => noext(f) && f.endsWith(ext2); }; var qmarksTestNoExt = ([$0]) => { const len = $0.length; return (f) => f.length === len && !f.startsWith("."); }; var qmarksTestNoExtDot = ([$0]) => { const len = $0.length; return (f) => f.length === len && f !== "." && f !== ".."; }; var defaultPlatform = typeof process === "object" && process ? typeof process.env === "object" && process.env && process.env.__MINIMATCH_TESTING_PLATFORM__ || process.platform : "posix"; var path17 = { win32: { sep: "\\" }, posix: { sep: "/" } }; exports2.sep = defaultPlatform === "win32" ? path17.win32.sep : path17.posix.sep; exports2.minimatch.sep = exports2.sep; exports2.GLOBSTAR = Symbol("globstar **"); exports2.minimatch.GLOBSTAR = exports2.GLOBSTAR; var qmark = "[^/]"; var star = qmark + "*?"; var twoStarDot = "(?:(?!(?:\\/|^)(?:\\.{1,2})($|\\/)).)*?"; var twoStarNoDot = "(?:(?!(?:\\/|^)\\.).)*?"; var filter = (pattern, options = {}) => (p) => (0, exports2.minimatch)(p, pattern, options); exports2.filter = filter; exports2.minimatch.filter = exports2.filter; var ext = (a, b = {}) => Object.assign({}, a, b); var defaults = (def) => { if (!def || typeof def !== "object" || !Object.keys(def).length) { return exports2.minimatch; } const orig = exports2.minimatch; const m = (p, pattern, options = {}) => orig(p, pattern, ext(def, options)); return Object.assign(m, { Minimatch: class Minimatch extends orig.Minimatch { constructor(pattern, options = {}) { super(pattern, ext(def, options)); } static defaults(options) { return orig.defaults(ext(def, options)).Minimatch; } }, AST: class AST extends orig.AST { /* c8 ignore start */ constructor(type, parent, options = {}) { super(type, parent, ext(def, options)); } /* c8 ignore stop */ static fromGlob(pattern, options = {}) { return orig.AST.fromGlob(pattern, ext(def, options)); } }, unescape: (s, options = {}) => orig.unescape(s, ext(def, options)), escape: (s, options = {}) => orig.escape(s, ext(def, options)), filter: (pattern, options = {}) => orig.filter(pattern, ext(def, options)), defaults: (options) => orig.defaults(ext(def, options)), makeRe: (pattern, options = {}) => orig.makeRe(pattern, ext(def, options)), braceExpand: (pattern, options = {}) => orig.braceExpand(pattern, ext(def, options)), match: (list, pattern, options = {}) => orig.match(list, pattern, ext(def, options)), sep: orig.sep, GLOBSTAR: exports2.GLOBSTAR }); }; exports2.defaults = defaults; exports2.minimatch.defaults = exports2.defaults; var braceExpand = (pattern, options = {}) => { (0, assert_valid_pattern_js_1.assertValidPattern)(pattern); if (options.nobrace || !/\{(?:(?!\{).)*\}/.test(pattern)) { return [pattern]; } return (0, brace_expansion_1.default)(pattern); }; exports2.braceExpand = braceExpand; exports2.minimatch.braceExpand = exports2.braceExpand; var makeRe = (pattern, options = {}) => new Minimatch2(pattern, options).makeRe(); exports2.makeRe = makeRe; exports2.minimatch.makeRe = exports2.makeRe; var match = (list, pattern, options = {}) => { const mm = new Minimatch2(pattern, options); list = list.filter((f) => mm.match(f)); if (mm.options.nonull && !list.length) { list.push(pattern); } return list; }; exports2.match = match; exports2.minimatch.match = exports2.match; var globMagic = /[?*]|[+@!]\(.*?\)|\[|\]/; var regExpEscape = (s) => s.replace(/[-[\]{}()*+?.,\\^$|#\s]/g, "\\$&"); var Minimatch2 = class { options; set; pattern; windowsPathsNoEscape; nonegate; negate; comment; empty; preserveMultipleSlashes; partial; globSet; globParts; nocase; isWindows; platform; windowsNoMagicRoot; regexp; constructor(pattern, options = {}) { (0, assert_valid_pattern_js_1.assertValidPattern)(pattern); options = options || {}; this.options = options; this.pattern = pattern; this.platform = options.platform || defaultPlatform; this.isWindows = this.platform === "win32"; this.windowsPathsNoEscape = !!options.windowsPathsNoEscape || options.allowWindowsEscape === false; if (this.windowsPathsNoEscape) { this.pattern = this.pattern.replace(/\\/g, "/"); } this.preserveMultipleSlashes = !!options.preserveMultipleSlashes; this.regexp = null; this.negate = false; this.nonegate = !!options.nonegate; this.comment = false; this.empty = false; this.partial = !!options.partial; this.nocase = !!this.options.nocase; this.windowsNoMagicRoot = options.windowsNoMagicRoot !== void 0 ? options.windowsNoMagicRoot : !!(this.isWindows && this.nocase); this.globSet = []; this.globParts = []; this.set = []; this.make(); } hasMagic() { if (this.options.magicalBraces && this.set.length > 1) { return true; } for (const pattern of this.set) { for (const part of pattern) { if (typeof part !== "string") return true; } } return false; } debug(..._) { } make() { const pattern = this.pattern; const options = this.options; if (!options.nocomment && pattern.charAt(0) === "#") { this.comment = true; return; } if (!pattern) { this.empty = true; return; } this.parseNegate(); this.globSet = [...new Set(this.braceExpand())]; if (options.debug) { this.debug = (...args) => console.error(...args); } this.debug(this.pattern, this.globSet); const rawGlobParts = this.globSet.map((s) => this.slashSplit(s)); this.globParts = this.preprocess(rawGlobParts); this.debug(this.pattern, this.globParts); let set = this.globParts.map((s, _, __) => { if (this.isWindows && this.windowsNoMagicRoot) { const isUNC = s[0] === "" && s[1] === "" && (s[2] === "?" || !globMagic.test(s[2])) && !globMagic.test(s[3]); const isDrive = /^[a-z]:/i.test(s[0]); if (isUNC) { return [...s.slice(0, 4), ...s.slice(4).map((ss) => this.parse(ss))]; } else if (isDrive) { return [s[0], ...s.slice(1).map((ss) => this.parse(ss))]; } } return s.map((ss) => this.parse(ss)); }); this.debug(this.pattern, set); this.set = set.filter((s) => s.indexOf(false) === -1); if (this.isWindows) { for (let i = 0; i < this.set.length; i++) { const p = this.set[i]; if (p[0] === "" && p[1] === "" && this.globParts[i][2] === "?" && typeof p[3] === "string" && /^[a-z]:$/i.test(p[3])) { p[2] = "?"; } } } this.debug(this.pattern, this.set); } // various transforms to equivalent pattern sets that are // faster to process in a filesystem walk. The goal is to // eliminate what we can, and push all ** patterns as far // to the right as possible, even if it increases the number // of patterns that we have to process. preprocess(globParts) { if (this.options.noglobstar) { for (let i = 0; i < globParts.length; i++) { for (let j = 0; j < globParts[i].length; j++) { if (globParts[i][j] === "**") { globParts[i][j] = "*"; } } } } const { optimizationLevel = 1 } = this.options; if (optimizationLevel >= 2) { globParts = this.firstPhasePreProcess(globParts); globParts = this.secondPhasePreProcess(globParts); } else if (optimizationLevel >= 1) { globParts = this.levelOneOptimize(globParts); } else { globParts = this.adjascentGlobstarOptimize(globParts); } return globParts; } // just get rid of adjascent ** portions adjascentGlobstarOptimize(globParts) { return globParts.map((parts) => { let gs = -1; while (-1 !== (gs = parts.indexOf("**", gs + 1))) { let i = gs; while (parts[i + 1] === "**") { i++; } if (i !== gs) { parts.splice(gs, i - gs); } } return parts; }); } // get rid of adjascent ** and resolve .. portions levelOneOptimize(globParts) { return globParts.map((parts) => { parts = parts.reduce((set, part) => { const prev = set[set.length - 1]; if (part === "**" && prev === "**") { return set; } if (part === "..") { if (prev && prev !== ".." && prev !== "." && prev !== "**") { set.pop(); return set; } } set.push(part); return set; }, []); return parts.length === 0 ? [""] : parts; }); } levelTwoFileOptimize(parts) { if (!Array.isArray(parts)) { parts = this.slashSplit(parts); } let didSomething = false; do { didSomething = false; if (!this.preserveMultipleSlashes) { for (let i = 1; i < parts.length - 1; i++) { const p = parts[i]; if (i === 1 && p === "" && parts[0] === "") continue; if (p === "." || p === "") { didSomething = true; parts.splice(i, 1); i--; } } if (parts[0] === "." && parts.length === 2 && (parts[1] === "." || parts[1] === "")) { didSomething = true; parts.pop(); } } let dd = 0; while (-1 !== (dd = parts.indexOf("..", dd + 1))) { const p = parts[dd - 1]; if (p && p !== "." && p !== ".." && p !== "**") { didSomething = true; parts.splice(dd - 1, 2); dd -= 2; } } } while (didSomething); return parts.length === 0 ? [""] : parts; } // First phase: single-pattern processing //
 is 1 or more portions
      //  is 1 or more portions
      // 

is any portion other than ., .., '', or ** // is . or '' // // **/.. is *brutal* for filesystem walking performance, because // it effectively resets the recursive walk each time it occurs, // and ** cannot be reduced out by a .. pattern part like a regexp // or most strings (other than .., ., and '') can be. // //

/**/../

/

/ -> {

/../

/

/,

/**/

/

/} //

// -> 
/
      // 
/

/../ ->

/
      // **/**/ -> **/
      //
      // **/*/ -> */**/ <== not valid because ** doesn't follow
      // this WOULD be allowed if ** did follow symlinks, or * didn't
      firstPhasePreProcess(globParts) {
        let didSomething = false;
        do {
          didSomething = false;
          for (let parts of globParts) {
            let gs = -1;
            while (-1 !== (gs = parts.indexOf("**", gs + 1))) {
              let gss = gs;
              while (parts[gss + 1] === "**") {
                gss++;
              }
              if (gss > gs) {
                parts.splice(gs + 1, gss - gs);
              }
              let next = parts[gs + 1];
              const p = parts[gs + 2];
              const p2 = parts[gs + 3];
              if (next !== "..")
                continue;
              if (!p || p === "." || p === ".." || !p2 || p2 === "." || p2 === "..") {
                continue;
              }
              didSomething = true;
              parts.splice(gs, 1);
              const other = parts.slice(0);
              other[gs] = "**";
              globParts.push(other);
              gs--;
            }
            if (!this.preserveMultipleSlashes) {
              for (let i = 1; i < parts.length - 1; i++) {
                const p = parts[i];
                if (i === 1 && p === "" && parts[0] === "")
                  continue;
                if (p === "." || p === "") {
                  didSomething = true;
                  parts.splice(i, 1);
                  i--;
                }
              }
              if (parts[0] === "." && parts.length === 2 && (parts[1] === "." || parts[1] === "")) {
                didSomething = true;
                parts.pop();
              }
            }
            let dd = 0;
            while (-1 !== (dd = parts.indexOf("..", dd + 1))) {
              const p = parts[dd - 1];
              if (p && p !== "." && p !== ".." && p !== "**") {
                didSomething = true;
                const needDot = dd === 1 && parts[dd + 1] === "**";
                const splin = needDot ? ["."] : [];
                parts.splice(dd - 1, 2, ...splin);
                if (parts.length === 0)
                  parts.push("");
                dd -= 2;
              }
            }
          }
        } while (didSomething);
        return globParts;
      }
      // second phase: multi-pattern dedupes
      // {
/*/,
/

/} ->

/*/
      // {
/,
/} -> 
/
      // {
/**/,
/} -> 
/**/
      //
      // {
/**/,
/**/

/} ->

/**/
      // ^-- not valid because ** doens't follow symlinks
      secondPhasePreProcess(globParts) {
        for (let i = 0; i < globParts.length - 1; i++) {
          for (let j = i + 1; j < globParts.length; j++) {
            const matched = this.partsMatch(globParts[i], globParts[j], !this.preserveMultipleSlashes);
            if (matched) {
              globParts[i] = [];
              globParts[j] = matched;
              break;
            }
          }
        }
        return globParts.filter((gs) => gs.length);
      }
      partsMatch(a, b, emptyGSMatch = false) {
        let ai = 0;
        let bi = 0;
        let result = [];
        let which = "";
        while (ai < a.length && bi < b.length) {
          if (a[ai] === b[bi]) {
            result.push(which === "b" ? b[bi] : a[ai]);
            ai++;
            bi++;
          } else if (emptyGSMatch && a[ai] === "**" && b[bi] === a[ai + 1]) {
            result.push(a[ai]);
            ai++;
          } else if (emptyGSMatch && b[bi] === "**" && a[ai] === b[bi + 1]) {
            result.push(b[bi]);
            bi++;
          } else if (a[ai] === "*" && b[bi] && (this.options.dot || !b[bi].startsWith(".")) && b[bi] !== "**") {
            if (which === "b")
              return false;
            which = "a";
            result.push(a[ai]);
            ai++;
            bi++;
          } else if (b[bi] === "*" && a[ai] && (this.options.dot || !a[ai].startsWith(".")) && a[ai] !== "**") {
            if (which === "a")
              return false;
            which = "b";
            result.push(b[bi]);
            ai++;
            bi++;
          } else {
            return false;
          }
        }
        return a.length === b.length && result;
      }
      parseNegate() {
        if (this.nonegate)
          return;
        const pattern = this.pattern;
        let negate2 = false;
        let negateOffset = 0;
        for (let i = 0; i < pattern.length && pattern.charAt(i) === "!"; i++) {
          negate2 = !negate2;
          negateOffset++;
        }
        if (negateOffset)
          this.pattern = pattern.slice(negateOffset);
        this.negate = negate2;
      }
      // set partial to true to test if, for example,
      // "/a/b" matches the start of "/*/b/*/d"
      // Partial means, if you run out of file before you run
      // out of pattern, then that's fine, as long as all
      // the parts match.
      matchOne(file, pattern, partial = false) {
        const options = this.options;
        if (this.isWindows) {
          const fileDrive = typeof file[0] === "string" && /^[a-z]:$/i.test(file[0]);
          const fileUNC = !fileDrive && file[0] === "" && file[1] === "" && file[2] === "?" && /^[a-z]:$/i.test(file[3]);
          const patternDrive = typeof pattern[0] === "string" && /^[a-z]:$/i.test(pattern[0]);
          const patternUNC = !patternDrive && pattern[0] === "" && pattern[1] === "" && pattern[2] === "?" && typeof pattern[3] === "string" && /^[a-z]:$/i.test(pattern[3]);
          const fdi = fileUNC ? 3 : fileDrive ? 0 : void 0;
          const pdi = patternUNC ? 3 : patternDrive ? 0 : void 0;
          if (typeof fdi === "number" && typeof pdi === "number") {
            const [fd, pd] = [file[fdi], pattern[pdi]];
            if (fd.toLowerCase() === pd.toLowerCase()) {
              pattern[pdi] = fd;
              if (pdi > fdi) {
                pattern = pattern.slice(pdi);
              } else if (fdi > pdi) {
                file = file.slice(fdi);
              }
            }
          }
        }
        const { optimizationLevel = 1 } = this.options;
        if (optimizationLevel >= 2) {
          file = this.levelTwoFileOptimize(file);
        }
        this.debug("matchOne", this, { file, pattern });
        this.debug("matchOne", file.length, pattern.length);
        for (var fi = 0, pi = 0, fl = file.length, pl = pattern.length; fi < fl && pi < pl; fi++, pi++) {
          this.debug("matchOne loop");
          var p = pattern[pi];
          var f = file[fi];
          this.debug(pattern, p, f);
          if (p === false) {
            return false;
          }
          if (p === exports2.GLOBSTAR) {
            this.debug("GLOBSTAR", [pattern, p, f]);
            var fr = fi;
            var pr = pi + 1;
            if (pr === pl) {
              this.debug("** at the end");
              for (; fi < fl; fi++) {
                if (file[fi] === "." || file[fi] === ".." || !options.dot && file[fi].charAt(0) === ".")
                  return false;
              }
              return true;
            }
            while (fr < fl) {
              var swallowee = file[fr];
              this.debug("\nglobstar while", file, fr, pattern, pr, swallowee);
              if (this.matchOne(file.slice(fr), pattern.slice(pr), partial)) {
                this.debug("globstar found match!", fr, fl, swallowee);
                return true;
              } else {
                if (swallowee === "." || swallowee === ".." || !options.dot && swallowee.charAt(0) === ".") {
                  this.debug("dot detected!", file, fr, pattern, pr);
                  break;
                }
                this.debug("globstar swallow a segment, and continue");
                fr++;
              }
            }
            if (partial) {
              this.debug("\n>>> no match, partial?", file, fr, pattern, pr);
              if (fr === fl) {
                return true;
              }
            }
            return false;
          }
          let hit;
          if (typeof p === "string") {
            hit = f === p;
            this.debug("string match", p, f, hit);
          } else {
            hit = p.test(f);
            this.debug("pattern match", p, f, hit);
          }
          if (!hit)
            return false;
        }
        if (fi === fl && pi === pl) {
          return true;
        } else if (fi === fl) {
          return partial;
        } else if (pi === pl) {
          return fi === fl - 1 && file[fi] === "";
        } else {
          throw new Error("wtf?");
        }
      }
      braceExpand() {
        return (0, exports2.braceExpand)(this.pattern, this.options);
      }
      parse(pattern) {
        (0, assert_valid_pattern_js_1.assertValidPattern)(pattern);
        const options = this.options;
        if (pattern === "**")
          return exports2.GLOBSTAR;
        if (pattern === "")
          return "";
        let m;
        let fastTest = null;
        if (m = pattern.match(starRE)) {
          fastTest = options.dot ? starTestDot : starTest;
        } else if (m = pattern.match(starDotExtRE)) {
          fastTest = (options.nocase ? options.dot ? starDotExtTestNocaseDot : starDotExtTestNocase : options.dot ? starDotExtTestDot : starDotExtTest)(m[1]);
        } else if (m = pattern.match(qmarksRE)) {
          fastTest = (options.nocase ? options.dot ? qmarksTestNocaseDot : qmarksTestNocase : options.dot ? qmarksTestDot : qmarksTest)(m);
        } else if (m = pattern.match(starDotStarRE)) {
          fastTest = options.dot ? starDotStarTestDot : starDotStarTest;
        } else if (m = pattern.match(dotStarRE)) {
          fastTest = dotStarTest;
        }
        const re = ast_js_1.AST.fromGlob(pattern, this.options).toMMPattern();
        if (fastTest && typeof re === "object") {
          Reflect.defineProperty(re, "test", { value: fastTest });
        }
        return re;
      }
      makeRe() {
        if (this.regexp || this.regexp === false)
          return this.regexp;
        const set = this.set;
        if (!set.length) {
          this.regexp = false;
          return this.regexp;
        }
        const options = this.options;
        const twoStar = options.noglobstar ? star : options.dot ? twoStarDot : twoStarNoDot;
        const flags = new Set(options.nocase ? ["i"] : []);
        let re = set.map((pattern) => {
          const pp = pattern.map((p) => {
            if (p instanceof RegExp) {
              for (const f of p.flags.split(""))
                flags.add(f);
            }
            return typeof p === "string" ? regExpEscape(p) : p === exports2.GLOBSTAR ? exports2.GLOBSTAR : p._src;
          });
          pp.forEach((p, i) => {
            const next = pp[i + 1];
            const prev = pp[i - 1];
            if (p !== exports2.GLOBSTAR || prev === exports2.GLOBSTAR) {
              return;
            }
            if (prev === void 0) {
              if (next !== void 0 && next !== exports2.GLOBSTAR) {
                pp[i + 1] = "(?:\\/|" + twoStar + "\\/)?" + next;
              } else {
                pp[i] = twoStar;
              }
            } else if (next === void 0) {
              pp[i - 1] = prev + "(?:\\/|" + twoStar + ")?";
            } else if (next !== exports2.GLOBSTAR) {
              pp[i - 1] = prev + "(?:\\/|\\/" + twoStar + "\\/)" + next;
              pp[i + 1] = exports2.GLOBSTAR;
            }
          });
          return pp.filter((p) => p !== exports2.GLOBSTAR).join("/");
        }).join("|");
        const [open, close] = set.length > 1 ? ["(?:", ")"] : ["", ""];
        re = "^" + open + re + close + "$";
        if (this.negate)
          re = "^(?!" + re + ").+$";
        try {
          this.regexp = new RegExp(re, [...flags].join(""));
        } catch (ex) {
          this.regexp = false;
        }
        return this.regexp;
      }
      slashSplit(p) {
        if (this.preserveMultipleSlashes) {
          return p.split("/");
        } else if (this.isWindows && /^\/\/[^\/]+/.test(p)) {
          return ["", ...p.split(/\/+/)];
        } else {
          return p.split(/\/+/);
        }
      }
      match(f, partial = this.partial) {
        this.debug("match", f, this.pattern);
        if (this.comment) {
          return false;
        }
        if (this.empty) {
          return f === "";
        }
        if (f === "/" && partial) {
          return true;
        }
        const options = this.options;
        if (this.isWindows) {
          f = f.split("\\").join("/");
        }
        const ff = this.slashSplit(f);
        this.debug(this.pattern, "split", ff);
        const set = this.set;
        this.debug(this.pattern, "set", set);
        let filename = ff[ff.length - 1];
        if (!filename) {
          for (let i = ff.length - 2; !filename && i >= 0; i--) {
            filename = ff[i];
          }
        }
        for (let i = 0; i < set.length; i++) {
          const pattern = set[i];
          let file = ff;
          if (options.matchBase && pattern.length === 1) {
            file = [filename];
          }
          const hit = this.matchOne(file, pattern, partial);
          if (hit) {
            if (options.flipNegate) {
              return true;
            }
            return !this.negate;
          }
        }
        if (options.flipNegate) {
          return false;
        }
        return this.negate;
      }
      static defaults(def) {
        return exports2.minimatch.defaults(def).Minimatch;
      }
    };
    exports2.Minimatch = Minimatch2;
    var ast_js_2 = require_ast();
    Object.defineProperty(exports2, "AST", { enumerable: true, get: function() {
      return ast_js_2.AST;
    } });
    var escape_js_2 = require_escape();
    Object.defineProperty(exports2, "escape", { enumerable: true, get: function() {
      return escape_js_2.escape;
    } });
    var unescape_js_2 = require_unescape();
    Object.defineProperty(exports2, "unescape", { enumerable: true, get: function() {
      return unescape_js_2.unescape;
    } });
    exports2.minimatch.AST = ast_js_1.AST;
    exports2.minimatch.Minimatch = Minimatch2;
    exports2.minimatch.escape = escape_js_1.escape;
    exports2.minimatch.unescape = unescape_js_1.unescape;
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/useProgramFromProjectService.js
var require_useProgramFromProjectService = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/useProgramFromProjectService.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.useProgramFromProjectService = useProgramFromProjectService;
    var debug_1 = __importDefault2(require_src2());
    var minimatch_1 = require_commonjs();
    var path_1 = __importDefault2(require("path"));
    var createProjectProgram_1 = require_createProjectProgram();
    var validateDefaultProjectForFilesGlob_1 = require_validateDefaultProjectForFilesGlob();
    var log = (0, debug_1.default)("typescript-eslint:typescript-estree:useProgramFromProjectService");
    function useProgramFromProjectService({ allowDefaultProjectForFiles, maximumDefaultProjectFileMatchCount, service }, parseSettings, hasFullTypeInformation, defaultProjectMatchedFiles) {
      const filePathAbsolute = absolutify(parseSettings.filePath);
      log("Opening project service file for: %s at absolute path %s", parseSettings.filePath, filePathAbsolute);
      const opened = service.openClientFile(
        filePathAbsolute,
        parseSettings.codeFullText,
        /* scriptKind */
        void 0,
        parseSettings.tsconfigRootDir
      );
      log("Opened project service file: %o", opened);
      if (hasFullTypeInformation) {
        log("Project service type information enabled; checking for file path match on: %o", allowDefaultProjectForFiles);
        const isDefaultProjectAllowedPath = filePathMatchedBy(parseSettings.filePath, allowDefaultProjectForFiles);
        log("Default project allowed path: %s, based on config file: %s", isDefaultProjectAllowedPath, opened.configFileName);
        if (opened.configFileName) {
          if (isDefaultProjectAllowedPath) {
            throw new Error(`${parseSettings.filePath} was included by allowDefaultProjectForFiles but also was found in the project service. Consider removing it from allowDefaultProjectForFiles.`);
          }
        } else if (!isDefaultProjectAllowedPath) {
          throw new Error(`${parseSettings.filePath} was not found by the project service. Consider either including it in the tsconfig.json or including it in allowDefaultProjectForFiles.`);
        }
      }
      log("Retrieving script info and then program for: %s", filePathAbsolute);
      const scriptInfo = service.getScriptInfo(filePathAbsolute);
      const program = service.getDefaultProjectForFile(scriptInfo.fileName, true).getLanguageService(
        /*ensureSynchronized*/
        true
      ).getProgram();
      if (!program) {
        log("Could not find project service program for: %s", filePathAbsolute);
        return void 0;
      }
      if (!opened.configFileName) {
        defaultProjectMatchedFiles.add(filePathAbsolute);
      }
      if (defaultProjectMatchedFiles.size > maximumDefaultProjectFileMatchCount) {
        const filePrintLimit = 20;
        const filesToPrint = Array.from(defaultProjectMatchedFiles).slice(0, filePrintLimit);
        const truncatedFileCount = defaultProjectMatchedFiles.size - filesToPrint.length;
        throw new Error(`Too many files (>${maximumDefaultProjectFileMatchCount}) have matched the default project.${validateDefaultProjectForFilesGlob_1.DEFAULT_PROJECT_FILES_ERROR_EXPLANATION}
Matching files:
${filesToPrint.map((file) => `- ${file}`).join("\n")}
${truncatedFileCount ? `...and ${truncatedFileCount} more files
` : ""}
If you absolutely need more files included, set parserOptions.EXPERIMENTAL_useProjectService.maximumDefaultProjectFileMatchCount_THIS_WILL_SLOW_DOWN_LINTING to a larger value.
`);
      }
      log("Found project service program for: %s", filePathAbsolute);
      return (0, createProjectProgram_1.createProjectProgram)(parseSettings, [program]);
      function absolutify(filePath) {
        return path_1.default.isAbsolute(filePath) ? filePath : path_1.default.join(service.host.getCurrentDirectory(), filePath);
      }
    }
    function filePathMatchedBy(filePath, allowDefaultProjectForFiles) {
      return !!allowDefaultProjectForFiles?.some((pattern) => (0, minimatch_1.minimatch)(filePath, pattern));
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/parser.js
var require_parser = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/parser.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.parse = parse2;
    exports2.parseAndGenerateServices = parseAndGenerateServices;
    exports2.clearDefaultProjectMatchedFiles = clearDefaultProjectMatchedFiles;
    exports2.clearProgramCache = clearProgramCache;
    exports2.clearParseAndGenerateServicesCalls = clearParseAndGenerateServicesCalls;
    var debug_1 = __importDefault2(require_src2());
    var ast_converter_1 = require_ast_converter();
    var convert_1 = require_convert();
    var createDefaultProgram_1 = require_createDefaultProgram();
    var createIsolatedProgram_1 = require_createIsolatedProgram();
    var createProjectProgram_1 = require_createProjectProgram();
    var createSourceFile_1 = require_createSourceFile();
    var getWatchProgramsForProjects_1 = require_getWatchProgramsForProjects();
    var useProvidedPrograms_1 = require_useProvidedPrograms();
    var createParserServices_1 = require_createParserServices();
    var createParseSettings_1 = require_createParseSettings();
    var semantic_or_syntactic_errors_1 = require_semantic_or_syntactic_errors();
    var useProgramFromProjectService_1 = require_useProgramFromProjectService();
    var log = (0, debug_1.default)("typescript-eslint:typescript-estree:parser");
    var existingPrograms = /* @__PURE__ */ new Map();
    function clearProgramCache() {
      existingPrograms.clear();
    }
    var defaultProjectMatchedFiles = /* @__PURE__ */ new Set();
    function clearDefaultProjectMatchedFiles() {
      defaultProjectMatchedFiles.clear();
    }
    function getProgramAndAST(parseSettings, hasFullTypeInformation) {
      if (parseSettings.EXPERIMENTAL_projectService) {
        const fromProjectService = (0, useProgramFromProjectService_1.useProgramFromProjectService)(parseSettings.EXPERIMENTAL_projectService, parseSettings, hasFullTypeInformation, defaultProjectMatchedFiles);
        if (fromProjectService) {
          return fromProjectService;
        }
      }
      if (parseSettings.programs) {
        const fromProvidedPrograms = (0, useProvidedPrograms_1.useProvidedPrograms)(parseSettings.programs, parseSettings);
        if (fromProvidedPrograms) {
          return fromProvidedPrograms;
        }
      }
      if (!hasFullTypeInformation) {
        return (0, createSourceFile_1.createNoProgram)(parseSettings);
      }
      const fromProjectProgram = (0, createProjectProgram_1.createProjectProgram)(parseSettings, (0, getWatchProgramsForProjects_1.getWatchProgramsForProjects)(parseSettings));
      if (fromProjectProgram) {
        return fromProjectProgram;
      }
      if (parseSettings.DEPRECATED__createDefaultProgram) {
        const fromDefaultProgram = (0, createDefaultProgram_1.createDefaultProgram)(parseSettings);
        if (fromDefaultProgram) {
          return fromDefaultProgram;
        }
      }
      return (0, createIsolatedProgram_1.createIsolatedProgram)(parseSettings);
    }
    function parse2(code, options) {
      const { ast } = parseWithNodeMapsInternal(code, options, false);
      return ast;
    }
    function parseWithNodeMapsInternal(code, options, shouldPreserveNodeMaps) {
      const parseSettings = (0, createParseSettings_1.createParseSettings)(code, options);
      if (options?.errorOnTypeScriptSyntacticAndSemanticIssues) {
        throw new Error(`"errorOnTypeScriptSyntacticAndSemanticIssues" is only supported for parseAndGenerateServices()`);
      }
      const ast = (0, createSourceFile_1.createSourceFile)(parseSettings);
      const { estree, astMaps } = (0, ast_converter_1.astConverter)(ast, parseSettings, shouldPreserveNodeMaps);
      return {
        ast: estree,
        esTreeNodeToTSNodeMap: astMaps.esTreeNodeToTSNodeMap,
        tsNodeToESTreeNodeMap: astMaps.tsNodeToESTreeNodeMap
      };
    }
    var parseAndGenerateServicesCalls = {};
    function clearParseAndGenerateServicesCalls() {
      parseAndGenerateServicesCalls = {};
    }
    function parseAndGenerateServices(code, options) {
      const parseSettings = (0, createParseSettings_1.createParseSettings)(code, options);
      if (parseSettings.singleRun && !parseSettings.programs && parseSettings.projects.size > 0) {
        parseSettings.programs = {
          *[Symbol.iterator]() {
            for (const configFile of parseSettings.projects) {
              const existingProgram = existingPrograms.get(configFile[0]);
              if (existingProgram) {
                yield existingProgram;
              } else {
                log("Detected single-run/CLI usage, creating Program once ahead of time for project: %s", configFile);
                const newProgram = (0, useProvidedPrograms_1.createProgramFromConfigFile)(configFile[1]);
                existingPrograms.set(configFile[0], newProgram);
                yield newProgram;
              }
            }
          }
        };
      }
      const hasFullTypeInformation = parseSettings.programs != null || parseSettings.projects.size > 0;
      if (typeof options.errorOnTypeScriptSyntacticAndSemanticIssues === "boolean" && options.errorOnTypeScriptSyntacticAndSemanticIssues) {
        parseSettings.errorOnTypeScriptSyntacticAndSemanticIssues = true;
      }
      if (parseSettings.errorOnTypeScriptSyntacticAndSemanticIssues && !hasFullTypeInformation) {
        throw new Error("Cannot calculate TypeScript semantic issues without a valid project.");
      }
      if (parseSettings.singleRun && options.filePath) {
        parseAndGenerateServicesCalls[options.filePath] = (parseAndGenerateServicesCalls[options.filePath] || 0) + 1;
      }
      const { ast, program } = parseSettings.singleRun && options.filePath && parseAndGenerateServicesCalls[options.filePath] > 1 ? (0, createIsolatedProgram_1.createIsolatedProgram)(parseSettings) : getProgramAndAST(parseSettings, hasFullTypeInformation);
      const shouldPreserveNodeMaps = typeof parseSettings.preserveNodeMaps === "boolean" ? parseSettings.preserveNodeMaps : true;
      const { estree, astMaps } = (0, ast_converter_1.astConverter)(ast, parseSettings, shouldPreserveNodeMaps);
      if (program && parseSettings.errorOnTypeScriptSyntacticAndSemanticIssues) {
        const error = (0, semantic_or_syntactic_errors_1.getFirstSemanticOrSyntacticError)(program, ast);
        if (error) {
          throw (0, convert_1.convertError)(error);
        }
      }
      return {
        ast: estree,
        services: (0, createParserServices_1.createParserServices)(astMaps, program)
      };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/clear-caches.js
var require_clear_caches = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/clear-caches.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.clearProgramCache = void 0;
    exports2.clearCaches = clearCaches;
    var getWatchProgramsForProjects_1 = require_getWatchProgramsForProjects();
    var parser_1 = require_parser();
    var createParseSettings_1 = require_createParseSettings();
    var resolveProjectList_1 = require_resolveProjectList();
    function clearCaches() {
      (0, parser_1.clearDefaultProjectMatchedFiles)();
      (0, parser_1.clearProgramCache)();
      (0, getWatchProgramsForProjects_1.clearWatchCaches)();
      (0, createParseSettings_1.clearTSConfigMatchCache)();
      (0, createParseSettings_1.clearTSServerProjectService)();
      (0, resolveProjectList_1.clearGlobCache)();
    }
    exports2.clearProgramCache = clearCaches;
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/withoutProjectParserOptions.js
var require_withoutProjectParserOptions = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/withoutProjectParserOptions.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.withoutProjectParserOptions = withoutProjectParserOptions;
    function withoutProjectParserOptions(opts) {
      const { EXPERIMENTAL_useProjectService, project, ...rest } = opts;
      return rest;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/package.json
var require_package = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/package.json"(exports2, module2) {
    module2.exports = {
      name: "@typescript-eslint/typescript-estree",
      version: "7.16.0",
      description: "A parser that converts TypeScript source code into an ESTree compatible form",
      files: [
        "dist",
        "_ts4.3",
        "README.md",
        "LICENSE"
      ],
      type: "commonjs",
      exports: {
        ".": {
          types: "./dist/index.d.ts",
          default: "./dist/index.js"
        },
        "./package.json": "./package.json",
        "./use-at-your-own-risk": {
          types: "./dist/use-at-your-own-risk.d.ts",
          default: "./dist/use-at-your-own-risk.js"
        }
      },
      types: "./dist/index.d.ts",
      engines: {
        node: "^18.18.0 || >=20.0.0"
      },
      repository: {
        type: "git",
        url: "https://github.com/typescript-eslint/typescript-eslint.git",
        directory: "packages/typescript-estree"
      },
      bugs: {
        url: "https://github.com/typescript-eslint/typescript-eslint/issues"
      },
      homepage: "https://typescript-eslint.io/packages/typescript-estree",
      license: "BSD-2-Clause",
      keywords: [
        "ast",
        "estree",
        "ecmascript",
        "javascript",
        "typescript",
        "parser",
        "syntax"
      ],
      scripts: {
        build: "tsc -b tsconfig.build.json",
        postbuild: "downlevel-dts dist _ts4.3/dist --to=4.3",
        clean: "tsc -b tsconfig.build.json --clean",
        postclean: "rimraf dist && rimraf _ts4.3 && rimraf coverage",
        format: 'prettier --write "./**/*.{ts,mts,cts,tsx,js,mjs,cjs,jsx,json,md,css}" --ignore-path ../../.prettierignore',
        lint: "npx nx lint",
        test: "jest --coverage --runInBand --verbose",
        typecheck: "tsc --noEmit"
      },
      dependencies: {
        "@typescript-eslint/types": "7.16.0",
        "@typescript-eslint/visitor-keys": "7.16.0",
        debug: "^4.3.4",
        globby: "^11.1.0",
        "is-glob": "^4.0.3",
        minimatch: "^9.0.4",
        semver: "^7.6.0",
        "ts-api-utils": "^1.3.0"
      },
      devDependencies: {
        "@jest/types": "29.6.3",
        glob: "*",
        jest: "29.7.0",
        prettier: "^3.2.5",
        rimraf: "*",
        tmp: "*",
        typescript: "*"
      },
      peerDependenciesMeta: {
        typescript: {
          optional: true
        }
      },
      funding: {
        type: "opencollective",
        url: "https://opencollective.com/typescript-eslint"
      },
      typesVersions: {
        "<4.7": {
          "*": [
            "_ts4.3/*"
          ]
        }
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/index.js
var require_dist5 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.3/node_modules/@typescript-eslint/typescript-estree/dist/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) {
      for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p);
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.version = exports2.withoutProjectParserOptions = exports2.TSError = exports2.typescriptVersionIsAtLeast = exports2.getCanonicalFileName = exports2.createProgram = exports2.simpleTraverse = exports2.parseAndGenerateServices = exports2.parse = void 0;
    var parser_1 = require_parser();
    Object.defineProperty(exports2, "parse", { enumerable: true, get: function() {
      return parser_1.parse;
    } });
    Object.defineProperty(exports2, "parseAndGenerateServices", { enumerable: true, get: function() {
      return parser_1.parseAndGenerateServices;
    } });
    var simple_traverse_1 = require_simple_traverse();
    Object.defineProperty(exports2, "simpleTraverse", { enumerable: true, get: function() {
      return simple_traverse_1.simpleTraverse;
    } });
    __exportStar2(require_ts_estree3(), exports2);
    var useProvidedPrograms_1 = require_useProvidedPrograms();
    Object.defineProperty(exports2, "createProgram", { enumerable: true, get: function() {
      return useProvidedPrograms_1.createProgramFromConfigFile;
    } });
    __exportStar2(require_getScriptKind(), exports2);
    var shared_1 = require_shared();
    Object.defineProperty(exports2, "getCanonicalFileName", { enumerable: true, get: function() {
      return shared_1.getCanonicalFileName;
    } });
    var version_check_1 = require_version_check();
    Object.defineProperty(exports2, "typescriptVersionIsAtLeast", { enumerable: true, get: function() {
      return version_check_1.typescriptVersionIsAtLeast;
    } });
    __exportStar2(require_getModifiers(), exports2);
    var node_utils_1 = require_node_utils();
    Object.defineProperty(exports2, "TSError", { enumerable: true, get: function() {
      return node_utils_1.TSError;
    } });
    __exportStar2(require_clear_caches(), exports2);
    var withoutProjectParserOptions_1 = require_withoutProjectParserOptions();
    Object.defineProperty(exports2, "withoutProjectParserOptions", { enumerable: true, get: function() {
      return withoutProjectParserOptions_1.withoutProjectParserOptions;
    } });
    exports2.version = require_package().version;
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/TypeOrValueSpecifier.js
var require_TypeOrValueSpecifier = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/TypeOrValueSpecifier.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.typeOrValueSpecifierSchema = void 0;
    exports2.typeMatchesSpecifier = typeMatchesSpecifier;
    var typescript_estree_1 = require_dist5();
    var path_1 = __importDefault2(require("path"));
    var tsutils = __importStar2(require_lib5());
    exports2.typeOrValueSpecifierSchema = {
      oneOf: [
        {
          type: "string"
        },
        {
          type: "object",
          additionalProperties: false,
          properties: {
            from: {
              type: "string",
              enum: ["file"]
            },
            name: {
              oneOf: [
                {
                  type: "string"
                },
                {
                  type: "array",
                  minItems: 1,
                  uniqueItems: true,
                  items: {
                    type: "string"
                  }
                }
              ]
            },
            path: {
              type: "string"
            }
          },
          required: ["from", "name"]
        },
        {
          type: "object",
          additionalProperties: false,
          properties: {
            from: {
              type: "string",
              enum: ["lib"]
            },
            name: {
              oneOf: [
                {
                  type: "string"
                },
                {
                  type: "array",
                  minItems: 1,
                  uniqueItems: true,
                  items: {
                    type: "string"
                  }
                }
              ]
            }
          },
          required: ["from", "name"]
        },
        {
          type: "object",
          additionalProperties: false,
          properties: {
            from: {
              type: "string",
              enum: ["package"]
            },
            name: {
              oneOf: [
                {
                  type: "string"
                },
                {
                  type: "array",
                  minItems: 1,
                  uniqueItems: true,
                  items: {
                    type: "string"
                  }
                }
              ]
            },
            package: {
              type: "string"
            }
          },
          required: ["from", "name", "package"]
        }
      ]
    };
    function specifierNameMatches(type, name) {
      if (typeof name === "string") {
        name = [name];
      }
      if (name.some((item) => item === type.intrinsicName)) {
        return true;
      }
      const symbol = type.aliasSymbol ?? type.getSymbol();
      if (symbol === void 0) {
        return false;
      }
      return name.some((item) => item === symbol.escapedName);
    }
    function typeDeclaredInFile(relativePath, declarationFiles, program) {
      if (relativePath === void 0) {
        const cwd = (0, typescript_estree_1.getCanonicalFileName)(program.getCurrentDirectory());
        return declarationFiles.some((declaration) => (0, typescript_estree_1.getCanonicalFileName)(declaration.fileName).startsWith(cwd));
      }
      const absolutePath = (0, typescript_estree_1.getCanonicalFileName)(path_1.default.join(program.getCurrentDirectory(), relativePath));
      return declarationFiles.some((declaration) => (0, typescript_estree_1.getCanonicalFileName)(declaration.fileName) === absolutePath);
    }
    function typeDeclaredInPackage(packageName, declarationFiles, program) {
      const typesPackageName = packageName.replace(/^@([^/]+)\//, "$1__");
      const matcher = new RegExp(`${packageName}|${typesPackageName}`);
      return declarationFiles.some((declaration) => {
        const packageIdName = program.sourceFileToPackageName.get(declaration.path);
        return packageIdName !== void 0 && matcher.test(packageIdName) && program.isSourceFileFromExternalLibrary(declaration);
      });
    }
    function typeDeclaredInLib(declarationFiles, program) {
      if (declarationFiles.length === 0) {
        return true;
      }
      return declarationFiles.some((declaration) => program.isSourceFileDefaultLibrary(declaration));
    }
    function typeMatchesSpecifier(type, specifier, program) {
      if (tsutils.isIntrinsicErrorType(type)) {
        return false;
      }
      if (typeof specifier === "string") {
        return specifierNameMatches(type, specifier);
      }
      if (!specifierNameMatches(type, specifier.name)) {
        return false;
      }
      const symbol = type.getSymbol() ?? type.aliasSymbol;
      const declarationFiles = symbol?.getDeclarations()?.map((declaration) => declaration.getSourceFile()) ?? [];
      switch (specifier.from) {
        case "file":
          return typeDeclaredInFile(specifier.path, declarationFiles, program);
        case "lib":
          return typeDeclaredInLib(declarationFiles, program);
        case "package":
          return typeDeclaredInPackage(specifier.package, declarationFiles, program);
      }
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/isTypeReadonly.js
var require_isTypeReadonly = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/isTypeReadonly.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.readonlynessOptionsDefaults = exports2.readonlynessOptionsSchema = void 0;
    exports2.isTypeReadonly = isTypeReadonly;
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var propertyTypes_1 = require_propertyTypes();
    var TypeOrValueSpecifier_1 = require_TypeOrValueSpecifier();
    exports2.readonlynessOptionsSchema = {
      type: "object",
      additionalProperties: false,
      properties: {
        treatMethodsAsReadonly: {
          type: "boolean"
        },
        allow: {
          type: "array",
          items: TypeOrValueSpecifier_1.typeOrValueSpecifierSchema
        }
      }
    };
    exports2.readonlynessOptionsDefaults = {
      treatMethodsAsReadonly: false,
      allow: []
    };
    function hasSymbol(node) {
      return Object.prototype.hasOwnProperty.call(node, "symbol");
    }
    function isTypeReadonlyArrayOrTuple(program, type, options, seenTypes) {
      const checker = program.getTypeChecker();
      function checkTypeArguments(arrayType2) {
        const typeArguments = checker.getTypeArguments(arrayType2);
        if (typeArguments.length === 0) {
          return 3;
        }
        if (typeArguments.some(
          (typeArg) => isTypeReadonlyRecurser(program, typeArg, options, seenTypes) === 2
          /* Readonlyness.Mutable */
        )) {
          return 2;
        }
        return 3;
      }
      if (checker.isArrayType(type)) {
        const symbol = utils_1.ESLintUtils.nullThrows(type.getSymbol(), utils_1.ESLintUtils.NullThrowsReasons.MissingToken("symbol", "array type"));
        const escapedName = symbol.getEscapedName();
        if (escapedName === "Array") {
          return 2;
        }
        return checkTypeArguments(type);
      }
      if (checker.isTupleType(type)) {
        if (!type.target.readonly) {
          return 2;
        }
        return checkTypeArguments(type);
      }
      return 1;
    }
    function isTypeReadonlyObject(program, type, options, seenTypes) {
      const checker = program.getTypeChecker();
      function checkIndexSignature(kind) {
        const indexInfo = checker.getIndexInfoOfType(type, kind);
        if (indexInfo) {
          if (!indexInfo.isReadonly) {
            return 2;
          }
          if (indexInfo.type === type || seenTypes.has(indexInfo.type)) {
            return 3;
          }
          return isTypeReadonlyRecurser(program, indexInfo.type, options, seenTypes);
        }
        return 1;
      }
      const properties = type.getProperties();
      if (properties.length) {
        for (const property of properties) {
          if (options.treatMethodsAsReadonly) {
            if (property.valueDeclaration !== void 0 && hasSymbol(property.valueDeclaration) && tsutils.isSymbolFlagSet(property.valueDeclaration.symbol, ts.SymbolFlags.Method)) {
              continue;
            }
            const declarations = property.getDeclarations();
            const lastDeclaration = declarations !== void 0 && declarations.length > 0 ? declarations[declarations.length - 1] : void 0;
            if (lastDeclaration !== void 0 && hasSymbol(lastDeclaration) && tsutils.isSymbolFlagSet(lastDeclaration.symbol, ts.SymbolFlags.Method)) {
              continue;
            }
          }
          if (tsutils.isPropertyReadonlyInType(type, property.getEscapedName(), checker)) {
            continue;
          }
          const name = ts.getNameOfDeclaration(property.valueDeclaration);
          if (name && ts.isPrivateIdentifier(name)) {
            continue;
          }
          return 2;
        }
        for (const property of properties) {
          const propertyType = utils_1.ESLintUtils.nullThrows((0, propertyTypes_1.getTypeOfPropertyOfType)(checker, type, property), utils_1.ESLintUtils.NullThrowsReasons.MissingToken(`property "${property.name}"`, "type"));
          if (seenTypes.has(propertyType)) {
            continue;
          }
          if (isTypeReadonlyRecurser(program, propertyType, options, seenTypes) === 2) {
            return 2;
          }
        }
      }
      const isStringIndexSigReadonly = checkIndexSignature(ts.IndexKind.String);
      if (isStringIndexSigReadonly === 2) {
        return isStringIndexSigReadonly;
      }
      const isNumberIndexSigReadonly = checkIndexSignature(ts.IndexKind.Number);
      if (isNumberIndexSigReadonly === 2) {
        return isNumberIndexSigReadonly;
      }
      return 3;
    }
    function isTypeReadonlyRecurser(program, type, options, seenTypes) {
      const checker = program.getTypeChecker();
      seenTypes.add(type);
      if (options.allow?.some((specifier) => (0, TypeOrValueSpecifier_1.typeMatchesSpecifier)(type, specifier, program))) {
        return 3;
      }
      if (tsutils.isUnionType(type)) {
        const result = tsutils.unionTypeParts(type).every(
          (t) => seenTypes.has(t) || isTypeReadonlyRecurser(program, t, options, seenTypes) === 3
          /* Readonlyness.Readonly */
        );
        const readonlyness = result ? 3 : 2;
        return readonlyness;
      }
      if (tsutils.isIntersectionType(type)) {
        if (type.types.some((t) => checker.isArrayType(t) || checker.isTupleType(t))) {
          const allReadonlyParts = type.types.every(
            (t) => seenTypes.has(t) || isTypeReadonlyRecurser(program, t, options, seenTypes) === 3
            /* Readonlyness.Readonly */
          );
          return allReadonlyParts ? 3 : 2;
        }
        const isReadonlyObject2 = isTypeReadonlyObject(program, type, options, seenTypes);
        if (isReadonlyObject2 !== 1) {
          return isReadonlyObject2;
        }
      }
      if (tsutils.isConditionalType(type)) {
        const result = [type.root.node.trueType, type.root.node.falseType].map(checker.getTypeFromTypeNode).every(
          (t) => seenTypes.has(t) || isTypeReadonlyRecurser(program, t, options, seenTypes) === 3
          /* Readonlyness.Readonly */
        );
        const readonlyness = result ? 3 : 2;
        return readonlyness;
      }
      if (!tsutils.isObjectType(type)) {
        return 3;
      }
      if (type.getCallSignatures().length > 0 && type.getProperties().length === 0) {
        return 3;
      }
      const isReadonlyArray = isTypeReadonlyArrayOrTuple(program, type, options, seenTypes);
      if (isReadonlyArray !== 1) {
        return isReadonlyArray;
      }
      const isReadonlyObject = isTypeReadonlyObject(program, type, options, seenTypes);
      if (isReadonlyObject !== 1) {
        return isReadonlyObject;
      }
      throw new Error("Unhandled type");
    }
    function isTypeReadonly(program, type, options = exports2.readonlynessOptionsDefaults) {
      return isTypeReadonlyRecurser(program, type, options, /* @__PURE__ */ new Set()) === 3;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/predicates.js
var require_predicates3 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/predicates.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.AnyType = void 0;
    exports2.isNullableType = isNullableType;
    exports2.isTypeArrayTypeOrUnionOfArrayTypes = isTypeArrayTypeOrUnionOfArrayTypes;
    exports2.isTypeNeverType = isTypeNeverType;
    exports2.isTypeUnknownType = isTypeUnknownType;
    exports2.isTypeReferenceType = isTypeReferenceType;
    exports2.isTypeAnyType = isTypeAnyType;
    exports2.isTypeAnyArrayType = isTypeAnyArrayType;
    exports2.isTypeUnknownArrayType = isTypeUnknownArrayType;
    exports2.isAnyOrAnyArrayTypeDiscriminated = isAnyOrAnyArrayTypeDiscriminated;
    exports2.typeIsOrHasBaseType = typeIsOrHasBaseType;
    exports2.isTypeBigIntLiteralType = isTypeBigIntLiteralType;
    exports2.isTypeTemplateLiteralType = isTypeTemplateLiteralType;
    var debug_1 = __importDefault2(require_src2());
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var typeFlagUtils_1 = require_typeFlagUtils();
    var log = (0, debug_1.default)("typescript-eslint:eslint-plugin:utils:types");
    function isNullableType(type, _deprecated) {
      return (0, typeFlagUtils_1.isTypeFlagSet)(type, ts.TypeFlags.Any | ts.TypeFlags.Unknown | ts.TypeFlags.Null | ts.TypeFlags.Undefined);
    }
    function isTypeArrayTypeOrUnionOfArrayTypes(type, checker) {
      for (const t of tsutils.unionTypeParts(type)) {
        if (!checker.isArrayType(t)) {
          return false;
        }
      }
      return true;
    }
    function isTypeNeverType(type) {
      return (0, typeFlagUtils_1.isTypeFlagSet)(type, ts.TypeFlags.Never);
    }
    function isTypeUnknownType(type) {
      return (0, typeFlagUtils_1.isTypeFlagSet)(type, ts.TypeFlags.Unknown);
    }
    var Nullable = ts.TypeFlags.Undefined | ts.TypeFlags.Null;
    var ObjectFlagsType = ts.TypeFlags.Any | Nullable | ts.TypeFlags.Never | ts.TypeFlags.Object | ts.TypeFlags.Union | ts.TypeFlags.Intersection;
    function isTypeReferenceType(type) {
      if ((type.flags & ObjectFlagsType) === 0) {
        return false;
      }
      const objectTypeFlags = type.objectFlags;
      return (objectTypeFlags & ts.ObjectFlags.Reference) !== 0;
    }
    function isTypeAnyType(type) {
      if ((0, typeFlagUtils_1.isTypeFlagSet)(type, ts.TypeFlags.Any)) {
        if (type.intrinsicName === "error") {
          log('Found an "error" any type');
        }
        return true;
      }
      return false;
    }
    function isTypeAnyArrayType(type, checker) {
      return checker.isArrayType(type) && isTypeAnyType(checker.getTypeArguments(type)[0]);
    }
    function isTypeUnknownArrayType(type, checker) {
      return checker.isArrayType(type) && isTypeUnknownType(checker.getTypeArguments(type)[0]);
    }
    var AnyType;
    (function(AnyType2) {
      AnyType2[AnyType2["Any"] = 0] = "Any";
      AnyType2[AnyType2["AnyArray"] = 1] = "AnyArray";
      AnyType2[AnyType2["Safe"] = 2] = "Safe";
    })(AnyType || (exports2.AnyType = AnyType = {}));
    function isAnyOrAnyArrayTypeDiscriminated(node, checker) {
      const type = checker.getTypeAtLocation(node);
      if (isTypeAnyType(type)) {
        return AnyType.Any;
      }
      if (isTypeAnyArrayType(type, checker)) {
        return AnyType.AnyArray;
      }
      return AnyType.Safe;
    }
    function typeIsOrHasBaseType(type, parentType) {
      const parentSymbol = parentType.getSymbol();
      if (!type.getSymbol() || !parentSymbol) {
        return false;
      }
      const typeAndBaseTypes = [type];
      const ancestorTypes = type.getBaseTypes();
      if (ancestorTypes) {
        typeAndBaseTypes.push(...ancestorTypes);
      }
      for (const baseType of typeAndBaseTypes) {
        const baseSymbol = baseType.getSymbol();
        if (baseSymbol && baseSymbol.name === parentSymbol.name) {
          return true;
        }
      }
      return false;
    }
    function isTypeBigIntLiteralType(type) {
      return (0, typeFlagUtils_1.isTypeFlagSet)(type, ts.TypeFlags.BigIntLiteral);
    }
    function isTypeTemplateLiteralType(type) {
      return (0, typeFlagUtils_1.isTypeFlagSet)(type, ts.TypeFlags.TemplateLiteral);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/isUnsafeAssignment.js
var require_isUnsafeAssignment = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/isUnsafeAssignment.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isUnsafeAssignment = isUnsafeAssignment;
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var predicates_1 = require_predicates3();
    function isUnsafeAssignment(type, receiver, checker, senderNode) {
      return isUnsafeAssignmentWorker(type, receiver, checker, senderNode, /* @__PURE__ */ new Map());
    }
    function isUnsafeAssignmentWorker(type, receiver, checker, senderNode, visited) {
      if ((0, predicates_1.isTypeAnyType)(type)) {
        if ((0, predicates_1.isTypeUnknownType)(receiver)) {
          return false;
        }
        if (!(0, predicates_1.isTypeAnyType)(receiver)) {
          return { sender: type, receiver };
        }
      }
      const typeAlreadyVisited = visited.get(type);
      if (typeAlreadyVisited) {
        if (typeAlreadyVisited.has(receiver)) {
          return false;
        }
        typeAlreadyVisited.add(receiver);
      } else {
        visited.set(type, /* @__PURE__ */ new Set([receiver]));
      }
      if (tsutils.isTypeReference(type) && tsutils.isTypeReference(receiver)) {
        if (type.target !== receiver.target) {
          return false;
        }
        if (senderNode?.type === utils_1.AST_NODE_TYPES.NewExpression && senderNode.callee.type === utils_1.AST_NODE_TYPES.Identifier && senderNode.callee.name === "Map" && senderNode.arguments.length === 0 && senderNode.typeArguments == null) {
          return false;
        }
        const typeArguments = type.typeArguments ?? [];
        const receiverTypeArguments = receiver.typeArguments ?? [];
        for (let i = 0; i < typeArguments.length; i += 1) {
          const arg = typeArguments[i];
          const receiverArg = receiverTypeArguments[i];
          const unsafe = isUnsafeAssignmentWorker(arg, receiverArg, checker, senderNode, visited);
          if (unsafe) {
            return { sender: type, receiver };
          }
        }
        return false;
      }
      return false;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/requiresQuoting.js
var require_requiresQuoting = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/requiresQuoting.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.requiresQuoting = requiresQuoting;
    var ts = __importStar2(require_typescript());
    function requiresQuoting(name, target = ts.ScriptTarget.ESNext) {
      if (name.length === 0) {
        return true;
      }
      if (!ts.isIdentifierStart(name.charCodeAt(0), target)) {
        return true;
      }
      for (let i = 1; i < name.length; i += 1) {
        if (!ts.isIdentifierPart(name.charCodeAt(i), target)) {
          return true;
        }
      }
      return false;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/index.js
var require_dist6 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/type-utils/dist/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) {
      for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p);
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.typescriptVersionIsAtLeast = exports2.getModifiers = exports2.getDecorators = void 0;
    __exportStar2(require_builtinSymbolLikes(), exports2);
    __exportStar2(require_containsAllTypesByName(), exports2);
    __exportStar2(require_getConstrainedTypeAtLocation(), exports2);
    __exportStar2(require_getContextualType(), exports2);
    __exportStar2(require_getDeclaration(), exports2);
    __exportStar2(require_getSourceFileOfNode(), exports2);
    __exportStar2(require_getTokenAtPosition(), exports2);
    __exportStar2(require_getTypeArguments(), exports2);
    __exportStar2(require_getTypeName(), exports2);
    __exportStar2(require_isSymbolFromDefaultLibrary(), exports2);
    __exportStar2(require_isTypeReadonly(), exports2);
    __exportStar2(require_isUnsafeAssignment(), exports2);
    __exportStar2(require_predicates3(), exports2);
    __exportStar2(require_propertyTypes(), exports2);
    __exportStar2(require_requiresQuoting(), exports2);
    __exportStar2(require_TypeOrValueSpecifier(), exports2);
    __exportStar2(require_typeFlagUtils(), exports2);
    var typescript_estree_1 = require_dist5();
    Object.defineProperty(exports2, "getDecorators", { enumerable: true, get: function() {
      return typescript_estree_1.getDecorators;
    } });
    Object.defineProperty(exports2, "getModifiers", { enumerable: true, get: function() {
      return typescript_estree_1.getModifiers;
    } });
    Object.defineProperty(exports2, "typescriptVersionIsAtLeast", { enumerable: true, get: function() {
      return typescript_estree_1.typescriptVersionIsAtLeast;
    } });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/misc.js
var require_misc2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/misc.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.MemberNameType = void 0;
    exports2.arrayGroupByToMap = arrayGroupByToMap;
    exports2.arraysAreEqual = arraysAreEqual;
    exports2.findFirstResult = findFirstResult;
    exports2.formatWordList = formatWordList;
    exports2.getEnumNames = getEnumNames;
    exports2.getNameFromIndexSignature = getNameFromIndexSignature;
    exports2.getNameFromMember = getNameFromMember;
    exports2.isDefinitionFile = isDefinitionFile;
    exports2.isRestParameterDeclaration = isRestParameterDeclaration;
    exports2.isParenlessArrowFunction = isParenlessArrowFunction;
    exports2.typeNodeRequiresParentheses = typeNodeRequiresParentheses;
    exports2.upperCaseFirst = upperCaseFirst;
    exports2.findLastIndex = findLastIndex;
    var type_utils_1 = require_dist6();
    var utils_1 = require_dist4();
    var ts = __importStar2(require_typescript());
    var astUtils_1 = require_astUtils();
    var DEFINITION_EXTENSIONS = [
      ts.Extension.Dts,
      ts.Extension.Dcts,
      ts.Extension.Dmts
    ];
    function isDefinitionFile(fileName) {
      const lowerFileName = fileName.toLowerCase();
      for (const definitionExt of DEFINITION_EXTENSIONS) {
        if (lowerFileName.endsWith(definitionExt)) {
          return true;
        }
      }
      return false;
    }
    function upperCaseFirst(str) {
      return str[0].toUpperCase() + str.slice(1);
    }
    function arrayGroupByToMap(array, getKey) {
      const groups = /* @__PURE__ */ new Map();
      for (const item of array) {
        const key = getKey(item);
        const existing = groups.get(key);
        if (existing) {
          existing.push(item);
        } else {
          groups.set(key, [item]);
        }
      }
      return groups;
    }
    function arraysAreEqual(a, b, eq2) {
      return a === b || a !== void 0 && b !== void 0 && a.length === b.length && a.every((x, idx) => eq2(x, b[idx]));
    }
    function findFirstResult(inputs, getResult) {
      for (const element of inputs) {
        const result = getResult(element);
        if (result !== void 0) {
          return result;
        }
      }
      return void 0;
    }
    function getNameFromIndexSignature(node) {
      const propName = node.parameters.find((parameter) => parameter.type === utils_1.AST_NODE_TYPES.Identifier);
      return propName ? propName.name : "(index signature)";
    }
    var MemberNameType;
    (function(MemberNameType2) {
      MemberNameType2[MemberNameType2["Private"] = 1] = "Private";
      MemberNameType2[MemberNameType2["Quoted"] = 2] = "Quoted";
      MemberNameType2[MemberNameType2["Normal"] = 3] = "Normal";
      MemberNameType2[MemberNameType2["Expression"] = 4] = "Expression";
    })(MemberNameType || (exports2.MemberNameType = MemberNameType = {}));
    function getNameFromMember(member, sourceCode) {
      if (member.key.type === utils_1.AST_NODE_TYPES.Identifier) {
        return {
          type: MemberNameType.Normal,
          name: member.key.name
        };
      }
      if (member.key.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
        return {
          type: MemberNameType.Private,
          name: `#${member.key.name}`
        };
      }
      if (member.key.type === utils_1.AST_NODE_TYPES.Literal) {
        const name = `${member.key.value}`;
        if ((0, type_utils_1.requiresQuoting)(name)) {
          return {
            type: MemberNameType.Quoted,
            name: `"${name}"`
          };
        }
        return {
          type: MemberNameType.Normal,
          name
        };
      }
      return {
        type: MemberNameType.Expression,
        name: sourceCode.text.slice(...member.key.range)
      };
    }
    function getEnumNames(myEnum) {
      return Object.keys(myEnum).filter((x) => isNaN(parseInt(x)));
    }
    function formatWordList(words2) {
      if (!words2.length) {
        return "";
      }
      if (words2.length === 1) {
        return words2[0];
      }
      return [words2.slice(0, -1).join(", "), words2.slice(-1)[0]].join(" and ");
    }
    function findLastIndex(members, predicate) {
      let idx = members.length - 1;
      while (idx >= 0) {
        const valid = predicate(members[idx]);
        if (valid) {
          return idx;
        }
        idx--;
      }
      return -1;
    }
    function typeNodeRequiresParentheses(node, text) {
      return node.type === utils_1.AST_NODE_TYPES.TSFunctionType || node.type === utils_1.AST_NODE_TYPES.TSConstructorType || node.type === utils_1.AST_NODE_TYPES.TSConditionalType || node.type === utils_1.AST_NODE_TYPES.TSUnionType && text.startsWith("|") || node.type === utils_1.AST_NODE_TYPES.TSIntersectionType && text.startsWith("&");
    }
    function isRestParameterDeclaration(decl) {
      return ts.isParameter(decl) && decl.dotDotDotToken != null;
    }
    function isParenlessArrowFunction(node, sourceCode) {
      return node.params.length === 1 && !(0, astUtils_1.isParenthesized)(node.params[0], sourceCode);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/objectIterators.js
var require_objectIterators = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/objectIterators.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.objectForEachKey = objectForEachKey;
    exports2.objectMapKey = objectMapKey;
    exports2.objectReduceKey = objectReduceKey;
    function objectForEachKey(obj, callback) {
      const keys2 = Object.keys(obj);
      for (const key of keys2) {
        callback(key);
      }
    }
    function objectMapKey(obj, callback) {
      const values = [];
      objectForEachKey(obj, (key) => {
        values.push(callback(key));
      });
      return values;
    }
    function objectReduceKey(obj, callback, initial) {
      let accumulator = initial;
      objectForEachKey(obj, (key) => {
        accumulator = callback(accumulator, key);
      });
      return accumulator;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/types.js
var require_types = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/types.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/isAssignee.js
var require_isAssignee = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/isAssignee.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isAssignee = isAssignee;
    var utils_1 = require_dist4();
    function isAssignee(node) {
      const parent = node.parent;
      if (!parent) {
        return false;
      }
      if (parent.type === utils_1.AST_NODE_TYPES.AssignmentExpression && parent.left === node) {
        return true;
      }
      if (parent.type === utils_1.AST_NODE_TYPES.UnaryExpression && parent.operator === "delete" && parent.argument === node) {
        return true;
      }
      if (parent.type === utils_1.AST_NODE_TYPES.UpdateExpression && parent.argument === node) {
        return true;
      }
      if (parent.type === utils_1.AST_NODE_TYPES.ArrayPattern) {
        return true;
      }
      if (parent.type === utils_1.AST_NODE_TYPES.RestElement) {
        return true;
      }
      if (parent.type === utils_1.AST_NODE_TYPES.Property && parent.value === node && parent.parent.type === utils_1.AST_NODE_TYPES.ObjectExpression && isAssignee(parent.parent)) {
        return true;
      }
      return false;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/index.js
var require_util4 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) {
      for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p);
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.NullThrowsReasons = exports2.nullThrows = exports2.getParserServices = exports2.isObjectNotArray = exports2.deepMerge = exports2.applyDefault = void 0;
    var utils_1 = require_dist4();
    __exportStar2(require_astUtils(), exports2);
    __exportStar2(require_collectUnusedVariables(), exports2);
    __exportStar2(require_createRule(), exports2);
    __exportStar2(require_getFunctionHeadLoc(), exports2);
    __exportStar2(require_getOperatorPrecedence(), exports2);
    __exportStar2(require_getStaticStringValue(), exports2);
    __exportStar2(require_getStringLength(), exports2);
    __exportStar2(require_getTextWithParentheses(), exports2);
    __exportStar2(require_getThisExpression(), exports2);
    __exportStar2(require_getWrappingFixer(), exports2);
    __exportStar2(require_isNodeEqual(), exports2);
    __exportStar2(require_isNullLiteral(), exports2);
    __exportStar2(require_isUndefinedIdentifier(), exports2);
    __exportStar2(require_misc2(), exports2);
    __exportStar2(require_objectIterators(), exports2);
    __exportStar2(require_types(), exports2);
    __exportStar2(require_isAssignee(), exports2);
    __exportStar2(require_dist6(), exports2);
    var { applyDefault, deepMerge, isObjectNotArray, getParserServices, nullThrows, NullThrowsReasons } = utils_1.ESLintUtils;
    exports2.applyDefault = applyDefault;
    exports2.deepMerge = deepMerge;
    exports2.isObjectNotArray = isObjectNotArray;
    exports2.getParserServices = getParserServices;
    exports2.nullThrows = nullThrows;
    exports2.NullThrowsReasons = NullThrowsReasons;
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/adjacent-overload-signatures.js
var require_adjacent_overload_signatures = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/adjacent-overload-signatures.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "adjacent-overload-signatures",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require that function overload signatures be consecutive",
          recommended: "stylistic"
        },
        schema: [],
        messages: {
          adjacentSignature: "All {{name}} signatures should be adjacent."
        }
      },
      defaultOptions: [],
      create(context) {
        function getMemberMethod(member) {
          switch (member.type) {
            case utils_1.AST_NODE_TYPES.ExportDefaultDeclaration:
            case utils_1.AST_NODE_TYPES.ExportNamedDeclaration: {
              if (!member.declaration) {
                return null;
              }
              return getMemberMethod(member.declaration);
            }
            case utils_1.AST_NODE_TYPES.TSDeclareFunction:
            case utils_1.AST_NODE_TYPES.FunctionDeclaration: {
              const name = member.id?.name ?? null;
              if (name == null) {
                return null;
              }
              return {
                name,
                callSignature: false,
                type: util_1.MemberNameType.Normal
              };
            }
            case utils_1.AST_NODE_TYPES.TSMethodSignature:
              return {
                ...(0, util_1.getNameFromMember)(member, context.sourceCode),
                static: !!member.static,
                callSignature: false
              };
            case utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration:
              return {
                name: "call",
                callSignature: true,
                type: util_1.MemberNameType.Normal
              };
            case utils_1.AST_NODE_TYPES.TSConstructSignatureDeclaration:
              return {
                name: "new",
                callSignature: false,
                type: util_1.MemberNameType.Normal
              };
            case utils_1.AST_NODE_TYPES.MethodDefinition:
              return {
                ...(0, util_1.getNameFromMember)(member, context.sourceCode),
                static: !!member.static,
                callSignature: false
              };
          }
          return null;
        }
        function isSameMethod(method1, method2) {
          return !!method2 && method1.name === method2.name && method1.static === method2.static && method1.callSignature === method2.callSignature && method1.type === method2.type;
        }
        function getMembers(node) {
          switch (node.type) {
            case utils_1.AST_NODE_TYPES.ClassBody:
            case utils_1.AST_NODE_TYPES.Program:
            case utils_1.AST_NODE_TYPES.TSModuleBlock:
            case utils_1.AST_NODE_TYPES.TSInterfaceBody:
            case utils_1.AST_NODE_TYPES.BlockStatement:
              return node.body;
            case utils_1.AST_NODE_TYPES.TSTypeLiteral:
              return node.members;
          }
        }
        function checkBodyForOverloadMethods(node) {
          const members = getMembers(node);
          let lastMethod = null;
          const seenMethods = [];
          members.forEach((member) => {
            const method = getMemberMethod(member);
            if (method == null) {
              lastMethod = null;
              return;
            }
            const index = seenMethods.findIndex((seenMethod) => isSameMethod(method, seenMethod));
            if (index > -1 && !isSameMethod(method, lastMethod)) {
              context.report({
                node: member,
                messageId: "adjacentSignature",
                data: {
                  name: `${method.static ? "static " : ""}${method.name}`
                }
              });
            } else if (index === -1) {
              seenMethods.push(method);
            }
            lastMethod = method;
          });
        }
        return {
          ClassBody: checkBodyForOverloadMethods,
          Program: checkBodyForOverloadMethods,
          TSModuleBlock: checkBodyForOverloadMethods,
          TSTypeLiteral: checkBodyForOverloadMethods,
          TSInterfaceBody: checkBodyForOverloadMethods,
          BlockStatement: checkBodyForOverloadMethods
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/array-type.js
var require_array_type = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/array-type.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    function isSimpleType(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.Identifier:
        case utils_1.AST_NODE_TYPES.TSAnyKeyword:
        case utils_1.AST_NODE_TYPES.TSBooleanKeyword:
        case utils_1.AST_NODE_TYPES.TSNeverKeyword:
        case utils_1.AST_NODE_TYPES.TSNumberKeyword:
        case utils_1.AST_NODE_TYPES.TSBigIntKeyword:
        case utils_1.AST_NODE_TYPES.TSObjectKeyword:
        case utils_1.AST_NODE_TYPES.TSStringKeyword:
        case utils_1.AST_NODE_TYPES.TSSymbolKeyword:
        case utils_1.AST_NODE_TYPES.TSUnknownKeyword:
        case utils_1.AST_NODE_TYPES.TSVoidKeyword:
        case utils_1.AST_NODE_TYPES.TSNullKeyword:
        case utils_1.AST_NODE_TYPES.TSArrayType:
        case utils_1.AST_NODE_TYPES.TSUndefinedKeyword:
        case utils_1.AST_NODE_TYPES.TSThisType:
        case utils_1.AST_NODE_TYPES.TSQualifiedName:
          return true;
        case utils_1.AST_NODE_TYPES.TSTypeReference:
          if (node.typeName.type === utils_1.AST_NODE_TYPES.Identifier && node.typeName.name === "Array") {
            if (!node.typeArguments) {
              return true;
            }
            if (node.typeArguments.params.length === 1) {
              return isSimpleType(node.typeArguments.params[0]);
            }
          } else {
            if (node.typeArguments) {
              return false;
            }
            return isSimpleType(node.typeName);
          }
          return false;
        default:
          return false;
      }
    }
    function typeNeedsParentheses(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.TSTypeReference:
          return typeNeedsParentheses(node.typeName);
        case utils_1.AST_NODE_TYPES.TSUnionType:
        case utils_1.AST_NODE_TYPES.TSFunctionType:
        case utils_1.AST_NODE_TYPES.TSIntersectionType:
        case utils_1.AST_NODE_TYPES.TSTypeOperator:
        case utils_1.AST_NODE_TYPES.TSInferType:
        case utils_1.AST_NODE_TYPES.TSConstructorType:
          return true;
        case utils_1.AST_NODE_TYPES.Identifier:
          return node.name === "ReadonlyArray";
        default:
          return false;
      }
    }
    exports2.default = (0, util_1.createRule)({
      name: "array-type",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require consistently using either `T[]` or `Array` for arrays",
          recommended: "stylistic"
        },
        fixable: "code",
        messages: {
          errorStringGeneric: "Array type using '{{readonlyPrefix}}{{type}}[]' is forbidden. Use '{{className}}<{{type}}>' instead.",
          errorStringArray: "Array type using '{{className}}<{{type}}>' is forbidden. Use '{{readonlyPrefix}}{{type}}[]' instead.",
          errorStringArrayReadonly: "Array type using '{{className}}<{{type}}>' is forbidden. Use '{{readonlyPrefix}}{{type}}' instead.",
          errorStringArraySimple: "Array type using '{{className}}<{{type}}>' is forbidden for simple types. Use '{{readonlyPrefix}}{{type}}[]' instead.",
          errorStringGenericSimple: "Array type using '{{readonlyPrefix}}{{type}}[]' is forbidden for non-simple types. Use '{{className}}<{{type}}>' instead."
        },
        schema: [
          {
            $defs: {
              arrayOption: {
                type: "string",
                enum: ["array", "generic", "array-simple"]
              }
            },
            additionalProperties: false,
            properties: {
              default: {
                $ref: "#/items/0/$defs/arrayOption",
                description: "The array type expected for mutable cases."
              },
              readonly: {
                $ref: "#/items/0/$defs/arrayOption",
                description: "The array type expected for readonly cases. If omitted, the value for `default` will be used."
              }
            },
            type: "object"
          }
        ]
      },
      defaultOptions: [
        {
          default: "array"
        }
      ],
      create(context, [options]) {
        const defaultOption = options.default;
        const readonlyOption = options.readonly ?? defaultOption;
        function getMessageType(node) {
          if (isSimpleType(node)) {
            return context.sourceCode.getText(node);
          }
          return "T";
        }
        return {
          TSArrayType(node) {
            const isReadonly = node.parent.type === utils_1.AST_NODE_TYPES.TSTypeOperator && node.parent.operator === "readonly";
            const currentOption = isReadonly ? readonlyOption : defaultOption;
            if (currentOption === "array" || currentOption === "array-simple" && isSimpleType(node.elementType)) {
              return;
            }
            const messageId4 = currentOption === "generic" ? "errorStringGeneric" : "errorStringGenericSimple";
            const errorNode = isReadonly ? node.parent : node;
            context.report({
              node: errorNode,
              messageId: messageId4,
              data: {
                className: isReadonly ? "ReadonlyArray" : "Array",
                readonlyPrefix: isReadonly ? "readonly " : "",
                type: getMessageType(node.elementType)
              },
              fix(fixer) {
                const typeNode = node.elementType;
                const arrayType2 = isReadonly ? "ReadonlyArray" : "Array";
                return [
                  fixer.replaceTextRange([errorNode.range[0], typeNode.range[0]], `${arrayType2}<`),
                  fixer.replaceTextRange([typeNode.range[1], errorNode.range[1]], ">")
                ];
              }
            });
          },
          TSTypeReference(node) {
            if (node.typeName.type !== utils_1.AST_NODE_TYPES.Identifier || !(node.typeName.name === "Array" || node.typeName.name === "ReadonlyArray" || node.typeName.name === "Readonly") || node.typeName.name === "Readonly" && node.typeArguments?.params[0].type !== utils_1.AST_NODE_TYPES.TSArrayType) {
              return;
            }
            const isReadonlyWithGenericArrayType = node.typeName.name === "Readonly" && node.typeArguments?.params[0].type === utils_1.AST_NODE_TYPES.TSArrayType;
            const isReadonlyArrayType = node.typeName.name === "ReadonlyArray" || isReadonlyWithGenericArrayType;
            const currentOption = isReadonlyArrayType ? readonlyOption : defaultOption;
            if (currentOption === "generic") {
              return;
            }
            const readonlyPrefix = isReadonlyArrayType ? "readonly " : "";
            const typeParams = node.typeArguments?.params;
            const messageId4 = currentOption === "array" ? isReadonlyWithGenericArrayType ? "errorStringArrayReadonly" : "errorStringArray" : "errorStringArraySimple";
            if (!typeParams || typeParams.length === 0) {
              context.report({
                node,
                messageId: messageId4,
                data: {
                  className: isReadonlyArrayType ? "ReadonlyArray" : "Array",
                  readonlyPrefix,
                  type: "any"
                },
                fix(fixer) {
                  return fixer.replaceText(node, `${readonlyPrefix}any[]`);
                }
              });
              return;
            }
            if (typeParams.length !== 1 || currentOption === "array-simple" && !isSimpleType(typeParams[0])) {
              return;
            }
            const type = typeParams[0];
            const typeParens = typeNeedsParentheses(type);
            const parentParens = readonlyPrefix && node.parent.type === utils_1.AST_NODE_TYPES.TSArrayType && !(0, util_1.isParenthesized)(node.parent.elementType, context.sourceCode);
            const start = `${parentParens ? "(" : ""}${readonlyPrefix}${typeParens ? "(" : ""}`;
            const end = `${typeParens ? ")" : ""}${isReadonlyWithGenericArrayType ? "" : `[]`}${parentParens ? ")" : ""}`;
            context.report({
              node,
              messageId: messageId4,
              data: {
                className: isReadonlyArrayType ? node.typeName.name : "Array",
                readonlyPrefix,
                type: getMessageType(type)
              },
              fix(fixer) {
                return [
                  fixer.replaceTextRange([node.range[0], type.range[0]], start),
                  fixer.replaceTextRange([type.range[1], node.range[1]], end)
                ];
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/await-thenable.js
var require_await_thenable = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/await-thenable.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tsutils = __importStar2(require_lib5());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "await-thenable",
      meta: {
        docs: {
          description: "Disallow awaiting a value that is not a Thenable",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        hasSuggestions: true,
        messages: {
          await: 'Unexpected `await` of a non-Promise (non-"Thenable") value.',
          removeAwait: "Remove unnecessary `await`."
        },
        schema: [],
        type: "problem"
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        return {
          AwaitExpression(node) {
            const type = services.getTypeAtLocation(node.argument);
            if ((0, util_1.isTypeAnyType)(type) || (0, util_1.isTypeUnknownType)(type)) {
              return;
            }
            const originalNode = services.esTreeNodeToTSNodeMap.get(node);
            if (!tsutils.isThenableType(checker, originalNode.expression, type)) {
              context.report({
                messageId: "await",
                node,
                suggest: [
                  {
                    messageId: "removeAwait",
                    fix(fixer) {
                      const awaitKeyword = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(node, util_1.isAwaitKeyword), util_1.NullThrowsReasons.MissingToken("await", "await expression"));
                      return fixer.remove(awaitKeyword);
                    }
                  }
                ]
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/ban-ts-comment.js
var require_ban_ts_comment = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/ban-ts-comment.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var defaultMinimumDescriptionLength = 3;
    exports2.default = (0, util_1.createRule)({
      name: "ban-ts-comment",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow `@ts-` comments or require descriptions after directives",
          recommended: {
            recommended: true,
            strict: [{ minimumDescriptionLength: 10 }]
          }
        },
        messages: {
          tsDirectiveComment: 'Do not use "@ts-{{directive}}" because it alters compilation errors.',
          tsIgnoreInsteadOfExpectError: 'Use "@ts-expect-error" instead of "@ts-ignore", as "@ts-ignore" will do nothing if the following line is error-free.',
          tsDirectiveCommentRequiresDescription: 'Include a description after the "@ts-{{directive}}" directive to explain why the @ts-{{directive}} is necessary. The description must be {{minimumDescriptionLength}} characters or longer.',
          tsDirectiveCommentDescriptionNotMatchPattern: 'The description for the "@ts-{{directive}}" directive must match the {{format}} format.',
          replaceTsIgnoreWithTsExpectError: 'Replace "@ts-ignore" with "@ts-expect-error".'
        },
        hasSuggestions: true,
        schema: [
          {
            $defs: {
              directiveConfigSchema: {
                oneOf: [
                  {
                    type: "boolean",
                    default: true
                  },
                  {
                    type: "string",
                    enum: ["allow-with-description"]
                  },
                  {
                    type: "object",
                    additionalProperties: false,
                    properties: {
                      descriptionFormat: { type: "string" }
                    }
                  }
                ]
              }
            },
            properties: {
              "ts-expect-error": { $ref: "#/items/0/$defs/directiveConfigSchema" },
              "ts-ignore": { $ref: "#/items/0/$defs/directiveConfigSchema" },
              "ts-nocheck": { $ref: "#/items/0/$defs/directiveConfigSchema" },
              "ts-check": { $ref: "#/items/0/$defs/directiveConfigSchema" },
              minimumDescriptionLength: {
                type: "number",
                default: defaultMinimumDescriptionLength
              }
            },
            type: "object",
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          "ts-expect-error": "allow-with-description",
          "ts-ignore": true,
          "ts-nocheck": true,
          "ts-check": false,
          minimumDescriptionLength: defaultMinimumDescriptionLength
        }
      ],
      create(context, [options]) {
        const singleLinePragmaRegEx = /^\/\/\/?\s*@ts-(?check|nocheck)(?.*)$/;
        const commentDirectiveRegExSingleLine = /^\/*\s*@ts-(?expect-error|ignore)(?.*)/;
        const commentDirectiveRegExMultiLine = /^\s*(?:\/|\*)*\s*@ts-(?expect-error|ignore)(?.*)/;
        const descriptionFormats = /* @__PURE__ */ new Map();
        for (const directive of [
          "ts-expect-error",
          "ts-ignore",
          "ts-nocheck",
          "ts-check"
        ]) {
          const option = options[directive];
          if (typeof option === "object" && option.descriptionFormat) {
            descriptionFormats.set(directive, new RegExp(option.descriptionFormat));
          }
        }
        function execDirectiveRegEx(regex, str) {
          const match = regex.exec(str);
          if (!match) {
            return null;
          }
          const { directive, description } = (0, util_1.nullThrows)(match.groups, "RegExp should contain groups");
          return {
            directive: (0, util_1.nullThrows)(directive, 'RegExp should contain "directive" group'),
            description: (0, util_1.nullThrows)(description, 'RegExp should contain "description" group')
          };
        }
        function findDirectiveInComment(comment) {
          if (comment.type === utils_1.AST_TOKEN_TYPES.Line) {
            const matchedPragma = execDirectiveRegEx(singleLinePragmaRegEx, `//${comment.value}`);
            if (matchedPragma) {
              return matchedPragma;
            }
            return execDirectiveRegEx(commentDirectiveRegExSingleLine, comment.value);
          }
          const commentLines = comment.value.split("\n");
          return execDirectiveRegEx(commentDirectiveRegExMultiLine, commentLines[commentLines.length - 1]);
        }
        return {
          Program() {
            const comments = context.sourceCode.getAllComments();
            comments.forEach((comment) => {
              const match = findDirectiveInComment(comment);
              if (!match) {
                return;
              }
              const { directive, description } = match;
              const fullDirective = `ts-${directive}`;
              const option = options[fullDirective];
              if (option === true) {
                if (directive === "ignore") {
                  context.report({
                    node: comment,
                    messageId: "tsIgnoreInsteadOfExpectError",
                    suggest: [
                      {
                        messageId: "replaceTsIgnoreWithTsExpectError",
                        fix(fixer) {
                          const commentText = comment.value.replace(/@ts-ignore/, "@ts-expect-error");
                          return fixer.replaceText(comment, comment.type === utils_1.AST_TOKEN_TYPES.Line ? `//${commentText}` : `/*${commentText}*/`);
                        }
                      }
                    ]
                  });
                } else {
                  context.report({
                    data: { directive },
                    node: comment,
                    messageId: "tsDirectiveComment"
                  });
                }
              }
              if (option === "allow-with-description" || typeof option === "object" && option.descriptionFormat) {
                const { minimumDescriptionLength } = options;
                const format2 = descriptionFormats.get(fullDirective);
                if ((0, util_1.getStringLength)(description.trim()) < (0, util_1.nullThrows)(minimumDescriptionLength, "Expected minimumDescriptionLength to be set")) {
                  context.report({
                    data: { directive, minimumDescriptionLength },
                    node: comment,
                    messageId: "tsDirectiveCommentRequiresDescription"
                  });
                } else if (format2 && !format2.test(description)) {
                  context.report({
                    data: { directive, format: format2.source },
                    node: comment,
                    messageId: "tsDirectiveCommentDescriptionNotMatchPattern"
                  });
                }
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/ban-tslint-comment.js
var require_ban_tslint_comment = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/ban-tslint-comment.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var ENABLE_DISABLE_REGEX = /^\s*tslint:(enable|disable)(?:-(line|next-line))?(:|\s|$)/;
    var toText = (text, type) => type === utils_1.AST_TOKEN_TYPES.Line ? ["//", text.trim()].join(" ") : ["/*", text.trim(), "*/"].join(" ");
    exports2.default = (0, util_1.createRule)({
      name: "ban-tslint-comment",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow `// tslint:` comments",
          recommended: "stylistic"
        },
        messages: {
          commentDetected: 'tslint comment detected: "{{ text }}"'
        },
        schema: [],
        fixable: "code"
      },
      defaultOptions: [],
      create: (context) => {
        return {
          Program() {
            const comments = context.sourceCode.getAllComments();
            comments.forEach((c) => {
              if (ENABLE_DISABLE_REGEX.test(c.value)) {
                context.report({
                  data: { text: toText(c.value, c.type) },
                  node: c,
                  messageId: "commentDetected",
                  fix(fixer) {
                    const rangeStart = context.sourceCode.getIndexFromLoc({
                      column: c.loc.start.column > 0 ? c.loc.start.column - 1 : 0,
                      line: c.loc.start.line
                    });
                    const rangeEnd = context.sourceCode.getIndexFromLoc({
                      column: c.loc.end.column,
                      line: c.loc.end.line
                    });
                    return fixer.removeRange([rangeStart, rangeEnd + 1]);
                  }
                });
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/ban-types.js
var require_ban_types = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/ban-types.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.TYPE_KEYWORDS = void 0;
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    function removeSpaces(str) {
      return str.replace(/\s/g, "");
    }
    function stringifyNode(node, sourceCode) {
      return removeSpaces(sourceCode.getText(node));
    }
    function getCustomMessage(bannedType) {
      if (bannedType == null || bannedType === true) {
        return "";
      }
      if (typeof bannedType === "string") {
        return ` ${bannedType}`;
      }
      if (bannedType.message) {
        return ` ${bannedType.message}`;
      }
      return "";
    }
    var defaultTypes = {
      String: {
        message: "Use string instead",
        fixWith: "string"
      },
      Boolean: {
        message: "Use boolean instead",
        fixWith: "boolean"
      },
      Number: {
        message: "Use number instead",
        fixWith: "number"
      },
      Symbol: {
        message: "Use symbol instead",
        fixWith: "symbol"
      },
      BigInt: {
        message: "Use bigint instead",
        fixWith: "bigint"
      },
      Function: {
        message: [
          "The `Function` type accepts any function-like value.",
          "It provides no type safety when calling the function, which can be a common source of bugs.",
          "It also accepts things like class declarations, which will throw at runtime as they will not be called with `new`.",
          "If you are expecting the function to accept certain arguments, you should explicitly define the function shape."
        ].join("\n")
      },
      // object typing
      Object: {
        message: [
          'The `Object` type actually means "any non-nullish value", so it is marginally better than `unknown`.',
          '- If you want a type meaning "any object", you probably want `object` instead.',
          '- If you want a type meaning "any value", you probably want `unknown` instead.',
          '- If you really want a type meaning "any non-nullish value", you probably want `NonNullable` instead.'
        ].join("\n"),
        suggest: ["object", "unknown", "NonNullable"]
      },
      "{}": {
        message: [
          '`{}` actually means "any non-nullish value".',
          '- If you want a type meaning "any object", you probably want `object` instead.',
          '- If you want a type meaning "any value", you probably want `unknown` instead.',
          '- If you want a type meaning "empty object", you probably want `Record` instead.',
          '- If you really want a type meaning "any non-nullish value", you probably want `NonNullable` instead.'
        ].join("\n"),
        suggest: [
          "object",
          "unknown",
          "Record",
          "NonNullable"
        ]
      }
    };
    exports2.TYPE_KEYWORDS = {
      bigint: utils_1.AST_NODE_TYPES.TSBigIntKeyword,
      boolean: utils_1.AST_NODE_TYPES.TSBooleanKeyword,
      never: utils_1.AST_NODE_TYPES.TSNeverKeyword,
      null: utils_1.AST_NODE_TYPES.TSNullKeyword,
      number: utils_1.AST_NODE_TYPES.TSNumberKeyword,
      object: utils_1.AST_NODE_TYPES.TSObjectKeyword,
      string: utils_1.AST_NODE_TYPES.TSStringKeyword,
      symbol: utils_1.AST_NODE_TYPES.TSSymbolKeyword,
      undefined: utils_1.AST_NODE_TYPES.TSUndefinedKeyword,
      unknown: utils_1.AST_NODE_TYPES.TSUnknownKeyword,
      void: utils_1.AST_NODE_TYPES.TSVoidKeyword
    };
    exports2.default = (0, util_1.createRule)({
      name: "ban-types",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow certain types",
          recommended: "recommended"
        },
        fixable: "code",
        hasSuggestions: true,
        messages: {
          bannedTypeMessage: "Don't use `{{name}}` as a type.{{customMessage}}",
          bannedTypeReplacement: "Replace `{{name}}` with `{{replacement}}`."
        },
        schema: [
          {
            $defs: {
              banConfig: {
                oneOf: [
                  {
                    type: "null",
                    description: "Bans the type with the default message"
                  },
                  {
                    type: "boolean",
                    enum: [false],
                    description: "Un-bans the type (useful when paired with `extendDefaults`)"
                  },
                  {
                    type: "boolean",
                    enum: [true],
                    description: "Bans the type with the default message"
                  },
                  {
                    type: "string",
                    description: "Bans the type with a custom message"
                  },
                  {
                    type: "object",
                    description: "Bans a type",
                    properties: {
                      message: {
                        type: "string",
                        description: "Custom error message"
                      },
                      fixWith: {
                        type: "string",
                        description: "Type to autofix replace with. Note that autofixers can be applied automatically - so you need to be careful with this option."
                      },
                      suggest: {
                        type: "array",
                        items: { type: "string" },
                        description: "Types to suggest replacing with.",
                        additionalItems: false
                      }
                    },
                    additionalProperties: false
                  }
                ]
              }
            },
            type: "object",
            properties: {
              types: {
                type: "object",
                additionalProperties: {
                  $ref: "#/items/0/$defs/banConfig"
                }
              },
              extendDefaults: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [{}],
      create(context, [options]) {
        const extendDefaults = options.extendDefaults ?? true;
        const customTypes = options.types ?? {};
        const types = Object.assign({}, extendDefaults ? defaultTypes : {}, customTypes);
        const bannedTypes = new Map(Object.entries(types).map(([type, data]) => [removeSpaces(type), data]));
        function checkBannedTypes(typeNode, name = stringifyNode(typeNode, context.sourceCode)) {
          const bannedType = bannedTypes.get(name);
          if (bannedType === void 0 || bannedType === false) {
            return;
          }
          const customMessage = getCustomMessage(bannedType);
          const fixWith = bannedType && typeof bannedType === "object" && bannedType.fixWith;
          const suggest = bannedType && typeof bannedType === "object" ? bannedType.suggest : void 0;
          context.report({
            node: typeNode,
            messageId: "bannedTypeMessage",
            data: {
              name,
              customMessage
            },
            fix: fixWith ? (fixer) => fixer.replaceText(typeNode, fixWith) : null,
            suggest: suggest?.map((replacement) => ({
              messageId: "bannedTypeReplacement",
              data: {
                name,
                replacement
              },
              fix: (fixer) => fixer.replaceText(typeNode, replacement)
            }))
          });
        }
        const keywordSelectors = (0, util_1.objectReduceKey)(exports2.TYPE_KEYWORDS, (acc, keyword) => {
          if (bannedTypes.has(keyword)) {
            acc[exports2.TYPE_KEYWORDS[keyword]] = (node) => checkBannedTypes(node, keyword);
          }
          return acc;
        }, {});
        return {
          ...keywordSelectors,
          TSTypeLiteral(node) {
            if (node.members.length) {
              return;
            }
            checkBannedTypes(node);
          },
          TSTupleType(node) {
            if (node.elementTypes.length === 0) {
              checkBannedTypes(node);
            }
          },
          TSTypeReference(node) {
            checkBannedTypes(node.typeName);
            if (node.typeArguments) {
              checkBannedTypes(node);
            }
          },
          TSInterfaceHeritage(node) {
            checkBannedTypes(node);
          },
          TSClassImplements(node) {
            checkBannedTypes(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getESLintCoreRule.js
var require_getESLintCoreRule = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getESLintCoreRule.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getESLintCoreRule = void 0;
    exports2.maybeGetESLintCoreRule = maybeGetESLintCoreRule;
    var utils_1 = require_dist4();
    var use_at_your_own_risk_1 = require("eslint/use-at-your-own-risk");
    var getESLintCoreRule = (ruleId) => utils_1.ESLintUtils.nullThrows(use_at_your_own_risk_1.builtinRules.get(ruleId), `ESLint's core rule '${ruleId}' not found.`);
    exports2.getESLintCoreRule = getESLintCoreRule;
    function maybeGetESLintCoreRule(ruleId) {
      try {
        return (0, exports2.getESLintCoreRule)(ruleId);
      } catch {
        return null;
      }
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/block-spacing.js
var require_block_spacing = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/block-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("block-spacing");
    exports2.default = (0, util_1.createRule)({
      name: "block-spacing",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/block-spacing"],
        type: "layout",
        docs: {
          description: "Disallow or enforce spaces inside of blocks after opening block and before closing block",
          extendsBaseRule: true
        },
        fixable: "whitespace",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: ["always"],
      create(context, [whenToApplyOption]) {
        const baseRules = baseRule2.create(context);
        const always = whenToApplyOption !== "never";
        const messageId4 = always ? "missing" : "extra";
        function getOpenBrace(node) {
          return context.sourceCode.getFirstToken(node, {
            filter: (token) => token.type === utils_1.AST_TOKEN_TYPES.Punctuator && token.value === "{"
          });
        }
        function isValid2(left, right) {
          return !(0, util_1.isTokenOnSameLine)(left, right) || context.sourceCode.isSpaceBetween(left, right) === always;
        }
        function checkSpacingInsideBraces(node) {
          const openBrace = getOpenBrace(node);
          const closeBrace = context.sourceCode.getLastToken(node);
          const firstToken = context.sourceCode.getTokenAfter(openBrace, {
            includeComments: true
          });
          const lastToken = context.sourceCode.getTokenBefore(closeBrace, {
            includeComments: true
          });
          if (openBrace.value !== "{" || closeBrace.type !== utils_1.AST_TOKEN_TYPES.Punctuator || closeBrace.value !== "}" || firstToken === closeBrace) {
            return;
          }
          if (!always && firstToken.type === utils_1.AST_TOKEN_TYPES.Line) {
            return;
          }
          if (!isValid2(openBrace, firstToken)) {
            let loc = openBrace.loc;
            if (messageId4 === "extra") {
              loc = {
                start: openBrace.loc.end,
                end: firstToken.loc.start
              };
            }
            context.report({
              node,
              loc,
              messageId: messageId4,
              data: {
                location: "after",
                token: openBrace.value
              },
              fix(fixer) {
                if (always) {
                  return fixer.insertTextBefore(firstToken, " ");
                }
                return fixer.removeRange([openBrace.range[1], firstToken.range[0]]);
              }
            });
          }
          if (!isValid2(lastToken, closeBrace)) {
            let loc = closeBrace.loc;
            if (messageId4 === "extra") {
              loc = {
                start: lastToken.loc.end,
                end: closeBrace.loc.start
              };
            }
            context.report({
              node,
              loc,
              messageId: messageId4,
              data: {
                location: "before",
                token: closeBrace.value
              },
              fix(fixer) {
                if (always) {
                  return fixer.insertTextAfter(lastToken, " ");
                }
                return fixer.removeRange([lastToken.range[1], closeBrace.range[0]]);
              }
            });
          }
        }
        return {
          ...baseRules,
          // This code worked "out of the box" for interface and type literal
          // Enums were very close to match as well, the only reason they are not is that was that enums don't have a body node in the parser
          // So the opening brace punctuator starts in the middle of the node - `getFirstToken` in
          // the base rule did not filter for the first opening brace punctuator
          TSInterfaceBody: baseRules.BlockStatement,
          TSTypeLiteral: baseRules.BlockStatement,
          TSEnumDeclaration: checkSpacingInsideBraces
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/brace-style.js
var require_brace_style = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/brace-style.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("brace-style");
    exports2.default = (0, util_1.createRule)({
      name: "brace-style",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/brace-style"],
        type: "layout",
        docs: {
          description: "Enforce consistent brace style for blocks",
          extendsBaseRule: true
        },
        messages: baseRule2.meta.messages,
        fixable: baseRule2.meta.fixable,
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema
      },
      defaultOptions: ["1tbs"],
      create(context) {
        const [style, { allowSingleLine } = { allowSingleLine: false }] = (
          // eslint-disable-next-line no-restricted-syntax -- Use raw options for extended rules.
          context.options
        );
        const isAllmanStyle = style === "allman";
        const rules = baseRule2.create(context);
        function validateCurlyPair(openingCurlyToken, closingCurlyToken) {
          if (allowSingleLine && (0, util_1.isTokenOnSameLine)(openingCurlyToken, closingCurlyToken)) {
            return;
          }
          const tokenBeforeOpeningCurly = context.sourceCode.getTokenBefore(openingCurlyToken);
          const tokenBeforeClosingCurly = context.sourceCode.getTokenBefore(closingCurlyToken);
          const tokenAfterOpeningCurly = context.sourceCode.getTokenAfter(openingCurlyToken);
          if (!isAllmanStyle && !(0, util_1.isTokenOnSameLine)(tokenBeforeOpeningCurly, openingCurlyToken)) {
            context.report({
              node: openingCurlyToken,
              messageId: "nextLineOpen",
              fix: (fixer) => {
                const textRange = [
                  tokenBeforeOpeningCurly.range[1],
                  openingCurlyToken.range[0]
                ];
                const textBetween = context.sourceCode.text.slice(textRange[0], textRange[1]);
                if (textBetween.trim()) {
                  return null;
                }
                return fixer.replaceTextRange(textRange, " ");
              }
            });
          }
          if (isAllmanStyle && (0, util_1.isTokenOnSameLine)(tokenBeforeOpeningCurly, openingCurlyToken)) {
            context.report({
              node: openingCurlyToken,
              messageId: "sameLineOpen",
              fix: (fixer) => fixer.insertTextBefore(openingCurlyToken, "\n")
            });
          }
          if ((0, util_1.isTokenOnSameLine)(openingCurlyToken, tokenAfterOpeningCurly) && tokenAfterOpeningCurly !== closingCurlyToken) {
            context.report({
              node: openingCurlyToken,
              messageId: "blockSameLine",
              fix: (fixer) => fixer.insertTextAfter(openingCurlyToken, "\n")
            });
          }
          if ((0, util_1.isTokenOnSameLine)(tokenBeforeClosingCurly, closingCurlyToken) && tokenBeforeClosingCurly !== openingCurlyToken) {
            context.report({
              node: closingCurlyToken,
              messageId: "singleLineClose",
              fix: (fixer) => fixer.insertTextBefore(closingCurlyToken, "\n")
            });
          }
        }
        return {
          ...rules,
          "TSInterfaceBody, TSModuleBlock"(node) {
            const openingCurly = context.sourceCode.getFirstToken(node);
            const closingCurly = context.sourceCode.getLastToken(node);
            validateCurlyPair(openingCurly, closingCurly);
          },
          TSEnumDeclaration(node) {
            const closingCurly = context.sourceCode.getLastToken(node);
            const openingCurly = context.sourceCode.getTokenBefore(node.members.length ? node.members[0] : closingCurly);
            validateCurlyPair(openingCurly, closingCurly);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/class-literal-property-style.js
var require_class_literal_property_style = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/class-literal-property-style.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var printNodeModifiers = (node, final) => `${node.accessibility ?? ""}${node.static ? " static" : ""} ${final} `.trimStart();
    var isSupportedLiteral = (node) => {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.Literal:
          return true;
        case utils_1.AST_NODE_TYPES.TaggedTemplateExpression:
          return node.quasi.quasis.length === 1;
        case utils_1.AST_NODE_TYPES.TemplateLiteral:
          return node.quasis.length === 1;
        default:
          return false;
      }
    };
    exports2.default = (0, util_1.createRule)({
      name: "class-literal-property-style",
      meta: {
        type: "problem",
        docs: {
          description: "Enforce that literals on classes are exposed in a consistent style",
          recommended: "stylistic"
        },
        hasSuggestions: true,
        messages: {
          preferFieldStyle: "Literals should be exposed using readonly fields.",
          preferFieldStyleSuggestion: "Replace the literals with readonly fields.",
          preferGetterStyle: "Literals should be exposed using getters.",
          preferGetterStyleSuggestion: "Replace the literals with getters."
        },
        schema: [
          {
            type: "string",
            enum: ["fields", "getters"]
          }
        ]
      },
      defaultOptions: ["fields"],
      create(context, [style]) {
        const propertiesInfoStack = [];
        function getStringValue(node) {
          return (0, util_1.getStaticStringValue)(node) ?? context.sourceCode.getText(node);
        }
        function enterClassBody() {
          propertiesInfoStack.push({
            properties: [],
            excludeSet: /* @__PURE__ */ new Set()
          });
        }
        function exitClassBody() {
          const { properties, excludeSet } = (0, util_1.nullThrows)(propertiesInfoStack.pop(), "Stack should exist on class exit");
          properties.forEach((node) => {
            const { value } = node;
            if (!value || !isSupportedLiteral(value)) {
              return;
            }
            const name = getStringValue(node.key);
            if (excludeSet.has(name)) {
              return;
            }
            context.report({
              node: node.key,
              messageId: "preferGetterStyle",
              suggest: [
                {
                  messageId: "preferGetterStyleSuggestion",
                  fix(fixer) {
                    const name2 = context.sourceCode.getText(node.key);
                    let text = "";
                    text += printNodeModifiers(node, "get");
                    text += node.computed ? `[${name2}]` : name2;
                    text += `() { return ${context.sourceCode.getText(value)}; }`;
                    return fixer.replaceText(node, text);
                  }
                }
              ]
            });
          });
        }
        function excludeAssignedProperty(node) {
          if ((0, util_1.isAssignee)(node)) {
            const { excludeSet } = propertiesInfoStack[propertiesInfoStack.length - 1];
            const name = (0, util_1.getStaticStringValue)(node.property) ?? context.sourceCode.getText(node.property);
            if (name) {
              excludeSet.add(name);
            }
          }
        }
        return {
          ...style === "fields" && {
            MethodDefinition(node) {
              if (node.kind !== "get" || !node.value.body || node.value.body.body.length === 0) {
                return;
              }
              const [statement] = node.value.body.body;
              if (statement.type !== utils_1.AST_NODE_TYPES.ReturnStatement) {
                return;
              }
              const { argument } = statement;
              if (!argument || !isSupportedLiteral(argument)) {
                return;
              }
              const name = getStringValue(node.key);
              if (node.parent.type === utils_1.AST_NODE_TYPES.ClassBody) {
                const hasDuplicateKeySetter = node.parent.body.some((element) => {
                  return element.type === utils_1.AST_NODE_TYPES.MethodDefinition && element.kind === "set" && getStringValue(element.key) === name;
                });
                if (hasDuplicateKeySetter) {
                  return;
                }
              }
              context.report({
                node: node.key,
                messageId: "preferFieldStyle",
                suggest: [
                  {
                    messageId: "preferFieldStyleSuggestion",
                    fix(fixer) {
                      const name2 = context.sourceCode.getText(node.key);
                      let text = "";
                      text += printNodeModifiers(node, "readonly");
                      text += node.computed ? `[${name2}]` : name2;
                      text += ` = ${context.sourceCode.getText(argument)};`;
                      return fixer.replaceText(node, text);
                    }
                  }
                ]
              });
            }
          },
          ...style === "getters" && {
            ClassBody: enterClassBody,
            "ClassBody:exit": exitClassBody,
            'MethodDefinition[kind="constructor"] ThisExpression'(node) {
              if (node.parent.type === utils_1.AST_NODE_TYPES.MemberExpression) {
                let parent = node.parent;
                while (!(0, util_1.isFunction)(parent)) {
                  parent = parent.parent;
                }
                if (parent.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition && parent.parent.kind === "constructor") {
                  excludeAssignedProperty(node.parent);
                }
              }
            },
            PropertyDefinition(node) {
              if (!node.readonly || node.declare) {
                return;
              }
              const { properties } = propertiesInfoStack[propertiesInfoStack.length - 1];
              properties.push(node);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/class-methods-use-this.js
var require_class_methods_use_this = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/class-methods-use-this.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "class-methods-use-this",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce that class methods utilize `this`",
          extendsBaseRule: true,
          requiresTypeChecking: false
        },
        schema: [
          {
            type: "object",
            properties: {
              exceptMethods: {
                type: "array",
                description: "Allows specified method names to be ignored with this rule",
                items: {
                  type: "string"
                }
              },
              enforceForClassFields: {
                type: "boolean",
                description: "Enforces that functions used as instance field initializers utilize `this`",
                default: true
              },
              ignoreOverrideMethods: {
                type: "boolean",
                description: "Ignore members marked with the `override` modifier"
              },
              ignoreClassesThatImplementAnInterface: {
                oneOf: [
                  {
                    type: "boolean",
                    description: "Ignore all classes that implement an interface"
                  },
                  {
                    type: "string",
                    enum: ["public-fields"],
                    description: "Ignore only the public fields of classes that implement an interface"
                  }
                ],
                description: "Ignore classes that specifically implement some interface"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          missingThis: "Expected 'this' to be used by class {{name}}."
        }
      },
      defaultOptions: [
        {
          enforceForClassFields: true,
          exceptMethods: [],
          ignoreClassesThatImplementAnInterface: false,
          ignoreOverrideMethods: false
        }
      ],
      create(context, [{ enforceForClassFields, exceptMethods: exceptMethodsRaw, ignoreClassesThatImplementAnInterface, ignoreOverrideMethods }]) {
        const exceptMethods = new Set(exceptMethodsRaw);
        let stack;
        function pushContext(member) {
          if (member?.parent.type === utils_1.AST_NODE_TYPES.ClassBody) {
            stack = {
              member,
              class: member.parent.parent,
              usesThis: false,
              parent: stack
            };
          } else {
            stack = {
              member: null,
              class: null,
              usesThis: false,
              parent: stack
            };
          }
        }
        function enterFunction(node) {
          if (node.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition || node.parent.type === utils_1.AST_NODE_TYPES.PropertyDefinition) {
            pushContext(node.parent);
          } else {
            pushContext();
          }
        }
        function popContext() {
          const oldStack = stack;
          stack = stack?.parent;
          return oldStack;
        }
        function isPublicField(accessibility) {
          if (!accessibility || accessibility === "public") {
            return true;
          }
          return false;
        }
        function isIncludedInstanceMethod(node) {
          if (node.static || node.type === utils_1.AST_NODE_TYPES.MethodDefinition && node.kind === "constructor" || node.type === utils_1.AST_NODE_TYPES.PropertyDefinition && !enforceForClassFields) {
            return false;
          }
          if (node.computed || exceptMethods.size === 0) {
            return true;
          }
          const hashIfNeeded = node.key.type === utils_1.AST_NODE_TYPES.PrivateIdentifier ? "#" : "";
          const name = node.key.type === utils_1.AST_NODE_TYPES.Literal ? (0, util_1.getStaticStringValue)(node.key) : node.key.name || "";
          return !exceptMethods.has(hashIfNeeded + (name ?? ""));
        }
        function exitFunction(node) {
          const stackContext = popContext();
          if (stackContext?.member == null || stackContext.usesThis || ignoreOverrideMethods && stackContext.member.override || ignoreClassesThatImplementAnInterface === true && stackContext.class.implements.length > 0 || ignoreClassesThatImplementAnInterface === "public-fields" && stackContext.class.implements.length > 0 && isPublicField(stackContext.member.accessibility)) {
            return;
          }
          if (isIncludedInstanceMethod(stackContext.member)) {
            context.report({
              node,
              loc: (0, util_1.getFunctionHeadLoc)(node, context.sourceCode),
              messageId: "missingThis",
              data: {
                name: (0, util_1.getFunctionNameWithKind)(node)
              }
            });
          }
        }
        return {
          // function declarations have their own `this` context
          FunctionDeclaration() {
            pushContext();
          },
          "FunctionDeclaration:exit"() {
            popContext();
          },
          FunctionExpression(node) {
            enterFunction(node);
          },
          "FunctionExpression:exit"(node) {
            exitFunction(node);
          },
          ...enforceForClassFields ? {
            "PropertyDefinition > ArrowFunctionExpression.value"(node) {
              enterFunction(node);
            },
            "PropertyDefinition > ArrowFunctionExpression.value:exit"(node) {
              exitFunction(node);
            }
          } : {},
          /*
           * Class field value are implicit functions.
           */
          "PropertyDefinition > *.key:exit"() {
            pushContext();
          },
          "PropertyDefinition:exit"() {
            popContext();
          },
          /*
           * Class static blocks are implicit functions. They aren't required to use `this`,
           * but we have to push context so that it captures any use of `this` in the static block
           * separately from enclosing contexts, because static blocks have their own `this` and it
           * shouldn't count as used `this` in enclosing contexts.
           */
          StaticBlock() {
            pushContext();
          },
          "StaticBlock:exit"() {
            popContext();
          },
          "ThisExpression, Super"() {
            if (stack) {
              stack.usesThis = true;
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/comma-dangle.js
var require_comma_dangle = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/comma-dangle.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("comma-dangle");
    var OPTION_VALUE_SCHEME = [
      "always-multiline",
      "always",
      "never",
      "only-multiline"
    ];
    var DEFAULT_OPTION_VALUE = "never";
    function normalizeOptions(options) {
      if (typeof options === "string") {
        return {
          enums: options,
          generics: options,
          tuples: options
        };
      }
      return {
        enums: options.enums ?? DEFAULT_OPTION_VALUE,
        generics: options.generics ?? DEFAULT_OPTION_VALUE,
        tuples: options.tuples ?? DEFAULT_OPTION_VALUE
      };
    }
    exports2.default = (0, util_1.createRule)({
      name: "comma-dangle",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/comma-dangle"],
        type: "layout",
        docs: {
          description: "Require or disallow trailing commas",
          extendsBaseRule: true
        },
        schema: {
          $defs: {
            value: {
              type: "string",
              enum: OPTION_VALUE_SCHEME
            },
            valueWithIgnore: {
              type: "string",
              enum: [...OPTION_VALUE_SCHEME, "ignore"]
            }
          },
          type: "array",
          items: [
            {
              oneOf: [
                {
                  $ref: "#/$defs/value"
                },
                {
                  type: "object",
                  properties: {
                    arrays: { $ref: "#/$defs/valueWithIgnore" },
                    objects: { $ref: "#/$defs/valueWithIgnore" },
                    imports: { $ref: "#/$defs/valueWithIgnore" },
                    exports: { $ref: "#/$defs/valueWithIgnore" },
                    functions: { $ref: "#/$defs/valueWithIgnore" },
                    enums: { $ref: "#/$defs/valueWithIgnore" },
                    generics: { $ref: "#/$defs/valueWithIgnore" },
                    tuples: { $ref: "#/$defs/valueWithIgnore" }
                  },
                  additionalProperties: false
                }
              ]
            }
          ],
          additionalItems: false
        },
        fixable: "code",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        messages: baseRule2.meta.messages
      },
      defaultOptions: ["never"],
      create(context, [options]) {
        const rules = baseRule2.create(context);
        const normalizedOptions = normalizeOptions(options);
        const predicate = {
          always: forceComma,
          "always-multiline": forceCommaIfMultiline,
          "only-multiline": allowCommaIfMultiline,
          never: forbidComma,
          // https://github.com/typescript-eslint/typescript-eslint/issues/7220
          // eslint-disable-next-line @typescript-eslint/explicit-function-return-type, @typescript-eslint/no-empty-function
          ignore: () => {
          }
        };
        function last(nodes) {
          return nodes[nodes.length - 1] ?? null;
        }
        function getLastItem(node) {
          switch (node.type) {
            case utils_1.AST_NODE_TYPES.TSEnumDeclaration:
              return last(node.members);
            case utils_1.AST_NODE_TYPES.TSTypeParameterDeclaration:
              return last(node.params);
            case utils_1.AST_NODE_TYPES.TSTupleType:
              return last(node.elementTypes);
            default:
              return null;
          }
        }
        function getTrailingToken(node) {
          const last2 = getLastItem(node);
          const trailing = last2 && context.sourceCode.getTokenAfter(last2);
          return trailing;
        }
        function isMultiline(node) {
          const last2 = getLastItem(node);
          const lastToken = context.sourceCode.getLastToken(node);
          return last2?.loc.end.line !== lastToken?.loc.end.line;
        }
        function forbidComma(node) {
          const last2 = getLastItem(node);
          const trailing = getTrailingToken(node);
          if (last2 && trailing && (0, util_1.isCommaToken)(trailing)) {
            context.report({
              node,
              messageId: "unexpected",
              fix(fixer) {
                return fixer.remove(trailing);
              }
            });
          }
        }
        function forceComma(node) {
          const last2 = getLastItem(node);
          const trailing = getTrailingToken(node);
          if (last2 && trailing && !(0, util_1.isCommaToken)(trailing)) {
            context.report({
              node,
              messageId: "missing",
              fix(fixer) {
                return fixer.insertTextAfter(last2, ",");
              }
            });
          }
        }
        function allowCommaIfMultiline(node) {
          if (!isMultiline(node)) {
            forbidComma(node);
          }
        }
        function forceCommaIfMultiline(node) {
          if (isMultiline(node)) {
            forceComma(node);
          } else {
            forbidComma(node);
          }
        }
        return {
          ...rules,
          TSEnumDeclaration: predicate[normalizedOptions.enums],
          TSTypeParameterDeclaration: predicate[normalizedOptions.generics],
          TSTupleType: predicate[normalizedOptions.tuples]
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/comma-spacing.js
var require_comma_spacing = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/comma-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "comma-spacing",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/comma-spacing"],
        type: "layout",
        docs: {
          description: "Enforce consistent spacing before and after commas",
          extendsBaseRule: true
        },
        fixable: "whitespace",
        schema: [
          {
            type: "object",
            properties: {
              before: {
                type: "boolean",
                default: false
              },
              after: {
                type: "boolean",
                default: true
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          unexpected: `There should be no space {{loc}} ','.`,
          missing: `A space is required {{loc}} ','.`
        }
      },
      defaultOptions: [
        {
          before: false,
          after: true
        }
      ],
      create(context, [{ before: spaceBefore, after: spaceAfter }]) {
        const tokensAndComments = context.sourceCode.tokensAndComments;
        const ignoredTokens = /* @__PURE__ */ new Set();
        function addNullElementsToIgnoreList(node) {
          let previousToken = context.sourceCode.getFirstToken(node);
          for (const element of node.elements) {
            let token;
            if (element == null) {
              token = context.sourceCode.getTokenAfter(previousToken);
              if (token && (0, util_1.isCommaToken)(token)) {
                ignoredTokens.add(token);
              }
            } else {
              token = context.sourceCode.getTokenAfter(element);
            }
            previousToken = token;
          }
        }
        function addTypeParametersTrailingCommaToIgnoreList(node) {
          const paramLength = node.params.length;
          if (paramLength) {
            const param = node.params[paramLength - 1];
            const afterToken = context.sourceCode.getTokenAfter(param);
            if (afterToken && (0, util_1.isCommaToken)(afterToken)) {
              ignoredTokens.add(afterToken);
            }
          }
        }
        function validateCommaSpacing(commaToken, prevToken, nextToken) {
          if (prevToken && (0, util_1.isTokenOnSameLine)(prevToken, commaToken) && spaceBefore !== context.sourceCode.isSpaceBetween(prevToken, commaToken)) {
            context.report({
              node: commaToken,
              data: {
                loc: "before"
              },
              messageId: spaceBefore ? "missing" : "unexpected",
              fix: (fixer) => spaceBefore ? fixer.insertTextBefore(commaToken, " ") : fixer.replaceTextRange([prevToken.range[1], commaToken.range[0]], "")
            });
          }
          if (nextToken && (0, util_1.isClosingParenToken)(nextToken)) {
            return;
          }
          if (spaceAfter && nextToken && ((0, util_1.isClosingBraceToken)(nextToken) || (0, util_1.isClosingBracketToken)(nextToken))) {
            return;
          }
          if (!spaceAfter && nextToken && nextToken.type === utils_1.AST_TOKEN_TYPES.Line) {
            return;
          }
          if (nextToken && (0, util_1.isTokenOnSameLine)(commaToken, nextToken) && spaceAfter !== context.sourceCode.isSpaceBetween(commaToken, nextToken)) {
            context.report({
              node: commaToken,
              data: {
                loc: "after"
              },
              messageId: spaceAfter ? "missing" : "unexpected",
              fix: (fixer) => spaceAfter ? fixer.insertTextAfter(commaToken, " ") : fixer.replaceTextRange([commaToken.range[1], nextToken.range[0]], "")
            });
          }
        }
        return {
          TSTypeParameterDeclaration: addTypeParametersTrailingCommaToIgnoreList,
          ArrayExpression: addNullElementsToIgnoreList,
          ArrayPattern: addNullElementsToIgnoreList,
          "Program:exit"() {
            tokensAndComments.forEach((token, i) => {
              if (!(0, util_1.isCommaToken)(token)) {
                return;
              }
              const prevToken = tokensAndComments[i - 1];
              const nextToken = tokensAndComments.at(i + 1);
              validateCommaSpacing(token, (0, util_1.isCommaToken)(prevToken) || ignoredTokens.has(token) ? null : prevToken, nextToken && (0, util_1.isCommaToken)(nextToken) || ignoredTokens.has(token) ? null : nextToken ?? null);
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-generic-constructors.js
var require_consistent_generic_constructors = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-generic-constructors.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "consistent-generic-constructors",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce specifying generic type arguments on type annotation or constructor name of a constructor call",
          recommended: "stylistic"
        },
        messages: {
          preferTypeAnnotation: "The generic type arguments should be specified as part of the type annotation.",
          preferConstructor: "The generic type arguments should be specified as part of the constructor type arguments."
        },
        fixable: "code",
        schema: [
          {
            type: "string",
            enum: ["type-annotation", "constructor"]
          }
        ]
      },
      defaultOptions: ["constructor"],
      create(context, [mode]) {
        return {
          "VariableDeclarator,PropertyDefinition,:matches(FunctionDeclaration,FunctionExpression) > AssignmentPattern"(node) {
            function getLHSRHS() {
              switch (node.type) {
                case utils_1.AST_NODE_TYPES.VariableDeclarator:
                  return [node.id, node.init];
                case utils_1.AST_NODE_TYPES.PropertyDefinition:
                  return [node, node.value];
                case utils_1.AST_NODE_TYPES.AssignmentPattern:
                  return [node.left, node.right];
                default:
                  throw new Error(`Unhandled node type: ${node.type}`);
              }
            }
            const [lhsName, rhs] = getLHSRHS();
            const lhs = lhsName.typeAnnotation?.typeAnnotation;
            if (!rhs || rhs.type !== utils_1.AST_NODE_TYPES.NewExpression || rhs.callee.type !== utils_1.AST_NODE_TYPES.Identifier) {
              return;
            }
            if (lhs && (lhs.type !== utils_1.AST_NODE_TYPES.TSTypeReference || lhs.typeName.type !== utils_1.AST_NODE_TYPES.Identifier || lhs.typeName.name !== rhs.callee.name)) {
              return;
            }
            if (mode === "type-annotation") {
              if (!lhs && rhs.typeArguments) {
                const { typeArguments, callee } = rhs;
                const typeAnnotation = context.sourceCode.getText(callee) + context.sourceCode.getText(typeArguments);
                context.report({
                  node,
                  messageId: "preferTypeAnnotation",
                  fix(fixer) {
                    function getIDToAttachAnnotation() {
                      if (node.type !== utils_1.AST_NODE_TYPES.PropertyDefinition) {
                        return lhsName;
                      }
                      if (!node.computed) {
                        return node.key;
                      }
                      return (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.key), util_1.NullThrowsReasons.MissingToken("]", "key"));
                    }
                    return [
                      fixer.remove(typeArguments),
                      fixer.insertTextAfter(getIDToAttachAnnotation(), ": " + typeAnnotation)
                    ];
                  }
                });
              }
              return;
            }
            if (lhs?.typeArguments && !rhs.typeArguments) {
              const hasParens = context.sourceCode.getTokenAfter(rhs.callee)?.value === "(";
              const extraComments = new Set(context.sourceCode.getCommentsInside(lhs.parent));
              context.sourceCode.getCommentsInside(lhs.typeArguments).forEach((c) => extraComments.delete(c));
              context.report({
                node,
                messageId: "preferConstructor",
                *fix(fixer) {
                  yield fixer.remove(lhs.parent);
                  for (const comment of extraComments) {
                    yield fixer.insertTextAfter(rhs.callee, context.sourceCode.getText(comment));
                  }
                  yield fixer.insertTextAfter(rhs.callee, context.sourceCode.getText(lhs.typeArguments));
                  if (!hasParens) {
                    yield fixer.insertTextAfter(rhs.callee, "()");
                  }
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-indexed-object-style.js
var require_consistent_indexed_object_style = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-indexed-object-style.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "consistent-indexed-object-style",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require or disallow the `Record` type",
          recommended: "stylistic"
        },
        messages: {
          preferRecord: "A record is preferred over an index signature.",
          preferIndexSignature: "An index signature is preferred over a record."
        },
        fixable: "code",
        schema: [
          {
            type: "string",
            enum: ["record", "index-signature"]
          }
        ]
      },
      defaultOptions: ["record"],
      create(context, [mode]) {
        function checkMembers(members, node, parentId, prefix, postfix, safeFix = true) {
          if (members.length !== 1) {
            return;
          }
          const [member] = members;
          if (member.type !== utils_1.AST_NODE_TYPES.TSIndexSignature) {
            return;
          }
          const parameter = member.parameters.at(0);
          if (parameter?.type !== utils_1.AST_NODE_TYPES.Identifier) {
            return;
          }
          const keyType = parameter.typeAnnotation;
          if (!keyType) {
            return;
          }
          const valueType = member.typeAnnotation;
          if (!valueType) {
            return;
          }
          if (parentId) {
            const scope = context.sourceCode.getScope(parentId);
            const superVar = utils_1.ASTUtils.findVariable(scope, parentId.name);
            if (superVar) {
              const isCircular = superVar.references.some((item) => item.isTypeReference && node.range[0] <= item.identifier.range[0] && node.range[1] >= item.identifier.range[1]);
              if (isCircular) {
                return;
              }
            }
          }
          context.report({
            node,
            messageId: "preferRecord",
            fix: safeFix ? (fixer) => {
              const key = context.sourceCode.getText(keyType.typeAnnotation);
              const value = context.sourceCode.getText(valueType.typeAnnotation);
              const record = member.readonly ? `Readonly>` : `Record<${key}, ${value}>`;
              return fixer.replaceText(node, `${prefix}${record}${postfix}`);
            } : null
          });
        }
        return {
          ...mode === "index-signature" && {
            TSTypeReference(node) {
              const typeName = node.typeName;
              if (typeName.type !== utils_1.AST_NODE_TYPES.Identifier) {
                return;
              }
              if (typeName.name !== "Record") {
                return;
              }
              const params = node.typeArguments?.params;
              if (params?.length !== 2) {
                return;
              }
              context.report({
                node,
                messageId: "preferIndexSignature",
                fix(fixer) {
                  const key = context.sourceCode.getText(params[0]);
                  const type = context.sourceCode.getText(params[1]);
                  return fixer.replaceText(node, `{ [key: ${key}]: ${type} }`);
                }
              });
            }
          },
          ...mode === "record" && {
            TSTypeLiteral(node) {
              const parent = findParentDeclaration(node);
              checkMembers(node.members, node, parent?.id, "", "");
            },
            TSInterfaceDeclaration(node) {
              let genericTypes = "";
              if (node.typeParameters?.params.length) {
                genericTypes = `<${node.typeParameters.params.map((p) => context.sourceCode.getText(p)).join(", ")}>`;
              }
              checkMembers(node.body.body, node, node.id, `type ${node.id.name}${genericTypes} = `, ";", !node.extends.length);
            }
          }
        };
      }
    });
    function findParentDeclaration(node) {
      if (node.parent && node.parent.type !== utils_1.AST_NODE_TYPES.TSTypeAnnotation) {
        if (node.parent.type === utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration) {
          return node.parent;
        }
        return findParentDeclaration(node.parent);
      }
      return void 0;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-return.js
var require_consistent_return = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-return.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("consistent-return");
    exports2.default = (0, util_1.createRule)({
      name: "consistent-return",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require `return` statements to either always or never specify values",
          extendsBaseRule: true,
          requiresTypeChecking: true
        },
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [{ treatUndefinedAsUnspecified: false }],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const rules = baseRule2.create(context);
        const functions = [];
        const treatUndefinedAsUnspecified = options?.treatUndefinedAsUnspecified === true;
        function enterFunction(node) {
          functions.push(node);
        }
        function exitFunction() {
          functions.pop();
        }
        function getCurrentFunction() {
          return functions[functions.length - 1] ?? null;
        }
        function isPromiseVoid(node, type) {
          if (tsutils.isThenableType(checker, node, type) && tsutils.isTypeReference(type)) {
            const awaitedType = type.typeArguments?.[0];
            if (awaitedType) {
              if ((0, util_1.isTypeFlagSet)(awaitedType, ts.TypeFlags.Void)) {
                return true;
              }
              return isPromiseVoid(node, awaitedType);
            }
          }
          return false;
        }
        function isReturnVoidOrThenableVoid(node) {
          const functionType2 = services.getTypeAtLocation(node);
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          const callSignatures = functionType2.getCallSignatures();
          return callSignatures.some((signature) => {
            const returnType = signature.getReturnType();
            if (node.async) {
              return isPromiseVoid(tsNode, returnType);
            }
            return (0, util_1.isTypeFlagSet)(returnType, ts.TypeFlags.Void);
          });
        }
        return {
          ...rules,
          FunctionDeclaration: enterFunction,
          "FunctionDeclaration:exit"(node) {
            exitFunction();
            rules["FunctionDeclaration:exit"](node);
          },
          FunctionExpression: enterFunction,
          "FunctionExpression:exit"(node) {
            exitFunction();
            rules["FunctionExpression:exit"](node);
          },
          ArrowFunctionExpression: enterFunction,
          "ArrowFunctionExpression:exit"(node) {
            exitFunction();
            rules["ArrowFunctionExpression:exit"](node);
          },
          ReturnStatement(node) {
            const functionNode = getCurrentFunction();
            if (!node.argument && functionNode && isReturnVoidOrThenableVoid(functionNode)) {
              return;
            }
            if (treatUndefinedAsUnspecified && node.argument) {
              const returnValueType = services.getTypeAtLocation(node.argument);
              if (returnValueType.flags === ts.TypeFlags.Undefined) {
                rules.ReturnStatement({
                  ...node,
                  argument: null
                });
                return;
              }
            }
            rules.ReturnStatement(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getWrappedCode.js
var require_getWrappedCode = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getWrappedCode.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getWrappedCode = getWrappedCode;
    function getWrappedCode(text, nodePrecedence, parentPrecedence) {
      return nodePrecedence > parentPrecedence ? text : `(${text})`;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-type-assertions.js
var require_consistent_type_assertions = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-type-assertions.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    var getWrappedCode_1 = require_getWrappedCode();
    exports2.default = (0, util_1.createRule)({
      name: "consistent-type-assertions",
      meta: {
        type: "suggestion",
        fixable: "code",
        hasSuggestions: true,
        docs: {
          description: "Enforce consistent usage of type assertions",
          recommended: "stylistic"
        },
        messages: {
          as: "Use 'as {{cast}}' instead of '<{{cast}}>'.",
          "angle-bracket": "Use '<{{cast}}>' instead of 'as {{cast}}'.",
          never: "Do not use any type assertions.",
          unexpectedObjectTypeAssertion: "Always prefer const x: T = { ... }.",
          replaceObjectTypeAssertionWithAnnotation: "Use const x: {{cast}} = { ... } instead.",
          replaceObjectTypeAssertionWithSatisfies: "Use const x = { ... } satisfies {{cast}} instead."
        },
        schema: [
          {
            oneOf: [
              {
                type: "object",
                properties: {
                  assertionStyle: {
                    type: "string",
                    enum: ["never"]
                  }
                },
                additionalProperties: false,
                required: ["assertionStyle"]
              },
              {
                type: "object",
                properties: {
                  assertionStyle: {
                    type: "string",
                    enum: ["as", "angle-bracket"]
                  },
                  objectLiteralTypeAssertions: {
                    type: "string",
                    enum: ["allow", "allow-as-parameter", "never"]
                  }
                },
                additionalProperties: false,
                required: ["assertionStyle"]
              }
            ]
          }
        ]
      },
      defaultOptions: [
        {
          assertionStyle: "as",
          objectLiteralTypeAssertions: "allow"
        }
      ],
      create(context, [options]) {
        const parserServices = (0, util_1.getParserServices)(context, true);
        function isConst(node) {
          if (node.type !== utils_1.AST_NODE_TYPES.TSTypeReference) {
            return false;
          }
          return node.typeName.type === utils_1.AST_NODE_TYPES.Identifier && node.typeName.name === "const";
        }
        function reportIncorrectAssertionType(node) {
          const messageId4 = options.assertionStyle;
          if (isConst(node.typeAnnotation) && messageId4 === "never") {
            return;
          }
          context.report({
            node,
            messageId: messageId4,
            data: messageId4 !== "never" ? { cast: context.sourceCode.getText(node.typeAnnotation) } : {},
            fix: messageId4 === "as" ? (fixer) => {
              const tsNode = parserServices.esTreeNodeToTSNodeMap.get(node);
              const expressionCode = context.sourceCode.getText(node.expression);
              const typeAnnotationCode = context.sourceCode.getText(node.typeAnnotation);
              const asPrecedence = (0, util_1.getOperatorPrecedence)(ts.SyntaxKind.AsExpression, ts.SyntaxKind.Unknown);
              const parentPrecedence = (0, util_1.getOperatorPrecedence)(tsNode.parent.kind, ts.isBinaryExpression(tsNode.parent) ? tsNode.parent.operatorToken.kind : ts.SyntaxKind.Unknown, ts.isNewExpression(tsNode.parent) ? tsNode.parent.arguments != null && tsNode.parent.arguments.length > 0 : void 0);
              const expressionPrecedence = (0, util_1.getOperatorPrecedenceForNode)(node.expression);
              const expressionCodeWrapped = (0, getWrappedCode_1.getWrappedCode)(expressionCode, expressionPrecedence, asPrecedence);
              const text = `${expressionCodeWrapped} as ${typeAnnotationCode}`;
              return fixer.replaceText(node, (0, util_1.isParenthesized)(node, context.sourceCode) ? text : (0, getWrappedCode_1.getWrappedCode)(text, asPrecedence, parentPrecedence));
            } : void 0
          });
        }
        function checkType(node) {
          switch (node.type) {
            case utils_1.AST_NODE_TYPES.TSAnyKeyword:
            case utils_1.AST_NODE_TYPES.TSUnknownKeyword:
              return false;
            case utils_1.AST_NODE_TYPES.TSTypeReference:
              return (
                // Ignore `as const` and ``
                !isConst(node) || // Allow qualified names which have dots between identifiers, `Foo.Bar`
                node.typeName.type === utils_1.AST_NODE_TYPES.TSQualifiedName
              );
            default:
              return true;
          }
        }
        function checkExpression(node) {
          if (options.assertionStyle === "never" || options.objectLiteralTypeAssertions === "allow" || node.expression.type !== utils_1.AST_NODE_TYPES.ObjectExpression) {
            return;
          }
          if (options.objectLiteralTypeAssertions === "allow-as-parameter" && (node.parent.type === utils_1.AST_NODE_TYPES.NewExpression || node.parent.type === utils_1.AST_NODE_TYPES.CallExpression || node.parent.type === utils_1.AST_NODE_TYPES.ThrowStatement || node.parent.type === utils_1.AST_NODE_TYPES.AssignmentPattern || node.parent.type === utils_1.AST_NODE_TYPES.JSXExpressionContainer || node.parent.type === utils_1.AST_NODE_TYPES.TemplateLiteral && node.parent.parent.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression)) {
            return;
          }
          if (checkType(node.typeAnnotation)) {
            const suggest = [];
            if (node.parent.type === utils_1.AST_NODE_TYPES.VariableDeclarator && !node.parent.id.typeAnnotation) {
              const { parent } = node;
              suggest.push({
                messageId: "replaceObjectTypeAssertionWithAnnotation",
                data: { cast: context.sourceCode.getText(node.typeAnnotation) },
                fix: (fixer) => [
                  fixer.insertTextAfter(parent.id, `: ${context.sourceCode.getText(node.typeAnnotation)}`),
                  fixer.replaceText(node, (0, util_1.getTextWithParentheses)(context.sourceCode, node.expression))
                ]
              });
            }
            suggest.push({
              messageId: "replaceObjectTypeAssertionWithSatisfies",
              data: { cast: context.sourceCode.getText(node.typeAnnotation) },
              fix: (fixer) => [
                fixer.replaceText(node, (0, util_1.getTextWithParentheses)(context.sourceCode, node.expression)),
                fixer.insertTextAfter(node, ` satisfies ${context.sourceCode.getText(node.typeAnnotation)}`)
              ]
            });
            context.report({
              node,
              messageId: "unexpectedObjectTypeAssertion",
              suggest
            });
          }
        }
        return {
          TSTypeAssertion(node) {
            if (options.assertionStyle !== "angle-bracket") {
              reportIncorrectAssertionType(node);
              return;
            }
            checkExpression(node);
          },
          TSAsExpression(node) {
            if (options.assertionStyle !== "as") {
              reportIncorrectAssertionType(node);
              return;
            }
            checkExpression(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-type-definitions.js
var require_consistent_type_definitions = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-type-definitions.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "consistent-type-definitions",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce type definitions to consistently use either `interface` or `type`",
          recommended: "stylistic"
        },
        messages: {
          interfaceOverType: "Use an `interface` instead of a `type`.",
          typeOverInterface: "Use a `type` instead of an `interface`."
        },
        schema: [
          {
            type: "string",
            enum: ["interface", "type"]
          }
        ],
        fixable: "code"
      },
      defaultOptions: ["interface"],
      create(context, [option]) {
        function isCurrentlyTraversedNodeWithinModuleDeclaration(node) {
          return context.sourceCode.getAncestors(node).some((node2) => node2.type === utils_1.AST_NODE_TYPES.TSModuleDeclaration && node2.declare && node2.kind === "global");
        }
        return {
          ...option === "interface" && {
            "TSTypeAliasDeclaration[typeAnnotation.type='TSTypeLiteral']"(node) {
              context.report({
                node: node.id,
                messageId: "interfaceOverType",
                fix(fixer) {
                  const typeNode = node.typeParameters ?? node.id;
                  const fixes = [];
                  const firstToken = context.sourceCode.getTokenBefore(node.id);
                  if (firstToken) {
                    fixes.push(fixer.replaceText(firstToken, "interface"));
                    fixes.push(fixer.replaceTextRange([typeNode.range[1], node.typeAnnotation.range[0]], " "));
                  }
                  const afterToken = context.sourceCode.getTokenAfter(node.typeAnnotation);
                  if (afterToken && afterToken.type === utils_1.AST_TOKEN_TYPES.Punctuator && afterToken.value === ";") {
                    fixes.push(fixer.remove(afterToken));
                  }
                  return fixes;
                }
              });
            }
          },
          ...option === "type" && {
            TSInterfaceDeclaration(node) {
              const fix11 = isCurrentlyTraversedNodeWithinModuleDeclaration(node) ? null : (fixer) => {
                const typeNode = node.typeParameters ?? node.id;
                const fixes = [];
                const firstToken = context.sourceCode.getTokenBefore(node.id);
                if (firstToken) {
                  fixes.push(fixer.replaceText(firstToken, "type"));
                  fixes.push(fixer.replaceTextRange([typeNode.range[1], node.body.range[0]], " = "));
                }
                node.extends.forEach((heritage) => {
                  const typeIdentifier = context.sourceCode.getText(heritage);
                  fixes.push(fixer.insertTextAfter(node.body, ` & ${typeIdentifier}`));
                });
                if (node.parent.type === utils_1.AST_NODE_TYPES.ExportDefaultDeclaration) {
                  fixes.push(fixer.removeRange([node.parent.range[0], node.range[0]]), fixer.insertTextAfter(node.body, `
export default ${node.id.name}`));
                }
                return fixes;
              };
              context.report({
                node: node.id,
                messageId: "typeOverInterface",
                /**
                 * remove automatically fix when the interface is within a declare global
                 * @see {@link https://github.com/typescript-eslint/typescript-eslint/issues/2707}
                 */
                fix: fix11
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-type-exports.js
var require_consistent_type_exports = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-type-exports.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var typescript_1 = require_typescript();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "consistent-type-exports",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce consistent usage of type exports",
          requiresTypeChecking: true
        },
        messages: {
          typeOverValue: "All exports in the declaration are only used as types. Use `export type`.",
          singleExportIsType: "Type export {{exportNames}} is not a value and should be exported using `export type`.",
          multipleExportsAreTypes: "Type exports {{exportNames}} are not values and should be exported using `export type`."
        },
        schema: [
          {
            type: "object",
            properties: {
              fixMixedExportsWithInlineTypeSpecifier: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        fixable: "code"
      },
      defaultOptions: [
        {
          fixMixedExportsWithInlineTypeSpecifier: false
        }
      ],
      create(context, [{ fixMixedExportsWithInlineTypeSpecifier }]) {
        const sourceExportsMap = {};
        const services = (0, util_1.getParserServices)(context);
        function isSpecifierTypeBased(specifier) {
          const checker = services.program.getTypeChecker();
          const symbol = services.getSymbolAtLocation(specifier.exported);
          if (!symbol) {
            return void 0;
          }
          const aliasedSymbol = checker.getAliasedSymbol(symbol);
          if (aliasedSymbol.escapedName === "unknown") {
            return void 0;
          }
          return !(aliasedSymbol.flags & typescript_1.SymbolFlags.Value);
        }
        return {
          ExportNamedDeclaration(node) {
            const source = getSourceFromExport(node) ?? "undefined";
            const sourceExports = sourceExportsMap[source] ||= {
              source,
              reportValueExports: [],
              typeOnlyNamedExport: null,
              valueOnlyNamedExport: null
            };
            if (node.exportKind === "type") {
              if (sourceExports.typeOnlyNamedExport == null) {
                sourceExports.typeOnlyNamedExport = node;
              }
            } else if (sourceExports.valueOnlyNamedExport == null) {
              sourceExports.valueOnlyNamedExport = node;
            }
            const typeBasedSpecifiers = [];
            const inlineTypeSpecifiers = [];
            const valueSpecifiers = [];
            if (node.exportKind !== "type") {
              for (const specifier of node.specifiers) {
                if (specifier.exportKind === "type") {
                  inlineTypeSpecifiers.push(specifier);
                  continue;
                }
                const isTypeBased = isSpecifierTypeBased(specifier);
                if (isTypeBased === true) {
                  typeBasedSpecifiers.push(specifier);
                } else if (isTypeBased === false) {
                  valueSpecifiers.push(specifier);
                }
              }
            }
            if (node.exportKind === "value" && typeBasedSpecifiers.length || node.exportKind === "type" && valueSpecifiers.length) {
              sourceExports.reportValueExports.push({
                node,
                typeBasedSpecifiers,
                valueSpecifiers,
                inlineTypeSpecifiers
              });
            }
          },
          "Program:exit"() {
            for (const sourceExports of Object.values(sourceExportsMap)) {
              if (sourceExports.reportValueExports.length === 0) {
                continue;
              }
              for (const report of sourceExports.reportValueExports) {
                if (report.valueSpecifiers.length === 0) {
                  context.report({
                    node: report.node,
                    messageId: "typeOverValue",
                    *fix(fixer) {
                      yield* fixExportInsertType(fixer, context.sourceCode, report.node);
                    }
                  });
                  continue;
                }
                const allExportNames = report.typeBasedSpecifiers.map((specifier) => specifier.local.name);
                if (allExportNames.length === 1) {
                  const exportNames = allExportNames[0];
                  context.report({
                    node: report.node,
                    messageId: "singleExportIsType",
                    data: { exportNames },
                    *fix(fixer) {
                      if (fixMixedExportsWithInlineTypeSpecifier) {
                        yield* fixAddTypeSpecifierToNamedExports(fixer, report);
                      } else {
                        yield* fixSeparateNamedExports(fixer, context.sourceCode, report);
                      }
                    }
                  });
                } else {
                  const exportNames = (0, util_1.formatWordList)(allExportNames);
                  context.report({
                    node: report.node,
                    messageId: "multipleExportsAreTypes",
                    data: { exportNames },
                    *fix(fixer) {
                      if (fixMixedExportsWithInlineTypeSpecifier) {
                        yield* fixAddTypeSpecifierToNamedExports(fixer, report);
                      } else {
                        yield* fixSeparateNamedExports(fixer, context.sourceCode, report);
                      }
                    }
                  });
                }
              }
            }
          }
        };
      }
    });
    function* fixExportInsertType(fixer, sourceCode, node) {
      const exportToken = (0, util_1.nullThrows)(sourceCode.getFirstToken(node), util_1.NullThrowsReasons.MissingToken("export", node.type));
      yield fixer.insertTextAfter(exportToken, " type");
      for (const specifier of node.specifiers) {
        if (specifier.exportKind === "type") {
          const kindToken = (0, util_1.nullThrows)(sourceCode.getFirstToken(specifier), util_1.NullThrowsReasons.MissingToken("export", specifier.type));
          const firstTokenAfter = (0, util_1.nullThrows)(sourceCode.getTokenAfter(kindToken, {
            includeComments: true
          }), "Missing token following the export kind.");
          yield fixer.removeRange([kindToken.range[0], firstTokenAfter.range[0]]);
        }
      }
    }
    function* fixSeparateNamedExports(fixer, sourceCode, report) {
      const { node, typeBasedSpecifiers, inlineTypeSpecifiers, valueSpecifiers } = report;
      const typeSpecifiers = typeBasedSpecifiers.concat(inlineTypeSpecifiers);
      const source = getSourceFromExport(node);
      const specifierNames = typeSpecifiers.map(getSpecifierText).join(", ");
      const exportToken = (0, util_1.nullThrows)(sourceCode.getFirstToken(node), util_1.NullThrowsReasons.MissingToken("export", node.type));
      const filteredSpecifierNames = valueSpecifiers.map(getSpecifierText).join(", ");
      const openToken = (0, util_1.nullThrows)(sourceCode.getFirstToken(node, util_1.isOpeningBraceToken), util_1.NullThrowsReasons.MissingToken("{", node.type));
      const closeToken = (0, util_1.nullThrows)(sourceCode.getLastToken(node, util_1.isClosingBraceToken), util_1.NullThrowsReasons.MissingToken("}", node.type));
      yield fixer.replaceTextRange([openToken.range[1], closeToken.range[0]], ` ${filteredSpecifierNames} `);
      yield fixer.insertTextBefore(exportToken, `export type { ${specifierNames} }${source ? ` from '${source}'` : ""};
`);
    }
    function* fixAddTypeSpecifierToNamedExports(fixer, report) {
      if (report.node.exportKind === "type") {
        return;
      }
      for (const specifier of report.typeBasedSpecifiers) {
        yield fixer.insertTextBefore(specifier, "type ");
      }
    }
    function getSourceFromExport(node) {
      if (node.source?.type === utils_1.AST_NODE_TYPES.Literal && typeof node.source.value === "string") {
        return node.source.value;
      }
      return void 0;
    }
    function getSpecifierText(specifier) {
      return `${specifier.local.name}${specifier.exported.name !== specifier.local.name ? ` as ${specifier.exported.name}` : ""}`;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-type-imports.js
var require_consistent_type_imports = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-type-imports.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "consistent-type-imports",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce consistent usage of type imports"
        },
        messages: {
          typeOverValue: "All imports in the declaration are only used as types. Use `import type`.",
          someImportsAreOnlyTypes: "Imports {{typeImports}} are only used as type.",
          avoidImportType: "Use an `import` instead of an `import type`.",
          noImportTypeAnnotations: "`import()` type annotations are forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              disallowTypeAnnotations: {
                type: "boolean"
              },
              fixStyle: {
                type: "string",
                enum: ["separate-type-imports", "inline-type-imports"]
              },
              prefer: {
                type: "string",
                enum: ["type-imports", "no-type-imports"]
              }
            },
            additionalProperties: false
          }
        ],
        fixable: "code"
      },
      defaultOptions: [
        {
          prefer: "type-imports",
          disallowTypeAnnotations: true,
          fixStyle: "separate-type-imports"
        }
      ],
      create(context, [option]) {
        const prefer = option.prefer ?? "type-imports";
        const disallowTypeAnnotations = option.disallowTypeAnnotations !== false;
        const selectors = {};
        if (disallowTypeAnnotations) {
          selectors.TSImportType = (node) => {
            context.report({
              node,
              messageId: "noImportTypeAnnotations"
            });
          };
        }
        if (prefer === "no-type-imports") {
          return {
            ...selectors,
            'ImportDeclaration[importKind = "type"]'(node) {
              context.report({
                node,
                messageId: "avoidImportType",
                fix(fixer) {
                  return fixRemoveTypeSpecifierFromImportDeclaration(fixer, node);
                }
              });
            },
            'ImportSpecifier[importKind = "type"]'(node) {
              context.report({
                node,
                messageId: "avoidImportType",
                fix(fixer) {
                  return fixRemoveTypeSpecifierFromImportSpecifier(fixer, node);
                }
              });
            }
          };
        }
        const fixStyle = option.fixStyle ?? "separate-type-imports";
        let hasDecoratorMetadata = false;
        const sourceImportsMap = {};
        const emitDecoratorMetadata = (0, util_1.getParserServices)(context, true).emitDecoratorMetadata ?? false;
        const experimentalDecorators = (0, util_1.getParserServices)(context, true).experimentalDecorators ?? false;
        if (experimentalDecorators && emitDecoratorMetadata) {
          selectors.Decorator = () => {
            hasDecoratorMetadata = true;
          };
        }
        return {
          ...selectors,
          ImportDeclaration(node) {
            const source = node.source.value;
            sourceImportsMap[source] ??= {
              source,
              reportValueImports: [],
              // if there is a mismatch where type importKind but value specifiers
              typeOnlyNamedImport: null,
              // if only type imports
              valueOnlyNamedImport: null,
              // if only value imports with named specifiers
              valueImport: null
              // if only value imports
            };
            const sourceImports = sourceImportsMap[source];
            if (node.importKind === "type") {
              if (!sourceImports.typeOnlyNamedImport && node.specifiers.every((specifier) => specifier.type === utils_1.AST_NODE_TYPES.ImportSpecifier)) {
                sourceImports.typeOnlyNamedImport = node;
              }
            } else {
              if (!sourceImports.valueOnlyNamedImport && node.specifiers.length && node.specifiers.every((specifier) => specifier.type === utils_1.AST_NODE_TYPES.ImportSpecifier)) {
                sourceImports.valueOnlyNamedImport = node;
                sourceImports.valueImport = node;
              } else if (!sourceImports.valueImport && node.specifiers.some((specifier) => specifier.type === utils_1.AST_NODE_TYPES.ImportDefaultSpecifier)) {
                sourceImports.valueImport = node;
              }
            }
            const typeSpecifiers = [];
            const inlineTypeSpecifiers = [];
            const valueSpecifiers = [];
            const unusedSpecifiers = [];
            for (const specifier of node.specifiers) {
              if (specifier.type === utils_1.AST_NODE_TYPES.ImportSpecifier && specifier.importKind === "type") {
                inlineTypeSpecifiers.push(specifier);
                continue;
              }
              const [variable] = context.sourceCode.getDeclaredVariables(specifier);
              if (variable.references.length === 0) {
                unusedSpecifiers.push(specifier);
              } else {
                const onlyHasTypeReferences = variable.references.every((ref) => {
                  if (ref.identifier.parent.type === utils_1.AST_NODE_TYPES.ExportSpecifier || ref.identifier.parent.type === utils_1.AST_NODE_TYPES.ExportDefaultDeclaration || ref.identifier.parent.type === utils_1.AST_NODE_TYPES.TSExportAssignment) {
                    if (ref.isValueReference && ref.isTypeReference) {
                      return node.importKind === "type";
                    }
                  }
                  if (ref.isValueReference) {
                    let parent = ref.identifier.parent;
                    let child = ref.identifier;
                    while (parent) {
                      switch (parent.type) {
                        case utils_1.AST_NODE_TYPES.TSTypeQuery:
                          return true;
                        case utils_1.AST_NODE_TYPES.TSQualifiedName:
                          if (parent.left !== child) {
                            return false;
                          }
                          child = parent;
                          parent = parent.parent;
                          continue;
                        case utils_1.AST_NODE_TYPES.TSPropertySignature:
                          return parent.key === child;
                        case utils_1.AST_NODE_TYPES.MemberExpression:
                          if (parent.object !== child) {
                            return false;
                          }
                          child = parent;
                          parent = parent.parent;
                          continue;
                        default:
                          return false;
                      }
                    }
                  }
                  return ref.isTypeReference;
                });
                if (onlyHasTypeReferences) {
                  typeSpecifiers.push(specifier);
                } else {
                  valueSpecifiers.push(specifier);
                }
              }
            }
            if (node.importKind === "value" && typeSpecifiers.length) {
              sourceImports.reportValueImports.push({
                node,
                typeSpecifiers,
                valueSpecifiers,
                unusedSpecifiers,
                inlineTypeSpecifiers
              });
            }
          },
          "Program:exit"() {
            if (hasDecoratorMetadata) {
              return;
            }
            for (const sourceImports of Object.values(sourceImportsMap)) {
              if (sourceImports.reportValueImports.length === 0) {
                continue;
              }
              for (const report of sourceImports.reportValueImports) {
                if (report.valueSpecifiers.length === 0 && report.unusedSpecifiers.length === 0 && report.node.importKind !== "type") {
                  if (report.node.attributes.length === 0) {
                    context.report({
                      node: report.node,
                      messageId: "typeOverValue",
                      *fix(fixer) {
                        yield* fixToTypeImportDeclaration(fixer, report, sourceImports);
                      }
                    });
                  }
                } else {
                  const importNames = report.typeSpecifiers.map((specifier) => `"${specifier.local.name}"`);
                  const message = (() => {
                    const typeImports = (0, util_1.formatWordList)(importNames);
                    if (importNames.length === 1) {
                      return {
                        messageId: "someImportsAreOnlyTypes",
                        data: {
                          typeImports
                        }
                      };
                    }
                    return {
                      messageId: "someImportsAreOnlyTypes",
                      data: {
                        typeImports
                      }
                    };
                  })();
                  context.report({
                    node: report.node,
                    ...message,
                    *fix(fixer) {
                      yield* fixToTypeImportDeclaration(fixer, report, sourceImports);
                    }
                  });
                }
              }
            }
          }
        };
        function classifySpecifier(node) {
          const defaultSpecifier = node.specifiers[0].type === utils_1.AST_NODE_TYPES.ImportDefaultSpecifier ? node.specifiers[0] : null;
          const namespaceSpecifier = node.specifiers.find((specifier) => specifier.type === utils_1.AST_NODE_TYPES.ImportNamespaceSpecifier) ?? null;
          const namedSpecifiers = node.specifiers.filter((specifier) => specifier.type === utils_1.AST_NODE_TYPES.ImportSpecifier);
          return {
            defaultSpecifier,
            namespaceSpecifier,
            namedSpecifiers
          };
        }
        function getFixesNamedSpecifiers(fixer, node, subsetNamedSpecifiers, allNamedSpecifiers) {
          if (allNamedSpecifiers.length === 0) {
            return {
              typeNamedSpecifiersText: "",
              removeTypeNamedSpecifiers: []
            };
          }
          const typeNamedSpecifiersTexts = [];
          const removeTypeNamedSpecifiers = [];
          if (subsetNamedSpecifiers.length === allNamedSpecifiers.length) {
            const openingBraceToken = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(subsetNamedSpecifiers[0], util_1.isOpeningBraceToken), util_1.NullThrowsReasons.MissingToken("{", node.type));
            const commaToken = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(openingBraceToken, util_1.isCommaToken), util_1.NullThrowsReasons.MissingToken(",", node.type));
            const closingBraceToken = (0, util_1.nullThrows)(context.sourceCode.getFirstTokenBetween(openingBraceToken, node.source, util_1.isClosingBraceToken), util_1.NullThrowsReasons.MissingToken("}", node.type));
            removeTypeNamedSpecifiers.push(fixer.removeRange([commaToken.range[0], closingBraceToken.range[1]]));
            typeNamedSpecifiersTexts.push(context.sourceCode.text.slice(openingBraceToken.range[1], closingBraceToken.range[0]));
          } else {
            const namedSpecifierGroups = [];
            let group = [];
            for (const namedSpecifier of allNamedSpecifiers) {
              if (subsetNamedSpecifiers.includes(namedSpecifier)) {
                group.push(namedSpecifier);
              } else if (group.length) {
                namedSpecifierGroups.push(group);
                group = [];
              }
            }
            if (group.length) {
              namedSpecifierGroups.push(group);
            }
            for (const namedSpecifiers of namedSpecifierGroups) {
              const { removeRange, textRange } = getNamedSpecifierRanges(namedSpecifiers, allNamedSpecifiers);
              removeTypeNamedSpecifiers.push(fixer.removeRange(removeRange));
              typeNamedSpecifiersTexts.push(context.sourceCode.text.slice(...textRange));
            }
          }
          return {
            typeNamedSpecifiersText: typeNamedSpecifiersTexts.join(","),
            removeTypeNamedSpecifiers
          };
        }
        function getNamedSpecifierRanges(namedSpecifierGroup, allNamedSpecifiers) {
          const first = namedSpecifierGroup[0];
          const last = namedSpecifierGroup[namedSpecifierGroup.length - 1];
          const removeRange = [first.range[0], last.range[1]];
          const textRange = [...removeRange];
          const before = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(first), util_1.NullThrowsReasons.MissingToken("token", "first specifier"));
          textRange[0] = before.range[1];
          if ((0, util_1.isCommaToken)(before)) {
            removeRange[0] = before.range[0];
          } else {
            removeRange[0] = before.range[1];
          }
          const isFirst = allNamedSpecifiers[0] === first;
          const isLast = allNamedSpecifiers[allNamedSpecifiers.length - 1] === last;
          const after = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(last), util_1.NullThrowsReasons.MissingToken("token", "last specifier"));
          textRange[1] = after.range[0];
          if (isFirst || isLast) {
            if ((0, util_1.isCommaToken)(after)) {
              removeRange[1] = after.range[1];
            }
          }
          return {
            textRange,
            removeRange
          };
        }
        function fixInsertNamedSpecifiersInNamedSpecifierList(fixer, target, insertText) {
          const closingBraceToken = (0, util_1.nullThrows)(context.sourceCode.getFirstTokenBetween((0, util_1.nullThrows)(context.sourceCode.getFirstToken(target), util_1.NullThrowsReasons.MissingToken("token before", "import")), target.source, util_1.isClosingBraceToken), util_1.NullThrowsReasons.MissingToken("}", target.type));
          const before = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(closingBraceToken), util_1.NullThrowsReasons.MissingToken("token before", "closing brace"));
          if (!(0, util_1.isCommaToken)(before) && !(0, util_1.isOpeningBraceToken)(before)) {
            insertText = `,${insertText}`;
          }
          return fixer.insertTextBefore(closingBraceToken, insertText);
        }
        function* fixInsertTypeKeywordInNamedSpecifierList(fixer, typeSpecifiers) {
          for (const spec of typeSpecifiers) {
            const insertText = context.sourceCode.text.slice(...spec.range);
            yield fixer.replaceTextRange(spec.range, `type ${insertText}`);
          }
        }
        function* fixInlineTypeImportDeclaration(fixer, report, sourceImports) {
          const { node } = report;
          const { namedSpecifiers } = classifySpecifier(node);
          const typeNamedSpecifiers = namedSpecifiers.filter((specifier) => report.typeSpecifiers.includes(specifier));
          if (sourceImports.valueImport) {
            const { namedSpecifiers: valueImportNamedSpecifiers } = classifySpecifier(sourceImports.valueImport);
            if (sourceImports.valueOnlyNamedImport || valueImportNamedSpecifiers.length) {
              yield* fixInsertTypeKeywordInNamedSpecifierList(fixer, typeNamedSpecifiers);
            }
          }
        }
        function* fixToTypeImportDeclaration(fixer, report, sourceImports) {
          const { node } = report;
          const { defaultSpecifier, namespaceSpecifier, namedSpecifiers } = classifySpecifier(node);
          if (namespaceSpecifier && !defaultSpecifier) {
            if (node.attributes.length === 0) {
              yield* fixInsertTypeSpecifierForImportDeclaration(fixer, node, false);
            }
            return;
          } else if (defaultSpecifier) {
            if (report.typeSpecifiers.includes(defaultSpecifier) && namedSpecifiers.length === 0 && !namespaceSpecifier) {
              yield* fixInsertTypeSpecifierForImportDeclaration(fixer, node, true);
              return;
            } else if (fixStyle === "inline-type-imports" && !report.typeSpecifiers.includes(defaultSpecifier) && namedSpecifiers.length > 0 && !namespaceSpecifier) {
              yield* fixInlineTypeImportDeclaration(fixer, report, sourceImports);
              return;
            }
          } else if (!namespaceSpecifier) {
            if (fixStyle === "inline-type-imports" && namedSpecifiers.some((specifier) => report.typeSpecifiers.includes(specifier))) {
              yield* fixInlineTypeImportDeclaration(fixer, report, sourceImports);
              return;
            } else if (namedSpecifiers.every((specifier) => report.typeSpecifiers.includes(specifier))) {
              yield* fixInsertTypeSpecifierForImportDeclaration(fixer, node, false);
              return;
            }
          }
          const typeNamedSpecifiers = namedSpecifiers.filter((specifier) => report.typeSpecifiers.includes(specifier));
          const fixesNamedSpecifiers = getFixesNamedSpecifiers(fixer, node, typeNamedSpecifiers, namedSpecifiers);
          const afterFixes = [];
          if (typeNamedSpecifiers.length) {
            if (sourceImports.typeOnlyNamedImport) {
              const insertTypeNamedSpecifiers = fixInsertNamedSpecifiersInNamedSpecifierList(fixer, sourceImports.typeOnlyNamedImport, fixesNamedSpecifiers.typeNamedSpecifiersText);
              if (sourceImports.typeOnlyNamedImport.range[1] <= node.range[0]) {
                yield insertTypeNamedSpecifiers;
              } else {
                afterFixes.push(insertTypeNamedSpecifiers);
              }
            } else {
              if (fixStyle === "inline-type-imports") {
                yield fixer.insertTextBefore(node, `import {${typeNamedSpecifiers.map((spec) => {
                  const insertText = context.sourceCode.text.slice(...spec.range);
                  return `type ${insertText}`;
                }).join(", ")}} from ${context.sourceCode.getText(node.source)};
`);
              } else {
                yield fixer.insertTextBefore(node, `import type {${fixesNamedSpecifiers.typeNamedSpecifiersText}} from ${context.sourceCode.getText(node.source)};
`);
              }
            }
          }
          const fixesRemoveTypeNamespaceSpecifier = [];
          if (namespaceSpecifier && report.typeSpecifiers.includes(namespaceSpecifier)) {
            const commaToken = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(namespaceSpecifier, util_1.isCommaToken), util_1.NullThrowsReasons.MissingToken(",", node.type));
            fixesRemoveTypeNamespaceSpecifier.push(fixer.removeRange([commaToken.range[0], namespaceSpecifier.range[1]]));
            yield fixer.insertTextBefore(node, `import type ${context.sourceCode.getText(namespaceSpecifier)} from ${context.sourceCode.getText(node.source)};
`);
          }
          if (defaultSpecifier && report.typeSpecifiers.includes(defaultSpecifier)) {
            if (report.typeSpecifiers.length === node.specifiers.length) {
              const importToken = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(node, util_1.isImportKeyword), util_1.NullThrowsReasons.MissingToken("import", node.type));
              yield fixer.insertTextAfter(importToken, " type");
            } else {
              const commaToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(defaultSpecifier, util_1.isCommaToken), util_1.NullThrowsReasons.MissingToken(",", defaultSpecifier.type));
              const defaultText = context.sourceCode.text.slice(defaultSpecifier.range[0], commaToken.range[0]).trim();
              yield fixer.insertTextBefore(node, `import type ${defaultText} from ${context.sourceCode.getText(node.source)};
`);
              const afterToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(commaToken, {
                includeComments: true
              }), util_1.NullThrowsReasons.MissingToken("any token", node.type));
              yield fixer.removeRange([
                defaultSpecifier.range[0],
                afterToken.range[0]
              ]);
            }
          }
          yield* fixesNamedSpecifiers.removeTypeNamedSpecifiers;
          yield* fixesRemoveTypeNamespaceSpecifier;
          yield* afterFixes;
        }
        function* fixInsertTypeSpecifierForImportDeclaration(fixer, node, isDefaultImport) {
          const importToken = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(node, util_1.isImportKeyword), util_1.NullThrowsReasons.MissingToken("import", node.type));
          yield fixer.insertTextAfter(importToken, " type");
          if (isDefaultImport) {
            const openingBraceToken = context.sourceCode.getFirstTokenBetween(importToken, node.source, util_1.isOpeningBraceToken);
            if (openingBraceToken) {
              const commaToken = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(openingBraceToken, util_1.isCommaToken), util_1.NullThrowsReasons.MissingToken(",", node.type));
              const closingBraceToken = (0, util_1.nullThrows)(context.sourceCode.getFirstTokenBetween(openingBraceToken, node.source, util_1.isClosingBraceToken), util_1.NullThrowsReasons.MissingToken("}", node.type));
              yield fixer.removeRange([
                commaToken.range[0],
                closingBraceToken.range[1]
              ]);
              const specifiersText = context.sourceCode.text.slice(commaToken.range[1], closingBraceToken.range[1]);
              if (node.specifiers.length > 1) {
                yield fixer.insertTextAfter(node, `
import type${specifiersText} from ${context.sourceCode.getText(node.source)};`);
              }
            }
          }
          for (const specifier of node.specifiers) {
            if (specifier.type === utils_1.AST_NODE_TYPES.ImportSpecifier && specifier.importKind === "type") {
              yield* fixRemoveTypeSpecifierFromImportSpecifier(fixer, specifier);
            }
          }
        }
        function* fixRemoveTypeSpecifierFromImportDeclaration(fixer, node) {
          const importToken = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(node, util_1.isImportKeyword), util_1.NullThrowsReasons.MissingToken("import", node.type));
          const typeToken = (0, util_1.nullThrows)(context.sourceCode.getFirstTokenBetween(importToken, node.specifiers[0]?.local ?? node.source, util_1.isTypeKeyword), util_1.NullThrowsReasons.MissingToken("type", node.type));
          const afterToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(typeToken, { includeComments: true }), util_1.NullThrowsReasons.MissingToken("any token", node.type));
          yield fixer.removeRange([typeToken.range[0], afterToken.range[0]]);
        }
        function* fixRemoveTypeSpecifierFromImportSpecifier(fixer, node) {
          const typeToken = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(node, util_1.isTypeKeyword), util_1.NullThrowsReasons.MissingToken("type", node.type));
          const afterToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(typeToken, { includeComments: true }), util_1.NullThrowsReasons.MissingToken("any token", node.type));
          yield fixer.removeRange([typeToken.range[0], afterToken.range[0]]);
        }
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/default-param-last.js
var require_default_param_last = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/default-param-last.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "default-param-last",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce default parameters to be last",
          extendsBaseRule: true
        },
        schema: [],
        messages: {
          shouldBeLast: "Default parameters should be last."
        }
      },
      defaultOptions: [],
      create(context) {
        function isOptionalParam(node) {
          return (node.type === utils_1.AST_NODE_TYPES.ArrayPattern || node.type === utils_1.AST_NODE_TYPES.AssignmentPattern || node.type === utils_1.AST_NODE_TYPES.Identifier || node.type === utils_1.AST_NODE_TYPES.ObjectPattern || node.type === utils_1.AST_NODE_TYPES.RestElement) && node.optional;
        }
        function isPlainParam(node) {
          return !(node.type === utils_1.AST_NODE_TYPES.AssignmentPattern || node.type === utils_1.AST_NODE_TYPES.RestElement || isOptionalParam(node));
        }
        function checkDefaultParamLast(node) {
          let hasSeenPlainParam = false;
          for (let i = node.params.length - 1; i >= 0; i--) {
            const current = node.params[i];
            const param = current.type === utils_1.AST_NODE_TYPES.TSParameterProperty ? current.parameter : current;
            if (isPlainParam(param)) {
              hasSeenPlainParam = true;
              continue;
            }
            if (hasSeenPlainParam && (isOptionalParam(param) || param.type === utils_1.AST_NODE_TYPES.AssignmentPattern)) {
              context.report({ node: current, messageId: "shouldBeLast" });
            }
          }
        }
        return {
          ArrowFunctionExpression: checkDefaultParamLast,
          FunctionDeclaration: checkDefaultParamLast,
          FunctionExpression: checkDefaultParamLast
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/dot-notation.js
var require_dot_notation = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/dot-notation.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("dot-notation");
    exports2.default = (0, util_1.createRule)({
      name: "dot-notation",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce dot notation whenever possible",
          recommended: "stylistic",
          extendsBaseRule: true,
          requiresTypeChecking: true
        },
        schema: [
          {
            type: "object",
            properties: {
              allowKeywords: {
                type: "boolean",
                default: true
              },
              allowPattern: {
                type: "string",
                default: ""
              },
              allowPrivateClassPropertyAccess: {
                type: "boolean",
                default: false
              },
              allowProtectedClassPropertyAccess: {
                type: "boolean",
                default: false
              },
              allowIndexSignaturePropertyAccess: {
                type: "boolean",
                default: false
              }
            },
            additionalProperties: false
          }
        ],
        fixable: baseRule2.meta.fixable,
        hasSuggestions: baseRule2.meta.hasSuggestions,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        {
          allowPrivateClassPropertyAccess: false,
          allowProtectedClassPropertyAccess: false,
          allowIndexSignaturePropertyAccess: false,
          allowKeywords: true,
          allowPattern: ""
        }
      ],
      create(context, [options]) {
        const rules = baseRule2.create(context);
        const services = (0, util_1.getParserServices)(context);
        const allowPrivateClassPropertyAccess = options.allowPrivateClassPropertyAccess;
        const allowProtectedClassPropertyAccess = options.allowProtectedClassPropertyAccess;
        const allowIndexSignaturePropertyAccess = (options.allowIndexSignaturePropertyAccess ?? false) || tsutils.isCompilerOptionEnabled(services.program.getCompilerOptions(), "noPropertyAccessFromIndexSignature");
        return {
          MemberExpression(node) {
            if ((allowPrivateClassPropertyAccess || allowProtectedClassPropertyAccess || allowIndexSignaturePropertyAccess) && node.computed) {
              const propertySymbol = services.getSymbolAtLocation(node.property) ?? services.getTypeAtLocation(node.object).getNonNullableType().getProperties().find((propertySymbol2) => node.property.type === utils_1.AST_NODE_TYPES.Literal && propertySymbol2.escapedName === node.property.value);
              const modifierKind = (0, util_1.getModifiers)(propertySymbol?.getDeclarations()?.[0])?.[0].kind;
              if (allowPrivateClassPropertyAccess && modifierKind === ts.SyntaxKind.PrivateKeyword || allowProtectedClassPropertyAccess && modifierKind === ts.SyntaxKind.ProtectedKeyword) {
                return;
              }
              if (propertySymbol === void 0 && allowIndexSignaturePropertyAccess) {
                const objectType2 = services.getTypeAtLocation(node.object);
                const indexType = objectType2.getNonNullableType().getStringIndexType();
                if (indexType !== void 0) {
                  return;
                }
              }
            }
            rules.MemberExpression(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/explicitReturnTypeUtils.js
var require_explicitReturnTypeUtils = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/explicitReturnTypeUtils.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.checkFunctionExpressionReturnType = checkFunctionExpressionReturnType;
    exports2.checkFunctionReturnType = checkFunctionReturnType;
    exports2.doesImmediatelyReturnFunctionExpression = doesImmediatelyReturnFunctionExpression;
    exports2.isTypedFunctionExpression = isTypedFunctionExpression;
    exports2.isValidFunctionExpressionReturnType = isValidFunctionExpressionReturnType;
    exports2.ancestorHasReturnType = ancestorHasReturnType;
    var utils_1 = require_dist4();
    var astUtils_1 = require_astUtils();
    var getFunctionHeadLoc_1 = require_getFunctionHeadLoc();
    function isVariableDeclaratorWithTypeAnnotation(node) {
      return node.type === utils_1.AST_NODE_TYPES.VariableDeclarator && !!node.id.typeAnnotation;
    }
    function isPropertyDefinitionWithTypeAnnotation(node) {
      return node.type === utils_1.AST_NODE_TYPES.PropertyDefinition && !!node.typeAnnotation;
    }
    function isFunctionArgument(parent, callee) {
      return parent.type === utils_1.AST_NODE_TYPES.CallExpression && // make sure this isn't an IIFE
      parent.callee !== callee;
    }
    function isTypedJSX(node) {
      return node.type === utils_1.AST_NODE_TYPES.JSXExpressionContainer || node.type === utils_1.AST_NODE_TYPES.JSXSpreadAttribute;
    }
    function isTypedParent(parent, callee) {
      return (0, astUtils_1.isTypeAssertion)(parent) || isVariableDeclaratorWithTypeAnnotation(parent) || isDefaultFunctionParameterWithTypeAnnotation(parent) || isPropertyDefinitionWithTypeAnnotation(parent) || isFunctionArgument(parent, callee) || isTypedJSX(parent);
    }
    function isDefaultFunctionParameterWithTypeAnnotation(node) {
      return node.type === utils_1.AST_NODE_TYPES.AssignmentPattern && node.left.typeAnnotation != null;
    }
    function isConstructorArgument(node) {
      return node.type === utils_1.AST_NODE_TYPES.NewExpression;
    }
    function isPropertyOfObjectWithType(property) {
      if (!property || property.type !== utils_1.AST_NODE_TYPES.Property) {
        return false;
      }
      const objectExpr = property.parent;
      if (objectExpr.type !== utils_1.AST_NODE_TYPES.ObjectExpression) {
        return false;
      }
      const parent = objectExpr.parent;
      return isTypedParent(parent) || isPropertyOfObjectWithType(parent);
    }
    function doesImmediatelyReturnFunctionExpression({ node, returns }) {
      if (node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression && utils_1.ASTUtils.isFunction(node.body)) {
        return true;
      }
      if (returns.length === 0) {
        return false;
      }
      return returns.every((node2) => node2.argument && utils_1.ASTUtils.isFunction(node2.argument));
    }
    function returnsConstAssertionDirectly(node) {
      const { body } = node;
      if ((0, astUtils_1.isTypeAssertion)(body)) {
        const { typeAnnotation } = body;
        if (typeAnnotation.type === utils_1.AST_NODE_TYPES.TSTypeReference) {
          const { typeName } = typeAnnotation;
          if (typeName.type === utils_1.AST_NODE_TYPES.Identifier && typeName.name === "const") {
            return true;
          }
        }
      }
      return false;
    }
    function isTypedFunctionExpression(node, options) {
      const parent = utils_1.ESLintUtils.nullThrows(node.parent, utils_1.ESLintUtils.NullThrowsReasons.MissingParent);
      if (!options.allowTypedFunctionExpressions) {
        return false;
      }
      return isTypedParent(parent, node) || isPropertyOfObjectWithType(parent) || isConstructorArgument(parent);
    }
    function isValidFunctionExpressionReturnType(node, options) {
      if (isTypedFunctionExpression(node, options)) {
        return true;
      }
      const parent = utils_1.ESLintUtils.nullThrows(node.parent, utils_1.ESLintUtils.NullThrowsReasons.MissingParent);
      if (options.allowExpressions && parent.type !== utils_1.AST_NODE_TYPES.VariableDeclarator && parent.type !== utils_1.AST_NODE_TYPES.MethodDefinition && parent.type !== utils_1.AST_NODE_TYPES.ExportDefaultDeclaration && parent.type !== utils_1.AST_NODE_TYPES.PropertyDefinition) {
        return true;
      }
      return options.allowDirectConstAssertionInArrowFunctions === true && node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression && returnsConstAssertionDirectly(node);
    }
    function isValidFunctionReturnType({ node, returns }, options) {
      if (options.allowHigherOrderFunctions && doesImmediatelyReturnFunctionExpression({ node, returns })) {
        return true;
      }
      return node.returnType != null || (0, astUtils_1.isConstructor)(node.parent) || (0, astUtils_1.isSetter)(node.parent);
    }
    function checkFunctionReturnType({ node, returns }, options, sourceCode, report) {
      if (isValidFunctionReturnType({ node, returns }, options)) {
        return;
      }
      report((0, getFunctionHeadLoc_1.getFunctionHeadLoc)(node, sourceCode));
    }
    function checkFunctionExpressionReturnType(info, options, sourceCode, report) {
      if (isValidFunctionExpressionReturnType(info.node, options)) {
        return;
      }
      checkFunctionReturnType(info, options, sourceCode, report);
    }
    function ancestorHasReturnType(node) {
      let ancestor = node.parent;
      if (ancestor.type === utils_1.AST_NODE_TYPES.Property) {
        ancestor = ancestor.value;
      }
      const isReturnStatement = ancestor.type === utils_1.AST_NODE_TYPES.ReturnStatement;
      const isBodylessArrow = ancestor.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression && ancestor.body.type !== utils_1.AST_NODE_TYPES.BlockStatement;
      if (!isReturnStatement && !isBodylessArrow) {
        return false;
      }
      while (ancestor) {
        switch (ancestor.type) {
          case utils_1.AST_NODE_TYPES.ArrowFunctionExpression:
          case utils_1.AST_NODE_TYPES.FunctionExpression:
          case utils_1.AST_NODE_TYPES.FunctionDeclaration:
            if (ancestor.returnType) {
              return true;
            }
            break;
          case utils_1.AST_NODE_TYPES.VariableDeclarator:
            return !!ancestor.id.typeAnnotation;
          case utils_1.AST_NODE_TYPES.PropertyDefinition:
            return !!ancestor.typeAnnotation;
          case utils_1.AST_NODE_TYPES.ExpressionStatement:
            return false;
        }
        ancestor = ancestor.parent;
      }
      return false;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/explicit-function-return-type.js
var require_explicit_function_return_type = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/explicit-function-return-type.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var explicitReturnTypeUtils_1 = require_explicitReturnTypeUtils();
    exports2.default = (0, util_1.createRule)({
      name: "explicit-function-return-type",
      meta: {
        type: "problem",
        docs: {
          description: "Require explicit return types on functions and class methods"
        },
        messages: {
          missingReturnType: "Missing return type on function."
        },
        schema: [
          {
            type: "object",
            properties: {
              allowConciseArrowFunctionExpressionsStartingWithVoid: {
                description: "Whether to allow arrow functions that start with the `void` keyword.",
                type: "boolean"
              },
              allowExpressions: {
                description: "Whether to ignore function expressions (functions which are not part of a declaration).",
                type: "boolean"
              },
              allowHigherOrderFunctions: {
                description: "Whether to ignore functions immediately returning another function expression.",
                type: "boolean"
              },
              allowTypedFunctionExpressions: {
                description: "Whether to ignore type annotations on the variable of function expressions.",
                type: "boolean"
              },
              allowDirectConstAssertionInArrowFunctions: {
                description: "Whether to ignore arrow functions immediately returning a `as const` value.",
                type: "boolean"
              },
              allowFunctionsWithoutTypeParameters: {
                description: "Whether to ignore functions that don't have generic type parameters.",
                type: "boolean"
              },
              allowedNames: {
                description: "An array of function/method names that will not have their arguments or return values checked.",
                items: {
                  type: "string"
                },
                type: "array"
              },
              allowIIFEs: {
                description: "Whether to ignore immediately invoked function expressions (IIFEs).",
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          allowExpressions: false,
          allowTypedFunctionExpressions: true,
          allowHigherOrderFunctions: true,
          allowDirectConstAssertionInArrowFunctions: true,
          allowConciseArrowFunctionExpressionsStartingWithVoid: false,
          allowFunctionsWithoutTypeParameters: false,
          allowedNames: [],
          allowIIFEs: false
        }
      ],
      create(context, [options]) {
        const functionInfoStack = [];
        function enterFunction(node) {
          functionInfoStack.push({
            node,
            returns: []
          });
        }
        function popFunctionInfo(exitNodeType) {
          return (0, util_1.nullThrows)(functionInfoStack.pop(), `Stack should exist on ${exitNodeType} exit`);
        }
        function isAllowedFunction(node) {
          if (options.allowFunctionsWithoutTypeParameters && !node.typeParameters) {
            return true;
          }
          if (options.allowIIFEs && isIIFE(node)) {
            return true;
          }
          if (!options.allowedNames?.length) {
            return false;
          }
          if (node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression || node.type === utils_1.AST_NODE_TYPES.FunctionExpression) {
            const parent = node.parent;
            let funcName;
            if (node.id?.name) {
              funcName = node.id.name;
            } else {
              switch (parent.type) {
                case utils_1.AST_NODE_TYPES.VariableDeclarator: {
                  if (parent.id.type === utils_1.AST_NODE_TYPES.Identifier) {
                    funcName = parent.id.name;
                  }
                  break;
                }
                case utils_1.AST_NODE_TYPES.MethodDefinition:
                case utils_1.AST_NODE_TYPES.PropertyDefinition:
                case utils_1.AST_NODE_TYPES.Property: {
                  if (parent.key.type === utils_1.AST_NODE_TYPES.Identifier && !parent.computed) {
                    funcName = parent.key.name;
                  }
                  break;
                }
              }
            }
            if (!!funcName && !!options.allowedNames.includes(funcName)) {
              return true;
            }
          }
          if (node.type === utils_1.AST_NODE_TYPES.FunctionDeclaration && node.id && !!options.allowedNames.includes(node.id.name)) {
            return true;
          }
          return false;
        }
        function isIIFE(node) {
          return node.parent.type === utils_1.AST_NODE_TYPES.CallExpression;
        }
        function exitFunctionExpression(node) {
          const info = popFunctionInfo("function expression");
          if (options.allowConciseArrowFunctionExpressionsStartingWithVoid && node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression && node.expression && node.body.type === utils_1.AST_NODE_TYPES.UnaryExpression && node.body.operator === "void") {
            return;
          }
          if (isAllowedFunction(node)) {
            return;
          }
          if (options.allowTypedFunctionExpressions && ((0, explicitReturnTypeUtils_1.isValidFunctionExpressionReturnType)(node, options) || (0, explicitReturnTypeUtils_1.ancestorHasReturnType)(node))) {
            return;
          }
          (0, explicitReturnTypeUtils_1.checkFunctionReturnType)(info, options, context.sourceCode, (loc) => context.report({
            node,
            loc,
            messageId: "missingReturnType"
          }));
        }
        return {
          "ArrowFunctionExpression, FunctionExpression, FunctionDeclaration": enterFunction,
          "ArrowFunctionExpression:exit": exitFunctionExpression,
          "FunctionExpression:exit": exitFunctionExpression,
          "FunctionDeclaration:exit"(node) {
            const info = popFunctionInfo("function declaration");
            if (isAllowedFunction(node)) {
              return;
            }
            if (options.allowTypedFunctionExpressions && node.returnType) {
              return;
            }
            (0, explicitReturnTypeUtils_1.checkFunctionReturnType)(info, options, context.sourceCode, (loc) => context.report({
              node,
              loc,
              messageId: "missingReturnType"
            }));
          },
          ReturnStatement(node) {
            functionInfoStack.at(-1)?.returns.push(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getMemberHeadLoc.js
var require_getMemberHeadLoc = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getMemberHeadLoc.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getMemberHeadLoc = getMemberHeadLoc;
    exports2.getParameterPropertyHeadLoc = getParameterPropertyHeadLoc;
    var eslint_utils_1 = require_eslint_utils3();
    function getMemberHeadLoc(sourceCode, node) {
      let start;
      if (node.decorators.length === 0) {
        start = node.loc.start;
      } else {
        const lastDecorator = node.decorators[node.decorators.length - 1];
        const nextToken = (0, eslint_utils_1.nullThrows)(sourceCode.getTokenAfter(lastDecorator), eslint_utils_1.NullThrowsReasons.MissingToken("token", "last decorator"));
        start = nextToken.loc.start;
      }
      let end;
      if (!node.computed) {
        end = node.key.loc.end;
      } else {
        const closingBracket = (0, eslint_utils_1.nullThrows)(sourceCode.getTokenAfter(node.key, (token) => token.value === "]"), eslint_utils_1.NullThrowsReasons.MissingToken("]", node.type));
        end = closingBracket.loc.end;
      }
      return {
        start: structuredClone(start),
        end: structuredClone(end)
      };
    }
    function getParameterPropertyHeadLoc(sourceCode, node, nodeName) {
      let start;
      if (node.decorators.length === 0) {
        start = structuredClone(node.loc.start);
      } else {
        const lastDecorator = node.decorators[node.decorators.length - 1];
        const nextToken = (0, eslint_utils_1.nullThrows)(sourceCode.getTokenAfter(lastDecorator), eslint_utils_1.NullThrowsReasons.MissingToken("token", "last decorator"));
        start = structuredClone(nextToken.loc.start);
      }
      const end = sourceCode.getLocFromIndex(node.parameter.range[0] + nodeName.length);
      return {
        start,
        end
      };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/explicit-member-accessibility.js
var require_explicit_member_accessibility = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/explicit-member-accessibility.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getMemberHeadLoc_1 = require_getMemberHeadLoc();
    exports2.default = (0, util_1.createRule)({
      name: "explicit-member-accessibility",
      meta: {
        hasSuggestions: true,
        type: "problem",
        docs: {
          description: "Require explicit accessibility modifiers on class properties and methods"
          // too opinionated to be recommended
        },
        fixable: "code",
        messages: {
          missingAccessibility: "Missing accessibility modifier on {{type}} {{name}}.",
          unwantedPublicAccessibility: "Public accessibility modifier on {{type}} {{name}}.",
          addExplicitAccessibility: "Add '{{ type }}' accessibility modifier"
        },
        schema: [
          {
            $defs: {
              accessibilityLevel: {
                oneOf: [
                  {
                    type: "string",
                    enum: ["explicit"],
                    description: "Always require an accessor."
                  },
                  {
                    type: "string",
                    enum: ["no-public"],
                    description: "Require an accessor except when public."
                  },
                  {
                    type: "string",
                    enum: ["off"],
                    description: "Never check whether there is an accessor."
                  }
                ]
              }
            },
            type: "object",
            properties: {
              accessibility: { $ref: "#/items/0/$defs/accessibilityLevel" },
              overrides: {
                type: "object",
                properties: {
                  accessors: { $ref: "#/items/0/$defs/accessibilityLevel" },
                  constructors: { $ref: "#/items/0/$defs/accessibilityLevel" },
                  methods: { $ref: "#/items/0/$defs/accessibilityLevel" },
                  properties: { $ref: "#/items/0/$defs/accessibilityLevel" },
                  parameterProperties: {
                    $ref: "#/items/0/$defs/accessibilityLevel"
                  }
                },
                additionalProperties: false
              },
              ignoredMethodNames: {
                type: "array",
                items: {
                  type: "string"
                }
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [{ accessibility: "explicit" }],
      create(context, [option]) {
        const baseCheck = option.accessibility ?? "explicit";
        const overrides = option.overrides ?? {};
        const ctorCheck = overrides.constructors ?? baseCheck;
        const accessorCheck = overrides.accessors ?? baseCheck;
        const methodCheck = overrides.methods ?? baseCheck;
        const propCheck = overrides.properties ?? baseCheck;
        const paramPropCheck = overrides.parameterProperties ?? baseCheck;
        const ignoredMethodNames = new Set(option.ignoredMethodNames ?? []);
        function checkMethodAccessibilityModifier(methodDefinition) {
          if (methodDefinition.key.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
            return;
          }
          let nodeType = "method definition";
          let check = baseCheck;
          switch (methodDefinition.kind) {
            case "method":
              check = methodCheck;
              break;
            case "constructor":
              check = ctorCheck;
              break;
            case "get":
            case "set":
              check = accessorCheck;
              nodeType = `${methodDefinition.kind} property accessor`;
              break;
          }
          const { name: methodName } = (0, util_1.getNameFromMember)(methodDefinition, context.sourceCode);
          if (check === "off" || ignoredMethodNames.has(methodName)) {
            return;
          }
          if (check === "no-public" && methodDefinition.accessibility === "public") {
            const publicKeyword = findPublicKeyword(methodDefinition);
            context.report({
              loc: rangeToLoc(context.sourceCode, publicKeyword.range),
              messageId: "unwantedPublicAccessibility",
              data: {
                type: nodeType,
                name: methodName
              },
              fix: (fixer) => fixer.removeRange(publicKeyword.rangeToRemove)
            });
          } else if (check === "explicit" && !methodDefinition.accessibility) {
            context.report({
              loc: (0, getMemberHeadLoc_1.getMemberHeadLoc)(context.sourceCode, methodDefinition),
              messageId: "missingAccessibility",
              data: {
                type: nodeType,
                name: methodName
              },
              suggest: getMissingAccessibilitySuggestions(methodDefinition)
            });
          }
        }
        function findPublicKeyword(node) {
          const tokens = context.sourceCode.getTokens(node);
          let rangeToRemove;
          let keywordRange;
          for (let i = 0; i < tokens.length; i++) {
            const token = tokens[i];
            if (token.type === utils_1.AST_TOKEN_TYPES.Keyword && token.value === "public") {
              keywordRange = structuredClone(token.range);
              const commensAfterPublicKeyword = context.sourceCode.getCommentsAfter(token);
              if (commensAfterPublicKeyword.length) {
                rangeToRemove = [
                  token.range[0],
                  commensAfterPublicKeyword[0].range[0]
                ];
                break;
              } else {
                rangeToRemove = [token.range[0], tokens[i + 1].range[0]];
                break;
              }
            }
          }
          return { range: keywordRange, rangeToRemove };
        }
        function getMissingAccessibilitySuggestions(node) {
          function fix11(accessibility, fixer) {
            if (node.decorators.length) {
              const lastDecorator = node.decorators[node.decorators.length - 1];
              const nextToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(lastDecorator), util_1.NullThrowsReasons.MissingToken("token", "last decorator"));
              return fixer.insertTextBefore(nextToken, `${accessibility} `);
            }
            return fixer.insertTextBefore(node, `${accessibility} `);
          }
          return [
            {
              messageId: "addExplicitAccessibility",
              data: { type: "public" },
              fix: (fixer) => fix11("public", fixer)
            },
            {
              messageId: "addExplicitAccessibility",
              data: { type: "private" },
              fix: (fixer) => fix11("private", fixer)
            },
            {
              messageId: "addExplicitAccessibility",
              data: { type: "protected" },
              fix: (fixer) => fix11("protected", fixer)
            }
          ];
        }
        function checkPropertyAccessibilityModifier(propertyDefinition) {
          if (propertyDefinition.key.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
            return;
          }
          const nodeType = "class property";
          const { name: propertyName } = (0, util_1.getNameFromMember)(propertyDefinition, context.sourceCode);
          if (propCheck === "no-public" && propertyDefinition.accessibility === "public") {
            const publicKeywordRange = findPublicKeyword(propertyDefinition);
            context.report({
              loc: rangeToLoc(context.sourceCode, publicKeywordRange.range),
              messageId: "unwantedPublicAccessibility",
              data: {
                type: nodeType,
                name: propertyName
              },
              fix: (fixer) => fixer.removeRange(publicKeywordRange.rangeToRemove)
            });
          } else if (propCheck === "explicit" && !propertyDefinition.accessibility) {
            context.report({
              loc: (0, getMemberHeadLoc_1.getMemberHeadLoc)(context.sourceCode, propertyDefinition),
              messageId: "missingAccessibility",
              data: {
                type: nodeType,
                name: propertyName
              },
              suggest: getMissingAccessibilitySuggestions(propertyDefinition)
            });
          }
        }
        function checkParameterPropertyAccessibilityModifier(node) {
          const nodeType = "parameter property";
          if (node.parameter.type !== utils_1.AST_NODE_TYPES.Identifier && node.parameter.type !== utils_1.AST_NODE_TYPES.AssignmentPattern) {
            return;
          }
          const nodeName = node.parameter.type === utils_1.AST_NODE_TYPES.Identifier ? node.parameter.name : (
            // has to be an Identifier or TSC will throw an error
            node.parameter.left.name
          );
          switch (paramPropCheck) {
            case "explicit": {
              if (!node.accessibility) {
                context.report({
                  loc: (0, getMemberHeadLoc_1.getParameterPropertyHeadLoc)(context.sourceCode, node, nodeName),
                  messageId: "missingAccessibility",
                  data: {
                    type: nodeType,
                    name: nodeName
                  },
                  suggest: getMissingAccessibilitySuggestions(node)
                });
              }
              break;
            }
            case "no-public": {
              if (node.accessibility === "public" && node.readonly) {
                const publicKeyword = findPublicKeyword(node);
                context.report({
                  loc: rangeToLoc(context.sourceCode, publicKeyword.range),
                  messageId: "unwantedPublicAccessibility",
                  data: {
                    type: nodeType,
                    name: nodeName
                  },
                  fix: (fixer) => fixer.removeRange(publicKeyword.rangeToRemove)
                });
              }
              break;
            }
          }
        }
        return {
          "MethodDefinition, TSAbstractMethodDefinition": checkMethodAccessibilityModifier,
          "PropertyDefinition, TSAbstractPropertyDefinition": checkPropertyAccessibilityModifier,
          TSParameterProperty: checkParameterPropertyAccessibilityModifier
        };
      }
    });
    function rangeToLoc(sourceCode, range) {
      return {
        start: sourceCode.getLocFromIndex(range[0]),
        end: sourceCode.getLocFromIndex(range[1])
      };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/explicit-module-boundary-types.js
var require_explicit_module_boundary_types = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/explicit-module-boundary-types.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var explicitReturnTypeUtils_1 = require_explicitReturnTypeUtils();
    exports2.default = (0, util_1.createRule)({
      name: "explicit-module-boundary-types",
      meta: {
        type: "problem",
        docs: {
          description: "Require explicit return and argument types on exported functions' and classes' public class methods"
        },
        messages: {
          missingReturnType: "Missing return type on function.",
          missingArgType: "Argument '{{name}}' should be typed.",
          missingArgTypeUnnamed: "{{type}} argument should be typed.",
          anyTypedArg: "Argument '{{name}}' should be typed with a non-any type.",
          anyTypedArgUnnamed: "{{type}} argument should be typed with a non-any type."
        },
        schema: [
          {
            type: "object",
            properties: {
              allowArgumentsExplicitlyTypedAsAny: {
                description: "Whether to ignore arguments that are explicitly typed as `any`.",
                type: "boolean"
              },
              allowDirectConstAssertionInArrowFunctions: {
                description: [
                  "Whether to ignore return type annotations on body-less arrow functions that return an `as const` type assertion.",
                  "You must still type the parameters of the function."
                ].join("\n"),
                type: "boolean"
              },
              allowedNames: {
                description: "An array of function/method names that will not have their arguments or return values checked.",
                items: {
                  type: "string"
                },
                type: "array"
              },
              allowHigherOrderFunctions: {
                description: [
                  "Whether to ignore return type annotations on functions immediately returning another function expression.",
                  "You must still type the parameters of the function."
                ].join("\n"),
                type: "boolean"
              },
              allowTypedFunctionExpressions: {
                description: "Whether to ignore type annotations on the variable of a function expression.",
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          allowArgumentsExplicitlyTypedAsAny: false,
          allowDirectConstAssertionInArrowFunctions: true,
          allowedNames: [],
          allowHigherOrderFunctions: true,
          allowTypedFunctionExpressions: true
        }
      ],
      create(context, [options]) {
        const checkedFunctions = /* @__PURE__ */ new Set();
        const functionStack = [];
        const functionReturnsMap = /* @__PURE__ */ new Map();
        const alreadyVisited = /* @__PURE__ */ new Set();
        function getReturnsInFunction(node) {
          return functionReturnsMap.get(node) ?? [];
        }
        function enterFunction(node) {
          functionStack.push(node);
          functionReturnsMap.set(node, []);
        }
        function exitFunction() {
          functionStack.pop();
        }
        return {
          "ExportDefaultDeclaration:exit"(node) {
            checkNode2(node.declaration);
          },
          "ExportNamedDeclaration:not([source]):exit"(node) {
            if (node.declaration) {
              checkNode2(node.declaration);
            } else {
              for (const specifier of node.specifiers) {
                followReference(specifier.local);
              }
            }
          },
          "TSExportAssignment:exit"(node) {
            checkNode2(node.expression);
          },
          "ArrowFunctionExpression, FunctionDeclaration, FunctionExpression": enterFunction,
          "ArrowFunctionExpression:exit": exitFunction,
          "FunctionDeclaration:exit": exitFunction,
          "FunctionExpression:exit": exitFunction,
          "Program:exit"() {
            for (const [node, returns] of functionReturnsMap) {
              if (isExportedHigherOrderFunction({ node, returns })) {
                checkNode2(node);
              }
            }
          },
          ReturnStatement(node) {
            const current = functionStack[functionStack.length - 1];
            functionReturnsMap.get(current)?.push(node);
          }
        };
        function checkParameters(node) {
          function checkParameter(param) {
            function report(namedMessageId, unnamedMessageId) {
              if (param.type === utils_1.AST_NODE_TYPES.Identifier) {
                context.report({
                  node: param,
                  messageId: namedMessageId,
                  data: { name: param.name }
                });
              } else if (param.type === utils_1.AST_NODE_TYPES.ArrayPattern) {
                context.report({
                  node: param,
                  messageId: unnamedMessageId,
                  data: { type: "Array pattern" }
                });
              } else if (param.type === utils_1.AST_NODE_TYPES.ObjectPattern) {
                context.report({
                  node: param,
                  messageId: unnamedMessageId,
                  data: { type: "Object pattern" }
                });
              } else if (param.type === utils_1.AST_NODE_TYPES.RestElement) {
                if (param.argument.type === utils_1.AST_NODE_TYPES.Identifier) {
                  context.report({
                    node: param,
                    messageId: namedMessageId,
                    data: { name: param.argument.name }
                  });
                } else {
                  context.report({
                    node: param,
                    messageId: unnamedMessageId,
                    data: { type: "Rest" }
                  });
                }
              }
            }
            switch (param.type) {
              case utils_1.AST_NODE_TYPES.ArrayPattern:
              case utils_1.AST_NODE_TYPES.Identifier:
              case utils_1.AST_NODE_TYPES.ObjectPattern:
              case utils_1.AST_NODE_TYPES.RestElement:
                if (!param.typeAnnotation) {
                  report("missingArgType", "missingArgTypeUnnamed");
                } else if (options.allowArgumentsExplicitlyTypedAsAny !== true && param.typeAnnotation.typeAnnotation.type === utils_1.AST_NODE_TYPES.TSAnyKeyword) {
                  report("anyTypedArg", "anyTypedArgUnnamed");
                }
                return;
              case utils_1.AST_NODE_TYPES.TSParameterProperty:
                return checkParameter(param.parameter);
              case utils_1.AST_NODE_TYPES.AssignmentPattern:
                return;
            }
          }
          for (const arg of node.params) {
            checkParameter(arg);
          }
        }
        function isAllowedName(node) {
          if (!node || !options.allowedNames || options.allowedNames.length === 0) {
            return false;
          }
          if (node.type === utils_1.AST_NODE_TYPES.VariableDeclarator || node.type === utils_1.AST_NODE_TYPES.FunctionDeclaration) {
            return node.id?.type === utils_1.AST_NODE_TYPES.Identifier && options.allowedNames.includes(node.id.name);
          } else if (node.type === utils_1.AST_NODE_TYPES.MethodDefinition || node.type === utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition || node.type === utils_1.AST_NODE_TYPES.Property && node.method || node.type === utils_1.AST_NODE_TYPES.PropertyDefinition) {
            if (node.key.type === utils_1.AST_NODE_TYPES.Literal && typeof node.key.value === "string") {
              return options.allowedNames.includes(node.key.value);
            }
            if (node.key.type === utils_1.AST_NODE_TYPES.TemplateLiteral && node.key.expressions.length === 0) {
              return options.allowedNames.includes(node.key.quasis[0].value.raw);
            }
            if (!node.computed && node.key.type === utils_1.AST_NODE_TYPES.Identifier) {
              return options.allowedNames.includes(node.key.name);
            }
          }
          return false;
        }
        function isExportedHigherOrderFunction({ node }) {
          let current = node.parent;
          while (current) {
            if (current.type === utils_1.AST_NODE_TYPES.ReturnStatement) {
              current = current.parent.parent;
              continue;
            }
            if (!(0, util_1.isFunction)(current)) {
              return false;
            }
            const returns = getReturnsInFunction(current);
            if (!(0, explicitReturnTypeUtils_1.doesImmediatelyReturnFunctionExpression)({ node: current, returns })) {
              return false;
            }
            if (checkedFunctions.has(current)) {
              return true;
            }
            current = current.parent;
          }
          return false;
        }
        function followReference(node) {
          const scope = context.sourceCode.getScope(node);
          const variable = scope.set.get(node.name);
          if (!variable) {
            return;
          }
          for (const definition of variable.defs) {
            if ([
              scope_manager_1.DefinitionType.ImplicitGlobalVariable,
              scope_manager_1.DefinitionType.ImportBinding,
              scope_manager_1.DefinitionType.CatchClause,
              scope_manager_1.DefinitionType.Parameter
            ].includes(definition.type)) {
              continue;
            }
            checkNode2(definition.node);
          }
          for (const reference of variable.references) {
            if (
              // we don't want to check the initialization ref, as this is handled by the declaration check
              !reference.init && reference.writeExpr
            ) {
              checkNode2(reference.writeExpr);
            }
          }
        }
        function checkNode2(node) {
          if (node == null || alreadyVisited.has(node)) {
            return;
          }
          alreadyVisited.add(node);
          switch (node.type) {
            case utils_1.AST_NODE_TYPES.ArrowFunctionExpression:
            case utils_1.AST_NODE_TYPES.FunctionExpression: {
              const returns = getReturnsInFunction(node);
              return checkFunctionExpression({ node, returns });
            }
            case utils_1.AST_NODE_TYPES.ArrayExpression:
              for (const element of node.elements) {
                checkNode2(element);
              }
              return;
            case utils_1.AST_NODE_TYPES.PropertyDefinition:
              if (node.accessibility === "private" || node.key.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
                return;
              }
              return checkNode2(node.value);
            case utils_1.AST_NODE_TYPES.ClassDeclaration:
            case utils_1.AST_NODE_TYPES.ClassExpression:
              for (const element of node.body.body) {
                checkNode2(element);
              }
              return;
            case utils_1.AST_NODE_TYPES.FunctionDeclaration: {
              const returns = getReturnsInFunction(node);
              return checkFunction({ node, returns });
            }
            case utils_1.AST_NODE_TYPES.MethodDefinition:
            case utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition:
              if (node.accessibility === "private" || node.key.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
                return;
              }
              return checkNode2(node.value);
            case utils_1.AST_NODE_TYPES.Identifier:
              return followReference(node);
            case utils_1.AST_NODE_TYPES.ObjectExpression:
              for (const property of node.properties) {
                checkNode2(property);
              }
              return;
            case utils_1.AST_NODE_TYPES.Property:
              return checkNode2(node.value);
            case utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression:
              return checkEmptyBodyFunctionExpression(node);
            case utils_1.AST_NODE_TYPES.VariableDeclaration:
              for (const declaration of node.declarations) {
                checkNode2(declaration);
              }
              return;
            case utils_1.AST_NODE_TYPES.VariableDeclarator:
              return checkNode2(node.init);
          }
        }
        function checkEmptyBodyFunctionExpression(node) {
          const isConstructor = node.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition && node.parent.kind === "constructor";
          const isSetAccessor = (node.parent.type === utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition || node.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition) && node.parent.kind === "set";
          if (!isConstructor && !isSetAccessor && !node.returnType) {
            context.report({
              node,
              messageId: "missingReturnType"
            });
          }
          checkParameters(node);
        }
        function checkFunctionExpression({ node, returns }) {
          if (checkedFunctions.has(node)) {
            return;
          }
          checkedFunctions.add(node);
          if (isAllowedName(node.parent) || (0, explicitReturnTypeUtils_1.isTypedFunctionExpression)(node, options) || (0, explicitReturnTypeUtils_1.ancestorHasReturnType)(node)) {
            return;
          }
          (0, explicitReturnTypeUtils_1.checkFunctionExpressionReturnType)({ node, returns }, options, context.sourceCode, (loc) => {
            context.report({
              node,
              loc,
              messageId: "missingReturnType"
            });
          });
          checkParameters(node);
        }
        function checkFunction({ node, returns }) {
          if (checkedFunctions.has(node)) {
            return;
          }
          checkedFunctions.add(node);
          if (isAllowedName(node) || (0, explicitReturnTypeUtils_1.ancestorHasReturnType)(node)) {
            return;
          }
          (0, explicitReturnTypeUtils_1.checkFunctionReturnType)({ node, returns }, options, context.sourceCode, (loc) => {
            context.report({
              node,
              loc,
              messageId: "missingReturnType"
            });
          });
          checkParameters(node);
        }
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/func-call-spacing.js
var require_func_call_spacing = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/func-call-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "func-call-spacing",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/func-call-spacing"],
        type: "layout",
        docs: {
          description: "Require or disallow spacing between function identifiers and their invocations",
          extendsBaseRule: true
        },
        fixable: "whitespace",
        schema: {
          anyOf: [
            {
              type: "array",
              items: [
                {
                  type: "string",
                  enum: ["never"]
                }
              ],
              minItems: 0,
              maxItems: 1
            },
            {
              type: "array",
              items: [
                {
                  type: "string",
                  enum: ["always"]
                },
                {
                  type: "object",
                  properties: {
                    allowNewlines: {
                      type: "boolean"
                    }
                  },
                  additionalProperties: false
                }
              ],
              minItems: 0,
              maxItems: 2
            }
          ]
        },
        messages: {
          unexpectedWhitespace: "Unexpected whitespace between function name and paren.",
          unexpectedNewline: "Unexpected newline between function name and paren.",
          missing: "Missing space between function name and paren."
        }
      },
      defaultOptions: ["never", {}],
      create(context, [option, config7]) {
        const text = context.sourceCode.getText();
        function checkSpacing(node) {
          const isOptionalCall = (0, util_1.isOptionalCallExpression)(node);
          const closingParenToken = context.sourceCode.getLastToken(node);
          const lastCalleeTokenWithoutPossibleParens = context.sourceCode.getLastToken(node.typeArguments ?? node.callee);
          const openingParenToken = context.sourceCode.getFirstTokenBetween(lastCalleeTokenWithoutPossibleParens, closingParenToken, util_1.isOpeningParenToken);
          if (!openingParenToken || openingParenToken.range[1] >= node.range[1]) {
            return;
          }
          const lastCalleeToken = context.sourceCode.getTokenBefore(openingParenToken, util_1.isNotOptionalChainPunctuator);
          const textBetweenTokens = text.slice(lastCalleeToken.range[1], openingParenToken.range[0]).replace(/\/\*.*?\*\//gu, "");
          const hasWhitespace = /\s/u.test(textBetweenTokens);
          const hasNewline = hasWhitespace && util_1.LINEBREAK_MATCHER.test(textBetweenTokens);
          if (option === "never") {
            if (hasWhitespace) {
              return context.report({
                node,
                loc: lastCalleeToken.loc.start,
                messageId: "unexpectedWhitespace",
                fix(fixer) {
                  if (!hasNewline && // don't fix optional calls
                  !isOptionalCall) {
                    return fixer.removeRange([
                      lastCalleeToken.range[1],
                      openingParenToken.range[0]
                    ]);
                  }
                  return null;
                }
              });
            }
          } else if (isOptionalCall) {
            if (hasWhitespace || hasNewline) {
              context.report({
                node,
                loc: lastCalleeToken.loc.start,
                messageId: "unexpectedWhitespace"
              });
            }
          } else {
            if (!hasWhitespace) {
              context.report({
                node,
                loc: lastCalleeToken.loc.start,
                messageId: "missing",
                fix(fixer) {
                  return fixer.insertTextBefore(openingParenToken, " ");
                }
              });
            } else if (!config7.allowNewlines && hasNewline) {
              context.report({
                node,
                loc: lastCalleeToken.loc.start,
                messageId: "unexpectedNewline",
                fix(fixer) {
                  return fixer.replaceTextRange([lastCalleeToken.range[1], openingParenToken.range[0]], " ");
                }
              });
            }
          }
        }
        return {
          CallExpression: checkSpacing,
          NewExpression: checkSpacing
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/indent.js
var require_indent = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/indent.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("indent");
    var KNOWN_NODES = /* @__PURE__ */ new Set([
      // Class properties aren't yet supported by eslint...
      utils_1.AST_NODE_TYPES.PropertyDefinition,
      // ts keywords
      utils_1.AST_NODE_TYPES.TSAbstractKeyword,
      utils_1.AST_NODE_TYPES.TSAnyKeyword,
      utils_1.AST_NODE_TYPES.TSBooleanKeyword,
      utils_1.AST_NODE_TYPES.TSNeverKeyword,
      utils_1.AST_NODE_TYPES.TSNumberKeyword,
      utils_1.AST_NODE_TYPES.TSStringKeyword,
      utils_1.AST_NODE_TYPES.TSSymbolKeyword,
      utils_1.AST_NODE_TYPES.TSUndefinedKeyword,
      utils_1.AST_NODE_TYPES.TSUnknownKeyword,
      utils_1.AST_NODE_TYPES.TSVoidKeyword,
      utils_1.AST_NODE_TYPES.TSNullKeyword,
      // ts specific nodes we want to support
      utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition,
      utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition,
      utils_1.AST_NODE_TYPES.TSArrayType,
      utils_1.AST_NODE_TYPES.TSAsExpression,
      utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration,
      utils_1.AST_NODE_TYPES.TSConditionalType,
      utils_1.AST_NODE_TYPES.TSConstructorType,
      utils_1.AST_NODE_TYPES.TSConstructSignatureDeclaration,
      utils_1.AST_NODE_TYPES.TSDeclareFunction,
      utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression,
      utils_1.AST_NODE_TYPES.TSEnumDeclaration,
      utils_1.AST_NODE_TYPES.TSEnumMember,
      utils_1.AST_NODE_TYPES.TSExportAssignment,
      utils_1.AST_NODE_TYPES.TSExternalModuleReference,
      utils_1.AST_NODE_TYPES.TSFunctionType,
      utils_1.AST_NODE_TYPES.TSImportType,
      utils_1.AST_NODE_TYPES.TSIndexedAccessType,
      utils_1.AST_NODE_TYPES.TSIndexSignature,
      utils_1.AST_NODE_TYPES.TSInferType,
      utils_1.AST_NODE_TYPES.TSInterfaceBody,
      utils_1.AST_NODE_TYPES.TSInterfaceDeclaration,
      utils_1.AST_NODE_TYPES.TSInterfaceHeritage,
      utils_1.AST_NODE_TYPES.TSIntersectionType,
      utils_1.AST_NODE_TYPES.TSImportEqualsDeclaration,
      utils_1.AST_NODE_TYPES.TSLiteralType,
      utils_1.AST_NODE_TYPES.TSMappedType,
      utils_1.AST_NODE_TYPES.TSMethodSignature,
      "TSMinusToken",
      utils_1.AST_NODE_TYPES.TSModuleBlock,
      utils_1.AST_NODE_TYPES.TSModuleDeclaration,
      utils_1.AST_NODE_TYPES.TSNonNullExpression,
      utils_1.AST_NODE_TYPES.TSParameterProperty,
      "TSPlusToken",
      utils_1.AST_NODE_TYPES.TSPropertySignature,
      utils_1.AST_NODE_TYPES.TSQualifiedName,
      "TSQuestionToken",
      utils_1.AST_NODE_TYPES.TSRestType,
      utils_1.AST_NODE_TYPES.TSThisType,
      utils_1.AST_NODE_TYPES.TSTupleType,
      utils_1.AST_NODE_TYPES.TSTypeAnnotation,
      utils_1.AST_NODE_TYPES.TSTypeLiteral,
      utils_1.AST_NODE_TYPES.TSTypeOperator,
      utils_1.AST_NODE_TYPES.TSTypeParameter,
      utils_1.AST_NODE_TYPES.TSTypeParameterDeclaration,
      utils_1.AST_NODE_TYPES.TSTypeParameterInstantiation,
      utils_1.AST_NODE_TYPES.TSTypeReference,
      utils_1.AST_NODE_TYPES.TSUnionType,
      utils_1.AST_NODE_TYPES.Decorator
    ]);
    exports2.default = (0, util_1.createRule)({
      name: "indent",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/indent"],
        type: "layout",
        docs: {
          description: "Enforce consistent indentation",
          // too opinionated to be recommended
          extendsBaseRule: true
        },
        fixable: "whitespace",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        // typescript docs and playground use 4 space indent
        4,
        {
          // typescript docs indent the case from the switch
          // https://www.typescriptlang.org/docs/handbook/release-notes/typescript-1-8.html#example-4
          SwitchCase: 1,
          flatTernaryExpressions: false,
          ignoredNodes: []
        }
      ],
      create(context, optionsWithDefaults) {
        const contextWithDefaults = Object.create(context, {
          options: {
            writable: false,
            configurable: false,
            value: optionsWithDefaults
          }
        });
        const rules = baseRule2.create(contextWithDefaults);
        function TSPropertySignatureToProperty(node, type = utils_1.AST_NODE_TYPES.Property) {
          const base = {
            // indent doesn't actually use these
            key: null,
            value: null,
            // Property flags
            computed: false,
            method: false,
            kind: "init",
            // this will stop eslint from interrogating the type literal
            shorthand: true,
            // location data
            parent: node.parent,
            range: node.range,
            loc: node.loc
          };
          if (type === utils_1.AST_NODE_TYPES.Property) {
            return {
              type,
              ...base
            };
          }
          return {
            type,
            accessibility: void 0,
            declare: false,
            decorators: [],
            definite: false,
            optional: false,
            override: false,
            readonly: false,
            static: false,
            typeAnnotation: void 0,
            ...base
          };
        }
        return Object.assign({}, rules, {
          // overwrite the base rule here so we can use our KNOWN_NODES list instead
          "*:exit"(node) {
            if (!KNOWN_NODES.has(node.type)) {
              rules["*:exit"](node);
            }
          },
          VariableDeclaration(node) {
            if (node.declarations.length === 0) {
              return;
            }
            return rules.VariableDeclaration(node);
          },
          TSAsExpression(node) {
            return rules["BinaryExpression, LogicalExpression"]({
              type: utils_1.AST_NODE_TYPES.BinaryExpression,
              operator: "as",
              left: node.expression,
              // the first typeAnnotation includes the as token
              right: node.typeAnnotation,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          TSConditionalType(node) {
            return rules.ConditionalExpression({
              type: utils_1.AST_NODE_TYPES.ConditionalExpression,
              test: {
                parent: node,
                type: utils_1.AST_NODE_TYPES.BinaryExpression,
                operator: "extends",
                left: node.checkType,
                right: node.extendsType,
                // location data
                range: [node.checkType.range[0], node.extendsType.range[1]],
                loc: {
                  start: node.checkType.loc.start,
                  end: node.extendsType.loc.end
                }
              },
              consequent: node.trueType,
              alternate: node.falseType,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          "TSEnumDeclaration, TSTypeLiteral"(node) {
            return rules["ObjectExpression, ObjectPattern"]({
              type: utils_1.AST_NODE_TYPES.ObjectExpression,
              properties: node.members.map((member) => TSPropertySignatureToProperty(member)),
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          TSImportEqualsDeclaration(node) {
            const { id, moduleReference } = node;
            return rules.VariableDeclaration({
              type: utils_1.AST_NODE_TYPES.VariableDeclaration,
              kind: "const",
              declarations: [
                {
                  type: utils_1.AST_NODE_TYPES.VariableDeclarator,
                  range: [id.range[0], moduleReference.range[1]],
                  loc: {
                    start: id.loc.start,
                    end: moduleReference.loc.end
                  },
                  id,
                  init: {
                    type: utils_1.AST_NODE_TYPES.CallExpression,
                    callee: {
                      type: utils_1.AST_NODE_TYPES.Identifier,
                      name: "require",
                      range: [
                        moduleReference.range[0],
                        moduleReference.range[0] + "require".length
                      ],
                      loc: {
                        start: moduleReference.loc.start,
                        end: {
                          line: moduleReference.loc.end.line,
                          column: moduleReference.loc.start.line + "require".length
                        }
                      }
                    },
                    arguments: "expression" in moduleReference ? [moduleReference.expression] : [],
                    // location data
                    range: moduleReference.range,
                    loc: moduleReference.loc
                  }
                }
              ],
              declare: false,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          TSIndexedAccessType(node) {
            return rules["MemberExpression, JSXMemberExpression, MetaProperty"]({
              type: utils_1.AST_NODE_TYPES.MemberExpression,
              object: node.objectType,
              property: node.indexType,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc,
              optional: false,
              computed: true
            });
          },
          TSInterfaceBody(node) {
            return rules["BlockStatement, ClassBody"]({
              type: utils_1.AST_NODE_TYPES.ClassBody,
              body: node.body.map((p) => TSPropertySignatureToProperty(p, utils_1.AST_NODE_TYPES.PropertyDefinition)),
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          "TSInterfaceDeclaration[extends.length > 0]"(node) {
            return rules["ClassDeclaration[superClass], ClassExpression[superClass]"]({
              type: utils_1.AST_NODE_TYPES.ClassDeclaration,
              body: node.body,
              id: null,
              // TODO: This is invalid, there can be more than one extends in interface
              superClass: node.extends[0].expression,
              abstract: false,
              declare: false,
              decorators: [],
              implements: [],
              superTypeArguments: void 0,
              superTypeParameters: void 0,
              typeParameters: void 0,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          TSMappedType(node) {
            const squareBracketStart = context.sourceCode.getTokenBefore(node.typeParameter);
            return rules["ObjectExpression, ObjectPattern"]({
              type: utils_1.AST_NODE_TYPES.ObjectExpression,
              properties: [
                {
                  parent: node,
                  type: utils_1.AST_NODE_TYPES.Property,
                  key: node.typeParameter,
                  value: node.typeAnnotation,
                  // location data
                  range: [
                    squareBracketStart.range[0],
                    node.typeAnnotation ? node.typeAnnotation.range[1] : squareBracketStart.range[0]
                  ],
                  loc: {
                    start: squareBracketStart.loc.start,
                    end: node.typeAnnotation ? node.typeAnnotation.loc.end : squareBracketStart.loc.end
                  },
                  kind: "init",
                  computed: false,
                  method: false,
                  optional: false,
                  shorthand: false
                }
              ],
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          TSModuleBlock(node) {
            return rules["BlockStatement, ClassBody"]({
              type: utils_1.AST_NODE_TYPES.BlockStatement,
              body: node.body,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          TSQualifiedName(node) {
            return rules["MemberExpression, JSXMemberExpression, MetaProperty"]({
              type: utils_1.AST_NODE_TYPES.MemberExpression,
              object: node.left,
              property: node.right,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc,
              optional: false,
              computed: false
            });
          },
          TSTupleType(node) {
            return rules["ArrayExpression, ArrayPattern"]({
              type: utils_1.AST_NODE_TYPES.ArrayExpression,
              elements: node.elementTypes,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          TSTypeParameterDeclaration(node) {
            if (!node.params.length) {
              return;
            }
            const [name, ...attributes] = node.params;
            return rules.JSXOpeningElement({
              type: utils_1.AST_NODE_TYPES.JSXOpeningElement,
              selfClosing: false,
              name,
              attributes,
              typeArguments: void 0,
              typeParameters: void 0,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          }
        });
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/init-declarations.js
var require_init_declarations = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/init-declarations.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("init-declarations");
    exports2.default = (0, util_1.createRule)({
      name: "init-declarations",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require or disallow initialization in variable declarations",
          extendsBaseRule: true
        },
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: ["always"],
      create(context, [mode]) {
        function getBaseContextOverride() {
          const reportOverride = (descriptor) => {
            if ("node" in descriptor && descriptor.loc == null) {
              const { node, ...rest } = descriptor;
              if (node.type === utils_1.AST_NODE_TYPES.VariableDeclarator && node.init == null) {
                context.report({
                  ...rest,
                  loc: getReportLoc(node)
                });
                return;
              }
            }
            context.report(descriptor);
          };
          return new Proxy({}, {
            get: (target, prop, receiver) => prop === "report" ? reportOverride : Reflect.get(context, prop, receiver)
          });
        }
        const rules = baseRule2.create(getBaseContextOverride());
        return {
          "VariableDeclaration:exit"(node) {
            if (mode === "always") {
              if (node.declare) {
                return;
              }
              if (isAncestorNamespaceDeclared(node)) {
                return;
              }
            }
            rules["VariableDeclaration:exit"](node);
          }
        };
        function isAncestorNamespaceDeclared(node) {
          let ancestor = node.parent;
          while (ancestor) {
            if (ancestor.type === utils_1.AST_NODE_TYPES.TSModuleDeclaration && ancestor.declare) {
              return true;
            }
            ancestor = ancestor.parent;
          }
          return false;
        }
      }
    });
    function getReportLoc(node) {
      const start = structuredClone(node.loc.start);
      const end = {
        line: node.loc.start.line,
        // `if (id.type === AST_NODE_TYPES.Identifier)` is a condition for
        // reporting in the base rule (as opposed to things like destructuring
        // assignment), so the type assertion should always be valid.
        column: node.loc.start.column + node.id.name.length
      };
      return {
        start,
        end
      };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/key-spacing.js
var require_key_spacing = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/key-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("key-spacing");
    var baseSchema = Array.isArray(baseRule2.meta.schema) ? baseRule2.meta.schema[0] : baseRule2.meta.schema;
    exports2.default = (0, util_1.createRule)({
      name: "key-spacing",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/key-spacing"],
        type: "layout",
        docs: {
          description: "Enforce consistent spacing between property names and type annotations in types and interfaces",
          extendsBaseRule: true
        },
        fixable: "whitespace",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: [baseSchema],
        messages: baseRule2.meta.messages
      },
      defaultOptions: [{}],
      create(context, [options]) {
        const baseRules = baseRule2.create(context);
        function adjustedColumn(position) {
          const line = position.line - 1;
          return (0, util_1.getStringLength)(context.sourceCode.lines.at(line).slice(0, position.column));
        }
        function getLastTokenBeforeColon(node) {
          const colonToken = context.sourceCode.getTokenAfter(node, util_1.isColonToken);
          return context.sourceCode.getTokenBefore(colonToken);
        }
        function isKeyTypeNode(node) {
          return (node.type === utils_1.AST_NODE_TYPES.TSPropertySignature || node.type === utils_1.AST_NODE_TYPES.TSIndexSignature || node.type === utils_1.AST_NODE_TYPES.PropertyDefinition) && !!node.typeAnnotation;
        }
        function isApplicable(node) {
          return isKeyTypeNode(node) && node.typeAnnotation.loc.start.line === node.loc.end.line;
        }
        function getKeyText(node) {
          if (node.type !== utils_1.AST_NODE_TYPES.TSIndexSignature) {
            return context.sourceCode.getText(node.key);
          }
          const code = context.sourceCode.getText(node);
          return code.slice(0, context.sourceCode.getTokenAfter(node.parameters.at(-1), util_1.isClosingBracketToken).range[1] - node.range[0]);
        }
        function getKeyLocEnd(node) {
          return getLastTokenBeforeColon(node.type !== utils_1.AST_NODE_TYPES.TSIndexSignature ? node.key : node.parameters.at(-1)).loc.end;
        }
        function checkBeforeColon(node, expectedWhitespaceBeforeColon, mode) {
          const { typeAnnotation } = node;
          const colon = typeAnnotation.loc.start.column;
          const keyEnd = getKeyLocEnd(node);
          const difference = colon - keyEnd.column - expectedWhitespaceBeforeColon;
          if (mode === "strict" ? difference : difference < 0) {
            context.report({
              node,
              messageId: difference > 0 ? "extraKey" : "missingKey",
              fix: (fixer) => {
                if (difference > 0) {
                  return fixer.removeRange([
                    typeAnnotation.range[0] - difference,
                    typeAnnotation.range[0]
                  ]);
                }
                return fixer.insertTextBefore(typeAnnotation, " ".repeat(-difference));
              },
              data: {
                computed: "",
                key: getKeyText(node)
              }
            });
          }
        }
        function checkAfterColon(node, expectedWhitespaceAfterColon, mode) {
          const { typeAnnotation } = node;
          const colonToken = context.sourceCode.getFirstToken(typeAnnotation);
          const typeStart = context.sourceCode.getTokenAfter(colonToken, {
            includeComments: true
          }).loc.start.column;
          const difference = typeStart - colonToken.loc.start.column - 1 - expectedWhitespaceAfterColon;
          if (mode === "strict" ? difference : difference < 0) {
            context.report({
              node,
              messageId: difference > 0 ? "extraValue" : "missingValue",
              fix: (fixer) => {
                if (difference > 0) {
                  return fixer.removeRange([
                    colonToken.range[1],
                    colonToken.range[1] + difference
                  ]);
                }
                return fixer.insertTextAfter(colonToken, " ".repeat(-difference));
              },
              data: {
                computed: "",
                key: getKeyText(node)
              }
            });
          }
        }
        function continuesAlignGroup(lastMember, candidate) {
          const groupEndLine = lastMember.loc.start.line;
          const candidateValueStartLine = (isKeyTypeNode(candidate) ? candidate.typeAnnotation : candidate).loc.start.line;
          if (candidateValueStartLine === groupEndLine) {
            return false;
          }
          if (candidateValueStartLine - groupEndLine === 1) {
            return true;
          }
          const leadingComments = context.sourceCode.getCommentsBefore(candidate);
          if (leadingComments.length && leadingComments[0].loc.start.line - groupEndLine <= 1 && candidateValueStartLine - leadingComments.at(-1).loc.end.line <= 1) {
            for (let i = 1; i < leadingComments.length; i++) {
              if (leadingComments[i].loc.start.line - leadingComments[i - 1].loc.end.line > 1) {
                return false;
              }
            }
            return true;
          }
          return false;
        }
        function checkAlignGroup(group) {
          let alignColumn = 0;
          const align = (typeof options.align === "object" ? options.align.on : typeof options.multiLine?.align === "object" ? options.multiLine.align.on : options.multiLine?.align ?? options.align) ?? "colon";
          const beforeColon = (typeof options.align === "object" ? options.align.beforeColon : options.multiLine ? typeof options.multiLine.align === "object" ? options.multiLine.align.beforeColon : options.multiLine.beforeColon : options.beforeColon) ?? false;
          const expectedWhitespaceBeforeColon = beforeColon ? 1 : 0;
          const afterColon = (typeof options.align === "object" ? options.align.afterColon : options.multiLine ? typeof options.multiLine.align === "object" ? options.multiLine.align.afterColon : options.multiLine.afterColon : options.afterColon) ?? true;
          const expectedWhitespaceAfterColon = afterColon ? 1 : 0;
          const mode = (typeof options.align === "object" ? options.align.mode : options.multiLine ? typeof options.multiLine.align === "object" ? (
            // same behavior as in original rule
            options.multiLine.align.mode ?? options.multiLine.mode
          ) : options.multiLine.mode : options.mode) ?? "strict";
          for (const node of group) {
            if (isKeyTypeNode(node)) {
              const keyEnd = adjustedColumn(getKeyLocEnd(node));
              alignColumn = Math.max(alignColumn, align === "colon" ? keyEnd + expectedWhitespaceBeforeColon : keyEnd + ":".length + expectedWhitespaceAfterColon + expectedWhitespaceBeforeColon);
            }
          }
          for (const node of group) {
            if (!isApplicable(node)) {
              continue;
            }
            const { typeAnnotation } = node;
            const toCheck = align === "colon" ? typeAnnotation : typeAnnotation.typeAnnotation;
            const difference = adjustedColumn(toCheck.loc.start) - alignColumn;
            if (difference) {
              context.report({
                node,
                messageId: difference > 0 ? align === "colon" ? "extraKey" : "extraValue" : align === "colon" ? "missingKey" : "missingValue",
                fix: (fixer) => {
                  if (difference > 0) {
                    return fixer.removeRange([
                      toCheck.range[0] - difference,
                      toCheck.range[0]
                    ]);
                  }
                  return fixer.insertTextBefore(toCheck, " ".repeat(-difference));
                },
                data: {
                  computed: "",
                  key: getKeyText(node)
                }
              });
            }
            if (align === "colon") {
              checkAfterColon(node, expectedWhitespaceAfterColon, mode);
            } else {
              checkBeforeColon(node, expectedWhitespaceBeforeColon, mode);
            }
          }
        }
        function checkIndividualNode(node, { singleLine }) {
          const beforeColon = (singleLine ? options.singleLine ? options.singleLine.beforeColon : options.beforeColon : options.multiLine ? options.multiLine.beforeColon : options.beforeColon) ?? false;
          const expectedWhitespaceBeforeColon = beforeColon ? 1 : 0;
          const afterColon = (singleLine ? options.singleLine ? options.singleLine.afterColon : options.afterColon : options.multiLine ? options.multiLine.afterColon : options.afterColon) ?? true;
          const expectedWhitespaceAfterColon = afterColon ? 1 : 0;
          const mode = (singleLine ? options.singleLine ? options.singleLine.mode : options.mode : options.multiLine ? options.multiLine.mode : options.mode) ?? "strict";
          if (isApplicable(node)) {
            checkBeforeColon(node, expectedWhitespaceBeforeColon, mode);
            checkAfterColon(node, expectedWhitespaceAfterColon, mode);
          }
        }
        function validateBody(body) {
          const isSingleLine = body.loc.start.line === body.loc.end.line;
          const members = body.type === utils_1.AST_NODE_TYPES.TSTypeLiteral ? body.members : body.body;
          let alignGroups = [];
          let unalignedElements = [];
          if (options.align || options.multiLine?.align) {
            let currentAlignGroup = [];
            alignGroups.push(currentAlignGroup);
            let prevNode = void 0;
            for (const node of members) {
              let prevAlignedNode = currentAlignGroup.at(-1);
              if (prevAlignedNode !== prevNode) {
                prevAlignedNode = void 0;
              }
              if (prevAlignedNode && continuesAlignGroup(prevAlignedNode, node)) {
                currentAlignGroup.push(node);
              } else if (prevNode?.loc.start.line === node.loc.start.line) {
                if (prevAlignedNode) {
                  unalignedElements.push(prevAlignedNode);
                  currentAlignGroup.pop();
                }
                unalignedElements.push(node);
              } else {
                currentAlignGroup = [node];
                alignGroups.push(currentAlignGroup);
              }
              prevNode = node;
            }
            unalignedElements = unalignedElements.concat(...alignGroups.filter((group) => group.length === 1));
            alignGroups = alignGroups.filter((group) => group.length >= 2);
          } else {
            unalignedElements = members;
          }
          for (const group of alignGroups) {
            checkAlignGroup(group);
          }
          for (const node of unalignedElements) {
            checkIndividualNode(node, { singleLine: isSingleLine });
          }
        }
        return {
          ...baseRules,
          TSTypeLiteral: validateBody,
          TSInterfaceBody: validateBody,
          ClassBody: validateBody
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/keyword-spacing.js
var require_keyword_spacing = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/keyword-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("keyword-spacing");
    var baseSchema = Array.isArray(baseRule2.meta.schema) ? baseRule2.meta.schema[0] : baseRule2.meta.schema;
    var schema30 = (0, util_1.deepMerge)(
      // eslint-disable-next-line @typescript-eslint/no-unsafe-argument -- https://github.com/microsoft/TypeScript/issues/17002
      baseSchema,
      {
        properties: {
          overrides: {
            properties: {
              // eslint-disable-next-line @typescript-eslint/no-unsafe-assignment, @typescript-eslint/no-unsafe-member-access
              type: baseSchema.properties.overrides.properties.import
            }
          }
        }
      }
    );
    exports2.default = (0, util_1.createRule)({
      name: "keyword-spacing",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/keyword-spacing"],
        type: "layout",
        docs: {
          description: "Enforce consistent spacing before and after keywords",
          extendsBaseRule: true
        },
        fixable: "whitespace",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: [schema30],
        messages: baseRule2.meta.messages
      },
      defaultOptions: [{}],
      create(context, [{ after, overrides }]) {
        const baseRules = baseRule2.create(context);
        return {
          ...baseRules,
          TSAsExpression(node) {
            const asToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.expression, (token) => token.value === "as"), util_1.NullThrowsReasons.MissingToken("as", node.type));
            const oldTokenType = asToken.type;
            asToken.type = utils_1.AST_TOKEN_TYPES.Keyword;
            baseRules.DebuggerStatement(asToken);
            asToken.type = oldTokenType;
          },
          "ImportDeclaration[importKind=type]"(node) {
            const { type: typeOptionOverride = {} } = overrides ?? {};
            const typeToken = context.sourceCode.getFirstToken(node, { skip: 1 });
            const punctuatorToken = context.sourceCode.getTokenAfter(typeToken);
            if (node.specifiers[0]?.type === utils_1.AST_NODE_TYPES.ImportDefaultSpecifier) {
              return;
            }
            const spacesBetweenTypeAndPunctuator = punctuatorToken.range[0] - typeToken.range[1];
            if ((typeOptionOverride.after ?? after) === true && spacesBetweenTypeAndPunctuator === 0) {
              context.report({
                loc: typeToken.loc,
                messageId: "expectedAfter",
                data: { value: "type" },
                fix(fixer) {
                  return fixer.insertTextAfter(typeToken, " ");
                }
              });
            }
            if ((typeOptionOverride.after ?? after) === false && spacesBetweenTypeAndPunctuator > 0) {
              context.report({
                loc: typeToken.loc,
                messageId: "unexpectedAfter",
                data: { value: "type" },
                fix(fixer) {
                  return fixer.removeRange([
                    typeToken.range[1],
                    typeToken.range[1] + spacesBetweenTypeAndPunctuator
                  ]);
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/lines-around-comment.js
var require_lines_around_comment = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/lines-around-comment.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("lines-around-comment");
    var COMMENTS_IGNORE_PATTERN = /^\s*(?:eslint|jshint\s+|jslint\s+|istanbul\s+|globals?\s+|exported\s+|jscs)/u;
    function getEmptyLineNums(lines) {
      const emptyLines = lines.map((line, i) => ({
        code: line.trim(),
        num: i + 1
      })).filter((line) => !line.code).map((line) => line.num);
      return emptyLines;
    }
    function getCommentLineNums(comments) {
      const lines = [];
      comments.forEach((token) => {
        const start = token.loc.start.line;
        const end = token.loc.end.line;
        lines.push(start, end);
      });
      return lines;
    }
    exports2.default = (0, util_1.createRule)({
      name: "lines-around-comment",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/lines-around-comment"],
        type: "layout",
        docs: {
          description: "Require empty lines around comments",
          extendsBaseRule: true
        },
        schema: [
          {
            type: "object",
            properties: {
              beforeBlockComment: {
                type: "boolean",
                default: true
              },
              afterBlockComment: {
                type: "boolean",
                default: false
              },
              beforeLineComment: {
                type: "boolean",
                default: false
              },
              afterLineComment: {
                type: "boolean",
                default: false
              },
              allowBlockStart: {
                type: "boolean",
                default: false
              },
              allowBlockEnd: {
                type: "boolean",
                default: false
              },
              allowClassStart: {
                type: "boolean"
              },
              allowClassEnd: {
                type: "boolean"
              },
              allowObjectStart: {
                type: "boolean"
              },
              allowObjectEnd: {
                type: "boolean"
              },
              allowArrayStart: {
                type: "boolean"
              },
              allowArrayEnd: {
                type: "boolean"
              },
              allowInterfaceStart: {
                type: "boolean"
              },
              allowInterfaceEnd: {
                type: "boolean"
              },
              allowTypeStart: {
                type: "boolean"
              },
              allowTypeEnd: {
                type: "boolean"
              },
              allowEnumStart: {
                type: "boolean"
              },
              allowEnumEnd: {
                type: "boolean"
              },
              allowModuleStart: {
                type: "boolean"
              },
              allowModuleEnd: {
                type: "boolean"
              },
              ignorePattern: {
                type: "string"
              },
              applyDefaultIgnorePatterns: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        fixable: baseRule2.meta.fixable,
        hasSuggestions: baseRule2.meta.hasSuggestions,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        {
          beforeBlockComment: true
        }
      ],
      create(context, [_options]) {
        const options = _options;
        const defaultIgnoreRegExp = COMMENTS_IGNORE_PATTERN;
        const customIgnoreRegExp = new RegExp(options.ignorePattern ?? "", "u");
        const comments = context.sourceCode.getAllComments();
        const lines = context.sourceCode.lines;
        const commentLines = getCommentLineNums(comments);
        const emptyLines = getEmptyLineNums(lines);
        const commentAndEmptyLines = new Set(commentLines.concat(emptyLines));
        function codeAroundComment(token) {
          let currentToken = token;
          do {
            currentToken = context.sourceCode.getTokenBefore(currentToken, {
              includeComments: true
            });
          } while (currentToken && (0, util_1.isCommentToken)(currentToken));
          if (currentToken && (0, util_1.isTokenOnSameLine)(currentToken, token)) {
            return true;
          }
          currentToken = token;
          do {
            currentToken = context.sourceCode.getTokenAfter(currentToken, {
              includeComments: true
            });
          } while (currentToken && (0, util_1.isCommentToken)(currentToken));
          if (currentToken && (0, util_1.isTokenOnSameLine)(token, currentToken)) {
            return true;
          }
          return false;
        }
        function isParentNodeType(parent, nodeType) {
          return parent.type === nodeType;
        }
        function getParentNodeOfToken(token) {
          const node = context.sourceCode.getNodeByRangeIndex(token.range[0]);
          return node;
        }
        function isCommentAtParentStart(token, nodeType) {
          const parent = getParentNodeOfToken(token);
          if (parent && isParentNodeType(parent, nodeType)) {
            const parentStartNodeOrToken = parent;
            return token.loc.start.line - parentStartNodeOrToken.loc.start.line === 1;
          }
          return false;
        }
        function isCommentAtParentEnd(token, nodeType) {
          const parent = getParentNodeOfToken(token);
          return !!parent && isParentNodeType(parent, nodeType) && parent.loc.end.line - token.loc.end.line === 1;
        }
        function isCommentAtInterfaceStart(token) {
          return isCommentAtParentStart(token, utils_1.AST_NODE_TYPES.TSInterfaceBody);
        }
        function isCommentAtInterfaceEnd(token) {
          return isCommentAtParentEnd(token, utils_1.AST_NODE_TYPES.TSInterfaceBody);
        }
        function isCommentAtTypeStart(token) {
          return isCommentAtParentStart(token, utils_1.AST_NODE_TYPES.TSTypeLiteral);
        }
        function isCommentAtTypeEnd(token) {
          return isCommentAtParentEnd(token, utils_1.AST_NODE_TYPES.TSTypeLiteral);
        }
        function isCommentAtEnumStart(token) {
          return isCommentAtParentStart(token, utils_1.AST_NODE_TYPES.TSEnumDeclaration);
        }
        function isCommentAtEnumEnd(token) {
          return isCommentAtParentEnd(token, utils_1.AST_NODE_TYPES.TSEnumDeclaration);
        }
        function isCommentAtModuleStart(token) {
          return isCommentAtParentStart(token, utils_1.AST_NODE_TYPES.TSModuleBlock);
        }
        function isCommentAtModuleEnd(token) {
          return isCommentAtParentEnd(token, utils_1.AST_NODE_TYPES.TSModuleBlock);
        }
        function isCommentNearTSConstruct(token) {
          return isCommentAtInterfaceStart(token) || isCommentAtInterfaceEnd(token) || isCommentAtTypeStart(token) || isCommentAtTypeEnd(token) || isCommentAtEnumStart(token) || isCommentAtEnumEnd(token) || isCommentAtModuleStart(token) || isCommentAtModuleEnd(token);
        }
        function checkForEmptyLine(token, { before, after }) {
          if (!isCommentNearTSConstruct(token)) {
            return;
          }
          if (options.applyDefaultIgnorePatterns !== false && defaultIgnoreRegExp.test(token.value)) {
            return;
          }
          if (options.ignorePattern && customIgnoreRegExp.test(token.value)) {
            return;
          }
          const prevLineNum = token.loc.start.line - 1;
          const nextLineNum = token.loc.end.line + 1;
          if (codeAroundComment(token)) {
            return;
          }
          const interfaceStartAllowed = Boolean(options.allowInterfaceStart) && isCommentAtInterfaceStart(token);
          const interfaceEndAllowed = Boolean(options.allowInterfaceEnd) && isCommentAtInterfaceEnd(token);
          const typeStartAllowed = Boolean(options.allowTypeStart) && isCommentAtTypeStart(token);
          const typeEndAllowed = Boolean(options.allowTypeEnd) && isCommentAtTypeEnd(token);
          const enumStartAllowed = Boolean(options.allowEnumStart) && isCommentAtEnumStart(token);
          const enumEndAllowed = Boolean(options.allowEnumEnd) && isCommentAtEnumEnd(token);
          const moduleStartAllowed = Boolean(options.allowModuleStart) && isCommentAtModuleStart(token);
          const moduleEndAllowed = Boolean(options.allowModuleEnd) && isCommentAtModuleEnd(token);
          const exceptionStartAllowed = interfaceStartAllowed || typeStartAllowed || enumStartAllowed || moduleStartAllowed;
          const exceptionEndAllowed = interfaceEndAllowed || typeEndAllowed || enumEndAllowed || moduleEndAllowed;
          const previousTokenOrComment = context.sourceCode.getTokenBefore(token, {
            includeComments: true
          });
          const nextTokenOrComment = context.sourceCode.getTokenAfter(token, {
            includeComments: true
          });
          if (!exceptionStartAllowed && before && !commentAndEmptyLines.has(prevLineNum) && !((0, util_1.isCommentToken)(previousTokenOrComment) && (0, util_1.isTokenOnSameLine)(previousTokenOrComment, token))) {
            const lineStart = token.range[0] - token.loc.start.column;
            const range = [lineStart, lineStart];
            context.report({
              node: token,
              messageId: "before",
              fix(fixer) {
                return fixer.insertTextBeforeRange(range, "\n");
              }
            });
          }
          if (!exceptionEndAllowed && after && !commentAndEmptyLines.has(nextLineNum) && !((0, util_1.isCommentToken)(nextTokenOrComment) && (0, util_1.isTokenOnSameLine)(token, nextTokenOrComment))) {
            context.report({
              node: token,
              messageId: "after",
              fix(fixer) {
                return fixer.insertTextAfter(token, "\n");
              }
            });
          }
        }
        const customReport = (descriptor) => {
          if ("node" in descriptor) {
            if (descriptor.node.type === utils_1.AST_TOKEN_TYPES.Line || descriptor.node.type === utils_1.AST_TOKEN_TYPES.Block) {
              if (isCommentNearTSConstruct(descriptor.node)) {
                return;
              }
            }
          }
          return context.report(descriptor);
        };
        const customContext = { report: customReport };
        const proxiedContext = new Proxy(customContext, {
          get(target, path17, receiver) {
            if (path17 !== "report") {
              return Reflect.get(context, path17, receiver);
            }
            return Reflect.get(target, path17, receiver);
          }
        });
        const rules = baseRule2.create(proxiedContext);
        return {
          Program() {
            rules.Program();
            comments.forEach((token) => {
              if (token.type === utils_1.AST_TOKEN_TYPES.Line) {
                if (options.beforeLineComment || options.afterLineComment) {
                  checkForEmptyLine(token, {
                    after: options.afterLineComment,
                    before: options.beforeLineComment
                  });
                }
              } else if (options.beforeBlockComment || options.afterBlockComment) {
                checkForEmptyLine(token, {
                  after: options.afterBlockComment,
                  before: options.beforeBlockComment
                });
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/lines-between-class-members.js
var require_lines_between_class_members = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/lines-between-class-members.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("lines-between-class-members");
    var schema30 = Object.values((0, util_1.deepMerge)({ ...baseRule2.meta.schema }, {
      1: {
        properties: {
          exceptAfterOverload: {
            type: "boolean",
            default: true
          }
        }
      }
    }));
    exports2.default = (0, util_1.createRule)({
      name: "lines-between-class-members",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/lines-between-class-members"],
        type: "layout",
        docs: {
          description: "Require or disallow an empty line between class members",
          extendsBaseRule: true
        },
        fixable: "whitespace",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: schema30,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        "always",
        {
          exceptAfterOverload: true,
          exceptAfterSingleLine: false
        }
      ],
      create(context, [firstOption, secondOption]) {
        const rules = baseRule2.create(context);
        const exceptAfterOverload = secondOption?.exceptAfterOverload && firstOption === "always";
        function isOverload(node) {
          return (node.type === utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition || node.type === utils_1.AST_NODE_TYPES.MethodDefinition) && node.value.type === utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression;
        }
        return {
          ClassBody(node) {
            const body = exceptAfterOverload ? node.body.filter((node2) => !isOverload(node2)) : node.body;
            rules.ClassBody({ ...node, body });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/max-params.js
var require_max_params = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/max-params.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("max-params");
    exports2.default = (0, util_1.createRule)({
      name: "max-params",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce a maximum number of parameters in function definitions",
          extendsBaseRule: true
        },
        schema: [
          {
            type: "object",
            properties: {
              maximum: {
                type: "integer",
                minimum: 0
              },
              max: {
                type: "integer",
                minimum: 0
              },
              countVoidThis: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: baseRule2.meta.messages
      },
      defaultOptions: [{ max: 3, countVoidThis: false }],
      create(context, [{ countVoidThis }]) {
        const baseRules = baseRule2.create(context);
        if (countVoidThis === true) {
          return baseRules;
        }
        const removeVoidThisParam = (node) => {
          if (node.params.length === 0 || node.params[0].type !== utils_1.AST_NODE_TYPES.Identifier || node.params[0].name !== "this" || node.params[0].typeAnnotation?.typeAnnotation.type !== utils_1.AST_NODE_TYPES.TSVoidKeyword) {
            return node;
          }
          return {
            ...node,
            params: node.params.slice(1)
          };
        };
        const wrapListener = (listener) => {
          return (node) => {
            listener(removeVoidThisParam(node));
          };
        };
        return {
          ArrowFunctionExpression: wrapListener(baseRules.ArrowFunctionExpression),
          FunctionDeclaration: wrapListener(baseRules.FunctionDeclaration),
          FunctionExpression: wrapListener(baseRules.FunctionExpression)
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/member-delimiter-style.js
var require_member_delimiter_style = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/member-delimiter-style.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var isLastTokenEndOfLine = (token, line) => {
      const positionInLine = token.loc.start.column;
      return positionInLine === line.length - 1;
    };
    var isCommentsEndOfLine = (token, comments, line) => {
      if (!comments) {
        return false;
      }
      if (comments.loc.end.line > token.loc.end.line) {
        return true;
      }
      const positionInLine = comments.loc.end.column;
      return positionInLine === line.length;
    };
    var makeFixFunction = ({ optsNone, optsSemi, lastToken, commentsAfterLastToken, missingDelimiter, lastTokenLine, isSingleLine }) => {
      if (optsNone && !isLastTokenEndOfLine(lastToken, lastTokenLine) && !isCommentsEndOfLine(lastToken, commentsAfterLastToken, lastTokenLine) && !isSingleLine) {
        return null;
      }
      return (fixer) => {
        if (optsNone) {
          return fixer.remove(lastToken);
        }
        const token = optsSemi ? ";" : ",";
        if (missingDelimiter) {
          return fixer.insertTextAfter(lastToken, token);
        }
        return fixer.replaceText(lastToken, token);
      };
    };
    var BASE_SCHEMA = {
      type: "object",
      properties: {
        multiline: {
          type: "object",
          properties: {
            delimiter: { $ref: "#/items/0/$defs/multiLineOption" },
            requireLast: { type: "boolean" }
          },
          additionalProperties: false
        },
        singleline: {
          type: "object",
          properties: {
            delimiter: { $ref: "#/items/0/$defs/singleLineOption" },
            requireLast: { type: "boolean" }
          },
          additionalProperties: false
        }
      },
      additionalProperties: false
    };
    exports2.default = (0, util_1.createRule)({
      name: "member-delimiter-style",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/member-delimiter-style"],
        type: "layout",
        docs: {
          description: "Require a specific member delimiter style for interfaces and type literals"
        },
        fixable: "whitespace",
        messages: {
          unexpectedComma: "Unexpected separator (,).",
          unexpectedSemi: "Unexpected separator (;).",
          expectedComma: "Expected a comma.",
          expectedSemi: "Expected a semicolon."
        },
        schema: [
          {
            $defs: {
              multiLineOption: {
                type: "string",
                enum: ["none", "semi", "comma"]
              },
              // note can't have "none" for single line delimiter as it's invalid syntax
              singleLineOption: {
                type: "string",
                enum: ["semi", "comma"]
              },
              // note - need to define this last as it references the enums
              delimiterConfig: BASE_SCHEMA
            },
            type: "object",
            properties: {
              ...BASE_SCHEMA.properties,
              overrides: {
                type: "object",
                properties: {
                  interface: {
                    $ref: "#/items/0/$defs/delimiterConfig"
                  },
                  typeLiteral: {
                    $ref: "#/items/0/$defs/delimiterConfig"
                  }
                },
                additionalProperties: false
              },
              multilineDetection: {
                type: "string",
                enum: ["brackets", "last-member"]
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          multiline: {
            delimiter: "semi",
            requireLast: true
          },
          singleline: {
            delimiter: "semi",
            requireLast: false
          },
          multilineDetection: "brackets"
        }
      ],
      create(context, [options]) {
        const baseOptions = options;
        const overrides = baseOptions.overrides ?? {};
        const interfaceOptions = (0, util_1.deepMerge)(baseOptions, overrides.interface);
        const typeLiteralOptions = (0, util_1.deepMerge)(baseOptions, overrides.typeLiteral);
        function checkLastToken(member, opts, isLast) {
          function getOption(type) {
            if (isLast && !opts.requireLast) {
              return type === "none";
            }
            return opts.delimiter === type;
          }
          let messageId4 = null;
          let missingDelimiter = false;
          const lastToken = context.sourceCode.getLastToken(member, {
            includeComments: false
          });
          if (!lastToken) {
            return;
          }
          const commentsAfterLastToken = context.sourceCode.getCommentsAfter(lastToken).pop();
          const sourceCodeLines = context.sourceCode.getLines();
          const lastTokenLine = sourceCodeLines[lastToken.loc.start.line - 1];
          const optsSemi = getOption("semi");
          const optsComma = getOption("comma");
          const optsNone = getOption("none");
          if (lastToken.value === ";") {
            if (optsComma) {
              messageId4 = "expectedComma";
            } else if (optsNone) {
              missingDelimiter = true;
              messageId4 = "unexpectedSemi";
            }
          } else if (lastToken.value === ",") {
            if (optsSemi) {
              messageId4 = "expectedSemi";
            } else if (optsNone) {
              missingDelimiter = true;
              messageId4 = "unexpectedComma";
            }
          } else {
            if (optsSemi) {
              missingDelimiter = true;
              messageId4 = "expectedSemi";
            } else if (optsComma) {
              missingDelimiter = true;
              messageId4 = "expectedComma";
            }
          }
          if (messageId4) {
            context.report({
              node: lastToken,
              loc: {
                start: {
                  line: lastToken.loc.end.line,
                  column: lastToken.loc.end.column
                },
                end: {
                  line: lastToken.loc.end.line,
                  column: lastToken.loc.end.column
                }
              },
              messageId: messageId4,
              fix: makeFixFunction({
                optsNone,
                optsSemi,
                lastToken,
                commentsAfterLastToken,
                missingDelimiter,
                lastTokenLine,
                isSingleLine: opts.type === "single-line"
              })
            });
          }
        }
        function checkMemberSeparatorStyle(node) {
          const members = node.type === utils_1.AST_NODE_TYPES.TSInterfaceBody ? node.body : node.members;
          let isSingleLine = node.loc.start.line === node.loc.end.line;
          if (options.multilineDetection === "last-member" && !isSingleLine && members.length > 0) {
            const lastMember = members[members.length - 1];
            if (lastMember.loc.end.line === node.loc.end.line) {
              isSingleLine = true;
            }
          }
          const typeOpts = node.type === utils_1.AST_NODE_TYPES.TSInterfaceBody ? interfaceOptions : typeLiteralOptions;
          const opts = isSingleLine ? { ...typeOpts.singleline, type: "single-line" } : { ...typeOpts.multiline, type: "multi-line" };
          members.forEach((member, index) => {
            checkLastToken(member, opts, index === members.length - 1);
          });
        }
        return {
          TSInterfaceBody: checkMemberSeparatorStyle,
          TSTypeLiteral: checkMemberSeparatorStyle
        };
      }
    });
  }
});

// node_modules/.pnpm/natural-compare@1.4.0/node_modules/natural-compare/index.js
var require_natural_compare = __commonJS({
  "node_modules/.pnpm/natural-compare@1.4.0/node_modules/natural-compare/index.js"(exports2, module2) {
    var naturalCompare = function(a, b) {
      var i, codeA, codeB = 1, posA = 0, posB = 0, alphabet = String.alphabet;
      function getCode(str, pos, code) {
        if (code) {
          for (i = pos; code = getCode(str, i), code < 76 && code > 65; ) ++i;
          return +str.slice(pos - 1, i);
        }
        code = alphabet && alphabet.indexOf(str.charAt(pos));
        return code > -1 ? code + 76 : (code = str.charCodeAt(pos) || 0, code < 45 || code > 127) ? code : code < 46 ? 65 : code < 48 ? code - 1 : code < 58 ? code + 18 : code < 65 ? code - 11 : code < 91 ? code + 11 : code < 97 ? code - 37 : code < 123 ? code + 5 : code - 63;
      }
      if ((a += "") != (b += "")) for (; codeB; ) {
        codeA = getCode(a, posA++);
        codeB = getCode(b, posB++);
        if (codeA < 76 && codeB < 76 && codeA > 66 && codeB > 66) {
          codeA = getCode(a, posA, posA);
          codeB = getCode(b, posB, posA = i);
          posB = i;
        }
        if (codeA != codeB) return codeA < codeB ? -1 : 1;
      }
      return 0;
    };
    try {
      module2.exports = naturalCompare;
    } catch (e) {
      String.naturalCompare = naturalCompare;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/member-ordering.js
var require_member_ordering = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/member-ordering.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.defaultOrder = void 0;
    var utils_1 = require_dist4();
    var natural_compare_1 = __importDefault2(require_natural_compare());
    var util_1 = require_util4();
    var neverConfig = {
      type: "string",
      enum: ["never"]
    };
    var arrayConfig = (memberTypes) => ({
      type: "array",
      items: {
        oneOf: [
          {
            $ref: memberTypes
          },
          {
            type: "array",
            items: {
              $ref: memberTypes
            }
          }
        ]
      }
    });
    var objectConfig = (memberTypes) => ({
      type: "object",
      properties: {
        memberTypes: {
          oneOf: [arrayConfig(memberTypes), neverConfig]
        },
        order: {
          $ref: "#/items/0/$defs/orderOptions"
        },
        optionalityOrder: {
          $ref: "#/items/0/$defs/optionalityOrderOptions"
        }
      },
      additionalProperties: false
    });
    exports2.defaultOrder = [
      // Index signature
      "signature",
      "call-signature",
      // Fields
      "public-static-field",
      "protected-static-field",
      "private-static-field",
      "#private-static-field",
      "public-decorated-field",
      "protected-decorated-field",
      "private-decorated-field",
      "public-instance-field",
      "protected-instance-field",
      "private-instance-field",
      "#private-instance-field",
      "public-abstract-field",
      "protected-abstract-field",
      "public-field",
      "protected-field",
      "private-field",
      "#private-field",
      "static-field",
      "instance-field",
      "abstract-field",
      "decorated-field",
      "field",
      // Static initialization
      "static-initialization",
      // Constructors
      "public-constructor",
      "protected-constructor",
      "private-constructor",
      "constructor",
      // Accessors
      "public-static-accessor",
      "protected-static-accessor",
      "private-static-accessor",
      "#private-static-accessor",
      "public-decorated-accessor",
      "protected-decorated-accessor",
      "private-decorated-accessor",
      "public-instance-accessor",
      "protected-instance-accessor",
      "private-instance-accessor",
      "#private-instance-accessor",
      "public-abstract-accessor",
      "protected-abstract-accessor",
      "public-accessor",
      "protected-accessor",
      "private-accessor",
      "#private-accessor",
      "static-accessor",
      "instance-accessor",
      "abstract-accessor",
      "decorated-accessor",
      "accessor",
      // Getters
      "public-static-get",
      "protected-static-get",
      "private-static-get",
      "#private-static-get",
      "public-decorated-get",
      "protected-decorated-get",
      "private-decorated-get",
      "public-instance-get",
      "protected-instance-get",
      "private-instance-get",
      "#private-instance-get",
      "public-abstract-get",
      "protected-abstract-get",
      "public-get",
      "protected-get",
      "private-get",
      "#private-get",
      "static-get",
      "instance-get",
      "abstract-get",
      "decorated-get",
      "get",
      // Setters
      "public-static-set",
      "protected-static-set",
      "private-static-set",
      "#private-static-set",
      "public-decorated-set",
      "protected-decorated-set",
      "private-decorated-set",
      "public-instance-set",
      "protected-instance-set",
      "private-instance-set",
      "#private-instance-set",
      "public-abstract-set",
      "protected-abstract-set",
      "public-set",
      "protected-set",
      "private-set",
      "#private-set",
      "static-set",
      "instance-set",
      "abstract-set",
      "decorated-set",
      "set",
      // Methods
      "public-static-method",
      "protected-static-method",
      "private-static-method",
      "#private-static-method",
      "public-decorated-method",
      "protected-decorated-method",
      "private-decorated-method",
      "public-instance-method",
      "protected-instance-method",
      "private-instance-method",
      "#private-instance-method",
      "public-abstract-method",
      "protected-abstract-method",
      "public-method",
      "protected-method",
      "private-method",
      "#private-method",
      "static-method",
      "instance-method",
      "abstract-method",
      "decorated-method",
      "method"
    ];
    var allMemberTypes = Array.from([
      "readonly-signature",
      "signature",
      "readonly-field",
      "field",
      "method",
      "call-signature",
      "constructor",
      "accessor",
      "get",
      "set",
      "static-initialization"
    ].reduce((all, type) => {
      all.add(type);
      ["public", "protected", "private", "#private"].forEach((accessibility) => {
        if (type !== "readonly-signature" && type !== "signature" && type !== "static-initialization" && type !== "call-signature" && !(type === "constructor" && accessibility === "#private")) {
          all.add(`${accessibility}-${type}`);
        }
        if (accessibility !== "#private" && (type === "readonly-field" || type === "field" || type === "method" || type === "accessor" || type === "get" || type === "set")) {
          all.add(`${accessibility}-decorated-${type}`);
          all.add(`decorated-${type}`);
        }
        if (type !== "constructor" && type !== "readonly-signature" && type !== "signature" && type !== "call-signature") {
          if (accessibility === "#private" || accessibility === "private") {
            ["static", "instance"].forEach((scope) => {
              all.add(`${scope}-${type}`);
              all.add(`${accessibility}-${scope}-${type}`);
            });
          } else {
            ["static", "instance", "abstract"].forEach((scope) => {
              all.add(`${scope}-${type}`);
              all.add(`${accessibility}-${scope}-${type}`);
            });
          }
        }
      });
      return all;
    }, /* @__PURE__ */ new Set()));
    var functionExpressions = [
      utils_1.AST_NODE_TYPES.FunctionExpression,
      utils_1.AST_NODE_TYPES.ArrowFunctionExpression
    ];
    function getNodeType(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition:
        case utils_1.AST_NODE_TYPES.MethodDefinition:
        case utils_1.AST_NODE_TYPES.TSMethodSignature:
          return node.kind;
        case utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration:
          return "call-signature";
        case utils_1.AST_NODE_TYPES.TSConstructSignatureDeclaration:
          return "constructor";
        case utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition:
          return node.readonly ? "readonly-field" : "field";
        case utils_1.AST_NODE_TYPES.AccessorProperty:
          return "accessor";
        case utils_1.AST_NODE_TYPES.PropertyDefinition:
          return node.value && functionExpressions.includes(node.value.type) ? "method" : node.readonly ? "readonly-field" : "field";
        case utils_1.AST_NODE_TYPES.TSPropertySignature:
          return node.readonly ? "readonly-field" : "field";
        case utils_1.AST_NODE_TYPES.TSIndexSignature:
          return node.readonly ? "readonly-signature" : "signature";
        case utils_1.AST_NODE_TYPES.StaticBlock:
          return "static-initialization";
        default:
          return null;
      }
    }
    function getMemberRawName(member, sourceCode) {
      const { name, type } = (0, util_1.getNameFromMember)(member, sourceCode);
      if (type === util_1.MemberNameType.Quoted) {
        return name.slice(1, -1);
      }
      if (type === util_1.MemberNameType.Private) {
        return name.slice(1);
      }
      return name;
    }
    function getMemberName2(node, sourceCode) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.TSPropertySignature:
        case utils_1.AST_NODE_TYPES.TSMethodSignature:
        case utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition:
        case utils_1.AST_NODE_TYPES.PropertyDefinition:
          return getMemberRawName(node, sourceCode);
        case utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition:
        case utils_1.AST_NODE_TYPES.MethodDefinition:
          return node.kind === "constructor" ? "constructor" : getMemberRawName(node, sourceCode);
        case utils_1.AST_NODE_TYPES.TSConstructSignatureDeclaration:
          return "new";
        case utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration:
          return "call";
        case utils_1.AST_NODE_TYPES.TSIndexSignature:
          return (0, util_1.getNameFromIndexSignature)(node);
        case utils_1.AST_NODE_TYPES.StaticBlock:
          return "static block";
        default:
          return null;
      }
    }
    function isMemberOptional(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.TSPropertySignature:
        case utils_1.AST_NODE_TYPES.TSMethodSignature:
        case utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition:
        case utils_1.AST_NODE_TYPES.PropertyDefinition:
        case utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition:
        case utils_1.AST_NODE_TYPES.MethodDefinition:
          return !!node.optional;
      }
      return false;
    }
    function getRankOrder(memberGroups, orderConfig) {
      let rank = -1;
      const stack = memberGroups.slice();
      while (stack.length > 0 && rank === -1) {
        const memberGroup = stack.shift();
        rank = orderConfig.findIndex((memberType) => Array.isArray(memberType) ? memberType.includes(memberGroup) : memberType === memberGroup);
      }
      return rank;
    }
    function getAccessibility(node) {
      if ("accessibility" in node && node.accessibility) {
        return node.accessibility;
      }
      if ("key" in node && node.key.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
        return "#private";
      }
      return "public";
    }
    function getRank(node, orderConfig, supportsModifiers) {
      const type = getNodeType(node);
      if (type == null) {
        return orderConfig.length - 1;
      }
      const abstract = node.type === utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition || node.type === utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition;
      const scope = "static" in node && node.static ? "static" : abstract ? "abstract" : "instance";
      const accessibility = getAccessibility(node);
      const memberGroups = [];
      if (supportsModifiers) {
        const decorated = "decorators" in node && node.decorators.length > 0;
        if (decorated && (type === "readonly-field" || type === "field" || type === "method" || type === "get" || type === "set")) {
          memberGroups.push(`${accessibility}-decorated-${type}`);
          memberGroups.push(`decorated-${type}`);
          if (type === "readonly-field") {
            memberGroups.push(`${accessibility}-decorated-field`);
            memberGroups.push(`decorated-field`);
          }
        }
        if (type !== "readonly-signature" && type !== "signature" && type !== "static-initialization") {
          if (type !== "constructor") {
            memberGroups.push(`${accessibility}-${scope}-${type}`);
            memberGroups.push(`${scope}-${type}`);
            if (type === "readonly-field") {
              memberGroups.push(`${accessibility}-${scope}-field`);
              memberGroups.push(`${scope}-field`);
            }
          }
          memberGroups.push(`${accessibility}-${type}`);
          if (type === "readonly-field") {
            memberGroups.push(`${accessibility}-field`);
          }
        }
      }
      memberGroups.push(type);
      if (type === "readonly-signature") {
        memberGroups.push("signature");
      } else if (type === "readonly-field") {
        memberGroups.push("field");
      }
      return getRankOrder(memberGroups, orderConfig);
    }
    function groupMembersByType(members, memberTypes, supportsModifiers) {
      const groupedMembers = [];
      const memberRanks = members.map((member) => getRank(member, memberTypes, supportsModifiers));
      let previousRank = void 0;
      members.forEach((member, index) => {
        if (index === members.length - 1) {
          return;
        }
        const rankOfCurrentMember = memberRanks[index];
        const rankOfNextMember = memberRanks[index + 1];
        if (rankOfCurrentMember === previousRank) {
          groupedMembers.at(-1)?.push(member);
        } else if (rankOfCurrentMember === rankOfNextMember) {
          groupedMembers.push([member]);
          previousRank = rankOfCurrentMember;
        }
      });
      return groupedMembers;
    }
    function getLowestRank(ranks, target, order) {
      let lowest = ranks[ranks.length - 1];
      ranks.forEach((rank) => {
        if (rank > target) {
          lowest = Math.min(lowest, rank);
        }
      });
      const lowestRank = order[lowest];
      const lowestRanks = Array.isArray(lowestRank) ? lowestRank : [lowestRank];
      return lowestRanks.map((rank) => rank.replace(/-/g, " ")).join(", ");
    }
    exports2.default = (0, util_1.createRule)({
      name: "member-ordering",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require a consistent member declaration order"
        },
        messages: {
          incorrectOrder: "Member {{member}} should be declared before member {{beforeMember}}.",
          incorrectGroupOrder: "Member {{name}} should be declared before all {{rank}} definitions.",
          incorrectRequiredMembersOrder: `Member {{member}} should be declared after all {{optionalOrRequired}} members.`
        },
        schema: [
          {
            $defs: {
              orderOptions: {
                type: "string",
                enum: [
                  "alphabetically",
                  "alphabetically-case-insensitive",
                  "as-written",
                  "natural",
                  "natural-case-insensitive"
                ]
              },
              optionalityOrderOptions: {
                type: "string",
                enum: ["optional-first", "required-first"]
              },
              allItems: {
                type: "string",
                enum: allMemberTypes
              },
              typeItems: {
                type: "string",
                enum: [
                  "readonly-signature",
                  "signature",
                  "readonly-field",
                  "field",
                  "method",
                  "constructor"
                ]
              },
              baseConfig: {
                oneOf: [
                  neverConfig,
                  arrayConfig("#/items/0/$defs/allItems"),
                  objectConfig("#/items/0/$defs/allItems")
                ]
              },
              typesConfig: {
                oneOf: [
                  neverConfig,
                  arrayConfig("#/items/0/$defs/typeItems"),
                  objectConfig("#/items/0/$defs/typeItems")
                ]
              }
            },
            type: "object",
            properties: {
              default: {
                $ref: "#/items/0/$defs/baseConfig"
              },
              classes: {
                $ref: "#/items/0/$defs/baseConfig"
              },
              classExpressions: {
                $ref: "#/items/0/$defs/baseConfig"
              },
              interfaces: {
                $ref: "#/items/0/$defs/typesConfig"
              },
              typeLiterals: {
                $ref: "#/items/0/$defs/typesConfig"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          default: {
            memberTypes: exports2.defaultOrder
          }
        }
      ],
      create(context, [options]) {
        function checkGroupSort(members, groupOrder, supportsModifiers) {
          const previousRanks = [];
          const memberGroups = [];
          let isCorrectlySorted = true;
          for (const member of members) {
            const rank = getRank(member, groupOrder, supportsModifiers);
            const name = getMemberName2(member, context.sourceCode);
            const rankLastMember = previousRanks[previousRanks.length - 1];
            if (rank === -1) {
              continue;
            }
            if (rank < rankLastMember) {
              context.report({
                node: member,
                messageId: "incorrectGroupOrder",
                data: {
                  name,
                  rank: getLowestRank(previousRanks, rank, groupOrder)
                }
              });
              isCorrectlySorted = false;
            } else if (rank === rankLastMember) {
              memberGroups[memberGroups.length - 1].push(member);
            } else {
              previousRanks.push(rank);
              memberGroups.push([member]);
            }
          }
          return isCorrectlySorted ? memberGroups : null;
        }
        function checkAlphaSort(members, order) {
          let previousName = "";
          let isCorrectlySorted = true;
          members.forEach((member) => {
            const name = getMemberName2(member, context.sourceCode);
            if (name) {
              if (naturalOutOfOrder(name, previousName, order)) {
                context.report({
                  node: member,
                  messageId: "incorrectOrder",
                  data: {
                    member: name,
                    beforeMember: previousName
                  }
                });
                isCorrectlySorted = false;
              }
              previousName = name;
            }
          });
          return isCorrectlySorted;
        }
        function naturalOutOfOrder(name, previousName, order) {
          if (name === previousName) {
            return false;
          }
          switch (order) {
            case "alphabetically":
              return name < previousName;
            case "alphabetically-case-insensitive":
              return name.toLowerCase() < previousName.toLowerCase();
            case "natural":
              return (0, natural_compare_1.default)(name, previousName) !== 1;
            case "natural-case-insensitive":
              return (0, natural_compare_1.default)(name.toLowerCase(), previousName.toLowerCase()) !== 1;
          }
        }
        function checkRequiredOrder(members, optionalityOrder) {
          const switchIndex = members.findIndex((member, i) => i && isMemberOptional(member) !== isMemberOptional(members[i - 1]));
          const report = (member) => context.report({
            messageId: "incorrectRequiredMembersOrder",
            loc: member.loc,
            data: {
              member: getMemberName2(member, context.sourceCode),
              optionalOrRequired: optionalityOrder === "required-first" ? "required" : "optional"
            }
          });
          if (isMemberOptional(members[0]) !== (optionalityOrder === "optional-first")) {
            report(members[0]);
            return false;
          }
          for (let i = switchIndex + 1; i < members.length; i++) {
            if (isMemberOptional(members[i]) !== isMemberOptional(members[switchIndex])) {
              report(members[switchIndex]);
              return false;
            }
          }
          return true;
        }
        function validateMembersOrder(members, orderConfig, supportsModifiers) {
          if (orderConfig === "never") {
            return;
          }
          let order;
          let memberTypes;
          let optionalityOrder;
          const checkAlphaSortForAllMembers = (memberSet) => {
            const hasAlphaSort = !!(order && order !== "as-written");
            if (hasAlphaSort && Array.isArray(memberTypes)) {
              groupMembersByType(memberSet, memberTypes, supportsModifiers).forEach((members2) => {
                checkAlphaSort(members2, order);
              });
            }
          };
          const checkOrder = (memberSet) => {
            const hasAlphaSort = !!(order && order !== "as-written");
            if (Array.isArray(memberTypes)) {
              const grouped = checkGroupSort(memberSet, memberTypes, supportsModifiers);
              if (grouped == null) {
                checkAlphaSortForAllMembers(members);
                return false;
              }
              if (hasAlphaSort) {
                grouped.map((groupMember) => checkAlphaSort(groupMember, order));
              }
            } else if (hasAlphaSort) {
              return checkAlphaSort(memberSet, order);
            }
            return false;
          };
          if (Array.isArray(orderConfig)) {
            memberTypes = orderConfig;
          } else {
            order = orderConfig.order;
            memberTypes = orderConfig.memberTypes;
            optionalityOrder = orderConfig.optionalityOrder;
          }
          if (!optionalityOrder) {
            checkOrder(members);
            return;
          }
          const switchIndex = members.findIndex((member, i) => i && isMemberOptional(member) !== isMemberOptional(members[i - 1]));
          if (switchIndex !== -1) {
            if (!checkRequiredOrder(members, optionalityOrder)) {
              return;
            }
            checkOrder(members.slice(0, switchIndex));
            checkOrder(members.slice(switchIndex));
          } else {
            checkOrder(members);
          }
        }
        return {
          "ClassDeclaration, FunctionDeclaration"(node) {
            if ("superClass" in node) {
            }
          },
          ClassDeclaration(node) {
            validateMembersOrder(node.body.body, options.classes ?? options.default, true);
          },
          ClassExpression(node) {
            validateMembersOrder(node.body.body, options.classExpressions ?? options.default, true);
          },
          TSInterfaceDeclaration(node) {
            validateMembersOrder(node.body.body, options.interfaces ?? options.default, false);
          },
          TSTypeLiteral(node) {
            validateMembersOrder(node.members, options.typeLiterals ?? options.default, false);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/method-signature-style.js
var require_method_signature_style = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/method-signature-style.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "method-signature-style",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce using a particular method signature syntax"
        },
        fixable: "code",
        messages: {
          errorMethod: "Shorthand method signature is forbidden. Use a function property instead.",
          errorProperty: "Function property signature is forbidden. Use a method shorthand instead."
        },
        schema: [
          {
            type: "string",
            enum: ["property", "method"]
          }
        ]
      },
      defaultOptions: ["property"],
      create(context, [mode]) {
        function getMethodKey(node) {
          let key = context.sourceCode.getText(node.key);
          if (node.computed) {
            key = `[${key}]`;
          }
          if (node.optional) {
            key = `${key}?`;
          }
          if (node.readonly) {
            key = `readonly ${key}`;
          }
          return key;
        }
        function getMethodParams(node) {
          let params = "()";
          if (node.params.length > 0) {
            const openingParen = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(node.params[0], util_1.isOpeningParenToken), "Missing opening paren before first parameter");
            const closingParen = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.params[node.params.length - 1], util_1.isClosingParenToken), "Missing closing paren after last parameter");
            params = context.sourceCode.text.substring(openingParen.range[0], closingParen.range[1]);
          }
          if (node.typeParameters != null) {
            const typeParams = context.sourceCode.getText(node.typeParameters);
            params = `${typeParams}${params}`;
          }
          return params;
        }
        function getMethodReturnType(node) {
          return node.returnType == null ? (
            // if the method has no return type, it implicitly has an `any` return type
            // we just make it explicit here so we can do the fix
            "any"
          ) : context.sourceCode.getText(node.returnType.typeAnnotation);
        }
        function getDelimiter(node) {
          const lastToken = context.sourceCode.getLastToken(node);
          if (lastToken && ((0, util_1.isSemicolonToken)(lastToken) || (0, util_1.isCommaToken)(lastToken))) {
            return lastToken.value;
          }
          return "";
        }
        function isNodeParentModuleDeclaration(node) {
          if (!node.parent) {
            return false;
          }
          if (node.parent.type === utils_1.AST_NODE_TYPES.TSModuleDeclaration) {
            return true;
          }
          if (node.parent.type === utils_1.AST_NODE_TYPES.Program) {
            return false;
          }
          return isNodeParentModuleDeclaration(node.parent);
        }
        return {
          ...mode === "property" && {
            TSMethodSignature(methodNode) {
              if (methodNode.kind !== "method") {
                return;
              }
              const parent = methodNode.parent;
              const members = parent.type === utils_1.AST_NODE_TYPES.TSInterfaceBody ? parent.body : parent.type === utils_1.AST_NODE_TYPES.TSTypeLiteral ? parent.members : [];
              const duplicatedKeyMethodNodes = members.filter((element) => element.type === utils_1.AST_NODE_TYPES.TSMethodSignature && element !== methodNode && getMethodKey(element) === getMethodKey(methodNode));
              const isParentModule = isNodeParentModuleDeclaration(methodNode);
              if (duplicatedKeyMethodNodes.length > 0) {
                if (isParentModule) {
                  context.report({
                    node: methodNode,
                    messageId: "errorMethod"
                  });
                } else {
                  context.report({
                    node: methodNode,
                    messageId: "errorMethod",
                    *fix(fixer) {
                      const methodNodes = [
                        methodNode,
                        ...duplicatedKeyMethodNodes
                      ].sort((a, b) => a.range[0] < b.range[0] ? -1 : 1);
                      const typeString = methodNodes.map((node) => {
                        const params = getMethodParams(node);
                        const returnType = getMethodReturnType(node);
                        return `(${params} => ${returnType})`;
                      }).join(" & ");
                      const key = getMethodKey(methodNode);
                      const delimiter2 = getDelimiter(methodNode);
                      yield fixer.replaceText(methodNode, `${key}: ${typeString}${delimiter2}`);
                      for (const node of duplicatedKeyMethodNodes) {
                        const lastToken = context.sourceCode.getLastToken(node);
                        if (lastToken) {
                          const nextToken = context.sourceCode.getTokenAfter(lastToken);
                          if (nextToken) {
                            yield fixer.remove(node);
                            yield fixer.replaceTextRange([lastToken.range[1], nextToken.range[0]], "");
                          }
                        }
                      }
                    }
                  });
                }
                return;
              }
              if (isParentModule) {
                context.report({
                  node: methodNode,
                  messageId: "errorMethod"
                });
              } else {
                context.report({
                  node: methodNode,
                  messageId: "errorMethod",
                  fix: (fixer) => {
                    const key = getMethodKey(methodNode);
                    const params = getMethodParams(methodNode);
                    const returnType = getMethodReturnType(methodNode);
                    const delimiter2 = getDelimiter(methodNode);
                    return fixer.replaceText(methodNode, `${key}: ${params} => ${returnType}${delimiter2}`);
                  }
                });
              }
            }
          },
          ...mode === "method" && {
            TSPropertySignature(propertyNode) {
              const typeNode = propertyNode.typeAnnotation?.typeAnnotation;
              if (typeNode?.type !== utils_1.AST_NODE_TYPES.TSFunctionType) {
                return;
              }
              context.report({
                node: propertyNode,
                messageId: "errorProperty",
                fix: (fixer) => {
                  const key = getMethodKey(propertyNode);
                  const params = getMethodParams(typeNode);
                  const returnType = getMethodReturnType(typeNode);
                  const delimiter2 = getDelimiter(propertyNode);
                  return fixer.replaceText(propertyNode, `${key}${params}: ${returnType}${delimiter2}`);
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/enums.js
var require_enums = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/enums.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.UnderscoreOptions = exports2.TypeModifiers = exports2.Selectors = exports2.PredefinedFormats = exports2.Modifiers = exports2.MetaSelectors = void 0;
    var PredefinedFormats;
    (function(PredefinedFormats2) {
      PredefinedFormats2[PredefinedFormats2["camelCase"] = 1] = "camelCase";
      PredefinedFormats2[PredefinedFormats2["strictCamelCase"] = 2] = "strictCamelCase";
      PredefinedFormats2[PredefinedFormats2["PascalCase"] = 3] = "PascalCase";
      PredefinedFormats2[PredefinedFormats2["StrictPascalCase"] = 4] = "StrictPascalCase";
      PredefinedFormats2[PredefinedFormats2["snake_case"] = 5] = "snake_case";
      PredefinedFormats2[PredefinedFormats2["UPPER_CASE"] = 6] = "UPPER_CASE";
    })(PredefinedFormats || (exports2.PredefinedFormats = PredefinedFormats = {}));
    var UnderscoreOptions;
    (function(UnderscoreOptions2) {
      UnderscoreOptions2[UnderscoreOptions2["forbid"] = 1] = "forbid";
      UnderscoreOptions2[UnderscoreOptions2["allow"] = 2] = "allow";
      UnderscoreOptions2[UnderscoreOptions2["require"] = 3] = "require";
      UnderscoreOptions2[UnderscoreOptions2["requireDouble"] = 4] = "requireDouble";
      UnderscoreOptions2[UnderscoreOptions2["allowDouble"] = 5] = "allowDouble";
      UnderscoreOptions2[UnderscoreOptions2["allowSingleOrDouble"] = 6] = "allowSingleOrDouble";
    })(UnderscoreOptions || (exports2.UnderscoreOptions = UnderscoreOptions = {}));
    var Selectors;
    (function(Selectors2) {
      Selectors2[Selectors2["variable"] = 1] = "variable";
      Selectors2[Selectors2["function"] = 2] = "function";
      Selectors2[Selectors2["parameter"] = 4] = "parameter";
      Selectors2[Selectors2["parameterProperty"] = 8] = "parameterProperty";
      Selectors2[Selectors2["classicAccessor"] = 16] = "classicAccessor";
      Selectors2[Selectors2["enumMember"] = 32] = "enumMember";
      Selectors2[Selectors2["classMethod"] = 64] = "classMethod";
      Selectors2[Selectors2["objectLiteralMethod"] = 128] = "objectLiteralMethod";
      Selectors2[Selectors2["typeMethod"] = 256] = "typeMethod";
      Selectors2[Selectors2["classProperty"] = 512] = "classProperty";
      Selectors2[Selectors2["objectLiteralProperty"] = 1024] = "objectLiteralProperty";
      Selectors2[Selectors2["typeProperty"] = 2048] = "typeProperty";
      Selectors2[Selectors2["autoAccessor"] = 4096] = "autoAccessor";
      Selectors2[Selectors2["class"] = 8192] = "class";
      Selectors2[Selectors2["interface"] = 16384] = "interface";
      Selectors2[Selectors2["typeAlias"] = 32768] = "typeAlias";
      Selectors2[Selectors2["enum"] = 65536] = "enum";
      Selectors2[Selectors2["typeParameter"] = 131072] = "typeParameter";
      Selectors2[Selectors2["import"] = 262144] = "import";
    })(Selectors || (exports2.Selectors = Selectors = {}));
    var MetaSelectors;
    (function(MetaSelectors2) {
      MetaSelectors2[MetaSelectors2["default"] = -1] = "default";
      MetaSelectors2[MetaSelectors2["variableLike"] = 7] = "variableLike";
      MetaSelectors2[MetaSelectors2["memberLike"] = 8184] = "memberLike";
      MetaSelectors2[MetaSelectors2["typeLike"] = 253952] = "typeLike";
      MetaSelectors2[MetaSelectors2["method"] = 448] = "method";
      MetaSelectors2[MetaSelectors2["property"] = 3584] = "property";
      MetaSelectors2[MetaSelectors2["accessor"] = 4112] = "accessor";
    })(MetaSelectors || (exports2.MetaSelectors = MetaSelectors = {}));
    var Modifiers;
    (function(Modifiers2) {
      Modifiers2[Modifiers2["const"] = 1] = "const";
      Modifiers2[Modifiers2["readonly"] = 2] = "readonly";
      Modifiers2[Modifiers2["static"] = 4] = "static";
      Modifiers2[Modifiers2["public"] = 8] = "public";
      Modifiers2[Modifiers2["protected"] = 16] = "protected";
      Modifiers2[Modifiers2["private"] = 32] = "private";
      Modifiers2[Modifiers2["#private"] = 64] = "#private";
      Modifiers2[Modifiers2["abstract"] = 128] = "abstract";
      Modifiers2[Modifiers2["destructured"] = 256] = "destructured";
      Modifiers2[Modifiers2["global"] = 512] = "global";
      Modifiers2[Modifiers2["exported"] = 1024] = "exported";
      Modifiers2[Modifiers2["unused"] = 2048] = "unused";
      Modifiers2[Modifiers2["requiresQuotes"] = 4096] = "requiresQuotes";
      Modifiers2[Modifiers2["override"] = 8192] = "override";
      Modifiers2[Modifiers2["async"] = 16384] = "async";
      Modifiers2[Modifiers2["default"] = 32768] = "default";
      Modifiers2[Modifiers2["namespace"] = 65536] = "namespace";
    })(Modifiers || (exports2.Modifiers = Modifiers = {}));
    var TypeModifiers;
    (function(TypeModifiers2) {
      TypeModifiers2[TypeModifiers2["boolean"] = 131072] = "boolean";
      TypeModifiers2[TypeModifiers2["string"] = 262144] = "string";
      TypeModifiers2[TypeModifiers2["number"] = 524288] = "number";
      TypeModifiers2[TypeModifiers2["function"] = 1048576] = "function";
      TypeModifiers2[TypeModifiers2["array"] = 2097152] = "array";
    })(TypeModifiers || (exports2.TypeModifiers = TypeModifiers = {}));
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/schema.js
var require_schema = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/schema.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.SCHEMA = void 0;
    var util_1 = require_util4();
    var enums_1 = require_enums();
    var $DEFS = {
      // enums
      underscoreOptions: {
        type: "string",
        enum: (0, util_1.getEnumNames)(enums_1.UnderscoreOptions)
      },
      predefinedFormats: {
        type: "string",
        enum: (0, util_1.getEnumNames)(enums_1.PredefinedFormats)
      },
      typeModifiers: {
        type: "string",
        enum: (0, util_1.getEnumNames)(enums_1.TypeModifiers)
      },
      // repeated types
      prefixSuffixConfig: {
        type: "array",
        items: {
          type: "string",
          minLength: 1
        },
        additionalItems: false
      },
      matchRegexConfig: {
        type: "object",
        additionalProperties: false,
        properties: {
          match: { type: "boolean" },
          regex: { type: "string" }
        },
        required: ["match", "regex"]
      },
      formatOptionsConfig: {
        oneOf: [
          {
            type: "array",
            items: {
              $ref: "#/$defs/predefinedFormats"
            },
            additionalItems: false
          },
          {
            type: "null"
          }
        ]
      }
    };
    var UNDERSCORE_SCHEMA = {
      $ref: "#/$defs/underscoreOptions"
    };
    var PREFIX_SUFFIX_SCHEMA = {
      $ref: "#/$defs/prefixSuffixConfig"
    };
    var MATCH_REGEX_SCHEMA = {
      $ref: "#/$defs/matchRegexConfig"
    };
    var FORMAT_OPTIONS_PROPERTIES = {
      format: {
        $ref: "#/$defs/formatOptionsConfig"
      },
      custom: MATCH_REGEX_SCHEMA,
      leadingUnderscore: UNDERSCORE_SCHEMA,
      trailingUnderscore: UNDERSCORE_SCHEMA,
      prefix: PREFIX_SUFFIX_SCHEMA,
      suffix: PREFIX_SUFFIX_SCHEMA,
      failureMessage: {
        type: "string"
      }
    };
    function selectorSchema(selectorString, allowType, modifiers) {
      const selector = {
        filter: {
          oneOf: [
            {
              type: "string",
              minLength: 1
            },
            MATCH_REGEX_SCHEMA
          ]
        },
        selector: {
          type: "string",
          enum: [selectorString]
        }
      };
      if (modifiers && modifiers.length > 0) {
        selector.modifiers = {
          type: "array",
          items: {
            type: "string",
            enum: modifiers
          },
          additionalItems: false
        };
      }
      if (allowType) {
        selector.types = {
          type: "array",
          items: {
            $ref: "#/$defs/typeModifiers"
          },
          additionalItems: false
        };
      }
      return [
        {
          type: "object",
          description: `Selector '${selectorString}'`,
          properties: {
            ...FORMAT_OPTIONS_PROPERTIES,
            ...selector
          },
          required: ["selector", "format"],
          additionalProperties: false
        }
      ];
    }
    function selectorsSchema() {
      return {
        type: "object",
        description: "Multiple selectors in one config",
        properties: {
          ...FORMAT_OPTIONS_PROPERTIES,
          ...{
            filter: {
              oneOf: [
                {
                  type: "string",
                  minLength: 1
                },
                MATCH_REGEX_SCHEMA
              ]
            },
            selector: {
              type: "array",
              items: {
                type: "string",
                enum: [...(0, util_1.getEnumNames)(enums_1.MetaSelectors), ...(0, util_1.getEnumNames)(enums_1.Selectors)]
              },
              additionalItems: false
            },
            modifiers: {
              type: "array",
              items: {
                type: "string",
                enum: (0, util_1.getEnumNames)(enums_1.Modifiers)
              },
              additionalItems: false
            },
            types: {
              type: "array",
              items: {
                $ref: "#/$defs/typeModifiers"
              },
              additionalItems: false
            }
          }
        },
        required: ["selector", "format"],
        additionalProperties: false
      };
    }
    var SCHEMA = {
      $defs: $DEFS,
      type: "array",
      items: {
        oneOf: [
          selectorsSchema(),
          ...selectorSchema("default", false, (0, util_1.getEnumNames)(enums_1.Modifiers)),
          ...selectorSchema("variableLike", false, ["unused", "async"]),
          ...selectorSchema("variable", true, [
            "const",
            "destructured",
            "exported",
            "global",
            "unused",
            "async"
          ]),
          ...selectorSchema("function", false, [
            "exported",
            "global",
            "unused",
            "async"
          ]),
          ...selectorSchema("parameter", true, ["destructured", "unused"]),
          ...selectorSchema("memberLike", false, [
            "abstract",
            "private",
            "#private",
            "protected",
            "public",
            "readonly",
            "requiresQuotes",
            "static",
            "override",
            "async"
          ]),
          ...selectorSchema("classProperty", true, [
            "abstract",
            "private",
            "#private",
            "protected",
            "public",
            "readonly",
            "requiresQuotes",
            "static",
            "override"
          ]),
          ...selectorSchema("objectLiteralProperty", true, [
            "public",
            "requiresQuotes"
          ]),
          ...selectorSchema("typeProperty", true, [
            "public",
            "readonly",
            "requiresQuotes"
          ]),
          ...selectorSchema("parameterProperty", true, [
            "private",
            "protected",
            "public",
            "readonly"
          ]),
          ...selectorSchema("property", true, [
            "abstract",
            "private",
            "#private",
            "protected",
            "public",
            "readonly",
            "requiresQuotes",
            "static",
            "override",
            "async"
          ]),
          ...selectorSchema("classMethod", false, [
            "abstract",
            "private",
            "#private",
            "protected",
            "public",
            "requiresQuotes",
            "static",
            "override",
            "async"
          ]),
          ...selectorSchema("objectLiteralMethod", false, [
            "public",
            "requiresQuotes",
            "async"
          ]),
          ...selectorSchema("typeMethod", false, ["public", "requiresQuotes"]),
          ...selectorSchema("method", false, [
            "abstract",
            "private",
            "#private",
            "protected",
            "public",
            "requiresQuotes",
            "static",
            "override",
            "async"
          ]),
          ...selectorSchema("classicAccessor", true, [
            "abstract",
            "private",
            "protected",
            "public",
            "requiresQuotes",
            "static",
            "override"
          ]),
          ...selectorSchema("autoAccessor", true, [
            "abstract",
            "private",
            "protected",
            "public",
            "requiresQuotes",
            "static",
            "override"
          ]),
          ...selectorSchema("accessor", true, [
            "abstract",
            "private",
            "protected",
            "public",
            "requiresQuotes",
            "static",
            "override"
          ]),
          ...selectorSchema("enumMember", false, ["requiresQuotes"]),
          ...selectorSchema("typeLike", false, ["abstract", "exported", "unused"]),
          ...selectorSchema("class", false, ["abstract", "exported", "unused"]),
          ...selectorSchema("interface", false, ["exported", "unused"]),
          ...selectorSchema("typeAlias", false, ["exported", "unused"]),
          ...selectorSchema("enum", false, ["exported", "unused"]),
          ...selectorSchema("typeParameter", false, ["unused"]),
          ...selectorSchema("import", false, ["default", "namespace"])
        ]
      },
      additionalItems: false
    };
    exports2.SCHEMA = SCHEMA;
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/shared.js
var require_shared2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/shared.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.selectorTypeToMessageString = selectorTypeToMessageString;
    exports2.isMetaSelector = isMetaSelector;
    exports2.isMethodOrPropertySelector = isMethodOrPropertySelector;
    var enums_1 = require_enums();
    function selectorTypeToMessageString(selectorType) {
      const notCamelCase = selectorType.replace(/([A-Z])/g, " $1");
      return notCamelCase.charAt(0).toUpperCase() + notCamelCase.slice(1);
    }
    function isMetaSelector(selector) {
      return selector in enums_1.MetaSelectors;
    }
    function isMethodOrPropertySelector(selector) {
      return selector === enums_1.MetaSelectors.method || selector === enums_1.MetaSelectors.property;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/format.js
var require_format2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/format.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.PredefinedFormatToCheckFunction = void 0;
    var enums_1 = require_enums();
    function isPascalCase(name) {
      return name.length === 0 || name[0] === name[0].toUpperCase() && !name.includes("_");
    }
    function isStrictPascalCase(name) {
      return name.length === 0 || name[0] === name[0].toUpperCase() && hasStrictCamelHumps(name, true);
    }
    function isCamelCase(name) {
      return name.length === 0 || name[0] === name[0].toLowerCase() && !name.includes("_");
    }
    function isStrictCamelCase(name) {
      return name.length === 0 || name[0] === name[0].toLowerCase() && hasStrictCamelHumps(name, false);
    }
    function hasStrictCamelHumps(name, isUpper) {
      function isUppercaseChar(char) {
        return char === char.toUpperCase() && char !== char.toLowerCase();
      }
      if (name.startsWith("_")) {
        return false;
      }
      for (let i = 1; i < name.length; ++i) {
        if (name[i] === "_") {
          return false;
        }
        if (isUpper === isUppercaseChar(name[i])) {
          if (isUpper) {
            return false;
          }
        } else {
          isUpper = !isUpper;
        }
      }
      return true;
    }
    function isSnakeCase(name) {
      return name.length === 0 || name === name.toLowerCase() && validateUnderscores(name);
    }
    function isUpperCase2(name) {
      return name.length === 0 || name === name.toUpperCase() && validateUnderscores(name);
    }
    function validateUnderscores(name) {
      if (name.startsWith("_")) {
        return false;
      }
      let wasUnderscore = false;
      for (let i = 1; i < name.length; ++i) {
        if (name[i] === "_") {
          if (wasUnderscore) {
            return false;
          }
          wasUnderscore = true;
        } else {
          wasUnderscore = false;
        }
      }
      return !wasUnderscore;
    }
    var PredefinedFormatToCheckFunction = {
      [enums_1.PredefinedFormats.PascalCase]: isPascalCase,
      [enums_1.PredefinedFormats.StrictPascalCase]: isStrictPascalCase,
      [enums_1.PredefinedFormats.camelCase]: isCamelCase,
      [enums_1.PredefinedFormats.strictCamelCase]: isStrictCamelCase,
      [enums_1.PredefinedFormats.UPPER_CASE]: isUpperCase2,
      [enums_1.PredefinedFormats.snake_case]: isSnakeCase
    };
    exports2.PredefinedFormatToCheckFunction = PredefinedFormatToCheckFunction;
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/validator.js
var require_validator = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/validator.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.createValidator = createValidator;
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var enums_1 = require_enums();
    var format_1 = require_format2();
    var shared_1 = require_shared2();
    function createValidator(type, context, allConfigs) {
      const selectorType = enums_1.Selectors[type];
      const configs = allConfigs.filter((c) => (c.selector & selectorType) !== 0 || c.selector === enums_1.MetaSelectors.default).sort((a, b) => {
        if (a.selector === b.selector) {
          return b.modifierWeight - a.modifierWeight;
        }
        const aIsMeta = (0, shared_1.isMetaSelector)(a.selector);
        const bIsMeta = (0, shared_1.isMetaSelector)(b.selector);
        if (aIsMeta && !bIsMeta) {
          return 1;
        }
        if (!aIsMeta && bIsMeta) {
          return -1;
        }
        const aIsMethodOrProperty = (0, shared_1.isMethodOrPropertySelector)(a.selector);
        const bIsMethodOrProperty = (0, shared_1.isMethodOrPropertySelector)(b.selector);
        if (aIsMethodOrProperty && !bIsMethodOrProperty) {
          return -1;
        }
        if (!aIsMethodOrProperty && bIsMethodOrProperty) {
          return 1;
        }
        return b.selector - a.selector;
      });
      return (node, modifiers = /* @__PURE__ */ new Set()) => {
        const originalName = node.type === utils_1.AST_NODE_TYPES.Identifier || node.type === utils_1.AST_NODE_TYPES.PrivateIdentifier ? node.name : `${node.value}`;
        for (const config7 of configs) {
          if (config7.filter?.regex.test(originalName) !== config7.filter?.match) {
            continue;
          }
          if (config7.modifiers?.some((modifier) => !modifiers.has(modifier))) {
            continue;
          }
          if (!isCorrectType(node, config7, context, selectorType)) {
            continue;
          }
          let name = originalName;
          name = validateUnderscore("leading", config7, name, node, originalName);
          if (name == null) {
            return;
          }
          name = validateUnderscore("trailing", config7, name, node, originalName);
          if (name == null) {
            return;
          }
          name = validateAffix("prefix", config7, name, node, originalName);
          if (name == null) {
            return;
          }
          name = validateAffix("suffix", config7, name, node, originalName);
          if (name == null) {
            return;
          }
          if (!validateCustom(config7, name, node, originalName)) {
            return;
          }
          if (!validatePredefinedFormat(config7, name, node, originalName, modifiers)) {
            return;
          }
          return;
        }
      };
      function formatReportData({ affixes, formats, originalName, processedName, position, custom: custom2, count }) {
        return {
          type: (0, shared_1.selectorTypeToMessageString)(type),
          name: originalName,
          processedName,
          position,
          count,
          affixes: affixes?.join(", "),
          formats: formats?.map((f) => enums_1.PredefinedFormats[f]).join(", "),
          regex: custom2?.regex.toString(),
          regexMatch: custom2?.match === true ? "match" : custom2?.match === false ? "not match" : null
        };
      }
      function validateUnderscore(position, config7, name, node, originalName) {
        const option = position === "leading" ? config7.leadingUnderscore : config7.trailingUnderscore;
        if (!option) {
          return name;
        }
        const hasSingleUnderscore = position === "leading" ? () => name.startsWith("_") : () => name.endsWith("_");
        const trimSingleUnderscore = position === "leading" ? () => name.slice(1) : () => name.slice(0, -1);
        const hasDoubleUnderscore = position === "leading" ? () => name.startsWith("__") : () => name.endsWith("__");
        const trimDoubleUnderscore = position === "leading" ? () => name.slice(2) : () => name.slice(0, -2);
        switch (option) {
          case enums_1.UnderscoreOptions.allow: {
            if (hasSingleUnderscore()) {
              return trimSingleUnderscore();
            }
            return name;
          }
          case enums_1.UnderscoreOptions.allowDouble: {
            if (hasDoubleUnderscore()) {
              return trimDoubleUnderscore();
            }
            return name;
          }
          case enums_1.UnderscoreOptions.allowSingleOrDouble: {
            if (hasDoubleUnderscore()) {
              return trimDoubleUnderscore();
            }
            if (hasSingleUnderscore()) {
              return trimSingleUnderscore();
            }
            return name;
          }
          case enums_1.UnderscoreOptions.forbid: {
            if (hasSingleUnderscore()) {
              context.report({
                node,
                messageId: "unexpectedUnderscore",
                data: formatReportData({
                  originalName,
                  position,
                  count: "one"
                })
              });
              return null;
            }
            return name;
          }
          case enums_1.UnderscoreOptions.require: {
            if (!hasSingleUnderscore()) {
              context.report({
                node,
                messageId: "missingUnderscore",
                data: formatReportData({
                  originalName,
                  position,
                  count: "one"
                })
              });
              return null;
            }
            return trimSingleUnderscore();
          }
          case enums_1.UnderscoreOptions.requireDouble: {
            if (!hasDoubleUnderscore()) {
              context.report({
                node,
                messageId: "missingUnderscore",
                data: formatReportData({
                  originalName,
                  position,
                  count: "two"
                })
              });
              return null;
            }
            return trimDoubleUnderscore();
          }
        }
      }
      function validateAffix(position, config7, name, node, originalName) {
        const affixes = config7[position];
        if (!affixes || affixes.length === 0) {
          return name;
        }
        for (const affix of affixes) {
          const hasAffix = position === "prefix" ? name.startsWith(affix) : name.endsWith(affix);
          const trimAffix = position === "prefix" ? () => name.slice(affix.length) : () => name.slice(0, -affix.length);
          if (hasAffix) {
            return trimAffix();
          }
        }
        context.report({
          node,
          messageId: "missingAffix",
          data: formatReportData({
            originalName,
            position,
            affixes
          })
        });
        return null;
      }
      function validateCustom(config7, name, node, originalName) {
        const custom2 = config7.custom;
        if (!custom2) {
          return true;
        }
        const result = custom2.regex.test(name);
        if (custom2.match && result) {
          return true;
        }
        if (!custom2.match && !result) {
          return true;
        }
        context.report({
          node,
          messageId: "satisfyCustom",
          data: formatReportData({
            originalName,
            custom: custom2
          })
        });
        return false;
      }
      function validatePredefinedFormat(config7, name, node, originalName, modifiers) {
        const formats = config7.format;
        if (!formats?.length) {
          return true;
        }
        if (!modifiers.has(enums_1.Modifiers.requiresQuotes)) {
          for (const format2 of formats) {
            const checker = format_1.PredefinedFormatToCheckFunction[format2];
            if (checker(name)) {
              return true;
            }
          }
        }
        context.report({
          node,
          messageId: originalName === name ? "doesNotMatchFormat" : "doesNotMatchFormatTrimmed",
          data: formatReportData({
            originalName,
            processedName: name,
            formats
          })
        });
        return false;
      }
    }
    var SelectorsAllowedToHaveTypes = enums_1.Selectors.variable | enums_1.Selectors.parameter | enums_1.Selectors.classProperty | enums_1.Selectors.objectLiteralProperty | enums_1.Selectors.typeProperty | enums_1.Selectors.parameterProperty | enums_1.Selectors.classicAccessor;
    function isCorrectType(node, config7, context, selector) {
      if (config7.types == null) {
        return true;
      }
      if ((SelectorsAllowedToHaveTypes & selector) === 0) {
        return true;
      }
      const services = (0, util_1.getParserServices)(context);
      const checker = services.program.getTypeChecker();
      const type = services.getTypeAtLocation(node).getNonNullableType();
      for (const allowedType of config7.types) {
        switch (allowedType) {
          case enums_1.TypeModifiers.array:
            if (isAllTypesMatch(type, (t) => checker.isArrayType(t) || checker.isTupleType(t))) {
              return true;
            }
            break;
          case enums_1.TypeModifiers.function:
            if (isAllTypesMatch(type, (t) => t.getCallSignatures().length > 0)) {
              return true;
            }
            break;
          case enums_1.TypeModifiers.boolean:
          case enums_1.TypeModifiers.number:
          case enums_1.TypeModifiers.string: {
            const typeString = checker.typeToString(
              // this will resolve things like true => boolean, 'a' => string and 1 => number
              checker.getWidenedType(checker.getBaseTypeOfLiteralType(type))
            );
            const allowedTypeString = enums_1.TypeModifiers[allowedType];
            if (typeString === allowedTypeString) {
              return true;
            }
            break;
          }
        }
      }
      return false;
    }
    function isAllTypesMatch(type, cb) {
      if (type.isUnion()) {
        return type.types.every((t) => cb(t));
      }
      return cb(type);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/parse-options.js
var require_parse_options2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/parse-options.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.parseOptions = parseOptions;
    var util_1 = require_util4();
    var enums_1 = require_enums();
    var shared_1 = require_shared2();
    var validator_1 = require_validator();
    function normalizeOption(option) {
      let weight = 0;
      option.modifiers?.forEach((mod) => {
        weight |= enums_1.Modifiers[mod];
      });
      option.types?.forEach((mod) => {
        weight |= enums_1.TypeModifiers[mod];
      });
      if (option.filter) {
        weight |= 1 << 30;
      }
      const normalizedOption = {
        // format options
        format: option.format ? option.format.map((f) => enums_1.PredefinedFormats[f]) : null,
        custom: option.custom ? {
          regex: new RegExp(option.custom.regex, "u"),
          match: option.custom.match
        } : null,
        leadingUnderscore: option.leadingUnderscore !== void 0 ? enums_1.UnderscoreOptions[option.leadingUnderscore] : null,
        trailingUnderscore: option.trailingUnderscore !== void 0 ? enums_1.UnderscoreOptions[option.trailingUnderscore] : null,
        prefix: option.prefix && option.prefix.length > 0 ? option.prefix : null,
        suffix: option.suffix && option.suffix.length > 0 ? option.suffix : null,
        modifiers: option.modifiers?.map((m) => enums_1.Modifiers[m]) ?? null,
        types: option.types?.map((m) => enums_1.TypeModifiers[m]) ?? null,
        filter: option.filter !== void 0 ? typeof option.filter === "string" ? {
          regex: new RegExp(option.filter, "u"),
          match: true
        } : {
          regex: new RegExp(option.filter.regex, "u"),
          match: option.filter.match
        } : null,
        // calculated ordering weight based on modifiers
        modifierWeight: weight
      };
      const selectors = Array.isArray(option.selector) ? option.selector : [option.selector];
      return selectors.map((selector) => ({
        selector: (0, shared_1.isMetaSelector)(selector) ? enums_1.MetaSelectors[selector] : enums_1.Selectors[selector],
        ...normalizedOption
      }));
    }
    function parseOptions(context) {
      const normalizedOptions = context.options.flatMap(normalizeOption);
      const result = (0, util_1.getEnumNames)(enums_1.Selectors).reduce((acc, k) => {
        acc[k] = (0, validator_1.createValidator)(k, context, normalizedOptions);
        return acc;
      }, {});
      return result;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/index.js
var require_naming_convention_utils = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/index.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.parseOptions = exports2.selectorTypeToMessageString = exports2.SCHEMA = exports2.Modifiers = void 0;
    var enums_1 = require_enums();
    Object.defineProperty(exports2, "Modifiers", { enumerable: true, get: function() {
      return enums_1.Modifiers;
    } });
    var schema_1 = require_schema();
    Object.defineProperty(exports2, "SCHEMA", { enumerable: true, get: function() {
      return schema_1.SCHEMA;
    } });
    var shared_1 = require_shared2();
    Object.defineProperty(exports2, "selectorTypeToMessageString", { enumerable: true, get: function() {
      return shared_1.selectorTypeToMessageString;
    } });
    var parse_options_1 = require_parse_options2();
    Object.defineProperty(exports2, "parseOptions", { enumerable: true, get: function() {
      return parse_options_1.parseOptions;
    } });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention.js
var require_naming_convention = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var naming_convention_utils_1 = require_naming_convention_utils();
    var defaultCamelCaseAllTheThingsConfig = [
      {
        selector: "default",
        format: ["camelCase"],
        leadingUnderscore: "allow",
        trailingUnderscore: "allow"
      },
      {
        selector: "import",
        format: ["camelCase", "PascalCase"]
      },
      {
        selector: "variable",
        format: ["camelCase", "UPPER_CASE"],
        leadingUnderscore: "allow",
        trailingUnderscore: "allow"
      },
      {
        selector: "typeLike",
        format: ["PascalCase"]
      }
    ];
    exports2.default = (0, util_1.createRule)({
      name: "naming-convention",
      meta: {
        docs: {
          description: "Enforce naming conventions for everything across a codebase",
          // technically only requires type checking if the user uses "type" modifiers
          requiresTypeChecking: true
        },
        type: "suggestion",
        messages: {
          unexpectedUnderscore: "{{type}} name `{{name}}` must not have a {{position}} underscore.",
          missingUnderscore: "{{type}} name `{{name}}` must have {{count}} {{position}} underscore(s).",
          missingAffix: "{{type}} name `{{name}}` must have one of the following {{position}}es: {{affixes}}",
          satisfyCustom: "{{type}} name `{{name}}` must {{regexMatch}} the RegExp: {{regex}}",
          doesNotMatchFormat: "{{type}} name `{{name}}` must match one of the following formats: {{formats}}",
          doesNotMatchFormatTrimmed: "{{type}} name `{{name}}` trimmed as `{{processedName}}` must match one of the following formats: {{formats}}"
        },
        schema: naming_convention_utils_1.SCHEMA
      },
      defaultOptions: defaultCamelCaseAllTheThingsConfig,
      create(contextWithoutDefaults) {
        const context = contextWithoutDefaults.options.length > 0 ? contextWithoutDefaults : (
          // only apply the defaults when the user provides no config
          Object.setPrototypeOf({
            options: defaultCamelCaseAllTheThingsConfig
          }, contextWithoutDefaults)
        );
        const validators = (0, naming_convention_utils_1.parseOptions)(context);
        const compilerOptions = (0, util_1.getParserServices)(context, true).program?.getCompilerOptions() ?? {};
        function handleMember(validator, node, modifiers) {
          const key = node.key;
          if (requiresQuoting(key, compilerOptions.target)) {
            modifiers.add(naming_convention_utils_1.Modifiers.requiresQuotes);
          }
          validator(key, modifiers);
        }
        function getMemberModifiers(node) {
          const modifiers = /* @__PURE__ */ new Set();
          if ("key" in node && node.key.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
            modifiers.add(naming_convention_utils_1.Modifiers["#private"]);
          } else if (node.accessibility) {
            modifiers.add(naming_convention_utils_1.Modifiers[node.accessibility]);
          } else {
            modifiers.add(naming_convention_utils_1.Modifiers.public);
          }
          if (node.static) {
            modifiers.add(naming_convention_utils_1.Modifiers.static);
          }
          if ("readonly" in node && node.readonly) {
            modifiers.add(naming_convention_utils_1.Modifiers.readonly);
          }
          if ("override" in node && node.override) {
            modifiers.add(naming_convention_utils_1.Modifiers.override);
          }
          if (node.type === utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition || node.type === utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition || node.type === utils_1.AST_NODE_TYPES.TSAbstractAccessorProperty) {
            modifiers.add(naming_convention_utils_1.Modifiers.abstract);
          }
          return modifiers;
        }
        const unusedVariables = (0, util_1.collectUnusedVariables)(context);
        function isUnused(name, initialScope) {
          let variable = null;
          let scope = initialScope;
          while (scope) {
            variable = scope.set.get(name) ?? null;
            if (variable) {
              break;
            }
            scope = scope.upper;
          }
          if (!variable) {
            return false;
          }
          return unusedVariables.has(variable);
        }
        function isDestructured(id) {
          return (
            // `const { x }`
            // does not match `const { x: y }`
            id.parent.type === utils_1.AST_NODE_TYPES.Property && id.parent.shorthand || // `const { x = 2 }`
            // does not match const `{ x: y = 2 }`
            id.parent.type === utils_1.AST_NODE_TYPES.AssignmentPattern && id.parent.parent.type === utils_1.AST_NODE_TYPES.Property && id.parent.parent.shorthand
          );
        }
        function isAsyncMemberOrProperty(propertyOrMemberNode) {
          return Boolean("value" in propertyOrMemberNode && propertyOrMemberNode.value && "async" in propertyOrMemberNode.value && propertyOrMemberNode.value.async);
        }
        function isAsyncVariableIdentifier(id) {
          return Boolean("async" in id.parent && id.parent.async || "init" in id.parent && id.parent.init && "async" in id.parent.init && id.parent.init.async);
        }
        const selectors = {
          // #region import
          "ImportDefaultSpecifier, ImportNamespaceSpecifier, ImportSpecifier": {
            validator: validators.import,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set();
              switch (node.type) {
                case utils_1.AST_NODE_TYPES.ImportDefaultSpecifier:
                  modifiers.add(naming_convention_utils_1.Modifiers.default);
                  break;
                case utils_1.AST_NODE_TYPES.ImportNamespaceSpecifier:
                  modifiers.add(naming_convention_utils_1.Modifiers.namespace);
                  break;
                case utils_1.AST_NODE_TYPES.ImportSpecifier:
                  if (node.imported.name !== "default") {
                    return;
                  }
                  modifiers.add(naming_convention_utils_1.Modifiers.default);
                  break;
              }
              validator(node.local, modifiers);
            }
          },
          // #endregion
          // #region variable
          VariableDeclarator: {
            validator: validators.variable,
            handler: (node, validator) => {
              const identifiers = getIdentifiersFromPattern(node.id);
              const baseModifiers = /* @__PURE__ */ new Set();
              const parent = node.parent;
              if (parent.type === utils_1.AST_NODE_TYPES.VariableDeclaration) {
                if (parent.kind === "const") {
                  baseModifiers.add(naming_convention_utils_1.Modifiers.const);
                }
                if (isGlobal(context.sourceCode.getScope(node))) {
                  baseModifiers.add(naming_convention_utils_1.Modifiers.global);
                }
              }
              identifiers.forEach((id) => {
                const modifiers = new Set(baseModifiers);
                if (isDestructured(id)) {
                  modifiers.add(naming_convention_utils_1.Modifiers.destructured);
                }
                const scope = context.sourceCode.getScope(id);
                if (isExported(parent, id.name, scope)) {
                  modifiers.add(naming_convention_utils_1.Modifiers.exported);
                }
                if (isUnused(id.name, scope)) {
                  modifiers.add(naming_convention_utils_1.Modifiers.unused);
                }
                if (isAsyncVariableIdentifier(id)) {
                  modifiers.add(naming_convention_utils_1.Modifiers.async);
                }
                validator(id, modifiers);
              });
            }
          },
          // #endregion
          // #region function
          "FunctionDeclaration, TSDeclareFunction, FunctionExpression": {
            validator: validators.function,
            handler: (node, validator) => {
              if (node.id == null) {
                return;
              }
              const modifiers = /* @__PURE__ */ new Set();
              const scope = context.sourceCode.getScope(node).upper;
              if (isGlobal(scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.global);
              }
              if (isExported(node, node.id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.exported);
              }
              if (isUnused(node.id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.unused);
              }
              if (node.async) {
                modifiers.add(naming_convention_utils_1.Modifiers.async);
              }
              validator(node.id, modifiers);
            }
          },
          // #endregion function
          // #region parameter
          "FunctionDeclaration, TSDeclareFunction, TSEmptyBodyFunctionExpression, FunctionExpression, ArrowFunctionExpression": {
            validator: validators.parameter,
            handler: (node, validator) => {
              node.params.forEach((param) => {
                if (param.type === utils_1.AST_NODE_TYPES.TSParameterProperty) {
                  return;
                }
                const identifiers = getIdentifiersFromPattern(param);
                identifiers.forEach((i) => {
                  const modifiers = /* @__PURE__ */ new Set();
                  if (isDestructured(i)) {
                    modifiers.add(naming_convention_utils_1.Modifiers.destructured);
                  }
                  if (isUnused(i.name, context.sourceCode.getScope(i))) {
                    modifiers.add(naming_convention_utils_1.Modifiers.unused);
                  }
                  validator(i, modifiers);
                });
              });
            }
          },
          // #endregion parameter
          // #region parameterProperty
          TSParameterProperty: {
            validator: validators.parameterProperty,
            handler: (node, validator) => {
              const modifiers = getMemberModifiers(node);
              const identifiers = getIdentifiersFromPattern(node.parameter);
              identifiers.forEach((i) => {
                validator(i, modifiers);
              });
            }
          },
          // #endregion parameterProperty
          // #region property
          ':not(ObjectPattern) > Property[computed = false][kind = "init"][value.type != "ArrowFunctionExpression"][value.type != "FunctionExpression"][value.type != "TSEmptyBodyFunctionExpression"]': {
            validator: validators.objectLiteralProperty,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set([naming_convention_utils_1.Modifiers.public]);
              handleMember(validator, node, modifiers);
            }
          },
          ':matches(PropertyDefinition, TSAbstractPropertyDefinition)[computed = false][value.type != "ArrowFunctionExpression"][value.type != "FunctionExpression"][value.type != "TSEmptyBodyFunctionExpression"]': {
            validator: validators.classProperty,
            handler: (node, validator) => {
              const modifiers = getMemberModifiers(node);
              handleMember(validator, node, modifiers);
            }
          },
          'TSPropertySignature[computed = false][typeAnnotation.typeAnnotation.type != "TSFunctionType"]': {
            validator: validators.typeProperty,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set([naming_convention_utils_1.Modifiers.public]);
              if (node.readonly) {
                modifiers.add(naming_convention_utils_1.Modifiers.readonly);
              }
              handleMember(validator, node, modifiers);
            }
          },
          // #endregion property
          // #region method
          [[
            'Property[computed = false][kind = "init"][value.type = "ArrowFunctionExpression"]',
            'Property[computed = false][kind = "init"][value.type = "FunctionExpression"]',
            'Property[computed = false][kind = "init"][value.type = "TSEmptyBodyFunctionExpression"]'
          ].join(", ")]: {
            validator: validators.objectLiteralMethod,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set([naming_convention_utils_1.Modifiers.public]);
              if (isAsyncMemberOrProperty(node)) {
                modifiers.add(naming_convention_utils_1.Modifiers.async);
              }
              handleMember(validator, node, modifiers);
            }
          },
          [[
            ':matches(PropertyDefinition, TSAbstractPropertyDefinition)[computed = false][value.type = "ArrowFunctionExpression"]',
            ':matches(PropertyDefinition, TSAbstractPropertyDefinition)[computed = false][value.type = "FunctionExpression"]',
            ':matches(PropertyDefinition, TSAbstractPropertyDefinition)[computed = false][value.type = "TSEmptyBodyFunctionExpression"]',
            ':matches(MethodDefinition, TSAbstractMethodDefinition)[computed = false][kind = "method"]'
          ].join(", ")]: {
            validator: validators.classMethod,
            handler: (node, validator) => {
              const modifiers = getMemberModifiers(node);
              if (isAsyncMemberOrProperty(node)) {
                modifiers.add(naming_convention_utils_1.Modifiers.async);
              }
              handleMember(validator, node, modifiers);
            }
          },
          [[
            "TSMethodSignature[computed = false]",
            'TSPropertySignature[computed = false][typeAnnotation.typeAnnotation.type = "TSFunctionType"]'
          ].join(", ")]: {
            validator: validators.typeMethod,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set([naming_convention_utils_1.Modifiers.public]);
              handleMember(validator, node, modifiers);
            }
          },
          // #endregion method
          // #region accessor
          'Property[computed = false]:matches([kind = "get"], [kind = "set"])': {
            validator: validators.classicAccessor,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set([naming_convention_utils_1.Modifiers.public]);
              handleMember(validator, node, modifiers);
            }
          },
          [[
            'MethodDefinition[computed = false]:matches([kind = "get"], [kind = "set"])',
            'TSAbstractMethodDefinition[computed = false]:matches([kind="get"], [kind="set"])'
          ].join(", ")]: {
            validator: validators.classicAccessor,
            handler: (node, validator) => {
              const modifiers = getMemberModifiers(node);
              handleMember(validator, node, modifiers);
            }
          },
          // #endregion accessor
          // #region autoAccessor
          [[
            utils_1.AST_NODE_TYPES.AccessorProperty,
            utils_1.AST_NODE_TYPES.TSAbstractAccessorProperty
          ].join(", ")]: {
            validator: validators.autoAccessor,
            handler: (node, validator) => {
              const modifiers = getMemberModifiers(node);
              handleMember(validator, node, modifiers);
            }
          },
          // #endregion autoAccessor
          // #region enumMember
          // computed is optional, so can't do [computed = false]
          "TSEnumMember[computed != true]": {
            validator: validators.enumMember,
            handler: (node, validator) => {
              const id = node.id;
              const modifiers = /* @__PURE__ */ new Set();
              if (requiresQuoting(id, compilerOptions.target)) {
                modifiers.add(naming_convention_utils_1.Modifiers.requiresQuotes);
              }
              validator(id, modifiers);
            }
          },
          // #endregion enumMember
          // #region class
          "ClassDeclaration, ClassExpression": {
            validator: validators.class,
            handler: (node, validator) => {
              const id = node.id;
              if (id == null) {
                return;
              }
              const modifiers = /* @__PURE__ */ new Set();
              const scope = context.sourceCode.getScope(node).upper;
              if (node.abstract) {
                modifiers.add(naming_convention_utils_1.Modifiers.abstract);
              }
              if (isExported(node, id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.exported);
              }
              if (isUnused(id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.unused);
              }
              validator(id, modifiers);
            }
          },
          // #endregion class
          // #region interface
          TSInterfaceDeclaration: {
            validator: validators.interface,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set();
              const scope = context.sourceCode.getScope(node);
              if (isExported(node, node.id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.exported);
              }
              if (isUnused(node.id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.unused);
              }
              validator(node.id, modifiers);
            }
          },
          // #endregion interface
          // #region typeAlias
          TSTypeAliasDeclaration: {
            validator: validators.typeAlias,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set();
              const scope = context.sourceCode.getScope(node);
              if (isExported(node, node.id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.exported);
              }
              if (isUnused(node.id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.unused);
              }
              validator(node.id, modifiers);
            }
          },
          // #endregion typeAlias
          // #region enum
          TSEnumDeclaration: {
            validator: validators.enum,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set();
              const scope = context.sourceCode.getScope(node).upper;
              if (isExported(node, node.id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.exported);
              }
              if (isUnused(node.id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.unused);
              }
              validator(node.id, modifiers);
            }
          },
          // #endregion enum
          // #region typeParameter
          "TSTypeParameterDeclaration > TSTypeParameter": {
            validator: validators.typeParameter,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set();
              const scope = context.sourceCode.getScope(node);
              if (isUnused(node.name.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.unused);
              }
              validator(node.name, modifiers);
            }
          }
          // #endregion typeParameter
        };
        return Object.fromEntries(Object.entries(selectors).map(([selector, { validator, handler }]) => {
          return [
            selector,
            (node) => {
              handler(node, validator);
            }
          ];
        }));
      }
    });
    function getIdentifiersFromPattern(pattern) {
      const identifiers = [];
      const visitor2 = new scope_manager_1.PatternVisitor({}, pattern, (id) => identifiers.push(id));
      visitor2.visit(pattern);
      return identifiers;
    }
    function isExported(node, name, scope) {
      if (node?.parent?.type === utils_1.AST_NODE_TYPES.ExportDefaultDeclaration || node?.parent?.type === utils_1.AST_NODE_TYPES.ExportNamedDeclaration) {
        return true;
      }
      if (scope == null) {
        return false;
      }
      const variable = scope.set.get(name);
      if (variable) {
        for (const ref of variable.references) {
          const refParent = ref.identifier.parent;
          if (refParent.type === utils_1.AST_NODE_TYPES.ExportDefaultDeclaration || refParent.type === utils_1.AST_NODE_TYPES.ExportSpecifier) {
            return true;
          }
        }
      }
      return false;
    }
    function isGlobal(scope) {
      if (scope == null) {
        return false;
      }
      return scope.type === utils_1.TSESLint.Scope.ScopeType.global || scope.type === utils_1.TSESLint.Scope.ScopeType.module;
    }
    function requiresQuoting(node, target) {
      const name = node.type === utils_1.AST_NODE_TYPES.Identifier || node.type === utils_1.AST_NODE_TYPES.PrivateIdentifier ? node.name : `${node.value}`;
      return (0, util_1.requiresQuoting)(name, target);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-array-constructor.js
var require_no_array_constructor = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-array-constructor.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-array-constructor",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow generic `Array` constructors",
          recommended: "recommended",
          extendsBaseRule: true
        },
        fixable: "code",
        messages: {
          useLiteral: "The array literal notation [] is preferable."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        function check(node) {
          if (node.arguments.length !== 1 && node.callee.type === utils_1.AST_NODE_TYPES.Identifier && node.callee.name === "Array" && !node.typeArguments && !(0, util_1.isOptionalCallExpression)(node)) {
            context.report({
              node,
              messageId: "useLiteral",
              fix(fixer) {
                if (node.arguments.length === 0) {
                  return fixer.replaceText(node, "[]");
                }
                const fullText = context.sourceCode.getText(node);
                const preambleLength = node.callee.range[1] - node.range[0];
                return fixer.replaceText(node, `[${fullText.slice(preambleLength + 1, -1)}]`);
              }
            });
          }
        }
        return {
          CallExpression: check,
          NewExpression: check
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-array-delete.js
var require_no_array_delete = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-array-delete.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-array-delete",
      meta: {
        hasSuggestions: true,
        type: "problem",
        docs: {
          description: "Disallow using the `delete` operator on array values",
          recommended: "strict",
          requiresTypeChecking: true
        },
        messages: {
          noArrayDelete: "Using the `delete` operator with an array expression is unsafe.",
          useSplice: "Use `array.splice()` instead."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function isUnderlyingTypeArray(type) {
          const predicate = (t) => checker.isArrayType(t) || checker.isTupleType(t);
          if (type.isUnion()) {
            return type.types.every(predicate);
          }
          if (type.isIntersection()) {
            return type.types.some(predicate);
          }
          return predicate(type);
        }
        return {
          'UnaryExpression[operator="delete"]'(node) {
            const { argument } = node;
            if (argument.type !== utils_1.AST_NODE_TYPES.MemberExpression) {
              return;
            }
            const type = (0, util_1.getConstrainedTypeAtLocation)(services, argument.object);
            if (!isUnderlyingTypeArray(type)) {
              return;
            }
            context.report({
              node,
              messageId: "noArrayDelete",
              suggest: [
                {
                  messageId: "useSplice",
                  fix(fixer) {
                    const { object, property } = argument;
                    const shouldHaveParentheses = property.type === utils_1.AST_NODE_TYPES.SequenceExpression;
                    const nodeMap = services.esTreeNodeToTSNodeMap;
                    const target = nodeMap.get(object).getText();
                    const rawKey = nodeMap.get(property).getText();
                    const key = shouldHaveParentheses ? `(${rawKey})` : rawKey;
                    let suggestion = `${target}.splice(${key}, 1)`;
                    const comments = context.sourceCode.getCommentsInside(node);
                    if (comments.length > 0) {
                      const indentationCount = node.loc.start.column;
                      const indentation = " ".repeat(indentationCount);
                      const commentsText = comments.map((comment) => {
                        return comment.type === utils_1.AST_TOKEN_TYPES.Line ? `//${comment.value}` : `/*${comment.value}*/`;
                      }).join(`
${indentation}`);
                      suggestion = `${commentsText}
${indentation}${suggestion}`;
                    }
                    return fixer.replaceText(node, suggestion);
                  }
                }
              ]
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-base-to-string.js
var require_no_base_to_string = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-base-to-string.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    var Usefulness;
    (function(Usefulness2) {
      Usefulness2["Always"] = "always";
      Usefulness2["Never"] = "will";
      Usefulness2["Sometimes"] = "may";
    })(Usefulness || (Usefulness = {}));
    exports2.default = (0, util_1.createRule)({
      name: "no-base-to-string",
      meta: {
        docs: {
          description: "Require `.toString()` to only be called on objects which provide useful information when stringified",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          baseToString: "'{{name}}' {{certainty}} use Object's default stringification format ('[object Object]') when stringified."
        },
        schema: [
          {
            type: "object",
            properties: {
              ignoredTypeNames: {
                type: "array",
                items: {
                  type: "string"
                }
              }
            },
            additionalProperties: false
          }
        ],
        type: "suggestion"
      },
      defaultOptions: [
        {
          ignoredTypeNames: ["Error", "RegExp", "URL", "URLSearchParams"]
        }
      ],
      create(context, [option]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const ignoredTypeNames = option.ignoredTypeNames ?? [];
        function checkExpression(node, type) {
          if (node.type === utils_1.AST_NODE_TYPES.Literal) {
            return;
          }
          const certainty = collectToStringCertainty(type ?? services.getTypeAtLocation(node));
          if (certainty === Usefulness.Always) {
            return;
          }
          context.report({
            data: {
              certainty,
              name: context.sourceCode.getText(node)
            },
            messageId: "baseToString",
            node
          });
        }
        function collectToStringCertainty(type) {
          const toString2 = checker.getPropertyOfType(type, "toString");
          const declarations = toString2?.getDeclarations();
          if (!toString2 || !declarations || declarations.length === 0) {
            return Usefulness.Always;
          }
          if (type.flags & ts.TypeFlags.Boolean || type.flags & ts.TypeFlags.BooleanLiteral) {
            return Usefulness.Always;
          }
          if (ignoredTypeNames.includes((0, util_1.getTypeName)(checker, type))) {
            return Usefulness.Always;
          }
          if (declarations.every(({ parent }) => !ts.isInterfaceDeclaration(parent) || parent.name.text !== "Object")) {
            return Usefulness.Always;
          }
          if (type.isIntersection()) {
            for (const subType of type.types) {
              const subtypeUsefulness = collectToStringCertainty(subType);
              if (subtypeUsefulness === Usefulness.Always) {
                return Usefulness.Always;
              }
            }
            return Usefulness.Never;
          }
          if (!type.isUnion()) {
            return Usefulness.Never;
          }
          let allSubtypesUseful = true;
          let someSubtypeUseful = false;
          for (const subType of type.types) {
            const subtypeUsefulness = collectToStringCertainty(subType);
            if (subtypeUsefulness !== Usefulness.Always && allSubtypesUseful) {
              allSubtypesUseful = false;
            }
            if (subtypeUsefulness !== Usefulness.Never && !someSubtypeUseful) {
              someSubtypeUseful = true;
            }
          }
          if (allSubtypesUseful && someSubtypeUseful) {
            return Usefulness.Always;
          }
          if (someSubtypeUseful) {
            return Usefulness.Sometimes;
          }
          return Usefulness.Never;
        }
        return {
          'AssignmentExpression[operator = "+="], BinaryExpression[operator = "+"]'(node) {
            const leftType = services.getTypeAtLocation(node.left);
            const rightType = services.getTypeAtLocation(node.right);
            if ((0, util_1.getTypeName)(checker, leftType) === "string") {
              checkExpression(node.right, rightType);
            } else if ((0, util_1.getTypeName)(checker, rightType) === "string" && node.left.type !== utils_1.AST_NODE_TYPES.PrivateIdentifier) {
              checkExpression(node.left, leftType);
            }
          },
          'CallExpression > MemberExpression.callee > Identifier[name = "toString"].property'(node) {
            const memberExpr = node.parent;
            checkExpression(memberExpr.object);
          },
          TemplateLiteral(node) {
            if (node.parent.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression) {
              return;
            }
            for (const expression of node.expressions) {
              checkExpression(expression);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-confusing-non-null-assertion.js
var require_no_confusing_non_null_assertion = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-confusing-non-null-assertion.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-confusing-non-null-assertion",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow non-null assertion in locations that may be confusing",
          recommended: "stylistic"
        },
        hasSuggestions: true,
        messages: {
          confusingEqual: 'Confusing combinations of non-null assertion and equal test like "a! == b", which looks very similar to not equal "a !== b".',
          confusingAssign: 'Confusing combinations of non-null assertion and equal test like "a! = b", which looks very similar to not equal "a != b".',
          notNeedInEqualTest: "Unnecessary non-null assertion (!) in equal test.",
          notNeedInAssign: "Unnecessary non-null assertion (!) in assignment left hand.",
          wrapUpLeft: 'Wrap up left hand to avoid putting non-null assertion "!" and "=" together.'
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        return {
          "BinaryExpression, AssignmentExpression"(node) {
            function isLeftHandPrimaryExpression(node2) {
              return node2.type === utils_1.AST_NODE_TYPES.TSNonNullExpression;
            }
            if (node.operator === "==" || node.operator === "===" || node.operator === "=") {
              const isAssign = node.operator === "=";
              const leftHandFinalToken = context.sourceCode.getLastToken(node.left);
              const tokenAfterLeft = context.sourceCode.getTokenAfter(node.left);
              if (leftHandFinalToken?.type === utils_1.AST_TOKEN_TYPES.Punctuator && leftHandFinalToken.value === "!" && tokenAfterLeft?.value !== ")") {
                if (isLeftHandPrimaryExpression(node.left)) {
                  context.report({
                    node,
                    messageId: isAssign ? "confusingAssign" : "confusingEqual",
                    suggest: [
                      {
                        messageId: isAssign ? "notNeedInAssign" : "notNeedInEqualTest",
                        fix: (fixer) => [
                          fixer.remove(leftHandFinalToken)
                        ]
                      }
                    ]
                  });
                } else {
                  context.report({
                    node,
                    messageId: isAssign ? "confusingAssign" : "confusingEqual",
                    suggest: [
                      {
                        messageId: "wrapUpLeft",
                        fix: (fixer) => [
                          fixer.insertTextBefore(node.left, "("),
                          fixer.insertTextAfter(node.left, ")")
                        ]
                      }
                    ]
                  });
                }
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-confusing-void-expression.js
var require_no_confusing_void_expression = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-confusing-void-expression.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-confusing-void-expression",
      meta: {
        docs: {
          description: "Require expressions of type void to appear in statement position",
          recommended: "strict",
          requiresTypeChecking: true
        },
        messages: {
          invalidVoidExpr: "Placing a void expression inside another expression is forbidden. Move it to its own statement instead.",
          invalidVoidExprWrapVoid: "Void expressions used inside another expression must be moved to its own statement or marked explicitly with the `void` operator.",
          invalidVoidExprArrow: "Returning a void expression from an arrow function shorthand is forbidden. Please add braces to the arrow function.",
          invalidVoidExprArrowWrapVoid: "Void expressions returned from an arrow function shorthand must be marked explicitly with the `void` operator.",
          invalidVoidExprReturn: "Returning a void expression from a function is forbidden. Please move it before the `return` statement.",
          invalidVoidExprReturnLast: "Returning a void expression from a function is forbidden. Please remove the `return` statement.",
          invalidVoidExprReturnWrapVoid: "Void expressions returned from a function must be marked explicitly with the `void` operator.",
          voidExprWrapVoid: "Mark with an explicit `void` operator."
        },
        schema: [
          {
            type: "object",
            properties: {
              ignoreArrowShorthand: { type: "boolean" },
              ignoreVoidOperator: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem",
        fixable: "code",
        hasSuggestions: true
      },
      defaultOptions: [{ ignoreArrowShorthand: false, ignoreVoidOperator: false }],
      create(context, [options]) {
        return {
          "AwaitExpression, CallExpression, TaggedTemplateExpression"(node) {
            const services = (0, util_1.getParserServices)(context);
            const type = (0, util_1.getConstrainedTypeAtLocation)(services, node);
            if (!tsutils.isTypeFlagSet(type, ts.TypeFlags.VoidLike)) {
              return;
            }
            const invalidAncestor = findInvalidAncestor(node);
            if (invalidAncestor == null) {
              return;
            }
            const wrapVoidFix = (fixer) => {
              const nodeText = context.sourceCode.getText(node);
              const newNodeText = `void ${nodeText}`;
              return fixer.replaceText(node, newNodeText);
            };
            if (invalidAncestor.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression) {
              if (options.ignoreVoidOperator) {
                return context.report({
                  node,
                  messageId: "invalidVoidExprArrowWrapVoid",
                  fix: wrapVoidFix
                });
              }
              const arrowFunction = invalidAncestor;
              return context.report({
                node,
                messageId: "invalidVoidExprArrow",
                fix(fixer) {
                  if (!canFix(arrowFunction)) {
                    return null;
                  }
                  const arrowBody = arrowFunction.body;
                  const arrowBodyText = context.sourceCode.getText(arrowBody);
                  const newArrowBodyText = `{ ${arrowBodyText}; }`;
                  if ((0, util_1.isParenthesized)(arrowBody, context.sourceCode)) {
                    const bodyOpeningParen = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(arrowBody, util_1.isOpeningParenToken), util_1.NullThrowsReasons.MissingToken("opening parenthesis", "arrow body"));
                    const bodyClosingParen = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(arrowBody, util_1.isClosingParenToken), util_1.NullThrowsReasons.MissingToken("closing parenthesis", "arrow body"));
                    return fixer.replaceTextRange([bodyOpeningParen.range[0], bodyClosingParen.range[1]], newArrowBodyText);
                  }
                  return fixer.replaceText(arrowBody, newArrowBodyText);
                }
              });
            }
            if (invalidAncestor.type === utils_1.AST_NODE_TYPES.ReturnStatement) {
              if (options.ignoreVoidOperator) {
                return context.report({
                  node,
                  messageId: "invalidVoidExprReturnWrapVoid",
                  fix: wrapVoidFix
                });
              }
              if (isFinalReturn(invalidAncestor)) {
                return context.report({
                  node,
                  messageId: "invalidVoidExprReturnLast",
                  fix(fixer) {
                    if (!canFix(invalidAncestor)) {
                      return null;
                    }
                    const returnValue = invalidAncestor.argument;
                    const returnValueText = context.sourceCode.getText(returnValue);
                    let newReturnStmtText = `${returnValueText};`;
                    if (isPreventingASI(returnValue)) {
                      newReturnStmtText = `;${newReturnStmtText}`;
                    }
                    return fixer.replaceText(invalidAncestor, newReturnStmtText);
                  }
                });
              }
              return context.report({
                node,
                messageId: "invalidVoidExprReturn",
                fix(fixer) {
                  const returnValue = invalidAncestor.argument;
                  const returnValueText = context.sourceCode.getText(returnValue);
                  let newReturnStmtText = `${returnValueText}; return;`;
                  if (isPreventingASI(returnValue)) {
                    newReturnStmtText = `;${newReturnStmtText}`;
                  }
                  if (invalidAncestor.parent.type !== utils_1.AST_NODE_TYPES.BlockStatement) {
                    newReturnStmtText = `{ ${newReturnStmtText} }`;
                  }
                  return fixer.replaceText(invalidAncestor, newReturnStmtText);
                }
              });
            }
            if (options.ignoreVoidOperator) {
              return context.report({
                node,
                messageId: "invalidVoidExprWrapVoid",
                suggest: [{ messageId: "voidExprWrapVoid", fix: wrapVoidFix }]
              });
            }
            context.report({
              node,
              messageId: "invalidVoidExpr"
            });
          }
        };
        function findInvalidAncestor(node) {
          const parent = (0, util_1.nullThrows)(node.parent, util_1.NullThrowsReasons.MissingParent);
          if (parent.type === utils_1.AST_NODE_TYPES.SequenceExpression) {
            if (node !== parent.expressions[parent.expressions.length - 1]) {
              return null;
            }
          }
          if (parent.type === utils_1.AST_NODE_TYPES.ExpressionStatement) {
            return null;
          }
          if (parent.type === utils_1.AST_NODE_TYPES.LogicalExpression) {
            if (parent.right === node) {
              return findInvalidAncestor(parent);
            }
          }
          if (parent.type === utils_1.AST_NODE_TYPES.ConditionalExpression) {
            if (parent.consequent === node || parent.alternate === node) {
              return findInvalidAncestor(parent);
            }
          }
          if (parent.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression) {
            if (options.ignoreArrowShorthand) {
              return null;
            }
          }
          if (parent.type === utils_1.AST_NODE_TYPES.UnaryExpression) {
            if (parent.operator === "void") {
              if (options.ignoreVoidOperator) {
                return null;
              }
            }
          }
          if (parent.type === utils_1.AST_NODE_TYPES.ChainExpression) {
            return findInvalidAncestor(parent);
          }
          return parent;
        }
        function isFinalReturn(node) {
          const block = (0, util_1.nullThrows)(node.parent, util_1.NullThrowsReasons.MissingParent);
          if (block.type !== utils_1.AST_NODE_TYPES.BlockStatement) {
            return false;
          }
          const blockParent = (0, util_1.nullThrows)(block.parent, util_1.NullThrowsReasons.MissingParent);
          if (![
            utils_1.AST_NODE_TYPES.FunctionDeclaration,
            utils_1.AST_NODE_TYPES.FunctionExpression,
            utils_1.AST_NODE_TYPES.ArrowFunctionExpression
          ].includes(blockParent.type)) {
            return false;
          }
          if (block.body.indexOf(node) < block.body.length - 1) {
            return false;
          }
          return true;
        }
        function isPreventingASI(node) {
          const startToken = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(node), util_1.NullThrowsReasons.MissingToken("first token", node.type));
          return ["(", "[", "`"].includes(startToken.value);
        }
        function canFix(node) {
          const services = (0, util_1.getParserServices)(context);
          const targetNode = node.type === utils_1.AST_NODE_TYPES.ReturnStatement ? node.argument : node.body;
          const type = (0, util_1.getConstrainedTypeAtLocation)(services, targetNode);
          return tsutils.isTypeFlagSet(type, ts.TypeFlags.VoidLike);
        }
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-dupe-class-members.js
var require_no_dupe_class_members = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-dupe-class-members.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-dupe-class-members");
    exports2.default = (0, util_1.createRule)({
      name: "no-dupe-class-members",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow duplicate class members",
          extendsBaseRule: true
        },
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [],
      create(context) {
        const rules = baseRule2.create(context);
        function wrapMemberDefinitionListener(coreListener) {
          return (node) => {
            if (node.computed) {
              return;
            }
            if (node.value && node.value.type === utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression) {
              return;
            }
            return coreListener(node);
          };
        }
        return {
          ...rules,
          "MethodDefinition, PropertyDefinition": wrapMemberDefinitionListener(rules["MethodDefinition, PropertyDefinition"])
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-duplicate-enum-values.js
var require_no_duplicate_enum_values = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-duplicate-enum-values.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-duplicate-enum-values",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow duplicate enum member values",
          recommended: "recommended"
        },
        hasSuggestions: false,
        messages: {
          duplicateValue: "Duplicate enum member value {{value}}."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        function isStringLiteral2(node) {
          return node.type === utils_1.AST_NODE_TYPES.Literal && typeof node.value === "string";
        }
        function isNumberLiteral2(node) {
          return node.type === utils_1.AST_NODE_TYPES.Literal && typeof node.value === "number";
        }
        return {
          TSEnumDeclaration(node) {
            const enumMembers = node.members;
            const seenValues = /* @__PURE__ */ new Set();
            enumMembers.forEach((member) => {
              if (member.initializer === void 0) {
                return;
              }
              let value;
              if (isStringLiteral2(member.initializer)) {
                value = String(member.initializer.value);
              } else if (isNumberLiteral2(member.initializer)) {
                value = Number(member.initializer.value);
              }
              if (value === void 0) {
                return;
              }
              if (seenValues.has(value)) {
                context.report({
                  node: member,
                  messageId: "duplicateValue",
                  data: {
                    value
                  }
                });
              } else {
                seenValues.add(value);
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-duplicate-type-constituents.js
var require_no_duplicate_type_constituents = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-duplicate-type-constituents.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var astIgnoreKeys = /* @__PURE__ */ new Set(["range", "loc", "parent"]);
    var isSameAstNode = (actualNode, expectedNode) => {
      if (actualNode === expectedNode) {
        return true;
      }
      if (actualNode && expectedNode && typeof actualNode === "object" && typeof expectedNode === "object") {
        if (Array.isArray(actualNode) && Array.isArray(expectedNode)) {
          if (actualNode.length !== expectedNode.length) {
            return false;
          }
          return !actualNode.some((nodeEle, index) => !isSameAstNode(nodeEle, expectedNode[index]));
        }
        const actualNodeKeys = Object.keys(actualNode).filter((key) => !astIgnoreKeys.has(key));
        const expectedNodeKeys = Object.keys(expectedNode).filter((key) => !astIgnoreKeys.has(key));
        if (actualNodeKeys.length !== expectedNodeKeys.length) {
          return false;
        }
        if (actualNodeKeys.some((actualNodeKey) => !Object.prototype.hasOwnProperty.call(expectedNode, actualNodeKey))) {
          return false;
        }
        if (actualNodeKeys.some((actualNodeKey) => !isSameAstNode(actualNode[actualNodeKey], expectedNode[actualNodeKey]))) {
          return false;
        }
        return true;
      }
      return false;
    };
    exports2.default = (0, util_1.createRule)({
      name: "no-duplicate-type-constituents",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow duplicate constituents of union or intersection types",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        fixable: "code",
        messages: {
          duplicate: "{{type}} type constituent is duplicated with {{previous}}."
        },
        schema: [
          {
            additionalProperties: false,
            type: "object",
            properties: {
              ignoreIntersections: {
                type: "boolean"
              },
              ignoreUnions: {
                type: "boolean"
              }
            }
          }
        ]
      },
      defaultOptions: [
        {
          ignoreIntersections: false,
          ignoreUnions: false
        }
      ],
      create(context, [{ ignoreIntersections, ignoreUnions }]) {
        const parserServices = (0, util_1.getParserServices)(context);
        const checker = parserServices.program.getTypeChecker();
        function checkDuplicate(node) {
          const cachedTypeMap = /* @__PURE__ */ new Map();
          node.types.reduce((uniqueConstituents, constituentNode) => {
            const duplicatedPreviousConstituentInAst = uniqueConstituents.find((ele) => isSameAstNode(ele, constituentNode));
            if (duplicatedPreviousConstituentInAst) {
              reportDuplicate({
                duplicated: constituentNode,
                duplicatePrevious: duplicatedPreviousConstituentInAst
              }, node);
              return uniqueConstituents;
            }
            const constituentNodeType = checker.getTypeAtLocation(parserServices.esTreeNodeToTSNodeMap.get(constituentNode));
            const duplicatedPreviousConstituentInType = cachedTypeMap.get(constituentNodeType);
            if (duplicatedPreviousConstituentInType) {
              reportDuplicate({
                duplicated: constituentNode,
                duplicatePrevious: duplicatedPreviousConstituentInType
              }, node);
              return uniqueConstituents;
            }
            cachedTypeMap.set(constituentNodeType, constituentNode);
            return [...uniqueConstituents, constituentNode];
          }, []);
        }
        function reportDuplicate(duplicateConstituent, parentNode) {
          const beforeTokens = context.sourceCode.getTokensBefore(duplicateConstituent.duplicated, { filter: (token) => token.value === "|" || token.value === "&" });
          const beforeUnionOrIntersectionToken = beforeTokens[beforeTokens.length - 1];
          const bracketBeforeTokens = context.sourceCode.getTokensBetween(beforeUnionOrIntersectionToken, duplicateConstituent.duplicated);
          const bracketAfterTokens = context.sourceCode.getTokensAfter(duplicateConstituent.duplicated, { count: bracketBeforeTokens.length });
          const reportLocation = {
            start: duplicateConstituent.duplicated.loc.start,
            end: bracketAfterTokens.length > 0 ? bracketAfterTokens[bracketAfterTokens.length - 1].loc.end : duplicateConstituent.duplicated.loc.end
          };
          context.report({
            data: {
              type: parentNode.type === utils_1.AST_NODE_TYPES.TSIntersectionType ? "Intersection" : "Union",
              previous: context.sourceCode.getText(duplicateConstituent.duplicatePrevious)
            },
            messageId: "duplicate",
            node: duplicateConstituent.duplicated,
            loc: reportLocation,
            fix: (fixer) => {
              return [
                beforeUnionOrIntersectionToken,
                ...bracketBeforeTokens,
                duplicateConstituent.duplicated,
                ...bracketAfterTokens
              ].map((token) => fixer.remove(token));
            }
          });
        }
        return {
          ...!ignoreIntersections && {
            TSIntersectionType: checkDuplicate
          },
          ...!ignoreUnions && {
            TSUnionType: checkDuplicate
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-dynamic-delete.js
var require_no_dynamic_delete = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-dynamic-delete.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-dynamic-delete",
      meta: {
        docs: {
          description: "Disallow using the `delete` operator on computed key expressions",
          recommended: "strict"
        },
        fixable: "code",
        messages: {
          dynamicDelete: "Do not delete dynamically computed property keys."
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        function createFixer(member) {
          if (member.property.type === utils_1.AST_NODE_TYPES.Literal && typeof member.property.value === "string") {
            return createPropertyReplacement(member.property, `.${member.property.value}`);
          }
          return void 0;
        }
        return {
          "UnaryExpression[operator=delete]"(node) {
            if (node.argument.type !== utils_1.AST_NODE_TYPES.MemberExpression || !node.argument.computed || isAcceptableIndexExpression(node.argument.property)) {
              return;
            }
            context.report({
              fix: createFixer(node.argument),
              messageId: "dynamicDelete",
              node: node.argument.property
            });
          }
        };
        function createPropertyReplacement(property, replacement) {
          return (fixer) => fixer.replaceTextRange(getTokenRange(property), replacement);
        }
        function getTokenRange(property) {
          return [
            (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(property), util_1.NullThrowsReasons.MissingToken("token before", "property")).range[0],
            (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(property), util_1.NullThrowsReasons.MissingToken("token after", "property")).range[1]
          ];
        }
      }
    });
    function isAcceptableIndexExpression(property) {
      return property.type === utils_1.AST_NODE_TYPES.Literal && ["string", "number"].includes(typeof property.value) || property.type === utils_1.AST_NODE_TYPES.UnaryExpression && property.operator === "-" && property.argument.type === utils_1.AST_NODE_TYPES.Literal && typeof property.argument.value === "number";
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-empty-function.js
var require_no_empty_function = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-empty-function.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-empty-function");
    var schema30 = (0, util_1.deepMerge)(
      // eslint-disable-next-line @typescript-eslint/no-unsafe-argument -- https://github.com/microsoft/TypeScript/issues/17002
      Array.isArray(baseRule2.meta.schema) ? baseRule2.meta.schema[0] : baseRule2.meta.schema,
      {
        properties: {
          allow: {
            items: {
              type: "string",
              enum: [
                "functions",
                "arrowFunctions",
                "generatorFunctions",
                "methods",
                "generatorMethods",
                "getters",
                "setters",
                "constructors",
                "private-constructors",
                "protected-constructors",
                "asyncFunctions",
                "asyncMethods",
                "decoratedFunctions",
                "overrideMethods"
              ]
            }
          }
        }
      }
    );
    exports2.default = (0, util_1.createRule)({
      name: "no-empty-function",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow empty functions",
          recommended: "stylistic",
          extendsBaseRule: true
        },
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: [schema30],
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        {
          allow: []
        }
      ],
      create(context, [{ allow = [] }]) {
        const rules = baseRule2.create(context);
        const isAllowedProtectedConstructors = allow.includes("protected-constructors");
        const isAllowedPrivateConstructors = allow.includes("private-constructors");
        const isAllowedDecoratedFunctions = allow.includes("decoratedFunctions");
        const isAllowedOverrideMethods = allow.includes("overrideMethods");
        function isBodyEmpty(node) {
          return node.body.body.length === 0;
        }
        function hasParameterProperties(node) {
          return node.params.some((param) => param.type === utils_1.AST_NODE_TYPES.TSParameterProperty);
        }
        function isAllowedEmptyConstructor(node) {
          const parent = node.parent;
          if (isBodyEmpty(node) && parent.type === utils_1.AST_NODE_TYPES.MethodDefinition && parent.kind === "constructor") {
            const { accessibility } = parent;
            return (
              // allow protected constructors
              accessibility === "protected" && isAllowedProtectedConstructors || // allow private constructors
              accessibility === "private" && isAllowedPrivateConstructors || // allow constructors which have parameter properties
              hasParameterProperties(node)
            );
          }
          return false;
        }
        function isAllowedEmptyDecoratedFunctions(node) {
          if (isAllowedDecoratedFunctions && isBodyEmpty(node)) {
            const decorators = node.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition ? node.parent.decorators : void 0;
            return !!decorators && !!decorators.length;
          }
          return false;
        }
        function isAllowedEmptyOverrideMethod(node) {
          return isAllowedOverrideMethods && isBodyEmpty(node) && node.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition && node.parent.override;
        }
        return {
          ...rules,
          FunctionExpression(node) {
            if (isAllowedEmptyConstructor(node) || isAllowedEmptyDecoratedFunctions(node) || isAllowedEmptyOverrideMethod(node)) {
              return;
            }
            rules.FunctionExpression(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-empty-interface.js
var require_no_empty_interface = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-empty-interface.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-empty-interface",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow the declaration of empty interfaces",
          recommended: "stylistic"
        },
        fixable: "code",
        hasSuggestions: true,
        messages: {
          noEmpty: "An empty interface is equivalent to `{}`.",
          noEmptyWithSuper: "An interface declaring no members is equivalent to its supertype."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              allowSingleExtends: {
                type: "boolean"
              }
            }
          }
        ]
      },
      defaultOptions: [
        {
          allowSingleExtends: false
        }
      ],
      create(context, [{ allowSingleExtends }]) {
        return {
          TSInterfaceDeclaration(node) {
            if (node.body.body.length !== 0) {
              return;
            }
            const extend = node.extends;
            if (extend.length === 0) {
              context.report({
                node: node.id,
                messageId: "noEmpty"
              });
            } else if (extend.length === 1) {
              if (!allowSingleExtends) {
                const fix11 = (fixer) => {
                  let typeParam = "";
                  if (node.typeParameters) {
                    typeParam = context.sourceCode.getText(node.typeParameters);
                  }
                  return fixer.replaceText(node, `type ${context.sourceCode.getText(node.id)}${typeParam} = ${context.sourceCode.getText(extend[0])}`);
                };
                const scope = context.sourceCode.getScope(node);
                const mergedWithClassDeclaration = scope.set.get(node.id.name)?.defs.some((def) => def.node.type === utils_1.AST_NODE_TYPES.ClassDeclaration);
                const isInAmbientDeclaration = !!((0, util_1.isDefinitionFile)(context.filename) && scope.type === scope_manager_1.ScopeType.tsModule && scope.block.declare);
                const useAutoFix = !(isInAmbientDeclaration || mergedWithClassDeclaration);
                context.report({
                  node: node.id,
                  messageId: "noEmptyWithSuper",
                  ...useAutoFix ? { fix: fix11 } : !mergedWithClassDeclaration ? {
                    suggest: [
                      {
                        messageId: "noEmptyWithSuper",
                        fix: fix11
                      }
                    ]
                  } : null
                });
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-empty-object-type.js
var require_no_empty_object_type = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-empty-object-type.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var noEmptyMessage = (emptyType) => [
      `${emptyType} allows any non-nullish value, including literals like \`0\` and \`""\`.`,
      "- If that's what you want, disable this lint rule with an inline comment or configure the '{{ option }}' rule option.",
      '- If you want a type meaning "any object", you probably want `object` instead.',
      '- If you want a type meaning "any value", you probably want `unknown` instead.'
    ].join("\n");
    exports2.default = (0, util_1.createRule)({
      name: "no-empty-object-type",
      meta: {
        type: "suggestion",
        docs: {
          description: 'Disallow accidentally using the "empty object" type'
        },
        hasSuggestions: true,
        messages: {
          noEmptyInterface: noEmptyMessage("An empty interface declaration"),
          noEmptyObject: noEmptyMessage('The `{}` ("empty object") type'),
          noEmptyInterfaceWithSuper: "An interface declaring no members is equivalent to its supertype.",
          replaceEmptyInterface: "Replace empty interface with `{{replacement}}`.",
          replaceEmptyInterfaceWithSuper: "Replace empty interface with a type alias.",
          replaceEmptyObjectType: "Replace `{}` with `{{replacement}}`."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              allowInterfaces: {
                enum: ["always", "never", "with-single-extends"],
                type: "string"
              },
              allowObjectTypes: {
                enum: ["always", "in-type-alias-with-name", "never"],
                type: "string"
              },
              allowWithName: {
                type: "string"
              }
            }
          }
        ]
      },
      defaultOptions: [
        {
          allowInterfaces: "never",
          allowObjectTypes: "never"
        }
      ],
      create(context, [{ allowInterfaces, allowWithName, allowObjectTypes }]) {
        const allowWithNameTester = allowWithName ? new RegExp(allowWithName, "u") : void 0;
        return {
          ...allowInterfaces !== "always" && {
            TSInterfaceDeclaration(node) {
              if (allowWithNameTester?.test(node.id.name)) {
                return;
              }
              const extend = node.extends;
              if (node.body.body.length !== 0 || extend.length === 1 && allowInterfaces === "with-single-extends" || extend.length > 1) {
                return;
              }
              const scope = context.sourceCode.getScope(node);
              const mergedWithClassDeclaration = scope.set.get(node.id.name)?.defs.some((def) => def.node.type === utils_1.AST_NODE_TYPES.ClassDeclaration);
              if (extend.length === 0) {
                context.report({
                  data: { option: "allowInterfaces" },
                  node: node.id,
                  messageId: "noEmptyInterface",
                  ...!mergedWithClassDeclaration && {
                    suggest: ["object", "unknown"].map((replacement) => ({
                      data: { replacement },
                      fix(fixer) {
                        const id = context.sourceCode.getText(node.id);
                        const typeParam = node.typeParameters ? context.sourceCode.getText(node.typeParameters) : "";
                        return fixer.replaceText(node, `type ${id}${typeParam} = ${replacement}`);
                      },
                      messageId: "replaceEmptyInterface"
                    }))
                  }
                });
                return;
              }
              context.report({
                node: node.id,
                messageId: "noEmptyInterfaceWithSuper",
                ...!mergedWithClassDeclaration && {
                  suggest: [
                    {
                      fix(fixer) {
                        const extended = context.sourceCode.getText(extend[0]);
                        const id = context.sourceCode.getText(node.id);
                        const typeParam = node.typeParameters ? context.sourceCode.getText(node.typeParameters) : "";
                        return fixer.replaceText(node, `type ${id}${typeParam} = ${extended}`);
                      },
                      messageId: "replaceEmptyInterfaceWithSuper"
                    }
                  ]
                }
              });
            }
          },
          ...allowObjectTypes !== "always" && {
            TSTypeLiteral(node) {
              if (node.members.length || node.parent.type === utils_1.AST_NODE_TYPES.TSIntersectionType || allowWithNameTester && node.parent.type === utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration && allowWithNameTester.test(node.parent.id.name)) {
                return;
              }
              context.report({
                data: { option: "allowObjectTypes" },
                messageId: "noEmptyObject",
                node,
                suggest: ["object", "unknown"].map((replacement) => ({
                  data: { replacement },
                  messageId: "replaceEmptyObjectType",
                  fix: (fixer) => fixer.replaceText(node, replacement)
                }))
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-explicit-any.js
var require_no_explicit_any = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-explicit-any.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-explicit-any",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow the `any` type",
          recommended: "recommended"
        },
        fixable: "code",
        hasSuggestions: true,
        messages: {
          unexpectedAny: "Unexpected any. Specify a different type.",
          suggestUnknown: "Use `unknown` instead, this will force you to explicitly, and safely assert the type is correct.",
          suggestNever: "Use `never` instead, this is useful when instantiating generic type parameters that you don't need to know the type of."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              fixToUnknown: {
                description: "Whether to enable auto-fixing in which the `any` type is converted to the `unknown` type.",
                type: "boolean"
              },
              ignoreRestArgs: {
                description: "Whether to ignore rest parameter arrays.",
                type: "boolean"
              }
            }
          }
        ]
      },
      defaultOptions: [
        {
          fixToUnknown: false,
          ignoreRestArgs: false
        }
      ],
      create(context, [{ ignoreRestArgs, fixToUnknown }]) {
        function isNodeValidFunction(node) {
          return [
            utils_1.AST_NODE_TYPES.ArrowFunctionExpression,
            // const x = (...args: any[]) => {};
            utils_1.AST_NODE_TYPES.FunctionDeclaration,
            // function f(...args: any[]) {}
            utils_1.AST_NODE_TYPES.FunctionExpression,
            // const x = function(...args: any[]) {};
            utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression,
            // declare class A { f(...args: any[]): unknown; }
            utils_1.AST_NODE_TYPES.TSFunctionType,
            // type T = (...args: any[]) => unknown;
            utils_1.AST_NODE_TYPES.TSConstructorType,
            // type T = new (...args: any[]) => unknown
            utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration,
            // type T = {(...args: any[]): unknown};
            utils_1.AST_NODE_TYPES.TSConstructSignatureDeclaration,
            // type T = {new (...args: any[]): unknown};
            utils_1.AST_NODE_TYPES.TSMethodSignature,
            // type T = {f(...args: any[]): unknown};
            utils_1.AST_NODE_TYPES.TSDeclareFunction
            // declare function _8(...args: any[]): unknown;
          ].includes(node.type);
        }
        function isNodeRestElementInFunction(node) {
          return node.type === utils_1.AST_NODE_TYPES.RestElement && isNodeValidFunction(node.parent);
        }
        function isNodeReadonlyTSTypeOperator(node) {
          return node.type === utils_1.AST_NODE_TYPES.TSTypeOperator && node.operator === "readonly";
        }
        function isNodeValidArrayTSTypeReference(node) {
          return node.type === utils_1.AST_NODE_TYPES.TSTypeReference && node.typeName.type === utils_1.AST_NODE_TYPES.Identifier && ["Array", "ReadonlyArray"].includes(node.typeName.name);
        }
        function isNodeValidTSType(node) {
          return isNodeReadonlyTSTypeOperator(node) || isNodeValidArrayTSTypeReference(node);
        }
        function isGreatGrandparentRestElement(node) {
          return node.parent?.parent?.parent != null && isNodeRestElementInFunction(node.parent.parent.parent);
        }
        function isGreatGreatGrandparentRestElement(node) {
          return node.parent?.parent?.parent?.parent != null && isNodeValidTSType(node.parent.parent) && isNodeRestElementInFunction(node.parent.parent.parent.parent);
        }
        function isNodeDescendantOfRestElementInFunction(node) {
          return isGreatGrandparentRestElement(node) || isGreatGreatGrandparentRestElement(node);
        }
        return {
          TSAnyKeyword(node) {
            if (ignoreRestArgs && isNodeDescendantOfRestElementInFunction(node)) {
              return;
            }
            const fixOrSuggest = {
              fix: null,
              suggest: [
                {
                  messageId: "suggestUnknown",
                  fix(fixer) {
                    return fixer.replaceText(node, "unknown");
                  }
                },
                {
                  messageId: "suggestNever",
                  fix(fixer) {
                    return fixer.replaceText(node, "never");
                  }
                }
              ]
            };
            if (fixToUnknown) {
              fixOrSuggest.fix = (fixer) => fixer.replaceText(node, "unknown");
            }
            context.report({
              node,
              messageId: "unexpectedAny",
              ...fixOrSuggest
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-extra-non-null-assertion.js
var require_no_extra_non_null_assertion = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-extra-non-null-assertion.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-extra-non-null-assertion",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow extra non-null assertions",
          recommended: "recommended"
        },
        fixable: "code",
        schema: [],
        messages: {
          noExtraNonNullAssertion: "Forbidden extra non-null assertion."
        }
      },
      defaultOptions: [],
      create(context) {
        function checkExtraNonNullAssertion(node) {
          context.report({
            node,
            messageId: "noExtraNonNullAssertion",
            fix(fixer) {
              return fixer.removeRange([node.range[1] - 1, node.range[1]]);
            }
          });
        }
        return {
          "TSNonNullExpression > TSNonNullExpression": checkExtraNonNullAssertion,
          "MemberExpression[optional = true] > TSNonNullExpression.object": checkExtraNonNullAssertion,
          "CallExpression[optional = true] > TSNonNullExpression.callee": checkExtraNonNullAssertion
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-extra-parens.js
var require_no_extra_parens = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-extra-parens.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-extra-parens");
    exports2.default = (0, util_1.createRule)({
      name: "no-extra-parens",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/no-extra-parens"],
        type: "layout",
        docs: {
          description: "Disallow unnecessary parentheses",
          extendsBaseRule: true
        },
        fixable: "code",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: ["all"],
      create(context) {
        const rules = baseRule2.create(context);
        function binaryExp(node) {
          const rule = rules.BinaryExpression;
          const isLeftTypeAssertion = (0, util_1.isTypeAssertion)(node.left);
          const isRightTypeAssertion = (0, util_1.isTypeAssertion)(node.right);
          if (isLeftTypeAssertion && isRightTypeAssertion) {
            return;
          }
          if (isLeftTypeAssertion) {
            return rule({
              ...node,
              left: {
                ...node.left,
                type: utils_1.AST_NODE_TYPES.SequenceExpression
              }
            });
          }
          if (isRightTypeAssertion) {
            return rule({
              ...node,
              right: {
                ...node.right,
                type: utils_1.AST_NODE_TYPES.SequenceExpression
              }
            });
          }
          return rule(node);
        }
        function callExp(node) {
          const rule = rules.CallExpression;
          if ((0, util_1.isTypeAssertion)(node.callee)) {
            return rule({
              ...node,
              callee: {
                ...node.callee,
                type: utils_1.AST_NODE_TYPES.SequenceExpression
              }
            });
          }
          if (node.arguments.length === 1 && // is there any opening parenthesis in type arguments
          context.sourceCode.getTokenAfter(node.callee, util_1.isOpeningParenToken) !== context.sourceCode.getTokenBefore(node.arguments[0], util_1.isOpeningParenToken)) {
            return rule({
              ...node,
              arguments: [
                {
                  ...node.arguments[0],
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              ]
            });
          }
          return rule(node);
        }
        function unaryUpdateExpression(node) {
          const rule = rules.UnaryExpression;
          if ((0, util_1.isTypeAssertion)(node.argument)) {
            return rule({
              ...node,
              argument: {
                ...node.argument,
                type: utils_1.AST_NODE_TYPES.SequenceExpression
              }
            });
          }
          return rule(node);
        }
        const overrides = {
          // ArrayExpression
          ArrowFunctionExpression(node) {
            if (!(0, util_1.isTypeAssertion)(node.body)) {
              return rules.ArrowFunctionExpression(node);
            }
          },
          // AssignmentExpression
          AwaitExpression(node) {
            if ((0, util_1.isTypeAssertion)(node.argument)) {
              return rules.AwaitExpression({
                ...node,
                argument: {
                  ...node.argument,
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              });
            }
            return rules.AwaitExpression(node);
          },
          BinaryExpression: binaryExp,
          CallExpression: callExp,
          ClassDeclaration(node) {
            if (node.superClass?.type === utils_1.AST_NODE_TYPES.TSAsExpression) {
              return rules.ClassDeclaration({
                ...node,
                superClass: {
                  ...node.superClass,
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              });
            }
            return rules.ClassDeclaration(node);
          },
          ClassExpression(node) {
            if (node.superClass?.type === utils_1.AST_NODE_TYPES.TSAsExpression) {
              return rules.ClassExpression({
                ...node,
                superClass: {
                  ...node.superClass,
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              });
            }
            return rules.ClassExpression(node);
          },
          ConditionalExpression(node) {
            if ((0, util_1.isTypeAssertion)(node.test)) {
              return rules.ConditionalExpression({
                ...node,
                test: {
                  ...node.test,
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              });
            }
            if ((0, util_1.isTypeAssertion)(node.consequent)) {
              return rules.ConditionalExpression({
                ...node,
                consequent: {
                  ...node.consequent,
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              });
            }
            if ((0, util_1.isTypeAssertion)(node.alternate)) {
              return rules.ConditionalExpression({
                ...node,
                alternate: {
                  ...node.alternate,
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              });
            }
            return rules.ConditionalExpression(node);
          },
          ForInStatement(node) {
            if ((0, util_1.isTypeAssertion)(node.right)) {
              return;
            }
            return rules.ForInStatement(node);
          },
          ForOfStatement(node) {
            if ((0, util_1.isTypeAssertion)(node.right)) {
              return rules.ForOfStatement({
                ...node,
                type: utils_1.AST_NODE_TYPES.ForOfStatement,
                right: {
                  ...node.right,
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              });
            }
            return rules.ForOfStatement(node);
          },
          // DoWhileStatement
          ForStatement(node) {
            if (node.init && (0, util_1.isTypeAssertion)(node.init)) {
              return rules.ForStatement({
                ...node,
                init: null
              });
            }
            if (node.test && (0, util_1.isTypeAssertion)(node.test)) {
              return rules.ForStatement({
                ...node,
                test: null
              });
            }
            if (node.update && (0, util_1.isTypeAssertion)(node.update)) {
              return rules.ForStatement({
                ...node,
                update: null
              });
            }
            return rules.ForStatement(node);
          },
          "ForStatement > *.init:exit"(node) {
            if (!(0, util_1.isTypeAssertion)(node)) {
              return rules["ForStatement > *.init:exit"](node);
            }
          },
          // IfStatement
          LogicalExpression: binaryExp,
          MemberExpression(node) {
            if ((0, util_1.isTypeAssertion)(node.object)) {
              return rules.MemberExpression({
                ...node,
                object: {
                  ...node.object,
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              });
            }
            return rules.MemberExpression(node);
          },
          NewExpression: callExp,
          // ObjectExpression
          // ReturnStatement
          // SequenceExpression
          SpreadElement(node) {
            if (!(0, util_1.isTypeAssertion)(node.argument)) {
              return rules.SpreadElement(node);
            }
          },
          SwitchCase(node) {
            if (node.test && !(0, util_1.isTypeAssertion)(node.test)) {
              return rules.SwitchCase(node);
            }
          },
          // SwitchStatement
          ThrowStatement(node) {
            if (node.argument && !(0, util_1.isTypeAssertion)(node.argument)) {
              return rules.ThrowStatement(node);
            }
          },
          UnaryExpression: unaryUpdateExpression,
          UpdateExpression: unaryUpdateExpression,
          // VariableDeclarator
          // WhileStatement
          // WithStatement - i'm not going to even bother implementing this terrible and never used feature
          YieldExpression(node) {
            if (node.argument && !(0, util_1.isTypeAssertion)(node.argument)) {
              return rules.YieldExpression(node);
            }
          }
        };
        return Object.assign({}, rules, overrides);
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-extra-semi.js
var require_no_extra_semi = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-extra-semi.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-extra-semi");
    exports2.default = (0, util_1.createRule)({
      name: "no-extra-semi",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/no-extra-semi"],
        type: "suggestion",
        docs: {
          description: "Disallow unnecessary semicolons",
          extendsBaseRule: true
        },
        fixable: "code",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [],
      create(context) {
        const rules = baseRule2.create(context);
        return {
          ...rules,
          "TSAbstractMethodDefinition, TSAbstractPropertyDefinition"(node) {
            rules["MethodDefinition, PropertyDefinition, StaticBlock"](node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-extraneous-class.js
var require_no_extraneous_class = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-extraneous-class.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-extraneous-class",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow classes used as namespaces",
          recommended: "strict"
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              allowConstructorOnly: {
                description: "Whether to allow extraneous classes that contain only a constructor.",
                type: "boolean"
              },
              allowEmpty: {
                description: "Whether to allow extraneous classes that have no body (i.e. are empty).",
                type: "boolean"
              },
              allowStaticOnly: {
                description: "Whether to allow extraneous classes that only contain static members.",
                type: "boolean"
              },
              allowWithDecorator: {
                description: "Whether to allow extraneous classes that include a decorator.",
                type: "boolean"
              }
            }
          }
        ],
        messages: {
          empty: "Unexpected empty class.",
          onlyStatic: "Unexpected class with only static properties.",
          onlyConstructor: "Unexpected class with only a constructor."
        }
      },
      defaultOptions: [
        {
          allowConstructorOnly: false,
          allowEmpty: false,
          allowStaticOnly: false,
          allowWithDecorator: false
        }
      ],
      create(context, [{ allowConstructorOnly, allowEmpty, allowStaticOnly, allowWithDecorator }]) {
        const isAllowWithDecorator = (node) => {
          return !!(allowWithDecorator && node?.decorators && node.decorators.length !== 0);
        };
        return {
          ClassBody(node) {
            const parent = node.parent;
            if (parent.superClass || isAllowWithDecorator(parent)) {
              return;
            }
            const reportNode = parent.type === utils_1.AST_NODE_TYPES.ClassDeclaration && parent.id ? parent.id : parent;
            if (node.body.length === 0) {
              if (allowEmpty) {
                return;
              }
              context.report({
                node: reportNode,
                messageId: "empty"
              });
              return;
            }
            let onlyStatic = true;
            let onlyConstructor = true;
            for (const prop of node.body) {
              if (prop.type === utils_1.AST_NODE_TYPES.MethodDefinition && prop.kind === "constructor") {
                if (prop.value.params.some((param) => param.type === utils_1.AST_NODE_TYPES.TSParameterProperty)) {
                  onlyConstructor = false;
                  onlyStatic = false;
                }
              } else {
                onlyConstructor = false;
                if ((prop.type === utils_1.AST_NODE_TYPES.PropertyDefinition || prop.type === utils_1.AST_NODE_TYPES.MethodDefinition) && !prop.static || prop.type === utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition || prop.type === utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition) {
                  onlyStatic = false;
                }
              }
              if (!(onlyStatic || onlyConstructor)) {
                break;
              }
            }
            if (onlyConstructor) {
              if (!allowConstructorOnly) {
                context.report({
                  node: reportNode,
                  messageId: "onlyConstructor"
                });
              }
              return;
            }
            if (onlyStatic && !allowStaticOnly) {
              context.report({
                node: reportNode,
                messageId: "onlyStatic"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-floating-promises.js
var require_no_floating_promises = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-floating-promises.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    var messageBase = "Promises must be awaited, end with a call to .catch, or end with a call to .then with a rejection handler.";
    var messageBaseVoid = "Promises must be awaited, end with a call to .catch, end with a call to .then with a rejection handler or be explicitly marked as ignored with the `void` operator.";
    var messageRejectionHandler = "A rejection handler that is not a function will be ignored.";
    var messagePromiseArray = "An array of Promises may be unintentional. Consider handling the promises' fulfillment or rejection with Promise.all or similar.";
    var messagePromiseArrayVoid = "An array of Promises may be unintentional. Consider handling the promises' fulfillment or rejection with Promise.all or similar, or explicitly marking the expression as ignored with the `void` operator.";
    exports2.default = (0, util_1.createRule)({
      name: "no-floating-promises",
      meta: {
        docs: {
          description: "Require Promise-like statements to be handled appropriately",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        hasSuggestions: true,
        messages: {
          floating: messageBase,
          floatingFixAwait: "Add await operator.",
          floatingVoid: messageBaseVoid,
          floatingFixVoid: "Add void operator to ignore.",
          floatingUselessRejectionHandler: messageBase + " " + messageRejectionHandler,
          floatingUselessRejectionHandlerVoid: messageBaseVoid + " " + messageRejectionHandler,
          floatingPromiseArray: messagePromiseArray,
          floatingPromiseArrayVoid: messagePromiseArrayVoid
        },
        schema: [
          {
            type: "object",
            properties: {
              allowForKnownSafePromises: util_1.readonlynessOptionsSchema.properties.allow,
              checkThenables: {
                description: 'Whether to check all "Thenable"s, not just the built-in Promise type.',
                type: "boolean"
              },
              ignoreVoid: {
                description: "Whether to ignore `void` expressions.",
                type: "boolean"
              },
              ignoreIIFE: {
                description: "Whether to ignore async IIFEs (Immediately Invoked Function Expressions).",
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      defaultOptions: [
        {
          allowForKnownSafePromises: util_1.readonlynessOptionsDefaults.allow,
          checkThenables: true,
          ignoreVoid: true,
          ignoreIIFE: false
        }
      ],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const { checkThenables } = options;
        const allowForKnownSafePromises = options.allowForKnownSafePromises;
        return {
          ExpressionStatement(node) {
            if (options.ignoreIIFE && isAsyncIife(node)) {
              return;
            }
            let expression = node.expression;
            if (expression.type === utils_1.AST_NODE_TYPES.ChainExpression) {
              expression = expression.expression;
            }
            const { isUnhandled, nonFunctionHandler, promiseArray } = isUnhandledPromise(checker, expression);
            if (isUnhandled) {
              if (promiseArray) {
                context.report({
                  node,
                  messageId: options.ignoreVoid ? "floatingPromiseArrayVoid" : "floatingPromiseArray"
                });
              } else if (options.ignoreVoid) {
                context.report({
                  node,
                  messageId: nonFunctionHandler ? "floatingUselessRejectionHandlerVoid" : "floatingVoid",
                  suggest: [
                    {
                      messageId: "floatingFixVoid",
                      fix(fixer) {
                        const tsNode = services.esTreeNodeToTSNodeMap.get(node.expression);
                        if (isHigherPrecedenceThanUnary(tsNode)) {
                          return fixer.insertTextBefore(node, "void ");
                        }
                        return [
                          fixer.insertTextBefore(node, "void ("),
                          fixer.insertTextAfterRange([expression.range[1], expression.range[1]], ")")
                        ];
                      }
                    }
                  ]
                });
              } else {
                context.report({
                  node,
                  messageId: nonFunctionHandler ? "floatingUselessRejectionHandler" : "floating",
                  suggest: [
                    {
                      messageId: "floatingFixAwait",
                      fix(fixer) {
                        if (expression.type === utils_1.AST_NODE_TYPES.UnaryExpression && expression.operator === "void") {
                          return fixer.replaceTextRange([expression.range[0], expression.range[0] + 4], "await");
                        }
                        const tsNode = services.esTreeNodeToTSNodeMap.get(node.expression);
                        if (isHigherPrecedenceThanUnary(tsNode)) {
                          return fixer.insertTextBefore(node, "await ");
                        }
                        return [
                          fixer.insertTextBefore(node, "await ("),
                          fixer.insertTextAfterRange([expression.range[1], expression.range[1]], ")")
                        ];
                      }
                    }
                  ]
                });
              }
            }
          }
        };
        function isHigherPrecedenceThanUnary(node) {
          const operator = ts.isBinaryExpression(node) ? node.operatorToken.kind : ts.SyntaxKind.Unknown;
          const nodePrecedence = (0, util_1.getOperatorPrecedence)(node.kind, operator);
          return nodePrecedence > util_1.OperatorPrecedence.Unary;
        }
        function isAsyncIife(node) {
          if (node.expression.type !== utils_1.AST_NODE_TYPES.CallExpression) {
            return false;
          }
          return node.expression.callee.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression || node.expression.callee.type === utils_1.AST_NODE_TYPES.FunctionExpression;
        }
        function isValidRejectionHandler(rejectionHandler) {
          return services.program.getTypeChecker().getTypeAtLocation(services.esTreeNodeToTSNodeMap.get(rejectionHandler)).getCallSignatures().length > 0;
        }
        function isUnhandledPromise(checker2, node) {
          if (node.type === utils_1.AST_NODE_TYPES.SequenceExpression) {
            return node.expressions.map((item) => isUnhandledPromise(checker2, item)).find((result) => result.isUnhandled) ?? { isUnhandled: false };
          }
          if (!options.ignoreVoid && node.type === utils_1.AST_NODE_TYPES.UnaryExpression && node.operator === "void") {
            return isUnhandledPromise(checker2, node.argument);
          }
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          if (isPromiseArray(tsNode)) {
            return { isUnhandled: true, promiseArray: true };
          }
          if (!isPromiseLike(tsNode)) {
            return { isUnhandled: false };
          }
          if (node.type === utils_1.AST_NODE_TYPES.CallExpression) {
            const catchRejectionHandler = getRejectionHandlerFromCatchCall(node);
            if (catchRejectionHandler) {
              if (isValidRejectionHandler(catchRejectionHandler)) {
                return { isUnhandled: false };
              }
              return { isUnhandled: true, nonFunctionHandler: true };
            }
            const thenRejectionHandler = getRejectionHandlerFromThenCall(node);
            if (thenRejectionHandler) {
              if (isValidRejectionHandler(thenRejectionHandler)) {
                return { isUnhandled: false };
              }
              return { isUnhandled: true, nonFunctionHandler: true };
            }
            const promiseFinallyObject = getObjectFromFinallyCall(node);
            if (promiseFinallyObject) {
              return isUnhandledPromise(checker2, promiseFinallyObject);
            }
            return { isUnhandled: true };
          } else if (node.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression) {
            return { isUnhandled: true };
          } else if (node.type === utils_1.AST_NODE_TYPES.ConditionalExpression) {
            const alternateResult = isUnhandledPromise(checker2, node.alternate);
            if (alternateResult.isUnhandled) {
              return alternateResult;
            }
            return isUnhandledPromise(checker2, node.consequent);
          } else if (node.type === utils_1.AST_NODE_TYPES.MemberExpression || node.type === utils_1.AST_NODE_TYPES.Identifier || node.type === utils_1.AST_NODE_TYPES.NewExpression) {
            return { isUnhandled: true };
          } else if (node.type === utils_1.AST_NODE_TYPES.LogicalExpression) {
            const leftResult = isUnhandledPromise(checker2, node.left);
            if (leftResult.isUnhandled) {
              return leftResult;
            }
            return isUnhandledPromise(checker2, node.right);
          }
          return { isUnhandled: false };
        }
        function isPromiseArray(node) {
          const type = checker.getTypeAtLocation(node);
          for (const ty of tsutils.unionTypeParts(type).map((t) => checker.getApparentType(t))) {
            if (checker.isArrayType(ty)) {
              const arrayType2 = checker.getTypeArguments(ty)[0];
              if (isPromiseLike(node, arrayType2)) {
                return true;
              }
            }
            if (checker.isTupleType(ty)) {
              for (const tupleElementType of checker.getTypeArguments(ty)) {
                if (isPromiseLike(node, tupleElementType)) {
                  return true;
                }
              }
            }
          }
          return false;
        }
        function isPromiseLike(node, type) {
          type ??= checker.getTypeAtLocation(node);
          if (allowForKnownSafePromises.some((allowedType) => (0, util_1.typeMatchesSpecifier)(type, allowedType, services.program))) {
            return false;
          }
          const typeParts = tsutils.unionTypeParts(checker.getApparentType(type));
          if (typeParts.some((typePart) => (0, util_1.isBuiltinSymbolLike)(services.program, typePart, "Promise"))) {
            return true;
          }
          if (!checkThenables) {
            return false;
          }
          for (const ty of typeParts) {
            const then = ty.getProperty("then");
            if (then === void 0) {
              continue;
            }
            const thenType = checker.getTypeOfSymbolAtLocation(then, node);
            if (hasMatchingSignature(thenType, (signature) => signature.parameters.length >= 2 && isFunctionParam(checker, signature.parameters[0], node) && isFunctionParam(checker, signature.parameters[1], node))) {
              return true;
            }
          }
          return false;
        }
      }
    });
    function hasMatchingSignature(type, matcher) {
      for (const t of tsutils.unionTypeParts(type)) {
        if (t.getCallSignatures().some(matcher)) {
          return true;
        }
      }
      return false;
    }
    function isFunctionParam(checker, param, node) {
      const type = checker.getApparentType(checker.getTypeOfSymbolAtLocation(param, node));
      for (const t of tsutils.unionTypeParts(type)) {
        if (t.getCallSignatures().length !== 0) {
          return true;
        }
      }
      return false;
    }
    function getRejectionHandlerFromCatchCall(expression) {
      if (expression.callee.type === utils_1.AST_NODE_TYPES.MemberExpression && expression.callee.property.type === utils_1.AST_NODE_TYPES.Identifier && expression.callee.property.name === "catch" && expression.arguments.length >= 1) {
        return expression.arguments[0];
      }
      return void 0;
    }
    function getRejectionHandlerFromThenCall(expression) {
      if (expression.callee.type === utils_1.AST_NODE_TYPES.MemberExpression && expression.callee.property.type === utils_1.AST_NODE_TYPES.Identifier && expression.callee.property.name === "then" && expression.arguments.length >= 2) {
        return expression.arguments[1];
      }
      return void 0;
    }
    function getObjectFromFinallyCall(expression) {
      return expression.callee.type === utils_1.AST_NODE_TYPES.MemberExpression && expression.callee.property.type === utils_1.AST_NODE_TYPES.Identifier && expression.callee.property.name === "finally" ? expression.callee.object : void 0;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getForStatementHeadLoc.js
var require_getForStatementHeadLoc = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/util/getForStatementHeadLoc.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getForStatementHeadLoc = getForStatementHeadLoc;
    var eslint_utils_1 = require_eslint_utils3();
    function getForStatementHeadLoc(sourceCode, node) {
      const closingParens = (0, eslint_utils_1.nullThrows)(sourceCode.getTokenBefore(node.body, (token) => token.value === ")"), "for statement must have a closing parenthesis.");
      return {
        start: structuredClone(node.loc.start),
        end: structuredClone(closingParens.loc.end)
      };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-for-in-array.js
var require_no_for_in_array = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-for-in-array.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    var getForStatementHeadLoc_1 = require_getForStatementHeadLoc();
    exports2.default = (0, util_1.createRule)({
      name: "no-for-in-array",
      meta: {
        docs: {
          description: "Disallow iterating over an array with a for-in loop",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          forInViolation: "For-in loops over arrays skips holes, returns indices as strings, and may visit the prototype chain or other enumerable properties. Use a more robust iteration method such as for-of or array.forEach instead."
        },
        schema: [],
        type: "problem"
      },
      defaultOptions: [],
      create(context) {
        return {
          ForInStatement(node) {
            const services = (0, util_1.getParserServices)(context);
            const checker = services.program.getTypeChecker();
            const type = (0, util_1.getConstrainedTypeAtLocation)(services, node.right);
            if ((0, util_1.isTypeArrayTypeOrUnionOfArrayTypes)(type, checker) || (type.flags & ts.TypeFlags.StringLike) !== 0) {
              context.report({
                loc: (0, getForStatementHeadLoc_1.getForStatementHeadLoc)(context.sourceCode, node),
                messageId: "forInViolation"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-implied-eval.js
var require_no_implied_eval = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-implied-eval.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    var FUNCTION_CONSTRUCTOR = "Function";
    var GLOBAL_CANDIDATES = /* @__PURE__ */ new Set(["global", "window", "globalThis"]);
    var EVAL_LIKE_METHODS = /* @__PURE__ */ new Set([
      "setImmediate",
      "setInterval",
      "setTimeout",
      "execScript"
    ]);
    exports2.default = (0, util_1.createRule)({
      name: "no-implied-eval",
      meta: {
        docs: {
          description: "Disallow the use of `eval()`-like methods",
          recommended: "recommended",
          extendsBaseRule: true,
          requiresTypeChecking: true
        },
        messages: {
          noImpliedEvalError: "Implied eval. Consider passing a function.",
          noFunctionConstructor: "Implied eval. Do not use the Function constructor to create functions."
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function getCalleeName(node) {
          if (node.type === utils_1.AST_NODE_TYPES.Identifier) {
            return node.name;
          }
          if (node.type === utils_1.AST_NODE_TYPES.MemberExpression && node.object.type === utils_1.AST_NODE_TYPES.Identifier && GLOBAL_CANDIDATES.has(node.object.name)) {
            if (node.property.type === utils_1.AST_NODE_TYPES.Identifier) {
              return node.property.name;
            }
            if (node.property.type === utils_1.AST_NODE_TYPES.Literal && typeof node.property.value === "string") {
              return node.property.value;
            }
          }
          return null;
        }
        function isFunctionType(node) {
          const type = services.getTypeAtLocation(node);
          const symbol = type.getSymbol();
          if (symbol && tsutils.isSymbolFlagSet(symbol, ts.SymbolFlags.Function | ts.SymbolFlags.Method)) {
            return true;
          }
          if ((0, util_1.isBuiltinSymbolLike)(services.program, type, FUNCTION_CONSTRUCTOR)) {
            return true;
          }
          const signatures = checker.getSignaturesOfType(type, ts.SignatureKind.Call);
          return signatures.length > 0;
        }
        function isBind(node) {
          return node.type === utils_1.AST_NODE_TYPES.MemberExpression ? isBind(node.property) : node.type === utils_1.AST_NODE_TYPES.Identifier && node.name === "bind";
        }
        function isFunction3(node) {
          switch (node.type) {
            case utils_1.AST_NODE_TYPES.ArrowFunctionExpression:
            case utils_1.AST_NODE_TYPES.FunctionDeclaration:
            case utils_1.AST_NODE_TYPES.FunctionExpression:
              return true;
            case utils_1.AST_NODE_TYPES.Literal:
            case utils_1.AST_NODE_TYPES.TemplateLiteral:
              return false;
            case utils_1.AST_NODE_TYPES.CallExpression:
              return isBind(node.callee) || isFunctionType(node);
            default:
              return isFunctionType(node);
          }
        }
        function isReferenceToGlobalFunction(calleeName, node) {
          const ref = context.sourceCode.getScope(node).references.find((ref2) => ref2.identifier.name === calleeName);
          return !ref?.resolved || ref.resolved.defs.length === 0;
        }
        function checkImpliedEval(node) {
          const calleeName = getCalleeName(node.callee);
          if (calleeName == null) {
            return;
          }
          if (calleeName === FUNCTION_CONSTRUCTOR) {
            const type = services.getTypeAtLocation(node.callee);
            const symbol = type.getSymbol();
            if (symbol) {
              if ((0, util_1.isBuiltinSymbolLike)(services.program, type, "FunctionConstructor")) {
                context.report({ node, messageId: "noFunctionConstructor" });
                return;
              }
            } else {
              context.report({ node, messageId: "noFunctionConstructor" });
              return;
            }
          }
          if (node.arguments.length === 0) {
            return;
          }
          const [handler] = node.arguments;
          if (EVAL_LIKE_METHODS.has(calleeName) && !isFunction3(handler) && isReferenceToGlobalFunction(calleeName, node)) {
            context.report({ node: handler, messageId: "noImpliedEvalError" });
          }
        }
        return {
          NewExpression: checkImpliedEval,
          CallExpression: checkImpliedEval
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-import-type-side-effects.js
var require_no_import_type_side_effects = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-import-type-side-effects.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-import-type-side-effects",
      meta: {
        type: "problem",
        docs: {
          description: "Enforce the use of top-level import type qualifier when an import only has specifiers with inline type qualifiers"
        },
        fixable: "code",
        messages: {
          useTopLevelQualifier: "TypeScript will only remove the inline type specifiers which will leave behind a side effect import at runtime. Convert this to a top-level type qualifier to properly remove the entire import."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        return {
          'ImportDeclaration[importKind!="type"]'(node) {
            if (node.specifiers.length === 0) {
              return;
            }
            const specifiers = [];
            for (const specifier of node.specifiers) {
              if (specifier.type !== utils_1.AST_NODE_TYPES.ImportSpecifier || specifier.importKind !== "type") {
                return;
              }
              specifiers.push(specifier);
            }
            context.report({
              node,
              messageId: "useTopLevelQualifier",
              fix(fixer) {
                const fixes = [];
                for (const specifier of specifiers) {
                  const qualifier = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(specifier, util_1.isTypeKeyword), util_1.NullThrowsReasons.MissingToken("type keyword", "import specifier"));
                  fixes.push(fixer.removeRange([
                    qualifier.range[0],
                    specifier.imported.range[0]
                  ]));
                }
                const importKeyword = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(node, util_1.isImportKeyword), util_1.NullThrowsReasons.MissingToken("import keyword", "import"));
                fixes.push(fixer.insertTextAfter(importKeyword, " type"));
                return fixes;
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-inferrable-types.js
var require_no_inferrable_types = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-inferrable-types.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-inferrable-types",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow explicit type declarations for variables or parameters initialized to a number, string, or boolean",
          recommended: "stylistic"
        },
        fixable: "code",
        messages: {
          noInferrableType: "Type {{type}} trivially inferred from a {{type}} literal, remove type annotation."
        },
        schema: [
          {
            type: "object",
            properties: {
              ignoreParameters: {
                type: "boolean"
              },
              ignoreProperties: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          ignoreParameters: false,
          ignoreProperties: false
        }
      ],
      create(context, [{ ignoreParameters, ignoreProperties }]) {
        function isFunctionCall2(init, callName) {
          if (init.type === utils_1.AST_NODE_TYPES.ChainExpression) {
            return isFunctionCall2(init.expression, callName);
          }
          return init.type === utils_1.AST_NODE_TYPES.CallExpression && init.callee.type === utils_1.AST_NODE_TYPES.Identifier && init.callee.name === callName;
        }
        function isLiteral2(init, typeName) {
          return init.type === utils_1.AST_NODE_TYPES.Literal && typeof init.value === typeName;
        }
        function isIdentifier(init, ...names) {
          return init.type === utils_1.AST_NODE_TYPES.Identifier && names.includes(init.name);
        }
        function hasUnaryPrefix(init, ...operators) {
          return init.type === utils_1.AST_NODE_TYPES.UnaryExpression && operators.includes(init.operator);
        }
        const keywordMap = {
          [utils_1.AST_NODE_TYPES.TSBigIntKeyword]: "bigint",
          [utils_1.AST_NODE_TYPES.TSBooleanKeyword]: "boolean",
          [utils_1.AST_NODE_TYPES.TSNumberKeyword]: "number",
          [utils_1.AST_NODE_TYPES.TSNullKeyword]: "null",
          [utils_1.AST_NODE_TYPES.TSStringKeyword]: "string",
          [utils_1.AST_NODE_TYPES.TSSymbolKeyword]: "symbol",
          [utils_1.AST_NODE_TYPES.TSUndefinedKeyword]: "undefined"
        };
        function isInferrable(annotation, init) {
          switch (annotation.type) {
            case utils_1.AST_NODE_TYPES.TSBigIntKeyword: {
              const unwrappedInit = hasUnaryPrefix(init, "-") ? init.argument : init;
              return isFunctionCall2(unwrappedInit, "BigInt") || unwrappedInit.type === utils_1.AST_NODE_TYPES.Literal;
            }
            case utils_1.AST_NODE_TYPES.TSBooleanKeyword:
              return hasUnaryPrefix(init, "!") || isFunctionCall2(init, "Boolean") || isLiteral2(init, "boolean");
            case utils_1.AST_NODE_TYPES.TSNumberKeyword: {
              const unwrappedInit = hasUnaryPrefix(init, "+", "-") ? init.argument : init;
              return isIdentifier(unwrappedInit, "Infinity", "NaN") || isFunctionCall2(unwrappedInit, "Number") || isLiteral2(unwrappedInit, "number");
            }
            case utils_1.AST_NODE_TYPES.TSNullKeyword:
              return init.type === utils_1.AST_NODE_TYPES.Literal && init.value == null;
            case utils_1.AST_NODE_TYPES.TSStringKeyword:
              return isFunctionCall2(init, "String") || isLiteral2(init, "string") || init.type === utils_1.AST_NODE_TYPES.TemplateLiteral;
            case utils_1.AST_NODE_TYPES.TSSymbolKeyword:
              return isFunctionCall2(init, "Symbol");
            case utils_1.AST_NODE_TYPES.TSTypeReference: {
              if (annotation.typeName.type === utils_1.AST_NODE_TYPES.Identifier && annotation.typeName.name === "RegExp") {
                const isRegExpLiteral = init.type === utils_1.AST_NODE_TYPES.Literal && init.value instanceof RegExp;
                const isRegExpNewCall = init.type === utils_1.AST_NODE_TYPES.NewExpression && init.callee.type === utils_1.AST_NODE_TYPES.Identifier && init.callee.name === "RegExp";
                const isRegExpCall = isFunctionCall2(init, "RegExp");
                return isRegExpLiteral || isRegExpCall || isRegExpNewCall;
              }
              return false;
            }
            case utils_1.AST_NODE_TYPES.TSUndefinedKeyword:
              return hasUnaryPrefix(init, "void") || isIdentifier(init, "undefined");
          }
          return false;
        }
        function reportInferrableType(node, typeNode, initNode) {
          if (!typeNode || !initNode) {
            return;
          }
          if (!isInferrable(typeNode.typeAnnotation, initNode)) {
            return;
          }
          const type = typeNode.typeAnnotation.type === utils_1.AST_NODE_TYPES.TSTypeReference ? (
            // TODO - if we add more references
            "RegExp"
          ) : keywordMap[typeNode.typeAnnotation.type];
          context.report({
            node,
            messageId: "noInferrableType",
            data: {
              type
            },
            *fix(fixer) {
              if (node.type === utils_1.AST_NODE_TYPES.AssignmentPattern && node.left.optional || node.type === utils_1.AST_NODE_TYPES.PropertyDefinition && node.definite) {
                yield fixer.remove((0, util_1.nullThrows)(context.sourceCode.getTokenBefore(typeNode), util_1.NullThrowsReasons.MissingToken("token before", "type node")));
              }
              yield fixer.remove(typeNode);
            }
          });
        }
        function inferrableVariableVisitor(node) {
          reportInferrableType(node, node.id.typeAnnotation, node.init);
        }
        function inferrableParameterVisitor(node) {
          if (ignoreParameters) {
            return;
          }
          node.params.forEach((param) => {
            if (param.type === utils_1.AST_NODE_TYPES.TSParameterProperty) {
              param = param.parameter;
            }
            if (param.type === utils_1.AST_NODE_TYPES.AssignmentPattern) {
              reportInferrableType(param, param.left.typeAnnotation, param.right);
            }
          });
        }
        function inferrablePropertyVisitor(node) {
          if (ignoreProperties || node.readonly || node.optional) {
            return;
          }
          reportInferrableType(node, node.typeAnnotation, node.value);
        }
        return {
          VariableDeclarator: inferrableVariableVisitor,
          FunctionExpression: inferrableParameterVisitor,
          FunctionDeclaration: inferrableParameterVisitor,
          ArrowFunctionExpression: inferrableParameterVisitor,
          PropertyDefinition: inferrablePropertyVisitor
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-invalid-this.js
var require_no_invalid_this = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-invalid-this.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-invalid-this");
    exports2.default = (0, util_1.createRule)({
      name: "no-invalid-this",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow `this` keywords outside of classes or class-like objects",
          extendsBaseRule: true
        },
        messages: baseRule2.meta.messages,
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema
      },
      defaultOptions: [{ capIsConstructor: true }],
      create(context) {
        const rules = baseRule2.create(context);
        const thisIsValidStack = [];
        return {
          ...rules,
          PropertyDefinition() {
            thisIsValidStack.push(true);
          },
          "PropertyDefinition:exit"() {
            thisIsValidStack.pop();
          },
          AccessorProperty() {
            thisIsValidStack.push(true);
          },
          "AccessorProperty:exit"() {
            thisIsValidStack.pop();
          },
          FunctionDeclaration(node) {
            thisIsValidStack.push(node.params.some((param) => param.type === utils_1.AST_NODE_TYPES.Identifier && param.name === "this"));
          },
          "FunctionDeclaration:exit"() {
            thisIsValidStack.pop();
          },
          FunctionExpression(node) {
            thisIsValidStack.push(node.params.some((param) => param.type === utils_1.AST_NODE_TYPES.Identifier && param.name === "this"));
          },
          "FunctionExpression:exit"() {
            thisIsValidStack.pop();
          },
          ThisExpression(node) {
            const thisIsValidHere = thisIsValidStack[thisIsValidStack.length - 1];
            if (thisIsValidHere) {
              return;
            }
            rules.ThisExpression(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-invalid-void-type.js
var require_no_invalid_void_type = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-invalid-void-type.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-invalid-void-type",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow `void` type outside of generic or return types",
          recommended: "strict"
        },
        messages: {
          invalidVoidForGeneric: "{{ generic }} may not have void as a type argument.",
          invalidVoidNotReturnOrGeneric: "void is only valid as a return type or generic type argument.",
          invalidVoidNotReturn: "void is only valid as a return type.",
          invalidVoidNotReturnOrThisParam: "void is only valid as return type or type of `this` parameter.",
          invalidVoidNotReturnOrThisParamOrGeneric: "void is only valid as a return type or generic type argument or the type of a `this` parameter.",
          invalidVoidUnionConstituent: "void is not valid as a constituent in a union type"
        },
        schema: [
          {
            type: "object",
            properties: {
              allowInGenericTypeArguments: {
                oneOf: [
                  { type: "boolean" },
                  {
                    type: "array",
                    items: { type: "string" },
                    minItems: 1
                  }
                ]
              },
              allowAsThisParameter: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        { allowInGenericTypeArguments: true, allowAsThisParameter: false }
      ],
      create(context, [{ allowInGenericTypeArguments, allowAsThisParameter }]) {
        const validParents = [
          utils_1.AST_NODE_TYPES.TSTypeAnnotation
          //
        ];
        const invalidGrandParents = [
          utils_1.AST_NODE_TYPES.TSPropertySignature,
          utils_1.AST_NODE_TYPES.CallExpression,
          utils_1.AST_NODE_TYPES.PropertyDefinition,
          utils_1.AST_NODE_TYPES.Identifier
        ];
        const validUnionMembers = [
          utils_1.AST_NODE_TYPES.TSVoidKeyword,
          utils_1.AST_NODE_TYPES.TSNeverKeyword
        ];
        if (allowInGenericTypeArguments === true) {
          validParents.push(utils_1.AST_NODE_TYPES.TSTypeParameterInstantiation);
        }
        function checkGenericTypeArgument(node) {
          if (node.parent.type !== utils_1.AST_NODE_TYPES.TSTypeParameterInstantiation || node.parent.parent.type !== utils_1.AST_NODE_TYPES.TSTypeReference) {
            return;
          }
          if (Array.isArray(allowInGenericTypeArguments)) {
            const fullyQualifiedName = context.sourceCode.getText(node.parent.parent.typeName).replace(/ /gu, "");
            if (!allowInGenericTypeArguments.map((s) => s.replace(/ /gu, "")).includes(fullyQualifiedName)) {
              context.report({
                messageId: "invalidVoidForGeneric",
                data: { generic: fullyQualifiedName },
                node
              });
            }
            return;
          }
          if (!allowInGenericTypeArguments) {
            context.report({
              messageId: allowAsThisParameter ? "invalidVoidNotReturnOrThisParam" : "invalidVoidNotReturn",
              node
            });
          }
        }
        function checkDefaultVoid(node, parentNode) {
          if (parentNode.default !== node) {
            context.report({
              messageId: getNotReturnOrGenericMessageId(node),
              node
            });
          }
        }
        function isValidUnionType(node) {
          return node.types.every((member) => validUnionMembers.includes(member.type) || // allows any T<..., void, ...> here, checked by checkGenericTypeArgument
          member.type === utils_1.AST_NODE_TYPES.TSTypeReference && member.typeArguments?.type === utils_1.AST_NODE_TYPES.TSTypeParameterInstantiation && member.typeArguments.params.map((param) => param.type).includes(utils_1.AST_NODE_TYPES.TSVoidKeyword));
        }
        return {
          TSVoidKeyword(node) {
            if (node.parent.type === utils_1.AST_NODE_TYPES.TSTypeParameterInstantiation && node.parent.parent.type === utils_1.AST_NODE_TYPES.TSTypeReference) {
              checkGenericTypeArgument(node);
              return;
            }
            if (allowInGenericTypeArguments && node.parent.type === utils_1.AST_NODE_TYPES.TSTypeParameter && node.parent.default?.type === utils_1.AST_NODE_TYPES.TSVoidKeyword) {
              checkDefaultVoid(node, node.parent);
              return;
            }
            if (node.parent.type === utils_1.AST_NODE_TYPES.TSUnionType && isValidUnionType(node.parent)) {
              return;
            }
            if (allowAsThisParameter && node.parent.type === utils_1.AST_NODE_TYPES.TSTypeAnnotation && node.parent.parent.type === utils_1.AST_NODE_TYPES.Identifier && node.parent.parent.name === "this") {
              return;
            }
            if (validParents.includes(node.parent.type) && // https://github.com/typescript-eslint/typescript-eslint/issues/6225
            // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
            !invalidGrandParents.includes(node.parent.parent.type)) {
              return;
            }
            context.report({
              messageId: allowInGenericTypeArguments && allowAsThisParameter ? "invalidVoidNotReturnOrThisParamOrGeneric" : allowInGenericTypeArguments ? getNotReturnOrGenericMessageId(node) : allowAsThisParameter ? "invalidVoidNotReturnOrThisParam" : "invalidVoidNotReturn",
              node
            });
          }
        };
      }
    });
    function getNotReturnOrGenericMessageId(node) {
      return node.parent.type === utils_1.AST_NODE_TYPES.TSUnionType ? "invalidVoidUnionConstituent" : "invalidVoidNotReturnOrGeneric";
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-loop-func.js
var require_no_loop_func = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-loop-func.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-loop-func");
    exports2.default = (0, util_1.createRule)({
      name: "no-loop-func",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow function declarations that contain unsafe references inside loop statements",
          extendsBaseRule: true
        },
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: [],
        messages: baseRule2.meta.messages
      },
      defaultOptions: [],
      create(context) {
        function checkForLoops(node) {
          const loopNode = getContainingLoopNode(node);
          if (!loopNode) {
            return;
          }
          const references = context.sourceCode.getScope(node).through;
          const unsafeRefs = references.filter((r) => !isSafe(loopNode, r)).map((r) => r.identifier.name);
          if (unsafeRefs.length > 0) {
            context.report({
              node,
              messageId: "unsafeRefs",
              data: { varNames: `'${unsafeRefs.join("', '")}'` }
            });
          }
        }
        return {
          ArrowFunctionExpression: checkForLoops,
          FunctionExpression: checkForLoops,
          FunctionDeclaration: checkForLoops
        };
      }
    });
    function getContainingLoopNode(node) {
      for (let currentNode = node; currentNode.parent; currentNode = currentNode.parent) {
        const parent = currentNode.parent;
        switch (parent.type) {
          case utils_1.AST_NODE_TYPES.WhileStatement:
          case utils_1.AST_NODE_TYPES.DoWhileStatement:
            return parent;
          case utils_1.AST_NODE_TYPES.ForStatement:
            if (parent.init !== currentNode) {
              return parent;
            }
            break;
          case utils_1.AST_NODE_TYPES.ForInStatement:
          case utils_1.AST_NODE_TYPES.ForOfStatement:
            if (parent.right !== currentNode) {
              return parent;
            }
            break;
          case utils_1.AST_NODE_TYPES.ArrowFunctionExpression:
          case utils_1.AST_NODE_TYPES.FunctionExpression:
          case utils_1.AST_NODE_TYPES.FunctionDeclaration:
            return null;
          default:
            break;
        }
      }
      return null;
    }
    function getTopLoopNode(node, excludedNode) {
      const border = excludedNode ? excludedNode.range[1] : 0;
      let retv = node;
      let containingLoopNode = node;
      while (containingLoopNode && containingLoopNode.range[0] >= border) {
        retv = containingLoopNode;
        containingLoopNode = getContainingLoopNode(containingLoopNode);
      }
      return retv;
    }
    function isSafe(loopNode, reference) {
      const variable = reference.resolved;
      const definition = variable?.defs[0];
      const declaration = definition?.parent;
      const kind = declaration?.type === utils_1.AST_NODE_TYPES.VariableDeclaration ? declaration.kind : "";
      if (reference.isTypeReference) {
        return true;
      }
      if (kind === "const") {
        return true;
      }
      if (kind === "let" && declaration && declaration.range[0] > loopNode.range[0] && declaration.range[1] < loopNode.range[1]) {
        return true;
      }
      const border = getTopLoopNode(loopNode, kind === "let" ? declaration : null).range[0];
      function isSafeReference(upperRef) {
        const id = upperRef.identifier;
        return !upperRef.isWrite() || variable?.scope.variableScope === upperRef.from.variableScope && id.range[0] < border;
      }
      return variable?.references.every(isSafeReference) ?? false;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-loss-of-precision.js
var require_no_loss_of_precision = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-loss-of-precision.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-loss-of-precision");
    exports2.default = (0, util_1.createRule)({
      name: "no-loss-of-precision",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow literal numbers that lose precision",
          recommended: "recommended",
          extendsBaseRule: true
        },
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: [],
        messages: baseRule2.meta.messages
      },
      defaultOptions: [],
      create(context) {
        const rules = baseRule2.create(context);
        function isSeparatedNumeric(node) {
          return typeof node.value === "number" && node.raw.includes("_");
        }
        return {
          Literal(node) {
            rules.Literal({
              ...node,
              raw: isSeparatedNumeric(node) ? node.raw.replace(/_/g, "") : node.raw
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-magic-numbers.js
var require_no_magic_numbers = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-magic-numbers.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-magic-numbers");
    var schema30 = (0, util_1.deepMerge)(
      // eslint-disable-next-line @typescript-eslint/no-unsafe-argument -- https://github.com/microsoft/TypeScript/issues/17002
      Array.isArray(baseRule2.meta.schema) ? baseRule2.meta.schema[0] : baseRule2.meta.schema,
      {
        properties: {
          ignoreNumericLiteralTypes: {
            type: "boolean"
          },
          ignoreEnums: {
            type: "boolean"
          },
          ignoreReadonlyClassProperties: {
            type: "boolean"
          },
          ignoreTypeIndexes: {
            type: "boolean"
          }
        }
      }
    );
    exports2.default = (0, util_1.createRule)({
      name: "no-magic-numbers",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow magic numbers",
          extendsBaseRule: true
        },
        schema: [schema30],
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        {
          ignore: [],
          ignoreArrayIndexes: false,
          enforceConst: false,
          detectObjects: false,
          ignoreNumericLiteralTypes: false,
          ignoreEnums: false,
          ignoreReadonlyClassProperties: false,
          ignoreTypeIndexes: false
        }
      ],
      create(context, [options]) {
        const rules = baseRule2.create(context);
        const ignored3 = new Set((options.ignore ?? []).map(normalizeIgnoreValue));
        return {
          Literal(node) {
            if (typeof node.value !== "number" && typeof node.value !== "bigint") {
              return;
            }
            let isAllowed;
            if (ignored3.has(normalizeLiteralValue(node, node.value))) {
              isAllowed = true;
            } else if (isParentTSEnumDeclaration(node)) {
              isAllowed = options.ignoreEnums === true;
            } else if (isTSNumericLiteralType(node)) {
              isAllowed = options.ignoreNumericLiteralTypes === true;
            } else if (isAncestorTSIndexedAccessType(node)) {
              isAllowed = options.ignoreTypeIndexes === true;
            } else if (isParentTSReadonlyPropertyDefinition(node)) {
              isAllowed = options.ignoreReadonlyClassProperties === true;
            }
            if (isAllowed === true) {
              return;
            } else if (isAllowed === false) {
              let fullNumberNode = node;
              let raw = node.raw;
              if (node.parent.type === utils_1.AST_NODE_TYPES.UnaryExpression && // the base rule only shows the operator for negative numbers
              // https://github.com/eslint/eslint/blob/9dfc8501fb1956c90dc11e6377b4cb38a6bea65d/lib/rules/no-magic-numbers.js#L126
              node.parent.operator === "-") {
                fullNumberNode = node.parent;
                raw = `${node.parent.operator}${node.raw}`;
              }
              context.report({
                messageId: "noMagic",
                node: fullNumberNode,
                data: { raw }
              });
              return;
            }
            rules.Literal(node);
          }
        };
      }
    });
    function normalizeIgnoreValue(value) {
      if (typeof value === "string") {
        return BigInt(value.slice(0, -1));
      }
      return value;
    }
    function normalizeLiteralValue(node, value) {
      if (node.parent.type === utils_1.AST_NODE_TYPES.UnaryExpression && ["-", "+"].includes(node.parent.operator)) {
        if (node.parent.operator === "-") {
          return -value;
        }
      }
      return value;
    }
    function getLiteralParent(node) {
      if (node.parent.type === utils_1.AST_NODE_TYPES.UnaryExpression && ["-", "+"].includes(node.parent.operator)) {
        return node.parent.parent;
      }
      return node.parent;
    }
    function isGrandparentTSTypeAliasDeclaration(node) {
      return node.parent?.parent?.type === utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration;
    }
    function isGrandparentTSUnionType(node) {
      if (node.parent?.parent?.type === utils_1.AST_NODE_TYPES.TSUnionType) {
        return isGrandparentTSTypeAliasDeclaration(node.parent);
      }
      return false;
    }
    function isParentTSEnumDeclaration(node) {
      const parent = getLiteralParent(node);
      return parent?.type === utils_1.AST_NODE_TYPES.TSEnumMember;
    }
    function isParentTSLiteralType(node) {
      return node.parent?.type === utils_1.AST_NODE_TYPES.TSLiteralType;
    }
    function isTSNumericLiteralType(node) {
      if (node.parent?.type === utils_1.AST_NODE_TYPES.UnaryExpression && node.parent.operator === "-") {
        node = node.parent;
      }
      if (!isParentTSLiteralType(node)) {
        return false;
      }
      if (isGrandparentTSTypeAliasDeclaration(node)) {
        return true;
      }
      if (isGrandparentTSUnionType(node)) {
        return true;
      }
      return false;
    }
    function isParentTSReadonlyPropertyDefinition(node) {
      const parent = getLiteralParent(node);
      if (parent?.type === utils_1.AST_NODE_TYPES.PropertyDefinition && parent.readonly) {
        return true;
      }
      return false;
    }
    function isAncestorTSIndexedAccessType(node) {
      let ancestor = getLiteralParent(node);
      while (ancestor?.parent?.type === utils_1.AST_NODE_TYPES.TSUnionType || ancestor?.parent?.type === utils_1.AST_NODE_TYPES.TSIntersectionType) {
        ancestor = ancestor.parent;
      }
      return ancestor?.parent?.type === utils_1.AST_NODE_TYPES.TSIndexedAccessType;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-meaningless-void-operator.js
var require_no_meaningless_void_operator = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-meaningless-void-operator.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-meaningless-void-operator",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow the `void` operator except when used to discard a value",
          recommended: "strict",
          requiresTypeChecking: true
        },
        fixable: "code",
        hasSuggestions: true,
        messages: {
          meaninglessVoidOperator: "void operator shouldn't be used on {{type}}; it should convey that a return value is being ignored",
          removeVoid: "Remove 'void'"
        },
        schema: [
          {
            type: "object",
            properties: {
              checkNever: {
                type: "boolean",
                default: false
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [{ checkNever: false }],
      create(context, [{ checkNever }]) {
        const services = utils_1.ESLintUtils.getParserServices(context);
        const checker = services.program.getTypeChecker();
        return {
          'UnaryExpression[operator="void"]'(node) {
            const fix11 = (fixer) => {
              return fixer.removeRange([
                context.sourceCode.getTokens(node)[0].range[0],
                context.sourceCode.getTokens(node)[1].range[0]
              ]);
            };
            const argType = services.getTypeAtLocation(node.argument);
            const unionParts = tsutils.unionTypeParts(argType);
            if (unionParts.every((part) => part.flags & (ts.TypeFlags.Void | ts.TypeFlags.Undefined))) {
              context.report({
                node,
                messageId: "meaninglessVoidOperator",
                data: { type: checker.typeToString(argType) },
                fix: fix11
              });
            } else if (checkNever && unionParts.every((part) => part.flags & (ts.TypeFlags.Void | ts.TypeFlags.Undefined | ts.TypeFlags.Never))) {
              context.report({
                node,
                messageId: "meaninglessVoidOperator",
                data: { type: checker.typeToString(argType) },
                suggest: [{ messageId: "removeVoid", fix: fix11 }]
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-misused-new.js
var require_no_misused_new = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-misused-new.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-misused-new",
      meta: {
        type: "problem",
        docs: {
          description: "Enforce valid definition of `new` and `constructor`",
          recommended: "recommended"
        },
        schema: [],
        messages: {
          errorMessageInterface: "Interfaces cannot be constructed, only classes.",
          errorMessageClass: "Class cannot have method named `new`."
        }
      },
      defaultOptions: [],
      create(context) {
        function getTypeReferenceName(node) {
          if (node) {
            switch (node.type) {
              case utils_1.AST_NODE_TYPES.TSTypeAnnotation:
                return getTypeReferenceName(node.typeAnnotation);
              case utils_1.AST_NODE_TYPES.TSTypeReference:
                return getTypeReferenceName(node.typeName);
              case utils_1.AST_NODE_TYPES.Identifier:
                return node.name;
              default:
                break;
            }
          }
          return null;
        }
        function isMatchingParentType(parent, returnType) {
          if (parent && (parent.type === utils_1.AST_NODE_TYPES.ClassDeclaration || parent.type === utils_1.AST_NODE_TYPES.ClassExpression || parent.type === utils_1.AST_NODE_TYPES.TSInterfaceDeclaration) && parent.id) {
            return getTypeReferenceName(returnType) === parent.id.name;
          }
          return false;
        }
        return {
          "TSInterfaceBody > TSConstructSignatureDeclaration"(node) {
            if (isMatchingParentType(node.parent.parent, node.returnType)) {
              context.report({
                node,
                messageId: "errorMessageInterface"
              });
            }
          },
          "TSMethodSignature[key.name='constructor']"(node) {
            context.report({
              node,
              messageId: "errorMessageInterface"
            });
          },
          "ClassBody > MethodDefinition[key.name='new']"(node) {
            if (node.value.type === utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression) {
              if (isMatchingParentType(node.parent.parent, node.value.returnType)) {
                context.report({
                  node,
                  messageId: "errorMessageClass"
                });
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-misused-promises.js
var require_no_misused_promises = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-misused-promises.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    function parseChecksVoidReturn(checksVoidReturn) {
      switch (checksVoidReturn) {
        case false:
          return false;
        case true:
        case void 0:
          return {
            arguments: true,
            attributes: true,
            properties: true,
            returns: true,
            variables: true
          };
        default:
          return {
            arguments: checksVoidReturn.arguments ?? true,
            attributes: checksVoidReturn.attributes ?? true,
            properties: checksVoidReturn.properties ?? true,
            returns: checksVoidReturn.returns ?? true,
            variables: checksVoidReturn.variables ?? true
          };
      }
    }
    exports2.default = (0, util_1.createRule)({
      name: "no-misused-promises",
      meta: {
        docs: {
          description: "Disallow Promises in places not designed to handle them",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          voidReturnArgument: "Promise returned in function argument where a void return was expected.",
          voidReturnVariable: "Promise-returning function provided to variable where a void return was expected.",
          voidReturnProperty: "Promise-returning function provided to property where a void return was expected.",
          voidReturnReturnValue: "Promise-returning function provided to return value where a void return was expected.",
          voidReturnAttribute: "Promise-returning function provided to attribute where a void return was expected.",
          conditional: "Expected non-Promise value in a boolean conditional.",
          spread: "Expected a non-Promise value to be spreaded in an object."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              checksConditionals: {
                type: "boolean"
              },
              checksVoidReturn: {
                oneOf: [
                  { type: "boolean" },
                  {
                    additionalProperties: false,
                    properties: {
                      arguments: { type: "boolean" },
                      attributes: { type: "boolean" },
                      properties: { type: "boolean" },
                      returns: { type: "boolean" },
                      variables: { type: "boolean" }
                    },
                    type: "object"
                  }
                ]
              },
              checksSpreads: {
                type: "boolean"
              }
            }
          }
        ],
        type: "problem"
      },
      defaultOptions: [
        {
          checksConditionals: true,
          checksVoidReturn: true,
          checksSpreads: true
        }
      ],
      create(context, [{ checksConditionals, checksVoidReturn, checksSpreads }]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const checkedNodes = /* @__PURE__ */ new Set();
        const conditionalChecks = {
          ConditionalExpression: checkTestConditional,
          DoWhileStatement: checkTestConditional,
          ForStatement: checkTestConditional,
          IfStatement: checkTestConditional,
          LogicalExpression: checkConditional,
          'UnaryExpression[operator="!"]'(node) {
            checkConditional(node.argument, true);
          },
          WhileStatement: checkTestConditional
        };
        checksVoidReturn = parseChecksVoidReturn(checksVoidReturn);
        const voidReturnChecks = checksVoidReturn ? {
          ...checksVoidReturn.arguments && {
            CallExpression: checkArguments,
            NewExpression: checkArguments
          },
          ...checksVoidReturn.attributes && {
            JSXAttribute: checkJSXAttribute
          },
          ...checksVoidReturn.properties && {
            Property: checkProperty2
          },
          ...checksVoidReturn.returns && {
            ReturnStatement: checkReturnStatement
          },
          ...checksVoidReturn.variables && {
            AssignmentExpression: checkAssignment,
            VariableDeclarator: checkVariableDeclaration
          }
        } : {};
        const spreadChecks = {
          SpreadElement: checkSpread
        };
        function checkTestConditional(node) {
          if (node.test) {
            checkConditional(node.test, true);
          }
        }
        function checkConditional(node, isTestExpr = false) {
          if (checkedNodes.has(node)) {
            return;
          }
          checkedNodes.add(node);
          if (node.type === utils_1.AST_NODE_TYPES.LogicalExpression) {
            if (node.operator !== "??" || isTestExpr) {
              checkConditional(node.left, isTestExpr);
            }
            if (isTestExpr) {
              checkConditional(node.right, isTestExpr);
            }
            return;
          }
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          if (isAlwaysThenable(checker, tsNode)) {
            context.report({
              messageId: "conditional",
              node
            });
          }
        }
        function checkArguments(node) {
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          const voidArgs = voidFunctionArguments(checker, tsNode);
          if (voidArgs.size === 0) {
            return;
          }
          for (const [index, argument] of node.arguments.entries()) {
            if (!voidArgs.has(index)) {
              continue;
            }
            const tsNode2 = services.esTreeNodeToTSNodeMap.get(argument);
            if (returnsThenable(checker, tsNode2)) {
              context.report({
                messageId: "voidReturnArgument",
                node: argument
              });
            }
          }
        }
        function checkAssignment(node) {
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          const varType = services.getTypeAtLocation(node.left);
          if (!isVoidReturningFunctionType(checker, tsNode.left, varType)) {
            return;
          }
          if (returnsThenable(checker, tsNode.right)) {
            context.report({
              messageId: "voidReturnVariable",
              node: node.right
            });
          }
        }
        function checkVariableDeclaration(node) {
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          if (tsNode.initializer === void 0 || node.init == null) {
            return;
          }
          const varType = services.getTypeAtLocation(node.id);
          if (!isVoidReturningFunctionType(checker, tsNode.initializer, varType)) {
            return;
          }
          if (returnsThenable(checker, tsNode.initializer)) {
            context.report({
              messageId: "voidReturnVariable",
              node: node.init
            });
          }
        }
        function checkProperty2(node) {
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          if (ts.isPropertyAssignment(tsNode)) {
            const contextualType = checker.getContextualType(tsNode.initializer);
            if (contextualType !== void 0 && isVoidReturningFunctionType(checker, tsNode.initializer, contextualType) && returnsThenable(checker, tsNode.initializer)) {
              context.report({
                messageId: "voidReturnProperty",
                node: node.value
              });
            }
          } else if (ts.isShorthandPropertyAssignment(tsNode)) {
            const contextualType = checker.getContextualType(tsNode.name);
            if (contextualType !== void 0 && isVoidReturningFunctionType(checker, tsNode.name, contextualType) && returnsThenable(checker, tsNode.name)) {
              context.report({
                messageId: "voidReturnProperty",
                node: node.value
              });
            }
          } else if (ts.isMethodDeclaration(tsNode)) {
            if (ts.isComputedPropertyName(tsNode.name)) {
              return;
            }
            const obj = tsNode.parent;
            if (!ts.isObjectLiteralExpression(obj)) {
              return;
            }
            if (!returnsThenable(checker, tsNode)) {
              return;
            }
            const objType = checker.getContextualType(obj);
            if (objType === void 0) {
              return;
            }
            const propertySymbol = checker.getPropertyOfType(objType, tsNode.name.text);
            if (propertySymbol === void 0) {
              return;
            }
            const contextualType = checker.getTypeOfSymbolAtLocation(propertySymbol, tsNode.name);
            if (isVoidReturningFunctionType(checker, tsNode.name, contextualType)) {
              context.report({
                messageId: "voidReturnProperty",
                node: node.value
              });
            }
            return;
          }
        }
        function checkReturnStatement(node) {
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          if (tsNode.expression === void 0 || node.argument == null) {
            return;
          }
          const contextualType = checker.getContextualType(tsNode.expression);
          if (contextualType !== void 0 && isVoidReturningFunctionType(checker, tsNode.expression, contextualType) && returnsThenable(checker, tsNode.expression)) {
            context.report({
              messageId: "voidReturnReturnValue",
              node: node.argument
            });
          }
        }
        function checkJSXAttribute(node) {
          if (node.value == null || node.value.type !== utils_1.AST_NODE_TYPES.JSXExpressionContainer) {
            return;
          }
          const expressionContainer = services.esTreeNodeToTSNodeMap.get(node.value);
          const expression = services.esTreeNodeToTSNodeMap.get(node.value.expression);
          const contextualType = checker.getContextualType(expressionContainer);
          if (contextualType !== void 0 && isVoidReturningFunctionType(checker, expressionContainer, contextualType) && returnsThenable(checker, expression)) {
            context.report({
              messageId: "voidReturnAttribute",
              node: node.value
            });
          }
        }
        function checkSpread(node) {
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          if (isSometimesThenable(checker, tsNode.expression)) {
            context.report({
              messageId: "spread",
              node: node.argument
            });
          }
        }
        return {
          ...checksConditionals ? conditionalChecks : {},
          ...checksVoidReturn ? voidReturnChecks : {},
          ...checksSpreads ? spreadChecks : {}
        };
      }
    });
    function isSometimesThenable(checker, node) {
      const type = checker.getTypeAtLocation(node);
      for (const subType of tsutils.unionTypeParts(checker.getApparentType(type))) {
        if (tsutils.isThenableType(checker, node, subType)) {
          return true;
        }
      }
      return false;
    }
    function isAlwaysThenable(checker, node) {
      const type = checker.getTypeAtLocation(node);
      for (const subType of tsutils.unionTypeParts(checker.getApparentType(type))) {
        const thenProp = subType.getProperty("then");
        if (thenProp === void 0) {
          return false;
        }
        const thenType = checker.getTypeOfSymbolAtLocation(thenProp, node);
        let hasThenableSignature = false;
        for (const subType2 of tsutils.unionTypeParts(thenType)) {
          for (const signature of subType2.getCallSignatures()) {
            if (signature.parameters.length !== 0 && isFunctionParam(checker, signature.parameters[0], node)) {
              hasThenableSignature = true;
              break;
            }
          }
          if (hasThenableSignature) {
            break;
          }
        }
        if (!hasThenableSignature) {
          return false;
        }
      }
      return true;
    }
    function isFunctionParam(checker, param, node) {
      const type = checker.getApparentType(checker.getTypeOfSymbolAtLocation(param, node));
      for (const subType of tsutils.unionTypeParts(type)) {
        if (subType.getCallSignatures().length !== 0) {
          return true;
        }
      }
      return false;
    }
    function checkThenableOrVoidArgument(checker, node, type, index, thenableReturnIndices, voidReturnIndices) {
      if (isThenableReturningFunctionType(checker, node.expression, type)) {
        thenableReturnIndices.add(index);
      } else if (isVoidReturningFunctionType(checker, node.expression, type)) {
        if (!thenableReturnIndices.has(index)) {
          voidReturnIndices.add(index);
        }
      }
    }
    function voidFunctionArguments(checker, node) {
      if (!node.arguments) {
        return /* @__PURE__ */ new Set();
      }
      const thenableReturnIndices = /* @__PURE__ */ new Set();
      const voidReturnIndices = /* @__PURE__ */ new Set();
      const type = checker.getTypeAtLocation(node.expression);
      for (const subType of tsutils.unionTypeParts(type)) {
        const signatures = ts.isCallExpression(node) ? subType.getCallSignatures() : subType.getConstructSignatures();
        for (const signature of signatures) {
          for (const [index, parameter] of signature.parameters.entries()) {
            const decl = parameter.valueDeclaration;
            let type2 = checker.getTypeOfSymbolAtLocation(parameter, node.expression);
            if (decl && (0, util_1.isRestParameterDeclaration)(decl)) {
              if (checker.isArrayType(type2)) {
                type2 = checker.getTypeArguments(type2)[0];
                for (let i = index; i < node.arguments.length; i++) {
                  checkThenableOrVoidArgument(checker, node, type2, i, thenableReturnIndices, voidReturnIndices);
                }
              } else if (checker.isTupleType(type2)) {
                const typeArgs = checker.getTypeArguments(type2);
                for (let i = index; i < node.arguments.length && i - index < typeArgs.length; i++) {
                  checkThenableOrVoidArgument(checker, node, typeArgs[i - index], i, thenableReturnIndices, voidReturnIndices);
                }
              }
            } else {
              checkThenableOrVoidArgument(checker, node, type2, index, thenableReturnIndices, voidReturnIndices);
            }
          }
        }
      }
      for (const index of thenableReturnIndices) {
        voidReturnIndices.delete(index);
      }
      return voidReturnIndices;
    }
    function anySignatureIsThenableType(checker, node, type) {
      for (const signature of type.getCallSignatures()) {
        const returnType = signature.getReturnType();
        if (tsutils.isThenableType(checker, node, returnType)) {
          return true;
        }
      }
      return false;
    }
    function isThenableReturningFunctionType(checker, node, type) {
      for (const subType of tsutils.unionTypeParts(type)) {
        if (anySignatureIsThenableType(checker, node, subType)) {
          return true;
        }
      }
      return false;
    }
    function isVoidReturningFunctionType(checker, node, type) {
      let hadVoidReturn = false;
      for (const subType of tsutils.unionTypeParts(type)) {
        for (const signature of subType.getCallSignatures()) {
          const returnType = signature.getReturnType();
          if (tsutils.isThenableType(checker, node, returnType)) {
            return false;
          }
          hadVoidReturn ||= tsutils.isTypeFlagSet(returnType, ts.TypeFlags.Void);
        }
      }
      return hadVoidReturn;
    }
    function returnsThenable(checker, node) {
      const type = checker.getApparentType(checker.getTypeAtLocation(node));
      return tsutils.unionTypeParts(type).some((t) => anySignatureIsThenableType(checker, node, t));
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-mixed-enums.js
var require_no_mixed_enums = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-mixed-enums.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    var AllowedType;
    (function(AllowedType2) {
      AllowedType2[AllowedType2["Number"] = 0] = "Number";
      AllowedType2[AllowedType2["String"] = 1] = "String";
      AllowedType2[AllowedType2["Unknown"] = 2] = "Unknown";
    })(AllowedType || (AllowedType = {}));
    exports2.default = (0, util_1.createRule)({
      name: "no-mixed-enums",
      meta: {
        docs: {
          description: "Disallow enums from having both number and string members",
          recommended: "strict",
          requiresTypeChecking: true
        },
        messages: {
          mixed: `Mixing number and string enums can be confusing.`
        },
        schema: [],
        type: "problem"
      },
      defaultOptions: [],
      create(context) {
        const parserServices = (0, util_1.getParserServices)(context);
        const typeChecker = parserServices.program.getTypeChecker();
        function collectNodeDefinitions(node) {
          const { name } = node.id;
          const found = {
            imports: [],
            previousSibling: void 0
          };
          let scope = context.sourceCode.getScope(node);
          for (const definition of scope.upper?.set.get(name)?.defs ?? []) {
            if (definition.node.type === utils_1.AST_NODE_TYPES.TSEnumDeclaration && definition.node.range[0] < node.range[0] && definition.node.members.length > 0) {
              found.previousSibling = definition.node;
              break;
            }
          }
          while (scope) {
            scope.set.get(name)?.defs.forEach((definition) => {
              if (definition.type === scope_manager_1.DefinitionType.ImportBinding) {
                found.imports.push(definition.node);
              }
            });
            scope = scope.upper;
          }
          return found;
        }
        function getAllowedTypeForNode(node) {
          return tsutils.isTypeFlagSet(typeChecker.getTypeAtLocation(node), ts.TypeFlags.StringLike) ? AllowedType.String : AllowedType.Number;
        }
        function getTypeFromImported(imported) {
          const type = typeChecker.getTypeAtLocation(parserServices.esTreeNodeToTSNodeMap.get(imported));
          const valueDeclaration = type.getSymbol()?.valueDeclaration;
          if (!valueDeclaration || !ts.isEnumDeclaration(valueDeclaration) || valueDeclaration.members.length === 0) {
            return void 0;
          }
          return getAllowedTypeForNode(valueDeclaration.members[0]);
        }
        function getMemberType(member) {
          if (!member.initializer) {
            return AllowedType.Number;
          }
          switch (member.initializer.type) {
            case utils_1.AST_NODE_TYPES.Literal:
              switch (typeof member.initializer.value) {
                case "number":
                  return AllowedType.Number;
                case "string":
                  return AllowedType.String;
                default:
                  return AllowedType.Unknown;
              }
            case utils_1.AST_NODE_TYPES.TemplateLiteral:
              return AllowedType.String;
            default:
              return getAllowedTypeForNode(parserServices.esTreeNodeToTSNodeMap.get(member.initializer));
          }
        }
        function getDesiredTypeForDefinition(node) {
          const { imports, previousSibling } = collectNodeDefinitions(node);
          for (const imported of imports) {
            const typeFromImported = getTypeFromImported(imported);
            if (typeFromImported !== void 0) {
              return typeFromImported;
            }
          }
          if (previousSibling) {
            return getMemberType(previousSibling.members[0]);
          }
          if (node.parent.type === utils_1.AST_NODE_TYPES.ExportNamedDeclaration && node.parent.parent.type === utils_1.AST_NODE_TYPES.TSModuleBlock) {
            const tsNode = parserServices.esTreeNodeToTSNodeMap.get(node.id);
            const declarations = typeChecker.getSymbolAtLocation(tsNode).getDeclarations();
            for (const declaration of declarations) {
              for (const member of declaration.members) {
                return member.initializer ? tsutils.isTypeFlagSet(typeChecker.getTypeAtLocation(member.initializer), ts.TypeFlags.StringLike) ? AllowedType.String : AllowedType.Number : AllowedType.Number;
              }
            }
          }
          return getMemberType(node.members[0]);
        }
        return {
          TSEnumDeclaration(node) {
            if (!node.members.length) {
              return;
            }
            let desiredType = getDesiredTypeForDefinition(node);
            if (desiredType === ts.TypeFlags.Unknown) {
              return;
            }
            for (const member of node.members) {
              const currentType = getMemberType(member);
              if (currentType === AllowedType.Unknown) {
                return;
              }
              if (currentType === AllowedType.Number) {
                desiredType ??= currentType;
              }
              if (currentType !== desiredType) {
                context.report({
                  messageId: "mixed",
                  node: member.initializer ?? member
                });
                return;
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-namespace.js
var require_no_namespace = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-namespace.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-namespace",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow TypeScript namespaces",
          recommended: "recommended"
        },
        messages: {
          moduleSyntaxIsPreferred: "ES2015 module syntax is preferred over namespaces."
        },
        schema: [
          {
            type: "object",
            properties: {
              allowDeclarations: {
                description: "Whether to allow `declare` with custom TypeScript namespaces.",
                type: "boolean"
              },
              allowDefinitionFiles: {
                description: "Whether to allow `declare` with custom TypeScript namespaces inside definition files.",
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          allowDeclarations: false,
          allowDefinitionFiles: true
        }
      ],
      create(context, [{ allowDeclarations, allowDefinitionFiles }]) {
        function isDeclaration(node) {
          if (node.type === utils_1.AST_NODE_TYPES.TSModuleDeclaration && node.declare) {
            return true;
          }
          return node.parent != null && isDeclaration(node.parent);
        }
        return {
          "TSModuleDeclaration[global!=true][id.type!='Literal']"(node) {
            if (node.parent.type === utils_1.AST_NODE_TYPES.TSModuleDeclaration || allowDefinitionFiles && (0, util_1.isDefinitionFile)(context.filename) || allowDeclarations && isDeclaration(node)) {
              return;
            }
            context.report({
              node,
              messageId: "moduleSyntaxIsPreferred"
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-non-null-asserted-nullish-coalescing.js
var require_no_non_null_asserted_nullish_coalescing = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-non-null-asserted-nullish-coalescing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    function hasAssignmentBeforeNode(variable, node) {
      return variable.references.some((ref) => ref.isWrite() && ref.identifier.range[1] < node.range[1]) || variable.defs.some((def) => isDefinitionWithAssignment(def) && def.node.range[1] < node.range[1]);
    }
    function isDefinitionWithAssignment(definition) {
      if (definition.type !== scope_manager_1.DefinitionType.Variable) {
        return false;
      }
      const variableDeclarator = definition.node;
      return variableDeclarator.definite || variableDeclarator.init != null;
    }
    exports2.default = (0, util_1.createRule)({
      name: "no-non-null-asserted-nullish-coalescing",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow non-null assertions in the left operand of a nullish coalescing operator",
          recommended: "strict"
        },
        messages: {
          noNonNullAssertedNullishCoalescing: "The nullish coalescing operator is designed to handle undefined and null - using a non-null assertion is not needed.",
          suggestRemovingNonNull: "Remove the non-null assertion."
        },
        schema: [],
        hasSuggestions: true
      },
      defaultOptions: [],
      create(context) {
        return {
          'LogicalExpression[operator = "??"] > TSNonNullExpression.left'(node) {
            if (node.expression.type === utils_1.TSESTree.AST_NODE_TYPES.Identifier) {
              const scope = context.sourceCode.getScope(node);
              const identifier = node.expression;
              const variable = utils_1.ASTUtils.findVariable(scope, identifier.name);
              if (variable && !hasAssignmentBeforeNode(variable, node)) {
                return;
              }
            }
            context.report({
              node,
              messageId: "noNonNullAssertedNullishCoalescing",
              /*
                        Use a suggestion instead of a fixer, because this can break type checks.
                        The resulting type of the nullish coalesce is only influenced by the right operand if the left operand can be `null` or `undefined`.
                        After removing the non-null assertion the type of the left operand might contain `null` or `undefined` and then the type of the right operand
                        might change the resulting type of the nullish coalesce.
                        See the following example:
              
                        function test(x?: string): string {
                          const bar = x! ?? false; // type analysis reports `bar` has type `string`
                          //          x  ?? false; // type analysis reports `bar` has type `string | false`
                          return bar;
                        }
                        */
              suggest: [
                {
                  messageId: "suggestRemovingNonNull",
                  fix(fixer) {
                    const exclamationMark = (0, util_1.nullThrows)(context.sourceCode.getLastToken(node, utils_1.ASTUtils.isNonNullAssertionPunctuator), util_1.NullThrowsReasons.MissingToken("!", "Non-null Assertion"));
                    return fixer.remove(exclamationMark);
                  }
                }
              ]
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-non-null-asserted-optional-chain.js
var require_no_non_null_asserted_optional_chain = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-non-null-asserted-optional-chain.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-non-null-asserted-optional-chain",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow non-null assertions after an optional chain expression",
          recommended: "recommended"
        },
        hasSuggestions: true,
        messages: {
          noNonNullOptionalChain: "Optional chain expressions can return undefined by design - using a non-null assertion is unsafe and wrong.",
          suggestRemovingNonNull: "You should remove the non-null assertion."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        return {
          // non-nulling a wrapped chain will scrub all nulls introduced by the chain
          // (x?.y)!
          // (x?.())!
          "TSNonNullExpression > ChainExpression"(node) {
            const parent = node.parent;
            context.report({
              node,
              messageId: "noNonNullOptionalChain",
              // use a suggestion instead of a fixer, because this can obviously break type checks
              suggest: [
                {
                  messageId: "suggestRemovingNonNull",
                  fix(fixer) {
                    return fixer.removeRange([
                      parent.range[1] - 1,
                      parent.range[1]
                    ]);
                  }
                }
              ]
            });
          },
          // non-nulling at the end of a chain will scrub all nulls introduced by the chain
          // x?.y!
          // x?.()!
          "ChainExpression > TSNonNullExpression"(node) {
            context.report({
              node,
              messageId: "noNonNullOptionalChain",
              // use a suggestion instead of a fixer, because this can obviously break type checks
              suggest: [
                {
                  messageId: "suggestRemovingNonNull",
                  fix(fixer) {
                    return fixer.removeRange([node.range[1] - 1, node.range[1]]);
                  }
                }
              ]
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-non-null-assertion.js
var require_no_non_null_assertion = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-non-null-assertion.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-non-null-assertion",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow non-null assertions using the `!` postfix operator",
          recommended: "strict"
        },
        hasSuggestions: true,
        messages: {
          noNonNull: "Forbidden non-null assertion.",
          suggestOptionalChain: "Consider using the optional chain operator `?.` instead. This operator includes runtime checks, so it is safer than the compile-only non-null assertion operator."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        return {
          TSNonNullExpression(node) {
            const suggest = [];
            const nonNullOperator = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.expression, util_1.isNonNullAssertionPunctuator), util_1.NullThrowsReasons.MissingToken("!", "expression"));
            function replaceTokenWithOptional() {
              return (fixer) => fixer.replaceText(nonNullOperator, "?.");
            }
            function removeToken() {
              return (fixer) => fixer.remove(nonNullOperator);
            }
            if (node.parent.type === utils_1.AST_NODE_TYPES.MemberExpression && node.parent.object === node) {
              if (!node.parent.optional) {
                if (node.parent.computed) {
                  suggest.push({
                    messageId: "suggestOptionalChain",
                    fix: replaceTokenWithOptional()
                  });
                } else {
                  suggest.push({
                    messageId: "suggestOptionalChain",
                    fix(fixer) {
                      const punctuator = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(nonNullOperator), util_1.NullThrowsReasons.MissingToken(".", "!"));
                      return [
                        fixer.remove(nonNullOperator),
                        fixer.insertTextBefore(punctuator, "?")
                      ];
                    }
                  });
                }
              } else {
                if (node.parent.computed) {
                  suggest.push({
                    messageId: "suggestOptionalChain",
                    fix: removeToken()
                  });
                } else {
                  suggest.push({
                    messageId: "suggestOptionalChain",
                    fix: removeToken()
                  });
                }
              }
            } else if (node.parent.type === utils_1.AST_NODE_TYPES.CallExpression && node.parent.callee === node) {
              if (!node.parent.optional) {
                suggest.push({
                  messageId: "suggestOptionalChain",
                  fix: replaceTokenWithOptional()
                });
              } else {
                suggest.push({
                  messageId: "suggestOptionalChain",
                  fix: removeToken()
                });
              }
            }
            context.report({
              node,
              messageId: "noNonNull",
              suggest
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-redeclare.js
var require_no_redeclare = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-redeclare.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-redeclare",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow variable redeclaration",
          extendsBaseRule: true
        },
        schema: [
          {
            type: "object",
            properties: {
              builtinGlobals: {
                type: "boolean"
              },
              ignoreDeclarationMerge: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          redeclared: "'{{id}}' is already defined.",
          redeclaredAsBuiltin: "'{{id}}' is already defined as a built-in global variable.",
          redeclaredBySyntax: "'{{id}}' is already defined by a variable declaration."
        }
      },
      defaultOptions: [
        {
          builtinGlobals: true,
          ignoreDeclarationMerge: true
        }
      ],
      create(context, [options]) {
        const CLASS_DECLARATION_MERGE_NODES = /* @__PURE__ */ new Set([
          utils_1.AST_NODE_TYPES.TSInterfaceDeclaration,
          utils_1.AST_NODE_TYPES.TSModuleDeclaration,
          utils_1.AST_NODE_TYPES.ClassDeclaration
        ]);
        const FUNCTION_DECLARATION_MERGE_NODES = /* @__PURE__ */ new Set([
          utils_1.AST_NODE_TYPES.TSModuleDeclaration,
          utils_1.AST_NODE_TYPES.FunctionDeclaration
        ]);
        const ENUM_DECLARATION_MERGE_NODES = /* @__PURE__ */ new Set([
          utils_1.AST_NODE_TYPES.TSEnumDeclaration,
          utils_1.AST_NODE_TYPES.TSModuleDeclaration
        ]);
        function* iterateDeclarations(variable) {
          if (options.builtinGlobals && "eslintImplicitGlobalSetting" in variable && (variable.eslintImplicitGlobalSetting === "readonly" || variable.eslintImplicitGlobalSetting === "writable")) {
            yield { type: "builtin" };
          }
          if ("eslintExplicitGlobalComments" in variable && variable.eslintExplicitGlobalComments) {
            for (const comment of variable.eslintExplicitGlobalComments) {
              yield {
                type: "comment",
                node: comment,
                loc: (0, util_1.getNameLocationInGlobalDirectiveComment)(context.sourceCode, comment, variable.name)
              };
            }
          }
          const identifiers = variable.identifiers.map((id) => ({
            identifier: id,
            parent: id.parent
          })).filter(({ parent }) => parent.type !== utils_1.AST_NODE_TYPES.TSDeclareFunction);
          if (options.ignoreDeclarationMerge && identifiers.length > 1) {
            if (
              // interfaces merging
              identifiers.every(({ parent }) => parent.type === utils_1.AST_NODE_TYPES.TSInterfaceDeclaration)
            ) {
              return;
            }
            if (
              // namespace/module merging
              identifiers.every(({ parent }) => parent.type === utils_1.AST_NODE_TYPES.TSModuleDeclaration)
            ) {
              return;
            }
            if (
              // class + interface/namespace merging
              identifiers.every(({ parent }) => CLASS_DECLARATION_MERGE_NODES.has(parent.type))
            ) {
              const classDecls = identifiers.filter(({ parent }) => parent.type === utils_1.AST_NODE_TYPES.ClassDeclaration);
              if (classDecls.length === 1) {
                return;
              }
              for (const { identifier } of classDecls) {
                yield { type: "syntax", node: identifier, loc: identifier.loc };
              }
              return;
            }
            if (
              // class + interface/namespace merging
              identifiers.every(({ parent }) => FUNCTION_DECLARATION_MERGE_NODES.has(parent.type))
            ) {
              const functionDecls = identifiers.filter(({ parent }) => parent.type === utils_1.AST_NODE_TYPES.FunctionDeclaration);
              if (functionDecls.length === 1) {
                return;
              }
              for (const { identifier } of functionDecls) {
                yield { type: "syntax", node: identifier, loc: identifier.loc };
              }
              return;
            }
            if (
              // enum + namespace merging
              identifiers.every(({ parent }) => ENUM_DECLARATION_MERGE_NODES.has(parent.type))
            ) {
              const enumDecls = identifiers.filter(({ parent }) => parent.type === utils_1.AST_NODE_TYPES.TSEnumDeclaration);
              if (enumDecls.length === 1) {
                return;
              }
              for (const { identifier } of enumDecls) {
                yield { type: "syntax", node: identifier, loc: identifier.loc };
              }
              return;
            }
          }
          for (const { identifier } of identifiers) {
            yield { type: "syntax", node: identifier, loc: identifier.loc };
          }
        }
        function findVariablesInScope(scope) {
          for (const variable of scope.variables) {
            const [declaration, ...extraDeclarations] = iterateDeclarations(variable);
            if (extraDeclarations.length === 0) {
              continue;
            }
            const detailMessageId = declaration.type === "builtin" ? "redeclaredAsBuiltin" : "redeclaredBySyntax";
            const data = { id: variable.name };
            for (const { type, node, loc } of extraDeclarations) {
              const messageId4 = type === declaration.type ? "redeclared" : detailMessageId;
              if (node) {
                context.report({ node, loc, messageId: messageId4, data });
              } else if (loc) {
                context.report({ loc, messageId: messageId4, data });
              }
            }
          }
        }
        function checkForBlock(node) {
          const scope = context.sourceCode.getScope(node);
          if (scope.block === node) {
            findVariablesInScope(scope);
          }
        }
        return {
          Program(node) {
            const scope = context.sourceCode.getScope(node);
            findVariablesInScope(scope);
            if (scope.type === scope_manager_1.ScopeType.global && scope.childScopes[0] && // The special scope's block is the Program node.
            scope.block === scope.childScopes[0].block) {
              findVariablesInScope(scope.childScopes[0]);
            }
          },
          FunctionDeclaration: checkForBlock,
          FunctionExpression: checkForBlock,
          ArrowFunctionExpression: checkForBlock,
          BlockStatement: checkForBlock,
          ForStatement: checkForBlock,
          ForInStatement: checkForBlock,
          ForOfStatement: checkForBlock,
          SwitchStatement: checkForBlock
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-redundant-type-constituents.js
var require_no_redundant_type_constituents = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-redundant-type-constituents.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    var literalToPrimitiveTypeFlags = {
      [ts.TypeFlags.BigIntLiteral]: ts.TypeFlags.BigInt,
      [ts.TypeFlags.BooleanLiteral]: ts.TypeFlags.Boolean,
      [ts.TypeFlags.NumberLiteral]: ts.TypeFlags.Number,
      [ts.TypeFlags.StringLiteral]: ts.TypeFlags.String,
      [ts.TypeFlags.TemplateLiteral]: ts.TypeFlags.String
    };
    var literalTypeFlags = [
      ts.TypeFlags.BigIntLiteral,
      ts.TypeFlags.BooleanLiteral,
      ts.TypeFlags.NumberLiteral,
      ts.TypeFlags.StringLiteral,
      ts.TypeFlags.TemplateLiteral
    ];
    var primitiveTypeFlags = [
      ts.TypeFlags.BigInt,
      ts.TypeFlags.Boolean,
      ts.TypeFlags.Number,
      ts.TypeFlags.String
    ];
    var primitiveTypeFlagNames = {
      [ts.TypeFlags.BigInt]: "bigint",
      [ts.TypeFlags.Boolean]: "boolean",
      [ts.TypeFlags.Number]: "number",
      [ts.TypeFlags.String]: "string"
    };
    var primitiveTypeFlagTypes = {
      bigint: ts.TypeFlags.BigIntLiteral,
      boolean: ts.TypeFlags.BooleanLiteral,
      number: ts.TypeFlags.NumberLiteral,
      string: ts.TypeFlags.StringLiteral
    };
    var keywordNodeTypesToTsTypes = /* @__PURE__ */ new Map([
      [utils_1.TSESTree.AST_NODE_TYPES.TSAnyKeyword, ts.TypeFlags.Any],
      [utils_1.TSESTree.AST_NODE_TYPES.TSBigIntKeyword, ts.TypeFlags.BigInt],
      [utils_1.TSESTree.AST_NODE_TYPES.TSBooleanKeyword, ts.TypeFlags.Boolean],
      [utils_1.TSESTree.AST_NODE_TYPES.TSNeverKeyword, ts.TypeFlags.Never],
      [utils_1.TSESTree.AST_NODE_TYPES.TSUnknownKeyword, ts.TypeFlags.Unknown],
      [utils_1.TSESTree.AST_NODE_TYPES.TSNumberKeyword, ts.TypeFlags.Number],
      [utils_1.TSESTree.AST_NODE_TYPES.TSStringKeyword, ts.TypeFlags.String]
    ]);
    function addToMapGroup(map, key, value) {
      const existing = map.get(key);
      if (existing) {
        existing.push(value);
      } else {
        map.set(key, [value]);
      }
    }
    function describeLiteralType(type) {
      if (type.isStringLiteral()) {
        return JSON.stringify(type.value);
      }
      if ((0, util_1.isTypeBigIntLiteralType)(type)) {
        return `${type.value.negative ? "-" : ""}${type.value.base10Value}n`;
      }
      if (type.isLiteral()) {
        return type.value.toString();
      }
      if ((0, util_1.isTypeAnyType)(type)) {
        return "any";
      }
      if ((0, util_1.isTypeNeverType)(type)) {
        return "never";
      }
      if ((0, util_1.isTypeUnknownType)(type)) {
        return "unknown";
      }
      if ((0, util_1.isTypeTemplateLiteralType)(type)) {
        return "template literal type";
      }
      if ((0, util_1.isTypeBigIntLiteralType)(type)) {
        return `${type.value.negative ? "-" : ""}${type.value.base10Value}n`;
      }
      if (tsutils.isTrueLiteralType(type)) {
        return "true";
      }
      if (tsutils.isFalseLiteralType(type)) {
        return "false";
      }
      return "literal type";
    }
    function describeLiteralTypeNode(typeNode) {
      switch (typeNode.type) {
        case utils_1.AST_NODE_TYPES.TSAnyKeyword:
          return "any";
        case utils_1.AST_NODE_TYPES.TSBooleanKeyword:
          return "boolean";
        case utils_1.AST_NODE_TYPES.TSNeverKeyword:
          return "never";
        case utils_1.AST_NODE_TYPES.TSNumberKeyword:
          return "number";
        case utils_1.AST_NODE_TYPES.TSStringKeyword:
          return "string";
        case utils_1.AST_NODE_TYPES.TSUnknownKeyword:
          return "unknown";
        case utils_1.AST_NODE_TYPES.TSLiteralType:
          switch (typeNode.literal.type) {
            case utils_1.TSESTree.AST_NODE_TYPES.Literal:
              switch (typeof typeNode.literal.value) {
                case "bigint":
                  return `${typeNode.literal.value < 0 ? "-" : ""}${typeNode.literal.value}n`;
                case "string":
                  return JSON.stringify(typeNode.literal.value);
                default:
                  return `${typeNode.literal.value}`;
              }
            case utils_1.TSESTree.AST_NODE_TYPES.TemplateLiteral:
              return "template literal type";
          }
      }
      return "literal type";
    }
    function isNodeInsideReturnType(node) {
      return !!(node.parent.type === utils_1.AST_NODE_TYPES.TSTypeAnnotation && ((0, util_1.isFunctionType)(node.parent.parent) || (0, util_1.isFunction)(node.parent.parent)));
    }
    function unionTypePartsUnlessBoolean(type) {
      return type.isUnion() && type.types.length === 2 && tsutils.isFalseLiteralType(type.types[0]) && tsutils.isTrueLiteralType(type.types[1]) ? [type] : tsutils.unionTypeParts(type);
    }
    exports2.default = (0, util_1.createRule)({
      name: "no-redundant-type-constituents",
      meta: {
        docs: {
          description: "Disallow members of unions and intersections that do nothing or override type information",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          literalOverridden: `{{literal}} is overridden by {{primitive}} in this union type.`,
          primitiveOverridden: `{{primitive}} is overridden by the {{literal}} in this intersection type.`,
          overridden: `'{{typeName}}' is overridden by other types in this {{container}} type.`,
          overrides: `'{{typeName}}' overrides all other types in this {{container}} type.`
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const typesCache = /* @__PURE__ */ new Map();
        function getTypeNodeTypePartFlags(typeNode) {
          const keywordTypeFlags = keywordNodeTypesToTsTypes.get(typeNode.type);
          if (keywordTypeFlags) {
            return [
              {
                typeFlags: keywordTypeFlags,
                typeName: describeLiteralTypeNode(typeNode)
              }
            ];
          }
          if (typeNode.type === utils_1.AST_NODE_TYPES.TSLiteralType && typeNode.literal.type === utils_1.AST_NODE_TYPES.Literal) {
            return [
              {
                typeFlags: primitiveTypeFlagTypes[typeof typeNode.literal.value],
                typeName: describeLiteralTypeNode(typeNode)
              }
            ];
          }
          if (typeNode.type === utils_1.AST_NODE_TYPES.TSUnionType) {
            return typeNode.types.flatMap(getTypeNodeTypePartFlags);
          }
          const nodeType = services.getTypeAtLocation(typeNode);
          const typeParts = unionTypePartsUnlessBoolean(nodeType);
          return typeParts.map((typePart) => ({
            typeFlags: typePart.flags,
            typeName: describeLiteralType(typePart)
          }));
        }
        function getTypeNodeTypePartFlagsCached(typeNode) {
          const existing = typesCache.get(typeNode);
          if (existing) {
            return existing;
          }
          const created = getTypeNodeTypePartFlags(typeNode);
          typesCache.set(typeNode, created);
          return created;
        }
        return {
          "TSIntersectionType:exit"(node) {
            const seenLiteralTypes = /* @__PURE__ */ new Map();
            const seenPrimitiveTypes = /* @__PURE__ */ new Map();
            const seenUnionTypes = /* @__PURE__ */ new Map();
            function checkIntersectionBottomAndTopTypes({ typeFlags, typeName }, typeNode) {
              for (const [messageId4, checkFlag] of [
                ["overrides", ts.TypeFlags.Any],
                ["overrides", ts.TypeFlags.Never],
                ["overridden", ts.TypeFlags.Unknown]
              ]) {
                if (typeFlags === checkFlag) {
                  context.report({
                    data: {
                      container: "intersection",
                      typeName
                    },
                    messageId: messageId4,
                    node: typeNode
                  });
                  return true;
                }
              }
              return false;
            }
            for (const typeNode of node.types) {
              const typePartFlags = getTypeNodeTypePartFlagsCached(typeNode);
              for (const typePart of typePartFlags) {
                if (checkIntersectionBottomAndTopTypes(typePart, typeNode)) {
                  continue;
                }
                for (const literalTypeFlag of literalTypeFlags) {
                  if (typePart.typeFlags === literalTypeFlag) {
                    addToMapGroup(seenLiteralTypes, literalToPrimitiveTypeFlags[literalTypeFlag], typePart.typeName);
                    break;
                  }
                }
                for (const primitiveTypeFlag of primitiveTypeFlags) {
                  if (typePart.typeFlags === primitiveTypeFlag) {
                    addToMapGroup(seenPrimitiveTypes, primitiveTypeFlag, typeNode);
                  }
                }
              }
              if (typePartFlags.length >= 2) {
                seenUnionTypes.set(typeNode, typePartFlags);
              }
            }
            const checkIfUnionsAreAssignable = () => {
              for (const [typeRef, typeValues] of seenUnionTypes) {
                let primitive = void 0;
                for (const { typeFlags } of typeValues) {
                  if (seenPrimitiveTypes.has(literalToPrimitiveTypeFlags[typeFlags])) {
                    primitive = literalToPrimitiveTypeFlags[typeFlags];
                  } else {
                    primitive = void 0;
                    break;
                  }
                }
                if (Number.isInteger(primitive)) {
                  context.report({
                    data: {
                      literal: typeValues.map((name) => name.typeName).join(" | "),
                      primitive: primitiveTypeFlagNames[primitive]
                    },
                    messageId: "primitiveOverridden",
                    node: typeRef
                  });
                }
              }
            };
            if (seenUnionTypes.size > 0) {
              checkIfUnionsAreAssignable();
              return;
            }
            for (const [primitiveTypeFlag, typeNodes] of seenPrimitiveTypes) {
              const matchedLiteralTypes = seenLiteralTypes.get(primitiveTypeFlag);
              if (matchedLiteralTypes) {
                for (const typeNode of typeNodes) {
                  context.report({
                    data: {
                      literal: matchedLiteralTypes.join(" | "),
                      primitive: primitiveTypeFlagNames[primitiveTypeFlag]
                    },
                    messageId: "primitiveOverridden",
                    node: typeNode
                  });
                }
              }
            }
          },
          "TSUnionType:exit"(node) {
            const seenLiteralTypes = /* @__PURE__ */ new Map();
            const seenPrimitiveTypes = /* @__PURE__ */ new Set();
            function checkUnionBottomAndTopTypes({ typeFlags, typeName }, typeNode) {
              for (const checkFlag of [
                ts.TypeFlags.Any,
                ts.TypeFlags.Unknown
              ]) {
                if (typeFlags === checkFlag) {
                  context.report({
                    data: {
                      container: "union",
                      typeName
                    },
                    messageId: "overrides",
                    node: typeNode
                  });
                  return true;
                }
              }
              if (typeFlags === ts.TypeFlags.Never && !isNodeInsideReturnType(node)) {
                context.report({
                  data: {
                    container: "union",
                    typeName: "never"
                  },
                  messageId: "overridden",
                  node: typeNode
                });
                return true;
              }
              return false;
            }
            for (const typeNode of node.types) {
              const typePartFlags = getTypeNodeTypePartFlagsCached(typeNode);
              for (const typePart of typePartFlags) {
                if (checkUnionBottomAndTopTypes(typePart, typeNode)) {
                  continue;
                }
                for (const literalTypeFlag of literalTypeFlags) {
                  if (typePart.typeFlags === literalTypeFlag) {
                    addToMapGroup(seenLiteralTypes, literalToPrimitiveTypeFlags[literalTypeFlag], {
                      literalValue: typePart.typeName,
                      typeNode
                    });
                    break;
                  }
                }
                for (const primitiveTypeFlag of primitiveTypeFlags) {
                  if ((typePart.typeFlags & primitiveTypeFlag) !== 0) {
                    seenPrimitiveTypes.add(primitiveTypeFlag);
                  }
                }
              }
            }
            const overriddenTypeNodes = /* @__PURE__ */ new Map();
            for (const [primitiveTypeFlag, typeNodesWithText] of seenLiteralTypes) {
              if (seenPrimitiveTypes.has(primitiveTypeFlag)) {
                for (const { literalValue, typeNode } of typeNodesWithText) {
                  addToMapGroup(overriddenTypeNodes, typeNode, {
                    literalValue,
                    primitiveTypeFlag
                  });
                }
              }
            }
            for (const [typeNode, typeFlagsWithText] of overriddenTypeNodes) {
              const grouped = (0, util_1.arrayGroupByToMap)(typeFlagsWithText, (pair) => pair.primitiveTypeFlag);
              for (const [primitiveTypeFlag, pairs] of grouped) {
                context.report({
                  data: {
                    literal: pairs.map((pair) => pair.literalValue).join(" | "),
                    primitive: primitiveTypeFlagNames[primitiveTypeFlag]
                  },
                  messageId: "literalOverridden",
                  node: typeNode
                });
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-require-imports.js
var require_no_require_imports = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-require-imports.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util5 = __importStar2(require_util4());
    exports2.default = util5.createRule({
      name: "no-require-imports",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow invocation of `require()`"
        },
        schema: [
          {
            type: "object",
            properties: {
              allow: {
                type: "array",
                items: { type: "string" },
                description: "Patterns of import paths to allow requiring from."
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          noRequireImports: "A `require()` style import is forbidden."
        }
      },
      defaultOptions: [{ allow: [] }],
      create(context, options) {
        const allowPatterns = options[0].allow.map((pattern) => new RegExp(pattern, "u"));
        function isImportPathAllowed(importPath) {
          return allowPatterns.some((pattern) => importPath.match(pattern));
        }
        function isStringOrTemplateLiteral(node) {
          return node.type === utils_1.AST_NODE_TYPES.Literal && typeof node.value === "string" || node.type === utils_1.AST_NODE_TYPES.TemplateLiteral;
        }
        return {
          'CallExpression[callee.name="require"]'(node) {
            if (node.arguments[0] && isStringOrTemplateLiteral(node.arguments[0])) {
              const argValue = util5.getStaticStringValue(node.arguments[0]);
              if (typeof argValue === "string" && isImportPathAllowed(argValue)) {
                return;
              }
            }
            const variable = utils_1.ASTUtils.findVariable(context.sourceCode.getScope(node), "require");
            if (!variable?.identifiers.length) {
              context.report({
                node,
                messageId: "noRequireImports"
              });
            }
          },
          TSExternalModuleReference(node) {
            if (isStringOrTemplateLiteral(node.expression)) {
              const argValue = util5.getStaticStringValue(node.expression);
              if (typeof argValue === "string" && isImportPathAllowed(argValue)) {
                return;
              }
            }
            context.report({
              node,
              messageId: "noRequireImports"
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-restricted-imports.js
var require_no_restricted_imports = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-restricted-imports.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var ignore_1 = __importDefault2(require_ignore());
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-restricted-imports");
    var tryAccess = (getter, fallback) => {
      try {
        return getter();
      } catch {
        return fallback;
      }
    };
    var baseSchema = baseRule2.meta.schema;
    var allowTypeImportsOptionSchema = {
      allowTypeImports: {
        type: "boolean",
        description: "Disallow value imports, but allow type-only imports."
      }
    };
    var arrayOfStringsOrObjects = {
      type: "array",
      items: {
        anyOf: [
          { type: "string" },
          {
            type: "object",
            additionalProperties: false,
            properties: {
              ...tryAccess(() => baseSchema.anyOf[1].items[0].properties.paths.items.anyOf[1].properties, void 0),
              ...allowTypeImportsOptionSchema
            },
            required: tryAccess(() => baseSchema.anyOf[1].items[0].properties.paths.items.anyOf[1].required, void 0)
          }
        ]
      },
      uniqueItems: true
    };
    var arrayOfStringsOrObjectPatterns = {
      anyOf: [
        {
          type: "array",
          items: {
            type: "string"
          },
          uniqueItems: true
        },
        {
          type: "array",
          items: {
            type: "object",
            additionalProperties: false,
            properties: {
              ...tryAccess(() => baseSchema.anyOf[1].items[0].properties.patterns.anyOf[1].items.properties, void 0),
              ...allowTypeImportsOptionSchema
            },
            required: tryAccess(() => baseSchema.anyOf[1].items[0].properties.patterns.anyOf[1].items.required, [])
          },
          uniqueItems: true
        }
      ]
    };
    var schema30 = {
      anyOf: [
        arrayOfStringsOrObjects,
        {
          type: "array",
          items: [
            {
              type: "object",
              properties: {
                paths: arrayOfStringsOrObjects,
                patterns: arrayOfStringsOrObjectPatterns
              },
              additionalProperties: false
            }
          ],
          additionalItems: false
        }
      ]
    };
    function isObjectOfPaths(obj) {
      return Object.prototype.hasOwnProperty.call(obj, "paths");
    }
    function isObjectOfPatterns(obj) {
      return Object.prototype.hasOwnProperty.call(obj, "patterns");
    }
    function isOptionsArrayOfStringOrObject(options) {
      if (isObjectOfPaths(options[0])) {
        return false;
      }
      if (isObjectOfPatterns(options[0])) {
        return false;
      }
      return true;
    }
    function getRestrictedPaths(options) {
      if (isOptionsArrayOfStringOrObject(options)) {
        return options;
      }
      if (isObjectOfPaths(options[0])) {
        return options[0].paths;
      }
      return [];
    }
    function getRestrictedPatterns(options) {
      if (isObjectOfPatterns(options[0])) {
        return options[0].patterns;
      }
      return [];
    }
    function shouldCreateRule(baseRules, options) {
      if (Object.keys(baseRules).length === 0 || options.length === 0) {
        return false;
      }
      if (!isOptionsArrayOfStringOrObject(options)) {
        return !!(options[0].paths?.length || options[0].patterns?.length);
      }
      return true;
    }
    exports2.default = (0, util_1.createRule)({
      name: "no-restricted-imports",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow specified modules when loaded by `import`",
          extendsBaseRule: true
        },
        messages: baseRule2.meta.messages,
        fixable: baseRule2.meta.fixable,
        schema: schema30
      },
      defaultOptions: [],
      create(context) {
        const rules = baseRule2.create(context);
        const { options } = context;
        if (!shouldCreateRule(rules, options)) {
          return {};
        }
        const restrictedPaths = getRestrictedPaths(options);
        const allowedTypeImportPathNameSet = /* @__PURE__ */ new Set();
        for (const restrictedPath of restrictedPaths) {
          if (typeof restrictedPath === "object" && restrictedPath.allowTypeImports) {
            allowedTypeImportPathNameSet.add(restrictedPath.name);
          }
        }
        function isAllowedTypeImportPath(importSource) {
          return allowedTypeImportPathNameSet.has(importSource);
        }
        const restrictedPatterns = getRestrictedPatterns(options);
        const allowedImportTypeMatchers = [];
        for (const restrictedPattern of restrictedPatterns) {
          if (typeof restrictedPattern === "object" && restrictedPattern.allowTypeImports) {
            allowedImportTypeMatchers.push((0, ignore_1.default)({
              allowRelativePaths: true,
              ignoreCase: !restrictedPattern.caseSensitive
            }).add(restrictedPattern.group));
          }
        }
        function isAllowedTypeImportPattern(importSource) {
          return (
            // As long as there's one matching pattern that allows type import
            allowedImportTypeMatchers.some((matcher) => matcher.ignores(importSource))
          );
        }
        function checkImportNode(node) {
          if (node.importKind === "type" || node.specifiers.length > 0 && node.specifiers.every((specifier) => specifier.type === utils_1.AST_NODE_TYPES.ImportSpecifier && specifier.importKind === "type")) {
            const importSource = node.source.value.trim();
            if (!isAllowedTypeImportPath(importSource) && !isAllowedTypeImportPattern(importSource)) {
              return rules.ImportDeclaration(node);
            }
          } else {
            return rules.ImportDeclaration(node);
          }
        }
        return {
          TSImportEqualsDeclaration(node) {
            if (node.moduleReference.type === utils_1.AST_NODE_TYPES.TSExternalModuleReference) {
              const synthesizedImport = {
                ...node,
                type: utils_1.AST_NODE_TYPES.ImportDeclaration,
                source: node.moduleReference.expression,
                assertions: [],
                attributes: [],
                specifiers: [
                  {
                    ...node.id,
                    type: utils_1.AST_NODE_TYPES.ImportDefaultSpecifier,
                    local: node.id
                  }
                ]
              };
              return checkImportNode(synthesizedImport);
            }
          },
          ImportDeclaration: checkImportNode,
          "ExportNamedDeclaration[source]"(node) {
            if (node.exportKind === "type" || node.specifiers.length > 0 && node.specifiers.every((specifier) => specifier.exportKind === "type")) {
              const importSource = node.source.value.trim();
              if (!isAllowedTypeImportPath(importSource) && !isAllowedTypeImportPattern(importSource)) {
                return rules.ExportNamedDeclaration(node);
              }
            } else {
              return rules.ExportNamedDeclaration(node);
            }
          },
          ExportAllDeclaration: rules.ExportAllDeclaration
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-shadow.js
var require_no_shadow = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-shadow.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var allowedFunctionVariableDefTypes = /* @__PURE__ */ new Set([
      utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration,
      utils_1.AST_NODE_TYPES.TSFunctionType,
      utils_1.AST_NODE_TYPES.TSMethodSignature
    ]);
    exports2.default = (0, util_1.createRule)({
      name: "no-shadow",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow variable declarations from shadowing variables declared in the outer scope",
          extendsBaseRule: true
        },
        schema: [
          {
            type: "object",
            properties: {
              builtinGlobals: {
                type: "boolean"
              },
              hoist: {
                type: "string",
                enum: ["all", "functions", "never"]
              },
              allow: {
                type: "array",
                items: {
                  type: "string"
                }
              },
              ignoreOnInitialization: {
                type: "boolean"
              },
              ignoreTypeValueShadow: {
                type: "boolean"
              },
              ignoreFunctionTypeParameterNameValueShadow: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          noShadow: "'{{name}}' is already declared in the upper scope on line {{shadowedLine}} column {{shadowedColumn}}.",
          noShadowGlobal: "'{{name}}' is already a global variable."
        }
      },
      defaultOptions: [
        {
          allow: [],
          builtinGlobals: false,
          hoist: "functions",
          ignoreOnInitialization: false,
          ignoreTypeValueShadow: true,
          ignoreFunctionTypeParameterNameValueShadow: true
        }
      ],
      create(context, [options]) {
        function isGlobalAugmentation(scope) {
          return scope.type === scope_manager_1.ScopeType.tsModule && scope.block.kind === "global" || !!scope.upper && isGlobalAugmentation(scope.upper);
        }
        function isThisParam(variable) {
          return variable.defs[0].type === scope_manager_1.DefinitionType.Parameter && variable.name === "this";
        }
        function isTypeImport2(definition) {
          return definition?.type === scope_manager_1.DefinitionType.ImportBinding && (definition.parent.importKind === "type" || definition.node.type === utils_1.AST_NODE_TYPES.ImportSpecifier && definition.node.importKind === "type");
        }
        function isTypeValueShadow(variable, shadowed) {
          if (options.ignoreTypeValueShadow !== true) {
            return false;
          }
          if (!("isValueVariable" in variable)) {
            return false;
          }
          const firstDefinition = shadowed.defs.at(0);
          const isShadowedValue = !("isValueVariable" in shadowed) || !firstDefinition || !isTypeImport2(firstDefinition) && shadowed.isValueVariable;
          return variable.isValueVariable !== isShadowedValue;
        }
        function isFunctionTypeParameterNameValueShadow(variable, shadowed) {
          if (options.ignoreFunctionTypeParameterNameValueShadow !== true) {
            return false;
          }
          if (!("isValueVariable" in variable)) {
            return false;
          }
          const isShadowedValue = "isValueVariable" in shadowed ? shadowed.isValueVariable : true;
          if (!isShadowedValue) {
            return false;
          }
          return variable.defs.every((def) => allowedFunctionVariableDefTypes.has(def.node.type));
        }
        function isGenericOfStaticMethod(variable) {
          if (!("isTypeVariable" in variable)) {
            return false;
          }
          if (!variable.isTypeVariable) {
            return false;
          }
          if (variable.identifiers.length === 0) {
            return false;
          }
          const typeParameter = variable.identifiers[0].parent;
          if (typeParameter.type !== utils_1.AST_NODE_TYPES.TSTypeParameter) {
            return false;
          }
          const typeParameterDecl = typeParameter.parent;
          if (typeParameterDecl.type !== utils_1.AST_NODE_TYPES.TSTypeParameterDeclaration) {
            return false;
          }
          const functionExpr = typeParameterDecl.parent;
          if (functionExpr.type !== utils_1.AST_NODE_TYPES.FunctionExpression && functionExpr.type !== utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression) {
            return false;
          }
          const methodDefinition = functionExpr.parent;
          if (methodDefinition.type !== utils_1.AST_NODE_TYPES.MethodDefinition) {
            return false;
          }
          return methodDefinition.static;
        }
        function isGenericOfClass(variable) {
          if (!("isTypeVariable" in variable)) {
            return false;
          }
          if (!variable.isTypeVariable) {
            return false;
          }
          if (variable.identifiers.length === 0) {
            return false;
          }
          const typeParameter = variable.identifiers[0].parent;
          if (typeParameter.type !== utils_1.AST_NODE_TYPES.TSTypeParameter) {
            return false;
          }
          const typeParameterDecl = typeParameter.parent;
          if (typeParameterDecl.type !== utils_1.AST_NODE_TYPES.TSTypeParameterDeclaration) {
            return false;
          }
          const classDecl = typeParameterDecl.parent;
          return classDecl.type === utils_1.AST_NODE_TYPES.ClassDeclaration || classDecl.type === utils_1.AST_NODE_TYPES.ClassExpression;
        }
        function isGenericOfAStaticMethodShadow(variable, shadowed) {
          return isGenericOfStaticMethod(variable) && isGenericOfClass(shadowed);
        }
        function isImportDeclaration(definition) {
          return definition.type === utils_1.AST_NODE_TYPES.ImportDeclaration;
        }
        function isExternalModuleDeclarationWithName(scope, name) {
          return scope.type === scope_manager_1.ScopeType.tsModule && scope.block.id.type === utils_1.AST_NODE_TYPES.Literal && scope.block.id.value === name;
        }
        function isExternalDeclarationMerging(scope, variable, shadowed) {
          const [firstDefinition] = shadowed.defs;
          const [secondDefinition] = variable.defs;
          return isTypeImport2(firstDefinition) && isImportDeclaration(firstDefinition.parent) && isExternalModuleDeclarationWithName(scope, firstDefinition.parent.source.value) && secondDefinition.node.type === utils_1.AST_NODE_TYPES.TSInterfaceDeclaration && secondDefinition.node.parent.type === utils_1.AST_NODE_TYPES.ExportNamedDeclaration;
        }
        function isAllowed(variable) {
          return options.allow.includes(variable.name);
        }
        function isDuplicatedClassNameVariable(variable) {
          const block = variable.scope.block;
          return block.type === utils_1.AST_NODE_TYPES.ClassDeclaration && block.id === variable.identifiers[0];
        }
        function isDuplicatedEnumNameVariable(variable) {
          const block = variable.scope.block;
          return block.type === utils_1.AST_NODE_TYPES.TSEnumDeclaration && block.id === variable.identifiers[0];
        }
        function isInRange(node, location) {
          return node && node.range[0] <= location && location <= node.range[1];
        }
        function findSelfOrAncestor(node, match) {
          let currentNode = node;
          while (currentNode && !match(currentNode)) {
            currentNode = currentNode.parent;
          }
          return currentNode;
        }
        function getOuterScope(scope) {
          const upper = scope.upper;
          if (upper?.type === scope_manager_1.ScopeType.functionExpressionName) {
            return upper.upper;
          }
          return upper;
        }
        function isInitPatternNode(variable, shadowedVariable) {
          const outerDef = shadowedVariable.defs.at(0);
          if (!outerDef) {
            return false;
          }
          const { variableScope } = variable.scope;
          if (!((variableScope.block.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression || variableScope.block.type === utils_1.AST_NODE_TYPES.FunctionExpression) && getOuterScope(variableScope) === shadowedVariable.scope)) {
            return false;
          }
          const fun = variableScope.block;
          const { parent } = fun;
          const callExpression = findSelfOrAncestor(parent, (node2) => node2.type === utils_1.AST_NODE_TYPES.CallExpression);
          if (!callExpression) {
            return false;
          }
          let node = outerDef.name;
          const location = callExpression.range[1];
          while (node) {
            if (node.type === utils_1.AST_NODE_TYPES.VariableDeclarator) {
              if (isInRange(node.init, location)) {
                return true;
              }
              if ((node.parent.parent?.type === utils_1.AST_NODE_TYPES.ForInStatement || node.parent.parent?.type === utils_1.AST_NODE_TYPES.ForOfStatement) && isInRange(node.parent.parent.right, location)) {
                return true;
              }
              break;
            } else if (node.type === utils_1.AST_NODE_TYPES.AssignmentPattern) {
              if (isInRange(node.right, location)) {
                return true;
              }
            } else if ([
              utils_1.AST_NODE_TYPES.FunctionDeclaration,
              utils_1.AST_NODE_TYPES.ClassDeclaration,
              utils_1.AST_NODE_TYPES.FunctionExpression,
              utils_1.AST_NODE_TYPES.ClassExpression,
              utils_1.AST_NODE_TYPES.ArrowFunctionExpression,
              utils_1.AST_NODE_TYPES.CatchClause,
              utils_1.AST_NODE_TYPES.ImportDeclaration,
              utils_1.AST_NODE_TYPES.ExportNamedDeclaration
            ].includes(node.type)) {
              break;
            }
            node = node.parent;
          }
          return false;
        }
        function isOnInitializer(variable, scopeVar) {
          const outerScope = scopeVar.scope;
          const outerDef = scopeVar.defs.at(0);
          const outer = outerDef?.parent?.range;
          const innerScope = variable.scope;
          const innerDef = variable.defs.at(0);
          const inner = innerDef?.name.range;
          return !!(outer && inner && outer[0] < inner[0] && inner[1] < outer[1] && (innerDef.type === scope_manager_1.DefinitionType.FunctionName && innerDef.node.type === utils_1.AST_NODE_TYPES.FunctionExpression || innerDef.node.type === utils_1.AST_NODE_TYPES.ClassExpression) && outerScope === innerScope.upper);
        }
        function getNameRange(variable) {
          const def = variable.defs.at(0);
          return def?.name.range;
        }
        function isInTdz(variable, scopeVar) {
          const outerDef = scopeVar.defs.at(0);
          const inner = getNameRange(variable);
          const outer = getNameRange(scopeVar);
          return !!(inner && outer && inner[1] < outer[0] && // Excepts FunctionDeclaration if is {"hoist":"function"}.
          (options.hoist !== "functions" || !outerDef || outerDef.node.type !== utils_1.AST_NODE_TYPES.FunctionDeclaration));
        }
        function getDeclaredLocation(variable) {
          const identifier = variable.identifiers.at(0);
          if (identifier) {
            return {
              global: false,
              line: identifier.loc.start.line,
              column: identifier.loc.start.column + 1
            };
          }
          return {
            global: true
          };
        }
        function checkForShadows(scope) {
          if (isGlobalAugmentation(scope)) {
            return;
          }
          const variables = scope.variables;
          for (const variable of variables) {
            if (variable.identifiers.length === 0) {
              continue;
            }
            if (isThisParam(variable)) {
              continue;
            }
            if (isDuplicatedClassNameVariable(variable)) {
              continue;
            }
            if (isDuplicatedEnumNameVariable(variable)) {
              continue;
            }
            if (isAllowed(variable)) {
              continue;
            }
            const shadowed = scope.upper ? utils_1.ASTUtils.findVariable(scope.upper, variable.name) : null;
            if (!shadowed) {
              continue;
            }
            if (isTypeValueShadow(variable, shadowed)) {
              continue;
            }
            if (isFunctionTypeParameterNameValueShadow(variable, shadowed)) {
              continue;
            }
            if (isGenericOfAStaticMethodShadow(variable, shadowed)) {
              continue;
            }
            if (isExternalDeclarationMerging(scope, variable, shadowed)) {
              continue;
            }
            const isESLintGlobal = "writeable" in shadowed;
            if ((shadowed.identifiers.length > 0 || options.builtinGlobals && isESLintGlobal) && !isOnInitializer(variable, shadowed) && !(options.ignoreOnInitialization && isInitPatternNode(variable, shadowed)) && !(options.hoist !== "all" && isInTdz(variable, shadowed))) {
              const location = getDeclaredLocation(shadowed);
              context.report({
                node: variable.identifiers[0],
                ...location.global ? {
                  messageId: "noShadowGlobal",
                  data: {
                    name: variable.name
                  }
                } : {
                  messageId: "noShadow",
                  data: {
                    name: variable.name,
                    shadowedLine: location.line,
                    shadowedColumn: location.column
                  }
                }
              });
            }
          }
        }
        return {
          "Program:exit"(node) {
            const globalScope = context.sourceCode.getScope(node);
            const stack = globalScope.childScopes.slice();
            while (stack.length) {
              const scope = stack.pop();
              stack.push(...scope.childScopes);
              checkForShadows(scope);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-this-alias.js
var require_no_this_alias = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-this-alias.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-this-alias",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow aliasing `this`",
          recommended: "recommended"
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              allowDestructuring: {
                description: "Whether to ignore destructurings, such as `const { props, state } = this`.",
                type: "boolean"
              },
              allowedNames: {
                description: 'Names to ignore, such as ["self"] for `const self = this;`.',
                type: "array",
                items: {
                  type: "string"
                }
              }
            }
          }
        ],
        messages: {
          thisAssignment: "Unexpected aliasing of 'this' to local variable.",
          thisDestructure: "Unexpected aliasing of members of 'this' to local variables."
        }
      },
      defaultOptions: [
        {
          allowDestructuring: true,
          allowedNames: []
        }
      ],
      create(context, [{ allowDestructuring, allowedNames }]) {
        return {
          "VariableDeclarator[init.type='ThisExpression'], AssignmentExpression[right.type='ThisExpression']"(node) {
            const id = node.type === utils_1.AST_NODE_TYPES.VariableDeclarator ? node.id : node.left;
            if (allowDestructuring && id.type !== utils_1.AST_NODE_TYPES.Identifier) {
              return;
            }
            const hasAllowedName = id.type === utils_1.AST_NODE_TYPES.Identifier ? (
              // https://github.com/typescript-eslint/typescript-eslint/issues/5439
              // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
              allowedNames.includes(id.name)
            ) : false;
            if (!hasAllowedName) {
              context.report({
                node: id,
                messageId: id.type === utils_1.AST_NODE_TYPES.Identifier ? "thisAssignment" : "thisDestructure"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-throw-literal.js
var require_no_throw_literal = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-throw-literal.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-throw-literal",
      meta: {
        type: "problem",
        deprecated: true,
        replacedBy: ["@typescript-eslint/only-throw-error"],
        docs: {
          description: "Disallow throwing literals as exceptions",
          extendsBaseRule: true,
          requiresTypeChecking: true
        },
        schema: [
          {
            type: "object",
            properties: {
              allowThrowingAny: {
                type: "boolean"
              },
              allowThrowingUnknown: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          object: "Expected an error object to be thrown.",
          undef: "Do not throw undefined."
        }
      },
      defaultOptions: [
        {
          allowThrowingAny: true,
          allowThrowingUnknown: true
        }
      ],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        function checkThrowArgument(node) {
          if (node.type === utils_1.AST_NODE_TYPES.AwaitExpression || node.type === utils_1.AST_NODE_TYPES.YieldExpression) {
            return;
          }
          const type = services.getTypeAtLocation(node);
          if (type.flags & ts.TypeFlags.Undefined) {
            context.report({ node, messageId: "undef" });
            return;
          }
          if (options.allowThrowingAny && (0, util_1.isTypeAnyType)(type)) {
            return;
          }
          if (options.allowThrowingUnknown && (0, util_1.isTypeUnknownType)(type)) {
            return;
          }
          if ((0, util_1.isErrorLike)(services.program, type)) {
            return;
          }
          context.report({ node, messageId: "object" });
        }
        return {
          ThrowStatement(node) {
            if (node.argument) {
              checkThrowArgument(node.argument);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-type-alias.js
var require_no_type_alias = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-type-alias.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-type-alias",
      meta: {
        deprecated: true,
        type: "suggestion",
        docs: {
          description: "Disallow type aliases"
          // too opinionated to be recommended
        },
        messages: {
          noTypeAlias: "Type {{alias}} are not allowed.",
          noCompositionAlias: "{{typeName}} in {{compositionType}} types are not allowed."
        },
        schema: [
          {
            $defs: {
              expandedOptions: {
                type: "string",
                enum: [
                  "always",
                  "never",
                  "in-unions",
                  "in-intersections",
                  "in-unions-and-intersections"
                ]
              },
              simpleOptions: {
                type: "string",
                enum: ["always", "never"]
              }
            },
            type: "object",
            properties: {
              allowAliases: {
                description: "Whether to allow direct one-to-one type aliases.",
                $ref: "#/items/0/$defs/expandedOptions"
              },
              allowCallbacks: {
                description: "Whether to allow type aliases for callbacks.",
                $ref: "#/items/0/$defs/simpleOptions"
              },
              allowConditionalTypes: {
                description: "Whether to allow type aliases for conditional types.",
                $ref: "#/items/0/$defs/simpleOptions"
              },
              allowConstructors: {
                description: "Whether to allow type aliases with constructors.",
                $ref: "#/items/0/$defs/simpleOptions"
              },
              allowLiterals: {
                description: "Whether to allow type aliases with object literal types.",
                $ref: "#/items/0/$defs/expandedOptions"
              },
              allowMappedTypes: {
                description: "Whether to allow type aliases with mapped types.",
                $ref: "#/items/0/$defs/expandedOptions"
              },
              allowTupleTypes: {
                description: "Whether to allow type aliases with tuple types.",
                $ref: "#/items/0/$defs/expandedOptions"
              },
              allowGenerics: {
                description: "Whether to allow type aliases with generic types.",
                $ref: "#/items/0/$defs/simpleOptions"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          allowAliases: "never",
          allowCallbacks: "never",
          allowConditionalTypes: "never",
          allowConstructors: "never",
          allowLiterals: "never",
          allowMappedTypes: "never",
          allowTupleTypes: "never",
          allowGenerics: "never"
        }
      ],
      create(context, [{ allowAliases, allowCallbacks, allowConditionalTypes, allowConstructors, allowLiterals, allowMappedTypes, allowTupleTypes, allowGenerics }]) {
        const unions = ["always", "in-unions", "in-unions-and-intersections"];
        const intersections = [
          "always",
          "in-intersections",
          "in-unions-and-intersections"
        ];
        const compositions = [
          "in-unions",
          "in-intersections",
          "in-unions-and-intersections"
        ];
        const aliasTypes = /* @__PURE__ */ new Set([
          utils_1.AST_NODE_TYPES.TSArrayType,
          utils_1.AST_NODE_TYPES.TSImportType,
          utils_1.AST_NODE_TYPES.TSTypeReference,
          utils_1.AST_NODE_TYPES.TSLiteralType,
          utils_1.AST_NODE_TYPES.TSTypeQuery,
          utils_1.AST_NODE_TYPES.TSIndexedAccessType,
          utils_1.AST_NODE_TYPES.TSTemplateLiteralType
        ]);
        function isSupportedComposition(isTopLevel, compositionType, allowed) {
          return !compositions.includes(allowed) || !isTopLevel && (compositionType === utils_1.AST_NODE_TYPES.TSUnionType && unions.includes(allowed) || compositionType === utils_1.AST_NODE_TYPES.TSIntersectionType && intersections.includes(allowed));
        }
        function reportError(node, compositionType, isRoot, type) {
          if (isRoot) {
            return context.report({
              node,
              messageId: "noTypeAlias",
              data: {
                alias: type.toLowerCase()
              }
            });
          }
          return context.report({
            node,
            messageId: "noCompositionAlias",
            data: {
              compositionType: compositionType === utils_1.AST_NODE_TYPES.TSUnionType ? "union" : "intersection",
              typeName: type
            }
          });
        }
        const isValidTupleType = (type) => {
          if (type.node.type === utils_1.AST_NODE_TYPES.TSTupleType) {
            return true;
          }
          if (type.node.type === utils_1.AST_NODE_TYPES.TSTypeOperator) {
            if (["keyof", "readonly"].includes(type.node.operator) && type.node.typeAnnotation && type.node.typeAnnotation.type === utils_1.AST_NODE_TYPES.TSTupleType) {
              return true;
            }
          }
          return false;
        };
        const isValidGeneric = (type) => {
          return type.node.type === utils_1.AST_NODE_TYPES.TSTypeReference && type.node.typeArguments !== void 0;
        };
        const checkAndReport = (optionValue, isTopLevel, type, label) => {
          if (optionValue === "never" || !isSupportedComposition(isTopLevel, type.compositionType, optionValue)) {
            reportError(type.node, type.compositionType, isTopLevel, label);
          }
        };
        function validateTypeAliases(type, isTopLevel = false) {
          if (type.node.type === utils_1.AST_NODE_TYPES.TSFunctionType) {
            if (allowCallbacks === "never") {
              reportError(type.node, type.compositionType, isTopLevel, "Callbacks");
            }
          } else if (type.node.type === utils_1.AST_NODE_TYPES.TSConditionalType) {
            if (allowConditionalTypes === "never") {
              reportError(type.node, type.compositionType, isTopLevel, "Conditional types");
            }
          } else if (type.node.type === utils_1.AST_NODE_TYPES.TSConstructorType) {
            if (allowConstructors === "never") {
              reportError(type.node, type.compositionType, isTopLevel, "Constructors");
            }
          } else if (type.node.type === utils_1.AST_NODE_TYPES.TSTypeLiteral) {
            checkAndReport(allowLiterals, isTopLevel, type, "Literals");
          } else if (type.node.type === utils_1.AST_NODE_TYPES.TSMappedType) {
            checkAndReport(allowMappedTypes, isTopLevel, type, "Mapped types");
          } else if (isValidTupleType(type)) {
            checkAndReport(allowTupleTypes, isTopLevel, type, "Tuple Types");
          } else if (isValidGeneric(type)) {
            if (allowGenerics === "never") {
              reportError(type.node, type.compositionType, isTopLevel, "Generics");
            }
          } else if (type.node.type.endsWith(utils_1.AST_TOKEN_TYPES.Keyword) || aliasTypes.has(type.node.type) || type.node.type === utils_1.AST_NODE_TYPES.TSTypeOperator && (type.node.operator === "keyof" || type.node.operator === "readonly" && type.node.typeAnnotation && aliasTypes.has(type.node.typeAnnotation.type))) {
            checkAndReport(allowAliases, isTopLevel, type, "Aliases");
          } else {
            reportError(type.node, type.compositionType, isTopLevel, "Unhandled");
          }
        }
        function getTypes(node, compositionType = null) {
          if (node.type === utils_1.AST_NODE_TYPES.TSUnionType || node.type === utils_1.AST_NODE_TYPES.TSIntersectionType) {
            return node.types.reduce((acc, type) => {
              acc.push(...getTypes(type, node.type));
              return acc;
            }, []);
          }
          return [{ node, compositionType }];
        }
        return {
          TSTypeAliasDeclaration(node) {
            const types = getTypes(node.typeAnnotation);
            if (types.length === 1) {
              validateTypeAliases(types[0], true);
            } else {
              types.forEach((type) => {
                validateTypeAliases(type);
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-boolean-literal-compare.js
var require_no_unnecessary_boolean_literal_compare = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-boolean-literal-compare.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-unnecessary-boolean-literal-compare",
      meta: {
        docs: {
          description: "Disallow unnecessary equality comparisons against boolean literals",
          recommended: "strict",
          requiresTypeChecking: true
        },
        fixable: "code",
        messages: {
          direct: "This expression unnecessarily compares a boolean value to a boolean instead of using it directly.",
          negated: "This expression unnecessarily compares a boolean value to a boolean instead of negating it.",
          comparingNullableToTrueDirect: "This expression unnecessarily compares a nullable boolean value to true instead of using it directly.",
          comparingNullableToTrueNegated: "This expression unnecessarily compares a nullable boolean value to true instead of negating it.",
          comparingNullableToFalse: "This expression unnecessarily compares a nullable boolean value to false instead of using the ?? operator to provide a default."
        },
        schema: [
          {
            type: "object",
            properties: {
              allowComparingNullableBooleansToTrue: {
                description: "Whether to allow comparisons between nullable boolean variables and `true`.",
                type: "boolean"
              },
              allowComparingNullableBooleansToFalse: {
                description: "Whether to allow comparisons between nullable boolean variables and `false`.",
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        type: "suggestion"
      },
      defaultOptions: [
        {
          allowComparingNullableBooleansToTrue: true,
          allowComparingNullableBooleansToFalse: true
        }
      ],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        function getBooleanComparison(node) {
          const comparison = deconstructComparison(node);
          if (!comparison) {
            return void 0;
          }
          const expressionType = services.getTypeAtLocation(comparison.expression);
          if (isBooleanType(expressionType)) {
            return {
              ...comparison,
              expressionIsNullableBoolean: false
            };
          }
          if (isNullableBoolean(expressionType)) {
            return {
              ...comparison,
              expressionIsNullableBoolean: true
            };
          }
          return void 0;
        }
        function isBooleanType(expressionType) {
          return tsutils.isTypeFlagSet(expressionType, ts.TypeFlags.Boolean | ts.TypeFlags.BooleanLiteral);
        }
        function isNullableBoolean(expressionType) {
          if (!expressionType.isUnion()) {
            return false;
          }
          const { types } = expressionType;
          const nonNullishTypes = types.filter((type) => !tsutils.isTypeFlagSet(type, ts.TypeFlags.Undefined | ts.TypeFlags.Null));
          const hasNonNullishType = nonNullishTypes.length > 0;
          if (!hasNonNullishType) {
            return false;
          }
          const hasNullableType = nonNullishTypes.length < types.length;
          if (!hasNullableType) {
            return false;
          }
          const allNonNullishTypesAreBoolean = nonNullishTypes.every(isBooleanType);
          if (!allNonNullishTypesAreBoolean) {
            return false;
          }
          return true;
        }
        function deconstructComparison(node) {
          const comparisonType = getEqualsKind(node.operator);
          if (!comparisonType) {
            return void 0;
          }
          for (const [against, expression] of [
            [node.right, node.left],
            [node.left, node.right]
          ]) {
            if (against.type !== utils_1.AST_NODE_TYPES.Literal || typeof against.value !== "boolean") {
              continue;
            }
            const { value: literalBooleanInComparison } = against;
            const negated = !comparisonType.isPositive;
            return {
              literalBooleanInComparison,
              expression,
              negated
            };
          }
          return void 0;
        }
        function nodeIsUnaryNegation(node) {
          return node.type === utils_1.AST_NODE_TYPES.UnaryExpression && node.prefix && node.operator === "!";
        }
        return {
          BinaryExpression(node) {
            const comparison = getBooleanComparison(node);
            if (comparison === void 0) {
              return;
            }
            if (comparison.expressionIsNullableBoolean) {
              if (comparison.literalBooleanInComparison && options.allowComparingNullableBooleansToTrue) {
                return;
              }
              if (!comparison.literalBooleanInComparison && options.allowComparingNullableBooleansToFalse) {
                return;
              }
            }
            context.report({
              fix: function* (fixer) {
                const isUnaryNegation = nodeIsUnaryNegation(node.parent);
                const shouldNegate = comparison.negated !== comparison.literalBooleanInComparison;
                const mutatedNode = isUnaryNegation ? node.parent : node;
                yield fixer.replaceText(mutatedNode, context.sourceCode.getText(comparison.expression));
                if (shouldNegate === isUnaryNegation) {
                  yield fixer.insertTextBefore(mutatedNode, "!");
                  if (!(0, util_1.isStrongPrecedenceNode)(comparison.expression)) {
                    yield fixer.insertTextBefore(mutatedNode, "(");
                    yield fixer.insertTextAfter(mutatedNode, ")");
                  }
                }
                if (comparison.expressionIsNullableBoolean && !comparison.literalBooleanInComparison) {
                  yield fixer.insertTextBefore(mutatedNode, "(");
                  yield fixer.insertTextAfter(mutatedNode, " ?? true)");
                }
              },
              messageId: comparison.expressionIsNullableBoolean ? comparison.literalBooleanInComparison ? comparison.negated ? "comparingNullableToTrueNegated" : "comparingNullableToTrueDirect" : "comparingNullableToFalse" : comparison.negated ? "negated" : "direct",
              node
            });
          }
        };
      }
    });
    function getEqualsKind(operator) {
      switch (operator) {
        case "==":
          return {
            isPositive: true,
            isStrict: false
          };
        case "===":
          return {
            isPositive: true,
            isStrict: true
          };
        case "!=":
          return {
            isPositive: false,
            isStrict: false
          };
        case "!==":
          return {
            isPositive: false,
            isStrict: true
          };
        default:
          return void 0;
      }
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-condition.js
var require_no_unnecessary_condition = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-condition.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    var isTruthyLiteral = (type) => tsutils.isTrueLiteralType(type) || //  || type.
    type.isLiteral() && !!type.value;
    var isPossiblyFalsy = (type) => tsutils.unionTypeParts(type).flatMap((type2) => tsutils.intersectionTypeParts(type2)).filter((t) => !isTruthyLiteral(t)).some((type2) => (0, util_1.isTypeFlagSet)(type2, ts.TypeFlags.PossiblyFalsy));
    var isPossiblyTruthy = (type) => tsutils.unionTypeParts(type).map((type2) => tsutils.intersectionTypeParts(type2)).some((intersectionParts) => (
      // It is possible to define intersections that are always falsy,
      // like `"" & { __brand: string }`.
      intersectionParts.every((type2) => !tsutils.isFalsyType(type2))
    ));
    var nullishFlag = ts.TypeFlags.Undefined | ts.TypeFlags.Null;
    var isNullishType = (type) => (0, util_1.isTypeFlagSet)(type, nullishFlag);
    var isPossiblyNullish = (type) => tsutils.unionTypeParts(type).some(isNullishType);
    var isAlwaysNullish = (type) => tsutils.unionTypeParts(type).every(isNullishType);
    var isLiteral2 = (type) => tsutils.isBooleanLiteralType(type) || type.flags === ts.TypeFlags.Undefined || type.flags === ts.TypeFlags.Null || type.flags === ts.TypeFlags.Void || type.isLiteral();
    exports2.default = (0, util_1.createRule)({
      name: "no-unnecessary-condition",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow conditionals where the type is always truthy or always falsy",
          recommended: "strict",
          requiresTypeChecking: true
        },
        schema: [
          {
            type: "object",
            properties: {
              allowConstantLoopConditions: {
                description: "Whether to ignore constant loop conditions, such as `while (true)`.",
                type: "boolean"
              },
              allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing: {
                description: "Whether to not error when running with a tsconfig that has strictNullChecks turned.",
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        fixable: "code",
        messages: {
          alwaysTruthy: "Unnecessary conditional, value is always truthy.",
          alwaysFalsy: "Unnecessary conditional, value is always falsy.",
          alwaysTruthyFunc: "This callback should return a conditional, but return is always truthy.",
          alwaysFalsyFunc: "This callback should return a conditional, but return is always falsy.",
          neverNullish: "Unnecessary conditional, expected left-hand side of `??` operator to be possibly null or undefined.",
          alwaysNullish: "Unnecessary conditional, left-hand side of `??` operator is always `null` or `undefined`.",
          literalBooleanExpression: "Unnecessary conditional, both sides of the expression are literal values.",
          noOverlapBooleanExpression: "Unnecessary conditional, the types have no overlap.",
          never: "Unnecessary conditional, value is `never`.",
          neverOptionalChain: "Unnecessary optional chain on a non-nullish value.",
          noStrictNullCheck: "This rule requires the `strictNullChecks` compiler option to be turned on to function correctly."
        }
      },
      defaultOptions: [
        {
          allowConstantLoopConditions: false,
          allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing: false
        }
      ],
      create(context, [{ allowConstantLoopConditions, allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing }]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const compilerOptions = services.program.getCompilerOptions();
        const isStrictNullChecks = tsutils.isStrictCompilerOptionEnabled(compilerOptions, "strictNullChecks");
        if (!isStrictNullChecks && allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing !== true) {
          context.report({
            loc: {
              start: { line: 0, column: 0 },
              end: { line: 0, column: 0 }
            },
            messageId: "noStrictNullCheck"
          });
        }
        function nodeIsArrayType(node) {
          const nodeType = (0, util_1.getConstrainedTypeAtLocation)(services, node);
          return tsutils.unionTypeParts(nodeType).some((part) => checker.isArrayType(part));
        }
        function nodeIsTupleType(node) {
          const nodeType = (0, util_1.getConstrainedTypeAtLocation)(services, node);
          return tsutils.unionTypeParts(nodeType).some((part) => checker.isTupleType(part));
        }
        function isArrayIndexExpression(node) {
          return (
            // Is an index signature
            node.type === utils_1.AST_NODE_TYPES.MemberExpression && node.computed && // ...into an array type
            (nodeIsArrayType(node.object) || // ... or a tuple type
            nodeIsTupleType(node.object) && // Exception: literal index into a tuple - will have a sound type
            node.property.type !== utils_1.AST_NODE_TYPES.Literal)
          );
        }
        function isNullableMemberExpression(node) {
          const objectType2 = services.getTypeAtLocation(node.object);
          if (node.computed) {
            const propertyType = services.getTypeAtLocation(node.property);
            return isNullablePropertyType(objectType2, propertyType);
          }
          const property = node.property;
          if (property.type === utils_1.AST_NODE_TYPES.Identifier) {
            const propertyType = objectType2.getProperty(property.name);
            if (propertyType && tsutils.isSymbolFlagSet(propertyType, ts.SymbolFlags.Optional)) {
              return true;
            }
          }
          return false;
        }
        function checkNode2(node, isUnaryNotArgument = false) {
          if (node.type === utils_1.AST_NODE_TYPES.UnaryExpression && node.operator === "!") {
            return checkNode2(node.argument, true);
          }
          if (isArrayIndexExpression(node)) {
            return;
          }
          if (node.type === utils_1.AST_NODE_TYPES.LogicalExpression && node.operator !== "??") {
            return checkNode2(node.right);
          }
          const type = (0, util_1.getConstrainedTypeAtLocation)(services, node);
          if (tsutils.unionTypeParts(type).some((part) => (0, util_1.isTypeAnyType)(part) || (0, util_1.isTypeUnknownType)(part) || (0, util_1.isTypeFlagSet)(part, ts.TypeFlags.TypeVariable))) {
            return;
          }
          let messageId4 = null;
          if ((0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Never)) {
            messageId4 = "never";
          } else if (!isPossiblyTruthy(type)) {
            messageId4 = !isUnaryNotArgument ? "alwaysFalsy" : "alwaysTruthy";
          } else if (!isPossiblyFalsy(type)) {
            messageId4 = !isUnaryNotArgument ? "alwaysTruthy" : "alwaysFalsy";
          }
          if (messageId4) {
            context.report({ node, messageId: messageId4 });
          }
        }
        function checkNodeForNullish(node) {
          const type = (0, util_1.getConstrainedTypeAtLocation)(services, node);
          if ((0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Any | ts.TypeFlags.Unknown | ts.TypeFlags.TypeParameter | ts.TypeFlags.TypeVariable)) {
            return;
          }
          let messageId4 = null;
          if ((0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Never)) {
            messageId4 = "never";
          } else if (!isPossiblyNullish(type) && !(node.type === utils_1.AST_NODE_TYPES.MemberExpression && isNullableMemberExpression(node))) {
            if (!isArrayIndexExpression(node) && !(node.type === utils_1.AST_NODE_TYPES.ChainExpression && node.expression.type !== utils_1.AST_NODE_TYPES.TSNonNullExpression && optionChainContainsOptionArrayIndex(node.expression))) {
              messageId4 = "neverNullish";
            }
          } else if (isAlwaysNullish(type)) {
            messageId4 = "alwaysNullish";
          }
          if (messageId4) {
            context.report({ node, messageId: messageId4 });
          }
        }
        const BOOL_OPERATORS = /* @__PURE__ */ new Set([
          "<",
          ">",
          "<=",
          ">=",
          "==",
          "===",
          "!=",
          "!=="
        ]);
        function checkIfBinaryExpressionIsNecessaryConditional(node) {
          if (!BOOL_OPERATORS.has(node.operator)) {
            return;
          }
          const leftType = (0, util_1.getConstrainedTypeAtLocation)(services, node.left);
          const rightType = (0, util_1.getConstrainedTypeAtLocation)(services, node.right);
          if (isLiteral2(leftType) && isLiteral2(rightType)) {
            context.report({ node, messageId: "literalBooleanExpression" });
            return;
          }
          if (isStrictNullChecks) {
            const UNDEFINED = ts.TypeFlags.Undefined;
            const NULL = ts.TypeFlags.Null;
            const VOID = ts.TypeFlags.Void;
            const isComparable = (type, flag) => {
              flag |= ts.TypeFlags.Any | ts.TypeFlags.Unknown | ts.TypeFlags.TypeParameter | ts.TypeFlags.TypeVariable;
              if (node.operator === "==" || node.operator === "!=") {
                flag |= NULL | UNDEFINED | VOID;
              }
              return (0, util_1.isTypeFlagSet)(type, flag);
            };
            if (leftType.flags === UNDEFINED && !isComparable(rightType, UNDEFINED | VOID) || rightType.flags === UNDEFINED && !isComparable(leftType, UNDEFINED | VOID) || leftType.flags === NULL && !isComparable(rightType, NULL) || rightType.flags === NULL && !isComparable(leftType, NULL)) {
              context.report({ node, messageId: "noOverlapBooleanExpression" });
              return;
            }
          }
        }
        function checkLogicalExpressionForUnnecessaryConditionals(node) {
          if (node.operator === "??") {
            checkNodeForNullish(node.left);
            return;
          }
          checkNode2(node.left);
        }
        function checkIfLoopIsNecessaryConditional(node) {
          if (node.test == null) {
            return;
          }
          if (allowConstantLoopConditions && tsutils.isTrueLiteralType((0, util_1.getConstrainedTypeAtLocation)(services, node.test))) {
            return;
          }
          checkNode2(node.test);
        }
        const ARRAY_PREDICATE_FUNCTIONS = /* @__PURE__ */ new Set([
          "filter",
          "find",
          "some",
          "every"
        ]);
        function isArrayPredicateFunction(node) {
          const { callee } = node;
          return (
            // looks like `something.filter` or `something.find`
            callee.type === utils_1.AST_NODE_TYPES.MemberExpression && callee.property.type === utils_1.AST_NODE_TYPES.Identifier && ARRAY_PREDICATE_FUNCTIONS.has(callee.property.name) && // and the left-hand side is an array, according to the types
            (nodeIsArrayType(callee.object) || nodeIsTupleType(callee.object))
          );
        }
        function checkCallExpression(node) {
          if (isArrayPredicateFunction(node) && node.arguments.length) {
            const callback = node.arguments[0];
            if (callback.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression || callback.type === utils_1.AST_NODE_TYPES.FunctionExpression) {
              if (callback.body.type !== utils_1.AST_NODE_TYPES.BlockStatement) {
                return checkNode2(callback.body);
              }
              const callbackBody = callback.body.body;
              if (callbackBody.length === 1 && callbackBody[0].type === utils_1.AST_NODE_TYPES.ReturnStatement && callbackBody[0].argument) {
                return checkNode2(callbackBody[0].argument);
              }
            }
            const returnTypes = tsutils.getCallSignaturesOfType((0, util_1.getConstrainedTypeAtLocation)(services, callback)).map((sig) => sig.getReturnType());
            if (returnTypes.length === 0) {
              return;
            }
            if (returnTypes.some((t) => (0, util_1.isTypeAnyType)(t) || (0, util_1.isTypeUnknownType)(t))) {
              return;
            }
            if (!returnTypes.some(isPossiblyFalsy)) {
              return context.report({
                node: callback,
                messageId: "alwaysTruthyFunc"
              });
            }
            if (!returnTypes.some(isPossiblyTruthy)) {
              return context.report({
                node: callback,
                messageId: "alwaysFalsyFunc"
              });
            }
          }
        }
        function optionChainContainsOptionArrayIndex(node) {
          const lhsNode = node.type === utils_1.AST_NODE_TYPES.CallExpression ? node.callee : node.object;
          if (node.optional && isArrayIndexExpression(lhsNode)) {
            return true;
          }
          if (lhsNode.type === utils_1.AST_NODE_TYPES.MemberExpression || lhsNode.type === utils_1.AST_NODE_TYPES.CallExpression) {
            return optionChainContainsOptionArrayIndex(lhsNode);
          }
          return false;
        }
        function isNullablePropertyType(objType, propertyType) {
          if (propertyType.isUnion()) {
            return propertyType.types.some((type) => isNullablePropertyType(objType, type));
          }
          if (propertyType.isNumberLiteral() || propertyType.isStringLiteral()) {
            const propType = (0, util_1.getTypeOfPropertyOfName)(checker, objType, propertyType.value.toString());
            if (propType) {
              return (0, util_1.isNullableType)(propType);
            }
          }
          const typeName = (0, util_1.getTypeName)(checker, propertyType);
          return !!checker.getIndexInfosOfType(objType).find((info) => (0, util_1.getTypeName)(checker, info.keyType) === typeName);
        }
        function isMemberExpressionNullableOriginFromObject(node) {
          const prevType = (0, util_1.getConstrainedTypeAtLocation)(services, node.object);
          const property = node.property;
          if (prevType.isUnion() && (0, util_1.isIdentifier)(property)) {
            const isOwnNullable = prevType.types.some((type) => {
              if (node.computed) {
                const propertyType = (0, util_1.getConstrainedTypeAtLocation)(services, node.property);
                return isNullablePropertyType(type, propertyType);
              }
              const propType = (0, util_1.getTypeOfPropertyOfName)(checker, type, property.name);
              if (propType) {
                return (0, util_1.isNullableType)(propType);
              }
              return !!checker.getIndexInfoOfType(type, ts.IndexKind.String);
            });
            return !isOwnNullable && (0, util_1.isNullableType)(prevType);
          }
          return false;
        }
        function isCallExpressionNullableOriginFromCallee(node) {
          const prevType = (0, util_1.getConstrainedTypeAtLocation)(services, node.callee);
          if (prevType.isUnion()) {
            const isOwnNullable = prevType.types.some((type) => {
              const signatures = type.getCallSignatures();
              return signatures.some((sig) => (0, util_1.isNullableType)(sig.getReturnType(), { allowUndefined: true }));
            });
            return !isOwnNullable && (0, util_1.isNullableType)(prevType, { allowUndefined: true });
          }
          return false;
        }
        function isOptionableExpression(node) {
          const type = (0, util_1.getConstrainedTypeAtLocation)(services, node);
          const isOwnNullable = node.type === utils_1.AST_NODE_TYPES.MemberExpression ? !isMemberExpressionNullableOriginFromObject(node) : node.type === utils_1.AST_NODE_TYPES.CallExpression ? !isCallExpressionNullableOriginFromCallee(node) : true;
          const possiblyVoid = (0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Void);
          return (0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Any | ts.TypeFlags.Unknown) || isOwnNullable && ((0, util_1.isNullableType)(type) || possiblyVoid);
        }
        function checkOptionalChain(node, beforeOperator, fix11) {
          if (!node.optional) {
            return;
          }
          if (optionChainContainsOptionArrayIndex(node)) {
            return;
          }
          const nodeToCheck = node.type === utils_1.AST_NODE_TYPES.CallExpression ? node.callee : node.object;
          if (isOptionableExpression(nodeToCheck)) {
            return;
          }
          const questionDotOperator = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(beforeOperator, (token) => token.type === utils_1.AST_TOKEN_TYPES.Punctuator && token.value === "?."), util_1.NullThrowsReasons.MissingToken("operator", node.type));
          context.report({
            node,
            loc: questionDotOperator.loc,
            messageId: "neverOptionalChain",
            fix(fixer) {
              return fixer.replaceText(questionDotOperator, fix11);
            }
          });
        }
        function checkOptionalMemberExpression(node) {
          checkOptionalChain(node, node.object, node.computed ? "" : ".");
        }
        function checkOptionalCallExpression(node) {
          checkOptionalChain(node, node.callee, "");
        }
        function checkAssignmentExpression(node) {
          if (["||=", "&&="].includes(node.operator)) {
            checkNode2(node.left);
          } else if (node.operator === "??=") {
            checkNodeForNullish(node.left);
          }
        }
        return {
          AssignmentExpression: checkAssignmentExpression,
          BinaryExpression: checkIfBinaryExpressionIsNecessaryConditional,
          CallExpression: checkCallExpression,
          ConditionalExpression: (node) => checkNode2(node.test),
          DoWhileStatement: checkIfLoopIsNecessaryConditional,
          ForStatement: checkIfLoopIsNecessaryConditional,
          IfStatement: (node) => checkNode2(node.test),
          LogicalExpression: checkLogicalExpressionForUnnecessaryConditionals,
          WhileStatement: checkIfLoopIsNecessaryConditional,
          "MemberExpression[optional = true]": checkOptionalMemberExpression,
          "CallExpression[optional = true]": checkOptionalCallExpression
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-parameter-property-assignment.js
var require_no_unnecessary_parameter_property_assignment = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-parameter-property-assignment.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var UNNECESSARY_OPERATORS = /* @__PURE__ */ new Set(["=", "&&=", "||=", "??="]);
    exports2.default = (0, util_1.createRule)({
      name: "no-unnecessary-parameter-property-assignment",
      meta: {
        docs: {
          description: "Disallow unnecessary assignment of constructor property parameter"
        },
        fixable: "code",
        messages: {
          unnecessaryAssign: "This assignment is unnecessary since it is already assigned by a parameter property."
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        const reportInfoStack = [];
        function isThisMemberExpression(node) {
          return node.type === utils_1.AST_NODE_TYPES.MemberExpression && node.object.type === utils_1.AST_NODE_TYPES.ThisExpression;
        }
        function getPropertyName2(node) {
          if (!isThisMemberExpression(node)) {
            return null;
          }
          if (node.property.type === utils_1.AST_NODE_TYPES.Identifier) {
            return node.property.name;
          }
          if (node.computed) {
            return (0, util_1.getStaticStringValue)(node.property);
          }
          return null;
        }
        function findParentFunction(node) {
          if (!node || node.type === utils_1.AST_NODE_TYPES.FunctionDeclaration || node.type === utils_1.AST_NODE_TYPES.FunctionExpression || node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression) {
            return node;
          }
          return findParentFunction(node.parent);
        }
        function findParentPropertyDefinition(node) {
          if (!node || node.type === utils_1.AST_NODE_TYPES.PropertyDefinition) {
            return node;
          }
          return findParentPropertyDefinition(node.parent);
        }
        function isConstructorFunctionExpression(node) {
          return node?.type === utils_1.AST_NODE_TYPES.FunctionExpression && utils_1.ASTUtils.isConstructor(node.parent);
        }
        function isReferenceFromParameter(node) {
          const scope = context.sourceCode.getScope(node);
          const rightRef = scope.references.find((ref) => ref.identifier.name === node.name);
          return rightRef?.resolved?.defs.at(0)?.type === scope_manager_1.DefinitionType.Parameter;
        }
        function isParameterPropertyWithName(node, name) {
          return node.type === utils_1.AST_NODE_TYPES.TSParameterProperty && (node.parameter.type === utils_1.AST_NODE_TYPES.Identifier && // constructor (public foo) {}
          node.parameter.name === name || node.parameter.type === utils_1.AST_NODE_TYPES.AssignmentPattern && // constructor (public foo = 1) {}
          node.parameter.left.type === utils_1.AST_NODE_TYPES.Identifier && node.parameter.left.name === name);
        }
        function getIdentifier(node) {
          if (node.type === utils_1.AST_NODE_TYPES.Identifier) {
            return node;
          }
          if (node.type === utils_1.AST_NODE_TYPES.TSAsExpression || node.type === utils_1.AST_NODE_TYPES.TSNonNullExpression) {
            return getIdentifier(node.expression);
          }
          return null;
        }
        function isArrowIIFE(node) {
          return node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression && node.parent.type === utils_1.AST_NODE_TYPES.CallExpression;
        }
        return {
          ClassBody() {
            reportInfoStack.push({
              unnecessaryAssignments: [],
              assignedBeforeUnnecessary: /* @__PURE__ */ new Set(),
              assignedBeforeConstructor: /* @__PURE__ */ new Set()
            });
          },
          "ClassBody:exit"() {
            const { unnecessaryAssignments, assignedBeforeConstructor } = (0, util_1.nullThrows)(reportInfoStack.pop(), "The top stack should exist");
            unnecessaryAssignments.forEach(({ name, node }) => {
              if (assignedBeforeConstructor.has(name)) {
                return;
              }
              context.report({
                node,
                messageId: "unnecessaryAssign"
              });
            });
          },
          "PropertyDefinition AssignmentExpression"(node) {
            const name = getPropertyName2(node.left);
            if (!name) {
              return;
            }
            const functionNode = findParentFunction(node);
            if (functionNode) {
              if (!(isArrowIIFE(functionNode) && findParentPropertyDefinition(node)?.value === functionNode.parent)) {
                return;
              }
            }
            const { assignedBeforeConstructor } = (0, util_1.nullThrows)(reportInfoStack.at(-1), "The top stack should exist");
            assignedBeforeConstructor.add(name);
          },
          "MethodDefinition[kind='constructor'] > FunctionExpression AssignmentExpression"(node) {
            const leftName = getPropertyName2(node.left);
            if (!leftName) {
              return;
            }
            let functionNode = findParentFunction(node);
            if (functionNode && isArrowIIFE(functionNode)) {
              functionNode = findParentFunction(functionNode.parent);
            }
            if (!isConstructorFunctionExpression(functionNode)) {
              return;
            }
            const { assignedBeforeUnnecessary, unnecessaryAssignments } = (0, util_1.nullThrows)(reportInfoStack.at(reportInfoStack.length - 1), "The top of stack should exist");
            if (!UNNECESSARY_OPERATORS.has(node.operator)) {
              assignedBeforeUnnecessary.add(leftName);
              return;
            }
            const rightId = getIdentifier(node.right);
            if (leftName !== rightId?.name || !isReferenceFromParameter(rightId)) {
              return;
            }
            const hasParameterProperty = functionNode.params.some((param) => isParameterPropertyWithName(param, rightId.name));
            if (hasParameterProperty && !assignedBeforeUnnecessary.has(leftName)) {
              unnecessaryAssignments.push({
                name: leftName,
                node
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-qualifier.js
var require_no_unnecessary_qualifier = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-qualifier.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-unnecessary-qualifier",
      meta: {
        docs: {
          description: "Disallow unnecessary namespace qualifiers",
          requiresTypeChecking: true
        },
        fixable: "code",
        messages: {
          unnecessaryQualifier: "Qualifier is unnecessary since '{{ name }}' is in scope."
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        const namespacesInScope = [];
        let currentFailedNamespaceExpression = null;
        const services = (0, util_1.getParserServices)(context);
        const esTreeNodeToTSNodeMap = services.esTreeNodeToTSNodeMap;
        const checker = services.program.getTypeChecker();
        function tryGetAliasedSymbol(symbol, checker2) {
          return tsutils.isSymbolFlagSet(symbol, ts.SymbolFlags.Alias) ? checker2.getAliasedSymbol(symbol) : null;
        }
        function symbolIsNamespaceInScope(symbol) {
          const symbolDeclarations = symbol.getDeclarations() ?? [];
          if (symbolDeclarations.some((decl) => namespacesInScope.some((ns) => ns === decl))) {
            return true;
          }
          const alias = tryGetAliasedSymbol(symbol, checker);
          return alias != null && symbolIsNamespaceInScope(alias);
        }
        function getSymbolInScope(node, flags, name) {
          const scope = checker.getSymbolsInScope(node, flags);
          return scope.find((scopeSymbol) => scopeSymbol.name === name);
        }
        function symbolsAreEqual(accessed, inScope) {
          return accessed === checker.getExportSymbolOfSymbol(inScope);
        }
        function qualifierIsUnnecessary(qualifier, name) {
          const namespaceSymbol = services.getSymbolAtLocation(qualifier);
          if (namespaceSymbol === void 0 || !symbolIsNamespaceInScope(namespaceSymbol)) {
            return false;
          }
          const accessedSymbol = services.getSymbolAtLocation(name);
          if (accessedSymbol === void 0) {
            return false;
          }
          const tsQualifier = esTreeNodeToTSNodeMap.get(qualifier);
          const fromScope = getSymbolInScope(tsQualifier, accessedSymbol.flags, context.sourceCode.getText(name));
          return !!fromScope && symbolsAreEqual(accessedSymbol, fromScope);
        }
        function visitNamespaceAccess(node, qualifier, name) {
          if (!currentFailedNamespaceExpression && qualifierIsUnnecessary(qualifier, name)) {
            currentFailedNamespaceExpression = node;
            context.report({
              node: qualifier,
              messageId: "unnecessaryQualifier",
              data: {
                name: context.sourceCode.getText(name)
              },
              fix(fixer) {
                return fixer.removeRange([qualifier.range[0], name.range[0]]);
              }
            });
          }
        }
        function enterDeclaration(node) {
          namespacesInScope.push(esTreeNodeToTSNodeMap.get(node));
        }
        function exitDeclaration() {
          namespacesInScope.pop();
        }
        function resetCurrentNamespaceExpression(node) {
          if (node === currentFailedNamespaceExpression) {
            currentFailedNamespaceExpression = null;
          }
        }
        function isPropertyAccessExpression(node) {
          return node.type === utils_1.AST_NODE_TYPES.MemberExpression && !node.computed;
        }
        function isEntityNameExpression(node) {
          return node.type === utils_1.AST_NODE_TYPES.Identifier || isPropertyAccessExpression(node) && isEntityNameExpression(node.object);
        }
        return {
          "TSModuleDeclaration > TSModuleBlock"(node) {
            enterDeclaration(node.parent);
          },
          TSEnumDeclaration: enterDeclaration,
          'ExportNamedDeclaration[declaration.type="TSModuleDeclaration"]': enterDeclaration,
          'ExportNamedDeclaration[declaration.type="TSEnumDeclaration"]': enterDeclaration,
          "TSModuleDeclaration:exit": exitDeclaration,
          "TSEnumDeclaration:exit": exitDeclaration,
          'ExportNamedDeclaration[declaration.type="TSModuleDeclaration"]:exit': exitDeclaration,
          'ExportNamedDeclaration[declaration.type="TSEnumDeclaration"]:exit': exitDeclaration,
          TSQualifiedName(node) {
            visitNamespaceAccess(node, node.left, node.right);
          },
          "MemberExpression[computed=false]": function(node) {
            const property = node.property;
            if (isEntityNameExpression(node.object)) {
              visitNamespaceAccess(node, node.object, property);
            }
          },
          "TSQualifiedName:exit": resetCurrentNamespaceExpression,
          "MemberExpression:exit": resetCurrentNamespaceExpression
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-template-expression.js
var require_no_unnecessary_template_expression = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-template-expression.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-unnecessary-template-expression",
      meta: {
        fixable: "code",
        type: "suggestion",
        docs: {
          description: "Disallow unnecessary template expressions",
          recommended: "strict",
          requiresTypeChecking: true
        },
        messages: {
          noUnnecessaryTemplateExpression: "Template literal expression is unnecessary and can be simplified."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        function isUnderlyingTypeString(expression) {
          const type = (0, util_1.getConstrainedTypeAtLocation)(services, expression);
          const isString2 = (t) => {
            return (0, util_1.isTypeFlagSet)(t, ts.TypeFlags.StringLike);
          };
          if (type.isUnion()) {
            return type.types.every(isString2);
          }
          if (type.isIntersection()) {
            return type.types.some(isString2);
          }
          return isString2(type);
        }
        function isLiteral2(expression) {
          return expression.type === utils_1.AST_NODE_TYPES.Literal;
        }
        function isTemplateLiteral(expression) {
          return expression.type === utils_1.AST_NODE_TYPES.TemplateLiteral;
        }
        function isInfinityIdentifier(expression) {
          return expression.type === utils_1.AST_NODE_TYPES.Identifier && expression.name === "Infinity";
        }
        function isNaNIdentifier(expression) {
          return expression.type === utils_1.AST_NODE_TYPES.Identifier && expression.name === "NaN";
        }
        return {
          TemplateLiteral(node) {
            if (node.parent.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression) {
              return;
            }
            const hasSingleStringVariable = node.quasis.length === 2 && node.quasis[0].value.raw === "" && node.quasis[1].value.raw === "" && node.expressions.length === 1 && isUnderlyingTypeString(node.expressions[0]);
            if (hasSingleStringVariable) {
              context.report({
                node: node.expressions[0],
                messageId: "noUnnecessaryTemplateExpression",
                fix(fixer) {
                  const [prevQuasi, nextQuasi] = node.quasis;
                  return [
                    fixer.removeRange([
                      prevQuasi.range[1] - 3,
                      node.expressions[0].range[0]
                    ]),
                    fixer.removeRange([
                      node.expressions[0].range[1],
                      nextQuasi.range[0] + 2
                    ])
                  ];
                }
              });
              return;
            }
            const fixableExpressions = node.expressions.filter((expression) => isLiteral2(expression) || isTemplateLiteral(expression) || (0, util_1.isUndefinedIdentifier)(expression) || isInfinityIdentifier(expression) || isNaNIdentifier(expression));
            fixableExpressions.forEach((expression) => {
              context.report({
                node: expression,
                messageId: "noUnnecessaryTemplateExpression",
                fix(fixer) {
                  const index = node.expressions.indexOf(expression);
                  const prevQuasi = node.quasis[index];
                  const nextQuasi = node.quasis[index + 1];
                  const fixes = [
                    fixer.removeRange([
                      prevQuasi.range[1] - 2,
                      expression.range[0]
                    ]),
                    fixer.removeRange([
                      expression.range[1],
                      nextQuasi.range[0] + 1
                    ])
                  ];
                  const stringValue = (0, util_1.getStaticStringValue)(expression);
                  if (stringValue != null) {
                    const escapedValue = stringValue.replace(/([`$\\])/g, "\\$1");
                    fixes.push(fixer.replaceText(expression, escapedValue));
                  } else if (isTemplateLiteral(expression)) {
                    fixes.push(fixer.removeRange([
                      expression.range[0],
                      expression.range[0] + 1
                    ]), fixer.removeRange([
                      expression.range[1] - 1,
                      expression.range[1]
                    ]));
                  }
                  return fixes;
                }
              });
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-type-arguments.js
var require_no_unnecessary_type_arguments = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-type-arguments.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-unnecessary-type-arguments",
      meta: {
        docs: {
          description: "Disallow type arguments that are equal to the default",
          recommended: "strict",
          requiresTypeChecking: true
        },
        fixable: "code",
        messages: {
          unnecessaryTypeParameter: "This is the default value for this type parameter, so it can be omitted."
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function getTypeForComparison(type) {
          if ((0, util_1.isTypeReferenceType)(type)) {
            return {
              type: type.target,
              typeArguments: checker.getTypeArguments(type)
            };
          }
          return {
            type,
            typeArguments: []
          };
        }
        function checkTSArgsAndParameters(esParameters, typeParameters) {
          const i = esParameters.params.length - 1;
          const arg = esParameters.params[i];
          const param = typeParameters.at(i);
          if (!param?.default) {
            return;
          }
          const defaultType = checker.getTypeAtLocation(param.default);
          const argType = services.getTypeAtLocation(arg);
          if (defaultType !== argType) {
            const defaultTypeResolved = getTypeForComparison(defaultType);
            const argTypeResolved = getTypeForComparison(argType);
            if (
              // ensure the resolved type AND all the parameters are the same
              defaultTypeResolved.type !== argTypeResolved.type || defaultTypeResolved.typeArguments.length !== argTypeResolved.typeArguments.length || defaultTypeResolved.typeArguments.some((t, i2) => t !== argTypeResolved.typeArguments[i2])
            ) {
              return;
            }
          }
          context.report({
            node: arg,
            messageId: "unnecessaryTypeParameter",
            fix: (fixer) => fixer.removeRange(i === 0 ? esParameters.range : [esParameters.params[i - 1].range[1], arg.range[1]])
          });
        }
        return {
          TSTypeParameterInstantiation(node) {
            const expression = services.esTreeNodeToTSNodeMap.get(node);
            const typeParameters = getTypeParametersFromNode(expression, checker);
            if (typeParameters) {
              checkTSArgsAndParameters(node, typeParameters);
            }
          }
        };
      }
    });
    function getTypeParametersFromNode(node, checker) {
      if (ts.isExpressionWithTypeArguments(node)) {
        return getTypeParametersFromType(node.expression, checker);
      }
      if (ts.isTypeReferenceNode(node)) {
        return getTypeParametersFromType(node.typeName, checker);
      }
      if (ts.isCallExpression(node) || ts.isNewExpression(node) || ts.isTaggedTemplateExpression(node)) {
        return getTypeParametersFromCall(node, checker);
      }
      return void 0;
    }
    function getTypeParametersFromType(type, checker) {
      const symAtLocation = checker.getSymbolAtLocation(type);
      if (!symAtLocation) {
        return void 0;
      }
      const sym = getAliasedSymbol(symAtLocation, checker);
      const declarations = sym.getDeclarations();
      if (!declarations) {
        return void 0;
      }
      return (0, util_1.findFirstResult)(declarations, (decl) => ts.isClassLike(decl) || ts.isTypeAliasDeclaration(decl) || ts.isInterfaceDeclaration(decl) ? decl.typeParameters : void 0);
    }
    function getTypeParametersFromCall(node, checker) {
      const sig = checker.getResolvedSignature(node);
      const sigDecl = sig?.getDeclaration();
      if (!sigDecl) {
        return ts.isNewExpression(node) ? getTypeParametersFromType(node.expression, checker) : void 0;
      }
      return sigDecl.typeParameters;
    }
    function getAliasedSymbol(symbol, checker) {
      return tsutils.isSymbolFlagSet(symbol, ts.SymbolFlags.Alias) ? checker.getAliasedSymbol(symbol) : symbol;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-type-assertion.js
var require_no_unnecessary_type_assertion = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-type-assertion.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-unnecessary-type-assertion",
      meta: {
        docs: {
          description: "Disallow type assertions that do not change the type of an expression",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        fixable: "code",
        messages: {
          unnecessaryAssertion: "This assertion is unnecessary since it does not change the type of the expression.",
          contextuallyUnnecessary: "This assertion is unnecessary since the receiver accepts the original type of the expression."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              typesToIgnore: {
                description: "A list of type names to ignore.",
                type: "array",
                items: {
                  type: "string"
                }
              }
            }
          }
        ],
        type: "suggestion"
      },
      defaultOptions: [{}],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const compilerOptions = services.program.getCompilerOptions();
        function isPossiblyUsedBeforeAssigned(node) {
          const declaration = (0, util_1.getDeclaration)(services, node);
          if (!declaration) {
            return true;
          }
          if (
            // non-strict mode doesn't care about used before assigned errors
            tsutils.isStrictCompilerOptionEnabled(compilerOptions, "strictNullChecks") && // ignore class properties as they are compile time guarded
            // also ignore function arguments as they can't be used before defined
            ts.isVariableDeclaration(declaration) && // is it `const x!: number`
            declaration.initializer === void 0 && declaration.exclamationToken === void 0 && declaration.type !== void 0
          ) {
            const declarationType = checker.getTypeFromTypeNode(declaration.type);
            const type = (0, util_1.getConstrainedTypeAtLocation)(services, node);
            if (declarationType === type && // `declare`s are never narrowed, so never skip them
            !services.tsNodeToESTreeNodeMap.get(declaration).parent.declare) {
              return true;
            }
          }
          return false;
        }
        function isConstAssertion(node) {
          return node.type === utils_1.AST_NODE_TYPES.TSTypeReference && node.typeName.type === utils_1.AST_NODE_TYPES.Identifier && node.typeName.name === "const";
        }
        function isImplicitlyNarrowedConstDeclaration({ expression, parent }) {
          const maybeDeclarationNode = parent.parent;
          const isTemplateLiteralWithExpressions = expression.type === utils_1.AST_NODE_TYPES.TemplateLiteral && expression.expressions.length !== 0;
          return maybeDeclarationNode.type === utils_1.AST_NODE_TYPES.VariableDeclaration && maybeDeclarationNode.kind === "const" && /**
           * Even on `const` variable declarations, template literals with expressions can sometimes be widened without a type assertion.
           * @see https://github.com/typescript-eslint/typescript-eslint/issues/8737
           */
          !isTemplateLiteralWithExpressions;
        }
        function isTypeUnchanged(uncast, cast) {
          if (uncast === cast) {
            return true;
          }
          if ((0, util_1.isTypeFlagSet)(uncast, ts.TypeFlags.Undefined) && (0, util_1.isTypeFlagSet)(cast, ts.TypeFlags.Undefined) && tsutils.isCompilerOptionEnabled(compilerOptions, "exactOptionalPropertyTypes")) {
            const uncastParts = tsutils.unionTypeParts(uncast).filter((part) => !(0, util_1.isTypeFlagSet)(part, ts.TypeFlags.Undefined));
            const castParts = tsutils.unionTypeParts(cast).filter((part) => !(0, util_1.isTypeFlagSet)(part, ts.TypeFlags.Undefined));
            if (uncastParts.length !== castParts.length) {
              return false;
            }
            const uncastPartsSet = new Set(uncastParts);
            return castParts.every((part) => uncastPartsSet.has(part));
          }
          return false;
        }
        return {
          TSNonNullExpression(node) {
            if (node.parent.type === utils_1.AST_NODE_TYPES.AssignmentExpression && node.parent.operator === "=") {
              if (node.parent.left === node) {
                context.report({
                  node,
                  messageId: "contextuallyUnnecessary",
                  fix(fixer) {
                    return fixer.removeRange([
                      node.expression.range[1],
                      node.range[1]
                    ]);
                  }
                });
              }
              return;
            }
            const originalNode = services.esTreeNodeToTSNodeMap.get(node);
            const type = (0, util_1.getConstrainedTypeAtLocation)(services, node.expression);
            if (!(0, util_1.isNullableType)(type) && !(0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Void)) {
              if (node.expression.type === utils_1.AST_NODE_TYPES.Identifier && isPossiblyUsedBeforeAssigned(node.expression)) {
                return;
              }
              context.report({
                node,
                messageId: "unnecessaryAssertion",
                fix(fixer) {
                  return fixer.removeRange([node.range[1] - 1, node.range[1]]);
                }
              });
            } else {
              const contextualType = (0, util_1.getContextualType)(checker, originalNode);
              if (contextualType) {
                const typeIncludesUndefined = (0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Undefined);
                const typeIncludesNull = (0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Null);
                const typeIncludesVoid = (0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Void);
                const contextualTypeIncludesUndefined = (0, util_1.isTypeFlagSet)(contextualType, ts.TypeFlags.Undefined);
                const contextualTypeIncludesNull = (0, util_1.isTypeFlagSet)(contextualType, ts.TypeFlags.Null);
                const contextualTypeIncludesVoid = (0, util_1.isTypeFlagSet)(contextualType, ts.TypeFlags.Void);
                const isValidUndefined = typeIncludesUndefined ? contextualTypeIncludesUndefined : true;
                const isValidNull = typeIncludesNull ? contextualTypeIncludesNull : true;
                const isValidVoid = typeIncludesVoid ? contextualTypeIncludesVoid : true;
                if (isValidUndefined && isValidNull && isValidVoid) {
                  context.report({
                    node,
                    messageId: "contextuallyUnnecessary",
                    fix(fixer) {
                      return fixer.removeRange([
                        node.expression.range[1],
                        node.range[1]
                      ]);
                    }
                  });
                }
              }
            }
          },
          "TSAsExpression, TSTypeAssertion"(node) {
            if (options.typesToIgnore?.includes(context.sourceCode.getText(node.typeAnnotation))) {
              return;
            }
            const castType = services.getTypeAtLocation(node);
            const uncastType = services.getTypeAtLocation(node.expression);
            const typeIsUnchanged = isTypeUnchanged(uncastType, castType);
            const wouldSameTypeBeInferred = castType.isLiteral() ? isImplicitlyNarrowedConstDeclaration(node) : !isConstAssertion(node.typeAnnotation);
            if (typeIsUnchanged && wouldSameTypeBeInferred) {
              context.report({
                node,
                messageId: "unnecessaryAssertion",
                fix(fixer) {
                  if (node.type === utils_1.AST_NODE_TYPES.TSTypeAssertion) {
                    const openingAngleBracket = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(node.typeAnnotation, (token) => token.type === utils_1.AST_TOKEN_TYPES.Punctuator && token.value === "<"), util_1.NullThrowsReasons.MissingToken("<", "type annotation"));
                    const closingAngleBracket = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.typeAnnotation, (token) => token.type === utils_1.AST_TOKEN_TYPES.Punctuator && token.value === ">"), util_1.NullThrowsReasons.MissingToken(">", "type annotation"));
                    return fixer.removeRange([
                      openingAngleBracket.range[0],
                      closingAngleBracket.range[1]
                    ]);
                  }
                  const asToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.expression, (token) => token.type === utils_1.AST_TOKEN_TYPES.Identifier && token.value === "as"), util_1.NullThrowsReasons.MissingToken(">", "type annotation"));
                  const tokenBeforeAs = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(asToken, {
                    includeComments: true
                  }), util_1.NullThrowsReasons.MissingToken("comment", "as"));
                  return fixer.removeRange([tokenBeforeAs.range[1], node.range[1]]);
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-type-constraint.js
var require_no_unnecessary_type_constraint = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-type-constraint.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var path_1 = require("path");
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-unnecessary-type-constraint",
      meta: {
        docs: {
          description: "Disallow unnecessary constraints on generic types",
          recommended: "recommended"
        },
        hasSuggestions: true,
        messages: {
          unnecessaryConstraint: "Constraining the generic type `{{name}}` to `{{constraint}}` does nothing and is unnecessary.",
          removeUnnecessaryConstraint: "Remove the unnecessary `{{constraint}}` constraint."
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        const unnecessaryConstraints = /* @__PURE__ */ new Map([
          [utils_1.AST_NODE_TYPES.TSAnyKeyword, "any"],
          [utils_1.AST_NODE_TYPES.TSUnknownKeyword, "unknown"]
        ]);
        function checkRequiresGenericDeclarationDisambiguation(filename) {
          const pathExt = (0, path_1.extname)(filename).toLocaleLowerCase();
          switch (pathExt) {
            case ts.Extension.Cts:
            case ts.Extension.Mts:
            case ts.Extension.Tsx:
              return true;
            default:
              return false;
          }
        }
        const requiresGenericDeclarationDisambiguation = checkRequiresGenericDeclarationDisambiguation(context.filename);
        const checkNode2 = (node, inArrowFunction) => {
          const constraint = unnecessaryConstraints.get(node.constraint.type);
          function shouldAddTrailingComma() {
            if (!inArrowFunction || !requiresGenericDeclarationDisambiguation) {
              return false;
            }
            return node.parent.params.length === 1 && context.sourceCode.getTokensAfter(node)[0].value !== "," && !node.default;
          }
          if (constraint) {
            context.report({
              data: {
                constraint,
                name: node.name.name
              },
              suggest: [
                {
                  messageId: "removeUnnecessaryConstraint",
                  data: {
                    constraint
                  },
                  fix(fixer) {
                    return fixer.replaceTextRange([node.name.range[1], node.constraint.range[1]], shouldAddTrailingComma() ? "," : "");
                  }
                }
              ],
              messageId: "unnecessaryConstraint",
              node
            });
          }
        };
        return {
          ":not(ArrowFunctionExpression) > TSTypeParameterDeclaration > TSTypeParameter[constraint]"(node) {
            checkNode2(node, false);
          },
          "ArrowFunctionExpression > TSTypeParameterDeclaration > TSTypeParameter[constraint]"(node) {
            checkNode2(node, true);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-type-parameters.js
var require_no_unnecessary_type_parameters = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-type-parameters.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      defaultOptions: [],
      meta: {
        docs: {
          description: "Disallow type parameters that only appear once",
          requiresTypeChecking: true
        },
        messages: {
          sole: "Type parameter {{name}} is used only once."
        },
        schema: [],
        type: "problem"
      },
      name: "no-unnecessary-type-parameters",
      create(context) {
        const parserServices = (0, util_1.getParserServices)(context);
        return {
          [[
            "ArrowFunctionExpression[typeParameters]",
            "ClassDeclaration[typeParameters]",
            "ClassExpression[typeParameters]",
            "FunctionDeclaration[typeParameters]",
            "FunctionExpression[typeParameters]",
            "TSCallSignatureDeclaration[typeParameters]",
            "TSConstructorType[typeParameters]",
            "TSDeclareFunction[typeParameters]",
            "TSEmptyBodyFunctionExpression[typeParameters]",
            "TSFunctionType[typeParameters]",
            "TSMethodSignature[typeParameters]"
          ].join(", ")](node) {
            const tsNode = parserServices.esTreeNodeToTSNodeMap.get(node);
            const checker = parserServices.program.getTypeChecker();
            let counts;
            for (const typeParameter of tsNode.typeParameters) {
              const esTypeParameter = parserServices.tsNodeToESTreeNodeMap.get(typeParameter);
              const scope = context.sourceCode.getScope(esTypeParameter);
              if (isTypeParameterRepeatedInAST(esTypeParameter, scope.references)) {
                continue;
              }
              counts ??= countTypeParameterUsage(checker, tsNode);
              const identifierCounts = counts.get(typeParameter.name);
              if (!identifierCounts || identifierCounts > 2) {
                continue;
              }
              context.report({
                data: {
                  name: typeParameter.name.text
                },
                node: esTypeParameter,
                messageId: "sole"
              });
            }
          }
        };
      }
    });
    function isTypeParameterRepeatedInAST(node, references) {
      let total = 0;
      for (const reference of references) {
        if (reference.identifier.range[0] < node.range[1] && reference.identifier.range[1] > node.range[0]) {
          continue;
        }
        if (!reference.isTypeReference || reference.identifier.name !== node.name.name) {
          continue;
        }
        if (reference.identifier.parent.type === utils_1.AST_NODE_TYPES.TSTypeReference) {
          const grandparent = skipConstituentsUpward(reference.identifier.parent.parent);
          if (grandparent.type === utils_1.AST_NODE_TYPES.TSTypeParameterInstantiation && grandparent.params.includes(reference.identifier.parent)) {
            return true;
          }
        }
        total += 1;
        if (total > 2) {
          return true;
        }
      }
      return false;
    }
    function skipConstituentsUpward(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.TSIntersectionType:
        case utils_1.AST_NODE_TYPES.TSUnionType:
          return skipConstituentsUpward(node.parent);
        default:
          return node;
      }
    }
    function countTypeParameterUsage(checker, node) {
      const counts = /* @__PURE__ */ new Map();
      if (ts.isClassLike(node)) {
        for (const typeParameter of node.typeParameters) {
          collectTypeParameterUsageCounts(checker, typeParameter, counts);
        }
        for (const member of node.members) {
          collectTypeParameterUsageCounts(checker, member, counts);
        }
      } else {
        collectTypeParameterUsageCounts(checker, node, counts);
      }
      return counts;
    }
    function collectTypeParameterUsageCounts(checker, node, foundIdentifierUsages) {
      const visitedSymbolLists = /* @__PURE__ */ new Set();
      const type = checker.getTypeAtLocation(node);
      const typeUsages = /* @__PURE__ */ new Map();
      const visitedConstraints = /* @__PURE__ */ new Set();
      let functionLikeType = false;
      let visitedDefault = false;
      if (ts.isCallSignatureDeclaration(node) || ts.isConstructorDeclaration(node)) {
        functionLikeType = true;
        visitSignature(checker.getSignatureFromDeclaration(node));
      }
      if (!functionLikeType) {
        visitType(type, false);
      }
      function visitType(type2, assumeMultipleUses) {
        if (!type2 || incrementTypeUsages(type2) > 9) {
          return;
        }
        if (tsutils.isTypeParameter(type2)) {
          const declaration = type2.getSymbol()?.getDeclarations()?.[0];
          if (declaration) {
            incrementIdentifierCount(declaration.name, assumeMultipleUses);
            if (declaration.constraint && !visitedConstraints.has(declaration.constraint)) {
              visitedConstraints.add(declaration.constraint);
              visitType(checker.getTypeAtLocation(declaration.constraint), false);
            }
            if (declaration.default && !visitedDefault) {
              visitedDefault = true;
              visitType(checker.getTypeAtLocation(declaration.default), false);
            }
          }
        } else if (tsutils.isUnionOrIntersectionType(type2)) {
          visitTypesList(type2.types, assumeMultipleUses);
        } else if (tsutils.isIndexedAccessType(type2)) {
          visitType(type2.objectType, assumeMultipleUses);
          visitType(type2.indexType, assumeMultipleUses);
        } else if (tsutils.isTupleType(type2) || tsutils.isTypeReference(type2)) {
          for (const typeArgument of type2.typeArguments ?? []) {
            visitType(typeArgument, true);
          }
        } else if (tsutils.isTemplateLiteralType(type2)) {
          for (const subType of type2.types) {
            visitType(subType, assumeMultipleUses);
          }
        } else if (tsutils.isConditionalType(type2)) {
          visitType(type2.checkType, assumeMultipleUses);
          visitType(type2.extendsType, assumeMultipleUses);
        } else if (tsutils.isObjectType(type2)) {
          visitSymbolsListOnce(type2.getProperties(), false);
          if (isMappedType(type2)) {
            visitType(type2.typeParameter, false);
          }
          for (const typeArgument of type2.aliasTypeArguments ?? []) {
            visitType(typeArgument, true);
          }
          visitType(type2.getNumberIndexType(), true);
          visitType(type2.getStringIndexType(), true);
          type2.getCallSignatures().forEach((signature) => {
            functionLikeType = true;
            visitSignature(signature);
          });
          type2.getConstructSignatures().forEach((signature) => {
            functionLikeType = true;
            visitSignature(signature);
          });
        } else if (isOperatorType(type2)) {
          visitType(type2.type, assumeMultipleUses);
        } else if (type2.aliasTypeArguments) {
          visitTypesList(type2.aliasTypeArguments, true);
        }
      }
      function incrementIdentifierCount(id, assumeMultipleUses) {
        const identifierCount = foundIdentifierUsages.get(id) ?? 0;
        const value = assumeMultipleUses ? 2 : 1;
        foundIdentifierUsages.set(id, identifierCount + value);
      }
      function incrementTypeUsages(type2) {
        const count = (typeUsages.get(type2) ?? 0) + 1;
        typeUsages.set(type2, count);
        return count;
      }
      function visitSignature(signature) {
        if (!signature) {
          return;
        }
        if (signature.thisParameter) {
          visitType(checker.getTypeOfSymbol(signature.thisParameter), false);
        }
        for (const parameter of signature.parameters) {
          visitType(checker.getTypeOfSymbol(parameter), false);
        }
        for (const typeParameter of signature.getTypeParameters() ?? []) {
          visitType(typeParameter, false);
        }
        visitType(checker.getTypePredicateOfSignature(signature)?.type ?? signature.getReturnType(), false);
      }
      function visitSymbolsListOnce(symbols, assumeMultipleUses) {
        if (visitedSymbolLists.has(symbols)) {
          return;
        }
        visitedSymbolLists.add(symbols);
        for (const symbol of symbols) {
          visitType(checker.getTypeOfSymbol(symbol), assumeMultipleUses);
        }
      }
      function visitTypesList(types, assumeMultipleUses) {
        for (const type2 of types) {
          visitType(type2, assumeMultipleUses);
        }
      }
    }
    function isMappedType(type) {
      return "typeParameter" in type;
    }
    function isOperatorType(type) {
      return "type" in type && !!type.type;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-argument.js
var require_no_unsafe_argument = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-argument.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var FunctionSignature = class {
      static create(checker, tsNode) {
        const signature = checker.getResolvedSignature(tsNode);
        if (!signature) {
          return null;
        }
        const paramTypes = [];
        let restType = null;
        const parameters = signature.getParameters();
        for (let i = 0; i < parameters.length; i += 1) {
          const param = parameters[i];
          const type = checker.getTypeOfSymbolAtLocation(param, tsNode);
          const decl = param.getDeclarations()?.[0];
          if (decl && (0, util_1.isRestParameterDeclaration)(decl)) {
            if (checker.isArrayType(type)) {
              restType = {
                type: checker.getTypeArguments(type)[0],
                kind: 0,
                index: i
              };
            } else if (checker.isTupleType(type)) {
              restType = {
                typeArguments: checker.getTypeArguments(type),
                kind: 1,
                index: i
              };
            } else {
              restType = {
                type,
                kind: 2,
                index: i
              };
            }
            break;
          }
          paramTypes.push(type);
        }
        return new this(paramTypes, restType);
      }
      constructor(paramTypes, restType) {
        this.paramTypes = paramTypes;
        this.restType = restType;
        this.parameterTypeIndex = 0;
        this.hasConsumedArguments = false;
      }
      getNextParameterType() {
        const index = this.parameterTypeIndex;
        this.parameterTypeIndex += 1;
        if (index >= this.paramTypes.length || this.hasConsumedArguments) {
          if (this.restType == null) {
            return null;
          }
          switch (this.restType.kind) {
            case 1: {
              const typeArguments = this.restType.typeArguments;
              if (this.hasConsumedArguments) {
                return typeArguments[typeArguments.length - 1];
              }
              const typeIndex = index - this.restType.index;
              if (typeIndex >= typeArguments.length) {
                return typeArguments[typeArguments.length - 1];
              }
              return typeArguments[typeIndex];
            }
            case 0:
            case 2:
              return this.restType.type;
          }
        }
        return this.paramTypes[index];
      }
      consumeRemainingArguments() {
        this.hasConsumedArguments = true;
      }
    };
    exports2.default = (0, util_1.createRule)({
      name: "no-unsafe-argument",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow calling a function with a value with type `any`",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          unsafeArgument: "Unsafe argument of type `{{sender}}` assigned to a parameter of type `{{receiver}}`.",
          unsafeTupleSpread: "Unsafe spread of a tuple type. The argument is of type `{{sender}}` and is assigned to a parameter of type `{{receiver}}`.",
          unsafeArraySpread: "Unsafe spread of an `any` array type.",
          unsafeSpread: "Unsafe spread of an `any` type."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function checkUnsafeArguments(args, callee, node) {
          if (args.length === 0) {
            return;
          }
          if ((0, util_1.isTypeAnyType)(services.getTypeAtLocation(callee))) {
            return;
          }
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          const signature = (0, util_1.nullThrows)(FunctionSignature.create(checker, tsNode), "Expected to a signature resolved");
          if (node.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression) {
            signature.getNextParameterType();
          }
          for (const argument of args) {
            switch (argument.type) {
              case utils_1.AST_NODE_TYPES.SpreadElement: {
                const spreadArgType = services.getTypeAtLocation(argument.argument);
                if ((0, util_1.isTypeAnyType)(spreadArgType)) {
                  context.report({
                    node: argument,
                    messageId: "unsafeSpread"
                  });
                } else if ((0, util_1.isTypeAnyArrayType)(spreadArgType, checker)) {
                  context.report({
                    node: argument,
                    messageId: "unsafeArraySpread"
                  });
                } else if (checker.isTupleType(spreadArgType)) {
                  const spreadTypeArguments = checker.getTypeArguments(spreadArgType);
                  for (const tupleType2 of spreadTypeArguments) {
                    const parameterType = signature.getNextParameterType();
                    if (parameterType == null) {
                      continue;
                    }
                    const result = (0, util_1.isUnsafeAssignment)(
                      tupleType2,
                      parameterType,
                      checker,
                      // we can't pass the individual tuple members in here as this will most likely be a spread variable
                      // not a spread array
                      null
                    );
                    if (result) {
                      context.report({
                        node: argument,
                        messageId: "unsafeTupleSpread",
                        data: {
                          sender: checker.typeToString(tupleType2),
                          receiver: checker.typeToString(parameterType)
                        }
                      });
                    }
                  }
                  if (spreadArgType.target.hasRestElement) {
                    signature.consumeRemainingArguments();
                  }
                } else {
                }
                break;
              }
              default: {
                const parameterType = signature.getNextParameterType();
                if (parameterType == null) {
                  continue;
                }
                const argumentType = services.getTypeAtLocation(argument);
                const result = (0, util_1.isUnsafeAssignment)(argumentType, parameterType, checker, argument);
                if (result) {
                  context.report({
                    node: argument,
                    messageId: "unsafeArgument",
                    data: {
                      sender: checker.typeToString(argumentType),
                      receiver: checker.typeToString(parameterType)
                    }
                  });
                }
              }
            }
          }
        }
        return {
          "CallExpression, NewExpression"(node) {
            checkUnsafeArguments(node.arguments, node.callee, node);
          },
          TaggedTemplateExpression(node) {
            checkUnsafeArguments(node.quasi.expressions, node.tag, node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-assignment.js
var require_no_unsafe_assignment = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-assignment.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-unsafe-assignment",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow assigning a value with type `any` to variables and properties",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          anyAssignment: "Unsafe assignment of an {{sender}} value.",
          anyAssignmentThis: [
            "Unsafe assignment of an {{sender}} value. `this` is typed as `any`.",
            "You can try to fix this by turning on the `noImplicitThis` compiler option, or adding a `this` parameter to the function."
          ].join("\n"),
          unsafeArrayPattern: "Unsafe array destructuring of an {{sender}} array value.",
          unsafeArrayPatternFromTuple: "Unsafe array destructuring of a tuple element with an {{sender}} value.",
          unsafeAssignment: "Unsafe assignment of type {{sender}} to a variable of type {{receiver}}.",
          unsafeArraySpread: "Unsafe spread of an {{sender}} value in an array."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const compilerOptions = services.program.getCompilerOptions();
        const isNoImplicitThis = tsutils.isStrictCompilerOptionEnabled(compilerOptions, "noImplicitThis");
        function checkArrayDestructureHelper(receiverNode, senderNode) {
          if (receiverNode.type !== utils_1.AST_NODE_TYPES.ArrayPattern) {
            return false;
          }
          const senderTsNode = services.esTreeNodeToTSNodeMap.get(senderNode);
          const senderType = services.getTypeAtLocation(senderNode);
          return checkArrayDestructure(receiverNode, senderType, senderTsNode);
        }
        function checkArrayDestructure(receiverNode, senderType, senderNode) {
          if ((0, util_1.isTypeAnyArrayType)(senderType, checker)) {
            context.report({
              node: receiverNode,
              messageId: "unsafeArrayPattern",
              data: createData(senderType)
            });
            return false;
          }
          if (!checker.isTupleType(senderType)) {
            return true;
          }
          const tupleElements = checker.getTypeArguments(senderType);
          let didReport = false;
          for (let receiverIndex = 0; receiverIndex < receiverNode.elements.length; receiverIndex += 1) {
            const receiverElement = receiverNode.elements[receiverIndex];
            if (!receiverElement) {
              continue;
            }
            if (receiverElement.type === utils_1.AST_NODE_TYPES.RestElement) {
              continue;
            }
            const senderType2 = tupleElements[receiverIndex];
            if (!senderType2) {
              continue;
            }
            if ((0, util_1.isTypeAnyType)(senderType2)) {
              context.report({
                node: receiverElement,
                messageId: "unsafeArrayPatternFromTuple",
                data: createData(senderType2)
              });
              didReport = true;
            } else if (receiverElement.type === utils_1.AST_NODE_TYPES.ArrayPattern) {
              didReport = checkArrayDestructure(receiverElement, senderType2, senderNode);
            } else if (receiverElement.type === utils_1.AST_NODE_TYPES.ObjectPattern) {
              didReport = checkObjectDestructure(receiverElement, senderType2, senderNode);
            }
          }
          return didReport;
        }
        function checkObjectDestructureHelper(receiverNode, senderNode) {
          if (receiverNode.type !== utils_1.AST_NODE_TYPES.ObjectPattern) {
            return false;
          }
          const senderTsNode = services.esTreeNodeToTSNodeMap.get(senderNode);
          const senderType = services.getTypeAtLocation(senderNode);
          return checkObjectDestructure(receiverNode, senderType, senderTsNode);
        }
        function checkObjectDestructure(receiverNode, senderType, senderNode) {
          const properties = new Map(senderType.getProperties().map((property) => [
            property.getName(),
            checker.getTypeOfSymbolAtLocation(property, senderNode)
          ]));
          let didReport = false;
          for (const receiverProperty of receiverNode.properties) {
            if (receiverProperty.type === utils_1.AST_NODE_TYPES.RestElement) {
              continue;
            }
            let key;
            if (!receiverProperty.computed) {
              key = receiverProperty.key.type === utils_1.AST_NODE_TYPES.Identifier ? receiverProperty.key.name : String(receiverProperty.key.value);
            } else if (receiverProperty.key.type === utils_1.AST_NODE_TYPES.Literal) {
              key = String(receiverProperty.key.value);
            } else if (receiverProperty.key.type === utils_1.AST_NODE_TYPES.TemplateLiteral && receiverProperty.key.quasis.length === 1) {
              key = String(receiverProperty.key.quasis[0].value.cooked);
            } else {
              continue;
            }
            const senderType2 = properties.get(key);
            if (!senderType2) {
              continue;
            }
            if ((0, util_1.isTypeAnyType)(senderType2)) {
              context.report({
                node: receiverProperty.value,
                messageId: "unsafeArrayPatternFromTuple",
                data: createData(senderType2)
              });
              didReport = true;
            } else if (receiverProperty.value.type === utils_1.AST_NODE_TYPES.ArrayPattern) {
              didReport = checkArrayDestructure(receiverProperty.value, senderType2, senderNode);
            } else if (receiverProperty.value.type === utils_1.AST_NODE_TYPES.ObjectPattern) {
              didReport = checkObjectDestructure(receiverProperty.value, senderType2, senderNode);
            }
          }
          return didReport;
        }
        function checkAssignment(receiverNode, senderNode, reportingNode, comparisonType) {
          const receiverTsNode = services.esTreeNodeToTSNodeMap.get(receiverNode);
          const receiverType = comparisonType === 2 ? (0, util_1.getContextualType)(checker, receiverTsNode) ?? services.getTypeAtLocation(receiverNode) : services.getTypeAtLocation(receiverNode);
          const senderType = services.getTypeAtLocation(senderNode);
          if ((0, util_1.isTypeAnyType)(senderType)) {
            if ((0, util_1.isTypeUnknownType)(receiverType)) {
              return false;
            }
            let messageId4 = "anyAssignment";
            if (!isNoImplicitThis) {
              const thisExpression = (0, util_1.getThisExpression)(senderNode);
              if (thisExpression && (0, util_1.isTypeAnyType)((0, util_1.getConstrainedTypeAtLocation)(services, thisExpression))) {
                messageId4 = "anyAssignmentThis";
              }
            }
            context.report({
              node: reportingNode,
              messageId: messageId4,
              data: createData(senderType)
            });
            return true;
          }
          if (comparisonType === 0) {
            return false;
          }
          const result = (0, util_1.isUnsafeAssignment)(senderType, receiverType, checker, senderNode);
          if (!result) {
            return false;
          }
          const { sender, receiver } = result;
          context.report({
            node: reportingNode,
            messageId: "unsafeAssignment",
            data: createData(sender, receiver)
          });
          return true;
        }
        function getComparisonType(typeAnnotation) {
          return typeAnnotation ? (
            // if there's a type annotation, we can do a comparison
            1
          ) : (
            // no type annotation means the variable's type will just be inferred, thus equal
            0
          );
        }
        function createData(senderType, receiverType) {
          if (receiverType) {
            return {
              sender: "`" + checker.typeToString(senderType) + "`",
              receiver: "`" + checker.typeToString(receiverType) + "`"
            };
          }
          return {
            sender: tsutils.isIntrinsicErrorType(senderType) ? "error typed" : "`any`"
          };
        }
        return {
          "VariableDeclarator[init != null]"(node) {
            const init = (0, util_1.nullThrows)(node.init, util_1.NullThrowsReasons.MissingToken(node.type, "init"));
            let didReport = checkAssignment(node.id, init, node, getComparisonType(node.id.typeAnnotation));
            if (!didReport) {
              didReport = checkArrayDestructureHelper(node.id, init);
            }
            if (!didReport) {
              checkObjectDestructureHelper(node.id, init);
            }
          },
          "PropertyDefinition[value != null]"(node) {
            checkAssignment(node.key, node.value, node, getComparisonType(node.typeAnnotation));
          },
          'AssignmentExpression[operator = "="], AssignmentPattern'(node) {
            let didReport = checkAssignment(
              node.left,
              node.right,
              node,
              1
              /* ComparisonType.Basic */
            );
            if (!didReport) {
              didReport = checkArrayDestructureHelper(node.left, node.right);
            }
            if (!didReport) {
              checkObjectDestructureHelper(node.left, node.right);
            }
          },
          // object pattern props are checked via assignments
          ":not(ObjectPattern) > Property"(node) {
            if (node.value.type === utils_1.AST_NODE_TYPES.AssignmentPattern || node.value.type === utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression) {
              return;
            }
            checkAssignment(
              node.key,
              node.value,
              node,
              2
              /* ComparisonType.Contextual */
            );
          },
          "ArrayExpression > SpreadElement"(node) {
            const restType = services.getTypeAtLocation(node.argument);
            if ((0, util_1.isTypeAnyType)(restType) || (0, util_1.isTypeAnyArrayType)(restType, checker)) {
              context.report({
                node,
                messageId: "unsafeArraySpread",
                data: createData(restType)
              });
            }
          },
          "JSXAttribute[value != null]"(node) {
            const value = (0, util_1.nullThrows)(node.value, util_1.NullThrowsReasons.MissingToken(node.type, "value"));
            if (value.type !== utils_1.AST_NODE_TYPES.JSXExpressionContainer || value.expression.type === utils_1.AST_NODE_TYPES.JSXEmptyExpression) {
              return;
            }
            checkAssignment(
              node.name,
              value.expression,
              value.expression,
              2
              /* ComparisonType.Contextual */
            );
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-call.js
var require_no_unsafe_call = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-call.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tsutils = __importStar2(require_lib5());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-unsafe-call",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow calling a value with type `any`",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          unsafeCall: "Unsafe call of an {{type}} typed value.",
          unsafeCallThis: [
            "Unsafe call of an `any` typed value. `this` is typed as `any`.",
            "You can try to fix this by turning on the `noImplicitThis` compiler option, or adding a `this` parameter to the function."
          ].join("\n"),
          unsafeNew: "Unsafe construction of an any type value.",
          unsafeTemplateTag: "Unsafe any typed template tag."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const compilerOptions = services.program.getCompilerOptions();
        const isNoImplicitThis = tsutils.isStrictCompilerOptionEnabled(compilerOptions, "noImplicitThis");
        function checkCall(node, reportingNode, messageId4) {
          const type = (0, util_1.getConstrainedTypeAtLocation)(services, node);
          if ((0, util_1.isTypeAnyType)(type)) {
            if (!isNoImplicitThis) {
              const thisExpression = (0, util_1.getThisExpression)(node);
              if (thisExpression && (0, util_1.isTypeAnyType)((0, util_1.getConstrainedTypeAtLocation)(services, thisExpression))) {
                messageId4 = "unsafeCallThis";
              }
            }
            const isErrorType = tsutils.isIntrinsicErrorType(type);
            context.report({
              node: reportingNode,
              messageId: messageId4,
              data: {
                type: isErrorType ? "`error` type" : "`any`"
              }
            });
          }
        }
        return {
          "CallExpression > *.callee"(node) {
            checkCall(node, node, "unsafeCall");
          },
          NewExpression(node) {
            checkCall(node.callee, node, "unsafeNew");
          },
          "TaggedTemplateExpression > *.tag"(node) {
            checkCall(node, node, "unsafeTemplateTag");
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-declaration-merging.js
var require_no_unsafe_declaration_merging = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-declaration-merging.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-unsafe-declaration-merging",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow unsafe declaration merging",
          recommended: "recommended",
          requiresTypeChecking: false
        },
        messages: {
          unsafeMerging: "Unsafe declaration merging between classes and interfaces."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        function checkUnsafeDeclaration(scope, node, unsafeKind) {
          const variable = scope.set.get(node.name);
          if (!variable) {
            return;
          }
          const defs = variable.defs;
          if (defs.length <= 1) {
            return;
          }
          if (defs.some((def) => def.node.type === unsafeKind)) {
            context.report({
              node,
              messageId: "unsafeMerging"
            });
          }
        }
        return {
          ClassDeclaration(node) {
            if (node.id) {
              const currentScope = context.sourceCode.getScope(node).upper;
              if (currentScope == null) {
                return;
              }
              checkUnsafeDeclaration(currentScope, node.id, utils_1.AST_NODE_TYPES.TSInterfaceDeclaration);
            }
          },
          TSInterfaceDeclaration(node) {
            checkUnsafeDeclaration(context.sourceCode.getScope(node), node.id, utils_1.AST_NODE_TYPES.ClassDeclaration);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/enum-utils/shared.js
var require_shared3 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/enum-utils/shared.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getEnumLiterals = getEnumLiterals;
    exports2.getEnumTypes = getEnumTypes;
    exports2.getEnumKeyForLiteral = getEnumKeyForLiteral;
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    function getBaseEnumType(typeChecker, type) {
      const symbol = type.getSymbol();
      if (!tsutils.isSymbolFlagSet(symbol, ts.SymbolFlags.EnumMember)) {
        return type;
      }
      return typeChecker.getTypeAtLocation(symbol.valueDeclaration.parent);
    }
    function getEnumLiterals(type) {
      return tsutils.unionTypeParts(type).filter((subType) => (0, util_1.isTypeFlagSet)(subType, ts.TypeFlags.EnumLiteral));
    }
    function getEnumTypes(typeChecker, type) {
      return getEnumLiterals(type).map((type2) => getBaseEnumType(typeChecker, type2));
    }
    function getEnumKeyForLiteral(enumLiterals, literal) {
      for (const enumLiteral of enumLiterals) {
        if (enumLiteral.value === literal) {
          const { symbol } = enumLiteral;
          const memberDeclaration = symbol.valueDeclaration;
          const enumDeclaration = memberDeclaration.parent;
          const memberNameIdentifier = memberDeclaration.name;
          const enumName = enumDeclaration.name.text;
          switch (memberNameIdentifier.kind) {
            case ts.SyntaxKind.Identifier:
              return `${enumName}.${memberNameIdentifier.text}`;
            case ts.SyntaxKind.StringLiteral: {
              const memberName = memberNameIdentifier.text.replace(/'/g, "\\'");
              return `${enumName}['${memberName}']`;
            }
            case ts.SyntaxKind.ComputedPropertyName:
              return `${enumName}[${memberNameIdentifier.expression.getText()}]`;
            default:
              break;
          }
        }
      }
      return null;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-enum-comparison.js
var require_no_unsafe_enum_comparison = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-enum-comparison.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    var shared_1 = require_shared3();
    function typeViolates(leftTypeParts, right) {
      const leftValueKinds = new Set(leftTypeParts.map(getEnumValueType));
      return leftValueKinds.has(ts.TypeFlags.Number) && tsutils.isTypeFlagSet(right, ts.TypeFlags.Number | ts.TypeFlags.NumberLike) || leftValueKinds.has(ts.TypeFlags.String) && tsutils.isTypeFlagSet(right, ts.TypeFlags.String | ts.TypeFlags.StringLike);
    }
    function getEnumValueType(type) {
      return tsutils.isTypeFlagSet(type, ts.TypeFlags.EnumLike) ? tsutils.isTypeFlagSet(type, ts.TypeFlags.NumberLiteral) ? ts.TypeFlags.Number : ts.TypeFlags.String : void 0;
    }
    exports2.default = (0, util_1.createRule)({
      name: "no-unsafe-enum-comparison",
      meta: {
        hasSuggestions: true,
        type: "suggestion",
        docs: {
          description: "Disallow comparing an enum value with a non-enum value",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          mismatchedCase: "The case statement does not have a shared enum type with the switch predicate.",
          mismatchedCondition: "The two values in this comparison do not have a shared enum type.",
          replaceValueWithEnum: "Replace with an enum value comparison."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const parserServices = (0, util_1.getParserServices)(context);
        const typeChecker = parserServices.program.getTypeChecker();
        function isMismatchedComparison(leftType, rightType) {
          const leftEnumTypes = (0, shared_1.getEnumTypes)(typeChecker, leftType);
          const rightEnumTypes = new Set((0, shared_1.getEnumTypes)(typeChecker, rightType));
          if (leftEnumTypes.length === 0 && rightEnumTypes.size === 0) {
            return false;
          }
          for (const leftEnumType of leftEnumTypes) {
            if (rightEnumTypes.has(leftEnumType)) {
              return false;
            }
          }
          const leftTypeParts = tsutils.unionTypeParts(leftType);
          const rightTypeParts = tsutils.unionTypeParts(rightType);
          for (const leftTypePart of leftTypeParts) {
            if (rightTypeParts.includes(leftTypePart)) {
              return false;
            }
          }
          return typeViolates(leftTypeParts, rightType) || typeViolates(rightTypeParts, leftType);
        }
        return {
          "BinaryExpression[operator=/^[<>!=]?={0,2}$/]"(node) {
            const leftType = parserServices.getTypeAtLocation(node.left);
            const rightType = parserServices.getTypeAtLocation(node.right);
            if (isMismatchedComparison(leftType, rightType)) {
              context.report({
                messageId: "mismatchedCondition",
                node,
                suggest: [
                  {
                    messageId: "replaceValueWithEnum",
                    fix(fixer) {
                      const leftEnumKey = (0, shared_1.getEnumKeyForLiteral)((0, shared_1.getEnumLiterals)(leftType), (0, util_1.getStaticValue)(node.right)?.value);
                      if (leftEnumKey) {
                        return fixer.replaceText(node.right, leftEnumKey);
                      }
                      const rightEnumKey = (0, shared_1.getEnumKeyForLiteral)((0, shared_1.getEnumLiterals)(rightType), (0, util_1.getStaticValue)(node.left)?.value);
                      if (rightEnumKey) {
                        return fixer.replaceText(node.left, rightEnumKey);
                      }
                      return null;
                    }
                  }
                ]
              });
            }
          },
          SwitchCase(node) {
            if (node.test == null) {
              return;
            }
            const { parent } = node;
            const switchStatement = parent;
            const leftType = parserServices.getTypeAtLocation(switchStatement.discriminant);
            const rightType = parserServices.getTypeAtLocation(node.test);
            if (isMismatchedComparison(leftType, rightType)) {
              context.report({
                messageId: "mismatchedCase",
                node
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-member-access.js
var require_no_unsafe_member_access = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-member-access.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var util_1 = require_util4();
    function createDataType(type) {
      const isErrorType = tsutils.isIntrinsicErrorType(type);
      return isErrorType ? "`error` typed" : "`any`";
    }
    exports2.default = (0, util_1.createRule)({
      name: "no-unsafe-member-access",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow member access on a value with type `any`",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          unsafeMemberExpression: "Unsafe member access {{property}} on an {{type}} value.",
          unsafeThisMemberExpression: [
            "Unsafe member access {{property}} on an `any` value. `this` is typed as `any`.",
            "You can try to fix this by turning on the `noImplicitThis` compiler option, or adding a `this` parameter to the function."
          ].join("\n"),
          unsafeComputedMemberAccess: "Computed name {{property}} resolves to an {{type}} value."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const compilerOptions = services.program.getCompilerOptions();
        const isNoImplicitThis = tsutils.isStrictCompilerOptionEnabled(compilerOptions, "noImplicitThis");
        const stateCache = /* @__PURE__ */ new Map();
        function checkMemberExpression2(node) {
          const cachedState = stateCache.get(node);
          if (cachedState) {
            return cachedState;
          }
          if (node.object.type === utils_1.AST_NODE_TYPES.MemberExpression) {
            const objectState = checkMemberExpression2(node.object);
            if (objectState === 1) {
              stateCache.set(node, objectState);
              return objectState;
            }
          }
          const type = services.getTypeAtLocation(node.object);
          const state = (0, util_1.isTypeAnyType)(type) ? 1 : 2;
          stateCache.set(node, state);
          if (state === 1) {
            const propertyName = context.sourceCode.getText(node.property);
            let messageId4 = "unsafeMemberExpression";
            if (!isNoImplicitThis) {
              const thisExpression = (0, util_1.getThisExpression)(node);
              if (thisExpression && (0, util_1.isTypeAnyType)((0, util_1.getConstrainedTypeAtLocation)(services, thisExpression))) {
                messageId4 = "unsafeThisMemberExpression";
              }
            }
            context.report({
              node: node.property,
              messageId: messageId4,
              data: {
                property: node.computed ? `[${propertyName}]` : `.${propertyName}`,
                type: createDataType(type)
              }
            });
          }
          return state;
        }
        return {
          // ignore MemberExpressions with ancestors of type `TSClassImplements` or `TSInterfaceHeritage`
          "MemberExpression:not(TSClassImplements MemberExpression, TSInterfaceHeritage MemberExpression)": checkMemberExpression2,
          "MemberExpression[computed = true] > *.property"(node) {
            if (
              // x[1]
              node.type === utils_1.AST_NODE_TYPES.Literal || // x[1++] x[++x] etc
              // FUN FACT - **all** update expressions return type number, regardless of the argument's type,
              // because JS engines return NaN if there the argument is not a number.
              node.type === utils_1.AST_NODE_TYPES.UpdateExpression
            ) {
              return;
            }
            const type = services.getTypeAtLocation(node);
            if ((0, util_1.isTypeAnyType)(type)) {
              const propertyName = context.sourceCode.getText(node);
              context.report({
                node,
                messageId: "unsafeComputedMemberAccess",
                data: {
                  property: `[${propertyName}]`,
                  type: createDataType(type)
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-return.js
var require_no_unsafe_return = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-return.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-unsafe-return",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow returning a value with type `any` from a function",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          unsafeReturn: "Unsafe return of an {{type}} typed value.",
          unsafeReturnThis: [
            "Unsafe return of an `{{type}}` typed value. `this` is typed as `any`.",
            "You can try to fix this by turning on the `noImplicitThis` compiler option, or adding a `this` parameter to the function."
          ].join("\n"),
          unsafeReturnAssignment: "Unsafe return of type `{{sender}}` from function with return type `{{receiver}}`."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const compilerOptions = services.program.getCompilerOptions();
        const isNoImplicitThis = tsutils.isStrictCompilerOptionEnabled(compilerOptions, "noImplicitThis");
        function getParentFunctionNode(node) {
          let current = node.parent;
          while (current) {
            if (current.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression || current.type === utils_1.AST_NODE_TYPES.FunctionDeclaration || current.type === utils_1.AST_NODE_TYPES.FunctionExpression) {
              return current;
            }
            current = current.parent;
          }
          return null;
        }
        function checkReturn(returnNode, reportingNode = returnNode) {
          const tsNode = services.esTreeNodeToTSNodeMap.get(returnNode);
          const anyType2 = (0, util_1.isAnyOrAnyArrayTypeDiscriminated)(tsNode, checker);
          const functionNode = getParentFunctionNode(returnNode);
          if (!functionNode) {
            return;
          }
          const returnNodeType = (0, util_1.getConstrainedTypeAtLocation)(services, returnNode);
          const functionTSNode = services.esTreeNodeToTSNodeMap.get(functionNode);
          let functionType2 = ts.isFunctionExpression(functionTSNode) || ts.isArrowFunction(functionTSNode) ? (0, util_1.getContextualType)(checker, functionTSNode) : services.getTypeAtLocation(functionNode);
          if (!functionType2) {
            functionType2 = services.getTypeAtLocation(functionNode);
          }
          if (functionTSNode.type) {
            for (const signature of tsutils.getCallSignaturesOfType(functionType2)) {
              if (returnNodeType === signature.getReturnType() || (0, util_1.isTypeFlagSet)(signature.getReturnType(), ts.TypeFlags.Any | ts.TypeFlags.Unknown)) {
                return;
              }
            }
          }
          if (anyType2 !== util_1.AnyType.Safe) {
            for (const signature of functionType2.getCallSignatures()) {
              const functionReturnType = signature.getReturnType();
              if (anyType2 === util_1.AnyType.Any && (0, util_1.isTypeUnknownType)(functionReturnType)) {
                return;
              }
              if (anyType2 === util_1.AnyType.AnyArray && (0, util_1.isTypeUnknownArrayType)(functionReturnType, checker)) {
                return;
              }
            }
            let messageId4 = "unsafeReturn";
            const isErrorType = tsutils.isIntrinsicErrorType(returnNodeType);
            if (!isNoImplicitThis) {
              const thisExpression = (0, util_1.getThisExpression)(returnNode);
              if (thisExpression && (0, util_1.isTypeAnyType)((0, util_1.getConstrainedTypeAtLocation)(services, thisExpression))) {
                messageId4 = "unsafeReturnThis";
              }
            }
            return context.report({
              node: reportingNode,
              messageId: messageId4,
              data: {
                type: isErrorType ? "error" : anyType2 === util_1.AnyType.Any ? "`any`" : "`any[]`"
              }
            });
          }
          for (const signature of functionType2.getCallSignatures()) {
            const functionReturnType = signature.getReturnType();
            const result = (0, util_1.isUnsafeAssignment)(returnNodeType, functionReturnType, checker, returnNode);
            if (!result) {
              return;
            }
            const { sender, receiver } = result;
            return context.report({
              node: reportingNode,
              messageId: "unsafeReturnAssignment",
              data: {
                sender: checker.typeToString(sender),
                receiver: checker.typeToString(receiver)
              }
            });
          }
        }
        return {
          ReturnStatement(node) {
            const argument = node.argument;
            if (!argument) {
              return;
            }
            checkReturn(argument, node);
          },
          "ArrowFunctionExpression > :not(BlockStatement).body": checkReturn
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-unary-minus.js
var require_no_unsafe_unary_minus = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-unary-minus.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util5 = __importStar2(require_util4());
    exports2.default = util5.createRule({
      name: "no-unsafe-unary-minus",
      meta: {
        type: "problem",
        docs: {
          description: "Require unary negation to take a number",
          requiresTypeChecking: true
        },
        messages: {
          unaryMinus: "Argument of unary negation should be assignable to number | bigint but is {{type}} instead."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        return {
          UnaryExpression(node) {
            if (node.operator !== "-") {
              return;
            }
            const services = util5.getParserServices(context);
            const argType = util5.getConstrainedTypeAtLocation(services, node.argument);
            const checker = services.program.getTypeChecker();
            if (tsutils.unionTypeParts(argType).some((type) => !tsutils.isTypeFlagSet(type, ts.TypeFlags.Any | ts.TypeFlags.Never | ts.TypeFlags.BigIntLike | ts.TypeFlags.NumberLike))) {
              context.report({
                messageId: "unaryMinus",
                node,
                data: { type: checker.typeToString(argType) }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unused-expressions.js
var require_no_unused_expressions = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unused-expressions.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-unused-expressions");
    exports2.default = (0, util_1.createRule)({
      name: "no-unused-expressions",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow unused expressions",
          extendsBaseRule: true
        },
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        {
          allowShortCircuit: false,
          allowTernary: false,
          allowTaggedTemplates: false
        }
      ],
      create(context, [{ allowShortCircuit = false, allowTernary = false }]) {
        const rules = baseRule2.create(context);
        function isValidExpression(node) {
          if (allowShortCircuit && node.type === utils_1.AST_NODE_TYPES.LogicalExpression) {
            return isValidExpression(node.right);
          }
          if (allowTernary && node.type === utils_1.AST_NODE_TYPES.ConditionalExpression) {
            return isValidExpression(node.alternate) && isValidExpression(node.consequent);
          }
          return node.type === utils_1.AST_NODE_TYPES.ChainExpression && node.expression.type === utils_1.AST_NODE_TYPES.CallExpression || node.type === utils_1.AST_NODE_TYPES.ImportExpression;
        }
        return {
          ExpressionStatement(node) {
            if (node.directive || isValidExpression(node.expression)) {
              return;
            }
            const expressionType = node.expression.type;
            if (expressionType === utils_1.TSESTree.AST_NODE_TYPES.TSInstantiationExpression || expressionType === utils_1.TSESTree.AST_NODE_TYPES.TSAsExpression || expressionType === utils_1.TSESTree.AST_NODE_TYPES.TSNonNullExpression || expressionType === utils_1.TSESTree.AST_NODE_TYPES.TSTypeAssertion) {
              rules.ExpressionStatement({
                ...node,
                expression: node.expression.expression
              });
              return;
            }
            rules.ExpressionStatement(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unused-vars.js
var require_no_unused_vars = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unused-vars.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-unused-vars",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow unused variables",
          recommended: "recommended",
          extendsBaseRule: true
        },
        schema: [
          {
            oneOf: [
              {
                type: "string",
                enum: ["all", "local"]
              },
              {
                type: "object",
                properties: {
                  vars: {
                    type: "string",
                    enum: ["all", "local"]
                  },
                  varsIgnorePattern: {
                    type: "string"
                  },
                  args: {
                    type: "string",
                    enum: ["all", "after-used", "none"]
                  },
                  ignoreRestSiblings: {
                    type: "boolean"
                  },
                  argsIgnorePattern: {
                    type: "string"
                  },
                  caughtErrors: {
                    type: "string",
                    enum: ["all", "none"]
                  },
                  caughtErrorsIgnorePattern: {
                    type: "string"
                  },
                  destructuredArrayIgnorePattern: {
                    type: "string"
                  }
                },
                additionalProperties: false
              }
            ]
          }
        ],
        messages: {
          unusedVar: "'{{varName}}' is {{action}} but never used{{additional}}."
        }
      },
      defaultOptions: [{}],
      create(context, [firstOption]) {
        const MODULE_DECL_CACHE = /* @__PURE__ */ new Map();
        const options = (() => {
          const options2 = {
            vars: "all",
            args: "after-used",
            ignoreRestSiblings: false,
            caughtErrors: "none"
          };
          if (typeof firstOption === "string") {
            options2.vars = firstOption;
          } else {
            options2.vars = firstOption.vars ?? options2.vars;
            options2.args = firstOption.args ?? options2.args;
            options2.ignoreRestSiblings = firstOption.ignoreRestSiblings ?? options2.ignoreRestSiblings;
            options2.caughtErrors = firstOption.caughtErrors ?? options2.caughtErrors;
            if (firstOption.varsIgnorePattern) {
              options2.varsIgnorePattern = new RegExp(firstOption.varsIgnorePattern, "u");
            }
            if (firstOption.argsIgnorePattern) {
              options2.argsIgnorePattern = new RegExp(firstOption.argsIgnorePattern, "u");
            }
            if (firstOption.caughtErrorsIgnorePattern) {
              options2.caughtErrorsIgnorePattern = new RegExp(firstOption.caughtErrorsIgnorePattern, "u");
            }
            if (firstOption.destructuredArrayIgnorePattern) {
              options2.destructuredArrayIgnorePattern = new RegExp(firstOption.destructuredArrayIgnorePattern, "u");
            }
          }
          return options2;
        })();
        function collectUnusedVariables() {
          function hasRestSibling(node) {
            return node.type === utils_1.AST_NODE_TYPES.Property && node.parent.type === utils_1.AST_NODE_TYPES.ObjectPattern && node.parent.properties[node.parent.properties.length - 1].type === utils_1.AST_NODE_TYPES.RestElement;
          }
          function hasRestSpreadSibling(variable) {
            if (options.ignoreRestSiblings) {
              const hasRestSiblingDefinition = variable.defs.some((def) => hasRestSibling(def.name.parent));
              const hasRestSiblingReference = variable.references.some((ref) => hasRestSibling(ref.identifier.parent));
              return hasRestSiblingDefinition || hasRestSiblingReference;
            }
            return false;
          }
          function isAfterLastUsedArg(variable) {
            const def = variable.defs[0];
            const params = context.sourceCode.getDeclaredVariables(def.node);
            const posteriorParams = params.slice(params.indexOf(variable) + 1);
            return !posteriorParams.some((v) => v.references.length > 0 || v.eslintUsed);
          }
          const unusedVariablesOriginal = (0, util_1.collectUnusedVariables)(context);
          const unusedVariablesReturn = [];
          for (const variable of unusedVariablesOriginal) {
            if (variable.defs.length === 0) {
              unusedVariablesReturn.push(variable);
              continue;
            }
            const def = variable.defs[0];
            if (variable.scope.type === utils_1.TSESLint.Scope.ScopeType.global && options.vars === "local") {
              continue;
            }
            const refUsedInArrayPatterns = variable.references.some((ref) => ref.identifier.parent.type === utils_1.AST_NODE_TYPES.ArrayPattern);
            if ((def.name.parent.type === utils_1.AST_NODE_TYPES.ArrayPattern || refUsedInArrayPatterns) && def.name.type === utils_1.AST_NODE_TYPES.Identifier && options.destructuredArrayIgnorePattern?.test(def.name.name)) {
              continue;
            }
            if (def.type === utils_1.TSESLint.Scope.DefinitionType.CatchClause) {
              if (options.caughtErrors === "none") {
                continue;
              }
              if (def.name.type === utils_1.AST_NODE_TYPES.Identifier && options.caughtErrorsIgnorePattern?.test(def.name.name)) {
                continue;
              }
            }
            if (def.type === utils_1.TSESLint.Scope.DefinitionType.Parameter) {
              if (options.args === "none") {
                continue;
              }
              if (def.name.type === utils_1.AST_NODE_TYPES.Identifier && options.argsIgnorePattern?.test(def.name.name)) {
                continue;
              }
              if (options.args === "after-used" && (0, util_1.isFunction)(def.name.parent) && !isAfterLastUsedArg(variable)) {
                continue;
              }
            } else {
              if (def.name.type === utils_1.AST_NODE_TYPES.Identifier && options.varsIgnorePattern?.test(def.name.name)) {
                continue;
              }
            }
            if (hasRestSpreadSibling(variable)) {
              continue;
            }
            if (variable.eslintUsed) {
              continue;
            }
            unusedVariablesReturn.push(variable);
          }
          return unusedVariablesReturn;
        }
        return {
          // declaration file handling
          [ambientDeclarationSelector(utils_1.AST_NODE_TYPES.Program, true)](node) {
            if (!(0, util_1.isDefinitionFile)(context.filename)) {
              return;
            }
            markDeclarationChildAsUsed(node);
          },
          // children of a namespace that is a child of a declared namespace are auto-exported
          [ambientDeclarationSelector("TSModuleDeclaration[declare = true] > TSModuleBlock TSModuleDeclaration > TSModuleBlock", false)](node) {
            markDeclarationChildAsUsed(node);
          },
          // declared namespace handling
          [ambientDeclarationSelector("TSModuleDeclaration[declare = true] > TSModuleBlock", false)](node) {
            const moduleDecl = (0, util_1.nullThrows)(node.parent.parent, util_1.NullThrowsReasons.MissingParent);
            if (moduleDecl.id.type === utils_1.AST_NODE_TYPES.Literal && checkModuleDeclForExportEquals(moduleDecl)) {
              return;
            }
            markDeclarationChildAsUsed(node);
          },
          // collect
          "Program:exit"(programNode) {
            function getDefinedMessageData(unusedVar) {
              const defType = unusedVar.defs[0]?.type;
              let type;
              let pattern;
              if (defType === utils_1.TSESLint.Scope.DefinitionType.CatchClause && options.caughtErrorsIgnorePattern) {
                type = "args";
                pattern = options.caughtErrorsIgnorePattern.toString();
              } else if (defType === utils_1.TSESLint.Scope.DefinitionType.Parameter && options.argsIgnorePattern) {
                type = "args";
                pattern = options.argsIgnorePattern.toString();
              } else if (defType !== utils_1.TSESLint.Scope.DefinitionType.Parameter && options.varsIgnorePattern) {
                type = "vars";
                pattern = options.varsIgnorePattern.toString();
              }
              const additional = type ? `. Allowed unused ${type} must match ${pattern}` : "";
              return {
                varName: unusedVar.name,
                action: "defined",
                additional
              };
            }
            function getAssignedMessageData(unusedVar) {
              const def = unusedVar.defs.at(0);
              let additional = "";
              if (options.destructuredArrayIgnorePattern && def?.name.parent.type === utils_1.AST_NODE_TYPES.ArrayPattern) {
                additional = `. Allowed unused elements of array destructuring patterns must match ${options.destructuredArrayIgnorePattern.toString()}`;
              } else if (options.varsIgnorePattern) {
                additional = `. Allowed unused vars must match ${options.varsIgnorePattern.toString()}`;
              }
              return {
                varName: unusedVar.name,
                action: "assigned a value",
                additional
              };
            }
            const unusedVars = collectUnusedVariables();
            for (const unusedVar of unusedVars) {
              if (unusedVar.defs.length > 0) {
                const writeReferences = unusedVar.references.filter((ref) => ref.isWrite() && ref.from.variableScope === unusedVar.scope.variableScope);
                const id = writeReferences.length ? writeReferences[writeReferences.length - 1].identifier : unusedVar.identifiers[0];
                const { start } = id.loc;
                const idLength = id.name.length;
                const loc = {
                  start,
                  end: {
                    line: start.line,
                    column: start.column + idLength
                  }
                };
                context.report({
                  loc,
                  messageId: "unusedVar",
                  data: unusedVar.references.some((ref) => ref.isWrite()) ? getAssignedMessageData(unusedVar) : getDefinedMessageData(unusedVar)
                });
              } else if ("eslintExplicitGlobalComments" in unusedVar && unusedVar.eslintExplicitGlobalComments) {
                const directiveComment = unusedVar.eslintExplicitGlobalComments[0];
                context.report({
                  node: programNode,
                  loc: (0, util_1.getNameLocationInGlobalDirectiveComment)(context.sourceCode, directiveComment, unusedVar.name),
                  messageId: "unusedVar",
                  data: getDefinedMessageData(unusedVar)
                });
              }
            }
          }
        };
        function checkModuleDeclForExportEquals(node) {
          const cached = MODULE_DECL_CACHE.get(node);
          if (cached != null) {
            return cached;
          }
          if (node.body) {
            for (const statement of node.body.body) {
              if (statement.type === utils_1.AST_NODE_TYPES.TSExportAssignment) {
                MODULE_DECL_CACHE.set(node, true);
                return true;
              }
            }
          }
          MODULE_DECL_CACHE.set(node, false);
          return false;
        }
        function ambientDeclarationSelector(parent, childDeclare) {
          return [
            // Types are ambiently exported
            `${parent} > :matches(${[
              utils_1.AST_NODE_TYPES.TSInterfaceDeclaration,
              utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration
            ].join(", ")})`,
            // Value things are ambiently exported if they are "declare"d
            `${parent} > :matches(${[
              utils_1.AST_NODE_TYPES.ClassDeclaration,
              utils_1.AST_NODE_TYPES.TSDeclareFunction,
              utils_1.AST_NODE_TYPES.TSEnumDeclaration,
              utils_1.AST_NODE_TYPES.TSModuleDeclaration,
              utils_1.AST_NODE_TYPES.VariableDeclaration
            ].join(", ")})${childDeclare ? "[declare = true]" : ""}`
          ].join(", ");
        }
        function markDeclarationChildAsUsed(node) {
          const identifiers = [];
          switch (node.type) {
            case utils_1.AST_NODE_TYPES.TSInterfaceDeclaration:
            case utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration:
            case utils_1.AST_NODE_TYPES.ClassDeclaration:
            case utils_1.AST_NODE_TYPES.FunctionDeclaration:
            case utils_1.AST_NODE_TYPES.TSDeclareFunction:
            case utils_1.AST_NODE_TYPES.TSEnumDeclaration:
            case utils_1.AST_NODE_TYPES.TSModuleDeclaration:
              if (node.id?.type === utils_1.AST_NODE_TYPES.Identifier) {
                identifiers.push(node.id);
              }
              break;
            case utils_1.AST_NODE_TYPES.VariableDeclaration:
              for (const declaration of node.declarations) {
                visitPattern(declaration, (pattern) => {
                  identifiers.push(pattern);
                });
              }
              break;
          }
          let scope = context.sourceCode.getScope(node);
          const shouldUseUpperScope = [
            utils_1.AST_NODE_TYPES.TSModuleDeclaration,
            utils_1.AST_NODE_TYPES.TSDeclareFunction
          ].includes(node.type);
          if (scope.variableScope !== scope) {
            scope = scope.variableScope;
          } else if (shouldUseUpperScope && scope.upper) {
            scope = scope.upper;
          }
          for (const id of identifiers) {
            const superVar = scope.set.get(id.name);
            if (superVar) {
              superVar.eslintUsed = true;
            }
          }
        }
        function visitPattern(node, cb) {
          const visitor2 = new scope_manager_1.PatternVisitor({}, node, cb);
          visitor2.visit(node);
        }
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-use-before-define.js
var require_no_use_before_define = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-use-before-define.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var SENTINEL_TYPE = /^(?:(?:Function|Class)(?:Declaration|Expression)|ArrowFunctionExpression|CatchClause|ImportDeclaration|ExportNamedDeclaration)$/;
    function parseOptions(options) {
      let functions = true;
      let classes = true;
      let enums = true;
      let variables = true;
      let typedefs = true;
      let ignoreTypeReferences = true;
      let allowNamedExports = false;
      if (typeof options === "string") {
        functions = options !== "nofunc";
      } else if (typeof options === "object" && options != null) {
        functions = options.functions !== false;
        classes = options.classes !== false;
        enums = options.enums !== false;
        variables = options.variables !== false;
        typedefs = options.typedefs !== false;
        ignoreTypeReferences = options.ignoreTypeReferences !== false;
        allowNamedExports = options.allowNamedExports !== false;
      }
      return {
        functions,
        classes,
        enums,
        variables,
        typedefs,
        ignoreTypeReferences,
        allowNamedExports
      };
    }
    function isFunction3(variable) {
      return variable.defs[0].type === scope_manager_1.DefinitionType.FunctionName;
    }
    function isTypedef(variable) {
      return variable.defs[0].type === scope_manager_1.DefinitionType.Type;
    }
    function isOuterEnum(variable, reference) {
      return variable.defs[0].type === scope_manager_1.DefinitionType.TSEnumName && variable.scope.variableScope !== reference.from.variableScope;
    }
    function isOuterClass(variable, reference) {
      return variable.defs[0].type === scope_manager_1.DefinitionType.ClassName && variable.scope.variableScope !== reference.from.variableScope;
    }
    function isOuterVariable(variable, reference) {
      return variable.defs[0].type === scope_manager_1.DefinitionType.Variable && variable.scope.variableScope !== reference.from.variableScope;
    }
    function isNamedExports(reference) {
      const { identifier } = reference;
      return identifier.parent.type === utils_1.AST_NODE_TYPES.ExportSpecifier && identifier.parent.local === identifier;
    }
    function referenceContainsTypeQuery(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.TSTypeQuery:
          return true;
        case utils_1.AST_NODE_TYPES.TSQualifiedName:
        case utils_1.AST_NODE_TYPES.Identifier:
          return referenceContainsTypeQuery(node.parent);
        default:
          return false;
      }
    }
    function isTypeReference(reference) {
      return reference.isTypeReference || referenceContainsTypeQuery(reference.identifier);
    }
    function isInRange(node, location) {
      return !!node && node.range[0] <= location && location <= node.range[1];
    }
    function isClassRefInClassDecorator(variable, reference) {
      if (variable.defs[0].type !== scope_manager_1.DefinitionType.ClassName || variable.defs[0].node.decorators.length === 0) {
        return false;
      }
      for (const deco of variable.defs[0].node.decorators) {
        if (reference.identifier.range[0] >= deco.range[0] && reference.identifier.range[1] <= deco.range[1]) {
          return true;
        }
      }
      return false;
    }
    function isInInitializer(variable, reference) {
      if (variable.scope !== reference.from) {
        return false;
      }
      let node = variable.identifiers[0].parent;
      const location = reference.identifier.range[1];
      while (node) {
        if (node.type === utils_1.AST_NODE_TYPES.VariableDeclarator) {
          if (isInRange(node.init, location)) {
            return true;
          }
          if ((node.parent.parent?.type === utils_1.AST_NODE_TYPES.ForInStatement || node.parent.parent?.type === utils_1.AST_NODE_TYPES.ForOfStatement) && isInRange(node.parent.parent.right, location)) {
            return true;
          }
          break;
        } else if (node.type === utils_1.AST_NODE_TYPES.AssignmentPattern) {
          if (isInRange(node.right, location)) {
            return true;
          }
        } else if (SENTINEL_TYPE.test(node.type)) {
          break;
        }
        node = node.parent;
      }
      return false;
    }
    exports2.default = (0, util_1.createRule)({
      name: "no-use-before-define",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow the use of variables before they are defined",
          extendsBaseRule: true
        },
        messages: {
          noUseBeforeDefine: "'{{name}}' was used before it was defined."
        },
        schema: [
          {
            oneOf: [
              {
                type: "string",
                enum: ["nofunc"]
              },
              {
                type: "object",
                properties: {
                  functions: { type: "boolean" },
                  classes: { type: "boolean" },
                  enums: { type: "boolean" },
                  variables: { type: "boolean" },
                  typedefs: { type: "boolean" },
                  ignoreTypeReferences: { type: "boolean" },
                  allowNamedExports: { type: "boolean" }
                },
                additionalProperties: false
              }
            ]
          }
        ]
      },
      defaultOptions: [
        {
          functions: true,
          classes: true,
          enums: true,
          variables: true,
          typedefs: true,
          ignoreTypeReferences: true,
          allowNamedExports: false
        }
      ],
      create(context, optionsWithDefault) {
        const options = parseOptions(optionsWithDefault[0]);
        function isForbidden(variable, reference) {
          if (options.ignoreTypeReferences && isTypeReference(reference)) {
            return false;
          }
          if (isFunction3(variable)) {
            return options.functions;
          }
          if (isOuterClass(variable, reference)) {
            return options.classes;
          }
          if (isOuterVariable(variable, reference)) {
            return options.variables;
          }
          if (isOuterEnum(variable, reference)) {
            return options.enums;
          }
          if (isTypedef(variable)) {
            return options.typedefs;
          }
          return true;
        }
        function isDefinedBeforeUse(variable, reference) {
          return variable.identifiers[0].range[1] <= reference.identifier.range[1] && !(reference.isValueReference && isInInitializer(variable, reference));
        }
        function findVariablesInScope(scope) {
          scope.references.forEach((reference) => {
            const variable = reference.resolved;
            function report() {
              context.report({
                node: reference.identifier,
                messageId: "noUseBeforeDefine",
                data: {
                  name: reference.identifier.name
                }
              });
            }
            if (reference.init) {
              return;
            }
            if (!options.allowNamedExports && isNamedExports(reference)) {
              if (!variable || !isDefinedBeforeUse(variable, reference)) {
                report();
              }
              return;
            }
            if (!variable) {
              return;
            }
            if (variable.identifiers.length === 0 || isDefinedBeforeUse(variable, reference) || !isForbidden(variable, reference) || isClassRefInClassDecorator(variable, reference) || reference.from.type === utils_1.TSESLint.Scope.ScopeType.functionType) {
              return;
            }
            report();
          });
          scope.childScopes.forEach(findVariablesInScope);
        }
        return {
          Program(node) {
            findVariablesInScope(context.sourceCode.getScope(node));
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-useless-constructor.js
var require_no_useless_constructor = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-useless-constructor.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-useless-constructor");
    function checkAccessibility(node) {
      switch (node.accessibility) {
        case "protected":
        case "private":
          return false;
        case "public":
          if (node.parent.type === utils_1.AST_NODE_TYPES.ClassBody && node.parent.parent.superClass) {
            return false;
          }
          break;
      }
      return true;
    }
    function checkParams(node) {
      return !node.value.params.some((param) => param.type === utils_1.AST_NODE_TYPES.TSParameterProperty || param.decorators.length);
    }
    exports2.default = (0, util_1.createRule)({
      name: "no-useless-constructor",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow unnecessary constructors",
          recommended: "strict",
          extendsBaseRule: true
        },
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [],
      create(context) {
        const rules = baseRule2.create(context);
        return {
          MethodDefinition(node) {
            if (node.value.type === utils_1.AST_NODE_TYPES.FunctionExpression && checkAccessibility(node) && checkParams(node)) {
              rules.MethodDefinition(node);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-useless-empty-export.js
var require_no_useless_empty_export = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-useless-empty-export.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    function isEmptyExport(node) {
      return node.type === utils_1.AST_NODE_TYPES.ExportNamedDeclaration && node.specifiers.length === 0 && !node.declaration;
    }
    var exportOrImportNodeTypes = /* @__PURE__ */ new Set([
      utils_1.AST_NODE_TYPES.ExportAllDeclaration,
      utils_1.AST_NODE_TYPES.ExportDefaultDeclaration,
      utils_1.AST_NODE_TYPES.ExportNamedDeclaration,
      utils_1.AST_NODE_TYPES.ExportSpecifier,
      utils_1.AST_NODE_TYPES.ImportDeclaration,
      utils_1.AST_NODE_TYPES.TSExportAssignment,
      utils_1.AST_NODE_TYPES.TSImportEqualsDeclaration
    ]);
    exports2.default = (0, util_1.createRule)({
      name: "no-useless-empty-export",
      meta: {
        docs: {
          description: "Disallow empty exports that don't change anything in a module file"
        },
        fixable: "code",
        hasSuggestions: false,
        messages: {
          uselessExport: "Empty export does nothing and can be removed."
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        if ((0, util_1.isDefinitionFile)(context.filename)) {
          return {};
        }
        function checkNode2(node) {
          if (!Array.isArray(node.body)) {
            return;
          }
          const emptyExports = [];
          let foundOtherExport = false;
          for (const statement of node.body) {
            if (isEmptyExport(statement)) {
              emptyExports.push(statement);
            } else if (exportOrImportNodeTypes.has(statement.type)) {
              foundOtherExport = true;
            }
          }
          if (foundOtherExport) {
            for (const emptyExport of emptyExports) {
              context.report({
                fix: (fixer) => fixer.remove(emptyExport),
                messageId: "uselessExport",
                node: emptyExport
              });
            }
          }
        }
        return {
          Program: checkNode2,
          TSModuleDeclaration: checkNode2
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-useless-template-literals.js
var require_no_useless_template_literals = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-useless-template-literals.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-useless-template-literals",
      meta: {
        fixable: "code",
        type: "suggestion",
        docs: {
          description: "Disallow unnecessary template expressions",
          requiresTypeChecking: true
        },
        messages: {
          noUnnecessaryTemplateExpression: "Template literal expression is unnecessary and can be simplified."
        },
        schema: [],
        deprecated: true,
        replacedBy: ["@typescript-eslint/no-unnecessary-template-expression"]
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        function isUnderlyingTypeString(expression) {
          const type = (0, util_1.getConstrainedTypeAtLocation)(services, expression);
          const isString2 = (t) => {
            return (0, util_1.isTypeFlagSet)(t, ts.TypeFlags.StringLike);
          };
          if (type.isUnion()) {
            return type.types.every(isString2);
          }
          if (type.isIntersection()) {
            return type.types.some(isString2);
          }
          return isString2(type);
        }
        function isLiteral2(expression) {
          return expression.type === utils_1.AST_NODE_TYPES.Literal;
        }
        function isTemplateLiteral(expression) {
          return expression.type === utils_1.AST_NODE_TYPES.TemplateLiteral;
        }
        function isInfinityIdentifier(expression) {
          return expression.type === utils_1.AST_NODE_TYPES.Identifier && expression.name === "Infinity";
        }
        function isNaNIdentifier(expression) {
          return expression.type === utils_1.AST_NODE_TYPES.Identifier && expression.name === "NaN";
        }
        return {
          TemplateLiteral(node) {
            if (node.parent.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression) {
              return;
            }
            const hasSingleStringVariable = node.quasis.length === 2 && node.quasis[0].value.raw === "" && node.quasis[1].value.raw === "" && node.expressions.length === 1 && isUnderlyingTypeString(node.expressions[0]);
            if (hasSingleStringVariable) {
              context.report({
                node: node.expressions[0],
                messageId: "noUnnecessaryTemplateExpression",
                fix(fixer) {
                  const [prevQuasi, nextQuasi] = node.quasis;
                  return [
                    fixer.removeRange([
                      prevQuasi.range[1] - 3,
                      node.expressions[0].range[0]
                    ]),
                    fixer.removeRange([
                      node.expressions[0].range[1],
                      nextQuasi.range[0] + 2
                    ])
                  ];
                }
              });
              return;
            }
            const fixableExpressions = node.expressions.filter((expression) => isLiteral2(expression) || isTemplateLiteral(expression) || (0, util_1.isUndefinedIdentifier)(expression) || isInfinityIdentifier(expression) || isNaNIdentifier(expression));
            fixableExpressions.forEach((expression) => {
              context.report({
                node: expression,
                messageId: "noUnnecessaryTemplateExpression",
                fix(fixer) {
                  const index = node.expressions.indexOf(expression);
                  const prevQuasi = node.quasis[index];
                  const nextQuasi = node.quasis[index + 1];
                  const fixes = [
                    fixer.removeRange([
                      prevQuasi.range[1] - 2,
                      expression.range[0]
                    ]),
                    fixer.removeRange([
                      expression.range[1],
                      nextQuasi.range[0] + 1
                    ])
                  ];
                  const stringValue = (0, util_1.getStaticStringValue)(expression);
                  if (stringValue != null) {
                    const escapedValue = stringValue.replace(/([`$\\])/g, "\\$1");
                    fixes.push(fixer.replaceText(expression, escapedValue));
                  } else if (isTemplateLiteral(expression)) {
                    fixes.push(fixer.removeRange([
                      expression.range[0],
                      expression.range[0] + 1
                    ]), fixer.removeRange([
                      expression.range[1] - 1,
                      expression.range[1]
                    ]));
                  }
                  return fixes;
                }
              });
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-var-requires.js
var require_no_var_requires = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-var-requires.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "no-var-requires",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow `require` statements except in import statements",
          recommended: "recommended"
        },
        messages: {
          noVarReqs: "Require statement not part of import statement."
        },
        schema: [
          {
            type: "object",
            properties: {
              allow: {
                type: "array",
                items: { type: "string" },
                description: "Patterns of import paths to allow requiring from."
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [{ allow: [] }],
      create(context, options) {
        const allowPatterns = options[0].allow.map((pattern) => new RegExp(pattern, "u"));
        function isImportPathAllowed(importPath) {
          return allowPatterns.some((pattern) => importPath.match(pattern));
        }
        function isStringOrTemplateLiteral(node) {
          return node.type === utils_1.AST_NODE_TYPES.Literal && typeof node.value === "string" || node.type === utils_1.AST_NODE_TYPES.TemplateLiteral;
        }
        return {
          'CallExpression[callee.name="require"]'(node) {
            if (node.arguments[0] && isStringOrTemplateLiteral(node.arguments[0])) {
              const argValue = (0, util_1.getStaticStringValue)(node.arguments[0]);
              if (typeof argValue === "string" && isImportPathAllowed(argValue)) {
                return;
              }
            }
            const parent = node.parent.type === utils_1.AST_NODE_TYPES.ChainExpression ? node.parent.parent : node.parent;
            if ([
              utils_1.AST_NODE_TYPES.CallExpression,
              utils_1.AST_NODE_TYPES.MemberExpression,
              utils_1.AST_NODE_TYPES.NewExpression,
              utils_1.AST_NODE_TYPES.TSAsExpression,
              utils_1.AST_NODE_TYPES.TSTypeAssertion,
              utils_1.AST_NODE_TYPES.VariableDeclarator
            ].includes(parent.type)) {
              const variable = utils_1.ASTUtils.findVariable(context.sourceCode.getScope(node), "require");
              if (!variable?.identifiers.length) {
                context.report({
                  node,
                  messageId: "noVarReqs"
                });
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/non-nullable-type-assertion-style.js
var require_non_nullable_type_assertion_style = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/non-nullable-type-assertion-style.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "non-nullable-type-assertion-style",
      meta: {
        docs: {
          description: "Enforce non-null assertions over explicit type casts",
          recommended: "stylistic",
          requiresTypeChecking: true
        },
        fixable: "code",
        messages: {
          preferNonNullAssertion: "Use a ! assertion to more succinctly remove null and undefined from the type."
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const getTypesIfNotLoose = (node) => {
          const type = services.getTypeAtLocation(node);
          if (tsutils.isTypeFlagSet(type, ts.TypeFlags.Any | ts.TypeFlags.Unknown)) {
            return void 0;
          }
          return tsutils.unionTypeParts(type);
        };
        const couldBeNullish = (type) => {
          if (type.flags & ts.TypeFlags.TypeParameter) {
            const constraint = type.getConstraint();
            return constraint == null || couldBeNullish(constraint);
          } else if (tsutils.isUnionType(type)) {
            for (const part of type.types) {
              if (couldBeNullish(part)) {
                return true;
              }
            }
            return false;
          }
          return (type.flags & (ts.TypeFlags.Null | ts.TypeFlags.Undefined)) !== 0;
        };
        const sameTypeWithoutNullish = (assertedTypes, originalTypes) => {
          const nonNullishOriginalTypes = originalTypes.filter((type) => (type.flags & (ts.TypeFlags.Null | ts.TypeFlags.Undefined)) === 0);
          if (nonNullishOriginalTypes.length === originalTypes.length) {
            return false;
          }
          for (const assertedType of assertedTypes) {
            if (couldBeNullish(assertedType) || !nonNullishOriginalTypes.includes(assertedType)) {
              return false;
            }
          }
          for (const originalType of nonNullishOriginalTypes) {
            if (!assertedTypes.includes(originalType)) {
              return false;
            }
          }
          return true;
        };
        const isConstAssertion = (node) => {
          return node.typeAnnotation.type === utils_1.AST_NODE_TYPES.TSTypeReference && node.typeAnnotation.typeName.type === utils_1.AST_NODE_TYPES.Identifier && node.typeAnnotation.typeName.name === "const";
        };
        return {
          "TSAsExpression, TSTypeAssertion"(node) {
            if (isConstAssertion(node)) {
              return;
            }
            const originalTypes = getTypesIfNotLoose(node.expression);
            if (!originalTypes) {
              return;
            }
            const assertedTypes = getTypesIfNotLoose(node.typeAnnotation);
            if (!assertedTypes) {
              return;
            }
            if (sameTypeWithoutNullish(assertedTypes, originalTypes)) {
              const expressionSourceCode = context.sourceCode.getText(node.expression);
              const higherPrecedenceThanUnary = (0, util_1.getOperatorPrecedence)(services.esTreeNodeToTSNodeMap.get(node.expression).kind, ts.SyntaxKind.Unknown) > util_1.OperatorPrecedence.Unary;
              context.report({
                fix(fixer) {
                  return fixer.replaceText(node, higherPrecedenceThanUnary ? `${expressionSourceCode}!` : `(${expressionSourceCode})!`);
                },
                messageId: "preferNonNullAssertion",
                node
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/object-curly-spacing.js
var require_object_curly_spacing = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/object-curly-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("object-curly-spacing");
    exports2.default = (0, util_1.createRule)({
      name: "object-curly-spacing",
      // eslint-disable-next-line eslint-plugin/prefer-message-ids,eslint-plugin/require-meta-type,eslint-plugin/require-meta-schema,eslint-plugin/require-meta-fixable -- all in base rule - https://github.com/not-an-aardvark/eslint-plugin-eslint-plugin/issues/274
      meta: {
        ...baseRule2.meta,
        deprecated: true,
        docs: {
          description: "Enforce consistent spacing inside braces",
          extendsBaseRule: true
        },
        replacedBy: ["@stylistic/ts/object-curly-spacing"]
      },
      defaultOptions: ["never"],
      create(context) {
        const [firstOption, secondOption] = context.options;
        const spaced = firstOption === "always";
        function isOptionSet(option) {
          return secondOption ? secondOption[option] === !spaced : false;
        }
        const options = {
          spaced,
          arraysInObjectsException: isOptionSet("arraysInObjects"),
          objectsInObjectsException: isOptionSet("objectsInObjects")
        };
        function reportNoBeginningSpace(node, token) {
          const nextToken = context.sourceCode.getTokenAfter(token, {
            includeComments: true
          });
          context.report({
            node,
            loc: { start: token.loc.end, end: nextToken.loc.start },
            messageId: "unexpectedSpaceAfter",
            data: {
              token: token.value
            },
            fix(fixer) {
              return fixer.removeRange([token.range[1], nextToken.range[0]]);
            }
          });
        }
        function reportNoEndingSpace(node, token) {
          const previousToken = context.sourceCode.getTokenBefore(token, {
            includeComments: true
          });
          context.report({
            node,
            loc: { start: previousToken.loc.end, end: token.loc.start },
            messageId: "unexpectedSpaceBefore",
            data: {
              token: token.value
            },
            fix(fixer) {
              return fixer.removeRange([previousToken.range[1], token.range[0]]);
            }
          });
        }
        function reportRequiredBeginningSpace(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "requireSpaceAfter",
            data: {
              token: token.value
            },
            fix(fixer) {
              return fixer.insertTextAfter(token, " ");
            }
          });
        }
        function reportRequiredEndingSpace(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "requireSpaceBefore",
            data: {
              token: token.value
            },
            fix(fixer) {
              return fixer.insertTextBefore(token, " ");
            }
          });
        }
        function validateBraceSpacing(node, first, second, penultimate, last) {
          if ((0, util_1.isTokenOnSameLine)(first, second)) {
            const firstSpaced = context.sourceCode.isSpaceBetween(first, second);
            const secondType = context.sourceCode.getNodeByRangeIndex(second.range[0]).type;
            const openingCurlyBraceMustBeSpaced = options.arraysInObjectsException && [
              utils_1.AST_NODE_TYPES.TSMappedType,
              utils_1.AST_NODE_TYPES.TSIndexSignature
            ].includes(secondType) ? !options.spaced : options.spaced;
            if (openingCurlyBraceMustBeSpaced && !firstSpaced) {
              reportRequiredBeginningSpace(node, first);
            }
            if (!openingCurlyBraceMustBeSpaced && firstSpaced && second.type !== utils_1.AST_TOKEN_TYPES.Line) {
              reportNoBeginningSpace(node, first);
            }
          }
          if ((0, util_1.isTokenOnSameLine)(penultimate, last)) {
            const shouldCheckPenultimate = options.arraysInObjectsException && (0, util_1.isClosingBracketToken)(penultimate) || options.objectsInObjectsException && (0, util_1.isClosingBraceToken)(penultimate);
            const penultimateType = shouldCheckPenultimate ? context.sourceCode.getNodeByRangeIndex(penultimate.range[0]).type : void 0;
            const closingCurlyBraceMustBeSpaced = options.arraysInObjectsException && penultimateType === utils_1.AST_NODE_TYPES.TSTupleType || options.objectsInObjectsException && penultimateType !== void 0 && [
              utils_1.AST_NODE_TYPES.TSMappedType,
              utils_1.AST_NODE_TYPES.TSTypeLiteral
            ].includes(penultimateType) ? !options.spaced : options.spaced;
            const lastSpaced = context.sourceCode.isSpaceBetween(penultimate, last);
            if (closingCurlyBraceMustBeSpaced && !lastSpaced) {
              reportRequiredEndingSpace(node, last);
            }
            if (!closingCurlyBraceMustBeSpaced && lastSpaced) {
              reportNoEndingSpace(node, last);
            }
          }
        }
        function getClosingBraceOfObject(node) {
          const lastProperty = node.members[node.members.length - 1];
          return context.sourceCode.getTokenAfter(lastProperty, util_1.isClosingBraceToken);
        }
        const rules = baseRule2.create(context);
        return {
          ...rules,
          TSMappedType(node) {
            const first = context.sourceCode.getFirstToken(node);
            const last = context.sourceCode.getLastToken(node);
            const second = context.sourceCode.getTokenAfter(first, {
              includeComments: true
            });
            const penultimate = context.sourceCode.getTokenBefore(last, {
              includeComments: true
            });
            validateBraceSpacing(node, first, second, penultimate, last);
          },
          TSTypeLiteral(node) {
            if (node.members.length === 0) {
              return;
            }
            const first = context.sourceCode.getFirstToken(node);
            const last = getClosingBraceOfObject(node);
            const second = context.sourceCode.getTokenAfter(first, {
              includeComments: true
            });
            const penultimate = context.sourceCode.getTokenBefore(last, {
              includeComments: true
            });
            validateBraceSpacing(node, first, second, penultimate, last);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/only-throw-error.js
var require_only_throw_error = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/only-throw-error.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "only-throw-error",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow throwing non-`Error` values as exceptions",
          recommended: "strict",
          extendsBaseRule: "no-throw-literal",
          requiresTypeChecking: true
        },
        schema: [
          {
            type: "object",
            properties: {
              allowThrowingAny: {
                type: "boolean"
              },
              allowThrowingUnknown: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          object: "Expected an error object to be thrown.",
          undef: "Do not throw undefined."
        }
      },
      defaultOptions: [
        {
          allowThrowingAny: true,
          allowThrowingUnknown: true
        }
      ],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        function checkThrowArgument(node) {
          if (node.type === utils_1.AST_NODE_TYPES.AwaitExpression || node.type === utils_1.AST_NODE_TYPES.YieldExpression) {
            return;
          }
          const type = services.getTypeAtLocation(node);
          if (type.flags & ts.TypeFlags.Undefined) {
            context.report({ node, messageId: "undef" });
            return;
          }
          if (options.allowThrowingAny && (0, util_1.isTypeAnyType)(type)) {
            return;
          }
          if (options.allowThrowingUnknown && (0, util_1.isTypeUnknownType)(type)) {
            return;
          }
          if ((0, util_1.isErrorLike)(services.program, type)) {
            return;
          }
          context.report({ node, messageId: "object" });
        }
        return {
          ThrowStatement(node) {
            if (node.argument) {
              checkThrowArgument(node.argument);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/padding-line-between-statements.js
var require_padding_line_between_statements = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/padding-line-between-statements.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var LT = `[${Array.from(/* @__PURE__ */ new Set(["\r\n", "\r", "\n", "\u2028", "\u2029"])).join("")}]`;
    var PADDING_LINE_SEQUENCE = new RegExp(String.raw`^(\s*?${LT})\s*${LT}(\s*;?)$`, "u");
    function newKeywordTester(type, keyword) {
      return {
        test(node, sourceCode) {
          const isSameKeyword = sourceCode.getFirstToken(node)?.value === keyword;
          const isSameType = Array.isArray(type) ? type.some((val) => val === node.type) : type === node.type;
          return isSameKeyword && isSameType;
        }
      };
    }
    function newSinglelineKeywordTester(keyword) {
      return {
        test(node, sourceCode) {
          return node.loc.start.line === node.loc.end.line && sourceCode.getFirstToken(node).value === keyword;
        }
      };
    }
    function newMultilineKeywordTester(keyword) {
      return {
        test(node, sourceCode) {
          return node.loc.start.line !== node.loc.end.line && sourceCode.getFirstToken(node).value === keyword;
        }
      };
    }
    function newNodeTypeTester(type) {
      return {
        test: (node) => node.type === type
      };
    }
    function skipChainExpression(node) {
      return node.type === utils_1.AST_NODE_TYPES.ChainExpression ? node.expression : node;
    }
    function isIIFEStatement(node) {
      if (node.type === utils_1.AST_NODE_TYPES.ExpressionStatement) {
        let expression = skipChainExpression(node.expression);
        if (expression.type === utils_1.AST_NODE_TYPES.UnaryExpression) {
          expression = skipChainExpression(expression.argument);
        }
        if (expression.type === utils_1.AST_NODE_TYPES.CallExpression) {
          let node2 = expression.callee;
          while (node2.type === utils_1.AST_NODE_TYPES.SequenceExpression) {
            node2 = node2.expressions[node2.expressions.length - 1];
          }
          return (0, util_1.isFunction)(node2);
        }
      }
      return false;
    }
    function isCJSRequire(node) {
      if (node.type === utils_1.AST_NODE_TYPES.VariableDeclaration) {
        const declaration = node.declarations.at(0);
        if (declaration?.init) {
          let call = declaration.init;
          while (call.type === utils_1.AST_NODE_TYPES.MemberExpression) {
            call = call.object;
          }
          if (call.type === utils_1.AST_NODE_TYPES.CallExpression && call.callee.type === utils_1.AST_NODE_TYPES.Identifier) {
            return call.callee.name === "require";
          }
        }
      }
      return false;
    }
    function isBlockLikeStatement(node, sourceCode) {
      if (node.type === utils_1.AST_NODE_TYPES.DoWhileStatement && node.body.type === utils_1.AST_NODE_TYPES.BlockStatement) {
        return true;
      }
      if (isIIFEStatement(node)) {
        return true;
      }
      const lastToken = sourceCode.getLastToken(node, util_1.isNotSemicolonToken);
      const belongingNode = lastToken && (0, util_1.isClosingBraceToken)(lastToken) ? sourceCode.getNodeByRangeIndex(lastToken.range[0]) : null;
      return !!belongingNode && (belongingNode.type === utils_1.AST_NODE_TYPES.BlockStatement || belongingNode.type === utils_1.AST_NODE_TYPES.SwitchStatement);
    }
    function isDirective2(node, sourceCode) {
      return node.type === utils_1.AST_NODE_TYPES.ExpressionStatement && (node.parent.type === utils_1.AST_NODE_TYPES.Program || node.parent.type === utils_1.AST_NODE_TYPES.BlockStatement && (0, util_1.isFunction)(node.parent.parent)) && node.expression.type === utils_1.AST_NODE_TYPES.Literal && typeof node.expression.value === "string" && !(0, util_1.isParenthesized)(node.expression, sourceCode);
    }
    function isDirectivePrologue(node, sourceCode) {
      if (isDirective2(node, sourceCode) && node.parent && "body" in node.parent && Array.isArray(node.parent.body)) {
        for (const sibling of node.parent.body) {
          if (sibling === node) {
            break;
          }
          if (!isDirective2(sibling, sourceCode)) {
            return false;
          }
        }
        return true;
      }
      return false;
    }
    function isCJSExport(node) {
      if (node.type === utils_1.AST_NODE_TYPES.ExpressionStatement) {
        const expression = node.expression;
        if (expression.type === utils_1.AST_NODE_TYPES.AssignmentExpression) {
          let left = expression.left;
          if (left.type === utils_1.AST_NODE_TYPES.MemberExpression) {
            while (left.object.type === utils_1.AST_NODE_TYPES.MemberExpression) {
              left = left.object;
            }
            return left.object.type === utils_1.AST_NODE_TYPES.Identifier && (left.object.name === "exports" || left.object.name === "module" && left.property.type === utils_1.AST_NODE_TYPES.Identifier && left.property.name === "exports");
          }
        }
      }
      return false;
    }
    function isExpression(node, sourceCode) {
      return node.type === utils_1.AST_NODE_TYPES.ExpressionStatement && !isDirectivePrologue(node, sourceCode);
    }
    function getActualLastToken(node, sourceCode) {
      const semiToken = sourceCode.getLastToken(node);
      const prevToken = sourceCode.getTokenBefore(semiToken);
      const nextToken = sourceCode.getTokenAfter(semiToken);
      const isSemicolonLessStyle = prevToken && nextToken && prevToken.range[0] >= node.range[0] && (0, util_1.isSemicolonToken)(semiToken) && semiToken.loc.start.line !== prevToken.loc.end.line && semiToken.loc.end.line === nextToken.loc.start.line;
      return isSemicolonLessStyle ? prevToken : semiToken;
    }
    function replacerToRemovePaddingLines(_, trailingSpaces, indentSpaces) {
      return trailingSpaces + indentSpaces;
    }
    function verifyForAny() {
    }
    function verifyForNever(context, _, nextNode, paddingLines) {
      if (paddingLines.length === 0) {
        return;
      }
      context.report({
        node: nextNode,
        messageId: "unexpectedBlankLine",
        fix(fixer) {
          if (paddingLines.length >= 2) {
            return null;
          }
          const prevToken = paddingLines[0][0];
          const nextToken = paddingLines[0][1];
          const start = prevToken.range[1];
          const end = nextToken.range[0];
          const text = context.sourceCode.text.slice(start, end).replace(PADDING_LINE_SEQUENCE, replacerToRemovePaddingLines);
          return fixer.replaceTextRange([start, end], text);
        }
      });
    }
    function verifyForAlways(context, prevNode, nextNode, paddingLines) {
      if (paddingLines.length > 0) {
        return;
      }
      context.report({
        node: nextNode,
        messageId: "expectedBlankLine",
        fix(fixer) {
          let prevToken = getActualLastToken(prevNode, context.sourceCode);
          const nextToken = context.sourceCode.getFirstTokenBetween(prevToken, nextNode, {
            includeComments: true,
            /**
             * Skip the trailing comments of the previous node.
             * This inserts a blank line after the last trailing comment.
             *
             * For example:
             *
             *     foo(); // trailing comment.
             *     // comment.
             *     bar();
             *
             * Get fixed to:
             *
             *     foo(); // trailing comment.
             *
             *     // comment.
             *     bar();
             * @param token The token to check.
             * @returns `true` if the token is not a trailing comment.
             * @private
             */
            filter(token) {
              if ((0, util_1.isTokenOnSameLine)(prevToken, token)) {
                prevToken = token;
                return false;
              }
              return true;
            }
          }) ?? nextNode;
          const insertText = (0, util_1.isTokenOnSameLine)(prevToken, nextToken) ? "\n\n" : "\n";
          return fixer.insertTextAfter(prevToken, insertText);
        }
      });
    }
    var PaddingTypes = {
      any: { verify: verifyForAny },
      never: { verify: verifyForNever },
      always: { verify: verifyForAlways }
    };
    var StatementTypes = {
      "*": { test: () => true },
      "block-like": { test: isBlockLikeStatement },
      exports: { test: isCJSExport },
      require: { test: isCJSRequire },
      directive: { test: isDirectivePrologue },
      expression: { test: isExpression },
      iife: { test: isIIFEStatement },
      "multiline-block-like": {
        test: (node, sourceCode) => node.loc.start.line !== node.loc.end.line && isBlockLikeStatement(node, sourceCode)
      },
      "multiline-expression": {
        test: (node, sourceCode) => node.loc.start.line !== node.loc.end.line && node.type === utils_1.AST_NODE_TYPES.ExpressionStatement && !isDirectivePrologue(node, sourceCode)
      },
      "multiline-const": newMultilineKeywordTester("const"),
      "multiline-let": newMultilineKeywordTester("let"),
      "multiline-var": newMultilineKeywordTester("var"),
      "singleline-const": newSinglelineKeywordTester("const"),
      "singleline-let": newSinglelineKeywordTester("let"),
      "singleline-var": newSinglelineKeywordTester("var"),
      block: newNodeTypeTester(utils_1.AST_NODE_TYPES.BlockStatement),
      empty: newNodeTypeTester(utils_1.AST_NODE_TYPES.EmptyStatement),
      function: newNodeTypeTester(utils_1.AST_NODE_TYPES.FunctionDeclaration),
      break: newKeywordTester(utils_1.AST_NODE_TYPES.BreakStatement, "break"),
      case: newKeywordTester(utils_1.AST_NODE_TYPES.SwitchCase, "case"),
      class: newKeywordTester(utils_1.AST_NODE_TYPES.ClassDeclaration, "class"),
      const: newKeywordTester(utils_1.AST_NODE_TYPES.VariableDeclaration, "const"),
      continue: newKeywordTester(utils_1.AST_NODE_TYPES.ContinueStatement, "continue"),
      debugger: newKeywordTester(utils_1.AST_NODE_TYPES.DebuggerStatement, "debugger"),
      default: newKeywordTester([utils_1.AST_NODE_TYPES.SwitchCase, utils_1.AST_NODE_TYPES.ExportDefaultDeclaration], "default"),
      do: newKeywordTester(utils_1.AST_NODE_TYPES.DoWhileStatement, "do"),
      export: newKeywordTester([
        utils_1.AST_NODE_TYPES.ExportDefaultDeclaration,
        utils_1.AST_NODE_TYPES.ExportNamedDeclaration
      ], "export"),
      for: newKeywordTester([
        utils_1.AST_NODE_TYPES.ForStatement,
        utils_1.AST_NODE_TYPES.ForInStatement,
        utils_1.AST_NODE_TYPES.ForOfStatement
      ], "for"),
      if: newKeywordTester(utils_1.AST_NODE_TYPES.IfStatement, "if"),
      import: newKeywordTester(utils_1.AST_NODE_TYPES.ImportDeclaration, "import"),
      let: newKeywordTester(utils_1.AST_NODE_TYPES.VariableDeclaration, "let"),
      return: newKeywordTester(utils_1.AST_NODE_TYPES.ReturnStatement, "return"),
      switch: newKeywordTester(utils_1.AST_NODE_TYPES.SwitchStatement, "switch"),
      throw: newKeywordTester(utils_1.AST_NODE_TYPES.ThrowStatement, "throw"),
      try: newKeywordTester(utils_1.AST_NODE_TYPES.TryStatement, "try"),
      var: newKeywordTester(utils_1.AST_NODE_TYPES.VariableDeclaration, "var"),
      while: newKeywordTester([utils_1.AST_NODE_TYPES.WhileStatement, utils_1.AST_NODE_TYPES.DoWhileStatement], "while"),
      with: newKeywordTester(utils_1.AST_NODE_TYPES.WithStatement, "with"),
      // Additional Typescript constructs
      interface: newKeywordTester(utils_1.AST_NODE_TYPES.TSInterfaceDeclaration, "interface"),
      type: newKeywordTester(utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration, "type")
    };
    exports2.default = (0, util_1.createRule)({
      name: "padding-line-between-statements",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/padding-line-between-statements"],
        type: "layout",
        docs: {
          description: "Require or disallow padding lines between statements",
          extendsBaseRule: true
        },
        fixable: "whitespace",
        hasSuggestions: false,
        // This is intentionally an array schema as you can pass 0..n config objects
        schema: {
          $defs: {
            paddingType: {
              type: "string",
              enum: Object.keys(PaddingTypes)
            },
            statementType: {
              anyOf: [
                {
                  type: "string",
                  enum: Object.keys(StatementTypes)
                },
                {
                  type: "array",
                  items: {
                    type: "string",
                    enum: Object.keys(StatementTypes)
                  },
                  minItems: 1,
                  uniqueItems: true,
                  additionalItems: false
                }
              ]
            }
          },
          type: "array",
          additionalItems: false,
          items: {
            type: "object",
            properties: {
              blankLine: { $ref: "#/$defs/paddingType" },
              prev: { $ref: "#/$defs/statementType" },
              next: { $ref: "#/$defs/statementType" }
            },
            additionalProperties: false,
            required: ["blankLine", "prev", "next"]
          }
        },
        messages: {
          unexpectedBlankLine: "Unexpected blank line before this statement.",
          expectedBlankLine: "Expected blank line before this statement."
        }
      },
      defaultOptions: [],
      create(context) {
        const configureList = context.options;
        let scopeInfo = null;
        function enterScope() {
          scopeInfo = {
            upper: scopeInfo,
            prevNode: null
          };
        }
        function exitScope() {
          if (scopeInfo) {
            scopeInfo = scopeInfo.upper;
          }
        }
        function match(node, type) {
          let innerStatementNode = node;
          while (innerStatementNode.type === utils_1.AST_NODE_TYPES.LabeledStatement) {
            innerStatementNode = innerStatementNode.body;
          }
          if (Array.isArray(type)) {
            return type.some(match.bind(null, innerStatementNode));
          }
          return StatementTypes[type].test(innerStatementNode, context.sourceCode);
        }
        function getPaddingType(prevNode, nextNode) {
          for (let i = configureList.length - 1; i >= 0; --i) {
            const configure = configureList[i];
            if (match(prevNode, configure.prev) && match(nextNode, configure.next)) {
              return PaddingTypes[configure.blankLine];
            }
          }
          return PaddingTypes.any;
        }
        function getPaddingLineSequences(prevNode, nextNode) {
          const pairs = [];
          let prevToken = getActualLastToken(prevNode, context.sourceCode);
          if (nextNode.loc.start.line - prevToken.loc.end.line >= 2) {
            do {
              const token = context.sourceCode.getTokenAfter(prevToken, {
                includeComments: true
              });
              if (token.loc.start.line - prevToken.loc.end.line >= 2) {
                pairs.push([prevToken, token]);
              }
              prevToken = token;
            } while (prevToken.range[0] < nextNode.range[0]);
          }
          return pairs;
        }
        function verify(node) {
          if (!node.parent || ![
            utils_1.AST_NODE_TYPES.BlockStatement,
            utils_1.AST_NODE_TYPES.Program,
            utils_1.AST_NODE_TYPES.SwitchCase,
            utils_1.AST_NODE_TYPES.SwitchStatement,
            utils_1.AST_NODE_TYPES.TSModuleBlock
          ].includes(node.parent.type)) {
            return;
          }
          const prevNode = scopeInfo.prevNode;
          if (prevNode) {
            const type = getPaddingType(prevNode, node);
            const paddingLines = getPaddingLineSequences(prevNode, node);
            type.verify(context, prevNode, node, paddingLines);
          }
          scopeInfo.prevNode = node;
        }
        function verifyThenEnterScope(node) {
          verify(node);
          enterScope();
        }
        return {
          Program: enterScope,
          BlockStatement: enterScope,
          SwitchStatement: enterScope,
          TSModuleBlock: enterScope,
          "Program:exit": exitScope,
          "BlockStatement:exit": exitScope,
          "SwitchStatement:exit": exitScope,
          "TSModuleBlock:exit": exitScope,
          ":statement": verify,
          SwitchCase: verifyThenEnterScope,
          TSDeclareFunction: verifyThenEnterScope,
          "SwitchCase:exit": exitScope,
          "TSDeclareFunction:exit": exitScope
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/parameter-properties.js
var require_parameter_properties = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/parameter-properties.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "parameter-properties",
      meta: {
        type: "problem",
        docs: {
          description: "Require or disallow parameter properties in class constructors"
        },
        messages: {
          preferClassProperty: "Property {{parameter}} should be declared as a class property.",
          preferParameterProperty: "Property {{parameter}} should be declared as a parameter property."
        },
        schema: [
          {
            $defs: {
              modifier: {
                type: "string",
                enum: [
                  "readonly",
                  "private",
                  "protected",
                  "public",
                  "private readonly",
                  "protected readonly",
                  "public readonly"
                ]
              }
            },
            type: "object",
            properties: {
              allow: {
                type: "array",
                items: {
                  $ref: "#/items/0/$defs/modifier"
                }
              },
              prefer: {
                type: "string",
                enum: ["class-property", "parameter-property"]
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          allow: [],
          prefer: "class-property"
        }
      ],
      create(context, [{ allow = [], prefer = "class-property" }]) {
        function getModifiers(node) {
          const modifiers = [];
          if (node.accessibility) {
            modifiers.push(node.accessibility);
          }
          if (node.readonly) {
            modifiers.push("readonly");
          }
          return modifiers.filter(Boolean).join(" ");
        }
        if (prefer === "class-property") {
          return {
            TSParameterProperty(node) {
              const modifiers = getModifiers(node);
              if (!allow.includes(modifiers)) {
                if (node.parameter.type !== utils_1.AST_NODE_TYPES.Identifier && node.parameter.type !== utils_1.AST_NODE_TYPES.AssignmentPattern) {
                  return;
                }
                const name = node.parameter.type === utils_1.AST_NODE_TYPES.Identifier ? node.parameter.name : (
                  // has to be an Identifier or TSC will throw an error
                  node.parameter.left.name
                );
                context.report({
                  node,
                  messageId: "preferClassProperty",
                  data: {
                    parameter: name
                  }
                });
              }
            }
          };
        }
        const propertyNodesByNameStack = [];
        function getNodesByName(name) {
          const propertyNodesByName = propertyNodesByNameStack[propertyNodesByNameStack.length - 1];
          const existing = propertyNodesByName.get(name);
          if (existing) {
            return existing;
          }
          const created = {};
          propertyNodesByName.set(name, created);
          return created;
        }
        function typeAnnotationsMatch(classProperty, constructorParameter) {
          if (!classProperty.typeAnnotation || !constructorParameter.typeAnnotation) {
            return classProperty.typeAnnotation === constructorParameter.typeAnnotation;
          }
          return context.sourceCode.getText(classProperty.typeAnnotation) === context.sourceCode.getText(constructorParameter.typeAnnotation);
        }
        return {
          "ClassDeclaration, ClassExpression"() {
            propertyNodesByNameStack.push(/* @__PURE__ */ new Map());
          },
          ":matches(ClassDeclaration, ClassExpression):exit"() {
            const propertyNodesByName = (0, util_1.nullThrows)(propertyNodesByNameStack.pop(), "Stack should exist on class exit");
            for (const [name, nodes] of propertyNodesByName) {
              if (nodes.classProperty && nodes.constructorAssignment && nodes.constructorParameter && typeAnnotationsMatch(nodes.classProperty, nodes.constructorParameter)) {
                context.report({
                  data: {
                    parameter: name
                  },
                  messageId: "preferParameterProperty",
                  node: nodes.classProperty
                });
              }
            }
          },
          ClassBody(node) {
            for (const element of node.body) {
              if (element.type === utils_1.AST_NODE_TYPES.PropertyDefinition && element.key.type === utils_1.AST_NODE_TYPES.Identifier && !element.value && !allow.includes(getModifiers(element))) {
                getNodesByName(element.key.name).classProperty = element;
              }
            }
          },
          'MethodDefinition[kind="constructor"]'(node) {
            for (const parameter of node.value.params) {
              if (parameter.type === utils_1.AST_NODE_TYPES.Identifier) {
                getNodesByName(parameter.name).constructorParameter = parameter;
              }
            }
            for (const statement of node.value.body?.body ?? []) {
              if (statement.type !== utils_1.AST_NODE_TYPES.ExpressionStatement || statement.expression.type !== utils_1.AST_NODE_TYPES.AssignmentExpression || statement.expression.left.type !== utils_1.AST_NODE_TYPES.MemberExpression || statement.expression.left.object.type !== utils_1.AST_NODE_TYPES.ThisExpression || statement.expression.left.property.type !== utils_1.AST_NODE_TYPES.Identifier || statement.expression.right.type !== utils_1.AST_NODE_TYPES.Identifier) {
                break;
              }
              getNodesByName(statement.expression.right.name).constructorAssignment = statement.expression;
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-as-const.js
var require_prefer_as_const = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-as-const.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-as-const",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce the use of `as const` over literal type",
          recommended: "recommended"
        },
        fixable: "code",
        hasSuggestions: true,
        messages: {
          preferConstAssertion: "Expected a `const` instead of a literal type assertion.",
          variableConstAssertion: "Expected a `const` assertion instead of a literal type annotation.",
          variableSuggest: "You should use `as const` instead of type annotation."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        function compareTypes(valueNode, typeNode, canFix) {
          if (valueNode.type === utils_1.AST_NODE_TYPES.Literal && typeNode.type === utils_1.AST_NODE_TYPES.TSLiteralType && typeNode.literal.type === utils_1.AST_NODE_TYPES.Literal && valueNode.raw === typeNode.literal.raw) {
            if (canFix) {
              context.report({
                node: typeNode,
                messageId: "preferConstAssertion",
                fix: (fixer) => fixer.replaceText(typeNode, "const")
              });
            } else {
              context.report({
                node: typeNode,
                messageId: "variableConstAssertion",
                suggest: [
                  {
                    messageId: "variableSuggest",
                    fix: (fixer) => [
                      fixer.remove(typeNode.parent),
                      fixer.insertTextAfter(valueNode, " as const")
                    ]
                  }
                ]
              });
            }
          }
        }
        return {
          TSAsExpression(node) {
            compareTypes(node.expression, node.typeAnnotation, true);
          },
          TSTypeAssertion(node) {
            compareTypes(node.expression, node.typeAnnotation, true);
          },
          PropertyDefinition(node) {
            if (node.value && node.typeAnnotation) {
              compareTypes(node.value, node.typeAnnotation.typeAnnotation, false);
            }
          },
          VariableDeclarator(node) {
            if (node.init && node.id.typeAnnotation) {
              compareTypes(node.init, node.id.typeAnnotation.typeAnnotation, false);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-destructuring.js
var require_prefer_destructuring = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-destructuring.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("prefer-destructuring");
    var destructuringTypeConfig = {
      type: "object",
      properties: {
        array: {
          type: "boolean"
        },
        object: {
          type: "boolean"
        }
      },
      additionalProperties: false
    };
    var schema30 = [
      {
        oneOf: [
          {
            type: "object",
            properties: {
              VariableDeclarator: destructuringTypeConfig,
              AssignmentExpression: destructuringTypeConfig
            },
            additionalProperties: false
          },
          destructuringTypeConfig
        ]
      },
      {
        type: "object",
        properties: {
          enforceForRenamedProperties: {
            type: "boolean"
          },
          enforceForDeclarationWithTypeAnnotation: {
            type: "boolean"
          }
        }
      }
    ];
    exports2.default = (0, util_1.createRule)({
      name: "prefer-destructuring",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require destructuring from arrays and/or objects",
          extendsBaseRule: true,
          requiresTypeChecking: true
        },
        schema: schema30,
        fixable: baseRule2.meta.fixable,
        hasSuggestions: baseRule2.meta.hasSuggestions,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        {
          VariableDeclarator: {
            array: true,
            object: true
          },
          AssignmentExpression: {
            array: true,
            object: true
          }
        },
        {}
      ],
      create(context, [enabledTypes, options]) {
        const { enforceForRenamedProperties = false, enforceForDeclarationWithTypeAnnotation = false } = options;
        const { program, esTreeNodeToTSNodeMap } = (0, util_1.getParserServices)(context);
        const typeChecker = program.getTypeChecker();
        const baseRules = baseRule2.create(context);
        let baseRulesWithoutFixCache = null;
        return {
          VariableDeclarator(node) {
            performCheck(node.id, node.init, node);
          },
          AssignmentExpression(node) {
            if (node.operator !== "=") {
              return;
            }
            performCheck(node.left, node.right, node);
          }
        };
        function performCheck(leftNode, rightNode, reportNode) {
          const rules = leftNode.type === utils_1.AST_NODE_TYPES.Identifier && leftNode.typeAnnotation === void 0 ? baseRules : baseRulesWithoutFix();
          if ((leftNode.type === utils_1.AST_NODE_TYPES.ArrayPattern || leftNode.type === utils_1.AST_NODE_TYPES.Identifier || leftNode.type === utils_1.AST_NODE_TYPES.ObjectPattern) && leftNode.typeAnnotation !== void 0 && !enforceForDeclarationWithTypeAnnotation) {
            return;
          }
          if (rightNode != null && isArrayLiteralIntegerIndexAccess(rightNode) && rightNode.object.type !== utils_1.AST_NODE_TYPES.Super) {
            const tsObj = esTreeNodeToTSNodeMap.get(rightNode.object);
            const objType = typeChecker.getTypeAtLocation(tsObj);
            if (!isTypeAnyOrIterableType(objType, typeChecker)) {
              if (!enforceForRenamedProperties || !getNormalizedEnabledType(reportNode.type, "object")) {
                return;
              }
              context.report({
                node: reportNode,
                messageId: "preferDestructuring",
                data: { type: "object" }
              });
              return;
            }
          }
          if (reportNode.type === utils_1.AST_NODE_TYPES.AssignmentExpression) {
            rules.AssignmentExpression(reportNode);
          } else {
            rules.VariableDeclarator(reportNode);
          }
        }
        function getNormalizedEnabledType(nodeType, destructuringType) {
          if ("object" in enabledTypes || "array" in enabledTypes) {
            return enabledTypes[destructuringType];
          }
          return enabledTypes[nodeType][destructuringType];
        }
        function baseRulesWithoutFix() {
          baseRulesWithoutFixCache ??= baseRule2.create(noFixContext(context));
          return baseRulesWithoutFixCache;
        }
      }
    });
    function noFixContext(context) {
      const customContext = {
        report: (descriptor) => {
          context.report({
            ...descriptor,
            fix: void 0
          });
        }
      };
      return new Proxy(customContext, {
        get(target, path17, receiver) {
          if (path17 !== "report") {
            return Reflect.get(context, path17, receiver);
          }
          return Reflect.get(target, path17, receiver);
        }
      });
    }
    function isTypeAnyOrIterableType(type, typeChecker) {
      if ((0, util_1.isTypeAnyType)(type)) {
        return true;
      }
      if (!type.isUnion()) {
        const iterator = tsutils.getWellKnownSymbolPropertyOfType(type, "iterator", typeChecker);
        return iterator !== void 0;
      }
      return type.types.every((t) => isTypeAnyOrIterableType(t, typeChecker));
    }
    function isArrayLiteralIntegerIndexAccess(node) {
      if (node.type !== utils_1.AST_NODE_TYPES.MemberExpression) {
        return false;
      }
      if (node.property.type !== utils_1.AST_NODE_TYPES.Literal) {
        return false;
      }
      return Number.isInteger(node.property.value);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-enum-initializers.js
var require_prefer_enum_initializers = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-enum-initializers.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-enum-initializers",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require each enum member value to be explicitly initialized"
        },
        hasSuggestions: true,
        messages: {
          defineInitializer: "The value of the member '{{ name }}' should be explicitly defined.",
          defineInitializerSuggestion: "Can be fixed to {{ name }} = {{ suggested }}"
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        function TSEnumDeclaration(node) {
          const { members } = node;
          members.forEach((member, index) => {
            if (member.initializer == null) {
              const name = context.sourceCode.getText(member);
              context.report({
                node: member,
                messageId: "defineInitializer",
                data: {
                  name
                },
                suggest: [
                  {
                    messageId: "defineInitializerSuggestion",
                    data: { name, suggested: index },
                    fix: (fixer) => {
                      return fixer.replaceText(member, `${name} = ${index}`);
                    }
                  },
                  {
                    messageId: "defineInitializerSuggestion",
                    data: { name, suggested: index + 1 },
                    fix: (fixer) => {
                      return fixer.replaceText(member, `${name} = ${index + 1}`);
                    }
                  },
                  {
                    messageId: "defineInitializerSuggestion",
                    data: { name, suggested: `'${name}'` },
                    fix: (fixer) => {
                      return fixer.replaceText(member, `${name} = '${name}'`);
                    }
                  }
                ]
              });
            }
          });
        }
        return {
          TSEnumDeclaration
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-find.js
var require_prefer_find = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-find.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-find",
      meta: {
        docs: {
          description: "Enforce the use of Array.prototype.find() over Array.prototype.filter() followed by [0] when looking for a single result",
          requiresTypeChecking: true
        },
        messages: {
          preferFind: "Prefer .find(...) instead of .filter(...)[0].",
          preferFindSuggestion: "Use .find(...) instead of .filter(...)[0]."
        },
        schema: [],
        type: "suggestion",
        hasSuggestions: true
      },
      defaultOptions: [],
      create(context) {
        const globalScope = context.sourceCode.getScope(context.sourceCode.ast);
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function parseArrayFilterExpressions(expression) {
          if (expression.type === utils_1.AST_NODE_TYPES.SequenceExpression) {
            const lastExpression = (0, util_1.nullThrows)(expression.expressions.at(-1), "Expected to have more than zero expressions in a sequence expression");
            return parseArrayFilterExpressions(lastExpression);
          }
          if (expression.type === utils_1.AST_NODE_TYPES.ChainExpression) {
            return parseArrayFilterExpressions(expression.expression);
          }
          if (expression.type === utils_1.AST_NODE_TYPES.ConditionalExpression) {
            const consequentResult = parseArrayFilterExpressions(expression.consequent);
            if (consequentResult.length === 0) {
              return [];
            }
            const alternateResult = parseArrayFilterExpressions(expression.alternate);
            if (alternateResult.length === 0) {
              return [];
            }
            return [...consequentResult, ...alternateResult];
          }
          if (expression.type === utils_1.AST_NODE_TYPES.CallExpression && !expression.optional) {
            const callee = expression.callee;
            if (callee.type === utils_1.AST_NODE_TYPES.MemberExpression) {
              const isBracketSyntaxForFilter = callee.computed;
              if (isStaticMemberAccessOfValue(callee, "filter", globalScope)) {
                const filterNode = callee.property;
                const filteredObjectType = (0, util_1.getConstrainedTypeAtLocation)(services, callee.object);
                if (isArrayish(filteredObjectType)) {
                  return [
                    {
                      isBracketSyntaxForFilter,
                      filterNode
                    }
                  ];
                }
              }
            }
          }
          return [];
        }
        function isArrayish(type) {
          let isAtLeastOneArrayishComponent = false;
          for (const unionPart of tsutils.unionTypeParts(type)) {
            if (tsutils.isIntrinsicNullType(unionPart) || tsutils.isIntrinsicUndefinedType(unionPart)) {
              continue;
            }
            const isArrayOrIntersectionThereof = tsutils.intersectionTypeParts(unionPart).every((intersectionPart) => checker.isArrayType(intersectionPart) || checker.isTupleType(intersectionPart));
            if (!isArrayOrIntersectionThereof) {
              return false;
            }
            isAtLeastOneArrayishComponent = true;
          }
          return isAtLeastOneArrayishComponent;
        }
        function getObjectIfArrayAtZeroExpression(node) {
          if (node.arguments.length !== 1) {
            return void 0;
          }
          const callee = node.callee;
          if (callee.type === utils_1.AST_NODE_TYPES.MemberExpression && !callee.optional && isStaticMemberAccessOfValue(callee, "at", globalScope)) {
            const atArgument = (0, util_1.getStaticValue)(node.arguments[0], globalScope);
            if (atArgument != null && isTreatedAsZeroByArrayAt(atArgument.value)) {
              return callee.object;
            }
          }
          return void 0;
        }
        function isTreatedAsZeroByArrayAt(value) {
          if (typeof value === "symbol") {
            return false;
          }
          const asNumber = Number(value);
          if (isNaN(asNumber)) {
            return true;
          }
          return Math.trunc(asNumber) === 0;
        }
        function isMemberAccessOfZero(node) {
          const property = (0, util_1.getStaticValue)(node.property, globalScope);
          return !node.optional && property != null && isTreatedAsZeroByMemberAccess(property.value);
        }
        function isTreatedAsZeroByMemberAccess(value) {
          return String(value) === "0";
        }
        function generateFixToRemoveArrayElementAccess(fixer, arrayNode, wholeExpressionBeingFlagged) {
          const tokenToStartDeletingFrom = (0, util_1.nullThrows)(
            // The next `.` or `[` is what we're looking for.
            // think of (...).at(0) or (...)[0] or even (...)["at"](0).
            context.sourceCode.getTokenAfter(arrayNode, (token) => token.value === "." || token.value === "["),
            "Expected to find a member access token!"
          );
          return fixer.removeRange([
            tokenToStartDeletingFrom.range[0],
            wholeExpressionBeingFlagged.range[1]
          ]);
        }
        function generateFixToReplaceFilterWithFind(fixer, filterExpression) {
          return fixer.replaceText(filterExpression.filterNode, filterExpression.isBracketSyntaxForFilter ? '"find"' : "find");
        }
        return {
          // This query will be used to find things like `filteredResults.at(0)`.
          CallExpression(node) {
            const object = getObjectIfArrayAtZeroExpression(node);
            if (object) {
              const filterExpressions = parseArrayFilterExpressions(object);
              if (filterExpressions.length !== 0) {
                context.report({
                  node,
                  messageId: "preferFind",
                  suggest: [
                    {
                      messageId: "preferFindSuggestion",
                      fix: (fixer) => {
                        return [
                          ...filterExpressions.map((filterExpression) => generateFixToReplaceFilterWithFind(fixer, filterExpression)),
                          // Get rid of the .at(0) or ['at'](0).
                          generateFixToRemoveArrayElementAccess(fixer, object, node)
                        ];
                      }
                    }
                  ]
                });
              }
            }
          },
          // This query will be used to find things like `filteredResults[0]`.
          //
          // Note: we're always looking for array member access to be "computed",
          // i.e. `filteredResults[0]`, since `filteredResults.0` isn't a thing.
          ["MemberExpression[computed=true]"](node) {
            if (isMemberAccessOfZero(node)) {
              const object = node.object;
              const filterExpressions = parseArrayFilterExpressions(object);
              if (filterExpressions.length !== 0) {
                context.report({
                  node,
                  messageId: "preferFind",
                  suggest: [
                    {
                      messageId: "preferFindSuggestion",
                      fix: (fixer) => {
                        return [
                          ...filterExpressions.map((filterExpression) => generateFixToReplaceFilterWithFind(fixer, filterExpression)),
                          // Get rid of the [0].
                          generateFixToRemoveArrayElementAccess(fixer, object, node)
                        ];
                      }
                    }
                  ]
                });
              }
            }
          }
        };
      }
    });
    function isStaticMemberAccessOfValue(memberExpression, value, scope) {
      if (!memberExpression.computed) {
        return memberExpression.property.name === value;
      }
      const staticValueResult = (0, util_1.getStaticValue)(memberExpression.property, scope);
      return staticValueResult != null && value === staticValueResult.value;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-for-of.js
var require_prefer_for_of = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-for-of.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-for-of",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce the use of `for-of` loop over the standard `for` loop where possible",
          recommended: "stylistic"
        },
        messages: {
          preferForOf: "Expected a `for-of` loop instead of a `for` loop with this simple iteration."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        function isSingleVariableDeclaration(node) {
          return node?.type === utils_1.AST_NODE_TYPES.VariableDeclaration && node.kind !== "const" && node.declarations.length === 1;
        }
        function isLiteral2(node, value) {
          return node.type === utils_1.AST_NODE_TYPES.Literal && node.value === value;
        }
        function isZeroInitialized(node) {
          return node.init != null && isLiteral2(node.init, 0);
        }
        function isMatchingIdentifier(node, name) {
          return node.type === utils_1.AST_NODE_TYPES.Identifier && node.name === name;
        }
        function isLessThanLengthExpression(node, name) {
          if (node?.type === utils_1.AST_NODE_TYPES.BinaryExpression && node.operator === "<" && isMatchingIdentifier(node.left, name) && node.right.type === utils_1.AST_NODE_TYPES.MemberExpression && isMatchingIdentifier(node.right.property, "length")) {
            return node.right.object;
          }
          return null;
        }
        function isIncrement(node, name) {
          if (!node) {
            return false;
          }
          switch (node.type) {
            case utils_1.AST_NODE_TYPES.UpdateExpression:
              return node.operator === "++" && isMatchingIdentifier(node.argument, name);
            case utils_1.AST_NODE_TYPES.AssignmentExpression:
              if (isMatchingIdentifier(node.left, name)) {
                if (node.operator === "+=") {
                  return isLiteral2(node.right, 1);
                } else if (node.operator === "=") {
                  const expr = node.right;
                  return expr.type === utils_1.AST_NODE_TYPES.BinaryExpression && expr.operator === "+" && (isMatchingIdentifier(expr.left, name) && isLiteral2(expr.right, 1) || isLiteral2(expr.left, 1) && isMatchingIdentifier(expr.right, name));
                }
              }
          }
          return false;
        }
        function contains(outer, inner) {
          return outer.range[0] <= inner.range[0] && outer.range[1] >= inner.range[1];
        }
        function isIndexOnlyUsedWithArray(body, indexVar, arrayExpression) {
          const arrayText = context.sourceCode.getText(arrayExpression);
          return indexVar.references.every((reference) => {
            const id = reference.identifier;
            const node = id.parent;
            return !contains(body, id) || node.type === utils_1.AST_NODE_TYPES.MemberExpression && node.object.type !== utils_1.AST_NODE_TYPES.ThisExpression && node.property === id && context.sourceCode.getText(node.object) === arrayText && !(0, util_1.isAssignee)(node);
          });
        }
        return {
          "ForStatement:exit"(node) {
            if (!isSingleVariableDeclaration(node.init)) {
              return;
            }
            const declarator = node.init.declarations[0];
            if (!declarator || !isZeroInitialized(declarator) || declarator.id.type !== utils_1.AST_NODE_TYPES.Identifier) {
              return;
            }
            const indexName = declarator.id.name;
            const arrayExpression = isLessThanLengthExpression(node.test, indexName);
            if (!arrayExpression) {
              return;
            }
            const [indexVar] = context.sourceCode.getDeclaredVariables(node.init);
            if (isIncrement(node.update, indexName) && isIndexOnlyUsedWithArray(node.body, indexVar, arrayExpression)) {
              context.report({
                node,
                messageId: "preferForOf"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-function-type.js
var require_prefer_function_type = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-function-type.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.phrases = void 0;
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.phrases = {
      [utils_1.AST_NODE_TYPES.TSTypeLiteral]: "Type literal",
      [utils_1.AST_NODE_TYPES.TSInterfaceDeclaration]: "Interface"
    };
    exports2.default = (0, util_1.createRule)({
      name: "prefer-function-type",
      meta: {
        docs: {
          description: "Enforce using function types instead of interfaces with call signatures",
          recommended: "stylistic"
        },
        fixable: "code",
        messages: {
          functionTypeOverCallableType: "{{ literalOrInterface }} only has a call signature, you should use a function type instead.",
          unexpectedThisOnFunctionOnlyInterface: "`this` refers to the function type '{{ interfaceName }}', did you intend to use a generic `this` parameter like `(this: Self, ...) => Self` instead?"
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        function hasOneSupertype(node) {
          if (node.extends.length === 0) {
            return false;
          }
          if (node.extends.length !== 1) {
            return true;
          }
          const expr = node.extends[0].expression;
          return expr.type !== utils_1.AST_NODE_TYPES.Identifier || expr.name !== "Function";
        }
        function shouldWrapSuggestion(parent) {
          if (!parent) {
            return false;
          }
          switch (parent.type) {
            case utils_1.AST_NODE_TYPES.TSUnionType:
            case utils_1.AST_NODE_TYPES.TSIntersectionType:
            case utils_1.AST_NODE_TYPES.TSArrayType:
              return true;
            default:
              return false;
          }
        }
        function checkMember(member, node, tsThisTypes2 = null) {
          if ((member.type === utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration || member.type === utils_1.AST_NODE_TYPES.TSConstructSignatureDeclaration) && member.returnType !== void 0) {
            if (tsThisTypes2?.length && node.type === utils_1.AST_NODE_TYPES.TSInterfaceDeclaration) {
              context.report({
                node: tsThisTypes2[0],
                messageId: "unexpectedThisOnFunctionOnlyInterface",
                data: {
                  interfaceName: node.id.name
                }
              });
              return;
            }
            const fixable = node.parent.type === utils_1.AST_NODE_TYPES.ExportDefaultDeclaration;
            const fix11 = fixable ? null : (fixer) => {
              const fixes = [];
              const start = member.range[0];
              const colonPos = member.returnType.range[0] - start;
              const text = context.sourceCode.getText().slice(start, member.range[1]);
              const comments = context.sourceCode.getCommentsBefore(member).concat(context.sourceCode.getCommentsAfter(member));
              let suggestion = `${text.slice(0, colonPos)} =>${text.slice(colonPos + 1)}`;
              const lastChar = suggestion.endsWith(";") ? ";" : "";
              if (lastChar) {
                suggestion = suggestion.slice(0, -1);
              }
              if (shouldWrapSuggestion(node.parent)) {
                suggestion = `(${suggestion})`;
              }
              if (node.type === utils_1.AST_NODE_TYPES.TSInterfaceDeclaration) {
                if (node.typeParameters !== void 0) {
                  suggestion = `type ${context.sourceCode.getText().slice(node.id.range[0], node.typeParameters.range[1])} = ${suggestion}${lastChar}`;
                } else {
                  suggestion = `type ${node.id.name} = ${suggestion}${lastChar}`;
                }
              }
              const isParentExported = node.parent.type === utils_1.AST_NODE_TYPES.ExportNamedDeclaration;
              if (node.type === utils_1.AST_NODE_TYPES.TSInterfaceDeclaration && isParentExported) {
                const commentsText = comments.reduce((text2, comment) => {
                  return text2 + (comment.type === utils_1.AST_TOKEN_TYPES.Line ? `//${comment.value}` : `/*${comment.value}*/`) + "\n";
                }, "");
                fixes.push(fixer.insertTextBefore(node.parent, commentsText));
              } else {
                comments.forEach((comment) => {
                  let commentText = comment.type === utils_1.AST_TOKEN_TYPES.Line ? `//${comment.value}` : `/*${comment.value}*/`;
                  const isCommentOnTheSameLine = comment.loc.start.line === member.loc.start.line;
                  if (!isCommentOnTheSameLine) {
                    commentText += "\n";
                  } else {
                    commentText += " ";
                  }
                  suggestion = commentText + suggestion;
                });
              }
              const fixStart = node.range[0];
              fixes.push(fixer.replaceTextRange([fixStart, node.range[1]], suggestion));
              return fixes;
            };
            context.report({
              node: member,
              messageId: "functionTypeOverCallableType",
              data: {
                literalOrInterface: exports2.phrases[node.type]
              },
              fix: fix11
            });
          }
        }
        let tsThisTypes = null;
        let literalNesting = 0;
        return {
          TSInterfaceDeclaration() {
            tsThisTypes = [];
          },
          "TSInterfaceDeclaration TSThisType"(node) {
            if (literalNesting === 0 && tsThisTypes != null) {
              tsThisTypes.push(node);
            }
          },
          "TSInterfaceDeclaration:exit"(node) {
            if (!hasOneSupertype(node) && node.body.body.length === 1) {
              checkMember(node.body.body[0], node, tsThisTypes);
            }
            tsThisTypes = null;
          },
          // keep track of nested literals to avoid complaining about invalid `this` uses
          "TSInterfaceDeclaration TSTypeLiteral"() {
            literalNesting += 1;
          },
          "TSInterfaceDeclaration TSTypeLiteral:exit"() {
            literalNesting -= 1;
          },
          "TSTypeLiteral[members.length = 1]"(node) {
            checkMember(node.members[0], node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@eslint-community+regexpp@4.10.1/node_modules/@eslint-community/regexpp/index.js
var require_regexpp = __commonJS({
  "node_modules/.pnpm/@eslint-community+regexpp@4.10.1/node_modules/@eslint-community/regexpp/index.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var ast = /* @__PURE__ */ Object.freeze({
      __proto__: null
    });
    var latestEcmaVersion = 2024;
    var largeIdStartRanges = void 0;
    var largeIdContinueRanges = void 0;
    function isIdStart(cp) {
      if (cp < 65)
        return false;
      if (cp < 91)
        return true;
      if (cp < 97)
        return false;
      if (cp < 123)
        return true;
      return isLargeIdStart(cp);
    }
    function isIdContinue(cp) {
      if (cp < 48)
        return false;
      if (cp < 58)
        return true;
      if (cp < 65)
        return false;
      if (cp < 91)
        return true;
      if (cp === 95)
        return true;
      if (cp < 97)
        return false;
      if (cp < 123)
        return true;
      return isLargeIdStart(cp) || isLargeIdContinue(cp);
    }
    function isLargeIdStart(cp) {
      return isInRange(cp, largeIdStartRanges !== null && largeIdStartRanges !== void 0 ? largeIdStartRanges : largeIdStartRanges = initLargeIdStartRanges());
    }
    function isLargeIdContinue(cp) {
      return isInRange(cp, largeIdContinueRanges !== null && largeIdContinueRanges !== void 0 ? largeIdContinueRanges : largeIdContinueRanges = initLargeIdContinueRanges());
    }
    function initLargeIdStartRanges() {
      return restoreRanges("4q 0 b 0 5 0 6 m 2 u 2 cp 5 b f 4 8 0 2 0 3m 4 2 1 3 3 2 0 7 0 2 2 2 0 2 j 2 2a 2 3u 9 4l 2 11 3 0 7 14 20 q 5 3 1a 16 10 1 2 2q 2 0 g 1 8 1 b 2 3 0 h 0 2 t u 2g c 0 p w a 1 5 0 6 l 5 0 a 0 4 0 o o 8 a 6 n 2 5 i 15 1n 1h 4 0 j 0 8 9 g f 5 7 3 1 3 l 2 6 2 0 4 3 4 0 h 0 e 1 2 2 f 1 b 0 9 5 5 1 3 l 2 6 2 1 2 1 2 1 w 3 2 0 k 2 h 8 2 2 2 l 2 6 2 1 2 4 4 0 j 0 g 1 o 0 c 7 3 1 3 l 2 6 2 1 2 4 4 0 v 1 2 2 g 0 i 0 2 5 4 2 2 3 4 1 2 0 2 1 4 1 4 2 4 b n 0 1h 7 2 2 2 m 2 f 4 0 r 2 3 0 3 1 v 0 5 7 2 2 2 m 2 9 2 4 4 0 w 1 2 1 g 1 i 8 2 2 2 14 3 0 h 0 6 2 9 2 p 5 6 h 4 n 2 8 2 0 3 6 1n 1b 2 1 d 6 1n 1 2 0 2 4 2 n 2 0 2 9 2 1 a 0 3 4 2 0 m 3 x 0 1s 7 2 z s 4 38 16 l 0 h 5 5 3 4 0 4 1 8 2 5 c d 0 i 11 2 0 6 0 3 16 2 98 2 3 3 6 2 0 2 3 3 14 2 3 3 w 2 3 3 6 2 0 2 3 3 e 2 1k 2 3 3 1u 12 f h 2d 3 5 4 h7 3 g 2 p 6 22 4 a 8 h e i f h f c 2 2 g 1f 10 0 5 0 1w 2g 8 14 2 0 6 1x b u 1e t 3 4 c 17 5 p 1j m a 1g 2b 0 2m 1a i 7 1j t e 1 b 17 r z 16 2 b z 3 8 8 16 3 2 16 3 2 5 2 1 4 0 6 5b 1t 7p 3 5 3 11 3 5 3 7 2 0 2 0 2 0 2 u 3 1g 2 6 2 0 4 2 2 6 4 3 3 5 5 c 6 2 2 6 39 0 e 0 h c 2u 0 5 0 3 9 2 0 3 5 7 0 2 0 2 0 2 f 3 3 6 4 5 0 i 14 22g 6c 7 3 4 1 d 11 2 0 6 0 3 1j 8 0 h m a 6 2 6 2 6 2 6 2 6 2 6 2 6 2 6 fb 2 q 8 8 4 3 4 5 2d 5 4 2 2h 2 3 6 16 2 2l i v 1d f e9 533 1t h3g 1w 19 3 7g 4 f b 1 l 1a h u 3 27 14 8 3 2u 3 1r 6 1 2 0 2 4 p f 2 2 2 3 2 m u 1f f 1d 1r 5 4 0 2 1 c r b m q s 8 1a t 0 h 4 2 9 b 4 2 14 o 2 2 7 l m 4 0 4 1d 2 0 4 1 3 4 3 0 2 0 p 2 3 a 8 2 d 5 3 5 3 5 a 6 2 6 2 16 2 d 7 36 u 8mb d m 5 1c 6it a5 3 2x 13 6 d 4 6 0 2 9 2 c 2 4 2 0 2 1 2 1 2 2z y a2 j 1r 3 1h 15 b 39 4 2 3q 11 p 7 p c 2g 4 5 3 5 3 5 3 2 10 b 2 p 2 i 2 1 2 e 3 d z 3e 1y 1g 7g s 4 1c 1c v e t 6 11 b t 3 z 5 7 2 4 17 4d j z 5 z 5 13 9 1f d a 2 e 2 6 2 1 2 a 2 e 2 6 2 1 1w 8m a l b 7 p 5 2 15 2 8 1y 5 3 0 2 17 2 1 4 0 3 m b m a u 1u i 2 1 b l b p 1z 1j 7 1 1t 0 g 3 2 2 2 s 17 s 4 s 10 7 2 r s 1h b l b i e h 33 20 1k 1e e 1e e z 9p 15 7 1 27 s b 0 9 l 17 h 1b k s m d 1g 1m 1 3 0 e 18 x o r z u 0 3 0 9 y 4 0 d 1b f 3 m 0 2 0 10 h 2 o k 1 1s 6 2 0 2 3 2 e 2 9 8 1a 13 7 3 1 3 l 2 6 2 1 2 4 4 0 j 0 d 4 4f 1g j 3 l 2 v 1b l 1 2 0 55 1a 16 3 11 1b l 0 1o 16 e 0 20 q 12 6 56 17 39 1r w 7 3 0 3 7 2 1 2 n g 0 2 0 2n 7 3 12 h 0 2 0 t 0 b 13 8 0 m 0 c 19 k 0 j 20 7c 8 2 10 i 0 1e t 35 6 2 1 2 11 m 0 q 5 2 1 2 v f 0 94 i g 0 2 c 2 x 3h 0 28 pl 2v 32 i 5f 219 2o g tr i 5 33u g6 6nu fs 8 u i 26 i t j 1b h 3 w k 6 i j5 1r 3l 22 6 0 1v c 1t 1 2 0 t 4qf 9 yd 17 8 6w8 3 2 6 2 1 2 82 g 0 u 2 3 0 f 3 9 az 1s5 2y 6 c 4 8 8 9 4mf 2c 2 1y 2 1 3 0 3 1 3 3 2 b 2 0 2 6 2 1s 2 3 3 7 2 6 2 r 2 3 2 4 2 0 4 6 2 9f 3 o 2 o 2 u 2 o 2 u 2 o 2 u 2 o 2 u 2 o 2 7 1f9 u 7 5 7a 1p 43 18 b 6 h 0 8y t j 17 dh r l1 6 2 3 2 1 2 e 2 5g 1o 1v 8 0 xh 3 2 q 2 1 2 0 3 0 2 9 2 3 2 0 2 0 7 0 5 0 2 0 2 0 2 2 2 1 2 0 3 0 2 0 2 0 2 0 2 0 2 1 2 0 3 3 2 6 2 3 2 3 2 0 2 9 2 g 6 2 2 4 2 g 3et wyn x 37d 7 65 3 4g1 f 5rk g h9 1wj f1 15v 3t6 6 38f");
    }
    function initLargeIdContinueRanges() {
      return restoreRanges("53 0 g9 33 o 0 70 4 7e 18 2 0 2 1 2 1 2 0 21 a 1d u 7 0 2u 6 3 5 3 1 2 3 3 9 o 0 v q 2k a g 9 y 8 a 0 p 3 2 8 2 2 2 4 18 2 1p 7 17 n 2 w 1j 2 2 h 2 6 b 1 3 9 i 2 1l 0 2 6 3 1 3 2 a 0 b 1 3 9 f 0 3 2 1l 0 2 4 5 1 3 2 4 0 l b 4 0 c 2 1l 0 2 7 2 2 2 2 l 1 3 9 b 5 2 2 1l 0 2 6 3 1 3 2 8 2 b 1 3 9 j 0 1o 4 4 2 2 3 a 0 f 9 h 4 1k 0 2 6 2 2 2 3 8 1 c 1 3 9 i 2 1l 0 2 6 2 2 2 3 8 1 c 1 3 9 4 0 d 3 1k 1 2 6 2 2 2 3 a 0 b 1 3 9 i 2 1z 0 5 5 2 0 2 7 7 9 3 1 1q 0 3 6 d 7 2 9 2g 0 3 8 c 6 2 9 1r 1 7 9 c 0 2 0 2 0 5 1 1e j 2 1 6 a 2 z a 0 2t j 2 9 d 3 5 2 2 2 3 6 4 3 e b 2 e jk 2 a 8 pt 3 t 2 u 1 v 1 1t v a 0 3 9 y 2 2 a 40 0 3b b 5 b b 9 3l a 1p 4 1m 9 2 s 3 a 7 9 n d 2 f 1e 4 1c g c 9 i 8 d 2 v c 3 9 19 d 1d j 9 9 7 9 3b 2 2 k 5 0 7 0 3 2 5j 1r el 1 1e 1 k 0 3g c 5 0 4 b 2db 2 3y 0 2p v ff 5 2y 1 2p 0 n51 9 1y 0 5 9 x 1 29 1 7l 0 4 0 5 0 o 4 5 0 2c 1 1f h b 9 7 h e a t 7 q c 19 3 1c d g 9 c 0 b 9 1c d d 0 9 1 3 9 y 2 1f 0 2 2 3 1 6 1 2 0 16 4 6 1 6l 7 2 1 3 9 fmt 0 ki f h f 4 1 p 2 5d 9 12 0 12 0 ig 0 6b 0 46 4 86 9 120 2 2 1 6 3 15 2 5 0 4m 1 fy 3 9 9 aa 1 29 2 1z a 1e 3 3f 2 1i e w a 3 1 b 3 1a a 8 0 1a 9 7 2 11 d 2 9 6 1 19 0 d 2 1d d 9 3 2 b 2b b 7 0 3 0 4e b 6 9 7 3 1k 1 2 6 3 1 3 2 a 0 b 1 3 6 4 4 5d h a 9 5 0 2a j d 9 5y 6 3 8 s 1 2b g g 9 2a c 9 9 2c e 5 9 6r e 4m 9 1z 5 2 1 3 3 2 0 2 1 d 9 3c 6 3 6 4 0 t 9 15 6 2 3 9 0 a a 1b f ba 7 2 7 h 9 1l l 2 d 3f 5 4 0 2 1 2 6 2 0 9 9 1d 4 2 1 2 4 9 9 96 3 a 1 2 0 1d 6 4 4 e 9 44n 0 7 e aob 9 2f 9 13 4 1o 6 q 9 s6 0 2 1i 8 3 2a 0 c 1 f58 1 3mq 19 3 m f3 4 4 5 9 7 3 6 v 3 45 2 13e 1d e9 1i 5 1d 9 0 f 0 n 4 2 e 11t 6 2 g 3 6 2 1 2 4 2t 0 4h 6 a 9 9x 0 1q d dv d rb 6 32 6 6 9 3o7 9 gvt3 6n");
    }
    function isInRange(cp, ranges) {
      let l = 0, r = ranges.length / 2 | 0, i = 0, min = 0, max = 0;
      while (l < r) {
        i = (l + r) / 2 | 0;
        min = ranges[2 * i];
        max = ranges[2 * i + 1];
        if (cp < min) {
          r = i;
        } else if (cp > max) {
          l = i + 1;
        } else {
          return true;
        }
      }
      return false;
    }
    function restoreRanges(data) {
      let last = 0;
      return data.split(" ").map((s) => last += parseInt(s, 36) | 0);
    }
    var DataSet = class {
      constructor(raw2018, raw2019, raw2020, raw2021, raw2022, raw2023, raw2024, raw2025) {
        this._raw2018 = raw2018;
        this._raw2019 = raw2019;
        this._raw2020 = raw2020;
        this._raw2021 = raw2021;
        this._raw2022 = raw2022;
        this._raw2023 = raw2023;
        this._raw2024 = raw2024;
        this._raw2025 = raw2025;
      }
      get es2018() {
        var _a;
        return (_a = this._set2018) !== null && _a !== void 0 ? _a : this._set2018 = new Set(this._raw2018.split(" "));
      }
      get es2019() {
        var _a;
        return (_a = this._set2019) !== null && _a !== void 0 ? _a : this._set2019 = new Set(this._raw2019.split(" "));
      }
      get es2020() {
        var _a;
        return (_a = this._set2020) !== null && _a !== void 0 ? _a : this._set2020 = new Set(this._raw2020.split(" "));
      }
      get es2021() {
        var _a;
        return (_a = this._set2021) !== null && _a !== void 0 ? _a : this._set2021 = new Set(this._raw2021.split(" "));
      }
      get es2022() {
        var _a;
        return (_a = this._set2022) !== null && _a !== void 0 ? _a : this._set2022 = new Set(this._raw2022.split(" "));
      }
      get es2023() {
        var _a;
        return (_a = this._set2023) !== null && _a !== void 0 ? _a : this._set2023 = new Set(this._raw2023.split(" "));
      }
      get es2024() {
        var _a;
        return (_a = this._set2024) !== null && _a !== void 0 ? _a : this._set2024 = new Set(this._raw2024.split(" "));
      }
      get es2025() {
        var _a;
        return (_a = this._set2025) !== null && _a !== void 0 ? _a : this._set2025 = new Set(this._raw2025.split(" "));
      }
    };
    var gcNameSet = /* @__PURE__ */ new Set(["General_Category", "gc"]);
    var scNameSet = /* @__PURE__ */ new Set(["Script", "Script_Extensions", "sc", "scx"]);
    var gcValueSets = new DataSet("C Cased_Letter Cc Cf Close_Punctuation Cn Co Combining_Mark Connector_Punctuation Control Cs Currency_Symbol Dash_Punctuation Decimal_Number Enclosing_Mark Final_Punctuation Format Initial_Punctuation L LC Letter Letter_Number Line_Separator Ll Lm Lo Lowercase_Letter Lt Lu M Mark Math_Symbol Mc Me Mn Modifier_Letter Modifier_Symbol N Nd Nl No Nonspacing_Mark Number Open_Punctuation Other Other_Letter Other_Number Other_Punctuation Other_Symbol P Paragraph_Separator Pc Pd Pe Pf Pi Po Private_Use Ps Punctuation S Sc Separator Sk Sm So Space_Separator Spacing_Mark Surrogate Symbol Titlecase_Letter Unassigned Uppercase_Letter Z Zl Zp Zs cntrl digit punct", "", "", "", "", "", "", "");
    var scValueSets = new DataSet("Adlam Adlm Aghb Ahom Anatolian_Hieroglyphs Arab Arabic Armenian Armi Armn Avestan Avst Bali Balinese Bamu Bamum Bass Bassa_Vah Batak Batk Beng Bengali Bhaiksuki Bhks Bopo Bopomofo Brah Brahmi Brai Braille Bugi Buginese Buhd Buhid Cakm Canadian_Aboriginal Cans Cari Carian Caucasian_Albanian Chakma Cham Cher Cherokee Common Copt Coptic Cprt Cuneiform Cypriot Cyrillic Cyrl Deseret Deva Devanagari Dsrt Dupl Duployan Egyp Egyptian_Hieroglyphs Elba Elbasan Ethi Ethiopic Geor Georgian Glag Glagolitic Gonm Goth Gothic Gran Grantha Greek Grek Gujarati Gujr Gurmukhi Guru Han Hang Hangul Hani Hano Hanunoo Hatr Hatran Hebr Hebrew Hira Hiragana Hluw Hmng Hung Imperial_Aramaic Inherited Inscriptional_Pahlavi Inscriptional_Parthian Ital Java Javanese Kaithi Kali Kana Kannada Katakana Kayah_Li Khar Kharoshthi Khmer Khmr Khoj Khojki Khudawadi Knda Kthi Lana Lao Laoo Latin Latn Lepc Lepcha Limb Limbu Lina Linb Linear_A Linear_B Lisu Lyci Lycian Lydi Lydian Mahajani Mahj Malayalam Mand Mandaic Mani Manichaean Marc Marchen Masaram_Gondi Meetei_Mayek Mend Mende_Kikakui Merc Mero Meroitic_Cursive Meroitic_Hieroglyphs Miao Mlym Modi Mong Mongolian Mro Mroo Mtei Mult Multani Myanmar Mymr Nabataean Narb Nbat New_Tai_Lue Newa Nko Nkoo Nshu Nushu Ogam Ogham Ol_Chiki Olck Old_Hungarian Old_Italic Old_North_Arabian Old_Permic Old_Persian Old_South_Arabian Old_Turkic Oriya Orkh Orya Osage Osge Osma Osmanya Pahawh_Hmong Palm Palmyrene Pau_Cin_Hau Pauc Perm Phag Phags_Pa Phli Phlp Phnx Phoenician Plrd Prti Psalter_Pahlavi Qaac Qaai Rejang Rjng Runic Runr Samaritan Samr Sarb Saur Saurashtra Sgnw Sharada Shavian Shaw Shrd Sidd Siddham SignWriting Sind Sinh Sinhala Sora Sora_Sompeng Soyo Soyombo Sund Sundanese Sylo Syloti_Nagri Syrc Syriac Tagalog Tagb Tagbanwa Tai_Le Tai_Tham Tai_Viet Takr Takri Tale Talu Tamil Taml Tang Tangut Tavt Telu Telugu Tfng Tglg Thaa Thaana Thai Tibetan Tibt Tifinagh Tirh Tirhuta Ugar Ugaritic Vai Vaii Wara Warang_Citi Xpeo Xsux Yi Yiii Zanabazar_Square Zanb Zinh Zyyy", "Dogr Dogra Gong Gunjala_Gondi Hanifi_Rohingya Maka Makasar Medefaidrin Medf Old_Sogdian Rohg Sogd Sogdian Sogo", "Elym Elymaic Hmnp Nand Nandinagari Nyiakeng_Puachue_Hmong Wancho Wcho", "Chorasmian Chrs Diak Dives_Akuru Khitan_Small_Script Kits Yezi Yezidi", "Cpmn Cypro_Minoan Old_Uyghur Ougr Tangsa Tnsa Toto Vith Vithkuqi", "Hrkt Katakana_Or_Hiragana Kawi Nag_Mundari Nagm Unknown Zzzz", "", "");
    var binPropertySets = new DataSet("AHex ASCII ASCII_Hex_Digit Alpha Alphabetic Any Assigned Bidi_C Bidi_Control Bidi_M Bidi_Mirrored CI CWCF CWCM CWKCF CWL CWT CWU Case_Ignorable Cased Changes_When_Casefolded Changes_When_Casemapped Changes_When_Lowercased Changes_When_NFKC_Casefolded Changes_When_Titlecased Changes_When_Uppercased DI Dash Default_Ignorable_Code_Point Dep Deprecated Dia Diacritic Emoji Emoji_Component Emoji_Modifier Emoji_Modifier_Base Emoji_Presentation Ext Extender Gr_Base Gr_Ext Grapheme_Base Grapheme_Extend Hex Hex_Digit IDC IDS IDSB IDST IDS_Binary_Operator IDS_Trinary_Operator ID_Continue ID_Start Ideo Ideographic Join_C Join_Control LOE Logical_Order_Exception Lower Lowercase Math NChar Noncharacter_Code_Point Pat_Syn Pat_WS Pattern_Syntax Pattern_White_Space QMark Quotation_Mark RI Radical Regional_Indicator SD STerm Sentence_Terminal Soft_Dotted Term Terminal_Punctuation UIdeo Unified_Ideograph Upper Uppercase VS Variation_Selector White_Space XIDC XIDS XID_Continue XID_Start space", "Extended_Pictographic", "", "EBase EComp EMod EPres ExtPict", "", "", "", "");
    var binPropertyOfStringsSets = new DataSet("", "", "", "", "", "", "Basic_Emoji Emoji_Keycap_Sequence RGI_Emoji RGI_Emoji_Flag_Sequence RGI_Emoji_Modifier_Sequence RGI_Emoji_Tag_Sequence RGI_Emoji_ZWJ_Sequence", "");
    function isValidUnicodeProperty(version, name, value) {
      if (gcNameSet.has(name)) {
        return version >= 2018 && gcValueSets.es2018.has(value);
      }
      if (scNameSet.has(name)) {
        return version >= 2018 && scValueSets.es2018.has(value) || version >= 2019 && scValueSets.es2019.has(value) || version >= 2020 && scValueSets.es2020.has(value) || version >= 2021 && scValueSets.es2021.has(value) || version >= 2022 && scValueSets.es2022.has(value) || version >= 2023 && scValueSets.es2023.has(value);
      }
      return false;
    }
    function isValidLoneUnicodeProperty(version, value) {
      return version >= 2018 && binPropertySets.es2018.has(value) || version >= 2019 && binPropertySets.es2019.has(value) || version >= 2021 && binPropertySets.es2021.has(value);
    }
    function isValidLoneUnicodePropertyOfString(version, value) {
      return version >= 2024 && binPropertyOfStringsSets.es2024.has(value);
    }
    var BACKSPACE = 8;
    var CHARACTER_TABULATION = 9;
    var LINE_FEED = 10;
    var LINE_TABULATION = 11;
    var FORM_FEED = 12;
    var CARRIAGE_RETURN = 13;
    var EXCLAMATION_MARK = 33;
    var NUMBER_SIGN = 35;
    var DOLLAR_SIGN = 36;
    var PERCENT_SIGN = 37;
    var AMPERSAND = 38;
    var LEFT_PARENTHESIS = 40;
    var RIGHT_PARENTHESIS = 41;
    var ASTERISK = 42;
    var PLUS_SIGN = 43;
    var COMMA = 44;
    var HYPHEN_MINUS = 45;
    var FULL_STOP = 46;
    var SOLIDUS = 47;
    var DIGIT_ZERO = 48;
    var DIGIT_ONE = 49;
    var DIGIT_SEVEN = 55;
    var DIGIT_NINE = 57;
    var COLON = 58;
    var SEMICOLON = 59;
    var LESS_THAN_SIGN = 60;
    var EQUALS_SIGN = 61;
    var GREATER_THAN_SIGN = 62;
    var QUESTION_MARK = 63;
    var COMMERCIAL_AT = 64;
    var LATIN_CAPITAL_LETTER_A = 65;
    var LATIN_CAPITAL_LETTER_B = 66;
    var LATIN_CAPITAL_LETTER_D = 68;
    var LATIN_CAPITAL_LETTER_F = 70;
    var LATIN_CAPITAL_LETTER_P = 80;
    var LATIN_CAPITAL_LETTER_S = 83;
    var LATIN_CAPITAL_LETTER_W = 87;
    var LATIN_CAPITAL_LETTER_Z = 90;
    var LOW_LINE = 95;
    var LATIN_SMALL_LETTER_A = 97;
    var LATIN_SMALL_LETTER_B = 98;
    var LATIN_SMALL_LETTER_C = 99;
    var LATIN_SMALL_LETTER_D = 100;
    var LATIN_SMALL_LETTER_F = 102;
    var LATIN_SMALL_LETTER_G = 103;
    var LATIN_SMALL_LETTER_I = 105;
    var LATIN_SMALL_LETTER_K = 107;
    var LATIN_SMALL_LETTER_M = 109;
    var LATIN_SMALL_LETTER_N = 110;
    var LATIN_SMALL_LETTER_P = 112;
    var LATIN_SMALL_LETTER_Q = 113;
    var LATIN_SMALL_LETTER_R = 114;
    var LATIN_SMALL_LETTER_S = 115;
    var LATIN_SMALL_LETTER_T = 116;
    var LATIN_SMALL_LETTER_U = 117;
    var LATIN_SMALL_LETTER_V = 118;
    var LATIN_SMALL_LETTER_W = 119;
    var LATIN_SMALL_LETTER_X = 120;
    var LATIN_SMALL_LETTER_Y = 121;
    var LATIN_SMALL_LETTER_Z = 122;
    var LEFT_SQUARE_BRACKET = 91;
    var REVERSE_SOLIDUS = 92;
    var RIGHT_SQUARE_BRACKET = 93;
    var CIRCUMFLEX_ACCENT = 94;
    var GRAVE_ACCENT = 96;
    var LEFT_CURLY_BRACKET = 123;
    var VERTICAL_LINE = 124;
    var RIGHT_CURLY_BRACKET = 125;
    var TILDE = 126;
    var ZERO_WIDTH_NON_JOINER = 8204;
    var ZERO_WIDTH_JOINER = 8205;
    var LINE_SEPARATOR = 8232;
    var PARAGRAPH_SEPARATOR = 8233;
    var MIN_CODE_POINT = 0;
    var MAX_CODE_POINT = 1114111;
    function isLatinLetter(code) {
      return code >= LATIN_CAPITAL_LETTER_A && code <= LATIN_CAPITAL_LETTER_Z || code >= LATIN_SMALL_LETTER_A && code <= LATIN_SMALL_LETTER_Z;
    }
    function isDecimalDigit(code) {
      return code >= DIGIT_ZERO && code <= DIGIT_NINE;
    }
    function isOctalDigit(code) {
      return code >= DIGIT_ZERO && code <= DIGIT_SEVEN;
    }
    function isHexDigit(code) {
      return code >= DIGIT_ZERO && code <= DIGIT_NINE || code >= LATIN_CAPITAL_LETTER_A && code <= LATIN_CAPITAL_LETTER_F || code >= LATIN_SMALL_LETTER_A && code <= LATIN_SMALL_LETTER_F;
    }
    function isLineTerminator(code) {
      return code === LINE_FEED || code === CARRIAGE_RETURN || code === LINE_SEPARATOR || code === PARAGRAPH_SEPARATOR;
    }
    function isValidUnicode(code) {
      return code >= MIN_CODE_POINT && code <= MAX_CODE_POINT;
    }
    function digitToInt(code) {
      if (code >= LATIN_SMALL_LETTER_A && code <= LATIN_SMALL_LETTER_F) {
        return code - LATIN_SMALL_LETTER_A + 10;
      }
      if (code >= LATIN_CAPITAL_LETTER_A && code <= LATIN_CAPITAL_LETTER_F) {
        return code - LATIN_CAPITAL_LETTER_A + 10;
      }
      return code - DIGIT_ZERO;
    }
    function isLeadSurrogate(code) {
      return code >= 55296 && code <= 56319;
    }
    function isTrailSurrogate(code) {
      return code >= 56320 && code <= 57343;
    }
    function combineSurrogatePair(lead, trail) {
      return (lead - 55296) * 1024 + (trail - 56320) + 65536;
    }
    var legacyImpl = {
      at(s, end, i) {
        return i < end ? s.charCodeAt(i) : -1;
      },
      width(c) {
        return 1;
      }
    };
    var unicodeImpl = {
      at(s, end, i) {
        return i < end ? s.codePointAt(i) : -1;
      },
      width(c) {
        return c > 65535 ? 2 : 1;
      }
    };
    var Reader = class {
      constructor() {
        this._impl = legacyImpl;
        this._s = "";
        this._i = 0;
        this._end = 0;
        this._cp1 = -1;
        this._w1 = 1;
        this._cp2 = -1;
        this._w2 = 1;
        this._cp3 = -1;
        this._w3 = 1;
        this._cp4 = -1;
      }
      get source() {
        return this._s;
      }
      get index() {
        return this._i;
      }
      get currentCodePoint() {
        return this._cp1;
      }
      get nextCodePoint() {
        return this._cp2;
      }
      get nextCodePoint2() {
        return this._cp3;
      }
      get nextCodePoint3() {
        return this._cp4;
      }
      reset(source, start, end, uFlag) {
        this._impl = uFlag ? unicodeImpl : legacyImpl;
        this._s = source;
        this._end = end;
        this.rewind(start);
      }
      rewind(index) {
        const impl = this._impl;
        this._i = index;
        this._cp1 = impl.at(this._s, this._end, index);
        this._w1 = impl.width(this._cp1);
        this._cp2 = impl.at(this._s, this._end, index + this._w1);
        this._w2 = impl.width(this._cp2);
        this._cp3 = impl.at(this._s, this._end, index + this._w1 + this._w2);
        this._w3 = impl.width(this._cp3);
        this._cp4 = impl.at(this._s, this._end, index + this._w1 + this._w2 + this._w3);
      }
      advance() {
        if (this._cp1 !== -1) {
          const impl = this._impl;
          this._i += this._w1;
          this._cp1 = this._cp2;
          this._w1 = this._w2;
          this._cp2 = this._cp3;
          this._w2 = impl.width(this._cp2);
          this._cp3 = this._cp4;
          this._w3 = impl.width(this._cp3);
          this._cp4 = impl.at(this._s, this._end, this._i + this._w1 + this._w2 + this._w3);
        }
      }
      eat(cp) {
        if (this._cp1 === cp) {
          this.advance();
          return true;
        }
        return false;
      }
      eat2(cp1, cp2) {
        if (this._cp1 === cp1 && this._cp2 === cp2) {
          this.advance();
          this.advance();
          return true;
        }
        return false;
      }
      eat3(cp1, cp2, cp3) {
        if (this._cp1 === cp1 && this._cp2 === cp2 && this._cp3 === cp3) {
          this.advance();
          this.advance();
          this.advance();
          return true;
        }
        return false;
      }
    };
    var RegExpSyntaxError = class extends SyntaxError {
      constructor(message, index) {
        super(message);
        this.index = index;
      }
    };
    function newRegExpSyntaxError(srcCtx, flags, index, message) {
      let source = "";
      if (srcCtx.kind === "literal") {
        const literal = srcCtx.source.slice(srcCtx.start, srcCtx.end);
        if (literal) {
          source = `: ${literal}`;
        }
      } else if (srcCtx.kind === "pattern") {
        const pattern = srcCtx.source.slice(srcCtx.start, srcCtx.end);
        const flagsText = `${flags.unicode ? "u" : ""}${flags.unicodeSets ? "v" : ""}`;
        source = `: /${pattern}/${flagsText}`;
      }
      return new RegExpSyntaxError(`Invalid regular expression${source}: ${message}`, index);
    }
    var SYNTAX_CHARACTER = /* @__PURE__ */ new Set([
      CIRCUMFLEX_ACCENT,
      DOLLAR_SIGN,
      REVERSE_SOLIDUS,
      FULL_STOP,
      ASTERISK,
      PLUS_SIGN,
      QUESTION_MARK,
      LEFT_PARENTHESIS,
      RIGHT_PARENTHESIS,
      LEFT_SQUARE_BRACKET,
      RIGHT_SQUARE_BRACKET,
      LEFT_CURLY_BRACKET,
      RIGHT_CURLY_BRACKET,
      VERTICAL_LINE
    ]);
    var CLASS_SET_RESERVED_DOUBLE_PUNCTUATOR_CHARACTER = /* @__PURE__ */ new Set([
      AMPERSAND,
      EXCLAMATION_MARK,
      NUMBER_SIGN,
      DOLLAR_SIGN,
      PERCENT_SIGN,
      ASTERISK,
      PLUS_SIGN,
      COMMA,
      FULL_STOP,
      COLON,
      SEMICOLON,
      LESS_THAN_SIGN,
      EQUALS_SIGN,
      GREATER_THAN_SIGN,
      QUESTION_MARK,
      COMMERCIAL_AT,
      CIRCUMFLEX_ACCENT,
      GRAVE_ACCENT,
      TILDE
    ]);
    var CLASS_SET_SYNTAX_CHARACTER = /* @__PURE__ */ new Set([
      LEFT_PARENTHESIS,
      RIGHT_PARENTHESIS,
      LEFT_SQUARE_BRACKET,
      RIGHT_SQUARE_BRACKET,
      LEFT_CURLY_BRACKET,
      RIGHT_CURLY_BRACKET,
      SOLIDUS,
      HYPHEN_MINUS,
      REVERSE_SOLIDUS,
      VERTICAL_LINE
    ]);
    var CLASS_SET_RESERVED_PUNCTUATOR = /* @__PURE__ */ new Set([
      AMPERSAND,
      HYPHEN_MINUS,
      EXCLAMATION_MARK,
      NUMBER_SIGN,
      PERCENT_SIGN,
      COMMA,
      COLON,
      SEMICOLON,
      LESS_THAN_SIGN,
      EQUALS_SIGN,
      GREATER_THAN_SIGN,
      COMMERCIAL_AT,
      GRAVE_ACCENT,
      TILDE
    ]);
    function isSyntaxCharacter(cp) {
      return SYNTAX_CHARACTER.has(cp);
    }
    function isClassSetReservedDoublePunctuatorCharacter(cp) {
      return CLASS_SET_RESERVED_DOUBLE_PUNCTUATOR_CHARACTER.has(cp);
    }
    function isClassSetSyntaxCharacter(cp) {
      return CLASS_SET_SYNTAX_CHARACTER.has(cp);
    }
    function isClassSetReservedPunctuator(cp) {
      return CLASS_SET_RESERVED_PUNCTUATOR.has(cp);
    }
    function isIdentifierStartChar(cp) {
      return isIdStart(cp) || cp === DOLLAR_SIGN || cp === LOW_LINE;
    }
    function isIdentifierPartChar(cp) {
      return isIdContinue(cp) || cp === DOLLAR_SIGN || cp === ZERO_WIDTH_NON_JOINER || cp === ZERO_WIDTH_JOINER;
    }
    function isUnicodePropertyNameCharacter(cp) {
      return isLatinLetter(cp) || cp === LOW_LINE;
    }
    function isUnicodePropertyValueCharacter(cp) {
      return isUnicodePropertyNameCharacter(cp) || isDecimalDigit(cp);
    }
    var RegExpValidator = class {
      constructor(options) {
        this._reader = new Reader();
        this._unicodeMode = false;
        this._unicodeSetsMode = false;
        this._nFlag = false;
        this._lastIntValue = 0;
        this._lastRange = {
          min: 0,
          max: Number.POSITIVE_INFINITY
        };
        this._lastStrValue = "";
        this._lastAssertionIsQuantifiable = false;
        this._numCapturingParens = 0;
        this._groupNames = /* @__PURE__ */ new Set();
        this._backreferenceNames = /* @__PURE__ */ new Set();
        this._srcCtx = null;
        this._options = options !== null && options !== void 0 ? options : {};
      }
      validateLiteral(source, start = 0, end = source.length) {
        this._srcCtx = { source, start, end, kind: "literal" };
        this._unicodeSetsMode = this._unicodeMode = this._nFlag = false;
        this.reset(source, start, end);
        this.onLiteralEnter(start);
        if (this.eat(SOLIDUS) && this.eatRegExpBody() && this.eat(SOLIDUS)) {
          const flagStart = this.index;
          const unicode = source.includes("u", flagStart);
          const unicodeSets = source.includes("v", flagStart);
          this.validateFlagsInternal(source, flagStart, end);
          this.validatePatternInternal(source, start + 1, flagStart - 1, {
            unicode,
            unicodeSets
          });
        } else if (start >= end) {
          this.raise("Empty");
        } else {
          const c = String.fromCodePoint(this.currentCodePoint);
          this.raise(`Unexpected character '${c}'`);
        }
        this.onLiteralLeave(start, end);
      }
      validateFlags(source, start = 0, end = source.length) {
        this._srcCtx = { source, start, end, kind: "flags" };
        this.validateFlagsInternal(source, start, end);
      }
      validatePattern(source, start = 0, end = source.length, uFlagOrFlags = void 0) {
        this._srcCtx = { source, start, end, kind: "pattern" };
        this.validatePatternInternal(source, start, end, uFlagOrFlags);
      }
      validatePatternInternal(source, start = 0, end = source.length, uFlagOrFlags = void 0) {
        const mode = this._parseFlagsOptionToMode(uFlagOrFlags, end);
        this._unicodeMode = mode.unicodeMode;
        this._nFlag = mode.nFlag;
        this._unicodeSetsMode = mode.unicodeSetsMode;
        this.reset(source, start, end);
        this.consumePattern();
        if (!this._nFlag && this.ecmaVersion >= 2018 && this._groupNames.size > 0) {
          this._nFlag = true;
          this.rewind(start);
          this.consumePattern();
        }
      }
      validateFlagsInternal(source, start, end) {
        const existingFlags = /* @__PURE__ */ new Set();
        let global2 = false;
        let ignoreCase = false;
        let multiline = false;
        let sticky = false;
        let unicode = false;
        let dotAll = false;
        let hasIndices = false;
        let unicodeSets = false;
        for (let i = start; i < end; ++i) {
          const flag = source.charCodeAt(i);
          if (existingFlags.has(flag)) {
            this.raise(`Duplicated flag '${source[i]}'`, { index: start });
          }
          existingFlags.add(flag);
          if (flag === LATIN_SMALL_LETTER_G) {
            global2 = true;
          } else if (flag === LATIN_SMALL_LETTER_I) {
            ignoreCase = true;
          } else if (flag === LATIN_SMALL_LETTER_M) {
            multiline = true;
          } else if (flag === LATIN_SMALL_LETTER_U && this.ecmaVersion >= 2015) {
            unicode = true;
          } else if (flag === LATIN_SMALL_LETTER_Y && this.ecmaVersion >= 2015) {
            sticky = true;
          } else if (flag === LATIN_SMALL_LETTER_S && this.ecmaVersion >= 2018) {
            dotAll = true;
          } else if (flag === LATIN_SMALL_LETTER_D && this.ecmaVersion >= 2022) {
            hasIndices = true;
          } else if (flag === LATIN_SMALL_LETTER_V && this.ecmaVersion >= 2024) {
            unicodeSets = true;
          } else {
            this.raise(`Invalid flag '${source[i]}'`, { index: start });
          }
        }
        this.onRegExpFlags(start, end, {
          global: global2,
          ignoreCase,
          multiline,
          unicode,
          sticky,
          dotAll,
          hasIndices,
          unicodeSets
        });
      }
      _parseFlagsOptionToMode(uFlagOrFlags, sourceEnd) {
        let unicode = false;
        let unicodeSets = false;
        if (uFlagOrFlags && this.ecmaVersion >= 2015) {
          if (typeof uFlagOrFlags === "object") {
            unicode = Boolean(uFlagOrFlags.unicode);
            if (this.ecmaVersion >= 2024) {
              unicodeSets = Boolean(uFlagOrFlags.unicodeSets);
            }
          } else {
            unicode = uFlagOrFlags;
          }
        }
        if (unicode && unicodeSets) {
          this.raise("Invalid regular expression flags", {
            index: sourceEnd + 1,
            unicode,
            unicodeSets
          });
        }
        const unicodeMode = unicode || unicodeSets;
        const nFlag = unicode && this.ecmaVersion >= 2018 || unicodeSets || Boolean(this._options.strict && this.ecmaVersion >= 2023);
        const unicodeSetsMode = unicodeSets;
        return { unicodeMode, nFlag, unicodeSetsMode };
      }
      get strict() {
        return Boolean(this._options.strict) || this._unicodeMode;
      }
      get ecmaVersion() {
        var _a;
        return (_a = this._options.ecmaVersion) !== null && _a !== void 0 ? _a : latestEcmaVersion;
      }
      onLiteralEnter(start) {
        if (this._options.onLiteralEnter) {
          this._options.onLiteralEnter(start);
        }
      }
      onLiteralLeave(start, end) {
        if (this._options.onLiteralLeave) {
          this._options.onLiteralLeave(start, end);
        }
      }
      onRegExpFlags(start, end, flags) {
        if (this._options.onRegExpFlags) {
          this._options.onRegExpFlags(start, end, flags);
        }
        if (this._options.onFlags) {
          this._options.onFlags(start, end, flags.global, flags.ignoreCase, flags.multiline, flags.unicode, flags.sticky, flags.dotAll, flags.hasIndices);
        }
      }
      onPatternEnter(start) {
        if (this._options.onPatternEnter) {
          this._options.onPatternEnter(start);
        }
      }
      onPatternLeave(start, end) {
        if (this._options.onPatternLeave) {
          this._options.onPatternLeave(start, end);
        }
      }
      onDisjunctionEnter(start) {
        if (this._options.onDisjunctionEnter) {
          this._options.onDisjunctionEnter(start);
        }
      }
      onDisjunctionLeave(start, end) {
        if (this._options.onDisjunctionLeave) {
          this._options.onDisjunctionLeave(start, end);
        }
      }
      onAlternativeEnter(start, index) {
        if (this._options.onAlternativeEnter) {
          this._options.onAlternativeEnter(start, index);
        }
      }
      onAlternativeLeave(start, end, index) {
        if (this._options.onAlternativeLeave) {
          this._options.onAlternativeLeave(start, end, index);
        }
      }
      onGroupEnter(start) {
        if (this._options.onGroupEnter) {
          this._options.onGroupEnter(start);
        }
      }
      onGroupLeave(start, end) {
        if (this._options.onGroupLeave) {
          this._options.onGroupLeave(start, end);
        }
      }
      onCapturingGroupEnter(start, name) {
        if (this._options.onCapturingGroupEnter) {
          this._options.onCapturingGroupEnter(start, name);
        }
      }
      onCapturingGroupLeave(start, end, name) {
        if (this._options.onCapturingGroupLeave) {
          this._options.onCapturingGroupLeave(start, end, name);
        }
      }
      onQuantifier(start, end, min, max, greedy) {
        if (this._options.onQuantifier) {
          this._options.onQuantifier(start, end, min, max, greedy);
        }
      }
      onLookaroundAssertionEnter(start, kind, negate2) {
        if (this._options.onLookaroundAssertionEnter) {
          this._options.onLookaroundAssertionEnter(start, kind, negate2);
        }
      }
      onLookaroundAssertionLeave(start, end, kind, negate2) {
        if (this._options.onLookaroundAssertionLeave) {
          this._options.onLookaroundAssertionLeave(start, end, kind, negate2);
        }
      }
      onEdgeAssertion(start, end, kind) {
        if (this._options.onEdgeAssertion) {
          this._options.onEdgeAssertion(start, end, kind);
        }
      }
      onWordBoundaryAssertion(start, end, kind, negate2) {
        if (this._options.onWordBoundaryAssertion) {
          this._options.onWordBoundaryAssertion(start, end, kind, negate2);
        }
      }
      onAnyCharacterSet(start, end, kind) {
        if (this._options.onAnyCharacterSet) {
          this._options.onAnyCharacterSet(start, end, kind);
        }
      }
      onEscapeCharacterSet(start, end, kind, negate2) {
        if (this._options.onEscapeCharacterSet) {
          this._options.onEscapeCharacterSet(start, end, kind, negate2);
        }
      }
      onUnicodePropertyCharacterSet(start, end, kind, key, value, negate2, strings) {
        if (this._options.onUnicodePropertyCharacterSet) {
          this._options.onUnicodePropertyCharacterSet(start, end, kind, key, value, negate2, strings);
        }
      }
      onCharacter(start, end, value) {
        if (this._options.onCharacter) {
          this._options.onCharacter(start, end, value);
        }
      }
      onBackreference(start, end, ref) {
        if (this._options.onBackreference) {
          this._options.onBackreference(start, end, ref);
        }
      }
      onCharacterClassEnter(start, negate2, unicodeSets) {
        if (this._options.onCharacterClassEnter) {
          this._options.onCharacterClassEnter(start, negate2, unicodeSets);
        }
      }
      onCharacterClassLeave(start, end, negate2) {
        if (this._options.onCharacterClassLeave) {
          this._options.onCharacterClassLeave(start, end, negate2);
        }
      }
      onCharacterClassRange(start, end, min, max) {
        if (this._options.onCharacterClassRange) {
          this._options.onCharacterClassRange(start, end, min, max);
        }
      }
      onClassIntersection(start, end) {
        if (this._options.onClassIntersection) {
          this._options.onClassIntersection(start, end);
        }
      }
      onClassSubtraction(start, end) {
        if (this._options.onClassSubtraction) {
          this._options.onClassSubtraction(start, end);
        }
      }
      onClassStringDisjunctionEnter(start) {
        if (this._options.onClassStringDisjunctionEnter) {
          this._options.onClassStringDisjunctionEnter(start);
        }
      }
      onClassStringDisjunctionLeave(start, end) {
        if (this._options.onClassStringDisjunctionLeave) {
          this._options.onClassStringDisjunctionLeave(start, end);
        }
      }
      onStringAlternativeEnter(start, index) {
        if (this._options.onStringAlternativeEnter) {
          this._options.onStringAlternativeEnter(start, index);
        }
      }
      onStringAlternativeLeave(start, end, index) {
        if (this._options.onStringAlternativeLeave) {
          this._options.onStringAlternativeLeave(start, end, index);
        }
      }
      get index() {
        return this._reader.index;
      }
      get currentCodePoint() {
        return this._reader.currentCodePoint;
      }
      get nextCodePoint() {
        return this._reader.nextCodePoint;
      }
      get nextCodePoint2() {
        return this._reader.nextCodePoint2;
      }
      get nextCodePoint3() {
        return this._reader.nextCodePoint3;
      }
      reset(source, start, end) {
        this._reader.reset(source, start, end, this._unicodeMode);
      }
      rewind(index) {
        this._reader.rewind(index);
      }
      advance() {
        this._reader.advance();
      }
      eat(cp) {
        return this._reader.eat(cp);
      }
      eat2(cp1, cp2) {
        return this._reader.eat2(cp1, cp2);
      }
      eat3(cp1, cp2, cp3) {
        return this._reader.eat3(cp1, cp2, cp3);
      }
      raise(message, context) {
        var _a, _b, _c;
        throw newRegExpSyntaxError(this._srcCtx, {
          unicode: (_a = context === null || context === void 0 ? void 0 : context.unicode) !== null && _a !== void 0 ? _a : this._unicodeMode && !this._unicodeSetsMode,
          unicodeSets: (_b = context === null || context === void 0 ? void 0 : context.unicodeSets) !== null && _b !== void 0 ? _b : this._unicodeSetsMode
        }, (_c = context === null || context === void 0 ? void 0 : context.index) !== null && _c !== void 0 ? _c : this.index, message);
      }
      eatRegExpBody() {
        const start = this.index;
        let inClass = false;
        let escaped = false;
        for (; ; ) {
          const cp = this.currentCodePoint;
          if (cp === -1 || isLineTerminator(cp)) {
            const kind = inClass ? "character class" : "regular expression";
            this.raise(`Unterminated ${kind}`);
          }
          if (escaped) {
            escaped = false;
          } else if (cp === REVERSE_SOLIDUS) {
            escaped = true;
          } else if (cp === LEFT_SQUARE_BRACKET) {
            inClass = true;
          } else if (cp === RIGHT_SQUARE_BRACKET) {
            inClass = false;
          } else if (cp === SOLIDUS && !inClass || cp === ASTERISK && this.index === start) {
            break;
          }
          this.advance();
        }
        return this.index !== start;
      }
      consumePattern() {
        const start = this.index;
        this._numCapturingParens = this.countCapturingParens();
        this._groupNames.clear();
        this._backreferenceNames.clear();
        this.onPatternEnter(start);
        this.consumeDisjunction();
        const cp = this.currentCodePoint;
        if (this.currentCodePoint !== -1) {
          if (cp === RIGHT_PARENTHESIS) {
            this.raise("Unmatched ')'");
          }
          if (cp === REVERSE_SOLIDUS) {
            this.raise("\\ at end of pattern");
          }
          if (cp === RIGHT_SQUARE_BRACKET || cp === RIGHT_CURLY_BRACKET) {
            this.raise("Lone quantifier brackets");
          }
          const c = String.fromCodePoint(cp);
          this.raise(`Unexpected character '${c}'`);
        }
        for (const name of this._backreferenceNames) {
          if (!this._groupNames.has(name)) {
            this.raise("Invalid named capture referenced");
          }
        }
        this.onPatternLeave(start, this.index);
      }
      countCapturingParens() {
        const start = this.index;
        let inClass = false;
        let escaped = false;
        let count = 0;
        let cp = 0;
        while ((cp = this.currentCodePoint) !== -1) {
          if (escaped) {
            escaped = false;
          } else if (cp === REVERSE_SOLIDUS) {
            escaped = true;
          } else if (cp === LEFT_SQUARE_BRACKET) {
            inClass = true;
          } else if (cp === RIGHT_SQUARE_BRACKET) {
            inClass = false;
          } else if (cp === LEFT_PARENTHESIS && !inClass && (this.nextCodePoint !== QUESTION_MARK || this.nextCodePoint2 === LESS_THAN_SIGN && this.nextCodePoint3 !== EQUALS_SIGN && this.nextCodePoint3 !== EXCLAMATION_MARK)) {
            count += 1;
          }
          this.advance();
        }
        this.rewind(start);
        return count;
      }
      consumeDisjunction() {
        const start = this.index;
        let i = 0;
        this.onDisjunctionEnter(start);
        do {
          this.consumeAlternative(i++);
        } while (this.eat(VERTICAL_LINE));
        if (this.consumeQuantifier(true)) {
          this.raise("Nothing to repeat");
        }
        if (this.eat(LEFT_CURLY_BRACKET)) {
          this.raise("Lone quantifier brackets");
        }
        this.onDisjunctionLeave(start, this.index);
      }
      consumeAlternative(i) {
        const start = this.index;
        this.onAlternativeEnter(start, i);
        while (this.currentCodePoint !== -1 && this.consumeTerm()) {
        }
        this.onAlternativeLeave(start, this.index, i);
      }
      consumeTerm() {
        if (this._unicodeMode || this.strict) {
          return this.consumeAssertion() || this.consumeAtom() && this.consumeOptionalQuantifier();
        }
        return this.consumeAssertion() && (!this._lastAssertionIsQuantifiable || this.consumeOptionalQuantifier()) || this.consumeExtendedAtom() && this.consumeOptionalQuantifier();
      }
      consumeOptionalQuantifier() {
        this.consumeQuantifier();
        return true;
      }
      consumeAssertion() {
        const start = this.index;
        this._lastAssertionIsQuantifiable = false;
        if (this.eat(CIRCUMFLEX_ACCENT)) {
          this.onEdgeAssertion(start, this.index, "start");
          return true;
        }
        if (this.eat(DOLLAR_SIGN)) {
          this.onEdgeAssertion(start, this.index, "end");
          return true;
        }
        if (this.eat2(REVERSE_SOLIDUS, LATIN_CAPITAL_LETTER_B)) {
          this.onWordBoundaryAssertion(start, this.index, "word", true);
          return true;
        }
        if (this.eat2(REVERSE_SOLIDUS, LATIN_SMALL_LETTER_B)) {
          this.onWordBoundaryAssertion(start, this.index, "word", false);
          return true;
        }
        if (this.eat2(LEFT_PARENTHESIS, QUESTION_MARK)) {
          const lookbehind = this.ecmaVersion >= 2018 && this.eat(LESS_THAN_SIGN);
          let negate2 = false;
          if (this.eat(EQUALS_SIGN) || (negate2 = this.eat(EXCLAMATION_MARK))) {
            const kind = lookbehind ? "lookbehind" : "lookahead";
            this.onLookaroundAssertionEnter(start, kind, negate2);
            this.consumeDisjunction();
            if (!this.eat(RIGHT_PARENTHESIS)) {
              this.raise("Unterminated group");
            }
            this._lastAssertionIsQuantifiable = !lookbehind && !this.strict;
            this.onLookaroundAssertionLeave(start, this.index, kind, negate2);
            return true;
          }
          this.rewind(start);
        }
        return false;
      }
      consumeQuantifier(noConsume = false) {
        const start = this.index;
        let min = 0;
        let max = 0;
        let greedy = false;
        if (this.eat(ASTERISK)) {
          min = 0;
          max = Number.POSITIVE_INFINITY;
        } else if (this.eat(PLUS_SIGN)) {
          min = 1;
          max = Number.POSITIVE_INFINITY;
        } else if (this.eat(QUESTION_MARK)) {
          min = 0;
          max = 1;
        } else if (this.eatBracedQuantifier(noConsume)) {
          ({ min, max } = this._lastRange);
        } else {
          return false;
        }
        greedy = !this.eat(QUESTION_MARK);
        if (!noConsume) {
          this.onQuantifier(start, this.index, min, max, greedy);
        }
        return true;
      }
      eatBracedQuantifier(noError) {
        const start = this.index;
        if (this.eat(LEFT_CURLY_BRACKET)) {
          if (this.eatDecimalDigits()) {
            const min = this._lastIntValue;
            let max = min;
            if (this.eat(COMMA)) {
              max = this.eatDecimalDigits() ? this._lastIntValue : Number.POSITIVE_INFINITY;
            }
            if (this.eat(RIGHT_CURLY_BRACKET)) {
              if (!noError && max < min) {
                this.raise("numbers out of order in {} quantifier");
              }
              this._lastRange = { min, max };
              return true;
            }
          }
          if (!noError && (this._unicodeMode || this.strict)) {
            this.raise("Incomplete quantifier");
          }
          this.rewind(start);
        }
        return false;
      }
      consumeAtom() {
        return this.consumePatternCharacter() || this.consumeDot() || this.consumeReverseSolidusAtomEscape() || Boolean(this.consumeCharacterClass()) || this.consumeUncapturingGroup() || this.consumeCapturingGroup();
      }
      consumeDot() {
        if (this.eat(FULL_STOP)) {
          this.onAnyCharacterSet(this.index - 1, this.index, "any");
          return true;
        }
        return false;
      }
      consumeReverseSolidusAtomEscape() {
        const start = this.index;
        if (this.eat(REVERSE_SOLIDUS)) {
          if (this.consumeAtomEscape()) {
            return true;
          }
          this.rewind(start);
        }
        return false;
      }
      consumeUncapturingGroup() {
        const start = this.index;
        if (this.eat3(LEFT_PARENTHESIS, QUESTION_MARK, COLON)) {
          this.onGroupEnter(start);
          this.consumeDisjunction();
          if (!this.eat(RIGHT_PARENTHESIS)) {
            this.raise("Unterminated group");
          }
          this.onGroupLeave(start, this.index);
          return true;
        }
        return false;
      }
      consumeCapturingGroup() {
        const start = this.index;
        if (this.eat(LEFT_PARENTHESIS)) {
          let name = null;
          if (this.ecmaVersion >= 2018) {
            if (this.consumeGroupSpecifier()) {
              name = this._lastStrValue;
            }
          } else if (this.currentCodePoint === QUESTION_MARK) {
            this.raise("Invalid group");
          }
          this.onCapturingGroupEnter(start, name);
          this.consumeDisjunction();
          if (!this.eat(RIGHT_PARENTHESIS)) {
            this.raise("Unterminated group");
          }
          this.onCapturingGroupLeave(start, this.index, name);
          return true;
        }
        return false;
      }
      consumeExtendedAtom() {
        return this.consumeDot() || this.consumeReverseSolidusAtomEscape() || this.consumeReverseSolidusFollowedByC() || Boolean(this.consumeCharacterClass()) || this.consumeUncapturingGroup() || this.consumeCapturingGroup() || this.consumeInvalidBracedQuantifier() || this.consumeExtendedPatternCharacter();
      }
      consumeReverseSolidusFollowedByC() {
        const start = this.index;
        if (this.currentCodePoint === REVERSE_SOLIDUS && this.nextCodePoint === LATIN_SMALL_LETTER_C) {
          this._lastIntValue = this.currentCodePoint;
          this.advance();
          this.onCharacter(start, this.index, REVERSE_SOLIDUS);
          return true;
        }
        return false;
      }
      consumeInvalidBracedQuantifier() {
        if (this.eatBracedQuantifier(true)) {
          this.raise("Nothing to repeat");
        }
        return false;
      }
      consumePatternCharacter() {
        const start = this.index;
        const cp = this.currentCodePoint;
        if (cp !== -1 && !isSyntaxCharacter(cp)) {
          this.advance();
          this.onCharacter(start, this.index, cp);
          return true;
        }
        return false;
      }
      consumeExtendedPatternCharacter() {
        const start = this.index;
        const cp = this.currentCodePoint;
        if (cp !== -1 && cp !== CIRCUMFLEX_ACCENT && cp !== DOLLAR_SIGN && cp !== REVERSE_SOLIDUS && cp !== FULL_STOP && cp !== ASTERISK && cp !== PLUS_SIGN && cp !== QUESTION_MARK && cp !== LEFT_PARENTHESIS && cp !== RIGHT_PARENTHESIS && cp !== LEFT_SQUARE_BRACKET && cp !== VERTICAL_LINE) {
          this.advance();
          this.onCharacter(start, this.index, cp);
          return true;
        }
        return false;
      }
      consumeGroupSpecifier() {
        if (this.eat(QUESTION_MARK)) {
          if (this.eatGroupName()) {
            if (!this._groupNames.has(this._lastStrValue)) {
              this._groupNames.add(this._lastStrValue);
              return true;
            }
            this.raise("Duplicate capture group name");
          }
          this.raise("Invalid group");
        }
        return false;
      }
      consumeAtomEscape() {
        if (this.consumeBackreference() || this.consumeCharacterClassEscape() || this.consumeCharacterEscape() || this._nFlag && this.consumeKGroupName()) {
          return true;
        }
        if (this.strict || this._unicodeMode) {
          this.raise("Invalid escape");
        }
        return false;
      }
      consumeBackreference() {
        const start = this.index;
        if (this.eatDecimalEscape()) {
          const n = this._lastIntValue;
          if (n <= this._numCapturingParens) {
            this.onBackreference(start - 1, this.index, n);
            return true;
          }
          if (this.strict || this._unicodeMode) {
            this.raise("Invalid escape");
          }
          this.rewind(start);
        }
        return false;
      }
      consumeCharacterClassEscape() {
        var _a;
        const start = this.index;
        if (this.eat(LATIN_SMALL_LETTER_D)) {
          this._lastIntValue = -1;
          this.onEscapeCharacterSet(start - 1, this.index, "digit", false);
          return {};
        }
        if (this.eat(LATIN_CAPITAL_LETTER_D)) {
          this._lastIntValue = -1;
          this.onEscapeCharacterSet(start - 1, this.index, "digit", true);
          return {};
        }
        if (this.eat(LATIN_SMALL_LETTER_S)) {
          this._lastIntValue = -1;
          this.onEscapeCharacterSet(start - 1, this.index, "space", false);
          return {};
        }
        if (this.eat(LATIN_CAPITAL_LETTER_S)) {
          this._lastIntValue = -1;
          this.onEscapeCharacterSet(start - 1, this.index, "space", true);
          return {};
        }
        if (this.eat(LATIN_SMALL_LETTER_W)) {
          this._lastIntValue = -1;
          this.onEscapeCharacterSet(start - 1, this.index, "word", false);
          return {};
        }
        if (this.eat(LATIN_CAPITAL_LETTER_W)) {
          this._lastIntValue = -1;
          this.onEscapeCharacterSet(start - 1, this.index, "word", true);
          return {};
        }
        let negate2 = false;
        if (this._unicodeMode && this.ecmaVersion >= 2018 && (this.eat(LATIN_SMALL_LETTER_P) || (negate2 = this.eat(LATIN_CAPITAL_LETTER_P)))) {
          this._lastIntValue = -1;
          let result = null;
          if (this.eat(LEFT_CURLY_BRACKET) && (result = this.eatUnicodePropertyValueExpression()) && this.eat(RIGHT_CURLY_BRACKET)) {
            if (negate2 && result.strings) {
              this.raise("Invalid property name");
            }
            this.onUnicodePropertyCharacterSet(start - 1, this.index, "property", result.key, result.value, negate2, (_a = result.strings) !== null && _a !== void 0 ? _a : false);
            return { mayContainStrings: result.strings };
          }
          this.raise("Invalid property name");
        }
        return null;
      }
      consumeCharacterEscape() {
        const start = this.index;
        if (this.eatControlEscape() || this.eatCControlLetter() || this.eatZero() || this.eatHexEscapeSequence() || this.eatRegExpUnicodeEscapeSequence() || !this.strict && !this._unicodeMode && this.eatLegacyOctalEscapeSequence() || this.eatIdentityEscape()) {
          this.onCharacter(start - 1, this.index, this._lastIntValue);
          return true;
        }
        return false;
      }
      consumeKGroupName() {
        const start = this.index;
        if (this.eat(LATIN_SMALL_LETTER_K)) {
          if (this.eatGroupName()) {
            const groupName = this._lastStrValue;
            this._backreferenceNames.add(groupName);
            this.onBackreference(start - 1, this.index, groupName);
            return true;
          }
          this.raise("Invalid named reference");
        }
        return false;
      }
      consumeCharacterClass() {
        const start = this.index;
        if (this.eat(LEFT_SQUARE_BRACKET)) {
          const negate2 = this.eat(CIRCUMFLEX_ACCENT);
          this.onCharacterClassEnter(start, negate2, this._unicodeSetsMode);
          const result = this.consumeClassContents();
          if (!this.eat(RIGHT_SQUARE_BRACKET)) {
            if (this.currentCodePoint === -1) {
              this.raise("Unterminated character class");
            }
            this.raise("Invalid character in character class");
          }
          if (negate2 && result.mayContainStrings) {
            this.raise("Negated character class may contain strings");
          }
          this.onCharacterClassLeave(start, this.index, negate2);
          return result;
        }
        return null;
      }
      consumeClassContents() {
        if (this._unicodeSetsMode) {
          if (this.currentCodePoint === RIGHT_SQUARE_BRACKET) {
            return {};
          }
          const result = this.consumeClassSetExpression();
          return result;
        }
        const strict = this.strict || this._unicodeMode;
        for (; ; ) {
          const rangeStart = this.index;
          if (!this.consumeClassAtom()) {
            break;
          }
          const min = this._lastIntValue;
          if (!this.eat(HYPHEN_MINUS)) {
            continue;
          }
          this.onCharacter(this.index - 1, this.index, HYPHEN_MINUS);
          if (!this.consumeClassAtom()) {
            break;
          }
          const max = this._lastIntValue;
          if (min === -1 || max === -1) {
            if (strict) {
              this.raise("Invalid character class");
            }
            continue;
          }
          if (min > max) {
            this.raise("Range out of order in character class");
          }
          this.onCharacterClassRange(rangeStart, this.index, min, max);
        }
        return {};
      }
      consumeClassAtom() {
        const start = this.index;
        const cp = this.currentCodePoint;
        if (cp !== -1 && cp !== REVERSE_SOLIDUS && cp !== RIGHT_SQUARE_BRACKET) {
          this.advance();
          this._lastIntValue = cp;
          this.onCharacter(start, this.index, this._lastIntValue);
          return true;
        }
        if (this.eat(REVERSE_SOLIDUS)) {
          if (this.consumeClassEscape()) {
            return true;
          }
          if (!this.strict && this.currentCodePoint === LATIN_SMALL_LETTER_C) {
            this._lastIntValue = REVERSE_SOLIDUS;
            this.onCharacter(start, this.index, this._lastIntValue);
            return true;
          }
          if (this.strict || this._unicodeMode) {
            this.raise("Invalid escape");
          }
          this.rewind(start);
        }
        return false;
      }
      consumeClassEscape() {
        const start = this.index;
        if (this.eat(LATIN_SMALL_LETTER_B)) {
          this._lastIntValue = BACKSPACE;
          this.onCharacter(start - 1, this.index, this._lastIntValue);
          return true;
        }
        if (this._unicodeMode && this.eat(HYPHEN_MINUS)) {
          this._lastIntValue = HYPHEN_MINUS;
          this.onCharacter(start - 1, this.index, this._lastIntValue);
          return true;
        }
        let cp = 0;
        if (!this.strict && !this._unicodeMode && this.currentCodePoint === LATIN_SMALL_LETTER_C && (isDecimalDigit(cp = this.nextCodePoint) || cp === LOW_LINE)) {
          this.advance();
          this.advance();
          this._lastIntValue = cp % 32;
          this.onCharacter(start - 1, this.index, this._lastIntValue);
          return true;
        }
        return Boolean(this.consumeCharacterClassEscape()) || this.consumeCharacterEscape();
      }
      consumeClassSetExpression() {
        const start = this.index;
        let mayContainStrings = false;
        let result = null;
        if (this.consumeClassSetCharacter()) {
          if (this.consumeClassSetRangeFromOperator(start)) {
            this.consumeClassUnionRight({});
            return {};
          }
          mayContainStrings = false;
        } else if (result = this.consumeClassSetOperand()) {
          mayContainStrings = result.mayContainStrings;
        } else {
          const cp = this.currentCodePoint;
          if (cp === REVERSE_SOLIDUS) {
            this.advance();
            this.raise("Invalid escape");
          }
          if (cp === this.nextCodePoint && isClassSetReservedDoublePunctuatorCharacter(cp)) {
            this.raise("Invalid set operation in character class");
          }
          this.raise("Invalid character in character class");
        }
        if (this.eat2(AMPERSAND, AMPERSAND)) {
          while (this.currentCodePoint !== AMPERSAND && (result = this.consumeClassSetOperand())) {
            this.onClassIntersection(start, this.index);
            if (!result.mayContainStrings) {
              mayContainStrings = false;
            }
            if (this.eat2(AMPERSAND, AMPERSAND)) {
              continue;
            }
            return { mayContainStrings };
          }
          this.raise("Invalid character in character class");
        }
        if (this.eat2(HYPHEN_MINUS, HYPHEN_MINUS)) {
          while (this.consumeClassSetOperand()) {
            this.onClassSubtraction(start, this.index);
            if (this.eat2(HYPHEN_MINUS, HYPHEN_MINUS)) {
              continue;
            }
            return { mayContainStrings };
          }
          this.raise("Invalid character in character class");
        }
        return this.consumeClassUnionRight({ mayContainStrings });
      }
      consumeClassUnionRight(leftResult) {
        let mayContainStrings = leftResult.mayContainStrings;
        for (; ; ) {
          const start = this.index;
          if (this.consumeClassSetCharacter()) {
            this.consumeClassSetRangeFromOperator(start);
            continue;
          }
          const result = this.consumeClassSetOperand();
          if (result) {
            if (result.mayContainStrings) {
              mayContainStrings = true;
            }
            continue;
          }
          break;
        }
        return { mayContainStrings };
      }
      consumeClassSetRangeFromOperator(start) {
        const currentStart = this.index;
        const min = this._lastIntValue;
        if (this.eat(HYPHEN_MINUS)) {
          if (this.consumeClassSetCharacter()) {
            const max = this._lastIntValue;
            if (min === -1 || max === -1) {
              this.raise("Invalid character class");
            }
            if (min > max) {
              this.raise("Range out of order in character class");
            }
            this.onCharacterClassRange(start, this.index, min, max);
            return true;
          }
          this.rewind(currentStart);
        }
        return false;
      }
      consumeClassSetOperand() {
        let result = null;
        if (result = this.consumeNestedClass()) {
          return result;
        }
        if (result = this.consumeClassStringDisjunction()) {
          return result;
        }
        if (this.consumeClassSetCharacter()) {
          return {};
        }
        return null;
      }
      consumeNestedClass() {
        const start = this.index;
        if (this.eat(LEFT_SQUARE_BRACKET)) {
          const negate2 = this.eat(CIRCUMFLEX_ACCENT);
          this.onCharacterClassEnter(start, negate2, true);
          const result = this.consumeClassContents();
          if (!this.eat(RIGHT_SQUARE_BRACKET)) {
            this.raise("Unterminated character class");
          }
          if (negate2 && result.mayContainStrings) {
            this.raise("Negated character class may contain strings");
          }
          this.onCharacterClassLeave(start, this.index, negate2);
          return result;
        }
        if (this.eat(REVERSE_SOLIDUS)) {
          const result = this.consumeCharacterClassEscape();
          if (result) {
            return result;
          }
          this.rewind(start);
        }
        return null;
      }
      consumeClassStringDisjunction() {
        const start = this.index;
        if (this.eat3(REVERSE_SOLIDUS, LATIN_SMALL_LETTER_Q, LEFT_CURLY_BRACKET)) {
          this.onClassStringDisjunctionEnter(start);
          let i = 0;
          let mayContainStrings = false;
          do {
            if (this.consumeClassString(i++).mayContainStrings) {
              mayContainStrings = true;
            }
          } while (this.eat(VERTICAL_LINE));
          if (this.eat(RIGHT_CURLY_BRACKET)) {
            this.onClassStringDisjunctionLeave(start, this.index);
            return { mayContainStrings };
          }
          this.raise("Unterminated class string disjunction");
        }
        return null;
      }
      consumeClassString(i) {
        const start = this.index;
        let count = 0;
        this.onStringAlternativeEnter(start, i);
        while (this.currentCodePoint !== -1 && this.consumeClassSetCharacter()) {
          count++;
        }
        this.onStringAlternativeLeave(start, this.index, i);
        return { mayContainStrings: count !== 1 };
      }
      consumeClassSetCharacter() {
        const start = this.index;
        const cp = this.currentCodePoint;
        if (cp !== this.nextCodePoint || !isClassSetReservedDoublePunctuatorCharacter(cp)) {
          if (cp !== -1 && !isClassSetSyntaxCharacter(cp)) {
            this._lastIntValue = cp;
            this.advance();
            this.onCharacter(start, this.index, this._lastIntValue);
            return true;
          }
        }
        if (this.eat(REVERSE_SOLIDUS)) {
          if (this.consumeCharacterEscape()) {
            return true;
          }
          if (isClassSetReservedPunctuator(this.currentCodePoint)) {
            this._lastIntValue = this.currentCodePoint;
            this.advance();
            this.onCharacter(start, this.index, this._lastIntValue);
            return true;
          }
          if (this.eat(LATIN_SMALL_LETTER_B)) {
            this._lastIntValue = BACKSPACE;
            this.onCharacter(start, this.index, this._lastIntValue);
            return true;
          }
          this.rewind(start);
        }
        return false;
      }
      eatGroupName() {
        if (this.eat(LESS_THAN_SIGN)) {
          if (this.eatRegExpIdentifierName() && this.eat(GREATER_THAN_SIGN)) {
            return true;
          }
          this.raise("Invalid capture group name");
        }
        return false;
      }
      eatRegExpIdentifierName() {
        if (this.eatRegExpIdentifierStart()) {
          this._lastStrValue = String.fromCodePoint(this._lastIntValue);
          while (this.eatRegExpIdentifierPart()) {
            this._lastStrValue += String.fromCodePoint(this._lastIntValue);
          }
          return true;
        }
        return false;
      }
      eatRegExpIdentifierStart() {
        const start = this.index;
        const forceUFlag = !this._unicodeMode && this.ecmaVersion >= 2020;
        let cp = this.currentCodePoint;
        this.advance();
        if (cp === REVERSE_SOLIDUS && this.eatRegExpUnicodeEscapeSequence(forceUFlag)) {
          cp = this._lastIntValue;
        } else if (forceUFlag && isLeadSurrogate(cp) && isTrailSurrogate(this.currentCodePoint)) {
          cp = combineSurrogatePair(cp, this.currentCodePoint);
          this.advance();
        }
        if (isIdentifierStartChar(cp)) {
          this._lastIntValue = cp;
          return true;
        }
        if (this.index !== start) {
          this.rewind(start);
        }
        return false;
      }
      eatRegExpIdentifierPart() {
        const start = this.index;
        const forceUFlag = !this._unicodeMode && this.ecmaVersion >= 2020;
        let cp = this.currentCodePoint;
        this.advance();
        if (cp === REVERSE_SOLIDUS && this.eatRegExpUnicodeEscapeSequence(forceUFlag)) {
          cp = this._lastIntValue;
        } else if (forceUFlag && isLeadSurrogate(cp) && isTrailSurrogate(this.currentCodePoint)) {
          cp = combineSurrogatePair(cp, this.currentCodePoint);
          this.advance();
        }
        if (isIdentifierPartChar(cp)) {
          this._lastIntValue = cp;
          return true;
        }
        if (this.index !== start) {
          this.rewind(start);
        }
        return false;
      }
      eatCControlLetter() {
        const start = this.index;
        if (this.eat(LATIN_SMALL_LETTER_C)) {
          if (this.eatControlLetter()) {
            return true;
          }
          this.rewind(start);
        }
        return false;
      }
      eatZero() {
        if (this.currentCodePoint === DIGIT_ZERO && !isDecimalDigit(this.nextCodePoint)) {
          this._lastIntValue = 0;
          this.advance();
          return true;
        }
        return false;
      }
      eatControlEscape() {
        if (this.eat(LATIN_SMALL_LETTER_F)) {
          this._lastIntValue = FORM_FEED;
          return true;
        }
        if (this.eat(LATIN_SMALL_LETTER_N)) {
          this._lastIntValue = LINE_FEED;
          return true;
        }
        if (this.eat(LATIN_SMALL_LETTER_R)) {
          this._lastIntValue = CARRIAGE_RETURN;
          return true;
        }
        if (this.eat(LATIN_SMALL_LETTER_T)) {
          this._lastIntValue = CHARACTER_TABULATION;
          return true;
        }
        if (this.eat(LATIN_SMALL_LETTER_V)) {
          this._lastIntValue = LINE_TABULATION;
          return true;
        }
        return false;
      }
      eatControlLetter() {
        const cp = this.currentCodePoint;
        if (isLatinLetter(cp)) {
          this.advance();
          this._lastIntValue = cp % 32;
          return true;
        }
        return false;
      }
      eatRegExpUnicodeEscapeSequence(forceUFlag = false) {
        const start = this.index;
        const uFlag = forceUFlag || this._unicodeMode;
        if (this.eat(LATIN_SMALL_LETTER_U)) {
          if (uFlag && this.eatRegExpUnicodeSurrogatePairEscape() || this.eatFixedHexDigits(4) || uFlag && this.eatRegExpUnicodeCodePointEscape()) {
            return true;
          }
          if (this.strict || uFlag) {
            this.raise("Invalid unicode escape");
          }
          this.rewind(start);
        }
        return false;
      }
      eatRegExpUnicodeSurrogatePairEscape() {
        const start = this.index;
        if (this.eatFixedHexDigits(4)) {
          const lead = this._lastIntValue;
          if (isLeadSurrogate(lead) && this.eat(REVERSE_SOLIDUS) && this.eat(LATIN_SMALL_LETTER_U) && this.eatFixedHexDigits(4)) {
            const trail = this._lastIntValue;
            if (isTrailSurrogate(trail)) {
              this._lastIntValue = combineSurrogatePair(lead, trail);
              return true;
            }
          }
          this.rewind(start);
        }
        return false;
      }
      eatRegExpUnicodeCodePointEscape() {
        const start = this.index;
        if (this.eat(LEFT_CURLY_BRACKET) && this.eatHexDigits() && this.eat(RIGHT_CURLY_BRACKET) && isValidUnicode(this._lastIntValue)) {
          return true;
        }
        this.rewind(start);
        return false;
      }
      eatIdentityEscape() {
        const cp = this.currentCodePoint;
        if (this.isValidIdentityEscape(cp)) {
          this._lastIntValue = cp;
          this.advance();
          return true;
        }
        return false;
      }
      isValidIdentityEscape(cp) {
        if (cp === -1) {
          return false;
        }
        if (this._unicodeMode) {
          return isSyntaxCharacter(cp) || cp === SOLIDUS;
        }
        if (this.strict) {
          return !isIdContinue(cp);
        }
        if (this._nFlag) {
          return !(cp === LATIN_SMALL_LETTER_C || cp === LATIN_SMALL_LETTER_K);
        }
        return cp !== LATIN_SMALL_LETTER_C;
      }
      eatDecimalEscape() {
        this._lastIntValue = 0;
        let cp = this.currentCodePoint;
        if (cp >= DIGIT_ONE && cp <= DIGIT_NINE) {
          do {
            this._lastIntValue = 10 * this._lastIntValue + (cp - DIGIT_ZERO);
            this.advance();
          } while ((cp = this.currentCodePoint) >= DIGIT_ZERO && cp <= DIGIT_NINE);
          return true;
        }
        return false;
      }
      eatUnicodePropertyValueExpression() {
        const start = this.index;
        if (this.eatUnicodePropertyName() && this.eat(EQUALS_SIGN)) {
          const key = this._lastStrValue;
          if (this.eatUnicodePropertyValue()) {
            const value = this._lastStrValue;
            if (isValidUnicodeProperty(this.ecmaVersion, key, value)) {
              return {
                key,
                value: value || null
              };
            }
            this.raise("Invalid property name");
          }
        }
        this.rewind(start);
        if (this.eatLoneUnicodePropertyNameOrValue()) {
          const nameOrValue = this._lastStrValue;
          if (isValidUnicodeProperty(this.ecmaVersion, "General_Category", nameOrValue)) {
            return {
              key: "General_Category",
              value: nameOrValue || null
            };
          }
          if (isValidLoneUnicodeProperty(this.ecmaVersion, nameOrValue)) {
            return {
              key: nameOrValue,
              value: null
            };
          }
          if (this._unicodeSetsMode && isValidLoneUnicodePropertyOfString(this.ecmaVersion, nameOrValue)) {
            return {
              key: nameOrValue,
              value: null,
              strings: true
            };
          }
          this.raise("Invalid property name");
        }
        return null;
      }
      eatUnicodePropertyName() {
        this._lastStrValue = "";
        while (isUnicodePropertyNameCharacter(this.currentCodePoint)) {
          this._lastStrValue += String.fromCodePoint(this.currentCodePoint);
          this.advance();
        }
        return this._lastStrValue !== "";
      }
      eatUnicodePropertyValue() {
        this._lastStrValue = "";
        while (isUnicodePropertyValueCharacter(this.currentCodePoint)) {
          this._lastStrValue += String.fromCodePoint(this.currentCodePoint);
          this.advance();
        }
        return this._lastStrValue !== "";
      }
      eatLoneUnicodePropertyNameOrValue() {
        return this.eatUnicodePropertyValue();
      }
      eatHexEscapeSequence() {
        const start = this.index;
        if (this.eat(LATIN_SMALL_LETTER_X)) {
          if (this.eatFixedHexDigits(2)) {
            return true;
          }
          if (this._unicodeMode || this.strict) {
            this.raise("Invalid escape");
          }
          this.rewind(start);
        }
        return false;
      }
      eatDecimalDigits() {
        const start = this.index;
        this._lastIntValue = 0;
        while (isDecimalDigit(this.currentCodePoint)) {
          this._lastIntValue = 10 * this._lastIntValue + digitToInt(this.currentCodePoint);
          this.advance();
        }
        return this.index !== start;
      }
      eatHexDigits() {
        const start = this.index;
        this._lastIntValue = 0;
        while (isHexDigit(this.currentCodePoint)) {
          this._lastIntValue = 16 * this._lastIntValue + digitToInt(this.currentCodePoint);
          this.advance();
        }
        return this.index !== start;
      }
      eatLegacyOctalEscapeSequence() {
        if (this.eatOctalDigit()) {
          const n1 = this._lastIntValue;
          if (this.eatOctalDigit()) {
            const n2 = this._lastIntValue;
            if (n1 <= 3 && this.eatOctalDigit()) {
              this._lastIntValue = n1 * 64 + n2 * 8 + this._lastIntValue;
            } else {
              this._lastIntValue = n1 * 8 + n2;
            }
          } else {
            this._lastIntValue = n1;
          }
          return true;
        }
        return false;
      }
      eatOctalDigit() {
        const cp = this.currentCodePoint;
        if (isOctalDigit(cp)) {
          this.advance();
          this._lastIntValue = cp - DIGIT_ZERO;
          return true;
        }
        this._lastIntValue = 0;
        return false;
      }
      eatFixedHexDigits(length) {
        const start = this.index;
        this._lastIntValue = 0;
        for (let i = 0; i < length; ++i) {
          const cp = this.currentCodePoint;
          if (!isHexDigit(cp)) {
            this.rewind(start);
            return false;
          }
          this._lastIntValue = 16 * this._lastIntValue + digitToInt(cp);
          this.advance();
        }
        return true;
      }
    };
    var DUMMY_PATTERN = {};
    var DUMMY_FLAGS = {};
    var DUMMY_CAPTURING_GROUP = {};
    function isClassSetOperand(node) {
      return node.type === "Character" || node.type === "CharacterSet" || node.type === "CharacterClass" || node.type === "ExpressionCharacterClass" || node.type === "ClassStringDisjunction";
    }
    var RegExpParserState = class {
      constructor(options) {
        var _a;
        this._node = DUMMY_PATTERN;
        this._expressionBufferMap = /* @__PURE__ */ new Map();
        this._flags = DUMMY_FLAGS;
        this._backreferences = [];
        this._capturingGroups = [];
        this.source = "";
        this.strict = Boolean(options === null || options === void 0 ? void 0 : options.strict);
        this.ecmaVersion = (_a = options === null || options === void 0 ? void 0 : options.ecmaVersion) !== null && _a !== void 0 ? _a : latestEcmaVersion;
      }
      get pattern() {
        if (this._node.type !== "Pattern") {
          throw new Error("UnknownError");
        }
        return this._node;
      }
      get flags() {
        if (this._flags.type !== "Flags") {
          throw new Error("UnknownError");
        }
        return this._flags;
      }
      onRegExpFlags(start, end, { global: global2, ignoreCase, multiline, unicode, sticky, dotAll, hasIndices, unicodeSets }) {
        this._flags = {
          type: "Flags",
          parent: null,
          start,
          end,
          raw: this.source.slice(start, end),
          global: global2,
          ignoreCase,
          multiline,
          unicode,
          sticky,
          dotAll,
          hasIndices,
          unicodeSets
        };
      }
      onPatternEnter(start) {
        this._node = {
          type: "Pattern",
          parent: null,
          start,
          end: start,
          raw: "",
          alternatives: []
        };
        this._backreferences.length = 0;
        this._capturingGroups.length = 0;
      }
      onPatternLeave(start, end) {
        this._node.end = end;
        this._node.raw = this.source.slice(start, end);
        for (const reference of this._backreferences) {
          const ref = reference.ref;
          const group = typeof ref === "number" ? this._capturingGroups[ref - 1] : this._capturingGroups.find((g) => g.name === ref);
          reference.resolved = group;
          group.references.push(reference);
        }
      }
      onAlternativeEnter(start) {
        const parent = this._node;
        if (parent.type !== "Assertion" && parent.type !== "CapturingGroup" && parent.type !== "Group" && parent.type !== "Pattern") {
          throw new Error("UnknownError");
        }
        this._node = {
          type: "Alternative",
          parent,
          start,
          end: start,
          raw: "",
          elements: []
        };
        parent.alternatives.push(this._node);
      }
      onAlternativeLeave(start, end) {
        const node = this._node;
        if (node.type !== "Alternative") {
          throw new Error("UnknownError");
        }
        node.end = end;
        node.raw = this.source.slice(start, end);
        this._node = node.parent;
      }
      onGroupEnter(start) {
        const parent = this._node;
        if (parent.type !== "Alternative") {
          throw new Error("UnknownError");
        }
        this._node = {
          type: "Group",
          parent,
          start,
          end: start,
          raw: "",
          alternatives: []
        };
        parent.elements.push(this._node);
      }
      onGroupLeave(start, end) {
        const node = this._node;
        if (node.type !== "Group" || node.parent.type !== "Alternative") {
          throw new Error("UnknownError");
        }
        node.end = end;
        node.raw = this.source.slice(start, end);
        this._node = node.parent;
      }
      onCapturingGroupEnter(start, name) {
        const parent = this._node;
        if (parent.type !== "Alternative") {
          throw new Error("UnknownError");
        }
        this._node = {
          type: "CapturingGroup",
          parent,
          start,
          end: start,
          raw: "",
          name,
          alternatives: [],
          references: []
        };
        parent.elements.push(this._node);
        this._capturingGroups.push(this._node);
      }
      onCapturingGroupLeave(start, end) {
        const node = this._node;
        if (node.type !== "CapturingGroup" || node.parent.type !== "Alternative") {
          throw new Error("UnknownError");
        }
        node.end = end;
        node.raw = this.source.slice(start, end);
        this._node = node.parent;
      }
      onQuantifier(start, end, min, max, greedy) {
        const parent = this._node;
        if (parent.type !== "Alternative") {
          throw new Error("UnknownError");
        }
        const element = parent.elements.pop();
        if (element == null || element.type === "Quantifier" || element.type === "Assertion" && element.kind !== "lookahead") {
          throw new Error("UnknownError");
        }
        const node = {
          type: "Quantifier",
          parent,
          start: element.start,
          end,
          raw: this.source.slice(element.start, end),
          min,
          max,
          greedy,
          element
        };
        parent.elements.push(node);
        element.parent = node;
      }
      onLookaroundAssertionEnter(start, kind, negate2) {
        const parent = this._node;
        if (parent.type !== "Alternative") {
          throw new Error("UnknownError");
        }
        const node = this._node = {
          type: "Assertion",
          parent,
          start,
          end: start,
          raw: "",
          kind,
          negate: negate2,
          alternatives: []
        };
        parent.elements.push(node);
      }
      onLookaroundAssertionLeave(start, end) {
        const node = this._node;
        if (node.type !== "Assertion" || node.parent.type !== "Alternative") {
          throw new Error("UnknownError");
        }
        node.end = end;
        node.raw = this.source.slice(start, end);
        this._node = node.parent;
      }
      onEdgeAssertion(start, end, kind) {
        const parent = this._node;
        if (parent.type !== "Alternative") {
          throw new Error("UnknownError");
        }
        parent.elements.push({
          type: "Assertion",
          parent,
          start,
          end,
          raw: this.source.slice(start, end),
          kind
        });
      }
      onWordBoundaryAssertion(start, end, kind, negate2) {
        const parent = this._node;
        if (parent.type !== "Alternative") {
          throw new Error("UnknownError");
        }
        parent.elements.push({
          type: "Assertion",
          parent,
          start,
          end,
          raw: this.source.slice(start, end),
          kind,
          negate: negate2
        });
      }
      onAnyCharacterSet(start, end, kind) {
        const parent = this._node;
        if (parent.type !== "Alternative") {
          throw new Error("UnknownError");
        }
        parent.elements.push({
          type: "CharacterSet",
          parent,
          start,
          end,
          raw: this.source.slice(start, end),
          kind
        });
      }
      onEscapeCharacterSet(start, end, kind, negate2) {
        const parent = this._node;
        if (parent.type !== "Alternative" && parent.type !== "CharacterClass") {
          throw new Error("UnknownError");
        }
        parent.elements.push({
          type: "CharacterSet",
          parent,
          start,
          end,
          raw: this.source.slice(start, end),
          kind,
          negate: negate2
        });
      }
      onUnicodePropertyCharacterSet(start, end, kind, key, value, negate2, strings) {
        const parent = this._node;
        if (parent.type !== "Alternative" && parent.type !== "CharacterClass") {
          throw new Error("UnknownError");
        }
        const base = {
          type: "CharacterSet",
          parent: null,
          start,
          end,
          raw: this.source.slice(start, end),
          kind,
          strings: null,
          key
        };
        if (strings) {
          if (parent.type === "CharacterClass" && !parent.unicodeSets || negate2 || value !== null) {
            throw new Error("UnknownError");
          }
          parent.elements.push(Object.assign(Object.assign({}, base), { parent, strings, value, negate: negate2 }));
        } else {
          parent.elements.push(Object.assign(Object.assign({}, base), { parent, strings, value, negate: negate2 }));
        }
      }
      onCharacter(start, end, value) {
        const parent = this._node;
        if (parent.type !== "Alternative" && parent.type !== "CharacterClass" && parent.type !== "StringAlternative") {
          throw new Error("UnknownError");
        }
        parent.elements.push({
          type: "Character",
          parent,
          start,
          end,
          raw: this.source.slice(start, end),
          value
        });
      }
      onBackreference(start, end, ref) {
        const parent = this._node;
        if (parent.type !== "Alternative") {
          throw new Error("UnknownError");
        }
        const node = {
          type: "Backreference",
          parent,
          start,
          end,
          raw: this.source.slice(start, end),
          ref,
          resolved: DUMMY_CAPTURING_GROUP
        };
        parent.elements.push(node);
        this._backreferences.push(node);
      }
      onCharacterClassEnter(start, negate2, unicodeSets) {
        const parent = this._node;
        const base = {
          type: "CharacterClass",
          parent,
          start,
          end: start,
          raw: "",
          unicodeSets,
          negate: negate2,
          elements: []
        };
        if (parent.type === "Alternative") {
          const node = Object.assign(Object.assign({}, base), { parent });
          this._node = node;
          parent.elements.push(node);
        } else if (parent.type === "CharacterClass" && parent.unicodeSets && unicodeSets) {
          const node = Object.assign(Object.assign({}, base), {
            parent,
            unicodeSets
          });
          this._node = node;
          parent.elements.push(node);
        } else {
          throw new Error("UnknownError");
        }
      }
      onCharacterClassLeave(start, end) {
        const node = this._node;
        if (node.type !== "CharacterClass" || node.parent.type !== "Alternative" && node.parent.type !== "CharacterClass") {
          throw new Error("UnknownError");
        }
        const parent = node.parent;
        node.end = end;
        node.raw = this.source.slice(start, end);
        this._node = parent;
        const expression = this._expressionBufferMap.get(node);
        if (!expression) {
          return;
        }
        if (node.elements.length > 0) {
          throw new Error("UnknownError");
        }
        this._expressionBufferMap.delete(node);
        const newNode = {
          type: "ExpressionCharacterClass",
          parent,
          start: node.start,
          end: node.end,
          raw: node.raw,
          negate: node.negate,
          expression
        };
        expression.parent = newNode;
        if (node !== parent.elements.pop()) {
          throw new Error("UnknownError");
        }
        parent.elements.push(newNode);
      }
      onCharacterClassRange(start, end) {
        const parent = this._node;
        if (parent.type !== "CharacterClass") {
          throw new Error("UnknownError");
        }
        const elements = parent.elements;
        const max = elements.pop();
        if (!max || max.type !== "Character") {
          throw new Error("UnknownError");
        }
        if (!parent.unicodeSets) {
          const hyphen = elements.pop();
          if (!hyphen || hyphen.type !== "Character" || hyphen.value !== HYPHEN_MINUS) {
            throw new Error("UnknownError");
          }
        }
        const min = elements.pop();
        if (!min || min.type !== "Character") {
          throw new Error("UnknownError");
        }
        const node = {
          type: "CharacterClassRange",
          parent,
          start,
          end,
          raw: this.source.slice(start, end),
          min,
          max
        };
        min.parent = node;
        max.parent = node;
        elements.push(node);
      }
      onClassIntersection(start, end) {
        var _a;
        const parent = this._node;
        if (parent.type !== "CharacterClass" || !parent.unicodeSets) {
          throw new Error("UnknownError");
        }
        const right = parent.elements.pop();
        const left = (_a = this._expressionBufferMap.get(parent)) !== null && _a !== void 0 ? _a : parent.elements.pop();
        if (!left || !right || left.type === "ClassSubtraction" || left.type !== "ClassIntersection" && !isClassSetOperand(left) || !isClassSetOperand(right)) {
          throw new Error("UnknownError");
        }
        const node = {
          type: "ClassIntersection",
          parent,
          start,
          end,
          raw: this.source.slice(start, end),
          left,
          right
        };
        left.parent = node;
        right.parent = node;
        this._expressionBufferMap.set(parent, node);
      }
      onClassSubtraction(start, end) {
        var _a;
        const parent = this._node;
        if (parent.type !== "CharacterClass" || !parent.unicodeSets) {
          throw new Error("UnknownError");
        }
        const right = parent.elements.pop();
        const left = (_a = this._expressionBufferMap.get(parent)) !== null && _a !== void 0 ? _a : parent.elements.pop();
        if (!left || !right || left.type === "ClassIntersection" || left.type !== "ClassSubtraction" && !isClassSetOperand(left) || !isClassSetOperand(right)) {
          throw new Error("UnknownError");
        }
        const node = {
          type: "ClassSubtraction",
          parent,
          start,
          end,
          raw: this.source.slice(start, end),
          left,
          right
        };
        left.parent = node;
        right.parent = node;
        this._expressionBufferMap.set(parent, node);
      }
      onClassStringDisjunctionEnter(start) {
        const parent = this._node;
        if (parent.type !== "CharacterClass" || !parent.unicodeSets) {
          throw new Error("UnknownError");
        }
        this._node = {
          type: "ClassStringDisjunction",
          parent,
          start,
          end: start,
          raw: "",
          alternatives: []
        };
        parent.elements.push(this._node);
      }
      onClassStringDisjunctionLeave(start, end) {
        const node = this._node;
        if (node.type !== "ClassStringDisjunction" || node.parent.type !== "CharacterClass") {
          throw new Error("UnknownError");
        }
        node.end = end;
        node.raw = this.source.slice(start, end);
        this._node = node.parent;
      }
      onStringAlternativeEnter(start) {
        const parent = this._node;
        if (parent.type !== "ClassStringDisjunction") {
          throw new Error("UnknownError");
        }
        this._node = {
          type: "StringAlternative",
          parent,
          start,
          end: start,
          raw: "",
          elements: []
        };
        parent.alternatives.push(this._node);
      }
      onStringAlternativeLeave(start, end) {
        const node = this._node;
        if (node.type !== "StringAlternative") {
          throw new Error("UnknownError");
        }
        node.end = end;
        node.raw = this.source.slice(start, end);
        this._node = node.parent;
      }
    };
    var RegExpParser = class {
      constructor(options) {
        this._state = new RegExpParserState(options);
        this._validator = new RegExpValidator(this._state);
      }
      parseLiteral(source, start = 0, end = source.length) {
        this._state.source = source;
        this._validator.validateLiteral(source, start, end);
        const pattern = this._state.pattern;
        const flags = this._state.flags;
        const literal = {
          type: "RegExpLiteral",
          parent: null,
          start,
          end,
          raw: source,
          pattern,
          flags
        };
        pattern.parent = literal;
        flags.parent = literal;
        return literal;
      }
      parseFlags(source, start = 0, end = source.length) {
        this._state.source = source;
        this._validator.validateFlags(source, start, end);
        return this._state.flags;
      }
      parsePattern(source, start = 0, end = source.length, uFlagOrFlags = void 0) {
        this._state.source = source;
        this._validator.validatePattern(source, start, end, uFlagOrFlags);
        return this._state.pattern;
      }
    };
    var RegExpVisitor = class {
      constructor(handlers) {
        this._handlers = handlers;
      }
      visit(node) {
        switch (node.type) {
          case "Alternative":
            this.visitAlternative(node);
            break;
          case "Assertion":
            this.visitAssertion(node);
            break;
          case "Backreference":
            this.visitBackreference(node);
            break;
          case "CapturingGroup":
            this.visitCapturingGroup(node);
            break;
          case "Character":
            this.visitCharacter(node);
            break;
          case "CharacterClass":
            this.visitCharacterClass(node);
            break;
          case "CharacterClassRange":
            this.visitCharacterClassRange(node);
            break;
          case "CharacterSet":
            this.visitCharacterSet(node);
            break;
          case "ClassIntersection":
            this.visitClassIntersection(node);
            break;
          case "ClassStringDisjunction":
            this.visitClassStringDisjunction(node);
            break;
          case "ClassSubtraction":
            this.visitClassSubtraction(node);
            break;
          case "ExpressionCharacterClass":
            this.visitExpressionCharacterClass(node);
            break;
          case "Flags":
            this.visitFlags(node);
            break;
          case "Group":
            this.visitGroup(node);
            break;
          case "Pattern":
            this.visitPattern(node);
            break;
          case "Quantifier":
            this.visitQuantifier(node);
            break;
          case "RegExpLiteral":
            this.visitRegExpLiteral(node);
            break;
          case "StringAlternative":
            this.visitStringAlternative(node);
            break;
          default:
            throw new Error(`Unknown type: ${node.type}`);
        }
      }
      visitAlternative(node) {
        if (this._handlers.onAlternativeEnter) {
          this._handlers.onAlternativeEnter(node);
        }
        node.elements.forEach(this.visit, this);
        if (this._handlers.onAlternativeLeave) {
          this._handlers.onAlternativeLeave(node);
        }
      }
      visitAssertion(node) {
        if (this._handlers.onAssertionEnter) {
          this._handlers.onAssertionEnter(node);
        }
        if (node.kind === "lookahead" || node.kind === "lookbehind") {
          node.alternatives.forEach(this.visit, this);
        }
        if (this._handlers.onAssertionLeave) {
          this._handlers.onAssertionLeave(node);
        }
      }
      visitBackreference(node) {
        if (this._handlers.onBackreferenceEnter) {
          this._handlers.onBackreferenceEnter(node);
        }
        if (this._handlers.onBackreferenceLeave) {
          this._handlers.onBackreferenceLeave(node);
        }
      }
      visitCapturingGroup(node) {
        if (this._handlers.onCapturingGroupEnter) {
          this._handlers.onCapturingGroupEnter(node);
        }
        node.alternatives.forEach(this.visit, this);
        if (this._handlers.onCapturingGroupLeave) {
          this._handlers.onCapturingGroupLeave(node);
        }
      }
      visitCharacter(node) {
        if (this._handlers.onCharacterEnter) {
          this._handlers.onCharacterEnter(node);
        }
        if (this._handlers.onCharacterLeave) {
          this._handlers.onCharacterLeave(node);
        }
      }
      visitCharacterClass(node) {
        if (this._handlers.onCharacterClassEnter) {
          this._handlers.onCharacterClassEnter(node);
        }
        node.elements.forEach(this.visit, this);
        if (this._handlers.onCharacterClassLeave) {
          this._handlers.onCharacterClassLeave(node);
        }
      }
      visitCharacterClassRange(node) {
        if (this._handlers.onCharacterClassRangeEnter) {
          this._handlers.onCharacterClassRangeEnter(node);
        }
        this.visitCharacter(node.min);
        this.visitCharacter(node.max);
        if (this._handlers.onCharacterClassRangeLeave) {
          this._handlers.onCharacterClassRangeLeave(node);
        }
      }
      visitCharacterSet(node) {
        if (this._handlers.onCharacterSetEnter) {
          this._handlers.onCharacterSetEnter(node);
        }
        if (this._handlers.onCharacterSetLeave) {
          this._handlers.onCharacterSetLeave(node);
        }
      }
      visitClassIntersection(node) {
        if (this._handlers.onClassIntersectionEnter) {
          this._handlers.onClassIntersectionEnter(node);
        }
        this.visit(node.left);
        this.visit(node.right);
        if (this._handlers.onClassIntersectionLeave) {
          this._handlers.onClassIntersectionLeave(node);
        }
      }
      visitClassStringDisjunction(node) {
        if (this._handlers.onClassStringDisjunctionEnter) {
          this._handlers.onClassStringDisjunctionEnter(node);
        }
        node.alternatives.forEach(this.visit, this);
        if (this._handlers.onClassStringDisjunctionLeave) {
          this._handlers.onClassStringDisjunctionLeave(node);
        }
      }
      visitClassSubtraction(node) {
        if (this._handlers.onClassSubtractionEnter) {
          this._handlers.onClassSubtractionEnter(node);
        }
        this.visit(node.left);
        this.visit(node.right);
        if (this._handlers.onClassSubtractionLeave) {
          this._handlers.onClassSubtractionLeave(node);
        }
      }
      visitExpressionCharacterClass(node) {
        if (this._handlers.onExpressionCharacterClassEnter) {
          this._handlers.onExpressionCharacterClassEnter(node);
        }
        this.visit(node.expression);
        if (this._handlers.onExpressionCharacterClassLeave) {
          this._handlers.onExpressionCharacterClassLeave(node);
        }
      }
      visitFlags(node) {
        if (this._handlers.onFlagsEnter) {
          this._handlers.onFlagsEnter(node);
        }
        if (this._handlers.onFlagsLeave) {
          this._handlers.onFlagsLeave(node);
        }
      }
      visitGroup(node) {
        if (this._handlers.onGroupEnter) {
          this._handlers.onGroupEnter(node);
        }
        node.alternatives.forEach(this.visit, this);
        if (this._handlers.onGroupLeave) {
          this._handlers.onGroupLeave(node);
        }
      }
      visitPattern(node) {
        if (this._handlers.onPatternEnter) {
          this._handlers.onPatternEnter(node);
        }
        node.alternatives.forEach(this.visit, this);
        if (this._handlers.onPatternLeave) {
          this._handlers.onPatternLeave(node);
        }
      }
      visitQuantifier(node) {
        if (this._handlers.onQuantifierEnter) {
          this._handlers.onQuantifierEnter(node);
        }
        this.visit(node.element);
        if (this._handlers.onQuantifierLeave) {
          this._handlers.onQuantifierLeave(node);
        }
      }
      visitRegExpLiteral(node) {
        if (this._handlers.onRegExpLiteralEnter) {
          this._handlers.onRegExpLiteralEnter(node);
        }
        this.visitPattern(node.pattern);
        this.visitFlags(node.flags);
        if (this._handlers.onRegExpLiteralLeave) {
          this._handlers.onRegExpLiteralLeave(node);
        }
      }
      visitStringAlternative(node) {
        if (this._handlers.onStringAlternativeEnter) {
          this._handlers.onStringAlternativeEnter(node);
        }
        node.elements.forEach(this.visit, this);
        if (this._handlers.onStringAlternativeLeave) {
          this._handlers.onStringAlternativeLeave(node);
        }
      }
    };
    function parseRegExpLiteral(source, options) {
      return new RegExpParser(options).parseLiteral(String(source));
    }
    function validateRegExpLiteral(source, options) {
      new RegExpValidator(options).validateLiteral(source);
    }
    function visitRegExpAST(node, handlers) {
      new RegExpVisitor(handlers).visit(node);
    }
    exports2.AST = ast;
    exports2.RegExpParser = RegExpParser;
    exports2.RegExpSyntaxError = RegExpSyntaxError;
    exports2.RegExpValidator = RegExpValidator;
    exports2.parseRegExpLiteral = parseRegExpLiteral;
    exports2.validateRegExpLiteral = validateRegExpLiteral;
    exports2.visitRegExpAST = visitRegExpAST;
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-includes.js
var require_prefer_includes = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-includes.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var regexpp_1 = require_regexpp();
    var utils_1 = require_dist4();
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-includes",
      defaultOptions: [],
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce `includes` method over `indexOf` method",
          recommended: "strict",
          requiresTypeChecking: true
        },
        fixable: "code",
        messages: {
          preferIncludes: "Use 'includes()' method instead.",
          preferStringIncludes: "Use `String#includes()` method with a string instead."
        },
        schema: []
      },
      create(context) {
        const globalScope = context.sourceCode.getScope(context.sourceCode.ast);
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function isNumber2(node, value) {
          const evaluated = (0, util_1.getStaticValue)(node, globalScope);
          return evaluated != null && evaluated.value === value;
        }
        function isPositiveCheck(node) {
          switch (node.operator) {
            case "!==":
            case "!=":
            case ">":
              return isNumber2(node.right, -1);
            case ">=":
              return isNumber2(node.right, 0);
            default:
              return false;
          }
        }
        function isNegativeCheck(node) {
          switch (node.operator) {
            case "===":
            case "==":
            case "<=":
              return isNumber2(node.right, -1);
            case "<":
              return isNumber2(node.right, 0);
            default:
              return false;
          }
        }
        function hasSameParameters(nodeA, nodeB) {
          if (!ts.isFunctionLike(nodeA) || !ts.isFunctionLike(nodeB)) {
            return false;
          }
          const paramsA = nodeA.parameters;
          const paramsB = nodeB.parameters;
          if (paramsA.length !== paramsB.length) {
            return false;
          }
          for (let i = 0; i < paramsA.length; ++i) {
            const paramA = paramsA[i];
            const paramB = paramsB[i];
            if (paramA.getText() !== paramB.getText()) {
              return false;
            }
          }
          return true;
        }
        function parseRegExp2(node) {
          const evaluated = (0, util_1.getStaticValue)(node, globalScope);
          if (evaluated == null || !(evaluated.value instanceof RegExp)) {
            return null;
          }
          const { pattern, flags } = (0, regexpp_1.parseRegExpLiteral)(evaluated.value);
          if (pattern.alternatives.length !== 1 || flags.ignoreCase || flags.global) {
            return null;
          }
          const chars = pattern.alternatives[0].elements;
          if (!chars.every((c) => c.type === "Character")) {
            return null;
          }
          return String.fromCodePoint(...chars.map((c) => c.value));
        }
        function escapeString2(str) {
          const EscapeMap = {
            "\0": "\\0",
            "'": "\\'",
            "\\": "\\\\",
            "\n": "\\n",
            "\r": "\\r",
            "\v": "\\v",
            "	": "\\t",
            "\f": "\\f"
            // "\b" cause unexpected replacements
            // '\b': '\\b',
          };
          const replaceRegex = new RegExp(Object.values(EscapeMap).join("|"), "g");
          return str.replace(replaceRegex, (char) => EscapeMap[char]);
        }
        function checkArrayIndexOf(node, allowFixing) {
          const callNode = node.parent;
          const compareNode = callNode.parent.type === utils_1.AST_NODE_TYPES.ChainExpression ? callNode.parent.parent : callNode.parent;
          const negative = isNegativeCheck(compareNode);
          if (!negative && !isPositiveCheck(compareNode)) {
            return;
          }
          const indexofMethodDeclarations = services.getSymbolAtLocation(node.property)?.getDeclarations();
          if (indexofMethodDeclarations == null || indexofMethodDeclarations.length === 0) {
            return;
          }
          for (const instanceofMethodDecl of indexofMethodDeclarations) {
            const typeDecl = instanceofMethodDecl.parent;
            const type = checker.getTypeAtLocation(typeDecl);
            const includesMethodDecl = type.getProperty("includes")?.getDeclarations();
            if (!includesMethodDecl?.some((includesMethodDecl2) => hasSameParameters(includesMethodDecl2, instanceofMethodDecl))) {
              return;
            }
          }
          context.report({
            node: compareNode,
            messageId: "preferIncludes",
            ...allowFixing && {
              *fix(fixer) {
                if (negative) {
                  yield fixer.insertTextBefore(callNode, "!");
                }
                yield fixer.replaceText(node.property, "includes");
                yield fixer.removeRange([callNode.range[1], compareNode.range[1]]);
              }
            }
          });
        }
        return {
          // a.indexOf(b) !== 1
          "BinaryExpression > CallExpression.left > MemberExpression.callee[property.name='indexOf'][computed=false]"(node) {
            checkArrayIndexOf(
              node,
              /* allowFixing */
              true
            );
          },
          // a?.indexOf(b) !== 1
          "BinaryExpression > ChainExpression.left > CallExpression > MemberExpression.callee[property.name='indexOf'][computed=false]"(node) {
            checkArrayIndexOf(
              node,
              /* allowFixing */
              false
            );
          },
          // /bar/.test(foo)
          'CallExpression[arguments.length=1] > MemberExpression.callee[property.name="test"][computed=false]'(node) {
            const callNode = node.parent;
            const text = parseRegExp2(node.object);
            if (text == null) {
              return;
            }
            const argument = callNode.arguments[0];
            const type = (0, util_1.getConstrainedTypeAtLocation)(services, argument);
            const includesMethodDecl = type.getProperty("includes")?.getDeclarations();
            if (includesMethodDecl == null) {
              return;
            }
            context.report({
              node: callNode,
              messageId: "preferStringIncludes",
              *fix(fixer) {
                const argNode = callNode.arguments[0];
                const needsParen = argNode.type !== utils_1.AST_NODE_TYPES.Literal && argNode.type !== utils_1.AST_NODE_TYPES.TemplateLiteral && argNode.type !== utils_1.AST_NODE_TYPES.Identifier && argNode.type !== utils_1.AST_NODE_TYPES.MemberExpression && argNode.type !== utils_1.AST_NODE_TYPES.CallExpression;
                yield fixer.removeRange([callNode.range[0], argNode.range[0]]);
                yield fixer.removeRange([argNode.range[1], callNode.range[1]]);
                if (needsParen) {
                  yield fixer.insertTextBefore(argNode, "(");
                  yield fixer.insertTextAfter(argNode, ")");
                }
                yield fixer.insertTextAfter(argNode, `${node.optional ? "?." : "."}includes('${escapeString2(text)}')`);
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-literal-enum-member.js
var require_prefer_literal_enum_member = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-literal-enum-member.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-literal-enum-member",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require all enum members to be literal values",
          recommended: "strict",
          requiresTypeChecking: false
        },
        messages: {
          notLiteral: `Explicit enum value must only be a literal value (string, number, boolean, etc).`
        },
        schema: [
          {
            type: "object",
            properties: {
              allowBitwiseExpressions: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          allowBitwiseExpressions: false
        }
      ],
      create(context, [{ allowBitwiseExpressions }]) {
        function isIdentifierWithName2(node, name) {
          return node.type === utils_1.AST_NODE_TYPES.Identifier && node.name === name;
        }
        function hasEnumMember(decl, name) {
          return decl.members.some((member) => isIdentifierWithName2(member.id, name) || member.id.type === utils_1.AST_NODE_TYPES.Literal && (0, util_1.getStaticStringValue)(member.id) === name);
        }
        function isSelfEnumMember(decl, node) {
          if (node.type === utils_1.AST_NODE_TYPES.Identifier) {
            return hasEnumMember(decl, node.name);
          }
          if (node.type === utils_1.AST_NODE_TYPES.MemberExpression && isIdentifierWithName2(node.object, decl.id.name)) {
            if (node.property.type === utils_1.AST_NODE_TYPES.Identifier) {
              return hasEnumMember(decl, node.property.name);
            }
            if (node.computed) {
              const propertyName = (0, util_1.getStaticStringValue)(node.property);
              if (propertyName) {
                return hasEnumMember(decl, propertyName);
              }
            }
          }
          return false;
        }
        function isAllowedBitwiseOperand(decl, node) {
          return node.type === utils_1.AST_NODE_TYPES.Literal || isSelfEnumMember(decl, node);
        }
        return {
          TSEnumMember(node) {
            if (node.initializer == null) {
              return;
            }
            if (node.initializer.type === utils_1.AST_NODE_TYPES.Literal) {
              return;
            }
            if (node.initializer.type === utils_1.AST_NODE_TYPES.TemplateLiteral && node.initializer.expressions.length === 0) {
              return;
            }
            const declaration = node.parent;
            if (node.initializer.type === utils_1.AST_NODE_TYPES.UnaryExpression) {
              if (node.initializer.argument.type === utils_1.AST_NODE_TYPES.Literal && ["+", "-"].includes(node.initializer.operator)) {
                return;
              }
              if (allowBitwiseExpressions && node.initializer.operator === "~" && isAllowedBitwiseOperand(declaration, node.initializer.argument)) {
                return;
              }
            }
            if (node.initializer.type === utils_1.AST_NODE_TYPES.UnaryExpression && node.initializer.argument.type === utils_1.AST_NODE_TYPES.Literal && (["+", "-"].includes(node.initializer.operator) || allowBitwiseExpressions && node.initializer.operator === "~")) {
              return;
            }
            if (allowBitwiseExpressions && node.initializer.type === utils_1.AST_NODE_TYPES.BinaryExpression && ["|", "&", "^", "<<", ">>", ">>>"].includes(node.initializer.operator) && isAllowedBitwiseOperand(declaration, node.initializer.left) && isAllowedBitwiseOperand(declaration, node.initializer.right)) {
              return;
            }
            context.report({
              node: node.id,
              messageId: "notLiteral"
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-namespace-keyword.js
var require_prefer_namespace_keyword = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-namespace-keyword.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-namespace-keyword",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require using `namespace` keyword over `module` keyword to declare custom TypeScript modules",
          recommended: "stylistic"
        },
        fixable: "code",
        messages: {
          useNamespace: "Use 'namespace' instead of 'module' to declare custom TypeScript modules."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        return {
          TSModuleDeclaration(node) {
            if (node.id.type === utils_1.AST_NODE_TYPES.Literal) {
              return;
            }
            const moduleType = context.sourceCode.getTokenBefore(node.id);
            if (moduleType && moduleType.type === utils_1.AST_TOKEN_TYPES.Identifier && moduleType.value === "module") {
              context.report({
                node,
                messageId: "useNamespace",
                fix(fixer) {
                  return fixer.replaceText(moduleType, "namespace");
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-nullish-coalescing.js
var require_prefer_nullish_coalescing = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-nullish-coalescing.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-nullish-coalescing",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce using the nullish coalescing operator instead of logical assignments or chaining",
          recommended: "stylistic",
          requiresTypeChecking: true
        },
        hasSuggestions: true,
        messages: {
          preferNullishOverOr: "Prefer using nullish coalescing operator (`??`) instead of a logical or (`||`), as it is a safer operator.",
          preferNullishOverTernary: "Prefer using nullish coalescing operator (`??`) instead of a ternary expression, as it is simpler to read.",
          suggestNullish: "Fix to nullish coalescing operator (`??`).",
          noStrictNullCheck: "This rule requires the `strictNullChecks` compiler option to be turned on to function correctly."
        },
        schema: [
          {
            type: "object",
            properties: {
              allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing: {
                type: "boolean"
              },
              ignoreConditionalTests: {
                type: "boolean"
              },
              ignoreMixedLogicalExpressions: {
                type: "boolean"
              },
              ignorePrimitives: {
                oneOf: [
                  {
                    type: "object",
                    properties: {
                      bigint: { type: "boolean" },
                      boolean: { type: "boolean" },
                      number: { type: "boolean" },
                      string: { type: "boolean" }
                    }
                  },
                  {
                    type: "boolean",
                    enum: [true]
                  }
                ]
              },
              ignoreTernaryTests: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing: false,
          ignoreConditionalTests: false,
          ignoreTernaryTests: false,
          ignoreMixedLogicalExpressions: false,
          ignorePrimitives: {
            bigint: false,
            boolean: false,
            number: false,
            string: false
          }
        }
      ],
      create(context, [{ allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing, ignoreConditionalTests, ignoreMixedLogicalExpressions, ignorePrimitives, ignoreTernaryTests }]) {
        const parserServices = (0, util_1.getParserServices)(context);
        const compilerOptions = parserServices.program.getCompilerOptions();
        const checker = parserServices.program.getTypeChecker();
        const isStrictNullChecks = tsutils.isStrictCompilerOptionEnabled(compilerOptions, "strictNullChecks");
        if (!isStrictNullChecks && allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing !== true) {
          context.report({
            loc: {
              start: { line: 0, column: 0 },
              end: { line: 0, column: 0 }
            },
            messageId: "noStrictNullCheck"
          });
        }
        return {
          ConditionalExpression(node) {
            if (ignoreTernaryTests) {
              return;
            }
            let operator;
            let nodesInsideTestExpression = [];
            if (node.test.type === utils_1.AST_NODE_TYPES.BinaryExpression) {
              nodesInsideTestExpression = [node.test.left, node.test.right];
              if (node.test.operator === "==" || node.test.operator === "!=" || node.test.operator === "===" || node.test.operator === "!==") {
                operator = node.test.operator;
              }
            } else if (node.test.type === utils_1.AST_NODE_TYPES.LogicalExpression && node.test.left.type === utils_1.AST_NODE_TYPES.BinaryExpression && node.test.right.type === utils_1.AST_NODE_TYPES.BinaryExpression) {
              nodesInsideTestExpression = [
                node.test.left.left,
                node.test.left.right,
                node.test.right.left,
                node.test.right.right
              ];
              if (node.test.operator === "||") {
                if (node.test.left.operator === "===" && node.test.right.operator === "===") {
                  operator = "===";
                } else if ((node.test.left.operator === "===" || node.test.right.operator === "===") && (node.test.left.operator === "==" || node.test.right.operator === "==") || node.test.left.operator === "==" && node.test.right.operator === "==") {
                  operator = "==";
                }
              } else if (node.test.operator === "&&") {
                if (node.test.left.operator === "!==" && node.test.right.operator === "!==") {
                  operator = "!==";
                } else if ((node.test.left.operator === "!==" || node.test.right.operator === "!==") && (node.test.left.operator === "!=" || node.test.right.operator === "!=") || node.test.left.operator === "!=" && node.test.right.operator === "!=") {
                  operator = "!=";
                }
              }
            }
            if (!operator) {
              return;
            }
            let identifier;
            let hasUndefinedCheck = false;
            let hasNullCheck = false;
            for (const testNode of nodesInsideTestExpression) {
              if ((0, util_1.isNullLiteral)(testNode)) {
                hasNullCheck = true;
              } else if ((0, util_1.isUndefinedIdentifier)(testNode)) {
                hasUndefinedCheck = true;
              } else if ((operator === "!==" || operator === "!=") && (0, util_1.isNodeEqual)(testNode, node.consequent)) {
                identifier = testNode;
              } else if ((operator === "===" || operator === "==") && (0, util_1.isNodeEqual)(testNode, node.alternate)) {
                identifier = testNode;
              } else {
                return;
              }
            }
            if (!identifier) {
              return;
            }
            const isFixable2 = (() => {
              if (hasUndefinedCheck === hasNullCheck) {
                return hasUndefinedCheck;
              }
              if (operator === "==" || operator === "!=") {
                return true;
              }
              const tsNode = parserServices.esTreeNodeToTSNodeMap.get(identifier);
              const type = checker.getTypeAtLocation(tsNode);
              const flags = (0, util_1.getTypeFlags)(type);
              if (flags & (ts.TypeFlags.Any | ts.TypeFlags.Unknown)) {
                return false;
              }
              const hasNullType = (flags & ts.TypeFlags.Null) !== 0;
              if (hasUndefinedCheck && !hasNullType) {
                return true;
              }
              const hasUndefinedType = (flags & ts.TypeFlags.Undefined) !== 0;
              return hasNullCheck && !hasUndefinedType;
            })();
            if (isFixable2) {
              context.report({
                node,
                messageId: "preferNullishOverTernary",
                suggest: [
                  {
                    messageId: "suggestNullish",
                    fix(fixer) {
                      const [left, right] = operator === "===" || operator === "==" ? [node.alternate, node.consequent] : [node.consequent, node.alternate];
                      return fixer.replaceText(node, `${(0, util_1.getTextWithParentheses)(context.sourceCode, left)} ?? ${(0, util_1.getTextWithParentheses)(context.sourceCode, right)}`);
                    }
                  }
                ]
              });
            }
          },
          'LogicalExpression[operator = "||"]'(node) {
            const tsNode = parserServices.esTreeNodeToTSNodeMap.get(node);
            const type = checker.getTypeAtLocation(tsNode.left);
            if (!(0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Null | ts.TypeFlags.Undefined)) {
              return;
            }
            if (ignoreConditionalTests === true && isConditionalTest(node)) {
              return;
            }
            const isMixedLogical = isMixedLogicalExpression(node);
            if (ignoreMixedLogicalExpressions === true && isMixedLogical) {
              return;
            }
            const ignorableFlags = [
              (ignorePrimitives === true || ignorePrimitives.bigint) && ts.TypeFlags.BigIntLike,
              (ignorePrimitives === true || ignorePrimitives.boolean) && ts.TypeFlags.BooleanLike,
              (ignorePrimitives === true || ignorePrimitives.number) && ts.TypeFlags.NumberLike,
              (ignorePrimitives === true || ignorePrimitives.string) && ts.TypeFlags.StringLike
            ].filter((flag) => typeof flag === "number").reduce((previous, flag) => previous | flag, 0);
            if (type.flags !== ts.TypeFlags.Null && type.flags !== ts.TypeFlags.Undefined && type.types.some((t) => tsutils.intersectionTypeParts(t).some((t2) => tsutils.isTypeFlagSet(t2, ignorableFlags)))) {
              return;
            }
            const barBarOperator = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.left, (token) => token.type === utils_1.AST_TOKEN_TYPES.Punctuator && token.value === node.operator), util_1.NullThrowsReasons.MissingToken("operator", node.type));
            function* fix11(fixer) {
              if ((0, util_1.isLogicalOrOperator)(node.parent)) {
                if (node.left.type === utils_1.AST_NODE_TYPES.LogicalExpression && !(0, util_1.isLogicalOrOperator)(node.left.left)) {
                  yield fixer.insertTextBefore(node.left.right, "(");
                } else {
                  yield fixer.insertTextBefore(node.left, "(");
                }
                yield fixer.insertTextAfter(node.right, ")");
              }
              yield fixer.replaceText(barBarOperator, "??");
            }
            context.report({
              node: barBarOperator,
              messageId: "preferNullishOverOr",
              suggest: [
                {
                  messageId: "suggestNullish",
                  fix: fix11
                }
              ]
            });
          }
        };
      }
    });
    function isConditionalTest(node) {
      const parents = /* @__PURE__ */ new Set([node]);
      let current = node.parent;
      while (current) {
        parents.add(current);
        if ((current.type === utils_1.AST_NODE_TYPES.ConditionalExpression || current.type === utils_1.AST_NODE_TYPES.DoWhileStatement || current.type === utils_1.AST_NODE_TYPES.IfStatement || current.type === utils_1.AST_NODE_TYPES.ForStatement || current.type === utils_1.AST_NODE_TYPES.WhileStatement) && parents.has(current.test)) {
          return true;
        }
        if ([
          utils_1.AST_NODE_TYPES.ArrowFunctionExpression,
          utils_1.AST_NODE_TYPES.FunctionExpression
        ].includes(current.type)) {
          return false;
        }
        current = current.parent;
      }
      return false;
    }
    function isMixedLogicalExpression(node) {
      const seen = /* @__PURE__ */ new Set();
      const queue = [node.parent, node.left, node.right];
      for (const current of queue) {
        if (seen.has(current)) {
          continue;
        }
        seen.add(current);
        if (current.type === utils_1.AST_NODE_TYPES.LogicalExpression) {
          if (current.operator === "&&") {
            return true;
          } else if (current.operator === "||") {
            queue.push(current.parent, current.left, current.right);
          }
        }
      }
      return false;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain-utils/checkNullishAndReport.js
var require_checkNullishAndReport = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain-utils/checkNullishAndReport.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.checkNullishAndReport = checkNullishAndReport;
    var type_utils_1 = require_dist6();
    var ts_api_utils_1 = require_lib5();
    var ts = __importStar2(require_typescript());
    function checkNullishAndReport(context, parserServices, { requireNullish }, maybeNullishNodes, descriptor) {
      if (!requireNullish || maybeNullishNodes.some((node) => (0, ts_api_utils_1.unionTypeParts)(parserServices.getTypeAtLocation(node)).some((t) => (0, type_utils_1.isTypeFlagSet)(t, ts.TypeFlags.Null | ts.TypeFlags.Undefined)))) {
        context.report(descriptor);
      }
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain-utils/compareNodes.js
var require_compareNodes = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain-utils/compareNodes.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.compareNodes = compareNodes;
    var utils_1 = require_dist4();
    var visitor_keys_1 = require_dist2();
    function compareArrays(arrayA, arrayB) {
      if (arrayA.length !== arrayB.length) {
        return "Invalid";
      }
      const result = arrayA.every((elA, idx) => {
        const elB = arrayB[idx];
        if (elA == null || elB == null) {
          return elA === elB;
        }
        return compareUnknownValues(elA, elB) === "Equal";
      });
      if (result) {
        return "Equal";
      }
      return "Invalid";
    }
    function isValidNode(x) {
      return typeof x === "object" && x != null && "type" in x && typeof x.type === "string";
    }
    function isValidChainExpressionToLookThrough(node) {
      return !(node.parent?.type === utils_1.AST_NODE_TYPES.MemberExpression && node.parent.object === node) && !(node.parent?.type === utils_1.AST_NODE_TYPES.CallExpression && node.parent.callee === node) && node.type === utils_1.AST_NODE_TYPES.ChainExpression;
    }
    function compareUnknownValues(valueA, valueB) {
      if (valueA == null || valueB == null) {
        if (valueA !== valueB) {
          return "Invalid";
        }
        return "Equal";
      }
      if (!isValidNode(valueA) || !isValidNode(valueB)) {
        return "Invalid";
      }
      return compareNodes(valueA, valueB);
    }
    function compareByVisiting(nodeA, nodeB) {
      const currentVisitorKeys = visitor_keys_1.visitorKeys[nodeA.type];
      if (currentVisitorKeys == null) {
        return "Invalid";
      }
      if (currentVisitorKeys.length === 0) {
        return "Equal";
      }
      for (const key of currentVisitorKeys) {
        const nodeAChildOrChildren = nodeA[key];
        const nodeBChildOrChildren = nodeB[key];
        if (Array.isArray(nodeAChildOrChildren)) {
          const arrayA = nodeAChildOrChildren;
          const arrayB = nodeBChildOrChildren;
          const result = compareArrays(arrayA, arrayB);
          if (result !== "Equal") {
            return "Invalid";
          }
        } else {
          const result = compareUnknownValues(nodeAChildOrChildren, nodeBChildOrChildren);
          if (result !== "Equal") {
            return "Invalid";
          }
        }
      }
      return "Equal";
    }
    function compareNodesUncached(nodeA, nodeB) {
      if (nodeA.type !== nodeB.type) {
        if (isValidChainExpressionToLookThrough(nodeA)) {
          return compareNodes(nodeA.expression, nodeB);
        }
        if (isValidChainExpressionToLookThrough(nodeB)) {
          return compareNodes(nodeA, nodeB.expression);
        }
        if (nodeA.type === utils_1.AST_NODE_TYPES.TSNonNullExpression) {
          return compareNodes(nodeA.expression, nodeB);
        }
        if (nodeB.type === utils_1.AST_NODE_TYPES.TSNonNullExpression) {
          return compareNodes(nodeA, nodeB.expression);
        }
        if (nodeA.type === utils_1.AST_NODE_TYPES.CallExpression || nodeA.type === utils_1.AST_NODE_TYPES.Identifier || nodeA.type === utils_1.AST_NODE_TYPES.MemberExpression || nodeA.type === utils_1.AST_NODE_TYPES.MetaProperty) {
          switch (nodeB.type) {
            case utils_1.AST_NODE_TYPES.MemberExpression:
              if (nodeB.property.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
                return "Invalid";
              }
              if (compareNodes(nodeA, nodeB.object) !== "Invalid") {
                return "Subset";
              }
              return "Invalid";
            case utils_1.AST_NODE_TYPES.CallExpression:
              if (compareNodes(nodeA, nodeB.callee) !== "Invalid") {
                return "Subset";
              }
              return "Invalid";
            default:
              return "Invalid";
          }
        }
        return "Invalid";
      }
      switch (nodeA.type) {
        case utils_1.AST_NODE_TYPES.ArrayExpression:
        case utils_1.AST_NODE_TYPES.ArrowFunctionExpression:
        case utils_1.AST_NODE_TYPES.ClassExpression:
        case utils_1.AST_NODE_TYPES.FunctionExpression:
        case utils_1.AST_NODE_TYPES.JSXElement:
        case utils_1.AST_NODE_TYPES.JSXFragment:
        case utils_1.AST_NODE_TYPES.NewExpression:
        case utils_1.AST_NODE_TYPES.ObjectExpression:
          return "Invalid";
        case utils_1.AST_NODE_TYPES.AssignmentExpression:
          return "Invalid";
        case utils_1.AST_NODE_TYPES.CallExpression: {
          const nodeBCall = nodeB;
          const aSubsetOfB = compareNodes(nodeA, nodeBCall.callee);
          if (aSubsetOfB !== "Invalid") {
            return "Subset";
          }
          const calleeCompare = compareNodes(nodeA.callee, nodeBCall.callee);
          if (calleeCompare !== "Equal") {
            return "Invalid";
          }
          const argumentCompare = compareArrays(nodeA.arguments, nodeBCall.arguments);
          if (argumentCompare !== "Equal") {
            return "Invalid";
          }
          const typeParamCompare = compareNodes(nodeA.typeArguments, nodeBCall.typeArguments);
          if (typeParamCompare === "Equal") {
            return "Equal";
          }
          return "Invalid";
        }
        case utils_1.AST_NODE_TYPES.ChainExpression:
          return compareNodes(nodeA, nodeB.expression);
        case utils_1.AST_NODE_TYPES.Identifier:
        case utils_1.AST_NODE_TYPES.PrivateIdentifier:
          if (nodeA.name === nodeB.name) {
            return "Equal";
          }
          return "Invalid";
        case utils_1.AST_NODE_TYPES.Literal: {
          const nodeBLiteral = nodeB;
          if (nodeA.raw === nodeBLiteral.raw && nodeA.value === nodeBLiteral.value) {
            return "Equal";
          }
          return "Invalid";
        }
        case utils_1.AST_NODE_TYPES.MemberExpression: {
          const nodeBMember = nodeB;
          if (nodeBMember.property.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
            return "Invalid";
          }
          const aSubsetOfB = compareNodes(nodeA, nodeBMember.object);
          if (aSubsetOfB !== "Invalid") {
            return "Subset";
          }
          if (nodeA.computed !== nodeBMember.computed) {
            return "Invalid";
          }
          const objectCompare = compareNodes(nodeA.object, nodeBMember.object);
          if (objectCompare !== "Equal") {
            return "Invalid";
          }
          return compareNodes(nodeA.property, nodeBMember.property);
        }
        case utils_1.AST_NODE_TYPES.TSTemplateLiteralType:
        case utils_1.AST_NODE_TYPES.TemplateLiteral: {
          const nodeBTemplate = nodeB;
          const areQuasisEqual = nodeA.quasis.length === nodeBTemplate.quasis.length && nodeA.quasis.every((elA, idx) => {
            const elB = nodeBTemplate.quasis[idx];
            return elA.value.cooked === elB.value.cooked;
          });
          if (!areQuasisEqual) {
            return "Invalid";
          }
          return "Equal";
        }
        case utils_1.AST_NODE_TYPES.TemplateElement: {
          const nodeBElement = nodeB;
          if (nodeA.value.cooked === nodeBElement.value.cooked) {
            return "Equal";
          }
          return "Invalid";
        }
        case utils_1.AST_NODE_TYPES.ArrayPattern:
        case utils_1.AST_NODE_TYPES.ObjectPattern:
          return "Invalid";
        case utils_1.AST_NODE_TYPES.UpdateExpression:
          return "Invalid";
        case utils_1.AST_NODE_TYPES.YieldExpression:
          return "Invalid";
        default:
          return compareByVisiting(nodeA, nodeB);
      }
    }
    var COMPARE_NODES_CACHE = /* @__PURE__ */ new WeakMap();
    function compareNodes(nodeA, nodeB) {
      if (nodeA == null || nodeB == null) {
        if (nodeA !== nodeB) {
          return "Invalid";
        }
        return "Equal";
      }
      const cached = COMPARE_NODES_CACHE.get(nodeA)?.get(nodeB);
      if (cached) {
        return cached;
      }
      const result = compareNodesUncached(nodeA, nodeB);
      let mapA = COMPARE_NODES_CACHE.get(nodeA);
      if (mapA == null) {
        mapA = /* @__PURE__ */ new WeakMap();
        COMPARE_NODES_CACHE.set(nodeA, mapA);
      }
      mapA.set(nodeB, result);
      return result;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain-utils/analyzeChain.js
var require_analyzeChain = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain-utils/analyzeChain.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.analyzeChain = analyzeChain;
    var utils_1 = require_dist4();
    var ts_api_utils_1 = require_lib5();
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    var checkNullishAndReport_1 = require_checkNullishAndReport();
    var compareNodes_1 = require_compareNodes();
    function includesType(parserServices, node, typeFlagIn) {
      const typeFlag = typeFlagIn | ts.TypeFlags.Any | ts.TypeFlags.Unknown;
      const types = (0, ts_api_utils_1.unionTypeParts)(parserServices.getTypeAtLocation(node));
      for (const type of types) {
        if ((0, util_1.isTypeFlagSet)(type, typeFlag)) {
          return true;
        }
      }
      return false;
    }
    var analyzeAndChainOperand = (parserServices, operand, index, chain) => {
      switch (operand.comparisonType) {
        case "Boolean": {
          const nextOperand = chain.at(index + 1);
          if (nextOperand?.comparisonType === "NotStrictEqualNull" && operand.comparedName.type === utils_1.AST_NODE_TYPES.Identifier) {
            return null;
          }
          return [operand];
        }
        case "NotEqualNullOrUndefined":
          return [operand];
        case "NotStrictEqualNull": {
          const nextOperand = chain.at(index + 1);
          if (nextOperand?.comparisonType === "NotStrictEqualUndefined" && (0, compareNodes_1.compareNodes)(operand.comparedName, nextOperand.comparedName) === "Equal") {
            return [operand, nextOperand];
          }
          if (includesType(parserServices, operand.comparedName, ts.TypeFlags.Undefined)) {
            return null;
          }
          return [operand];
        }
        case "NotStrictEqualUndefined": {
          const nextOperand = chain.at(index + 1);
          if (nextOperand?.comparisonType === "NotStrictEqualNull" && (0, compareNodes_1.compareNodes)(operand.comparedName, nextOperand.comparedName) === "Equal") {
            return [operand, nextOperand];
          }
          if (includesType(parserServices, operand.comparedName, ts.TypeFlags.Null)) {
            return null;
          }
          return [operand];
        }
        default:
          return null;
      }
    };
    var analyzeOrChainOperand = (parserServices, operand, index, chain) => {
      switch (operand.comparisonType) {
        case "NotBoolean":
        case "EqualNullOrUndefined":
          return [operand];
        case "StrictEqualNull": {
          const nextOperand = chain.at(index + 1);
          if (nextOperand?.comparisonType === "StrictEqualUndefined" && (0, compareNodes_1.compareNodes)(operand.comparedName, nextOperand.comparedName) === "Equal") {
            return [operand, nextOperand];
          }
          if (includesType(parserServices, operand.comparedName, ts.TypeFlags.Undefined)) {
            return null;
          }
          return [operand];
        }
        case "StrictEqualUndefined": {
          const nextOperand = chain.at(index + 1);
          if (nextOperand?.comparisonType === "StrictEqualNull" && (0, compareNodes_1.compareNodes)(operand.comparedName, nextOperand.comparedName) === "Equal") {
            return [operand, nextOperand];
          }
          if (includesType(parserServices, operand.comparedName, ts.TypeFlags.Null)) {
            return null;
          }
          return [operand];
        }
        default:
          return null;
      }
    };
    function getFixer(sourceCode, parserServices, operator, options, chain) {
      const lastOperand = chain[chain.length - 1];
      let useSuggestionFixer;
      if (options.allowPotentiallyUnsafeFixesThatModifyTheReturnTypeIKnowWhatImDoing === true) {
        useSuggestionFixer = false;
      } else {
        if (lastOperand.comparisonType === "EqualNullOrUndefined" || lastOperand.comparisonType === "NotEqualNullOrUndefined" || lastOperand.comparisonType === "StrictEqualUndefined" || lastOperand.comparisonType === "NotStrictEqualUndefined" || operator === "||" && lastOperand.comparisonType === "NotBoolean") {
          useSuggestionFixer = false;
        } else {
          useSuggestionFixer = true;
          for (const operand of chain) {
            if (includesType(parserServices, operand.node, ts.TypeFlags.Undefined)) {
              useSuggestionFixer = false;
              break;
            }
          }
        }
      }
      const parts = [];
      for (const current of chain) {
        const nextOperand = flattenChainExpression(sourceCode, current.comparedName);
        const diff = nextOperand.slice(parts.length);
        if (diff.length > 0) {
          if (parts.length > 0) {
            diff[0].optional = true;
          }
          parts.push(...diff);
        }
      }
      let newCode = parts.map((part) => {
        let str = "";
        if (part.optional) {
          str += "?.";
        } else {
          if (part.nonNull) {
            str += "!";
          }
          if (part.requiresDot) {
            str += ".";
          }
        }
        if (part.precedence !== util_1.OperatorPrecedence.Invalid && part.precedence < util_1.OperatorPrecedence.Member) {
          str += `(${part.text})`;
        } else {
          str += part.text;
        }
        return str;
      }).join("");
      if (lastOperand.node.type === utils_1.AST_NODE_TYPES.BinaryExpression) {
        const operator2 = lastOperand.node.operator;
        const { left, right } = (() => {
          if (lastOperand.isYoda) {
            const unaryOperator2 = lastOperand.node.right.type === utils_1.AST_NODE_TYPES.UnaryExpression ? lastOperand.node.right.operator + " " : "";
            return {
              left: sourceCode.getText(lastOperand.node.left),
              right: unaryOperator2 + newCode
            };
          }
          const unaryOperator = lastOperand.node.left.type === utils_1.AST_NODE_TYPES.UnaryExpression ? lastOperand.node.left.operator + " " : "";
          return {
            left: unaryOperator + newCode,
            right: sourceCode.getText(lastOperand.node.right)
          };
        })();
        newCode = `${left} ${operator2} ${right}`;
      } else if (lastOperand.comparisonType === "NotBoolean") {
        newCode = `!${newCode}`;
      }
      const fix11 = (fixer) => fixer.replaceTextRange([chain[0].node.range[0], lastOperand.node.range[1]], newCode);
      return useSuggestionFixer ? { suggest: [{ fix: fix11, messageId: "optionalChainSuggest" }] } : { fix: fix11 };
      function flattenChainExpression(sourceCode2, node) {
        switch (node.type) {
          case utils_1.AST_NODE_TYPES.ChainExpression:
            return flattenChainExpression(sourceCode2, node.expression);
          case utils_1.AST_NODE_TYPES.CallExpression: {
            const argumentsText = (() => {
              const closingParenToken = (0, util_1.nullThrows)(sourceCode2.getLastToken(node), util_1.NullThrowsReasons.MissingToken("closing parenthesis", node.type));
              const openingParenToken = (0, util_1.nullThrows)(sourceCode2.getFirstTokenBetween(node.typeArguments ?? node.callee, closingParenToken, util_1.isOpeningParenToken), util_1.NullThrowsReasons.MissingToken("opening parenthesis", node.type));
              return sourceCode2.text.substring(openingParenToken.range[0], closingParenToken.range[1]);
            })();
            const typeArgumentsText = (() => {
              if (node.typeArguments == null) {
                return "";
              }
              return sourceCode2.getText(node.typeArguments);
            })();
            return [
              ...flattenChainExpression(sourceCode2, node.callee),
              {
                nonNull: false,
                optional: node.optional,
                // no precedence for this
                precedence: util_1.OperatorPrecedence.Invalid,
                requiresDot: false,
                text: typeArgumentsText + argumentsText
              }
            ];
          }
          case utils_1.AST_NODE_TYPES.MemberExpression: {
            const propertyText = sourceCode2.getText(node.property);
            return [
              ...flattenChainExpression(sourceCode2, node.object),
              {
                nonNull: node.object.type === utils_1.AST_NODE_TYPES.TSNonNullExpression,
                optional: node.optional,
                precedence: node.computed ? (
                  // computed is already wrapped in [] so no need to wrap in () as well
                  util_1.OperatorPrecedence.Invalid
                ) : (0, util_1.getOperatorPrecedenceForNode)(node.property),
                requiresDot: !node.computed,
                text: node.computed ? `[${propertyText}]` : propertyText
              }
            ];
          }
          case utils_1.AST_NODE_TYPES.TSNonNullExpression:
            return flattenChainExpression(sourceCode2, node.expression);
          default:
            return [
              {
                nonNull: false,
                optional: false,
                precedence: (0, util_1.getOperatorPrecedenceForNode)(node),
                requiresDot: false,
                text: sourceCode2.getText(node)
              }
            ];
        }
      }
    }
    function analyzeChain(context, parserServices, options, operator, chain) {
      if (chain.length <= 1 || /* istanbul ignore next -- previous checks make this unreachable, but keep it for exhaustiveness check */
      operator === "??") {
        return;
      }
      const analyzeOperand = (() => {
        switch (operator) {
          case "&&":
            return analyzeAndChainOperand;
          case "||":
            return analyzeOrChainOperand;
        }
      })();
      let subChain = [];
      const maybeReportThenReset = (newChainSeed) => {
        if (subChain.length > 1) {
          const subChainFlat = subChain.flat();
          (0, checkNullishAndReport_1.checkNullishAndReport)(context, parserServices, options, subChainFlat.slice(0, -1).map(({ node }) => node), {
            messageId: "preferOptionalChain",
            loc: {
              start: subChainFlat[0].node.loc.start,
              end: subChainFlat[subChainFlat.length - 1].node.loc.end
            },
            ...getFixer(context.sourceCode, parserServices, operator, options, subChainFlat)
          });
        }
        subChain = newChainSeed ? [newChainSeed] : [];
      };
      for (let i = 0; i < chain.length; i += 1) {
        const lastOperand = subChain.flat().at(-1);
        const operand = chain[i];
        const validatedOperands = analyzeOperand(parserServices, operand, i, chain);
        if (!validatedOperands) {
          maybeReportThenReset();
          continue;
        }
        i += validatedOperands.length - 1;
        const currentOperand = validatedOperands[0];
        if (lastOperand) {
          const comparisonResult = (0, compareNodes_1.compareNodes)(
            lastOperand.comparedName,
            // purposely inspect and push the last operand because the prior operands don't matter
            // this also means we won't false-positive in cases like
            // foo !== null && foo !== undefined
            validatedOperands[validatedOperands.length - 1].comparedName
          );
          if (comparisonResult === "Subset") {
            subChain.push(currentOperand);
          } else if (comparisonResult === "Invalid") {
            maybeReportThenReset(validatedOperands);
          } else {
          }
        } else {
          subChain.push(currentOperand);
        }
      }
      maybeReportThenReset();
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain-utils/gatherLogicalOperands.js
var require_gatherLogicalOperands = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain-utils/gatherLogicalOperands.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.gatherLogicalOperands = gatherLogicalOperands;
    var utils_1 = require_dist4();
    var ts_api_utils_1 = require_lib5();
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    var NULLISH_FLAGS = ts.TypeFlags.Null | ts.TypeFlags.Undefined;
    function isValidFalseBooleanCheckType(node, disallowFalseyLiteral, parserServices, options) {
      const type = parserServices.getTypeAtLocation(node);
      const types = (0, ts_api_utils_1.unionTypeParts)(type);
      if (disallowFalseyLiteral) {
        if (types.some((t) => (0, ts_api_utils_1.isBooleanLiteralType)(t) && t.intrinsicName === "false") || types.some((t) => (0, ts_api_utils_1.isStringLiteralType)(t) && t.value === "") || types.some((t) => (0, ts_api_utils_1.isNumberLiteralType)(t) && t.value === 0) || types.some((t) => (0, ts_api_utils_1.isBigIntLiteralType)(t) && t.value.base10Value === "0")) {
          return false;
        }
      }
      let allowedFlags = NULLISH_FLAGS | ts.TypeFlags.Object;
      if (options.checkAny === true) {
        allowedFlags |= ts.TypeFlags.Any;
      }
      if (options.checkUnknown === true) {
        allowedFlags |= ts.TypeFlags.Unknown;
      }
      if (options.checkString === true) {
        allowedFlags |= ts.TypeFlags.StringLike;
      }
      if (options.checkNumber === true) {
        allowedFlags |= ts.TypeFlags.NumberLike;
      }
      if (options.checkBoolean === true) {
        allowedFlags |= ts.TypeFlags.BooleanLike;
      }
      if (options.checkBigInt === true) {
        allowedFlags |= ts.TypeFlags.BigIntLike;
      }
      return types.every((t) => (0, util_1.isTypeFlagSet)(t, allowedFlags));
    }
    function gatherLogicalOperands(node, parserServices, sourceCode, options) {
      const result = [];
      const { operands, newlySeenLogicals } = flattenLogicalOperands(node);
      for (const operand of operands) {
        const areMoreOperands = operand !== operands.at(-1);
        switch (operand.type) {
          case utils_1.AST_NODE_TYPES.BinaryExpression: {
            const { comparedExpression, comparedValue, isYoda } = (() => {
              const comparedValueRight = getComparisonValueType(operand.right);
              if (comparedValueRight) {
                return {
                  comparedExpression: operand.left,
                  comparedValue: comparedValueRight,
                  isYoda: false
                };
              }
              return {
                comparedExpression: operand.right,
                comparedValue: getComparisonValueType(operand.left),
                isYoda: true
              };
            })();
            if (comparedValue === "UndefinedStringLiteral") {
              if (comparedExpression.type === utils_1.AST_NODE_TYPES.UnaryExpression && comparedExpression.operator === "typeof") {
                const argument = comparedExpression.argument;
                if (argument.type === utils_1.AST_NODE_TYPES.Identifier) {
                  const reference = sourceCode.getScope(argument).references.find((ref) => ref.identifier.name === argument.name);
                  if (!reference?.resolved?.defs.length) {
                    result.push({
                      type: "Invalid"
                      /* OperandValidity.Invalid */
                    });
                    continue;
                  }
                }
                result.push({
                  type: "Valid",
                  comparedName: comparedExpression.argument,
                  comparisonType: operand.operator.startsWith("!") ? "NotStrictEqualUndefined" : "StrictEqualUndefined",
                  isYoda,
                  node: operand
                });
                continue;
              }
              result.push({
                type: "Invalid"
                /* OperandValidity.Invalid */
              });
              continue;
            }
            switch (operand.operator) {
              case "!=":
              case "==":
                if (comparedValue === "Null" || comparedValue === "Undefined") {
                  result.push({
                    type: "Valid",
                    comparedName: comparedExpression,
                    comparisonType: operand.operator.startsWith("!") ? "NotEqualNullOrUndefined" : "EqualNullOrUndefined",
                    isYoda,
                    node: operand
                  });
                  continue;
                }
                result.push({
                  type: "Invalid"
                  /* OperandValidity.Invalid */
                });
                continue;
              case "!==":
              case "===": {
                const comparedName = comparedExpression;
                switch (comparedValue) {
                  case "Null":
                    result.push({
                      type: "Valid",
                      comparedName,
                      comparisonType: operand.operator.startsWith("!") ? "NotStrictEqualNull" : "StrictEqualNull",
                      isYoda,
                      node: operand
                    });
                    continue;
                  case "Undefined":
                    result.push({
                      type: "Valid",
                      comparedName,
                      comparisonType: operand.operator.startsWith("!") ? "NotStrictEqualUndefined" : "StrictEqualUndefined",
                      isYoda,
                      node: operand
                    });
                    continue;
                  default:
                    result.push({
                      type: "Invalid"
                      /* OperandValidity.Invalid */
                    });
                    continue;
                }
              }
            }
            result.push({
              type: "Invalid"
              /* OperandValidity.Invalid */
            });
            continue;
          }
          case utils_1.AST_NODE_TYPES.UnaryExpression:
            if (operand.operator === "!" && isValidFalseBooleanCheckType(operand.argument, areMoreOperands && node.operator === "||", parserServices, options)) {
              result.push({
                type: "Valid",
                comparedName: operand.argument,
                comparisonType: "NotBoolean",
                isYoda: false,
                node: operand
              });
              continue;
            }
            result.push({
              type: "Invalid"
              /* OperandValidity.Invalid */
            });
            continue;
          case utils_1.AST_NODE_TYPES.LogicalExpression:
            result.push({
              type: "Invalid"
              /* OperandValidity.Invalid */
            });
            continue;
          default:
            if (isValidFalseBooleanCheckType(operand, areMoreOperands && node.operator === "&&", parserServices, options)) {
              result.push({
                type: "Valid",
                comparedName: operand,
                comparisonType: "Boolean",
                isYoda: false,
                node: operand
              });
            } else {
              result.push({
                type: "Invalid"
                /* OperandValidity.Invalid */
              });
            }
            continue;
        }
      }
      return {
        operands: result,
        newlySeenLogicals
      };
      function flattenLogicalOperands(node2) {
        const operands2 = [];
        const newlySeenLogicals2 = /* @__PURE__ */ new Set([node2]);
        const stack = [node2.right, node2.left];
        let current;
        while (current = stack.pop()) {
          if (current.type === utils_1.AST_NODE_TYPES.LogicalExpression && current.operator === node2.operator) {
            newlySeenLogicals2.add(current);
            stack.push(current.right);
            stack.push(current.left);
          } else {
            operands2.push(current);
          }
        }
        return {
          operands: operands2,
          newlySeenLogicals: newlySeenLogicals2
        };
      }
      function getComparisonValueType(node2) {
        switch (node2.type) {
          case utils_1.AST_NODE_TYPES.Literal:
            if (node2.value === null && node2.raw === "null") {
              return "Null";
            }
            if (node2.value === "undefined") {
              return "UndefinedStringLiteral";
            }
            return null;
          case utils_1.AST_NODE_TYPES.Identifier:
            if (node2.name === "undefined") {
              return "Undefined";
            }
            return null;
        }
        return null;
      }
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain.js
var require_prefer_optional_chain = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    var analyzeChain_1 = require_analyzeChain();
    var checkNullishAndReport_1 = require_checkNullishAndReport();
    var gatherLogicalOperands_1 = require_gatherLogicalOperands();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-optional-chain",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce using concise optional chain expressions instead of chained logical ands, negated logical ors, or empty objects",
          recommended: "stylistic",
          requiresTypeChecking: true
        },
        fixable: "code",
        hasSuggestions: true,
        messages: {
          preferOptionalChain: "Prefer using an optional chain expression instead, as it's more concise and easier to read.",
          optionalChainSuggest: "Change to an optional chain."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              checkAny: {
                type: "boolean",
                description: 'Check operands that are typed as `any` when inspecting "loose boolean" operands.'
              },
              checkUnknown: {
                type: "boolean",
                description: 'Check operands that are typed as `unknown` when inspecting "loose boolean" operands.'
              },
              checkString: {
                type: "boolean",
                description: 'Check operands that are typed as `string` when inspecting "loose boolean" operands.'
              },
              checkNumber: {
                type: "boolean",
                description: 'Check operands that are typed as `number` when inspecting "loose boolean" operands.'
              },
              checkBoolean: {
                type: "boolean",
                description: 'Check operands that are typed as `boolean` when inspecting "loose boolean" operands.'
              },
              checkBigInt: {
                type: "boolean",
                description: 'Check operands that are typed as `bigint` when inspecting "loose boolean" operands.'
              },
              requireNullish: {
                type: "boolean",
                description: 'Skip operands that are not typed with `null` and/or `undefined` when inspecting "loose boolean" operands.'
              },
              allowPotentiallyUnsafeFixesThatModifyTheReturnTypeIKnowWhatImDoing: {
                type: "boolean",
                description: "Allow autofixers that will change the return type of the expression. This option is considered unsafe as it may break the build."
              }
            }
          }
        ]
      },
      defaultOptions: [
        {
          checkAny: true,
          checkUnknown: true,
          checkString: true,
          checkNumber: true,
          checkBoolean: true,
          checkBigInt: true,
          requireNullish: false,
          allowPotentiallyUnsafeFixesThatModifyTheReturnTypeIKnowWhatImDoing: false
        }
      ],
      create(context, [options]) {
        const parserServices = (0, util_1.getParserServices)(context);
        const seenLogicals = /* @__PURE__ */ new Set();
        return {
          // specific handling for `(foo ?? {}).bar` / `(foo || {}).bar`
          'LogicalExpression[operator="||"], LogicalExpression[operator="??"]'(node) {
            const leftNode = node.left;
            const rightNode = node.right;
            const parentNode = node.parent;
            const isRightNodeAnEmptyObjectLiteral = rightNode.type === utils_1.AST_NODE_TYPES.ObjectExpression && rightNode.properties.length === 0;
            if (!isRightNodeAnEmptyObjectLiteral || parentNode.type !== utils_1.AST_NODE_TYPES.MemberExpression || parentNode.optional) {
              return;
            }
            seenLogicals.add(node);
            function isLeftSideLowerPrecedence() {
              const logicalTsNode = parserServices.esTreeNodeToTSNodeMap.get(node);
              const leftTsNode = parserServices.esTreeNodeToTSNodeMap.get(leftNode);
              const operator = ts.isBinaryExpression(logicalTsNode) ? logicalTsNode.operatorToken.kind : ts.SyntaxKind.Unknown;
              const leftPrecedence = (0, util_1.getOperatorPrecedence)(leftTsNode.kind, operator);
              return leftPrecedence < util_1.OperatorPrecedence.LeftHandSide;
            }
            (0, checkNullishAndReport_1.checkNullishAndReport)(context, parserServices, options, [leftNode], {
              messageId: "preferOptionalChain",
              node: parentNode,
              suggest: [
                {
                  messageId: "optionalChainSuggest",
                  fix: (fixer) => {
                    const leftNodeText = context.sourceCode.getText(leftNode);
                    const maybeWrappedLeftNode = isLeftSideLowerPrecedence() ? `(${leftNodeText})` : leftNodeText;
                    const propertyToBeOptionalText = context.sourceCode.getText(parentNode.property);
                    const maybeWrappedProperty = parentNode.computed ? `[${propertyToBeOptionalText}]` : propertyToBeOptionalText;
                    return fixer.replaceTextRange(parentNode.range, `${maybeWrappedLeftNode}?.${maybeWrappedProperty}`);
                  }
                }
              ]
            });
          },
          'LogicalExpression[operator!="??"]'(node) {
            if (seenLogicals.has(node)) {
              return;
            }
            const { operands, newlySeenLogicals } = (0, gatherLogicalOperands_1.gatherLogicalOperands)(node, parserServices, context.sourceCode, options);
            for (const logical of newlySeenLogicals) {
              seenLogicals.add(logical);
            }
            let currentChain = [];
            for (const operand of operands) {
              if (operand.type === "Invalid") {
                (0, analyzeChain_1.analyzeChain)(context, parserServices, options, node.operator, currentChain);
                currentChain = [];
              } else {
                currentChain.push(operand);
              }
            }
            if (currentChain.length > 0) {
              (0, analyzeChain_1.analyzeChain)(context, parserServices, options, node.operator, currentChain);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-promise-reject-errors.js
var require_prefer_promise_reject_errors = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-promise-reject-errors.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-promise-reject-errors",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require using Error objects as Promise rejection reasons",
          recommended: "strict",
          extendsBaseRule: true,
          requiresTypeChecking: true
        },
        schema: [
          {
            type: "object",
            properties: {
              allowEmptyReject: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          rejectAnError: "Expected the Promise rejection reason to be an Error."
        }
      },
      defaultOptions: [
        {
          allowEmptyReject: false
        }
      ],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        function checkRejectCall(callExpression) {
          const argument = callExpression.arguments.at(0);
          if (argument) {
            const type = services.getTypeAtLocation(argument);
            if ((0, util_1.isErrorLike)(services.program, type) || (0, util_1.isReadonlyErrorLike)(services.program, type)) {
              return;
            }
          } else if (options.allowEmptyReject) {
            return;
          }
          context.report({
            node: callExpression,
            messageId: "rejectAnError"
          });
        }
        function skipChainExpression(node) {
          return node.type === utils_1.AST_NODE_TYPES.ChainExpression ? node.expression : node;
        }
        function typeAtLocationIsLikePromise(node) {
          const type = services.getTypeAtLocation(node);
          return (0, util_1.isPromiseConstructorLike)(services.program, type) || (0, util_1.isPromiseLike)(services.program, type);
        }
        return {
          CallExpression(node) {
            const callee = skipChainExpression(node.callee);
            if (callee.type !== utils_1.AST_NODE_TYPES.MemberExpression) {
              return;
            }
            const rejectMethodCalled = callee.computed ? callee.property.type === utils_1.AST_NODE_TYPES.Literal && callee.property.value === "reject" : callee.property.name === "reject";
            if (!rejectMethodCalled || !typeAtLocationIsLikePromise(callee.object)) {
              return;
            }
            checkRejectCall(node);
          },
          NewExpression(node) {
            const callee = skipChainExpression(node.callee);
            if (!(0, util_1.isPromiseConstructorLike)(services.program, services.getTypeAtLocation(callee))) {
              return;
            }
            const executor = node.arguments.at(0);
            if (!executor || !(0, util_1.isFunction)(executor)) {
              return;
            }
            const rejectParamNode = executor.params.at(1);
            if (!rejectParamNode || !(0, util_1.isIdentifier)(rejectParamNode)) {
              return;
            }
            const rejectVariable = context.sourceCode.getDeclaredVariables(executor).find((variable) => variable.identifiers.includes(rejectParamNode));
            rejectVariable.references.forEach((ref) => {
              if (ref.identifier.parent.type !== utils_1.AST_NODE_TYPES.CallExpression || ref.identifier !== ref.identifier.parent.callee) {
                return;
              }
              checkRejectCall(ref.identifier.parent);
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-readonly.js
var require_prefer_readonly = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-readonly.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    var getMemberHeadLoc_1 = require_getMemberHeadLoc();
    var functionScopeBoundaries = [
      utils_1.AST_NODE_TYPES.ArrowFunctionExpression,
      utils_1.AST_NODE_TYPES.FunctionDeclaration,
      utils_1.AST_NODE_TYPES.FunctionExpression,
      utils_1.AST_NODE_TYPES.MethodDefinition
    ].join(", ");
    exports2.default = (0, util_1.createRule)({
      name: "prefer-readonly",
      meta: {
        docs: {
          description: "Require private members to be marked as `readonly` if they're never modified outside of the constructor",
          requiresTypeChecking: true
        },
        fixable: "code",
        messages: {
          preferReadonly: "Member '{{name}}' is never reassigned; mark it as `readonly`."
        },
        schema: [
          {
            additionalProperties: false,
            properties: {
              onlyInlineLambdas: {
                type: "boolean"
              }
            },
            type: "object"
          }
        ],
        type: "suggestion"
      },
      defaultOptions: [{ onlyInlineLambdas: false }],
      create(context, [{ onlyInlineLambdas }]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const classScopeStack = [];
        function handlePropertyAccessExpression(node, parent, classScope) {
          if (ts.isBinaryExpression(parent)) {
            handleParentBinaryExpression(node, parent, classScope);
            return;
          }
          if (ts.isDeleteExpression(parent) || isDestructuringAssignment(node)) {
            classScope.addVariableModification(node);
            return;
          }
          if (ts.isPostfixUnaryExpression(parent) || ts.isPrefixUnaryExpression(parent)) {
            handleParentPostfixOrPrefixUnaryExpression(parent, classScope);
          }
        }
        function handleParentBinaryExpression(node, parent, classScope) {
          if (parent.left === node && tsutils.isAssignmentKind(parent.operatorToken.kind)) {
            classScope.addVariableModification(node);
          }
        }
        function handleParentPostfixOrPrefixUnaryExpression(node, classScope) {
          if (node.operator === ts.SyntaxKind.PlusPlusToken || node.operator === ts.SyntaxKind.MinusMinusToken) {
            classScope.addVariableModification(node.operand);
          }
        }
        function isDestructuringAssignment(node) {
          let current = node.parent;
          while (current) {
            const parent = current.parent;
            if (ts.isObjectLiteralExpression(parent) || ts.isArrayLiteralExpression(parent) || ts.isSpreadAssignment(parent) || ts.isSpreadElement(parent) && ts.isArrayLiteralExpression(parent.parent)) {
              current = parent;
            } else if (ts.isBinaryExpression(parent) && !ts.isPropertyAccessExpression(current)) {
              return parent.left === current && parent.operatorToken.kind === ts.SyntaxKind.EqualsToken;
            } else {
              break;
            }
          }
          return false;
        }
        function isFunctionScopeBoundaryInStack(node) {
          if (classScopeStack.length === 0) {
            return false;
          }
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          if (ts.isConstructorDeclaration(tsNode)) {
            return false;
          }
          return tsutils.isFunctionScopeBoundary(tsNode);
        }
        function getEsNodesFromViolatingNode(violatingNode) {
          return {
            esNode: services.tsNodeToESTreeNodeMap.get(violatingNode),
            nameNode: services.tsNodeToESTreeNodeMap.get(violatingNode.name)
          };
        }
        return {
          "ClassDeclaration, ClassExpression"(node) {
            classScopeStack.push(new ClassScope(checker, services.esTreeNodeToTSNodeMap.get(node), onlyInlineLambdas));
          },
          "ClassDeclaration, ClassExpression:exit"() {
            const finalizedClassScope = (0, util_1.nullThrows)(classScopeStack.pop(), "Stack should exist on class exit");
            for (const violatingNode of finalizedClassScope.finalizeUnmodifiedPrivateNonReadonlys()) {
              const { esNode, nameNode } = getEsNodesFromViolatingNode(violatingNode);
              const reportNodeOrLoc = (() => {
                switch (esNode.type) {
                  case utils_1.AST_NODE_TYPES.MethodDefinition:
                  case utils_1.AST_NODE_TYPES.PropertyDefinition:
                  case utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition:
                    return { loc: (0, getMemberHeadLoc_1.getMemberHeadLoc)(context.sourceCode, esNode) };
                  case utils_1.AST_NODE_TYPES.TSParameterProperty:
                    return {
                      loc: (0, getMemberHeadLoc_1.getParameterPropertyHeadLoc)(context.sourceCode, esNode, nameNode.name)
                    };
                  default:
                    return { node: esNode };
                }
              })();
              context.report({
                ...reportNodeOrLoc,
                data: {
                  name: context.sourceCode.getText(nameNode)
                },
                fix: (fixer) => fixer.insertTextBefore(nameNode, "readonly "),
                messageId: "preferReadonly"
              });
            }
          },
          MemberExpression(node) {
            if (classScopeStack.length !== 0 && !node.computed) {
              const tsNode = services.esTreeNodeToTSNodeMap.get(node);
              handlePropertyAccessExpression(tsNode, tsNode.parent, classScopeStack[classScopeStack.length - 1]);
            }
          },
          [functionScopeBoundaries](node) {
            if (utils_1.ASTUtils.isConstructor(node)) {
              classScopeStack[classScopeStack.length - 1].enterConstructor(services.esTreeNodeToTSNodeMap.get(node));
            } else if (isFunctionScopeBoundaryInStack(node)) {
              classScopeStack[classScopeStack.length - 1].enterNonConstructor();
            }
          },
          [`${functionScopeBoundaries}:exit`](node) {
            if (utils_1.ASTUtils.isConstructor(node)) {
              classScopeStack[classScopeStack.length - 1].exitConstructor();
            } else if (isFunctionScopeBoundaryInStack(node)) {
              classScopeStack[classScopeStack.length - 1].exitNonConstructor();
            }
          }
        };
      }
    });
    var OUTSIDE_CONSTRUCTOR = -1;
    var DIRECTLY_INSIDE_CONSTRUCTOR = 0;
    var TypeToClassRelation;
    (function(TypeToClassRelation2) {
      TypeToClassRelation2[TypeToClassRelation2["ClassAndInstance"] = 0] = "ClassAndInstance";
      TypeToClassRelation2[TypeToClassRelation2["Class"] = 1] = "Class";
      TypeToClassRelation2[TypeToClassRelation2["Instance"] = 2] = "Instance";
      TypeToClassRelation2[TypeToClassRelation2["None"] = 3] = "None";
    })(TypeToClassRelation || (TypeToClassRelation = {}));
    var ClassScope = class {
      constructor(checker, classNode, onlyInlineLambdas) {
        this.checker = checker;
        this.onlyInlineLambdas = onlyInlineLambdas;
        this.privateModifiableMembers = /* @__PURE__ */ new Map();
        this.privateModifiableStatics = /* @__PURE__ */ new Map();
        this.memberVariableModifications = /* @__PURE__ */ new Set();
        this.staticVariableModifications = /* @__PURE__ */ new Set();
        this.constructorScopeDepth = OUTSIDE_CONSTRUCTOR;
        const classType = checker.getTypeAtLocation(classNode);
        if (tsutils.isIntersectionType(classType)) {
          this.classType = classType.types[0];
        } else {
          this.classType = classType;
        }
        for (const member of classNode.members) {
          if (ts.isPropertyDeclaration(member)) {
            this.addDeclaredVariable(member);
          }
        }
      }
      addDeclaredVariable(node) {
        if (!(tsutils.isModifierFlagSet(node, ts.ModifierFlags.Private) || node.name.kind === ts.SyntaxKind.PrivateIdentifier) || tsutils.isModifierFlagSet(node, ts.ModifierFlags.Accessor | ts.ModifierFlags.Readonly) || ts.isComputedPropertyName(node.name)) {
          return;
        }
        if (this.onlyInlineLambdas && node.initializer !== void 0 && !ts.isArrowFunction(node.initializer)) {
          return;
        }
        (tsutils.isModifierFlagSet(node, ts.ModifierFlags.Static) ? this.privateModifiableStatics : this.privateModifiableMembers).set(node.name.getText(), node);
      }
      getTypeToClassRelation(type) {
        if (type.isIntersection()) {
          let result = TypeToClassRelation.None;
          for (const subType of type.types) {
            const subTypeResult = this.getTypeToClassRelation(subType);
            switch (subTypeResult) {
              case TypeToClassRelation.Class:
                if (result === TypeToClassRelation.Instance) {
                  return TypeToClassRelation.ClassAndInstance;
                }
                result = TypeToClassRelation.Class;
                break;
              case TypeToClassRelation.Instance:
                if (result === TypeToClassRelation.Class) {
                  return TypeToClassRelation.ClassAndInstance;
                }
                result = TypeToClassRelation.Instance;
                break;
            }
          }
          return result;
        }
        if (type.isUnion()) {
          return this.getTypeToClassRelation(type.types[0]);
        }
        if (!type.getSymbol() || !(0, util_1.typeIsOrHasBaseType)(type, this.classType)) {
          return TypeToClassRelation.None;
        }
        const typeIsClass = tsutils.isObjectType(type) && tsutils.isObjectFlagSet(type, ts.ObjectFlags.Anonymous);
        if (typeIsClass) {
          return TypeToClassRelation.Class;
        }
        return TypeToClassRelation.Instance;
      }
      addVariableModification(node) {
        const modifierType = this.checker.getTypeAtLocation(node.expression);
        const relationOfModifierTypeToClass = this.getTypeToClassRelation(modifierType);
        if (relationOfModifierTypeToClass === TypeToClassRelation.Instance && this.constructorScopeDepth === DIRECTLY_INSIDE_CONSTRUCTOR) {
          return;
        }
        if (relationOfModifierTypeToClass === TypeToClassRelation.Instance || relationOfModifierTypeToClass === TypeToClassRelation.ClassAndInstance) {
          this.memberVariableModifications.add(node.name.text);
        }
        if (relationOfModifierTypeToClass === TypeToClassRelation.Class || relationOfModifierTypeToClass === TypeToClassRelation.ClassAndInstance) {
          this.staticVariableModifications.add(node.name.text);
        }
      }
      enterConstructor(node) {
        this.constructorScopeDepth = DIRECTLY_INSIDE_CONSTRUCTOR;
        for (const parameter of node.parameters) {
          if (tsutils.isModifierFlagSet(parameter, ts.ModifierFlags.Private)) {
            this.addDeclaredVariable(parameter);
          }
        }
      }
      exitConstructor() {
        this.constructorScopeDepth = OUTSIDE_CONSTRUCTOR;
      }
      enterNonConstructor() {
        if (this.constructorScopeDepth !== OUTSIDE_CONSTRUCTOR) {
          this.constructorScopeDepth += 1;
        }
      }
      exitNonConstructor() {
        if (this.constructorScopeDepth !== OUTSIDE_CONSTRUCTOR) {
          this.constructorScopeDepth -= 1;
        }
      }
      finalizeUnmodifiedPrivateNonReadonlys() {
        this.memberVariableModifications.forEach((variableName) => {
          this.privateModifiableMembers.delete(variableName);
        });
        this.staticVariableModifications.forEach((variableName) => {
          this.privateModifiableStatics.delete(variableName);
        });
        return [
          ...Array.from(this.privateModifiableMembers.values()),
          ...Array.from(this.privateModifiableStatics.values())
        ];
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-readonly-parameter-types.js
var require_prefer_readonly_parameter_types = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-readonly-parameter-types.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-readonly-parameter-types",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require function parameters to be typed as `readonly` to prevent accidental mutation of inputs",
          requiresTypeChecking: true
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              allow: util_1.readonlynessOptionsSchema.properties.allow,
              checkParameterProperties: {
                type: "boolean"
              },
              ignoreInferredTypes: {
                type: "boolean"
              },
              treatMethodsAsReadonly: util_1.readonlynessOptionsSchema.properties.treatMethodsAsReadonly
            }
          }
        ],
        messages: {
          shouldBeReadonly: "Parameter should be a read only type."
        }
      },
      defaultOptions: [
        {
          allow: util_1.readonlynessOptionsDefaults.allow,
          checkParameterProperties: true,
          ignoreInferredTypes: false,
          treatMethodsAsReadonly: util_1.readonlynessOptionsDefaults.treatMethodsAsReadonly
        }
      ],
      create(context, [{ allow, checkParameterProperties, ignoreInferredTypes, treatMethodsAsReadonly }]) {
        const services = (0, util_1.getParserServices)(context);
        return {
          [[
            utils_1.AST_NODE_TYPES.ArrowFunctionExpression,
            utils_1.AST_NODE_TYPES.FunctionDeclaration,
            utils_1.AST_NODE_TYPES.FunctionExpression,
            utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration,
            utils_1.AST_NODE_TYPES.TSConstructSignatureDeclaration,
            utils_1.AST_NODE_TYPES.TSDeclareFunction,
            utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression,
            utils_1.AST_NODE_TYPES.TSFunctionType,
            utils_1.AST_NODE_TYPES.TSMethodSignature
          ].join(", ")](node) {
            for (const param of node.params) {
              if (!checkParameterProperties && param.type === utils_1.AST_NODE_TYPES.TSParameterProperty) {
                continue;
              }
              const actualParam = param.type === utils_1.AST_NODE_TYPES.TSParameterProperty ? param.parameter : param;
              if (ignoreInferredTypes && actualParam.typeAnnotation == null) {
                continue;
              }
              const type = services.getTypeAtLocation(actualParam);
              const isReadOnly = (0, util_1.isTypeReadonly)(services.program, type, {
                treatMethodsAsReadonly: !!treatMethodsAsReadonly,
                allow
              });
              if (!isReadOnly) {
                context.report({
                  node: actualParam,
                  messageId: "shouldBeReadonly"
                });
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-reduce-type-parameter.js
var require_prefer_reduce_type_parameter = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-reduce-type-parameter.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var util_1 = require_util4();
    var getMemberExpressionName = (member) => {
      if (!member.computed) {
        return member.property.name;
      }
      if (member.property.type === utils_1.AST_NODE_TYPES.Literal && typeof member.property.value === "string") {
        return member.property.value;
      }
      return null;
    };
    exports2.default = (0, util_1.createRule)({
      name: "prefer-reduce-type-parameter",
      meta: {
        type: "problem",
        docs: {
          description: "Enforce using type parameter when calling `Array#reduce` instead of casting",
          recommended: "strict",
          requiresTypeChecking: true
        },
        messages: {
          preferTypeParameter: "Unnecessary cast: Array#reduce accepts a type parameter for the default value."
        },
        fixable: "code",
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function isArrayType(type) {
          return tsutils.unionTypeParts(type).every((unionPart) => tsutils.intersectionTypeParts(unionPart).every((t) => checker.isArrayType(t) || checker.isTupleType(t)));
        }
        return {
          "CallExpression > MemberExpression.callee"(callee) {
            if (getMemberExpressionName(callee) !== "reduce") {
              return;
            }
            const [, secondArg] = callee.parent.arguments;
            if (callee.parent.arguments.length < 2 || !(0, util_1.isTypeAssertion)(secondArg)) {
              return;
            }
            const calleeObjType = (0, util_1.getConstrainedTypeAtLocation)(services, callee.object);
            if (isArrayType(calleeObjType)) {
              context.report({
                messageId: "preferTypeParameter",
                node: secondArg,
                fix: (fixer) => {
                  const fixes = [
                    fixer.removeRange([
                      secondArg.range[0],
                      secondArg.expression.range[0]
                    ]),
                    fixer.removeRange([
                      secondArg.expression.range[1],
                      secondArg.range[1]
                    ])
                  ];
                  if (!callee.parent.typeArguments) {
                    fixes.push(fixer.insertTextAfter(callee, `<${context.sourceCode.getText(secondArg.typeAnnotation)}>`));
                  }
                  return fixes;
                }
              });
              return;
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-regexp-exec.js
var require_prefer_regexp_exec = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-regexp-exec.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var util_1 = require_util4();
    var ArgumentType;
    (function(ArgumentType2) {
      ArgumentType2[ArgumentType2["Other"] = 0] = "Other";
      ArgumentType2[ArgumentType2["String"] = 1] = "String";
      ArgumentType2[ArgumentType2["RegExp"] = 2] = "RegExp";
      ArgumentType2[ArgumentType2["Both"] = 3] = "Both";
    })(ArgumentType || (ArgumentType = {}));
    exports2.default = (0, util_1.createRule)({
      name: "prefer-regexp-exec",
      defaultOptions: [],
      meta: {
        type: "suggestion",
        fixable: "code",
        docs: {
          description: "Enforce `RegExp#exec` over `String#match` if no global flag is provided",
          requiresTypeChecking: true
        },
        messages: {
          regExpExecOverStringMatch: "Use the `RegExp#exec()` method instead."
        },
        schema: []
      },
      create(context) {
        const globalScope = context.sourceCode.getScope(context.sourceCode.ast);
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function isStringType(type) {
          return (0, util_1.getTypeName)(checker, type) === "string";
        }
        function isRegExpType(type) {
          return (0, util_1.getTypeName)(checker, type) === "RegExp";
        }
        function collectArgumentTypes(types) {
          let result = ArgumentType.Other;
          for (const type of types) {
            if (isRegExpType(type)) {
              result |= ArgumentType.RegExp;
            } else if (isStringType(type)) {
              result |= ArgumentType.String;
            }
          }
          return result;
        }
        function definitelyDoesNotContainGlobalFlag(node) {
          if ((node.type === utils_1.AST_NODE_TYPES.CallExpression || node.type === utils_1.AST_NODE_TYPES.NewExpression) && node.callee.type === utils_1.AST_NODE_TYPES.Identifier && node.callee.name === "RegExp") {
            const flags = node.arguments.at(1);
            return !(flags?.type === utils_1.AST_NODE_TYPES.Literal && typeof flags.value === "string" && flags.value.includes("g"));
          }
          return false;
        }
        return {
          "CallExpression[arguments.length=1] > MemberExpression.callee[property.name='match'][computed=false]"(memberNode) {
            const objectNode = memberNode.object;
            const callNode = memberNode.parent;
            const [argumentNode] = callNode.arguments;
            const argumentValue = (0, util_1.getStaticValue)(argumentNode, globalScope);
            if (!isStringType(services.getTypeAtLocation(objectNode))) {
              return;
            }
            if (!argumentValue && !definitelyDoesNotContainGlobalFlag(argumentNode) || argumentValue && argumentValue.value instanceof RegExp && argumentValue.value.flags.includes("g")) {
              return;
            }
            if (argumentNode.type === utils_1.AST_NODE_TYPES.Literal && typeof argumentNode.value === "string") {
              let regExp;
              try {
                regExp = RegExp(argumentNode.value);
              } catch {
                return;
              }
              return context.report({
                node: memberNode.property,
                messageId: "regExpExecOverStringMatch",
                fix: (0, util_1.getWrappingFixer)({
                  sourceCode: context.sourceCode,
                  node: callNode,
                  innerNode: [objectNode],
                  wrap: (objectCode) => `${regExp.toString()}.exec(${objectCode})`
                })
              });
            }
            const argumentType = services.getTypeAtLocation(argumentNode);
            const argumentTypes = collectArgumentTypes(tsutils.unionTypeParts(argumentType));
            switch (argumentTypes) {
              case ArgumentType.RegExp:
                return context.report({
                  node: memberNode.property,
                  messageId: "regExpExecOverStringMatch",
                  fix: (0, util_1.getWrappingFixer)({
                    sourceCode: context.sourceCode,
                    node: callNode,
                    innerNode: [objectNode, argumentNode],
                    wrap: (objectCode, argumentCode) => `${argumentCode}.exec(${objectCode})`
                  })
                });
              case ArgumentType.String:
                return context.report({
                  node: memberNode.property,
                  messageId: "regExpExecOverStringMatch",
                  fix: (0, util_1.getWrappingFixer)({
                    sourceCode: context.sourceCode,
                    node: callNode,
                    innerNode: [objectNode, argumentNode],
                    wrap: (objectCode, argumentCode) => `RegExp(${argumentCode}).exec(${objectCode})`
                  })
                });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-return-this-type.js
var require_prefer_return_this_type = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-return-this-type.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-return-this-type",
      defaultOptions: [],
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce that `this` is used when only `this` type is returned",
          recommended: "strict",
          requiresTypeChecking: true
        },
        messages: {
          useThisType: "Use `this` type instead."
        },
        schema: [],
        fixable: "code"
      },
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function tryGetNameInType(name, typeNode) {
          if (typeNode.type === utils_1.AST_NODE_TYPES.TSTypeReference && typeNode.typeName.type === utils_1.AST_NODE_TYPES.Identifier && typeNode.typeName.name === name) {
            return typeNode;
          }
          if (typeNode.type === utils_1.AST_NODE_TYPES.TSUnionType) {
            for (const type of typeNode.types) {
              const found = tryGetNameInType(name, type);
              if (found) {
                return found;
              }
            }
          }
          return void 0;
        }
        function isThisSpecifiedInParameters(originalFunc) {
          const firstArg = originalFunc.params.at(0);
          return !!(firstArg?.type === utils_1.AST_NODE_TYPES.Identifier && firstArg.name === "this");
        }
        function isFunctionReturningThis(originalFunc, originalClass) {
          if (isThisSpecifiedInParameters(originalFunc)) {
            return false;
          }
          const func = services.esTreeNodeToTSNodeMap.get(originalFunc);
          if (!func.body) {
            return false;
          }
          const classType = services.getTypeAtLocation(originalClass);
          if (func.body.kind !== ts.SyntaxKind.Block) {
            const type = checker.getTypeAtLocation(func.body);
            return classType.thisType === type;
          }
          let hasReturnThis = false;
          let hasReturnClassType = false;
          (0, util_1.forEachReturnStatement)(func.body, (stmt) => {
            const expr = stmt.expression;
            if (!expr) {
              return;
            }
            if (expr.kind === ts.SyntaxKind.ThisKeyword) {
              hasReturnThis = true;
              return;
            }
            const type = checker.getTypeAtLocation(expr);
            if (classType === type) {
              hasReturnClassType = true;
              return true;
            }
            if (classType.thisType === type) {
              hasReturnThis = true;
              return;
            }
            return;
          });
          return !hasReturnClassType && hasReturnThis;
        }
        function checkFunction(originalFunc, originalClass) {
          const className = originalClass.id?.name;
          if (!className || !originalFunc.returnType) {
            return;
          }
          const node = tryGetNameInType(className, originalFunc.returnType.typeAnnotation);
          if (!node) {
            return;
          }
          if (isFunctionReturningThis(originalFunc, originalClass)) {
            context.report({
              node,
              messageId: "useThisType",
              fix: (fixer) => fixer.replaceText(node, "this")
            });
          }
        }
        return {
          "ClassBody > MethodDefinition"(node) {
            checkFunction(node.value, node.parent.parent);
          },
          "ClassBody > PropertyDefinition"(node) {
            if (!(node.value?.type === utils_1.AST_NODE_TYPES.FunctionExpression || node.value?.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression)) {
              return;
            }
            checkFunction(node.value, node.parent.parent);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-string-starts-ends-with.js
var require_prefer_string_starts_ends_with = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-string-starts-ends-with.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var regexpp_1 = require_regexpp();
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var EQ_OPERATORS = /^[=!]=/;
    var regexpp = new regexpp_1.RegExpParser();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-string-starts-ends-with",
      defaultOptions: [{ allowSingleElementEquality: "never" }],
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce using `String#startsWith` and `String#endsWith` over other equivalent methods of checking substrings",
          recommended: "stylistic",
          requiresTypeChecking: true
        },
        messages: {
          preferStartsWith: "Use 'String#startsWith' method instead.",
          preferEndsWith: "Use the 'String#endsWith' method instead."
        },
        schema: [
          {
            additionalProperties: false,
            properties: {
              allowSingleElementEquality: {
                description: "Whether to allow equality checks against the first or last element of a string.",
                enum: ["always", "never"],
                type: "string"
              }
            },
            type: "object"
          }
        ],
        fixable: "code"
      },
      create(context, [{ allowSingleElementEquality }]) {
        const globalScope = context.sourceCode.getScope(context.sourceCode.ast);
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function isStringType(node) {
          const objectType2 = services.getTypeAtLocation(node);
          return (0, util_1.getTypeName)(checker, objectType2) === "string";
        }
        function isNull(node) {
          const evaluated = (0, util_1.getStaticValue)(node, globalScope);
          return evaluated != null && evaluated.value == null;
        }
        function isNumber2(node, value) {
          const evaluated = (0, util_1.getStaticValue)(node, globalScope);
          return evaluated != null && evaluated.value === value;
        }
        function isCharacter(node) {
          const evaluated = (0, util_1.getStaticValue)(node, globalScope);
          return evaluated != null && typeof evaluated.value === "string" && // checks if the string is a character long
          evaluated.value[0] === evaluated.value;
        }
        function isEqualityComparison(node) {
          return node.type === utils_1.AST_NODE_TYPES.BinaryExpression && EQ_OPERATORS.test(node.operator);
        }
        function isSameTokens(node1, node2) {
          const tokens1 = context.sourceCode.getTokens(node1);
          const tokens2 = context.sourceCode.getTokens(node2);
          if (tokens1.length !== tokens2.length) {
            return false;
          }
          for (let i = 0; i < tokens1.length; ++i) {
            const token1 = tokens1[i];
            const token2 = tokens2[i];
            if (token1.type !== token2.type || token1.value !== token2.value) {
              return false;
            }
          }
          return true;
        }
        function isLengthExpression(node, expectedObjectNode) {
          if (node.type === utils_1.AST_NODE_TYPES.MemberExpression) {
            return (0, util_1.getPropertyName)(node, globalScope) === "length" && isSameTokens(node.object, expectedObjectNode);
          }
          const evaluatedLength = (0, util_1.getStaticValue)(node, globalScope);
          const evaluatedString = (0, util_1.getStaticValue)(expectedObjectNode, globalScope);
          return evaluatedLength != null && evaluatedString != null && typeof evaluatedLength.value === "number" && typeof evaluatedString.value === "string" && evaluatedLength.value === evaluatedString.value.length;
        }
        function isLengthAheadOfEnd(node, substring, parentString) {
          return node.type === utils_1.AST_NODE_TYPES.UnaryExpression && node.operator === "-" && isLengthExpression(node.argument, substring) || node.type === utils_1.AST_NODE_TYPES.BinaryExpression && node.operator === "-" && isLengthExpression(node.left, parentString) && isLengthExpression(node.right, substring);
        }
        function isLastIndexExpression(node, expectedObjectNode) {
          return node.type === utils_1.AST_NODE_TYPES.BinaryExpression && node.operator === "-" && isLengthExpression(node.left, expectedObjectNode) && isNumber2(node.right, 1);
        }
        function getPropertyRange(node) {
          const dotOrOpenBracket = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.object, util_1.isNotClosingParenToken), util_1.NullThrowsReasons.MissingToken("closing parenthesis", "member"));
          return [dotOrOpenBracket.range[0], node.range[1]];
        }
        function parseRegExpText(pattern, unicode) {
          const ast = regexpp.parsePattern(pattern, void 0, void 0, {
            unicode
          });
          if (ast.alternatives.length !== 1) {
            return null;
          }
          const chars = ast.alternatives[0].elements;
          const first = chars[0];
          if (first.type === "Assertion" && first.kind === "start") {
            chars.shift();
          } else {
            chars.pop();
          }
          if (!chars.every((c) => c.type === "Character")) {
            return null;
          }
          return String.fromCodePoint(...chars.map((c) => c.value));
        }
        function parseRegExp2(node) {
          const evaluated = (0, util_1.getStaticValue)(node, globalScope);
          if (evaluated == null || !(evaluated.value instanceof RegExp)) {
            return null;
          }
          const { source, flags } = evaluated.value;
          const isStartsWith = source.startsWith("^");
          const isEndsWith = source.endsWith("$");
          if (isStartsWith === isEndsWith || flags.includes("i") || flags.includes("m")) {
            return null;
          }
          const text = parseRegExpText(source, flags.includes("u"));
          if (text == null) {
            return null;
          }
          return { isEndsWith, isStartsWith, text };
        }
        function getLeftNode(node) {
          if (node.type === utils_1.AST_NODE_TYPES.ChainExpression) {
            return getLeftNode(node.expression);
          }
          let leftNode;
          if (node.type === utils_1.AST_NODE_TYPES.CallExpression) {
            leftNode = node.callee;
          } else {
            leftNode = node;
          }
          if (leftNode.type !== utils_1.AST_NODE_TYPES.MemberExpression) {
            throw new Error(`Expected a MemberExpression, got ${leftNode.type}`);
          }
          return leftNode;
        }
        function* fixWithRightOperand(fixer, node, kind, isNegative2, isOptional) {
          const leftNode = getLeftNode(node.left);
          const propertyRange = getPropertyRange(leftNode);
          if (isNegative2) {
            yield fixer.insertTextBefore(node, "!");
          }
          yield fixer.replaceTextRange([propertyRange[0], node.right.range[0]], `${isOptional ? "?." : "."}${kind}sWith(`);
          yield fixer.replaceTextRange([node.right.range[1], node.range[1]], ")");
        }
        function* fixWithArgument(fixer, node, callNode, calleeNode, kind, negative, isOptional) {
          if (negative) {
            yield fixer.insertTextBefore(node, "!");
          }
          yield fixer.replaceTextRange(getPropertyRange(calleeNode), `${isOptional ? "?." : "."}${kind}sWith`);
          yield fixer.removeRange([callNode.range[1], node.range[1]]);
        }
        function getParent(node) {
          return (0, util_1.nullThrows)(node.parent?.type === utils_1.AST_NODE_TYPES.ChainExpression ? node.parent.parent : node.parent, util_1.NullThrowsReasons.MissingParent);
        }
        return {
          // foo[0] === "a"
          // foo.charAt(0) === "a"
          // foo[foo.length - 1] === "a"
          // foo.charAt(foo.length - 1) === "a"
          [[
            "BinaryExpression > MemberExpression.left[computed=true]",
            'BinaryExpression > CallExpression.left > MemberExpression.callee[property.name="charAt"][computed=false]',
            "BinaryExpression > ChainExpression.left > MemberExpression[computed=true]",
            'BinaryExpression > ChainExpression.left > CallExpression > MemberExpression.callee[property.name="charAt"][computed=false]'
          ].join(", ")](node) {
            let parentNode = getParent(node);
            let indexNode = null;
            if (parentNode.type === utils_1.AST_NODE_TYPES.CallExpression) {
              if (parentNode.arguments.length === 1) {
                indexNode = parentNode.arguments[0];
              }
              parentNode = getParent(parentNode);
            } else {
              indexNode = node.property;
            }
            if (indexNode == null || !isEqualityComparison(parentNode) || !isStringType(node.object)) {
              return;
            }
            const isEndsWith = isLastIndexExpression(indexNode, node.object);
            if (allowSingleElementEquality === "always" && isEndsWith) {
              return;
            }
            const isStartsWith = !isEndsWith && isNumber2(indexNode, 0);
            if (allowSingleElementEquality === "always" && isStartsWith || !isStartsWith && !isEndsWith) {
              return;
            }
            const eqNode = parentNode;
            context.report({
              node: parentNode,
              messageId: isStartsWith ? "preferStartsWith" : "preferEndsWith",
              fix(fixer) {
                if (!isCharacter(eqNode.right)) {
                  return null;
                }
                return fixWithRightOperand(fixer, eqNode, isStartsWith ? "start" : "end", eqNode.operator.startsWith("!"), node.optional);
              }
            });
          },
          // foo.indexOf('bar') === 0
          [[
            'BinaryExpression > CallExpression.left > MemberExpression.callee[property.name="indexOf"][computed=false]',
            'BinaryExpression > ChainExpression.left > CallExpression > MemberExpression.callee[property.name="indexOf"][computed=false]'
          ].join(", ")](node) {
            const callNode = getParent(node);
            const parentNode = getParent(callNode);
            if (callNode.arguments.length !== 1 || !isEqualityComparison(parentNode) || !isNumber2(parentNode.right, 0) || !isStringType(node.object)) {
              return;
            }
            context.report({
              node: parentNode,
              messageId: "preferStartsWith",
              fix(fixer) {
                return fixWithArgument(fixer, parentNode, callNode, node, "start", parentNode.operator.startsWith("!"), node.optional);
              }
            });
          },
          // foo.lastIndexOf('bar') === foo.length - 3
          // foo.lastIndexOf(bar) === foo.length - bar.length
          [[
            'BinaryExpression > CallExpression.left > MemberExpression.callee[property.name="lastIndexOf"][computed=false]',
            'BinaryExpression > ChainExpression.left > CallExpression > MemberExpression.callee[property.name="lastIndexOf"][computed=false]'
          ].join(", ")](node) {
            const callNode = getParent(node);
            const parentNode = getParent(callNode);
            if (callNode.arguments.length !== 1 || !isEqualityComparison(parentNode) || parentNode.right.type !== utils_1.AST_NODE_TYPES.BinaryExpression || parentNode.right.operator !== "-" || !isLengthExpression(parentNode.right.left, node.object) || !isLengthExpression(parentNode.right.right, callNode.arguments[0]) || !isStringType(node.object)) {
              return;
            }
            context.report({
              node: parentNode,
              messageId: "preferEndsWith",
              fix(fixer) {
                return fixWithArgument(fixer, parentNode, callNode, node, "end", parentNode.operator.startsWith("!"), node.optional);
              }
            });
          },
          // foo.match(/^bar/) === null
          // foo.match(/bar$/) === null
          [[
            'BinaryExpression > CallExpression.left > MemberExpression.callee[property.name="match"][computed=false]',
            'BinaryExpression > ChainExpression.left > CallExpression > MemberExpression.callee[property.name="match"][computed=false]'
          ].join(", ")](node) {
            const callNode = getParent(node);
            const parentNode = getParent(callNode);
            if (!isEqualityComparison(parentNode) || !isNull(parentNode.right) || !isStringType(node.object)) {
              return;
            }
            const parsed = callNode.arguments.length === 1 ? parseRegExp2(callNode.arguments[0]) : null;
            if (parsed == null) {
              return;
            }
            const { isStartsWith, text } = parsed;
            context.report({
              node: callNode,
              messageId: isStartsWith ? "preferStartsWith" : "preferEndsWith",
              *fix(fixer) {
                if (!parentNode.operator.startsWith("!")) {
                  yield fixer.insertTextBefore(parentNode, "!");
                }
                yield fixer.replaceTextRange(getPropertyRange(node), `${node.optional ? "?." : "."}${isStartsWith ? "start" : "end"}sWith`);
                yield fixer.replaceText(callNode.arguments[0], JSON.stringify(text));
                yield fixer.removeRange([callNode.range[1], parentNode.range[1]]);
              }
            });
          },
          // foo.slice(0, 3) === 'bar'
          // foo.slice(-3) === 'bar'
          // foo.slice(-3, foo.length) === 'bar'
          // foo.substring(0, 3) === 'bar'
          // foo.substring(foo.length - 3) === 'bar'
          // foo.substring(foo.length - 3, foo.length) === 'bar'
          [[
            'BinaryExpression > CallExpression.left > MemberExpression.callee[property.name="slice"][computed=false]',
            'BinaryExpression > CallExpression.left > MemberExpression.callee[property.name="substring"][computed=false]',
            'BinaryExpression > ChainExpression.left > CallExpression > MemberExpression.callee[property.name="slice"][computed=false]',
            'BinaryExpression > ChainExpression.left > CallExpression > MemberExpression.callee[property.name="substring"][computed=false]'
          ].join(", ")](node) {
            const callNode = getParent(node);
            const parentNode = getParent(callNode);
            if (!isEqualityComparison(parentNode) || !isStringType(node.object)) {
              return;
            }
            let isEndsWith = false;
            let isStartsWith = false;
            if (callNode.arguments.length === 1) {
              if (
                // foo.slice(-bar.length) === bar
                // foo.slice(foo.length - bar.length) === bar
                isLengthAheadOfEnd(callNode.arguments[0], parentNode.right, node.object)
              ) {
                isEndsWith = true;
              }
            } else if (callNode.arguments.length === 2) {
              if (
                // foo.slice(0, bar.length) === bar
                isNumber2(callNode.arguments[0], 0) && isLengthExpression(callNode.arguments[1], parentNode.right)
              ) {
                isStartsWith = true;
              } else if (
                // foo.slice(foo.length - bar.length, foo.length) === bar
                // foo.slice(foo.length - bar.length, 0) === bar
                // foo.slice(-bar.length, foo.length) === bar
                // foo.slice(-bar.length, 0) === bar
                (isLengthExpression(callNode.arguments[1], node.object) || isNumber2(callNode.arguments[1], 0)) && isLengthAheadOfEnd(callNode.arguments[0], parentNode.right, node.object)
              ) {
                isEndsWith = true;
              }
            }
            if (!isStartsWith && !isEndsWith) {
              return;
            }
            const eqNode = parentNode;
            const negativeIndexSupported = node.property.name === "slice";
            context.report({
              node: parentNode,
              messageId: isStartsWith ? "preferStartsWith" : "preferEndsWith",
              fix(fixer) {
                if (eqNode.operator.length === 2 && (eqNode.right.type !== utils_1.AST_NODE_TYPES.Literal || typeof eqNode.right.value !== "string")) {
                  return null;
                }
                if (isStartsWith) {
                  if (!isLengthExpression(callNode.arguments[1], eqNode.right)) {
                    return null;
                  }
                } else {
                  const posNode = callNode.arguments[0];
                  const posNodeIsAbsolutelyValid = posNode.type === utils_1.AST_NODE_TYPES.BinaryExpression && posNode.operator === "-" && isLengthExpression(posNode.left, node.object) && isLengthExpression(posNode.right, eqNode.right) || negativeIndexSupported && posNode.type === utils_1.AST_NODE_TYPES.UnaryExpression && posNode.operator === "-" && isLengthExpression(posNode.argument, eqNode.right);
                  if (!posNodeIsAbsolutelyValid) {
                    return null;
                  }
                }
                return fixWithRightOperand(fixer, parentNode, isStartsWith ? "start" : "end", parentNode.operator.startsWith("!"), node.optional);
              }
            });
          },
          // /^bar/.test(foo)
          // /bar$/.test(foo)
          'CallExpression > MemberExpression.callee[property.name="test"][computed=false]'(node) {
            const callNode = getParent(node);
            const parsed = callNode.arguments.length === 1 ? parseRegExp2(node.object) : null;
            if (parsed == null) {
              return;
            }
            const { isStartsWith, text } = parsed;
            const messageId4 = isStartsWith ? "preferStartsWith" : "preferEndsWith";
            const methodName = isStartsWith ? "startsWith" : "endsWith";
            context.report({
              node: callNode,
              messageId: messageId4,
              *fix(fixer) {
                const argNode = callNode.arguments[0];
                const needsParen = argNode.type !== utils_1.AST_NODE_TYPES.Literal && argNode.type !== utils_1.AST_NODE_TYPES.TemplateLiteral && argNode.type !== utils_1.AST_NODE_TYPES.Identifier && argNode.type !== utils_1.AST_NODE_TYPES.MemberExpression && argNode.type !== utils_1.AST_NODE_TYPES.CallExpression;
                yield fixer.removeRange([callNode.range[0], argNode.range[0]]);
                if (needsParen) {
                  yield fixer.insertTextBefore(argNode, "(");
                  yield fixer.insertTextAfter(argNode, ")");
                }
                yield fixer.insertTextAfter(argNode, `${node.optional ? "?." : "."}${methodName}(${JSON.stringify(text)}`);
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-ts-expect-error.js
var require_prefer_ts_expect_error = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-ts-expect-error.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-ts-expect-error",
      meta: {
        type: "problem",
        deprecated: true,
        replacedBy: ["@typescript-eslint/ban-ts-comment"],
        docs: {
          description: "Enforce using `@ts-expect-error` over `@ts-ignore`"
        },
        fixable: "code",
        messages: {
          preferExpectErrorComment: 'Use "@ts-expect-error" to ensure an error is actually being suppressed.'
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const tsIgnoreRegExpSingleLine = /^\s*\/?\s*@ts-ignore/;
        const tsIgnoreRegExpMultiLine = /^\s*(?:\/|\*)*\s*@ts-ignore/;
        function isLineComment(comment) {
          return comment.type === utils_1.AST_TOKEN_TYPES.Line;
        }
        function getLastCommentLine(comment) {
          if (isLineComment(comment)) {
            return comment.value;
          }
          const commentlines = comment.value.split("\n");
          return commentlines[commentlines.length - 1];
        }
        function isValidTsIgnorePresent(comment) {
          const line = getLastCommentLine(comment);
          return isLineComment(comment) ? tsIgnoreRegExpSingleLine.test(line) : tsIgnoreRegExpMultiLine.test(line);
        }
        return {
          Program() {
            const comments = context.sourceCode.getAllComments();
            comments.forEach((comment) => {
              if (isValidTsIgnorePresent(comment)) {
                const lineCommentRuleFixer = (fixer) => fixer.replaceText(comment, `//${comment.value.replace("@ts-ignore", "@ts-expect-error")}`);
                const blockCommentRuleFixer = (fixer) => fixer.replaceText(comment, `/*${comment.value.replace("@ts-ignore", "@ts-expect-error")}*/`);
                context.report({
                  node: comment,
                  messageId: "preferExpectErrorComment",
                  fix: isLineComment(comment) ? lineCommentRuleFixer : blockCommentRuleFixer
                });
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/promise-function-async.js
var require_promise_function_async = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/promise-function-async.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "promise-function-async",
      meta: {
        type: "suggestion",
        fixable: "code",
        docs: {
          description: "Require any function or method that returns a Promise to be marked async",
          requiresTypeChecking: true
        },
        messages: {
          missingAsync: "Functions that return promises must be async."
        },
        schema: [
          {
            type: "object",
            properties: {
              allowAny: {
                description: "Whether to consider `any` and `unknown` to be Promises.",
                type: "boolean"
              },
              allowedPromiseNames: {
                description: "Any extra names of classes or interfaces to be considered Promises.",
                type: "array",
                items: {
                  type: "string"
                }
              },
              checkArrowFunctions: {
                type: "boolean"
              },
              checkFunctionDeclarations: {
                type: "boolean"
              },
              checkFunctionExpressions: {
                type: "boolean"
              },
              checkMethodDeclarations: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          allowAny: true,
          allowedPromiseNames: [],
          checkArrowFunctions: true,
          checkFunctionDeclarations: true,
          checkFunctionExpressions: true,
          checkMethodDeclarations: true
        }
      ],
      create(context, [{ allowAny, allowedPromiseNames, checkArrowFunctions, checkFunctionDeclarations, checkFunctionExpressions, checkMethodDeclarations }]) {
        const allAllowedPromiseNames = /* @__PURE__ */ new Set([
          "Promise",
          // https://github.com/typescript-eslint/typescript-eslint/issues/5439
          // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
          ...allowedPromiseNames
        ]);
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function validateNode(node) {
          const signatures = services.getTypeAtLocation(node).getCallSignatures();
          if (!signatures.length) {
            return;
          }
          const returnType = checker.getReturnTypeOfSignature(signatures[0]);
          if (!(0, util_1.containsAllTypesByName)(
            returnType,
            // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
            allowAny,
            allAllowedPromiseNames,
            // If no return type is explicitly set, we check if any parts of the return type match a Promise (instead of requiring all to match).
            node.returnType == null
          )) {
            return;
          }
          if (node.parent.type === utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition) {
            return;
          }
          if ((node.parent.type === utils_1.AST_NODE_TYPES.Property || node.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition) && (node.parent.kind === "get" || node.parent.kind === "set")) {
            return;
          }
          if ((0, util_1.isTypeFlagSet)(returnType, ts.TypeFlags.Any | ts.TypeFlags.Unknown)) {
            return context.report({
              messageId: "missingAsync",
              node,
              loc: (0, util_1.getFunctionHeadLoc)(node, context.sourceCode)
            });
          }
          context.report({
            messageId: "missingAsync",
            node,
            loc: (0, util_1.getFunctionHeadLoc)(node, context.sourceCode),
            fix: (fixer) => {
              if (node.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition || node.parent.type === utils_1.AST_NODE_TYPES.Property && node.parent.method) {
                const method = node.parent;
                let keyToken = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(method), util_1.NullThrowsReasons.MissingToken("key token", "method"));
                if (method.type === utils_1.AST_NODE_TYPES.MethodDefinition && method.decorators.length) {
                  const lastDecorator = method.decorators[method.decorators.length - 1];
                  keyToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(lastDecorator), util_1.NullThrowsReasons.MissingToken("key token", "last decorator"));
                }
                while (keyToken.type === utils_1.AST_TOKEN_TYPES.Keyword && keyToken.range[0] < method.key.range[0]) {
                  keyToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(keyToken), util_1.NullThrowsReasons.MissingToken("token", "keyword"));
                }
                const insertSpace = !context.sourceCode.isSpaceBetween((0, util_1.nullThrows)(context.sourceCode.getTokenBefore(keyToken), util_1.NullThrowsReasons.MissingToken("token", "keyword")), keyToken);
                let code = "async ";
                if (insertSpace) {
                  code = ` ${code}`;
                }
                return fixer.insertTextBefore(keyToken, code);
              }
              return fixer.insertTextBefore(node, "async ");
            }
          });
        }
        return {
          ...checkArrowFunctions && {
            "ArrowFunctionExpression[async = false]"(node) {
              validateNode(node);
            }
          },
          ...checkFunctionDeclarations && {
            "FunctionDeclaration[async = false]"(node) {
              validateNode(node);
            }
          },
          "FunctionExpression[async = false]"(node) {
            if (node.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition && node.parent.kind === "method") {
              if (checkMethodDeclarations) {
                validateNode(node);
              }
              return;
            }
            if (checkFunctionExpressions) {
              validateNode(node);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/quotes.js
var require_quotes = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/quotes.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("quotes");
    exports2.default = (0, util_1.createRule)({
      name: "quotes",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/quotes"],
        type: "layout",
        docs: {
          description: "Enforce the consistent use of either backticks, double, or single quotes",
          extendsBaseRule: true
        },
        fixable: "code",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        messages: baseRule2.meta.messages,
        schema: baseRule2.meta.schema
      },
      defaultOptions: [
        "double",
        {
          allowTemplateLiterals: false,
          avoidEscape: false
        }
      ],
      create(context, [option]) {
        const rules = baseRule2.create(context);
        function isAllowedAsNonBacktick(node) {
          const parent = node.parent;
          switch (parent.type) {
            case utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition:
            case utils_1.AST_NODE_TYPES.TSMethodSignature:
            case utils_1.AST_NODE_TYPES.TSPropertySignature:
            case utils_1.AST_NODE_TYPES.TSModuleDeclaration:
            case utils_1.AST_NODE_TYPES.TSLiteralType:
            case utils_1.AST_NODE_TYPES.TSExternalModuleReference:
              return true;
            case utils_1.AST_NODE_TYPES.TSEnumMember:
              return node === parent.id;
            case utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition:
            case utils_1.AST_NODE_TYPES.PropertyDefinition:
              return node === parent.key;
            default:
              return false;
          }
        }
        return {
          Literal(node) {
            if (option === "backtick" && isAllowedAsNonBacktick(node)) {
              return;
            }
            rules.Literal(node);
          },
          TemplateLiteral(node) {
            rules.TemplateLiteral(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/require-array-sort-compare.js
var require_require_array_sort_compare = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/require-array-sort-compare.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "require-array-sort-compare",
      defaultOptions: [
        {
          ignoreStringArrays: true
        }
      ],
      meta: {
        type: "problem",
        docs: {
          description: "Require `Array#sort` and `Array#toSorted` calls to always provide a `compareFunction`",
          requiresTypeChecking: true
        },
        messages: {
          requireCompare: "Require 'compare' argument."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              ignoreStringArrays: {
                description: "Whether to ignore arrays in which all elements are strings.",
                type: "boolean"
              }
            }
          }
        ]
      },
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function isStringArrayNode(node) {
          const type = services.getTypeAtLocation(node);
          if (checker.isArrayType(type) || checker.isTupleType(type)) {
            const typeArgs = checker.getTypeArguments(type);
            return typeArgs.every((arg) => (0, util_1.getTypeName)(checker, arg) === "string");
          }
          return false;
        }
        function checkSortArgument(callee) {
          const calleeObjType = (0, util_1.getConstrainedTypeAtLocation)(services, callee.object);
          if (options.ignoreStringArrays && isStringArrayNode(callee.object)) {
            return;
          }
          if ((0, util_1.isTypeArrayTypeOrUnionOfArrayTypes)(calleeObjType, checker)) {
            context.report({ node: callee.parent, messageId: "requireCompare" });
          }
        }
        return {
          "CallExpression[arguments.length=0] > MemberExpression[property.name='sort'][computed=false]": checkSortArgument,
          "CallExpression[arguments.length=0] > MemberExpression[property.name='toSorted'][computed=false]": checkSortArgument
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/require-await.js
var require_require_await = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/require-await.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "require-await",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow async functions which do not return promises and have no `await` expression",
          recommended: "recommended",
          requiresTypeChecking: true,
          extendsBaseRule: true
        },
        schema: [],
        messages: {
          missingAwait: "{{name}} has no 'await' expression."
        }
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        let scopeInfo = null;
        function enterFunction(node) {
          scopeInfo = {
            upper: scopeInfo,
            hasAwait: false,
            hasAsync: node.async,
            isGen: node.generator || false,
            isAsyncYield: false
          };
        }
        function exitFunction(node) {
          if (!scopeInfo) {
            return;
          }
          if (node.async && !scopeInfo.hasAwait && !isEmptyFunction(node) && !(scopeInfo.isGen && scopeInfo.isAsyncYield)) {
            context.report({
              node,
              loc: (0, util_1.getFunctionHeadLoc)(node, context.sourceCode),
              messageId: "missingAwait",
              data: {
                name: (0, util_1.upperCaseFirst)((0, util_1.getFunctionNameWithKind)(node))
              }
            });
          }
          scopeInfo = scopeInfo.upper;
        }
        function isThenableType(node) {
          const type = checker.getTypeAtLocation(node);
          return tsutils.isThenableType(checker, node, type);
        }
        function markAsHasAwait() {
          if (!scopeInfo) {
            return;
          }
          scopeInfo.hasAwait = true;
        }
        function visitYieldExpression(node) {
          if (!scopeInfo?.isGen || !node.argument) {
            return;
          }
          if (node.argument.type === utils_1.AST_NODE_TYPES.Literal) {
            return;
          }
          if (!node.delegate) {
            if (isThenableType(services.esTreeNodeToTSNodeMap.get(node.argument))) {
              scopeInfo.isAsyncYield = true;
            }
            return;
          }
          const type = services.getTypeAtLocation(node.argument);
          const typesToCheck = expandUnionOrIntersectionType(type);
          for (const type2 of typesToCheck) {
            const asyncIterator = tsutils.getWellKnownSymbolPropertyOfType(type2, "asyncIterator", checker);
            if (asyncIterator !== void 0) {
              scopeInfo.isAsyncYield = true;
              break;
            }
          }
        }
        return {
          FunctionDeclaration: enterFunction,
          FunctionExpression: enterFunction,
          ArrowFunctionExpression: enterFunction,
          "FunctionDeclaration:exit": exitFunction,
          "FunctionExpression:exit": exitFunction,
          "ArrowFunctionExpression:exit": exitFunction,
          AwaitExpression: markAsHasAwait,
          'VariableDeclaration[kind = "await using"]': markAsHasAwait,
          "ForOfStatement[await = true]": markAsHasAwait,
          YieldExpression: visitYieldExpression,
          // check body-less async arrow function.
          // ignore `async () => await foo` because it's obviously correct
          "ArrowFunctionExpression[async = true] > :not(BlockStatement, AwaitExpression)"(node) {
            const expression = services.esTreeNodeToTSNodeMap.get(node);
            if (isThenableType(expression)) {
              markAsHasAwait();
            }
          },
          ReturnStatement(node) {
            if (!scopeInfo || scopeInfo.hasAwait || !scopeInfo.hasAsync) {
              return;
            }
            const { expression } = services.esTreeNodeToTSNodeMap.get(node);
            if (expression && isThenableType(expression)) {
              markAsHasAwait();
            }
          }
        };
      }
    });
    function isEmptyFunction(node) {
      return node.body.type === utils_1.AST_NODE_TYPES.BlockStatement && node.body.body.length === 0;
    }
    function expandUnionOrIntersectionType(type) {
      if (type.isUnionOrIntersection()) {
        return type.types.flatMap(expandUnionOrIntersectionType);
      }
      return [type];
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/restrict-plus-operands.js
var require_restrict_plus_operands = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/restrict-plus-operands.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "restrict-plus-operands",
      meta: {
        type: "problem",
        docs: {
          description: "Require both operands of addition to be the same type and be `bigint`, `number`, or `string`",
          recommended: {
            recommended: true,
            strict: [
              {
                allowAny: false,
                allowBoolean: false,
                allowNullish: false,
                allowNumberAndString: false,
                allowRegExp: false
              }
            ]
          },
          requiresTypeChecking: true
        },
        messages: {
          bigintAndNumber: "Numeric '+' operations must either be both bigints or both numbers. Got `{{left}}` + `{{right}}`.",
          invalid: "Invalid operand for a '+' operation. Operands must each be a number or {{stringLike}}. Got `{{type}}`.",
          mismatched: "Operands of '+' operations must be a number or {{stringLike}}. Got `{{left}}` + `{{right}}`."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              allowAny: {
                description: "Whether to allow `any` typed values.",
                type: "boolean"
              },
              allowBoolean: {
                description: "Whether to allow `boolean` typed values.",
                type: "boolean"
              },
              allowNullish: {
                description: "Whether to allow potentially `null` or `undefined` typed values.",
                type: "boolean"
              },
              allowNumberAndString: {
                description: "Whether to allow `bigint`/`number` typed values and `string` typed values to be added together.",
                type: "boolean"
              },
              allowRegExp: {
                description: "Whether to allow `regexp` typed values.",
                type: "boolean"
              },
              skipCompoundAssignments: {
                description: "Whether to skip compound assignments such as `+=`.",
                type: "boolean"
              }
            }
          }
        ]
      },
      defaultOptions: [
        {
          allowAny: true,
          allowBoolean: true,
          allowNullish: true,
          allowNumberAndString: true,
          allowRegExp: true,
          skipCompoundAssignments: false
        }
      ],
      create(context, [{ allowAny, allowBoolean, allowNullish, allowNumberAndString, allowRegExp, skipCompoundAssignments }]) {
        const services = (0, util_1.getParserServices)(context);
        const typeChecker = services.program.getTypeChecker();
        const stringLikes = [
          allowAny && "`any`",
          allowBoolean && "`boolean`",
          allowNullish && "`null`",
          allowRegExp && "`RegExp`",
          allowNullish && "`undefined`"
        ].filter((value) => typeof value === "string");
        const stringLike = stringLikes.length ? stringLikes.length === 1 ? `string, allowing a string + ${stringLikes[0]}` : `string, allowing a string + any of: ${stringLikes.join(", ")}` : "string";
        function getTypeConstrained(node) {
          return typeChecker.getBaseTypeOfLiteralType((0, util_1.getConstrainedTypeAtLocation)(services, node));
        }
        function checkPlusOperands(node) {
          const leftType = getTypeConstrained(node.left);
          const rightType = getTypeConstrained(node.right);
          if (leftType === rightType && tsutils.isTypeFlagSet(leftType, ts.TypeFlags.BigIntLike | ts.TypeFlags.NumberLike | ts.TypeFlags.StringLike)) {
            return;
          }
          let hadIndividualComplaint = false;
          for (const [baseNode, baseType, otherType] of [
            [node.left, leftType, rightType],
            [node.right, rightType, leftType]
          ]) {
            if (isTypeFlagSetInUnion(baseType, ts.TypeFlags.ESSymbolLike | ts.TypeFlags.Never | ts.TypeFlags.Unknown) || !allowAny && isTypeFlagSetInUnion(baseType, ts.TypeFlags.Any) || !allowBoolean && isTypeFlagSetInUnion(baseType, ts.TypeFlags.BooleanLike) || !allowNullish && (0, util_1.isTypeFlagSet)(baseType, ts.TypeFlags.Null | ts.TypeFlags.Undefined)) {
              context.report({
                data: {
                  stringLike,
                  type: typeChecker.typeToString(baseType)
                },
                messageId: "invalid",
                node: baseNode
              });
              hadIndividualComplaint = true;
              continue;
            }
            for (const subBaseType of tsutils.unionTypeParts(baseType)) {
              const typeName = (0, util_1.getTypeName)(typeChecker, subBaseType);
              if (typeName === "RegExp" ? !allowRegExp || tsutils.isTypeFlagSet(otherType, ts.TypeFlags.NumberLike) : !allowAny && (0, util_1.isTypeAnyType)(subBaseType) || isDeeplyObjectType(subBaseType)) {
                context.report({
                  data: {
                    stringLike,
                    type: typeChecker.typeToString(subBaseType)
                  },
                  messageId: "invalid",
                  node: baseNode
                });
                hadIndividualComplaint = true;
                continue;
              }
            }
          }
          if (hadIndividualComplaint) {
            return;
          }
          for (const [baseType, otherType] of [
            [leftType, rightType],
            [rightType, leftType]
          ]) {
            if (!allowNumberAndString && isTypeFlagSetInUnion(baseType, ts.TypeFlags.StringLike) && isTypeFlagSetInUnion(otherType, ts.TypeFlags.NumberLike)) {
              return context.report({
                data: {
                  stringLike,
                  left: typeChecker.typeToString(leftType),
                  right: typeChecker.typeToString(rightType)
                },
                messageId: "mismatched",
                node
              });
            }
            if (isTypeFlagSetInUnion(baseType, ts.TypeFlags.NumberLike) && isTypeFlagSetInUnion(otherType, ts.TypeFlags.BigIntLike)) {
              return context.report({
                data: {
                  left: typeChecker.typeToString(leftType),
                  right: typeChecker.typeToString(rightType)
                },
                messageId: "bigintAndNumber",
                node
              });
            }
          }
        }
        return {
          "BinaryExpression[operator='+']": checkPlusOperands,
          ...!skipCompoundAssignments && {
            "AssignmentExpression[operator='+=']"(node) {
              checkPlusOperands(node);
            }
          }
        };
      }
    });
    function isDeeplyObjectType(type) {
      return type.isIntersection() ? tsutils.intersectionTypeParts(type).every(tsutils.isObjectType) : tsutils.unionTypeParts(type).every(tsutils.isObjectType);
    }
    function isTypeFlagSetInUnion(type, flag) {
      return tsutils.unionTypeParts(type).some((subType) => tsutils.isTypeFlagSet(subType, flag));
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/restrict-template-expressions.js
var require_restrict_template_expressions = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/restrict-template-expressions.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var typescript_1 = require_typescript();
    var util_1 = require_util4();
    var testTypeFlag = (flagsToCheck) => (type) => (0, util_1.isTypeFlagSet)(type, flagsToCheck);
    var optionTesters = [
      ["Any", util_1.isTypeAnyType],
      [
        "Array",
        (type, checker, recursivelyCheckType) => (checker.isArrayType(type) || checker.isTupleType(type)) && // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
        recursivelyCheckType(type.getNumberIndexType())
      ],
      // eslint-disable-next-line @typescript-eslint/internal/prefer-ast-types-enum
      ["Boolean", testTypeFlag(typescript_1.TypeFlags.BooleanLike)],
      ["Nullish", testTypeFlag(typescript_1.TypeFlags.Null | typescript_1.TypeFlags.Undefined)],
      ["Number", testTypeFlag(typescript_1.TypeFlags.NumberLike | typescript_1.TypeFlags.BigIntLike)],
      [
        "RegExp",
        (type, checker) => (0, util_1.getTypeName)(checker, type) === "RegExp"
      ],
      ["Never", util_1.isTypeNeverType]
    ].map(([type, tester]) => ({
      type,
      option: `allow${type}`,
      tester
    }));
    exports2.default = (0, util_1.createRule)({
      name: "restrict-template-expressions",
      meta: {
        type: "problem",
        docs: {
          description: "Enforce template literal expressions to be of `string` type",
          recommended: {
            recommended: true,
            strict: [
              {
                allowAny: false,
                allowBoolean: false,
                allowNullish: false,
                allowNumber: false,
                allowRegExp: false,
                allowNever: false
              }
            ]
          },
          requiresTypeChecking: true
        },
        messages: {
          invalidType: 'Invalid type "{{type}}" of template literal expression.'
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: Object.fromEntries(optionTesters.map(({ option, type }) => [
              option,
              {
                description: `Whether to allow \`${type.toLowerCase()}\` typed values in template expressions.`,
                type: "boolean"
              }
            ]))
          }
        ]
      },
      defaultOptions: [
        {
          allowAny: true,
          allowBoolean: true,
          allowNullish: true,
          allowNumber: true,
          allowRegExp: true
        }
      ],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const enabledOptionTesters = optionTesters.filter(({ option }) => options[option]);
        return {
          TemplateLiteral(node) {
            if (node.parent.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression) {
              return;
            }
            for (const expression of node.expressions) {
              const expressionType = (0, util_1.getConstrainedTypeAtLocation)(services, expression);
              if (!recursivelyCheckType(expressionType)) {
                context.report({
                  node: expression,
                  messageId: "invalidType",
                  data: { type: checker.typeToString(expressionType) }
                });
              }
            }
          }
        };
        function recursivelyCheckType(innerType) {
          if (innerType.isUnion()) {
            return innerType.types.every(recursivelyCheckType);
          }
          if (innerType.isIntersection()) {
            return innerType.types.some(recursivelyCheckType);
          }
          return (0, util_1.isTypeFlagSet)(innerType, typescript_1.TypeFlags.StringLike) || enabledOptionTesters.some(({ tester }) => tester(innerType, checker, recursivelyCheckType));
        }
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/return-await.js
var require_return_await = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/return-await.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    var getOperatorPrecedence_1 = require_getOperatorPrecedence();
    exports2.default = (0, util_1.createRule)({
      name: "return-await",
      meta: {
        docs: {
          description: "Enforce consistent awaiting of returned promises",
          requiresTypeChecking: true,
          extendsBaseRule: "no-return-await"
        },
        fixable: "code",
        hasSuggestions: true,
        type: "problem",
        messages: {
          nonPromiseAwait: "Returning an awaited value that is not a promise is not allowed.",
          disallowedPromiseAwait: "Returning an awaited promise is not allowed in this context.",
          requiredPromiseAwait: "Returning an awaited promise is required in this context.",
          requiredPromiseAwaitSuggestion: "Add `await` before the expression. Use caution as this may impact control flow.",
          disallowedPromiseAwaitSuggestion: "Remove `await` before the expression. Use caution as this may impact control flow."
        },
        schema: [
          {
            type: "string",
            enum: ["in-try-catch", "always", "never"]
          }
        ]
      },
      defaultOptions: ["in-try-catch"],
      create(context, [option]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const scopeInfoStack = [];
        function enterFunction(node) {
          scopeInfoStack.push({
            hasAsync: node.async,
            owningFunc: node
          });
        }
        function exitFunction() {
          scopeInfoStack.pop();
        }
        function affectsExplicitResourceManagement(node) {
          let scope = context.sourceCode.getScope(node);
          const functionScope = scope.variableScope;
          while (true) {
            for (const variable of scope.variables) {
              if (variable.defs.length !== 1) {
                continue;
              }
              const declaration = variable.defs[0];
              const declaratorNode = declaration.node;
              const declarationNode = declaratorNode.parent;
              if (["using", "await using"].includes(declarationNode.kind) && declaratorNode.range[1] < node.range[0]) {
                return true;
              }
            }
            if (scope === functionScope) {
              break;
            }
            scope = (0, util_1.nullThrows)(scope.upper, "Expected parent scope to exist. return-await should only operate on return statements within functions");
          }
          return false;
        }
        function affectsExplicitErrorHandling(node) {
          const tryAncestorResult = findContainingTryStatement(node);
          if (tryAncestorResult == null) {
            return false;
          }
          const { tryStatement, block } = tryAncestorResult;
          switch (block) {
            case "try":
              return true;
            case "catch":
              if (tryStatement.finallyBlock != null) {
                return true;
              }
              return affectsExplicitErrorHandling(tryStatement);
            case "finally":
              return affectsExplicitErrorHandling(tryStatement);
            default: {
              const __never = block;
              throw new Error(`Unexpected block type: ${String(__never)}`);
            }
          }
        }
        function findContainingTryStatement(node) {
          let child = node;
          let ancestor = node.parent;
          while (ancestor && !ts.isFunctionLike(ancestor)) {
            if (ts.isTryStatement(ancestor)) {
              let block;
              if (child === ancestor.tryBlock) {
                block = "try";
              } else if (child === ancestor.catchClause) {
                block = "catch";
              } else if (child === ancestor.finallyBlock) {
                block = "finally";
              }
              return {
                tryStatement: ancestor,
                block: (0, util_1.nullThrows)(block, "Child of a try statement must be a try block, catch clause, or finally block")
              };
            }
            child = ancestor;
            ancestor = ancestor.parent;
          }
          return void 0;
        }
        function removeAwait(fixer, node) {
          if (!(0, util_1.isAwaitExpression)(node)) {
            return null;
          }
          const awaitToken = context.sourceCode.getFirstToken(node, util_1.isAwaitKeyword);
          if (!awaitToken) {
            return null;
          }
          const startAt = awaitToken.range[0];
          let endAt = awaitToken.range[1];
          const nextToken = context.sourceCode.getTokenAfter(awaitToken, {
            includeComments: true
          });
          if (nextToken) {
            endAt = nextToken.range[0];
          }
          return fixer.removeRange([startAt, endAt]);
        }
        function insertAwait(fixer, node, isHighPrecendence) {
          if (isHighPrecendence) {
            return fixer.insertTextBefore(node, "await ");
          }
          return [
            fixer.insertTextBefore(node, "await ("),
            fixer.insertTextAfter(node, ")")
          ];
        }
        function isHigherPrecedenceThanAwait(node) {
          const operator = ts.isBinaryExpression(node) ? node.operatorToken.kind : ts.SyntaxKind.Unknown;
          const nodePrecedence = (0, getOperatorPrecedence_1.getOperatorPrecedence)(node.kind, operator);
          const awaitPrecedence = (0, getOperatorPrecedence_1.getOperatorPrecedence)(ts.SyntaxKind.AwaitExpression, ts.SyntaxKind.Unknown);
          return nodePrecedence > awaitPrecedence;
        }
        function test(node, expression) {
          let child;
          const isAwait = ts.isAwaitExpression(expression);
          if (isAwait) {
            child = expression.getChildAt(1);
          } else {
            child = expression;
          }
          const type = checker.getTypeAtLocation(child);
          const isThenable = tsutils.isThenableType(checker, expression, type);
          if (!isAwait && !isThenable) {
            return;
          }
          if (isAwait && !isThenable) {
            const useAutoFix2 = !((0, util_1.isTypeAnyType)(type) || (0, util_1.isTypeUnknownType)(type));
            context.report({
              messageId: "nonPromiseAwait",
              node,
              ...fixOrSuggest(useAutoFix2, {
                messageId: "nonPromiseAwait",
                fix: (fixer) => removeAwait(fixer, node)
              })
            });
            return;
          }
          const affectsErrorHandling = affectsExplicitErrorHandling(expression) || affectsExplicitResourceManagement(node);
          const useAutoFix = !affectsErrorHandling;
          if (option === "always") {
            if (!isAwait && isThenable) {
              context.report({
                messageId: "requiredPromiseAwait",
                node,
                ...fixOrSuggest(useAutoFix, {
                  messageId: "requiredPromiseAwaitSuggestion",
                  fix: (fixer) => insertAwait(fixer, node, isHigherPrecedenceThanAwait(expression))
                })
              });
            }
            return;
          }
          if (option === "never") {
            if (isAwait) {
              context.report({
                messageId: "disallowedPromiseAwait",
                node,
                ...fixOrSuggest(useAutoFix, {
                  messageId: "disallowedPromiseAwaitSuggestion",
                  fix: (fixer) => removeAwait(fixer, node)
                })
              });
            }
            return;
          }
          if (option === "in-try-catch") {
            if (isAwait && !affectsErrorHandling) {
              context.report({
                messageId: "disallowedPromiseAwait",
                node,
                ...fixOrSuggest(useAutoFix, {
                  messageId: "disallowedPromiseAwaitSuggestion",
                  fix: (fixer) => removeAwait(fixer, node)
                })
              });
            } else if (!isAwait && affectsErrorHandling) {
              context.report({
                messageId: "requiredPromiseAwait",
                node,
                ...fixOrSuggest(useAutoFix, {
                  messageId: "requiredPromiseAwaitSuggestion",
                  fix: (fixer) => insertAwait(fixer, node, isHigherPrecedenceThanAwait(expression))
                })
              });
            }
            return;
          }
        }
        function findPossiblyReturnedNodes(node) {
          if (node.type === utils_1.AST_NODE_TYPES.ConditionalExpression) {
            return [
              ...findPossiblyReturnedNodes(node.alternate),
              ...findPossiblyReturnedNodes(node.consequent)
            ];
          }
          return [node];
        }
        return {
          FunctionDeclaration: enterFunction,
          FunctionExpression: enterFunction,
          ArrowFunctionExpression: enterFunction,
          "FunctionDeclaration:exit": exitFunction,
          "FunctionExpression:exit": exitFunction,
          "ArrowFunctionExpression:exit": exitFunction,
          // executes after less specific handler, so exitFunction is called
          "ArrowFunctionExpression[async = true]:exit"(node) {
            if (node.body.type !== utils_1.AST_NODE_TYPES.BlockStatement) {
              findPossiblyReturnedNodes(node.body).forEach((node2) => {
                const tsNode = services.esTreeNodeToTSNodeMap.get(node2);
                test(node2, tsNode);
              });
            }
          },
          ReturnStatement(node) {
            const scopeInfo = scopeInfoStack.at(-1);
            if (!scopeInfo?.hasAsync || !node.argument) {
              return;
            }
            findPossiblyReturnedNodes(node.argument).forEach((node2) => {
              const tsNode = services.esTreeNodeToTSNodeMap.get(node2);
              test(node2, tsNode);
            });
          }
        };
      }
    });
    function fixOrSuggest(useFix, suggestion) {
      return useFix ? { fix: suggestion.fix } : { suggest: [suggestion] };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/semi.js
var require_semi = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/semi.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("semi");
    exports2.default = (0, util_1.createRule)({
      name: "semi",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/semi"],
        type: "layout",
        docs: {
          description: "Require or disallow semicolons instead of ASI",
          // too opinionated to be recommended
          extendsBaseRule: true
        },
        fixable: "code",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        "always",
        {
          omitLastInOneLineBlock: false,
          beforeStatementContinuationChars: "any"
        }
      ],
      create(context) {
        const rules = baseRule2.create(context);
        const checkForSemicolon = rules.ExpressionStatement;
        const nodesToCheck = [
          utils_1.AST_NODE_TYPES.PropertyDefinition,
          utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition,
          utils_1.AST_NODE_TYPES.TSDeclareFunction,
          utils_1.AST_NODE_TYPES.TSExportAssignment,
          utils_1.AST_NODE_TYPES.TSImportEqualsDeclaration,
          utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration,
          utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression
        ].reduce((acc, node) => {
          acc[node] = checkForSemicolon;
          return acc;
        }, {});
        return {
          ...rules,
          ...nodesToCheck,
          ExportDefaultDeclaration(node) {
            if (node.declaration.type !== utils_1.AST_NODE_TYPES.TSInterfaceDeclaration) {
              rules.ExportDefaultDeclaration(node);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/sort-type-constituents.js
var require_sort_type_constituents = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/sort-type-constituents.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var Group;
    (function(Group2) {
      Group2["conditional"] = "conditional";
      Group2["function"] = "function";
      Group2["import"] = "import";
      Group2["intersection"] = "intersection";
      Group2["keyword"] = "keyword";
      Group2["nullish"] = "nullish";
      Group2["literal"] = "literal";
      Group2["named"] = "named";
      Group2["object"] = "object";
      Group2["operator"] = "operator";
      Group2["tuple"] = "tuple";
      Group2["union"] = "union";
    })(Group || (Group = {}));
    function getGroup(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.TSConditionalType:
          return Group.conditional;
        case utils_1.AST_NODE_TYPES.TSConstructorType:
        case utils_1.AST_NODE_TYPES.TSFunctionType:
          return Group.function;
        case utils_1.AST_NODE_TYPES.TSImportType:
          return Group.import;
        case utils_1.AST_NODE_TYPES.TSIntersectionType:
          return Group.intersection;
        case utils_1.AST_NODE_TYPES.TSAnyKeyword:
        case utils_1.AST_NODE_TYPES.TSBigIntKeyword:
        case utils_1.AST_NODE_TYPES.TSBooleanKeyword:
        case utils_1.AST_NODE_TYPES.TSNeverKeyword:
        case utils_1.AST_NODE_TYPES.TSNumberKeyword:
        case utils_1.AST_NODE_TYPES.TSObjectKeyword:
        case utils_1.AST_NODE_TYPES.TSStringKeyword:
        case utils_1.AST_NODE_TYPES.TSSymbolKeyword:
        case utils_1.AST_NODE_TYPES.TSThisType:
        case utils_1.AST_NODE_TYPES.TSUnknownKeyword:
        case utils_1.AST_NODE_TYPES.TSIntrinsicKeyword:
          return Group.keyword;
        case utils_1.AST_NODE_TYPES.TSNullKeyword:
        case utils_1.AST_NODE_TYPES.TSUndefinedKeyword:
        case utils_1.AST_NODE_TYPES.TSVoidKeyword:
          return Group.nullish;
        case utils_1.AST_NODE_TYPES.TSLiteralType:
        case utils_1.AST_NODE_TYPES.TSTemplateLiteralType:
          return Group.literal;
        case utils_1.AST_NODE_TYPES.TSArrayType:
        case utils_1.AST_NODE_TYPES.TSIndexedAccessType:
        case utils_1.AST_NODE_TYPES.TSInferType:
        case utils_1.AST_NODE_TYPES.TSTypeReference:
        case utils_1.AST_NODE_TYPES.TSQualifiedName:
          return Group.named;
        case utils_1.AST_NODE_TYPES.TSMappedType:
        case utils_1.AST_NODE_TYPES.TSTypeLiteral:
          return Group.object;
        case utils_1.AST_NODE_TYPES.TSTypeOperator:
        case utils_1.AST_NODE_TYPES.TSTypeQuery:
          return Group.operator;
        case utils_1.AST_NODE_TYPES.TSTupleType:
          return Group.tuple;
        case utils_1.AST_NODE_TYPES.TSUnionType:
          return Group.union;
        case utils_1.AST_NODE_TYPES.TSAbstractKeyword:
        case utils_1.AST_NODE_TYPES.TSAsyncKeyword:
        case utils_1.AST_NODE_TYPES.TSDeclareKeyword:
        case utils_1.AST_NODE_TYPES.TSExportKeyword:
        case utils_1.AST_NODE_TYPES.TSNamedTupleMember:
        case utils_1.AST_NODE_TYPES.TSOptionalType:
        case utils_1.AST_NODE_TYPES.TSPrivateKeyword:
        case utils_1.AST_NODE_TYPES.TSProtectedKeyword:
        case utils_1.AST_NODE_TYPES.TSPublicKeyword:
        case utils_1.AST_NODE_TYPES.TSReadonlyKeyword:
        case utils_1.AST_NODE_TYPES.TSRestType:
        case utils_1.AST_NODE_TYPES.TSStaticKeyword:
        case utils_1.AST_NODE_TYPES.TSTypePredicate:
          throw new Error(`Unexpected Type ${node.type}`);
      }
    }
    function caseSensitiveSort(a, b) {
      if (a < b) {
        return -1;
      } else if (a > b) {
        return 1;
      }
      return 0;
    }
    exports2.default = (0, util_1.createRule)({
      name: "sort-type-constituents",
      meta: {
        deprecated: true,
        replacedBy: [
          "perfectionist/sort-intersection-types",
          "perfectionist/sort-union-types"
        ],
        type: "suggestion",
        docs: {
          description: "Enforce constituents of a type union/intersection to be sorted alphabetically"
        },
        fixable: "code",
        hasSuggestions: true,
        messages: {
          notSorted: "{{type}} type constituents must be sorted.",
          notSortedNamed: "{{type}} type {{name}} constituents must be sorted.",
          suggestFix: "Sort constituents of type (removes all comments)."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              checkIntersections: {
                description: "Whether to check intersection types.",
                type: "boolean"
              },
              checkUnions: {
                description: "Whether to check union types.",
                type: "boolean"
              },
              caseSensitive: {
                description: "Whether to sort using case sensitive sorting.",
                type: "boolean"
              },
              groupOrder: {
                description: "Ordering of the groups.",
                type: "array",
                items: {
                  type: "string",
                  enum: (0, util_1.getEnumNames)(Group)
                }
              }
            }
          }
        ]
      },
      defaultOptions: [
        {
          checkIntersections: true,
          checkUnions: true,
          caseSensitive: false,
          groupOrder: [
            Group.named,
            Group.keyword,
            Group.operator,
            Group.literal,
            Group.function,
            Group.import,
            Group.conditional,
            Group.object,
            Group.tuple,
            Group.intersection,
            Group.union,
            Group.nullish
          ]
        }
      ],
      create(context, [{ checkIntersections, checkUnions, caseSensitive, groupOrder }]) {
        const collator = new Intl.Collator("en", {
          sensitivity: "base",
          numeric: true
        });
        function checkSorting(node) {
          const sourceOrder = node.types.map((type) => {
            const group = groupOrder?.indexOf(getGroup(type)) ?? -1;
            return {
              group: group === -1 ? Number.MAX_SAFE_INTEGER : group,
              node: type,
              text: context.sourceCode.getText(type)
            };
          });
          const expectedOrder = [...sourceOrder].sort((a, b) => {
            if (a.group !== b.group) {
              return a.group - b.group;
            }
            if (caseSensitive) {
              return caseSensitiveSort(a.text, b.text);
            }
            return collator.compare(a.text, b.text) || (a.text < b.text ? -1 : a.text > b.text ? 1 : 0);
          });
          const hasComments = node.types.some((type) => {
            const count = context.sourceCode.getCommentsBefore(type).length + context.sourceCode.getCommentsAfter(type).length;
            return count > 0;
          });
          for (let i = 0; i < expectedOrder.length; i += 1) {
            if (expectedOrder[i].node !== sourceOrder[i].node) {
              let messageId4 = "notSorted";
              const data = {
                name: "",
                type: node.type === utils_1.AST_NODE_TYPES.TSIntersectionType ? "Intersection" : "Union"
              };
              if (node.parent.type === utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration) {
                messageId4 = "notSortedNamed";
                data.name = node.parent.id.name;
              }
              const fix11 = (fixer) => {
                const sorted = expectedOrder.map((t) => (0, util_1.typeNodeRequiresParentheses)(t.node, t.text) || node.type === utils_1.AST_NODE_TYPES.TSIntersectionType && t.node.type === utils_1.AST_NODE_TYPES.TSUnionType ? `(${t.text})` : t.text).join(node.type === utils_1.AST_NODE_TYPES.TSIntersectionType ? " & " : " | ");
                return fixer.replaceText(node, sorted);
              };
              return context.report({
                node,
                messageId: messageId4,
                data,
                // don't autofix if any of the types have leading/trailing comments
                // the logic for preserving them correctly is a pain - we may implement this later
                ...hasComments ? {
                  suggest: [
                    {
                      messageId: "suggestFix",
                      fix: fix11
                    }
                  ]
                } : { fix: fix11 }
              });
            }
          }
        }
        return {
          ...checkIntersections && {
            TSIntersectionType(node) {
              checkSorting(node);
            }
          },
          ...checkUnions && {
            TSUnionType(node) {
              checkSorting(node);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/space-before-blocks.js
var require_space_before_blocks = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/space-before-blocks.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("space-before-blocks");
    exports2.default = (0, util_1.createRule)({
      name: "space-before-blocks",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/space-before-blocks"],
        type: "layout",
        docs: {
          description: "Enforce consistent spacing before blocks",
          extendsBaseRule: true
        },
        fixable: baseRule2.meta.fixable,
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: {
          // @ts-expect-error -- we report on this messageId so we need to ensure it's there in case ESLint changes in future
          unexpectedSpace: "Unexpected space before opening brace.",
          // @ts-expect-error -- we report on this messageId so we need to ensure it's there in case ESLint changes in future
          missingSpace: "Missing space before opening brace.",
          ...baseRule2.meta.messages
        }
      },
      defaultOptions: ["always"],
      create(context, [config7]) {
        const rules = baseRule2.create(context);
        let requireSpace = true;
        if (typeof config7 === "object") {
          requireSpace = config7.classes === "always";
        } else if (config7 === "never") {
          requireSpace = false;
        }
        function checkPrecedingSpace(node) {
          const precedingToken = context.sourceCode.getTokenBefore(node);
          if (precedingToken && (0, util_1.isTokenOnSameLine)(precedingToken, node)) {
            const hasSpace = context.sourceCode.isSpaceBetween(precedingToken, node);
            if (requireSpace && !hasSpace) {
              context.report({
                node,
                messageId: "missingSpace",
                fix(fixer) {
                  return fixer.insertTextBefore(node, " ");
                }
              });
            } else if (!requireSpace && hasSpace) {
              context.report({
                node,
                messageId: "unexpectedSpace",
                fix(fixer) {
                  return fixer.removeRange([
                    precedingToken.range[1],
                    node.range[0]
                  ]);
                }
              });
            }
          }
        }
        function checkSpaceAfterEnum(node) {
          const punctuator = context.sourceCode.getTokenAfter(node.id);
          if (punctuator) {
            checkPrecedingSpace(punctuator);
          }
        }
        return {
          ...rules,
          TSEnumDeclaration: checkSpaceAfterEnum,
          TSInterfaceBody: checkPrecedingSpace
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/space-before-function-paren.js
var require_space_before_function_paren = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/space-before-function-paren.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "space-before-function-paren",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/space-before-function-paren"],
        type: "layout",
        docs: {
          description: "Enforce consistent spacing before function parenthesis",
          extendsBaseRule: true
        },
        fixable: "whitespace",
        schema: [
          {
            oneOf: [
              {
                type: "string",
                enum: ["always", "never"]
              },
              {
                type: "object",
                properties: {
                  anonymous: {
                    type: "string",
                    enum: ["always", "never", "ignore"]
                  },
                  named: {
                    type: "string",
                    enum: ["always", "never", "ignore"]
                  },
                  asyncArrow: {
                    type: "string",
                    enum: ["always", "never", "ignore"]
                  }
                },
                additionalProperties: false
              }
            ]
          }
        ],
        messages: {
          unexpected: "Unexpected space before function parentheses.",
          missing: "Missing space before function parentheses."
        }
      },
      defaultOptions: ["always"],
      create(context, [firstOption]) {
        const baseConfig = typeof firstOption === "string" ? firstOption : "always";
        const overrideConfig = typeof firstOption === "object" ? firstOption : {};
        function isNamedFunction(node) {
          if (node.id != null) {
            return true;
          }
          const parent = node.parent;
          return parent.type === utils_1.AST_NODE_TYPES.MethodDefinition || parent.type === utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition || parent.type === utils_1.AST_NODE_TYPES.Property && (parent.kind === "get" || parent.kind === "set" || parent.method);
        }
        function getConfigForFunction(node) {
          if (node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression) {
            if (node.async && (0, util_1.isOpeningParenToken)(context.sourceCode.getFirstToken(node, { skip: 1 }))) {
              return overrideConfig.asyncArrow ?? baseConfig;
            }
          } else if (isNamedFunction(node)) {
            return overrideConfig.named ?? baseConfig;
          } else if (!node.generator) {
            return overrideConfig.anonymous ?? baseConfig;
          }
          return "ignore";
        }
        function checkFunction(node) {
          const functionConfig = getConfigForFunction(node);
          if (functionConfig === "ignore") {
            return;
          }
          let leftToken;
          let rightToken;
          if (node.typeParameters) {
            leftToken = context.sourceCode.getLastToken(node.typeParameters);
            rightToken = context.sourceCode.getTokenAfter(leftToken);
          } else {
            rightToken = context.sourceCode.getFirstToken(node, util_1.isOpeningParenToken);
            leftToken = context.sourceCode.getTokenBefore(rightToken);
          }
          const hasSpacing = context.sourceCode.isSpaceBetween(leftToken, rightToken);
          if (hasSpacing && functionConfig === "never") {
            context.report({
              node,
              loc: {
                start: leftToken.loc.end,
                end: rightToken.loc.start
              },
              messageId: "unexpected",
              fix: (fixer) => fixer.removeRange([leftToken.range[1], rightToken.range[0]])
            });
          } else if (!hasSpacing && functionConfig === "always" && (!node.typeParameters || node.id)) {
            context.report({
              node,
              loc: rightToken.loc,
              messageId: "missing",
              fix: (fixer) => fixer.insertTextAfter(leftToken, " ")
            });
          }
        }
        return {
          ArrowFunctionExpression: checkFunction,
          FunctionDeclaration: checkFunction,
          FunctionExpression: checkFunction,
          TSEmptyBodyFunctionExpression: checkFunction,
          TSDeclareFunction: checkFunction
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/space-infix-ops.js
var require_space_infix_ops = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/space-infix-ops.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    var getESLintCoreRule_1 = require_getESLintCoreRule();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("space-infix-ops");
    var UNIONS = ["|", "&"];
    exports2.default = (0, util_1.createRule)({
      name: "space-infix-ops",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/space-infix-ops"],
        type: "layout",
        docs: {
          description: "Require spacing around infix operators",
          extendsBaseRule: true
        },
        fixable: baseRule2.meta.fixable,
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: {
          // @ts-expect-error -- we report on this messageId so we need to ensure it's there in case ESLint changes in future
          missingSpace: "Operator '{{operator}}' must be spaced.",
          ...baseRule2.meta.messages
        }
      },
      defaultOptions: [
        {
          int32Hint: false
        }
      ],
      create(context) {
        const rules = baseRule2.create(context);
        function report(operator) {
          context.report({
            node: operator,
            messageId: "missingSpace",
            data: {
              operator: operator.value
            },
            fix(fixer) {
              const previousToken = context.sourceCode.getTokenBefore(operator);
              const afterToken = context.sourceCode.getTokenAfter(operator);
              let fixString = "";
              if (operator.range[0] - previousToken.range[1] === 0) {
                fixString = " ";
              }
              fixString += operator.value;
              if (afterToken.range[0] - operator.range[1] === 0) {
                fixString += " ";
              }
              return fixer.replaceText(operator, fixString);
            }
          });
        }
        function isSpaceChar(token) {
          return token.type === utils_1.AST_TOKEN_TYPES.Punctuator && /^[=?:]$/.test(token.value);
        }
        function checkAndReportAssignmentSpace(leftNode, rightNode) {
          if (!rightNode || !leftNode) {
            return;
          }
          const operator = context.sourceCode.getFirstTokenBetween(leftNode, rightNode, isSpaceChar);
          const prev = context.sourceCode.getTokenBefore(operator);
          const next = context.sourceCode.getTokenAfter(operator);
          if (!context.sourceCode.isSpaceBetween(prev, operator) || !context.sourceCode.isSpaceBetween(operator, next)) {
            report(operator);
          }
        }
        function checkForEnumAssignmentSpace(node) {
          checkAndReportAssignmentSpace(node.id, node.initializer);
        }
        function checkForPropertyDefinitionAssignmentSpace(node) {
          const leftNode = node.optional && !node.typeAnnotation ? context.sourceCode.getTokenAfter(node.key) : node.typeAnnotation ?? node.key;
          checkAndReportAssignmentSpace(leftNode, node.value);
        }
        function checkForTypeAnnotationSpace(typeAnnotation) {
          const types = typeAnnotation.types;
          types.forEach((type) => {
            const skipFunctionParenthesis = type.type === utils_1.TSESTree.AST_NODE_TYPES.TSFunctionType ? util_1.isNotOpeningParenToken : 0;
            const operator = context.sourceCode.getTokenBefore(type, skipFunctionParenthesis);
            if (operator != null && UNIONS.includes(operator.value)) {
              const prev = context.sourceCode.getTokenBefore(operator);
              const next = context.sourceCode.getTokenAfter(operator);
              if (!context.sourceCode.isSpaceBetween(prev, operator) || !context.sourceCode.isSpaceBetween(operator, next)) {
                report(operator);
              }
            }
          });
        }
        function checkForTypeAliasAssignment(node) {
          checkAndReportAssignmentSpace(node.typeParameters ?? node.id, node.typeAnnotation);
        }
        function checkForTypeConditional(node) {
          checkAndReportAssignmentSpace(node.extendsType, node.trueType);
          checkAndReportAssignmentSpace(node.trueType, node.falseType);
        }
        return {
          ...rules,
          TSEnumMember: checkForEnumAssignmentSpace,
          PropertyDefinition: checkForPropertyDefinitionAssignmentSpace,
          TSTypeAliasDeclaration: checkForTypeAliasAssignment,
          TSUnionType: checkForTypeAnnotationSpace,
          TSIntersectionType: checkForTypeAnnotationSpace,
          TSConditionalType: checkForTypeConditional
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/strict-boolean-expressions.js
var require_strict_boolean_expressions = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/strict-boolean-expressions.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "strict-boolean-expressions",
      meta: {
        type: "suggestion",
        fixable: "code",
        hasSuggestions: true,
        docs: {
          description: "Disallow certain types in boolean expressions",
          requiresTypeChecking: true
        },
        schema: [
          {
            type: "object",
            properties: {
              allowString: { type: "boolean" },
              allowNumber: { type: "boolean" },
              allowNullableObject: { type: "boolean" },
              allowNullableBoolean: { type: "boolean" },
              allowNullableString: { type: "boolean" },
              allowNullableNumber: { type: "boolean" },
              allowNullableEnum: { type: "boolean" },
              allowAny: { type: "boolean" },
              allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          conditionErrorOther: "Unexpected value in conditional. A boolean expression is required.",
          conditionErrorAny: "Unexpected any value in conditional. An explicit comparison or type cast is required.",
          conditionErrorNullish: "Unexpected nullish value in conditional. The condition is always false.",
          conditionErrorNullableBoolean: "Unexpected nullable boolean value in conditional. Please handle the nullish case explicitly.",
          conditionErrorString: "Unexpected string value in conditional. An explicit empty string check is required.",
          conditionErrorNullableString: "Unexpected nullable string value in conditional. Please handle the nullish/empty cases explicitly.",
          conditionErrorNumber: "Unexpected number value in conditional. An explicit zero/NaN check is required.",
          conditionErrorNullableNumber: "Unexpected nullable number value in conditional. Please handle the nullish/zero/NaN cases explicitly.",
          conditionErrorObject: "Unexpected object value in conditional. The condition is always true.",
          conditionErrorNullableObject: "Unexpected nullable object value in conditional. An explicit null check is required.",
          conditionErrorNullableEnum: "Unexpected nullable enum value in conditional. Please handle the nullish/zero/NaN cases explicitly.",
          noStrictNullCheck: "This rule requires the `strictNullChecks` compiler option to be turned on to function correctly.",
          conditionFixDefaultFalse: "Explicitly treat nullish value the same as false (`value ?? false`)",
          conditionFixDefaultEmptyString: 'Explicitly treat nullish value the same as an empty string (`value ?? ""`)',
          conditionFixDefaultZero: "Explicitly treat nullish value the same as 0 (`value ?? 0`)",
          conditionFixCompareNullish: "Change condition to check for null/undefined (`value != null`)",
          conditionFixCastBoolean: "Explicitly cast value to a boolean (`Boolean(value)`)",
          conditionFixCompareTrue: "Change condition to check if true (`value === true`)",
          conditionFixCompareFalse: "Change condition to check if false (`value === false`)",
          conditionFixCompareStringLength: "Change condition to check string's length (`value.length !== 0`)",
          conditionFixCompareEmptyString: 'Change condition to check for empty string (`value !== ""`)',
          conditionFixCompareZero: "Change condition to check for 0 (`value !== 0`)",
          conditionFixCompareNaN: "Change condition to check for NaN (`!Number.isNaN(value)`)"
        }
      },
      defaultOptions: [
        {
          allowString: true,
          allowNumber: true,
          allowNullableObject: true,
          allowNullableBoolean: false,
          allowNullableString: false,
          allowNullableNumber: false,
          allowNullableEnum: false,
          allowAny: false,
          allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing: false
        }
      ],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const compilerOptions = services.program.getCompilerOptions();
        const isStrictNullChecks = tsutils.isStrictCompilerOptionEnabled(compilerOptions, "strictNullChecks");
        if (!isStrictNullChecks && options.allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing !== true) {
          context.report({
            loc: {
              start: { line: 0, column: 0 },
              end: { line: 0, column: 0 }
            },
            messageId: "noStrictNullCheck"
          });
        }
        const traversedNodes = /* @__PURE__ */ new Set();
        return {
          ConditionalExpression: traverseTestExpression,
          DoWhileStatement: traverseTestExpression,
          ForStatement: traverseTestExpression,
          IfStatement: traverseTestExpression,
          WhileStatement: traverseTestExpression,
          'LogicalExpression[operator!="??"]': traverseLogicalExpression,
          'UnaryExpression[operator="!"]': traverseUnaryLogicalExpression
        };
        function traverseTestExpression(node) {
          if (node.test == null) {
            return;
          }
          traverseNode(node.test, true);
        }
        function traverseUnaryLogicalExpression(node) {
          traverseNode(node.argument, true);
        }
        function traverseLogicalExpression(node, isCondition = false) {
          traverseNode(node.left, true);
          traverseNode(node.right, isCondition);
        }
        function traverseNode(node, isCondition) {
          if (traversedNodes.has(node)) {
            return;
          }
          traversedNodes.add(node);
          if (node.type === utils_1.AST_NODE_TYPES.LogicalExpression && node.operator !== "??") {
            traverseLogicalExpression(node, isCondition);
            return;
          }
          if (!isCondition) {
            return;
          }
          checkNode2(node);
        }
        function checkNode2(node) {
          const type = (0, util_1.getConstrainedTypeAtLocation)(services, node);
          const types = inspectVariantTypes(tsutils.unionTypeParts(type));
          const is = (...wantedTypes) => types.size === wantedTypes.length && wantedTypes.every((type2) => types.has(type2));
          if (is("boolean") || is("truthy boolean")) {
            return;
          }
          if (is("never")) {
            return;
          }
          if (is("nullish")) {
            context.report({ node, messageId: "conditionErrorNullish" });
            return;
          }
          if (is("nullish", "truthy boolean")) {
            return;
          }
          if (is("nullish", "boolean")) {
            if (!options.allowNullableBoolean) {
              if (isLogicalNegationExpression(node.parent)) {
                context.report({
                  node,
                  messageId: "conditionErrorNullableBoolean",
                  suggest: [
                    {
                      messageId: "conditionFixDefaultFalse",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} ?? false`
                      })
                    },
                    {
                      messageId: "conditionFixCompareFalse",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `${code} === false`
                      })
                    }
                  ]
                });
              } else {
                context.report({
                  node,
                  messageId: "conditionErrorNullableBoolean",
                  suggest: [
                    {
                      messageId: "conditionFixDefaultFalse",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} ?? false`
                      })
                    },
                    {
                      messageId: "conditionFixCompareTrue",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} === true`
                      })
                    }
                  ]
                });
              }
            }
            return;
          }
          if (options.allowNumber && is("nullish", "truthy number") || options.allowString && is("nullish", "truthy string")) {
            return;
          }
          if (is("string") || is("truthy string")) {
            if (!options.allowString) {
              if (isLogicalNegationExpression(node.parent)) {
                context.report({
                  node,
                  messageId: "conditionErrorString",
                  suggest: [
                    {
                      messageId: "conditionFixCompareStringLength",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `${code}.length === 0`
                      })
                    },
                    {
                      messageId: "conditionFixCompareEmptyString",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `${code} === ""`
                      })
                    },
                    {
                      messageId: "conditionFixCastBoolean",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `!Boolean(${code})`
                      })
                    }
                  ]
                });
              } else {
                context.report({
                  node,
                  messageId: "conditionErrorString",
                  suggest: [
                    {
                      messageId: "conditionFixCompareStringLength",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code}.length > 0`
                      })
                    },
                    {
                      messageId: "conditionFixCompareEmptyString",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} !== ""`
                      })
                    },
                    {
                      messageId: "conditionFixCastBoolean",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `Boolean(${code})`
                      })
                    }
                  ]
                });
              }
            }
            return;
          }
          if (is("nullish", "string")) {
            if (!options.allowNullableString) {
              if (isLogicalNegationExpression(node.parent)) {
                context.report({
                  node,
                  messageId: "conditionErrorNullableString",
                  suggest: [
                    {
                      messageId: "conditionFixCompareNullish",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `${code} == null`
                      })
                    },
                    {
                      messageId: "conditionFixDefaultEmptyString",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} ?? ""`
                      })
                    },
                    {
                      messageId: "conditionFixCastBoolean",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `!Boolean(${code})`
                      })
                    }
                  ]
                });
              } else {
                context.report({
                  node,
                  messageId: "conditionErrorNullableString",
                  suggest: [
                    {
                      messageId: "conditionFixCompareNullish",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} != null`
                      })
                    },
                    {
                      messageId: "conditionFixDefaultEmptyString",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} ?? ""`
                      })
                    },
                    {
                      messageId: "conditionFixCastBoolean",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `Boolean(${code})`
                      })
                    }
                  ]
                });
              }
            }
            return;
          }
          if (is("number") || is("truthy number")) {
            if (!options.allowNumber) {
              if (isArrayLengthExpression(node, checker, services)) {
                if (isLogicalNegationExpression(node.parent)) {
                  context.report({
                    node,
                    messageId: "conditionErrorNumber",
                    fix: (0, util_1.getWrappingFixer)({
                      sourceCode: context.sourceCode,
                      node: node.parent,
                      innerNode: node,
                      wrap: (code) => `${code} === 0`
                    })
                  });
                } else {
                  context.report({
                    node,
                    messageId: "conditionErrorNumber",
                    fix: (0, util_1.getWrappingFixer)({
                      sourceCode: context.sourceCode,
                      node,
                      wrap: (code) => `${code} > 0`
                    })
                  });
                }
              } else if (isLogicalNegationExpression(node.parent)) {
                context.report({
                  node,
                  messageId: "conditionErrorNumber",
                  suggest: [
                    {
                      messageId: "conditionFixCompareZero",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        // TODO: we have to compare to 0n if the type is bigint
                        wrap: (code) => `${code} === 0`
                      })
                    },
                    {
                      // TODO: don't suggest this for bigint because it can't be NaN
                      messageId: "conditionFixCompareNaN",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `Number.isNaN(${code})`
                      })
                    },
                    {
                      messageId: "conditionFixCastBoolean",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `!Boolean(${code})`
                      })
                    }
                  ]
                });
              } else {
                context.report({
                  node,
                  messageId: "conditionErrorNumber",
                  suggest: [
                    {
                      messageId: "conditionFixCompareZero",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} !== 0`
                      })
                    },
                    {
                      messageId: "conditionFixCompareNaN",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `!Number.isNaN(${code})`
                      })
                    },
                    {
                      messageId: "conditionFixCastBoolean",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `Boolean(${code})`
                      })
                    }
                  ]
                });
              }
            }
            return;
          }
          if (is("nullish", "number")) {
            if (!options.allowNullableNumber) {
              if (isLogicalNegationExpression(node.parent)) {
                context.report({
                  node,
                  messageId: "conditionErrorNullableNumber",
                  suggest: [
                    {
                      messageId: "conditionFixCompareNullish",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `${code} == null`
                      })
                    },
                    {
                      messageId: "conditionFixDefaultZero",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} ?? 0`
                      })
                    },
                    {
                      messageId: "conditionFixCastBoolean",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `!Boolean(${code})`
                      })
                    }
                  ]
                });
              } else {
                context.report({
                  node,
                  messageId: "conditionErrorNullableNumber",
                  suggest: [
                    {
                      messageId: "conditionFixCompareNullish",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} != null`
                      })
                    },
                    {
                      messageId: "conditionFixDefaultZero",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} ?? 0`
                      })
                    },
                    {
                      messageId: "conditionFixCastBoolean",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `Boolean(${code})`
                      })
                    }
                  ]
                });
              }
            }
            return;
          }
          if (is("object")) {
            context.report({ node, messageId: "conditionErrorObject" });
            return;
          }
          if (is("nullish", "object")) {
            if (!options.allowNullableObject) {
              if (isLogicalNegationExpression(node.parent)) {
                context.report({
                  node,
                  messageId: "conditionErrorNullableObject",
                  suggest: [
                    {
                      messageId: "conditionFixCompareNullish",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `${code} == null`
                      })
                    }
                  ]
                });
              } else {
                context.report({
                  node,
                  messageId: "conditionErrorNullableObject",
                  suggest: [
                    {
                      messageId: "conditionFixCompareNullish",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} != null`
                      })
                    }
                  ]
                });
              }
            }
            return;
          }
          if (is("nullish", "number", "enum") || is("nullish", "string", "enum") || is("nullish", "truthy number", "enum") || is("nullish", "truthy string", "enum") || // mixed enums
          is("nullish", "truthy number", "truthy string", "enum") || is("nullish", "truthy number", "string", "enum") || is("nullish", "truthy string", "number", "enum") || is("nullish", "number", "string", "enum")) {
            if (!options.allowNullableEnum) {
              if (isLogicalNegationExpression(node.parent)) {
                context.report({
                  node,
                  messageId: "conditionErrorNullableEnum",
                  fix: (0, util_1.getWrappingFixer)({
                    sourceCode: context.sourceCode,
                    node: node.parent,
                    innerNode: node,
                    wrap: (code) => `${code} == null`
                  })
                });
              } else {
                context.report({
                  node,
                  messageId: "conditionErrorNullableEnum",
                  fix: (0, util_1.getWrappingFixer)({
                    sourceCode: context.sourceCode,
                    node,
                    wrap: (code) => `${code} != null`
                  })
                });
              }
            }
            return;
          }
          if (is("any")) {
            if (!options.allowAny) {
              context.report({
                node,
                messageId: "conditionErrorAny",
                suggest: [
                  {
                    messageId: "conditionFixCastBoolean",
                    fix: (0, util_1.getWrappingFixer)({
                      sourceCode: context.sourceCode,
                      node,
                      wrap: (code) => `Boolean(${code})`
                    })
                  }
                ]
              });
            }
            return;
          }
          context.report({ node, messageId: "conditionErrorOther" });
        }
        function inspectVariantTypes(types) {
          const variantTypes = /* @__PURE__ */ new Set();
          if (types.some((type) => tsutils.isTypeFlagSet(type, ts.TypeFlags.Null | ts.TypeFlags.Undefined | ts.TypeFlags.VoidLike))) {
            variantTypes.add("nullish");
          }
          const booleans = types.filter((type) => tsutils.isTypeFlagSet(type, ts.TypeFlags.BooleanLike));
          if (booleans.length === 1) {
            tsutils.isTrueLiteralType(booleans[0]) ? variantTypes.add("truthy boolean") : variantTypes.add("boolean");
          } else if (booleans.length === 2) {
            variantTypes.add("boolean");
          }
          const strings = types.filter((type) => tsutils.isTypeFlagSet(type, ts.TypeFlags.StringLike));
          if (strings.length) {
            if (strings.every((type) => type.isStringLiteral() && type.value !== "")) {
              variantTypes.add("truthy string");
            } else {
              variantTypes.add("string");
            }
          }
          const numbers = types.filter((type) => tsutils.isTypeFlagSet(type, ts.TypeFlags.NumberLike | ts.TypeFlags.BigIntLike));
          if (numbers.length) {
            if (numbers.every((type) => type.isNumberLiteral() && type.value !== 0)) {
              variantTypes.add("truthy number");
            } else {
              variantTypes.add("number");
            }
          }
          if (types.some((type) => tsutils.isTypeFlagSet(type, ts.TypeFlags.EnumLike))) {
            variantTypes.add("enum");
          }
          if (types.some((type) => !tsutils.isTypeFlagSet(type, ts.TypeFlags.Null | ts.TypeFlags.Undefined | ts.TypeFlags.VoidLike | ts.TypeFlags.BooleanLike | ts.TypeFlags.StringLike | ts.TypeFlags.NumberLike | ts.TypeFlags.BigIntLike | ts.TypeFlags.TypeParameter | ts.TypeFlags.Any | ts.TypeFlags.Unknown | ts.TypeFlags.Never))) {
            variantTypes.add("object");
          }
          if (types.some((type) => tsutils.isTypeFlagSet(type, ts.TypeFlags.TypeParameter | ts.TypeFlags.Any | ts.TypeFlags.Unknown))) {
            variantTypes.add("any");
          }
          if (types.some((type) => tsutils.isTypeFlagSet(type, ts.TypeFlags.Never))) {
            variantTypes.add("never");
          }
          return variantTypes;
        }
      }
    });
    function isLogicalNegationExpression(node) {
      return node.type === utils_1.AST_NODE_TYPES.UnaryExpression && node.operator === "!";
    }
    function isArrayLengthExpression(node, typeChecker, services) {
      if (node.type !== utils_1.AST_NODE_TYPES.MemberExpression) {
        return false;
      }
      if (node.computed) {
        return false;
      }
      if (node.property.name !== "length") {
        return false;
      }
      const objectType2 = (0, util_1.getConstrainedTypeAtLocation)(services, node.object);
      return (0, util_1.isTypeArrayTypeOrUnionOfArrayTypes)(objectType2, typeChecker);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/switch-exhaustiveness-check.js
var require_switch_exhaustiveness_check = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/switch-exhaustiveness-check.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "switch-exhaustiveness-check",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require switch-case statements to be exhaustive",
          requiresTypeChecking: true
        },
        hasSuggestions: true,
        schema: [
          {
            type: "object",
            properties: {
              allowDefaultCaseForExhaustiveSwitch: {
                description: `If 'true', allow 'default' cases on switch statements with exhaustive cases.`,
                type: "boolean"
              },
              requireDefaultForNonUnion: {
                description: `If 'true', require a 'default' clause for switches on non-union types.`,
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          switchIsNotExhaustive: "Switch is not exhaustive. Cases not matched: {{missingBranches}}",
          dangerousDefaultCase: "The switch statement is exhaustive, so the default case is unnecessary.",
          addMissingCases: "Add branches for missing cases."
        }
      },
      defaultOptions: [
        {
          allowDefaultCaseForExhaustiveSwitch: true,
          requireDefaultForNonUnion: false
        }
      ],
      create(context, [{ allowDefaultCaseForExhaustiveSwitch, requireDefaultForNonUnion }]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const compilerOptions = services.program.getCompilerOptions();
        function getSwitchMetadata(node) {
          const defaultCase = node.cases.find((switchCase) => switchCase.test == null);
          const discriminantType = (0, util_1.getConstrainedTypeAtLocation)(services, node.discriminant);
          const symbolName = discriminantType.getSymbol()?.escapedName;
          const containsNonLiteralType = doesTypeContainNonLiteralType(discriminantType);
          const caseTypes = /* @__PURE__ */ new Set();
          for (const switchCase of node.cases) {
            if (switchCase.test == null) {
              continue;
            }
            const caseType = (0, util_1.getConstrainedTypeAtLocation)(services, switchCase.test);
            caseTypes.add(caseType);
          }
          const missingLiteralBranchTypes = [];
          for (const unionPart of tsutils.unionTypeParts(discriminantType)) {
            for (const intersectionPart of tsutils.intersectionTypeParts(unionPart)) {
              if (caseTypes.has(intersectionPart) || !isTypeLiteralLikeType(intersectionPart)) {
                continue;
              }
              missingLiteralBranchTypes.push(intersectionPart);
            }
          }
          return {
            symbolName,
            missingLiteralBranchTypes,
            defaultCase,
            containsNonLiteralType
          };
        }
        function checkSwitchExhaustive(node, switchMetadata) {
          const { missingLiteralBranchTypes, symbolName, defaultCase } = switchMetadata;
          if (missingLiteralBranchTypes.length > 0 && defaultCase === void 0) {
            context.report({
              node: node.discriminant,
              messageId: "switchIsNotExhaustive",
              data: {
                missingBranches: missingLiteralBranchTypes.map((missingType) => tsutils.isTypeFlagSet(missingType, ts.TypeFlags.ESSymbolLike) ? `typeof ${missingType.getSymbol()?.escapedName}` : checker.typeToString(missingType)).join(" | ")
              },
              suggest: [
                {
                  messageId: "addMissingCases",
                  fix(fixer) {
                    return fixSwitch(fixer, node, missingLiteralBranchTypes, symbolName?.toString());
                  }
                }
              ]
            });
          }
        }
        function fixSwitch(fixer, node, missingBranchTypes, symbolName) {
          const lastCase = node.cases.length > 0 ? node.cases[node.cases.length - 1] : null;
          const caseIndent = lastCase ? " ".repeat(lastCase.loc.start.column) : (
            // If there are no cases, use indentation of the switch statement and
            // leave it to the user to format it correctly.
            " ".repeat(node.loc.start.column)
          );
          const missingCases = [];
          for (const missingBranchType of missingBranchTypes) {
            if (missingBranchType == null) {
              missingCases.push(`default: { throw new Error('default case') }`);
              continue;
            }
            const missingBranchName = missingBranchType.getSymbol()?.escapedName;
            let caseTest = tsutils.isTypeFlagSet(missingBranchType, ts.TypeFlags.ESSymbolLike) ? (
              // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
              missingBranchName
            ) : checker.typeToString(missingBranchType);
            if (symbolName && (missingBranchName || missingBranchName === "") && (0, util_1.requiresQuoting)(missingBranchName.toString(), compilerOptions.target)) {
              const escapedBranchName = missingBranchName.replaceAll("'", "\\'").replaceAll("\n", "\\n").replaceAll("\r", "\\r");
              caseTest = `${symbolName}['${escapedBranchName}']`;
            }
            missingCases.push(`case ${caseTest}: { throw new Error('Not implemented yet: ${caseTest.replaceAll("\\", "\\\\").replaceAll("'", "\\'")} case') }`);
          }
          const fixString = missingCases.map((code) => `${caseIndent}${code}`).join("\n");
          if (lastCase) {
            return fixer.insertTextAfter(lastCase, `
${fixString}`);
          }
          const openingBrace = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.discriminant, util_1.isOpeningBraceToken), util_1.NullThrowsReasons.MissingToken("{", "discriminant"));
          const closingBrace = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.discriminant, util_1.isClosingBraceToken), util_1.NullThrowsReasons.MissingToken("}", "discriminant"));
          return fixer.replaceTextRange([openingBrace.range[0], closingBrace.range[1]], ["{", fixString, `${caseIndent}}`].join("\n"));
        }
        function checkSwitchUnnecessaryDefaultCase(switchMetadata) {
          if (allowDefaultCaseForExhaustiveSwitch) {
            return;
          }
          const { missingLiteralBranchTypes, defaultCase, containsNonLiteralType } = switchMetadata;
          if (missingLiteralBranchTypes.length === 0 && defaultCase !== void 0 && !containsNonLiteralType) {
            context.report({
              node: defaultCase,
              messageId: "dangerousDefaultCase"
            });
          }
        }
        function checkSwitchNoUnionDefaultCase(node, switchMetadata) {
          if (!requireDefaultForNonUnion) {
            return;
          }
          const { defaultCase, containsNonLiteralType } = switchMetadata;
          if (containsNonLiteralType && defaultCase === void 0) {
            context.report({
              node: node.discriminant,
              messageId: "switchIsNotExhaustive",
              data: { missingBranches: "default" },
              suggest: [
                {
                  messageId: "addMissingCases",
                  fix(fixer) {
                    return fixSwitch(fixer, node, [null]);
                  }
                }
              ]
            });
          }
        }
        return {
          SwitchStatement(node) {
            const switchMetadata = getSwitchMetadata(node);
            checkSwitchExhaustive(node, switchMetadata);
            checkSwitchUnnecessaryDefaultCase(switchMetadata);
            checkSwitchNoUnionDefaultCase(node, switchMetadata);
          }
        };
      }
    });
    function isTypeLiteralLikeType(type) {
      return tsutils.isTypeFlagSet(type, ts.TypeFlags.Literal | ts.TypeFlags.Undefined | ts.TypeFlags.Null | ts.TypeFlags.UniqueESSymbol);
    }
    function doesTypeContainNonLiteralType(type) {
      return tsutils.unionTypeParts(type).some((type2) => tsutils.intersectionTypeParts(type2).every((subType) => !isTypeLiteralLikeType(subType)));
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/triple-slash-reference.js
var require_triple_slash_reference = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/triple-slash-reference.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "triple-slash-reference",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow certain triple slash directives in favor of ES6-style import declarations",
          recommended: "recommended"
        },
        messages: {
          tripleSlashReference: "Do not use a triple slash reference for {{module}}, use `import` style instead."
        },
        schema: [
          {
            type: "object",
            properties: {
              lib: {
                type: "string",
                enum: ["always", "never"]
              },
              path: {
                type: "string",
                enum: ["always", "never"]
              },
              types: {
                type: "string",
                enum: ["always", "never", "prefer-import"]
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          lib: "always",
          path: "never",
          types: "prefer-import"
        }
      ],
      create(context, [{ lib, path: path17, types }]) {
        let programNode;
        const references = [];
        function hasMatchingReference(source) {
          references.forEach((reference) => {
            if (reference.importName === source.value) {
              context.report({
                node: reference.comment,
                messageId: "tripleSlashReference",
                data: {
                  module: reference.importName
                }
              });
            }
          });
        }
        return {
          ImportDeclaration(node) {
            if (programNode) {
              hasMatchingReference(node.source);
            }
          },
          TSImportEqualsDeclaration(node) {
            if (programNode) {
              const reference = node.moduleReference;
              if (reference.type === utils_1.AST_NODE_TYPES.TSExternalModuleReference) {
                hasMatchingReference(reference.expression);
              }
            }
          },
          Program(node) {
            if (lib === "always" && path17 === "always" && types === "always") {
              return;
            }
            programNode = node;
            const referenceRegExp = /^\/\s* {
              if (comment.type !== utils_1.AST_TOKEN_TYPES.Line) {
                return;
              }
              const referenceResult = referenceRegExp.exec(comment.value);
              if (referenceResult) {
                if (referenceResult[1] === "types" && types === "never" || referenceResult[1] === "path" && path17 === "never" || referenceResult[1] === "lib" && lib === "never") {
                  context.report({
                    node: comment,
                    messageId: "tripleSlashReference",
                    data: {
                      module: referenceResult[2]
                    }
                  });
                  return;
                }
                if (referenceResult[1] === "types" && types === "prefer-import") {
                  references.push({ comment, importName: referenceResult[2] });
                }
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/type-annotation-spacing.js
var require_type_annotation_spacing = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/type-annotation-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util4();
    function createRules2(options) {
      const globals2 = {
        ...options?.before !== void 0 ? { before: options.before } : {},
        ...options?.after !== void 0 ? { after: options.after } : {}
      };
      const override = options?.overrides ?? {};
      const colon = {
        ...{ before: false, after: true },
        ...globals2,
        ...override.colon
      };
      const arrow = {
        ...{ before: true, after: true },
        ...globals2,
        ...override.arrow
      };
      return {
        colon,
        arrow,
        variable: { ...colon, ...override.variable },
        property: { ...colon, ...override.property },
        parameter: { ...colon, ...override.parameter },
        returnType: { ...colon, ...override.returnType }
      };
    }
    function getIdentifierRules(rules, node) {
      const scope = node?.parent;
      if ((0, util_1.isVariableDeclarator)(scope)) {
        return rules.variable;
      } else if ((0, util_1.isFunctionOrFunctionType)(scope)) {
        return rules.parameter;
      }
      return rules.colon;
    }
    function getRules(rules, node) {
      const scope = node.parent.parent;
      if ((0, util_1.isTSFunctionType)(scope) || (0, util_1.isTSConstructorType)(scope)) {
        return rules.arrow;
      } else if ((0, util_1.isIdentifier)(scope)) {
        return getIdentifierRules(rules, scope);
      } else if ((0, util_1.isClassOrTypeElement)(scope)) {
        return rules.property;
      } else if ((0, util_1.isFunction)(scope)) {
        return rules.returnType;
      }
      return rules.colon;
    }
    exports2.default = (0, util_1.createRule)({
      name: "type-annotation-spacing",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/type-annotation-spacing"],
        type: "layout",
        docs: {
          description: "Require consistent spacing around type annotations"
        },
        fixable: "whitespace",
        messages: {
          expectedSpaceAfter: "Expected a space after the '{{type}}'.",
          expectedSpaceBefore: "Expected a space before the '{{type}}'.",
          unexpectedSpaceAfter: "Unexpected space after the '{{type}}'.",
          unexpectedSpaceBefore: "Unexpected space before the '{{type}}'.",
          unexpectedSpaceBetween: "Unexpected space between the '{{previousToken}}' and the '{{type}}'."
        },
        schema: [
          {
            $defs: {
              spacingConfig: {
                type: "object",
                properties: {
                  before: { type: "boolean" },
                  after: { type: "boolean" }
                },
                additionalProperties: false
              }
            },
            type: "object",
            properties: {
              before: { type: "boolean" },
              after: { type: "boolean" },
              overrides: {
                type: "object",
                properties: {
                  colon: { $ref: "#/items/0/$defs/spacingConfig" },
                  arrow: { $ref: "#/items/0/$defs/spacingConfig" },
                  variable: { $ref: "#/items/0/$defs/spacingConfig" },
                  parameter: { $ref: "#/items/0/$defs/spacingConfig" },
                  property: { $ref: "#/items/0/$defs/spacingConfig" },
                  returnType: { $ref: "#/items/0/$defs/spacingConfig" }
                },
                additionalProperties: false
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        // technically there is a default, but the overrides mean
        // that if we apply them here, it will break the no override case.
        {}
      ],
      create(context, [options]) {
        const punctuators = [":", "=>"];
        const ruleSet = createRules2(options);
        function checkTypeAnnotationSpacing(typeAnnotation) {
          const nextToken = typeAnnotation;
          const punctuatorTokenEnd = context.sourceCode.getTokenBefore(nextToken);
          let punctuatorTokenStart = punctuatorTokenEnd;
          let previousToken = (
            // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
            context.sourceCode.getTokenBefore(punctuatorTokenEnd)
          );
          let type = punctuatorTokenEnd.value;
          if (!punctuators.includes(type)) {
            return;
          }
          const { before, after } = getRules(ruleSet, typeAnnotation);
          if (type === ":" && previousToken.value === "?") {
            if (context.sourceCode.isSpaceBetween(previousToken, punctuatorTokenStart)) {
              context.report({
                node: punctuatorTokenStart,
                messageId: "unexpectedSpaceBetween",
                data: {
                  type,
                  previousToken: previousToken.value
                },
                fix(fixer) {
                  return fixer.removeRange([
                    previousToken.range[1],
                    punctuatorTokenStart.range[0]
                  ]);
                }
              });
            }
            type = "?:";
            punctuatorTokenStart = previousToken;
            previousToken = context.sourceCode.getTokenBefore(previousToken);
            if (previousToken.value === "+" || previousToken.value === "-") {
              type = `${previousToken.value}?:`;
              punctuatorTokenStart = previousToken;
              previousToken = context.sourceCode.getTokenBefore(previousToken);
            }
          }
          const previousDelta = punctuatorTokenStart.range[0] - previousToken.range[1];
          const nextDelta = nextToken.range[0] - punctuatorTokenEnd.range[1];
          if (after && nextDelta === 0) {
            context.report({
              node: punctuatorTokenEnd,
              messageId: "expectedSpaceAfter",
              data: {
                type
              },
              fix(fixer) {
                return fixer.insertTextAfter(punctuatorTokenEnd, " ");
              }
            });
          } else if (!after && nextDelta > 0) {
            context.report({
              node: punctuatorTokenEnd,
              messageId: "unexpectedSpaceAfter",
              data: {
                type
              },
              fix(fixer) {
                return fixer.removeRange([
                  punctuatorTokenEnd.range[1],
                  nextToken.range[0]
                ]);
              }
            });
          }
          if (before && previousDelta === 0) {
            context.report({
              node: punctuatorTokenStart,
              messageId: "expectedSpaceBefore",
              data: {
                type
              },
              fix(fixer) {
                return fixer.insertTextAfter(previousToken, " ");
              }
            });
          } else if (!before && previousDelta > 0) {
            context.report({
              node: punctuatorTokenStart,
              messageId: "unexpectedSpaceBefore",
              data: {
                type
              },
              fix(fixer) {
                return fixer.removeRange([
                  previousToken.range[1],
                  punctuatorTokenStart.range[0]
                ]);
              }
            });
          }
        }
        return {
          TSMappedType(node) {
            if (node.typeAnnotation) {
              checkTypeAnnotationSpacing(node.typeAnnotation);
            }
          },
          TSTypeAnnotation(node) {
            checkTypeAnnotationSpacing(node.typeAnnotation);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/typedef.js
var require_typedef = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/typedef.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "typedef",
      meta: {
        docs: {
          description: "Require type annotations in certain places"
        },
        messages: {
          expectedTypedef: "Expected a type annotation.",
          expectedTypedefNamed: "Expected {{name}} to have a type annotation."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              [
                "arrayDestructuring"
                /* OptionKeys.ArrayDestructuring */
              ]: { type: "boolean" },
              [
                "arrowParameter"
                /* OptionKeys.ArrowParameter */
              ]: { type: "boolean" },
              [
                "memberVariableDeclaration"
                /* OptionKeys.MemberVariableDeclaration */
              ]: { type: "boolean" },
              [
                "objectDestructuring"
                /* OptionKeys.ObjectDestructuring */
              ]: { type: "boolean" },
              [
                "parameter"
                /* OptionKeys.Parameter */
              ]: { type: "boolean" },
              [
                "propertyDeclaration"
                /* OptionKeys.PropertyDeclaration */
              ]: { type: "boolean" },
              [
                "variableDeclaration"
                /* OptionKeys.VariableDeclaration */
              ]: { type: "boolean" },
              [
                "variableDeclarationIgnoreFunction"
                /* OptionKeys.VariableDeclarationIgnoreFunction */
              ]: { type: "boolean" }
            }
          }
        ],
        type: "suggestion"
      },
      defaultOptions: [
        {
          [
            "arrayDestructuring"
            /* OptionKeys.ArrayDestructuring */
          ]: false,
          [
            "arrowParameter"
            /* OptionKeys.ArrowParameter */
          ]: false,
          [
            "memberVariableDeclaration"
            /* OptionKeys.MemberVariableDeclaration */
          ]: false,
          [
            "objectDestructuring"
            /* OptionKeys.ObjectDestructuring */
          ]: false,
          [
            "parameter"
            /* OptionKeys.Parameter */
          ]: false,
          [
            "propertyDeclaration"
            /* OptionKeys.PropertyDeclaration */
          ]: false,
          [
            "variableDeclaration"
            /* OptionKeys.VariableDeclaration */
          ]: false,
          [
            "variableDeclarationIgnoreFunction"
            /* OptionKeys.VariableDeclarationIgnoreFunction */
          ]: false
        }
      ],
      create(context, [{ arrayDestructuring, arrowParameter, memberVariableDeclaration, objectDestructuring, parameter, propertyDeclaration, variableDeclaration, variableDeclarationIgnoreFunction }]) {
        function report(location, name) {
          context.report({
            node: location,
            messageId: name ? "expectedTypedefNamed" : "expectedTypedef",
            data: { name }
          });
        }
        function getNodeName(node) {
          return node.type === utils_1.AST_NODE_TYPES.Identifier ? node.name : void 0;
        }
        function isForOfStatementContext(node) {
          let current = node.parent;
          while (current) {
            switch (current.type) {
              case utils_1.AST_NODE_TYPES.VariableDeclarator:
              case utils_1.AST_NODE_TYPES.VariableDeclaration:
              case utils_1.AST_NODE_TYPES.ObjectPattern:
              case utils_1.AST_NODE_TYPES.ArrayPattern:
              case utils_1.AST_NODE_TYPES.Property:
                current = current.parent;
                break;
              case utils_1.AST_NODE_TYPES.ForOfStatement:
                return true;
              default:
                current = void 0;
            }
          }
          return false;
        }
        function checkParameters(params) {
          for (const param of params) {
            let annotationNode;
            switch (param.type) {
              case utils_1.AST_NODE_TYPES.AssignmentPattern:
                annotationNode = param.left;
                break;
              case utils_1.AST_NODE_TYPES.TSParameterProperty:
                annotationNode = param.parameter;
                if (annotationNode.type === utils_1.AST_NODE_TYPES.AssignmentPattern) {
                  annotationNode = annotationNode.left;
                }
                break;
              default:
                annotationNode = param;
                break;
            }
            if (!annotationNode.typeAnnotation) {
              report(param, getNodeName(param));
            }
          }
        }
        function isVariableDeclarationIgnoreFunction(node) {
          return variableDeclarationIgnoreFunction === true && (node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression || node.type === utils_1.AST_NODE_TYPES.FunctionExpression);
        }
        function isAncestorHasTypeAnnotation(node) {
          let ancestor = node.parent;
          while (ancestor) {
            if ((ancestor.type === utils_1.AST_NODE_TYPES.ObjectPattern || ancestor.type === utils_1.AST_NODE_TYPES.ArrayPattern) && ancestor.typeAnnotation) {
              return true;
            }
            ancestor = ancestor.parent;
          }
          return false;
        }
        return {
          ...arrayDestructuring && {
            ArrayPattern(node) {
              if (node.parent.type === utils_1.AST_NODE_TYPES.RestElement && node.parent.typeAnnotation) {
                return;
              }
              if (!node.typeAnnotation && !isForOfStatementContext(node) && !isAncestorHasTypeAnnotation(node) && node.parent.type !== utils_1.AST_NODE_TYPES.AssignmentExpression) {
                report(node);
              }
            }
          },
          ...arrowParameter && {
            ArrowFunctionExpression(node) {
              checkParameters(node.params);
            }
          },
          ...memberVariableDeclaration && {
            PropertyDefinition(node) {
              if (!(node.value && isVariableDeclarationIgnoreFunction(node.value)) && !node.typeAnnotation) {
                report(node, node.key.type === utils_1.AST_NODE_TYPES.Identifier ? node.key.name : void 0);
              }
            }
          },
          ...parameter && {
            "FunctionDeclaration, FunctionExpression"(node) {
              checkParameters(node.params);
            }
          },
          ...objectDestructuring && {
            ObjectPattern(node) {
              if (!node.typeAnnotation && !isForOfStatementContext(node) && !isAncestorHasTypeAnnotation(node)) {
                report(node);
              }
            }
          },
          ...propertyDeclaration && {
            "TSIndexSignature, TSPropertySignature"(node) {
              if (!node.typeAnnotation) {
                report(node, node.type === utils_1.AST_NODE_TYPES.TSPropertySignature ? getNodeName(node.key) : void 0);
              }
            }
          },
          VariableDeclarator(node) {
            if (!variableDeclaration || node.id.typeAnnotation || node.id.type === utils_1.AST_NODE_TYPES.ArrayPattern && !arrayDestructuring || node.id.type === utils_1.AST_NODE_TYPES.ObjectPattern && !objectDestructuring || node.init && isVariableDeclarationIgnoreFunction(node.init)) {
              return;
            }
            let current = node.parent;
            while (current) {
              switch (current.type) {
                case utils_1.AST_NODE_TYPES.VariableDeclaration:
                  current = current.parent;
                  break;
                case utils_1.AST_NODE_TYPES.ForOfStatement:
                case utils_1.AST_NODE_TYPES.ForInStatement:
                  return;
                default:
                  current = void 0;
                  break;
              }
            }
            report(node, getNodeName(node.id));
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/unbound-method.js
var require_unbound_method = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/unbound-method.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var ts = __importStar2(require_typescript());
    var util_1 = require_util4();
    var SUPPORTED_GLOBALS = [
      "Number",
      "Object",
      "String",
      // eslint-disable-line @typescript-eslint/internal/prefer-ast-types-enum
      "RegExp",
      "Symbol",
      "Array",
      "Proxy",
      "Date",
      "Atomics",
      "Reflect",
      "console",
      "Math",
      "JSON",
      "Intl"
    ];
    var nativelyBoundMembers = new Set(SUPPORTED_GLOBALS.flatMap((namespace) => {
      if (!(namespace in global)) {
        return [];
      }
      const object = global[namespace];
      return Object.getOwnPropertyNames(object).filter((name) => !name.startsWith("_") && typeof object[name] === "function").map((name) => `${namespace}.${name}`);
    }));
    var isNotImported = (symbol, currentSourceFile) => {
      const { valueDeclaration } = symbol;
      if (!valueDeclaration) {
        return false;
      }
      return !!currentSourceFile && currentSourceFile !== valueDeclaration.getSourceFile();
    };
    var getNodeName = (node) => node.type === utils_1.AST_NODE_TYPES.Identifier ? node.name : null;
    var getMemberFullName = (node) => `${getNodeName(node.object)}.${getNodeName(node.property)}`;
    var BASE_MESSAGE = "Avoid referencing unbound methods which may cause unintentional scoping of `this`.";
    exports2.default = (0, util_1.createRule)({
      name: "unbound-method",
      meta: {
        docs: {
          description: "Enforce unbound methods are called with their expected scope",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          unbound: BASE_MESSAGE,
          unboundWithoutThisAnnotation: BASE_MESSAGE + "\nIf your function does not access `this`, you can annotate it with `this: void`, or consider using an arrow function instead."
        },
        schema: [
          {
            type: "object",
            properties: {
              ignoreStatic: {
                description: "Whether to skip checking whether `static` methods are correctly bound.",
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      defaultOptions: [
        {
          ignoreStatic: false
        }
      ],
      create(context, [{ ignoreStatic }]) {
        const services = (0, util_1.getParserServices)(context);
        const currentSourceFile = services.program.getSourceFile(context.filename);
        function checkIfMethodAndReport(node, symbol) {
          if (!symbol) {
            return;
          }
          const { dangerous, firstParamIsThis } = checkIfMethod(symbol, ignoreStatic);
          if (dangerous) {
            context.report({
              messageId: firstParamIsThis === false ? "unboundWithoutThisAnnotation" : "unbound",
              node
            });
          }
        }
        return {
          MemberExpression(node) {
            if (isSafeUse(node)) {
              return;
            }
            const objectSymbol = services.getSymbolAtLocation(node.object);
            if (objectSymbol && nativelyBoundMembers.has(getMemberFullName(node)) && isNotImported(objectSymbol, currentSourceFile)) {
              return;
            }
            checkIfMethodAndReport(node, services.getSymbolAtLocation(node));
          },
          "VariableDeclarator, AssignmentExpression"(node) {
            const [idNode, initNode] = node.type === utils_1.AST_NODE_TYPES.VariableDeclarator ? [node.id, node.init] : [node.left, node.right];
            if (initNode && idNode.type === utils_1.AST_NODE_TYPES.ObjectPattern) {
              const rightSymbol = services.getSymbolAtLocation(initNode);
              const initTypes = services.getTypeAtLocation(initNode);
              const notImported = rightSymbol && isNotImported(rightSymbol, currentSourceFile);
              idNode.properties.forEach((property) => {
                if (property.type === utils_1.AST_NODE_TYPES.Property && property.key.type === utils_1.AST_NODE_TYPES.Identifier) {
                  if (notImported && (0, util_1.isIdentifier)(initNode) && nativelyBoundMembers.has(`${initNode.name}.${property.key.name}`)) {
                    return;
                  }
                  checkIfMethodAndReport(property.key, initTypes.getProperty(property.key.name));
                }
              });
            }
          }
        };
      }
    });
    function checkIfMethod(symbol, ignoreStatic) {
      const { valueDeclaration } = symbol;
      if (!valueDeclaration) {
        return { dangerous: false };
      }
      switch (valueDeclaration.kind) {
        case ts.SyntaxKind.PropertyDeclaration:
          return {
            dangerous: valueDeclaration.initializer?.kind === ts.SyntaxKind.FunctionExpression
          };
        case ts.SyntaxKind.PropertyAssignment: {
          const assignee = valueDeclaration.initializer;
          if (assignee.kind !== ts.SyntaxKind.FunctionExpression) {
            return {
              dangerous: false
            };
          }
          return checkMethod(assignee, ignoreStatic);
        }
        case ts.SyntaxKind.MethodDeclaration:
        case ts.SyntaxKind.MethodSignature: {
          return checkMethod(valueDeclaration, ignoreStatic);
        }
      }
      return { dangerous: false };
    }
    function checkMethod(valueDeclaration, ignoreStatic) {
      const firstParam = valueDeclaration.parameters.at(0);
      const firstParamIsThis = firstParam?.name.kind === ts.SyntaxKind.Identifier && // eslint-disable-next-line @typescript-eslint/no-unsafe-enum-comparison
      firstParam.name.escapedText === "this";
      const thisArgIsVoid = firstParamIsThis && firstParam.type?.kind === ts.SyntaxKind.VoidKeyword;
      return {
        dangerous: !thisArgIsVoid && !(ignoreStatic && tsutils.includesModifier((0, util_1.getModifiers)(valueDeclaration), ts.SyntaxKind.StaticKeyword)),
        firstParamIsThis
      };
    }
    function isSafeUse(node) {
      const parent = node.parent;
      switch (parent?.type) {
        case utils_1.AST_NODE_TYPES.IfStatement:
        case utils_1.AST_NODE_TYPES.ForStatement:
        case utils_1.AST_NODE_TYPES.MemberExpression:
        case utils_1.AST_NODE_TYPES.SwitchStatement:
        case utils_1.AST_NODE_TYPES.UpdateExpression:
        case utils_1.AST_NODE_TYPES.WhileStatement:
          return true;
        case utils_1.AST_NODE_TYPES.CallExpression:
          return parent.callee === node;
        case utils_1.AST_NODE_TYPES.ConditionalExpression:
          return parent.test === node;
        case utils_1.AST_NODE_TYPES.TaggedTemplateExpression:
          return parent.tag === node;
        case utils_1.AST_NODE_TYPES.UnaryExpression:
          return ["typeof", "!", "void", "delete"].includes(parent.operator);
        case utils_1.AST_NODE_TYPES.BinaryExpression:
          return ["instanceof", "==", "!=", "===", "!=="].includes(parent.operator);
        case utils_1.AST_NODE_TYPES.AssignmentExpression:
          return parent.operator === "=" && (node === parent.left || node.type === utils_1.AST_NODE_TYPES.MemberExpression && node.object.type === utils_1.AST_NODE_TYPES.Super && parent.left.type === utils_1.AST_NODE_TYPES.MemberExpression && parent.left.object.type === utils_1.AST_NODE_TYPES.ThisExpression);
        case utils_1.AST_NODE_TYPES.ChainExpression:
        case utils_1.AST_NODE_TYPES.TSNonNullExpression:
        case utils_1.AST_NODE_TYPES.TSAsExpression:
        case utils_1.AST_NODE_TYPES.TSTypeAssertion:
          return isSafeUse(parent);
        case utils_1.AST_NODE_TYPES.LogicalExpression:
          if (parent.operator === "&&" && parent.left === node) {
            return true;
          }
          return isSafeUse(parent);
      }
      return false;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/unified-signatures.js
var require_unified_signatures = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/unified-signatures.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var util_1 = require_util4();
    exports2.default = (0, util_1.createRule)({
      name: "unified-signatures",
      meta: {
        docs: {
          description: "Disallow two overloads that could be unified into one with a union or an optional/rest parameter",
          // too opinionated to be recommended
          recommended: "strict"
        },
        type: "suggestion",
        messages: {
          omittingRestParameter: "{{failureStringStart}} with a rest parameter.",
          omittingSingleParameter: "{{failureStringStart}} with an optional parameter.",
          singleParameterDifference: "{{failureStringStart}} taking `{{type1}} | {{type2}}`."
        },
        schema: [
          {
            additionalProperties: false,
            properties: {
              ignoreDifferentlyNamedParameters: {
                description: "Whether two parameters with different names at the same index should be considered different even if their types are the same.",
                type: "boolean"
              }
            },
            type: "object"
          }
        ]
      },
      defaultOptions: [
        {
          ignoreDifferentlyNamedParameters: false
        }
      ],
      create(context, [{ ignoreDifferentlyNamedParameters }]) {
        function failureStringStart(otherLine) {
          const overloads = otherLine === void 0 ? "These overloads" : `This overload and the one on line ${otherLine}`;
          return `${overloads} can be combined into one signature`;
        }
        function addFailures(failures) {
          for (const failure of failures) {
            const { unify, only2 } = failure;
            switch (unify.kind) {
              case "single-parameter-difference": {
                const { p0, p1 } = unify;
                const lineOfOtherOverload = only2 ? void 0 : p0.loc.start.line;
                const typeAnnotation0 = isTSParameterProperty(p0) ? p0.parameter.typeAnnotation : p0.typeAnnotation;
                const typeAnnotation1 = isTSParameterProperty(p1) ? p1.parameter.typeAnnotation : p1.typeAnnotation;
                context.report({
                  loc: p1.loc,
                  messageId: "singleParameterDifference",
                  data: {
                    failureStringStart: failureStringStart(lineOfOtherOverload),
                    type1: context.sourceCode.getText(typeAnnotation0?.typeAnnotation),
                    type2: context.sourceCode.getText(typeAnnotation1?.typeAnnotation)
                  },
                  node: p1
                });
                break;
              }
              case "extra-parameter": {
                const { extraParameter, otherSignature } = unify;
                const lineOfOtherOverload = only2 ? void 0 : otherSignature.loc.start.line;
                context.report({
                  loc: extraParameter.loc,
                  messageId: extraParameter.type === utils_1.AST_NODE_TYPES.RestElement ? "omittingRestParameter" : "omittingSingleParameter",
                  data: {
                    failureStringStart: failureStringStart(lineOfOtherOverload)
                  },
                  node: extraParameter
                });
              }
            }
          }
        }
        function checkOverloads(signatures, typeParameters) {
          const result = [];
          const isTypeParameter = getIsTypeParameter(typeParameters);
          for (const overloads of signatures) {
            forEachPair(overloads, (a, b) => {
              const signature0 = a.value ?? a;
              const signature1 = b.value ?? b;
              const unify = compareSignatures(signature0, signature1, isTypeParameter);
              if (unify !== void 0) {
                result.push({ unify, only2: overloads.length === 2 });
              }
            });
          }
          return result;
        }
        function compareSignatures(a, b, isTypeParameter) {
          if (!signaturesCanBeUnified(a, b, isTypeParameter)) {
            return void 0;
          }
          return a.params.length === b.params.length ? signaturesDifferBySingleParameter(a.params, b.params) : signaturesDifferByOptionalOrRestParameter(a, b);
        }
        function signaturesCanBeUnified(a, b, isTypeParameter) {
          const aTypeParams = a.typeParameters !== void 0 ? a.typeParameters.params : void 0;
          const bTypeParams = b.typeParameters !== void 0 ? b.typeParameters.params : void 0;
          if (ignoreDifferentlyNamedParameters) {
            const commonParamsLength = Math.min(a.params.length, b.params.length);
            for (let i = 0; i < commonParamsLength; i += 1) {
              if (a.params[i].type === b.params[i].type && getStaticParameterName(a.params[i]) !== getStaticParameterName(b.params[i])) {
                return false;
              }
            }
          }
          return typesAreEqual(a.returnType, b.returnType) && // Must take the same type parameters.
          // If one uses a type parameter (from outside) and the other doesn't, they shouldn't be joined.
          (0, util_1.arraysAreEqual)(aTypeParams, bTypeParams, typeParametersAreEqual) && signatureUsesTypeParameter(a, isTypeParameter) === signatureUsesTypeParameter(b, isTypeParameter);
        }
        function signaturesDifferBySingleParameter(types1, types2) {
          const index = getIndexOfFirstDifference(types1, types2, parametersAreEqual);
          if (index === void 0) {
            return void 0;
          }
          if (!(0, util_1.arraysAreEqual)(types1.slice(index + 1), types2.slice(index + 1), parametersAreEqual)) {
            return void 0;
          }
          const a = types1[index];
          const b = types2[index];
          return parametersHaveEqualSigils(a, b) && a.type !== utils_1.AST_NODE_TYPES.RestElement ? { kind: "single-parameter-difference", p0: a, p1: b } : void 0;
        }
        function signaturesDifferByOptionalOrRestParameter(a, b) {
          const sig1 = a.params;
          const sig2 = b.params;
          const minLength = Math.min(sig1.length, sig2.length);
          const longer = sig1.length < sig2.length ? sig2 : sig1;
          const shorter = sig1.length < sig2.length ? sig1 : sig2;
          const shorterSig = sig1.length < sig2.length ? a : b;
          for (let i = minLength + 1; i < longer.length; i++) {
            if (!parameterMayBeMissing(longer[i])) {
              return void 0;
            }
          }
          for (let i = 0; i < minLength; i++) {
            const sig1i = sig1[i];
            const sig2i = sig2[i];
            const typeAnnotation1 = isTSParameterProperty(sig1i) ? sig1i.parameter.typeAnnotation : sig1i.typeAnnotation;
            const typeAnnotation2 = isTSParameterProperty(sig2i) ? sig2i.parameter.typeAnnotation : sig2i.typeAnnotation;
            if (!typesAreEqual(typeAnnotation1, typeAnnotation2)) {
              return void 0;
            }
          }
          if (minLength > 0 && shorter[minLength - 1].type === utils_1.AST_NODE_TYPES.RestElement) {
            return void 0;
          }
          return {
            extraParameter: longer[longer.length - 1],
            kind: "extra-parameter",
            otherSignature: shorterSig
          };
        }
        function getIsTypeParameter(typeParameters) {
          if (typeParameters === void 0) {
            return () => false;
          }
          const set = /* @__PURE__ */ new Set();
          for (const t of typeParameters.params) {
            set.add(t.name.name);
          }
          return (typeName) => set.has(typeName);
        }
        function signatureUsesTypeParameter(sig, isTypeParameter) {
          return sig.params.some((p) => typeContainsTypeParameter(isTSParameterProperty(p) ? p.parameter.typeAnnotation : p.typeAnnotation));
          function typeContainsTypeParameter(type) {
            if (!type) {
              return false;
            }
            if (type.type === utils_1.AST_NODE_TYPES.TSTypeReference) {
              const typeName = type.typeName;
              if (isIdentifier(typeName) && isTypeParameter(typeName.name)) {
                return true;
              }
            }
            return typeContainsTypeParameter(type.typeAnnotation ?? type.elementType);
          }
        }
        function isTSParameterProperty(node) {
          return node.type === utils_1.AST_NODE_TYPES.TSParameterProperty;
        }
        function parametersAreEqual(a, b) {
          const typeAnnotationA = isTSParameterProperty(a) ? a.parameter.typeAnnotation : a.typeAnnotation;
          const typeAnnotationB = isTSParameterProperty(b) ? b.parameter.typeAnnotation : b.typeAnnotation;
          return parametersHaveEqualSigils(a, b) && typesAreEqual(typeAnnotationA, typeAnnotationB);
        }
        function parameterMayBeMissing(p) {
          const optional = isTSParameterProperty(p) ? p.parameter.optional : p.optional;
          return p.type === utils_1.AST_NODE_TYPES.RestElement || optional;
        }
        function parametersHaveEqualSigils(a, b) {
          const optionalA = isTSParameterProperty(a) ? a.parameter.optional : a.optional;
          const optionalB = isTSParameterProperty(b) ? b.parameter.optional : b.optional;
          return a.type === utils_1.AST_NODE_TYPES.RestElement === (b.type === utils_1.AST_NODE_TYPES.RestElement) && optionalA === optionalB;
        }
        function typeParametersAreEqual(a, b) {
          return a.name.name === b.name.name && constraintsAreEqual(a.constraint, b.constraint);
        }
        function typesAreEqual(a, b) {
          return a === b || a !== void 0 && b !== void 0 && context.sourceCode.getText(a.typeAnnotation) === context.sourceCode.getText(b.typeAnnotation);
        }
        function constraintsAreEqual(a, b) {
          return a === b || a !== void 0 && b !== void 0 && a.type === b.type;
        }
        function getIndexOfFirstDifference(a, b, equal) {
          for (let i = 0; i < a.length && i < b.length; i++) {
            if (!equal(a[i], b[i])) {
              return i;
            }
          }
          return void 0;
        }
        function forEachPair(values, action) {
          for (let i = 0; i < values.length; i++) {
            for (let j = i + 1; j < values.length; j++) {
              action(values[i], values[j]);
            }
          }
        }
        const scopes = [];
        let currentScope = {
          overloads: /* @__PURE__ */ new Map()
        };
        function createScope(parent, typeParameters) {
          currentScope && scopes.push(currentScope);
          currentScope = {
            overloads: /* @__PURE__ */ new Map(),
            parent,
            typeParameters
          };
        }
        function checkScope() {
          const scope = (0, util_1.nullThrows)(currentScope, "checkScope() called without a current scope");
          const failures = checkOverloads(Array.from(scope.overloads.values()), scope.typeParameters);
          addFailures(failures);
          currentScope = scopes.pop();
        }
        function addOverload(signature, key, containingNode) {
          key ??= getOverloadKey(signature);
          if (currentScope && (containingNode ?? signature).parent === currentScope.parent) {
            const overloads = currentScope.overloads.get(key);
            if (overloads !== void 0) {
              overloads.push(signature);
            } else {
              currentScope.overloads.set(key, [signature]);
            }
          }
        }
        return {
          Program: createScope,
          TSModuleBlock: createScope,
          TSInterfaceDeclaration(node) {
            createScope(node.body, node.typeParameters);
          },
          ClassDeclaration(node) {
            createScope(node.body, node.typeParameters);
          },
          TSTypeLiteral: createScope,
          // collect overloads
          TSDeclareFunction(node) {
            const exportingNode = getExportingNode(node);
            addOverload(node, node.id?.name ?? exportingNode?.type, exportingNode);
          },
          TSCallSignatureDeclaration: addOverload,
          TSConstructSignatureDeclaration: addOverload,
          TSMethodSignature: addOverload,
          TSAbstractMethodDefinition(node) {
            if (!node.value.body) {
              addOverload(node);
            }
          },
          MethodDefinition(node) {
            if (!node.value.body) {
              addOverload(node);
            }
          },
          // validate scopes
          "Program:exit": checkScope,
          "TSModuleBlock:exit": checkScope,
          "TSInterfaceDeclaration:exit": checkScope,
          "ClassDeclaration:exit": checkScope,
          "TSTypeLiteral:exit": checkScope
        };
      }
    });
    function getExportingNode(node) {
      return node.parent.type === utils_1.AST_NODE_TYPES.ExportNamedDeclaration || node.parent.type === utils_1.AST_NODE_TYPES.ExportDefaultDeclaration ? node.parent : void 0;
    }
    function getOverloadKey(node) {
      const info = getOverloadInfo(node);
      return (node.computed ? "0" : "1") + (node.static ? "0" : "1") + info;
    }
    function getOverloadInfo(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.TSConstructSignatureDeclaration:
          return "constructor";
        case utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration:
          return "()";
        default: {
          const { key } = node;
          return isIdentifier(key) ? key.name : key.raw;
        }
      }
    }
    function getStaticParameterName(param) {
      switch (param.type) {
        case utils_1.AST_NODE_TYPES.Identifier:
          return param.name;
        case utils_1.AST_NODE_TYPES.RestElement:
          return getStaticParameterName(param.argument);
        default:
          return void 0;
      }
    }
    function isIdentifier(node) {
      return node.type === utils_1.AST_NODE_TYPES.Identifier;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/use-unknown-in-catch-callback-variable.js
var require_use_unknown_in_catch_callback_variable = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/use-unknown-in-catch-callback-variable.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist4();
    var tsutils = __importStar2(require_lib5());
    var util_1 = require_util4();
    var useUnknownMessageBase = "Prefer the safe `: unknown` for a catch callback variable.";
    exports2.default = (0, util_1.createRule)({
      name: "use-unknown-in-catch-callback-variable",
      meta: {
        docs: {
          description: "Enforce typing arguments in `.catch()` callbacks as `unknown`",
          requiresTypeChecking: true,
          recommended: "strict"
        },
        type: "suggestion",
        messages: {
          useUnknown: useUnknownMessageBase,
          useUnknownArrayDestructuringPattern: useUnknownMessageBase + " The thrown error may not be iterable.",
          useUnknownObjectDestructuringPattern: useUnknownMessageBase + " The thrown error may be nullable, or may not have the expected shape.",
          useUnknownSpreadArgs: useUnknownMessageBase + " The argument list may contain a handler that does not use `unknown` for the catch callback variable.",
          addUnknownTypeAnnotationSuggestion: "Add an explicit `: unknown` type annotation to the catch variable.",
          addUnknownRestTypeAnnotationSuggestion: "Add an explicit `: [unknown]` type annotation to the catch rest variable.",
          wrongTypeAnnotationSuggestion: "Change existing type annotation to `: unknown`.",
          wrongRestTypeAnnotationSuggestion: "Change existing type annotation to `: [unknown]`."
        },
        fixable: "code",
        schema: [],
        hasSuggestions: true
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function isPromiseCatchAccess(node) {
          if (!(node.type === utils_1.AST_NODE_TYPES.MemberExpression && isStaticMemberAccessOfValue(node, "catch"))) {
            return false;
          }
          const objectTsNode = services.esTreeNodeToTSNodeMap.get(node.object);
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          return tsutils.isThenableType(checker, tsNode, checker.getTypeAtLocation(objectTsNode));
        }
        function isFlaggableHandlerType(type) {
          for (const unionPart of tsutils.unionTypeParts(type)) {
            const callSignatures = tsutils.getCallSignaturesOfType(unionPart);
            if (callSignatures.length === 0) {
              continue;
            }
            for (const callSignature of callSignatures) {
              const firstParam = callSignature.parameters.at(0);
              if (!firstParam) {
                continue;
              }
              let firstParamType = checker.getTypeOfSymbol(firstParam);
              const decl = firstParam.valueDeclaration;
              if (decl != null && (0, util_1.isRestParameterDeclaration)(decl)) {
                if (checker.isArrayType(firstParamType)) {
                  firstParamType = checker.getTypeArguments(firstParamType)[0];
                } else if (checker.isTupleType(firstParamType)) {
                  firstParamType = checker.getTypeArguments(firstParamType)[0];
                } else {
                  return true;
                }
              }
              if (!tsutils.isIntrinsicUnknownType(firstParamType)) {
                return true;
              }
            }
          }
          return false;
        }
        function shouldFlagArgument(node) {
          const argument = services.esTreeNodeToTSNodeMap.get(node);
          const typeOfArgument = checker.getTypeAtLocation(argument);
          return isFlaggableHandlerType(typeOfArgument);
        }
        function shouldFlagMultipleSpreadArgs(argumentsList) {
          return argumentsList.some((argument) => shouldFlagArgument(argument));
        }
        function shouldFlagSingleSpreadArg(node) {
          const spreadArgs = services.esTreeNodeToTSNodeMap.get(node.argument);
          const spreadArgsType = checker.getTypeAtLocation(spreadArgs);
          if (checker.isArrayType(spreadArgsType)) {
            const arrayType2 = checker.getTypeArguments(spreadArgsType)[0];
            return isFlaggableHandlerType(arrayType2);
          }
          if (checker.isTupleType(spreadArgsType)) {
            const firstType = checker.getTypeArguments(spreadArgsType).at(0);
            if (!firstType) {
              return false;
            }
            return isFlaggableHandlerType(firstType);
          }
          return true;
        }
        function refineReportForNormalArgumentIfPossible(argument) {
          if (!(argument.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression || argument.type === utils_1.AST_NODE_TYPES.FunctionExpression)) {
            return void 0;
          }
          const catchVariableOuterWithIncorrectTypes = (0, util_1.nullThrows)(argument.params.at(0), "There should have been at least one parameter for the rule to have flagged.");
          const catchVariableOuter = catchVariableOuterWithIncorrectTypes;
          const catchVariableInner = catchVariableOuter.type === utils_1.AST_NODE_TYPES.AssignmentPattern ? catchVariableOuter.left : catchVariableOuter;
          switch (catchVariableInner.type) {
            case utils_1.AST_NODE_TYPES.Identifier: {
              const catchVariableTypeAnnotation = catchVariableInner.typeAnnotation;
              if (catchVariableTypeAnnotation == null) {
                return {
                  node: catchVariableOuter,
                  suggest: [
                    {
                      messageId: "addUnknownTypeAnnotationSuggestion",
                      fix: (fixer) => {
                        if (argument.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression && (0, util_1.isParenlessArrowFunction)(argument, context.sourceCode)) {
                          return [
                            fixer.insertTextBefore(catchVariableInner, "("),
                            fixer.insertTextAfter(catchVariableInner, ": unknown)")
                          ];
                        }
                        return [
                          fixer.insertTextAfter(catchVariableInner, ": unknown")
                        ];
                      }
                    }
                  ]
                };
              }
              return {
                node: catchVariableOuter,
                suggest: [
                  {
                    messageId: "wrongTypeAnnotationSuggestion",
                    fix: (fixer) => fixer.replaceText(catchVariableTypeAnnotation, ": unknown")
                  }
                ]
              };
            }
            case utils_1.AST_NODE_TYPES.ArrayPattern: {
              return {
                node: catchVariableOuter,
                messageId: "useUnknownArrayDestructuringPattern"
              };
            }
            case utils_1.AST_NODE_TYPES.ObjectPattern: {
              return {
                node: catchVariableOuter,
                messageId: "useUnknownObjectDestructuringPattern"
              };
            }
            case utils_1.AST_NODE_TYPES.RestElement: {
              const catchVariableTypeAnnotation = catchVariableInner.typeAnnotation;
              if (catchVariableTypeAnnotation == null) {
                return {
                  node: catchVariableOuter,
                  suggest: [
                    {
                      messageId: "addUnknownRestTypeAnnotationSuggestion",
                      fix: (fixer) => fixer.insertTextAfter(catchVariableInner, ": [unknown]")
                    }
                  ]
                };
              }
              return {
                node: catchVariableOuter,
                suggest: [
                  {
                    messageId: "wrongRestTypeAnnotationSuggestion",
                    fix: (fixer) => fixer.replaceText(catchVariableTypeAnnotation, ": [unknown]")
                  }
                ]
              };
            }
          }
        }
        return {
          CallExpression(node) {
            if (node.arguments.length === 0 || !isPromiseCatchAccess(node.callee)) {
              return;
            }
            const firstArgument = node.arguments[0];
            if (firstArgument.type === utils_1.AST_NODE_TYPES.SpreadElement) {
              if (node.arguments.length === 1) {
                if (shouldFlagSingleSpreadArg(firstArgument)) {
                  context.report({
                    node: firstArgument,
                    messageId: "useUnknown"
                  });
                }
              } else if (shouldFlagMultipleSpreadArgs(node.arguments)) {
                context.report({
                  node,
                  messageId: "useUnknownSpreadArgs"
                });
              }
              return;
            }
            if (shouldFlagArgument(firstArgument)) {
              const overrides = refineReportForNormalArgumentIfPossible(firstArgument);
              context.report({
                node: firstArgument,
                messageId: "useUnknown",
                ...overrides
              });
            }
          }
        };
      }
    });
    function isStaticMemberAccessOfValue(memberExpression, value, scope) {
      if (!memberExpression.computed) {
        return memberExpression.property.name === value;
      }
      const staticValueResult = (0, util_1.getStaticValue)(memberExpression.property, scope);
      return staticValueResult != null && value === staticValueResult.value;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/index.js
var require_rules2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/rules/index.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var adjacent_overload_signatures_1 = __importDefault2(require_adjacent_overload_signatures());
    var array_type_1 = __importDefault2(require_array_type());
    var await_thenable_1 = __importDefault2(require_await_thenable());
    var ban_ts_comment_1 = __importDefault2(require_ban_ts_comment());
    var ban_tslint_comment_1 = __importDefault2(require_ban_tslint_comment());
    var ban_types_1 = __importDefault2(require_ban_types());
    var block_spacing_1 = __importDefault2(require_block_spacing());
    var brace_style_1 = __importDefault2(require_brace_style());
    var class_literal_property_style_1 = __importDefault2(require_class_literal_property_style());
    var class_methods_use_this_1 = __importDefault2(require_class_methods_use_this());
    var comma_dangle_1 = __importDefault2(require_comma_dangle());
    var comma_spacing_1 = __importDefault2(require_comma_spacing());
    var consistent_generic_constructors_1 = __importDefault2(require_consistent_generic_constructors());
    var consistent_indexed_object_style_1 = __importDefault2(require_consistent_indexed_object_style());
    var consistent_return_1 = __importDefault2(require_consistent_return());
    var consistent_type_assertions_1 = __importDefault2(require_consistent_type_assertions());
    var consistent_type_definitions_1 = __importDefault2(require_consistent_type_definitions());
    var consistent_type_exports_1 = __importDefault2(require_consistent_type_exports());
    var consistent_type_imports_1 = __importDefault2(require_consistent_type_imports());
    var default_param_last_1 = __importDefault2(require_default_param_last());
    var dot_notation_1 = __importDefault2(require_dot_notation());
    var explicit_function_return_type_1 = __importDefault2(require_explicit_function_return_type());
    var explicit_member_accessibility_1 = __importDefault2(require_explicit_member_accessibility());
    var explicit_module_boundary_types_1 = __importDefault2(require_explicit_module_boundary_types());
    var func_call_spacing_1 = __importDefault2(require_func_call_spacing());
    var indent_1 = __importDefault2(require_indent());
    var init_declarations_1 = __importDefault2(require_init_declarations());
    var key_spacing_1 = __importDefault2(require_key_spacing());
    var keyword_spacing_1 = __importDefault2(require_keyword_spacing());
    var lines_around_comment_1 = __importDefault2(require_lines_around_comment());
    var lines_between_class_members_1 = __importDefault2(require_lines_between_class_members());
    var max_params_1 = __importDefault2(require_max_params());
    var member_delimiter_style_1 = __importDefault2(require_member_delimiter_style());
    var member_ordering_1 = __importDefault2(require_member_ordering());
    var method_signature_style_1 = __importDefault2(require_method_signature_style());
    var naming_convention_1 = __importDefault2(require_naming_convention());
    var no_array_constructor_1 = __importDefault2(require_no_array_constructor());
    var no_array_delete_1 = __importDefault2(require_no_array_delete());
    var no_base_to_string_1 = __importDefault2(require_no_base_to_string());
    var no_confusing_non_null_assertion_1 = __importDefault2(require_no_confusing_non_null_assertion());
    var no_confusing_void_expression_1 = __importDefault2(require_no_confusing_void_expression());
    var no_dupe_class_members_1 = __importDefault2(require_no_dupe_class_members());
    var no_duplicate_enum_values_1 = __importDefault2(require_no_duplicate_enum_values());
    var no_duplicate_type_constituents_1 = __importDefault2(require_no_duplicate_type_constituents());
    var no_dynamic_delete_1 = __importDefault2(require_no_dynamic_delete());
    var no_empty_function_1 = __importDefault2(require_no_empty_function());
    var no_empty_interface_1 = __importDefault2(require_no_empty_interface());
    var no_empty_object_type_1 = __importDefault2(require_no_empty_object_type());
    var no_explicit_any_1 = __importDefault2(require_no_explicit_any());
    var no_extra_non_null_assertion_1 = __importDefault2(require_no_extra_non_null_assertion());
    var no_extra_parens_1 = __importDefault2(require_no_extra_parens());
    var no_extra_semi_1 = __importDefault2(require_no_extra_semi());
    var no_extraneous_class_1 = __importDefault2(require_no_extraneous_class());
    var no_floating_promises_1 = __importDefault2(require_no_floating_promises());
    var no_for_in_array_1 = __importDefault2(require_no_for_in_array());
    var no_implied_eval_1 = __importDefault2(require_no_implied_eval());
    var no_import_type_side_effects_1 = __importDefault2(require_no_import_type_side_effects());
    var no_inferrable_types_1 = __importDefault2(require_no_inferrable_types());
    var no_invalid_this_1 = __importDefault2(require_no_invalid_this());
    var no_invalid_void_type_1 = __importDefault2(require_no_invalid_void_type());
    var no_loop_func_1 = __importDefault2(require_no_loop_func());
    var no_loss_of_precision_1 = __importDefault2(require_no_loss_of_precision());
    var no_magic_numbers_1 = __importDefault2(require_no_magic_numbers());
    var no_meaningless_void_operator_1 = __importDefault2(require_no_meaningless_void_operator());
    var no_misused_new_1 = __importDefault2(require_no_misused_new());
    var no_misused_promises_1 = __importDefault2(require_no_misused_promises());
    var no_mixed_enums_1 = __importDefault2(require_no_mixed_enums());
    var no_namespace_1 = __importDefault2(require_no_namespace());
    var no_non_null_asserted_nullish_coalescing_1 = __importDefault2(require_no_non_null_asserted_nullish_coalescing());
    var no_non_null_asserted_optional_chain_1 = __importDefault2(require_no_non_null_asserted_optional_chain());
    var no_non_null_assertion_1 = __importDefault2(require_no_non_null_assertion());
    var no_redeclare_1 = __importDefault2(require_no_redeclare());
    var no_redundant_type_constituents_1 = __importDefault2(require_no_redundant_type_constituents());
    var no_require_imports_1 = __importDefault2(require_no_require_imports());
    var no_restricted_imports_1 = __importDefault2(require_no_restricted_imports());
    var no_shadow_1 = __importDefault2(require_no_shadow());
    var no_this_alias_1 = __importDefault2(require_no_this_alias());
    var no_throw_literal_1 = __importDefault2(require_no_throw_literal());
    var no_type_alias_1 = __importDefault2(require_no_type_alias());
    var no_unnecessary_boolean_literal_compare_1 = __importDefault2(require_no_unnecessary_boolean_literal_compare());
    var no_unnecessary_condition_1 = __importDefault2(require_no_unnecessary_condition());
    var no_unnecessary_parameter_property_assignment_1 = __importDefault2(require_no_unnecessary_parameter_property_assignment());
    var no_unnecessary_qualifier_1 = __importDefault2(require_no_unnecessary_qualifier());
    var no_unnecessary_template_expression_1 = __importDefault2(require_no_unnecessary_template_expression());
    var no_unnecessary_type_arguments_1 = __importDefault2(require_no_unnecessary_type_arguments());
    var no_unnecessary_type_assertion_1 = __importDefault2(require_no_unnecessary_type_assertion());
    var no_unnecessary_type_constraint_1 = __importDefault2(require_no_unnecessary_type_constraint());
    var no_unnecessary_type_parameters_1 = __importDefault2(require_no_unnecessary_type_parameters());
    var no_unsafe_argument_1 = __importDefault2(require_no_unsafe_argument());
    var no_unsafe_assignment_1 = __importDefault2(require_no_unsafe_assignment());
    var no_unsafe_call_1 = __importDefault2(require_no_unsafe_call());
    var no_unsafe_declaration_merging_1 = __importDefault2(require_no_unsafe_declaration_merging());
    var no_unsafe_enum_comparison_1 = __importDefault2(require_no_unsafe_enum_comparison());
    var no_unsafe_member_access_1 = __importDefault2(require_no_unsafe_member_access());
    var no_unsafe_return_1 = __importDefault2(require_no_unsafe_return());
    var no_unsafe_unary_minus_1 = __importDefault2(require_no_unsafe_unary_minus());
    var no_unused_expressions_1 = __importDefault2(require_no_unused_expressions());
    var no_unused_vars_1 = __importDefault2(require_no_unused_vars());
    var no_use_before_define_1 = __importDefault2(require_no_use_before_define());
    var no_useless_constructor_1 = __importDefault2(require_no_useless_constructor());
    var no_useless_empty_export_1 = __importDefault2(require_no_useless_empty_export());
    var no_useless_template_literals_1 = __importDefault2(require_no_useless_template_literals());
    var no_var_requires_1 = __importDefault2(require_no_var_requires());
    var non_nullable_type_assertion_style_1 = __importDefault2(require_non_nullable_type_assertion_style());
    var object_curly_spacing_1 = __importDefault2(require_object_curly_spacing());
    var only_throw_error_1 = __importDefault2(require_only_throw_error());
    var padding_line_between_statements_1 = __importDefault2(require_padding_line_between_statements());
    var parameter_properties_1 = __importDefault2(require_parameter_properties());
    var prefer_as_const_1 = __importDefault2(require_prefer_as_const());
    var prefer_destructuring_1 = __importDefault2(require_prefer_destructuring());
    var prefer_enum_initializers_1 = __importDefault2(require_prefer_enum_initializers());
    var prefer_find_1 = __importDefault2(require_prefer_find());
    var prefer_for_of_1 = __importDefault2(require_prefer_for_of());
    var prefer_function_type_1 = __importDefault2(require_prefer_function_type());
    var prefer_includes_1 = __importDefault2(require_prefer_includes());
    var prefer_literal_enum_member_1 = __importDefault2(require_prefer_literal_enum_member());
    var prefer_namespace_keyword_1 = __importDefault2(require_prefer_namespace_keyword());
    var prefer_nullish_coalescing_1 = __importDefault2(require_prefer_nullish_coalescing());
    var prefer_optional_chain_1 = __importDefault2(require_prefer_optional_chain());
    var prefer_promise_reject_errors_1 = __importDefault2(require_prefer_promise_reject_errors());
    var prefer_readonly_1 = __importDefault2(require_prefer_readonly());
    var prefer_readonly_parameter_types_1 = __importDefault2(require_prefer_readonly_parameter_types());
    var prefer_reduce_type_parameter_1 = __importDefault2(require_prefer_reduce_type_parameter());
    var prefer_regexp_exec_1 = __importDefault2(require_prefer_regexp_exec());
    var prefer_return_this_type_1 = __importDefault2(require_prefer_return_this_type());
    var prefer_string_starts_ends_with_1 = __importDefault2(require_prefer_string_starts_ends_with());
    var prefer_ts_expect_error_1 = __importDefault2(require_prefer_ts_expect_error());
    var promise_function_async_1 = __importDefault2(require_promise_function_async());
    var quotes_1 = __importDefault2(require_quotes());
    var require_array_sort_compare_1 = __importDefault2(require_require_array_sort_compare());
    var require_await_1 = __importDefault2(require_require_await());
    var restrict_plus_operands_1 = __importDefault2(require_restrict_plus_operands());
    var restrict_template_expressions_1 = __importDefault2(require_restrict_template_expressions());
    var return_await_1 = __importDefault2(require_return_await());
    var semi_1 = __importDefault2(require_semi());
    var sort_type_constituents_1 = __importDefault2(require_sort_type_constituents());
    var space_before_blocks_1 = __importDefault2(require_space_before_blocks());
    var space_before_function_paren_1 = __importDefault2(require_space_before_function_paren());
    var space_infix_ops_1 = __importDefault2(require_space_infix_ops());
    var strict_boolean_expressions_1 = __importDefault2(require_strict_boolean_expressions());
    var switch_exhaustiveness_check_1 = __importDefault2(require_switch_exhaustiveness_check());
    var triple_slash_reference_1 = __importDefault2(require_triple_slash_reference());
    var type_annotation_spacing_1 = __importDefault2(require_type_annotation_spacing());
    var typedef_1 = __importDefault2(require_typedef());
    var unbound_method_1 = __importDefault2(require_unbound_method());
    var unified_signatures_1 = __importDefault2(require_unified_signatures());
    var use_unknown_in_catch_callback_variable_1 = __importDefault2(require_use_unknown_in_catch_callback_variable());
    exports2.default = {
      "adjacent-overload-signatures": adjacent_overload_signatures_1.default,
      "array-type": array_type_1.default,
      "await-thenable": await_thenable_1.default,
      "ban-ts-comment": ban_ts_comment_1.default,
      "ban-tslint-comment": ban_tslint_comment_1.default,
      "ban-types": ban_types_1.default,
      "block-spacing": block_spacing_1.default,
      "brace-style": brace_style_1.default,
      "class-literal-property-style": class_literal_property_style_1.default,
      "class-methods-use-this": class_methods_use_this_1.default,
      "comma-dangle": comma_dangle_1.default,
      "comma-spacing": comma_spacing_1.default,
      "consistent-generic-constructors": consistent_generic_constructors_1.default,
      "consistent-indexed-object-style": consistent_indexed_object_style_1.default,
      "consistent-return": consistent_return_1.default,
      "consistent-type-assertions": consistent_type_assertions_1.default,
      "consistent-type-definitions": consistent_type_definitions_1.default,
      "consistent-type-exports": consistent_type_exports_1.default,
      "consistent-type-imports": consistent_type_imports_1.default,
      "default-param-last": default_param_last_1.default,
      "dot-notation": dot_notation_1.default,
      "explicit-function-return-type": explicit_function_return_type_1.default,
      "explicit-member-accessibility": explicit_member_accessibility_1.default,
      "explicit-module-boundary-types": explicit_module_boundary_types_1.default,
      "func-call-spacing": func_call_spacing_1.default,
      indent: indent_1.default,
      "init-declarations": init_declarations_1.default,
      "key-spacing": key_spacing_1.default,
      "keyword-spacing": keyword_spacing_1.default,
      "lines-around-comment": lines_around_comment_1.default,
      "lines-between-class-members": lines_between_class_members_1.default,
      "max-params": max_params_1.default,
      "member-delimiter-style": member_delimiter_style_1.default,
      "member-ordering": member_ordering_1.default,
      "method-signature-style": method_signature_style_1.default,
      "naming-convention": naming_convention_1.default,
      "no-array-constructor": no_array_constructor_1.default,
      "no-array-delete": no_array_delete_1.default,
      "no-base-to-string": no_base_to_string_1.default,
      "no-confusing-non-null-assertion": no_confusing_non_null_assertion_1.default,
      "no-confusing-void-expression": no_confusing_void_expression_1.default,
      "no-dupe-class-members": no_dupe_class_members_1.default,
      "no-duplicate-enum-values": no_duplicate_enum_values_1.default,
      "no-duplicate-type-constituents": no_duplicate_type_constituents_1.default,
      "no-dynamic-delete": no_dynamic_delete_1.default,
      "no-empty-function": no_empty_function_1.default,
      "no-empty-interface": no_empty_interface_1.default,
      "no-empty-object-type": no_empty_object_type_1.default,
      "no-explicit-any": no_explicit_any_1.default,
      "no-extra-non-null-assertion": no_extra_non_null_assertion_1.default,
      "no-extra-parens": no_extra_parens_1.default,
      "no-extra-semi": no_extra_semi_1.default,
      "no-extraneous-class": no_extraneous_class_1.default,
      "no-floating-promises": no_floating_promises_1.default,
      "no-for-in-array": no_for_in_array_1.default,
      "no-implied-eval": no_implied_eval_1.default,
      "no-import-type-side-effects": no_import_type_side_effects_1.default,
      "no-inferrable-types": no_inferrable_types_1.default,
      "no-invalid-this": no_invalid_this_1.default,
      "no-invalid-void-type": no_invalid_void_type_1.default,
      "no-loop-func": no_loop_func_1.default,
      "no-loss-of-precision": no_loss_of_precision_1.default,
      "no-magic-numbers": no_magic_numbers_1.default,
      "no-meaningless-void-operator": no_meaningless_void_operator_1.default,
      "no-misused-new": no_misused_new_1.default,
      "no-misused-promises": no_misused_promises_1.default,
      "no-mixed-enums": no_mixed_enums_1.default,
      "no-namespace": no_namespace_1.default,
      "no-non-null-asserted-nullish-coalescing": no_non_null_asserted_nullish_coalescing_1.default,
      "no-non-null-asserted-optional-chain": no_non_null_asserted_optional_chain_1.default,
      "no-non-null-assertion": no_non_null_assertion_1.default,
      "no-redeclare": no_redeclare_1.default,
      "no-redundant-type-constituents": no_redundant_type_constituents_1.default,
      "no-require-imports": no_require_imports_1.default,
      "no-restricted-imports": no_restricted_imports_1.default,
      "no-shadow": no_shadow_1.default,
      "no-this-alias": no_this_alias_1.default,
      "no-throw-literal": no_throw_literal_1.default,
      "no-type-alias": no_type_alias_1.default,
      "no-unnecessary-boolean-literal-compare": no_unnecessary_boolean_literal_compare_1.default,
      "no-unnecessary-condition": no_unnecessary_condition_1.default,
      "no-unnecessary-parameter-property-assignment": no_unnecessary_parameter_property_assignment_1.default,
      "no-unnecessary-qualifier": no_unnecessary_qualifier_1.default,
      "no-unnecessary-template-expression": no_unnecessary_template_expression_1.default,
      "no-unnecessary-type-arguments": no_unnecessary_type_arguments_1.default,
      "no-unnecessary-type-assertion": no_unnecessary_type_assertion_1.default,
      "no-unnecessary-type-constraint": no_unnecessary_type_constraint_1.default,
      "no-unnecessary-type-parameters": no_unnecessary_type_parameters_1.default,
      "no-unsafe-argument": no_unsafe_argument_1.default,
      "no-unsafe-assignment": no_unsafe_assignment_1.default,
      "no-unsafe-call": no_unsafe_call_1.default,
      "no-unsafe-declaration-merging": no_unsafe_declaration_merging_1.default,
      "no-unsafe-enum-comparison": no_unsafe_enum_comparison_1.default,
      "no-unsafe-member-access": no_unsafe_member_access_1.default,
      "no-unsafe-return": no_unsafe_return_1.default,
      "no-unsafe-unary-minus": no_unsafe_unary_minus_1.default,
      "no-unused-expressions": no_unused_expressions_1.default,
      "no-unused-vars": no_unused_vars_1.default,
      "no-use-before-define": no_use_before_define_1.default,
      "no-useless-constructor": no_useless_constructor_1.default,
      "no-useless-empty-export": no_useless_empty_export_1.default,
      "no-useless-template-literals": no_useless_template_literals_1.default,
      "no-var-requires": no_var_requires_1.default,
      "non-nullable-type-assertion-style": non_nullable_type_assertion_style_1.default,
      "object-curly-spacing": object_curly_spacing_1.default,
      "only-throw-error": only_throw_error_1.default,
      "padding-line-between-statements": padding_line_between_statements_1.default,
      "parameter-properties": parameter_properties_1.default,
      "prefer-as-const": prefer_as_const_1.default,
      "prefer-destructuring": prefer_destructuring_1.default,
      "prefer-enum-initializers": prefer_enum_initializers_1.default,
      "prefer-find": prefer_find_1.default,
      "prefer-for-of": prefer_for_of_1.default,
      "prefer-function-type": prefer_function_type_1.default,
      "prefer-includes": prefer_includes_1.default,
      "prefer-literal-enum-member": prefer_literal_enum_member_1.default,
      "prefer-namespace-keyword": prefer_namespace_keyword_1.default,
      "prefer-nullish-coalescing": prefer_nullish_coalescing_1.default,
      "prefer-optional-chain": prefer_optional_chain_1.default,
      "prefer-promise-reject-errors": prefer_promise_reject_errors_1.default,
      "prefer-readonly": prefer_readonly_1.default,
      "prefer-readonly-parameter-types": prefer_readonly_parameter_types_1.default,
      "prefer-reduce-type-parameter": prefer_reduce_type_parameter_1.default,
      "prefer-regexp-exec": prefer_regexp_exec_1.default,
      "prefer-return-this-type": prefer_return_this_type_1.default,
      "prefer-string-starts-ends-with": prefer_string_starts_ends_with_1.default,
      "prefer-ts-expect-error": prefer_ts_expect_error_1.default,
      "promise-function-async": promise_function_async_1.default,
      quotes: quotes_1.default,
      "require-array-sort-compare": require_array_sort_compare_1.default,
      "require-await": require_await_1.default,
      "restrict-plus-operands": restrict_plus_operands_1.default,
      "restrict-template-expressions": restrict_template_expressions_1.default,
      "return-await": return_await_1.default,
      semi: semi_1.default,
      "sort-type-constituents": sort_type_constituents_1.default,
      "space-before-blocks": space_before_blocks_1.default,
      "space-before-function-paren": space_before_function_paren_1.default,
      "space-infix-ops": space_infix_ops_1.default,
      "strict-boolean-expressions": strict_boolean_expressions_1.default,
      "switch-exhaustiveness-check": switch_exhaustiveness_check_1.default,
      "triple-slash-reference": triple_slash_reference_1.default,
      "type-annotation-spacing": type_annotation_spacing_1.default,
      typedef: typedef_1.default,
      "unbound-method": unbound_method_1.default,
      "unified-signatures": unified_signatures_1.default,
      "use-unknown-in-catch-callback-variable": use_unknown_in_catch_callback_variable_1.default
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/package.json
var require_package2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/package.json"(exports2, module2) {
    module2.exports = {
      name: "@typescript-eslint/eslint-plugin",
      version: "7.16.0",
      description: "TypeScript plugin for ESLint",
      files: [
        "dist",
        "docs",
        "index.d.ts",
        "rules.d.ts",
        "package.json",
        "README.md",
        "LICENSE"
      ],
      type: "commonjs",
      exports: {
        ".": {
          types: "./index.d.ts",
          default: "./dist/index.js"
        },
        "./package.json": "./package.json",
        "./use-at-your-own-risk/rules": {
          types: "./rules.d.ts",
          default: "./dist/rules/index.js"
        },
        "./use-at-your-own-risk/eslint-recommended-raw": {
          types: "./eslint-recommended-raw.d.ts",
          default: "./dist/configs/eslint-recommended-raw.js"
        }
      },
      engines: {
        node: "^18.18.0 || >=20.0.0"
      },
      repository: {
        type: "git",
        url: "https://github.com/typescript-eslint/typescript-eslint.git",
        directory: "packages/eslint-plugin"
      },
      bugs: {
        url: "https://github.com/typescript-eslint/typescript-eslint/issues"
      },
      homepage: "https://typescript-eslint.io/packages/eslint-plugin",
      license: "MIT",
      keywords: [
        "eslint",
        "eslintplugin",
        "eslint-plugin",
        "typescript"
      ],
      scripts: {
        build: "tsc -b tsconfig.build.json",
        clean: "tsc -b tsconfig.build.json --clean",
        postclean: "rimraf dist && rimraf coverage",
        format: 'prettier --write "./**/*.{ts,mts,cts,tsx,js,mjs,cjs,jsx,json,md,css}" --ignore-path ../../.prettierignore',
        "generate:breaking-changes": "tsx tools/generate-breaking-changes.mts",
        "generate:configs": "npx nx run repo-tools:generate-configs",
        lint: "npx nx lint",
        test: 'cross-env NODE_OPTIONS="--experimental-vm-modules" jest --coverage --logHeapUsage',
        "test-single": 'cross-env NODE_OPTIONS="--experimental-vm-modules" jest --no-coverage',
        typecheck: "tsc --noEmit"
      },
      dependencies: {
        "@eslint-community/regexpp": "^4.10.0",
        "@typescript-eslint/scope-manager": "7.16.0",
        "@typescript-eslint/type-utils": "7.16.0",
        "@typescript-eslint/utils": "7.16.0",
        "@typescript-eslint/visitor-keys": "7.16.0",
        graphemer: "^1.4.0",
        ignore: "^5.3.1",
        "natural-compare": "^1.4.0",
        "ts-api-utils": "^1.3.0"
      },
      devDependencies: {
        "@jest/types": "29.6.3",
        "@types/marked": "^5.0.2",
        "@types/mdast": "^4.0.3",
        "@types/natural-compare": "*",
        "@typescript-eslint/rule-schema-to-typescript-types": "7.16.0",
        "@typescript-eslint/rule-tester": "7.16.0",
        ajv: "^6.12.6",
        "cross-env": "^7.0.3",
        "cross-fetch": "*",
        eslint: "*",
        espree: "^10.0.1",
        jest: "29.7.0",
        "jest-specific-snapshot": "^8.0.0",
        "json-schema": "*",
        "markdown-table": "^3.0.3",
        marked: "^5.1.2",
        "mdast-util-from-markdown": "^2.0.0",
        "mdast-util-mdx": "^3.0.0",
        "micromark-extension-mdxjs": "^3.0.0",
        prettier: "^3.2.5",
        rimraf: "*",
        "title-case": "^3.0.3",
        tsx: "*",
        typescript: "*",
        "unist-util-visit": "^5.0.0"
      },
      peerDependencies: {
        "@typescript-eslint/parser": "^7.0.0",
        eslint: "^8.56.0"
      },
      peerDependenciesMeta: {
        typescript: {
          optional: true
        }
      },
      funding: {
        type: "opencollective",
        url: "https://opencollective.com/typescript-eslint"
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/index.js
var require_dist7 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescr_ej35eorxqz7u4zuxgkkfgi3yva/node_modules/@typescript-eslint/eslint-plugin/dist/index.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var all_1 = __importDefault2(require_all());
    var base_1 = __importDefault2(require_base());
    var disable_type_checked_1 = __importDefault2(require_disable_type_checked());
    var eslint_recommended_1 = __importDefault2(require_eslint_recommended());
    var recommended_1 = __importDefault2(require_recommended());
    var recommended_type_checked_1 = __importDefault2(require_recommended_type_checked());
    var recommended_type_checked_only_1 = __importDefault2(require_recommended_type_checked_only());
    var strict_1 = __importDefault2(require_strict());
    var strict_type_checked_1 = __importDefault2(require_strict_type_checked());
    var strict_type_checked_only_1 = __importDefault2(require_strict_type_checked_only());
    var stylistic_1 = __importDefault2(require_stylistic());
    var stylistic_type_checked_1 = __importDefault2(require_stylistic_type_checked());
    var stylistic_type_checked_only_1 = __importDefault2(require_stylistic_type_checked_only());
    var rules_1 = __importDefault2(require_rules2());
    var { name, version } = require_package2();
    module2.exports = {
      configs: {
        all: all_1.default,
        base: base_1.default,
        "disable-type-checked": disable_type_checked_1.default,
        "eslint-recommended": eslint_recommended_1.default,
        recommended: recommended_1.default,
        /** @deprecated - please use "recommended-type-checked" instead. */
        "recommended-requiring-type-checking": recommended_type_checked_1.default,
        "recommended-type-checked": recommended_type_checked_1.default,
        "recommended-type-checked-only": recommended_type_checked_only_1.default,
        strict: strict_1.default,
        "strict-type-checked": strict_type_checked_1.default,
        "strict-type-checked-only": strict_type_checked_only_1.default,
        stylistic: stylistic_1.default,
        "stylistic-type-checked": stylistic_type_checked_1.default,
        "stylistic-type-checked-only": stylistic_type_checked_only_1.default
      },
      meta: {
        name,
        version
      },
      rules: rules_1.default
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/parser/dist/parser.js
var require_parser2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/parser/dist/parser.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.parse = parse2;
    exports2.parseForESLint = parseForESLint;
    var scope_manager_1 = require_dist3();
    var typescript_estree_1 = require_dist5();
    var visitor_keys_1 = require_dist2();
    var debug_1 = __importDefault2(require_src());
    var typescript_1 = require_typescript();
    var log = (0, debug_1.default)("typescript-eslint:parser:parser");
    function validateBoolean(value, fallback = false) {
      if (typeof value !== "boolean") {
        return fallback;
      }
      return value;
    }
    var LIB_FILENAME_REGEX = /lib\.(.+)\.d\.[cm]?ts$/;
    function getLib(compilerOptions) {
      if (compilerOptions.lib) {
        return compilerOptions.lib.reduce((acc, lib) => {
          const match = LIB_FILENAME_REGEX.exec(lib.toLowerCase());
          if (match) {
            acc.push(match[1]);
          }
          return acc;
        }, []);
      }
      const target = compilerOptions.target ?? typescript_1.ScriptTarget.ES5;
      switch (target) {
        case typescript_1.ScriptTarget.ESNext:
          return ["esnext.full"];
        case typescript_1.ScriptTarget.ES2022:
          return ["es2022.full"];
        case typescript_1.ScriptTarget.ES2021:
          return ["es2021.full"];
        case typescript_1.ScriptTarget.ES2020:
          return ["es2020.full"];
        case typescript_1.ScriptTarget.ES2019:
          return ["es2019.full"];
        case typescript_1.ScriptTarget.ES2018:
          return ["es2018.full"];
        case typescript_1.ScriptTarget.ES2017:
          return ["es2017.full"];
        case typescript_1.ScriptTarget.ES2016:
          return ["es2016.full"];
        case typescript_1.ScriptTarget.ES2015:
          return ["es6"];
        default:
          return ["lib"];
      }
    }
    function parse2(code, options) {
      return parseForESLint(code, options).ast;
    }
    function parseForESLint(code, options) {
      if (!options || typeof options !== "object") {
        options = {};
      } else {
        options = { ...options };
      }
      if (options.sourceType !== "module" && options.sourceType !== "script") {
        options.sourceType = "script";
      }
      if (typeof options.ecmaFeatures !== "object") {
        options.ecmaFeatures = {};
      }
      const parserOptions = {
        ...options,
        jsx: validateBoolean(options.ecmaFeatures.jsx),
        /**
         * Override errorOnTypeScriptSyntacticAndSemanticIssues and set it to false to prevent use from user config
         * https://github.com/typescript-eslint/typescript-eslint/issues/8681#issuecomment-2000411834
         */
        errorOnTypeScriptSyntacticAndSemanticIssues: false
      };
      const analyzeOptions = {
        globalReturn: options.ecmaFeatures.globalReturn,
        jsxPragma: options.jsxPragma,
        jsxFragmentName: options.jsxFragmentName,
        lib: options.lib,
        sourceType: options.sourceType
      };
      const warnOnUnsupportedTypeScriptVersion = validateBoolean(options.warnOnUnsupportedTypeScriptVersion, true);
      if (!warnOnUnsupportedTypeScriptVersion) {
        parserOptions.loggerFn = false;
      }
      const { ast, services } = (0, typescript_estree_1.parseAndGenerateServices)(code, parserOptions);
      ast.sourceType = options.sourceType;
      if (services.program) {
        const compilerOptions = services.program.getCompilerOptions();
        if (analyzeOptions.lib == null) {
          analyzeOptions.lib = getLib(compilerOptions);
          log("Resolved libs from program: %o", analyzeOptions.lib);
        }
        if (analyzeOptions.jsxPragma === void 0 && compilerOptions.jsxFactory != null) {
          const factory = compilerOptions.jsxFactory.split(".")[0].trim();
          analyzeOptions.jsxPragma = factory;
          log("Resolved jsxPragma from program: %s", analyzeOptions.jsxPragma);
        }
        if (analyzeOptions.jsxFragmentName === void 0 && compilerOptions.jsxFragmentFactory != null) {
          const fragFactory = compilerOptions.jsxFragmentFactory.split(".")[0].trim();
          analyzeOptions.jsxFragmentName = fragFactory;
          log("Resolved jsxFragmentName from program: %s", analyzeOptions.jsxFragmentName);
        }
      }
      services.emitDecoratorMetadata ??= options.emitDecoratorMetadata === true;
      services.experimentalDecorators ??= options.experimentalDecorators === true;
      const scopeManager = (0, scope_manager_1.analyze)(ast, analyzeOptions);
      return { ast, services, scopeManager, visitorKeys: visitor_keys_1.visitorKeys };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/parser/package.json
var require_package3 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/parser/package.json"(exports2, module2) {
    module2.exports = {
      name: "@typescript-eslint/parser",
      version: "7.16.0",
      description: "An ESLint custom parser which leverages TypeScript ESTree",
      files: [
        "dist",
        "_ts4.3",
        "README.md",
        "LICENSE"
      ],
      type: "commonjs",
      exports: {
        ".": {
          types: "./dist/index.d.ts",
          default: "./dist/index.js"
        },
        "./package.json": "./package.json"
      },
      engines: {
        node: "^18.18.0 || >=20.0.0"
      },
      repository: {
        type: "git",
        url: "https://github.com/typescript-eslint/typescript-eslint.git",
        directory: "packages/parser"
      },
      bugs: {
        url: "https://github.com/typescript-eslint/typescript-eslint/issues"
      },
      homepage: "https://typescript-eslint.io/packages/parser",
      license: "BSD-2-Clause",
      keywords: [
        "ast",
        "ecmascript",
        "javascript",
        "typescript",
        "parser",
        "syntax",
        "eslint"
      ],
      scripts: {
        build: "tsc -b tsconfig.build.json",
        postbuild: "downlevel-dts dist _ts4.3/dist --to=4.3",
        clean: "tsc -b tsconfig.build.json --clean",
        postclean: "rimraf dist && rimraf _ts4.3 && rimraf coverage",
        format: 'prettier --write "./**/*.{ts,mts,cts,tsx,js,mjs,cjs,jsx,json,md,css}" --ignore-path ../../.prettierignore',
        lint: "npx nx lint",
        test: "jest --coverage",
        typecheck: "tsc --noEmit"
      },
      peerDependencies: {
        eslint: "^8.56.0"
      },
      dependencies: {
        "@typescript-eslint/scope-manager": "7.16.0",
        "@typescript-eslint/types": "7.16.0",
        "@typescript-eslint/typescript-estree": "7.16.0",
        "@typescript-eslint/visitor-keys": "7.16.0",
        debug: "^4.3.4"
      },
      devDependencies: {
        "@jest/types": "29.6.3",
        "@types/glob": "*",
        "downlevel-dts": "*",
        glob: "*",
        jest: "29.7.0",
        prettier: "^3.2.5",
        rimraf: "*",
        typescript: "*"
      },
      peerDependenciesMeta: {
        typescript: {
          optional: true
        }
      },
      funding: {
        type: "opencollective",
        url: "https://opencollective.com/typescript-eslint"
      },
      typesVersions: {
        "<4.7": {
          "*": [
            "_ts4.3/*"
          ]
        }
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/parser/dist/index.js
var require_dist8 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+parser@7.16.0_eslint@9.5.0_typescript@5.5.3/node_modules/@typescript-eslint/parser/dist/index.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.meta = exports2.version = exports2.withoutProjectParserOptions = exports2.createProgram = exports2.clearCaches = exports2.parseForESLint = exports2.parse = void 0;
    var parser_1 = require_parser2();
    Object.defineProperty(exports2, "parse", { enumerable: true, get: function() {
      return parser_1.parse;
    } });
    Object.defineProperty(exports2, "parseForESLint", { enumerable: true, get: function() {
      return parser_1.parseForESLint;
    } });
    var typescript_estree_1 = require_dist5();
    Object.defineProperty(exports2, "clearCaches", { enumerable: true, get: function() {
      return typescript_estree_1.clearCaches;
    } });
    Object.defineProperty(exports2, "createProgram", { enumerable: true, get: function() {
      return typescript_estree_1.createProgram;
    } });
    Object.defineProperty(exports2, "withoutProjectParserOptions", { enumerable: true, get: function() {
      return typescript_estree_1.withoutProjectParserOptions;
    } });
    exports2.version = require_package3().version;
    exports2.meta = {
      name: "typescript-eslint/parser",
      version: exports2.version
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/utils.js
var require_utils5 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/utils.js"(exports2, module2) {
    "use strict";
    var {
      CALL: CALL2,
      CONSTRUCT: CONSTRUCT2,
      PatternMatcher,
      ReferenceTracker: ReferenceTracker2,
      getStringIfConstant: getStringIfConstant2
    } = require_eslint_utils();
    module2.exports = {
      /**
       * Define generator to search pattern.
       * The iterator generated by the generator returns the start and end index of the match.
       * @param {RegExp} pattern Base pattern
       * @returns {function(string):IterableIterator} generator
       */
      definePatternSearchGenerator(pattern) {
        const matcher = new PatternMatcher(pattern);
        return matcher.execAll.bind(matcher);
      },
      /**
       * Check whether a given token is a comma token or not.
       * @param {Token} token The token to check.
       * @returns {boolean} `true` if the token is a comma token.
       */
      isCommaToken(token) {
        return token != null && token.type === "Punctuator" && token.value === ",";
      },
      /**
       * Iterate the calls of the `RegExp` global variable.
       * @param {Scope} globalScope The global scope object.
       * @returns {IterableIterator<{node:Node,pattern:(string|null),flags:(string|null)}>} The iterator of `CallExpression` or `NewExpression` for `RegExp`.
       */
      *getRegExpCalls(globalScope) {
        const tracker2 = new ReferenceTracker2(globalScope);
        for (const { node } of tracker2.iterateGlobalReferences({
          RegExp: { [CALL2]: true, [CONSTRUCT2]: true }
        })) {
          const [patternNode, flagsNode] = node.arguments;
          yield {
            node,
            pattern: getStringIfConstant2(patternNode, globalScope),
            flags: getStringIfConstant2(flagsNode, globalScope)
          };
        }
      },
      printWarningOfDeprecatedConfig(configId) {
        if (!process) {
          return;
        }
        const newConfigId = configId.replace("no-", "no-new-in-es");
        process.emitWarning(
          `"plugin:es-x/${configId}" has been deprecated in favor of "plugin:es-x/${newConfigId}".`,
          {
            type: "DeprecationWarning",
            code: "ESLINT_PLUGIN_ES_LEGACY_CONFIG"
          }
        );
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/package.json
var require_package4 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/package.json"(exports2, module2) {
    module2.exports = {
      name: "eslint-plugin-es-x",
      version: "7.6.0",
      description: "ESLint plugin about ECMAScript syntactic features.",
      engines: {
        node: "^14.18.0 || >=16.0.0"
      },
      main: "lib/index.js",
      files: [
        "lib"
      ],
      peerDependencies: {
        eslint: ">=8"
      },
      dependencies: {
        "@eslint-community/eslint-utils": "^4.1.2",
        "@eslint-community/regexpp": "^4.6.0",
        "eslint-compat-utils": "^0.5.0"
      },
      devDependencies: {
        "@typescript-eslint/parser": "^7.0.2",
        acorn: "^8.7.0",
        "env-cmd": "^10.1.0",
        eslint: "^8.11.0",
        "eslint-plugin-eslint-comments": "^3.2.0",
        "eslint-plugin-eslint-plugin": "^5.0.0",
        "eslint-plugin-n": "^16.0.1",
        "eslint-plugin-prettier": "^5.0.0",
        "eslint-plugin-vue": "^9.0.0",
        espree: "^10.0.1",
        globals: "^14.0.0",
        jsdom: "^24.0.0",
        mocha: "^10.0.0",
        "monaco-editor": "^0.47.0",
        "npm-run-all": "^4.1.5",
        nyc: "^15.0.0",
        opener: "^1.5.1",
        rimraf: "^5.0.0",
        semver: "^7.0.0",
        typescript: "^5.0.2",
        "vite-plugin-eslint4b": "^0.2.0",
        vitepress: "^1.0.0-rc.14",
        "vue-eslint-editor": "^1.1.0",
        "vue-eslint-parser": "^9.0.0"
      },
      scripts: {
        clean: "rimraf .nyc_output coverage",
        coverage: "nyc report -r lcov && opener ./coverage/lcov-report/index.html",
        "docs:build": "vitepress build docs",
        "docs:watch": "vitepress dev docs",
        lint: "eslint lib tests scripts eslint-internal docs/.vitepress --rulesdir eslint-internal/rules",
        "lint:fix": "eslint lib tests scripts eslint-internal docs/.vitepress --rulesdir eslint-internal/rules --fix",
        new: "node scripts/new-rule",
        pretest: "npm run -s lint",
        test: "npm run -s test:mocha",
        "test:mocha": "nyc mocha tests/**/*.{js,mjs} --reporter dot --timeout 60000",
        "test:debug": "mocha tests/**/*.{js,mjs} --reporter dot --timeout 60000",
        update: "run-s update:*",
        "update:url": "npm run -s lint -- --fix",
        "update:configs": "node scripts/update-lib-configs",
        "update:flat-configs": "node scripts/update-lib-flat-configs",
        "update:index": "node scripts/update-lib-index",
        "update:doc": "node scripts/update-docs-readme",
        "update:rule-docs": "node scripts/update-docs-rules",
        "update:config-docs": "node scripts/update-docs-configs",
        "resource-update:unicode-properties": "node scripts/update-unicode-properties",
        preversion: "npm test",
        version: "env-cmd -e version run-s update:* && git add .",
        postversion: "git push && git push --tags",
        watch: "mocha tests/**/*.{js,mjs} --reporter progress --watch --growl"
      },
      repository: {
        type: "git",
        url: "git+https://github.com/eslint-community/eslint-plugin-es-x.git"
      },
      keywords: [
        "eslint",
        "plugin",
        "eslintplugin"
      ],
      author: "Toru Nagashima (https://github.com/mysticatea)",
      license: "MIT",
      bugs: {
        url: "https://github.com/eslint-community/eslint-plugin-es-x/issues"
      },
      homepage: "https://github.com/eslint-community/eslint-plugin-es-x#readme",
      funding: "https://github.com/sponsors/ota-meshi"
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es5.js
var require_no_new_in_es5 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es5.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        "es-x/no-accessor-properties": "error",
        "es-x/no-array-isarray": "error",
        "es-x/no-array-prototype-every": "error",
        "es-x/no-array-prototype-filter": "error",
        "es-x/no-array-prototype-foreach": "error",
        "es-x/no-array-prototype-indexof": "error",
        "es-x/no-array-prototype-lastindexof": "error",
        "es-x/no-array-prototype-map": "error",
        "es-x/no-array-prototype-reduce": "error",
        "es-x/no-array-prototype-reduceright": "error",
        "es-x/no-array-prototype-some": "error",
        "es-x/no-date-now": "error",
        "es-x/no-function-prototype-bind": "error",
        "es-x/no-json": "error",
        "es-x/no-keyword-properties": "error",
        "es-x/no-object-create": "error",
        "es-x/no-object-defineproperties": "error",
        "es-x/no-object-defineproperty": "error",
        "es-x/no-object-freeze": "error",
        "es-x/no-object-getownpropertydescriptor": "error",
        "es-x/no-object-getownpropertynames": "error",
        "es-x/no-object-getprototypeof": "error",
        "es-x/no-object-isextensible": "error",
        "es-x/no-object-isfrozen": "error",
        "es-x/no-object-issealed": "error",
        "es-x/no-object-keys": "error",
        "es-x/no-object-preventextensions": "error",
        "es-x/no-object-seal": "error",
        "es-x/no-string-prototype-trim": "error",
        "es-x/no-trailing-commas": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2015.js
var require_no_new_in_es2015 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2015.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        "es-x/no-array-from": "error",
        "es-x/no-array-of": "error",
        "es-x/no-array-prototype-copywithin": "error",
        "es-x/no-array-prototype-entries": "error",
        "es-x/no-array-prototype-fill": "error",
        "es-x/no-array-prototype-find": "error",
        "es-x/no-array-prototype-findindex": "error",
        "es-x/no-array-prototype-keys": "error",
        "es-x/no-array-prototype-values": "error",
        "es-x/no-arrow-functions": "error",
        "es-x/no-binary-numeric-literals": "error",
        "es-x/no-block-scoped-functions": "error",
        "es-x/no-block-scoped-variables": "error",
        "es-x/no-classes": "error",
        "es-x/no-computed-properties": "error",
        "es-x/no-default-parameters": "error",
        "es-x/no-destructuring": "error",
        "es-x/no-for-of-loops": "error",
        "es-x/no-generators": "error",
        "es-x/no-map": "error",
        "es-x/no-math-acosh": "error",
        "es-x/no-math-asinh": "error",
        "es-x/no-math-atanh": "error",
        "es-x/no-math-cbrt": "error",
        "es-x/no-math-clz32": "error",
        "es-x/no-math-cosh": "error",
        "es-x/no-math-expm1": "error",
        "es-x/no-math-fround": "error",
        "es-x/no-math-hypot": "error",
        "es-x/no-math-imul": "error",
        "es-x/no-math-log10": "error",
        "es-x/no-math-log1p": "error",
        "es-x/no-math-log2": "error",
        "es-x/no-math-sign": "error",
        "es-x/no-math-sinh": "error",
        "es-x/no-math-tanh": "error",
        "es-x/no-math-trunc": "error",
        "es-x/no-modules": "error",
        "es-x/no-new-target": "error",
        "es-x/no-number-epsilon": "error",
        "es-x/no-number-isfinite": "error",
        "es-x/no-number-isinteger": "error",
        "es-x/no-number-isnan": "error",
        "es-x/no-number-issafeinteger": "error",
        "es-x/no-number-maxsafeinteger": "error",
        "es-x/no-number-minsafeinteger": "error",
        "es-x/no-number-parsefloat": "error",
        "es-x/no-number-parseint": "error",
        "es-x/no-object-assign": "error",
        "es-x/no-object-getownpropertysymbols": "error",
        "es-x/no-object-is": "error",
        "es-x/no-object-setprototypeof": "error",
        "es-x/no-object-super-properties": "error",
        "es-x/no-octal-numeric-literals": "error",
        "es-x/no-promise": "error",
        "es-x/no-property-shorthands": "error",
        "es-x/no-proxy": "error",
        "es-x/no-reflect": "error",
        "es-x/no-regexp-prototype-flags": "error",
        "es-x/no-regexp-u-flag": "error",
        "es-x/no-regexp-y-flag": "error",
        "es-x/no-rest-parameters": "error",
        "es-x/no-set": "error",
        "es-x/no-spread-elements": "error",
        "es-x/no-string-fromcodepoint": "error",
        "es-x/no-string-prototype-codepointat": "error",
        "es-x/no-string-prototype-endswith": "error",
        "es-x/no-string-prototype-includes": "error",
        "es-x/no-string-prototype-normalize": "error",
        "es-x/no-string-prototype-repeat": "error",
        "es-x/no-string-prototype-startswith": "error",
        "es-x/no-string-raw": "error",
        "es-x/no-subclassing-builtins": "error",
        "es-x/no-symbol": "error",
        "es-x/no-template-literals": "error",
        "es-x/no-typed-arrays": "error",
        "es-x/no-unicode-codepoint-escapes": "error",
        "es-x/no-weak-map": "error",
        "es-x/no-weak-set": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2015-intl-api.js
var require_no_new_in_es2015_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2015-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {}
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2016.js
var require_no_new_in_es2016 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2016.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        "es-x/no-array-prototype-includes": "error",
        "es-x/no-exponential-operators": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2016-intl-api.js
var require_no_new_in_es2016_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2016-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: { "es-x/no-intl-getcanonicallocales": "error" }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2017.js
var require_no_new_in_es2017 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2017.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        "es-x/no-async-functions": "error",
        "es-x/no-atomics": "error",
        "es-x/no-object-entries": "error",
        "es-x/no-object-getownpropertydescriptors": "error",
        "es-x/no-object-values": "error",
        "es-x/no-shared-array-buffer": "error",
        "es-x/no-string-prototype-padstart-padend": "error",
        "es-x/no-trailing-function-commas": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2017-intl-api.js
var require_no_new_in_es2017_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2017-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: { "es-x/no-intl-datetimeformat-prototype-formattoparts": "error" }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2018.js
var require_no_new_in_es2018 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2018.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        "es-x/no-async-iteration": "error",
        "es-x/no-malformed-template-literals": "error",
        "es-x/no-promise-prototype-finally": "error",
        "es-x/no-regexp-lookbehind-assertions": "error",
        "es-x/no-regexp-named-capture-groups": "error",
        "es-x/no-regexp-s-flag": "error",
        "es-x/no-regexp-unicode-property-escapes": "error",
        "es-x/no-rest-spread-properties": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2018-intl-api.js
var require_no_new_in_es2018_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2018-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        "es-x/no-intl-numberformat-prototype-formattoparts": "error",
        "es-x/no-intl-pluralrules": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2019.js
var require_no_new_in_es2019 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2019.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        "es-x/no-array-prototype-flat": "error",
        "es-x/no-json-superset": "error",
        "es-x/no-object-fromentries": "error",
        "es-x/no-optional-catch-binding": "error",
        "es-x/no-regexp-unicode-property-escapes-2019": "error",
        "es-x/no-string-prototype-trimstart-trimend": "error",
        "es-x/no-symbol-prototype-description": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2019-intl-api.js
var require_no_new_in_es2019_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2019-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {}
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2020.js
var require_no_new_in_es2020 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2020.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        "es-x/no-bigint": "error",
        "es-x/no-dynamic-import": "error",
        "es-x/no-export-ns-from": "error",
        "es-x/no-global-this": "error",
        "es-x/no-import-meta": "error",
        "es-x/no-nullish-coalescing-operators": "error",
        "es-x/no-optional-chaining": "error",
        "es-x/no-promise-all-settled": "error",
        "es-x/no-regexp-unicode-property-escapes-2020": "error",
        "es-x/no-string-prototype-matchall": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2020-intl-api.js
var require_no_new_in_es2020_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2020-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        "es-x/no-intl-locale": "error",
        "es-x/no-intl-relativetimeformat": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2021.js
var require_no_new_in_es2021 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2021.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        "es-x/no-logical-assignment-operators": "error",
        "es-x/no-numeric-separators": "error",
        "es-x/no-promise-any": "error",
        "es-x/no-regexp-unicode-property-escapes-2021": "error",
        "es-x/no-string-prototype-replaceall": "error",
        "es-x/no-weakrefs": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2021-intl-api.js
var require_no_new_in_es2021_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2021-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        "es-x/no-intl-datetimeformat-prototype-formatrange": "error",
        "es-x/no-intl-displaynames": "error",
        "es-x/no-intl-listformat": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2022.js
var require_no_new_in_es2022 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2022.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        "es-x/no-arbitrary-module-namespace-names": "error",
        "es-x/no-array-string-prototype-at": "error",
        "es-x/no-class-fields": "error",
        "es-x/no-class-static-block": "error",
        "es-x/no-error-cause": "error",
        "es-x/no-object-hasown": "error",
        "es-x/no-private-in": "error",
        "es-x/no-regexp-d-flag": "error",
        "es-x/no-regexp-unicode-property-escapes-2022": "error",
        "es-x/no-top-level-await": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2022-intl-api.js
var require_no_new_in_es2022_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2022-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        "es-x/no-intl-segmenter": "error",
        "es-x/no-intl-supportedvaluesof": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2023.js
var require_no_new_in_es2023 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2023.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        "es-x/no-array-prototype-findlast-findlastindex": "error",
        "es-x/no-array-prototype-toreversed": "error",
        "es-x/no-array-prototype-tosorted": "error",
        "es-x/no-array-prototype-tospliced": "error",
        "es-x/no-array-prototype-with": "error",
        "es-x/no-hashbang": "error",
        "es-x/no-regexp-unicode-property-escapes-2023": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2023-intl-api.js
var require_no_new_in_es2023_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-es2023-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        "es-x/no-intl-numberformat-prototype-formatrange": "error",
        "es-x/no-intl-numberformat-prototype-formatrangetoparts": "error",
        "es-x/no-intl-pluralrules-prototype-selectrange": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-esnext.js
var require_no_new_in_esnext = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-esnext.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        "es-x/no-arraybuffer-prototype-transfer": "error",
        "es-x/no-atomics-waitasync": "error",
        "es-x/no-object-map-groupby": "error",
        "es-x/no-promise-withresolvers": "error",
        "es-x/no-regexp-v-flag": "error",
        "es-x/no-resizable-and-growable-arraybuffers": "error",
        "es-x/no-string-prototype-iswellformed-towellformed": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-esnext-intl-api.js
var require_no_new_in_esnext_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/no-new-in-esnext-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {}
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es-intl-api-1st-edition.js
var require_restrict_to_es_intl_api_1st_edition = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es-intl-api-1st-edition.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        ...require_no_new_in_es2023_intl_api().rules,
        ...require_no_new_in_es2022_intl_api().rules,
        ...require_no_new_in_es2021_intl_api().rules,
        ...require_no_new_in_es2020_intl_api().rules,
        ...require_no_new_in_es2019_intl_api().rules,
        ...require_no_new_in_es2018_intl_api().rules,
        ...require_no_new_in_es2017_intl_api().rules,
        ...require_no_new_in_es2016_intl_api().rules,
        ...require_no_new_in_es2015_intl_api().rules
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es3.js
var require_restrict_to_es3 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es3.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        ...require_no_new_in_es2023().rules,
        ...require_no_new_in_es2022().rules,
        ...require_no_new_in_es2021().rules,
        ...require_no_new_in_es2020().rules,
        ...require_no_new_in_es2019().rules,
        ...require_no_new_in_es2018().rules,
        ...require_no_new_in_es2017().rules,
        ...require_no_new_in_es2016().rules,
        ...require_no_new_in_es2015().rules,
        ...require_no_new_in_es5().rules
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es5.js
var require_restrict_to_es5 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es5.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        ...require_no_new_in_es2023().rules,
        ...require_no_new_in_es2022().rules,
        ...require_no_new_in_es2021().rules,
        ...require_no_new_in_es2020().rules,
        ...require_no_new_in_es2019().rules,
        ...require_no_new_in_es2018().rules,
        ...require_no_new_in_es2017().rules,
        ...require_no_new_in_es2016().rules,
        ...require_no_new_in_es2015().rules
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2015.js
var require_restrict_to_es2015 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2015.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        ...require_no_new_in_es2023().rules,
        ...require_no_new_in_es2022().rules,
        ...require_no_new_in_es2021().rules,
        ...require_no_new_in_es2020().rules,
        ...require_no_new_in_es2019().rules,
        ...require_no_new_in_es2018().rules,
        ...require_no_new_in_es2017().rules,
        ...require_no_new_in_es2016().rules
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2015-intl-api.js
var require_restrict_to_es2015_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2015-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        ...require_no_new_in_es2023_intl_api().rules,
        ...require_no_new_in_es2022_intl_api().rules,
        ...require_no_new_in_es2021_intl_api().rules,
        ...require_no_new_in_es2020_intl_api().rules,
        ...require_no_new_in_es2019_intl_api().rules,
        ...require_no_new_in_es2018_intl_api().rules,
        ...require_no_new_in_es2017_intl_api().rules,
        ...require_no_new_in_es2016_intl_api().rules
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2016.js
var require_restrict_to_es2016 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2016.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        ...require_no_new_in_es2023().rules,
        ...require_no_new_in_es2022().rules,
        ...require_no_new_in_es2021().rules,
        ...require_no_new_in_es2020().rules,
        ...require_no_new_in_es2019().rules,
        ...require_no_new_in_es2018().rules,
        ...require_no_new_in_es2017().rules
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2016-intl-api.js
var require_restrict_to_es2016_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2016-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        ...require_no_new_in_es2023_intl_api().rules,
        ...require_no_new_in_es2022_intl_api().rules,
        ...require_no_new_in_es2021_intl_api().rules,
        ...require_no_new_in_es2020_intl_api().rules,
        ...require_no_new_in_es2019_intl_api().rules,
        ...require_no_new_in_es2018_intl_api().rules,
        ...require_no_new_in_es2017_intl_api().rules
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2017.js
var require_restrict_to_es2017 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2017.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        ...require_no_new_in_es2023().rules,
        ...require_no_new_in_es2022().rules,
        ...require_no_new_in_es2021().rules,
        ...require_no_new_in_es2020().rules,
        ...require_no_new_in_es2019().rules,
        ...require_no_new_in_es2018().rules
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2017-intl-api.js
var require_restrict_to_es2017_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2017-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        ...require_no_new_in_es2023_intl_api().rules,
        ...require_no_new_in_es2022_intl_api().rules,
        ...require_no_new_in_es2021_intl_api().rules,
        ...require_no_new_in_es2020_intl_api().rules,
        ...require_no_new_in_es2019_intl_api().rules,
        ...require_no_new_in_es2018_intl_api().rules
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2018.js
var require_restrict_to_es2018 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2018.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        ...require_no_new_in_es2023().rules,
        ...require_no_new_in_es2022().rules,
        ...require_no_new_in_es2021().rules,
        ...require_no_new_in_es2020().rules,
        ...require_no_new_in_es2019().rules
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2018-intl-api.js
var require_restrict_to_es2018_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2018-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        ...require_no_new_in_es2023_intl_api().rules,
        ...require_no_new_in_es2022_intl_api().rules,
        ...require_no_new_in_es2021_intl_api().rules,
        ...require_no_new_in_es2020_intl_api().rules,
        ...require_no_new_in_es2019_intl_api().rules
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2019.js
var require_restrict_to_es2019 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2019.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        ...require_no_new_in_es2023().rules,
        ...require_no_new_in_es2022().rules,
        ...require_no_new_in_es2021().rules,
        ...require_no_new_in_es2020().rules
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2019-intl-api.js
var require_restrict_to_es2019_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2019-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        ...require_no_new_in_es2023_intl_api().rules,
        ...require_no_new_in_es2022_intl_api().rules,
        ...require_no_new_in_es2021_intl_api().rules,
        ...require_no_new_in_es2020_intl_api().rules
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2020.js
var require_restrict_to_es2020 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2020.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        ...require_no_new_in_es2023().rules,
        ...require_no_new_in_es2022().rules,
        ...require_no_new_in_es2021().rules
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2020-intl-api.js
var require_restrict_to_es2020_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2020-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        ...require_no_new_in_es2023_intl_api().rules,
        ...require_no_new_in_es2022_intl_api().rules,
        ...require_no_new_in_es2021_intl_api().rules
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2021.js
var require_restrict_to_es2021 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2021.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        ...require_no_new_in_es2023().rules,
        ...require_no_new_in_es2022().rules
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2021-intl-api.js
var require_restrict_to_es2021_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2021-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: {
        ...require_no_new_in_es2023_intl_api().rules,
        ...require_no_new_in_es2022_intl_api().rules
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2022.js
var require_restrict_to_es2022 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2022.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: { ...require_no_new_in_es2023().rules }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2022-intl-api.js
var require_restrict_to_es2022_intl_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/flat/restrict-to-es2022-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: {
        get "es-x"() {
          return require_lib6();
        }
      },
      rules: { ...require_no_new_in_es2023_intl_api().rules }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es5.js
var require_no_new_in_es52 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es5.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: {
        "es-x/no-accessor-properties": "error",
        "es-x/no-array-isarray": "error",
        "es-x/no-array-prototype-every": "error",
        "es-x/no-array-prototype-filter": "error",
        "es-x/no-array-prototype-foreach": "error",
        "es-x/no-array-prototype-indexof": "error",
        "es-x/no-array-prototype-lastindexof": "error",
        "es-x/no-array-prototype-map": "error",
        "es-x/no-array-prototype-reduce": "error",
        "es-x/no-array-prototype-reduceright": "error",
        "es-x/no-array-prototype-some": "error",
        "es-x/no-date-now": "error",
        "es-x/no-function-prototype-bind": "error",
        "es-x/no-json": "error",
        "es-x/no-keyword-properties": "error",
        "es-x/no-object-create": "error",
        "es-x/no-object-defineproperties": "error",
        "es-x/no-object-defineproperty": "error",
        "es-x/no-object-freeze": "error",
        "es-x/no-object-getownpropertydescriptor": "error",
        "es-x/no-object-getownpropertynames": "error",
        "es-x/no-object-getprototypeof": "error",
        "es-x/no-object-isextensible": "error",
        "es-x/no-object-isfrozen": "error",
        "es-x/no-object-issealed": "error",
        "es-x/no-object-keys": "error",
        "es-x/no-object-preventextensions": "error",
        "es-x/no-object-seal": "error",
        "es-x/no-string-prototype-trim": "error",
        "es-x/no-trailing-commas": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2015.js
var require_no_new_in_es20152 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2015.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: {
        "es-x/no-array-from": "error",
        "es-x/no-array-of": "error",
        "es-x/no-array-prototype-copywithin": "error",
        "es-x/no-array-prototype-entries": "error",
        "es-x/no-array-prototype-fill": "error",
        "es-x/no-array-prototype-find": "error",
        "es-x/no-array-prototype-findindex": "error",
        "es-x/no-array-prototype-keys": "error",
        "es-x/no-array-prototype-values": "error",
        "es-x/no-arrow-functions": "error",
        "es-x/no-binary-numeric-literals": "error",
        "es-x/no-block-scoped-functions": "error",
        "es-x/no-block-scoped-variables": "error",
        "es-x/no-classes": "error",
        "es-x/no-computed-properties": "error",
        "es-x/no-default-parameters": "error",
        "es-x/no-destructuring": "error",
        "es-x/no-for-of-loops": "error",
        "es-x/no-generators": "error",
        "es-x/no-map": "error",
        "es-x/no-math-acosh": "error",
        "es-x/no-math-asinh": "error",
        "es-x/no-math-atanh": "error",
        "es-x/no-math-cbrt": "error",
        "es-x/no-math-clz32": "error",
        "es-x/no-math-cosh": "error",
        "es-x/no-math-expm1": "error",
        "es-x/no-math-fround": "error",
        "es-x/no-math-hypot": "error",
        "es-x/no-math-imul": "error",
        "es-x/no-math-log10": "error",
        "es-x/no-math-log1p": "error",
        "es-x/no-math-log2": "error",
        "es-x/no-math-sign": "error",
        "es-x/no-math-sinh": "error",
        "es-x/no-math-tanh": "error",
        "es-x/no-math-trunc": "error",
        "es-x/no-modules": "error",
        "es-x/no-new-target": "error",
        "es-x/no-number-epsilon": "error",
        "es-x/no-number-isfinite": "error",
        "es-x/no-number-isinteger": "error",
        "es-x/no-number-isnan": "error",
        "es-x/no-number-issafeinteger": "error",
        "es-x/no-number-maxsafeinteger": "error",
        "es-x/no-number-minsafeinteger": "error",
        "es-x/no-number-parsefloat": "error",
        "es-x/no-number-parseint": "error",
        "es-x/no-object-assign": "error",
        "es-x/no-object-getownpropertysymbols": "error",
        "es-x/no-object-is": "error",
        "es-x/no-object-setprototypeof": "error",
        "es-x/no-object-super-properties": "error",
        "es-x/no-octal-numeric-literals": "error",
        "es-x/no-promise": "error",
        "es-x/no-property-shorthands": "error",
        "es-x/no-proxy": "error",
        "es-x/no-reflect": "error",
        "es-x/no-regexp-prototype-flags": "error",
        "es-x/no-regexp-u-flag": "error",
        "es-x/no-regexp-y-flag": "error",
        "es-x/no-rest-parameters": "error",
        "es-x/no-set": "error",
        "es-x/no-spread-elements": "error",
        "es-x/no-string-fromcodepoint": "error",
        "es-x/no-string-prototype-codepointat": "error",
        "es-x/no-string-prototype-endswith": "error",
        "es-x/no-string-prototype-includes": "error",
        "es-x/no-string-prototype-normalize": "error",
        "es-x/no-string-prototype-repeat": "error",
        "es-x/no-string-prototype-startswith": "error",
        "es-x/no-string-raw": "error",
        "es-x/no-subclassing-builtins": "error",
        "es-x/no-symbol": "error",
        "es-x/no-template-literals": "error",
        "es-x/no-typed-arrays": "error",
        "es-x/no-unicode-codepoint-escapes": "error",
        "es-x/no-weak-map": "error",
        "es-x/no-weak-set": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2015-intl-api.js
var require_no_new_in_es2015_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2015-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = { plugins: ["es-x"], rules: {} };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2016.js
var require_no_new_in_es20162 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2016.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: {
        "es-x/no-array-prototype-includes": "error",
        "es-x/no-exponential-operators": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2016-intl-api.js
var require_no_new_in_es2016_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2016-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: { "es-x/no-intl-getcanonicallocales": "error" }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2017.js
var require_no_new_in_es20172 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2017.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: {
        "es-x/no-async-functions": "error",
        "es-x/no-atomics": "error",
        "es-x/no-object-entries": "error",
        "es-x/no-object-getownpropertydescriptors": "error",
        "es-x/no-object-values": "error",
        "es-x/no-shared-array-buffer": "error",
        "es-x/no-string-prototype-padstart-padend": "error",
        "es-x/no-trailing-function-commas": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2017-intl-api.js
var require_no_new_in_es2017_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2017-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: { "es-x/no-intl-datetimeformat-prototype-formattoparts": "error" }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2018.js
var require_no_new_in_es20182 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2018.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: {
        "es-x/no-async-iteration": "error",
        "es-x/no-malformed-template-literals": "error",
        "es-x/no-promise-prototype-finally": "error",
        "es-x/no-regexp-lookbehind-assertions": "error",
        "es-x/no-regexp-named-capture-groups": "error",
        "es-x/no-regexp-s-flag": "error",
        "es-x/no-regexp-unicode-property-escapes": "error",
        "es-x/no-rest-spread-properties": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2018-intl-api.js
var require_no_new_in_es2018_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2018-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: {
        "es-x/no-intl-numberformat-prototype-formattoparts": "error",
        "es-x/no-intl-pluralrules": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2019.js
var require_no_new_in_es20192 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2019.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: {
        "es-x/no-array-prototype-flat": "error",
        "es-x/no-json-superset": "error",
        "es-x/no-object-fromentries": "error",
        "es-x/no-optional-catch-binding": "error",
        "es-x/no-regexp-unicode-property-escapes-2019": "error",
        "es-x/no-string-prototype-trimstart-trimend": "error",
        "es-x/no-symbol-prototype-description": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2019-intl-api.js
var require_no_new_in_es2019_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2019-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = { plugins: ["es-x"], rules: {} };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2020.js
var require_no_new_in_es20202 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2020.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: {
        "es-x/no-bigint": "error",
        "es-x/no-dynamic-import": "error",
        "es-x/no-export-ns-from": "error",
        "es-x/no-global-this": "error",
        "es-x/no-import-meta": "error",
        "es-x/no-nullish-coalescing-operators": "error",
        "es-x/no-optional-chaining": "error",
        "es-x/no-promise-all-settled": "error",
        "es-x/no-regexp-unicode-property-escapes-2020": "error",
        "es-x/no-string-prototype-matchall": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2020-intl-api.js
var require_no_new_in_es2020_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2020-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: {
        "es-x/no-intl-locale": "error",
        "es-x/no-intl-relativetimeformat": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2021.js
var require_no_new_in_es20212 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2021.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: {
        "es-x/no-logical-assignment-operators": "error",
        "es-x/no-numeric-separators": "error",
        "es-x/no-promise-any": "error",
        "es-x/no-regexp-unicode-property-escapes-2021": "error",
        "es-x/no-string-prototype-replaceall": "error",
        "es-x/no-weakrefs": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2021-intl-api.js
var require_no_new_in_es2021_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2021-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: {
        "es-x/no-intl-datetimeformat-prototype-formatrange": "error",
        "es-x/no-intl-displaynames": "error",
        "es-x/no-intl-listformat": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2022.js
var require_no_new_in_es20222 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2022.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: {
        "es-x/no-arbitrary-module-namespace-names": "error",
        "es-x/no-array-string-prototype-at": "error",
        "es-x/no-class-fields": "error",
        "es-x/no-class-static-block": "error",
        "es-x/no-error-cause": "error",
        "es-x/no-object-hasown": "error",
        "es-x/no-private-in": "error",
        "es-x/no-regexp-d-flag": "error",
        "es-x/no-regexp-unicode-property-escapes-2022": "error",
        "es-x/no-top-level-await": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2022-intl-api.js
var require_no_new_in_es2022_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2022-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: {
        "es-x/no-intl-segmenter": "error",
        "es-x/no-intl-supportedvaluesof": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2023.js
var require_no_new_in_es20232 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2023.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: {
        "es-x/no-array-prototype-findlast-findlastindex": "error",
        "es-x/no-array-prototype-toreversed": "error",
        "es-x/no-array-prototype-tosorted": "error",
        "es-x/no-array-prototype-tospliced": "error",
        "es-x/no-array-prototype-with": "error",
        "es-x/no-hashbang": "error",
        "es-x/no-regexp-unicode-property-escapes-2023": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2023-intl-api.js
var require_no_new_in_es2023_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-es2023-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: {
        "es-x/no-intl-numberformat-prototype-formatrange": "error",
        "es-x/no-intl-numberformat-prototype-formatrangetoparts": "error",
        "es-x/no-intl-pluralrules-prototype-selectrange": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-esnext.js
var require_no_new_in_esnext2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-esnext.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["es-x"],
      rules: {
        "es-x/no-arraybuffer-prototype-transfer": "error",
        "es-x/no-atomics-waitasync": "error",
        "es-x/no-object-map-groupby": "error",
        "es-x/no-promise-withresolvers": "error",
        "es-x/no-regexp-v-flag": "error",
        "es-x/no-resizable-and-growable-arraybuffers": "error",
        "es-x/no-string-prototype-iswellformed-towellformed": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-esnext-intl-api.js
var require_no_new_in_esnext_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/no-new-in-esnext-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = { plugins: ["es-x"], rules: {} };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es-intl-api-1st-edition.js
var require_restrict_to_es_intl_api_1st_edition2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es-intl-api-1st-edition.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: [
        require.resolve("./no-new-in-es2023-intl-api-3e6665f6.js"),
        require.resolve("./no-new-in-es2022-intl-api-f9565f61.js"),
        require.resolve("./no-new-in-es2021-intl-api-2af35009.js"),
        require.resolve("./no-new-in-es2020-intl-api-1c79b1fa.js"),
        require.resolve("./no-new-in-es2019-intl-api-dd593774.js"),
        require.resolve("./no-new-in-es2018-intl-api-199e83d0.js"),
        require.resolve("./no-new-in-es2017-intl-api-f2310deb.js"),
        require.resolve("./no-new-in-es2016-intl-api-7fd6558c.js"),
        require.resolve("./no-new-in-es2015-intl-api-dd593774.js")
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es3.js
var require_restrict_to_es32 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es3.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: [
        require.resolve("./no-new-in-es2023-c22df8ae.js"),
        require.resolve("./no-new-in-es2022-23fc05e7.js"),
        require.resolve("./no-new-in-es2021-0b70ffaf.js"),
        require.resolve("./no-new-in-es2020-5fba52b2.js"),
        require.resolve("./no-new-in-es2019-1896817a.js"),
        require.resolve("./no-new-in-es2018-4760d26b.js"),
        require.resolve("./no-new-in-es2017-195a6fc2.js"),
        require.resolve("./no-new-in-es2016-ead98159.js"),
        require.resolve("./no-new-in-es2015-ba104317.js"),
        require.resolve("./no-new-in-es5-54c031c1.js")
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es5.js
var require_restrict_to_es52 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es5.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: [
        require.resolve("./no-new-in-es2023-c22df8ae.js"),
        require.resolve("./no-new-in-es2022-23fc05e7.js"),
        require.resolve("./no-new-in-es2021-0b70ffaf.js"),
        require.resolve("./no-new-in-es2020-5fba52b2.js"),
        require.resolve("./no-new-in-es2019-1896817a.js"),
        require.resolve("./no-new-in-es2018-4760d26b.js"),
        require.resolve("./no-new-in-es2017-195a6fc2.js"),
        require.resolve("./no-new-in-es2016-ead98159.js"),
        require.resolve("./no-new-in-es2015-ba104317.js")
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2015.js
var require_restrict_to_es20152 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2015.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: [
        require.resolve("./no-new-in-es2023-c22df8ae.js"),
        require.resolve("./no-new-in-es2022-23fc05e7.js"),
        require.resolve("./no-new-in-es2021-0b70ffaf.js"),
        require.resolve("./no-new-in-es2020-5fba52b2.js"),
        require.resolve("./no-new-in-es2019-1896817a.js"),
        require.resolve("./no-new-in-es2018-4760d26b.js"),
        require.resolve("./no-new-in-es2017-195a6fc2.js"),
        require.resolve("./no-new-in-es2016-ead98159.js")
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2015-intl-api.js
var require_restrict_to_es2015_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2015-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: [
        require.resolve("./no-new-in-es2023-intl-api-3e6665f6.js"),
        require.resolve("./no-new-in-es2022-intl-api-f9565f61.js"),
        require.resolve("./no-new-in-es2021-intl-api-2af35009.js"),
        require.resolve("./no-new-in-es2020-intl-api-1c79b1fa.js"),
        require.resolve("./no-new-in-es2019-intl-api-dd593774.js"),
        require.resolve("./no-new-in-es2018-intl-api-199e83d0.js"),
        require.resolve("./no-new-in-es2017-intl-api-f2310deb.js"),
        require.resolve("./no-new-in-es2016-intl-api-7fd6558c.js")
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2016.js
var require_restrict_to_es20162 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2016.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: [
        require.resolve("./no-new-in-es2023-c22df8ae.js"),
        require.resolve("./no-new-in-es2022-23fc05e7.js"),
        require.resolve("./no-new-in-es2021-0b70ffaf.js"),
        require.resolve("./no-new-in-es2020-5fba52b2.js"),
        require.resolve("./no-new-in-es2019-1896817a.js"),
        require.resolve("./no-new-in-es2018-4760d26b.js"),
        require.resolve("./no-new-in-es2017-195a6fc2.js")
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2016-intl-api.js
var require_restrict_to_es2016_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2016-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: [
        require.resolve("./no-new-in-es2023-intl-api-3e6665f6.js"),
        require.resolve("./no-new-in-es2022-intl-api-f9565f61.js"),
        require.resolve("./no-new-in-es2021-intl-api-2af35009.js"),
        require.resolve("./no-new-in-es2020-intl-api-1c79b1fa.js"),
        require.resolve("./no-new-in-es2019-intl-api-dd593774.js"),
        require.resolve("./no-new-in-es2018-intl-api-199e83d0.js"),
        require.resolve("./no-new-in-es2017-intl-api-f2310deb.js")
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2017.js
var require_restrict_to_es20172 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2017.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: [
        require.resolve("./no-new-in-es2023-c22df8ae.js"),
        require.resolve("./no-new-in-es2022-23fc05e7.js"),
        require.resolve("./no-new-in-es2021-0b70ffaf.js"),
        require.resolve("./no-new-in-es2020-5fba52b2.js"),
        require.resolve("./no-new-in-es2019-1896817a.js"),
        require.resolve("./no-new-in-es2018-4760d26b.js")
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2017-intl-api.js
var require_restrict_to_es2017_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2017-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: [
        require.resolve("./no-new-in-es2023-intl-api-3e6665f6.js"),
        require.resolve("./no-new-in-es2022-intl-api-f9565f61.js"),
        require.resolve("./no-new-in-es2021-intl-api-2af35009.js"),
        require.resolve("./no-new-in-es2020-intl-api-1c79b1fa.js"),
        require.resolve("./no-new-in-es2019-intl-api-dd593774.js"),
        require.resolve("./no-new-in-es2018-intl-api-199e83d0.js")
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2018.js
var require_restrict_to_es20182 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2018.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: [
        require.resolve("./no-new-in-es2023-c22df8ae.js"),
        require.resolve("./no-new-in-es2022-23fc05e7.js"),
        require.resolve("./no-new-in-es2021-0b70ffaf.js"),
        require.resolve("./no-new-in-es2020-5fba52b2.js"),
        require.resolve("./no-new-in-es2019-1896817a.js")
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2018-intl-api.js
var require_restrict_to_es2018_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2018-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: [
        require.resolve("./no-new-in-es2023-intl-api-3e6665f6.js"),
        require.resolve("./no-new-in-es2022-intl-api-f9565f61.js"),
        require.resolve("./no-new-in-es2021-intl-api-2af35009.js"),
        require.resolve("./no-new-in-es2020-intl-api-1c79b1fa.js"),
        require.resolve("./no-new-in-es2019-intl-api-dd593774.js")
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2019.js
var require_restrict_to_es20192 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2019.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: [
        require.resolve("./no-new-in-es2023-c22df8ae.js"),
        require.resolve("./no-new-in-es2022-23fc05e7.js"),
        require.resolve("./no-new-in-es2021-0b70ffaf.js"),
        require.resolve("./no-new-in-es2020-5fba52b2.js")
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2019-intl-api.js
var require_restrict_to_es2019_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2019-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: [
        require.resolve("./no-new-in-es2023-intl-api-3e6665f6.js"),
        require.resolve("./no-new-in-es2022-intl-api-f9565f61.js"),
        require.resolve("./no-new-in-es2021-intl-api-2af35009.js"),
        require.resolve("./no-new-in-es2020-intl-api-1c79b1fa.js")
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2020.js
var require_restrict_to_es20202 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2020.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: [
        require.resolve("./no-new-in-es2023-c22df8ae.js"),
        require.resolve("./no-new-in-es2022-23fc05e7.js"),
        require.resolve("./no-new-in-es2021-0b70ffaf.js")
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2020-intl-api.js
var require_restrict_to_es2020_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2020-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: [
        require.resolve("./no-new-in-es2023-intl-api-3e6665f6.js"),
        require.resolve("./no-new-in-es2022-intl-api-f9565f61.js"),
        require.resolve("./no-new-in-es2021-intl-api-2af35009.js")
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2021.js
var require_restrict_to_es20212 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2021.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: [
        require.resolve("./no-new-in-es2023-c22df8ae.js"),
        require.resolve("./no-new-in-es2022-23fc05e7.js")
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2021-intl-api.js
var require_restrict_to_es2021_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2021-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: [
        require.resolve("./no-new-in-es2023-intl-api-3e6665f6.js"),
        require.resolve("./no-new-in-es2022-intl-api-f9565f61.js")
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2022.js
var require_restrict_to_es20222 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2022.js"(exports2, module2) {
    "use strict";
    module2.exports = { extends: [require.resolve("./no-new-in-es2023-c22df8ae.js")] };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2022-intl-api.js
var require_restrict_to_es2022_intl_api2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/configs/restrict-to-es2022-intl-api.js"(exports2, module2) {
    "use strict";
    module2.exports = { extends: [require.resolve("./no-new-in-es2023-intl-api-3e6665f6.js")] };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-accessor-properties.js
var require_no_accessor_properties = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-accessor-properties.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow accessor properties.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-accessor-properties.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 accessor properties are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Property[kind='get'], Property[kind='set'], MethodDefinition[kind='get'], MethodDefinition[kind='set']"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-arbitrary-module-namespace-names.js
var require_no_arbitrary_module_namespace_names = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-arbitrary-module-namespace-names.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow arbitrary module namespace names.",
          category: "ES2022",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-arbitrary-module-namespace-names.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2022 arbitrary module namespace names are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "ExportAllDeclaration > Literal.exported, ExportSpecifier > Literal.local, ExportSpecifier > Literal.exported, ImportSpecifier > Literal.imported"(node) {
            context.report({
              node,
              messageId: "forbidden"
            });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-compat-utils@0.5.1_eslint@9.5.0/node_modules/eslint-compat-utils/dist/index.cjs
var require_dist9 = __commonJS({
  "node_modules/.pnpm/eslint-compat-utils@0.5.1_eslint@9.5.0/node_modules/eslint-compat-utils/dist/index.cjs"(exports2) {
    "use strict";
    var path17 = require("path");
    var fs4 = require("fs");
    function applyPolyfills(object, polyfill) {
      return new Proxy(object, {
        get(_target, p) {
          var _a;
          return (_a = object[p]) != null ? _a : polyfill[p];
        }
      });
    }
    function getParent(node) {
      return node.parent;
    }
    var cache = /* @__PURE__ */ new WeakMap();
    function getSourceCode(context) {
      const original = context.sourceCode || context.getSourceCode();
      const cached = cache.get(original);
      if (cached) {
        return cached;
      }
      const sourceCode = applyPolyfills(original, {
        getScope(node) {
          const inner = node.type !== "Program";
          for (let n = node; n; n = getParent(n)) {
            const scope = original.scopeManager.acquire(n, inner);
            if (scope) {
              if (scope.type === "function-expression-name") {
                return scope.childScopes[0];
              }
              return scope;
            }
          }
          return original.scopeManager.scopes[0];
        },
        markVariableAsUsed(name, refNode = original.ast) {
          const currentScope = sourceCode.getScope(refNode);
          if (currentScope === context.getScope()) {
            return context.markVariableAsUsed(name);
          }
          let initialScope = currentScope;
          if (currentScope.type === "global" && currentScope.childScopes.length > 0 && currentScope.childScopes[0].block === original.ast) {
            initialScope = currentScope.childScopes[0];
          }
          for (let scope = initialScope; scope; scope = scope.upper) {
            const variable = scope.variables.find(
              (scopeVar) => scopeVar.name === name
            );
            if (variable) {
              variable.eslintUsed = true;
              return true;
            }
          }
          return false;
        },
        getAncestors(node) {
          const result = [];
          for (let ancestor = getParent(node); ancestor; ancestor = ancestor.parent) {
            result.unshift(ancestor);
          }
          return result;
        },
        getDeclaredVariables(node) {
          return original.scopeManager.getDeclaredVariables(node);
        },
        isSpaceBetween(first, second) {
          if (first.range[0] <= second.range[1] && second.range[0] <= first.range[1]) {
            return false;
          }
          const [startingNodeOrToken, endingNodeOrToken] = first.range[1] <= second.range[0] ? [first, second] : [second, first];
          const tokens = sourceCode.getTokensBetween(first, second, {
            includeComments: true
          });
          let startIndex = startingNodeOrToken.range[1];
          for (const token of tokens) {
            if (startIndex !== token.range[0]) {
              return true;
            }
            startIndex = token.range[1];
          }
          return startIndex !== endingNodeOrToken.range[0];
        }
      });
      cache.set(original, sourceCode);
      return sourceCode;
    }
    function getCwd(context) {
      var _a, _b, _c;
      return (_c = (_b = context.cwd) != null ? _b : (_a = context.getCwd) == null ? void 0 : _a.call(context)) != null ? _c : (
        // getCwd is added in v6.6.0
        process.cwd()
      );
    }
    function getFilename(context) {
      var _a;
      return (_a = context.filename) != null ? _a : context.getFilename();
    }
    function getPhysicalFilename(context) {
      var _a, _b;
      const physicalFilename = (_b = context.physicalFilename) != null ? _b : (_a = context.getPhysicalFilename) == null ? void 0 : _a.call(context);
      if (physicalFilename != null) {
        return physicalFilename;
      }
      const filename = getFilename(context);
      let target = filename;
      while (/^\d+_/u.test(path17.basename(target)) && !fs4.existsSync(target)) {
        const next = path17.dirname(target);
        if (next === target || !path17.extname(next)) {
          break;
        }
        target = next;
      }
      return target;
    }
    exports2.getCwd = getCwd;
    exports2.getFilename = getFilename;
    exports2.getPhysicalFilename = getPhysicalFilename;
    exports2.getSourceCode = getSourceCode;
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-from.js
var require_no_array_from = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-from.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.from` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-from.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Array: {
                from: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-isarray.js
var require_no_array_isarray = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-isarray.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.isArray` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-isarray.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Array: {
                isArray: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-of.js
var require_no_array_of = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-of.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.of` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-of.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Array: {
                of: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/util/define-prototype-method-handler/object-type-checker.js
var require_object_type_checker = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/util/define-prototype-method-handler/object-type-checker.js"(exports2, module2) {
    "use strict";
    var { findVariable: findVariable2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = { buildObjectTypeChecker, buildExpressionTypeProvider };
    var WELLKNOWN_GLOBALS = {
      String: { type: "Function", returnType: "String" },
      Number: { type: "Function", returnType: "Number" },
      Boolean: { type: "Function", returnType: "Boolean" },
      Symbol: { type: "Function", returnType: "Symbol" },
      BigInt: { type: "Function", returnType: "BigInt" },
      Object: { type: "Function", returnType: "Object" },
      Function: { type: "Function", returnType: "Function" },
      Array: { type: "Function", returnType: "Array" },
      RegExp: { type: "Function", returnType: "RegExp" },
      Date: { type: "Function", returnType: "Date" },
      Promise: { type: "Function", returnType: "Promise" },
      Int8Array: { type: "Function", returnType: "Int8Array" },
      Uint8Array: { type: "Function", returnType: "Uint8Array" },
      Uint8ClampedArray: { type: "Function", returnType: "Uint8ClampedArray" },
      Int16Array: { type: "Function", returnType: "Int16Array" },
      Uint16Array: { type: "Function", returnType: "Uint16Array" },
      Int32Array: { type: "Function", returnType: "Int32Array" },
      Uint32Array: { type: "Function", returnType: "Uint32Array" },
      Float32Array: { type: "Function", returnType: "Float32Array" },
      Float64Array: { type: "Function", returnType: "Float64Array" },
      BigInt64Array: { type: "Function", returnType: "BigInt64Array" },
      BigUint64Array: { type: "Function", returnType: "BigUint64Array" },
      ArrayBuffer: { type: "Function", returnType: "ArrayBuffer" },
      SharedArrayBuffer: { type: "Function", returnType: "SharedArrayBuffer" },
      Intl: {
        type: "Object",
        properties: {
          Collator: { type: "Function", returnType: "Intl.Collator" },
          DateTimeFormat: {
            type: "Function",
            returnType: "Intl.DateTimeFormat"
          },
          ListFormat: {
            type: "Function",
            returnType: "Intl.ListFormat"
          },
          NumberFormat: {
            type: "Function",
            returnType: "Intl.NumberFormat"
          },
          PluralRules: {
            type: "Function",
            returnType: "Intl.PluralRules"
          },
          RelativeTimeFormat: {
            type: "Function",
            returnType: "Intl.RelativeTimeFormat"
          },
          Segmenter: { type: "Function", returnType: "Intl.Segmenter" }
        }
      },
      undefined: { type: "undefined" },
      NaN: { type: "Number" },
      Infinity: { type: "Number" }
    };
    function buildObjectTypeChecker(context, aggressiveResult) {
      const getType = buildExpressionTypeProvider(context);
      return function(memberAccessNode, className) {
        const type = getType(memberAccessNode.object);
        if (type == null) {
          return aggressiveResult;
        }
        return type === className;
      };
    }
    var cache = /* @__PURE__ */ new WeakMap();
    function buildExpressionTypeProvider(context) {
      const key = getSourceCode(context).ast;
      let result = cache.get(key);
      if (!result) {
        cache.set(key, result = buildExpressionTypeProviderImpl(context));
      }
      return result;
    }
    function buildExpressionTypeProviderImpl(context) {
      const GET_TYPES = {
        ArrayExpression: () => "Array",
        ObjectExpression: () => "Object",
        ArrowFunctionExpression: () => "Function",
        FunctionExpression: () => "Function",
        Literal: getLiteralType,
        TemplateLiteral: () => "String",
        Identifier: getIdentifierType,
        /** @param {import("estree").BinaryExpression} node */
        BinaryExpression: (node) => getOperatorType(node.operator, node.left, node.right),
        /** @param {import("estree").LogicalExpression} node */
        LogicalExpression: (node) => getOperatorType(node.operator, node.left, node.right),
        /** @param {import("estree").AssignmentExpression} node */
        AssignmentExpression: (node) => getOperatorType(node.operator, node.left, node.right),
        UnaryExpression: getUnaryExpressionType,
        UpdateExpression: () => "Number",
        ClassExpression: () => "Function",
        ChainExpression: (node) => getType(node.expression),
        /** @param {import("estree").SequenceExpression} node */
        SequenceExpression: (node) => getType(node.expressions[node.expressions.length - 1]),
        CallExpression: getCallExpressionType,
        NewExpression: getCallExpressionType,
        TaggedTemplateExpression: getCallExpressionType,
        /** @param {import("estree").ConditionalExpression} node */
        ConditionalExpression(node) {
          const consequent = getType(node.consequent);
          const alternate = getType(node.alternate);
          return consequent === alternate ? consequent : null;
        }
      };
      const tracked = /* @__PURE__ */ new Map();
      return getType;
      function getType(node) {
        if (tracked.has(node)) {
          return tracked.get(node);
        }
        tracked.set(node, null);
        try {
          const result = GET_TYPES[node.type]?.(node) ?? null;
          tracked.set(node, result);
          return result;
        } catch {
          return null;
        }
      }
      function findVariableFromIdentifier(node) {
        return findVariable2(
          getSourceCode(context).scopeManager.globalScope,
          node
        );
      }
      function getLiteralType(node) {
        if (node.regex) {
          return "RegExp";
        }
        if (node.bigint) {
          return "BigInt";
        }
        if (node.value == null) {
          return "null";
        }
        const valueType = typeof node.value;
        if (valueType === "string") {
          return "String";
        }
        if (valueType === "number") {
          return "Number";
        }
        if (valueType === "boolean") {
          return "Boolean";
        }
        return valueType[0].toUpperCase() + valueType.slice(1);
      }
      function getIdentifierType(node) {
        const variable = findVariableFromIdentifier(node);
        if (variable) {
          if (variable.defs.length === 0) {
            return WELLKNOWN_GLOBALS[node.name]?.type ?? null;
          } else if (variable.defs.length === 1) {
            const def = variable.defs[0];
            if (def.type === "Variable") {
              if (
                // It has an initial value.
                def.node.init && // It does not write new values.
                (def.parent.kind === "const" || variable.references.every(
                  (ref) => ref.isReadOnly() || ref.identifier === def.name
                ))
              ) {
                return getType(def.node.init);
              }
            } else if (def.type === "FunctionName") {
              return "Function";
            }
          }
        }
        return null;
      }
      function getOperatorType(operator, leftNode, rightNode) {
        if (operator === "=") {
          return getType(rightNode);
        }
        if (operator === "+" || operator === "+=") {
          return getPlusOperatorType(leftNode, rightNode);
        }
        if (operator === "==" || operator === "!=" || operator === "===" || operator === "!==" || operator === "<" || operator === "<=" || operator === ">" || operator === ">=" || operator === "in" || operator === "instanceof") {
          return "Boolean";
        }
        if (operator === "-" || operator === "-=" || operator === "*" || operator === "*=" || operator === "/" || operator === "/=" || operator === "%" || operator === "%=" || operator === "^" || operator === "^=" || operator === "**" || operator === "**=" || operator === "&" || operator === "&=" || operator === "|" || operator === "|=") {
          const left = getType(leftNode);
          const right = getType(rightNode);
          if (left === "BigInt" || right === "BigInt") {
            return "BigInt";
          }
          return left == null && right == null ? null : "Number";
        }
        if (operator === "<<" || operator === "<<=" || operator === ">>" || operator === ">>=" || operator === ">>>" || operator === ">>>=") {
          return "Number";
        }
        if (operator === "&&" || operator === "&&=" || operator === "||" || operator === "||=" || operator === "??" || operator === "??=") {
          const left = getType(leftNode);
          const right = getType(rightNode);
          return left === right ? left : null;
        }
        return null;
      }
      function getPlusOperatorType(leftNode, rightNode) {
        const left = getType(leftNode);
        const right = getType(rightNode);
        if (left === "String" || right === "String") {
          return "String";
        }
        if (left === "BigInt" || right === "BigInt") {
          return "BigInt";
        }
        if (right === "Number") {
          return "Number";
        }
        if (left === "Number") {
          if (right === "null" || right === "undefined") {
            return "Number";
          }
        }
        if (right == null) {
          return null;
        }
        return "String";
      }
      function getUnaryExpressionType(node) {
        if (node.operator === "!" || node.operator === "delete") {
          return "Boolean";
        }
        if (node.operator === "+") {
          return "Number";
        }
        if (node.operator === "-" || node.operator === "~") {
          const argument = getType(node.argument);
          if (argument === "BigInt") {
            return argument;
          }
          return argument == null ? null : "Number";
        }
        if (node.operator === "typeof") {
          return "String";
        }
        if (node.operator === "void") {
          return "undefined";
        }
        return null;
      }
      function getCallExpressionType(node) {
        const callee = node.type === "CallExpression" || node.type === "NewExpression" ? node.callee : node.tag;
        if (callee.type === "Identifier") {
          if (!isGlobalObject(callee)) {
            return null;
          }
          const obj = WELLKNOWN_GLOBALS[callee.name];
          return obj?.type === "Function" ? obj.returnType : null;
        } else if (callee.type === "MemberExpression") {
          if (callee.computed || callee.property.type !== "Identifier" || !isGlobalObject(callee.object)) {
            return null;
          }
          const obj = WELLKNOWN_GLOBALS[callee.object.name];
          if (obj?.type === "Object") {
            const prop = obj.properties[callee.property.name];
            return prop?.type === "Function" ? prop.returnType : null;
          }
        }
        return null;
      }
      function isGlobalObject(node) {
        if (node.type !== "Identifier") {
          return false;
        }
        const variable = findVariableFromIdentifier(node);
        return Boolean(variable && variable.defs.length === 0);
      }
    }
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/util/optional-require.js
var require_optional_require = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/util/optional-require.js"(exports2, module2) {
    "use strict";
    function optionalRequire(originalRequire, id) {
      try {
        return originalRequire(id);
      } catch (error) {
        if (error && error.code === "MODULE_NOT_FOUND") {
          return void 0;
        }
        throw error;
      }
    }
    module2.exports = { optionalRequire };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/util/define-prototype-method-handler/object-type-checker-for-ts.js
var require_object_type_checker_for_ts = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/util/define-prototype-method-handler/object-type-checker-for-ts.js"(exports2, module2) {
    "use strict";
    var { getSourceCode } = require_dist9();
    var { optionalRequire } = require_optional_require();
    var ts = optionalRequire(require, "typescript");
    module2.exports = { buildObjectTypeCheckerForTS };
    function buildObjectTypeCheckerForTS(context, aggressiveResult) {
      const sourceCode = getSourceCode(context);
      const tsNodeMap = sourceCode.parserServices.esTreeNodeToTSNodeMap;
      const checker = sourceCode.parserServices.program && sourceCode.parserServices.program.getTypeChecker();
      const isTS = Boolean(ts && tsNodeMap && checker);
      if (!isTS) {
        return null;
      }
      const hasFullType = sourceCode.parserServices.hasFullTypeInformation !== false;
      return function(memberAccessNode, className) {
        return checkByPropertyDeclaration(memberAccessNode, className) || checkByObjectExpressionType(memberAccessNode, className);
      };
      function checkByPropertyDeclaration(memberAccessNode, className) {
        const tsNode = tsNodeMap.get(memberAccessNode.property);
        const symbol = tsNode && checker.getSymbolAtLocation(tsNode);
        const declarations = symbol && symbol.declarations;
        if (declarations) {
          for (const declaration of declarations) {
            const type = checker.getTypeAtLocation(declaration.parent);
            if (type && typeEquals(type, className)) {
              return true;
            }
          }
        }
        return false;
      }
      function checkByObjectExpressionType(memberAccessNode, className) {
        const tsNode = tsNodeMap.get(memberAccessNode.object);
        const type = checker.getTypeAtLocation(tsNode);
        return typeEquals(type, className);
      }
      function typeEquals(type, className) {
        if (isFunction3(type)) {
          return className === "Function";
        }
        if (isAny(type) || isUnknown(type)) {
          return aggressiveResult;
        }
        if (isAnonymousObject(type)) {
          return hasFullType ? false : aggressiveResult;
        }
        if (isStringLike(type)) {
          return className === "String";
        }
        if (isArrayLikeObject2(type)) {
          return className === "Array";
        }
        if (isReferenceObject(type) && type.target !== type) {
          return typeEquals(type.target, className);
        }
        if (isTypeParameter(type)) {
          const constraintType = getConstraintType(type);
          if (constraintType) {
            return typeEquals(constraintType, className);
          }
          return hasFullType ? false : aggressiveResult;
        }
        if (isUnionOrIntersection(type)) {
          return type.types.some((t) => typeEquals(t, className));
        }
        if (isClassOrInterface(type)) {
          return typeSymbolEscapedNameEquals(type, className);
        }
        return checker.typeToString(type) === className;
      }
      function typeSymbolEscapedNameEquals(type, className) {
        const symbol = type.symbol;
        if (!className.includes(".")) {
          const escapedName = symbol.escapedName;
          return escapedName === className || // ReadonlyArray, ReadonlyMap, ReadonlySet
          escapedName === `Readonly${className}` || // CallableFunction
          className === "Function" && escapedName === "CallableFunction";
        }
        return checker.getFullyQualifiedName(symbol) === className;
      }
      function getConstraintType(type) {
        const symbol = type.symbol;
        const declarations = symbol && symbol.declarations;
        const declaration = declarations && declarations[0];
        if (ts.isTypeParameterDeclaration(declaration) && declaration.constraint != null) {
          return checker.getTypeFromTypeNode(declaration.constraint);
        }
        return void 0;
      }
    }
    function isAnonymousObject(type) {
      return isObject2(type) && (type.objectFlags & ts.ObjectFlags.Anonymous) !== 0;
    }
    function isAny(type) {
      return (type.flags & ts.TypeFlags.Any) !== 0;
    }
    function isArrayLikeObject2(type) {
      return isObject2(type) && (type.objectFlags & (ts.ObjectFlags.ArrayLiteral | ts.ObjectFlags.EvolvingArray | ts.ObjectFlags.Tuple)) !== 0;
    }
    function isClassOrInterface(type) {
      return isObject2(type) && (type.objectFlags & ts.ObjectFlags.ClassOrInterface) !== 0;
    }
    function isObject2(type) {
      return (type.flags & ts.TypeFlags.Object) !== 0;
    }
    function isReferenceObject(type) {
      return isObject2(type) && (type.objectFlags & ts.ObjectFlags.Reference) !== 0;
    }
    function isStringLike(type) {
      return (type.flags & ts.TypeFlags.StringLike) !== 0;
    }
    function isTypeParameter(type) {
      return (type.flags & ts.TypeFlags.TypeParameter) !== 0;
    }
    function isUnionOrIntersection(type) {
      return (type.flags & ts.TypeFlags.UnionOrIntersection) !== 0;
    }
    function isUnknown(type) {
      return (type.flags & ts.TypeFlags.Unknown) !== 0;
    }
    function isFunction3(type) {
      if (type.symbol && (type.symbol.flags & (ts.SymbolFlags.Function | ts.SymbolFlags.Method)) !== 0) {
        return true;
      }
      const signatures = type.getCallSignatures();
      return signatures.length > 0;
    }
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/util/define-prototype-method-handler/index.js
var require_define_prototype_method_handler = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/util/define-prototype-method-handler/index.js"(exports2, module2) {
    "use strict";
    var { getPropertyName: getPropertyName2 } = require_eslint_utils();
    var { buildObjectTypeChecker } = require_object_type_checker();
    var { buildObjectTypeCheckerForTS } = require_object_type_checker_for_ts();
    var { getSourceCode } = require_dist9();
    function definePrototypeMethodHandler(context, nameMap, options) {
      const sourceCode = getSourceCode(context);
      const aggressiveOption = getAggressiveOption(context);
      const aggressiveResult = aggressiveOption ? "aggressive" : false;
      const objectTypeChecker = buildObjectTypeCheckerForTS(context, aggressiveResult) || buildObjectTypeChecker(context, aggressiveResult);
      function checkObjectType(memberAccessNode, className) {
        if (memberAccessNode.object.type === "ArrayExpression") {
          return className === "Array";
        }
        if (memberAccessNode.object.type === "Literal" && memberAccessNode.object.regex) {
          return className === "RegExp";
        }
        if (memberAccessNode.object.type === "Literal" && typeof memberAccessNode.object.value === "string" || memberAccessNode.object.type === "TemplateLiteral") {
          return className === "String";
        }
        if (memberAccessNode.object.type === "FunctionExpression" || memberAccessNode.object.type === "ArrowFunctionExpression") {
          return className === "Function";
        }
        return objectTypeChecker(memberAccessNode, className);
      }
      const nameMapEntries = Object.entries(nameMap);
      if (nameMapEntries.length === 1) {
        const [[className, methodNames]] = nameMapEntries;
        return {
          MemberExpression(node) {
            const propertyName = getPropertyName2(
              node,
              sourceCode.getScope(node)
            );
            let objectTypeResult = void 0;
            if (methodNames.includes(propertyName) && (objectTypeResult = checkObjectType(node, className))) {
              context.report({
                node,
                messageId: "forbidden",
                data: {
                  name: `${className}.prototype.${propertyName}`
                },
                ...options && options.createReport && options.createReport({
                  objectTypeResult,
                  className,
                  propertyName,
                  node
                }) || {}
              });
            }
          }
        };
      }
      return {
        MemberExpression(node) {
          const propertyName = getPropertyName2(
            node,
            sourceCode.getScope(node)
          );
          for (const [className, methodNames] of nameMapEntries) {
            let objectTypeResult = void 0;
            if (methodNames.includes(propertyName) && (objectTypeResult = checkObjectType(node, className))) {
              context.report({
                node,
                messageId: "forbidden",
                data: {
                  name: `${className}.prototype.${propertyName}`
                },
                ...options && options.createReport && options.createReport({
                  objectTypeResult,
                  className,
                  propertyName,
                  node
                }) || {}
              });
              return;
            }
          }
        }
      };
    }
    function getAggressiveOption(context) {
      const options = context.options[0];
      const globalOptions = context.settings["es-x"];
      if (options && typeof options.aggressive === "boolean") {
        return options.aggressive;
      }
      if (globalOptions && typeof globalOptions.aggressive === "boolean") {
        return globalOptions.aggressive;
      }
      return false;
    }
    module2.exports = { definePrototypeMethodHandler };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-copywithin.js
var require_no_array_prototype_copywithin = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-copywithin.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.copyWithin` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-copywithin.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["copyWithin"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-entries.js
var require_no_array_prototype_entries = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-entries.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.entries` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-entries.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["entries"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-every.js
var require_no_array_prototype_every = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-every.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.every` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-every.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["every"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-fill.js
var require_no_array_prototype_fill = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-fill.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.fill` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-fill.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["fill"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-filter.js
var require_no_array_prototype_filter = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-filter.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.filter` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-filter.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["filter"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-find.js
var require_no_array_prototype_find = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-find.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.find` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-find.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["find"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-findindex.js
var require_no_array_prototype_findindex = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-findindex.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.findIndex` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-findindex.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["findIndex"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-findlast-findlastindex.js
var require_no_array_prototype_findlast_findlastindex = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-findlast-findlastindex.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.{findLast,findLastIndex}` methods.",
          category: "ES2023",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-findlast-findlastindex.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2023 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["findLast", "findLastIndex"],
          Int8Array: ["findLast", "findLastIndex"],
          Uint8Array: ["findLast", "findLastIndex"],
          Uint8ClampedArray: ["findLast", "findLastIndex"],
          Int16Array: ["findLast", "findLastIndex"],
          Uint16Array: ["findLast", "findLastIndex"],
          Int32Array: ["findLast", "findLastIndex"],
          Uint32Array: ["findLast", "findLastIndex"],
          Float32Array: ["findLast", "findLastIndex"],
          Float64Array: ["findLast", "findLastIndex"],
          BigInt64Array: ["findLast", "findLastIndex"],
          BigUint64Array: ["findLast", "findLastIndex"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-flat.js
var require_no_array_prototype_flat = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-flat.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.{flat,flatMap}` method.",
          category: "ES2019",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-flat.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2019 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["flat", "flatMap"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-foreach.js
var require_no_array_prototype_foreach = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-foreach.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.forEach` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-foreach.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["forEach"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-includes.js
var require_no_array_prototype_includes = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-includes.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.includes` method.",
          category: "ES2016",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-includes.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2016 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["includes"],
          Int8Array: ["includes"],
          Uint8Array: ["includes"],
          Uint8ClampedArray: ["includes"],
          Int16Array: ["includes"],
          Uint16Array: ["includes"],
          Int32Array: ["includes"],
          Uint32Array: ["includes"],
          Float32Array: ["includes"],
          Float64Array: ["includes"],
          BigInt64Array: ["includes"],
          BigUint64Array: ["includes"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-indexof.js
var require_no_array_prototype_indexof = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-indexof.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.indexOf` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-indexof.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["indexOf"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-keys.js
var require_no_array_prototype_keys = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-keys.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.keys` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-keys.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["keys"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-lastindexof.js
var require_no_array_prototype_lastindexof = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-lastindexof.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.lastIndexOf` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-lastindexof.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["lastIndexOf"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-map.js
var require_no_array_prototype_map = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-map.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.map` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-map.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["map"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-reduce.js
var require_no_array_prototype_reduce = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-reduce.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.reduce` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-reduce.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["reduce"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-reduceright.js
var require_no_array_prototype_reduceright = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-reduceright.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.reduceRight` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-reduceright.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["reduceRight"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-some.js
var require_no_array_prototype_some = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-some.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.some` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-some.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["some"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-toreversed.js
var require_no_array_prototype_toreversed = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-toreversed.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.toReversed` method.",
          category: "ES2023",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-toreversed.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2023 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["toReversed"],
          Int8Array: ["toReversed"],
          Uint8Array: ["toReversed"],
          Uint8ClampedArray: ["toReversed"],
          Int16Array: ["toReversed"],
          Uint16Array: ["toReversed"],
          Int32Array: ["toReversed"],
          Uint32Array: ["toReversed"],
          Float32Array: ["toReversed"],
          Float64Array: ["toReversed"],
          BigInt64Array: ["toReversed"],
          BigUint64Array: ["toReversed"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-tosorted.js
var require_no_array_prototype_tosorted = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-tosorted.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.toSorted` method.",
          category: "ES2023",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-tosorted.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2023 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["toSorted"],
          Int8Array: ["toSorted"],
          Uint8Array: ["toSorted"],
          Uint8ClampedArray: ["toSorted"],
          Int16Array: ["toSorted"],
          Uint16Array: ["toSorted"],
          Int32Array: ["toSorted"],
          Uint32Array: ["toSorted"],
          Float32Array: ["toSorted"],
          Float64Array: ["toSorted"],
          BigInt64Array: ["toSorted"],
          BigUint64Array: ["toSorted"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-tospliced.js
var require_no_array_prototype_tospliced = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-tospliced.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.toSpliced` method.",
          category: "ES2023",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-tospliced.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2023 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["toSpliced"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-values.js
var require_no_array_prototype_values = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-values.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.values` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-values.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["values"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-with.js
var require_no_array_prototype_with = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-prototype-with.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Array.prototype.with` method.",
          category: "ES2023",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-prototype-with.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2023 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["with"],
          Int8Array: ["with"],
          Uint8Array: ["with"],
          Uint8ClampedArray: ["with"],
          Int16Array: ["with"],
          Uint16Array: ["with"],
          Int32Array: ["with"],
          Uint32Array: ["with"],
          Float32Array: ["with"],
          Float64Array: ["with"],
          BigInt64Array: ["with"],
          BigUint64Array: ["with"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-string-prototype-at.js
var require_no_array_string_prototype_at = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-array-string-prototype-at.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `{Array,String}.prototype.at()` methods.",
          category: "ES2022",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-array-string-prototype-at.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2022 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Array: ["at"],
          String: ["at"],
          Int8Array: ["at"],
          Uint8Array: ["at"],
          Uint8ClampedArray: ["at"],
          Int16Array: ["at"],
          Uint16Array: ["at"],
          Int32Array: ["at"],
          Uint32Array: ["at"],
          Float32Array: ["at"],
          Float64Array: ["at"],
          BigInt64Array: ["at"],
          BigUint64Array: ["at"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-arraybuffer-prototype-transfer.js
var require_no_arraybuffer_prototype_transfer = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-arraybuffer-prototype-transfer.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `ArrayBuffer.prototype.transfer` method.",
          category: "ES2024",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-arraybuffer-prototype-transfer.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2024 '{{name}}' method is forbidden.",
          forbiddenForDetached: "ES2024 'ArrayBuffer.prototype.detached' property is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(
          context,
          {
            ArrayBuffer: ["detached", "transfer", "transferToFixedLength"]
          },
          {
            createReport({ propertyName }) {
              return {
                messageId: propertyName === "detached" ? "forbiddenForDetached" : "forbidden"
              };
            }
          }
        );
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-arrow-functions.js
var require_no_arrow_functions = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-arrow-functions.js"(exports2, module2) {
    "use strict";
    var {
      isArrowToken: isArrowToken2,
      isParenthesized: isParenthesized2
    } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow arrow function expressions.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-arrow-functions.html"
        },
        fixable: "code",
        messages: {
          forbidden: "ES2015 arrow function expressions are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = getSourceCode(context);
        function toFunctionExpression(node, hasThis) {
          const params = node.params;
          const paramText = params.length ? sourceCode.text.slice(
            params[0].range[0],
            params[params.length - 1].range[1]
          ) : "";
          const arrowToken = sourceCode.getTokenBefore(
            node.body,
            isArrowToken2
          );
          const preText = sourceCode.text.slice(
            arrowToken.range[1],
            node.body.range[0]
          );
          const bodyText = sourceCode.text.slice(arrowToken.range[1], node.range[1]).trim();
          let resultText = (
            /*eslint-disable prettier/prettier */
            node.body.type === "BlockStatement" ? `function(${paramText}) ${bodyText}` : preText.includes("\n") ? `function(${paramText}) { return (${bodyText}) }` : `function(${paramText}) { return ${bodyText} }`
          );
          if (node.async) {
            resultText = `async ${resultText}`;
          }
          if (hasThis) {
            resultText += ".bind(this)";
          }
          if (node.parent.type === "ExpressionStatement" && !isParenthesized2(node, sourceCode)) {
            resultText = `(${resultText})`;
          }
          return resultText;
        }
        function report(node, hasThis, hasSuper) {
          context.report({
            node,
            messageId: "forbidden",
            fix(fixer) {
              if (hasSuper) {
                return void 0;
              }
              return fixer.replaceText(
                node,
                toFunctionExpression(node, hasThis)
              );
            }
          });
        }
        let stack = { upper: null, hasThis: false, hasSuper: false };
        return {
          ":function"() {
            stack = { upper: stack, hasThis: false, hasSuper: false };
          },
          ":function:exit"(node) {
            const { hasThis, hasSuper } = stack;
            stack = stack.upper;
            if (node.type === "ArrowFunctionExpression") {
              report(node, hasThis, hasSuper);
              stack.hasThis = stack.hasThis || hasThis;
              stack.hasSuper = stack.hasSuper || hasSuper;
            }
          },
          ThisExpression() {
            stack.hasThis = true;
          },
          Super() {
            stack.hasSuper = true;
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-async-functions.js
var require_no_async_functions = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-async-functions.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow async function declarations.",
          category: "ES2017",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-async-functions.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2017 async function declarations are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          ":function[async=true]"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-async-iteration.js
var require_no_async_iteration = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-async-iteration.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow async iteration.",
          category: "ES2018",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-async-iteration.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2018 async iteration is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          ":function[async=true][generator=true]"(node) {
            context.report({ node, messageId: "forbidden" });
          },
          "ForOfStatement[await=true]"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-atomics.js
var require_no_atomics = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-atomics.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Atomics` class.",
          category: "ES2017",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-atomics.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2017 '{{name}}' class is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Atomics: { [READ2]: true }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-atomics-waitasync.js
var require_no_atomics_waitasync = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-atomics-waitasync.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Atomics.waitAsync` method.",
          category: "ES2024",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-atomics-waitasync.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2024 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Atomics: {
                waitAsync: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-bigint.js
var require_no_bigint = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-bigint.js"(exports2, module2) {
    "use strict";
    var { ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `bigint` syntax and built-ins",
          category: "ES2020",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-bigint.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2020 BigInt is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          Literal(node) {
            if (node.bigint != null) {
              context.report({ messageId: "forbidden", node });
            }
          },
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            const references = tracker2.iterateGlobalReferences({
              BigInt: { [ReferenceTracker2.READ]: true },
              BigInt64Array: { [ReferenceTracker2.READ]: true },
              BigUint64Array: { [ReferenceTracker2.READ]: true }
            });
            for (const { node } of references) {
              context.report({ messageId: "forbidden", node });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-binary-numeric-literals.js
var require_no_binary_numeric_literals = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-binary-numeric-literals.js"(exports2, module2) {
    "use strict";
    var Pattern = /^0[bB]/u;
    module2.exports = {
      meta: {
        docs: {
          description: "disallow binary numeric literals.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-binary-numeric-literals.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 binary numeric literals are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          Literal(node) {
            if (typeof node.value === "number" && Pattern.test(node.raw)) {
              context.report({ node, messageId: "forbidden" });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-block-scoped-functions.js
var require_no_block_scoped_functions = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-block-scoped-functions.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow block-scoped function declarations.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-block-scoped-functions.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 block-scoped functions are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          ":not(:function) > BlockStatement > FunctionDeclaration"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-block-scoped-variables.js
var require_no_block_scoped_variables = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-block-scoped-variables.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow block-scoped variable declarations.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-block-scoped-variables.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 block-scoped variables are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "VariableDeclaration[kind='const'], VariableDeclaration[kind='let']"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-class-fields.js
var require_no_class_fields = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-class-fields.js"(exports2, module2) {
    "use strict";
    var {
      getFunctionNameWithKind: getFunctionNameWithKind2,
      getPropertyName: getPropertyName2
    } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    function getFieldNameWithKind(node, sourceCode) {
      const tokens = [];
      if (node.static) {
        tokens.push("static");
      }
      if (node.key.type === "PrivateIdentifier") {
        tokens.push("private");
      }
      tokens.push("field");
      if (node.key.type === "PrivateIdentifier") {
        tokens.push(`#${node.key.name}`);
      } else {
        const name = getPropertyName2(node);
        if (name) {
          tokens.push(`'${name}'`);
        } else if (sourceCode) {
          const keyText = sourceCode.getText(node.key);
          if (!keyText.includes("\n")) {
            tokens.push(`[${keyText}]`);
          }
        }
      }
      return tokens.join(" ");
    }
    module2.exports = {
      meta: {
        docs: {
          description: "disallow class fields.",
          category: "ES2022",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-class-fields.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2022 {{nameWithKind}} is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          PropertyDefinition(node) {
            if (node.declare || node.parent.parent.declare) {
              return;
            }
            context.report({
              node: node.key,
              messageId: "forbidden",
              data: {
                nameWithKind: getFieldNameWithKind(
                  node,
                  getSourceCode(context)
                )
              }
            });
          },
          "MethodDefinition:exit"(node) {
            if (node.key.type !== "PrivateIdentifier") {
              return;
            }
            context.report({
              node: node.key,
              messageId: "forbidden",
              data: {
                nameWithKind: getFunctionNameWithKind2(
                  node.value,
                  getSourceCode(context)
                )
              }
            });
          },
          ":not(PropertyDefinition, MethodDefinition) > PrivateIdentifier"(node) {
            const parent = node.parent;
            context.report({
              node,
              messageId: "forbidden",
              data: {
                nameWithKind: parent.parent.type === "CallExpression" && parent.parent.callee === parent ? `private method call #${node.name}()` : `private access #${node.name}`
              }
            });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-class-static-block.js
var require_no_class_static_block = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-class-static-block.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow class static block.",
          category: "ES2022",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-class-static-block.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2022 class static block is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          StaticBlock(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-classes.js
var require_no_classes = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-classes.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow class declarations.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-classes.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 class declarations are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "ClassDeclaration, ClassExpression"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-computed-properties.js
var require_no_computed_properties = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-computed-properties.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow computed properties.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-computed-properties.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 computed properties are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          ":matches(Property, MethodDefinition)[computed=true]"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-date-now.js
var require_no_date_now = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-date-now.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Date.now` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-date-now.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Date: {
                now: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-date-prototype-getyear-setyear.js
var require_no_date_prototype_getyear_setyear = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-date-prototype-getyear-setyear.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Date.prototype.{getYear,setYear}` methods.",
          category: "legacy",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-date-prototype-getyear-setyear.html"
        },
        fixable: null,
        messages: {
          forbidden: "Annex B feature '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Date: ["getYear", "setYear"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-date-prototype-togmtstring.js
var require_no_date_prototype_togmtstring = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-date-prototype-togmtstring.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Date.prototype.toGMTString` method.",
          category: "legacy",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-date-prototype-togmtstring.html"
        },
        fixable: "code",
        messages: {
          forbidden: "Annex B feature '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem",
        hasSuggestions: true
      },
      create(context) {
        return definePrototypeMethodHandler(
          context,
          {
            Date: ["toGMTString"]
          },
          {
            createReport({ objectTypeResult, node }) {
              if (node.computed) {
                return null;
              }
              if (objectTypeResult !== true) {
                return {
                  suggest: [
                    {
                      desc: "Replace with 'toUTCString'",
                      fix: fix11
                    }
                  ]
                };
              }
              return {
                fix: fix11
              };
              function fix11(fixer) {
                return fixer.replaceText(node.property, "toUTCString");
              }
            }
          }
        );
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-default-parameters.js
var require_no_default_parameters = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-default-parameters.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow default parameters.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-default-parameters.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 default parameters are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          ":function > AssignmentPattern"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-destructuring.js
var require_no_destructuring = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-destructuring.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow destructuring.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-destructuring.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 destructuring is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          ":matches(:function, AssignmentExpression, VariableDeclarator, :function > :matches(AssignmentPattern, RestElement), ForInStatement, ForOfStatement) > :matches(ArrayPattern, ObjectPattern)"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-dynamic-import.js
var require_no_dynamic_import = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-dynamic-import.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `import()` syntax",
          category: "ES2020",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-dynamic-import.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2020 'import()' syntax is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          ImportExpression(node) {
            context.report({ messageId: "forbidden", node });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-error-cause.js
var require_no_error_cause = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-error-cause.js"(exports2, module2) {
    "use strict";
    var {
      CONSTRUCT: CONSTRUCT2,
      READ: READ2,
      ReferenceTracker: ReferenceTracker2,
      getPropertyName: getPropertyName2
    } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    var errorConstructorNames = [
      "Error",
      "EvalError",
      "RangeError",
      "ReferenceError",
      "SyntaxError",
      "TypeError",
      "URIError",
      "AggregateError"
    ];
    var errorsTraceMap = {};
    for (const errorConstructorName of errorConstructorNames) {
      errorsTraceMap[errorConstructorName] = { [CONSTRUCT2]: true, [READ2]: true };
    }
    function isSuperCall(node) {
      return node.type === "CallExpression" && node.callee.type === "Super";
    }
    function isSpreadElement(node) {
      return node && node.type === "SpreadElement";
    }
    function findClassFromAncestors(node) {
      if (node.type !== "ClassExpression" && node.type !== "ClassDeclaration") {
        return findClassFromAncestors(node.parent);
      }
      if (!node) {
        return null;
      }
      return node;
    }
    module2.exports = {
      meta: {
        docs: {
          description: "disallow Error Cause.",
          category: "ES2022",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-error-cause.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2022 Error Cause is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = getSourceCode(context);
        const maybeErrorSubclasses = [];
        const maybeAggregateErrorSubclasses = [];
        function isConstructCallWithCauseOption(node, isAggregateError) {
          if (node.type !== "NewExpression" && !isSuperCall(node)) {
            return false;
          }
          const optionsArgIndex = isAggregateError ? 2 : 1;
          for (let index = 0; index < optionsArgIndex; index++) {
            if (isSpreadElement(node.arguments[index])) {
              return false;
            }
          }
          const optionsArg = node.arguments[optionsArgIndex];
          if (!optionsArg || optionsArg.type !== "ObjectExpression") {
            return false;
          }
          return optionsArg.properties.some((property) => {
            if (property.type !== "Property") {
              return false;
            }
            return getPropertyName2(property, sourceCode.getScope(node)) === "cause";
          });
        }
        function getReportedNode(node, isAggregateError) {
          const errorSubclasses = isAggregateError ? maybeAggregateErrorSubclasses : maybeErrorSubclasses;
          if (errorSubclasses.length > 0) {
            for (const { classNode, superCallNode } of errorSubclasses) {
              if (classNode.superClass === node) {
                return superCallNode;
              }
            }
          }
          if (isConstructCallWithCauseOption(node, isAggregateError)) {
            return node;
          }
          return null;
        }
        return {
          Super(node) {
            const superCallNode = node.parent;
            function findErrorSubclasses(isAggregateError) {
              const errorSubclasses = isAggregateError ? maybeAggregateErrorSubclasses : maybeErrorSubclasses;
              if (isConstructCallWithCauseOption(
                superCallNode,
                isAggregateError
              )) {
                const classNode = findClassFromAncestors(superCallNode);
                if (classNode && classNode.superClass) {
                  errorSubclasses.push({ classNode, superCallNode });
                }
              }
            }
            findErrorSubclasses(
              /* isAggregateError */
              false
            );
            findErrorSubclasses(
              /* isAggregateError */
              true
            );
          },
          "Program:exit"(program) {
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences(
              errorsTraceMap
            )) {
              const reportedNode = getReportedNode(
                node,
                path17.join(",") === "AggregateError"
              );
              if (reportedNode) {
                context.report({
                  node: reportedNode,
                  messageId: "forbidden"
                });
              }
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-escape-unescape.js
var require_no_escape_unescape = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-escape-unescape.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `escape` and `unescape`",
          category: "legacy",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-escape-unescape.html"
        },
        fixable: null,
        messages: {
          forbidden: "Annex B feature '{{name}}' is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              escape: { [READ2]: true },
              unescape: { [READ2]: true }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-exponential-operators.js
var require_no_exponential_operators = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-exponential-operators.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow exponential operators.",
          category: "ES2016",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-exponential-operators.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2016 exponential operators are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "AssignmentExpression[operator='**='], BinaryExpression[operator='**']"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-export-ns-from.js
var require_no_export_ns_from = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-export-ns-from.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `export * as ns`.",
          category: "ES2020",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-export-ns-from.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2020 'export * as ns' are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "ExportAllDeclaration[exported!=null]"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-for-of-loops.js
var require_no_for_of_loops = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-for-of-loops.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `for-of` statements.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-for-of-loops.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 'for-of' statements are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          ForOfStatement(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-function-declarations-in-if-statement-clauses-without-block.js
var require_no_function_declarations_in_if_statement_clauses_without_block = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-function-declarations-in-if-statement-clauses-without-block.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow function declarations in if statement clauses without using blocks.",
          category: "legacy",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-function-declarations-in-if-statement-clauses-without-block.html"
        },
        fixable: "code",
        messages: {
          forbidden: "Annex B feature the function declarations in if statement clauses without using blocks are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "IfStatement > FunctionDeclaration.consequent, IfStatement > FunctionDeclaration.alternate"(node) {
            context.report({
              node,
              messageId: "forbidden",
              fix(fixer) {
                return [
                  fixer.insertTextBefore(node, "{"),
                  fixer.insertTextAfter(node, "}")
                ];
              }
            });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-function-prototype-bind.js
var require_no_function_prototype_bind = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-function-prototype-bind.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Function.prototype.bind` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-function-prototype-bind.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Function: ["bind"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-generators.js
var require_no_generators = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-generators.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow generator function declarations.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-generators.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 generator function declarations are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          ":function[generator=true]"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-global-this.js
var require_no_global_this = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-global-this.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `globalThis` variable",
          category: "ES2020",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-global-this.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2020 '{{name}}' variable is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              globalThis: { [READ2]: true }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-hashbang.js
var require_no_hashbang = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-hashbang.js"(exports2, module2) {
    "use strict";
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow Hashbang comments.",
          category: "ES2023",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-hashbang.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2023 Hashbang comments are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          Program() {
            const firstComment = getSourceCode(context).ast.comments[0];
            if (firstComment && firstComment.type === "Shebang") {
              context.report({
                node: firstComment,
                messageId: "forbidden"
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-import-meta.js
var require_no_import_meta = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-import-meta.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `import.meta` meta property.",
          category: "ES2020",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-import-meta.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2020 'import.meta' meta property is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "MetaProperty[meta.name='import'][property.name='meta']"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-initializers-in-for-in.js
var require_no_initializers_in_for_in = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-initializers-in-for-in.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow initializers in for-in heads.",
          category: "legacy",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-initializers-in-for-in.html"
        },
        fixable: null,
        messages: {
          forbidden: "Annex B feature the initializers in for-in heads are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "ForInStatement > VariableDeclaration.left > VariableDeclarator.declarations > *.init"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-datetimeformat-prototype-formatrange.js
var require_no_intl_datetimeformat_prototype_formatrange = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-datetimeformat-prototype-formatrange.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Intl.DateTimeFormat.prototype.formatRange` method.",
          category: "ES2021-Intl-API",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-intl-datetimeformat-prototype-formatrange.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2021 Intl API '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          "Intl.DateTimeFormat": ["formatRange"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-datetimeformat-prototype-formattoparts.js
var require_no_intl_datetimeformat_prototype_formattoparts = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-datetimeformat-prototype-formattoparts.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `DateTimeFormat.prototype.formatToParts` method.",
          category: "ES2017-Intl-API",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-intl-datetimeformat-prototype-formattoparts.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2017 Intl API '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          "Intl.DateTimeFormat": ["formatToParts"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-displaynames.js
var require_no_intl_displaynames = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-displaynames.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Intl.DisplayNames` object.",
          category: "ES2021-Intl-API",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-intl-displaynames.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2021 Intl API '{{name}}' object is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Intl: {
                DisplayNames: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-getcanonicallocales.js
var require_no_intl_getcanonicallocales = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-getcanonicallocales.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Intl.getCanonicalLocales` method.",
          category: "ES2016-Intl-API",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-intl-getcanonicallocales.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2016 Intl API '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Intl: {
                getCanonicalLocales: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-listformat.js
var require_no_intl_listformat = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-listformat.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Intl.ListFormat` object.",
          category: "ES2021-Intl-API",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-intl-listformat.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2021 Intl API '{{name}}' object is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Intl: {
                ListFormat: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-locale.js
var require_no_intl_locale = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-locale.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Intl.Locale` object.",
          category: "ES2020-Intl-API",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-intl-locale.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2020 Intl API '{{name}}' object is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Intl: {
                Locale: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-numberformat-prototype-formatrange.js
var require_no_intl_numberformat_prototype_formatrange = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-numberformat-prototype-formatrange.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `NumberFormat.prototype.formatRange` method.",
          category: "ES2023-Intl-API",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-intl-numberformat-prototype-formatrange.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2023 Intl API '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          "Intl.NumberFormat": ["formatRange"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-numberformat-prototype-formatrangetoparts.js
var require_no_intl_numberformat_prototype_formatrangetoparts = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-numberformat-prototype-formatrangetoparts.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `NumberFormat.prototype.formatRangeToParts` method.",
          category: "ES2023-Intl-API",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-intl-numberformat-prototype-formatrangetoparts.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2023 Intl API '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          "Intl.NumberFormat": ["formatRangeToParts"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-numberformat-prototype-formattoparts.js
var require_no_intl_numberformat_prototype_formattoparts = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-numberformat-prototype-formattoparts.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `NumberFormat.prototype.formatToParts` method.",
          category: "ES2018-Intl-API",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-intl-numberformat-prototype-formattoparts.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2018 Intl API '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          "Intl.NumberFormat": ["formatToParts"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-pluralrules.js
var require_no_intl_pluralrules = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-pluralrules.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Intl.PluralRules` object.",
          category: "ES2018-Intl-API",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-intl-pluralrules.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2018 Intl API '{{name}}' object is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Intl: {
                PluralRules: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-pluralrules-prototype-selectrange.js
var require_no_intl_pluralrules_prototype_selectrange = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-pluralrules-prototype-selectrange.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `PluralRules.prototype.selectRange` method.",
          category: "ES2023-Intl-API",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-intl-pluralrules-prototype-selectrange.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2023 Intl API '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          "Intl.PluralRules": ["selectRange"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-relativetimeformat.js
var require_no_intl_relativetimeformat = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-relativetimeformat.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Intl.RelativeTimeFormat` object.",
          category: "ES2020-Intl-API",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-intl-relativetimeformat.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2020 Intl API '{{name}}' object is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Intl: {
                RelativeTimeFormat: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-segmenter.js
var require_no_intl_segmenter = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-segmenter.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Intl.Segmenter` object.",
          category: "ES2022-Intl-API",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-intl-segmenter.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2022 Intl API '{{name}}' object is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Intl: {
                Segmenter: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-supportedvaluesof.js
var require_no_intl_supportedvaluesof = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-intl-supportedvaluesof.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Intl.supportedValuesOf` method.",
          category: "ES2022-Intl-API",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-intl-supportedvaluesof.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2022 Intl API '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Intl: {
                supportedValuesOf: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-json.js
var require_no_json = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-json.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `JSON` class.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-json.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' class is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              JSON: { [READ2]: true }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-json-superset.js
var require_no_json_superset = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-json-superset.js"(exports2, module2) {
    "use strict";
    var { getSourceCode } = require_dist9();
    var { definePatternSearchGenerator } = require_utils5();
    var iterateTargetChars = definePatternSearchGenerator(/[\u2028\u2029]/gu);
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `\\u2028` and `\\u2029` in string literals.",
          category: "ES2019",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-json-superset.html"
        },
        fixable: "code",
        messages: {
          forbidden: "ES2019 '\\u{{code}}' in string literals is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = getSourceCode(context);
        return {
          Literal(node) {
            if (typeof node.value !== "string") {
              return;
            }
            const offset = node.range[0];
            for (const { index } of iterateTargetChars(node.raw)) {
              const code = node.raw.codePointAt(index).toString(16);
              const loc = sourceCode.getLocFromIndex(offset + index);
              context.report({
                node,
                loc,
                messageId: "forbidden",
                data: { code },
                fix(fixer) {
                  return fixer.replaceTextRange(
                    [offset + index, offset + index + 1],
                    `\\u${code}`
                  );
                }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-keyword-properties.js
var require_no_keyword_properties = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-keyword-properties.js"(exports2, module2) {
    "use strict";
    var keywords = /* @__PURE__ */ new Set([
      "abstract",
      "boolean",
      "break",
      "byte",
      "case",
      "catch",
      "char",
      "class",
      "const",
      "continue",
      "debugger",
      "default",
      "delete",
      "do",
      "double",
      "else",
      "enum",
      "export",
      "extends",
      "false",
      "final",
      "finally",
      "float",
      "for",
      "function",
      "goto",
      "if",
      "implements",
      "import",
      "in",
      "instanceof",
      "int",
      "interface",
      "long",
      "native",
      "new",
      "null",
      "package",
      "private",
      "protected",
      "public",
      "return",
      "short",
      "static",
      "super",
      "switch",
      "synchronized",
      "this",
      "throw",
      "throws",
      "transient",
      "true",
      "try",
      "typeof",
      "var",
      "void",
      "volatile",
      "while",
      "with"
    ]);
    module2.exports = {
      meta: {
        docs: {
          description: "disallow reserved words as property names.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-keyword-properties.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 reserved words as property names are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          Property(node) {
            if (!node.computed && node.key.type === "Identifier" && keywords.has(node.key.name)) {
              context.report({ node, messageId: "forbidden" });
            }
          },
          MemberExpression(node) {
            if (!node.computed && node.property.type === "Identifier" && keywords.has(node.property.name)) {
              context.report({ node, messageId: "forbidden" });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-labelled-function-declarations.js
var require_no_labelled_function_declarations = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-labelled-function-declarations.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow labelled function declarations.",
          category: "legacy",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-labelled-function-declarations.html"
        },
        fixable: null,
        messages: {
          forbidden: "Annex B feature the labelled function declarations are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "LabeledStatement > FunctionDeclaration.body"(node) {
            context.report({ node: node.parent, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-legacy-object-prototype-accessor-methods.js
var require_no_legacy_object_prototype_accessor_methods = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-legacy-object-prototype-accessor-methods.js"(exports2, module2) {
    "use strict";
    var {
      getPropertyName: getPropertyName2,
      findVariable: findVariable2
    } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    var LEGACY_ACCESSOR_METHODS = /* @__PURE__ */ new Set([
      "__defineGetter__",
      "__defineSetter__",
      "__lookupGetter__",
      "__lookupSetter__"
    ]);
    module2.exports = {
      meta: {
        docs: {
          description: "disallow legacy `Object.prototype` accessor methods.",
          category: "legacy",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-legacy-object-prototype-accessor-methods.html"
        },
        fixable: null,
        messages: {
          forbidden: "LEGACY '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const reported = /* @__PURE__ */ new Set();
        function report(name, node) {
          if (reported.has(node)) {
            return;
          }
          reported.add(node);
          context.report({
            node,
            messageId: "forbidden",
            data: {
              name
            }
          });
        }
        return {
          MemberExpression(node) {
            const name = getPropertyName2(node);
            if (!LEGACY_ACCESSOR_METHODS.has(name)) {
              return;
            }
            report(name, node.property);
          },
          Identifier(node) {
            const name = node.name;
            if (!LEGACY_ACCESSOR_METHODS.has(name)) {
              return;
            }
            if (node.parent.type === "MemberExpression" && node.parent.property === node) {
              return;
            }
            if (node.parent.type === "Property" && !node.parent.shorthand && node.parent.key === node) {
              return;
            }
            const sourceCode = getSourceCode(context);
            const scopeManager = sourceCode.scopeManager;
            if (
              // Not defined as global variables.
              !scopeManager.globalScope.through.some(
                ({ identifier }) => identifier === node
              )
            ) {
              const variable = findVariable2(
                sourceCode.getScope(node),
                node
              );
              if (!variable) {
                return;
              }
              if (variable.defs.length) {
                return;
              }
            }
            report(name, node);
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-logical-assignment-operators.js
var require_no_logical_assignment_operators = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-logical-assignment-operators.js"(exports2, module2) {
    "use strict";
    var utils = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow logical assignment operators.",
          category: "ES2021",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-logical-assignment-operators.html"
        },
        fixable: "code",
        messages: {
          forbidden: "ES2021 logical assignment operators are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = getSourceCode(context);
        return {
          "AssignmentExpression[operator=/(?:\\|\\||&&|\\?\\?)=/]"(node) {
            const operatorToken = sourceCode.getTokenAfter(node.left);
            context.report({
              node: operatorToken,
              messageId: "forbidden",
              fix(fixer) {
                if (node.left.type !== "Identifier") {
                  return null;
                }
                const newOperator = node.operator.slice(-1);
                const biOperator = node.operator.slice(0, -1);
                const varText = sourceCode.getText(node.left);
                const results = [
                  fixer.replaceText(operatorToken, newOperator),
                  fixer.insertTextAfter(
                    operatorToken,
                    ` ${varText} ${biOperator}`
                  )
                ];
                if (!utils.isParenthesized(node.right, sourceCode)) {
                  results.push(
                    fixer.insertTextBefore(node.right, "("),
                    fixer.insertTextAfter(node.right, ")")
                  );
                }
                return results;
              }
            });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-malformed-template-literals.js
var require_no_malformed_template_literals = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-malformed-template-literals.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow template literals with invalid escape sequences.",
          category: "ES2018",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-malformed-template-literals.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2018 template literals with invalid escape sequences are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const reported = /* @__PURE__ */ new Set();
        return {
          "TemplateElement[value.cooked=null]"(elementNode) {
            const node = elementNode.parent;
            if (!reported.has(node)) {
              reported.add(node);
              context.report({ node, messageId: "forbidden" });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-map.js
var require_no_map = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-map.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Map` class.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-map.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' class is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Map: { [READ2]: true }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-acosh.js
var require_no_math_acosh = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-acosh.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Math.acosh` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-math-acosh.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Math: {
                acosh: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-asinh.js
var require_no_math_asinh = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-asinh.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Math.asinh` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-math-asinh.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Math: {
                asinh: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-atanh.js
var require_no_math_atanh = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-atanh.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Math.atanh` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-math-atanh.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Math: {
                atanh: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-cbrt.js
var require_no_math_cbrt = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-cbrt.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Math.cbrt` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-math-cbrt.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Math: {
                cbrt: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-clz32.js
var require_no_math_clz32 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-clz32.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Math.clz32` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-math-clz32.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Math: {
                clz32: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-cosh.js
var require_no_math_cosh = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-cosh.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Math.cosh` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-math-cosh.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Math: {
                cosh: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-expm1.js
var require_no_math_expm1 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-expm1.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Math.expm1` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-math-expm1.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Math: {
                expm1: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-fround.js
var require_no_math_fround = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-fround.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Math.fround` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-math-fround.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Math: {
                fround: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-hypot.js
var require_no_math_hypot = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-hypot.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Math.hypot` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-math-hypot.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Math: {
                hypot: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-imul.js
var require_no_math_imul = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-imul.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Math.imul` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-math-imul.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Math: {
                imul: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-log1p.js
var require_no_math_log1p = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-log1p.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Math.log1p` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-math-log1p.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Math: {
                log1p: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-log2.js
var require_no_math_log2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-log2.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Math.log2` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-math-log2.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Math: {
                log2: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-log10.js
var require_no_math_log10 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-log10.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Math.log10` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-math-log10.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Math: {
                log10: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-sign.js
var require_no_math_sign = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-sign.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Math.sign` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-math-sign.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Math: {
                sign: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-sinh.js
var require_no_math_sinh = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-sinh.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Math.sinh` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-math-sinh.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Math: {
                sinh: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-tanh.js
var require_no_math_tanh = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-tanh.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Math.tanh` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-math-tanh.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Math: {
                tanh: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-trunc.js
var require_no_math_trunc = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-math-trunc.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Math.trunc` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-math-trunc.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Math: {
                trunc: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-modules.js
var require_no_modules = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-modules.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow modules.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-modules.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 modules are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "ExportAllDeclaration, ExportDefaultDeclaration, ExportNamedDeclaration, ImportDeclaration"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-new-target.js
var require_no_new_target = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-new-target.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `new.target` meta property.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-new-target.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 'new.target' meta property is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "MetaProperty[meta.name='new'][property.name='target']"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-nullish-coalescing-operators.js
var require_no_nullish_coalescing_operators = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-nullish-coalescing-operators.js"(exports2, module2) {
    "use strict";
    var { getSourceCode } = require_dist9();
    function isNullishCoalescingOperator(token) {
      return token.value === "??" && token.type === "Punctuator";
    }
    module2.exports = {
      meta: {
        docs: {
          description: "disallow nullish coalescing operators.",
          category: "ES2020",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-nullish-coalescing-operators.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2020 nullish coalescing operators are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "LogicalExpression[operator='??']"(node) {
            context.report({
              node: getSourceCode(context).getTokenAfter(
                node.left,
                isNullishCoalescingOperator
              ),
              messageId: "forbidden"
            });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-epsilon.js
var require_no_number_epsilon = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-epsilon.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Number.EPSILON` property.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-number-epsilon.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' property is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Number: {
                EPSILON: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-isfinite.js
var require_no_number_isfinite = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-isfinite.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Number.isFinite` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-number-isfinite.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Number: {
                isFinite: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-isinteger.js
var require_no_number_isinteger = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-isinteger.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Number.isInteger` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-number-isinteger.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Number: {
                isInteger: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-isnan.js
var require_no_number_isnan = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-isnan.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Number.isNaN` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-number-isnan.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Number: {
                isNaN: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-issafeinteger.js
var require_no_number_issafeinteger = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-issafeinteger.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Number.isSafeInteger` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-number-issafeinteger.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Number: {
                isSafeInteger: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-maxsafeinteger.js
var require_no_number_maxsafeinteger = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-maxsafeinteger.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Number.MAX_SAFE_INTEGER` property.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-number-maxsafeinteger.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' property is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Number: {
                MAX_SAFE_INTEGER: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-minsafeinteger.js
var require_no_number_minsafeinteger = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-minsafeinteger.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Number.MIN_SAFE_INTEGER` property.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-number-minsafeinteger.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' property is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Number: {
                MIN_SAFE_INTEGER: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-parsefloat.js
var require_no_number_parsefloat = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-parsefloat.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Number.parseFloat` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-number-parsefloat.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Number: {
                parseFloat: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-parseint.js
var require_no_number_parseint = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-number-parseint.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Number.parseInt` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-number-parseint.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Number: {
                parseInt: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-numeric-separators.js
var require_no_numeric_separators = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-numeric-separators.js"(exports2, module2) {
    "use strict";
    function removeNumericSeparators(raw) {
      return raw.replace(/_/gu, "");
    }
    module2.exports = {
      meta: {
        docs: {
          description: "disallow numeric separators.",
          category: "ES2021",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-numeric-separators.html"
        },
        fixable: "code",
        messages: {
          forbidden: "ES2021 numeric separators are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          Literal(node) {
            if ((typeof node.value === "number" || node.bigint != null) && node.raw.includes("_")) {
              context.report({
                node,
                messageId: "forbidden",
                fix: (fixer) => fixer.replaceText(
                  node,
                  removeNumericSeparators(node.raw)
                )
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-assign.js
var require_no_object_assign = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-assign.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.assign` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-assign.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                assign: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-create.js
var require_no_object_create = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-create.js"(exports2, module2) {
    "use strict";
    var { ReferenceTracker: ReferenceTracker2, READ: READ2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.create` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-create.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                create: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-defineproperties.js
var require_no_object_defineproperties = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-defineproperties.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.defineProperties` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-defineproperties.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                defineProperties: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-defineproperty.js
var require_no_object_defineproperty = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-defineproperty.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.defineProperty` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-defineproperty.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                defineProperty: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-entries.js
var require_no_object_entries = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-entries.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.entries` method.",
          category: "ES2017",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-entries.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2017 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                entries: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-freeze.js
var require_no_object_freeze = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-freeze.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.freeze` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-freeze.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                freeze: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-fromentries.js
var require_no_object_fromentries = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-fromentries.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.fromEntries` method.",
          category: "ES2019",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-fromentries.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2019 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                fromEntries: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-getownpropertydescriptor.js
var require_no_object_getownpropertydescriptor = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-getownpropertydescriptor.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.getOwnPropertyDescriptor` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-getownpropertydescriptor.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                getOwnPropertyDescriptor: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-getownpropertydescriptors.js
var require_no_object_getownpropertydescriptors = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-getownpropertydescriptors.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.getOwnPropertyDescriptors` method.",
          category: "ES2017",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-getownpropertydescriptors.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2017 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                getOwnPropertyDescriptors: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-getownpropertynames.js
var require_no_object_getownpropertynames = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-getownpropertynames.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.getOwnPropertyNames` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-getownpropertynames.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                getOwnPropertyNames: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-getownpropertysymbols.js
var require_no_object_getownpropertysymbols = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-getownpropertysymbols.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.getOwnPropertySymbols` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-getownpropertysymbols.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                getOwnPropertySymbols: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-getprototypeof.js
var require_no_object_getprototypeof = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-getprototypeof.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.getPrototypeOf` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-getprototypeof.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                getPrototypeOf: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-hasown.js
var require_no_object_hasown = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-hasown.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.hasOwn` method.",
          category: "ES2022",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-hasown.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2022 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                hasOwn: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-is.js
var require_no_object_is = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-is.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.is` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-is.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                is: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-isextensible.js
var require_no_object_isextensible = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-isextensible.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.isExtensible` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-isextensible.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                isExtensible: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-isfrozen.js
var require_no_object_isfrozen = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-isfrozen.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.isFrozen` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-isfrozen.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                isFrozen: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-issealed.js
var require_no_object_issealed = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-issealed.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.isSealed` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-issealed.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                isSealed: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-keys.js
var require_no_object_keys = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-keys.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.keys` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-keys.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                keys: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-map-groupby.js
var require_no_object_map_groupby = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-map-groupby.js"(exports2, module2) {
    "use strict";
    var { ReferenceTracker: ReferenceTracker2, READ: READ2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `{Object,Map}.groupBy()` function (array grouping).",
          category: "ES2024",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-map-groupby.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2024 '{{name}}' is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                groupBy: { [READ2]: true }
              },
              Map: {
                groupBy: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-preventextensions.js
var require_no_object_preventextensions = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-preventextensions.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.preventExtensions` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-preventextensions.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                preventExtensions: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-seal.js
var require_no_object_seal = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-seal.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.seal` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-seal.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                seal: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-setprototypeof.js
var require_no_object_setprototypeof = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-setprototypeof.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.setPrototypeOf` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-setprototypeof.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                setPrototypeOf: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-super-properties.js
var require_no_object_super_properties = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-super-properties.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `super` property accesses in object literals.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-super-properties.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 'super' property accesses in object literals are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        let stack = null;
        return {
          Super(node) {
            if (stack && stack.inObjectMethod) {
              context.report({ node, messageId: "forbidden" });
            }
          },
          ":matches(FunctionExpression, FunctionDeclaration)"(node) {
            const { type, method } = node.parent;
            stack = {
              inObjectMethod: type === "Property" && method === true,
              upper: stack
            };
          },
          ":matches(FunctionExpression, FunctionDeclaration):exit"() {
            stack = stack.upper;
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-values.js
var require_no_object_values = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-object-values.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Object.values` method.",
          category: "ES2017",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-object-values.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2017 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Object: {
                values: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-octal-numeric-literals.js
var require_no_octal_numeric_literals = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-octal-numeric-literals.js"(exports2, module2) {
    "use strict";
    var Pattern = /^0[oO]/u;
    module2.exports = {
      meta: {
        docs: {
          description: "disallow octal numeric literals.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-octal-numeric-literals.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 octal numeric literals are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          Literal(node) {
            if (typeof node.value === "number" && Pattern.test(node.raw)) {
              context.report({ node, messageId: "forbidden" });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-optional-catch-binding.js
var require_no_optional_catch_binding = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-optional-catch-binding.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow optional `catch` binding.",
          category: "ES2019",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-optional-catch-binding.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2019 optional 'catch' binding is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "CatchClause[param=null]"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-optional-chaining.js
var require_no_optional_chaining = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-optional-chaining.js"(exports2, module2) {
    "use strict";
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow optional chaining.",
          category: "ES2020",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-optional-chaining.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2020 optional chaining is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = getSourceCode(context);
        function isQuestionDotToken(token) {
          return token.value === "?." && (token.type === "Punctuator" || // espree has been parsed well.
          // espree@7.1.0 doesn't parse "?." tokens well. Therefore, get the string from the source code and check it.
          sourceCode.getText(token) === "?.");
        }
        return {
          "CallExpression[optional=true]"(node) {
            context.report({
              node: sourceCode.getTokenAfter(
                node.callee,
                isQuestionDotToken
              ),
              messageId: "forbidden"
            });
          },
          "MemberExpression[optional=true]"(node) {
            context.report({
              node: sourceCode.getTokenAfter(
                node.object,
                isQuestionDotToken
              ),
              messageId: "forbidden"
            });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-private-in.js
var require_no_private_in = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-private-in.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `#x in obj`.",
          category: "ES2022",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-private-in.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2022 private in (`#{{private}} in {{object}}`) is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "BinaryExpression[operator='in'] > PrivateIdentifier.left"(node) {
            context.report({
              node,
              messageId: "forbidden",
              data: {
                private: node.name,
                object: node.parent.right.type === "Identifier" ? node.parent.right.name : "object"
              }
            });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-promise.js
var require_no_promise = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-promise.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Promise` class.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-promise.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' class is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Promise: { [READ2]: true }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-promise-all-settled.js
var require_no_promise_all_settled = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-promise-all-settled.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `Promise.allSettled` function",
          category: "ES2020",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-promise-all-settled.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2020 'Promise.allSettled' function is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node } of tracker2.iterateGlobalReferences({
              Promise: { allSettled: { [READ2]: true } }
            })) {
              context.report({ node, messageId: "forbidden" });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-promise-any.js
var require_no_promise_any = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-promise-any.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `Promise.any` function and `AggregateError` class",
          category: "ES2021",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-promise-any.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2021 '{{name}}' is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              AggregateError: { [READ2]: true },
              Promise: {
                any: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-promise-prototype-finally.js
var require_no_promise_prototype_finally = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-promise-prototype-finally.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Promise.prototype.finally` method.",
          category: "ES2018",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-promise-prototype-finally.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2018 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Promise: ["finally"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-promise-withresolvers.js
var require_no_promise_withresolvers = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-promise-withresolvers.js"(exports2, module2) {
    "use strict";
    var { ReferenceTracker: ReferenceTracker2, READ: READ2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Promise.withResolvers()` method.",
          category: "ES2024",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-promise-withresolvers.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2024 '{{name}}' is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Promise: {
                withResolvers: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-property-shorthands.js
var require_no_property_shorthands = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-property-shorthands.js"(exports2, module2) {
    "use strict";
    var {
      isOpeningBracketToken: isOpeningBracketToken2,
      isClosingBracketToken: isClosingBracketToken2
    } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow property shorthands.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-property-shorthands.html"
        },
        fixable: "code",
        messages: {
          forbidden: "ES2015 property shorthands are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = getSourceCode(context);
        function makeFunctionLongform(fixer, node) {
          const firstKeyToken = node.computed ? sourceCode.getTokenBefore(node.key, isOpeningBracketToken2) : sourceCode.getFirstToken(node.key);
          const lastKeyToken = node.computed ? sourceCode.getTokenAfter(node.key, isClosingBracketToken2) : sourceCode.getLastToken(node.key);
          const keyText = sourceCode.text.slice(
            firstKeyToken.range[0],
            lastKeyToken.range[1]
          );
          let functionHeader = "function";
          if (node.value.async) {
            functionHeader = `async ${functionHeader}`;
          }
          if (node.value.generator) {
            functionHeader = `${functionHeader}*`;
          }
          return fixer.replaceTextRange(
            [node.range[0], lastKeyToken.range[1]],
            `${keyText}: ${functionHeader}`
          );
        }
        return {
          "ObjectExpression > :matches(Property[method=true], Property[shorthand=true])"(node) {
            context.report({
              node,
              messageId: "forbidden",
              fix: node.method ? (fixer) => makeFunctionLongform(fixer, node) : (fixer) => fixer.insertTextAfter(
                node.key,
                `: ${node.key.name}`
              )
            });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-proxy.js
var require_no_proxy = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-proxy.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Proxy` class.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-proxy.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' class is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Proxy: { [READ2]: true }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-reflect.js
var require_no_reflect = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-reflect.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Reflect` class.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-reflect.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' class is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Reflect: { [READ2]: true }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-d-flag.js
var require_no_regexp_d_flag = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-d-flag.js"(exports2, module2) {
    "use strict";
    var { getSourceCode } = require_dist9();
    var { getRegExpCalls } = require_utils5();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow RegExp `d` flag.",
          category: "ES2022",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-regexp-d-flag.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2022 RegExp 'd' flag is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Literal[regex]"(node) {
            if (node.regex.flags.includes("d")) {
              context.report({ node, messageId: "forbidden" });
            }
          },
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const scope = sourceCode.getScope(program);
            for (const { node, flags } of getRegExpCalls(scope)) {
              if (flags && flags.includes("d")) {
                context.report({ node, messageId: "forbidden" });
              }
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/util/define-regexp-handler.js
var require_define_regexp_handler = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/util/define-regexp-handler.js"(exports2, module2) {
    "use strict";
    var { RegExpValidator } = require_regexpp();
    var { getRegExpCalls } = require_utils5();
    var { getSourceCode } = require_dist9();
    var allVisitorBuilder = /* @__PURE__ */ new WeakMap();
    function defineRegExpHandler(context, visitorBuilder) {
      const sourceCode = getSourceCode(context);
      const programNode = sourceCode.ast;
      let handler = {};
      let builders = allVisitorBuilder.get(programNode);
      if (!builders) {
        builders = [];
        allVisitorBuilder.set(programNode, builders);
        handler = {
          "Literal[regex]"(node) {
            const { pattern, flags } = node.regex;
            visitRegExp(builders, node, pattern || "", flags || "");
          },
          "Program:exit"() {
            allVisitorBuilder.delete(programNode);
            const scope = sourceCode.getScope(programNode);
            for (const { node, pattern, flags } of getRegExpCalls(scope)) {
              visitRegExp(builders, node, pattern || "", flags || "");
            }
          }
        };
      }
      builders.push(visitorBuilder);
      return handler;
    }
    module2.exports = { defineRegExpHandler };
    function visitRegExp(visitorBuilders, node, pattern, flags) {
      try {
        const visitors = visitorBuilders.map((r) => r(node, { pattern, flags }));
        const composedVisitor = composeRegExpVisitors(visitors);
        new RegExpValidator(composedVisitor).validatePattern(
          pattern,
          0,
          pattern.length,
          flags.includes("u")
        );
        if (typeof composedVisitor.onExit === "function") {
          composedVisitor.onExit();
        }
      } catch (error) {
        if (error.message.startsWith("Invalid regular expression:")) {
          return;
        }
        throw error;
      }
    }
    function composeRegExpVisitors(visitors) {
      const result = {};
      for (const visitor2 of visitors) {
        const entries = Object.entries(visitor2);
        for (const [key, fn] of entries) {
          const orig = result[key];
          if (orig) {
            result[key] = (...args) => {
              orig(...args);
              fn(...args);
            };
          } else {
            result[key] = fn;
          }
        }
      }
      return result;
    }
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-lookbehind-assertions.js
var require_no_regexp_lookbehind_assertions = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-lookbehind-assertions.js"(exports2, module2) {
    "use strict";
    var { defineRegExpHandler } = require_define_regexp_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow RegExp lookbehind assertions.",
          category: "ES2018",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-regexp-lookbehind-assertions.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2018 RegExp lookbehind assertions are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return defineRegExpHandler(context, (node) => {
          let found = false;
          return {
            onLookaroundAssertionEnter(_start, kind) {
              if (kind === "lookbehind") {
                found = true;
              }
            },
            onExit() {
              if (found) {
                context.report({ node, messageId: "forbidden" });
              }
            }
          };
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-named-capture-groups.js
var require_no_regexp_named_capture_groups = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-named-capture-groups.js"(exports2, module2) {
    "use strict";
    var { defineRegExpHandler } = require_define_regexp_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow RegExp named capture groups.",
          category: "ES2018",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-regexp-named-capture-groups.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2018 RegExp named capture groups are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return defineRegExpHandler(context, (node) => {
          let found = false;
          return {
            onCapturingGroupEnter(_start, name) {
              if (name) {
                found = true;
              }
            },
            onBackreference(_start, _end, ref) {
              if (typeof ref === "string") {
                found = true;
              }
            },
            onExit() {
              if (found) {
                context.report({ node, messageId: "forbidden" });
              }
            }
          };
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-prototype-compile.js
var require_no_regexp_prototype_compile = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-prototype-compile.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `RegExp.prototype.compile` method.",
          category: "legacy",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-regexp-prototype-compile.html"
        },
        fixable: null,
        messages: {
          forbidden: "Annex B feature '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          RegExp: ["compile"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-prototype-flags.js
var require_no_regexp_prototype_flags = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-prototype-flags.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `RegExp.prototype.flags` property.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-regexp-prototype-flags.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' property is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          RegExp: ["flags"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-s-flag.js
var require_no_regexp_s_flag = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-s-flag.js"(exports2, module2) {
    "use strict";
    var { getSourceCode } = require_dist9();
    var { getRegExpCalls } = require_utils5();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow RegExp `s` flag.",
          category: "ES2018",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-regexp-s-flag.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2018 RegExp 's' flag is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Literal[regex]"(node) {
            if (node.regex.flags.includes("s")) {
              context.report({ node, messageId: "forbidden" });
            }
          },
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const scope = sourceCode.getScope(program);
            for (const { node, flags } of getRegExpCalls(scope)) {
              if (flags && flags.includes("s")) {
                context.report({ node, messageId: "forbidden" });
              }
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-u-flag.js
var require_no_regexp_u_flag = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-u-flag.js"(exports2, module2) {
    "use strict";
    var { getSourceCode } = require_dist9();
    var { getRegExpCalls } = require_utils5();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow RegExp `u` flag.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-regexp-u-flag.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 RegExp 'u' flag is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Literal[regex]"(node) {
            if (node.regex.flags.includes("u")) {
              context.report({ node, messageId: "forbidden" });
            }
          },
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const scope = sourceCode.getScope(program);
            for (const { node, flags } of getRegExpCalls(scope)) {
              if (flags && flags.includes("u")) {
                context.report({ node, messageId: "forbidden" });
              }
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-unicode-property-escapes.js
var require_no_regexp_unicode_property_escapes = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-unicode-property-escapes.js"(exports2, module2) {
    "use strict";
    var { defineRegExpHandler } = require_define_regexp_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow RegExp Unicode property escape sequences.",
          category: "ES2018",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-regexp-unicode-property-escapes.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2018 RegExp Unicode property escape sequences are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return defineRegExpHandler(context, (node) => {
          let found = false;
          return {
            onUnicodePropertyCharacterSet() {
              found = true;
            },
            onExit() {
              if (found) {
                context.report({ node, messageId: "forbidden" });
              }
            }
          };
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/util/unicode-properties.js
var require_unicode_properties = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/util/unicode-properties.js"(exports2, module2) {
    "use strict";
    var DataSet = class {
      constructor(raw2018, raw2019, raw2020, raw2021, raw2022, raw2023, raw2024) {
        this._raw2018 = raw2018;
        this._raw2019 = raw2019;
        this._raw2020 = raw2020;
        this._raw2021 = raw2021;
        this._raw2022 = raw2022;
        this._raw2023 = raw2023;
        this._raw2024 = raw2024;
      }
      get es2018() {
        return this._set2018 || (this._set2018 = new Set(this._raw2018.split(" ")));
      }
      get es2019() {
        return this._set2019 || (this._set2019 = new Set(this._raw2019.split(" ")));
      }
      get es2020() {
        return this._set2020 || (this._set2020 = new Set(this._raw2020.split(" ")));
      }
      get es2021() {
        return this._set2021 || (this._set2021 = new Set(this._raw2021.split(" ")));
      }
      get es2022() {
        return this._set2022 || (this._set2022 = new Set(this._raw2022.split(" ")));
      }
      get es2023() {
        return this._set2023 || (this._set2023 = new Set(this._raw2023.split(" ")));
      }
      get es2024() {
        return this._set2024 || (this._set2024 = new Set(this._raw2024.split(" ")));
      }
    };
    var gcNameSet = /* @__PURE__ */ new Set(["General_Category", "gc"]);
    var scNameSet = /* @__PURE__ */ new Set(["Script", "Script_Extensions", "sc", "scx"]);
    var gcValueSets = new DataSet(
      "C Cased_Letter Cc Cf Close_Punctuation Cn Co Combining_Mark Connector_Punctuation Control Cs Currency_Symbol Dash_Punctuation Decimal_Number Enclosing_Mark Final_Punctuation Format Initial_Punctuation L LC Letter Letter_Number Line_Separator Ll Lm Lo Lowercase_Letter Lt Lu M Mark Math_Symbol Mc Me Mn Modifier_Letter Modifier_Symbol N Nd Nl No Nonspacing_Mark Number Open_Punctuation Other Other_Letter Other_Number Other_Punctuation Other_Symbol P Paragraph_Separator Pc Pd Pe Pf Pi Po Private_Use Ps Punctuation S Sc Separator Sk Sm So Space_Separator Spacing_Mark Surrogate Symbol Titlecase_Letter Unassigned Uppercase_Letter Z Zl Zp Zs cntrl digit punct",
      "",
      "",
      "",
      "",
      "",
      ""
    );
    var scValueSets = new DataSet(
      "Adlam Adlm Aghb Ahom Anatolian_Hieroglyphs Arab Arabic Armenian Armi Armn Avestan Avst Bali Balinese Bamu Bamum Bass Bassa_Vah Batak Batk Beng Bengali Bhaiksuki Bhks Bopo Bopomofo Brah Brahmi Brai Braille Bugi Buginese Buhd Buhid Cakm Canadian_Aboriginal Cans Cari Carian Caucasian_Albanian Chakma Cham Cher Cherokee Common Copt Coptic Cprt Cuneiform Cypriot Cyrillic Cyrl Deseret Deva Devanagari Dsrt Dupl Duployan Egyp Egyptian_Hieroglyphs Elba Elbasan Ethi Ethiopic Geor Georgian Glag Glagolitic Gonm Goth Gothic Gran Grantha Greek Grek Gujarati Gujr Gurmukhi Guru Han Hang Hangul Hani Hano Hanunoo Hatr Hatran Hebr Hebrew Hira Hiragana Hluw Hmng Hung Imperial_Aramaic Inherited Inscriptional_Pahlavi Inscriptional_Parthian Ital Java Javanese Kaithi Kali Kana Kannada Katakana Kayah_Li Khar Kharoshthi Khmer Khmr Khoj Khojki Khudawadi Knda Kthi Lana Lao Laoo Latin Latn Lepc Lepcha Limb Limbu Lina Linb Linear_A Linear_B Lisu Lyci Lycian Lydi Lydian Mahajani Mahj Malayalam Mand Mandaic Mani Manichaean Marc Marchen Masaram_Gondi Meetei_Mayek Mend Mende_Kikakui Merc Mero Meroitic_Cursive Meroitic_Hieroglyphs Miao Mlym Modi Mong Mongolian Mro Mroo Mtei Mult Multani Myanmar Mymr Nabataean Narb Nbat New_Tai_Lue Newa Nko Nkoo Nshu Nushu Ogam Ogham Ol_Chiki Olck Old_Hungarian Old_Italic Old_North_Arabian Old_Permic Old_Persian Old_South_Arabian Old_Turkic Oriya Orkh Orya Osage Osge Osma Osmanya Pahawh_Hmong Palm Palmyrene Pau_Cin_Hau Pauc Perm Phag Phags_Pa Phli Phlp Phnx Phoenician Plrd Prti Psalter_Pahlavi Qaac Qaai Rejang Rjng Runic Runr Samaritan Samr Sarb Saur Saurashtra Sgnw Sharada Shavian Shaw Shrd Sidd Siddham SignWriting Sind Sinh Sinhala Sora Sora_Sompeng Soyo Soyombo Sund Sundanese Sylo Syloti_Nagri Syrc Syriac Tagalog Tagb Tagbanwa Tai_Le Tai_Tham Tai_Viet Takr Takri Tale Talu Tamil Taml Tang Tangut Tavt Telu Telugu Tfng Tglg Thaa Thaana Thai Tibetan Tibt Tifinagh Tirh Tirhuta Ugar Ugaritic Vai Vaii Wara Warang_Citi Xpeo Xsux Yi Yiii Zanabazar_Square Zanb Zinh Zyyy",
      "Dogr Dogra Gong Gunjala_Gondi Hanifi_Rohingya Maka Makasar Medefaidrin Medf Old_Sogdian Rohg Sogd Sogdian Sogo",
      "Elym Elymaic Hmnp Nand Nandinagari Nyiakeng_Puachue_Hmong Wancho Wcho",
      "Chorasmian Chrs Diak Dives_Akuru Khitan_Small_Script Kits Yezi Yezidi",
      "Cpmn Cypro_Minoan Old_Uyghur Ougr Tangsa Tnsa Toto Vith Vithkuqi",
      "Hrkt Katakana_Or_Hiragana Kawi Nag_Mundari Nagm Unknown Zzzz",
      ""
    );
    var binPropertySets = new DataSet(
      "AHex ASCII ASCII_Hex_Digit Alpha Alphabetic Any Assigned Bidi_C Bidi_Control Bidi_M Bidi_Mirrored CI CWCF CWCM CWKCF CWL CWT CWU Case_Ignorable Cased Changes_When_Casefolded Changes_When_Casemapped Changes_When_Lowercased Changes_When_NFKC_Casefolded Changes_When_Titlecased Changes_When_Uppercased DI Dash Default_Ignorable_Code_Point Dep Deprecated Dia Diacritic Emoji Emoji_Component Emoji_Modifier Emoji_Modifier_Base Emoji_Presentation Ext Extender Gr_Base Gr_Ext Grapheme_Base Grapheme_Extend Hex Hex_Digit IDC IDS IDSB IDST IDS_Binary_Operator IDS_Trinary_Operator ID_Continue ID_Start Ideo Ideographic Join_C Join_Control LOE Logical_Order_Exception Lower Lowercase Math NChar Noncharacter_Code_Point Pat_Syn Pat_WS Pattern_Syntax Pattern_White_Space QMark Quotation_Mark RI Radical Regional_Indicator SD STerm Sentence_Terminal Soft_Dotted Term Terminal_Punctuation UIdeo Unified_Ideograph Upper Uppercase VS Variation_Selector White_Space XIDC XIDS XID_Continue XID_Start space",
      "Extended_Pictographic",
      "",
      "EBase EComp EMod EPres ExtPict",
      "",
      "",
      ""
    );
    module2.exports = {
      gcNameSet,
      scNameSet,
      gcValueSets,
      scValueSets,
      binPropertySets
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-unicode-property-escapes-2019.js
var require_no_regexp_unicode_property_escapes_2019 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-unicode-property-escapes-2019.js"(exports2, module2) {
    "use strict";
    var { defineRegExpHandler } = require_define_regexp_handler();
    var {
      scNameSet,
      scValueSets,
      binPropertySets
    } = require_unicode_properties();
    function isNewUnicodePropertyKeyValuePair(key, value) {
      return scNameSet.has(key) && scValueSets.es2019.has(value);
    }
    function isNewBinaryUnicodeProperty(key) {
      return binPropertySets.es2019.has(key);
    }
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the new values of RegExp Unicode property escape sequences in ES2019",
          category: "ES2019",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-regexp-unicode-property-escapes-2019.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2019 '{{value}}' is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return defineRegExpHandler(context, (node, { pattern }) => {
          let foundValue = "";
          return {
            onUnicodePropertyCharacterSet(start, end, _kind, key, value) {
              if (foundValue) {
                return;
              }
              if (value ? isNewUnicodePropertyKeyValuePair(key, value) : isNewBinaryUnicodeProperty(key)) {
                foundValue = pattern.slice(start, end);
              }
            },
            onExit() {
              if (foundValue) {
                context.report({
                  node,
                  messageId: "forbidden",
                  data: { value: foundValue }
                });
              }
            }
          };
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-unicode-property-escapes-2020.js
var require_no_regexp_unicode_property_escapes_2020 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-unicode-property-escapes-2020.js"(exports2, module2) {
    "use strict";
    var { defineRegExpHandler } = require_define_regexp_handler();
    var {
      scNameSet,
      scValueSets,
      binPropertySets
    } = require_unicode_properties();
    function isNewUnicodePropertyKeyValuePair(key, value) {
      return scNameSet.has(key) && scValueSets.es2020.has(value);
    }
    function isNewBinaryUnicodeProperty(key) {
      return binPropertySets.es2020.has(key);
    }
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the new values of RegExp Unicode property escape sequences in ES2020",
          category: "ES2020",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-regexp-unicode-property-escapes-2020.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2020 '{{value}}' is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return defineRegExpHandler(context, (node, { pattern }) => {
          let foundValue = "";
          return {
            onUnicodePropertyCharacterSet(start, end, _kind, key, value) {
              if (foundValue) {
                return;
              }
              if (value ? isNewUnicodePropertyKeyValuePair(key, value) : isNewBinaryUnicodeProperty(key)) {
                foundValue = pattern.slice(start, end);
              }
            },
            onExit() {
              if (foundValue) {
                context.report({
                  node,
                  messageId: "forbidden",
                  data: { value: foundValue }
                });
              }
            }
          };
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-unicode-property-escapes-2021.js
var require_no_regexp_unicode_property_escapes_2021 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-unicode-property-escapes-2021.js"(exports2, module2) {
    "use strict";
    var { defineRegExpHandler } = require_define_regexp_handler();
    var {
      scNameSet,
      scValueSets,
      binPropertySets
    } = require_unicode_properties();
    function isNewUnicodePropertyKeyValuePair(key, value) {
      return scNameSet.has(key) && scValueSets.es2021.has(value);
    }
    function isNewBinaryUnicodeProperty(key) {
      return binPropertySets.es2021.has(key);
    }
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the new values of RegExp Unicode property escape sequences in ES2021",
          category: "ES2021",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-regexp-unicode-property-escapes-2021.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2021 '{{value}}' is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return defineRegExpHandler(context, (node, { pattern }) => {
          let foundValue = "";
          return {
            onUnicodePropertyCharacterSet(start, end, _kind, key, value) {
              if (foundValue) {
                return;
              }
              if (value ? isNewUnicodePropertyKeyValuePair(key, value) : isNewBinaryUnicodeProperty(key)) {
                foundValue = pattern.slice(start, end);
              }
            },
            onExit() {
              if (foundValue) {
                context.report({
                  node,
                  messageId: "forbidden",
                  data: { value: foundValue }
                });
              }
            }
          };
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-unicode-property-escapes-2022.js
var require_no_regexp_unicode_property_escapes_2022 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-unicode-property-escapes-2022.js"(exports2, module2) {
    "use strict";
    var { defineRegExpHandler } = require_define_regexp_handler();
    var {
      scNameSet,
      scValueSets,
      binPropertySets
    } = require_unicode_properties();
    function isNewUnicodePropertyKeyValuePair(key, value) {
      return scNameSet.has(key) && scValueSets.es2022.has(value);
    }
    function isNewBinaryUnicodeProperty(key) {
      return binPropertySets.es2022.has(key);
    }
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the new values of RegExp Unicode property escape sequences in ES2022",
          category: "ES2022",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-regexp-unicode-property-escapes-2022.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2022 '{{value}}' is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return defineRegExpHandler(context, (node, { pattern }) => {
          let foundValue = "";
          return {
            onUnicodePropertyCharacterSet(start, end, _kind, key, value) {
              if (foundValue) {
                return;
              }
              if (value ? isNewUnicodePropertyKeyValuePair(key, value) : isNewBinaryUnicodeProperty(key)) {
                foundValue = pattern.slice(start, end);
              }
            },
            onExit() {
              if (foundValue) {
                context.report({
                  node,
                  messageId: "forbidden",
                  data: { value: foundValue }
                });
              }
            }
          };
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-unicode-property-escapes-2023.js
var require_no_regexp_unicode_property_escapes_2023 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-unicode-property-escapes-2023.js"(exports2, module2) {
    "use strict";
    var { defineRegExpHandler } = require_define_regexp_handler();
    var {
      scNameSet,
      scValueSets,
      binPropertySets
    } = require_unicode_properties();
    function isNewUnicodePropertyKeyValuePair(key, value) {
      return scNameSet.has(key) && scValueSets.es2023.has(value);
    }
    function isNewBinaryUnicodeProperty(key) {
      return binPropertySets.es2023.has(key);
    }
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the new values of RegExp Unicode property escape sequences in ES2023",
          category: "ES2023",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-regexp-unicode-property-escapes-2023.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2023 '{{value}}' is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return defineRegExpHandler(context, (node, { pattern }) => {
          let foundValue = "";
          return {
            onUnicodePropertyCharacterSet(start, end, _kind, key, value) {
              if (foundValue) {
                return;
              }
              if (value ? isNewUnicodePropertyKeyValuePair(key, value) : isNewBinaryUnicodeProperty(key)) {
                foundValue = pattern.slice(start, end);
              }
            },
            onExit() {
              if (foundValue) {
                context.report({
                  node,
                  messageId: "forbidden",
                  data: { value: foundValue }
                });
              }
            }
          };
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-v-flag.js
var require_no_regexp_v_flag = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-v-flag.js"(exports2, module2) {
    "use strict";
    var { getSourceCode } = require_dist9();
    var { getRegExpCalls } = require_utils5();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow RegExp `v` flag.",
          category: "ES2024",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-regexp-v-flag.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2024 RegExp 'v' flag is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Literal[regex]"(node) {
            if (node.regex.flags.includes("v")) {
              context.report({ node, messageId: "forbidden" });
            }
          },
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const scope = sourceCode.getScope(program);
            for (const { node, flags } of getRegExpCalls(scope)) {
              if (flags && flags.includes("v")) {
                context.report({ node, messageId: "forbidden" });
              }
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-y-flag.js
var require_no_regexp_y_flag = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-regexp-y-flag.js"(exports2, module2) {
    "use strict";
    var { getSourceCode } = require_dist9();
    var { getRegExpCalls } = require_utils5();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow RegExp `y` flag.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-regexp-y-flag.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 RegExp 'y' flag is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Literal[regex]"(node) {
            if (node.regex.flags.includes("y")) {
              context.report({ node, messageId: "forbidden" });
            }
          },
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const scope = sourceCode.getScope(program);
            for (const { node, flags } of getRegExpCalls(scope)) {
              if (flags && flags.includes("y")) {
                context.report({ node, messageId: "forbidden" });
              }
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-resizable-and-growable-arraybuffers.js
var require_no_resizable_and_growable_arraybuffers = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-resizable-and-growable-arraybuffers.js"(exports2, module2) {
    "use strict";
    var {
      CONSTRUCT: CONSTRUCT2,
      ReferenceTracker: ReferenceTracker2
    } = require_eslint_utils();
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    var { getSourceCode } = require_dist9();
    function isSpreadElement(node) {
      return node && node.type === "SpreadElement";
    }
    module2.exports = {
      meta: {
        docs: {
          description: "disallow resizable and growable ArrayBuffers",
          category: "ES2024",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-resizable-and-growable-arraybuffers.html"
        },
        fixable: null,
        messages: {
          forbiddenForResizableArrayBuffer: "ES2024 Resizable ArrayBuffer is forbidden.",
          forbiddenForGrowableSharedArrayBuffer: "ES2024 Growable SharedArrayBuffer is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return {
          ...definePrototypeMethodHandler(
            context,
            {
              ArrayBuffer: ["maxByteLength", "resizable", "resize"],
              SharedArrayBuffer: ["grow", "growable", "maxByteLength"]
            },
            {
              createReport({ className }) {
                return {
                  messageId: className === "ArrayBuffer" ? "forbiddenForResizableArrayBuffer" : "forbiddenForGrowableSharedArrayBuffer"
                };
              }
            }
          ),
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              ArrayBuffer: { [CONSTRUCT2]: true },
              SharedArrayBuffer: { [CONSTRUCT2]: true }
            })) {
              if (node.type !== "NewExpression") {
                continue;
              }
              const args = node.arguments.slice(0, 2);
              if (args.some(isSpreadElement)) {
                continue;
              }
              const reportedNode = args[1];
              if (reportedNode) {
                context.report({
                  node: reportedNode,
                  messageId: path17[0] === "ArrayBuffer" ? "forbiddenForResizableArrayBuffer" : "forbiddenForGrowableSharedArrayBuffer"
                });
              }
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-rest-parameters.js
var require_no_rest_parameters = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-rest-parameters.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow rest parameters.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-rest-parameters.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 rest parameters are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          ":function > RestElement"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-rest-spread-properties.js
var require_no_rest_spread_properties = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-rest-spread-properties.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow rest/spread properties.",
          category: "ES2018",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-rest-spread-properties.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2018 rest/spread properties are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "ObjectPattern > RestElement"(node) {
            context.report({ node, messageId: "forbidden" });
          },
          "ObjectExpression > SpreadElement"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-set.js
var require_no_set = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-set.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Set` class.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-set.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' class is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Set: { [READ2]: true }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-shadow-catch-param.js
var require_no_shadow_catch_param = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-shadow-catch-param.js"(exports2, module2) {
    "use strict";
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow identifiers from shadowing catch parameter names.",
          category: "legacy",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-shadow-catch-param.html"
        },
        fixable: null,
        messages: {
          forbidden: "Shadowing of catch parameter '{{name}}'."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = getSourceCode(context);
        return {
          "CatchClause > Identifier.param:exit"(node) {
            const scope = sourceCode.getScope(node);
            const shadowingVar = scope.variableScope.set.get(node.name);
            if (!shadowingVar) {
              return;
            }
            for (const def of shadowingVar.defs) {
              if (def.type !== "Variable") {
                continue;
              }
              const varDecl = def.node;
              if (varDecl.parent.kind !== "var") {
                continue;
              }
              const varId = varDecl.id;
              const catchClause = node.parent;
              const bodyRange = catchClause.body.range;
              if (bodyRange[0] <= varId.range[0] && varId.range[1] <= bodyRange[1]) {
                context.report({
                  node: varDecl,
                  messageId: "forbidden",
                  data: {
                    name: node.name
                  }
                });
              }
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-shared-array-buffer.js
var require_no_shared_array_buffer = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-shared-array-buffer.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `SharedArrayBuffer` class.",
          category: "ES2017",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-shared-array-buffer.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2017 '{{name}}' class is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              SharedArrayBuffer: { [READ2]: true }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-spread-elements.js
var require_no_spread_elements = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-spread-elements.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow spread elements.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-spread-elements.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 spread elements are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          ":matches(ArrayExpression, CallExpression, NewExpression) > SpreadElement"(node) {
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-create-html-methods.js
var require_no_string_create_html_methods = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-create-html-methods.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow HTML creation methods of string instances.",
          category: "legacy",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-string-create-html-methods.html"
        },
        fixable: null,
        messages: {
          forbidden: "Annex B feature '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          String: [
            "anchor",
            "big",
            "blink",
            "bold",
            "fixed",
            "fontcolor",
            "fontsize",
            "italics",
            "link",
            "small",
            "strike",
            "sub",
            "sup"
          ]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-fromcodepoint.js
var require_no_string_fromcodepoint = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-fromcodepoint.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `String.fromCodePoint` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-string-fromcodepoint.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              String: {
                fromCodePoint: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-codepointat.js
var require_no_string_prototype_codepointat = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-codepointat.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `String.prototype.codePointAt` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-string-prototype-codepointat.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          String: ["codePointAt"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-endswith.js
var require_no_string_prototype_endswith = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-endswith.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `String.prototype.endsWith` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-string-prototype-endswith.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          String: ["endsWith"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-includes.js
var require_no_string_prototype_includes = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-includes.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `String.prototype.includes` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-string-prototype-includes.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          String: ["includes"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-iswellformed-towellformed.js
var require_no_string_prototype_iswellformed_towellformed = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-iswellformed-towellformed.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `String.prototype.{isWellFormed,toWellFormed}` methods.",
          category: "ES2024",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-string-prototype-iswellformed-towellformed.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2024 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          String: ["isWellFormed", "toWellFormed"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-matchall.js
var require_no_string_prototype_matchall = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-matchall.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `String.prototype.matchAll` method.",
          category: "ES2020",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-string-prototype-matchall.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2020 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          String: ["matchAll"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-normalize.js
var require_no_string_prototype_normalize = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-normalize.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `String.prototype.normalize` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-string-prototype-normalize.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          String: ["normalize"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-padstart-padend.js
var require_no_string_prototype_padstart_padend = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-padstart-padend.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `String.prototype.{padStart,padEnd}` methods.",
          category: "ES2017",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-string-prototype-padstart-padend.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2017 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          String: ["padEnd", "padStart"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-repeat.js
var require_no_string_prototype_repeat = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-repeat.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `String.prototype.repeat` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-string-prototype-repeat.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          String: ["repeat"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-replaceall.js
var require_no_string_prototype_replaceall = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-replaceall.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `String.prototype.replaceAll` method.",
          category: "ES2021",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-string-prototype-replaceall.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2021 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          String: ["replaceAll"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-startswith.js
var require_no_string_prototype_startswith = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-startswith.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `String.prototype.startsWith` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-string-prototype-startswith.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          String: ["startsWith"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-substr.js
var require_no_string_prototype_substr = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-substr.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `String.prototype.substr` method.",
          category: "legacy",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-string-prototype-substr.html"
        },
        fixable: null,
        messages: {
          forbidden: "Annex B feature '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          String: ["substr"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-trim.js
var require_no_string_prototype_trim = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-trim.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `String.prototype.trim` method.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-string-prototype-trim.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          String: ["trim"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-trimleft-trimright.js
var require_no_string_prototype_trimleft_trimright = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-trimleft-trimright.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `String.prototype.{trimLeft,trimRight}` methods.",
          category: "legacy",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-string-prototype-trimleft-trimright.html"
        },
        fixable: "code",
        messages: {
          forbidden: "Annex B feature '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem",
        hasSuggestions: true
      },
      create(context) {
        return definePrototypeMethodHandler(
          context,
          {
            String: ["trimLeft", "trimRight"]
          },
          {
            createReport({ objectTypeResult, node, propertyName }) {
              if (node.computed) {
                return null;
              }
              const newPropertyName = propertyName === "trimLeft" ? "trimStart" : "trimEnd";
              if (objectTypeResult !== true) {
                return {
                  suggest: [
                    {
                      desc: `Replace with '${newPropertyName}'`,
                      fix: fix11
                    }
                  ]
                };
              }
              return {
                fix: fix11
              };
              function fix11(fixer) {
                return fixer.replaceText(node.property, newPropertyName);
              }
            }
          }
        );
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-trimstart-trimend.js
var require_no_string_prototype_trimstart_trimend = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-prototype-trimstart-trimend.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `String.prototype.{trimStart,trimEnd}` methods.",
          category: "ES2019",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-string-prototype-trimstart-trimend.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2019 '{{name}}' method is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          String: ["trimEnd", "trimStart"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-raw.js
var require_no_string_raw = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-string-raw.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `String.raw` method.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-string-raw.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' method is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              String: {
                raw: { [READ2]: true }
              }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-subclassing-builtins.js
var require_no_subclassing_builtins = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-subclassing-builtins.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the subclassing of the built-in classes.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-subclassing-builtins.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 subclassing of '{{name}}' is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Array: { [READ2]: true },
              Boolean: { [READ2]: true },
              Error: { [READ2]: true },
              RegExp: { [READ2]: true },
              Function: { [READ2]: true },
              Map: { [READ2]: true },
              Number: { [READ2]: true },
              Promise: { [READ2]: true },
              Set: { [READ2]: true },
              String: { [READ2]: true }
            })) {
              if (node.parent.type.startsWith("Class") && node.parent.superClass === node) {
                context.report({
                  node,
                  messageId: "forbidden",
                  data: { name: path17.join(".") }
                });
              }
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-symbol.js
var require_no_symbol = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-symbol.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Symbol` class.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-symbol.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' class is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Symbol: { [READ2]: true }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-symbol-prototype-description.js
var require_no_symbol_prototype_description = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-symbol-prototype-description.js"(exports2, module2) {
    "use strict";
    var {
      definePrototypeMethodHandler
    } = require_define_prototype_method_handler();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `Symbol.prototype.description` property.",
          category: "ES2019",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-symbol-prototype-description.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2019 '{{name}}' property is forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              aggressive: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      create(context) {
        return definePrototypeMethodHandler(context, {
          Symbol: ["description"]
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-template-literals.js
var require_no_template_literals = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-template-literals.js"(exports2, module2) {
    "use strict";
    var { getSourceCode } = require_dist9();
    function isStringLiteralCode(s) {
      return s.startsWith("'") && s.endsWith("'") || s.startsWith('"') && s.endsWith('"');
    }
    function templateLiteralToStringConcat(node, sourceCode) {
      const ss = [];
      node.quasis.forEach((q, i) => {
        const value = q.value.cooked;
        if (value) {
          ss.push(JSON.stringify(value));
        }
        if (i < node.expressions.length) {
          const e = node.expressions[i];
          const text = sourceCode.getText(e);
          ss.push(text);
        }
      });
      if (!ss.length || !isStringLiteralCode(ss[0])) {
        ss.unshift('""');
      }
      return ss.join("+");
    }
    module2.exports = {
      meta: {
        docs: {
          description: "disallow template literals.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-template-literals.html"
        },
        fixable: "code",
        messages: {
          forbidden: "ES2015 template literals are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = getSourceCode(context);
        return {
          "TaggedTemplateExpression, :not(TaggedTemplateExpression) > TemplateLiteral"(node) {
            context.report({
              node,
              messageId: "forbidden",
              fix: node.type === "TemplateLiteral" ? (fixer) => fixer.replaceText(
                node,
                templateLiteralToStringConcat(
                  node,
                  sourceCode
                )
              ) : void 0
            });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-top-level-await.js
var require_no_top_level_await = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-top-level-await.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        docs: {
          description: "disallow top-level `await`.",
          category: "ES2022",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-top-level-await.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2022 top-level 'await' is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        let functionDepth = 0;
        return {
          ":function"() {
            functionDepth++;
          },
          ":function:exit"() {
            functionDepth--;
          },
          "AwaitExpression, ForOfStatement[await=true]"(node) {
            if (functionDepth > 0) {
              return;
            }
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-trailing-commas.js
var require_no_trailing_commas = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-trailing-commas.js"(exports2, module2) {
    "use strict";
    var { getSourceCode } = require_dist9();
    var { isCommaToken: isCommaToken2 } = require_utils5();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow trailing commas in array/object literals.",
          category: "ES5",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-trailing-commas.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES5 trailing commas in array/object literals are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = getSourceCode(context);
        return {
          "ArrayExpression, ArrayPattern, ObjectExpression, ObjectPattern"(node) {
            const token = sourceCode.getLastToken(node, 1);
            if (isCommaToken2(token)) {
              context.report({ node, messageId: "forbidden" });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-trailing-function-commas.js
var require_no_trailing_function_commas = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-trailing-function-commas.js"(exports2, module2) {
    "use strict";
    var { getSourceCode } = require_dist9();
    var { isCommaToken: isCommaToken2 } = require_utils5();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow trailing commas in parameter/argument lists.",
          category: "ES2017",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-trailing-function-commas.html"
        },
        fixable: "code",
        messages: {
          forbidden: "ES2017 trailing commas in parameter/argument lists are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = getSourceCode(context);
        return {
          ":function"(node) {
            const length = node.params.length;
            if (length === 0) {
              return;
            }
            const lastParam = node.params[length - 1];
            const token = sourceCode.getTokenAfter(lastParam);
            if (isCommaToken2(token)) {
              context.report({
                loc: token.loc,
                messageId: "forbidden",
                fix(fixer) {
                  return fixer.remove(token);
                }
              });
            }
          },
          "CallExpression, NewExpression"(node) {
            const token = sourceCode.getLastToken(node, 1);
            if (node.arguments.length >= 1 && isCommaToken2(token)) {
              context.report({
                loc: token.loc,
                messageId: "forbidden",
                fix(fixer) {
                  return fixer.remove(token);
                }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-typed-arrays.js
var require_no_typed_arrays = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-typed-arrays.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow ES2015 typed arrays.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-typed-arrays.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              Int8Array: { [READ2]: true },
              Uint8Array: { [READ2]: true },
              Uint8ClampedArray: { [READ2]: true },
              Int16Array: { [READ2]: true },
              Uint16Array: { [READ2]: true },
              Int32Array: { [READ2]: true },
              Uint32Array: { [READ2]: true },
              Float32Array: { [READ2]: true },
              Float64Array: { [READ2]: true },
              DataView: { [READ2]: true }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-unicode-codepoint-escapes.js
var require_no_unicode_codepoint_escapes = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-unicode-codepoint-escapes.js"(exports2, module2) {
    "use strict";
    var { getSourceCode } = require_dist9();
    var { definePatternSearchGenerator } = require_utils5();
    var codePointEscapeSearchGenerator = definePatternSearchGenerator(/\\u\{[0-9a-fA-F]+\}/gu);
    function toHex(num) {
      return `0000${num.toString(16).toUpperCase()}`.substr(-4);
    }
    module2.exports = {
      meta: {
        docs: {
          description: "disallow Unicode code point escape sequences.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-unicode-codepoint-escapes.html"
        },
        fixable: "code",
        messages: {
          forbidden: "ES2015 Unicode code point escape sequences are forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = getSourceCode(context);
        function findAndReport(node) {
          const text = sourceCode.getText(node);
          for (const match of codePointEscapeSearchGenerator(text)) {
            const start = match.index;
            const end = start + match[0].length;
            const range = [start + node.range[0], end + node.range[0]];
            context.report({
              node,
              loc: {
                start: sourceCode.getLocFromIndex(range[0]),
                end: sourceCode.getLocFromIndex(range[1])
              },
              messageId: "forbidden",
              fix(fixer) {
                const codePointStr = text.slice(start + 3, end - 1);
                let codePoint = Number(`0x${codePointStr}`);
                let replacement = null;
                if (codePoint <= 65535) {
                  replacement = toHex(codePoint);
                } else {
                  codePoint -= 65536;
                  const highSurrogate = (codePoint >> 10) + 55296;
                  const lowSurrogate = codePoint % 1024 + 56320;
                  replacement = `${toHex(highSurrogate)}\\u${toHex(
                    lowSurrogate
                  )}`;
                }
                return fixer.replaceTextRange(
                  [range[0] + 2, range[1]],
                  replacement
                );
              }
            });
          }
        }
        return {
          Identifier(node) {
            findAndReport(node);
          },
          Literal(node) {
            if (typeof node.value === "string") {
              findAndReport(node);
            }
          },
          TemplateElement(node) {
            findAndReport(node);
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-weak-map.js
var require_no_weak_map = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-weak-map.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `WeakMap` class.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-weak-map.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' class is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              WeakMap: { [READ2]: true }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-weak-set.js
var require_no_weak_set = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-weak-set.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `WeakSet` class.",
          category: "ES2015",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-weak-set.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2015 '{{name}}' class is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              WeakSet: { [READ2]: true }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-weakrefs.js
var require_no_weakrefs = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/rules/no-weakrefs.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var { getSourceCode } = require_dist9();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the `WeakRef` and `FinalizationRegistry` class.",
          category: "ES2021",
          recommended: false,
          url: "http://eslint-community.github.io/eslint-plugin-es-x/rules/no-weakrefs.html"
        },
        fixable: null,
        messages: {
          forbidden: "ES2021 '{{name}}' class is forbidden."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        return {
          "Program:exit"(program) {
            const sourceCode = getSourceCode(context);
            const tracker2 = new ReferenceTracker2(
              sourceCode.getScope(program)
            );
            for (const { node, path: path17 } of tracker2.iterateGlobalReferences({
              FinalizationRegistry: { [READ2]: true },
              WeakRef: { [READ2]: true }
            })) {
              context.report({
                node,
                messageId: "forbidden",
                data: { name: path17.join(".") }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/index.js
var require_lib6 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-es-x@7.6.0_eslint@9.5.0/node_modules/eslint-plugin-es-x/lib/index.js"(exports2, module2) {
    "use strict";
    var { printWarningOfDeprecatedConfig } = require_utils5();
    var { version, name } = require_package4();
    module2.exports = {
      meta: { version, name },
      configs: {
        "flat/no-new-in-es5": require_no_new_in_es5(),
        "flat/no-new-in-es2015": require_no_new_in_es2015(),
        "flat/no-new-in-es2015-intl-api": require_no_new_in_es2015_intl_api(),
        "flat/no-new-in-es2016": require_no_new_in_es2016(),
        "flat/no-new-in-es2016-intl-api": require_no_new_in_es2016_intl_api(),
        "flat/no-new-in-es2017": require_no_new_in_es2017(),
        "flat/no-new-in-es2017-intl-api": require_no_new_in_es2017_intl_api(),
        "flat/no-new-in-es2018": require_no_new_in_es2018(),
        "flat/no-new-in-es2018-intl-api": require_no_new_in_es2018_intl_api(),
        "flat/no-new-in-es2019": require_no_new_in_es2019(),
        "flat/no-new-in-es2019-intl-api": require_no_new_in_es2019_intl_api(),
        "flat/no-new-in-es2020": require_no_new_in_es2020(),
        "flat/no-new-in-es2020-intl-api": require_no_new_in_es2020_intl_api(),
        "flat/no-new-in-es2021": require_no_new_in_es2021(),
        "flat/no-new-in-es2021-intl-api": require_no_new_in_es2021_intl_api(),
        "flat/no-new-in-es2022": require_no_new_in_es2022(),
        "flat/no-new-in-es2022-intl-api": require_no_new_in_es2022_intl_api(),
        "flat/no-new-in-es2023": require_no_new_in_es2023(),
        "flat/no-new-in-es2023-intl-api": require_no_new_in_es2023_intl_api(),
        "flat/no-new-in-esnext": require_no_new_in_esnext(),
        "flat/no-new-in-esnext-intl-api": require_no_new_in_esnext_intl_api(),
        "flat/restrict-to-es-intl-api-1st-edition": require_restrict_to_es_intl_api_1st_edition(),
        "flat/restrict-to-es3": require_restrict_to_es3(),
        "flat/restrict-to-es5": require_restrict_to_es5(),
        "flat/restrict-to-es2015": require_restrict_to_es2015(),
        "flat/restrict-to-es2015-intl-api": require_restrict_to_es2015_intl_api(),
        "flat/restrict-to-es2016": require_restrict_to_es2016(),
        "flat/restrict-to-es2016-intl-api": require_restrict_to_es2016_intl_api(),
        "flat/restrict-to-es2017": require_restrict_to_es2017(),
        "flat/restrict-to-es2017-intl-api": require_restrict_to_es2017_intl_api(),
        "flat/restrict-to-es2018": require_restrict_to_es2018(),
        "flat/restrict-to-es2018-intl-api": require_restrict_to_es2018_intl_api(),
        "flat/restrict-to-es2019": require_restrict_to_es2019(),
        "flat/restrict-to-es2019-intl-api": require_restrict_to_es2019_intl_api(),
        "flat/restrict-to-es2020": require_restrict_to_es2020(),
        "flat/restrict-to-es2020-intl-api": require_restrict_to_es2020_intl_api(),
        "flat/restrict-to-es2021": require_restrict_to_es2021(),
        "flat/restrict-to-es2021-intl-api": require_restrict_to_es2021_intl_api(),
        "flat/restrict-to-es2022": require_restrict_to_es2022(),
        "flat/restrict-to-es2022-intl-api": require_restrict_to_es2022_intl_api(),
        "no-new-in-es5": require_no_new_in_es52(),
        "no-new-in-es2015": require_no_new_in_es20152(),
        "no-new-in-es2015-intl-api": require_no_new_in_es2015_intl_api2(),
        "no-new-in-es2016": require_no_new_in_es20162(),
        "no-new-in-es2016-intl-api": require_no_new_in_es2016_intl_api2(),
        "no-new-in-es2017": require_no_new_in_es20172(),
        "no-new-in-es2017-intl-api": require_no_new_in_es2017_intl_api2(),
        "no-new-in-es2018": require_no_new_in_es20182(),
        "no-new-in-es2018-intl-api": require_no_new_in_es2018_intl_api2(),
        "no-new-in-es2019": require_no_new_in_es20192(),
        "no-new-in-es2019-intl-api": require_no_new_in_es2019_intl_api2(),
        "no-new-in-es2020": require_no_new_in_es20202(),
        "no-new-in-es2020-intl-api": require_no_new_in_es2020_intl_api2(),
        "no-new-in-es2021": require_no_new_in_es20212(),
        "no-new-in-es2021-intl-api": require_no_new_in_es2021_intl_api2(),
        "no-new-in-es2022": require_no_new_in_es20222(),
        "no-new-in-es2022-intl-api": require_no_new_in_es2022_intl_api2(),
        "no-new-in-es2023": require_no_new_in_es20232(),
        "no-new-in-es2023-intl-api": require_no_new_in_es2023_intl_api2(),
        "no-new-in-esnext": require_no_new_in_esnext2(),
        "no-new-in-esnext-intl-api": require_no_new_in_esnext_intl_api2(),
        "restrict-to-es-intl-api-1st-edition": require_restrict_to_es_intl_api_1st_edition2(),
        "restrict-to-es3": require_restrict_to_es32(),
        "restrict-to-es5": require_restrict_to_es52(),
        "restrict-to-es2015": require_restrict_to_es20152(),
        "restrict-to-es2015-intl-api": require_restrict_to_es2015_intl_api2(),
        "restrict-to-es2016": require_restrict_to_es20162(),
        "restrict-to-es2016-intl-api": require_restrict_to_es2016_intl_api2(),
        "restrict-to-es2017": require_restrict_to_es20172(),
        "restrict-to-es2017-intl-api": require_restrict_to_es2017_intl_api2(),
        "restrict-to-es2018": require_restrict_to_es20182(),
        "restrict-to-es2018-intl-api": require_restrict_to_es2018_intl_api2(),
        "restrict-to-es2019": require_restrict_to_es20192(),
        "restrict-to-es2019-intl-api": require_restrict_to_es2019_intl_api2(),
        "restrict-to-es2020": require_restrict_to_es20202(),
        "restrict-to-es2020-intl-api": require_restrict_to_es2020_intl_api2(),
        "restrict-to-es2021": require_restrict_to_es20212(),
        "restrict-to-es2021-intl-api": require_restrict_to_es2021_intl_api2(),
        "restrict-to-es2022": require_restrict_to_es20222(),
        "restrict-to-es2022-intl-api": require_restrict_to_es2022_intl_api2(),
        get "no-5"() {
          printWarningOfDeprecatedConfig("no-5");
          return this["no-new-in-es5"];
        },
        get "no-2015"() {
          printWarningOfDeprecatedConfig("no-2015");
          return this["no-new-in-es2015"];
        },
        get "no-2016"() {
          printWarningOfDeprecatedConfig("no-2016");
          return this["no-new-in-es2016"];
        },
        get "no-2017"() {
          printWarningOfDeprecatedConfig("no-2017");
          return this["no-new-in-es2017"];
        },
        get "no-2018"() {
          printWarningOfDeprecatedConfig("no-2018");
          return this["no-new-in-es2018"];
        },
        get "no-2019"() {
          printWarningOfDeprecatedConfig("no-2019");
          return this["no-new-in-es2019"];
        }
      },
      rules: {
        "no-accessor-properties": require_no_accessor_properties(),
        "no-arbitrary-module-namespace-names": require_no_arbitrary_module_namespace_names(),
        "no-array-from": require_no_array_from(),
        "no-array-isarray": require_no_array_isarray(),
        "no-array-of": require_no_array_of(),
        "no-array-prototype-copywithin": require_no_array_prototype_copywithin(),
        "no-array-prototype-entries": require_no_array_prototype_entries(),
        "no-array-prototype-every": require_no_array_prototype_every(),
        "no-array-prototype-fill": require_no_array_prototype_fill(),
        "no-array-prototype-filter": require_no_array_prototype_filter(),
        "no-array-prototype-find": require_no_array_prototype_find(),
        "no-array-prototype-findindex": require_no_array_prototype_findindex(),
        "no-array-prototype-findlast-findlastindex": require_no_array_prototype_findlast_findlastindex(),
        "no-array-prototype-flat": require_no_array_prototype_flat(),
        "no-array-prototype-foreach": require_no_array_prototype_foreach(),
        "no-array-prototype-includes": require_no_array_prototype_includes(),
        "no-array-prototype-indexof": require_no_array_prototype_indexof(),
        "no-array-prototype-keys": require_no_array_prototype_keys(),
        "no-array-prototype-lastindexof": require_no_array_prototype_lastindexof(),
        "no-array-prototype-map": require_no_array_prototype_map(),
        "no-array-prototype-reduce": require_no_array_prototype_reduce(),
        "no-array-prototype-reduceright": require_no_array_prototype_reduceright(),
        "no-array-prototype-some": require_no_array_prototype_some(),
        "no-array-prototype-toreversed": require_no_array_prototype_toreversed(),
        "no-array-prototype-tosorted": require_no_array_prototype_tosorted(),
        "no-array-prototype-tospliced": require_no_array_prototype_tospliced(),
        "no-array-prototype-values": require_no_array_prototype_values(),
        "no-array-prototype-with": require_no_array_prototype_with(),
        "no-array-string-prototype-at": require_no_array_string_prototype_at(),
        "no-arraybuffer-prototype-transfer": require_no_arraybuffer_prototype_transfer(),
        "no-arrow-functions": require_no_arrow_functions(),
        "no-async-functions": require_no_async_functions(),
        "no-async-iteration": require_no_async_iteration(),
        "no-atomics": require_no_atomics(),
        "no-atomics-waitasync": require_no_atomics_waitasync(),
        "no-bigint": require_no_bigint(),
        "no-binary-numeric-literals": require_no_binary_numeric_literals(),
        "no-block-scoped-functions": require_no_block_scoped_functions(),
        "no-block-scoped-variables": require_no_block_scoped_variables(),
        "no-class-fields": require_no_class_fields(),
        "no-class-static-block": require_no_class_static_block(),
        "no-classes": require_no_classes(),
        "no-computed-properties": require_no_computed_properties(),
        "no-date-now": require_no_date_now(),
        "no-date-prototype-getyear-setyear": require_no_date_prototype_getyear_setyear(),
        "no-date-prototype-togmtstring": require_no_date_prototype_togmtstring(),
        "no-default-parameters": require_no_default_parameters(),
        "no-destructuring": require_no_destructuring(),
        "no-dynamic-import": require_no_dynamic_import(),
        "no-error-cause": require_no_error_cause(),
        "no-escape-unescape": require_no_escape_unescape(),
        "no-exponential-operators": require_no_exponential_operators(),
        "no-export-ns-from": require_no_export_ns_from(),
        "no-for-of-loops": require_no_for_of_loops(),
        "no-function-declarations-in-if-statement-clauses-without-block": require_no_function_declarations_in_if_statement_clauses_without_block(),
        "no-function-prototype-bind": require_no_function_prototype_bind(),
        "no-generators": require_no_generators(),
        "no-global-this": require_no_global_this(),
        "no-hashbang": require_no_hashbang(),
        "no-import-meta": require_no_import_meta(),
        "no-initializers-in-for-in": require_no_initializers_in_for_in(),
        "no-intl-datetimeformat-prototype-formatrange": require_no_intl_datetimeformat_prototype_formatrange(),
        "no-intl-datetimeformat-prototype-formattoparts": require_no_intl_datetimeformat_prototype_formattoparts(),
        "no-intl-displaynames": require_no_intl_displaynames(),
        "no-intl-getcanonicallocales": require_no_intl_getcanonicallocales(),
        "no-intl-listformat": require_no_intl_listformat(),
        "no-intl-locale": require_no_intl_locale(),
        "no-intl-numberformat-prototype-formatrange": require_no_intl_numberformat_prototype_formatrange(),
        "no-intl-numberformat-prototype-formatrangetoparts": require_no_intl_numberformat_prototype_formatrangetoparts(),
        "no-intl-numberformat-prototype-formattoparts": require_no_intl_numberformat_prototype_formattoparts(),
        "no-intl-pluralrules": require_no_intl_pluralrules(),
        "no-intl-pluralrules-prototype-selectrange": require_no_intl_pluralrules_prototype_selectrange(),
        "no-intl-relativetimeformat": require_no_intl_relativetimeformat(),
        "no-intl-segmenter": require_no_intl_segmenter(),
        "no-intl-supportedvaluesof": require_no_intl_supportedvaluesof(),
        "no-json": require_no_json(),
        "no-json-superset": require_no_json_superset(),
        "no-keyword-properties": require_no_keyword_properties(),
        "no-labelled-function-declarations": require_no_labelled_function_declarations(),
        "no-legacy-object-prototype-accessor-methods": require_no_legacy_object_prototype_accessor_methods(),
        "no-logical-assignment-operators": require_no_logical_assignment_operators(),
        "no-malformed-template-literals": require_no_malformed_template_literals(),
        "no-map": require_no_map(),
        "no-math-acosh": require_no_math_acosh(),
        "no-math-asinh": require_no_math_asinh(),
        "no-math-atanh": require_no_math_atanh(),
        "no-math-cbrt": require_no_math_cbrt(),
        "no-math-clz32": require_no_math_clz32(),
        "no-math-cosh": require_no_math_cosh(),
        "no-math-expm1": require_no_math_expm1(),
        "no-math-fround": require_no_math_fround(),
        "no-math-hypot": require_no_math_hypot(),
        "no-math-imul": require_no_math_imul(),
        "no-math-log1p": require_no_math_log1p(),
        "no-math-log2": require_no_math_log2(),
        "no-math-log10": require_no_math_log10(),
        "no-math-sign": require_no_math_sign(),
        "no-math-sinh": require_no_math_sinh(),
        "no-math-tanh": require_no_math_tanh(),
        "no-math-trunc": require_no_math_trunc(),
        "no-modules": require_no_modules(),
        "no-new-target": require_no_new_target(),
        "no-nullish-coalescing-operators": require_no_nullish_coalescing_operators(),
        "no-number-epsilon": require_no_number_epsilon(),
        "no-number-isfinite": require_no_number_isfinite(),
        "no-number-isinteger": require_no_number_isinteger(),
        "no-number-isnan": require_no_number_isnan(),
        "no-number-issafeinteger": require_no_number_issafeinteger(),
        "no-number-maxsafeinteger": require_no_number_maxsafeinteger(),
        "no-number-minsafeinteger": require_no_number_minsafeinteger(),
        "no-number-parsefloat": require_no_number_parsefloat(),
        "no-number-parseint": require_no_number_parseint(),
        "no-numeric-separators": require_no_numeric_separators(),
        "no-object-assign": require_no_object_assign(),
        "no-object-create": require_no_object_create(),
        "no-object-defineproperties": require_no_object_defineproperties(),
        "no-object-defineproperty": require_no_object_defineproperty(),
        "no-object-entries": require_no_object_entries(),
        "no-object-freeze": require_no_object_freeze(),
        "no-object-fromentries": require_no_object_fromentries(),
        "no-object-getownpropertydescriptor": require_no_object_getownpropertydescriptor(),
        "no-object-getownpropertydescriptors": require_no_object_getownpropertydescriptors(),
        "no-object-getownpropertynames": require_no_object_getownpropertynames(),
        "no-object-getownpropertysymbols": require_no_object_getownpropertysymbols(),
        "no-object-getprototypeof": require_no_object_getprototypeof(),
        "no-object-hasown": require_no_object_hasown(),
        "no-object-is": require_no_object_is(),
        "no-object-isextensible": require_no_object_isextensible(),
        "no-object-isfrozen": require_no_object_isfrozen(),
        "no-object-issealed": require_no_object_issealed(),
        "no-object-keys": require_no_object_keys(),
        "no-object-map-groupby": require_no_object_map_groupby(),
        "no-object-preventextensions": require_no_object_preventextensions(),
        "no-object-seal": require_no_object_seal(),
        "no-object-setprototypeof": require_no_object_setprototypeof(),
        "no-object-super-properties": require_no_object_super_properties(),
        "no-object-values": require_no_object_values(),
        "no-octal-numeric-literals": require_no_octal_numeric_literals(),
        "no-optional-catch-binding": require_no_optional_catch_binding(),
        "no-optional-chaining": require_no_optional_chaining(),
        "no-private-in": require_no_private_in(),
        "no-promise": require_no_promise(),
        "no-promise-all-settled": require_no_promise_all_settled(),
        "no-promise-any": require_no_promise_any(),
        "no-promise-prototype-finally": require_no_promise_prototype_finally(),
        "no-promise-withresolvers": require_no_promise_withresolvers(),
        "no-property-shorthands": require_no_property_shorthands(),
        "no-proxy": require_no_proxy(),
        "no-reflect": require_no_reflect(),
        "no-regexp-d-flag": require_no_regexp_d_flag(),
        "no-regexp-lookbehind-assertions": require_no_regexp_lookbehind_assertions(),
        "no-regexp-named-capture-groups": require_no_regexp_named_capture_groups(),
        "no-regexp-prototype-compile": require_no_regexp_prototype_compile(),
        "no-regexp-prototype-flags": require_no_regexp_prototype_flags(),
        "no-regexp-s-flag": require_no_regexp_s_flag(),
        "no-regexp-u-flag": require_no_regexp_u_flag(),
        "no-regexp-unicode-property-escapes": require_no_regexp_unicode_property_escapes(),
        "no-regexp-unicode-property-escapes-2019": require_no_regexp_unicode_property_escapes_2019(),
        "no-regexp-unicode-property-escapes-2020": require_no_regexp_unicode_property_escapes_2020(),
        "no-regexp-unicode-property-escapes-2021": require_no_regexp_unicode_property_escapes_2021(),
        "no-regexp-unicode-property-escapes-2022": require_no_regexp_unicode_property_escapes_2022(),
        "no-regexp-unicode-property-escapes-2023": require_no_regexp_unicode_property_escapes_2023(),
        "no-regexp-v-flag": require_no_regexp_v_flag(),
        "no-regexp-y-flag": require_no_regexp_y_flag(),
        "no-resizable-and-growable-arraybuffers": require_no_resizable_and_growable_arraybuffers(),
        "no-rest-parameters": require_no_rest_parameters(),
        "no-rest-spread-properties": require_no_rest_spread_properties(),
        "no-set": require_no_set(),
        "no-shadow-catch-param": require_no_shadow_catch_param(),
        "no-shared-array-buffer": require_no_shared_array_buffer(),
        "no-spread-elements": require_no_spread_elements(),
        "no-string-create-html-methods": require_no_string_create_html_methods(),
        "no-string-fromcodepoint": require_no_string_fromcodepoint(),
        "no-string-prototype-codepointat": require_no_string_prototype_codepointat(),
        "no-string-prototype-endswith": require_no_string_prototype_endswith(),
        "no-string-prototype-includes": require_no_string_prototype_includes(),
        "no-string-prototype-iswellformed-towellformed": require_no_string_prototype_iswellformed_towellformed(),
        "no-string-prototype-matchall": require_no_string_prototype_matchall(),
        "no-string-prototype-normalize": require_no_string_prototype_normalize(),
        "no-string-prototype-padstart-padend": require_no_string_prototype_padstart_padend(),
        "no-string-prototype-repeat": require_no_string_prototype_repeat(),
        "no-string-prototype-replaceall": require_no_string_prototype_replaceall(),
        "no-string-prototype-startswith": require_no_string_prototype_startswith(),
        "no-string-prototype-substr": require_no_string_prototype_substr(),
        "no-string-prototype-trim": require_no_string_prototype_trim(),
        "no-string-prototype-trimleft-trimright": require_no_string_prototype_trimleft_trimright(),
        "no-string-prototype-trimstart-trimend": require_no_string_prototype_trimstart_trimend(),
        "no-string-raw": require_no_string_raw(),
        "no-subclassing-builtins": require_no_subclassing_builtins(),
        "no-symbol": require_no_symbol(),
        "no-symbol-prototype-description": require_no_symbol_prototype_description(),
        "no-template-literals": require_no_template_literals(),
        "no-top-level-await": require_no_top_level_await(),
        "no-trailing-commas": require_no_trailing_commas(),
        "no-trailing-function-commas": require_no_trailing_function_commas(),
        "no-typed-arrays": require_no_typed_arrays(),
        "no-unicode-codepoint-escapes": require_no_unicode_codepoint_escapes(),
        "no-weak-map": require_no_weak_map(),
        "no-weak-set": require_no_weak_set(),
        "no-weakrefs": require_no_weakrefs()
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/package.json
var require_package5 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/package.json"(exports2, module2) {
    module2.exports = {
      name: "eslint-plugin-import",
      version: "2.29.1",
      description: "Import with sanity.",
      engines: {
        node: ">=4"
      },
      main: "lib/index.js",
      directories: {
        test: "tests"
      },
      files: [
        "*.md",
        "LICENSE",
        "docs",
        "lib",
        "config",
        "memo-parser/{*.js,LICENSE,*.md}"
      ],
      scripts: {
        prebuild: "rimraf lib",
        build: "babel --quiet --out-dir lib src",
        postbuild: "npm run copy-metafiles",
        "copy-metafiles": "node --require babel-register ./scripts/copyMetafiles",
        watch: "npm run tests-only -- -- --watch",
        pretest: "linklocal",
        posttest: 'eslint . && npm run update:eslint-docs -- --check && markdownlint "**/*.md"',
        mocha: "cross-env BABEL_ENV=test nyc mocha",
        "tests-only": "npm run mocha tests/src",
        test: "npm run tests-only",
        "test-compiled": "npm run prepublish && BABEL_ENV=testCompiled mocha --compilers js:babel-register tests/src",
        "test-all": "node --require babel-register ./scripts/testAll",
        prepublishOnly: "safe-publish-latest && npm run build",
        prepublish: "not-in-publish || npm run prepublishOnly",
        "preupdate:eslint-docs": "npm run build",
        "update:eslint-docs": "eslint-doc-generator --rule-doc-title-format prefix-name --rule-doc-section-options false --rule-list-split meta.docs.category --ignore-config stage-0 --config-emoji recommended,\u2611\uFE0F"
      },
      repository: {
        type: "git",
        url: "https://github.com/import-js/eslint-plugin-import"
      },
      keywords: [
        "eslint",
        "eslintplugin",
        "eslint-plugin",
        "es6",
        "jsnext",
        "modules",
        "import",
        "export"
      ],
      author: "Ben Mosher ",
      license: "MIT",
      bugs: {
        url: "https://github.com/import-js/eslint-plugin-import/issues"
      },
      homepage: "https://github.com/import-js/eslint-plugin-import",
      devDependencies: {
        "@angular-eslint/template-parser": "^13.5.0",
        "@eslint/import-test-order-redirect-scoped": "file:./tests/files/order-redirect-scoped",
        "@test-scope/some-module": "file:./tests/files/symlinked-module",
        "@typescript-eslint/parser": "^2.23.0 || ^3.3.0 || ^4.29.3 || ^5.10.0",
        "babel-cli": "^6.26.0",
        "babel-core": "^6.26.3",
        "babel-eslint": "=8.0.3 || ^8.2.6",
        "babel-plugin-istanbul": "^4.1.6",
        "babel-plugin-module-resolver": "^2.7.1",
        "babel-preset-airbnb": "^2.6.0",
        "babel-preset-flow": "^6.23.0",
        "babel-register": "^6.26.0",
        babylon: "^6.18.0",
        chai: "^4.3.10",
        "cross-env": "^4.0.0",
        escope: "^3.6.0",
        eslint: "^2 || ^3 || ^4 || ^5 || ^6 || ^7.2.0 || ^8",
        "eslint-doc-generator": "^1.6.1",
        "eslint-import-resolver-node": "file:./resolvers/node",
        "eslint-import-resolver-typescript": "^1.0.2 || ^1.1.1",
        "eslint-import-resolver-webpack": "file:./resolvers/webpack",
        "eslint-import-test-order-redirect": "file:./tests/files/order-redirect",
        "eslint-module-utils": "file:./utils",
        "eslint-plugin-eslint-plugin": "^2.3.0",
        "eslint-plugin-import": "2.x",
        "eslint-plugin-json": "^2.1.2",
        "fs-copy-file-sync": "^1.1.1",
        glob: "^7.2.3",
        "in-publish": "^2.0.1",
        jackspeak: "=2.1.1",
        linklocal: "^2.8.2",
        "lodash.isarray": "^4.0.0",
        "markdownlint-cli": "^0.38.0",
        mocha: "^3.5.3",
        "npm-which": "^3.0.1",
        nyc: "^11.9.0",
        redux: "^3.7.2",
        rimraf: "^2.7.1",
        "safe-publish-latest": "^2.0.0",
        sinon: "^2.4.1",
        typescript: "^2.8.1 || ~3.9.5 || ~4.5.2",
        "typescript-eslint-parser": "^15 || ^20 || ^22"
      },
      peerDependencies: {
        eslint: "^2 || ^3 || ^4 || ^5 || ^6 || ^7.2.0 || ^8"
      },
      dependencies: {
        "array-includes": "^3.1.7",
        "array.prototype.findlastindex": "^1.2.3",
        "array.prototype.flat": "^1.3.2",
        "array.prototype.flatmap": "^1.3.2",
        debug: "^3.2.7",
        doctrine: "^2.1.0",
        "eslint-import-resolver-node": "^0.3.9",
        "eslint-module-utils": "^2.8.0",
        hasown: "^2.0.0",
        "is-core-module": "^2.13.1",
        "is-glob": "^4.0.3",
        minimatch: "^3.1.2",
        "object.fromentries": "^2.0.7",
        "object.groupby": "^1.0.1",
        "object.values": "^1.1.7",
        semver: "^6.3.1",
        "tsconfig-paths": "^3.15.0"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/docsUrl.js
var require_docsUrl = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/docsUrl.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2["default"] = docsUrl;
    var _package = require_package5();
    var _package2 = _interopRequireDefault(_package);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    var repoUrl2 = "https://github.com/import-js/eslint-plugin-import";
    function docsUrl(ruleName) {
      var commitish = arguments.length > 1 && arguments[1] !== void 0 ? arguments[1] : "v" + String(_package2["default"].version);
      return repoUrl2 + "/blob/" + String(commitish) + "/docs/rules/" + String(ruleName) + ".md";
    }
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-unresolved.js
var require_no_unresolved = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-unresolved.js"(exports2, module2) {
    "use strict";
    var _resolve = require("eslint-module-utils/resolve");
    var _resolve2 = _interopRequireDefault(_resolve);
    var _ModuleCache = require("eslint-module-utils/ModuleCache");
    var _ModuleCache2 = _interopRequireDefault(_ModuleCache);
    var _moduleVisitor = require("eslint-module-utils/moduleVisitor");
    var _moduleVisitor2 = _interopRequireDefault(_moduleVisitor);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          category: "Static analysis",
          description: "Ensure imports point to a file/module that can be resolved.",
          url: (0, _docsUrl2["default"])("no-unresolved")
        },
        schema: [
          (0, _moduleVisitor.makeOptionsSchema)({
            caseSensitive: { type: "boolean", "default": true },
            caseSensitiveStrict: { type: "boolean", "default": false }
          })
        ]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var options = context.options[0] || {};
          function checkSourceValue(source, node) {
            if (node.importKind === "type" || node.exportKind === "type") {
              return;
            }
            var caseSensitive = !_resolve.CASE_SENSITIVE_FS && options.caseSensitive !== false;
            var caseSensitiveStrict = !_resolve.CASE_SENSITIVE_FS && options.caseSensitiveStrict;
            var resolvedPath = (0, _resolve2["default"])(source.value, context);
            if (resolvedPath === void 0) {
              context.report(
                source,
                "Unable to resolve path to module '" + String(
                  source.value
                ) + "'."
              );
            } else if (caseSensitive || caseSensitiveStrict) {
              var cacheSettings = _ModuleCache2["default"].getSettings(context.settings);
              if (!(0, _resolve.fileExistsWithCaseSync)(resolvedPath, cacheSettings, caseSensitiveStrict)) {
                context.report(
                  source,
                  "Casing of " + String(
                    source.value
                  ) + " does not match the underlying filesystem."
                );
              }
            }
          }
          return (0, _moduleVisitor2["default"])(checkSourceValue, options);
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/esutils@2.0.3/node_modules/esutils/lib/ast.js
var require_ast2 = __commonJS({
  "node_modules/.pnpm/esutils@2.0.3/node_modules/esutils/lib/ast.js"(exports2, module2) {
    (function() {
      "use strict";
      function isExpression(node) {
        if (node == null) {
          return false;
        }
        switch (node.type) {
          case "ArrayExpression":
          case "AssignmentExpression":
          case "BinaryExpression":
          case "CallExpression":
          case "ConditionalExpression":
          case "FunctionExpression":
          case "Identifier":
          case "Literal":
          case "LogicalExpression":
          case "MemberExpression":
          case "NewExpression":
          case "ObjectExpression":
          case "SequenceExpression":
          case "ThisExpression":
          case "UnaryExpression":
          case "UpdateExpression":
            return true;
        }
        return false;
      }
      function isIterationStatement(node) {
        if (node == null) {
          return false;
        }
        switch (node.type) {
          case "DoWhileStatement":
          case "ForInStatement":
          case "ForStatement":
          case "WhileStatement":
            return true;
        }
        return false;
      }
      function isStatement(node) {
        if (node == null) {
          return false;
        }
        switch (node.type) {
          case "BlockStatement":
          case "BreakStatement":
          case "ContinueStatement":
          case "DebuggerStatement":
          case "DoWhileStatement":
          case "EmptyStatement":
          case "ExpressionStatement":
          case "ForInStatement":
          case "ForStatement":
          case "IfStatement":
          case "LabeledStatement":
          case "ReturnStatement":
          case "SwitchStatement":
          case "ThrowStatement":
          case "TryStatement":
          case "VariableDeclaration":
          case "WhileStatement":
          case "WithStatement":
            return true;
        }
        return false;
      }
      function isSourceElement(node) {
        return isStatement(node) || node != null && node.type === "FunctionDeclaration";
      }
      function trailingStatement(node) {
        switch (node.type) {
          case "IfStatement":
            if (node.alternate != null) {
              return node.alternate;
            }
            return node.consequent;
          case "LabeledStatement":
          case "ForStatement":
          case "ForInStatement":
          case "WhileStatement":
          case "WithStatement":
            return node.body;
        }
        return null;
      }
      function isProblematicIfStatement(node) {
        var current;
        if (node.type !== "IfStatement") {
          return false;
        }
        if (node.alternate == null) {
          return false;
        }
        current = node.consequent;
        do {
          if (current.type === "IfStatement") {
            if (current.alternate == null) {
              return true;
            }
          }
          current = trailingStatement(current);
        } while (current);
        return false;
      }
      module2.exports = {
        isExpression,
        isStatement,
        isIterationStatement,
        isSourceElement,
        isProblematicIfStatement,
        trailingStatement
      };
    })();
  }
});

// node_modules/.pnpm/esutils@2.0.3/node_modules/esutils/lib/code.js
var require_code = __commonJS({
  "node_modules/.pnpm/esutils@2.0.3/node_modules/esutils/lib/code.js"(exports2, module2) {
    (function() {
      "use strict";
      var ES6Regex, ES5Regex, NON_ASCII_WHITESPACES, IDENTIFIER_START, IDENTIFIER_PART, ch;
      ES5Regex = {
        // ECMAScript 5.1/Unicode v9.0.0 NonAsciiIdentifierStart:
        NonAsciiIdentifierStart: /[\xAA\xB5\xBA\xC0-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0370-\u0374\u0376\u0377\u037A-\u037D\u037F\u0386\u0388-\u038A\u038C\u038E-\u03A1\u03A3-\u03F5\u03F7-\u0481\u048A-\u052F\u0531-\u0556\u0559\u0561-\u0587\u05D0-\u05EA\u05F0-\u05F2\u0620-\u064A\u066E\u066F\u0671-\u06D3\u06D5\u06E5\u06E6\u06EE\u06EF\u06FA-\u06FC\u06FF\u0710\u0712-\u072F\u074D-\u07A5\u07B1\u07CA-\u07EA\u07F4\u07F5\u07FA\u0800-\u0815\u081A\u0824\u0828\u0840-\u0858\u08A0-\u08B4\u08B6-\u08BD\u0904-\u0939\u093D\u0950\u0958-\u0961\u0971-\u0980\u0985-\u098C\u098F\u0990\u0993-\u09A8\u09AA-\u09B0\u09B2\u09B6-\u09B9\u09BD\u09CE\u09DC\u09DD\u09DF-\u09E1\u09F0\u09F1\u0A05-\u0A0A\u0A0F\u0A10\u0A13-\u0A28\u0A2A-\u0A30\u0A32\u0A33\u0A35\u0A36\u0A38\u0A39\u0A59-\u0A5C\u0A5E\u0A72-\u0A74\u0A85-\u0A8D\u0A8F-\u0A91\u0A93-\u0AA8\u0AAA-\u0AB0\u0AB2\u0AB3\u0AB5-\u0AB9\u0ABD\u0AD0\u0AE0\u0AE1\u0AF9\u0B05-\u0B0C\u0B0F\u0B10\u0B13-\u0B28\u0B2A-\u0B30\u0B32\u0B33\u0B35-\u0B39\u0B3D\u0B5C\u0B5D\u0B5F-\u0B61\u0B71\u0B83\u0B85-\u0B8A\u0B8E-\u0B90\u0B92-\u0B95\u0B99\u0B9A\u0B9C\u0B9E\u0B9F\u0BA3\u0BA4\u0BA8-\u0BAA\u0BAE-\u0BB9\u0BD0\u0C05-\u0C0C\u0C0E-\u0C10\u0C12-\u0C28\u0C2A-\u0C39\u0C3D\u0C58-\u0C5A\u0C60\u0C61\u0C80\u0C85-\u0C8C\u0C8E-\u0C90\u0C92-\u0CA8\u0CAA-\u0CB3\u0CB5-\u0CB9\u0CBD\u0CDE\u0CE0\u0CE1\u0CF1\u0CF2\u0D05-\u0D0C\u0D0E-\u0D10\u0D12-\u0D3A\u0D3D\u0D4E\u0D54-\u0D56\u0D5F-\u0D61\u0D7A-\u0D7F\u0D85-\u0D96\u0D9A-\u0DB1\u0DB3-\u0DBB\u0DBD\u0DC0-\u0DC6\u0E01-\u0E30\u0E32\u0E33\u0E40-\u0E46\u0E81\u0E82\u0E84\u0E87\u0E88\u0E8A\u0E8D\u0E94-\u0E97\u0E99-\u0E9F\u0EA1-\u0EA3\u0EA5\u0EA7\u0EAA\u0EAB\u0EAD-\u0EB0\u0EB2\u0EB3\u0EBD\u0EC0-\u0EC4\u0EC6\u0EDC-\u0EDF\u0F00\u0F40-\u0F47\u0F49-\u0F6C\u0F88-\u0F8C\u1000-\u102A\u103F\u1050-\u1055\u105A-\u105D\u1061\u1065\u1066\u106E-\u1070\u1075-\u1081\u108E\u10A0-\u10C5\u10C7\u10CD\u10D0-\u10FA\u10FC-\u1248\u124A-\u124D\u1250-\u1256\u1258\u125A-\u125D\u1260-\u1288\u128A-\u128D\u1290-\u12B0\u12B2-\u12B5\u12B8-\u12BE\u12C0\u12C2-\u12C5\u12C8-\u12D6\u12D8-\u1310\u1312-\u1315\u1318-\u135A\u1380-\u138F\u13A0-\u13F5\u13F8-\u13FD\u1401-\u166C\u166F-\u167F\u1681-\u169A\u16A0-\u16EA\u16EE-\u16F8\u1700-\u170C\u170E-\u1711\u1720-\u1731\u1740-\u1751\u1760-\u176C\u176E-\u1770\u1780-\u17B3\u17D7\u17DC\u1820-\u1877\u1880-\u1884\u1887-\u18A8\u18AA\u18B0-\u18F5\u1900-\u191E\u1950-\u196D\u1970-\u1974\u1980-\u19AB\u19B0-\u19C9\u1A00-\u1A16\u1A20-\u1A54\u1AA7\u1B05-\u1B33\u1B45-\u1B4B\u1B83-\u1BA0\u1BAE\u1BAF\u1BBA-\u1BE5\u1C00-\u1C23\u1C4D-\u1C4F\u1C5A-\u1C7D\u1C80-\u1C88\u1CE9-\u1CEC\u1CEE-\u1CF1\u1CF5\u1CF6\u1D00-\u1DBF\u1E00-\u1F15\u1F18-\u1F1D\u1F20-\u1F45\u1F48-\u1F4D\u1F50-\u1F57\u1F59\u1F5B\u1F5D\u1F5F-\u1F7D\u1F80-\u1FB4\u1FB6-\u1FBC\u1FBE\u1FC2-\u1FC4\u1FC6-\u1FCC\u1FD0-\u1FD3\u1FD6-\u1FDB\u1FE0-\u1FEC\u1FF2-\u1FF4\u1FF6-\u1FFC\u2071\u207F\u2090-\u209C\u2102\u2107\u210A-\u2113\u2115\u2119-\u211D\u2124\u2126\u2128\u212A-\u212D\u212F-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2160-\u2188\u2C00-\u2C2E\u2C30-\u2C5E\u2C60-\u2CE4\u2CEB-\u2CEE\u2CF2\u2CF3\u2D00-\u2D25\u2D27\u2D2D\u2D30-\u2D67\u2D6F\u2D80-\u2D96\u2DA0-\u2DA6\u2DA8-\u2DAE\u2DB0-\u2DB6\u2DB8-\u2DBE\u2DC0-\u2DC6\u2DC8-\u2DCE\u2DD0-\u2DD6\u2DD8-\u2DDE\u2E2F\u3005-\u3007\u3021-\u3029\u3031-\u3035\u3038-\u303C\u3041-\u3096\u309D-\u309F\u30A1-\u30FA\u30FC-\u30FF\u3105-\u312D\u3131-\u318E\u31A0-\u31BA\u31F0-\u31FF\u3400-\u4DB5\u4E00-\u9FD5\uA000-\uA48C\uA4D0-\uA4FD\uA500-\uA60C\uA610-\uA61F\uA62A\uA62B\uA640-\uA66E\uA67F-\uA69D\uA6A0-\uA6EF\uA717-\uA71F\uA722-\uA788\uA78B-\uA7AE\uA7B0-\uA7B7\uA7F7-\uA801\uA803-\uA805\uA807-\uA80A\uA80C-\uA822\uA840-\uA873\uA882-\uA8B3\uA8F2-\uA8F7\uA8FB\uA8FD\uA90A-\uA925\uA930-\uA946\uA960-\uA97C\uA984-\uA9B2\uA9CF\uA9E0-\uA9E4\uA9E6-\uA9EF\uA9FA-\uA9FE\uAA00-\uAA28\uAA40-\uAA42\uAA44-\uAA4B\uAA60-\uAA76\uAA7A\uAA7E-\uAAAF\uAAB1\uAAB5\uAAB6\uAAB9-\uAABD\uAAC0\uAAC2\uAADB-\uAADD\uAAE0-\uAAEA\uAAF2-\uAAF4\uAB01-\uAB06\uAB09-\uAB0E\uAB11-\uAB16\uAB20-\uAB26\uAB28-\uAB2E\uAB30-\uAB5A\uAB5C-\uAB65\uAB70-\uABE2\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFA6D\uFA70-\uFAD9\uFB00-\uFB06\uFB13-\uFB17\uFB1D\uFB1F-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE70-\uFE74\uFE76-\uFEFC\uFF21-\uFF3A\uFF41-\uFF5A\uFF66-\uFFBE\uFFC2-\uFFC7\uFFCA-\uFFCF\uFFD2-\uFFD7\uFFDA-\uFFDC]/,
        // ECMAScript 5.1/Unicode v9.0.0 NonAsciiIdentifierPart:
        NonAsciiIdentifierPart: /[\xAA\xB5\xBA\xC0-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0300-\u0374\u0376\u0377\u037A-\u037D\u037F\u0386\u0388-\u038A\u038C\u038E-\u03A1\u03A3-\u03F5\u03F7-\u0481\u0483-\u0487\u048A-\u052F\u0531-\u0556\u0559\u0561-\u0587\u0591-\u05BD\u05BF\u05C1\u05C2\u05C4\u05C5\u05C7\u05D0-\u05EA\u05F0-\u05F2\u0610-\u061A\u0620-\u0669\u066E-\u06D3\u06D5-\u06DC\u06DF-\u06E8\u06EA-\u06FC\u06FF\u0710-\u074A\u074D-\u07B1\u07C0-\u07F5\u07FA\u0800-\u082D\u0840-\u085B\u08A0-\u08B4\u08B6-\u08BD\u08D4-\u08E1\u08E3-\u0963\u0966-\u096F\u0971-\u0983\u0985-\u098C\u098F\u0990\u0993-\u09A8\u09AA-\u09B0\u09B2\u09B6-\u09B9\u09BC-\u09C4\u09C7\u09C8\u09CB-\u09CE\u09D7\u09DC\u09DD\u09DF-\u09E3\u09E6-\u09F1\u0A01-\u0A03\u0A05-\u0A0A\u0A0F\u0A10\u0A13-\u0A28\u0A2A-\u0A30\u0A32\u0A33\u0A35\u0A36\u0A38\u0A39\u0A3C\u0A3E-\u0A42\u0A47\u0A48\u0A4B-\u0A4D\u0A51\u0A59-\u0A5C\u0A5E\u0A66-\u0A75\u0A81-\u0A83\u0A85-\u0A8D\u0A8F-\u0A91\u0A93-\u0AA8\u0AAA-\u0AB0\u0AB2\u0AB3\u0AB5-\u0AB9\u0ABC-\u0AC5\u0AC7-\u0AC9\u0ACB-\u0ACD\u0AD0\u0AE0-\u0AE3\u0AE6-\u0AEF\u0AF9\u0B01-\u0B03\u0B05-\u0B0C\u0B0F\u0B10\u0B13-\u0B28\u0B2A-\u0B30\u0B32\u0B33\u0B35-\u0B39\u0B3C-\u0B44\u0B47\u0B48\u0B4B-\u0B4D\u0B56\u0B57\u0B5C\u0B5D\u0B5F-\u0B63\u0B66-\u0B6F\u0B71\u0B82\u0B83\u0B85-\u0B8A\u0B8E-\u0B90\u0B92-\u0B95\u0B99\u0B9A\u0B9C\u0B9E\u0B9F\u0BA3\u0BA4\u0BA8-\u0BAA\u0BAE-\u0BB9\u0BBE-\u0BC2\u0BC6-\u0BC8\u0BCA-\u0BCD\u0BD0\u0BD7\u0BE6-\u0BEF\u0C00-\u0C03\u0C05-\u0C0C\u0C0E-\u0C10\u0C12-\u0C28\u0C2A-\u0C39\u0C3D-\u0C44\u0C46-\u0C48\u0C4A-\u0C4D\u0C55\u0C56\u0C58-\u0C5A\u0C60-\u0C63\u0C66-\u0C6F\u0C80-\u0C83\u0C85-\u0C8C\u0C8E-\u0C90\u0C92-\u0CA8\u0CAA-\u0CB3\u0CB5-\u0CB9\u0CBC-\u0CC4\u0CC6-\u0CC8\u0CCA-\u0CCD\u0CD5\u0CD6\u0CDE\u0CE0-\u0CE3\u0CE6-\u0CEF\u0CF1\u0CF2\u0D01-\u0D03\u0D05-\u0D0C\u0D0E-\u0D10\u0D12-\u0D3A\u0D3D-\u0D44\u0D46-\u0D48\u0D4A-\u0D4E\u0D54-\u0D57\u0D5F-\u0D63\u0D66-\u0D6F\u0D7A-\u0D7F\u0D82\u0D83\u0D85-\u0D96\u0D9A-\u0DB1\u0DB3-\u0DBB\u0DBD\u0DC0-\u0DC6\u0DCA\u0DCF-\u0DD4\u0DD6\u0DD8-\u0DDF\u0DE6-\u0DEF\u0DF2\u0DF3\u0E01-\u0E3A\u0E40-\u0E4E\u0E50-\u0E59\u0E81\u0E82\u0E84\u0E87\u0E88\u0E8A\u0E8D\u0E94-\u0E97\u0E99-\u0E9F\u0EA1-\u0EA3\u0EA5\u0EA7\u0EAA\u0EAB\u0EAD-\u0EB9\u0EBB-\u0EBD\u0EC0-\u0EC4\u0EC6\u0EC8-\u0ECD\u0ED0-\u0ED9\u0EDC-\u0EDF\u0F00\u0F18\u0F19\u0F20-\u0F29\u0F35\u0F37\u0F39\u0F3E-\u0F47\u0F49-\u0F6C\u0F71-\u0F84\u0F86-\u0F97\u0F99-\u0FBC\u0FC6\u1000-\u1049\u1050-\u109D\u10A0-\u10C5\u10C7\u10CD\u10D0-\u10FA\u10FC-\u1248\u124A-\u124D\u1250-\u1256\u1258\u125A-\u125D\u1260-\u1288\u128A-\u128D\u1290-\u12B0\u12B2-\u12B5\u12B8-\u12BE\u12C0\u12C2-\u12C5\u12C8-\u12D6\u12D8-\u1310\u1312-\u1315\u1318-\u135A\u135D-\u135F\u1380-\u138F\u13A0-\u13F5\u13F8-\u13FD\u1401-\u166C\u166F-\u167F\u1681-\u169A\u16A0-\u16EA\u16EE-\u16F8\u1700-\u170C\u170E-\u1714\u1720-\u1734\u1740-\u1753\u1760-\u176C\u176E-\u1770\u1772\u1773\u1780-\u17D3\u17D7\u17DC\u17DD\u17E0-\u17E9\u180B-\u180D\u1810-\u1819\u1820-\u1877\u1880-\u18AA\u18B0-\u18F5\u1900-\u191E\u1920-\u192B\u1930-\u193B\u1946-\u196D\u1970-\u1974\u1980-\u19AB\u19B0-\u19C9\u19D0-\u19D9\u1A00-\u1A1B\u1A20-\u1A5E\u1A60-\u1A7C\u1A7F-\u1A89\u1A90-\u1A99\u1AA7\u1AB0-\u1ABD\u1B00-\u1B4B\u1B50-\u1B59\u1B6B-\u1B73\u1B80-\u1BF3\u1C00-\u1C37\u1C40-\u1C49\u1C4D-\u1C7D\u1C80-\u1C88\u1CD0-\u1CD2\u1CD4-\u1CF6\u1CF8\u1CF9\u1D00-\u1DF5\u1DFB-\u1F15\u1F18-\u1F1D\u1F20-\u1F45\u1F48-\u1F4D\u1F50-\u1F57\u1F59\u1F5B\u1F5D\u1F5F-\u1F7D\u1F80-\u1FB4\u1FB6-\u1FBC\u1FBE\u1FC2-\u1FC4\u1FC6-\u1FCC\u1FD0-\u1FD3\u1FD6-\u1FDB\u1FE0-\u1FEC\u1FF2-\u1FF4\u1FF6-\u1FFC\u200C\u200D\u203F\u2040\u2054\u2071\u207F\u2090-\u209C\u20D0-\u20DC\u20E1\u20E5-\u20F0\u2102\u2107\u210A-\u2113\u2115\u2119-\u211D\u2124\u2126\u2128\u212A-\u212D\u212F-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2160-\u2188\u2C00-\u2C2E\u2C30-\u2C5E\u2C60-\u2CE4\u2CEB-\u2CF3\u2D00-\u2D25\u2D27\u2D2D\u2D30-\u2D67\u2D6F\u2D7F-\u2D96\u2DA0-\u2DA6\u2DA8-\u2DAE\u2DB0-\u2DB6\u2DB8-\u2DBE\u2DC0-\u2DC6\u2DC8-\u2DCE\u2DD0-\u2DD6\u2DD8-\u2DDE\u2DE0-\u2DFF\u2E2F\u3005-\u3007\u3021-\u302F\u3031-\u3035\u3038-\u303C\u3041-\u3096\u3099\u309A\u309D-\u309F\u30A1-\u30FA\u30FC-\u30FF\u3105-\u312D\u3131-\u318E\u31A0-\u31BA\u31F0-\u31FF\u3400-\u4DB5\u4E00-\u9FD5\uA000-\uA48C\uA4D0-\uA4FD\uA500-\uA60C\uA610-\uA62B\uA640-\uA66F\uA674-\uA67D\uA67F-\uA6F1\uA717-\uA71F\uA722-\uA788\uA78B-\uA7AE\uA7B0-\uA7B7\uA7F7-\uA827\uA840-\uA873\uA880-\uA8C5\uA8D0-\uA8D9\uA8E0-\uA8F7\uA8FB\uA8FD\uA900-\uA92D\uA930-\uA953\uA960-\uA97C\uA980-\uA9C0\uA9CF-\uA9D9\uA9E0-\uA9FE\uAA00-\uAA36\uAA40-\uAA4D\uAA50-\uAA59\uAA60-\uAA76\uAA7A-\uAAC2\uAADB-\uAADD\uAAE0-\uAAEF\uAAF2-\uAAF6\uAB01-\uAB06\uAB09-\uAB0E\uAB11-\uAB16\uAB20-\uAB26\uAB28-\uAB2E\uAB30-\uAB5A\uAB5C-\uAB65\uAB70-\uABEA\uABEC\uABED\uABF0-\uABF9\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFA6D\uFA70-\uFAD9\uFB00-\uFB06\uFB13-\uFB17\uFB1D-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE00-\uFE0F\uFE20-\uFE2F\uFE33\uFE34\uFE4D-\uFE4F\uFE70-\uFE74\uFE76-\uFEFC\uFF10-\uFF19\uFF21-\uFF3A\uFF3F\uFF41-\uFF5A\uFF66-\uFFBE\uFFC2-\uFFC7\uFFCA-\uFFCF\uFFD2-\uFFD7\uFFDA-\uFFDC]/
      };
      ES6Regex = {
        // ECMAScript 6/Unicode v9.0.0 NonAsciiIdentifierStart:
        NonAsciiIdentifierStart: /[\xAA\xB5\xBA\xC0-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0370-\u0374\u0376\u0377\u037A-\u037D\u037F\u0386\u0388-\u038A\u038C\u038E-\u03A1\u03A3-\u03F5\u03F7-\u0481\u048A-\u052F\u0531-\u0556\u0559\u0561-\u0587\u05D0-\u05EA\u05F0-\u05F2\u0620-\u064A\u066E\u066F\u0671-\u06D3\u06D5\u06E5\u06E6\u06EE\u06EF\u06FA-\u06FC\u06FF\u0710\u0712-\u072F\u074D-\u07A5\u07B1\u07CA-\u07EA\u07F4\u07F5\u07FA\u0800-\u0815\u081A\u0824\u0828\u0840-\u0858\u08A0-\u08B4\u08B6-\u08BD\u0904-\u0939\u093D\u0950\u0958-\u0961\u0971-\u0980\u0985-\u098C\u098F\u0990\u0993-\u09A8\u09AA-\u09B0\u09B2\u09B6-\u09B9\u09BD\u09CE\u09DC\u09DD\u09DF-\u09E1\u09F0\u09F1\u0A05-\u0A0A\u0A0F\u0A10\u0A13-\u0A28\u0A2A-\u0A30\u0A32\u0A33\u0A35\u0A36\u0A38\u0A39\u0A59-\u0A5C\u0A5E\u0A72-\u0A74\u0A85-\u0A8D\u0A8F-\u0A91\u0A93-\u0AA8\u0AAA-\u0AB0\u0AB2\u0AB3\u0AB5-\u0AB9\u0ABD\u0AD0\u0AE0\u0AE1\u0AF9\u0B05-\u0B0C\u0B0F\u0B10\u0B13-\u0B28\u0B2A-\u0B30\u0B32\u0B33\u0B35-\u0B39\u0B3D\u0B5C\u0B5D\u0B5F-\u0B61\u0B71\u0B83\u0B85-\u0B8A\u0B8E-\u0B90\u0B92-\u0B95\u0B99\u0B9A\u0B9C\u0B9E\u0B9F\u0BA3\u0BA4\u0BA8-\u0BAA\u0BAE-\u0BB9\u0BD0\u0C05-\u0C0C\u0C0E-\u0C10\u0C12-\u0C28\u0C2A-\u0C39\u0C3D\u0C58-\u0C5A\u0C60\u0C61\u0C80\u0C85-\u0C8C\u0C8E-\u0C90\u0C92-\u0CA8\u0CAA-\u0CB3\u0CB5-\u0CB9\u0CBD\u0CDE\u0CE0\u0CE1\u0CF1\u0CF2\u0D05-\u0D0C\u0D0E-\u0D10\u0D12-\u0D3A\u0D3D\u0D4E\u0D54-\u0D56\u0D5F-\u0D61\u0D7A-\u0D7F\u0D85-\u0D96\u0D9A-\u0DB1\u0DB3-\u0DBB\u0DBD\u0DC0-\u0DC6\u0E01-\u0E30\u0E32\u0E33\u0E40-\u0E46\u0E81\u0E82\u0E84\u0E87\u0E88\u0E8A\u0E8D\u0E94-\u0E97\u0E99-\u0E9F\u0EA1-\u0EA3\u0EA5\u0EA7\u0EAA\u0EAB\u0EAD-\u0EB0\u0EB2\u0EB3\u0EBD\u0EC0-\u0EC4\u0EC6\u0EDC-\u0EDF\u0F00\u0F40-\u0F47\u0F49-\u0F6C\u0F88-\u0F8C\u1000-\u102A\u103F\u1050-\u1055\u105A-\u105D\u1061\u1065\u1066\u106E-\u1070\u1075-\u1081\u108E\u10A0-\u10C5\u10C7\u10CD\u10D0-\u10FA\u10FC-\u1248\u124A-\u124D\u1250-\u1256\u1258\u125A-\u125D\u1260-\u1288\u128A-\u128D\u1290-\u12B0\u12B2-\u12B5\u12B8-\u12BE\u12C0\u12C2-\u12C5\u12C8-\u12D6\u12D8-\u1310\u1312-\u1315\u1318-\u135A\u1380-\u138F\u13A0-\u13F5\u13F8-\u13FD\u1401-\u166C\u166F-\u167F\u1681-\u169A\u16A0-\u16EA\u16EE-\u16F8\u1700-\u170C\u170E-\u1711\u1720-\u1731\u1740-\u1751\u1760-\u176C\u176E-\u1770\u1780-\u17B3\u17D7\u17DC\u1820-\u1877\u1880-\u18A8\u18AA\u18B0-\u18F5\u1900-\u191E\u1950-\u196D\u1970-\u1974\u1980-\u19AB\u19B0-\u19C9\u1A00-\u1A16\u1A20-\u1A54\u1AA7\u1B05-\u1B33\u1B45-\u1B4B\u1B83-\u1BA0\u1BAE\u1BAF\u1BBA-\u1BE5\u1C00-\u1C23\u1C4D-\u1C4F\u1C5A-\u1C7D\u1C80-\u1C88\u1CE9-\u1CEC\u1CEE-\u1CF1\u1CF5\u1CF6\u1D00-\u1DBF\u1E00-\u1F15\u1F18-\u1F1D\u1F20-\u1F45\u1F48-\u1F4D\u1F50-\u1F57\u1F59\u1F5B\u1F5D\u1F5F-\u1F7D\u1F80-\u1FB4\u1FB6-\u1FBC\u1FBE\u1FC2-\u1FC4\u1FC6-\u1FCC\u1FD0-\u1FD3\u1FD6-\u1FDB\u1FE0-\u1FEC\u1FF2-\u1FF4\u1FF6-\u1FFC\u2071\u207F\u2090-\u209C\u2102\u2107\u210A-\u2113\u2115\u2118-\u211D\u2124\u2126\u2128\u212A-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2160-\u2188\u2C00-\u2C2E\u2C30-\u2C5E\u2C60-\u2CE4\u2CEB-\u2CEE\u2CF2\u2CF3\u2D00-\u2D25\u2D27\u2D2D\u2D30-\u2D67\u2D6F\u2D80-\u2D96\u2DA0-\u2DA6\u2DA8-\u2DAE\u2DB0-\u2DB6\u2DB8-\u2DBE\u2DC0-\u2DC6\u2DC8-\u2DCE\u2DD0-\u2DD6\u2DD8-\u2DDE\u3005-\u3007\u3021-\u3029\u3031-\u3035\u3038-\u303C\u3041-\u3096\u309B-\u309F\u30A1-\u30FA\u30FC-\u30FF\u3105-\u312D\u3131-\u318E\u31A0-\u31BA\u31F0-\u31FF\u3400-\u4DB5\u4E00-\u9FD5\uA000-\uA48C\uA4D0-\uA4FD\uA500-\uA60C\uA610-\uA61F\uA62A\uA62B\uA640-\uA66E\uA67F-\uA69D\uA6A0-\uA6EF\uA717-\uA71F\uA722-\uA788\uA78B-\uA7AE\uA7B0-\uA7B7\uA7F7-\uA801\uA803-\uA805\uA807-\uA80A\uA80C-\uA822\uA840-\uA873\uA882-\uA8B3\uA8F2-\uA8F7\uA8FB\uA8FD\uA90A-\uA925\uA930-\uA946\uA960-\uA97C\uA984-\uA9B2\uA9CF\uA9E0-\uA9E4\uA9E6-\uA9EF\uA9FA-\uA9FE\uAA00-\uAA28\uAA40-\uAA42\uAA44-\uAA4B\uAA60-\uAA76\uAA7A\uAA7E-\uAAAF\uAAB1\uAAB5\uAAB6\uAAB9-\uAABD\uAAC0\uAAC2\uAADB-\uAADD\uAAE0-\uAAEA\uAAF2-\uAAF4\uAB01-\uAB06\uAB09-\uAB0E\uAB11-\uAB16\uAB20-\uAB26\uAB28-\uAB2E\uAB30-\uAB5A\uAB5C-\uAB65\uAB70-\uABE2\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFA6D\uFA70-\uFAD9\uFB00-\uFB06\uFB13-\uFB17\uFB1D\uFB1F-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE70-\uFE74\uFE76-\uFEFC\uFF21-\uFF3A\uFF41-\uFF5A\uFF66-\uFFBE\uFFC2-\uFFC7\uFFCA-\uFFCF\uFFD2-\uFFD7\uFFDA-\uFFDC]|\uD800[\uDC00-\uDC0B\uDC0D-\uDC26\uDC28-\uDC3A\uDC3C\uDC3D\uDC3F-\uDC4D\uDC50-\uDC5D\uDC80-\uDCFA\uDD40-\uDD74\uDE80-\uDE9C\uDEA0-\uDED0\uDF00-\uDF1F\uDF30-\uDF4A\uDF50-\uDF75\uDF80-\uDF9D\uDFA0-\uDFC3\uDFC8-\uDFCF\uDFD1-\uDFD5]|\uD801[\uDC00-\uDC9D\uDCB0-\uDCD3\uDCD8-\uDCFB\uDD00-\uDD27\uDD30-\uDD63\uDE00-\uDF36\uDF40-\uDF55\uDF60-\uDF67]|\uD802[\uDC00-\uDC05\uDC08\uDC0A-\uDC35\uDC37\uDC38\uDC3C\uDC3F-\uDC55\uDC60-\uDC76\uDC80-\uDC9E\uDCE0-\uDCF2\uDCF4\uDCF5\uDD00-\uDD15\uDD20-\uDD39\uDD80-\uDDB7\uDDBE\uDDBF\uDE00\uDE10-\uDE13\uDE15-\uDE17\uDE19-\uDE33\uDE60-\uDE7C\uDE80-\uDE9C\uDEC0-\uDEC7\uDEC9-\uDEE4\uDF00-\uDF35\uDF40-\uDF55\uDF60-\uDF72\uDF80-\uDF91]|\uD803[\uDC00-\uDC48\uDC80-\uDCB2\uDCC0-\uDCF2]|\uD804[\uDC03-\uDC37\uDC83-\uDCAF\uDCD0-\uDCE8\uDD03-\uDD26\uDD50-\uDD72\uDD76\uDD83-\uDDB2\uDDC1-\uDDC4\uDDDA\uDDDC\uDE00-\uDE11\uDE13-\uDE2B\uDE80-\uDE86\uDE88\uDE8A-\uDE8D\uDE8F-\uDE9D\uDE9F-\uDEA8\uDEB0-\uDEDE\uDF05-\uDF0C\uDF0F\uDF10\uDF13-\uDF28\uDF2A-\uDF30\uDF32\uDF33\uDF35-\uDF39\uDF3D\uDF50\uDF5D-\uDF61]|\uD805[\uDC00-\uDC34\uDC47-\uDC4A\uDC80-\uDCAF\uDCC4\uDCC5\uDCC7\uDD80-\uDDAE\uDDD8-\uDDDB\uDE00-\uDE2F\uDE44\uDE80-\uDEAA\uDF00-\uDF19]|\uD806[\uDCA0-\uDCDF\uDCFF\uDEC0-\uDEF8]|\uD807[\uDC00-\uDC08\uDC0A-\uDC2E\uDC40\uDC72-\uDC8F]|\uD808[\uDC00-\uDF99]|\uD809[\uDC00-\uDC6E\uDC80-\uDD43]|[\uD80C\uD81C-\uD820\uD840-\uD868\uD86A-\uD86C\uD86F-\uD872][\uDC00-\uDFFF]|\uD80D[\uDC00-\uDC2E]|\uD811[\uDC00-\uDE46]|\uD81A[\uDC00-\uDE38\uDE40-\uDE5E\uDED0-\uDEED\uDF00-\uDF2F\uDF40-\uDF43\uDF63-\uDF77\uDF7D-\uDF8F]|\uD81B[\uDF00-\uDF44\uDF50\uDF93-\uDF9F\uDFE0]|\uD821[\uDC00-\uDFEC]|\uD822[\uDC00-\uDEF2]|\uD82C[\uDC00\uDC01]|\uD82F[\uDC00-\uDC6A\uDC70-\uDC7C\uDC80-\uDC88\uDC90-\uDC99]|\uD835[\uDC00-\uDC54\uDC56-\uDC9C\uDC9E\uDC9F\uDCA2\uDCA5\uDCA6\uDCA9-\uDCAC\uDCAE-\uDCB9\uDCBB\uDCBD-\uDCC3\uDCC5-\uDD05\uDD07-\uDD0A\uDD0D-\uDD14\uDD16-\uDD1C\uDD1E-\uDD39\uDD3B-\uDD3E\uDD40-\uDD44\uDD46\uDD4A-\uDD50\uDD52-\uDEA5\uDEA8-\uDEC0\uDEC2-\uDEDA\uDEDC-\uDEFA\uDEFC-\uDF14\uDF16-\uDF34\uDF36-\uDF4E\uDF50-\uDF6E\uDF70-\uDF88\uDF8A-\uDFA8\uDFAA-\uDFC2\uDFC4-\uDFCB]|\uD83A[\uDC00-\uDCC4\uDD00-\uDD43]|\uD83B[\uDE00-\uDE03\uDE05-\uDE1F\uDE21\uDE22\uDE24\uDE27\uDE29-\uDE32\uDE34-\uDE37\uDE39\uDE3B\uDE42\uDE47\uDE49\uDE4B\uDE4D-\uDE4F\uDE51\uDE52\uDE54\uDE57\uDE59\uDE5B\uDE5D\uDE5F\uDE61\uDE62\uDE64\uDE67-\uDE6A\uDE6C-\uDE72\uDE74-\uDE77\uDE79-\uDE7C\uDE7E\uDE80-\uDE89\uDE8B-\uDE9B\uDEA1-\uDEA3\uDEA5-\uDEA9\uDEAB-\uDEBB]|\uD869[\uDC00-\uDED6\uDF00-\uDFFF]|\uD86D[\uDC00-\uDF34\uDF40-\uDFFF]|\uD86E[\uDC00-\uDC1D\uDC20-\uDFFF]|\uD873[\uDC00-\uDEA1]|\uD87E[\uDC00-\uDE1D]/,
        // ECMAScript 6/Unicode v9.0.0 NonAsciiIdentifierPart:
        NonAsciiIdentifierPart: /[\xAA\xB5\xB7\xBA\xC0-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0300-\u0374\u0376\u0377\u037A-\u037D\u037F\u0386-\u038A\u038C\u038E-\u03A1\u03A3-\u03F5\u03F7-\u0481\u0483-\u0487\u048A-\u052F\u0531-\u0556\u0559\u0561-\u0587\u0591-\u05BD\u05BF\u05C1\u05C2\u05C4\u05C5\u05C7\u05D0-\u05EA\u05F0-\u05F2\u0610-\u061A\u0620-\u0669\u066E-\u06D3\u06D5-\u06DC\u06DF-\u06E8\u06EA-\u06FC\u06FF\u0710-\u074A\u074D-\u07B1\u07C0-\u07F5\u07FA\u0800-\u082D\u0840-\u085B\u08A0-\u08B4\u08B6-\u08BD\u08D4-\u08E1\u08E3-\u0963\u0966-\u096F\u0971-\u0983\u0985-\u098C\u098F\u0990\u0993-\u09A8\u09AA-\u09B0\u09B2\u09B6-\u09B9\u09BC-\u09C4\u09C7\u09C8\u09CB-\u09CE\u09D7\u09DC\u09DD\u09DF-\u09E3\u09E6-\u09F1\u0A01-\u0A03\u0A05-\u0A0A\u0A0F\u0A10\u0A13-\u0A28\u0A2A-\u0A30\u0A32\u0A33\u0A35\u0A36\u0A38\u0A39\u0A3C\u0A3E-\u0A42\u0A47\u0A48\u0A4B-\u0A4D\u0A51\u0A59-\u0A5C\u0A5E\u0A66-\u0A75\u0A81-\u0A83\u0A85-\u0A8D\u0A8F-\u0A91\u0A93-\u0AA8\u0AAA-\u0AB0\u0AB2\u0AB3\u0AB5-\u0AB9\u0ABC-\u0AC5\u0AC7-\u0AC9\u0ACB-\u0ACD\u0AD0\u0AE0-\u0AE3\u0AE6-\u0AEF\u0AF9\u0B01-\u0B03\u0B05-\u0B0C\u0B0F\u0B10\u0B13-\u0B28\u0B2A-\u0B30\u0B32\u0B33\u0B35-\u0B39\u0B3C-\u0B44\u0B47\u0B48\u0B4B-\u0B4D\u0B56\u0B57\u0B5C\u0B5D\u0B5F-\u0B63\u0B66-\u0B6F\u0B71\u0B82\u0B83\u0B85-\u0B8A\u0B8E-\u0B90\u0B92-\u0B95\u0B99\u0B9A\u0B9C\u0B9E\u0B9F\u0BA3\u0BA4\u0BA8-\u0BAA\u0BAE-\u0BB9\u0BBE-\u0BC2\u0BC6-\u0BC8\u0BCA-\u0BCD\u0BD0\u0BD7\u0BE6-\u0BEF\u0C00-\u0C03\u0C05-\u0C0C\u0C0E-\u0C10\u0C12-\u0C28\u0C2A-\u0C39\u0C3D-\u0C44\u0C46-\u0C48\u0C4A-\u0C4D\u0C55\u0C56\u0C58-\u0C5A\u0C60-\u0C63\u0C66-\u0C6F\u0C80-\u0C83\u0C85-\u0C8C\u0C8E-\u0C90\u0C92-\u0CA8\u0CAA-\u0CB3\u0CB5-\u0CB9\u0CBC-\u0CC4\u0CC6-\u0CC8\u0CCA-\u0CCD\u0CD5\u0CD6\u0CDE\u0CE0-\u0CE3\u0CE6-\u0CEF\u0CF1\u0CF2\u0D01-\u0D03\u0D05-\u0D0C\u0D0E-\u0D10\u0D12-\u0D3A\u0D3D-\u0D44\u0D46-\u0D48\u0D4A-\u0D4E\u0D54-\u0D57\u0D5F-\u0D63\u0D66-\u0D6F\u0D7A-\u0D7F\u0D82\u0D83\u0D85-\u0D96\u0D9A-\u0DB1\u0DB3-\u0DBB\u0DBD\u0DC0-\u0DC6\u0DCA\u0DCF-\u0DD4\u0DD6\u0DD8-\u0DDF\u0DE6-\u0DEF\u0DF2\u0DF3\u0E01-\u0E3A\u0E40-\u0E4E\u0E50-\u0E59\u0E81\u0E82\u0E84\u0E87\u0E88\u0E8A\u0E8D\u0E94-\u0E97\u0E99-\u0E9F\u0EA1-\u0EA3\u0EA5\u0EA7\u0EAA\u0EAB\u0EAD-\u0EB9\u0EBB-\u0EBD\u0EC0-\u0EC4\u0EC6\u0EC8-\u0ECD\u0ED0-\u0ED9\u0EDC-\u0EDF\u0F00\u0F18\u0F19\u0F20-\u0F29\u0F35\u0F37\u0F39\u0F3E-\u0F47\u0F49-\u0F6C\u0F71-\u0F84\u0F86-\u0F97\u0F99-\u0FBC\u0FC6\u1000-\u1049\u1050-\u109D\u10A0-\u10C5\u10C7\u10CD\u10D0-\u10FA\u10FC-\u1248\u124A-\u124D\u1250-\u1256\u1258\u125A-\u125D\u1260-\u1288\u128A-\u128D\u1290-\u12B0\u12B2-\u12B5\u12B8-\u12BE\u12C0\u12C2-\u12C5\u12C8-\u12D6\u12D8-\u1310\u1312-\u1315\u1318-\u135A\u135D-\u135F\u1369-\u1371\u1380-\u138F\u13A0-\u13F5\u13F8-\u13FD\u1401-\u166C\u166F-\u167F\u1681-\u169A\u16A0-\u16EA\u16EE-\u16F8\u1700-\u170C\u170E-\u1714\u1720-\u1734\u1740-\u1753\u1760-\u176C\u176E-\u1770\u1772\u1773\u1780-\u17D3\u17D7\u17DC\u17DD\u17E0-\u17E9\u180B-\u180D\u1810-\u1819\u1820-\u1877\u1880-\u18AA\u18B0-\u18F5\u1900-\u191E\u1920-\u192B\u1930-\u193B\u1946-\u196D\u1970-\u1974\u1980-\u19AB\u19B0-\u19C9\u19D0-\u19DA\u1A00-\u1A1B\u1A20-\u1A5E\u1A60-\u1A7C\u1A7F-\u1A89\u1A90-\u1A99\u1AA7\u1AB0-\u1ABD\u1B00-\u1B4B\u1B50-\u1B59\u1B6B-\u1B73\u1B80-\u1BF3\u1C00-\u1C37\u1C40-\u1C49\u1C4D-\u1C7D\u1C80-\u1C88\u1CD0-\u1CD2\u1CD4-\u1CF6\u1CF8\u1CF9\u1D00-\u1DF5\u1DFB-\u1F15\u1F18-\u1F1D\u1F20-\u1F45\u1F48-\u1F4D\u1F50-\u1F57\u1F59\u1F5B\u1F5D\u1F5F-\u1F7D\u1F80-\u1FB4\u1FB6-\u1FBC\u1FBE\u1FC2-\u1FC4\u1FC6-\u1FCC\u1FD0-\u1FD3\u1FD6-\u1FDB\u1FE0-\u1FEC\u1FF2-\u1FF4\u1FF6-\u1FFC\u200C\u200D\u203F\u2040\u2054\u2071\u207F\u2090-\u209C\u20D0-\u20DC\u20E1\u20E5-\u20F0\u2102\u2107\u210A-\u2113\u2115\u2118-\u211D\u2124\u2126\u2128\u212A-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2160-\u2188\u2C00-\u2C2E\u2C30-\u2C5E\u2C60-\u2CE4\u2CEB-\u2CF3\u2D00-\u2D25\u2D27\u2D2D\u2D30-\u2D67\u2D6F\u2D7F-\u2D96\u2DA0-\u2DA6\u2DA8-\u2DAE\u2DB0-\u2DB6\u2DB8-\u2DBE\u2DC0-\u2DC6\u2DC8-\u2DCE\u2DD0-\u2DD6\u2DD8-\u2DDE\u2DE0-\u2DFF\u3005-\u3007\u3021-\u302F\u3031-\u3035\u3038-\u303C\u3041-\u3096\u3099-\u309F\u30A1-\u30FA\u30FC-\u30FF\u3105-\u312D\u3131-\u318E\u31A0-\u31BA\u31F0-\u31FF\u3400-\u4DB5\u4E00-\u9FD5\uA000-\uA48C\uA4D0-\uA4FD\uA500-\uA60C\uA610-\uA62B\uA640-\uA66F\uA674-\uA67D\uA67F-\uA6F1\uA717-\uA71F\uA722-\uA788\uA78B-\uA7AE\uA7B0-\uA7B7\uA7F7-\uA827\uA840-\uA873\uA880-\uA8C5\uA8D0-\uA8D9\uA8E0-\uA8F7\uA8FB\uA8FD\uA900-\uA92D\uA930-\uA953\uA960-\uA97C\uA980-\uA9C0\uA9CF-\uA9D9\uA9E0-\uA9FE\uAA00-\uAA36\uAA40-\uAA4D\uAA50-\uAA59\uAA60-\uAA76\uAA7A-\uAAC2\uAADB-\uAADD\uAAE0-\uAAEF\uAAF2-\uAAF6\uAB01-\uAB06\uAB09-\uAB0E\uAB11-\uAB16\uAB20-\uAB26\uAB28-\uAB2E\uAB30-\uAB5A\uAB5C-\uAB65\uAB70-\uABEA\uABEC\uABED\uABF0-\uABF9\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFA6D\uFA70-\uFAD9\uFB00-\uFB06\uFB13-\uFB17\uFB1D-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE00-\uFE0F\uFE20-\uFE2F\uFE33\uFE34\uFE4D-\uFE4F\uFE70-\uFE74\uFE76-\uFEFC\uFF10-\uFF19\uFF21-\uFF3A\uFF3F\uFF41-\uFF5A\uFF66-\uFFBE\uFFC2-\uFFC7\uFFCA-\uFFCF\uFFD2-\uFFD7\uFFDA-\uFFDC]|\uD800[\uDC00-\uDC0B\uDC0D-\uDC26\uDC28-\uDC3A\uDC3C\uDC3D\uDC3F-\uDC4D\uDC50-\uDC5D\uDC80-\uDCFA\uDD40-\uDD74\uDDFD\uDE80-\uDE9C\uDEA0-\uDED0\uDEE0\uDF00-\uDF1F\uDF30-\uDF4A\uDF50-\uDF7A\uDF80-\uDF9D\uDFA0-\uDFC3\uDFC8-\uDFCF\uDFD1-\uDFD5]|\uD801[\uDC00-\uDC9D\uDCA0-\uDCA9\uDCB0-\uDCD3\uDCD8-\uDCFB\uDD00-\uDD27\uDD30-\uDD63\uDE00-\uDF36\uDF40-\uDF55\uDF60-\uDF67]|\uD802[\uDC00-\uDC05\uDC08\uDC0A-\uDC35\uDC37\uDC38\uDC3C\uDC3F-\uDC55\uDC60-\uDC76\uDC80-\uDC9E\uDCE0-\uDCF2\uDCF4\uDCF5\uDD00-\uDD15\uDD20-\uDD39\uDD80-\uDDB7\uDDBE\uDDBF\uDE00-\uDE03\uDE05\uDE06\uDE0C-\uDE13\uDE15-\uDE17\uDE19-\uDE33\uDE38-\uDE3A\uDE3F\uDE60-\uDE7C\uDE80-\uDE9C\uDEC0-\uDEC7\uDEC9-\uDEE6\uDF00-\uDF35\uDF40-\uDF55\uDF60-\uDF72\uDF80-\uDF91]|\uD803[\uDC00-\uDC48\uDC80-\uDCB2\uDCC0-\uDCF2]|\uD804[\uDC00-\uDC46\uDC66-\uDC6F\uDC7F-\uDCBA\uDCD0-\uDCE8\uDCF0-\uDCF9\uDD00-\uDD34\uDD36-\uDD3F\uDD50-\uDD73\uDD76\uDD80-\uDDC4\uDDCA-\uDDCC\uDDD0-\uDDDA\uDDDC\uDE00-\uDE11\uDE13-\uDE37\uDE3E\uDE80-\uDE86\uDE88\uDE8A-\uDE8D\uDE8F-\uDE9D\uDE9F-\uDEA8\uDEB0-\uDEEA\uDEF0-\uDEF9\uDF00-\uDF03\uDF05-\uDF0C\uDF0F\uDF10\uDF13-\uDF28\uDF2A-\uDF30\uDF32\uDF33\uDF35-\uDF39\uDF3C-\uDF44\uDF47\uDF48\uDF4B-\uDF4D\uDF50\uDF57\uDF5D-\uDF63\uDF66-\uDF6C\uDF70-\uDF74]|\uD805[\uDC00-\uDC4A\uDC50-\uDC59\uDC80-\uDCC5\uDCC7\uDCD0-\uDCD9\uDD80-\uDDB5\uDDB8-\uDDC0\uDDD8-\uDDDD\uDE00-\uDE40\uDE44\uDE50-\uDE59\uDE80-\uDEB7\uDEC0-\uDEC9\uDF00-\uDF19\uDF1D-\uDF2B\uDF30-\uDF39]|\uD806[\uDCA0-\uDCE9\uDCFF\uDEC0-\uDEF8]|\uD807[\uDC00-\uDC08\uDC0A-\uDC36\uDC38-\uDC40\uDC50-\uDC59\uDC72-\uDC8F\uDC92-\uDCA7\uDCA9-\uDCB6]|\uD808[\uDC00-\uDF99]|\uD809[\uDC00-\uDC6E\uDC80-\uDD43]|[\uD80C\uD81C-\uD820\uD840-\uD868\uD86A-\uD86C\uD86F-\uD872][\uDC00-\uDFFF]|\uD80D[\uDC00-\uDC2E]|\uD811[\uDC00-\uDE46]|\uD81A[\uDC00-\uDE38\uDE40-\uDE5E\uDE60-\uDE69\uDED0-\uDEED\uDEF0-\uDEF4\uDF00-\uDF36\uDF40-\uDF43\uDF50-\uDF59\uDF63-\uDF77\uDF7D-\uDF8F]|\uD81B[\uDF00-\uDF44\uDF50-\uDF7E\uDF8F-\uDF9F\uDFE0]|\uD821[\uDC00-\uDFEC]|\uD822[\uDC00-\uDEF2]|\uD82C[\uDC00\uDC01]|\uD82F[\uDC00-\uDC6A\uDC70-\uDC7C\uDC80-\uDC88\uDC90-\uDC99\uDC9D\uDC9E]|\uD834[\uDD65-\uDD69\uDD6D-\uDD72\uDD7B-\uDD82\uDD85-\uDD8B\uDDAA-\uDDAD\uDE42-\uDE44]|\uD835[\uDC00-\uDC54\uDC56-\uDC9C\uDC9E\uDC9F\uDCA2\uDCA5\uDCA6\uDCA9-\uDCAC\uDCAE-\uDCB9\uDCBB\uDCBD-\uDCC3\uDCC5-\uDD05\uDD07-\uDD0A\uDD0D-\uDD14\uDD16-\uDD1C\uDD1E-\uDD39\uDD3B-\uDD3E\uDD40-\uDD44\uDD46\uDD4A-\uDD50\uDD52-\uDEA5\uDEA8-\uDEC0\uDEC2-\uDEDA\uDEDC-\uDEFA\uDEFC-\uDF14\uDF16-\uDF34\uDF36-\uDF4E\uDF50-\uDF6E\uDF70-\uDF88\uDF8A-\uDFA8\uDFAA-\uDFC2\uDFC4-\uDFCB\uDFCE-\uDFFF]|\uD836[\uDE00-\uDE36\uDE3B-\uDE6C\uDE75\uDE84\uDE9B-\uDE9F\uDEA1-\uDEAF]|\uD838[\uDC00-\uDC06\uDC08-\uDC18\uDC1B-\uDC21\uDC23\uDC24\uDC26-\uDC2A]|\uD83A[\uDC00-\uDCC4\uDCD0-\uDCD6\uDD00-\uDD4A\uDD50-\uDD59]|\uD83B[\uDE00-\uDE03\uDE05-\uDE1F\uDE21\uDE22\uDE24\uDE27\uDE29-\uDE32\uDE34-\uDE37\uDE39\uDE3B\uDE42\uDE47\uDE49\uDE4B\uDE4D-\uDE4F\uDE51\uDE52\uDE54\uDE57\uDE59\uDE5B\uDE5D\uDE5F\uDE61\uDE62\uDE64\uDE67-\uDE6A\uDE6C-\uDE72\uDE74-\uDE77\uDE79-\uDE7C\uDE7E\uDE80-\uDE89\uDE8B-\uDE9B\uDEA1-\uDEA3\uDEA5-\uDEA9\uDEAB-\uDEBB]|\uD869[\uDC00-\uDED6\uDF00-\uDFFF]|\uD86D[\uDC00-\uDF34\uDF40-\uDFFF]|\uD86E[\uDC00-\uDC1D\uDC20-\uDFFF]|\uD873[\uDC00-\uDEA1]|\uD87E[\uDC00-\uDE1D]|\uDB40[\uDD00-\uDDEF]/
      };
      function isDecimalDigit(ch2) {
        return 48 <= ch2 && ch2 <= 57;
      }
      function isHexDigit(ch2) {
        return 48 <= ch2 && ch2 <= 57 || // 0..9
        97 <= ch2 && ch2 <= 102 || // a..f
        65 <= ch2 && ch2 <= 70;
      }
      function isOctalDigit(ch2) {
        return ch2 >= 48 && ch2 <= 55;
      }
      NON_ASCII_WHITESPACES = [
        5760,
        8192,
        8193,
        8194,
        8195,
        8196,
        8197,
        8198,
        8199,
        8200,
        8201,
        8202,
        8239,
        8287,
        12288,
        65279
      ];
      function isWhiteSpace(ch2) {
        return ch2 === 32 || ch2 === 9 || ch2 === 11 || ch2 === 12 || ch2 === 160 || ch2 >= 5760 && NON_ASCII_WHITESPACES.indexOf(ch2) >= 0;
      }
      function isLineTerminator(ch2) {
        return ch2 === 10 || ch2 === 13 || ch2 === 8232 || ch2 === 8233;
      }
      function fromCodePoint(cp) {
        if (cp <= 65535) {
          return String.fromCharCode(cp);
        }
        var cu1 = String.fromCharCode(Math.floor((cp - 65536) / 1024) + 55296);
        var cu2 = String.fromCharCode((cp - 65536) % 1024 + 56320);
        return cu1 + cu2;
      }
      IDENTIFIER_START = new Array(128);
      for (ch = 0; ch < 128; ++ch) {
        IDENTIFIER_START[ch] = ch >= 97 && ch <= 122 || // a..z
        ch >= 65 && ch <= 90 || // A..Z
        ch === 36 || ch === 95;
      }
      IDENTIFIER_PART = new Array(128);
      for (ch = 0; ch < 128; ++ch) {
        IDENTIFIER_PART[ch] = ch >= 97 && ch <= 122 || // a..z
        ch >= 65 && ch <= 90 || // A..Z
        ch >= 48 && ch <= 57 || // 0..9
        ch === 36 || ch === 95;
      }
      function isIdentifierStartES5(ch2) {
        return ch2 < 128 ? IDENTIFIER_START[ch2] : ES5Regex.NonAsciiIdentifierStart.test(fromCodePoint(ch2));
      }
      function isIdentifierPartES5(ch2) {
        return ch2 < 128 ? IDENTIFIER_PART[ch2] : ES5Regex.NonAsciiIdentifierPart.test(fromCodePoint(ch2));
      }
      function isIdentifierStartES6(ch2) {
        return ch2 < 128 ? IDENTIFIER_START[ch2] : ES6Regex.NonAsciiIdentifierStart.test(fromCodePoint(ch2));
      }
      function isIdentifierPartES6(ch2) {
        return ch2 < 128 ? IDENTIFIER_PART[ch2] : ES6Regex.NonAsciiIdentifierPart.test(fromCodePoint(ch2));
      }
      module2.exports = {
        isDecimalDigit,
        isHexDigit,
        isOctalDigit,
        isWhiteSpace,
        isLineTerminator,
        isIdentifierStartES5,
        isIdentifierPartES5,
        isIdentifierStartES6,
        isIdentifierPartES6
      };
    })();
  }
});

// node_modules/.pnpm/esutils@2.0.3/node_modules/esutils/lib/keyword.js
var require_keyword2 = __commonJS({
  "node_modules/.pnpm/esutils@2.0.3/node_modules/esutils/lib/keyword.js"(exports2, module2) {
    (function() {
      "use strict";
      var code = require_code();
      function isStrictModeReservedWordES6(id) {
        switch (id) {
          case "implements":
          case "interface":
          case "package":
          case "private":
          case "protected":
          case "public":
          case "static":
          case "let":
            return true;
          default:
            return false;
        }
      }
      function isKeywordES5(id, strict) {
        if (!strict && id === "yield") {
          return false;
        }
        return isKeywordES6(id, strict);
      }
      function isKeywordES6(id, strict) {
        if (strict && isStrictModeReservedWordES6(id)) {
          return true;
        }
        switch (id.length) {
          case 2:
            return id === "if" || id === "in" || id === "do";
          case 3:
            return id === "var" || id === "for" || id === "new" || id === "try";
          case 4:
            return id === "this" || id === "else" || id === "case" || id === "void" || id === "with" || id === "enum";
          case 5:
            return id === "while" || id === "break" || id === "catch" || id === "throw" || id === "const" || id === "yield" || id === "class" || id === "super";
          case 6:
            return id === "return" || id === "typeof" || id === "delete" || id === "switch" || id === "export" || id === "import";
          case 7:
            return id === "default" || id === "finally" || id === "extends";
          case 8:
            return id === "function" || id === "continue" || id === "debugger";
          case 10:
            return id === "instanceof";
          default:
            return false;
        }
      }
      function isReservedWordES5(id, strict) {
        return id === "null" || id === "true" || id === "false" || isKeywordES5(id, strict);
      }
      function isReservedWordES6(id, strict) {
        return id === "null" || id === "true" || id === "false" || isKeywordES6(id, strict);
      }
      function isRestrictedWord(id) {
        return id === "eval" || id === "arguments";
      }
      function isIdentifierNameES5(id) {
        var i, iz, ch;
        if (id.length === 0) {
          return false;
        }
        ch = id.charCodeAt(0);
        if (!code.isIdentifierStartES5(ch)) {
          return false;
        }
        for (i = 1, iz = id.length; i < iz; ++i) {
          ch = id.charCodeAt(i);
          if (!code.isIdentifierPartES5(ch)) {
            return false;
          }
        }
        return true;
      }
      function decodeUtf16(lead, trail) {
        return (lead - 55296) * 1024 + (trail - 56320) + 65536;
      }
      function isIdentifierNameES6(id) {
        var i, iz, ch, lowCh, check;
        if (id.length === 0) {
          return false;
        }
        check = code.isIdentifierStartES6;
        for (i = 0, iz = id.length; i < iz; ++i) {
          ch = id.charCodeAt(i);
          if (55296 <= ch && ch <= 56319) {
            ++i;
            if (i >= iz) {
              return false;
            }
            lowCh = id.charCodeAt(i);
            if (!(56320 <= lowCh && lowCh <= 57343)) {
              return false;
            }
            ch = decodeUtf16(ch, lowCh);
          }
          if (!check(ch)) {
            return false;
          }
          check = code.isIdentifierPartES6;
        }
        return true;
      }
      function isIdentifierES5(id, strict) {
        return isIdentifierNameES5(id) && !isReservedWordES5(id, strict);
      }
      function isIdentifierES6(id, strict) {
        return isIdentifierNameES6(id) && !isReservedWordES6(id, strict);
      }
      module2.exports = {
        isKeywordES5,
        isKeywordES6,
        isReservedWordES5,
        isReservedWordES6,
        isRestrictedWord,
        isIdentifierNameES5,
        isIdentifierNameES6,
        isIdentifierES5,
        isIdentifierES6
      };
    })();
  }
});

// node_modules/.pnpm/esutils@2.0.3/node_modules/esutils/lib/utils.js
var require_utils6 = __commonJS({
  "node_modules/.pnpm/esutils@2.0.3/node_modules/esutils/lib/utils.js"(exports2) {
    (function() {
      "use strict";
      exports2.ast = require_ast2();
      exports2.code = require_code();
      exports2.keyword = require_keyword2();
    })();
  }
});

// node_modules/.pnpm/doctrine@2.1.0/node_modules/doctrine/package.json
var require_package6 = __commonJS({
  "node_modules/.pnpm/doctrine@2.1.0/node_modules/doctrine/package.json"(exports2, module2) {
    module2.exports = {
      name: "doctrine",
      description: "JSDoc parser",
      homepage: "https://github.com/eslint/doctrine",
      main: "lib/doctrine.js",
      version: "2.1.0",
      engines: {
        node: ">=0.10.0"
      },
      directories: {
        lib: "./lib"
      },
      files: [
        "lib"
      ],
      maintainers: [
        {
          name: "Nicholas C. Zakas",
          email: "nicholas+npm@nczconsulting.com",
          web: "https://www.nczonline.net"
        },
        {
          name: "Yusuke Suzuki",
          email: "utatane.tea@gmail.com",
          web: "https://github.com/Constellation"
        }
      ],
      repository: "eslint/doctrine",
      devDependencies: {
        coveralls: "^2.11.2",
        dateformat: "^1.0.11",
        eslint: "^1.10.3",
        "eslint-release": "^0.10.0",
        linefix: "^0.1.1",
        mocha: "^3.4.2",
        "npm-license": "^0.3.1",
        nyc: "^10.3.2",
        semver: "^5.0.3",
        shelljs: "^0.5.3",
        "shelljs-nodecli": "^0.1.1",
        should: "^5.0.1"
      },
      license: "Apache-2.0",
      scripts: {
        pretest: "npm run lint",
        test: "nyc mocha",
        coveralls: "nyc report --reporter=text-lcov | coveralls",
        lint: "eslint lib/",
        release: "eslint-release",
        "ci-release": "eslint-ci-release",
        alpharelease: "eslint-prerelease alpha",
        betarelease: "eslint-prerelease beta"
      },
      dependencies: {
        esutils: "^2.0.2"
      }
    };
  }
});

// node_modules/.pnpm/doctrine@2.1.0/node_modules/doctrine/lib/utility.js
var require_utility = __commonJS({
  "node_modules/.pnpm/doctrine@2.1.0/node_modules/doctrine/lib/utility.js"(exports2) {
    (function() {
      "use strict";
      var VERSION;
      VERSION = require_package6().version;
      exports2.VERSION = VERSION;
      function DoctrineError(message) {
        this.name = "DoctrineError";
        this.message = message;
      }
      DoctrineError.prototype = function() {
        var Middle = function() {
        };
        Middle.prototype = Error.prototype;
        return new Middle();
      }();
      DoctrineError.prototype.constructor = DoctrineError;
      exports2.DoctrineError = DoctrineError;
      function throwError(message) {
        throw new DoctrineError(message);
      }
      exports2.throwError = throwError;
      exports2.assert = require("assert");
    })();
  }
});

// node_modules/.pnpm/doctrine@2.1.0/node_modules/doctrine/lib/typed.js
var require_typed = __commonJS({
  "node_modules/.pnpm/doctrine@2.1.0/node_modules/doctrine/lib/typed.js"(exports2) {
    (function() {
      "use strict";
      var Syntax, Token, source, length, index, previous, token, value, esutils, utility, rangeOffset, addRange;
      esutils = require_utils6();
      utility = require_utility();
      Syntax = {
        NullableLiteral: "NullableLiteral",
        AllLiteral: "AllLiteral",
        NullLiteral: "NullLiteral",
        UndefinedLiteral: "UndefinedLiteral",
        VoidLiteral: "VoidLiteral",
        UnionType: "UnionType",
        ArrayType: "ArrayType",
        RecordType: "RecordType",
        FieldType: "FieldType",
        FunctionType: "FunctionType",
        ParameterType: "ParameterType",
        RestType: "RestType",
        NonNullableType: "NonNullableType",
        OptionalType: "OptionalType",
        NullableType: "NullableType",
        NameExpression: "NameExpression",
        TypeApplication: "TypeApplication",
        StringLiteralType: "StringLiteralType",
        NumericLiteralType: "NumericLiteralType",
        BooleanLiteralType: "BooleanLiteralType"
      };
      Token = {
        ILLEGAL: 0,
        // ILLEGAL
        DOT_LT: 1,
        // .<
        REST: 2,
        // ...
        LT: 3,
        // <
        GT: 4,
        // >
        LPAREN: 5,
        // (
        RPAREN: 6,
        // )
        LBRACE: 7,
        // {
        RBRACE: 8,
        // }
        LBRACK: 9,
        // [
        RBRACK: 10,
        // ]
        COMMA: 11,
        // ,
        COLON: 12,
        // :
        STAR: 13,
        // *
        PIPE: 14,
        // |
        QUESTION: 15,
        // ?
        BANG: 16,
        // !
        EQUAL: 17,
        // =
        NAME: 18,
        // name token
        STRING: 19,
        // string
        NUMBER: 20,
        // number
        EOF: 21
      };
      function isTypeName(ch) {
        return "><(){}[],:*|?!=".indexOf(String.fromCharCode(ch)) === -1 && !esutils.code.isWhiteSpace(ch) && !esutils.code.isLineTerminator(ch);
      }
      function Context(previous2, index2, token2, value2) {
        this._previous = previous2;
        this._index = index2;
        this._token = token2;
        this._value = value2;
      }
      Context.prototype.restore = function() {
        previous = this._previous;
        index = this._index;
        token = this._token;
        value = this._value;
      };
      Context.save = function() {
        return new Context(previous, index, token, value);
      };
      function maybeAddRange(node, range) {
        if (addRange) {
          node.range = [range[0] + rangeOffset, range[1] + rangeOffset];
        }
        return node;
      }
      function advance() {
        var ch = source.charAt(index);
        index += 1;
        return ch;
      }
      function scanHexEscape(prefix) {
        var i, len, ch, code = 0;
        len = prefix === "u" ? 4 : 2;
        for (i = 0; i < len; ++i) {
          if (index < length && esutils.code.isHexDigit(source.charCodeAt(index))) {
            ch = advance();
            code = code * 16 + "0123456789abcdef".indexOf(ch.toLowerCase());
          } else {
            return "";
          }
        }
        return String.fromCharCode(code);
      }
      function scanString() {
        var str = "", quote, ch, code, unescaped, restore;
        quote = source.charAt(index);
        ++index;
        while (index < length) {
          ch = advance();
          if (ch === quote) {
            quote = "";
            break;
          } else if (ch === "\\") {
            ch = advance();
            if (!esutils.code.isLineTerminator(ch.charCodeAt(0))) {
              switch (ch) {
                case "n":
                  str += "\n";
                  break;
                case "r":
                  str += "\r";
                  break;
                case "t":
                  str += "	";
                  break;
                case "u":
                case "x":
                  restore = index;
                  unescaped = scanHexEscape(ch);
                  if (unescaped) {
                    str += unescaped;
                  } else {
                    index = restore;
                    str += ch;
                  }
                  break;
                case "b":
                  str += "\b";
                  break;
                case "f":
                  str += "\f";
                  break;
                case "v":
                  str += "\v";
                  break;
                default:
                  if (esutils.code.isOctalDigit(ch.charCodeAt(0))) {
                    code = "01234567".indexOf(ch);
                    if (index < length && esutils.code.isOctalDigit(source.charCodeAt(index))) {
                      code = code * 8 + "01234567".indexOf(advance());
                      if ("0123".indexOf(ch) >= 0 && index < length && esutils.code.isOctalDigit(source.charCodeAt(index))) {
                        code = code * 8 + "01234567".indexOf(advance());
                      }
                    }
                    str += String.fromCharCode(code);
                  } else {
                    str += ch;
                  }
                  break;
              }
            } else {
              if (ch === "\r" && source.charCodeAt(index) === 10) {
                ++index;
              }
            }
          } else if (esutils.code.isLineTerminator(ch.charCodeAt(0))) {
            break;
          } else {
            str += ch;
          }
        }
        if (quote !== "") {
          utility.throwError("unexpected quote");
        }
        value = str;
        return Token.STRING;
      }
      function scanNumber() {
        var number, ch;
        number = "";
        ch = source.charCodeAt(index);
        if (ch !== 46) {
          number = advance();
          ch = source.charCodeAt(index);
          if (number === "0") {
            if (ch === 120 || ch === 88) {
              number += advance();
              while (index < length) {
                ch = source.charCodeAt(index);
                if (!esutils.code.isHexDigit(ch)) {
                  break;
                }
                number += advance();
              }
              if (number.length <= 2) {
                utility.throwError("unexpected token");
              }
              if (index < length) {
                ch = source.charCodeAt(index);
                if (esutils.code.isIdentifierStartES5(ch)) {
                  utility.throwError("unexpected token");
                }
              }
              value = parseInt(number, 16);
              return Token.NUMBER;
            }
            if (esutils.code.isOctalDigit(ch)) {
              number += advance();
              while (index < length) {
                ch = source.charCodeAt(index);
                if (!esutils.code.isOctalDigit(ch)) {
                  break;
                }
                number += advance();
              }
              if (index < length) {
                ch = source.charCodeAt(index);
                if (esutils.code.isIdentifierStartES5(ch) || esutils.code.isDecimalDigit(ch)) {
                  utility.throwError("unexpected token");
                }
              }
              value = parseInt(number, 8);
              return Token.NUMBER;
            }
            if (esutils.code.isDecimalDigit(ch)) {
              utility.throwError("unexpected token");
            }
          }
          while (index < length) {
            ch = source.charCodeAt(index);
            if (!esutils.code.isDecimalDigit(ch)) {
              break;
            }
            number += advance();
          }
        }
        if (ch === 46) {
          number += advance();
          while (index < length) {
            ch = source.charCodeAt(index);
            if (!esutils.code.isDecimalDigit(ch)) {
              break;
            }
            number += advance();
          }
        }
        if (ch === 101 || ch === 69) {
          number += advance();
          ch = source.charCodeAt(index);
          if (ch === 43 || ch === 45) {
            number += advance();
          }
          ch = source.charCodeAt(index);
          if (esutils.code.isDecimalDigit(ch)) {
            number += advance();
            while (index < length) {
              ch = source.charCodeAt(index);
              if (!esutils.code.isDecimalDigit(ch)) {
                break;
              }
              number += advance();
            }
          } else {
            utility.throwError("unexpected token");
          }
        }
        if (index < length) {
          ch = source.charCodeAt(index);
          if (esutils.code.isIdentifierStartES5(ch)) {
            utility.throwError("unexpected token");
          }
        }
        value = parseFloat(number);
        return Token.NUMBER;
      }
      function scanTypeName() {
        var ch, ch2;
        value = advance();
        while (index < length && isTypeName(source.charCodeAt(index))) {
          ch = source.charCodeAt(index);
          if (ch === 46) {
            if (index + 1 >= length) {
              return Token.ILLEGAL;
            }
            ch2 = source.charCodeAt(index + 1);
            if (ch2 === 60) {
              break;
            }
          }
          value += advance();
        }
        return Token.NAME;
      }
      function next() {
        var ch;
        previous = index;
        while (index < length && esutils.code.isWhiteSpace(source.charCodeAt(index))) {
          advance();
        }
        if (index >= length) {
          token = Token.EOF;
          return token;
        }
        ch = source.charCodeAt(index);
        switch (ch) {
          case 39:
          case 34:
            token = scanString();
            return token;
          case 58:
            advance();
            token = Token.COLON;
            return token;
          case 44:
            advance();
            token = Token.COMMA;
            return token;
          case 40:
            advance();
            token = Token.LPAREN;
            return token;
          case 41:
            advance();
            token = Token.RPAREN;
            return token;
          case 91:
            advance();
            token = Token.LBRACK;
            return token;
          case 93:
            advance();
            token = Token.RBRACK;
            return token;
          case 123:
            advance();
            token = Token.LBRACE;
            return token;
          case 125:
            advance();
            token = Token.RBRACE;
            return token;
          case 46:
            if (index + 1 < length) {
              ch = source.charCodeAt(index + 1);
              if (ch === 60) {
                advance();
                advance();
                token = Token.DOT_LT;
                return token;
              }
              if (ch === 46 && index + 2 < length && source.charCodeAt(index + 2) === 46) {
                advance();
                advance();
                advance();
                token = Token.REST;
                return token;
              }
              if (esutils.code.isDecimalDigit(ch)) {
                token = scanNumber();
                return token;
              }
            }
            token = Token.ILLEGAL;
            return token;
          case 60:
            advance();
            token = Token.LT;
            return token;
          case 62:
            advance();
            token = Token.GT;
            return token;
          case 42:
            advance();
            token = Token.STAR;
            return token;
          case 124:
            advance();
            token = Token.PIPE;
            return token;
          case 63:
            advance();
            token = Token.QUESTION;
            return token;
          case 33:
            advance();
            token = Token.BANG;
            return token;
          case 61:
            advance();
            token = Token.EQUAL;
            return token;
          case 45:
            token = scanNumber();
            return token;
          default:
            if (esutils.code.isDecimalDigit(ch)) {
              token = scanNumber();
              return token;
            }
            utility.assert(isTypeName(ch));
            token = scanTypeName();
            return token;
        }
      }
      function consume(target, text) {
        utility.assert(token === target, text || "consumed token not matched");
        next();
      }
      function expect(target, message) {
        if (token !== target) {
          utility.throwError(message || "unexpected token");
        }
        next();
      }
      function parseUnionType() {
        var elements, startIndex = index - 1;
        consume(Token.LPAREN, "UnionType should start with (");
        elements = [];
        if (token !== Token.RPAREN) {
          while (true) {
            elements.push(parseTypeExpression());
            if (token === Token.RPAREN) {
              break;
            }
            expect(Token.PIPE);
          }
        }
        consume(Token.RPAREN, "UnionType should end with )");
        return maybeAddRange({
          type: Syntax.UnionType,
          elements
        }, [startIndex, previous]);
      }
      function parseArrayType() {
        var elements, startIndex = index - 1, restStartIndex;
        consume(Token.LBRACK, "ArrayType should start with [");
        elements = [];
        while (token !== Token.RBRACK) {
          if (token === Token.REST) {
            restStartIndex = index - 3;
            consume(Token.REST);
            elements.push(maybeAddRange({
              type: Syntax.RestType,
              expression: parseTypeExpression()
            }, [restStartIndex, previous]));
            break;
          } else {
            elements.push(parseTypeExpression());
          }
          if (token !== Token.RBRACK) {
            expect(Token.COMMA);
          }
        }
        expect(Token.RBRACK);
        return maybeAddRange({
          type: Syntax.ArrayType,
          elements
        }, [startIndex, previous]);
      }
      function parseFieldName() {
        var v = value;
        if (token === Token.NAME || token === Token.STRING) {
          next();
          return v;
        }
        if (token === Token.NUMBER) {
          consume(Token.NUMBER);
          return String(v);
        }
        utility.throwError("unexpected token");
      }
      function parseFieldType() {
        var key, rangeStart = previous;
        key = parseFieldName();
        if (token === Token.COLON) {
          consume(Token.COLON);
          return maybeAddRange({
            type: Syntax.FieldType,
            key,
            value: parseTypeExpression()
          }, [rangeStart, previous]);
        }
        return maybeAddRange({
          type: Syntax.FieldType,
          key,
          value: null
        }, [rangeStart, previous]);
      }
      function parseRecordType() {
        var fields, rangeStart = index - 1, rangeEnd;
        consume(Token.LBRACE, "RecordType should start with {");
        fields = [];
        if (token === Token.COMMA) {
          consume(Token.COMMA);
        } else {
          while (token !== Token.RBRACE) {
            fields.push(parseFieldType());
            if (token !== Token.RBRACE) {
              expect(Token.COMMA);
            }
          }
        }
        rangeEnd = index;
        expect(Token.RBRACE);
        return maybeAddRange({
          type: Syntax.RecordType,
          fields
        }, [rangeStart, rangeEnd]);
      }
      function parseNameExpression() {
        var name = value, rangeStart = index - name.length;
        expect(Token.NAME);
        if (token === Token.COLON && (name === "module" || name === "external" || name === "event")) {
          consume(Token.COLON);
          name += ":" + value;
          expect(Token.NAME);
        }
        return maybeAddRange({
          type: Syntax.NameExpression,
          name
        }, [rangeStart, previous]);
      }
      function parseTypeExpressionList() {
        var elements = [];
        elements.push(parseTop());
        while (token === Token.COMMA) {
          consume(Token.COMMA);
          elements.push(parseTop());
        }
        return elements;
      }
      function parseTypeName() {
        var expr, applications, startIndex = index - value.length;
        expr = parseNameExpression();
        if (token === Token.DOT_LT || token === Token.LT) {
          next();
          applications = parseTypeExpressionList();
          expect(Token.GT);
          return maybeAddRange({
            type: Syntax.TypeApplication,
            expression: expr,
            applications
          }, [startIndex, previous]);
        }
        return expr;
      }
      function parseResultType() {
        consume(Token.COLON, "ResultType should start with :");
        if (token === Token.NAME && value === "void") {
          consume(Token.NAME);
          return {
            type: Syntax.VoidLiteral
          };
        }
        return parseTypeExpression();
      }
      function parseParametersType() {
        var params = [], optionalSequence = false, expr, rest = false, startIndex, restStartIndex = index - 3, nameStartIndex;
        while (token !== Token.RPAREN) {
          if (token === Token.REST) {
            consume(Token.REST);
            rest = true;
          }
          startIndex = previous;
          expr = parseTypeExpression();
          if (expr.type === Syntax.NameExpression && token === Token.COLON) {
            nameStartIndex = previous - expr.name.length;
            consume(Token.COLON);
            expr = maybeAddRange({
              type: Syntax.ParameterType,
              name: expr.name,
              expression: parseTypeExpression()
            }, [nameStartIndex, previous]);
          }
          if (token === Token.EQUAL) {
            consume(Token.EQUAL);
            expr = maybeAddRange({
              type: Syntax.OptionalType,
              expression: expr
            }, [startIndex, previous]);
            optionalSequence = true;
          } else {
            if (optionalSequence) {
              utility.throwError("unexpected token");
            }
          }
          if (rest) {
            expr = maybeAddRange({
              type: Syntax.RestType,
              expression: expr
            }, [restStartIndex, previous]);
          }
          params.push(expr);
          if (token !== Token.RPAREN) {
            expect(Token.COMMA);
          }
        }
        return params;
      }
      function parseFunctionType() {
        var isNew, thisBinding, params, result, fnType, startIndex = index - value.length;
        utility.assert(token === Token.NAME && value === "function", "FunctionType should start with 'function'");
        consume(Token.NAME);
        expect(Token.LPAREN);
        isNew = false;
        params = [];
        thisBinding = null;
        if (token !== Token.RPAREN) {
          if (token === Token.NAME && (value === "this" || value === "new")) {
            isNew = value === "new";
            consume(Token.NAME);
            expect(Token.COLON);
            thisBinding = parseTypeName();
            if (token === Token.COMMA) {
              consume(Token.COMMA);
              params = parseParametersType();
            }
          } else {
            params = parseParametersType();
          }
        }
        expect(Token.RPAREN);
        result = null;
        if (token === Token.COLON) {
          result = parseResultType();
        }
        fnType = maybeAddRange({
          type: Syntax.FunctionType,
          params,
          result
        }, [startIndex, previous]);
        if (thisBinding) {
          fnType["this"] = thisBinding;
          if (isNew) {
            fnType["new"] = true;
          }
        }
        return fnType;
      }
      function parseBasicTypeExpression() {
        var context, startIndex;
        switch (token) {
          case Token.STAR:
            consume(Token.STAR);
            return maybeAddRange({
              type: Syntax.AllLiteral
            }, [previous - 1, previous]);
          case Token.LPAREN:
            return parseUnionType();
          case Token.LBRACK:
            return parseArrayType();
          case Token.LBRACE:
            return parseRecordType();
          case Token.NAME:
            startIndex = index - value.length;
            if (value === "null") {
              consume(Token.NAME);
              return maybeAddRange({
                type: Syntax.NullLiteral
              }, [startIndex, previous]);
            }
            if (value === "undefined") {
              consume(Token.NAME);
              return maybeAddRange({
                type: Syntax.UndefinedLiteral
              }, [startIndex, previous]);
            }
            if (value === "true" || value === "false") {
              consume(Token.NAME);
              return maybeAddRange({
                type: Syntax.BooleanLiteralType,
                value: value === "true"
              }, [startIndex, previous]);
            }
            context = Context.save();
            if (value === "function") {
              try {
                return parseFunctionType();
              } catch (e) {
                context.restore();
              }
            }
            return parseTypeName();
          case Token.STRING:
            next();
            return maybeAddRange({
              type: Syntax.StringLiteralType,
              value
            }, [previous - value.length - 2, previous]);
          case Token.NUMBER:
            next();
            return maybeAddRange({
              type: Syntax.NumericLiteralType,
              value
            }, [previous - String(value).length, previous]);
          default:
            utility.throwError("unexpected token");
        }
      }
      function parseTypeExpression() {
        var expr, rangeStart;
        if (token === Token.QUESTION) {
          rangeStart = index - 1;
          consume(Token.QUESTION);
          if (token === Token.COMMA || token === Token.EQUAL || token === Token.RBRACE || token === Token.RPAREN || token === Token.PIPE || token === Token.EOF || token === Token.RBRACK || token === Token.GT) {
            return maybeAddRange({
              type: Syntax.NullableLiteral
            }, [rangeStart, previous]);
          }
          return maybeAddRange({
            type: Syntax.NullableType,
            expression: parseBasicTypeExpression(),
            prefix: true
          }, [rangeStart, previous]);
        } else if (token === Token.BANG) {
          rangeStart = index - 1;
          consume(Token.BANG);
          return maybeAddRange({
            type: Syntax.NonNullableType,
            expression: parseBasicTypeExpression(),
            prefix: true
          }, [rangeStart, previous]);
        } else {
          rangeStart = previous;
        }
        expr = parseBasicTypeExpression();
        if (token === Token.BANG) {
          consume(Token.BANG);
          return maybeAddRange({
            type: Syntax.NonNullableType,
            expression: expr,
            prefix: false
          }, [rangeStart, previous]);
        }
        if (token === Token.QUESTION) {
          consume(Token.QUESTION);
          return maybeAddRange({
            type: Syntax.NullableType,
            expression: expr,
            prefix: false
          }, [rangeStart, previous]);
        }
        if (token === Token.LBRACK) {
          consume(Token.LBRACK);
          expect(Token.RBRACK, "expected an array-style type declaration (" + value + "[])");
          return maybeAddRange({
            type: Syntax.TypeApplication,
            expression: maybeAddRange({
              type: Syntax.NameExpression,
              name: "Array"
            }, [rangeStart, previous]),
            applications: [expr]
          }, [rangeStart, previous]);
        }
        return expr;
      }
      function parseTop() {
        var expr, elements;
        expr = parseTypeExpression();
        if (token !== Token.PIPE) {
          return expr;
        }
        elements = [expr];
        consume(Token.PIPE);
        while (true) {
          elements.push(parseTypeExpression());
          if (token !== Token.PIPE) {
            break;
          }
          consume(Token.PIPE);
        }
        return maybeAddRange({
          type: Syntax.UnionType,
          elements
        }, [0, index]);
      }
      function parseTopParamType() {
        var expr;
        if (token === Token.REST) {
          consume(Token.REST);
          return maybeAddRange({
            type: Syntax.RestType,
            expression: parseTop()
          }, [0, index]);
        }
        expr = parseTop();
        if (token === Token.EQUAL) {
          consume(Token.EQUAL);
          return maybeAddRange({
            type: Syntax.OptionalType,
            expression: expr
          }, [0, index]);
        }
        return expr;
      }
      function parseType(src, opt) {
        var expr;
        source = src;
        length = source.length;
        index = 0;
        previous = 0;
        addRange = opt && opt.range;
        rangeOffset = opt && opt.startIndex || 0;
        next();
        expr = parseTop();
        if (opt && opt.midstream) {
          return {
            expression: expr,
            index: previous
          };
        }
        if (token !== Token.EOF) {
          utility.throwError("not reach to EOF");
        }
        return expr;
      }
      function parseParamType(src, opt) {
        var expr;
        source = src;
        length = source.length;
        index = 0;
        previous = 0;
        addRange = opt && opt.range;
        rangeOffset = opt && opt.startIndex || 0;
        next();
        expr = parseTopParamType();
        if (opt && opt.midstream) {
          return {
            expression: expr,
            index: previous
          };
        }
        if (token !== Token.EOF) {
          utility.throwError("not reach to EOF");
        }
        return expr;
      }
      function stringifyImpl(node, compact, topLevel) {
        var result, i, iz;
        switch (node.type) {
          case Syntax.NullableLiteral:
            result = "?";
            break;
          case Syntax.AllLiteral:
            result = "*";
            break;
          case Syntax.NullLiteral:
            result = "null";
            break;
          case Syntax.UndefinedLiteral:
            result = "undefined";
            break;
          case Syntax.VoidLiteral:
            result = "void";
            break;
          case Syntax.UnionType:
            if (!topLevel) {
              result = "(";
            } else {
              result = "";
            }
            for (i = 0, iz = node.elements.length; i < iz; ++i) {
              result += stringifyImpl(node.elements[i], compact);
              if (i + 1 !== iz) {
                result += compact ? "|" : " | ";
              }
            }
            if (!topLevel) {
              result += ")";
            }
            break;
          case Syntax.ArrayType:
            result = "[";
            for (i = 0, iz = node.elements.length; i < iz; ++i) {
              result += stringifyImpl(node.elements[i], compact);
              if (i + 1 !== iz) {
                result += compact ? "," : ", ";
              }
            }
            result += "]";
            break;
          case Syntax.RecordType:
            result = "{";
            for (i = 0, iz = node.fields.length; i < iz; ++i) {
              result += stringifyImpl(node.fields[i], compact);
              if (i + 1 !== iz) {
                result += compact ? "," : ", ";
              }
            }
            result += "}";
            break;
          case Syntax.FieldType:
            if (node.value) {
              result = node.key + (compact ? ":" : ": ") + stringifyImpl(node.value, compact);
            } else {
              result = node.key;
            }
            break;
          case Syntax.FunctionType:
            result = compact ? "function(" : "function (";
            if (node["this"]) {
              if (node["new"]) {
                result += compact ? "new:" : "new: ";
              } else {
                result += compact ? "this:" : "this: ";
              }
              result += stringifyImpl(node["this"], compact);
              if (node.params.length !== 0) {
                result += compact ? "," : ", ";
              }
            }
            for (i = 0, iz = node.params.length; i < iz; ++i) {
              result += stringifyImpl(node.params[i], compact);
              if (i + 1 !== iz) {
                result += compact ? "," : ", ";
              }
            }
            result += ")";
            if (node.result) {
              result += (compact ? ":" : ": ") + stringifyImpl(node.result, compact);
            }
            break;
          case Syntax.ParameterType:
            result = node.name + (compact ? ":" : ": ") + stringifyImpl(node.expression, compact);
            break;
          case Syntax.RestType:
            result = "...";
            if (node.expression) {
              result += stringifyImpl(node.expression, compact);
            }
            break;
          case Syntax.NonNullableType:
            if (node.prefix) {
              result = "!" + stringifyImpl(node.expression, compact);
            } else {
              result = stringifyImpl(node.expression, compact) + "!";
            }
            break;
          case Syntax.OptionalType:
            result = stringifyImpl(node.expression, compact) + "=";
            break;
          case Syntax.NullableType:
            if (node.prefix) {
              result = "?" + stringifyImpl(node.expression, compact);
            } else {
              result = stringifyImpl(node.expression, compact) + "?";
            }
            break;
          case Syntax.NameExpression:
            result = node.name;
            break;
          case Syntax.TypeApplication:
            result = stringifyImpl(node.expression, compact) + ".<";
            for (i = 0, iz = node.applications.length; i < iz; ++i) {
              result += stringifyImpl(node.applications[i], compact);
              if (i + 1 !== iz) {
                result += compact ? "," : ", ";
              }
            }
            result += ">";
            break;
          case Syntax.StringLiteralType:
            result = '"' + node.value + '"';
            break;
          case Syntax.NumericLiteralType:
            result = String(node.value);
            break;
          case Syntax.BooleanLiteralType:
            result = String(node.value);
            break;
          default:
            utility.throwError("Unknown type " + node.type);
        }
        return result;
      }
      function stringify(node, options) {
        if (options == null) {
          options = {};
        }
        return stringifyImpl(node, options.compact, options.topLevel);
      }
      exports2.parseType = parseType;
      exports2.parseParamType = parseParamType;
      exports2.stringify = stringify;
      exports2.Syntax = Syntax;
    })();
  }
});

// node_modules/.pnpm/doctrine@2.1.0/node_modules/doctrine/lib/doctrine.js
var require_doctrine = __commonJS({
  "node_modules/.pnpm/doctrine@2.1.0/node_modules/doctrine/lib/doctrine.js"(exports2) {
    (function() {
      "use strict";
      var typed, utility, jsdoc, esutils, hasOwnProperty10;
      esutils = require_utils6();
      typed = require_typed();
      utility = require_utility();
      function sliceSource(source, index, last) {
        return source.slice(index, last);
      }
      hasOwnProperty10 = /* @__PURE__ */ function() {
        var func = Object.prototype.hasOwnProperty;
        return function hasOwnProperty11(obj, name) {
          return func.call(obj, name);
        };
      }();
      function shallowCopy(obj) {
        var ret = {}, key;
        for (key in obj) {
          if (obj.hasOwnProperty(key)) {
            ret[key] = obj[key];
          }
        }
        return ret;
      }
      function isASCIIAlphanumeric(ch) {
        return ch >= 97 && ch <= 122 || ch >= 65 && ch <= 90 || ch >= 48 && ch <= 57;
      }
      function isParamTitle(title) {
        return title === "param" || title === "argument" || title === "arg";
      }
      function isReturnTitle(title) {
        return title === "return" || title === "returns";
      }
      function isProperty2(title) {
        return title === "property" || title === "prop";
      }
      function isNameParameterRequired(title) {
        return isParamTitle(title) || isProperty2(title) || title === "alias" || title === "this" || title === "mixes" || title === "requires";
      }
      function isAllowedName(title) {
        return isNameParameterRequired(title) || title === "const" || title === "constant";
      }
      function isAllowedNested(title) {
        return isProperty2(title) || isParamTitle(title);
      }
      function isAllowedOptional(title) {
        return isProperty2(title) || isParamTitle(title);
      }
      function isTypeParameterRequired(title) {
        return isParamTitle(title) || isReturnTitle(title) || title === "define" || title === "enum" || title === "implements" || title === "this" || title === "type" || title === "typedef" || isProperty2(title);
      }
      function isAllowedType(title) {
        return isTypeParameterRequired(title) || title === "throws" || title === "const" || title === "constant" || title === "namespace" || title === "member" || title === "var" || title === "module" || title === "constructor" || title === "class" || title === "extends" || title === "augments" || title === "public" || title === "private" || title === "protected";
      }
      var WHITESPACE = "[ \\f\\t\\v\\u00a0\\u1680\\u180e\\u2000-\\u200a\\u202f\\u205f\\u3000\\ufeff]";
      var STAR_MATCHER = "(" + WHITESPACE + "*(?:\\*" + WHITESPACE + "?)?)(.+|[\r\n\u2028\u2029])";
      function unwrapComment(doc) {
        return doc.replace(/^\/\*\*?/, "").replace(/\*\/$/, "").replace(new RegExp(STAR_MATCHER, "g"), "$2").replace(/\s*$/, "");
      }
      function convertUnwrappedCommentIndex(originalSource, unwrappedIndex) {
        var replacedSource = originalSource.replace(/^\/\*\*?/, "");
        var numSkippedChars = 0;
        var matcher = new RegExp(STAR_MATCHER, "g");
        var match;
        while (match = matcher.exec(replacedSource)) {
          numSkippedChars += match[1].length;
          if (match.index + match[0].length > unwrappedIndex + numSkippedChars) {
            return unwrappedIndex + numSkippedChars + originalSource.length - replacedSource.length;
          }
        }
        return originalSource.replace(/\*\/$/, "").replace(/\s*$/, "").length;
      }
      (function(exports3) {
        var Rules, index, lineNumber, length, source, originalSource, recoverable, sloppy, strict;
        function advance() {
          var ch = source.charCodeAt(index);
          index += 1;
          if (esutils.code.isLineTerminator(ch) && !(ch === 13 && source.charCodeAt(index) === 10)) {
            lineNumber += 1;
          }
          return String.fromCharCode(ch);
        }
        function scanTitle() {
          var title = "";
          advance();
          while (index < length && isASCIIAlphanumeric(source.charCodeAt(index))) {
            title += advance();
          }
          return title;
        }
        function seekContent() {
          var ch, waiting, last = index;
          waiting = false;
          while (last < length) {
            ch = source.charCodeAt(last);
            if (esutils.code.isLineTerminator(ch) && !(ch === 13 && source.charCodeAt(last + 1) === 10)) {
              waiting = true;
            } else if (waiting) {
              if (ch === 64) {
                break;
              }
              if (!esutils.code.isWhiteSpace(ch)) {
                waiting = false;
              }
            }
            last += 1;
          }
          return last;
        }
        function parseType(title, last, addRange) {
          var ch, brace, type, startIndex, direct = false;
          while (index < last) {
            ch = source.charCodeAt(index);
            if (esutils.code.isWhiteSpace(ch)) {
              advance();
            } else if (ch === 123) {
              advance();
              break;
            } else {
              direct = true;
              break;
            }
          }
          if (direct) {
            return null;
          }
          brace = 1;
          type = "";
          while (index < last) {
            ch = source.charCodeAt(index);
            if (esutils.code.isLineTerminator(ch)) {
              advance();
            } else {
              if (ch === 125) {
                brace -= 1;
                if (brace === 0) {
                  advance();
                  break;
                }
              } else if (ch === 123) {
                brace += 1;
              }
              if (type === "") {
                startIndex = index;
              }
              type += advance();
            }
          }
          if (brace !== 0) {
            return utility.throwError("Braces are not balanced");
          }
          if (isAllowedOptional(title)) {
            return typed.parseParamType(type, { startIndex: convertIndex(startIndex), range: addRange });
          }
          return typed.parseType(type, { startIndex: convertIndex(startIndex), range: addRange });
        }
        function scanIdentifier(last) {
          var identifier;
          if (!esutils.code.isIdentifierStartES5(source.charCodeAt(index)) && !source[index].match(/[0-9]/)) {
            return null;
          }
          identifier = advance();
          while (index < last && esutils.code.isIdentifierPartES5(source.charCodeAt(index))) {
            identifier += advance();
          }
          return identifier;
        }
        function skipWhiteSpace(last) {
          while (index < last && (esutils.code.isWhiteSpace(source.charCodeAt(index)) || esutils.code.isLineTerminator(source.charCodeAt(index)))) {
            advance();
          }
        }
        function parseName(last, allowBrackets, allowNestedParams) {
          var name = "", useBrackets, insideString;
          skipWhiteSpace(last);
          if (index >= last) {
            return null;
          }
          if (source.charCodeAt(index) === 91) {
            if (allowBrackets) {
              useBrackets = true;
              name = advance();
            } else {
              return null;
            }
          }
          name += scanIdentifier(last);
          if (allowNestedParams) {
            if (source.charCodeAt(index) === 58 && (name === "module" || name === "external" || name === "event")) {
              name += advance();
              name += scanIdentifier(last);
            }
            if (source.charCodeAt(index) === 91 && source.charCodeAt(index + 1) === 93) {
              name += advance();
              name += advance();
            }
            while (source.charCodeAt(index) === 46 || source.charCodeAt(index) === 47 || source.charCodeAt(index) === 35 || source.charCodeAt(index) === 45 || source.charCodeAt(index) === 126) {
              name += advance();
              name += scanIdentifier(last);
            }
          }
          if (useBrackets) {
            skipWhiteSpace(last);
            if (source.charCodeAt(index) === 61) {
              name += advance();
              skipWhiteSpace(last);
              var ch;
              var bracketDepth = 1;
              while (index < last) {
                ch = source.charCodeAt(index);
                if (esutils.code.isWhiteSpace(ch)) {
                  if (!insideString) {
                    skipWhiteSpace(last);
                    ch = source.charCodeAt(index);
                  }
                }
                if (ch === 39) {
                  if (!insideString) {
                    insideString = "'";
                  } else {
                    if (insideString === "'") {
                      insideString = "";
                    }
                  }
                }
                if (ch === 34) {
                  if (!insideString) {
                    insideString = '"';
                  } else {
                    if (insideString === '"') {
                      insideString = "";
                    }
                  }
                }
                if (ch === 91) {
                  bracketDepth++;
                } else if (ch === 93 && --bracketDepth === 0) {
                  break;
                }
                name += advance();
              }
            }
            skipWhiteSpace(last);
            if (index >= last || source.charCodeAt(index) !== 93) {
              return null;
            }
            name += advance();
          }
          return name;
        }
        function skipToTag() {
          while (index < length && source.charCodeAt(index) !== 64) {
            advance();
          }
          if (index >= length) {
            return false;
          }
          utility.assert(
            source.charCodeAt(index) === 64
            /* '@' */
          );
          return true;
        }
        function convertIndex(rangeIndex) {
          if (source === originalSource) {
            return rangeIndex;
          }
          return convertUnwrappedCommentIndex(originalSource, rangeIndex);
        }
        function TagParser(options, title) {
          this._options = options;
          this._title = title.toLowerCase();
          this._tag = {
            title,
            description: null
          };
          if (this._options.lineNumbers) {
            this._tag.lineNumber = lineNumber;
          }
          this._first = index - title.length - 1;
          this._last = 0;
          this._extra = {};
        }
        TagParser.prototype.addError = function addError(errorText) {
          var args = Array.prototype.slice.call(arguments, 1), msg = errorText.replace(
            /%(\d)/g,
            function(whole, index2) {
              utility.assert(index2 < args.length, "Message reference must be in range");
              return args[index2];
            }
          );
          if (!this._tag.errors) {
            this._tag.errors = [];
          }
          if (strict) {
            utility.throwError(msg);
          }
          this._tag.errors.push(msg);
          return recoverable;
        };
        TagParser.prototype.parseType = function() {
          if (isTypeParameterRequired(this._title)) {
            try {
              this._tag.type = parseType(this._title, this._last, this._options.range);
              if (!this._tag.type) {
                if (!isParamTitle(this._title) && !isReturnTitle(this._title)) {
                  if (!this.addError("Missing or invalid tag type")) {
                    return false;
                  }
                }
              }
            } catch (error) {
              this._tag.type = null;
              if (!this.addError(error.message)) {
                return false;
              }
            }
          } else if (isAllowedType(this._title)) {
            try {
              this._tag.type = parseType(this._title, this._last, this._options.range);
            } catch (e) {
            }
          }
          return true;
        };
        TagParser.prototype._parseNamePath = function(optional) {
          var name;
          name = parseName(this._last, sloppy && isAllowedOptional(this._title), true);
          if (!name) {
            if (!optional) {
              if (!this.addError("Missing or invalid tag name")) {
                return false;
              }
            }
          }
          this._tag.name = name;
          return true;
        };
        TagParser.prototype.parseNamePath = function() {
          return this._parseNamePath(false);
        };
        TagParser.prototype.parseNamePathOptional = function() {
          return this._parseNamePath(true);
        };
        TagParser.prototype.parseName = function() {
          var assign, name;
          if (isAllowedName(this._title)) {
            this._tag.name = parseName(this._last, sloppy && isAllowedOptional(this._title), isAllowedNested(this._title));
            if (!this._tag.name) {
              if (!isNameParameterRequired(this._title)) {
                return true;
              }
              if (isParamTitle(this._title) && this._tag.type && this._tag.type.name) {
                this._extra.name = this._tag.type;
                this._tag.name = this._tag.type.name;
                this._tag.type = null;
              } else {
                if (!this.addError("Missing or invalid tag name")) {
                  return false;
                }
              }
            } else {
              name = this._tag.name;
              if (name.charAt(0) === "[" && name.charAt(name.length - 1) === "]") {
                assign = name.substring(1, name.length - 1).split("=");
                if (assign.length > 1) {
                  this._tag["default"] = assign.slice(1).join("=");
                }
                this._tag.name = assign[0];
                if (this._tag.type && this._tag.type.type !== "OptionalType") {
                  this._tag.type = {
                    type: "OptionalType",
                    expression: this._tag.type
                  };
                }
              }
            }
          }
          return true;
        };
        TagParser.prototype.parseDescription = function parseDescription() {
          var description = sliceSource(source, index, this._last).trim();
          if (description) {
            if (/^-\s+/.test(description)) {
              description = description.substring(2);
            }
            this._tag.description = description;
          }
          return true;
        };
        TagParser.prototype.parseCaption = function parseDescription() {
          var description = sliceSource(source, index, this._last).trim();
          var captionStartTag = "";
          var captionEndTag = "";
          var captionStart = description.indexOf(captionStartTag);
          var captionEnd = description.indexOf(captionEndTag);
          if (captionStart >= 0 && captionEnd >= 0) {
            this._tag.caption = description.substring(
              captionStart + captionStartTag.length,
              captionEnd
            ).trim();
            this._tag.description = description.substring(captionEnd + captionEndTag.length).trim();
          } else {
            this._tag.description = description;
          }
          return true;
        };
        TagParser.prototype.parseKind = function parseKind() {
          var kind, kinds;
          kinds = {
            "class": true,
            "constant": true,
            "event": true,
            "external": true,
            "file": true,
            "function": true,
            "member": true,
            "mixin": true,
            "module": true,
            "namespace": true,
            "typedef": true
          };
          kind = sliceSource(source, index, this._last).trim();
          this._tag.kind = kind;
          if (!hasOwnProperty10(kinds, kind)) {
            if (!this.addError("Invalid kind name '%0'", kind)) {
              return false;
            }
          }
          return true;
        };
        TagParser.prototype.parseAccess = function parseAccess() {
          var access;
          access = sliceSource(source, index, this._last).trim();
          this._tag.access = access;
          if (access !== "private" && access !== "protected" && access !== "public") {
            if (!this.addError("Invalid access name '%0'", access)) {
              return false;
            }
          }
          return true;
        };
        TagParser.prototype.parseThis = function parseThis() {
          var value = sliceSource(source, index, this._last).trim();
          if (value && value.charAt(0) === "{") {
            var gotType = this.parseType();
            if (gotType && this._tag.type.type === "NameExpression" || this._tag.type.type === "UnionType") {
              this._tag.name = this._tag.type.name;
              return true;
            } else {
              return this.addError("Invalid name for this");
            }
          } else {
            return this.parseNamePath();
          }
        };
        TagParser.prototype.parseVariation = function parseVariation() {
          var variation, text;
          text = sliceSource(source, index, this._last).trim();
          variation = parseFloat(text, 10);
          this._tag.variation = variation;
          if (isNaN(variation)) {
            if (!this.addError("Invalid variation '%0'", text)) {
              return false;
            }
          }
          return true;
        };
        TagParser.prototype.ensureEnd = function() {
          var shouldBeEmpty = sliceSource(source, index, this._last).trim();
          if (shouldBeEmpty) {
            if (!this.addError("Unknown content '%0'", shouldBeEmpty)) {
              return false;
            }
          }
          return true;
        };
        TagParser.prototype.epilogue = function epilogue() {
          var description;
          description = this._tag.description;
          if (isAllowedOptional(this._title) && !this._tag.type && description && description.charAt(0) === "[") {
            this._tag.type = this._extra.name;
            if (!this._tag.name) {
              this._tag.name = void 0;
            }
            if (!sloppy) {
              if (!this.addError("Missing or invalid tag name")) {
                return false;
              }
            }
          }
          return true;
        };
        Rules = {
          // http://usejsdoc.org/tags-access.html
          "access": ["parseAccess"],
          // http://usejsdoc.org/tags-alias.html
          "alias": ["parseNamePath", "ensureEnd"],
          // http://usejsdoc.org/tags-augments.html
          "augments": ["parseType", "parseNamePathOptional", "ensureEnd"],
          // http://usejsdoc.org/tags-constructor.html
          "constructor": ["parseType", "parseNamePathOptional", "ensureEnd"],
          // Synonym: http://usejsdoc.org/tags-constructor.html
          "class": ["parseType", "parseNamePathOptional", "ensureEnd"],
          // Synonym: http://usejsdoc.org/tags-extends.html
          "extends": ["parseType", "parseNamePathOptional", "ensureEnd"],
          // http://usejsdoc.org/tags-example.html
          "example": ["parseCaption"],
          // http://usejsdoc.org/tags-deprecated.html
          "deprecated": ["parseDescription"],
          // http://usejsdoc.org/tags-global.html
          "global": ["ensureEnd"],
          // http://usejsdoc.org/tags-inner.html
          "inner": ["ensureEnd"],
          // http://usejsdoc.org/tags-instance.html
          "instance": ["ensureEnd"],
          // http://usejsdoc.org/tags-kind.html
          "kind": ["parseKind"],
          // http://usejsdoc.org/tags-mixes.html
          "mixes": ["parseNamePath", "ensureEnd"],
          // http://usejsdoc.org/tags-mixin.html
          "mixin": ["parseNamePathOptional", "ensureEnd"],
          // http://usejsdoc.org/tags-member.html
          "member": ["parseType", "parseNamePathOptional", "ensureEnd"],
          // http://usejsdoc.org/tags-method.html
          "method": ["parseNamePathOptional", "ensureEnd"],
          // http://usejsdoc.org/tags-module.html
          "module": ["parseType", "parseNamePathOptional", "ensureEnd"],
          // Synonym: http://usejsdoc.org/tags-method.html
          "func": ["parseNamePathOptional", "ensureEnd"],
          // Synonym: http://usejsdoc.org/tags-method.html
          "function": ["parseNamePathOptional", "ensureEnd"],
          // Synonym: http://usejsdoc.org/tags-member.html
          "var": ["parseType", "parseNamePathOptional", "ensureEnd"],
          // http://usejsdoc.org/tags-name.html
          "name": ["parseNamePath", "ensureEnd"],
          // http://usejsdoc.org/tags-namespace.html
          "namespace": ["parseType", "parseNamePathOptional", "ensureEnd"],
          // http://usejsdoc.org/tags-private.html
          "private": ["parseType", "parseDescription"],
          // http://usejsdoc.org/tags-protected.html
          "protected": ["parseType", "parseDescription"],
          // http://usejsdoc.org/tags-public.html
          "public": ["parseType", "parseDescription"],
          // http://usejsdoc.org/tags-readonly.html
          "readonly": ["ensureEnd"],
          // http://usejsdoc.org/tags-requires.html
          "requires": ["parseNamePath", "ensureEnd"],
          // http://usejsdoc.org/tags-since.html
          "since": ["parseDescription"],
          // http://usejsdoc.org/tags-static.html
          "static": ["ensureEnd"],
          // http://usejsdoc.org/tags-summary.html
          "summary": ["parseDescription"],
          // http://usejsdoc.org/tags-this.html
          "this": ["parseThis", "ensureEnd"],
          // http://usejsdoc.org/tags-todo.html
          "todo": ["parseDescription"],
          // http://usejsdoc.org/tags-typedef.html
          "typedef": ["parseType", "parseNamePathOptional"],
          // http://usejsdoc.org/tags-variation.html
          "variation": ["parseVariation"],
          // http://usejsdoc.org/tags-version.html
          "version": ["parseDescription"]
        };
        TagParser.prototype.parse = function parse3() {
          var i, iz, sequences, method;
          if (!this._title) {
            if (!this.addError("Missing or invalid title")) {
              return null;
            }
          }
          this._last = seekContent(this._title);
          if (this._options.range) {
            this._tag.range = [this._first, source.slice(0, this._last).replace(/\s*$/, "").length].map(convertIndex);
          }
          if (hasOwnProperty10(Rules, this._title)) {
            sequences = Rules[this._title];
          } else {
            sequences = ["parseType", "parseName", "parseDescription", "epilogue"];
          }
          for (i = 0, iz = sequences.length; i < iz; ++i) {
            method = sequences[i];
            if (!this[method]()) {
              return null;
            }
          }
          return this._tag;
        };
        function parseTag(options) {
          var title, parser, tag;
          if (!skipToTag()) {
            return null;
          }
          title = scanTitle();
          parser = new TagParser(options, title);
          tag = parser.parse();
          while (index < parser._last) {
            advance();
          }
          return tag;
        }
        function scanJSDocDescription(preserveWhitespace) {
          var description = "", ch, atAllowed;
          atAllowed = true;
          while (index < length) {
            ch = source.charCodeAt(index);
            if (atAllowed && ch === 64) {
              break;
            }
            if (esutils.code.isLineTerminator(ch)) {
              atAllowed = true;
            } else if (atAllowed && !esutils.code.isWhiteSpace(ch)) {
              atAllowed = false;
            }
            description += advance();
          }
          return preserveWhitespace ? description : description.trim();
        }
        function parse2(comment, options) {
          var tags = [], tag, description, interestingTags, i, iz;
          if (options === void 0) {
            options = {};
          }
          if (typeof options.unwrap === "boolean" && options.unwrap) {
            source = unwrapComment(comment);
          } else {
            source = comment;
          }
          originalSource = comment;
          if (options.tags) {
            if (Array.isArray(options.tags)) {
              interestingTags = {};
              for (i = 0, iz = options.tags.length; i < iz; i++) {
                if (typeof options.tags[i] === "string") {
                  interestingTags[options.tags[i]] = true;
                } else {
                  utility.throwError('Invalid "tags" parameter: ' + options.tags);
                }
              }
            } else {
              utility.throwError('Invalid "tags" parameter: ' + options.tags);
            }
          }
          length = source.length;
          index = 0;
          lineNumber = 0;
          recoverable = options.recoverable;
          sloppy = options.sloppy;
          strict = options.strict;
          description = scanJSDocDescription(options.preserveWhitespace);
          while (true) {
            tag = parseTag(options);
            if (!tag) {
              break;
            }
            if (!interestingTags || interestingTags.hasOwnProperty(tag.title)) {
              tags.push(tag);
            }
          }
          return {
            description,
            tags
          };
        }
        exports3.parse = parse2;
      })(jsdoc = {});
      exports2.version = utility.VERSION;
      exports2.parse = jsdoc.parse;
      exports2.parseType = typed.parseType;
      exports2.parseParamType = typed.parseParamType;
      exports2.unwrapComment = unwrapComment;
      exports2.Syntax = shallowCopy(typed.Syntax);
      exports2.Error = utility.DoctrineError;
      exports2.type = {
        Syntax: exports2.Syntax,
        parseType: typed.parseType,
        parseParamType: typed.parseParamType,
        stringify: typed.stringify
      };
    })();
  }
});

// node_modules/.pnpm/debug@3.2.7/node_modules/debug/src/common.js
var require_common5 = __commonJS({
  "node_modules/.pnpm/debug@3.2.7/node_modules/debug/src/common.js"(exports2, module2) {
    "use strict";
    function setup(env) {
      createDebug2.debug = createDebug2;
      createDebug2.default = createDebug2;
      createDebug2.coerce = coerce2;
      createDebug2.disable = disable;
      createDebug2.enable = enable;
      createDebug2.enabled = enabled;
      createDebug2.humanize = require_ms2();
      Object.keys(env).forEach(function(key) {
        createDebug2[key] = env[key];
      });
      createDebug2.instances = [];
      createDebug2.names = [];
      createDebug2.skips = [];
      createDebug2.formatters = {};
      function selectColor(namespace) {
        var hash = 0;
        for (var i = 0; i < namespace.length; i++) {
          hash = (hash << 5) - hash + namespace.charCodeAt(i);
          hash |= 0;
        }
        return createDebug2.colors[Math.abs(hash) % createDebug2.colors.length];
      }
      createDebug2.selectColor = selectColor;
      function createDebug2(namespace) {
        var prevTime;
        function debug5() {
          if (!debug5.enabled) {
            return;
          }
          for (var _len = arguments.length, args = new Array(_len), _key = 0; _key < _len; _key++) {
            args[_key] = arguments[_key];
          }
          var self2 = debug5;
          var curr = Number(/* @__PURE__ */ new Date());
          var ms = curr - (prevTime || curr);
          self2.diff = ms;
          self2.prev = prevTime;
          self2.curr = curr;
          prevTime = curr;
          args[0] = createDebug2.coerce(args[0]);
          if (typeof args[0] !== "string") {
            args.unshift("%O");
          }
          var index = 0;
          args[0] = args[0].replace(/%([a-zA-Z%])/g, function(match, format2) {
            if (match === "%%") {
              return match;
            }
            index++;
            var formatter = createDebug2.formatters[format2];
            if (typeof formatter === "function") {
              var val = args[index];
              match = formatter.call(self2, val);
              args.splice(index, 1);
              index--;
            }
            return match;
          });
          createDebug2.formatArgs.call(self2, args);
          var logFn = self2.log || createDebug2.log;
          logFn.apply(self2, args);
        }
        debug5.namespace = namespace;
        debug5.enabled = createDebug2.enabled(namespace);
        debug5.useColors = createDebug2.useColors();
        debug5.color = selectColor(namespace);
        debug5.destroy = destroy;
        debug5.extend = extend;
        if (typeof createDebug2.init === "function") {
          createDebug2.init(debug5);
        }
        createDebug2.instances.push(debug5);
        return debug5;
      }
      function destroy() {
        var index = createDebug2.instances.indexOf(this);
        if (index !== -1) {
          createDebug2.instances.splice(index, 1);
          return true;
        }
        return false;
      }
      function extend(namespace, delimiter2) {
        return createDebug2(this.namespace + (typeof delimiter2 === "undefined" ? ":" : delimiter2) + namespace);
      }
      function enable(namespaces) {
        createDebug2.save(namespaces);
        createDebug2.names = [];
        createDebug2.skips = [];
        var i;
        var split = (typeof namespaces === "string" ? namespaces : "").split(/[\s,]+/);
        var len = split.length;
        for (i = 0; i < len; i++) {
          if (!split[i]) {
            continue;
          }
          namespaces = split[i].replace(/\*/g, ".*?");
          if (namespaces[0] === "-") {
            createDebug2.skips.push(new RegExp("^" + namespaces.substr(1) + "$"));
          } else {
            createDebug2.names.push(new RegExp("^" + namespaces + "$"));
          }
        }
        for (i = 0; i < createDebug2.instances.length; i++) {
          var instance = createDebug2.instances[i];
          instance.enabled = createDebug2.enabled(instance.namespace);
        }
      }
      function disable() {
        createDebug2.enable("");
      }
      function enabled(name) {
        if (name[name.length - 1] === "*") {
          return true;
        }
        var i;
        var len;
        for (i = 0, len = createDebug2.skips.length; i < len; i++) {
          if (createDebug2.skips[i].test(name)) {
            return false;
          }
        }
        for (i = 0, len = createDebug2.names.length; i < len; i++) {
          if (createDebug2.names[i].test(name)) {
            return true;
          }
        }
        return false;
      }
      function coerce2(val) {
        if (val instanceof Error) {
          return val.stack || val.message;
        }
        return val;
      }
      createDebug2.enable(createDebug2.load());
      return createDebug2;
    }
    module2.exports = setup;
  }
});

// node_modules/.pnpm/debug@3.2.7/node_modules/debug/src/browser.js
var require_browser3 = __commonJS({
  "node_modules/.pnpm/debug@3.2.7/node_modules/debug/src/browser.js"(exports2, module2) {
    "use strict";
    function _typeof(obj) {
      if (typeof Symbol === "function" && typeof Symbol.iterator === "symbol") {
        _typeof = function _typeof2(obj2) {
          return typeof obj2;
        };
      } else {
        _typeof = function _typeof2(obj2) {
          return obj2 && typeof Symbol === "function" && obj2.constructor === Symbol && obj2 !== Symbol.prototype ? "symbol" : typeof obj2;
        };
      }
      return _typeof(obj);
    }
    exports2.log = log;
    exports2.formatArgs = formatArgs;
    exports2.save = save;
    exports2.load = load;
    exports2.useColors = useColors;
    exports2.storage = localstorage();
    exports2.colors = ["#0000CC", "#0000FF", "#0033CC", "#0033FF", "#0066CC", "#0066FF", "#0099CC", "#0099FF", "#00CC00", "#00CC33", "#00CC66", "#00CC99", "#00CCCC", "#00CCFF", "#3300CC", "#3300FF", "#3333CC", "#3333FF", "#3366CC", "#3366FF", "#3399CC", "#3399FF", "#33CC00", "#33CC33", "#33CC66", "#33CC99", "#33CCCC", "#33CCFF", "#6600CC", "#6600FF", "#6633CC", "#6633FF", "#66CC00", "#66CC33", "#9900CC", "#9900FF", "#9933CC", "#9933FF", "#99CC00", "#99CC33", "#CC0000", "#CC0033", "#CC0066", "#CC0099", "#CC00CC", "#CC00FF", "#CC3300", "#CC3333", "#CC3366", "#CC3399", "#CC33CC", "#CC33FF", "#CC6600", "#CC6633", "#CC9900", "#CC9933", "#CCCC00", "#CCCC33", "#FF0000", "#FF0033", "#FF0066", "#FF0099", "#FF00CC", "#FF00FF", "#FF3300", "#FF3333", "#FF3366", "#FF3399", "#FF33CC", "#FF33FF", "#FF6600", "#FF6633", "#FF9900", "#FF9933", "#FFCC00", "#FFCC33"];
    function useColors() {
      if (typeof window !== "undefined" && window.process && (window.process.type === "renderer" || window.process.__nwjs)) {
        return true;
      }
      if (typeof navigator !== "undefined" && navigator.userAgent && navigator.userAgent.toLowerCase().match(/(edge|trident)\/(\d+)/)) {
        return false;
      }
      return typeof document !== "undefined" && document.documentElement && document.documentElement.style && document.documentElement.style.WebkitAppearance || // Is firebug? http://stackoverflow.com/a/398120/376773
      typeof window !== "undefined" && window.console && (window.console.firebug || window.console.exception && window.console.table) || // Is firefox >= v31?
      // https://developer.mozilla.org/en-US/docs/Tools/Web_Console#Styling_messages
      typeof navigator !== "undefined" && navigator.userAgent && navigator.userAgent.toLowerCase().match(/firefox\/(\d+)/) && parseInt(RegExp.$1, 10) >= 31 || // Double check webkit in userAgent just in case we are in a worker
      typeof navigator !== "undefined" && navigator.userAgent && navigator.userAgent.toLowerCase().match(/applewebkit\/(\d+)/);
    }
    function formatArgs(args) {
      args[0] = (this.useColors ? "%c" : "") + this.namespace + (this.useColors ? " %c" : " ") + args[0] + (this.useColors ? "%c " : " ") + "+" + module2.exports.humanize(this.diff);
      if (!this.useColors) {
        return;
      }
      var c = "color: " + this.color;
      args.splice(1, 0, c, "color: inherit");
      var index = 0;
      var lastC = 0;
      args[0].replace(/%[a-zA-Z%]/g, function(match) {
        if (match === "%%") {
          return;
        }
        index++;
        if (match === "%c") {
          lastC = index;
        }
      });
      args.splice(lastC, 0, c);
    }
    function log() {
      var _console;
      return (typeof console === "undefined" ? "undefined" : _typeof(console)) === "object" && console.log && (_console = console).log.apply(_console, arguments);
    }
    function save(namespaces) {
      try {
        if (namespaces) {
          exports2.storage.setItem("debug", namespaces);
        } else {
          exports2.storage.removeItem("debug");
        }
      } catch (error) {
      }
    }
    function load() {
      var r;
      try {
        r = exports2.storage.getItem("debug");
      } catch (error) {
      }
      if (!r && typeof process !== "undefined" && "env" in process) {
        r = process.env.DEBUG;
      }
      return r;
    }
    function localstorage() {
      try {
        return localStorage;
      } catch (error) {
      }
    }
    module2.exports = require_common5()(exports2);
    var formatters = module2.exports.formatters;
    formatters.j = function(v) {
      try {
        return JSON.stringify(v);
      } catch (error) {
        return "[UnexpectedJSONParseError]: " + error.message;
      }
    };
  }
});

// node_modules/.pnpm/debug@3.2.7/node_modules/debug/src/node.js
var require_node3 = __commonJS({
  "node_modules/.pnpm/debug@3.2.7/node_modules/debug/src/node.js"(exports2, module2) {
    "use strict";
    var tty = require("tty");
    var util5 = require("util");
    exports2.init = init;
    exports2.log = log;
    exports2.formatArgs = formatArgs;
    exports2.save = save;
    exports2.load = load;
    exports2.useColors = useColors;
    exports2.colors = [6, 2, 3, 4, 5, 1];
    try {
      supportsColor = require_supports_color();
      if (supportsColor && (supportsColor.stderr || supportsColor).level >= 2) {
        exports2.colors = [20, 21, 26, 27, 32, 33, 38, 39, 40, 41, 42, 43, 44, 45, 56, 57, 62, 63, 68, 69, 74, 75, 76, 77, 78, 79, 80, 81, 92, 93, 98, 99, 112, 113, 128, 129, 134, 135, 148, 149, 160, 161, 162, 163, 164, 165, 166, 167, 168, 169, 170, 171, 172, 173, 178, 179, 184, 185, 196, 197, 198, 199, 200, 201, 202, 203, 204, 205, 206, 207, 208, 209, 214, 215, 220, 221];
      }
    } catch (error) {
    }
    var supportsColor;
    exports2.inspectOpts = Object.keys(process.env).filter(function(key) {
      return /^debug_/i.test(key);
    }).reduce(function(obj, key) {
      var prop = key.substring(6).toLowerCase().replace(/_([a-z])/g, function(_, k) {
        return k.toUpperCase();
      });
      var val = process.env[key];
      if (/^(yes|on|true|enabled)$/i.test(val)) {
        val = true;
      } else if (/^(no|off|false|disabled)$/i.test(val)) {
        val = false;
      } else if (val === "null") {
        val = null;
      } else {
        val = Number(val);
      }
      obj[prop] = val;
      return obj;
    }, {});
    function useColors() {
      return "colors" in exports2.inspectOpts ? Boolean(exports2.inspectOpts.colors) : tty.isatty(process.stderr.fd);
    }
    function formatArgs(args) {
      var name = this.namespace, useColors2 = this.useColors;
      if (useColors2) {
        var c = this.color;
        var colorCode = "\x1B[3" + (c < 8 ? c : "8;5;" + c);
        var prefix = "  ".concat(colorCode, ";1m").concat(name, " \x1B[0m");
        args[0] = prefix + args[0].split("\n").join("\n" + prefix);
        args.push(colorCode + "m+" + module2.exports.humanize(this.diff) + "\x1B[0m");
      } else {
        args[0] = getDate() + name + " " + args[0];
      }
    }
    function getDate() {
      if (exports2.inspectOpts.hideDate) {
        return "";
      }
      return (/* @__PURE__ */ new Date()).toISOString() + " ";
    }
    function log() {
      return process.stderr.write(util5.format.apply(util5, arguments) + "\n");
    }
    function save(namespaces) {
      if (namespaces) {
        process.env.DEBUG = namespaces;
      } else {
        delete process.env.DEBUG;
      }
    }
    function load() {
      return process.env.DEBUG;
    }
    function init(debug5) {
      debug5.inspectOpts = {};
      var keys2 = Object.keys(exports2.inspectOpts);
      for (var i = 0; i < keys2.length; i++) {
        debug5.inspectOpts[keys2[i]] = exports2.inspectOpts[keys2[i]];
      }
    }
    module2.exports = require_common5()(exports2);
    var formatters = module2.exports.formatters;
    formatters.o = function(v) {
      this.inspectOpts.colors = this.useColors;
      return util5.inspect(v, this.inspectOpts).split("\n").map(function(str) {
        return str.trim();
      }).join(" ");
    };
    formatters.O = function(v) {
      this.inspectOpts.colors = this.useColors;
      return util5.inspect(v, this.inspectOpts);
    };
  }
});

// node_modules/.pnpm/debug@3.2.7/node_modules/debug/src/index.js
var require_src3 = __commonJS({
  "node_modules/.pnpm/debug@3.2.7/node_modules/debug/src/index.js"(exports2, module2) {
    "use strict";
    if (typeof process === "undefined" || process.type === "renderer" || process.browser === true || process.__nwjs) {
      module2.exports = require_browser3();
    } else {
      module2.exports = require_node3();
    }
  }
});

// node_modules/.pnpm/json5@1.0.2/node_modules/json5/lib/unicode.js
var require_unicode = __commonJS({
  "node_modules/.pnpm/json5@1.0.2/node_modules/json5/lib/unicode.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var Space_Separator = exports2.Space_Separator = /[\u1680\u2000-\u200A\u202F\u205F\u3000]/;
    var ID_Start = exports2.ID_Start = /[\xAA\xB5\xBA\xC0-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0370-\u0374\u0376\u0377\u037A-\u037D\u037F\u0386\u0388-\u038A\u038C\u038E-\u03A1\u03A3-\u03F5\u03F7-\u0481\u048A-\u052F\u0531-\u0556\u0559\u0561-\u0587\u05D0-\u05EA\u05F0-\u05F2\u0620-\u064A\u066E\u066F\u0671-\u06D3\u06D5\u06E5\u06E6\u06EE\u06EF\u06FA-\u06FC\u06FF\u0710\u0712-\u072F\u074D-\u07A5\u07B1\u07CA-\u07EA\u07F4\u07F5\u07FA\u0800-\u0815\u081A\u0824\u0828\u0840-\u0858\u08A0-\u08B4\u08B6-\u08BD\u0904-\u0939\u093D\u0950\u0958-\u0961\u0971-\u0980\u0985-\u098C\u098F\u0990\u0993-\u09A8\u09AA-\u09B0\u09B2\u09B6-\u09B9\u09BD\u09CE\u09DC\u09DD\u09DF-\u09E1\u09F0\u09F1\u0A05-\u0A0A\u0A0F\u0A10\u0A13-\u0A28\u0A2A-\u0A30\u0A32\u0A33\u0A35\u0A36\u0A38\u0A39\u0A59-\u0A5C\u0A5E\u0A72-\u0A74\u0A85-\u0A8D\u0A8F-\u0A91\u0A93-\u0AA8\u0AAA-\u0AB0\u0AB2\u0AB3\u0AB5-\u0AB9\u0ABD\u0AD0\u0AE0\u0AE1\u0AF9\u0B05-\u0B0C\u0B0F\u0B10\u0B13-\u0B28\u0B2A-\u0B30\u0B32\u0B33\u0B35-\u0B39\u0B3D\u0B5C\u0B5D\u0B5F-\u0B61\u0B71\u0B83\u0B85-\u0B8A\u0B8E-\u0B90\u0B92-\u0B95\u0B99\u0B9A\u0B9C\u0B9E\u0B9F\u0BA3\u0BA4\u0BA8-\u0BAA\u0BAE-\u0BB9\u0BD0\u0C05-\u0C0C\u0C0E-\u0C10\u0C12-\u0C28\u0C2A-\u0C39\u0C3D\u0C58-\u0C5A\u0C60\u0C61\u0C80\u0C85-\u0C8C\u0C8E-\u0C90\u0C92-\u0CA8\u0CAA-\u0CB3\u0CB5-\u0CB9\u0CBD\u0CDE\u0CE0\u0CE1\u0CF1\u0CF2\u0D05-\u0D0C\u0D0E-\u0D10\u0D12-\u0D3A\u0D3D\u0D4E\u0D54-\u0D56\u0D5F-\u0D61\u0D7A-\u0D7F\u0D85-\u0D96\u0D9A-\u0DB1\u0DB3-\u0DBB\u0DBD\u0DC0-\u0DC6\u0E01-\u0E30\u0E32\u0E33\u0E40-\u0E46\u0E81\u0E82\u0E84\u0E87\u0E88\u0E8A\u0E8D\u0E94-\u0E97\u0E99-\u0E9F\u0EA1-\u0EA3\u0EA5\u0EA7\u0EAA\u0EAB\u0EAD-\u0EB0\u0EB2\u0EB3\u0EBD\u0EC0-\u0EC4\u0EC6\u0EDC-\u0EDF\u0F00\u0F40-\u0F47\u0F49-\u0F6C\u0F88-\u0F8C\u1000-\u102A\u103F\u1050-\u1055\u105A-\u105D\u1061\u1065\u1066\u106E-\u1070\u1075-\u1081\u108E\u10A0-\u10C5\u10C7\u10CD\u10D0-\u10FA\u10FC-\u1248\u124A-\u124D\u1250-\u1256\u1258\u125A-\u125D\u1260-\u1288\u128A-\u128D\u1290-\u12B0\u12B2-\u12B5\u12B8-\u12BE\u12C0\u12C2-\u12C5\u12C8-\u12D6\u12D8-\u1310\u1312-\u1315\u1318-\u135A\u1380-\u138F\u13A0-\u13F5\u13F8-\u13FD\u1401-\u166C\u166F-\u167F\u1681-\u169A\u16A0-\u16EA\u16EE-\u16F8\u1700-\u170C\u170E-\u1711\u1720-\u1731\u1740-\u1751\u1760-\u176C\u176E-\u1770\u1780-\u17B3\u17D7\u17DC\u1820-\u1877\u1880-\u1884\u1887-\u18A8\u18AA\u18B0-\u18F5\u1900-\u191E\u1950-\u196D\u1970-\u1974\u1980-\u19AB\u19B0-\u19C9\u1A00-\u1A16\u1A20-\u1A54\u1AA7\u1B05-\u1B33\u1B45-\u1B4B\u1B83-\u1BA0\u1BAE\u1BAF\u1BBA-\u1BE5\u1C00-\u1C23\u1C4D-\u1C4F\u1C5A-\u1C7D\u1C80-\u1C88\u1CE9-\u1CEC\u1CEE-\u1CF1\u1CF5\u1CF6\u1D00-\u1DBF\u1E00-\u1F15\u1F18-\u1F1D\u1F20-\u1F45\u1F48-\u1F4D\u1F50-\u1F57\u1F59\u1F5B\u1F5D\u1F5F-\u1F7D\u1F80-\u1FB4\u1FB6-\u1FBC\u1FBE\u1FC2-\u1FC4\u1FC6-\u1FCC\u1FD0-\u1FD3\u1FD6-\u1FDB\u1FE0-\u1FEC\u1FF2-\u1FF4\u1FF6-\u1FFC\u2071\u207F\u2090-\u209C\u2102\u2107\u210A-\u2113\u2115\u2119-\u211D\u2124\u2126\u2128\u212A-\u212D\u212F-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2160-\u2188\u2C00-\u2C2E\u2C30-\u2C5E\u2C60-\u2CE4\u2CEB-\u2CEE\u2CF2\u2CF3\u2D00-\u2D25\u2D27\u2D2D\u2D30-\u2D67\u2D6F\u2D80-\u2D96\u2DA0-\u2DA6\u2DA8-\u2DAE\u2DB0-\u2DB6\u2DB8-\u2DBE\u2DC0-\u2DC6\u2DC8-\u2DCE\u2DD0-\u2DD6\u2DD8-\u2DDE\u2E2F\u3005-\u3007\u3021-\u3029\u3031-\u3035\u3038-\u303C\u3041-\u3096\u309D-\u309F\u30A1-\u30FA\u30FC-\u30FF\u3105-\u312D\u3131-\u318E\u31A0-\u31BA\u31F0-\u31FF\u3400-\u4DB5\u4E00-\u9FD5\uA000-\uA48C\uA4D0-\uA4FD\uA500-\uA60C\uA610-\uA61F\uA62A\uA62B\uA640-\uA66E\uA67F-\uA69D\uA6A0-\uA6EF\uA717-\uA71F\uA722-\uA788\uA78B-\uA7AE\uA7B0-\uA7B7\uA7F7-\uA801\uA803-\uA805\uA807-\uA80A\uA80C-\uA822\uA840-\uA873\uA882-\uA8B3\uA8F2-\uA8F7\uA8FB\uA8FD\uA90A-\uA925\uA930-\uA946\uA960-\uA97C\uA984-\uA9B2\uA9CF\uA9E0-\uA9E4\uA9E6-\uA9EF\uA9FA-\uA9FE\uAA00-\uAA28\uAA40-\uAA42\uAA44-\uAA4B\uAA60-\uAA76\uAA7A\uAA7E-\uAAAF\uAAB1\uAAB5\uAAB6\uAAB9-\uAABD\uAAC0\uAAC2\uAADB-\uAADD\uAAE0-\uAAEA\uAAF2-\uAAF4\uAB01-\uAB06\uAB09-\uAB0E\uAB11-\uAB16\uAB20-\uAB26\uAB28-\uAB2E\uAB30-\uAB5A\uAB5C-\uAB65\uAB70-\uABE2\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFA6D\uFA70-\uFAD9\uFB00-\uFB06\uFB13-\uFB17\uFB1D\uFB1F-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE70-\uFE74\uFE76-\uFEFC\uFF21-\uFF3A\uFF41-\uFF5A\uFF66-\uFFBE\uFFC2-\uFFC7\uFFCA-\uFFCF\uFFD2-\uFFD7\uFFDA-\uFFDC]|\uD800[\uDC00-\uDC0B\uDC0D-\uDC26\uDC28-\uDC3A\uDC3C\uDC3D\uDC3F-\uDC4D\uDC50-\uDC5D\uDC80-\uDCFA\uDD40-\uDD74\uDE80-\uDE9C\uDEA0-\uDED0\uDF00-\uDF1F\uDF30-\uDF4A\uDF50-\uDF75\uDF80-\uDF9D\uDFA0-\uDFC3\uDFC8-\uDFCF\uDFD1-\uDFD5]|\uD801[\uDC00-\uDC9D\uDCB0-\uDCD3\uDCD8-\uDCFB\uDD00-\uDD27\uDD30-\uDD63\uDE00-\uDF36\uDF40-\uDF55\uDF60-\uDF67]|\uD802[\uDC00-\uDC05\uDC08\uDC0A-\uDC35\uDC37\uDC38\uDC3C\uDC3F-\uDC55\uDC60-\uDC76\uDC80-\uDC9E\uDCE0-\uDCF2\uDCF4\uDCF5\uDD00-\uDD15\uDD20-\uDD39\uDD80-\uDDB7\uDDBE\uDDBF\uDE00\uDE10-\uDE13\uDE15-\uDE17\uDE19-\uDE33\uDE60-\uDE7C\uDE80-\uDE9C\uDEC0-\uDEC7\uDEC9-\uDEE4\uDF00-\uDF35\uDF40-\uDF55\uDF60-\uDF72\uDF80-\uDF91]|\uD803[\uDC00-\uDC48\uDC80-\uDCB2\uDCC0-\uDCF2]|\uD804[\uDC03-\uDC37\uDC83-\uDCAF\uDCD0-\uDCE8\uDD03-\uDD26\uDD50-\uDD72\uDD76\uDD83-\uDDB2\uDDC1-\uDDC4\uDDDA\uDDDC\uDE00-\uDE11\uDE13-\uDE2B\uDE80-\uDE86\uDE88\uDE8A-\uDE8D\uDE8F-\uDE9D\uDE9F-\uDEA8\uDEB0-\uDEDE\uDF05-\uDF0C\uDF0F\uDF10\uDF13-\uDF28\uDF2A-\uDF30\uDF32\uDF33\uDF35-\uDF39\uDF3D\uDF50\uDF5D-\uDF61]|\uD805[\uDC00-\uDC34\uDC47-\uDC4A\uDC80-\uDCAF\uDCC4\uDCC5\uDCC7\uDD80-\uDDAE\uDDD8-\uDDDB\uDE00-\uDE2F\uDE44\uDE80-\uDEAA\uDF00-\uDF19]|\uD806[\uDCA0-\uDCDF\uDCFF\uDEC0-\uDEF8]|\uD807[\uDC00-\uDC08\uDC0A-\uDC2E\uDC40\uDC72-\uDC8F]|\uD808[\uDC00-\uDF99]|\uD809[\uDC00-\uDC6E\uDC80-\uDD43]|[\uD80C\uD81C-\uD820\uD840-\uD868\uD86A-\uD86C\uD86F-\uD872][\uDC00-\uDFFF]|\uD80D[\uDC00-\uDC2E]|\uD811[\uDC00-\uDE46]|\uD81A[\uDC00-\uDE38\uDE40-\uDE5E\uDED0-\uDEED\uDF00-\uDF2F\uDF40-\uDF43\uDF63-\uDF77\uDF7D-\uDF8F]|\uD81B[\uDF00-\uDF44\uDF50\uDF93-\uDF9F\uDFE0]|\uD821[\uDC00-\uDFEC]|\uD822[\uDC00-\uDEF2]|\uD82C[\uDC00\uDC01]|\uD82F[\uDC00-\uDC6A\uDC70-\uDC7C\uDC80-\uDC88\uDC90-\uDC99]|\uD835[\uDC00-\uDC54\uDC56-\uDC9C\uDC9E\uDC9F\uDCA2\uDCA5\uDCA6\uDCA9-\uDCAC\uDCAE-\uDCB9\uDCBB\uDCBD-\uDCC3\uDCC5-\uDD05\uDD07-\uDD0A\uDD0D-\uDD14\uDD16-\uDD1C\uDD1E-\uDD39\uDD3B-\uDD3E\uDD40-\uDD44\uDD46\uDD4A-\uDD50\uDD52-\uDEA5\uDEA8-\uDEC0\uDEC2-\uDEDA\uDEDC-\uDEFA\uDEFC-\uDF14\uDF16-\uDF34\uDF36-\uDF4E\uDF50-\uDF6E\uDF70-\uDF88\uDF8A-\uDFA8\uDFAA-\uDFC2\uDFC4-\uDFCB]|\uD83A[\uDC00-\uDCC4\uDD00-\uDD43]|\uD83B[\uDE00-\uDE03\uDE05-\uDE1F\uDE21\uDE22\uDE24\uDE27\uDE29-\uDE32\uDE34-\uDE37\uDE39\uDE3B\uDE42\uDE47\uDE49\uDE4B\uDE4D-\uDE4F\uDE51\uDE52\uDE54\uDE57\uDE59\uDE5B\uDE5D\uDE5F\uDE61\uDE62\uDE64\uDE67-\uDE6A\uDE6C-\uDE72\uDE74-\uDE77\uDE79-\uDE7C\uDE7E\uDE80-\uDE89\uDE8B-\uDE9B\uDEA1-\uDEA3\uDEA5-\uDEA9\uDEAB-\uDEBB]|\uD869[\uDC00-\uDED6\uDF00-\uDFFF]|\uD86D[\uDC00-\uDF34\uDF40-\uDFFF]|\uD86E[\uDC00-\uDC1D\uDC20-\uDFFF]|\uD873[\uDC00-\uDEA1]|\uD87E[\uDC00-\uDE1D]/;
    var ID_Continue = exports2.ID_Continue = /[\xAA\xB5\xBA\xC0-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0300-\u0374\u0376\u0377\u037A-\u037D\u037F\u0386\u0388-\u038A\u038C\u038E-\u03A1\u03A3-\u03F5\u03F7-\u0481\u0483-\u0487\u048A-\u052F\u0531-\u0556\u0559\u0561-\u0587\u0591-\u05BD\u05BF\u05C1\u05C2\u05C4\u05C5\u05C7\u05D0-\u05EA\u05F0-\u05F2\u0610-\u061A\u0620-\u0669\u066E-\u06D3\u06D5-\u06DC\u06DF-\u06E8\u06EA-\u06FC\u06FF\u0710-\u074A\u074D-\u07B1\u07C0-\u07F5\u07FA\u0800-\u082D\u0840-\u085B\u08A0-\u08B4\u08B6-\u08BD\u08D4-\u08E1\u08E3-\u0963\u0966-\u096F\u0971-\u0983\u0985-\u098C\u098F\u0990\u0993-\u09A8\u09AA-\u09B0\u09B2\u09B6-\u09B9\u09BC-\u09C4\u09C7\u09C8\u09CB-\u09CE\u09D7\u09DC\u09DD\u09DF-\u09E3\u09E6-\u09F1\u0A01-\u0A03\u0A05-\u0A0A\u0A0F\u0A10\u0A13-\u0A28\u0A2A-\u0A30\u0A32\u0A33\u0A35\u0A36\u0A38\u0A39\u0A3C\u0A3E-\u0A42\u0A47\u0A48\u0A4B-\u0A4D\u0A51\u0A59-\u0A5C\u0A5E\u0A66-\u0A75\u0A81-\u0A83\u0A85-\u0A8D\u0A8F-\u0A91\u0A93-\u0AA8\u0AAA-\u0AB0\u0AB2\u0AB3\u0AB5-\u0AB9\u0ABC-\u0AC5\u0AC7-\u0AC9\u0ACB-\u0ACD\u0AD0\u0AE0-\u0AE3\u0AE6-\u0AEF\u0AF9\u0B01-\u0B03\u0B05-\u0B0C\u0B0F\u0B10\u0B13-\u0B28\u0B2A-\u0B30\u0B32\u0B33\u0B35-\u0B39\u0B3C-\u0B44\u0B47\u0B48\u0B4B-\u0B4D\u0B56\u0B57\u0B5C\u0B5D\u0B5F-\u0B63\u0B66-\u0B6F\u0B71\u0B82\u0B83\u0B85-\u0B8A\u0B8E-\u0B90\u0B92-\u0B95\u0B99\u0B9A\u0B9C\u0B9E\u0B9F\u0BA3\u0BA4\u0BA8-\u0BAA\u0BAE-\u0BB9\u0BBE-\u0BC2\u0BC6-\u0BC8\u0BCA-\u0BCD\u0BD0\u0BD7\u0BE6-\u0BEF\u0C00-\u0C03\u0C05-\u0C0C\u0C0E-\u0C10\u0C12-\u0C28\u0C2A-\u0C39\u0C3D-\u0C44\u0C46-\u0C48\u0C4A-\u0C4D\u0C55\u0C56\u0C58-\u0C5A\u0C60-\u0C63\u0C66-\u0C6F\u0C80-\u0C83\u0C85-\u0C8C\u0C8E-\u0C90\u0C92-\u0CA8\u0CAA-\u0CB3\u0CB5-\u0CB9\u0CBC-\u0CC4\u0CC6-\u0CC8\u0CCA-\u0CCD\u0CD5\u0CD6\u0CDE\u0CE0-\u0CE3\u0CE6-\u0CEF\u0CF1\u0CF2\u0D01-\u0D03\u0D05-\u0D0C\u0D0E-\u0D10\u0D12-\u0D3A\u0D3D-\u0D44\u0D46-\u0D48\u0D4A-\u0D4E\u0D54-\u0D57\u0D5F-\u0D63\u0D66-\u0D6F\u0D7A-\u0D7F\u0D82\u0D83\u0D85-\u0D96\u0D9A-\u0DB1\u0DB3-\u0DBB\u0DBD\u0DC0-\u0DC6\u0DCA\u0DCF-\u0DD4\u0DD6\u0DD8-\u0DDF\u0DE6-\u0DEF\u0DF2\u0DF3\u0E01-\u0E3A\u0E40-\u0E4E\u0E50-\u0E59\u0E81\u0E82\u0E84\u0E87\u0E88\u0E8A\u0E8D\u0E94-\u0E97\u0E99-\u0E9F\u0EA1-\u0EA3\u0EA5\u0EA7\u0EAA\u0EAB\u0EAD-\u0EB9\u0EBB-\u0EBD\u0EC0-\u0EC4\u0EC6\u0EC8-\u0ECD\u0ED0-\u0ED9\u0EDC-\u0EDF\u0F00\u0F18\u0F19\u0F20-\u0F29\u0F35\u0F37\u0F39\u0F3E-\u0F47\u0F49-\u0F6C\u0F71-\u0F84\u0F86-\u0F97\u0F99-\u0FBC\u0FC6\u1000-\u1049\u1050-\u109D\u10A0-\u10C5\u10C7\u10CD\u10D0-\u10FA\u10FC-\u1248\u124A-\u124D\u1250-\u1256\u1258\u125A-\u125D\u1260-\u1288\u128A-\u128D\u1290-\u12B0\u12B2-\u12B5\u12B8-\u12BE\u12C0\u12C2-\u12C5\u12C8-\u12D6\u12D8-\u1310\u1312-\u1315\u1318-\u135A\u135D-\u135F\u1380-\u138F\u13A0-\u13F5\u13F8-\u13FD\u1401-\u166C\u166F-\u167F\u1681-\u169A\u16A0-\u16EA\u16EE-\u16F8\u1700-\u170C\u170E-\u1714\u1720-\u1734\u1740-\u1753\u1760-\u176C\u176E-\u1770\u1772\u1773\u1780-\u17D3\u17D7\u17DC\u17DD\u17E0-\u17E9\u180B-\u180D\u1810-\u1819\u1820-\u1877\u1880-\u18AA\u18B0-\u18F5\u1900-\u191E\u1920-\u192B\u1930-\u193B\u1946-\u196D\u1970-\u1974\u1980-\u19AB\u19B0-\u19C9\u19D0-\u19D9\u1A00-\u1A1B\u1A20-\u1A5E\u1A60-\u1A7C\u1A7F-\u1A89\u1A90-\u1A99\u1AA7\u1AB0-\u1ABD\u1B00-\u1B4B\u1B50-\u1B59\u1B6B-\u1B73\u1B80-\u1BF3\u1C00-\u1C37\u1C40-\u1C49\u1C4D-\u1C7D\u1C80-\u1C88\u1CD0-\u1CD2\u1CD4-\u1CF6\u1CF8\u1CF9\u1D00-\u1DF5\u1DFB-\u1F15\u1F18-\u1F1D\u1F20-\u1F45\u1F48-\u1F4D\u1F50-\u1F57\u1F59\u1F5B\u1F5D\u1F5F-\u1F7D\u1F80-\u1FB4\u1FB6-\u1FBC\u1FBE\u1FC2-\u1FC4\u1FC6-\u1FCC\u1FD0-\u1FD3\u1FD6-\u1FDB\u1FE0-\u1FEC\u1FF2-\u1FF4\u1FF6-\u1FFC\u203F\u2040\u2054\u2071\u207F\u2090-\u209C\u20D0-\u20DC\u20E1\u20E5-\u20F0\u2102\u2107\u210A-\u2113\u2115\u2119-\u211D\u2124\u2126\u2128\u212A-\u212D\u212F-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2160-\u2188\u2C00-\u2C2E\u2C30-\u2C5E\u2C60-\u2CE4\u2CEB-\u2CF3\u2D00-\u2D25\u2D27\u2D2D\u2D30-\u2D67\u2D6F\u2D7F-\u2D96\u2DA0-\u2DA6\u2DA8-\u2DAE\u2DB0-\u2DB6\u2DB8-\u2DBE\u2DC0-\u2DC6\u2DC8-\u2DCE\u2DD0-\u2DD6\u2DD8-\u2DDE\u2DE0-\u2DFF\u2E2F\u3005-\u3007\u3021-\u302F\u3031-\u3035\u3038-\u303C\u3041-\u3096\u3099\u309A\u309D-\u309F\u30A1-\u30FA\u30FC-\u30FF\u3105-\u312D\u3131-\u318E\u31A0-\u31BA\u31F0-\u31FF\u3400-\u4DB5\u4E00-\u9FD5\uA000-\uA48C\uA4D0-\uA4FD\uA500-\uA60C\uA610-\uA62B\uA640-\uA66F\uA674-\uA67D\uA67F-\uA6F1\uA717-\uA71F\uA722-\uA788\uA78B-\uA7AE\uA7B0-\uA7B7\uA7F7-\uA827\uA840-\uA873\uA880-\uA8C5\uA8D0-\uA8D9\uA8E0-\uA8F7\uA8FB\uA8FD\uA900-\uA92D\uA930-\uA953\uA960-\uA97C\uA980-\uA9C0\uA9CF-\uA9D9\uA9E0-\uA9FE\uAA00-\uAA36\uAA40-\uAA4D\uAA50-\uAA59\uAA60-\uAA76\uAA7A-\uAAC2\uAADB-\uAADD\uAAE0-\uAAEF\uAAF2-\uAAF6\uAB01-\uAB06\uAB09-\uAB0E\uAB11-\uAB16\uAB20-\uAB26\uAB28-\uAB2E\uAB30-\uAB5A\uAB5C-\uAB65\uAB70-\uABEA\uABEC\uABED\uABF0-\uABF9\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFA6D\uFA70-\uFAD9\uFB00-\uFB06\uFB13-\uFB17\uFB1D-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE00-\uFE0F\uFE20-\uFE2F\uFE33\uFE34\uFE4D-\uFE4F\uFE70-\uFE74\uFE76-\uFEFC\uFF10-\uFF19\uFF21-\uFF3A\uFF3F\uFF41-\uFF5A\uFF66-\uFFBE\uFFC2-\uFFC7\uFFCA-\uFFCF\uFFD2-\uFFD7\uFFDA-\uFFDC]|\uD800[\uDC00-\uDC0B\uDC0D-\uDC26\uDC28-\uDC3A\uDC3C\uDC3D\uDC3F-\uDC4D\uDC50-\uDC5D\uDC80-\uDCFA\uDD40-\uDD74\uDDFD\uDE80-\uDE9C\uDEA0-\uDED0\uDEE0\uDF00-\uDF1F\uDF30-\uDF4A\uDF50-\uDF7A\uDF80-\uDF9D\uDFA0-\uDFC3\uDFC8-\uDFCF\uDFD1-\uDFD5]|\uD801[\uDC00-\uDC9D\uDCA0-\uDCA9\uDCB0-\uDCD3\uDCD8-\uDCFB\uDD00-\uDD27\uDD30-\uDD63\uDE00-\uDF36\uDF40-\uDF55\uDF60-\uDF67]|\uD802[\uDC00-\uDC05\uDC08\uDC0A-\uDC35\uDC37\uDC38\uDC3C\uDC3F-\uDC55\uDC60-\uDC76\uDC80-\uDC9E\uDCE0-\uDCF2\uDCF4\uDCF5\uDD00-\uDD15\uDD20-\uDD39\uDD80-\uDDB7\uDDBE\uDDBF\uDE00-\uDE03\uDE05\uDE06\uDE0C-\uDE13\uDE15-\uDE17\uDE19-\uDE33\uDE38-\uDE3A\uDE3F\uDE60-\uDE7C\uDE80-\uDE9C\uDEC0-\uDEC7\uDEC9-\uDEE6\uDF00-\uDF35\uDF40-\uDF55\uDF60-\uDF72\uDF80-\uDF91]|\uD803[\uDC00-\uDC48\uDC80-\uDCB2\uDCC0-\uDCF2]|\uD804[\uDC00-\uDC46\uDC66-\uDC6F\uDC7F-\uDCBA\uDCD0-\uDCE8\uDCF0-\uDCF9\uDD00-\uDD34\uDD36-\uDD3F\uDD50-\uDD73\uDD76\uDD80-\uDDC4\uDDCA-\uDDCC\uDDD0-\uDDDA\uDDDC\uDE00-\uDE11\uDE13-\uDE37\uDE3E\uDE80-\uDE86\uDE88\uDE8A-\uDE8D\uDE8F-\uDE9D\uDE9F-\uDEA8\uDEB0-\uDEEA\uDEF0-\uDEF9\uDF00-\uDF03\uDF05-\uDF0C\uDF0F\uDF10\uDF13-\uDF28\uDF2A-\uDF30\uDF32\uDF33\uDF35-\uDF39\uDF3C-\uDF44\uDF47\uDF48\uDF4B-\uDF4D\uDF50\uDF57\uDF5D-\uDF63\uDF66-\uDF6C\uDF70-\uDF74]|\uD805[\uDC00-\uDC4A\uDC50-\uDC59\uDC80-\uDCC5\uDCC7\uDCD0-\uDCD9\uDD80-\uDDB5\uDDB8-\uDDC0\uDDD8-\uDDDD\uDE00-\uDE40\uDE44\uDE50-\uDE59\uDE80-\uDEB7\uDEC0-\uDEC9\uDF00-\uDF19\uDF1D-\uDF2B\uDF30-\uDF39]|\uD806[\uDCA0-\uDCE9\uDCFF\uDEC0-\uDEF8]|\uD807[\uDC00-\uDC08\uDC0A-\uDC36\uDC38-\uDC40\uDC50-\uDC59\uDC72-\uDC8F\uDC92-\uDCA7\uDCA9-\uDCB6]|\uD808[\uDC00-\uDF99]|\uD809[\uDC00-\uDC6E\uDC80-\uDD43]|[\uD80C\uD81C-\uD820\uD840-\uD868\uD86A-\uD86C\uD86F-\uD872][\uDC00-\uDFFF]|\uD80D[\uDC00-\uDC2E]|\uD811[\uDC00-\uDE46]|\uD81A[\uDC00-\uDE38\uDE40-\uDE5E\uDE60-\uDE69\uDED0-\uDEED\uDEF0-\uDEF4\uDF00-\uDF36\uDF40-\uDF43\uDF50-\uDF59\uDF63-\uDF77\uDF7D-\uDF8F]|\uD81B[\uDF00-\uDF44\uDF50-\uDF7E\uDF8F-\uDF9F\uDFE0]|\uD821[\uDC00-\uDFEC]|\uD822[\uDC00-\uDEF2]|\uD82C[\uDC00\uDC01]|\uD82F[\uDC00-\uDC6A\uDC70-\uDC7C\uDC80-\uDC88\uDC90-\uDC99\uDC9D\uDC9E]|\uD834[\uDD65-\uDD69\uDD6D-\uDD72\uDD7B-\uDD82\uDD85-\uDD8B\uDDAA-\uDDAD\uDE42-\uDE44]|\uD835[\uDC00-\uDC54\uDC56-\uDC9C\uDC9E\uDC9F\uDCA2\uDCA5\uDCA6\uDCA9-\uDCAC\uDCAE-\uDCB9\uDCBB\uDCBD-\uDCC3\uDCC5-\uDD05\uDD07-\uDD0A\uDD0D-\uDD14\uDD16-\uDD1C\uDD1E-\uDD39\uDD3B-\uDD3E\uDD40-\uDD44\uDD46\uDD4A-\uDD50\uDD52-\uDEA5\uDEA8-\uDEC0\uDEC2-\uDEDA\uDEDC-\uDEFA\uDEFC-\uDF14\uDF16-\uDF34\uDF36-\uDF4E\uDF50-\uDF6E\uDF70-\uDF88\uDF8A-\uDFA8\uDFAA-\uDFC2\uDFC4-\uDFCB\uDFCE-\uDFFF]|\uD836[\uDE00-\uDE36\uDE3B-\uDE6C\uDE75\uDE84\uDE9B-\uDE9F\uDEA1-\uDEAF]|\uD838[\uDC00-\uDC06\uDC08-\uDC18\uDC1B-\uDC21\uDC23\uDC24\uDC26-\uDC2A]|\uD83A[\uDC00-\uDCC4\uDCD0-\uDCD6\uDD00-\uDD4A\uDD50-\uDD59]|\uD83B[\uDE00-\uDE03\uDE05-\uDE1F\uDE21\uDE22\uDE24\uDE27\uDE29-\uDE32\uDE34-\uDE37\uDE39\uDE3B\uDE42\uDE47\uDE49\uDE4B\uDE4D-\uDE4F\uDE51\uDE52\uDE54\uDE57\uDE59\uDE5B\uDE5D\uDE5F\uDE61\uDE62\uDE64\uDE67-\uDE6A\uDE6C-\uDE72\uDE74-\uDE77\uDE79-\uDE7C\uDE7E\uDE80-\uDE89\uDE8B-\uDE9B\uDEA1-\uDEA3\uDEA5-\uDEA9\uDEAB-\uDEBB]|\uD869[\uDC00-\uDED6\uDF00-\uDFFF]|\uD86D[\uDC00-\uDF34\uDF40-\uDFFF]|\uD86E[\uDC00-\uDC1D\uDC20-\uDFFF]|\uD873[\uDC00-\uDEA1]|\uD87E[\uDC00-\uDE1D]|\uDB40[\uDD00-\uDDEF]/;
  }
});

// node_modules/.pnpm/json5@1.0.2/node_modules/json5/lib/util.js
var require_util5 = __commonJS({
  "node_modules/.pnpm/json5@1.0.2/node_modules/json5/lib/util.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isSpaceSeparator = isSpaceSeparator;
    exports2.isIdStartChar = isIdStartChar;
    exports2.isIdContinueChar = isIdContinueChar;
    exports2.isDigit = isDigit;
    exports2.isHexDigit = isHexDigit;
    var _unicode = require_unicode();
    var unicode = _interopRequireWildcard(_unicode);
    function _interopRequireWildcard(obj) {
      if (obj && obj.__esModule) {
        return obj;
      } else {
        var newObj = {};
        if (obj != null) {
          for (var key in obj) {
            if (Object.prototype.hasOwnProperty.call(obj, key)) newObj[key] = obj[key];
          }
        }
        newObj.default = obj;
        return newObj;
      }
    }
    function isSpaceSeparator(c) {
      return unicode.Space_Separator.test(c);
    }
    function isIdStartChar(c) {
      return c >= "a" && c <= "z" || c >= "A" && c <= "Z" || c === "$" || c === "_" || unicode.ID_Start.test(c);
    }
    function isIdContinueChar(c) {
      return c >= "a" && c <= "z" || c >= "A" && c <= "Z" || c >= "0" && c <= "9" || c === "$" || c === "_" || c === "\u200C" || c === "\u200D" || unicode.ID_Continue.test(c);
    }
    function isDigit(c) {
      return /[0-9]/.test(c);
    }
    function isHexDigit(c) {
      return /[0-9A-Fa-f]/.test(c);
    }
  }
});

// node_modules/.pnpm/json5@1.0.2/node_modules/json5/lib/parse.js
var require_parse4 = __commonJS({
  "node_modules/.pnpm/json5@1.0.2/node_modules/json5/lib/parse.js"(exports2, module2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var _typeof = typeof Symbol === "function" && typeof Symbol.iterator === "symbol" ? function(obj) {
      return typeof obj;
    } : function(obj) {
      return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj;
    };
    exports2.default = parse2;
    var _util = require_util5();
    var util5 = _interopRequireWildcard(_util);
    function _interopRequireWildcard(obj) {
      if (obj && obj.__esModule) {
        return obj;
      } else {
        var newObj = {};
        if (obj != null) {
          for (var key2 in obj) {
            if (Object.prototype.hasOwnProperty.call(obj, key2)) newObj[key2] = obj[key2];
          }
        }
        newObj.default = obj;
        return newObj;
      }
    }
    var source = void 0;
    var parseState = void 0;
    var stack = void 0;
    var pos = void 0;
    var line = void 0;
    var column = void 0;
    var token = void 0;
    var key = void 0;
    var root2 = void 0;
    function parse2(text, reviver) {
      source = String(text);
      parseState = "start";
      stack = [];
      pos = 0;
      line = 1;
      column = 0;
      token = void 0;
      key = void 0;
      root2 = void 0;
      do {
        token = lex();
        parseStates[parseState]();
      } while (token.type !== "eof");
      if (typeof reviver === "function") {
        return internalize({ "": root2 }, "", reviver);
      }
      return root2;
    }
    function internalize(holder, name, reviver) {
      var value = holder[name];
      if (value != null && (typeof value === "undefined" ? "undefined" : _typeof(value)) === "object") {
        if (Array.isArray(value)) {
          for (var i = 0; i < value.length; i++) {
            var _key = String(i);
            var replacement = internalize(value, _key, reviver);
            if (replacement === void 0) {
              delete value[_key];
            } else {
              Object.defineProperty(value, _key, { value: replacement, writable: true, enumerable: true, configurable: true });
            }
          }
        } else {
          for (var _key2 in value) {
            var _replacement = internalize(value, _key2, reviver);
            if (_replacement === void 0) {
              delete value[_key2];
            } else {
              Object.defineProperty(value, _key2, { value: _replacement, writable: true, enumerable: true, configurable: true });
            }
          }
        }
      }
      return reviver.call(holder, name, value);
    }
    var lexState = void 0;
    var buffer = void 0;
    var doubleQuote = void 0;
    var _sign = void 0;
    var c = void 0;
    function lex() {
      lexState = "default";
      buffer = "";
      doubleQuote = false;
      _sign = 1;
      for (; ; ) {
        c = peek();
        var _token = lexStates[lexState]();
        if (_token) {
          return _token;
        }
      }
    }
    function peek() {
      if (source[pos]) {
        return String.fromCodePoint(source.codePointAt(pos));
      }
    }
    function read() {
      var c2 = peek();
      if (c2 === "\n") {
        line++;
        column = 0;
      } else if (c2) {
        column += c2.length;
      } else {
        column++;
      }
      if (c2) {
        pos += c2.length;
      }
      return c2;
    }
    var lexStates = { default: function _default() {
      switch (c) {
        case "	":
        case "\v":
        case "\f":
        case " ":
        case "\xA0":
        case "\uFEFF":
        case "\n":
        case "\r":
        case "\u2028":
        case "\u2029":
          read();
          return;
        case "/":
          read();
          lexState = "comment";
          return;
        case void 0:
          read();
          return newToken("eof");
      }
      if (util5.isSpaceSeparator(c)) {
        read();
        return;
      }
      return lexStates[parseState]();
    }, comment: function comment() {
      switch (c) {
        case "*":
          read();
          lexState = "multiLineComment";
          return;
        case "/":
          read();
          lexState = "singleLineComment";
          return;
      }
      throw invalidChar(read());
    }, multiLineComment: function multiLineComment() {
      switch (c) {
        case "*":
          read();
          lexState = "multiLineCommentAsterisk";
          return;
        case void 0:
          throw invalidChar(read());
      }
      read();
    }, multiLineCommentAsterisk: function multiLineCommentAsterisk() {
      switch (c) {
        case "*":
          read();
          return;
        case "/":
          read();
          lexState = "default";
          return;
        case void 0:
          throw invalidChar(read());
      }
      read();
      lexState = "multiLineComment";
    }, singleLineComment: function singleLineComment() {
      switch (c) {
        case "\n":
        case "\r":
        case "\u2028":
        case "\u2029":
          read();
          lexState = "default";
          return;
        case void 0:
          read();
          return newToken("eof");
      }
      read();
    }, value: function value() {
      switch (c) {
        case "{":
        case "[":
          return newToken("punctuator", read());
        case "n":
          read();
          literal("ull");
          return newToken("null", null);
        case "t":
          read();
          literal("rue");
          return newToken("boolean", true);
        case "f":
          read();
          literal("alse");
          return newToken("boolean", false);
        case "-":
        case "+":
          if (read() === "-") {
            _sign = -1;
          }
          lexState = "sign";
          return;
        case ".":
          buffer = read();
          lexState = "decimalPointLeading";
          return;
        case "0":
          buffer = read();
          lexState = "zero";
          return;
        case "1":
        case "2":
        case "3":
        case "4":
        case "5":
        case "6":
        case "7":
        case "8":
        case "9":
          buffer = read();
          lexState = "decimalInteger";
          return;
        case "I":
          read();
          literal("nfinity");
          return newToken("numeric", Infinity);
        case "N":
          read();
          literal("aN");
          return newToken("numeric", NaN);
        case '"':
        case "'":
          doubleQuote = read() === '"';
          buffer = "";
          lexState = "string";
          return;
      }
      throw invalidChar(read());
    }, identifierNameStartEscape: function identifierNameStartEscape() {
      if (c !== "u") {
        throw invalidChar(read());
      }
      read();
      var u = unicodeEscape();
      switch (u) {
        case "$":
        case "_":
          break;
        default:
          if (!util5.isIdStartChar(u)) {
            throw invalidIdentifier();
          }
          break;
      }
      buffer += u;
      lexState = "identifierName";
    }, identifierName: function identifierName() {
      switch (c) {
        case "$":
        case "_":
        case "\u200C":
        case "\u200D":
          buffer += read();
          return;
        case "\\":
          read();
          lexState = "identifierNameEscape";
          return;
      }
      if (util5.isIdContinueChar(c)) {
        buffer += read();
        return;
      }
      return newToken("identifier", buffer);
    }, identifierNameEscape: function identifierNameEscape() {
      if (c !== "u") {
        throw invalidChar(read());
      }
      read();
      var u = unicodeEscape();
      switch (u) {
        case "$":
        case "_":
        case "\u200C":
        case "\u200D":
          break;
        default:
          if (!util5.isIdContinueChar(u)) {
            throw invalidIdentifier();
          }
          break;
      }
      buffer += u;
      lexState = "identifierName";
    }, sign: function sign() {
      switch (c) {
        case ".":
          buffer = read();
          lexState = "decimalPointLeading";
          return;
        case "0":
          buffer = read();
          lexState = "zero";
          return;
        case "1":
        case "2":
        case "3":
        case "4":
        case "5":
        case "6":
        case "7":
        case "8":
        case "9":
          buffer = read();
          lexState = "decimalInteger";
          return;
        case "I":
          read();
          literal("nfinity");
          return newToken("numeric", _sign * Infinity);
        case "N":
          read();
          literal("aN");
          return newToken("numeric", NaN);
      }
      throw invalidChar(read());
    }, zero: function zero() {
      switch (c) {
        case ".":
          buffer += read();
          lexState = "decimalPoint";
          return;
        case "e":
        case "E":
          buffer += read();
          lexState = "decimalExponent";
          return;
        case "x":
        case "X":
          buffer += read();
          lexState = "hexadecimal";
          return;
      }
      return newToken("numeric", _sign * 0);
    }, decimalInteger: function decimalInteger() {
      switch (c) {
        case ".":
          buffer += read();
          lexState = "decimalPoint";
          return;
        case "e":
        case "E":
          buffer += read();
          lexState = "decimalExponent";
          return;
      }
      if (util5.isDigit(c)) {
        buffer += read();
        return;
      }
      return newToken("numeric", _sign * Number(buffer));
    }, decimalPointLeading: function decimalPointLeading() {
      if (util5.isDigit(c)) {
        buffer += read();
        lexState = "decimalFraction";
        return;
      }
      throw invalidChar(read());
    }, decimalPoint: function decimalPoint() {
      switch (c) {
        case "e":
        case "E":
          buffer += read();
          lexState = "decimalExponent";
          return;
      }
      if (util5.isDigit(c)) {
        buffer += read();
        lexState = "decimalFraction";
        return;
      }
      return newToken("numeric", _sign * Number(buffer));
    }, decimalFraction: function decimalFraction() {
      switch (c) {
        case "e":
        case "E":
          buffer += read();
          lexState = "decimalExponent";
          return;
      }
      if (util5.isDigit(c)) {
        buffer += read();
        return;
      }
      return newToken("numeric", _sign * Number(buffer));
    }, decimalExponent: function decimalExponent() {
      switch (c) {
        case "+":
        case "-":
          buffer += read();
          lexState = "decimalExponentSign";
          return;
      }
      if (util5.isDigit(c)) {
        buffer += read();
        lexState = "decimalExponentInteger";
        return;
      }
      throw invalidChar(read());
    }, decimalExponentSign: function decimalExponentSign() {
      if (util5.isDigit(c)) {
        buffer += read();
        lexState = "decimalExponentInteger";
        return;
      }
      throw invalidChar(read());
    }, decimalExponentInteger: function decimalExponentInteger() {
      if (util5.isDigit(c)) {
        buffer += read();
        return;
      }
      return newToken("numeric", _sign * Number(buffer));
    }, hexadecimal: function hexadecimal() {
      if (util5.isHexDigit(c)) {
        buffer += read();
        lexState = "hexadecimalInteger";
        return;
      }
      throw invalidChar(read());
    }, hexadecimalInteger: function hexadecimalInteger() {
      if (util5.isHexDigit(c)) {
        buffer += read();
        return;
      }
      return newToken("numeric", _sign * Number(buffer));
    }, string: function string() {
      switch (c) {
        case "\\":
          read();
          buffer += escape2();
          return;
        case '"':
          if (doubleQuote) {
            read();
            return newToken("string", buffer);
          }
          buffer += read();
          return;
        case "'":
          if (!doubleQuote) {
            read();
            return newToken("string", buffer);
          }
          buffer += read();
          return;
        case "\n":
        case "\r":
          throw invalidChar(read());
        case "\u2028":
        case "\u2029":
          separatorChar(c);
          break;
        case void 0:
          throw invalidChar(read());
      }
      buffer += read();
    }, start: function start() {
      switch (c) {
        case "{":
        case "[":
          return newToken("punctuator", read());
      }
      lexState = "value";
    }, beforePropertyName: function beforePropertyName() {
      switch (c) {
        case "$":
        case "_":
          buffer = read();
          lexState = "identifierName";
          return;
        case "\\":
          read();
          lexState = "identifierNameStartEscape";
          return;
        case "}":
          return newToken("punctuator", read());
        case '"':
        case "'":
          doubleQuote = read() === '"';
          lexState = "string";
          return;
      }
      if (util5.isIdStartChar(c)) {
        buffer += read();
        lexState = "identifierName";
        return;
      }
      throw invalidChar(read());
    }, afterPropertyName: function afterPropertyName() {
      if (c === ":") {
        return newToken("punctuator", read());
      }
      throw invalidChar(read());
    }, beforePropertyValue: function beforePropertyValue() {
      lexState = "value";
    }, afterPropertyValue: function afterPropertyValue() {
      switch (c) {
        case ",":
        case "}":
          return newToken("punctuator", read());
      }
      throw invalidChar(read());
    }, beforeArrayValue: function beforeArrayValue() {
      if (c === "]") {
        return newToken("punctuator", read());
      }
      lexState = "value";
    }, afterArrayValue: function afterArrayValue() {
      switch (c) {
        case ",":
        case "]":
          return newToken("punctuator", read());
      }
      throw invalidChar(read());
    }, end: function end() {
      throw invalidChar(read());
    } };
    function newToken(type, value) {
      return { type, value, line, column };
    }
    function literal(s) {
      var _iteratorNormalCompletion = true;
      var _didIteratorError = false;
      var _iteratorError = void 0;
      try {
        for (var _iterator = s[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
          var _c = _step.value;
          var p = peek();
          if (p !== _c) {
            throw invalidChar(read());
          }
          read();
        }
      } catch (err) {
        _didIteratorError = true;
        _iteratorError = err;
      } finally {
        try {
          if (!_iteratorNormalCompletion && _iterator.return) {
            _iterator.return();
          }
        } finally {
          if (_didIteratorError) {
            throw _iteratorError;
          }
        }
      }
    }
    function escape2() {
      var c2 = peek();
      switch (c2) {
        case "b":
          read();
          return "\b";
        case "f":
          read();
          return "\f";
        case "n":
          read();
          return "\n";
        case "r":
          read();
          return "\r";
        case "t":
          read();
          return "	";
        case "v":
          read();
          return "\v";
        case "0":
          read();
          if (util5.isDigit(peek())) {
            throw invalidChar(read());
          }
          return "\0";
        case "x":
          read();
          return hexEscape();
        case "u":
          read();
          return unicodeEscape();
        case "\n":
        case "\u2028":
        case "\u2029":
          read();
          return "";
        case "\r":
          read();
          if (peek() === "\n") {
            read();
          }
          return "";
        case "1":
        case "2":
        case "3":
        case "4":
        case "5":
        case "6":
        case "7":
        case "8":
        case "9":
          throw invalidChar(read());
        case void 0:
          throw invalidChar(read());
      }
      return read();
    }
    function hexEscape() {
      var buffer2 = "";
      var c2 = peek();
      if (!util5.isHexDigit(c2)) {
        throw invalidChar(read());
      }
      buffer2 += read();
      c2 = peek();
      if (!util5.isHexDigit(c2)) {
        throw invalidChar(read());
      }
      buffer2 += read();
      return String.fromCodePoint(parseInt(buffer2, 16));
    }
    function unicodeEscape() {
      var buffer2 = "";
      var count = 4;
      while (count-- > 0) {
        var _c2 = peek();
        if (!util5.isHexDigit(_c2)) {
          throw invalidChar(read());
        }
        buffer2 += read();
      }
      return String.fromCodePoint(parseInt(buffer2, 16));
    }
    var parseStates = { start: function start() {
      if (token.type === "eof") {
        throw invalidEOF();
      }
      push();
    }, beforePropertyName: function beforePropertyName() {
      switch (token.type) {
        case "identifier":
        case "string":
          key = token.value;
          parseState = "afterPropertyName";
          return;
        case "punctuator":
          pop();
          return;
        case "eof":
          throw invalidEOF();
      }
    }, afterPropertyName: function afterPropertyName() {
      if (token.type === "eof") {
        throw invalidEOF();
      }
      parseState = "beforePropertyValue";
    }, beforePropertyValue: function beforePropertyValue() {
      if (token.type === "eof") {
        throw invalidEOF();
      }
      push();
    }, beforeArrayValue: function beforeArrayValue() {
      if (token.type === "eof") {
        throw invalidEOF();
      }
      if (token.type === "punctuator" && token.value === "]") {
        pop();
        return;
      }
      push();
    }, afterPropertyValue: function afterPropertyValue() {
      if (token.type === "eof") {
        throw invalidEOF();
      }
      switch (token.value) {
        case ",":
          parseState = "beforePropertyName";
          return;
        case "}":
          pop();
      }
    }, afterArrayValue: function afterArrayValue() {
      if (token.type === "eof") {
        throw invalidEOF();
      }
      switch (token.value) {
        case ",":
          parseState = "beforeArrayValue";
          return;
        case "]":
          pop();
      }
    }, end: function end() {
    } };
    function push() {
      var value = void 0;
      switch (token.type) {
        case "punctuator":
          switch (token.value) {
            case "{":
              value = {};
              break;
            case "[":
              value = [];
              break;
          }
          break;
        case "null":
        case "boolean":
        case "numeric":
        case "string":
          value = token.value;
          break;
      }
      if (root2 === void 0) {
        root2 = value;
      } else {
        var parent = stack[stack.length - 1];
        if (Array.isArray(parent)) {
          parent.push(value);
        } else {
          Object.defineProperty(parent, key, { value, writable: true, enumerable: true, configurable: true });
        }
      }
      if (value !== null && (typeof value === "undefined" ? "undefined" : _typeof(value)) === "object") {
        stack.push(value);
        if (Array.isArray(value)) {
          parseState = "beforeArrayValue";
        } else {
          parseState = "beforePropertyName";
        }
      } else {
        var current = stack[stack.length - 1];
        if (current == null) {
          parseState = "end";
        } else if (Array.isArray(current)) {
          parseState = "afterArrayValue";
        } else {
          parseState = "afterPropertyValue";
        }
      }
    }
    function pop() {
      stack.pop();
      var current = stack[stack.length - 1];
      if (current == null) {
        parseState = "end";
      } else if (Array.isArray(current)) {
        parseState = "afterArrayValue";
      } else {
        parseState = "afterPropertyValue";
      }
    }
    function invalidChar(c2) {
      if (c2 === void 0) {
        return syntaxError("JSON5: invalid end of input at " + line + ":" + column);
      }
      return syntaxError("JSON5: invalid character '" + formatChar(c2) + "' at " + line + ":" + column);
    }
    function invalidEOF() {
      return syntaxError("JSON5: invalid end of input at " + line + ":" + column);
    }
    function invalidIdentifier() {
      column -= 5;
      return syntaxError("JSON5: invalid identifier character at " + line + ":" + column);
    }
    function separatorChar(c2) {
      console.warn("JSON5: '" + c2 + "' is not valid ECMAScript; consider escaping");
    }
    function formatChar(c2) {
      var replacements = { "'": "\\'", '"': '\\"', "\\": "\\\\", "\b": "\\b", "\f": "\\f", "\n": "\\n", "\r": "\\r", "	": "\\t", "\v": "\\v", "\0": "\\0", "\u2028": "\\u2028", "\u2029": "\\u2029" };
      if (replacements[c2]) {
        return replacements[c2];
      }
      if (c2 < " ") {
        var hexString = c2.charCodeAt(0).toString(16);
        return "\\x" + ("00" + hexString).substring(hexString.length);
      }
      return c2;
    }
    function syntaxError(message) {
      var err = new SyntaxError(message);
      err.lineNumber = line;
      err.columnNumber = column;
      return err;
    }
    module2.exports = exports2["default"];
  }
});

// node_modules/.pnpm/json5@1.0.2/node_modules/json5/lib/stringify.js
var require_stringify2 = __commonJS({
  "node_modules/.pnpm/json5@1.0.2/node_modules/json5/lib/stringify.js"(exports2, module2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var _typeof = typeof Symbol === "function" && typeof Symbol.iterator === "symbol" ? function(obj) {
      return typeof obj;
    } : function(obj) {
      return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj;
    };
    exports2.default = stringify;
    var _util = require_util5();
    var util5 = _interopRequireWildcard(_util);
    function _interopRequireWildcard(obj) {
      if (obj && obj.__esModule) {
        return obj;
      } else {
        var newObj = {};
        if (obj != null) {
          for (var key in obj) {
            if (Object.prototype.hasOwnProperty.call(obj, key)) newObj[key] = obj[key];
          }
        }
        newObj.default = obj;
        return newObj;
      }
    }
    function stringify(value, replacer, space) {
      var stack = [];
      var indent = "";
      var propertyList = void 0;
      var replacerFunc = void 0;
      var gap = "";
      var quote = void 0;
      if (replacer != null && (typeof replacer === "undefined" ? "undefined" : _typeof(replacer)) === "object" && !Array.isArray(replacer)) {
        space = replacer.space;
        quote = replacer.quote;
        replacer = replacer.replacer;
      }
      if (typeof replacer === "function") {
        replacerFunc = replacer;
      } else if (Array.isArray(replacer)) {
        propertyList = [];
        var _iteratorNormalCompletion = true;
        var _didIteratorError = false;
        var _iteratorError = void 0;
        try {
          for (var _iterator = replacer[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
            var v = _step.value;
            var item = void 0;
            if (typeof v === "string") {
              item = v;
            } else if (typeof v === "number" || v instanceof String || v instanceof Number) {
              item = String(v);
            }
            if (item !== void 0 && propertyList.indexOf(item) < 0) {
              propertyList.push(item);
            }
          }
        } catch (err) {
          _didIteratorError = true;
          _iteratorError = err;
        } finally {
          try {
            if (!_iteratorNormalCompletion && _iterator.return) {
              _iterator.return();
            }
          } finally {
            if (_didIteratorError) {
              throw _iteratorError;
            }
          }
        }
      }
      if (space instanceof Number) {
        space = Number(space);
      } else if (space instanceof String) {
        space = String(space);
      }
      if (typeof space === "number") {
        if (space > 0) {
          space = Math.min(10, Math.floor(space));
          gap = "          ".substr(0, space);
        }
      } else if (typeof space === "string") {
        gap = space.substr(0, 10);
      }
      return serializeProperty("", { "": value });
      function serializeProperty(key, holder) {
        var value2 = holder[key];
        if (value2 != null) {
          if (typeof value2.toJSON5 === "function") {
            value2 = value2.toJSON5(key);
          } else if (typeof value2.toJSON === "function") {
            value2 = value2.toJSON(key);
          }
        }
        if (replacerFunc) {
          value2 = replacerFunc.call(holder, key, value2);
        }
        if (value2 instanceof Number) {
          value2 = Number(value2);
        } else if (value2 instanceof String) {
          value2 = String(value2);
        } else if (value2 instanceof Boolean) {
          value2 = value2.valueOf();
        }
        switch (value2) {
          case null:
            return "null";
          case true:
            return "true";
          case false:
            return "false";
        }
        if (typeof value2 === "string") {
          return quoteString(value2, false);
        }
        if (typeof value2 === "number") {
          return String(value2);
        }
        if ((typeof value2 === "undefined" ? "undefined" : _typeof(value2)) === "object") {
          return Array.isArray(value2) ? serializeArray(value2) : serializeObject(value2);
        }
        return void 0;
      }
      function quoteString(value2) {
        var quotes = { "'": 0.1, '"': 0.2 };
        var replacements = { "'": "\\'", '"': '\\"', "\\": "\\\\", "\b": "\\b", "\f": "\\f", "\n": "\\n", "\r": "\\r", "	": "\\t", "\v": "\\v", "\0": "\\0", "\u2028": "\\u2028", "\u2029": "\\u2029" };
        var product = "";
        var _iteratorNormalCompletion2 = true;
        var _didIteratorError2 = false;
        var _iteratorError2 = void 0;
        try {
          for (var _iterator2 = value2[Symbol.iterator](), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) {
            var c = _step2.value;
            switch (c) {
              case "'":
              case '"':
                quotes[c]++;
                product += c;
                continue;
            }
            if (replacements[c]) {
              product += replacements[c];
              continue;
            }
            if (c < " ") {
              var hexString = c.charCodeAt(0).toString(16);
              product += "\\x" + ("00" + hexString).substring(hexString.length);
              continue;
            }
            product += c;
          }
        } catch (err) {
          _didIteratorError2 = true;
          _iteratorError2 = err;
        } finally {
          try {
            if (!_iteratorNormalCompletion2 && _iterator2.return) {
              _iterator2.return();
            }
          } finally {
            if (_didIteratorError2) {
              throw _iteratorError2;
            }
          }
        }
        var quoteChar = quote || Object.keys(quotes).reduce(function(a, b) {
          return quotes[a] < quotes[b] ? a : b;
        });
        product = product.replace(new RegExp(quoteChar, "g"), replacements[quoteChar]);
        return quoteChar + product + quoteChar;
      }
      function serializeObject(value2) {
        if (stack.indexOf(value2) >= 0) {
          throw TypeError("Converting circular structure to JSON5");
        }
        stack.push(value2);
        var stepback = indent;
        indent = indent + gap;
        var keys2 = propertyList || Object.keys(value2);
        var partial = [];
        var _iteratorNormalCompletion3 = true;
        var _didIteratorError3 = false;
        var _iteratorError3 = void 0;
        try {
          for (var _iterator3 = keys2[Symbol.iterator](), _step3; !(_iteratorNormalCompletion3 = (_step3 = _iterator3.next()).done); _iteratorNormalCompletion3 = true) {
            var key = _step3.value;
            var propertyString = serializeProperty(key, value2);
            if (propertyString !== void 0) {
              var member = serializeKey(key) + ":";
              if (gap !== "") {
                member += " ";
              }
              member += propertyString;
              partial.push(member);
            }
          }
        } catch (err) {
          _didIteratorError3 = true;
          _iteratorError3 = err;
        } finally {
          try {
            if (!_iteratorNormalCompletion3 && _iterator3.return) {
              _iterator3.return();
            }
          } finally {
            if (_didIteratorError3) {
              throw _iteratorError3;
            }
          }
        }
        var final = void 0;
        if (partial.length === 0) {
          final = "{}";
        } else {
          var properties = void 0;
          if (gap === "") {
            properties = partial.join(",");
            final = "{" + properties + "}";
          } else {
            var separator = ",\n" + indent;
            properties = partial.join(separator);
            final = "{\n" + indent + properties + ",\n" + stepback + "}";
          }
        }
        stack.pop();
        indent = stepback;
        return final;
      }
      function serializeKey(key) {
        if (key.length === 0) {
          return quoteString(key, true);
        }
        var firstChar = String.fromCodePoint(key.codePointAt(0));
        if (!util5.isIdStartChar(firstChar)) {
          return quoteString(key, true);
        }
        for (var i = firstChar.length; i < key.length; i++) {
          if (!util5.isIdContinueChar(String.fromCodePoint(key.codePointAt(i)))) {
            return quoteString(key, true);
          }
        }
        return key;
      }
      function serializeArray(value2) {
        if (stack.indexOf(value2) >= 0) {
          throw TypeError("Converting circular structure to JSON5");
        }
        stack.push(value2);
        var stepback = indent;
        indent = indent + gap;
        var partial = [];
        for (var i = 0; i < value2.length; i++) {
          var propertyString = serializeProperty(String(i), value2);
          partial.push(propertyString !== void 0 ? propertyString : "null");
        }
        var final = void 0;
        if (partial.length === 0) {
          final = "[]";
        } else {
          if (gap === "") {
            var properties = partial.join(",");
            final = "[" + properties + "]";
          } else {
            var separator = ",\n" + indent;
            var _properties = partial.join(separator);
            final = "[\n" + indent + _properties + ",\n" + stepback + "]";
          }
        }
        stack.pop();
        indent = stepback;
        return final;
      }
    }
    module2.exports = exports2["default"];
  }
});

// node_modules/.pnpm/json5@1.0.2/node_modules/json5/lib/index.js
var require_lib7 = __commonJS({
  "node_modules/.pnpm/json5@1.0.2/node_modules/json5/lib/index.js"(exports2, module2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var _parse = require_parse4();
    var _parse2 = _interopRequireDefault(_parse);
    var _stringify = require_stringify2();
    var _stringify2 = _interopRequireDefault(_stringify);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { default: obj };
    }
    exports2.default = { parse: _parse2.default, stringify: _stringify2.default };
    module2.exports = exports2["default"];
  }
});

// node_modules/.pnpm/strip-bom@3.0.0/node_modules/strip-bom/index.js
var require_strip_bom = __commonJS({
  "node_modules/.pnpm/strip-bom@3.0.0/node_modules/strip-bom/index.js"(exports2, module2) {
    "use strict";
    module2.exports = (x) => {
      if (typeof x !== "string") {
        throw new TypeError("Expected a string, got " + typeof x);
      }
      if (x.charCodeAt(0) === 65279) {
        return x.slice(1);
      }
      return x;
    };
  }
});

// node_modules/.pnpm/tsconfig-paths@3.15.0/node_modules/tsconfig-paths/lib/tsconfig-loader.js
var require_tsconfig_loader = __commonJS({
  "node_modules/.pnpm/tsconfig-paths@3.15.0/node_modules/tsconfig-paths/lib/tsconfig-loader.js"(exports2) {
    "use strict";
    var __assign2 = exports2 && exports2.__assign || function() {
      __assign2 = Object.assign || function(t) {
        for (var s, i = 1, n = arguments.length; i < n; i++) {
          s = arguments[i];
          for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p))
            t[p] = s[p];
        }
        return t;
      };
      return __assign2.apply(this, arguments);
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.loadTsconfig = exports2.walkForTsConfig = exports2.tsConfigLoader = void 0;
    var path17 = require("path");
    var fs4 = require("fs");
    var JSON5 = require_lib7();
    var StripBom = require_strip_bom();
    function tsConfigLoader(_a) {
      var getEnv = _a.getEnv, cwd = _a.cwd, _b = _a.loadSync, loadSync = _b === void 0 ? loadSyncDefault : _b;
      var TS_NODE_PROJECT = getEnv("TS_NODE_PROJECT");
      var TS_NODE_BASEURL = getEnv("TS_NODE_BASEURL");
      var loadResult = loadSync(cwd, TS_NODE_PROJECT, TS_NODE_BASEURL);
      return loadResult;
    }
    exports2.tsConfigLoader = tsConfigLoader;
    function loadSyncDefault(cwd, filename, baseUrl) {
      var configPath = resolveConfigPath(cwd, filename);
      if (!configPath) {
        return {
          tsConfigPath: void 0,
          baseUrl: void 0,
          paths: void 0
        };
      }
      var config7 = loadTsconfig(configPath);
      return {
        tsConfigPath: configPath,
        baseUrl: baseUrl || config7 && config7.compilerOptions && config7.compilerOptions.baseUrl,
        paths: config7 && config7.compilerOptions && config7.compilerOptions.paths
      };
    }
    function resolveConfigPath(cwd, filename) {
      if (filename) {
        var absolutePath = fs4.lstatSync(filename).isDirectory() ? path17.resolve(filename, "./tsconfig.json") : path17.resolve(cwd, filename);
        return absolutePath;
      }
      if (fs4.statSync(cwd).isFile()) {
        return path17.resolve(cwd);
      }
      var configAbsolutePath = walkForTsConfig(cwd);
      return configAbsolutePath ? path17.resolve(configAbsolutePath) : void 0;
    }
    function walkForTsConfig(directory, existsSync3) {
      if (existsSync3 === void 0) {
        existsSync3 = fs4.existsSync;
      }
      var configPath = path17.join(directory, "./tsconfig.json");
      if (existsSync3(configPath)) {
        return configPath;
      }
      var parentDirectory = path17.join(directory, "../");
      if (directory === parentDirectory) {
        return void 0;
      }
      return walkForTsConfig(parentDirectory, existsSync3);
    }
    exports2.walkForTsConfig = walkForTsConfig;
    function loadTsconfig(configFilePath, existsSync3, readFileSync) {
      if (existsSync3 === void 0) {
        existsSync3 = fs4.existsSync;
      }
      if (readFileSync === void 0) {
        readFileSync = function(filename) {
          return fs4.readFileSync(filename, "utf8");
        };
      }
      if (!existsSync3(configFilePath)) {
        return void 0;
      }
      var configString = readFileSync(configFilePath);
      var cleanedJson = StripBom(configString);
      var config7;
      try {
        config7 = JSON5.parse(cleanedJson);
      } catch (e) {
        throw new Error("".concat(configFilePath, " is malformed ").concat(e.message));
      }
      var extendedConfig = config7.extends;
      if (extendedConfig) {
        var base = void 0;
        if (Array.isArray(extendedConfig)) {
          base = extendedConfig.reduce(function(currBase, extendedConfigElement) {
            return mergeTsconfigs(currBase, loadTsconfigFromExtends(configFilePath, extendedConfigElement, existsSync3, readFileSync));
          }, {});
        } else {
          base = loadTsconfigFromExtends(configFilePath, extendedConfig, existsSync3, readFileSync);
        }
        return mergeTsconfigs(base, config7);
      }
      return config7;
    }
    exports2.loadTsconfig = loadTsconfig;
    function loadTsconfigFromExtends(configFilePath, extendedConfigValue, existsSync3, readFileSync) {
      var _a;
      if (typeof extendedConfigValue === "string" && extendedConfigValue.indexOf(".json") === -1) {
        extendedConfigValue += ".json";
      }
      var currentDir = path17.dirname(configFilePath);
      var extendedConfigPath = path17.join(currentDir, extendedConfigValue);
      if (extendedConfigValue.indexOf("/") !== -1 && extendedConfigValue.indexOf(".") !== -1 && !existsSync3(extendedConfigPath)) {
        extendedConfigPath = path17.join(currentDir, "node_modules", extendedConfigValue);
      }
      var config7 = loadTsconfig(extendedConfigPath, existsSync3, readFileSync) || {};
      if ((_a = config7.compilerOptions) === null || _a === void 0 ? void 0 : _a.baseUrl) {
        var extendsDir = path17.dirname(extendedConfigValue);
        config7.compilerOptions.baseUrl = path17.join(extendsDir, config7.compilerOptions.baseUrl);
      }
      return config7;
    }
    function mergeTsconfigs(base, config7) {
      base = base || {};
      config7 = config7 || {};
      return __assign2(__assign2(__assign2({}, base), config7), { compilerOptions: __assign2(__assign2({}, base.compilerOptions), config7.compilerOptions) });
    }
  }
});

// node_modules/.pnpm/object-keys@1.1.1/node_modules/object-keys/isArguments.js
var require_isArguments = __commonJS({
  "node_modules/.pnpm/object-keys@1.1.1/node_modules/object-keys/isArguments.js"(exports2, module2) {
    "use strict";
    var toStr = Object.prototype.toString;
    module2.exports = function isArguments3(value) {
      var str = toStr.call(value);
      var isArgs = str === "[object Arguments]";
      if (!isArgs) {
        isArgs = str !== "[object Array]" && value !== null && typeof value === "object" && typeof value.length === "number" && value.length >= 0 && toStr.call(value.callee) === "[object Function]";
      }
      return isArgs;
    };
  }
});

// node_modules/.pnpm/object-keys@1.1.1/node_modules/object-keys/implementation.js
var require_implementation = __commonJS({
  "node_modules/.pnpm/object-keys@1.1.1/node_modules/object-keys/implementation.js"(exports2, module2) {
    "use strict";
    var keysShim;
    if (!Object.keys) {
      has2 = Object.prototype.hasOwnProperty;
      toStr = Object.prototype.toString;
      isArgs = require_isArguments();
      isEnumerable = Object.prototype.propertyIsEnumerable;
      hasDontEnumBug = !isEnumerable.call({ toString: null }, "toString");
      hasProtoEnumBug = isEnumerable.call(function() {
      }, "prototype");
      dontEnums = [
        "toString",
        "toLocaleString",
        "valueOf",
        "hasOwnProperty",
        "isPrototypeOf",
        "propertyIsEnumerable",
        "constructor"
      ];
      equalsConstructorPrototype = function(o) {
        var ctor = o.constructor;
        return ctor && ctor.prototype === o;
      };
      excludedKeys = {
        $applicationCache: true,
        $console: true,
        $external: true,
        $frame: true,
        $frameElement: true,
        $frames: true,
        $innerHeight: true,
        $innerWidth: true,
        $onmozfullscreenchange: true,
        $onmozfullscreenerror: true,
        $outerHeight: true,
        $outerWidth: true,
        $pageXOffset: true,
        $pageYOffset: true,
        $parent: true,
        $scrollLeft: true,
        $scrollTop: true,
        $scrollX: true,
        $scrollY: true,
        $self: true,
        $webkitIndexedDB: true,
        $webkitStorageInfo: true,
        $window: true
      };
      hasAutomationEqualityBug = function() {
        if (typeof window === "undefined") {
          return false;
        }
        for (var k in window) {
          try {
            if (!excludedKeys["$" + k] && has2.call(window, k) && window[k] !== null && typeof window[k] === "object") {
              try {
                equalsConstructorPrototype(window[k]);
              } catch (e) {
                return true;
              }
            }
          } catch (e) {
            return true;
          }
        }
        return false;
      }();
      equalsConstructorPrototypeIfNotBuggy = function(o) {
        if (typeof window === "undefined" || !hasAutomationEqualityBug) {
          return equalsConstructorPrototype(o);
        }
        try {
          return equalsConstructorPrototype(o);
        } catch (e) {
          return false;
        }
      };
      keysShim = function keys2(object) {
        var isObject2 = object !== null && typeof object === "object";
        var isFunction3 = toStr.call(object) === "[object Function]";
        var isArguments3 = isArgs(object);
        var isString2 = isObject2 && toStr.call(object) === "[object String]";
        var theKeys = [];
        if (!isObject2 && !isFunction3 && !isArguments3) {
          throw new TypeError("Object.keys called on a non-object");
        }
        var skipProto = hasProtoEnumBug && isFunction3;
        if (isString2 && object.length > 0 && !has2.call(object, 0)) {
          for (var i = 0; i < object.length; ++i) {
            theKeys.push(String(i));
          }
        }
        if (isArguments3 && object.length > 0) {
          for (var j = 0; j < object.length; ++j) {
            theKeys.push(String(j));
          }
        } else {
          for (var name in object) {
            if (!(skipProto && name === "prototype") && has2.call(object, name)) {
              theKeys.push(String(name));
            }
          }
        }
        if (hasDontEnumBug) {
          var skipConstructor = equalsConstructorPrototypeIfNotBuggy(object);
          for (var k = 0; k < dontEnums.length; ++k) {
            if (!(skipConstructor && dontEnums[k] === "constructor") && has2.call(object, dontEnums[k])) {
              theKeys.push(dontEnums[k]);
            }
          }
        }
        return theKeys;
      };
    }
    var has2;
    var toStr;
    var isArgs;
    var isEnumerable;
    var hasDontEnumBug;
    var hasProtoEnumBug;
    var dontEnums;
    var equalsConstructorPrototype;
    var excludedKeys;
    var hasAutomationEqualityBug;
    var equalsConstructorPrototypeIfNotBuggy;
    module2.exports = keysShim;
  }
});

// node_modules/.pnpm/object-keys@1.1.1/node_modules/object-keys/index.js
var require_object_keys = __commonJS({
  "node_modules/.pnpm/object-keys@1.1.1/node_modules/object-keys/index.js"(exports2, module2) {
    "use strict";
    var slice = Array.prototype.slice;
    var isArgs = require_isArguments();
    var origKeys = Object.keys;
    var keysShim = origKeys ? function keys2(o) {
      return origKeys(o);
    } : require_implementation();
    var originalKeys = Object.keys;
    keysShim.shim = function shimObjectKeys() {
      if (Object.keys) {
        var keysWorksWithArguments = function() {
          var args = Object.keys(arguments);
          return args && args.length === arguments.length;
        }(1, 2);
        if (!keysWorksWithArguments) {
          Object.keys = function keys2(object) {
            if (isArgs(object)) {
              return originalKeys(slice.call(object));
            }
            return originalKeys(object);
          };
        }
      } else {
        Object.keys = keysShim;
      }
      return Object.keys || keysShim;
    };
    module2.exports = keysShim;
  }
});

// node_modules/.pnpm/es-errors@1.3.0/node_modules/es-errors/index.js
var require_es_errors = __commonJS({
  "node_modules/.pnpm/es-errors@1.3.0/node_modules/es-errors/index.js"(exports2, module2) {
    "use strict";
    module2.exports = Error;
  }
});

// node_modules/.pnpm/es-errors@1.3.0/node_modules/es-errors/eval.js
var require_eval = __commonJS({
  "node_modules/.pnpm/es-errors@1.3.0/node_modules/es-errors/eval.js"(exports2, module2) {
    "use strict";
    module2.exports = EvalError;
  }
});

// node_modules/.pnpm/es-errors@1.3.0/node_modules/es-errors/range.js
var require_range2 = __commonJS({
  "node_modules/.pnpm/es-errors@1.3.0/node_modules/es-errors/range.js"(exports2, module2) {
    "use strict";
    module2.exports = RangeError;
  }
});

// node_modules/.pnpm/es-errors@1.3.0/node_modules/es-errors/ref.js
var require_ref2 = __commonJS({
  "node_modules/.pnpm/es-errors@1.3.0/node_modules/es-errors/ref.js"(exports2, module2) {
    "use strict";
    module2.exports = ReferenceError;
  }
});

// node_modules/.pnpm/es-errors@1.3.0/node_modules/es-errors/syntax.js
var require_syntax = __commonJS({
  "node_modules/.pnpm/es-errors@1.3.0/node_modules/es-errors/syntax.js"(exports2, module2) {
    "use strict";
    module2.exports = SyntaxError;
  }
});

// node_modules/.pnpm/es-errors@1.3.0/node_modules/es-errors/type.js
var require_type = __commonJS({
  "node_modules/.pnpm/es-errors@1.3.0/node_modules/es-errors/type.js"(exports2, module2) {
    "use strict";
    module2.exports = TypeError;
  }
});

// node_modules/.pnpm/es-errors@1.3.0/node_modules/es-errors/uri.js
var require_uri = __commonJS({
  "node_modules/.pnpm/es-errors@1.3.0/node_modules/es-errors/uri.js"(exports2, module2) {
    "use strict";
    module2.exports = URIError;
  }
});

// node_modules/.pnpm/has-symbols@1.0.3/node_modules/has-symbols/shams.js
var require_shams = __commonJS({
  "node_modules/.pnpm/has-symbols@1.0.3/node_modules/has-symbols/shams.js"(exports2, module2) {
    "use strict";
    module2.exports = function hasSymbols() {
      if (typeof Symbol !== "function" || typeof Object.getOwnPropertySymbols !== "function") {
        return false;
      }
      if (typeof Symbol.iterator === "symbol") {
        return true;
      }
      var obj = {};
      var sym = Symbol("test");
      var symObj = Object(sym);
      if (typeof sym === "string") {
        return false;
      }
      if (Object.prototype.toString.call(sym) !== "[object Symbol]") {
        return false;
      }
      if (Object.prototype.toString.call(symObj) !== "[object Symbol]") {
        return false;
      }
      var symVal = 42;
      obj[sym] = symVal;
      for (sym in obj) {
        return false;
      }
      if (typeof Object.keys === "function" && Object.keys(obj).length !== 0) {
        return false;
      }
      if (typeof Object.getOwnPropertyNames === "function" && Object.getOwnPropertyNames(obj).length !== 0) {
        return false;
      }
      var syms = Object.getOwnPropertySymbols(obj);
      if (syms.length !== 1 || syms[0] !== sym) {
        return false;
      }
      if (!Object.prototype.propertyIsEnumerable.call(obj, sym)) {
        return false;
      }
      if (typeof Object.getOwnPropertyDescriptor === "function") {
        var descriptor = Object.getOwnPropertyDescriptor(obj, sym);
        if (descriptor.value !== symVal || descriptor.enumerable !== true) {
          return false;
        }
      }
      return true;
    };
  }
});

// node_modules/.pnpm/has-symbols@1.0.3/node_modules/has-symbols/index.js
var require_has_symbols = __commonJS({
  "node_modules/.pnpm/has-symbols@1.0.3/node_modules/has-symbols/index.js"(exports2, module2) {
    "use strict";
    var origSymbol = typeof Symbol !== "undefined" && Symbol;
    var hasSymbolSham = require_shams();
    module2.exports = function hasNativeSymbols() {
      if (typeof origSymbol !== "function") {
        return false;
      }
      if (typeof Symbol !== "function") {
        return false;
      }
      if (typeof origSymbol("foo") !== "symbol") {
        return false;
      }
      if (typeof Symbol("bar") !== "symbol") {
        return false;
      }
      return hasSymbolSham();
    };
  }
});

// node_modules/.pnpm/has-proto@1.0.3/node_modules/has-proto/index.js
var require_has_proto = __commonJS({
  "node_modules/.pnpm/has-proto@1.0.3/node_modules/has-proto/index.js"(exports2, module2) {
    "use strict";
    var test = {
      __proto__: null,
      foo: {}
    };
    var $Object = Object;
    module2.exports = function hasProto() {
      return { __proto__: test }.foo === test.foo && !(test instanceof $Object);
    };
  }
});

// node_modules/.pnpm/function-bind@1.1.2/node_modules/function-bind/implementation.js
var require_implementation2 = __commonJS({
  "node_modules/.pnpm/function-bind@1.1.2/node_modules/function-bind/implementation.js"(exports2, module2) {
    "use strict";
    var ERROR_MESSAGE = "Function.prototype.bind called on incompatible ";
    var toStr = Object.prototype.toString;
    var max = Math.max;
    var funcType = "[object Function]";
    var concatty = function concatty2(a, b) {
      var arr = [];
      for (var i = 0; i < a.length; i += 1) {
        arr[i] = a[i];
      }
      for (var j = 0; j < b.length; j += 1) {
        arr[j + a.length] = b[j];
      }
      return arr;
    };
    var slicy = function slicy2(arrLike, offset) {
      var arr = [];
      for (var i = offset || 0, j = 0; i < arrLike.length; i += 1, j += 1) {
        arr[j] = arrLike[i];
      }
      return arr;
    };
    var joiny = function(arr, joiner) {
      var str = "";
      for (var i = 0; i < arr.length; i += 1) {
        str += arr[i];
        if (i + 1 < arr.length) {
          str += joiner;
        }
      }
      return str;
    };
    module2.exports = function bind(that) {
      var target = this;
      if (typeof target !== "function" || toStr.apply(target) !== funcType) {
        throw new TypeError(ERROR_MESSAGE + target);
      }
      var args = slicy(arguments, 1);
      var bound;
      var binder = function() {
        if (this instanceof bound) {
          var result = target.apply(
            this,
            concatty(args, arguments)
          );
          if (Object(result) === result) {
            return result;
          }
          return this;
        }
        return target.apply(
          that,
          concatty(args, arguments)
        );
      };
      var boundLength = max(0, target.length - args.length);
      var boundArgs = [];
      for (var i = 0; i < boundLength; i++) {
        boundArgs[i] = "$" + i;
      }
      bound = Function("binder", "return function (" + joiny(boundArgs, ",") + "){ return binder.apply(this,arguments); }")(binder);
      if (target.prototype) {
        var Empty = function Empty2() {
        };
        Empty.prototype = target.prototype;
        bound.prototype = new Empty();
        Empty.prototype = null;
      }
      return bound;
    };
  }
});

// node_modules/.pnpm/function-bind@1.1.2/node_modules/function-bind/index.js
var require_function_bind = __commonJS({
  "node_modules/.pnpm/function-bind@1.1.2/node_modules/function-bind/index.js"(exports2, module2) {
    "use strict";
    var implementation = require_implementation2();
    module2.exports = Function.prototype.bind || implementation;
  }
});

// node_modules/.pnpm/hasown@2.0.2/node_modules/hasown/index.js
var require_hasown = __commonJS({
  "node_modules/.pnpm/hasown@2.0.2/node_modules/hasown/index.js"(exports2, module2) {
    "use strict";
    var call = Function.prototype.call;
    var $hasOwn = Object.prototype.hasOwnProperty;
    var bind = require_function_bind();
    module2.exports = bind.call(call, $hasOwn);
  }
});

// node_modules/.pnpm/get-intrinsic@1.2.4/node_modules/get-intrinsic/index.js
var require_get_intrinsic = __commonJS({
  "node_modules/.pnpm/get-intrinsic@1.2.4/node_modules/get-intrinsic/index.js"(exports2, module2) {
    "use strict";
    var undefined2;
    var $Error = require_es_errors();
    var $EvalError = require_eval();
    var $RangeError = require_range2();
    var $ReferenceError = require_ref2();
    var $SyntaxError = require_syntax();
    var $TypeError = require_type();
    var $URIError = require_uri();
    var $Function = Function;
    var getEvalledConstructor = function(expressionSyntax) {
      try {
        return $Function('"use strict"; return (' + expressionSyntax + ").constructor;")();
      } catch (e) {
      }
    };
    var $gOPD = Object.getOwnPropertyDescriptor;
    if ($gOPD) {
      try {
        $gOPD({}, "");
      } catch (e) {
        $gOPD = null;
      }
    }
    var throwTypeError = function() {
      throw new $TypeError();
    };
    var ThrowTypeError = $gOPD ? function() {
      try {
        arguments.callee;
        return throwTypeError;
      } catch (calleeThrows) {
        try {
          return $gOPD(arguments, "callee").get;
        } catch (gOPDthrows) {
          return throwTypeError;
        }
      }
    }() : throwTypeError;
    var hasSymbols = require_has_symbols()();
    var hasProto = require_has_proto()();
    var getProto = Object.getPrototypeOf || (hasProto ? function(x) {
      return x.__proto__;
    } : null);
    var needsEval = {};
    var TypedArray = typeof Uint8Array === "undefined" || !getProto ? undefined2 : getProto(Uint8Array);
    var INTRINSICS = {
      __proto__: null,
      "%AggregateError%": typeof AggregateError === "undefined" ? undefined2 : AggregateError,
      "%Array%": Array,
      "%ArrayBuffer%": typeof ArrayBuffer === "undefined" ? undefined2 : ArrayBuffer,
      "%ArrayIteratorPrototype%": hasSymbols && getProto ? getProto([][Symbol.iterator]()) : undefined2,
      "%AsyncFromSyncIteratorPrototype%": undefined2,
      "%AsyncFunction%": needsEval,
      "%AsyncGenerator%": needsEval,
      "%AsyncGeneratorFunction%": needsEval,
      "%AsyncIteratorPrototype%": needsEval,
      "%Atomics%": typeof Atomics === "undefined" ? undefined2 : Atomics,
      "%BigInt%": typeof BigInt === "undefined" ? undefined2 : BigInt,
      "%BigInt64Array%": typeof BigInt64Array === "undefined" ? undefined2 : BigInt64Array,
      "%BigUint64Array%": typeof BigUint64Array === "undefined" ? undefined2 : BigUint64Array,
      "%Boolean%": Boolean,
      "%DataView%": typeof DataView === "undefined" ? undefined2 : DataView,
      "%Date%": Date,
      "%decodeURI%": decodeURI,
      "%decodeURIComponent%": decodeURIComponent,
      "%encodeURI%": encodeURI,
      "%encodeURIComponent%": encodeURIComponent,
      "%Error%": $Error,
      "%eval%": eval,
      // eslint-disable-line no-eval
      "%EvalError%": $EvalError,
      "%Float32Array%": typeof Float32Array === "undefined" ? undefined2 : Float32Array,
      "%Float64Array%": typeof Float64Array === "undefined" ? undefined2 : Float64Array,
      "%FinalizationRegistry%": typeof FinalizationRegistry === "undefined" ? undefined2 : FinalizationRegistry,
      "%Function%": $Function,
      "%GeneratorFunction%": needsEval,
      "%Int8Array%": typeof Int8Array === "undefined" ? undefined2 : Int8Array,
      "%Int16Array%": typeof Int16Array === "undefined" ? undefined2 : Int16Array,
      "%Int32Array%": typeof Int32Array === "undefined" ? undefined2 : Int32Array,
      "%isFinite%": isFinite,
      "%isNaN%": isNaN,
      "%IteratorPrototype%": hasSymbols && getProto ? getProto(getProto([][Symbol.iterator]())) : undefined2,
      "%JSON%": typeof JSON === "object" ? JSON : undefined2,
      "%Map%": typeof Map === "undefined" ? undefined2 : Map,
      "%MapIteratorPrototype%": typeof Map === "undefined" || !hasSymbols || !getProto ? undefined2 : getProto((/* @__PURE__ */ new Map())[Symbol.iterator]()),
      "%Math%": Math,
      "%Number%": Number,
      "%Object%": Object,
      "%parseFloat%": parseFloat,
      "%parseInt%": parseInt,
      "%Promise%": typeof Promise === "undefined" ? undefined2 : Promise,
      "%Proxy%": typeof Proxy === "undefined" ? undefined2 : Proxy,
      "%RangeError%": $RangeError,
      "%ReferenceError%": $ReferenceError,
      "%Reflect%": typeof Reflect === "undefined" ? undefined2 : Reflect,
      "%RegExp%": RegExp,
      "%Set%": typeof Set === "undefined" ? undefined2 : Set,
      "%SetIteratorPrototype%": typeof Set === "undefined" || !hasSymbols || !getProto ? undefined2 : getProto((/* @__PURE__ */ new Set())[Symbol.iterator]()),
      "%SharedArrayBuffer%": typeof SharedArrayBuffer === "undefined" ? undefined2 : SharedArrayBuffer,
      "%String%": String,
      "%StringIteratorPrototype%": hasSymbols && getProto ? getProto(""[Symbol.iterator]()) : undefined2,
      "%Symbol%": hasSymbols ? Symbol : undefined2,
      "%SyntaxError%": $SyntaxError,
      "%ThrowTypeError%": ThrowTypeError,
      "%TypedArray%": TypedArray,
      "%TypeError%": $TypeError,
      "%Uint8Array%": typeof Uint8Array === "undefined" ? undefined2 : Uint8Array,
      "%Uint8ClampedArray%": typeof Uint8ClampedArray === "undefined" ? undefined2 : Uint8ClampedArray,
      "%Uint16Array%": typeof Uint16Array === "undefined" ? undefined2 : Uint16Array,
      "%Uint32Array%": typeof Uint32Array === "undefined" ? undefined2 : Uint32Array,
      "%URIError%": $URIError,
      "%WeakMap%": typeof WeakMap === "undefined" ? undefined2 : WeakMap,
      "%WeakRef%": typeof WeakRef === "undefined" ? undefined2 : WeakRef,
      "%WeakSet%": typeof WeakSet === "undefined" ? undefined2 : WeakSet
    };
    if (getProto) {
      try {
        null.error;
      } catch (e) {
        errorProto = getProto(getProto(e));
        INTRINSICS["%Error.prototype%"] = errorProto;
      }
    }
    var errorProto;
    var doEval = function doEval2(name) {
      var value;
      if (name === "%AsyncFunction%") {
        value = getEvalledConstructor("async function () {}");
      } else if (name === "%GeneratorFunction%") {
        value = getEvalledConstructor("function* () {}");
      } else if (name === "%AsyncGeneratorFunction%") {
        value = getEvalledConstructor("async function* () {}");
      } else if (name === "%AsyncGenerator%") {
        var fn = doEval2("%AsyncGeneratorFunction%");
        if (fn) {
          value = fn.prototype;
        }
      } else if (name === "%AsyncIteratorPrototype%") {
        var gen = doEval2("%AsyncGenerator%");
        if (gen && getProto) {
          value = getProto(gen.prototype);
        }
      }
      INTRINSICS[name] = value;
      return value;
    };
    var LEGACY_ALIASES = {
      __proto__: null,
      "%ArrayBufferPrototype%": ["ArrayBuffer", "prototype"],
      "%ArrayPrototype%": ["Array", "prototype"],
      "%ArrayProto_entries%": ["Array", "prototype", "entries"],
      "%ArrayProto_forEach%": ["Array", "prototype", "forEach"],
      "%ArrayProto_keys%": ["Array", "prototype", "keys"],
      "%ArrayProto_values%": ["Array", "prototype", "values"],
      "%AsyncFunctionPrototype%": ["AsyncFunction", "prototype"],
      "%AsyncGenerator%": ["AsyncGeneratorFunction", "prototype"],
      "%AsyncGeneratorPrototype%": ["AsyncGeneratorFunction", "prototype", "prototype"],
      "%BooleanPrototype%": ["Boolean", "prototype"],
      "%DataViewPrototype%": ["DataView", "prototype"],
      "%DatePrototype%": ["Date", "prototype"],
      "%ErrorPrototype%": ["Error", "prototype"],
      "%EvalErrorPrototype%": ["EvalError", "prototype"],
      "%Float32ArrayPrototype%": ["Float32Array", "prototype"],
      "%Float64ArrayPrototype%": ["Float64Array", "prototype"],
      "%FunctionPrototype%": ["Function", "prototype"],
      "%Generator%": ["GeneratorFunction", "prototype"],
      "%GeneratorPrototype%": ["GeneratorFunction", "prototype", "prototype"],
      "%Int8ArrayPrototype%": ["Int8Array", "prototype"],
      "%Int16ArrayPrototype%": ["Int16Array", "prototype"],
      "%Int32ArrayPrototype%": ["Int32Array", "prototype"],
      "%JSONParse%": ["JSON", "parse"],
      "%JSONStringify%": ["JSON", "stringify"],
      "%MapPrototype%": ["Map", "prototype"],
      "%NumberPrototype%": ["Number", "prototype"],
      "%ObjectPrototype%": ["Object", "prototype"],
      "%ObjProto_toString%": ["Object", "prototype", "toString"],
      "%ObjProto_valueOf%": ["Object", "prototype", "valueOf"],
      "%PromisePrototype%": ["Promise", "prototype"],
      "%PromiseProto_then%": ["Promise", "prototype", "then"],
      "%Promise_all%": ["Promise", "all"],
      "%Promise_reject%": ["Promise", "reject"],
      "%Promise_resolve%": ["Promise", "resolve"],
      "%RangeErrorPrototype%": ["RangeError", "prototype"],
      "%ReferenceErrorPrototype%": ["ReferenceError", "prototype"],
      "%RegExpPrototype%": ["RegExp", "prototype"],
      "%SetPrototype%": ["Set", "prototype"],
      "%SharedArrayBufferPrototype%": ["SharedArrayBuffer", "prototype"],
      "%StringPrototype%": ["String", "prototype"],
      "%SymbolPrototype%": ["Symbol", "prototype"],
      "%SyntaxErrorPrototype%": ["SyntaxError", "prototype"],
      "%TypedArrayPrototype%": ["TypedArray", "prototype"],
      "%TypeErrorPrototype%": ["TypeError", "prototype"],
      "%Uint8ArrayPrototype%": ["Uint8Array", "prototype"],
      "%Uint8ClampedArrayPrototype%": ["Uint8ClampedArray", "prototype"],
      "%Uint16ArrayPrototype%": ["Uint16Array", "prototype"],
      "%Uint32ArrayPrototype%": ["Uint32Array", "prototype"],
      "%URIErrorPrototype%": ["URIError", "prototype"],
      "%WeakMapPrototype%": ["WeakMap", "prototype"],
      "%WeakSetPrototype%": ["WeakSet", "prototype"]
    };
    var bind = require_function_bind();
    var hasOwn = require_hasown();
    var $concat = bind.call(Function.call, Array.prototype.concat);
    var $spliceApply = bind.call(Function.apply, Array.prototype.splice);
    var $replace = bind.call(Function.call, String.prototype.replace);
    var $strSlice = bind.call(Function.call, String.prototype.slice);
    var $exec = bind.call(Function.call, RegExp.prototype.exec);
    var rePropName = /[^%.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|%$))/g;
    var reEscapeChar = /\\(\\)?/g;
    var stringToPath = function stringToPath2(string) {
      var first = $strSlice(string, 0, 1);
      var last = $strSlice(string, -1);
      if (first === "%" && last !== "%") {
        throw new $SyntaxError("invalid intrinsic syntax, expected closing `%`");
      } else if (last === "%" && first !== "%") {
        throw new $SyntaxError("invalid intrinsic syntax, expected opening `%`");
      }
      var result = [];
      $replace(string, rePropName, function(match, number, quote, subString) {
        result[result.length] = quote ? $replace(subString, reEscapeChar, "$1") : number || match;
      });
      return result;
    };
    var getBaseIntrinsic = function getBaseIntrinsic2(name, allowMissing) {
      var intrinsicName = name;
      var alias;
      if (hasOwn(LEGACY_ALIASES, intrinsicName)) {
        alias = LEGACY_ALIASES[intrinsicName];
        intrinsicName = "%" + alias[0] + "%";
      }
      if (hasOwn(INTRINSICS, intrinsicName)) {
        var value = INTRINSICS[intrinsicName];
        if (value === needsEval) {
          value = doEval(intrinsicName);
        }
        if (typeof value === "undefined" && !allowMissing) {
          throw new $TypeError("intrinsic " + name + " exists, but is not available. Please file an issue!");
        }
        return {
          alias,
          name: intrinsicName,
          value
        };
      }
      throw new $SyntaxError("intrinsic " + name + " does not exist!");
    };
    module2.exports = function GetIntrinsic(name, allowMissing) {
      if (typeof name !== "string" || name.length === 0) {
        throw new $TypeError("intrinsic name must be a non-empty string");
      }
      if (arguments.length > 1 && typeof allowMissing !== "boolean") {
        throw new $TypeError('"allowMissing" argument must be a boolean');
      }
      if ($exec(/^%?[^%]*%?$/, name) === null) {
        throw new $SyntaxError("`%` may not be present anywhere but at the beginning and end of the intrinsic name");
      }
      var parts = stringToPath(name);
      var intrinsicBaseName = parts.length > 0 ? parts[0] : "";
      var intrinsic = getBaseIntrinsic("%" + intrinsicBaseName + "%", allowMissing);
      var intrinsicRealName = intrinsic.name;
      var value = intrinsic.value;
      var skipFurtherCaching = false;
      var alias = intrinsic.alias;
      if (alias) {
        intrinsicBaseName = alias[0];
        $spliceApply(parts, $concat([0, 1], alias));
      }
      for (var i = 1, isOwn = true; i < parts.length; i += 1) {
        var part = parts[i];
        var first = $strSlice(part, 0, 1);
        var last = $strSlice(part, -1);
        if ((first === '"' || first === "'" || first === "`" || (last === '"' || last === "'" || last === "`")) && first !== last) {
          throw new $SyntaxError("property names with quotes must have matching quotes");
        }
        if (part === "constructor" || !isOwn) {
          skipFurtherCaching = true;
        }
        intrinsicBaseName += "." + part;
        intrinsicRealName = "%" + intrinsicBaseName + "%";
        if (hasOwn(INTRINSICS, intrinsicRealName)) {
          value = INTRINSICS[intrinsicRealName];
        } else if (value != null) {
          if (!(part in value)) {
            if (!allowMissing) {
              throw new $TypeError("base intrinsic for " + name + " exists, but the property is not available.");
            }
            return void 0;
          }
          if ($gOPD && i + 1 >= parts.length) {
            var desc = $gOPD(value, part);
            isOwn = !!desc;
            if (isOwn && "get" in desc && !("originalValue" in desc.get)) {
              value = desc.get;
            } else {
              value = value[part];
            }
          } else {
            isOwn = hasOwn(value, part);
            value = value[part];
          }
          if (isOwn && !skipFurtherCaching) {
            INTRINSICS[intrinsicRealName] = value;
          }
        }
      }
      return value;
    };
  }
});

// node_modules/.pnpm/es-define-property@1.0.0/node_modules/es-define-property/index.js
var require_es_define_property = __commonJS({
  "node_modules/.pnpm/es-define-property@1.0.0/node_modules/es-define-property/index.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $defineProperty = GetIntrinsic("%Object.defineProperty%", true) || false;
    if ($defineProperty) {
      try {
        $defineProperty({}, "a", { value: 1 });
      } catch (e) {
        $defineProperty = false;
      }
    }
    module2.exports = $defineProperty;
  }
});

// node_modules/.pnpm/gopd@1.0.1/node_modules/gopd/index.js
var require_gopd = __commonJS({
  "node_modules/.pnpm/gopd@1.0.1/node_modules/gopd/index.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $gOPD = GetIntrinsic("%Object.getOwnPropertyDescriptor%", true);
    if ($gOPD) {
      try {
        $gOPD([], "length");
      } catch (e) {
        $gOPD = null;
      }
    }
    module2.exports = $gOPD;
  }
});

// node_modules/.pnpm/define-data-property@1.1.4/node_modules/define-data-property/index.js
var require_define_data_property = __commonJS({
  "node_modules/.pnpm/define-data-property@1.1.4/node_modules/define-data-property/index.js"(exports2, module2) {
    "use strict";
    var $defineProperty = require_es_define_property();
    var $SyntaxError = require_syntax();
    var $TypeError = require_type();
    var gopd = require_gopd();
    module2.exports = function defineDataProperty(obj, property, value) {
      if (!obj || typeof obj !== "object" && typeof obj !== "function") {
        throw new $TypeError("`obj` must be an object or a function`");
      }
      if (typeof property !== "string" && typeof property !== "symbol") {
        throw new $TypeError("`property` must be a string or a symbol`");
      }
      if (arguments.length > 3 && typeof arguments[3] !== "boolean" && arguments[3] !== null) {
        throw new $TypeError("`nonEnumerable`, if provided, must be a boolean or null");
      }
      if (arguments.length > 4 && typeof arguments[4] !== "boolean" && arguments[4] !== null) {
        throw new $TypeError("`nonWritable`, if provided, must be a boolean or null");
      }
      if (arguments.length > 5 && typeof arguments[5] !== "boolean" && arguments[5] !== null) {
        throw new $TypeError("`nonConfigurable`, if provided, must be a boolean or null");
      }
      if (arguments.length > 6 && typeof arguments[6] !== "boolean") {
        throw new $TypeError("`loose`, if provided, must be a boolean");
      }
      var nonEnumerable = arguments.length > 3 ? arguments[3] : null;
      var nonWritable = arguments.length > 4 ? arguments[4] : null;
      var nonConfigurable = arguments.length > 5 ? arguments[5] : null;
      var loose = arguments.length > 6 ? arguments[6] : false;
      var desc = !!gopd && gopd(obj, property);
      if ($defineProperty) {
        $defineProperty(obj, property, {
          configurable: nonConfigurable === null && desc ? desc.configurable : !nonConfigurable,
          enumerable: nonEnumerable === null && desc ? desc.enumerable : !nonEnumerable,
          value,
          writable: nonWritable === null && desc ? desc.writable : !nonWritable
        });
      } else if (loose || !nonEnumerable && !nonWritable && !nonConfigurable) {
        obj[property] = value;
      } else {
        throw new $SyntaxError("This environment does not support defining a property as non-configurable, non-writable, or non-enumerable.");
      }
    };
  }
});

// node_modules/.pnpm/has-property-descriptors@1.0.2/node_modules/has-property-descriptors/index.js
var require_has_property_descriptors = __commonJS({
  "node_modules/.pnpm/has-property-descriptors@1.0.2/node_modules/has-property-descriptors/index.js"(exports2, module2) {
    "use strict";
    var $defineProperty = require_es_define_property();
    var hasPropertyDescriptors = function hasPropertyDescriptors2() {
      return !!$defineProperty;
    };
    hasPropertyDescriptors.hasArrayLengthDefineBug = function hasArrayLengthDefineBug() {
      if (!$defineProperty) {
        return null;
      }
      try {
        return $defineProperty([], "length", { value: 1 }).length !== 1;
      } catch (e) {
        return true;
      }
    };
    module2.exports = hasPropertyDescriptors;
  }
});

// node_modules/.pnpm/define-properties@1.2.1/node_modules/define-properties/index.js
var require_define_properties = __commonJS({
  "node_modules/.pnpm/define-properties@1.2.1/node_modules/define-properties/index.js"(exports2, module2) {
    "use strict";
    var keys2 = require_object_keys();
    var hasSymbols = typeof Symbol === "function" && typeof Symbol("foo") === "symbol";
    var toStr = Object.prototype.toString;
    var concat = Array.prototype.concat;
    var defineDataProperty = require_define_data_property();
    var isFunction3 = function(fn) {
      return typeof fn === "function" && toStr.call(fn) === "[object Function]";
    };
    var supportsDescriptors = require_has_property_descriptors()();
    var defineProperty2 = function(object, name, value, predicate) {
      if (name in object) {
        if (predicate === true) {
          if (object[name] === value) {
            return;
          }
        } else if (!isFunction3(predicate) || !predicate()) {
          return;
        }
      }
      if (supportsDescriptors) {
        defineDataProperty(object, name, value, true);
      } else {
        defineDataProperty(object, name, value);
      }
    };
    var defineProperties = function(object, map) {
      var predicates = arguments.length > 2 ? arguments[2] : {};
      var props = keys2(map);
      if (hasSymbols) {
        props = concat.call(props, Object.getOwnPropertySymbols(map));
      }
      for (var i = 0; i < props.length; i += 1) {
        defineProperty2(object, props[i], map[props[i]], predicates[props[i]]);
      }
    };
    defineProperties.supportsDescriptors = !!supportsDescriptors;
    module2.exports = defineProperties;
  }
});

// node_modules/.pnpm/es-object-atoms@1.0.0/node_modules/es-object-atoms/RequireObjectCoercible.js
var require_RequireObjectCoercible = __commonJS({
  "node_modules/.pnpm/es-object-atoms@1.0.0/node_modules/es-object-atoms/RequireObjectCoercible.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    module2.exports = function RequireObjectCoercible(value) {
      if (value == null) {
        throw new $TypeError(arguments.length > 0 && arguments[1] || "Cannot call method on " + value);
      }
      return value;
    };
  }
});

// node_modules/.pnpm/set-function-length@1.2.2/node_modules/set-function-length/index.js
var require_set_function_length = __commonJS({
  "node_modules/.pnpm/set-function-length@1.2.2/node_modules/set-function-length/index.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var define2 = require_define_data_property();
    var hasDescriptors = require_has_property_descriptors()();
    var gOPD = require_gopd();
    var $TypeError = require_type();
    var $floor = GetIntrinsic("%Math.floor%");
    module2.exports = function setFunctionLength(fn, length) {
      if (typeof fn !== "function") {
        throw new $TypeError("`fn` is not a function");
      }
      if (typeof length !== "number" || length < 0 || length > 4294967295 || $floor(length) !== length) {
        throw new $TypeError("`length` must be a positive 32-bit integer");
      }
      var loose = arguments.length > 2 && !!arguments[2];
      var functionLengthIsConfigurable = true;
      var functionLengthIsWritable = true;
      if ("length" in fn && gOPD) {
        var desc = gOPD(fn, "length");
        if (desc && !desc.configurable) {
          functionLengthIsConfigurable = false;
        }
        if (desc && !desc.writable) {
          functionLengthIsWritable = false;
        }
      }
      if (functionLengthIsConfigurable || functionLengthIsWritable || !loose) {
        if (hasDescriptors) {
          define2(
            /** @type {Parameters[0]} */
            fn,
            "length",
            length,
            true,
            true
          );
        } else {
          define2(
            /** @type {Parameters[0]} */
            fn,
            "length",
            length
          );
        }
      }
      return fn;
    };
  }
});

// node_modules/.pnpm/call-bind@1.0.7/node_modules/call-bind/index.js
var require_call_bind = __commonJS({
  "node_modules/.pnpm/call-bind@1.0.7/node_modules/call-bind/index.js"(exports2, module2) {
    "use strict";
    var bind = require_function_bind();
    var GetIntrinsic = require_get_intrinsic();
    var setFunctionLength = require_set_function_length();
    var $TypeError = require_type();
    var $apply = GetIntrinsic("%Function.prototype.apply%");
    var $call = GetIntrinsic("%Function.prototype.call%");
    var $reflectApply = GetIntrinsic("%Reflect.apply%", true) || bind.call($call, $apply);
    var $defineProperty = require_es_define_property();
    var $max = GetIntrinsic("%Math.max%");
    module2.exports = function callBind(originalFunction) {
      if (typeof originalFunction !== "function") {
        throw new $TypeError("a function is required");
      }
      var func = $reflectApply(bind, $call, arguments);
      return setFunctionLength(
        func,
        1 + $max(0, originalFunction.length - (arguments.length - 1)),
        true
      );
    };
    var applyBind = function applyBind2() {
      return $reflectApply(bind, $apply, arguments);
    };
    if ($defineProperty) {
      $defineProperty(module2.exports, "apply", { value: applyBind });
    } else {
      module2.exports.apply = applyBind;
    }
  }
});

// node_modules/.pnpm/call-bind@1.0.7/node_modules/call-bind/callBound.js
var require_callBound = __commonJS({
  "node_modules/.pnpm/call-bind@1.0.7/node_modules/call-bind/callBound.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var callBind = require_call_bind();
    var $indexOf = callBind(GetIntrinsic("String.prototype.indexOf"));
    module2.exports = function callBoundIntrinsic(name, allowMissing) {
      var intrinsic = GetIntrinsic(name, !!allowMissing);
      if (typeof intrinsic === "function" && $indexOf(name, ".prototype.") > -1) {
        return callBind(intrinsic);
      }
      return intrinsic;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/isPrimitive.js
var require_isPrimitive = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/isPrimitive.js"(exports2, module2) {
    "use strict";
    module2.exports = function isPrimitive(value) {
      return value === null || typeof value !== "function" && typeof value !== "object";
    };
  }
});

// node_modules/.pnpm/es-to-primitive@1.2.1/node_modules/es-to-primitive/helpers/isPrimitive.js
var require_isPrimitive2 = __commonJS({
  "node_modules/.pnpm/es-to-primitive@1.2.1/node_modules/es-to-primitive/helpers/isPrimitive.js"(exports2, module2) {
    "use strict";
    module2.exports = function isPrimitive(value) {
      return value === null || typeof value !== "function" && typeof value !== "object";
    };
  }
});

// node_modules/.pnpm/is-callable@1.2.7/node_modules/is-callable/index.js
var require_is_callable = __commonJS({
  "node_modules/.pnpm/is-callable@1.2.7/node_modules/is-callable/index.js"(exports2, module2) {
    "use strict";
    var fnToStr = Function.prototype.toString;
    var reflectApply = typeof Reflect === "object" && Reflect !== null && Reflect.apply;
    var badArrayLike;
    var isCallableMarker;
    if (typeof reflectApply === "function" && typeof Object.defineProperty === "function") {
      try {
        badArrayLike = Object.defineProperty({}, "length", {
          get: function() {
            throw isCallableMarker;
          }
        });
        isCallableMarker = {};
        reflectApply(function() {
          throw 42;
        }, null, badArrayLike);
      } catch (_) {
        if (_ !== isCallableMarker) {
          reflectApply = null;
        }
      }
    } else {
      reflectApply = null;
    }
    var constructorRegex = /^\s*class\b/;
    var isES6ClassFn = function isES6ClassFunction(value) {
      try {
        var fnStr = fnToStr.call(value);
        return constructorRegex.test(fnStr);
      } catch (e) {
        return false;
      }
    };
    var tryFunctionObject = function tryFunctionToStr(value) {
      try {
        if (isES6ClassFn(value)) {
          return false;
        }
        fnToStr.call(value);
        return true;
      } catch (e) {
        return false;
      }
    };
    var toStr = Object.prototype.toString;
    var objectClass = "[object Object]";
    var fnClass = "[object Function]";
    var genClass = "[object GeneratorFunction]";
    var ddaClass = "[object HTMLAllCollection]";
    var ddaClass2 = "[object HTML document.all class]";
    var ddaClass3 = "[object HTMLCollection]";
    var hasToStringTag = typeof Symbol === "function" && !!Symbol.toStringTag;
    var isIE68 = !(0 in [,]);
    var isDDA = function isDocumentDotAll() {
      return false;
    };
    if (typeof document === "object") {
      all = document.all;
      if (toStr.call(all) === toStr.call(document.all)) {
        isDDA = function isDocumentDotAll(value) {
          if ((isIE68 || !value) && (typeof value === "undefined" || typeof value === "object")) {
            try {
              var str = toStr.call(value);
              return (str === ddaClass || str === ddaClass2 || str === ddaClass3 || str === objectClass) && value("") == null;
            } catch (e) {
            }
          }
          return false;
        };
      }
    }
    var all;
    module2.exports = reflectApply ? function isCallable(value) {
      if (isDDA(value)) {
        return true;
      }
      if (!value) {
        return false;
      }
      if (typeof value !== "function" && typeof value !== "object") {
        return false;
      }
      try {
        reflectApply(value, null, badArrayLike);
      } catch (e) {
        if (e !== isCallableMarker) {
          return false;
        }
      }
      return !isES6ClassFn(value) && tryFunctionObject(value);
    } : function isCallable(value) {
      if (isDDA(value)) {
        return true;
      }
      if (!value) {
        return false;
      }
      if (typeof value !== "function" && typeof value !== "object") {
        return false;
      }
      if (hasToStringTag) {
        return tryFunctionObject(value);
      }
      if (isES6ClassFn(value)) {
        return false;
      }
      var strClass = toStr.call(value);
      if (strClass !== fnClass && strClass !== genClass && !/^\[object HTML/.test(strClass)) {
        return false;
      }
      return tryFunctionObject(value);
    };
  }
});

// node_modules/.pnpm/has-tostringtag@1.0.2/node_modules/has-tostringtag/shams.js
var require_shams2 = __commonJS({
  "node_modules/.pnpm/has-tostringtag@1.0.2/node_modules/has-tostringtag/shams.js"(exports2, module2) {
    "use strict";
    var hasSymbols = require_shams();
    module2.exports = function hasToStringTagShams() {
      return hasSymbols() && !!Symbol.toStringTag;
    };
  }
});

// node_modules/.pnpm/is-date-object@1.0.5/node_modules/is-date-object/index.js
var require_is_date_object = __commonJS({
  "node_modules/.pnpm/is-date-object@1.0.5/node_modules/is-date-object/index.js"(exports2, module2) {
    "use strict";
    var getDay = Date.prototype.getDay;
    var tryDateObject = function tryDateGetDayCall(value) {
      try {
        getDay.call(value);
        return true;
      } catch (e) {
        return false;
      }
    };
    var toStr = Object.prototype.toString;
    var dateClass = "[object Date]";
    var hasToStringTag = require_shams2()();
    module2.exports = function isDateObject(value) {
      if (typeof value !== "object" || value === null) {
        return false;
      }
      return hasToStringTag ? tryDateObject(value) : toStr.call(value) === dateClass;
    };
  }
});

// node_modules/.pnpm/is-symbol@1.0.4/node_modules/is-symbol/index.js
var require_is_symbol = __commonJS({
  "node_modules/.pnpm/is-symbol@1.0.4/node_modules/is-symbol/index.js"(exports2, module2) {
    "use strict";
    var toStr = Object.prototype.toString;
    var hasSymbols = require_has_symbols()();
    if (hasSymbols) {
      symToStr = Symbol.prototype.toString;
      symStringRegex = /^Symbol\(.*\)$/;
      isSymbolObject = function isRealSymbolObject(value) {
        if (typeof value.valueOf() !== "symbol") {
          return false;
        }
        return symStringRegex.test(symToStr.call(value));
      };
      module2.exports = function isSymbol2(value) {
        if (typeof value === "symbol") {
          return true;
        }
        if (toStr.call(value) !== "[object Symbol]") {
          return false;
        }
        try {
          return isSymbolObject(value);
        } catch (e) {
          return false;
        }
      };
    } else {
      module2.exports = function isSymbol2(value) {
        return false;
      };
    }
    var symToStr;
    var symStringRegex;
    var isSymbolObject;
  }
});

// node_modules/.pnpm/es-to-primitive@1.2.1/node_modules/es-to-primitive/es2015.js
var require_es20152 = __commonJS({
  "node_modules/.pnpm/es-to-primitive@1.2.1/node_modules/es-to-primitive/es2015.js"(exports2, module2) {
    "use strict";
    var hasSymbols = typeof Symbol === "function" && typeof Symbol.iterator === "symbol";
    var isPrimitive = require_isPrimitive2();
    var isCallable = require_is_callable();
    var isDate = require_is_date_object();
    var isSymbol2 = require_is_symbol();
    var ordinaryToPrimitive = function OrdinaryToPrimitive(O, hint) {
      if (typeof O === "undefined" || O === null) {
        throw new TypeError("Cannot call method on " + O);
      }
      if (typeof hint !== "string" || hint !== "number" && hint !== "string") {
        throw new TypeError('hint must be "string" or "number"');
      }
      var methodNames = hint === "string" ? ["toString", "valueOf"] : ["valueOf", "toString"];
      var method, result, i;
      for (i = 0; i < methodNames.length; ++i) {
        method = O[methodNames[i]];
        if (isCallable(method)) {
          result = method.call(O);
          if (isPrimitive(result)) {
            return result;
          }
        }
      }
      throw new TypeError("No default value");
    };
    var GetMethod = function GetMethod2(O, P) {
      var func = O[P];
      if (func !== null && typeof func !== "undefined") {
        if (!isCallable(func)) {
          throw new TypeError(func + " returned for property " + P + " of object " + O + " is not a function");
        }
        return func;
      }
      return void 0;
    };
    module2.exports = function ToPrimitive(input) {
      if (isPrimitive(input)) {
        return input;
      }
      var hint = "default";
      if (arguments.length > 1) {
        if (arguments[1] === String) {
          hint = "string";
        } else if (arguments[1] === Number) {
          hint = "number";
        }
      }
      var exoticToPrim;
      if (hasSymbols) {
        if (Symbol.toPrimitive) {
          exoticToPrim = GetMethod(input, Symbol.toPrimitive);
        } else if (isSymbol2(input)) {
          exoticToPrim = Symbol.prototype.valueOf;
        }
      }
      if (typeof exoticToPrim !== "undefined") {
        var result = exoticToPrim.call(input, hint);
        if (isPrimitive(result)) {
          return result;
        }
        throw new TypeError("unable to convert exotic object to primitive");
      }
      if (hint === "default" && (isDate(input) || isSymbol2(input))) {
        hint = "string";
      }
      return ordinaryToPrimitive(input, hint === "default" ? "number" : hint);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ToPrimitive.js
var require_ToPrimitive = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ToPrimitive.js"(exports2, module2) {
    "use strict";
    var toPrimitive = require_es20152();
    module2.exports = function ToPrimitive(input) {
      if (arguments.length > 1) {
        return toPrimitive(input, arguments[1]);
      }
      return toPrimitive(input);
    };
  }
});

// node_modules/.pnpm/is-regex@1.1.4/node_modules/is-regex/index.js
var require_is_regex = __commonJS({
  "node_modules/.pnpm/is-regex@1.1.4/node_modules/is-regex/index.js"(exports2, module2) {
    "use strict";
    var callBound = require_callBound();
    var hasToStringTag = require_shams2()();
    var has2;
    var $exec;
    var isRegexMarker;
    var badStringifier;
    if (hasToStringTag) {
      has2 = callBound("Object.prototype.hasOwnProperty");
      $exec = callBound("RegExp.prototype.exec");
      isRegexMarker = {};
      throwRegexMarker = function() {
        throw isRegexMarker;
      };
      badStringifier = {
        toString: throwRegexMarker,
        valueOf: throwRegexMarker
      };
      if (typeof Symbol.toPrimitive === "symbol") {
        badStringifier[Symbol.toPrimitive] = throwRegexMarker;
      }
    }
    var throwRegexMarker;
    var $toString = callBound("Object.prototype.toString");
    var gOPD = Object.getOwnPropertyDescriptor;
    var regexClass = "[object RegExp]";
    module2.exports = hasToStringTag ? function isRegex(value) {
      if (!value || typeof value !== "object") {
        return false;
      }
      var descriptor = gOPD(value, "lastIndex");
      var hasLastIndexDataProperty = descriptor && has2(descriptor, "value");
      if (!hasLastIndexDataProperty) {
        return false;
      }
      try {
        $exec(value, badStringifier);
      } catch (e) {
        return e === isRegexMarker;
      }
    } : function isRegex(value) {
      if (!value || typeof value !== "object" && typeof value !== "function") {
        return false;
      }
      return $toString(value) === regexClass;
    };
  }
});

// node_modules/.pnpm/safe-regex-test@1.0.3/node_modules/safe-regex-test/index.js
var require_safe_regex_test = __commonJS({
  "node_modules/.pnpm/safe-regex-test@1.0.3/node_modules/safe-regex-test/index.js"(exports2, module2) {
    "use strict";
    var callBound = require_callBound();
    var isRegex = require_is_regex();
    var $exec = callBound("RegExp.prototype.exec");
    var $TypeError = require_type();
    module2.exports = function regexTester(regex) {
      if (!isRegex(regex)) {
        throw new $TypeError("`regex` must be a RegExp");
      }
      return function test(s) {
        return $exec(regex, s) !== null;
      };
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ToString.js
var require_ToString = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ToString.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $String = GetIntrinsic("%String%");
    var $TypeError = require_type();
    module2.exports = function ToString(argument) {
      if (typeof argument === "symbol") {
        throw new $TypeError("Cannot convert a Symbol value to a string");
      }
      return $String(argument);
    };
  }
});

// node_modules/.pnpm/string.prototype.trim@1.2.9/node_modules/string.prototype.trim/implementation.js
var require_implementation3 = __commonJS({
  "node_modules/.pnpm/string.prototype.trim@1.2.9/node_modules/string.prototype.trim/implementation.js"(exports2, module2) {
    "use strict";
    var RequireObjectCoercible = require_RequireObjectCoercible();
    var ToString = require_ToString();
    var callBound = require_callBound();
    var $replace = callBound("String.prototype.replace");
    var mvsIsWS = /^\s$/.test("\u180E");
    var leftWhitespace = mvsIsWS ? /^[\x09\x0A\x0B\x0C\x0D\x20\xA0\u1680\u180E\u2000\u2001\u2002\u2003\u2004\u2005\u2006\u2007\u2008\u2009\u200A\u202F\u205F\u3000\u2028\u2029\uFEFF]+/ : /^[\x09\x0A\x0B\x0C\x0D\x20\xA0\u1680\u2000\u2001\u2002\u2003\u2004\u2005\u2006\u2007\u2008\u2009\u200A\u202F\u205F\u3000\u2028\u2029\uFEFF]+/;
    var rightWhitespace = mvsIsWS ? /[\x09\x0A\x0B\x0C\x0D\x20\xA0\u1680\u180E\u2000\u2001\u2002\u2003\u2004\u2005\u2006\u2007\u2008\u2009\u200A\u202F\u205F\u3000\u2028\u2029\uFEFF]+$/ : /[\x09\x0A\x0B\x0C\x0D\x20\xA0\u1680\u2000\u2001\u2002\u2003\u2004\u2005\u2006\u2007\u2008\u2009\u200A\u202F\u205F\u3000\u2028\u2029\uFEFF]+$/;
    module2.exports = function trim() {
      var S = ToString(RequireObjectCoercible(this));
      return $replace($replace(S, leftWhitespace, ""), rightWhitespace, "");
    };
  }
});

// node_modules/.pnpm/string.prototype.trim@1.2.9/node_modules/string.prototype.trim/polyfill.js
var require_polyfill = __commonJS({
  "node_modules/.pnpm/string.prototype.trim@1.2.9/node_modules/string.prototype.trim/polyfill.js"(exports2, module2) {
    "use strict";
    var implementation = require_implementation3();
    var zeroWidthSpace = "\u200B";
    var mongolianVowelSeparator = "\u180E";
    module2.exports = function getPolyfill() {
      if (String.prototype.trim && zeroWidthSpace.trim() === zeroWidthSpace && mongolianVowelSeparator.trim() === mongolianVowelSeparator && ("_" + mongolianVowelSeparator).trim() === "_" + mongolianVowelSeparator && (mongolianVowelSeparator + "_").trim() === mongolianVowelSeparator + "_") {
        return String.prototype.trim;
      }
      return implementation;
    };
  }
});

// node_modules/.pnpm/string.prototype.trim@1.2.9/node_modules/string.prototype.trim/shim.js
var require_shim = __commonJS({
  "node_modules/.pnpm/string.prototype.trim@1.2.9/node_modules/string.prototype.trim/shim.js"(exports2, module2) {
    "use strict";
    var define2 = require_define_properties();
    var getPolyfill = require_polyfill();
    module2.exports = function shimStringTrim() {
      var polyfill = getPolyfill();
      define2(String.prototype, { trim: polyfill }, {
        trim: function testTrim() {
          return String.prototype.trim !== polyfill;
        }
      });
      return polyfill;
    };
  }
});

// node_modules/.pnpm/string.prototype.trim@1.2.9/node_modules/string.prototype.trim/index.js
var require_string_prototype = __commonJS({
  "node_modules/.pnpm/string.prototype.trim@1.2.9/node_modules/string.prototype.trim/index.js"(exports2, module2) {
    "use strict";
    var callBind = require_call_bind();
    var define2 = require_define_properties();
    var RequireObjectCoercible = require_RequireObjectCoercible();
    var implementation = require_implementation3();
    var getPolyfill = require_polyfill();
    var shim = require_shim();
    var bound = callBind(getPolyfill());
    var boundMethod = function trim(receiver) {
      RequireObjectCoercible(receiver);
      return bound(receiver);
    };
    define2(boundMethod, {
      getPolyfill,
      implementation,
      shim
    });
    module2.exports = boundMethod;
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/StringToNumber.js
var require_StringToNumber = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/StringToNumber.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $Number = GetIntrinsic("%Number%");
    var $RegExp = GetIntrinsic("%RegExp%");
    var $TypeError = require_type();
    var $parseInteger = GetIntrinsic("%parseInt%");
    var callBound = require_callBound();
    var regexTester = require_safe_regex_test();
    var $strSlice = callBound("String.prototype.slice");
    var isBinary = regexTester(/^0b[01]+$/i);
    var isOctal = regexTester(/^0o[0-7]+$/i);
    var isInvalidHexLiteral = regexTester(/^[-+]0x[0-9a-f]+$/i);
    var nonWS = ["\x85", "\u200B", "\uFFFE"].join("");
    var nonWSregex = new $RegExp("[" + nonWS + "]", "g");
    var hasNonWS = regexTester(nonWSregex);
    var $trim = require_string_prototype();
    module2.exports = function StringToNumber(argument) {
      if (typeof argument !== "string") {
        throw new $TypeError("Assertion failed: `argument` is not a String");
      }
      if (isBinary(argument)) {
        return $Number($parseInteger($strSlice(argument, 2), 2));
      }
      if (isOctal(argument)) {
        return $Number($parseInteger($strSlice(argument, 2), 8));
      }
      if (hasNonWS(argument) || isInvalidHexLiteral(argument)) {
        return NaN;
      }
      var trimmed = $trim(argument);
      if (trimmed !== argument) {
        return StringToNumber(trimmed);
      }
      return $Number(argument);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ToNumber.js
var require_ToNumber = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ToNumber.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $TypeError = require_type();
    var $Number = GetIntrinsic("%Number%");
    var isPrimitive = require_isPrimitive();
    var ToPrimitive = require_ToPrimitive();
    var StringToNumber = require_StringToNumber();
    module2.exports = function ToNumber(argument) {
      var value = isPrimitive(argument) ? argument : ToPrimitive(argument, $Number);
      if (typeof value === "symbol") {
        throw new $TypeError("Cannot convert a Symbol value to a number");
      }
      if (typeof value === "bigint") {
        throw new $TypeError("Conversion from 'BigInt' to 'number' is not allowed.");
      }
      if (typeof value === "string") {
        return StringToNumber(value);
      }
      return $Number(value);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/floor.js
var require_floor = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/floor.js"(exports2, module2) {
    "use strict";
    var $floor = Math.floor;
    module2.exports = function floor(x) {
      if (typeof x === "bigint") {
        return x;
      }
      return $floor(x);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/truncate.js
var require_truncate = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/truncate.js"(exports2, module2) {
    "use strict";
    var floor = require_floor();
    var $TypeError = require_type();
    module2.exports = function truncate(x) {
      if (typeof x !== "number" && typeof x !== "bigint") {
        throw new $TypeError("argument must be a Number or a BigInt");
      }
      var result = x < 0 ? -floor(-x) : floor(x);
      return result === 0 ? 0 : result;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/isNaN.js
var require_isNaN = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/isNaN.js"(exports2, module2) {
    "use strict";
    module2.exports = Number.isNaN || function isNaN2(a) {
      return a !== a;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/isFinite.js
var require_isFinite = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/isFinite.js"(exports2, module2) {
    "use strict";
    var $isNaN = require_isNaN();
    module2.exports = function(x) {
      return (typeof x === "number" || typeof x === "bigint") && !$isNaN(x) && x !== Infinity && x !== -Infinity;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ToIntegerOrInfinity.js
var require_ToIntegerOrInfinity = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ToIntegerOrInfinity.js"(exports2, module2) {
    "use strict";
    var ToNumber = require_ToNumber();
    var truncate = require_truncate();
    var $isNaN = require_isNaN();
    var $isFinite = require_isFinite();
    module2.exports = function ToIntegerOrInfinity(value) {
      var number = ToNumber(value);
      if ($isNaN(number) || number === 0) {
        return 0;
      }
      if (!$isFinite(number)) {
        return number;
      }
      return truncate(number);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/maxSafeInteger.js
var require_maxSafeInteger = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/maxSafeInteger.js"(exports2, module2) {
    "use strict";
    module2.exports = Number.MAX_SAFE_INTEGER || 9007199254740991;
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ToLength.js
var require_ToLength = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ToLength.js"(exports2, module2) {
    "use strict";
    var MAX_SAFE_INTEGER3 = require_maxSafeInteger();
    var ToIntegerOrInfinity = require_ToIntegerOrInfinity();
    module2.exports = function ToLength(argument) {
      var len = ToIntegerOrInfinity(argument);
      if (len <= 0) {
        return 0;
      }
      if (len > MAX_SAFE_INTEGER3) {
        return MAX_SAFE_INTEGER3;
      }
      return len;
    };
  }
});

// node_modules/.pnpm/es-object-atoms@1.0.0/node_modules/es-object-atoms/index.js
var require_es_object_atoms = __commonJS({
  "node_modules/.pnpm/es-object-atoms@1.0.0/node_modules/es-object-atoms/index.js"(exports2, module2) {
    "use strict";
    module2.exports = Object;
  }
});

// node_modules/.pnpm/es-object-atoms@1.0.0/node_modules/es-object-atoms/ToObject.js
var require_ToObject = __commonJS({
  "node_modules/.pnpm/es-object-atoms@1.0.0/node_modules/es-object-atoms/ToObject.js"(exports2, module2) {
    "use strict";
    var $Object = require_es_object_atoms();
    var RequireObjectCoercible = require_RequireObjectCoercible();
    module2.exports = function ToObject(value) {
      RequireObjectCoercible(value);
      return $Object(value);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/SameValueZero.js
var require_SameValueZero = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/SameValueZero.js"(exports2, module2) {
    "use strict";
    var $isNaN = require_isNaN();
    module2.exports = function SameValueZero(x, y) {
      return x === y || $isNaN(x) && $isNaN(y);
    };
  }
});

// node_modules/.pnpm/is-string@1.0.7/node_modules/is-string/index.js
var require_is_string = __commonJS({
  "node_modules/.pnpm/is-string@1.0.7/node_modules/is-string/index.js"(exports2, module2) {
    "use strict";
    var strValue = String.prototype.valueOf;
    var tryStringObject = function tryStringObject2(value) {
      try {
        strValue.call(value);
        return true;
      } catch (e) {
        return false;
      }
    };
    var toStr = Object.prototype.toString;
    var strClass = "[object String]";
    var hasToStringTag = require_shams2()();
    module2.exports = function isString2(value) {
      if (typeof value === "string") {
        return true;
      }
      if (typeof value !== "object") {
        return false;
      }
      return hasToStringTag ? tryStringObject(value) : toStr.call(value) === strClass;
    };
  }
});

// node_modules/.pnpm/array-includes@3.1.8/node_modules/array-includes/implementation.js
var require_implementation4 = __commonJS({
  "node_modules/.pnpm/array-includes@3.1.8/node_modules/array-includes/implementation.js"(exports2, module2) {
    "use strict";
    var ToIntegerOrInfinity = require_ToIntegerOrInfinity();
    var ToLength = require_ToLength();
    var ToObject = require_ToObject();
    var SameValueZero = require_SameValueZero();
    var $isNaN = require_isNaN();
    var $isFinite = require_isFinite();
    var GetIntrinsic = require_get_intrinsic();
    var callBound = require_callBound();
    var isString2 = require_is_string();
    var $charAt = callBound("String.prototype.charAt");
    var $indexOf = GetIntrinsic("%Array.prototype.indexOf%");
    var $max = GetIntrinsic("%Math.max%");
    module2.exports = function includes(searchElement) {
      var fromIndex = arguments.length > 1 ? ToIntegerOrInfinity(arguments[1]) : 0;
      if ($indexOf && !$isNaN(searchElement) && $isFinite(fromIndex) && typeof searchElement !== "undefined") {
        return $indexOf.apply(this, arguments) > -1;
      }
      var O = ToObject(this);
      var length = ToLength(O.length);
      if (length === 0) {
        return false;
      }
      var k = fromIndex >= 0 ? fromIndex : $max(0, length + fromIndex);
      while (k < length) {
        if (SameValueZero(searchElement, isString2(O) ? $charAt(O, k) : O[k])) {
          return true;
        }
        k += 1;
      }
      return false;
    };
  }
});

// node_modules/.pnpm/array-includes@3.1.8/node_modules/array-includes/polyfill.js
var require_polyfill2 = __commonJS({
  "node_modules/.pnpm/array-includes@3.1.8/node_modules/array-includes/polyfill.js"(exports2, module2) {
    "use strict";
    var implementation = require_implementation4();
    module2.exports = function getPolyfill() {
      if (Array.prototype.includes && Array(1).includes(void 0)) {
        return Array.prototype.includes;
      }
      return implementation;
    };
  }
});

// node_modules/.pnpm/array-includes@3.1.8/node_modules/array-includes/shim.js
var require_shim2 = __commonJS({
  "node_modules/.pnpm/array-includes@3.1.8/node_modules/array-includes/shim.js"(exports2, module2) {
    "use strict";
    var define2 = require_define_properties();
    var getPolyfill = require_polyfill2();
    module2.exports = function shimArrayPrototypeIncludes() {
      var polyfill = getPolyfill();
      define2(
        Array.prototype,
        { includes: polyfill },
        { includes: function() {
          return Array.prototype.includes !== polyfill;
        } }
      );
      return polyfill;
    };
  }
});

// node_modules/.pnpm/array-includes@3.1.8/node_modules/array-includes/index.js
var require_array_includes = __commonJS({
  "node_modules/.pnpm/array-includes@3.1.8/node_modules/array-includes/index.js"(exports2, module2) {
    "use strict";
    var define2 = require_define_properties();
    var RequireObjectCoercible = require_RequireObjectCoercible();
    var callBind = require_call_bind();
    var callBound = require_callBound();
    var implementation = require_implementation4();
    var getPolyfill = require_polyfill2();
    var polyfill = callBind.apply(getPolyfill());
    var shim = require_shim2();
    var $slice = callBound("Array.prototype.slice");
    var boundShim = function includes(array, searchElement) {
      RequireObjectCoercible(array);
      return polyfill(array, $slice(arguments, 1));
    };
    define2(boundShim, {
      getPolyfill,
      implementation,
      shim
    });
    module2.exports = boundShim;
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/ExportMap.js
var require_ExportMap = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/ExportMap.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var _createClass = /* @__PURE__ */ function() {
      function defineProperties(target, props) {
        for (var i = 0; i < props.length; i++) {
          var descriptor = props[i];
          descriptor.enumerable = descriptor.enumerable || false;
          descriptor.configurable = true;
          if ("value" in descriptor) descriptor.writable = true;
          Object.defineProperty(target, descriptor.key, descriptor);
        }
      }
      return function(Constructor, protoProps, staticProps) {
        if (protoProps) defineProperties(Constructor.prototype, protoProps);
        if (staticProps) defineProperties(Constructor, staticProps);
        return Constructor;
      };
    }();
    exports2.recursivePatternCapture = recursivePatternCapture;
    var _fs = require("fs");
    var _fs2 = _interopRequireDefault(_fs);
    var _path = require("path");
    var _doctrine = require_doctrine();
    var _doctrine2 = _interopRequireDefault(_doctrine);
    var _debug = require_src3();
    var _debug2 = _interopRequireDefault(_debug);
    var _eslint = require("eslint");
    var _parse = require("eslint-module-utils/parse");
    var _parse2 = _interopRequireDefault(_parse);
    var _visit = require("eslint-module-utils/visit");
    var _visit2 = _interopRequireDefault(_visit);
    var _resolve = require("eslint-module-utils/resolve");
    var _resolve2 = _interopRequireDefault(_resolve);
    var _ignore = require("eslint-module-utils/ignore");
    var _ignore2 = _interopRequireDefault(_ignore);
    var _hash = require("eslint-module-utils/hash");
    var _unambiguous = require("eslint-module-utils/unambiguous");
    var unambiguous = _interopRequireWildcard(_unambiguous);
    var _tsconfigLoader = require_tsconfig_loader();
    var _arrayIncludes = require_array_includes();
    var _arrayIncludes2 = _interopRequireDefault(_arrayIncludes);
    function _interopRequireWildcard(obj) {
      if (obj && obj.__esModule) {
        return obj;
      } else {
        var newObj = {};
        if (obj != null) {
          for (var key in obj) {
            if (Object.prototype.hasOwnProperty.call(obj, key)) newObj[key] = obj[key];
          }
        }
        newObj["default"] = obj;
        return newObj;
      }
    }
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function _classCallCheck(instance, Constructor) {
      if (!(instance instanceof Constructor)) {
        throw new TypeError("Cannot call a class as a function");
      }
    }
    var ts = void 0;
    var log = (0, _debug2["default"])("eslint-plugin-import:ExportMap");
    var exportCache = /* @__PURE__ */ new Map();
    var tsconfigCache = /* @__PURE__ */ new Map();
    var ExportMap = function() {
      function ExportMap2(path17) {
        _classCallCheck(this, ExportMap2);
        this.path = path17;
        this.namespace = /* @__PURE__ */ new Map();
        this.reexports = /* @__PURE__ */ new Map();
        this.dependencies = /* @__PURE__ */ new Set();
        this.imports = /* @__PURE__ */ new Map();
        this.errors = [];
        this.parseGoal = "ambiguous";
      }
      _createClass(ExportMap2, [{
        key: "has",
        /**
         * Note that this does not check explicitly re-exported names for existence
         * in the base namespace, but it will expand all `export * from '...'` exports
         * if not found in the explicit namespace.
         * @param  {string}  name
         * @return {Boolean} true if `name` is exported by this module.
         */
        value: /* @__PURE__ */ function() {
          function has2(name) {
            if (this.namespace.has(name)) {
              return true;
            }
            if (this.reexports.has(name)) {
              return true;
            }
            if (name !== "default") {
              var _iteratorNormalCompletion = true;
              var _didIteratorError = false;
              var _iteratorError = void 0;
              try {
                for (var _iterator = this.dependencies[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
                  var dep = _step.value;
                  var innerMap = dep();
                  if (!innerMap) {
                    continue;
                  }
                  if (innerMap.has(name)) {
                    return true;
                  }
                }
              } catch (err) {
                _didIteratorError = true;
                _iteratorError = err;
              } finally {
                try {
                  if (!_iteratorNormalCompletion && _iterator["return"]) {
                    _iterator["return"]();
                  }
                } finally {
                  if (_didIteratorError) {
                    throw _iteratorError;
                  }
                }
              }
            }
            return false;
          }
          return has2;
        }()
        /**
         * ensure that imported name fully resolves.
         * @param  {string} name
         * @return {{ found: boolean, path: ExportMap[] }}
         */
      }, { key: "hasDeep", value: /* @__PURE__ */ function() {
        function hasDeep(name) {
          if (this.namespace.has(name)) {
            return { found: true, path: [this] };
          }
          if (this.reexports.has(name)) {
            var reexports = this.reexports.get(name);
            var imported = reexports.getImport();
            if (imported == null) {
              return { found: true, path: [this] };
            }
            if (imported.path === this.path && reexports.local === name) {
              return { found: false, path: [this] };
            }
            var deep = imported.hasDeep(reexports.local);
            deep.path.unshift(this);
            return deep;
          }
          if (name !== "default") {
            var _iteratorNormalCompletion2 = true;
            var _didIteratorError2 = false;
            var _iteratorError2 = void 0;
            try {
              for (var _iterator2 = this.dependencies[Symbol.iterator](), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) {
                var dep = _step2.value;
                var innerMap = dep();
                if (innerMap == null) {
                  return { found: true, path: [this] };
                }
                if (!innerMap) {
                  continue;
                }
                if (innerMap.path === this.path) {
                  continue;
                }
                var innerValue = innerMap.hasDeep(name);
                if (innerValue.found) {
                  innerValue.path.unshift(this);
                  return innerValue;
                }
              }
            } catch (err) {
              _didIteratorError2 = true;
              _iteratorError2 = err;
            } finally {
              try {
                if (!_iteratorNormalCompletion2 && _iterator2["return"]) {
                  _iterator2["return"]();
                }
              } finally {
                if (_didIteratorError2) {
                  throw _iteratorError2;
                }
              }
            }
          }
          return { found: false, path: [this] };
        }
        return hasDeep;
      }() }, { key: "get", value: /* @__PURE__ */ function() {
        function get(name) {
          if (this.namespace.has(name)) {
            return this.namespace.get(name);
          }
          if (this.reexports.has(name)) {
            var reexports = this.reexports.get(name);
            var imported = reexports.getImport();
            if (imported == null) {
              return null;
            }
            if (imported.path === this.path && reexports.local === name) {
              return void 0;
            }
            return imported.get(reexports.local);
          }
          if (name !== "default") {
            var _iteratorNormalCompletion3 = true;
            var _didIteratorError3 = false;
            var _iteratorError3 = void 0;
            try {
              for (var _iterator3 = this.dependencies[Symbol.iterator](), _step3; !(_iteratorNormalCompletion3 = (_step3 = _iterator3.next()).done); _iteratorNormalCompletion3 = true) {
                var dep = _step3.value;
                var innerMap = dep();
                if (!innerMap) {
                  continue;
                }
                if (innerMap.path === this.path) {
                  continue;
                }
                var innerValue = innerMap.get(name);
                if (innerValue !== void 0) {
                  return innerValue;
                }
              }
            } catch (err) {
              _didIteratorError3 = true;
              _iteratorError3 = err;
            } finally {
              try {
                if (!_iteratorNormalCompletion3 && _iterator3["return"]) {
                  _iterator3["return"]();
                }
              } finally {
                if (_didIteratorError3) {
                  throw _iteratorError3;
                }
              }
            }
          }
          return void 0;
        }
        return get;
      }() }, {
        key: "forEach",
        value: /* @__PURE__ */ function() {
          function forEach(callback, thisArg) {
            var _this = this;
            this.namespace.forEach(function(v, n) {
              callback.call(thisArg, v, n, _this);
            });
            this.reexports.forEach(function(reexports, name) {
              var reexported = reexports.getImport();
              callback.call(thisArg, reexported && reexported.get(reexports.local), name, _this);
            });
            this.dependencies.forEach(function(dep) {
              var d = dep();
              if (d == null) {
                return;
              }
              d.forEach(function(v, n) {
                if (n !== "default") {
                  callback.call(thisArg, v, n, _this);
                }
              });
            });
          }
          return forEach;
        }()
        // todo: keys, values, entries?
      }, { key: "reportErrors", value: /* @__PURE__ */ function() {
        function reportErrors(context, declaration) {
          var msg = this.errors.map(function(e) {
            return String(e.message) + " (" + String(e.lineNumber) + ":" + String(e.column) + ")";
          }).join(", ");
          context.report({ node: declaration.source, message: "Parse errors in imported module '" + String(declaration.source.value) + "': " + String(msg) });
        }
        return reportErrors;
      }() }, {
        key: "hasDefault",
        get: /* @__PURE__ */ function() {
          function get() {
            return this.get("default") != null;
          }
          return get;
        }()
        // stronger than this.has
      }, { key: "size", get: /* @__PURE__ */ function() {
        function get() {
          var size = this.namespace.size + this.reexports.size;
          this.dependencies.forEach(function(dep) {
            var d = dep();
            if (d == null) {
              return;
            }
            size += d.size;
          });
          return size;
        }
        return get;
      }() }]);
      return ExportMap2;
    }();
    exports2["default"] = ExportMap;
    function captureDoc(source, docStyleParsers) {
      var metadata = {};
      for (var _len = arguments.length, nodes = Array(_len > 2 ? _len - 2 : 0), _key = 2; _key < _len; _key++) {
        nodes[_key - 2] = arguments[_key];
      }
      nodes.some(function(n) {
        try {
          var leadingComments = void 0;
          if ("leadingComments" in n) {
            leadingComments = n.leadingComments;
          } else if (n.range) {
            leadingComments = source.getCommentsBefore(n);
          }
          if (!leadingComments || leadingComments.length === 0) {
            return false;
          }
          for (var name in docStyleParsers) {
            var doc = docStyleParsers[name](leadingComments);
            if (doc) {
              metadata.doc = doc;
            }
          }
          return true;
        } catch (err) {
          return false;
        }
      });
      return metadata;
    }
    var availableDocStyleParsers = { jsdoc: captureJsDoc, tomdoc: captureTomDoc };
    function captureJsDoc(comments) {
      var doc = void 0;
      comments.forEach(function(comment) {
        if (comment.type !== "Block") {
          return;
        }
        try {
          doc = _doctrine2["default"].parse(comment.value, { unwrap: true });
        } catch (err) {
        }
      });
      return doc;
    }
    function captureTomDoc(comments) {
      var lines = [];
      for (var i = 0; i < comments.length; i++) {
        var comment = comments[i];
        if (comment.value.match(/^\s*$/)) {
          break;
        }
        lines.push(comment.value.trim());
      }
      var statusMatch = lines.join(" ").match(/^(Public|Internal|Deprecated):\s*(.+)/);
      if (statusMatch) {
        return { description: statusMatch[2], tags: [{ title: statusMatch[1].toLowerCase(), description: statusMatch[2] }] };
      }
    }
    var supportedImportTypes = /* @__PURE__ */ new Set(["ImportDefaultSpecifier", "ImportNamespaceSpecifier"]);
    ExportMap.get = function(source, context) {
      var path17 = (0, _resolve2["default"])(source, context);
      if (path17 == null) {
        return null;
      }
      return ExportMap["for"](childContext(path17, context));
    };
    ExportMap["for"] = function(context) {
      var path17 = context.path;
      var cacheKey = context.cacheKey || (0, _hash.hashObject)(context).digest("hex");
      var exportMap = exportCache.get(cacheKey);
      if (exportMap === null) {
        return null;
      }
      var stats = _fs2["default"].statSync(path17);
      if (exportMap != null) {
        if (exportMap.mtime - stats.mtime === 0) {
          return exportMap;
        }
      }
      if (!(0, _ignore.hasValidExtension)(path17, context)) {
        exportCache.set(cacheKey, null);
        return null;
      }
      if ((0, _ignore2["default"])(path17, context)) {
        log("ignored path due to ignore settings:", path17);
        exportCache.set(cacheKey, null);
        return null;
      }
      var content = _fs2["default"].readFileSync(path17, { encoding: "utf8" });
      if (!unambiguous.test(content)) {
        log("ignored path due to unambiguous regex:", path17);
        exportCache.set(cacheKey, null);
        return null;
      }
      log("cache miss", cacheKey, "for path", path17);
      exportMap = ExportMap.parse(path17, content, context);
      if (exportMap == null) {
        log("ignored path due to ambiguous parse:", path17);
        exportCache.set(cacheKey, null);
        return null;
      }
      exportMap.mtime = stats.mtime;
      exportCache.set(cacheKey, exportMap);
      return exportMap;
    };
    ExportMap.parse = function(path17, content, context) {
      var m = new ExportMap(path17);
      var isEsModuleInteropTrue = isEsModuleInterop();
      var ast = void 0;
      var visitorKeys = void 0;
      try {
        var result = (0, _parse2["default"])(path17, content, context);
        ast = result.ast;
        visitorKeys = result.visitorKeys;
      } catch (err) {
        m.errors.push(err);
        return m;
      }
      m.visitorKeys = visitorKeys;
      var hasDynamicImports = false;
      function processDynamicImport(source2) {
        hasDynamicImports = true;
        if (source2.type !== "Literal") {
          return null;
        }
        var p = remotePath(source2.value);
        if (p == null) {
          return null;
        }
        var importedSpecifiers = /* @__PURE__ */ new Set();
        importedSpecifiers.add("ImportNamespaceSpecifier");
        var getter = thunkFor(p, context);
        m.imports.set(p, { getter, declarations: /* @__PURE__ */ new Set([{ source: {
          // capturing actual node reference holds full AST in memory!
          value: source2.value,
          loc: source2.loc
        }, importedSpecifiers, dynamic: true }]) });
      }
      (0, _visit2["default"])(ast, visitorKeys, { ImportExpression: /* @__PURE__ */ function() {
        function ImportExpression(node) {
          processDynamicImport(node.source);
        }
        return ImportExpression;
      }(), CallExpression: /* @__PURE__ */ function() {
        function CallExpression(node) {
          if (node.callee.type === "Import") {
            processDynamicImport(node.arguments[0]);
          }
        }
        return CallExpression;
      }() });
      var unambiguouslyESM = unambiguous.isModule(ast);
      if (!unambiguouslyESM && !hasDynamicImports) {
        return null;
      }
      var docstyle = context.settings && context.settings["import/docstyle"] || ["jsdoc"];
      var docStyleParsers = {};
      docstyle.forEach(function(style) {
        docStyleParsers[style] = availableDocStyleParsers[style];
      });
      if (ast.comments) {
        ast.comments.some(function(c) {
          if (c.type !== "Block") {
            return false;
          }
          try {
            var doc = _doctrine2["default"].parse(c.value, { unwrap: true });
            if (doc.tags.some(function(t) {
              return t.title === "module";
            })) {
              m.doc = doc;
              return true;
            }
          } catch (err) {
          }
          return false;
        });
      }
      var namespaces = /* @__PURE__ */ new Map();
      function remotePath(value) {
        return _resolve2["default"].relative(value, path17, context.settings);
      }
      function resolveImport(value) {
        var rp = remotePath(value);
        if (rp == null) {
          return null;
        }
        return ExportMap["for"](childContext(rp, context));
      }
      function getNamespace(identifier) {
        if (!namespaces.has(identifier.name)) {
          return;
        }
        return function() {
          return resolveImport(namespaces.get(identifier.name));
        };
      }
      function addNamespace(object, identifier) {
        var nsfn = getNamespace(identifier);
        if (nsfn) {
          Object.defineProperty(object, "namespace", { get: nsfn });
        }
        return object;
      }
      function processSpecifier(s, n, m2) {
        var nsource = n.source && n.source.value;
        var exportMeta = {};
        var local = void 0;
        switch (s.type) {
          case "ExportDefaultSpecifier":
            if (!nsource) {
              return;
            }
            local = "default";
            break;
          case "ExportNamespaceSpecifier":
            m2.namespace.set(s.exported.name, Object.defineProperty(exportMeta, "namespace", { get: /* @__PURE__ */ function() {
              function get() {
                return resolveImport(nsource);
              }
              return get;
            }() }));
            return;
          case "ExportAllDeclaration":
            m2.namespace.set(s.exported.name || s.exported.value, addNamespace(exportMeta, s.source.value));
            return;
          case "ExportSpecifier":
            if (!n.source) {
              m2.namespace.set(s.exported.name || s.exported.value, addNamespace(exportMeta, s.local));
              return;
            }
          default:
            local = s.local.name;
            break;
        }
        m2.reexports.set(s.exported.name, { local, getImport: /* @__PURE__ */ function() {
          function getImport() {
            return resolveImport(nsource);
          }
          return getImport;
        }() });
      }
      function captureDependencyWithSpecifiers(n) {
        var declarationIsType = n.importKind === "type" || n.importKind === "typeof";
        var specifiersOnlyImportingTypes = n.specifiers.length > 0;
        var importedSpecifiers = /* @__PURE__ */ new Set();
        n.specifiers.forEach(function(specifier) {
          if (specifier.type === "ImportSpecifier") {
            importedSpecifiers.add(specifier.imported.name || specifier.imported.value);
          } else if (supportedImportTypes.has(specifier.type)) {
            importedSpecifiers.add(specifier.type);
          }
          specifiersOnlyImportingTypes = specifiersOnlyImportingTypes && (specifier.importKind === "type" || specifier.importKind === "typeof");
        });
        captureDependency(n, declarationIsType || specifiersOnlyImportingTypes, importedSpecifiers);
      }
      function captureDependency(_ref, isOnlyImportingTypes) {
        var source2 = _ref.source;
        var importedSpecifiers = arguments.length > 2 && arguments[2] !== void 0 ? arguments[2] : /* @__PURE__ */ new Set();
        if (source2 == null) {
          return null;
        }
        var p = remotePath(source2.value);
        if (p == null) {
          return null;
        }
        var declarationMetadata = {
          // capturing actual node reference holds full AST in memory!
          source: { value: source2.value, loc: source2.loc },
          isOnlyImportingTypes,
          importedSpecifiers
        };
        var existing = m.imports.get(p);
        if (existing != null) {
          existing.declarations.add(declarationMetadata);
          return existing.getter;
        }
        var getter = thunkFor(p, context);
        m.imports.set(p, { getter, declarations: /* @__PURE__ */ new Set([declarationMetadata]) });
        return getter;
      }
      var source = makeSourceCode(content, ast);
      function readTsConfig(context2) {
        var tsconfigInfo = (0, _tsconfigLoader.tsConfigLoader)({ cwd: context2.parserOptions && context2.parserOptions.tsconfigRootDir || process.cwd(), getEnv: /* @__PURE__ */ function() {
          function getEnv(key) {
            return process.env[key];
          }
          return getEnv;
        }() });
        try {
          if (tsconfigInfo.tsConfigPath !== void 0) {
            if (!ts) {
              ts = require_typescript();
            }
            var configFile = ts.readConfigFile(tsconfigInfo.tsConfigPath, ts.sys.readFile);
            return ts.parseJsonConfigFileContent(configFile.config, ts.sys, (0, _path.dirname)(tsconfigInfo.tsConfigPath));
          }
        } catch (e) {
        }
        return null;
      }
      function isEsModuleInterop() {
        var cacheKey = (0, _hash.hashObject)({ tsconfigRootDir: context.parserOptions && context.parserOptions.tsconfigRootDir }).digest("hex");
        var tsConfig = tsconfigCache.get(cacheKey);
        if (typeof tsConfig === "undefined") {
          tsConfig = readTsConfig(context);
          tsconfigCache.set(cacheKey, tsConfig);
        }
        return tsConfig && tsConfig.options ? tsConfig.options.esModuleInterop : false;
      }
      ast.body.forEach(function(n) {
        if (n.type === "ExportDefaultDeclaration") {
          var exportMeta = captureDoc(source, docStyleParsers, n);
          if (n.declaration.type === "Identifier") {
            addNamespace(exportMeta, n.declaration);
          }
          m.namespace.set("default", exportMeta);
          return;
        }
        if (n.type === "ExportAllDeclaration") {
          var getter = captureDependency(n, n.exportKind === "type");
          if (getter) {
            m.dependencies.add(getter);
          }
          if (n.exported) {
            processSpecifier(n, n.exported, m);
          }
          return;
        }
        if (n.type === "ImportDeclaration") {
          captureDependencyWithSpecifiers(n);
          var ns = n.specifiers.find(function(s) {
            return s.type === "ImportNamespaceSpecifier";
          });
          if (ns) {
            namespaces.set(ns.local.name, n.source.value);
          }
          return;
        }
        if (n.type === "ExportNamedDeclaration") {
          captureDependencyWithSpecifiers(n);
          if (n.declaration != null) {
            switch (n.declaration.type) {
              case "FunctionDeclaration":
              case "ClassDeclaration":
              case "TypeAlias":
              case "InterfaceDeclaration":
              case "DeclareFunction":
              case "TSDeclareFunction":
              case "TSEnumDeclaration":
              case "TSTypeAliasDeclaration":
              case "TSInterfaceDeclaration":
              case "TSAbstractClassDeclaration":
              case "TSModuleDeclaration":
                m.namespace.set(n.declaration.id.name, captureDoc(source, docStyleParsers, n));
                break;
              case "VariableDeclaration":
                n.declaration.declarations.forEach(function(d) {
                  recursivePatternCapture(d.id, function(id) {
                    return m.namespace.set(id.name, captureDoc(source, docStyleParsers, d, n));
                  });
                });
                break;
              default:
            }
          }
          n.specifiers.forEach(function(s) {
            return processSpecifier(s, n, m);
          });
        }
        var exports3 = ["TSExportAssignment"];
        if (isEsModuleInteropTrue) {
          exports3.push("TSNamespaceExportDeclaration");
        }
        if ((0, _arrayIncludes2["default"])(exports3, n.type)) {
          var exportedName = n.type === "TSNamespaceExportDeclaration" ? (n.id || n.name).name : n.expression && n.expression.name || n.expression.id && n.expression.id.name || null;
          var declTypes = ["VariableDeclaration", "ClassDeclaration", "TSDeclareFunction", "TSEnumDeclaration", "TSTypeAliasDeclaration", "TSInterfaceDeclaration", "TSAbstractClassDeclaration", "TSModuleDeclaration"];
          var exportedDecls = ast.body.filter(function(_ref2) {
            var type = _ref2.type, id = _ref2.id, declarations = _ref2.declarations;
            return (0, _arrayIncludes2["default"])(declTypes, type) && (id && id.name === exportedName || declarations && declarations.find(function(d) {
              return d.id.name === exportedName;
            }));
          });
          if (exportedDecls.length === 0) {
            m.namespace.set("default", captureDoc(source, docStyleParsers, n));
            return;
          }
          if (isEsModuleInteropTrue && !m.namespace.has("default")) {
            m.namespace.set("default", {});
          }
          exportedDecls.forEach(function(decl) {
            if (decl.type === "TSModuleDeclaration") {
              if (decl.body && decl.body.type === "TSModuleDeclaration") {
                m.namespace.set(decl.body.id.name, captureDoc(source, docStyleParsers, decl.body));
              } else if (decl.body && decl.body.body) {
                decl.body.body.forEach(function(moduleBlockNode) {
                  var namespaceDecl = moduleBlockNode.type === "ExportNamedDeclaration" ? moduleBlockNode.declaration : moduleBlockNode;
                  if (!namespaceDecl) {
                  } else if (namespaceDecl.type === "VariableDeclaration") {
                    namespaceDecl.declarations.forEach(function(d) {
                      return recursivePatternCapture(d.id, function(id) {
                        return m.namespace.set(id.name, captureDoc(source, docStyleParsers, decl, namespaceDecl, moduleBlockNode));
                      });
                    });
                  } else {
                    m.namespace.set(namespaceDecl.id.name, captureDoc(source, docStyleParsers, moduleBlockNode));
                  }
                });
              }
            } else {
              m.namespace.set("default", captureDoc(source, docStyleParsers, decl));
            }
          });
        }
      });
      if (isEsModuleInteropTrue && m.namespace.size > 0 && !m.namespace.has("default")) {
        m.namespace.set("default", {});
      }
      if (unambiguouslyESM) {
        m.parseGoal = "Module";
      }
      return m;
    };
    function thunkFor(p, context) {
      return function() {
        return ExportMap["for"](childContext(p, context));
      };
    }
    function recursivePatternCapture(pattern, callback) {
      switch (pattern.type) {
        case "Identifier":
          callback(pattern);
          break;
        case "ObjectPattern":
          pattern.properties.forEach(function(p) {
            if (p.type === "ExperimentalRestProperty" || p.type === "RestElement") {
              callback(p.argument);
              return;
            }
            recursivePatternCapture(p.value, callback);
          });
          break;
        case "ArrayPattern":
          pattern.elements.forEach(function(element) {
            if (element == null) {
              return;
            }
            if (element.type === "ExperimentalRestProperty" || element.type === "RestElement") {
              callback(element.argument);
              return;
            }
            recursivePatternCapture(element, callback);
          });
          break;
        case "AssignmentPattern":
          callback(pattern.left);
          break;
        default:
      }
    }
    var parserOptionsHash = "";
    var prevParserOptions = "";
    var settingsHash = "";
    var prevSettings = "";
    function childContext(path17, context) {
      var settings = context.settings, parserOptions = context.parserOptions, parserPath = context.parserPath;
      if (JSON.stringify(settings) !== prevSettings) {
        settingsHash = (0, _hash.hashObject)({ settings }).digest("hex");
        prevSettings = JSON.stringify(settings);
      }
      if (JSON.stringify(parserOptions) !== prevParserOptions) {
        parserOptionsHash = (0, _hash.hashObject)({ parserOptions }).digest("hex");
        prevParserOptions = JSON.stringify(parserOptions);
      }
      return { cacheKey: String(parserPath) + parserOptionsHash + settingsHash + String(path17), settings, parserOptions, parserPath, path: path17 };
    }
    function makeSourceCode(text, ast) {
      if (_eslint.SourceCode.length > 1) {
        return new _eslint.SourceCode(text, ast);
      } else {
        return new _eslint.SourceCode({ text, ast });
      }
    }
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/named.js
var require_named = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/named.js"(exports2, module2) {
    "use strict";
    var _slicedToArray = /* @__PURE__ */ function() {
      function sliceIterator(arr, i) {
        var _arr = [];
        var _n = true;
        var _d = false;
        var _e = void 0;
        try {
          for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) {
            _arr.push(_s.value);
            if (i && _arr.length === i) break;
          }
        } catch (err) {
          _d = true;
          _e = err;
        } finally {
          try {
            if (!_n && _i["return"]) _i["return"]();
          } finally {
            if (_d) throw _e;
          }
        }
        return _arr;
      }
      return function(arr, i) {
        if (Array.isArray(arr)) {
          return arr;
        } else if (Symbol.iterator in Object(arr)) {
          return sliceIterator(arr, i);
        } else {
          throw new TypeError("Invalid attempt to destructure non-iterable instance");
        }
      };
    }();
    var _path = require("path");
    var path17 = _interopRequireWildcard(_path);
    var _ExportMap = require_ExportMap();
    var _ExportMap2 = _interopRequireDefault(_ExportMap);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function _interopRequireWildcard(obj) {
      if (obj && obj.__esModule) {
        return obj;
      } else {
        var newObj = {};
        if (obj != null) {
          for (var key in obj) {
            if (Object.prototype.hasOwnProperty.call(obj, key)) newObj[key] = obj[key];
          }
        }
        newObj["default"] = obj;
        return newObj;
      }
    }
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          category: "Static analysis",
          description: "Ensure named imports correspond to a named export in the remote file.",
          url: (0, _docsUrl2["default"])("named")
        },
        schema: [
          {
            type: "object",
            properties: {
              commonjs: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var options = context.options[0] || {};
          function checkSpecifiers(key, type, node) {
            if (node.source == null || node.importKind === "type" || node.importKind === "typeof" || node.exportKind === "type") {
              return;
            }
            if (!node.specifiers.some(function(im) {
              return im.type === type;
            })) {
              return;
            }
            var imports = _ExportMap2["default"].get(node.source.value, context);
            if (imports == null || imports.parseGoal === "ambiguous") {
              return;
            }
            if (imports.errors.length) {
              imports.reportErrors(context, node);
              return;
            }
            node.specifiers.forEach(function(im) {
              if (im.type !== type || im.importKind === "type" || im.importKind === "typeof") {
                return;
              }
              var name = im[key].name || im[key].value;
              var deepLookup = imports.hasDeep(name);
              if (!deepLookup.found) {
                if (deepLookup.path.length > 1) {
                  var deepPath = deepLookup.path.map(function(i) {
                    return path17.relative(path17.dirname(context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename()), i.path);
                  }).join(" -> ");
                  context.report(im[key], String(name) + " not found via " + String(deepPath));
                } else {
                  context.report(im[key], String(name) + " not found in '" + String(node.source.value) + "'");
                }
              }
            });
          }
          function checkRequire(node) {
            if (!options.commonjs || node.type !== "VariableDeclarator" || !node.id || node.id.type !== "ObjectPattern" || node.id.properties.length === 0 || !node.init || node.init.type !== "CallExpression") {
              return;
            }
            var call = node.init;
            var _call$arguments = _slicedToArray(
              call.arguments,
              1
            ), source = _call$arguments[0];
            var variableImports = node.id.properties;
            var variableExports = _ExportMap2["default"].get(source.value, context);
            if (
              // return if it's not a commonjs require statement
              call.callee.type !== "Identifier" || call.callee.name !== "require" || call.arguments.length !== 1 || source.type !== "Literal" || variableExports == null || variableExports.parseGoal === "ambiguous"
            ) {
              return;
            }
            if (variableExports.errors.length) {
              variableExports.reportErrors(context, node);
              return;
            }
            variableImports.forEach(function(im) {
              if (im.type !== "Property" || !im.key || im.key.type !== "Identifier") {
                return;
              }
              var deepLookup = variableExports.hasDeep(im.key.name);
              if (!deepLookup.found) {
                if (deepLookup.path.length > 1) {
                  var deepPath = deepLookup.path.map(function(i) {
                    return path17.relative(path17.dirname(context.getFilename()), i.path);
                  }).join(" -> ");
                  context.report(im.key, String(im.key.name) + " not found via " + String(deepPath));
                } else {
                  context.report(im.key, String(im.key.name) + " not found in '" + String(source.value) + "'");
                }
              }
            });
          }
          return {
            ImportDeclaration: checkSpecifiers.bind(null, "imported", "ImportSpecifier"),
            ExportNamedDeclaration: checkSpecifiers.bind(null, "local", "ExportSpecifier"),
            VariableDeclarator: checkRequire
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/default.js
var require_default = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/default.js"(exports2, module2) {
    "use strict";
    var _ExportMap = require_ExportMap();
    var _ExportMap2 = _interopRequireDefault(_ExportMap);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          category: "Static analysis",
          description: "Ensure a default export is present, given a default import.",
          url: (0, _docsUrl2["default"])("default")
        },
        schema: []
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          function checkDefault(specifierType, node) {
            var defaultSpecifier = node.specifiers.find(
              function(specifier) {
                return specifier.type === specifierType;
              }
            );
            if (!defaultSpecifier) {
              return;
            }
            var imports = _ExportMap2["default"].get(node.source.value, context);
            if (imports == null) {
              return;
            }
            if (imports.errors.length) {
              imports.reportErrors(context, node);
            } else if (imports.get("default") === void 0) {
              context.report({
                node: defaultSpecifier,
                message: 'No default export found in imported module "' + String(node.source.value) + '".'
              });
            }
          }
          return {
            ImportDeclaration: checkDefault.bind(null, "ImportDefaultSpecifier"),
            ExportNamedDeclaration: checkDefault.bind(null, "ExportDefaultSpecifier")
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/importDeclaration.js
var require_importDeclaration = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/importDeclaration.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2["default"] = importDeclaration;
    function importDeclaration(context) {
      var ancestors = context.getAncestors();
      return ancestors[ancestors.length - 1];
    }
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/namespace.js
var require_namespace = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/namespace.js"(exports2, module2) {
    "use strict";
    var _declaredScope = require("eslint-module-utils/declaredScope");
    var _declaredScope2 = _interopRequireDefault(_declaredScope);
    var _ExportMap = require_ExportMap();
    var _ExportMap2 = _interopRequireDefault(_ExportMap);
    var _importDeclaration = require_importDeclaration();
    var _importDeclaration2 = _interopRequireDefault(_importDeclaration);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function processBodyStatement(context, namespaces, declaration) {
      if (declaration.type !== "ImportDeclaration") {
        return;
      }
      if (declaration.specifiers.length === 0) {
        return;
      }
      var imports = _ExportMap2["default"].get(declaration.source.value, context);
      if (imports == null) {
        return null;
      }
      if (imports.errors.length > 0) {
        imports.reportErrors(context, declaration);
        return;
      }
      declaration.specifiers.forEach(function(specifier) {
        switch (specifier.type) {
          case "ImportNamespaceSpecifier":
            if (!imports.size) {
              context.report(
                specifier,
                "No exported names found in module '" + String(
                  declaration.source.value
                ) + "'."
              );
            }
            namespaces.set(specifier.local.name, imports);
            break;
          case "ImportDefaultSpecifier":
          case "ImportSpecifier": {
            var meta = imports.get(
              // default to 'default' for default https://i.imgur.com/nj6qAWy.jpg
              specifier.imported ? specifier.imported.name || specifier.imported.value : "default"
            );
            if (!meta || !meta.namespace) {
              break;
            }
            namespaces.set(specifier.local.name, meta.namespace);
            break;
          }
          default:
        }
      });
    }
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          category: "Static analysis",
          description: "Ensure imported namespaces contain dereferenced properties as they are dereferenced.",
          url: (0, _docsUrl2["default"])("namespace")
        },
        schema: [
          {
            type: "object",
            properties: {
              allowComputed: {
                description: "If `false`, will report computed (and thus, un-lintable) references to namespace members.",
                type: "boolean",
                "default": false
              }
            },
            additionalProperties: false
          }
        ]
      },
      create: /* @__PURE__ */ function() {
        function namespaceRule(context) {
          var _ref = context.options[0] || {}, _ref$allowComputed = _ref.allowComputed, allowComputed = _ref$allowComputed === void 0 ? false : _ref$allowComputed;
          var namespaces = /* @__PURE__ */ new Map();
          function makeMessage(last, namepath) {
            return "'" + String(last.name) + "' not found in " + (namepath.length > 1 ? "deeply " : "") + "imported namespace '" + String(namepath.join(".")) + "'.";
          }
          return {
            // pick up all imports at body entry time, to properly respect hoisting
            Program: /* @__PURE__ */ function() {
              function Program(_ref2) {
                var body = _ref2.body;
                body.forEach(function(x) {
                  processBodyStatement(context, namespaces, x);
                });
              }
              return Program;
            }(),
            // same as above, but does not add names to local map
            ExportNamespaceSpecifier: /* @__PURE__ */ function() {
              function ExportNamespaceSpecifier(namespace) {
                var declaration = (0, _importDeclaration2["default"])(context);
                var imports = _ExportMap2["default"].get(declaration.source.value, context);
                if (imports == null) {
                  return null;
                }
                if (imports.errors.length) {
                  imports.reportErrors(context, declaration);
                  return;
                }
                if (!imports.size) {
                  context.report(
                    namespace,
                    "No exported names found in module '" + String(
                      declaration.source.value
                    ) + "'."
                  );
                }
              }
              return ExportNamespaceSpecifier;
            }(),
            // todo: check for possible redefinition
            MemberExpression: /* @__PURE__ */ function() {
              function MemberExpression(dereference) {
                if (dereference.object.type !== "Identifier") {
                  return;
                }
                if (!namespaces.has(dereference.object.name)) {
                  return;
                }
                if ((0, _declaredScope2["default"])(context, dereference.object.name) !== "module") {
                  return;
                }
                if (dereference.parent.type === "AssignmentExpression" && dereference.parent.left === dereference) {
                  context.report(
                    dereference.parent,
                    "Assignment to member of namespace '" + String(
                      dereference.object.name
                    ) + "'."
                  );
                }
                var namespace = namespaces.get(dereference.object.name);
                var namepath = [dereference.object.name];
                while (namespace instanceof _ExportMap2["default"] && dereference.type === "MemberExpression") {
                  if (dereference.computed) {
                    if (!allowComputed) {
                      context.report(
                        dereference.property,
                        "Unable to validate computed reference to imported namespace '" + String(
                          dereference.object.name
                        ) + "'."
                      );
                    }
                    return;
                  }
                  if (!namespace.has(dereference.property.name)) {
                    context.report(
                      dereference.property,
                      makeMessage(dereference.property, namepath)
                    );
                    break;
                  }
                  var exported = namespace.get(dereference.property.name);
                  if (exported == null) {
                    return;
                  }
                  namepath.push(dereference.property.name);
                  namespace = exported.namespace;
                  dereference = dereference.parent;
                }
              }
              return MemberExpression;
            }(),
            VariableDeclarator: /* @__PURE__ */ function() {
              function VariableDeclarator(_ref3) {
                var id = _ref3.id, init = _ref3.init;
                if (init == null) {
                  return;
                }
                if (init.type !== "Identifier") {
                  return;
                }
                if (!namespaces.has(init.name)) {
                  return;
                }
                if ((0, _declaredScope2["default"])(context, init.name) !== "module") {
                  return;
                }
                function testKey(pattern, namespace) {
                  var path17 = arguments.length > 2 && arguments[2] !== void 0 ? arguments[2] : [init.name];
                  if (!(namespace instanceof _ExportMap2["default"])) {
                    return;
                  }
                  if (pattern.type !== "ObjectPattern") {
                    return;
                  }
                  var _iteratorNormalCompletion = true;
                  var _didIteratorError = false;
                  var _iteratorError = void 0;
                  try {
                    for (var _iterator = pattern.properties[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
                      var property = _step.value;
                      if (property.type === "ExperimentalRestProperty" || property.type === "RestElement" || !property.key) {
                        continue;
                      }
                      if (property.key.type !== "Identifier") {
                        context.report({
                          node: property,
                          message: "Only destructure top-level names."
                        });
                        continue;
                      }
                      if (!namespace.has(property.key.name)) {
                        context.report({
                          node: property,
                          message: makeMessage(property.key, path17)
                        });
                        continue;
                      }
                      path17.push(property.key.name);
                      var dependencyExportMap = namespace.get(property.key.name);
                      if (dependencyExportMap !== null) {
                        testKey(property.value, dependencyExportMap.namespace, path17);
                      }
                      path17.pop();
                    }
                  } catch (err) {
                    _didIteratorError = true;
                    _iteratorError = err;
                  } finally {
                    try {
                      if (!_iteratorNormalCompletion && _iterator["return"]) {
                        _iterator["return"]();
                      }
                    } finally {
                      if (_didIteratorError) {
                        throw _iteratorError;
                      }
                    }
                  }
                }
                testKey(id, namespaces.get(init.name));
              }
              return VariableDeclarator;
            }(),
            JSXMemberExpression: /* @__PURE__ */ function() {
              function JSXMemberExpression(_ref4) {
                var object = _ref4.object, property = _ref4.property;
                if (!namespaces.has(object.name)) {
                  return;
                }
                var namespace = namespaces.get(object.name);
                if (!namespace.has(property.name)) {
                  context.report({
                    node: property,
                    message: makeMessage(property, [object.name])
                  });
                }
              }
              return JSXMemberExpression;
            }()
          };
        }
        return namespaceRule;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-namespace.js
var require_no_namespace2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-namespace.js"(exports2, module2) {
    "use strict";
    var _minimatch = require_minimatch();
    var _minimatch2 = _interopRequireDefault(_minimatch);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Style guide",
          description: 'Forbid namespace (a.k.a. "wildcard" `*`) imports.',
          url: (0, _docsUrl2["default"])("no-namespace")
        },
        fixable: "code",
        schema: [{
          type: "object",
          properties: {
            ignore: {
              type: "array",
              items: {
                type: "string"
              },
              uniqueItems: true
            }
          }
        }]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var firstOption = context.options[0] || {};
          var ignoreGlobs = firstOption.ignore;
          return {
            ImportNamespaceSpecifier: /* @__PURE__ */ function() {
              function ImportNamespaceSpecifier(node) {
                if (ignoreGlobs && ignoreGlobs.find(function(glob) {
                  return (0, _minimatch2["default"])(node.parent.source.value, glob, { matchBase: true });
                })) {
                  return;
                }
                var scopeVariables = context.getScope().variables;
                var namespaceVariable = scopeVariables.find(function(variable) {
                  return variable.defs[0].node === node;
                });
                var namespaceReferences = namespaceVariable.references;
                var namespaceIdentifiers = namespaceReferences.map(function(reference) {
                  return reference.identifier;
                });
                var canFix = namespaceIdentifiers.length > 0 && !usesNamespaceAsObject(namespaceIdentifiers);
                context.report({
                  node,
                  message: "Unexpected namespace import.",
                  fix: canFix && function(fixer) {
                    var scopeManager = context.getSourceCode().scopeManager;
                    var fixes = [];
                    var importNameConflicts = {};
                    namespaceIdentifiers.forEach(function(identifier) {
                      var parent = identifier.parent;
                      if (parent && parent.type === "MemberExpression") {
                        var importName = getMemberPropertyName(parent);
                        var localConflicts = getVariableNamesInScope(scopeManager, parent);
                        if (!importNameConflicts[importName]) {
                          importNameConflicts[importName] = localConflicts;
                        } else {
                          localConflicts.forEach(function(c) {
                            return importNameConflicts[importName].add(c);
                          });
                        }
                      }
                    });
                    var importNames = Object.keys(importNameConflicts);
                    var importLocalNames = generateLocalNames(
                      importNames,
                      importNameConflicts,
                      namespaceVariable.name
                    );
                    var namedImportSpecifiers = importNames.map(function(importName) {
                      return importName === importLocalNames[importName] ? importName : String(
                        importName
                      ) + " as " + String(importLocalNames[importName]);
                    });
                    fixes.push(fixer.replaceText(node, "{ " + String(namedImportSpecifiers.join(", ")) + " }"));
                    namespaceIdentifiers.forEach(function(identifier) {
                      var parent = identifier.parent;
                      if (parent && parent.type === "MemberExpression") {
                        var importName = getMemberPropertyName(parent);
                        fixes.push(fixer.replaceText(parent, importLocalNames[importName]));
                      }
                    });
                    return fixes;
                  }
                });
              }
              return ImportNamespaceSpecifier;
            }()
          };
        }
        return create119;
      }()
    };
    function usesNamespaceAsObject(namespaceIdentifiers) {
      return !namespaceIdentifiers.every(function(identifier) {
        var parent = identifier.parent;
        return parent && parent.type === "MemberExpression" && (parent.property.type === "Identifier" || parent.property.type === "Literal");
      });
    }
    function getMemberPropertyName(memberExpression) {
      return memberExpression.property.type === "Identifier" ? memberExpression.property.name : memberExpression.property.value;
    }
    function getVariableNamesInScope(scopeManager, node) {
      var currentNode = node;
      var scope = scopeManager.acquire(currentNode);
      while (scope == null) {
        currentNode = currentNode.parent;
        scope = scopeManager.acquire(currentNode, true);
      }
      return new Set(scope.variables.concat(scope.upper.variables).map(function(variable) {
        return variable.name;
      }));
    }
    function generateLocalNames(names, nameConflicts, namespaceName) {
      var localNames = {};
      names.forEach(function(name) {
        var localName = void 0;
        if (!nameConflicts[name].has(name)) {
          localName = name;
        } else if (!nameConflicts[name].has(String(namespaceName) + "_" + String(name))) {
          localName = String(namespaceName) + "_" + String(name);
        } else {
          for (var i = 1; i < Infinity; i++) {
            if (!nameConflicts[name].has(String(namespaceName) + "_" + String(name) + "_" + String(i))) {
              localName = String(namespaceName) + "_" + String(name) + "_" + String(i);
              break;
            }
          }
        }
        localNames[name] = localName;
      });
      return localNames;
    }
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/isInteger.js
var require_isInteger = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/isInteger.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $abs = GetIntrinsic("%Math.abs%");
    var $floor = GetIntrinsic("%Math.floor%");
    var $isNaN = require_isNaN();
    var $isFinite = require_isFinite();
    module2.exports = function isInteger(argument) {
      if (typeof argument !== "number" || $isNaN(argument) || !$isFinite(argument)) {
        return false;
      }
      var absValue = $abs(argument);
      return $floor(absValue) === absValue;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ArrayCreate.js
var require_ArrayCreate = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ArrayCreate.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $ArrayPrototype = GetIntrinsic("%Array.prototype%");
    var $RangeError = require_range2();
    var $SyntaxError = require_syntax();
    var $TypeError = require_type();
    var isInteger = require_isInteger();
    var MAX_ARRAY_LENGTH = Math.pow(2, 32) - 1;
    var hasProto = require_has_proto()();
    var $setProto = GetIntrinsic("%Object.setPrototypeOf%", true) || (hasProto ? function(O, proto) {
      O.__proto__ = proto;
      return O;
    } : null);
    module2.exports = function ArrayCreate(length) {
      if (!isInteger(length) || length < 0) {
        throw new $TypeError("Assertion failed: `length` must be an integer Number >= 0");
      }
      if (length > MAX_ARRAY_LENGTH) {
        throw new $RangeError("length is greater than (2**32 - 1)");
      }
      var proto = arguments.length > 1 ? arguments[1] : $ArrayPrototype;
      var A = [];
      if (proto !== $ArrayPrototype) {
        if (!$setProto) {
          throw new $SyntaxError("ArrayCreate: a `proto` argument that is not `Array.prototype` is not supported in an environment that does not support setting the [[Prototype]]");
        }
        $setProto(A, proto);
      }
      if (length !== 0) {
        A.length = length;
      }
      return A;
    };
  }
});

// node_modules/.pnpm/object-inspect@1.13.2/node_modules/object-inspect/util.inspect.js
var require_util_inspect = __commonJS({
  "node_modules/.pnpm/object-inspect@1.13.2/node_modules/object-inspect/util.inspect.js"(exports2, module2) {
    module2.exports = require("util").inspect;
  }
});

// node_modules/.pnpm/object-inspect@1.13.2/node_modules/object-inspect/index.js
var require_object_inspect = __commonJS({
  "node_modules/.pnpm/object-inspect@1.13.2/node_modules/object-inspect/index.js"(exports2, module2) {
    var hasMap = typeof Map === "function" && Map.prototype;
    var mapSizeDescriptor = Object.getOwnPropertyDescriptor && hasMap ? Object.getOwnPropertyDescriptor(Map.prototype, "size") : null;
    var mapSize = hasMap && mapSizeDescriptor && typeof mapSizeDescriptor.get === "function" ? mapSizeDescriptor.get : null;
    var mapForEach = hasMap && Map.prototype.forEach;
    var hasSet = typeof Set === "function" && Set.prototype;
    var setSizeDescriptor = Object.getOwnPropertyDescriptor && hasSet ? Object.getOwnPropertyDescriptor(Set.prototype, "size") : null;
    var setSize = hasSet && setSizeDescriptor && typeof setSizeDescriptor.get === "function" ? setSizeDescriptor.get : null;
    var setForEach = hasSet && Set.prototype.forEach;
    var hasWeakMap = typeof WeakMap === "function" && WeakMap.prototype;
    var weakMapHas = hasWeakMap ? WeakMap.prototype.has : null;
    var hasWeakSet = typeof WeakSet === "function" && WeakSet.prototype;
    var weakSetHas = hasWeakSet ? WeakSet.prototype.has : null;
    var hasWeakRef = typeof WeakRef === "function" && WeakRef.prototype;
    var weakRefDeref = hasWeakRef ? WeakRef.prototype.deref : null;
    var booleanValueOf = Boolean.prototype.valueOf;
    var objectToString2 = Object.prototype.toString;
    var functionToString = Function.prototype.toString;
    var $match = String.prototype.match;
    var $slice = String.prototype.slice;
    var $replace = String.prototype.replace;
    var $toUpperCase = String.prototype.toUpperCase;
    var $toLowerCase = String.prototype.toLowerCase;
    var $test = RegExp.prototype.test;
    var $concat = Array.prototype.concat;
    var $join = Array.prototype.join;
    var $arrSlice = Array.prototype.slice;
    var $floor = Math.floor;
    var bigIntValueOf = typeof BigInt === "function" ? BigInt.prototype.valueOf : null;
    var gOPS = Object.getOwnPropertySymbols;
    var symToString = typeof Symbol === "function" && typeof Symbol.iterator === "symbol" ? Symbol.prototype.toString : null;
    var hasShammedSymbols = typeof Symbol === "function" && typeof Symbol.iterator === "object";
    var toStringTag = typeof Symbol === "function" && Symbol.toStringTag && (typeof Symbol.toStringTag === hasShammedSymbols ? "object" : "symbol") ? Symbol.toStringTag : null;
    var isEnumerable = Object.prototype.propertyIsEnumerable;
    var gPO = (typeof Reflect === "function" ? Reflect.getPrototypeOf : Object.getPrototypeOf) || ([].__proto__ === Array.prototype ? function(O) {
      return O.__proto__;
    } : null);
    function addNumericSeparator(num, str) {
      if (num === Infinity || num === -Infinity || num !== num || num && num > -1e3 && num < 1e3 || $test.call(/e/, str)) {
        return str;
      }
      var sepRegex = /[0-9](?=(?:[0-9]{3})+(?![0-9]))/g;
      if (typeof num === "number") {
        var int = num < 0 ? -$floor(-num) : $floor(num);
        if (int !== num) {
          var intStr = String(int);
          var dec = $slice.call(str, intStr.length + 1);
          return $replace.call(intStr, sepRegex, "$&_") + "." + $replace.call($replace.call(dec, /([0-9]{3})/g, "$&_"), /_$/, "");
        }
      }
      return $replace.call(str, sepRegex, "$&_");
    }
    var utilInspect = require_util_inspect();
    var inspectCustom = utilInspect.custom;
    var inspectSymbol = isSymbol2(inspectCustom) ? inspectCustom : null;
    module2.exports = function inspect_(obj, options, depth2, seen) {
      var opts = options || {};
      if (has2(opts, "quoteStyle") && (opts.quoteStyle !== "single" && opts.quoteStyle !== "double")) {
        throw new TypeError('option "quoteStyle" must be "single" or "double"');
      }
      if (has2(opts, "maxStringLength") && (typeof opts.maxStringLength === "number" ? opts.maxStringLength < 0 && opts.maxStringLength !== Infinity : opts.maxStringLength !== null)) {
        throw new TypeError('option "maxStringLength", if provided, must be a positive integer, Infinity, or `null`');
      }
      var customInspect = has2(opts, "customInspect") ? opts.customInspect : true;
      if (typeof customInspect !== "boolean" && customInspect !== "symbol") {
        throw new TypeError("option \"customInspect\", if provided, must be `true`, `false`, or `'symbol'`");
      }
      if (has2(opts, "indent") && opts.indent !== null && opts.indent !== "	" && !(parseInt(opts.indent, 10) === opts.indent && opts.indent > 0)) {
        throw new TypeError('option "indent" must be "\\t", an integer > 0, or `null`');
      }
      if (has2(opts, "numericSeparator") && typeof opts.numericSeparator !== "boolean") {
        throw new TypeError('option "numericSeparator", if provided, must be `true` or `false`');
      }
      var numericSeparator = opts.numericSeparator;
      if (typeof obj === "undefined") {
        return "undefined";
      }
      if (obj === null) {
        return "null";
      }
      if (typeof obj === "boolean") {
        return obj ? "true" : "false";
      }
      if (typeof obj === "string") {
        return inspectString(obj, opts);
      }
      if (typeof obj === "number") {
        if (obj === 0) {
          return Infinity / obj > 0 ? "0" : "-0";
        }
        var str = String(obj);
        return numericSeparator ? addNumericSeparator(obj, str) : str;
      }
      if (typeof obj === "bigint") {
        var bigIntStr = String(obj) + "n";
        return numericSeparator ? addNumericSeparator(obj, bigIntStr) : bigIntStr;
      }
      var maxDepth = typeof opts.depth === "undefined" ? 5 : opts.depth;
      if (typeof depth2 === "undefined") {
        depth2 = 0;
      }
      if (depth2 >= maxDepth && maxDepth > 0 && typeof obj === "object") {
        return isArray3(obj) ? "[Array]" : "[Object]";
      }
      var indent = getIndent(opts, depth2);
      if (typeof seen === "undefined") {
        seen = [];
      } else if (indexOf(seen, obj) >= 0) {
        return "[Circular]";
      }
      function inspect(value, from, noIndent) {
        if (from) {
          seen = $arrSlice.call(seen);
          seen.push(from);
        }
        if (noIndent) {
          var newOpts = {
            depth: opts.depth
          };
          if (has2(opts, "quoteStyle")) {
            newOpts.quoteStyle = opts.quoteStyle;
          }
          return inspect_(value, newOpts, depth2 + 1, seen);
        }
        return inspect_(value, opts, depth2 + 1, seen);
      }
      if (typeof obj === "function" && !isRegExp(obj)) {
        var name = nameOf(obj);
        var keys2 = arrObjKeys(obj, inspect);
        return "[Function" + (name ? ": " + name : " (anonymous)") + "]" + (keys2.length > 0 ? " { " + $join.call(keys2, ", ") + " }" : "");
      }
      if (isSymbol2(obj)) {
        var symString = hasShammedSymbols ? $replace.call(String(obj), /^(Symbol\(.*\))_[^)]*$/, "$1") : symToString.call(obj);
        return typeof obj === "object" && !hasShammedSymbols ? markBoxed(symString) : symString;
      }
      if (isElement(obj)) {
        var s = "<" + $toLowerCase.call(String(obj.nodeName));
        var attrs = obj.attributes || [];
        for (var i = 0; i < attrs.length; i++) {
          s += " " + attrs[i].name + "=" + wrapQuotes(quote(attrs[i].value), "double", opts);
        }
        s += ">";
        if (obj.childNodes && obj.childNodes.length) {
          s += "...";
        }
        s += "";
        return s;
      }
      if (isArray3(obj)) {
        if (obj.length === 0) {
          return "[]";
        }
        var xs = arrObjKeys(obj, inspect);
        if (indent && !singleLineValues(xs)) {
          return "[" + indentedJoin(xs, indent) + "]";
        }
        return "[ " + $join.call(xs, ", ") + " ]";
      }
      if (isError(obj)) {
        var parts = arrObjKeys(obj, inspect);
        if (!("cause" in Error.prototype) && "cause" in obj && !isEnumerable.call(obj, "cause")) {
          return "{ [" + String(obj) + "] " + $join.call($concat.call("[cause]: " + inspect(obj.cause), parts), ", ") + " }";
        }
        if (parts.length === 0) {
          return "[" + String(obj) + "]";
        }
        return "{ [" + String(obj) + "] " + $join.call(parts, ", ") + " }";
      }
      if (typeof obj === "object" && customInspect) {
        if (inspectSymbol && typeof obj[inspectSymbol] === "function" && utilInspect) {
          return utilInspect(obj, { depth: maxDepth - depth2 });
        } else if (customInspect !== "symbol" && typeof obj.inspect === "function") {
          return obj.inspect();
        }
      }
      if (isMap(obj)) {
        var mapParts = [];
        if (mapForEach) {
          mapForEach.call(obj, function(value, key) {
            mapParts.push(inspect(key, obj, true) + " => " + inspect(value, obj));
          });
        }
        return collectionOf("Map", mapSize.call(obj), mapParts, indent);
      }
      if (isSet2(obj)) {
        var setParts = [];
        if (setForEach) {
          setForEach.call(obj, function(value) {
            setParts.push(inspect(value, obj));
          });
        }
        return collectionOf("Set", setSize.call(obj), setParts, indent);
      }
      if (isWeakMap(obj)) {
        return weakCollectionOf("WeakMap");
      }
      if (isWeakSet(obj)) {
        return weakCollectionOf("WeakSet");
      }
      if (isWeakRef(obj)) {
        return weakCollectionOf("WeakRef");
      }
      if (isNumber2(obj)) {
        return markBoxed(inspect(Number(obj)));
      }
      if (isBigInt(obj)) {
        return markBoxed(inspect(bigIntValueOf.call(obj)));
      }
      if (isBoolean(obj)) {
        return markBoxed(booleanValueOf.call(obj));
      }
      if (isString2(obj)) {
        return markBoxed(inspect(String(obj)));
      }
      if (typeof window !== "undefined" && obj === window) {
        return "{ [object Window] }";
      }
      if (typeof globalThis !== "undefined" && obj === globalThis || typeof global !== "undefined" && obj === global) {
        return "{ [object globalThis] }";
      }
      if (!isDate(obj) && !isRegExp(obj)) {
        var ys = arrObjKeys(obj, inspect);
        var isPlainObject2 = gPO ? gPO(obj) === Object.prototype : obj instanceof Object || obj.constructor === Object;
        var protoTag = obj instanceof Object ? "" : "null prototype";
        var stringTag2 = !isPlainObject2 && toStringTag && Object(obj) === obj && toStringTag in obj ? $slice.call(toStr(obj), 8, -1) : protoTag ? "Object" : "";
        var constructorTag = isPlainObject2 || typeof obj.constructor !== "function" ? "" : obj.constructor.name ? obj.constructor.name + " " : "";
        var tag = constructorTag + (stringTag2 || protoTag ? "[" + $join.call($concat.call([], stringTag2 || [], protoTag || []), ": ") + "] " : "");
        if (ys.length === 0) {
          return tag + "{}";
        }
        if (indent) {
          return tag + "{" + indentedJoin(ys, indent) + "}";
        }
        return tag + "{ " + $join.call(ys, ", ") + " }";
      }
      return String(obj);
    };
    function wrapQuotes(s, defaultStyle, opts) {
      var quoteChar = (opts.quoteStyle || defaultStyle) === "double" ? '"' : "'";
      return quoteChar + s + quoteChar;
    }
    function quote(s) {
      return $replace.call(String(s), /"/g, """);
    }
    function isArray3(obj) {
      return toStr(obj) === "[object Array]" && (!toStringTag || !(typeof obj === "object" && toStringTag in obj));
    }
    function isDate(obj) {
      return toStr(obj) === "[object Date]" && (!toStringTag || !(typeof obj === "object" && toStringTag in obj));
    }
    function isRegExp(obj) {
      return toStr(obj) === "[object RegExp]" && (!toStringTag || !(typeof obj === "object" && toStringTag in obj));
    }
    function isError(obj) {
      return toStr(obj) === "[object Error]" && (!toStringTag || !(typeof obj === "object" && toStringTag in obj));
    }
    function isString2(obj) {
      return toStr(obj) === "[object String]" && (!toStringTag || !(typeof obj === "object" && toStringTag in obj));
    }
    function isNumber2(obj) {
      return toStr(obj) === "[object Number]" && (!toStringTag || !(typeof obj === "object" && toStringTag in obj));
    }
    function isBoolean(obj) {
      return toStr(obj) === "[object Boolean]" && (!toStringTag || !(typeof obj === "object" && toStringTag in obj));
    }
    function isSymbol2(obj) {
      if (hasShammedSymbols) {
        return obj && typeof obj === "object" && obj instanceof Symbol;
      }
      if (typeof obj === "symbol") {
        return true;
      }
      if (!obj || typeof obj !== "object" || !symToString) {
        return false;
      }
      try {
        symToString.call(obj);
        return true;
      } catch (e) {
      }
      return false;
    }
    function isBigInt(obj) {
      if (!obj || typeof obj !== "object" || !bigIntValueOf) {
        return false;
      }
      try {
        bigIntValueOf.call(obj);
        return true;
      } catch (e) {
      }
      return false;
    }
    var hasOwn = Object.prototype.hasOwnProperty || function(key) {
      return key in this;
    };
    function has2(obj, key) {
      return hasOwn.call(obj, key);
    }
    function toStr(obj) {
      return objectToString2.call(obj);
    }
    function nameOf(f) {
      if (f.name) {
        return f.name;
      }
      var m = $match.call(functionToString.call(f), /^function\s*([\w$]+)/);
      if (m) {
        return m[1];
      }
      return null;
    }
    function indexOf(xs, x) {
      if (xs.indexOf) {
        return xs.indexOf(x);
      }
      for (var i = 0, l = xs.length; i < l; i++) {
        if (xs[i] === x) {
          return i;
        }
      }
      return -1;
    }
    function isMap(x) {
      if (!mapSize || !x || typeof x !== "object") {
        return false;
      }
      try {
        mapSize.call(x);
        try {
          setSize.call(x);
        } catch (s) {
          return true;
        }
        return x instanceof Map;
      } catch (e) {
      }
      return false;
    }
    function isWeakMap(x) {
      if (!weakMapHas || !x || typeof x !== "object") {
        return false;
      }
      try {
        weakMapHas.call(x, weakMapHas);
        try {
          weakSetHas.call(x, weakSetHas);
        } catch (s) {
          return true;
        }
        return x instanceof WeakMap;
      } catch (e) {
      }
      return false;
    }
    function isWeakRef(x) {
      if (!weakRefDeref || !x || typeof x !== "object") {
        return false;
      }
      try {
        weakRefDeref.call(x);
        return true;
      } catch (e) {
      }
      return false;
    }
    function isSet2(x) {
      if (!setSize || !x || typeof x !== "object") {
        return false;
      }
      try {
        setSize.call(x);
        try {
          mapSize.call(x);
        } catch (m) {
          return true;
        }
        return x instanceof Set;
      } catch (e) {
      }
      return false;
    }
    function isWeakSet(x) {
      if (!weakSetHas || !x || typeof x !== "object") {
        return false;
      }
      try {
        weakSetHas.call(x, weakSetHas);
        try {
          weakMapHas.call(x, weakMapHas);
        } catch (s) {
          return true;
        }
        return x instanceof WeakSet;
      } catch (e) {
      }
      return false;
    }
    function isElement(x) {
      if (!x || typeof x !== "object") {
        return false;
      }
      if (typeof HTMLElement !== "undefined" && x instanceof HTMLElement) {
        return true;
      }
      return typeof x.nodeName === "string" && typeof x.getAttribute === "function";
    }
    function inspectString(str, opts) {
      if (str.length > opts.maxStringLength) {
        var remaining = str.length - opts.maxStringLength;
        var trailer = "... " + remaining + " more character" + (remaining > 1 ? "s" : "");
        return inspectString($slice.call(str, 0, opts.maxStringLength), opts) + trailer;
      }
      var s = $replace.call($replace.call(str, /(['\\])/g, "\\$1"), /[\x00-\x1f]/g, lowbyte);
      return wrapQuotes(s, "single", opts);
    }
    function lowbyte(c) {
      var n = c.charCodeAt(0);
      var x = {
        8: "b",
        9: "t",
        10: "n",
        12: "f",
        13: "r"
      }[n];
      if (x) {
        return "\\" + x;
      }
      return "\\x" + (n < 16 ? "0" : "") + $toUpperCase.call(n.toString(16));
    }
    function markBoxed(str) {
      return "Object(" + str + ")";
    }
    function weakCollectionOf(type) {
      return type + " { ? }";
    }
    function collectionOf(type, size, entries, indent) {
      var joinedEntries = indent ? indentedJoin(entries, indent) : $join.call(entries, ", ");
      return type + " (" + size + ") {" + joinedEntries + "}";
    }
    function singleLineValues(xs) {
      for (var i = 0; i < xs.length; i++) {
        if (indexOf(xs[i], "\n") >= 0) {
          return false;
        }
      }
      return true;
    }
    function getIndent(opts, depth2) {
      var baseIndent;
      if (opts.indent === "	") {
        baseIndent = "	";
      } else if (typeof opts.indent === "number" && opts.indent > 0) {
        baseIndent = $join.call(Array(opts.indent + 1), " ");
      } else {
        return null;
      }
      return {
        base: baseIndent,
        prev: $join.call(Array(depth2 + 1), baseIndent)
      };
    }
    function indentedJoin(xs, indent) {
      if (xs.length === 0) {
        return "";
      }
      var lineJoiner = "\n" + indent.prev + indent.base;
      return lineJoiner + $join.call(xs, "," + lineJoiner) + "\n" + indent.prev;
    }
    function arrObjKeys(obj, inspect) {
      var isArr = isArray3(obj);
      var xs = [];
      if (isArr) {
        xs.length = obj.length;
        for (var i = 0; i < obj.length; i++) {
          xs[i] = has2(obj, i) ? inspect(obj[i], obj) : "";
        }
      }
      var syms = typeof gOPS === "function" ? gOPS(obj) : [];
      var symMap;
      if (hasShammedSymbols) {
        symMap = {};
        for (var k = 0; k < syms.length; k++) {
          symMap["$" + syms[k]] = syms[k];
        }
      }
      for (var key in obj) {
        if (!has2(obj, key)) {
          continue;
        }
        if (isArr && String(Number(key)) === key && key < obj.length) {
          continue;
        }
        if (hasShammedSymbols && symMap["$" + key] instanceof Symbol) {
          continue;
        } else if ($test.call(/[^\w$]/, key)) {
          xs.push(inspect(key, obj) + ": " + inspect(obj[key], obj));
        } else {
          xs.push(key + ": " + inspect(obj[key], obj));
        }
      }
      if (typeof gOPS === "function") {
        for (var j = 0; j < syms.length; j++) {
          if (isEnumerable.call(obj, syms[j])) {
            xs.push("[" + inspect(syms[j]) + "]: " + inspect(obj[syms[j]], obj));
          }
        }
      }
      return xs;
    }
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/IsPropertyKey.js
var require_IsPropertyKey = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/IsPropertyKey.js"(exports2, module2) {
    "use strict";
    module2.exports = function IsPropertyKey(argument) {
      return typeof argument === "string" || typeof argument === "symbol";
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/5/Type.js
var require_Type = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/5/Type.js"(exports2, module2) {
    "use strict";
    module2.exports = function Type(x) {
      if (x === null) {
        return "Null";
      }
      if (typeof x === "undefined") {
        return "Undefined";
      }
      if (typeof x === "function" || typeof x === "object") {
        return "Object";
      }
      if (typeof x === "number") {
        return "Number";
      }
      if (typeof x === "boolean") {
        return "Boolean";
      }
      if (typeof x === "string") {
        return "String";
      }
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/Type.js
var require_Type2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/Type.js"(exports2, module2) {
    "use strict";
    var ES5Type = require_Type();
    module2.exports = function Type(x) {
      if (typeof x === "symbol") {
        return "Symbol";
      }
      if (typeof x === "bigint") {
        return "BigInt";
      }
      return ES5Type(x);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/Get.js
var require_Get = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/Get.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var inspect = require_object_inspect();
    var IsPropertyKey = require_IsPropertyKey();
    var Type = require_Type2();
    module2.exports = function Get(O, P) {
      if (Type(O) !== "Object") {
        throw new $TypeError("Assertion failed: Type(O) is not Object");
      }
      if (!IsPropertyKey(P)) {
        throw new $TypeError("Assertion failed: IsPropertyKey(P) is not true, got " + inspect(P));
      }
      return O[P];
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/IsArray.js
var require_IsArray = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/IsArray.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $Array = GetIntrinsic("%Array%");
    var toStr = !$Array.isArray && require_callBound()("Object.prototype.toString");
    module2.exports = $Array.isArray || function IsArray(argument) {
      return toStr(argument) === "[object Array]";
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/IsArray.js
var require_IsArray2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/IsArray.js"(exports2, module2) {
    "use strict";
    module2.exports = require_IsArray();
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/GetIntrinsic.js
var require_GetIntrinsic = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/GetIntrinsic.js"(exports2, module2) {
    "use strict";
    module2.exports = require_get_intrinsic();
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/records/property-descriptor.js
var require_property_descriptor = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/records/property-descriptor.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var hasOwn = require_hasown();
    var allowed = {
      __proto__: null,
      "[[Configurable]]": true,
      "[[Enumerable]]": true,
      "[[Get]]": true,
      "[[Set]]": true,
      "[[Value]]": true,
      "[[Writable]]": true
    };
    module2.exports = function isPropertyDescriptor(Desc) {
      if (!Desc || typeof Desc !== "object") {
        return false;
      }
      for (var key in Desc) {
        if (hasOwn(Desc, key) && !allowed[key]) {
          return false;
        }
      }
      var isData = hasOwn(Desc, "[[Value]]") || hasOwn(Desc, "[[Writable]]");
      var IsAccessor = hasOwn(Desc, "[[Get]]") || hasOwn(Desc, "[[Set]]");
      if (isData && IsAccessor) {
        throw new $TypeError("Property Descriptors may not be both accessor and data descriptors");
      }
      return true;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/DefineOwnProperty.js
var require_DefineOwnProperty = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/DefineOwnProperty.js"(exports2, module2) {
    "use strict";
    var hasPropertyDescriptors = require_has_property_descriptors();
    var $defineProperty = require_es_define_property();
    var hasArrayLengthDefineBug = hasPropertyDescriptors.hasArrayLengthDefineBug();
    var isArray3 = hasArrayLengthDefineBug && require_IsArray();
    var callBound = require_callBound();
    var $isEnumerable = callBound("Object.prototype.propertyIsEnumerable");
    module2.exports = function DefineOwnProperty(IsDataDescriptor, SameValue, FromPropertyDescriptor, O, P, desc) {
      if (!$defineProperty) {
        if (!IsDataDescriptor(desc)) {
          return false;
        }
        if (!desc["[[Configurable]]"] || !desc["[[Writable]]"]) {
          return false;
        }
        if (P in O && $isEnumerable(O, P) !== !!desc["[[Enumerable]]"]) {
          return false;
        }
        var V = desc["[[Value]]"];
        O[P] = V;
        return SameValue(O[P], V);
      }
      if (hasArrayLengthDefineBug && P === "length" && "[[Value]]" in desc && isArray3(O) && O.length !== desc["[[Value]]"]) {
        O.length = desc["[[Value]]"];
        return O.length === desc["[[Value]]"];
      }
      $defineProperty(O, P, FromPropertyDescriptor(desc));
      return true;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/fromPropertyDescriptor.js
var require_fromPropertyDescriptor = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/fromPropertyDescriptor.js"(exports2, module2) {
    "use strict";
    module2.exports = function fromPropertyDescriptor(Desc) {
      if (typeof Desc === "undefined") {
        return Desc;
      }
      var obj = {};
      if ("[[Value]]" in Desc) {
        obj.value = Desc["[[Value]]"];
      }
      if ("[[Writable]]" in Desc) {
        obj.writable = !!Desc["[[Writable]]"];
      }
      if ("[[Get]]" in Desc) {
        obj.get = Desc["[[Get]]"];
      }
      if ("[[Set]]" in Desc) {
        obj.set = Desc["[[Set]]"];
      }
      if ("[[Enumerable]]" in Desc) {
        obj.enumerable = !!Desc["[[Enumerable]]"];
      }
      if ("[[Configurable]]" in Desc) {
        obj.configurable = !!Desc["[[Configurable]]"];
      }
      return obj;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/FromPropertyDescriptor.js
var require_FromPropertyDescriptor = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/FromPropertyDescriptor.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var isPropertyDescriptor = require_property_descriptor();
    var fromPropertyDescriptor = require_fromPropertyDescriptor();
    module2.exports = function FromPropertyDescriptor(Desc) {
      if (typeof Desc !== "undefined" && !isPropertyDescriptor(Desc)) {
        throw new $TypeError("Assertion failed: `Desc` must be a Property Descriptor");
      }
      return fromPropertyDescriptor(Desc);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/IsDataDescriptor.js
var require_IsDataDescriptor = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/IsDataDescriptor.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var hasOwn = require_hasown();
    var isPropertyDescriptor = require_property_descriptor();
    module2.exports = function IsDataDescriptor(Desc) {
      if (typeof Desc === "undefined") {
        return false;
      }
      if (!isPropertyDescriptor(Desc)) {
        throw new $TypeError("Assertion failed: `Desc` must be a Property Descriptor");
      }
      if (!hasOwn(Desc, "[[Value]]") && !hasOwn(Desc, "[[Writable]]")) {
        return false;
      }
      return true;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/SameValue.js
var require_SameValue = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/SameValue.js"(exports2, module2) {
    "use strict";
    var $isNaN = require_isNaN();
    module2.exports = function SameValue(x, y) {
      if (x === y) {
        if (x === 0) {
          return 1 / x === 1 / y;
        }
        return true;
      }
      return $isNaN(x) && $isNaN(y);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ToBoolean.js
var require_ToBoolean = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ToBoolean.js"(exports2, module2) {
    "use strict";
    module2.exports = function ToBoolean(value) {
      return !!value;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/IsCallable.js
var require_IsCallable = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/IsCallable.js"(exports2, module2) {
    "use strict";
    module2.exports = require_is_callable();
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ToPropertyDescriptor.js
var require_ToPropertyDescriptor = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ToPropertyDescriptor.js"(exports2, module2) {
    "use strict";
    var hasOwn = require_hasown();
    var $TypeError = require_type();
    var Type = require_Type2();
    var ToBoolean = require_ToBoolean();
    var IsCallable = require_IsCallable();
    module2.exports = function ToPropertyDescriptor(Obj) {
      if (Type(Obj) !== "Object") {
        throw new $TypeError("ToPropertyDescriptor requires an object");
      }
      var desc = {};
      if (hasOwn(Obj, "enumerable")) {
        desc["[[Enumerable]]"] = ToBoolean(Obj.enumerable);
      }
      if (hasOwn(Obj, "configurable")) {
        desc["[[Configurable]]"] = ToBoolean(Obj.configurable);
      }
      if (hasOwn(Obj, "value")) {
        desc["[[Value]]"] = Obj.value;
      }
      if (hasOwn(Obj, "writable")) {
        desc["[[Writable]]"] = ToBoolean(Obj.writable);
      }
      if (hasOwn(Obj, "get")) {
        var getter = Obj.get;
        if (typeof getter !== "undefined" && !IsCallable(getter)) {
          throw new $TypeError("getter must be a function");
        }
        desc["[[Get]]"] = getter;
      }
      if (hasOwn(Obj, "set")) {
        var setter = Obj.set;
        if (typeof setter !== "undefined" && !IsCallable(setter)) {
          throw new $TypeError("setter must be a function");
        }
        desc["[[Set]]"] = setter;
      }
      if ((hasOwn(desc, "[[Get]]") || hasOwn(desc, "[[Set]]")) && (hasOwn(desc, "[[Value]]") || hasOwn(desc, "[[Writable]]"))) {
        throw new $TypeError("Invalid property descriptor. Cannot both specify accessors and a value or writable attribute");
      }
      return desc;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/DefinePropertyOrThrow.js
var require_DefinePropertyOrThrow = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/DefinePropertyOrThrow.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var isPropertyDescriptor = require_property_descriptor();
    var DefineOwnProperty = require_DefineOwnProperty();
    var FromPropertyDescriptor = require_FromPropertyDescriptor();
    var IsDataDescriptor = require_IsDataDescriptor();
    var IsPropertyKey = require_IsPropertyKey();
    var SameValue = require_SameValue();
    var ToPropertyDescriptor = require_ToPropertyDescriptor();
    var Type = require_Type2();
    module2.exports = function DefinePropertyOrThrow(O, P, desc) {
      if (Type(O) !== "Object") {
        throw new $TypeError("Assertion failed: Type(O) is not Object");
      }
      if (!IsPropertyKey(P)) {
        throw new $TypeError("Assertion failed: IsPropertyKey(P) is not true");
      }
      var Desc = isPropertyDescriptor(desc) ? desc : ToPropertyDescriptor(desc);
      if (!isPropertyDescriptor(Desc)) {
        throw new $TypeError("Assertion failed: Desc is not a valid Property Descriptor");
      }
      return DefineOwnProperty(
        IsDataDescriptor,
        SameValue,
        FromPropertyDescriptor,
        O,
        P,
        Desc
      );
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/IsConstructor.js
var require_IsConstructor = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/IsConstructor.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_GetIntrinsic();
    var $construct = GetIntrinsic("%Reflect.construct%", true);
    var DefinePropertyOrThrow = require_DefinePropertyOrThrow();
    try {
      DefinePropertyOrThrow({}, "", { "[[Get]]": function() {
      } });
    } catch (e) {
      DefinePropertyOrThrow = null;
    }
    if (DefinePropertyOrThrow && $construct) {
      isConstructorMarker = {};
      badArrayLike = {};
      DefinePropertyOrThrow(badArrayLike, "length", {
        "[[Get]]": function() {
          throw isConstructorMarker;
        },
        "[[Enumerable]]": true
      });
      module2.exports = function IsConstructor(argument) {
        try {
          $construct(argument, badArrayLike);
        } catch (err) {
          return err === isConstructorMarker;
        }
      };
    } else {
      module2.exports = function IsConstructor(argument) {
        return typeof argument === "function" && !!argument.prototype;
      };
    }
    var isConstructorMarker;
    var badArrayLike;
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ArraySpeciesCreate.js
var require_ArraySpeciesCreate = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ArraySpeciesCreate.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $species = GetIntrinsic("%Symbol.species%", true);
    var $TypeError = require_type();
    var ArrayCreate = require_ArrayCreate();
    var Get = require_Get();
    var IsArray = require_IsArray2();
    var IsConstructor = require_IsConstructor();
    var Type = require_Type2();
    var isInteger = require_isInteger();
    module2.exports = function ArraySpeciesCreate(originalArray, length) {
      if (!isInteger(length) || length < 0) {
        throw new $TypeError("Assertion failed: length must be an integer >= 0");
      }
      var isArray3 = IsArray(originalArray);
      if (!isArray3) {
        return ArrayCreate(length);
      }
      var C = Get(originalArray, "constructor");
      if ($species && Type(C) === "Object") {
        C = Get(C, $species);
        if (C === null) {
          C = void 0;
        }
      }
      if (typeof C === "undefined") {
        return ArrayCreate(length);
      }
      if (!IsConstructor(C)) {
        throw new $TypeError("C must be a constructor");
      }
      return new C(length);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/Call.js
var require_Call = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/Call.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var callBound = require_callBound();
    var $TypeError = require_type();
    var IsArray = require_IsArray2();
    var $apply = GetIntrinsic("%Reflect.apply%", true) || callBound("Function.prototype.apply");
    module2.exports = function Call(F, V) {
      var argumentsList = arguments.length > 2 ? arguments[2] : [];
      if (!IsArray(argumentsList)) {
        throw new $TypeError("Assertion failed: optional `argumentsList`, if provided, must be a List");
      }
      return $apply(F, V, argumentsList);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/IsAccessorDescriptor.js
var require_IsAccessorDescriptor = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/IsAccessorDescriptor.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var hasOwn = require_hasown();
    var isPropertyDescriptor = require_property_descriptor();
    module2.exports = function IsAccessorDescriptor(Desc) {
      if (typeof Desc === "undefined") {
        return false;
      }
      if (!isPropertyDescriptor(Desc)) {
        throw new $TypeError("Assertion failed: `Desc` must be a Property Descriptor");
      }
      if (!hasOwn(Desc, "[[Get]]") && !hasOwn(Desc, "[[Set]]")) {
        return false;
      }
      return true;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/IsExtensible.js
var require_IsExtensible = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/IsExtensible.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $preventExtensions = GetIntrinsic("%Object.preventExtensions%", true);
    var $isExtensible = GetIntrinsic("%Object.isExtensible%", true);
    var isPrimitive = require_isPrimitive();
    module2.exports = $preventExtensions ? function IsExtensible(obj) {
      return !isPrimitive(obj) && $isExtensible(obj);
    } : function IsExtensible(obj) {
      return !isPrimitive(obj);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/isFullyPopulatedPropertyDescriptor.js
var require_isFullyPopulatedPropertyDescriptor = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/isFullyPopulatedPropertyDescriptor.js"(exports2, module2) {
    "use strict";
    var isPropertyDescriptor = require_property_descriptor();
    module2.exports = function isFullyPopulatedPropertyDescriptor(ES, Desc) {
      return isPropertyDescriptor(Desc) && typeof Desc === "object" && "[[Enumerable]]" in Desc && "[[Configurable]]" in Desc && (ES.IsAccessorDescriptor(Desc) || ES.IsDataDescriptor(Desc));
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/IsGenericDescriptor.js
var require_IsGenericDescriptor = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/IsGenericDescriptor.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var IsAccessorDescriptor = require_IsAccessorDescriptor();
    var IsDataDescriptor = require_IsDataDescriptor();
    var isPropertyDescriptor = require_property_descriptor();
    module2.exports = function IsGenericDescriptor(Desc) {
      if (typeof Desc === "undefined") {
        return false;
      }
      if (!isPropertyDescriptor(Desc)) {
        throw new $TypeError("Assertion failed: `Desc` must be a Property Descriptor");
      }
      if (!IsAccessorDescriptor(Desc) && !IsDataDescriptor(Desc)) {
        return true;
      }
      return false;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ValidateAndApplyPropertyDescriptor.js
var require_ValidateAndApplyPropertyDescriptor = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ValidateAndApplyPropertyDescriptor.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var DefineOwnProperty = require_DefineOwnProperty();
    var isFullyPopulatedPropertyDescriptor = require_isFullyPopulatedPropertyDescriptor();
    var isPropertyDescriptor = require_property_descriptor();
    var FromPropertyDescriptor = require_FromPropertyDescriptor();
    var IsAccessorDescriptor = require_IsAccessorDescriptor();
    var IsDataDescriptor = require_IsDataDescriptor();
    var IsGenericDescriptor = require_IsGenericDescriptor();
    var IsPropertyKey = require_IsPropertyKey();
    var SameValue = require_SameValue();
    var Type = require_Type2();
    module2.exports = function ValidateAndApplyPropertyDescriptor(O, P, extensible, Desc, current) {
      var oType = Type(O);
      if (oType !== "Undefined" && oType !== "Object") {
        throw new $TypeError("Assertion failed: O must be undefined or an Object");
      }
      if (!IsPropertyKey(P)) {
        throw new $TypeError("Assertion failed: P must be a Property Key");
      }
      if (typeof extensible !== "boolean") {
        throw new $TypeError("Assertion failed: extensible must be a Boolean");
      }
      if (!isPropertyDescriptor(Desc)) {
        throw new $TypeError("Assertion failed: Desc must be a Property Descriptor");
      }
      if (typeof current !== "undefined" && !isPropertyDescriptor(current)) {
        throw new $TypeError("Assertion failed: current must be a Property Descriptor, or undefined");
      }
      if (typeof current === "undefined") {
        if (!extensible) {
          return false;
        }
        if (oType === "Undefined") {
          return true;
        }
        if (IsAccessorDescriptor(Desc)) {
          return DefineOwnProperty(
            IsDataDescriptor,
            SameValue,
            FromPropertyDescriptor,
            O,
            P,
            Desc
          );
        }
        return DefineOwnProperty(
          IsDataDescriptor,
          SameValue,
          FromPropertyDescriptor,
          O,
          P,
          {
            "[[Configurable]]": !!Desc["[[Configurable]]"],
            "[[Enumerable]]": !!Desc["[[Enumerable]]"],
            "[[Value]]": Desc["[[Value]]"],
            "[[Writable]]": !!Desc["[[Writable]]"]
          }
        );
      }
      if (!isFullyPopulatedPropertyDescriptor(
        {
          IsAccessorDescriptor,
          IsDataDescriptor
        },
        current
      )) {
        throw new $TypeError("`current`, when present, must be a fully populated and valid Property Descriptor");
      }
      if (!current["[[Configurable]]"]) {
        if ("[[Configurable]]" in Desc && Desc["[[Configurable]]"]) {
          return false;
        }
        if ("[[Enumerable]]" in Desc && !SameValue(Desc["[[Enumerable]]"], current["[[Enumerable]]"])) {
          return false;
        }
        if (!IsGenericDescriptor(Desc) && !SameValue(IsAccessorDescriptor(Desc), IsAccessorDescriptor(current))) {
          return false;
        }
        if (IsAccessorDescriptor(current)) {
          if ("[[Get]]" in Desc && !SameValue(Desc["[[Get]]"], current["[[Get]]"])) {
            return false;
          }
          if ("[[Set]]" in Desc && !SameValue(Desc["[[Set]]"], current["[[Set]]"])) {
            return false;
          }
        } else if (!current["[[Writable]]"]) {
          if ("[[Writable]]" in Desc && Desc["[[Writable]]"]) {
            return false;
          }
          if ("[[Value]]" in Desc && !SameValue(Desc["[[Value]]"], current["[[Value]]"])) {
            return false;
          }
        }
      }
      if (oType !== "Undefined") {
        var configurable;
        var enumerable;
        if (IsDataDescriptor(current) && IsAccessorDescriptor(Desc)) {
          configurable = ("[[Configurable]]" in Desc ? Desc : current)["[[Configurable]]"];
          enumerable = ("[[Enumerable]]" in Desc ? Desc : current)["[[Enumerable]]"];
          return DefineOwnProperty(
            IsDataDescriptor,
            SameValue,
            FromPropertyDescriptor,
            O,
            P,
            {
              "[[Configurable]]": !!configurable,
              "[[Enumerable]]": !!enumerable,
              "[[Get]]": ("[[Get]]" in Desc ? Desc : current)["[[Get]]"],
              "[[Set]]": ("[[Set]]" in Desc ? Desc : current)["[[Set]]"]
            }
          );
        } else if (IsAccessorDescriptor(current) && IsDataDescriptor(Desc)) {
          configurable = ("[[Configurable]]" in Desc ? Desc : current)["[[Configurable]]"];
          enumerable = ("[[Enumerable]]" in Desc ? Desc : current)["[[Enumerable]]"];
          return DefineOwnProperty(
            IsDataDescriptor,
            SameValue,
            FromPropertyDescriptor,
            O,
            P,
            {
              "[[Configurable]]": !!configurable,
              "[[Enumerable]]": !!enumerable,
              "[[Value]]": ("[[Value]]" in Desc ? Desc : current)["[[Value]]"],
              "[[Writable]]": !!("[[Writable]]" in Desc ? Desc : current)["[[Writable]]"]
            }
          );
        }
        return DefineOwnProperty(
          IsDataDescriptor,
          SameValue,
          FromPropertyDescriptor,
          O,
          P,
          Desc
        );
      }
      return true;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/OrdinaryDefineOwnProperty.js
var require_OrdinaryDefineOwnProperty = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/OrdinaryDefineOwnProperty.js"(exports2, module2) {
    "use strict";
    var $gOPD = require_gopd();
    var $SyntaxError = require_syntax();
    var $TypeError = require_type();
    var isPropertyDescriptor = require_property_descriptor();
    var IsAccessorDescriptor = require_IsAccessorDescriptor();
    var IsExtensible = require_IsExtensible();
    var IsPropertyKey = require_IsPropertyKey();
    var ToPropertyDescriptor = require_ToPropertyDescriptor();
    var SameValue = require_SameValue();
    var Type = require_Type2();
    var ValidateAndApplyPropertyDescriptor = require_ValidateAndApplyPropertyDescriptor();
    module2.exports = function OrdinaryDefineOwnProperty(O, P, Desc) {
      if (Type(O) !== "Object") {
        throw new $TypeError("Assertion failed: O must be an Object");
      }
      if (!IsPropertyKey(P)) {
        throw new $TypeError("Assertion failed: P must be a Property Key");
      }
      if (!isPropertyDescriptor(Desc)) {
        throw new $TypeError("Assertion failed: Desc must be a Property Descriptor");
      }
      if (!$gOPD) {
        if (IsAccessorDescriptor(Desc)) {
          throw new $SyntaxError("This environment does not support accessor property descriptors.");
        }
        var creatingNormalDataProperty = !(P in O) && Desc["[[Writable]]"] && Desc["[[Enumerable]]"] && Desc["[[Configurable]]"] && "[[Value]]" in Desc;
        var settingExistingDataProperty = P in O && (!("[[Configurable]]" in Desc) || Desc["[[Configurable]]"]) && (!("[[Enumerable]]" in Desc) || Desc["[[Enumerable]]"]) && (!("[[Writable]]" in Desc) || Desc["[[Writable]]"]) && "[[Value]]" in Desc;
        if (creatingNormalDataProperty || settingExistingDataProperty) {
          O[P] = Desc["[[Value]]"];
          return SameValue(O[P], Desc["[[Value]]"]);
        }
        throw new $SyntaxError("This environment does not support defining non-writable, non-enumerable, or non-configurable properties");
      }
      var desc = $gOPD(O, P);
      var current = desc && ToPropertyDescriptor(desc);
      var extensible = IsExtensible(O);
      return ValidateAndApplyPropertyDescriptor(O, P, extensible, Desc, current);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/CreateDataProperty.js
var require_CreateDataProperty = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/CreateDataProperty.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var IsPropertyKey = require_IsPropertyKey();
    var OrdinaryDefineOwnProperty = require_OrdinaryDefineOwnProperty();
    var Type = require_Type2();
    module2.exports = function CreateDataProperty(O, P, V) {
      if (Type(O) !== "Object") {
        throw new $TypeError("Assertion failed: Type(O) is not Object");
      }
      if (!IsPropertyKey(P)) {
        throw new $TypeError("Assertion failed: IsPropertyKey(P) is not true");
      }
      var newDesc = {
        "[[Configurable]]": true,
        "[[Enumerable]]": true,
        "[[Value]]": V,
        "[[Writable]]": true
      };
      return OrdinaryDefineOwnProperty(O, P, newDesc);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/CreateDataPropertyOrThrow.js
var require_CreateDataPropertyOrThrow = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/CreateDataPropertyOrThrow.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var CreateDataProperty = require_CreateDataProperty();
    var IsPropertyKey = require_IsPropertyKey();
    var Type = require_Type2();
    module2.exports = function CreateDataPropertyOrThrow(O, P, V) {
      if (Type(O) !== "Object") {
        throw new $TypeError("Assertion failed: Type(O) is not Object");
      }
      if (!IsPropertyKey(P)) {
        throw new $TypeError("Assertion failed: IsPropertyKey(P) is not true");
      }
      var success = CreateDataProperty(O, P, V);
      if (!success) {
        throw new $TypeError("unable to create data property");
      }
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/HasProperty.js
var require_HasProperty = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/HasProperty.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var IsPropertyKey = require_IsPropertyKey();
    var Type = require_Type2();
    module2.exports = function HasProperty(O, P) {
      if (Type(O) !== "Object") {
        throw new $TypeError("Assertion failed: `O` must be an Object");
      }
      if (!IsPropertyKey(P)) {
        throw new $TypeError("Assertion failed: `P` must be a Property Key");
      }
      return P in O;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ToPrimitive.js
var require_ToPrimitive2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ToPrimitive.js"(exports2, module2) {
    "use strict";
    var toPrimitive = require_es20152();
    module2.exports = function ToPrimitive(input) {
      if (arguments.length > 1) {
        return toPrimitive(input, arguments[1]);
      }
      return toPrimitive(input);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/StringToNumber.js
var require_StringToNumber2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/StringToNumber.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $Number = GetIntrinsic("%Number%");
    var $RegExp = GetIntrinsic("%RegExp%");
    var $TypeError = require_type();
    var $parseInteger = GetIntrinsic("%parseInt%");
    var callBound = require_callBound();
    var regexTester = require_safe_regex_test();
    var $strSlice = callBound("String.prototype.slice");
    var isBinary = regexTester(/^0b[01]+$/i);
    var isOctal = regexTester(/^0o[0-7]+$/i);
    var isInvalidHexLiteral = regexTester(/^[-+]0x[0-9a-f]+$/i);
    var nonWS = ["\x85", "\u200B", "\uFFFE"].join("");
    var nonWSregex = new $RegExp("[" + nonWS + "]", "g");
    var hasNonWS = regexTester(nonWSregex);
    var $trim = require_string_prototype();
    module2.exports = function StringToNumber(argument) {
      if (typeof argument !== "string") {
        throw new $TypeError("Assertion failed: `argument` is not a String");
      }
      if (isBinary(argument)) {
        return $Number($parseInteger($strSlice(argument, 2), 2));
      }
      if (isOctal(argument)) {
        return $Number($parseInteger($strSlice(argument, 2), 8));
      }
      if (hasNonWS(argument) || isInvalidHexLiteral(argument)) {
        return NaN;
      }
      var trimmed = $trim(argument);
      if (trimmed !== argument) {
        return StringToNumber(trimmed);
      }
      return $Number(argument);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ToNumber.js
var require_ToNumber2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ToNumber.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $TypeError = require_type();
    var $Number = GetIntrinsic("%Number%");
    var isPrimitive = require_isPrimitive();
    var ToPrimitive = require_ToPrimitive2();
    var StringToNumber = require_StringToNumber2();
    module2.exports = function ToNumber(argument) {
      var value = isPrimitive(argument) ? argument : ToPrimitive(argument, $Number);
      if (typeof value === "symbol") {
        throw new $TypeError("Cannot convert a Symbol value to a number");
      }
      if (typeof value === "bigint") {
        throw new $TypeError("Conversion from 'BigInt' to 'number' is not allowed.");
      }
      if (typeof value === "string") {
        return StringToNumber(value);
      }
      return $Number(value);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/floor.js
var require_floor2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/floor.js"(exports2, module2) {
    "use strict";
    var $floor = Math.floor;
    module2.exports = function floor(x) {
      if (typeof x === "bigint") {
        return x;
      }
      return $floor(x);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/truncate.js
var require_truncate2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/truncate.js"(exports2, module2) {
    "use strict";
    var floor = require_floor2();
    var $TypeError = require_type();
    module2.exports = function truncate(x) {
      if (typeof x !== "number" && typeof x !== "bigint") {
        throw new $TypeError("argument must be a Number or a BigInt");
      }
      var result = x < 0 ? -floor(-x) : floor(x);
      return result === 0 ? 0 : result;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ToIntegerOrInfinity.js
var require_ToIntegerOrInfinity2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ToIntegerOrInfinity.js"(exports2, module2) {
    "use strict";
    var ToNumber = require_ToNumber2();
    var truncate = require_truncate2();
    var $isNaN = require_isNaN();
    var $isFinite = require_isFinite();
    module2.exports = function ToIntegerOrInfinity(value) {
      var number = ToNumber(value);
      if ($isNaN(number) || number === 0) {
        return 0;
      }
      if (!$isFinite(number)) {
        return number;
      }
      return truncate(number);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ToLength.js
var require_ToLength2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ToLength.js"(exports2, module2) {
    "use strict";
    var MAX_SAFE_INTEGER3 = require_maxSafeInteger();
    var ToIntegerOrInfinity = require_ToIntegerOrInfinity2();
    module2.exports = function ToLength(argument) {
      var len = ToIntegerOrInfinity(argument);
      if (len <= 0) {
        return 0;
      }
      if (len > MAX_SAFE_INTEGER3) {
        return MAX_SAFE_INTEGER3;
      }
      return len;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/LengthOfArrayLike.js
var require_LengthOfArrayLike = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/LengthOfArrayLike.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var Get = require_Get();
    var ToLength = require_ToLength2();
    var Type = require_Type2();
    module2.exports = function LengthOfArrayLike(obj) {
      if (Type(obj) !== "Object") {
        throw new $TypeError("Assertion failed: `obj` must be an Object");
      }
      return ToLength(Get(obj, "length"));
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ToString.js
var require_ToString2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ToString.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $String = GetIntrinsic("%String%");
    var $TypeError = require_type();
    module2.exports = function ToString(argument) {
      if (typeof argument === "symbol") {
        throw new $TypeError("Cannot convert a Symbol value to a string");
      }
      return $String(argument);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/FlattenIntoArray.js
var require_FlattenIntoArray = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/FlattenIntoArray.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var MAX_SAFE_INTEGER3 = require_maxSafeInteger();
    var Call = require_Call();
    var CreateDataPropertyOrThrow = require_CreateDataPropertyOrThrow();
    var Get = require_Get();
    var HasProperty = require_HasProperty();
    var IsArray = require_IsArray2();
    var LengthOfArrayLike = require_LengthOfArrayLike();
    var ToString = require_ToString2();
    module2.exports = function FlattenIntoArray(target, source, sourceLen, start, depth2) {
      var mapperFunction;
      if (arguments.length > 5) {
        mapperFunction = arguments[5];
      }
      var targetIndex = start;
      var sourceIndex = 0;
      while (sourceIndex < sourceLen) {
        var P = ToString(sourceIndex);
        var exists = HasProperty(source, P);
        if (exists === true) {
          var element = Get(source, P);
          if (typeof mapperFunction !== "undefined") {
            if (arguments.length <= 6) {
              throw new $TypeError("Assertion failed: thisArg is required when mapperFunction is provided");
            }
            element = Call(mapperFunction, arguments[6], [element, sourceIndex, source]);
          }
          var shouldFlatten = false;
          if (depth2 > 0) {
            shouldFlatten = IsArray(element);
          }
          if (shouldFlatten) {
            var elementLen = LengthOfArrayLike(element);
            targetIndex = FlattenIntoArray(target, element, elementLen, targetIndex, depth2 - 1);
          } else {
            if (targetIndex >= MAX_SAFE_INTEGER3) {
              throw new $TypeError("index too large");
            }
            CreateDataPropertyOrThrow(target, ToString(targetIndex), element);
            targetIndex += 1;
          }
        }
        sourceIndex += 1;
      }
      return targetIndex;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ToObject.js
var require_ToObject2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2023/ToObject.js"(exports2, module2) {
    "use strict";
    module2.exports = require_ToObject();
  }
});

// node_modules/.pnpm/array.prototype.flatmap@1.3.2/node_modules/array.prototype.flatmap/implementation.js
var require_implementation5 = __commonJS({
  "node_modules/.pnpm/array.prototype.flatmap@1.3.2/node_modules/array.prototype.flatmap/implementation.js"(exports2, module2) {
    "use strict";
    var ArraySpeciesCreate = require_ArraySpeciesCreate();
    var FlattenIntoArray = require_FlattenIntoArray();
    var Get = require_Get();
    var IsCallable = require_IsCallable();
    var ToLength = require_ToLength2();
    var ToObject = require_ToObject2();
    module2.exports = function flatMap(mapperFunction) {
      var O = ToObject(this);
      var sourceLen = ToLength(Get(O, "length"));
      if (!IsCallable(mapperFunction)) {
        throw new TypeError("mapperFunction must be a function");
      }
      var T;
      if (arguments.length > 1) {
        T = arguments[1];
      }
      var A = ArraySpeciesCreate(O, 0);
      FlattenIntoArray(A, O, sourceLen, 0, 1, mapperFunction, T);
      return A;
    };
  }
});

// node_modules/.pnpm/array.prototype.flatmap@1.3.2/node_modules/array.prototype.flatmap/polyfill.js
var require_polyfill3 = __commonJS({
  "node_modules/.pnpm/array.prototype.flatmap@1.3.2/node_modules/array.prototype.flatmap/polyfill.js"(exports2, module2) {
    "use strict";
    var implementation = require_implementation5();
    module2.exports = function getPolyfill() {
      return Array.prototype.flatMap || implementation;
    };
  }
});

// node_modules/.pnpm/es-shim-unscopables@1.0.2/node_modules/es-shim-unscopables/index.js
var require_es_shim_unscopables = __commonJS({
  "node_modules/.pnpm/es-shim-unscopables@1.0.2/node_modules/es-shim-unscopables/index.js"(exports2, module2) {
    "use strict";
    var hasOwn = require_hasown();
    var hasUnscopables = typeof Symbol === "function" && typeof Symbol.unscopables === "symbol";
    var map = hasUnscopables && Array.prototype[Symbol.unscopables];
    var $TypeError = TypeError;
    module2.exports = function shimUnscopables(method) {
      if (typeof method !== "string" || !method) {
        throw new $TypeError("method must be a non-empty string");
      }
      if (!hasOwn(Array.prototype, method)) {
        throw new $TypeError("method must be on Array.prototype");
      }
      if (hasUnscopables) {
        map[method] = true;
      }
    };
  }
});

// node_modules/.pnpm/array.prototype.flatmap@1.3.2/node_modules/array.prototype.flatmap/shim.js
var require_shim3 = __commonJS({
  "node_modules/.pnpm/array.prototype.flatmap@1.3.2/node_modules/array.prototype.flatmap/shim.js"(exports2, module2) {
    "use strict";
    var define2 = require_define_properties();
    var shimUnscopables = require_es_shim_unscopables();
    var getPolyfill = require_polyfill3();
    module2.exports = function shimFlatMap() {
      var polyfill = getPolyfill();
      define2(
        Array.prototype,
        { flatMap: polyfill },
        { flatMap: function() {
          return Array.prototype.flatMap !== polyfill;
        } }
      );
      shimUnscopables("flatMap");
      return polyfill;
    };
  }
});

// node_modules/.pnpm/array.prototype.flatmap@1.3.2/node_modules/array.prototype.flatmap/index.js
var require_array_prototype = __commonJS({
  "node_modules/.pnpm/array.prototype.flatmap@1.3.2/node_modules/array.prototype.flatmap/index.js"(exports2, module2) {
    "use strict";
    var define2 = require_define_properties();
    var callBind = require_call_bind();
    var implementation = require_implementation5();
    var getPolyfill = require_polyfill3();
    var polyfill = getPolyfill();
    var shim = require_shim3();
    var boundFlatMap = callBind(polyfill);
    define2(boundFlatMap, {
      getPolyfill,
      implementation,
      shim
    });
    module2.exports = boundFlatMap;
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/export.js
var require_export = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/export.js"(exports2, module2) {
    "use strict";
    var _slicedToArray = /* @__PURE__ */ function() {
      function sliceIterator(arr, i) {
        var _arr = [];
        var _n = true;
        var _d = false;
        var _e = void 0;
        try {
          for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) {
            _arr.push(_s.value);
            if (i && _arr.length === i) break;
          }
        } catch (err) {
          _d = true;
          _e = err;
        } finally {
          try {
            if (!_n && _i["return"]) _i["return"]();
          } finally {
            if (_d) throw _e;
          }
        }
        return _arr;
      }
      return function(arr, i) {
        if (Array.isArray(arr)) {
          return arr;
        } else if (Symbol.iterator in Object(arr)) {
          return sliceIterator(arr, i);
        } else {
          throw new TypeError("Invalid attempt to destructure non-iterable instance");
        }
      };
    }();
    var _ExportMap = require_ExportMap();
    var _ExportMap2 = _interopRequireDefault(_ExportMap);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    var _arrayIncludes = require_array_includes();
    var _arrayIncludes2 = _interopRequireDefault(_arrayIncludes);
    var _arrayPrototype = require_array_prototype();
    var _arrayPrototype2 = _interopRequireDefault(_arrayPrototype);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    var rootProgram = "root";
    var tsTypePrefix = "type:";
    function isTypescriptFunctionOverloads(nodes) {
      var nodesArr = Array.from(nodes);
      var idents = (0, _arrayPrototype2["default"])(
        nodesArr,
        function(node) {
          return node.declaration && (node.declaration.type === "TSDeclareFunction" || node.declaration.type === "TSEmptyBodyFunctionDeclaration") ? node.declaration.id.name : [];
        }
      );
      if (new Set(idents).size !== idents.length) {
        return true;
      }
      var types = new Set(nodesArr.map(function(node) {
        return node.parent.type;
      }));
      if (!types.has("TSDeclareFunction")) {
        return false;
      }
      if (types.size === 1) {
        return true;
      }
      if (types.size === 2 && types.has("FunctionDeclaration")) {
        return true;
      }
      return false;
    }
    function isTypescriptNamespaceMerging(nodes) {
      var types = new Set(Array.from(nodes, function(node) {
        return node.parent.type;
      }));
      var noNamespaceNodes = Array.from(nodes).filter(function(node) {
        return node.parent.type !== "TSModuleDeclaration";
      });
      return types.has("TSModuleDeclaration") && (types.size === 1 || types.size === 2 && (types.has("FunctionDeclaration") || types.has("TSDeclareFunction")) || types.size === 3 && types.has("FunctionDeclaration") && types.has("TSDeclareFunction") || types.size === 2 && (types.has("ClassDeclaration") || types.has("TSEnumDeclaration")) && noNamespaceNodes.length === 1);
    }
    function shouldSkipTypescriptNamespace(node, nodes) {
      var types = new Set(Array.from(nodes, function(node2) {
        return node2.parent.type;
      }));
      return !isTypescriptNamespaceMerging(nodes) && node.parent.type === "TSModuleDeclaration" && (types.has("TSEnumDeclaration") || types.has("ClassDeclaration") || types.has("FunctionDeclaration") || types.has("TSDeclareFunction"));
    }
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          category: "Helpful warnings",
          description: "Forbid any invalid exports, i.e. re-export of the same name.",
          url: (0, _docsUrl2["default"])("export")
        },
        schema: []
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var namespace = /* @__PURE__ */ new Map([[rootProgram, /* @__PURE__ */ new Map()]]);
          function addNamed(name, node, parent, isType) {
            if (!namespace.has(parent)) {
              namespace.set(parent, /* @__PURE__ */ new Map());
            }
            var named = namespace.get(parent);
            var key = isType ? "" + tsTypePrefix + String(name) : name;
            var nodes = named.get(key);
            if (nodes == null) {
              nodes = /* @__PURE__ */ new Set();
              named.set(key, nodes);
            }
            nodes.add(node);
          }
          function getParent(node) {
            if (node.parent && node.parent.type === "TSModuleBlock") {
              return node.parent.parent;
            }
            return rootProgram;
          }
          return {
            ExportDefaultDeclaration: /* @__PURE__ */ function() {
              function ExportDefaultDeclaration(node) {
                addNamed("default", node, getParent(node));
              }
              return ExportDefaultDeclaration;
            }(),
            ExportSpecifier: /* @__PURE__ */ function() {
              function ExportSpecifier(node) {
                addNamed(
                  node.exported.name || node.exported.value,
                  node.exported,
                  getParent(node.parent)
                );
              }
              return ExportSpecifier;
            }(),
            ExportNamedDeclaration: /* @__PURE__ */ function() {
              function ExportNamedDeclaration(node) {
                if (node.declaration == null) {
                  return;
                }
                var parent = getParent(node);
                var isTypeVariableDecl = node.declaration.kind === "type";
                if (node.declaration.id != null) {
                  if ((0, _arrayIncludes2["default"])(
                    [
                      "TSTypeAliasDeclaration",
                      "TSInterfaceDeclaration"
                    ],
                    node.declaration.type
                  )) {
                    addNamed(node.declaration.id.name, node.declaration.id, parent, true);
                  } else {
                    addNamed(node.declaration.id.name, node.declaration.id, parent, isTypeVariableDecl);
                  }
                }
                if (node.declaration.declarations != null) {
                  var _iteratorNormalCompletion = true;
                  var _didIteratorError = false;
                  var _iteratorError = void 0;
                  try {
                    for (var _iterator = node.declaration.declarations[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
                      var declaration = _step.value;
                      (0, _ExportMap.recursivePatternCapture)(declaration.id, function(v) {
                        addNamed(v.name, v, parent, isTypeVariableDecl);
                      });
                    }
                  } catch (err) {
                    _didIteratorError = true;
                    _iteratorError = err;
                  } finally {
                    try {
                      if (!_iteratorNormalCompletion && _iterator["return"]) {
                        _iterator["return"]();
                      }
                    } finally {
                      if (_didIteratorError) {
                        throw _iteratorError;
                      }
                    }
                  }
                }
              }
              return ExportNamedDeclaration;
            }(),
            ExportAllDeclaration: /* @__PURE__ */ function() {
              function ExportAllDeclaration(node) {
                if (node.source == null) {
                  return;
                }
                if (node.exported && node.exported.name) {
                  return;
                }
                var remoteExports = _ExportMap2["default"].get(node.source.value, context);
                if (remoteExports == null) {
                  return;
                }
                if (remoteExports.errors.length) {
                  remoteExports.reportErrors(context, node);
                  return;
                }
                var parent = getParent(node);
                var any = false;
                remoteExports.forEach(function(v, name) {
                  if (name !== "default") {
                    any = true;
                    addNamed(name, node, parent);
                  }
                });
                if (!any) {
                  context.report(
                    node.source,
                    "No named exports found in module '" + String(
                      node.source.value
                    ) + "'."
                  );
                }
              }
              return ExportAllDeclaration;
            }(),
            "Program:exit": /* @__PURE__ */ function() {
              function ProgramExit() {
                var _iteratorNormalCompletion2 = true;
                var _didIteratorError2 = false;
                var _iteratorError2 = void 0;
                try {
                  for (var _iterator2 = namespace[Symbol.iterator](), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) {
                    var _ref = _step2.value;
                    var _ref2 = _slicedToArray(_ref, 2);
                    var named = _ref2[1];
                    var _iteratorNormalCompletion3 = true;
                    var _didIteratorError3 = false;
                    var _iteratorError3 = void 0;
                    try {
                      for (var _iterator3 = named[Symbol.iterator](), _step3; !(_iteratorNormalCompletion3 = (_step3 = _iterator3.next()).done); _iteratorNormalCompletion3 = true) {
                        var _ref3 = _step3.value;
                        var _ref4 = _slicedToArray(_ref3, 2);
                        var name = _ref4[0];
                        var nodes = _ref4[1];
                        if (nodes.size <= 1) {
                          continue;
                        }
                        if (isTypescriptFunctionOverloads(nodes) || isTypescriptNamespaceMerging(nodes)) {
                          continue;
                        }
                        var _iteratorNormalCompletion4 = true;
                        var _didIteratorError4 = false;
                        var _iteratorError4 = void 0;
                        try {
                          for (var _iterator4 = nodes[Symbol.iterator](), _step4; !(_iteratorNormalCompletion4 = (_step4 = _iterator4.next()).done); _iteratorNormalCompletion4 = true) {
                            var node = _step4.value;
                            if (shouldSkipTypescriptNamespace(node, nodes)) {
                              continue;
                            }
                            if (name === "default") {
                              context.report(node, "Multiple default exports.");
                            } else {
                              context.report(
                                node,
                                "Multiple exports of name '" + String(
                                  name.replace(tsTypePrefix, "")
                                ) + "'."
                              );
                            }
                          }
                        } catch (err) {
                          _didIteratorError4 = true;
                          _iteratorError4 = err;
                        } finally {
                          try {
                            if (!_iteratorNormalCompletion4 && _iterator4["return"]) {
                              _iterator4["return"]();
                            }
                          } finally {
                            if (_didIteratorError4) {
                              throw _iteratorError4;
                            }
                          }
                        }
                      }
                    } catch (err) {
                      _didIteratorError3 = true;
                      _iteratorError3 = err;
                    } finally {
                      try {
                        if (!_iteratorNormalCompletion3 && _iterator3["return"]) {
                          _iterator3["return"]();
                        }
                      } finally {
                        if (_didIteratorError3) {
                          throw _iteratorError3;
                        }
                      }
                    }
                  }
                } catch (err) {
                  _didIteratorError2 = true;
                  _iteratorError2 = err;
                } finally {
                  try {
                    if (!_iteratorNormalCompletion2 && _iterator2["return"]) {
                      _iterator2["return"]();
                    }
                  } finally {
                    if (_didIteratorError2) {
                      throw _iteratorError2;
                    }
                  }
                }
              }
              return ProgramExit;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-mutable-exports.js
var require_no_mutable_exports = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-mutable-exports.js"(exports2, module2) {
    "use strict";
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Helpful warnings",
          description: "Forbid the use of mutable exports with `var` or `let`.",
          url: (0, _docsUrl2["default"])("no-mutable-exports")
        },
        schema: []
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          function checkDeclaration(node) {
            var kind = node.kind;
            if (kind === "var" || kind === "let") {
              context.report(node, "Exporting mutable '" + String(kind) + "' binding, use 'const' instead.");
            }
          }
          function checkDeclarationsInScope(_ref, name) {
            var variables = _ref.variables;
            var _iteratorNormalCompletion = true;
            var _didIteratorError = false;
            var _iteratorError = void 0;
            try {
              for (var _iterator = variables[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
                var variable = _step.value;
                if (variable.name === name) {
                  var _iteratorNormalCompletion2 = true;
                  var _didIteratorError2 = false;
                  var _iteratorError2 = void 0;
                  try {
                    for (var _iterator2 = variable.defs[Symbol.iterator](), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) {
                      var def = _step2.value;
                      if (def.type === "Variable" && def.parent) {
                        checkDeclaration(def.parent);
                      }
                    }
                  } catch (err) {
                    _didIteratorError2 = true;
                    _iteratorError2 = err;
                  } finally {
                    try {
                      if (!_iteratorNormalCompletion2 && _iterator2["return"]) {
                        _iterator2["return"]();
                      }
                    } finally {
                      if (_didIteratorError2) {
                        throw _iteratorError2;
                      }
                    }
                  }
                }
              }
            } catch (err) {
              _didIteratorError = true;
              _iteratorError = err;
            } finally {
              try {
                if (!_iteratorNormalCompletion && _iterator["return"]) {
                  _iterator["return"]();
                }
              } finally {
                if (_didIteratorError) {
                  throw _iteratorError;
                }
              }
            }
          }
          function handleExportDefault(node) {
            var scope = context.getScope();
            if (node.declaration.name) {
              checkDeclarationsInScope(scope, node.declaration.name);
            }
          }
          function handleExportNamed(node) {
            var scope = context.getScope();
            if (node.declaration) {
              checkDeclaration(node.declaration);
            } else if (!node.source) {
              var _iteratorNormalCompletion3 = true;
              var _didIteratorError3 = false;
              var _iteratorError3 = void 0;
              try {
                for (var _iterator3 = node.specifiers[Symbol.iterator](), _step3; !(_iteratorNormalCompletion3 = (_step3 = _iterator3.next()).done); _iteratorNormalCompletion3 = true) {
                  var specifier = _step3.value;
                  checkDeclarationsInScope(scope, specifier.local.name);
                }
              } catch (err) {
                _didIteratorError3 = true;
                _iteratorError3 = err;
              } finally {
                try {
                  if (!_iteratorNormalCompletion3 && _iterator3["return"]) {
                    _iterator3["return"]();
                  }
                } finally {
                  if (_didIteratorError3) {
                    throw _iteratorError3;
                  }
                }
              }
            }
          }
          return {
            ExportDefaultDeclaration: handleExportDefault,
            ExportNamedDeclaration: handleExportNamed
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/is-core-module@2.14.0/node_modules/is-core-module/core.json
var require_core = __commonJS({
  "node_modules/.pnpm/is-core-module@2.14.0/node_modules/is-core-module/core.json"(exports2, module2) {
    module2.exports = {
      assert: true,
      "node:assert": [">= 14.18 && < 15", ">= 16"],
      "assert/strict": ">= 15",
      "node:assert/strict": ">= 16",
      async_hooks: ">= 8",
      "node:async_hooks": [">= 14.18 && < 15", ">= 16"],
      buffer_ieee754: ">= 0.5 && < 0.9.7",
      buffer: true,
      "node:buffer": [">= 14.18 && < 15", ">= 16"],
      child_process: true,
      "node:child_process": [">= 14.18 && < 15", ">= 16"],
      cluster: ">= 0.5",
      "node:cluster": [">= 14.18 && < 15", ">= 16"],
      console: true,
      "node:console": [">= 14.18 && < 15", ">= 16"],
      constants: true,
      "node:constants": [">= 14.18 && < 15", ">= 16"],
      crypto: true,
      "node:crypto": [">= 14.18 && < 15", ">= 16"],
      _debug_agent: ">= 1 && < 8",
      _debugger: "< 8",
      dgram: true,
      "node:dgram": [">= 14.18 && < 15", ">= 16"],
      diagnostics_channel: [">= 14.17 && < 15", ">= 15.1"],
      "node:diagnostics_channel": [">= 14.18 && < 15", ">= 16"],
      dns: true,
      "node:dns": [">= 14.18 && < 15", ">= 16"],
      "dns/promises": ">= 15",
      "node:dns/promises": ">= 16",
      domain: ">= 0.7.12",
      "node:domain": [">= 14.18 && < 15", ">= 16"],
      events: true,
      "node:events": [">= 14.18 && < 15", ">= 16"],
      freelist: "< 6",
      fs: true,
      "node:fs": [">= 14.18 && < 15", ">= 16"],
      "fs/promises": [">= 10 && < 10.1", ">= 14"],
      "node:fs/promises": [">= 14.18 && < 15", ">= 16"],
      _http_agent: ">= 0.11.1",
      "node:_http_agent": [">= 14.18 && < 15", ">= 16"],
      _http_client: ">= 0.11.1",
      "node:_http_client": [">= 14.18 && < 15", ">= 16"],
      _http_common: ">= 0.11.1",
      "node:_http_common": [">= 14.18 && < 15", ">= 16"],
      _http_incoming: ">= 0.11.1",
      "node:_http_incoming": [">= 14.18 && < 15", ">= 16"],
      _http_outgoing: ">= 0.11.1",
      "node:_http_outgoing": [">= 14.18 && < 15", ">= 16"],
      _http_server: ">= 0.11.1",
      "node:_http_server": [">= 14.18 && < 15", ">= 16"],
      http: true,
      "node:http": [">= 14.18 && < 15", ">= 16"],
      http2: ">= 8.8",
      "node:http2": [">= 14.18 && < 15", ">= 16"],
      https: true,
      "node:https": [">= 14.18 && < 15", ">= 16"],
      inspector: ">= 8",
      "node:inspector": [">= 14.18 && < 15", ">= 16"],
      "inspector/promises": [">= 19"],
      "node:inspector/promises": [">= 19"],
      _linklist: "< 8",
      module: true,
      "node:module": [">= 14.18 && < 15", ">= 16"],
      net: true,
      "node:net": [">= 14.18 && < 15", ">= 16"],
      "node-inspect/lib/_inspect": ">= 7.6 && < 12",
      "node-inspect/lib/internal/inspect_client": ">= 7.6 && < 12",
      "node-inspect/lib/internal/inspect_repl": ">= 7.6 && < 12",
      os: true,
      "node:os": [">= 14.18 && < 15", ">= 16"],
      path: true,
      "node:path": [">= 14.18 && < 15", ">= 16"],
      "path/posix": ">= 15.3",
      "node:path/posix": ">= 16",
      "path/win32": ">= 15.3",
      "node:path/win32": ">= 16",
      perf_hooks: ">= 8.5",
      "node:perf_hooks": [">= 14.18 && < 15", ">= 16"],
      process: ">= 1",
      "node:process": [">= 14.18 && < 15", ">= 16"],
      punycode: ">= 0.5",
      "node:punycode": [">= 14.18 && < 15", ">= 16"],
      querystring: true,
      "node:querystring": [">= 14.18 && < 15", ">= 16"],
      readline: true,
      "node:readline": [">= 14.18 && < 15", ">= 16"],
      "readline/promises": ">= 17",
      "node:readline/promises": ">= 17",
      repl: true,
      "node:repl": [">= 14.18 && < 15", ">= 16"],
      smalloc: ">= 0.11.5 && < 3",
      _stream_duplex: ">= 0.9.4",
      "node:_stream_duplex": [">= 14.18 && < 15", ">= 16"],
      _stream_transform: ">= 0.9.4",
      "node:_stream_transform": [">= 14.18 && < 15", ">= 16"],
      _stream_wrap: ">= 1.4.1",
      "node:_stream_wrap": [">= 14.18 && < 15", ">= 16"],
      _stream_passthrough: ">= 0.9.4",
      "node:_stream_passthrough": [">= 14.18 && < 15", ">= 16"],
      _stream_readable: ">= 0.9.4",
      "node:_stream_readable": [">= 14.18 && < 15", ">= 16"],
      _stream_writable: ">= 0.9.4",
      "node:_stream_writable": [">= 14.18 && < 15", ">= 16"],
      stream: true,
      "node:stream": [">= 14.18 && < 15", ">= 16"],
      "stream/consumers": ">= 16.7",
      "node:stream/consumers": ">= 16.7",
      "stream/promises": ">= 15",
      "node:stream/promises": ">= 16",
      "stream/web": ">= 16.5",
      "node:stream/web": ">= 16.5",
      string_decoder: true,
      "node:string_decoder": [">= 14.18 && < 15", ">= 16"],
      sys: [">= 0.4 && < 0.7", ">= 0.8"],
      "node:sys": [">= 14.18 && < 15", ">= 16"],
      "test/reporters": ">= 19.9 && < 20.2",
      "node:test/reporters": [">= 18.17 && < 19", ">= 19.9", ">= 20"],
      "test/mock_loader": ">= 22.3",
      "node:test/mock_loader": ">= 22.3",
      "node:test": [">= 16.17 && < 17", ">= 18"],
      timers: true,
      "node:timers": [">= 14.18 && < 15", ">= 16"],
      "timers/promises": ">= 15",
      "node:timers/promises": ">= 16",
      _tls_common: ">= 0.11.13",
      "node:_tls_common": [">= 14.18 && < 15", ">= 16"],
      _tls_legacy: ">= 0.11.3 && < 10",
      _tls_wrap: ">= 0.11.3",
      "node:_tls_wrap": [">= 14.18 && < 15", ">= 16"],
      tls: true,
      "node:tls": [">= 14.18 && < 15", ">= 16"],
      trace_events: ">= 10",
      "node:trace_events": [">= 14.18 && < 15", ">= 16"],
      tty: true,
      "node:tty": [">= 14.18 && < 15", ">= 16"],
      url: true,
      "node:url": [">= 14.18 && < 15", ">= 16"],
      util: true,
      "node:util": [">= 14.18 && < 15", ">= 16"],
      "util/types": ">= 15.3",
      "node:util/types": ">= 16",
      "v8/tools/arguments": ">= 10 && < 12",
      "v8/tools/codemap": [">= 4.4 && < 5", ">= 5.2 && < 12"],
      "v8/tools/consarray": [">= 4.4 && < 5", ">= 5.2 && < 12"],
      "v8/tools/csvparser": [">= 4.4 && < 5", ">= 5.2 && < 12"],
      "v8/tools/logreader": [">= 4.4 && < 5", ">= 5.2 && < 12"],
      "v8/tools/profile_view": [">= 4.4 && < 5", ">= 5.2 && < 12"],
      "v8/tools/splaytree": [">= 4.4 && < 5", ">= 5.2 && < 12"],
      v8: ">= 1",
      "node:v8": [">= 14.18 && < 15", ">= 16"],
      vm: true,
      "node:vm": [">= 14.18 && < 15", ">= 16"],
      wasi: [">= 13.4 && < 13.5", ">= 18.17 && < 19", ">= 20"],
      "node:wasi": [">= 18.17 && < 19", ">= 20"],
      worker_threads: ">= 11.7",
      "node:worker_threads": [">= 14.18 && < 15", ">= 16"],
      zlib: ">= 0.5",
      "node:zlib": [">= 14.18 && < 15", ">= 16"]
    };
  }
});

// node_modules/.pnpm/is-core-module@2.14.0/node_modules/is-core-module/index.js
var require_is_core_module = __commonJS({
  "node_modules/.pnpm/is-core-module@2.14.0/node_modules/is-core-module/index.js"(exports2, module2) {
    "use strict";
    var hasOwn = require_hasown();
    function specifierIncluded(current, specifier) {
      var nodeParts = current.split(".");
      var parts = specifier.split(" ");
      var op = parts.length > 1 ? parts[0] : "=";
      var versionParts = (parts.length > 1 ? parts[1] : parts[0]).split(".");
      for (var i = 0; i < 3; ++i) {
        var cur = parseInt(nodeParts[i] || 0, 10);
        var ver = parseInt(versionParts[i] || 0, 10);
        if (cur === ver) {
          continue;
        }
        if (op === "<") {
          return cur < ver;
        }
        if (op === ">=") {
          return cur >= ver;
        }
        return false;
      }
      return op === ">=";
    }
    function matchesRange(current, range) {
      var specifiers = range.split(/ ?&& ?/);
      if (specifiers.length === 0) {
        return false;
      }
      for (var i = 0; i < specifiers.length; ++i) {
        if (!specifierIncluded(current, specifiers[i])) {
          return false;
        }
      }
      return true;
    }
    function versionIncluded(nodeVersion, specifierValue) {
      if (typeof specifierValue === "boolean") {
        return specifierValue;
      }
      var current = typeof nodeVersion === "undefined" ? process.versions && process.versions.node : nodeVersion;
      if (typeof current !== "string") {
        throw new TypeError(typeof nodeVersion === "undefined" ? "Unable to determine current node version" : "If provided, a valid node version is required");
      }
      if (specifierValue && typeof specifierValue === "object") {
        for (var i = 0; i < specifierValue.length; ++i) {
          if (matchesRange(current, specifierValue[i])) {
            return true;
          }
        }
        return false;
      }
      return matchesRange(current, specifierValue);
    }
    var data = require_core();
    module2.exports = function isCore(x, nodeVersion) {
      return hasOwn(data, x) && versionIncluded(nodeVersion, data[x]);
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/core/packagePath.js
var require_packagePath = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/core/packagePath.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getContextPackagePath = getContextPackagePath;
    exports2.getFilePackagePath = getFilePackagePath;
    exports2.getFilePackageName = getFilePackageName;
    var _path = require("path");
    var _pkgUp = require("eslint-module-utils/pkgUp");
    var _pkgUp2 = _interopRequireDefault(_pkgUp);
    var _readPkgUp2 = require("eslint-module-utils/readPkgUp");
    var _readPkgUp3 = _interopRequireDefault(_readPkgUp2);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function getContextPackagePath(context) {
      return getFilePackagePath(context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename());
    }
    function getFilePackagePath(filePath) {
      var fp = (0, _pkgUp2["default"])({ cwd: filePath });
      return (0, _path.dirname)(fp);
    }
    function getFilePackageName(filePath) {
      var _readPkgUp = (0, _readPkgUp3["default"])({ cwd: filePath, normalize: false }), pkg = _readPkgUp.pkg, path17 = _readPkgUp.path;
      if (pkg) {
        return pkg.name || getFilePackageName((0, _path.dirname)((0, _path.dirname)(path17)));
      }
      return null;
    }
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/core/importType.js
var require_importType = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/core/importType.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var _slicedToArray = /* @__PURE__ */ function() {
      function sliceIterator(arr, i) {
        var _arr = [];
        var _n = true;
        var _d = false;
        var _e = void 0;
        try {
          for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) {
            _arr.push(_s.value);
            if (i && _arr.length === i) break;
          }
        } catch (err) {
          _d = true;
          _e = err;
        } finally {
          try {
            if (!_n && _i["return"]) _i["return"]();
          } finally {
            if (_d) throw _e;
          }
        }
        return _arr;
      }
      return function(arr, i) {
        if (Array.isArray(arr)) {
          return arr;
        } else if (Symbol.iterator in Object(arr)) {
          return sliceIterator(arr, i);
        } else {
          throw new TypeError("Invalid attempt to destructure non-iterable instance");
        }
      };
    }();
    exports2.isAbsolute = isAbsolute;
    exports2.isBuiltIn = isBuiltIn;
    exports2.isExternalModule = isExternalModule;
    exports2.isExternalModuleMain = isExternalModuleMain;
    exports2.isScoped = isScoped;
    exports2.isScopedMain = isScopedMain;
    exports2["default"] = resolveImportType;
    var _path = require("path");
    var _isCoreModule = require_is_core_module();
    var _isCoreModule2 = _interopRequireDefault(_isCoreModule);
    var _resolve = require("eslint-module-utils/resolve");
    var _resolve2 = _interopRequireDefault(_resolve);
    var _packagePath = require_packagePath();
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function baseModule(name) {
      if (isScoped(name)) {
        var _name$split = name.split("/"), _name$split2 = _slicedToArray(_name$split, 2), scope = _name$split2[0], _pkg = _name$split2[1];
        return String(scope) + "/" + String(_pkg);
      }
      var _name$split3 = name.split("/"), _name$split4 = _slicedToArray(_name$split3, 1), pkg = _name$split4[0];
      return pkg;
    }
    function isInternalRegexMatch(name, settings) {
      var internalScope = settings && settings["import/internal-regex"];
      return internalScope && new RegExp(internalScope).test(name);
    }
    function isAbsolute(name) {
      return typeof name === "string" && (0, _path.isAbsolute)(name);
    }
    function isBuiltIn(name, settings, path17) {
      if (path17 || !name) {
        return false;
      }
      var base = baseModule(name);
      var extras = settings && settings["import/core-modules"] || [];
      return (0, _isCoreModule2["default"])(base) || extras.indexOf(base) > -1;
    }
    function isExternalModule(name, path17, context) {
      if (arguments.length < 3) {
        throw new TypeError("isExternalModule: name, path, and context are all required");
      }
      return (isModule(name) || isScoped(name)) && typeTest(name, context, path17) === "external";
    }
    function isExternalModuleMain(name, path17, context) {
      if (arguments.length < 3) {
        throw new TypeError("isExternalModule: name, path, and context are all required");
      }
      return isModuleMain(name) && typeTest(name, context, path17) === "external";
    }
    var moduleRegExp = /^\w/;
    function isModule(name) {
      return name && moduleRegExp.test(name);
    }
    var moduleMainRegExp = /^[\w]((?!\/).)*$/;
    function isModuleMain(name) {
      return name && moduleMainRegExp.test(name);
    }
    var scopedRegExp = /^@[^/]+\/?[^/]+/;
    function isScoped(name) {
      return name && scopedRegExp.test(name);
    }
    var scopedMainRegExp = /^@[^/]+\/?[^/]+$/;
    function isScopedMain(name) {
      return name && scopedMainRegExp.test(name);
    }
    function isRelativeToParent(name) {
      return /^\.\.$|^\.\.[\\/]/.test(name);
    }
    var indexFiles = [".", "./", "./index", "./index.js"];
    function isIndex2(name) {
      return indexFiles.indexOf(name) !== -1;
    }
    function isRelativeToSibling(name) {
      return /^\.[\\/]/.test(name);
    }
    function isExternalPath(path17, context) {
      if (!path17) {
        return false;
      }
      var settings = context.settings;
      var packagePath = (0, _packagePath.getContextPackagePath)(context);
      if ((0, _path.relative)(packagePath, path17).startsWith("..")) {
        return true;
      }
      var folders = settings && settings["import/external-module-folders"] || ["node_modules"];
      return folders.some(function(folder) {
        var folderPath = (0, _path.resolve)(packagePath, folder);
        var relativePath = (0, _path.relative)(folderPath, path17);
        return !relativePath.startsWith("..");
      });
    }
    function isInternalPath(path17, context) {
      if (!path17) {
        return false;
      }
      var packagePath = (0, _packagePath.getContextPackagePath)(context);
      return !(0, _path.relative)(packagePath, path17).startsWith("../");
    }
    function isExternalLookingName(name) {
      return isModule(name) || isScoped(name);
    }
    function typeTest(name, context, path17) {
      var settings = context.settings;
      if (isInternalRegexMatch(name, settings)) {
        return "internal";
      }
      if (isAbsolute(name, settings, path17)) {
        return "absolute";
      }
      if (isBuiltIn(name, settings, path17)) {
        return "builtin";
      }
      if (isRelativeToParent(name, settings, path17)) {
        return "parent";
      }
      if (isIndex2(name, settings, path17)) {
        return "index";
      }
      if (isRelativeToSibling(name, settings, path17)) {
        return "sibling";
      }
      if (isExternalPath(path17, context)) {
        return "external";
      }
      if (isInternalPath(path17, context)) {
        return "internal";
      }
      if (isExternalLookingName(name)) {
        return "external";
      }
      return "unknown";
    }
    function resolveImportType(name, context) {
      return typeTest(name, context, (0, _resolve2["default"])(name, context));
    }
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/extensions.js
var require_extensions = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/extensions.js"(exports2, module2) {
    "use strict";
    var _path = require("path");
    var _path2 = _interopRequireDefault(_path);
    var _resolve = require("eslint-module-utils/resolve");
    var _resolve2 = _interopRequireDefault(_resolve);
    var _importType = require_importType();
    var _moduleVisitor = require("eslint-module-utils/moduleVisitor");
    var _moduleVisitor2 = _interopRequireDefault(_moduleVisitor);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    var enumValues = { "enum": ["always", "ignorePackages", "never"] };
    var patternProperties = {
      type: "object",
      patternProperties: { ".*": enumValues }
    };
    var properties = {
      type: "object",
      properties: {
        pattern: patternProperties,
        ignorePackages: { type: "boolean" }
      }
    };
    function buildProperties(context) {
      var result = {
        defaultConfig: "never",
        pattern: {},
        ignorePackages: false
      };
      context.options.forEach(function(obj) {
        if (typeof obj === "string") {
          result.defaultConfig = obj;
          return;
        }
        if (obj.pattern === void 0 && obj.ignorePackages === void 0) {
          Object.assign(result.pattern, obj);
          return;
        }
        if (obj.pattern !== void 0) {
          Object.assign(result.pattern, obj.pattern);
        }
        if (obj.ignorePackages !== void 0) {
          result.ignorePackages = obj.ignorePackages;
        }
      });
      if (result.defaultConfig === "ignorePackages") {
        result.defaultConfig = "always";
        result.ignorePackages = true;
      }
      return result;
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Style guide",
          description: "Ensure consistent use of file extension within the import path.",
          url: (0, _docsUrl2["default"])("extensions")
        },
        schema: {
          anyOf: [
            {
              type: "array",
              items: [enumValues],
              additionalItems: false
            },
            {
              type: "array",
              items: [
                enumValues,
                properties
              ],
              additionalItems: false
            },
            {
              type: "array",
              items: [properties],
              additionalItems: false
            },
            {
              type: "array",
              items: [patternProperties],
              additionalItems: false
            },
            {
              type: "array",
              items: [
                enumValues,
                patternProperties
              ],
              additionalItems: false
            }
          ]
        }
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var props = buildProperties(context);
          function getModifier(extension) {
            return props.pattern[extension] || props.defaultConfig;
          }
          function isUseOfExtensionRequired(extension, isPackage) {
            return getModifier(extension) === "always" && (!props.ignorePackages || !isPackage);
          }
          function isUseOfExtensionForbidden(extension) {
            return getModifier(extension) === "never";
          }
          function isResolvableWithoutExtension(file) {
            var extension = _path2["default"].extname(file);
            var fileWithoutExtension = file.slice(0, -extension.length);
            var resolvedFileWithoutExtension = (0, _resolve2["default"])(fileWithoutExtension, context);
            return resolvedFileWithoutExtension === (0, _resolve2["default"])(file, context);
          }
          function isExternalRootModule(file) {
            if (file === "." || file === "..") {
              return false;
            }
            var slashCount = file.split("/").length - 1;
            if (slashCount === 0) {
              return true;
            }
            if ((0, _importType.isScoped)(file) && slashCount <= 1) {
              return true;
            }
            return false;
          }
          function checkFileExtension(source, node) {
            if (!source || !source.value) {
              return;
            }
            var importPathWithQueryString = source.value;
            if ((0, _importType.isBuiltIn)(importPathWithQueryString, context.settings)) {
              return;
            }
            var importPath = importPathWithQueryString.replace(/\?(.*)$/, "");
            if (isExternalRootModule(importPath)) {
              return;
            }
            var resolvedPath = (0, _resolve2["default"])(importPath, context);
            var extension = _path2["default"].extname(resolvedPath || importPath).substring(1);
            var isPackage = (0, _importType.isExternalModule)(
              importPath,
              (0, _resolve2["default"])(importPath, context),
              context
            ) || (0, _importType.isScoped)(importPath);
            if (!extension || !importPath.endsWith("." + String(extension))) {
              if (node.importKind === "type" || node.exportKind === "type") {
                return;
              }
              var extensionRequired = isUseOfExtensionRequired(extension, isPackage);
              var extensionForbidden = isUseOfExtensionForbidden(extension);
              if (extensionRequired && !extensionForbidden) {
                context.report({
                  node: source,
                  message: "Missing file extension " + (extension ? '"' + String(extension) + '" ' : "") + 'for "' + String(importPathWithQueryString) + '"'
                });
              }
            } else if (extension) {
              if (isUseOfExtensionForbidden(extension) && isResolvableWithoutExtension(importPath)) {
                context.report({
                  node: source,
                  message: 'Unexpected use of file extension "' + String(extension) + '" for "' + String(importPathWithQueryString) + '"'
                });
              }
            }
          }
          return (0, _moduleVisitor2["default"])(checkFileExtension, { commonjs: true });
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-restricted-paths.js
var require_no_restricted_paths = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-restricted-paths.js"(exports2, module2) {
    "use strict";
    var _path = require("path");
    var _path2 = _interopRequireDefault(_path);
    var _resolve = require("eslint-module-utils/resolve");
    var _resolve2 = _interopRequireDefault(_resolve);
    var _moduleVisitor = require("eslint-module-utils/moduleVisitor");
    var _moduleVisitor2 = _interopRequireDefault(_moduleVisitor);
    var _isGlob = require_is_glob();
    var _isGlob2 = _interopRequireDefault(_isGlob);
    var _minimatch = require_minimatch();
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    var _importType = require_importType();
    var _importType2 = _interopRequireDefault(_importType);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    var containsPath = function containsPath2(filepath, target) {
      var relative2 = _path2["default"].relative(target, filepath);
      return relative2 === "" || !relative2.startsWith("..");
    };
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          category: "Static analysis",
          description: "Enforce which files can be imported in a given folder.",
          url: (0, _docsUrl2["default"])("no-restricted-paths")
        },
        schema: [
          {
            type: "object",
            properties: {
              zones: {
                type: "array",
                minItems: 1,
                items: {
                  type: "object",
                  properties: {
                    target: {
                      anyOf: [
                        { type: "string" },
                        {
                          type: "array",
                          items: { type: "string" },
                          uniqueItems: true,
                          minLength: 1
                        }
                      ]
                    },
                    from: {
                      anyOf: [
                        { type: "string" },
                        {
                          type: "array",
                          items: { type: "string" },
                          uniqueItems: true,
                          minLength: 1
                        }
                      ]
                    },
                    except: {
                      type: "array",
                      items: {
                        type: "string"
                      },
                      uniqueItems: true
                    },
                    message: { type: "string" }
                  },
                  additionalProperties: false
                }
              },
              basePath: { type: "string" }
            },
            additionalProperties: false
          }
        ]
      },
      create: /* @__PURE__ */ function() {
        function noRestrictedPaths(context) {
          var options = context.options[0] || {};
          var restrictedPaths = options.zones || [];
          var basePath = options.basePath || process.cwd();
          var currentFilename = context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename();
          var matchingZones = restrictedPaths.filter(
            function(zone) {
              return [].concat(zone.target).map(function(target) {
                return _path2["default"].resolve(basePath, target);
              }).some(function(targetPath) {
                return isMatchingTargetPath(currentFilename, targetPath);
              });
            }
          );
          function isMatchingTargetPath(filename, targetPath) {
            if ((0, _isGlob2["default"])(targetPath)) {
              var mm = new _minimatch.Minimatch(targetPath);
              return mm.match(filename);
            }
            return containsPath(filename, targetPath);
          }
          function isValidExceptionPath(absoluteFromPath, absoluteExceptionPath) {
            var relativeExceptionPath = _path2["default"].relative(absoluteFromPath, absoluteExceptionPath);
            return (0, _importType2["default"])(relativeExceptionPath, context) !== "parent";
          }
          function areBothGlobPatternAndAbsolutePath(areGlobPatterns) {
            return areGlobPatterns.some(function(isGlob) {
              return isGlob;
            }) && areGlobPatterns.some(function(isGlob) {
              return !isGlob;
            });
          }
          function reportInvalidExceptionPath(node) {
            context.report({
              node,
              message: "Restricted path exceptions must be descendants of the configured `from` path for that zone."
            });
          }
          function reportInvalidExceptionMixedGlobAndNonGlob(node) {
            context.report({
              node,
              message: "Restricted path `from` must contain either only glob patterns or none"
            });
          }
          function reportInvalidExceptionGlob(node) {
            context.report({
              node,
              message: "Restricted path exceptions must be glob patterns when `from` contains glob patterns"
            });
          }
          function computeMixedGlobAndAbsolutePathValidator() {
            return {
              isPathRestricted: /* @__PURE__ */ function() {
                function isPathRestricted() {
                  return true;
                }
                return isPathRestricted;
              }(),
              hasValidExceptions: false,
              reportInvalidException: reportInvalidExceptionMixedGlobAndNonGlob
            };
          }
          function computeGlobPatternPathValidator(absoluteFrom, zoneExcept) {
            var isPathException = void 0;
            var mm = new _minimatch.Minimatch(absoluteFrom);
            var isPathRestricted = /* @__PURE__ */ function() {
              function isPathRestricted2(absoluteImportPath) {
                return mm.match(absoluteImportPath);
              }
              return isPathRestricted2;
            }();
            var hasValidExceptions = zoneExcept.every(_isGlob2["default"]);
            if (hasValidExceptions) {
              var exceptionsMm = zoneExcept.map(function(except) {
                return new _minimatch.Minimatch(except);
              });
              isPathException = /* @__PURE__ */ function() {
                function isPathException2(absoluteImportPath) {
                  return exceptionsMm.some(function(mm2) {
                    return mm2.match(absoluteImportPath);
                  });
                }
                return isPathException2;
              }();
            }
            var reportInvalidException = reportInvalidExceptionGlob;
            return {
              isPathRestricted,
              hasValidExceptions,
              isPathException,
              reportInvalidException
            };
          }
          function computeAbsolutePathValidator(absoluteFrom, zoneExcept) {
            var isPathException = void 0;
            var isPathRestricted = /* @__PURE__ */ function() {
              function isPathRestricted2(absoluteImportPath) {
                return containsPath(absoluteImportPath, absoluteFrom);
              }
              return isPathRestricted2;
            }();
            var absoluteExceptionPaths = zoneExcept.map(function(exceptionPath) {
              return _path2["default"].resolve(absoluteFrom, exceptionPath);
            });
            var hasValidExceptions = absoluteExceptionPaths.every(function(absoluteExceptionPath) {
              return isValidExceptionPath(absoluteFrom, absoluteExceptionPath);
            });
            if (hasValidExceptions) {
              isPathException = /* @__PURE__ */ function() {
                function isPathException2(absoluteImportPath) {
                  return absoluteExceptionPaths.some(
                    function(absoluteExceptionPath) {
                      return containsPath(absoluteImportPath, absoluteExceptionPath);
                    }
                  );
                }
                return isPathException2;
              }();
            }
            var reportInvalidException = reportInvalidExceptionPath;
            return {
              isPathRestricted,
              hasValidExceptions,
              isPathException,
              reportInvalidException
            };
          }
          function reportInvalidExceptions(validators2, node) {
            validators2.forEach(function(validator) {
              return validator.reportInvalidException(node);
            });
          }
          function reportImportsInRestrictedZone(validators2, node, importPath, customMessage) {
            validators2.forEach(function() {
              context.report({
                node,
                message: 'Unexpected path "{{importPath}}" imported in restricted zone.' + (customMessage ? " " + String(customMessage) : ""),
                data: { importPath }
              });
            });
          }
          var makePathValidators = /* @__PURE__ */ function() {
            function makePathValidators2(zoneFrom) {
              var zoneExcept = arguments.length > 1 && arguments[1] !== void 0 ? arguments[1] : [];
              var allZoneFrom = [].concat(zoneFrom);
              var areGlobPatterns = allZoneFrom.map(_isGlob2["default"]);
              if (areBothGlobPatternAndAbsolutePath(areGlobPatterns)) {
                return [computeMixedGlobAndAbsolutePathValidator()];
              }
              var isGlobPattern = areGlobPatterns.every(function(isGlob) {
                return isGlob;
              });
              return allZoneFrom.map(function(singleZoneFrom) {
                var absoluteFrom = _path2["default"].resolve(basePath, singleZoneFrom);
                if (isGlobPattern) {
                  return computeGlobPatternPathValidator(absoluteFrom, zoneExcept);
                }
                return computeAbsolutePathValidator(absoluteFrom, zoneExcept);
              });
            }
            return makePathValidators2;
          }();
          var validators = [];
          function checkForRestrictedImportPath(importPath, node) {
            var absoluteImportPath = (0, _resolve2["default"])(importPath, context);
            if (!absoluteImportPath) {
              return;
            }
            matchingZones.forEach(function(zone, index) {
              if (!validators[index]) {
                validators[index] = makePathValidators(zone.from, zone.except);
              }
              var applicableValidatorsForImportPath = validators[index].filter(function(validator) {
                return validator.isPathRestricted(absoluteImportPath);
              });
              var validatorsWithInvalidExceptions = applicableValidatorsForImportPath.filter(function(validator) {
                return !validator.hasValidExceptions;
              });
              reportInvalidExceptions(validatorsWithInvalidExceptions, node);
              var applicableValidatorsForImportPathExcludingExceptions = applicableValidatorsForImportPath.filter(function(validator) {
                return validator.hasValidExceptions && !validator.isPathException(absoluteImportPath);
              });
              reportImportsInRestrictedZone(applicableValidatorsForImportPathExcludingExceptions, node, importPath, zone.message);
            });
          }
          return (0, _moduleVisitor2["default"])(function(source) {
            checkForRestrictedImportPath(source.value, source);
          }, { commonjs: true });
        }
        return noRestrictedPaths;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-internal-modules.js
var require_no_internal_modules = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-internal-modules.js"(exports2, module2) {
    "use strict";
    var _minimatch = require_minimatch();
    var _minimatch2 = _interopRequireDefault(_minimatch);
    var _resolve = require("eslint-module-utils/resolve");
    var _resolve2 = _interopRequireDefault(_resolve);
    var _importType = require_importType();
    var _importType2 = _interopRequireDefault(_importType);
    var _moduleVisitor = require("eslint-module-utils/moduleVisitor");
    var _moduleVisitor2 = _interopRequireDefault(_moduleVisitor);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Static analysis",
          description: "Forbid importing the submodules of other modules.",
          url: (0, _docsUrl2["default"])("no-internal-modules")
        },
        schema: [
          {
            anyOf: [
              {
                type: "object",
                properties: {
                  allow: {
                    type: "array",
                    items: {
                      type: "string"
                    }
                  }
                },
                additionalProperties: false
              },
              {
                type: "object",
                properties: {
                  forbid: {
                    type: "array",
                    items: {
                      type: "string"
                    }
                  }
                },
                additionalProperties: false
              }
            ]
          }
        ]
      },
      create: /* @__PURE__ */ function() {
        function noReachingInside(context) {
          var options = context.options[0] || {};
          var allowRegexps = (options.allow || []).map(function(p) {
            return _minimatch2["default"].makeRe(p);
          });
          var forbidRegexps = (options.forbid || []).map(function(p) {
            return _minimatch2["default"].makeRe(p);
          });
          function normalizeSep(somePath) {
            return somePath.split("\\").join("/");
          }
          function toSteps(somePath) {
            return normalizeSep(somePath).split("/").filter(function(step) {
              return step && step !== ".";
            }).reduce(function(acc, step) {
              if (step === "..") {
                return acc.slice(0, -1);
              }
              return acc.concat(step);
            }, []);
          }
          function reachingAllowed(importPath) {
            return allowRegexps.some(function(re) {
              return re.test(importPath);
            });
          }
          function reachingForbidden(importPath) {
            return forbidRegexps.some(function(re) {
              return re.test(importPath);
            });
          }
          function isAllowViolation(importPath) {
            var steps = toSteps(importPath);
            var nonScopeSteps = steps.filter(function(step) {
              return step.indexOf("@") !== 0;
            });
            if (nonScopeSteps.length <= 1) {
              return false;
            }
            var justSteps = steps.join("/");
            if (reachingAllowed(justSteps) || reachingAllowed("/" + String(justSteps))) {
              return false;
            }
            var resolved = (0, _resolve2["default"])(importPath, context);
            if (!resolved || reachingAllowed(normalizeSep(resolved))) {
              return false;
            }
            return true;
          }
          function isForbidViolation(importPath) {
            var steps = toSteps(importPath);
            var justSteps = steps.join("/");
            if (reachingForbidden(justSteps) || reachingForbidden("/" + String(justSteps))) {
              return true;
            }
            var resolved = (0, _resolve2["default"])(importPath, context);
            if (resolved && reachingForbidden(normalizeSep(resolved))) {
              return true;
            }
            return false;
          }
          var isReachViolation = options.forbid ? isForbidViolation : isAllowViolation;
          function checkImportForReaching(importPath, node) {
            var potentialViolationTypes = ["parent", "index", "sibling", "external", "internal"];
            if (potentialViolationTypes.indexOf((0, _importType2["default"])(importPath, context)) !== -1 && isReachViolation(importPath)) {
              context.report({
                node,
                message: 'Reaching to "' + String(importPath) + '" is not allowed.'
              });
            }
          }
          return (0, _moduleVisitor2["default"])(
            function(source) {
              checkImportForReaching(source.value, source);
            },
            { commonjs: true }
          );
        }
        return noReachingInside;
      }()
    };
  }
});

// node_modules/.pnpm/object.values@1.2.0/node_modules/object.values/implementation.js
var require_implementation6 = __commonJS({
  "node_modules/.pnpm/object.values@1.2.0/node_modules/object.values/implementation.js"(exports2, module2) {
    "use strict";
    var RequireObjectCoercible = require_RequireObjectCoercible();
    var callBound = require_callBound();
    var $isEnumerable = callBound("Object.prototype.propertyIsEnumerable");
    var $push = callBound("Array.prototype.push");
    module2.exports = function values(O) {
      var obj = RequireObjectCoercible(O);
      var vals = [];
      for (var key in obj) {
        if ($isEnumerable(obj, key)) {
          $push(vals, obj[key]);
        }
      }
      return vals;
    };
  }
});

// node_modules/.pnpm/object.values@1.2.0/node_modules/object.values/polyfill.js
var require_polyfill4 = __commonJS({
  "node_modules/.pnpm/object.values@1.2.0/node_modules/object.values/polyfill.js"(exports2, module2) {
    "use strict";
    var implementation = require_implementation6();
    module2.exports = function getPolyfill() {
      return typeof Object.values === "function" ? Object.values : implementation;
    };
  }
});

// node_modules/.pnpm/object.values@1.2.0/node_modules/object.values/shim.js
var require_shim4 = __commonJS({
  "node_modules/.pnpm/object.values@1.2.0/node_modules/object.values/shim.js"(exports2, module2) {
    "use strict";
    var getPolyfill = require_polyfill4();
    var define2 = require_define_properties();
    module2.exports = function shimValues() {
      var polyfill = getPolyfill();
      define2(Object, { values: polyfill }, {
        values: function testValues() {
          return Object.values !== polyfill;
        }
      });
      return polyfill;
    };
  }
});

// node_modules/.pnpm/object.values@1.2.0/node_modules/object.values/index.js
var require_object = __commonJS({
  "node_modules/.pnpm/object.values@1.2.0/node_modules/object.values/index.js"(exports2, module2) {
    "use strict";
    var define2 = require_define_properties();
    var callBind = require_call_bind();
    var implementation = require_implementation6();
    var getPolyfill = require_polyfill4();
    var shim = require_shim4();
    var polyfill = callBind(getPolyfill(), Object);
    define2(polyfill, {
      getPolyfill,
      implementation,
      shim
    });
    module2.exports = polyfill;
  }
});

// node_modules/.pnpm/array.prototype.flat@1.3.2/node_modules/array.prototype.flat/implementation.js
var require_implementation7 = __commonJS({
  "node_modules/.pnpm/array.prototype.flat@1.3.2/node_modules/array.prototype.flat/implementation.js"(exports2, module2) {
    "use strict";
    var ArraySpeciesCreate = require_ArraySpeciesCreate();
    var FlattenIntoArray = require_FlattenIntoArray();
    var Get = require_Get();
    var ToIntegerOrInfinity = require_ToIntegerOrInfinity2();
    var ToLength = require_ToLength2();
    var ToObject = require_ToObject2();
    module2.exports = function flat() {
      var O = ToObject(this);
      var sourceLen = ToLength(Get(O, "length"));
      var depthNum = 1;
      if (arguments.length > 0 && typeof arguments[0] !== "undefined") {
        depthNum = ToIntegerOrInfinity(arguments[0]);
      }
      var A = ArraySpeciesCreate(O, 0);
      FlattenIntoArray(A, O, sourceLen, 0, depthNum);
      return A;
    };
  }
});

// node_modules/.pnpm/array.prototype.flat@1.3.2/node_modules/array.prototype.flat/polyfill.js
var require_polyfill5 = __commonJS({
  "node_modules/.pnpm/array.prototype.flat@1.3.2/node_modules/array.prototype.flat/polyfill.js"(exports2, module2) {
    "use strict";
    var implementation = require_implementation7();
    module2.exports = function getPolyfill() {
      return Array.prototype.flat || implementation;
    };
  }
});

// node_modules/.pnpm/array.prototype.flat@1.3.2/node_modules/array.prototype.flat/shim.js
var require_shim5 = __commonJS({
  "node_modules/.pnpm/array.prototype.flat@1.3.2/node_modules/array.prototype.flat/shim.js"(exports2, module2) {
    "use strict";
    var define2 = require_define_properties();
    var shimUnscopables = require_es_shim_unscopables();
    var getPolyfill = require_polyfill5();
    module2.exports = function shimFlat() {
      var polyfill = getPolyfill();
      define2(
        Array.prototype,
        { flat: polyfill },
        { flat: function() {
          return Array.prototype.flat !== polyfill;
        } }
      );
      shimUnscopables("flat");
      return polyfill;
    };
  }
});

// node_modules/.pnpm/array.prototype.flat@1.3.2/node_modules/array.prototype.flat/index.js
var require_array_prototype2 = __commonJS({
  "node_modules/.pnpm/array.prototype.flat@1.3.2/node_modules/array.prototype.flat/index.js"(exports2, module2) {
    "use strict";
    var define2 = require_define_properties();
    var callBind = require_call_bind();
    var implementation = require_implementation7();
    var getPolyfill = require_polyfill5();
    var polyfill = getPolyfill();
    var shim = require_shim5();
    var boundFlat = callBind(polyfill);
    define2(boundFlat, {
      getPolyfill,
      implementation,
      shim
    });
    module2.exports = boundFlat;
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/group-exports.js
var require_group_exports = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/group-exports.js"(exports2, module2) {
    "use strict";
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    var _object = require_object();
    var _object2 = _interopRequireDefault(_object);
    var _arrayPrototype = require_array_prototype2();
    var _arrayPrototype2 = _interopRequireDefault(_arrayPrototype);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    var meta = {
      type: "suggestion",
      docs: {
        category: "Style guide",
        description: "Prefer named exports to be grouped together in a single export declaration",
        url: (0, _docsUrl2["default"])("group-exports")
      }
    };
    var errors = {
      ExportNamedDeclaration: "Multiple named export declarations; consolidate all named exports into a single export declaration",
      AssignmentExpression: "Multiple CommonJS exports; consolidate all exports into a single assignment to `module.exports`"
    };
    function accessorChain(node) {
      var chain = [];
      do {
        chain.unshift(node.property.name);
        if (node.object.type === "Identifier") {
          chain.unshift(node.object.name);
          break;
        }
        node = node.object;
      } while (node.type === "MemberExpression");
      return chain;
    }
    function create119(context) {
      var nodes = {
        modules: {
          set: /* @__PURE__ */ new Set(),
          sources: {}
        },
        types: {
          set: /* @__PURE__ */ new Set(),
          sources: {}
        },
        commonjs: {
          set: /* @__PURE__ */ new Set()
        }
      };
      return {
        ExportNamedDeclaration: /* @__PURE__ */ function() {
          function ExportNamedDeclaration(node) {
            var target = node.exportKind === "type" ? nodes.types : nodes.modules;
            if (!node.source) {
              target.set.add(node);
            } else if (Array.isArray(target.sources[node.source.value])) {
              target.sources[node.source.value].push(node);
            } else {
              target.sources[node.source.value] = [node];
            }
          }
          return ExportNamedDeclaration;
        }(),
        AssignmentExpression: /* @__PURE__ */ function() {
          function AssignmentExpression(node) {
            if (node.left.type !== "MemberExpression") {
              return;
            }
            var chain = accessorChain(node.left);
            if (chain[0] === "module" && chain[1] === "exports" && chain.length <= 3) {
              nodes.commonjs.set.add(node);
              return;
            }
            if (chain[0] === "exports" && chain.length === 2) {
              nodes.commonjs.set.add(node);
              return;
            }
          }
          return AssignmentExpression;
        }(),
        "Program:exit": /* @__PURE__ */ function() {
          function onExit() {
            if (nodes.modules.set.size > 1) {
              nodes.modules.set.forEach(function(node) {
                context.report({
                  node,
                  message: errors[node.type]
                });
              });
            }
            (0, _arrayPrototype2["default"])((0, _object2["default"])(nodes.modules.sources).filter(function(nodesWithSource) {
              return Array.isArray(nodesWithSource) && nodesWithSource.length > 1;
            })).forEach(function(node) {
              context.report({
                node,
                message: errors[node.type]
              });
            });
            if (nodes.types.set.size > 1) {
              nodes.types.set.forEach(function(node) {
                context.report({
                  node,
                  message: errors[node.type]
                });
              });
            }
            (0, _arrayPrototype2["default"])((0, _object2["default"])(nodes.types.sources).filter(function(nodesWithSource) {
              return Array.isArray(nodesWithSource) && nodesWithSource.length > 1;
            })).forEach(function(node) {
              context.report({
                node,
                message: errors[node.type]
              });
            });
            if (nodes.commonjs.set.size > 1) {
              nodes.commonjs.set.forEach(function(node) {
                context.report({
                  node,
                  message: errors[node.type]
                });
              });
            }
          }
          return onExit;
        }()
      };
    }
    module2.exports = {
      meta,
      create: create119
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-relative-packages.js
var require_no_relative_packages = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-relative-packages.js"(exports2, module2) {
    "use strict";
    var _path = require("path");
    var _path2 = _interopRequireDefault(_path);
    var _readPkgUp = require("eslint-module-utils/readPkgUp");
    var _readPkgUp2 = _interopRequireDefault(_readPkgUp);
    var _resolve = require("eslint-module-utils/resolve");
    var _resolve2 = _interopRequireDefault(_resolve);
    var _moduleVisitor = require("eslint-module-utils/moduleVisitor");
    var _moduleVisitor2 = _interopRequireDefault(_moduleVisitor);
    var _importType = require_importType();
    var _importType2 = _interopRequireDefault(_importType);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function toPosixPath(filePath) {
      return filePath.replace(/\\/g, "/");
    }
    function findNamedPackage(filePath) {
      var found = (0, _readPkgUp2["default"])({ cwd: filePath });
      if (found.pkg && !found.pkg.name) {
        return findNamedPackage(_path2["default"].join(found.path, "../.."));
      }
      return found;
    }
    function checkImportForRelativePackage(context, importPath, node) {
      var potentialViolationTypes = ["parent", "index", "sibling"];
      if (potentialViolationTypes.indexOf((0, _importType2["default"])(importPath, context)) === -1) {
        return;
      }
      var resolvedImport = (0, _resolve2["default"])(importPath, context);
      var resolvedContext = context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename();
      if (!resolvedImport || !resolvedContext) {
        return;
      }
      var importPkg = findNamedPackage(resolvedImport);
      var contextPkg = findNamedPackage(resolvedContext);
      if (importPkg.pkg && contextPkg.pkg && importPkg.pkg.name !== contextPkg.pkg.name) {
        var importBaseName = _path2["default"].basename(importPath);
        var importRoot = _path2["default"].dirname(importPkg.path);
        var properPath = _path2["default"].relative(importRoot, resolvedImport);
        var properImport = _path2["default"].join(
          importPkg.pkg.name,
          _path2["default"].dirname(properPath),
          importBaseName === _path2["default"].basename(importRoot) ? "" : importBaseName
        );
        context.report({
          node,
          message: "Relative import from another package is not allowed. Use `" + String(properImport) + "` instead of `" + String(importPath) + "`",
          fix: /* @__PURE__ */ function() {
            function fix11(fixer) {
              return fixer.replaceText(node, JSON.stringify(toPosixPath(properImport)));
            }
            return fix11;
          }()
        });
      }
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Static analysis",
          description: "Forbid importing packages through relative paths.",
          url: (0, _docsUrl2["default"])("no-relative-packages")
        },
        fixable: "code",
        schema: [(0, _moduleVisitor.makeOptionsSchema)()]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          return (0, _moduleVisitor2["default"])(function(source) {
            return checkImportForRelativePackage(context, source.value, source);
          }, context.options[0]);
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-relative-parent-imports.js
var require_no_relative_parent_imports = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-relative-parent-imports.js"(exports2, module2) {
    "use strict";
    var _moduleVisitor = require("eslint-module-utils/moduleVisitor");
    var _moduleVisitor2 = _interopRequireDefault(_moduleVisitor);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    var _path = require("path");
    var _resolve = require("eslint-module-utils/resolve");
    var _resolve2 = _interopRequireDefault(_resolve);
    var _importType = require_importType();
    var _importType2 = _interopRequireDefault(_importType);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Static analysis",
          description: "Forbid importing modules from parent directories.",
          url: (0, _docsUrl2["default"])("no-relative-parent-imports")
        },
        schema: [(0, _moduleVisitor.makeOptionsSchema)()]
      },
      create: /* @__PURE__ */ function() {
        function noRelativePackages(context) {
          var myPath = context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename();
          if (myPath === "") {
            return {};
          }
          function checkSourceValue(sourceNode) {
            var depPath = sourceNode.value;
            if ((0, _importType2["default"])(depPath, context) === "external") {
              return;
            }
            var absDepPath = (0, _resolve2["default"])(depPath, context);
            if (!absDepPath) {
              return;
            }
            var relDepPath = (0, _path.relative)((0, _path.dirname)(myPath), absDepPath);
            if ((0, _importType2["default"])(relDepPath, context) === "parent") {
              context.report({
                node: sourceNode,
                message: "Relative imports from parent directories are not allowed. Please either pass what you're importing through at runtime (dependency injection), move `" + String((0, _path.basename)(myPath)) + "` to same directory as `" + String(depPath) + "` or consider making `" + String(depPath) + "` a package."
              });
            }
          }
          return (0, _moduleVisitor2["default"])(checkSourceValue, context.options[0]);
        }
        return noRelativePackages;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/consistent-type-specifier-style.js
var require_consistent_type_specifier_style = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/consistent-type-specifier-style.js"(exports2, module2) {
    "use strict";
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function isComma(token) {
      return token.type === "Punctuator" && token.value === ",";
    }
    function removeSpecifiers(fixes, fixer, sourceCode, specifiers) {
      var _iteratorNormalCompletion = true;
      var _didIteratorError = false;
      var _iteratorError = void 0;
      try {
        for (var _iterator = specifiers[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
          var specifier = _step.value;
          var token = sourceCode.getTokenAfter(specifier);
          if (token && isComma(token)) {
            fixes.push(fixer.remove(token));
          }
          fixes.push(fixer.remove(specifier));
        }
      } catch (err) {
        _didIteratorError = true;
        _iteratorError = err;
      } finally {
        try {
          if (!_iteratorNormalCompletion && _iterator["return"]) {
            _iterator["return"]();
          }
        } finally {
          if (_didIteratorError) {
            throw _iteratorError;
          }
        }
      }
    }
    function getImportText(node, sourceCode, specifiers, kind) {
      var sourceString = sourceCode.getText(node.source);
      if (specifiers.length === 0) {
        return "";
      }
      var names = specifiers.map(function(s) {
        if (s.imported.name === s.local.name) {
          return s.imported.name;
        }
        return String(s.imported.name) + " as " + String(s.local.name);
      });
      return "import " + String(kind) + " {" + String(names.join(", ")) + "} from " + String(sourceString) + ";";
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Style guide",
          description: "Enforce or ban the use of inline type-only markers for named imports.",
          url: (0, _docsUrl2["default"])("consistent-type-specifier-style")
        },
        fixable: "code",
        schema: [
          {
            type: "string",
            "enum": ["prefer-inline", "prefer-top-level"],
            "default": "prefer-inline"
          }
        ]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var sourceCode = context.getSourceCode();
          if (context.options[0] === "prefer-inline") {
            return {
              ImportDeclaration: /* @__PURE__ */ function() {
                function ImportDeclaration(node) {
                  if (node.importKind === "value" || node.importKind == null) {
                    return;
                  }
                  if (
                    // no specifiers (import type {} from '') have no specifiers to mark as inline
                    node.specifiers.length === 0 || node.specifiers.length === 1 && (node.specifiers[0].type === "ImportDefaultSpecifier" || node.specifiers[0].type === "ImportNamespaceSpecifier")
                  ) {
                    return;
                  }
                  context.report({
                    node,
                    message: "Prefer using inline {{kind}} specifiers instead of a top-level {{kind}}-only import.",
                    data: {
                      kind: node.importKind
                    },
                    fix: /* @__PURE__ */ function() {
                      function fix11(fixer) {
                        var kindToken = sourceCode.getFirstToken(node, { skip: 1 });
                        return [].concat(
                          kindToken ? fixer.remove(kindToken) : [],
                          node.specifiers.map(function(specifier) {
                            return fixer.insertTextBefore(specifier, String(node.importKind) + " ");
                          })
                        );
                      }
                      return fix11;
                    }()
                  });
                }
                return ImportDeclaration;
              }()
            };
          }
          return {
            ImportDeclaration: /* @__PURE__ */ function() {
              function ImportDeclaration(node) {
                if (
                  // already top-level is valid
                  node.importKind === "type" || node.importKind === "typeof" || node.specifiers.length === 0 || node.specifiers.length === 1 && (node.specifiers[0].type === "ImportDefaultSpecifier" || node.specifiers[0].type === "ImportNamespaceSpecifier")
                ) {
                  return;
                }
                var typeSpecifiers = [];
                var typeofSpecifiers = [];
                var valueSpecifiers = [];
                var defaultSpecifier = null;
                var _iteratorNormalCompletion2 = true;
                var _didIteratorError2 = false;
                var _iteratorError2 = void 0;
                try {
                  for (var _iterator2 = node.specifiers[Symbol.iterator](), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) {
                    var specifier = _step2.value;
                    if (specifier.type === "ImportDefaultSpecifier") {
                      defaultSpecifier = specifier;
                      continue;
                    }
                    if (specifier.importKind === "type") {
                      typeSpecifiers.push(specifier);
                    } else if (specifier.importKind === "typeof") {
                      typeofSpecifiers.push(specifier);
                    } else if (specifier.importKind === "value" || specifier.importKind == null) {
                      valueSpecifiers.push(specifier);
                    }
                  }
                } catch (err) {
                  _didIteratorError2 = true;
                  _iteratorError2 = err;
                } finally {
                  try {
                    if (!_iteratorNormalCompletion2 && _iterator2["return"]) {
                      _iterator2["return"]();
                    }
                  } finally {
                    if (_didIteratorError2) {
                      throw _iteratorError2;
                    }
                  }
                }
                var typeImport = getImportText(node, sourceCode, typeSpecifiers, "type");
                var typeofImport = getImportText(node, sourceCode, typeofSpecifiers, "typeof");
                var newImports = (String(typeImport) + "\n" + String(typeofImport)).trim();
                if (typeSpecifiers.length + typeofSpecifiers.length === node.specifiers.length) {
                  var kind = [].concat(
                    typeSpecifiers.length > 0 ? "type" : [],
                    typeofSpecifiers.length > 0 ? "typeof" : []
                  );
                  context.report({
                    node,
                    message: "Prefer using a top-level {{kind}}-only import instead of inline {{kind}} specifiers.",
                    data: {
                      kind: kind.join("/")
                    },
                    fix: /* @__PURE__ */ function() {
                      function fix11(fixer) {
                        return fixer.replaceText(node, newImports);
                      }
                      return fix11;
                    }()
                  });
                } else {
                  var _iteratorNormalCompletion3 = true;
                  var _didIteratorError3 = false;
                  var _iteratorError3 = void 0;
                  try {
                    for (var _iterator3 = typeSpecifiers.concat(typeofSpecifiers)[Symbol.iterator](), _step3; !(_iteratorNormalCompletion3 = (_step3 = _iterator3.next()).done); _iteratorNormalCompletion3 = true) {
                      var _specifier = _step3.value;
                      context.report({
                        node: _specifier,
                        message: "Prefer using a top-level {{kind}}-only import instead of inline {{kind}} specifiers.",
                        data: {
                          kind: _specifier.importKind
                        },
                        fix: /* @__PURE__ */ function() {
                          function fix11(fixer) {
                            var fixes = [];
                            if (valueSpecifiers.length > 0) {
                              removeSpecifiers(fixes, fixer, sourceCode, typeSpecifiers);
                              removeSpecifiers(fixes, fixer, sourceCode, typeofSpecifiers);
                              var maybeComma = sourceCode.getTokenAfter(valueSpecifiers[valueSpecifiers.length - 1]);
                              if (isComma(maybeComma)) {
                                fixes.push(fixer.remove(maybeComma));
                              }
                            } else if (defaultSpecifier) {
                              var comma = sourceCode.getTokenAfter(defaultSpecifier, isComma);
                              var closingBrace = sourceCode.getTokenAfter(
                                node.specifiers[node.specifiers.length - 1],
                                function(token) {
                                  return token.type === "Punctuator" && token.value === "}";
                                }
                              );
                              fixes.push(fixer.removeRange([
                                comma.range[0],
                                closingBrace.range[1]
                              ]));
                            }
                            return fixes.concat(
                              // insert the new imports after the old declaration
                              fixer.insertTextAfter(node, "\n" + String(newImports))
                            );
                          }
                          return fix11;
                        }()
                      });
                    }
                  } catch (err) {
                    _didIteratorError3 = true;
                    _iteratorError3 = err;
                  } finally {
                    try {
                      if (!_iteratorNormalCompletion3 && _iterator3["return"]) {
                        _iterator3["return"]();
                      }
                    } finally {
                      if (_didIteratorError3) {
                        throw _iteratorError3;
                      }
                    }
                  }
                }
              }
              return ImportDeclaration;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-self-import.js
var require_no_self_import = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-self-import.js"(exports2, module2) {
    "use strict";
    var _resolve = require("eslint-module-utils/resolve");
    var _resolve2 = _interopRequireDefault(_resolve);
    var _moduleVisitor = require("eslint-module-utils/moduleVisitor");
    var _moduleVisitor2 = _interopRequireDefault(_moduleVisitor);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function isImportingSelf(context, node, requireName) {
      var filePath = context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename();
      if (filePath !== "" && filePath === (0, _resolve2["default"])(requireName, context)) {
        context.report({
          node,
          message: "Module imports itself."
        });
      }
    }
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          category: "Static analysis",
          description: "Forbid a module from importing itself.",
          recommended: true,
          url: (0, _docsUrl2["default"])("no-self-import")
        },
        schema: []
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          return (0, _moduleVisitor2["default"])(function(source, node) {
            isImportingSelf(context, node, source.value);
          }, { commonjs: true });
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-cycle.js
var require_no_cycle = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-cycle.js"(exports2, module2) {
    "use strict";
    var _slicedToArray = /* @__PURE__ */ function() {
      function sliceIterator(arr, i) {
        var _arr = [];
        var _n = true;
        var _d = false;
        var _e = void 0;
        try {
          for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) {
            _arr.push(_s.value);
            if (i && _arr.length === i) break;
          }
        } catch (err) {
          _d = true;
          _e = err;
        } finally {
          try {
            if (!_n && _i["return"]) _i["return"]();
          } finally {
            if (_d) throw _e;
          }
        }
        return _arr;
      }
      return function(arr, i) {
        if (Array.isArray(arr)) {
          return arr;
        } else if (Symbol.iterator in Object(arr)) {
          return sliceIterator(arr, i);
        } else {
          throw new TypeError("Invalid attempt to destructure non-iterable instance");
        }
      };
    }();
    var _resolve = require("eslint-module-utils/resolve");
    var _resolve2 = _interopRequireDefault(_resolve);
    var _ExportMap = require_ExportMap();
    var _ExportMap2 = _interopRequireDefault(_ExportMap);
    var _importType = require_importType();
    var _moduleVisitor = require("eslint-module-utils/moduleVisitor");
    var _moduleVisitor2 = _interopRequireDefault(_moduleVisitor);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function _toConsumableArray(arr) {
      if (Array.isArray(arr)) {
        for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) {
          arr2[i] = arr[i];
        }
        return arr2;
      } else {
        return Array.from(arr);
      }
    }
    var traversed = /* @__PURE__ */ new Set();
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Static analysis",
          description: "Forbid a module from importing a module with a dependency path back to itself.",
          url: (0, _docsUrl2["default"])("no-cycle")
        },
        schema: [(0, _moduleVisitor.makeOptionsSchema)({
          maxDepth: {
            anyOf: [
              {
                description: "maximum dependency depth to traverse",
                type: "integer",
                minimum: 1
              },
              {
                "enum": ["\u221E"],
                type: "string"
              }
            ]
          },
          ignoreExternal: {
            description: "ignore external modules",
            type: "boolean",
            "default": false
          },
          allowUnsafeDynamicCyclicDependency: {
            description: "Allow cyclic dependency if there is at least one dynamic import in the chain",
            type: "boolean",
            "default": false
          }
        })]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var myPath = context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename();
          if (myPath === "") {
            return {};
          }
          var options = context.options[0] || {};
          var maxDepth = typeof options.maxDepth === "number" ? options.maxDepth : Infinity;
          var ignoreModule = /* @__PURE__ */ function() {
            function ignoreModule2(name) {
              return options.ignoreExternal && (0, _importType.isExternalModule)(
                name,
                (0, _resolve2["default"])(name, context),
                context
              );
            }
            return ignoreModule2;
          }();
          function checkSourceValue(sourceNode, importer) {
            if (ignoreModule(sourceNode.value)) {
              return;
            }
            if (options.allowUnsafeDynamicCyclicDependency && // Ignore `import()`
            (importer.type === "ImportExpression" || importer.type === "CallExpression" && importer.callee.name !== "require")) {
              return;
            }
            if (importer.type === "ImportDeclaration" && // import type { Foo } (TS and Flow)
            (importer.importKind === "type" || importer.specifiers.every(function(_ref) {
              var importKind = _ref.importKind;
              return importKind === "type";
            }))) {
              return;
            }
            var imported = _ExportMap2["default"].get(sourceNode.value, context);
            if (imported == null) {
              return;
            }
            if (imported.path === myPath) {
              return;
            }
            var untraversed = [{ mget: /* @__PURE__ */ function() {
              function mget() {
                return imported;
              }
              return mget;
            }(), route: [] }];
            function detectCycle(_ref2) {
              var mget = _ref2.mget, route = _ref2.route;
              var m = mget();
              if (m == null) {
                return;
              }
              if (traversed.has(m.path)) {
                return;
              }
              traversed.add(m.path);
              var _iteratorNormalCompletion = true;
              var _didIteratorError = false;
              var _iteratorError = void 0;
              try {
                for (var _iterator = m.imports[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
                  var _ref3 = _step.value;
                  var _ref4 = _slicedToArray(_ref3, 2);
                  var path17 = _ref4[0];
                  var _ref4$ = _ref4[1];
                  var getter = _ref4$.getter;
                  var declarations = _ref4$.declarations;
                  if (traversed.has(path17)) {
                    continue;
                  }
                  var toTraverse = [].concat(_toConsumableArray(declarations)).filter(function(_ref5) {
                    var source2 = _ref5.source, isOnlyImportingTypes = _ref5.isOnlyImportingTypes;
                    return !ignoreModule(source2.value) && !isOnlyImportingTypes;
                  });
                  if (options.allowUnsafeDynamicCyclicDependency && toTraverse.some(function(d) {
                    return d.dynamic;
                  })) {
                    return;
                  }
                  if (path17 === myPath && toTraverse.length > 0) {
                    return true;
                  }
                  if (route.length + 1 < maxDepth) {
                    var _iteratorNormalCompletion2 = true;
                    var _didIteratorError2 = false;
                    var _iteratorError2 = void 0;
                    try {
                      for (var _iterator2 = toTraverse[Symbol.iterator](), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) {
                        var _ref6 = _step2.value;
                        var source = _ref6.source;
                        untraversed.push({ mget: getter, route: route.concat(source) });
                      }
                    } catch (err) {
                      _didIteratorError2 = true;
                      _iteratorError2 = err;
                    } finally {
                      try {
                        if (!_iteratorNormalCompletion2 && _iterator2["return"]) {
                          _iterator2["return"]();
                        }
                      } finally {
                        if (_didIteratorError2) {
                          throw _iteratorError2;
                        }
                      }
                    }
                  }
                }
              } catch (err) {
                _didIteratorError = true;
                _iteratorError = err;
              } finally {
                try {
                  if (!_iteratorNormalCompletion && _iterator["return"]) {
                    _iterator["return"]();
                  }
                } finally {
                  if (_didIteratorError) {
                    throw _iteratorError;
                  }
                }
              }
            }
            while (untraversed.length > 0) {
              var next = untraversed.shift();
              if (detectCycle(next)) {
                var message = next.route.length > 0 ? "Dependency cycle via " + String(
                  routeString(next.route)
                ) : "Dependency cycle detected.";
                context.report(importer, message);
                return;
              }
            }
          }
          return Object.assign((0, _moduleVisitor2["default"])(checkSourceValue, context.options[0]), {
            "Program:exit": /* @__PURE__ */ function() {
              function ProgramExit() {
                traversed.clear();
              }
              return ProgramExit;
            }()
          });
        }
        return create119;
      }()
    };
    function routeString(route) {
      return route.map(function(s) {
        return String(s.value) + ":" + String(s.loc.start.line);
      }).join("=>");
    }
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-named-default.js
var require_no_named_default = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-named-default.js"(exports2, module2) {
    "use strict";
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Style guide",
          description: "Forbid named default exports.",
          url: (0, _docsUrl2["default"])("no-named-default")
        },
        schema: []
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          return {
            ImportDeclaration: /* @__PURE__ */ function() {
              function ImportDeclaration(node) {
                node.specifiers.forEach(function(im) {
                  if (im.importKind === "type" || im.importKind === "typeof") {
                    return;
                  }
                  if (im.type === "ImportSpecifier" && (im.imported.name || im.imported.value) === "default") {
                    context.report({
                      node: im.local,
                      message: "Use default import syntax to import '" + String(im.local.name) + "'."
                    });
                  }
                });
              }
              return ImportDeclaration;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-named-as-default.js
var require_no_named_as_default = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-named-as-default.js"(exports2, module2) {
    "use strict";
    var _ExportMap = require_ExportMap();
    var _ExportMap2 = _interopRequireDefault(_ExportMap);
    var _importDeclaration = require_importDeclaration();
    var _importDeclaration2 = _interopRequireDefault(_importDeclaration);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          category: "Helpful warnings",
          description: "Forbid use of exported name as identifier of default export.",
          url: (0, _docsUrl2["default"])("no-named-as-default")
        },
        schema: []
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          function checkDefault(nameKey, defaultSpecifier) {
            if (defaultSpecifier[nameKey].name === "default") {
              return;
            }
            var declaration = (0, _importDeclaration2["default"])(context);
            var imports = _ExportMap2["default"].get(declaration.source.value, context);
            if (imports == null) {
              return;
            }
            if (imports.errors.length) {
              imports.reportErrors(context, declaration);
              return;
            }
            if (imports.has("default") && imports.has(defaultSpecifier[nameKey].name)) {
              context.report(
                defaultSpecifier,
                "Using exported name '" + String(
                  defaultSpecifier[nameKey].name
                ) + "' as identifier for default export."
              );
            }
          }
          return {
            ImportDefaultSpecifier: checkDefault.bind(null, "local"),
            ExportDefaultSpecifier: checkDefault.bind(null, "exported")
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-named-as-default-member.js
var require_no_named_as_default_member = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-named-as-default-member.js"(exports2, module2) {
    "use strict";
    var _ExportMap = require_ExportMap();
    var _ExportMap2 = _interopRequireDefault(_ExportMap);
    var _importDeclaration = require_importDeclaration();
    var _importDeclaration2 = _interopRequireDefault(_importDeclaration);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Helpful warnings",
          description: "Forbid use of exported name as property of default export.",
          url: (0, _docsUrl2["default"])("no-named-as-default-member")
        },
        schema: []
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var fileImports = /* @__PURE__ */ new Map();
          var allPropertyLookups = /* @__PURE__ */ new Map();
          function storePropertyLookup(objectName, propName, node) {
            var lookups = allPropertyLookups.get(objectName) || [];
            lookups.push({ node, propName });
            allPropertyLookups.set(objectName, lookups);
          }
          return {
            ImportDefaultSpecifier: /* @__PURE__ */ function() {
              function ImportDefaultSpecifier(node) {
                var declaration = (0, _importDeclaration2["default"])(context);
                var exportMap = _ExportMap2["default"].get(declaration.source.value, context);
                if (exportMap == null) {
                  return;
                }
                if (exportMap.errors.length) {
                  exportMap.reportErrors(context, declaration);
                  return;
                }
                fileImports.set(node.local.name, {
                  exportMap,
                  sourcePath: declaration.source.value
                });
              }
              return ImportDefaultSpecifier;
            }(),
            MemberExpression: /* @__PURE__ */ function() {
              function MemberExpression(node) {
                var objectName = node.object.name;
                var propName = node.property.name;
                storePropertyLookup(objectName, propName, node);
              }
              return MemberExpression;
            }(),
            VariableDeclarator: /* @__PURE__ */ function() {
              function VariableDeclarator(node) {
                var isDestructure = node.id.type === "ObjectPattern" && node.init != null && node.init.type === "Identifier";
                if (!isDestructure) {
                  return;
                }
                var objectName = node.init.name;
                var _iteratorNormalCompletion = true;
                var _didIteratorError = false;
                var _iteratorError = void 0;
                try {
                  for (var _iterator = node.id.properties[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
                    var _ref = _step.value;
                    var key = _ref.key;
                    if (key == null) {
                      continue;
                    }
                    storePropertyLookup(objectName, key.name, key);
                  }
                } catch (err) {
                  _didIteratorError = true;
                  _iteratorError = err;
                } finally {
                  try {
                    if (!_iteratorNormalCompletion && _iterator["return"]) {
                      _iterator["return"]();
                    }
                  } finally {
                    if (_didIteratorError) {
                      throw _iteratorError;
                    }
                  }
                }
              }
              return VariableDeclarator;
            }(),
            "Program:exit": /* @__PURE__ */ function() {
              function ProgramExit() {
                allPropertyLookups.forEach(function(lookups, objectName) {
                  var fileImport = fileImports.get(objectName);
                  if (fileImport == null) {
                    return;
                  }
                  var _iteratorNormalCompletion2 = true;
                  var _didIteratorError2 = false;
                  var _iteratorError2 = void 0;
                  try {
                    for (var _iterator2 = lookups[Symbol.iterator](), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) {
                      var _ref2 = _step2.value;
                      var propName = _ref2.propName, node = _ref2.node;
                      if (propName === "default") {
                        continue;
                      }
                      if (!fileImport.exportMap.namespace.has(propName)) {
                        continue;
                      }
                      context.report({
                        node,
                        message: "Caution: `" + String(objectName) + "` also has a named export `" + String(propName) + "`. Check if you meant to write `import {" + String(propName) + "} from '" + String(fileImport.sourcePath) + "'` instead."
                      });
                    }
                  } catch (err) {
                    _didIteratorError2 = true;
                    _iteratorError2 = err;
                  } finally {
                    try {
                      if (!_iteratorNormalCompletion2 && _iterator2["return"]) {
                        _iterator2["return"]();
                      }
                    } finally {
                      if (_didIteratorError2) {
                        throw _iteratorError2;
                      }
                    }
                  }
                });
              }
              return ProgramExit;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IsArray.js
var require_IsArray3 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IsArray.js"(exports2, module2) {
    "use strict";
    module2.exports = require_IsArray();
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/Call.js
var require_Call2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/Call.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var callBound = require_callBound();
    var $TypeError = require_type();
    var IsArray = require_IsArray3();
    var $apply = GetIntrinsic("%Reflect.apply%", true) || callBound("Function.prototype.apply");
    module2.exports = function Call(F, V) {
      var argumentsList = arguments.length > 2 ? arguments[2] : [];
      if (!IsArray(argumentsList)) {
        throw new $TypeError("Assertion failed: optional `argumentsList`, if provided, must be a List");
      }
      return $apply(F, V, argumentsList);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IsPropertyKey.js
var require_IsPropertyKey2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IsPropertyKey.js"(exports2, module2) {
    "use strict";
    module2.exports = function IsPropertyKey(argument) {
      return typeof argument === "string" || typeof argument === "symbol";
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/Type.js
var require_Type3 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/Type.js"(exports2, module2) {
    "use strict";
    var ES5Type = require_Type();
    module2.exports = function Type(x) {
      if (typeof x === "symbol") {
        return "Symbol";
      }
      if (typeof x === "bigint") {
        return "BigInt";
      }
      return ES5Type(x);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/Get.js
var require_Get2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/Get.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var inspect = require_object_inspect();
    var IsPropertyKey = require_IsPropertyKey2();
    var Type = require_Type3();
    module2.exports = function Get(O, P) {
      if (Type(O) !== "Object") {
        throw new $TypeError("Assertion failed: Type(O) is not Object");
      }
      if (!IsPropertyKey(P)) {
        throw new $TypeError("Assertion failed: IsPropertyKey(P) is not true, got " + inspect(P));
      }
      return O[P];
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/isLeadingSurrogate.js
var require_isLeadingSurrogate = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/isLeadingSurrogate.js"(exports2, module2) {
    "use strict";
    module2.exports = function isLeadingSurrogate(charCode) {
      return typeof charCode === "number" && charCode >= 55296 && charCode <= 56319;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/isTrailingSurrogate.js
var require_isTrailingSurrogate = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/isTrailingSurrogate.js"(exports2, module2) {
    "use strict";
    module2.exports = function isTrailingSurrogate(charCode) {
      return typeof charCode === "number" && charCode >= 56320 && charCode <= 57343;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/UTF16SurrogatePairToCodePoint.js
var require_UTF16SurrogatePairToCodePoint = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/UTF16SurrogatePairToCodePoint.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $TypeError = require_type();
    var $fromCharCode = GetIntrinsic("%String.fromCharCode%");
    var isLeadingSurrogate = require_isLeadingSurrogate();
    var isTrailingSurrogate = require_isTrailingSurrogate();
    module2.exports = function UTF16SurrogatePairToCodePoint(lead, trail) {
      if (!isLeadingSurrogate(lead) || !isTrailingSurrogate(trail)) {
        throw new $TypeError("Assertion failed: `lead` must be a leading surrogate char code, and `trail` must be a trailing surrogate char code");
      }
      return $fromCharCode(lead) + $fromCharCode(trail);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/CodePointAt.js
var require_CodePointAt = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/CodePointAt.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var callBound = require_callBound();
    var isLeadingSurrogate = require_isLeadingSurrogate();
    var isTrailingSurrogate = require_isTrailingSurrogate();
    var UTF16SurrogatePairToCodePoint = require_UTF16SurrogatePairToCodePoint();
    var $charAt = callBound("String.prototype.charAt");
    var $charCodeAt = callBound("String.prototype.charCodeAt");
    module2.exports = function CodePointAt(string, position) {
      if (typeof string !== "string") {
        throw new $TypeError("Assertion failed: `string` must be a String");
      }
      var size = string.length;
      if (position < 0 || position >= size) {
        throw new $TypeError("Assertion failed: `position` must be >= 0, and < the length of `string`");
      }
      var first = $charCodeAt(string, position);
      var cp = $charAt(string, position);
      var firstIsLeading = isLeadingSurrogate(first);
      var firstIsTrailing = isTrailingSurrogate(first);
      if (!firstIsLeading && !firstIsTrailing) {
        return {
          "[[CodePoint]]": cp,
          "[[CodeUnitCount]]": 1,
          "[[IsUnpairedSurrogate]]": false
        };
      }
      if (firstIsTrailing || position + 1 === size) {
        return {
          "[[CodePoint]]": cp,
          "[[CodeUnitCount]]": 1,
          "[[IsUnpairedSurrogate]]": true
        };
      }
      var second = $charCodeAt(string, position + 1);
      if (!isTrailingSurrogate(second)) {
        return {
          "[[CodePoint]]": cp,
          "[[CodeUnitCount]]": 1,
          "[[IsUnpairedSurrogate]]": true
        };
      }
      return {
        "[[CodePoint]]": UTF16SurrogatePairToCodePoint(first, second),
        "[[CodeUnitCount]]": 2,
        "[[IsUnpairedSurrogate]]": false
      };
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/AdvanceStringIndex.js
var require_AdvanceStringIndex = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/AdvanceStringIndex.js"(exports2, module2) {
    "use strict";
    var CodePointAt = require_CodePointAt();
    var isInteger = require_isInteger();
    var MAX_SAFE_INTEGER3 = require_maxSafeInteger();
    var $TypeError = require_type();
    module2.exports = function AdvanceStringIndex(S, index, unicode) {
      if (typeof S !== "string") {
        throw new $TypeError("Assertion failed: `S` must be a String");
      }
      if (!isInteger(index) || index < 0 || index > MAX_SAFE_INTEGER3) {
        throw new $TypeError("Assertion failed: `length` must be an integer >= 0 and <= 2**53");
      }
      if (typeof unicode !== "boolean") {
        throw new $TypeError("Assertion failed: `unicode` must be a Boolean");
      }
      if (!unicode) {
        return index + 1;
      }
      var length = S.length;
      if (index + 1 >= length) {
        return index + 1;
      }
      var cp = CodePointAt(S, index);
      return index + cp["[[CodeUnitCount]]"];
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/CreateIterResultObject.js
var require_CreateIterResultObject = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/CreateIterResultObject.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    module2.exports = function CreateIterResultObject(value, done) {
      if (typeof done !== "boolean") {
        throw new $TypeError("Assertion failed: Type(done) is not Boolean");
      }
      return {
        value,
        done
      };
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ToBoolean.js
var require_ToBoolean2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ToBoolean.js"(exports2, module2) {
    "use strict";
    module2.exports = function ToBoolean(value) {
      return !!value;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IteratorComplete.js
var require_IteratorComplete = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IteratorComplete.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var Get = require_Get2();
    var ToBoolean = require_ToBoolean2();
    var Type = require_Type3();
    module2.exports = function IteratorComplete(iterResult) {
      if (Type(iterResult) !== "Object") {
        throw new $TypeError("Assertion failed: Type(iterResult) is not Object");
      }
      return ToBoolean(Get(iterResult, "done"));
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IteratorValue.js
var require_IteratorValue = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IteratorValue.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var Get = require_Get2();
    var Type = require_Type3();
    module2.exports = function IteratorValue(iterResult) {
      if (Type(iterResult) !== "Object") {
        throw new $TypeError("Assertion failed: Type(iterResult) is not Object");
      }
      return Get(iterResult, "value");
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/PromiseResolve.js
var require_PromiseResolve = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/PromiseResolve.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var callBind = require_call_bind();
    var $SyntaxError = require_syntax();
    var $resolve = GetIntrinsic("%Promise.resolve%", true);
    var $PromiseResolve = $resolve && callBind($resolve);
    module2.exports = function PromiseResolve(C, x) {
      if (!$PromiseResolve) {
        throw new $SyntaxError("This environment does not support Promises.");
      }
      return $PromiseResolve(C, x);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/AsyncFromSyncIteratorContinuation.js
var require_AsyncFromSyncIteratorContinuation = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/AsyncFromSyncIteratorContinuation.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $SyntaxError = require_syntax();
    var $TypeError = require_type();
    var $Promise = GetIntrinsic("%Promise%", true);
    var callBound = require_callBound();
    var CreateIterResultObject = require_CreateIterResultObject();
    var IteratorComplete = require_IteratorComplete();
    var IteratorValue = require_IteratorValue();
    var PromiseResolve = require_PromiseResolve();
    var Type = require_Type3();
    var $then = callBound("Promise.prototype.then", true);
    module2.exports = function AsyncFromSyncIteratorContinuation(result) {
      if (Type(result) !== "Object") {
        throw new $TypeError("Assertion failed: Type(O) is not Object");
      }
      if (arguments.length > 1) {
        throw new $SyntaxError("although AsyncFromSyncIteratorContinuation should take a second argument, it is not used in this implementation");
      }
      if (!$Promise) {
        throw new $SyntaxError("This environment does not support Promises.");
      }
      return new $Promise(function(resolve2) {
        var done = IteratorComplete(result);
        var value = IteratorValue(result);
        var valueWrapper = PromiseResolve($Promise, value);
        var onFulfilled = function(value2) {
          return CreateIterResultObject(value2, done);
        };
        resolve2($then(valueWrapper, onFulfilled));
      });
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/GetV.js
var require_GetV = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/GetV.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var inspect = require_object_inspect();
    var IsPropertyKey = require_IsPropertyKey2();
    module2.exports = function GetV(V, P) {
      if (!IsPropertyKey(P)) {
        throw new $TypeError("Assertion failed: IsPropertyKey(P) is not true, got " + inspect(P));
      }
      return V[P];
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IsCallable.js
var require_IsCallable2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IsCallable.js"(exports2, module2) {
    "use strict";
    module2.exports = require_is_callable();
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/GetMethod.js
var require_GetMethod = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/GetMethod.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var GetV = require_GetV();
    var IsCallable = require_IsCallable2();
    var IsPropertyKey = require_IsPropertyKey2();
    var inspect = require_object_inspect();
    module2.exports = function GetMethod(O, P) {
      if (!IsPropertyKey(P)) {
        throw new $TypeError("Assertion failed: IsPropertyKey(P) is not true");
      }
      var func = GetV(O, P);
      if (func == null) {
        return void 0;
      }
      if (!IsCallable(func)) {
        throw new $TypeError(inspect(P) + " is not a function: " + inspect(func));
      }
      return func;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/records/iterator-record.js
var require_iterator_record = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/records/iterator-record.js"(exports2, module2) {
    "use strict";
    var hasOwn = require_hasown();
    module2.exports = function isIteratorRecord(value) {
      return !!value && typeof value === "object" && hasOwn(value, "[[Iterator]]") && hasOwn(value, "[[NextMethod]]") && typeof value["[[NextMethod]]"] === "function" && hasOwn(value, "[[Done]]") && typeof value["[[Done]]"] === "boolean";
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IteratorNext.js
var require_IteratorNext = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IteratorNext.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var Call = require_Call2();
    var Type = require_Type3();
    var isIteratorRecord = require_iterator_record();
    module2.exports = function IteratorNext(iteratorRecord) {
      if (!isIteratorRecord(iteratorRecord)) {
        throw new $TypeError("Assertion failed: `iteratorRecord` must be an Iterator Record");
      }
      var result;
      if (arguments.length < 2) {
        result = Call(iteratorRecord["[[NextMethod]]"], iteratorRecord["[[Iterator]]"]);
      } else {
        result = Call(iteratorRecord["[[NextMethod]]"], iteratorRecord["[[Iterator]]"], [arguments[1]]);
      }
      if (Type(result) !== "Object") {
        throw new $TypeError("iterator next must return an object");
      }
      return result;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/forEach.js
var require_forEach = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/forEach.js"(exports2, module2) {
    "use strict";
    module2.exports = function forEach(array, callback) {
      for (var i = 0; i < array.length; i += 1) {
        callback(array[i], i, array);
      }
    };
  }
});

// node_modules/.pnpm/side-channel@1.0.6/node_modules/side-channel/index.js
var require_side_channel = __commonJS({
  "node_modules/.pnpm/side-channel@1.0.6/node_modules/side-channel/index.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var callBound = require_callBound();
    var inspect = require_object_inspect();
    var $TypeError = require_type();
    var $WeakMap = GetIntrinsic("%WeakMap%", true);
    var $Map = GetIntrinsic("%Map%", true);
    var $weakMapGet = callBound("WeakMap.prototype.get", true);
    var $weakMapSet = callBound("WeakMap.prototype.set", true);
    var $weakMapHas = callBound("WeakMap.prototype.has", true);
    var $mapGet = callBound("Map.prototype.get", true);
    var $mapSet = callBound("Map.prototype.set", true);
    var $mapHas = callBound("Map.prototype.has", true);
    var listGetNode = function(list, key) {
      var prev = list;
      var curr;
      for (; (curr = prev.next) !== null; prev = curr) {
        if (curr.key === key) {
          prev.next = curr.next;
          curr.next = /** @type {NonNullable} */
          list.next;
          list.next = curr;
          return curr;
        }
      }
    };
    var listGet = function(objects, key) {
      var node = listGetNode(objects, key);
      return node && node.value;
    };
    var listSet = function(objects, key, value) {
      var node = listGetNode(objects, key);
      if (node) {
        node.value = value;
      } else {
        objects.next = /** @type {import('.').ListNode} */
        {
          // eslint-disable-line no-param-reassign, no-extra-parens
          key,
          next: objects.next,
          value
        };
      }
    };
    var listHas = function(objects, key) {
      return !!listGetNode(objects, key);
    };
    module2.exports = function getSideChannel() {
      var $wm;
      var $m;
      var $o;
      var channel = {
        assert: function(key) {
          if (!channel.has(key)) {
            throw new $TypeError("Side channel does not contain " + inspect(key));
          }
        },
        get: function(key) {
          if ($WeakMap && key && (typeof key === "object" || typeof key === "function")) {
            if ($wm) {
              return $weakMapGet($wm, key);
            }
          } else if ($Map) {
            if ($m) {
              return $mapGet($m, key);
            }
          } else {
            if ($o) {
              return listGet($o, key);
            }
          }
        },
        has: function(key) {
          if ($WeakMap && key && (typeof key === "object" || typeof key === "function")) {
            if ($wm) {
              return $weakMapHas($wm, key);
            }
          } else if ($Map) {
            if ($m) {
              return $mapHas($m, key);
            }
          } else {
            if ($o) {
              return listHas($o, key);
            }
          }
          return false;
        },
        set: function(key, value) {
          if ($WeakMap && key && (typeof key === "object" || typeof key === "function")) {
            if (!$wm) {
              $wm = new $WeakMap();
            }
            $weakMapSet($wm, key, value);
          } else if ($Map) {
            if (!$m) {
              $m = new $Map();
            }
            $mapSet($m, key, value);
          } else {
            if (!$o) {
              $o = { key: {}, next: null };
            }
            listSet($o, key, value);
          }
        }
      };
      return channel;
    };
  }
});

// node_modules/.pnpm/internal-slot@1.0.7/node_modules/internal-slot/index.js
var require_internal_slot = __commonJS({
  "node_modules/.pnpm/internal-slot@1.0.7/node_modules/internal-slot/index.js"(exports2, module2) {
    "use strict";
    var hasOwn = require_hasown();
    var channel = require_side_channel()();
    var $TypeError = require_type();
    var SLOT = {
      assert: function(O, slot) {
        if (!O || typeof O !== "object" && typeof O !== "function") {
          throw new $TypeError("`O` is not an object");
        }
        if (typeof slot !== "string") {
          throw new $TypeError("`slot` must be a string");
        }
        channel.assert(O);
        if (!SLOT.has(O, slot)) {
          throw new $TypeError("`" + slot + "` is not present on `O`");
        }
      },
      get: function(O, slot) {
        if (!O || typeof O !== "object" && typeof O !== "function") {
          throw new $TypeError("`O` is not an object");
        }
        if (typeof slot !== "string") {
          throw new $TypeError("`slot` must be a string");
        }
        var slots = channel.get(O);
        return slots && slots["$" + slot];
      },
      has: function(O, slot) {
        if (!O || typeof O !== "object" && typeof O !== "function") {
          throw new $TypeError("`O` is not an object");
        }
        if (typeof slot !== "string") {
          throw new $TypeError("`slot` must be a string");
        }
        var slots = channel.get(O);
        return !!slots && hasOwn(slots, "$" + slot);
      },
      set: function(O, slot, V) {
        if (!O || typeof O !== "object" && typeof O !== "function") {
          throw new $TypeError("`O` is not an object");
        }
        if (typeof slot !== "string") {
          throw new $TypeError("`slot` must be a string");
        }
        var slots = channel.get(O);
        if (!slots) {
          slots = {};
          channel.set(O, slots);
        }
        slots["$" + slot] = V;
      }
    };
    if (Object.freeze) {
      Object.freeze(SLOT);
    }
    module2.exports = SLOT;
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/OrdinaryObjectCreate.js
var require_OrdinaryObjectCreate = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/OrdinaryObjectCreate.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $ObjectCreate = GetIntrinsic("%Object.create%", true);
    var $TypeError = require_type();
    var $SyntaxError = require_syntax();
    var IsArray = require_IsArray3();
    var Type = require_Type3();
    var forEach = require_forEach();
    var SLOT = require_internal_slot();
    var hasProto = require_has_proto()();
    module2.exports = function OrdinaryObjectCreate(proto) {
      if (proto !== null && Type(proto) !== "Object") {
        throw new $TypeError("Assertion failed: `proto` must be null or an object");
      }
      var additionalInternalSlotsList = arguments.length < 2 ? [] : arguments[1];
      if (!IsArray(additionalInternalSlotsList)) {
        throw new $TypeError("Assertion failed: `additionalInternalSlotsList` must be an Array");
      }
      var O;
      if ($ObjectCreate) {
        O = $ObjectCreate(proto);
      } else if (hasProto) {
        O = { __proto__: proto };
      } else {
        if (proto === null) {
          throw new $SyntaxError("native Object.create support is required to create null objects");
        }
        var T = function T2() {
        };
        T.prototype = proto;
        O = new T();
      }
      if (additionalInternalSlotsList.length > 0) {
        forEach(additionalInternalSlotsList, function(slot) {
          SLOT.set(O, slot, void 0);
        });
      }
      return O;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/CreateAsyncFromSyncIterator.js
var require_CreateAsyncFromSyncIterator = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/CreateAsyncFromSyncIterator.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $SyntaxError = require_syntax();
    var $TypeError = require_type();
    var $Promise = GetIntrinsic("%Promise%", true);
    var AsyncFromSyncIteratorContinuation = require_AsyncFromSyncIteratorContinuation();
    var Call = require_Call2();
    var CreateIterResultObject = require_CreateIterResultObject();
    var Get = require_Get2();
    var GetMethod = require_GetMethod();
    var IteratorNext = require_IteratorNext();
    var OrdinaryObjectCreate = require_OrdinaryObjectCreate();
    var Type = require_Type3();
    var SLOT = require_internal_slot();
    var isIteratorRecord = require_iterator_record();
    var $AsyncFromSyncIteratorPrototype = GetIntrinsic("%AsyncFromSyncIteratorPrototype%", true) || {
      next: function next(value) {
        if (!$Promise) {
          throw new $SyntaxError("This environment does not support Promises.");
        }
        var O = this;
        SLOT.assert(O, "[[SyncIteratorRecord]]");
        var argsLength = arguments.length;
        return new $Promise(function(resolve2) {
          var syncIteratorRecord = SLOT.get(O, "[[SyncIteratorRecord]]");
          var result;
          if (argsLength > 0) {
            result = IteratorNext(syncIteratorRecord, value);
          } else {
            result = IteratorNext(syncIteratorRecord);
          }
          resolve2(AsyncFromSyncIteratorContinuation(result));
        });
      },
      "return": function() {
        if (!$Promise) {
          throw new $SyntaxError("This environment does not support Promises.");
        }
        var O = this;
        SLOT.assert(O, "[[SyncIteratorRecord]]");
        var valueIsPresent = arguments.length > 0;
        var value = valueIsPresent ? arguments[0] : void 0;
        return new $Promise(function(resolve2, reject) {
          var syncIterator = SLOT.get(O, "[[SyncIteratorRecord]]")["[[Iterator]]"];
          var iteratorReturn = GetMethod(syncIterator, "return");
          if (typeof iteratorReturn === "undefined") {
            var iterResult = CreateIterResultObject(value, true);
            Call(resolve2, void 0, [iterResult]);
            return;
          }
          var result;
          if (valueIsPresent) {
            result = Call(iteratorReturn, syncIterator, [value]);
          } else {
            result = Call(iteratorReturn, syncIterator);
          }
          if (Type(result) !== "Object") {
            Call(reject, void 0, [new $TypeError("Iterator `return` method returned a non-object value.")]);
            return;
          }
          resolve2(AsyncFromSyncIteratorContinuation(result));
        });
      },
      "throw": function() {
        if (!$Promise) {
          throw new $SyntaxError("This environment does not support Promises.");
        }
        var O = this;
        SLOT.assert(O, "[[SyncIteratorRecord]]");
        var valueIsPresent = arguments.length > 0;
        var value = valueIsPresent ? arguments[0] : void 0;
        return new $Promise(function(resolve2, reject) {
          var syncIterator = SLOT.get(O, "[[SyncIteratorRecord]]")["[[Iterator]]"];
          var throwMethod = GetMethod(syncIterator, "throw");
          if (typeof throwMethod === "undefined") {
            Call(reject, void 0, [value]);
            return;
          }
          var result;
          if (valueIsPresent) {
            result = Call(throwMethod, syncIterator, [value]);
          } else {
            result = Call(throwMethod, syncIterator);
          }
          if (Type(result) !== "Object") {
            Call(reject, void 0, [new $TypeError("Iterator `throw` method returned a non-object value.")]);
            return;
          }
          resolve2(AsyncFromSyncIteratorContinuation(
            result
            /* , promiseCapability */
          ));
        });
      }
    };
    module2.exports = function CreateAsyncFromSyncIterator(syncIteratorRecord) {
      if (!isIteratorRecord(syncIteratorRecord)) {
        throw new $TypeError("Assertion failed: `syncIteratorRecord` must be an Iterator Record");
      }
      var asyncIterator = OrdinaryObjectCreate($AsyncFromSyncIteratorPrototype);
      SLOT.set(asyncIterator, "[[SyncIteratorRecord]]", syncIteratorRecord);
      var nextMethod = Get(asyncIterator, "next");
      return {
        // steps 3-4
        "[[Iterator]]": asyncIterator,
        "[[NextMethod]]": nextMethod,
        "[[Done]]": false
      };
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/GetIteratorFromMethod.js
var require_GetIteratorFromMethod = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/GetIteratorFromMethod.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var Call = require_Call2();
    var Get = require_Get2();
    var IsCallable = require_IsCallable2();
    var Type = require_Type3();
    module2.exports = function GetIteratorFromMethod(obj, method) {
      if (!IsCallable(method)) {
        throw new $TypeError("method must be a function");
      }
      var iterator = Call(method, obj);
      if (Type(iterator) !== "Object") {
        throw new $TypeError("iterator must return an object");
      }
      var nextMethod = Get(iterator, "next");
      return {
        // steps 4-5
        "[[Iterator]]": iterator,
        "[[NextMethod]]": nextMethod,
        "[[Done]]": false
      };
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/getIteratorMethod.js
var require_getIteratorMethod = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/getIteratorMethod.js"(exports2, module2) {
    "use strict";
    var hasSymbols = require_has_symbols()();
    var GetIntrinsic = require_get_intrinsic();
    var callBound = require_callBound();
    var isString2 = require_is_string();
    var $iterator = GetIntrinsic("%Symbol.iterator%", true);
    var $stringSlice = callBound("String.prototype.slice");
    var $String = GetIntrinsic("%String%");
    module2.exports = function getIteratorMethod(ES, iterable) {
      var usingIterator;
      if (hasSymbols) {
        usingIterator = ES.GetMethod(iterable, $iterator);
      } else if (ES.IsArray(iterable)) {
        usingIterator = function() {
          var i = -1;
          var arr = this;
          return {
            next: function() {
              i += 1;
              return {
                done: i >= arr.length,
                value: arr[i]
              };
            }
          };
        };
      } else if (isString2(iterable)) {
        usingIterator = function() {
          var i = 0;
          return {
            next: function() {
              var nextIndex = ES.AdvanceStringIndex($String(iterable), i, true);
              var value = $stringSlice(iterable, i, nextIndex);
              i = nextIndex;
              return {
                done: nextIndex > iterable.length,
                value
              };
            }
          };
        };
      }
      return usingIterator;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/GetIterator.js
var require_GetIterator = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/GetIterator.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $TypeError = require_type();
    var $asyncIterator = GetIntrinsic("%Symbol.asyncIterator%", true);
    var inspect = require_object_inspect();
    var hasSymbols = require_has_symbols()();
    var AdvanceStringIndex = require_AdvanceStringIndex();
    var CreateAsyncFromSyncIterator = require_CreateAsyncFromSyncIterator();
    var GetIteratorFromMethod = require_GetIteratorFromMethod();
    var GetMethod = require_GetMethod();
    var IsArray = require_IsArray3();
    var getIteratorMethod = require_getIteratorMethod();
    module2.exports = function GetIterator(obj, kind) {
      if (kind !== "SYNC" && kind !== "ASYNC") {
        throw new $TypeError("Assertion failed: `kind` must be one of 'sync' or 'async', got " + inspect(kind));
      }
      var method;
      if (kind === "ASYNC") {
        if (hasSymbols && $asyncIterator) {
          method = GetMethod(obj, $asyncIterator);
        }
      }
      if (typeof method === "undefined") {
        var syncMethod = getIteratorMethod(
          {
            AdvanceStringIndex,
            GetMethod,
            IsArray
          },
          obj
        );
        if (kind === "ASYNC") {
          if (typeof syncMethod === "undefined") {
            throw new $TypeError("iterator method is `undefined`");
          }
          var syncIteratorRecord = GetIteratorFromMethod(obj, syncMethod);
          return CreateAsyncFromSyncIterator(syncIteratorRecord);
        }
        method = syncMethod;
      }
      if (typeof method === "undefined") {
        throw new $TypeError("iterator method is `undefined`");
      }
      return GetIteratorFromMethod(obj, method);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/CompletionRecord.js
var require_CompletionRecord = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/CompletionRecord.js"(exports2, module2) {
    "use strict";
    var $SyntaxError = require_syntax();
    var SLOT = require_internal_slot();
    var CompletionRecord = function CompletionRecord2(type, value) {
      if (!(this instanceof CompletionRecord2)) {
        return new CompletionRecord2(type, value);
      }
      if (type !== "normal" && type !== "break" && type !== "continue" && type !== "return" && type !== "throw") {
        throw new $SyntaxError('Assertion failed: `type` must be one of "normal", "break", "continue", "return", or "throw"');
      }
      SLOT.set(this, "[[Type]]", type);
      SLOT.set(this, "[[Value]]", value);
    };
    CompletionRecord.prototype.type = function Type() {
      return SLOT.get(this, "[[Type]]");
    };
    CompletionRecord.prototype.value = function Value() {
      return SLOT.get(this, "[[Value]]");
    };
    CompletionRecord.prototype["?"] = function ReturnIfAbrupt() {
      var type = SLOT.get(this, "[[Type]]");
      var value = SLOT.get(this, "[[Value]]");
      if (type === "normal") {
        return value;
      }
      if (type === "throw") {
        throw value;
      }
      throw new $SyntaxError('Completion Record is not of type "normal" or "throw": other types not supported');
    };
    CompletionRecord.prototype["!"] = function assert3() {
      var type = SLOT.get(this, "[[Type]]");
      if (type !== "normal") {
        throw new $SyntaxError('Assertion failed: Completion Record is not of type "normal"');
      }
      return SLOT.get(this, "[[Value]]");
    };
    module2.exports = CompletionRecord;
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IteratorClose.js
var require_IteratorClose = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IteratorClose.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var Call = require_Call2();
    var CompletionRecord = require_CompletionRecord();
    var GetMethod = require_GetMethod();
    var IsCallable = require_IsCallable2();
    var Type = require_Type3();
    var isIteratorRecord = require_iterator_record();
    module2.exports = function IteratorClose(iteratorRecord, completion) {
      if (!isIteratorRecord(iteratorRecord)) {
        throw new $TypeError("Assertion failed: `iteratorRecord` must be an Iterator Record");
      }
      if (Type(iteratorRecord["[[Iterator]]"]) !== "Object") {
        throw new $TypeError("Assertion failed: iteratorRecord.[[Iterator]] must be an Object");
      }
      if (!IsCallable(completion) && !(completion instanceof CompletionRecord)) {
        throw new $TypeError("Assertion failed: completion is not a thunk representing a Completion Record, nor a Completion Record instance");
      }
      var completionThunk = completion instanceof CompletionRecord ? function() {
        return completion["?"]();
      } : completion;
      var iterator = iteratorRecord["[[Iterator]]"];
      var iteratorReturn;
      try {
        iteratorReturn = GetMethod(iterator, "return");
      } catch (e) {
        completionThunk();
        completionThunk = null;
        throw e;
      }
      if (typeof iteratorReturn === "undefined") {
        return completionThunk();
      }
      var innerResult;
      try {
        innerResult = Call(iteratorReturn, iterator, []);
      } catch (e) {
        completionThunk();
        completionThunk = null;
        throw e;
      }
      var completionRecord = completionThunk();
      completionThunk = null;
      if (Type(innerResult) !== "Object") {
        throw new $TypeError("iterator .return must return an object");
      }
      return completionRecord;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IteratorStep.js
var require_IteratorStep = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IteratorStep.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var IteratorComplete = require_IteratorComplete();
    var IteratorNext = require_IteratorNext();
    var isIteratorRecord = require_iterator_record();
    module2.exports = function IteratorStep(iteratorRecord) {
      if (!isIteratorRecord(iteratorRecord)) {
        throw new $TypeError("Assertion failed: `iteratorRecord` must be an Iterator Record");
      }
      var result = IteratorNext(iteratorRecord);
      var done = IteratorComplete(result);
      return done === true ? false : result;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ThrowCompletion.js
var require_ThrowCompletion = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ThrowCompletion.js"(exports2, module2) {
    "use strict";
    var CompletionRecord = require_CompletionRecord();
    module2.exports = function ThrowCompletion(argument) {
      return new CompletionRecord("throw", argument);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/AddEntriesFromIterable.js
var require_AddEntriesFromIterable = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/AddEntriesFromIterable.js"(exports2, module2) {
    "use strict";
    var inspect = require_object_inspect();
    var $TypeError = require_type();
    var Call = require_Call2();
    var Get = require_Get2();
    var GetIterator = require_GetIterator();
    var IsCallable = require_IsCallable2();
    var IteratorClose = require_IteratorClose();
    var IteratorStep = require_IteratorStep();
    var IteratorValue = require_IteratorValue();
    var ThrowCompletion = require_ThrowCompletion();
    var Type = require_Type3();
    module2.exports = function AddEntriesFromIterable(target, iterable, adder) {
      if (!IsCallable(adder)) {
        throw new $TypeError("Assertion failed: `adder` is not callable");
      }
      if (iterable == null) {
        throw new $TypeError("Assertion failed: `iterable` is present, and not nullish");
      }
      var iteratorRecord = GetIterator(iterable, "SYNC");
      while (true) {
        var next = IteratorStep(iteratorRecord);
        if (!next) {
          return target;
        }
        var nextItem = IteratorValue(next);
        if (Type(nextItem) !== "Object") {
          var error = ThrowCompletion(new $TypeError("iterator next must return an Object, got " + inspect(nextItem)));
          return IteratorClose(iteratorRecord, error);
        }
        try {
          var k = Get(nextItem, "0");
          var v = Get(nextItem, "1");
          Call(adder, target, [k, v]);
        } catch (e) {
          return IteratorClose(iteratorRecord, ThrowCompletion(e));
        }
      }
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IsAccessorDescriptor.js
var require_IsAccessorDescriptor2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IsAccessorDescriptor.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var hasOwn = require_hasown();
    var isPropertyDescriptor = require_property_descriptor();
    module2.exports = function IsAccessorDescriptor(Desc) {
      if (typeof Desc === "undefined") {
        return false;
      }
      if (!isPropertyDescriptor(Desc)) {
        throw new $TypeError("Assertion failed: `Desc` must be a Property Descriptor");
      }
      if (!hasOwn(Desc, "[[Get]]") && !hasOwn(Desc, "[[Set]]")) {
        return false;
      }
      return true;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IsExtensible.js
var require_IsExtensible2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IsExtensible.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $preventExtensions = GetIntrinsic("%Object.preventExtensions%", true);
    var $isExtensible = GetIntrinsic("%Object.isExtensible%", true);
    var isPrimitive = require_isPrimitive();
    module2.exports = $preventExtensions ? function IsExtensible(obj) {
      return !isPrimitive(obj) && $isExtensible(obj);
    } : function IsExtensible(obj) {
      return !isPrimitive(obj);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ToPropertyDescriptor.js
var require_ToPropertyDescriptor2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ToPropertyDescriptor.js"(exports2, module2) {
    "use strict";
    var hasOwn = require_hasown();
    var $TypeError = require_type();
    var Type = require_Type3();
    var ToBoolean = require_ToBoolean2();
    var IsCallable = require_IsCallable2();
    module2.exports = function ToPropertyDescriptor(Obj) {
      if (Type(Obj) !== "Object") {
        throw new $TypeError("ToPropertyDescriptor requires an object");
      }
      var desc = {};
      if (hasOwn(Obj, "enumerable")) {
        desc["[[Enumerable]]"] = ToBoolean(Obj.enumerable);
      }
      if (hasOwn(Obj, "configurable")) {
        desc["[[Configurable]]"] = ToBoolean(Obj.configurable);
      }
      if (hasOwn(Obj, "value")) {
        desc["[[Value]]"] = Obj.value;
      }
      if (hasOwn(Obj, "writable")) {
        desc["[[Writable]]"] = ToBoolean(Obj.writable);
      }
      if (hasOwn(Obj, "get")) {
        var getter = Obj.get;
        if (typeof getter !== "undefined" && !IsCallable(getter)) {
          throw new $TypeError("getter must be a function");
        }
        desc["[[Get]]"] = getter;
      }
      if (hasOwn(Obj, "set")) {
        var setter = Obj.set;
        if (typeof setter !== "undefined" && !IsCallable(setter)) {
          throw new $TypeError("setter must be a function");
        }
        desc["[[Set]]"] = setter;
      }
      if ((hasOwn(desc, "[[Get]]") || hasOwn(desc, "[[Set]]")) && (hasOwn(desc, "[[Value]]") || hasOwn(desc, "[[Writable]]"))) {
        throw new $TypeError("Invalid property descriptor. Cannot both specify accessors and a value or writable attribute");
      }
      return desc;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/SameValue.js
var require_SameValue2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/SameValue.js"(exports2, module2) {
    "use strict";
    var $isNaN = require_isNaN();
    module2.exports = function SameValue(x, y) {
      if (x === y) {
        if (x === 0) {
          return 1 / x === 1 / y;
        }
        return true;
      }
      return $isNaN(x) && $isNaN(y);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/FromPropertyDescriptor.js
var require_FromPropertyDescriptor2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/FromPropertyDescriptor.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var isPropertyDescriptor = require_property_descriptor();
    var fromPropertyDescriptor = require_fromPropertyDescriptor();
    module2.exports = function FromPropertyDescriptor(Desc) {
      if (typeof Desc !== "undefined" && !isPropertyDescriptor(Desc)) {
        throw new $TypeError("Assertion failed: `Desc` must be a Property Descriptor");
      }
      return fromPropertyDescriptor(Desc);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IsDataDescriptor.js
var require_IsDataDescriptor2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IsDataDescriptor.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var hasOwn = require_hasown();
    var isPropertyDescriptor = require_property_descriptor();
    module2.exports = function IsDataDescriptor(Desc) {
      if (typeof Desc === "undefined") {
        return false;
      }
      if (!isPropertyDescriptor(Desc)) {
        throw new $TypeError("Assertion failed: `Desc` must be a Property Descriptor");
      }
      if (!hasOwn(Desc, "[[Value]]") && !hasOwn(Desc, "[[Writable]]")) {
        return false;
      }
      return true;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IsGenericDescriptor.js
var require_IsGenericDescriptor2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/IsGenericDescriptor.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var IsAccessorDescriptor = require_IsAccessorDescriptor2();
    var IsDataDescriptor = require_IsDataDescriptor2();
    var isPropertyDescriptor = require_property_descriptor();
    module2.exports = function IsGenericDescriptor(Desc) {
      if (typeof Desc === "undefined") {
        return false;
      }
      if (!isPropertyDescriptor(Desc)) {
        throw new $TypeError("Assertion failed: `Desc` must be a Property Descriptor");
      }
      if (!IsAccessorDescriptor(Desc) && !IsDataDescriptor(Desc)) {
        return true;
      }
      return false;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ValidateAndApplyPropertyDescriptor.js
var require_ValidateAndApplyPropertyDescriptor2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ValidateAndApplyPropertyDescriptor.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var DefineOwnProperty = require_DefineOwnProperty();
    var isFullyPopulatedPropertyDescriptor = require_isFullyPopulatedPropertyDescriptor();
    var isPropertyDescriptor = require_property_descriptor();
    var FromPropertyDescriptor = require_FromPropertyDescriptor2();
    var IsAccessorDescriptor = require_IsAccessorDescriptor2();
    var IsDataDescriptor = require_IsDataDescriptor2();
    var IsGenericDescriptor = require_IsGenericDescriptor2();
    var IsPropertyKey = require_IsPropertyKey2();
    var SameValue = require_SameValue2();
    var Type = require_Type3();
    module2.exports = function ValidateAndApplyPropertyDescriptor(O, P, extensible, Desc, current) {
      var oType = Type(O);
      if (oType !== "Undefined" && oType !== "Object") {
        throw new $TypeError("Assertion failed: O must be undefined or an Object");
      }
      if (!IsPropertyKey(P)) {
        throw new $TypeError("Assertion failed: P must be a Property Key");
      }
      if (typeof extensible !== "boolean") {
        throw new $TypeError("Assertion failed: extensible must be a Boolean");
      }
      if (!isPropertyDescriptor(Desc)) {
        throw new $TypeError("Assertion failed: Desc must be a Property Descriptor");
      }
      if (typeof current !== "undefined" && !isPropertyDescriptor(current)) {
        throw new $TypeError("Assertion failed: current must be a Property Descriptor, or undefined");
      }
      if (typeof current === "undefined") {
        if (!extensible) {
          return false;
        }
        if (oType === "Undefined") {
          return true;
        }
        if (IsAccessorDescriptor(Desc)) {
          return DefineOwnProperty(
            IsDataDescriptor,
            SameValue,
            FromPropertyDescriptor,
            O,
            P,
            Desc
          );
        }
        return DefineOwnProperty(
          IsDataDescriptor,
          SameValue,
          FromPropertyDescriptor,
          O,
          P,
          {
            "[[Configurable]]": !!Desc["[[Configurable]]"],
            "[[Enumerable]]": !!Desc["[[Enumerable]]"],
            "[[Value]]": Desc["[[Value]]"],
            "[[Writable]]": !!Desc["[[Writable]]"]
          }
        );
      }
      if (!isFullyPopulatedPropertyDescriptor(
        {
          IsAccessorDescriptor,
          IsDataDescriptor
        },
        current
      )) {
        throw new $TypeError("`current`, when present, must be a fully populated and valid Property Descriptor");
      }
      if (!current["[[Configurable]]"]) {
        if ("[[Configurable]]" in Desc && Desc["[[Configurable]]"]) {
          return false;
        }
        if ("[[Enumerable]]" in Desc && !SameValue(Desc["[[Enumerable]]"], current["[[Enumerable]]"])) {
          return false;
        }
        if (!IsGenericDescriptor(Desc) && !SameValue(IsAccessorDescriptor(Desc), IsAccessorDescriptor(current))) {
          return false;
        }
        if (IsAccessorDescriptor(current)) {
          if ("[[Get]]" in Desc && !SameValue(Desc["[[Get]]"], current["[[Get]]"])) {
            return false;
          }
          if ("[[Set]]" in Desc && !SameValue(Desc["[[Set]]"], current["[[Set]]"])) {
            return false;
          }
        } else if (!current["[[Writable]]"]) {
          if ("[[Writable]]" in Desc && Desc["[[Writable]]"]) {
            return false;
          }
          if ("[[Value]]" in Desc && !SameValue(Desc["[[Value]]"], current["[[Value]]"])) {
            return false;
          }
        }
      }
      if (oType !== "Undefined") {
        var configurable;
        var enumerable;
        if (IsDataDescriptor(current) && IsAccessorDescriptor(Desc)) {
          configurable = ("[[Configurable]]" in Desc ? Desc : current)["[[Configurable]]"];
          enumerable = ("[[Enumerable]]" in Desc ? Desc : current)["[[Enumerable]]"];
          return DefineOwnProperty(
            IsDataDescriptor,
            SameValue,
            FromPropertyDescriptor,
            O,
            P,
            {
              "[[Configurable]]": !!configurable,
              "[[Enumerable]]": !!enumerable,
              "[[Get]]": ("[[Get]]" in Desc ? Desc : current)["[[Get]]"],
              "[[Set]]": ("[[Set]]" in Desc ? Desc : current)["[[Set]]"]
            }
          );
        } else if (IsAccessorDescriptor(current) && IsDataDescriptor(Desc)) {
          configurable = ("[[Configurable]]" in Desc ? Desc : current)["[[Configurable]]"];
          enumerable = ("[[Enumerable]]" in Desc ? Desc : current)["[[Enumerable]]"];
          return DefineOwnProperty(
            IsDataDescriptor,
            SameValue,
            FromPropertyDescriptor,
            O,
            P,
            {
              "[[Configurable]]": !!configurable,
              "[[Enumerable]]": !!enumerable,
              "[[Value]]": ("[[Value]]" in Desc ? Desc : current)["[[Value]]"],
              "[[Writable]]": !!("[[Writable]]" in Desc ? Desc : current)["[[Writable]]"]
            }
          );
        }
        return DefineOwnProperty(
          IsDataDescriptor,
          SameValue,
          FromPropertyDescriptor,
          O,
          P,
          Desc
        );
      }
      return true;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/OrdinaryDefineOwnProperty.js
var require_OrdinaryDefineOwnProperty2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/OrdinaryDefineOwnProperty.js"(exports2, module2) {
    "use strict";
    var $gOPD = require_gopd();
    var $SyntaxError = require_syntax();
    var $TypeError = require_type();
    var isPropertyDescriptor = require_property_descriptor();
    var IsAccessorDescriptor = require_IsAccessorDescriptor2();
    var IsExtensible = require_IsExtensible2();
    var IsPropertyKey = require_IsPropertyKey2();
    var ToPropertyDescriptor = require_ToPropertyDescriptor2();
    var SameValue = require_SameValue2();
    var Type = require_Type3();
    var ValidateAndApplyPropertyDescriptor = require_ValidateAndApplyPropertyDescriptor2();
    module2.exports = function OrdinaryDefineOwnProperty(O, P, Desc) {
      if (Type(O) !== "Object") {
        throw new $TypeError("Assertion failed: O must be an Object");
      }
      if (!IsPropertyKey(P)) {
        throw new $TypeError("Assertion failed: P must be a Property Key");
      }
      if (!isPropertyDescriptor(Desc)) {
        throw new $TypeError("Assertion failed: Desc must be a Property Descriptor");
      }
      if (!$gOPD) {
        if (IsAccessorDescriptor(Desc)) {
          throw new $SyntaxError("This environment does not support accessor property descriptors.");
        }
        var creatingNormalDataProperty = !(P in O) && Desc["[[Writable]]"] && Desc["[[Enumerable]]"] && Desc["[[Configurable]]"] && "[[Value]]" in Desc;
        var settingExistingDataProperty = P in O && (!("[[Configurable]]" in Desc) || Desc["[[Configurable]]"]) && (!("[[Enumerable]]" in Desc) || Desc["[[Enumerable]]"]) && (!("[[Writable]]" in Desc) || Desc["[[Writable]]"]) && "[[Value]]" in Desc;
        if (creatingNormalDataProperty || settingExistingDataProperty) {
          O[P] = Desc["[[Value]]"];
          return SameValue(O[P], Desc["[[Value]]"]);
        }
        throw new $SyntaxError("This environment does not support defining non-writable, non-enumerable, or non-configurable properties");
      }
      var desc = $gOPD(O, P);
      var current = desc && ToPropertyDescriptor(desc);
      var extensible = IsExtensible(O);
      return ValidateAndApplyPropertyDescriptor(O, P, extensible, Desc, current);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/CreateDataProperty.js
var require_CreateDataProperty2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/CreateDataProperty.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var IsPropertyKey = require_IsPropertyKey2();
    var OrdinaryDefineOwnProperty = require_OrdinaryDefineOwnProperty2();
    var Type = require_Type3();
    module2.exports = function CreateDataProperty(O, P, V) {
      if (Type(O) !== "Object") {
        throw new $TypeError("Assertion failed: Type(O) is not Object");
      }
      if (!IsPropertyKey(P)) {
        throw new $TypeError("Assertion failed: IsPropertyKey(P) is not true");
      }
      var newDesc = {
        "[[Configurable]]": true,
        "[[Enumerable]]": true,
        "[[Value]]": V,
        "[[Writable]]": true
      };
      return OrdinaryDefineOwnProperty(O, P, newDesc);
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/CreateDataPropertyOrThrow.js
var require_CreateDataPropertyOrThrow2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/CreateDataPropertyOrThrow.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var CreateDataProperty = require_CreateDataProperty2();
    var IsPropertyKey = require_IsPropertyKey2();
    var Type = require_Type3();
    module2.exports = function CreateDataPropertyOrThrow(O, P, V) {
      if (Type(O) !== "Object") {
        throw new $TypeError("Assertion failed: Type(O) is not Object");
      }
      if (!IsPropertyKey(P)) {
        throw new $TypeError("Assertion failed: IsPropertyKey(P) is not true");
      }
      var success = CreateDataProperty(O, P, V);
      if (!success) {
        throw new $TypeError("unable to create data property");
      }
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ToPropertyKey.js
var require_ToPropertyKey = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/ToPropertyKey.js"(exports2, module2) {
    "use strict";
    var GetIntrinsic = require_get_intrinsic();
    var $String = GetIntrinsic("%String%");
    var ToPrimitive = require_ToPrimitive();
    var ToString = require_ToString();
    module2.exports = function ToPropertyKey(argument) {
      var key = ToPrimitive(argument, $String);
      return typeof key === "symbol" ? key : ToString(key);
    };
  }
});

// node_modules/.pnpm/object.fromentries@2.0.8/node_modules/object.fromentries/implementation.js
var require_implementation8 = __commonJS({
  "node_modules/.pnpm/object.fromentries@2.0.8/node_modules/object.fromentries/implementation.js"(exports2, module2) {
    "use strict";
    var AddEntriesFromIterable = require_AddEntriesFromIterable();
    var CreateDataPropertyOrThrow = require_CreateDataPropertyOrThrow2();
    var RequireObjectCoercible = require_RequireObjectCoercible();
    var ToPropertyKey = require_ToPropertyKey();
    var adder = function addDataProperty(key, value) {
      var O = this;
      var propertyKey = ToPropertyKey(key);
      CreateDataPropertyOrThrow(O, propertyKey, value);
    };
    module2.exports = function fromEntries(iterable) {
      RequireObjectCoercible(iterable);
      return AddEntriesFromIterable({}, iterable, adder);
    };
  }
});

// node_modules/.pnpm/object.fromentries@2.0.8/node_modules/object.fromentries/polyfill.js
var require_polyfill6 = __commonJS({
  "node_modules/.pnpm/object.fromentries@2.0.8/node_modules/object.fromentries/polyfill.js"(exports2, module2) {
    "use strict";
    var implementation = require_implementation8();
    module2.exports = function getPolyfill() {
      return typeof Object.fromEntries === "function" ? Object.fromEntries : implementation;
    };
  }
});

// node_modules/.pnpm/object.fromentries@2.0.8/node_modules/object.fromentries/shim.js
var require_shim6 = __commonJS({
  "node_modules/.pnpm/object.fromentries@2.0.8/node_modules/object.fromentries/shim.js"(exports2, module2) {
    "use strict";
    var getPolyfill = require_polyfill6();
    var define2 = require_define_properties();
    module2.exports = function shimEntries() {
      var polyfill = getPolyfill();
      define2(Object, { fromEntries: polyfill }, {
        fromEntries: function testEntries() {
          return Object.fromEntries !== polyfill;
        }
      });
      return polyfill;
    };
  }
});

// node_modules/.pnpm/object.fromentries@2.0.8/node_modules/object.fromentries/index.js
var require_object2 = __commonJS({
  "node_modules/.pnpm/object.fromentries@2.0.8/node_modules/object.fromentries/index.js"(exports2, module2) {
    "use strict";
    var define2 = require_define_properties();
    var callBind = require_call_bind();
    var implementation = require_implementation8();
    var getPolyfill = require_polyfill6();
    var shim = require_shim6();
    var polyfill = callBind(getPolyfill(), Object);
    define2(polyfill, {
      getPolyfill,
      implementation,
      shim
    });
    module2.exports = polyfill;
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-anonymous-default-export.js
var require_no_anonymous_default_export = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-anonymous-default-export.js"(exports2, module2) {
    "use strict";
    var _hasown = require_hasown();
    var _hasown2 = _interopRequireDefault(_hasown);
    var _object = require_object();
    var _object2 = _interopRequireDefault(_object);
    var _object3 = require_object2();
    var _object4 = _interopRequireDefault(_object3);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    var defs = {
      ArrayExpression: {
        option: "allowArray",
        description: "If `false`, will report default export of an array",
        message: "Assign array to a variable before exporting as module default"
      },
      ArrowFunctionExpression: {
        option: "allowArrowFunction",
        description: "If `false`, will report default export of an arrow function",
        message: "Assign arrow function to a variable before exporting as module default"
      },
      CallExpression: {
        option: "allowCallExpression",
        description: "If `false`, will report default export of a function call",
        message: "Assign call result to a variable before exporting as module default",
        "default": true
      },
      ClassDeclaration: {
        option: "allowAnonymousClass",
        description: "If `false`, will report default export of an anonymous class",
        message: "Unexpected default export of anonymous class",
        forbid: /* @__PURE__ */ function() {
          function forbid(node) {
            return !node.declaration.id;
          }
          return forbid;
        }()
      },
      FunctionDeclaration: {
        option: "allowAnonymousFunction",
        description: "If `false`, will report default export of an anonymous function",
        message: "Unexpected default export of anonymous function",
        forbid: /* @__PURE__ */ function() {
          function forbid(node) {
            return !node.declaration.id;
          }
          return forbid;
        }()
      },
      Literal: {
        option: "allowLiteral",
        description: "If `false`, will report default export of a literal",
        message: "Assign literal to a variable before exporting as module default"
      },
      ObjectExpression: {
        option: "allowObject",
        description: "If `false`, will report default export of an object expression",
        message: "Assign object to a variable before exporting as module default"
      },
      TemplateLiteral: {
        option: "allowLiteral",
        description: "If `false`, will report default export of a literal",
        message: "Assign literal to a variable before exporting as module default"
      },
      NewExpression: {
        option: "allowNew",
        description: "If `false`, will report default export of a class instantiation",
        message: "Assign instance to a variable before exporting as module default"
      }
    };
    var schemaProperties = (0, _object4["default"])((0, _object2["default"])(defs).map(function(def) {
      return [def.option, {
        description: def.description,
        type: "boolean"
      }];
    }));
    var defaults = (0, _object4["default"])((0, _object2["default"])(defs).map(function(def) {
      return [def.option, (0, _hasown2["default"])(def, "default") ? def["default"] : false];
    }));
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Style guide",
          description: "Forbid anonymous values as default exports.",
          url: (0, _docsUrl2["default"])("no-anonymous-default-export")
        },
        schema: [
          {
            type: "object",
            properties: schemaProperties,
            additionalProperties: false
          }
        ]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var options = Object.assign({}, defaults, context.options[0]);
          return {
            ExportDefaultDeclaration: /* @__PURE__ */ function() {
              function ExportDefaultDeclaration(node) {
                var def = defs[node.declaration.type];
                if (def && !options[def.option] && (!def.forbid || def.forbid(node))) {
                  context.report({ node, message: def.message });
                }
              }
              return ExportDefaultDeclaration;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-unused-modules.js
var require_no_unused_modules = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-unused-modules.js"(exports2, module2) {
    "use strict";
    var _typeof = typeof Symbol === "function" && typeof Symbol.iterator === "symbol" ? function(obj) {
      return typeof obj;
    } : function(obj) {
      return obj && typeof Symbol === "function" && obj.constructor === Symbol && obj !== Symbol.prototype ? "symbol" : typeof obj;
    };
    var _ignore = require("eslint-module-utils/ignore");
    var _resolve = require("eslint-module-utils/resolve");
    var _resolve2 = _interopRequireDefault(_resolve);
    var _visit = require("eslint-module-utils/visit");
    var _visit2 = _interopRequireDefault(_visit);
    var _path = require("path");
    var _readPkgUp2 = require("eslint-module-utils/readPkgUp");
    var _readPkgUp3 = _interopRequireDefault(_readPkgUp2);
    var _object = require_object();
    var _object2 = _interopRequireDefault(_object);
    var _arrayIncludes = require_array_includes();
    var _arrayIncludes2 = _interopRequireDefault(_arrayIncludes);
    var _arrayPrototype = require_array_prototype();
    var _arrayPrototype2 = _interopRequireDefault(_arrayPrototype);
    var _ExportMap = require_ExportMap();
    var _ExportMap2 = _interopRequireDefault(_ExportMap);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function _toConsumableArray(arr) {
      if (Array.isArray(arr)) {
        for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) {
          arr2[i] = arr[i];
        }
        return arr2;
      } else {
        return Array.from(arr);
      }
    }
    var FileEnumerator = void 0;
    var listFilesToProcess = void 0;
    try {
      _require = require("eslint/use-at-your-own-risk");
      FileEnumerator = _require.FileEnumerator;
    } catch (e) {
      try {
        _require2 = require("eslint/lib/cli-engine/file-enumerator");
        FileEnumerator = _require2.FileEnumerator;
      } catch (e2) {
        try {
          _require3 = require("eslint/lib/util/glob-utils"), originalListFilesToProcess = _require3.listFilesToProcess;
          listFilesToProcess = function listFilesToProcess2(src, extensions) {
            return originalListFilesToProcess(src, {
              extensions
            });
          };
        } catch (e3) {
          _require4 = require("eslint/lib/util/glob-util"), _originalListFilesToProcess = _require4.listFilesToProcess;
          listFilesToProcess = function listFilesToProcess2(src, extensions) {
            var patterns = src.concat((0, _arrayPrototype2["default"])(src, function(pattern) {
              return extensions.map(function(extension) {
                return /\*\*|\*\./.test(pattern) ? pattern : String(pattern) + "/**/*" + String(extension);
              });
            }));
            return _originalListFilesToProcess(patterns);
          };
        }
      }
    }
    var _require;
    var _require2;
    var _require3;
    var originalListFilesToProcess;
    var _require4;
    var _originalListFilesToProcess;
    if (FileEnumerator) {
      listFilesToProcess = function listFilesToProcess2(src, extensions) {
        var e = new FileEnumerator({
          extensions
        });
        return Array.from(e.iterateFiles(src), function(_ref) {
          var filePath = _ref.filePath, ignored3 = _ref.ignored;
          return {
            ignored: ignored3,
            filename: filePath
          };
        });
      };
    }
    var EXPORT_DEFAULT_DECLARATION = "ExportDefaultDeclaration";
    var EXPORT_NAMED_DECLARATION = "ExportNamedDeclaration";
    var EXPORT_ALL_DECLARATION = "ExportAllDeclaration";
    var IMPORT_DECLARATION = "ImportDeclaration";
    var IMPORT_NAMESPACE_SPECIFIER = "ImportNamespaceSpecifier";
    var IMPORT_DEFAULT_SPECIFIER = "ImportDefaultSpecifier";
    var VARIABLE_DECLARATION = "VariableDeclaration";
    var FUNCTION_DECLARATION = "FunctionDeclaration";
    var CLASS_DECLARATION = "ClassDeclaration";
    var IDENTIFIER = "Identifier";
    var OBJECT_PATTERN = "ObjectPattern";
    var ARRAY_PATTERN = "ArrayPattern";
    var TS_INTERFACE_DECLARATION = "TSInterfaceDeclaration";
    var TS_TYPE_ALIAS_DECLARATION = "TSTypeAliasDeclaration";
    var TS_ENUM_DECLARATION = "TSEnumDeclaration";
    var DEFAULT = "default";
    function forEachDeclarationIdentifier(declaration, cb) {
      if (declaration) {
        if (declaration.type === FUNCTION_DECLARATION || declaration.type === CLASS_DECLARATION || declaration.type === TS_INTERFACE_DECLARATION || declaration.type === TS_TYPE_ALIAS_DECLARATION || declaration.type === TS_ENUM_DECLARATION) {
          cb(declaration.id.name);
        } else if (declaration.type === VARIABLE_DECLARATION) {
          declaration.declarations.forEach(function(_ref2) {
            var id = _ref2.id;
            if (id.type === OBJECT_PATTERN) {
              (0, _ExportMap.recursivePatternCapture)(id, function(pattern) {
                if (pattern.type === IDENTIFIER) {
                  cb(pattern.name);
                }
              });
            } else if (id.type === ARRAY_PATTERN) {
              id.elements.forEach(function(_ref3) {
                var name = _ref3.name;
                cb(name);
              });
            } else {
              cb(id.name);
            }
          });
        }
      }
    }
    var importList = /* @__PURE__ */ new Map();
    var exportList = /* @__PURE__ */ new Map();
    var visitorKeyMap = /* @__PURE__ */ new Map();
    var ignoredFiles = /* @__PURE__ */ new Set();
    var filesOutsideSrc = /* @__PURE__ */ new Set();
    var isNodeModule = function isNodeModule2(path17) {
      return /\/(node_modules)\//.test(path17);
    };
    var resolveFiles = function resolveFiles2(src, ignoreExports, context) {
      var extensions = Array.from((0, _ignore.getFileExtensions)(context.settings));
      var srcFileList = listFilesToProcess(src, extensions);
      var ignoredFilesList = listFilesToProcess(ignoreExports, extensions);
      ignoredFilesList.forEach(function(_ref4) {
        var filename = _ref4.filename;
        return ignoredFiles.add(filename);
      });
      return new Set(
        (0, _arrayPrototype2["default"])(srcFileList, function(_ref5) {
          var filename = _ref5.filename;
          return isNodeModule(filename) ? [] : filename;
        })
      );
    };
    var prepareImportsAndExports = function prepareImportsAndExports2(srcFiles2, context) {
      var exportAll = /* @__PURE__ */ new Map();
      srcFiles2.forEach(function(file) {
        var exports3 = /* @__PURE__ */ new Map();
        var imports = /* @__PURE__ */ new Map();
        var currentExports = _ExportMap2["default"].get(file, context);
        if (currentExports) {
          var dependencies = currentExports.dependencies, reexports = currentExports.reexports, localImportList = currentExports.imports, namespace = currentExports.namespace, visitorKeys = currentExports.visitorKeys;
          visitorKeyMap.set(file, visitorKeys);
          var currentExportAll = /* @__PURE__ */ new Set();
          dependencies.forEach(function(getDependency) {
            var dependency = getDependency();
            if (dependency === null) {
              return;
            }
            currentExportAll.add(dependency.path);
          });
          exportAll.set(file, currentExportAll);
          reexports.forEach(function(value, key) {
            if (key === DEFAULT) {
              exports3.set(IMPORT_DEFAULT_SPECIFIER, { whereUsed: /* @__PURE__ */ new Set() });
            } else {
              exports3.set(key, { whereUsed: /* @__PURE__ */ new Set() });
            }
            var reexport = value.getImport();
            if (!reexport) {
              return;
            }
            var localImport = imports.get(reexport.path);
            var currentValue = void 0;
            if (value.local === DEFAULT) {
              currentValue = IMPORT_DEFAULT_SPECIFIER;
            } else {
              currentValue = value.local;
            }
            if (typeof localImport !== "undefined") {
              localImport = new Set([].concat(_toConsumableArray(localImport), [currentValue]));
            } else {
              localImport = /* @__PURE__ */ new Set([currentValue]);
            }
            imports.set(reexport.path, localImport);
          });
          localImportList.forEach(function(value, key) {
            if (isNodeModule(key)) {
              return;
            }
            var localImport = imports.get(key) || /* @__PURE__ */ new Set();
            value.declarations.forEach(function(_ref6) {
              var importedSpecifiers = _ref6.importedSpecifiers;
              importedSpecifiers.forEach(function(specifier) {
                localImport.add(specifier);
              });
            });
            imports.set(key, localImport);
          });
          importList.set(file, imports);
          if (ignoredFiles.has(file)) {
            return;
          }
          namespace.forEach(function(value, key) {
            if (key === DEFAULT) {
              exports3.set(IMPORT_DEFAULT_SPECIFIER, { whereUsed: /* @__PURE__ */ new Set() });
            } else {
              exports3.set(key, { whereUsed: /* @__PURE__ */ new Set() });
            }
          });
        }
        exports3.set(EXPORT_ALL_DECLARATION, { whereUsed: /* @__PURE__ */ new Set() });
        exports3.set(IMPORT_NAMESPACE_SPECIFIER, { whereUsed: /* @__PURE__ */ new Set() });
        exportList.set(file, exports3);
      });
      exportAll.forEach(function(value, key) {
        value.forEach(function(val) {
          var currentExports = exportList.get(val);
          if (currentExports) {
            var currentExport = currentExports.get(EXPORT_ALL_DECLARATION);
            currentExport.whereUsed.add(key);
          }
        });
      });
    };
    var determineUsage = function determineUsage2() {
      importList.forEach(function(listValue, listKey) {
        listValue.forEach(function(value, key) {
          var exports3 = exportList.get(key);
          if (typeof exports3 !== "undefined") {
            value.forEach(function(currentImport) {
              var specifier = void 0;
              if (currentImport === IMPORT_NAMESPACE_SPECIFIER) {
                specifier = IMPORT_NAMESPACE_SPECIFIER;
              } else if (currentImport === IMPORT_DEFAULT_SPECIFIER) {
                specifier = IMPORT_DEFAULT_SPECIFIER;
              } else {
                specifier = currentImport;
              }
              if (typeof specifier !== "undefined") {
                var exportStatement = exports3.get(specifier);
                if (typeof exportStatement !== "undefined") {
                  var whereUsed = exportStatement.whereUsed;
                  whereUsed.add(listKey);
                  exports3.set(specifier, { whereUsed });
                }
              }
            });
          }
        });
      });
    };
    var getSrc = function getSrc2(src) {
      if (src) {
        return src;
      }
      return [process.cwd()];
    };
    var srcFiles = void 0;
    var lastPrepareKey = void 0;
    var doPreparation = function doPreparation2(src, ignoreExports, context) {
      var prepareKey = JSON.stringify({
        src: (src || []).sort(),
        ignoreExports: (ignoreExports || []).sort(),
        extensions: Array.from((0, _ignore.getFileExtensions)(context.settings)).sort()
      });
      if (prepareKey === lastPrepareKey) {
        return;
      }
      importList.clear();
      exportList.clear();
      ignoredFiles.clear();
      filesOutsideSrc.clear();
      srcFiles = resolveFiles(getSrc(src), ignoreExports, context);
      prepareImportsAndExports(srcFiles, context);
      determineUsage();
      lastPrepareKey = prepareKey;
    };
    var newNamespaceImportExists = function newNamespaceImportExists2(specifiers) {
      return specifiers.some(function(_ref7) {
        var type = _ref7.type;
        return type === IMPORT_NAMESPACE_SPECIFIER;
      });
    };
    var newDefaultImportExists = function newDefaultImportExists2(specifiers) {
      return specifiers.some(function(_ref8) {
        var type = _ref8.type;
        return type === IMPORT_DEFAULT_SPECIFIER;
      });
    };
    var fileIsInPkg = function fileIsInPkg2(file) {
      var _readPkgUp = (0, _readPkgUp3["default"])({ cwd: file }), path17 = _readPkgUp.path, pkg = _readPkgUp.pkg;
      var basePath = (0, _path.dirname)(path17);
      var checkPkgFieldString = function checkPkgFieldString2(pkgField) {
        if ((0, _path.join)(basePath, pkgField) === file) {
          return true;
        }
      };
      var checkPkgFieldObject = function checkPkgFieldObject2(pkgField) {
        var pkgFieldFiles = (0, _arrayPrototype2["default"])((0, _object2["default"])(pkgField), function(value) {
          return typeof value === "boolean" ? [] : (0, _path.join)(basePath, value);
        });
        if ((0, _arrayIncludes2["default"])(pkgFieldFiles, file)) {
          return true;
        }
      };
      var checkPkgField = function checkPkgField2(pkgField) {
        if (typeof pkgField === "string") {
          return checkPkgFieldString(pkgField);
        }
        if ((typeof pkgField === "undefined" ? "undefined" : _typeof(pkgField)) === "object") {
          return checkPkgFieldObject(pkgField);
        }
      };
      if (pkg["private"] === true) {
        return false;
      }
      if (pkg.bin) {
        if (checkPkgField(pkg.bin)) {
          return true;
        }
      }
      if (pkg.browser) {
        if (checkPkgField(pkg.browser)) {
          return true;
        }
      }
      if (pkg.main) {
        if (checkPkgFieldString(pkg.main)) {
          return true;
        }
      }
      return false;
    };
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Helpful warnings",
          description: "Forbid modules without exports, or exports without matching import in another module.",
          url: (0, _docsUrl2["default"])("no-unused-modules")
        },
        schema: [{
          properties: {
            src: {
              description: "files/paths to be analyzed (only for unused exports)",
              type: "array",
              uniqueItems: true,
              items: {
                type: "string",
                minLength: 1
              }
            },
            ignoreExports: {
              description: "files/paths for which unused exports will not be reported (e.g module entry points)",
              type: "array",
              uniqueItems: true,
              items: {
                type: "string",
                minLength: 1
              }
            },
            missingExports: {
              description: "report modules without any exports",
              type: "boolean"
            },
            unusedExports: {
              description: "report exports without any usage",
              type: "boolean"
            }
          },
          anyOf: [
            {
              properties: {
                unusedExports: { "enum": [true] },
                src: {
                  minItems: 1
                }
              },
              required: ["unusedExports"]
            },
            {
              properties: {
                missingExports: { "enum": [true] }
              },
              required: ["missingExports"]
            }
          ]
        }]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var _ref9 = context.options[0] || {}, src = _ref9.src, _ref9$ignoreExports = _ref9.ignoreExports, ignoreExports = _ref9$ignoreExports === void 0 ? [] : _ref9$ignoreExports, missingExports = _ref9.missingExports, unusedExports = _ref9.unusedExports;
          if (unusedExports) {
            doPreparation(src, ignoreExports, context);
          }
          var file = context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename();
          var checkExportPresence = /* @__PURE__ */ function() {
            function checkExportPresence2(node) {
              if (!missingExports) {
                return;
              }
              if (ignoredFiles.has(file)) {
                return;
              }
              var exportCount = exportList.get(file);
              var exportAll = exportCount.get(EXPORT_ALL_DECLARATION);
              var namespaceImports = exportCount.get(IMPORT_NAMESPACE_SPECIFIER);
              exportCount["delete"](EXPORT_ALL_DECLARATION);
              exportCount["delete"](IMPORT_NAMESPACE_SPECIFIER);
              if (exportCount.size < 1) {
                context.report(node.body[0] ? node.body[0] : node, "No exports found");
              }
              exportCount.set(EXPORT_ALL_DECLARATION, exportAll);
              exportCount.set(IMPORT_NAMESPACE_SPECIFIER, namespaceImports);
            }
            return checkExportPresence2;
          }();
          var checkUsage = /* @__PURE__ */ function() {
            function checkUsage2(node, exportedValue) {
              if (!unusedExports) {
                return;
              }
              if (ignoredFiles.has(file)) {
                return;
              }
              if (fileIsInPkg(file)) {
                return;
              }
              if (filesOutsideSrc.has(file)) {
                return;
              }
              if (!srcFiles.has(file)) {
                srcFiles = resolveFiles(getSrc(src), ignoreExports, context);
                if (!srcFiles.has(file)) {
                  filesOutsideSrc.add(file);
                  return;
                }
              }
              exports2 = exportList.get(file);
              var exportAll = exports2.get(EXPORT_ALL_DECLARATION);
              if (typeof exportAll !== "undefined" && exportedValue !== IMPORT_DEFAULT_SPECIFIER) {
                if (exportAll.whereUsed.size > 0) {
                  return;
                }
              }
              var namespaceImports = exports2.get(IMPORT_NAMESPACE_SPECIFIER);
              if (typeof namespaceImports !== "undefined") {
                if (namespaceImports.whereUsed.size > 0) {
                  return;
                }
              }
              var exportsKey = exportedValue === DEFAULT ? IMPORT_DEFAULT_SPECIFIER : exportedValue;
              var exportStatement = exports2.get(exportsKey);
              var value = exportsKey === IMPORT_DEFAULT_SPECIFIER ? DEFAULT : exportsKey;
              if (typeof exportStatement !== "undefined") {
                if (exportStatement.whereUsed.size < 1) {
                  context.report(
                    node,
                    "exported declaration '" + value + "' not used within other modules"
                  );
                }
              } else {
                context.report(
                  node,
                  "exported declaration '" + value + "' not used within other modules"
                );
              }
            }
            return checkUsage2;
          }();
          var updateExportUsage = /* @__PURE__ */ function() {
            function updateExportUsage2(node) {
              if (ignoredFiles.has(file)) {
                return;
              }
              var exports3 = exportList.get(file);
              if (typeof exports3 === "undefined") {
                exports3 = /* @__PURE__ */ new Map();
              }
              var newExports = /* @__PURE__ */ new Map();
              var newExportIdentifiers = /* @__PURE__ */ new Set();
              node.body.forEach(function(_ref10) {
                var type = _ref10.type, declaration = _ref10.declaration, specifiers = _ref10.specifiers;
                if (type === EXPORT_DEFAULT_DECLARATION) {
                  newExportIdentifiers.add(IMPORT_DEFAULT_SPECIFIER);
                }
                if (type === EXPORT_NAMED_DECLARATION) {
                  if (specifiers.length > 0) {
                    specifiers.forEach(function(specifier) {
                      if (specifier.exported) {
                        newExportIdentifiers.add(specifier.exported.name || specifier.exported.value);
                      }
                    });
                  }
                  forEachDeclarationIdentifier(declaration, function(name) {
                    newExportIdentifiers.add(name);
                  });
                }
              });
              exports3.forEach(function(value, key) {
                if (newExportIdentifiers.has(key)) {
                  newExports.set(key, value);
                }
              });
              newExportIdentifiers.forEach(function(key) {
                if (!exports3.has(key)) {
                  newExports.set(key, { whereUsed: /* @__PURE__ */ new Set() });
                }
              });
              var exportAll = exports3.get(EXPORT_ALL_DECLARATION);
              var namespaceImports = exports3.get(IMPORT_NAMESPACE_SPECIFIER);
              if (typeof namespaceImports === "undefined") {
                namespaceImports = { whereUsed: /* @__PURE__ */ new Set() };
              }
              newExports.set(EXPORT_ALL_DECLARATION, exportAll);
              newExports.set(IMPORT_NAMESPACE_SPECIFIER, namespaceImports);
              exportList.set(file, newExports);
            }
            return updateExportUsage2;
          }();
          var updateImportUsage = /* @__PURE__ */ function() {
            function updateImportUsage2(node) {
              if (!unusedExports) {
                return;
              }
              var oldImportPaths = importList.get(file);
              if (typeof oldImportPaths === "undefined") {
                oldImportPaths = /* @__PURE__ */ new Map();
              }
              var oldNamespaceImports = /* @__PURE__ */ new Set();
              var newNamespaceImports = /* @__PURE__ */ new Set();
              var oldExportAll = /* @__PURE__ */ new Set();
              var newExportAll = /* @__PURE__ */ new Set();
              var oldDefaultImports = /* @__PURE__ */ new Set();
              var newDefaultImports = /* @__PURE__ */ new Set();
              var oldImports = /* @__PURE__ */ new Map();
              var newImports = /* @__PURE__ */ new Map();
              oldImportPaths.forEach(function(value, key) {
                if (value.has(EXPORT_ALL_DECLARATION)) {
                  oldExportAll.add(key);
                }
                if (value.has(IMPORT_NAMESPACE_SPECIFIER)) {
                  oldNamespaceImports.add(key);
                }
                if (value.has(IMPORT_DEFAULT_SPECIFIER)) {
                  oldDefaultImports.add(key);
                }
                value.forEach(function(val) {
                  if (val !== IMPORT_NAMESPACE_SPECIFIER && val !== IMPORT_DEFAULT_SPECIFIER) {
                    oldImports.set(val, key);
                  }
                });
              });
              function processDynamicImport(source) {
                if (source.type !== "Literal") {
                  return null;
                }
                var p = (0, _resolve2["default"])(source.value, context);
                if (p == null) {
                  return null;
                }
                newNamespaceImports.add(p);
              }
              (0, _visit2["default"])(node, visitorKeyMap.get(file), {
                ImportExpression: /* @__PURE__ */ function() {
                  function ImportExpression(child) {
                    processDynamicImport(child.source);
                  }
                  return ImportExpression;
                }(),
                CallExpression: /* @__PURE__ */ function() {
                  function CallExpression(child) {
                    if (child.callee.type === "Import") {
                      processDynamicImport(child.arguments[0]);
                    }
                  }
                  return CallExpression;
                }()
              });
              node.body.forEach(function(astNode) {
                var resolvedPath = void 0;
                if (astNode.type === EXPORT_NAMED_DECLARATION) {
                  if (astNode.source) {
                    resolvedPath = (0, _resolve2["default"])(astNode.source.raw.replace(/('|")/g, ""), context);
                    astNode.specifiers.forEach(function(specifier) {
                      var name = specifier.local.name || specifier.local.value;
                      if (name === DEFAULT) {
                        newDefaultImports.add(resolvedPath);
                      } else {
                        newImports.set(name, resolvedPath);
                      }
                    });
                  }
                }
                if (astNode.type === EXPORT_ALL_DECLARATION) {
                  resolvedPath = (0, _resolve2["default"])(astNode.source.raw.replace(/('|")/g, ""), context);
                  newExportAll.add(resolvedPath);
                }
                if (astNode.type === IMPORT_DECLARATION) {
                  resolvedPath = (0, _resolve2["default"])(astNode.source.raw.replace(/('|")/g, ""), context);
                  if (!resolvedPath) {
                    return;
                  }
                  if (isNodeModule(resolvedPath)) {
                    return;
                  }
                  if (newNamespaceImportExists(astNode.specifiers)) {
                    newNamespaceImports.add(resolvedPath);
                  }
                  if (newDefaultImportExists(astNode.specifiers)) {
                    newDefaultImports.add(resolvedPath);
                  }
                  astNode.specifiers.filter(function(specifier) {
                    return specifier.type !== IMPORT_DEFAULT_SPECIFIER && specifier.type !== IMPORT_NAMESPACE_SPECIFIER;
                  }).forEach(function(specifier) {
                    newImports.set(specifier.imported.name || specifier.imported.value, resolvedPath);
                  });
                }
              });
              newExportAll.forEach(function(value) {
                if (!oldExportAll.has(value)) {
                  var imports = oldImportPaths.get(value);
                  if (typeof imports === "undefined") {
                    imports = /* @__PURE__ */ new Set();
                  }
                  imports.add(EXPORT_ALL_DECLARATION);
                  oldImportPaths.set(value, imports);
                  var _exports = exportList.get(value);
                  var currentExport = void 0;
                  if (typeof _exports !== "undefined") {
                    currentExport = _exports.get(EXPORT_ALL_DECLARATION);
                  } else {
                    _exports = /* @__PURE__ */ new Map();
                    exportList.set(value, _exports);
                  }
                  if (typeof currentExport !== "undefined") {
                    currentExport.whereUsed.add(file);
                  } else {
                    var whereUsed = /* @__PURE__ */ new Set();
                    whereUsed.add(file);
                    _exports.set(EXPORT_ALL_DECLARATION, { whereUsed });
                  }
                }
              });
              oldExportAll.forEach(function(value) {
                if (!newExportAll.has(value)) {
                  var imports = oldImportPaths.get(value);
                  imports["delete"](EXPORT_ALL_DECLARATION);
                  var _exports2 = exportList.get(value);
                  if (typeof _exports2 !== "undefined") {
                    var currentExport = _exports2.get(EXPORT_ALL_DECLARATION);
                    if (typeof currentExport !== "undefined") {
                      currentExport.whereUsed["delete"](file);
                    }
                  }
                }
              });
              newDefaultImports.forEach(function(value) {
                if (!oldDefaultImports.has(value)) {
                  var imports = oldImportPaths.get(value);
                  if (typeof imports === "undefined") {
                    imports = /* @__PURE__ */ new Set();
                  }
                  imports.add(IMPORT_DEFAULT_SPECIFIER);
                  oldImportPaths.set(value, imports);
                  var _exports3 = exportList.get(value);
                  var currentExport = void 0;
                  if (typeof _exports3 !== "undefined") {
                    currentExport = _exports3.get(IMPORT_DEFAULT_SPECIFIER);
                  } else {
                    _exports3 = /* @__PURE__ */ new Map();
                    exportList.set(value, _exports3);
                  }
                  if (typeof currentExport !== "undefined") {
                    currentExport.whereUsed.add(file);
                  } else {
                    var whereUsed = /* @__PURE__ */ new Set();
                    whereUsed.add(file);
                    _exports3.set(IMPORT_DEFAULT_SPECIFIER, { whereUsed });
                  }
                }
              });
              oldDefaultImports.forEach(function(value) {
                if (!newDefaultImports.has(value)) {
                  var imports = oldImportPaths.get(value);
                  imports["delete"](IMPORT_DEFAULT_SPECIFIER);
                  var _exports4 = exportList.get(value);
                  if (typeof _exports4 !== "undefined") {
                    var currentExport = _exports4.get(IMPORT_DEFAULT_SPECIFIER);
                    if (typeof currentExport !== "undefined") {
                      currentExport.whereUsed["delete"](file);
                    }
                  }
                }
              });
              newNamespaceImports.forEach(function(value) {
                if (!oldNamespaceImports.has(value)) {
                  var imports = oldImportPaths.get(value);
                  if (typeof imports === "undefined") {
                    imports = /* @__PURE__ */ new Set();
                  }
                  imports.add(IMPORT_NAMESPACE_SPECIFIER);
                  oldImportPaths.set(value, imports);
                  var _exports5 = exportList.get(value);
                  var currentExport = void 0;
                  if (typeof _exports5 !== "undefined") {
                    currentExport = _exports5.get(IMPORT_NAMESPACE_SPECIFIER);
                  } else {
                    _exports5 = /* @__PURE__ */ new Map();
                    exportList.set(value, _exports5);
                  }
                  if (typeof currentExport !== "undefined") {
                    currentExport.whereUsed.add(file);
                  } else {
                    var whereUsed = /* @__PURE__ */ new Set();
                    whereUsed.add(file);
                    _exports5.set(IMPORT_NAMESPACE_SPECIFIER, { whereUsed });
                  }
                }
              });
              oldNamespaceImports.forEach(function(value) {
                if (!newNamespaceImports.has(value)) {
                  var imports = oldImportPaths.get(value);
                  imports["delete"](IMPORT_NAMESPACE_SPECIFIER);
                  var _exports6 = exportList.get(value);
                  if (typeof _exports6 !== "undefined") {
                    var currentExport = _exports6.get(IMPORT_NAMESPACE_SPECIFIER);
                    if (typeof currentExport !== "undefined") {
                      currentExport.whereUsed["delete"](file);
                    }
                  }
                }
              });
              newImports.forEach(function(value, key) {
                if (!oldImports.has(key)) {
                  var imports = oldImportPaths.get(value);
                  if (typeof imports === "undefined") {
                    imports = /* @__PURE__ */ new Set();
                  }
                  imports.add(key);
                  oldImportPaths.set(value, imports);
                  var _exports7 = exportList.get(value);
                  var currentExport = void 0;
                  if (typeof _exports7 !== "undefined") {
                    currentExport = _exports7.get(key);
                  } else {
                    _exports7 = /* @__PURE__ */ new Map();
                    exportList.set(value, _exports7);
                  }
                  if (typeof currentExport !== "undefined") {
                    currentExport.whereUsed.add(file);
                  } else {
                    var whereUsed = /* @__PURE__ */ new Set();
                    whereUsed.add(file);
                    _exports7.set(key, { whereUsed });
                  }
                }
              });
              oldImports.forEach(function(value, key) {
                if (!newImports.has(key)) {
                  var imports = oldImportPaths.get(value);
                  imports["delete"](key);
                  var _exports8 = exportList.get(value);
                  if (typeof _exports8 !== "undefined") {
                    var currentExport = _exports8.get(key);
                    if (typeof currentExport !== "undefined") {
                      currentExport.whereUsed["delete"](file);
                    }
                  }
                }
              });
            }
            return updateImportUsage2;
          }();
          return {
            "Program:exit": /* @__PURE__ */ function() {
              function ProgramExit(node) {
                updateExportUsage(node);
                updateImportUsage(node);
                checkExportPresence(node);
              }
              return ProgramExit;
            }(),
            ExportDefaultDeclaration: /* @__PURE__ */ function() {
              function ExportDefaultDeclaration(node) {
                checkUsage(node, IMPORT_DEFAULT_SPECIFIER);
              }
              return ExportDefaultDeclaration;
            }(),
            ExportNamedDeclaration: /* @__PURE__ */ function() {
              function ExportNamedDeclaration(node) {
                node.specifiers.forEach(function(specifier) {
                  checkUsage(specifier, specifier.exported.name || specifier.exported.value);
                });
                forEachDeclarationIdentifier(node.declaration, function(name) {
                  checkUsage(node, name);
                });
              }
              return ExportNamedDeclaration;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-commonjs.js
var require_no_commonjs = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-commonjs.js"(exports2, module2) {
    "use strict";
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    var EXPORT_MESSAGE = 'Expected "export" or "export default"';
    var IMPORT_MESSAGE = 'Expected "import" instead of "require()"';
    function normalizeLegacyOptions(options) {
      if (options.indexOf("allow-primitive-modules") >= 0) {
        return { allowPrimitiveModules: true };
      }
      return options[0] || {};
    }
    function allowPrimitive(node, options) {
      if (!options.allowPrimitiveModules) {
        return false;
      }
      if (node.parent.type !== "AssignmentExpression") {
        return false;
      }
      return node.parent.right.type !== "ObjectExpression";
    }
    function allowRequire(node, options) {
      return options.allowRequire;
    }
    function allowConditionalRequire(node, options) {
      return options.allowConditionalRequire !== false;
    }
    function validateScope(scope) {
      return scope.variableScope.type === "module";
    }
    function isConditional(node) {
      if (node.type === "IfStatement" || node.type === "TryStatement" || node.type === "LogicalExpression" || node.type === "ConditionalExpression") {
        return true;
      }
      if (node.parent) {
        return isConditional(node.parent);
      }
      return false;
    }
    function isLiteralString(node) {
      return node.type === "Literal" && typeof node.value === "string" || node.type === "TemplateLiteral" && node.expressions.length === 0;
    }
    var schemaString = { "enum": ["allow-primitive-modules"] };
    var schemaObject = {
      type: "object",
      properties: {
        allowPrimitiveModules: { type: "boolean" },
        allowRequire: { type: "boolean" },
        allowConditionalRequire: { type: "boolean" }
      },
      additionalProperties: false
    };
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Module systems",
          description: "Forbid CommonJS `require` calls and `module.exports` or `exports.*`.",
          url: (0, _docsUrl2["default"])("no-commonjs")
        },
        schema: {
          anyOf: [
            {
              type: "array",
              items: [schemaString],
              additionalItems: false
            },
            {
              type: "array",
              items: [schemaObject],
              additionalItems: false
            }
          ]
        }
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var options = normalizeLegacyOptions(context.options);
          return {
            MemberExpression: /* @__PURE__ */ function() {
              function MemberExpression(node) {
                if (node.object.name === "module" && node.property.name === "exports") {
                  if (allowPrimitive(node, options)) {
                    return;
                  }
                  context.report({ node, message: EXPORT_MESSAGE });
                }
                if (node.object.name === "exports") {
                  var isInScope = context.getScope().variables.some(function(variable) {
                    return variable.name === "exports";
                  });
                  if (!isInScope) {
                    context.report({ node, message: EXPORT_MESSAGE });
                  }
                }
              }
              return MemberExpression;
            }(),
            CallExpression: /* @__PURE__ */ function() {
              function CallExpression(call) {
                if (!validateScope(context.getScope())) {
                  return;
                }
                if (call.callee.type !== "Identifier") {
                  return;
                }
                if (call.callee.name !== "require") {
                  return;
                }
                if (call.arguments.length !== 1) {
                  return;
                }
                if (!isLiteralString(call.arguments[0])) {
                  return;
                }
                if (allowRequire(call, options)) {
                  return;
                }
                if (allowConditionalRequire(call, options) && isConditional(call.parent)) {
                  return;
                }
                context.report({
                  node: call.callee,
                  message: IMPORT_MESSAGE
                });
              }
              return CallExpression;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-amd.js
var require_no_amd = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-amd.js"(exports2, module2) {
    "use strict";
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Module systems",
          description: "Forbid AMD `require` and `define` calls.",
          url: (0, _docsUrl2["default"])("no-amd")
        },
        schema: []
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          return {
            CallExpression: /* @__PURE__ */ function() {
              function CallExpression(node) {
                if (context.getScope().type !== "module") {
                  return;
                }
                if (node.callee.type !== "Identifier") {
                  return;
                }
                if (node.callee.name !== "require" && node.callee.name !== "define") {
                  return;
                }
                if (node.arguments.length !== 2) {
                  return;
                }
                var modules = node.arguments[0];
                if (modules.type !== "ArrayExpression") {
                  return;
                }
                context.report(node, "Expected imports instead of AMD " + String(node.callee.name) + "().");
              }
              return CallExpression;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/semver@6.3.1/node_modules/semver/semver.js
var require_semver3 = __commonJS({
  "node_modules/.pnpm/semver@6.3.1/node_modules/semver/semver.js"(exports2, module2) {
    exports2 = module2.exports = SemVer;
    var debug5;
    if (typeof process === "object" && process.env && process.env.NODE_DEBUG && /\bsemver\b/i.test(process.env.NODE_DEBUG)) {
      debug5 = function() {
        var args = Array.prototype.slice.call(arguments, 0);
        args.unshift("SEMVER");
        console.log.apply(console, args);
      };
    } else {
      debug5 = function() {
      };
    }
    exports2.SEMVER_SPEC_VERSION = "2.0.0";
    var MAX_LENGTH = 256;
    var MAX_SAFE_INTEGER3 = Number.MAX_SAFE_INTEGER || /* istanbul ignore next */
    9007199254740991;
    var MAX_SAFE_COMPONENT_LENGTH = 16;
    var MAX_SAFE_BUILD_LENGTH = MAX_LENGTH - 6;
    var re = exports2.re = [];
    var safeRe = exports2.safeRe = [];
    var src = exports2.src = [];
    var t = exports2.tokens = {};
    var R = 0;
    function tok(n) {
      t[n] = R++;
    }
    var LETTERDASHNUMBER = "[a-zA-Z0-9-]";
    var safeRegexReplacements = [
      ["\\s", 1],
      ["\\d", MAX_LENGTH],
      [LETTERDASHNUMBER, MAX_SAFE_BUILD_LENGTH]
    ];
    function makeSafeRe(value) {
      for (var i2 = 0; i2 < safeRegexReplacements.length; i2++) {
        var token = safeRegexReplacements[i2][0];
        var max = safeRegexReplacements[i2][1];
        value = value.split(token + "*").join(token + "{0," + max + "}").split(token + "+").join(token + "{1," + max + "}");
      }
      return value;
    }
    tok("NUMERICIDENTIFIER");
    src[t.NUMERICIDENTIFIER] = "0|[1-9]\\d*";
    tok("NUMERICIDENTIFIERLOOSE");
    src[t.NUMERICIDENTIFIERLOOSE] = "\\d+";
    tok("NONNUMERICIDENTIFIER");
    src[t.NONNUMERICIDENTIFIER] = "\\d*[a-zA-Z-]" + LETTERDASHNUMBER + "*";
    tok("MAINVERSION");
    src[t.MAINVERSION] = "(" + src[t.NUMERICIDENTIFIER] + ")\\.(" + src[t.NUMERICIDENTIFIER] + ")\\.(" + src[t.NUMERICIDENTIFIER] + ")";
    tok("MAINVERSIONLOOSE");
    src[t.MAINVERSIONLOOSE] = "(" + src[t.NUMERICIDENTIFIERLOOSE] + ")\\.(" + src[t.NUMERICIDENTIFIERLOOSE] + ")\\.(" + src[t.NUMERICIDENTIFIERLOOSE] + ")";
    tok("PRERELEASEIDENTIFIER");
    src[t.PRERELEASEIDENTIFIER] = "(?:" + src[t.NUMERICIDENTIFIER] + "|" + src[t.NONNUMERICIDENTIFIER] + ")";
    tok("PRERELEASEIDENTIFIERLOOSE");
    src[t.PRERELEASEIDENTIFIERLOOSE] = "(?:" + src[t.NUMERICIDENTIFIERLOOSE] + "|" + src[t.NONNUMERICIDENTIFIER] + ")";
    tok("PRERELEASE");
    src[t.PRERELEASE] = "(?:-(" + src[t.PRERELEASEIDENTIFIER] + "(?:\\." + src[t.PRERELEASEIDENTIFIER] + ")*))";
    tok("PRERELEASELOOSE");
    src[t.PRERELEASELOOSE] = "(?:-?(" + src[t.PRERELEASEIDENTIFIERLOOSE] + "(?:\\." + src[t.PRERELEASEIDENTIFIERLOOSE] + ")*))";
    tok("BUILDIDENTIFIER");
    src[t.BUILDIDENTIFIER] = LETTERDASHNUMBER + "+";
    tok("BUILD");
    src[t.BUILD] = "(?:\\+(" + src[t.BUILDIDENTIFIER] + "(?:\\." + src[t.BUILDIDENTIFIER] + ")*))";
    tok("FULL");
    tok("FULLPLAIN");
    src[t.FULLPLAIN] = "v?" + src[t.MAINVERSION] + src[t.PRERELEASE] + "?" + src[t.BUILD] + "?";
    src[t.FULL] = "^" + src[t.FULLPLAIN] + "$";
    tok("LOOSEPLAIN");
    src[t.LOOSEPLAIN] = "[v=\\s]*" + src[t.MAINVERSIONLOOSE] + src[t.PRERELEASELOOSE] + "?" + src[t.BUILD] + "?";
    tok("LOOSE");
    src[t.LOOSE] = "^" + src[t.LOOSEPLAIN] + "$";
    tok("GTLT");
    src[t.GTLT] = "((?:<|>)?=?)";
    tok("XRANGEIDENTIFIERLOOSE");
    src[t.XRANGEIDENTIFIERLOOSE] = src[t.NUMERICIDENTIFIERLOOSE] + "|x|X|\\*";
    tok("XRANGEIDENTIFIER");
    src[t.XRANGEIDENTIFIER] = src[t.NUMERICIDENTIFIER] + "|x|X|\\*";
    tok("XRANGEPLAIN");
    src[t.XRANGEPLAIN] = "[v=\\s]*(" + src[t.XRANGEIDENTIFIER] + ")(?:\\.(" + src[t.XRANGEIDENTIFIER] + ")(?:\\.(" + src[t.XRANGEIDENTIFIER] + ")(?:" + src[t.PRERELEASE] + ")?" + src[t.BUILD] + "?)?)?";
    tok("XRANGEPLAINLOOSE");
    src[t.XRANGEPLAINLOOSE] = "[v=\\s]*(" + src[t.XRANGEIDENTIFIERLOOSE] + ")(?:\\.(" + src[t.XRANGEIDENTIFIERLOOSE] + ")(?:\\.(" + src[t.XRANGEIDENTIFIERLOOSE] + ")(?:" + src[t.PRERELEASELOOSE] + ")?" + src[t.BUILD] + "?)?)?";
    tok("XRANGE");
    src[t.XRANGE] = "^" + src[t.GTLT] + "\\s*" + src[t.XRANGEPLAIN] + "$";
    tok("XRANGELOOSE");
    src[t.XRANGELOOSE] = "^" + src[t.GTLT] + "\\s*" + src[t.XRANGEPLAINLOOSE] + "$";
    tok("COERCE");
    src[t.COERCE] = "(^|[^\\d])(\\d{1," + MAX_SAFE_COMPONENT_LENGTH + "})(?:\\.(\\d{1," + MAX_SAFE_COMPONENT_LENGTH + "}))?(?:\\.(\\d{1," + MAX_SAFE_COMPONENT_LENGTH + "}))?(?:$|[^\\d])";
    tok("COERCERTL");
    re[t.COERCERTL] = new RegExp(src[t.COERCE], "g");
    safeRe[t.COERCERTL] = new RegExp(makeSafeRe(src[t.COERCE]), "g");
    tok("LONETILDE");
    src[t.LONETILDE] = "(?:~>?)";
    tok("TILDETRIM");
    src[t.TILDETRIM] = "(\\s*)" + src[t.LONETILDE] + "\\s+";
    re[t.TILDETRIM] = new RegExp(src[t.TILDETRIM], "g");
    safeRe[t.TILDETRIM] = new RegExp(makeSafeRe(src[t.TILDETRIM]), "g");
    var tildeTrimReplace = "$1~";
    tok("TILDE");
    src[t.TILDE] = "^" + src[t.LONETILDE] + src[t.XRANGEPLAIN] + "$";
    tok("TILDELOOSE");
    src[t.TILDELOOSE] = "^" + src[t.LONETILDE] + src[t.XRANGEPLAINLOOSE] + "$";
    tok("LONECARET");
    src[t.LONECARET] = "(?:\\^)";
    tok("CARETTRIM");
    src[t.CARETTRIM] = "(\\s*)" + src[t.LONECARET] + "\\s+";
    re[t.CARETTRIM] = new RegExp(src[t.CARETTRIM], "g");
    safeRe[t.CARETTRIM] = new RegExp(makeSafeRe(src[t.CARETTRIM]), "g");
    var caretTrimReplace = "$1^";
    tok("CARET");
    src[t.CARET] = "^" + src[t.LONECARET] + src[t.XRANGEPLAIN] + "$";
    tok("CARETLOOSE");
    src[t.CARETLOOSE] = "^" + src[t.LONECARET] + src[t.XRANGEPLAINLOOSE] + "$";
    tok("COMPARATORLOOSE");
    src[t.COMPARATORLOOSE] = "^" + src[t.GTLT] + "\\s*(" + src[t.LOOSEPLAIN] + ")$|^$";
    tok("COMPARATOR");
    src[t.COMPARATOR] = "^" + src[t.GTLT] + "\\s*(" + src[t.FULLPLAIN] + ")$|^$";
    tok("COMPARATORTRIM");
    src[t.COMPARATORTRIM] = "(\\s*)" + src[t.GTLT] + "\\s*(" + src[t.LOOSEPLAIN] + "|" + src[t.XRANGEPLAIN] + ")";
    re[t.COMPARATORTRIM] = new RegExp(src[t.COMPARATORTRIM], "g");
    safeRe[t.COMPARATORTRIM] = new RegExp(makeSafeRe(src[t.COMPARATORTRIM]), "g");
    var comparatorTrimReplace = "$1$2$3";
    tok("HYPHENRANGE");
    src[t.HYPHENRANGE] = "^\\s*(" + src[t.XRANGEPLAIN] + ")\\s+-\\s+(" + src[t.XRANGEPLAIN] + ")\\s*$";
    tok("HYPHENRANGELOOSE");
    src[t.HYPHENRANGELOOSE] = "^\\s*(" + src[t.XRANGEPLAINLOOSE] + ")\\s+-\\s+(" + src[t.XRANGEPLAINLOOSE] + ")\\s*$";
    tok("STAR");
    src[t.STAR] = "(<|>)?=?\\s*\\*";
    for (i = 0; i < R; i++) {
      debug5(i, src[i]);
      if (!re[i]) {
        re[i] = new RegExp(src[i]);
        safeRe[i] = new RegExp(makeSafeRe(src[i]));
      }
    }
    var i;
    exports2.parse = parse2;
    function parse2(version, options) {
      if (!options || typeof options !== "object") {
        options = {
          loose: !!options,
          includePrerelease: false
        };
      }
      if (version instanceof SemVer) {
        return version;
      }
      if (typeof version !== "string") {
        return null;
      }
      if (version.length > MAX_LENGTH) {
        return null;
      }
      var r = options.loose ? safeRe[t.LOOSE] : safeRe[t.FULL];
      if (!r.test(version)) {
        return null;
      }
      try {
        return new SemVer(version, options);
      } catch (er) {
        return null;
      }
    }
    exports2.valid = valid;
    function valid(version, options) {
      var v = parse2(version, options);
      return v ? v.version : null;
    }
    exports2.clean = clean;
    function clean(version, options) {
      var s = parse2(version.trim().replace(/^[=v]+/, ""), options);
      return s ? s.version : null;
    }
    exports2.SemVer = SemVer;
    function SemVer(version, options) {
      if (!options || typeof options !== "object") {
        options = {
          loose: !!options,
          includePrerelease: false
        };
      }
      if (version instanceof SemVer) {
        if (version.loose === options.loose) {
          return version;
        } else {
          version = version.version;
        }
      } else if (typeof version !== "string") {
        throw new TypeError("Invalid Version: " + version);
      }
      if (version.length > MAX_LENGTH) {
        throw new TypeError("version is longer than " + MAX_LENGTH + " characters");
      }
      if (!(this instanceof SemVer)) {
        return new SemVer(version, options);
      }
      debug5("SemVer", version, options);
      this.options = options;
      this.loose = !!options.loose;
      var m = version.trim().match(options.loose ? safeRe[t.LOOSE] : safeRe[t.FULL]);
      if (!m) {
        throw new TypeError("Invalid Version: " + version);
      }
      this.raw = version;
      this.major = +m[1];
      this.minor = +m[2];
      this.patch = +m[3];
      if (this.major > MAX_SAFE_INTEGER3 || this.major < 0) {
        throw new TypeError("Invalid major version");
      }
      if (this.minor > MAX_SAFE_INTEGER3 || this.minor < 0) {
        throw new TypeError("Invalid minor version");
      }
      if (this.patch > MAX_SAFE_INTEGER3 || this.patch < 0) {
        throw new TypeError("Invalid patch version");
      }
      if (!m[4]) {
        this.prerelease = [];
      } else {
        this.prerelease = m[4].split(".").map(function(id) {
          if (/^[0-9]+$/.test(id)) {
            var num = +id;
            if (num >= 0 && num < MAX_SAFE_INTEGER3) {
              return num;
            }
          }
          return id;
        });
      }
      this.build = m[5] ? m[5].split(".") : [];
      this.format();
    }
    SemVer.prototype.format = function() {
      this.version = this.major + "." + this.minor + "." + this.patch;
      if (this.prerelease.length) {
        this.version += "-" + this.prerelease.join(".");
      }
      return this.version;
    };
    SemVer.prototype.toString = function() {
      return this.version;
    };
    SemVer.prototype.compare = function(other) {
      debug5("SemVer.compare", this.version, this.options, other);
      if (!(other instanceof SemVer)) {
        other = new SemVer(other, this.options);
      }
      return this.compareMain(other) || this.comparePre(other);
    };
    SemVer.prototype.compareMain = function(other) {
      if (!(other instanceof SemVer)) {
        other = new SemVer(other, this.options);
      }
      return compareIdentifiers(this.major, other.major) || compareIdentifiers(this.minor, other.minor) || compareIdentifiers(this.patch, other.patch);
    };
    SemVer.prototype.comparePre = function(other) {
      if (!(other instanceof SemVer)) {
        other = new SemVer(other, this.options);
      }
      if (this.prerelease.length && !other.prerelease.length) {
        return -1;
      } else if (!this.prerelease.length && other.prerelease.length) {
        return 1;
      } else if (!this.prerelease.length && !other.prerelease.length) {
        return 0;
      }
      var i2 = 0;
      do {
        var a = this.prerelease[i2];
        var b = other.prerelease[i2];
        debug5("prerelease compare", i2, a, b);
        if (a === void 0 && b === void 0) {
          return 0;
        } else if (b === void 0) {
          return 1;
        } else if (a === void 0) {
          return -1;
        } else if (a === b) {
          continue;
        } else {
          return compareIdentifiers(a, b);
        }
      } while (++i2);
    };
    SemVer.prototype.compareBuild = function(other) {
      if (!(other instanceof SemVer)) {
        other = new SemVer(other, this.options);
      }
      var i2 = 0;
      do {
        var a = this.build[i2];
        var b = other.build[i2];
        debug5("prerelease compare", i2, a, b);
        if (a === void 0 && b === void 0) {
          return 0;
        } else if (b === void 0) {
          return 1;
        } else if (a === void 0) {
          return -1;
        } else if (a === b) {
          continue;
        } else {
          return compareIdentifiers(a, b);
        }
      } while (++i2);
    };
    SemVer.prototype.inc = function(release, identifier) {
      switch (release) {
        case "premajor":
          this.prerelease.length = 0;
          this.patch = 0;
          this.minor = 0;
          this.major++;
          this.inc("pre", identifier);
          break;
        case "preminor":
          this.prerelease.length = 0;
          this.patch = 0;
          this.minor++;
          this.inc("pre", identifier);
          break;
        case "prepatch":
          this.prerelease.length = 0;
          this.inc("patch", identifier);
          this.inc("pre", identifier);
          break;
        case "prerelease":
          if (this.prerelease.length === 0) {
            this.inc("patch", identifier);
          }
          this.inc("pre", identifier);
          break;
        case "major":
          if (this.minor !== 0 || this.patch !== 0 || this.prerelease.length === 0) {
            this.major++;
          }
          this.minor = 0;
          this.patch = 0;
          this.prerelease = [];
          break;
        case "minor":
          if (this.patch !== 0 || this.prerelease.length === 0) {
            this.minor++;
          }
          this.patch = 0;
          this.prerelease = [];
          break;
        case "patch":
          if (this.prerelease.length === 0) {
            this.patch++;
          }
          this.prerelease = [];
          break;
        case "pre":
          if (this.prerelease.length === 0) {
            this.prerelease = [0];
          } else {
            var i2 = this.prerelease.length;
            while (--i2 >= 0) {
              if (typeof this.prerelease[i2] === "number") {
                this.prerelease[i2]++;
                i2 = -2;
              }
            }
            if (i2 === -1) {
              this.prerelease.push(0);
            }
          }
          if (identifier) {
            if (this.prerelease[0] === identifier) {
              if (isNaN(this.prerelease[1])) {
                this.prerelease = [identifier, 0];
              }
            } else {
              this.prerelease = [identifier, 0];
            }
          }
          break;
        default:
          throw new Error("invalid increment argument: " + release);
      }
      this.format();
      this.raw = this.version;
      return this;
    };
    exports2.inc = inc;
    function inc(version, release, loose, identifier) {
      if (typeof loose === "string") {
        identifier = loose;
        loose = void 0;
      }
      try {
        return new SemVer(version, loose).inc(release, identifier).version;
      } catch (er) {
        return null;
      }
    }
    exports2.diff = diff;
    function diff(version1, version2) {
      if (eq2(version1, version2)) {
        return null;
      } else {
        var v1 = parse2(version1);
        var v2 = parse2(version2);
        var prefix = "";
        if (v1.prerelease.length || v2.prerelease.length) {
          prefix = "pre";
          var defaultResult = "prerelease";
        }
        for (var key in v1) {
          if (key === "major" || key === "minor" || key === "patch") {
            if (v1[key] !== v2[key]) {
              return prefix + key;
            }
          }
        }
        return defaultResult;
      }
    }
    exports2.compareIdentifiers = compareIdentifiers;
    var numeric = /^[0-9]+$/;
    function compareIdentifiers(a, b) {
      var anum = numeric.test(a);
      var bnum = numeric.test(b);
      if (anum && bnum) {
        a = +a;
        b = +b;
      }
      return a === b ? 0 : anum && !bnum ? -1 : bnum && !anum ? 1 : a < b ? -1 : 1;
    }
    exports2.rcompareIdentifiers = rcompareIdentifiers;
    function rcompareIdentifiers(a, b) {
      return compareIdentifiers(b, a);
    }
    exports2.major = major;
    function major(a, loose) {
      return new SemVer(a, loose).major;
    }
    exports2.minor = minor;
    function minor(a, loose) {
      return new SemVer(a, loose).minor;
    }
    exports2.patch = patch;
    function patch(a, loose) {
      return new SemVer(a, loose).patch;
    }
    exports2.compare = compare;
    function compare(a, b, loose) {
      return new SemVer(a, loose).compare(new SemVer(b, loose));
    }
    exports2.compareLoose = compareLoose;
    function compareLoose(a, b) {
      return compare(a, b, true);
    }
    exports2.compareBuild = compareBuild;
    function compareBuild(a, b, loose) {
      var versionA = new SemVer(a, loose);
      var versionB = new SemVer(b, loose);
      return versionA.compare(versionB) || versionA.compareBuild(versionB);
    }
    exports2.rcompare = rcompare;
    function rcompare(a, b, loose) {
      return compare(b, a, loose);
    }
    exports2.sort = sort;
    function sort(list, loose) {
      return list.sort(function(a, b) {
        return exports2.compareBuild(a, b, loose);
      });
    }
    exports2.rsort = rsort;
    function rsort(list, loose) {
      return list.sort(function(a, b) {
        return exports2.compareBuild(b, a, loose);
      });
    }
    exports2.gt = gt;
    function gt(a, b, loose) {
      return compare(a, b, loose) > 0;
    }
    exports2.lt = lt;
    function lt(a, b, loose) {
      return compare(a, b, loose) < 0;
    }
    exports2.eq = eq2;
    function eq2(a, b, loose) {
      return compare(a, b, loose) === 0;
    }
    exports2.neq = neq;
    function neq(a, b, loose) {
      return compare(a, b, loose) !== 0;
    }
    exports2.gte = gte;
    function gte(a, b, loose) {
      return compare(a, b, loose) >= 0;
    }
    exports2.lte = lte;
    function lte(a, b, loose) {
      return compare(a, b, loose) <= 0;
    }
    exports2.cmp = cmp;
    function cmp(a, op, b, loose) {
      switch (op) {
        case "===":
          if (typeof a === "object")
            a = a.version;
          if (typeof b === "object")
            b = b.version;
          return a === b;
        case "!==":
          if (typeof a === "object")
            a = a.version;
          if (typeof b === "object")
            b = b.version;
          return a !== b;
        case "":
        case "=":
        case "==":
          return eq2(a, b, loose);
        case "!=":
          return neq(a, b, loose);
        case ">":
          return gt(a, b, loose);
        case ">=":
          return gte(a, b, loose);
        case "<":
          return lt(a, b, loose);
        case "<=":
          return lte(a, b, loose);
        default:
          throw new TypeError("Invalid operator: " + op);
      }
    }
    exports2.Comparator = Comparator;
    function Comparator(comp, options) {
      if (!options || typeof options !== "object") {
        options = {
          loose: !!options,
          includePrerelease: false
        };
      }
      if (comp instanceof Comparator) {
        if (comp.loose === !!options.loose) {
          return comp;
        } else {
          comp = comp.value;
        }
      }
      if (!(this instanceof Comparator)) {
        return new Comparator(comp, options);
      }
      comp = comp.trim().split(/\s+/).join(" ");
      debug5("comparator", comp, options);
      this.options = options;
      this.loose = !!options.loose;
      this.parse(comp);
      if (this.semver === ANY) {
        this.value = "";
      } else {
        this.value = this.operator + this.semver.version;
      }
      debug5("comp", this);
    }
    var ANY = {};
    Comparator.prototype.parse = function(comp) {
      var r = this.options.loose ? safeRe[t.COMPARATORLOOSE] : safeRe[t.COMPARATOR];
      var m = comp.match(r);
      if (!m) {
        throw new TypeError("Invalid comparator: " + comp);
      }
      this.operator = m[1] !== void 0 ? m[1] : "";
      if (this.operator === "=") {
        this.operator = "";
      }
      if (!m[2]) {
        this.semver = ANY;
      } else {
        this.semver = new SemVer(m[2], this.options.loose);
      }
    };
    Comparator.prototype.toString = function() {
      return this.value;
    };
    Comparator.prototype.test = function(version) {
      debug5("Comparator.test", version, this.options.loose);
      if (this.semver === ANY || version === ANY) {
        return true;
      }
      if (typeof version === "string") {
        try {
          version = new SemVer(version, this.options);
        } catch (er) {
          return false;
        }
      }
      return cmp(version, this.operator, this.semver, this.options);
    };
    Comparator.prototype.intersects = function(comp, options) {
      if (!(comp instanceof Comparator)) {
        throw new TypeError("a Comparator is required");
      }
      if (!options || typeof options !== "object") {
        options = {
          loose: !!options,
          includePrerelease: false
        };
      }
      var rangeTmp;
      if (this.operator === "") {
        if (this.value === "") {
          return true;
        }
        rangeTmp = new Range(comp.value, options);
        return satisfies(this.value, rangeTmp, options);
      } else if (comp.operator === "") {
        if (comp.value === "") {
          return true;
        }
        rangeTmp = new Range(this.value, options);
        return satisfies(comp.semver, rangeTmp, options);
      }
      var sameDirectionIncreasing = (this.operator === ">=" || this.operator === ">") && (comp.operator === ">=" || comp.operator === ">");
      var sameDirectionDecreasing = (this.operator === "<=" || this.operator === "<") && (comp.operator === "<=" || comp.operator === "<");
      var sameSemVer = this.semver.version === comp.semver.version;
      var differentDirectionsInclusive = (this.operator === ">=" || this.operator === "<=") && (comp.operator === ">=" || comp.operator === "<=");
      var oppositeDirectionsLessThan = cmp(this.semver, "<", comp.semver, options) && ((this.operator === ">=" || this.operator === ">") && (comp.operator === "<=" || comp.operator === "<"));
      var oppositeDirectionsGreaterThan = cmp(this.semver, ">", comp.semver, options) && ((this.operator === "<=" || this.operator === "<") && (comp.operator === ">=" || comp.operator === ">"));
      return sameDirectionIncreasing || sameDirectionDecreasing || sameSemVer && differentDirectionsInclusive || oppositeDirectionsLessThan || oppositeDirectionsGreaterThan;
    };
    exports2.Range = Range;
    function Range(range, options) {
      if (!options || typeof options !== "object") {
        options = {
          loose: !!options,
          includePrerelease: false
        };
      }
      if (range instanceof Range) {
        if (range.loose === !!options.loose && range.includePrerelease === !!options.includePrerelease) {
          return range;
        } else {
          return new Range(range.raw, options);
        }
      }
      if (range instanceof Comparator) {
        return new Range(range.value, options);
      }
      if (!(this instanceof Range)) {
        return new Range(range, options);
      }
      this.options = options;
      this.loose = !!options.loose;
      this.includePrerelease = !!options.includePrerelease;
      this.raw = range.trim().split(/\s+/).join(" ");
      this.set = this.raw.split("||").map(function(range2) {
        return this.parseRange(range2.trim());
      }, this).filter(function(c) {
        return c.length;
      });
      if (!this.set.length) {
        throw new TypeError("Invalid SemVer Range: " + this.raw);
      }
      this.format();
    }
    Range.prototype.format = function() {
      this.range = this.set.map(function(comps) {
        return comps.join(" ").trim();
      }).join("||").trim();
      return this.range;
    };
    Range.prototype.toString = function() {
      return this.range;
    };
    Range.prototype.parseRange = function(range) {
      var loose = this.options.loose;
      var hr = loose ? safeRe[t.HYPHENRANGELOOSE] : safeRe[t.HYPHENRANGE];
      range = range.replace(hr, hyphenReplace);
      debug5("hyphen replace", range);
      range = range.replace(safeRe[t.COMPARATORTRIM], comparatorTrimReplace);
      debug5("comparator trim", range, safeRe[t.COMPARATORTRIM]);
      range = range.replace(safeRe[t.TILDETRIM], tildeTrimReplace);
      range = range.replace(safeRe[t.CARETTRIM], caretTrimReplace);
      range = range.split(/\s+/).join(" ");
      var compRe = loose ? safeRe[t.COMPARATORLOOSE] : safeRe[t.COMPARATOR];
      var set = range.split(" ").map(function(comp) {
        return parseComparator(comp, this.options);
      }, this).join(" ").split(/\s+/);
      if (this.options.loose) {
        set = set.filter(function(comp) {
          return !!comp.match(compRe);
        });
      }
      set = set.map(function(comp) {
        return new Comparator(comp, this.options);
      }, this);
      return set;
    };
    Range.prototype.intersects = function(range, options) {
      if (!(range instanceof Range)) {
        throw new TypeError("a Range is required");
      }
      return this.set.some(function(thisComparators) {
        return isSatisfiable(thisComparators, options) && range.set.some(function(rangeComparators) {
          return isSatisfiable(rangeComparators, options) && thisComparators.every(function(thisComparator) {
            return rangeComparators.every(function(rangeComparator) {
              return thisComparator.intersects(rangeComparator, options);
            });
          });
        });
      });
    };
    function isSatisfiable(comparators, options) {
      var result = true;
      var remainingComparators = comparators.slice();
      var testComparator = remainingComparators.pop();
      while (result && remainingComparators.length) {
        result = remainingComparators.every(function(otherComparator) {
          return testComparator.intersects(otherComparator, options);
        });
        testComparator = remainingComparators.pop();
      }
      return result;
    }
    exports2.toComparators = toComparators;
    function toComparators(range, options) {
      return new Range(range, options).set.map(function(comp) {
        return comp.map(function(c) {
          return c.value;
        }).join(" ").trim().split(" ");
      });
    }
    function parseComparator(comp, options) {
      debug5("comp", comp, options);
      comp = replaceCarets(comp, options);
      debug5("caret", comp);
      comp = replaceTildes(comp, options);
      debug5("tildes", comp);
      comp = replaceXRanges(comp, options);
      debug5("xrange", comp);
      comp = replaceStars(comp, options);
      debug5("stars", comp);
      return comp;
    }
    function isX(id) {
      return !id || id.toLowerCase() === "x" || id === "*";
    }
    function replaceTildes(comp, options) {
      return comp.trim().split(/\s+/).map(function(comp2) {
        return replaceTilde(comp2, options);
      }).join(" ");
    }
    function replaceTilde(comp, options) {
      var r = options.loose ? safeRe[t.TILDELOOSE] : safeRe[t.TILDE];
      return comp.replace(r, function(_, M, m, p, pr) {
        debug5("tilde", comp, _, M, m, p, pr);
        var ret;
        if (isX(M)) {
          ret = "";
        } else if (isX(m)) {
          ret = ">=" + M + ".0.0 <" + (+M + 1) + ".0.0";
        } else if (isX(p)) {
          ret = ">=" + M + "." + m + ".0 <" + M + "." + (+m + 1) + ".0";
        } else if (pr) {
          debug5("replaceTilde pr", pr);
          ret = ">=" + M + "." + m + "." + p + "-" + pr + " <" + M + "." + (+m + 1) + ".0";
        } else {
          ret = ">=" + M + "." + m + "." + p + " <" + M + "." + (+m + 1) + ".0";
        }
        debug5("tilde return", ret);
        return ret;
      });
    }
    function replaceCarets(comp, options) {
      return comp.trim().split(/\s+/).map(function(comp2) {
        return replaceCaret(comp2, options);
      }).join(" ");
    }
    function replaceCaret(comp, options) {
      debug5("caret", comp, options);
      var r = options.loose ? safeRe[t.CARETLOOSE] : safeRe[t.CARET];
      return comp.replace(r, function(_, M, m, p, pr) {
        debug5("caret", comp, _, M, m, p, pr);
        var ret;
        if (isX(M)) {
          ret = "";
        } else if (isX(m)) {
          ret = ">=" + M + ".0.0 <" + (+M + 1) + ".0.0";
        } else if (isX(p)) {
          if (M === "0") {
            ret = ">=" + M + "." + m + ".0 <" + M + "." + (+m + 1) + ".0";
          } else {
            ret = ">=" + M + "." + m + ".0 <" + (+M + 1) + ".0.0";
          }
        } else if (pr) {
          debug5("replaceCaret pr", pr);
          if (M === "0") {
            if (m === "0") {
              ret = ">=" + M + "." + m + "." + p + "-" + pr + " <" + M + "." + m + "." + (+p + 1);
            } else {
              ret = ">=" + M + "." + m + "." + p + "-" + pr + " <" + M + "." + (+m + 1) + ".0";
            }
          } else {
            ret = ">=" + M + "." + m + "." + p + "-" + pr + " <" + (+M + 1) + ".0.0";
          }
        } else {
          debug5("no pr");
          if (M === "0") {
            if (m === "0") {
              ret = ">=" + M + "." + m + "." + p + " <" + M + "." + m + "." + (+p + 1);
            } else {
              ret = ">=" + M + "." + m + "." + p + " <" + M + "." + (+m + 1) + ".0";
            }
          } else {
            ret = ">=" + M + "." + m + "." + p + " <" + (+M + 1) + ".0.0";
          }
        }
        debug5("caret return", ret);
        return ret;
      });
    }
    function replaceXRanges(comp, options) {
      debug5("replaceXRanges", comp, options);
      return comp.split(/\s+/).map(function(comp2) {
        return replaceXRange(comp2, options);
      }).join(" ");
    }
    function replaceXRange(comp, options) {
      comp = comp.trim();
      var r = options.loose ? safeRe[t.XRANGELOOSE] : safeRe[t.XRANGE];
      return comp.replace(r, function(ret, gtlt, M, m, p, pr) {
        debug5("xRange", comp, ret, gtlt, M, m, p, pr);
        var xM = isX(M);
        var xm = xM || isX(m);
        var xp = xm || isX(p);
        var anyX = xp;
        if (gtlt === "=" && anyX) {
          gtlt = "";
        }
        pr = options.includePrerelease ? "-0" : "";
        if (xM) {
          if (gtlt === ">" || gtlt === "<") {
            ret = "<0.0.0-0";
          } else {
            ret = "*";
          }
        } else if (gtlt && anyX) {
          if (xm) {
            m = 0;
          }
          p = 0;
          if (gtlt === ">") {
            gtlt = ">=";
            if (xm) {
              M = +M + 1;
              m = 0;
              p = 0;
            } else {
              m = +m + 1;
              p = 0;
            }
          } else if (gtlt === "<=") {
            gtlt = "<";
            if (xm) {
              M = +M + 1;
            } else {
              m = +m + 1;
            }
          }
          ret = gtlt + M + "." + m + "." + p + pr;
        } else if (xm) {
          ret = ">=" + M + ".0.0" + pr + " <" + (+M + 1) + ".0.0" + pr;
        } else if (xp) {
          ret = ">=" + M + "." + m + ".0" + pr + " <" + M + "." + (+m + 1) + ".0" + pr;
        }
        debug5("xRange return", ret);
        return ret;
      });
    }
    function replaceStars(comp, options) {
      debug5("replaceStars", comp, options);
      return comp.trim().replace(safeRe[t.STAR], "");
    }
    function hyphenReplace($0, from, fM, fm, fp, fpr, fb, to, tM, tm, tp, tpr, tb) {
      if (isX(fM)) {
        from = "";
      } else if (isX(fm)) {
        from = ">=" + fM + ".0.0";
      } else if (isX(fp)) {
        from = ">=" + fM + "." + fm + ".0";
      } else {
        from = ">=" + from;
      }
      if (isX(tM)) {
        to = "";
      } else if (isX(tm)) {
        to = "<" + (+tM + 1) + ".0.0";
      } else if (isX(tp)) {
        to = "<" + tM + "." + (+tm + 1) + ".0";
      } else if (tpr) {
        to = "<=" + tM + "." + tm + "." + tp + "-" + tpr;
      } else {
        to = "<=" + to;
      }
      return (from + " " + to).trim();
    }
    Range.prototype.test = function(version) {
      if (!version) {
        return false;
      }
      if (typeof version === "string") {
        try {
          version = new SemVer(version, this.options);
        } catch (er) {
          return false;
        }
      }
      for (var i2 = 0; i2 < this.set.length; i2++) {
        if (testSet(this.set[i2], version, this.options)) {
          return true;
        }
      }
      return false;
    };
    function testSet(set, version, options) {
      for (var i2 = 0; i2 < set.length; i2++) {
        if (!set[i2].test(version)) {
          return false;
        }
      }
      if (version.prerelease.length && !options.includePrerelease) {
        for (i2 = 0; i2 < set.length; i2++) {
          debug5(set[i2].semver);
          if (set[i2].semver === ANY) {
            continue;
          }
          if (set[i2].semver.prerelease.length > 0) {
            var allowed = set[i2].semver;
            if (allowed.major === version.major && allowed.minor === version.minor && allowed.patch === version.patch) {
              return true;
            }
          }
        }
        return false;
      }
      return true;
    }
    exports2.satisfies = satisfies;
    function satisfies(version, range, options) {
      try {
        range = new Range(range, options);
      } catch (er) {
        return false;
      }
      return range.test(version);
    }
    exports2.maxSatisfying = maxSatisfying;
    function maxSatisfying(versions, range, options) {
      var max = null;
      var maxSV = null;
      try {
        var rangeObj = new Range(range, options);
      } catch (er) {
        return null;
      }
      versions.forEach(function(v) {
        if (rangeObj.test(v)) {
          if (!max || maxSV.compare(v) === -1) {
            max = v;
            maxSV = new SemVer(max, options);
          }
        }
      });
      return max;
    }
    exports2.minSatisfying = minSatisfying;
    function minSatisfying(versions, range, options) {
      var min = null;
      var minSV = null;
      try {
        var rangeObj = new Range(range, options);
      } catch (er) {
        return null;
      }
      versions.forEach(function(v) {
        if (rangeObj.test(v)) {
          if (!min || minSV.compare(v) === 1) {
            min = v;
            minSV = new SemVer(min, options);
          }
        }
      });
      return min;
    }
    exports2.minVersion = minVersion;
    function minVersion(range, loose) {
      range = new Range(range, loose);
      var minver = new SemVer("0.0.0");
      if (range.test(minver)) {
        return minver;
      }
      minver = new SemVer("0.0.0-0");
      if (range.test(minver)) {
        return minver;
      }
      minver = null;
      for (var i2 = 0; i2 < range.set.length; ++i2) {
        var comparators = range.set[i2];
        comparators.forEach(function(comparator) {
          var compver = new SemVer(comparator.semver.version);
          switch (comparator.operator) {
            case ">":
              if (compver.prerelease.length === 0) {
                compver.patch++;
              } else {
                compver.prerelease.push(0);
              }
              compver.raw = compver.format();
            case "":
            case ">=":
              if (!minver || gt(minver, compver)) {
                minver = compver;
              }
              break;
            case "<":
            case "<=":
              break;
            default:
              throw new Error("Unexpected operation: " + comparator.operator);
          }
        });
      }
      if (minver && range.test(minver)) {
        return minver;
      }
      return null;
    }
    exports2.validRange = validRange;
    function validRange(range, options) {
      try {
        return new Range(range, options).range || "*";
      } catch (er) {
        return null;
      }
    }
    exports2.ltr = ltr;
    function ltr(version, range, options) {
      return outside(version, range, "<", options);
    }
    exports2.gtr = gtr;
    function gtr(version, range, options) {
      return outside(version, range, ">", options);
    }
    exports2.outside = outside;
    function outside(version, range, hilo, options) {
      version = new SemVer(version, options);
      range = new Range(range, options);
      var gtfn, ltefn, ltfn, comp, ecomp;
      switch (hilo) {
        case ">":
          gtfn = gt;
          ltefn = lte;
          ltfn = lt;
          comp = ">";
          ecomp = ">=";
          break;
        case "<":
          gtfn = lt;
          ltefn = gte;
          ltfn = gt;
          comp = "<";
          ecomp = "<=";
          break;
        default:
          throw new TypeError('Must provide a hilo val of "<" or ">"');
      }
      if (satisfies(version, range, options)) {
        return false;
      }
      for (var i2 = 0; i2 < range.set.length; ++i2) {
        var comparators = range.set[i2];
        var high = null;
        var low = null;
        comparators.forEach(function(comparator) {
          if (comparator.semver === ANY) {
            comparator = new Comparator(">=0.0.0");
          }
          high = high || comparator;
          low = low || comparator;
          if (gtfn(comparator.semver, high.semver, options)) {
            high = comparator;
          } else if (ltfn(comparator.semver, low.semver, options)) {
            low = comparator;
          }
        });
        if (high.operator === comp || high.operator === ecomp) {
          return false;
        }
        if ((!low.operator || low.operator === comp) && ltefn(version, low.semver)) {
          return false;
        } else if (low.operator === ecomp && ltfn(version, low.semver)) {
          return false;
        }
      }
      return true;
    }
    exports2.prerelease = prerelease;
    function prerelease(version, options) {
      var parsed = parse2(version, options);
      return parsed && parsed.prerelease.length ? parsed.prerelease : null;
    }
    exports2.intersects = intersects;
    function intersects(r1, r2, options) {
      r1 = new Range(r1, options);
      r2 = new Range(r2, options);
      return r1.intersects(r2);
    }
    exports2.coerce = coerce2;
    function coerce2(version, options) {
      if (version instanceof SemVer) {
        return version;
      }
      if (typeof version === "number") {
        version = String(version);
      }
      if (typeof version !== "string") {
        return null;
      }
      options = options || {};
      var match = null;
      if (!options.rtl) {
        match = version.match(safeRe[t.COERCE]);
      } else {
        var next;
        while ((next = safeRe[t.COERCERTL].exec(version)) && (!match || match.index + match[0].length !== version.length)) {
          if (!match || next.index + next[0].length !== match.index + match[0].length) {
            match = next;
          }
          safeRe[t.COERCERTL].lastIndex = next.index + next[1].length + next[2].length;
        }
        safeRe[t.COERCERTL].lastIndex = -1;
      }
      if (match === null) {
        return null;
      }
      return parse2(match[2] + "." + (match[3] || "0") + "." + (match[4] || "0"), options);
    }
  }
});

// node_modules/.pnpm/typescript@5.5.3/node_modules/typescript/package.json
var require_package7 = __commonJS({
  "node_modules/.pnpm/typescript@5.5.3/node_modules/typescript/package.json"(exports2, module2) {
    module2.exports = {
      name: "typescript",
      author: "Microsoft Corp.",
      homepage: "https://www.typescriptlang.org/",
      version: "5.5.3",
      license: "Apache-2.0",
      description: "TypeScript is a language for application scale JavaScript development",
      keywords: [
        "TypeScript",
        "Microsoft",
        "compiler",
        "language",
        "javascript"
      ],
      bugs: {
        url: "https://github.com/Microsoft/TypeScript/issues"
      },
      repository: {
        type: "git",
        url: "https://github.com/Microsoft/TypeScript.git"
      },
      main: "./lib/typescript.js",
      typings: "./lib/typescript.d.ts",
      bin: {
        tsc: "./bin/tsc",
        tsserver: "./bin/tsserver"
      },
      engines: {
        node: ">=14.17"
      },
      files: [
        "bin",
        "lib",
        "!lib/enu",
        "LICENSE.txt",
        "README.md",
        "SECURITY.md",
        "ThirdPartyNoticeText.txt",
        "!**/.gitattributes"
      ],
      devDependencies: {
        "@dprint/formatter": "^0.3.0",
        "@dprint/typescript": "0.91.0",
        "@esfx/canceltoken": "^1.0.0",
        "@octokit/rest": "^20.1.1",
        "@types/chai": "^4.3.16",
        "@types/microsoft__typescript-etw": "^0.1.3",
        "@types/minimist": "^1.2.5",
        "@types/mocha": "^10.0.6",
        "@types/ms": "^0.7.34",
        "@types/node": "latest",
        "@types/source-map-support": "^0.5.10",
        "@types/which": "^3.0.3",
        "@typescript-eslint/eslint-plugin": "^7.11.0",
        "@typescript-eslint/parser": "^7.11.0",
        "@typescript-eslint/utils": "^7.11.0",
        "azure-devops-node-api": "^13.0.0",
        c8: "^9.1.0",
        chai: "^4.4.1",
        chalk: "^4.1.2",
        chokidar: "^3.6.0",
        diff: "^5.2.0",
        dprint: "^0.46.1",
        esbuild: "^0.21.4",
        eslint: "^8.57.0",
        "eslint-formatter-autolinkable-stylish": "^1.3.0",
        "eslint-plugin-local": "^4.2.2",
        "fast-xml-parser": "^4.4.0",
        glob: "^10.4.1",
        hereby: "^1.8.9",
        "jsonc-parser": "^3.2.1",
        minimist: "^1.2.8",
        mocha: "^10.4.0",
        "mocha-fivemat-progress-reporter": "^0.1.0",
        ms: "^2.1.3",
        "node-fetch": "^3.3.2",
        playwright: "^1.44.1",
        "source-map-support": "^0.5.21",
        tslib: "^2.6.2",
        typescript: "^5.4.5",
        which: "^3.0.1"
      },
      overrides: {
        "typescript@*": "$typescript"
      },
      scripts: {
        test: "hereby runtests-parallel --light=false",
        "test:eslint-rules": "hereby run-eslint-rules-tests",
        build: "npm run build:compiler && npm run build:tests",
        "build:compiler": "hereby local",
        "build:tests": "hereby tests",
        "build:tests:notypecheck": "hereby tests --no-typecheck",
        clean: "hereby clean",
        gulp: "hereby",
        lint: "hereby lint",
        format: "dprint fmt",
        "setup-hooks": "node scripts/link-hooks.mjs"
      },
      browser: {
        fs: false,
        os: false,
        path: false,
        crypto: false,
        buffer: false,
        "@microsoft/typescript-etw": false,
        "source-map-support": false,
        inspector: false,
        perf_hooks: false
      },
      packageManager: "npm@8.19.4",
      volta: {
        node: "20.1.0",
        npm: "8.19.4"
      },
      gitHead: "f0e992167440686f948965e5441a918b34251886"
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-duplicates.js
var require_no_duplicates = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-duplicates.js"(exports2, module2) {
    "use strict";
    var _slicedToArray = /* @__PURE__ */ function() {
      function sliceIterator(arr, i) {
        var _arr = [];
        var _n = true;
        var _d = false;
        var _e = void 0;
        try {
          for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) {
            _arr.push(_s.value);
            if (i && _arr.length === i) break;
          }
        } catch (err) {
          _d = true;
          _e = err;
        } finally {
          try {
            if (!_n && _i["return"]) _i["return"]();
          } finally {
            if (_d) throw _e;
          }
        }
        return _arr;
      }
      return function(arr, i) {
        if (Array.isArray(arr)) {
          return arr;
        } else if (Symbol.iterator in Object(arr)) {
          return sliceIterator(arr, i);
        } else {
          throw new TypeError("Invalid attempt to destructure non-iterable instance");
        }
      };
    }();
    var _resolve = require("eslint-module-utils/resolve");
    var _resolve2 = _interopRequireDefault(_resolve);
    var _semver = require_semver3();
    var _semver2 = _interopRequireDefault(_semver);
    var _arrayPrototype = require_array_prototype();
    var _arrayPrototype2 = _interopRequireDefault(_arrayPrototype);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function _toArray(arr) {
      return Array.isArray(arr) ? arr : Array.from(arr);
    }
    var typescriptPkg = void 0;
    try {
      typescriptPkg = require_package7();
    } catch (e) {
    }
    function checkImports(imported, context) {
      var _iteratorNormalCompletion = true;
      var _didIteratorError = false;
      var _iteratorError = void 0;
      try {
        for (var _iterator = imported.entries()[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
          var _ref = _step.value;
          var _ref2 = _slicedToArray(_ref, 2);
          var _module = _ref2[0];
          var nodes = _ref2[1];
          if (nodes.length > 1) {
            var message = "'" + String(_module) + "' imported multiple times.";
            var _nodes = _toArray(
              nodes
            ), first = _nodes[0], rest = _nodes.slice(1);
            var sourceCode = context.getSourceCode();
            var fix11 = getFix2(first, rest, sourceCode, context);
            context.report({
              node: first.source,
              message,
              fix: fix11
              // Attach the autofix (if any) to the first import.
            });
            var _iteratorNormalCompletion2 = true;
            var _didIteratorError2 = false;
            var _iteratorError2 = void 0;
            try {
              for (var _iterator2 = rest[Symbol.iterator](), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) {
                var node = _step2.value;
                context.report({
                  node: node.source,
                  message
                });
              }
            } catch (err) {
              _didIteratorError2 = true;
              _iteratorError2 = err;
            } finally {
              try {
                if (!_iteratorNormalCompletion2 && _iterator2["return"]) {
                  _iterator2["return"]();
                }
              } finally {
                if (_didIteratorError2) {
                  throw _iteratorError2;
                }
              }
            }
          }
        }
      } catch (err) {
        _didIteratorError = true;
        _iteratorError = err;
      } finally {
        try {
          if (!_iteratorNormalCompletion && _iterator["return"]) {
            _iterator["return"]();
          }
        } finally {
          if (_didIteratorError) {
            throw _iteratorError;
          }
        }
      }
    }
    function getFix2(first, rest, sourceCode, context) {
      if (typeof sourceCode.getCommentsBefore !== "function") {
        return void 0;
      }
      if (hasProblematicComments(first, sourceCode) || hasNamespace(first)) {
        return void 0;
      }
      var defaultImportNames = new Set(
        (0, _arrayPrototype2["default"])([].concat(first, rest || []), function(x) {
          return getDefaultImportName(x) || [];
        })
      );
      if (defaultImportNames.size > 1) {
        return void 0;
      }
      var restWithoutComments = rest.filter(function(node) {
        return !hasProblematicComments(node, sourceCode) && !hasNamespace(node);
      });
      var specifiers = restWithoutComments.map(function(node) {
        var tokens = sourceCode.getTokens(node);
        var openBrace = tokens.find(function(token) {
          return isPunctuator(token, "{");
        });
        var closeBrace = tokens.find(function(token) {
          return isPunctuator(token, "}");
        });
        if (openBrace == null || closeBrace == null) {
          return void 0;
        }
        return {
          importNode: node,
          identifiers: sourceCode.text.slice(openBrace.range[1], closeBrace.range[0]).split(","),
          // Split the text into separate identifiers (retaining any whitespace before or after)
          isEmpty: !hasSpecifiers(node)
        };
      }).filter(Boolean);
      var unnecessaryImports = restWithoutComments.filter(function(node) {
        return !hasSpecifiers(node) && !hasNamespace(node) && !specifiers.some(function(specifier) {
          return specifier.importNode === node;
        });
      });
      var shouldAddDefault = getDefaultImportName(first) == null && defaultImportNames.size === 1;
      var shouldAddSpecifiers = specifiers.length > 0;
      var shouldRemoveUnnecessary = unnecessaryImports.length > 0;
      if (!(shouldAddDefault || shouldAddSpecifiers || shouldRemoveUnnecessary)) {
        return void 0;
      }
      return function(fixer) {
        var tokens = sourceCode.getTokens(first);
        var openBrace = tokens.find(function(token) {
          return isPunctuator(token, "{");
        });
        var closeBrace = tokens.find(function(token) {
          return isPunctuator(token, "}");
        });
        var firstToken = sourceCode.getFirstToken(first);
        var _defaultImportNames = _slicedToArray(
          defaultImportNames,
          1
        ), defaultImportName = _defaultImportNames[0];
        var firstHasTrailingComma = closeBrace != null && isPunctuator(sourceCode.getTokenBefore(closeBrace), ",");
        var firstIsEmpty = !hasSpecifiers(first);
        var firstExistingIdentifiers = firstIsEmpty ? /* @__PURE__ */ new Set() : new Set(sourceCode.text.slice(openBrace.range[1], closeBrace.range[0]).split(",").map(function(x) {
          return x.trim();
        }));
        var _specifiers$reduce = specifiers.reduce(
          function(_ref3, specifier2) {
            var _ref4 = _slicedToArray(_ref3, 3), result = _ref4[0], needsComma = _ref4[1], existingIdentifiers = _ref4[2];
            var isTypeSpecifier = specifier2.importNode.importKind === "type";
            var preferInline = context.options[0] && context.options[0]["prefer-inline"];
            if (preferInline && (!typescriptPkg || !_semver2["default"].satisfies(typescriptPkg.version, ">= 4.5"))) {
              throw new Error("Your version of TypeScript does not support inline type imports.");
            }
            var _specifier$identifier = specifier2.identifiers.reduce(function(_ref5, cur) {
              var _ref6 = _slicedToArray(_ref5, 2), text = _ref6[0], set = _ref6[1];
              var trimmed = cur.trim();
              var curWithType = trimmed.length > 0 && preferInline && isTypeSpecifier ? "type " + String(cur) : cur;
              if (existingIdentifiers.has(trimmed)) {
                return [text, set];
              }
              return [text.length > 0 ? String(text) + "," + String(curWithType) : curWithType, set.add(trimmed)];
            }, ["", existingIdentifiers]), _specifier$identifier2 = _slicedToArray(_specifier$identifier, 2), specifierText = _specifier$identifier2[0], updatedExistingIdentifiers = _specifier$identifier2[1];
            return [
              needsComma && !specifier2.isEmpty && specifierText.length > 0 ? String(
                result
              ) + "," + String(specifierText) : "" + String(
                result
              ) + String(specifierText),
              specifier2.isEmpty ? needsComma : true,
              updatedExistingIdentifiers
            ];
          },
          ["", !firstHasTrailingComma && !firstIsEmpty, firstExistingIdentifiers]
        ), _specifiers$reduce2 = _slicedToArray(_specifiers$reduce, 1), specifiersText = _specifiers$reduce2[0];
        var fixes = [];
        if (shouldAddDefault && openBrace == null && shouldAddSpecifiers) {
          fixes.push(
            fixer.insertTextAfter(firstToken, " " + String(defaultImportName) + ", {" + String(specifiersText) + "} from")
          );
        } else if (shouldAddDefault && openBrace == null && !shouldAddSpecifiers) {
          fixes.push(fixer.insertTextAfter(firstToken, " " + String(defaultImportName) + " from"));
        } else if (shouldAddDefault && openBrace != null && closeBrace != null) {
          fixes.push(fixer.insertTextAfter(firstToken, " " + String(defaultImportName) + ","));
          if (shouldAddSpecifiers) {
            fixes.push(fixer.insertTextBefore(closeBrace, specifiersText));
          }
        } else if (!shouldAddDefault && openBrace == null && shouldAddSpecifiers) {
          if (first.specifiers.length === 0) {
            fixes.push(fixer.insertTextAfter(firstToken, " {" + String(specifiersText) + "} from"));
          } else {
            fixes.push(fixer.insertTextAfter(first.specifiers[0], ", {" + String(specifiersText) + "}"));
          }
        } else if (!shouldAddDefault && openBrace != null && closeBrace != null) {
          fixes.push(fixer.insertTextBefore(closeBrace, specifiersText));
        }
        var _iteratorNormalCompletion3 = true;
        var _didIteratorError3 = false;
        var _iteratorError3 = void 0;
        try {
          for (var _iterator3 = specifiers[Symbol.iterator](), _step3; !(_iteratorNormalCompletion3 = (_step3 = _iterator3.next()).done); _iteratorNormalCompletion3 = true) {
            var specifier = _step3.value;
            var importNode = specifier.importNode;
            fixes.push(fixer.remove(importNode));
            var charAfterImportRange = [importNode.range[1], importNode.range[1] + 1];
            var charAfterImport = sourceCode.text.substring(charAfterImportRange[0], charAfterImportRange[1]);
            if (charAfterImport === "\n") {
              fixes.push(fixer.removeRange(charAfterImportRange));
            }
          }
        } catch (err) {
          _didIteratorError3 = true;
          _iteratorError3 = err;
        } finally {
          try {
            if (!_iteratorNormalCompletion3 && _iterator3["return"]) {
              _iterator3["return"]();
            }
          } finally {
            if (_didIteratorError3) {
              throw _iteratorError3;
            }
          }
        }
        var _iteratorNormalCompletion4 = true;
        var _didIteratorError4 = false;
        var _iteratorError4 = void 0;
        try {
          for (var _iterator4 = unnecessaryImports[Symbol.iterator](), _step4; !(_iteratorNormalCompletion4 = (_step4 = _iterator4.next()).done); _iteratorNormalCompletion4 = true) {
            var node = _step4.value;
            fixes.push(fixer.remove(node));
            var charAfterImportRange = [node.range[1], node.range[1] + 1];
            var charAfterImport = sourceCode.text.substring(charAfterImportRange[0], charAfterImportRange[1]);
            if (charAfterImport === "\n") {
              fixes.push(fixer.removeRange(charAfterImportRange));
            }
          }
        } catch (err) {
          _didIteratorError4 = true;
          _iteratorError4 = err;
        } finally {
          try {
            if (!_iteratorNormalCompletion4 && _iterator4["return"]) {
              _iterator4["return"]();
            }
          } finally {
            if (_didIteratorError4) {
              throw _iteratorError4;
            }
          }
        }
        return fixes;
      };
    }
    function isPunctuator(node, value) {
      return node.type === "Punctuator" && node.value === value;
    }
    function getDefaultImportName(node) {
      var defaultSpecifier = node.specifiers.find(function(specifier) {
        return specifier.type === "ImportDefaultSpecifier";
      });
      return defaultSpecifier != null ? defaultSpecifier.local.name : void 0;
    }
    function hasNamespace(node) {
      var specifiers = node.specifiers.filter(function(specifier) {
        return specifier.type === "ImportNamespaceSpecifier";
      });
      return specifiers.length > 0;
    }
    function hasSpecifiers(node) {
      var specifiers = node.specifiers.filter(function(specifier) {
        return specifier.type === "ImportSpecifier";
      });
      return specifiers.length > 0;
    }
    function hasProblematicComments(node, sourceCode) {
      return hasCommentBefore(node, sourceCode) || hasCommentAfter(node, sourceCode) || hasCommentInsideNonSpecifiers(node, sourceCode);
    }
    function hasCommentBefore(node, sourceCode) {
      return sourceCode.getCommentsBefore(node).some(function(comment) {
        return comment.loc.end.line >= node.loc.start.line - 1;
      });
    }
    function hasCommentAfter(node, sourceCode) {
      return sourceCode.getCommentsAfter(node).some(function(comment) {
        return comment.loc.start.line === node.loc.end.line;
      });
    }
    function hasCommentInsideNonSpecifiers(node, sourceCode) {
      var tokens = sourceCode.getTokens(node);
      var openBraceIndex = tokens.findIndex(function(token) {
        return isPunctuator(token, "{");
      });
      var closeBraceIndex = tokens.findIndex(function(token) {
        return isPunctuator(token, "}");
      });
      var someTokens = openBraceIndex >= 0 && closeBraceIndex >= 0 ? tokens.slice(1, openBraceIndex + 1).concat(tokens.slice(closeBraceIndex + 1)) : tokens.slice(1);
      return someTokens.some(function(token) {
        return sourceCode.getCommentsBefore(token).length > 0;
      });
    }
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          category: "Style guide",
          description: "Forbid repeated import of the same module in multiple places.",
          url: (0, _docsUrl2["default"])("no-duplicates")
        },
        fixable: "code",
        schema: [
          {
            type: "object",
            properties: {
              considerQueryString: {
                type: "boolean"
              },
              "prefer-inline": {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var considerQueryStringOption = context.options[0] && context.options[0].considerQueryString;
          var defaultResolver = /* @__PURE__ */ function() {
            function defaultResolver2(sourcePath) {
              return (0, _resolve2["default"])(sourcePath, context) || sourcePath;
            }
            return defaultResolver2;
          }();
          var resolver = considerQueryStringOption ? function(sourcePath) {
            var parts = sourcePath.match(/^([^?]*)\?(.*)$/);
            if (!parts) {
              return defaultResolver(sourcePath);
            }
            return String(defaultResolver(parts[1])) + "?" + String(parts[2]);
          } : defaultResolver;
          var moduleMaps = /* @__PURE__ */ new Map();
          function getImportMap(n) {
            if (!moduleMaps.has(n.parent)) {
              moduleMaps.set(n.parent, {
                imported: /* @__PURE__ */ new Map(),
                nsImported: /* @__PURE__ */ new Map(),
                defaultTypesImported: /* @__PURE__ */ new Map(),
                namedTypesImported: /* @__PURE__ */ new Map()
              });
            }
            var map = moduleMaps.get(n.parent);
            var preferInline = context.options[0] && context.options[0]["prefer-inline"];
            if (!preferInline && n.importKind === "type") {
              return n.specifiers.length > 0 && n.specifiers[0].type === "ImportDefaultSpecifier" ? map.defaultTypesImported : map.namedTypesImported;
            }
            if (!preferInline && n.specifiers.some(function(spec) {
              return spec.importKind === "type";
            })) {
              return map.namedTypesImported;
            }
            return hasNamespace(n) ? map.nsImported : map.imported;
          }
          return {
            ImportDeclaration: /* @__PURE__ */ function() {
              function ImportDeclaration(n) {
                var resolvedPath = resolver(n.source.value);
                var importMap = getImportMap(n);
                if (importMap.has(resolvedPath)) {
                  importMap.get(resolvedPath).push(n);
                } else {
                  importMap.set(resolvedPath, [n]);
                }
              }
              return ImportDeclaration;
            }(),
            "Program:exit": /* @__PURE__ */ function() {
              function ProgramExit() {
                var _iteratorNormalCompletion5 = true;
                var _didIteratorError5 = false;
                var _iteratorError5 = void 0;
                try {
                  for (var _iterator5 = moduleMaps.values()[Symbol.iterator](), _step5; !(_iteratorNormalCompletion5 = (_step5 = _iterator5.next()).done); _iteratorNormalCompletion5 = true) {
                    var map = _step5.value;
                    checkImports(map.imported, context);
                    checkImports(map.nsImported, context);
                    checkImports(map.defaultTypesImported, context);
                    checkImports(map.namedTypesImported, context);
                  }
                } catch (err) {
                  _didIteratorError5 = true;
                  _iteratorError5 = err;
                } finally {
                  try {
                    if (!_iteratorNormalCompletion5 && _iterator5["return"]) {
                      _iterator5["return"]();
                    }
                  } finally {
                    if (_didIteratorError5) {
                      throw _iteratorError5;
                    }
                  }
                }
              }
              return ProgramExit;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/first.js
var require_first = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/first.js"(exports2, module2) {
    "use strict";
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function getImportValue(node) {
      return node.type === "ImportDeclaration" ? node.source.value : node.moduleReference.expression.value;
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Style guide",
          description: "Ensure all imports appear before other statements.",
          url: (0, _docsUrl2["default"])("first")
        },
        fixable: "code",
        schema: [
          {
            type: "string",
            "enum": ["absolute-first", "disable-absolute-first"]
          }
        ]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          function isPossibleDirective(node) {
            return node.type === "ExpressionStatement" && node.expression.type === "Literal" && typeof node.expression.value === "string";
          }
          return {
            Program: /* @__PURE__ */ function() {
              function Program(n) {
                var body = n.body;
                if (!body) {
                  return;
                }
                var absoluteFirst = context.options[0] === "absolute-first";
                var message = "Import in body of module; reorder to top.";
                var sourceCode = context.getSourceCode();
                var originSourceCode = sourceCode.getText();
                var nonImportCount = 0;
                var anyExpressions = false;
                var anyRelative = false;
                var lastLegalImp = null;
                var errorInfos = [];
                var shouldSort = true;
                var lastSortNodesIndex = 0;
                body.forEach(function(node, index) {
                  if (!anyExpressions && isPossibleDirective(node)) {
                    return;
                  }
                  anyExpressions = true;
                  if (node.type === "ImportDeclaration" || node.type === "TSImportEqualsDeclaration") {
                    if (absoluteFirst) {
                      if (/^\./.test(getImportValue(node))) {
                        anyRelative = true;
                      } else if (anyRelative) {
                        context.report({
                          node: node.type === "ImportDeclaration" ? node.source : node.moduleReference,
                          message: "Absolute imports should come before relative imports."
                        });
                      }
                    }
                    if (nonImportCount > 0) {
                      var _iteratorNormalCompletion = true;
                      var _didIteratorError = false;
                      var _iteratorError = void 0;
                      try {
                        for (var _iterator = context.getDeclaredVariables(node)[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
                          var variable = _step.value;
                          if (!shouldSort) {
                            break;
                          }
                          var references = variable.references;
                          if (references.length) {
                            var _iteratorNormalCompletion2 = true;
                            var _didIteratorError2 = false;
                            var _iteratorError2 = void 0;
                            try {
                              for (var _iterator2 = references[Symbol.iterator](), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) {
                                var reference = _step2.value;
                                if (reference.identifier.range[0] < node.range[1]) {
                                  shouldSort = false;
                                  break;
                                }
                              }
                            } catch (err) {
                              _didIteratorError2 = true;
                              _iteratorError2 = err;
                            } finally {
                              try {
                                if (!_iteratorNormalCompletion2 && _iterator2["return"]) {
                                  _iterator2["return"]();
                                }
                              } finally {
                                if (_didIteratorError2) {
                                  throw _iteratorError2;
                                }
                              }
                            }
                          }
                        }
                      } catch (err) {
                        _didIteratorError = true;
                        _iteratorError = err;
                      } finally {
                        try {
                          if (!_iteratorNormalCompletion && _iterator["return"]) {
                            _iterator["return"]();
                          }
                        } finally {
                          if (_didIteratorError) {
                            throw _iteratorError;
                          }
                        }
                      }
                      shouldSort && (lastSortNodesIndex = errorInfos.length);
                      errorInfos.push({
                        node,
                        range: [body[index - 1].range[1], node.range[1]]
                      });
                    } else {
                      lastLegalImp = node;
                    }
                  } else {
                    nonImportCount++;
                  }
                });
                if (!errorInfos.length) {
                  return;
                }
                errorInfos.forEach(function(errorInfo, index) {
                  var node = errorInfo.node;
                  var infos = {
                    node,
                    message
                  };
                  if (index < lastSortNodesIndex) {
                    infos.fix = function(fixer) {
                      return fixer.insertTextAfter(node, "");
                    };
                  } else if (index === lastSortNodesIndex) {
                    var sortNodes = errorInfos.slice(0, lastSortNodesIndex + 1);
                    infos.fix = function(fixer) {
                      var removeFixers = sortNodes.map(function(_errorInfo) {
                        return fixer.removeRange(_errorInfo.range);
                      });
                      var range = [0, removeFixers[removeFixers.length - 1].range[1]];
                      var insertSourceCode = sortNodes.map(function(_errorInfo) {
                        var nodeSourceCode = String.prototype.slice.apply(
                          originSourceCode,
                          _errorInfo.range
                        );
                        if (/\S/.test(nodeSourceCode[0])) {
                          return "\n" + String(nodeSourceCode);
                        }
                        return nodeSourceCode;
                      }).join("");
                      var insertFixer = null;
                      var replaceSourceCode = "";
                      if (!lastLegalImp) {
                        insertSourceCode = insertSourceCode.trim() + insertSourceCode.match(/^(\s+)/)[0];
                      }
                      insertFixer = lastLegalImp ? fixer.insertTextAfter(lastLegalImp, insertSourceCode) : fixer.insertTextBefore(body[0], insertSourceCode);
                      var fixers = [insertFixer].concat(removeFixers);
                      fixers.forEach(function(computedFixer, i) {
                        replaceSourceCode += originSourceCode.slice(
                          fixers[i - 1] ? fixers[i - 1].range[1] : 0,
                          computedFixer.range[0]
                        ) + computedFixer.text;
                      });
                      return fixer.replaceTextRange(range, replaceSourceCode);
                    };
                  }
                  context.report(infos);
                });
              }
              return Program;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/max-dependencies.js
var require_max_dependencies = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/max-dependencies.js"(exports2, module2) {
    "use strict";
    var _moduleVisitor = require("eslint-module-utils/moduleVisitor");
    var _moduleVisitor2 = _interopRequireDefault(_moduleVisitor);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    var DEFAULT_MAX = 10;
    var DEFAULT_IGNORE_TYPE_IMPORTS = false;
    var TYPE_IMPORT = "type";
    var countDependencies = function countDependencies2(dependencies, lastNode, context) {
      var _ref = context.options[0] || { max: DEFAULT_MAX }, max = _ref.max;
      if (dependencies.size > max) {
        context.report(lastNode, "Maximum number of dependencies (" + String(max) + ") exceeded.");
      }
    };
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Style guide",
          description: "Enforce the maximum number of dependencies a module can have.",
          url: (0, _docsUrl2["default"])("max-dependencies")
        },
        schema: [
          {
            type: "object",
            properties: {
              max: { type: "number" },
              ignoreTypeImports: { type: "boolean" }
            },
            additionalProperties: false
          }
        ]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var _ref2 = context.options[0] || {}, _ref2$ignoreTypeImpor = _ref2.ignoreTypeImports, ignoreTypeImports = _ref2$ignoreTypeImpor === void 0 ? DEFAULT_IGNORE_TYPE_IMPORTS : _ref2$ignoreTypeImpor;
          var dependencies = /* @__PURE__ */ new Set();
          var lastNode = void 0;
          return Object.assign(
            {
              "Program:exit": /* @__PURE__ */ function() {
                function ProgramExit() {
                  countDependencies(dependencies, lastNode, context);
                }
                return ProgramExit;
              }()
            },
            (0, _moduleVisitor2["default"])(
              function(source, _ref3) {
                var importKind = _ref3.importKind;
                if (importKind !== TYPE_IMPORT || !ignoreTypeImports) {
                  dependencies.add(source.value);
                }
                lastNode = source;
              },
              { commonjs: true }
            )
          );
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-extraneous-dependencies.js
var require_no_extraneous_dependencies = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-extraneous-dependencies.js"(exports2, module2) {
    "use strict";
    var _slicedToArray = /* @__PURE__ */ function() {
      function sliceIterator(arr, i) {
        var _arr = [];
        var _n = true;
        var _d = false;
        var _e = void 0;
        try {
          for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) {
            _arr.push(_s.value);
            if (i && _arr.length === i) break;
          }
        } catch (err) {
          _d = true;
          _e = err;
        } finally {
          try {
            if (!_n && _i["return"]) _i["return"]();
          } finally {
            if (_d) throw _e;
          }
        }
        return _arr;
      }
      return function(arr, i) {
        if (Array.isArray(arr)) {
          return arr;
        } else if (Symbol.iterator in Object(arr)) {
          return sliceIterator(arr, i);
        } else {
          throw new TypeError("Invalid attempt to destructure non-iterable instance");
        }
      };
    }();
    var _path = require("path");
    var _path2 = _interopRequireDefault(_path);
    var _fs = require("fs");
    var _fs2 = _interopRequireDefault(_fs);
    var _pkgUp = require("eslint-module-utils/pkgUp");
    var _pkgUp2 = _interopRequireDefault(_pkgUp);
    var _minimatch = require_minimatch();
    var _minimatch2 = _interopRequireDefault(_minimatch);
    var _resolve = require("eslint-module-utils/resolve");
    var _resolve2 = _interopRequireDefault(_resolve);
    var _moduleVisitor = require("eslint-module-utils/moduleVisitor");
    var _moduleVisitor2 = _interopRequireDefault(_moduleVisitor);
    var _importType = require_importType();
    var _importType2 = _interopRequireDefault(_importType);
    var _packagePath = require_packagePath();
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    var depFieldCache = /* @__PURE__ */ new Map();
    function hasKeys() {
      var obj = arguments.length > 0 && arguments[0] !== void 0 ? arguments[0] : {};
      return Object.keys(obj).length > 0;
    }
    function arrayOrKeys(arrayOrObject) {
      return Array.isArray(arrayOrObject) ? arrayOrObject : Object.keys(arrayOrObject);
    }
    function readJSON(jsonPath, throwException) {
      try {
        return JSON.parse(_fs2["default"].readFileSync(jsonPath, "utf8"));
      } catch (err) {
        if (throwException) {
          throw err;
        }
      }
    }
    function extractDepFields(pkg) {
      return {
        dependencies: pkg.dependencies || {},
        devDependencies: pkg.devDependencies || {},
        optionalDependencies: pkg.optionalDependencies || {},
        peerDependencies: pkg.peerDependencies || {},
        // BundledDeps should be in the form of an array, but object notation is also supported by
        // `npm`, so we convert it to an array if it is an object
        bundledDependencies: arrayOrKeys(pkg.bundleDependencies || pkg.bundledDependencies || [])
      };
    }
    function getPackageDepFields(packageJsonPath, throwAtRead) {
      if (!depFieldCache.has(packageJsonPath)) {
        var depFields = extractDepFields(readJSON(packageJsonPath, throwAtRead));
        depFieldCache.set(packageJsonPath, depFields);
      }
      return depFieldCache.get(packageJsonPath);
    }
    function getDependencies(context, packageDir) {
      var paths = [];
      try {
        var packageContent = {
          dependencies: {},
          devDependencies: {},
          optionalDependencies: {},
          peerDependencies: {},
          bundledDependencies: []
        };
        if (packageDir && packageDir.length > 0) {
          if (!Array.isArray(packageDir)) {
            paths = [_path2["default"].resolve(packageDir)];
          } else {
            paths = packageDir.map(function(dir) {
              return _path2["default"].resolve(dir);
            });
          }
        }
        if (paths.length > 0) {
          paths.forEach(function(dir) {
            var packageJsonPath2 = _path2["default"].join(dir, "package.json");
            var _packageContent = getPackageDepFields(packageJsonPath2, true);
            Object.keys(packageContent).forEach(function(depsKey) {
              Object.assign(packageContent[depsKey], _packageContent[depsKey]);
            });
          });
        } else {
          var packageJsonPath = (0, _pkgUp2["default"])({
            cwd: context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename(),
            normalize: false
          });
          Object.assign(
            packageContent,
            getPackageDepFields(packageJsonPath, false)
          );
        }
        if (![
          packageContent.dependencies,
          packageContent.devDependencies,
          packageContent.optionalDependencies,
          packageContent.peerDependencies,
          packageContent.bundledDependencies
        ].some(hasKeys)) {
          return null;
        }
        return packageContent;
      } catch (e) {
        if (paths.length > 0 && e.code === "ENOENT") {
          context.report({
            message: "The package.json file could not be found.",
            loc: { line: 0, column: 0 }
          });
        }
        if (e.name === "JSONError" || e instanceof SyntaxError) {
          context.report({
            message: "The package.json file could not be parsed: " + String(e.message),
            loc: { line: 0, column: 0 }
          });
        }
        return null;
      }
    }
    function missingErrorMessage(packageName) {
      return "'" + String(packageName) + "' should be listed in the project's dependencies. Run 'npm i -S " + String(packageName) + "' to add it";
    }
    function devDepErrorMessage(packageName) {
      return "'" + String(packageName) + "' should be listed in the project's dependencies, not devDependencies.";
    }
    function optDepErrorMessage(packageName) {
      return "'" + String(packageName) + "' should be listed in the project's dependencies, not optionalDependencies.";
    }
    function getModuleOriginalName(name) {
      var _name$split = name.split("/"), _name$split2 = _slicedToArray(_name$split, 2), first = _name$split2[0], second = _name$split2[1];
      return first.startsWith("@") ? String(first) + "/" + String(second) : first;
    }
    function getModuleRealName(resolved) {
      return (0, _packagePath.getFilePackageName)(resolved);
    }
    function checkDependencyDeclaration(deps, packageName, declarationStatus) {
      var newDeclarationStatus = declarationStatus || {
        isInDeps: false,
        isInDevDeps: false,
        isInOptDeps: false,
        isInPeerDeps: false,
        isInBundledDeps: false
      };
      var packageHierarchy = [];
      var packageNameParts = packageName ? packageName.split("/") : [];
      packageNameParts.forEach(function(namePart, index) {
        if (!namePart.startsWith("@")) {
          var ancestor = packageNameParts.slice(0, index + 1).join("/");
          packageHierarchy.push(ancestor);
        }
      });
      return packageHierarchy.reduce(
        function(result, ancestorName) {
          return {
            isInDeps: result.isInDeps || deps.dependencies[ancestorName] !== void 0,
            isInDevDeps: result.isInDevDeps || deps.devDependencies[ancestorName] !== void 0,
            isInOptDeps: result.isInOptDeps || deps.optionalDependencies[ancestorName] !== void 0,
            isInPeerDeps: result.isInPeerDeps || deps.peerDependencies[ancestorName] !== void 0,
            isInBundledDeps: result.isInBundledDeps || deps.bundledDependencies.indexOf(ancestorName) !== -1
          };
        },
        newDeclarationStatus
      );
    }
    function reportIfMissing(context, deps, depsOptions, node, name) {
      if (!depsOptions.verifyTypeImports && (node.importKind === "type" || node.importKind === "typeof" || node.exportKind === "type" || Array.isArray(node.specifiers) && node.specifiers.length && node.specifiers.every(function(specifier) {
        return specifier.importKind === "type" || specifier.importKind === "typeof";
      }))) {
        return;
      }
      var typeOfImport = (0, _importType2["default"])(name, context);
      if (typeOfImport !== "external" && (typeOfImport !== "internal" || !depsOptions.verifyInternalDeps)) {
        return;
      }
      var resolved = (0, _resolve2["default"])(name, context);
      if (!resolved) {
        return;
      }
      var importPackageName = getModuleOriginalName(name);
      var declarationStatus = checkDependencyDeclaration(deps, importPackageName);
      if (declarationStatus.isInDeps || depsOptions.allowDevDeps && declarationStatus.isInDevDeps || depsOptions.allowPeerDeps && declarationStatus.isInPeerDeps || depsOptions.allowOptDeps && declarationStatus.isInOptDeps || depsOptions.allowBundledDeps && declarationStatus.isInBundledDeps) {
        return;
      }
      var realPackageName = getModuleRealName(resolved);
      if (realPackageName && realPackageName !== importPackageName) {
        declarationStatus = checkDependencyDeclaration(deps, realPackageName, declarationStatus);
        if (declarationStatus.isInDeps || depsOptions.allowDevDeps && declarationStatus.isInDevDeps || depsOptions.allowPeerDeps && declarationStatus.isInPeerDeps || depsOptions.allowOptDeps && declarationStatus.isInOptDeps || depsOptions.allowBundledDeps && declarationStatus.isInBundledDeps) {
          return;
        }
      }
      if (declarationStatus.isInDevDeps && !depsOptions.allowDevDeps) {
        context.report(node, devDepErrorMessage(realPackageName || importPackageName));
        return;
      }
      if (declarationStatus.isInOptDeps && !depsOptions.allowOptDeps) {
        context.report(node, optDepErrorMessage(realPackageName || importPackageName));
        return;
      }
      context.report(node, missingErrorMessage(realPackageName || importPackageName));
    }
    function testConfig(config7, filename) {
      if (typeof config7 === "boolean" || typeof config7 === "undefined") {
        return config7;
      }
      return config7.some(function(c) {
        return (0, _minimatch2["default"])(filename, c) || (0, _minimatch2["default"])(filename, _path2["default"].join(process.cwd(), c));
      });
    }
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          category: "Helpful warnings",
          description: "Forbid the use of extraneous packages.",
          url: (0, _docsUrl2["default"])("no-extraneous-dependencies")
        },
        schema: [
          {
            type: "object",
            properties: {
              devDependencies: { type: ["boolean", "array"] },
              optionalDependencies: { type: ["boolean", "array"] },
              peerDependencies: { type: ["boolean", "array"] },
              bundledDependencies: { type: ["boolean", "array"] },
              packageDir: { type: ["string", "array"] },
              includeInternal: { type: ["boolean"] },
              includeTypes: { type: ["boolean"] }
            },
            additionalProperties: false
          }
        ]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var options = context.options[0] || {};
          var filename = context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename();
          var deps = getDependencies(context, options.packageDir) || extractDepFields({});
          var depsOptions = {
            allowDevDeps: testConfig(options.devDependencies, filename) !== false,
            allowOptDeps: testConfig(options.optionalDependencies, filename) !== false,
            allowPeerDeps: testConfig(options.peerDependencies, filename) !== false,
            allowBundledDeps: testConfig(options.bundledDependencies, filename) !== false,
            verifyInternalDeps: !!options.includeInternal,
            verifyTypeImports: !!options.includeTypes
          };
          return (0, _moduleVisitor2["default"])(function(source, node) {
            reportIfMissing(context, deps, depsOptions, node, source.value);
          }, { commonjs: true });
        }
        return create119;
      }(),
      "Program:exit": /* @__PURE__ */ function() {
        function ProgramExit() {
          depFieldCache.clear();
        }
        return ProgramExit;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-absolute-path.js
var require_no_absolute_path = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-absolute-path.js"(exports2, module2) {
    "use strict";
    var _path = require("path");
    var _path2 = _interopRequireDefault(_path);
    var _moduleVisitor = require("eslint-module-utils/moduleVisitor");
    var _moduleVisitor2 = _interopRequireDefault(_moduleVisitor);
    var _importType = require_importType();
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Static analysis",
          description: "Forbid import of modules using absolute paths.",
          url: (0, _docsUrl2["default"])("no-absolute-path")
        },
        fixable: "code",
        schema: [(0, _moduleVisitor.makeOptionsSchema)()]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          function reportIfAbsolute(source) {
            if ((0, _importType.isAbsolute)(source.value)) {
              context.report({
                node: source,
                message: "Do not import modules using an absolute path",
                fix: /* @__PURE__ */ function() {
                  function fix11(fixer) {
                    var resolvedContext = context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename();
                    var relativePath = _path2["default"].posix.relative(_path2["default"].dirname(resolvedContext), source.value);
                    if (!relativePath.startsWith(".")) {
                      relativePath = "./" + String(relativePath);
                    }
                    return fixer.replaceText(source, JSON.stringify(relativePath));
                  }
                  return fix11;
                }()
              });
            }
          }
          var options = Object.assign({ esmodule: true, commonjs: true }, context.options[0]);
          return (0, _moduleVisitor2["default"])(reportIfAbsolute, options);
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-nodejs-modules.js
var require_no_nodejs_modules = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-nodejs-modules.js"(exports2, module2) {
    "use strict";
    var _importType = require_importType();
    var _importType2 = _interopRequireDefault(_importType);
    var _moduleVisitor = require("eslint-module-utils/moduleVisitor");
    var _moduleVisitor2 = _interopRequireDefault(_moduleVisitor);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function reportIfMissing(context, node, allowed, name) {
      if (allowed.indexOf(name) === -1 && (0, _importType2["default"])(name, context) === "builtin") {
        context.report(node, 'Do not import Node.js builtin module "' + String(name) + '"');
      }
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Module systems",
          description: "Forbid Node.js builtin modules.",
          url: (0, _docsUrl2["default"])("no-nodejs-modules")
        },
        schema: [
          {
            type: "object",
            properties: {
              allow: {
                type: "array",
                uniqueItems: true,
                items: {
                  type: "string"
                }
              }
            },
            additionalProperties: false
          }
        ]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var options = context.options[0] || {};
          var allowed = options.allow || [];
          return (0, _moduleVisitor2["default"])(function(source, node) {
            reportIfMissing(context, node, allowed, source.value);
          }, { commonjs: true });
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-webpack-loader-syntax.js
var require_no_webpack_loader_syntax = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-webpack-loader-syntax.js"(exports2, module2) {
    "use strict";
    var _moduleVisitor = require("eslint-module-utils/moduleVisitor");
    var _moduleVisitor2 = _interopRequireDefault(_moduleVisitor);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function reportIfNonStandard(context, node, name) {
      if (name && name.indexOf("!") !== -1) {
        context.report(node, "Unexpected '!' in '" + String(name) + "'. Do not use import syntax to configure webpack loaders.");
      }
    }
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          category: "Static analysis",
          description: "Forbid webpack loader syntax in imports.",
          url: (0, _docsUrl2["default"])("no-webpack-loader-syntax")
        },
        schema: []
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          return (0, _moduleVisitor2["default"])(function(source, node) {
            reportIfNonStandard(context, node, source.value);
          }, { commonjs: true });
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/every.js
var require_every = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/every.js"(exports2, module2) {
    "use strict";
    module2.exports = function every(array, predicate) {
      for (var i = 0; i < array.length; i += 1) {
        if (!predicate(array[i], i, array)) {
          return false;
        }
      }
      return true;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/AddValueToKeyedGroup.js
var require_AddValueToKeyedGroup = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/AddValueToKeyedGroup.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var callBound = require_callBound();
    var $push = callBound("Array.prototype.push");
    var SameValue = require_SameValue2();
    var IsArray = require_IsArray();
    var every = require_every();
    var forEach = require_forEach();
    var hasOwn = require_hasown();
    var isKeyedGroup = function(group) {
      return hasOwn(group, "[[Key]]") && hasOwn(group, "[[Elements]]") && IsArray(group["[[Elements]]"]);
    };
    module2.exports = function AddValueToKeyedGroup(groups, key, value) {
      if (!IsArray(groups) || groups.length > 0 && !every(groups, isKeyedGroup)) {
        throw new $TypeError("Assertion failed: `groups` must be a List of Records with [[Key]] and [[Elements]]");
      }
      var matched = 0;
      forEach(groups, function(g) {
        if (SameValue(g["[[Key]]"], key)) {
          matched += 1;
          if (matched > 1) {
            throw new $TypeError("Assertion failed: Exactly one element of groups meets this criterion");
          }
          $push(g["[[Elements]]"], value);
        }
      });
      if (matched === 0) {
        var group = { "[[Key]]": key, "[[Elements]]": [value] };
        $push(groups, group);
      }
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/RequireObjectCoercible.js
var require_RequireObjectCoercible2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/RequireObjectCoercible.js"(exports2, module2) {
    "use strict";
    module2.exports = require_RequireObjectCoercible();
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/isNegativeZero.js
var require_isNegativeZero = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/helpers/isNegativeZero.js"(exports2, module2) {
    "use strict";
    module2.exports = function isNegativeZero(x) {
      return x === 0 && 1 / x === 1 / -0;
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/GroupBy.js
var require_GroupBy = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/GroupBy.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var AddValueToKeyedGroup = require_AddValueToKeyedGroup();
    var Call = require_Call2();
    var GetIterator = require_GetIterator();
    var IsCallable = require_IsCallable2();
    var IteratorClose = require_IteratorClose();
    var IteratorStep = require_IteratorStep();
    var IteratorValue = require_IteratorValue();
    var RequireObjectCoercible = require_RequireObjectCoercible2();
    var ThrowCompletion = require_ThrowCompletion();
    var ToPropertyKey = require_ToPropertyKey();
    var isNegativeZero = require_isNegativeZero();
    var maxSafeInteger = require_maxSafeInteger();
    module2.exports = function GroupBy(items, callbackfn, keyCoercion) {
      if (keyCoercion !== "PROPERTY" && keyCoercion !== "ZERO") {
        throw new $TypeError('Assertion failed: `keyCoercion` must be `"PROPERTY"` or `"ZERO"`');
      }
      RequireObjectCoercible(items);
      if (!IsCallable(callbackfn)) {
        throw new $TypeError("callbackfn must be callable");
      }
      var groups = [];
      var iteratorRecord = GetIterator(items, "SYNC");
      var k = 0;
      while (true) {
        if (k >= maxSafeInteger) {
          var error = ThrowCompletion(new $TypeError("k must be less than 2 ** 53 - 1"));
          return IteratorClose(iteratorRecord, error);
        }
        var next = IteratorStep(iteratorRecord);
        if (!next) {
          return groups;
        }
        var value = IteratorValue(next);
        var key;
        try {
          key = Call(callbackfn, void 0, [value, k]);
        } catch (e) {
          return IteratorClose(iteratorRecord, ThrowCompletion(e));
        }
        if (keyCoercion === "PROPERTY") {
          try {
            key = ToPropertyKey(key);
          } catch (e) {
            return IteratorClose(iteratorRecord, ThrowCompletion(e));
          }
        } else {
          if (keyCoercion !== "ZERO") {
            throw new $TypeError("keyCoercion must be ~PROPERTY~ or ~ZERO~");
          }
          if (isNegativeZero(key)) {
            key = 0;
          }
        }
        AddValueToKeyedGroup(groups, key, value);
        k += 1;
      }
    };
  }
});

// node_modules/.pnpm/object.groupby@1.0.3/node_modules/object.groupby/implementation.js
var require_implementation9 = __commonJS({
  "node_modules/.pnpm/object.groupby@1.0.3/node_modules/object.groupby/implementation.js"(exports2, module2) {
    "use strict";
    var CreateDataPropertyOrThrow = require_CreateDataPropertyOrThrow2();
    var OrdinaryObjectCreate = require_OrdinaryObjectCreate();
    var forEach = require_forEach();
    var GroupBy = require_GroupBy();
    module2.exports = function groupBy(items, callbackfn) {
      var groups = GroupBy(items, callbackfn, "PROPERTY");
      var obj = OrdinaryObjectCreate(null);
      forEach(groups, function(g) {
        CreateDataPropertyOrThrow(obj, g["[[Key]]"], g["[[Elements]]"]);
      });
      return obj;
    };
  }
});

// node_modules/.pnpm/object.groupby@1.0.3/node_modules/object.groupby/polyfill.js
var require_polyfill7 = __commonJS({
  "node_modules/.pnpm/object.groupby@1.0.3/node_modules/object.groupby/polyfill.js"(exports2, module2) {
    "use strict";
    var implementation = require_implementation9();
    module2.exports = function getPolyfill() {
      return Object.groupBy || implementation;
    };
  }
});

// node_modules/.pnpm/object.groupby@1.0.3/node_modules/object.groupby/shim.js
var require_shim7 = __commonJS({
  "node_modules/.pnpm/object.groupby@1.0.3/node_modules/object.groupby/shim.js"(exports2, module2) {
    "use strict";
    var define2 = require_define_properties();
    var getPolyfill = require_polyfill7();
    module2.exports = function shim() {
      var polyfill = getPolyfill();
      define2(
        Object,
        { groupBy: polyfill },
        { groupBy: function() {
          return Object.groupBy !== polyfill;
        } }
      );
      return polyfill;
    };
  }
});

// node_modules/.pnpm/object.groupby@1.0.3/node_modules/object.groupby/index.js
var require_object3 = __commonJS({
  "node_modules/.pnpm/object.groupby@1.0.3/node_modules/object.groupby/index.js"(exports2, module2) {
    "use strict";
    var define2 = require_define_properties();
    var callBind = require_call_bind();
    var implementation = require_implementation9();
    var getPolyfill = require_polyfill7();
    var polyfill = getPolyfill();
    var shim = require_shim7();
    var bound = callBind(polyfill, Object);
    define2(bound, {
      getPolyfill,
      implementation,
      shim
    });
    module2.exports = bound;
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/core/staticRequire.js
var require_staticRequire = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/core/staticRequire.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2["default"] = isStaticRequire2;
    function isStaticRequire2(node) {
      return node && node.callee && node.callee.type === "Identifier" && node.callee.name === "require" && node.arguments.length === 1 && node.arguments[0].type === "Literal" && typeof node.arguments[0].value === "string";
    }
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/order.js
var require_order = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/order.js"(exports2, module2) {
    "use strict";
    var _slicedToArray = /* @__PURE__ */ function() {
      function sliceIterator(arr, i) {
        var _arr = [];
        var _n = true;
        var _d = false;
        var _e = void 0;
        try {
          for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) {
            _arr.push(_s.value);
            if (i && _arr.length === i) break;
          }
        } catch (err) {
          _d = true;
          _e = err;
        } finally {
          try {
            if (!_n && _i["return"]) _i["return"]();
          } finally {
            if (_d) throw _e;
          }
        }
        return _arr;
      }
      return function(arr, i) {
        if (Array.isArray(arr)) {
          return arr;
        } else if (Symbol.iterator in Object(arr)) {
          return sliceIterator(arr, i);
        } else {
          throw new TypeError("Invalid attempt to destructure non-iterable instance");
        }
      };
    }();
    var _minimatch = require_minimatch();
    var _minimatch2 = _interopRequireDefault(_minimatch);
    var _arrayIncludes = require_array_includes();
    var _arrayIncludes2 = _interopRequireDefault(_arrayIncludes);
    var _object = require_object3();
    var _object2 = _interopRequireDefault(_object);
    var _importType = require_importType();
    var _importType2 = _interopRequireDefault(_importType);
    var _staticRequire = require_staticRequire();
    var _staticRequire2 = _interopRequireDefault(_staticRequire);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    var defaultGroups = ["builtin", "external", "parent", "sibling", "index"];
    function reverse(array) {
      return array.map(function(v) {
        return Object.assign({}, v, { rank: -v.rank });
      }).reverse();
    }
    function getTokensOrCommentsAfter(sourceCode, node, count) {
      var currentNodeOrToken = node;
      var result = [];
      for (var i = 0; i < count; i++) {
        currentNodeOrToken = sourceCode.getTokenOrCommentAfter(currentNodeOrToken);
        if (currentNodeOrToken == null) {
          break;
        }
        result.push(currentNodeOrToken);
      }
      return result;
    }
    function getTokensOrCommentsBefore(sourceCode, node, count) {
      var currentNodeOrToken = node;
      var result = [];
      for (var i = 0; i < count; i++) {
        currentNodeOrToken = sourceCode.getTokenOrCommentBefore(currentNodeOrToken);
        if (currentNodeOrToken == null) {
          break;
        }
        result.push(currentNodeOrToken);
      }
      return result.reverse();
    }
    function takeTokensAfterWhile(sourceCode, node, condition) {
      var tokens = getTokensOrCommentsAfter(sourceCode, node, 100);
      var result = [];
      for (var i = 0; i < tokens.length; i++) {
        if (condition(tokens[i])) {
          result.push(tokens[i]);
        } else {
          break;
        }
      }
      return result;
    }
    function takeTokensBeforeWhile(sourceCode, node, condition) {
      var tokens = getTokensOrCommentsBefore(sourceCode, node, 100);
      var result = [];
      for (var i = tokens.length - 1; i >= 0; i--) {
        if (condition(tokens[i])) {
          result.push(tokens[i]);
        } else {
          break;
        }
      }
      return result.reverse();
    }
    function findOutOfOrder(imported) {
      if (imported.length === 0) {
        return [];
      }
      var maxSeenRankNode = imported[0];
      return imported.filter(function(importedModule) {
        var res = importedModule.rank < maxSeenRankNode.rank;
        if (maxSeenRankNode.rank < importedModule.rank) {
          maxSeenRankNode = importedModule;
        }
        return res;
      });
    }
    function findRootNode(node) {
      var parent = node;
      while (parent.parent != null && parent.parent.body == null) {
        parent = parent.parent;
      }
      return parent;
    }
    function findEndOfLineWithComments(sourceCode, node) {
      var tokensToEndOfLine = takeTokensAfterWhile(sourceCode, node, commentOnSameLineAs(node));
      var endOfTokens = tokensToEndOfLine.length > 0 ? tokensToEndOfLine[tokensToEndOfLine.length - 1].range[1] : node.range[1];
      var result = endOfTokens;
      for (var i = endOfTokens; i < sourceCode.text.length; i++) {
        if (sourceCode.text[i] === "\n") {
          result = i + 1;
          break;
        }
        if (sourceCode.text[i] !== " " && sourceCode.text[i] !== "	" && sourceCode.text[i] !== "\r") {
          break;
        }
        result = i + 1;
      }
      return result;
    }
    function commentOnSameLineAs(node) {
      return function(token) {
        return (token.type === "Block" || token.type === "Line") && token.loc.start.line === token.loc.end.line && token.loc.end.line === node.loc.end.line;
      };
    }
    function findStartOfLineWithComments(sourceCode, node) {
      var tokensToEndOfLine = takeTokensBeforeWhile(sourceCode, node, commentOnSameLineAs(node));
      var startOfTokens = tokensToEndOfLine.length > 0 ? tokensToEndOfLine[0].range[0] : node.range[0];
      var result = startOfTokens;
      for (var i = startOfTokens - 1; i > 0; i--) {
        if (sourceCode.text[i] !== " " && sourceCode.text[i] !== "	") {
          break;
        }
        result = i;
      }
      return result;
    }
    function isRequireExpression(expr) {
      return expr != null && expr.type === "CallExpression" && expr.callee != null && expr.callee.name === "require" && expr.arguments != null && expr.arguments.length === 1 && expr.arguments[0].type === "Literal";
    }
    function isSupportedRequireModule(node) {
      if (node.type !== "VariableDeclaration") {
        return false;
      }
      if (node.declarations.length !== 1) {
        return false;
      }
      var decl = node.declarations[0];
      var isPlainRequire = decl.id && (decl.id.type === "Identifier" || decl.id.type === "ObjectPattern") && isRequireExpression(decl.init);
      var isRequireWithMemberExpression = decl.id && (decl.id.type === "Identifier" || decl.id.type === "ObjectPattern") && decl.init != null && decl.init.type === "CallExpression" && decl.init.callee != null && decl.init.callee.type === "MemberExpression" && isRequireExpression(decl.init.callee.object);
      return isPlainRequire || isRequireWithMemberExpression;
    }
    function isPlainImportModule(node) {
      return node.type === "ImportDeclaration" && node.specifiers != null && node.specifiers.length > 0;
    }
    function isPlainImportEquals(node) {
      return node.type === "TSImportEqualsDeclaration" && node.moduleReference.expression;
    }
    function canCrossNodeWhileReorder(node) {
      return isSupportedRequireModule(node) || isPlainImportModule(node) || isPlainImportEquals(node);
    }
    function canReorderItems(firstNode, secondNode) {
      var parent = firstNode.parent;
      var _sort = [
        parent.body.indexOf(firstNode),
        parent.body.indexOf(secondNode)
      ].sort(), _sort2 = _slicedToArray(_sort, 2), firstIndex = _sort2[0], secondIndex = _sort2[1];
      var nodesBetween = parent.body.slice(firstIndex, secondIndex + 1);
      var _iteratorNormalCompletion = true;
      var _didIteratorError = false;
      var _iteratorError = void 0;
      try {
        for (var _iterator = nodesBetween[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
          var nodeBetween = _step.value;
          if (!canCrossNodeWhileReorder(nodeBetween)) {
            return false;
          }
        }
      } catch (err) {
        _didIteratorError = true;
        _iteratorError = err;
      } finally {
        try {
          if (!_iteratorNormalCompletion && _iterator["return"]) {
            _iterator["return"]();
          }
        } finally {
          if (_didIteratorError) {
            throw _iteratorError;
          }
        }
      }
      return true;
    }
    function makeImportDescription(node) {
      if (node.node.importKind === "type") {
        return "type import";
      }
      if (node.node.importKind === "typeof") {
        return "typeof import";
      }
      return "import";
    }
    function fixOutOfOrder(context, firstNode, secondNode, order) {
      var sourceCode = context.getSourceCode();
      var firstRoot = findRootNode(firstNode.node);
      var firstRootStart = findStartOfLineWithComments(sourceCode, firstRoot);
      var firstRootEnd = findEndOfLineWithComments(sourceCode, firstRoot);
      var secondRoot = findRootNode(secondNode.node);
      var secondRootStart = findStartOfLineWithComments(sourceCode, secondRoot);
      var secondRootEnd = findEndOfLineWithComments(sourceCode, secondRoot);
      var canFix = canReorderItems(firstRoot, secondRoot);
      var newCode = sourceCode.text.substring(secondRootStart, secondRootEnd);
      if (newCode[newCode.length - 1] !== "\n") {
        newCode = String(newCode) + "\n";
      }
      var firstImport = String(makeImportDescription(firstNode)) + " of `" + String(firstNode.displayName) + "`";
      var secondImport = "`" + String(secondNode.displayName) + "` " + String(makeImportDescription(secondNode));
      var message = secondImport + " should occur " + String(order) + " " + firstImport;
      if (order === "before") {
        context.report({
          node: secondNode.node,
          message,
          fix: canFix && function(fixer) {
            return fixer.replaceTextRange(
              [firstRootStart, secondRootEnd],
              newCode + sourceCode.text.substring(firstRootStart, secondRootStart)
            );
          }
        });
      } else if (order === "after") {
        context.report({
          node: secondNode.node,
          message,
          fix: canFix && function(fixer) {
            return fixer.replaceTextRange(
              [secondRootStart, firstRootEnd],
              sourceCode.text.substring(secondRootEnd, firstRootEnd) + newCode
            );
          }
        });
      }
    }
    function reportOutOfOrder(context, imported, outOfOrder, order) {
      outOfOrder.forEach(function(imp) {
        var found = imported.find(/* @__PURE__ */ function() {
          function hasHigherRank(importedItem) {
            return importedItem.rank > imp.rank;
          }
          return hasHigherRank;
        }());
        fixOutOfOrder(context, found, imp, order);
      });
    }
    function makeOutOfOrderReport(context, imported) {
      var outOfOrder = findOutOfOrder(imported);
      if (!outOfOrder.length) {
        return;
      }
      var reversedImported = reverse(imported);
      var reversedOrder = findOutOfOrder(reversedImported);
      if (reversedOrder.length < outOfOrder.length) {
        reportOutOfOrder(context, reversedImported, reversedOrder, "after");
        return;
      }
      reportOutOfOrder(context, imported, outOfOrder, "before");
    }
    var compareString = function compareString2(a, b) {
      if (a < b) {
        return -1;
      }
      if (a > b) {
        return 1;
      }
      return 0;
    };
    var DEAFULT_IMPORT_KIND = "value";
    var getNormalizedValue = function getNormalizedValue2(node, toLowerCase) {
      var value = node.value;
      return toLowerCase ? String(value).toLowerCase() : value;
    };
    function getSorter(alphabetizeOptions) {
      var multiplier = alphabetizeOptions.order === "asc" ? 1 : -1;
      var orderImportKind = alphabetizeOptions.orderImportKind;
      var multiplierImportKind = orderImportKind !== "ignore" && (alphabetizeOptions.orderImportKind === "asc" ? 1 : -1);
      return /* @__PURE__ */ function() {
        function importsSorter(nodeA, nodeB) {
          var importA = getNormalizedValue(nodeA, alphabetizeOptions.caseInsensitive);
          var importB = getNormalizedValue(nodeB, alphabetizeOptions.caseInsensitive);
          var result = 0;
          if (!(0, _arrayIncludes2["default"])(importA, "/") && !(0, _arrayIncludes2["default"])(importB, "/")) {
            result = compareString(importA, importB);
          } else {
            var A = importA.split("/");
            var B = importB.split("/");
            var a = A.length;
            var b = B.length;
            for (var i = 0; i < Math.min(a, b); i++) {
              result = compareString(A[i], B[i]);
              if (result) {
                break;
              }
            }
            if (!result && a !== b) {
              result = a < b ? -1 : 1;
            }
          }
          result = result * multiplier;
          if (!result && multiplierImportKind) {
            result = multiplierImportKind * compareString(
              nodeA.node.importKind || DEAFULT_IMPORT_KIND,
              nodeB.node.importKind || DEAFULT_IMPORT_KIND
            );
          }
          return result;
        }
        return importsSorter;
      }();
    }
    function mutateRanksToAlphabetize(imported, alphabetizeOptions) {
      var groupedByRanks = (0, _object2["default"])(imported, function(item) {
        return item.rank;
      });
      var sorterFn = getSorter(alphabetizeOptions);
      var groupRanks = Object.keys(groupedByRanks).sort(function(a, b) {
        return a - b;
      });
      groupRanks.forEach(function(groupRank) {
        groupedByRanks[groupRank].sort(sorterFn);
      });
      var newRank = 0;
      var alphabetizedRanks = groupRanks.reduce(function(acc, groupRank) {
        groupedByRanks[groupRank].forEach(function(importedItem) {
          acc[String(importedItem.value) + "|" + String(importedItem.node.importKind)] = parseInt(groupRank, 10) + newRank;
          newRank += 1;
        });
        return acc;
      }, {});
      imported.forEach(function(importedItem) {
        importedItem.rank = alphabetizedRanks[String(importedItem.value) + "|" + String(importedItem.node.importKind)];
      });
    }
    function computePathRank(ranks, pathGroups, path17, maxPosition) {
      for (var i = 0, l = pathGroups.length; i < l; i++) {
        var _pathGroups$i = pathGroups[i], pattern = _pathGroups$i.pattern, patternOptions = _pathGroups$i.patternOptions, group = _pathGroups$i.group, _pathGroups$i$positio = _pathGroups$i.position, position = _pathGroups$i$positio === void 0 ? 1 : _pathGroups$i$positio;
        if ((0, _minimatch2["default"])(path17, pattern, patternOptions || { nocomment: true })) {
          return ranks[group] + position / maxPosition;
        }
      }
    }
    function computeRank(context, ranks, importEntry, excludedImportTypes) {
      var impType = void 0;
      var rank = void 0;
      if (importEntry.type === "import:object") {
        impType = "object";
      } else if (importEntry.node.importKind === "type" && ranks.omittedTypes.indexOf("type") === -1) {
        impType = "type";
      } else {
        impType = (0, _importType2["default"])(importEntry.value, context);
      }
      if (!excludedImportTypes.has(impType)) {
        rank = computePathRank(ranks.groups, ranks.pathGroups, importEntry.value, ranks.maxPosition);
      }
      if (typeof rank === "undefined") {
        rank = ranks.groups[impType];
      }
      if (importEntry.type !== "import" && !importEntry.type.startsWith("import:")) {
        rank += 100;
      }
      return rank;
    }
    function registerNode(context, importEntry, ranks, imported, excludedImportTypes) {
      var rank = computeRank(context, ranks, importEntry, excludedImportTypes);
      if (rank !== -1) {
        imported.push(Object.assign({}, importEntry, { rank }));
      }
    }
    function getRequireBlock(node) {
      var n = node;
      while (n.parent.type === "MemberExpression" && n.parent.object === n || n.parent.type === "CallExpression" && n.parent.callee === n) {
        n = n.parent;
      }
      if (n.parent.type === "VariableDeclarator" && n.parent.parent.type === "VariableDeclaration" && n.parent.parent.parent.type === "Program") {
        return n.parent.parent.parent;
      }
    }
    var types = ["builtin", "external", "internal", "unknown", "parent", "sibling", "index", "object", "type"];
    function convertGroupsToRanks(groups) {
      var rankObject = groups.reduce(function(res, group, index) {
        [].concat(group).forEach(function(groupItem) {
          if (types.indexOf(groupItem) === -1) {
            throw new Error("Incorrect configuration of the rule: Unknown type `" + String(JSON.stringify(groupItem)) + "`");
          }
          if (res[groupItem] !== void 0) {
            throw new Error("Incorrect configuration of the rule: `" + String(groupItem) + "` is duplicated");
          }
          res[groupItem] = index * 2;
        });
        return res;
      }, {});
      var omittedTypes = types.filter(function(type) {
        return typeof rankObject[type] === "undefined";
      });
      var ranks = omittedTypes.reduce(function(res, type) {
        res[type] = groups.length * 2;
        return res;
      }, rankObject);
      return { groups: ranks, omittedTypes };
    }
    function convertPathGroupsForRanks(pathGroups) {
      var after = {};
      var before = {};
      var transformed = pathGroups.map(function(pathGroup, index) {
        var group = pathGroup.group, positionString = pathGroup.position;
        var position = 0;
        if (positionString === "after") {
          if (!after[group]) {
            after[group] = 1;
          }
          position = after[group]++;
        } else if (positionString === "before") {
          if (!before[group]) {
            before[group] = [];
          }
          before[group].push(index);
        }
        return Object.assign({}, pathGroup, { position });
      });
      var maxPosition = 1;
      Object.keys(before).forEach(function(group) {
        var groupLength = before[group].length;
        before[group].forEach(function(groupIndex, index) {
          transformed[groupIndex].position = -1 * (groupLength - index);
        });
        maxPosition = Math.max(maxPosition, groupLength);
      });
      Object.keys(after).forEach(function(key) {
        var groupNextPosition = after[key];
        maxPosition = Math.max(maxPosition, groupNextPosition - 1);
      });
      return {
        pathGroups: transformed,
        maxPosition: maxPosition > 10 ? Math.pow(10, Math.ceil(Math.log10(maxPosition))) : 10
      };
    }
    function fixNewLineAfterImport(context, previousImport) {
      var prevRoot = findRootNode(previousImport.node);
      var tokensToEndOfLine = takeTokensAfterWhile(
        context.getSourceCode(),
        prevRoot,
        commentOnSameLineAs(prevRoot)
      );
      var endOfLine = prevRoot.range[1];
      if (tokensToEndOfLine.length > 0) {
        endOfLine = tokensToEndOfLine[tokensToEndOfLine.length - 1].range[1];
      }
      return function(fixer) {
        return fixer.insertTextAfterRange([prevRoot.range[0], endOfLine], "\n");
      };
    }
    function removeNewLineAfterImport(context, currentImport, previousImport) {
      var sourceCode = context.getSourceCode();
      var prevRoot = findRootNode(previousImport.node);
      var currRoot = findRootNode(currentImport.node);
      var rangeToRemove = [
        findEndOfLineWithComments(sourceCode, prevRoot),
        findStartOfLineWithComments(sourceCode, currRoot)
      ];
      if (/^\s*$/.test(sourceCode.text.substring(rangeToRemove[0], rangeToRemove[1]))) {
        return function(fixer) {
          return fixer.removeRange(rangeToRemove);
        };
      }
      return void 0;
    }
    function makeNewlinesBetweenReport(context, imported, newlinesBetweenImports, distinctGroup) {
      var getNumberOfEmptyLinesBetween = function getNumberOfEmptyLinesBetween2(currentImport, previousImport2) {
        var linesBetweenImports = context.getSourceCode().lines.slice(
          previousImport2.node.loc.end.line,
          currentImport.node.loc.start.line - 1
        );
        return linesBetweenImports.filter(function(line) {
          return !line.trim().length;
        }).length;
      };
      var getIsStartOfDistinctGroup = function getIsStartOfDistinctGroup2(currentImport, previousImport2) {
        return currentImport.rank - 1 >= previousImport2.rank;
      };
      var previousImport = imported[0];
      imported.slice(1).forEach(function(currentImport) {
        var emptyLinesBetween = getNumberOfEmptyLinesBetween(currentImport, previousImport);
        var isStartOfDistinctGroup = getIsStartOfDistinctGroup(currentImport, previousImport);
        if (newlinesBetweenImports === "always" || newlinesBetweenImports === "always-and-inside-groups") {
          if (currentImport.rank !== previousImport.rank && emptyLinesBetween === 0) {
            if (distinctGroup || !distinctGroup && isStartOfDistinctGroup) {
              context.report({
                node: previousImport.node,
                message: "There should be at least one empty line between import groups",
                fix: fixNewLineAfterImport(context, previousImport)
              });
            }
          } else if (emptyLinesBetween > 0 && newlinesBetweenImports !== "always-and-inside-groups") {
            if (distinctGroup && currentImport.rank === previousImport.rank || !distinctGroup && !isStartOfDistinctGroup) {
              context.report({
                node: previousImport.node,
                message: "There should be no empty line within import group",
                fix: removeNewLineAfterImport(context, currentImport, previousImport)
              });
            }
          }
        } else if (emptyLinesBetween > 0) {
          context.report({
            node: previousImport.node,
            message: "There should be no empty line between import groups",
            fix: removeNewLineAfterImport(context, currentImport, previousImport)
          });
        }
        previousImport = currentImport;
      });
    }
    function getAlphabetizeConfig(options) {
      var alphabetize = options.alphabetize || {};
      var order = alphabetize.order || "ignore";
      var orderImportKind = alphabetize.orderImportKind || "ignore";
      var caseInsensitive = alphabetize.caseInsensitive || false;
      return { order, orderImportKind, caseInsensitive };
    }
    var defaultDistinctGroup = true;
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Style guide",
          description: "Enforce a convention in module import order.",
          url: (0, _docsUrl2["default"])("order")
        },
        fixable: "code",
        schema: [
          {
            type: "object",
            properties: {
              groups: {
                type: "array"
              },
              pathGroupsExcludedImportTypes: {
                type: "array"
              },
              distinctGroup: {
                type: "boolean",
                "default": defaultDistinctGroup
              },
              pathGroups: {
                type: "array",
                items: {
                  type: "object",
                  properties: {
                    pattern: {
                      type: "string"
                    },
                    patternOptions: {
                      type: "object"
                    },
                    group: {
                      type: "string",
                      "enum": types
                    },
                    position: {
                      type: "string",
                      "enum": ["after", "before"]
                    }
                  },
                  additionalProperties: false,
                  required: ["pattern", "group"]
                }
              },
              "newlines-between": {
                "enum": [
                  "ignore",
                  "always",
                  "always-and-inside-groups",
                  "never"
                ]
              },
              alphabetize: {
                type: "object",
                properties: {
                  caseInsensitive: {
                    type: "boolean",
                    "default": false
                  },
                  order: {
                    "enum": ["ignore", "asc", "desc"],
                    "default": "ignore"
                  },
                  orderImportKind: {
                    "enum": ["ignore", "asc", "desc"],
                    "default": "ignore"
                  }
                },
                additionalProperties: false
              },
              warnOnUnassignedImports: {
                type: "boolean",
                "default": false
              }
            },
            additionalProperties: false
          }
        ]
      },
      create: /* @__PURE__ */ function() {
        function importOrderRule(context) {
          var options = context.options[0] || {};
          var newlinesBetweenImports = options["newlines-between"] || "ignore";
          var pathGroupsExcludedImportTypes = new Set(options.pathGroupsExcludedImportTypes || ["builtin", "external", "object"]);
          var alphabetize = getAlphabetizeConfig(options);
          var distinctGroup = options.distinctGroup == null ? defaultDistinctGroup : !!options.distinctGroup;
          var ranks = void 0;
          try {
            var _convertPathGroupsFor = convertPathGroupsForRanks(options.pathGroups || []), pathGroups = _convertPathGroupsFor.pathGroups, maxPosition = _convertPathGroupsFor.maxPosition;
            var _convertGroupsToRanks = convertGroupsToRanks(options.groups || defaultGroups), groups = _convertGroupsToRanks.groups, omittedTypes = _convertGroupsToRanks.omittedTypes;
            ranks = {
              groups,
              omittedTypes,
              pathGroups,
              maxPosition
            };
          } catch (error) {
            return {
              Program: /* @__PURE__ */ function() {
                function Program(node) {
                  context.report(node, error.message);
                }
                return Program;
              }()
            };
          }
          var importMap = /* @__PURE__ */ new Map();
          function getBlockImports(node) {
            if (!importMap.has(node)) {
              importMap.set(node, []);
            }
            return importMap.get(node);
          }
          return {
            ImportDeclaration: /* @__PURE__ */ function() {
              function handleImports(node) {
                if (node.specifiers.length || options.warnOnUnassignedImports) {
                  var name = node.source.value;
                  registerNode(
                    context,
                    {
                      node,
                      value: name,
                      displayName: name,
                      type: "import"
                    },
                    ranks,
                    getBlockImports(node.parent),
                    pathGroupsExcludedImportTypes
                  );
                }
              }
              return handleImports;
            }(),
            TSImportEqualsDeclaration: /* @__PURE__ */ function() {
              function handleImports(node) {
                var displayName = void 0;
                var value = void 0;
                var type = void 0;
                if (node.isExport) {
                  return;
                }
                if (node.moduleReference.type === "TSExternalModuleReference") {
                  value = node.moduleReference.expression.value;
                  displayName = value;
                  type = "import";
                } else {
                  value = "";
                  displayName = context.getSourceCode().getText(node.moduleReference);
                  type = "import:object";
                }
                registerNode(
                  context,
                  {
                    node,
                    value,
                    displayName,
                    type
                  },
                  ranks,
                  getBlockImports(node.parent),
                  pathGroupsExcludedImportTypes
                );
              }
              return handleImports;
            }(),
            CallExpression: /* @__PURE__ */ function() {
              function handleRequires(node) {
                if (!(0, _staticRequire2["default"])(node)) {
                  return;
                }
                var block = getRequireBlock(node);
                if (!block) {
                  return;
                }
                var name = node.arguments[0].value;
                registerNode(
                  context,
                  {
                    node,
                    value: name,
                    displayName: name,
                    type: "require"
                  },
                  ranks,
                  getBlockImports(block),
                  pathGroupsExcludedImportTypes
                );
              }
              return handleRequires;
            }(),
            "Program:exit": /* @__PURE__ */ function() {
              function reportAndReset() {
                importMap.forEach(function(imported) {
                  if (newlinesBetweenImports !== "ignore") {
                    makeNewlinesBetweenReport(context, imported, newlinesBetweenImports, distinctGroup);
                  }
                  if (alphabetize.order !== "ignore") {
                    mutateRanksToAlphabetize(imported, alphabetize);
                  }
                  makeOutOfOrderReport(context, imported);
                });
                importMap.clear();
              }
              return reportAndReset;
            }()
          };
        }
        return importOrderRule;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/newline-after-import.js
var require_newline_after_import = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/newline-after-import.js"(exports2, module2) {
    "use strict";
    var _staticRequire = require_staticRequire();
    var _staticRequire2 = _interopRequireDefault(_staticRequire);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    var _debug = require_src3();
    var _debug2 = _interopRequireDefault(_debug);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    var log = (0, _debug2["default"])("eslint-plugin-import:rules:newline-after-import");
    function containsNodeOrEqual(outerNode, innerNode) {
      return outerNode.range[0] <= innerNode.range[0] && outerNode.range[1] >= innerNode.range[1];
    }
    function getScopeBody(scope) {
      if (scope.block.type === "SwitchStatement") {
        log("SwitchStatement scopes not supported");
        return null;
      }
      var body = scope.block.body;
      if (body && body.type === "BlockStatement") {
        return body.body;
      }
      return body;
    }
    function findNodeIndexInScopeBody(body, nodeToFind) {
      return body.findIndex(function(node) {
        return containsNodeOrEqual(node, nodeToFind);
      });
    }
    function getLineDifference(node, nextNode) {
      return nextNode.loc.start.line - node.loc.end.line;
    }
    function isClassWithDecorator(node) {
      return node.type === "ClassDeclaration" && node.decorators && node.decorators.length;
    }
    function isExportDefaultClass(node) {
      return node.type === "ExportDefaultDeclaration" && node.declaration.type === "ClassDeclaration";
    }
    function isExportNameClass(node) {
      return node.type === "ExportNamedDeclaration" && node.declaration && node.declaration.type === "ClassDeclaration";
    }
    module2.exports = {
      meta: {
        type: "layout",
        docs: {
          category: "Style guide",
          description: "Enforce a newline after import statements.",
          url: (0, _docsUrl2["default"])("newline-after-import")
        },
        fixable: "whitespace",
        schema: [
          {
            type: "object",
            properties: {
              count: {
                type: "integer",
                minimum: 1
              },
              exactCount: { type: "boolean" },
              considerComments: { type: "boolean" }
            },
            additionalProperties: false
          }
        ]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var level = 0;
          var requireCalls = [];
          var options = Object.assign(
            {
              count: 1,
              exactCount: false,
              considerComments: false
            },
            context.options[0]
          );
          function checkForNewLine(node, nextNode, type) {
            if (isExportDefaultClass(nextNode) || isExportNameClass(nextNode)) {
              var classNode = nextNode.declaration;
              if (isClassWithDecorator(classNode)) {
                nextNode = classNode.decorators[0];
              }
            } else if (isClassWithDecorator(nextNode)) {
              nextNode = nextNode.decorators[0];
            }
            var lineDifference = getLineDifference(node, nextNode);
            var EXPECTED_LINE_DIFFERENCE = options.count + 1;
            if (lineDifference < EXPECTED_LINE_DIFFERENCE || options.exactCount && lineDifference !== EXPECTED_LINE_DIFFERENCE) {
              var column = node.loc.start.column;
              if (node.loc.start.line !== node.loc.end.line) {
                column = 0;
              }
              context.report({
                loc: {
                  line: node.loc.end.line,
                  column
                },
                message: "Expected " + String(options.count) + " empty line" + (options.count > 1 ? "s" : "") + " after " + String(type) + " statement not followed by another " + String(type) + ".",
                fix: options.exactCount && EXPECTED_LINE_DIFFERENCE < lineDifference ? void 0 : function(fixer) {
                  return fixer.insertTextAfter(
                    node,
                    "\n".repeat(EXPECTED_LINE_DIFFERENCE - lineDifference)
                  );
                }
              });
            }
          }
          function commentAfterImport(node, nextComment) {
            var lineDifference = getLineDifference(node, nextComment);
            var EXPECTED_LINE_DIFFERENCE = options.count + 1;
            if (lineDifference < EXPECTED_LINE_DIFFERENCE) {
              var column = node.loc.start.column;
              if (node.loc.start.line !== node.loc.end.line) {
                column = 0;
              }
              context.report({
                loc: {
                  line: node.loc.end.line,
                  column
                },
                message: "Expected " + String(options.count) + " empty line" + (options.count > 1 ? "s" : "") + " after import statement not followed by another import.",
                fix: options.exactCount && EXPECTED_LINE_DIFFERENCE < lineDifference ? void 0 : function(fixer) {
                  return fixer.insertTextAfter(
                    node,
                    "\n".repeat(EXPECTED_LINE_DIFFERENCE - lineDifference)
                  );
                }
              });
            }
          }
          function incrementLevel() {
            level++;
          }
          function decrementLevel() {
            level--;
          }
          function checkImport(node) {
            var parent = node.parent;
            if (!parent || !parent.body) {
              return;
            }
            var nodePosition = parent.body.indexOf(node);
            var nextNode = parent.body[nodePosition + 1];
            var endLine = node.loc.end.line;
            var nextComment = void 0;
            if (typeof parent.comments !== "undefined" && options.considerComments) {
              nextComment = parent.comments.find(function(o) {
                return o.loc.start.line >= endLine && o.loc.start.line <= endLine + options.count + 1;
              });
            }
            if (node.type === "TSImportEqualsDeclaration" && node.isExport) {
              return;
            }
            if (nextComment && typeof nextComment !== "undefined") {
              commentAfterImport(node, nextComment);
            } else if (nextNode && nextNode.type !== "ImportDeclaration" && (nextNode.type !== "TSImportEqualsDeclaration" || nextNode.isExport)) {
              checkForNewLine(node, nextNode, "import");
            }
          }
          return {
            ImportDeclaration: checkImport,
            TSImportEqualsDeclaration: checkImport,
            CallExpression: /* @__PURE__ */ function() {
              function CallExpression(node) {
                if ((0, _staticRequire2["default"])(node) && level === 0) {
                  requireCalls.push(node);
                }
              }
              return CallExpression;
            }(),
            "Program:exit": /* @__PURE__ */ function() {
              function ProgramExit() {
                log("exit processing for", context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename());
                var scopeBody = getScopeBody(context.getScope());
                log("got scope:", scopeBody);
                requireCalls.forEach(function(node, index) {
                  var nodePosition = findNodeIndexInScopeBody(scopeBody, node);
                  log("node position in scope:", nodePosition);
                  var statementWithRequireCall = scopeBody[nodePosition];
                  var nextStatement = scopeBody[nodePosition + 1];
                  var nextRequireCall = requireCalls[index + 1];
                  if (nextRequireCall && containsNodeOrEqual(statementWithRequireCall, nextRequireCall)) {
                    return;
                  }
                  if (nextStatement && (!nextRequireCall || !containsNodeOrEqual(nextStatement, nextRequireCall))) {
                    checkForNewLine(statementWithRequireCall, nextStatement, "require");
                  }
                });
              }
              return ProgramExit;
            }(),
            FunctionDeclaration: incrementLevel,
            FunctionExpression: incrementLevel,
            ArrowFunctionExpression: incrementLevel,
            BlockStatement: incrementLevel,
            ObjectExpression: incrementLevel,
            Decorator: incrementLevel,
            "FunctionDeclaration:exit": decrementLevel,
            "FunctionExpression:exit": decrementLevel,
            "ArrowFunctionExpression:exit": decrementLevel,
            "BlockStatement:exit": decrementLevel,
            "ObjectExpression:exit": decrementLevel,
            "Decorator:exit": decrementLevel
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/prefer-default-export.js
var require_prefer_default_export = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/prefer-default-export.js"(exports2, module2) {
    "use strict";
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    var SINGLE_EXPORT_ERROR_MESSAGE = "Prefer default export on a file with single export.";
    var ANY_EXPORT_ERROR_MESSAGE = "Prefer default export to be present on every file that has export.";
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Style guide",
          description: "Prefer a default export if module exports a single name or multiple names.",
          url: (0, _docsUrl2["default"])("prefer-default-export")
        },
        schema: [{
          type: "object",
          properties: {
            target: {
              type: "string",
              "enum": ["single", "any"],
              "default": "single"
            }
          },
          additionalProperties: false
        }]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var specifierExportCount = 0;
          var hasDefaultExport = false;
          var hasStarExport = false;
          var hasTypeExport = false;
          var namedExportNode = null;
          var _ref = context.options[0] || {}, _ref$target = _ref.target, target = _ref$target === void 0 ? "single" : _ref$target;
          function captureDeclaration(identifierOrPattern) {
            if (identifierOrPattern && identifierOrPattern.type === "ObjectPattern") {
              identifierOrPattern.properties.forEach(function(property) {
                captureDeclaration(property.value);
              });
            } else if (identifierOrPattern && identifierOrPattern.type === "ArrayPattern") {
              identifierOrPattern.elements.forEach(captureDeclaration);
            } else {
              specifierExportCount++;
            }
          }
          return {
            ExportDefaultSpecifier: /* @__PURE__ */ function() {
              function ExportDefaultSpecifier() {
                hasDefaultExport = true;
              }
              return ExportDefaultSpecifier;
            }(),
            ExportSpecifier: /* @__PURE__ */ function() {
              function ExportSpecifier(node) {
                if ((node.exported.name || node.exported.value) === "default") {
                  hasDefaultExport = true;
                } else {
                  specifierExportCount++;
                  namedExportNode = node;
                }
              }
              return ExportSpecifier;
            }(),
            ExportNamedDeclaration: /* @__PURE__ */ function() {
              function ExportNamedDeclaration(node) {
                if (!node.declaration) {
                  return;
                }
                var type = node.declaration.type;
                if (type === "TSTypeAliasDeclaration" || type === "TypeAlias" || type === "TSInterfaceDeclaration" || type === "InterfaceDeclaration") {
                  specifierExportCount++;
                  hasTypeExport = true;
                  return;
                }
                if (node.declaration.declarations) {
                  node.declaration.declarations.forEach(function(declaration) {
                    captureDeclaration(declaration.id);
                  });
                } else {
                  specifierExportCount++;
                }
                namedExportNode = node;
              }
              return ExportNamedDeclaration;
            }(),
            ExportDefaultDeclaration: /* @__PURE__ */ function() {
              function ExportDefaultDeclaration() {
                hasDefaultExport = true;
              }
              return ExportDefaultDeclaration;
            }(),
            ExportAllDeclaration: /* @__PURE__ */ function() {
              function ExportAllDeclaration() {
                hasStarExport = true;
              }
              return ExportAllDeclaration;
            }(),
            "Program:exit": /* @__PURE__ */ function() {
              function ProgramExit() {
                if (hasDefaultExport || hasStarExport || hasTypeExport) {
                  return;
                }
                if (target === "single" && specifierExportCount === 1) {
                  context.report(namedExportNode, SINGLE_EXPORT_ERROR_MESSAGE);
                } else if (target === "any" && specifierExportCount > 0) {
                  context.report(namedExportNode, ANY_EXPORT_ERROR_MESSAGE);
                }
              }
              return ProgramExit;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-default-export.js
var require_no_default_export = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-default-export.js"(exports2, module2) {
    "use strict";
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Style guide",
          description: "Forbid default exports.",
          url: (0, _docsUrl2["default"])("no-default-export")
        },
        schema: []
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          if (context.parserOptions.sourceType !== "module") {
            return {};
          }
          var preferNamed = "Prefer named exports.";
          var noAliasDefault = /* @__PURE__ */ function() {
            function noAliasDefault2(_ref) {
              var local = _ref.local;
              return "Do not alias `" + String(local.name) + "` as `default`. Just export `" + String(local.name) + "` itself instead.";
            }
            return noAliasDefault2;
          }();
          return {
            ExportDefaultDeclaration: /* @__PURE__ */ function() {
              function ExportDefaultDeclaration(node) {
                var _ref2 = context.getSourceCode().getFirstTokens(node)[1] || {}, loc = _ref2.loc;
                context.report({ node, message: preferNamed, loc });
              }
              return ExportDefaultDeclaration;
            }(),
            ExportNamedDeclaration: /* @__PURE__ */ function() {
              function ExportNamedDeclaration(node) {
                node.specifiers.filter(function(specifier) {
                  return (specifier.exported.name || specifier.exported.value) === "default";
                }).forEach(function(specifier) {
                  var _ref3 = context.getSourceCode().getFirstTokens(node)[1] || {}, loc = _ref3.loc;
                  if (specifier.type === "ExportDefaultSpecifier") {
                    context.report({ node, message: preferNamed, loc });
                  } else if (specifier.type === "ExportSpecifier") {
                    context.report({ node, message: noAliasDefault(specifier), loc });
                  }
                });
              }
              return ExportNamedDeclaration;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-named-export.js
var require_no_named_export = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-named-export.js"(exports2, module2) {
    "use strict";
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Style guide",
          description: "Forbid named exports.",
          url: (0, _docsUrl2["default"])("no-named-export")
        },
        schema: []
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          if (context.parserOptions.sourceType !== "module") {
            return {};
          }
          var message = "Named exports are not allowed.";
          return {
            ExportAllDeclaration: /* @__PURE__ */ function() {
              function ExportAllDeclaration(node) {
                context.report({ node, message });
              }
              return ExportAllDeclaration;
            }(),
            ExportNamedDeclaration: /* @__PURE__ */ function() {
              function ExportNamedDeclaration(node) {
                if (node.specifiers.length === 0) {
                  return context.report({ node, message });
                }
                var someNamed = node.specifiers.some(function(specifier) {
                  return (specifier.exported.name || specifier.exported.value) !== "default";
                });
                if (someNamed) {
                  context.report({ node, message });
                }
              }
              return ExportNamedDeclaration;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-dynamic-require.js
var require_no_dynamic_require = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-dynamic-require.js"(exports2, module2) {
    "use strict";
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function isRequire(node) {
      return node && node.callee && node.callee.type === "Identifier" && node.callee.name === "require" && node.arguments.length >= 1;
    }
    function isDynamicImport(node) {
      return node && node.callee && node.callee.type === "Import";
    }
    function isStaticValue(arg) {
      return arg.type === "Literal" || arg.type === "TemplateLiteral" && arg.expressions.length === 0;
    }
    var dynamicImportErrorMessage = "Calls to import() should use string literals";
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Static analysis",
          description: "Forbid `require()` calls with expressions.",
          url: (0, _docsUrl2["default"])("no-dynamic-require")
        },
        schema: [
          {
            type: "object",
            properties: {
              esmodule: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var options = context.options[0] || {};
          return {
            CallExpression: /* @__PURE__ */ function() {
              function CallExpression(node) {
                if (!node.arguments[0] || isStaticValue(node.arguments[0])) {
                  return;
                }
                if (isRequire(node)) {
                  return context.report({
                    node,
                    message: "Calls to require() should use string literals"
                  });
                }
                if (options.esmodule && isDynamicImport(node)) {
                  return context.report({
                    node,
                    message: dynamicImportErrorMessage
                  });
                }
              }
              return CallExpression;
            }(),
            ImportExpression: /* @__PURE__ */ function() {
              function ImportExpression(node) {
                if (!options.esmodule || isStaticValue(node.source)) {
                  return;
                }
                return context.report({
                  node,
                  message: dynamicImportErrorMessage
                });
              }
              return ImportExpression;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/unambiguous.js
var require_unambiguous = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/unambiguous.js"(exports2, module2) {
    "use strict";
    var _unambiguous = require("eslint-module-utils/unambiguous");
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Module systems",
          description: "Forbid potentially ambiguous parse goal (`script` vs. `module`).",
          url: (0, _docsUrl2["default"])("unambiguous")
        },
        schema: []
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          if (context.parserOptions.sourceType !== "module") {
            return {};
          }
          return {
            Program: /* @__PURE__ */ function() {
              function Program(ast) {
                if (!(0, _unambiguous.isModule)(ast)) {
                  context.report({
                    node: ast,
                    message: "This module could be parsed as a valid script."
                  });
                }
              }
              return Program;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-unassigned-import.js
var require_no_unassigned_import = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-unassigned-import.js"(exports2, module2) {
    "use strict";
    var _path = require("path");
    var _path2 = _interopRequireDefault(_path);
    var _minimatch = require_minimatch();
    var _minimatch2 = _interopRequireDefault(_minimatch);
    var _staticRequire = require_staticRequire();
    var _staticRequire2 = _interopRequireDefault(_staticRequire);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function report(context, node) {
      context.report({
        node,
        message: "Imported module should be assigned"
      });
    }
    function testIsAllow(globs, filename, source) {
      if (!Array.isArray(globs)) {
        return false;
      }
      var filePath = void 0;
      if (source[0] !== "." && source[0] !== "/") {
        filePath = source;
      } else {
        filePath = _path2["default"].resolve(_path2["default"].dirname(filename), source);
      }
      return globs.find(function(glob) {
        return (0, _minimatch2["default"])(filePath, glob) || (0, _minimatch2["default"])(filePath, _path2["default"].join(process.cwd(), glob));
      }) !== void 0;
    }
    function create119(context) {
      var options = context.options[0] || {};
      var filename = context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename();
      var isAllow = function isAllow2(source) {
        return testIsAllow(options.allow, filename, source);
      };
      return {
        ImportDeclaration: /* @__PURE__ */ function() {
          function ImportDeclaration(node) {
            if (node.specifiers.length === 0 && !isAllow(node.source.value)) {
              report(context, node);
            }
          }
          return ImportDeclaration;
        }(),
        ExpressionStatement: /* @__PURE__ */ function() {
          function ExpressionStatement(node) {
            if (node.expression.type === "CallExpression" && (0, _staticRequire2["default"])(node.expression) && !isAllow(node.expression.arguments[0].value)) {
              report(context, node.expression);
            }
          }
          return ExpressionStatement;
        }()
      };
    }
    module2.exports = {
      create: create119,
      meta: {
        type: "suggestion",
        docs: {
          category: "Style guide",
          description: "Forbid unassigned imports",
          url: (0, _docsUrl2["default"])("no-unassigned-import")
        },
        schema: [
          {
            type: "object",
            properties: {
              devDependencies: { type: ["boolean", "array"] },
              optionalDependencies: { type: ["boolean", "array"] },
              peerDependencies: { type: ["boolean", "array"] },
              allow: {
                type: "array",
                items: {
                  type: "string"
                }
              }
            },
            additionalProperties: false
          }
        ]
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-useless-path-segments.js
var require_no_useless_path_segments = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-useless-path-segments.js"(exports2, module2) {
    "use strict";
    var _ignore = require("eslint-module-utils/ignore");
    var _moduleVisitor = require("eslint-module-utils/moduleVisitor");
    var _moduleVisitor2 = _interopRequireDefault(_moduleVisitor);
    var _resolve = require("eslint-module-utils/resolve");
    var _resolve2 = _interopRequireDefault(_resolve);
    var _path = require("path");
    var _path2 = _interopRequireDefault(_path);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function toRelativePath(relativePath) {
      var stripped = relativePath.replace(/\/$/g, "");
      return /^((\.\.)|(\.))($|\/)/.test(stripped) ? stripped : "./" + String(stripped);
    }
    function normalize(fn) {
      return toRelativePath(_path2["default"].posix.normalize(fn));
    }
    function countRelativeParents(pathSegments) {
      return pathSegments.filter(function(x) {
        return x === "..";
      }).length;
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Static analysis",
          description: "Forbid unnecessary path segments in import and require statements.",
          url: (0, _docsUrl2["default"])("no-useless-path-segments")
        },
        fixable: "code",
        schema: [
          {
            type: "object",
            properties: {
              commonjs: { type: "boolean" },
              noUselessIndex: { type: "boolean" }
            },
            additionalProperties: false
          }
        ]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var currentDir = _path2["default"].dirname(context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename());
          var options = context.options[0];
          function checkSourceValue(source) {
            var importPath = source.value;
            function reportWithProposedPath(proposedPath) {
              context.report({
                node: source,
                // Note: Using messageIds is not possible due to the support for ESLint 2 and 3
                message: 'Useless path segments for "' + String(importPath) + '", should be "' + String(proposedPath) + '"',
                fix: /* @__PURE__ */ function() {
                  function fix11(fixer) {
                    return proposedPath && fixer.replaceText(source, JSON.stringify(proposedPath));
                  }
                  return fix11;
                }()
              });
            }
            if (!importPath.startsWith(".")) {
              return;
            }
            var resolvedPath = (0, _resolve2["default"])(importPath, context);
            var normedPath = normalize(importPath);
            var resolvedNormedPath = (0, _resolve2["default"])(normedPath, context);
            if (normedPath !== importPath && resolvedPath === resolvedNormedPath) {
              return reportWithProposedPath(normedPath);
            }
            var fileExtensions = (0, _ignore.getFileExtensions)(context.settings);
            var regexUnnecessaryIndex = new RegExp(".*\\/index(\\" + String(
              Array.from(fileExtensions).join("|\\")
            ) + ")?$");
            if (options && options.noUselessIndex && regexUnnecessaryIndex.test(importPath)) {
              var parentDirectory = _path2["default"].dirname(importPath);
              if (parentDirectory !== "." && parentDirectory !== "..") {
                var _iteratorNormalCompletion = true;
                var _didIteratorError = false;
                var _iteratorError = void 0;
                try {
                  for (var _iterator = fileExtensions[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
                    var fileExtension = _step.value;
                    if ((0, _resolve2["default"])("" + String(parentDirectory) + String(fileExtension), context)) {
                      return reportWithProposedPath(String(parentDirectory) + "/");
                    }
                  }
                } catch (err) {
                  _didIteratorError = true;
                  _iteratorError = err;
                } finally {
                  try {
                    if (!_iteratorNormalCompletion && _iterator["return"]) {
                      _iterator["return"]();
                    }
                  } finally {
                    if (_didIteratorError) {
                      throw _iteratorError;
                    }
                  }
                }
              }
              return reportWithProposedPath(parentDirectory);
            }
            if (importPath.startsWith("./")) {
              return;
            }
            if (resolvedPath === void 0) {
              return;
            }
            var expected = _path2["default"].relative(currentDir, resolvedPath);
            var expectedSplit = expected.split(_path2["default"].sep);
            var importPathSplit = importPath.replace(/^\.\//, "").split("/");
            var countImportPathRelativeParents = countRelativeParents(importPathSplit);
            var countExpectedRelativeParents = countRelativeParents(expectedSplit);
            var diff = countImportPathRelativeParents - countExpectedRelativeParents;
            if (diff <= 0) {
              return;
            }
            return reportWithProposedPath(
              toRelativePath(
                importPathSplit.slice(0, countExpectedRelativeParents).concat(importPathSplit.slice(countImportPathRelativeParents + diff)).join("/")
              )
            );
          }
          return (0, _moduleVisitor2["default"])(checkSourceValue, options);
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/dynamic-import-chunkname.js
var require_dynamic_import_chunkname = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/dynamic-import-chunkname.js"(exports2, module2) {
    "use strict";
    var _vm = require("vm");
    var _vm2 = _interopRequireDefault(_vm);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Style guide",
          description: "Enforce a leading comment with the webpackChunkName for dynamic imports.",
          url: (0, _docsUrl2["default"])("dynamic-import-chunkname")
        },
        schema: [{
          type: "object",
          properties: {
            importFunctions: {
              type: "array",
              uniqueItems: true,
              items: {
                type: "string"
              }
            },
            webpackChunknameFormat: {
              type: "string"
            }
          }
        }]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var config7 = context.options[0];
          var _ref = config7 || {}, _ref$importFunctions = _ref.importFunctions, importFunctions = _ref$importFunctions === void 0 ? [] : _ref$importFunctions;
          var _ref2 = config7 || {}, _ref2$webpackChunknam = _ref2.webpackChunknameFormat, webpackChunknameFormat = _ref2$webpackChunknam === void 0 ? "([0-9a-zA-Z-_/.]|\\[(request|index)\\])+" : _ref2$webpackChunknam;
          var paddedCommentRegex = /^ (\S[\s\S]+\S) $/;
          var commentStyleRegex = /^( ((webpackChunkName: .+)|((webpackPrefetch|webpackPreload): (true|false|-?[0-9]+))|(webpackIgnore: (true|false))|((webpackInclude|webpackExclude): \/.*\/)|(webpackMode: ["'](lazy|lazy-once|eager|weak)["'])|(webpackExports: (['"]\w+['"]|\[(['"]\w+['"], *)+(['"]\w+['"]*)\]))),?)+ $/;
          var chunkSubstrFormat = ` webpackChunkName: ["']` + String(webpackChunknameFormat) + `["'],? `;
          var chunkSubstrRegex = new RegExp(chunkSubstrFormat);
          function run(node, arg) {
            var sourceCode = context.getSourceCode();
            var leadingComments = sourceCode.getCommentsBefore ? sourceCode.getCommentsBefore(arg) : sourceCode.getComments(arg).leading;
            if (!leadingComments || leadingComments.length === 0) {
              context.report({
                node,
                message: "dynamic imports require a leading comment with the webpack chunkname"
              });
              return;
            }
            var isChunknamePresent = false;
            var _iteratorNormalCompletion = true;
            var _didIteratorError = false;
            var _iteratorError = void 0;
            try {
              for (var _iterator = leadingComments[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
                var comment = _step.value;
                if (comment.type !== "Block") {
                  context.report({
                    node,
                    message: "dynamic imports require a /* foo */ style comment, not a // foo comment"
                  });
                  return;
                }
                if (!paddedCommentRegex.test(comment.value)) {
                  context.report({
                    node,
                    message: "dynamic imports require a block comment padded with spaces - /* foo */"
                  });
                  return;
                }
                try {
                  _vm2["default"].runInNewContext("(function() {return {" + String(comment.value) + "}})()");
                } catch (error) {
                  context.report({
                    node,
                    message: 'dynamic imports require a "webpack" comment with valid syntax'
                  });
                  return;
                }
                if (!commentStyleRegex.test(comment.value)) {
                  context.report({
                    node,
                    message: 'dynamic imports require a "webpack" comment with valid syntax'
                  });
                  return;
                }
                if (chunkSubstrRegex.test(comment.value)) {
                  isChunknamePresent = true;
                }
              }
            } catch (err) {
              _didIteratorError = true;
              _iteratorError = err;
            } finally {
              try {
                if (!_iteratorNormalCompletion && _iterator["return"]) {
                  _iterator["return"]();
                }
              } finally {
                if (_didIteratorError) {
                  throw _iteratorError;
                }
              }
            }
            if (!isChunknamePresent) {
              context.report({
                node,
                message: "dynamic imports require a leading comment in the form /*" + chunkSubstrFormat + "*/"
              });
            }
          }
          return {
            ImportExpression: /* @__PURE__ */ function() {
              function ImportExpression(node) {
                run(node, node.source);
              }
              return ImportExpression;
            }(),
            CallExpression: /* @__PURE__ */ function() {
              function CallExpression(node) {
                if (node.callee.type !== "Import" && importFunctions.indexOf(node.callee.name) < 0) {
                  return;
                }
                run(node, node.arguments[0]);
              }
              return CallExpression;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-import-module-exports.js
var require_no_import_module_exports = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-import-module-exports.js"(exports2, module2) {
    "use strict";
    var _minimatch = require_minimatch();
    var _minimatch2 = _interopRequireDefault(_minimatch);
    var _path = require("path");
    var _path2 = _interopRequireDefault(_path);
    var _pkgUp = require("eslint-module-utils/pkgUp");
    var _pkgUp2 = _interopRequireDefault(_pkgUp);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function getEntryPoint(context) {
      var pkgPath = (0, _pkgUp2["default"])({ cwd: context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename() });
      try {
        return require.resolve(_path2["default"].dirname(pkgPath));
      } catch (error) {
        return null;
      }
    }
    function findScope(context, identifier) {
      var _context$getSourceCod = context.getSourceCode(), scopeManager = _context$getSourceCod.scopeManager;
      return scopeManager && scopeManager.scopes.slice().reverse().find(function(scope) {
        return scope.variables.some(function(variable) {
          return variable.identifiers.some(function(node) {
            return node.name === identifier;
          });
        });
      });
    }
    function findDefinition(objectScope, identifier) {
      var variable = objectScope.variables.find(function(variable2) {
        return variable2.name === identifier;
      });
      return variable.defs.find(function(def) {
        return def.name.name === identifier;
      });
    }
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          category: "Module systems",
          description: "Forbid import statements with CommonJS module.exports.",
          recommended: true
        },
        fixable: "code",
        schema: [
          {
            type: "object",
            properties: {
              exceptions: { type: "array" }
            },
            additionalProperties: false
          }
        ]
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var importDeclarations = [];
          var entryPoint = getEntryPoint(context);
          var options = context.options[0] || {};
          var alreadyReported = false;
          function report(node) {
            var fileName = context.getPhysicalFilename ? context.getPhysicalFilename() : context.getFilename();
            var isEntryPoint = entryPoint === fileName;
            var isIdentifier = node.object.type === "Identifier";
            var hasKeywords = /^(module|exports)$/.test(node.object.name);
            var objectScope = hasKeywords && findScope(context, node.object.name);
            var variableDefinition = objectScope && findDefinition(objectScope, node.object.name);
            var isImportBinding = variableDefinition && variableDefinition.type === "ImportBinding";
            var hasCJSExportReference = hasKeywords && (!objectScope || objectScope.type === "module");
            var isException = !!options.exceptions && options.exceptions.some(function(glob) {
              return (0, _minimatch2["default"])(fileName, glob);
            });
            if (isIdentifier && hasCJSExportReference && !isEntryPoint && !isException && !isImportBinding) {
              importDeclarations.forEach(function(importDeclaration) {
                context.report({
                  node: importDeclaration,
                  message: "Cannot use import declarations in modules that export using CommonJS (module.exports = 'foo' or exports.bar = 'hi')"
                });
              });
              alreadyReported = true;
            }
          }
          return {
            ImportDeclaration: /* @__PURE__ */ function() {
              function ImportDeclaration(node) {
                importDeclarations.push(node);
              }
              return ImportDeclaration;
            }(),
            MemberExpression: /* @__PURE__ */ function() {
              function MemberExpression(node) {
                if (!alreadyReported) {
                  report(node);
                }
              }
              return MemberExpression;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-empty-named-blocks.js
var require_no_empty_named_blocks = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-empty-named-blocks.js"(exports2, module2) {
    "use strict";
    var _slicedToArray = /* @__PURE__ */ function() {
      function sliceIterator(arr, i) {
        var _arr = [];
        var _n = true;
        var _d = false;
        var _e = void 0;
        try {
          for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) {
            _arr.push(_s.value);
            if (i && _arr.length === i) break;
          }
        } catch (err) {
          _d = true;
          _e = err;
        } finally {
          try {
            if (!_n && _i["return"]) _i["return"]();
          } finally {
            if (_d) throw _e;
          }
        }
        return _arr;
      }
      return function(arr, i) {
        if (Array.isArray(arr)) {
          return arr;
        } else if (Symbol.iterator in Object(arr)) {
          return sliceIterator(arr, i);
        } else {
          throw new TypeError("Invalid attempt to destructure non-iterable instance");
        }
      };
    }();
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function getEmptyBlockRange(tokens, index) {
      var token = tokens[index];
      var nextToken = tokens[index + 1];
      var prevToken = tokens[index - 1];
      var start = token.range[0];
      var end = nextToken.range[1];
      if (prevToken.value === "," || prevToken.value === "type" || prevToken.value === "typeof") {
        start = prevToken.range[0];
      }
      return [start, end];
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Helpful warnings",
          description: "Forbid empty named import blocks.",
          url: (0, _docsUrl2["default"])("no-empty-named-blocks")
        },
        fixable: "code",
        schema: [],
        hasSuggestions: true
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var importsWithoutNameds = [];
          return {
            ImportDeclaration: /* @__PURE__ */ function() {
              function ImportDeclaration(node) {
                if (!node.specifiers.some(function(x) {
                  return x.type === "ImportSpecifier";
                })) {
                  importsWithoutNameds.push(node);
                }
              }
              return ImportDeclaration;
            }(),
            "Program:exit": /* @__PURE__ */ function() {
              function ProgramExit(program) {
                var importsTokens = importsWithoutNameds.map(function(node) {
                  return [node, program.tokens.filter(function(x) {
                    return x.range[0] >= node.range[0] && x.range[1] <= node.range[1];
                  })];
                });
                importsTokens.forEach(function(_ref) {
                  var _ref2 = _slicedToArray(_ref, 2), node = _ref2[0], tokens = _ref2[1];
                  tokens.forEach(function(token) {
                    var idx = program.tokens.indexOf(token);
                    var nextToken = program.tokens[idx + 1];
                    if (nextToken && token.value === "{" && nextToken.value === "}") {
                      var hasOtherIdentifiers = tokens.some(function(token2) {
                        return token2.type === "Identifier" && token2.value !== "from" && token2.value !== "type" && token2.value !== "typeof";
                      });
                      if (!hasOtherIdentifiers) {
                        context.report({
                          node,
                          message: "Unexpected empty named import block",
                          suggest: [
                            {
                              desc: "Remove unused import",
                              fix: /* @__PURE__ */ function() {
                                function fix11(fixer) {
                                  return fixer.remove(node);
                                }
                                return fix11;
                              }()
                            },
                            {
                              desc: "Remove empty import block",
                              fix: /* @__PURE__ */ function() {
                                function fix11(fixer) {
                                  var sourceCode = context.getSourceCode();
                                  var fromToken = program.tokens.find(function(t) {
                                    return t.value === "from";
                                  });
                                  var importToken = program.tokens.find(function(t) {
                                    return t.value === "import";
                                  });
                                  var hasSpaceAfterFrom = sourceCode.isSpaceBetween(fromToken, sourceCode.getTokenAfter(fromToken));
                                  var hasSpaceAfterImport = sourceCode.isSpaceBetween(importToken, sourceCode.getTokenAfter(fromToken));
                                  var _getEmptyBlockRange = getEmptyBlockRange(program.tokens, idx), _getEmptyBlockRange2 = _slicedToArray(_getEmptyBlockRange, 1), start = _getEmptyBlockRange2[0];
                                  var _fromToken$range = _slicedToArray(
                                    fromToken.range,
                                    2
                                  ), end = _fromToken$range[1];
                                  var range = [start, hasSpaceAfterFrom ? end + 1 : end];
                                  return fixer.replaceTextRange(range, hasSpaceAfterImport ? "" : " ");
                                }
                                return fix11;
                              }()
                            }
                          ]
                        });
                      } else {
                        context.report({
                          node,
                          message: "Unexpected empty named import block",
                          fix: /* @__PURE__ */ function() {
                            function fix11(fixer) {
                              return fixer.removeRange(getEmptyBlockRange(program.tokens, idx));
                            }
                            return fix11;
                          }()
                        });
                      }
                    }
                  });
                });
              }
              return ProgramExit;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/LengthOfArrayLike.js
var require_LengthOfArrayLike2 = __commonJS({
  "node_modules/.pnpm/es-abstract@1.23.3/node_modules/es-abstract/2024/LengthOfArrayLike.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var Get = require_Get2();
    var ToLength = require_ToLength();
    var Type = require_Type3();
    module2.exports = function LengthOfArrayLike(obj) {
      if (Type(obj) !== "Object") {
        throw new $TypeError("Assertion failed: `obj` must be an Object");
      }
      return ToLength(Get(obj, "length"));
    };
  }
});

// node_modules/.pnpm/array.prototype.findlastindex@1.2.5/node_modules/array.prototype.findlastindex/implementation.js
var require_implementation10 = __commonJS({
  "node_modules/.pnpm/array.prototype.findlastindex@1.2.5/node_modules/array.prototype.findlastindex/implementation.js"(exports2, module2) {
    "use strict";
    var $TypeError = require_type();
    var Call = require_Call2();
    var Get = require_Get2();
    var IsCallable = require_IsCallable2();
    var LengthOfArrayLike = require_LengthOfArrayLike2();
    var ToBoolean = require_ToBoolean2();
    var ToObject = require_ToObject();
    var ToString = require_ToString();
    module2.exports = function findLastIndex(predicate) {
      var O = ToObject(this);
      var len = LengthOfArrayLike(O);
      if (!IsCallable(predicate)) {
        throw new $TypeError("predicate must be a function");
      }
      var thisArg;
      if (arguments.length > 1) {
        thisArg = arguments[1];
      }
      var k = len - 1;
      while (k >= 0) {
        var Pk = ToString(k);
        var kValue = Get(O, Pk);
        var testResult = ToBoolean(Call(predicate, thisArg, [kValue, k, O]));
        if (testResult) {
          return k;
        }
        k -= 1;
      }
      return -1;
    };
  }
});

// node_modules/.pnpm/array.prototype.findlastindex@1.2.5/node_modules/array.prototype.findlastindex/polyfill.js
var require_polyfill8 = __commonJS({
  "node_modules/.pnpm/array.prototype.findlastindex@1.2.5/node_modules/array.prototype.findlastindex/polyfill.js"(exports2, module2) {
    "use strict";
    var implementation = require_implementation10();
    module2.exports = function getPolyfill() {
      return Array.prototype.findLastIndex || implementation;
    };
  }
});

// node_modules/.pnpm/array.prototype.findlastindex@1.2.5/node_modules/array.prototype.findlastindex/shim.js
var require_shim8 = __commonJS({
  "node_modules/.pnpm/array.prototype.findlastindex@1.2.5/node_modules/array.prototype.findlastindex/shim.js"(exports2, module2) {
    "use strict";
    var define2 = require_define_properties();
    var getPolyfill = require_polyfill8();
    var shimUnscopables = require_es_shim_unscopables();
    module2.exports = function shimFindLastIndex() {
      var polyfill = getPolyfill();
      define2(
        Array.prototype,
        { findLastIndex: polyfill },
        { findLastIndex: function() {
          return Array.prototype.findLastIndex !== polyfill;
        } }
      );
      shimUnscopables("findLastIndex");
      return polyfill;
    };
  }
});

// node_modules/.pnpm/array.prototype.findlastindex@1.2.5/node_modules/array.prototype.findlastindex/index.js
var require_array_prototype3 = __commonJS({
  "node_modules/.pnpm/array.prototype.findlastindex@1.2.5/node_modules/array.prototype.findlastindex/index.js"(exports2, module2) {
    "use strict";
    var define2 = require_define_properties();
    var callBind = require_call_bind();
    var callBound = require_callBound();
    var RequireObjectCoercible = require_RequireObjectCoercible();
    var implementation = require_implementation10();
    var getPolyfill = require_polyfill8();
    var polyfill = getPolyfill();
    var shim = require_shim8();
    var $slice = callBound("Array.prototype.slice");
    var bound = callBind.apply(polyfill);
    var boundFindLast = function findLastIndex(array, predicate) {
      RequireObjectCoercible(array);
      return bound(array, $slice(arguments, 1));
    };
    define2(boundFindLast, {
      getPolyfill,
      implementation,
      shim
    });
    module2.exports = boundFindLast;
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/exports-last.js
var require_exports_last = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/exports-last.js"(exports2, module2) {
    "use strict";
    var _arrayPrototype = require_array_prototype3();
    var _arrayPrototype2 = _interopRequireDefault(_arrayPrototype);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function isNonExportStatement(_ref) {
      var type = _ref.type;
      return type !== "ExportDefaultDeclaration" && type !== "ExportNamedDeclaration" && type !== "ExportAllDeclaration";
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Style guide",
          description: "Ensure all exports appear after other statements.",
          url: (0, _docsUrl2["default"])("exports-last")
        },
        schema: []
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          return {
            Program: /* @__PURE__ */ function() {
              function Program(_ref2) {
                var body = _ref2.body;
                var lastNonExportStatementIndex = (0, _arrayPrototype2["default"])(body, isNonExportStatement);
                if (lastNonExportStatementIndex !== -1) {
                  body.slice(0, lastNonExportStatementIndex).forEach(function(node) {
                    if (!isNonExportStatement(node)) {
                      context.report({
                        node,
                        message: "Export statements should appear at the end of the file"
                      });
                    }
                  });
                }
              }
              return Program;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-deprecated.js
var require_no_deprecated = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/no-deprecated.js"(exports2, module2) {
    "use strict";
    var _declaredScope = require("eslint-module-utils/declaredScope");
    var _declaredScope2 = _interopRequireDefault(_declaredScope);
    var _ExportMap = require_ExportMap();
    var _ExportMap2 = _interopRequireDefault(_ExportMap);
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    function message(deprecation) {
      return "Deprecated" + (deprecation.description ? ": " + String(deprecation.description) : ".");
    }
    function getDeprecation(metadata) {
      if (!metadata || !metadata.doc) {
        return;
      }
      return metadata.doc.tags.find(function(t) {
        return t.title === "deprecated";
      });
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          category: "Helpful warnings",
          description: "Forbid imported names marked with `@deprecated` documentation tag.",
          url: (0, _docsUrl2["default"])("no-deprecated")
        },
        schema: []
      },
      create: /* @__PURE__ */ function() {
        function create119(context) {
          var deprecated = /* @__PURE__ */ new Map();
          var namespaces = /* @__PURE__ */ new Map();
          function checkSpecifiers(node) {
            if (node.type !== "ImportDeclaration") {
              return;
            }
            if (node.source == null) {
              return;
            }
            var imports = _ExportMap2["default"].get(node.source.value, context);
            if (imports == null) {
              return;
            }
            var moduleDeprecation = imports.doc && imports.doc.tags.find(function(t) {
              return t.title === "deprecated";
            });
            if (moduleDeprecation) {
              context.report({ node, message: message(moduleDeprecation) });
            }
            if (imports.errors.length) {
              imports.reportErrors(context, node);
              return;
            }
            node.specifiers.forEach(function(im) {
              var imported = void 0;
              var local = void 0;
              switch (im.type) {
                case "ImportNamespaceSpecifier": {
                  if (!imports.size) {
                    return;
                  }
                  namespaces.set(im.local.name, imports);
                  return;
                }
                case "ImportDefaultSpecifier":
                  imported = "default";
                  local = im.local.name;
                  break;
                case "ImportSpecifier":
                  imported = im.imported.name;
                  local = im.local.name;
                  break;
                default:
                  return;
              }
              var exported = imports.get(imported);
              if (exported == null) {
                return;
              }
              if (exported.namespace) {
                namespaces.set(local, exported.namespace);
              }
              var deprecation = getDeprecation(imports.get(imported));
              if (!deprecation) {
                return;
              }
              context.report({ node: im, message: message(deprecation) });
              deprecated.set(local, deprecation);
            });
          }
          return {
            Program: /* @__PURE__ */ function() {
              function Program(_ref) {
                var body = _ref.body;
                return body.forEach(checkSpecifiers);
              }
              return Program;
            }(),
            Identifier: /* @__PURE__ */ function() {
              function Identifier(node) {
                if (node.parent.type === "MemberExpression" && node.parent.property === node) {
                  return;
                }
                if (node.parent.type.slice(0, 6) === "Import") {
                  return;
                }
                if (!deprecated.has(node.name)) {
                  return;
                }
                if ((0, _declaredScope2["default"])(context, node.name) !== "module") {
                  return;
                }
                context.report({
                  node,
                  message: message(deprecated.get(node.name))
                });
              }
              return Identifier;
            }(),
            MemberExpression: /* @__PURE__ */ function() {
              function MemberExpression(dereference) {
                if (dereference.object.type !== "Identifier") {
                  return;
                }
                if (!namespaces.has(dereference.object.name)) {
                  return;
                }
                if ((0, _declaredScope2["default"])(context, dereference.object.name) !== "module") {
                  return;
                }
                var namespace = namespaces.get(dereference.object.name);
                var namepath = [dereference.object.name];
                while (namespace instanceof _ExportMap2["default"] && dereference.type === "MemberExpression") {
                  if (dereference.computed) {
                    return;
                  }
                  var metadata = namespace.get(dereference.property.name);
                  if (!metadata) {
                    break;
                  }
                  var deprecation = getDeprecation(metadata);
                  if (deprecation) {
                    context.report({ node: dereference.property, message: message(deprecation) });
                  }
                  namepath.push(dereference.property.name);
                  namespace = metadata.namespace;
                  dereference = dereference.parent;
                }
              }
              return MemberExpression;
            }()
          };
        }
        return create119;
      }()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/imports-first.js
var require_imports_first = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/rules/imports-first.js"(exports2, module2) {
    "use strict";
    var _docsUrl = require_docsUrl();
    var _docsUrl2 = _interopRequireDefault(_docsUrl);
    function _interopRequireDefault(obj) {
      return obj && obj.__esModule ? obj : { "default": obj };
    }
    var first = require_first();
    var newMeta = Object.assign(
      {},
      first.meta,
      {
        deprecated: true,
        docs: {
          category: "Style guide",
          description: "Replaced by `import/first`.",
          url: (0, _docsUrl2["default"])("imports-first", "7b25c1cb95ee18acc1531002fd343e1e6031f9ed")
        }
      }
    );
    module2.exports = Object.assign({}, first, { meta: newMeta });
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/config/recommended.js
var require_recommended2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/config/recommended.js"(exports2, module2) {
    module2.exports = {
      plugins: ["import"],
      rules: {
        // analysis/correctness
        "import/no-unresolved": "error",
        "import/named": "error",
        "import/namespace": "error",
        "import/default": "error",
        "import/export": "error",
        // red flags (thus, warnings)
        "import/no-named-as-default": "warn",
        "import/no-named-as-default-member": "warn",
        "import/no-duplicates": "warn"
      },
      // need all these for parsing dependencies (even if _your_ code doesn't need
      // all of them)
      parserOptions: {
        sourceType: "module",
        ecmaVersion: 2018
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/config/errors.js
var require_errors = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/config/errors.js"(exports2, module2) {
    module2.exports = {
      plugins: ["import"],
      rules: {
        "import/no-unresolved": 2,
        "import/named": 2,
        "import/namespace": 2,
        "import/default": 2,
        "import/export": 2
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/config/warnings.js
var require_warnings = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/config/warnings.js"(exports2, module2) {
    module2.exports = {
      plugins: ["import"],
      rules: {
        "import/no-named-as-default": 1,
        "import/no-named-as-default-member": 1,
        "import/no-duplicates": 1
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/config/stage-0.js
var require_stage_0 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/config/stage-0.js"(exports2, module2) {
    module2.exports = {
      plugins: ["import"],
      rules: {
        "import/no-deprecated": 1
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/config/react.js
var require_react = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/config/react.js"(exports2, module2) {
    module2.exports = {
      settings: {
        "import/extensions": [".js", ".jsx"]
      },
      parserOptions: {
        ecmaFeatures: { jsx: true }
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/config/react-native.js
var require_react_native = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/config/react-native.js"(exports2, module2) {
    module2.exports = {
      settings: {
        "import/resolver": {
          node: {
            // Note: will not complain if only _one_ of these files exists.
            extensions: [".js", ".web.js", ".ios.js", ".android.js"]
          }
        }
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/config/electron.js
var require_electron = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/config/electron.js"(exports2, module2) {
    module2.exports = {
      settings: {
        "import/core-modules": ["electron"]
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/config/typescript.js
var require_typescript2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/config/typescript.js"(exports2, module2) {
    var typeScriptExtensions = [".ts", ".cts", ".mts", ".tsx"];
    var allExtensions = [...typeScriptExtensions, ".js", ".jsx"];
    module2.exports = {
      settings: {
        "import/extensions": allExtensions,
        "import/external-module-folders": ["node_modules", "node_modules/@types"],
        "import/parsers": {
          "@typescript-eslint/parser": typeScriptExtensions
        },
        "import/resolver": {
          node: {
            extensions: allExtensions
          }
        }
      },
      rules: {
        // analysis/correctness
        // TypeScript compilation already ensures that named imports exist in the referenced module
        "import/named": "off"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/index.js
var require_lib8 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-import@2.29.1_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescript@5.5.4__eslint@9.5.0/node_modules/eslint-plugin-import/lib/index.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var rules = exports2.rules = {
      "no-unresolved": require_no_unresolved(),
      named: require_named(),
      "default": require_default(),
      namespace: require_namespace(),
      "no-namespace": require_no_namespace2(),
      "export": require_export(),
      "no-mutable-exports": require_no_mutable_exports(),
      extensions: require_extensions(),
      "no-restricted-paths": require_no_restricted_paths(),
      "no-internal-modules": require_no_internal_modules(),
      "group-exports": require_group_exports(),
      "no-relative-packages": require_no_relative_packages(),
      "no-relative-parent-imports": require_no_relative_parent_imports(),
      "consistent-type-specifier-style": require_consistent_type_specifier_style(),
      "no-self-import": require_no_self_import(),
      "no-cycle": require_no_cycle(),
      "no-named-default": require_no_named_default(),
      "no-named-as-default": require_no_named_as_default(),
      "no-named-as-default-member": require_no_named_as_default_member(),
      "no-anonymous-default-export": require_no_anonymous_default_export(),
      "no-unused-modules": require_no_unused_modules(),
      "no-commonjs": require_no_commonjs(),
      "no-amd": require_no_amd(),
      "no-duplicates": require_no_duplicates(),
      first: require_first(),
      "max-dependencies": require_max_dependencies(),
      "no-extraneous-dependencies": require_no_extraneous_dependencies(),
      "no-absolute-path": require_no_absolute_path(),
      "no-nodejs-modules": require_no_nodejs_modules(),
      "no-webpack-loader-syntax": require_no_webpack_loader_syntax(),
      order: require_order(),
      "newline-after-import": require_newline_after_import(),
      "prefer-default-export": require_prefer_default_export(),
      "no-default-export": require_no_default_export(),
      "no-named-export": require_no_named_export(),
      "no-dynamic-require": require_no_dynamic_require(),
      unambiguous: require_unambiguous(),
      "no-unassigned-import": require_no_unassigned_import(),
      "no-useless-path-segments": require_no_useless_path_segments(),
      "dynamic-import-chunkname": require_dynamic_import_chunkname(),
      "no-import-module-exports": require_no_import_module_exports(),
      "no-empty-named-blocks": require_no_empty_named_blocks(),
      // export
      "exports-last": require_exports_last(),
      // metadata-based
      "no-deprecated": require_no_deprecated(),
      // deprecated aliases to rules
      "imports-first": require_imports_first()
    };
    var configs = exports2.configs = {
      recommended: require_recommended2(),
      errors: require_errors(),
      warnings: require_warnings(),
      // shhhh... work in progress "secret" rules
      "stage-0": require_stage_0(),
      // useful stuff for folks using various environments
      react: require_react(),
      "react-native": require_react_native(),
      electron: require_electron(),
      typescript: require_typescript2()
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/package.json
var require_package8 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/package.json"(exports2, module2) {
    module2.exports = {
      name: "eslint-plugin-n",
      version: "17.8.1",
      description: "Additional ESLint's rules for Node.js",
      engines: {
        node: "^18.18.0 || ^20.9.0 || >=21.1.0"
      },
      main: "lib/index.js",
      types: "types/index.d.ts",
      files: [
        "lib/",
        "configs/",
        "types/index.d.ts"
      ],
      peerDependencies: {
        eslint: ">=8.23.0"
      },
      dependencies: {
        "@eslint-community/eslint-utils": "^4.4.0",
        "enhanced-resolve": "^5.17.0",
        "eslint-plugin-es-x": "^7.5.0",
        "get-tsconfig": "^4.7.0",
        globals: "^15.0.0",
        ignore: "^5.2.4",
        minimatch: "^9.0.0",
        semver: "^7.5.3"
      },
      devDependencies: {
        "@eslint/js": "^9.0.0",
        "@types/eslint": "^8.56.7",
        "@types/estree": "^1.0.5",
        "@types/node": "^20.11.0",
        "@typescript-eslint/parser": "^7.0.0",
        "@typescript-eslint/typescript-estree": "^7.0.0",
        eslint: "^9.0.0",
        "eslint-config-prettier": "^9.1.0",
        "eslint-doc-generator": "^1.6.1",
        "eslint-plugin-eslint-plugin": "^6.0.0",
        "eslint-plugin-n": "file:.",
        "fast-glob": "^3.2.12",
        husky: "^9.0.0",
        "lint-staged": "^15.2.0",
        "markdownlint-cli": "^0.41.0",
        mocha: "^10.2.0",
        "npm-run-all2": "^6.1.1",
        nyc: "^15.1.0",
        opener: "^1.5.2",
        prettier: "^3.1.1",
        punycode: "^2.3.0",
        "release-it": "^17.0.0",
        rimraf: "^5.0.1",
        "ts-ignore-import": "^4.0.1",
        "type-fest": "^4.9.0",
        typescript: "^5.1.3"
      },
      scripts: {
        build: "node scripts/update",
        clean: "rimraf .nyc_output coverage",
        coverage: "opener ./coverage/lcov-report/index.html",
        format: 'prettier --write "**/*.{js,json}"',
        lint: 'npm-run-all "lint:*"',
        "lint:docs": 'markdownlint "**/*.md"',
        "lint:eslint-docs": "npm run update:eslint-docs -- --check",
        "lint:js": "eslint .",
        new: "node scripts/new-rule",
        postversion: "git push && git push --tags",
        prepack: "tsc --emitDeclarationOnly && ts-ignore-import 'types/**/*.d.ts' --allow=@eslint-community/eslint-utils --allow=semver --allow=get-tsconfig",
        prepare: "husky",
        preversion: "npm test",
        test: "run-p lint:* test:types test:tests",
        "test:mocha": "_mocha  --reporter progress --timeout 4000",
        "test:tests": 'npm run test:mocha "tests/lib/**/*.js"',
        "test:types": "tsc --noEmit --emitDeclarationOnly false",
        "update:eslint-docs": "eslint-doc-generator",
        version: "npm run -s build && eslint lib/rules --fix && git add .",
        watch: "npm run test:_mocha -- --watch --growl"
      },
      repository: {
        type: "git",
        url: "git+https://github.com/eslint-community/eslint-plugin-n.git"
      },
      keywords: [
        "eslint",
        "eslintplugin",
        "eslint-plugin",
        "node",
        "nodejs",
        "ecmascript",
        "shebang",
        "file",
        "path",
        "import",
        "require"
      ],
      author: "Toru Nagashima",
      license: "MIT",
      bugs: {
        url: "https://github.com/eslint-community/eslint-plugin-n/issues"
      },
      homepage: "https://github.com/eslint-community/eslint-plugin-n#readme",
      funding: "https://opencollective.com/eslint",
      publishConfig: {
        access: "public",
        registry: "https://registry.npmjs.org/"
      },
      "release-it": {
        github: {
          release: true
        },
        npm: {
          skipChecks: true
        }
      },
      "lint-staged": {
        "*.js": "eslint --cache --fix",
        "*.{json,js}": "prettier --write --ignore-path .eslintignore",
        "*.md": "markdownlint --fix"
      },
      imports: {
        "#test-helpers": "./tests/test-helpers.js"
      }
    };
  }
});

// node_modules/.pnpm/globals@15.8.0/node_modules/globals/globals.json
var require_globals3 = __commonJS({
  "node_modules/.pnpm/globals@15.8.0/node_modules/globals/globals.json"(exports2, module2) {
    module2.exports = {
      amd: {
        define: false,
        require: false
      },
      applescript: {
        $: false,
        Application: false,
        Automation: false,
        console: false,
        delay: false,
        Library: false,
        ObjC: false,
        ObjectSpecifier: false,
        Path: false,
        Progress: false,
        Ref: false
      },
      atomtest: {
        advanceClock: false,
        atom: false,
        fakeClearInterval: false,
        fakeClearTimeout: false,
        fakeSetInterval: false,
        fakeSetTimeout: false,
        resetTimeouts: false,
        waitsForPromise: false
      },
      browser: {
        AbortController: false,
        AbortSignal: false,
        AbsoluteOrientationSensor: false,
        AbstractRange: false,
        Accelerometer: false,
        addEventListener: false,
        alert: false,
        AnalyserNode: false,
        Animation: false,
        AnimationEffect: false,
        AnimationEvent: false,
        AnimationPlaybackEvent: false,
        AnimationTimeline: false,
        atob: false,
        Attr: false,
        Audio: false,
        AudioBuffer: false,
        AudioBufferSourceNode: false,
        AudioContext: false,
        AudioData: false,
        AudioDecoder: false,
        AudioDestinationNode: false,
        AudioEncoder: false,
        AudioListener: false,
        AudioNode: false,
        AudioParam: false,
        AudioParamMap: false,
        AudioProcessingEvent: false,
        AudioScheduledSourceNode: false,
        AudioSinkInfo: false,
        AudioWorklet: false,
        AudioWorkletGlobalScope: false,
        AudioWorkletNode: false,
        AudioWorkletProcessor: false,
        AuthenticatorAssertionResponse: false,
        AuthenticatorAttestationResponse: false,
        AuthenticatorResponse: false,
        BackgroundFetchManager: false,
        BackgroundFetchRecord: false,
        BackgroundFetchRegistration: false,
        BarProp: false,
        BaseAudioContext: false,
        BatteryManager: false,
        BeforeUnloadEvent: false,
        BiquadFilterNode: false,
        Blob: false,
        BlobEvent: false,
        Bluetooth: false,
        BluetoothCharacteristicProperties: false,
        BluetoothDevice: false,
        BluetoothRemoteGATTCharacteristic: false,
        BluetoothRemoteGATTDescriptor: false,
        BluetoothRemoteGATTServer: false,
        BluetoothRemoteGATTService: false,
        BluetoothUUID: false,
        blur: false,
        BroadcastChannel: false,
        BrowserCaptureMediaStreamTrack: false,
        btoa: false,
        ByteLengthQueuingStrategy: false,
        Cache: false,
        caches: false,
        CacheStorage: false,
        cancelAnimationFrame: false,
        cancelIdleCallback: false,
        CanvasCaptureMediaStream: false,
        CanvasCaptureMediaStreamTrack: false,
        CanvasGradient: false,
        CanvasPattern: false,
        CanvasRenderingContext2D: false,
        CaptureController: false,
        CaretPosition: false,
        CDATASection: false,
        ChannelMergerNode: false,
        ChannelSplitterNode: false,
        CharacterBoundsUpdateEvent: false,
        CharacterData: false,
        clearInterval: false,
        clearTimeout: false,
        clientInformation: false,
        Clipboard: false,
        ClipboardEvent: false,
        ClipboardItem: false,
        close: false,
        closed: false,
        CloseEvent: false,
        CloseWatcher: false,
        Comment: false,
        CompositionEvent: false,
        CompressionStream: false,
        confirm: false,
        console: false,
        ConstantSourceNode: false,
        ContentVisibilityAutoStateChangeEvent: false,
        ConvolverNode: false,
        CookieChangeEvent: false,
        CookieDeprecationLabel: false,
        cookieStore: false,
        CookieStore: false,
        CookieStoreManager: false,
        CountQueuingStrategy: false,
        createImageBitmap: false,
        Credential: false,
        credentialless: false,
        CredentialsContainer: false,
        CropTarget: false,
        crossOriginIsolated: false,
        crypto: false,
        Crypto: false,
        CryptoKey: false,
        CSS: false,
        CSSAnimation: false,
        CSSConditionRule: false,
        CSSContainerRule: false,
        CSSCounterStyleRule: false,
        CSSFontFaceRule: false,
        CSSFontFeatureValuesRule: false,
        CSSFontPaletteValuesRule: false,
        CSSGroupingRule: false,
        CSSImageValue: false,
        CSSImportRule: false,
        CSSKeyframeRule: false,
        CSSKeyframesRule: false,
        CSSKeywordValue: false,
        CSSLayerBlockRule: false,
        CSSLayerStatementRule: false,
        CSSMathClamp: false,
        CSSMathInvert: false,
        CSSMathMax: false,
        CSSMathMin: false,
        CSSMathNegate: false,
        CSSMathProduct: false,
        CSSMathSum: false,
        CSSMathValue: false,
        CSSMatrixComponent: false,
        CSSMediaRule: false,
        CSSNamespaceRule: false,
        CSSNumericArray: false,
        CSSNumericValue: false,
        CSSPageRule: false,
        CSSPerspective: false,
        CSSPositionTryDescriptors: false,
        CSSPositionTryRule: false,
        CSSPositionValue: false,
        CSSPropertyRule: false,
        CSSRotate: false,
        CSSRule: false,
        CSSRuleList: false,
        CSSScale: false,
        CSSScopeRule: false,
        CSSSkew: false,
        CSSSkewX: false,
        CSSSkewY: false,
        CSSStartingStyleRule: false,
        CSSStyleDeclaration: false,
        CSSStyleRule: false,
        CSSStyleSheet: false,
        CSSStyleValue: false,
        CSSSupportsRule: false,
        CSSTransformComponent: false,
        CSSTransformValue: false,
        CSSTransition: false,
        CSSTranslate: false,
        CSSUnitValue: false,
        CSSUnparsedValue: false,
        CSSVariableReferenceValue: false,
        CSSViewTransitionRule: false,
        currentFrame: false,
        currentTime: false,
        CustomElementRegistry: false,
        customElements: false,
        CustomEvent: false,
        CustomStateSet: false,
        DataTransfer: false,
        DataTransferItem: false,
        DataTransferItemList: false,
        DecompressionStream: false,
        DelayNode: false,
        DelegatedInkTrailPresenter: false,
        DeviceMotionEvent: false,
        DeviceMotionEventAcceleration: false,
        DeviceMotionEventRotationRate: false,
        DeviceOrientationEvent: false,
        devicePixelRatio: false,
        dispatchEvent: false,
        document: false,
        Document: false,
        DocumentFragment: false,
        documentPictureInPicture: false,
        DocumentPictureInPicture: false,
        DocumentPictureInPictureEvent: false,
        DocumentTimeline: false,
        DocumentType: false,
        DOMError: false,
        DOMException: false,
        DOMImplementation: false,
        DOMMatrix: false,
        DOMMatrixReadOnly: false,
        DOMParser: false,
        DOMPoint: false,
        DOMPointReadOnly: false,
        DOMQuad: false,
        DOMRect: false,
        DOMRectList: false,
        DOMRectReadOnly: false,
        DOMStringList: false,
        DOMStringMap: false,
        DOMTokenList: false,
        DragEvent: false,
        DynamicsCompressorNode: false,
        EditContext: false,
        Element: false,
        ElementInternals: false,
        EncodedAudioChunk: false,
        EncodedVideoChunk: false,
        ErrorEvent: false,
        event: false,
        Event: false,
        EventCounts: false,
        EventSource: false,
        EventTarget: false,
        external: false,
        External: false,
        EyeDropper: false,
        FeaturePolicy: false,
        FederatedCredential: false,
        fence: false,
        Fence: false,
        FencedFrameConfig: false,
        fetch: false,
        fetchLater: false,
        FetchLaterResult: false,
        File: false,
        FileList: false,
        FileReader: false,
        FileSystem: false,
        FileSystemDirectoryEntry: false,
        FileSystemDirectoryHandle: false,
        FileSystemDirectoryReader: false,
        FileSystemEntry: false,
        FileSystemFileEntry: false,
        FileSystemFileHandle: false,
        FileSystemHandle: false,
        FileSystemWritableFileStream: false,
        find: false,
        Float16Array: false,
        focus: false,
        FocusEvent: false,
        FontData: false,
        FontFace: false,
        FontFaceSet: false,
        FontFaceSetLoadEvent: false,
        FormData: false,
        FormDataEvent: false,
        FragmentDirective: false,
        frameElement: false,
        frames: false,
        GainNode: false,
        Gamepad: false,
        GamepadAxisMoveEvent: false,
        GamepadButton: false,
        GamepadButtonEvent: false,
        GamepadEvent: false,
        GamepadHapticActuator: false,
        GamepadPose: false,
        Geolocation: false,
        GeolocationCoordinates: false,
        GeolocationPosition: false,
        GeolocationPositionError: false,
        getComputedStyle: false,
        getScreenDetails: false,
        getSelection: false,
        GPU: false,
        GPUAdapter: false,
        GPUAdapterInfo: false,
        GPUBindGroup: false,
        GPUBindGroupLayout: false,
        GPUBuffer: false,
        GPUBufferUsage: false,
        GPUCanvasContext: false,
        GPUColorWrite: false,
        GPUCommandBuffer: false,
        GPUCommandEncoder: false,
        GPUCompilationInfo: false,
        GPUCompilationMessage: false,
        GPUComputePassEncoder: false,
        GPUComputePipeline: false,
        GPUDevice: false,
        GPUDeviceLostInfo: false,
        GPUError: false,
        GPUExternalTexture: false,
        GPUInternalError: false,
        GPUMapMode: false,
        GPUOutOfMemoryError: false,
        GPUPipelineError: false,
        GPUPipelineLayout: false,
        GPUQuerySet: false,
        GPUQueue: false,
        GPURenderBundle: false,
        GPURenderBundleEncoder: false,
        GPURenderPassEncoder: false,
        GPURenderPipeline: false,
        GPUSampler: false,
        GPUShaderModule: false,
        GPUShaderStage: false,
        GPUSupportedFeatures: false,
        GPUSupportedLimits: false,
        GPUTexture: false,
        GPUTextureUsage: false,
        GPUTextureView: false,
        GPUUncapturedErrorEvent: false,
        GPUValidationError: false,
        GravitySensor: false,
        Gyroscope: false,
        HashChangeEvent: false,
        Headers: false,
        HID: false,
        HIDConnectionEvent: false,
        HIDDevice: false,
        HIDInputReportEvent: false,
        Highlight: false,
        HighlightRegistry: false,
        history: false,
        History: false,
        HTMLAllCollection: false,
        HTMLAnchorElement: false,
        HTMLAreaElement: false,
        HTMLAudioElement: false,
        HTMLBaseElement: false,
        HTMLBodyElement: false,
        HTMLBRElement: false,
        HTMLButtonElement: false,
        HTMLCanvasElement: false,
        HTMLCollection: false,
        HTMLDataElement: false,
        HTMLDataListElement: false,
        HTMLDetailsElement: false,
        HTMLDialogElement: false,
        HTMLDirectoryElement: false,
        HTMLDivElement: false,
        HTMLDListElement: false,
        HTMLDocument: false,
        HTMLElement: false,
        HTMLEmbedElement: false,
        HTMLFencedFrameElement: false,
        HTMLFieldSetElement: false,
        HTMLFontElement: false,
        HTMLFormControlsCollection: false,
        HTMLFormElement: false,
        HTMLFrameElement: false,
        HTMLFrameSetElement: false,
        HTMLHeadElement: false,
        HTMLHeadingElement: false,
        HTMLHRElement: false,
        HTMLHtmlElement: false,
        HTMLIFrameElement: false,
        HTMLImageElement: false,
        HTMLInputElement: false,
        HTMLLabelElement: false,
        HTMLLegendElement: false,
        HTMLLIElement: false,
        HTMLLinkElement: false,
        HTMLMapElement: false,
        HTMLMarqueeElement: false,
        HTMLMediaElement: false,
        HTMLMenuElement: false,
        HTMLMetaElement: false,
        HTMLMeterElement: false,
        HTMLModElement: false,
        HTMLObjectElement: false,
        HTMLOListElement: false,
        HTMLOptGroupElement: false,
        HTMLOptionElement: false,
        HTMLOptionsCollection: false,
        HTMLOutputElement: false,
        HTMLParagraphElement: false,
        HTMLParamElement: false,
        HTMLPictureElement: false,
        HTMLPreElement: false,
        HTMLProgressElement: false,
        HTMLQuoteElement: false,
        HTMLScriptElement: false,
        HTMLSelectElement: false,
        HTMLSlotElement: false,
        HTMLSourceElement: false,
        HTMLSpanElement: false,
        HTMLStyleElement: false,
        HTMLTableCaptionElement: false,
        HTMLTableCellElement: false,
        HTMLTableColElement: false,
        HTMLTableElement: false,
        HTMLTableRowElement: false,
        HTMLTableSectionElement: false,
        HTMLTemplateElement: false,
        HTMLTextAreaElement: false,
        HTMLTimeElement: false,
        HTMLTitleElement: false,
        HTMLTrackElement: false,
        HTMLUListElement: false,
        HTMLUnknownElement: false,
        HTMLVideoElement: false,
        IDBCursor: false,
        IDBCursorWithValue: false,
        IDBDatabase: false,
        IDBFactory: false,
        IDBIndex: false,
        IDBKeyRange: false,
        IDBObjectStore: false,
        IDBOpenDBRequest: false,
        IDBRequest: false,
        IDBTransaction: false,
        IDBVersionChangeEvent: false,
        IdentityCredential: false,
        IdentityCredentialError: false,
        IdentityProvider: false,
        IdleDeadline: false,
        IdleDetector: false,
        IIRFilterNode: false,
        Image: false,
        ImageBitmap: false,
        ImageBitmapRenderingContext: false,
        ImageCapture: false,
        ImageData: false,
        ImageDecoder: false,
        ImageTrack: false,
        ImageTrackList: false,
        indexedDB: false,
        Ink: false,
        innerHeight: false,
        innerWidth: false,
        InputDeviceCapabilities: false,
        InputDeviceInfo: false,
        InputEvent: false,
        IntersectionObserver: false,
        IntersectionObserverEntry: false,
        isSecureContext: false,
        Iterator: false,
        Keyboard: false,
        KeyboardEvent: false,
        KeyboardLayoutMap: false,
        KeyframeEffect: false,
        LargestContentfulPaint: false,
        LaunchParams: false,
        launchQueue: false,
        LaunchQueue: false,
        LayoutShift: false,
        LayoutShiftAttribution: false,
        length: false,
        LinearAccelerationSensor: false,
        localStorage: false,
        location: true,
        Location: false,
        locationbar: false,
        Lock: false,
        LockManager: false,
        matchMedia: false,
        MathMLElement: false,
        MediaCapabilities: false,
        MediaCapabilitiesInfo: false,
        MediaDeviceInfo: false,
        MediaDevices: false,
        MediaElementAudioSourceNode: false,
        MediaEncryptedEvent: false,
        MediaError: false,
        MediaKeyError: false,
        MediaKeyMessageEvent: false,
        MediaKeys: false,
        MediaKeySession: false,
        MediaKeyStatusMap: false,
        MediaKeySystemAccess: false,
        MediaList: false,
        MediaMetadata: false,
        MediaQueryList: false,
        MediaQueryListEvent: false,
        MediaRecorder: false,
        MediaRecorderErrorEvent: false,
        MediaSession: false,
        MediaSource: false,
        MediaSourceHandle: false,
        MediaStream: false,
        MediaStreamAudioDestinationNode: false,
        MediaStreamAudioSourceNode: false,
        MediaStreamEvent: false,
        MediaStreamTrack: false,
        MediaStreamTrackAudioSourceNode: false,
        MediaStreamTrackAudioStats: false,
        MediaStreamTrackEvent: false,
        MediaStreamTrackGenerator: false,
        MediaStreamTrackProcessor: false,
        MediaStreamTrackVideoStats: false,
        menubar: false,
        MessageChannel: false,
        MessageEvent: false,
        MessagePort: false,
        MIDIAccess: false,
        MIDIConnectionEvent: false,
        MIDIInput: false,
        MIDIInputMap: false,
        MIDIMessageEvent: false,
        MIDIOutput: false,
        MIDIOutputMap: false,
        MIDIPort: false,
        MimeType: false,
        MimeTypeArray: false,
        model: false,
        ModelGenericSession: false,
        ModelManager: false,
        MouseEvent: false,
        moveBy: false,
        moveTo: false,
        MutationEvent: false,
        MutationObserver: false,
        MutationRecord: false,
        name: false,
        NamedNodeMap: false,
        NavigateEvent: false,
        navigation: false,
        Navigation: false,
        NavigationActivation: false,
        NavigationCurrentEntryChangeEvent: false,
        NavigationDestination: false,
        NavigationHistoryEntry: false,
        NavigationPreloadManager: false,
        NavigationTransition: false,
        navigator: false,
        Navigator: false,
        NavigatorLogin: false,
        NavigatorManagedData: false,
        NavigatorUAData: false,
        NetworkInformation: false,
        Node: false,
        NodeFilter: false,
        NodeIterator: false,
        NodeList: false,
        Notification: false,
        NotifyPaintEvent: false,
        NotRestoredReasonDetails: false,
        NotRestoredReasons: false,
        OfflineAudioCompletionEvent: false,
        OfflineAudioContext: false,
        offscreenBuffering: false,
        OffscreenCanvas: false,
        OffscreenCanvasRenderingContext2D: false,
        onabort: true,
        onafterprint: true,
        onanimationcancel: true,
        onanimationend: true,
        onanimationiteration: true,
        onanimationstart: true,
        onappinstalled: true,
        onauxclick: true,
        onbeforeinput: true,
        onbeforeinstallprompt: true,
        onbeforematch: true,
        onbeforeprint: true,
        onbeforetoggle: true,
        onbeforeunload: true,
        onbeforexrselect: true,
        onblur: true,
        oncancel: true,
        oncanplay: true,
        oncanplaythrough: true,
        onchange: true,
        onclick: true,
        onclose: true,
        oncontentvisibilityautostatechange: true,
        oncontextlost: true,
        oncontextmenu: true,
        oncontextrestored: true,
        oncopy: true,
        oncuechange: true,
        oncut: true,
        ondblclick: true,
        ondevicemotion: true,
        ondeviceorientation: true,
        ondeviceorientationabsolute: true,
        ondrag: true,
        ondragend: true,
        ondragenter: true,
        ondragleave: true,
        ondragover: true,
        ondragstart: true,
        ondrop: true,
        ondurationchange: true,
        onemptied: true,
        onended: true,
        onerror: true,
        onfocus: true,
        onformdata: true,
        ongamepadconnected: true,
        ongamepaddisconnected: true,
        ongotpointercapture: true,
        onhashchange: true,
        oninput: true,
        oninvalid: true,
        onkeydown: true,
        onkeypress: true,
        onkeyup: true,
        onlanguagechange: true,
        onload: true,
        onloadeddata: true,
        onloadedmetadata: true,
        onloadstart: true,
        onlostpointercapture: true,
        onmessage: true,
        onmessageerror: true,
        onmousedown: true,
        onmouseenter: true,
        onmouseleave: true,
        onmousemove: true,
        onmouseout: true,
        onmouseover: true,
        onmouseup: true,
        onmousewheel: true,
        onoffline: true,
        ononline: true,
        onpagehide: true,
        onpagereveal: true,
        onpageshow: true,
        onpageswap: true,
        onpaste: true,
        onpause: true,
        onplay: true,
        onplaying: true,
        onpointercancel: true,
        onpointerdown: true,
        onpointerenter: true,
        onpointerleave: true,
        onpointermove: true,
        onpointerout: true,
        onpointerover: true,
        onpointerrawupdate: true,
        onpointerup: true,
        onpopstate: true,
        onprogress: true,
        onratechange: true,
        onrejectionhandled: true,
        onreset: true,
        onresize: true,
        onscroll: true,
        onscrollend: true,
        onsearch: true,
        onsecuritypolicyviolation: true,
        onseeked: true,
        onseeking: true,
        onselect: true,
        onselectionchange: true,
        onselectstart: true,
        onslotchange: true,
        onstalled: true,
        onstorage: true,
        onsubmit: true,
        onsuspend: true,
        ontimeupdate: true,
        ontoggle: true,
        ontransitioncancel: true,
        ontransitionend: true,
        ontransitionrun: true,
        ontransitionstart: true,
        onunhandledrejection: true,
        onunload: true,
        onvolumechange: true,
        onwaiting: true,
        onwheel: true,
        open: false,
        opener: false,
        Option: false,
        OrientationSensor: false,
        origin: false,
        originAgentCluster: false,
        OscillatorNode: false,
        OTPCredential: false,
        outerHeight: false,
        outerWidth: false,
        OverconstrainedError: false,
        PageRevealEvent: false,
        PageSwapEvent: false,
        PageTransitionEvent: false,
        pageXOffset: false,
        pageYOffset: false,
        PannerNode: false,
        parent: false,
        PasswordCredential: false,
        Path2D: false,
        PaymentAddress: false,
        PaymentManager: false,
        PaymentMethodChangeEvent: false,
        PaymentRequest: false,
        PaymentRequestUpdateEvent: false,
        PaymentResponse: false,
        performance: false,
        Performance: false,
        PerformanceElementTiming: false,
        PerformanceEntry: false,
        PerformanceEventTiming: false,
        PerformanceLongAnimationFrameTiming: false,
        PerformanceLongTaskTiming: false,
        PerformanceMark: false,
        PerformanceMeasure: false,
        PerformanceNavigation: false,
        PerformanceNavigationTiming: false,
        PerformanceObserver: false,
        PerformanceObserverEntryList: false,
        PerformancePaintTiming: false,
        PerformanceResourceTiming: false,
        PerformanceScriptTiming: false,
        PerformanceServerTiming: false,
        PerformanceTiming: false,
        PeriodicSyncManager: false,
        PeriodicWave: false,
        Permissions: false,
        PermissionStatus: false,
        PERSISTENT: false,
        personalbar: false,
        PictureInPictureEvent: false,
        PictureInPictureWindow: false,
        Plugin: false,
        PluginArray: false,
        PointerEvent: false,
        PopStateEvent: false,
        postMessage: false,
        Presentation: false,
        PresentationAvailability: false,
        PresentationConnection: false,
        PresentationConnectionAvailableEvent: false,
        PresentationConnectionCloseEvent: false,
        PresentationConnectionList: false,
        PresentationReceiver: false,
        PresentationRequest: false,
        PressureObserver: false,
        PressureRecord: false,
        print: false,
        ProcessingInstruction: false,
        Profiler: false,
        ProgressEvent: false,
        PromiseRejectionEvent: false,
        prompt: false,
        ProtectedAudience: false,
        PublicKeyCredential: false,
        PushManager: false,
        PushSubscription: false,
        PushSubscriptionOptions: false,
        queryLocalFonts: false,
        queueMicrotask: false,
        RadioNodeList: false,
        Range: false,
        ReadableByteStreamController: false,
        ReadableStream: false,
        ReadableStreamBYOBReader: false,
        ReadableStreamBYOBRequest: false,
        ReadableStreamDefaultController: false,
        ReadableStreamDefaultReader: false,
        registerProcessor: false,
        RelativeOrientationSensor: false,
        RemotePlayback: false,
        removeEventListener: false,
        reportError: false,
        ReportingObserver: false,
        Request: false,
        requestAnimationFrame: false,
        requestIdleCallback: false,
        resizeBy: false,
        ResizeObserver: false,
        ResizeObserverEntry: false,
        ResizeObserverSize: false,
        resizeTo: false,
        Response: false,
        RTCCertificate: false,
        RTCDataChannel: false,
        RTCDataChannelEvent: false,
        RTCDtlsTransport: false,
        RTCDTMFSender: false,
        RTCDTMFToneChangeEvent: false,
        RTCEncodedAudioFrame: false,
        RTCEncodedVideoFrame: false,
        RTCError: false,
        RTCErrorEvent: false,
        RTCIceCandidate: false,
        RTCIceTransport: false,
        RTCPeerConnection: false,
        RTCPeerConnectionIceErrorEvent: false,
        RTCPeerConnectionIceEvent: false,
        RTCRtpReceiver: false,
        RTCRtpScriptTransform: false,
        RTCRtpSender: false,
        RTCRtpTransceiver: false,
        RTCSctpTransport: false,
        RTCSessionDescription: false,
        RTCStatsReport: false,
        RTCTrackEvent: false,
        sampleRate: false,
        scheduler: false,
        Scheduler: false,
        Scheduling: false,
        screen: false,
        Screen: false,
        ScreenDetailed: false,
        ScreenDetails: false,
        screenLeft: false,
        ScreenOrientation: false,
        screenTop: false,
        screenX: false,
        screenY: false,
        ScriptProcessorNode: false,
        scroll: false,
        scrollbars: false,
        scrollBy: false,
        ScrollTimeline: false,
        scrollTo: false,
        scrollX: false,
        scrollY: false,
        SecurityPolicyViolationEvent: false,
        Selection: false,
        self: false,
        Sensor: false,
        SensorErrorEvent: false,
        Serial: false,
        SerialPort: false,
        ServiceWorker: false,
        ServiceWorkerContainer: false,
        ServiceWorkerRegistration: false,
        sessionStorage: false,
        setInterval: false,
        setTimeout: false,
        ShadowRoot: false,
        sharedStorage: false,
        SharedStorage: false,
        SharedStorageWorklet: false,
        SharedWorker: false,
        showDirectoryPicker: false,
        showOpenFilePicker: false,
        showSaveFilePicker: false,
        SourceBuffer: false,
        SourceBufferList: false,
        speechSynthesis: false,
        SpeechSynthesis: false,
        SpeechSynthesisErrorEvent: false,
        SpeechSynthesisEvent: false,
        SpeechSynthesisUtterance: false,
        SpeechSynthesisVoice: false,
        StaticRange: false,
        status: false,
        statusbar: false,
        StereoPannerNode: false,
        stop: false,
        Storage: false,
        StorageBucket: false,
        StorageBucketManager: false,
        StorageEvent: false,
        StorageManager: false,
        structuredClone: false,
        styleMedia: false,
        StylePropertyMap: false,
        StylePropertyMapReadOnly: false,
        StyleSheet: false,
        StyleSheetList: false,
        SubmitEvent: false,
        SubtleCrypto: false,
        SVGAElement: false,
        SVGAngle: false,
        SVGAnimatedAngle: false,
        SVGAnimatedBoolean: false,
        SVGAnimatedEnumeration: false,
        SVGAnimatedInteger: false,
        SVGAnimatedLength: false,
        SVGAnimatedLengthList: false,
        SVGAnimatedNumber: false,
        SVGAnimatedNumberList: false,
        SVGAnimatedPreserveAspectRatio: false,
        SVGAnimatedRect: false,
        SVGAnimatedString: false,
        SVGAnimatedTransformList: false,
        SVGAnimateElement: false,
        SVGAnimateMotionElement: false,
        SVGAnimateTransformElement: false,
        SVGAnimationElement: false,
        SVGCircleElement: false,
        SVGClipPathElement: false,
        SVGComponentTransferFunctionElement: false,
        SVGDefsElement: false,
        SVGDescElement: false,
        SVGElement: false,
        SVGEllipseElement: false,
        SVGFEBlendElement: false,
        SVGFEColorMatrixElement: false,
        SVGFEComponentTransferElement: false,
        SVGFECompositeElement: false,
        SVGFEConvolveMatrixElement: false,
        SVGFEDiffuseLightingElement: false,
        SVGFEDisplacementMapElement: false,
        SVGFEDistantLightElement: false,
        SVGFEDropShadowElement: false,
        SVGFEFloodElement: false,
        SVGFEFuncAElement: false,
        SVGFEFuncBElement: false,
        SVGFEFuncGElement: false,
        SVGFEFuncRElement: false,
        SVGFEGaussianBlurElement: false,
        SVGFEImageElement: false,
        SVGFEMergeElement: false,
        SVGFEMergeNodeElement: false,
        SVGFEMorphologyElement: false,
        SVGFEOffsetElement: false,
        SVGFEPointLightElement: false,
        SVGFESpecularLightingElement: false,
        SVGFESpotLightElement: false,
        SVGFETileElement: false,
        SVGFETurbulenceElement: false,
        SVGFilterElement: false,
        SVGForeignObjectElement: false,
        SVGGElement: false,
        SVGGeometryElement: false,
        SVGGradientElement: false,
        SVGGraphicsElement: false,
        SVGImageElement: false,
        SVGLength: false,
        SVGLengthList: false,
        SVGLinearGradientElement: false,
        SVGLineElement: false,
        SVGMarkerElement: false,
        SVGMaskElement: false,
        SVGMatrix: false,
        SVGMetadataElement: false,
        SVGMPathElement: false,
        SVGNumber: false,
        SVGNumberList: false,
        SVGPathElement: false,
        SVGPatternElement: false,
        SVGPoint: false,
        SVGPointList: false,
        SVGPolygonElement: false,
        SVGPolylineElement: false,
        SVGPreserveAspectRatio: false,
        SVGRadialGradientElement: false,
        SVGRect: false,
        SVGRectElement: false,
        SVGScriptElement: false,
        SVGSetElement: false,
        SVGStopElement: false,
        SVGStringList: false,
        SVGStyleElement: false,
        SVGSVGElement: false,
        SVGSwitchElement: false,
        SVGSymbolElement: false,
        SVGTextContentElement: false,
        SVGTextElement: false,
        SVGTextPathElement: false,
        SVGTextPositioningElement: false,
        SVGTitleElement: false,
        SVGTransform: false,
        SVGTransformList: false,
        SVGTSpanElement: false,
        SVGUnitTypes: false,
        SVGUseElement: false,
        SVGViewElement: false,
        SyncManager: false,
        TaskAttributionTiming: false,
        TaskController: false,
        TaskPriorityChangeEvent: false,
        TaskSignal: false,
        TEMPORARY: false,
        Text: false,
        TextDecoder: false,
        TextDecoderStream: false,
        TextEncoder: false,
        TextEncoderStream: false,
        TextEvent: false,
        TextFormat: false,
        TextFormatUpdateEvent: false,
        TextMetrics: false,
        TextTrack: false,
        TextTrackCue: false,
        TextTrackCueList: false,
        TextTrackList: false,
        TextUpdateEvent: false,
        TimeEvent: false,
        TimeRanges: false,
        ToggleEvent: false,
        toolbar: false,
        top: false,
        Touch: false,
        TouchEvent: false,
        TouchList: false,
        TrackEvent: false,
        TransformStream: false,
        TransformStreamDefaultController: false,
        TransitionEvent: false,
        TreeWalker: false,
        TrustedHTML: false,
        TrustedScript: false,
        TrustedScriptURL: false,
        TrustedTypePolicy: false,
        TrustedTypePolicyFactory: false,
        trustedTypes: false,
        UIEvent: false,
        URL: false,
        URLPattern: false,
        URLSearchParams: false,
        USB: false,
        USBAlternateInterface: false,
        USBConfiguration: false,
        USBConnectionEvent: false,
        USBDevice: false,
        USBEndpoint: false,
        USBInterface: false,
        USBInTransferResult: false,
        USBIsochronousInTransferPacket: false,
        USBIsochronousInTransferResult: false,
        USBIsochronousOutTransferPacket: false,
        USBIsochronousOutTransferResult: false,
        USBOutTransferResult: false,
        UserActivation: false,
        ValidityState: false,
        VideoColorSpace: false,
        VideoDecoder: false,
        VideoEncoder: false,
        VideoFrame: false,
        VideoPlaybackQuality: false,
        ViewTimeline: false,
        ViewTransition: false,
        ViewTransitionTypeSet: false,
        VirtualKeyboard: false,
        VirtualKeyboardGeometryChangeEvent: false,
        VisibilityStateEntry: false,
        visualViewport: false,
        VisualViewport: false,
        VTTCue: false,
        VTTRegion: false,
        WakeLock: false,
        WakeLockSentinel: false,
        WaveShaperNode: false,
        WebAssembly: false,
        WebGL2RenderingContext: false,
        WebGLActiveInfo: false,
        WebGLBuffer: false,
        WebGLContextEvent: false,
        WebGLFramebuffer: false,
        WebGLObject: false,
        WebGLProgram: false,
        WebGLQuery: false,
        WebGLRenderbuffer: false,
        WebGLRenderingContext: false,
        WebGLSampler: false,
        WebGLShader: false,
        WebGLShaderPrecisionFormat: false,
        WebGLSync: false,
        WebGLTexture: false,
        WebGLTransformFeedback: false,
        WebGLUniformLocation: false,
        WebGLVertexArrayObject: false,
        WebSocket: false,
        WebSocketError: false,
        WebSocketStream: false,
        WebTransport: false,
        WebTransportBidirectionalStream: false,
        WebTransportDatagramDuplexStream: false,
        WebTransportError: false,
        WebTransportReceiveStream: false,
        WebTransportSendStream: false,
        WGSLLanguageFeatures: false,
        WheelEvent: false,
        window: false,
        Window: false,
        WindowControlsOverlay: false,
        WindowControlsOverlayGeometryChangeEvent: false,
        Worker: false,
        Worklet: false,
        WorkletGlobalScope: false,
        WritableStream: false,
        WritableStreamDefaultController: false,
        WritableStreamDefaultWriter: false,
        XMLDocument: false,
        XMLHttpRequest: false,
        XMLHttpRequestEventTarget: false,
        XMLHttpRequestUpload: false,
        XMLSerializer: false,
        XPathEvaluator: false,
        XPathExpression: false,
        XPathResult: false,
        XRAnchor: false,
        XRAnchorSet: false,
        XRBoundedReferenceSpace: false,
        XRCamera: false,
        XRCPUDepthInformation: false,
        XRDepthInformation: false,
        XRDOMOverlayState: false,
        XRFrame: false,
        XRHitTestResult: false,
        XRHitTestSource: false,
        XRInputSource: false,
        XRInputSourceArray: false,
        XRInputSourceEvent: false,
        XRInputSourcesChangeEvent: false,
        XRLayer: false,
        XRLightEstimate: false,
        XRLightProbe: false,
        XRPose: false,
        XRRay: false,
        XRReferenceSpace: false,
        XRReferenceSpaceEvent: false,
        XRRenderState: false,
        XRRigidTransform: false,
        XRSession: false,
        XRSessionEvent: false,
        XRSpace: false,
        XRSystem: false,
        XRTransientInputHitTestResult: false,
        XRTransientInputHitTestSource: false,
        XRView: false,
        XRViewerPose: false,
        XRViewport: false,
        XRWebGLBinding: false,
        XRWebGLDepthInformation: false,
        XRWebGLLayer: false,
        XSLTProcessor: false
      },
      builtin: {
        AggregateError: false,
        Array: false,
        ArrayBuffer: false,
        Atomics: false,
        BigInt: false,
        BigInt64Array: false,
        BigUint64Array: false,
        Boolean: false,
        DataView: false,
        Date: false,
        decodeURI: false,
        decodeURIComponent: false,
        encodeURI: false,
        encodeURIComponent: false,
        Error: false,
        escape: false,
        eval: false,
        EvalError: false,
        FinalizationRegistry: false,
        Float32Array: false,
        Float64Array: false,
        Function: false,
        globalThis: false,
        Infinity: false,
        Int16Array: false,
        Int32Array: false,
        Int8Array: false,
        Intl: false,
        isFinite: false,
        isNaN: false,
        JSON: false,
        Map: false,
        Math: false,
        NaN: false,
        Number: false,
        Object: false,
        parseFloat: false,
        parseInt: false,
        Promise: false,
        Proxy: false,
        RangeError: false,
        ReferenceError: false,
        Reflect: false,
        RegExp: false,
        Set: false,
        SharedArrayBuffer: false,
        String: false,
        Symbol: false,
        SyntaxError: false,
        TypeError: false,
        Uint16Array: false,
        Uint32Array: false,
        Uint8Array: false,
        Uint8ClampedArray: false,
        undefined: false,
        unescape: false,
        URIError: false,
        WeakMap: false,
        WeakRef: false,
        WeakSet: false
      },
      chai: {
        assert: true,
        expect: true,
        should: true
      },
      commonjs: {
        exports: true,
        global: false,
        module: false,
        require: false
      },
      couch: {
        emit: false,
        exports: false,
        getRow: false,
        log: false,
        module: false,
        provides: false,
        require: false,
        respond: false,
        send: false,
        start: false,
        sum: false
      },
      devtools: {
        $: false,
        $_: false,
        $$: false,
        $0: false,
        $1: false,
        $2: false,
        $3: false,
        $4: false,
        $x: false,
        chrome: false,
        clear: false,
        copy: false,
        debug: false,
        dir: false,
        dirxml: false,
        getEventListeners: false,
        inspect: false,
        keys: false,
        monitor: false,
        monitorEvents: false,
        profile: false,
        profileEnd: false,
        queryObjects: false,
        table: false,
        undebug: false,
        unmonitor: false,
        unmonitorEvents: false,
        values: false
      },
      embertest: {
        andThen: false,
        click: false,
        currentPath: false,
        currentRouteName: false,
        currentURL: false,
        fillIn: false,
        find: false,
        findAll: false,
        findWithAssert: false,
        keyEvent: false,
        pauseTest: false,
        resumeTest: false,
        triggerEvent: false,
        visit: false,
        wait: false
      },
      es2015: {
        Array: false,
        ArrayBuffer: false,
        Boolean: false,
        DataView: false,
        Date: false,
        decodeURI: false,
        decodeURIComponent: false,
        encodeURI: false,
        encodeURIComponent: false,
        Error: false,
        escape: false,
        eval: false,
        EvalError: false,
        Float32Array: false,
        Float64Array: false,
        Function: false,
        Infinity: false,
        Int16Array: false,
        Int32Array: false,
        Int8Array: false,
        Intl: false,
        isFinite: false,
        isNaN: false,
        JSON: false,
        Map: false,
        Math: false,
        NaN: false,
        Number: false,
        Object: false,
        parseFloat: false,
        parseInt: false,
        Promise: false,
        Proxy: false,
        RangeError: false,
        ReferenceError: false,
        Reflect: false,
        RegExp: false,
        Set: false,
        String: false,
        Symbol: false,
        SyntaxError: false,
        TypeError: false,
        Uint16Array: false,
        Uint32Array: false,
        Uint8Array: false,
        Uint8ClampedArray: false,
        undefined: false,
        unescape: false,
        URIError: false,
        WeakMap: false,
        WeakSet: false
      },
      es2016: {
        Array: false,
        ArrayBuffer: false,
        Boolean: false,
        DataView: false,
        Date: false,
        decodeURI: false,
        decodeURIComponent: false,
        encodeURI: false,
        encodeURIComponent: false,
        Error: false,
        escape: false,
        eval: false,
        EvalError: false,
        Float32Array: false,
        Float64Array: false,
        Function: false,
        Infinity: false,
        Int16Array: false,
        Int32Array: false,
        Int8Array: false,
        Intl: false,
        isFinite: false,
        isNaN: false,
        JSON: false,
        Map: false,
        Math: false,
        NaN: false,
        Number: false,
        Object: false,
        parseFloat: false,
        parseInt: false,
        Promise: false,
        Proxy: false,
        RangeError: false,
        ReferenceError: false,
        Reflect: false,
        RegExp: false,
        Set: false,
        String: false,
        Symbol: false,
        SyntaxError: false,
        TypeError: false,
        Uint16Array: false,
        Uint32Array: false,
        Uint8Array: false,
        Uint8ClampedArray: false,
        undefined: false,
        unescape: false,
        URIError: false,
        WeakMap: false,
        WeakSet: false
      },
      es2017: {
        Array: false,
        ArrayBuffer: false,
        Atomics: false,
        Boolean: false,
        DataView: false,
        Date: false,
        decodeURI: false,
        decodeURIComponent: false,
        encodeURI: false,
        encodeURIComponent: false,
        Error: false,
        escape: false,
        eval: false,
        EvalError: false,
        Float32Array: false,
        Float64Array: false,
        Function: false,
        Infinity: false,
        Int16Array: false,
        Int32Array: false,
        Int8Array: false,
        Intl: false,
        isFinite: false,
        isNaN: false,
        JSON: false,
        Map: false,
        Math: false,
        NaN: false,
        Number: false,
        Object: false,
        parseFloat: false,
        parseInt: false,
        Promise: false,
        Proxy: false,
        RangeError: false,
        ReferenceError: false,
        Reflect: false,
        RegExp: false,
        Set: false,
        SharedArrayBuffer: false,
        String: false,
        Symbol: false,
        SyntaxError: false,
        TypeError: false,
        Uint16Array: false,
        Uint32Array: false,
        Uint8Array: false,
        Uint8ClampedArray: false,
        undefined: false,
        unescape: false,
        URIError: false,
        WeakMap: false,
        WeakSet: false
      },
      es2018: {
        Array: false,
        ArrayBuffer: false,
        Atomics: false,
        Boolean: false,
        DataView: false,
        Date: false,
        decodeURI: false,
        decodeURIComponent: false,
        encodeURI: false,
        encodeURIComponent: false,
        Error: false,
        escape: false,
        eval: false,
        EvalError: false,
        Float32Array: false,
        Float64Array: false,
        Function: false,
        Infinity: false,
        Int16Array: false,
        Int32Array: false,
        Int8Array: false,
        Intl: false,
        isFinite: false,
        isNaN: false,
        JSON: false,
        Map: false,
        Math: false,
        NaN: false,
        Number: false,
        Object: false,
        parseFloat: false,
        parseInt: false,
        Promise: false,
        Proxy: false,
        RangeError: false,
        ReferenceError: false,
        Reflect: false,
        RegExp: false,
        Set: false,
        SharedArrayBuffer: false,
        String: false,
        Symbol: false,
        SyntaxError: false,
        TypeError: false,
        Uint16Array: false,
        Uint32Array: false,
        Uint8Array: false,
        Uint8ClampedArray: false,
        undefined: false,
        unescape: false,
        URIError: false,
        WeakMap: false,
        WeakSet: false
      },
      es2019: {
        Array: false,
        ArrayBuffer: false,
        Atomics: false,
        Boolean: false,
        DataView: false,
        Date: false,
        decodeURI: false,
        decodeURIComponent: false,
        encodeURI: false,
        encodeURIComponent: false,
        Error: false,
        escape: false,
        eval: false,
        EvalError: false,
        Float32Array: false,
        Float64Array: false,
        Function: false,
        Infinity: false,
        Int16Array: false,
        Int32Array: false,
        Int8Array: false,
        Intl: false,
        isFinite: false,
        isNaN: false,
        JSON: false,
        Map: false,
        Math: false,
        NaN: false,
        Number: false,
        Object: false,
        parseFloat: false,
        parseInt: false,
        Promise: false,
        Proxy: false,
        RangeError: false,
        ReferenceError: false,
        Reflect: false,
        RegExp: false,
        Set: false,
        SharedArrayBuffer: false,
        String: false,
        Symbol: false,
        SyntaxError: false,
        TypeError: false,
        Uint16Array: false,
        Uint32Array: false,
        Uint8Array: false,
        Uint8ClampedArray: false,
        undefined: false,
        unescape: false,
        URIError: false,
        WeakMap: false,
        WeakSet: false
      },
      es2020: {
        Array: false,
        ArrayBuffer: false,
        Atomics: false,
        BigInt: false,
        BigInt64Array: false,
        BigUint64Array: false,
        Boolean: false,
        DataView: false,
        Date: false,
        decodeURI: false,
        decodeURIComponent: false,
        encodeURI: false,
        encodeURIComponent: false,
        Error: false,
        escape: false,
        eval: false,
        EvalError: false,
        Float32Array: false,
        Float64Array: false,
        Function: false,
        globalThis: false,
        Infinity: false,
        Int16Array: false,
        Int32Array: false,
        Int8Array: false,
        Intl: false,
        isFinite: false,
        isNaN: false,
        JSON: false,
        Map: false,
        Math: false,
        NaN: false,
        Number: false,
        Object: false,
        parseFloat: false,
        parseInt: false,
        Promise: false,
        Proxy: false,
        RangeError: false,
        ReferenceError: false,
        Reflect: false,
        RegExp: false,
        Set: false,
        SharedArrayBuffer: false,
        String: false,
        Symbol: false,
        SyntaxError: false,
        TypeError: false,
        Uint16Array: false,
        Uint32Array: false,
        Uint8Array: false,
        Uint8ClampedArray: false,
        undefined: false,
        unescape: false,
        URIError: false,
        WeakMap: false,
        WeakSet: false
      },
      es2021: {
        AggregateError: false,
        Array: false,
        ArrayBuffer: false,
        Atomics: false,
        BigInt: false,
        BigInt64Array: false,
        BigUint64Array: false,
        Boolean: false,
        DataView: false,
        Date: false,
        decodeURI: false,
        decodeURIComponent: false,
        encodeURI: false,
        encodeURIComponent: false,
        Error: false,
        escape: false,
        eval: false,
        EvalError: false,
        FinalizationRegistry: false,
        Float32Array: false,
        Float64Array: false,
        Function: false,
        globalThis: false,
        Infinity: false,
        Int16Array: false,
        Int32Array: false,
        Int8Array: false,
        Intl: false,
        isFinite: false,
        isNaN: false,
        JSON: false,
        Map: false,
        Math: false,
        NaN: false,
        Number: false,
        Object: false,
        parseFloat: false,
        parseInt: false,
        Promise: false,
        Proxy: false,
        RangeError: false,
        ReferenceError: false,
        Reflect: false,
        RegExp: false,
        Set: false,
        SharedArrayBuffer: false,
        String: false,
        Symbol: false,
        SyntaxError: false,
        TypeError: false,
        Uint16Array: false,
        Uint32Array: false,
        Uint8Array: false,
        Uint8ClampedArray: false,
        undefined: false,
        unescape: false,
        URIError: false,
        WeakMap: false,
        WeakRef: false,
        WeakSet: false
      },
      es2022: {
        AggregateError: false,
        Array: false,
        ArrayBuffer: false,
        Atomics: false,
        BigInt: false,
        BigInt64Array: false,
        BigUint64Array: false,
        Boolean: false,
        DataView: false,
        Date: false,
        decodeURI: false,
        decodeURIComponent: false,
        encodeURI: false,
        encodeURIComponent: false,
        Error: false,
        escape: false,
        eval: false,
        EvalError: false,
        FinalizationRegistry: false,
        Float32Array: false,
        Float64Array: false,
        Function: false,
        globalThis: false,
        Infinity: false,
        Int16Array: false,
        Int32Array: false,
        Int8Array: false,
        Intl: false,
        isFinite: false,
        isNaN: false,
        JSON: false,
        Map: false,
        Math: false,
        NaN: false,
        Number: false,
        Object: false,
        parseFloat: false,
        parseInt: false,
        Promise: false,
        Proxy: false,
        RangeError: false,
        ReferenceError: false,
        Reflect: false,
        RegExp: false,
        Set: false,
        SharedArrayBuffer: false,
        String: false,
        Symbol: false,
        SyntaxError: false,
        TypeError: false,
        Uint16Array: false,
        Uint32Array: false,
        Uint8Array: false,
        Uint8ClampedArray: false,
        undefined: false,
        unescape: false,
        URIError: false,
        WeakMap: false,
        WeakRef: false,
        WeakSet: false
      },
      es2023: {
        AggregateError: false,
        Array: false,
        ArrayBuffer: false,
        Atomics: false,
        BigInt: false,
        BigInt64Array: false,
        BigUint64Array: false,
        Boolean: false,
        DataView: false,
        Date: false,
        decodeURI: false,
        decodeURIComponent: false,
        encodeURI: false,
        encodeURIComponent: false,
        Error: false,
        escape: false,
        eval: false,
        EvalError: false,
        FinalizationRegistry: false,
        Float32Array: false,
        Float64Array: false,
        Function: false,
        globalThis: false,
        Infinity: false,
        Int16Array: false,
        Int32Array: false,
        Int8Array: false,
        Intl: false,
        isFinite: false,
        isNaN: false,
        JSON: false,
        Map: false,
        Math: false,
        NaN: false,
        Number: false,
        Object: false,
        parseFloat: false,
        parseInt: false,
        Promise: false,
        Proxy: false,
        RangeError: false,
        ReferenceError: false,
        Reflect: false,
        RegExp: false,
        Set: false,
        SharedArrayBuffer: false,
        String: false,
        Symbol: false,
        SyntaxError: false,
        TypeError: false,
        Uint16Array: false,
        Uint32Array: false,
        Uint8Array: false,
        Uint8ClampedArray: false,
        undefined: false,
        unescape: false,
        URIError: false,
        WeakMap: false,
        WeakRef: false,
        WeakSet: false
      },
      es2024: {
        AggregateError: false,
        Array: false,
        ArrayBuffer: false,
        Atomics: false,
        BigInt: false,
        BigInt64Array: false,
        BigUint64Array: false,
        Boolean: false,
        DataView: false,
        Date: false,
        decodeURI: false,
        decodeURIComponent: false,
        encodeURI: false,
        encodeURIComponent: false,
        Error: false,
        escape: false,
        eval: false,
        EvalError: false,
        FinalizationRegistry: false,
        Float32Array: false,
        Float64Array: false,
        Function: false,
        globalThis: false,
        Infinity: false,
        Int16Array: false,
        Int32Array: false,
        Int8Array: false,
        Intl: false,
        isFinite: false,
        isNaN: false,
        JSON: false,
        Map: false,
        Math: false,
        NaN: false,
        Number: false,
        Object: false,
        parseFloat: false,
        parseInt: false,
        Promise: false,
        Proxy: false,
        RangeError: false,
        ReferenceError: false,
        Reflect: false,
        RegExp: false,
        Set: false,
        SharedArrayBuffer: false,
        String: false,
        Symbol: false,
        SyntaxError: false,
        TypeError: false,
        Uint16Array: false,
        Uint32Array: false,
        Uint8Array: false,
        Uint8ClampedArray: false,
        undefined: false,
        unescape: false,
        URIError: false,
        WeakMap: false,
        WeakRef: false,
        WeakSet: false
      },
      es2025: {
        AggregateError: false,
        Array: false,
        ArrayBuffer: false,
        Atomics: false,
        BigInt: false,
        BigInt64Array: false,
        BigUint64Array: false,
        Boolean: false,
        DataView: false,
        Date: false,
        decodeURI: false,
        decodeURIComponent: false,
        encodeURI: false,
        encodeURIComponent: false,
        Error: false,
        escape: false,
        eval: false,
        EvalError: false,
        FinalizationRegistry: false,
        Float32Array: false,
        Float64Array: false,
        Function: false,
        globalThis: false,
        Infinity: false,
        Int16Array: false,
        Int32Array: false,
        Int8Array: false,
        Intl: false,
        isFinite: false,
        isNaN: false,
        JSON: false,
        Map: false,
        Math: false,
        NaN: false,
        Number: false,
        Object: false,
        parseFloat: false,
        parseInt: false,
        Promise: false,
        Proxy: false,
        RangeError: false,
        ReferenceError: false,
        Reflect: false,
        RegExp: false,
        Set: false,
        SharedArrayBuffer: false,
        String: false,
        Symbol: false,
        SyntaxError: false,
        TypeError: false,
        Uint16Array: false,
        Uint32Array: false,
        Uint8Array: false,
        Uint8ClampedArray: false,
        undefined: false,
        unescape: false,
        URIError: false,
        WeakMap: false,
        WeakRef: false,
        WeakSet: false
      },
      es5: {
        Array: false,
        Boolean: false,
        Date: false,
        decodeURI: false,
        decodeURIComponent: false,
        encodeURI: false,
        encodeURIComponent: false,
        Error: false,
        escape: false,
        eval: false,
        EvalError: false,
        Function: false,
        Infinity: false,
        isFinite: false,
        isNaN: false,
        JSON: false,
        Math: false,
        NaN: false,
        Number: false,
        Object: false,
        parseFloat: false,
        parseInt: false,
        RangeError: false,
        ReferenceError: false,
        RegExp: false,
        String: false,
        SyntaxError: false,
        TypeError: false,
        undefined: false,
        unescape: false,
        URIError: false
      },
      greasemonkey: {
        cloneInto: false,
        createObjectIn: false,
        exportFunction: false,
        GM: false,
        GM_addElement: false,
        GM_addStyle: false,
        GM_addValueChangeListener: false,
        GM_deleteValue: false,
        GM_download: false,
        GM_getResourceText: false,
        GM_getResourceURL: false,
        GM_getTab: false,
        GM_getTabs: false,
        GM_getValue: false,
        GM_info: false,
        GM_listValues: false,
        GM_log: false,
        GM_notification: false,
        GM_openInTab: false,
        GM_registerMenuCommand: false,
        GM_removeValueChangeListener: false,
        GM_saveTab: false,
        GM_setClipboard: false,
        GM_setValue: false,
        GM_unregisterMenuCommand: false,
        GM_xmlhttpRequest: false,
        unsafeWindow: false
      },
      jasmine: {
        afterAll: false,
        afterEach: false,
        beforeAll: false,
        beforeEach: false,
        describe: false,
        expect: false,
        expectAsync: false,
        fail: false,
        fdescribe: false,
        fit: false,
        it: false,
        jasmine: false,
        pending: false,
        runs: false,
        spyOn: false,
        spyOnAllFunctions: false,
        spyOnProperty: false,
        waits: false,
        waitsFor: false,
        xdescribe: false,
        xit: false
      },
      jest: {
        afterAll: false,
        afterEach: false,
        beforeAll: false,
        beforeEach: false,
        describe: false,
        expect: false,
        fit: false,
        it: false,
        jest: false,
        test: false,
        xdescribe: false,
        xit: false,
        xtest: false
      },
      jquery: {
        $: false,
        jQuery: false
      },
      meteor: {
        $: false,
        Accounts: false,
        AccountsClient: false,
        AccountsCommon: false,
        AccountsServer: false,
        App: false,
        Assets: false,
        Blaze: false,
        check: false,
        Cordova: false,
        DDP: false,
        DDPRateLimiter: false,
        DDPServer: false,
        Deps: false,
        EJSON: false,
        Email: false,
        HTTP: false,
        Log: false,
        Match: false,
        Meteor: false,
        Mongo: false,
        MongoInternals: false,
        Npm: false,
        Package: false,
        Plugin: false,
        process: false,
        Random: false,
        ReactiveDict: false,
        ReactiveVar: false,
        Router: false,
        ServiceConfiguration: false,
        Session: false,
        share: false,
        Spacebars: false,
        Template: false,
        Tinytest: false,
        Tracker: false,
        UI: false,
        Utils: false,
        WebApp: false,
        WebAppInternals: false
      },
      mocha: {
        after: false,
        afterEach: false,
        before: false,
        beforeEach: false,
        context: false,
        describe: false,
        it: false,
        mocha: false,
        run: false,
        setup: false,
        specify: false,
        suite: false,
        suiteSetup: false,
        suiteTeardown: false,
        teardown: false,
        test: false,
        xcontext: false,
        xdescribe: false,
        xit: false,
        xspecify: false
      },
      mongo: {
        _isWindows: false,
        _rand: false,
        BulkWriteResult: false,
        cat: false,
        cd: false,
        connect: false,
        db: false,
        getHostName: false,
        getMemInfo: false,
        hostname: false,
        ISODate: false,
        listFiles: false,
        load: false,
        ls: false,
        md5sumFile: false,
        mkdir: false,
        Mongo: false,
        NumberInt: false,
        NumberLong: false,
        ObjectId: false,
        PlanCache: false,
        print: false,
        printjson: false,
        pwd: false,
        quit: false,
        removeFile: false,
        rs: false,
        sh: false,
        UUID: false,
        version: false,
        WriteResult: false
      },
      nashorn: {
        __DIR__: false,
        __FILE__: false,
        __LINE__: false,
        com: false,
        edu: false,
        exit: false,
        java: false,
        Java: false,
        javafx: false,
        JavaImporter: false,
        javax: false,
        JSAdapter: false,
        load: false,
        loadWithNewGlobal: false,
        org: false,
        Packages: false,
        print: false,
        quit: false
      },
      node: {
        __dirname: false,
        __filename: false,
        AbortController: false,
        AbortSignal: false,
        atob: false,
        Blob: false,
        BroadcastChannel: false,
        btoa: false,
        Buffer: false,
        ByteLengthQueuingStrategy: false,
        clearImmediate: false,
        clearInterval: false,
        clearTimeout: false,
        CompressionStream: false,
        console: false,
        CountQueuingStrategy: false,
        crypto: false,
        Crypto: false,
        CryptoKey: false,
        CustomEvent: false,
        DecompressionStream: false,
        DOMException: false,
        Event: false,
        EventTarget: false,
        exports: true,
        fetch: false,
        File: false,
        FormData: false,
        global: false,
        Headers: false,
        Iterator: false,
        MessageChannel: false,
        MessageEvent: false,
        MessagePort: false,
        module: false,
        navigator: false,
        Navigator: false,
        performance: false,
        Performance: false,
        PerformanceEntry: false,
        PerformanceMark: false,
        PerformanceMeasure: false,
        PerformanceObserver: false,
        PerformanceObserverEntryList: false,
        PerformanceResourceTiming: false,
        process: false,
        queueMicrotask: false,
        ReadableByteStreamController: false,
        ReadableStream: false,
        ReadableStreamBYOBReader: false,
        ReadableStreamBYOBRequest: false,
        ReadableStreamDefaultController: false,
        ReadableStreamDefaultReader: false,
        Request: false,
        require: false,
        Response: false,
        setImmediate: false,
        setInterval: false,
        setTimeout: false,
        structuredClone: false,
        SubtleCrypto: false,
        TextDecoder: false,
        TextDecoderStream: false,
        TextEncoder: false,
        TextEncoderStream: false,
        TransformStream: false,
        TransformStreamDefaultController: false,
        URL: false,
        URLSearchParams: false,
        WebAssembly: false,
        WebSocket: false,
        WritableStream: false,
        WritableStreamDefaultController: false,
        WritableStreamDefaultWriter: false
      },
      nodeBuiltin: {
        AbortController: false,
        AbortSignal: false,
        atob: false,
        Blob: false,
        BroadcastChannel: false,
        btoa: false,
        Buffer: false,
        ByteLengthQueuingStrategy: false,
        clearImmediate: false,
        clearInterval: false,
        clearTimeout: false,
        CompressionStream: false,
        console: false,
        CountQueuingStrategy: false,
        crypto: false,
        Crypto: false,
        CryptoKey: false,
        CustomEvent: false,
        DecompressionStream: false,
        DOMException: false,
        Event: false,
        EventTarget: false,
        fetch: false,
        File: false,
        FormData: false,
        global: false,
        Headers: false,
        Iterator: false,
        MessageChannel: false,
        MessageEvent: false,
        MessagePort: false,
        navigator: false,
        Navigator: false,
        performance: false,
        Performance: false,
        PerformanceEntry: false,
        PerformanceMark: false,
        PerformanceMeasure: false,
        PerformanceObserver: false,
        PerformanceObserverEntryList: false,
        PerformanceResourceTiming: false,
        process: false,
        queueMicrotask: false,
        ReadableByteStreamController: false,
        ReadableStream: false,
        ReadableStreamBYOBReader: false,
        ReadableStreamBYOBRequest: false,
        ReadableStreamDefaultController: false,
        ReadableStreamDefaultReader: false,
        Request: false,
        Response: false,
        setImmediate: false,
        setInterval: false,
        setTimeout: false,
        structuredClone: false,
        SubtleCrypto: false,
        TextDecoder: false,
        TextDecoderStream: false,
        TextEncoder: false,
        TextEncoderStream: false,
        TransformStream: false,
        TransformStreamDefaultController: false,
        URL: false,
        URLSearchParams: false,
        WebAssembly: false,
        WebSocket: false,
        WritableStream: false,
        WritableStreamDefaultController: false,
        WritableStreamDefaultWriter: false
      },
      phantomjs: {
        console: true,
        exports: true,
        phantom: true,
        require: true,
        WebPage: true
      },
      prototypejs: {
        $: false,
        $$: false,
        $A: false,
        $break: false,
        $continue: false,
        $F: false,
        $H: false,
        $R: false,
        $w: false,
        Abstract: false,
        Ajax: false,
        Autocompleter: false,
        Builder: false,
        Class: false,
        Control: false,
        Draggable: false,
        Draggables: false,
        Droppables: false,
        Effect: false,
        Element: false,
        Enumerable: false,
        Event: false,
        Field: false,
        Form: false,
        Hash: false,
        Insertion: false,
        ObjectRange: false,
        PeriodicalExecuter: false,
        Position: false,
        Prototype: false,
        Scriptaculous: false,
        Selector: false,
        Sortable: false,
        SortableObserver: false,
        Sound: false,
        Template: false,
        Toggle: false,
        Try: false
      },
      protractor: {
        $: false,
        $$: false,
        browser: false,
        by: false,
        By: false,
        DartObject: false,
        element: false,
        protractor: false
      },
      qunit: {
        asyncTest: false,
        deepEqual: false,
        equal: false,
        expect: false,
        module: false,
        notDeepEqual: false,
        notEqual: false,
        notOk: false,
        notPropEqual: false,
        notStrictEqual: false,
        ok: false,
        propEqual: false,
        QUnit: false,
        raises: false,
        start: false,
        stop: false,
        strictEqual: false,
        test: false,
        throws: false
      },
      rhino: {
        defineClass: false,
        deserialize: false,
        gc: false,
        help: false,
        importClass: false,
        importPackage: false,
        java: false,
        load: false,
        loadClass: false,
        Packages: false,
        print: false,
        quit: false,
        readFile: false,
        readUrl: false,
        runCommand: false,
        seal: false,
        serialize: false,
        spawn: false,
        sync: false,
        toint32: false,
        version: false
      },
      serviceworker: {
        addEventListener: false,
        applicationCache: false,
        atob: false,
        Blob: false,
        BroadcastChannel: false,
        btoa: false,
        ByteLengthQueuingStrategy: false,
        Cache: false,
        caches: false,
        CacheStorage: false,
        clearInterval: false,
        clearTimeout: false,
        Client: false,
        clients: false,
        Clients: false,
        close: true,
        CompressionStream: false,
        console: false,
        CountQueuingStrategy: false,
        crypto: false,
        Crypto: false,
        CryptoKey: false,
        CustomEvent: false,
        DecompressionStream: false,
        ErrorEvent: false,
        Event: false,
        ExtendableEvent: false,
        ExtendableMessageEvent: false,
        fetch: false,
        FetchEvent: false,
        File: false,
        FileReaderSync: false,
        FormData: false,
        Headers: false,
        IDBCursor: false,
        IDBCursorWithValue: false,
        IDBDatabase: false,
        IDBFactory: false,
        IDBIndex: false,
        IDBKeyRange: false,
        IDBObjectStore: false,
        IDBOpenDBRequest: false,
        IDBRequest: false,
        IDBTransaction: false,
        IDBVersionChangeEvent: false,
        ImageData: false,
        importScripts: false,
        indexedDB: false,
        location: false,
        MessageChannel: false,
        MessageEvent: false,
        MessagePort: false,
        name: false,
        navigator: false,
        Notification: false,
        onclose: true,
        onconnect: true,
        onerror: true,
        onfetch: true,
        oninstall: true,
        onlanguagechange: true,
        onmessage: true,
        onmessageerror: true,
        onnotificationclick: true,
        onnotificationclose: true,
        onoffline: true,
        ononline: true,
        onpush: true,
        onpushsubscriptionchange: true,
        onrejectionhandled: true,
        onsync: true,
        onunhandledrejection: true,
        performance: false,
        Performance: false,
        PerformanceEntry: false,
        PerformanceMark: false,
        PerformanceMeasure: false,
        PerformanceNavigation: false,
        PerformanceObserver: false,
        PerformanceObserverEntryList: false,
        PerformanceResourceTiming: false,
        PerformanceTiming: false,
        postMessage: true,
        queueMicrotask: false,
        ReadableByteStreamController: false,
        ReadableStream: false,
        ReadableStreamBYOBReader: false,
        ReadableStreamBYOBRequest: false,
        ReadableStreamDefaultController: false,
        ReadableStreamDefaultReader: false,
        registration: false,
        removeEventListener: false,
        Request: false,
        Response: false,
        self: false,
        ServiceWorker: false,
        ServiceWorkerContainer: false,
        ServiceWorkerGlobalScope: false,
        ServiceWorkerMessageEvent: false,
        ServiceWorkerRegistration: false,
        setInterval: false,
        setTimeout: false,
        skipWaiting: false,
        SubtleCrypto: false,
        TextDecoder: false,
        TextDecoderStream: false,
        TextEncoder: false,
        TextEncoderStream: false,
        TransformStream: false,
        TransformStreamDefaultController: false,
        URL: false,
        URLSearchParams: false,
        WebAssembly: false,
        WebSocket: false,
        WindowClient: false,
        Worker: false,
        WorkerGlobalScope: false,
        WritableStream: false,
        WritableStreamDefaultController: false,
        WritableStreamDefaultWriter: false,
        XMLHttpRequest: false
      },
      "shared-node-browser": {
        AbortController: false,
        AbortSignal: false,
        atob: false,
        Blob: false,
        BroadcastChannel: false,
        btoa: false,
        ByteLengthQueuingStrategy: false,
        clearInterval: false,
        clearTimeout: false,
        CompressionStream: false,
        console: false,
        CountQueuingStrategy: false,
        crypto: false,
        Crypto: false,
        CryptoKey: false,
        CustomEvent: false,
        DecompressionStream: false,
        DOMException: false,
        Event: false,
        EventTarget: false,
        fetch: false,
        File: false,
        FormData: false,
        Headers: false,
        Iterator: false,
        MessageChannel: false,
        MessageEvent: false,
        MessagePort: false,
        navigator: false,
        Navigator: false,
        performance: false,
        Performance: false,
        PerformanceEntry: false,
        PerformanceMark: false,
        PerformanceMeasure: false,
        PerformanceObserver: false,
        PerformanceObserverEntryList: false,
        PerformanceResourceTiming: false,
        queueMicrotask: false,
        ReadableByteStreamController: false,
        ReadableStream: false,
        ReadableStreamBYOBReader: false,
        ReadableStreamBYOBRequest: false,
        ReadableStreamDefaultController: false,
        ReadableStreamDefaultReader: false,
        Request: false,
        Response: false,
        setInterval: false,
        setTimeout: false,
        structuredClone: false,
        SubtleCrypto: false,
        TextDecoder: false,
        TextDecoderStream: false,
        TextEncoder: false,
        TextEncoderStream: false,
        TransformStream: false,
        TransformStreamDefaultController: false,
        URL: false,
        URLSearchParams: false,
        WebAssembly: false,
        WebSocket: false,
        WritableStream: false,
        WritableStreamDefaultController: false,
        WritableStreamDefaultWriter: false
      },
      shelljs: {
        cat: false,
        cd: false,
        chmod: false,
        config: false,
        cp: false,
        dirs: false,
        echo: false,
        env: false,
        error: false,
        exec: false,
        exit: false,
        find: false,
        grep: false,
        head: false,
        ln: false,
        ls: false,
        mkdir: false,
        mv: false,
        popd: false,
        pushd: false,
        pwd: false,
        rm: false,
        sed: false,
        set: false,
        ShellString: false,
        sort: false,
        tail: false,
        tempdir: false,
        test: false,
        touch: false,
        uniq: false,
        which: false
      },
      webextensions: {
        browser: false,
        chrome: false,
        opr: false
      },
      worker: {
        AbortController: false,
        AbortSignal: false,
        addEventListener: false,
        atob: false,
        AudioData: false,
        AudioDecoder: false,
        AudioEncoder: false,
        BackgroundFetchManager: false,
        BackgroundFetchRecord: false,
        BackgroundFetchRegistration: false,
        Blob: false,
        BroadcastChannel: false,
        btoa: false,
        ByteLengthQueuingStrategy: false,
        Cache: false,
        caches: false,
        CacheStorage: false,
        cancelAnimationFrame: false,
        CanvasGradient: false,
        CanvasPattern: false,
        clearInterval: false,
        clearTimeout: false,
        close: false,
        CloseEvent: false,
        CompressionStream: false,
        console: false,
        CountQueuingStrategy: false,
        createImageBitmap: false,
        CropTarget: false,
        crossOriginIsolated: false,
        crypto: false,
        Crypto: false,
        CryptoKey: false,
        CSSSkewX: false,
        CSSSkewY: false,
        CustomEvent: false,
        DecompressionStream: false,
        DedicatedWorkerGlobalScope: false,
        dispatchEvent: false,
        DOMException: false,
        DOMMatrix: false,
        DOMMatrixReadOnly: false,
        DOMPoint: false,
        DOMPointReadOnly: false,
        DOMQuad: false,
        DOMRect: false,
        DOMRectReadOnly: false,
        DOMStringList: false,
        EncodedAudioChunk: false,
        EncodedVideoChunk: false,
        ErrorEvent: false,
        Event: false,
        EventSource: false,
        EventTarget: false,
        fetch: false,
        File: false,
        FileList: false,
        FileReader: false,
        FileReaderSync: false,
        FileSystemDirectoryHandle: false,
        FileSystemFileHandle: false,
        FileSystemHandle: false,
        FileSystemSyncAccessHandle: false,
        FileSystemWritableFileStream: false,
        FontFace: false,
        fonts: false,
        FormData: false,
        GPU: false,
        GPUAdapter: false,
        GPUAdapterInfo: false,
        GPUBindGroup: false,
        GPUBindGroupLayout: false,
        GPUBuffer: false,
        GPUBufferUsage: false,
        GPUCanvasContext: false,
        GPUColorWrite: false,
        GPUCommandBuffer: false,
        GPUCommandEncoder: false,
        GPUCompilationInfo: false,
        GPUCompilationMessage: false,
        GPUComputePassEncoder: false,
        GPUComputePipeline: false,
        GPUDevice: false,
        GPUDeviceLostInfo: false,
        GPUError: false,
        GPUExternalTexture: false,
        GPUInternalError: false,
        GPUMapMode: false,
        GPUOutOfMemoryError: false,
        GPUPipelineError: false,
        GPUPipelineLayout: false,
        GPUQuerySet: false,
        GPUQueue: false,
        GPURenderBundle: false,
        GPURenderBundleEncoder: false,
        GPURenderPassEncoder: false,
        GPURenderPipeline: false,
        GPUSampler: false,
        GPUShaderModule: false,
        GPUShaderStage: false,
        GPUSupportedFeatures: false,
        GPUSupportedLimits: false,
        GPUTexture: false,
        GPUTextureUsage: false,
        GPUTextureView: false,
        GPUUncapturedErrorEvent: false,
        GPUValidationError: false,
        Headers: false,
        IDBCursor: false,
        IDBCursorWithValue: false,
        IDBDatabase: false,
        IDBFactory: false,
        IDBIndex: false,
        IDBKeyRange: false,
        IDBObjectStore: false,
        IDBOpenDBRequest: false,
        IDBRequest: false,
        IDBTransaction: false,
        IDBVersionChangeEvent: false,
        IdleDetector: false,
        ImageBitmap: false,
        ImageBitmapRenderingContext: false,
        ImageData: false,
        ImageDecoder: false,
        ImageTrack: false,
        ImageTrackList: false,
        importScripts: false,
        indexedDB: false,
        isSecureContext: false,
        Iterator: false,
        location: false,
        Lock: false,
        LockManager: false,
        MediaCapabilities: false,
        MediaSource: false,
        MediaSourceHandle: false,
        MessageChannel: false,
        MessageEvent: false,
        MessagePort: false,
        name: false,
        NavigationPreloadManager: false,
        navigator: false,
        NavigatorUAData: false,
        NetworkInformation: false,
        Notification: false,
        OffscreenCanvas: false,
        OffscreenCanvasRenderingContext2D: false,
        onerror: true,
        onlanguagechange: true,
        onmessage: true,
        onmessageerror: true,
        onrejectionhandled: true,
        onunhandledrejection: true,
        origin: false,
        Path2D: false,
        performance: false,
        Performance: false,
        PerformanceEntry: false,
        PerformanceMark: false,
        PerformanceMeasure: false,
        PerformanceObserver: false,
        PerformanceObserverEntryList: false,
        PerformanceResourceTiming: false,
        PerformanceServerTiming: false,
        PeriodicSyncManager: false,
        Permissions: false,
        PermissionStatus: false,
        PERSISTENT: false,
        postMessage: false,
        PressureObserver: false,
        PressureRecord: false,
        ProgressEvent: false,
        PromiseRejectionEvent: false,
        PushManager: false,
        PushSubscription: false,
        PushSubscriptionOptions: false,
        queueMicrotask: false,
        ReadableByteStreamController: false,
        ReadableStream: false,
        ReadableStreamBYOBReader: false,
        ReadableStreamBYOBRequest: false,
        ReadableStreamDefaultController: false,
        ReadableStreamDefaultReader: false,
        removeEventListener: false,
        reportError: false,
        ReportingObserver: false,
        Request: false,
        requestAnimationFrame: false,
        Response: false,
        RTCEncodedAudioFrame: false,
        RTCEncodedVideoFrame: false,
        scheduler: false,
        Scheduler: false,
        SecurityPolicyViolationEvent: false,
        self: false,
        Serial: false,
        SerialPort: false,
        ServiceWorkerRegistration: false,
        setInterval: false,
        setTimeout: false,
        SourceBuffer: false,
        SourceBufferList: false,
        StorageBucket: false,
        StorageBucketManager: false,
        StorageManager: false,
        structuredClone: false,
        SubtleCrypto: false,
        SyncManager: false,
        TaskController: false,
        TaskPriorityChangeEvent: false,
        TaskSignal: false,
        TEMPORARY: false,
        TextDecoder: false,
        TextDecoderStream: false,
        TextEncoder: false,
        TextEncoderStream: false,
        TextMetrics: false,
        TransformStream: false,
        TransformStreamDefaultController: false,
        TrustedHTML: false,
        TrustedScript: false,
        TrustedScriptURL: false,
        TrustedTypePolicy: false,
        TrustedTypePolicyFactory: false,
        trustedTypes: false,
        URL: false,
        URLPattern: false,
        URLSearchParams: false,
        USB: false,
        USBAlternateInterface: false,
        USBConfiguration: false,
        USBConnectionEvent: false,
        USBDevice: false,
        USBEndpoint: false,
        USBInterface: false,
        USBInTransferResult: false,
        USBIsochronousInTransferPacket: false,
        USBIsochronousInTransferResult: false,
        USBIsochronousOutTransferPacket: false,
        USBIsochronousOutTransferResult: false,
        USBOutTransferResult: false,
        UserActivation: false,
        VideoColorSpace: false,
        VideoDecoder: false,
        VideoEncoder: false,
        VideoFrame: false,
        WebAssembly: false,
        WebGL2RenderingContext: false,
        WebGLActiveInfo: false,
        WebGLBuffer: false,
        WebGLContextEvent: false,
        WebGLFramebuffer: false,
        WebGLObject: false,
        WebGLProgram: false,
        WebGLQuery: false,
        WebGLRenderbuffer: false,
        WebGLRenderingContext: false,
        WebGLSampler: false,
        WebGLShader: false,
        WebGLShaderPrecisionFormat: false,
        WebGLSync: false,
        WebGLTexture: false,
        WebGLTransformFeedback: false,
        WebGLUniformLocation: false,
        WebGLVertexArrayObject: false,
        webkitRequestFileSystem: false,
        webkitRequestFileSystemSync: false,
        webkitResolveLocalFileSystemSyncURL: false,
        webkitResolveLocalFileSystemURL: false,
        WebSocket: false,
        WebSocketError: false,
        WebSocketStream: false,
        WebTransport: false,
        WebTransportBidirectionalStream: false,
        WebTransportDatagramDuplexStream: false,
        WebTransportError: false,
        WGSLLanguageFeatures: false,
        Worker: false,
        WorkerGlobalScope: false,
        WorkerLocation: false,
        WorkerNavigator: false,
        WritableStream: false,
        WritableStreamDefaultController: false,
        WritableStreamDefaultWriter: false,
        XMLHttpRequest: false,
        XMLHttpRequestEventTarget: false,
        XMLHttpRequestUpload: false
      },
      wsh: {
        ActiveXObject: false,
        CollectGarbage: false,
        Debug: false,
        Enumerator: false,
        GetObject: false,
        RuntimeObject: false,
        ScriptEngine: false,
        ScriptEngineBuildVersion: false,
        ScriptEngineMajorVersion: false,
        ScriptEngineMinorVersion: false,
        VBArray: false,
        WScript: false,
        WSH: false
      },
      yui: {
        YAHOO: false,
        YAHOO_config: false,
        YUI: false,
        YUI_config: false
      }
    };
  }
});

// node_modules/.pnpm/globals@15.8.0/node_modules/globals/index.js
var require_globals4 = __commonJS({
  "node_modules/.pnpm/globals@15.8.0/node_modules/globals/index.js"(exports2, module2) {
    "use strict";
    module2.exports = require_globals3();
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/configs/_commons.js
var require_commons = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/configs/_commons.js"(exports2, module2) {
    "use strict";
    module2.exports.commonRules = /** @type {const} */
    {
      "n/no-deprecated-api": "error",
      "n/no-extraneous-import": "error",
      "n/no-extraneous-require": "error",
      "n/no-exports-assign": "error",
      "n/no-missing-import": "error",
      "n/no-missing-require": "error",
      "n/no-process-exit": "error",
      "n/no-unpublished-bin": "error",
      "n/no-unpublished-import": "error",
      "n/no-unpublished-require": "error",
      "n/no-unsupported-features/es-builtins": "error",
      "n/no-unsupported-features/es-syntax": "error",
      "n/no-unsupported-features/node-builtins": "error",
      "n/process-exit-as-throw": "error",
      "n/hashbang": "error"
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/configs/recommended-module.js
var require_recommended_module = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/configs/recommended-module.js"(exports2, module2) {
    "use strict";
    var globals2 = require_globals4();
    var { commonRules } = require_commons();
    module2.exports.eslintrc = {
      env: {
        node: true
      },
      globals: {
        ...globals2.es2021,
        __dirname: "off",
        __filename: "off",
        exports: "off",
        module: "off",
        require: "off"
      },
      parserOptions: {
        ecmaFeatures: { globalReturn: false },
        ecmaVersion: 2021,
        sourceType: "module"
      },
      rules: {
        ...commonRules,
        "n/no-unsupported-features/es-syntax": [
          "error",
          { ignores: ["modules"] }
        ]
      }
    };
    module2.exports.flat = {
      name: "node/flat/recommended-module",
      languageOptions: {
        sourceType: "module",
        globals: {
          ...globals2.node,
          ...module2.exports.eslintrc.globals
        }
      },
      rules: (
        /** @type {import('eslint').Linter.RulesRecord} */
        module2.exports.eslintrc.rules
      )
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/configs/recommended-script.js
var require_recommended_script = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/configs/recommended-script.js"(exports2, module2) {
    "use strict";
    var globals2 = require_globals4();
    var { commonRules } = require_commons();
    module2.exports.eslintrc = {
      env: {
        node: true
      },
      globals: {
        ...globals2.es2021,
        __dirname: "readonly",
        __filename: "readonly",
        exports: "writable",
        module: "readonly",
        require: "readonly"
      },
      parserOptions: {
        ecmaFeatures: { globalReturn: true },
        ecmaVersion: 2021,
        sourceType: "script"
      },
      rules: {
        ...commonRules,
        "n/no-unsupported-features/es-syntax": ["error", { ignores: [] }]
      }
    };
    module2.exports.flat = {
      name: "node/flat/recommended-script",
      languageOptions: {
        sourceType: "commonjs",
        globals: {
          ...globals2.node,
          ...module2.exports.eslintrc.globals
        }
      },
      rules: (
        /** @type {import('eslint').Linter.RulesRecord} */
        module2.exports.eslintrc.rules
      )
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/cache.js
var require_cache2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/cache.js"(exports2, module2) {
    "use strict";
    var SKIP_TIME = 5e3;
    module2.exports = class Cache {
      /**
       * Initialize this cache instance.
       */
      constructor() {
        this.map = /* @__PURE__ */ new Map();
      }
      /**
       * Get the cached value of the given key.
       * @param {any} key The key to get.
       * @returns {any} The cached value or null.
       */
      get(key) {
        const entry = this.map.get(key);
        const now = Date.now();
        if (entry) {
          if (entry.expire > now) {
            entry.expire = now + SKIP_TIME;
            return entry.value;
          }
          this.map.delete(key);
        }
        return null;
      }
      /**
       * Set the value of the given key.
       * @param {any} key The key to set.
       * @param {any} value The value to set.
       * @returns {void}
       */
      set(key, value) {
        const entry = this.map.get(key);
        const expire = Date.now() + SKIP_TIME;
        if (entry) {
          entry.value = value;
          entry.expire = expire;
        } else {
          this.map.set(key, { value, expire });
        }
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-package-json.js
var require_get_package_json = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-package-json.js"(exports2, module2) {
    "use strict";
    var fs4 = require("fs");
    var path17 = require("path");
    var Cache = require_cache2();
    var cache = new Cache();
    function readPackageJson(dir) {
      const filePath = path17.join(dir, "package.json");
      try {
        const text = fs4.readFileSync(filePath, "utf8");
        const data = JSON.parse(text);
        if (data != null && typeof data === "object" && Array.isArray(data) === false) {
          data.filePath = filePath;
          return data;
        }
      } catch {
      }
      return null;
    }
    function getPackageJson(startPath = "a.js") {
      const startDir = path17.dirname(path17.resolve(startPath));
      let dir = startDir;
      let prevDir = "";
      let data = null;
      do {
        data = cache.get(dir);
        if (data) {
          if (dir !== startDir) {
            cache.set(startDir, data);
          }
          return data;
        }
        data = readPackageJson(dir);
        if (data) {
          cache.set(dir, data);
          cache.set(startDir, data);
          return data;
        }
        prevDir = dir;
        dir = path17.resolve(dir, "..");
      } while (dir !== prevDir);
      cache.set(startDir, null);
      return null;
    }
    module2.exports = { getPackageJson };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/configs/recommended.js
var require_recommended3 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/configs/recommended.js"(exports2, module2) {
    "use strict";
    var { getPackageJson } = require_get_package_json();
    var moduleConfig = require_recommended_module();
    var scriptConfig = require_recommended_script();
    var packageJson = getPackageJson();
    var isModule = packageJson != null && typeof packageJson === "object" && "type" in packageJson && packageJson.type === "module";
    var recommendedConfig = isModule ? moduleConfig : scriptConfig;
    module2.exports.eslintrc = {
      ...recommendedConfig.eslintrc,
      overrides: [
        { files: ["*.cjs", ".*.cjs"], ...scriptConfig.eslintrc },
        { files: ["*.mjs", ".*.mjs"], ...moduleConfig.eslintrc }
      ]
    };
    module2.exports.flat = recommendedConfig.flat;
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/callback-return.js
var require_callback_return = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/callback-return.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "require `return` statements after callbacks",
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/callback-return.md"
        },
        schema: [
          {
            type: "array",
            items: { type: "string" }
          }
        ],
        fixable: null,
        messages: {
          missingReturn: "Expected return with your callback function."
        }
      },
      create(context) {
        const callbacks = context.options[0] || ["callback", "cb", "next"];
        const sourceCode = context.sourceCode ?? context.getSourceCode();
        function findClosestParentOfType(node, types) {
          if (!node.parent) {
            return null;
          }
          if (types.indexOf(node.parent.type) === -1) {
            return findClosestParentOfType(node.parent, types);
          }
          return node.parent;
        }
        function containsOnlyIdentifiers(node) {
          if (node.type === "Identifier") {
            return true;
          }
          if (node.type === "MemberExpression") {
            if (node.object.type === "Identifier") {
              return true;
            }
            if (node.object.type === "MemberExpression") {
              return containsOnlyIdentifiers(node.object);
            }
          }
          return false;
        }
        function isCallback(node) {
          return containsOnlyIdentifiers(node.callee) && callbacks.indexOf(sourceCode.getText(node.callee)) > -1;
        }
        function isCallbackExpression(node, parentNode) {
          if (!parentNode || parentNode.type !== "ExpressionStatement") {
            return false;
          }
          if (parentNode.expression === node) {
            return true;
          }
          if (parentNode.expression.type === "BinaryExpression" || parentNode.expression.type === "LogicalExpression") {
            if (parentNode.expression.right === node) {
              return true;
            }
          }
          return false;
        }
        return {
          CallExpression(node) {
            if (!isCallback(node)) {
              return;
            }
            const closestBlock = findClosestParentOfType(node, [
              "BlockStatement",
              "ReturnStatement",
              "ArrowFunctionExpression"
            ]);
            if (closestBlock?.type === "ReturnStatement") {
              return;
            }
            if (closestBlock?.type === "ArrowFunctionExpression") {
              return;
            }
            if (closestBlock?.type === "BlockStatement") {
              const lastItem = closestBlock.body[closestBlock.body.length - 1];
              if (isCallbackExpression(node, lastItem)) {
                const parentType = closestBlock.parent.type;
                if (parentType === "FunctionExpression" || parentType === "FunctionDeclaration" || parentType === "ArrowFunctionExpression") {
                  return;
                }
              }
              if (lastItem.type === "ReturnStatement") {
                if (isCallbackExpression(
                  node,
                  closestBlock.body[closestBlock.body.length - 2]
                )) {
                  return;
                }
              }
            }
            if (findClosestParentOfType(node, [
              "FunctionDeclaration",
              "FunctionExpression",
              "ArrowFunctionExpression"
            ])) {
              context.report({ node, messageId: "missingReturn" });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/exports-style.js
var require_exports_style = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/exports-style.js"(exports2, module2) {
    "use strict";
    function getStaticPropertyName2(node) {
      let prop = null;
      switch (node?.type) {
        case "Property":
        case "MethodDefinition":
          prop = node.key;
          break;
        case "MemberExpression":
          prop = node.property;
          break;
      }
      switch (prop?.type) {
        case "Literal":
          return String(prop.value);
        case "TemplateLiteral":
          if (prop.expressions.length === 0 && prop.quasis.length === 1) {
            return prop.quasis[0].value.cooked;
          }
          break;
        case "Identifier":
          if (!/** @type {import('estree').MemberExpression} */
          node.computed) {
            return prop.name;
          }
          break;
      }
      return null;
    }
    function isAssignee(node) {
      return node.parent?.type === "AssignmentExpression" && node.parent.left === node;
    }
    function getTopAssignment(leafNode) {
      let node = leafNode;
      while (node.parent?.type === "MemberExpression" && node.parent.object === node) {
        node = node.parent;
      }
      if (!isAssignee(node)) {
        return null;
      }
      while (node.parent?.type === "AssignmentExpression") {
        node = node.parent;
      }
      return node;
    }
    function createAssignmentList(nodes) {
      return (
        /** @type {Node[]} */
        nodes.map(getTopAssignment).filter(Boolean)
      );
    }
    function getModuleExportsNodes(scope) {
      const variable = scope.set.get("module");
      if (variable == null) {
        return [];
      }
      return variable.references.map(
        (reference) => (
          /** @type {Node & { parent: Node }} */
          reference.identifier.parent
        )
      ).filter(
        (node) => node?.type === "MemberExpression" && getStaticPropertyName2(node) === "exports"
      );
    }
    function getExportsNodes(scope) {
      const variable = scope.set.get("exports");
      if (variable == null) {
        return [];
      }
      return variable.references.map((reference) => reference.identifier);
    }
    function getReplacementForProperty(property, sourceCode) {
      if (property.type !== "Property" || property.kind !== "init") {
        return null;
      }
      let fixedValue = sourceCode.getText(property.value);
      if (property.value.type === "FunctionExpression" && property.method) {
        fixedValue = `function${property.value.generator ? "*" : ""} ${fixedValue}`;
        if (property.value.async) {
          fixedValue = `async ${fixedValue}`;
        }
      }
      const lines = sourceCode.getCommentsBefore(property).map((comment) => sourceCode.getText(comment));
      if (property.key.type === "Literal" || property.computed) {
        lines.push(
          `exports[${sourceCode.getText(property.key)}] = ${fixedValue};`
        );
      } else if (property.key.type === "Identifier") {
        lines.push(`exports.${property.key.name} = ${fixedValue};`);
      } else {
        return null;
      }
      lines.push(
        ...sourceCode.getCommentsAfter(property).map((comment) => sourceCode.getText(comment))
      );
      return lines.join("\n");
    }
    function isModuleExportsObjectAssignment(node) {
      return node.parent?.type === "AssignmentExpression" && node.parent?.parent?.type === "ExpressionStatement" && node.parent.parent.parent?.type === "Program" && node.parent.right.type === "ObjectExpression";
    }
    function isModuleExportsReference(node) {
      return node.parent?.type === "MemberExpression" && node.parent.object === node;
    }
    function fixModuleExports2(node, sourceCode, fixer) {
      if (isModuleExportsReference(node)) {
        return fixer.replaceText(node, "exports");
      }
      if (!isModuleExportsObjectAssignment(node)) {
        return null;
      }
      const statements = [];
      const properties = node.parent.right.properties;
      for (const property of properties) {
        const statement = getReplacementForProperty(property, sourceCode);
        if (statement) {
          statements.push(statement);
        } else {
          return null;
        }
      }
      return fixer.replaceText(node.parent, statements.join("\n\n"));
    }
    module2.exports = {
      meta: {
        docs: {
          description: "enforce either `module.exports` or `exports`",
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/exports-style.md"
        },
        type: "suggestion",
        fixable: "code",
        schema: [
          {
            //
            enum: ["module.exports", "exports"]
          },
          {
            type: "object",
            properties: { allowBatchAssign: { type: "boolean" } },
            additionalProperties: false
          }
        ],
        messages: {
          unexpectedExports: "Unexpected access to 'exports'. Use 'module.exports' instead.",
          unexpectedModuleExports: "Unexpected access to 'module.exports'. Use 'exports' instead.",
          unexpectedAssignment: "Unexpected assignment to 'exports'. Don't modify 'exports' itself."
        }
      },
      create(context) {
        const mode = context.options[0] || "module.exports";
        const batchAssignAllowed = Boolean(
          context.options[1] != null && context.options[1].allowBatchAssign
        );
        const sourceCode = context.sourceCode ?? context.getSourceCode();
        function getLocation(node) {
          const token = sourceCode.getTokenAfter(node);
          return {
            start: (
              /** @type {import('estree').SourceLocation} */
              node.loc.start
            ),
            end: (
              /** @type {import('estree').SourceLocation} */
              token?.loc?.end
            )
          };
        }
        function enforceModuleExports(globalScope) {
          const exportsNodes = getExportsNodes(globalScope);
          const assignList = batchAssignAllowed ? createAssignmentList(getModuleExportsNodes(globalScope)) : [];
          for (const node of exportsNodes) {
            const topAssignment = getTopAssignment(node);
            if (topAssignment && assignList.length > 0 && assignList.indexOf(topAssignment) !== -1) {
              continue;
            }
            context.report({
              node,
              loc: getLocation(node),
              messageId: "unexpectedExports"
            });
          }
        }
        function enforceExports(globalScope) {
          const exportsNodes = getExportsNodes(globalScope);
          const moduleExportsNodes = getModuleExportsNodes(globalScope);
          const assignList = batchAssignAllowed ? createAssignmentList(exportsNodes) : [];
          const batchAssignList = [];
          for (const node of moduleExportsNodes) {
            if (assignList.length > 0) {
              const topAssignment = getTopAssignment(node);
              const found = topAssignment ? assignList.indexOf(topAssignment) : -1;
              if (found !== -1) {
                batchAssignList.push(assignList[found]);
                assignList.splice(found, 1);
                continue;
              }
            }
            context.report({
              node,
              loc: getLocation(node),
              messageId: "unexpectedModuleExports",
              fix(fixer) {
                return fixModuleExports2(node, sourceCode, fixer);
              }
            });
          }
          for (const node of exportsNodes) {
            if (!isAssignee(node)) {
              continue;
            }
            const topAssignment = getTopAssignment(node);
            if (topAssignment && batchAssignList.indexOf(topAssignment) !== -1) {
              continue;
            }
            context.report({
              node,
              loc: getLocation(node),
              messageId: "unexpectedAssignment"
            });
          }
        }
        return {
          "Program:exit"(node) {
            const scope = sourceCode.getScope?.(node) ?? context.getScope();
            switch (mode) {
              case "module.exports":
                enforceModuleExports(scope);
                break;
              case "exports":
                enforceExports(scope);
                break;
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/is-typescript.js
var require_is_typescript = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/is-typescript.js"(exports2, module2) {
    "use strict";
    var path17 = require("path");
    var typescriptExtensions = [".ts", ".tsx", ".cts", ".mts"];
    module2.exports = function isTypescript(context) {
      const sourceFileExt = path17.extname(
        context.physicalFilename ?? context.getPhysicalFilename?.() ?? context.filename ?? context.getFilename?.()
      );
      return typescriptExtensions.includes(sourceFileExt);
    };
  }
});

// node_modules/.pnpm/resolve-pkg-maps@1.0.0/node_modules/resolve-pkg-maps/dist/index.cjs
var require_dist10 = __commonJS({
  "node_modules/.pnpm/resolve-pkg-maps@1.0.0/node_modules/resolve-pkg-maps/dist/index.cjs"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var d = (r) => r !== null && typeof r == "object";
    var s = (r, t) => Object.assign(new Error(`[${r}]: ${t}`), { code: r });
    var g = "ERR_INVALID_PACKAGE_CONFIG";
    var E = "ERR_INVALID_PACKAGE_TARGET";
    var I = "ERR_PACKAGE_PATH_NOT_EXPORTED";
    var P = "ERR_PACKAGE_IMPORT_NOT_DEFINED";
    var R = /^\d+$/;
    var O = /^(\.{1,2}|node_modules)$/i;
    var u = /\/|\\/;
    var h = ((r) => (r.Export = "exports", r.Import = "imports", r))(h || {});
    var f = (r, t, n, o, c) => {
      if (t == null) return [];
      if (typeof t == "string") {
        const [e, ...i] = t.split(u);
        if (e === ".." || i.some((l) => O.test(l))) throw s(E, `Invalid "${r}" target "${t}" defined in the package config`);
        return [c ? t.replace(/\*/g, c) : t];
      }
      if (Array.isArray(t)) return t.flatMap((e) => f(r, e, n, o, c));
      if (d(t)) {
        for (const e of Object.keys(t)) {
          if (R.test(e)) throw s(g, "Cannot contain numeric property keys");
          if (e === "default" || o.includes(e)) return f(r, t[e], n, o, c);
        }
        return [];
      }
      throw s(E, `Invalid "${r}" target "${t}"`);
    };
    var a = "*";
    var v = (r, t) => {
      const n = r.indexOf(a), o = t.indexOf(a);
      return n === o ? t.length > r.length : o > n;
    };
    function A(r, t) {
      if (!t.includes(a) && r.hasOwnProperty(t)) return [t];
      let n, o;
      for (const c of Object.keys(r)) if (c.includes(a)) {
        const [e, i, l] = c.split(a);
        if (l === void 0 && t.startsWith(e) && t.endsWith(i)) {
          const _ = t.slice(e.length, -i.length || void 0);
          _ && (!n || v(n, c)) && (n = c, o = _);
        }
      }
      return [n, o];
    }
    var p = (r) => Object.keys(r).reduce((t, n) => {
      const o = n === "" || n[0] !== ".";
      if (t === void 0 || t === o) return o;
      throw s(g, '"exports" cannot contain some keys starting with "." and some not');
    }, void 0);
    var w = /^\w+:/;
    var m = (r, t, n) => {
      if (!r) throw new Error('"exports" is required');
      t = t === "" ? "." : `./${t}`, (typeof r == "string" || Array.isArray(r) || d(r) && p(r)) && (r = { ".": r });
      const [o, c] = A(r, t), e = f(h.Export, r[o], t, n, c);
      if (e.length === 0) throw s(I, t === "." ? 'No "exports" main defined' : `Package subpath '${t}' is not defined by "exports"`);
      for (const i of e) if (!i.startsWith("./") && !w.test(i)) throw s(E, `Invalid "exports" target "${i}" defined in the package config`);
      return e;
    };
    var T = (r, t, n) => {
      if (!r) throw new Error('"imports" is required');
      const [o, c] = A(r, t), e = f(h.Import, r[o], t, n, c);
      if (e.length === 0) throw s(P, `Package import specifier "${t}" is not defined in package`);
      return e;
    };
    exports2.resolveExports = m, exports2.resolveImports = T;
  }
});

// node_modules/.pnpm/get-tsconfig@4.7.5/node_modules/get-tsconfig/dist/index.cjs
var require_dist11 = __commonJS({
  "node_modules/.pnpm/get-tsconfig@4.7.5/node_modules/get-tsconfig/dist/index.cjs"(exports2) {
    "use strict";
    var p = require("path");
    var d = require("fs");
    var ge = require("module");
    var me = require_dist10();
    function B(e) {
      return e.startsWith("\\\\?\\") ? e : e.replace(/\\/g, "/");
    }
    var h = (e) => {
      const t = d[e];
      return (i, ...n) => {
        const s = `${e}:${n.join(":")}`;
        let o = i == null ? void 0 : i.get(s);
        return o === void 0 && (o = Reflect.apply(t, d, n), i == null || i.set(s, o)), o;
      };
    };
    var _ = h("existsSync");
    var ke = h("readFileSync");
    var P = h("statSync");
    var Z = (e, t, i) => {
      for (; ; ) {
        const n = p.posix.join(e, t);
        if (_(i, n)) return n;
        const s = p.dirname(e);
        if (s === e) return;
        e = s;
      }
    };
    var M = /^\.{1,2}(\/.*)?$/;
    var W = (e) => {
      const t = B(e);
      return M.test(t) ? t : `./${t}`;
    };
    function be(e, t = false) {
      const i = e.length;
      let n = 0, s = "", o = 0, l = 16, a = 0, u = 0, w = 0, T = 0, c = 0;
      function E(r, g) {
        let f = 0, $ = 0;
        for (; f < r || !g; ) {
          let A = e.charCodeAt(n);
          if (A >= 48 && A <= 57) $ = $ * 16 + A - 48;
          else if (A >= 65 && A <= 70) $ = $ * 16 + A - 65 + 10;
          else if (A >= 97 && A <= 102) $ = $ * 16 + A - 97 + 10;
          else break;
          n++, f++;
        }
        return f < r && ($ = -1), $;
      }
      function b(r) {
        n = r, s = "", o = 0, l = 16, c = 0;
      }
      function v() {
        let r = n;
        if (e.charCodeAt(n) === 48) n++;
        else for (n++; n < e.length && y(e.charCodeAt(n)); ) n++;
        if (n < e.length && e.charCodeAt(n) === 46) if (n++, n < e.length && y(e.charCodeAt(n))) for (n++; n < e.length && y(e.charCodeAt(n)); ) n++;
        else return c = 3, e.substring(r, n);
        let g = n;
        if (n < e.length && (e.charCodeAt(n) === 69 || e.charCodeAt(n) === 101)) if (n++, (n < e.length && e.charCodeAt(n) === 43 || e.charCodeAt(n) === 45) && n++, n < e.length && y(e.charCodeAt(n))) {
          for (n++; n < e.length && y(e.charCodeAt(n)); ) n++;
          g = n;
        } else c = 3;
        return e.substring(r, g);
      }
      function k() {
        let r = "", g = n;
        for (; ; ) {
          if (n >= i) {
            r += e.substring(g, n), c = 2;
            break;
          }
          const f = e.charCodeAt(n);
          if (f === 34) {
            r += e.substring(g, n), n++;
            break;
          }
          if (f === 92) {
            if (r += e.substring(g, n), n++, n >= i) {
              c = 2;
              break;
            }
            switch (e.charCodeAt(n++)) {
              case 34:
                r += '"';
                break;
              case 92:
                r += "\\";
                break;
              case 47:
                r += "/";
                break;
              case 98:
                r += "\b";
                break;
              case 102:
                r += "\f";
                break;
              case 110:
                r += `
`;
                break;
              case 114:
                r += "\r";
                break;
              case 116:
                r += "	";
                break;
              case 117:
                const A = E(4, true);
                A >= 0 ? r += String.fromCharCode(A) : c = 4;
                break;
              default:
                c = 5;
            }
            g = n;
            continue;
          }
          if (f >= 0 && f <= 31) if (N(f)) {
            r += e.substring(g, n), c = 2;
            break;
          } else c = 6;
          n++;
        }
        return r;
      }
      function j() {
        if (s = "", c = 0, o = n, u = a, T = w, n >= i) return o = i, l = 17;
        let r = e.charCodeAt(n);
        if (J(r)) {
          do
            n++, s += String.fromCharCode(r), r = e.charCodeAt(n);
          while (J(r));
          return l = 15;
        }
        if (N(r)) return n++, s += String.fromCharCode(r), r === 13 && e.charCodeAt(n) === 10 && (n++, s += `
`), a++, w = n, l = 14;
        switch (r) {
          case 123:
            return n++, l = 1;
          case 125:
            return n++, l = 2;
          case 91:
            return n++, l = 3;
          case 93:
            return n++, l = 4;
          case 58:
            return n++, l = 6;
          case 44:
            return n++, l = 5;
          case 34:
            return n++, s = k(), l = 10;
          case 47:
            const g = n - 1;
            if (e.charCodeAt(n + 1) === 47) {
              for (n += 2; n < i && !N(e.charCodeAt(n)); ) n++;
              return s = e.substring(g, n), l = 12;
            }
            if (e.charCodeAt(n + 1) === 42) {
              n += 2;
              const f = i - 1;
              let $ = false;
              for (; n < f; ) {
                const A = e.charCodeAt(n);
                if (A === 42 && e.charCodeAt(n + 1) === 47) {
                  n += 2, $ = true;
                  break;
                }
                n++, N(A) && (A === 13 && e.charCodeAt(n) === 10 && n++, a++, w = n);
              }
              return $ || (n++, c = 1), s = e.substring(g, n), l = 13;
            }
            return s += String.fromCharCode(r), n++, l = 16;
          case 45:
            if (s += String.fromCharCode(r), n++, n === i || !y(e.charCodeAt(n))) return l = 16;
          case 48:
          case 49:
          case 50:
          case 51:
          case 52:
          case 53:
          case 54:
          case 55:
          case 56:
          case 57:
            return s += v(), l = 11;
          default:
            for (; n < i && L(r); ) n++, r = e.charCodeAt(n);
            if (o !== n) {
              switch (s = e.substring(o, n), s) {
                case "true":
                  return l = 8;
                case "false":
                  return l = 9;
                case "null":
                  return l = 7;
              }
              return l = 16;
            }
            return s += String.fromCharCode(r), n++, l = 16;
        }
      }
      function L(r) {
        if (J(r) || N(r)) return false;
        switch (r) {
          case 125:
          case 93:
          case 123:
          case 91:
          case 34:
          case 58:
          case 44:
          case 47:
            return false;
        }
        return true;
      }
      function U() {
        let r;
        do
          r = j();
        while (r >= 12 && r <= 15);
        return r;
      }
      return { setPosition: b, getPosition: () => n, scan: t ? U : j, getToken: () => l, getTokenValue: () => s, getTokenOffset: () => o, getTokenLength: () => n - o, getTokenStartLine: () => u, getTokenStartCharacter: () => o - T, getTokenError: () => c };
    }
    function J(e) {
      return e === 32 || e === 9;
    }
    function N(e) {
      return e === 10 || e === 13;
    }
    function y(e) {
      return e >= 48 && e <= 57;
    }
    var K;
    (function(e) {
      e[e.lineFeed = 10] = "lineFeed", e[e.carriageReturn = 13] = "carriageReturn", e[e.space = 32] = "space", e[e._0 = 48] = "_0", e[e._1 = 49] = "_1", e[e._2 = 50] = "_2", e[e._3 = 51] = "_3", e[e._4 = 52] = "_4", e[e._5 = 53] = "_5", e[e._6 = 54] = "_6", e[e._7 = 55] = "_7", e[e._8 = 56] = "_8", e[e._9 = 57] = "_9", e[e.a = 97] = "a", e[e.b = 98] = "b", e[e.c = 99] = "c", e[e.d = 100] = "d", e[e.e = 101] = "e", e[e.f = 102] = "f", e[e.g = 103] = "g", e[e.h = 104] = "h", e[e.i = 105] = "i", e[e.j = 106] = "j", e[e.k = 107] = "k", e[e.l = 108] = "l", e[e.m = 109] = "m", e[e.n = 110] = "n", e[e.o = 111] = "o", e[e.p = 112] = "p", e[e.q = 113] = "q", e[e.r = 114] = "r", e[e.s = 115] = "s", e[e.t = 116] = "t", e[e.u = 117] = "u", e[e.v = 118] = "v", e[e.w = 119] = "w", e[e.x = 120] = "x", e[e.y = 121] = "y", e[e.z = 122] = "z", e[e.A = 65] = "A", e[e.B = 66] = "B", e[e.C = 67] = "C", e[e.D = 68] = "D", e[e.E = 69] = "E", e[e.F = 70] = "F", e[e.G = 71] = "G", e[e.H = 72] = "H", e[e.I = 73] = "I", e[e.J = 74] = "J", e[e.K = 75] = "K", e[e.L = 76] = "L", e[e.M = 77] = "M", e[e.N = 78] = "N", e[e.O = 79] = "O", e[e.P = 80] = "P", e[e.Q = 81] = "Q", e[e.R = 82] = "R", e[e.S = 83] = "S", e[e.T = 84] = "T", e[e.U = 85] = "U", e[e.V = 86] = "V", e[e.W = 87] = "W", e[e.X = 88] = "X", e[e.Y = 89] = "Y", e[e.Z = 90] = "Z", e[e.asterisk = 42] = "asterisk", e[e.backslash = 92] = "backslash", e[e.closeBrace = 125] = "closeBrace", e[e.closeBracket = 93] = "closeBracket", e[e.colon = 58] = "colon", e[e.comma = 44] = "comma", e[e.dot = 46] = "dot", e[e.doubleQuote = 34] = "doubleQuote", e[e.minus = 45] = "minus", e[e.openBrace = 123] = "openBrace", e[e.openBracket = 91] = "openBracket", e[e.plus = 43] = "plus", e[e.slash = 47] = "slash", e[e.formFeed = 12] = "formFeed", e[e.tab = 9] = "tab";
    })(K || (K = {})), new Array(20).fill(0).map((e, t) => " ".repeat(t));
    var F = 200;
    new Array(F).fill(0).map((e, t) => `
` + " ".repeat(t)), new Array(F).fill(0).map((e, t) => "\r" + " ".repeat(t)), new Array(F).fill(0).map((e, t) => `\r
` + " ".repeat(t)), new Array(F).fill(0).map((e, t) => `
` + "	".repeat(t)), new Array(F).fill(0).map((e, t) => "\r" + "	".repeat(t)), new Array(F).fill(0).map((e, t) => `\r
` + "	".repeat(t));
    var I;
    (function(e) {
      e.DEFAULT = { allowTrailingComma: false };
    })(I || (I = {}));
    function we(e, t = [], i = I.DEFAULT) {
      let n = null, s = [];
      const o = [];
      function l(u) {
        Array.isArray(s) ? s.push(u) : n !== null && (s[n] = u);
      }
      return ve(e, { onObjectBegin: () => {
        const u = {};
        l(u), o.push(s), s = u, n = null;
      }, onObjectProperty: (u) => {
        n = u;
      }, onObjectEnd: () => {
        s = o.pop();
      }, onArrayBegin: () => {
        const u = [];
        l(u), o.push(s), s = u, n = null;
      }, onArrayEnd: () => {
        s = o.pop();
      }, onLiteralValue: l, onError: (u, w, T) => {
        t.push({ error: u, offset: w, length: T });
      } }, i), s[0];
    }
    function ve(e, t, i = I.DEFAULT) {
      const n = be(e, false), s = [];
      function o(m) {
        return m ? () => m(n.getTokenOffset(), n.getTokenLength(), n.getTokenStartLine(), n.getTokenStartCharacter()) : () => true;
      }
      function l(m) {
        return m ? () => m(n.getTokenOffset(), n.getTokenLength(), n.getTokenStartLine(), n.getTokenStartCharacter(), () => s.slice()) : () => true;
      }
      function a(m) {
        return m ? (O) => m(O, n.getTokenOffset(), n.getTokenLength(), n.getTokenStartLine(), n.getTokenStartCharacter()) : () => true;
      }
      function u(m) {
        return m ? (O) => m(O, n.getTokenOffset(), n.getTokenLength(), n.getTokenStartLine(), n.getTokenStartCharacter(), () => s.slice()) : () => true;
      }
      const w = l(t.onObjectBegin), T = u(t.onObjectProperty), c = o(t.onObjectEnd), E = l(t.onArrayBegin), b = o(t.onArrayEnd), v = u(t.onLiteralValue), k = a(t.onSeparator), j = o(t.onComment), L = a(t.onError), U = i && i.disallowComments, r = i && i.allowTrailingComma;
      function g() {
        for (; ; ) {
          const m = n.scan();
          switch (n.getTokenError()) {
            case 4:
              f(14);
              break;
            case 5:
              f(15);
              break;
            case 3:
              f(13);
              break;
            case 1:
              U || f(11);
              break;
            case 2:
              f(12);
              break;
            case 6:
              f(16);
              break;
          }
          switch (m) {
            case 12:
            case 13:
              U ? f(10) : j();
              break;
            case 16:
              f(1);
              break;
            case 15:
            case 14:
              break;
            default:
              return m;
          }
        }
      }
      function f(m, O = [], Y = []) {
        if (L(m), O.length + Y.length > 0) {
          let x = n.getToken();
          for (; x !== 17; ) {
            if (O.indexOf(x) !== -1) {
              g();
              break;
            } else if (Y.indexOf(x) !== -1) break;
            x = g();
          }
        }
      }
      function $(m) {
        const O = n.getTokenValue();
        return m ? v(O) : (T(O), s.push(O)), g(), true;
      }
      function A() {
        switch (n.getToken()) {
          case 11:
            const m = n.getTokenValue();
            let O = Number(m);
            isNaN(O) && (f(2), O = 0), v(O);
            break;
          case 7:
            v(null);
            break;
          case 8:
            v(true);
            break;
          case 9:
            v(false);
            break;
          default:
            return false;
        }
        return g(), true;
      }
      function fe() {
        return n.getToken() !== 10 ? (f(3, [], [2, 5]), false) : ($(false), n.getToken() === 6 ? (k(":"), g(), S() || f(4, [], [2, 5])) : f(5, [], [2, 5]), s.pop(), true);
      }
      function pe() {
        w(), g();
        let m = false;
        for (; n.getToken() !== 2 && n.getToken() !== 17; ) {
          if (n.getToken() === 5) {
            if (m || f(4, [], []), k(","), g(), n.getToken() === 2 && r) break;
          } else m && f(6, [], []);
          fe() || f(4, [], [2, 5]), m = true;
        }
        return c(), n.getToken() !== 2 ? f(7, [2], []) : g(), true;
      }
      function ae() {
        E(), g();
        let m = true, O = false;
        for (; n.getToken() !== 4 && n.getToken() !== 17; ) {
          if (n.getToken() === 5) {
            if (O || f(4, [], []), k(","), g(), n.getToken() === 4 && r) break;
          } else O && f(6, [], []);
          m ? (s.push(0), m = false) : s[s.length - 1]++, S() || f(4, [], [4, 5]), O = true;
        }
        return b(), m || s.pop(), n.getToken() !== 4 ? f(8, [4], []) : g(), true;
      }
      function S() {
        switch (n.getToken()) {
          case 3:
            return ae();
          case 1:
            return pe();
          case 10:
            return $(true);
          default:
            return A();
        }
      }
      return g(), n.getToken() === 17 ? i.allowEmptyContent ? true : (f(4, [], []), false) : S() ? (n.getToken() !== 17 && f(9, [], []), true) : (f(4, [], []), false);
    }
    var C;
    (function(e) {
      e[e.None = 0] = "None", e[e.UnexpectedEndOfComment = 1] = "UnexpectedEndOfComment", e[e.UnexpectedEndOfString = 2] = "UnexpectedEndOfString", e[e.UnexpectedEndOfNumber = 3] = "UnexpectedEndOfNumber", e[e.InvalidUnicode = 4] = "InvalidUnicode", e[e.InvalidEscapeCharacter = 5] = "InvalidEscapeCharacter", e[e.InvalidCharacter = 6] = "InvalidCharacter";
    })(C || (C = {}));
    var ee;
    (function(e) {
      e[e.OpenBraceToken = 1] = "OpenBraceToken", e[e.CloseBraceToken = 2] = "CloseBraceToken", e[e.OpenBracketToken = 3] = "OpenBracketToken", e[e.CloseBracketToken = 4] = "CloseBracketToken", e[e.CommaToken = 5] = "CommaToken", e[e.ColonToken = 6] = "ColonToken", e[e.NullKeyword = 7] = "NullKeyword", e[e.TrueKeyword = 8] = "TrueKeyword", e[e.FalseKeyword = 9] = "FalseKeyword", e[e.StringLiteral = 10] = "StringLiteral", e[e.NumericLiteral = 11] = "NumericLiteral", e[e.LineCommentTrivia = 12] = "LineCommentTrivia", e[e.BlockCommentTrivia = 13] = "BlockCommentTrivia", e[e.LineBreakTrivia = 14] = "LineBreakTrivia", e[e.Trivia = 15] = "Trivia", e[e.Unknown = 16] = "Unknown", e[e.EOF = 17] = "EOF";
    })(ee || (ee = {}));
    var Te = we;
    var ne;
    (function(e) {
      e[e.InvalidSymbol = 1] = "InvalidSymbol", e[e.InvalidNumberFormat = 2] = "InvalidNumberFormat", e[e.PropertyNameExpected = 3] = "PropertyNameExpected", e[e.ValueExpected = 4] = "ValueExpected", e[e.ColonExpected = 5] = "ColonExpected", e[e.CommaExpected = 6] = "CommaExpected", e[e.CloseBraceExpected = 7] = "CloseBraceExpected", e[e.CloseBracketExpected = 8] = "CloseBracketExpected", e[e.EndOfFileExpected = 9] = "EndOfFileExpected", e[e.InvalidCommentToken = 10] = "InvalidCommentToken", e[e.UnexpectedEndOfComment = 11] = "UnexpectedEndOfComment", e[e.UnexpectedEndOfString = 12] = "UnexpectedEndOfString", e[e.UnexpectedEndOfNumber = 13] = "UnexpectedEndOfNumber", e[e.InvalidUnicode = 14] = "InvalidUnicode", e[e.InvalidEscapeCharacter = 15] = "InvalidEscapeCharacter", e[e.InvalidCharacter = 16] = "InvalidCharacter";
    })(ne || (ne = {}));
    var te = (e, t) => Te(ke(t, e, "utf8"));
    var R = Symbol("implicitBaseUrl");
    var Ae = () => {
      const { findPnpApi: e } = ge;
      return e && e(process.cwd());
    };
    var G = (e, t, i, n) => {
      const s = `resolveFromPackageJsonPath:${e}:${t}:${i}`;
      if (n != null && n.has(s)) return n.get(s);
      const o = te(e, n);
      if (!o) return;
      let l = t || "tsconfig.json";
      if (!i && o.exports) try {
        const [a] = me.resolveExports(o.exports, t, ["require", "types"]);
        l = a;
      } catch {
        return false;
      }
      else !t && o.tsconfig && (l = o.tsconfig);
      return l = p.join(e, "..", l), n == null || n.set(s, l), l;
    };
    var z2 = "package.json";
    var Q = "tsconfig.json";
    var Oe = (e, t, i) => {
      let n = e;
      if (e === ".." && (n = p.join(n, Q)), e[0] === "." && (n = p.resolve(t, n)), p.isAbsolute(n)) {
        if (_(i, n)) {
          if (P(i, n).isFile()) return n;
        } else if (!n.endsWith(".json")) {
          const b = `${n}.json`;
          if (_(i, b)) return b;
        }
        return;
      }
      const [s, ...o] = e.split("/"), l = s[0] === "@" ? `${s}/${o.shift()}` : s, a = o.join("/"), u = Ae();
      if (u) {
        const { resolveRequest: b } = u;
        try {
          if (l === e) {
            const v = b(p.join(l, z2), t);
            if (v) {
              const k = G(v, a, false, i);
              if (k && _(i, k)) return k;
            }
          } else {
            let v;
            try {
              v = b(e, t, { extensions: [".json"] });
            } catch {
              v = b(p.join(e, Q), t);
            }
            if (v) return v;
          }
        } catch {
        }
      }
      const w = Z(p.resolve(t), p.join("node_modules", l), i);
      if (!w || !P(i, w).isDirectory()) return;
      const T = p.join(w, z2);
      if (_(i, T)) {
        const b = G(T, a, false, i);
        if (b === false) return;
        if (b && _(i, b) && P(i, b).isFile()) return b;
      }
      const c = p.join(w, a), E = c.endsWith(".json");
      if (!E) {
        const b = `${c}.json`;
        if (_(i, b)) return b;
      }
      if (_(i, c)) {
        if (P(i, c).isDirectory()) {
          const b = p.join(c, z2);
          if (_(i, b)) {
            const k = G(b, "", true, i);
            if (k && _(i, k)) return k;
          }
          const v = p.join(c, Q);
          if (_(i, v)) return v;
        } else if (E) return c;
      }
    };
    var je = (e, t, i, n) => {
      const s = Oe(e, t, n);
      if (!s) throw new Error(`File '${e}' not found.`);
      if (i.has(s)) throw new Error(`Circularity detected while resolving configuration: ${s}`);
      i.add(s);
      const o = p.dirname(s), l = ie(s, n, i);
      delete l.references;
      const { compilerOptions: a } = l;
      if (a) {
        const u = ["baseUrl", "outDir"];
        for (const w of u) {
          const T = a[w];
          T && (a[w] = B(p.relative(t, p.join(o, T))) || "./");
        }
      }
      return l.files && (l.files = l.files.map((u) => B(p.relative(t, p.join(o, u))))), l.include && (l.include = l.include.map((u) => B(p.relative(t, p.join(o, u))))), l.exclude && (l.exclude = l.exclude.map((u) => B(p.relative(t, p.join(o, u))))), l;
    };
    var ie = (e, t, i = /* @__PURE__ */ new Set()) => {
      let n;
      try {
        n = te(e, t) || {};
      } catch {
        throw new Error(`Cannot resolve tsconfig at path: ${e}`);
      }
      if (typeof n != "object") throw new SyntaxError(`Failed to parse tsconfig at: ${e}`);
      const s = p.dirname(e);
      if (n.compilerOptions) {
        const { compilerOptions: o } = n;
        o.paths && !o.baseUrl && (o[R] = s);
      }
      if (n.extends) {
        const o = Array.isArray(n.extends) ? n.extends : [n.extends];
        delete n.extends;
        for (const l of o.reverse()) {
          const a = je(l, s, new Set(i), t), u = { ...a, ...n, compilerOptions: { ...a.compilerOptions, ...n.compilerOptions } };
          a.watchOptions && (u.watchOptions = { ...a.watchOptions, ...n.watchOptions }), n = u;
        }
      }
      if (n.compilerOptions) {
        const { compilerOptions: o } = n, l = ["baseUrl", "rootDir"];
        for (const u of l) {
          const w = o[u];
          if (w) {
            const T = p.resolve(s, w), c = W(p.relative(s, T));
            o[u] = c;
          }
        }
        const { outDir: a } = o;
        a && (Array.isArray(n.exclude) || (n.exclude = []), n.exclude.includes(a) || n.exclude.push(a), o.outDir = W(a));
      } else n.compilerOptions = {};
      if (n.files && (n.files = n.files.map(W)), n.include && (n.include = n.include.map(B)), n.watchOptions) {
        const { watchOptions: o } = n;
        o.excludeDirectories && (o.excludeDirectories = o.excludeDirectories.map((l) => B(p.resolve(s, l))));
      }
      return n;
    };
    var se = (e, t = /* @__PURE__ */ new Map()) => ie(e, t);
    var $e = (e = process.cwd(), t = "tsconfig.json", i = /* @__PURE__ */ new Map()) => {
      const n = Z(B(e), t, i);
      if (!n) return null;
      const s = se(n, i);
      return { path: n, config: s };
    };
    var Be = /\*/g;
    var le = (e, t) => {
      const i = e.match(Be);
      if (i && i.length > 1) throw new Error(t);
    };
    var _e = (e) => {
      if (e.includes("*")) {
        const [t, i] = e.split("*");
        return { prefix: t, suffix: i };
      }
      return e;
    };
    var Ee = ({ prefix: e, suffix: t }, i) => i.startsWith(e) && i.endsWith(t);
    var Le = (e, t, i) => Object.entries(e).map(([n, s]) => (le(n, `Pattern '${n}' can have at most one '*' character.`), { pattern: _e(n), substitutions: s.map((o) => {
      if (le(o, `Substitution '${o}' in pattern '${n}' can have at most one '*' character.`), !t && !M.test(o)) throw new Error("Non-relative paths are not allowed when 'baseUrl' is not set. Did you forget a leading './'?");
      return p.resolve(i, o);
    }) }));
    var Ue = (e) => {
      if (!e.config.compilerOptions) return null;
      const { baseUrl: t, paths: i } = e.config.compilerOptions, n = R in e.config.compilerOptions && e.config.compilerOptions[R];
      if (!t && !i) return null;
      const s = p.resolve(p.dirname(e.path), t || n || "."), o = i ? Le(i, t, s) : [];
      return (l) => {
        if (M.test(l)) return [];
        const a = [];
        for (const c of o) {
          if (c.pattern === l) return c.substitutions.map(B);
          typeof c.pattern != "string" && a.push(c);
        }
        let u, w = -1;
        for (const c of a) Ee(c.pattern, l) && c.pattern.prefix.length > w && (w = c.pattern.prefix.length, u = c);
        if (!u) return t ? [B(p.join(s, l))] : [];
        const T = l.slice(u.pattern.prefix.length, l.length - u.pattern.suffix.length);
        return u.substitutions.map((c) => B(c.replace("*", T)));
      };
    };
    var oe = (e) => {
      let t = "";
      for (let i = 0; i < e.length; i += 1) {
        const n = e[i], s = n.toUpperCase();
        t += n === s ? n.toLowerCase() : s;
      }
      return t;
    };
    var ye = 65;
    var Fe = 97;
    var Ne = () => Math.floor(Math.random() * 26);
    var xe = (e) => Array.from({ length: e }, () => String.fromCodePoint(Ne() + (Math.random() > 0.5 ? ye : Fe))).join("");
    var Pe = (e = d) => {
      const t = process.execPath;
      if (e.existsSync(t)) return !e.existsSync(oe(t));
      const i = `/${xe(10)}`;
      e.writeFileSync(i, "");
      const n = !e.existsSync(oe(i));
      return e.unlinkSync(i), n;
    };
    var { join: D } = p.posix;
    var H = { ts: [".ts", ".tsx", ".d.ts"], cts: [".cts", ".d.cts"], mts: [".mts", ".d.mts"] };
    var Ie = (e) => {
      const t = [...H.ts], i = [...H.cts], n = [...H.mts];
      return e != null && e.allowJs && (t.push(".js", ".jsx"), i.push(".cjs"), n.push(".mjs")), [...t, ...i, ...n];
    };
    var De = (e) => {
      const t = [];
      if (!e) return t;
      const { outDir: i, declarationDir: n } = e;
      return i && t.push(i), n && t.push(n), t;
    };
    var re = (e) => e.replaceAll(/[.*+?^${}()|[\]\\]/g, "\\$&");
    var Ve = ["node_modules", "bower_components", "jspm_packages"];
    var q = `(?!(${Ve.join("|")})(/|$))`;
    var Se = /(?:^|\/)[^.*?]+$/;
    var ue = "**/*";
    var V = "[^/]";
    var X = "[^./]";
    var ce = process.platform === "win32";
    var de = ({ config: e, path: t }, i = Pe()) => {
      if ("extends" in e) throw new Error("tsconfig#extends must be resolved. Use getTsconfig or parseTsconfig to resolve it.");
      if (!p.isAbsolute(t)) throw new Error("The tsconfig path must be absolute");
      ce && (t = B(t));
      const n = p.dirname(t), { files: s, include: o, exclude: l, compilerOptions: a } = e, u = s == null ? void 0 : s.map((k) => D(n, k)), w = Ie(a), T = i ? "" : "i", E = (l || De(a)).map((k) => {
        const j = D(n, k), L = re(j).replaceAll("\\*\\*/", "(.+/)?").replaceAll("\\*", `${V}*`).replaceAll("\\?", V);
        return new RegExp(`^${L}($|/)`, T);
      }), b = s || o ? o : [ue], v = b ? b.map((k) => {
        let j = D(n, k);
        Se.test(j) && (j = D(j, ue));
        const L = re(j).replaceAll("/\\*\\*", `(/${q}${X}${V}*)*?`).replaceAll(/(\/)?\\\*/g, (U, r) => {
          const g = `(${X}|(\\.(?!min\\.js$))?)*`;
          return r ? `/${q}${X}${g}` : g;
        }).replaceAll(/(\/)?\\\?/g, (U, r) => {
          const g = V;
          return r ? `/${q}${g}` : g;
        });
        return new RegExp(`^${L}$`, T);
      }) : void 0;
      return (k) => {
        if (!p.isAbsolute(k)) throw new Error("filePath must be absolute");
        if (ce && (k = B(k)), u != null && u.includes(k)) return e;
        if (!(!w.some((j) => k.endsWith(j)) || E.some((j) => j.test(k))) && v && v.some((j) => j.test(k))) return e;
      };
    };
    exports2.createFilesMatcher = de, exports2.createPathsMatcher = Ue, exports2.getTsconfig = $e, exports2.parseTsconfig = se;
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-tsconfig.js
var require_get_tsconfig = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-tsconfig.js"(exports2, module2) {
    "use strict";
    var { getTsconfig, parseTsconfig } = require_dist11();
    var fsCache = /* @__PURE__ */ new Map();
    function getTSConfig(filename) {
      return parseTsconfig(filename, fsCache);
    }
    function getTSConfigForFile(filename) {
      return getTsconfig(filename, "tsconfig.json", fsCache);
    }
    function getTSConfigForContext(context) {
      const filename = context.physicalFilename ?? context.getPhysicalFilename?.() ?? context.filename ?? context.getFilename?.();
      return getTSConfigForFile(filename);
    }
    module2.exports = {
      getTSConfig,
      getTSConfigForFile,
      getTSConfigForContext
    };
    module2.exports.schema = { type: "string" };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-typescript-extension-map.js
var require_get_typescript_extension_map = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-typescript-extension-map.js"(exports2, module2) {
    "use strict";
    var { getTSConfig, getTSConfigForContext } = require_get_tsconfig();
    var DEFAULT_MAPPING = normalise([
      ["", ".js"],
      [".ts", ".js"],
      [".cts", ".cjs"],
      [".mts", ".mjs"],
      [".tsx", ".js"]
    ]);
    var PRESERVE_MAPPING = normalise([
      ["", ".js"],
      [".ts", ".js"],
      [".cts", ".cjs"],
      [".mts", ".mjs"],
      [".tsx", ".jsx"]
    ]);
    var tsConfigMapping = {
      react: DEFAULT_MAPPING,
      // Emit .js files with JSX changed to the equivalent React.createElement calls
      "react-jsx": DEFAULT_MAPPING,
      // Emit .js files with the JSX changed to _jsx calls
      "react-jsxdev": DEFAULT_MAPPING,
      // Emit .js files with the JSX changed to _jsx calls
      "react-native": DEFAULT_MAPPING,
      // Emit .js files with the JSX unchanged
      preserve: PRESERVE_MAPPING
      // Emit .jsx files with the JSX unchanged
    };
    function normalise(typescriptExtensionMap) {
      const forward = {};
      const backward = {};
      for (const [typescript, javascript] of typescriptExtensionMap) {
        forward[typescript] = javascript;
        if (!typescript) {
          continue;
        }
        backward[javascript] ??= [];
        backward[javascript].push(typescript);
      }
      return { forward, backward };
    }
    function getMappingFromTSConfig(tsconfig) {
      const jsx = tsconfig?.compilerOptions?.jsx;
      if (jsx != null && {}.hasOwnProperty.call(tsConfigMapping, jsx)) {
        return tsConfigMapping[jsx];
      }
      return null;
    }
    function get(option) {
      if (typeof option?.typescriptExtensionMap === "string" && {}.hasOwnProperty.call(tsConfigMapping, option?.typescriptExtensionMap)) {
        return tsConfigMapping[option.typescriptExtensionMap];
      }
      if (Array.isArray(option?.typescriptExtensionMap)) {
        return normalise(option.typescriptExtensionMap);
      }
      if (option?.tsconfigPath) {
        return getMappingFromTSConfig(getTSConfig(option?.tsconfigPath));
      }
      return null;
    }
    function getFromTSConfigFromFile(context) {
      return getMappingFromTSConfig(getTSConfigForContext(context)?.config);
    }
    module2.exports = function getTypescriptExtensionMap(context) {
      return get(context.options?.[0]) || get(context.settings?.n ?? context.settings?.node) || getFromTSConfigFromFile(context) || PRESERVE_MAPPING;
    };
    module2.exports.schema = {
      oneOf: [
        {
          type: "array",
          items: {
            type: "array",
            prefixItems: [
              { type: "string", pattern: "^(?:|\\.\\w+)$" },
              { type: "string", pattern: "^\\.\\w+$" }
            ],
            additionalItems: false
          },
          uniqueItems: true
        },
        {
          type: "string",
          enum: Object.keys(tsConfigMapping)
        }
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/map-typescript-extension.js
var require_map_typescript_extension = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/map-typescript-extension.js"(exports2, module2) {
    "use strict";
    var path17 = require("path");
    var isTypescript = require_is_typescript();
    var getTypescriptExtensionMap = require_get_typescript_extension_map();
    function convertTsExtensionToJs(context, filePath, fallbackExtension) {
      const { forward } = getTypescriptExtensionMap(context);
      const ext = path17.extname(filePath);
      if (isTypescript(context) && ext in forward) {
        return forward[ext];
      }
      return fallbackExtension;
    }
    function convertJsExtensionToTs(context, filePath, fallbackExtension) {
      const { backward } = getTypescriptExtensionMap(context);
      const ext = path17.extname(filePath);
      if (isTypescript(context) && Object.hasOwn(backward, ext)) {
        return backward[ext];
      }
      return [fallbackExtension];
    }
    module2.exports = {
      convertTsExtensionToJs,
      convertJsExtensionToTs
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-resolve-paths.js
var require_get_resolve_paths = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-resolve-paths.js"(exports2, module2) {
    "use strict";
    var DEFAULT_VALUE = [];
    function get(option) {
      if (Array.isArray(option?.resolvePaths)) {
        return option.resolvePaths.map(String);
      }
    }
    module2.exports = function getResolvePaths(context, optionIndex = 0) {
      return get(context.options?.[optionIndex]) ?? get(context.settings?.n) ?? get(context.settings?.node) ?? DEFAULT_VALUE;
    };
    module2.exports.schema = {
      type: "array",
      items: { type: "string" },
      uniqueItems: true
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-try-extensions.js
var require_get_try_extensions = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-try-extensions.js"(exports2, module2) {
    "use strict";
    var { getTSConfigForContext } = require_get_tsconfig();
    var isTypescript = require_is_typescript();
    var DEFAULT_JS_VALUE = [".js", ".json", ".node", ".mjs", ".cjs"];
    var DEFAULT_TS_VALUE = [
      ".js",
      ".ts",
      ".mjs",
      ".mts",
      ".cjs",
      ".cts",
      ".json",
      ".node"
    ];
    function get(option) {
      if (Array.isArray(option?.tryExtensions)) {
        return option.tryExtensions.map(String);
      }
    }
    module2.exports = function getTryExtensions(context, optionIndex = 0) {
      const configured = get(context.options?.[optionIndex]) ?? get(context.settings?.n) ?? get(context.settings?.node);
      if (configured != null) {
        return configured;
      }
      if (isTypescript(context) === false) {
        return DEFAULT_JS_VALUE;
      }
      const allowImportingTsExtensions = getTSConfigForContext(context)?.config?.compilerOptions?.allowImportingTsExtensions;
      if (allowImportingTsExtensions === true) {
        return DEFAULT_TS_VALUE;
      }
      return DEFAULT_JS_VALUE;
    };
    module2.exports.schema = {
      type: "array",
      items: {
        type: "string",
        pattern: "^\\."
      },
      uniqueItems: true
    };
  }
});

// node_modules/.pnpm/graceful-fs@4.2.11/node_modules/graceful-fs/polyfills.js
var require_polyfills = __commonJS({
  "node_modules/.pnpm/graceful-fs@4.2.11/node_modules/graceful-fs/polyfills.js"(exports2, module2) {
    var constants = require("constants");
    var origCwd = process.cwd;
    var cwd = null;
    var platform = process.env.GRACEFUL_FS_PLATFORM || process.platform;
    process.cwd = function() {
      if (!cwd)
        cwd = origCwd.call(process);
      return cwd;
    };
    try {
      process.cwd();
    } catch (er) {
    }
    if (typeof process.chdir === "function") {
      chdir = process.chdir;
      process.chdir = function(d) {
        cwd = null;
        chdir.call(process, d);
      };
      if (Object.setPrototypeOf) Object.setPrototypeOf(process.chdir, chdir);
    }
    var chdir;
    module2.exports = patch;
    function patch(fs4) {
      if (constants.hasOwnProperty("O_SYMLINK") && process.version.match(/^v0\.6\.[0-2]|^v0\.5\./)) {
        patchLchmod(fs4);
      }
      if (!fs4.lutimes) {
        patchLutimes(fs4);
      }
      fs4.chown = chownFix(fs4.chown);
      fs4.fchown = chownFix(fs4.fchown);
      fs4.lchown = chownFix(fs4.lchown);
      fs4.chmod = chmodFix(fs4.chmod);
      fs4.fchmod = chmodFix(fs4.fchmod);
      fs4.lchmod = chmodFix(fs4.lchmod);
      fs4.chownSync = chownFixSync(fs4.chownSync);
      fs4.fchownSync = chownFixSync(fs4.fchownSync);
      fs4.lchownSync = chownFixSync(fs4.lchownSync);
      fs4.chmodSync = chmodFixSync(fs4.chmodSync);
      fs4.fchmodSync = chmodFixSync(fs4.fchmodSync);
      fs4.lchmodSync = chmodFixSync(fs4.lchmodSync);
      fs4.stat = statFix(fs4.stat);
      fs4.fstat = statFix(fs4.fstat);
      fs4.lstat = statFix(fs4.lstat);
      fs4.statSync = statFixSync(fs4.statSync);
      fs4.fstatSync = statFixSync(fs4.fstatSync);
      fs4.lstatSync = statFixSync(fs4.lstatSync);
      if (fs4.chmod && !fs4.lchmod) {
        fs4.lchmod = function(path17, mode, cb) {
          if (cb) process.nextTick(cb);
        };
        fs4.lchmodSync = function() {
        };
      }
      if (fs4.chown && !fs4.lchown) {
        fs4.lchown = function(path17, uid, gid, cb) {
          if (cb) process.nextTick(cb);
        };
        fs4.lchownSync = function() {
        };
      }
      if (platform === "win32") {
        fs4.rename = typeof fs4.rename !== "function" ? fs4.rename : function(fs$rename) {
          function rename(from, to, cb) {
            var start = Date.now();
            var backoff = 0;
            fs$rename(from, to, function CB(er) {
              if (er && (er.code === "EACCES" || er.code === "EPERM" || er.code === "EBUSY") && Date.now() - start < 6e4) {
                setTimeout(function() {
                  fs4.stat(to, function(stater, st) {
                    if (stater && stater.code === "ENOENT")
                      fs$rename(from, to, CB);
                    else
                      cb(er);
                  });
                }, backoff);
                if (backoff < 100)
                  backoff += 10;
                return;
              }
              if (cb) cb(er);
            });
          }
          if (Object.setPrototypeOf) Object.setPrototypeOf(rename, fs$rename);
          return rename;
        }(fs4.rename);
      }
      fs4.read = typeof fs4.read !== "function" ? fs4.read : function(fs$read) {
        function read(fd, buffer, offset, length, position, callback_) {
          var callback;
          if (callback_ && typeof callback_ === "function") {
            var eagCounter = 0;
            callback = function(er, _, __) {
              if (er && er.code === "EAGAIN" && eagCounter < 10) {
                eagCounter++;
                return fs$read.call(fs4, fd, buffer, offset, length, position, callback);
              }
              callback_.apply(this, arguments);
            };
          }
          return fs$read.call(fs4, fd, buffer, offset, length, position, callback);
        }
        if (Object.setPrototypeOf) Object.setPrototypeOf(read, fs$read);
        return read;
      }(fs4.read);
      fs4.readSync = typeof fs4.readSync !== "function" ? fs4.readSync : /* @__PURE__ */ function(fs$readSync) {
        return function(fd, buffer, offset, length, position) {
          var eagCounter = 0;
          while (true) {
            try {
              return fs$readSync.call(fs4, fd, buffer, offset, length, position);
            } catch (er) {
              if (er.code === "EAGAIN" && eagCounter < 10) {
                eagCounter++;
                continue;
              }
              throw er;
            }
          }
        };
      }(fs4.readSync);
      function patchLchmod(fs5) {
        fs5.lchmod = function(path17, mode, callback) {
          fs5.open(
            path17,
            constants.O_WRONLY | constants.O_SYMLINK,
            mode,
            function(err, fd) {
              if (err) {
                if (callback) callback(err);
                return;
              }
              fs5.fchmod(fd, mode, function(err2) {
                fs5.close(fd, function(err22) {
                  if (callback) callback(err2 || err22);
                });
              });
            }
          );
        };
        fs5.lchmodSync = function(path17, mode) {
          var fd = fs5.openSync(path17, constants.O_WRONLY | constants.O_SYMLINK, mode);
          var threw = true;
          var ret;
          try {
            ret = fs5.fchmodSync(fd, mode);
            threw = false;
          } finally {
            if (threw) {
              try {
                fs5.closeSync(fd);
              } catch (er) {
              }
            } else {
              fs5.closeSync(fd);
            }
          }
          return ret;
        };
      }
      function patchLutimes(fs5) {
        if (constants.hasOwnProperty("O_SYMLINK") && fs5.futimes) {
          fs5.lutimes = function(path17, at, mt, cb) {
            fs5.open(path17, constants.O_SYMLINK, function(er, fd) {
              if (er) {
                if (cb) cb(er);
                return;
              }
              fs5.futimes(fd, at, mt, function(er2) {
                fs5.close(fd, function(er22) {
                  if (cb) cb(er2 || er22);
                });
              });
            });
          };
          fs5.lutimesSync = function(path17, at, mt) {
            var fd = fs5.openSync(path17, constants.O_SYMLINK);
            var ret;
            var threw = true;
            try {
              ret = fs5.futimesSync(fd, at, mt);
              threw = false;
            } finally {
              if (threw) {
                try {
                  fs5.closeSync(fd);
                } catch (er) {
                }
              } else {
                fs5.closeSync(fd);
              }
            }
            return ret;
          };
        } else if (fs5.futimes) {
          fs5.lutimes = function(_a, _b, _c, cb) {
            if (cb) process.nextTick(cb);
          };
          fs5.lutimesSync = function() {
          };
        }
      }
      function chmodFix(orig) {
        if (!orig) return orig;
        return function(target, mode, cb) {
          return orig.call(fs4, target, mode, function(er) {
            if (chownErOk(er)) er = null;
            if (cb) cb.apply(this, arguments);
          });
        };
      }
      function chmodFixSync(orig) {
        if (!orig) return orig;
        return function(target, mode) {
          try {
            return orig.call(fs4, target, mode);
          } catch (er) {
            if (!chownErOk(er)) throw er;
          }
        };
      }
      function chownFix(orig) {
        if (!orig) return orig;
        return function(target, uid, gid, cb) {
          return orig.call(fs4, target, uid, gid, function(er) {
            if (chownErOk(er)) er = null;
            if (cb) cb.apply(this, arguments);
          });
        };
      }
      function chownFixSync(orig) {
        if (!orig) return orig;
        return function(target, uid, gid) {
          try {
            return orig.call(fs4, target, uid, gid);
          } catch (er) {
            if (!chownErOk(er)) throw er;
          }
        };
      }
      function statFix(orig) {
        if (!orig) return orig;
        return function(target, options, cb) {
          if (typeof options === "function") {
            cb = options;
            options = null;
          }
          function callback(er, stats) {
            if (stats) {
              if (stats.uid < 0) stats.uid += 4294967296;
              if (stats.gid < 0) stats.gid += 4294967296;
            }
            if (cb) cb.apply(this, arguments);
          }
          return options ? orig.call(fs4, target, options, callback) : orig.call(fs4, target, callback);
        };
      }
      function statFixSync(orig) {
        if (!orig) return orig;
        return function(target, options) {
          var stats = options ? orig.call(fs4, target, options) : orig.call(fs4, target);
          if (stats) {
            if (stats.uid < 0) stats.uid += 4294967296;
            if (stats.gid < 0) stats.gid += 4294967296;
          }
          return stats;
        };
      }
      function chownErOk(er) {
        if (!er)
          return true;
        if (er.code === "ENOSYS")
          return true;
        var nonroot = !process.getuid || process.getuid() !== 0;
        if (nonroot) {
          if (er.code === "EINVAL" || er.code === "EPERM")
            return true;
        }
        return false;
      }
    }
  }
});

// node_modules/.pnpm/graceful-fs@4.2.11/node_modules/graceful-fs/legacy-streams.js
var require_legacy_streams = __commonJS({
  "node_modules/.pnpm/graceful-fs@4.2.11/node_modules/graceful-fs/legacy-streams.js"(exports2, module2) {
    var Stream = require("stream").Stream;
    module2.exports = legacy;
    function legacy(fs4) {
      return {
        ReadStream,
        WriteStream
      };
      function ReadStream(path17, options) {
        if (!(this instanceof ReadStream)) return new ReadStream(path17, options);
        Stream.call(this);
        var self2 = this;
        this.path = path17;
        this.fd = null;
        this.readable = true;
        this.paused = false;
        this.flags = "r";
        this.mode = 438;
        this.bufferSize = 64 * 1024;
        options = options || {};
        var keys2 = Object.keys(options);
        for (var index = 0, length = keys2.length; index < length; index++) {
          var key = keys2[index];
          this[key] = options[key];
        }
        if (this.encoding) this.setEncoding(this.encoding);
        if (this.start !== void 0) {
          if ("number" !== typeof this.start) {
            throw TypeError("start must be a Number");
          }
          if (this.end === void 0) {
            this.end = Infinity;
          } else if ("number" !== typeof this.end) {
            throw TypeError("end must be a Number");
          }
          if (this.start > this.end) {
            throw new Error("start must be <= end");
          }
          this.pos = this.start;
        }
        if (this.fd !== null) {
          process.nextTick(function() {
            self2._read();
          });
          return;
        }
        fs4.open(this.path, this.flags, this.mode, function(err, fd) {
          if (err) {
            self2.emit("error", err);
            self2.readable = false;
            return;
          }
          self2.fd = fd;
          self2.emit("open", fd);
          self2._read();
        });
      }
      function WriteStream(path17, options) {
        if (!(this instanceof WriteStream)) return new WriteStream(path17, options);
        Stream.call(this);
        this.path = path17;
        this.fd = null;
        this.writable = true;
        this.flags = "w";
        this.encoding = "binary";
        this.mode = 438;
        this.bytesWritten = 0;
        options = options || {};
        var keys2 = Object.keys(options);
        for (var index = 0, length = keys2.length; index < length; index++) {
          var key = keys2[index];
          this[key] = options[key];
        }
        if (this.start !== void 0) {
          if ("number" !== typeof this.start) {
            throw TypeError("start must be a Number");
          }
          if (this.start < 0) {
            throw new Error("start must be >= zero");
          }
          this.pos = this.start;
        }
        this.busy = false;
        this._queue = [];
        if (this.fd === null) {
          this._open = fs4.open;
          this._queue.push([this._open, this.path, this.flags, this.mode, void 0]);
          this.flush();
        }
      }
    }
  }
});

// node_modules/.pnpm/graceful-fs@4.2.11/node_modules/graceful-fs/clone.js
var require_clone = __commonJS({
  "node_modules/.pnpm/graceful-fs@4.2.11/node_modules/graceful-fs/clone.js"(exports2, module2) {
    "use strict";
    module2.exports = clone;
    var getPrototypeOf = Object.getPrototypeOf || function(obj) {
      return obj.__proto__;
    };
    function clone(obj) {
      if (obj === null || typeof obj !== "object")
        return obj;
      if (obj instanceof Object)
        var copy = { __proto__: getPrototypeOf(obj) };
      else
        var copy = /* @__PURE__ */ Object.create(null);
      Object.getOwnPropertyNames(obj).forEach(function(key) {
        Object.defineProperty(copy, key, Object.getOwnPropertyDescriptor(obj, key));
      });
      return copy;
    }
  }
});

// node_modules/.pnpm/graceful-fs@4.2.11/node_modules/graceful-fs/graceful-fs.js
var require_graceful_fs = __commonJS({
  "node_modules/.pnpm/graceful-fs@4.2.11/node_modules/graceful-fs/graceful-fs.js"(exports2, module2) {
    var fs4 = require("fs");
    var polyfills2 = require_polyfills();
    var legacy = require_legacy_streams();
    var clone = require_clone();
    var util5 = require("util");
    var gracefulQueue;
    var previousSymbol;
    if (typeof Symbol === "function" && typeof Symbol.for === "function") {
      gracefulQueue = Symbol.for("graceful-fs.queue");
      previousSymbol = Symbol.for("graceful-fs.previous");
    } else {
      gracefulQueue = "___graceful-fs.queue";
      previousSymbol = "___graceful-fs.previous";
    }
    function noop2() {
    }
    function publishQueue(context, queue2) {
      Object.defineProperty(context, gracefulQueue, {
        get: function() {
          return queue2;
        }
      });
    }
    var debug5 = noop2;
    if (util5.debuglog)
      debug5 = util5.debuglog("gfs4");
    else if (/\bgfs4\b/i.test(process.env.NODE_DEBUG || ""))
      debug5 = function() {
        var m = util5.format.apply(util5, arguments);
        m = "GFS4: " + m.split(/\n/).join("\nGFS4: ");
        console.error(m);
      };
    if (!fs4[gracefulQueue]) {
      queue = global[gracefulQueue] || [];
      publishQueue(fs4, queue);
      fs4.close = function(fs$close) {
        function close(fd, cb) {
          return fs$close.call(fs4, fd, function(err) {
            if (!err) {
              resetQueue();
            }
            if (typeof cb === "function")
              cb.apply(this, arguments);
          });
        }
        Object.defineProperty(close, previousSymbol, {
          value: fs$close
        });
        return close;
      }(fs4.close);
      fs4.closeSync = function(fs$closeSync) {
        function closeSync(fd) {
          fs$closeSync.apply(fs4, arguments);
          resetQueue();
        }
        Object.defineProperty(closeSync, previousSymbol, {
          value: fs$closeSync
        });
        return closeSync;
      }(fs4.closeSync);
      if (/\bgfs4\b/i.test(process.env.NODE_DEBUG || "")) {
        process.on("exit", function() {
          debug5(fs4[gracefulQueue]);
          require("assert").equal(fs4[gracefulQueue].length, 0);
        });
      }
    }
    var queue;
    if (!global[gracefulQueue]) {
      publishQueue(global, fs4[gracefulQueue]);
    }
    module2.exports = patch(clone(fs4));
    if (process.env.TEST_GRACEFUL_FS_GLOBAL_PATCH && !fs4.__patched) {
      module2.exports = patch(fs4);
      fs4.__patched = true;
    }
    function patch(fs5) {
      polyfills2(fs5);
      fs5.gracefulify = patch;
      fs5.createReadStream = createReadStream;
      fs5.createWriteStream = createWriteStream;
      var fs$readFile = fs5.readFile;
      fs5.readFile = readFile2;
      function readFile2(path17, options, cb) {
        if (typeof options === "function")
          cb = options, options = null;
        return go$readFile(path17, options, cb);
        function go$readFile(path18, options2, cb2, startTime) {
          return fs$readFile(path18, options2, function(err) {
            if (err && (err.code === "EMFILE" || err.code === "ENFILE"))
              enqueue([go$readFile, [path18, options2, cb2], err, startTime || Date.now(), Date.now()]);
            else {
              if (typeof cb2 === "function")
                cb2.apply(this, arguments);
            }
          });
        }
      }
      var fs$writeFile = fs5.writeFile;
      fs5.writeFile = writeFile;
      function writeFile(path17, data, options, cb) {
        if (typeof options === "function")
          cb = options, options = null;
        return go$writeFile(path17, data, options, cb);
        function go$writeFile(path18, data2, options2, cb2, startTime) {
          return fs$writeFile(path18, data2, options2, function(err) {
            if (err && (err.code === "EMFILE" || err.code === "ENFILE"))
              enqueue([go$writeFile, [path18, data2, options2, cb2], err, startTime || Date.now(), Date.now()]);
            else {
              if (typeof cb2 === "function")
                cb2.apply(this, arguments);
            }
          });
        }
      }
      var fs$appendFile = fs5.appendFile;
      if (fs$appendFile)
        fs5.appendFile = appendFile;
      function appendFile(path17, data, options, cb) {
        if (typeof options === "function")
          cb = options, options = null;
        return go$appendFile(path17, data, options, cb);
        function go$appendFile(path18, data2, options2, cb2, startTime) {
          return fs$appendFile(path18, data2, options2, function(err) {
            if (err && (err.code === "EMFILE" || err.code === "ENFILE"))
              enqueue([go$appendFile, [path18, data2, options2, cb2], err, startTime || Date.now(), Date.now()]);
            else {
              if (typeof cb2 === "function")
                cb2.apply(this, arguments);
            }
          });
        }
      }
      var fs$copyFile = fs5.copyFile;
      if (fs$copyFile)
        fs5.copyFile = copyFile;
      function copyFile(src, dest, flags, cb) {
        if (typeof flags === "function") {
          cb = flags;
          flags = 0;
        }
        return go$copyFile(src, dest, flags, cb);
        function go$copyFile(src2, dest2, flags2, cb2, startTime) {
          return fs$copyFile(src2, dest2, flags2, function(err) {
            if (err && (err.code === "EMFILE" || err.code === "ENFILE"))
              enqueue([go$copyFile, [src2, dest2, flags2, cb2], err, startTime || Date.now(), Date.now()]);
            else {
              if (typeof cb2 === "function")
                cb2.apply(this, arguments);
            }
          });
        }
      }
      var fs$readdir = fs5.readdir;
      fs5.readdir = readdir;
      var noReaddirOptionVersions = /^v[0-5]\./;
      function readdir(path17, options, cb) {
        if (typeof options === "function")
          cb = options, options = null;
        var go$readdir = noReaddirOptionVersions.test(process.version) ? function go$readdir2(path18, options2, cb2, startTime) {
          return fs$readdir(path18, fs$readdirCallback(
            path18,
            options2,
            cb2,
            startTime
          ));
        } : function go$readdir2(path18, options2, cb2, startTime) {
          return fs$readdir(path18, options2, fs$readdirCallback(
            path18,
            options2,
            cb2,
            startTime
          ));
        };
        return go$readdir(path17, options, cb);
        function fs$readdirCallback(path18, options2, cb2, startTime) {
          return function(err, files) {
            if (err && (err.code === "EMFILE" || err.code === "ENFILE"))
              enqueue([
                go$readdir,
                [path18, options2, cb2],
                err,
                startTime || Date.now(),
                Date.now()
              ]);
            else {
              if (files && files.sort)
                files.sort();
              if (typeof cb2 === "function")
                cb2.call(this, err, files);
            }
          };
        }
      }
      if (process.version.substr(0, 4) === "v0.8") {
        var legStreams = legacy(fs5);
        ReadStream = legStreams.ReadStream;
        WriteStream = legStreams.WriteStream;
      }
      var fs$ReadStream = fs5.ReadStream;
      if (fs$ReadStream) {
        ReadStream.prototype = Object.create(fs$ReadStream.prototype);
        ReadStream.prototype.open = ReadStream$open;
      }
      var fs$WriteStream = fs5.WriteStream;
      if (fs$WriteStream) {
        WriteStream.prototype = Object.create(fs$WriteStream.prototype);
        WriteStream.prototype.open = WriteStream$open;
      }
      Object.defineProperty(fs5, "ReadStream", {
        get: function() {
          return ReadStream;
        },
        set: function(val) {
          ReadStream = val;
        },
        enumerable: true,
        configurable: true
      });
      Object.defineProperty(fs5, "WriteStream", {
        get: function() {
          return WriteStream;
        },
        set: function(val) {
          WriteStream = val;
        },
        enumerable: true,
        configurable: true
      });
      var FileReadStream = ReadStream;
      Object.defineProperty(fs5, "FileReadStream", {
        get: function() {
          return FileReadStream;
        },
        set: function(val) {
          FileReadStream = val;
        },
        enumerable: true,
        configurable: true
      });
      var FileWriteStream = WriteStream;
      Object.defineProperty(fs5, "FileWriteStream", {
        get: function() {
          return FileWriteStream;
        },
        set: function(val) {
          FileWriteStream = val;
        },
        enumerable: true,
        configurable: true
      });
      function ReadStream(path17, options) {
        if (this instanceof ReadStream)
          return fs$ReadStream.apply(this, arguments), this;
        else
          return ReadStream.apply(Object.create(ReadStream.prototype), arguments);
      }
      function ReadStream$open() {
        var that = this;
        open(that.path, that.flags, that.mode, function(err, fd) {
          if (err) {
            if (that.autoClose)
              that.destroy();
            that.emit("error", err);
          } else {
            that.fd = fd;
            that.emit("open", fd);
            that.read();
          }
        });
      }
      function WriteStream(path17, options) {
        if (this instanceof WriteStream)
          return fs$WriteStream.apply(this, arguments), this;
        else
          return WriteStream.apply(Object.create(WriteStream.prototype), arguments);
      }
      function WriteStream$open() {
        var that = this;
        open(that.path, that.flags, that.mode, function(err, fd) {
          if (err) {
            that.destroy();
            that.emit("error", err);
          } else {
            that.fd = fd;
            that.emit("open", fd);
          }
        });
      }
      function createReadStream(path17, options) {
        return new fs5.ReadStream(path17, options);
      }
      function createWriteStream(path17, options) {
        return new fs5.WriteStream(path17, options);
      }
      var fs$open = fs5.open;
      fs5.open = open;
      function open(path17, flags, mode, cb) {
        if (typeof mode === "function")
          cb = mode, mode = null;
        return go$open(path17, flags, mode, cb);
        function go$open(path18, flags2, mode2, cb2, startTime) {
          return fs$open(path18, flags2, mode2, function(err, fd) {
            if (err && (err.code === "EMFILE" || err.code === "ENFILE"))
              enqueue([go$open, [path18, flags2, mode2, cb2], err, startTime || Date.now(), Date.now()]);
            else {
              if (typeof cb2 === "function")
                cb2.apply(this, arguments);
            }
          });
        }
      }
      return fs5;
    }
    function enqueue(elem) {
      debug5("ENQUEUE", elem[0].name, elem[1]);
      fs4[gracefulQueue].push(elem);
      retry();
    }
    var retryTimer;
    function resetQueue() {
      var now = Date.now();
      for (var i = 0; i < fs4[gracefulQueue].length; ++i) {
        if (fs4[gracefulQueue][i].length > 2) {
          fs4[gracefulQueue][i][3] = now;
          fs4[gracefulQueue][i][4] = now;
        }
      }
      retry();
    }
    function retry() {
      clearTimeout(retryTimer);
      retryTimer = void 0;
      if (fs4[gracefulQueue].length === 0)
        return;
      var elem = fs4[gracefulQueue].shift();
      var fn = elem[0];
      var args = elem[1];
      var err = elem[2];
      var startTime = elem[3];
      var lastTime = elem[4];
      if (startTime === void 0) {
        debug5("RETRY", fn.name, args);
        fn.apply(null, args);
      } else if (Date.now() - startTime >= 6e4) {
        debug5("TIMEOUT", fn.name, args);
        var cb = args.pop();
        if (typeof cb === "function")
          cb.call(null, err);
      } else {
        var sinceAttempt = Date.now() - lastTime;
        var sinceStart = Math.max(lastTime - startTime, 1);
        var desiredDelay = Math.min(sinceStart * 1.2, 100);
        if (sinceAttempt >= desiredDelay) {
          debug5("RETRY", fn.name, args);
          fn.apply(null, args.concat([startTime]));
        } else {
          fs4[gracefulQueue].push(elem);
        }
      }
      if (retryTimer === void 0) {
        retryTimer = setTimeout(retry, 0);
      }
    }
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/CachedInputFileSystem.js
var require_CachedInputFileSystem = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/CachedInputFileSystem.js"(exports2, module2) {
    "use strict";
    var nextTick = require("process").nextTick;
    var dirname = (path17) => {
      let idx = path17.length - 1;
      while (idx >= 0) {
        const c = path17.charCodeAt(idx);
        if (c === 47 || c === 92) break;
        idx--;
      }
      if (idx < 0) return "";
      return path17.slice(0, idx);
    };
    var runCallbacks = (callbacks, err, result) => {
      if (callbacks.length === 1) {
        callbacks[0](err, result);
        callbacks.length = 0;
        return;
      }
      let error;
      for (const callback of callbacks) {
        try {
          callback(err, result);
        } catch (e) {
          if (!error) error = e;
        }
      }
      callbacks.length = 0;
      if (error) throw error;
    };
    var OperationMergerBackend = class {
      /**
       * @param {Function | undefined} provider async method in filesystem
       * @param {Function | undefined} syncProvider sync method in filesystem
       * @param {BaseFileSystem} providerContext call context for the provider methods
       */
      constructor(provider, syncProvider, providerContext) {
        this._provider = provider;
        this._syncProvider = syncProvider;
        this._providerContext = providerContext;
        this._activeAsyncOperations = /* @__PURE__ */ new Map();
        this.provide = this._provider ? (
          /**
           * @param {PathLike | PathOrFileDescriptor} path path
           * @param {object | FileSystemCallback | undefined} options options
           * @param {FileSystemCallback=} callback callback
           * @returns {any} result
           */
          (path17, options, callback) => {
            if (typeof options === "function") {
              callback = /** @type {FileSystemCallback} */
              options;
              options = void 0;
            }
            if (typeof path17 !== "string" && !Buffer.isBuffer(path17) && !(path17 instanceof URL) && typeof path17 !== "number") {
              callback(
                new TypeError("path must be a string, Buffer, URL or number")
              );
              return;
            }
            if (options) {
              return (
                /** @type {Function} */
                this._provider.call(
                  this._providerContext,
                  path17,
                  options,
                  callback
                )
              );
            }
            let callbacks = this._activeAsyncOperations.get(path17);
            if (callbacks) {
              callbacks.push(callback);
              return;
            }
            this._activeAsyncOperations.set(path17, callbacks = [callback]);
            provider(
              path17,
              /**
               * @param {Error} err error
               * @param {any} result result
               */
              (err, result) => {
                this._activeAsyncOperations.delete(path17);
                runCallbacks(callbacks, err, result);
              }
            );
          }
        ) : null;
        this.provideSync = this._syncProvider ? (
          /**
           * @param {PathLike | PathOrFileDescriptor} path path
           * @param {object=} options options
           * @returns {any} result
           */
          (path17, options) => {
            return (
              /** @type {Function} */
              this._syncProvider.call(
                this._providerContext,
                path17,
                options
              )
            );
          }
        ) : null;
      }
      purge() {
      }
      purgeParent() {
      }
    };
    var STORAGE_MODE_IDLE = 0;
    var STORAGE_MODE_SYNC = 1;
    var STORAGE_MODE_ASYNC = 2;
    var CacheBackend = class {
      /**
       * @param {number} duration max cache duration of items
       * @param {function | undefined} provider async method
       * @param {function | undefined} syncProvider sync method
       * @param {BaseFileSystem} providerContext call context for the provider methods
       */
      constructor(duration, provider, syncProvider, providerContext) {
        this._duration = duration;
        this._provider = provider;
        this._syncProvider = syncProvider;
        this._providerContext = providerContext;
        this._activeAsyncOperations = /* @__PURE__ */ new Map();
        this._data = /* @__PURE__ */ new Map();
        this._levels = [];
        for (let i = 0; i < 10; i++) this._levels.push(/* @__PURE__ */ new Set());
        for (let i = 5e3; i < duration; i += 500) this._levels.push(/* @__PURE__ */ new Set());
        this._currentLevel = 0;
        this._tickInterval = Math.floor(duration / this._levels.length);
        this._mode = STORAGE_MODE_IDLE;
        this._timeout = void 0;
        this._nextDecay = void 0;
        this.provide = provider ? this.provide.bind(this) : null;
        this.provideSync = syncProvider ? this.provideSync.bind(this) : null;
      }
      /**
       * @param {PathLike | PathOrFileDescriptor} path path
       * @param {any} options options
       * @param {FileSystemCallback} callback callback
       * @returns {void}
       */
      provide(path17, options, callback) {
        if (typeof options === "function") {
          callback = options;
          options = void 0;
        }
        if (typeof path17 !== "string" && !Buffer.isBuffer(path17) && !(path17 instanceof URL) && typeof path17 !== "number") {
          callback(new TypeError("path must be a string, Buffer, URL or number"));
          return;
        }
        const strPath = typeof path17 !== "string" ? path17.toString() : path17;
        if (options) {
          return (
            /** @type {Function} */
            this._provider.call(
              this._providerContext,
              path17,
              options,
              callback
            )
          );
        }
        if (this._mode === STORAGE_MODE_SYNC) {
          this._enterAsyncMode();
        }
        let cacheEntry = this._data.get(strPath);
        if (cacheEntry !== void 0) {
          if (cacheEntry.err) return nextTick(callback, cacheEntry.err);
          return nextTick(callback, null, cacheEntry.result);
        }
        let callbacks = this._activeAsyncOperations.get(strPath);
        if (callbacks !== void 0) {
          callbacks.push(callback);
          return;
        }
        this._activeAsyncOperations.set(strPath, callbacks = [callback]);
        this._provider.call(
          this._providerContext,
          path17,
          /**
           * @param {Error | null} err error
           * @param {any} [result] result
           */
          (err, result) => {
            this._activeAsyncOperations.delete(strPath);
            this._storeResult(strPath, err, result);
            this._enterAsyncMode();
            runCallbacks(
              /** @type {FileSystemCallback[]} */
              callbacks,
              err,
              result
            );
          }
        );
      }
      /**
       * @param {PathLike | PathOrFileDescriptor} path path
       * @param {any} options options
       * @returns {any} result
       */
      provideSync(path17, options) {
        if (typeof path17 !== "string" && !Buffer.isBuffer(path17) && !(path17 instanceof URL) && typeof path17 !== "number") {
          throw new TypeError("path must be a string");
        }
        const strPath = typeof path17 !== "string" ? path17.toString() : path17;
        if (options) {
          return (
            /** @type {Function} */
            this._syncProvider.call(
              this._providerContext,
              path17,
              options
            )
          );
        }
        if (this._mode === STORAGE_MODE_SYNC) {
          this._runDecays();
        }
        let cacheEntry = this._data.get(strPath);
        if (cacheEntry !== void 0) {
          if (cacheEntry.err) throw cacheEntry.err;
          return cacheEntry.result;
        }
        const callbacks = this._activeAsyncOperations.get(strPath);
        this._activeAsyncOperations.delete(strPath);
        let result;
        try {
          result = /** @type {Function} */
          this._syncProvider.call(
            this._providerContext,
            path17
          );
        } catch (err) {
          this._storeResult(
            strPath,
            /** @type {Error} */
            err,
            void 0
          );
          this._enterSyncModeWhenIdle();
          if (callbacks) {
            runCallbacks(
              callbacks,
              /** @type {Error} */
              err,
              void 0
            );
          }
          throw err;
        }
        this._storeResult(strPath, null, result);
        this._enterSyncModeWhenIdle();
        if (callbacks) {
          runCallbacks(callbacks, null, result);
        }
        return result;
      }
      /**
       * @param {string | Buffer | URL | number | (string | URL | Buffer | number)[] | Set} [what] what to purge
       */
      purge(what) {
        if (!what) {
          if (this._mode !== STORAGE_MODE_IDLE) {
            this._data.clear();
            for (const level of this._levels) {
              level.clear();
            }
            this._enterIdleMode();
          }
        } else if (typeof what === "string" || Buffer.isBuffer(what) || what instanceof URL || typeof what === "number") {
          const strWhat = typeof what !== "string" ? what.toString() : what;
          for (let [key, data] of this._data) {
            if (key.startsWith(strWhat)) {
              this._data.delete(key);
              data.level.delete(key);
            }
          }
          if (this._data.size === 0) {
            this._enterIdleMode();
          }
        } else {
          for (let [key, data] of this._data) {
            for (const item of what) {
              const strItem = typeof item !== "string" ? item.toString() : item;
              if (key.startsWith(strItem)) {
                this._data.delete(key);
                data.level.delete(key);
                break;
              }
            }
          }
          if (this._data.size === 0) {
            this._enterIdleMode();
          }
        }
      }
      /**
       * @param {string | Buffer | URL | number | (string | URL | Buffer | number)[] | Set} [what] what to purge
       */
      purgeParent(what) {
        if (!what) {
          this.purge();
        } else if (typeof what === "string" || Buffer.isBuffer(what) || what instanceof URL || typeof what === "number") {
          const strWhat = typeof what !== "string" ? what.toString() : what;
          this.purge(dirname(strWhat));
        } else {
          const set = /* @__PURE__ */ new Set();
          for (const item of what) {
            const strItem = typeof item !== "string" ? item.toString() : item;
            set.add(dirname(strItem));
          }
          this.purge(set);
        }
      }
      /**
       * @param {string} path path
       * @param {Error | null} err error
       * @param {any} result result
       */
      _storeResult(path17, err, result) {
        if (this._data.has(path17)) return;
        const level = this._levels[this._currentLevel];
        this._data.set(path17, { err, result, level });
        level.add(path17);
      }
      _decayLevel() {
        const nextLevel = (this._currentLevel + 1) % this._levels.length;
        const decay = this._levels[nextLevel];
        this._currentLevel = nextLevel;
        for (let item of decay) {
          this._data.delete(item);
        }
        decay.clear();
        if (this._data.size === 0) {
          this._enterIdleMode();
        } else {
          this._nextDecay += this._tickInterval;
        }
      }
      _runDecays() {
        while (
          /** @type {number} */
          this._nextDecay <= Date.now() && this._mode !== STORAGE_MODE_IDLE
        ) {
          this._decayLevel();
        }
      }
      _enterAsyncMode() {
        let timeout = 0;
        switch (this._mode) {
          case STORAGE_MODE_ASYNC:
            return;
          case STORAGE_MODE_IDLE:
            this._nextDecay = Date.now() + this._tickInterval;
            timeout = this._tickInterval;
            break;
          case STORAGE_MODE_SYNC:
            this._runDecays();
            if (
              /** @type {STORAGE_MODE_IDLE | STORAGE_MODE_SYNC | STORAGE_MODE_ASYNC}*/
              this._mode === STORAGE_MODE_IDLE
            )
              return;
            timeout = Math.max(
              0,
              /** @type {number} */
              this._nextDecay - Date.now()
            );
            break;
        }
        this._mode = STORAGE_MODE_ASYNC;
        const ref = setTimeout(() => {
          this._mode = STORAGE_MODE_SYNC;
          this._runDecays();
        }, timeout);
        if (ref.unref) ref.unref();
        this._timeout = ref;
      }
      _enterSyncModeWhenIdle() {
        if (this._mode === STORAGE_MODE_IDLE) {
          this._mode = STORAGE_MODE_SYNC;
          this._nextDecay = Date.now() + this._tickInterval;
        }
      }
      _enterIdleMode() {
        this._mode = STORAGE_MODE_IDLE;
        this._nextDecay = void 0;
        if (this._timeout) clearTimeout(this._timeout);
      }
    };
    var createBackend = (duration, provider, syncProvider, providerContext) => {
      if (duration > 0) {
        return new CacheBackend(duration, provider, syncProvider, providerContext);
      }
      return new OperationMergerBackend(provider, syncProvider, providerContext);
    };
    module2.exports = class CachedInputFileSystem {
      /**
       * @param {BaseFileSystem} fileSystem file system
       * @param {number} duration duration in ms files are cached
       */
      constructor(fileSystem, duration) {
        this.fileSystem = fileSystem;
        this._lstatBackend = createBackend(
          duration,
          this.fileSystem.lstat,
          this.fileSystem.lstatSync,
          this.fileSystem
        );
        const lstat = this._lstatBackend.provide;
        this.lstat = /** @type {FileSystem["lstat"]} */
        lstat;
        const lstatSync = this._lstatBackend.provideSync;
        this.lstatSync = /** @type {SyncFileSystem["lstatSync"]} */
        lstatSync;
        this._statBackend = createBackend(
          duration,
          this.fileSystem.stat,
          this.fileSystem.statSync,
          this.fileSystem
        );
        const stat = this._statBackend.provide;
        this.stat = /** @type {FileSystem["stat"]} */
        stat;
        const statSync = this._statBackend.provideSync;
        this.statSync = /** @type {SyncFileSystem["statSync"]} */
        statSync;
        this._readdirBackend = createBackend(
          duration,
          this.fileSystem.readdir,
          this.fileSystem.readdirSync,
          this.fileSystem
        );
        const readdir = this._readdirBackend.provide;
        this.readdir = /** @type {FileSystem["readdir"]} */
        readdir;
        const readdirSync = this._readdirBackend.provideSync;
        this.readdirSync = /** @type {SyncFileSystem["readdirSync"]} */
        readdirSync;
        this._readFileBackend = createBackend(
          duration,
          this.fileSystem.readFile,
          this.fileSystem.readFileSync,
          this.fileSystem
        );
        const readFile2 = this._readFileBackend.provide;
        this.readFile = /** @type {FileSystem["readFile"]} */
        readFile2;
        const readFileSync = this._readFileBackend.provideSync;
        this.readFileSync = /** @type {SyncFileSystem["readFileSync"]} */
        readFileSync;
        this._readJsonBackend = createBackend(
          duration,
          // prettier-ignore
          this.fileSystem.readJson || this.readFile && /**
           * @param {string} path path
           * @param {FileSystemCallback} callback
           */
          ((path17, callback) => {
            this.readFile(path17, (err, buffer) => {
              if (err) return callback(err);
              if (!buffer || buffer.length === 0)
                return callback(new Error("No file content"));
              let data;
              try {
                data = JSON.parse(buffer.toString("utf-8"));
              } catch (e) {
                return callback(
                  /** @type {Error} */
                  e
                );
              }
              callback(null, data);
            });
          }),
          // prettier-ignore
          this.fileSystem.readJsonSync || this.readFileSync && /**
           * @param {string} path path
           * @returns {any} result
           */
          ((path17) => {
            const buffer = this.readFileSync(path17);
            const data = JSON.parse(buffer.toString("utf-8"));
            return data;
          }),
          this.fileSystem
        );
        const readJson = this._readJsonBackend.provide;
        this.readJson = /** @type {FileSystem["readJson"]} */
        readJson;
        const readJsonSync = this._readJsonBackend.provideSync;
        this.readJsonSync = /** @type {SyncFileSystem["readJsonSync"]} */
        readJsonSync;
        this._readlinkBackend = createBackend(
          duration,
          this.fileSystem.readlink,
          this.fileSystem.readlinkSync,
          this.fileSystem
        );
        const readlink = this._readlinkBackend.provide;
        this.readlink = /** @type {FileSystem["readlink"]} */
        readlink;
        const readlinkSync = this._readlinkBackend.provideSync;
        this.readlinkSync = /** @type {SyncFileSystem["readlinkSync"]} */
        readlinkSync;
        this._realpathBackend = createBackend(
          duration,
          this.fileSystem.realpath,
          this.fileSystem.realpathSync,
          this.fileSystem
        );
        const realpath = this._realpathBackend.provide;
        this.realpath = /** @type {FileSystem["realpath"]} */
        realpath;
        const realpathSync = this._realpathBackend.provideSync;
        this.realpathSync = /** @type {SyncFileSystem["realpathSync"]} */
        realpathSync;
      }
      /**
       * @param {string | Buffer | URL | number | (string | URL | Buffer | number)[] | Set} [what] what to purge
       */
      purge(what) {
        this._statBackend.purge(what);
        this._lstatBackend.purge(what);
        this._readdirBackend.purgeParent(what);
        this._readFileBackend.purge(what);
        this._readlinkBackend.purge(what);
        this._readJsonBackend.purge(what);
        this._realpathBackend.purge(what);
      }
    };
  }
});

// node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/Hook.js
var require_Hook = __commonJS({
  "node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/Hook.js"(exports2, module2) {
    "use strict";
    var util5 = require("util");
    var deprecateContext = util5.deprecate(
      () => {
      },
      "Hook.context is deprecated and will be removed"
    );
    var CALL_DELEGATE = function(...args) {
      this.call = this._createCall("sync");
      return this.call(...args);
    };
    var CALL_ASYNC_DELEGATE = function(...args) {
      this.callAsync = this._createCall("async");
      return this.callAsync(...args);
    };
    var PROMISE_DELEGATE = function(...args) {
      this.promise = this._createCall("promise");
      return this.promise(...args);
    };
    var Hook = class {
      constructor(args = [], name = void 0) {
        this._args = args;
        this.name = name;
        this.taps = [];
        this.interceptors = [];
        this._call = CALL_DELEGATE;
        this.call = CALL_DELEGATE;
        this._callAsync = CALL_ASYNC_DELEGATE;
        this.callAsync = CALL_ASYNC_DELEGATE;
        this._promise = PROMISE_DELEGATE;
        this.promise = PROMISE_DELEGATE;
        this._x = void 0;
        this.compile = this.compile;
        this.tap = this.tap;
        this.tapAsync = this.tapAsync;
        this.tapPromise = this.tapPromise;
      }
      compile(options) {
        throw new Error("Abstract: should be overridden");
      }
      _createCall(type) {
        return this.compile({
          taps: this.taps,
          interceptors: this.interceptors,
          args: this._args,
          type
        });
      }
      _tap(type, options, fn) {
        if (typeof options === "string") {
          options = {
            name: options.trim()
          };
        } else if (typeof options !== "object" || options === null) {
          throw new Error("Invalid tap options");
        }
        if (typeof options.name !== "string" || options.name === "") {
          throw new Error("Missing name for tap");
        }
        if (typeof options.context !== "undefined") {
          deprecateContext();
        }
        options = Object.assign({ type, fn }, options);
        options = this._runRegisterInterceptors(options);
        this._insert(options);
      }
      tap(options, fn) {
        this._tap("sync", options, fn);
      }
      tapAsync(options, fn) {
        this._tap("async", options, fn);
      }
      tapPromise(options, fn) {
        this._tap("promise", options, fn);
      }
      _runRegisterInterceptors(options) {
        for (const interceptor of this.interceptors) {
          if (interceptor.register) {
            const newOptions = interceptor.register(options);
            if (newOptions !== void 0) {
              options = newOptions;
            }
          }
        }
        return options;
      }
      withOptions(options) {
        const mergeOptions = (opt) => Object.assign({}, options, typeof opt === "string" ? { name: opt } : opt);
        return {
          name: this.name,
          tap: (opt, fn) => this.tap(mergeOptions(opt), fn),
          tapAsync: (opt, fn) => this.tapAsync(mergeOptions(opt), fn),
          tapPromise: (opt, fn) => this.tapPromise(mergeOptions(opt), fn),
          intercept: (interceptor) => this.intercept(interceptor),
          isUsed: () => this.isUsed(),
          withOptions: (opt) => this.withOptions(mergeOptions(opt))
        };
      }
      isUsed() {
        return this.taps.length > 0 || this.interceptors.length > 0;
      }
      intercept(interceptor) {
        this._resetCompilation();
        this.interceptors.push(Object.assign({}, interceptor));
        if (interceptor.register) {
          for (let i = 0; i < this.taps.length; i++) {
            this.taps[i] = interceptor.register(this.taps[i]);
          }
        }
      }
      _resetCompilation() {
        this.call = this._call;
        this.callAsync = this._callAsync;
        this.promise = this._promise;
      }
      _insert(item) {
        this._resetCompilation();
        let before;
        if (typeof item.before === "string") {
          before = /* @__PURE__ */ new Set([item.before]);
        } else if (Array.isArray(item.before)) {
          before = new Set(item.before);
        }
        let stage = 0;
        if (typeof item.stage === "number") {
          stage = item.stage;
        }
        let i = this.taps.length;
        while (i > 0) {
          i--;
          const x = this.taps[i];
          this.taps[i + 1] = x;
          const xStage = x.stage || 0;
          if (before) {
            if (before.has(x.name)) {
              before.delete(x.name);
              continue;
            }
            if (before.size > 0) {
              continue;
            }
          }
          if (xStage > stage) {
            continue;
          }
          i++;
          break;
        }
        this.taps[i] = item;
      }
    };
    Object.setPrototypeOf(Hook.prototype, null);
    module2.exports = Hook;
  }
});

// node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/HookCodeFactory.js
var require_HookCodeFactory = __commonJS({
  "node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/HookCodeFactory.js"(exports2, module2) {
    "use strict";
    var HookCodeFactory = class {
      constructor(config7) {
        this.config = config7;
        this.options = void 0;
        this._args = void 0;
      }
      create(options) {
        this.init(options);
        let fn;
        switch (this.options.type) {
          case "sync":
            fn = new Function(
              this.args(),
              '"use strict";\n' + this.header() + this.contentWithInterceptors({
                onError: (err) => `throw ${err};
`,
                onResult: (result) => `return ${result};
`,
                resultReturns: true,
                onDone: () => "",
                rethrowIfPossible: true
              })
            );
            break;
          case "async":
            fn = new Function(
              this.args({
                after: "_callback"
              }),
              '"use strict";\n' + this.header() + this.contentWithInterceptors({
                onError: (err) => `_callback(${err});
`,
                onResult: (result) => `_callback(null, ${result});
`,
                onDone: () => "_callback();\n"
              })
            );
            break;
          case "promise":
            let errorHelperUsed = false;
            const content = this.contentWithInterceptors({
              onError: (err) => {
                errorHelperUsed = true;
                return `_error(${err});
`;
              },
              onResult: (result) => `_resolve(${result});
`,
              onDone: () => "_resolve();\n"
            });
            let code = "";
            code += '"use strict";\n';
            code += this.header();
            code += "return new Promise((function(_resolve, _reject) {\n";
            if (errorHelperUsed) {
              code += "var _sync = true;\n";
              code += "function _error(_err) {\n";
              code += "if(_sync)\n";
              code += "_resolve(Promise.resolve().then((function() { throw _err; })));\n";
              code += "else\n";
              code += "_reject(_err);\n";
              code += "};\n";
            }
            code += content;
            if (errorHelperUsed) {
              code += "_sync = false;\n";
            }
            code += "}));\n";
            fn = new Function(this.args(), code);
            break;
        }
        this.deinit();
        return fn;
      }
      setup(instance, options) {
        instance._x = options.taps.map((t) => t.fn);
      }
      /**
       * @param {{ type: "sync" | "promise" | "async", taps: Array, interceptors: Array }} options
       */
      init(options) {
        this.options = options;
        this._args = options.args.slice();
      }
      deinit() {
        this.options = void 0;
        this._args = void 0;
      }
      contentWithInterceptors(options) {
        if (this.options.interceptors.length > 0) {
          const onError = options.onError;
          const onResult = options.onResult;
          const onDone = options.onDone;
          let code = "";
          for (let i = 0; i < this.options.interceptors.length; i++) {
            const interceptor = this.options.interceptors[i];
            if (interceptor.call) {
              code += `${this.getInterceptor(i)}.call(${this.args({
                before: interceptor.context ? "_context" : void 0
              })});
`;
            }
          }
          code += this.content(
            Object.assign(options, {
              onError: onError && ((err) => {
                let code2 = "";
                for (let i = 0; i < this.options.interceptors.length; i++) {
                  const interceptor = this.options.interceptors[i];
                  if (interceptor.error) {
                    code2 += `${this.getInterceptor(i)}.error(${err});
`;
                  }
                }
                code2 += onError(err);
                return code2;
              }),
              onResult: onResult && ((result) => {
                let code2 = "";
                for (let i = 0; i < this.options.interceptors.length; i++) {
                  const interceptor = this.options.interceptors[i];
                  if (interceptor.result) {
                    code2 += `${this.getInterceptor(i)}.result(${result});
`;
                  }
                }
                code2 += onResult(result);
                return code2;
              }),
              onDone: onDone && (() => {
                let code2 = "";
                for (let i = 0; i < this.options.interceptors.length; i++) {
                  const interceptor = this.options.interceptors[i];
                  if (interceptor.done) {
                    code2 += `${this.getInterceptor(i)}.done();
`;
                  }
                }
                code2 += onDone();
                return code2;
              })
            })
          );
          return code;
        } else {
          return this.content(options);
        }
      }
      header() {
        let code = "";
        if (this.needContext()) {
          code += "var _context = {};\n";
        } else {
          code += "var _context;\n";
        }
        code += "var _x = this._x;\n";
        if (this.options.interceptors.length > 0) {
          code += "var _taps = this.taps;\n";
          code += "var _interceptors = this.interceptors;\n";
        }
        return code;
      }
      needContext() {
        for (const tap of this.options.taps) if (tap.context) return true;
        return false;
      }
      callTap(tapIndex, { onError, onResult, onDone, rethrowIfPossible }) {
        let code = "";
        let hasTapCached = false;
        for (let i = 0; i < this.options.interceptors.length; i++) {
          const interceptor = this.options.interceptors[i];
          if (interceptor.tap) {
            if (!hasTapCached) {
              code += `var _tap${tapIndex} = ${this.getTap(tapIndex)};
`;
              hasTapCached = true;
            }
            code += `${this.getInterceptor(i)}.tap(${interceptor.context ? "_context, " : ""}_tap${tapIndex});
`;
          }
        }
        code += `var _fn${tapIndex} = ${this.getTapFn(tapIndex)};
`;
        const tap = this.options.taps[tapIndex];
        switch (tap.type) {
          case "sync":
            if (!rethrowIfPossible) {
              code += `var _hasError${tapIndex} = false;
`;
              code += "try {\n";
            }
            if (onResult) {
              code += `var _result${tapIndex} = _fn${tapIndex}(${this.args({
                before: tap.context ? "_context" : void 0
              })});
`;
            } else {
              code += `_fn${tapIndex}(${this.args({
                before: tap.context ? "_context" : void 0
              })});
`;
            }
            if (!rethrowIfPossible) {
              code += "} catch(_err) {\n";
              code += `_hasError${tapIndex} = true;
`;
              code += onError("_err");
              code += "}\n";
              code += `if(!_hasError${tapIndex}) {
`;
            }
            if (onResult) {
              code += onResult(`_result${tapIndex}`);
            }
            if (onDone) {
              code += onDone();
            }
            if (!rethrowIfPossible) {
              code += "}\n";
            }
            break;
          case "async":
            let cbCode = "";
            if (onResult)
              cbCode += `(function(_err${tapIndex}, _result${tapIndex}) {
`;
            else cbCode += `(function(_err${tapIndex}) {
`;
            cbCode += `if(_err${tapIndex}) {
`;
            cbCode += onError(`_err${tapIndex}`);
            cbCode += "} else {\n";
            if (onResult) {
              cbCode += onResult(`_result${tapIndex}`);
            }
            if (onDone) {
              cbCode += onDone();
            }
            cbCode += "}\n";
            cbCode += "})";
            code += `_fn${tapIndex}(${this.args({
              before: tap.context ? "_context" : void 0,
              after: cbCode
            })});
`;
            break;
          case "promise":
            code += `var _hasResult${tapIndex} = false;
`;
            code += `var _promise${tapIndex} = _fn${tapIndex}(${this.args({
              before: tap.context ? "_context" : void 0
            })});
`;
            code += `if (!_promise${tapIndex} || !_promise${tapIndex}.then)
`;
            code += `  throw new Error('Tap function (tapPromise) did not return promise (returned ' + _promise${tapIndex} + ')');
`;
            code += `_promise${tapIndex}.then((function(_result${tapIndex}) {
`;
            code += `_hasResult${tapIndex} = true;
`;
            if (onResult) {
              code += onResult(`_result${tapIndex}`);
            }
            if (onDone) {
              code += onDone();
            }
            code += `}), function(_err${tapIndex}) {
`;
            code += `if(_hasResult${tapIndex}) throw _err${tapIndex};
`;
            code += onError(`_err${tapIndex}`);
            code += "});\n";
            break;
        }
        return code;
      }
      callTapsSeries({
        onError,
        onResult,
        resultReturns,
        onDone,
        doneReturns,
        rethrowIfPossible
      }) {
        if (this.options.taps.length === 0) return onDone();
        const firstAsync = this.options.taps.findIndex((t) => t.type !== "sync");
        const somethingReturns = resultReturns || doneReturns;
        let code = "";
        let current = onDone;
        let unrollCounter = 0;
        for (let j = this.options.taps.length - 1; j >= 0; j--) {
          const i = j;
          const unroll = current !== onDone && (this.options.taps[i].type !== "sync" || unrollCounter++ > 20);
          if (unroll) {
            unrollCounter = 0;
            code += `function _next${i}() {
`;
            code += current();
            code += `}
`;
            current = () => `${somethingReturns ? "return " : ""}_next${i}();
`;
          }
          const done = current;
          const doneBreak = (skipDone) => {
            if (skipDone) return "";
            return onDone();
          };
          const content = this.callTap(i, {
            onError: (error) => onError(i, error, done, doneBreak),
            onResult: onResult && ((result) => {
              return onResult(i, result, done, doneBreak);
            }),
            onDone: !onResult && done,
            rethrowIfPossible: rethrowIfPossible && (firstAsync < 0 || i < firstAsync)
          });
          current = () => content;
        }
        code += current();
        return code;
      }
      callTapsLooping({ onError, onDone, rethrowIfPossible }) {
        if (this.options.taps.length === 0) return onDone();
        const syncOnly = this.options.taps.every((t) => t.type === "sync");
        let code = "";
        if (!syncOnly) {
          code += "var _looper = (function() {\n";
          code += "var _loopAsync = false;\n";
        }
        code += "var _loop;\n";
        code += "do {\n";
        code += "_loop = false;\n";
        for (let i = 0; i < this.options.interceptors.length; i++) {
          const interceptor = this.options.interceptors[i];
          if (interceptor.loop) {
            code += `${this.getInterceptor(i)}.loop(${this.args({
              before: interceptor.context ? "_context" : void 0
            })});
`;
          }
        }
        code += this.callTapsSeries({
          onError,
          onResult: (i, result, next, doneBreak) => {
            let code2 = "";
            code2 += `if(${result} !== undefined) {
`;
            code2 += "_loop = true;\n";
            if (!syncOnly) code2 += "if(_loopAsync) _looper();\n";
            code2 += doneBreak(true);
            code2 += `} else {
`;
            code2 += next();
            code2 += `}
`;
            return code2;
          },
          onDone: onDone && (() => {
            let code2 = "";
            code2 += "if(!_loop) {\n";
            code2 += onDone();
            code2 += "}\n";
            return code2;
          }),
          rethrowIfPossible: rethrowIfPossible && syncOnly
        });
        code += "} while(_loop);\n";
        if (!syncOnly) {
          code += "_loopAsync = true;\n";
          code += "});\n";
          code += "_looper();\n";
        }
        return code;
      }
      callTapsParallel({
        onError,
        onResult,
        onDone,
        rethrowIfPossible,
        onTap = (i, run) => run()
      }) {
        if (this.options.taps.length <= 1) {
          return this.callTapsSeries({
            onError,
            onResult,
            onDone,
            rethrowIfPossible
          });
        }
        let code = "";
        code += "do {\n";
        code += `var _counter = ${this.options.taps.length};
`;
        if (onDone) {
          code += "var _done = (function() {\n";
          code += onDone();
          code += "});\n";
        }
        for (let i = 0; i < this.options.taps.length; i++) {
          const done = () => {
            if (onDone) return "if(--_counter === 0) _done();\n";
            else return "--_counter;";
          };
          const doneBreak = (skipDone) => {
            if (skipDone || !onDone) return "_counter = 0;\n";
            else return "_counter = 0;\n_done();\n";
          };
          code += "if(_counter <= 0) break;\n";
          code += onTap(
            i,
            () => this.callTap(i, {
              onError: (error) => {
                let code2 = "";
                code2 += "if(_counter > 0) {\n";
                code2 += onError(i, error, done, doneBreak);
                code2 += "}\n";
                return code2;
              },
              onResult: onResult && ((result) => {
                let code2 = "";
                code2 += "if(_counter > 0) {\n";
                code2 += onResult(i, result, done, doneBreak);
                code2 += "}\n";
                return code2;
              }),
              onDone: !onResult && (() => {
                return done();
              }),
              rethrowIfPossible
            }),
            done,
            doneBreak
          );
        }
        code += "} while(false);\n";
        return code;
      }
      args({ before, after } = {}) {
        let allArgs = this._args;
        if (before) allArgs = [before].concat(allArgs);
        if (after) allArgs = allArgs.concat(after);
        if (allArgs.length === 0) {
          return "";
        } else {
          return allArgs.join(", ");
        }
      }
      getTapFn(idx) {
        return `_x[${idx}]`;
      }
      getTap(idx) {
        return `_taps[${idx}]`;
      }
      getInterceptor(idx) {
        return `_interceptors[${idx}]`;
      }
    };
    module2.exports = HookCodeFactory;
  }
});

// node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/SyncHook.js
var require_SyncHook = __commonJS({
  "node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/SyncHook.js"(exports2, module2) {
    "use strict";
    var Hook = require_Hook();
    var HookCodeFactory = require_HookCodeFactory();
    var SyncHookCodeFactory = class extends HookCodeFactory {
      content({ onError, onDone, rethrowIfPossible }) {
        return this.callTapsSeries({
          onError: (i, err) => onError(err),
          onDone,
          rethrowIfPossible
        });
      }
    };
    var factory = new SyncHookCodeFactory();
    var TAP_ASYNC = () => {
      throw new Error("tapAsync is not supported on a SyncHook");
    };
    var TAP_PROMISE = () => {
      throw new Error("tapPromise is not supported on a SyncHook");
    };
    var COMPILE = function(options) {
      factory.setup(this, options);
      return factory.create(options);
    };
    function SyncHook(args = [], name = void 0) {
      const hook = new Hook(args, name);
      hook.constructor = SyncHook;
      hook.tapAsync = TAP_ASYNC;
      hook.tapPromise = TAP_PROMISE;
      hook.compile = COMPILE;
      return hook;
    }
    SyncHook.prototype = null;
    module2.exports = SyncHook;
  }
});

// node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/SyncBailHook.js
var require_SyncBailHook = __commonJS({
  "node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/SyncBailHook.js"(exports2, module2) {
    "use strict";
    var Hook = require_Hook();
    var HookCodeFactory = require_HookCodeFactory();
    var SyncBailHookCodeFactory = class extends HookCodeFactory {
      content({ onError, onResult, resultReturns, onDone, rethrowIfPossible }) {
        return this.callTapsSeries({
          onError: (i, err) => onError(err),
          onResult: (i, result, next) => `if(${result} !== undefined) {
${onResult(
            result
          )};
} else {
${next()}}
`,
          resultReturns,
          onDone,
          rethrowIfPossible
        });
      }
    };
    var factory = new SyncBailHookCodeFactory();
    var TAP_ASYNC = () => {
      throw new Error("tapAsync is not supported on a SyncBailHook");
    };
    var TAP_PROMISE = () => {
      throw new Error("tapPromise is not supported on a SyncBailHook");
    };
    var COMPILE = function(options) {
      factory.setup(this, options);
      return factory.create(options);
    };
    function SyncBailHook(args = [], name = void 0) {
      const hook = new Hook(args, name);
      hook.constructor = SyncBailHook;
      hook.tapAsync = TAP_ASYNC;
      hook.tapPromise = TAP_PROMISE;
      hook.compile = COMPILE;
      return hook;
    }
    SyncBailHook.prototype = null;
    module2.exports = SyncBailHook;
  }
});

// node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/SyncWaterfallHook.js
var require_SyncWaterfallHook = __commonJS({
  "node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/SyncWaterfallHook.js"(exports2, module2) {
    "use strict";
    var Hook = require_Hook();
    var HookCodeFactory = require_HookCodeFactory();
    var SyncWaterfallHookCodeFactory = class extends HookCodeFactory {
      content({ onError, onResult, resultReturns, rethrowIfPossible }) {
        return this.callTapsSeries({
          onError: (i, err) => onError(err),
          onResult: (i, result, next) => {
            let code = "";
            code += `if(${result} !== undefined) {
`;
            code += `${this._args[0]} = ${result};
`;
            code += `}
`;
            code += next();
            return code;
          },
          onDone: () => onResult(this._args[0]),
          doneReturns: resultReturns,
          rethrowIfPossible
        });
      }
    };
    var factory = new SyncWaterfallHookCodeFactory();
    var TAP_ASYNC = () => {
      throw new Error("tapAsync is not supported on a SyncWaterfallHook");
    };
    var TAP_PROMISE = () => {
      throw new Error("tapPromise is not supported on a SyncWaterfallHook");
    };
    var COMPILE = function(options) {
      factory.setup(this, options);
      return factory.create(options);
    };
    function SyncWaterfallHook(args = [], name = void 0) {
      if (args.length < 1)
        throw new Error("Waterfall hooks must have at least one argument");
      const hook = new Hook(args, name);
      hook.constructor = SyncWaterfallHook;
      hook.tapAsync = TAP_ASYNC;
      hook.tapPromise = TAP_PROMISE;
      hook.compile = COMPILE;
      return hook;
    }
    SyncWaterfallHook.prototype = null;
    module2.exports = SyncWaterfallHook;
  }
});

// node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/SyncLoopHook.js
var require_SyncLoopHook = __commonJS({
  "node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/SyncLoopHook.js"(exports2, module2) {
    "use strict";
    var Hook = require_Hook();
    var HookCodeFactory = require_HookCodeFactory();
    var SyncLoopHookCodeFactory = class extends HookCodeFactory {
      content({ onError, onDone, rethrowIfPossible }) {
        return this.callTapsLooping({
          onError: (i, err) => onError(err),
          onDone,
          rethrowIfPossible
        });
      }
    };
    var factory = new SyncLoopHookCodeFactory();
    var TAP_ASYNC = () => {
      throw new Error("tapAsync is not supported on a SyncLoopHook");
    };
    var TAP_PROMISE = () => {
      throw new Error("tapPromise is not supported on a SyncLoopHook");
    };
    var COMPILE = function(options) {
      factory.setup(this, options);
      return factory.create(options);
    };
    function SyncLoopHook(args = [], name = void 0) {
      const hook = new Hook(args, name);
      hook.constructor = SyncLoopHook;
      hook.tapAsync = TAP_ASYNC;
      hook.tapPromise = TAP_PROMISE;
      hook.compile = COMPILE;
      return hook;
    }
    SyncLoopHook.prototype = null;
    module2.exports = SyncLoopHook;
  }
});

// node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/AsyncParallelHook.js
var require_AsyncParallelHook = __commonJS({
  "node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/AsyncParallelHook.js"(exports2, module2) {
    "use strict";
    var Hook = require_Hook();
    var HookCodeFactory = require_HookCodeFactory();
    var AsyncParallelHookCodeFactory = class extends HookCodeFactory {
      content({ onError, onDone }) {
        return this.callTapsParallel({
          onError: (i, err, done, doneBreak) => onError(err) + doneBreak(true),
          onDone
        });
      }
    };
    var factory = new AsyncParallelHookCodeFactory();
    var COMPILE = function(options) {
      factory.setup(this, options);
      return factory.create(options);
    };
    function AsyncParallelHook(args = [], name = void 0) {
      const hook = new Hook(args, name);
      hook.constructor = AsyncParallelHook;
      hook.compile = COMPILE;
      hook._call = void 0;
      hook.call = void 0;
      return hook;
    }
    AsyncParallelHook.prototype = null;
    module2.exports = AsyncParallelHook;
  }
});

// node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/AsyncParallelBailHook.js
var require_AsyncParallelBailHook = __commonJS({
  "node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/AsyncParallelBailHook.js"(exports2, module2) {
    "use strict";
    var Hook = require_Hook();
    var HookCodeFactory = require_HookCodeFactory();
    var AsyncParallelBailHookCodeFactory = class extends HookCodeFactory {
      content({ onError, onResult, onDone }) {
        let code = "";
        code += `var _results = new Array(${this.options.taps.length});
`;
        code += "var _checkDone = function() {\n";
        code += "for(var i = 0; i < _results.length; i++) {\n";
        code += "var item = _results[i];\n";
        code += "if(item === undefined) return false;\n";
        code += "if(item.result !== undefined) {\n";
        code += onResult("item.result");
        code += "return true;\n";
        code += "}\n";
        code += "if(item.error) {\n";
        code += onError("item.error");
        code += "return true;\n";
        code += "}\n";
        code += "}\n";
        code += "return false;\n";
        code += "}\n";
        code += this.callTapsParallel({
          onError: (i, err, done, doneBreak) => {
            let code2 = "";
            code2 += `if(${i} < _results.length && ((_results.length = ${i + 1}), (_results[${i}] = { error: ${err} }), _checkDone())) {
`;
            code2 += doneBreak(true);
            code2 += "} else {\n";
            code2 += done();
            code2 += "}\n";
            return code2;
          },
          onResult: (i, result, done, doneBreak) => {
            let code2 = "";
            code2 += `if(${i} < _results.length && (${result} !== undefined && (_results.length = ${i + 1}), (_results[${i}] = { result: ${result} }), _checkDone())) {
`;
            code2 += doneBreak(true);
            code2 += "} else {\n";
            code2 += done();
            code2 += "}\n";
            return code2;
          },
          onTap: (i, run, done, doneBreak) => {
            let code2 = "";
            if (i > 0) {
              code2 += `if(${i} >= _results.length) {
`;
              code2 += done();
              code2 += "} else {\n";
            }
            code2 += run();
            if (i > 0) code2 += "}\n";
            return code2;
          },
          onDone
        });
        return code;
      }
    };
    var factory = new AsyncParallelBailHookCodeFactory();
    var COMPILE = function(options) {
      factory.setup(this, options);
      return factory.create(options);
    };
    function AsyncParallelBailHook(args = [], name = void 0) {
      const hook = new Hook(args, name);
      hook.constructor = AsyncParallelBailHook;
      hook.compile = COMPILE;
      hook._call = void 0;
      hook.call = void 0;
      return hook;
    }
    AsyncParallelBailHook.prototype = null;
    module2.exports = AsyncParallelBailHook;
  }
});

// node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/AsyncSeriesHook.js
var require_AsyncSeriesHook = __commonJS({
  "node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/AsyncSeriesHook.js"(exports2, module2) {
    "use strict";
    var Hook = require_Hook();
    var HookCodeFactory = require_HookCodeFactory();
    var AsyncSeriesHookCodeFactory = class extends HookCodeFactory {
      content({ onError, onDone }) {
        return this.callTapsSeries({
          onError: (i, err, next, doneBreak) => onError(err) + doneBreak(true),
          onDone
        });
      }
    };
    var factory = new AsyncSeriesHookCodeFactory();
    var COMPILE = function(options) {
      factory.setup(this, options);
      return factory.create(options);
    };
    function AsyncSeriesHook(args = [], name = void 0) {
      const hook = new Hook(args, name);
      hook.constructor = AsyncSeriesHook;
      hook.compile = COMPILE;
      hook._call = void 0;
      hook.call = void 0;
      return hook;
    }
    AsyncSeriesHook.prototype = null;
    module2.exports = AsyncSeriesHook;
  }
});

// node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/AsyncSeriesBailHook.js
var require_AsyncSeriesBailHook = __commonJS({
  "node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/AsyncSeriesBailHook.js"(exports2, module2) {
    "use strict";
    var Hook = require_Hook();
    var HookCodeFactory = require_HookCodeFactory();
    var AsyncSeriesBailHookCodeFactory = class extends HookCodeFactory {
      content({ onError, onResult, resultReturns, onDone }) {
        return this.callTapsSeries({
          onError: (i, err, next, doneBreak) => onError(err) + doneBreak(true),
          onResult: (i, result, next) => `if(${result} !== undefined) {
${onResult(
            result
          )}
} else {
${next()}}
`,
          resultReturns,
          onDone
        });
      }
    };
    var factory = new AsyncSeriesBailHookCodeFactory();
    var COMPILE = function(options) {
      factory.setup(this, options);
      return factory.create(options);
    };
    function AsyncSeriesBailHook(args = [], name = void 0) {
      const hook = new Hook(args, name);
      hook.constructor = AsyncSeriesBailHook;
      hook.compile = COMPILE;
      hook._call = void 0;
      hook.call = void 0;
      return hook;
    }
    AsyncSeriesBailHook.prototype = null;
    module2.exports = AsyncSeriesBailHook;
  }
});

// node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/AsyncSeriesLoopHook.js
var require_AsyncSeriesLoopHook = __commonJS({
  "node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/AsyncSeriesLoopHook.js"(exports2, module2) {
    "use strict";
    var Hook = require_Hook();
    var HookCodeFactory = require_HookCodeFactory();
    var AsyncSeriesLoopHookCodeFactory = class extends HookCodeFactory {
      content({ onError, onDone }) {
        return this.callTapsLooping({
          onError: (i, err, next, doneBreak) => onError(err) + doneBreak(true),
          onDone
        });
      }
    };
    var factory = new AsyncSeriesLoopHookCodeFactory();
    var COMPILE = function(options) {
      factory.setup(this, options);
      return factory.create(options);
    };
    function AsyncSeriesLoopHook(args = [], name = void 0) {
      const hook = new Hook(args, name);
      hook.constructor = AsyncSeriesLoopHook;
      hook.compile = COMPILE;
      hook._call = void 0;
      hook.call = void 0;
      return hook;
    }
    AsyncSeriesLoopHook.prototype = null;
    module2.exports = AsyncSeriesLoopHook;
  }
});

// node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/AsyncSeriesWaterfallHook.js
var require_AsyncSeriesWaterfallHook = __commonJS({
  "node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/AsyncSeriesWaterfallHook.js"(exports2, module2) {
    "use strict";
    var Hook = require_Hook();
    var HookCodeFactory = require_HookCodeFactory();
    var AsyncSeriesWaterfallHookCodeFactory = class extends HookCodeFactory {
      content({ onError, onResult, onDone }) {
        return this.callTapsSeries({
          onError: (i, err, next, doneBreak) => onError(err) + doneBreak(true),
          onResult: (i, result, next) => {
            let code = "";
            code += `if(${result} !== undefined) {
`;
            code += `${this._args[0]} = ${result};
`;
            code += `}
`;
            code += next();
            return code;
          },
          onDone: () => onResult(this._args[0])
        });
      }
    };
    var factory = new AsyncSeriesWaterfallHookCodeFactory();
    var COMPILE = function(options) {
      factory.setup(this, options);
      return factory.create(options);
    };
    function AsyncSeriesWaterfallHook(args = [], name = void 0) {
      if (args.length < 1)
        throw new Error("Waterfall hooks must have at least one argument");
      const hook = new Hook(args, name);
      hook.constructor = AsyncSeriesWaterfallHook;
      hook.compile = COMPILE;
      hook._call = void 0;
      hook.call = void 0;
      return hook;
    }
    AsyncSeriesWaterfallHook.prototype = null;
    module2.exports = AsyncSeriesWaterfallHook;
  }
});

// node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/HookMap.js
var require_HookMap = __commonJS({
  "node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/HookMap.js"(exports2, module2) {
    "use strict";
    var util5 = require("util");
    var defaultFactory = (key, hook) => hook;
    var HookMap = class {
      constructor(factory, name = void 0) {
        this._map = /* @__PURE__ */ new Map();
        this.name = name;
        this._factory = factory;
        this._interceptors = [];
      }
      get(key) {
        return this._map.get(key);
      }
      for(key) {
        const hook = this.get(key);
        if (hook !== void 0) {
          return hook;
        }
        let newHook = this._factory(key);
        const interceptors = this._interceptors;
        for (let i = 0; i < interceptors.length; i++) {
          newHook = interceptors[i].factory(key, newHook);
        }
        this._map.set(key, newHook);
        return newHook;
      }
      intercept(interceptor) {
        this._interceptors.push(
          Object.assign(
            {
              factory: defaultFactory
            },
            interceptor
          )
        );
      }
    };
    HookMap.prototype.tap = util5.deprecate(function(key, options, fn) {
      return this.for(key).tap(options, fn);
    }, "HookMap#tap(key,\u2026) is deprecated. Use HookMap#for(key).tap(\u2026) instead.");
    HookMap.prototype.tapAsync = util5.deprecate(function(key, options, fn) {
      return this.for(key).tapAsync(options, fn);
    }, "HookMap#tapAsync(key,\u2026) is deprecated. Use HookMap#for(key).tapAsync(\u2026) instead.");
    HookMap.prototype.tapPromise = util5.deprecate(function(key, options, fn) {
      return this.for(key).tapPromise(options, fn);
    }, "HookMap#tapPromise(key,\u2026) is deprecated. Use HookMap#for(key).tapPromise(\u2026) instead.");
    module2.exports = HookMap;
  }
});

// node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/MultiHook.js
var require_MultiHook = __commonJS({
  "node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/MultiHook.js"(exports2, module2) {
    "use strict";
    var Hook = require_Hook();
    var MultiHook = class _MultiHook {
      constructor(hooks, name = void 0) {
        this.hooks = hooks;
        this.name = name;
      }
      tap(options, fn) {
        for (const hook of this.hooks) {
          hook.tap(options, fn);
        }
      }
      tapAsync(options, fn) {
        for (const hook of this.hooks) {
          hook.tapAsync(options, fn);
        }
      }
      tapPromise(options, fn) {
        for (const hook of this.hooks) {
          hook.tapPromise(options, fn);
        }
      }
      isUsed() {
        for (const hook of this.hooks) {
          if (hook.isUsed()) return true;
        }
        return false;
      }
      intercept(interceptor) {
        for (const hook of this.hooks) {
          hook.intercept(interceptor);
        }
      }
      withOptions(options) {
        return new _MultiHook(
          this.hooks.map((h) => h.withOptions(options)),
          this.name
        );
      }
    };
    module2.exports = MultiHook;
  }
});

// node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/index.js
var require_lib9 = __commonJS({
  "node_modules/.pnpm/tapable@2.2.1/node_modules/tapable/lib/index.js"(exports2) {
    "use strict";
    exports2.__esModule = true;
    exports2.SyncHook = require_SyncHook();
    exports2.SyncBailHook = require_SyncBailHook();
    exports2.SyncWaterfallHook = require_SyncWaterfallHook();
    exports2.SyncLoopHook = require_SyncLoopHook();
    exports2.AsyncParallelHook = require_AsyncParallelHook();
    exports2.AsyncParallelBailHook = require_AsyncParallelBailHook();
    exports2.AsyncSeriesHook = require_AsyncSeriesHook();
    exports2.AsyncSeriesBailHook = require_AsyncSeriesBailHook();
    exports2.AsyncSeriesLoopHook = require_AsyncSeriesLoopHook();
    exports2.AsyncSeriesWaterfallHook = require_AsyncSeriesWaterfallHook();
    exports2.HookMap = require_HookMap();
    exports2.MultiHook = require_MultiHook();
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/createInnerContext.js
var require_createInnerContext = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/createInnerContext.js"(exports2, module2) {
    "use strict";
    module2.exports = function createInnerContext(options, message) {
      let messageReported = false;
      let innerLog = void 0;
      if (options.log) {
        if (message) {
          innerLog = (msg) => {
            if (!messageReported) {
              options.log(message);
              messageReported = true;
            }
            options.log("  " + msg);
          };
        } else {
          innerLog = options.log;
        }
      }
      return {
        log: innerLog,
        yield: options.yield,
        fileDependencies: options.fileDependencies,
        contextDependencies: options.contextDependencies,
        missingDependencies: options.missingDependencies,
        stack: options.stack
      };
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/util/identifier.js
var require_identifier = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/util/identifier.js"(exports2, module2) {
    "use strict";
    var PATH_QUERY_FRAGMENT_REGEXP = /^(#?(?:\0.|[^?#\0])*)(\?(?:\0.|[^#\0])*)?(#.*)?$/;
    function parseIdentifier(identifier) {
      const match = PATH_QUERY_FRAGMENT_REGEXP.exec(identifier);
      if (!match) return null;
      return [
        match[1].replace(/\0(.)/g, "$1"),
        match[2] ? match[2].replace(/\0(.)/g, "$1") : "",
        match[3] || ""
      ];
    }
    module2.exports.parseIdentifier = parseIdentifier;
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/util/path.js
var require_path2 = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/util/path.js"(exports2) {
    "use strict";
    var path17 = require("path");
    var CHAR_HASH = "#".charCodeAt(0);
    var CHAR_SLASH = "/".charCodeAt(0);
    var CHAR_BACKSLASH = "\\".charCodeAt(0);
    var CHAR_A = "A".charCodeAt(0);
    var CHAR_Z = "Z".charCodeAt(0);
    var CHAR_LOWER_A = "a".charCodeAt(0);
    var CHAR_LOWER_Z = "z".charCodeAt(0);
    var CHAR_DOT = ".".charCodeAt(0);
    var CHAR_COLON = ":".charCodeAt(0);
    var posixNormalize = path17.posix.normalize;
    var winNormalize = path17.win32.normalize;
    var PathType = Object.freeze({
      Empty: 0,
      Normal: 1,
      Relative: 2,
      AbsoluteWin: 3,
      AbsolutePosix: 4,
      Internal: 5
    });
    exports2.PathType = PathType;
    var getType = (p) => {
      switch (p.length) {
        case 0:
          return PathType.Empty;
        case 1: {
          const c02 = p.charCodeAt(0);
          switch (c02) {
            case CHAR_DOT:
              return PathType.Relative;
            case CHAR_SLASH:
              return PathType.AbsolutePosix;
            case CHAR_HASH:
              return PathType.Internal;
          }
          return PathType.Normal;
        }
        case 2: {
          const c02 = p.charCodeAt(0);
          switch (c02) {
            case CHAR_DOT: {
              const c13 = p.charCodeAt(1);
              switch (c13) {
                case CHAR_DOT:
                case CHAR_SLASH:
                  return PathType.Relative;
              }
              return PathType.Normal;
            }
            case CHAR_SLASH:
              return PathType.AbsolutePosix;
            case CHAR_HASH:
              return PathType.Internal;
          }
          const c12 = p.charCodeAt(1);
          if (c12 === CHAR_COLON) {
            if (c02 >= CHAR_A && c02 <= CHAR_Z || c02 >= CHAR_LOWER_A && c02 <= CHAR_LOWER_Z) {
              return PathType.AbsoluteWin;
            }
          }
          return PathType.Normal;
        }
      }
      const c0 = p.charCodeAt(0);
      switch (c0) {
        case CHAR_DOT: {
          const c12 = p.charCodeAt(1);
          switch (c12) {
            case CHAR_SLASH:
              return PathType.Relative;
            case CHAR_DOT: {
              const c2 = p.charCodeAt(2);
              if (c2 === CHAR_SLASH) return PathType.Relative;
              return PathType.Normal;
            }
          }
          return PathType.Normal;
        }
        case CHAR_SLASH:
          return PathType.AbsolutePosix;
        case CHAR_HASH:
          return PathType.Internal;
      }
      const c1 = p.charCodeAt(1);
      if (c1 === CHAR_COLON) {
        const c2 = p.charCodeAt(2);
        if ((c2 === CHAR_BACKSLASH || c2 === CHAR_SLASH) && (c0 >= CHAR_A && c0 <= CHAR_Z || c0 >= CHAR_LOWER_A && c0 <= CHAR_LOWER_Z)) {
          return PathType.AbsoluteWin;
        }
      }
      return PathType.Normal;
    };
    exports2.getType = getType;
    var normalize = (p) => {
      switch (getType(p)) {
        case PathType.Empty:
          return p;
        case PathType.AbsoluteWin:
          return winNormalize(p);
        case PathType.Relative: {
          const r = posixNormalize(p);
          return getType(r) === PathType.Relative ? r : `./${r}`;
        }
      }
      return posixNormalize(p);
    };
    exports2.normalize = normalize;
    var join3 = (rootPath, request) => {
      if (!request) return normalize(rootPath);
      const requestType = getType(request);
      switch (requestType) {
        case PathType.AbsolutePosix:
          return posixNormalize(request);
        case PathType.AbsoluteWin:
          return winNormalize(request);
      }
      switch (getType(rootPath)) {
        case PathType.Normal:
        case PathType.Relative:
        case PathType.AbsolutePosix:
          return posixNormalize(`${rootPath}/${request}`);
        case PathType.AbsoluteWin:
          return winNormalize(`${rootPath}\\${request}`);
      }
      switch (requestType) {
        case PathType.Empty:
          return rootPath;
        case PathType.Relative: {
          const r = posixNormalize(rootPath);
          return getType(r) === PathType.Relative ? r : `./${r}`;
        }
      }
      return posixNormalize(rootPath);
    };
    exports2.join = join3;
    var joinCache = /* @__PURE__ */ new Map();
    var cachedJoin = (rootPath, request) => {
      let cacheEntry;
      let cache = joinCache.get(rootPath);
      if (cache === void 0) {
        joinCache.set(rootPath, cache = /* @__PURE__ */ new Map());
      } else {
        cacheEntry = cache.get(request);
        if (cacheEntry !== void 0) return cacheEntry;
      }
      cacheEntry = join3(rootPath, request);
      cache.set(request, cacheEntry);
      return cacheEntry;
    };
    exports2.cachedJoin = cachedJoin;
    var checkImportsExportsFieldTarget = (relativePath) => {
      let lastNonSlashIndex = 0;
      let slashIndex = relativePath.indexOf("/", 1);
      let cd = 0;
      while (slashIndex !== -1) {
        const folder = relativePath.slice(lastNonSlashIndex, slashIndex);
        switch (folder) {
          case "..": {
            cd--;
            if (cd < 0)
              return new Error(
                `Trying to access out of package scope. Requesting ${relativePath}`
              );
            break;
          }
          case ".":
            break;
          default:
            cd++;
            break;
        }
        lastNonSlashIndex = slashIndex + 1;
        slashIndex = relativePath.indexOf("/", lastNonSlashIndex);
      }
    };
    exports2.checkImportsExportsFieldTarget = checkImportsExportsFieldTarget;
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/Resolver.js
var require_Resolver = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/Resolver.js"(exports2, module2) {
    "use strict";
    var { AsyncSeriesBailHook, AsyncSeriesHook, SyncHook } = require_lib9();
    var createInnerContext = require_createInnerContext();
    var { parseIdentifier } = require_identifier();
    var {
      normalize,
      cachedJoin: join3,
      getType,
      PathType
    } = require_path2();
    function toCamelCase(str) {
      return str.replace(/-([a-z])/g, (str2) => str2.slice(1).toUpperCase());
    }
    var Resolver = class _Resolver {
      /**
       * @param {ResolveStepHook} hook hook
       * @param {ResolveRequest} request request
       * @returns {StackEntry} stack entry
       */
      static createStackEntry(hook, request) {
        return hook.name + ": (" + request.path + ") " + (request.request || "") + (request.query || "") + (request.fragment || "") + (request.directory ? " directory" : "") + (request.module ? " module" : "");
      }
      /**
       * @param {FileSystem} fileSystem a filesystem
       * @param {ResolveOptions} options options
       */
      constructor(fileSystem, options) {
        this.fileSystem = fileSystem;
        this.options = options;
        this.hooks = {
          resolveStep: new SyncHook(["hook", "request"], "resolveStep"),
          noResolve: new SyncHook(["request", "error"], "noResolve"),
          resolve: new AsyncSeriesBailHook(
            ["request", "resolveContext"],
            "resolve"
          ),
          result: new AsyncSeriesHook(["result", "resolveContext"], "result")
        };
      }
      /**
       * @param {string | ResolveStepHook} name hook name or hook itself
       * @returns {ResolveStepHook} the hook
       */
      ensureHook(name) {
        if (typeof name !== "string") {
          return name;
        }
        name = toCamelCase(name);
        if (/^before/.test(name)) {
          return (
            /** @type {ResolveStepHook} */
            this.ensureHook(name[6].toLowerCase() + name.slice(7)).withOptions({
              stage: -10
            })
          );
        }
        if (/^after/.test(name)) {
          return (
            /** @type {ResolveStepHook} */
            this.ensureHook(name[5].toLowerCase() + name.slice(6)).withOptions({
              stage: 10
            })
          );
        }
        const hook = (
          /** @type {KnownHooks & EnsuredHooks} */
          this.hooks[name]
        );
        if (!hook) {
          this.hooks[name] = new AsyncSeriesBailHook(
            ["request", "resolveContext"],
            name
          );
          return (
            /** @type {KnownHooks & EnsuredHooks} */
            this.hooks[name]
          );
        }
        return hook;
      }
      /**
       * @param {string | ResolveStepHook} name hook name or hook itself
       * @returns {ResolveStepHook} the hook
       */
      getHook(name) {
        if (typeof name !== "string") {
          return name;
        }
        name = toCamelCase(name);
        if (/^before/.test(name)) {
          return (
            /** @type {ResolveStepHook} */
            this.getHook(name[6].toLowerCase() + name.slice(7)).withOptions({
              stage: -10
            })
          );
        }
        if (/^after/.test(name)) {
          return (
            /** @type {ResolveStepHook} */
            this.getHook(name[5].toLowerCase() + name.slice(6)).withOptions({
              stage: 10
            })
          );
        }
        const hook = (
          /** @type {KnownHooks & EnsuredHooks} */
          this.hooks[name]
        );
        if (!hook) {
          throw new Error(`Hook ${name} doesn't exist`);
        }
        return hook;
      }
      /**
       * @param {object} context context information object
       * @param {string} path context path
       * @param {string} request request string
       * @returns {string | false} result
       */
      resolveSync(context, path17, request) {
        let err = void 0;
        let result = void 0;
        let sync = false;
        this.resolve(context, path17, request, {}, (e, r) => {
          err = e;
          result = r;
          sync = true;
        });
        if (!sync) {
          throw new Error(
            "Cannot 'resolveSync' because the fileSystem is not sync. Use 'resolve'!"
          );
        }
        if (err) throw err;
        if (result === void 0) throw new Error("No result");
        return result;
      }
      /**
       * @param {object} context context information object
       * @param {string} path context path
       * @param {string} request request string
       * @param {ResolveContext} resolveContext resolve context
       * @param {ResolveCallback} callback callback function
       * @returns {void}
       */
      resolve(context, path17, request, resolveContext, callback) {
        if (!context || typeof context !== "object")
          return callback(new Error("context argument is not an object"));
        if (typeof path17 !== "string")
          return callback(new Error("path argument is not a string"));
        if (typeof request !== "string")
          return callback(new Error("request argument is not a string"));
        if (!resolveContext)
          return callback(new Error("resolveContext argument is not set"));
        const obj = {
          context,
          path: path17,
          request
        };
        let yield_;
        let yieldCalled = false;
        let finishYield;
        if (typeof resolveContext.yield === "function") {
          const old = resolveContext.yield;
          yield_ = (obj2) => {
            old(obj2);
            yieldCalled = true;
          };
          finishYield = (result) => {
            if (result) {
              yield_(result);
            }
            callback(null);
          };
        }
        const message = `resolve '${request}' in '${path17}'`;
        const finishResolved = (result) => {
          return callback(
            null,
            result.path === false ? false : `${result.path.replace(/#/g, "\0#")}${result.query ? result.query.replace(/#/g, "\0#") : ""}${result.fragment || ""}`,
            result
          );
        };
        const finishWithoutResolve = (log) => {
          const error = new Error("Can't " + message);
          error.details = log.join("\n");
          this.hooks.noResolve.call(obj, error);
          return callback(error);
        };
        if (resolveContext.log) {
          const parentLog = resolveContext.log;
          const log = [];
          return this.doResolve(
            this.hooks.resolve,
            obj,
            message,
            {
              log: (msg) => {
                parentLog(msg);
                log.push(msg);
              },
              yield: yield_,
              fileDependencies: resolveContext.fileDependencies,
              contextDependencies: resolveContext.contextDependencies,
              missingDependencies: resolveContext.missingDependencies,
              stack: resolveContext.stack
            },
            (err, result) => {
              if (err) return callback(err);
              if (yieldCalled || result && yield_) {
                return (
                  /** @type {ResolveContextYield} */
                  finishYield(
                    /** @type {ResolveRequest} */
                    result
                  )
                );
              }
              if (result) return finishResolved(result);
              return finishWithoutResolve(log);
            }
          );
        } else {
          return this.doResolve(
            this.hooks.resolve,
            obj,
            message,
            {
              log: void 0,
              yield: yield_,
              fileDependencies: resolveContext.fileDependencies,
              contextDependencies: resolveContext.contextDependencies,
              missingDependencies: resolveContext.missingDependencies,
              stack: resolveContext.stack
            },
            (err, result) => {
              if (err) return callback(err);
              if (yieldCalled || result && yield_) {
                return (
                  /** @type {ResolveContextYield} */
                  finishYield(
                    /** @type {ResolveRequest} */
                    result
                  )
                );
              }
              if (result) return finishResolved(result);
              const log = [];
              return this.doResolve(
                this.hooks.resolve,
                obj,
                message,
                {
                  log: (msg) => log.push(msg),
                  yield: yield_,
                  stack: resolveContext.stack
                },
                (err2, result2) => {
                  if (err2) return callback(err2);
                  if (yieldCalled || result2 && yield_) {
                    return (
                      /** @type {ResolveContextYield} */
                      finishYield(
                        /** @type {ResolveRequest} */
                        result2
                      )
                    );
                  }
                  return finishWithoutResolve(log);
                }
              );
            }
          );
        }
      }
      /**
       * @param {ResolveStepHook} hook hook
       * @param {ResolveRequest} request request
       * @param {null|string} message string
       * @param {ResolveContext} resolveContext resolver context
       * @param {(err?: null|Error, result?: ResolveRequest) => void} callback callback
       * @returns {void}
       */
      doResolve(hook, request, message, resolveContext, callback) {
        const stackEntry = _Resolver.createStackEntry(hook, request);
        let newStack;
        if (resolveContext.stack) {
          newStack = new Set(resolveContext.stack);
          if (resolveContext.stack.has(stackEntry)) {
            const recursionError = new Error(
              "Recursion in resolving\nStack:\n  " + Array.from(newStack).join("\n  ")
            );
            recursionError.recursion = true;
            if (resolveContext.log)
              resolveContext.log("abort resolving because of recursion");
            return callback(recursionError);
          }
          newStack.add(stackEntry);
        } else {
          newStack = /* @__PURE__ */ new Set([stackEntry]);
        }
        this.hooks.resolveStep.call(hook, request);
        if (hook.isUsed()) {
          const innerContext = createInnerContext(
            {
              log: resolveContext.log,
              yield: resolveContext.yield,
              fileDependencies: resolveContext.fileDependencies,
              contextDependencies: resolveContext.contextDependencies,
              missingDependencies: resolveContext.missingDependencies,
              stack: newStack
            },
            message
          );
          return hook.callAsync(request, innerContext, (err, result) => {
            if (err) return callback(err);
            if (result) return callback(null, result);
            callback();
          });
        } else {
          callback();
        }
      }
      /**
       * @param {string} identifier identifier
       * @returns {ParsedIdentifier} parsed identifier
       */
      parse(identifier) {
        const part = {
          request: "",
          query: "",
          fragment: "",
          module: false,
          directory: false,
          file: false,
          internal: false
        };
        const parsedIdentifier = parseIdentifier(identifier);
        if (!parsedIdentifier) return part;
        [part.request, part.query, part.fragment] = parsedIdentifier;
        if (part.request.length > 0) {
          part.internal = this.isPrivate(identifier);
          part.module = this.isModule(part.request);
          part.directory = this.isDirectory(part.request);
          if (part.directory) {
            part.request = part.request.slice(0, -1);
          }
        }
        return part;
      }
      /**
       * @param {string} path path
       * @returns {boolean} true, if the path is a module
       */
      isModule(path17) {
        return getType(path17) === PathType.Normal;
      }
      /**
       * @param {string} path path
       * @returns {boolean} true, if the path is private
       */
      isPrivate(path17) {
        return getType(path17) === PathType.Internal;
      }
      /**
       * @param {string} path a path
       * @returns {boolean} true, if the path is a directory path
       */
      isDirectory(path17) {
        return path17.endsWith("/");
      }
      /**
       * @param {string} path path
       * @param {string} request request
       * @returns {string} joined path
       */
      join(path17, request) {
        return join3(path17, request);
      }
      /**
       * @param {string} path path
       * @returns {string} normalized path
       */
      normalize(path17) {
        return normalize(path17);
      }
    };
    module2.exports = Resolver;
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/SyncAsyncFileSystemDecorator.js
var require_SyncAsyncFileSystemDecorator = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/SyncAsyncFileSystemDecorator.js"(exports2, module2) {
    "use strict";
    function SyncAsyncFileSystemDecorator(fs4) {
      this.fs = fs4;
      this.lstat = void 0;
      this.lstatSync = void 0;
      const lstatSync = fs4.lstatSync;
      if (lstatSync) {
        this.lstat = /** @type {FileSystem["lstat"]} */
        (arg, options, callback) => {
          let result;
          try {
            result = /** @type {Function | undefined} */
            callback ? lstatSync.call(fs4, arg, options) : lstatSync.call(fs4, arg);
          } catch (e) {
            return (callback || options)(
              /** @type {NodeJS.ErrnoException | null} */
              e
            );
          }
          (callback || options)(
            null,
            /** @type {any} */
            result
          );
        };
        this.lstatSync = /** @type {SyncFileSystem["lstatSync"]} */
        (arg, options) => lstatSync.call(fs4, arg, options);
      }
      this.stat = /** @type {FileSystem["stat"]} */
      (arg, options, callback) => {
        let result;
        try {
          result = /** @type {Function | undefined} */
          callback ? fs4.statSync(arg, options) : fs4.statSync(arg);
        } catch (e) {
          return (callback || options)(
            /** @type {NodeJS.ErrnoException | null} */
            e
          );
        }
        (callback || options)(
          null,
          /** @type {any} */
          result
        );
      };
      this.statSync = /** @type {SyncFileSystem["statSync"]} */
      (arg, options) => fs4.statSync(arg, options);
      this.readdir = /** @type {FileSystem["readdir"]} */
      (arg, options, callback) => {
        let result;
        try {
          result = /** @type {Function | undefined} */
          callback ? fs4.readdirSync(
            arg,
            /** @type {Exclude[1], ReaddirStringCallback>} */
            options
          ) : fs4.readdirSync(arg);
        } catch (e) {
          return (callback || options)(
            /** @type {NodeJS.ErrnoException | null} */
            e
          );
        }
        (callback || options)(
          null,
          /** @type {any} */
          result
        );
      };
      this.readdirSync = /** @type {SyncFileSystem["readdirSync"]} */
      (arg, options) => fs4.readdirSync(
        arg,
        /** @type {Parameters[1]} */
        options
      );
      this.readFile = /** @type {FileSystem["readFile"]} */
      (arg, options, callback) => {
        let result;
        try {
          result = /** @type {Function | undefined} */
          callback ? fs4.readFileSync(arg, options) : fs4.readFileSync(arg);
        } catch (e) {
          return (callback || options)(
            /** @type {NodeJS.ErrnoException | null} */
            e
          );
        }
        (callback || options)(
          null,
          /** @type {any} */
          result
        );
      };
      this.readFileSync = /** @type {SyncFileSystem["readFileSync"]} */
      (arg, options) => fs4.readFileSync(arg, options);
      this.readlink = /** @type {FileSystem["readlink"]} */
      (arg, options, callback) => {
        let result;
        try {
          result = /** @type {Function | undefined} */
          callback ? fs4.readlinkSync(
            arg,
            /** @type {Exclude[1], StringCallback>} */
            options
          ) : fs4.readlinkSync(arg);
        } catch (e) {
          return (callback || options)(
            /** @type {NodeJS.ErrnoException | null} */
            e
          );
        }
        (callback || options)(
          null,
          /** @type {any} */
          result
        );
      };
      this.readlinkSync = /** @type {SyncFileSystem["readlinkSync"]} */
      (arg, options) => fs4.readlinkSync(
        arg,
        /** @type {Parameters[1]} */
        options
      );
      this.readJson = void 0;
      this.readJsonSync = void 0;
      const readJsonSync = fs4.readJsonSync;
      if (readJsonSync) {
        this.readJson = /** @type {FileSystem["readJson"]} */
        (arg, callback) => {
          let result;
          try {
            result = readJsonSync.call(fs4, arg);
          } catch (e) {
            return callback(
              /** @type {NodeJS.ErrnoException | Error | null} */
              e
            );
          }
          callback(null, result);
        };
        this.readJsonSync = /** @type {SyncFileSystem["readJsonSync"]} */
        (arg) => readJsonSync.call(fs4, arg);
      }
      this.realpath = void 0;
      this.realpathSync = void 0;
      const realpathSync = fs4.realpathSync;
      if (realpathSync) {
        this.realpath = /** @type {FileSystem["realpath"]} */
        (arg, options, callback) => {
          let result;
          try {
            result = /** @type {Function | undefined} */
            callback ? realpathSync.call(
              fs4,
              arg,
              /** @type {Exclude>[1], StringCallback>} */
              options
            ) : realpathSync.call(fs4, arg);
          } catch (e) {
            return (callback || options)(
              /** @type {NodeJS.ErrnoException | null} */
              e
            );
          }
          (callback || options)(
            null,
            /** @type {any} */
            result
          );
        };
        this.realpathSync = /** @type {SyncFileSystem["realpathSync"]} */
        (arg, options) => realpathSync.call(
          fs4,
          arg,
          /** @type {Parameters>[1]} */
          options
        );
      }
    }
    module2.exports = SyncAsyncFileSystemDecorator;
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/forEachBail.js
var require_forEachBail = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/forEachBail.js"(exports2, module2) {
    "use strict";
    module2.exports = function forEachBail(array, iterator, callback) {
      if (array.length === 0) return callback();
      let i = 0;
      const next = () => {
        let loop = void 0;
        iterator(
          array[i++],
          (err, result) => {
            if (err || result !== void 0 || i >= array.length) {
              return callback(err, result);
            }
            if (loop === false) while (next()) ;
            loop = true;
          },
          i
        );
        if (!loop) loop = false;
        return loop;
      };
      while (next()) ;
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/DescriptionFileUtils.js
var require_DescriptionFileUtils = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/DescriptionFileUtils.js"(exports2) {
    "use strict";
    var forEachBail = require_forEachBail();
    function loadDescriptionFile(resolver, directory, filenames, oldInfo, resolveContext, callback) {
      (function findDescriptionFile() {
        if (oldInfo && oldInfo.directory === directory) {
          return callback(null, oldInfo);
        }
        forEachBail(
          filenames,
          /**
           * @param {string} filename filename
           * @param {(err?: null|Error, result?: null|Result) => void} callback callback
           * @returns {void}
           */
          (filename, callback2) => {
            const descriptionFilePath = resolver.join(directory, filename);
            if (resolver.fileSystem.readJson) {
              resolver.fileSystem.readJson(descriptionFilePath, (err, content) => {
                if (err) {
                  if (typeof /** @type {NodeJS.ErrnoException} */
                  err.code !== "undefined") {
                    if (resolveContext.missingDependencies) {
                      resolveContext.missingDependencies.add(descriptionFilePath);
                    }
                    return callback2();
                  }
                  if (resolveContext.fileDependencies) {
                    resolveContext.fileDependencies.add(descriptionFilePath);
                  }
                  return onJson(err);
                }
                if (resolveContext.fileDependencies) {
                  resolveContext.fileDependencies.add(descriptionFilePath);
                }
                onJson(null, content);
              });
            } else {
              resolver.fileSystem.readFile(descriptionFilePath, (err, content) => {
                if (err) {
                  if (resolveContext.missingDependencies) {
                    resolveContext.missingDependencies.add(descriptionFilePath);
                  }
                  return callback2();
                }
                if (resolveContext.fileDependencies) {
                  resolveContext.fileDependencies.add(descriptionFilePath);
                }
                let json;
                if (content) {
                  try {
                    json = JSON.parse(content.toString());
                  } catch (e) {
                    return onJson(
                      /** @type {Error} */
                      e
                    );
                  }
                } else {
                  return onJson(new Error("No content in file"));
                }
                onJson(null, json);
              });
            }
            function onJson(err, content) {
              if (err) {
                if (resolveContext.log)
                  resolveContext.log(
                    descriptionFilePath + " (directory description file): " + err
                  );
                else
                  err.message = descriptionFilePath + " (directory description file): " + err;
                return callback2(err);
              }
              callback2(null, {
                content: (
                  /** @type {JsonObject} */
                  content
                ),
                directory,
                path: descriptionFilePath
              });
            }
          },
          /**
           * @param {null|Error} [err] error
           * @param {null|Result} [result] result
           * @returns {void}
           */
          (err, result) => {
            if (err) return callback(err);
            if (result) {
              return callback(null, result);
            } else {
              const dir = cdUp(directory);
              if (!dir) {
                return callback();
              } else {
                directory = dir;
                return findDescriptionFile();
              }
            }
          }
        );
      })();
    }
    function getField(content, field) {
      if (!content) return void 0;
      if (Array.isArray(field)) {
        let current = content;
        for (let j = 0; j < field.length; j++) {
          if (current === null || typeof current !== "object") {
            current = null;
            break;
          }
          current = /** @type {JsonObject} */
          current[field[j]];
        }
        return current;
      } else {
        return content[field];
      }
    }
    function cdUp(directory) {
      if (directory === "/") return null;
      const i = directory.lastIndexOf("/"), j = directory.lastIndexOf("\\");
      const p = i < 0 ? j : j < 0 ? i : i < j ? j : i;
      if (p < 0) return null;
      return directory.slice(0, p || 1);
    }
    exports2.loadDescriptionFile = loadDescriptionFile;
    exports2.getField = getField;
    exports2.cdUp = cdUp;
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/getInnerRequest.js
var require_getInnerRequest = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/getInnerRequest.js"(exports2, module2) {
    "use strict";
    module2.exports = function getInnerRequest(resolver, request) {
      if (typeof request.__innerRequest === "string" && request.__innerRequest_request === request.request && request.__innerRequest_relativePath === request.relativePath)
        return request.__innerRequest;
      let innerRequest;
      if (request.request) {
        innerRequest = request.request;
        if (/^\.\.?(?:\/|$)/.test(innerRequest) && request.relativePath) {
          innerRequest = resolver.join(request.relativePath, innerRequest);
        }
      } else {
        innerRequest = request.relativePath;
      }
      request.__innerRequest_request = request.request;
      request.__innerRequest_relativePath = request.relativePath;
      return request.__innerRequest = /** @type {string} */
      innerRequest;
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/AliasFieldPlugin.js
var require_AliasFieldPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/AliasFieldPlugin.js"(exports2, module2) {
    "use strict";
    var DescriptionFileUtils = require_DescriptionFileUtils();
    var getInnerRequest = require_getInnerRequest();
    module2.exports = class AliasFieldPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {string | Array} field field
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, field, target) {
        this.source = source;
        this.field = field;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync("AliasFieldPlugin", (request, resolveContext, callback) => {
          if (!request.descriptionFileData) return callback();
          const innerRequest = getInnerRequest(resolver, request);
          if (!innerRequest) return callback();
          const fieldData = DescriptionFileUtils.getField(
            request.descriptionFileData,
            this.field
          );
          if (fieldData === null || typeof fieldData !== "object") {
            if (resolveContext.log)
              resolveContext.log(
                "Field '" + this.field + "' doesn't contain a valid alias configuration"
              );
            return callback();
          }
          const data = Object.prototype.hasOwnProperty.call(
            fieldData,
            innerRequest
          ) ? (
            /** @type {{[Key in string]: JsonPrimitive}} */
            fieldData[innerRequest]
          ) : innerRequest.startsWith("./") ? (
            /** @type {{[Key in string]: JsonPrimitive}} */
            fieldData[innerRequest.slice(2)]
          ) : void 0;
          if (data === innerRequest) return callback();
          if (data === void 0) return callback();
          if (data === false) {
            const ignoreObj = {
              ...request,
              path: false
            };
            if (typeof resolveContext.yield === "function") {
              resolveContext.yield(ignoreObj);
              return callback(null, null);
            }
            return callback(null, ignoreObj);
          }
          const obj = {
            ...request,
            path: (
              /** @type {string} */
              request.descriptionFileRoot
            ),
            request: (
              /** @type {string} */
              data
            ),
            fullySpecified: false
          };
          resolver.doResolve(
            target,
            obj,
            "aliased from description file " + request.descriptionFilePath + " with mapping '" + innerRequest + "' to '" + /** @type {string} */
            data + "'",
            resolveContext,
            (err, result) => {
              if (err) return callback(err);
              if (result === void 0) return callback(null, null);
              callback(null, result);
            }
          );
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/AliasPlugin.js
var require_AliasPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/AliasPlugin.js"(exports2, module2) {
    "use strict";
    var forEachBail = require_forEachBail();
    var { PathType, getType } = require_path2();
    module2.exports = class AliasPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {AliasOption | Array} options options
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, options, target) {
        this.source = source;
        this.options = Array.isArray(options) ? options : [options];
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        const getAbsolutePathWithSlashEnding = (maybeAbsolutePath) => {
          const type = getType(maybeAbsolutePath);
          if (type === PathType.AbsolutePosix || type === PathType.AbsoluteWin) {
            return resolver.join(maybeAbsolutePath, "_").slice(0, -1);
          }
          return null;
        };
        const isSubPath = (path17, maybeSubPath) => {
          const absolutePath = getAbsolutePathWithSlashEnding(maybeSubPath);
          if (!absolutePath) return false;
          return path17.startsWith(absolutePath);
        };
        resolver.getHook(this.source).tapAsync("AliasPlugin", (request, resolveContext, callback) => {
          const innerRequest = request.request || request.path;
          if (!innerRequest) return callback();
          forEachBail(
            this.options,
            (item, callback2) => {
              let shouldStop = false;
              if (innerRequest === item.name || !item.onlyModule && (request.request ? innerRequest.startsWith(`${item.name}/`) : isSubPath(innerRequest, item.name))) {
                const remainingRequest = innerRequest.slice(item.name.length);
                const resolveWithAlias = (alias, callback3) => {
                  if (alias === false) {
                    const ignoreObj = {
                      ...request,
                      path: false
                    };
                    if (typeof resolveContext.yield === "function") {
                      resolveContext.yield(ignoreObj);
                      return callback3(null, null);
                    }
                    return callback3(null, ignoreObj);
                  }
                  if (innerRequest !== alias && !innerRequest.startsWith(alias + "/")) {
                    shouldStop = true;
                    const newRequestStr = alias + remainingRequest;
                    const obj = {
                      ...request,
                      request: newRequestStr,
                      fullySpecified: false
                    };
                    return resolver.doResolve(
                      target,
                      obj,
                      "aliased with mapping '" + item.name + "': '" + alias + "' to '" + newRequestStr + "'",
                      resolveContext,
                      (err, result) => {
                        if (err) return callback3(err);
                        if (result) return callback3(null, result);
                        return callback3();
                      }
                    );
                  }
                  return callback3();
                };
                const stoppingCallback = (err, result) => {
                  if (err) return callback2(err);
                  if (result) return callback2(null, result);
                  if (shouldStop) return callback2(null, null);
                  return callback2();
                };
                if (Array.isArray(item.alias)) {
                  return forEachBail(
                    item.alias,
                    resolveWithAlias,
                    stoppingCallback
                  );
                } else {
                  return resolveWithAlias(item.alias, stoppingCallback);
                }
              }
              return callback2();
            },
            callback
          );
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/AppendPlugin.js
var require_AppendPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/AppendPlugin.js"(exports2, module2) {
    "use strict";
    module2.exports = class AppendPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {string} appending appending
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, appending, target) {
        this.source = source;
        this.appending = appending;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync("AppendPlugin", (request, resolveContext, callback) => {
          const obj = {
            ...request,
            path: request.path + this.appending,
            relativePath: request.relativePath && request.relativePath + this.appending
          };
          resolver.doResolve(
            target,
            obj,
            this.appending,
            resolveContext,
            callback
          );
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ConditionalPlugin.js
var require_ConditionalPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ConditionalPlugin.js"(exports2, module2) {
    "use strict";
    module2.exports = class ConditionalPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {Partial} test compare object
       * @param {string | null} message log message
       * @param {boolean} allowAlternatives when false, do not continue with the current step when "test" matches
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, test, message, allowAlternatives, target) {
        this.source = source;
        this.test = test;
        this.message = message;
        this.allowAlternatives = allowAlternatives;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        const { test, message, allowAlternatives } = this;
        const keys2 = (
          /** @type {(keyof ResolveRequest)[]} */
          Object.keys(test)
        );
        resolver.getHook(this.source).tapAsync("ConditionalPlugin", (request, resolveContext, callback) => {
          for (const prop of keys2) {
            if (request[prop] !== test[prop]) return callback();
          }
          resolver.doResolve(
            target,
            request,
            message,
            resolveContext,
            allowAlternatives ? callback : (err, result) => {
              if (err) return callback(err);
              if (result === void 0) return callback(null, null);
              callback(null, result);
            }
          );
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/DescriptionFilePlugin.js
var require_DescriptionFilePlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/DescriptionFilePlugin.js"(exports2, module2) {
    "use strict";
    var DescriptionFileUtils = require_DescriptionFileUtils();
    module2.exports = class DescriptionFilePlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {string[]} filenames filenames
       * @param {boolean} pathIsFile pathIsFile
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, filenames, pathIsFile, target) {
        this.source = source;
        this.filenames = filenames;
        this.pathIsFile = pathIsFile;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync(
          "DescriptionFilePlugin",
          (request, resolveContext, callback) => {
            const path17 = request.path;
            if (!path17) return callback();
            const directory = this.pathIsFile ? DescriptionFileUtils.cdUp(path17) : path17;
            if (!directory) return callback();
            DescriptionFileUtils.loadDescriptionFile(
              resolver,
              directory,
              this.filenames,
              request.descriptionFilePath ? {
                path: request.descriptionFilePath,
                content: request.descriptionFileData,
                directory: (
                  /** @type {string} */
                  request.descriptionFileRoot
                )
              } : void 0,
              resolveContext,
              (err, result) => {
                if (err) return callback(err);
                if (!result) {
                  if (resolveContext.log)
                    resolveContext.log(
                      `No description file found in ${directory} or above`
                    );
                  return callback();
                }
                const relativePath = "." + path17.slice(result.directory.length).replace(/\\/g, "/");
                const obj = {
                  ...request,
                  descriptionFilePath: result.path,
                  descriptionFileData: result.content,
                  descriptionFileRoot: result.directory,
                  relativePath
                };
                resolver.doResolve(
                  target,
                  obj,
                  "using description file: " + result.path + " (relative path: " + relativePath + ")",
                  resolveContext,
                  (err2, result2) => {
                    if (err2) return callback(err2);
                    if (result2 === void 0) return callback(null, null);
                    callback(null, result2);
                  }
                );
              }
            );
          }
        );
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/DirectoryExistsPlugin.js
var require_DirectoryExistsPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/DirectoryExistsPlugin.js"(exports2, module2) {
    "use strict";
    module2.exports = class DirectoryExistsPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, target) {
        this.source = source;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync(
          "DirectoryExistsPlugin",
          (request, resolveContext, callback) => {
            const fs4 = resolver.fileSystem;
            const directory = request.path;
            if (!directory) return callback();
            fs4.stat(directory, (err, stat) => {
              if (err || !stat) {
                if (resolveContext.missingDependencies)
                  resolveContext.missingDependencies.add(directory);
                if (resolveContext.log)
                  resolveContext.log(directory + " doesn't exist");
                return callback();
              }
              if (!stat.isDirectory()) {
                if (resolveContext.missingDependencies)
                  resolveContext.missingDependencies.add(directory);
                if (resolveContext.log)
                  resolveContext.log(directory + " is not a directory");
                return callback();
              }
              if (resolveContext.fileDependencies)
                resolveContext.fileDependencies.add(directory);
              resolver.doResolve(
                target,
                request,
                `existing directory ${directory}`,
                resolveContext,
                callback
              );
            });
          }
        );
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/util/entrypoints.js
var require_entrypoints = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/util/entrypoints.js"(exports2, module2) {
    "use strict";
    var slashCode = "/".charCodeAt(0);
    var dotCode = ".".charCodeAt(0);
    var hashCode = "#".charCodeAt(0);
    var patternRegEx = /\*/g;
    module2.exports.processExportsField = function processExportsField(exportsField) {
      return createFieldProcessor(
        buildExportsField(exportsField),
        (request) => request.length === 0 ? "." : "./" + request,
        assertExportsFieldRequest,
        assertExportTarget
      );
    };
    module2.exports.processImportsField = function processImportsField(importsField) {
      return createFieldProcessor(
        buildImportsField(importsField),
        (request) => "#" + request,
        assertImportsFieldRequest,
        assertImportTarget
      );
    };
    function createFieldProcessor(field, normalizeRequest, assertRequest, assertTarget) {
      return function fieldProcessor(request, conditionNames) {
        request = assertRequest(request);
        const match = findMatch(normalizeRequest(request), field);
        if (match === null) return [];
        const [mapping, remainingRequest, isSubpathMapping, isPattern] = match;
        let direct = null;
        if (isConditionalMapping(mapping)) {
          direct = conditionalMapping(
            /** @type {ConditionalMapping} */
            mapping,
            conditionNames
          );
          if (direct === null) return [];
        } else {
          direct = /** @type {DirectMapping} */
          mapping;
        }
        return directMapping(
          remainingRequest,
          isPattern,
          isSubpathMapping,
          direct,
          conditionNames,
          assertTarget
        );
      };
    }
    function assertExportsFieldRequest(request) {
      if (request.charCodeAt(0) !== dotCode) {
        throw new Error('Request should be relative path and start with "."');
      }
      if (request.length === 1) return "";
      if (request.charCodeAt(1) !== slashCode) {
        throw new Error('Request should be relative path and start with "./"');
      }
      if (request.charCodeAt(request.length - 1) === slashCode) {
        throw new Error("Only requesting file allowed");
      }
      return request.slice(2);
    }
    function assertImportsFieldRequest(request) {
      if (request.charCodeAt(0) !== hashCode) {
        throw new Error('Request should start with "#"');
      }
      if (request.length === 1) {
        throw new Error("Request should have at least 2 characters");
      }
      if (request.charCodeAt(1) === slashCode) {
        throw new Error('Request should not start with "#/"');
      }
      if (request.charCodeAt(request.length - 1) === slashCode) {
        throw new Error("Only requesting file allowed");
      }
      return request.slice(1);
    }
    function assertExportTarget(exp, expectFolder) {
      if (exp.charCodeAt(0) === slashCode || exp.charCodeAt(0) === dotCode && exp.charCodeAt(1) !== slashCode) {
        throw new Error(
          `Export should be relative path and start with "./", got ${JSON.stringify(
            exp
          )}.`
        );
      }
      const isFolder = exp.charCodeAt(exp.length - 1) === slashCode;
      if (isFolder !== expectFolder) {
        throw new Error(
          expectFolder ? `Expecting folder to folder mapping. ${JSON.stringify(
            exp
          )} should end with "/"` : `Expecting file to file mapping. ${JSON.stringify(
            exp
          )} should not end with "/"`
        );
      }
    }
    function assertImportTarget(imp, expectFolder) {
      const isFolder = imp.charCodeAt(imp.length - 1) === slashCode;
      if (isFolder !== expectFolder) {
        throw new Error(
          expectFolder ? `Expecting folder to folder mapping. ${JSON.stringify(
            imp
          )} should end with "/"` : `Expecting file to file mapping. ${JSON.stringify(
            imp
          )} should not end with "/"`
        );
      }
    }
    function patternKeyCompare(a, b) {
      const aPatternIndex = a.indexOf("*");
      const bPatternIndex = b.indexOf("*");
      const baseLenA = aPatternIndex === -1 ? a.length : aPatternIndex + 1;
      const baseLenB = bPatternIndex === -1 ? b.length : bPatternIndex + 1;
      if (baseLenA > baseLenB) return -1;
      if (baseLenB > baseLenA) return 1;
      if (aPatternIndex === -1) return 1;
      if (bPatternIndex === -1) return -1;
      if (a.length > b.length) return -1;
      if (b.length > a.length) return 1;
      return 0;
    }
    function findMatch(request, field) {
      if (Object.prototype.hasOwnProperty.call(field, request) && !request.includes("*") && !request.endsWith("/")) {
        const target2 = (
          /** @type {{[k: string]: MappingValue}} */
          field[request]
        );
        return [target2, "", false, false];
      }
      let bestMatch = "";
      let bestMatchSubpath;
      const keys2 = Object.getOwnPropertyNames(field);
      for (let i = 0; i < keys2.length; i++) {
        const key = keys2[i];
        const patternIndex = key.indexOf("*");
        if (patternIndex !== -1 && request.startsWith(key.slice(0, patternIndex))) {
          const patternTrailer = key.slice(patternIndex + 1);
          if (request.length >= key.length && request.endsWith(patternTrailer) && patternKeyCompare(bestMatch, key) === 1 && key.lastIndexOf("*") === patternIndex) {
            bestMatch = key;
            bestMatchSubpath = request.slice(
              patternIndex,
              request.length - patternTrailer.length
            );
          }
        } else if (key[key.length - 1] === "/" && request.startsWith(key) && patternKeyCompare(bestMatch, key) === 1) {
          bestMatch = key;
          bestMatchSubpath = request.slice(key.length);
        }
      }
      if (bestMatch === "") return null;
      const target = (
        /** @type {{[k: string]: MappingValue}} */
        field[bestMatch]
      );
      const isSubpathMapping = bestMatch.endsWith("/");
      const isPattern = bestMatch.includes("*");
      return [
        target,
        /** @type {string} */
        bestMatchSubpath,
        isSubpathMapping,
        isPattern
      ];
    }
    function isConditionalMapping(mapping) {
      return mapping !== null && typeof mapping === "object" && !Array.isArray(mapping);
    }
    function directMapping(remainingRequest, isPattern, isSubpathMapping, mappingTarget, conditionNames, assert3) {
      if (mappingTarget === null) return [];
      if (typeof mappingTarget === "string") {
        return [
          targetMapping(
            remainingRequest,
            isPattern,
            isSubpathMapping,
            mappingTarget,
            assert3
          )
        ];
      }
      const targets = [];
      for (const exp of mappingTarget) {
        if (typeof exp === "string") {
          targets.push(
            targetMapping(
              remainingRequest,
              isPattern,
              isSubpathMapping,
              exp,
              assert3
            )
          );
          continue;
        }
        const mapping = conditionalMapping(exp, conditionNames);
        if (!mapping) continue;
        const innerExports = directMapping(
          remainingRequest,
          isPattern,
          isSubpathMapping,
          mapping,
          conditionNames,
          assert3
        );
        for (const innerExport of innerExports) {
          targets.push(innerExport);
        }
      }
      return targets;
    }
    function targetMapping(remainingRequest, isPattern, isSubpathMapping, mappingTarget, assert3) {
      if (remainingRequest === void 0) {
        assert3(mappingTarget, false);
        return mappingTarget;
      }
      if (isSubpathMapping) {
        assert3(mappingTarget, true);
        return mappingTarget + remainingRequest;
      }
      assert3(mappingTarget, false);
      let result = mappingTarget;
      if (isPattern) {
        result = result.replace(
          patternRegEx,
          remainingRequest.replace(/\$/g, "$$")
        );
      }
      return result;
    }
    function conditionalMapping(conditionalMapping_, conditionNames) {
      let lookup = [[conditionalMapping_, Object.keys(conditionalMapping_), 0]];
      loop: while (lookup.length > 0) {
        const [mapping, conditions, j] = lookup[lookup.length - 1];
        for (let i = j; i < conditions.length; i++) {
          const condition = conditions[i];
          if (condition === "default") {
            const innerMapping = mapping[condition];
            if (isConditionalMapping(innerMapping)) {
              const conditionalMapping2 = (
                /** @type {ConditionalMapping} */
                innerMapping
              );
              lookup[lookup.length - 1][2] = i + 1;
              lookup.push([conditionalMapping2, Object.keys(conditionalMapping2), 0]);
              continue loop;
            }
            return (
              /** @type {DirectMapping} */
              innerMapping
            );
          }
          if (conditionNames.has(condition)) {
            const innerMapping = mapping[condition];
            if (isConditionalMapping(innerMapping)) {
              const conditionalMapping2 = (
                /** @type {ConditionalMapping} */
                innerMapping
              );
              lookup[lookup.length - 1][2] = i + 1;
              lookup.push([conditionalMapping2, Object.keys(conditionalMapping2), 0]);
              continue loop;
            }
            return (
              /** @type {DirectMapping} */
              innerMapping
            );
          }
        }
        lookup.pop();
      }
      return null;
    }
    function buildExportsField(field) {
      if (typeof field === "string" || Array.isArray(field)) {
        return { ".": field };
      }
      const keys2 = Object.keys(field);
      for (let i = 0; i < keys2.length; i++) {
        const key = keys2[i];
        if (key.charCodeAt(0) !== dotCode) {
          if (i === 0) {
            while (i < keys2.length) {
              const charCode = keys2[i].charCodeAt(0);
              if (charCode === dotCode || charCode === slashCode) {
                throw new Error(
                  `Exports field key should be relative path and start with "." (key: ${JSON.stringify(
                    key
                  )})`
                );
              }
              i++;
            }
            return { ".": field };
          }
          throw new Error(
            `Exports field key should be relative path and start with "." (key: ${JSON.stringify(
              key
            )})`
          );
        }
        if (key.length === 1) {
          continue;
        }
        if (key.charCodeAt(1) !== slashCode) {
          throw new Error(
            `Exports field key should be relative path and start with "./" (key: ${JSON.stringify(
              key
            )})`
          );
        }
      }
      return field;
    }
    function buildImportsField(field) {
      const keys2 = Object.keys(field);
      for (let i = 0; i < keys2.length; i++) {
        const key = keys2[i];
        if (key.charCodeAt(0) !== hashCode) {
          throw new Error(
            `Imports field key should start with "#" (key: ${JSON.stringify(key)})`
          );
        }
        if (key.length === 1) {
          throw new Error(
            `Imports field key should have at least 2 characters (key: ${JSON.stringify(
              key
            )})`
          );
        }
        if (key.charCodeAt(1) === slashCode) {
          throw new Error(
            `Imports field key should not start with "#/" (key: ${JSON.stringify(
              key
            )})`
          );
        }
      }
      return field;
    }
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ExportsFieldPlugin.js
var require_ExportsFieldPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ExportsFieldPlugin.js"(exports2, module2) {
    "use strict";
    var DescriptionFileUtils = require_DescriptionFileUtils();
    var forEachBail = require_forEachBail();
    var { processExportsField } = require_entrypoints();
    var { parseIdentifier } = require_identifier();
    var { checkImportsExportsFieldTarget } = require_path2();
    module2.exports = class ExportsFieldPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {Set} conditionNames condition names
       * @param {string | string[]} fieldNamePath name path
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, conditionNames, fieldNamePath, target) {
        this.source = source;
        this.target = target;
        this.conditionNames = conditionNames;
        this.fieldName = fieldNamePath;
        this.fieldProcessorCache = /* @__PURE__ */ new WeakMap();
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync("ExportsFieldPlugin", (request, resolveContext, callback) => {
          if (!request.descriptionFilePath) return callback();
          if (
            // When the description file is inherited from parent, abort
            // (There is no description file inside of this package)
            request.relativePath !== "." || request.request === void 0
          )
            return callback();
          const remainingRequest = request.query || request.fragment ? (request.request === "." ? "./" : request.request) + request.query + request.fragment : request.request;
          const exportsField = (
            /** @type {ExportsField|null|undefined} */
            DescriptionFileUtils.getField(
              /** @type {JsonObject} */
              request.descriptionFileData,
              this.fieldName
            )
          );
          if (!exportsField) return callback();
          if (request.directory) {
            return callback(
              new Error(
                `Resolving to directories is not possible with the exports field (request was ${remainingRequest}/)`
              )
            );
          }
          let paths;
          try {
            let fieldProcessor = this.fieldProcessorCache.get(
              /** @type {JsonObject} */
              request.descriptionFileData
            );
            if (fieldProcessor === void 0) {
              fieldProcessor = processExportsField(exportsField);
              this.fieldProcessorCache.set(
                /** @type {JsonObject} */
                request.descriptionFileData,
                fieldProcessor
              );
            }
            paths = fieldProcessor(remainingRequest, this.conditionNames);
          } catch (err) {
            if (resolveContext.log) {
              resolveContext.log(
                `Exports field in ${request.descriptionFilePath} can't be processed: ${err}`
              );
            }
            return callback(
              /** @type {Error} */
              err
            );
          }
          if (paths.length === 0) {
            return callback(
              new Error(
                `Package path ${remainingRequest} is not exported from package ${request.descriptionFileRoot} (see exports field in ${request.descriptionFilePath})`
              )
            );
          }
          forEachBail(
            paths,
            /**
             * @param {string} p path
             * @param {(err?: null|Error, result?: null|ResolveRequest) => void} callback callback
             * @returns {void}
             */
            (p, callback2) => {
              const parsedIdentifier = parseIdentifier(p);
              if (!parsedIdentifier) return callback2();
              const [relativePath, query, fragment] = parsedIdentifier;
              const error = checkImportsExportsFieldTarget(relativePath);
              if (error) {
                return callback2(error);
              }
              const obj = {
                ...request,
                request: void 0,
                path: resolver.join(
                  /** @type {string} */
                  request.descriptionFileRoot,
                  relativePath
                ),
                relativePath,
                query,
                fragment
              };
              resolver.doResolve(
                target,
                obj,
                "using exports field: " + p,
                resolveContext,
                callback2
              );
            },
            /**
             * @param {null|Error} [err] error
             * @param {null|ResolveRequest} [result] result
             * @returns {void}
             */
            (err, result) => callback(err, result || null)
          );
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ExtensionAliasPlugin.js
var require_ExtensionAliasPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ExtensionAliasPlugin.js"(exports2, module2) {
    "use strict";
    var forEachBail = require_forEachBail();
    module2.exports = class ExtensionAliasPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {ExtensionAliasOption} options options
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, options, target) {
        this.source = source;
        this.options = options;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        const { extension, alias } = this.options;
        resolver.getHook(this.source).tapAsync("ExtensionAliasPlugin", (request, resolveContext, callback) => {
          const requestPath = request.request;
          if (!requestPath || !requestPath.endsWith(extension)) return callback();
          const isAliasString = typeof alias === "string";
          const resolve2 = (alias2, callback2, index) => {
            const newRequest = `${requestPath.slice(
              0,
              -extension.length
            )}${alias2}`;
            return resolver.doResolve(
              target,
              {
                ...request,
                request: newRequest,
                fullySpecified: true
              },
              `aliased from extension alias with mapping '${extension}' to '${alias2}'`,
              resolveContext,
              (err, result) => {
                if (!isAliasString && index) {
                  if (index !== this.options.alias.length) {
                    if (resolveContext.log) {
                      resolveContext.log(
                        `Failed to alias from extension alias with mapping '${extension}' to '${alias2}' for '${newRequest}': ${err}`
                      );
                    }
                    return callback2(null, result);
                  }
                  return callback2(err, result);
                } else {
                  callback2(err, result);
                }
              }
            );
          };
          const stoppingCallback = (err, result) => {
            if (err) return callback(err);
            if (result) return callback(null, result);
            return callback(null, null);
          };
          if (isAliasString) {
            resolve2(alias, stoppingCallback);
          } else if (alias.length > 1) {
            forEachBail(alias, resolve2, stoppingCallback);
          } else {
            resolve2(alias[0], stoppingCallback);
          }
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/FileExistsPlugin.js
var require_FileExistsPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/FileExistsPlugin.js"(exports2, module2) {
    "use strict";
    module2.exports = class FileExistsPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, target) {
        this.source = source;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        const fs4 = resolver.fileSystem;
        resolver.getHook(this.source).tapAsync("FileExistsPlugin", (request, resolveContext, callback) => {
          const file = request.path;
          if (!file) return callback();
          fs4.stat(file, (err, stat) => {
            if (err || !stat) {
              if (resolveContext.missingDependencies)
                resolveContext.missingDependencies.add(file);
              if (resolveContext.log) resolveContext.log(file + " doesn't exist");
              return callback();
            }
            if (!stat.isFile()) {
              if (resolveContext.missingDependencies)
                resolveContext.missingDependencies.add(file);
              if (resolveContext.log) resolveContext.log(file + " is not a file");
              return callback();
            }
            if (resolveContext.fileDependencies)
              resolveContext.fileDependencies.add(file);
            resolver.doResolve(
              target,
              request,
              "existing file: " + file,
              resolveContext,
              callback
            );
          });
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ImportsFieldPlugin.js
var require_ImportsFieldPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ImportsFieldPlugin.js"(exports2, module2) {
    "use strict";
    var DescriptionFileUtils = require_DescriptionFileUtils();
    var forEachBail = require_forEachBail();
    var { processImportsField } = require_entrypoints();
    var { parseIdentifier } = require_identifier();
    var { checkImportsExportsFieldTarget } = require_path2();
    var dotCode = ".".charCodeAt(0);
    module2.exports = class ImportsFieldPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {Set} conditionNames condition names
       * @param {string | string[]} fieldNamePath name path
       * @param {string | ResolveStepHook} targetFile target file
       * @param {string | ResolveStepHook} targetPackage target package
       */
      constructor(source, conditionNames, fieldNamePath, targetFile, targetPackage) {
        this.source = source;
        this.targetFile = targetFile;
        this.targetPackage = targetPackage;
        this.conditionNames = conditionNames;
        this.fieldName = fieldNamePath;
        this.fieldProcessorCache = /* @__PURE__ */ new WeakMap();
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const targetFile = resolver.ensureHook(this.targetFile);
        const targetPackage = resolver.ensureHook(this.targetPackage);
        resolver.getHook(this.source).tapAsync("ImportsFieldPlugin", (request, resolveContext, callback) => {
          if (!request.descriptionFilePath || request.request === void 0) {
            return callback();
          }
          const remainingRequest = request.request + request.query + request.fragment;
          const importsField = (
            /** @type {ImportsField|null|undefined} */
            DescriptionFileUtils.getField(
              /** @type {JsonObject} */
              request.descriptionFileData,
              this.fieldName
            )
          );
          if (!importsField) return callback();
          if (request.directory) {
            return callback(
              new Error(
                `Resolving to directories is not possible with the imports field (request was ${remainingRequest}/)`
              )
            );
          }
          let paths;
          try {
            let fieldProcessor = this.fieldProcessorCache.get(
              /** @type {JsonObject} */
              request.descriptionFileData
            );
            if (fieldProcessor === void 0) {
              fieldProcessor = processImportsField(importsField);
              this.fieldProcessorCache.set(
                /** @type {JsonObject} */
                request.descriptionFileData,
                fieldProcessor
              );
            }
            paths = fieldProcessor(remainingRequest, this.conditionNames);
          } catch (err) {
            if (resolveContext.log) {
              resolveContext.log(
                `Imports field in ${request.descriptionFilePath} can't be processed: ${err}`
              );
            }
            return callback(
              /** @type {Error} */
              err
            );
          }
          if (paths.length === 0) {
            return callback(
              new Error(
                `Package import ${remainingRequest} is not imported from package ${request.descriptionFileRoot} (see imports field in ${request.descriptionFilePath})`
              )
            );
          }
          forEachBail(
            paths,
            /**
             * @param {string} p path
             * @param {(err?: null|Error, result?: null|ResolveRequest) => void} callback callback
             * @returns {void}
             */
            (p, callback2) => {
              const parsedIdentifier = parseIdentifier(p);
              if (!parsedIdentifier) return callback2();
              const [path_, query, fragment] = parsedIdentifier;
              const error = checkImportsExportsFieldTarget(path_);
              if (error) {
                return callback2(error);
              }
              switch (path_.charCodeAt(0)) {
                case dotCode: {
                  const obj = {
                    ...request,
                    request: void 0,
                    path: resolver.join(
                      /** @type {string} */
                      request.descriptionFileRoot,
                      path_
                    ),
                    relativePath: path_,
                    query,
                    fragment
                  };
                  resolver.doResolve(
                    targetFile,
                    obj,
                    "using imports field: " + p,
                    resolveContext,
                    callback2
                  );
                  break;
                }
                default: {
                  const obj = {
                    ...request,
                    request: path_,
                    relativePath: path_,
                    fullySpecified: true,
                    query,
                    fragment
                  };
                  resolver.doResolve(
                    targetPackage,
                    obj,
                    "using imports field: " + p,
                    resolveContext,
                    callback2
                  );
                }
              }
            },
            /**
             * @param {null|Error} [err] error
             * @param {null|ResolveRequest} [result] result
             * @returns {void}
             */
            (err, result) => callback(err, result || null)
          );
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/JoinRequestPartPlugin.js
var require_JoinRequestPartPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/JoinRequestPartPlugin.js"(exports2, module2) {
    "use strict";
    var namespaceStartCharCode = "@".charCodeAt(0);
    module2.exports = class JoinRequestPartPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, target) {
        this.source = source;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync(
          "JoinRequestPartPlugin",
          (request, resolveContext, callback) => {
            const req = request.request || "";
            let i = req.indexOf("/", 3);
            if (i >= 0 && req.charCodeAt(2) === namespaceStartCharCode) {
              i = req.indexOf("/", i + 1);
            }
            let moduleName;
            let remainingRequest;
            let fullySpecified;
            if (i < 0) {
              moduleName = req;
              remainingRequest = ".";
              fullySpecified = false;
            } else {
              moduleName = req.slice(0, i);
              remainingRequest = "." + req.slice(i);
              fullySpecified = /** @type {boolean} */
              request.fullySpecified;
            }
            const obj = {
              ...request,
              path: resolver.join(
                /** @type {string} */
                request.path,
                moduleName
              ),
              relativePath: request.relativePath && resolver.join(request.relativePath, moduleName),
              request: remainingRequest,
              fullySpecified
            };
            resolver.doResolve(target, obj, null, resolveContext, callback);
          }
        );
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/JoinRequestPlugin.js
var require_JoinRequestPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/JoinRequestPlugin.js"(exports2, module2) {
    "use strict";
    module2.exports = class JoinRequestPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, target) {
        this.source = source;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync("JoinRequestPlugin", (request, resolveContext, callback) => {
          const requestPath = (
            /** @type {string} */
            request.path
          );
          const requestRequest = (
            /** @type {string} */
            request.request
          );
          const obj = {
            ...request,
            path: resolver.join(requestPath, requestRequest),
            relativePath: request.relativePath && resolver.join(request.relativePath, requestRequest),
            request: void 0
          };
          resolver.doResolve(target, obj, null, resolveContext, callback);
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/MainFieldPlugin.js
var require_MainFieldPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/MainFieldPlugin.js"(exports2, module2) {
    "use strict";
    var path17 = require("path");
    var DescriptionFileUtils = require_DescriptionFileUtils();
    var alreadyTriedMainField = Symbol("alreadyTriedMainField");
    module2.exports = class MainFieldPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {MainFieldOptions} options options
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, options, target) {
        this.source = source;
        this.options = options;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync("MainFieldPlugin", (request, resolveContext, callback) => {
          if (request.path !== request.descriptionFileRoot || /** @type {ResolveRequest & { [alreadyTriedMainField]?: string }} */
          request[alreadyTriedMainField] === request.descriptionFilePath || !request.descriptionFilePath)
            return callback();
          const filename = path17.basename(request.descriptionFilePath);
          let mainModule = (
            /** @type {string|null|undefined} */
            DescriptionFileUtils.getField(
              /** @type {JsonObject} */
              request.descriptionFileData,
              this.options.name
            )
          );
          if (!mainModule || typeof mainModule !== "string" || mainModule === "." || mainModule === "./") {
            return callback();
          }
          if (this.options.forceRelative && !/^\.\.?\//.test(mainModule))
            mainModule = "./" + mainModule;
          const obj = {
            ...request,
            request: mainModule,
            module: false,
            directory: mainModule.endsWith("/"),
            [alreadyTriedMainField]: request.descriptionFilePath
          };
          return resolver.doResolve(
            target,
            obj,
            "use " + mainModule + " from " + this.options.name + " in " + filename,
            resolveContext,
            callback
          );
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/getPaths.js
var require_getPaths = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/getPaths.js"(exports2, module2) {
    "use strict";
    module2.exports = function getPaths(path17) {
      if (path17 === "/") return { paths: ["/"], segments: [""] };
      const parts = path17.split(/(.*?[\\/]+)/);
      const paths = [path17];
      const segments = [parts[parts.length - 1]];
      let part = parts[parts.length - 1];
      path17 = path17.substring(0, path17.length - part.length - 1);
      for (let i = parts.length - 2; i > 2; i -= 2) {
        paths.push(path17);
        part = parts[i];
        path17 = path17.substring(0, path17.length - part.length) || "/";
        segments.push(part.slice(0, -1));
      }
      part = parts[1];
      segments.push(part);
      paths.push(part);
      return {
        paths,
        segments
      };
    };
    module2.exports.basename = function basename(path17) {
      const i = path17.lastIndexOf("/"), j = path17.lastIndexOf("\\");
      const p = i < 0 ? j : j < 0 ? i : i < j ? j : i;
      if (p < 0) return null;
      const s = path17.slice(p + 1);
      return s;
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ModulesInHierarchicalDirectoriesPlugin.js
var require_ModulesInHierarchicalDirectoriesPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ModulesInHierarchicalDirectoriesPlugin.js"(exports2, module2) {
    "use strict";
    var forEachBail = require_forEachBail();
    var getPaths = require_getPaths();
    module2.exports = class ModulesInHierarchicalDirectoriesPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {string | Array} directories directories
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, directories, target) {
        this.source = source;
        this.directories = /** @type {Array} */
        [].concat(directories);
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync(
          "ModulesInHierarchicalDirectoriesPlugin",
          (request, resolveContext, callback) => {
            const fs4 = resolver.fileSystem;
            const addrs = getPaths(
              /** @type {string} */
              request.path
            ).paths.map((p) => {
              return this.directories.map((d) => resolver.join(p, d));
            }).reduce((array, p) => {
              array.push.apply(array, p);
              return array;
            }, []);
            forEachBail(
              addrs,
              /**
               * @param {string} addr addr
               * @param {(err?: null|Error, result?: null|ResolveRequest) => void} callback callback
               * @returns {void}
               */
              (addr, callback2) => {
                fs4.stat(addr, (err, stat) => {
                  if (!err && stat && stat.isDirectory()) {
                    const obj = {
                      ...request,
                      path: addr,
                      request: "./" + request.request,
                      module: false
                    };
                    const message = "looking for modules in " + addr;
                    return resolver.doResolve(
                      target,
                      obj,
                      message,
                      resolveContext,
                      callback2
                    );
                  }
                  if (resolveContext.log)
                    resolveContext.log(
                      addr + " doesn't exist or is not a directory"
                    );
                  if (resolveContext.missingDependencies)
                    resolveContext.missingDependencies.add(addr);
                  return callback2();
                });
              },
              callback
            );
          }
        );
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ModulesInRootPlugin.js
var require_ModulesInRootPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ModulesInRootPlugin.js"(exports2, module2) {
    "use strict";
    module2.exports = class ModulesInRootPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {string} path path
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, path17, target) {
        this.source = source;
        this.path = path17;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync("ModulesInRootPlugin", (request, resolveContext, callback) => {
          const obj = {
            ...request,
            path: this.path,
            request: "./" + request.request,
            module: false
          };
          resolver.doResolve(
            target,
            obj,
            "looking for modules in " + this.path,
            resolveContext,
            callback
          );
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/NextPlugin.js
var require_NextPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/NextPlugin.js"(exports2, module2) {
    "use strict";
    module2.exports = class NextPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, target) {
        this.source = source;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync("NextPlugin", (request, resolveContext, callback) => {
          resolver.doResolve(target, request, null, resolveContext, callback);
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ParsePlugin.js
var require_ParsePlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ParsePlugin.js"(exports2, module2) {
    "use strict";
    module2.exports = class ParsePlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {Partial} requestOptions request options
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, requestOptions, target) {
        this.source = source;
        this.requestOptions = requestOptions;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync("ParsePlugin", (request, resolveContext, callback) => {
          const parsed = resolver.parse(
            /** @type {string} */
            request.request
          );
          const obj = { ...request, ...parsed, ...this.requestOptions };
          if (request.query && !parsed.query) {
            obj.query = request.query;
          }
          if (request.fragment && !parsed.fragment) {
            obj.fragment = request.fragment;
          }
          if (parsed && resolveContext.log) {
            if (parsed.module) resolveContext.log("Parsed request is a module");
            if (parsed.directory)
              resolveContext.log("Parsed request is a directory");
          }
          if (obj.request && !obj.query && obj.fragment) {
            const directory = obj.fragment.endsWith("/");
            const alternative = {
              ...obj,
              directory,
              request: obj.request + (obj.directory ? "/" : "") + (directory ? obj.fragment.slice(0, -1) : obj.fragment),
              fragment: ""
            };
            resolver.doResolve(
              target,
              alternative,
              null,
              resolveContext,
              (err, result) => {
                if (err) return callback(err);
                if (result) return callback(null, result);
                resolver.doResolve(target, obj, null, resolveContext, callback);
              }
            );
            return;
          }
          resolver.doResolve(target, obj, null, resolveContext, callback);
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/PnpPlugin.js
var require_PnpPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/PnpPlugin.js"(exports2, module2) {
    "use strict";
    module2.exports = class PnpPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {PnpApiImpl} pnpApi pnpApi
       * @param {string | ResolveStepHook} target target
       * @param {string | ResolveStepHook} alternateTarget alternateTarget
       */
      constructor(source, pnpApi, target, alternateTarget) {
        this.source = source;
        this.pnpApi = pnpApi;
        this.target = target;
        this.alternateTarget = alternateTarget;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        const alternateTarget = resolver.ensureHook(this.alternateTarget);
        resolver.getHook(this.source).tapAsync("PnpPlugin", (request, resolveContext, callback) => {
          const req = request.request;
          if (!req) return callback();
          const issuer = `${request.path}/`;
          const packageMatch = /^(@[^/]+\/)?[^/]+/.exec(req);
          if (!packageMatch) return callback();
          const packageName = packageMatch[0];
          const innerRequest = `.${req.slice(packageName.length)}`;
          let resolution;
          let apiResolution;
          try {
            resolution = this.pnpApi.resolveToUnqualified(packageName, issuer, {
              considerBuiltins: false
            });
            if (resolution === null) {
              resolver.doResolve(
                alternateTarget,
                request,
                "issuer is not managed by a pnpapi",
                resolveContext,
                (err, result) => {
                  if (err) return callback(err);
                  if (result) return callback(null, result);
                  return callback(null, null);
                }
              );
              return;
            }
            if (resolveContext.fileDependencies) {
              apiResolution = this.pnpApi.resolveToUnqualified("pnpapi", issuer, {
                considerBuiltins: false
              });
            }
          } catch (error) {
            if (
              /** @type {Error & { code: string }} */
              error.code === "MODULE_NOT_FOUND" && /** @type {Error & { pnpCode: string }} */
              error.pnpCode === "UNDECLARED_DEPENDENCY"
            ) {
              if (resolveContext.log) {
                resolveContext.log(`request is not managed by the pnpapi`);
                for (
                  const line of
                  /** @type {Error} */
                  error.message.split("\n").filter(Boolean)
                )
                  resolveContext.log(`  ${line}`);
              }
              return callback();
            }
            return callback(
              /** @type {Error} */
              error
            );
          }
          if (resolution === packageName) return callback();
          if (apiResolution && resolveContext.fileDependencies) {
            resolveContext.fileDependencies.add(apiResolution);
          }
          const obj = {
            ...request,
            path: resolution,
            request: innerRequest,
            ignoreSymlinks: true,
            fullySpecified: request.fullySpecified && innerRequest !== "."
          };
          resolver.doResolve(
            target,
            obj,
            `resolved by pnp to ${resolution}`,
            resolveContext,
            (err, result) => {
              if (err) return callback(err);
              if (result) return callback(null, result);
              return callback(null, null);
            }
          );
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/RestrictionsPlugin.js
var require_RestrictionsPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/RestrictionsPlugin.js"(exports2, module2) {
    "use strict";
    var slashCode = "/".charCodeAt(0);
    var backslashCode = "\\".charCodeAt(0);
    var isInside = (path17, parent) => {
      if (!path17.startsWith(parent)) return false;
      if (path17.length === parent.length) return true;
      const charCode = path17.charCodeAt(parent.length);
      return charCode === slashCode || charCode === backslashCode;
    };
    module2.exports = class RestrictionsPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {Set} restrictions restrictions
       */
      constructor(source, restrictions) {
        this.source = source;
        this.restrictions = restrictions;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        resolver.getHook(this.source).tapAsync("RestrictionsPlugin", (request, resolveContext, callback) => {
          if (typeof request.path === "string") {
            const path17 = request.path;
            for (const rule of this.restrictions) {
              if (typeof rule === "string") {
                if (!isInside(path17, rule)) {
                  if (resolveContext.log) {
                    resolveContext.log(
                      `${path17} is not inside of the restriction ${rule}`
                    );
                  }
                  return callback(null, null);
                }
              } else if (!rule.test(path17)) {
                if (resolveContext.log) {
                  resolveContext.log(
                    `${path17} doesn't match the restriction ${rule}`
                  );
                }
                return callback(null, null);
              }
            }
          }
          callback();
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ResultPlugin.js
var require_ResultPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ResultPlugin.js"(exports2, module2) {
    "use strict";
    module2.exports = class ResultPlugin {
      /**
       * @param {ResolveStepHook} source source
       */
      constructor(source) {
        this.source = source;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        this.source.tapAsync(
          "ResultPlugin",
          (request, resolverContext, callback) => {
            const obj = { ...request };
            if (resolverContext.log)
              resolverContext.log("reporting result " + obj.path);
            resolver.hooks.result.callAsync(obj, resolverContext, (err) => {
              if (err) return callback(err);
              if (typeof resolverContext.yield === "function") {
                resolverContext.yield(obj);
                callback(null, null);
              } else {
                callback(null, obj);
              }
            });
          }
        );
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/RootsPlugin.js
var require_RootsPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/RootsPlugin.js"(exports2, module2) {
    "use strict";
    var forEachBail = require_forEachBail();
    var RootsPlugin = class {
      /**
       * @param {string | ResolveStepHook} source source hook
       * @param {Set} roots roots
       * @param {string | ResolveStepHook} target target hook
       */
      constructor(source, roots, target) {
        this.roots = Array.from(roots);
        this.source = source;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync("RootsPlugin", (request, resolveContext, callback) => {
          const req = request.request;
          if (!req) return callback();
          if (!req.startsWith("/")) return callback();
          forEachBail(
            this.roots,
            /**
             * @param {string} root root
             * @param {(err?: null|Error, result?: null|ResolveRequest) => void} callback callback
             * @returns {void}
             */
            (root2, callback2) => {
              const path17 = resolver.join(root2, req.slice(1));
              const obj = {
                ...request,
                path: path17,
                relativePath: request.relativePath && path17
              };
              resolver.doResolve(
                target,
                obj,
                `root path ${root2}`,
                resolveContext,
                callback2
              );
            },
            callback
          );
        });
      }
    };
    module2.exports = RootsPlugin;
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/SelfReferencePlugin.js
var require_SelfReferencePlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/SelfReferencePlugin.js"(exports2, module2) {
    "use strict";
    var DescriptionFileUtils = require_DescriptionFileUtils();
    var slashCode = "/".charCodeAt(0);
    module2.exports = class SelfReferencePlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {string | string[]} fieldNamePath name path
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, fieldNamePath, target) {
        this.source = source;
        this.target = target;
        this.fieldName = fieldNamePath;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync("SelfReferencePlugin", (request, resolveContext, callback) => {
          if (!request.descriptionFilePath) return callback();
          const req = request.request;
          if (!req) return callback();
          const exportsField = DescriptionFileUtils.getField(
            /** @type {JsonObject} */
            request.descriptionFileData,
            this.fieldName
          );
          if (!exportsField) return callback();
          const name = DescriptionFileUtils.getField(
            /** @type {JsonObject} */
            request.descriptionFileData,
            "name"
          );
          if (typeof name !== "string") return callback();
          if (req.startsWith(name) && (req.length === name.length || req.charCodeAt(name.length) === slashCode)) {
            const remainingRequest = `.${req.slice(name.length)}`;
            const obj = {
              ...request,
              request: remainingRequest,
              path: (
                /** @type {string} */
                request.descriptionFileRoot
              ),
              relativePath: "."
            };
            resolver.doResolve(
              target,
              obj,
              "self reference",
              resolveContext,
              callback
            );
          } else {
            return callback();
          }
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/SymlinkPlugin.js
var require_SymlinkPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/SymlinkPlugin.js"(exports2, module2) {
    "use strict";
    var forEachBail = require_forEachBail();
    var getPaths = require_getPaths();
    var { getType, PathType } = require_path2();
    module2.exports = class SymlinkPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, target) {
        this.source = source;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        const fs4 = resolver.fileSystem;
        resolver.getHook(this.source).tapAsync("SymlinkPlugin", (request, resolveContext, callback) => {
          if (request.ignoreSymlinks) return callback();
          const pathsResult = getPaths(
            /** @type {string} */
            request.path
          );
          const pathSegments = pathsResult.segments;
          const paths = pathsResult.paths;
          let containsSymlink = false;
          let idx = -1;
          forEachBail(
            paths,
            /**
             * @param {string} path path
             * @param {(err?: null|Error, result?: null|number) => void} callback callback
             * @returns {void}
             */
            (path17, callback2) => {
              idx++;
              if (resolveContext.fileDependencies)
                resolveContext.fileDependencies.add(path17);
              fs4.readlink(path17, (err, result) => {
                if (!err && result) {
                  pathSegments[idx] = /** @type {string} */
                  result;
                  containsSymlink = true;
                  const resultType = getType(result.toString());
                  if (resultType === PathType.AbsoluteWin || resultType === PathType.AbsolutePosix) {
                    return callback2(null, idx);
                  }
                }
                callback2();
              });
            },
            /**
             * @param {null|Error} [err] error
             * @param {null|number} [idx] result
             * @returns {void}
             */
            (err, idx2) => {
              if (!containsSymlink) return callback();
              const resultSegments = typeof idx2 === "number" ? pathSegments.slice(0, idx2 + 1) : pathSegments.slice();
              const result = resultSegments.reduceRight((a, b) => {
                return resolver.join(a, b);
              });
              const obj = {
                ...request,
                path: result
              };
              resolver.doResolve(
                target,
                obj,
                "resolved symlink to " + result,
                resolveContext,
                callback
              );
            }
          );
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/TryNextPlugin.js
var require_TryNextPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/TryNextPlugin.js"(exports2, module2) {
    "use strict";
    module2.exports = class TryNextPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {string} message message
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, message, target) {
        this.source = source;
        this.message = message;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync("TryNextPlugin", (request, resolveContext, callback) => {
          resolver.doResolve(
            target,
            request,
            this.message,
            resolveContext,
            callback
          );
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/UnsafeCachePlugin.js
var require_UnsafeCachePlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/UnsafeCachePlugin.js"(exports2, module2) {
    "use strict";
    function getCacheId(type, request, withContext) {
      return JSON.stringify({
        type,
        context: withContext ? request.context : "",
        path: request.path,
        query: request.query,
        fragment: request.fragment,
        request: request.request
      });
    }
    module2.exports = class UnsafeCachePlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {function(ResolveRequest): boolean} filterPredicate filterPredicate
       * @param {Cache} cache cache
       * @param {boolean} withContext withContext
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, filterPredicate, cache, withContext, target) {
        this.source = source;
        this.filterPredicate = filterPredicate;
        this.withContext = withContext;
        this.cache = cache;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync("UnsafeCachePlugin", (request, resolveContext, callback) => {
          if (!this.filterPredicate(request)) return callback();
          const isYield = typeof resolveContext.yield === "function";
          const cacheId = getCacheId(
            isYield ? "yield" : "default",
            request,
            this.withContext
          );
          const cacheEntry = this.cache[cacheId];
          if (cacheEntry) {
            if (isYield) {
              const yield_2 = (
                /** @type {Function} */
                resolveContext.yield
              );
              if (Array.isArray(cacheEntry)) {
                for (const result of cacheEntry) yield_2(result);
              } else {
                yield_2(cacheEntry);
              }
              return callback(null, null);
            }
            return callback(
              null,
              /** @type {ResolveRequest} */
              cacheEntry
            );
          }
          let yieldFn;
          let yield_;
          const yieldResult = [];
          if (isYield) {
            yieldFn = resolveContext.yield;
            yield_ = (result) => {
              yieldResult.push(result);
            };
          }
          resolver.doResolve(
            target,
            request,
            null,
            yield_ ? { ...resolveContext, yield: yield_ } : resolveContext,
            (err, result) => {
              if (err) return callback(err);
              if (isYield) {
                if (result) yieldResult.push(result);
                for (const result2 of yieldResult) {
                  yieldFn(result2);
                }
                this.cache[cacheId] = yieldResult;
                return callback(null, null);
              }
              if (result) return callback(null, this.cache[cacheId] = result);
              callback();
            }
          );
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/UseFilePlugin.js
var require_UseFilePlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/UseFilePlugin.js"(exports2, module2) {
    "use strict";
    module2.exports = class UseFilePlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {string} filename filename
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, filename, target) {
        this.source = source;
        this.filename = filename;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync("UseFilePlugin", (request, resolveContext, callback) => {
          const filePath = resolver.join(
            /** @type {string} */
            request.path,
            this.filename
          );
          const obj = {
            ...request,
            path: filePath,
            relativePath: request.relativePath && resolver.join(request.relativePath, this.filename)
          };
          resolver.doResolve(
            target,
            obj,
            "using path: " + filePath,
            resolveContext,
            callback
          );
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ResolverFactory.js
var require_ResolverFactory = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/ResolverFactory.js"(exports2) {
    "use strict";
    var versions = require("process").versions;
    var Resolver = require_Resolver();
    var { getType, PathType } = require_path2();
    var SyncAsyncFileSystemDecorator = require_SyncAsyncFileSystemDecorator();
    var AliasFieldPlugin = require_AliasFieldPlugin();
    var AliasPlugin = require_AliasPlugin();
    var AppendPlugin = require_AppendPlugin();
    var ConditionalPlugin = require_ConditionalPlugin();
    var DescriptionFilePlugin = require_DescriptionFilePlugin();
    var DirectoryExistsPlugin = require_DirectoryExistsPlugin();
    var ExportsFieldPlugin = require_ExportsFieldPlugin();
    var ExtensionAliasPlugin = require_ExtensionAliasPlugin();
    var FileExistsPlugin = require_FileExistsPlugin();
    var ImportsFieldPlugin = require_ImportsFieldPlugin();
    var JoinRequestPartPlugin = require_JoinRequestPartPlugin();
    var JoinRequestPlugin = require_JoinRequestPlugin();
    var MainFieldPlugin = require_MainFieldPlugin();
    var ModulesInHierarchicalDirectoriesPlugin = require_ModulesInHierarchicalDirectoriesPlugin();
    var ModulesInRootPlugin = require_ModulesInRootPlugin();
    var NextPlugin = require_NextPlugin();
    var ParsePlugin = require_ParsePlugin();
    var PnpPlugin = require_PnpPlugin();
    var RestrictionsPlugin = require_RestrictionsPlugin();
    var ResultPlugin = require_ResultPlugin();
    var RootsPlugin = require_RootsPlugin();
    var SelfReferencePlugin = require_SelfReferencePlugin();
    var SymlinkPlugin = require_SymlinkPlugin();
    var TryNextPlugin = require_TryNextPlugin();
    var UnsafeCachePlugin = require_UnsafeCachePlugin();
    var UseFilePlugin = require_UseFilePlugin();
    function processPnpApiOption(option) {
      if (option === void 0 && /** @type {NodeJS.ProcessVersions & {pnp: string}} */
      versions.pnp) {
        const _findPnpApi = (
          /** @type {function(string): PnpApi | null}} */
          // @ts-ignore
          require("module").findPnpApi
        );
        if (_findPnpApi) {
          return {
            resolveToUnqualified(request, issuer, opts) {
              const pnpapi = _findPnpApi(issuer);
              if (!pnpapi) {
                return null;
              }
              return pnpapi.resolveToUnqualified(request, issuer, opts);
            }
          };
        }
      }
      return option || null;
    }
    function normalizeAlias(alias) {
      return typeof alias === "object" && !Array.isArray(alias) && alias !== null ? Object.keys(alias).map((key) => {
        const obj = { name: key, onlyModule: false, alias: alias[key] };
        if (/\$$/.test(key)) {
          obj.onlyModule = true;
          obj.name = key.slice(0, -1);
        }
        return obj;
      }) : (
        /** @type {Array} */
        alias || []
      );
    }
    function createOptions(options) {
      const mainFieldsSet = new Set(options.mainFields || ["main"]);
      const mainFields = [];
      for (const item of mainFieldsSet) {
        if (typeof item === "string") {
          mainFields.push({
            name: [item],
            forceRelative: true
          });
        } else if (Array.isArray(item)) {
          mainFields.push({
            name: item,
            forceRelative: true
          });
        } else {
          mainFields.push({
            name: Array.isArray(item.name) ? item.name : [item.name],
            forceRelative: item.forceRelative
          });
        }
      }
      return {
        alias: normalizeAlias(options.alias),
        fallback: normalizeAlias(options.fallback),
        aliasFields: new Set(options.aliasFields),
        cachePredicate: options.cachePredicate || function() {
          return true;
        },
        cacheWithContext: typeof options.cacheWithContext !== "undefined" ? options.cacheWithContext : true,
        exportsFields: new Set(options.exportsFields || ["exports"]),
        importsFields: new Set(options.importsFields || ["imports"]),
        conditionNames: new Set(options.conditionNames),
        descriptionFiles: Array.from(
          new Set(options.descriptionFiles || ["package.json"])
        ),
        enforceExtension: options.enforceExtension === void 0 ? options.extensions && options.extensions.includes("") ? true : false : options.enforceExtension,
        extensions: new Set(options.extensions || [".js", ".json", ".node"]),
        extensionAlias: options.extensionAlias ? Object.keys(options.extensionAlias).map((k) => ({
          extension: k,
          alias: (
            /** @type {ExtensionAliasOptions} */
            options.extensionAlias[k]
          )
        })) : [],
        fileSystem: options.useSyncFileSystemCalls ? new SyncAsyncFileSystemDecorator(
          /** @type {SyncFileSystem} */
          /** @type {unknown} */
          options.fileSystem
        ) : options.fileSystem,
        unsafeCache: options.unsafeCache && typeof options.unsafeCache !== "object" ? {} : options.unsafeCache || false,
        symlinks: typeof options.symlinks !== "undefined" ? options.symlinks : true,
        resolver: options.resolver,
        modules: mergeFilteredToArray(
          Array.isArray(options.modules) ? options.modules : options.modules ? [options.modules] : ["node_modules"],
          (item) => {
            const type = getType(item);
            return type === PathType.Normal || type === PathType.Relative;
          }
        ),
        mainFields,
        mainFiles: new Set(options.mainFiles || ["index"]),
        plugins: options.plugins || [],
        pnpApi: processPnpApiOption(options.pnpApi),
        roots: new Set(options.roots || void 0),
        fullySpecified: options.fullySpecified || false,
        resolveToContext: options.resolveToContext || false,
        preferRelative: options.preferRelative || false,
        preferAbsolute: options.preferAbsolute || false,
        restrictions: new Set(options.restrictions)
      };
    }
    exports2.createResolver = function(options) {
      const normalizedOptions = createOptions(options);
      const {
        alias,
        fallback,
        aliasFields,
        cachePredicate,
        cacheWithContext,
        conditionNames,
        descriptionFiles,
        enforceExtension,
        exportsFields,
        extensionAlias,
        importsFields,
        extensions,
        fileSystem,
        fullySpecified,
        mainFields,
        mainFiles,
        modules,
        plugins: userPlugins,
        pnpApi,
        resolveToContext,
        preferRelative,
        preferAbsolute,
        symlinks,
        unsafeCache,
        resolver: customResolver,
        restrictions,
        roots
      } = normalizedOptions;
      const plugins = userPlugins.slice();
      const resolver = customResolver ? customResolver : new Resolver(fileSystem, normalizedOptions);
      resolver.ensureHook("resolve");
      resolver.ensureHook("internalResolve");
      resolver.ensureHook("newInternalResolve");
      resolver.ensureHook("parsedResolve");
      resolver.ensureHook("describedResolve");
      resolver.ensureHook("rawResolve");
      resolver.ensureHook("normalResolve");
      resolver.ensureHook("internal");
      resolver.ensureHook("rawModule");
      resolver.ensureHook("alternateRawModule");
      resolver.ensureHook("module");
      resolver.ensureHook("resolveAsModule");
      resolver.ensureHook("undescribedResolveInPackage");
      resolver.ensureHook("resolveInPackage");
      resolver.ensureHook("resolveInExistingDirectory");
      resolver.ensureHook("relative");
      resolver.ensureHook("describedRelative");
      resolver.ensureHook("directory");
      resolver.ensureHook("undescribedExistingDirectory");
      resolver.ensureHook("existingDirectory");
      resolver.ensureHook("undescribedRawFile");
      resolver.ensureHook("rawFile");
      resolver.ensureHook("file");
      resolver.ensureHook("finalFile");
      resolver.ensureHook("existingFile");
      resolver.ensureHook("resolved");
      resolver.hooks.newInteralResolve = resolver.hooks.newInternalResolve;
      for (const { source, resolveOptions } of [
        { source: "resolve", resolveOptions: { fullySpecified } },
        { source: "internal-resolve", resolveOptions: { fullySpecified: false } }
      ]) {
        if (unsafeCache) {
          plugins.push(
            new UnsafeCachePlugin(
              source,
              cachePredicate,
              /** @type {import("./UnsafeCachePlugin").Cache} */
              unsafeCache,
              cacheWithContext,
              `new-${source}`
            )
          );
          plugins.push(
            new ParsePlugin(`new-${source}`, resolveOptions, "parsed-resolve")
          );
        } else {
          plugins.push(new ParsePlugin(source, resolveOptions, "parsed-resolve"));
        }
      }
      plugins.push(
        new DescriptionFilePlugin(
          "parsed-resolve",
          descriptionFiles,
          false,
          "described-resolve"
        )
      );
      plugins.push(new NextPlugin("after-parsed-resolve", "described-resolve"));
      plugins.push(new NextPlugin("described-resolve", "raw-resolve"));
      if (fallback.length > 0) {
        plugins.push(
          new AliasPlugin("described-resolve", fallback, "internal-resolve")
        );
      }
      if (alias.length > 0) {
        plugins.push(new AliasPlugin("raw-resolve", alias, "internal-resolve"));
      }
      aliasFields.forEach((item) => {
        plugins.push(new AliasFieldPlugin("raw-resolve", item, "internal-resolve"));
      });
      extensionAlias.forEach(
        (item) => plugins.push(
          new ExtensionAliasPlugin("raw-resolve", item, "normal-resolve")
        )
      );
      plugins.push(new NextPlugin("raw-resolve", "normal-resolve"));
      if (preferRelative) {
        plugins.push(new JoinRequestPlugin("after-normal-resolve", "relative"));
      }
      plugins.push(
        new ConditionalPlugin(
          "after-normal-resolve",
          { module: true },
          "resolve as module",
          false,
          "raw-module"
        )
      );
      plugins.push(
        new ConditionalPlugin(
          "after-normal-resolve",
          { internal: true },
          "resolve as internal import",
          false,
          "internal"
        )
      );
      if (preferAbsolute) {
        plugins.push(new JoinRequestPlugin("after-normal-resolve", "relative"));
      }
      if (roots.size > 0) {
        plugins.push(new RootsPlugin("after-normal-resolve", roots, "relative"));
      }
      if (!preferRelative && !preferAbsolute) {
        plugins.push(new JoinRequestPlugin("after-normal-resolve", "relative"));
      }
      importsFields.forEach((importsField) => {
        plugins.push(
          new ImportsFieldPlugin(
            "internal",
            conditionNames,
            importsField,
            "relative",
            "internal-resolve"
          )
        );
      });
      exportsFields.forEach((exportsField) => {
        plugins.push(
          new SelfReferencePlugin("raw-module", exportsField, "resolve-as-module")
        );
      });
      modules.forEach((item) => {
        if (Array.isArray(item)) {
          if (item.includes("node_modules") && pnpApi) {
            plugins.push(
              new ModulesInHierarchicalDirectoriesPlugin(
                "raw-module",
                item.filter((i) => i !== "node_modules"),
                "module"
              )
            );
            plugins.push(
              new PnpPlugin(
                "raw-module",
                pnpApi,
                "undescribed-resolve-in-package",
                "alternate-raw-module"
              )
            );
            plugins.push(
              new ModulesInHierarchicalDirectoriesPlugin(
                "alternate-raw-module",
                ["node_modules"],
                "module"
              )
            );
          } else {
            plugins.push(
              new ModulesInHierarchicalDirectoriesPlugin(
                "raw-module",
                item,
                "module"
              )
            );
          }
        } else {
          plugins.push(new ModulesInRootPlugin("raw-module", item, "module"));
        }
      });
      plugins.push(new JoinRequestPartPlugin("module", "resolve-as-module"));
      if (!resolveToContext) {
        plugins.push(
          new ConditionalPlugin(
            "resolve-as-module",
            { directory: false, request: "." },
            "single file module",
            true,
            "undescribed-raw-file"
          )
        );
      }
      plugins.push(
        new DirectoryExistsPlugin(
          "resolve-as-module",
          "undescribed-resolve-in-package"
        )
      );
      plugins.push(
        new DescriptionFilePlugin(
          "undescribed-resolve-in-package",
          descriptionFiles,
          false,
          "resolve-in-package"
        )
      );
      plugins.push(
        new NextPlugin("after-undescribed-resolve-in-package", "resolve-in-package")
      );
      exportsFields.forEach((exportsField) => {
        plugins.push(
          new ExportsFieldPlugin(
            "resolve-in-package",
            conditionNames,
            exportsField,
            "relative"
          )
        );
      });
      plugins.push(
        new NextPlugin("resolve-in-package", "resolve-in-existing-directory")
      );
      plugins.push(
        new JoinRequestPlugin("resolve-in-existing-directory", "relative")
      );
      plugins.push(
        new DescriptionFilePlugin(
          "relative",
          descriptionFiles,
          true,
          "described-relative"
        )
      );
      plugins.push(new NextPlugin("after-relative", "described-relative"));
      if (resolveToContext) {
        plugins.push(new NextPlugin("described-relative", "directory"));
      } else {
        plugins.push(
          new ConditionalPlugin(
            "described-relative",
            { directory: false },
            null,
            true,
            "raw-file"
          )
        );
        plugins.push(
          new ConditionalPlugin(
            "described-relative",
            { fullySpecified: false },
            "as directory",
            true,
            "directory"
          )
        );
      }
      plugins.push(
        new DirectoryExistsPlugin("directory", "undescribed-existing-directory")
      );
      if (resolveToContext) {
        plugins.push(new NextPlugin("undescribed-existing-directory", "resolved"));
      } else {
        plugins.push(
          new DescriptionFilePlugin(
            "undescribed-existing-directory",
            descriptionFiles,
            false,
            "existing-directory"
          )
        );
        mainFiles.forEach((item) => {
          plugins.push(
            new UseFilePlugin(
              "undescribed-existing-directory",
              item,
              "undescribed-raw-file"
            )
          );
        });
        mainFields.forEach((item) => {
          plugins.push(
            new MainFieldPlugin(
              "existing-directory",
              item,
              "resolve-in-existing-directory"
            )
          );
        });
        mainFiles.forEach((item) => {
          plugins.push(
            new UseFilePlugin("existing-directory", item, "undescribed-raw-file")
          );
        });
        plugins.push(
          new DescriptionFilePlugin(
            "undescribed-raw-file",
            descriptionFiles,
            true,
            "raw-file"
          )
        );
        plugins.push(new NextPlugin("after-undescribed-raw-file", "raw-file"));
        plugins.push(
          new ConditionalPlugin(
            "raw-file",
            { fullySpecified: true },
            null,
            false,
            "file"
          )
        );
        if (!enforceExtension) {
          plugins.push(new TryNextPlugin("raw-file", "no extension", "file"));
        }
        extensions.forEach((item) => {
          plugins.push(new AppendPlugin("raw-file", item, "file"));
        });
        if (alias.length > 0)
          plugins.push(new AliasPlugin("file", alias, "internal-resolve"));
        aliasFields.forEach((item) => {
          plugins.push(new AliasFieldPlugin("file", item, "internal-resolve"));
        });
        plugins.push(new NextPlugin("file", "final-file"));
        plugins.push(new FileExistsPlugin("final-file", "existing-file"));
        if (symlinks)
          plugins.push(new SymlinkPlugin("existing-file", "existing-file"));
        plugins.push(new NextPlugin("existing-file", "resolved"));
      }
      const resolved = (
        /** @type {KnownHooks & EnsuredHooks} */
        resolver.hooks.resolved
      );
      if (restrictions.size > 0) {
        plugins.push(new RestrictionsPlugin(resolved, restrictions));
      }
      plugins.push(new ResultPlugin(resolved));
      for (const plugin2 of plugins) {
        if (typeof plugin2 === "function") {
          plugin2.call(resolver, resolver);
        } else if (plugin2) {
          plugin2.apply(resolver);
        }
      }
      return resolver;
    };
    function mergeFilteredToArray(array, filter) {
      const result = [];
      const set = new Set(array);
      for (const item of set) {
        if (filter(item)) {
          const lastElement = result.length > 0 ? result[result.length - 1] : void 0;
          if (Array.isArray(lastElement)) {
            lastElement.push(item);
          } else {
            result.push([item]);
          }
        } else {
          result.push(item);
        }
      }
      return result;
    }
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/CloneBasenamePlugin.js
var require_CloneBasenamePlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/CloneBasenamePlugin.js"(exports2, module2) {
    "use strict";
    var basename = require_getPaths().basename;
    module2.exports = class CloneBasenamePlugin {
      /**
       * @param {string | ResolveStepHook} source source
       * @param {string | ResolveStepHook} target target
       */
      constructor(source, target) {
        this.source = source;
        this.target = target;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const target = resolver.ensureHook(this.target);
        resolver.getHook(this.source).tapAsync("CloneBasenamePlugin", (request, resolveContext, callback) => {
          const requestPath = (
            /** @type {string} */
            request.path
          );
          const filename = (
            /** @type {string} */
            basename(requestPath)
          );
          const filePath = resolver.join(requestPath, filename);
          const obj = {
            ...request,
            path: filePath,
            relativePath: request.relativePath && resolver.join(request.relativePath, filename)
          };
          resolver.doResolve(
            target,
            obj,
            "using path: " + filePath,
            resolveContext,
            callback
          );
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/LogInfoPlugin.js
var require_LogInfoPlugin = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/LogInfoPlugin.js"(exports2, module2) {
    "use strict";
    module2.exports = class LogInfoPlugin {
      /**
       * @param {string | ResolveStepHook} source source
       */
      constructor(source) {
        this.source = source;
      }
      /**
       * @param {Resolver} resolver the resolver
       * @returns {void}
       */
      apply(resolver) {
        const source = this.source;
        resolver.getHook(this.source).tapAsync("LogInfoPlugin", (request, resolveContext, callback) => {
          if (!resolveContext.log) return callback();
          const log = resolveContext.log;
          const prefix = "[" + source + "] ";
          if (request.path)
            log(prefix + "Resolving in directory: " + request.path);
          if (request.request)
            log(prefix + "Resolving request: " + request.request);
          if (request.module) log(prefix + "Request is an module request.");
          if (request.directory) log(prefix + "Request is a directory request.");
          if (request.query)
            log(prefix + "Resolving request query: " + request.query);
          if (request.fragment)
            log(prefix + "Resolving request fragment: " + request.fragment);
          if (request.descriptionFilePath)
            log(
              prefix + "Has description data from " + request.descriptionFilePath
            );
          if (request.relativePath)
            log(
              prefix + "Relative path from description file is: " + request.relativePath
            );
          callback();
        });
      }
    };
  }
});

// node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/index.js
var require_lib10 = __commonJS({
  "node_modules/.pnpm/enhanced-resolve@5.17.0/node_modules/enhanced-resolve/lib/index.js"(exports2, module2) {
    "use strict";
    var fs4 = require_graceful_fs();
    var CachedInputFileSystem = require_CachedInputFileSystem();
    var ResolverFactory = require_ResolverFactory();
    var nodeFileSystem = new CachedInputFileSystem(fs4, 4e3);
    var nodeContext = {
      environments: ["node+es3+es5+process+native"]
    };
    var asyncResolver = ResolverFactory.createResolver({
      conditionNames: ["node"],
      extensions: [".js", ".json", ".node"],
      fileSystem: nodeFileSystem
    });
    var resolve2 = (
      /**
       * @param {object|string} context
       * @param {string} path
       * @param {string|ResolveContext|ResolveCallback} request
       * @param {ResolveContext|ResolveCallback=} resolveContext
       * @param {ResolveCallback=} callback
       */
      (context, path17, request, resolveContext, callback) => {
        if (typeof context === "string") {
          callback = /** @type {ResolveCallback} */
          resolveContext;
          resolveContext = /** @type {ResolveContext} */
          request;
          request = path17;
          path17 = context;
          context = nodeContext;
        }
        if (typeof callback !== "function") {
          callback = /** @type {ResolveCallback} */
          resolveContext;
        }
        asyncResolver.resolve(
          context,
          path17,
          /** @type {string} */
          request,
          /** @type {ResolveContext} */
          resolveContext,
          /** @type {ResolveCallback} */
          callback
        );
      }
    );
    var syncResolver = ResolverFactory.createResolver({
      conditionNames: ["node"],
      extensions: [".js", ".json", ".node"],
      useSyncFileSystemCalls: true,
      fileSystem: nodeFileSystem
    });
    var resolveSync = (
      /**
       * @param {object|string} context
       * @param {string} path
       * @param {string=} request
       */
      (context, path17, request) => {
        if (typeof context === "string") {
          request = path17;
          path17 = context;
          context = nodeContext;
        }
        return syncResolver.resolveSync(
          context,
          path17,
          /** @type {string} */
          request
        );
      }
    );
    function create119(options) {
      const resolver = ResolverFactory.createResolver({
        fileSystem: nodeFileSystem,
        ...options
      });
      return function(context, path17, request, resolveContext, callback) {
        if (typeof context === "string") {
          callback = /** @type {ResolveCallback} */
          resolveContext;
          resolveContext = /** @type {ResolveContext} */
          request;
          request = path17;
          path17 = context;
          context = nodeContext;
        }
        if (typeof callback !== "function") {
          callback = /** @type {ResolveCallback} */
          resolveContext;
        }
        resolver.resolve(
          context,
          path17,
          /** @type {string} */
          request,
          /** @type {ResolveContext} */
          resolveContext,
          callback
        );
      };
    }
    function createSync(options) {
      const resolver = ResolverFactory.createResolver({
        useSyncFileSystemCalls: true,
        fileSystem: nodeFileSystem,
        ...options
      });
      return function(context, path17, request) {
        if (typeof context === "string") {
          request = path17;
          path17 = context;
          context = nodeContext;
        }
        return resolver.resolveSync(
          context,
          path17,
          /** @type {string} */
          request
        );
      };
    }
    var mergeExports = (obj, exports3) => {
      const descriptors = Object.getOwnPropertyDescriptors(exports3);
      Object.defineProperties(obj, descriptors);
      return (
        /** @type {A & B} */
        Object.freeze(obj)
      );
    };
    module2.exports = mergeExports(resolve2, {
      get sync() {
        return resolveSync;
      },
      create: mergeExports(create119, {
        get sync() {
          return createSync;
        }
      }),
      ResolverFactory,
      CachedInputFileSystem,
      get CloneBasenamePlugin() {
        return require_CloneBasenamePlugin();
      },
      get LogInfoPlugin() {
        return require_LogInfoPlugin();
      },
      get forEachBail() {
        return require_forEachBail();
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/import-target.js
var require_import_target = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/import-target.js"(exports2, module2) {
    "use strict";
    var { resolve: resolve2 } = require("path");
    var { isBuiltin } = require("node:module");
    var resolver = require_lib10();
    var isTypescript = require_is_typescript();
    var { getTSConfigForContext } = require_get_tsconfig();
    var getTypescriptExtensionMap = require_get_typescript_extension_map();
    function removeTrailWildcard(input) {
      if (typeof input === "string") {
        return input.replace(/[/\\*]+$/, "");
      }
      return input.map(removeTrailWildcard);
    }
    function getTSConfigAliases(context) {
      const tsConfig = getTSConfigForContext(context);
      const paths = tsConfig?.config?.compilerOptions?.paths;
      if (paths == null) {
        return;
      }
      return Object.entries(paths).map(([name, alias]) => ({
        name: removeTrailWildcard(name),
        alias: removeTrailWildcard(alias)
      }));
    }
    function trimAfter(string, matcher, count = 1) {
      return string.split(matcher).slice(0, count).join(matcher);
    }
    module2.exports = class ImportTarget {
      /**
       * Initialize this instance.
       * @param {import('eslint').Rule.RuleContext} context - The context for the import origin.
       * @param {Node} node - The node of a `require()` or a module declaraiton.
       * @param {string} name - The name of an import target.
       * @param {Options} options - The options of `enhanced-resolve` module.
       * @param {'import' | 'require'} moduleType - whether the target was require-ed or imported
       */
      constructor(context, node, name, options, moduleType) {
        this.context = context;
        this.node = node;
        this.name = name;
        this.options = options;
        this.moduleType = this.getModuleType();
        this.moduleStyle = this.getModuleStyle(moduleType);
        this.moduleName = this.getModuleName();
        this.resolveError = null;
        this.filePath = this.getFilePath();
      }
      /**
       * What type of module is this
       * @returns {ModuleType}
       */
      getModuleType() {
        if (/^\.{1,2}([\\/]|$)/.test(this.name)) {
          return "relative";
        }
        if (/^[\\/]/.test(this.name)) {
          return "absolute";
        }
        if (isBuiltin(this.name)) {
          return "node";
        }
        if (/^(@[\w~-][\w.~-]*\/)?[\w~-][\w.~-]*/.test(this.name)) {
          return "npm";
        }
        if (/^https?:\/\//.test(this.name)) {
          return "http";
        }
        return "unknown";
      }
      /**
       * What module import style is used
       * @param {'import' | 'require'} fallback
       * @returns {ModuleStyle}
       */
      getModuleStyle(fallback) {
        let node = this.node;
        do {
          if (node.parent == null) {
            break;
          }
          if (node.parent.type === "CallExpression" && node.parent.callee.type === "Identifier" && node.parent.callee.name === "require") {
            return "require";
          }
          if (node.parent.type === "ImportDeclaration") {
            return "importKind" in node.parent && node.parent.importKind === "type" ? "type" : "import";
          }
          node = node.parent;
        } while (node.parent);
        return fallback;
      }
      /**
       * Get the node or npm module name
       * @returns {string | undefined}
       */
      getModuleName() {
        if (this.moduleType === "relative") return;
        if (this.moduleType === "npm") {
          if (this.name.startsWith("@")) {
            return trimAfter(this.name, "/", 2);
          }
          return trimAfter(this.name, "/");
        }
        if (this.moduleType === "node") {
          if (this.name.startsWith("node:")) {
            return trimAfter(this.name.slice(5), "/");
          }
          return trimAfter(this.name, "/");
        }
      }
      /**
       * @returns {string[]}
       */
      getPaths() {
        if (Array.isArray(this.options.paths)) {
          return [...this.options.paths, this.options.basedir];
        }
        return [this.options.basedir];
      }
      /**
       * @param {string} baseDir
       * @param {unknown} error
       * @returns {void}
       */
      handleResolutionError(baseDir, error) {
        if (error instanceof Error === false) {
          throw error;
        }
        this.resolveError = error.message;
      }
      /**
       * Resolve the given id to file paths.
       * @returns {string | null} The resolved path.
       */
      getFilePath() {
        const conditionNames = ["node", "require"];
        const { extensions } = this.options;
        const mainFields = [];
        const mainFiles = [];
        if (this.moduleStyle === "import") {
          conditionNames.push("import");
        }
        if (this.moduleStyle === "type") {
          conditionNames.push("import", "types");
        }
        if (this.moduleStyle === "require" || this.moduleType === "npm" || this.moduleType === "node") {
          mainFields.push("main");
          mainFiles.push("index");
        }
        let alias = void 0;
        let extensionAlias = void 0;
        if (isTypescript(this.context)) {
          alias = getTSConfigAliases(this.context);
          extensionAlias = getTypescriptExtensionMap(this.context).backward;
        }
        this.resolverConfig = {
          conditionNames,
          extensions,
          mainFields,
          mainFiles,
          extensionAlias,
          alias
        };
        const requireResolve = resolver.create.sync(this.resolverConfig);
        const cwd = this.context.settings?.cwd ?? process.cwd();
        for (const directory of this.getPaths()) {
          const baseDir = resolve2(cwd, directory);
          try {
            const resolved = requireResolve(baseDir, this.name);
            if (typeof resolved === "string") return resolved;
          } catch (error) {
            this.handleResolutionError(baseDir, error);
          }
        }
        if (this.moduleType === "absolute" || this.moduleType === "relative") {
          return resolve2(this.options.basedir, this.name);
        }
        return null;
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/strip-import-path-params.js
var require_strip_import_path_params = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/strip-import-path-params.js"(exports2, module2) {
    "use strict";
    module2.exports = function stripImportPathParams(path17) {
      const pathString = String(path17);
      const index = pathString.indexOf("!");
      if (index === -1) {
        return pathString;
      }
      return pathString.slice(0, index);
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/visit-import.js
var require_visit_import = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/visit-import.js"(exports2, module2) {
    "use strict";
    var path17 = require("path");
    var { isBuiltin } = require("node:module");
    var getResolvePaths = require_get_resolve_paths();
    var getTryExtensions = require_get_try_extensions();
    var ImportTarget = require_import_target();
    var stripImportPathParams = require_strip_import_path_params();
    module2.exports = function visitImport(context, { includeCore = false, optionIndex = 0, ignoreTypeImport = false }, callback) {
      const targets = [];
      const basedir = path17.dirname(
        path17.resolve(context.filename ?? context.getFilename())
      );
      const paths = getResolvePaths(context, optionIndex);
      const extensions = getTryExtensions(context, optionIndex);
      const options = { basedir, paths, extensions };
      function addTarget(node) {
        if (node.source == null || node.source.type !== "Literal") {
          return;
        }
        const name = stripImportPathParams(node.source?.value);
        if (includeCore === true || isBuiltin(name) === false) {
          targets.push(
            new ImportTarget(context, node.source, name, options, "import")
          );
        }
      }
      return {
        ExportAllDeclaration(node) {
          addTarget(node);
        },
        ExportNamedDeclaration(node) {
          addTarget(node);
        },
        ImportDeclaration(node) {
          if (node.source?.value == null) {
            return;
          }
          if (ignoreTypeImport === true && /** @type {ImportDeclaration} */
          node.importKind === "type") {
            return;
          }
          addTarget(node);
        },
        ImportExpression(node) {
          if (node.source?.type !== "Literal") {
            return;
          }
          addTarget(node);
        },
        "Program:exit"() {
          callback(targets);
        }
      };
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/file-extension-in-import.js
var require_file_extension_in_import = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/file-extension-in-import.js"(exports2, module2) {
    "use strict";
    var path17 = require("path");
    var fs4 = require("fs");
    var { convertTsExtensionToJs } = require_map_typescript_extension();
    var visitImport = require_visit_import();
    function getExistingExtensions(filePath) {
      const directory = path17.dirname(filePath);
      const extension = path17.extname(filePath);
      const basename = path17.basename(filePath, extension);
      try {
        return fs4.readdirSync(directory).filter((filename) => filename.startsWith(`${basename}.`)).map((filename) => path17.extname(filename));
      } catch {
        return [];
      }
    }
    module2.exports = {
      meta: {
        docs: {
          description: "enforce the style of file extensions in `import` declarations",
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/file-extension-in-import.md"
        },
        fixable: "code",
        messages: {
          requireExt: "require file extension '{{ext}}'.",
          forbidExt: "forbid file extension '{{ext}}'."
        },
        schema: [
          {
            enum: ["always", "never"]
          },
          {
            type: "object",
            properties: {},
            additionalProperties: {
              enum: ["always", "never"]
            }
          }
        ],
        type: "suggestion"
      },
      create(context) {
        if ((context.filename ?? context.getFilename()).startsWith("<")) {
          return {};
        }
        const defaultStyle = context.options[0] || "always";
        const overrideStyle = context.options[1] || {};
        function verify({ filePath, name, node, moduleType }) {
          if (moduleType !== "relative" && moduleType !== "absolute" || filePath == null) {
            return;
          }
          const currentExt = path17.extname(name);
          const actualExt = path17.extname(filePath);
          const style = overrideStyle[actualExt] || defaultStyle;
          const expectedExt = convertTsExtensionToJs(
            context,
            filePath,
            actualExt
          );
          if (style === "always" && currentExt !== expectedExt) {
            context.report({
              node,
              messageId: "requireExt",
              data: { ext: expectedExt },
              fix(fixer) {
                const index = (
                  /** @type {[number, number]} */
                  node.range[1] - 1
                );
                return fixer.insertTextBeforeRange(
                  [index, index],
                  expectedExt
                );
              }
            });
          }
          if (style === "never" && currentExt !== "" && expectedExt !== "" && currentExt === expectedExt) {
            const otherExtensions = getExistingExtensions(filePath);
            context.report({
              node,
              messageId: "forbidExt",
              data: { ext: currentExt },
              fix: otherExtensions.length > 1 ? void 0 : (fixer) => {
                const index = name.lastIndexOf(currentExt);
                const start = (
                  /** @type {[number, number]} */
                  node.range[0] + 1 + index
                );
                const end = start + currentExt.length;
                return fixer.removeRange([start, end]);
              }
            });
          }
        }
        return visitImport(context, { optionIndex: 1 }, (targets) => {
          targets.forEach(verify);
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/global-require.js
var require_global_require = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/global-require.js"(exports2, module2) {
    "use strict";
    var ACCEPTABLE_PARENTS = [
      "AssignmentExpression",
      "VariableDeclarator",
      "MemberExpression",
      "ExpressionStatement",
      "CallExpression",
      "ConditionalExpression",
      "Program",
      "VariableDeclaration"
    ];
    function findReference2(scope, node) {
      return scope.references.find(
        (reference) => reference.identifier.range?.[0] === node.range?.[0] && reference.identifier.range?.[1] === node.range?.[1]
      );
    }
    function isShadowed2(scope, node) {
      const reference = findReference2(scope, node);
      return Boolean(reference?.resolved?.defs?.length);
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "require `require()` calls to be placed at top-level module scope",
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/global-require.md"
        },
        fixable: null,
        schema: [],
        messages: {
          unexpected: "Unexpected require()."
        }
      },
      create(context) {
        const sourceCode = context.sourceCode ?? context.getSourceCode();
        return {
          CallExpression(node) {
            const currentScope = sourceCode.getScope?.(node) ?? context.getScope();
            if (
              /** @type {import('estree').Identifier} */
              node.callee.name === "require" && !isShadowed2(currentScope, node.callee)
            ) {
              const isGoodRequire = (sourceCode.getAncestors?.(node) ?? context.getAncestors()).every(
                (parent) => ACCEPTABLE_PARENTS.indexOf(parent.type) > -1
              );
              if (!isGoodRequire) {
                context.report({ node, messageId: "unexpected" });
              }
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/handle-callback-err.js
var require_handle_callback_err = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/handle-callback-err.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "require error handling in callbacks",
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/handle-callback-err.md"
        },
        fixable: null,
        schema: [
          {
            type: "string"
          }
        ],
        messages: {
          expected: "Expected error to be handled."
        }
      },
      create(context) {
        const sourceCode = context.sourceCode ?? context.getSourceCode();
        const errorArgument = context.options[0] || "err";
        function isPattern(stringToCheck) {
          const firstChar = stringToCheck[0];
          return firstChar === "^";
        }
        function matchesConfiguredErrorName(name) {
          if (isPattern(errorArgument)) {
            const regexp = new RegExp(errorArgument, "u");
            return regexp.test(name);
          }
          return name === errorArgument;
        }
        function getParameters(scope) {
          return scope.variables.filter(
            (variable) => variable.defs[0] && variable.defs[0].type === "Parameter"
          );
        }
        function checkForError(node) {
          const scope = sourceCode.getScope?.(node) ?? context.getScope();
          const parameters = getParameters(scope);
          const firstParameter = parameters[0];
          if (firstParameter && matchesConfiguredErrorName(firstParameter.name)) {
            if (firstParameter.references.length === 0) {
              context.report({ node, messageId: "expected" });
            }
          }
        }
        return {
          FunctionDeclaration: checkForError,
          FunctionExpression: checkForError,
          ArrowFunctionExpression: checkForError
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-callback-literal.js
var require_no_callback_literal = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-callback-literal.js"(exports2, module2) {
    "use strict";
    var callbackNames = ["callback", "cb"];
    module2.exports = {
      meta: {
        docs: {
          description: "enforce Node.js-style error-first callback pattern is followed",
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-callback-literal.md"
        },
        type: "problem",
        fixable: null,
        schema: [],
        messages: {
          unexpectedLiteral: "Unexpected literal in error position of callback."
        }
      },
      create(context) {
        return {
          CallExpression(node) {
            const errorArg = node.arguments[0];
            const calleeName = (
              /** @type {import('estree').Identifier} */
              node.callee.name
            );
            if (errorArg && !couldBeError(errorArg) && callbackNames.includes(calleeName)) {
              context.report({
                node,
                messageId: "unexpectedLiteral"
              });
            }
          }
        };
      }
    };
    function couldBeError(node) {
      switch (node.type) {
        case "Identifier":
        case "CallExpression":
        case "NewExpression":
        case "MemberExpression":
        case "TaggedTemplateExpression":
        case "YieldExpression":
          return true;
        case "Literal":
          return node.value == null;
        case "AssignmentExpression":
          return couldBeError(node.right);
        case "SequenceExpression": {
          const exprs = node.expressions;
          return exprs.length !== 0 && couldBeError(exprs[exprs.length - 1]);
        }
        case "LogicalExpression":
          return couldBeError(node.left) || couldBeError(node.right);
        case "ConditionalExpression":
          return couldBeError(node.consequent) || couldBeError(node.alternate);
        default:
          return true;
      }
    }
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/unprefix-node-colon.js
var require_unprefix_node_colon = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/unprefix-node-colon.js"(exports2, module2) {
    "use strict";
    module2.exports = function unprefixNodeColon(name) {
      if (name.startsWith("node:")) {
        return name.slice(5);
      }
      return name;
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/enumerate-property-names.js
var require_enumerate_property_names = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/enumerate-property-names.js"(exports2, module2) {
    "use strict";
    var { CALL: CALL2, CONSTRUCT: CONSTRUCT2, READ: READ2 } = require_eslint_utils();
    var unprefixNodeColon = require_unprefix_node_colon();
    function* enumeratePropertyNames(traceMap, path17 = [], recursionSet = /* @__PURE__ */ new WeakSet()) {
      if (recursionSet.has(traceMap)) {
        return;
      }
      for (const key of Object.getOwnPropertyNames(traceMap)) {
        const childValue = traceMap[key];
        const childPath = [...path17, key];
        const childName = unprefixNodeColon(childPath.join("."));
        if (childValue == null) {
          continue;
        }
        if (childValue[CALL2]) {
          yield `${childName}()`;
        }
        if (childValue[CONSTRUCT2]) {
          yield `new ${childName}()`;
        }
        if (childValue[READ2]) {
          yield childName;
        }
        yield* enumeratePropertyNames(
          childValue,
          childPath,
          recursionSet.add(traceMap)
        );
      }
    }
    module2.exports = enumeratePropertyNames;
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-semver-range.js
var require_get_semver_range = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-semver-range.js"(exports2, module2) {
    "use strict";
    var { Range } = require_semver2();
    var cache = /* @__PURE__ */ new Map();
    module2.exports = function getSemverRange(x) {
      const stringVersion = String(x);
      const cached = cache.get(stringVersion);
      if (cached != null) {
        return cached;
      }
      try {
        const output = new Range(stringVersion);
        cache.set(stringVersion, output);
        return output;
      } catch {
        cache.set(stringVersion, null);
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-configured-node-version.js
var require_get_configured_node_version = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-configured-node-version.js"(exports2, module2) {
    "use strict";
    var { getPackageJson } = require_get_package_json();
    var getSemverRange = require_get_semver_range();
    function getVersionRange(option) {
      if (option?.version) {
        return getSemverRange(option.version);
      }
    }
    function getEnginesNode(context) {
      const filename = context.filename ?? context.getFilename();
      const info = getPackageJson(filename);
      const engines = (
        /** @type {Engines | undefined} */
        info?.engines
      );
      if (typeof engines?.node === "string") {
        return getSemverRange(engines?.node);
      }
    }
    module2.exports = function getConfiguredNodeVersion(context) {
      return getVersionRange(context.options?.[0]) ?? getVersionRange(context.settings?.n) ?? getVersionRange(context.settings?.node) ?? getEnginesNode(context) ?? /** @type {import("semver").Range} */
      getSemverRange(">=16.0.0");
    };
    module2.exports.schema = {
      type: "string"
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/extend-trackmap-with-node-prefix.js
var require_extend_trackmap_with_node_prefix = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/extend-trackmap-with-node-prefix.js"(exports2, module2) {
    "use strict";
    var { isBuiltin } = require("node:module");
    module2.exports = function extendTraceMapWithNodePrefix(modules) {
      const ret = {
        ...modules,
        ...Object.fromEntries(
          Object.entries(modules).map(([name, value]) => [`node:${name}`, value]).filter(([name]) => isBuiltin(
            /** @type {string} */
            name
          ))
        )
      };
      return ret;
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-deprecated-api.js
var require_no_deprecated_api = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-deprecated-api.js"(exports2, module2) {
    "use strict";
    var {
      CALL: CALL2,
      CONSTRUCT: CONSTRUCT2,
      READ: READ2,
      ReferenceTracker: ReferenceTracker2
    } = require_eslint_utils();
    var enumeratePropertyNames = require_enumerate_property_names();
    var getConfiguredNodeVersion = require_get_configured_node_version();
    var getSemverRange = require_get_semver_range();
    var extendTrackmapWithNodePrefix = require_extend_trackmap_with_node_prefix();
    var unprefixNodeColon = require_unprefix_node_colon();
    var rawModules = {
      _linklist: {
        [READ2]: { since: "5.0.0", replacedBy: null }
      },
      _stream_wrap: {
        [READ2]: { since: "12.0.0", replacedBy: null }
      },
      async_hooks: {
        currentId: {
          [READ2]: {
            since: "8.2.0",
            replacedBy: [
              {
                name: "'async_hooks.executionAsyncId()'",
                supported: "8.1.0"
              }
            ]
          }
        },
        triggerId: {
          [READ2]: {
            since: "8.2.0",
            replacedBy: "'async_hooks.triggerAsyncId()'"
          }
        }
      },
      buffer: {
        Buffer: {
          [CONSTRUCT2]: {
            since: "6.0.0",
            replacedBy: [
              { name: "'buffer.Buffer.alloc()'", supported: "5.10.0" },
              { name: "'buffer.Buffer.from()'", supported: "5.10.0" }
            ]
          },
          [CALL2]: {
            since: "6.0.0",
            replacedBy: [
              { name: "'buffer.Buffer.alloc()'", supported: "5.10.0" },
              { name: "'buffer.Buffer.from()'", supported: "5.10.0" }
            ]
          }
        },
        SlowBuffer: {
          [READ2]: {
            since: "6.0.0",
            replacedBy: [
              {
                name: "'buffer.Buffer.allocUnsafeSlow()'",
                supported: "5.12.0"
              }
            ]
          }
        }
      },
      constants: {
        [READ2]: {
          since: "6.3.0",
          replacedBy: "'constants' property of each module"
        }
      },
      crypto: {
        _toBuf: {
          [READ2]: { since: "11.0.0", replacedBy: null }
        },
        Credentials: {
          [READ2]: { since: "0.12.0", replacedBy: "'tls.SecureContext'" }
        },
        DEFAULT_ENCODING: {
          [READ2]: { since: "10.0.0", replacedBy: null }
        },
        createCipher: {
          [READ2]: {
            since: "10.0.0",
            replacedBy: [
              { name: "'crypto.createCipheriv()'", supported: "0.1.94" }
            ]
          }
        },
        createCredentials: {
          [READ2]: {
            since: "0.12.0",
            replacedBy: [
              {
                name: "'tls.createSecureContext()'",
                supported: "0.11.13"
              }
            ]
          }
        },
        createDecipher: {
          [READ2]: {
            since: "10.0.0",
            replacedBy: [
              {
                name: "'crypto.createDecipheriv()'",
                supported: "0.1.94"
              }
            ]
          }
        },
        fips: {
          [READ2]: {
            since: "10.0.0",
            replacedBy: [
              {
                name: "'crypto.getFips()' and 'crypto.setFips()'",
                supported: "10.0.0"
              }
            ]
          }
        },
        prng: {
          [READ2]: {
            since: "11.0.0",
            replacedBy: [
              { name: "'crypto.randomBytes()'", supported: "0.5.8" }
            ]
          }
        },
        pseudoRandomBytes: {
          [READ2]: {
            since: "11.0.0",
            replacedBy: [
              { name: "'crypto.randomBytes()'", supported: "0.5.8" }
            ]
          }
        },
        rng: {
          [READ2]: {
            since: "11.0.0",
            replacedBy: [
              { name: "'crypto.randomBytes()'", supported: "0.5.8" }
            ]
          }
        }
      },
      domain: {
        [READ2]: { since: "4.0.0", replacedBy: null }
      },
      events: {
        EventEmitter: {
          listenerCount: {
            [READ2]: {
              since: "4.0.0",
              replacedBy: [
                {
                  name: "'events.EventEmitter#listenerCount()'",
                  supported: "3.2.0"
                }
              ]
            }
          }
        },
        listenerCount: {
          [READ2]: {
            since: "4.0.0",
            replacedBy: [
              {
                name: "'events.EventEmitter#listenerCount()'",
                supported: "3.2.0"
              }
            ]
          }
        }
      },
      freelist: {
        [READ2]: { since: "4.0.0", replacedBy: null }
      },
      fs: {
        SyncWriteStream: {
          [READ2]: { since: "4.0.0", replacedBy: null }
        },
        exists: {
          [READ2]: {
            since: "4.0.0",
            replacedBy: [
              { name: "'fs.stat()'", supported: "0.0.2" },
              { name: "'fs.access()'", supported: "0.11.15" }
            ]
          }
        },
        lchmod: {
          [READ2]: { since: "0.4.0", replacedBy: null }
        },
        lchmodSync: {
          [READ2]: { since: "0.4.0", replacedBy: null }
        }
      },
      http: {
        createClient: {
          [READ2]: {
            since: "0.10.0",
            replacedBy: [{ name: "'http.request()'", supported: "0.3.6" }]
          }
        }
      },
      module: {
        Module: {
          createRequireFromPath: {
            [READ2]: {
              since: "12.2.0",
              replacedBy: [
                {
                  name: "'module.createRequire()'",
                  supported: "12.2.0"
                }
              ]
            }
          },
          requireRepl: {
            [READ2]: {
              since: "6.0.0",
              replacedBy: `'require("repl")'`
            }
          },
          _debug: {
            [READ2]: { since: "9.0.0", replacedBy: null }
          }
        },
        createRequireFromPath: {
          [READ2]: {
            since: "12.2.0",
            replacedBy: [
              {
                name: "'module.createRequire()'",
                supported: "12.2.0"
              }
            ]
          }
        },
        requireRepl: {
          [READ2]: {
            since: "6.0.0",
            replacedBy: `'require("repl")'`
          }
        },
        _debug: {
          [READ2]: { since: "9.0.0", replacedBy: null }
        }
      },
      net: {
        _setSimultaneousAccepts: {
          [READ2]: { since: "12.0.0", replacedBy: null }
        }
      },
      os: {
        getNetworkInterfaces: {
          [READ2]: {
            since: "0.6.0",
            replacedBy: [
              { name: "'os.networkInterfaces()'", supported: "0.6.0" }
            ]
          }
        },
        tmpDir: {
          [READ2]: {
            since: "7.0.0",
            replacedBy: [{ name: "'os.tmpdir()'", supported: "0.9.9" }]
          }
        }
      },
      path: {
        _makeLong: {
          [READ2]: {
            since: "9.0.0",
            replacedBy: [
              { name: "'path.toNamespacedPath()'", supported: "9.0.0" }
            ]
          }
        }
      },
      process: {
        EventEmitter: {
          [READ2]: {
            since: "0.6.0",
            replacedBy: `'require("events")'`
          }
        },
        assert: {
          [READ2]: {
            since: "10.0.0",
            replacedBy: `'require("assert")'`
          }
        },
        binding: {
          [READ2]: { since: "10.9.0", replacedBy: null }
        },
        env: {
          NODE_REPL_HISTORY_FILE: {
            [READ2]: {
              since: "4.0.0",
              replacedBy: "'NODE_REPL_HISTORY'"
            }
          }
        },
        report: {
          triggerReport: {
            [READ2]: {
              since: "11.12.0",
              replacedBy: "'process.report.writeReport()'"
            }
          }
        }
      },
      punycode: {
        [READ2]: {
          since: "7.0.0",
          replacedBy: "'https://www.npmjs.com/package/punycode'"
        }
      },
      readline: {
        codePointAt: {
          [READ2]: { since: "4.0.0", replacedBy: null }
        },
        getStringWidth: {
          [READ2]: { since: "6.0.0", replacedBy: null }
        },
        isFullWidthCodePoint: {
          [READ2]: { since: "6.0.0", replacedBy: null }
        },
        stripVTControlCharacters: {
          [READ2]: { since: "6.0.0", replacedBy: null }
        }
      },
      // safe-buffer.Buffer function/constructror is just a re-export of buffer.Buffer
      // and should be deprecated likewise.
      "safe-buffer": {
        Buffer: {
          [CONSTRUCT2]: {
            since: "6.0.0",
            replacedBy: [
              { name: "'buffer.Buffer.alloc()'", supported: "5.10.0" },
              { name: "'buffer.Buffer.from()'", supported: "5.10.0" }
            ]
          },
          [CALL2]: {
            since: "6.0.0",
            replacedBy: [
              { name: "'buffer.Buffer.alloc()'", supported: "5.10.0" },
              { name: "'buffer.Buffer.from()'", supported: "5.10.0" }
            ]
          }
        },
        SlowBuffer: {
          [READ2]: {
            since: "6.0.0",
            replacedBy: [
              {
                name: "'buffer.Buffer.allocUnsafeSlow()'",
                supported: "5.12.0"
              }
            ]
          }
        }
      },
      sys: {
        [READ2]: {
          since: "0.3.0",
          replacedBy: "'util' module"
        }
      },
      timers: {
        enroll: {
          [READ2]: {
            since: "10.0.0",
            replacedBy: [
              { name: "'setTimeout()'", supported: "0.0.1" },
              { name: "'setInterval()'", supported: "0.0.1" }
            ]
          }
        },
        unenroll: {
          [READ2]: {
            since: "10.0.0",
            replacedBy: [
              { name: "'clearTimeout()'", supported: "0.0.1" },
              { name: "'clearInterval()'", supported: "0.0.1" }
            ]
          }
        }
      },
      tls: {
        CleartextStream: {
          [READ2]: { since: "0.10.0", replacedBy: null }
        },
        CryptoStream: {
          [READ2]: {
            since: "0.12.0",
            replacedBy: [{ name: "'tls.TLSSocket'", supported: "0.11.4" }]
          }
        },
        SecurePair: {
          [READ2]: {
            since: "6.0.0",
            replacedBy: [{ name: "'tls.TLSSocket'", supported: "0.11.4" }]
          }
        },
        convertNPNProtocols: {
          [READ2]: { since: "10.0.0", replacedBy: null }
        },
        createSecurePair: {
          [READ2]: {
            since: "6.0.0",
            replacedBy: [{ name: "'tls.TLSSocket'", supported: "0.11.4" }]
          }
        },
        parseCertString: {
          [READ2]: {
            since: "8.6.0",
            replacedBy: [
              { name: "'querystring.parse()'", supported: "0.1.25" }
            ]
          }
        }
      },
      tty: {
        setRawMode: {
          [READ2]: {
            since: "0.10.0",
            replacedBy: "'tty.ReadStream#setRawMode()' (e.g. 'process.stdin.setRawMode()')"
          }
        }
      },
      url: {
        parse: {
          [READ2]: {
            since: "11.0.0",
            replacedBy: [
              { name: "'url.URL' constructor", supported: "6.13.0" }
            ]
          }
        },
        resolve: {
          [READ2]: {
            since: "11.0.0",
            replacedBy: [
              { name: "'url.URL' constructor", supported: "6.13.0" }
            ]
          }
        }
      },
      util: {
        debug: {
          [READ2]: {
            since: "0.12.0",
            replacedBy: [
              { name: "'console.error()'", supported: "0.1.100" }
            ]
          }
        },
        error: {
          [READ2]: {
            since: "0.12.0",
            replacedBy: [
              { name: "'console.error()'", supported: "0.1.100" }
            ]
          }
        },
        isArray: {
          [READ2]: {
            since: "4.0.0",
            replacedBy: [
              { name: "'Array.isArray()'", supported: "0.1.100" }
            ]
          }
        },
        isBoolean: {
          [READ2]: { since: "4.0.0", replacedBy: null }
        },
        isBuffer: {
          [READ2]: {
            since: "4.0.0",
            replacedBy: [
              { name: "'Buffer.isBuffer()'", supported: "0.1.101" }
            ]
          }
        },
        isDate: {
          [READ2]: { since: "4.0.0", replacedBy: null }
        },
        isError: {
          [READ2]: { since: "4.0.0", replacedBy: null }
        },
        isFunction: {
          [READ2]: { since: "4.0.0", replacedBy: null }
        },
        isNull: {
          [READ2]: { since: "4.0.0", replacedBy: null }
        },
        isNullOrUndefined: {
          [READ2]: { since: "4.0.0", replacedBy: null }
        },
        isNumber: {
          [READ2]: { since: "4.0.0", replacedBy: null }
        },
        isObject: {
          [READ2]: { since: "4.0.0", replacedBy: null }
        },
        isPrimitive: {
          [READ2]: { since: "4.0.0", replacedBy: null }
        },
        isRegExp: {
          [READ2]: { since: "4.0.0", replacedBy: null }
        },
        isString: {
          [READ2]: { since: "4.0.0", replacedBy: null }
        },
        isSymbol: {
          [READ2]: { since: "4.0.0", replacedBy: null }
        },
        isUndefined: {
          [READ2]: { since: "4.0.0", replacedBy: null }
        },
        log: {
          [READ2]: { since: "6.0.0", replacedBy: "a third party module" }
        },
        print: {
          [READ2]: {
            since: "0.12.0",
            replacedBy: [{ name: "'console.log()'", supported: "0.1.100" }]
          }
        },
        pump: {
          [READ2]: {
            since: "0.10.0",
            replacedBy: [
              { name: "'stream.Readable#pipe()'", supported: "0.9.4" }
            ]
          }
        },
        puts: {
          [READ2]: {
            since: "0.12.0",
            replacedBy: [{ name: "'console.log()'", supported: "0.1.100" }]
          }
        },
        _extend: {
          [READ2]: {
            since: "6.0.0",
            replacedBy: [{ name: "'Object.assign()'", supported: "4.0.0" }]
          }
        }
      },
      vm: {
        runInDebugContext: {
          [READ2]: { since: "8.0.0", replacedBy: null }
        }
      }
    };
    var modules = extendTrackmapWithNodePrefix(rawModules);
    var globals2 = {
      Buffer: {
        [CONSTRUCT2]: {
          since: "6.0.0",
          replacedBy: [
            { name: "'Buffer.alloc()'", supported: "5.10.0" },
            { name: "'Buffer.from()'", supported: "5.10.0" }
          ]
        },
        [CALL2]: {
          since: "6.0.0",
          replacedBy: [
            { name: "'Buffer.alloc()'", supported: "5.10.0" },
            { name: "'Buffer.from()'", supported: "5.10.0" }
          ]
        }
      },
      COUNTER_NET_SERVER_CONNECTION: {
        [READ2]: { since: "11.0.0", replacedBy: null }
      },
      COUNTER_NET_SERVER_CONNECTION_CLOSE: {
        [READ2]: { since: "11.0.0", replacedBy: null }
      },
      COUNTER_HTTP_SERVER_REQUEST: {
        [READ2]: { since: "11.0.0", replacedBy: null }
      },
      COUNTER_HTTP_SERVER_RESPONSE: {
        [READ2]: { since: "11.0.0", replacedBy: null }
      },
      COUNTER_HTTP_CLIENT_REQUEST: {
        [READ2]: { since: "11.0.0", replacedBy: null }
      },
      COUNTER_HTTP_CLIENT_RESPONSE: {
        [READ2]: { since: "11.0.0", replacedBy: null }
      },
      GLOBAL: {
        [READ2]: {
          since: "6.0.0",
          replacedBy: [{ name: "'global'", supported: "0.1.27" }]
        }
      },
      Intl: {
        v8BreakIterator: {
          [READ2]: { since: "7.0.0", replacedBy: null, removed: "9.0.0" }
        }
      },
      require: {
        extensions: {
          [READ2]: {
            since: "0.12.0",
            replacedBy: "compiling them ahead of time"
          }
        }
      },
      root: {
        [READ2]: {
          since: "6.0.0",
          replacedBy: [{ name: "'global'", supported: "0.1.27" }]
        }
      },
      process: modules.process
    };
    function toReplaceMessage(replacedBy, version) {
      let message = replacedBy;
      if (Array.isArray(replacedBy)) {
        message = replacedBy.filter(
          ({ supported }) => !version.intersects(
            /** @type {import('semver').Range} */
            getSemverRange(`<${supported}`)
          )
        ).map(({ name }) => name).join(" or ");
      }
      return message ? `. Use ${message} instead` : "";
    }
    function toName(type, path17) {
      const baseName = unprefixNodeColon(path17.join("."));
      return type === ReferenceTracker2.CALL ? `${baseName}()` : type === ReferenceTracker2.CONSTRUCT ? `new ${baseName}()` : baseName;
    }
    function parseOptions(context) {
      const raw = context.options[0] || {};
      const version = getConfiguredNodeVersion(context);
      const ignoredModuleItems = new Set(raw.ignoreModuleItems || []);
      const ignoredGlobalItems = new Set(raw.ignoreGlobalItems || []);
      return Object.freeze({ version, ignoredGlobalItems, ignoredModuleItems });
    }
    module2.exports = {
      meta: {
        docs: {
          description: "disallow deprecated APIs",
          recommended: true,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-deprecated-api.md"
        },
        type: "problem",
        fixable: null,
        schema: [
          {
            type: "object",
            properties: {
              version: getConfiguredNodeVersion.schema,
              ignoreModuleItems: {
                type: "array",
                items: {
                  enum: Array.from(
                    enumeratePropertyNames(rawModules)
                  )
                },
                additionalItems: false,
                uniqueItems: true
              },
              ignoreGlobalItems: {
                type: "array",
                items: {
                  enum: Array.from(enumeratePropertyNames(globals2))
                },
                additionalItems: false,
                uniqueItems: true
              },
              // Deprecated since v4.2.0
              ignoreIndirectDependencies: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        messages: {
          deprecated: "{{name}} was deprecated since v{{version}}{{replace}}.",
          removed: "{{name}} was deprecated since v{{version}}, and removed in v{{removed}}."
        }
      },
      create(context) {
        const { ignoredModuleItems, ignoredGlobalItems, version } = parseOptions(context);
        function reportItem(node, name, info) {
          const messageId4 = info.removed ? "removed" : "deprecated";
          const data = {
            name,
            version: info.since,
            removed: info.removed || "",
            replace: toReplaceMessage(info.replacedBy, version)
          };
          context.report({
            node,
            loc: (
              /** @type {NonNullable} */
              node.loc
            ),
            messageId: messageId4,
            data
          });
        }
        const sourceCode = context.sourceCode ?? context.getSourceCode();
        return {
          "Program:exit"(node) {
            const scope = sourceCode.getScope?.(node) ?? context.getScope();
            const tracker2 = new ReferenceTracker2(scope, {
              mode: "legacy"
            });
            for (const report of tracker2.iterateGlobalReferences(globals2)) {
              const { node: node2, path: path17, type, info } = report;
              const name = toName(type, path17);
              if (!ignoredGlobalItems.has(name)) {
                reportItem(node2, `'${name}'`, info);
              }
            }
            for (const report of [
              ...tracker2.iterateCjsReferences(modules),
              ...tracker2.iterateEsmReferences(modules)
            ]) {
              const { node: node2, path: path17, type, info } = report;
              const name = toName(type, path17);
              const suffix = path17.length === 1 ? " module" : "";
              if (!ignoredModuleItems.has(name)) {
                reportItem(node2, `'${name}'${suffix}`, info);
              }
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-exports-assign.js
var require_no_exports_assign = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-exports-assign.js"(exports2, module2) {
    "use strict";
    var { findVariable: findVariable2 } = require_eslint_utils();
    function isExports(node, scope) {
      let variable = null;
      return node != null && node.type === "Identifier" && node.name === "exports" && (variable = findVariable2(scope, node)) != null && variable.scope.type === "global";
    }
    function isModuleExports2(node, scope) {
      let variable = null;
      return node != null && node.type === "MemberExpression" && !node.computed && node.object.type === "Identifier" && node.object.name === "module" && node.property.type === "Identifier" && node.property.name === "exports" && (variable = findVariable2(scope, node.object)) != null && variable.scope.type === "global";
    }
    module2.exports = {
      meta: {
        docs: {
          description: "disallow the assignment to `exports`",
          recommended: true,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-exports-assign.md"
        },
        fixable: null,
        messages: {
          forbidden: "Unexpected assignment to 'exports' variable. Use 'module.exports' instead."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = context.sourceCode ?? context.getSourceCode();
        return {
          AssignmentExpression(node) {
            const scope = sourceCode.getScope?.(node) ?? context.getScope();
            if (!isExports(node.left, scope) || // module.exports = exports = {}
            node.parent.type === "AssignmentExpression" && node.parent.right === node && isModuleExports2(node.parent.left, scope) || // exports = module.exports = {}
            node.right.type === "AssignmentExpression" && isModuleExports2(node.right.left, scope)) {
              return;
            }
            context.report({ node, messageId: "forbidden" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-allow-modules.js
var require_get_allow_modules = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-allow-modules.js"(exports2, module2) {
    "use strict";
    var DEFAULT_VALUE = [];
    function get(option) {
      if (Array.isArray(option?.allowModules)) {
        return option.allowModules.map(String);
      }
      return null;
    }
    module2.exports = function getAllowModules(context) {
      return get(context.options[0]) ?? get(context.settings?.n) ?? get(context.settings?.node) ?? DEFAULT_VALUE;
    };
    module2.exports.schema = {
      type: "array",
      items: {
        type: "string",
        pattern: "^(?:@[a-zA-Z0-9_\\-.]+/)?[a-zA-Z0-9_\\-.]+$"
      },
      uniqueItems: true
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/check-extraneous.js
var require_check_extraneous = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/check-extraneous.js"(exports2) {
    "use strict";
    var getAllowModules = require_get_allow_modules();
    var { getPackageJson } = require_get_package_json();
    exports2.checkExtraneous = function checkExtraneous(context, filePath, targets) {
      const packageInfo = getPackageJson(filePath);
      if (!packageInfo) {
        return;
      }
      const allowed = new Set(getAllowModules(context));
      const dependencies = new Set(
        [packageInfo.name].concat(
          Object.keys(packageInfo.dependencies || {}),
          Object.keys(packageInfo.devDependencies || {}),
          Object.keys(packageInfo.peerDependencies || {}),
          Object.keys(packageInfo.optionalDependencies || {})
        )
      );
      for (const target of targets) {
        const extraneous = target.moduleName != null && target.filePath != null && !dependencies.has(target.moduleName) && !allowed.has(target.moduleName);
        if (extraneous) {
          context.report({
            node: target.node,
            loc: (
              /** @type {import('eslint').AST.SourceLocation} */
              target.node.loc
            ),
            messageId: "extraneous",
            data: (
              /** @type {Record} */
              target
            )
          });
        }
      }
    };
    exports2.messages = {
      extraneous: '"{{moduleName}}" is extraneous.'
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-convert-path.js
var require_get_convert_path = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-convert-path.js"(exports2, module2) {
    "use strict";
    var { Minimatch: Minimatch2 } = require_commonjs();
    function identity2(x) {
      return x;
    }
    function toStringArray(x) {
      if (Array.isArray(x)) {
        return x.map(String);
      }
      return [];
    }
    function normalizeValue(x) {
      if (Array.isArray(x)) {
        return x.map(({ include, exclude, replace }) => ({
          include: toStringArray(include),
          exclude: toStringArray(exclude),
          replace
        }));
      }
      return Object.entries(x).map(([pattern, replace]) => ({
        include: [pattern],
        exclude: [],
        replace
      }));
    }
    function makeMatcher(pattern) {
      const posix = pattern.replace(/\\/g, "/");
      return new Minimatch2(posix, {
        allowWindowsEscape: true
      });
    }
    function createMatch(includePatterns, excludePatterns) {
      const include = includePatterns.map(makeMatcher);
      const exclude = excludePatterns.map(makeMatcher);
      return (filePath) => include.some((m) => m.match(filePath)) && !exclude.some((m) => m.match(filePath));
    }
    function defineConvert(fromRegexp, toStr) {
      return (filePath) => filePath.replace(fromRegexp, toStr);
    }
    function combine(converters) {
      return (filePath) => {
        for (const converter of converters) {
          if (converter.match(filePath)) {
            return converter.convert(filePath);
          }
        }
        return filePath;
      };
    }
    function parse2(option) {
      if (option?.convertPath == null) {
        return null;
      }
      const converters = [];
      for (const pattern of normalizeValue(option.convertPath)) {
        const fromRegexp = new RegExp(String(pattern.replace[0]));
        const toStr = String(pattern.replace[1]);
        converters.push({
          match: createMatch(pattern.include, pattern.exclude),
          convert: defineConvert(fromRegexp, toStr)
        });
      }
      return combine(converters);
    }
    module2.exports = function getConvertPath(context) {
      return parse2(context.options?.[0]) ?? parse2(context.settings?.n) ?? parse2(context.settings?.node) ?? identity2;
    };
    module2.exports.schema = {
      anyOf: [
        {
          type: "object",
          properties: {},
          patternProperties: {
            "^.+$": {
              type: "array",
              items: { type: "string" },
              minItems: 2,
              maxItems: 2
            }
          },
          additionalProperties: false
        },
        {
          type: "array",
          items: {
            type: "object",
            properties: {
              include: {
                type: "array",
                items: { type: "string" },
                minItems: 1,
                uniqueItems: true
              },
              exclude: {
                type: "array",
                items: { type: "string" },
                uniqueItems: true
              },
              replace: {
                type: "array",
                items: { type: "string" },
                minItems: 2,
                maxItems: 2
              }
            },
            additionalProperties: false,
            required: ["include", "replace"]
          },
          minItems: 1
        }
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-extraneous-import.js
var require_no_extraneous_import = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-extraneous-import.js"(exports2, module2) {
    "use strict";
    var { checkExtraneous, messages: messages116 } = require_check_extraneous();
    var getAllowModules = require_get_allow_modules();
    var getConvertPath = require_get_convert_path();
    var getResolvePaths = require_get_resolve_paths();
    var visitImport = require_visit_import();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `import` declarations which import extraneous modules",
          recommended: true,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-extraneous-import.md"
        },
        type: "problem",
        fixable: null,
        schema: [
          {
            type: "object",
            properties: {
              allowModules: getAllowModules.schema,
              convertPath: getConvertPath.schema,
              resolvePaths: getResolvePaths.schema
            },
            additionalProperties: false
          }
        ],
        messages: messages116
      },
      create(context) {
        const filePath = context.filename ?? context.getFilename();
        if (filePath === "") {
          return {};
        }
        return visitImport(context, {}, (targets) => {
          checkExtraneous(context, filePath, targets);
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/visit-require.js
var require_visit_require = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/visit-require.js"(exports2, module2) {
    "use strict";
    var path17 = require("path");
    var {
      CALL: CALL2,
      ReferenceTracker: ReferenceTracker2,
      getStringIfConstant: getStringIfConstant2
    } = require_eslint_utils();
    var { isBuiltin } = require("node:module");
    var getResolvePaths = require_get_resolve_paths();
    var getTryExtensions = require_get_try_extensions();
    var ImportTarget = require_import_target();
    var stripImportPathParams = require_strip_import_path_params();
    module2.exports = function visitRequire(context, { includeCore = false }, callback) {
      const targets = [];
      const basedir = path17.dirname(
        path17.resolve(context.filename ?? context.getFilename())
      );
      const paths = getResolvePaths(context);
      const extensions = getTryExtensions(context);
      const options = { basedir, paths, extensions };
      return {
        "Program:exit"(node) {
          const sourceCode = context.sourceCode ?? context.getSourceCode();
          const tracker2 = new ReferenceTracker2(
            sourceCode.getScope?.(node) ?? context.getScope()
            //TODO: remove context.getScope() when dropping support for ESLint < v9
          );
          const references = tracker2.iterateGlobalReferences({
            require: {
              [CALL2]: true,
              resolve: { [CALL2]: true }
            }
          });
          for (const { node: node2 } of references) {
            if (node2.type !== "CallExpression") {
              continue;
            }
            const targetNode = node2.arguments[0];
            const rawName = getStringIfConstant2(targetNode);
            if (typeof rawName !== "string") {
              continue;
            }
            const name = stripImportPathParams(rawName);
            if (includeCore || !isBuiltin(name)) {
              targets.push(
                new ImportTarget(
                  context,
                  targetNode,
                  name,
                  options,
                  "require"
                )
              );
            }
          }
          callback(targets);
        }
      };
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-extraneous-require.js
var require_no_extraneous_require = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-extraneous-require.js"(exports2, module2) {
    "use strict";
    var { checkExtraneous, messages: messages116 } = require_check_extraneous();
    var getAllowModules = require_get_allow_modules();
    var getConvertPath = require_get_convert_path();
    var getResolvePaths = require_get_resolve_paths();
    var getTryExtensions = require_get_try_extensions();
    var visitRequire = require_visit_require();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `require()` expressions which import extraneous modules",
          recommended: true,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-extraneous-require.md"
        },
        type: "problem",
        fixable: null,
        schema: [
          {
            type: "object",
            properties: {
              allowModules: getAllowModules.schema,
              convertPath: getConvertPath.schema,
              resolvePaths: getResolvePaths.schema,
              tryExtensions: getTryExtensions.schema
            },
            additionalProperties: false
          }
        ],
        messages: messages116
      },
      create(context) {
        const filePath = context.filename ?? context.getFilename();
        if (filePath === "") {
          return {};
        }
        return visitRequire(context, {}, (targets) => {
          checkExtraneous(context, filePath, targets);
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/check-existence.js
var require_check_existence = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/check-existence.js"(exports2) {
    "use strict";
    var getAllowModules = require_get_allow_modules();
    function markMissing(context, target) {
      target.resolveError ??= `"${target.name}" is not found`;
      context.report({
        node: target.node,
        loc: (
          /** @type {import('eslint').AST.SourceLocation} */
          target.node.loc
        ),
        messageId: "notFound",
        data: { resolveError: target.resolveError }
      });
    }
    exports2.checkExistence = function checkExistence(context, targets) {
      const allowed = new Set(getAllowModules(context));
      for (const target of targets) {
        if (allowed.has(target.moduleName)) {
          continue;
        }
        if (target.resolveError != null) {
          markMissing(context, target);
        }
      }
    };
    exports2.messages = {
      notFound: "{{resolveError}}"
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-missing-import.js
var require_no_missing_import = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-missing-import.js"(exports2, module2) {
    "use strict";
    var { checkExistence, messages: messages116 } = require_check_existence();
    var getAllowModules = require_get_allow_modules();
    var getResolvePaths = require_get_resolve_paths();
    var getTryExtensions = require_get_try_extensions();
    var getTSConfig = require_get_tsconfig();
    var getTypescriptExtensionMap = require_get_typescript_extension_map();
    var visitImport = require_visit_import();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `import` declarations which import non-existence modules",
          recommended: true,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-missing-import.md"
        },
        type: "problem",
        fixable: null,
        schema: [
          {
            type: "object",
            properties: {
              allowModules: getAllowModules.schema,
              resolvePaths: getResolvePaths.schema,
              tryExtensions: getTryExtensions.schema,
              tsconfigPath: getTSConfig.schema,
              typescriptExtensionMap: getTypescriptExtensionMap.schema
            },
            additionalProperties: false
          }
        ],
        messages: messages116
      },
      create(context) {
        const filePath = context.filename ?? context.getFilename();
        if (filePath === "") {
          return {};
        }
        return visitImport(context, {}, (targets) => {
          checkExistence(context, targets);
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-missing-require.js
var require_no_missing_require = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-missing-require.js"(exports2, module2) {
    "use strict";
    var { checkExistence, messages: messages116 } = require_check_existence();
    var getAllowModules = require_get_allow_modules();
    var getResolvePaths = require_get_resolve_paths();
    var getTSConfig = require_get_tsconfig();
    var getTryExtensions = require_get_try_extensions();
    var getTypescriptExtensionMap = require_get_typescript_extension_map();
    var visitRequire = require_visit_require();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `require()` expressions which import non-existence modules",
          recommended: true,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-missing-require.md"
        },
        type: "problem",
        fixable: null,
        schema: [
          {
            type: "object",
            properties: {
              allowModules: getAllowModules.schema,
              tryExtensions: getTryExtensions.schema,
              resolvePaths: getResolvePaths.schema,
              typescriptExtensionMap: getTypescriptExtensionMap.schema,
              tsconfigPath: getTSConfig.schema
            },
            additionalProperties: false
          }
        ],
        messages: messages116
      },
      create(context) {
        const filePath = context.filename ?? context.getFilename();
        if (filePath === "") {
          return {};
        }
        return visitRequire(context, {}, (targets) => {
          checkExistence(context, targets);
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-mixed-requires.js
var require_no_mixed_requires = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-mixed-requires.js"(exports2, module2) {
    "use strict";
    var BUILTIN_MODULES = [
      "_http_agent",
      "_http_client",
      "_http_common",
      "_http_incoming",
      "_http_outgoing",
      "_http_server",
      "_stream_duplex",
      "_stream_passthrough",
      "_stream_readable",
      "_stream_transform",
      "_stream_wrap",
      "_stream_writable",
      "_tls_common",
      "_tls_wrap",
      "assert",
      "async_hooks",
      "buffer",
      "child_process",
      "cluster",
      "console",
      "constants",
      "crypto",
      "dgram",
      "dns",
      "domain",
      "events",
      "fs",
      "http",
      "http2",
      "https",
      "inspector",
      "module",
      "net",
      "os",
      "path",
      "perf_hooks",
      "process",
      "punycode",
      "querystring",
      "readline",
      "repl",
      "stream",
      "string_decoder",
      "sys",
      "timers",
      "tls",
      "trace_events",
      "tty",
      "url",
      "util",
      "v8",
      "vm",
      "worker_threads",
      "zlib"
    ];
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "disallow `require` calls to be mixed with regular variable declarations",
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-mixed-requires.md"
        },
        fixable: null,
        schema: [
          {
            oneOf: [
              {
                type: "boolean"
              },
              {
                type: "object",
                properties: {
                  grouping: {
                    type: "boolean"
                  },
                  allowCall: {
                    type: "boolean"
                  }
                },
                additionalProperties: false
              }
            ]
          }
        ],
        messages: {
          noMixRequire: "Do not mix 'require' and other declarations.",
          noMixCoreModuleFileComputed: "Do not mix core, module, file and computed requires."
        }
      },
      create(context) {
        const options = context.options[0];
        let grouping = false;
        let allowCall = false;
        if (typeof options === "object") {
          grouping = options.grouping;
          allowCall = options.allowCall;
        } else {
          grouping = Boolean(options);
        }
        const DECL_REQUIRE = "require";
        const DECL_UNINITIALIZED = "uninitialized";
        const DECL_OTHER = "other";
        const REQ_CORE = "core";
        const REQ_FILE = "file";
        const REQ_MODULE = "module";
        const REQ_COMPUTED = "computed";
        function getDeclarationType(initExpression) {
          if (!initExpression) {
            return DECL_UNINITIALIZED;
          }
          if (initExpression.type === "CallExpression" && initExpression.callee.type === "Identifier" && initExpression.callee.name === "require") {
            return DECL_REQUIRE;
          }
          if (allowCall && initExpression.type === "CallExpression" && initExpression.callee.type === "CallExpression") {
            return getDeclarationType(initExpression.callee);
          }
          if (initExpression.type === "MemberExpression") {
            return getDeclarationType(initExpression.object);
          }
          return DECL_OTHER;
        }
        function inferModuleType(initExpression) {
          if (initExpression.type === "MemberExpression") {
            return inferModuleType(initExpression.object);
          }
          if (
            /** @type {import('estree').CallExpression} */
            initExpression.arguments.length === 0
          ) {
            return REQ_COMPUTED;
          }
          const arg = (
            /** @type {import('estree').CallExpression} */
            initExpression.arguments[0]
          );
          if (arg.type !== "Literal" || typeof arg.value !== "string") {
            return REQ_COMPUTED;
          }
          if (BUILTIN_MODULES.indexOf(arg.value) !== -1) {
            return REQ_CORE;
          }
          if (/^\.{0,2}\//u.test(arg.value)) {
            return REQ_FILE;
          }
          return REQ_MODULE;
        }
        function isMixed(declarations) {
          const contains = {};
          for (const declaration of declarations) {
            const type = getDeclarationType(declaration.init);
            contains[type] = true;
          }
          return Boolean(
            contains[DECL_REQUIRE] && (contains[DECL_UNINITIALIZED] || contains[DECL_OTHER])
          );
        }
        function isGrouped(declarations) {
          const found = {};
          for (const declaration of declarations) {
            if (getDeclarationType(declaration.init) === DECL_REQUIRE) {
              found[inferModuleType(
                /** @type {import('estree').Expression} */
                declaration.init
              )] = true;
            }
          }
          return Object.keys(found).length <= 1;
        }
        return {
          VariableDeclaration(node) {
            if (isMixed(node.declarations)) {
              context.report({
                node,
                messageId: "noMixRequire"
              });
            } else if (grouping && !isGrouped(node.declarations)) {
              context.report({
                node,
                messageId: "noMixCoreModuleFileComputed"
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-new-require.js
var require_no_new_require = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-new-require.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "disallow `new` operators with calls to `require`",
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-new-require.md"
        },
        fixable: null,
        schema: [],
        messages: {
          noNewRequire: "Unexpected use of new with require."
        }
      },
      create(context) {
        return {
          NewExpression(node) {
            if (node.callee.type === "Identifier" && node.callee.name === "require") {
              context.report({
                node,
                messageId: "noNewRequire"
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-path-concat.js
var require_no_path_concat = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-path-concat.js"(exports2, module2) {
    "use strict";
    var path17 = require("path");
    var {
      READ: READ2,
      ReferenceTracker: ReferenceTracker2,
      getStringIfConstant: getStringIfConstant2
    } = require_eslint_utils();
    function collectFirstCharsOfTemplateElement(node, i, sepNodes, globalScope, outNextChars) {
      const element = node.quasis[i].value.cooked;
      if (element == null) {
        return;
      }
      if (element !== "") {
        outNextChars.push(element[0]);
        return;
      }
      if (node.expressions.length > i) {
        collectFirstChars(
          node.expressions[i],
          sepNodes,
          globalScope,
          outNextChars
        );
      }
    }
    function collectFirstChars(node, sepNodes, globalScope, outNextChars) {
      switch (node.type) {
        case "AssignmentExpression":
          collectFirstChars(node.right, sepNodes, globalScope, outNextChars);
          break;
        case "BinaryExpression":
          collectFirstChars(node.left, sepNodes, globalScope, outNextChars);
          break;
        case "ConditionalExpression":
          collectFirstChars(
            node.consequent,
            sepNodes,
            globalScope,
            outNextChars
          );
          collectFirstChars(
            node.alternate,
            sepNodes,
            globalScope,
            outNextChars
          );
          break;
        case "LogicalExpression":
          collectFirstChars(node.left, sepNodes, globalScope, outNextChars);
          collectFirstChars(node.right, sepNodes, globalScope, outNextChars);
          break;
        case "SequenceExpression":
          collectFirstChars(
            node.expressions[node.expressions.length - 1],
            sepNodes,
            globalScope,
            outNextChars
          );
          break;
        case "TemplateLiteral":
          collectFirstCharsOfTemplateElement(
            node,
            0,
            sepNodes,
            globalScope,
            outNextChars
          );
          break;
        case "Identifier":
        case "MemberExpression":
          if (sepNodes.has(node)) {
            outNextChars.push(path17.sep);
            break;
          }
        default: {
          const str = getStringIfConstant2(node, globalScope);
          if (str) {
            outNextChars.push(str[0]);
          }
        }
      }
    }
    function isPathSeparator(c) {
      return c === "/" || c === path17.sep;
    }
    function isConcat(node, sepNodes, globalScope) {
      const parent = node.parent;
      const nextChars = [];
      if (parent.type === "BinaryExpression" && parent.operator === "+" && parent.left === node) {
        collectFirstChars(
          parent.right,
          sepNodes,
          globalScope,
          /* out */
          nextChars
        );
      } else if (parent.type === "TemplateLiteral") {
        collectFirstCharsOfTemplateElement(
          parent,
          parent.expressions.indexOf(node) + 1,
          sepNodes,
          globalScope,
          /* out */
          nextChars
        );
      }
      return nextChars.some(isPathSeparator);
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "disallow string concatenation with `__dirname` and `__filename`",
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-path-concat.md"
        },
        fixable: null,
        schema: [],
        messages: {
          usePathFunctions: "Use path.join() or path.resolve() instead of string concatenation."
        }
      },
      create(context) {
        return {
          "Program:exit"(programNode) {
            const sourceCode = context.sourceCode ?? context.getSourceCode();
            const globalScope = sourceCode.getScope?.(programNode) ?? context.getScope();
            const tracker2 = new ReferenceTracker2(globalScope);
            const sepNodes = /* @__PURE__ */ new Set();
            for (const { node } of tracker2.iterateCjsReferences({
              path: { sep: { [READ2]: true } }
            })) {
              sepNodes.add(node);
            }
            for (const { node } of tracker2.iterateEsmReferences({
              path: { sep: { [READ2]: true } }
            })) {
              sepNodes.add(node);
            }
            for (const { node } of tracker2.iterateGlobalReferences({
              __dirname: { [READ2]: true },
              __filename: { [READ2]: true }
            })) {
              if (isConcat(
                /** @type {Identifier} */
                node,
                sepNodes,
                globalScope
              )) {
                context.report({
                  node: (
                    /** @type {import('estree').Node & { parent: import('estree').Node }}*/
                    node.parent
                  ),
                  messageId: "usePathFunctions"
                });
              }
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-process-env.js
var require_no_process_env = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-process-env.js"(exports2, module2) {
    "use strict";
    var querySelector = [
      `MemberExpression`,
      `[computed!=true]`,
      `[object.name="process"]`,
      `[property.name="env"]`
    ];
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "disallow the use of `process.env`",
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-process-env.md"
        },
        fixable: null,
        schema: [],
        messages: {
          unexpectedProcessEnv: "Unexpected use of process.env."
        }
      },
      create(context) {
        return {
          /** @param {import('estree').MemberExpression} node */
          [querySelector.join("")](node) {
            context.report({ node, messageId: "unexpectedProcessEnv" });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-process-exit.js
var require_no_process_exit = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-process-exit.js"(exports2, module2) {
    "use strict";
    var querySelector = [
      `CallExpression > `,
      `MemberExpression.callee`,
      `[object.name="process"]`,
      `[property.name="exit"]`
    ];
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "disallow the use of `process.exit()`",
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-process-exit.md"
        },
        fixable: null,
        schema: [],
        messages: {
          noProcessExit: "Don't use process.exit(); throw an error instead."
        }
      },
      create(context) {
        return {
          /** @param {import('estree').MemberExpression & { parent: import('estree').CallExpression}} node */
          [querySelector.join("")](node) {
            context.report({
              node: node.parent,
              messageId: "noProcessExit"
            });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/check-restricted.js
var require_check_restricted = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/check-restricted.js"(exports2) {
    "use strict";
    var path17 = require("path");
    var { Minimatch: Minimatch2 } = require_commonjs();
    function match(matcher, absolute, { filePath, name }) {
      if (absolute) {
        return filePath != null && matcher.match(filePath);
      }
      return matcher.match(name);
    }
    var Restriction = class {
      /**
       * Initialize this restriction.
       * @param {DefinitionData} def The definition of a restriction.
       */
      constructor({ name, message }) {
        const names = Array.isArray(name) ? name : [name];
        const matchers = names.map((raw) => {
          const negate2 = raw[0] === "!" && raw[1] !== "(";
          const pattern = negate2 ? raw.slice(1) : raw;
          const absolute = path17.isAbsolute(pattern);
          const posix = pattern.replace(/\\/g, "/");
          const matcher = new Minimatch2(posix, {
            allowWindowsEscape: true,
            dot: true
          });
          return { absolute, matcher, negate: negate2 };
        });
        this.matchers = matchers;
        this.message = message ? ` ${message}` : "";
      }
      /**
       * Check if a given importee is disallowed.
       * @param {import('./import-target.js')} importee The importee to check.
       * @returns {boolean} `true` if the importee is disallowed.
       */
      match(importee) {
        return this.matchers.reduce(
          (ret, { absolute, matcher, negate: negate2 }) => negate2 ? ret && !match(matcher, absolute, importee) : ret || match(matcher, absolute, importee),
          false
        );
      }
    };
    function createRestriction(def) {
      if (typeof def === "string") {
        return new Restriction({ name: def });
      }
      return new Restriction(def);
    }
    function createRestrictions(defs) {
      return (defs || []).map(createRestriction);
    }
    exports2.checkForRestriction = function checkForRestriction(context, targets) {
      const restrictions = createRestrictions(context.options[0]);
      for (const target of targets) {
        const restriction = restrictions.find((r) => r.match(target));
        if (restriction) {
          context.report({
            node: target.node,
            messageId: "restricted",
            data: {
              name: target.name,
              customMessage: restriction.message
            }
          });
        }
      }
    };
    exports2.messages = {
      restricted: "'{{name}}' module is restricted from being used.{{customMessage}}"
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-restricted-import.js
var require_no_restricted_import = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-restricted-import.js"(exports2, module2) {
    "use strict";
    var { checkForRestriction, messages: messages116 } = require_check_restricted();
    var visit = require_visit_import();
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "disallow specified modules when loaded by `import` declarations",
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-restricted-import.md"
        },
        fixable: null,
        schema: [
          {
            type: "array",
            items: {
              anyOf: [
                { type: "string" },
                {
                  type: "object",
                  properties: {
                    name: {
                      anyOf: [
                        { type: "string" },
                        {
                          type: "array",
                          items: { type: "string" },
                          additionalItems: false
                        }
                      ]
                    },
                    message: { type: "string" }
                  },
                  additionalProperties: false,
                  required: ["name"]
                }
              ]
            },
            additionalItems: false
          }
        ],
        messages: messages116
      },
      create(context) {
        const opts = { includeCore: true };
        return visit(
          context,
          opts,
          (targets) => checkForRestriction(context, targets)
        );
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-restricted-require.js
var require_no_restricted_require = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-restricted-require.js"(exports2, module2) {
    "use strict";
    var { checkForRestriction, messages: messages116 } = require_check_restricted();
    var visit = require_visit_require();
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "disallow specified modules when loaded by `require`",
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-restricted-require.md"
        },
        fixable: null,
        schema: [
          {
            type: "array",
            items: {
              anyOf: [
                { type: "string" },
                {
                  type: "object",
                  properties: {
                    name: {
                      anyOf: [
                        { type: "string" },
                        {
                          type: "array",
                          items: { type: "string" },
                          additionalItems: false
                        }
                      ]
                    },
                    message: { type: "string" }
                  },
                  additionalProperties: false,
                  required: ["name"]
                }
              ]
            },
            additionalItems: false
          }
        ],
        messages: messages116
      },
      create(context) {
        const opts = { includeCore: true };
        return visit(
          context,
          opts,
          (targets) => checkForRestriction(context, targets)
        );
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-sync.js
var require_no_sync = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-sync.js"(exports2, module2) {
    "use strict";
    var allowedAtRootLevelSelector = [
      // fs.readFileSync()
      ":function MemberExpression > Identifier[name=/Sync$/]",
      // readFileSync.call(null, 'path')
      ":function MemberExpression > Identifier[name=/Sync$/]",
      // readFileSync()
      ":function :not(MemberExpression) > Identifier[name=/Sync$/]"
    ].join(",");
    var disallowedAtRootLevelSelector = [
      // fs.readFileSync()
      "MemberExpression > Identifier[name=/Sync$/]",
      // readFileSync.call(null, 'path')
      "MemberExpression > Identifier[name=/Sync$/]",
      // readFileSync()
      ":not(MemberExpression) > Identifier[name=/Sync$/]"
    ].join(",");
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "disallow synchronous methods",
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-sync.md"
        },
        fixable: null,
        schema: [
          {
            type: "object",
            properties: {
              allowAtRootLevel: {
                type: "boolean",
                default: false
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          noSync: "Unexpected sync method: '{{propertyName}}'."
        }
      },
      create(context) {
        const selector = context.options[0]?.allowAtRootLevel ? allowedAtRootLevelSelector : disallowedAtRootLevelSelector;
        return {
          /**
           * [node description]
           * @param {import('estree').Identifier & {parent: import('estree').Node}} node
           * @returns {void}
           */
          [selector](node) {
            context.report({
              node: node.parent,
              messageId: "noSync",
              data: {
                propertyName: node.name
              }
            });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/exists.js
var require_exists = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/exists.js"(exports2, module2) {
    "use strict";
    var fs4 = require("fs");
    var path17 = require("path");
    var Cache = require_cache2();
    var ROOT = /^(?:[/.]|\.\.|[A-Z]:\\|\\\\)(?:[/\\]\.\.)*$/u;
    var cache = new Cache();
    function existsCaseSensitive(filePath) {
      let dirPath = filePath;
      while (dirPath !== "" && !ROOT.test(dirPath)) {
        const fileName = path17.basename(dirPath);
        dirPath = path17.dirname(dirPath);
        if (fs4.readdirSync(dirPath).indexOf(fileName) === -1) {
          return false;
        }
      }
      return true;
    }
    module2.exports = function exists(filePath) {
      if (filePath == null) {
        return false;
      }
      let result = cache.get(filePath);
      if (result == null) {
        try {
          const relativePath = path17.relative(process.cwd(), filePath);
          result = fs4.statSync(relativePath).isFile() && existsCaseSensitive(relativePath);
        } catch (error) {
          if (error instanceof Error && ("code" in error === false || error.code !== "ENOENT")) {
            throw error;
          }
          result = false;
        }
        cache.set(filePath, result);
      }
      return result;
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-npmignore.js
var require_get_npmignore = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/get-npmignore.js"(exports2, module2) {
    "use strict";
    var fs4 = require("fs");
    var path17 = require("path");
    var ignore2 = require_ignore().default;
    var Cache = require_cache2();
    var exists = require_exists();
    var { getPackageJson } = require_get_package_json();
    var cache = new Cache();
    var PARENT_RELATIVE_PATH = /^\.\./u;
    var NEVER_IGNORED = /^(?:readme\.[^.]*|(?:licen[cs]e|changes|changelog|history)(?:\.[^.]*)?)$/iu;
    function isAncestorFiles(filePath) {
      return PARENT_RELATIVE_PATH.test(filePath);
    }
    function and(f, g) {
      return (filePath) => f(filePath) && g(filePath);
    }
    function or(f, g, h) {
      if (h == null) {
        return (filePath) => f(filePath) || g(filePath);
      }
      return (filePath) => f(filePath) || g(filePath) || h(filePath);
    }
    function not(f) {
      return (filePath) => !f(filePath);
    }
    function filterNeverIgnoredFiles(packageJson) {
      if (typeof packageJson?.filePath !== "string") {
        return () => false;
      }
      const basedir = path17.dirname(packageJson.filePath);
      const mainFilePath = typeof packageJson.main === "string" ? path17.join(basedir, packageJson.main) : null;
      return (filePath) => path17.join(basedir, filePath) !== mainFilePath && filePath !== "package.json" && !NEVER_IGNORED.test(path17.relative(basedir, filePath));
    }
    function parseWhiteList(files) {
      if (Array.isArray(files) === false) {
        return null;
      }
      const ig = ignore2();
      const igN = ignore2();
      let hasN = false;
      for (const file of files) {
        if (typeof file === "string" && file) {
          const body = path17.posix.normalize(file.replace(/^!/u, "")).replace(/\/+$/u, "");
          if (file.startsWith("!")) {
            igN.add(`${body}`);
            igN.add(`${body}/**`);
            hasN = true;
          } else {
            ig.add(`/${body}`);
            ig.add(`/${body}/**`);
          }
        }
      }
      return hasN ? or(ig.createFilter(), not(igN.createFilter())) : ig.createFilter();
    }
    function parseNpmignore(basedir, filesFieldExists) {
      let filePath = path17.join(basedir, ".npmignore");
      if (!exists(filePath)) {
        if (filesFieldExists) {
          return null;
        }
        filePath = path17.join(basedir, ".gitignore");
        if (!exists(filePath)) {
          return null;
        }
      }
      const ig = ignore2();
      ig.add(fs4.readFileSync(filePath, "utf8"));
      return not(ig.createFilter());
    }
    module2.exports = function getNpmignore(startPath) {
      const retv = { match: isAncestorFiles };
      const packageJson = getPackageJson(startPath);
      if (typeof packageJson?.filePath !== "string") {
        return retv;
      }
      const data = cache.get(packageJson.filePath);
      if (data) {
        return data;
      }
      const filesIgnore = parseWhiteList(packageJson.files);
      const npmignoreIgnore = parseNpmignore(
        path17.dirname(packageJson.filePath),
        Boolean(filesIgnore)
      );
      if (filesIgnore && npmignoreIgnore) {
        retv.match = and(
          filterNeverIgnoredFiles(packageJson),
          or(isAncestorFiles, filesIgnore, npmignoreIgnore)
        );
      } else if (filesIgnore) {
        retv.match = and(
          filterNeverIgnoredFiles(packageJson),
          or(isAncestorFiles, filesIgnore)
        );
      } else if (npmignoreIgnore) {
        retv.match = and(
          filterNeverIgnoredFiles(packageJson),
          or(isAncestorFiles, npmignoreIgnore)
        );
      }
      cache.set(packageJson.filePath, retv);
      return retv;
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/is-bin-file.js
var require_is_bin_file = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/is-bin-file.js"(exports2, module2) {
    "use strict";
    var path17 = require("path");
    function simulateNodeResolutionAlgorithm(filePath, binField) {
      const possibilities = [filePath];
      let newFilePath = filePath.replace(/\.js$/u, "");
      possibilities.push(newFilePath);
      newFilePath = newFilePath.replace(/[/\\]index$/u, "");
      possibilities.push(newFilePath);
      return possibilities.includes(binField);
    }
    function isBinFile(filePath, binField, basedir) {
      if (!binField) {
        return false;
      }
      if (typeof binField === "string") {
        return simulateNodeResolutionAlgorithm(
          filePath,
          path17.resolve(basedir, binField)
        );
      }
      if (binField instanceof Object === false) {
        return false;
      }
      for (const value of Object.values(binField)) {
        const resolvedPath = path17.resolve(basedir, value);
        if (simulateNodeResolutionAlgorithm(filePath, resolvedPath)) {
          return true;
        }
      }
      return false;
    }
    module2.exports = { isBinFile };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-unpublished-bin.js
var require_no_unpublished_bin = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-unpublished-bin.js"(exports2, module2) {
    "use strict";
    var path17 = require("path");
    var getConvertPath = require_get_convert_path();
    var getNpmignore = require_get_npmignore();
    var { getPackageJson } = require_get_package_json();
    var { isBinFile } = require_is_bin_file();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `bin` files that npm ignores",
          recommended: true,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-unpublished-bin.md"
        },
        type: "problem",
        fixable: null,
        schema: [
          {
            type: "object",
            properties: {
              //
              convertPath: getConvertPath.schema
            }
          }
        ],
        messages: {
          invalidIgnored: "npm ignores '{{name}}'. Check 'files' field of 'package.json' or '.npmignore'."
        }
      },
      create(context) {
        return {
          Program(node) {
            let rawFilePath = context.filename ?? context.getFilename();
            if (rawFilePath === "") {
              return;
            }
            rawFilePath = path17.resolve(rawFilePath);
            const packageJson = getPackageJson(rawFilePath);
            if (typeof packageJson?.filePath !== "string") {
              return {};
            }
            const basedir = path17.dirname(packageJson.filePath);
            const relativePath = getConvertPath(context)(
              path17.relative(basedir, rawFilePath).replace(/\\/gu, "/")
            );
            const filePath = path17.join(basedir, relativePath);
            if (!isBinFile(filePath, packageJson.bin, basedir)) {
              return;
            }
            const npmignore = getNpmignore(filePath);
            if (!npmignore.match(relativePath)) {
              return;
            }
            context.report({
              node,
              messageId: "invalidIgnored",
              data: { name: relativePath }
            });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/check-publish.js
var require_check_publish = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/check-publish.js"(exports2) {
    "use strict";
    var path17 = require("path");
    var getAllowModules = require_get_allow_modules();
    var getConvertPath = require_get_convert_path();
    var getNpmignore = require_get_npmignore();
    var { getPackageJson } = require_get_package_json();
    exports2.checkPublish = function checkPublish(context, filePath, targets) {
      const packageJson = getPackageJson(filePath);
      if (typeof packageJson?.filePath !== "string") {
        return;
      }
      if (packageJson.private === true) {
        return;
      }
      const allowed = new Set(getAllowModules(context));
      const convertPath = getConvertPath(context);
      const basedir = path17.dirname(packageJson.filePath);
      const toRelative = (fullPath) => {
        const retv = path17.relative(basedir, fullPath).replace(/\\/gu, "/");
        return convertPath(retv);
      };
      const npmignore = getNpmignore(filePath);
      const devDependencies = new Set(
        Object.keys(packageJson.devDependencies ?? {})
      );
      const dependencies = /* @__PURE__ */ new Set([
        ...Object.keys(packageJson?.dependencies ?? {}),
        ...Object.keys(packageJson?.peerDependencies ?? {}),
        ...Object.keys(packageJson?.optionalDependencies ?? {})
      ]);
      if (!npmignore.match(toRelative(filePath))) {
        for (const target of targets) {
          const isPrivateFile = () => {
            if (target.moduleName != null) {
              return false;
            }
            const relativeTargetPath = toRelative(target.filePath ?? "");
            return relativeTargetPath !== "" && npmignore.match(relativeTargetPath);
          };
          const isDevPackage = () => target.moduleName != null && devDependencies.has(target.moduleName) && !dependencies.has(target.moduleName) && !allowed.has(target.moduleName);
          if (isPrivateFile() || isDevPackage()) {
            context.report({
              node: target.node,
              loc: (
                /** @type {import('estree').SourceLocation} */
                target.node.loc
              ),
              messageId: "notPublished",
              data: { name: target.moduleName || target.name }
            });
          }
        }
      }
    };
    exports2.messages = {
      notPublished: '"{{name}}" is not published.'
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-unpublished-import.js
var require_no_unpublished_import = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-unpublished-import.js"(exports2, module2) {
    "use strict";
    var { checkPublish, messages: messages116 } = require_check_publish();
    var getAllowModules = require_get_allow_modules();
    var getConvertPath = require_get_convert_path();
    var getResolvePaths = require_get_resolve_paths();
    var visitImport = require_visit_import();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `import` declarations which import private modules",
          recommended: true,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-unpublished-import.md"
        },
        type: "problem",
        fixable: null,
        schema: [
          {
            type: "object",
            properties: {
              allowModules: getAllowModules.schema,
              convertPath: getConvertPath.schema,
              resolvePaths: getResolvePaths.schema,
              ignoreTypeImport: { type: "boolean", default: false }
            },
            additionalProperties: false
          }
        ],
        messages: messages116
      },
      create(context) {
        const filePath = context.filename ?? context.getFilename();
        const options = context.options[0] || {};
        const ignoreTypeImport = options.ignoreTypeImport === void 0 ? false : options.ignoreTypeImport;
        if (filePath === "") {
          return {};
        }
        return visitImport(context, { ignoreTypeImport }, (targets) => {
          checkPublish(context, filePath, targets);
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-unpublished-require.js
var require_no_unpublished_require = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-unpublished-require.js"(exports2, module2) {
    "use strict";
    var { checkPublish, messages: messages116 } = require_check_publish();
    var getAllowModules = require_get_allow_modules();
    var getConvertPath = require_get_convert_path();
    var getResolvePaths = require_get_resolve_paths();
    var getTryExtensions = require_get_try_extensions();
    var visitRequire = require_visit_require();
    module2.exports = {
      meta: {
        docs: {
          description: "disallow `require()` expressions which import private modules",
          recommended: true,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-unpublished-require.md"
        },
        type: "problem",
        fixable: null,
        schema: [
          {
            type: "object",
            properties: {
              allowModules: getAllowModules.schema,
              convertPath: getConvertPath.schema,
              resolvePaths: getResolvePaths.schema,
              tryExtensions: getTryExtensions.schema
            },
            additionalProperties: false
          }
        ],
        messages: messages116
      },
      create(context) {
        const filePath = context.filename ?? context.getFilename();
        if (filePath === "") {
          return {};
        }
        return visitRequire(context, {}, (targets) => {
          checkPublish(context, filePath, targets);
        });
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/check-unsupported-builtins.js
var require_check_unsupported_builtins = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/check-unsupported-builtins.js"(exports2, module2) {
    "use strict";
    var { rsort } = require_semver2();
    var { ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var getConfiguredNodeVersion = require_get_configured_node_version();
    var getSemverRange = require_get_semver_range();
    var unprefixNodeColon = require_unprefix_node_colon();
    var semverRangeSubset = require_subset();
    function parseOptions(context) {
      const raw = context.options[0] || {};
      const version = getConfiguredNodeVersion(context);
      const ignores2 = new Set(raw.ignores || []);
      const allowExperimental = raw.allowExperimental ?? false;
      return Object.freeze({ version, ignores: ignores2, allowExperimental });
    }
    function isInRange(featureRange, requestedRange) {
      if (featureRange == null || featureRange.length === 0) {
        return false;
      }
      const [latest] = rsort(featureRange);
      const range = getSemverRange(
        [...featureRange.map((version) => `^${version}`), `>= ${latest}`].join(
          "||"
        )
      );
      if (range == null) {
        return false;
      }
      return semverRangeSubset(requestedRange, range);
    }
    function versionsToString(versions) {
      if (versions == null) {
        return;
      }
      const [latest, ...backported] = rsort(versions);
      if (backported.length === 0) {
        return latest;
      }
      const backportString = backported.map((version) => `^${version}`).join(", ");
      return `${latest} (backported: ${backportString})`;
    }
    module2.exports.checkUnsupportedBuiltins = function checkUnsupportedBuiltins(context, traceMap) {
      const options = parseOptions(context);
      const sourceCode = context.sourceCode ?? context.getSourceCode();
      const scope = sourceCode.getScope?.(sourceCode.ast) ?? context.getScope();
      const tracker2 = new ReferenceTracker2(scope, { mode: "legacy" });
      const references = [
        ...tracker2.iterateCjsReferences(traceMap.modules ?? {}),
        ...tracker2.iterateEsmReferences(traceMap.modules ?? {}),
        ...tracker2.iterateGlobalReferences(traceMap.globals ?? {})
      ];
      for (const { node, path: path17, info } of references) {
        const name = unprefixNodeColon(path17.join("."));
        if (options.ignores.has(name)) {
          continue;
        }
        if (options.allowExperimental) {
          if (isInRange(info.experimental, options.version)) {
            continue;
          }
          const experimentalVersion = versionsToString(info.experimental);
          if (experimentalVersion) {
            context.report({
              node,
              messageId: "not-experimental-till",
              data: {
                name,
                experimental: experimentalVersion,
                version: options.version.raw
              }
            });
            continue;
          }
        }
        if (isInRange(info.supported, options.version)) {
          continue;
        }
        const supportedVersion = versionsToString(info.supported);
        if (supportedVersion) {
          context.report({
            node,
            messageId: "not-supported-till",
            data: {
              name,
              supported: supportedVersion,
              version: options.version.raw
            }
          });
          continue;
        }
        context.report({
          node,
          messageId: "not-supported-yet",
          data: {
            name,
            version: options.version.raw
          }
        });
      }
    };
    exports2.messages = {
      "not-experimental-till": [
        "The '{{name}}' is not an experimental feature",
        "until Node.js {{experimental}}.",
        "The configured version range is '{{version}}'."
      ].join(" "),
      "not-supported-till": [
        "The '{{name}}' is still an experimental feature",
        "and is not supported until Node.js {{supported}}.",
        "The configured version range is '{{version}}'."
      ].join(" "),
      "not-supported-yet": [
        "The '{{name}}' is still an experimental feature",
        "The configured version range is '{{version}}'."
      ].join(" ")
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-unsupported-features/es-builtins.js
var require_es_builtins = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-unsupported-features/es-builtins.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var {
      checkUnsupportedBuiltins,
      messages: messages116
    } = require_check_unsupported_builtins();
    var enumeratePropertyNames = require_enumerate_property_names();
    var getConfiguredNodeVersion = require_get_configured_node_version();
    var traceMap = {
      globals: {
        // Core js builtins
        AggregateError: {
          [READ2]: { supported: ["15.0.0"] }
        },
        Array: {
          [READ2]: { supported: ["0.10.0"] },
          from: { [READ2]: { supported: ["4.0.0"] } },
          isArray: { [READ2]: { supported: ["0.10.0"] } },
          length: { [READ2]: { supported: ["0.10.0"] } },
          of: { [READ2]: { supported: ["4.0.0"] } },
          toLocaleString: { [READ2]: { supported: ["0.10.0"] } }
        },
        ArrayBuffer: {
          [READ2]: { supported: ["0.10.0"] },
          isView: { [READ2]: { supported: ["4.0.0"] } }
        },
        Atomics: {
          [READ2]: { supported: ["8.10.0"] },
          add: { [READ2]: { supported: ["8.10.0"] } },
          and: { [READ2]: { supported: ["8.10.0"] } },
          compareExchange: { [READ2]: { supported: ["8.10.0"] } },
          exchange: { [READ2]: { supported: ["8.10.0"] } },
          isLockFree: { [READ2]: { supported: ["8.10.0"] } },
          load: { [READ2]: { supported: ["8.10.0"] } },
          notify: { [READ2]: { supported: ["8.10.0"] } },
          or: { [READ2]: { supported: ["8.10.0"] } },
          store: { [READ2]: { supported: ["8.10.0"] } },
          sub: { [READ2]: { supported: ["8.10.0"] } },
          wait: { [READ2]: { supported: ["8.10.0"] } },
          waitAsync: { [READ2]: { supported: ["16.0.0"] } },
          xor: { [READ2]: { supported: ["8.10.0"] } }
        },
        BigInt: {
          [READ2]: { supported: ["10.4.0"] },
          asIntN: { [READ2]: { supported: ["10.4.0"] } },
          asUintN: { [READ2]: { supported: ["10.4.0"] } }
        },
        BigInt64Array: {
          [READ2]: { supported: ["10.4.0"] },
          BYTES_PER_ELEMENT: { [READ2]: { supported: ["0.10.0"] } },
          from: { [READ2]: { supported: ["4.0.0"] } },
          name: { [READ2]: { supported: ["0.10.0"] } },
          of: { [READ2]: { supported: ["4.0.0"] } }
        },
        BigUint64Array: {
          [READ2]: { supported: ["10.4.0"] },
          BYTES_PER_ELEMENT: { [READ2]: { supported: ["0.10.0"] } },
          from: { [READ2]: { supported: ["4.0.0"] } },
          name: { [READ2]: { supported: ["0.10.0"] } },
          of: { [READ2]: { supported: ["4.0.0"] } }
        },
        Boolean: {
          [READ2]: { supported: ["0.10.0"] }
        },
        DataView: {
          [READ2]: { supported: ["0.10.0"] }
        },
        Date: {
          [READ2]: { supported: ["0.10.0"] },
          UTC: { [READ2]: { supported: ["0.10.0"] } },
          now: { [READ2]: { supported: ["0.10.0"] } },
          parse: { [READ2]: { supported: ["0.10.0"] } },
          toLocaleDateString: { [READ2]: { supported: ["0.10.0"] } },
          toLocaleString: { [READ2]: { supported: ["0.10.0"] } },
          toLocaleTimeString: { [READ2]: { supported: ["0.10.0"] } }
        },
        Error: {
          [READ2]: { supported: ["0.10.0"] },
          cause: { [READ2]: { supported: ["16.9.0"] } }
        },
        EvalError: {
          [READ2]: { supported: ["0.10.0"] }
        },
        FinalizationRegistry: {
          [READ2]: { supported: ["14.6.0"] }
        },
        Float32Array: {
          [READ2]: { supported: ["0.10.0"] },
          BYTES_PER_ELEMENT: { [READ2]: { supported: ["0.10.0"] } },
          from: { [READ2]: { supported: ["4.0.0"] } },
          name: { [READ2]: { supported: ["0.10.0"] } },
          of: { [READ2]: { supported: ["4.0.0"] } }
        },
        Float64Array: {
          [READ2]: { supported: ["0.10.0"] },
          BYTES_PER_ELEMENT: { [READ2]: { supported: ["0.10.0"] } },
          from: { [READ2]: { supported: ["4.0.0"] } },
          name: { [READ2]: { supported: ["0.10.0"] } },
          of: { [READ2]: { supported: ["4.0.0"] } }
        },
        Function: {
          [READ2]: { supported: ["0.10.0"] },
          length: { [READ2]: { supported: ["0.10.0"] } },
          name: { [READ2]: { supported: ["0.10.0"] } }
        },
        Infinity: {
          [READ2]: { supported: ["0.10.0"] }
        },
        Int16Array: {
          [READ2]: { supported: ["0.10.0"] },
          BYTES_PER_ELEMENT: { [READ2]: { supported: ["0.10.0"] } },
          from: { [READ2]: { supported: ["4.0.0"] } },
          name: { [READ2]: { supported: ["0.10.0"] } },
          of: { [READ2]: { supported: ["4.0.0"] } }
        },
        Int32Array: {
          [READ2]: { supported: ["0.10.0"] },
          BYTES_PER_ELEMENT: { [READ2]: { supported: ["0.10.0"] } },
          from: { [READ2]: { supported: ["4.0.0"] } },
          name: { [READ2]: { supported: ["0.10.0"] } },
          of: { [READ2]: { supported: ["4.0.0"] } }
        },
        Int8Array: {
          [READ2]: { supported: ["0.10.0"] },
          BYTES_PER_ELEMENT: { [READ2]: { supported: ["0.10.0"] } },
          from: { [READ2]: { supported: ["4.0.0"] } },
          name: { [READ2]: { supported: ["0.10.0"] } },
          of: { [READ2]: { supported: ["4.0.0"] } }
        },
        Intl: {
          [READ2]: { supported: ["0.12.0"] },
          Collator: { [READ2]: { supported: ["0.12.0"] } },
          DateTimeFormat: { [READ2]: { supported: ["0.12.0"] } },
          DisplayNames: { [READ2]: { supported: ["14.0.0"] } },
          ListFormat: { [READ2]: { supported: ["12.0.0"] } },
          Locale: { [READ2]: { supported: ["12.0.0"] } },
          NumberFormat: { [READ2]: { supported: ["0.12.0"] } },
          PluralRules: { [READ2]: { supported: ["10.0.0"] } },
          RelativeTimeFormat: { [READ2]: { supported: ["12.0.0"] } },
          Segmenter: { [READ2]: { supported: ["16.0.0"] } },
          Segments: { [READ2]: { supported: ["16.0.0"] } },
          getCanonicalLocales: { [READ2]: { supported: ["7.0.0"] } },
          supportedValuesOf: { [READ2]: { supported: ["18.0.0"] } }
        },
        JSON: {
          [READ2]: { supported: ["0.10.0"] },
          parse: { [READ2]: { supported: ["0.10.0"] } },
          stringify: { [READ2]: { supported: ["0.10.0"] } }
        },
        Map: {
          [READ2]: { supported: ["0.12.0"] },
          groupBy: { [READ2]: { supported: ["21.0.0"] } }
        },
        Math: {
          [READ2]: { supported: ["0.10.0"] },
          E: { [READ2]: { supported: ["0.10.0"] } },
          LN10: { [READ2]: { supported: ["0.10.0"] } },
          LN2: { [READ2]: { supported: ["0.10.0"] } },
          LOG10E: { [READ2]: { supported: ["0.10.0"] } },
          LOG2E: { [READ2]: { supported: ["0.10.0"] } },
          PI: { [READ2]: { supported: ["0.10.0"] } },
          SQRT1_2: { [READ2]: { supported: ["0.10.0"] } },
          SQRT2: { [READ2]: { supported: ["0.10.0"] } },
          abs: { [READ2]: { supported: ["0.10.0"] } },
          acos: { [READ2]: { supported: ["0.10.0"] } },
          acosh: { [READ2]: { supported: ["0.12.0"] } },
          asin: { [READ2]: { supported: ["0.10.0"] } },
          asinh: { [READ2]: { supported: ["0.12.0"] } },
          atan: { [READ2]: { supported: ["0.10.0"] } },
          atan2: { [READ2]: { supported: ["0.10.0"] } },
          atanh: { [READ2]: { supported: ["0.12.0"] } },
          cbrt: { [READ2]: { supported: ["0.12.0"] } },
          ceil: { [READ2]: { supported: ["0.10.0"] } },
          clz32: { [READ2]: { supported: ["0.12.0"] } },
          cos: { [READ2]: { supported: ["0.10.0"] } },
          cosh: { [READ2]: { supported: ["0.12.0"] } },
          exp: { [READ2]: { supported: ["0.10.0"] } },
          expm1: { [READ2]: { supported: ["0.12.0"] } },
          floor: { [READ2]: { supported: ["0.10.0"] } },
          fround: { [READ2]: { supported: ["0.12.0"] } },
          hypot: { [READ2]: { supported: ["0.12.0"] } },
          imul: { [READ2]: { supported: ["0.12.0"] } },
          log: { [READ2]: { supported: ["0.10.0"] } },
          log10: { [READ2]: { supported: ["0.12.0"] } },
          log1p: { [READ2]: { supported: ["0.12.0"] } },
          log2: { [READ2]: { supported: ["0.12.0"] } },
          max: { [READ2]: { supported: ["0.10.0"] } },
          min: { [READ2]: { supported: ["0.10.0"] } },
          pow: { [READ2]: { supported: ["0.10.0"] } },
          random: { [READ2]: { supported: ["0.10.0"] } },
          round: { [READ2]: { supported: ["0.10.0"] } },
          sign: { [READ2]: { supported: ["0.12.0"] } },
          sin: { [READ2]: { supported: ["0.10.0"] } },
          sinh: { [READ2]: { supported: ["0.12.0"] } },
          sqrt: { [READ2]: { supported: ["0.10.0"] } },
          tan: { [READ2]: { supported: ["0.10.0"] } },
          tanh: { [READ2]: { supported: ["0.12.0"] } },
          trunc: { [READ2]: { supported: ["0.12.0"] } }
        },
        NaN: {
          [READ2]: { supported: ["0.10.0"] }
        },
        Number: {
          // [READ]: { supported: [ "0.10.0" ] },
          EPSILON: { [READ2]: { supported: ["0.12.0"] } },
          MAX_SAFE_INTEGER: { [READ2]: { supported: ["0.12.0"] } },
          MAX_VALUE: { [READ2]: { supported: ["0.10.0"] } },
          MIN_SAFE_INTEGER: { [READ2]: { supported: ["0.12.0"] } },
          MIN_VALUE: { [READ2]: { supported: ["0.10.0"] } },
          NEGATIVE_INFINITY: { [READ2]: { supported: ["0.10.0"] } },
          NaN: { [READ2]: { supported: ["0.10.0"] } },
          POSITIVE_INFINITY: { [READ2]: { supported: ["0.10.0"] } },
          isFinite: { [READ2]: { supported: ["0.10.0"] } },
          isInteger: { [READ2]: { supported: ["0.12.0"] } },
          isNaN: { [READ2]: { supported: ["0.10.0"] } },
          isSafeInteger: { [READ2]: { supported: ["0.12.0"] } },
          parseFloat: { [READ2]: { supported: ["0.12.0"] } },
          parseInt: { [READ2]: { supported: ["0.12.0"] } },
          toLocaleString: { [READ2]: { supported: ["0.10.0"] } }
        },
        Object: {
          // [READ]: { supported: [ "0.10.0" ] },
          assign: { [READ2]: { supported: ["4.0.0"] } },
          create: { [READ2]: { supported: ["0.10.0"] } },
          defineGetter: { [READ2]: { supported: ["0.10.0"] } },
          defineProperties: { [READ2]: { supported: ["0.10.0"] } },
          defineProperty: { [READ2]: { supported: ["0.10.0"] } },
          defineSetter: { [READ2]: { supported: ["0.10.0"] } },
          entries: { [READ2]: { supported: ["7.0.0"] } },
          freeze: { [READ2]: { supported: ["0.10.0"] } },
          fromEntries: { [READ2]: { supported: ["12.0.0"] } },
          getOwnPropertyDescriptor: { [READ2]: { supported: ["0.10.0"] } },
          getOwnPropertyDescriptors: { [READ2]: { supported: ["7.0.0"] } },
          getOwnPropertyNames: { [READ2]: { supported: ["0.10.0"] } },
          getOwnPropertySymbols: { [READ2]: { supported: ["0.12.0"] } },
          getPrototypeOf: { [READ2]: { supported: ["0.10.0"] } },
          groupBy: { [READ2]: { supported: ["21.0.0"] } },
          hasOwn: { [READ2]: { supported: ["16.9.0"] } },
          is: { [READ2]: { supported: ["0.10.0"] } },
          isExtensible: { [READ2]: { supported: ["0.10.0"] } },
          isFrozen: { [READ2]: { supported: ["0.10.0"] } },
          isSealed: { [READ2]: { supported: ["0.10.0"] } },
          keys: { [READ2]: { supported: ["0.10.0"] } },
          lookupGetter: { [READ2]: { supported: ["0.10.0"] } },
          lookupSetter: { [READ2]: { supported: ["0.10.0"] } },
          preventExtensions: { [READ2]: { supported: ["0.10.0"] } },
          proto: { [READ2]: { supported: ["0.10.0"] } },
          seal: { [READ2]: { supported: ["0.10.0"] } },
          setPrototypeOf: { [READ2]: { supported: ["0.12.0"] } },
          values: { [READ2]: { supported: ["7.0.0"] } }
        },
        Promise: {
          [READ2]: { supported: ["0.12.0"] },
          all: { [READ2]: { supported: ["0.12.0"] } },
          allSettled: { [READ2]: { supported: ["12.9.0"] } },
          any: { [READ2]: { supported: ["15.0.0"] } },
          race: { [READ2]: { supported: ["0.12.0"] } },
          reject: { [READ2]: { supported: ["0.12.0"] } },
          resolve: { [READ2]: { supported: ["0.12.0"] } }
        },
        Proxy: {
          [READ2]: { supported: ["6.0.0"] },
          revocable: { [READ2]: { supported: ["6.0.0"] } }
        },
        RangeError: {
          [READ2]: { supported: ["0.10.0"] }
        },
        ReferenceError: {
          [READ2]: { supported: ["0.10.0"] }
        },
        Reflect: {
          [READ2]: { supported: ["6.0.0"] },
          apply: { [READ2]: { supported: ["6.0.0"] } },
          construct: { [READ2]: { supported: ["6.0.0"] } },
          defineProperty: { [READ2]: { supported: ["6.0.0"] } },
          deleteProperty: { [READ2]: { supported: ["6.0.0"] } },
          get: { [READ2]: { supported: ["6.0.0"] } },
          getOwnPropertyDescriptor: { [READ2]: { supported: ["6.0.0"] } },
          getPrototypeOf: { [READ2]: { supported: ["6.0.0"] } },
          has: { [READ2]: { supported: ["6.0.0"] } },
          isExtensible: { [READ2]: { supported: ["6.0.0"] } },
          ownKeys: { [READ2]: { supported: ["6.0.0"] } },
          preventExtensions: { [READ2]: { supported: ["6.0.0"] } },
          set: { [READ2]: { supported: ["6.0.0"] } },
          setPrototypeOf: { [READ2]: { supported: ["6.0.0"] } }
        },
        RegExp: {
          [READ2]: { supported: ["0.10.0"] },
          dotAll: { [READ2]: { supported: ["8.10.0"] } },
          hasIndices: { [READ2]: { supported: ["16.0.0"] } },
          input: { [READ2]: { supported: ["0.10.0"] } },
          lastIndex: { [READ2]: { supported: ["0.10.0"] } },
          lastMatch: { [READ2]: { supported: ["0.10.0"] } },
          lastParen: { [READ2]: { supported: ["0.10.0"] } },
          leftContext: { [READ2]: { supported: ["0.10.0"] } },
          n: { [READ2]: { supported: ["0.10.0"] } },
          rightContext: { [READ2]: { supported: ["0.10.0"] } }
        },
        Set: {
          [READ2]: { supported: ["0.12.0"] }
        },
        SharedArrayBuffer: {
          [READ2]: { supported: ["8.10.0"] }
        },
        String: {
          [READ2]: { supported: ["0.10.0"] },
          fromCharCode: { [READ2]: { supported: ["0.10.0"] } },
          fromCodePoint: { [READ2]: { supported: ["4.0.0"] } },
          length: { [READ2]: { supported: ["0.10.0"] } },
          localeCompare: { [READ2]: { supported: ["0.10.0"] } },
          raw: { [READ2]: { supported: ["4.0.0"] } },
          toLocaleLowerCase: { [READ2]: { supported: ["0.10.0"] } },
          toLocaleUpperCase: { [READ2]: { supported: ["0.10.0"] } }
        },
        Symbol: {
          [READ2]: { supported: ["0.12.0"] },
          asyncIterator: { [READ2]: { supported: ["10.0.0"] } },
          for: { [READ2]: { supported: ["0.12.0"] } },
          hasInstance: { [READ2]: { supported: ["6.5.0"] } },
          isConcatSpreadable: { [READ2]: { supported: ["6.0.0"] } },
          iterator: { [READ2]: { supported: ["0.12.0"] } },
          keyFor: { [READ2]: { supported: ["0.12.0"] } },
          match: { [READ2]: { supported: ["6.0.0"] } },
          matchAll: { [READ2]: { supported: ["12.0.0"] } },
          replace: { [READ2]: { supported: ["6.0.0"] } },
          search: { [READ2]: { supported: ["6.0.0"] } },
          species: { [READ2]: { supported: ["6.5.0"] } },
          split: { [READ2]: { supported: ["6.0.0"] } },
          toPrimitive: { [READ2]: { supported: ["6.0.0"] } },
          toStringTag: { [READ2]: { supported: ["6.0.0"] } },
          unscopables: { [READ2]: { supported: ["0.12.0"] } }
        },
        SyntaxError: {
          [READ2]: { supported: ["0.10.0"] }
        },
        TypeError: {
          [READ2]: { supported: ["0.10.0"] }
        },
        URIError: {
          [READ2]: { supported: ["0.10.0"] }
        },
        Uint16Array: {
          [READ2]: { supported: ["0.10.0"] },
          BYTES_PER_ELEMENT: { [READ2]: { supported: ["0.10.0"] } },
          from: { [READ2]: { supported: ["4.0.0"] } },
          name: { [READ2]: { supported: ["0.10.0"] } },
          of: { [READ2]: { supported: ["4.0.0"] } }
        },
        Uint32Array: {
          [READ2]: { supported: ["0.10.0"] },
          BYTES_PER_ELEMENT: { [READ2]: { supported: ["0.10.0"] } },
          from: { [READ2]: { supported: ["4.0.0"] } },
          name: { [READ2]: { supported: ["0.10.0"] } },
          of: { [READ2]: { supported: ["4.0.0"] } }
        },
        Uint8Array: {
          [READ2]: { supported: ["0.10.0"] },
          BYTES_PER_ELEMENT: { [READ2]: { supported: ["0.10.0"] } },
          from: { [READ2]: { supported: ["4.0.0"] } },
          name: { [READ2]: { supported: ["0.10.0"] } },
          of: { [READ2]: { supported: ["4.0.0"] } }
        },
        Uint8ClampedArray: {
          [READ2]: { supported: ["0.10.0"] },
          BYTES_PER_ELEMENT: { [READ2]: { supported: ["0.10.0"] } },
          from: { [READ2]: { supported: ["4.0.0"] } },
          name: { [READ2]: { supported: ["0.10.0"] } },
          of: { [READ2]: { supported: ["4.0.0"] } }
        },
        WeakMap: {
          [READ2]: { supported: ["0.12.0"] }
        },
        WeakRef: {
          [READ2]: { supported: ["14.6.0"] }
        },
        WeakSet: {
          [READ2]: { supported: ["0.12.0"] }
        },
        decodeURI: {
          [READ2]: { supported: ["0.10.0"] }
        },
        decodeURIComponent: {
          [READ2]: { supported: ["0.10.0"] }
        },
        encodeURI: {
          [READ2]: { supported: ["0.10.0"] }
        },
        encodeURIComponent: {
          [READ2]: { supported: ["0.10.0"] }
        },
        escape: {
          [READ2]: { supported: ["0.10.0"] }
        },
        eval: {
          [READ2]: { supported: ["0.10.0"] }
        },
        globalThis: {
          [READ2]: { supported: ["12.0.0"] }
        },
        isFinite: {
          [READ2]: { supported: ["0.10.0"] }
        },
        isNaN: {
          [READ2]: { supported: ["0.10.0"] }
        },
        parseFloat: {
          [READ2]: { supported: ["0.10.0"] }
        },
        parseInt: {
          [READ2]: { supported: ["0.10.0"] }
        },
        unescape: {
          [READ2]: { supported: ["0.10.0"] }
        }
      },
      modules: {}
    };
    module2.exports = {
      meta: {
        docs: {
          description: "disallow unsupported ECMAScript built-ins on the specified version",
          recommended: true,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-unsupported-features/es-builtins.md"
        },
        type: "problem",
        fixable: null,
        schema: [
          {
            type: "object",
            properties: {
              version: getConfiguredNodeVersion.schema,
              ignores: {
                type: "array",
                items: {
                  enum: Array.from(
                    enumeratePropertyNames(traceMap.globals)
                  )
                },
                uniqueItems: true
              }
            },
            additionalProperties: false
          }
        ],
        messages: messages116
      },
      create(context) {
        return {
          "Program:exit"() {
            checkUnsupportedBuiltins(context, traceMap);
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/merge-visitors-in-place.js
var require_merge_visitors_in_place = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/merge-visitors-in-place.js"(exports2, module2) {
    "use strict";
    module2.exports = function mergeVisitorsInPlace(visitor1, visitor2) {
      for (const key of Object.keys(visitor2)) {
        const handler1 = visitor1[key];
        const handler2 = visitor2[key];
        if (typeof handler1 !== "function") {
          visitor1[key] = handler2;
          continue;
        }
        if (typeof handler2 !== "function") {
          continue;
        }
        if ("_handlers" in handler1 && Array.isArray(handler1._handlers)) {
          handler1._handlers.push(handler2);
          continue;
        }
        const handlers = [handler1, handler2];
        visitor1[key] = Object.assign(dispatch.bind(null, handlers), {
          _handlers: handlers
        });
      }
      return visitor1;
    };
    function dispatch(handlers, node) {
      for (const h of handlers) {
        h(node);
      }
    }
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-unsupported-features/es-syntax.json
var require_es_syntax = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-unsupported-features/es-syntax.json"(exports2, module2) {
    module2.exports = {
      "no-accessor-properties": {
        supported: ">=0.10.0"
      },
      "no-arbitrary-module-namespace-names": {
        supported: ">=13.2.0"
      },
      "no-array-from": {
        supported: ">=4.0.0"
      },
      "no-array-isarray": {
        supported: ">=0.10.0"
      },
      "no-array-of": {
        supported: ">=4.0.0"
      },
      "no-array-prototype-copywithin": {
        supported: ">=4.0.0"
      },
      "no-array-prototype-entries": {
        supported: ">=0.12.0"
      },
      "no-array-prototype-every": {
        supported: ">=0.10.0"
      },
      "no-array-prototype-fill": {
        supported: ">=4.0.0"
      },
      "no-array-prototype-filter": {
        supported: ">=0.10.0"
      },
      "no-array-prototype-find": {
        supported: ">=4.0.0"
      },
      "no-array-prototype-findindex": {
        supported: ">=4.0.0"
      },
      "no-array-prototype-findlast-findlastindex": {
        supported: ">=18.0.0"
      },
      "no-array-prototype-flat": {
        supported: ">=11.0.0"
      },
      "no-array-prototype-foreach": {
        supported: ">=0.10.0"
      },
      "no-array-prototype-includes": {
        supported: ">=6.0.0"
      },
      "no-array-prototype-indexof": {
        supported: ">=0.10.0"
      },
      "no-array-prototype-keys": {
        supported: ">=0.12.0"
      },
      "no-array-prototype-lastindexof": {
        supported: ">=0.10.0"
      },
      "no-array-prototype-map": {
        supported: ">=0.10.0"
      },
      "no-array-prototype-reduce": {
        supported: ">=0.10.0"
      },
      "no-array-prototype-reduceright": {
        supported: ">=0.10.0"
      },
      "no-array-prototype-some": {
        supported: ">=0.10.0"
      },
      "no-array-prototype-toreversed": {
        supported: ">=20.0.0"
      },
      "no-array-prototype-tosorted": {
        supported: ">=20.0.0"
      },
      "no-array-prototype-tospliced": {
        supported: ">=20.0.0"
      },
      "no-array-prototype-values": {
        supported: ">=10.9.0"
      },
      "no-array-prototype-with": {
        supported: ">=20.0.0"
      },
      "no-array-string-prototype-at": {
        supported: ">=16.6.0"
      },
      "no-arrow-functions": {
        supported: ">=4.0.0"
      },
      "no-async-functions": {
        supported: ">=7.6.0"
      },
      "no-async-iteration": {
        supported: ">=10.0.0"
      },
      "no-atomics-waitasync": {
        supported: ">=16.0.0"
      },
      "no-atomics": {
        supported: ">=8.10.0"
      },
      "no-bigint": {
        supported: ">=10.4.0"
      },
      "no-binary-numeric-literals": {
        supported: ">=4.0.0"
      },
      "no-block-scoped-functions": {
        supported: ">=4.0.0",
        strictMode: ">=6.0.0"
      },
      "no-block-scoped-variables": {
        supported: ">=4.0.0",
        strictMode: ">=6.0.0"
      },
      "no-class-fields": {
        supported: ">=12.0.0"
      },
      "no-class-static-block": {
        supported: ">=16.11.0"
      },
      "no-classes": {
        supported: ">=4.0.0",
        strictMode: ">=6.0.0"
      },
      "no-computed-properties": {
        supported: ">=4.0.0"
      },
      "no-date-now": {
        supported: ">=0.10.0"
      },
      "no-date-prototype-getyear-setyear": {
        supported: ">=0.10.0",
        deprecated: ">=0.10.0"
      },
      "no-date-prototype-togmtstring": {
        supported: ">=0.10.0",
        deprecated: ">=0.10.0"
      },
      "no-default-parameters": {
        supported: ">=6.0.0"
      },
      "no-destructuring": {
        supported: ">=6.0.0"
      },
      "no-dynamic-import": {
        supported: "^12.17.0 || >=13.2.0"
      },
      "no-error-cause": {
        supported: ">=16.9.0"
      },
      "no-escape-unescape": {
        supported: ">=0.10.0",
        deprecated: ">=0.10.0"
      },
      "no-exponential-operators": {
        supported: ">=7.0.0"
      },
      "no-export-ns-from": {
        supported: ">=13.2.0"
      },
      "no-for-of-loops": {
        supported: ">=0.12.0"
      },
      "no-function-declarations-in-if-statement-clauses-without-block": {
        supported: ">=0.10.0"
      },
      "no-function-prototype-bind": {
        supported: ">=0.10.0"
      },
      "no-generators": {
        supported: ">=4.0.0"
      },
      "no-global-this": {
        supported: ">=12.0.0"
      },
      "no-hashbang": {
        supported: ">=12.5.0"
      },
      "no-import-meta": {
        supported: ">=10.4.0"
      },
      "no-initializers-in-for-in": {
        supported: ">=0.10.0"
      },
      "no-intl-datetimeformat-prototype-formatrange": {
        supported: ">=12.9.0"
      },
      "no-intl-datetimeformat-prototype-formattoparts": {
        supported: ">=12.9.0"
      },
      "no-intl-displaynames": {
        supported: ">=14.0.0"
      },
      "no-intl-getcanonicallocales": {
        supported: ">=7.0.0"
      },
      "no-intl-listformat": {
        supported: ">=12.0.0"
      },
      "no-intl-locale": {
        supported: ">=12.0.0"
      },
      "no-intl-numberformat-prototype-formatrange": {
        supported: ">=19.0.0"
      },
      "no-intl-numberformat-prototype-formatrangetoparts": {
        supported: ">=19.0.0"
      },
      "no-intl-numberformat-prototype-formattoparts": {
        supported: ">=10.0.0"
      },
      "no-intl-pluralrules-prototype-selectrange": {
        supported: ">=19.0.0"
      },
      "no-intl-pluralrules": {
        supported: ">=10.0.0"
      },
      "no-intl-relativetimeformat": {
        supported: ">=12.0.0"
      },
      "no-intl-segmenter": {
        supported: ">=16.0.0"
      },
      "no-intl-supportedvaluesof": {
        supported: ">=18.0.0"
      },
      "no-json-superset": {
        supported: ">=10.0.0"
      },
      "no-json": {
        supported: ">=0.10.0"
      },
      "no-keyword-properties": {
        supported: ">=0.10.0"
      },
      "no-labelled-function-declarations": {
        supported: ">=0.10.0"
      },
      "no-legacy-object-prototype-accessor-methods": {
        supported: ">=0.10.0",
        deprecated: ">=0.10.0"
      },
      "no-logical-assignment-operators": {
        supported: ">=15.0.0"
      },
      "no-malformed-template-literals": {
        supported: ">=8.10.0"
      },
      "no-map": {
        supported: ">=0.12.0"
      },
      "no-math-acosh": {
        supported: ">=0.12.0"
      },
      "no-math-asinh": {
        supported: ">=0.12.0"
      },
      "no-math-atanh": {
        supported: ">=0.12.0"
      },
      "no-math-cbrt": {
        supported: ">=0.12.0"
      },
      "no-math-clz32": {
        supported: ">=0.12.0"
      },
      "no-math-cosh": {
        supported: ">=0.12.0"
      },
      "no-math-expm1": {
        supported: ">=0.12.0"
      },
      "no-math-fround": {
        supported: ">=0.12.0"
      },
      "no-math-hypot": {
        supported: ">=0.12.0"
      },
      "no-math-imul": {
        supported: ">=0.12.0"
      },
      "no-math-log10": {
        supported: ">=0.12.0"
      },
      "no-math-log1p": {
        supported: ">=0.12.0"
      },
      "no-math-log2": {
        supported: ">=0.12.0"
      },
      "no-math-sign": {
        supported: ">=0.12.0"
      },
      "no-math-sinh": {
        supported: ">=0.12.0"
      },
      "no-math-tanh": {
        supported: ">=0.12.0"
      },
      "no-math-trunc": {
        supported: ">=0.12.0"
      },
      "no-modules": {
        supported: "^12.17.0 || >=13.2.0"
      },
      "no-new-target": {
        aliases: ["new.target"],
        supported: ">=5.0.0"
      },
      "no-nullish-coalescing-operators": {
        supported: ">=14.0.0"
      },
      "no-number-epsilon": {
        supported: ">=0.12.0"
      },
      "no-number-isfinite": {
        supported: ">=0.10.0"
      },
      "no-number-isinteger": {
        supported: ">=0.10.0"
      },
      "no-number-isnan": {
        supported: ">=0.10.0"
      },
      "no-number-issafeinteger": {
        supported: ">=0.12.0"
      },
      "no-number-maxsafeinteger": {
        supported: ">=0.12.0"
      },
      "no-number-minsafeinteger": {
        supported: ">=0.12.0"
      },
      "no-number-parsefloat": {
        supported: ">=0.12.0"
      },
      "no-number-parseint": {
        supported: ">=0.12.0"
      },
      "no-numeric-separators": {
        supported: ">=12.5.0"
      },
      "no-object-assign": {
        supported: ">=4.0.0"
      },
      "no-object-create": {
        supported: ">=0.10.0"
      },
      "no-object-defineproperties": {
        supported: ">=0.10.0"
      },
      "no-object-defineproperty": {
        supported: ">=0.10.0"
      },
      "no-object-entries": {
        supported: ">=7.0.0"
      },
      "no-object-freeze": {
        supported: ">=0.10.0"
      },
      "no-object-fromentries": {
        supported: ">=12.0.0"
      },
      "no-object-getownpropertydescriptor": {
        supported: ">=0.10.0"
      },
      "no-object-getownpropertydescriptors": {
        supported: ">=7.0.0"
      },
      "no-object-getownpropertynames": {
        supported: ">=0.10.0"
      },
      "no-object-getownpropertysymbols": {
        supported: ">=0.12.0"
      },
      "no-object-getprototypeof": {
        supported: ">=0.10.0"
      },
      "no-object-hasown": {
        supported: ">=16.9.0"
      },
      "no-object-is": {
        supported: ">=0.10.0"
      },
      "no-object-isextensible": {
        supported: ">=0.10.0"
      },
      "no-object-isfrozen": {
        supported: ">=0.10.0"
      },
      "no-object-issealed": {
        supported: ">=0.10.0"
      },
      "no-object-keys": {
        supported: ">=0.10.0"
      },
      "no-object-map-groupby": {
        supported: ">=21.0.0"
      },
      "no-object-preventextensions": {
        supported: ">=0.10.0"
      },
      "no-object-seal": {
        supported: ">=0.10.0"
      },
      "no-object-setprototypeof": {
        supported: ">=0.12.0"
      },
      "no-object-super-properties": {
        supported: ">=4.0.0"
      },
      "no-object-values": {
        supported: ">=7.0.0"
      },
      "no-octal-numeric-literals": {
        supported: ">=4.0.0"
      },
      "no-optional-catch-binding": {
        supported: ">=10.0.0"
      },
      "no-optional-chaining": {
        supported: ">=14.0.0"
      },
      "no-private-in": {
        supported: ">=16.4.0"
      },
      "no-promise-all-settled": {
        supported: ">=12.9.0"
      },
      "no-promise-any": {
        supported: ">=15.0.0"
      },
      "no-promise-prototype-finally": {
        supported: ">=10.0.0"
      },
      "no-promise-withresolvers": {
        supported: null
      },
      "no-promise": {
        supported: ">=0.12.0"
      },
      "no-property-shorthands": {
        supported: ">=4.0.0"
      },
      "no-proxy": {
        supported: ">=6.0.0"
      },
      "no-reflect": {
        supported: ">=6.0.0"
      },
      "no-regexp-d-flag": {
        supported: ">=16.0.0"
      },
      "no-regexp-lookbehind-assertions": {
        aliases: ["regexpLookbehind"],
        supported: ">=8.10.0"
      },
      "no-regexp-named-capture-groups": {
        supported: ">=10.0.0"
      },
      "no-regexp-prototype-compile": {
        supported: ">=0.10.0"
      },
      "no-regexp-prototype-flags": {
        supported: ">=6.0.0"
      },
      "no-regexp-s-flag": {
        aliases: ["regexpS"],
        supported: ">=8.10.0"
      },
      "no-regexp-u-flag": {
        aliases: ["regexpU"],
        supported: ">=6.0.0"
      },
      "no-regexp-unicode-property-escapes-2019": {
        supported: ">=12.1.0 || ^10.16.0"
      },
      "no-regexp-unicode-property-escapes-2020": {
        supported: ">=13.12.0 || ^12.17.0"
      },
      "no-regexp-unicode-property-escapes-2021": {
        supported: ">=17.2.0 || ^16.14.0"
      },
      "no-regexp-unicode-property-escapes-2022": {
        supported: ">=19.1.0 || ^18.13.0"
      },
      "no-regexp-unicode-property-escapes-2023": {
        supported: null
      },
      "no-regexp-unicode-property-escapes": {
        aliases: ["regexpUnicodeProperties"],
        supported: ">=10.0.0"
      },
      "no-regexp-v-flag": {
        supported: ">=20.0.0"
      },
      "no-regexp-y-flag": {
        aliases: ["regexpY"],
        supported: ">=6.0.0"
      },
      "no-resizable-and-growable-arraybuffers": {
        supported: ">=20.0.0"
      },
      "no-rest-parameters": {
        supported: ">=6.0.0"
      },
      "no-rest-spread-properties": {
        supported: ">=8.3.0"
      },
      "no-set": {
        supported: ">=0.12.0"
      },
      "no-shadow-catch-param": {
        supported: ">=0.10.0"
      },
      "no-shared-array-buffer": {
        supported: ">=8.10.0"
      },
      "no-spread-elements": {
        supported: ">=5.0.0"
      },
      "no-string-create-html-methods": {
        supported: ">=0.10.0",
        deprecated: ">=0.10.0"
      },
      "no-string-fromcodepoint": {
        supported: ">=4.0.0"
      },
      "no-string-prototype-codepointat": {
        supported: ">=4.0.0"
      },
      "no-string-prototype-endswith": {
        supported: ">=4.0.0"
      },
      "no-string-prototype-includes": {
        supported: ">=6.0.0"
      },
      "no-string-prototype-iswellformed-towellformed": {
        supported: ">=20.0.0"
      },
      "no-string-prototype-matchall": {
        supported: ">=12.0.0"
      },
      "no-string-prototype-normalize": {
        supported: ">=0.12.0"
      },
      "no-string-prototype-padstart-padend": {
        supported: ">=8.0.0"
      },
      "no-string-prototype-repeat": {
        supported: ">=4.0.0"
      },
      "no-string-prototype-replaceall": {
        supported: ">=15.0.0"
      },
      "no-string-prototype-startswith": {
        supported: ">=4.0.0"
      },
      "no-string-prototype-substr": {
        supported: ">=0.10.0"
      },
      "no-string-prototype-trim": {
        supported: ">=0.10.0"
      },
      "no-string-prototype-trimleft-trimright": {
        supported: ">=0.10.0"
      },
      "no-string-prototype-trimstart-trimend": {
        supported: ">=10.0.0"
      },
      "no-string-raw": {
        supported: ">=4.0.0"
      },
      "no-subclassing-builtins": {
        supported: ">=4.0.0"
      },
      "no-symbol-prototype-description": {
        supported: ">=11.0.0"
      },
      "no-symbol": {
        supported: ">=0.12.0"
      },
      "no-template-literals": {
        supported: ">=4.0.0"
      },
      "no-top-level-await": {
        supported: ">=14.8.0"
      },
      "no-trailing-commas": {
        supported: ">=0.10.0"
      },
      "no-trailing-function-commas": {
        aliases: ["trailingCommasInFunctions"],
        supported: ">=8.0.0"
      },
      "no-typed-arrays": {
        supported: ">=0.10.0"
      },
      "no-unicode-codepoint-escapes": {
        aliases: ["unicodeCodePointEscapes"],
        supported: ">=4.0.0"
      },
      "no-weak-map": {
        supported: ">=0.12.0"
      },
      "no-weak-set": {
        supported: ">=0.12.0"
      },
      "no-weakrefs": {
        supported: ">=14.6.0"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-unsupported-features/es-syntax.js
var require_es_syntax2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-unsupported-features/es-syntax.js"(exports2, module2) {
    "use strict";
    var { getInnermostScope: getInnermostScope2 } = require_eslint_utils();
    var { rules: esRules } = require_lib6();
    var rangeSubset = require_subset();
    var getConfiguredNodeVersion = require_get_configured_node_version();
    var getSemverRange = require_get_semver_range();
    var mergeVisitorsInPlace = require_merge_visitors_in_place();
    var features = require_es_syntax();
    var ignoreKeys = /* @__PURE__ */ new Set();
    function firstMatchToUpper(_match, first) {
      return first.toUpperCase();
    }
    var ruleMap = Object.entries(features).map(([ruleId, meta]) => {
      const ruleIdNegated = ruleId.replace(/^no-/, "");
      const ruleIdCamel = ruleIdNegated.replace(/-(\w)/g, firstMatchToUpper);
      meta.aliases ??= [];
      const ignoreNames = [ruleId, ruleIdNegated, ruleIdCamel, ...meta.aliases];
      for (const ignoreName of ignoreNames) {
        ignoreKeys.add(ignoreName);
      }
      return {
        ruleId,
        feature: ruleIdNegated,
        ignoreNames,
        supported: (
          /** @type {import("semver").Range} */
          getSemverRange(meta.supported ?? "<0")
        ),
        strictMode: meta.strictMode ? getSemverRange(meta.strictMode) : void 0,
        deprecated: Boolean(meta.deprecated)
      };
    });
    function parseOptions(context) {
      const raw = context.options[0] || {};
      const version = getConfiguredNodeVersion(context);
      const ignores2 = new Set(raw.ignores || []);
      return Object.freeze({ version, ignores: ignores2 });
    }
    function normalizeScope(initialScope, node) {
      let scope = getInnermostScope2(initialScope, node);
      while (scope?.block === node && scope.upper) {
        scope = scope.upper;
      }
      return scope;
    }
    function isStrict(context, node) {
      const sourceCode = context.sourceCode ?? context.getSourceCode();
      const scope = sourceCode.getScope?.(node) ?? context.getScope();
      return normalizeScope(scope, node).isStrict;
    }
    function defineVisitor(context, options) {
      return ruleMap.filter(
        (rule) => rule.ignoreNames.every(
          (ignoreName) => options.ignores.has(ignoreName) === false
        ) && rangeSubset(
          options.version,
          rule.strictMode ?? rule.supported
        ) === false
      ).map((rule) => {
        const esRule = (
          /** @type {import('eslint').Rule.RuleModule} */
          esRules[rule.ruleId]
        );
        const esContext = {
          report(descriptor) {
            delete descriptor.fix;
            if (descriptor.data == null) {
              descriptor.data = {};
            }
            descriptor.data.featureName = rule.feature;
            descriptor.data.version = options.version.raw;
            descriptor.data.supported = rule.supported.raw;
            if (rule.strictMode != null) {
              if (isStrict(
                context,
                /** @type {{ node: import('estree').Node}} */
                descriptor.node
              ) === false) {
                descriptor.data.supported = rule.strictMode.raw;
              } else if (rangeSubset(options.version, rule.supported)) {
                return;
              }
            }
            const messageId4 = rule.supported.raw === "<0" ? "not-supported-yet" : "not-supported-till";
            super.report({ ...descriptor, messageId: messageId4 });
          }
        };
        Object.setPrototypeOf(esContext, context);
        return esRule.create(
          /** @type {import('eslint').Rule.RuleContext} */
          esContext
        );
      }).reduce(mergeVisitorsInPlace, {});
    }
    module2.exports = {
      meta: {
        docs: {
          description: "disallow unsupported ECMAScript syntax on the specified version",
          recommended: true,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-unsupported-features/es-syntax.md"
        },
        type: "problem",
        fixable: null,
        schema: [
          {
            type: "object",
            properties: {
              version: getConfiguredNodeVersion.schema,
              ignores: {
                type: "array",
                items: { enum: [...ignoreKeys] },
                uniqueItems: true
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          "not-supported-till": [
            "'{{featureName}}' is not supported until Node.js {{supported}}.",
            "The configured version range is '{{version}}'."
          ].join(" "),
          "not-supported-yet": [
            "'{{featureName}}' is not supported in Node.js.",
            "The configured version range is '{{version}}'."
          ].join(" ")
        }
      },
      create(context) {
        return defineVisitor(context, parseOptions(context));
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/buffer.js
var require_buffer = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/buffer.js"(exports2, module2) {
    "use strict";
    var { CONSTRUCT: CONSTRUCT2, READ: READ2 } = require_eslint_utils();
    var buffer = {
      constants: { [READ2]: { supported: ["8.2.0"] } },
      INSPECT_MAX_BYTES: { [READ2]: { supported: ["0.5.4"] } },
      kMaxLength: { [READ2]: { supported: ["3.0.0"] } },
      kStringMaxLength: { [READ2]: { supported: ["3.0.0"] } },
      atob: { [READ2]: { supported: ["15.13.0", "14.17.0"] } },
      btoa: { [READ2]: { supported: ["15.13.0", "14.17.0"] } },
      isAscii: { [READ2]: { supported: ["19.6.0", "18.15.0"] } },
      isUtf8: { [READ2]: { supported: ["19.4.0", "18.14.0"] } },
      resolveObjectURL: { [READ2]: { experimental: ["16.7.0"] } },
      transcode: { [READ2]: { supported: ["7.1.0"] } },
      SlowBuffer: { [READ2]: { supported: ["0.1.90"], deprecated: ["6.0.0"] } },
      Blob: {
        [READ2]: {
          experimental: ["15.7.0", "14.18.0"],
          supported: ["18.0.0", "16.17.0"]
        }
      },
      Buffer: {
        [READ2]: { supported: ["0.1.90"] },
        [CONSTRUCT2]: { supported: ["0.1.90"], deprecated: ["6.0.0"] },
        alloc: { [READ2]: { supported: ["5.10.0", "4.5.0"] } },
        allocUnsafe: { [READ2]: { supported: ["5.10.0", "4.5.0"] } },
        allocUnsafeSlow: { [READ2]: { supported: ["5.12.0", "4.5.0"] } },
        byteLength: { [READ2]: { supported: ["0.1.90"] } },
        compare: { [READ2]: { supported: ["0.11.13"] } },
        concat: { [READ2]: { supported: ["0.7.11"] } },
        copyBytesFrom: { [READ2]: { supported: ["19.8.0", "18.16.0"] } },
        from: { [READ2]: { supported: ["5.10.0", "4.5.0"] } },
        isBuffer: { [READ2]: { supported: ["0.1.101"] } },
        isEncoding: { [READ2]: { supported: ["0.9.1"] } }
      },
      File: {
        [READ2]: {
          experimental: ["19.2.0", "18.13.0"],
          supported: ["20.0.0"]
        }
      }
    };
    module2.exports = {
      buffer: {
        [READ2]: { supported: ["0.1.90"] },
        ...buffer
      },
      "node:buffer": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...buffer
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/console.js
var require_console = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/console.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var console2 = {
      profile: { [READ2]: { supported: ["8.0.0"] } },
      profileEnd: { [READ2]: { supported: ["8.0.0"] } },
      timeStamp: { [READ2]: { supported: ["8.0.0"] } },
      Console: { [READ2]: { supported: ["0.1.100"] } },
      assert: { [READ2]: { supported: ["0.1.101"] } },
      clear: { [READ2]: { supported: ["8.3.0", "6.13.0"] } },
      count: { [READ2]: { supported: ["8.3.0", "6.13.0"] } },
      countReset: { [READ2]: { supported: ["8.3.0", "6.13.0"] } },
      debug: { [READ2]: { supported: ["8.0.0"] } },
      dir: { [READ2]: { supported: ["0.1.101"] } },
      dirxml: { [READ2]: { supported: ["8.0.0"] } },
      error: { [READ2]: { supported: ["0.1.100"] } },
      group: { [READ2]: { supported: ["8.5.0"] } },
      groupCollapsed: { [READ2]: { supported: ["8.5.0"] } },
      groupEnd: { [READ2]: { supported: ["8.5.0"] } },
      info: { [READ2]: { supported: ["0.1.100"] } },
      log: { [READ2]: { supported: ["0.1.100"] } },
      table: { [READ2]: { supported: ["10.0.0"] } },
      time: { [READ2]: { supported: ["0.1.104"] } },
      timeEnd: { [READ2]: { supported: ["0.1.104"] } },
      timeLog: { [READ2]: { supported: ["10.7.0"] } },
      trace: { [READ2]: { supported: ["0.1.104"] } },
      warn: { [READ2]: { supported: ["0.1.100"] } }
      // In original but cant find
      // markTimeline: { [READ]: { supported: ["8.0.0"] } },
      // timeline: { [READ]: { supported: ["8.0.0"] } },
      // timelineEnd: { [READ]: { supported: ["8.0.0"] } },
    };
    module2.exports = {
      console: {
        [READ2]: { supported: ["0.1.100"] },
        ...console2
      },
      "node:console": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...console2
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/crypto.js
var require_crypto = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/crypto.js"(exports2, module2) {
    "use strict";
    var { CALL: CALL2, CONSTRUCT: CONSTRUCT2, READ: READ2 } = require_eslint_utils();
    var WebCrypto = {
      [READ2]: { experimental: ["15.0.0"], supported: ["19.0.0"] },
      subtle: {
        [READ2]: { supported: ["15.0.0"] },
        decrypt: { [READ2]: { supported: ["15.0.0"] } },
        deriveBits: { [READ2]: { supported: ["15.0.0"] } },
        deriveKey: { [READ2]: { supported: ["15.0.0"] } },
        digest: { [READ2]: { supported: ["15.0.0"] } },
        encrypt: { [READ2]: { supported: ["15.0.0"] } },
        exportKey: { [READ2]: { supported: ["15.0.0"] } },
        generateKey: { [READ2]: { supported: ["15.0.0"] } },
        importKey: { [READ2]: { supported: ["15.0.0"] } },
        sign: { [READ2]: { supported: ["15.0.0"] } },
        unwrapKey: { [READ2]: { supported: ["15.0.0"] } },
        verify: { [READ2]: { supported: ["15.0.0"] } },
        wrapKey: { [READ2]: { supported: ["15.0.0"] } }
      },
      getRandomValues: { [READ2]: { supported: ["15.0.0"] } },
      randomUUID: { [READ2]: { supported: ["16.7.0"] } }
    };
    var crypto = {
      constants: { [READ2]: { supported: ["6.3.0"] } },
      fips: { [READ2]: { supported: ["6.0.0"], deprecated: ["10.0.0"] } },
      webcrypto: WebCrypto,
      subtle: {
        ...WebCrypto.subtle,
        [READ2]: { experimental: ["17.4.0"], supported: ["19.0.0"] }
      },
      // methods and properties
      checkPrime: { [READ2]: { supported: ["15.8.0"] } },
      checkPrimeSync: { [READ2]: { supported: ["15.8.0"] } },
      createCipher: { [READ2]: { supported: ["0.1.94"], deprecated: ["10.0.0"] } },
      createCipheriv: { [READ2]: { supported: ["0.1.94"] } },
      createDecipher: {
        [READ2]: { supported: ["0.1.94"], deprecated: ["10.0.0"] }
      },
      createDecipheriv: { [READ2]: { supported: ["0.1.94"] } },
      createDiffieHellman: { [READ2]: { supported: ["0.11.12"] } },
      createDiffieHellmanGroup: { [READ2]: { supported: ["0.9.3"] } },
      createECDH: { [READ2]: { supported: ["0.11.14"] } },
      createHash: { [READ2]: { supported: ["0.1.92"] } },
      createHmac: { [READ2]: { supported: ["0.1.94"] } },
      createPrivateKey: { [READ2]: { supported: ["11.6.0"] } },
      createPublicKey: { [READ2]: { supported: ["11.6.0"] } },
      createSecretKey: { [READ2]: { supported: ["11.6.0"] } },
      createSign: { [READ2]: { supported: ["0.1.92"] } },
      createVerify: { [READ2]: { supported: ["0.1.92"] } },
      diffieHellman: { [READ2]: { supported: ["13.9.0", "12.17.0"] } },
      generateKey: { [READ2]: { supported: ["15.0.0"] } },
      generateKeyPair: { [READ2]: { supported: ["10.12.0"] } },
      generateKeyPairSync: { [READ2]: { supported: ["10.12.0"] } },
      generateKeySync: { [READ2]: { supported: ["15.0.0"] } },
      generatePrime: { [READ2]: { supported: ["15.8.0"] } },
      generatePrimeSync: { [READ2]: { supported: ["15.8.0"] } },
      getCipherInfo: { [READ2]: { supported: ["15.0.0"] } },
      getCiphers: { [READ2]: { supported: ["0.9.3"] } },
      getCurves: { [READ2]: { supported: ["2.3.0"] } },
      getDiffieHellman: { [READ2]: { supported: ["0.7.5"] } },
      getFips: { [READ2]: { supported: ["10.0.0"] } },
      getHashes: { [READ2]: { supported: ["0.9.3"] } },
      getRandomValues: { [READ2]: { supported: ["17.4.0"] } },
      hash: { [READ2]: { supported: ["20.12.0", "21.7.0"] } },
      hkdf: { [READ2]: { supported: ["15.0.0"] } },
      hkdfSync: { [READ2]: { supported: ["15.0.0"] } },
      pbkdf2: { [READ2]: { supported: ["0.5.5"] } },
      pbkdf2Sync: { [READ2]: { supported: ["0.9.3"] } },
      privateDecrypt: { [READ2]: { supported: ["0.11.14"] } },
      privateEncrypt: { [READ2]: { supported: ["1.1.0"] } },
      publicDecrypt: { [READ2]: { supported: ["1.1.0"] } },
      publicEncrypt: { [READ2]: { supported: ["0.11.14"] } },
      randomBytes: { [READ2]: { supported: ["0.5.8"] } },
      randomFillSync: { [READ2]: { supported: ["7.10.0", "6.13.0"] } },
      randomFill: { [READ2]: { supported: ["7.10.0", "6.13.0"] } },
      randomInt: { [READ2]: { supported: ["14.10.0", "12.19.0"] } },
      randomUUID: { [READ2]: { supported: ["15.6.0", "14.17.0"] } },
      scrypt: { [READ2]: { supported: ["10.5.0"] } },
      scryptSync: { [READ2]: { supported: ["10.5.0"] } },
      secureHeapUsed: { [READ2]: { supported: ["15.6.0"] } },
      setEngine: { [READ2]: { supported: ["0.11.11"] } },
      setFips: { [READ2]: { supported: ["10.0.0"] } },
      sign: { [READ2]: { supported: ["12.0.0"] } },
      timingSafeEqual: { [READ2]: { supported: ["6.6.0"] } },
      verify: { [READ2]: { supported: ["12.0.0"] } },
      // Classes
      Certificate: {
        [READ2]: { supported: ["0.11.8"] },
        exportChallenge: { [READ2]: { supported: ["9.0.0"] } },
        exportPublicKey: { [READ2]: { supported: ["9.0.0"] } },
        verifySpkac: { [READ2]: { supported: ["9.0.0"] } }
      },
      Cipher: { [READ2]: { supported: ["0.1.94"] } },
      Decipher: { [READ2]: { supported: ["0.1.94"] } },
      DiffieHellman: { [READ2]: { supported: ["0.5.0"] } },
      DiffieHellmanGroup: { [READ2]: { supported: ["0.7.5"] } },
      ECDH: {
        [READ2]: { supported: ["0.11.14"] },
        convertKey: { [READ2]: { supported: ["10.0.0"] } }
      },
      Hash: {
        [READ2]: { supported: ["0.1.92"] },
        [CALL2]: { deprecated: ["22.0.0", "20.13.0"] },
        [CONSTRUCT2]: { deprecated: ["22.0.0", "20.13.0"] }
      },
      Hmac: {
        [READ2]: { supported: ["0.1.94"] },
        [CALL2]: { deprecated: ["22.0.0", "20.13.0"] },
        [CONSTRUCT2]: { deprecated: ["22.0.0", "20.13.0"] }
      },
      KeyObject: {
        [READ2]: { supported: ["11.6.0"] },
        from: { [READ2]: { supported: ["15.0.0"] } }
      },
      Sign: { [READ2]: { supported: ["0.1.92"] } },
      Verify: { [READ2]: { supported: ["0.1.92"] } },
      X509Certificate: { [READ2]: { supported: ["15.6.0"] } }
    };
    module2.exports = {
      crypto: {
        [READ2]: { supported: ["0.1.92"] },
        ...crypto
      },
      "node:crypto": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...crypto
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/events.js
var require_events = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/events.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var EventEmitterStatic = {
      defaultMaxListeners: { [READ2]: { supported: ["0.11.2"] } },
      errorMonitor: { [READ2]: { supported: ["13.6.0", "12.17.0"] } },
      captureRejections: {
        [READ2]: {
          experimental: ["13.4.0", "12.16.0"],
          supported: ["17.4.0", "16.14.0"]
        }
      },
      captureRejectionSymbol: {
        [READ2]: {
          experimental: ["13.4.0", "12.16.0"],
          supported: ["17.4.0", "16.14.0"]
        }
      },
      getEventListeners: { [READ2]: { supported: ["15.2.0", "14.17.0"] } },
      getMaxListeners: { [READ2]: { supported: ["19.9.0", "18.17.0"] } },
      once: { [READ2]: { supported: ["11.13.0", "10.16.0"] } },
      listenerCount: { [READ2]: { supported: ["0.9.12"], deprecated: ["3.2.0"] } },
      on: { [READ2]: { supported: ["13.6.0", "12.16.0"] } },
      setMaxListeners: { [READ2]: { supported: ["15.4.0"] } },
      addAbortListener: { [READ2]: { experimental: ["20.5.0", "18.18.0"] } }
    };
    var events = {
      Event: { [READ2]: { experimental: ["14.5.0"], supported: ["15.4.0"] } },
      EventTarget: {
        [READ2]: {
          experimental: ["14.5.0"],
          supported: ["15.4.0"]
        }
      },
      CustomEvent: {
        [READ2]: {
          experimental: ["18.7.0", "16.17.0"],
          supported: ["22.1.0", "20.13.0"]
        }
      },
      NodeEventTarget: {
        [READ2]: {
          experimental: ["14.5.0"],
          supported: ["15.4.0"]
        }
      },
      EventEmitter: {
        [READ2]: { supported: ["0.1.26"] },
        ...EventEmitterStatic
      },
      EventEmitterAsyncResource: {
        [READ2]: { supported: ["17.4.0", "16.14.0"] },
        ...EventEmitterStatic
      },
      ...EventEmitterStatic
    };
    module2.exports = {
      events: {
        [READ2]: { supported: ["0.1.26"] },
        ...events
      },
      "node:events": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...events
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/process.js
var require_process = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/process.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var process3 = {
      allowedNodeEnvironmentFlags: { [READ2]: { supported: ["10.10.0"] } },
      availableMemory: { [READ2]: { experimental: ["22.0.0", "20.13.0"] } },
      arch: { [READ2]: { supported: ["0.5.0"] } },
      argv: { [READ2]: { supported: ["0.1.27"] } },
      argv0: { [READ2]: { supported: ["6.4.0"] } },
      channel: { [READ2]: { supported: ["7.1.0"] } },
      config: { [READ2]: { supported: ["0.7.7"] } },
      connected: { [READ2]: { supported: ["0.7.2"] } },
      debugPort: { [READ2]: { supported: ["0.7.2"] } },
      env: { [READ2]: { supported: ["0.1.27"] } },
      execArgv: { [READ2]: { supported: ["0.7.7"] } },
      execPath: { [READ2]: { supported: ["0.1.100"] } },
      exitCode: { [READ2]: { supported: ["0.11.8"] } },
      mainModule: {
        [READ2]: {
          supported: ["0.1.17"],
          deprecated: ["14.0.0"]
        }
      },
      noDeprecation: { [READ2]: { supported: ["0.8.0"] } },
      permission: { [READ2]: { supported: ["20.0.0"] } },
      pid: { [READ2]: { supported: ["0.1.15"] } },
      platform: { [READ2]: { supported: ["0.1.16"] } },
      ppid: { [READ2]: { supported: ["9.2.0", "8.10.0", "6.13.0"] } },
      release: { [READ2]: { supported: ["3.0.0"] } },
      report: {
        [READ2]: {
          experimental: ["11.8.0"],
          supported: ["13.12.0", "12.17.0"]
        }
      },
      sourceMapsEnabled: { [READ2]: { experimental: ["20.7.0"] } },
      stdin: {
        [READ2]: { supported: ["0.1.3"] },
        // tty.ReadStream
        isRaw: { [READ2]: { supported: ["0.7.7"] } },
        isTTY: { [READ2]: { supported: ["0.5.8"] } },
        setRawMode: { [READ2]: { supported: ["0.7.7"] } }
      },
      stdout: {
        [READ2]: { supported: ["0.1.3"] },
        // tty.WriteStream
        clearLine: { [READ2]: { supported: ["0.7.7"] } },
        clearScreenDown: { [READ2]: { supported: ["0.7.7"] } },
        columns: { [READ2]: { supported: ["0.7.7"] } },
        cursorTo: { [READ2]: { supported: ["0.7.7"] } },
        getColorDepth: { [READ2]: { supported: ["9.9.0"] } },
        getWindowSize: { [READ2]: { supported: ["0.7.7"] } },
        hasColors: { [READ2]: { supported: ["11.13.0", "10.16.0"] } },
        isTTY: { [READ2]: { supported: ["0.5.8"] } },
        moveCursor: { [READ2]: { supported: ["0.7.7"] } },
        rows: { [READ2]: { supported: ["0.7.7"] } }
      },
      stderr: {
        [READ2]: { supported: ["0.1.3"] },
        // tty.WriteStream
        clearLine: { [READ2]: { supported: ["0.7.7"] } },
        clearScreenDown: { [READ2]: { supported: ["0.7.7"] } },
        columns: { [READ2]: { supported: ["0.7.7"] } },
        cursorTo: { [READ2]: { supported: ["0.7.7"] } },
        getColorDepth: { [READ2]: { supported: ["9.9.0"] } },
        getWindowSize: { [READ2]: { supported: ["0.7.7"] } },
        hasColors: { [READ2]: { supported: ["11.13.0", "10.16.0"] } },
        isTTY: { [READ2]: { supported: ["0.5.8"] } },
        moveCursor: { [READ2]: { supported: ["0.7.7"] } },
        rows: { [READ2]: { supported: ["0.7.7"] } }
      },
      throwDeprecation: { [READ2]: { supported: ["0.9.12"] } },
      title: { [READ2]: { supported: ["0.1.104"] } },
      traceDeprecation: { [READ2]: { supported: ["0.8.0"] } },
      version: { [READ2]: { supported: ["0.1.3"] } },
      versions: { [READ2]: { supported: ["0.2.0"] } },
      abort: { [READ2]: { supported: ["0.7.0"] } },
      chdir: { [READ2]: { supported: ["0.1.17"] } },
      constrainedMemory: { [READ2]: { experimental: ["19.6.0", "18.15.0"] } },
      cpuUsage: { [READ2]: { supported: ["6.1.0"] } },
      cwd: { [READ2]: { supported: ["0.1.8"] } },
      disconnect: { [READ2]: { supported: ["0.7.2"] } },
      dlopen: { [READ2]: { supported: ["0.1.16"] } },
      emitWarning: { [READ2]: { supported: ["6.0.0"] } },
      exit: { [READ2]: { supported: ["0.1.13"] } },
      getActiveResourcesInfo: { [READ2]: { experimental: ["17.3.0", "16.14.0"] } },
      getegid: { [READ2]: { supported: ["2.0.0"] } },
      geteuid: { [READ2]: { supported: ["2.0.0"] } },
      getgid: { [READ2]: { supported: ["0.1.31"] } },
      getgroups: { [READ2]: { supported: ["0.9.4"] } },
      getuid: { [READ2]: { supported: ["0.1.28"] } },
      hasUncaughtExceptionCaptureCallback: { [READ2]: { supported: ["9.3.0"] } },
      hrtime: {
        [READ2]: { supported: ["0.7.6"] },
        bigint: { [READ2]: { supported: ["10.7.0"] } }
      },
      initgroups: { [READ2]: { supported: ["0.9.4"] } },
      kill: { [READ2]: { supported: ["0.0.6"] } },
      loadEnvFile: { [READ2]: { supported: ["20.12.0", "21.7.0"] } },
      memoryUsage: { [READ2]: { supported: ["0.1.16"] } },
      rss: { [READ2]: { supported: ["15.6.0", "14.18.0"] } },
      nextTick: { [READ2]: { supported: ["0.1.26"] } },
      resourceUsage: { [READ2]: { supported: ["12.6.0"] } },
      send: { [READ2]: { supported: ["0.5.9"] } },
      setegid: { [READ2]: { supported: ["2.0.0"] } },
      seteuid: { [READ2]: { supported: ["2.0.0"] } },
      setgid: { [READ2]: { supported: ["0.1.31"] } },
      setgroups: { [READ2]: { supported: ["0.9.4"] } },
      setuid: { [READ2]: { supported: ["0.1.28"] } },
      setSourceMapsEnabled: { [READ2]: { experimental: ["16.6.0", "14.18.0"] } },
      setUncaughtExceptionCaptureCallback: { [READ2]: { supported: ["9.3.0"] } },
      umask: { [READ2]: { supported: ["0.1.19"] } },
      uptime: { [READ2]: { supported: ["0.5.0"] } }
    };
    module2.exports = {
      process: {
        [READ2]: { supported: ["0.1.3"] },
        ...process3
      },
      "node:process": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...process3
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/perf_hooks.js
var require_perf_hooks = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/perf_hooks.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var perf_hooks = {
      performance: { [READ2]: { supported: ["8.5.0"] } },
      createHistogram: { [READ2]: { supported: ["15.9.0", "14.18.0"] } },
      monitorEventLoopDelay: { [READ2]: { supported: ["11.10.0"] } },
      PerformanceEntry: { [READ2]: { supported: ["8.5.0"] } },
      PerformanceMark: { [READ2]: { supported: ["18.2.0", "16.17.0"] } },
      PerformanceMeasure: { [READ2]: { supported: ["18.2.0", "16.17.0"] } },
      PerformanceNodeEntry: { [READ2]: { supported: ["19.0.0"] } },
      PerformanceNodeTiming: { [READ2]: { supported: ["8.5.0"] } },
      PerformanceResourceTiming: { [READ2]: { supported: ["18.2.0", "16.17.0"] } },
      PerformanceObserver: { [READ2]: { supported: ["8.5.0"] } },
      PerformanceObserverEntryList: { [READ2]: { supported: ["8.5.0"] } },
      Histogram: { [READ2]: { supported: ["11.10.0"] } },
      IntervalHistogram: { [READ2]: { supported: ["8.5.0"] } },
      RecordableHistogram: { [READ2]: { supported: ["15.9.0", "14.18.0"] } }
    };
    module2.exports = {
      perf_hooks: {
        [READ2]: { supported: ["8.5.0"] },
        ...perf_hooks
      },
      "node:perf_hooks": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...perf_hooks
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/stream.js
var require_stream5 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/stream.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var Readable = {
      [READ2]: { supported: ["0.9.4"] },
      from: { [READ2]: { supported: ["12.3.0", "10.17.0"] } },
      isDisturbed: { [READ2]: { experimental: ["16.8.0"] } },
      fromWeb: { [READ2]: { experimental: ["17.0.0"] } },
      toWeb: { [READ2]: { experimental: ["17.0.0"] } }
    };
    var Writable = {
      [READ2]: { supported: ["0.9.4"] },
      fromWeb: { [READ2]: { experimental: ["17.0.0"] } },
      toWeb: { [READ2]: { experimental: ["17.0.0"] } }
    };
    var Duplex = {
      [READ2]: { supported: ["0.9.4"] },
      from: { [READ2]: { experimental: ["16.8.0"] } },
      fromWeb: { [READ2]: { experimental: ["17.0.0"] } },
      toWeb: { [READ2]: { experimental: ["17.0.0"] } }
    };
    var Transform = Duplex;
    var StreamPromise = {
      pipeline: { [READ2]: { supported: ["15.0.0"] } },
      finished: { [READ2]: { supported: ["15.0.0"] } }
    };
    var Stream = {
      promises: {
        [READ2]: { supported: ["15.0.0"] },
        ...StreamPromise
      },
      finished: { [READ2]: { supported: ["10.0.0"] } },
      pipeline: { [READ2]: { supported: ["10.0.0"] } },
      compose: { [READ2]: { supported: ["16.9.0"] } },
      Readable,
      Writable,
      Duplex,
      Transform,
      isErrored: { [READ2]: { experimental: ["17.3.0", "16.14.0"] } },
      isReadable: { [READ2]: { experimental: ["17.4.0", "16.14.0"] } },
      addAbortSignal: { [READ2]: { supported: ["15.4.0"] } },
      getDefaultHighWaterMark: { [READ2]: { supported: ["19.9.0", "18.17.0"] } },
      setDefaultHighWaterMark: { [READ2]: { supported: ["19.9.0", "18.17.0"] } }
    };
    var WebStream = {
      ReadableStream: {
        [READ2]: { supported: ["16.5.0"] },
        from: { [READ2]: { supported: ["20.6.0"] } }
      },
      ReadableStreamDefaultReader: { [READ2]: { supported: ["16.5.0"] } },
      ReadableStreamBYOBReader: { [READ2]: { supported: ["16.5.0"] } },
      ReadableStreamDefaultController: { [READ2]: { supported: ["16.5.0"] } },
      ReadableByteStreamController: { [READ2]: { supported: ["16.5.0"] } },
      ReadableStreamBYOBRequest: { [READ2]: { supported: ["16.5.0"] } },
      WritableStream: { [READ2]: { supported: ["16.5.0"] } },
      WritableStreamDefaultWriter: { [READ2]: { supported: ["16.5.0"] } },
      WritableStreamDefaultController: { [READ2]: { supported: ["16.5.0"] } },
      TransformStream: { [READ2]: { supported: ["16.5.0"] } },
      TransformStreamDefaultController: { [READ2]: { supported: ["16.5.0"] } },
      ByteLengthQueuingStrategy: { [READ2]: { supported: ["16.5.0"] } },
      CountQueuingStrategy: { [READ2]: { supported: ["16.5.0"] } },
      TextEncoderStream: { [READ2]: { supported: ["16.6.0"] } },
      TextDecoderStream: { [READ2]: { supported: ["16.6.0"] } },
      CompressionStream: { [READ2]: { supported: ["17.0.0"] } },
      DecompressionStream: { [READ2]: { supported: ["17.0.0"] } }
    };
    var StreamConsumer = {
      [READ2]: { supported: ["16.7.0"] },
      arrayBuffer: { [READ2]: { supported: ["16.7.0"] } },
      blob: { [READ2]: { supported: ["16.7.0"] } },
      buffer: { [READ2]: { supported: ["16.7.0"] } },
      json: { [READ2]: { supported: ["16.7.0"] } },
      text: { [READ2]: { supported: ["16.7.0"] } }
    };
    module2.exports = {
      stream: {
        [READ2]: { supported: ["0.9.4"] },
        ...Stream
      },
      "node:stream": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...Stream
      },
      "stream/promises": StreamPromise,
      "node:stream/promises": StreamPromise,
      "stream/web": {
        [READ2]: { experimental: ["16.5.0"], supported: ["21.0.0"] },
        ...WebStream
      },
      "node:stream/web": {
        [READ2]: { experimental: ["16.5.0"], supported: ["21.0.0"] },
        ...WebStream
      },
      "stream/consumers": { ...StreamConsumer },
      "node:stream/consumers": { ...StreamConsumer }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/timers.js
var require_timers = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/timers.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var promises_api = {
      setTimeout: { [READ2]: { supported: ["15.0.0"] } },
      setImmediate: { [READ2]: { supported: ["15.0.0"] } },
      setInterval: { [READ2]: { supported: ["15.9.0"] } },
      scheduler: {
        wait: { [READ2]: { experimental: ["17.3.0", "16.14.0"] } },
        yield: { [READ2]: { experimental: ["17.3.0", "16.14.0"] } }
      }
    };
    var timers = {
      Immediate: { [READ2]: { supported: ["0.9.1"] } },
      Timeout: { [READ2]: { supported: ["0.9.1"] } },
      setImmediate: { [READ2]: { supported: ["0.9.1"] } },
      clearImmediate: { [READ2]: { supported: ["0.9.1"] } },
      setInterval: { [READ2]: { supported: ["0.0.1"] } },
      clearInterval: { [READ2]: { supported: ["0.0.1"] } },
      setTimeout: { [READ2]: { supported: ["0.0.1"] } },
      clearTimeout: { [READ2]: { supported: ["0.0.1"] } },
      promises: { ...promises_api, [READ2]: { supported: ["21.6.0"] } }
      // active: [Function: deprecated],
      // unenroll: [Function: deprecated],
      // enroll: [Function: deprecated]
    };
    module2.exports = {
      timers: {
        [READ2]: { supported: ["0.9.1"] },
        ...timers
      },
      "node:timers": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...timers
      },
      "timers/promises": {
        [READ2]: {
          experimental: ["15.0.0"],
          supported: ["16.0.0"]
        },
        ...promises_api
      },
      "node:timers/promises": {
        [READ2]: {
          experimental: ["15.0.0"],
          supported: ["16.0.0"]
        },
        ...promises_api
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/url.js
var require_url = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/url.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var url = {
      domainToASCII: { [READ2]: { supported: ["7.4.0", "6.13.0"] } },
      domainToUnicode: { [READ2]: { supported: ["7.4.0", "6.13.0"] } },
      fileURLToPath: { [READ2]: { supported: ["10.12.0"] } },
      format: { [READ2]: { supported: ["7.6.0"] } },
      pathToFileURL: { [READ2]: { supported: ["10.12.0"] } },
      urlToHttpOptions: { [READ2]: { supported: ["15.7.0", "14.18.0"] } },
      URL: {
        [READ2]: { supported: ["7.0.0", "6.13.0"] },
        canParse: { [READ2]: { supported: ["19.9.0"] } },
        createObjectURL: { [READ2]: { experimental: ["16.7.0"] } },
        revokeObjectURL: { [READ2]: { experimental: ["16.7.0"] } }
      },
      URLSearchParams: { [READ2]: { supported: ["7.5.0", "6.13.0"] } },
      Url: { [READ2]: { supported: ["0.1.25"] } }
    };
    module2.exports = {
      url: {
        [READ2]: { supported: ["0.1.25"] },
        ...url
      },
      "node:url": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...url
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/util.js
var require_util6 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/util.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var types = {
      [READ2]: { supported: ["10.0.0"] },
      isExternal: { [READ2]: { supported: ["10.0.0"] } },
      isDate: { [READ2]: { supported: ["10.0.0"] } },
      isArgumentsObject: { [READ2]: { supported: ["10.0.0"] } },
      isBigIntObject: { [READ2]: { supported: ["10.0.0"] } },
      isBooleanObject: { [READ2]: { supported: ["10.0.0"] } },
      isNumberObject: { [READ2]: { supported: ["10.0.0"] } },
      isStringObject: { [READ2]: { supported: ["10.0.0"] } },
      isSymbolObject: { [READ2]: { supported: ["10.0.0"] } },
      isNativeError: { [READ2]: { supported: ["10.0.0"] } },
      isRegExp: { [READ2]: { supported: ["10.0.0"] } },
      isAsyncFunction: { [READ2]: { supported: ["10.0.0"] } },
      isGeneratorFunction: { [READ2]: { supported: ["10.0.0"] } },
      isGeneratorObject: { [READ2]: { supported: ["10.0.0"] } },
      isPromise: { [READ2]: { supported: ["10.0.0"] } },
      isMap: { [READ2]: { supported: ["10.0.0"] } },
      isSet: { [READ2]: { supported: ["10.0.0"] } },
      isMapIterator: { [READ2]: { supported: ["10.0.0"] } },
      isSetIterator: { [READ2]: { supported: ["10.0.0"] } },
      isWeakMap: { [READ2]: { supported: ["10.0.0"] } },
      isWeakSet: { [READ2]: { supported: ["10.0.0"] } },
      isArrayBuffer: { [READ2]: { supported: ["10.0.0"] } },
      isDataView: { [READ2]: { supported: ["10.0.0"] } },
      isSharedArrayBuffer: { [READ2]: { supported: ["10.0.0"] } },
      isProxy: { [READ2]: { supported: ["10.0.0"] } },
      isModuleNamespaceObject: { [READ2]: { supported: ["10.0.0"] } },
      isAnyArrayBuffer: { [READ2]: { supported: ["10.0.0"] } },
      isBoxedPrimitive: { [READ2]: { supported: ["10.11.0"] } },
      isArrayBufferView: { [READ2]: { supported: ["10.0.0"] } },
      isTypedArray: { [READ2]: { supported: ["10.0.0"] } },
      isUint8Array: { [READ2]: { supported: ["10.0.0"] } },
      isUint8ClampedArray: { [READ2]: { supported: ["10.0.0"] } },
      isUint16Array: { [READ2]: { supported: ["10.0.0"] } },
      isUint32Array: { [READ2]: { supported: ["10.0.0"] } },
      isInt8Array: { [READ2]: { supported: ["10.0.0"] } },
      isInt16Array: { [READ2]: { supported: ["10.0.0"] } },
      isInt32Array: { [READ2]: { supported: ["10.0.0"] } },
      isFloat32Array: { [READ2]: { supported: ["10.0.0"] } },
      isFloat64Array: { [READ2]: { supported: ["10.0.0"] } },
      isBigInt64Array: { [READ2]: { supported: ["10.0.0"] } },
      isBigUint64Array: { [READ2]: { supported: ["10.0.0"] } },
      isKeyObject: { [READ2]: { supported: ["16.2.0"] } },
      isCryptoKey: { [READ2]: { supported: ["16.2.0"] } },
      isWebAssemblyCompiledModule: {
        [READ2]: { supported: ["10.0.0"], deprecated: ["14.0.0"] }
      }
    };
    var deprecated = {
      _extend: { [READ2]: { supported: ["0.7.5"], deprecated: ["6.0.0"] } },
      isArray: { [READ2]: { supported: ["0.6.0"], deprecated: ["4.0.0"] } },
      isBoolean: { [READ2]: { supported: ["0.11.5"], deprecated: ["4.0.0"] } },
      isBuffer: { [READ2]: { supported: ["0.11.5"], deprecated: ["4.0.0"] } },
      isDate: { [READ2]: { supported: ["0.6.0"], deprecated: ["4.0.0"] } },
      isError: { [READ2]: { supported: ["0.6.0"], deprecated: ["4.0.0"] } },
      isFunction: { [READ2]: { supported: ["0.11.5"], deprecated: ["4.0.0"] } },
      isNull: { [READ2]: { supported: ["0.11.5"], deprecated: ["4.0.0"] } },
      isNullOrUndefined: {
        [READ2]: { supported: ["0.11.5"], deprecated: ["4.0.0"] }
      },
      isNumber: { [READ2]: { supported: ["0.11.5"], deprecated: ["4.0.0"] } },
      isObject: { [READ2]: { supported: ["0.11.5"], deprecated: ["4.0.0"] } },
      isPrimitive: { [READ2]: { supported: ["0.11.5"], deprecated: ["4.0.0"] } },
      isRegExp: { [READ2]: { supported: ["0.6.0"], deprecated: ["4.0.0"] } },
      isString: { [READ2]: { supported: ["0.11.5"], deprecated: ["4.0.0"] } },
      isSymbol: { [READ2]: { supported: ["0.11.5"], deprecated: ["4.0.0"] } },
      isUndefined: { [READ2]: { supported: ["0.11.5"], deprecated: ["4.0.0"] } },
      log: { [READ2]: { supported: ["0.3.0"], deprecated: ["6.0.0"] } }
    };
    var util5 = {
      promisify: {
        [READ2]: { supported: ["8.0.0"] },
        custom: { [READ2]: { supported: ["8.0.0"] } }
      },
      callbackify: { [READ2]: { supported: ["8.2.0"] } },
      debuglog: { [READ2]: { supported: ["0.11.3"] } },
      debug: { [READ2]: { supported: ["14.9.0"] } },
      deprecate: { [READ2]: { supported: ["0.8.0"] } },
      format: { [READ2]: { supported: ["0.5.3"] } },
      formatWithOptions: { [READ2]: { supported: ["10.0.0"] } },
      getSystemErrorName: { [READ2]: { supported: ["9.7.0", "8.12.0"] } },
      getSystemErrorMap: { [READ2]: { supported: ["16.0.0", "14.17.0"] } },
      inherits: { [READ2]: { supported: ["0.3.0"] } },
      inspect: {
        [READ2]: { supported: ["0.3.0"] },
        custom: { [READ2]: { supported: ["6.6.0"] } },
        defaultOptions: { [READ2]: { supported: ["6.4.0"] } },
        replDefaults: { [READ2]: { supported: ["11.12.0"] } }
      },
      isDeepStrictEqual: { [READ2]: { supported: ["9.0.0"] } },
      parseArgs: {
        [READ2]: { experimental: ["18.3.0", "16.17.0"], supported: ["20.0.0"] }
      },
      parseEnv: { [READ2]: { supported: ["20.12.0", "21.7.0"] } },
      stripVTControlCharacters: { [READ2]: { supported: ["16.11.0"] } },
      styleText: { [READ2]: { supported: ["20.12.0", "21.7.0"] } },
      toUSVString: { [READ2]: { supported: ["16.8.0", "14.18.0"] } },
      transferableAbortController: { [READ2]: { experimental: ["18.11.0"] } },
      transferableAbortSignal: { [READ2]: { experimental: ["18.11.0"] } },
      aborted: { [READ2]: { experimental: ["19.7.0", "18.16.0"] } },
      MIMEType: { [READ2]: { experimental: ["19.1.0", "18.13.0"] } },
      MIMEParams: { [READ2]: { supported: ["19.1.0", "18.13.0"] } },
      TextDecoder: { [READ2]: { experimental: ["8.3.0"], supported: ["8.9.0"] } },
      TextEncoder: { [READ2]: { experimental: ["8.3.0"], supported: ["8.9.0"] } },
      types,
      ...deprecated
    };
    module2.exports = {
      util: util5,
      "node:util": { ...util5, [READ2]: { supported: ["14.13.1", "12.20.0"] } },
      "util/types": { ...types, [READ2]: { supported: ["15.3.0"] } },
      "node:util/types": { ...types, [READ2]: { supported: ["15.3.0"] } }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/worker_threads.js
var require_worker_threads = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/worker_threads.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var worker_threads = {
      isMainThread: { [READ2]: { supported: ["10.5.0"] } },
      parentPort: { [READ2]: { supported: ["10.5.0"] } },
      resourceLimits: { [READ2]: { supported: ["13.2.0", "12.16.0"] } },
      SHARE_ENV: { [READ2]: { supported: ["11.14.0"] } },
      threadId: { [READ2]: { supported: ["10.5.0"] } },
      workerData: { [READ2]: { supported: ["10.5.0"] } },
      getEnvironmentData: {
        [READ2]: {
          experimental: ["15.12.0", "14.18.0"],
          supported: ["17.5.0", "16.15.0"]
        }
      },
      markAsUntransferable: { [READ2]: { supported: ["14.5.0", "12.19.0"] } },
      isMarkedAsUntransferable: { [READ2]: { supported: ["21.0.0"] } },
      moveMessagePortToContext: { [READ2]: { supported: ["11.13.0"] } },
      receiveMessageOnPort: { [READ2]: { supported: ["12.3.0"] } },
      setEnvironmentData: {
        [READ2]: {
          experimental: ["15.12.0", "14.18.0"],
          supported: ["17.5.0", "16.15.0"]
        }
      },
      BroadcastChannel: {
        [READ2]: { experimental: ["15.4.0"], supported: ["18.0.0"] }
      },
      MessageChannel: { [READ2]: { supported: ["10.5.0"] } },
      MessagePort: { [READ2]: { supported: ["10.5.0"] } },
      Worker: { [READ2]: { supported: ["10.5.0"] } }
    };
    module2.exports = {
      worker_threads: {
        ...worker_threads,
        [READ2]: { supported: ["12.11.0"], experimental: ["10.5.0"] }
      },
      "node:worker_threads": {
        ...worker_threads,
        [READ2]: { supported: ["14.13.1", "12.20.0"] }
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-globals.js
var require_node_globals = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-globals.js"(exports2, module2) {
    "use strict";
    var bufferModule = require_buffer();
    var consoleModule = require_console();
    var cryptoModule = require_crypto();
    var eventsModule = require_events();
    var processModule = require_process();
    var perfModule = require_perf_hooks();
    var streamModule = require_stream5();
    var timersModule = require_timers();
    var urlModule = require_url();
    var utilModule = require_util6();
    var workerThreadsModule = require_worker_threads();
    var { buffer } = bufferModule;
    var { console: console2 } = consoleModule;
    var { crypto } = cryptoModule;
    var { events } = eventsModule;
    var { process: process3 } = processModule;
    var { perf_hooks } = perfModule;
    var { ["stream/web"]: WebStream } = streamModule;
    var { timers } = timersModule;
    var { url } = urlModule;
    var { util: util5 } = utilModule;
    var { worker_threads } = workerThreadsModule;
    var { READ: READ2 } = require_eslint_utils();
    var nodeGlobals = {
      __filename: { [READ2]: { supported: ["0.0.1"] } },
      __dirname: { [READ2]: { supported: ["0.1.27"] } },
      require: {
        [READ2]: { supported: ["0.1.13"] },
        cache: { [READ2]: { supported: ["0.3.0"] } },
        extensions: {
          [READ2]: {
            supported: ["0.3.0"],
            deprecated: ["0.10.6"]
          }
        },
        main: { [READ2]: { supported: ["0.1.17"] } },
        resolve: {
          [READ2]: { supported: ["0.3.0"] },
          paths: { [READ2]: { supported: ["8.9.0"] } }
        }
      },
      module: {
        [READ2]: { supported: ["0.1.16"] },
        children: { [READ2]: { supported: ["0.1.16"] } },
        exports: { [READ2]: { supported: ["0.1.16"] } },
        filename: { [READ2]: { supported: ["0.1.16"] } },
        id: { [READ2]: { supported: ["0.1.16"] } },
        isPreloading: { [READ2]: { supported: ["15.4.0", "14.17.0"] } },
        loaded: { [READ2]: { supported: ["0.1.16"] } },
        parent: {
          [READ2]: {
            supported: ["0.1.16"],
            deprecated: ["14.6.0", "12.19.0"]
          }
        },
        path: { [READ2]: { supported: ["11.14.0"] } },
        paths: { [READ2]: { supported: ["0.4.0"] } },
        require: { [READ2]: { supported: ["0.5.1"] } }
      },
      exports: { [READ2]: { supported: ["0.1.12"] } },
      AbortController: {
        [READ2]: { experimental: ["15.0.0", "14.17.0"], supported: ["15.4.0"] }
      },
      AbortSignal: {
        [READ2]: { supported: ["15.0.0", "14.17.0"] },
        abort: { [READ2]: { supported: ["15.12.0", "14.17.0"] } },
        timeout: { [READ2]: { supported: ["17.3.0", "16.14.0"] } },
        any: { [READ2]: { supported: ["20.3.0", "18.17.0"] } }
      },
      DOMException: { [READ2]: { supported: ["17.0.0"] } },
      FormData: {
        [READ2]: { experimental: ["17.5.0", "16.15.0"], supported: ["21.0.0"] }
      },
      Headers: {
        [READ2]: { experimental: ["17.5.0", "16.15.0"], supported: ["21.0.0"] }
      },
      MessageEvent: { [READ2]: { supported: ["15.0.0"] } },
      Navigator: { [READ2]: { experimental: ["21.0.0"] } },
      Request: {
        [READ2]: { experimental: ["17.5.0", "16.15.0"], supported: ["21.0.0"] }
      },
      Response: {
        [READ2]: { experimental: ["17.5.0", "16.15.0"], supported: ["21.0.0"] }
      },
      WebAssembly: { [READ2]: { supported: ["8.0.0"] } },
      WebSocket: { [READ2]: { experimental: ["21.0.0", "20.10.0"] } },
      fetch: {
        [READ2]: { experimental: ["17.5.0", "16.15.0"], supported: ["21.0.0"] }
      },
      global: { [READ2]: { supported: ["0.1.27"], deprecated: ["12.0.0"] } },
      queueMicrotask: {
        [READ2]: { supported: ["12.0.0"], experimental: ["11.0.0"] }
      },
      navigator: {
        [READ2]: { experimental: ["21.0.0"] },
        hardwareConcurrency: { [READ2]: { supported: ["21.0.0"] } },
        language: { [READ2]: { supported: ["21.2.0"] } },
        languages: { [READ2]: { supported: ["21.2.0"] } },
        platform: { [READ2]: { supported: ["21.2.0"] } },
        userAgent: { [READ2]: { supported: ["21.1.0"] } }
      },
      structuredClone: { [READ2]: { supported: ["17.0.0"] } },
      // module.buffer
      Blob: buffer.Blob,
      Buffer: {
        ...buffer.Buffer,
        [READ2]: { supported: ["0.1.103"] }
      },
      File: buffer.File,
      atob: { [READ2]: { supported: ["16.0.0"] } },
      btoa: { [READ2]: { supported: ["16.0.0"] } },
      // module.console
      console: console2,
      // module.crypto
      crypto: {
        ...crypto.webcrypto,
        [READ2]: { experimental: ["17.6.0", "16.15.0"] }
      },
      Crypto: { [READ2]: { experimental: ["17.6.0", "16.15.0"] } },
      CryptoKey: { [READ2]: { experimental: ["17.6.0", "16.15.0"] } },
      SubtleCrypto: { [READ2]: { experimental: ["17.6.0", "16.15.0"] } },
      // module.events
      CustomEvent: events.CustomEvent,
      Event: events.Event,
      EventTarget: events.EventTarget,
      // module.perf_hooks
      PerformanceEntry: {
        ...perf_hooks.PerformanceEntry,
        [READ2]: { supported: ["19.0.0"] }
      },
      PerformanceMark: {
        ...perf_hooks.PerformanceMark,
        [READ2]: { supported: ["19.0.0"] }
      },
      PerformanceMeasure: {
        ...perf_hooks.PerformanceMeasure,
        [READ2]: { supported: ["19.0.0"] }
      },
      PerformanceObserver: {
        ...perf_hooks.PerformanceObserver,
        [READ2]: { supported: ["19.0.0"] }
      },
      PerformanceObserverEntryList: {
        ...perf_hooks.PerformanceObserverEntryList,
        [READ2]: { supported: ["19.0.0"] }
      },
      PerformanceResourceTiming: {
        ...perf_hooks.PerformanceResourceTiming,
        [READ2]: { supported: ["19.0.0"] }
      },
      performance: {
        ...perf_hooks.performance,
        [READ2]: { supported: ["16.0.0"] }
      },
      // module.process
      process: process3,
      // module.stream
      ReadableStream: {
        ...WebStream.ReadableStream,
        [READ2]: { experimental: ["18.0.0"] }
      },
      ReadableStreamDefaultReader: {
        ...WebStream.ReadableStreamDefaultReader,
        [READ2]: { experimental: ["18.0.0"] }
      },
      ReadableStreamBYOBReader: {
        ...WebStream.ReadableStreamBYOBReader,
        [READ2]: { experimental: ["18.0.0"] }
      },
      ReadableStreamDefaultController: {
        ...WebStream.ReadableStreamDefaultController,
        [READ2]: { experimental: ["18.0.0"] }
      },
      ReadableByteStreamController: {
        ...WebStream.ReadableByteStreamController,
        [READ2]: { experimental: ["18.0.0"] }
      },
      ReadableStreamBYOBRequest: {
        ...WebStream.ReadableStreamBYOBRequest,
        [READ2]: { experimental: ["18.0.0"] }
      },
      WritableStream: {
        ...WebStream.WritableStream,
        [READ2]: { experimental: ["18.0.0"] }
      },
      WritableStreamDefaultWriter: {
        ...WebStream.WritableStreamDefaultWriter,
        [READ2]: { experimental: ["18.0.0"] }
      },
      WritableStreamDefaultController: {
        ...WebStream.WritableStreamDefaultController,
        [READ2]: { experimental: ["18.0.0"] }
      },
      TransformStream: {
        ...WebStream.TransformStream,
        [READ2]: { experimental: ["18.0.0"] }
      },
      TransformStreamDefaultController: {
        ...WebStream.TransformStreamDefaultController,
        [READ2]: { experimental: ["18.0.0"] }
      },
      ByteLengthQueuingStrategy: {
        ...WebStream.ByteLengthQueuingStrategy,
        [READ2]: { experimental: ["18.0.0"] }
      },
      CountQueuingStrategy: {
        ...WebStream.CountQueuingStrategy,
        [READ2]: { experimental: ["18.0.0"] }
      },
      TextEncoderStream: {
        ...WebStream.TextEncoderStream,
        [READ2]: { experimental: ["18.0.0"] }
      },
      TextDecoderStream: {
        ...WebStream.TextDecoderStream,
        [READ2]: { experimental: ["18.0.0"] }
      },
      CompressionStream: {
        ...WebStream.CompressionStream,
        [READ2]: { experimental: ["18.0.0"] }
      },
      DecompressionStream: {
        ...WebStream.DecompressionStream,
        [READ2]: { experimental: ["18.0.0"] }
      },
      // module.timers
      setInterval: timers.setInterval,
      clearInterval: timers.clearInterval,
      setTimeout: timers.setTimeout,
      clearTimeout: timers.clearTimeout,
      setImmediate: timers.setImmediate,
      clearImmediate: timers.clearImmediate,
      // module.url
      URL: {
        ...url.URL,
        [READ2]: { supported: ["10.0.0"] }
      },
      URLSearchParams: {
        ...url.URLSearchParams,
        [READ2]: { supported: ["10.0.0"] }
      },
      // module.util
      TextDecoder: {
        ...util5.TextDecoder,
        [READ2]: { supported: ["11.0.0"] }
      },
      TextEncoder: {
        ...util5.TextEncoder,
        [READ2]: { supported: ["11.0.0"] }
      },
      // module.worker_threads
      BroadcastChannel: {
        ...worker_threads.BroadcastChannel,
        [READ2]: { supported: ["18.0.0"] }
      },
      MessageChannel: {
        ...worker_threads.MessageChannel,
        [READ2]: { supported: ["15.0.0"] }
      },
      MessagePort: {
        ...worker_threads.MessagePort,
        [READ2]: { supported: ["15.0.0"] }
      }
    };
    module2.exports = nodeGlobals;
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/assert.js
var require_assert2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/assert.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var assert3 = {
      assert: { [READ2]: { supported: ["0.5.9"] } },
      deepEqual: { [READ2]: { supported: ["0.1.21"] } },
      deepStrictEqual: { [READ2]: { supported: ["1.2.0"] } },
      doesNotMatch: {
        [READ2]: {
          experimental: ["13.6.0", "12.16.0"],
          supported: ["16.0.0"]
        }
      },
      doesNotReject: { [READ2]: { supported: ["10.0.0"] } },
      doesNotThrow: { [READ2]: { supported: ["0.1.21"] } },
      equal: { [READ2]: { supported: ["0.1.21"] } },
      fail: { [READ2]: { supported: ["0.1.21"] } },
      ifError: { [READ2]: { supported: ["0.1.97"] } },
      match: {
        [READ2]: {
          experimental: ["13.6.0", "12.16.0"],
          supported: ["16.0.0"]
        }
      },
      notDeepEqual: { [READ2]: { supported: ["0.1.21"] } },
      notDeepStrictEqual: { [READ2]: { supported: ["1.2.0"] } },
      notEqual: { [READ2]: { supported: ["0.1.21"] } },
      notStrictEqual: { [READ2]: { supported: ["0.1.21"] } },
      ok: { [READ2]: { supported: ["0.1.21"] } },
      rejects: { [READ2]: { supported: ["10.0.0"] } },
      strictEqual: { [READ2]: { supported: ["0.1.21"] } },
      throws: { [READ2]: { supported: ["0.1.21"] } },
      CallTracker: {
        [READ2]: {
          experimental: ["14.2.0", "12.19.0"],
          deprecated: ["20.1.0"]
        }
      }
    };
    assert3.strict = {
      ...assert3,
      [READ2]: { supported: ["9.9.0", "8.13.0"] }
    };
    module2.exports = {
      assert: {
        ...assert3,
        [READ2]: { supported: ["0.1.21"] }
      },
      "node:assert": {
        ...assert3,
        [READ2]: { supported: ["14.13.1", "12.20.0"] }
      },
      "assert/strict": {
        ...assert3.strict,
        [READ2]: { supported: ["15.0.0"] }
      },
      "node:assert/strict": {
        ...assert3.strict,
        [READ2]: { supported: ["15.0.0"] }
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/async_hooks.js
var require_async_hooks = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/async_hooks.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var async_hooks = {
      createHook: { [READ2]: { experimental: ["8.1.0"] } },
      executionAsyncResource: { [READ2]: { experimental: ["13.9.0", "12.17.0"] } },
      executionAsyncId: { [READ2]: { experimental: ["8.1.0"] } },
      triggerAsyncId: { [READ2]: { experimental: ["8.1.0"] } },
      AsyncLocalStorage: {
        [READ2]: {
          experimental: ["13.10.0", "12.17.0"],
          supported: ["16.4.0"]
        },
        bind: { [READ2]: { experimental: ["19.8.0", "18.16.0"] } },
        snapshot: { [READ2]: { experimental: ["19.8.0", "18.16.0"] } }
      },
      AsyncResource: {
        [READ2]: {
          experimental: ["9.6.0", "8.12.0"],
          supported: ["16.4.0"]
        },
        bind: { [READ2]: { supported: ["14.8.0", "12.19.0"] } }
      }
    };
    module2.exports = {
      async_hooks: {
        [READ2]: {
          experimental: ["8.1.0"],
          supported: ["16.4.0"]
        },
        ...async_hooks
      },
      "node:async_hooks": {
        [READ2]: {
          experimental: ["14.13.1", "12.20.0"],
          supported: ["16.4.0"]
        },
        ...async_hooks
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/child_process.js
var require_child_process = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/child_process.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var child_process = {
      exec: { [READ2]: { supported: ["0.1.90"] } },
      execFile: { [READ2]: { supported: ["0.1.91"] } },
      fork: { [READ2]: { supported: ["0.5.0"] } },
      spawn: { [READ2]: { supported: ["0.1.90"] } },
      execFileSync: { [READ2]: { supported: ["0.11.12"] } },
      execSync: { [READ2]: { supported: ["0.11.12"] } },
      spawnSync: { [READ2]: { supported: ["0.11.12"] } },
      ChildProcess: { [READ2]: { supported: ["2.2.0"] } }
    };
    module2.exports = {
      child_process: {
        [READ2]: { supported: ["0.1.90"] },
        ...child_process
      },
      "node:child_process": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...child_process
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/cluster.js
var require_cluster = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/cluster.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var cluster = {
      isMaster: { [READ2]: { supported: ["0.8.1"], deprecated: ["16.0.0"] } },
      isPrimary: { [READ2]: { supported: ["16.0.0"] } },
      isWorker: { [READ2]: { supported: ["0.6.0"] } },
      schedulingPolicy: { [READ2]: { supported: ["0.11.2"] } },
      settings: { [READ2]: { supported: ["0.7.1"] } },
      worker: { [READ2]: { supported: ["0.7.0"] } },
      workers: { [READ2]: { supported: ["0.7.0"] } },
      disconnect: { [READ2]: { supported: ["0.7.7"] } },
      fork: { [READ2]: { supported: ["0.6.0"] } },
      setupMaster: { [READ2]: { supported: ["0.7.1"], deprecated: ["16.0.0"] } },
      setupPrimary: { [READ2]: { supported: ["16.0.0"] } },
      Worker: { [READ2]: { supported: ["0.7.0"] } }
    };
    module2.exports = {
      cluster: {
        [READ2]: { supported: ["0.7.0"] },
        ...cluster
      },
      "node:cluster": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...cluster
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/dgram.js
var require_dgram = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/dgram.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var dgram = {
      createSocket: { [READ2]: { supported: ["0.1.99"] } },
      Socket: { [READ2]: { supported: ["0.1.99"] } }
    };
    module2.exports = {
      dgram: {
        [READ2]: { supported: ["0.1.99"] },
        ...dgram
      },
      "node:dgram": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...dgram
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/diagnostics_channel.js
var require_diagnostics_channel = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/diagnostics_channel.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var diagnostics_channel = {
      hasSubscribers: { [READ2]: { supported: ["15.1.0", "14.17.0"] } },
      channel: { [READ2]: { supported: ["15.1.0", "14.17.0"] } },
      subscribe: { [READ2]: { supported: ["18.7.0", "16.17.0"] } },
      unsubscribe: { [READ2]: { supported: ["18.7.0", "16.17.0"] } },
      tracingChannel: { [READ2]: { experimental: ["19.9.0"] } },
      Channel: { [READ2]: { supported: ["15.1.0", "14.17.0"] } },
      TracingChannel: { [READ2]: { experimental: ["19.9.0"] } }
    };
    module2.exports = {
      diagnostics_channel: {
        [READ2]: {
          experimental: ["15.1.0", "14.17.0"],
          supported: ["19.2.0", "18.13.0"]
        },
        ...diagnostics_channel
      },
      "node:diagnostics_channel": {
        [READ2]: {
          experimental: ["15.1.0", "14.17.0"],
          supported: ["19.2.0", "18.13.0"]
        },
        ...diagnostics_channel
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/dns.js
var require_dns = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/dns.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var dns = {
      Resolver: { [READ2]: { supported: ["8.3.0"] } },
      getServers: { [READ2]: { supported: ["0.11.3"] } },
      lookup: { [READ2]: { supported: ["0.1.90"] } },
      lookupService: { [READ2]: { supported: ["0.11.14"] } },
      resolve: { [READ2]: { supported: ["0.1.27"] } },
      resolve4: { [READ2]: { supported: ["0.1.16"] } },
      resolve6: { [READ2]: { supported: ["0.1.16"] } },
      resolveAny: { [READ2]: { supported: ["0.1.16"] } },
      resolveCname: { [READ2]: { supported: ["0.3.2"] } },
      resolveCaa: { [READ2]: { supported: ["15.0.0", "14.17.0"] } },
      resolveMx: { [READ2]: { supported: ["0.1.27"] } },
      resolveNaptr: { [READ2]: { supported: ["0.9.12"] } },
      resolveNs: { [READ2]: { supported: ["0.1.90"] } },
      resolvePtr: { [READ2]: { supported: ["6.0.0"] } },
      resolveSoa: { [READ2]: { supported: ["0.11.10"] } },
      resolveSrv: { [READ2]: { supported: ["0.1.27"] } },
      resolveTxt: { [READ2]: { supported: ["0.1.27"] } },
      reverse: { [READ2]: { supported: ["0.1.16"] } },
      setDefaultResultOrder: { [READ2]: { supported: ["16.4.0", "14.18.0"] } },
      getDefaultResultOrder: { [READ2]: { supported: ["20.1.0", "18.17.0"] } },
      setServers: { [READ2]: { supported: ["0.11.3"] } },
      promises: {
        [READ2]: {
          experimental: ["10.6.0"],
          supported: ["11.14.0", "10.17.0"]
        },
        Resolver: { [READ2]: { supported: ["10.6.0"] } },
        cancel: { [READ2]: { supported: ["15.3.0", "14.17.0"] } },
        getServers: { [READ2]: { supported: ["10.6.0"] } },
        lookup: { [READ2]: { supported: ["10.6.0"] } },
        lookupService: { [READ2]: { supported: ["10.6.0"] } },
        resolve: { [READ2]: { supported: ["10.6.0"] } },
        resolve4: { [READ2]: { supported: ["10.6.0"] } },
        resolve6: { [READ2]: { supported: ["10.6.0"] } },
        resolveAny: { [READ2]: { supported: ["10.6.0"] } },
        resolveCaa: { [READ2]: { supported: ["15.0.0", "14.17.0"] } },
        resolveCname: { [READ2]: { supported: ["10.6.0"] } },
        resolveMx: { [READ2]: { supported: ["10.6.0"] } },
        resolveNaptr: { [READ2]: { supported: ["10.6.0"] } },
        resolveNs: { [READ2]: { supported: ["10.6.0"] } },
        resolvePtr: { [READ2]: { supported: ["10.6.0"] } },
        resolveSoa: { [READ2]: { supported: ["10.6.0"] } },
        resolveSrv: { [READ2]: { supported: ["10.6.0"] } },
        resolveTxt: { [READ2]: { supported: ["10.6.0"] } },
        reverse: { [READ2]: { supported: ["10.6.0"] } },
        setDefaultResultOrder: { [READ2]: { supported: ["16.4.0", "14.18.0"] } },
        getDefaultResultOrder: { [READ2]: { supported: ["20.1.0", "18.17.0"] } },
        setServers: { [READ2]: { supported: ["10.6.0"] } }
      }
    };
    module2.exports = {
      dns: { ...dns, [READ2]: { supported: ["0.1.16"] } },
      "node:dns": { ...dns, [READ2]: { supported: ["14.13.1", "12.20.0"] } },
      "dns/promises": { ...dns.promises, [READ2]: { supported: ["15.0.0"] } },
      "node:dns/promises": { ...dns.promises, [READ2]: { supported: ["15.0.0"] } }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/domain.js
var require_domain = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/domain.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var domain = {
      create: { [READ2]: { supported: ["0.7.8"] } },
      Domain: { [READ2]: { supported: ["0.7.8"] } }
    };
    module2.exports = {
      domain: {
        [READ2]: {
          supported: ["0.7.8"],
          deprecated: ["1.4.2"]
        },
        ...domain
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/fs.js
var require_fs5 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/fs.js"(exports2, module2) {
    "use strict";
    var { READ: READ2, CALL: CALL2, CONSTRUCT: CONSTRUCT2 } = require_eslint_utils();
    var promises_api = {
      FileHandle: { [READ2]: { supported: ["10.0.0"] } },
      access: { [READ2]: { supported: ["10.0.0"] } },
      appendFile: { [READ2]: { supported: ["10.0.0"] } },
      chmod: { [READ2]: { supported: ["10.0.0"] } },
      chown: { [READ2]: { supported: ["10.0.0"] } },
      constants: { [READ2]: { supported: ["18.4.0", "16.17.0"] } },
      copyFile: { [READ2]: { supported: ["10.0.0"] } },
      cp: { [READ2]: { experimental: ["16.7.0"] } },
      glob: { [READ2]: { experimental: ["22.0.0"] } },
      lchmod: { [READ2]: { supported: ["10.0.0"], deprecated: ["10.0.0"] } },
      lchown: { [READ2]: { supported: ["10.0.0"] } },
      link: { [READ2]: { supported: ["10.0.0"] } },
      lstat: { [READ2]: { supported: ["10.0.0"] } },
      lutimes: { [READ2]: { supported: ["14.5.0", "12.19.0"] } },
      mkdir: { [READ2]: { supported: ["10.0.0"] } },
      mkdtemp: { [READ2]: { supported: ["10.0.0"] } },
      open: { [READ2]: { supported: ["10.0.0"] } },
      opendir: { [READ2]: { supported: ["12.12.0"] } },
      readFile: { [READ2]: { supported: ["10.0.0"] } },
      readdir: { [READ2]: { supported: ["10.0.0"] } },
      readlink: { [READ2]: { supported: ["10.0.0"] } },
      realpath: { [READ2]: { supported: ["10.0.0"] } },
      rename: { [READ2]: { supported: ["10.0.0"] } },
      rm: { [READ2]: { supported: ["14.14.0"] } },
      rmdir: { [READ2]: { supported: ["10.0.0"] } },
      stat: { [READ2]: { supported: ["10.0.0"] } },
      statfs: { [READ2]: { supported: ["19.6.0", "18.15.0"] } },
      symlink: { [READ2]: { supported: ["10.0.0"] } },
      truncate: { [READ2]: { supported: ["10.0.0"] } },
      unlink: { [READ2]: { supported: ["10.0.0"] } },
      utimes: { [READ2]: { supported: ["10.0.0"] } },
      watch: { [READ2]: { supported: ["15.9.0", "14.18.0"] } },
      writeFile: { [READ2]: { supported: ["10.0.0"] } }
    };
    var callback_api = {
      access: { [READ2]: { supported: ["0.11.15"] } },
      appendFile: { [READ2]: { supported: ["0.6.7"] } },
      chmod: { [READ2]: { supported: ["0.1.30"] } },
      chown: { [READ2]: { supported: ["0.1.97"] } },
      close: { [READ2]: { supported: ["0.0.2"] } },
      copyFile: { [READ2]: { supported: ["8.5.0"] } },
      cp: { [READ2]: { experimental: ["16.7.0"] } },
      createReadStream: { [READ2]: { supported: ["0.1.31"] } },
      createWriteStream: { [READ2]: { supported: ["0.1.31"] } },
      exists: { [READ2]: { supported: ["0.0.2"], deprecated: ["1.0.0"] } },
      fchmod: { [READ2]: { supported: ["0.4.7"] } },
      fchown: { [READ2]: { supported: ["0.4.7"] } },
      fdatasync: { [READ2]: { supported: ["0.1.96"] } },
      fstat: { [READ2]: { supported: ["0.1.95"] } },
      fsync: { [READ2]: { supported: ["0.1.96"] } },
      ftruncate: { [READ2]: { supported: ["0.8.6"] } },
      futimes: { [READ2]: { supported: ["0.4.2"] } },
      glob: { [READ2]: { experimental: ["22.0.0"] } },
      lchmod: { [READ2]: { supported: ["0.1.8"], deprecated: ["0.4.7"] } },
      lchown: { [READ2]: { supported: ["0.1.8"] } },
      link: { [READ2]: { supported: ["0.1.31"] } },
      lstat: { [READ2]: { supported: ["0.1.30"] } },
      lutimes: { [READ2]: { supported: ["14.5.0", "12.19.0"] } },
      mkdir: { [READ2]: { supported: ["0.1.8"] } },
      mkdtemp: { [READ2]: { supported: ["5.10.0"] } },
      native: { [READ2]: { supported: ["9.2.0"] } },
      open: { [READ2]: { supported: ["0.0.2"] } },
      openAsBlob: { [READ2]: { experimental: ["19.8.0"] } },
      opendir: { [READ2]: { supported: ["12.12.0"] } },
      read: { [READ2]: { supported: ["0.0.2"] } },
      readdir: { [READ2]: { supported: ["0.1.8"] } },
      readFile: { [READ2]: { supported: ["0.1.29"] } },
      readlink: { [READ2]: { supported: ["0.1.31"] } },
      readv: { [READ2]: { supported: ["13.13.0", "12.17.0"] } },
      realpath: {
        [READ2]: { supported: ["0.1.31"] },
        native: { [READ2]: { supported: ["9.2.0"] } }
      },
      rename: { [READ2]: { supported: ["0.0.2"] } },
      rm: { [READ2]: { supported: ["14.14.0"] } },
      rmdir: { [READ2]: { supported: ["0.0.2"] } },
      stat: { [READ2]: { supported: ["0.0.2"] } },
      statfs: { [READ2]: { supported: ["19.6.0", "18.15.0"] } },
      symlink: { [READ2]: { supported: ["0.1.31"] } },
      truncate: { [READ2]: { supported: ["0.8.6"] } },
      unlink: { [READ2]: { supported: ["0.0.2"] } },
      unwatchFile: { [READ2]: { supported: ["0.1.31"] } },
      utimes: { [READ2]: { supported: ["0.4.2"] } },
      watch: { [READ2]: { supported: ["0.5.10"] } },
      watchFile: { [READ2]: { supported: ["0.1.31"] } },
      write: { [READ2]: { supported: ["0.0.2"] } },
      writeFile: { [READ2]: { supported: ["0.1.29"] } },
      writev: { [READ2]: { supported: ["12.9.0"] } }
    };
    var synchronous_api = {
      accessSync: { [READ2]: { supported: ["0.11.15"] } },
      appendFileSync: { [READ2]: { supported: ["0.6.7"] } },
      chmodSync: { [READ2]: { supported: ["0.6.7"] } },
      chownSync: { [READ2]: { supported: ["0.1.97"] } },
      closeSync: { [READ2]: { supported: ["0.1.21"] } },
      copyFileSync: { [READ2]: { supported: ["8.5.0"] } },
      cpSync: { [READ2]: { experimental: ["16.7.0"] } },
      existsSync: { [READ2]: { supported: ["0.1.21"] } },
      fchmodSync: { [READ2]: { supported: ["0.4.7"] } },
      fchownSync: { [READ2]: { supported: ["0.4.7"] } },
      fdatasyncSync: { [READ2]: { supported: ["0.1.96"] } },
      fstatSync: { [READ2]: { supported: ["0.1.95"] } },
      fsyncSync: { [READ2]: { supported: ["0.1.96"] } },
      ftruncateSync: { [READ2]: { supported: ["0.8.6"] } },
      futimesSync: { [READ2]: { supported: ["0.4.2"] } },
      globSync: { [READ2]: { experimental: ["22.0.0"] } },
      lchmodSync: { [READ2]: { supported: ["0.1.8"], deprecated: ["0.4.7"] } },
      lchownSync: { [READ2]: { supported: ["0.1.8"] } },
      linkSync: { [READ2]: { supported: ["0.1.31"] } },
      lstatSync: { [READ2]: { supported: ["0.1.30"] } },
      lutimesSync: { [READ2]: { supported: ["14.5.0", "12.19.0"] } },
      mkdirSync: { [READ2]: { supported: ["0.1.21"] } },
      mkdtempSync: { [READ2]: { supported: ["5.10.0"] } },
      native: { [READ2]: { supported: ["9.2.0"] } },
      opendirSync: { [READ2]: { supported: ["12.12.0"] } },
      openSync: { [READ2]: { supported: ["0.1.21"] } },
      readdirSync: { [READ2]: { supported: ["0.1.21"] } },
      readFileSync: { [READ2]: { supported: ["0.1.8"] } },
      readlinkSync: { [READ2]: { supported: ["0.1.31"] } },
      readSync: { [READ2]: { supported: ["0.1.21"] } },
      readvSync: { [READ2]: { supported: ["13.13.0", "12.17.0"] } },
      realpathSync: {
        [READ2]: { supported: ["0.1.31"] },
        native: { [READ2]: { supported: ["9.2.0"] } }
      },
      renameSync: { [READ2]: { supported: ["0.1.21"] } },
      rmdirSync: { [READ2]: { supported: ["0.1.21"] } },
      rmSync: { [READ2]: { supported: ["14.14.0"] } },
      statfsSync: { [READ2]: { supported: ["19.6.0", "18.15.0"] } },
      statSync: { [READ2]: { supported: ["0.1.21"] } },
      symlinkSync: { [READ2]: { supported: ["0.1.31"] } },
      truncateSync: { [READ2]: { supported: ["0.8.6"] } },
      unlinkSync: { [READ2]: { supported: ["0.1.21"] } },
      utimesSync: { [READ2]: { supported: ["0.4.2"] } },
      writeFileSync: { [READ2]: { supported: ["0.1.29"] } },
      writeSync: { [READ2]: { supported: ["0.1.21"] } },
      writevSync: { [READ2]: { supported: ["12.9.0"] } }
    };
    var fs4 = {
      promises: {
        [READ2]: {
          experimental: ["10.0.0"],
          supported: ["11.14.0", "10.17.0"]
        },
        ...promises_api
      },
      ...callback_api,
      ...synchronous_api,
      constants: { [READ2]: { supported: ["0.1.8"] } },
      Dir: { [READ2]: { supported: ["12.12.0"] } },
      Dirent: { [READ2]: { supported: ["10.10.0"] } },
      FSWatcher: { [READ2]: { supported: ["0.5.8"] } },
      StatWatcher: { [READ2]: { supported: ["14.3.0", "12.20.0"] } },
      ReadStream: { [READ2]: { supported: ["0.1.93"] } },
      Stats: {
        [READ2]: { supported: ["0.1.21"] },
        [CALL2]: { deprecated: ["22.0.0", "20.13.0"] },
        [CONSTRUCT2]: { deprecated: ["22.0.0", "20.13.0"] }
      },
      StatFs: { [READ2]: { supported: ["19.6.0", "18.15.0"] } },
      WriteStream: { [READ2]: { supported: ["0.1.93"] } },
      common_objects: { [READ2]: { supported: ["0.1.8"] } }
    };
    module2.exports = {
      fs: {
        [READ2]: { supported: ["0.1.8"] },
        ...fs4
      },
      "node:fs": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...fs4
      },
      "fs/promises": {
        [READ2]: { supported: ["14.0.0"] },
        ...promises_api
      },
      "node:fs/promises": {
        [READ2]: { supported: ["14.13.1"] },
        ...promises_api
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/http2.js
var require_http2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/http2.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var http2 = {
      constants: { [READ2]: { supported: ["8.4.0"] } },
      sensitiveHeaders: { [READ2]: { supported: ["15.0.0", "14.18.0"] } },
      createServer: { [READ2]: { supported: ["8.4.0"] } },
      createSecureServer: { [READ2]: { supported: ["8.4.0"] } },
      connect: { [READ2]: { supported: ["8.4.0"] } },
      getDefaultSettings: { [READ2]: { supported: ["8.4.0"] } },
      getPackedSettings: { [READ2]: { supported: ["8.4.0"] } },
      getUnpackedSettings: { [READ2]: { supported: ["8.4.0"] } },
      performServerHandshake: { [READ2]: { supported: ["20.12.0", "21.7.0"] } },
      Http2Session: { [READ2]: { supported: ["8.4.0"] } },
      ServerHttp2Session: { [READ2]: { supported: ["8.4.0"] } },
      ClientHttp2Session: { [READ2]: { supported: ["8.4.0"] } },
      Http2Stream: { [READ2]: { supported: ["8.4.0"] } },
      ClientHttp2Stream: { [READ2]: { supported: ["8.4.0"] } },
      ServerHttp2Stream: { [READ2]: { supported: ["8.4.0"] } },
      Http2Server: { [READ2]: { supported: ["8.4.0"] } },
      Http2SecureServer: { [READ2]: { supported: ["8.4.0"] } },
      Http2ServerRequest: { [READ2]: { supported: ["8.4.0"] } },
      Http2ServerResponse: { [READ2]: { supported: ["8.4.0"] } }
    };
    module2.exports = {
      http2: {
        [READ2]: {
          experimental: ["8.4.0"],
          supported: ["10.10.0", "8.13.0"]
        },
        ...http2
      },
      "node:http2": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...http2
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/http.js
var require_http = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/http.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var http = {
      METHODS: { [READ2]: { supported: ["0.11.8"] } },
      STATUS_CODES: { [READ2]: { supported: ["0.1.22"] } },
      globalAgent: { [READ2]: { supported: ["0.5.9"] } },
      maxHeaderSize: { [READ2]: { supported: ["11.6.0", "10.15.0"] } },
      createServer: { [READ2]: { supported: ["0.1.13"] } },
      get: { [READ2]: { supported: ["0.3.6"] } },
      request: { [READ2]: { supported: ["0.3.6"] } },
      validateHeaderName: { [READ2]: { supported: ["14.3.0"] } },
      validateHeaderValue: { [READ2]: { supported: ["14.3.0"] } },
      setMaxIdleHTTPParsers: { [READ2]: { supported: ["18.8.0", "16.18.0"] } },
      Agent: { [READ2]: { supported: ["0.3.4"] } },
      ClientRequest: { [READ2]: { supported: ["0.1.17"] } },
      Server: { [READ2]: { supported: ["0.1.17"] } },
      ServerResponse: { [READ2]: { supported: ["0.1.17"] } },
      IncomingMessage: { [READ2]: { supported: ["0.1.17"] } },
      OutgoingMessage: { [READ2]: { supported: ["0.1.17"] } }
    };
    module2.exports = {
      http: {
        [READ2]: { supported: ["0.0.1"] },
        ...http
      },
      "node:http": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...http
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/https.js
var require_https = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/https.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var http = {
      globalAgent: { [READ2]: { supported: ["0.5.9"] } },
      createServer: { [READ2]: { supported: ["0.3.4"] } },
      get: { [READ2]: { supported: ["0.3.6"] } },
      request: { [READ2]: { supported: ["0.3.6"] } },
      Agent: { [READ2]: { supported: ["0.4.5"] } },
      Server: { [READ2]: { supported: ["0.3.4"] } }
    };
    module2.exports = {
      http: {
        [READ2]: { supported: ["0.3.4"] },
        ...http
      },
      "node:http": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...http
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/inspector.js
var require_inspector = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/inspector.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var common_objects = {
      console: { [READ2]: { supported: ["8.0.0"] } },
      close: { [READ2]: { supported: ["9.0.0"] } },
      open: { [READ2]: { supported: ["8.0.0"] } },
      url: { [READ2]: { supported: ["8.0.0"] } },
      waitForDebugger: { [READ2]: { supported: ["12.7.0"] } }
    };
    var promises_api = {
      Session: { [READ2]: { supported: ["19.0.0"] } },
      ...common_objects
    };
    var callback_api = {
      Session: { [READ2]: { supported: ["8.0.0"] } },
      ...common_objects
    };
    module2.exports = {
      inspector: {
        [READ2]: {
          experimental: ["8.0.0"],
          supported: ["14.0.0"]
        },
        ...callback_api
      },
      "node:inspector": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...callback_api
      },
      "inspector/promises": {
        [READ2]: { experimental: ["19.0.0"] },
        ...promises_api
      },
      "node:inspector/promises": {
        [READ2]: { experimental: ["19.0.0"] },
        ...promises_api
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/module.js
var require_module = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/module.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var Module2 = {
      builtinModules: { [READ2]: { supported: ["9.3.0", "8.10.0", "6.13.0"] } },
      createRequire: { [READ2]: { supported: ["12.2.0"] } },
      createRequireFromPath: {
        [READ2]: {
          supported: ["10.12.0"],
          deprecated: ["12.2.0"]
        }
      },
      isBuiltin: { [READ2]: { supported: ["18.6.0", "16.17.0"] } },
      register: { [READ2]: { experimental: ["20.6.0"] } },
      syncBuiltinESMExports: { [READ2]: { supported: ["12.12.0"] } },
      findSourceMap: { [READ2]: { supported: ["13.7.0", "12.17.0"] } },
      SourceMap: { [READ2]: { supported: ["13.7.0", "12.17.0"] } }
    };
    Module2.Module = Module2;
    module2.exports = {
      module: {
        [READ2]: { supported: ["0.3.7"] },
        ...Module2
      },
      "node:module": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...Module2
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/net.js
var require_net = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/net.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var net = {
      connect: { [READ2]: { supported: ["0.0.1"] } },
      createConnection: { [READ2]: { supported: ["0.0.1"] } },
      createServer: { [READ2]: { supported: ["0.5.0"] } },
      getDefaultAutoSelectFamily: { [READ2]: { supported: ["19.4.0"] } },
      setDefaultAutoSelectFamily: { [READ2]: { supported: ["19.4.0"] } },
      getDefaultAutoSelectFamilyAttemptTimeout: {
        [READ2]: { supported: ["19.8.0", "18.18.0"] }
      },
      setDefaultAutoSelectFamilyAttemptTimeout: {
        [READ2]: { supported: ["19.8.0", "18.18.0"] }
      },
      isIP: { [READ2]: { supported: ["0.3.0"] } },
      isIPv4: { [READ2]: { supported: ["0.3.0"] } },
      isIPv6: { [READ2]: { supported: ["0.3.0"] } },
      BlockList: { [READ2]: { supported: ["15.0.0", "14.18.0"] } },
      SocketAddress: { [READ2]: { supported: ["15.14.0", "14.18.0"] } },
      Server: { [READ2]: { supported: ["0.1.90"] } },
      Socket: { [READ2]: { supported: ["0.3.4"] } }
    };
    module2.exports = {
      net: {
        [READ2]: { supported: ["0.0.1"] },
        ...net
      },
      "node:net": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...net
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/os.js
var require_os = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/os.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var os2 = {
      EOL: { [READ2]: { supported: ["0.7.8"] } },
      constants: {
        [READ2]: { supported: ["5.11.0", "6.3.0"] },
        priority: { [READ2]: { supported: ["10.10.0"] } }
      },
      devNull: { [READ2]: { supported: ["16.3.0", "14.18.0"] } },
      availableParallelism: { [READ2]: { supported: ["19.4.0", "18.14.0"] } },
      arch: { [READ2]: { supported: ["0.5.0"] } },
      cpus: { [READ2]: { supported: ["0.3.3"] } },
      endianness: { [READ2]: { supported: ["0.9.4"] } },
      freemem: { [READ2]: { supported: ["0.3.3"] } },
      getPriority: { [READ2]: { supported: ["10.10.0"] } },
      homedir: { [READ2]: { supported: ["2.3.0"] } },
      hostname: { [READ2]: { supported: ["0.3.3"] } },
      loadavg: { [READ2]: { supported: ["0.3.3"] } },
      machine: { [READ2]: { supported: ["18.9.0", "16.18.0"] } },
      networkInterfaces: { [READ2]: { supported: ["0.6.0"] } },
      platform: { [READ2]: { supported: ["0.5.0"] } },
      release: { [READ2]: { supported: ["0.3.3"] } },
      setPriority: { [READ2]: { supported: ["10.10.0"] } },
      tmpdir: { [READ2]: { supported: ["0.9.9"] } },
      totalmem: { [READ2]: { supported: ["0.3.3"] } },
      type: { [READ2]: { supported: ["0.3.3"] } },
      uptime: { [READ2]: { supported: ["0.3.3"] } },
      userInfo: { [READ2]: { supported: ["6.0.0"] } },
      version: { [READ2]: { supported: ["13.11.0", "12.17.0"] } }
    };
    module2.exports = {
      os: {
        [READ2]: { supported: ["0.3.3"] },
        ...os2
      },
      "node:os": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...os2
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/path.js
var require_path3 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/path.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var path17 = {
      delimiter: { [READ2]: { supported: ["0.9.3"] } },
      sep: { [READ2]: { supported: ["0.7.9"] } },
      basename: { [READ2]: { supported: ["0.1.25"] } },
      dirname: { [READ2]: { supported: ["0.1.16"] } },
      extname: { [READ2]: { supported: ["0.1.25"] } },
      format: { [READ2]: { supported: ["0.11.15"] } },
      isAbsolute: { [READ2]: { supported: ["0.11.2"] } },
      join: { [READ2]: { supported: ["0.1.16"] } },
      normalize: { [READ2]: { supported: ["0.1.23"] } },
      parse: { [READ2]: { supported: ["0.11.15"] } },
      relative: { [READ2]: { supported: ["0.5.0"] } },
      resolve: { [READ2]: { supported: ["0.3.4"] } },
      toNamespacedPath: { [READ2]: { supported: ["9.0.0"] } }
    };
    module2.exports = {
      path: {
        [READ2]: { supported: ["0.1.16"] },
        posix: { [READ2]: { supported: ["0.11.15"] }, ...path17 },
        win32: { [READ2]: { supported: ["0.11.15"] }, ...path17 },
        ...path17
      },
      "node:path": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        posix: { [READ2]: { supported: ["0.11.15"] }, ...path17 },
        win32: { [READ2]: { supported: ["0.11.15"] }, ...path17 },
        ...path17
      },
      "path/posix": { [READ2]: { supported: ["15.3.0"] }, ...path17 },
      "node:path/posix": { [READ2]: { supported: ["15.3.0"] }, ...path17 },
      "path/win32": { [READ2]: { supported: ["15.3.0"] }, ...path17 },
      "node:path/win32": { [READ2]: { supported: ["15.3.0"] }, ...path17 }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/punycode.js
var require_punycode = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/punycode.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var punycode = {
      ucs2: { [READ2]: { supported: ["0.7.0"] } },
      version: { [READ2]: { supported: ["0.6.1"] } },
      decode: { [READ2]: { supported: ["0.5.1"] } },
      encode: { [READ2]: { supported: ["0.5.1"] } },
      toASCII: { [READ2]: { supported: ["0.6.1"] } },
      toUnicode: { [READ2]: { supported: ["0.6.1"] } }
    };
    module2.exports = {
      punycode: {
        [READ2]: {
          supported: ["0.5.1"],
          deprecated: ["7.0.0"]
        },
        ...punycode
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/querystring.js
var require_querystring = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/querystring.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var querystring = {
      decode: { [READ2]: { supported: ["0.1.99"] } },
      encode: { [READ2]: { supported: ["0.1.99"] } },
      escape: { [READ2]: { supported: ["0.1.25"] } },
      parse: { [READ2]: { supported: ["0.1.25"] } },
      stringify: { [READ2]: { supported: ["0.1.25"] } },
      unescape: { [READ2]: { supported: ["0.1.25"] } }
    };
    module2.exports = {
      querystring: {
        [READ2]: { supported: ["0.1.25"] },
        ...querystring
      },
      "node:querystring": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...querystring
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/readline.js
var require_readline = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/readline.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var promises_api = {
      createInterface: { [READ2]: { supported: ["17.0.0"] } },
      Interface: { [READ2]: { supported: ["17.0.0"] } },
      Readline: { [READ2]: { supported: ["17.0.0"] } }
    };
    var readline = {
      promises: {
        [READ2]: { experimental: ["17.0.0"] },
        ...promises_api
      },
      clearLine: { [READ2]: { supported: ["0.7.7"] } },
      clearScreenDown: { [READ2]: { supported: ["0.7.7"] } },
      createInterface: { [READ2]: { supported: ["0.1.98"] } },
      cursorTo: { [READ2]: { supported: ["0.7.7"] } },
      moveCursor: { [READ2]: { supported: ["0.7.7"] } },
      Interface: { [READ2]: { supported: ["0.1.104"] } },
      emitKeypressEvents: { [READ2]: { supported: ["0.7.7"] } },
      InterfaceConstructor: { [READ2]: { supported: ["0.1.104"] } }
    };
    module2.exports = {
      readline: {
        [READ2]: { supported: ["0.1.98"] },
        ...readline
      },
      "node:readline": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...readline
      },
      "readline/promises": {
        [READ2]: { experimental: ["17.0.0"] },
        ...promises_api
      },
      "node:readline/promises": {
        [READ2]: { experimental: ["17.0.0"] },
        ...promises_api
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/sea.js
var require_sea = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/sea.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var test = {
      isSea: { [READ2]: { supported: ["21.7.0", "20.12.0"] } },
      getAsset: { [READ2]: { supported: ["21.7.0", "20.12.0"] } },
      getAssetAsBlob: { [READ2]: { supported: ["21.7.0", "20.12.0"] } },
      getRawAsset: { [READ2]: { supported: ["21.7.0", "20.12.0"] } }
    };
    test.test = test;
    module2.exports = {
      "node:sea": {
        [READ2]: { experimental: ["21.7.0", "20.12.0"] },
        ...test
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/string_decoder.js
var require_string_decoder = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/string_decoder.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var string_decoder = {
      StringDecoder: { [READ2]: { supported: ["0.1.99"] } }
    };
    module2.exports = {
      string_decoder: {
        [READ2]: { supported: ["0.1.99"] },
        ...string_decoder
      },
      "node:string_decoder": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...string_decoder
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/test.js
var require_test = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/test.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var test = {
      run: { [READ2]: { supported: ["18.9.0", "16.19.0"] } },
      skip: { [READ2]: { supported: ["20.2.0", "18.17.0"] } },
      todo: { [READ2]: { supported: ["20.2.0", "18.17.0"] } },
      only: { [READ2]: { supported: ["20.2.0", "18.17.0"] } },
      describe: {
        [READ2]: { supported: ["18.7.0", "16.17.0"] },
        skip: { [READ2]: { supported: ["20.2.0", "18.17.0"] } },
        todo: { [READ2]: { supported: ["20.2.0", "18.17.0"] } },
        only: { [READ2]: { supported: ["20.2.0", "18.17.0"] } }
      },
      it: {
        [READ2]: { supported: ["18.6.0", "16.17.0"] },
        skip: { [READ2]: { supported: ["20.2.0", "18.17.0"] } },
        todo: { [READ2]: { supported: ["20.2.0", "18.17.0"] } },
        only: { [READ2]: { supported: ["20.2.0", "18.17.0"] } }
      },
      suite: {
        [READ2]: { supported: ["22.0.0", "20.13.0"] },
        skip: { [READ2]: { supported: ["22.0.0", "20.13.0"] } },
        todo: { [READ2]: { supported: ["22.0.0", "20.13.0"] } },
        only: { [READ2]: { supported: ["22.0.0", "20.13.0"] } }
      },
      before: { [READ2]: { supported: ["18.8.0", "16.18.0"] } },
      after: { [READ2]: { supported: ["18.8.0", "16.18.0"] } },
      beforeEach: { [READ2]: { supported: ["18.8.0", "16.18.0"] } },
      afterEach: { [READ2]: { supported: ["18.8.0", "16.18.0"] } },
      MockFunctionContext: { [READ2]: { supported: ["19.1.0", "18.13.0"] } },
      MockTracker: { [READ2]: { supported: ["19.1.0", "18.13.0"] } },
      MockTimers: { [READ2]: { experimental: ["20.4.0"] } },
      TestsStream: { [READ2]: { supported: ["18.9.0", "16.19.0"] } },
      TestContext: { [READ2]: { supported: ["18.0.0", "16.17.0"] } },
      SuiteContext: { [READ2]: { supported: ["18.7.0", "16.17.0"] } }
    };
    test.test = test;
    module2.exports = {
      "node:test": {
        [READ2]: {
          experimental: ["18.7.0", "16.17.0"],
          supported: ["20.0.0"]
        },
        ...test
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/tls.js
var require_tls = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/tls.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var tls = {
      rootCertificates: { [READ2]: { supported: ["12.3.0"] } },
      DEFAULT_ECDH_CURVE: { [READ2]: { supported: ["0.11.13"] } },
      DEFAULT_MAX_VERSION: { [READ2]: { supported: ["11.4.0"] } },
      DEFAULT_MIN_VERSION: { [READ2]: { supported: ["11.4.0"] } },
      DEFAULT_CIPHERS: { [READ2]: { supported: ["19.8.0", "18.16.0"] } },
      checkServerIdentity: { [READ2]: { supported: ["0.8.4"] } },
      connect: { [READ2]: { supported: ["0.11.3"] } },
      createSecureContext: { [READ2]: { supported: ["0.11.13"] } },
      createSecurePair: {
        [READ2]: { supported: ["0.3.2"], deprecated: ["0.11.3"] }
      },
      createServer: { [READ2]: { supported: ["0.3.2"] } },
      getCiphers: { [READ2]: { supported: ["0.10.2"] } },
      SecureContext: { [READ2]: { supported: ["0.11.13"] } },
      CryptoStream: { [READ2]: { supported: ["0.3.4"], deprecated: ["0.11.3"] } },
      SecurePair: { [READ2]: { supported: ["0.3.2"], deprecated: ["0.11.3"] } },
      Server: { [READ2]: { supported: ["0.3.2"] } },
      TLSSocket: { [READ2]: { supported: ["0.11.4"] } }
    };
    module2.exports = {
      tls: {
        [READ2]: { supported: ["0.3.2"] },
        ...tls
      },
      "node:tls": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...tls
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/trace_events.js
var require_trace_events = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/trace_events.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var trace_events = {
      createTracing: { [READ2]: { supported: ["10.0.0"] } },
      getEnabledCategories: { [READ2]: { supported: ["10.0.0"] } }
    };
    module2.exports = {
      trace_events: {
        [READ2]: { experimental: ["10.0.0"] },
        ...trace_events
      },
      "node:trace_events": {
        [READ2]: { experimental: ["14.13.1", "12.20.0"] },
        ...trace_events
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/tty.js
var require_tty = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/tty.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var tty = {
      isatty: { [READ2]: { supported: ["0.5.8"] } },
      ReadStream: { [READ2]: { supported: ["0.5.8"] } },
      WriteStream: { [READ2]: { supported: ["0.5.8"] } }
    };
    module2.exports = {
      tty: {
        [READ2]: { supported: ["0.5.8"] },
        ...tty
      },
      "node:tty": {
        [READ2]: { supported: ["14.13.1", "12.20.0"] },
        ...tty
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/v8.js
var require_v8 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/v8.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var v8 = {
      serialize: { [READ2]: { supported: ["8.0.0"] } },
      deserialize: { [READ2]: { supported: ["8.0.0"] } },
      Serializer: { [READ2]: { supported: ["8.0.0"] } },
      Deserializer: { [READ2]: { supported: ["8.0.0"] } },
      DefaultSerializer: { [READ2]: { supported: ["8.0.0"] } },
      DefaultDeserializer: { [READ2]: { supported: ["8.0.0"] } },
      promiseHooks: {
        [READ2]: { supported: ["17.1.0", "16.14.0"] },
        onInit: { [READ2]: { supported: ["17.1.0", "16.14.0"] } },
        onSettled: { [READ2]: { supported: ["17.1.0", "16.14.0"] } },
        onBefore: { [READ2]: { supported: ["17.1.0", "16.14.0"] } },
        onAfter: { [READ2]: { supported: ["17.1.0", "16.14.0"] } },
        createHook: { [READ2]: { supported: ["17.1.0", "16.14.0"] } }
      },
      startupSnapshot: {
        [READ2]: { experimental: ["18.6.0", "16.17.0"] },
        addSerializeCallback: { [READ2]: { supported: ["18.6.0", "16.17.0"] } },
        addDeserializeCallback: {
          [READ2]: { supported: ["18.6.0", "16.17.0"] }
        },
        setDeserializeMainFunction: {
          [READ2]: { supported: ["18.6.0", "16.17.0"] }
        },
        isBuildingSnapshot: { [READ2]: { supported: ["18.6.0", "16.17.0"] } }
      },
      cachedDataVersionTag: { [READ2]: { supported: ["8.0.0"] } },
      getHeapCodeStatistics: { [READ2]: { supported: ["12.8.0"] } },
      getHeapSnapshot: { [READ2]: { supported: ["11.13.0"] } },
      getHeapSpaceStatistics: { [READ2]: { supported: ["6.0.0"] } },
      getHeapStatistics: { [READ2]: { supported: ["1.0.0"] } },
      queryObjects: { [READ2]: { experimental: ["22.0.0", "20.13.0"] } },
      setFlagsFromString: { [READ2]: { supported: ["1.0.0"] } },
      stopCoverage: { [READ2]: { supported: ["15.1.0", "14.18.0", "12.22.0"] } },
      takeCoverage: { [READ2]: { supported: ["15.1.0", "14.18.0", "12.22.0"] } },
      writeHeapSnapshot: { [READ2]: { supported: ["11.13.0"] } },
      setHeapSnapshotNearHeapLimit: {
        [READ2]: { experimental: ["18.10.0", "16.18.0"] }
      },
      GCProfiler: { [READ2]: { supported: ["19.6.0", "18.15.0"] } }
    };
    module2.exports = {
      v8: { ...v8, [READ2]: { supported: ["1.0.0"] } },
      "node:v8": { ...v8, [READ2]: { supported: ["14.13.1", "12.20.0"] } }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/vm.js
var require_vm = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/vm.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var vm = {
      constants: { [READ2]: { supported: ["20.12.0", "21.7.0"] } },
      compileFunction: { [READ2]: { supported: ["10.10.0"] } },
      createContext: { [READ2]: { supported: ["0.3.1"] } },
      isContext: { [READ2]: { supported: ["0.11.7"] } },
      measureMemory: { [READ2]: { experimental: ["13.10.0"] } },
      runInContext: { [READ2]: { supported: ["0.3.1"] } },
      runInNewContext: { [READ2]: { supported: ["0.3.1"] } },
      runInThisContext: { [READ2]: { supported: ["0.3.1"] } },
      Script: { [READ2]: { supported: ["0.3.1"] } },
      // Module was not found in v10 or v11.
      Module: { [READ2]: { experimental: ["13.0.0", "12.16.0", "9.6.0"] } },
      SourceTextModule: { [READ2]: { experimental: ["9.6.0"] } },
      SyntheticModule: { [READ2]: { experimental: ["13.0.0", "12.16.0"] } }
    };
    module2.exports = {
      vm,
      "node:vm": { ...vm, [READ2]: { supported: ["14.13.1", "12.20.0"] } }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/wasi.js
var require_wasi = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/wasi.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var wasi = {
      WASI: { [READ2]: { supported: ["13.3.0", "12.16.0"] } }
    };
    module2.exports = {
      wasi,
      "node:wasi": { ...wasi, [READ2]: { supported: ["14.13.1", "12.20.0"] } }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/zlib.js
var require_zlib = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins-modules/zlib.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var zlib = {
      constants: { [READ2]: { supported: ["7.0.0"] } },
      crc32: { [READ2]: { supported: ["22.2.0"] } },
      createBrotliCompress: { [READ2]: { supported: ["11.7.0", "10.16.0"] } },
      createBrotliDecompress: { [READ2]: { supported: ["11.7.0", "10.16.0"] } },
      createDeflate: { [READ2]: { supported: ["0.5.8"] } },
      createDeflateRaw: { [READ2]: { supported: ["0.5.8"] } },
      createGunzip: { [READ2]: { supported: ["0.5.8"] } },
      createGzip: { [READ2]: { supported: ["0.5.8"] } },
      createInflate: { [READ2]: { supported: ["0.5.8"] } },
      createInflateRaw: { [READ2]: { supported: ["0.5.8"] } },
      createUnzip: { [READ2]: { supported: ["0.5.8"] } },
      brotliCompress: { [READ2]: { supported: ["11.7.0", "10.16.0"] } },
      brotliCompressSync: { [READ2]: { supported: ["11.7.0", "10.16.0"] } },
      brotliDecompress: { [READ2]: { supported: ["11.7.0", "10.16.0"] } },
      brotliDecompressSync: { [READ2]: { supported: ["11.7.0", "10.16.0"] } },
      deflate: { [READ2]: { supported: ["0.6.0"] } },
      deflateSync: { [READ2]: { supported: ["0.11.12"] } },
      deflateRaw: { [READ2]: { supported: ["0.6.0"] } },
      deflateRawSync: { [READ2]: { supported: ["0.11.12"] } },
      gunzip: { [READ2]: { supported: ["0.6.0"] } },
      gunzipSync: { [READ2]: { supported: ["0.11.12"] } },
      gzip: { [READ2]: { supported: ["0.6.0"] } },
      gzipSync: { [READ2]: { supported: ["0.11.12"] } },
      inflate: { [READ2]: { supported: ["0.6.0"] } },
      inflateSync: { [READ2]: { supported: ["0.11.12"] } },
      inflateRaw: { [READ2]: { supported: ["0.6.0"] } },
      inflateRawSync: { [READ2]: { supported: ["0.11.12"] } },
      unzip: { [READ2]: { supported: ["0.6.0"] } },
      unzipSync: { [READ2]: { supported: ["0.11.12"] } },
      BrotliCompress: { [READ2]: { supported: ["11.7.0", "10.16.0"] } },
      BrotliDecompress: { [READ2]: { supported: ["11.7.0", "10.16.0"] } },
      Deflate: { [READ2]: { supported: ["0.5.8"] } },
      DeflateRaw: { [READ2]: { supported: ["0.5.8"] } },
      Gunzip: { [READ2]: { supported: ["0.5.8"] } },
      Gzip: { [READ2]: { supported: ["0.5.8"] } },
      Inflate: { [READ2]: { supported: ["0.5.8"] } },
      InflateRaw: { [READ2]: { supported: ["0.5.8"] } },
      Unzip: { [READ2]: { supported: ["0.5.8"] } }
    };
    module2.exports = {
      zlib,
      "node:zlib": {
        ...zlib,
        [READ2]: { supported: ["14.13.1", "12.20.0"] }
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins.js
var require_node_builtins = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/unsupported-features/node-builtins.js"(exports2, module2) {
    "use strict";
    var NodeBuiltinGlobals = require_node_globals();
    var NodeBuiltinModules = {
      ...require_assert2(),
      ...require_async_hooks(),
      ...require_buffer(),
      ...require_child_process(),
      ...require_cluster(),
      ...require_console(),
      ...require_crypto(),
      ...require_dgram(),
      ...require_diagnostics_channel(),
      ...require_dns(),
      ...require_domain(),
      ...require_events(),
      ...require_fs5(),
      ...require_http2(),
      ...require_http(),
      ...require_https(),
      ...require_inspector(),
      ...require_module(),
      ...require_net(),
      ...require_os(),
      ...require_path3(),
      ...require_perf_hooks(),
      ...require_process(),
      ...require_punycode(),
      ...require_querystring(),
      ...require_readline(),
      ...require_sea(),
      ...require_stream5(),
      ...require_string_decoder(),
      ...require_test(),
      ...require_timers(),
      ...require_tls(),
      ...require_trace_events(),
      ...require_tty(),
      ...require_url(),
      ...require_util6(),
      ...require_v8(),
      ...require_vm(),
      ...require_wasi(),
      ...require_worker_threads(),
      ...require_zlib()
    };
    module2.exports = { NodeBuiltinGlobals, NodeBuiltinModules };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-unsupported-features/node-builtins.js
var require_node_builtins2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-unsupported-features/node-builtins.js"(exports2, module2) {
    "use strict";
    var {
      checkUnsupportedBuiltins,
      messages: messages116
    } = require_check_unsupported_builtins();
    var enumeratePropertyNames = require_enumerate_property_names();
    var getConfiguredNodeVersion = require_get_configured_node_version();
    var {
      NodeBuiltinGlobals,
      NodeBuiltinModules
    } = require_node_builtins();
    var traceMap = {
      globals: NodeBuiltinGlobals,
      modules: NodeBuiltinModules
    };
    module2.exports = {
      meta: {
        docs: {
          description: "disallow unsupported Node.js built-in APIs on the specified version",
          recommended: true,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-unsupported-features/node-builtins.md"
        },
        type: "problem",
        fixable: null,
        schema: [
          {
            type: "object",
            properties: {
              version: getConfiguredNodeVersion.schema,
              allowExperimental: { type: "boolean" },
              ignores: {
                type: "array",
                items: {
                  enum: Array.from(
                    /* @__PURE__ */ new Set([
                      ...enumeratePropertyNames(traceMap.globals),
                      ...enumeratePropertyNames(traceMap.modules)
                    ])
                  )
                },
                uniqueItems: true
              }
            },
            additionalProperties: false
          }
        ],
        messages: messages116
      },
      create(context) {
        return {
          "Program:exit"() {
            checkUnsupportedBuiltins(context, traceMap);
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/check-prefer-global.js
var require_check_prefer_global = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/util/check-prefer-global.js"(exports2, module2) {
    "use strict";
    var { ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var Verifier = class {
      /**
       * Initialize this instance.
       * @param {import('eslint').Rule.RuleContext} context The rule context to report.
       * @param {TraceMap} traceMap The track map.
       */
      constructor(context, traceMap) {
        this.context = context;
        this.traceMap = traceMap;
        this.verify = context.options[0] === "never" ? this.verifyToPreferModules : this.verifyToPreferGlobals;
      }
      /**
       * Verify the code to suggest the use of globals.
       * @returns {void}
       */
      verifyToPreferGlobals() {
        const { context, traceMap } = this;
        const sourceCode = context.sourceCode ?? context.getSourceCode();
        const scope = sourceCode.getScope?.(sourceCode.ast) ?? context.getScope();
        const tracker2 = new ReferenceTracker2(scope, {
          mode: "legacy"
        });
        for (const { node } of [
          ...tracker2.iterateCjsReferences(traceMap.modules),
          ...tracker2.iterateEsmReferences(traceMap.modules)
        ]) {
          context.report({ node, messageId: "preferGlobal" });
        }
      }
      /**
       * Verify the code to suggest the use of modules.
       * @returns {void}
       */
      verifyToPreferModules() {
        const { context, traceMap } = this;
        const sourceCode = context.sourceCode ?? context.getSourceCode();
        const scope = sourceCode.getScope?.(sourceCode.ast) ?? context.getScope();
        const tracker2 = new ReferenceTracker2(scope);
        for (const { node } of tracker2.iterateGlobalReferences(
          traceMap.globals
        )) {
          context.report({ node, messageId: "preferModule" });
        }
      }
    };
    module2.exports = function checkForPreferGlobal(context, traceMap) {
      new Verifier(context, traceMap).verify();
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-global/buffer.js
var require_buffer2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-global/buffer.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var checkForPreferGlobal = require_check_prefer_global();
    var traceMap = {
      globals: {
        Buffer: { [READ2]: true }
      },
      modules: {
        buffer: { Buffer: { [READ2]: true } },
        "node:buffer": { Buffer: { [READ2]: true } }
      }
    };
    module2.exports = {
      meta: {
        docs: {
          description: 'enforce either `Buffer` or `require("buffer").Buffer`',
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/prefer-global/buffer.md"
        },
        type: "suggestion",
        fixable: null,
        schema: [{ enum: ["always", "never"] }],
        messages: {
          preferGlobal: `Unexpected use of 'require("buffer").Buffer'. Use the global variable 'Buffer' instead.`,
          preferModule: `Unexpected use of the global variable 'Buffer'. Use 'require("buffer").Buffer' instead.`
        }
      },
      create(context) {
        return {
          "Program:exit"() {
            checkForPreferGlobal(context, traceMap);
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-global/console.js
var require_console2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-global/console.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var checkForPreferGlobal = require_check_prefer_global();
    var traceMap = {
      globals: {
        console: { [READ2]: true }
      },
      modules: {
        console: { [READ2]: true },
        "node:console": { [READ2]: true }
      }
    };
    module2.exports = {
      meta: {
        docs: {
          description: 'enforce either `console` or `require("console")`',
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/prefer-global/console.md"
        },
        type: "suggestion",
        fixable: null,
        schema: [{ enum: ["always", "never"] }],
        messages: {
          preferGlobal: `Unexpected use of 'require("console")'. Use the global variable 'console' instead.`,
          preferModule: `Unexpected use of the global variable 'console'. Use 'require("console")' instead.`
        }
      },
      create(context) {
        return {
          "Program:exit"() {
            checkForPreferGlobal(context, traceMap);
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-global/process.js
var require_process2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-global/process.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var checkForPreferGlobal = require_check_prefer_global();
    var traceMap = {
      globals: {
        process: { [READ2]: true }
      },
      modules: {
        process: { [READ2]: true },
        "node:process": { [READ2]: true }
      }
    };
    module2.exports = {
      meta: {
        docs: {
          description: 'enforce either `process` or `require("process")`',
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/prefer-global/process.md"
        },
        type: "suggestion",
        fixable: null,
        schema: [{ enum: ["always", "never"] }],
        messages: {
          preferGlobal: `Unexpected use of 'require("process")'. Use the global variable 'process' instead.`,
          preferModule: `Unexpected use of the global variable 'process'. Use 'require("process")' instead.`
        }
      },
      create(context) {
        return {
          "Program:exit"() {
            checkForPreferGlobal(context, traceMap);
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-global/text-decoder.js
var require_text_decoder = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-global/text-decoder.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var checkForPreferGlobal = require_check_prefer_global();
    var traceMap = {
      globals: {
        TextDecoder: { [READ2]: true }
      },
      modules: {
        util: { TextDecoder: { [READ2]: true } },
        "node:util": { TextDecoder: { [READ2]: true } }
      }
    };
    module2.exports = {
      meta: {
        docs: {
          description: 'enforce either `TextDecoder` or `require("util").TextDecoder`',
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/prefer-global/text-decoder.md"
        },
        type: "suggestion",
        fixable: null,
        schema: [{ enum: ["always", "never"] }],
        messages: {
          preferGlobal: `Unexpected use of 'require("util").TextDecoder'. Use the global variable 'TextDecoder' instead.`,
          preferModule: `Unexpected use of the global variable 'TextDecoder'. Use 'require("util").TextDecoder' instead.`
        }
      },
      create(context) {
        return {
          "Program:exit"() {
            checkForPreferGlobal(context, traceMap);
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-global/text-encoder.js
var require_text_encoder = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-global/text-encoder.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var checkForPreferGlobal = require_check_prefer_global();
    var traceMap = {
      globals: {
        TextEncoder: { [READ2]: true }
      },
      modules: {
        util: { TextEncoder: { [READ2]: true } },
        "node:util": { TextEncoder: { [READ2]: true } }
      }
    };
    module2.exports = {
      meta: {
        docs: {
          description: 'enforce either `TextEncoder` or `require("util").TextEncoder`',
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/prefer-global/text-encoder.md"
        },
        type: "suggestion",
        fixable: null,
        schema: [{ enum: ["always", "never"] }],
        messages: {
          preferGlobal: `Unexpected use of 'require("util").TextEncoder'. Use the global variable 'TextEncoder' instead.`,
          preferModule: `Unexpected use of the global variable 'TextEncoder'. Use 'require("util").TextEncoder' instead.`
        }
      },
      create(context) {
        return {
          "Program:exit"() {
            checkForPreferGlobal(context, traceMap);
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-global/url-search-params.js
var require_url_search_params = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-global/url-search-params.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var checkForPreferGlobal = require_check_prefer_global();
    var traceMap = {
      globals: {
        URLSearchParams: { [READ2]: true }
      },
      modules: {
        url: { URLSearchParams: { [READ2]: true } },
        "node:url": { URLSearchParams: { [READ2]: true } }
      }
    };
    module2.exports = {
      meta: {
        docs: {
          description: 'enforce either `URLSearchParams` or `require("url").URLSearchParams`',
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/prefer-global/url-search-params.md"
        },
        type: "suggestion",
        fixable: null,
        schema: [{ enum: ["always", "never"] }],
        messages: {
          preferGlobal: `Unexpected use of 'require("url").URLSearchParams'. Use the global variable 'URLSearchParams' instead.`,
          preferModule: `Unexpected use of the global variable 'URLSearchParams'. Use 'require("url").URLSearchParams' instead.`
        }
      },
      create(context) {
        return {
          "Program:exit"() {
            checkForPreferGlobal(context, traceMap);
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-global/url.js
var require_url2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-global/url.js"(exports2, module2) {
    "use strict";
    var { READ: READ2 } = require_eslint_utils();
    var checkForPreferGlobal = require_check_prefer_global();
    var traceMap = {
      globals: {
        URL: { [READ2]: true }
      },
      modules: {
        url: { URL: { [READ2]: true } },
        "node:url": { URL: { [READ2]: true } }
      }
    };
    module2.exports = {
      meta: {
        docs: {
          description: 'enforce either `URL` or `require("url").URL`',
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/prefer-global/url.md"
        },
        type: "suggestion",
        fixable: null,
        schema: [{ enum: ["always", "never"] }],
        messages: {
          preferGlobal: `Unexpected use of 'require("url").URL'. Use the global variable 'URL' instead.`,
          preferModule: `Unexpected use of the global variable 'URL'. Use 'require("url").URL' instead.`
        }
      },
      create(context) {
        return {
          "Program:exit"() {
            checkForPreferGlobal(context, traceMap);
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-node-protocol.js
var require_prefer_node_protocol = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-node-protocol.js"(exports2, module2) {
    "use strict";
    var { isBuiltin } = require("node:module");
    var getConfiguredNodeVersion = require_get_configured_node_version();
    var getSemverRange = require_get_semver_range();
    var visitImport = require_visit_import();
    var visitRequire = require_visit_require();
    var mergeVisitorsInPlace = require_merge_visitors_in_place();
    var messageId4 = "preferNodeProtocol";
    var supportedRangeForEsm = (
      /** @type {import('semver').Range} */
      getSemverRange("^12.20.0 || >= 14.13.1")
    );
    var supportedRangeForCjs = (
      /** @type {import('semver').Range} */
      getSemverRange("^14.18.0 || >= 16.0.0")
    );
    module2.exports = {
      meta: {
        docs: {
          description: "enforce using the `node:` protocol when importing Node.js builtin modules.",
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/prefer-node-protocol.md"
        },
        fixable: "code",
        messages: {
          [messageId4]: "Prefer `node:{{moduleName}}` over `{{moduleName}}`."
        },
        schema: [
          {
            type: "object",
            properties: {
              version: getConfiguredNodeVersion.schema
            },
            additionalProperties: false
          }
        ],
        type: "suggestion"
      },
      create(context) {
        function isCallExpression2(node, { name, argumentsLength }) {
          if (node?.type !== "CallExpression") {
            return false;
          }
          if (node.optional) {
            return false;
          }
          if (node.arguments.length !== argumentsLength) {
            return false;
          }
          if (node.callee.type !== "Identifier" || node.callee.name !== name) {
            return false;
          }
          return true;
        }
        function isStringLiteral2(node) {
          return node?.type === "Literal" && typeof node.type === "string";
        }
        function isStaticRequire2(node) {
          return node != null && isCallExpression2(node, {
            name: "require",
            argumentsLength: 1
          }) && isStringLiteral2(node.arguments[0]);
        }
        function isEnablingThisRule(context2, moduleStyle) {
          const version = getConfiguredNodeVersion(context2);
          if (!version.intersects(supportedRangeForEsm)) {
            return false;
          }
          if (moduleStyle === "require" && !version.intersects(supportedRangeForCjs)) {
            return false;
          }
          return true;
        }
        const targets = [];
        return [
          visitImport(context, { includeCore: true }, (importTargets) => {
            targets.push(...importTargets);
          }),
          visitRequire(context, { includeCore: true }, (requireTargets) => {
            targets.push(
              ...requireTargets.filter(
                (target) => isStaticRequire2(target.node.parent)
              )
            );
          }),
          {
            "Program:exit"() {
              for (const { node, moduleStyle } of targets) {
                if (!isEnablingThisRule(context, moduleStyle)) {
                  continue;
                }
                if (node.type === "TemplateLiteral") {
                  continue;
                }
                const { value } = (
                  /** @type {{ value: string }}*/
                  node
                );
                if (typeof value !== "string" || value.startsWith("node:") || !isBuiltin(value) || !isBuiltin(`node:${value}`)) {
                  continue;
                }
                context.report({
                  node,
                  messageId: messageId4,
                  data: {
                    moduleName: value
                  },
                  fix(fixer) {
                    const firstCharacterIndex = (node?.range?.[0] ?? 0) + 1;
                    return fixer.replaceTextRange(
                      [firstCharacterIndex, firstCharacterIndex],
                      "node:"
                    );
                  }
                });
              }
            }
          }
        ].reduce(
          (mergedVisitor, thisVisitor) => mergeVisitorsInPlace(mergedVisitor, thisVisitor),
          {}
        );
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-promises/dns.js
var require_dns2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-promises/dns.js"(exports2, module2) {
    "use strict";
    var {
      CALL: CALL2,
      CONSTRUCT: CONSTRUCT2,
      ReferenceTracker: ReferenceTracker2
    } = require_eslint_utils();
    var traceMap = {
      dns: {
        lookup: { [CALL2]: true },
        lookupService: { [CALL2]: true },
        Resolver: { [CONSTRUCT2]: true },
        getServers: { [CALL2]: true },
        resolve: { [CALL2]: true },
        resolve4: { [CALL2]: true },
        resolve6: { [CALL2]: true },
        resolveAny: { [CALL2]: true },
        resolveCname: { [CALL2]: true },
        resolveMx: { [CALL2]: true },
        resolveNaptr: { [CALL2]: true },
        resolveNs: { [CALL2]: true },
        resolvePtr: { [CALL2]: true },
        resolveSoa: { [CALL2]: true },
        resolveSrv: { [CALL2]: true },
        resolveTxt: { [CALL2]: true },
        reverse: { [CALL2]: true },
        setServers: { [CALL2]: true }
      }
    };
    traceMap["node:dns"] = traceMap.dns;
    module2.exports = {
      meta: {
        docs: {
          description: 'enforce `require("dns").promises`',
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/prefer-promises/dns.md"
        },
        fixable: null,
        messages: {
          preferPromises: "Use 'dns.promises.{{name}}()' instead.",
          preferPromisesNew: "Use 'new dns.promises.{{name}}()' instead."
        },
        schema: [],
        type: "suggestion"
      },
      create(context) {
        return {
          "Program:exit"(node) {
            const sourceCode = context.sourceCode ?? context.getSourceCode();
            const scope = sourceCode.getScope?.(node) ?? context.getScope();
            const tracker2 = new ReferenceTracker2(scope, { mode: "legacy" });
            const references = [
              ...tracker2.iterateCjsReferences(traceMap),
              ...tracker2.iterateEsmReferences(traceMap)
            ];
            for (const { node: node2, path: path17 } of references) {
              const name = path17[path17.length - 1];
              const isClass = name[0] === name[0].toUpperCase();
              context.report({
                node: node2,
                messageId: isClass ? "preferPromisesNew" : "preferPromises",
                data: { name }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-promises/fs.js
var require_fs6 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/prefer-promises/fs.js"(exports2, module2) {
    "use strict";
    var { CALL: CALL2, ReferenceTracker: ReferenceTracker2 } = require_eslint_utils();
    var traceMap = {
      fs: {
        access: { [CALL2]: true },
        copyFile: { [CALL2]: true },
        open: { [CALL2]: true },
        rename: { [CALL2]: true },
        truncate: { [CALL2]: true },
        rmdir: { [CALL2]: true },
        mkdir: { [CALL2]: true },
        readdir: { [CALL2]: true },
        readlink: { [CALL2]: true },
        symlink: { [CALL2]: true },
        lstat: { [CALL2]: true },
        stat: { [CALL2]: true },
        link: { [CALL2]: true },
        unlink: { [CALL2]: true },
        chmod: { [CALL2]: true },
        lchmod: { [CALL2]: true },
        lchown: { [CALL2]: true },
        chown: { [CALL2]: true },
        utimes: { [CALL2]: true },
        realpath: { [CALL2]: true },
        mkdtemp: { [CALL2]: true },
        writeFile: { [CALL2]: true },
        appendFile: { [CALL2]: true },
        readFile: { [CALL2]: true }
      }
    };
    traceMap["node:fs"] = traceMap.fs;
    module2.exports = {
      meta: {
        docs: {
          description: 'enforce `require("fs").promises`',
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/prefer-promises/fs.md"
        },
        fixable: null,
        messages: {
          preferPromises: "Use 'fs.promises.{{name}}()' instead."
        },
        schema: [],
        type: "suggestion"
      },
      create(context) {
        return {
          "Program:exit"(node) {
            const sourceCode = context.sourceCode ?? context.getSourceCode();
            const scope = sourceCode.getScope?.(node) ?? context.getScope();
            const tracker2 = new ReferenceTracker2(scope, { mode: "legacy" });
            const references = [
              ...tracker2.iterateCjsReferences(traceMap),
              ...tracker2.iterateEsmReferences(traceMap)
            ];
            for (const { node: node2, path: path17 } of references) {
              const name = path17[path17.length - 1];
              context.report({
                node: node2,
                messageId: "preferPromises",
                data: { name }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/process-exit-as-throw.js
var require_process_exit_as_throw = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/process-exit-as-throw.js"(exports2, module2) {
    "use strict";
    var CodePathAnalyzer = safeRequire(
      "eslint/lib/linter/code-path-analysis/code-path-analyzer",
      "eslint/lib/code-path-analysis/code-path-analyzer"
    );
    var CodePathSegment = safeRequire(
      "eslint/lib/linter/code-path-analysis/code-path-segment",
      "eslint/lib/code-path-analysis/code-path-segment"
    );
    var CodePath = safeRequire(
      "eslint/lib/linter/code-path-analysis/code-path",
      "eslint/lib/code-path-analysis/code-path"
    );
    var originalLeaveNode = CodePathAnalyzer?.prototype?.leaveNode;
    function safeRequire(...moduleNames) {
      for (const moduleName of moduleNames) {
        try {
          return require(moduleName);
        } catch {
        }
      }
      return null;
    }
    function forwardCurrentToHead(analyzer, node) {
      const codePath = analyzer.codePath;
      const state = CodePath.getState(codePath);
      const currentSegments = state.currentSegments;
      const headSegments = state.headSegments;
      const end = Math.max(currentSegments.length, headSegments.length);
      let i = 0;
      let currentSegment = null;
      let headSegment = null;
      for (i = 0; i < end; ++i) {
        currentSegment = currentSegments[i];
        headSegment = headSegments[i];
        if (currentSegment !== headSegment && currentSegment) {
          if (currentSegment.reachable) {
            analyzer.emitter.emit(
              "onCodePathSegmentEnd",
              currentSegment,
              node
            );
          }
        }
      }
      state.currentSegments = headSegments;
      for (i = 0; i < end; ++i) {
        currentSegment = currentSegments[i];
        headSegment = headSegments[i];
        if (currentSegment !== headSegment && headSegment) {
          CodePathSegment.markUsed(headSegment);
          if (headSegment.reachable) {
            analyzer.emitter.emit(
              "onCodePathSegmentStart",
              headSegment,
              node
            );
          }
        }
      }
    }
    function isProcessExit(node) {
      return node.type === "CallExpression" && node.callee.type === "MemberExpression" && node.callee.computed === false && node.callee.object.type === "Identifier" && node.callee.object.name === "process" && node.callee.property.type === "Identifier" && node.callee.property.name === "exit";
    }
    function overrideLeaveNode(node) {
      if (isProcessExit(node)) {
        this.currentNode = node;
        forwardCurrentToHead(this, node);
        CodePath.getState(this.codePath).makeThrow();
        this.original.leaveNode(node);
        this.currentNode = null;
      } else {
        originalLeaveNode.call(this, node);
      }
    }
    var visitor2 = CodePathAnalyzer == null ? {} : {
      Program: function installProcessExitAsThrow() {
        CodePathAnalyzer.prototype.leaveNode = overrideLeaveNode;
      },
      "Program:exit": function restoreProcessExitAsThrow() {
        CodePathAnalyzer.prototype.leaveNode = originalLeaveNode;
      }
    };
    module2.exports = {
      meta: {
        docs: {
          description: "require that `process.exit()` expressions use the same code path as `throw`",
          recommended: true,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/process-exit-as-throw.md"
        },
        type: "problem",
        fixable: null,
        schema: [],
        supported: CodePathAnalyzer != null
      },
      create() {
        return visitor2;
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/hashbang.js
var require_hashbang = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/hashbang.js"(exports2, module2) {
    "use strict";
    var path17 = require("path");
    var matcher = require_ignore().default;
    var getConvertPath = require_get_convert_path();
    var { getPackageJson } = require_get_package_json();
    var getNpmignore = require_get_npmignore();
    var { isBinFile } = require_is_bin_file();
    var ENV_SHEBANG = "#!/usr/bin/env";
    var NODE_SHEBANG = `${ENV_SHEBANG} {{executableName}}
`;
    var SHEBANG_PATTERN = /^(#!.+?)?(\r)?\n/u;
    var ENV_FLAGS = /^\s*-(-.*?\b|[ivS]+|[Pu](\s+|=)\S+)(?=\s|$)/;
    var ENV_VARS = /^\s*\w+=(?:"(?:[^"\\]|\\.)*"|\w+)/;
    function isNodeShebang(shebang, executableName) {
      if (shebang == null || shebang.length === 0) {
        return false;
      }
      shebang = shebang.slice(shebang.indexOf(ENV_SHEBANG) + ENV_SHEBANG.length);
      while (ENV_FLAGS.test(shebang) || ENV_VARS.test(shebang)) {
        shebang = shebang.replace(ENV_FLAGS, "").replace(ENV_VARS, "");
      }
      const [command] = shebang.trim().split(" ");
      return command === executableName;
    }
    function getExpectedExecutableName(context) {
      const extension = path17.extname(context.filename ?? context.getFilename());
      const { executableMap = {} } = context.options?.[0] ?? {};
      return executableMap[extension] ?? "node";
    }
    function getShebangInfo(sourceCode) {
      const m = SHEBANG_PATTERN.exec(sourceCode.text);
      return {
        bom: sourceCode.hasBOM,
        cr: Boolean(m && m[2]),
        length: m && m[0].length || 0,
        shebang: m && m[1] && `${m[1]}
` || ""
      };
    }
    module2.exports = {
      meta: {
        docs: {
          description: "require correct usage of hashbang",
          recommended: true,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/hashbang.md"
        },
        type: "problem",
        fixable: "code",
        schema: [
          {
            type: "object",
            properties: {
              convertPath: getConvertPath.schema,
              ignoreUnpublished: { type: "boolean" },
              additionalExecutables: {
                type: "array",
                items: { type: "string" }
              },
              executableMap: {
                type: "object",
                patternProperties: {
                  "^\\.\\w+$": {
                    type: "string",
                    pattern: "^[\\w-]+$"
                  }
                },
                additionalProperties: false
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          unexpectedBOM: "This file must not have Unicode BOM.",
          expectedLF: "This file must have Unix linebreaks (LF).",
          expectedHashbangNode: 'This file needs shebang "#!/usr/bin/env {{executableName}}".',
          expectedHashbang: "This file needs no shebang."
        }
      },
      create(context) {
        const sourceCode = context.sourceCode ?? context.getSourceCode();
        const filePath = context.filename ?? context.getFilename();
        if (filePath === "") {
          return {};
        }
        const packageJson = getPackageJson(filePath);
        if (typeof packageJson?.filePath !== "string") {
          return {};
        }
        const packageDirectory = path17.dirname(packageJson.filePath);
        const originalAbsolutePath = path17.resolve(filePath);
        const originalRelativePath = path17.relative(packageDirectory, originalAbsolutePath).replace(/\\/gu, "/");
        const convertedRelativePath = getConvertPath(context)(originalRelativePath);
        const convertedAbsolutePath = path17.resolve(
          packageDirectory,
          convertedRelativePath
        );
        const { additionalExecutables = [] } = context.options?.[0] ?? {};
        const executable = matcher();
        executable.add(additionalExecutables);
        const isExecutable = executable.test(convertedRelativePath);
        if ((additionalExecutables.length === 0 || isExecutable.ignored === false) && context.options?.[0]?.ignoreUnpublished === true) {
          const npmignore = getNpmignore(convertedAbsolutePath);
          if (npmignore.match(convertedRelativePath)) {
            return {};
          }
        }
        const needsShebang = isExecutable.ignored === true || isBinFile(convertedAbsolutePath, packageJson?.bin, packageDirectory);
        const executableName = getExpectedExecutableName(context);
        const info = getShebangInfo(sourceCode);
        return {
          Program() {
            const loc = {
              start: { line: 1, column: 0 },
              end: {
                line: 1,
                column: sourceCode.lines.at(0)?.length ?? 0
              }
            };
            if (needsShebang ? isNodeShebang(info.shebang, executableName) : !info.shebang) {
              if (needsShebang && info.bom) {
                context.report({
                  loc,
                  messageId: "unexpectedBOM",
                  fix(fixer) {
                    return fixer.removeRange([-1, 0]);
                  }
                });
              }
              if (needsShebang && info.cr) {
                context.report({
                  loc,
                  messageId: "expectedLF",
                  fix(fixer) {
                    const index = sourceCode.text.indexOf("\r");
                    return fixer.removeRange([index, index + 1]);
                  }
                });
              }
            } else if (needsShebang) {
              context.report({
                loc,
                messageId: "expectedHashbangNode",
                data: { executableName },
                fix(fixer) {
                  return fixer.replaceTextRange(
                    [-1, info.length],
                    NODE_SHEBANG.replaceAll(
                      "{{executableName}}",
                      executableName
                    )
                  );
                }
              });
            } else {
              context.report({
                loc,
                messageId: "expectedHashbang",
                fix(fixer) {
                  return fixer.removeRange([0, info.length]);
                }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-hide-core-modules.js
var require_no_hide_core_modules = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/no-hide-core-modules.js"(exports2, module2) {
    "use strict";
    var path17 = require("path");
    var { getPackageJson } = require_get_package_json();
    var mergeVisitorsInPlace = require_merge_visitors_in_place();
    var visitImport = require_visit_import();
    var visitRequire = require_visit_require();
    var CORE_MODULES = /* @__PURE__ */ new Set([
      "assert",
      "buffer",
      "child_process",
      "cluster",
      "console",
      "constants",
      "crypto",
      "dgram",
      "dns",
      /* "domain", */
      "events",
      "fs",
      "http",
      "https",
      "module",
      "net",
      "os",
      "path",
      /* "punycode", */
      "querystring",
      "readline",
      "repl",
      "stream",
      "string_decoder",
      "timers",
      "tls",
      "tty",
      "url",
      "util",
      "vm",
      "zlib"
    ]);
    var BACK_SLASH = /\\/gu;
    module2.exports = {
      meta: {
        docs: {
          description: "disallow third-party modules which are hiding core modules",
          recommended: false,
          url: "https://github.com/eslint-community/eslint-plugin-n/blob/HEAD/docs/rules/no-hide-core-modules.md"
        },
        type: "problem",
        deprecated: true,
        fixable: null,
        schema: [
          {
            type: "object",
            properties: {
              allow: {
                type: "array",
                items: { enum: Array.from(CORE_MODULES) },
                additionalItems: false,
                uniqueItems: true
              },
              ignoreDirectDependencies: { type: "boolean" },
              ignoreIndirectDependencies: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        messages: {
          unexpectedImport: "Unexpected import of third-party module '{{name}}'."
        }
      },
      create(context) {
        const filename = context.filename ?? context.getFilename();
        if (filename === "") {
          return {};
        }
        const filePath = path17.resolve(filename);
        const dirPath = path17.dirname(filePath);
        const packageJson = getPackageJson(filePath);
        const deps = /* @__PURE__ */ new Set([
          ...Object.keys(packageJson?.dependencies ?? {}),
          ...Object.keys(packageJson?.devDependencies ?? {})
        ]);
        const options = context.options[0] || {};
        const allow = options.allow || [];
        const ignoreDirectDependencies = Boolean(
          options.ignoreDirectDependencies
        );
        const ignoreIndirectDependencies = Boolean(
          options.ignoreIndirectDependencies
        );
        const targets = [];
        return [
          visitImport(
            context,
            { includeCore: true },
            (importTargets) => targets.push(...importTargets)
          ),
          visitRequire(
            context,
            { includeCore: true },
            (requireTargets) => targets.push(...requireTargets)
          ),
          {
            "Program:exit"() {
              for (const target of targets.filter(
                (t) => CORE_MODULES.has(t.moduleName) && t.moduleName === t.name
              )) {
                const name = target.moduleName;
                const allowed = allow.indexOf(name) !== -1 || ignoreDirectDependencies && deps.has(name) || ignoreIndirectDependencies && !deps.has(name);
                if (allowed) {
                  continue;
                }
                if (target.filePath == null) {
                  continue;
                }
                context.report({
                  node: target.node,
                  loc: (
                    /** @type {NonNullable} */
                    target.node.loc
                  ),
                  messageId: "unexpectedImport",
                  data: {
                    name: path17.relative(dirPath, target.filePath).replace(BACK_SLASH, "/")
                  }
                });
              }
            }
          }
        ].reduce(mergeVisitorsInPlace, {});
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/shebang.js
var require_shebang = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/rules/shebang.js"(exports2, module2) {
    "use strict";
    var hashbang = require_hashbang();
    module2.exports = {
      meta: {
        ...hashbang.meta,
        deprecated: true,
        replacedBy: ["n/hashbang"],
        docs: { ...hashbang.meta?.docs, recommended: false }
      },
      create: hashbang.create
    };
  }
});

// node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/index.js
var require_lib11 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-n@17.8.1_eslint@9.5.0/node_modules/eslint-plugin-n/lib/index.js"(exports2, module2) {
    "use strict";
    var pkg = require_package8();
    var esmConfig = require_recommended_module();
    var cjsConfig = require_recommended_script();
    var recommendedConfig = require_recommended3();
    var plugin2 = {
      meta: {
        name: pkg.name,
        version: pkg.version
      },
      rules: (
        /** @type {Record} */
        {
          "callback-return": require_callback_return(),
          "exports-style": require_exports_style(),
          "file-extension-in-import": require_file_extension_in_import(),
          "global-require": require_global_require(),
          "handle-callback-err": require_handle_callback_err(),
          "no-callback-literal": require_no_callback_literal(),
          "no-deprecated-api": require_no_deprecated_api(),
          "no-exports-assign": require_no_exports_assign(),
          "no-extraneous-import": require_no_extraneous_import(),
          "no-extraneous-require": require_no_extraneous_require(),
          "no-missing-import": require_no_missing_import(),
          "no-missing-require": require_no_missing_require(),
          "no-mixed-requires": require_no_mixed_requires(),
          "no-new-require": require_no_new_require(),
          "no-path-concat": require_no_path_concat(),
          "no-process-env": require_no_process_env(),
          "no-process-exit": require_no_process_exit(),
          "no-restricted-import": require_no_restricted_import(),
          "no-restricted-require": require_no_restricted_require(),
          "no-sync": require_no_sync(),
          "no-unpublished-bin": require_no_unpublished_bin(),
          "no-unpublished-import": require_no_unpublished_import(),
          "no-unpublished-require": require_no_unpublished_require(),
          "no-unsupported-features/es-builtins": require_es_builtins(),
          "no-unsupported-features/es-syntax": require_es_syntax2(),
          "no-unsupported-features/node-builtins": require_node_builtins2(),
          "prefer-global/buffer": require_buffer2(),
          "prefer-global/console": require_console2(),
          "prefer-global/process": require_process2(),
          "prefer-global/text-decoder": require_text_decoder(),
          "prefer-global/text-encoder": require_text_encoder(),
          "prefer-global/url-search-params": require_url_search_params(),
          "prefer-global/url": require_url2(),
          "prefer-node-protocol": require_prefer_node_protocol(),
          "prefer-promises/dns": require_dns2(),
          "prefer-promises/fs": require_fs6(),
          "process-exit-as-throw": require_process_exit_as_throw(),
          hashbang: require_hashbang(),
          // Deprecated rules.
          "no-hide-core-modules": require_no_hide_core_modules(),
          shebang: require_shebang()
        }
      ),
      configs: {
        "recommended-module": { plugins: ["n"], ...esmConfig.eslintrc },
        "recommended-script": { plugins: ["n"], ...cjsConfig.eslintrc },
        recommended: { plugins: ["n"], ...recommendedConfig.eslintrc },
        "flat/recommended-module": { ...esmConfig.flat },
        "flat/recommended-script": { ...cjsConfig.flat },
        "flat/recommended": { ...recommendedConfig.flat },
        "flat/mixed-esm-and-cjs": [
          { files: ["**/*.js"], ...recommendedConfig.flat },
          { files: ["**/*.mjs"], ...esmConfig.flat },
          { files: ["**/*.cjs"], ...cjsConfig.flat }
        ]
      }
    };
    plugin2.configs["flat/recommended-module"].plugins = { n: plugin2 };
    plugin2.configs["flat/recommended-script"].plugins = { n: plugin2 };
    plugin2.configs["flat/recommended"].plugins = { n: plugin2 };
    for (const config7 of plugin2.configs["flat/mixed-esm-and-cjs"]) {
      config7.plugins = { n: plugin2 };
    }
    module2.exports = plugin2;
  }
});

// node_modules/.pnpm/fast-diff@1.3.0/node_modules/fast-diff/diff.js
var require_diff2 = __commonJS({
  "node_modules/.pnpm/fast-diff@1.3.0/node_modules/fast-diff/diff.js"(exports2, module2) {
    var DIFF_DELETE = -1;
    var DIFF_INSERT = 1;
    var DIFF_EQUAL = 0;
    function diff_main(text1, text2, cursor_pos, cleanup, _fix_unicode) {
      if (text1 === text2) {
        if (text1) {
          return [[DIFF_EQUAL, text1]];
        }
        return [];
      }
      if (cursor_pos != null) {
        var editdiff = find_cursor_edit_diff(text1, text2, cursor_pos);
        if (editdiff) {
          return editdiff;
        }
      }
      var commonlength = diff_commonPrefix(text1, text2);
      var commonprefix = text1.substring(0, commonlength);
      text1 = text1.substring(commonlength);
      text2 = text2.substring(commonlength);
      commonlength = diff_commonSuffix(text1, text2);
      var commonsuffix = text1.substring(text1.length - commonlength);
      text1 = text1.substring(0, text1.length - commonlength);
      text2 = text2.substring(0, text2.length - commonlength);
      var diffs = diff_compute_(text1, text2);
      if (commonprefix) {
        diffs.unshift([DIFF_EQUAL, commonprefix]);
      }
      if (commonsuffix) {
        diffs.push([DIFF_EQUAL, commonsuffix]);
      }
      diff_cleanupMerge(diffs, _fix_unicode);
      if (cleanup) {
        diff_cleanupSemantic(diffs);
      }
      return diffs;
    }
    function diff_compute_(text1, text2) {
      var diffs;
      if (!text1) {
        return [[DIFF_INSERT, text2]];
      }
      if (!text2) {
        return [[DIFF_DELETE, text1]];
      }
      var longtext = text1.length > text2.length ? text1 : text2;
      var shorttext = text1.length > text2.length ? text2 : text1;
      var i = longtext.indexOf(shorttext);
      if (i !== -1) {
        diffs = [
          [DIFF_INSERT, longtext.substring(0, i)],
          [DIFF_EQUAL, shorttext],
          [DIFF_INSERT, longtext.substring(i + shorttext.length)]
        ];
        if (text1.length > text2.length) {
          diffs[0][0] = diffs[2][0] = DIFF_DELETE;
        }
        return diffs;
      }
      if (shorttext.length === 1) {
        return [
          [DIFF_DELETE, text1],
          [DIFF_INSERT, text2]
        ];
      }
      var hm = diff_halfMatch_(text1, text2);
      if (hm) {
        var text1_a = hm[0];
        var text1_b = hm[1];
        var text2_a = hm[2];
        var text2_b = hm[3];
        var mid_common = hm[4];
        var diffs_a = diff_main(text1_a, text2_a);
        var diffs_b = diff_main(text1_b, text2_b);
        return diffs_a.concat([[DIFF_EQUAL, mid_common]], diffs_b);
      }
      return diff_bisect_(text1, text2);
    }
    function diff_bisect_(text1, text2) {
      var text1_length = text1.length;
      var text2_length = text2.length;
      var max_d = Math.ceil((text1_length + text2_length) / 2);
      var v_offset = max_d;
      var v_length = 2 * max_d;
      var v1 = new Array(v_length);
      var v2 = new Array(v_length);
      for (var x = 0; x < v_length; x++) {
        v1[x] = -1;
        v2[x] = -1;
      }
      v1[v_offset + 1] = 0;
      v2[v_offset + 1] = 0;
      var delta = text1_length - text2_length;
      var front = delta % 2 !== 0;
      var k1start = 0;
      var k1end = 0;
      var k2start = 0;
      var k2end = 0;
      for (var d = 0; d < max_d; d++) {
        for (var k1 = -d + k1start; k1 <= d - k1end; k1 += 2) {
          var k1_offset = v_offset + k1;
          var x1;
          if (k1 === -d || k1 !== d && v1[k1_offset - 1] < v1[k1_offset + 1]) {
            x1 = v1[k1_offset + 1];
          } else {
            x1 = v1[k1_offset - 1] + 1;
          }
          var y1 = x1 - k1;
          while (x1 < text1_length && y1 < text2_length && text1.charAt(x1) === text2.charAt(y1)) {
            x1++;
            y1++;
          }
          v1[k1_offset] = x1;
          if (x1 > text1_length) {
            k1end += 2;
          } else if (y1 > text2_length) {
            k1start += 2;
          } else if (front) {
            var k2_offset = v_offset + delta - k1;
            if (k2_offset >= 0 && k2_offset < v_length && v2[k2_offset] !== -1) {
              var x2 = text1_length - v2[k2_offset];
              if (x1 >= x2) {
                return diff_bisectSplit_(text1, text2, x1, y1);
              }
            }
          }
        }
        for (var k2 = -d + k2start; k2 <= d - k2end; k2 += 2) {
          var k2_offset = v_offset + k2;
          var x2;
          if (k2 === -d || k2 !== d && v2[k2_offset - 1] < v2[k2_offset + 1]) {
            x2 = v2[k2_offset + 1];
          } else {
            x2 = v2[k2_offset - 1] + 1;
          }
          var y2 = x2 - k2;
          while (x2 < text1_length && y2 < text2_length && text1.charAt(text1_length - x2 - 1) === text2.charAt(text2_length - y2 - 1)) {
            x2++;
            y2++;
          }
          v2[k2_offset] = x2;
          if (x2 > text1_length) {
            k2end += 2;
          } else if (y2 > text2_length) {
            k2start += 2;
          } else if (!front) {
            var k1_offset = v_offset + delta - k2;
            if (k1_offset >= 0 && k1_offset < v_length && v1[k1_offset] !== -1) {
              var x1 = v1[k1_offset];
              var y1 = v_offset + x1 - k1_offset;
              x2 = text1_length - x2;
              if (x1 >= x2) {
                return diff_bisectSplit_(text1, text2, x1, y1);
              }
            }
          }
        }
      }
      return [
        [DIFF_DELETE, text1],
        [DIFF_INSERT, text2]
      ];
    }
    function diff_bisectSplit_(text1, text2, x, y) {
      var text1a = text1.substring(0, x);
      var text2a = text2.substring(0, y);
      var text1b = text1.substring(x);
      var text2b = text2.substring(y);
      var diffs = diff_main(text1a, text2a);
      var diffsb = diff_main(text1b, text2b);
      return diffs.concat(diffsb);
    }
    function diff_commonPrefix(text1, text2) {
      if (!text1 || !text2 || text1.charAt(0) !== text2.charAt(0)) {
        return 0;
      }
      var pointermin = 0;
      var pointermax = Math.min(text1.length, text2.length);
      var pointermid = pointermax;
      var pointerstart = 0;
      while (pointermin < pointermid) {
        if (text1.substring(pointerstart, pointermid) == text2.substring(pointerstart, pointermid)) {
          pointermin = pointermid;
          pointerstart = pointermin;
        } else {
          pointermax = pointermid;
        }
        pointermid = Math.floor((pointermax - pointermin) / 2 + pointermin);
      }
      if (is_surrogate_pair_start(text1.charCodeAt(pointermid - 1))) {
        pointermid--;
      }
      return pointermid;
    }
    function diff_commonOverlap_(text1, text2) {
      var text1_length = text1.length;
      var text2_length = text2.length;
      if (text1_length == 0 || text2_length == 0) {
        return 0;
      }
      if (text1_length > text2_length) {
        text1 = text1.substring(text1_length - text2_length);
      } else if (text1_length < text2_length) {
        text2 = text2.substring(0, text1_length);
      }
      var text_length = Math.min(text1_length, text2_length);
      if (text1 == text2) {
        return text_length;
      }
      var best = 0;
      var length = 1;
      while (true) {
        var pattern = text1.substring(text_length - length);
        var found = text2.indexOf(pattern);
        if (found == -1) {
          return best;
        }
        length += found;
        if (found == 0 || text1.substring(text_length - length) == text2.substring(0, length)) {
          best = length;
          length++;
        }
      }
    }
    function diff_commonSuffix(text1, text2) {
      if (!text1 || !text2 || text1.slice(-1) !== text2.slice(-1)) {
        return 0;
      }
      var pointermin = 0;
      var pointermax = Math.min(text1.length, text2.length);
      var pointermid = pointermax;
      var pointerend = 0;
      while (pointermin < pointermid) {
        if (text1.substring(text1.length - pointermid, text1.length - pointerend) == text2.substring(text2.length - pointermid, text2.length - pointerend)) {
          pointermin = pointermid;
          pointerend = pointermin;
        } else {
          pointermax = pointermid;
        }
        pointermid = Math.floor((pointermax - pointermin) / 2 + pointermin);
      }
      if (is_surrogate_pair_end(text1.charCodeAt(text1.length - pointermid))) {
        pointermid--;
      }
      return pointermid;
    }
    function diff_halfMatch_(text1, text2) {
      var longtext = text1.length > text2.length ? text1 : text2;
      var shorttext = text1.length > text2.length ? text2 : text1;
      if (longtext.length < 4 || shorttext.length * 2 < longtext.length) {
        return null;
      }
      function diff_halfMatchI_(longtext2, shorttext2, i) {
        var seed = longtext2.substring(i, i + Math.floor(longtext2.length / 4));
        var j = -1;
        var best_common = "";
        var best_longtext_a, best_longtext_b, best_shorttext_a, best_shorttext_b;
        while ((j = shorttext2.indexOf(seed, j + 1)) !== -1) {
          var prefixLength = diff_commonPrefix(
            longtext2.substring(i),
            shorttext2.substring(j)
          );
          var suffixLength = diff_commonSuffix(
            longtext2.substring(0, i),
            shorttext2.substring(0, j)
          );
          if (best_common.length < suffixLength + prefixLength) {
            best_common = shorttext2.substring(j - suffixLength, j) + shorttext2.substring(j, j + prefixLength);
            best_longtext_a = longtext2.substring(0, i - suffixLength);
            best_longtext_b = longtext2.substring(i + prefixLength);
            best_shorttext_a = shorttext2.substring(0, j - suffixLength);
            best_shorttext_b = shorttext2.substring(j + prefixLength);
          }
        }
        if (best_common.length * 2 >= longtext2.length) {
          return [
            best_longtext_a,
            best_longtext_b,
            best_shorttext_a,
            best_shorttext_b,
            best_common
          ];
        } else {
          return null;
        }
      }
      var hm1 = diff_halfMatchI_(
        longtext,
        shorttext,
        Math.ceil(longtext.length / 4)
      );
      var hm2 = diff_halfMatchI_(
        longtext,
        shorttext,
        Math.ceil(longtext.length / 2)
      );
      var hm;
      if (!hm1 && !hm2) {
        return null;
      } else if (!hm2) {
        hm = hm1;
      } else if (!hm1) {
        hm = hm2;
      } else {
        hm = hm1[4].length > hm2[4].length ? hm1 : hm2;
      }
      var text1_a, text1_b, text2_a, text2_b;
      if (text1.length > text2.length) {
        text1_a = hm[0];
        text1_b = hm[1];
        text2_a = hm[2];
        text2_b = hm[3];
      } else {
        text2_a = hm[0];
        text2_b = hm[1];
        text1_a = hm[2];
        text1_b = hm[3];
      }
      var mid_common = hm[4];
      return [text1_a, text1_b, text2_a, text2_b, mid_common];
    }
    function diff_cleanupSemantic(diffs) {
      var changes = false;
      var equalities = [];
      var equalitiesLength = 0;
      var lastequality = null;
      var pointer = 0;
      var length_insertions1 = 0;
      var length_deletions1 = 0;
      var length_insertions2 = 0;
      var length_deletions2 = 0;
      while (pointer < diffs.length) {
        if (diffs[pointer][0] == DIFF_EQUAL) {
          equalities[equalitiesLength++] = pointer;
          length_insertions1 = length_insertions2;
          length_deletions1 = length_deletions2;
          length_insertions2 = 0;
          length_deletions2 = 0;
          lastequality = diffs[pointer][1];
        } else {
          if (diffs[pointer][0] == DIFF_INSERT) {
            length_insertions2 += diffs[pointer][1].length;
          } else {
            length_deletions2 += diffs[pointer][1].length;
          }
          if (lastequality && lastequality.length <= Math.max(length_insertions1, length_deletions1) && lastequality.length <= Math.max(length_insertions2, length_deletions2)) {
            diffs.splice(equalities[equalitiesLength - 1], 0, [
              DIFF_DELETE,
              lastequality
            ]);
            diffs[equalities[equalitiesLength - 1] + 1][0] = DIFF_INSERT;
            equalitiesLength--;
            equalitiesLength--;
            pointer = equalitiesLength > 0 ? equalities[equalitiesLength - 1] : -1;
            length_insertions1 = 0;
            length_deletions1 = 0;
            length_insertions2 = 0;
            length_deletions2 = 0;
            lastequality = null;
            changes = true;
          }
        }
        pointer++;
      }
      if (changes) {
        diff_cleanupMerge(diffs);
      }
      diff_cleanupSemanticLossless(diffs);
      pointer = 1;
      while (pointer < diffs.length) {
        if (diffs[pointer - 1][0] == DIFF_DELETE && diffs[pointer][0] == DIFF_INSERT) {
          var deletion = diffs[pointer - 1][1];
          var insertion = diffs[pointer][1];
          var overlap_length1 = diff_commonOverlap_(deletion, insertion);
          var overlap_length2 = diff_commonOverlap_(insertion, deletion);
          if (overlap_length1 >= overlap_length2) {
            if (overlap_length1 >= deletion.length / 2 || overlap_length1 >= insertion.length / 2) {
              diffs.splice(pointer, 0, [
                DIFF_EQUAL,
                insertion.substring(0, overlap_length1)
              ]);
              diffs[pointer - 1][1] = deletion.substring(
                0,
                deletion.length - overlap_length1
              );
              diffs[pointer + 1][1] = insertion.substring(overlap_length1);
              pointer++;
            }
          } else {
            if (overlap_length2 >= deletion.length / 2 || overlap_length2 >= insertion.length / 2) {
              diffs.splice(pointer, 0, [
                DIFF_EQUAL,
                deletion.substring(0, overlap_length2)
              ]);
              diffs[pointer - 1][0] = DIFF_INSERT;
              diffs[pointer - 1][1] = insertion.substring(
                0,
                insertion.length - overlap_length2
              );
              diffs[pointer + 1][0] = DIFF_DELETE;
              diffs[pointer + 1][1] = deletion.substring(overlap_length2);
              pointer++;
            }
          }
          pointer++;
        }
        pointer++;
      }
    }
    var nonAlphaNumericRegex_ = /[^a-zA-Z0-9]/;
    var whitespaceRegex_ = /\s/;
    var linebreakRegex_ = /[\r\n]/;
    var blanklineEndRegex_ = /\n\r?\n$/;
    var blanklineStartRegex_ = /^\r?\n\r?\n/;
    function diff_cleanupSemanticLossless(diffs) {
      function diff_cleanupSemanticScore_(one, two) {
        if (!one || !two) {
          return 6;
        }
        var char1 = one.charAt(one.length - 1);
        var char2 = two.charAt(0);
        var nonAlphaNumeric1 = char1.match(nonAlphaNumericRegex_);
        var nonAlphaNumeric2 = char2.match(nonAlphaNumericRegex_);
        var whitespace1 = nonAlphaNumeric1 && char1.match(whitespaceRegex_);
        var whitespace2 = nonAlphaNumeric2 && char2.match(whitespaceRegex_);
        var lineBreak1 = whitespace1 && char1.match(linebreakRegex_);
        var lineBreak2 = whitespace2 && char2.match(linebreakRegex_);
        var blankLine1 = lineBreak1 && one.match(blanklineEndRegex_);
        var blankLine2 = lineBreak2 && two.match(blanklineStartRegex_);
        if (blankLine1 || blankLine2) {
          return 5;
        } else if (lineBreak1 || lineBreak2) {
          return 4;
        } else if (nonAlphaNumeric1 && !whitespace1 && whitespace2) {
          return 3;
        } else if (whitespace1 || whitespace2) {
          return 2;
        } else if (nonAlphaNumeric1 || nonAlphaNumeric2) {
          return 1;
        }
        return 0;
      }
      var pointer = 1;
      while (pointer < diffs.length - 1) {
        if (diffs[pointer - 1][0] == DIFF_EQUAL && diffs[pointer + 1][0] == DIFF_EQUAL) {
          var equality1 = diffs[pointer - 1][1];
          var edit = diffs[pointer][1];
          var equality2 = diffs[pointer + 1][1];
          var commonOffset = diff_commonSuffix(equality1, edit);
          if (commonOffset) {
            var commonString = edit.substring(edit.length - commonOffset);
            equality1 = equality1.substring(0, equality1.length - commonOffset);
            edit = commonString + edit.substring(0, edit.length - commonOffset);
            equality2 = commonString + equality2;
          }
          var bestEquality1 = equality1;
          var bestEdit = edit;
          var bestEquality2 = equality2;
          var bestScore = diff_cleanupSemanticScore_(equality1, edit) + diff_cleanupSemanticScore_(edit, equality2);
          while (edit.charAt(0) === equality2.charAt(0)) {
            equality1 += edit.charAt(0);
            edit = edit.substring(1) + equality2.charAt(0);
            equality2 = equality2.substring(1);
            var score = diff_cleanupSemanticScore_(equality1, edit) + diff_cleanupSemanticScore_(edit, equality2);
            if (score >= bestScore) {
              bestScore = score;
              bestEquality1 = equality1;
              bestEdit = edit;
              bestEquality2 = equality2;
            }
          }
          if (diffs[pointer - 1][1] != bestEquality1) {
            if (bestEquality1) {
              diffs[pointer - 1][1] = bestEquality1;
            } else {
              diffs.splice(pointer - 1, 1);
              pointer--;
            }
            diffs[pointer][1] = bestEdit;
            if (bestEquality2) {
              diffs[pointer + 1][1] = bestEquality2;
            } else {
              diffs.splice(pointer + 1, 1);
              pointer--;
            }
          }
        }
        pointer++;
      }
    }
    function diff_cleanupMerge(diffs, fix_unicode) {
      diffs.push([DIFF_EQUAL, ""]);
      var pointer = 0;
      var count_delete = 0;
      var count_insert = 0;
      var text_delete = "";
      var text_insert = "";
      var commonlength;
      while (pointer < diffs.length) {
        if (pointer < diffs.length - 1 && !diffs[pointer][1]) {
          diffs.splice(pointer, 1);
          continue;
        }
        switch (diffs[pointer][0]) {
          case DIFF_INSERT:
            count_insert++;
            text_insert += diffs[pointer][1];
            pointer++;
            break;
          case DIFF_DELETE:
            count_delete++;
            text_delete += diffs[pointer][1];
            pointer++;
            break;
          case DIFF_EQUAL:
            var previous_equality = pointer - count_insert - count_delete - 1;
            if (fix_unicode) {
              if (previous_equality >= 0 && ends_with_pair_start(diffs[previous_equality][1])) {
                var stray = diffs[previous_equality][1].slice(-1);
                diffs[previous_equality][1] = diffs[previous_equality][1].slice(
                  0,
                  -1
                );
                text_delete = stray + text_delete;
                text_insert = stray + text_insert;
                if (!diffs[previous_equality][1]) {
                  diffs.splice(previous_equality, 1);
                  pointer--;
                  var k = previous_equality - 1;
                  if (diffs[k] && diffs[k][0] === DIFF_INSERT) {
                    count_insert++;
                    text_insert = diffs[k][1] + text_insert;
                    k--;
                  }
                  if (diffs[k] && diffs[k][0] === DIFF_DELETE) {
                    count_delete++;
                    text_delete = diffs[k][1] + text_delete;
                    k--;
                  }
                  previous_equality = k;
                }
              }
              if (starts_with_pair_end(diffs[pointer][1])) {
                var stray = diffs[pointer][1].charAt(0);
                diffs[pointer][1] = diffs[pointer][1].slice(1);
                text_delete += stray;
                text_insert += stray;
              }
            }
            if (pointer < diffs.length - 1 && !diffs[pointer][1]) {
              diffs.splice(pointer, 1);
              break;
            }
            if (text_delete.length > 0 || text_insert.length > 0) {
              if (text_delete.length > 0 && text_insert.length > 0) {
                commonlength = diff_commonPrefix(text_insert, text_delete);
                if (commonlength !== 0) {
                  if (previous_equality >= 0) {
                    diffs[previous_equality][1] += text_insert.substring(
                      0,
                      commonlength
                    );
                  } else {
                    diffs.splice(0, 0, [
                      DIFF_EQUAL,
                      text_insert.substring(0, commonlength)
                    ]);
                    pointer++;
                  }
                  text_insert = text_insert.substring(commonlength);
                  text_delete = text_delete.substring(commonlength);
                }
                commonlength = diff_commonSuffix(text_insert, text_delete);
                if (commonlength !== 0) {
                  diffs[pointer][1] = text_insert.substring(text_insert.length - commonlength) + diffs[pointer][1];
                  text_insert = text_insert.substring(
                    0,
                    text_insert.length - commonlength
                  );
                  text_delete = text_delete.substring(
                    0,
                    text_delete.length - commonlength
                  );
                }
              }
              var n = count_insert + count_delete;
              if (text_delete.length === 0 && text_insert.length === 0) {
                diffs.splice(pointer - n, n);
                pointer = pointer - n;
              } else if (text_delete.length === 0) {
                diffs.splice(pointer - n, n, [DIFF_INSERT, text_insert]);
                pointer = pointer - n + 1;
              } else if (text_insert.length === 0) {
                diffs.splice(pointer - n, n, [DIFF_DELETE, text_delete]);
                pointer = pointer - n + 1;
              } else {
                diffs.splice(
                  pointer - n,
                  n,
                  [DIFF_DELETE, text_delete],
                  [DIFF_INSERT, text_insert]
                );
                pointer = pointer - n + 2;
              }
            }
            if (pointer !== 0 && diffs[pointer - 1][0] === DIFF_EQUAL) {
              diffs[pointer - 1][1] += diffs[pointer][1];
              diffs.splice(pointer, 1);
            } else {
              pointer++;
            }
            count_insert = 0;
            count_delete = 0;
            text_delete = "";
            text_insert = "";
            break;
        }
      }
      if (diffs[diffs.length - 1][1] === "") {
        diffs.pop();
      }
      var changes = false;
      pointer = 1;
      while (pointer < diffs.length - 1) {
        if (diffs[pointer - 1][0] === DIFF_EQUAL && diffs[pointer + 1][0] === DIFF_EQUAL) {
          if (diffs[pointer][1].substring(
            diffs[pointer][1].length - diffs[pointer - 1][1].length
          ) === diffs[pointer - 1][1]) {
            diffs[pointer][1] = diffs[pointer - 1][1] + diffs[pointer][1].substring(
              0,
              diffs[pointer][1].length - diffs[pointer - 1][1].length
            );
            diffs[pointer + 1][1] = diffs[pointer - 1][1] + diffs[pointer + 1][1];
            diffs.splice(pointer - 1, 1);
            changes = true;
          } else if (diffs[pointer][1].substring(0, diffs[pointer + 1][1].length) == diffs[pointer + 1][1]) {
            diffs[pointer - 1][1] += diffs[pointer + 1][1];
            diffs[pointer][1] = diffs[pointer][1].substring(diffs[pointer + 1][1].length) + diffs[pointer + 1][1];
            diffs.splice(pointer + 1, 1);
            changes = true;
          }
        }
        pointer++;
      }
      if (changes) {
        diff_cleanupMerge(diffs, fix_unicode);
      }
    }
    function is_surrogate_pair_start(charCode) {
      return charCode >= 55296 && charCode <= 56319;
    }
    function is_surrogate_pair_end(charCode) {
      return charCode >= 56320 && charCode <= 57343;
    }
    function starts_with_pair_end(str) {
      return is_surrogate_pair_end(str.charCodeAt(0));
    }
    function ends_with_pair_start(str) {
      return is_surrogate_pair_start(str.charCodeAt(str.length - 1));
    }
    function remove_empty_tuples(tuples) {
      var ret = [];
      for (var i = 0; i < tuples.length; i++) {
        if (tuples[i][1].length > 0) {
          ret.push(tuples[i]);
        }
      }
      return ret;
    }
    function make_edit_splice(before, oldMiddle, newMiddle, after) {
      if (ends_with_pair_start(before) || starts_with_pair_end(after)) {
        return null;
      }
      return remove_empty_tuples([
        [DIFF_EQUAL, before],
        [DIFF_DELETE, oldMiddle],
        [DIFF_INSERT, newMiddle],
        [DIFF_EQUAL, after]
      ]);
    }
    function find_cursor_edit_diff(oldText, newText, cursor_pos) {
      var oldRange = typeof cursor_pos === "number" ? { index: cursor_pos, length: 0 } : cursor_pos.oldRange;
      var newRange = typeof cursor_pos === "number" ? null : cursor_pos.newRange;
      var oldLength = oldText.length;
      var newLength = newText.length;
      if (oldRange.length === 0 && (newRange === null || newRange.length === 0)) {
        var oldCursor = oldRange.index;
        var oldBefore = oldText.slice(0, oldCursor);
        var oldAfter = oldText.slice(oldCursor);
        var maybeNewCursor = newRange ? newRange.index : null;
        editBefore: {
          var newCursor = oldCursor + newLength - oldLength;
          if (maybeNewCursor !== null && maybeNewCursor !== newCursor) {
            break editBefore;
          }
          if (newCursor < 0 || newCursor > newLength) {
            break editBefore;
          }
          var newBefore = newText.slice(0, newCursor);
          var newAfter = newText.slice(newCursor);
          if (newAfter !== oldAfter) {
            break editBefore;
          }
          var prefixLength = Math.min(oldCursor, newCursor);
          var oldPrefix = oldBefore.slice(0, prefixLength);
          var newPrefix = newBefore.slice(0, prefixLength);
          if (oldPrefix !== newPrefix) {
            break editBefore;
          }
          var oldMiddle = oldBefore.slice(prefixLength);
          var newMiddle = newBefore.slice(prefixLength);
          return make_edit_splice(oldPrefix, oldMiddle, newMiddle, oldAfter);
        }
        editAfter: {
          if (maybeNewCursor !== null && maybeNewCursor !== oldCursor) {
            break editAfter;
          }
          var cursor = oldCursor;
          var newBefore = newText.slice(0, cursor);
          var newAfter = newText.slice(cursor);
          if (newBefore !== oldBefore) {
            break editAfter;
          }
          var suffixLength = Math.min(oldLength - cursor, newLength - cursor);
          var oldSuffix = oldAfter.slice(oldAfter.length - suffixLength);
          var newSuffix = newAfter.slice(newAfter.length - suffixLength);
          if (oldSuffix !== newSuffix) {
            break editAfter;
          }
          var oldMiddle = oldAfter.slice(0, oldAfter.length - suffixLength);
          var newMiddle = newAfter.slice(0, newAfter.length - suffixLength);
          return make_edit_splice(oldBefore, oldMiddle, newMiddle, oldSuffix);
        }
      }
      if (oldRange.length > 0 && newRange && newRange.length === 0) {
        replaceRange: {
          var oldPrefix = oldText.slice(0, oldRange.index);
          var oldSuffix = oldText.slice(oldRange.index + oldRange.length);
          var prefixLength = oldPrefix.length;
          var suffixLength = oldSuffix.length;
          if (newLength < prefixLength + suffixLength) {
            break replaceRange;
          }
          var newPrefix = newText.slice(0, prefixLength);
          var newSuffix = newText.slice(newLength - suffixLength);
          if (oldPrefix !== newPrefix || oldSuffix !== newSuffix) {
            break replaceRange;
          }
          var oldMiddle = oldText.slice(prefixLength, oldLength - suffixLength);
          var newMiddle = newText.slice(prefixLength, newLength - suffixLength);
          return make_edit_splice(oldPrefix, oldMiddle, newMiddle, oldSuffix);
        }
      }
      return null;
    }
    function diff(text1, text2, cursor_pos, cleanup) {
      return diff_main(text1, text2, cursor_pos, cleanup, true);
    }
    diff.INSERT = DIFF_INSERT;
    diff.DELETE = DIFF_DELETE;
    diff.EQUAL = DIFF_EQUAL;
    module2.exports = diff;
  }
});

// node_modules/.pnpm/prettier-linter-helpers@1.0.0/node_modules/prettier-linter-helpers/index.js
var require_prettier_linter_helpers = __commonJS({
  "node_modules/.pnpm/prettier-linter-helpers@1.0.0/node_modules/prettier-linter-helpers/index.js"(exports2, module2) {
    var diff = require_diff2();
    var LINE_ENDING_RE = /\r\n|[\r\n\u2028\u2029]/;
    function showInvisibles(str) {
      let ret = "";
      for (let i = 0; i < str.length; i++) {
        switch (str[i]) {
          case " ":
            ret += "\xB7";
            break;
          case "\n":
            ret += "\u23CE";
            break;
          case "	":
            ret += "\u21B9";
            break;
          case "\r":
            ret += "\u240D";
            break;
          default:
            ret += str[i];
            break;
        }
      }
      return ret;
    }
    function generateDifferences(source, prettierSource) {
      const results = diff(source, prettierSource);
      const differences = [];
      const batch = [];
      let offset = 0;
      while (results.length) {
        const result = results.shift();
        const op = result[0];
        const text = result[1];
        switch (op) {
          case diff.INSERT:
          case diff.DELETE:
            batch.push(result);
            break;
          case diff.EQUAL:
            if (results.length) {
              if (batch.length) {
                if (LINE_ENDING_RE.test(text)) {
                  flush();
                  offset += text.length;
                } else {
                  batch.push(result);
                }
              } else {
                offset += text.length;
              }
            }
            break;
          default:
            throw new Error(`Unexpected fast-diff operation "${op}"`);
        }
        if (batch.length && !results.length) {
          flush();
        }
      }
      return differences;
      function flush() {
        let aheadDeleteText = "";
        let aheadInsertText = "";
        while (batch.length) {
          const next = batch.shift();
          const op = next[0];
          const text = next[1];
          switch (op) {
            case diff.INSERT:
              aheadInsertText += text;
              break;
            case diff.DELETE:
              aheadDeleteText += text;
              break;
            case diff.EQUAL:
              aheadDeleteText += text;
              aheadInsertText += text;
              break;
          }
        }
        if (aheadDeleteText && aheadInsertText) {
          differences.push({
            offset,
            operation: generateDifferences.REPLACE,
            insertText: aheadInsertText,
            deleteText: aheadDeleteText
          });
        } else if (!aheadDeleteText && aheadInsertText) {
          differences.push({
            offset,
            operation: generateDifferences.INSERT,
            insertText: aheadInsertText
          });
        } else if (aheadDeleteText && !aheadInsertText) {
          differences.push({
            offset,
            operation: generateDifferences.DELETE,
            deleteText: aheadDeleteText
          });
        }
        offset += aheadDeleteText.length;
      }
    }
    generateDifferences.INSERT = "insert";
    generateDifferences.DELETE = "delete";
    generateDifferences.REPLACE = "replace";
    module2.exports = {
      showInvisibles,
      generateDifferences
    };
  }
});

// node_modules/.pnpm/eslint-plugin-prettier@5.1.3_@types+eslint@8.56.10_eslint-config-prettier@9.1.0_eslint@9.5.0__ydawmagfkkia34ed6lgwcpywri/node_modules/eslint-plugin-prettier/package.json
var require_package9 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-prettier@5.1.3_@types+eslint@8.56.10_eslint-config-prettier@9.1.0_eslint@9.5.0__ydawmagfkkia34ed6lgwcpywri/node_modules/eslint-plugin-prettier/package.json"(exports2, module2) {
    module2.exports = {
      name: "eslint-plugin-prettier",
      version: "5.1.3",
      description: "Runs prettier as an eslint rule",
      repository: "git+https://github.com/prettier/eslint-plugin-prettier.git",
      homepage: "https://github.com/prettier/eslint-plugin-prettier#readme",
      author: "Teddy Katz",
      contributors: [
        "JounQin (https://github.com/JounQin) "
      ],
      funding: "https://opencollective.com/eslint-plugin-prettier",
      license: "MIT",
      packageManager: "pnpm@7.33.5",
      engines: {
        node: "^14.18.0 || >=16.0.0"
      },
      main: "eslint-plugin-prettier.js",
      exports: {
        ".": {
          types: "./eslint-plugin-prettier.d.ts",
          default: "./eslint-plugin-prettier.js"
        },
        "./recommended": {
          types: "./recommended.d.ts",
          default: "./recommended.js"
        },
        "./package.json": "./package.json"
      },
      types: "eslint-plugin-prettier.d.ts",
      files: [
        "eslint-plugin-prettier.d.ts",
        "eslint-plugin-prettier.js",
        "recommended.d.ts",
        "recommended.js",
        "worker.js"
      ],
      keywords: [
        "eslint",
        "eslintplugin",
        "eslint-plugin",
        "prettier"
      ],
      peerDependencies: {
        "@types/eslint": ">=8.0.0",
        eslint: ">=8.0.0",
        "eslint-config-prettier": "*",
        prettier: ">=3.0.0"
      },
      peerDependenciesMeta: {
        "@types/eslint": {
          optional: true
        },
        "eslint-config-prettier": {
          optional: true
        }
      },
      dependencies: {
        "prettier-linter-helpers": "^1.0.0",
        synckit: "^0.8.6"
      },
      devDependencies: {
        "@1stg/remark-preset": "^2.0.0",
        "@changesets/changelog-github": "^0.5.0",
        "@changesets/cli": "^2.27.1",
        "@commitlint/config-conventional": "^18.4.3",
        "@eslint-community/eslint-plugin-eslint-comments": "^4.1.0",
        "@eslint/js": "^8.56.0",
        "@graphql-eslint/eslint-plugin": "^3.20.1",
        "@prettier/plugin-pug": "^3.0.0",
        "@types/eslint": "^8.56.0",
        "@types/prettier-linter-helpers": "^1.0.4",
        commitlint: "^18.4.3",
        eslint: "^8.56.0",
        "eslint-config-prettier": "^9.1.0",
        "eslint-formatter-friendly": "^7.0.0",
        "eslint-mdx": "^2.3.0",
        "eslint-plugin-eslint-plugin": "^5.2.1",
        "eslint-plugin-mdx": "^2.3.0",
        "eslint-plugin-n": "^16.5.0",
        "eslint-plugin-prettier": "link:.",
        "eslint-plugin-pug": "^1.2.5",
        "eslint-plugin-svelte": "^2.35.1",
        "eslint-plugin-svelte3": "^4.0.0",
        graphql: "^16.8.1",
        "lint-staged": "^15.2.0",
        mocha: "^10.2.0",
        prettier: "^3.1.1",
        "prettier-plugin-pkg": "^0.18.0",
        "prettier-plugin-svelte": "^3.1.2",
        "simple-git-hooks": "^2.9.0",
        svelte: "^4.2.8",
        "vue-eslint-parser": "^9.3.2"
      },
      scripts: {
        check: "prettier --check . && pnpm lint",
        format: "prettier --write . && pnpm lint --fix",
        lint: "eslint . --cache -f friendly --max-warnings 10",
        release: "pnpm check && pnpm test && changeset publish",
        test: "pnpm lint && mocha"
      }
    };
  }
});

// node_modules/.pnpm/@pkgr+core@0.1.1/node_modules/@pkgr/core/lib/index.cjs
var require_lib12 = __commonJS({
  "node_modules/.pnpm/@pkgr+core@0.1.1/node_modules/@pkgr/core/lib/index.cjs"(exports2) {
    "use strict";
    var node_module = require("node:module");
    var fs4 = require("node:fs");
    var path17 = require("node:path");
    var import_meta2 = {};
    var CWD = process.cwd();
    var cjsRequire = typeof require === "undefined" ? node_module.createRequire(import_meta2.url) : require;
    var EXTENSIONS = [".ts", ".tsx", ...Object.keys(cjsRequire.extensions)];
    var tryPkg = (pkg) => {
      try {
        return cjsRequire.resolve(pkg);
      } catch (e) {
      }
    };
    var isPkgAvailable = (pkg) => !!tryPkg(pkg);
    var tryFile = (filePath, includeDir = false) => {
      if (typeof filePath === "string") {
        return fs4.existsSync(filePath) && (includeDir || fs4.statSync(filePath).isFile()) ? filePath : "";
      }
      for (const file of filePath != null ? filePath : []) {
        if (tryFile(file, includeDir)) {
          return file;
        }
      }
      return "";
    };
    var tryExtensions = (filepath, extensions = EXTENSIONS) => {
      const ext = [...extensions, ""].find((ext2) => tryFile(filepath + ext2));
      return ext == null ? "" : filepath + ext;
    };
    var findUp2 = (searchEntry, searchFileOrIncludeDir, includeDir) => {
      console.assert(path17.isAbsolute(searchEntry));
      if (!tryFile(searchEntry, true) || searchEntry !== CWD && !searchEntry.startsWith(CWD + path17.sep)) {
        return "";
      }
      searchEntry = path17.resolve(
        fs4.statSync(searchEntry).isDirectory() ? searchEntry : path17.resolve(searchEntry, "..")
      );
      const isSearchFile = typeof searchFileOrIncludeDir === "string";
      const searchFile = isSearchFile ? searchFileOrIncludeDir : "package.json";
      do {
        const searched = tryFile(
          path17.resolve(searchEntry, searchFile),
          isSearchFile && includeDir
        );
        if (searched) {
          return searched;
        }
        searchEntry = path17.resolve(searchEntry, "..");
      } while (searchEntry === CWD || searchEntry.startsWith(CWD + path17.sep));
      return "";
    };
    exports2.CWD = CWD;
    exports2.EXTENSIONS = EXTENSIONS;
    exports2.cjsRequire = cjsRequire;
    exports2.findUp = findUp2;
    exports2.isPkgAvailable = isPkgAvailable;
    exports2.tryExtensions = tryExtensions;
    exports2.tryFile = tryFile;
    exports2.tryPkg = tryPkg;
  }
});

// node_modules/.pnpm/synckit@0.8.8/node_modules/synckit/lib/index.cjs
var require_lib13 = __commonJS({
  "node_modules/.pnpm/synckit@0.8.8/node_modules/synckit/lib/index.cjs"(exports2) {
    "use strict";
    var node_crypto = require("node:crypto");
    var fs4 = require("node:fs");
    var node_module = require("node:module");
    var path17 = require("node:path");
    var node_url = require("node:url");
    var node_worker_threads = require("node:worker_threads");
    var core = require_lib12();
    var __async = (__this, __arguments, generator) => {
      return new Promise((resolve2, reject) => {
        var fulfilled = (value) => {
          try {
            step(generator.next(value));
          } catch (e) {
            reject(e);
          }
        };
        var rejected = (value) => {
          try {
            step(generator.throw(value));
          } catch (e) {
            reject(e);
          }
        };
        var step = (x) => x.done ? resolve2(x.value) : Promise.resolve(x.value).then(fulfilled, rejected);
        step((generator = generator.apply(__this, __arguments)).next());
      });
    };
    var import_meta2 = {};
    var TsRunner = {
      // https://github.com/TypeStrong/ts-node
      TsNode: "ts-node",
      // https://github.com/egoist/esbuild-register
      EsbuildRegister: "esbuild-register",
      // https://github.com/folke/esbuild-runner
      EsbuildRunner: "esbuild-runner",
      // https://github.com/swc-project/swc-node/tree/master/packages/register
      SWC: "swc",
      // https://github.com/esbuild-kit/tsx
      TSX: "tsx"
    };
    var {
      SYNCKIT_BUFFER_SIZE,
      SYNCKIT_TIMEOUT,
      SYNCKIT_EXEC_ARGV,
      SYNCKIT_TS_RUNNER,
      SYNCKIT_GLOBAL_SHIMS,
      NODE_OPTIONS
    } = process.env;
    var DEFAULT_BUFFER_SIZE = SYNCKIT_BUFFER_SIZE ? +SYNCKIT_BUFFER_SIZE : void 0;
    var DEFAULT_TIMEOUT = SYNCKIT_TIMEOUT ? +SYNCKIT_TIMEOUT : void 0;
    var DEFAULT_WORKER_BUFFER_SIZE = DEFAULT_BUFFER_SIZE || 1024;
    var DEFAULT_EXEC_ARGV = (SYNCKIT_EXEC_ARGV == null ? void 0 : SYNCKIT_EXEC_ARGV.split(",")) || [];
    var DEFAULT_TS_RUNNER = SYNCKIT_TS_RUNNER;
    var DEFAULT_GLOBAL_SHIMS = ["1", "true"].includes(
      SYNCKIT_GLOBAL_SHIMS
    );
    var DEFAULT_GLOBAL_SHIMS_PRESET = [
      {
        moduleName: "node-fetch",
        globalName: "fetch"
      },
      {
        moduleName: "node:perf_hooks",
        globalName: "performance",
        named: "performance"
      }
    ];
    var MTS_SUPPORTED_NODE_VERSION = 16;
    var syncFnCache = /* @__PURE__ */ new Map();
    function extractProperties(object) {
      if (object && typeof object === "object") {
        const properties = {};
        for (const key in object) {
          properties[key] = object[key];
        }
        return properties;
      }
    }
    function createSyncFn(workerPath, bufferSizeOrOptions, timeout) {
      if (!path17.isAbsolute(workerPath)) {
        throw new Error("`workerPath` must be absolute");
      }
      const cachedSyncFn = syncFnCache.get(workerPath);
      if (cachedSyncFn) {
        return cachedSyncFn;
      }
      const syncFn = startWorkerThread(
        workerPath,
        /* istanbul ignore next */
        typeof bufferSizeOrOptions === "number" ? { bufferSize: bufferSizeOrOptions, timeout } : bufferSizeOrOptions
      );
      syncFnCache.set(workerPath, syncFn);
      return syncFn;
    }
    var cjsRequire = typeof require === "undefined" ? node_module.createRequire(import_meta2.url) : (
      /* istanbul ignore next */
      require
    );
    var dataUrl = (code) => new URL(`data:text/javascript,${encodeURIComponent(code)}`);
    var isFile = (path22) => {
      var _a;
      try {
        return !!((_a = fs4.statSync(path22, { throwIfNoEntry: false })) == null ? void 0 : _a.isFile());
      } catch (e) {
        return false;
      }
    };
    var setupTsRunner = (workerPath, { execArgv, tsRunner }) => {
      let ext = path17.extname(workerPath);
      if (!/[/\\]node_modules[/\\]/.test(workerPath) && (!ext || /^\.[cm]?js$/.test(ext))) {
        const workPathWithoutExt = ext ? workerPath.slice(0, -ext.length) : workerPath;
        let extensions;
        switch (ext) {
          case ".cjs": {
            extensions = [".cts", ".cjs"];
            break;
          }
          case ".mjs": {
            extensions = [".mts", ".mjs"];
            break;
          }
          default: {
            extensions = [".ts", ".js"];
            break;
          }
        }
        const found = core.tryExtensions(workPathWithoutExt, extensions);
        let differentExt;
        if (found && (!ext || (differentExt = found !== workPathWithoutExt))) {
          workerPath = found;
          if (differentExt) {
            ext = path17.extname(workerPath);
          }
        }
      }
      const isTs = /\.[cm]?ts$/.test(workerPath);
      let jsUseEsm = workerPath.endsWith(".mjs");
      let tsUseEsm = workerPath.endsWith(".mts");
      if (isTs) {
        if (!tsUseEsm) {
          const pkg = core.findUp(workerPath);
          if (pkg) {
            tsUseEsm = cjsRequire(pkg).type === "module";
          }
        }
        if (tsRunner == null && core.isPkgAvailable(TsRunner.TsNode)) {
          tsRunner = TsRunner.TsNode;
        }
        switch (tsRunner) {
          case TsRunner.TsNode: {
            if (tsUseEsm) {
              if (!execArgv.includes("--loader")) {
                execArgv = ["--loader", `${TsRunner.TsNode}/esm`, ...execArgv];
              }
            } else if (!execArgv.includes("-r")) {
              execArgv = ["-r", `${TsRunner.TsNode}/register`, ...execArgv];
            }
            break;
          }
          case TsRunner.EsbuildRegister: {
            if (!execArgv.includes("-r")) {
              execArgv = ["-r", TsRunner.EsbuildRegister, ...execArgv];
            }
            break;
          }
          case TsRunner.EsbuildRunner: {
            if (!execArgv.includes("-r")) {
              execArgv = ["-r", `${TsRunner.EsbuildRunner}/register`, ...execArgv];
            }
            break;
          }
          case TsRunner.SWC: {
            if (!execArgv.includes("-r")) {
              execArgv = ["-r", `@${TsRunner.SWC}-node/register`, ...execArgv];
            }
            break;
          }
          case TsRunner.TSX: {
            if (!execArgv.includes("--loader")) {
              execArgv = ["--loader", TsRunner.TSX, ...execArgv];
            }
            break;
          }
          default: {
            throw new Error(`Unknown ts runner: ${String(tsRunner)}`);
          }
        }
      } else if (!jsUseEsm) {
        const pkg = core.findUp(workerPath);
        if (pkg) {
          jsUseEsm = cjsRequire(pkg).type === "module";
        }
      }
      if (process.versions.pnp) {
        const nodeOptions = NODE_OPTIONS == null ? void 0 : NODE_OPTIONS.split(/\s+/);
        let pnpApiPath;
        try {
          pnpApiPath = cjsRequire.resolve("pnpapi");
        } catch (e) {
        }
        if (pnpApiPath && !(nodeOptions == null ? void 0 : nodeOptions.some(
          (option, index) => ["-r", "--require"].includes(option) && pnpApiPath === cjsRequire.resolve(nodeOptions[index + 1])
        )) && !execArgv.includes(pnpApiPath)) {
          execArgv = ["-r", pnpApiPath, ...execArgv];
          const pnpLoaderPath = path17.resolve(pnpApiPath, "../.pnp.loader.mjs");
          if (isFile(pnpLoaderPath)) {
            const experimentalLoader = node_url.pathToFileURL(pnpLoaderPath).toString();
            execArgv = ["--experimental-loader", experimentalLoader, ...execArgv];
          }
        }
      }
      return {
        ext,
        isTs,
        jsUseEsm,
        tsRunner,
        tsUseEsm,
        workerPath,
        execArgv
      };
    };
    var md5Hash = (text) => node_crypto.createHash("md5").update(text).digest("hex");
    var encodeImportModule = (moduleNameOrGlobalShim, type = "import") => {
      const { moduleName, globalName, named, conditional } = typeof moduleNameOrGlobalShim === "string" ? { moduleName: moduleNameOrGlobalShim } : moduleNameOrGlobalShim;
      const importStatement = type === "import" ? `import${globalName ? " " + (named === null ? "* as " + globalName : (named == null ? void 0 : named.trim()) ? `{${named}}` : globalName) + " from" : ""} '${path17.isAbsolute(moduleName) ? String(node_url.pathToFileURL(moduleName)) : moduleName}'` : `${globalName ? "const " + ((named == null ? void 0 : named.trim()) ? `{${named}}` : globalName) + "=" : ""}require('${moduleName.replace(/\\/g, "\\\\")}')`;
      if (!globalName) {
        return importStatement;
      }
      const overrideStatement = `globalThis.${globalName}=${(named == null ? void 0 : named.trim()) ? named : globalName}`;
      return importStatement + (conditional === false ? `;${overrideStatement}` : `;if(!globalThis.${globalName})${overrideStatement}`);
    };
    var _generateGlobals = (globalShims, type) => globalShims.reduce(
      (acc, shim) => `${acc}${acc ? ";" : ""}${encodeImportModule(shim, type)}`,
      ""
    );
    var globalsCache = /* @__PURE__ */ new Map();
    var tmpdir;
    var _dirname = typeof __dirname === "undefined" ? path17.dirname(node_url.fileURLToPath(import_meta2.url)) : (
      /* istanbul ignore next */
      __dirname
    );
    var generateGlobals = (workerPath, globalShims, type = "import") => {
      const cached = globalsCache.get(workerPath);
      if (cached) {
        const [content2, filepath2] = cached;
        if (type === "require" && !filepath2 || type === "import" && filepath2 && isFile(filepath2)) {
          return content2;
        }
      }
      const globals2 = _generateGlobals(globalShims, type);
      let content = globals2;
      let filepath;
      if (type === "import") {
        if (!tmpdir) {
          tmpdir = path17.resolve(core.findUp(_dirname), "../node_modules/.synckit");
        }
        fs4.mkdirSync(tmpdir, { recursive: true });
        filepath = path17.resolve(tmpdir, md5Hash(workerPath) + ".mjs");
        content = encodeImportModule(filepath);
        fs4.writeFileSync(filepath, globals2);
      }
      globalsCache.set(workerPath, [content, filepath]);
      return content;
    };
    function startWorkerThread(workerPath, {
      bufferSize = DEFAULT_WORKER_BUFFER_SIZE,
      timeout = DEFAULT_TIMEOUT,
      execArgv = DEFAULT_EXEC_ARGV,
      tsRunner = DEFAULT_TS_RUNNER,
      transferList = [],
      globalShims = DEFAULT_GLOBAL_SHIMS
    } = {}) {
      const { port1: mainPort, port2: workerPort } = new node_worker_threads.MessageChannel();
      const {
        isTs,
        ext,
        jsUseEsm,
        tsUseEsm,
        tsRunner: finalTsRunner,
        workerPath: finalWorkerPath,
        execArgv: finalExecArgv
      } = setupTsRunner(workerPath, { execArgv, tsRunner });
      const workerPathUrl = node_url.pathToFileURL(finalWorkerPath);
      if (/\.[cm]ts$/.test(finalWorkerPath)) {
        const isTsxSupported = !tsUseEsm || Number.parseFloat(process.versions.node) >= MTS_SUPPORTED_NODE_VERSION;
        if (!finalTsRunner) {
          throw new Error("No ts runner specified, ts worker path is not supported");
        } else if ([
          // https://github.com/egoist/esbuild-register/issues/79
          TsRunner.EsbuildRegister,
          // https://github.com/folke/esbuild-runner/issues/67
          TsRunner.EsbuildRunner,
          // https://github.com/swc-project/swc-node/issues/667
          TsRunner.SWC,
          .../* istanbul ignore next */
          isTsxSupported ? [] : [TsRunner.TSX]
        ].includes(finalTsRunner)) {
          throw new Error(
            `${finalTsRunner} is not supported for ${ext} files yet` + /* istanbul ignore next */
            (isTsxSupported ? ", you can try [tsx](https://github.com/esbuild-kit/tsx) instead" : "")
          );
        }
      }
      const finalGlobalShims = (globalShims === true ? DEFAULT_GLOBAL_SHIMS_PRESET : Array.isArray(globalShims) ? globalShims : []).filter(({ moduleName }) => core.isPkgAvailable(moduleName));
      const useGlobals = finalGlobalShims.length > 0;
      const useEval = isTs ? !tsUseEsm : !jsUseEsm && useGlobals;
      const worker = new node_worker_threads.Worker(
        jsUseEsm && useGlobals || tsUseEsm && finalTsRunner === TsRunner.TsNode ? dataUrl(
          `${generateGlobals(
            finalWorkerPath,
            finalGlobalShims
          )};import '${String(workerPathUrl)}'`
        ) : useEval ? `${generateGlobals(
          finalWorkerPath,
          finalGlobalShims,
          "require"
        )};${encodeImportModule(finalWorkerPath, "require")}` : workerPathUrl,
        {
          eval: useEval,
          workerData: { workerPort },
          transferList: [workerPort, ...transferList],
          execArgv: finalExecArgv
        }
      );
      let nextID = 0;
      const syncFn = (...args) => {
        const id = nextID++;
        const sharedBuffer = new SharedArrayBuffer(bufferSize);
        const sharedBufferView = new Int32Array(sharedBuffer);
        const msg = { sharedBuffer, id, args };
        worker.postMessage(msg);
        const status = Atomics.wait(sharedBufferView, 0, 0, timeout);
        if (!["ok", "not-equal"].includes(status)) {
          throw new Error("Internal error: Atomics.wait() failed: " + status);
        }
        const {
          id: id2,
          result,
          error,
          properties
        } = node_worker_threads.receiveMessageOnPort(mainPort).message;
        if (id !== id2) {
          throw new Error(`Internal error: Expected id ${id} but got id ${id2}`);
        }
        if (error) {
          throw Object.assign(error, properties);
        }
        return result;
      };
      worker.unref();
      return syncFn;
    }
    function runAsWorker(fn) {
      if (!node_worker_threads.workerData) {
        return;
      }
      const { workerPort } = node_worker_threads.workerData;
      node_worker_threads.parentPort.on(
        "message",
        ({ sharedBuffer, id, args }) => {
          (() => __async(this, null, function* () {
            const sharedBufferView = new Int32Array(sharedBuffer);
            let msg;
            try {
              msg = { id, result: yield fn(...args) };
            } catch (error) {
              msg = { id, error, properties: extractProperties(error) };
            }
            workerPort.postMessage(msg);
            Atomics.add(sharedBufferView, 0, 1);
            Atomics.notify(sharedBufferView, 0);
          }))();
        }
      );
    }
    exports2.DEFAULT_BUFFER_SIZE = DEFAULT_BUFFER_SIZE;
    exports2.DEFAULT_EXEC_ARGV = DEFAULT_EXEC_ARGV;
    exports2.DEFAULT_GLOBAL_SHIMS = DEFAULT_GLOBAL_SHIMS;
    exports2.DEFAULT_GLOBAL_SHIMS_PRESET = DEFAULT_GLOBAL_SHIMS_PRESET;
    exports2.DEFAULT_TIMEOUT = DEFAULT_TIMEOUT;
    exports2.DEFAULT_TS_RUNNER = DEFAULT_TS_RUNNER;
    exports2.DEFAULT_WORKER_BUFFER_SIZE = DEFAULT_WORKER_BUFFER_SIZE;
    exports2.MTS_SUPPORTED_NODE_VERSION = MTS_SUPPORTED_NODE_VERSION;
    exports2.TsRunner = TsRunner;
    exports2._generateGlobals = _generateGlobals;
    exports2.createSyncFn = createSyncFn;
    exports2.encodeImportModule = encodeImportModule;
    exports2.extractProperties = extractProperties;
    exports2.generateGlobals = generateGlobals;
    exports2.isFile = isFile;
    exports2.runAsWorker = runAsWorker;
  }
});

// node_modules/.pnpm/eslint-plugin-prettier@5.1.3_@types+eslint@8.56.10_eslint-config-prettier@9.1.0_eslint@9.5.0__ydawmagfkkia34ed6lgwcpywri/node_modules/eslint-plugin-prettier/eslint-plugin-prettier.js
var require_eslint_plugin_prettier = __commonJS({
  "node_modules/.pnpm/eslint-plugin-prettier@5.1.3_@types+eslint@8.56.10_eslint-config-prettier@9.1.0_eslint@9.5.0__ydawmagfkkia34ed6lgwcpywri/node_modules/eslint-plugin-prettier/eslint-plugin-prettier.js"(exports2, module2) {
    "use strict";
    var {
      showInvisibles,
      generateDifferences
    } = require_prettier_linter_helpers();
    var { name, version } = require_package9();
    var { INSERT, DELETE, REPLACE } = generateDifferences;
    var prettierFormat;
    function reportDifference(context, difference) {
      const { operation, offset, deleteText = "", insertText = "" } = difference;
      const range = (
        /** @type {Range} */
        [offset, offset + deleteText.length]
      );
      const [start, end] = range.map(
        (index) => (context.sourceCode ?? context.getSourceCode()).getLocFromIndex(index)
      );
      context.report({
        messageId: operation,
        data: {
          deleteText: showInvisibles(deleteText),
          insertText: showInvisibles(insertText)
        },
        loc: { start, end },
        fix: (fixer) => fixer.replaceTextRange(range, insertText)
      });
    }
    var eslintPluginPrettier = {
      meta: { name, version },
      configs: {
        recommended: {
          extends: ["prettier"],
          plugins: ["prettier"],
          rules: {
            "prettier/prettier": "error",
            "arrow-body-style": "off",
            "prefer-arrow-callback": "off"
          }
        }
      },
      rules: {
        prettier: {
          meta: {
            docs: {
              url: "https://github.com/prettier/eslint-plugin-prettier#options"
            },
            type: "layout",
            fixable: "code",
            schema: [
              // Prettier options:
              {
                type: "object",
                properties: {},
                additionalProperties: true
              },
              {
                type: "object",
                properties: {
                  usePrettierrc: { type: "boolean" },
                  fileInfoOptions: {
                    type: "object",
                    properties: {},
                    additionalProperties: true
                  }
                },
                additionalProperties: true
              }
            ],
            messages: {
              [INSERT]: "Insert `{{ insertText }}`",
              [DELETE]: "Delete `{{ deleteText }}`",
              [REPLACE]: "Replace `{{ deleteText }}` with `{{ insertText }}`"
            }
          },
          create(context) {
            const usePrettierrc = !context.options[1] || context.options[1].usePrettierrc !== false;
            const fileInfoOptions = context.options[1] && context.options[1].fileInfoOptions || {};
            const sourceCode = context.sourceCode ?? context.getSourceCode();
            const filepath = context.filename ?? context.getFilename();
            const onDiskFilepath = context.physicalFilename ?? context.getPhysicalFilename();
            const source = sourceCode.text;
            return {
              Program() {
                if (!prettierFormat) {
                  prettierFormat = require_lib13().createSyncFn(
                    require.resolve("./worker-60809eb8.js")
                  );
                }
                const eslintPrettierOptions = context.options[0] || {};
                const parser = context.languageOptions?.parser;
                let prettierSource;
                try {
                  prettierSource = prettierFormat(
                    source,
                    {
                      ...eslintPrettierOptions,
                      filepath,
                      onDiskFilepath,
                      parserMeta: parser && (parser.meta ?? {
                        name: parser.name,
                        version: parser.version
                      }),
                      parserPath: context.parserPath,
                      usePrettierrc
                    },
                    fileInfoOptions
                  );
                } catch (err) {
                  if (!(err instanceof SyntaxError)) {
                    throw err;
                  }
                  let message = "Parsing error: " + err.message;
                  const error = (
                    /** @type {SyntaxError & {codeFrame: string; loc: SourceLocation}} */
                    err
                  );
                  if (error.codeFrame) {
                    message = message.replace(`
${error.codeFrame}`, "");
                  }
                  if (error.loc) {
                    message = message.replace(/ \(\d+:\d+\)$/, "");
                  }
                  context.report({ message, loc: error.loc });
                  return;
                }
                if (prettierSource == null) {
                  return;
                }
                if (source !== prettierSource) {
                  const differences = generateDifferences(source, prettierSource);
                  for (const difference of differences) {
                    reportDifference(context, difference);
                  }
                }
              }
            };
          }
        }
      }
    };
    module2.exports = eslintPluginPrettier;
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/get-docs-url.js
var require_get_docs_url = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/get-docs-url.js"(exports2, module2) {
    "use strict";
    var REPO_URL = "https://github.com/eslint-community/eslint-plugin-promise";
    function getDocsUrl(ruleName) {
      return `${REPO_URL}/blob/main/docs/rules/${ruleName}.md`;
    }
    module2.exports = getDocsUrl;
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/is-promise-constructor.js
var require_is_promise_constructor = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/is-promise-constructor.js"(exports2, module2) {
    "use strict";
    function isPromiseConstructor(node) {
      return node.type === "NewExpression" && node.callee.type === "Identifier" && node.callee.name === "Promise";
    }
    function isPromiseConstructorWithInlineExecutor(node) {
      return isPromiseConstructor(node) && node.arguments.length === 1 && (node.arguments[0].type === "FunctionExpression" || node.arguments[0].type === "ArrowFunctionExpression");
    }
    module2.exports = {
      isPromiseConstructor,
      isPromiseConstructorWithInlineExecutor
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/param-names.js
var require_param_names = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/param-names.js"(exports2, module2) {
    "use strict";
    var getDocsUrl = require_get_docs_url();
    var {
      isPromiseConstructorWithInlineExecutor
    } = require_is_promise_constructor();
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce consistent param names and ordering when creating new promises.",
          url: getDocsUrl("param-names")
        },
        schema: [
          {
            type: "object",
            properties: {
              resolvePattern: { type: "string" },
              rejectPattern: { type: "string" }
            },
            additionalProperties: false
          }
        ]
      },
      create(context) {
        const options = context.options[0] || {};
        const resolvePattern = new RegExp(
          options.resolvePattern || "^_?resolve$",
          "u"
        );
        const rejectPattern = new RegExp(options.rejectPattern || "^_?reject$", "u");
        return {
          NewExpression(node) {
            if (isPromiseConstructorWithInlineExecutor(node)) {
              const params = node.arguments[0].params;
              if (!params || !params.length) {
                return;
              }
              const resolveParamName = params[0] && params[0].name;
              if (resolveParamName && !resolvePattern.test(resolveParamName)) {
                context.report({
                  node: params[0],
                  message: 'Promise constructor parameters must be named to match "{{ resolvePattern }}"',
                  data: {
                    resolvePattern: resolvePattern.source
                  }
                });
              }
              const rejectParamName = params[1] && params[1].name;
              if (rejectParamName && !rejectPattern.test(rejectParamName)) {
                context.report({
                  node: params[1],
                  message: 'Promise constructor parameters must be named to match "{{ rejectPattern }}"',
                  data: {
                    rejectPattern: rejectPattern.source
                  }
                });
              }
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/eslint-compat.js
var require_eslint_compat = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/eslint-compat.js"(exports2, module2) {
    "use strict";
    function getSourceCode(context) {
      if (context.sourceCode != null) {
        return context.sourceCode;
      }
      return context.getSourceCode();
    }
    function getAncestors(context, node) {
      const sourceCode = getSourceCode(context);
      if (typeof sourceCode.getAncestors === "function") {
        return sourceCode.getAncestors(node);
      }
      return context.getAncestors(node);
    }
    function getScope(context, node) {
      const sourceCode = getSourceCode(context);
      if (typeof sourceCode.getScope === "function") {
        return sourceCode.getScope(node);
      }
      return context.getScope(node);
    }
    module2.exports = {
      getSourceCode,
      getAncestors,
      getScope
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/promise-statics.js
var require_promise_statics = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/promise-statics.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      all: true,
      allSettled: true,
      any: true,
      race: true,
      reject: true,
      resolve: true
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/is-promise.js
var require_is_promise = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/is-promise.js"(exports2, module2) {
    "use strict";
    var PROMISE_STATICS = require_promise_statics();
    function isPromise(expression) {
      return (
        // hello.then()
        expression.type === "CallExpression" && expression.callee.type === "MemberExpression" && expression.callee.property.name === "then" || // hello.catch()
        expression.type === "CallExpression" && expression.callee.type === "MemberExpression" && expression.callee.property.name === "catch" || // hello.finally()
        expression.type === "CallExpression" && expression.callee.type === "MemberExpression" && expression.callee.property.name === "finally" || // somePromise.ANYTHING()
        expression.type === "CallExpression" && expression.callee.type === "MemberExpression" && isPromise(expression.callee.object) || // Promise.STATIC_METHOD()
        expression.type === "CallExpression" && expression.callee.type === "MemberExpression" && expression.callee.object.type === "Identifier" && expression.callee.object.name === "Promise" && PROMISE_STATICS[expression.callee.property.name]
      );
    }
    module2.exports = isPromise;
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/no-return-wrap.js
var require_no_return_wrap = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/no-return-wrap.js"(exports2, module2) {
    "use strict";
    var { getAncestors } = require_eslint_compat();
    var getDocsUrl = require_get_docs_url();
    var isPromise = require_is_promise();
    function isInPromise(context, node) {
      let functionNode = getAncestors(context, node).filter((node2) => {
        return node2.type === "ArrowFunctionExpression" || node2.type === "FunctionExpression";
      }).reverse()[0];
      while (functionNode && functionNode.parent && functionNode.parent.type === "MemberExpression" && functionNode.parent.object === functionNode && functionNode.parent.property.type === "Identifier" && functionNode.parent.property.name === "bind" && functionNode.parent.parent && functionNode.parent.parent.type === "CallExpression" && functionNode.parent.parent.callee === functionNode.parent) {
        functionNode = functionNode.parent.parent;
      }
      return functionNode && functionNode.parent && isPromise(functionNode.parent);
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow wrapping values in `Promise.resolve` or `Promise.reject` when not needed.",
          url: getDocsUrl("no-return-wrap")
        },
        messages: {
          resolve: "Avoid wrapping return values in Promise.resolve",
          reject: "Expected throw instead of Promise.reject"
        },
        schema: [
          {
            type: "object",
            properties: {
              allowReject: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      create(context) {
        const options = context.options[0] || {};
        const allowReject = options.allowReject;
        function checkCallExpression({ callee }, node) {
          if (isInPromise(context, node) && callee.type === "MemberExpression" && callee.object.name === "Promise") {
            if (callee.property.name === "resolve") {
              context.report({ node, messageId: "resolve" });
            } else if (!allowReject && callee.property.name === "reject") {
              context.report({ node, messageId: "reject" });
            }
          }
        }
        return {
          ReturnStatement(node) {
            if (node.argument && node.argument.type === "CallExpression") {
              checkCallExpression(node.argument, node);
            }
          },
          "ArrowFunctionExpression > CallExpression"(node) {
            checkCallExpression(node, node);
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/always-return.js
var require_always_return = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/always-return.js"(exports2, module2) {
    "use strict";
    var getDocsUrl = require_get_docs_url();
    function isFunctionWithBlockStatement(node) {
      if (node.type === "FunctionExpression") {
        return true;
      }
      if (node.type === "ArrowFunctionExpression") {
        return node.body.type === "BlockStatement";
      }
      return false;
    }
    function isMemberCall(memberName, node) {
      return node.type === "CallExpression" && node.callee.type === "MemberExpression" && !node.callee.computed && node.callee.property.type === "Identifier" && node.callee.property.name === memberName;
    }
    function isFirstArgument(node) {
      return Boolean(
        node.parent && node.parent.arguments && node.parent.arguments[0] === node
      );
    }
    function isInlineThenFunctionExpression(node) {
      return isFunctionWithBlockStatement(node) && isMemberCall("then", node.parent) && isFirstArgument(node);
    }
    function isLastCallback(node) {
      let target = node.parent;
      let parent = target.parent;
      while (parent) {
        if (parent.type === "ExpressionStatement") {
          return true;
        }
        if (parent.type === "UnaryExpression") {
          return parent.operator === "void";
        }
        let nextTarget = null;
        if (parent.type === "SequenceExpression") {
          if (peek(parent.expressions) !== target) {
            return true;
          }
          nextTarget = parent;
        } else if (
          // e.g. promise?.then(() => value)
          parent.type === "ChainExpression" || // e.g. await promise.then(() => value)
          parent.type === "AwaitExpression"
        ) {
          nextTarget = parent;
        } else if (parent.type === "MemberExpression") {
          if (parent.parent && (isMemberCall("catch", parent.parent) || isMemberCall("finally", parent.parent))) {
            nextTarget = parent.parent;
          }
        }
        if (nextTarget) {
          target = nextTarget;
          parent = target.parent;
          continue;
        }
        return false;
      }
      return false;
    }
    function peek(arr) {
      return arr[arr.length - 1];
    }
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          description: "Require returning inside each `then()` to create readable and reusable Promise chains.",
          url: getDocsUrl("always-return")
        },
        schema: [
          {
            type: "object",
            properties: {
              ignoreLastCallback: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      create(context) {
        const options = context.options[0] || {};
        const ignoreLastCallback = !!options.ignoreLastCallback;
        const funcInfoStack = [];
        function markCurrentBranchAsGood() {
          const funcInfo = peek(funcInfoStack);
          const currentBranchID = peek(funcInfo.branchIDStack);
          if (funcInfo.branchInfoMap[currentBranchID]) {
            funcInfo.branchInfoMap[currentBranchID].good = true;
          }
        }
        return {
          "ReturnStatement:exit": markCurrentBranchAsGood,
          "ThrowStatement:exit": markCurrentBranchAsGood,
          /**
           * @param {CodePathSegment} segment
           * @param {Node} node
           */
          onCodePathSegmentStart(segment, node) {
            const funcInfo = peek(funcInfoStack);
            funcInfo.branchIDStack.push(segment.id);
            funcInfo.branchInfoMap[segment.id] = { good: false, node };
          },
          onCodePathSegmentEnd() {
            const funcInfo = peek(funcInfoStack);
            funcInfo.branchIDStack.pop();
          },
          onCodePathStart() {
            funcInfoStack.push({
              branchIDStack: [],
              branchInfoMap: {}
            });
          },
          /**
           * @param {CodePath} path
           * @param {Node} node
           */
          onCodePathEnd(path17, node) {
            const funcInfo = funcInfoStack.pop();
            if (!isInlineThenFunctionExpression(node)) {
              return;
            }
            if (ignoreLastCallback && isLastCallback(node)) {
              return;
            }
            path17.finalSegments.forEach((segment) => {
              const id = segment.id;
              const branch = funcInfo.branchInfoMap[id];
              if (!branch.good) {
                context.report({
                  message: "Each then() should return a value or throw",
                  node: branch.node
                });
              }
            });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/catch-or-return.js
var require_catch_or_return = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/catch-or-return.js"(exports2, module2) {
    "use strict";
    var getDocsUrl = require_get_docs_url();
    var isPromise = require_is_promise();
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          description: "Enforce the use of `catch()` on un-returned promises.",
          url: getDocsUrl("catch-or-return")
        },
        messages: {
          terminationMethod: "Expected {{ terminationMethod }}() or return"
        },
        schema: [
          {
            type: "object",
            properties: {
              allowFinally: {
                type: "boolean"
              },
              allowThen: {
                type: "boolean"
              },
              terminationMethod: {
                oneOf: [
                  { type: "string" },
                  {
                    type: "array",
                    items: {
                      type: "string"
                    }
                  }
                ]
              }
            },
            additionalProperties: false
          }
        ]
      },
      create(context) {
        const options = context.options[0] || {};
        const allowThen = options.allowThen;
        const allowFinally = options.allowFinally;
        let terminationMethod = options.terminationMethod || "catch";
        if (typeof terminationMethod === "string") {
          terminationMethod = [terminationMethod];
        }
        function isAllowedPromiseTermination(expression) {
          if (allowThen && expression.type === "CallExpression" && expression.callee.type === "MemberExpression" && expression.callee.property.name === "then" && expression.arguments.length === 2) {
            return true;
          }
          if (allowFinally && expression.type === "CallExpression" && expression.callee.type === "MemberExpression" && expression.callee.property.name === "finally" && isPromise(expression.callee.object) && isAllowedPromiseTermination(expression.callee.object)) {
            return true;
          }
          if (expression.type === "CallExpression" && expression.callee.type === "MemberExpression" && terminationMethod.indexOf(expression.callee.property.name) !== -1) {
            return true;
          }
          if (expression.type === "CallExpression" && expression.callee.type === "MemberExpression" && expression.callee.property.type === "Literal" && expression.callee.property.value === "catch") {
            return true;
          }
          return false;
        }
        return {
          ExpressionStatement(node) {
            if (!isPromise(node.expression)) {
              return;
            }
            if (isAllowedPromiseTermination(node.expression)) {
              return;
            }
            context.report({
              node,
              messageId: "terminationMethod",
              data: { terminationMethod }
            });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/prefer-await-to-callbacks.js
var require_prefer_await_to_callbacks = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/prefer-await-to-callbacks.js"(exports2, module2) {
    "use strict";
    var { getAncestors } = require_eslint_compat();
    var getDocsUrl = require_get_docs_url();
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "Prefer async/await to the callback pattern.",
          url: getDocsUrl("prefer-await-to-callbacks")
        },
        messages: {
          error: "Avoid callbacks. Prefer Async/Await."
        },
        schema: []
      },
      create(context) {
        function checkLastParamsForCallback(node) {
          const lastParam = node.params[node.params.length - 1] || {};
          if (lastParam.name === "callback" || lastParam.name === "cb") {
            context.report({ node: lastParam, messageId: "error" });
          }
        }
        function isInsideYieldOrAwait(node) {
          return getAncestors(context, node).some((parent) => {
            return parent.type === "AwaitExpression" || parent.type === "YieldExpression";
          });
        }
        return {
          CallExpression(node) {
            if (node.callee.name === "cb" || node.callee.name === "callback") {
              context.report({ node, messageId: "error" });
              return;
            }
            const args = node.arguments;
            const lastArgIndex = args.length - 1;
            const arg = lastArgIndex > -1 && node.arguments[lastArgIndex];
            if (arg && arg.type === "FunctionExpression" || arg.type === "ArrowFunctionExpression") {
              if (node.callee.property && (node.callee.property.name === "on" || node.callee.property.name === "once")) {
                return;
              }
              const arrayMethods = [
                "map",
                "every",
                "forEach",
                "some",
                "find",
                "filter"
              ];
              const isLodash = node.callee.object && ["lodash", "underscore", "_"].includes(node.callee.object.name);
              const callsArrayMethod = node.callee.property && arrayMethods.includes(node.callee.property.name) && (node.arguments.length === 1 || node.arguments.length === 2 && isLodash);
              const isArrayMethod = node.callee.name && arrayMethods.includes(node.callee.name) && node.arguments.length === 2;
              if (callsArrayMethod || isArrayMethod) return;
              if (arg.params && arg.params[0] && (arg.params[0].name === "err" || arg.params[0].name === "error")) {
                if (!isInsideYieldOrAwait(node)) {
                  context.report({ node: arg, messageId: "error" });
                }
              }
            }
          },
          FunctionDeclaration: checkLastParamsForCallback,
          FunctionExpression: checkLastParamsForCallback,
          ArrowFunctionExpression: checkLastParamsForCallback
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/prefer-await-to-then.js
var require_prefer_await_to_then = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/prefer-await-to-then.js"(exports2, module2) {
    "use strict";
    var { getAncestors, getScope } = require_eslint_compat();
    var getDocsUrl = require_get_docs_url();
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "Prefer `await` to `then()`/`catch()`/`finally()` for reading Promise values.",
          url: getDocsUrl("prefer-await-to-then")
        },
        schema: []
      },
      create(context) {
        function isInsideYieldOrAwait(node) {
          return getAncestors(context, node).some((parent) => {
            return parent.type === "AwaitExpression" || parent.type === "YieldExpression";
          });
        }
        function isTopLevelScoped(node) {
          return getScope(context, node).block.type === "Program";
        }
        return {
          "CallExpression > MemberExpression.callee"(node) {
            if (isTopLevelScoped(node) || isInsideYieldOrAwait(node)) {
              return;
            }
            if (node.property && (node.property.name === "then" || node.property.name === "catch" || node.property.name === "finally")) {
              context.report({
                node: node.property,
                message: "Prefer await to then()/catch()/finally()."
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/no-native.js
var require_no_native = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/no-native.js"(exports2, module2) {
    "use strict";
    var { getScope } = require_eslint_compat();
    var getDocsUrl = require_get_docs_url();
    function isDeclared(scope, ref) {
      return scope.variables.some((variable) => {
        if (variable.name !== ref.identifier.name) {
          return false;
        }
        if (!variable.defs || !variable.defs.length) {
          return false;
        }
        return true;
      });
    }
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "Require creating a `Promise` constructor before using it in an ES5 environment.",
          url: getDocsUrl("no-native")
        },
        messages: {
          name: '"{{name}}" is not defined.'
        },
        schema: []
      },
      create(context) {
        return {
          "Program:exit"(node) {
            const scope = getScope(context, node);
            const leftToBeResolved = scope.implicit.left || /**
             * Fixes https://github.com/eslint-community/eslint-plugin-promise/issues/205.
             * The problem was that @typescript-eslint has a scope manager
             * which has `leftToBeResolved` instead of the default `left`.
             */
            scope.implicit.leftToBeResolved;
            leftToBeResolved.forEach((ref) => {
              if (ref.identifier.name !== "Promise") {
                return;
              }
              if (!isDeclared(scope, ref)) {
                context.report({
                  node: ref.identifier,
                  messageId: "name",
                  data: { name: ref.identifier.name }
                });
              }
            });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/has-promise-callback.js
var require_has_promise_callback = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/has-promise-callback.js"(exports2, module2) {
    "use strict";
    function hasPromiseCallback(node) {
      if (node.type !== "CallExpression") return;
      if (node.callee.type !== "MemberExpression") return;
      const propertyName = node.callee.property.name;
      return propertyName === "then" || propertyName === "catch";
    }
    module2.exports = hasPromiseCallback;
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/is-inside-promise.js
var require_is_inside_promise = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/is-inside-promise.js"(exports2, module2) {
    "use strict";
    function isInsidePromise(node) {
      const isFunctionExpression = node.type === "FunctionExpression" || node.type === "ArrowFunctionExpression";
      const parent = node.parent || {};
      const callee = parent.callee || {};
      const name = callee.property && callee.property.name || "";
      const parentIsPromise = name === "then" || name === "catch";
      const isInCB = isFunctionExpression && parentIsPromise;
      return isInCB;
    }
    module2.exports = isInsidePromise;
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/is-named-callback.js
var require_is_named_callback = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/is-named-callback.js"(exports2, module2) {
    "use strict";
    var callbacks = ["done", "cb", "callback", "next"];
    module2.exports = function isNamedCallback(potentialCallbackName, exceptions) {
      for (let i = 0; i < exceptions.length; i++) {
        callbacks = callbacks.filter((item) => {
          return item !== exceptions[i];
        });
      }
      return callbacks.some((trueCallbackName) => {
        return potentialCallbackName === trueCallbackName;
      });
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/is-callback.js
var require_is_callback = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/is-callback.js"(exports2, module2) {
    "use strict";
    var isNamedCallback = require_is_named_callback();
    function isCallback(node, exceptions) {
      const isCallExpression2 = node.type === "CallExpression";
      const callee = node.callee || {};
      const nameIsCallback = isNamedCallback(callee.name, exceptions);
      const isCB = isCallExpression2 && nameIsCallback;
      return isCB;
    }
    module2.exports = isCallback;
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/no-callback-in-promise.js
var require_no_callback_in_promise = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/no-callback-in-promise.js"(exports2, module2) {
    "use strict";
    var { getAncestors } = require_eslint_compat();
    var getDocsUrl = require_get_docs_url();
    var hasPromiseCallback = require_has_promise_callback();
    var isInsidePromise = require_is_inside_promise();
    var isCallback = require_is_callback();
    var CB_BLACKLIST = ["callback", "cb", "next", "done"];
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow calling `cb()` inside of a `then()` (use [nodeify][] instead).",
          url: getDocsUrl("no-callback-in-promise")
        },
        messages: {
          callback: "Avoid calling back inside of a promise."
        },
        schema: [
          {
            type: "object",
            properties: {
              exceptions: {
                type: "array",
                items: {
                  type: "string"
                }
              }
            },
            additionalProperties: false
          }
        ]
      },
      create(context) {
        return {
          CallExpression(node) {
            const options = context.options[0] || {};
            const exceptions = options.exceptions || [];
            if (!isCallback(node, exceptions)) {
              if (hasPromiseCallback(node)) {
                const name = node.arguments && node.arguments[0] && node.arguments[0].name;
                if (!exceptions.includes(name) && CB_BLACKLIST.includes(name)) {
                  context.report({
                    node: node.arguments[0],
                    messageId: "callback"
                  });
                }
              }
              return;
            }
            if (getAncestors(context, node).some(isInsidePromise)) {
              context.report({
                node,
                messageId: "callback"
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/is-inside-callback.js
var require_is_inside_callback = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/lib/is-inside-callback.js"(exports2, module2) {
    "use strict";
    var isInsidePromise = require_is_inside_promise();
    function isInsideCallback(node) {
      const isCallExpression2 = node.type === "FunctionExpression" || node.type === "ArrowFunctionExpression" || node.type === "FunctionDeclaration";
      if (isInsidePromise(node)) return;
      const name = node.params && node.params[0] && node.params[0].name;
      const firstArgIsError = name === "err" || name === "error";
      const isInACallback = isCallExpression2 && firstArgIsError;
      return isInACallback;
    }
    module2.exports = isInsideCallback;
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/no-promise-in-callback.js
var require_no_promise_in_callback = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/no-promise-in-callback.js"(exports2, module2) {
    "use strict";
    var { getAncestors } = require_eslint_compat();
    var getDocsUrl = require_get_docs_url();
    var isPromise = require_is_promise();
    var isInsideCallback = require_is_inside_callback();
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow using promises inside of callbacks.",
          url: getDocsUrl("no-promise-in-callback")
        },
        schema: []
      },
      create(context) {
        return {
          CallExpression(node) {
            if (!isPromise(node)) return;
            if (node.parent.type === "ReturnStatement") return;
            if (getAncestors(context, node).some(isInsideCallback)) {
              context.report({
                node: node.callee,
                message: "Avoid using promises inside of callbacks."
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/no-nesting.js
var require_no_nesting = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/no-nesting.js"(exports2, module2) {
    "use strict";
    var { getScope } = require_eslint_compat();
    var getDocsUrl = require_get_docs_url();
    var hasPromiseCallback = require_has_promise_callback();
    var isInsidePromise = require_is_inside_promise();
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow nested `then()` or `catch()` statements.",
          url: getDocsUrl("no-nesting")
        },
        schema: []
      },
      create(context) {
        const callbackScopes = [];
        function* iterateDefinedReferences(scope) {
          for (const variable of scope.variables) {
            for (const reference of variable.references) {
              yield reference;
            }
          }
        }
        return {
          ":function"(node) {
            if (isInsidePromise(node)) {
              callbackScopes.unshift(getScope(context, node));
            }
          },
          ":function:exit"(node) {
            if (isInsidePromise(node)) {
              callbackScopes.shift();
            }
          },
          CallExpression(node) {
            if (!hasPromiseCallback(node)) return;
            if (!callbackScopes.length) {
              return;
            }
            const closestCallbackScope = callbackScopes[0];
            for (const reference of iterateDefinedReferences(
              closestCallbackScope
            )) {
              if (node.arguments.some(
                (arg) => arg.range[0] <= reference.identifier.range[0] && reference.identifier.range[1] <= arg.range[1]
              )) {
                return;
              }
            }
            context.report({
              node: node.callee.property,
              message: "Avoid nesting promises."
            });
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/avoid-new.js
var require_avoid_new = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/avoid-new.js"(exports2, module2) {
    "use strict";
    var getDocsUrl = require_get_docs_url();
    module2.exports = {
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow creating `new` promises outside of utility libs (use [pify][] instead).",
          url: getDocsUrl("avoid-new")
        },
        schema: []
      },
      create(context) {
        return {
          NewExpression(node) {
            if (node.callee.name === "Promise") {
              context.report({ node, message: "Avoid creating new promises." });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/no-new-statics.js
var require_no_new_statics = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/no-new-statics.js"(exports2, module2) {
    "use strict";
    var PROMISE_STATICS = require_promise_statics();
    var getDocsUrl = require_get_docs_url();
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          description: "Disallow calling `new` on a Promise static method.",
          url: getDocsUrl("no-new-statics")
        },
        fixable: "code",
        schema: []
      },
      create(context) {
        return {
          NewExpression(node) {
            if (node.callee.type === "MemberExpression" && node.callee.object.name === "Promise" && PROMISE_STATICS[node.callee.property.name]) {
              context.report({
                node,
                message: "Avoid calling 'new' on 'Promise.{{ name }}()'",
                data: { name: node.callee.property.name },
                fix(fixer) {
                  return fixer.replaceTextRange(
                    [node.range[0], node.range[0] + "new ".length],
                    ""
                  );
                }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/no-return-in-finally.js
var require_no_return_in_finally = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/no-return-in-finally.js"(exports2, module2) {
    "use strict";
    var getDocsUrl = require_get_docs_url();
    var isPromise = require_is_promise();
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          description: "Disallow return statements in `finally()`.",
          url: getDocsUrl("no-return-in-finally")
        },
        schema: []
      },
      create(context) {
        return {
          CallExpression(node) {
            if (isPromise(node)) {
              if (node.callee && node.callee.property && node.callee.property.name === "finally") {
                if (node.arguments && node.arguments[0] && node.arguments[0].body && node.arguments[0].body.body) {
                  if (node.arguments[0].body.body.some((statement) => {
                    return statement.type === "ReturnStatement";
                  })) {
                    context.report({
                      node: node.callee.property,
                      message: "No return in finally"
                    });
                  }
                }
              }
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/valid-params.js
var require_valid_params = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/valid-params.js"(exports2, module2) {
    "use strict";
    var getDocsUrl = require_get_docs_url();
    var isPromise = require_is_promise();
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          description: "Enforces the proper number of arguments are passed to Promise functions.",
          url: getDocsUrl("valid-params")
        },
        schema: []
      },
      create(context) {
        return {
          CallExpression(node) {
            if (!isPromise(node)) {
              return;
            }
            const name = node.callee.property.name;
            const numArgs = node.arguments.length;
            switch (name) {
              case "resolve":
              case "reject":
                if (numArgs > 1) {
                  context.report({
                    node,
                    message: "Promise.{{ name }}() requires 0 or 1 arguments, but received {{ numArgs }}",
                    data: { name, numArgs }
                  });
                }
                break;
              case "then":
                if (numArgs < 1 || numArgs > 2) {
                  context.report({
                    node,
                    message: "Promise.{{ name }}() requires 1 or 2 arguments, but received {{ numArgs }}",
                    data: { name, numArgs }
                  });
                }
                break;
              case "race":
              case "all":
              case "allSettled":
              case "any":
              case "catch":
              case "finally":
                if (numArgs !== 1) {
                  context.report({
                    node,
                    message: "Promise.{{ name }}() requires 1 argument, but received {{ numArgs }}",
                    data: { name, numArgs }
                  });
                }
                break;
              default:
                break;
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/no-multiple-resolved.js
var require_no_multiple_resolved = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/rules/no-multiple-resolved.js"(exports2, module2) {
    "use strict";
    var { getScope } = require_eslint_compat();
    var getDocsUrl = require_get_docs_url();
    var {
      isPromiseConstructorWithInlineExecutor
    } = require_is_promise_constructor();
    function* iterateAllPrevPathSegments(segment) {
      yield* iterate(segment, []);
      function* iterate(segment2, processed) {
        if (processed.includes(segment2)) {
          return;
        }
        const nextProcessed = [segment2, ...processed];
        for (const prev of segment2.prevSegments) {
          if (prev.prevSegments.length === 0) {
            yield [prev];
          } else {
            for (const segments of iterate(prev, nextProcessed)) {
              yield [prev, ...segments];
            }
          }
        }
      }
    }
    function* iterateAllNextPathSegments(segment) {
      yield* iterate(segment, []);
      function* iterate(segment2, processed) {
        if (processed.includes(segment2)) {
          return;
        }
        const nextProcessed = [segment2, ...processed];
        for (const next of segment2.nextSegments) {
          if (next.nextSegments.length === 0) {
            yield [next];
          } else {
            for (const segments of iterate(next, nextProcessed)) {
              yield [next, ...segments];
            }
          }
        }
      }
    }
    function findSameRoutePathSegment(segment) {
      const routeSegments = /* @__PURE__ */ new Set();
      for (const route of iterateAllPrevPathSegments(segment)) {
        if (routeSegments.size === 0) {
          for (const seg of route) {
            routeSegments.add(seg);
          }
          continue;
        }
        for (const seg of routeSegments) {
          if (!route.includes(seg)) {
            routeSegments.delete(seg);
          }
        }
      }
      for (const routeSegment of routeSegments) {
        let hasUnreached = false;
        for (const segments of iterateAllNextPathSegments(routeSegment)) {
          if (!segments.includes(segment)) {
            hasUnreached = true;
            break;
          }
        }
        if (!hasUnreached) {
          return routeSegment;
        }
      }
      return null;
    }
    var CodePathInfo = class {
      /**
       * @param {CodePath} path
       */
      constructor(path17) {
        this.path = path17;
        this.segmentInfos = /* @__PURE__ */ new Map();
        this.resolvedCount = 0;
        this.allSegments = [];
      }
      getCurrentSegmentInfos() {
        return this.path.currentSegments.map((segment) => {
          const info = this.segmentInfos.get(segment);
          if (info) {
            return info;
          }
          const newInfo = new CodePathSegmentInfo(this, segment);
          this.segmentInfos.set(segment, newInfo);
          return newInfo;
        });
      }
      /**
       * @typedef {object} AlreadyResolvedData
       * @property {Identifier} resolved
       * @property {'certain' | 'potential'} kind
       */
      /**
       * Check all paths and return paths resolved multiple times.
       * @param {PromiseCodePathContext} promiseCodePathContext
       * @returns {Iterable}
       */
      *iterateReports(promiseCodePathContext) {
        const targets = [...this.segmentInfos.values()].filter(
          (info) => info.resolved
        );
        for (const segmentInfo of targets) {
          const result = this._getAlreadyResolvedData(
            segmentInfo.segment,
            promiseCodePathContext
          );
          if (result) {
            yield {
              node: segmentInfo.resolved,
              resolved: result.resolved,
              kind: result.kind
            };
          }
        }
      }
      /**
       * Compute the previously resolved path.
       * @param {CodePathSegment} segment
       * @param {PromiseCodePathContext} promiseCodePathContext
       * @returns {AlreadyResolvedData | null}
       */
      _getAlreadyResolvedData(segment, promiseCodePathContext) {
        const prevSegments = segment.prevSegments.filter(
          (prev) => !promiseCodePathContext.isResolvedTryBlockCodePathSegment(prev)
        );
        if (prevSegments.length === 0) {
          return null;
        }
        const prevSegmentInfos = prevSegments.map(
          (prev) => this._getProcessedSegmentInfo(prev, promiseCodePathContext)
        );
        if (prevSegmentInfos.every((info) => info.resolved)) {
          return {
            resolved: prevSegmentInfos[0].resolved,
            kind: "certain"
          };
        }
        for (const prevSegmentInfo of prevSegmentInfos) {
          if (prevSegmentInfo.resolved) {
            return {
              resolved: prevSegmentInfo.resolved,
              kind: "potential"
            };
          }
          if (prevSegmentInfo.potentiallyResolved) {
            let potential = false;
            if (prevSegmentInfo.segment.nextSegments.length === 1) {
              potential = true;
            } else {
              const segmentInfo = this.segmentInfos.get(segment);
              if (segmentInfo && segmentInfo.resolved) {
                if (prevSegmentInfo.segment.nextSegments.every((next) => {
                  const nextSegmentInfo = this.segmentInfos.get(next);
                  return nextSegmentInfo && nextSegmentInfo.resolved === segmentInfo.resolved;
                })) {
                  potential = true;
                }
              }
            }
            if (potential) {
              return {
                resolved: prevSegmentInfo.potentiallyResolved,
                kind: "potential"
              };
            }
          }
        }
        const sameRoute = findSameRoutePathSegment(segment);
        if (sameRoute) {
          const sameRouteSegmentInfo = this._getProcessedSegmentInfo(sameRoute);
          if (sameRouteSegmentInfo.potentiallyResolved) {
            return {
              resolved: sameRouteSegmentInfo.potentiallyResolved,
              kind: "potential"
            };
          }
        }
        return null;
      }
      /**
       * @param {CodePathSegment} segment
       * @param {PromiseCodePathContext} promiseCodePathContext
       */
      _getProcessedSegmentInfo(segment, promiseCodePathContext) {
        const segmentInfo = this.segmentInfos.get(segment);
        if (segmentInfo) {
          return segmentInfo;
        }
        const newInfo = new CodePathSegmentInfo(this, segment);
        this.segmentInfos.set(segment, newInfo);
        const alreadyResolvedData = this._getAlreadyResolvedData(
          segment,
          promiseCodePathContext
        );
        if (alreadyResolvedData) {
          if (alreadyResolvedData.kind === "certain") {
            newInfo.resolved = alreadyResolvedData.resolved;
          } else {
            newInfo.potentiallyResolved = alreadyResolvedData.resolved;
          }
        }
        return newInfo;
      }
    };
    var CodePathSegmentInfo = class {
      /**
       * @param {CodePathInfo} pathInfo
       * @param {CodePathSegment} segment
       */
      constructor(pathInfo, segment) {
        this.pathInfo = pathInfo;
        this.segment = segment;
        this._resolved = null;
        this.potentiallyResolved = null;
      }
      get resolved() {
        return this._resolved;
      }
      /** @type {Identifier} */
      set resolved(identifier) {
        this._resolved = identifier;
        this.pathInfo.resolvedCount++;
      }
    };
    var PromiseCodePathContext = class {
      constructor() {
        this.resolvedSegmentIds = /* @__PURE__ */ new Set();
      }
      /** @param {CodePathSegment} */
      addResolvedTryBlockCodePathSegment(segment) {
        this.resolvedSegmentIds.add(segment.id);
      }
      /** @param {CodePathSegment} */
      isResolvedTryBlockCodePathSegment(segment) {
        return this.resolvedSegmentIds.has(segment.id);
      }
    };
    module2.exports = {
      meta: {
        type: "problem",
        docs: {
          description: "Disallow creating new promises with paths that resolve multiple times.",
          url: getDocsUrl("no-multiple-resolved")
        },
        messages: {
          alreadyResolved: "Promise should not be resolved multiple times. Promise is already resolved on line {{line}}.",
          potentiallyAlreadyResolved: "Promise should not be resolved multiple times. Promise is potentially resolved on line {{line}}."
        },
        schema: []
      },
      /** @param {import('eslint').Rule.RuleContext} context */
      create(context) {
        const reported = /* @__PURE__ */ new Set();
        const promiseCodePathContext = new PromiseCodePathContext();
        function report(node, resolved, kind) {
          if (reported.has(node)) {
            return;
          }
          reported.add(node);
          context.report({
            node: node.parent,
            messageId: kind === "certain" ? "alreadyResolved" : "potentiallyAlreadyResolved",
            data: {
              line: resolved.loc.start.line
            }
          });
        }
        function verifyMultipleResolvedPath(codePathInfo, promiseCodePathContext2) {
          for (const { node, resolved, kind } of codePathInfo.iterateReports(
            promiseCodePathContext2
          )) {
            report(node, resolved, kind);
          }
        }
        const codePathInfoStack = [];
        const resolverReferencesStack = [/* @__PURE__ */ new Set()];
        let lastThrowableExpression = null;
        return {
          /** @param {FunctionExpression | ArrowFunctionExpression} node */
          "FunctionExpression, ArrowFunctionExpression"(node) {
            if (!isPromiseConstructorWithInlineExecutor(node.parent)) {
              return;
            }
            const resolverReferences = /* @__PURE__ */ new Set();
            const resolvers = node.params.filter(
              /** @returns {node is Identifier} */
              (node2) => node2 && node2.type === "Identifier"
            );
            for (const resolver of resolvers) {
              const variable = getScope(context, node).set.get(resolver.name);
              if (!variable) continue;
              for (const reference of variable.references) {
                resolverReferences.add(reference.identifier);
              }
            }
            resolverReferencesStack.unshift(resolverReferences);
          },
          /** @param {FunctionExpression | ArrowFunctionExpression} node */
          "FunctionExpression, ArrowFunctionExpression:exit"(node) {
            if (!isPromiseConstructorWithInlineExecutor(node.parent)) {
              return;
            }
            resolverReferencesStack.shift();
          },
          /** @param {CodePath} path */
          onCodePathStart(path17) {
            codePathInfoStack.unshift(new CodePathInfo(path17));
          },
          onCodePathEnd() {
            const codePathInfo = codePathInfoStack.shift();
            if (codePathInfo.resolvedCount > 1) {
              verifyMultipleResolvedPath(codePathInfo, promiseCodePathContext);
            }
          },
          /** @param {ThrowableExpression} node */
          "CallExpression, MemberExpression, NewExpression, ImportExpression, YieldExpression:exit"(node) {
            lastThrowableExpression = node;
          },
          /**
           * @param {CodePathSegment} segment
           * @param {Node} node
           */
          onCodePathSegmentEnd(segment, node) {
            if (node.type === "CatchClause" && lastThrowableExpression && lastThrowableExpression.type === "CallExpression" && node.parent.type === "TryStatement" && node.parent.range[0] <= lastThrowableExpression.range[0] && lastThrowableExpression.range[1] <= node.parent.range[1]) {
              const resolverReferences = resolverReferencesStack[0];
              if (resolverReferences.has(lastThrowableExpression.callee)) {
                promiseCodePathContext.addResolvedTryBlockCodePathSegment(segment);
              }
            }
          },
          /** @type {Identifier} */
          "CallExpression > Identifier.callee"(node) {
            const codePathInfo = codePathInfoStack[0];
            const resolverReferences = resolverReferencesStack[0];
            if (!resolverReferences.has(node)) {
              return;
            }
            for (const segmentInfo of codePathInfo.getCurrentSegmentInfos()) {
              if (segmentInfo.resolved) {
                report(node, segmentInfo.resolved, "certain");
                continue;
              }
              segmentInfo.resolved = node;
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/index.js
var require_eslint_plugin_promise = __commonJS({
  "node_modules/.pnpm/eslint-plugin-promise@6.2.0_eslint@9.5.0/node_modules/eslint-plugin-promise/index.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      rules: {
        "param-names": require_param_names(),
        "no-return-wrap": require_no_return_wrap(),
        "always-return": require_always_return(),
        "catch-or-return": require_catch_or_return(),
        "prefer-await-to-callbacks": require_prefer_await_to_callbacks(),
        "prefer-await-to-then": require_prefer_await_to_then(),
        "no-native": require_no_native(),
        "no-callback-in-promise": require_no_callback_in_promise(),
        "no-promise-in-callback": require_no_promise_in_callback(),
        "no-nesting": require_no_nesting(),
        "avoid-new": require_avoid_new(),
        "no-new-statics": require_no_new_statics(),
        "no-return-in-finally": require_no_return_in_finally(),
        "valid-params": require_valid_params(),
        "no-multiple-resolved": require_no_multiple_resolved()
      },
      rulesConfig: {
        "param-names": 1,
        "always-return": 1,
        "no-return-wrap": 1,
        "no-native": 0,
        "catch-or-return": 1
      },
      configs: {
        recommended: {
          plugins: ["promise"],
          rules: {
            "promise/always-return": "error",
            "promise/no-return-wrap": "error",
            "promise/param-names": "error",
            "promise/catch-or-return": "error",
            "promise/no-native": "off",
            "promise/no-nesting": "warn",
            "promise/no-promise-in-callback": "warn",
            "promise/no-callback-in-promise": "warn",
            "promise/avoid-new": "off",
            "promise/no-new-statics": "error",
            "promise/no-return-in-finally": "warn",
            "promise/valid-params": "warn"
          }
        }
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/nodes.js
var require_nodes = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/nodes.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isVariableDeclaration = exports2.isThrowStatement = exports2.isReturnStatement = exports2.isObjectExpression = exports2.isModuleDeclaration = exports2.isMemberExpression = exports2.isLogicalExpression = exports2.isLiteral = exports2.isIfStatement = exports2.isIdentifier = exports2.isFunctionExpression = exports2.isFunctionDeclaration = exports2.isExpressionStatement = exports2.isContinueStatement = exports2.isConditionalExpression = exports2.isCallExpression = exports2.isBooleanLiteral = exports2.isBlockStatement = exports2.isBinaryExpression = exports2.isAssignmentExpression = exports2.isArrowFunctionExpression = void 0;
    var MODULE_DECLARATION_NODES = [
      "ImportDeclaration",
      "ExportNamedDeclaration",
      "ExportDefaultDeclaration",
      "ExportAllDeclaration"
    ];
    function isArrowFunctionExpression(node) {
      return node !== void 0 && node.type === "ArrowFunctionExpression";
    }
    exports2.isArrowFunctionExpression = isArrowFunctionExpression;
    function isAssignmentExpression2(node) {
      return node !== void 0 && node.type === "AssignmentExpression";
    }
    exports2.isAssignmentExpression = isAssignmentExpression2;
    function isBinaryExpression(node) {
      return node !== void 0 && node.type === "BinaryExpression";
    }
    exports2.isBinaryExpression = isBinaryExpression;
    function isBlockStatement(node) {
      return node !== void 0 && node.type === "BlockStatement";
    }
    exports2.isBlockStatement = isBlockStatement;
    function isBooleanLiteral(node) {
      return isLiteral2(node) && typeof node.value === "boolean";
    }
    exports2.isBooleanLiteral = isBooleanLiteral;
    function isCallExpression2(node) {
      return node !== void 0 && node.type === "CallExpression";
    }
    exports2.isCallExpression = isCallExpression2;
    function isConditionalExpression(node) {
      return node !== void 0 && node.type === "ConditionalExpression";
    }
    exports2.isConditionalExpression = isConditionalExpression;
    function isContinueStatement(node) {
      return node !== void 0 && node.type === "ContinueStatement";
    }
    exports2.isContinueStatement = isContinueStatement;
    function isExpressionStatement2(node) {
      return node !== void 0 && node.type === "ExpressionStatement";
    }
    exports2.isExpressionStatement = isExpressionStatement2;
    function isFunctionDeclaration(node) {
      return node !== void 0 && node.type === "FunctionDeclaration";
    }
    exports2.isFunctionDeclaration = isFunctionDeclaration;
    function isFunctionExpression(node) {
      return node !== void 0 && node.type === "FunctionExpression";
    }
    exports2.isFunctionExpression = isFunctionExpression;
    function isIdentifier(node) {
      return node !== void 0 && node.type === "Identifier";
    }
    exports2.isIdentifier = isIdentifier;
    function isIfStatement(node) {
      return node !== void 0 && node.type === "IfStatement";
    }
    exports2.isIfStatement = isIfStatement;
    function isLiteral2(node) {
      return node !== void 0 && node.type === "Literal";
    }
    exports2.isLiteral = isLiteral2;
    function isLogicalExpression2(node) {
      return node !== void 0 && node.type === "LogicalExpression";
    }
    exports2.isLogicalExpression = isLogicalExpression2;
    function isMemberExpression2(node) {
      return node !== void 0 && node.type === "MemberExpression";
    }
    exports2.isMemberExpression = isMemberExpression2;
    function isModuleDeclaration(node) {
      return node !== void 0 && MODULE_DECLARATION_NODES.includes(node.type);
    }
    exports2.isModuleDeclaration = isModuleDeclaration;
    function isObjectExpression(node) {
      return node !== void 0 && node.type === "ObjectExpression";
    }
    exports2.isObjectExpression = isObjectExpression;
    function isReturnStatement(node) {
      return node !== void 0 && node.type === "ReturnStatement";
    }
    exports2.isReturnStatement = isReturnStatement;
    function isThrowStatement(node) {
      return node !== void 0 && node.type === "ThrowStatement";
    }
    exports2.isThrowStatement = isThrowStatement;
    function isVariableDeclaration(node) {
      return node !== void 0 && node.type === "VariableDeclaration";
    }
    exports2.isVariableDeclaration = isVariableDeclaration;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/locations.js
var require_locations = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/locations.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getFirstToken = exports2.getFirstTokenAfter = exports2.toSecondaryLocation = exports2.issueLocation = exports2.report = exports2.getMainFunctionTokenLocation = void 0;
    function getMainFunctionTokenLocation(fn, parent, context) {
      let location;
      if (fn.type === "FunctionDeclaration") {
        if (fn.id) {
          location = fn.id.loc;
        } else {
          const token = getTokenByValue(fn, "function", context);
          location = token && token.loc;
        }
      } else if (fn.type === "FunctionExpression") {
        if (parent && (parent.type === "MethodDefinition" || parent.type === "Property")) {
          location = parent.key.loc;
        } else {
          const token = getTokenByValue(fn, "function", context);
          location = token && token.loc;
        }
      } else if (fn.type === "ArrowFunctionExpression") {
        const token = context.sourceCode.getTokensBefore(fn.body).reverse().find((token2) => token2.value === "=>");
        location = token && token.loc;
      }
      return location;
    }
    exports2.getMainFunctionTokenLocation = getMainFunctionTokenLocation;
    function report(context, reportDescriptor, secondaryLocations, message, cost) {
      if (context.options[context.options.length - 1] !== "sonar-runtime") {
        context.report(reportDescriptor);
        return;
      }
      const encodedMessage = {
        secondaryLocations,
        message: expandMessage(message, reportDescriptor.data),
        cost
      };
      reportDescriptor.messageId = "sonarRuntime";
      if (reportDescriptor.data === void 0) {
        reportDescriptor.data = {};
      }
      reportDescriptor.data.sonarRuntimeData = JSON.stringify(encodedMessage);
      context.report(reportDescriptor);
    }
    exports2.report = report;
    function expandMessage(message, reportDescriptorData) {
      let expandedMessage = message;
      if (reportDescriptorData !== void 0) {
        for (const [key, value] of Object.entries(reportDescriptorData)) {
          expandedMessage = replaceAll(expandedMessage, `{{${key}}}`, value.toString());
        }
      }
      return expandedMessage;
    }
    function replaceAll(target, search, replacement) {
      return target.split(search).join(replacement);
    }
    function issueLocation(startLoc, endLoc = startLoc, message = "", data = {}) {
      const issueLocation2 = {
        line: startLoc.start.line,
        column: startLoc.start.column,
        endLine: endLoc.end.line,
        endColumn: endLoc.end.column,
        message
      };
      if (data !== void 0 && Object.keys(data).length > 0) {
        issueLocation2.data = data;
      }
      return issueLocation2;
    }
    exports2.issueLocation = issueLocation;
    function toSecondaryLocation(locationHolder, message) {
      const { loc } = locationHolder;
      return {
        message,
        column: loc.start.column,
        line: loc.start.line,
        endColumn: loc.end.column,
        endLine: loc.end.line
      };
    }
    exports2.toSecondaryLocation = toSecondaryLocation;
    function getTokenByValue(node, value, context) {
      return context.sourceCode.getTokens(node).find((token) => token.value === value);
    }
    function getFirstTokenAfter(node, context) {
      return context.sourceCode.getTokenAfter(node);
    }
    exports2.getFirstTokenAfter = getFirstTokenAfter;
    function getFirstToken(node, context) {
      return context.sourceCode.getTokens(node)[0];
    }
    exports2.getFirstToken = getFirstToken;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/docs-url.js
var require_docs_url = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/docs-url.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var path17 = __importStar2(require("path"));
    function docsUrl(ruleFileName) {
      const ruleMarkdownDoc = path17.basename(ruleFileName).replace(/\.[jt]s$/, ".md");
      return `https://github.com/SonarSource/eslint-plugin-sonarjs/blob/master/docs/rules/${ruleMarkdownDoc}`;
    }
    exports2.default = docsUrl;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/jsx.js
var require_jsx = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/jsx.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getJsxShortCircuitNodes = void 0;
    function getJsxShortCircuitNodes(logicalExpression) {
      if (logicalExpression.parent?.type !== "JSXExpressionContainer") {
        return null;
      } else {
        return flattenJsxShortCircuitNodes(logicalExpression, logicalExpression);
      }
    }
    exports2.getJsxShortCircuitNodes = getJsxShortCircuitNodes;
    function flattenJsxShortCircuitNodes(root2, node) {
      if (node.type === "ConditionalExpression" || node.type === "LogicalExpression" && node.operator !== root2.operator) {
        return null;
      } else if (node.type !== "LogicalExpression") {
        return [];
      } else {
        const leftNodes = flattenJsxShortCircuitNodes(root2, node.left);
        const rightNodes = flattenJsxShortCircuitNodes(root2, node.right);
        if (leftNodes == null || rightNodes == null) {
          return null;
        }
        return [...leftNodes, node, ...rightNodes];
      }
    }
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/cognitive-complexity.js
var require_cognitive_complexity = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/cognitive-complexity.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var nodes_1 = require_nodes();
    var locations_1 = require_locations();
    var docs_url_1 = __importDefault2(require_docs_url());
    var jsx_1 = require_jsx();
    var DEFAULT_THRESHOLD = 15;
    var message = "Refactor this function to reduce its Cognitive Complexity from {{complexityAmount}} to the {{threshold}} allowed.";
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          refactorFunction: message,
          sonarRuntime: "{{sonarRuntimeData}}",
          fileComplexity: "{{complexityAmount}}"
        },
        type: "suggestion",
        docs: {
          description: "Cognitive Complexity of functions should not be too high",
          url: (0, docs_url_1.default)(__filename)
        },
        schema: [
          { type: "integer", minimum: 0 },
          {
            // internal parameter
            type: "string",
            enum: ["sonar-runtime", "metric"]
          }
        ]
      },
      create(context) {
        const { options } = context;
        const threshold = typeof options[0] === "number" ? options[0] : DEFAULT_THRESHOLD;
        const isFileComplexity = context.options.includes("metric");
        const consideredLogicalExpressions = /* @__PURE__ */ new Set();
        const scopes = [];
        return {
          ":function": (node) => {
            onEnterFunction(node);
          },
          ":function:exit"(node) {
            onLeaveFunction(node);
          },
          "*"(node) {
            if (scopes[scopes.length - 1]?.nestingNodes.has(node)) {
              scopes[scopes.length - 1].nestingLevel++;
            }
          },
          "*:exit"(node) {
            if (scopes[scopes.length - 1]?.nestingNodes.has(node)) {
              scopes[scopes.length - 1].nestingLevel--;
              scopes[scopes.length - 1].nestingNodes.delete(node);
            }
          },
          Program(node) {
            scopes.push({
              node,
              nestingLevel: 0,
              nestingNodes: /* @__PURE__ */ new Set(),
              complexityPoints: []
            });
          },
          "Program:exit"(node) {
            const programComplexity = scopes.pop();
            if (isFileComplexity) {
              context.report({
                node,
                messageId: "fileComplexity",
                data: {
                  complexityAmount: programComplexity.complexityPoints.reduce((acc, cur) => acc + cur.complexity, 0)
                }
              });
            }
          },
          IfStatement(node) {
            visitIfStatement(node);
          },
          ForStatement(node) {
            visitLoop(node);
          },
          ForInStatement(node) {
            visitLoop(node);
          },
          ForOfStatement(node) {
            visitLoop(node);
          },
          DoWhileStatement(node) {
            visitLoop(node);
          },
          WhileStatement(node) {
            visitLoop(node);
          },
          SwitchStatement(node) {
            visitSwitchStatement(node);
          },
          ContinueStatement(node) {
            visitContinueOrBreakStatement(node);
          },
          BreakStatement(node) {
            visitContinueOrBreakStatement(node);
          },
          CatchClause(node) {
            visitCatchClause(node);
          },
          LogicalExpression(node) {
            visitLogicalExpression(node);
          },
          ConditionalExpression(node) {
            visitConditionalExpression(node);
          }
        };
        function onEnterFunction(node) {
          scopes.push({ node, nestingLevel: 0, nestingNodes: /* @__PURE__ */ new Set(), complexityPoints: [] });
        }
        function onLeaveFunction(node) {
          const functionComplexity = scopes.pop();
          checkFunction(functionComplexity.complexityPoints, (0, locations_1.getMainFunctionTokenLocation)(node, node.parent, context));
        }
        function visitIfStatement(ifStatement) {
          const { parent } = ifStatement;
          const { loc: ifLoc } = (0, locations_1.getFirstToken)(ifStatement, context);
          if ((0, nodes_1.isIfStatement)(parent) && parent.alternate === ifStatement) {
            addComplexity(ifLoc);
          } else {
            addStructuralComplexity(ifLoc);
          }
          scopes[scopes.length - 1].nestingNodes.add(ifStatement.consequent);
          if (ifStatement.alternate && !(0, nodes_1.isIfStatement)(ifStatement.alternate)) {
            scopes[scopes.length - 1].nestingNodes.add(ifStatement.alternate);
            const elseTokenLoc = (0, locations_1.getFirstTokenAfter)(ifStatement.consequent, context).loc;
            addComplexity(elseTokenLoc);
          }
        }
        function visitLoop(loop) {
          addStructuralComplexity((0, locations_1.getFirstToken)(loop, context).loc);
          scopes[scopes.length - 1].nestingNodes.add(loop.body);
        }
        function visitSwitchStatement(switchStatement) {
          addStructuralComplexity((0, locations_1.getFirstToken)(switchStatement, context).loc);
          for (const switchCase of switchStatement.cases) {
            scopes[scopes.length - 1].nestingNodes.add(switchCase);
          }
        }
        function visitContinueOrBreakStatement(statement) {
          if (statement.label) {
            addComplexity((0, locations_1.getFirstToken)(statement, context).loc);
          }
        }
        function visitCatchClause(catchClause) {
          addStructuralComplexity((0, locations_1.getFirstToken)(catchClause, context).loc);
          scopes[scopes.length - 1].nestingNodes.add(catchClause.body);
        }
        function visitConditionalExpression(conditionalExpression) {
          const questionTokenLoc = (0, locations_1.getFirstTokenAfter)(conditionalExpression.test, context).loc;
          addStructuralComplexity(questionTokenLoc);
          scopes[scopes.length - 1].nestingNodes.add(conditionalExpression.consequent);
          scopes[scopes.length - 1].nestingNodes.add(conditionalExpression.alternate);
        }
        function visitLogicalExpression(logicalExpression) {
          const jsxShortCircuitNodes = (0, jsx_1.getJsxShortCircuitNodes)(logicalExpression);
          if (jsxShortCircuitNodes != null) {
            jsxShortCircuitNodes.forEach((node) => consideredLogicalExpressions.add(node));
            return;
          }
          if (isDefaultValuePattern(logicalExpression)) {
            return;
          }
          if (!consideredLogicalExpressions.has(logicalExpression)) {
            const flattenedLogicalExpressions = flattenLogicalExpression(logicalExpression);
            let previous;
            for (const current of flattenedLogicalExpressions) {
              if (!previous || previous.operator !== current.operator) {
                const operatorTokenLoc = (0, locations_1.getFirstTokenAfter)(current.left, context).loc;
                addComplexity(operatorTokenLoc);
              }
              previous = current;
            }
          }
        }
        function isDefaultValuePattern(node) {
          const { left, right, operator, parent } = node;
          const operators = ["||", "??"];
          const literals = ["Literal", "ArrayExpression", "ObjectExpression"];
          switch (parent?.type) {
            case "VariableDeclarator":
              return operators.includes(operator) && literals.includes(right.type);
            case "AssignmentExpression":
              return operators.includes(operator) && literals.includes(right.type) && context.sourceCode.getText(parent.left) === context.sourceCode.getText(left);
            default:
              return false;
          }
        }
        function flattenLogicalExpression(node) {
          if ((0, nodes_1.isLogicalExpression)(node)) {
            consideredLogicalExpressions.add(node);
            return [
              ...flattenLogicalExpression(node.left),
              node,
              ...flattenLogicalExpression(node.right)
            ];
          }
          return [];
        }
        function addStructuralComplexity(location) {
          const added = scopes[scopes.length - 1].nestingLevel + 1;
          const complexityPoint = { complexity: added, location };
          scopes[scopes.length - 1].complexityPoints.push(complexityPoint);
        }
        function addComplexity(location) {
          const complexityPoint = { complexity: 1, location };
          scopes[scopes.length - 1].complexityPoints.push(complexityPoint);
        }
        function checkFunction(complexity = [], loc) {
          if (isFileComplexity) {
            return;
          }
          const complexityAmount = complexity.reduce((acc, cur) => acc + cur.complexity, 0);
          if (complexityAmount > threshold) {
            const secondaryLocations = complexity.map((complexityPoint) => {
              const { complexity: complexity2, location } = complexityPoint;
              const message2 = complexity2 === 1 ? "+1" : `+${complexity2} (incl. ${complexity2 - 1} for nesting)`;
              return (0, locations_1.issueLocation)(location, void 0, message2);
            });
            (0, locations_1.report)(context, {
              messageId: "refactorFunction",
              data: {
                complexityAmount,
                threshold
              },
              loc
            }, secondaryLocations, message, complexityAmount - threshold);
          }
        }
      }
    };
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/elseif-without-else.js
var require_elseif_without_else = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/elseif-without-else.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var docs_url_1 = __importDefault2(require_docs_url());
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          addMissingElseClause: 'Add the missing "else" clause.'
        },
        schema: [],
        type: "suggestion",
        docs: {
          description: '"if ... else if" constructs should end with "else" clauses',
          url: (0, docs_url_1.default)(__filename)
        }
      },
      create(context) {
        return {
          IfStatement: (node) => {
            const ifstmt = node;
            if (isElseIf(ifstmt) && !ifstmt.alternate) {
              const { sourceCode } = context;
              const elseKeyword = sourceCode.getTokenBefore(node, (token) => token.type === "Keyword" && token.value === "else");
              const ifKeyword = sourceCode.getFirstToken(node, (token) => token.type === "Keyword" && token.value === "if");
              context.report({
                messageId: "addMissingElseClause",
                loc: {
                  start: elseKeyword.loc.start,
                  end: ifKeyword.loc.end
                }
              });
            }
          }
        };
      }
    };
    function isElseIf(node) {
      const { parent } = node;
      return parent?.type === "IfStatement" && parent.alternate === node;
    }
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/max-switch-cases.js
var require_max_switch_cases = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/max-switch-cases.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var docs_url_1 = __importDefault2(require_docs_url());
    var DEFAULT_MAX_SWITCH_CASES = 30;
    var maxSwitchCases = DEFAULT_MAX_SWITCH_CASES;
    var rule = {
      defaultOptions: [DEFAULT_MAX_SWITCH_CASES],
      meta: {
        messages: {
          reduceNumberOfNonEmptySwitchCases: "Reduce the number of non-empty switch cases from {{numSwitchCases}} to at most {{maxSwitchCases}}."
        },
        type: "suggestion",
        docs: {
          description: '"switch" statements should not have too many "case" clauses',
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        },
        schema: [
          {
            type: "integer",
            minimum: 0
          }
        ]
      },
      create(context) {
        if (context.options.length > 0) {
          maxSwitchCases = context.options[0];
        }
        return {
          SwitchStatement: (node) => visitSwitchStatement(node, context)
        };
      }
    };
    function visitSwitchStatement(switchStatement, context) {
      const nonEmptyCases = switchStatement.cases.filter((switchCase) => switchCase.consequent.length > 0 && !isDefaultCase(switchCase));
      if (nonEmptyCases.length > maxSwitchCases) {
        const switchKeyword = context.sourceCode.getFirstToken(switchStatement);
        context.report({
          messageId: "reduceNumberOfNonEmptySwitchCases",
          loc: switchKeyword.loc,
          data: {
            numSwitchCases: nonEmptyCases.length.toString(),
            maxSwitchCases: maxSwitchCases.toString()
          }
        });
      }
    }
    function isDefaultCase(switchCase) {
      return switchCase.test === null;
    }
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/equivalence.js
var require_equivalence = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/equivalence.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.areEquivalent = void 0;
    function areEquivalent(first, second, sourceCode) {
      if (Array.isArray(first) && Array.isArray(second)) {
        return first.length === second.length && first.every((firstNode, index) => areEquivalent(firstNode, second[index], sourceCode));
      } else if (!Array.isArray(first) && !Array.isArray(second)) {
        return first.type === second.type && compareTokens(sourceCode.getTokens(first), sourceCode.getTokens(second));
      }
      return false;
    }
    exports2.areEquivalent = areEquivalent;
    function compareTokens(firstTokens, secondTokens) {
      return firstTokens.length === secondTokens.length && firstTokens.every((firstToken, index) => firstToken.value === secondTokens[index].value);
    }
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/conditions.js
var require_conditions = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/conditions.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.takeWithoutBreak = exports2.collectSwitchBranches = exports2.collectIfBranches = void 0;
    var nodes_1 = require_nodes();
    function collectIfBranches(node) {
      const branches = [node.consequent];
      let endsWithElse = false;
      let statement = node.alternate;
      while (statement) {
        if ((0, nodes_1.isIfStatement)(statement)) {
          branches.push(statement.consequent);
          statement = statement.alternate;
        } else {
          branches.push(statement);
          endsWithElse = true;
          break;
        }
      }
      return { branches, endsWithElse };
    }
    exports2.collectIfBranches = collectIfBranches;
    function collectSwitchBranches(node) {
      let endsWithDefault = false;
      const branches = node.cases.filter((clause, index) => {
        if (!clause.test) {
          endsWithDefault = true;
        }
        const isLast = index === node.cases.length - 1;
        return isLast || clause.consequent.length > 0;
      }).map((clause) => takeWithoutBreak(clause.consequent));
      return { branches, endsWithDefault };
    }
    exports2.collectSwitchBranches = collectSwitchBranches;
    function takeWithoutBreak(nodes) {
      return nodes.length > 0 && nodes[nodes.length - 1].type === "BreakStatement" ? nodes.slice(0, -1) : nodes;
    }
    exports2.takeWithoutBreak = takeWithoutBreak;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-all-duplicated-branches.js
var require_no_all_duplicated_branches = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-all-duplicated-branches.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var nodes_1 = require_nodes();
    var equivalence_1 = require_equivalence();
    var conditions_1 = require_conditions();
    var docs_url_1 = __importDefault2(require_docs_url());
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          removeOrEditConditionalStructure: "Remove this conditional structure or edit its code blocks so that they're not all the same.",
          returnsTheSameValue: 'This conditional operation returns the same value whether the condition is "true" or "false".'
        },
        schema: [],
        type: "problem",
        docs: {
          description: "All branches in a conditional structure should not have exactly the same implementation",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        }
      },
      create(context) {
        return {
          IfStatement(node) {
            const ifStmt = node;
            if (!(0, nodes_1.isIfStatement)(node.parent)) {
              const { branches, endsWithElse } = (0, conditions_1.collectIfBranches)(ifStmt);
              if (endsWithElse && allDuplicated(branches)) {
                context.report({ messageId: "removeOrEditConditionalStructure", node: ifStmt });
              }
            }
          },
          SwitchStatement(node) {
            const switchStmt = node;
            const { branches, endsWithDefault } = (0, conditions_1.collectSwitchBranches)(switchStmt);
            if (endsWithDefault && allDuplicated(branches)) {
              context.report({ messageId: "removeOrEditConditionalStructure", node: switchStmt });
            }
          },
          ConditionalExpression(node) {
            const conditional = node;
            const branches = [conditional.consequent, conditional.alternate];
            if (allDuplicated(branches)) {
              context.report({ messageId: "returnsTheSameValue", node: conditional });
            }
          }
        };
        function allDuplicated(branches) {
          return branches.length > 1 && branches.slice(1).every((branch, index) => {
            return (0, equivalence_1.areEquivalent)(branch, branches[index], context.sourceCode);
          });
        }
      }
    };
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-collapsible-if.js
var require_no_collapsible_if = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-collapsible-if.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var nodes_1 = require_nodes();
    var locations_1 = require_locations();
    var docs_url_1 = __importDefault2(require_docs_url());
    var message = "Merge this if statement with the nested one.";
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          mergeNestedIfStatement: message,
          sonarRuntime: "{{sonarRuntimeData}}"
        },
        type: "suggestion",
        docs: {
          description: 'Collapsible "if" statements should be merged',
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        },
        schema: [
          {
            // internal parameter
            type: "string",
            enum: ["sonar-runtime"]
          }
        ]
      },
      create(context) {
        return {
          IfStatement(node) {
            let { consequent } = node;
            if ((0, nodes_1.isBlockStatement)(consequent) && consequent.body.length === 1) {
              consequent = consequent.body[0];
            }
            if (isIfStatementWithoutElse(node) && isIfStatementWithoutElse(consequent)) {
              const ifKeyword = context.sourceCode.getFirstToken(consequent);
              const enclosingIfKeyword = context.sourceCode.getFirstToken(node);
              if (ifKeyword && enclosingIfKeyword) {
                (0, locations_1.report)(context, {
                  messageId: "mergeNestedIfStatement",
                  loc: enclosingIfKeyword.loc
                }, [(0, locations_1.issueLocation)(ifKeyword.loc, ifKeyword.loc, 'Nested "if" statement.')], message);
              }
            }
          }
        };
        function isIfStatementWithoutElse(node) {
          return (0, nodes_1.isIfStatement)(node) && !node.alternate;
        }
      }
    };
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/parser-services.js
var require_parser_services = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/parser-services.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isParserServicesWithTypeInformation = void 0;
    function isParserServicesWithTypeInformation(services) {
      return !!services?.program;
    }
    exports2.isParserServicesWithTypeInformation = isParserServicesWithTypeInformation;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-collection-size-mischeck.js
var require_no_collection_size_mischeck = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-collection-size-mischeck.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var parser_services_1 = require_parser_services();
    var docs_url_1 = __importDefault2(require_docs_url());
    var CollectionLike = ["Array", "Map", "Set", "WeakMap", "WeakSet"];
    var CollectionSizeLike = ["length", "size"];
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          fixCollectionSizeCheck: 'Fix this expression; {{propertyName}} of "{{objectName}}" is always greater or equal to zero.',
          suggestFixedSizeCheck: 'Use "{{operator}}" for {{operation}} check'
        },
        schema: [],
        type: "problem",
        hasSuggestions: true,
        docs: {
          description: "Collection sizes and array length comparisons should make sense",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        }
      },
      create(context) {
        const services = context.sourceCode.parserServices;
        const isTypeCheckerAvailable = (0, parser_services_1.isParserServicesWithTypeInformation)(services);
        return {
          BinaryExpression: (node) => {
            const expr = node;
            if (["<", ">="].includes(expr.operator)) {
              const lhs = expr.left;
              const rhs = expr.right;
              if (isZeroLiteral(rhs) && lhs.type === "MemberExpression") {
                const { object, property } = lhs;
                if (property.type === "Identifier" && CollectionSizeLike.includes(property.name) && (!isTypeCheckerAvailable || isCollection(object, services))) {
                  context.report({
                    messageId: "fixCollectionSizeCheck",
                    data: {
                      propertyName: property.name,
                      objectName: context.sourceCode.getText(object)
                    },
                    node,
                    suggest: getSuggestion(expr, property.name, context)
                  });
                }
              }
            }
          }
        };
      }
    };
    function isZeroLiteral(node) {
      return node.type === "Literal" && node.value === 0;
    }
    function isCollection(node, services) {
      const checker = services.program.getTypeChecker();
      const tp = checker.getTypeAtLocation(services.esTreeNodeToTSNodeMap.get(node));
      return !!tp.symbol && CollectionLike.includes(tp.symbol.name);
    }
    function getSuggestion(expr, operation, context) {
      const { left, operator } = expr;
      const operatorToken = context.sourceCode.getTokenAfter(left, (token) => token.value === operator);
      const fixedOperator = operator === "<" ? "==" : ">";
      return [
        {
          messageId: "suggestFixedSizeCheck",
          data: {
            operation,
            operator: fixedOperator
          },
          fix: (fixer) => fixer.replaceText(operatorToken, fixedOperator)
        }
      ];
    }
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-duplicate-string.js
var require_no_duplicate_string = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-duplicate-string.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var docs_url_1 = __importDefault2(require_docs_url());
    var locations_1 = require_locations();
    var DEFAULT_THRESHOLD = 3;
    var DEFAULT_IGNORE_STRINGS = "application/json";
    var MIN_LENGTH = 10;
    var NO_SEPARATOR_REGEXP = /^\w*$/;
    var EXCLUDED_CONTEXTS = [
      "ImportDeclaration",
      "ImportExpression",
      "JSXAttribute",
      "ExportAllDeclaration",
      "ExportNamedDeclaration"
    ];
    var message = "Define a constant instead of duplicating this literal {{times}} times.";
    var rule = {
      defaultOptions: [
        {
          threshold: DEFAULT_THRESHOLD,
          ignoreStrings: DEFAULT_IGNORE_STRINGS
        }
      ],
      meta: {
        messages: {
          defineConstant: message,
          sonarRuntime: "{{sonarRuntimeData}}"
        },
        type: "suggestion",
        docs: {
          description: "String literals should not be duplicated",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        },
        schema: [
          {
            type: "object",
            properties: {
              threshold: { type: "integer", minimum: 2 },
              ignoreStrings: { type: "string", default: DEFAULT_IGNORE_STRINGS }
            }
          },
          {
            type: "string",
            enum: ["sonar-runtime"]
          }
        ]
      },
      create(context) {
        const literalsByValue = /* @__PURE__ */ new Map();
        const { threshold, ignoreStrings } = extractOptions(context);
        const whitelist = ignoreStrings.split(",");
        return {
          Literal: (node) => {
            const literal = node;
            const { parent } = literal;
            if (typeof literal.value === "string" && parent && !["ExpressionStatement", "TSLiteralType"].includes(parent.type)) {
              const stringContent = literal.value.trim();
              if (!whitelist.includes(literal.value) && !isExcludedByUsageContext(context, literal) && stringContent.length >= MIN_LENGTH && !stringContent.match(NO_SEPARATOR_REGEXP)) {
                const sameStringLiterals = literalsByValue.get(stringContent) || [];
                sameStringLiterals.push(literal);
                literalsByValue.set(stringContent, sameStringLiterals);
              }
            }
          },
          "Program:exit"() {
            literalsByValue.forEach((literals) => {
              if (literals.length >= threshold) {
                const [primaryNode, ...secondaryNodes] = literals;
                const secondaryIssues = secondaryNodes.map((node) => (0, locations_1.issueLocation)(node.loc, node.loc, "Duplication"));
                (0, locations_1.report)(context, {
                  messageId: "defineConstant",
                  node: primaryNode,
                  data: { times: literals.length.toString() }
                }, secondaryIssues, message);
              }
            });
          }
        };
      }
    };
    function isExcludedByUsageContext(context, literal) {
      const { parent } = literal;
      const parentType = parent.type;
      return EXCLUDED_CONTEXTS.includes(parentType) || isRequireContext(parent, context) || isObjectPropertyKey(parent, literal);
    }
    function isRequireContext(parent, context) {
      return parent.type === "CallExpression" && context.sourceCode.getText(parent.callee) === "require";
    }
    function isObjectPropertyKey(parent, literal) {
      return parent.type === "Property" && parent.key === literal;
    }
    function extractOptions(context) {
      let threshold = DEFAULT_THRESHOLD;
      let ignoreStrings = DEFAULT_IGNORE_STRINGS;
      const options = context.options[0];
      if (typeof options?.threshold === "number") {
        threshold = options.threshold;
      }
      if (typeof options?.ignoreStrings === "string") {
        ignoreStrings = options.ignoreStrings;
      }
      return { threshold, ignoreStrings };
    }
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-duplicated-branches.js
var require_no_duplicated_branches = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-duplicated-branches.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var nodes_1 = require_nodes();
    var equivalence_1 = require_equivalence();
    var conditions_1 = require_conditions();
    var locations_1 = require_locations();
    var docs_url_1 = __importDefault2(require_docs_url());
    var message = "This {{type}}'s code block is the same as the block for the {{type}} on line {{line}}.";
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          sameConditionalBlock: message,
          sonarRuntime: "{{sonarRuntimeData}}"
        },
        type: "problem",
        docs: {
          description: "Two branches in a conditional structure should not have exactly the same implementation",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        },
        schema: [
          {
            // internal parameter
            type: "string",
            enum: ["sonar-runtime"]
          }
        ]
      },
      create(context) {
        return {
          IfStatement(node) {
            visitIfStatement(node);
          },
          SwitchStatement(node) {
            visitSwitchStatement(node);
          }
        };
        function visitIfStatement(ifStmt) {
          if ((0, nodes_1.isIfStatement)(ifStmt.parent)) {
            return;
          }
          const { branches, endsWithElse } = (0, conditions_1.collectIfBranches)(ifStmt);
          if (allEquivalentWithoutDefault(branches, endsWithElse)) {
            branches.slice(1).forEach((branch, i) => reportIssue(branch, branches[i], "branch"));
            return;
          }
          for (let i = 1; i < branches.length; i++) {
            if (hasRequiredSize([branches[i]])) {
              for (let j = 0; j < i; j++) {
                if (compareIfBranches(branches[i], branches[j])) {
                  break;
                }
              }
            }
          }
        }
        function visitSwitchStatement(switchStmt) {
          const { cases: cases6 } = switchStmt;
          const { endsWithDefault } = (0, conditions_1.collectSwitchBranches)(switchStmt);
          const nonEmptyCases = cases6.filter((c) => (0, conditions_1.takeWithoutBreak)(expandSingleBlockStatement(c.consequent)).length > 0);
          const casesWithoutBreak = nonEmptyCases.map((c) => (0, conditions_1.takeWithoutBreak)(expandSingleBlockStatement(c.consequent)));
          if (allEquivalentWithoutDefault(casesWithoutBreak, endsWithDefault)) {
            nonEmptyCases.slice(1).forEach((caseStmt, i) => reportIssue(caseStmt, nonEmptyCases[i], "case"));
            return;
          }
          for (let i = 1; i < cases6.length; i++) {
            const firstClauseWithoutBreak = (0, conditions_1.takeWithoutBreak)(expandSingleBlockStatement(cases6[i].consequent));
            if (hasRequiredSize(firstClauseWithoutBreak)) {
              for (let j = 0; j < i; j++) {
                const secondClauseWithoutBreak = (0, conditions_1.takeWithoutBreak)(expandSingleBlockStatement(cases6[j].consequent));
                if ((0, equivalence_1.areEquivalent)(firstClauseWithoutBreak, secondClauseWithoutBreak, context.sourceCode)) {
                  reportIssue(cases6[i], cases6[j], "case");
                  break;
                }
              }
            }
          }
        }
        function hasRequiredSize(nodes) {
          if (nodes.length > 0) {
            const tokens = [
              ...context.sourceCode.getTokens(nodes[0]),
              ...context.sourceCode.getTokens(nodes[nodes.length - 1])
            ].filter((token) => token.value !== "{" && token.value !== "}");
            return tokens.length > 0 && tokens[tokens.length - 1].loc.end.line > tokens[0].loc.start.line;
          }
          return false;
        }
        function compareIfBranches(a, b) {
          const equivalent = (0, equivalence_1.areEquivalent)(a, b, context.sourceCode);
          if (equivalent && b.loc) {
            reportIssue(a, b, "branch");
          }
          return equivalent;
        }
        function expandSingleBlockStatement(nodes) {
          if (nodes.length === 1) {
            const node = nodes[0];
            if ((0, nodes_1.isBlockStatement)(node)) {
              return node.body;
            }
          }
          return nodes;
        }
        function allEquivalentWithoutDefault(branches, endsWithDefault) {
          return !endsWithDefault && branches.length > 1 && branches.slice(1).every((branch, index) => (0, equivalence_1.areEquivalent)(branch, branches[index], context.sourceCode));
        }
        function reportIssue(node, equivalentNode, type) {
          const equivalentNodeLoc = equivalentNode.loc;
          (0, locations_1.report)(context, {
            messageId: "sameConditionalBlock",
            data: { type, line: String(equivalentNode.loc.start.line) },
            node
          }, [(0, locations_1.issueLocation)(equivalentNodeLoc, equivalentNodeLoc, "Original")], message);
        }
      }
    };
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-element-overwrite.js
var require_no_element_overwrite = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-element-overwrite.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var equivalence_1 = require_equivalence();
    var nodes_1 = require_nodes();
    var locations_1 = require_locations();
    var docs_url_1 = __importDefault2(require_docs_url());
    var message = 'Verify this is the index that was intended; "{{index}}" was already set on line {{line}}.';
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          verifyIntendedIndex: message,
          sonarRuntime: "{{sonarRuntimeData}}"
        },
        type: "problem",
        docs: {
          description: "Collection elements should not be replaced unconditionally",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        },
        schema: [
          {
            // internal parameter
            type: "string",
            enum: ["sonar-runtime"]
          }
        ]
      },
      create(context) {
        return {
          SwitchCase(node) {
            const switchCase = node;
            checkStatements(switchCase.consequent);
          },
          BlockStatement(node) {
            const block = node;
            checkStatements(block.body);
          },
          Program(node) {
            const program = node;
            checkStatements(program.body);
          }
        };
        function checkStatements(statements) {
          const usedKeys = /* @__PURE__ */ new Map();
          let collection;
          statements.forEach((statement) => {
            const keyWriteUsage = getKeyWriteUsage(statement);
            if (keyWriteUsage) {
              if (collection && !(0, equivalence_1.areEquivalent)(keyWriteUsage.collectionNode, collection, context.sourceCode)) {
                usedKeys.clear();
              }
              const sameKeyWriteUsage = usedKeys.get(keyWriteUsage.indexOrKey);
              if (sameKeyWriteUsage && sameKeyWriteUsage.node.loc) {
                const sameKeyWriteUsageLoc = sameKeyWriteUsage.node.loc;
                const secondaryLocations = [
                  (0, locations_1.issueLocation)(sameKeyWriteUsageLoc, sameKeyWriteUsageLoc, "Original value")
                ];
                (0, locations_1.report)(context, {
                  node: keyWriteUsage.node,
                  messageId: "verifyIntendedIndex",
                  data: {
                    index: keyWriteUsage.indexOrKey,
                    line: sameKeyWriteUsage.node.loc.start.line
                  }
                }, secondaryLocations, message);
              }
              usedKeys.set(keyWriteUsage.indexOrKey, keyWriteUsage);
              collection = keyWriteUsage.collectionNode;
            } else {
              usedKeys.clear();
            }
          });
        }
        function getKeyWriteUsage(node) {
          if ((0, nodes_1.isExpressionStatement)(node)) {
            return arrayKeyWriteUsage(node.expression) || mapOrSetKeyWriteUsage(node.expression);
          }
          return void 0;
        }
        function arrayKeyWriteUsage(node) {
          if (isSimpleAssignment(node) && (0, nodes_1.isMemberExpression)(node.left) && node.left.computed) {
            const { left, right } = node;
            const index = extractIndex(left.property);
            if (index !== void 0 && !isUsed(left.object, right)) {
              return {
                collectionNode: left.object,
                indexOrKey: index,
                node
              };
            }
          }
          return void 0;
        }
        function mapOrSetKeyWriteUsage(node) {
          if ((0, nodes_1.isCallExpression)(node) && (0, nodes_1.isMemberExpression)(node.callee)) {
            const propertyAccess = node.callee;
            if ((0, nodes_1.isIdentifier)(propertyAccess.property)) {
              const methodName = propertyAccess.property.name;
              const addMethod = methodName === "add" && node.arguments.length === 1;
              const setMethod = methodName === "set" && node.arguments.length === 2;
              if (addMethod || setMethod) {
                const key = extractIndex(node.arguments[0]);
                if (key) {
                  return {
                    collectionNode: propertyAccess.object,
                    indexOrKey: key,
                    node
                  };
                }
              }
            }
          }
          return void 0;
        }
        function extractIndex(node) {
          if ((0, nodes_1.isLiteral)(node)) {
            const { value } = node;
            return typeof value === "number" || typeof value === "string" ? String(value) : void 0;
          } else if ((0, nodes_1.isIdentifier)(node)) {
            return node.name;
          }
          return void 0;
        }
        function isUsed(value, expression) {
          const valueTokens = context.sourceCode.getTokens(value);
          const expressionTokens = context.sourceCode.getTokens(expression);
          const foundUsage = expressionTokens.find((token, index) => {
            if (eq2(token, valueTokens[0])) {
              for (let expressionIndex = index, valueIndex = 0; expressionIndex < expressionTokens.length && valueIndex < valueTokens.length; expressionIndex++, valueIndex++) {
                if (!eq2(expressionTokens[expressionIndex], valueTokens[valueIndex])) {
                  break;
                } else if (valueIndex === valueTokens.length - 1) {
                  return true;
                }
              }
            }
            return false;
          });
          return foundUsage !== void 0;
        }
      }
    };
    function eq2(token1, token2) {
      return token1.value === token2.value;
    }
    function isSimpleAssignment(node) {
      return (0, nodes_1.isAssignmentExpression)(node) && node.operator === "=";
    }
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/utils-ast.js
var require_utils_ast = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/utils-ast.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isReferenceTo = exports2.isIdentifier = void 0;
    function isIdentifier(node, ...values) {
      return node.type === "Identifier" && values.some((value) => value === node.name);
    }
    exports2.isIdentifier = isIdentifier;
    function isReferenceTo(ref, node) {
      return node.type === "Identifier" && node === ref.identifier;
    }
    exports2.isReferenceTo = isReferenceTo;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/utils-collection.js
var require_utils_collection = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/utils-collection.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.collectionConstructor = void 0;
    exports2.collectionConstructor = ["Array", "Map", "Set", "WeakSet", "WeakMap"];
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/utils-parent.js
var require_utils_parent = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/utils-parent.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.ancestorsChain = exports2.findFirstMatchingAncestor = void 0;
    function findFirstMatchingAncestor(node, predicate) {
      return ancestorsChain(node, /* @__PURE__ */ new Set()).find(predicate);
    }
    exports2.findFirstMatchingAncestor = findFirstMatchingAncestor;
    function ancestorsChain(node, boundaryTypes) {
      const chain = [];
      let currentNode = node.parent;
      while (currentNode) {
        chain.push(currentNode);
        if (boundaryTypes.has(currentNode.type)) {
          break;
        }
        currentNode = currentNode.parent;
      }
      return chain;
    }
    exports2.ancestorsChain = ancestorsChain;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/utils-type.js
var require_utils_type = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/utils-type.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getTypeFromTreeNode = void 0;
    function getTypeFromTreeNode(node, services) {
      const checker = services.program.getTypeChecker();
      return checker.getTypeAtLocation(services.esTreeNodeToTSNodeMap.get(node));
    }
    exports2.getTypeFromTreeNode = getTypeFromTreeNode;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/index.js
var require_utils7 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) {
      for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p);
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    __exportStar2(require_utils_ast(), exports2);
    __exportStar2(require_utils_collection(), exports2);
    __exportStar2(require_utils_parent(), exports2);
    __exportStar2(require_utils_type(), exports2);
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-empty-collection.js
var require_no_empty_collection = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-empty-collection.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var utils_1 = require_utils7();
    var docs_url_1 = __importDefault2(require_docs_url());
    var nonAdditiveMutatorMethods = [
      // array methods
      "copyWithin",
      "pop",
      "reverse",
      "shift",
      "sort",
      // map, set methods
      "clear",
      "delete"
    ];
    var accessorMethods = [
      // array methods
      "concat",
      "flat",
      "flatMap",
      "includes",
      "indexOf",
      "join",
      "lastIndexOf",
      "slice",
      "toSource",
      "toString",
      "toLocaleString",
      // map, set methods
      "get",
      "has"
    ];
    var iterationMethods = [
      "entries",
      "every",
      "filter",
      "find",
      "findIndex",
      "forEach",
      "keys",
      "map",
      "reduce",
      "reduceRight",
      "some",
      "values"
    ];
    var strictlyReadingMethods = /* @__PURE__ */ new Set([
      ...nonAdditiveMutatorMethods,
      ...accessorMethods,
      ...iterationMethods
    ]);
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          reviewUsageOfIdentifier: 'Review this usage of "{{identifierName}}" as it can only be empty here.'
        },
        schema: [],
        type: "problem",
        docs: {
          description: "Empty collections should not be accessed or iterated",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        }
      },
      create(context) {
        return {
          "Program:exit": (node) => {
            reportEmptyCollectionsUsage(context.sourceCode.getScope(node), context);
          }
        };
      }
    };
    function reportEmptyCollectionsUsage(scope, context) {
      if (scope.type !== "global") {
        scope.variables.forEach((v) => {
          reportEmptyCollectionUsage(v, context);
        });
      }
      scope.childScopes.forEach((childScope) => {
        reportEmptyCollectionsUsage(childScope, context);
      });
    }
    function reportEmptyCollectionUsage(variable, context) {
      if (variable.references.length <= 1) {
        return;
      }
      if (variable.defs.some((d) => d.type === "Parameter" || d.type === "ImportBinding")) {
        return;
      }
      const readingUsages = [];
      let hasAssignmentOfEmptyCollection = false;
      for (const ref of variable.references) {
        if (ref.isWriteOnly()) {
          if (isReferenceAssigningEmptyCollection(ref)) {
            hasAssignmentOfEmptyCollection = true;
          } else {
            return;
          }
        } else if (isReadingCollectionUsage(ref)) {
          readingUsages.push(ref);
        } else {
          return;
        }
      }
      if (hasAssignmentOfEmptyCollection) {
        readingUsages.forEach((ref) => {
          context.report({
            messageId: "reviewUsageOfIdentifier",
            data: {
              identifierName: ref.identifier.name
            },
            node: ref.identifier
          });
        });
      }
    }
    function isReferenceAssigningEmptyCollection(ref) {
      const declOrExprStmt = (0, utils_1.findFirstMatchingAncestor)(ref.identifier, (n) => n.type === "VariableDeclarator" || n.type === "ExpressionStatement");
      if (declOrExprStmt) {
        if (declOrExprStmt.type === "VariableDeclarator" && declOrExprStmt.init) {
          return isEmptyCollectionType(declOrExprStmt.init);
        }
        if (declOrExprStmt.type === "ExpressionStatement") {
          const { expression } = declOrExprStmt;
          return expression.type === "AssignmentExpression" && (0, utils_1.isReferenceTo)(ref, expression.left) && isEmptyCollectionType(expression.right);
        }
      }
      return false;
    }
    function isEmptyCollectionType(node) {
      if (node && node.type === "ArrayExpression") {
        return node.elements.length === 0;
      } else if (node && (node.type === "CallExpression" || node.type === "NewExpression")) {
        return (0, utils_1.isIdentifier)(node.callee, ...utils_1.collectionConstructor) && node.arguments.length === 0;
      }
      return false;
    }
    function isReadingCollectionUsage(ref) {
      return isStrictlyReadingMethodCall(ref) || isForIterationPattern(ref) || isElementRead(ref);
    }
    function isStrictlyReadingMethodCall(usage) {
      const { parent } = usage.identifier;
      if (parent && parent.type === "MemberExpression") {
        const memberExpressionParent = parent.parent;
        if (memberExpressionParent && memberExpressionParent.type === "CallExpression") {
          return (0, utils_1.isIdentifier)(parent.property, ...strictlyReadingMethods);
        }
      }
      return false;
    }
    function isForIterationPattern(ref) {
      const forInOrOfStatement = (0, utils_1.findFirstMatchingAncestor)(ref.identifier, (n) => n.type === "ForOfStatement" || n.type === "ForInStatement");
      return forInOrOfStatement && forInOrOfStatement.right === ref.identifier;
    }
    function isElementRead(ref) {
      const { parent } = ref.identifier;
      return parent && parent.type === "MemberExpression" && parent.computed && !isElementWrite(parent);
    }
    function isElementWrite(memberExpression) {
      const ancestors = (0, utils_1.ancestorsChain)(memberExpression, /* @__PURE__ */ new Set());
      const assignment = ancestors.find((n) => n.type === "AssignmentExpression");
      if (assignment && assignment.operator === "=") {
        return [memberExpression, ...ancestors].includes(assignment.left);
      }
      return false;
    }
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-extra-arguments.js
var require_no_extra_arguments = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-extra-arguments.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var nodes_1 = require_nodes();
    var locations_1 = require_locations();
    var docs_url_1 = __importDefault2(require_docs_url());
    var message = "This function expects {{expectedArguments}}, but {{providedArguments}} provided.";
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          tooManyArguments: message,
          sonarRuntime: "{{sonarRuntimeData}}"
        },
        type: "problem",
        docs: {
          description: "Function calls should not pass extra arguments",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        },
        schema: [
          {
            // internal parameter
            type: "string",
            enum: ["sonar-runtime"]
          }
        ]
      },
      create(context) {
        const callExpressionsToCheck = [];
        const usingArguments = /* @__PURE__ */ new Set();
        const emptyFunctions = /* @__PURE__ */ new Set();
        return {
          // eslint-disable-next-line sonarjs/cognitive-complexity
          CallExpression(node) {
            const callExpr = node;
            if ((0, nodes_1.isIdentifier)(callExpr.callee)) {
              const reference = context.sourceCode.getScope(node).references.find((ref) => ref.identifier === callExpr.callee);
              const definition = reference && getSingleDefinition(reference);
              if (definition) {
                if (definition.type === "FunctionName") {
                  checkFunction(callExpr, definition.node);
                } else if (definition.type === "Variable") {
                  const { init } = definition.node;
                  if (init && ((0, nodes_1.isFunctionExpression)(init) || (0, nodes_1.isArrowFunctionExpression)(init))) {
                    checkFunction(callExpr, init);
                  }
                }
              }
            } else if ((0, nodes_1.isArrowFunctionExpression)(callExpr.callee) || (0, nodes_1.isFunctionExpression)(callExpr.callee)) {
              checkFunction(callExpr, callExpr.callee);
            }
          },
          ":function"(node) {
            const fn = node;
            if ((0, nodes_1.isBlockStatement)(fn.body) && fn.body.body.length === 0 && fn.params.length === 0) {
              emptyFunctions.add(node);
            }
          },
          "FunctionDeclaration > BlockStatement Identifier"(node) {
            checkArguments(node);
          },
          "FunctionExpression > BlockStatement Identifier"(node) {
            checkArguments(node);
          },
          "Program:exit"() {
            callExpressionsToCheck.forEach(({ callExpr, functionNode }) => {
              if (!usingArguments.has(functionNode) && !emptyFunctions.has(functionNode)) {
                reportIssue(callExpr, functionNode);
              }
            });
          }
        };
        function getSingleDefinition(reference) {
          if (reference && reference.resolved) {
            const variable = reference.resolved;
            if (variable.defs.length === 1) {
              return variable.defs[0];
            }
          }
          return void 0;
        }
        function checkArguments(identifier) {
          if (identifier.name === "arguments") {
            const reference = context.sourceCode.getScope(identifier).references.find((ref) => ref.identifier === identifier);
            const definition = reference && getSingleDefinition(reference);
            if (!definition) {
              const ancestors = context.sourceCode.getAncestors(identifier).reverse();
              const fn = ancestors.find((node) => (0, nodes_1.isFunctionDeclaration)(node) || (0, nodes_1.isFunctionExpression)(node));
              if (fn) {
                usingArguments.add(fn);
              }
            }
          }
        }
        function checkFunction(callExpr, functionNode) {
          const hasRest = functionNode.params.some((param) => param.type === "RestElement");
          if (!hasRest && callExpr.arguments.length > functionNode.params.length) {
            callExpressionsToCheck.push({ callExpr, functionNode });
          }
        }
        function reportIssue(callExpr, functionNode) {
          const paramLength = functionNode.params.length;
          const argsLength = callExpr.arguments.length;
          const expectedArguments = (
            // eslint-disable-next-line no-nested-ternary
            paramLength === 0 ? "no arguments" : paramLength === 1 ? "1 argument" : `${paramLength} arguments`
          );
          const providedArguments = (
            // eslint-disable-next-line no-nested-ternary
            argsLength === 0 ? "none was" : argsLength === 1 ? "1 was" : `${argsLength} were`
          );
          (0, locations_1.report)(context, {
            messageId: "tooManyArguments",
            data: {
              expectedArguments,
              providedArguments
            },
            node: callExpr.callee
          }, getSecondaryLocations(callExpr, functionNode), message);
        }
        function getSecondaryLocations(callExpr, functionNode) {
          const paramLength = functionNode.params.length;
          const secondaryLocations = [];
          if (paramLength > 0) {
            const startLoc = functionNode.params[0].loc;
            const endLoc = functionNode.params[paramLength - 1].loc;
            secondaryLocations.push((0, locations_1.issueLocation)(startLoc, endLoc, "Formal parameters"));
          } else {
            const fnToken = (0, locations_1.getMainFunctionTokenLocation)(functionNode, void 0, context);
            if (fnToken) {
              secondaryLocations.push((0, locations_1.issueLocation)(fnToken, fnToken, "Formal parameters"));
            }
          }
          callExpr.arguments.forEach((argument, index) => {
            if (index >= paramLength) {
              secondaryLocations.push((0, locations_1.toSecondaryLocation)(argument, "Extra argument"));
            }
          });
          return secondaryLocations;
        }
      }
    };
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-gratuitous-expressions.js
var require_no_gratuitous_expressions = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-gratuitous-expressions.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var locations_1 = require_locations();
    var nodes_1 = require_nodes();
    var docs_url_1 = __importDefault2(require_docs_url());
    var message = "This always evaluates to {{value}}. Consider refactoring this code.";
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          refactorBooleanExpression: message,
          sonarRuntime: "{{sonarRuntimeData}}"
        },
        type: "suggestion",
        docs: {
          description: "Boolean expressions should not be gratuitous",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        },
        schema: [
          {
            // internal parameter for rules having secondary locations
            type: "string",
            enum: ["sonar-runtime"]
          }
        ]
      },
      create(context) {
        const truthyMap = /* @__PURE__ */ new Map();
        const falsyMap = /* @__PURE__ */ new Map();
        function isInsideJSX(node) {
          const ancestors = context.sourceCode.getAncestors(node);
          return !!ancestors.find((ancestor) => ancestor.type === "JSXExpressionContainer");
        }
        return {
          IfStatement: (node) => {
            const { test } = node;
            if (test.type === "Literal" && typeof test.value === "boolean") {
              reportIssue(test, void 0, context, test.value);
            }
          },
          ":statement": (node) => {
            const { parent } = node;
            if ((0, nodes_1.isIfStatement)(parent)) {
              const currentScope = context.sourceCode.getScope(node);
              if (parent.consequent === node) {
                const { truthy, falsy } = collectKnownIdentifiers(parent.test);
                truthyMap.set(parent.consequent, transformAndFilter(truthy, currentScope));
                falsyMap.set(parent.consequent, transformAndFilter(falsy, currentScope));
              } else if (parent.alternate === node && (0, nodes_1.isIdentifier)(parent.test)) {
                falsyMap.set(parent.alternate, transformAndFilter([parent.test], currentScope));
              }
            }
          },
          ":statement:exit": (node) => {
            const stmt = node;
            truthyMap.delete(stmt);
            falsyMap.delete(stmt);
          },
          Identifier: (node) => {
            const id = node;
            const symbol = getSymbol(id, context.sourceCode.getScope(node));
            const { parent } = node;
            if (!symbol || !parent || isInsideJSX(node) && isLogicalAndRhs(id, parent)) {
              return;
            }
            if (!isLogicalAnd(parent) && !isLogicalOrLhs(id, parent) && !(0, nodes_1.isIfStatement)(parent) && !isLogicalNegation(parent)) {
              return;
            }
            const checkIfKnownAndReport = (map, truthy) => {
              map.forEach((references) => {
                const ref = references.find((ref2) => ref2.resolved === symbol);
                if (ref) {
                  reportIssue(id, ref, context, truthy);
                }
              });
            };
            checkIfKnownAndReport(truthyMap, true);
            checkIfKnownAndReport(falsyMap, false);
          },
          Program: () => {
            truthyMap.clear();
            falsyMap.clear();
          }
        };
      }
    };
    function collectKnownIdentifiers(expression) {
      const truthy = [];
      const falsy = [];
      const checkExpr = (expr) => {
        if ((0, nodes_1.isIdentifier)(expr)) {
          truthy.push(expr);
        } else if (isLogicalNegation(expr)) {
          if ((0, nodes_1.isIdentifier)(expr.argument)) {
            falsy.push(expr.argument);
          } else if (isLogicalNegation(expr.argument) && (0, nodes_1.isIdentifier)(expr.argument.argument)) {
            truthy.push(expr.argument.argument);
          }
        }
      };
      let current = expression;
      checkExpr(current);
      while (isLogicalAnd(current)) {
        checkExpr(current.right);
        current = current.left;
      }
      checkExpr(current);
      return { truthy, falsy };
    }
    function isLogicalAnd(expression) {
      return expression.type === "LogicalExpression" && expression.operator === "&&";
    }
    function isLogicalOrLhs(id, expression) {
      return expression.type === "LogicalExpression" && expression.operator === "||" && expression.left === id;
    }
    function isLogicalAndRhs(id, expression) {
      return expression.parent?.type !== "LogicalExpression" && expression.type === "LogicalExpression" && expression.operator === "&&" && expression.right === id;
    }
    function isLogicalNegation(expression) {
      return expression.type === "UnaryExpression" && expression.operator === "!";
    }
    function isDefined(x) {
      return x != null;
    }
    function getSymbol(id, scope) {
      const ref = scope.references.find((r) => r.identifier === id);
      if (ref) {
        return ref.resolved;
      }
      return null;
    }
    function getFunctionScope(scope) {
      if (scope.type === "function") {
        return scope;
      } else if (!scope.upper) {
        return null;
      }
      return getFunctionScope(scope.upper);
    }
    function mightBeWritten(symbol, currentScope) {
      return symbol.references.filter((ref) => ref.isWrite()).find((ref) => {
        const refScope = ref.from;
        let cur = refScope;
        while (cur) {
          if (cur === currentScope) {
            return true;
          }
          cur = cur.upper;
        }
        const currentFunc = getFunctionScope(currentScope);
        const refFunc = getFunctionScope(refScope);
        return refFunc !== currentFunc;
      });
    }
    function transformAndFilter(ids, currentScope) {
      return ids.map((id) => currentScope.upper?.references.find((r) => r.identifier === id)).filter(isDefined).filter((ref) => isDefined(ref.resolved)).filter((ref) => !mightBeWritten(ref.resolved, currentScope));
    }
    function reportIssue(id, ref, context, truthy) {
      const value = truthy ? "truthy" : "falsy";
      (0, locations_1.report)(context, {
        messageId: "refactorBooleanExpression",
        data: {
          value
        },
        node: id
      }, getSecondaryLocations(ref, value), message);
    }
    function getSecondaryLocations(ref, truthy) {
      if (ref) {
        const secLoc = ref.identifier.loc;
        return [
          {
            message: `Evaluated here to be ${truthy}`,
            line: secLoc.start.line,
            column: secLoc.start.column,
            endLine: secLoc.end.line,
            endColumn: secLoc.end.column
          }
        ];
      } else {
        return [];
      }
    }
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-identical-conditions.js
var require_no_identical_conditions = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-identical-conditions.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var equivalence_1 = require_equivalence();
    var locations_1 = require_locations();
    var docs_url_1 = __importDefault2(require_docs_url());
    var duplicatedConditionMessage = "This condition is covered by the one on line {{line}}";
    var duplicatedCaseMessage = "This case duplicates the one on line {{line}}";
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          duplicatedCondition: duplicatedConditionMessage,
          duplicatedCase: duplicatedCaseMessage,
          sonarRuntime: "{{sonarRuntimeData}}"
        },
        type: "problem",
        docs: {
          description: 'Related "if-else-if" and "switch-case" statements should not have the same condition',
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        },
        schema: [
          {
            // internal parameter
            type: "string",
            enum: ["sonar-runtime"]
          }
        ]
      },
      create(context) {
        const { sourceCode } = context;
        return {
          IfStatement(node) {
            const { test } = node;
            const conditionsToCheck = test.type === "LogicalExpression" && test.operator === "&&" ? [test, ...splitByAnd(test)] : [test];
            let current = node;
            let operandsToCheck = conditionsToCheck.map((c) => splitByOr(c).map(splitByAnd));
            while (current.parent?.type === "IfStatement" && current.parent.alternate === current) {
              current = current.parent;
              const currentOrOperands = splitByOr(current.test).map(splitByAnd);
              operandsToCheck = operandsToCheck.map((orOperands) => orOperands.filter((orOperand) => !currentOrOperands.some((currentOrOperand) => isSubset(currentOrOperand, orOperand, sourceCode))));
              if (operandsToCheck.some((orOperands) => orOperands.length === 0)) {
                (0, locations_1.report)(context, {
                  messageId: "duplicatedCondition",
                  data: { line: current.test.loc.start.line },
                  node: test
                }, [(0, locations_1.issueLocation)(current.test.loc, current.test.loc, "Covering")], duplicatedConditionMessage);
                break;
              }
            }
          },
          SwitchStatement(node) {
            const switchStmt = node;
            const previousTests = [];
            for (const switchCase of switchStmt.cases) {
              if (switchCase.test) {
                const { test } = switchCase;
                const duplicateTest = previousTests.find((previousTest) => (0, equivalence_1.areEquivalent)(test, previousTest, sourceCode));
                if (duplicateTest) {
                  (0, locations_1.report)(context, {
                    messageId: "duplicatedCase",
                    data: {
                      line: duplicateTest.loc.start.line
                    },
                    node: test
                  }, [(0, locations_1.issueLocation)(duplicateTest.loc, duplicateTest.loc, "Original")], duplicatedCaseMessage);
                } else {
                  previousTests.push(test);
                }
              }
            }
          }
        };
      }
    };
    var splitByOr = splitByLogicalOperator.bind(null, "||");
    var splitByAnd = splitByLogicalOperator.bind(null, "&&");
    function splitByLogicalOperator(operator, node) {
      if (node.type === "LogicalExpression" && node.operator === operator) {
        return [
          ...splitByLogicalOperator(operator, node.left),
          ...splitByLogicalOperator(operator, node.right)
        ];
      }
      return [node];
    }
    function isSubset(first, second, sourceCode) {
      return first.every((fst) => second.some((snd) => isSubsetOf(fst, snd, sourceCode)));
      function isSubsetOf(first2, second2, sourceCode2) {
        if (first2.type !== second2.type) {
          return false;
        }
        if (first2.type === "LogicalExpression") {
          const second1 = second2;
          if ((first2.operator === "||" || first2.operator === "&&") && first2.operator === second1.operator) {
            return isSubsetOf(first2.left, second1.left, sourceCode2) && isSubsetOf(first2.right, second1.right, sourceCode2) || isSubsetOf(first2.left, second1.right, sourceCode2) && isSubsetOf(first2.right, second1.left, sourceCode2);
          }
        }
        return (0, equivalence_1.areEquivalent)(first2, second2, sourceCode2);
      }
    }
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-identical-expressions.js
var require_no_identical_expressions = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-identical-expressions.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var nodes_1 = require_nodes();
    var equivalence_1 = require_equivalence();
    var locations_1 = require_locations();
    var docs_url_1 = __importDefault2(require_docs_url());
    var EQUALITY_OPERATOR_TOKEN_KINDS = /* @__PURE__ */ new Set(["==", "===", "!=", "!=="]);
    var RELEVANT_OPERATOR_TOKEN_KINDS = /* @__PURE__ */ new Set([
      "&&",
      "||",
      "/",
      "-",
      "<<",
      ">>",
      "<",
      "<=",
      ">",
      ">="
    ]);
    function hasRelevantOperator(node) {
      return RELEVANT_OPERATOR_TOKEN_KINDS.has(node.operator) || EQUALITY_OPERATOR_TOKEN_KINDS.has(node.operator) && !hasIdentifierOperands(node);
    }
    function hasIdentifierOperands(node) {
      return (0, nodes_1.isIdentifier)(node.left) && (0, nodes_1.isIdentifier)(node.right);
    }
    function isOneOntoOneShifting(node) {
      return node.operator === "<<" && (0, nodes_1.isLiteral)(node.left) && (node.left.value === 1 || node.left.value === 1n);
    }
    var message = 'Correct one of the identical sub-expressions on both sides of operator "{{operator}}"';
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          correctIdenticalSubExpressions: message,
          sonarRuntime: "{{sonarRuntimeData}}"
        },
        type: "problem",
        docs: {
          description: "Identical expressions should not be used on both sides of a binary operator",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        },
        schema: [
          {
            // internal parameter
            type: "string",
            enum: ["sonar-runtime"]
          }
        ]
      },
      create(context) {
        return {
          LogicalExpression(node) {
            check(node);
          },
          BinaryExpression(node) {
            check(node);
          }
        };
        function check(expr) {
          if (hasRelevantOperator(expr) && !isOneOntoOneShifting(expr) && (0, equivalence_1.areEquivalent)(expr.left, expr.right, context.sourceCode)) {
            const secondaryLocations = [];
            if (expr.left.loc) {
              secondaryLocations.push((0, locations_1.issueLocation)(expr.left.loc));
            }
            (0, locations_1.report)(context, {
              messageId: "correctIdenticalSubExpressions",
              data: {
                operator: expr.operator
              },
              node: isSonarRuntime() ? expr.right : expr
            }, secondaryLocations, message);
          }
        }
        function isSonarRuntime() {
          return context.options[context.options.length - 1] === "sonar-runtime";
        }
      }
    };
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-identical-functions.js
var require_no_identical_functions = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-identical-functions.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var equivalence_1 = require_equivalence();
    var locations_1 = require_locations();
    var docs_url_1 = __importDefault2(require_docs_url());
    var DEFAULT_MIN_LINES = 3;
    var message = "Update this function so that its implementation is not identical to the one on line {{line}}.";
    var rule = {
      defaultOptions: [DEFAULT_MIN_LINES],
      meta: {
        messages: {
          identicalFunctions: message,
          sonarRuntime: "{{sonarRuntimeData}}"
        },
        type: "problem",
        docs: {
          description: "Functions should not have identical implementations",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        },
        schema: [
          { type: "integer", minimum: 3 },
          {
            type: "string",
            enum: ["sonar-runtime"]
          }
        ]
      },
      create(context) {
        const functions = [];
        const minLines = typeof context.options[0] === "number" ? context.options[0] : DEFAULT_MIN_LINES;
        return {
          FunctionDeclaration(node) {
            visitFunction(node);
          },
          "VariableDeclarator > FunctionExpression, MethodDefinition > FunctionExpression": (node) => {
            visitFunction(node);
          },
          "VariableDeclarator > ArrowFunctionExpression, MethodDefinition > ArrowFunctionExpression": (node) => {
            visitFunction(node);
          },
          "Program:exit"() {
            processFunctions();
          }
        };
        function visitFunction(node) {
          if (isBigEnough(node.body)) {
            functions.push({ function: node, parent: node.parent });
          }
        }
        function processFunctions() {
          for (let i = 1; i < functions.length; i++) {
            const duplicatingFunction = functions[i].function;
            for (let j = 0; j < i; j++) {
              const originalFunction = functions[j].function;
              if ((0, equivalence_1.areEquivalent)(duplicatingFunction.body, originalFunction.body, context.sourceCode) && originalFunction.loc) {
                const loc = (0, locations_1.getMainFunctionTokenLocation)(duplicatingFunction, functions[i].parent, context);
                const originalFunctionLoc = (0, locations_1.getMainFunctionTokenLocation)(originalFunction, functions[j].parent, context);
                const secondaryLocations = [
                  (0, locations_1.issueLocation)(originalFunctionLoc, originalFunctionLoc, "Original implementation")
                ];
                (0, locations_1.report)(context, {
                  messageId: "identicalFunctions",
                  data: {
                    line: originalFunction.loc.start.line
                  },
                  loc
                }, secondaryLocations, message);
                break;
              }
            }
          }
        }
        function isBigEnough(node) {
          const tokens = context.sourceCode.getTokens(node);
          if (tokens.length > 0 && tokens[0].value === "{") {
            tokens.shift();
          }
          if (tokens.length > 0 && tokens[tokens.length - 1].value === "}") {
            tokens.pop();
          }
          if (tokens.length > 0) {
            const firstLine = tokens[0].loc.start.line;
            const lastLine = tokens[tokens.length - 1].loc.end.line;
            return lastLine - firstLine + 1 >= minLines;
          }
          return false;
        }
      }
    };
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-ignored-return.js
var require_no_ignored_return = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-ignored-return.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var parser_services_1 = require_parser_services();
    var docs_url_1 = __importDefault2(require_docs_url());
    var utils_1 = require_utils7();
    var METHODS_WITHOUT_SIDE_EFFECTS = {
      array: /* @__PURE__ */ new Set([
        "concat",
        "includes",
        "join",
        "slice",
        "indexOf",
        "lastIndexOf",
        "entries",
        "filter",
        "findIndex",
        "keys",
        "map",
        "values",
        "find",
        "reduce",
        "reduceRight",
        "toString",
        "toLocaleString"
      ]),
      date: /* @__PURE__ */ new Set([
        "getDate",
        "getDay",
        "getFullYear",
        "getHours",
        "getMilliseconds",
        "getMinutes",
        "getMonth",
        "getSeconds",
        "getTime",
        "getTimezoneOffset",
        "getUTCDate",
        "getUTCDay",
        "getUTCFullYear",
        "getUTCHours",
        "getUTCMilliseconds",
        "getUTCMinutes",
        "getUTCMonth",
        "getUTCSeconds",
        "getYear",
        "toDateString",
        "toISOString",
        "toJSON",
        "toGMTString",
        "toLocaleDateString",
        "toLocaleTimeString",
        "toTimeString",
        "toUTCString",
        "toString",
        "toLocaleString"
      ]),
      math: /* @__PURE__ */ new Set([
        "abs",
        "E",
        "LN2",
        "LN10",
        "LOG2E",
        "LOG10E",
        "PI",
        "SQRT1_2",
        "SQRT2",
        "abs",
        "acos",
        "acosh",
        "asin",
        "asinh",
        "atan",
        "atanh",
        "atan2",
        "cbrt",
        "ceil",
        "clz32",
        "cos",
        "cosh",
        "exp",
        "expm1",
        "floor",
        "fround",
        "hypot",
        "imul",
        "log",
        "log1p",
        "log10",
        "log2",
        "max",
        "min",
        "pow",
        "random",
        "round",
        "sign",
        "sin",
        "sinh",
        "sqrt",
        "tan",
        "tanh",
        "trunc"
      ]),
      number: /* @__PURE__ */ new Set(["toExponential", "toFixed", "toPrecision", "toLocaleString", "toString"]),
      regexp: /* @__PURE__ */ new Set(["test", "toString"]),
      string: /* @__PURE__ */ new Set([
        "charAt",
        "charCodeAt",
        "codePointAt",
        "concat",
        "includes",
        "endsWith",
        "indexOf",
        "lastIndexOf",
        "localeCompare",
        "match",
        "normalize",
        "padEnd",
        "padStart",
        "repeat",
        "replace",
        "search",
        "slice",
        "split",
        "startsWith",
        "substr",
        "substring",
        "toLocaleLowerCase",
        "toLocaleUpperCase",
        "toLowerCase",
        "toUpperCase",
        "trim",
        "length",
        "toString",
        "valueOf",
        // HTML wrapper methods
        "anchor",
        "big",
        "blink",
        "bold",
        "fixed",
        "fontcolor",
        "fontsize",
        "italics",
        "link",
        "small",
        "strike",
        "sub",
        "sup"
      ])
    };
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          useForEach: `Consider using "forEach" instead of "map" as its return value is not being used here.`,
          returnValueMustBeUsed: 'The return value of "{{methodName}}" must be used.'
        },
        schema: [],
        type: "problem",
        docs: {
          description: "Return values from functions without side effects should not be ignored",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        }
      },
      create(context) {
        const services = context.sourceCode.parserServices;
        if (!(0, parser_services_1.isParserServicesWithTypeInformation)(services)) {
          return {};
        }
        return {
          CallExpression: (node) => {
            const call = node;
            const { callee } = call;
            if (callee.type === "MemberExpression") {
              const { parent } = node;
              if (parent && parent.type === "ExpressionStatement") {
                const methodName = context.sourceCode.getText(callee.property);
                const objectType2 = services.program.getTypeChecker().getTypeAtLocation(services.esTreeNodeToTSNodeMap.get(callee.object));
                if (!hasSideEffect2(methodName, objectType2, services) && !isReplaceWithCallback(methodName, call.arguments, services)) {
                  context.report(reportDescriptor(methodName, node));
                }
              }
            }
          }
        };
      }
    };
    function isReplaceWithCallback(methodName, callArguments, services) {
      if (methodName === "replace" && callArguments.length > 1) {
        const type = (0, utils_1.getTypeFromTreeNode)(callArguments[1], services);
        const typeNode = services.program.getTypeChecker().typeToTypeNode(type, void 0, void 0);
        const ts = require_typescript();
        return typeNode && ts.isFunctionTypeNode(typeNode);
      }
      return false;
    }
    function reportDescriptor(methodName, node) {
      if (methodName === "map") {
        return {
          messageId: "useForEach",
          node
        };
      } else {
        return {
          messageId: "returnValueMustBeUsed",
          node,
          data: { methodName }
        };
      }
    }
    function hasSideEffect2(methodName, objectType2, services) {
      const typeAsString = typeToString(objectType2, services);
      if (typeAsString !== null) {
        const methods2 = METHODS_WITHOUT_SIDE_EFFECTS[typeAsString];
        return !(methods2 && methods2.has(methodName));
      }
      return true;
    }
    function typeToString(tp, services) {
      const typechecker = services.program.getTypeChecker();
      const baseType = typechecker.getBaseTypeOfLiteralType(tp);
      const typeAsString = typechecker.typeToString(baseType);
      if (typeAsString === "number" || typeAsString === "string") {
        return typeAsString;
      }
      const symbol = tp.getSymbol();
      if (symbol) {
        const name = symbol.getName();
        switch (name) {
          case "Array":
          case "Date":
          case "Math":
          case "RegExp":
            return name.toLowerCase();
        }
      }
      return null;
    }
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-inverted-boolean-check.js
var require_no_inverted_boolean_check = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-inverted-boolean-check.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var nodes_1 = require_nodes();
    var docs_url_1 = __importDefault2(require_docs_url());
    var invertedOperators = {
      "==": "!=",
      "!=": "==",
      "===": "!==",
      "!==": "===",
      ">": "<=",
      "<": ">=",
      ">=": "<",
      "<=": ">"
    };
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          useOppositeOperator: "Use the opposite operator ({{invertedOperator}}) instead.",
          suggestOperationInversion: "Invert inner operation (apply if NaN is not expected)"
        },
        schema: [],
        type: "suggestion",
        docs: {
          description: "Boolean checks should not be inverted",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        },
        hasSuggestions: true,
        fixable: "code"
      },
      create(context) {
        return {
          UnaryExpression: (node) => visitUnaryExpression(node, context)
        };
      }
    };
    function visitUnaryExpression(unaryExpression, context) {
      if (unaryExpression.operator === "!" && (0, nodes_1.isBinaryExpression)(unaryExpression.argument)) {
        const condition = unaryExpression.argument;
        const invertedOperator = invertedOperators[condition.operator];
        if (invertedOperator) {
          const left = context.sourceCode.getText(condition.left);
          const right = context.sourceCode.getText(condition.right);
          const [start, end] = unaryExpression.parent?.type === "UnaryExpression" ? ["(", ")"] : ["", ""];
          context.report({
            messageId: "useOppositeOperator",
            suggest: [
              {
                messageId: "suggestOperationInversion",
                fix: (fixer) => fixer.replaceText(unaryExpression, `${start}${left} ${invertedOperator} ${right}${end}`)
              }
            ],
            data: { invertedOperator },
            node: unaryExpression
          });
        }
      }
    }
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-nested-switch.js
var require_no_nested_switch = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-nested-switch.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var docs_url_1 = __importDefault2(require_docs_url());
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          removeNestedSwitch: 'Refactor the code to eliminate this nested "switch".'
        },
        schema: [],
        type: "suggestion",
        docs: {
          description: '"switch" statements should not be nested',
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        }
      },
      create(context) {
        return {
          "SwitchStatement SwitchStatement": (node) => {
            const switchToken = context.sourceCode.getFirstToken(node, (token) => token.value === "switch");
            context.report({
              messageId: "removeNestedSwitch",
              loc: switchToken.loc
            });
          }
        };
      }
    };
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-nested-template-literals.js
var require_no_nested_template_literals = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-nested-template-literals.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var utils_1 = require_utils7();
    var docs_url_1 = __importDefault2(require_docs_url());
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          nestedTemplateLiterals: "Refactor this code to not use nested template literals."
        },
        schema: [],
        type: "suggestion",
        docs: {
          description: "Template literals should not be nested",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        }
      },
      create(context) {
        return {
          "TemplateLiteral TemplateLiteral": (node) => {
            const ancestors = (0, utils_1.ancestorsChain)(node, /* @__PURE__ */ new Set(["TemplateLiteral"]));
            const nestingTemplate = ancestors[ancestors.length - 1];
            const { start: nestingStart, end: nestingEnd } = nestingTemplate.loc;
            const { start: nestedStart, end: nestedEnd } = node.loc;
            if (nestedStart.line === nestingStart.line || nestedEnd.line === nestingEnd.line) {
              context.report({
                messageId: "nestedTemplateLiterals",
                node
              });
            }
          }
        };
      }
    };
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-one-iteration-loop.js
var require_no_one_iteration_loop = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-one-iteration-loop.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var nodes_1 = require_nodes();
    var docs_url_1 = __importDefault2(require_docs_url());
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          refactorLoop: "Refactor this loop to do more than one iteration."
        },
        schema: [],
        type: "problem",
        docs: {
          description: "Loops with at most one iteration should be refactored",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        }
      },
      // @ts-ignore The typings of @typescript-eslint/utils does not contain the 'onX' methods.
      create(context) {
        const loopingNodes = /* @__PURE__ */ new Set();
        const loops = /* @__PURE__ */ new Set();
        const loopsAndTheirSegments = [];
        const codePathSegments = [];
        let currentCodePathSegments = [];
        return {
          ForStatement(node) {
            loops.add(node);
          },
          WhileStatement(node) {
            loops.add(node);
          },
          DoWhileStatement(node) {
            loops.add(node);
          },
          onCodePathStart() {
            codePathSegments.push(currentCodePathSegments);
            currentCodePathSegments = [];
          },
          onCodePathSegmentStart(segment) {
            currentCodePathSegments.push(segment);
          },
          onCodePathSegmentEnd() {
            currentCodePathSegments.pop();
          },
          onCodePathEnd() {
            currentCodePathSegments = codePathSegments.pop();
          },
          "WhileStatement > *"(node) {
            visitLoopChild(node.parent);
          },
          "ForStatement > *"(node) {
            visitLoopChild(node.parent);
          },
          onCodePathSegmentLoop(_, toSegment, node) {
            if ((0, nodes_1.isContinueStatement)(node)) {
              loopsAndTheirSegments.forEach(({ segments, loop }) => {
                if (segments.includes(toSegment)) {
                  loopingNodes.add(loop);
                }
              });
            } else {
              loopingNodes.add(node);
            }
          },
          "Program:exit"() {
            loops.forEach((loop) => {
              if (!loopingNodes.has(loop)) {
                context.report({
                  messageId: "refactorLoop",
                  loc: context.sourceCode.getFirstToken(loop).loc
                });
              }
            });
          }
        };
        function visitLoopChild(parent) {
          if (currentCodePathSegments.length > 0) {
            loopsAndTheirSegments.push({ segments: [...currentCodePathSegments], loop: parent });
          }
        }
      }
    };
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-redundant-boolean.js
var require_no_redundant_boolean = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-redundant-boolean.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var nodes_1 = require_nodes();
    var docs_url_1 = __importDefault2(require_docs_url());
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          removeUnnecessaryBoolean: "Refactor the code to avoid using this boolean literal."
        },
        schema: [],
        type: "suggestion",
        docs: {
          description: "Boolean literals should not be redundant",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        }
      },
      create(context) {
        return {
          BinaryExpression(node) {
            const expression = node;
            if (expression.operator === "==" || expression.operator === "!=") {
              checkBooleanLiteral(expression.left);
              checkBooleanLiteral(expression.right);
            }
          },
          LogicalExpression(node) {
            const expression = node;
            checkBooleanLiteral(expression.left);
            if (expression.operator === "&&") {
              checkBooleanLiteral(expression.right);
            }
            const { parent } = node;
            if (expression.operator === "||" && ((0, nodes_1.isConditionalExpression)(parent) && parent.test === expression || (0, nodes_1.isIfStatement)(parent))) {
              checkBooleanLiteral(expression.right);
            }
          },
          UnaryExpression(node) {
            const unaryExpression = node;
            if (unaryExpression.operator === "!") {
              checkBooleanLiteral(unaryExpression.argument);
            }
          }
        };
        function checkBooleanLiteral(expression) {
          if ((0, nodes_1.isBooleanLiteral)(expression)) {
            context.report({ messageId: "removeUnnecessaryBoolean", node: expression });
          }
        }
      }
    };
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-redundant-jump.js
var require_no_redundant_jump = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-redundant-jump.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var docs_url_1 = __importDefault2(require_docs_url());
    var loops = "WhileStatement, ForStatement, DoWhileStatement, ForInStatement, ForOfStatement";
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          removeRedundantJump: "Remove this redundant jump.",
          suggestJumpRemoval: "Remove this redundant jump"
        },
        schema: [],
        type: "suggestion",
        hasSuggestions: true,
        docs: {
          description: "Jump statements should not be redundant",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        }
      },
      create(context) {
        function reportIfLastStatement(node) {
          const withArgument = node.type === "ContinueStatement" ? !!node.label : !!node.argument;
          if (!withArgument) {
            const block = node.parent;
            if (block.body[block.body.length - 1] === node && block.body.length > 1) {
              const previousComments = context.sourceCode.getCommentsBefore(node);
              const previousToken = previousComments.length === 0 ? context.sourceCode.getTokenBefore(node) : previousComments[previousComments.length - 1];
              context.report({
                messageId: "removeRedundantJump",
                node,
                suggest: [
                  {
                    messageId: "suggestJumpRemoval",
                    fix: (fixer) => fixer.removeRange([previousToken.range[1], node.range[1]])
                  }
                ]
              });
            }
          }
        }
        function reportIfLastStatementInsideIf(node) {
          const ancestors = context.sourceCode.getAncestors(node);
          const ifStatement = ancestors[ancestors.length - 2];
          const upperBlock = ancestors[ancestors.length - 3];
          if (upperBlock.body[upperBlock.body.length - 1] === ifStatement) {
            reportIfLastStatement(node);
          }
        }
        return {
          [`:matches(${loops}) > BlockStatement > ContinueStatement`]: (node) => {
            reportIfLastStatement(node);
          },
          [`:matches(${loops}) > BlockStatement > IfStatement > BlockStatement > ContinueStatement`]: (node) => {
            reportIfLastStatementInsideIf(node);
          },
          ":function > BlockStatement > ReturnStatement": (node) => {
            reportIfLastStatement(node);
          },
          ":function > BlockStatement > IfStatement > BlockStatement > ReturnStatement": (node) => {
            reportIfLastStatementInsideIf(node);
          }
        };
      }
    };
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-same-line-conditional.js
var require_no_same_line_conditional = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-same-line-conditional.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var docs_url_1 = __importDefault2(require_docs_url());
    var locations_1 = require_locations();
    var message = 'Move this "if" to a new line or add the missing "else".';
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          sameLineCondition: message,
          sonarRuntime: "{{sonarRuntimeData}}",
          suggestAddingElse: 'Add "else" keyword',
          suggestAddingNewline: 'Move this "if" to a new line'
        },
        type: "problem",
        hasSuggestions: true,
        docs: {
          description: "Conditionals should start on new lines",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        },
        schema: [
          {
            // internal parameter
            type: "string",
            enum: ["sonar-runtime"]
          }
        ]
      },
      create(context) {
        function checkStatements(statements) {
          const { sourceCode } = context;
          const siblingIfStatements = getSiblingIfStatements(statements);
          siblingIfStatements.forEach((siblingIfStatement) => {
            const precedingIf = siblingIfStatement.first;
            const followingIf = siblingIfStatement.following;
            if (!!precedingIf.loc && !!followingIf.loc && precedingIf.loc.end.line === followingIf.loc.start.line && precedingIf.loc.start.line !== followingIf.loc.end.line) {
              const precedingIfLastToken = sourceCode.getLastToken(precedingIf);
              const followingIfToken = sourceCode.getFirstToken(followingIf);
              (0, locations_1.report)(context, {
                messageId: "sameLineCondition",
                loc: followingIfToken.loc,
                suggest: [
                  {
                    messageId: "suggestAddingElse",
                    fix: (fixer) => fixer.insertTextBefore(followingIfToken, "else ")
                  },
                  {
                    messageId: "suggestAddingNewline",
                    fix: (fixer) => fixer.replaceTextRange([precedingIf.range[1], followingIf.range[0]], "\n" + " ".repeat(precedingIf.loc.start.column))
                  }
                ]
              }, [(0, locations_1.issueLocation)(precedingIfLastToken.loc)], message);
            }
          });
        }
        return {
          Program: (node) => checkStatements(node.body),
          BlockStatement: (node) => checkStatements(node.body),
          SwitchCase: (node) => checkStatements(node.consequent)
        };
      }
    };
    function getSiblingIfStatements(statements) {
      return statements.reduce((siblingsArray, statement, currentIndex) => {
        const previousStatement = statements[currentIndex - 1];
        if (statement.type === "IfStatement" && !!previousStatement && previousStatement.type === "IfStatement") {
          return [{ first: previousStatement, following: statement }, ...siblingsArray];
        }
        return siblingsArray;
      }, []);
    }
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-small-switch.js
var require_no_small_switch = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-small-switch.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var docs_url_1 = __importDefault2(require_docs_url());
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          smallSwitch: '"switch" statements should have at least 3 "case" clauses'
        },
        schema: [],
        type: "suggestion",
        docs: {
          description: '"switch" statements should have at least 3 "case" clauses',
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        }
      },
      create(context) {
        return {
          SwitchStatement(node) {
            const switchStatement = node;
            const { cases: cases6 } = switchStatement;
            const hasDefault = cases6.some((x) => !x.test);
            if (cases6.length < 2 || cases6.length === 2 && hasDefault) {
              const firstToken = context.sourceCode.getFirstToken(node);
              if (firstToken) {
                context.report({
                  messageId: "smallSwitch",
                  loc: firstToken.loc
                });
              }
            }
          }
        };
      }
    };
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/collections.js
var require_collections = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/utils/collections.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.writingMethods = exports2.collectionConstructor = void 0;
    exports2.collectionConstructor = ["Array", "Map", "Set", "WeakSet", "WeakMap"];
    exports2.writingMethods = [
      // array methods
      "copyWithin",
      "fill",
      "pop",
      "push",
      "reverse",
      "set",
      "shift",
      "sort",
      "splice",
      "unshift",
      // map, set methods
      "add",
      "clear",
      "delete"
    ];
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-unused-collection.js
var require_no_unused_collection = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-unused-collection.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var collections_1 = require_collections();
    var docs_url_1 = __importDefault2(require_docs_url());
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          unusedCollection: "Either use this collection's contents or remove the collection."
        },
        schema: [],
        type: "problem",
        docs: {
          description: "Collection and array contents should be used",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        }
      },
      create(context) {
        return {
          "Program:exit": (node) => {
            const unusedArrays = [];
            collectUnusedCollections(context.sourceCode.getScope(node), unusedArrays);
            unusedArrays.forEach((unusedArray) => {
              context.report({
                messageId: "unusedCollection",
                node: unusedArray.identifiers[0]
              });
            });
          }
        };
      }
    };
    function collectUnusedCollections(scope, unusedArray) {
      if (scope.type !== "global") {
        scope.variables.filter(isUnusedCollection).forEach((v) => {
          unusedArray.push(v);
        });
      }
      scope.childScopes.forEach((childScope) => {
        collectUnusedCollections(childScope, unusedArray);
      });
    }
    function isExported(variable) {
      const definition = variable.defs[0];
      return definition && definition.node.parent?.parent?.type.startsWith("Export");
    }
    function isUnusedCollection(variable) {
      if (isExported(variable)) {
        return false;
      }
      if (variable.references.length <= 1) {
        return false;
      }
      let assignCollection = false;
      for (const ref of variable.references) {
        if (ref.isWriteOnly()) {
          if (isReferenceAssigningCollection(ref)) {
            assignCollection = true;
          } else {
            return false;
          }
        } else if (isRead(ref)) {
          return false;
        }
      }
      return assignCollection;
    }
    function isReferenceAssigningCollection(ref) {
      const declOrExprStmt = findFirstMatchingAncestor(ref.identifier, (n) => n.type === "VariableDeclarator" || n.type === "ExpressionStatement");
      if (declOrExprStmt) {
        if (declOrExprStmt.type === "VariableDeclarator" && declOrExprStmt.init) {
          return isCollectionType(declOrExprStmt.init);
        }
        if (declOrExprStmt.type === "ExpressionStatement") {
          const { expression } = declOrExprStmt;
          return expression.type === "AssignmentExpression" && isReferenceTo(ref, expression.left) && isCollectionType(expression.right);
        }
      }
      return false;
    }
    function isCollectionType(node) {
      if (node && node.type === "ArrayExpression") {
        return true;
      } else if (node && (node.type === "CallExpression" || node.type === "NewExpression")) {
        return isIdentifier(node.callee, ...collections_1.collectionConstructor);
      }
      return false;
    }
    function isRead(ref) {
      const expressionStatement = findFirstMatchingAncestor(ref.identifier, (n) => n.type === "ExpressionStatement");
      if (expressionStatement) {
        return !(isElementWrite(expressionStatement, ref) || isWritingMethodCall(expressionStatement, ref));
      }
      return true;
    }
    function isWritingMethodCall(statement, ref) {
      if (statement.expression.type === "CallExpression") {
        const { callee } = statement.expression;
        if (isMemberExpression2(callee)) {
          const { property } = callee;
          return isReferenceTo(ref, callee.object) && isIdentifier(property, ...collections_1.writingMethods);
        }
      }
      return false;
    }
    function isMemberExpression2(node) {
      return node.type === "MemberExpression";
    }
    function isElementWrite(statement, ref) {
      if (statement.expression.type === "AssignmentExpression") {
        const assignmentExpression = statement.expression;
        const lhs = assignmentExpression.left;
        return isMemberExpressionReference(lhs, ref);
      }
      return false;
    }
    function isMemberExpressionReference(lhs, ref) {
      return lhs.type === "MemberExpression" && isReferenceTo(ref, lhs.object);
    }
    function isIdentifier(node, ...values) {
      return node.type === "Identifier" && values.some((value) => value === node.name);
    }
    function isReferenceTo(ref, node) {
      return node.type === "Identifier" && node === ref.identifier;
    }
    function findFirstMatchingAncestor(node, predicate) {
      return ancestorsChain(node, /* @__PURE__ */ new Set()).find(predicate);
    }
    function ancestorsChain(node, boundaryTypes) {
      const chain = [];
      let currentNode = node.parent;
      while (currentNode) {
        chain.push(currentNode);
        if (boundaryTypes.has(currentNode.type)) {
          break;
        }
        currentNode = currentNode.parent;
      }
      return chain;
    }
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-use-of-empty-return-value.js
var require_no_use_of_empty_return_value = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-use-of-empty-return-value.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var nodes_1 = require_nodes();
    var docs_url_1 = __importDefault2(require_docs_url());
    var EMPTY_RETURN_VALUE_KEYWORDS = /* @__PURE__ */ new Set([
      "TSVoidKeyword",
      "TSNeverKeyword",
      "TSUndefinedKeyword"
    ]);
    function isReturnValueUsed(callExpr) {
      const { parent } = callExpr;
      if (!parent) {
        return false;
      }
      if (parent.type === "LogicalExpression") {
        return parent.left === callExpr;
      }
      if (parent.type === "SequenceExpression") {
        return parent.expressions[parent.expressions.length - 1] === callExpr;
      }
      if (parent.type === "ConditionalExpression") {
        return parent.test === callExpr;
      }
      return parent.type !== "ExpressionStatement" && parent.type !== "ArrowFunctionExpression" && parent.type !== "UnaryExpression" && parent.type !== "AwaitExpression" && parent.type !== "ReturnStatement" && parent.type !== "ThrowStatement";
    }
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          removeUseOfOutput: `Remove this use of the output from "{{name}}"; "{{name}}" doesn't return anything.`
        },
        schema: [],
        type: "problem",
        docs: {
          description: "The output of functions that don't return anything should not be used",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        }
      },
      create(context) {
        const callExpressionsToCheck = /* @__PURE__ */ new Map();
        const functionsWithReturnValue = /* @__PURE__ */ new Set();
        return {
          CallExpression(node) {
            const callExpr = node;
            if (!isReturnValueUsed(callExpr)) {
              return;
            }
            const scope = context.sourceCode.getScope(node);
            const reference = scope.references.find((ref) => ref.identifier === callExpr.callee);
            if (reference?.resolved) {
              const variable = reference.resolved;
              if (variable.defs.length === 1) {
                const definition = variable.defs[0];
                if (definition.type === "FunctionName") {
                  callExpressionsToCheck.set(reference.identifier, definition.node);
                } else if (definition.type === "Variable") {
                  const { init } = definition.node;
                  if (init && ((0, nodes_1.isFunctionExpression)(init) || (0, nodes_1.isArrowFunctionExpression)(init))) {
                    callExpressionsToCheck.set(reference.identifier, init);
                  }
                }
              }
            }
          },
          ReturnStatement(node) {
            const returnStmt = node;
            if (returnStmt.argument) {
              const ancestors = [...context.sourceCode.getAncestors(node)].reverse();
              const functionNode = ancestors.find((node2) => node2.type === "FunctionExpression" || node2.type === "FunctionDeclaration" || node2.type === "ArrowFunctionExpression");
              functionsWithReturnValue.add(functionNode);
            }
          },
          ArrowFunctionExpression(node) {
            const arrowFunc = node;
            if (arrowFunc.expression) {
              functionsWithReturnValue.add(arrowFunc);
            }
          },
          ":function"(node) {
            const func = node;
            if (func.async || func.generator || (0, nodes_1.isBlockStatement)(func.body) && func.body.body.length === 0) {
              functionsWithReturnValue.add(func);
            }
          },
          TSDeclareFunction(node) {
            const declareFunction = node;
            if (declareFunction.returnType?.typeAnnotation.type && !EMPTY_RETURN_VALUE_KEYWORDS.has(declareFunction.returnType?.typeAnnotation.type)) {
              functionsWithReturnValue.add(declareFunction);
            }
          },
          "Program:exit"() {
            callExpressionsToCheck.forEach((functionDeclaration, callee) => {
              if (!functionsWithReturnValue.has(functionDeclaration)) {
                context.report({
                  messageId: "removeUseOfOutput",
                  node: callee,
                  data: { name: callee.name }
                });
              }
            });
          }
        };
      }
    };
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-useless-catch.js
var require_no_useless_catch = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/no-useless-catch.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var nodes_1 = require_nodes();
    var equivalence_1 = require_equivalence();
    var docs_url_1 = __importDefault2(require_docs_url());
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          uselessCatch: "Add logic to this catch clause or eliminate it and rethrow the exception automatically."
        },
        schema: [],
        type: "suggestion",
        docs: {
          description: '"catch" clauses should do more than rethrow',
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        }
      },
      create(context) {
        return {
          CatchClause: (node) => visitCatchClause(node, context)
        };
      }
    };
    function visitCatchClause(catchClause, context) {
      const statements = catchClause.body.body;
      if (catchClause.param && statements.length === 1 && onlyRethrows(statements[0], catchClause.param, context.sourceCode)) {
        const catchKeyword = context.sourceCode.getFirstToken(catchClause);
        context.report({
          messageId: "uselessCatch",
          loc: catchKeyword.loc
        });
      }
    }
    function onlyRethrows(statement, catchParam, sourceCode) {
      return (0, nodes_1.isThrowStatement)(statement) && catchParam !== null && statement.argument !== null && (0, equivalence_1.areEquivalent)(catchParam, statement.argument, sourceCode);
    }
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/non-existent-operator.js
var require_non_existent_operator = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/non-existent-operator.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var docs_url_1 = __importDefault2(require_docs_url());
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          useExistingOperator: 'Was "{{operator}}=" meant instead?',
          suggestExistingOperator: 'Replace with "{{operator}}" operator'
        },
        schema: [],
        type: "problem",
        hasSuggestions: true,
        docs: {
          description: 'Non-existent operators "=+", "=-" and "=!" should not be used',
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        }
      },
      create(context) {
        return {
          AssignmentExpression(node) {
            const assignmentExpression = node;
            if (assignmentExpression.operator === "=") {
              checkOperator(context, assignmentExpression.right);
            }
          },
          VariableDeclarator(node) {
            const variableDeclarator = node;
            checkOperator(context, variableDeclarator.init);
          }
        };
      }
    };
    function checkOperator(context, unaryNode) {
      if (unaryNode && unaryNode.type === "UnaryExpression" && isUnaryOperatorOfInterest(unaryNode.operator)) {
        const { sourceCode } = context;
        const assignmentOperatorToken = sourceCode.getTokenBefore(unaryNode, (token) => token.value === "=");
        const unaryOperatorToken = sourceCode.getFirstToken(unaryNode);
        const expressionFirstToken = sourceCode.getFirstToken(unaryNode.argument);
        if (assignmentOperatorToken != null && unaryOperatorToken != null && expressionFirstToken != null && areAdjacent(assignmentOperatorToken, unaryOperatorToken) && !areAdjacent(unaryOperatorToken, expressionFirstToken)) {
          const suggest = [];
          if (unaryNode.parent?.type === "AssignmentExpression") {
            const range = [
              assignmentOperatorToken.range[0],
              unaryOperatorToken.range[1]
            ];
            const invertedOperators = unaryOperatorToken.value + assignmentOperatorToken.value;
            suggest.push({
              messageId: "suggestExistingOperator",
              data: {
                operator: invertedOperators
              },
              fix: (fixer) => fixer.replaceTextRange(range, invertedOperators)
            });
          }
          context.report({
            messageId: "useExistingOperator",
            data: {
              operator: unaryNode.operator
            },
            loc: { start: assignmentOperatorToken.loc.start, end: unaryOperatorToken.loc.end },
            suggest
          });
        }
      }
    }
    function isUnaryOperatorOfInterest(operator) {
      return operator === "-" || operator === "+" || operator === "!";
    }
    function areAdjacent(first, second) {
      return first.loc.end.column === second.loc.start.column && first.loc.end.line === second.loc.start.line;
    }
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/prefer-immediate-return.js
var require_prefer_immediate_return = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/prefer-immediate-return.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var nodes_1 = require_nodes();
    var docs_url_1 = __importDefault2(require_docs_url());
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          doImmediateAction: 'Immediately {{action}} this expression instead of assigning it to the temporary variable "{{variable}}".'
        },
        schema: [],
        type: "suggestion",
        docs: {
          description: "Local variables should not be declared and then immediately returned or thrown",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        },
        fixable: "code"
      },
      create(context) {
        return {
          BlockStatement(node) {
            processStatements(node, node.body);
          },
          SwitchCase(node) {
            processStatements(node, node.consequent);
          }
        };
        function processStatements(node, statements) {
          if (statements.length > 1) {
            const last = statements[statements.length - 1];
            const returnedIdentifier = getOnlyReturnedVariable(last);
            const lastButOne = statements[statements.length - 2];
            const declaredIdentifier = getOnlyDeclaredVariable(lastButOne);
            if (returnedIdentifier && declaredIdentifier) {
              const sameVariable = getVariables(node, context).find((variable) => {
                return variable.references.find((ref) => ref.identifier === returnedIdentifier) !== void 0 && variable.references.find((ref) => ref.identifier === declaredIdentifier.id) !== void 0;
              });
              if (sameVariable && sameVariable.references.filter((ref) => ref.isRead()).length === 1) {
                context.report({
                  messageId: "doImmediateAction",
                  data: {
                    action: (0, nodes_1.isReturnStatement)(last) ? "return" : "throw",
                    variable: returnedIdentifier.name
                  },
                  node: declaredIdentifier.init,
                  fix: (fixer) => fix11(fixer, last, lastButOne, declaredIdentifier.init, returnedIdentifier)
                });
              }
            }
          }
        }
        function fix11(fixer, last, lastButOne, expressionToReturn, returnedExpression) {
          const expressionText = context.sourceCode.getText(expressionToReturn);
          const rangeToRemoveStart = lastButOne.range[0];
          const commentsBetweenStatements = context.sourceCode.getCommentsAfter(lastButOne);
          const rangeToRemoveEnd = commentsBetweenStatements.length > 0 ? commentsBetweenStatements[0].range[0] : last.range[0];
          return [
            fixer.removeRange([rangeToRemoveStart, rangeToRemoveEnd]),
            fixer.replaceText(returnedExpression, expressionText)
          ];
        }
        function getOnlyReturnedVariable(node) {
          return ((0, nodes_1.isReturnStatement)(node) || (0, nodes_1.isThrowStatement)(node)) && node.argument && (0, nodes_1.isIdentifier)(node.argument) ? node.argument : void 0;
        }
        function getOnlyDeclaredVariable(node) {
          if ((0, nodes_1.isVariableDeclaration)(node) && node.declarations.length === 1) {
            const { id, init } = node.declarations[0];
            if ((0, nodes_1.isIdentifier)(id) && init && !id.typeAnnotation) {
              return { id, init };
            }
          }
          return void 0;
        }
        function getVariables(node, context2) {
          const { variableScope, variables: currentScopeVariables } = context2.sourceCode.getScope(node);
          if (variableScope === context2.sourceCode.getScope(node)) {
            return currentScopeVariables;
          } else {
            return currentScopeVariables.concat(variableScope.variables);
          }
        }
      }
    };
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/prefer-object-literal.js
var require_prefer_object_literal = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/prefer-object-literal.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var nodes_1 = require_nodes();
    var equivalence_1 = require_equivalence();
    var docs_url_1 = __importDefault2(require_docs_url());
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          declarePropertiesInsideObject: "Declare one or more properties of this object inside of the object literal syntax instead of using separate statements."
        },
        schema: [],
        type: "suggestion",
        docs: {
          description: "Object literal syntax should be used",
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        }
      },
      create(context) {
        return {
          BlockStatement: (node) => checkObjectInitialization(node.body, context),
          Program: (node) => {
            const statements = node.body.filter((statement) => !(0, nodes_1.isModuleDeclaration)(statement));
            checkObjectInitialization(statements, context);
          }
        };
      }
    };
    function checkObjectInitialization(statements, context) {
      let index = 0;
      while (index < statements.length - 1) {
        const objectDeclaration = getObjectDeclaration(statements[index]);
        if (objectDeclaration && (0, nodes_1.isIdentifier)(objectDeclaration.id)) {
          const nextStmt = statements[index + 1];
          if (isPropertyAssignment(nextStmt, objectDeclaration.id, context.sourceCode)) {
            context.report({ messageId: "declarePropertiesInsideObject", node: objectDeclaration });
          }
        }
        index++;
      }
    }
    function getObjectDeclaration(statement) {
      if ((0, nodes_1.isVariableDeclaration)(statement)) {
        return statement.declarations.find((declaration) => !!declaration.init && isEmptyObjectExpression(declaration.init));
      }
      return void 0;
    }
    function isEmptyObjectExpression(expression) {
      return (0, nodes_1.isObjectExpression)(expression) && expression.properties.length === 0;
    }
    function isPropertyAssignment(statement, objectIdentifier, sourceCode) {
      if ((0, nodes_1.isExpressionStatement)(statement) && (0, nodes_1.isAssignmentExpression)(statement.expression)) {
        const { left, right } = statement.expression;
        if ((0, nodes_1.isMemberExpression)(left)) {
          return !left.computed && isSingleLineExpression(right, sourceCode) && (0, equivalence_1.areEquivalent)(left.object, objectIdentifier, sourceCode) && !isCircularReference(left, right, sourceCode);
        }
      }
      return false;
      function isSingleLineExpression(expression, sourceCode2) {
        const first = sourceCode2.getFirstToken(expression).loc;
        const last = sourceCode2.getLastToken(expression).loc;
        return first.start.line === last.end.line;
      }
      function isCircularReference(left, right, sourceCode2) {
        return (0, equivalence_1.areEquivalent)(left.object, right, sourceCode2);
      }
    }
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/prefer-single-boolean-return.js
var require_prefer_single_boolean_return = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/prefer-single-boolean-return.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var nodes_1 = require_nodes();
    var docs_url_1 = __importDefault2(require_docs_url());
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          replaceIfThenElseByReturn: "Replace this if-then-else flow by a single return statement.",
          suggest: "Replace with single return statement",
          suggestCast: 'Replace with single return statement using "!!" cast',
          suggestBoolean: "Replace with single return statement without cast (condition should be boolean!)"
        },
        schema: [],
        type: "suggestion",
        hasSuggestions: true,
        docs: {
          description: 'Return of boolean expressions should not be wrapped into an "if-then-else" statement',
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        }
      },
      create(context) {
        return {
          IfStatement(node) {
            if (
              // ignore `else if`
              !(0, nodes_1.isIfStatement)(node.parent) && returnsBoolean(node.consequent) && alternateReturnsBoolean(node)
            ) {
              context.report({
                messageId: "replaceIfThenElseByReturn",
                node,
                suggest: getSuggestion(node)
              });
            }
          }
        };
        function alternateReturnsBoolean(node) {
          if (node.alternate) {
            return returnsBoolean(node.alternate);
          }
          const { parent } = node;
          if (parent?.type === "BlockStatement") {
            const ifStmtIndex = parent.body.findIndex((stmt) => stmt === node);
            return isSimpleReturnBooleanLiteral(parent.body[ifStmtIndex + 1]);
          }
          return false;
        }
        function returnsBoolean(statement) {
          return statement !== void 0 && (isBlockReturningBooleanLiteral(statement) || isSimpleReturnBooleanLiteral(statement));
        }
        function isBlockReturningBooleanLiteral(statement) {
          return (0, nodes_1.isBlockStatement)(statement) && statement.body.length === 1 && isSimpleReturnBooleanLiteral(statement.body[0]);
        }
        function isSimpleReturnBooleanLiteral(statement) {
          return (0, nodes_1.isReturnStatement)(statement) && (0, nodes_1.isBooleanLiteral)(statement.argument || void 0);
        }
        function getSuggestion(ifStmt) {
          const getFix2 = (condition) => {
            return (fixer) => {
              const singleReturn = `return ${condition};`;
              if (ifStmt.alternate) {
                return fixer.replaceText(ifStmt, singleReturn);
              } else {
                const parent = ifStmt.parent;
                const ifStmtIndex = parent.body.findIndex((stmt) => stmt === ifStmt);
                const returnStmt = parent.body[ifStmtIndex + 1];
                const range = [ifStmt.range[0], returnStmt.range[1]];
                return fixer.replaceTextRange(range, singleReturn);
              }
            };
          };
          const shouldNegate = isReturningFalse(ifStmt.consequent);
          const shouldCast = !isBooleanExpression(ifStmt.test);
          const testText = context.sourceCode.getText(ifStmt.test);
          if (shouldNegate) {
            return [{ messageId: "suggest", fix: getFix2(`!(${testText})`) }];
          } else if (!shouldCast) {
            return [{ messageId: "suggest", fix: getFix2(testText) }];
          } else {
            return [
              { messageId: "suggestCast", fix: getFix2(`!!(${testText})`) },
              { messageId: "suggestBoolean", fix: getFix2(testText) }
            ];
          }
        }
        function isReturningFalse(stmt) {
          const returnStmt = stmt.type === "BlockStatement" ? stmt.body[0] : stmt;
          return returnStmt.argument.value === false;
        }
        function isBooleanExpression(expr) {
          return (expr.type === "UnaryExpression" || expr.type === "BinaryExpression") && ["!", "==", "===", "!=", "!==", "<", "<=", ">", ">=", "in", "instanceof"].includes(expr.operator);
        }
      }
    };
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/prefer-while.js
var require_prefer_while = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/rules/prefer-while.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var docs_url_1 = __importDefault2(require_docs_url());
    var rule = {
      defaultOptions: [],
      meta: {
        messages: {
          replaceForWithWhileLoop: 'Replace this "for" loop with a "while" loop.'
        },
        schema: [],
        type: "suggestion",
        docs: {
          description: 'A "while" loop should be used instead of a "for" loop',
          recommended: "recommended",
          url: (0, docs_url_1.default)(__filename)
        },
        fixable: "code"
      },
      create(context) {
        return {
          ForStatement(node) {
            const forLoop = node;
            const forKeyword = context.sourceCode.getFirstToken(node);
            if (!forLoop.init && !forLoop.update && forLoop.test && forKeyword) {
              context.report({
                messageId: `replaceForWithWhileLoop`,
                loc: forKeyword.loc,
                fix: getFix2(forLoop)
              });
            }
          }
        };
        function getFix2(forLoop) {
          const forLoopRange = forLoop.range;
          const closingParenthesisToken = context.sourceCode.getTokenBefore(forLoop.body);
          const condition = forLoop.test;
          if (condition && forLoopRange && closingParenthesisToken) {
            return (fixer) => {
              const start = forLoopRange[0];
              const end = closingParenthesisToken.range[1];
              const conditionText = context.sourceCode.getText(condition);
              return fixer.replaceTextRange([start, end], `while (${conditionText})`);
            };
          }
          return void 0;
        }
      }
    };
    module2.exports = rule;
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/package.json
var require_package10 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/package.json"(exports2, module2) {
    module2.exports = {
      name: "eslint-plugin-sonarjs",
      version: "1.0.3",
      description: "SonarJS rules for ESLint",
      main: "lib/src/index.js",
      types: "lib/src/index.d.ts",
      repository: "git@github.com:SonarSource/eslint-plugin-sonarjs.git",
      license: "LGPL-3.0-only",
      keywords: [
        "sonarjs",
        "eslint",
        "eslintplugin"
      ],
      bugs: {
        url: "https://github.com/SonarSource/eslint-plugin-sonarjs/issues"
      },
      homepage: "https://github.com/SonarSource/eslint-plugin-sonarjs",
      engines: {
        node: ">=16"
      },
      files: [
        "lib",
        "LICENSE"
      ],
      scripts: {
        build: "rimraf lib && tsc -d -p src",
        test: "jest",
        ruling: "ts-node --files ruling/index.ts",
        precommit: "pretty-quick --staged",
        prepare: "husky install .husky",
        prepack: "npm run build",
        format: "prettier --write .",
        "check-format": "prettier --list-different ."
      },
      peerDependencies: {
        eslint: "^8.0.0 || ^9.0.0"
      },
      devDependencies: {
        "@babel/core": "7.24.4",
        "@babel/eslint-parser": "7.24.1",
        "@babel/plugin-proposal-export-default-from": "7.24.1",
        "@babel/plugin-proposal-function-bind": "7.24.1",
        "@babel/preset-env": "7.24.4",
        "@babel/preset-flow": "7.24.1",
        "@babel/preset-react": "7.24.1",
        "@types/eslint": "8.56.10",
        "@types/eslint-ruling": "npm:@types/eslint@^8.56.10",
        "@types/jest": "29.5.12",
        "@types/lodash": "4.17.0",
        "@types/minimist": "1.2.5",
        "@types/node": "20.12.7",
        "@typescript-eslint/parser": "7.7.1",
        "@typescript-eslint/rule-tester": "7.7.1",
        "@typescript-eslint/utils": "7.7.1",
        eslint: "8.57.0",
        "eslint-config-prettier": "9.1.0",
        "eslint-plugin-import": "2.29.1",
        "eslint-plugin-notice": "0.9.10",
        "eslint-plugin-sonarjs": "0.25.1",
        "eslint-ruling": "npm:eslint@8.57.0",
        husky: "9.0.11",
        jest: "29.7.0",
        "jest-sonar-reporter": "2.0.0",
        lodash: "4.17.21",
        minimist: "1.2.8",
        prettier: "3.2.5",
        "pretty-quick": "4.0.0",
        rimraf: "5.0.5",
        semver: "^7.6.0",
        "ts-jest": "29.1.2",
        "ts-node": "10.9.2",
        typescript: "5.4.5"
      },
      prettier: {
        printWidth: 100,
        trailingComma: "all",
        singleQuote: true,
        arrowParens: "avoid",
        endOfLine: "lf"
      },
      jest: {
        roots: [
          "tests",
          "src"
        ],
        collectCoverageFrom: [
          "src/**/*.ts"
        ],
        moduleFileExtensions: [
          "ts",
          "js",
          "json"
        ],
        transform: {
          "^.+\\.ts$": [
            "ts-jest",
            {
              babelConfig: false
            }
          ]
        },
        testMatch: [
          "/tests/**/*.test.ts"
        ]
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/index.js
var require_src4 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-sonarjs@1.0.3_eslint@9.5.0/node_modules/eslint-plugin-sonarjs/lib/src/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.meta = exports2.configs = exports2.rules = void 0;
    var cognitiveComplexity = __importStar2(require_cognitive_complexity());
    var elseifWithoutElse = __importStar2(require_elseif_without_else());
    var maxSwitchCases = __importStar2(require_max_switch_cases());
    var noAllDuplicatedBranches = __importStar2(require_no_all_duplicated_branches());
    var noCollapsibleIf = __importStar2(require_no_collapsible_if());
    var noCollectionSizeMischeck = __importStar2(require_no_collection_size_mischeck());
    var noDuplicateString = __importStar2(require_no_duplicate_string());
    var noDuplicatedBranches = __importStar2(require_no_duplicated_branches());
    var noElementOverwrite = __importStar2(require_no_element_overwrite());
    var noEmptyCollection = __importStar2(require_no_empty_collection());
    var noExtraArguments = __importStar2(require_no_extra_arguments());
    var noGratuitousExpressions = __importStar2(require_no_gratuitous_expressions());
    var noIdenticalConditions = __importStar2(require_no_identical_conditions());
    var noIdenticalExpressions = __importStar2(require_no_identical_expressions());
    var noIdenticalFunctions = __importStar2(require_no_identical_functions());
    var noIgnoredReturn = __importStar2(require_no_ignored_return());
    var noInvertedBooleanCheck = __importStar2(require_no_inverted_boolean_check());
    var noNestedSwitch = __importStar2(require_no_nested_switch());
    var noNestedTemplateLiterals = __importStar2(require_no_nested_template_literals());
    var noOneIterationLoop = __importStar2(require_no_one_iteration_loop());
    var noRedundantBoolean = __importStar2(require_no_redundant_boolean());
    var noRedundantJump = __importStar2(require_no_redundant_jump());
    var noSameLineConditional = __importStar2(require_no_same_line_conditional());
    var noSmallSwitch = __importStar2(require_no_small_switch());
    var noUnusedCollection = __importStar2(require_no_unused_collection());
    var noUseOfEmptyReturnValue = __importStar2(require_no_use_of_empty_return_value());
    var noUselessCatch = __importStar2(require_no_useless_catch());
    var nonExistentOperator = __importStar2(require_non_existent_operator());
    var preferImmediateReturn = __importStar2(require_prefer_immediate_return());
    var preferObjectLiteral = __importStar2(require_prefer_object_literal());
    var preferSingleBooleanReturn = __importStar2(require_prefer_single_boolean_return());
    var preferWhile = __importStar2(require_prefer_while());
    var package_json_1 = require_package10();
    exports2.rules = {
      "cognitive-complexity": cognitiveComplexity,
      "elseif-without-else": elseifWithoutElse,
      "max-switch-cases": maxSwitchCases,
      "no-all-duplicated-branches": noAllDuplicatedBranches,
      "no-collapsible-if": noCollapsibleIf,
      "no-collection-size-mischeck": noCollectionSizeMischeck,
      "no-duplicate-string": noDuplicateString,
      "no-duplicated-branches": noDuplicatedBranches,
      "no-element-overwrite": noElementOverwrite,
      "no-empty-collection": noEmptyCollection,
      "no-extra-arguments": noExtraArguments,
      "no-gratuitous-expressions": noGratuitousExpressions,
      "no-identical-conditions": noIdenticalConditions,
      "no-identical-expressions": noIdenticalExpressions,
      "no-identical-functions": noIdenticalFunctions,
      "no-ignored-return": noIgnoredReturn,
      "no-inverted-boolean-check": noInvertedBooleanCheck,
      "no-nested-switch": noNestedSwitch,
      "no-nested-template-literals": noNestedTemplateLiterals,
      "no-one-iteration-loop": noOneIterationLoop,
      "no-redundant-boolean": noRedundantBoolean,
      "no-redundant-jump": noRedundantJump,
      "no-same-line-conditional": noSameLineConditional,
      "no-small-switch": noSmallSwitch,
      "no-unused-collection": noUnusedCollection,
      "no-use-of-empty-return-value": noUseOfEmptyReturnValue,
      "no-useless-catch": noUselessCatch,
      "non-existent-operator": nonExistentOperator,
      "prefer-immediate-return": preferImmediateReturn,
      "prefer-object-literal": preferObjectLiteral,
      "prefer-single-boolean-return": preferSingleBooleanReturn,
      "prefer-while": preferWhile
    };
    var recommendedLegacyConfig = { plugins: ["sonarjs"], rules: {} };
    var recommendedConfig = {
      plugins: {
        sonarjs: {
          rules: exports2.rules
        }
      },
      rules: {}
    };
    for (const key in exports2.rules) {
      const rule = exports2.rules[key];
      const recommended = rule.meta.docs?.recommended;
      recommendedConfig.rules[`sonarjs/${key}`] = recommended === void 0 ? "off" : "error";
    }
    recommendedLegacyConfig.rules = recommendedConfig.rules;
    exports2.configs = {
      recommended: recommendedConfig,
      "recommended-legacy": recommendedLegacyConfig
    };
    exports2.meta = {
      name: package_json_1.name,
      version: package_json_1.version
    };
    exports2.default = { rules: exports2.rules, configs: exports2.configs, meta: exports2.meta };
  }
});

// node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/modules/require-utils.js
var require_require_utils = __commonJS({
  "node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/modules/require-utils.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.loadNewest = exports2.requireFromCwd = exports2.requireFromLinter = exports2.getRequireFromCwd = exports2.getRequireFromLinter = exports2.createRequire = void 0;
    var path_1 = __importDefault2(require("path"));
    var semver_1 = require_semver2();
    function createRequire3(filename) {
      const Module2 = require("module");
      const fn = Module2.createRequire || Module2.createRequireFromPath || ((filename2) => {
        const mod = new Module2(filename2);
        mod.filename = filename2;
        mod.paths = Module2._nodeModulePaths(path_1.default.dirname(filename2));
        mod._compile("module.exports = require;", filename2);
        return mod.exports;
      });
      return fn(filename);
    }
    exports2.createRequire = createRequire3;
    function isLinterPath(p) {
      return p.includes(`eslint${path_1.default.sep}lib${path_1.default.sep}linter${path_1.default.sep}linter.js`) || p.includes(`eslint${path_1.default.sep}lib${path_1.default.sep}linter.js`);
    }
    function getRequireFromLinter() {
      const linterPath = Object.keys(require.cache).find(isLinterPath);
      if (linterPath) {
        try {
          return createRequire3(linterPath);
        } catch (_a) {
        }
      }
      return null;
    }
    exports2.getRequireFromLinter = getRequireFromLinter;
    function getRequireFromCwd() {
      try {
        const cwd = process.cwd();
        const relativeTo = path_1.default.join(cwd, "__placeholder__.js");
        return createRequire3(relativeTo);
      } catch (_a) {
      }
      return null;
    }
    exports2.getRequireFromCwd = getRequireFromCwd;
    function requireFromLinter(module3) {
      var _a;
      try {
        return (_a = getRequireFromLinter()) === null || _a === void 0 ? void 0 : _a(module3);
      } catch (_b) {
      }
      return null;
    }
    exports2.requireFromLinter = requireFromLinter;
    function requireFromCwd(module3) {
      var _a;
      try {
        return (_a = getRequireFromCwd()) === null || _a === void 0 ? void 0 : _a(module3);
      } catch (_b) {
      }
      return null;
    }
    exports2.requireFromCwd = requireFromCwd;
    function loadNewest(items) {
      let target = null;
      for (const item of items) {
        const pkg = item.getPkg();
        if (pkg != null && (!target || (0, semver_1.lte)(target.version, pkg.version))) {
          target = { version: pkg.version, get: item.get };
        }
      }
      return target.get();
    }
    exports2.loadNewest = loadNewest;
  }
});

// node_modules/.pnpm/espree@9.6.1/node_modules/espree/package.json
var require_package11 = __commonJS({
  "node_modules/.pnpm/espree@9.6.1/node_modules/espree/package.json"(exports2, module2) {
    module2.exports = {
      name: "espree",
      description: "An Esprima-compatible JavaScript parser built on Acorn",
      author: "Nicholas C. Zakas ",
      homepage: "https://github.com/eslint/espree",
      main: "dist/espree.cjs",
      type: "module",
      exports: {
        ".": [
          {
            import: "./espree.js",
            require: "./dist/espree.cjs",
            default: "./dist/espree.cjs"
          },
          "./dist/espree.cjs"
        ],
        "./package.json": "./package.json"
      },
      version: "9.6.1",
      files: [
        "lib",
        "dist/espree.cjs",
        "espree.js"
      ],
      engines: {
        node: "^12.22.0 || ^14.17.0 || >=16.0.0"
      },
      repository: "eslint/espree",
      bugs: {
        url: "https://github.com/eslint/espree/issues"
      },
      funding: "https://opencollective.com/eslint",
      license: "BSD-2-Clause",
      dependencies: {
        acorn: "^8.9.0",
        "acorn-jsx": "^5.3.2",
        "eslint-visitor-keys": "^3.4.1"
      },
      devDependencies: {
        "@rollup/plugin-commonjs": "^17.1.0",
        "@rollup/plugin-json": "^4.1.0",
        "@rollup/plugin-node-resolve": "^11.2.0",
        c8: "^7.11.0",
        chai: "^4.3.6",
        eslint: "^8.44.0",
        "eslint-config-eslint": "^8.0.0",
        "eslint-plugin-n": "^16.0.0",
        "eslint-release": "^3.2.0",
        "esprima-fb": "^8001.2001.0-dev-harmony-fb",
        globals: "^13.20.0",
        "lint-staged": "^13.2.0",
        mocha: "^9.2.2",
        "npm-run-all": "^4.1.5",
        rollup: "^2.41.2",
        shelljs: "^0.3.0",
        yorkie: "^2.0.0"
      },
      keywords: [
        "ast",
        "ecmascript",
        "javascript",
        "parser",
        "syntax",
        "acorn"
      ],
      gitHooks: {
        "pre-commit": "lint-staged"
      },
      scripts: {
        unit: "npm-run-all -s unit:*",
        "unit:esm": "c8 mocha --color --reporter progress --timeout 30000 'tests/lib/**/*.js'",
        "unit:cjs": "mocha --color --reporter progress --timeout 30000 tests/lib/commonjs.cjs",
        test: "npm-run-all -p unit lint",
        lint: "eslint .  --report-unused-disable-directives",
        fixlint: "npm run lint -- --fix",
        build: "rollup -c rollup.config.js",
        "build:debug": "npm run build -- -m",
        "update-version": "node tools/update-version.js",
        pretest: "npm run build",
        prepublishOnly: "npm run update-version && npm run build",
        "sync-docs": "node sync-docs.js",
        "generate-release": "eslint-generate-release",
        "generate-alpharelease": "eslint-generate-prerelease alpha",
        "generate-betarelease": "eslint-generate-prerelease beta",
        "generate-rcrelease": "eslint-generate-prerelease rc",
        "publish-release": "eslint-publish-release"
      }
    };
  }
});

// node_modules/.pnpm/acorn@8.13.0/node_modules/acorn/dist/acorn.js
var require_acorn = __commonJS({
  "node_modules/.pnpm/acorn@8.13.0/node_modules/acorn/dist/acorn.js"(exports2, module2) {
    (function(global2, factory) {
      typeof exports2 === "object" && typeof module2 !== "undefined" ? factory(exports2) : typeof define === "function" && define.amd ? define(["exports"], factory) : (global2 = typeof globalThis !== "undefined" ? globalThis : global2 || self, factory(global2.acorn = {}));
    })(exports2, function(exports3) {
      "use strict";
      var astralIdentifierCodes = [509, 0, 227, 0, 150, 4, 294, 9, 1368, 2, 2, 1, 6, 3, 41, 2, 5, 0, 166, 1, 574, 3, 9, 9, 7, 9, 32, 4, 318, 1, 80, 3, 71, 10, 50, 3, 123, 2, 54, 14, 32, 10, 3, 1, 11, 3, 46, 10, 8, 0, 46, 9, 7, 2, 37, 13, 2, 9, 6, 1, 45, 0, 13, 2, 49, 13, 9, 3, 2, 11, 83, 11, 7, 0, 3, 0, 158, 11, 6, 9, 7, 3, 56, 1, 2, 6, 3, 1, 3, 2, 10, 0, 11, 1, 3, 6, 4, 4, 68, 8, 2, 0, 3, 0, 2, 3, 2, 4, 2, 0, 15, 1, 83, 17, 10, 9, 5, 0, 82, 19, 13, 9, 214, 6, 3, 8, 28, 1, 83, 16, 16, 9, 82, 12, 9, 9, 7, 19, 58, 14, 5, 9, 243, 14, 166, 9, 71, 5, 2, 1, 3, 3, 2, 0, 2, 1, 13, 9, 120, 6, 3, 6, 4, 0, 29, 9, 41, 6, 2, 3, 9, 0, 10, 10, 47, 15, 343, 9, 54, 7, 2, 7, 17, 9, 57, 21, 2, 13, 123, 5, 4, 0, 2, 1, 2, 6, 2, 0, 9, 9, 49, 4, 2, 1, 2, 4, 9, 9, 330, 3, 10, 1, 2, 0, 49, 6, 4, 4, 14, 10, 5350, 0, 7, 14, 11465, 27, 2343, 9, 87, 9, 39, 4, 60, 6, 26, 9, 535, 9, 470, 0, 2, 54, 8, 3, 82, 0, 12, 1, 19628, 1, 4178, 9, 519, 45, 3, 22, 543, 4, 4, 5, 9, 7, 3, 6, 31, 3, 149, 2, 1418, 49, 513, 54, 5, 49, 9, 0, 15, 0, 23, 4, 2, 14, 1361, 6, 2, 16, 3, 6, 2, 1, 2, 4, 101, 0, 161, 6, 10, 9, 357, 0, 62, 13, 499, 13, 245, 1, 2, 9, 726, 6, 110, 6, 6, 9, 4759, 9, 787719, 239];
      var astralIdentifierStartCodes = [0, 11, 2, 25, 2, 18, 2, 1, 2, 14, 3, 13, 35, 122, 70, 52, 268, 28, 4, 48, 48, 31, 14, 29, 6, 37, 11, 29, 3, 35, 5, 7, 2, 4, 43, 157, 19, 35, 5, 35, 5, 39, 9, 51, 13, 10, 2, 14, 2, 6, 2, 1, 2, 10, 2, 14, 2, 6, 2, 1, 4, 51, 13, 310, 10, 21, 11, 7, 25, 5, 2, 41, 2, 8, 70, 5, 3, 0, 2, 43, 2, 1, 4, 0, 3, 22, 11, 22, 10, 30, 66, 18, 2, 1, 11, 21, 11, 25, 71, 55, 7, 1, 65, 0, 16, 3, 2, 2, 2, 28, 43, 28, 4, 28, 36, 7, 2, 27, 28, 53, 11, 21, 11, 18, 14, 17, 111, 72, 56, 50, 14, 50, 14, 35, 39, 27, 10, 22, 251, 41, 7, 1, 17, 2, 60, 28, 11, 0, 9, 21, 43, 17, 47, 20, 28, 22, 13, 52, 58, 1, 3, 0, 14, 44, 33, 24, 27, 35, 30, 0, 3, 0, 9, 34, 4, 0, 13, 47, 15, 3, 22, 0, 2, 0, 36, 17, 2, 24, 20, 1, 64, 6, 2, 0, 2, 3, 2, 14, 2, 9, 8, 46, 39, 7, 3, 1, 3, 21, 2, 6, 2, 1, 2, 4, 4, 0, 19, 0, 13, 4, 31, 9, 2, 0, 3, 0, 2, 37, 2, 0, 26, 0, 2, 0, 45, 52, 19, 3, 21, 2, 31, 47, 21, 1, 2, 0, 185, 46, 42, 3, 37, 47, 21, 0, 60, 42, 14, 0, 72, 26, 38, 6, 186, 43, 117, 63, 32, 7, 3, 0, 3, 7, 2, 1, 2, 23, 16, 0, 2, 0, 95, 7, 3, 38, 17, 0, 2, 0, 29, 0, 11, 39, 8, 0, 22, 0, 12, 45, 20, 0, 19, 72, 200, 32, 32, 8, 2, 36, 18, 0, 50, 29, 113, 6, 2, 1, 2, 37, 22, 0, 26, 5, 2, 1, 2, 31, 15, 0, 328, 18, 16, 0, 2, 12, 2, 33, 125, 0, 80, 921, 103, 110, 18, 195, 2637, 96, 16, 1071, 18, 5, 26, 3994, 6, 582, 6842, 29, 1763, 568, 8, 30, 18, 78, 18, 29, 19, 47, 17, 3, 32, 20, 6, 18, 433, 44, 212, 63, 129, 74, 6, 0, 67, 12, 65, 1, 2, 0, 29, 6135, 9, 1237, 42, 9, 8936, 3, 2, 6, 2, 1, 2, 290, 16, 0, 30, 2, 3, 0, 15, 3, 9, 395, 2309, 106, 6, 12, 4, 8, 8, 9, 5991, 84, 2, 70, 2, 1, 3, 0, 3, 1, 3, 3, 2, 11, 2, 0, 2, 6, 2, 64, 2, 3, 3, 7, 2, 6, 2, 27, 2, 3, 2, 4, 2, 0, 4, 6, 2, 339, 3, 24, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 7, 1845, 30, 7, 5, 262, 61, 147, 44, 11, 6, 17, 0, 322, 29, 19, 43, 485, 27, 229, 29, 3, 0, 496, 6, 2, 3, 2, 1, 2, 14, 2, 196, 60, 67, 8, 0, 1205, 3, 2, 26, 2, 1, 2, 0, 3, 0, 2, 9, 2, 3, 2, 0, 2, 0, 7, 0, 5, 0, 2, 0, 2, 0, 2, 2, 2, 1, 2, 0, 3, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 1, 2, 0, 3, 3, 2, 6, 2, 3, 2, 3, 2, 0, 2, 9, 2, 16, 6, 2, 2, 4, 2, 16, 4421, 42719, 33, 4153, 7, 221, 3, 5761, 15, 7472, 16, 621, 2467, 541, 1507, 4938, 6, 4191];
      var nonASCIIidentifierChars = "\u200C\u200D\xB7\u0300-\u036F\u0387\u0483-\u0487\u0591-\u05BD\u05BF\u05C1\u05C2\u05C4\u05C5\u05C7\u0610-\u061A\u064B-\u0669\u0670\u06D6-\u06DC\u06DF-\u06E4\u06E7\u06E8\u06EA-\u06ED\u06F0-\u06F9\u0711\u0730-\u074A\u07A6-\u07B0\u07C0-\u07C9\u07EB-\u07F3\u07FD\u0816-\u0819\u081B-\u0823\u0825-\u0827\u0829-\u082D\u0859-\u085B\u0897-\u089F\u08CA-\u08E1\u08E3-\u0903\u093A-\u093C\u093E-\u094F\u0951-\u0957\u0962\u0963\u0966-\u096F\u0981-\u0983\u09BC\u09BE-\u09C4\u09C7\u09C8\u09CB-\u09CD\u09D7\u09E2\u09E3\u09E6-\u09EF\u09FE\u0A01-\u0A03\u0A3C\u0A3E-\u0A42\u0A47\u0A48\u0A4B-\u0A4D\u0A51\u0A66-\u0A71\u0A75\u0A81-\u0A83\u0ABC\u0ABE-\u0AC5\u0AC7-\u0AC9\u0ACB-\u0ACD\u0AE2\u0AE3\u0AE6-\u0AEF\u0AFA-\u0AFF\u0B01-\u0B03\u0B3C\u0B3E-\u0B44\u0B47\u0B48\u0B4B-\u0B4D\u0B55-\u0B57\u0B62\u0B63\u0B66-\u0B6F\u0B82\u0BBE-\u0BC2\u0BC6-\u0BC8\u0BCA-\u0BCD\u0BD7\u0BE6-\u0BEF\u0C00-\u0C04\u0C3C\u0C3E-\u0C44\u0C46-\u0C48\u0C4A-\u0C4D\u0C55\u0C56\u0C62\u0C63\u0C66-\u0C6F\u0C81-\u0C83\u0CBC\u0CBE-\u0CC4\u0CC6-\u0CC8\u0CCA-\u0CCD\u0CD5\u0CD6\u0CE2\u0CE3\u0CE6-\u0CEF\u0CF3\u0D00-\u0D03\u0D3B\u0D3C\u0D3E-\u0D44\u0D46-\u0D48\u0D4A-\u0D4D\u0D57\u0D62\u0D63\u0D66-\u0D6F\u0D81-\u0D83\u0DCA\u0DCF-\u0DD4\u0DD6\u0DD8-\u0DDF\u0DE6-\u0DEF\u0DF2\u0DF3\u0E31\u0E34-\u0E3A\u0E47-\u0E4E\u0E50-\u0E59\u0EB1\u0EB4-\u0EBC\u0EC8-\u0ECE\u0ED0-\u0ED9\u0F18\u0F19\u0F20-\u0F29\u0F35\u0F37\u0F39\u0F3E\u0F3F\u0F71-\u0F84\u0F86\u0F87\u0F8D-\u0F97\u0F99-\u0FBC\u0FC6\u102B-\u103E\u1040-\u1049\u1056-\u1059\u105E-\u1060\u1062-\u1064\u1067-\u106D\u1071-\u1074\u1082-\u108D\u108F-\u109D\u135D-\u135F\u1369-\u1371\u1712-\u1715\u1732-\u1734\u1752\u1753\u1772\u1773\u17B4-\u17D3\u17DD\u17E0-\u17E9\u180B-\u180D\u180F-\u1819\u18A9\u1920-\u192B\u1930-\u193B\u1946-\u194F\u19D0-\u19DA\u1A17-\u1A1B\u1A55-\u1A5E\u1A60-\u1A7C\u1A7F-\u1A89\u1A90-\u1A99\u1AB0-\u1ABD\u1ABF-\u1ACE\u1B00-\u1B04\u1B34-\u1B44\u1B50-\u1B59\u1B6B-\u1B73\u1B80-\u1B82\u1BA1-\u1BAD\u1BB0-\u1BB9\u1BE6-\u1BF3\u1C24-\u1C37\u1C40-\u1C49\u1C50-\u1C59\u1CD0-\u1CD2\u1CD4-\u1CE8\u1CED\u1CF4\u1CF7-\u1CF9\u1DC0-\u1DFF\u200C\u200D\u203F\u2040\u2054\u20D0-\u20DC\u20E1\u20E5-\u20F0\u2CEF-\u2CF1\u2D7F\u2DE0-\u2DFF\u302A-\u302F\u3099\u309A\u30FB\uA620-\uA629\uA66F\uA674-\uA67D\uA69E\uA69F\uA6F0\uA6F1\uA802\uA806\uA80B\uA823-\uA827\uA82C\uA880\uA881\uA8B4-\uA8C5\uA8D0-\uA8D9\uA8E0-\uA8F1\uA8FF-\uA909\uA926-\uA92D\uA947-\uA953\uA980-\uA983\uA9B3-\uA9C0\uA9D0-\uA9D9\uA9E5\uA9F0-\uA9F9\uAA29-\uAA36\uAA43\uAA4C\uAA4D\uAA50-\uAA59\uAA7B-\uAA7D\uAAB0\uAAB2-\uAAB4\uAAB7\uAAB8\uAABE\uAABF\uAAC1\uAAEB-\uAAEF\uAAF5\uAAF6\uABE3-\uABEA\uABEC\uABED\uABF0-\uABF9\uFB1E\uFE00-\uFE0F\uFE20-\uFE2F\uFE33\uFE34\uFE4D-\uFE4F\uFF10-\uFF19\uFF3F\uFF65";
      var nonASCIIidentifierStartChars = "\xAA\xB5\xBA\xC0-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0370-\u0374\u0376\u0377\u037A-\u037D\u037F\u0386\u0388-\u038A\u038C\u038E-\u03A1\u03A3-\u03F5\u03F7-\u0481\u048A-\u052F\u0531-\u0556\u0559\u0560-\u0588\u05D0-\u05EA\u05EF-\u05F2\u0620-\u064A\u066E\u066F\u0671-\u06D3\u06D5\u06E5\u06E6\u06EE\u06EF\u06FA-\u06FC\u06FF\u0710\u0712-\u072F\u074D-\u07A5\u07B1\u07CA-\u07EA\u07F4\u07F5\u07FA\u0800-\u0815\u081A\u0824\u0828\u0840-\u0858\u0860-\u086A\u0870-\u0887\u0889-\u088E\u08A0-\u08C9\u0904-\u0939\u093D\u0950\u0958-\u0961\u0971-\u0980\u0985-\u098C\u098F\u0990\u0993-\u09A8\u09AA-\u09B0\u09B2\u09B6-\u09B9\u09BD\u09CE\u09DC\u09DD\u09DF-\u09E1\u09F0\u09F1\u09FC\u0A05-\u0A0A\u0A0F\u0A10\u0A13-\u0A28\u0A2A-\u0A30\u0A32\u0A33\u0A35\u0A36\u0A38\u0A39\u0A59-\u0A5C\u0A5E\u0A72-\u0A74\u0A85-\u0A8D\u0A8F-\u0A91\u0A93-\u0AA8\u0AAA-\u0AB0\u0AB2\u0AB3\u0AB5-\u0AB9\u0ABD\u0AD0\u0AE0\u0AE1\u0AF9\u0B05-\u0B0C\u0B0F\u0B10\u0B13-\u0B28\u0B2A-\u0B30\u0B32\u0B33\u0B35-\u0B39\u0B3D\u0B5C\u0B5D\u0B5F-\u0B61\u0B71\u0B83\u0B85-\u0B8A\u0B8E-\u0B90\u0B92-\u0B95\u0B99\u0B9A\u0B9C\u0B9E\u0B9F\u0BA3\u0BA4\u0BA8-\u0BAA\u0BAE-\u0BB9\u0BD0\u0C05-\u0C0C\u0C0E-\u0C10\u0C12-\u0C28\u0C2A-\u0C39\u0C3D\u0C58-\u0C5A\u0C5D\u0C60\u0C61\u0C80\u0C85-\u0C8C\u0C8E-\u0C90\u0C92-\u0CA8\u0CAA-\u0CB3\u0CB5-\u0CB9\u0CBD\u0CDD\u0CDE\u0CE0\u0CE1\u0CF1\u0CF2\u0D04-\u0D0C\u0D0E-\u0D10\u0D12-\u0D3A\u0D3D\u0D4E\u0D54-\u0D56\u0D5F-\u0D61\u0D7A-\u0D7F\u0D85-\u0D96\u0D9A-\u0DB1\u0DB3-\u0DBB\u0DBD\u0DC0-\u0DC6\u0E01-\u0E30\u0E32\u0E33\u0E40-\u0E46\u0E81\u0E82\u0E84\u0E86-\u0E8A\u0E8C-\u0EA3\u0EA5\u0EA7-\u0EB0\u0EB2\u0EB3\u0EBD\u0EC0-\u0EC4\u0EC6\u0EDC-\u0EDF\u0F00\u0F40-\u0F47\u0F49-\u0F6C\u0F88-\u0F8C\u1000-\u102A\u103F\u1050-\u1055\u105A-\u105D\u1061\u1065\u1066\u106E-\u1070\u1075-\u1081\u108E\u10A0-\u10C5\u10C7\u10CD\u10D0-\u10FA\u10FC-\u1248\u124A-\u124D\u1250-\u1256\u1258\u125A-\u125D\u1260-\u1288\u128A-\u128D\u1290-\u12B0\u12B2-\u12B5\u12B8-\u12BE\u12C0\u12C2-\u12C5\u12C8-\u12D6\u12D8-\u1310\u1312-\u1315\u1318-\u135A\u1380-\u138F\u13A0-\u13F5\u13F8-\u13FD\u1401-\u166C\u166F-\u167F\u1681-\u169A\u16A0-\u16EA\u16EE-\u16F8\u1700-\u1711\u171F-\u1731\u1740-\u1751\u1760-\u176C\u176E-\u1770\u1780-\u17B3\u17D7\u17DC\u1820-\u1878\u1880-\u18A8\u18AA\u18B0-\u18F5\u1900-\u191E\u1950-\u196D\u1970-\u1974\u1980-\u19AB\u19B0-\u19C9\u1A00-\u1A16\u1A20-\u1A54\u1AA7\u1B05-\u1B33\u1B45-\u1B4C\u1B83-\u1BA0\u1BAE\u1BAF\u1BBA-\u1BE5\u1C00-\u1C23\u1C4D-\u1C4F\u1C5A-\u1C7D\u1C80-\u1C8A\u1C90-\u1CBA\u1CBD-\u1CBF\u1CE9-\u1CEC\u1CEE-\u1CF3\u1CF5\u1CF6\u1CFA\u1D00-\u1DBF\u1E00-\u1F15\u1F18-\u1F1D\u1F20-\u1F45\u1F48-\u1F4D\u1F50-\u1F57\u1F59\u1F5B\u1F5D\u1F5F-\u1F7D\u1F80-\u1FB4\u1FB6-\u1FBC\u1FBE\u1FC2-\u1FC4\u1FC6-\u1FCC\u1FD0-\u1FD3\u1FD6-\u1FDB\u1FE0-\u1FEC\u1FF2-\u1FF4\u1FF6-\u1FFC\u2071\u207F\u2090-\u209C\u2102\u2107\u210A-\u2113\u2115\u2118-\u211D\u2124\u2126\u2128\u212A-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2160-\u2188\u2C00-\u2CE4\u2CEB-\u2CEE\u2CF2\u2CF3\u2D00-\u2D25\u2D27\u2D2D\u2D30-\u2D67\u2D6F\u2D80-\u2D96\u2DA0-\u2DA6\u2DA8-\u2DAE\u2DB0-\u2DB6\u2DB8-\u2DBE\u2DC0-\u2DC6\u2DC8-\u2DCE\u2DD0-\u2DD6\u2DD8-\u2DDE\u3005-\u3007\u3021-\u3029\u3031-\u3035\u3038-\u303C\u3041-\u3096\u309B-\u309F\u30A1-\u30FA\u30FC-\u30FF\u3105-\u312F\u3131-\u318E\u31A0-\u31BF\u31F0-\u31FF\u3400-\u4DBF\u4E00-\uA48C\uA4D0-\uA4FD\uA500-\uA60C\uA610-\uA61F\uA62A\uA62B\uA640-\uA66E\uA67F-\uA69D\uA6A0-\uA6EF\uA717-\uA71F\uA722-\uA788\uA78B-\uA7CD\uA7D0\uA7D1\uA7D3\uA7D5-\uA7DC\uA7F2-\uA801\uA803-\uA805\uA807-\uA80A\uA80C-\uA822\uA840-\uA873\uA882-\uA8B3\uA8F2-\uA8F7\uA8FB\uA8FD\uA8FE\uA90A-\uA925\uA930-\uA946\uA960-\uA97C\uA984-\uA9B2\uA9CF\uA9E0-\uA9E4\uA9E6-\uA9EF\uA9FA-\uA9FE\uAA00-\uAA28\uAA40-\uAA42\uAA44-\uAA4B\uAA60-\uAA76\uAA7A\uAA7E-\uAAAF\uAAB1\uAAB5\uAAB6\uAAB9-\uAABD\uAAC0\uAAC2\uAADB-\uAADD\uAAE0-\uAAEA\uAAF2-\uAAF4\uAB01-\uAB06\uAB09-\uAB0E\uAB11-\uAB16\uAB20-\uAB26\uAB28-\uAB2E\uAB30-\uAB5A\uAB5C-\uAB69\uAB70-\uABE2\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFA6D\uFA70-\uFAD9\uFB00-\uFB06\uFB13-\uFB17\uFB1D\uFB1F-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE70-\uFE74\uFE76-\uFEFC\uFF21-\uFF3A\uFF41-\uFF5A\uFF66-\uFFBE\uFFC2-\uFFC7\uFFCA-\uFFCF\uFFD2-\uFFD7\uFFDA-\uFFDC";
      var reservedWords = {
        3: "abstract boolean byte char class double enum export extends final float goto implements import int interface long native package private protected public short static super synchronized throws transient volatile",
        5: "class enum extends super const export import",
        6: "enum",
        strict: "implements interface let package private protected public static yield",
        strictBind: "eval arguments"
      };
      var ecma5AndLessKeywords = "break case catch continue debugger default do else finally for function if return switch throw try var while with null true false instanceof typeof void delete new in this";
      var keywords$1 = {
        5: ecma5AndLessKeywords,
        "5module": ecma5AndLessKeywords + " export import",
        6: ecma5AndLessKeywords + " const class extends export import super"
      };
      var keywordRelationalOperator = /^in(stanceof)?$/;
      var nonASCIIidentifierStart = new RegExp("[" + nonASCIIidentifierStartChars + "]");
      var nonASCIIidentifier = new RegExp("[" + nonASCIIidentifierStartChars + nonASCIIidentifierChars + "]");
      function isInAstralSet(code, set) {
        var pos = 65536;
        for (var i2 = 0; i2 < set.length; i2 += 2) {
          pos += set[i2];
          if (pos > code) {
            return false;
          }
          pos += set[i2 + 1];
          if (pos >= code) {
            return true;
          }
        }
        return false;
      }
      function isIdentifierStart(code, astral) {
        if (code < 65) {
          return code === 36;
        }
        if (code < 91) {
          return true;
        }
        if (code < 97) {
          return code === 95;
        }
        if (code < 123) {
          return true;
        }
        if (code <= 65535) {
          return code >= 170 && nonASCIIidentifierStart.test(String.fromCharCode(code));
        }
        if (astral === false) {
          return false;
        }
        return isInAstralSet(code, astralIdentifierStartCodes);
      }
      function isIdentifierChar(code, astral) {
        if (code < 48) {
          return code === 36;
        }
        if (code < 58) {
          return true;
        }
        if (code < 65) {
          return false;
        }
        if (code < 91) {
          return true;
        }
        if (code < 97) {
          return code === 95;
        }
        if (code < 123) {
          return true;
        }
        if (code <= 65535) {
          return code >= 170 && nonASCIIidentifier.test(String.fromCharCode(code));
        }
        if (astral === false) {
          return false;
        }
        return isInAstralSet(code, astralIdentifierStartCodes) || isInAstralSet(code, astralIdentifierCodes);
      }
      var TokenType = function TokenType2(label, conf) {
        if (conf === void 0) conf = {};
        this.label = label;
        this.keyword = conf.keyword;
        this.beforeExpr = !!conf.beforeExpr;
        this.startsExpr = !!conf.startsExpr;
        this.isLoop = !!conf.isLoop;
        this.isAssign = !!conf.isAssign;
        this.prefix = !!conf.prefix;
        this.postfix = !!conf.postfix;
        this.binop = conf.binop || null;
        this.updateContext = null;
      };
      function binop(name, prec) {
        return new TokenType(name, { beforeExpr: true, binop: prec });
      }
      var beforeExpr = { beforeExpr: true }, startsExpr = { startsExpr: true };
      var keywords = {};
      function kw(name, options) {
        if (options === void 0) options = {};
        options.keyword = name;
        return keywords[name] = new TokenType(name, options);
      }
      var types$1 = {
        num: new TokenType("num", startsExpr),
        regexp: new TokenType("regexp", startsExpr),
        string: new TokenType("string", startsExpr),
        name: new TokenType("name", startsExpr),
        privateId: new TokenType("privateId", startsExpr),
        eof: new TokenType("eof"),
        // Punctuation token types.
        bracketL: new TokenType("[", { beforeExpr: true, startsExpr: true }),
        bracketR: new TokenType("]"),
        braceL: new TokenType("{", { beforeExpr: true, startsExpr: true }),
        braceR: new TokenType("}"),
        parenL: new TokenType("(", { beforeExpr: true, startsExpr: true }),
        parenR: new TokenType(")"),
        comma: new TokenType(",", beforeExpr),
        semi: new TokenType(";", beforeExpr),
        colon: new TokenType(":", beforeExpr),
        dot: new TokenType("."),
        question: new TokenType("?", beforeExpr),
        questionDot: new TokenType("?."),
        arrow: new TokenType("=>", beforeExpr),
        template: new TokenType("template"),
        invalidTemplate: new TokenType("invalidTemplate"),
        ellipsis: new TokenType("...", beforeExpr),
        backQuote: new TokenType("`", startsExpr),
        dollarBraceL: new TokenType("${", { beforeExpr: true, startsExpr: true }),
        // Operators. These carry several kinds of properties to help the
        // parser use them properly (the presence of these properties is
        // what categorizes them as operators).
        //
        // `binop`, when present, specifies that this operator is a binary
        // operator, and will refer to its precedence.
        //
        // `prefix` and `postfix` mark the operator as a prefix or postfix
        // unary operator.
        //
        // `isAssign` marks all of `=`, `+=`, `-=` etcetera, which act as
        // binary operators with a very low precedence, that should result
        // in AssignmentExpression nodes.
        eq: new TokenType("=", { beforeExpr: true, isAssign: true }),
        assign: new TokenType("_=", { beforeExpr: true, isAssign: true }),
        incDec: new TokenType("++/--", { prefix: true, postfix: true, startsExpr: true }),
        prefix: new TokenType("!/~", { beforeExpr: true, prefix: true, startsExpr: true }),
        logicalOR: binop("||", 1),
        logicalAND: binop("&&", 2),
        bitwiseOR: binop("|", 3),
        bitwiseXOR: binop("^", 4),
        bitwiseAND: binop("&", 5),
        equality: binop("==/!=/===/!==", 6),
        relational: binop("/<=/>=", 7),
        bitShift: binop("<>/>>>", 8),
        plusMin: new TokenType("+/-", { beforeExpr: true, binop: 9, prefix: true, startsExpr: true }),
        modulo: binop("%", 10),
        star: binop("*", 10),
        slash: binop("/", 10),
        starstar: new TokenType("**", { beforeExpr: true }),
        coalesce: binop("??", 1),
        // Keyword token types.
        _break: kw("break"),
        _case: kw("case", beforeExpr),
        _catch: kw("catch"),
        _continue: kw("continue"),
        _debugger: kw("debugger"),
        _default: kw("default", beforeExpr),
        _do: kw("do", { isLoop: true, beforeExpr: true }),
        _else: kw("else", beforeExpr),
        _finally: kw("finally"),
        _for: kw("for", { isLoop: true }),
        _function: kw("function", startsExpr),
        _if: kw("if"),
        _return: kw("return", beforeExpr),
        _switch: kw("switch"),
        _throw: kw("throw", beforeExpr),
        _try: kw("try"),
        _var: kw("var"),
        _const: kw("const"),
        _while: kw("while", { isLoop: true }),
        _with: kw("with"),
        _new: kw("new", { beforeExpr: true, startsExpr: true }),
        _this: kw("this", startsExpr),
        _super: kw("super", startsExpr),
        _class: kw("class", startsExpr),
        _extends: kw("extends", beforeExpr),
        _export: kw("export"),
        _import: kw("import", startsExpr),
        _null: kw("null", startsExpr),
        _true: kw("true", startsExpr),
        _false: kw("false", startsExpr),
        _in: kw("in", { beforeExpr: true, binop: 7 }),
        _instanceof: kw("instanceof", { beforeExpr: true, binop: 7 }),
        _typeof: kw("typeof", { beforeExpr: true, prefix: true, startsExpr: true }),
        _void: kw("void", { beforeExpr: true, prefix: true, startsExpr: true }),
        _delete: kw("delete", { beforeExpr: true, prefix: true, startsExpr: true })
      };
      var lineBreak = /\r\n?|\n|\u2028|\u2029/;
      var lineBreakG = new RegExp(lineBreak.source, "g");
      function isNewLine(code) {
        return code === 10 || code === 13 || code === 8232 || code === 8233;
      }
      function nextLineBreak(code, from, end) {
        if (end === void 0) end = code.length;
        for (var i2 = from; i2 < end; i2++) {
          var next = code.charCodeAt(i2);
          if (isNewLine(next)) {
            return i2 < end - 1 && next === 13 && code.charCodeAt(i2 + 1) === 10 ? i2 + 2 : i2 + 1;
          }
        }
        return -1;
      }
      var nonASCIIwhitespace = /[\u1680\u2000-\u200a\u202f\u205f\u3000\ufeff]/;
      var skipWhiteSpace = /(?:\s|\/\/.*|\/\*[^]*?\*\/)*/g;
      var ref = Object.prototype;
      var hasOwnProperty10 = ref.hasOwnProperty;
      var toString2 = ref.toString;
      var hasOwn = Object.hasOwn || function(obj, propName) {
        return hasOwnProperty10.call(obj, propName);
      };
      var isArray3 = Array.isArray || function(obj) {
        return toString2.call(obj) === "[object Array]";
      };
      var regexpCache = /* @__PURE__ */ Object.create(null);
      function wordsRegexp(words2) {
        return regexpCache[words2] || (regexpCache[words2] = new RegExp("^(?:" + words2.replace(/ /g, "|") + ")$"));
      }
      function codePointToString(code) {
        if (code <= 65535) {
          return String.fromCharCode(code);
        }
        code -= 65536;
        return String.fromCharCode((code >> 10) + 55296, (code & 1023) + 56320);
      }
      var loneSurrogate = /(?:[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF])/;
      var Position = function Position2(line, col) {
        this.line = line;
        this.column = col;
      };
      Position.prototype.offset = function offset(n) {
        return new Position(this.line, this.column + n);
      };
      var SourceLocation = function SourceLocation2(p, start, end) {
        this.start = start;
        this.end = end;
        if (p.sourceFile !== null) {
          this.source = p.sourceFile;
        }
      };
      function getLineInfo(input, offset) {
        for (var line = 1, cur = 0; ; ) {
          var nextBreak = nextLineBreak(input, cur, offset);
          if (nextBreak < 0) {
            return new Position(line, offset - cur);
          }
          ++line;
          cur = nextBreak;
        }
      }
      var defaultOptions2 = {
        // `ecmaVersion` indicates the ECMAScript version to parse. Must be
        // either 3, 5, 6 (or 2015), 7 (2016), 8 (2017), 9 (2018), 10
        // (2019), 11 (2020), 12 (2021), 13 (2022), 14 (2023), or `"latest"`
        // (the latest version the library supports). This influences
        // support for strict mode, the set of reserved words, and support
        // for new syntax features.
        ecmaVersion: null,
        // `sourceType` indicates the mode the code should be parsed in.
        // Can be either `"script"` or `"module"`. This influences global
        // strict mode and parsing of `import` and `export` declarations.
        sourceType: "script",
        // `onInsertedSemicolon` can be a callback that will be called when
        // a semicolon is automatically inserted. It will be passed the
        // position of the inserted semicolon as an offset, and if
        // `locations` is enabled, it is given the location as a `{line,
        // column}` object as second argument.
        onInsertedSemicolon: null,
        // `onTrailingComma` is similar to `onInsertedSemicolon`, but for
        // trailing commas.
        onTrailingComma: null,
        // By default, reserved words are only enforced if ecmaVersion >= 5.
        // Set `allowReserved` to a boolean value to explicitly turn this on
        // an off. When this option has the value "never", reserved words
        // and keywords can also not be used as property names.
        allowReserved: null,
        // When enabled, a return at the top level is not considered an
        // error.
        allowReturnOutsideFunction: false,
        // When enabled, import/export statements are not constrained to
        // appearing at the top of the program, and an import.meta expression
        // in a script isn't considered an error.
        allowImportExportEverywhere: false,
        // By default, await identifiers are allowed to appear at the top-level scope only if ecmaVersion >= 2022.
        // When enabled, await identifiers are allowed to appear at the top-level scope,
        // but they are still not allowed in non-async functions.
        allowAwaitOutsideFunction: null,
        // When enabled, super identifiers are not constrained to
        // appearing in methods and do not raise an error when they appear elsewhere.
        allowSuperOutsideMethod: null,
        // When enabled, hashbang directive in the beginning of file is
        // allowed and treated as a line comment. Enabled by default when
        // `ecmaVersion` >= 2023.
        allowHashBang: false,
        // By default, the parser will verify that private properties are
        // only used in places where they are valid and have been declared.
        // Set this to false to turn such checks off.
        checkPrivateFields: true,
        // When `locations` is on, `loc` properties holding objects with
        // `start` and `end` properties in `{line, column}` form (with
        // line being 1-based and column 0-based) will be attached to the
        // nodes.
        locations: false,
        // A function can be passed as `onToken` option, which will
        // cause Acorn to call that function with object in the same
        // format as tokens returned from `tokenizer().getToken()`. Note
        // that you are not allowed to call the parser from the
        // callback—that will corrupt its internal state.
        onToken: null,
        // A function can be passed as `onComment` option, which will
        // cause Acorn to call that function with `(block, text, start,
        // end)` parameters whenever a comment is skipped. `block` is a
        // boolean indicating whether this is a block (`/* */`) comment,
        // `text` is the content of the comment, and `start` and `end` are
        // character offsets that denote the start and end of the comment.
        // When the `locations` option is on, two more parameters are
        // passed, the full `{line, column}` locations of the start and
        // end of the comments. Note that you are not allowed to call the
        // parser from the callback—that will corrupt its internal state.
        // When this option has an array as value, objects representing the
        // comments are pushed to it.
        onComment: null,
        // Nodes have their start and end characters offsets recorded in
        // `start` and `end` properties (directly on the node, rather than
        // the `loc` object, which holds line/column data. To also add a
        // [semi-standardized][range] `range` property holding a `[start,
        // end]` array with the same numbers, set the `ranges` option to
        // `true`.
        //
        // [range]: https://bugzilla.mozilla.org/show_bug.cgi?id=745678
        ranges: false,
        // It is possible to parse multiple files into a single AST by
        // passing the tree produced by parsing the first file as
        // `program` option in subsequent parses. This will add the
        // toplevel forms of the parsed file to the `Program` (top) node
        // of an existing parse tree.
        program: null,
        // When `locations` is on, you can pass this to record the source
        // file in every node's `loc` object.
        sourceFile: null,
        // This value, if given, is stored in every node, whether
        // `locations` is on or off.
        directSourceFile: null,
        // When enabled, parenthesized expressions are represented by
        // (non-standard) ParenthesizedExpression nodes
        preserveParens: false
      };
      var warnedAboutEcmaVersion = false;
      function getOptions(opts) {
        var options = {};
        for (var opt in defaultOptions2) {
          options[opt] = opts && hasOwn(opts, opt) ? opts[opt] : defaultOptions2[opt];
        }
        if (options.ecmaVersion === "latest") {
          options.ecmaVersion = 1e8;
        } else if (options.ecmaVersion == null) {
          if (!warnedAboutEcmaVersion && typeof console === "object" && console.warn) {
            warnedAboutEcmaVersion = true;
            console.warn("Since Acorn 8.0.0, options.ecmaVersion is required.\nDefaulting to 2020, but this will stop working in the future.");
          }
          options.ecmaVersion = 11;
        } else if (options.ecmaVersion >= 2015) {
          options.ecmaVersion -= 2009;
        }
        if (options.allowReserved == null) {
          options.allowReserved = options.ecmaVersion < 5;
        }
        if (!opts || opts.allowHashBang == null) {
          options.allowHashBang = options.ecmaVersion >= 14;
        }
        if (isArray3(options.onToken)) {
          var tokens = options.onToken;
          options.onToken = function(token) {
            return tokens.push(token);
          };
        }
        if (isArray3(options.onComment)) {
          options.onComment = pushComment(options, options.onComment);
        }
        return options;
      }
      function pushComment(options, array) {
        return function(block, text, start, end, startLoc, endLoc) {
          var comment = {
            type: block ? "Block" : "Line",
            value: text,
            start,
            end
          };
          if (options.locations) {
            comment.loc = new SourceLocation(this, startLoc, endLoc);
          }
          if (options.ranges) {
            comment.range = [start, end];
          }
          array.push(comment);
        };
      }
      var SCOPE_TOP = 1, SCOPE_FUNCTION = 2, SCOPE_ASYNC = 4, SCOPE_GENERATOR = 8, SCOPE_ARROW = 16, SCOPE_SIMPLE_CATCH = 32, SCOPE_SUPER = 64, SCOPE_DIRECT_SUPER = 128, SCOPE_CLASS_STATIC_BLOCK = 256, SCOPE_VAR = SCOPE_TOP | SCOPE_FUNCTION | SCOPE_CLASS_STATIC_BLOCK;
      function functionFlags(async, generator) {
        return SCOPE_FUNCTION | (async ? SCOPE_ASYNC : 0) | (generator ? SCOPE_GENERATOR : 0);
      }
      var BIND_NONE = 0, BIND_VAR = 1, BIND_LEXICAL = 2, BIND_FUNCTION = 3, BIND_SIMPLE_CATCH = 4, BIND_OUTSIDE = 5;
      var Parser = function Parser2(options, input, startPos) {
        this.options = options = getOptions(options);
        this.sourceFile = options.sourceFile;
        this.keywords = wordsRegexp(keywords$1[options.ecmaVersion >= 6 ? 6 : options.sourceType === "module" ? "5module" : 5]);
        var reserved = "";
        if (options.allowReserved !== true) {
          reserved = reservedWords[options.ecmaVersion >= 6 ? 6 : options.ecmaVersion === 5 ? 5 : 3];
          if (options.sourceType === "module") {
            reserved += " await";
          }
        }
        this.reservedWords = wordsRegexp(reserved);
        var reservedStrict = (reserved ? reserved + " " : "") + reservedWords.strict;
        this.reservedWordsStrict = wordsRegexp(reservedStrict);
        this.reservedWordsStrictBind = wordsRegexp(reservedStrict + " " + reservedWords.strictBind);
        this.input = String(input);
        this.containsEsc = false;
        if (startPos) {
          this.pos = startPos;
          this.lineStart = this.input.lastIndexOf("\n", startPos - 1) + 1;
          this.curLine = this.input.slice(0, this.lineStart).split(lineBreak).length;
        } else {
          this.pos = this.lineStart = 0;
          this.curLine = 1;
        }
        this.type = types$1.eof;
        this.value = null;
        this.start = this.end = this.pos;
        this.startLoc = this.endLoc = this.curPosition();
        this.lastTokEndLoc = this.lastTokStartLoc = null;
        this.lastTokStart = this.lastTokEnd = this.pos;
        this.context = this.initialContext();
        this.exprAllowed = true;
        this.inModule = options.sourceType === "module";
        this.strict = this.inModule || this.strictDirective(this.pos);
        this.potentialArrowAt = -1;
        this.potentialArrowInForAwait = false;
        this.yieldPos = this.awaitPos = this.awaitIdentPos = 0;
        this.labels = [];
        this.undefinedExports = /* @__PURE__ */ Object.create(null);
        if (this.pos === 0 && options.allowHashBang && this.input.slice(0, 2) === "#!") {
          this.skipLineComment(2);
        }
        this.scopeStack = [];
        this.enterScope(SCOPE_TOP);
        this.regexpState = null;
        this.privateNameStack = [];
      };
      var prototypeAccessors = { inFunction: { configurable: true }, inGenerator: { configurable: true }, inAsync: { configurable: true }, canAwait: { configurable: true }, allowSuper: { configurable: true }, allowDirectSuper: { configurable: true }, treatFunctionsAsVar: { configurable: true }, allowNewDotTarget: { configurable: true }, inClassStaticBlock: { configurable: true } };
      Parser.prototype.parse = function parse3() {
        var node = this.options.program || this.startNode();
        this.nextToken();
        return this.parseTopLevel(node);
      };
      prototypeAccessors.inFunction.get = function() {
        return (this.currentVarScope().flags & SCOPE_FUNCTION) > 0;
      };
      prototypeAccessors.inGenerator.get = function() {
        return (this.currentVarScope().flags & SCOPE_GENERATOR) > 0 && !this.currentVarScope().inClassFieldInit;
      };
      prototypeAccessors.inAsync.get = function() {
        return (this.currentVarScope().flags & SCOPE_ASYNC) > 0 && !this.currentVarScope().inClassFieldInit;
      };
      prototypeAccessors.canAwait.get = function() {
        for (var i2 = this.scopeStack.length - 1; i2 >= 0; i2--) {
          var scope = this.scopeStack[i2];
          if (scope.inClassFieldInit || scope.flags & SCOPE_CLASS_STATIC_BLOCK) {
            return false;
          }
          if (scope.flags & SCOPE_FUNCTION) {
            return (scope.flags & SCOPE_ASYNC) > 0;
          }
        }
        return this.inModule && this.options.ecmaVersion >= 13 || this.options.allowAwaitOutsideFunction;
      };
      prototypeAccessors.allowSuper.get = function() {
        var ref2 = this.currentThisScope();
        var flags = ref2.flags;
        var inClassFieldInit = ref2.inClassFieldInit;
        return (flags & SCOPE_SUPER) > 0 || inClassFieldInit || this.options.allowSuperOutsideMethod;
      };
      prototypeAccessors.allowDirectSuper.get = function() {
        return (this.currentThisScope().flags & SCOPE_DIRECT_SUPER) > 0;
      };
      prototypeAccessors.treatFunctionsAsVar.get = function() {
        return this.treatFunctionsAsVarInScope(this.currentScope());
      };
      prototypeAccessors.allowNewDotTarget.get = function() {
        var ref2 = this.currentThisScope();
        var flags = ref2.flags;
        var inClassFieldInit = ref2.inClassFieldInit;
        return (flags & (SCOPE_FUNCTION | SCOPE_CLASS_STATIC_BLOCK)) > 0 || inClassFieldInit;
      };
      prototypeAccessors.inClassStaticBlock.get = function() {
        return (this.currentVarScope().flags & SCOPE_CLASS_STATIC_BLOCK) > 0;
      };
      Parser.extend = function extend() {
        var plugins = [], len = arguments.length;
        while (len--) plugins[len] = arguments[len];
        var cls = this;
        for (var i2 = 0; i2 < plugins.length; i2++) {
          cls = plugins[i2](cls);
        }
        return cls;
      };
      Parser.parse = function parse3(input, options) {
        return new this(options, input).parse();
      };
      Parser.parseExpressionAt = function parseExpressionAt2(input, pos, options) {
        var parser = new this(options, input, pos);
        parser.nextToken();
        return parser.parseExpression();
      };
      Parser.tokenizer = function tokenizer2(input, options) {
        return new this(options, input);
      };
      Object.defineProperties(Parser.prototype, prototypeAccessors);
      var pp$9 = Parser.prototype;
      var literal = /^(?:'((?:\\[^]|[^'\\])*?)'|"((?:\\[^]|[^"\\])*?)")/;
      pp$9.strictDirective = function(start) {
        if (this.options.ecmaVersion < 5) {
          return false;
        }
        for (; ; ) {
          skipWhiteSpace.lastIndex = start;
          start += skipWhiteSpace.exec(this.input)[0].length;
          var match = literal.exec(this.input.slice(start));
          if (!match) {
            return false;
          }
          if ((match[1] || match[2]) === "use strict") {
            skipWhiteSpace.lastIndex = start + match[0].length;
            var spaceAfter = skipWhiteSpace.exec(this.input), end = spaceAfter.index + spaceAfter[0].length;
            var next = this.input.charAt(end);
            return next === ";" || next === "}" || lineBreak.test(spaceAfter[0]) && !(/[(`.[+\-/*%<>=,?^&]/.test(next) || next === "!" && this.input.charAt(end + 1) === "=");
          }
          start += match[0].length;
          skipWhiteSpace.lastIndex = start;
          start += skipWhiteSpace.exec(this.input)[0].length;
          if (this.input[start] === ";") {
            start++;
          }
        }
      };
      pp$9.eat = function(type) {
        if (this.type === type) {
          this.next();
          return true;
        } else {
          return false;
        }
      };
      pp$9.isContextual = function(name) {
        return this.type === types$1.name && this.value === name && !this.containsEsc;
      };
      pp$9.eatContextual = function(name) {
        if (!this.isContextual(name)) {
          return false;
        }
        this.next();
        return true;
      };
      pp$9.expectContextual = function(name) {
        if (!this.eatContextual(name)) {
          this.unexpected();
        }
      };
      pp$9.canInsertSemicolon = function() {
        return this.type === types$1.eof || this.type === types$1.braceR || lineBreak.test(this.input.slice(this.lastTokEnd, this.start));
      };
      pp$9.insertSemicolon = function() {
        if (this.canInsertSemicolon()) {
          if (this.options.onInsertedSemicolon) {
            this.options.onInsertedSemicolon(this.lastTokEnd, this.lastTokEndLoc);
          }
          return true;
        }
      };
      pp$9.semicolon = function() {
        if (!this.eat(types$1.semi) && !this.insertSemicolon()) {
          this.unexpected();
        }
      };
      pp$9.afterTrailingComma = function(tokType, notNext) {
        if (this.type === tokType) {
          if (this.options.onTrailingComma) {
            this.options.onTrailingComma(this.lastTokStart, this.lastTokStartLoc);
          }
          if (!notNext) {
            this.next();
          }
          return true;
        }
      };
      pp$9.expect = function(type) {
        this.eat(type) || this.unexpected();
      };
      pp$9.unexpected = function(pos) {
        this.raise(pos != null ? pos : this.start, "Unexpected token");
      };
      var DestructuringErrors = function DestructuringErrors2() {
        this.shorthandAssign = this.trailingComma = this.parenthesizedAssign = this.parenthesizedBind = this.doubleProto = -1;
      };
      pp$9.checkPatternErrors = function(refDestructuringErrors, isAssign) {
        if (!refDestructuringErrors) {
          return;
        }
        if (refDestructuringErrors.trailingComma > -1) {
          this.raiseRecoverable(refDestructuringErrors.trailingComma, "Comma is not permitted after the rest element");
        }
        var parens = isAssign ? refDestructuringErrors.parenthesizedAssign : refDestructuringErrors.parenthesizedBind;
        if (parens > -1) {
          this.raiseRecoverable(parens, isAssign ? "Assigning to rvalue" : "Parenthesized pattern");
        }
      };
      pp$9.checkExpressionErrors = function(refDestructuringErrors, andThrow) {
        if (!refDestructuringErrors) {
          return false;
        }
        var shorthandAssign = refDestructuringErrors.shorthandAssign;
        var doubleProto = refDestructuringErrors.doubleProto;
        if (!andThrow) {
          return shorthandAssign >= 0 || doubleProto >= 0;
        }
        if (shorthandAssign >= 0) {
          this.raise(shorthandAssign, "Shorthand property assignments are valid only in destructuring patterns");
        }
        if (doubleProto >= 0) {
          this.raiseRecoverable(doubleProto, "Redefinition of __proto__ property");
        }
      };
      pp$9.checkYieldAwaitInDefaultParams = function() {
        if (this.yieldPos && (!this.awaitPos || this.yieldPos < this.awaitPos)) {
          this.raise(this.yieldPos, "Yield expression cannot be a default value");
        }
        if (this.awaitPos) {
          this.raise(this.awaitPos, "Await expression cannot be a default value");
        }
      };
      pp$9.isSimpleAssignTarget = function(expr) {
        if (expr.type === "ParenthesizedExpression") {
          return this.isSimpleAssignTarget(expr.expression);
        }
        return expr.type === "Identifier" || expr.type === "MemberExpression";
      };
      var pp$8 = Parser.prototype;
      pp$8.parseTopLevel = function(node) {
        var exports4 = /* @__PURE__ */ Object.create(null);
        if (!node.body) {
          node.body = [];
        }
        while (this.type !== types$1.eof) {
          var stmt = this.parseStatement(null, true, exports4);
          node.body.push(stmt);
        }
        if (this.inModule) {
          for (var i2 = 0, list2 = Object.keys(this.undefinedExports); i2 < list2.length; i2 += 1) {
            var name = list2[i2];
            this.raiseRecoverable(this.undefinedExports[name].start, "Export '" + name + "' is not defined");
          }
        }
        this.adaptDirectivePrologue(node.body);
        this.next();
        node.sourceType = this.options.sourceType;
        return this.finishNode(node, "Program");
      };
      var loopLabel = { kind: "loop" }, switchLabel = { kind: "switch" };
      pp$8.isLet = function(context) {
        if (this.options.ecmaVersion < 6 || !this.isContextual("let")) {
          return false;
        }
        skipWhiteSpace.lastIndex = this.pos;
        var skip = skipWhiteSpace.exec(this.input);
        var next = this.pos + skip[0].length, nextCh = this.input.charCodeAt(next);
        if (nextCh === 91 || nextCh === 92) {
          return true;
        }
        if (context) {
          return false;
        }
        if (nextCh === 123 || nextCh > 55295 && nextCh < 56320) {
          return true;
        }
        if (isIdentifierStart(nextCh, true)) {
          var pos = next + 1;
          while (isIdentifierChar(nextCh = this.input.charCodeAt(pos), true)) {
            ++pos;
          }
          if (nextCh === 92 || nextCh > 55295 && nextCh < 56320) {
            return true;
          }
          var ident = this.input.slice(next, pos);
          if (!keywordRelationalOperator.test(ident)) {
            return true;
          }
        }
        return false;
      };
      pp$8.isAsyncFunction = function() {
        if (this.options.ecmaVersion < 8 || !this.isContextual("async")) {
          return false;
        }
        skipWhiteSpace.lastIndex = this.pos;
        var skip = skipWhiteSpace.exec(this.input);
        var next = this.pos + skip[0].length, after;
        return !lineBreak.test(this.input.slice(this.pos, next)) && this.input.slice(next, next + 8) === "function" && (next + 8 === this.input.length || !(isIdentifierChar(after = this.input.charCodeAt(next + 8)) || after > 55295 && after < 56320));
      };
      pp$8.parseStatement = function(context, topLevel, exports4) {
        var starttype = this.type, node = this.startNode(), kind;
        if (this.isLet(context)) {
          starttype = types$1._var;
          kind = "let";
        }
        switch (starttype) {
          case types$1._break:
          case types$1._continue:
            return this.parseBreakContinueStatement(node, starttype.keyword);
          case types$1._debugger:
            return this.parseDebuggerStatement(node);
          case types$1._do:
            return this.parseDoStatement(node);
          case types$1._for:
            return this.parseForStatement(node);
          case types$1._function:
            if (context && (this.strict || context !== "if" && context !== "label") && this.options.ecmaVersion >= 6) {
              this.unexpected();
            }
            return this.parseFunctionStatement(node, false, !context);
          case types$1._class:
            if (context) {
              this.unexpected();
            }
            return this.parseClass(node, true);
          case types$1._if:
            return this.parseIfStatement(node);
          case types$1._return:
            return this.parseReturnStatement(node);
          case types$1._switch:
            return this.parseSwitchStatement(node);
          case types$1._throw:
            return this.parseThrowStatement(node);
          case types$1._try:
            return this.parseTryStatement(node);
          case types$1._const:
          case types$1._var:
            kind = kind || this.value;
            if (context && kind !== "var") {
              this.unexpected();
            }
            return this.parseVarStatement(node, kind);
          case types$1._while:
            return this.parseWhileStatement(node);
          case types$1._with:
            return this.parseWithStatement(node);
          case types$1.braceL:
            return this.parseBlock(true, node);
          case types$1.semi:
            return this.parseEmptyStatement(node);
          case types$1._export:
          case types$1._import:
            if (this.options.ecmaVersion > 10 && starttype === types$1._import) {
              skipWhiteSpace.lastIndex = this.pos;
              var skip = skipWhiteSpace.exec(this.input);
              var next = this.pos + skip[0].length, nextCh = this.input.charCodeAt(next);
              if (nextCh === 40 || nextCh === 46) {
                return this.parseExpressionStatement(node, this.parseExpression());
              }
            }
            if (!this.options.allowImportExportEverywhere) {
              if (!topLevel) {
                this.raise(this.start, "'import' and 'export' may only appear at the top level");
              }
              if (!this.inModule) {
                this.raise(this.start, "'import' and 'export' may appear only with 'sourceType: module'");
              }
            }
            return starttype === types$1._import ? this.parseImport(node) : this.parseExport(node, exports4);
          default:
            if (this.isAsyncFunction()) {
              if (context) {
                this.unexpected();
              }
              this.next();
              return this.parseFunctionStatement(node, true, !context);
            }
            var maybeName = this.value, expr = this.parseExpression();
            if (starttype === types$1.name && expr.type === "Identifier" && this.eat(types$1.colon)) {
              return this.parseLabeledStatement(node, maybeName, expr, context);
            } else {
              return this.parseExpressionStatement(node, expr);
            }
        }
      };
      pp$8.parseBreakContinueStatement = function(node, keyword) {
        var isBreak = keyword === "break";
        this.next();
        if (this.eat(types$1.semi) || this.insertSemicolon()) {
          node.label = null;
        } else if (this.type !== types$1.name) {
          this.unexpected();
        } else {
          node.label = this.parseIdent();
          this.semicolon();
        }
        var i2 = 0;
        for (; i2 < this.labels.length; ++i2) {
          var lab = this.labels[i2];
          if (node.label == null || lab.name === node.label.name) {
            if (lab.kind != null && (isBreak || lab.kind === "loop")) {
              break;
            }
            if (node.label && isBreak) {
              break;
            }
          }
        }
        if (i2 === this.labels.length) {
          this.raise(node.start, "Unsyntactic " + keyword);
        }
        return this.finishNode(node, isBreak ? "BreakStatement" : "ContinueStatement");
      };
      pp$8.parseDebuggerStatement = function(node) {
        this.next();
        this.semicolon();
        return this.finishNode(node, "DebuggerStatement");
      };
      pp$8.parseDoStatement = function(node) {
        this.next();
        this.labels.push(loopLabel);
        node.body = this.parseStatement("do");
        this.labels.pop();
        this.expect(types$1._while);
        node.test = this.parseParenExpression();
        if (this.options.ecmaVersion >= 6) {
          this.eat(types$1.semi);
        } else {
          this.semicolon();
        }
        return this.finishNode(node, "DoWhileStatement");
      };
      pp$8.parseForStatement = function(node) {
        this.next();
        var awaitAt = this.options.ecmaVersion >= 9 && this.canAwait && this.eatContextual("await") ? this.lastTokStart : -1;
        this.labels.push(loopLabel);
        this.enterScope(0);
        this.expect(types$1.parenL);
        if (this.type === types$1.semi) {
          if (awaitAt > -1) {
            this.unexpected(awaitAt);
          }
          return this.parseFor(node, null);
        }
        var isLet = this.isLet();
        if (this.type === types$1._var || this.type === types$1._const || isLet) {
          var init$1 = this.startNode(), kind = isLet ? "let" : this.value;
          this.next();
          this.parseVar(init$1, true, kind);
          this.finishNode(init$1, "VariableDeclaration");
          if ((this.type === types$1._in || this.options.ecmaVersion >= 6 && this.isContextual("of")) && init$1.declarations.length === 1) {
            if (this.options.ecmaVersion >= 9) {
              if (this.type === types$1._in) {
                if (awaitAt > -1) {
                  this.unexpected(awaitAt);
                }
              } else {
                node.await = awaitAt > -1;
              }
            }
            return this.parseForIn(node, init$1);
          }
          if (awaitAt > -1) {
            this.unexpected(awaitAt);
          }
          return this.parseFor(node, init$1);
        }
        var startsWithLet = this.isContextual("let"), isForOf = false;
        var containsEsc = this.containsEsc;
        var refDestructuringErrors = new DestructuringErrors();
        var initPos = this.start;
        var init = awaitAt > -1 ? this.parseExprSubscripts(refDestructuringErrors, "await") : this.parseExpression(true, refDestructuringErrors);
        if (this.type === types$1._in || (isForOf = this.options.ecmaVersion >= 6 && this.isContextual("of"))) {
          if (awaitAt > -1) {
            if (this.type === types$1._in) {
              this.unexpected(awaitAt);
            }
            node.await = true;
          } else if (isForOf && this.options.ecmaVersion >= 8) {
            if (init.start === initPos && !containsEsc && init.type === "Identifier" && init.name === "async") {
              this.unexpected();
            } else if (this.options.ecmaVersion >= 9) {
              node.await = false;
            }
          }
          if (startsWithLet && isForOf) {
            this.raise(init.start, "The left-hand side of a for-of loop may not start with 'let'.");
          }
          this.toAssignable(init, false, refDestructuringErrors);
          this.checkLValPattern(init);
          return this.parseForIn(node, init);
        } else {
          this.checkExpressionErrors(refDestructuringErrors, true);
        }
        if (awaitAt > -1) {
          this.unexpected(awaitAt);
        }
        return this.parseFor(node, init);
      };
      pp$8.parseFunctionStatement = function(node, isAsync2, declarationPosition) {
        this.next();
        return this.parseFunction(node, FUNC_STATEMENT | (declarationPosition ? 0 : FUNC_HANGING_STATEMENT), false, isAsync2);
      };
      pp$8.parseIfStatement = function(node) {
        this.next();
        node.test = this.parseParenExpression();
        node.consequent = this.parseStatement("if");
        node.alternate = this.eat(types$1._else) ? this.parseStatement("if") : null;
        return this.finishNode(node, "IfStatement");
      };
      pp$8.parseReturnStatement = function(node) {
        if (!this.inFunction && !this.options.allowReturnOutsideFunction) {
          this.raise(this.start, "'return' outside of function");
        }
        this.next();
        if (this.eat(types$1.semi) || this.insertSemicolon()) {
          node.argument = null;
        } else {
          node.argument = this.parseExpression();
          this.semicolon();
        }
        return this.finishNode(node, "ReturnStatement");
      };
      pp$8.parseSwitchStatement = function(node) {
        this.next();
        node.discriminant = this.parseParenExpression();
        node.cases = [];
        this.expect(types$1.braceL);
        this.labels.push(switchLabel);
        this.enterScope(0);
        var cur;
        for (var sawDefault = false; this.type !== types$1.braceR; ) {
          if (this.type === types$1._case || this.type === types$1._default) {
            var isCase = this.type === types$1._case;
            if (cur) {
              this.finishNode(cur, "SwitchCase");
            }
            node.cases.push(cur = this.startNode());
            cur.consequent = [];
            this.next();
            if (isCase) {
              cur.test = this.parseExpression();
            } else {
              if (sawDefault) {
                this.raiseRecoverable(this.lastTokStart, "Multiple default clauses");
              }
              sawDefault = true;
              cur.test = null;
            }
            this.expect(types$1.colon);
          } else {
            if (!cur) {
              this.unexpected();
            }
            cur.consequent.push(this.parseStatement(null));
          }
        }
        this.exitScope();
        if (cur) {
          this.finishNode(cur, "SwitchCase");
        }
        this.next();
        this.labels.pop();
        return this.finishNode(node, "SwitchStatement");
      };
      pp$8.parseThrowStatement = function(node) {
        this.next();
        if (lineBreak.test(this.input.slice(this.lastTokEnd, this.start))) {
          this.raise(this.lastTokEnd, "Illegal newline after throw");
        }
        node.argument = this.parseExpression();
        this.semicolon();
        return this.finishNode(node, "ThrowStatement");
      };
      var empty$1 = [];
      pp$8.parseCatchClauseParam = function() {
        var param = this.parseBindingAtom();
        var simple = param.type === "Identifier";
        this.enterScope(simple ? SCOPE_SIMPLE_CATCH : 0);
        this.checkLValPattern(param, simple ? BIND_SIMPLE_CATCH : BIND_LEXICAL);
        this.expect(types$1.parenR);
        return param;
      };
      pp$8.parseTryStatement = function(node) {
        this.next();
        node.block = this.parseBlock();
        node.handler = null;
        if (this.type === types$1._catch) {
          var clause = this.startNode();
          this.next();
          if (this.eat(types$1.parenL)) {
            clause.param = this.parseCatchClauseParam();
          } else {
            if (this.options.ecmaVersion < 10) {
              this.unexpected();
            }
            clause.param = null;
            this.enterScope(0);
          }
          clause.body = this.parseBlock(false);
          this.exitScope();
          node.handler = this.finishNode(clause, "CatchClause");
        }
        node.finalizer = this.eat(types$1._finally) ? this.parseBlock() : null;
        if (!node.handler && !node.finalizer) {
          this.raise(node.start, "Missing catch or finally clause");
        }
        return this.finishNode(node, "TryStatement");
      };
      pp$8.parseVarStatement = function(node, kind, allowMissingInitializer) {
        this.next();
        this.parseVar(node, false, kind, allowMissingInitializer);
        this.semicolon();
        return this.finishNode(node, "VariableDeclaration");
      };
      pp$8.parseWhileStatement = function(node) {
        this.next();
        node.test = this.parseParenExpression();
        this.labels.push(loopLabel);
        node.body = this.parseStatement("while");
        this.labels.pop();
        return this.finishNode(node, "WhileStatement");
      };
      pp$8.parseWithStatement = function(node) {
        if (this.strict) {
          this.raise(this.start, "'with' in strict mode");
        }
        this.next();
        node.object = this.parseParenExpression();
        node.body = this.parseStatement("with");
        return this.finishNode(node, "WithStatement");
      };
      pp$8.parseEmptyStatement = function(node) {
        this.next();
        return this.finishNode(node, "EmptyStatement");
      };
      pp$8.parseLabeledStatement = function(node, maybeName, expr, context) {
        for (var i$1 = 0, list2 = this.labels; i$1 < list2.length; i$1 += 1) {
          var label = list2[i$1];
          if (label.name === maybeName) {
            this.raise(expr.start, "Label '" + maybeName + "' is already declared");
          }
        }
        var kind = this.type.isLoop ? "loop" : this.type === types$1._switch ? "switch" : null;
        for (var i2 = this.labels.length - 1; i2 >= 0; i2--) {
          var label$1 = this.labels[i2];
          if (label$1.statementStart === node.start) {
            label$1.statementStart = this.start;
            label$1.kind = kind;
          } else {
            break;
          }
        }
        this.labels.push({ name: maybeName, kind, statementStart: this.start });
        node.body = this.parseStatement(context ? context.indexOf("label") === -1 ? context + "label" : context : "label");
        this.labels.pop();
        node.label = expr;
        return this.finishNode(node, "LabeledStatement");
      };
      pp$8.parseExpressionStatement = function(node, expr) {
        node.expression = expr;
        this.semicolon();
        return this.finishNode(node, "ExpressionStatement");
      };
      pp$8.parseBlock = function(createNewLexicalScope, node, exitStrict) {
        if (createNewLexicalScope === void 0) createNewLexicalScope = true;
        if (node === void 0) node = this.startNode();
        node.body = [];
        this.expect(types$1.braceL);
        if (createNewLexicalScope) {
          this.enterScope(0);
        }
        while (this.type !== types$1.braceR) {
          var stmt = this.parseStatement(null);
          node.body.push(stmt);
        }
        if (exitStrict) {
          this.strict = false;
        }
        this.next();
        if (createNewLexicalScope) {
          this.exitScope();
        }
        return this.finishNode(node, "BlockStatement");
      };
      pp$8.parseFor = function(node, init) {
        node.init = init;
        this.expect(types$1.semi);
        node.test = this.type === types$1.semi ? null : this.parseExpression();
        this.expect(types$1.semi);
        node.update = this.type === types$1.parenR ? null : this.parseExpression();
        this.expect(types$1.parenR);
        node.body = this.parseStatement("for");
        this.exitScope();
        this.labels.pop();
        return this.finishNode(node, "ForStatement");
      };
      pp$8.parseForIn = function(node, init) {
        var isForIn = this.type === types$1._in;
        this.next();
        if (init.type === "VariableDeclaration" && init.declarations[0].init != null && (!isForIn || this.options.ecmaVersion < 8 || this.strict || init.kind !== "var" || init.declarations[0].id.type !== "Identifier")) {
          this.raise(
            init.start,
            (isForIn ? "for-in" : "for-of") + " loop variable declaration may not have an initializer"
          );
        }
        node.left = init;
        node.right = isForIn ? this.parseExpression() : this.parseMaybeAssign();
        this.expect(types$1.parenR);
        node.body = this.parseStatement("for");
        this.exitScope();
        this.labels.pop();
        return this.finishNode(node, isForIn ? "ForInStatement" : "ForOfStatement");
      };
      pp$8.parseVar = function(node, isFor, kind, allowMissingInitializer) {
        node.declarations = [];
        node.kind = kind;
        for (; ; ) {
          var decl = this.startNode();
          this.parseVarId(decl, kind);
          if (this.eat(types$1.eq)) {
            decl.init = this.parseMaybeAssign(isFor);
          } else if (!allowMissingInitializer && kind === "const" && !(this.type === types$1._in || this.options.ecmaVersion >= 6 && this.isContextual("of"))) {
            this.unexpected();
          } else if (!allowMissingInitializer && decl.id.type !== "Identifier" && !(isFor && (this.type === types$1._in || this.isContextual("of")))) {
            this.raise(this.lastTokEnd, "Complex binding patterns require an initialization value");
          } else {
            decl.init = null;
          }
          node.declarations.push(this.finishNode(decl, "VariableDeclarator"));
          if (!this.eat(types$1.comma)) {
            break;
          }
        }
        return node;
      };
      pp$8.parseVarId = function(decl, kind) {
        decl.id = this.parseBindingAtom();
        this.checkLValPattern(decl.id, kind === "var" ? BIND_VAR : BIND_LEXICAL, false);
      };
      var FUNC_STATEMENT = 1, FUNC_HANGING_STATEMENT = 2, FUNC_NULLABLE_ID = 4;
      pp$8.parseFunction = function(node, statement, allowExpressionBody, isAsync2, forInit) {
        this.initFunction(node);
        if (this.options.ecmaVersion >= 9 || this.options.ecmaVersion >= 6 && !isAsync2) {
          if (this.type === types$1.star && statement & FUNC_HANGING_STATEMENT) {
            this.unexpected();
          }
          node.generator = this.eat(types$1.star);
        }
        if (this.options.ecmaVersion >= 8) {
          node.async = !!isAsync2;
        }
        if (statement & FUNC_STATEMENT) {
          node.id = statement & FUNC_NULLABLE_ID && this.type !== types$1.name ? null : this.parseIdent();
          if (node.id && !(statement & FUNC_HANGING_STATEMENT)) {
            this.checkLValSimple(node.id, this.strict || node.generator || node.async ? this.treatFunctionsAsVar ? BIND_VAR : BIND_LEXICAL : BIND_FUNCTION);
          }
        }
        var oldYieldPos = this.yieldPos, oldAwaitPos = this.awaitPos, oldAwaitIdentPos = this.awaitIdentPos;
        this.yieldPos = 0;
        this.awaitPos = 0;
        this.awaitIdentPos = 0;
        this.enterScope(functionFlags(node.async, node.generator));
        if (!(statement & FUNC_STATEMENT)) {
          node.id = this.type === types$1.name ? this.parseIdent() : null;
        }
        this.parseFunctionParams(node);
        this.parseFunctionBody(node, allowExpressionBody, false, forInit);
        this.yieldPos = oldYieldPos;
        this.awaitPos = oldAwaitPos;
        this.awaitIdentPos = oldAwaitIdentPos;
        return this.finishNode(node, statement & FUNC_STATEMENT ? "FunctionDeclaration" : "FunctionExpression");
      };
      pp$8.parseFunctionParams = function(node) {
        this.expect(types$1.parenL);
        node.params = this.parseBindingList(types$1.parenR, false, this.options.ecmaVersion >= 8);
        this.checkYieldAwaitInDefaultParams();
      };
      pp$8.parseClass = function(node, isStatement) {
        this.next();
        var oldStrict = this.strict;
        this.strict = true;
        this.parseClassId(node, isStatement);
        this.parseClassSuper(node);
        var privateNameMap = this.enterClassBody();
        var classBody = this.startNode();
        var hadConstructor = false;
        classBody.body = [];
        this.expect(types$1.braceL);
        while (this.type !== types$1.braceR) {
          var element = this.parseClassElement(node.superClass !== null);
          if (element) {
            classBody.body.push(element);
            if (element.type === "MethodDefinition" && element.kind === "constructor") {
              if (hadConstructor) {
                this.raiseRecoverable(element.start, "Duplicate constructor in the same class");
              }
              hadConstructor = true;
            } else if (element.key && element.key.type === "PrivateIdentifier" && isPrivateNameConflicted(privateNameMap, element)) {
              this.raiseRecoverable(element.key.start, "Identifier '#" + element.key.name + "' has already been declared");
            }
          }
        }
        this.strict = oldStrict;
        this.next();
        node.body = this.finishNode(classBody, "ClassBody");
        this.exitClassBody();
        return this.finishNode(node, isStatement ? "ClassDeclaration" : "ClassExpression");
      };
      pp$8.parseClassElement = function(constructorAllowsSuper) {
        if (this.eat(types$1.semi)) {
          return null;
        }
        var ecmaVersion2 = this.options.ecmaVersion;
        var node = this.startNode();
        var keyName = "";
        var isGenerator = false;
        var isAsync2 = false;
        var kind = "method";
        var isStatic = false;
        if (this.eatContextual("static")) {
          if (ecmaVersion2 >= 13 && this.eat(types$1.braceL)) {
            this.parseClassStaticBlock(node);
            return node;
          }
          if (this.isClassElementNameStart() || this.type === types$1.star) {
            isStatic = true;
          } else {
            keyName = "static";
          }
        }
        node.static = isStatic;
        if (!keyName && ecmaVersion2 >= 8 && this.eatContextual("async")) {
          if ((this.isClassElementNameStart() || this.type === types$1.star) && !this.canInsertSemicolon()) {
            isAsync2 = true;
          } else {
            keyName = "async";
          }
        }
        if (!keyName && (ecmaVersion2 >= 9 || !isAsync2) && this.eat(types$1.star)) {
          isGenerator = true;
        }
        if (!keyName && !isAsync2 && !isGenerator) {
          var lastValue = this.value;
          if (this.eatContextual("get") || this.eatContextual("set")) {
            if (this.isClassElementNameStart()) {
              kind = lastValue;
            } else {
              keyName = lastValue;
            }
          }
        }
        if (keyName) {
          node.computed = false;
          node.key = this.startNodeAt(this.lastTokStart, this.lastTokStartLoc);
          node.key.name = keyName;
          this.finishNode(node.key, "Identifier");
        } else {
          this.parseClassElementName(node);
        }
        if (ecmaVersion2 < 13 || this.type === types$1.parenL || kind !== "method" || isGenerator || isAsync2) {
          var isConstructor = !node.static && checkKeyName(node, "constructor");
          var allowsDirectSuper = isConstructor && constructorAllowsSuper;
          if (isConstructor && kind !== "method") {
            this.raise(node.key.start, "Constructor can't have get/set modifier");
          }
          node.kind = isConstructor ? "constructor" : kind;
          this.parseClassMethod(node, isGenerator, isAsync2, allowsDirectSuper);
        } else {
          this.parseClassField(node);
        }
        return node;
      };
      pp$8.isClassElementNameStart = function() {
        return this.type === types$1.name || this.type === types$1.privateId || this.type === types$1.num || this.type === types$1.string || this.type === types$1.bracketL || this.type.keyword;
      };
      pp$8.parseClassElementName = function(element) {
        if (this.type === types$1.privateId) {
          if (this.value === "constructor") {
            this.raise(this.start, "Classes can't have an element named '#constructor'");
          }
          element.computed = false;
          element.key = this.parsePrivateIdent();
        } else {
          this.parsePropertyName(element);
        }
      };
      pp$8.parseClassMethod = function(method, isGenerator, isAsync2, allowsDirectSuper) {
        var key = method.key;
        if (method.kind === "constructor") {
          if (isGenerator) {
            this.raise(key.start, "Constructor can't be a generator");
          }
          if (isAsync2) {
            this.raise(key.start, "Constructor can't be an async method");
          }
        } else if (method.static && checkKeyName(method, "prototype")) {
          this.raise(key.start, "Classes may not have a static property named prototype");
        }
        var value = method.value = this.parseMethod(isGenerator, isAsync2, allowsDirectSuper);
        if (method.kind === "get" && value.params.length !== 0) {
          this.raiseRecoverable(value.start, "getter should have no params");
        }
        if (method.kind === "set" && value.params.length !== 1) {
          this.raiseRecoverable(value.start, "setter should have exactly one param");
        }
        if (method.kind === "set" && value.params[0].type === "RestElement") {
          this.raiseRecoverable(value.params[0].start, "Setter cannot use rest params");
        }
        return this.finishNode(method, "MethodDefinition");
      };
      pp$8.parseClassField = function(field) {
        if (checkKeyName(field, "constructor")) {
          this.raise(field.key.start, "Classes can't have a field named 'constructor'");
        } else if (field.static && checkKeyName(field, "prototype")) {
          this.raise(field.key.start, "Classes can't have a static field named 'prototype'");
        }
        if (this.eat(types$1.eq)) {
          var scope = this.currentThisScope();
          var inClassFieldInit = scope.inClassFieldInit;
          scope.inClassFieldInit = true;
          field.value = this.parseMaybeAssign();
          scope.inClassFieldInit = inClassFieldInit;
        } else {
          field.value = null;
        }
        this.semicolon();
        return this.finishNode(field, "PropertyDefinition");
      };
      pp$8.parseClassStaticBlock = function(node) {
        node.body = [];
        var oldLabels = this.labels;
        this.labels = [];
        this.enterScope(SCOPE_CLASS_STATIC_BLOCK | SCOPE_SUPER);
        while (this.type !== types$1.braceR) {
          var stmt = this.parseStatement(null);
          node.body.push(stmt);
        }
        this.next();
        this.exitScope();
        this.labels = oldLabels;
        return this.finishNode(node, "StaticBlock");
      };
      pp$8.parseClassId = function(node, isStatement) {
        if (this.type === types$1.name) {
          node.id = this.parseIdent();
          if (isStatement) {
            this.checkLValSimple(node.id, BIND_LEXICAL, false);
          }
        } else {
          if (isStatement === true) {
            this.unexpected();
          }
          node.id = null;
        }
      };
      pp$8.parseClassSuper = function(node) {
        node.superClass = this.eat(types$1._extends) ? this.parseExprSubscripts(null, false) : null;
      };
      pp$8.enterClassBody = function() {
        var element = { declared: /* @__PURE__ */ Object.create(null), used: [] };
        this.privateNameStack.push(element);
        return element.declared;
      };
      pp$8.exitClassBody = function() {
        var ref2 = this.privateNameStack.pop();
        var declared = ref2.declared;
        var used = ref2.used;
        if (!this.options.checkPrivateFields) {
          return;
        }
        var len = this.privateNameStack.length;
        var parent = len === 0 ? null : this.privateNameStack[len - 1];
        for (var i2 = 0; i2 < used.length; ++i2) {
          var id = used[i2];
          if (!hasOwn(declared, id.name)) {
            if (parent) {
              parent.used.push(id);
            } else {
              this.raiseRecoverable(id.start, "Private field '#" + id.name + "' must be declared in an enclosing class");
            }
          }
        }
      };
      function isPrivateNameConflicted(privateNameMap, element) {
        var name = element.key.name;
        var curr = privateNameMap[name];
        var next = "true";
        if (element.type === "MethodDefinition" && (element.kind === "get" || element.kind === "set")) {
          next = (element.static ? "s" : "i") + element.kind;
        }
        if (curr === "iget" && next === "iset" || curr === "iset" && next === "iget" || curr === "sget" && next === "sset" || curr === "sset" && next === "sget") {
          privateNameMap[name] = "true";
          return false;
        } else if (!curr) {
          privateNameMap[name] = next;
          return false;
        } else {
          return true;
        }
      }
      function checkKeyName(node, name) {
        var computed = node.computed;
        var key = node.key;
        return !computed && (key.type === "Identifier" && key.name === name || key.type === "Literal" && key.value === name);
      }
      pp$8.parseExportAllDeclaration = function(node, exports4) {
        if (this.options.ecmaVersion >= 11) {
          if (this.eatContextual("as")) {
            node.exported = this.parseModuleExportName();
            this.checkExport(exports4, node.exported, this.lastTokStart);
          } else {
            node.exported = null;
          }
        }
        this.expectContextual("from");
        if (this.type !== types$1.string) {
          this.unexpected();
        }
        node.source = this.parseExprAtom();
        this.semicolon();
        return this.finishNode(node, "ExportAllDeclaration");
      };
      pp$8.parseExport = function(node, exports4) {
        this.next();
        if (this.eat(types$1.star)) {
          return this.parseExportAllDeclaration(node, exports4);
        }
        if (this.eat(types$1._default)) {
          this.checkExport(exports4, "default", this.lastTokStart);
          node.declaration = this.parseExportDefaultDeclaration();
          return this.finishNode(node, "ExportDefaultDeclaration");
        }
        if (this.shouldParseExportStatement()) {
          node.declaration = this.parseExportDeclaration(node);
          if (node.declaration.type === "VariableDeclaration") {
            this.checkVariableExport(exports4, node.declaration.declarations);
          } else {
            this.checkExport(exports4, node.declaration.id, node.declaration.id.start);
          }
          node.specifiers = [];
          node.source = null;
        } else {
          node.declaration = null;
          node.specifiers = this.parseExportSpecifiers(exports4);
          if (this.eatContextual("from")) {
            if (this.type !== types$1.string) {
              this.unexpected();
            }
            node.source = this.parseExprAtom();
          } else {
            for (var i2 = 0, list2 = node.specifiers; i2 < list2.length; i2 += 1) {
              var spec = list2[i2];
              this.checkUnreserved(spec.local);
              this.checkLocalExport(spec.local);
              if (spec.local.type === "Literal") {
                this.raise(spec.local.start, "A string literal cannot be used as an exported binding without `from`.");
              }
            }
            node.source = null;
          }
          this.semicolon();
        }
        return this.finishNode(node, "ExportNamedDeclaration");
      };
      pp$8.parseExportDeclaration = function(node) {
        return this.parseStatement(null);
      };
      pp$8.parseExportDefaultDeclaration = function() {
        var isAsync2;
        if (this.type === types$1._function || (isAsync2 = this.isAsyncFunction())) {
          var fNode = this.startNode();
          this.next();
          if (isAsync2) {
            this.next();
          }
          return this.parseFunction(fNode, FUNC_STATEMENT | FUNC_NULLABLE_ID, false, isAsync2);
        } else if (this.type === types$1._class) {
          var cNode = this.startNode();
          return this.parseClass(cNode, "nullableID");
        } else {
          var declaration = this.parseMaybeAssign();
          this.semicolon();
          return declaration;
        }
      };
      pp$8.checkExport = function(exports4, name, pos) {
        if (!exports4) {
          return;
        }
        if (typeof name !== "string") {
          name = name.type === "Identifier" ? name.name : name.value;
        }
        if (hasOwn(exports4, name)) {
          this.raiseRecoverable(pos, "Duplicate export '" + name + "'");
        }
        exports4[name] = true;
      };
      pp$8.checkPatternExport = function(exports4, pat) {
        var type = pat.type;
        if (type === "Identifier") {
          this.checkExport(exports4, pat, pat.start);
        } else if (type === "ObjectPattern") {
          for (var i2 = 0, list2 = pat.properties; i2 < list2.length; i2 += 1) {
            var prop = list2[i2];
            this.checkPatternExport(exports4, prop);
          }
        } else if (type === "ArrayPattern") {
          for (var i$1 = 0, list$1 = pat.elements; i$1 < list$1.length; i$1 += 1) {
            var elt = list$1[i$1];
            if (elt) {
              this.checkPatternExport(exports4, elt);
            }
          }
        } else if (type === "Property") {
          this.checkPatternExport(exports4, pat.value);
        } else if (type === "AssignmentPattern") {
          this.checkPatternExport(exports4, pat.left);
        } else if (type === "RestElement") {
          this.checkPatternExport(exports4, pat.argument);
        }
      };
      pp$8.checkVariableExport = function(exports4, decls) {
        if (!exports4) {
          return;
        }
        for (var i2 = 0, list2 = decls; i2 < list2.length; i2 += 1) {
          var decl = list2[i2];
          this.checkPatternExport(exports4, decl.id);
        }
      };
      pp$8.shouldParseExportStatement = function() {
        return this.type.keyword === "var" || this.type.keyword === "const" || this.type.keyword === "class" || this.type.keyword === "function" || this.isLet() || this.isAsyncFunction();
      };
      pp$8.parseExportSpecifier = function(exports4) {
        var node = this.startNode();
        node.local = this.parseModuleExportName();
        node.exported = this.eatContextual("as") ? this.parseModuleExportName() : node.local;
        this.checkExport(
          exports4,
          node.exported,
          node.exported.start
        );
        return this.finishNode(node, "ExportSpecifier");
      };
      pp$8.parseExportSpecifiers = function(exports4) {
        var nodes = [], first = true;
        this.expect(types$1.braceL);
        while (!this.eat(types$1.braceR)) {
          if (!first) {
            this.expect(types$1.comma);
            if (this.afterTrailingComma(types$1.braceR)) {
              break;
            }
          } else {
            first = false;
          }
          nodes.push(this.parseExportSpecifier(exports4));
        }
        return nodes;
      };
      pp$8.parseImport = function(node) {
        this.next();
        if (this.type === types$1.string) {
          node.specifiers = empty$1;
          node.source = this.parseExprAtom();
        } else {
          node.specifiers = this.parseImportSpecifiers();
          this.expectContextual("from");
          node.source = this.type === types$1.string ? this.parseExprAtom() : this.unexpected();
        }
        this.semicolon();
        return this.finishNode(node, "ImportDeclaration");
      };
      pp$8.parseImportSpecifier = function() {
        var node = this.startNode();
        node.imported = this.parseModuleExportName();
        if (this.eatContextual("as")) {
          node.local = this.parseIdent();
        } else {
          this.checkUnreserved(node.imported);
          node.local = node.imported;
        }
        this.checkLValSimple(node.local, BIND_LEXICAL);
        return this.finishNode(node, "ImportSpecifier");
      };
      pp$8.parseImportDefaultSpecifier = function() {
        var node = this.startNode();
        node.local = this.parseIdent();
        this.checkLValSimple(node.local, BIND_LEXICAL);
        return this.finishNode(node, "ImportDefaultSpecifier");
      };
      pp$8.parseImportNamespaceSpecifier = function() {
        var node = this.startNode();
        this.next();
        this.expectContextual("as");
        node.local = this.parseIdent();
        this.checkLValSimple(node.local, BIND_LEXICAL);
        return this.finishNode(node, "ImportNamespaceSpecifier");
      };
      pp$8.parseImportSpecifiers = function() {
        var nodes = [], first = true;
        if (this.type === types$1.name) {
          nodes.push(this.parseImportDefaultSpecifier());
          if (!this.eat(types$1.comma)) {
            return nodes;
          }
        }
        if (this.type === types$1.star) {
          nodes.push(this.parseImportNamespaceSpecifier());
          return nodes;
        }
        this.expect(types$1.braceL);
        while (!this.eat(types$1.braceR)) {
          if (!first) {
            this.expect(types$1.comma);
            if (this.afterTrailingComma(types$1.braceR)) {
              break;
            }
          } else {
            first = false;
          }
          nodes.push(this.parseImportSpecifier());
        }
        return nodes;
      };
      pp$8.parseModuleExportName = function() {
        if (this.options.ecmaVersion >= 13 && this.type === types$1.string) {
          var stringLiteral = this.parseLiteral(this.value);
          if (loneSurrogate.test(stringLiteral.value)) {
            this.raise(stringLiteral.start, "An export name cannot include a lone surrogate.");
          }
          return stringLiteral;
        }
        return this.parseIdent(true);
      };
      pp$8.adaptDirectivePrologue = function(statements) {
        for (var i2 = 0; i2 < statements.length && this.isDirectiveCandidate(statements[i2]); ++i2) {
          statements[i2].directive = statements[i2].expression.raw.slice(1, -1);
        }
      };
      pp$8.isDirectiveCandidate = function(statement) {
        return this.options.ecmaVersion >= 5 && statement.type === "ExpressionStatement" && statement.expression.type === "Literal" && typeof statement.expression.value === "string" && // Reject parenthesized strings.
        (this.input[statement.start] === '"' || this.input[statement.start] === "'");
      };
      var pp$7 = Parser.prototype;
      pp$7.toAssignable = function(node, isBinding, refDestructuringErrors) {
        if (this.options.ecmaVersion >= 6 && node) {
          switch (node.type) {
            case "Identifier":
              if (this.inAsync && node.name === "await") {
                this.raise(node.start, "Cannot use 'await' as identifier inside an async function");
              }
              break;
            case "ObjectPattern":
            case "ArrayPattern":
            case "AssignmentPattern":
            case "RestElement":
              break;
            case "ObjectExpression":
              node.type = "ObjectPattern";
              if (refDestructuringErrors) {
                this.checkPatternErrors(refDestructuringErrors, true);
              }
              for (var i2 = 0, list2 = node.properties; i2 < list2.length; i2 += 1) {
                var prop = list2[i2];
                this.toAssignable(prop, isBinding);
                if (prop.type === "RestElement" && (prop.argument.type === "ArrayPattern" || prop.argument.type === "ObjectPattern")) {
                  this.raise(prop.argument.start, "Unexpected token");
                }
              }
              break;
            case "Property":
              if (node.kind !== "init") {
                this.raise(node.key.start, "Object pattern can't contain getter or setter");
              }
              this.toAssignable(node.value, isBinding);
              break;
            case "ArrayExpression":
              node.type = "ArrayPattern";
              if (refDestructuringErrors) {
                this.checkPatternErrors(refDestructuringErrors, true);
              }
              this.toAssignableList(node.elements, isBinding);
              break;
            case "SpreadElement":
              node.type = "RestElement";
              this.toAssignable(node.argument, isBinding);
              if (node.argument.type === "AssignmentPattern") {
                this.raise(node.argument.start, "Rest elements cannot have a default value");
              }
              break;
            case "AssignmentExpression":
              if (node.operator !== "=") {
                this.raise(node.left.end, "Only '=' operator can be used for specifying default value.");
              }
              node.type = "AssignmentPattern";
              delete node.operator;
              this.toAssignable(node.left, isBinding);
              break;
            case "ParenthesizedExpression":
              this.toAssignable(node.expression, isBinding, refDestructuringErrors);
              break;
            case "ChainExpression":
              this.raiseRecoverable(node.start, "Optional chaining cannot appear in left-hand side");
              break;
            case "MemberExpression":
              if (!isBinding) {
                break;
              }
            default:
              this.raise(node.start, "Assigning to rvalue");
          }
        } else if (refDestructuringErrors) {
          this.checkPatternErrors(refDestructuringErrors, true);
        }
        return node;
      };
      pp$7.toAssignableList = function(exprList, isBinding) {
        var end = exprList.length;
        for (var i2 = 0; i2 < end; i2++) {
          var elt = exprList[i2];
          if (elt) {
            this.toAssignable(elt, isBinding);
          }
        }
        if (end) {
          var last = exprList[end - 1];
          if (this.options.ecmaVersion === 6 && isBinding && last && last.type === "RestElement" && last.argument.type !== "Identifier") {
            this.unexpected(last.argument.start);
          }
        }
        return exprList;
      };
      pp$7.parseSpread = function(refDestructuringErrors) {
        var node = this.startNode();
        this.next();
        node.argument = this.parseMaybeAssign(false, refDestructuringErrors);
        return this.finishNode(node, "SpreadElement");
      };
      pp$7.parseRestBinding = function() {
        var node = this.startNode();
        this.next();
        if (this.options.ecmaVersion === 6 && this.type !== types$1.name) {
          this.unexpected();
        }
        node.argument = this.parseBindingAtom();
        return this.finishNode(node, "RestElement");
      };
      pp$7.parseBindingAtom = function() {
        if (this.options.ecmaVersion >= 6) {
          switch (this.type) {
            case types$1.bracketL:
              var node = this.startNode();
              this.next();
              node.elements = this.parseBindingList(types$1.bracketR, true, true);
              return this.finishNode(node, "ArrayPattern");
            case types$1.braceL:
              return this.parseObj(true);
          }
        }
        return this.parseIdent();
      };
      pp$7.parseBindingList = function(close, allowEmpty, allowTrailingComma, allowModifiers) {
        var elts = [], first = true;
        while (!this.eat(close)) {
          if (first) {
            first = false;
          } else {
            this.expect(types$1.comma);
          }
          if (allowEmpty && this.type === types$1.comma) {
            elts.push(null);
          } else if (allowTrailingComma && this.afterTrailingComma(close)) {
            break;
          } else if (this.type === types$1.ellipsis) {
            var rest = this.parseRestBinding();
            this.parseBindingListItem(rest);
            elts.push(rest);
            if (this.type === types$1.comma) {
              this.raiseRecoverable(this.start, "Comma is not permitted after the rest element");
            }
            this.expect(close);
            break;
          } else {
            elts.push(this.parseAssignableListItem(allowModifiers));
          }
        }
        return elts;
      };
      pp$7.parseAssignableListItem = function(allowModifiers) {
        var elem = this.parseMaybeDefault(this.start, this.startLoc);
        this.parseBindingListItem(elem);
        return elem;
      };
      pp$7.parseBindingListItem = function(param) {
        return param;
      };
      pp$7.parseMaybeDefault = function(startPos, startLoc, left) {
        left = left || this.parseBindingAtom();
        if (this.options.ecmaVersion < 6 || !this.eat(types$1.eq)) {
          return left;
        }
        var node = this.startNodeAt(startPos, startLoc);
        node.left = left;
        node.right = this.parseMaybeAssign();
        return this.finishNode(node, "AssignmentPattern");
      };
      pp$7.checkLValSimple = function(expr, bindingType, checkClashes) {
        if (bindingType === void 0) bindingType = BIND_NONE;
        var isBind = bindingType !== BIND_NONE;
        switch (expr.type) {
          case "Identifier":
            if (this.strict && this.reservedWordsStrictBind.test(expr.name)) {
              this.raiseRecoverable(expr.start, (isBind ? "Binding " : "Assigning to ") + expr.name + " in strict mode");
            }
            if (isBind) {
              if (bindingType === BIND_LEXICAL && expr.name === "let") {
                this.raiseRecoverable(expr.start, "let is disallowed as a lexically bound name");
              }
              if (checkClashes) {
                if (hasOwn(checkClashes, expr.name)) {
                  this.raiseRecoverable(expr.start, "Argument name clash");
                }
                checkClashes[expr.name] = true;
              }
              if (bindingType !== BIND_OUTSIDE) {
                this.declareName(expr.name, bindingType, expr.start);
              }
            }
            break;
          case "ChainExpression":
            this.raiseRecoverable(expr.start, "Optional chaining cannot appear in left-hand side");
            break;
          case "MemberExpression":
            if (isBind) {
              this.raiseRecoverable(expr.start, "Binding member expression");
            }
            break;
          case "ParenthesizedExpression":
            if (isBind) {
              this.raiseRecoverable(expr.start, "Binding parenthesized expression");
            }
            return this.checkLValSimple(expr.expression, bindingType, checkClashes);
          default:
            this.raise(expr.start, (isBind ? "Binding" : "Assigning to") + " rvalue");
        }
      };
      pp$7.checkLValPattern = function(expr, bindingType, checkClashes) {
        if (bindingType === void 0) bindingType = BIND_NONE;
        switch (expr.type) {
          case "ObjectPattern":
            for (var i2 = 0, list2 = expr.properties; i2 < list2.length; i2 += 1) {
              var prop = list2[i2];
              this.checkLValInnerPattern(prop, bindingType, checkClashes);
            }
            break;
          case "ArrayPattern":
            for (var i$1 = 0, list$1 = expr.elements; i$1 < list$1.length; i$1 += 1) {
              var elem = list$1[i$1];
              if (elem) {
                this.checkLValInnerPattern(elem, bindingType, checkClashes);
              }
            }
            break;
          default:
            this.checkLValSimple(expr, bindingType, checkClashes);
        }
      };
      pp$7.checkLValInnerPattern = function(expr, bindingType, checkClashes) {
        if (bindingType === void 0) bindingType = BIND_NONE;
        switch (expr.type) {
          case "Property":
            this.checkLValInnerPattern(expr.value, bindingType, checkClashes);
            break;
          case "AssignmentPattern":
            this.checkLValPattern(expr.left, bindingType, checkClashes);
            break;
          case "RestElement":
            this.checkLValPattern(expr.argument, bindingType, checkClashes);
            break;
          default:
            this.checkLValPattern(expr, bindingType, checkClashes);
        }
      };
      var TokContext = function TokContext2(token, isExpr, preserveSpace, override, generator) {
        this.token = token;
        this.isExpr = !!isExpr;
        this.preserveSpace = !!preserveSpace;
        this.override = override;
        this.generator = !!generator;
      };
      var types = {
        b_stat: new TokContext("{", false),
        b_expr: new TokContext("{", true),
        b_tmpl: new TokContext("${", false),
        p_stat: new TokContext("(", false),
        p_expr: new TokContext("(", true),
        q_tmpl: new TokContext("`", true, true, function(p) {
          return p.tryReadTemplateToken();
        }),
        f_stat: new TokContext("function", false),
        f_expr: new TokContext("function", true),
        f_expr_gen: new TokContext("function", true, false, null, true),
        f_gen: new TokContext("function", false, false, null, true)
      };
      var pp$6 = Parser.prototype;
      pp$6.initialContext = function() {
        return [types.b_stat];
      };
      pp$6.curContext = function() {
        return this.context[this.context.length - 1];
      };
      pp$6.braceIsBlock = function(prevType) {
        var parent = this.curContext();
        if (parent === types.f_expr || parent === types.f_stat) {
          return true;
        }
        if (prevType === types$1.colon && (parent === types.b_stat || parent === types.b_expr)) {
          return !parent.isExpr;
        }
        if (prevType === types$1._return || prevType === types$1.name && this.exprAllowed) {
          return lineBreak.test(this.input.slice(this.lastTokEnd, this.start));
        }
        if (prevType === types$1._else || prevType === types$1.semi || prevType === types$1.eof || prevType === types$1.parenR || prevType === types$1.arrow) {
          return true;
        }
        if (prevType === types$1.braceL) {
          return parent === types.b_stat;
        }
        if (prevType === types$1._var || prevType === types$1._const || prevType === types$1.name) {
          return false;
        }
        return !this.exprAllowed;
      };
      pp$6.inGeneratorContext = function() {
        for (var i2 = this.context.length - 1; i2 >= 1; i2--) {
          var context = this.context[i2];
          if (context.token === "function") {
            return context.generator;
          }
        }
        return false;
      };
      pp$6.updateContext = function(prevType) {
        var update, type = this.type;
        if (type.keyword && prevType === types$1.dot) {
          this.exprAllowed = false;
        } else if (update = type.updateContext) {
          update.call(this, prevType);
        } else {
          this.exprAllowed = type.beforeExpr;
        }
      };
      pp$6.overrideContext = function(tokenCtx) {
        if (this.curContext() !== tokenCtx) {
          this.context[this.context.length - 1] = tokenCtx;
        }
      };
      types$1.parenR.updateContext = types$1.braceR.updateContext = function() {
        if (this.context.length === 1) {
          this.exprAllowed = true;
          return;
        }
        var out = this.context.pop();
        if (out === types.b_stat && this.curContext().token === "function") {
          out = this.context.pop();
        }
        this.exprAllowed = !out.isExpr;
      };
      types$1.braceL.updateContext = function(prevType) {
        this.context.push(this.braceIsBlock(prevType) ? types.b_stat : types.b_expr);
        this.exprAllowed = true;
      };
      types$1.dollarBraceL.updateContext = function() {
        this.context.push(types.b_tmpl);
        this.exprAllowed = true;
      };
      types$1.parenL.updateContext = function(prevType) {
        var statementParens = prevType === types$1._if || prevType === types$1._for || prevType === types$1._with || prevType === types$1._while;
        this.context.push(statementParens ? types.p_stat : types.p_expr);
        this.exprAllowed = true;
      };
      types$1.incDec.updateContext = function() {
      };
      types$1._function.updateContext = types$1._class.updateContext = function(prevType) {
        if (prevType.beforeExpr && prevType !== types$1._else && !(prevType === types$1.semi && this.curContext() !== types.p_stat) && !(prevType === types$1._return && lineBreak.test(this.input.slice(this.lastTokEnd, this.start))) && !((prevType === types$1.colon || prevType === types$1.braceL) && this.curContext() === types.b_stat)) {
          this.context.push(types.f_expr);
        } else {
          this.context.push(types.f_stat);
        }
        this.exprAllowed = false;
      };
      types$1.colon.updateContext = function() {
        if (this.curContext().token === "function") {
          this.context.pop();
        }
        this.exprAllowed = true;
      };
      types$1.backQuote.updateContext = function() {
        if (this.curContext() === types.q_tmpl) {
          this.context.pop();
        } else {
          this.context.push(types.q_tmpl);
        }
        this.exprAllowed = false;
      };
      types$1.star.updateContext = function(prevType) {
        if (prevType === types$1._function) {
          var index = this.context.length - 1;
          if (this.context[index] === types.f_expr) {
            this.context[index] = types.f_expr_gen;
          } else {
            this.context[index] = types.f_gen;
          }
        }
        this.exprAllowed = true;
      };
      types$1.name.updateContext = function(prevType) {
        var allowed = false;
        if (this.options.ecmaVersion >= 6 && prevType !== types$1.dot) {
          if (this.value === "of" && !this.exprAllowed || this.value === "yield" && this.inGeneratorContext()) {
            allowed = true;
          }
        }
        this.exprAllowed = allowed;
      };
      var pp$5 = Parser.prototype;
      pp$5.checkPropClash = function(prop, propHash, refDestructuringErrors) {
        if (this.options.ecmaVersion >= 9 && prop.type === "SpreadElement") {
          return;
        }
        if (this.options.ecmaVersion >= 6 && (prop.computed || prop.method || prop.shorthand)) {
          return;
        }
        var key = prop.key;
        var name;
        switch (key.type) {
          case "Identifier":
            name = key.name;
            break;
          case "Literal":
            name = String(key.value);
            break;
          default:
            return;
        }
        var kind = prop.kind;
        if (this.options.ecmaVersion >= 6) {
          if (name === "__proto__" && kind === "init") {
            if (propHash.proto) {
              if (refDestructuringErrors) {
                if (refDestructuringErrors.doubleProto < 0) {
                  refDestructuringErrors.doubleProto = key.start;
                }
              } else {
                this.raiseRecoverable(key.start, "Redefinition of __proto__ property");
              }
            }
            propHash.proto = true;
          }
          return;
        }
        name = "$" + name;
        var other = propHash[name];
        if (other) {
          var redefinition;
          if (kind === "init") {
            redefinition = this.strict && other.init || other.get || other.set;
          } else {
            redefinition = other.init || other[kind];
          }
          if (redefinition) {
            this.raiseRecoverable(key.start, "Redefinition of property");
          }
        } else {
          other = propHash[name] = {
            init: false,
            get: false,
            set: false
          };
        }
        other[kind] = true;
      };
      pp$5.parseExpression = function(forInit, refDestructuringErrors) {
        var startPos = this.start, startLoc = this.startLoc;
        var expr = this.parseMaybeAssign(forInit, refDestructuringErrors);
        if (this.type === types$1.comma) {
          var node = this.startNodeAt(startPos, startLoc);
          node.expressions = [expr];
          while (this.eat(types$1.comma)) {
            node.expressions.push(this.parseMaybeAssign(forInit, refDestructuringErrors));
          }
          return this.finishNode(node, "SequenceExpression");
        }
        return expr;
      };
      pp$5.parseMaybeAssign = function(forInit, refDestructuringErrors, afterLeftParse) {
        if (this.isContextual("yield")) {
          if (this.inGenerator) {
            return this.parseYield(forInit);
          } else {
            this.exprAllowed = false;
          }
        }
        var ownDestructuringErrors = false, oldParenAssign = -1, oldTrailingComma = -1, oldDoubleProto = -1;
        if (refDestructuringErrors) {
          oldParenAssign = refDestructuringErrors.parenthesizedAssign;
          oldTrailingComma = refDestructuringErrors.trailingComma;
          oldDoubleProto = refDestructuringErrors.doubleProto;
          refDestructuringErrors.parenthesizedAssign = refDestructuringErrors.trailingComma = -1;
        } else {
          refDestructuringErrors = new DestructuringErrors();
          ownDestructuringErrors = true;
        }
        var startPos = this.start, startLoc = this.startLoc;
        if (this.type === types$1.parenL || this.type === types$1.name) {
          this.potentialArrowAt = this.start;
          this.potentialArrowInForAwait = forInit === "await";
        }
        var left = this.parseMaybeConditional(forInit, refDestructuringErrors);
        if (afterLeftParse) {
          left = afterLeftParse.call(this, left, startPos, startLoc);
        }
        if (this.type.isAssign) {
          var node = this.startNodeAt(startPos, startLoc);
          node.operator = this.value;
          if (this.type === types$1.eq) {
            left = this.toAssignable(left, false, refDestructuringErrors);
          }
          if (!ownDestructuringErrors) {
            refDestructuringErrors.parenthesizedAssign = refDestructuringErrors.trailingComma = refDestructuringErrors.doubleProto = -1;
          }
          if (refDestructuringErrors.shorthandAssign >= left.start) {
            refDestructuringErrors.shorthandAssign = -1;
          }
          if (this.type === types$1.eq) {
            this.checkLValPattern(left);
          } else {
            this.checkLValSimple(left);
          }
          node.left = left;
          this.next();
          node.right = this.parseMaybeAssign(forInit);
          if (oldDoubleProto > -1) {
            refDestructuringErrors.doubleProto = oldDoubleProto;
          }
          return this.finishNode(node, "AssignmentExpression");
        } else {
          if (ownDestructuringErrors) {
            this.checkExpressionErrors(refDestructuringErrors, true);
          }
        }
        if (oldParenAssign > -1) {
          refDestructuringErrors.parenthesizedAssign = oldParenAssign;
        }
        if (oldTrailingComma > -1) {
          refDestructuringErrors.trailingComma = oldTrailingComma;
        }
        return left;
      };
      pp$5.parseMaybeConditional = function(forInit, refDestructuringErrors) {
        var startPos = this.start, startLoc = this.startLoc;
        var expr = this.parseExprOps(forInit, refDestructuringErrors);
        if (this.checkExpressionErrors(refDestructuringErrors)) {
          return expr;
        }
        if (this.eat(types$1.question)) {
          var node = this.startNodeAt(startPos, startLoc);
          node.test = expr;
          node.consequent = this.parseMaybeAssign();
          this.expect(types$1.colon);
          node.alternate = this.parseMaybeAssign(forInit);
          return this.finishNode(node, "ConditionalExpression");
        }
        return expr;
      };
      pp$5.parseExprOps = function(forInit, refDestructuringErrors) {
        var startPos = this.start, startLoc = this.startLoc;
        var expr = this.parseMaybeUnary(refDestructuringErrors, false, false, forInit);
        if (this.checkExpressionErrors(refDestructuringErrors)) {
          return expr;
        }
        return expr.start === startPos && expr.type === "ArrowFunctionExpression" ? expr : this.parseExprOp(expr, startPos, startLoc, -1, forInit);
      };
      pp$5.parseExprOp = function(left, leftStartPos, leftStartLoc, minPrec, forInit) {
        var prec = this.type.binop;
        if (prec != null && (!forInit || this.type !== types$1._in)) {
          if (prec > minPrec) {
            var logical = this.type === types$1.logicalOR || this.type === types$1.logicalAND;
            var coalesce = this.type === types$1.coalesce;
            if (coalesce) {
              prec = types$1.logicalAND.binop;
            }
            var op = this.value;
            this.next();
            var startPos = this.start, startLoc = this.startLoc;
            var right = this.parseExprOp(this.parseMaybeUnary(null, false, false, forInit), startPos, startLoc, prec, forInit);
            var node = this.buildBinary(leftStartPos, leftStartLoc, left, right, op, logical || coalesce);
            if (logical && this.type === types$1.coalesce || coalesce && (this.type === types$1.logicalOR || this.type === types$1.logicalAND)) {
              this.raiseRecoverable(this.start, "Logical expressions and coalesce expressions cannot be mixed. Wrap either by parentheses");
            }
            return this.parseExprOp(node, leftStartPos, leftStartLoc, minPrec, forInit);
          }
        }
        return left;
      };
      pp$5.buildBinary = function(startPos, startLoc, left, right, op, logical) {
        if (right.type === "PrivateIdentifier") {
          this.raise(right.start, "Private identifier can only be left side of binary expression");
        }
        var node = this.startNodeAt(startPos, startLoc);
        node.left = left;
        node.operator = op;
        node.right = right;
        return this.finishNode(node, logical ? "LogicalExpression" : "BinaryExpression");
      };
      pp$5.parseMaybeUnary = function(refDestructuringErrors, sawUnary, incDec, forInit) {
        var startPos = this.start, startLoc = this.startLoc, expr;
        if (this.isContextual("await") && this.canAwait) {
          expr = this.parseAwait(forInit);
          sawUnary = true;
        } else if (this.type.prefix) {
          var node = this.startNode(), update = this.type === types$1.incDec;
          node.operator = this.value;
          node.prefix = true;
          this.next();
          node.argument = this.parseMaybeUnary(null, true, update, forInit);
          this.checkExpressionErrors(refDestructuringErrors, true);
          if (update) {
            this.checkLValSimple(node.argument);
          } else if (this.strict && node.operator === "delete" && isLocalVariableAccess(node.argument)) {
            this.raiseRecoverable(node.start, "Deleting local variable in strict mode");
          } else if (node.operator === "delete" && isPrivateFieldAccess(node.argument)) {
            this.raiseRecoverable(node.start, "Private fields can not be deleted");
          } else {
            sawUnary = true;
          }
          expr = this.finishNode(node, update ? "UpdateExpression" : "UnaryExpression");
        } else if (!sawUnary && this.type === types$1.privateId) {
          if ((forInit || this.privateNameStack.length === 0) && this.options.checkPrivateFields) {
            this.unexpected();
          }
          expr = this.parsePrivateIdent();
          if (this.type !== types$1._in) {
            this.unexpected();
          }
        } else {
          expr = this.parseExprSubscripts(refDestructuringErrors, forInit);
          if (this.checkExpressionErrors(refDestructuringErrors)) {
            return expr;
          }
          while (this.type.postfix && !this.canInsertSemicolon()) {
            var node$1 = this.startNodeAt(startPos, startLoc);
            node$1.operator = this.value;
            node$1.prefix = false;
            node$1.argument = expr;
            this.checkLValSimple(expr);
            this.next();
            expr = this.finishNode(node$1, "UpdateExpression");
          }
        }
        if (!incDec && this.eat(types$1.starstar)) {
          if (sawUnary) {
            this.unexpected(this.lastTokStart);
          } else {
            return this.buildBinary(startPos, startLoc, expr, this.parseMaybeUnary(null, false, false, forInit), "**", false);
          }
        } else {
          return expr;
        }
      };
      function isLocalVariableAccess(node) {
        return node.type === "Identifier" || node.type === "ParenthesizedExpression" && isLocalVariableAccess(node.expression);
      }
      function isPrivateFieldAccess(node) {
        return node.type === "MemberExpression" && node.property.type === "PrivateIdentifier" || node.type === "ChainExpression" && isPrivateFieldAccess(node.expression) || node.type === "ParenthesizedExpression" && isPrivateFieldAccess(node.expression);
      }
      pp$5.parseExprSubscripts = function(refDestructuringErrors, forInit) {
        var startPos = this.start, startLoc = this.startLoc;
        var expr = this.parseExprAtom(refDestructuringErrors, forInit);
        if (expr.type === "ArrowFunctionExpression" && this.input.slice(this.lastTokStart, this.lastTokEnd) !== ")") {
          return expr;
        }
        var result = this.parseSubscripts(expr, startPos, startLoc, false, forInit);
        if (refDestructuringErrors && result.type === "MemberExpression") {
          if (refDestructuringErrors.parenthesizedAssign >= result.start) {
            refDestructuringErrors.parenthesizedAssign = -1;
          }
          if (refDestructuringErrors.parenthesizedBind >= result.start) {
            refDestructuringErrors.parenthesizedBind = -1;
          }
          if (refDestructuringErrors.trailingComma >= result.start) {
            refDestructuringErrors.trailingComma = -1;
          }
        }
        return result;
      };
      pp$5.parseSubscripts = function(base, startPos, startLoc, noCalls, forInit) {
        var maybeAsyncArrow = this.options.ecmaVersion >= 8 && base.type === "Identifier" && base.name === "async" && this.lastTokEnd === base.end && !this.canInsertSemicolon() && base.end - base.start === 5 && this.potentialArrowAt === base.start;
        var optionalChained = false;
        while (true) {
          var element = this.parseSubscript(base, startPos, startLoc, noCalls, maybeAsyncArrow, optionalChained, forInit);
          if (element.optional) {
            optionalChained = true;
          }
          if (element === base || element.type === "ArrowFunctionExpression") {
            if (optionalChained) {
              var chainNode = this.startNodeAt(startPos, startLoc);
              chainNode.expression = element;
              element = this.finishNode(chainNode, "ChainExpression");
            }
            return element;
          }
          base = element;
        }
      };
      pp$5.shouldParseAsyncArrow = function() {
        return !this.canInsertSemicolon() && this.eat(types$1.arrow);
      };
      pp$5.parseSubscriptAsyncArrow = function(startPos, startLoc, exprList, forInit) {
        return this.parseArrowExpression(this.startNodeAt(startPos, startLoc), exprList, true, forInit);
      };
      pp$5.parseSubscript = function(base, startPos, startLoc, noCalls, maybeAsyncArrow, optionalChained, forInit) {
        var optionalSupported = this.options.ecmaVersion >= 11;
        var optional = optionalSupported && this.eat(types$1.questionDot);
        if (noCalls && optional) {
          this.raise(this.lastTokStart, "Optional chaining cannot appear in the callee of new expressions");
        }
        var computed = this.eat(types$1.bracketL);
        if (computed || optional && this.type !== types$1.parenL && this.type !== types$1.backQuote || this.eat(types$1.dot)) {
          var node = this.startNodeAt(startPos, startLoc);
          node.object = base;
          if (computed) {
            node.property = this.parseExpression();
            this.expect(types$1.bracketR);
          } else if (this.type === types$1.privateId && base.type !== "Super") {
            node.property = this.parsePrivateIdent();
          } else {
            node.property = this.parseIdent(this.options.allowReserved !== "never");
          }
          node.computed = !!computed;
          if (optionalSupported) {
            node.optional = optional;
          }
          base = this.finishNode(node, "MemberExpression");
        } else if (!noCalls && this.eat(types$1.parenL)) {
          var refDestructuringErrors = new DestructuringErrors(), oldYieldPos = this.yieldPos, oldAwaitPos = this.awaitPos, oldAwaitIdentPos = this.awaitIdentPos;
          this.yieldPos = 0;
          this.awaitPos = 0;
          this.awaitIdentPos = 0;
          var exprList = this.parseExprList(types$1.parenR, this.options.ecmaVersion >= 8, false, refDestructuringErrors);
          if (maybeAsyncArrow && !optional && this.shouldParseAsyncArrow()) {
            this.checkPatternErrors(refDestructuringErrors, false);
            this.checkYieldAwaitInDefaultParams();
            if (this.awaitIdentPos > 0) {
              this.raise(this.awaitIdentPos, "Cannot use 'await' as identifier inside an async function");
            }
            this.yieldPos = oldYieldPos;
            this.awaitPos = oldAwaitPos;
            this.awaitIdentPos = oldAwaitIdentPos;
            return this.parseSubscriptAsyncArrow(startPos, startLoc, exprList, forInit);
          }
          this.checkExpressionErrors(refDestructuringErrors, true);
          this.yieldPos = oldYieldPos || this.yieldPos;
          this.awaitPos = oldAwaitPos || this.awaitPos;
          this.awaitIdentPos = oldAwaitIdentPos || this.awaitIdentPos;
          var node$1 = this.startNodeAt(startPos, startLoc);
          node$1.callee = base;
          node$1.arguments = exprList;
          if (optionalSupported) {
            node$1.optional = optional;
          }
          base = this.finishNode(node$1, "CallExpression");
        } else if (this.type === types$1.backQuote) {
          if (optional || optionalChained) {
            this.raise(this.start, "Optional chaining cannot appear in the tag of tagged template expressions");
          }
          var node$2 = this.startNodeAt(startPos, startLoc);
          node$2.tag = base;
          node$2.quasi = this.parseTemplate({ isTagged: true });
          base = this.finishNode(node$2, "TaggedTemplateExpression");
        }
        return base;
      };
      pp$5.parseExprAtom = function(refDestructuringErrors, forInit, forNew) {
        if (this.type === types$1.slash) {
          this.readRegexp();
        }
        var node, canBeArrow = this.potentialArrowAt === this.start;
        switch (this.type) {
          case types$1._super:
            if (!this.allowSuper) {
              this.raise(this.start, "'super' keyword outside a method");
            }
            node = this.startNode();
            this.next();
            if (this.type === types$1.parenL && !this.allowDirectSuper) {
              this.raise(node.start, "super() call outside constructor of a subclass");
            }
            if (this.type !== types$1.dot && this.type !== types$1.bracketL && this.type !== types$1.parenL) {
              this.unexpected();
            }
            return this.finishNode(node, "Super");
          case types$1._this:
            node = this.startNode();
            this.next();
            return this.finishNode(node, "ThisExpression");
          case types$1.name:
            var startPos = this.start, startLoc = this.startLoc, containsEsc = this.containsEsc;
            var id = this.parseIdent(false);
            if (this.options.ecmaVersion >= 8 && !containsEsc && id.name === "async" && !this.canInsertSemicolon() && this.eat(types$1._function)) {
              this.overrideContext(types.f_expr);
              return this.parseFunction(this.startNodeAt(startPos, startLoc), 0, false, true, forInit);
            }
            if (canBeArrow && !this.canInsertSemicolon()) {
              if (this.eat(types$1.arrow)) {
                return this.parseArrowExpression(this.startNodeAt(startPos, startLoc), [id], false, forInit);
              }
              if (this.options.ecmaVersion >= 8 && id.name === "async" && this.type === types$1.name && !containsEsc && (!this.potentialArrowInForAwait || this.value !== "of" || this.containsEsc)) {
                id = this.parseIdent(false);
                if (this.canInsertSemicolon() || !this.eat(types$1.arrow)) {
                  this.unexpected();
                }
                return this.parseArrowExpression(this.startNodeAt(startPos, startLoc), [id], true, forInit);
              }
            }
            return id;
          case types$1.regexp:
            var value = this.value;
            node = this.parseLiteral(value.value);
            node.regex = { pattern: value.pattern, flags: value.flags };
            return node;
          case types$1.num:
          case types$1.string:
            return this.parseLiteral(this.value);
          case types$1._null:
          case types$1._true:
          case types$1._false:
            node = this.startNode();
            node.value = this.type === types$1._null ? null : this.type === types$1._true;
            node.raw = this.type.keyword;
            this.next();
            return this.finishNode(node, "Literal");
          case types$1.parenL:
            var start = this.start, expr = this.parseParenAndDistinguishExpression(canBeArrow, forInit);
            if (refDestructuringErrors) {
              if (refDestructuringErrors.parenthesizedAssign < 0 && !this.isSimpleAssignTarget(expr)) {
                refDestructuringErrors.parenthesizedAssign = start;
              }
              if (refDestructuringErrors.parenthesizedBind < 0) {
                refDestructuringErrors.parenthesizedBind = start;
              }
            }
            return expr;
          case types$1.bracketL:
            node = this.startNode();
            this.next();
            node.elements = this.parseExprList(types$1.bracketR, true, true, refDestructuringErrors);
            return this.finishNode(node, "ArrayExpression");
          case types$1.braceL:
            this.overrideContext(types.b_expr);
            return this.parseObj(false, refDestructuringErrors);
          case types$1._function:
            node = this.startNode();
            this.next();
            return this.parseFunction(node, 0);
          case types$1._class:
            return this.parseClass(this.startNode(), false);
          case types$1._new:
            return this.parseNew();
          case types$1.backQuote:
            return this.parseTemplate();
          case types$1._import:
            if (this.options.ecmaVersion >= 11) {
              return this.parseExprImport(forNew);
            } else {
              return this.unexpected();
            }
          default:
            return this.parseExprAtomDefault();
        }
      };
      pp$5.parseExprAtomDefault = function() {
        this.unexpected();
      };
      pp$5.parseExprImport = function(forNew) {
        var node = this.startNode();
        if (this.containsEsc) {
          this.raiseRecoverable(this.start, "Escape sequence in keyword import");
        }
        this.next();
        if (this.type === types$1.parenL && !forNew) {
          return this.parseDynamicImport(node);
        } else if (this.type === types$1.dot) {
          var meta = this.startNodeAt(node.start, node.loc && node.loc.start);
          meta.name = "import";
          node.meta = this.finishNode(meta, "Identifier");
          return this.parseImportMeta(node);
        } else {
          this.unexpected();
        }
      };
      pp$5.parseDynamicImport = function(node) {
        this.next();
        node.source = this.parseMaybeAssign();
        if (!this.eat(types$1.parenR)) {
          var errorPos = this.start;
          if (this.eat(types$1.comma) && this.eat(types$1.parenR)) {
            this.raiseRecoverable(errorPos, "Trailing comma is not allowed in import()");
          } else {
            this.unexpected(errorPos);
          }
        }
        return this.finishNode(node, "ImportExpression");
      };
      pp$5.parseImportMeta = function(node) {
        this.next();
        var containsEsc = this.containsEsc;
        node.property = this.parseIdent(true);
        if (node.property.name !== "meta") {
          this.raiseRecoverable(node.property.start, "The only valid meta property for import is 'import.meta'");
        }
        if (containsEsc) {
          this.raiseRecoverable(node.start, "'import.meta' must not contain escaped characters");
        }
        if (this.options.sourceType !== "module" && !this.options.allowImportExportEverywhere) {
          this.raiseRecoverable(node.start, "Cannot use 'import.meta' outside a module");
        }
        return this.finishNode(node, "MetaProperty");
      };
      pp$5.parseLiteral = function(value) {
        var node = this.startNode();
        node.value = value;
        node.raw = this.input.slice(this.start, this.end);
        if (node.raw.charCodeAt(node.raw.length - 1) === 110) {
          node.bigint = node.raw.slice(0, -1).replace(/_/g, "");
        }
        this.next();
        return this.finishNode(node, "Literal");
      };
      pp$5.parseParenExpression = function() {
        this.expect(types$1.parenL);
        var val = this.parseExpression();
        this.expect(types$1.parenR);
        return val;
      };
      pp$5.shouldParseArrow = function(exprList) {
        return !this.canInsertSemicolon();
      };
      pp$5.parseParenAndDistinguishExpression = function(canBeArrow, forInit) {
        var startPos = this.start, startLoc = this.startLoc, val, allowTrailingComma = this.options.ecmaVersion >= 8;
        if (this.options.ecmaVersion >= 6) {
          this.next();
          var innerStartPos = this.start, innerStartLoc = this.startLoc;
          var exprList = [], first = true, lastIsComma = false;
          var refDestructuringErrors = new DestructuringErrors(), oldYieldPos = this.yieldPos, oldAwaitPos = this.awaitPos, spreadStart;
          this.yieldPos = 0;
          this.awaitPos = 0;
          while (this.type !== types$1.parenR) {
            first ? first = false : this.expect(types$1.comma);
            if (allowTrailingComma && this.afterTrailingComma(types$1.parenR, true)) {
              lastIsComma = true;
              break;
            } else if (this.type === types$1.ellipsis) {
              spreadStart = this.start;
              exprList.push(this.parseParenItem(this.parseRestBinding()));
              if (this.type === types$1.comma) {
                this.raiseRecoverable(
                  this.start,
                  "Comma is not permitted after the rest element"
                );
              }
              break;
            } else {
              exprList.push(this.parseMaybeAssign(false, refDestructuringErrors, this.parseParenItem));
            }
          }
          var innerEndPos = this.lastTokEnd, innerEndLoc = this.lastTokEndLoc;
          this.expect(types$1.parenR);
          if (canBeArrow && this.shouldParseArrow(exprList) && this.eat(types$1.arrow)) {
            this.checkPatternErrors(refDestructuringErrors, false);
            this.checkYieldAwaitInDefaultParams();
            this.yieldPos = oldYieldPos;
            this.awaitPos = oldAwaitPos;
            return this.parseParenArrowList(startPos, startLoc, exprList, forInit);
          }
          if (!exprList.length || lastIsComma) {
            this.unexpected(this.lastTokStart);
          }
          if (spreadStart) {
            this.unexpected(spreadStart);
          }
          this.checkExpressionErrors(refDestructuringErrors, true);
          this.yieldPos = oldYieldPos || this.yieldPos;
          this.awaitPos = oldAwaitPos || this.awaitPos;
          if (exprList.length > 1) {
            val = this.startNodeAt(innerStartPos, innerStartLoc);
            val.expressions = exprList;
            this.finishNodeAt(val, "SequenceExpression", innerEndPos, innerEndLoc);
          } else {
            val = exprList[0];
          }
        } else {
          val = this.parseParenExpression();
        }
        if (this.options.preserveParens) {
          var par = this.startNodeAt(startPos, startLoc);
          par.expression = val;
          return this.finishNode(par, "ParenthesizedExpression");
        } else {
          return val;
        }
      };
      pp$5.parseParenItem = function(item) {
        return item;
      };
      pp$5.parseParenArrowList = function(startPos, startLoc, exprList, forInit) {
        return this.parseArrowExpression(this.startNodeAt(startPos, startLoc), exprList, false, forInit);
      };
      var empty = [];
      pp$5.parseNew = function() {
        if (this.containsEsc) {
          this.raiseRecoverable(this.start, "Escape sequence in keyword new");
        }
        var node = this.startNode();
        this.next();
        if (this.options.ecmaVersion >= 6 && this.type === types$1.dot) {
          var meta = this.startNodeAt(node.start, node.loc && node.loc.start);
          meta.name = "new";
          node.meta = this.finishNode(meta, "Identifier");
          this.next();
          var containsEsc = this.containsEsc;
          node.property = this.parseIdent(true);
          if (node.property.name !== "target") {
            this.raiseRecoverable(node.property.start, "The only valid meta property for new is 'new.target'");
          }
          if (containsEsc) {
            this.raiseRecoverable(node.start, "'new.target' must not contain escaped characters");
          }
          if (!this.allowNewDotTarget) {
            this.raiseRecoverable(node.start, "'new.target' can only be used in functions and class static block");
          }
          return this.finishNode(node, "MetaProperty");
        }
        var startPos = this.start, startLoc = this.startLoc;
        node.callee = this.parseSubscripts(this.parseExprAtom(null, false, true), startPos, startLoc, true, false);
        if (this.eat(types$1.parenL)) {
          node.arguments = this.parseExprList(types$1.parenR, this.options.ecmaVersion >= 8, false);
        } else {
          node.arguments = empty;
        }
        return this.finishNode(node, "NewExpression");
      };
      pp$5.parseTemplateElement = function(ref2) {
        var isTagged = ref2.isTagged;
        var elem = this.startNode();
        if (this.type === types$1.invalidTemplate) {
          if (!isTagged) {
            this.raiseRecoverable(this.start, "Bad escape sequence in untagged template literal");
          }
          elem.value = {
            raw: this.value.replace(/\r\n?/g, "\n"),
            cooked: null
          };
        } else {
          elem.value = {
            raw: this.input.slice(this.start, this.end).replace(/\r\n?/g, "\n"),
            cooked: this.value
          };
        }
        this.next();
        elem.tail = this.type === types$1.backQuote;
        return this.finishNode(elem, "TemplateElement");
      };
      pp$5.parseTemplate = function(ref2) {
        if (ref2 === void 0) ref2 = {};
        var isTagged = ref2.isTagged;
        if (isTagged === void 0) isTagged = false;
        var node = this.startNode();
        this.next();
        node.expressions = [];
        var curElt = this.parseTemplateElement({ isTagged });
        node.quasis = [curElt];
        while (!curElt.tail) {
          if (this.type === types$1.eof) {
            this.raise(this.pos, "Unterminated template literal");
          }
          this.expect(types$1.dollarBraceL);
          node.expressions.push(this.parseExpression());
          this.expect(types$1.braceR);
          node.quasis.push(curElt = this.parseTemplateElement({ isTagged }));
        }
        this.next();
        return this.finishNode(node, "TemplateLiteral");
      };
      pp$5.isAsyncProp = function(prop) {
        return !prop.computed && prop.key.type === "Identifier" && prop.key.name === "async" && (this.type === types$1.name || this.type === types$1.num || this.type === types$1.string || this.type === types$1.bracketL || this.type.keyword || this.options.ecmaVersion >= 9 && this.type === types$1.star) && !lineBreak.test(this.input.slice(this.lastTokEnd, this.start));
      };
      pp$5.parseObj = function(isPattern, refDestructuringErrors) {
        var node = this.startNode(), first = true, propHash = {};
        node.properties = [];
        this.next();
        while (!this.eat(types$1.braceR)) {
          if (!first) {
            this.expect(types$1.comma);
            if (this.options.ecmaVersion >= 5 && this.afterTrailingComma(types$1.braceR)) {
              break;
            }
          } else {
            first = false;
          }
          var prop = this.parseProperty(isPattern, refDestructuringErrors);
          if (!isPattern) {
            this.checkPropClash(prop, propHash, refDestructuringErrors);
          }
          node.properties.push(prop);
        }
        return this.finishNode(node, isPattern ? "ObjectPattern" : "ObjectExpression");
      };
      pp$5.parseProperty = function(isPattern, refDestructuringErrors) {
        var prop = this.startNode(), isGenerator, isAsync2, startPos, startLoc;
        if (this.options.ecmaVersion >= 9 && this.eat(types$1.ellipsis)) {
          if (isPattern) {
            prop.argument = this.parseIdent(false);
            if (this.type === types$1.comma) {
              this.raiseRecoverable(this.start, "Comma is not permitted after the rest element");
            }
            return this.finishNode(prop, "RestElement");
          }
          prop.argument = this.parseMaybeAssign(false, refDestructuringErrors);
          if (this.type === types$1.comma && refDestructuringErrors && refDestructuringErrors.trailingComma < 0) {
            refDestructuringErrors.trailingComma = this.start;
          }
          return this.finishNode(prop, "SpreadElement");
        }
        if (this.options.ecmaVersion >= 6) {
          prop.method = false;
          prop.shorthand = false;
          if (isPattern || refDestructuringErrors) {
            startPos = this.start;
            startLoc = this.startLoc;
          }
          if (!isPattern) {
            isGenerator = this.eat(types$1.star);
          }
        }
        var containsEsc = this.containsEsc;
        this.parsePropertyName(prop);
        if (!isPattern && !containsEsc && this.options.ecmaVersion >= 8 && !isGenerator && this.isAsyncProp(prop)) {
          isAsync2 = true;
          isGenerator = this.options.ecmaVersion >= 9 && this.eat(types$1.star);
          this.parsePropertyName(prop);
        } else {
          isAsync2 = false;
        }
        this.parsePropertyValue(prop, isPattern, isGenerator, isAsync2, startPos, startLoc, refDestructuringErrors, containsEsc);
        return this.finishNode(prop, "Property");
      };
      pp$5.parseGetterSetter = function(prop) {
        prop.kind = prop.key.name;
        this.parsePropertyName(prop);
        prop.value = this.parseMethod(false);
        var paramCount = prop.kind === "get" ? 0 : 1;
        if (prop.value.params.length !== paramCount) {
          var start = prop.value.start;
          if (prop.kind === "get") {
            this.raiseRecoverable(start, "getter should have no params");
          } else {
            this.raiseRecoverable(start, "setter should have exactly one param");
          }
        } else {
          if (prop.kind === "set" && prop.value.params[0].type === "RestElement") {
            this.raiseRecoverable(prop.value.params[0].start, "Setter cannot use rest params");
          }
        }
      };
      pp$5.parsePropertyValue = function(prop, isPattern, isGenerator, isAsync2, startPos, startLoc, refDestructuringErrors, containsEsc) {
        if ((isGenerator || isAsync2) && this.type === types$1.colon) {
          this.unexpected();
        }
        if (this.eat(types$1.colon)) {
          prop.value = isPattern ? this.parseMaybeDefault(this.start, this.startLoc) : this.parseMaybeAssign(false, refDestructuringErrors);
          prop.kind = "init";
        } else if (this.options.ecmaVersion >= 6 && this.type === types$1.parenL) {
          if (isPattern) {
            this.unexpected();
          }
          prop.kind = "init";
          prop.method = true;
          prop.value = this.parseMethod(isGenerator, isAsync2);
        } else if (!isPattern && !containsEsc && this.options.ecmaVersion >= 5 && !prop.computed && prop.key.type === "Identifier" && (prop.key.name === "get" || prop.key.name === "set") && (this.type !== types$1.comma && this.type !== types$1.braceR && this.type !== types$1.eq)) {
          if (isGenerator || isAsync2) {
            this.unexpected();
          }
          this.parseGetterSetter(prop);
        } else if (this.options.ecmaVersion >= 6 && !prop.computed && prop.key.type === "Identifier") {
          if (isGenerator || isAsync2) {
            this.unexpected();
          }
          this.checkUnreserved(prop.key);
          if (prop.key.name === "await" && !this.awaitIdentPos) {
            this.awaitIdentPos = startPos;
          }
          prop.kind = "init";
          if (isPattern) {
            prop.value = this.parseMaybeDefault(startPos, startLoc, this.copyNode(prop.key));
          } else if (this.type === types$1.eq && refDestructuringErrors) {
            if (refDestructuringErrors.shorthandAssign < 0) {
              refDestructuringErrors.shorthandAssign = this.start;
            }
            prop.value = this.parseMaybeDefault(startPos, startLoc, this.copyNode(prop.key));
          } else {
            prop.value = this.copyNode(prop.key);
          }
          prop.shorthand = true;
        } else {
          this.unexpected();
        }
      };
      pp$5.parsePropertyName = function(prop) {
        if (this.options.ecmaVersion >= 6) {
          if (this.eat(types$1.bracketL)) {
            prop.computed = true;
            prop.key = this.parseMaybeAssign();
            this.expect(types$1.bracketR);
            return prop.key;
          } else {
            prop.computed = false;
          }
        }
        return prop.key = this.type === types$1.num || this.type === types$1.string ? this.parseExprAtom() : this.parseIdent(this.options.allowReserved !== "never");
      };
      pp$5.initFunction = function(node) {
        node.id = null;
        if (this.options.ecmaVersion >= 6) {
          node.generator = node.expression = false;
        }
        if (this.options.ecmaVersion >= 8) {
          node.async = false;
        }
      };
      pp$5.parseMethod = function(isGenerator, isAsync2, allowDirectSuper) {
        var node = this.startNode(), oldYieldPos = this.yieldPos, oldAwaitPos = this.awaitPos, oldAwaitIdentPos = this.awaitIdentPos;
        this.initFunction(node);
        if (this.options.ecmaVersion >= 6) {
          node.generator = isGenerator;
        }
        if (this.options.ecmaVersion >= 8) {
          node.async = !!isAsync2;
        }
        this.yieldPos = 0;
        this.awaitPos = 0;
        this.awaitIdentPos = 0;
        this.enterScope(functionFlags(isAsync2, node.generator) | SCOPE_SUPER | (allowDirectSuper ? SCOPE_DIRECT_SUPER : 0));
        this.expect(types$1.parenL);
        node.params = this.parseBindingList(types$1.parenR, false, this.options.ecmaVersion >= 8);
        this.checkYieldAwaitInDefaultParams();
        this.parseFunctionBody(node, false, true, false);
        this.yieldPos = oldYieldPos;
        this.awaitPos = oldAwaitPos;
        this.awaitIdentPos = oldAwaitIdentPos;
        return this.finishNode(node, "FunctionExpression");
      };
      pp$5.parseArrowExpression = function(node, params, isAsync2, forInit) {
        var oldYieldPos = this.yieldPos, oldAwaitPos = this.awaitPos, oldAwaitIdentPos = this.awaitIdentPos;
        this.enterScope(functionFlags(isAsync2, false) | SCOPE_ARROW);
        this.initFunction(node);
        if (this.options.ecmaVersion >= 8) {
          node.async = !!isAsync2;
        }
        this.yieldPos = 0;
        this.awaitPos = 0;
        this.awaitIdentPos = 0;
        node.params = this.toAssignableList(params, true);
        this.parseFunctionBody(node, true, false, forInit);
        this.yieldPos = oldYieldPos;
        this.awaitPos = oldAwaitPos;
        this.awaitIdentPos = oldAwaitIdentPos;
        return this.finishNode(node, "ArrowFunctionExpression");
      };
      pp$5.parseFunctionBody = function(node, isArrowFunction, isMethod, forInit) {
        var isExpression = isArrowFunction && this.type !== types$1.braceL;
        var oldStrict = this.strict, useStrict = false;
        if (isExpression) {
          node.body = this.parseMaybeAssign(forInit);
          node.expression = true;
          this.checkParams(node, false);
        } else {
          var nonSimple = this.options.ecmaVersion >= 7 && !this.isSimpleParamList(node.params);
          if (!oldStrict || nonSimple) {
            useStrict = this.strictDirective(this.end);
            if (useStrict && nonSimple) {
              this.raiseRecoverable(node.start, "Illegal 'use strict' directive in function with non-simple parameter list");
            }
          }
          var oldLabels = this.labels;
          this.labels = [];
          if (useStrict) {
            this.strict = true;
          }
          this.checkParams(node, !oldStrict && !useStrict && !isArrowFunction && !isMethod && this.isSimpleParamList(node.params));
          if (this.strict && node.id) {
            this.checkLValSimple(node.id, BIND_OUTSIDE);
          }
          node.body = this.parseBlock(false, void 0, useStrict && !oldStrict);
          node.expression = false;
          this.adaptDirectivePrologue(node.body.body);
          this.labels = oldLabels;
        }
        this.exitScope();
      };
      pp$5.isSimpleParamList = function(params) {
        for (var i2 = 0, list2 = params; i2 < list2.length; i2 += 1) {
          var param = list2[i2];
          if (param.type !== "Identifier") {
            return false;
          }
        }
        return true;
      };
      pp$5.checkParams = function(node, allowDuplicates) {
        var nameHash = /* @__PURE__ */ Object.create(null);
        for (var i2 = 0, list2 = node.params; i2 < list2.length; i2 += 1) {
          var param = list2[i2];
          this.checkLValInnerPattern(param, BIND_VAR, allowDuplicates ? null : nameHash);
        }
      };
      pp$5.parseExprList = function(close, allowTrailingComma, allowEmpty, refDestructuringErrors) {
        var elts = [], first = true;
        while (!this.eat(close)) {
          if (!first) {
            this.expect(types$1.comma);
            if (allowTrailingComma && this.afterTrailingComma(close)) {
              break;
            }
          } else {
            first = false;
          }
          var elt = void 0;
          if (allowEmpty && this.type === types$1.comma) {
            elt = null;
          } else if (this.type === types$1.ellipsis) {
            elt = this.parseSpread(refDestructuringErrors);
            if (refDestructuringErrors && this.type === types$1.comma && refDestructuringErrors.trailingComma < 0) {
              refDestructuringErrors.trailingComma = this.start;
            }
          } else {
            elt = this.parseMaybeAssign(false, refDestructuringErrors);
          }
          elts.push(elt);
        }
        return elts;
      };
      pp$5.checkUnreserved = function(ref2) {
        var start = ref2.start;
        var end = ref2.end;
        var name = ref2.name;
        if (this.inGenerator && name === "yield") {
          this.raiseRecoverable(start, "Cannot use 'yield' as identifier inside a generator");
        }
        if (this.inAsync && name === "await") {
          this.raiseRecoverable(start, "Cannot use 'await' as identifier inside an async function");
        }
        if (this.currentThisScope().inClassFieldInit && name === "arguments") {
          this.raiseRecoverable(start, "Cannot use 'arguments' in class field initializer");
        }
        if (this.inClassStaticBlock && (name === "arguments" || name === "await")) {
          this.raise(start, "Cannot use " + name + " in class static initialization block");
        }
        if (this.keywords.test(name)) {
          this.raise(start, "Unexpected keyword '" + name + "'");
        }
        if (this.options.ecmaVersion < 6 && this.input.slice(start, end).indexOf("\\") !== -1) {
          return;
        }
        var re = this.strict ? this.reservedWordsStrict : this.reservedWords;
        if (re.test(name)) {
          if (!this.inAsync && name === "await") {
            this.raiseRecoverable(start, "Cannot use keyword 'await' outside an async function");
          }
          this.raiseRecoverable(start, "The keyword '" + name + "' is reserved");
        }
      };
      pp$5.parseIdent = function(liberal) {
        var node = this.parseIdentNode();
        this.next(!!liberal);
        this.finishNode(node, "Identifier");
        if (!liberal) {
          this.checkUnreserved(node);
          if (node.name === "await" && !this.awaitIdentPos) {
            this.awaitIdentPos = node.start;
          }
        }
        return node;
      };
      pp$5.parseIdentNode = function() {
        var node = this.startNode();
        if (this.type === types$1.name) {
          node.name = this.value;
        } else if (this.type.keyword) {
          node.name = this.type.keyword;
          if ((node.name === "class" || node.name === "function") && (this.lastTokEnd !== this.lastTokStart + 1 || this.input.charCodeAt(this.lastTokStart) !== 46)) {
            this.context.pop();
          }
          this.type = types$1.name;
        } else {
          this.unexpected();
        }
        return node;
      };
      pp$5.parsePrivateIdent = function() {
        var node = this.startNode();
        if (this.type === types$1.privateId) {
          node.name = this.value;
        } else {
          this.unexpected();
        }
        this.next();
        this.finishNode(node, "PrivateIdentifier");
        if (this.options.checkPrivateFields) {
          if (this.privateNameStack.length === 0) {
            this.raise(node.start, "Private field '#" + node.name + "' must be declared in an enclosing class");
          } else {
            this.privateNameStack[this.privateNameStack.length - 1].used.push(node);
          }
        }
        return node;
      };
      pp$5.parseYield = function(forInit) {
        if (!this.yieldPos) {
          this.yieldPos = this.start;
        }
        var node = this.startNode();
        this.next();
        if (this.type === types$1.semi || this.canInsertSemicolon() || this.type !== types$1.star && !this.type.startsExpr) {
          node.delegate = false;
          node.argument = null;
        } else {
          node.delegate = this.eat(types$1.star);
          node.argument = this.parseMaybeAssign(forInit);
        }
        return this.finishNode(node, "YieldExpression");
      };
      pp$5.parseAwait = function(forInit) {
        if (!this.awaitPos) {
          this.awaitPos = this.start;
        }
        var node = this.startNode();
        this.next();
        node.argument = this.parseMaybeUnary(null, true, false, forInit);
        return this.finishNode(node, "AwaitExpression");
      };
      var pp$4 = Parser.prototype;
      pp$4.raise = function(pos, message) {
        var loc = getLineInfo(this.input, pos);
        message += " (" + loc.line + ":" + loc.column + ")";
        var err = new SyntaxError(message);
        err.pos = pos;
        err.loc = loc;
        err.raisedAt = this.pos;
        throw err;
      };
      pp$4.raiseRecoverable = pp$4.raise;
      pp$4.curPosition = function() {
        if (this.options.locations) {
          return new Position(this.curLine, this.pos - this.lineStart);
        }
      };
      var pp$3 = Parser.prototype;
      var Scope = function Scope2(flags) {
        this.flags = flags;
        this.var = [];
        this.lexical = [];
        this.functions = [];
        this.inClassFieldInit = false;
      };
      pp$3.enterScope = function(flags) {
        this.scopeStack.push(new Scope(flags));
      };
      pp$3.exitScope = function() {
        this.scopeStack.pop();
      };
      pp$3.treatFunctionsAsVarInScope = function(scope) {
        return scope.flags & SCOPE_FUNCTION || !this.inModule && scope.flags & SCOPE_TOP;
      };
      pp$3.declareName = function(name, bindingType, pos) {
        var redeclared = false;
        if (bindingType === BIND_LEXICAL) {
          var scope = this.currentScope();
          redeclared = scope.lexical.indexOf(name) > -1 || scope.functions.indexOf(name) > -1 || scope.var.indexOf(name) > -1;
          scope.lexical.push(name);
          if (this.inModule && scope.flags & SCOPE_TOP) {
            delete this.undefinedExports[name];
          }
        } else if (bindingType === BIND_SIMPLE_CATCH) {
          var scope$1 = this.currentScope();
          scope$1.lexical.push(name);
        } else if (bindingType === BIND_FUNCTION) {
          var scope$2 = this.currentScope();
          if (this.treatFunctionsAsVar) {
            redeclared = scope$2.lexical.indexOf(name) > -1;
          } else {
            redeclared = scope$2.lexical.indexOf(name) > -1 || scope$2.var.indexOf(name) > -1;
          }
          scope$2.functions.push(name);
        } else {
          for (var i2 = this.scopeStack.length - 1; i2 >= 0; --i2) {
            var scope$3 = this.scopeStack[i2];
            if (scope$3.lexical.indexOf(name) > -1 && !(scope$3.flags & SCOPE_SIMPLE_CATCH && scope$3.lexical[0] === name) || !this.treatFunctionsAsVarInScope(scope$3) && scope$3.functions.indexOf(name) > -1) {
              redeclared = true;
              break;
            }
            scope$3.var.push(name);
            if (this.inModule && scope$3.flags & SCOPE_TOP) {
              delete this.undefinedExports[name];
            }
            if (scope$3.flags & SCOPE_VAR) {
              break;
            }
          }
        }
        if (redeclared) {
          this.raiseRecoverable(pos, "Identifier '" + name + "' has already been declared");
        }
      };
      pp$3.checkLocalExport = function(id) {
        if (this.scopeStack[0].lexical.indexOf(id.name) === -1 && this.scopeStack[0].var.indexOf(id.name) === -1) {
          this.undefinedExports[id.name] = id;
        }
      };
      pp$3.currentScope = function() {
        return this.scopeStack[this.scopeStack.length - 1];
      };
      pp$3.currentVarScope = function() {
        for (var i2 = this.scopeStack.length - 1; ; i2--) {
          var scope = this.scopeStack[i2];
          if (scope.flags & SCOPE_VAR) {
            return scope;
          }
        }
      };
      pp$3.currentThisScope = function() {
        for (var i2 = this.scopeStack.length - 1; ; i2--) {
          var scope = this.scopeStack[i2];
          if (scope.flags & SCOPE_VAR && !(scope.flags & SCOPE_ARROW)) {
            return scope;
          }
        }
      };
      var Node = function Node2(parser, pos, loc) {
        this.type = "";
        this.start = pos;
        this.end = 0;
        if (parser.options.locations) {
          this.loc = new SourceLocation(parser, loc);
        }
        if (parser.options.directSourceFile) {
          this.sourceFile = parser.options.directSourceFile;
        }
        if (parser.options.ranges) {
          this.range = [pos, 0];
        }
      };
      var pp$2 = Parser.prototype;
      pp$2.startNode = function() {
        return new Node(this, this.start, this.startLoc);
      };
      pp$2.startNodeAt = function(pos, loc) {
        return new Node(this, pos, loc);
      };
      function finishNodeAt(node, type, pos, loc) {
        node.type = type;
        node.end = pos;
        if (this.options.locations) {
          node.loc.end = loc;
        }
        if (this.options.ranges) {
          node.range[1] = pos;
        }
        return node;
      }
      pp$2.finishNode = function(node, type) {
        return finishNodeAt.call(this, node, type, this.lastTokEnd, this.lastTokEndLoc);
      };
      pp$2.finishNodeAt = function(node, type, pos, loc) {
        return finishNodeAt.call(this, node, type, pos, loc);
      };
      pp$2.copyNode = function(node) {
        var newNode = new Node(this, node.start, this.startLoc);
        for (var prop in node) {
          newNode[prop] = node[prop];
        }
        return newNode;
      };
      var ecma9BinaryProperties = "ASCII ASCII_Hex_Digit AHex Alphabetic Alpha Any Assigned Bidi_Control Bidi_C Bidi_Mirrored Bidi_M Case_Ignorable CI Cased Changes_When_Casefolded CWCF Changes_When_Casemapped CWCM Changes_When_Lowercased CWL Changes_When_NFKC_Casefolded CWKCF Changes_When_Titlecased CWT Changes_When_Uppercased CWU Dash Default_Ignorable_Code_Point DI Deprecated Dep Diacritic Dia Emoji Emoji_Component Emoji_Modifier Emoji_Modifier_Base Emoji_Presentation Extender Ext Grapheme_Base Gr_Base Grapheme_Extend Gr_Ext Hex_Digit Hex IDS_Binary_Operator IDSB IDS_Trinary_Operator IDST ID_Continue IDC ID_Start IDS Ideographic Ideo Join_Control Join_C Logical_Order_Exception LOE Lowercase Lower Math Noncharacter_Code_Point NChar Pattern_Syntax Pat_Syn Pattern_White_Space Pat_WS Quotation_Mark QMark Radical Regional_Indicator RI Sentence_Terminal STerm Soft_Dotted SD Terminal_Punctuation Term Unified_Ideograph UIdeo Uppercase Upper Variation_Selector VS White_Space space XID_Continue XIDC XID_Start XIDS";
      var ecma10BinaryProperties = ecma9BinaryProperties + " Extended_Pictographic";
      var ecma11BinaryProperties = ecma10BinaryProperties;
      var ecma12BinaryProperties = ecma11BinaryProperties + " EBase EComp EMod EPres ExtPict";
      var ecma13BinaryProperties = ecma12BinaryProperties;
      var ecma14BinaryProperties = ecma13BinaryProperties;
      var unicodeBinaryProperties = {
        9: ecma9BinaryProperties,
        10: ecma10BinaryProperties,
        11: ecma11BinaryProperties,
        12: ecma12BinaryProperties,
        13: ecma13BinaryProperties,
        14: ecma14BinaryProperties
      };
      var ecma14BinaryPropertiesOfStrings = "Basic_Emoji Emoji_Keycap_Sequence RGI_Emoji_Modifier_Sequence RGI_Emoji_Flag_Sequence RGI_Emoji_Tag_Sequence RGI_Emoji_ZWJ_Sequence RGI_Emoji";
      var unicodeBinaryPropertiesOfStrings = {
        9: "",
        10: "",
        11: "",
        12: "",
        13: "",
        14: ecma14BinaryPropertiesOfStrings
      };
      var unicodeGeneralCategoryValues = "Cased_Letter LC Close_Punctuation Pe Connector_Punctuation Pc Control Cc cntrl Currency_Symbol Sc Dash_Punctuation Pd Decimal_Number Nd digit Enclosing_Mark Me Final_Punctuation Pf Format Cf Initial_Punctuation Pi Letter L Letter_Number Nl Line_Separator Zl Lowercase_Letter Ll Mark M Combining_Mark Math_Symbol Sm Modifier_Letter Lm Modifier_Symbol Sk Nonspacing_Mark Mn Number N Open_Punctuation Ps Other C Other_Letter Lo Other_Number No Other_Punctuation Po Other_Symbol So Paragraph_Separator Zp Private_Use Co Punctuation P punct Separator Z Space_Separator Zs Spacing_Mark Mc Surrogate Cs Symbol S Titlecase_Letter Lt Unassigned Cn Uppercase_Letter Lu";
      var ecma9ScriptValues = "Adlam Adlm Ahom Anatolian_Hieroglyphs Hluw Arabic Arab Armenian Armn Avestan Avst Balinese Bali Bamum Bamu Bassa_Vah Bass Batak Batk Bengali Beng Bhaiksuki Bhks Bopomofo Bopo Brahmi Brah Braille Brai Buginese Bugi Buhid Buhd Canadian_Aboriginal Cans Carian Cari Caucasian_Albanian Aghb Chakma Cakm Cham Cham Cherokee Cher Common Zyyy Coptic Copt Qaac Cuneiform Xsux Cypriot Cprt Cyrillic Cyrl Deseret Dsrt Devanagari Deva Duployan Dupl Egyptian_Hieroglyphs Egyp Elbasan Elba Ethiopic Ethi Georgian Geor Glagolitic Glag Gothic Goth Grantha Gran Greek Grek Gujarati Gujr Gurmukhi Guru Han Hani Hangul Hang Hanunoo Hano Hatran Hatr Hebrew Hebr Hiragana Hira Imperial_Aramaic Armi Inherited Zinh Qaai Inscriptional_Pahlavi Phli Inscriptional_Parthian Prti Javanese Java Kaithi Kthi Kannada Knda Katakana Kana Kayah_Li Kali Kharoshthi Khar Khmer Khmr Khojki Khoj Khudawadi Sind Lao Laoo Latin Latn Lepcha Lepc Limbu Limb Linear_A Lina Linear_B Linb Lisu Lisu Lycian Lyci Lydian Lydi Mahajani Mahj Malayalam Mlym Mandaic Mand Manichaean Mani Marchen Marc Masaram_Gondi Gonm Meetei_Mayek Mtei Mende_Kikakui Mend Meroitic_Cursive Merc Meroitic_Hieroglyphs Mero Miao Plrd Modi Mongolian Mong Mro Mroo Multani Mult Myanmar Mymr Nabataean Nbat New_Tai_Lue Talu Newa Newa Nko Nkoo Nushu Nshu Ogham Ogam Ol_Chiki Olck Old_Hungarian Hung Old_Italic Ital Old_North_Arabian Narb Old_Permic Perm Old_Persian Xpeo Old_South_Arabian Sarb Old_Turkic Orkh Oriya Orya Osage Osge Osmanya Osma Pahawh_Hmong Hmng Palmyrene Palm Pau_Cin_Hau Pauc Phags_Pa Phag Phoenician Phnx Psalter_Pahlavi Phlp Rejang Rjng Runic Runr Samaritan Samr Saurashtra Saur Sharada Shrd Shavian Shaw Siddham Sidd SignWriting Sgnw Sinhala Sinh Sora_Sompeng Sora Soyombo Soyo Sundanese Sund Syloti_Nagri Sylo Syriac Syrc Tagalog Tglg Tagbanwa Tagb Tai_Le Tale Tai_Tham Lana Tai_Viet Tavt Takri Takr Tamil Taml Tangut Tang Telugu Telu Thaana Thaa Thai Thai Tibetan Tibt Tifinagh Tfng Tirhuta Tirh Ugaritic Ugar Vai Vaii Warang_Citi Wara Yi Yiii Zanabazar_Square Zanb";
      var ecma10ScriptValues = ecma9ScriptValues + " Dogra Dogr Gunjala_Gondi Gong Hanifi_Rohingya Rohg Makasar Maka Medefaidrin Medf Old_Sogdian Sogo Sogdian Sogd";
      var ecma11ScriptValues = ecma10ScriptValues + " Elymaic Elym Nandinagari Nand Nyiakeng_Puachue_Hmong Hmnp Wancho Wcho";
      var ecma12ScriptValues = ecma11ScriptValues + " Chorasmian Chrs Diak Dives_Akuru Khitan_Small_Script Kits Yezi Yezidi";
      var ecma13ScriptValues = ecma12ScriptValues + " Cypro_Minoan Cpmn Old_Uyghur Ougr Tangsa Tnsa Toto Vithkuqi Vith";
      var ecma14ScriptValues = ecma13ScriptValues + " Hrkt Katakana_Or_Hiragana Kawi Nag_Mundari Nagm Unknown Zzzz";
      var unicodeScriptValues = {
        9: ecma9ScriptValues,
        10: ecma10ScriptValues,
        11: ecma11ScriptValues,
        12: ecma12ScriptValues,
        13: ecma13ScriptValues,
        14: ecma14ScriptValues
      };
      var data = {};
      function buildUnicodeData(ecmaVersion2) {
        var d = data[ecmaVersion2] = {
          binary: wordsRegexp(unicodeBinaryProperties[ecmaVersion2] + " " + unicodeGeneralCategoryValues),
          binaryOfStrings: wordsRegexp(unicodeBinaryPropertiesOfStrings[ecmaVersion2]),
          nonBinary: {
            General_Category: wordsRegexp(unicodeGeneralCategoryValues),
            Script: wordsRegexp(unicodeScriptValues[ecmaVersion2])
          }
        };
        d.nonBinary.Script_Extensions = d.nonBinary.Script;
        d.nonBinary.gc = d.nonBinary.General_Category;
        d.nonBinary.sc = d.nonBinary.Script;
        d.nonBinary.scx = d.nonBinary.Script_Extensions;
      }
      for (var i = 0, list = [9, 10, 11, 12, 13, 14]; i < list.length; i += 1) {
        var ecmaVersion = list[i];
        buildUnicodeData(ecmaVersion);
      }
      var pp$1 = Parser.prototype;
      var BranchID = function BranchID2(parent, base) {
        this.parent = parent;
        this.base = base || this;
      };
      BranchID.prototype.separatedFrom = function separatedFrom(alt) {
        for (var self2 = this; self2; self2 = self2.parent) {
          for (var other = alt; other; other = other.parent) {
            if (self2.base === other.base && self2 !== other) {
              return true;
            }
          }
        }
        return false;
      };
      BranchID.prototype.sibling = function sibling() {
        return new BranchID(this.parent, this.base);
      };
      var RegExpValidationState = function RegExpValidationState2(parser) {
        this.parser = parser;
        this.validFlags = "gim" + (parser.options.ecmaVersion >= 6 ? "uy" : "") + (parser.options.ecmaVersion >= 9 ? "s" : "") + (parser.options.ecmaVersion >= 13 ? "d" : "") + (parser.options.ecmaVersion >= 15 ? "v" : "");
        this.unicodeProperties = data[parser.options.ecmaVersion >= 14 ? 14 : parser.options.ecmaVersion];
        this.source = "";
        this.flags = "";
        this.start = 0;
        this.switchU = false;
        this.switchV = false;
        this.switchN = false;
        this.pos = 0;
        this.lastIntValue = 0;
        this.lastStringValue = "";
        this.lastAssertionIsQuantifiable = false;
        this.numCapturingParens = 0;
        this.maxBackReference = 0;
        this.groupNames = /* @__PURE__ */ Object.create(null);
        this.backReferenceNames = [];
        this.branchID = null;
      };
      RegExpValidationState.prototype.reset = function reset(start, pattern, flags) {
        var unicodeSets = flags.indexOf("v") !== -1;
        var unicode = flags.indexOf("u") !== -1;
        this.start = start | 0;
        this.source = pattern + "";
        this.flags = flags;
        if (unicodeSets && this.parser.options.ecmaVersion >= 15) {
          this.switchU = true;
          this.switchV = true;
          this.switchN = true;
        } else {
          this.switchU = unicode && this.parser.options.ecmaVersion >= 6;
          this.switchV = false;
          this.switchN = unicode && this.parser.options.ecmaVersion >= 9;
        }
      };
      RegExpValidationState.prototype.raise = function raise(message) {
        this.parser.raiseRecoverable(this.start, "Invalid regular expression: /" + this.source + "/: " + message);
      };
      RegExpValidationState.prototype.at = function at(i2, forceU) {
        if (forceU === void 0) forceU = false;
        var s = this.source;
        var l = s.length;
        if (i2 >= l) {
          return -1;
        }
        var c = s.charCodeAt(i2);
        if (!(forceU || this.switchU) || c <= 55295 || c >= 57344 || i2 + 1 >= l) {
          return c;
        }
        var next = s.charCodeAt(i2 + 1);
        return next >= 56320 && next <= 57343 ? (c << 10) + next - 56613888 : c;
      };
      RegExpValidationState.prototype.nextIndex = function nextIndex(i2, forceU) {
        if (forceU === void 0) forceU = false;
        var s = this.source;
        var l = s.length;
        if (i2 >= l) {
          return l;
        }
        var c = s.charCodeAt(i2), next;
        if (!(forceU || this.switchU) || c <= 55295 || c >= 57344 || i2 + 1 >= l || (next = s.charCodeAt(i2 + 1)) < 56320 || next > 57343) {
          return i2 + 1;
        }
        return i2 + 2;
      };
      RegExpValidationState.prototype.current = function current(forceU) {
        if (forceU === void 0) forceU = false;
        return this.at(this.pos, forceU);
      };
      RegExpValidationState.prototype.lookahead = function lookahead(forceU) {
        if (forceU === void 0) forceU = false;
        return this.at(this.nextIndex(this.pos, forceU), forceU);
      };
      RegExpValidationState.prototype.advance = function advance(forceU) {
        if (forceU === void 0) forceU = false;
        this.pos = this.nextIndex(this.pos, forceU);
      };
      RegExpValidationState.prototype.eat = function eat(ch, forceU) {
        if (forceU === void 0) forceU = false;
        if (this.current(forceU) === ch) {
          this.advance(forceU);
          return true;
        }
        return false;
      };
      RegExpValidationState.prototype.eatChars = function eatChars(chs, forceU) {
        if (forceU === void 0) forceU = false;
        var pos = this.pos;
        for (var i2 = 0, list2 = chs; i2 < list2.length; i2 += 1) {
          var ch = list2[i2];
          var current = this.at(pos, forceU);
          if (current === -1 || current !== ch) {
            return false;
          }
          pos = this.nextIndex(pos, forceU);
        }
        this.pos = pos;
        return true;
      };
      pp$1.validateRegExpFlags = function(state) {
        var validFlags = state.validFlags;
        var flags = state.flags;
        var u = false;
        var v = false;
        for (var i2 = 0; i2 < flags.length; i2++) {
          var flag = flags.charAt(i2);
          if (validFlags.indexOf(flag) === -1) {
            this.raise(state.start, "Invalid regular expression flag");
          }
          if (flags.indexOf(flag, i2 + 1) > -1) {
            this.raise(state.start, "Duplicate regular expression flag");
          }
          if (flag === "u") {
            u = true;
          }
          if (flag === "v") {
            v = true;
          }
        }
        if (this.options.ecmaVersion >= 15 && u && v) {
          this.raise(state.start, "Invalid regular expression flag");
        }
      };
      function hasProp(obj) {
        for (var _ in obj) {
          return true;
        }
        return false;
      }
      pp$1.validateRegExpPattern = function(state) {
        this.regexp_pattern(state);
        if (!state.switchN && this.options.ecmaVersion >= 9 && hasProp(state.groupNames)) {
          state.switchN = true;
          this.regexp_pattern(state);
        }
      };
      pp$1.regexp_pattern = function(state) {
        state.pos = 0;
        state.lastIntValue = 0;
        state.lastStringValue = "";
        state.lastAssertionIsQuantifiable = false;
        state.numCapturingParens = 0;
        state.maxBackReference = 0;
        state.groupNames = /* @__PURE__ */ Object.create(null);
        state.backReferenceNames.length = 0;
        state.branchID = null;
        this.regexp_disjunction(state);
        if (state.pos !== state.source.length) {
          if (state.eat(
            41
            /* ) */
          )) {
            state.raise("Unmatched ')'");
          }
          if (state.eat(
            93
            /* ] */
          ) || state.eat(
            125
            /* } */
          )) {
            state.raise("Lone quantifier brackets");
          }
        }
        if (state.maxBackReference > state.numCapturingParens) {
          state.raise("Invalid escape");
        }
        for (var i2 = 0, list2 = state.backReferenceNames; i2 < list2.length; i2 += 1) {
          var name = list2[i2];
          if (!state.groupNames[name]) {
            state.raise("Invalid named capture referenced");
          }
        }
      };
      pp$1.regexp_disjunction = function(state) {
        var trackDisjunction = this.options.ecmaVersion >= 16;
        if (trackDisjunction) {
          state.branchID = new BranchID(state.branchID, null);
        }
        this.regexp_alternative(state);
        while (state.eat(
          124
          /* | */
        )) {
          if (trackDisjunction) {
            state.branchID = state.branchID.sibling();
          }
          this.regexp_alternative(state);
        }
        if (trackDisjunction) {
          state.branchID = state.branchID.parent;
        }
        if (this.regexp_eatQuantifier(state, true)) {
          state.raise("Nothing to repeat");
        }
        if (state.eat(
          123
          /* { */
        )) {
          state.raise("Lone quantifier brackets");
        }
      };
      pp$1.regexp_alternative = function(state) {
        while (state.pos < state.source.length && this.regexp_eatTerm(state)) {
        }
      };
      pp$1.regexp_eatTerm = function(state) {
        if (this.regexp_eatAssertion(state)) {
          if (state.lastAssertionIsQuantifiable && this.regexp_eatQuantifier(state)) {
            if (state.switchU) {
              state.raise("Invalid quantifier");
            }
          }
          return true;
        }
        if (state.switchU ? this.regexp_eatAtom(state) : this.regexp_eatExtendedAtom(state)) {
          this.regexp_eatQuantifier(state);
          return true;
        }
        return false;
      };
      pp$1.regexp_eatAssertion = function(state) {
        var start = state.pos;
        state.lastAssertionIsQuantifiable = false;
        if (state.eat(
          94
          /* ^ */
        ) || state.eat(
          36
          /* $ */
        )) {
          return true;
        }
        if (state.eat(
          92
          /* \ */
        )) {
          if (state.eat(
            66
            /* B */
          ) || state.eat(
            98
            /* b */
          )) {
            return true;
          }
          state.pos = start;
        }
        if (state.eat(
          40
          /* ( */
        ) && state.eat(
          63
          /* ? */
        )) {
          var lookbehind = false;
          if (this.options.ecmaVersion >= 9) {
            lookbehind = state.eat(
              60
              /* < */
            );
          }
          if (state.eat(
            61
            /* = */
          ) || state.eat(
            33
            /* ! */
          )) {
            this.regexp_disjunction(state);
            if (!state.eat(
              41
              /* ) */
            )) {
              state.raise("Unterminated group");
            }
            state.lastAssertionIsQuantifiable = !lookbehind;
            return true;
          }
        }
        state.pos = start;
        return false;
      };
      pp$1.regexp_eatQuantifier = function(state, noError) {
        if (noError === void 0) noError = false;
        if (this.regexp_eatQuantifierPrefix(state, noError)) {
          state.eat(
            63
            /* ? */
          );
          return true;
        }
        return false;
      };
      pp$1.regexp_eatQuantifierPrefix = function(state, noError) {
        return state.eat(
          42
          /* * */
        ) || state.eat(
          43
          /* + */
        ) || state.eat(
          63
          /* ? */
        ) || this.regexp_eatBracedQuantifier(state, noError);
      };
      pp$1.regexp_eatBracedQuantifier = function(state, noError) {
        var start = state.pos;
        if (state.eat(
          123
          /* { */
        )) {
          var min = 0, max = -1;
          if (this.regexp_eatDecimalDigits(state)) {
            min = state.lastIntValue;
            if (state.eat(
              44
              /* , */
            ) && this.regexp_eatDecimalDigits(state)) {
              max = state.lastIntValue;
            }
            if (state.eat(
              125
              /* } */
            )) {
              if (max !== -1 && max < min && !noError) {
                state.raise("numbers out of order in {} quantifier");
              }
              return true;
            }
          }
          if (state.switchU && !noError) {
            state.raise("Incomplete quantifier");
          }
          state.pos = start;
        }
        return false;
      };
      pp$1.regexp_eatAtom = function(state) {
        return this.regexp_eatPatternCharacters(state) || state.eat(
          46
          /* . */
        ) || this.regexp_eatReverseSolidusAtomEscape(state) || this.regexp_eatCharacterClass(state) || this.regexp_eatUncapturingGroup(state) || this.regexp_eatCapturingGroup(state);
      };
      pp$1.regexp_eatReverseSolidusAtomEscape = function(state) {
        var start = state.pos;
        if (state.eat(
          92
          /* \ */
        )) {
          if (this.regexp_eatAtomEscape(state)) {
            return true;
          }
          state.pos = start;
        }
        return false;
      };
      pp$1.regexp_eatUncapturingGroup = function(state) {
        var start = state.pos;
        if (state.eat(
          40
          /* ( */
        )) {
          if (state.eat(
            63
            /* ? */
          ) && state.eat(
            58
            /* : */
          )) {
            this.regexp_disjunction(state);
            if (state.eat(
              41
              /* ) */
            )) {
              return true;
            }
            state.raise("Unterminated group");
          }
          state.pos = start;
        }
        return false;
      };
      pp$1.regexp_eatCapturingGroup = function(state) {
        if (state.eat(
          40
          /* ( */
        )) {
          if (this.options.ecmaVersion >= 9) {
            this.regexp_groupSpecifier(state);
          } else if (state.current() === 63) {
            state.raise("Invalid group");
          }
          this.regexp_disjunction(state);
          if (state.eat(
            41
            /* ) */
          )) {
            state.numCapturingParens += 1;
            return true;
          }
          state.raise("Unterminated group");
        }
        return false;
      };
      pp$1.regexp_eatExtendedAtom = function(state) {
        return state.eat(
          46
          /* . */
        ) || this.regexp_eatReverseSolidusAtomEscape(state) || this.regexp_eatCharacterClass(state) || this.regexp_eatUncapturingGroup(state) || this.regexp_eatCapturingGroup(state) || this.regexp_eatInvalidBracedQuantifier(state) || this.regexp_eatExtendedPatternCharacter(state);
      };
      pp$1.regexp_eatInvalidBracedQuantifier = function(state) {
        if (this.regexp_eatBracedQuantifier(state, true)) {
          state.raise("Nothing to repeat");
        }
        return false;
      };
      pp$1.regexp_eatSyntaxCharacter = function(state) {
        var ch = state.current();
        if (isSyntaxCharacter(ch)) {
          state.lastIntValue = ch;
          state.advance();
          return true;
        }
        return false;
      };
      function isSyntaxCharacter(ch) {
        return ch === 36 || ch >= 40 && ch <= 43 || ch === 46 || ch === 63 || ch >= 91 && ch <= 94 || ch >= 123 && ch <= 125;
      }
      pp$1.regexp_eatPatternCharacters = function(state) {
        var start = state.pos;
        var ch = 0;
        while ((ch = state.current()) !== -1 && !isSyntaxCharacter(ch)) {
          state.advance();
        }
        return state.pos !== start;
      };
      pp$1.regexp_eatExtendedPatternCharacter = function(state) {
        var ch = state.current();
        if (ch !== -1 && ch !== 36 && !(ch >= 40 && ch <= 43) && ch !== 46 && ch !== 63 && ch !== 91 && ch !== 94 && ch !== 124) {
          state.advance();
          return true;
        }
        return false;
      };
      pp$1.regexp_groupSpecifier = function(state) {
        if (state.eat(
          63
          /* ? */
        )) {
          if (!this.regexp_eatGroupName(state)) {
            state.raise("Invalid group");
          }
          var trackDisjunction = this.options.ecmaVersion >= 16;
          var known = state.groupNames[state.lastStringValue];
          if (known) {
            if (trackDisjunction) {
              for (var i2 = 0, list2 = known; i2 < list2.length; i2 += 1) {
                var altID = list2[i2];
                if (!altID.separatedFrom(state.branchID)) {
                  state.raise("Duplicate capture group name");
                }
              }
            } else {
              state.raise("Duplicate capture group name");
            }
          }
          if (trackDisjunction) {
            (known || (state.groupNames[state.lastStringValue] = [])).push(state.branchID);
          } else {
            state.groupNames[state.lastStringValue] = true;
          }
        }
      };
      pp$1.regexp_eatGroupName = function(state) {
        state.lastStringValue = "";
        if (state.eat(
          60
          /* < */
        )) {
          if (this.regexp_eatRegExpIdentifierName(state) && state.eat(
            62
            /* > */
          )) {
            return true;
          }
          state.raise("Invalid capture group name");
        }
        return false;
      };
      pp$1.regexp_eatRegExpIdentifierName = function(state) {
        state.lastStringValue = "";
        if (this.regexp_eatRegExpIdentifierStart(state)) {
          state.lastStringValue += codePointToString(state.lastIntValue);
          while (this.regexp_eatRegExpIdentifierPart(state)) {
            state.lastStringValue += codePointToString(state.lastIntValue);
          }
          return true;
        }
        return false;
      };
      pp$1.regexp_eatRegExpIdentifierStart = function(state) {
        var start = state.pos;
        var forceU = this.options.ecmaVersion >= 11;
        var ch = state.current(forceU);
        state.advance(forceU);
        if (ch === 92 && this.regexp_eatRegExpUnicodeEscapeSequence(state, forceU)) {
          ch = state.lastIntValue;
        }
        if (isRegExpIdentifierStart(ch)) {
          state.lastIntValue = ch;
          return true;
        }
        state.pos = start;
        return false;
      };
      function isRegExpIdentifierStart(ch) {
        return isIdentifierStart(ch, true) || ch === 36 || ch === 95;
      }
      pp$1.regexp_eatRegExpIdentifierPart = function(state) {
        var start = state.pos;
        var forceU = this.options.ecmaVersion >= 11;
        var ch = state.current(forceU);
        state.advance(forceU);
        if (ch === 92 && this.regexp_eatRegExpUnicodeEscapeSequence(state, forceU)) {
          ch = state.lastIntValue;
        }
        if (isRegExpIdentifierPart(ch)) {
          state.lastIntValue = ch;
          return true;
        }
        state.pos = start;
        return false;
      };
      function isRegExpIdentifierPart(ch) {
        return isIdentifierChar(ch, true) || ch === 36 || ch === 95 || ch === 8204 || ch === 8205;
      }
      pp$1.regexp_eatAtomEscape = function(state) {
        if (this.regexp_eatBackReference(state) || this.regexp_eatCharacterClassEscape(state) || this.regexp_eatCharacterEscape(state) || state.switchN && this.regexp_eatKGroupName(state)) {
          return true;
        }
        if (state.switchU) {
          if (state.current() === 99) {
            state.raise("Invalid unicode escape");
          }
          state.raise("Invalid escape");
        }
        return false;
      };
      pp$1.regexp_eatBackReference = function(state) {
        var start = state.pos;
        if (this.regexp_eatDecimalEscape(state)) {
          var n = state.lastIntValue;
          if (state.switchU) {
            if (n > state.maxBackReference) {
              state.maxBackReference = n;
            }
            return true;
          }
          if (n <= state.numCapturingParens) {
            return true;
          }
          state.pos = start;
        }
        return false;
      };
      pp$1.regexp_eatKGroupName = function(state) {
        if (state.eat(
          107
          /* k */
        )) {
          if (this.regexp_eatGroupName(state)) {
            state.backReferenceNames.push(state.lastStringValue);
            return true;
          }
          state.raise("Invalid named reference");
        }
        return false;
      };
      pp$1.regexp_eatCharacterEscape = function(state) {
        return this.regexp_eatControlEscape(state) || this.regexp_eatCControlLetter(state) || this.regexp_eatZero(state) || this.regexp_eatHexEscapeSequence(state) || this.regexp_eatRegExpUnicodeEscapeSequence(state, false) || !state.switchU && this.regexp_eatLegacyOctalEscapeSequence(state) || this.regexp_eatIdentityEscape(state);
      };
      pp$1.regexp_eatCControlLetter = function(state) {
        var start = state.pos;
        if (state.eat(
          99
          /* c */
        )) {
          if (this.regexp_eatControlLetter(state)) {
            return true;
          }
          state.pos = start;
        }
        return false;
      };
      pp$1.regexp_eatZero = function(state) {
        if (state.current() === 48 && !isDecimalDigit(state.lookahead())) {
          state.lastIntValue = 0;
          state.advance();
          return true;
        }
        return false;
      };
      pp$1.regexp_eatControlEscape = function(state) {
        var ch = state.current();
        if (ch === 116) {
          state.lastIntValue = 9;
          state.advance();
          return true;
        }
        if (ch === 110) {
          state.lastIntValue = 10;
          state.advance();
          return true;
        }
        if (ch === 118) {
          state.lastIntValue = 11;
          state.advance();
          return true;
        }
        if (ch === 102) {
          state.lastIntValue = 12;
          state.advance();
          return true;
        }
        if (ch === 114) {
          state.lastIntValue = 13;
          state.advance();
          return true;
        }
        return false;
      };
      pp$1.regexp_eatControlLetter = function(state) {
        var ch = state.current();
        if (isControlLetter(ch)) {
          state.lastIntValue = ch % 32;
          state.advance();
          return true;
        }
        return false;
      };
      function isControlLetter(ch) {
        return ch >= 65 && ch <= 90 || ch >= 97 && ch <= 122;
      }
      pp$1.regexp_eatRegExpUnicodeEscapeSequence = function(state, forceU) {
        if (forceU === void 0) forceU = false;
        var start = state.pos;
        var switchU = forceU || state.switchU;
        if (state.eat(
          117
          /* u */
        )) {
          if (this.regexp_eatFixedHexDigits(state, 4)) {
            var lead = state.lastIntValue;
            if (switchU && lead >= 55296 && lead <= 56319) {
              var leadSurrogateEnd = state.pos;
              if (state.eat(
                92
                /* \ */
              ) && state.eat(
                117
                /* u */
              ) && this.regexp_eatFixedHexDigits(state, 4)) {
                var trail = state.lastIntValue;
                if (trail >= 56320 && trail <= 57343) {
                  state.lastIntValue = (lead - 55296) * 1024 + (trail - 56320) + 65536;
                  return true;
                }
              }
              state.pos = leadSurrogateEnd;
              state.lastIntValue = lead;
            }
            return true;
          }
          if (switchU && state.eat(
            123
            /* { */
          ) && this.regexp_eatHexDigits(state) && state.eat(
            125
            /* } */
          ) && isValidUnicode(state.lastIntValue)) {
            return true;
          }
          if (switchU) {
            state.raise("Invalid unicode escape");
          }
          state.pos = start;
        }
        return false;
      };
      function isValidUnicode(ch) {
        return ch >= 0 && ch <= 1114111;
      }
      pp$1.regexp_eatIdentityEscape = function(state) {
        if (state.switchU) {
          if (this.regexp_eatSyntaxCharacter(state)) {
            return true;
          }
          if (state.eat(
            47
            /* / */
          )) {
            state.lastIntValue = 47;
            return true;
          }
          return false;
        }
        var ch = state.current();
        if (ch !== 99 && (!state.switchN || ch !== 107)) {
          state.lastIntValue = ch;
          state.advance();
          return true;
        }
        return false;
      };
      pp$1.regexp_eatDecimalEscape = function(state) {
        state.lastIntValue = 0;
        var ch = state.current();
        if (ch >= 49 && ch <= 57) {
          do {
            state.lastIntValue = 10 * state.lastIntValue + (ch - 48);
            state.advance();
          } while ((ch = state.current()) >= 48 && ch <= 57);
          return true;
        }
        return false;
      };
      var CharSetNone = 0;
      var CharSetOk = 1;
      var CharSetString = 2;
      pp$1.regexp_eatCharacterClassEscape = function(state) {
        var ch = state.current();
        if (isCharacterClassEscape(ch)) {
          state.lastIntValue = -1;
          state.advance();
          return CharSetOk;
        }
        var negate2 = false;
        if (state.switchU && this.options.ecmaVersion >= 9 && ((negate2 = ch === 80) || ch === 112)) {
          state.lastIntValue = -1;
          state.advance();
          var result;
          if (state.eat(
            123
            /* { */
          ) && (result = this.regexp_eatUnicodePropertyValueExpression(state)) && state.eat(
            125
            /* } */
          )) {
            if (negate2 && result === CharSetString) {
              state.raise("Invalid property name");
            }
            return result;
          }
          state.raise("Invalid property name");
        }
        return CharSetNone;
      };
      function isCharacterClassEscape(ch) {
        return ch === 100 || ch === 68 || ch === 115 || ch === 83 || ch === 119 || ch === 87;
      }
      pp$1.regexp_eatUnicodePropertyValueExpression = function(state) {
        var start = state.pos;
        if (this.regexp_eatUnicodePropertyName(state) && state.eat(
          61
          /* = */
        )) {
          var name = state.lastStringValue;
          if (this.regexp_eatUnicodePropertyValue(state)) {
            var value = state.lastStringValue;
            this.regexp_validateUnicodePropertyNameAndValue(state, name, value);
            return CharSetOk;
          }
        }
        state.pos = start;
        if (this.regexp_eatLoneUnicodePropertyNameOrValue(state)) {
          var nameOrValue = state.lastStringValue;
          return this.regexp_validateUnicodePropertyNameOrValue(state, nameOrValue);
        }
        return CharSetNone;
      };
      pp$1.regexp_validateUnicodePropertyNameAndValue = function(state, name, value) {
        if (!hasOwn(state.unicodeProperties.nonBinary, name)) {
          state.raise("Invalid property name");
        }
        if (!state.unicodeProperties.nonBinary[name].test(value)) {
          state.raise("Invalid property value");
        }
      };
      pp$1.regexp_validateUnicodePropertyNameOrValue = function(state, nameOrValue) {
        if (state.unicodeProperties.binary.test(nameOrValue)) {
          return CharSetOk;
        }
        if (state.switchV && state.unicodeProperties.binaryOfStrings.test(nameOrValue)) {
          return CharSetString;
        }
        state.raise("Invalid property name");
      };
      pp$1.regexp_eatUnicodePropertyName = function(state) {
        var ch = 0;
        state.lastStringValue = "";
        while (isUnicodePropertyNameCharacter(ch = state.current())) {
          state.lastStringValue += codePointToString(ch);
          state.advance();
        }
        return state.lastStringValue !== "";
      };
      function isUnicodePropertyNameCharacter(ch) {
        return isControlLetter(ch) || ch === 95;
      }
      pp$1.regexp_eatUnicodePropertyValue = function(state) {
        var ch = 0;
        state.lastStringValue = "";
        while (isUnicodePropertyValueCharacter(ch = state.current())) {
          state.lastStringValue += codePointToString(ch);
          state.advance();
        }
        return state.lastStringValue !== "";
      };
      function isUnicodePropertyValueCharacter(ch) {
        return isUnicodePropertyNameCharacter(ch) || isDecimalDigit(ch);
      }
      pp$1.regexp_eatLoneUnicodePropertyNameOrValue = function(state) {
        return this.regexp_eatUnicodePropertyValue(state);
      };
      pp$1.regexp_eatCharacterClass = function(state) {
        if (state.eat(
          91
          /* [ */
        )) {
          var negate2 = state.eat(
            94
            /* ^ */
          );
          var result = this.regexp_classContents(state);
          if (!state.eat(
            93
            /* ] */
          )) {
            state.raise("Unterminated character class");
          }
          if (negate2 && result === CharSetString) {
            state.raise("Negated character class may contain strings");
          }
          return true;
        }
        return false;
      };
      pp$1.regexp_classContents = function(state) {
        if (state.current() === 93) {
          return CharSetOk;
        }
        if (state.switchV) {
          return this.regexp_classSetExpression(state);
        }
        this.regexp_nonEmptyClassRanges(state);
        return CharSetOk;
      };
      pp$1.regexp_nonEmptyClassRanges = function(state) {
        while (this.regexp_eatClassAtom(state)) {
          var left = state.lastIntValue;
          if (state.eat(
            45
            /* - */
          ) && this.regexp_eatClassAtom(state)) {
            var right = state.lastIntValue;
            if (state.switchU && (left === -1 || right === -1)) {
              state.raise("Invalid character class");
            }
            if (left !== -1 && right !== -1 && left > right) {
              state.raise("Range out of order in character class");
            }
          }
        }
      };
      pp$1.regexp_eatClassAtom = function(state) {
        var start = state.pos;
        if (state.eat(
          92
          /* \ */
        )) {
          if (this.regexp_eatClassEscape(state)) {
            return true;
          }
          if (state.switchU) {
            var ch$1 = state.current();
            if (ch$1 === 99 || isOctalDigit(ch$1)) {
              state.raise("Invalid class escape");
            }
            state.raise("Invalid escape");
          }
          state.pos = start;
        }
        var ch = state.current();
        if (ch !== 93) {
          state.lastIntValue = ch;
          state.advance();
          return true;
        }
        return false;
      };
      pp$1.regexp_eatClassEscape = function(state) {
        var start = state.pos;
        if (state.eat(
          98
          /* b */
        )) {
          state.lastIntValue = 8;
          return true;
        }
        if (state.switchU && state.eat(
          45
          /* - */
        )) {
          state.lastIntValue = 45;
          return true;
        }
        if (!state.switchU && state.eat(
          99
          /* c */
        )) {
          if (this.regexp_eatClassControlLetter(state)) {
            return true;
          }
          state.pos = start;
        }
        return this.regexp_eatCharacterClassEscape(state) || this.regexp_eatCharacterEscape(state);
      };
      pp$1.regexp_classSetExpression = function(state) {
        var result = CharSetOk, subResult;
        if (this.regexp_eatClassSetRange(state)) ;
        else if (subResult = this.regexp_eatClassSetOperand(state)) {
          if (subResult === CharSetString) {
            result = CharSetString;
          }
          var start = state.pos;
          while (state.eatChars(
            [38, 38]
            /* && */
          )) {
            if (state.current() !== 38 && (subResult = this.regexp_eatClassSetOperand(state))) {
              if (subResult !== CharSetString) {
                result = CharSetOk;
              }
              continue;
            }
            state.raise("Invalid character in character class");
          }
          if (start !== state.pos) {
            return result;
          }
          while (state.eatChars(
            [45, 45]
            /* -- */
          )) {
            if (this.regexp_eatClassSetOperand(state)) {
              continue;
            }
            state.raise("Invalid character in character class");
          }
          if (start !== state.pos) {
            return result;
          }
        } else {
          state.raise("Invalid character in character class");
        }
        for (; ; ) {
          if (this.regexp_eatClassSetRange(state)) {
            continue;
          }
          subResult = this.regexp_eatClassSetOperand(state);
          if (!subResult) {
            return result;
          }
          if (subResult === CharSetString) {
            result = CharSetString;
          }
        }
      };
      pp$1.regexp_eatClassSetRange = function(state) {
        var start = state.pos;
        if (this.regexp_eatClassSetCharacter(state)) {
          var left = state.lastIntValue;
          if (state.eat(
            45
            /* - */
          ) && this.regexp_eatClassSetCharacter(state)) {
            var right = state.lastIntValue;
            if (left !== -1 && right !== -1 && left > right) {
              state.raise("Range out of order in character class");
            }
            return true;
          }
          state.pos = start;
        }
        return false;
      };
      pp$1.regexp_eatClassSetOperand = function(state) {
        if (this.regexp_eatClassSetCharacter(state)) {
          return CharSetOk;
        }
        return this.regexp_eatClassStringDisjunction(state) || this.regexp_eatNestedClass(state);
      };
      pp$1.regexp_eatNestedClass = function(state) {
        var start = state.pos;
        if (state.eat(
          91
          /* [ */
        )) {
          var negate2 = state.eat(
            94
            /* ^ */
          );
          var result = this.regexp_classContents(state);
          if (state.eat(
            93
            /* ] */
          )) {
            if (negate2 && result === CharSetString) {
              state.raise("Negated character class may contain strings");
            }
            return result;
          }
          state.pos = start;
        }
        if (state.eat(
          92
          /* \ */
        )) {
          var result$1 = this.regexp_eatCharacterClassEscape(state);
          if (result$1) {
            return result$1;
          }
          state.pos = start;
        }
        return null;
      };
      pp$1.regexp_eatClassStringDisjunction = function(state) {
        var start = state.pos;
        if (state.eatChars(
          [92, 113]
          /* \q */
        )) {
          if (state.eat(
            123
            /* { */
          )) {
            var result = this.regexp_classStringDisjunctionContents(state);
            if (state.eat(
              125
              /* } */
            )) {
              return result;
            }
          } else {
            state.raise("Invalid escape");
          }
          state.pos = start;
        }
        return null;
      };
      pp$1.regexp_classStringDisjunctionContents = function(state) {
        var result = this.regexp_classString(state);
        while (state.eat(
          124
          /* | */
        )) {
          if (this.regexp_classString(state) === CharSetString) {
            result = CharSetString;
          }
        }
        return result;
      };
      pp$1.regexp_classString = function(state) {
        var count = 0;
        while (this.regexp_eatClassSetCharacter(state)) {
          count++;
        }
        return count === 1 ? CharSetOk : CharSetString;
      };
      pp$1.regexp_eatClassSetCharacter = function(state) {
        var start = state.pos;
        if (state.eat(
          92
          /* \ */
        )) {
          if (this.regexp_eatCharacterEscape(state) || this.regexp_eatClassSetReservedPunctuator(state)) {
            return true;
          }
          if (state.eat(
            98
            /* b */
          )) {
            state.lastIntValue = 8;
            return true;
          }
          state.pos = start;
          return false;
        }
        var ch = state.current();
        if (ch < 0 || ch === state.lookahead() && isClassSetReservedDoublePunctuatorCharacter(ch)) {
          return false;
        }
        if (isClassSetSyntaxCharacter(ch)) {
          return false;
        }
        state.advance();
        state.lastIntValue = ch;
        return true;
      };
      function isClassSetReservedDoublePunctuatorCharacter(ch) {
        return ch === 33 || ch >= 35 && ch <= 38 || ch >= 42 && ch <= 44 || ch === 46 || ch >= 58 && ch <= 64 || ch === 94 || ch === 96 || ch === 126;
      }
      function isClassSetSyntaxCharacter(ch) {
        return ch === 40 || ch === 41 || ch === 45 || ch === 47 || ch >= 91 && ch <= 93 || ch >= 123 && ch <= 125;
      }
      pp$1.regexp_eatClassSetReservedPunctuator = function(state) {
        var ch = state.current();
        if (isClassSetReservedPunctuator(ch)) {
          state.lastIntValue = ch;
          state.advance();
          return true;
        }
        return false;
      };
      function isClassSetReservedPunctuator(ch) {
        return ch === 33 || ch === 35 || ch === 37 || ch === 38 || ch === 44 || ch === 45 || ch >= 58 && ch <= 62 || ch === 64 || ch === 96 || ch === 126;
      }
      pp$1.regexp_eatClassControlLetter = function(state) {
        var ch = state.current();
        if (isDecimalDigit(ch) || ch === 95) {
          state.lastIntValue = ch % 32;
          state.advance();
          return true;
        }
        return false;
      };
      pp$1.regexp_eatHexEscapeSequence = function(state) {
        var start = state.pos;
        if (state.eat(
          120
          /* x */
        )) {
          if (this.regexp_eatFixedHexDigits(state, 2)) {
            return true;
          }
          if (state.switchU) {
            state.raise("Invalid escape");
          }
          state.pos = start;
        }
        return false;
      };
      pp$1.regexp_eatDecimalDigits = function(state) {
        var start = state.pos;
        var ch = 0;
        state.lastIntValue = 0;
        while (isDecimalDigit(ch = state.current())) {
          state.lastIntValue = 10 * state.lastIntValue + (ch - 48);
          state.advance();
        }
        return state.pos !== start;
      };
      function isDecimalDigit(ch) {
        return ch >= 48 && ch <= 57;
      }
      pp$1.regexp_eatHexDigits = function(state) {
        var start = state.pos;
        var ch = 0;
        state.lastIntValue = 0;
        while (isHexDigit(ch = state.current())) {
          state.lastIntValue = 16 * state.lastIntValue + hexToInt(ch);
          state.advance();
        }
        return state.pos !== start;
      };
      function isHexDigit(ch) {
        return ch >= 48 && ch <= 57 || ch >= 65 && ch <= 70 || ch >= 97 && ch <= 102;
      }
      function hexToInt(ch) {
        if (ch >= 65 && ch <= 70) {
          return 10 + (ch - 65);
        }
        if (ch >= 97 && ch <= 102) {
          return 10 + (ch - 97);
        }
        return ch - 48;
      }
      pp$1.regexp_eatLegacyOctalEscapeSequence = function(state) {
        if (this.regexp_eatOctalDigit(state)) {
          var n1 = state.lastIntValue;
          if (this.regexp_eatOctalDigit(state)) {
            var n2 = state.lastIntValue;
            if (n1 <= 3 && this.regexp_eatOctalDigit(state)) {
              state.lastIntValue = n1 * 64 + n2 * 8 + state.lastIntValue;
            } else {
              state.lastIntValue = n1 * 8 + n2;
            }
          } else {
            state.lastIntValue = n1;
          }
          return true;
        }
        return false;
      };
      pp$1.regexp_eatOctalDigit = function(state) {
        var ch = state.current();
        if (isOctalDigit(ch)) {
          state.lastIntValue = ch - 48;
          state.advance();
          return true;
        }
        state.lastIntValue = 0;
        return false;
      };
      function isOctalDigit(ch) {
        return ch >= 48 && ch <= 55;
      }
      pp$1.regexp_eatFixedHexDigits = function(state, length) {
        var start = state.pos;
        state.lastIntValue = 0;
        for (var i2 = 0; i2 < length; ++i2) {
          var ch = state.current();
          if (!isHexDigit(ch)) {
            state.pos = start;
            return false;
          }
          state.lastIntValue = 16 * state.lastIntValue + hexToInt(ch);
          state.advance();
        }
        return true;
      };
      var Token = function Token2(p) {
        this.type = p.type;
        this.value = p.value;
        this.start = p.start;
        this.end = p.end;
        if (p.options.locations) {
          this.loc = new SourceLocation(p, p.startLoc, p.endLoc);
        }
        if (p.options.ranges) {
          this.range = [p.start, p.end];
        }
      };
      var pp = Parser.prototype;
      pp.next = function(ignoreEscapeSequenceInKeyword) {
        if (!ignoreEscapeSequenceInKeyword && this.type.keyword && this.containsEsc) {
          this.raiseRecoverable(this.start, "Escape sequence in keyword " + this.type.keyword);
        }
        if (this.options.onToken) {
          this.options.onToken(new Token(this));
        }
        this.lastTokEnd = this.end;
        this.lastTokStart = this.start;
        this.lastTokEndLoc = this.endLoc;
        this.lastTokStartLoc = this.startLoc;
        this.nextToken();
      };
      pp.getToken = function() {
        this.next();
        return new Token(this);
      };
      if (typeof Symbol !== "undefined") {
        pp[Symbol.iterator] = function() {
          var this$1$1 = this;
          return {
            next: function() {
              var token = this$1$1.getToken();
              return {
                done: token.type === types$1.eof,
                value: token
              };
            }
          };
        };
      }
      pp.nextToken = function() {
        var curContext = this.curContext();
        if (!curContext || !curContext.preserveSpace) {
          this.skipSpace();
        }
        this.start = this.pos;
        if (this.options.locations) {
          this.startLoc = this.curPosition();
        }
        if (this.pos >= this.input.length) {
          return this.finishToken(types$1.eof);
        }
        if (curContext.override) {
          return curContext.override(this);
        } else {
          this.readToken(this.fullCharCodeAtPos());
        }
      };
      pp.readToken = function(code) {
        if (isIdentifierStart(code, this.options.ecmaVersion >= 6) || code === 92) {
          return this.readWord();
        }
        return this.getTokenFromCode(code);
      };
      pp.fullCharCodeAtPos = function() {
        var code = this.input.charCodeAt(this.pos);
        if (code <= 55295 || code >= 56320) {
          return code;
        }
        var next = this.input.charCodeAt(this.pos + 1);
        return next <= 56319 || next >= 57344 ? code : (code << 10) + next - 56613888;
      };
      pp.skipBlockComment = function() {
        var startLoc = this.options.onComment && this.curPosition();
        var start = this.pos, end = this.input.indexOf("*/", this.pos += 2);
        if (end === -1) {
          this.raise(this.pos - 2, "Unterminated comment");
        }
        this.pos = end + 2;
        if (this.options.locations) {
          for (var nextBreak = void 0, pos = start; (nextBreak = nextLineBreak(this.input, pos, this.pos)) > -1; ) {
            ++this.curLine;
            pos = this.lineStart = nextBreak;
          }
        }
        if (this.options.onComment) {
          this.options.onComment(
            true,
            this.input.slice(start + 2, end),
            start,
            this.pos,
            startLoc,
            this.curPosition()
          );
        }
      };
      pp.skipLineComment = function(startSkip) {
        var start = this.pos;
        var startLoc = this.options.onComment && this.curPosition();
        var ch = this.input.charCodeAt(this.pos += startSkip);
        while (this.pos < this.input.length && !isNewLine(ch)) {
          ch = this.input.charCodeAt(++this.pos);
        }
        if (this.options.onComment) {
          this.options.onComment(
            false,
            this.input.slice(start + startSkip, this.pos),
            start,
            this.pos,
            startLoc,
            this.curPosition()
          );
        }
      };
      pp.skipSpace = function() {
        loop: while (this.pos < this.input.length) {
          var ch = this.input.charCodeAt(this.pos);
          switch (ch) {
            case 32:
            case 160:
              ++this.pos;
              break;
            case 13:
              if (this.input.charCodeAt(this.pos + 1) === 10) {
                ++this.pos;
              }
            case 10:
            case 8232:
            case 8233:
              ++this.pos;
              if (this.options.locations) {
                ++this.curLine;
                this.lineStart = this.pos;
              }
              break;
            case 47:
              switch (this.input.charCodeAt(this.pos + 1)) {
                case 42:
                  this.skipBlockComment();
                  break;
                case 47:
                  this.skipLineComment(2);
                  break;
                default:
                  break loop;
              }
              break;
            default:
              if (ch > 8 && ch < 14 || ch >= 5760 && nonASCIIwhitespace.test(String.fromCharCode(ch))) {
                ++this.pos;
              } else {
                break loop;
              }
          }
        }
      };
      pp.finishToken = function(type, val) {
        this.end = this.pos;
        if (this.options.locations) {
          this.endLoc = this.curPosition();
        }
        var prevType = this.type;
        this.type = type;
        this.value = val;
        this.updateContext(prevType);
      };
      pp.readToken_dot = function() {
        var next = this.input.charCodeAt(this.pos + 1);
        if (next >= 48 && next <= 57) {
          return this.readNumber(true);
        }
        var next2 = this.input.charCodeAt(this.pos + 2);
        if (this.options.ecmaVersion >= 6 && next === 46 && next2 === 46) {
          this.pos += 3;
          return this.finishToken(types$1.ellipsis);
        } else {
          ++this.pos;
          return this.finishToken(types$1.dot);
        }
      };
      pp.readToken_slash = function() {
        var next = this.input.charCodeAt(this.pos + 1);
        if (this.exprAllowed) {
          ++this.pos;
          return this.readRegexp();
        }
        if (next === 61) {
          return this.finishOp(types$1.assign, 2);
        }
        return this.finishOp(types$1.slash, 1);
      };
      pp.readToken_mult_modulo_exp = function(code) {
        var next = this.input.charCodeAt(this.pos + 1);
        var size = 1;
        var tokentype = code === 42 ? types$1.star : types$1.modulo;
        if (this.options.ecmaVersion >= 7 && code === 42 && next === 42) {
          ++size;
          tokentype = types$1.starstar;
          next = this.input.charCodeAt(this.pos + 2);
        }
        if (next === 61) {
          return this.finishOp(types$1.assign, size + 1);
        }
        return this.finishOp(tokentype, size);
      };
      pp.readToken_pipe_amp = function(code) {
        var next = this.input.charCodeAt(this.pos + 1);
        if (next === code) {
          if (this.options.ecmaVersion >= 12) {
            var next2 = this.input.charCodeAt(this.pos + 2);
            if (next2 === 61) {
              return this.finishOp(types$1.assign, 3);
            }
          }
          return this.finishOp(code === 124 ? types$1.logicalOR : types$1.logicalAND, 2);
        }
        if (next === 61) {
          return this.finishOp(types$1.assign, 2);
        }
        return this.finishOp(code === 124 ? types$1.bitwiseOR : types$1.bitwiseAND, 1);
      };
      pp.readToken_caret = function() {
        var next = this.input.charCodeAt(this.pos + 1);
        if (next === 61) {
          return this.finishOp(types$1.assign, 2);
        }
        return this.finishOp(types$1.bitwiseXOR, 1);
      };
      pp.readToken_plus_min = function(code) {
        var next = this.input.charCodeAt(this.pos + 1);
        if (next === code) {
          if (next === 45 && !this.inModule && this.input.charCodeAt(this.pos + 2) === 62 && (this.lastTokEnd === 0 || lineBreak.test(this.input.slice(this.lastTokEnd, this.pos)))) {
            this.skipLineComment(3);
            this.skipSpace();
            return this.nextToken();
          }
          return this.finishOp(types$1.incDec, 2);
        }
        if (next === 61) {
          return this.finishOp(types$1.assign, 2);
        }
        return this.finishOp(types$1.plusMin, 1);
      };
      pp.readToken_lt_gt = function(code) {
        var next = this.input.charCodeAt(this.pos + 1);
        var size = 1;
        if (next === code) {
          size = code === 62 && this.input.charCodeAt(this.pos + 2) === 62 ? 3 : 2;
          if (this.input.charCodeAt(this.pos + size) === 61) {
            return this.finishOp(types$1.assign, size + 1);
          }
          return this.finishOp(types$1.bitShift, size);
        }
        if (next === 33 && code === 60 && !this.inModule && this.input.charCodeAt(this.pos + 2) === 45 && this.input.charCodeAt(this.pos + 3) === 45) {
          this.skipLineComment(4);
          this.skipSpace();
          return this.nextToken();
        }
        if (next === 61) {
          size = 2;
        }
        return this.finishOp(types$1.relational, size);
      };
      pp.readToken_eq_excl = function(code) {
        var next = this.input.charCodeAt(this.pos + 1);
        if (next === 61) {
          return this.finishOp(types$1.equality, this.input.charCodeAt(this.pos + 2) === 61 ? 3 : 2);
        }
        if (code === 61 && next === 62 && this.options.ecmaVersion >= 6) {
          this.pos += 2;
          return this.finishToken(types$1.arrow);
        }
        return this.finishOp(code === 61 ? types$1.eq : types$1.prefix, 1);
      };
      pp.readToken_question = function() {
        var ecmaVersion2 = this.options.ecmaVersion;
        if (ecmaVersion2 >= 11) {
          var next = this.input.charCodeAt(this.pos + 1);
          if (next === 46) {
            var next2 = this.input.charCodeAt(this.pos + 2);
            if (next2 < 48 || next2 > 57) {
              return this.finishOp(types$1.questionDot, 2);
            }
          }
          if (next === 63) {
            if (ecmaVersion2 >= 12) {
              var next2$1 = this.input.charCodeAt(this.pos + 2);
              if (next2$1 === 61) {
                return this.finishOp(types$1.assign, 3);
              }
            }
            return this.finishOp(types$1.coalesce, 2);
          }
        }
        return this.finishOp(types$1.question, 1);
      };
      pp.readToken_numberSign = function() {
        var ecmaVersion2 = this.options.ecmaVersion;
        var code = 35;
        if (ecmaVersion2 >= 13) {
          ++this.pos;
          code = this.fullCharCodeAtPos();
          if (isIdentifierStart(code, true) || code === 92) {
            return this.finishToken(types$1.privateId, this.readWord1());
          }
        }
        this.raise(this.pos, "Unexpected character '" + codePointToString(code) + "'");
      };
      pp.getTokenFromCode = function(code) {
        switch (code) {
          case 46:
            return this.readToken_dot();
          case 40:
            ++this.pos;
            return this.finishToken(types$1.parenL);
          case 41:
            ++this.pos;
            return this.finishToken(types$1.parenR);
          case 59:
            ++this.pos;
            return this.finishToken(types$1.semi);
          case 44:
            ++this.pos;
            return this.finishToken(types$1.comma);
          case 91:
            ++this.pos;
            return this.finishToken(types$1.bracketL);
          case 93:
            ++this.pos;
            return this.finishToken(types$1.bracketR);
          case 123:
            ++this.pos;
            return this.finishToken(types$1.braceL);
          case 125:
            ++this.pos;
            return this.finishToken(types$1.braceR);
          case 58:
            ++this.pos;
            return this.finishToken(types$1.colon);
          case 96:
            if (this.options.ecmaVersion < 6) {
              break;
            }
            ++this.pos;
            return this.finishToken(types$1.backQuote);
          case 48:
            var next = this.input.charCodeAt(this.pos + 1);
            if (next === 120 || next === 88) {
              return this.readRadixNumber(16);
            }
            if (this.options.ecmaVersion >= 6) {
              if (next === 111 || next === 79) {
                return this.readRadixNumber(8);
              }
              if (next === 98 || next === 66) {
                return this.readRadixNumber(2);
              }
            }
          case 49:
          case 50:
          case 51:
          case 52:
          case 53:
          case 54:
          case 55:
          case 56:
          case 57:
            return this.readNumber(false);
          case 34:
          case 39:
            return this.readString(code);
          case 47:
            return this.readToken_slash();
          case 37:
          case 42:
            return this.readToken_mult_modulo_exp(code);
          case 124:
          case 38:
            return this.readToken_pipe_amp(code);
          case 94:
            return this.readToken_caret();
          case 43:
          case 45:
            return this.readToken_plus_min(code);
          case 60:
          case 62:
            return this.readToken_lt_gt(code);
          case 61:
          case 33:
            return this.readToken_eq_excl(code);
          case 63:
            return this.readToken_question();
          case 126:
            return this.finishOp(types$1.prefix, 1);
          case 35:
            return this.readToken_numberSign();
        }
        this.raise(this.pos, "Unexpected character '" + codePointToString(code) + "'");
      };
      pp.finishOp = function(type, size) {
        var str = this.input.slice(this.pos, this.pos + size);
        this.pos += size;
        return this.finishToken(type, str);
      };
      pp.readRegexp = function() {
        var escaped, inClass, start = this.pos;
        for (; ; ) {
          if (this.pos >= this.input.length) {
            this.raise(start, "Unterminated regular expression");
          }
          var ch = this.input.charAt(this.pos);
          if (lineBreak.test(ch)) {
            this.raise(start, "Unterminated regular expression");
          }
          if (!escaped) {
            if (ch === "[") {
              inClass = true;
            } else if (ch === "]" && inClass) {
              inClass = false;
            } else if (ch === "/" && !inClass) {
              break;
            }
            escaped = ch === "\\";
          } else {
            escaped = false;
          }
          ++this.pos;
        }
        var pattern = this.input.slice(start, this.pos);
        ++this.pos;
        var flagsStart = this.pos;
        var flags = this.readWord1();
        if (this.containsEsc) {
          this.unexpected(flagsStart);
        }
        var state = this.regexpState || (this.regexpState = new RegExpValidationState(this));
        state.reset(start, pattern, flags);
        this.validateRegExpFlags(state);
        this.validateRegExpPattern(state);
        var value = null;
        try {
          value = new RegExp(pattern, flags);
        } catch (e) {
        }
        return this.finishToken(types$1.regexp, { pattern, flags, value });
      };
      pp.readInt = function(radix, len, maybeLegacyOctalNumericLiteral) {
        var allowSeparators = this.options.ecmaVersion >= 12 && len === void 0;
        var isLegacyOctalNumericLiteral = maybeLegacyOctalNumericLiteral && this.input.charCodeAt(this.pos) === 48;
        var start = this.pos, total = 0, lastCode = 0;
        for (var i2 = 0, e = len == null ? Infinity : len; i2 < e; ++i2, ++this.pos) {
          var code = this.input.charCodeAt(this.pos), val = void 0;
          if (allowSeparators && code === 95) {
            if (isLegacyOctalNumericLiteral) {
              this.raiseRecoverable(this.pos, "Numeric separator is not allowed in legacy octal numeric literals");
            }
            if (lastCode === 95) {
              this.raiseRecoverable(this.pos, "Numeric separator must be exactly one underscore");
            }
            if (i2 === 0) {
              this.raiseRecoverable(this.pos, "Numeric separator is not allowed at the first of digits");
            }
            lastCode = code;
            continue;
          }
          if (code >= 97) {
            val = code - 97 + 10;
          } else if (code >= 65) {
            val = code - 65 + 10;
          } else if (code >= 48 && code <= 57) {
            val = code - 48;
          } else {
            val = Infinity;
          }
          if (val >= radix) {
            break;
          }
          lastCode = code;
          total = total * radix + val;
        }
        if (allowSeparators && lastCode === 95) {
          this.raiseRecoverable(this.pos - 1, "Numeric separator is not allowed at the last of digits");
        }
        if (this.pos === start || len != null && this.pos - start !== len) {
          return null;
        }
        return total;
      };
      function stringToNumber(str, isLegacyOctalNumericLiteral) {
        if (isLegacyOctalNumericLiteral) {
          return parseInt(str, 8);
        }
        return parseFloat(str.replace(/_/g, ""));
      }
      function stringToBigInt(str) {
        if (typeof BigInt !== "function") {
          return null;
        }
        return BigInt(str.replace(/_/g, ""));
      }
      pp.readRadixNumber = function(radix) {
        var start = this.pos;
        this.pos += 2;
        var val = this.readInt(radix);
        if (val == null) {
          this.raise(this.start + 2, "Expected number in radix " + radix);
        }
        if (this.options.ecmaVersion >= 11 && this.input.charCodeAt(this.pos) === 110) {
          val = stringToBigInt(this.input.slice(start, this.pos));
          ++this.pos;
        } else if (isIdentifierStart(this.fullCharCodeAtPos())) {
          this.raise(this.pos, "Identifier directly after number");
        }
        return this.finishToken(types$1.num, val);
      };
      pp.readNumber = function(startsWithDot) {
        var start = this.pos;
        if (!startsWithDot && this.readInt(10, void 0, true) === null) {
          this.raise(start, "Invalid number");
        }
        var octal = this.pos - start >= 2 && this.input.charCodeAt(start) === 48;
        if (octal && this.strict) {
          this.raise(start, "Invalid number");
        }
        var next = this.input.charCodeAt(this.pos);
        if (!octal && !startsWithDot && this.options.ecmaVersion >= 11 && next === 110) {
          var val$1 = stringToBigInt(this.input.slice(start, this.pos));
          ++this.pos;
          if (isIdentifierStart(this.fullCharCodeAtPos())) {
            this.raise(this.pos, "Identifier directly after number");
          }
          return this.finishToken(types$1.num, val$1);
        }
        if (octal && /[89]/.test(this.input.slice(start, this.pos))) {
          octal = false;
        }
        if (next === 46 && !octal) {
          ++this.pos;
          this.readInt(10);
          next = this.input.charCodeAt(this.pos);
        }
        if ((next === 69 || next === 101) && !octal) {
          next = this.input.charCodeAt(++this.pos);
          if (next === 43 || next === 45) {
            ++this.pos;
          }
          if (this.readInt(10) === null) {
            this.raise(start, "Invalid number");
          }
        }
        if (isIdentifierStart(this.fullCharCodeAtPos())) {
          this.raise(this.pos, "Identifier directly after number");
        }
        var val = stringToNumber(this.input.slice(start, this.pos), octal);
        return this.finishToken(types$1.num, val);
      };
      pp.readCodePoint = function() {
        var ch = this.input.charCodeAt(this.pos), code;
        if (ch === 123) {
          if (this.options.ecmaVersion < 6) {
            this.unexpected();
          }
          var codePos = ++this.pos;
          code = this.readHexChar(this.input.indexOf("}", this.pos) - this.pos);
          ++this.pos;
          if (code > 1114111) {
            this.invalidStringToken(codePos, "Code point out of bounds");
          }
        } else {
          code = this.readHexChar(4);
        }
        return code;
      };
      pp.readString = function(quote) {
        var out = "", chunkStart = ++this.pos;
        for (; ; ) {
          if (this.pos >= this.input.length) {
            this.raise(this.start, "Unterminated string constant");
          }
          var ch = this.input.charCodeAt(this.pos);
          if (ch === quote) {
            break;
          }
          if (ch === 92) {
            out += this.input.slice(chunkStart, this.pos);
            out += this.readEscapedChar(false);
            chunkStart = this.pos;
          } else if (ch === 8232 || ch === 8233) {
            if (this.options.ecmaVersion < 10) {
              this.raise(this.start, "Unterminated string constant");
            }
            ++this.pos;
            if (this.options.locations) {
              this.curLine++;
              this.lineStart = this.pos;
            }
          } else {
            if (isNewLine(ch)) {
              this.raise(this.start, "Unterminated string constant");
            }
            ++this.pos;
          }
        }
        out += this.input.slice(chunkStart, this.pos++);
        return this.finishToken(types$1.string, out);
      };
      var INVALID_TEMPLATE_ESCAPE_ERROR = {};
      pp.tryReadTemplateToken = function() {
        this.inTemplateElement = true;
        try {
          this.readTmplToken();
        } catch (err) {
          if (err === INVALID_TEMPLATE_ESCAPE_ERROR) {
            this.readInvalidTemplateToken();
          } else {
            throw err;
          }
        }
        this.inTemplateElement = false;
      };
      pp.invalidStringToken = function(position, message) {
        if (this.inTemplateElement && this.options.ecmaVersion >= 9) {
          throw INVALID_TEMPLATE_ESCAPE_ERROR;
        } else {
          this.raise(position, message);
        }
      };
      pp.readTmplToken = function() {
        var out = "", chunkStart = this.pos;
        for (; ; ) {
          if (this.pos >= this.input.length) {
            this.raise(this.start, "Unterminated template");
          }
          var ch = this.input.charCodeAt(this.pos);
          if (ch === 96 || ch === 36 && this.input.charCodeAt(this.pos + 1) === 123) {
            if (this.pos === this.start && (this.type === types$1.template || this.type === types$1.invalidTemplate)) {
              if (ch === 36) {
                this.pos += 2;
                return this.finishToken(types$1.dollarBraceL);
              } else {
                ++this.pos;
                return this.finishToken(types$1.backQuote);
              }
            }
            out += this.input.slice(chunkStart, this.pos);
            return this.finishToken(types$1.template, out);
          }
          if (ch === 92) {
            out += this.input.slice(chunkStart, this.pos);
            out += this.readEscapedChar(true);
            chunkStart = this.pos;
          } else if (isNewLine(ch)) {
            out += this.input.slice(chunkStart, this.pos);
            ++this.pos;
            switch (ch) {
              case 13:
                if (this.input.charCodeAt(this.pos) === 10) {
                  ++this.pos;
                }
              case 10:
                out += "\n";
                break;
              default:
                out += String.fromCharCode(ch);
                break;
            }
            if (this.options.locations) {
              ++this.curLine;
              this.lineStart = this.pos;
            }
            chunkStart = this.pos;
          } else {
            ++this.pos;
          }
        }
      };
      pp.readInvalidTemplateToken = function() {
        for (; this.pos < this.input.length; this.pos++) {
          switch (this.input[this.pos]) {
            case "\\":
              ++this.pos;
              break;
            case "$":
              if (this.input[this.pos + 1] !== "{") {
                break;
              }
            case "`":
              return this.finishToken(types$1.invalidTemplate, this.input.slice(this.start, this.pos));
            case "\r":
              if (this.input[this.pos + 1] === "\n") {
                ++this.pos;
              }
            case "\n":
            case "\u2028":
            case "\u2029":
              ++this.curLine;
              this.lineStart = this.pos + 1;
              break;
          }
        }
        this.raise(this.start, "Unterminated template");
      };
      pp.readEscapedChar = function(inTemplate) {
        var ch = this.input.charCodeAt(++this.pos);
        ++this.pos;
        switch (ch) {
          case 110:
            return "\n";
          case 114:
            return "\r";
          case 120:
            return String.fromCharCode(this.readHexChar(2));
          case 117:
            return codePointToString(this.readCodePoint());
          case 116:
            return "	";
          case 98:
            return "\b";
          case 118:
            return "\v";
          case 102:
            return "\f";
          case 13:
            if (this.input.charCodeAt(this.pos) === 10) {
              ++this.pos;
            }
          case 10:
            if (this.options.locations) {
              this.lineStart = this.pos;
              ++this.curLine;
            }
            return "";
          case 56:
          case 57:
            if (this.strict) {
              this.invalidStringToken(
                this.pos - 1,
                "Invalid escape sequence"
              );
            }
            if (inTemplate) {
              var codePos = this.pos - 1;
              this.invalidStringToken(
                codePos,
                "Invalid escape sequence in template string"
              );
            }
          default:
            if (ch >= 48 && ch <= 55) {
              var octalStr = this.input.substr(this.pos - 1, 3).match(/^[0-7]+/)[0];
              var octal = parseInt(octalStr, 8);
              if (octal > 255) {
                octalStr = octalStr.slice(0, -1);
                octal = parseInt(octalStr, 8);
              }
              this.pos += octalStr.length - 1;
              ch = this.input.charCodeAt(this.pos);
              if ((octalStr !== "0" || ch === 56 || ch === 57) && (this.strict || inTemplate)) {
                this.invalidStringToken(
                  this.pos - 1 - octalStr.length,
                  inTemplate ? "Octal literal in template string" : "Octal literal in strict mode"
                );
              }
              return String.fromCharCode(octal);
            }
            if (isNewLine(ch)) {
              if (this.options.locations) {
                this.lineStart = this.pos;
                ++this.curLine;
              }
              return "";
            }
            return String.fromCharCode(ch);
        }
      };
      pp.readHexChar = function(len) {
        var codePos = this.pos;
        var n = this.readInt(16, len);
        if (n === null) {
          this.invalidStringToken(codePos, "Bad character escape sequence");
        }
        return n;
      };
      pp.readWord1 = function() {
        this.containsEsc = false;
        var word = "", first = true, chunkStart = this.pos;
        var astral = this.options.ecmaVersion >= 6;
        while (this.pos < this.input.length) {
          var ch = this.fullCharCodeAtPos();
          if (isIdentifierChar(ch, astral)) {
            this.pos += ch <= 65535 ? 1 : 2;
          } else if (ch === 92) {
            this.containsEsc = true;
            word += this.input.slice(chunkStart, this.pos);
            var escStart = this.pos;
            if (this.input.charCodeAt(++this.pos) !== 117) {
              this.invalidStringToken(this.pos, "Expecting Unicode escape sequence \\uXXXX");
            }
            ++this.pos;
            var esc = this.readCodePoint();
            if (!(first ? isIdentifierStart : isIdentifierChar)(esc, astral)) {
              this.invalidStringToken(escStart, "Invalid Unicode escape");
            }
            word += codePointToString(esc);
            chunkStart = this.pos;
          } else {
            break;
          }
          first = false;
        }
        return word + this.input.slice(chunkStart, this.pos);
      };
      pp.readWord = function() {
        var word = this.readWord1();
        var type = types$1.name;
        if (this.keywords.test(word)) {
          type = keywords[word];
        }
        return this.finishToken(type, word);
      };
      var version = "8.13.0";
      Parser.acorn = {
        Parser,
        version,
        defaultOptions: defaultOptions2,
        Position,
        SourceLocation,
        getLineInfo,
        Node,
        TokenType,
        tokTypes: types$1,
        keywordTypes: keywords,
        TokContext,
        tokContexts: types,
        isIdentifierChar,
        isIdentifierStart,
        Token,
        isNewLine,
        lineBreak,
        lineBreakG,
        nonASCIIwhitespace
      };
      function parse2(input, options) {
        return Parser.parse(input, options);
      }
      function parseExpressionAt(input, pos, options) {
        return Parser.parseExpressionAt(input, pos, options);
      }
      function tokenizer(input, options) {
        return Parser.tokenizer(input, options);
      }
      exports3.Node = Node;
      exports3.Parser = Parser;
      exports3.Position = Position;
      exports3.SourceLocation = SourceLocation;
      exports3.TokContext = TokContext;
      exports3.Token = Token;
      exports3.TokenType = TokenType;
      exports3.defaultOptions = defaultOptions2;
      exports3.getLineInfo = getLineInfo;
      exports3.isIdentifierChar = isIdentifierChar;
      exports3.isIdentifierStart = isIdentifierStart;
      exports3.isNewLine = isNewLine;
      exports3.keywordTypes = keywords;
      exports3.lineBreak = lineBreak;
      exports3.lineBreakG = lineBreakG;
      exports3.nonASCIIwhitespace = nonASCIIwhitespace;
      exports3.parse = parse2;
      exports3.parseExpressionAt = parseExpressionAt;
      exports3.tokContexts = types;
      exports3.tokTypes = types$1;
      exports3.tokenizer = tokenizer;
      exports3.version = version;
    });
  }
});

// node_modules/.pnpm/acorn-jsx@5.3.2_acorn@8.13.0/node_modules/acorn-jsx/xhtml.js
var require_xhtml = __commonJS({
  "node_modules/.pnpm/acorn-jsx@5.3.2_acorn@8.13.0/node_modules/acorn-jsx/xhtml.js"(exports2, module2) {
    module2.exports = {
      quot: '"',
      amp: "&",
      apos: "'",
      lt: "<",
      gt: ">",
      nbsp: "\xA0",
      iexcl: "\xA1",
      cent: "\xA2",
      pound: "\xA3",
      curren: "\xA4",
      yen: "\xA5",
      brvbar: "\xA6",
      sect: "\xA7",
      uml: "\xA8",
      copy: "\xA9",
      ordf: "\xAA",
      laquo: "\xAB",
      not: "\xAC",
      shy: "\xAD",
      reg: "\xAE",
      macr: "\xAF",
      deg: "\xB0",
      plusmn: "\xB1",
      sup2: "\xB2",
      sup3: "\xB3",
      acute: "\xB4",
      micro: "\xB5",
      para: "\xB6",
      middot: "\xB7",
      cedil: "\xB8",
      sup1: "\xB9",
      ordm: "\xBA",
      raquo: "\xBB",
      frac14: "\xBC",
      frac12: "\xBD",
      frac34: "\xBE",
      iquest: "\xBF",
      Agrave: "\xC0",
      Aacute: "\xC1",
      Acirc: "\xC2",
      Atilde: "\xC3",
      Auml: "\xC4",
      Aring: "\xC5",
      AElig: "\xC6",
      Ccedil: "\xC7",
      Egrave: "\xC8",
      Eacute: "\xC9",
      Ecirc: "\xCA",
      Euml: "\xCB",
      Igrave: "\xCC",
      Iacute: "\xCD",
      Icirc: "\xCE",
      Iuml: "\xCF",
      ETH: "\xD0",
      Ntilde: "\xD1",
      Ograve: "\xD2",
      Oacute: "\xD3",
      Ocirc: "\xD4",
      Otilde: "\xD5",
      Ouml: "\xD6",
      times: "\xD7",
      Oslash: "\xD8",
      Ugrave: "\xD9",
      Uacute: "\xDA",
      Ucirc: "\xDB",
      Uuml: "\xDC",
      Yacute: "\xDD",
      THORN: "\xDE",
      szlig: "\xDF",
      agrave: "\xE0",
      aacute: "\xE1",
      acirc: "\xE2",
      atilde: "\xE3",
      auml: "\xE4",
      aring: "\xE5",
      aelig: "\xE6",
      ccedil: "\xE7",
      egrave: "\xE8",
      eacute: "\xE9",
      ecirc: "\xEA",
      euml: "\xEB",
      igrave: "\xEC",
      iacute: "\xED",
      icirc: "\xEE",
      iuml: "\xEF",
      eth: "\xF0",
      ntilde: "\xF1",
      ograve: "\xF2",
      oacute: "\xF3",
      ocirc: "\xF4",
      otilde: "\xF5",
      ouml: "\xF6",
      divide: "\xF7",
      oslash: "\xF8",
      ugrave: "\xF9",
      uacute: "\xFA",
      ucirc: "\xFB",
      uuml: "\xFC",
      yacute: "\xFD",
      thorn: "\xFE",
      yuml: "\xFF",
      OElig: "\u0152",
      oelig: "\u0153",
      Scaron: "\u0160",
      scaron: "\u0161",
      Yuml: "\u0178",
      fnof: "\u0192",
      circ: "\u02C6",
      tilde: "\u02DC",
      Alpha: "\u0391",
      Beta: "\u0392",
      Gamma: "\u0393",
      Delta: "\u0394",
      Epsilon: "\u0395",
      Zeta: "\u0396",
      Eta: "\u0397",
      Theta: "\u0398",
      Iota: "\u0399",
      Kappa: "\u039A",
      Lambda: "\u039B",
      Mu: "\u039C",
      Nu: "\u039D",
      Xi: "\u039E",
      Omicron: "\u039F",
      Pi: "\u03A0",
      Rho: "\u03A1",
      Sigma: "\u03A3",
      Tau: "\u03A4",
      Upsilon: "\u03A5",
      Phi: "\u03A6",
      Chi: "\u03A7",
      Psi: "\u03A8",
      Omega: "\u03A9",
      alpha: "\u03B1",
      beta: "\u03B2",
      gamma: "\u03B3",
      delta: "\u03B4",
      epsilon: "\u03B5",
      zeta: "\u03B6",
      eta: "\u03B7",
      theta: "\u03B8",
      iota: "\u03B9",
      kappa: "\u03BA",
      lambda: "\u03BB",
      mu: "\u03BC",
      nu: "\u03BD",
      xi: "\u03BE",
      omicron: "\u03BF",
      pi: "\u03C0",
      rho: "\u03C1",
      sigmaf: "\u03C2",
      sigma: "\u03C3",
      tau: "\u03C4",
      upsilon: "\u03C5",
      phi: "\u03C6",
      chi: "\u03C7",
      psi: "\u03C8",
      omega: "\u03C9",
      thetasym: "\u03D1",
      upsih: "\u03D2",
      piv: "\u03D6",
      ensp: "\u2002",
      emsp: "\u2003",
      thinsp: "\u2009",
      zwnj: "\u200C",
      zwj: "\u200D",
      lrm: "\u200E",
      rlm: "\u200F",
      ndash: "\u2013",
      mdash: "\u2014",
      lsquo: "\u2018",
      rsquo: "\u2019",
      sbquo: "\u201A",
      ldquo: "\u201C",
      rdquo: "\u201D",
      bdquo: "\u201E",
      dagger: "\u2020",
      Dagger: "\u2021",
      bull: "\u2022",
      hellip: "\u2026",
      permil: "\u2030",
      prime: "\u2032",
      Prime: "\u2033",
      lsaquo: "\u2039",
      rsaquo: "\u203A",
      oline: "\u203E",
      frasl: "\u2044",
      euro: "\u20AC",
      image: "\u2111",
      weierp: "\u2118",
      real: "\u211C",
      trade: "\u2122",
      alefsym: "\u2135",
      larr: "\u2190",
      uarr: "\u2191",
      rarr: "\u2192",
      darr: "\u2193",
      harr: "\u2194",
      crarr: "\u21B5",
      lArr: "\u21D0",
      uArr: "\u21D1",
      rArr: "\u21D2",
      dArr: "\u21D3",
      hArr: "\u21D4",
      forall: "\u2200",
      part: "\u2202",
      exist: "\u2203",
      empty: "\u2205",
      nabla: "\u2207",
      isin: "\u2208",
      notin: "\u2209",
      ni: "\u220B",
      prod: "\u220F",
      sum: "\u2211",
      minus: "\u2212",
      lowast: "\u2217",
      radic: "\u221A",
      prop: "\u221D",
      infin: "\u221E",
      ang: "\u2220",
      and: "\u2227",
      or: "\u2228",
      cap: "\u2229",
      cup: "\u222A",
      "int": "\u222B",
      there4: "\u2234",
      sim: "\u223C",
      cong: "\u2245",
      asymp: "\u2248",
      ne: "\u2260",
      equiv: "\u2261",
      le: "\u2264",
      ge: "\u2265",
      sub: "\u2282",
      sup: "\u2283",
      nsub: "\u2284",
      sube: "\u2286",
      supe: "\u2287",
      oplus: "\u2295",
      otimes: "\u2297",
      perp: "\u22A5",
      sdot: "\u22C5",
      lceil: "\u2308",
      rceil: "\u2309",
      lfloor: "\u230A",
      rfloor: "\u230B",
      lang: "\u2329",
      rang: "\u232A",
      loz: "\u25CA",
      spades: "\u2660",
      clubs: "\u2663",
      hearts: "\u2665",
      diams: "\u2666"
    };
  }
});

// node_modules/.pnpm/acorn-jsx@5.3.2_acorn@8.13.0/node_modules/acorn-jsx/index.js
var require_acorn_jsx = __commonJS({
  "node_modules/.pnpm/acorn-jsx@5.3.2_acorn@8.13.0/node_modules/acorn-jsx/index.js"(exports2, module2) {
    "use strict";
    var XHTMLEntities = require_xhtml();
    var hexNumber = /^[\da-fA-F]+$/;
    var decimalNumber = /^\d+$/;
    var acornJsxMap = /* @__PURE__ */ new WeakMap();
    function getJsxTokens(acorn) {
      acorn = acorn.Parser.acorn || acorn;
      let acornJsx = acornJsxMap.get(acorn);
      if (!acornJsx) {
        const tt = acorn.tokTypes;
        const TokContext = acorn.TokContext;
        const TokenType = acorn.TokenType;
        const tc_oTag = new TokContext("...", true, true);
        const tokContexts = {
          tc_oTag,
          tc_cTag,
          tc_expr
        };
        const tokTypes = {
          jsxName: new TokenType("jsxName"),
          jsxText: new TokenType("jsxText", { beforeExpr: true }),
          jsxTagStart: new TokenType("jsxTagStart", { startsExpr: true }),
          jsxTagEnd: new TokenType("jsxTagEnd")
        };
        tokTypes.jsxTagStart.updateContext = function() {
          this.context.push(tc_expr);
          this.context.push(tc_oTag);
          this.exprAllowed = false;
        };
        tokTypes.jsxTagEnd.updateContext = function(prevType) {
          let out = this.context.pop();
          if (out === tc_oTag && prevType === tt.slash || out === tc_cTag) {
            this.context.pop();
            this.exprAllowed = this.curContext() === tc_expr;
          } else {
            this.exprAllowed = true;
          }
        };
        acornJsx = { tokContexts, tokTypes };
        acornJsxMap.set(acorn, acornJsx);
      }
      return acornJsx;
    }
    function getQualifiedJSXName(object) {
      if (!object)
        return object;
      if (object.type === "JSXIdentifier")
        return object.name;
      if (object.type === "JSXNamespacedName")
        return object.namespace.name + ":" + object.name.name;
      if (object.type === "JSXMemberExpression")
        return getQualifiedJSXName(object.object) + "." + getQualifiedJSXName(object.property);
    }
    module2.exports = function(options) {
      options = options || {};
      return function(Parser) {
        return plugin2({
          allowNamespaces: options.allowNamespaces !== false,
          allowNamespacedObjects: !!options.allowNamespacedObjects
        }, Parser);
      };
    };
    Object.defineProperty(module2.exports, "tokTypes", {
      get: function get_tokTypes() {
        return getJsxTokens(require_acorn()).tokTypes;
      },
      configurable: true,
      enumerable: true
    });
    function plugin2(options, Parser) {
      const acorn = Parser.acorn || require_acorn();
      const acornJsx = getJsxTokens(acorn);
      const tt = acorn.tokTypes;
      const tok = acornJsx.tokTypes;
      const tokContexts = acorn.tokContexts;
      const tc_oTag = acornJsx.tokContexts.tc_oTag;
      const tc_cTag = acornJsx.tokContexts.tc_cTag;
      const tc_expr = acornJsx.tokContexts.tc_expr;
      const isNewLine = acorn.isNewLine;
      const isIdentifierStart = acorn.isIdentifierStart;
      const isIdentifierChar = acorn.isIdentifierChar;
      return class extends Parser {
        // Expose actual `tokTypes` and `tokContexts` to other plugins.
        static get acornJsx() {
          return acornJsx;
        }
        // Reads inline JSX contents token.
        jsx_readToken() {
          let out = "", chunkStart = this.pos;
          for (; ; ) {
            if (this.pos >= this.input.length)
              this.raise(this.start, "Unterminated JSX contents");
            let ch = this.input.charCodeAt(this.pos);
            switch (ch) {
              case 60:
              case 123:
                if (this.pos === this.start) {
                  if (ch === 60 && this.exprAllowed) {
                    ++this.pos;
                    return this.finishToken(tok.jsxTagStart);
                  }
                  return this.getTokenFromCode(ch);
                }
                out += this.input.slice(chunkStart, this.pos);
                return this.finishToken(tok.jsxText, out);
              case 38:
                out += this.input.slice(chunkStart, this.pos);
                out += this.jsx_readEntity();
                chunkStart = this.pos;
                break;
              case 62:
              case 125:
                this.raise(
                  this.pos,
                  "Unexpected token `" + this.input[this.pos] + "`. Did you mean `" + (ch === 62 ? ">" : "}") + '` or `{"' + this.input[this.pos] + '"}`?'
                );
              default:
                if (isNewLine(ch)) {
                  out += this.input.slice(chunkStart, this.pos);
                  out += this.jsx_readNewLine(true);
                  chunkStart = this.pos;
                } else {
                  ++this.pos;
                }
            }
          }
        }
        jsx_readNewLine(normalizeCRLF) {
          let ch = this.input.charCodeAt(this.pos);
          let out;
          ++this.pos;
          if (ch === 13 && this.input.charCodeAt(this.pos) === 10) {
            ++this.pos;
            out = normalizeCRLF ? "\n" : "\r\n";
          } else {
            out = String.fromCharCode(ch);
          }
          if (this.options.locations) {
            ++this.curLine;
            this.lineStart = this.pos;
          }
          return out;
        }
        jsx_readString(quote) {
          let out = "", chunkStart = ++this.pos;
          for (; ; ) {
            if (this.pos >= this.input.length)
              this.raise(this.start, "Unterminated string constant");
            let ch = this.input.charCodeAt(this.pos);
            if (ch === quote) break;
            if (ch === 38) {
              out += this.input.slice(chunkStart, this.pos);
              out += this.jsx_readEntity();
              chunkStart = this.pos;
            } else if (isNewLine(ch)) {
              out += this.input.slice(chunkStart, this.pos);
              out += this.jsx_readNewLine(false);
              chunkStart = this.pos;
            } else {
              ++this.pos;
            }
          }
          out += this.input.slice(chunkStart, this.pos++);
          return this.finishToken(tt.string, out);
        }
        jsx_readEntity() {
          let str = "", count = 0, entity;
          let ch = this.input[this.pos];
          if (ch !== "&")
            this.raise(this.pos, "Entity must start with an ampersand");
          let startPos = ++this.pos;
          while (this.pos < this.input.length && count++ < 10) {
            ch = this.input[this.pos++];
            if (ch === ";") {
              if (str[0] === "#") {
                if (str[1] === "x") {
                  str = str.substr(2);
                  if (hexNumber.test(str))
                    entity = String.fromCharCode(parseInt(str, 16));
                } else {
                  str = str.substr(1);
                  if (decimalNumber.test(str))
                    entity = String.fromCharCode(parseInt(str, 10));
                }
              } else {
                entity = XHTMLEntities[str];
              }
              break;
            }
            str += ch;
          }
          if (!entity) {
            this.pos = startPos;
            return "&";
          }
          return entity;
        }
        // Read a JSX identifier (valid tag or attribute name).
        //
        // Optimized version since JSX identifiers can't contain
        // escape characters and so can be read as single slice.
        // Also assumes that first character was already checked
        // by isIdentifierStart in readToken.
        jsx_readWord() {
          let ch, start = this.pos;
          do {
            ch = this.input.charCodeAt(++this.pos);
          } while (isIdentifierChar(ch) || ch === 45);
          return this.finishToken(tok.jsxName, this.input.slice(start, this.pos));
        }
        // Parse next token as JSX identifier
        jsx_parseIdentifier() {
          let node = this.startNode();
          if (this.type === tok.jsxName)
            node.name = this.value;
          else if (this.type.keyword)
            node.name = this.type.keyword;
          else
            this.unexpected();
          this.next();
          return this.finishNode(node, "JSXIdentifier");
        }
        // Parse namespaced identifier.
        jsx_parseNamespacedName() {
          let startPos = this.start, startLoc = this.startLoc;
          let name = this.jsx_parseIdentifier();
          if (!options.allowNamespaces || !this.eat(tt.colon)) return name;
          var node = this.startNodeAt(startPos, startLoc);
          node.namespace = name;
          node.name = this.jsx_parseIdentifier();
          return this.finishNode(node, "JSXNamespacedName");
        }
        // Parses element name in any form - namespaced, member
        // or single identifier.
        jsx_parseElementName() {
          if (this.type === tok.jsxTagEnd) return "";
          let startPos = this.start, startLoc = this.startLoc;
          let node = this.jsx_parseNamespacedName();
          if (this.type === tt.dot && node.type === "JSXNamespacedName" && !options.allowNamespacedObjects) {
            this.unexpected();
          }
          while (this.eat(tt.dot)) {
            let newNode = this.startNodeAt(startPos, startLoc);
            newNode.object = node;
            newNode.property = this.jsx_parseIdentifier();
            node = this.finishNode(newNode, "JSXMemberExpression");
          }
          return node;
        }
        // Parses any type of JSX attribute value.
        jsx_parseAttributeValue() {
          switch (this.type) {
            case tt.braceL:
              let node = this.jsx_parseExpressionContainer();
              if (node.expression.type === "JSXEmptyExpression")
                this.raise(node.start, "JSX attributes must only be assigned a non-empty expression");
              return node;
            case tok.jsxTagStart:
            case tt.string:
              return this.parseExprAtom();
            default:
              this.raise(this.start, "JSX value should be either an expression or a quoted JSX text");
          }
        }
        // JSXEmptyExpression is unique type since it doesn't actually parse anything,
        // and so it should start at the end of last read token (left brace) and finish
        // at the beginning of the next one (right brace).
        jsx_parseEmptyExpression() {
          let node = this.startNodeAt(this.lastTokEnd, this.lastTokEndLoc);
          return this.finishNodeAt(node, "JSXEmptyExpression", this.start, this.startLoc);
        }
        // Parses JSX expression enclosed into curly brackets.
        jsx_parseExpressionContainer() {
          let node = this.startNode();
          this.next();
          node.expression = this.type === tt.braceR ? this.jsx_parseEmptyExpression() : this.parseExpression();
          this.expect(tt.braceR);
          return this.finishNode(node, "JSXExpressionContainer");
        }
        // Parses following JSX attribute name-value pair.
        jsx_parseAttribute() {
          let node = this.startNode();
          if (this.eat(tt.braceL)) {
            this.expect(tt.ellipsis);
            node.argument = this.parseMaybeAssign();
            this.expect(tt.braceR);
            return this.finishNode(node, "JSXSpreadAttribute");
          }
          node.name = this.jsx_parseNamespacedName();
          node.value = this.eat(tt.eq) ? this.jsx_parseAttributeValue() : null;
          return this.finishNode(node, "JSXAttribute");
        }
        // Parses JSX opening tag starting after '<'.
        jsx_parseOpeningElementAt(startPos, startLoc) {
          let node = this.startNodeAt(startPos, startLoc);
          node.attributes = [];
          let nodeName = this.jsx_parseElementName();
          if (nodeName) node.name = nodeName;
          while (this.type !== tt.slash && this.type !== tok.jsxTagEnd)
            node.attributes.push(this.jsx_parseAttribute());
          node.selfClosing = this.eat(tt.slash);
          this.expect(tok.jsxTagEnd);
          return this.finishNode(node, nodeName ? "JSXOpeningElement" : "JSXOpeningFragment");
        }
        // Parses JSX closing tag starting after '"
              );
            }
          }
          let fragmentOrElement = openingElement.name ? "Element" : "Fragment";
          node["opening" + fragmentOrElement] = openingElement;
          node["closing" + fragmentOrElement] = closingElement;
          node.children = children;
          if (this.type === tt.relational && this.value === "<") {
            this.raise(this.start, "Adjacent JSX elements must be wrapped in an enclosing tag");
          }
          return this.finishNode(node, "JSX" + fragmentOrElement);
        }
        // Parse JSX text
        jsx_parseText() {
          let node = this.parseLiteral(this.value);
          node.type = "JSXText";
          return node;
        }
        // Parses entire JSX element from current position.
        jsx_parseElement() {
          let startPos = this.start, startLoc = this.startLoc;
          this.next();
          return this.jsx_parseElementAt(startPos, startLoc);
        }
        parseExprAtom(refShortHandDefaultPos) {
          if (this.type === tok.jsxText)
            return this.jsx_parseText();
          else if (this.type === tok.jsxTagStart)
            return this.jsx_parseElement();
          else
            return super.parseExprAtom(refShortHandDefaultPos);
        }
        readToken(code) {
          let context = this.curContext();
          if (context === tc_expr) return this.jsx_readToken();
          if (context === tc_oTag || context === tc_cTag) {
            if (isIdentifierStart(code)) return this.jsx_readWord();
            if (code == 62) {
              ++this.pos;
              return this.finishToken(tok.jsxTagEnd);
            }
            if ((code === 34 || code === 39) && context == tc_oTag)
              return this.jsx_readString(code);
          }
          if (code === 60 && this.exprAllowed && this.input.charCodeAt(this.pos + 1) !== 33) {
            ++this.pos;
            return this.finishToken(tok.jsxTagStart);
          }
          return super.readToken(code);
        }
        updateContext(prevType) {
          if (this.type == tt.braceL) {
            var curContext = this.curContext();
            if (curContext == tc_oTag) this.context.push(tokContexts.b_expr);
            else if (curContext == tc_expr) this.context.push(tokContexts.b_tmpl);
            else super.updateContext(prevType);
            this.exprAllowed = true;
          } else if (this.type === tt.slash && prevType === tok.jsxTagStart) {
            this.context.length -= 2;
            this.context.push(tc_cTag);
            this.exprAllowed = false;
          } else {
            return super.updateContext(prevType);
          }
        }
      };
    }
  }
});

// node_modules/.pnpm/espree@9.6.1/node_modules/espree/dist/espree.cjs
var require_espree = __commonJS({
  "node_modules/.pnpm/espree@9.6.1/node_modules/espree/dist/espree.cjs"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var acorn = require_acorn();
    var jsx = require_acorn_jsx();
    var visitorKeys = require_eslint_visitor_keys();
    function _interopDefaultLegacy(e) {
      return e && typeof e === "object" && "default" in e ? e : { "default": e };
    }
    function _interopNamespace(e) {
      if (e && e.__esModule) return e;
      var n = /* @__PURE__ */ Object.create(null);
      if (e) {
        Object.keys(e).forEach(function(k) {
          if (k !== "default") {
            var d = Object.getOwnPropertyDescriptor(e, k);
            Object.defineProperty(n, k, d.get ? d : {
              enumerable: true,
              get: function() {
                return e[k];
              }
            });
          }
        });
      }
      n["default"] = e;
      return Object.freeze(n);
    }
    var acorn__namespace = /* @__PURE__ */ _interopNamespace(acorn);
    var jsx__default = /* @__PURE__ */ _interopDefaultLegacy(jsx);
    var visitorKeys__namespace = /* @__PURE__ */ _interopNamespace(visitorKeys);
    var Token = {
      Boolean: "Boolean",
      EOF: "",
      Identifier: "Identifier",
      PrivateIdentifier: "PrivateIdentifier",
      Keyword: "Keyword",
      Null: "Null",
      Numeric: "Numeric",
      Punctuator: "Punctuator",
      String: "String",
      RegularExpression: "RegularExpression",
      Template: "Template",
      JSXIdentifier: "JSXIdentifier",
      JSXText: "JSXText"
    };
    function convertTemplatePart(tokens, code) {
      const firstToken = tokens[0], lastTemplateToken = tokens[tokens.length - 1];
      const token = {
        type: Token.Template,
        value: code.slice(firstToken.start, lastTemplateToken.end)
      };
      if (firstToken.loc) {
        token.loc = {
          start: firstToken.loc.start,
          end: lastTemplateToken.loc.end
        };
      }
      if (firstToken.range) {
        token.start = firstToken.range[0];
        token.end = lastTemplateToken.range[1];
        token.range = [token.start, token.end];
      }
      return token;
    }
    function TokenTranslator(acornTokTypes, code) {
      this._acornTokTypes = acornTokTypes;
      this._tokens = [];
      this._curlyBrace = null;
      this._code = code;
    }
    TokenTranslator.prototype = {
      constructor: TokenTranslator,
      /**
       * Translates a single Esprima token to a single Acorn token. This may be
       * inaccurate due to how templates are handled differently in Esprima and
       * Acorn, but should be accurate for all other tokens.
       * @param {AcornToken} token The Acorn token to translate.
       * @param {Object} extra Espree extra object.
       * @returns {EsprimaToken} The Esprima version of the token.
       */
      translate(token, extra) {
        const type = token.type, tt = this._acornTokTypes;
        if (type === tt.name) {
          token.type = Token.Identifier;
          if (token.value === "static") {
            token.type = Token.Keyword;
          }
          if (extra.ecmaVersion > 5 && (token.value === "yield" || token.value === "let")) {
            token.type = Token.Keyword;
          }
        } else if (type === tt.privateId) {
          token.type = Token.PrivateIdentifier;
        } else if (type === tt.semi || type === tt.comma || type === tt.parenL || type === tt.parenR || type === tt.braceL || type === tt.braceR || type === tt.dot || type === tt.bracketL || type === tt.colon || type === tt.question || type === tt.bracketR || type === tt.ellipsis || type === tt.arrow || type === tt.jsxTagStart || type === tt.incDec || type === tt.starstar || type === tt.jsxTagEnd || type === tt.prefix || type === tt.questionDot || type.binop && !type.keyword || type.isAssign) {
          token.type = Token.Punctuator;
          token.value = this._code.slice(token.start, token.end);
        } else if (type === tt.jsxName) {
          token.type = Token.JSXIdentifier;
        } else if (type.label === "jsxText" || type === tt.jsxAttrValueToken) {
          token.type = Token.JSXText;
        } else if (type.keyword) {
          if (type.keyword === "true" || type.keyword === "false") {
            token.type = Token.Boolean;
          } else if (type.keyword === "null") {
            token.type = Token.Null;
          } else {
            token.type = Token.Keyword;
          }
        } else if (type === tt.num) {
          token.type = Token.Numeric;
          token.value = this._code.slice(token.start, token.end);
        } else if (type === tt.string) {
          if (extra.jsxAttrValueToken) {
            extra.jsxAttrValueToken = false;
            token.type = Token.JSXText;
          } else {
            token.type = Token.String;
          }
          token.value = this._code.slice(token.start, token.end);
        } else if (type === tt.regexp) {
          token.type = Token.RegularExpression;
          const value = token.value;
          token.regex = {
            flags: value.flags,
            pattern: value.pattern
          };
          token.value = `/${value.pattern}/${value.flags}`;
        }
        return token;
      },
      /**
       * Function to call during Acorn's onToken handler.
       * @param {AcornToken} token The Acorn token.
       * @param {Object} extra The Espree extra object.
       * @returns {void}
       */
      onToken(token, extra) {
        const tt = this._acornTokTypes, tokens = extra.tokens, templateTokens = this._tokens;
        const translateTemplateTokens = () => {
          tokens.push(convertTemplatePart(this._tokens, this._code));
          this._tokens = [];
        };
        if (token.type === tt.eof) {
          if (this._curlyBrace) {
            tokens.push(this.translate(this._curlyBrace, extra));
          }
          return;
        }
        if (token.type === tt.backQuote) {
          if (this._curlyBrace) {
            tokens.push(this.translate(this._curlyBrace, extra));
            this._curlyBrace = null;
          }
          templateTokens.push(token);
          if (templateTokens.length > 1) {
            translateTemplateTokens();
          }
          return;
        }
        if (token.type === tt.dollarBraceL) {
          templateTokens.push(token);
          translateTemplateTokens();
          return;
        }
        if (token.type === tt.braceR) {
          if (this._curlyBrace) {
            tokens.push(this.translate(this._curlyBrace, extra));
          }
          this._curlyBrace = token;
          return;
        }
        if (token.type === tt.template || token.type === tt.invalidTemplate) {
          if (this._curlyBrace) {
            templateTokens.push(this._curlyBrace);
            this._curlyBrace = null;
          }
          templateTokens.push(token);
          return;
        }
        if (this._curlyBrace) {
          tokens.push(this.translate(this._curlyBrace, extra));
          this._curlyBrace = null;
        }
        tokens.push(this.translate(token, extra));
      }
    };
    var SUPPORTED_VERSIONS = [
      3,
      5,
      6,
      // 2015
      7,
      // 2016
      8,
      // 2017
      9,
      // 2018
      10,
      // 2019
      11,
      // 2020
      12,
      // 2021
      13,
      // 2022
      14,
      // 2023
      15
      // 2024
    ];
    function getLatestEcmaVersion() {
      return SUPPORTED_VERSIONS[SUPPORTED_VERSIONS.length - 1];
    }
    function getSupportedEcmaVersions() {
      return [...SUPPORTED_VERSIONS];
    }
    function normalizeEcmaVersion(ecmaVersion = 5) {
      let version2 = ecmaVersion === "latest" ? getLatestEcmaVersion() : ecmaVersion;
      if (typeof version2 !== "number") {
        throw new Error(`ecmaVersion must be a number or "latest". Received value of type ${typeof ecmaVersion} instead.`);
      }
      if (version2 >= 2015) {
        version2 -= 2009;
      }
      if (!SUPPORTED_VERSIONS.includes(version2)) {
        throw new Error("Invalid ecmaVersion.");
      }
      return version2;
    }
    function normalizeSourceType(sourceType = "script") {
      if (sourceType === "script" || sourceType === "module") {
        return sourceType;
      }
      if (sourceType === "commonjs") {
        return "script";
      }
      throw new Error("Invalid sourceType.");
    }
    function normalizeOptions(options) {
      const ecmaVersion = normalizeEcmaVersion(options.ecmaVersion);
      const sourceType = normalizeSourceType(options.sourceType);
      const ranges = options.range === true;
      const locations = options.loc === true;
      if (ecmaVersion !== 3 && options.allowReserved) {
        throw new Error("`allowReserved` is only supported when ecmaVersion is 3");
      }
      if (typeof options.allowReserved !== "undefined" && typeof options.allowReserved !== "boolean") {
        throw new Error("`allowReserved`, when present, must be `true` or `false`");
      }
      const allowReserved = ecmaVersion === 3 ? options.allowReserved || "never" : false;
      const ecmaFeatures = options.ecmaFeatures || {};
      const allowReturnOutsideFunction = options.sourceType === "commonjs" || Boolean(ecmaFeatures.globalReturn);
      if (sourceType === "module" && ecmaVersion < 6) {
        throw new Error("sourceType 'module' is not supported when ecmaVersion < 2015. Consider adding `{ ecmaVersion: 2015 }` to the parser options.");
      }
      return Object.assign({}, options, {
        ecmaVersion,
        sourceType,
        ranges,
        locations,
        allowReserved,
        allowReturnOutsideFunction
      });
    }
    var STATE = Symbol("espree's internal state");
    var ESPRIMA_FINISH_NODE = Symbol("espree's esprimaFinishNode");
    function convertAcornCommentToEsprimaComment(block, text, start, end, startLoc, endLoc, code) {
      let type;
      if (block) {
        type = "Block";
      } else if (code.slice(start, start + 2) === "#!") {
        type = "Hashbang";
      } else {
        type = "Line";
      }
      const comment = {
        type,
        value: text
      };
      if (typeof start === "number") {
        comment.start = start;
        comment.end = end;
        comment.range = [start, end];
      }
      if (typeof startLoc === "object") {
        comment.loc = {
          start: startLoc,
          end: endLoc
        };
      }
      return comment;
    }
    var espree = () => (Parser) => {
      const tokTypes = Object.assign({}, Parser.acorn.tokTypes);
      if (Parser.acornJsx) {
        Object.assign(tokTypes, Parser.acornJsx.tokTypes);
      }
      return class Espree extends Parser {
        constructor(opts, code) {
          if (typeof opts !== "object" || opts === null) {
            opts = {};
          }
          if (typeof code !== "string" && !(code instanceof String)) {
            code = String(code);
          }
          const originalSourceType = opts.sourceType;
          const options = normalizeOptions(opts);
          const ecmaFeatures = options.ecmaFeatures || {};
          const tokenTranslator = options.tokens === true ? new TokenTranslator(tokTypes, code) : null;
          const state = {
            originalSourceType: originalSourceType || options.sourceType,
            tokens: tokenTranslator ? [] : null,
            comments: options.comment === true ? [] : null,
            impliedStrict: ecmaFeatures.impliedStrict === true && options.ecmaVersion >= 5,
            ecmaVersion: options.ecmaVersion,
            jsxAttrValueToken: false,
            lastToken: null,
            templateElements: []
          };
          super({
            // do not use spread, because we don't want to pass any unknown options to acorn
            ecmaVersion: options.ecmaVersion,
            sourceType: options.sourceType,
            ranges: options.ranges,
            locations: options.locations,
            allowReserved: options.allowReserved,
            // Truthy value is true for backward compatibility.
            allowReturnOutsideFunction: options.allowReturnOutsideFunction,
            // Collect tokens
            onToken(token) {
              if (tokenTranslator) {
                tokenTranslator.onToken(token, state);
              }
              if (token.type !== tokTypes.eof) {
                state.lastToken = token;
              }
            },
            // Collect comments
            onComment(block, text, start, end, startLoc, endLoc) {
              if (state.comments) {
                const comment = convertAcornCommentToEsprimaComment(block, text, start, end, startLoc, endLoc, code);
                state.comments.push(comment);
              }
            }
          }, code);
          this[STATE] = state;
        }
        tokenize() {
          do {
            this.next();
          } while (this.type !== tokTypes.eof);
          this.next();
          const extra = this[STATE];
          const tokens = extra.tokens;
          if (extra.comments) {
            tokens.comments = extra.comments;
          }
          return tokens;
        }
        finishNode(...args) {
          const result = super.finishNode(...args);
          return this[ESPRIMA_FINISH_NODE](result);
        }
        finishNodeAt(...args) {
          const result = super.finishNodeAt(...args);
          return this[ESPRIMA_FINISH_NODE](result);
        }
        parse() {
          const extra = this[STATE];
          const program = super.parse();
          program.sourceType = extra.originalSourceType;
          if (extra.comments) {
            program.comments = extra.comments;
          }
          if (extra.tokens) {
            program.tokens = extra.tokens;
          }
          if (program.body.length) {
            const [firstNode] = program.body;
            if (program.range) {
              program.range[0] = firstNode.range[0];
            }
            if (program.loc) {
              program.loc.start = firstNode.loc.start;
            }
            program.start = firstNode.start;
          }
          if (extra.lastToken) {
            if (program.range) {
              program.range[1] = extra.lastToken.range[1];
            }
            if (program.loc) {
              program.loc.end = extra.lastToken.loc.end;
            }
            program.end = extra.lastToken.end;
          }
          this[STATE].templateElements.forEach((templateElement) => {
            const startOffset = -1;
            const endOffset = templateElement.tail ? 1 : 2;
            templateElement.start += startOffset;
            templateElement.end += endOffset;
            if (templateElement.range) {
              templateElement.range[0] += startOffset;
              templateElement.range[1] += endOffset;
            }
            if (templateElement.loc) {
              templateElement.loc.start.column += startOffset;
              templateElement.loc.end.column += endOffset;
            }
          });
          return program;
        }
        parseTopLevel(node) {
          if (this[STATE].impliedStrict) {
            this.strict = true;
          }
          return super.parseTopLevel(node);
        }
        /**
         * Overwrites the default raise method to throw Esprima-style errors.
         * @param {int} pos The position of the error.
         * @param {string} message The error message.
         * @throws {SyntaxError} A syntax error.
         * @returns {void}
         */
        raise(pos, message) {
          const loc = Parser.acorn.getLineInfo(this.input, pos);
          const err = new SyntaxError(message);
          err.index = pos;
          err.lineNumber = loc.line;
          err.column = loc.column + 1;
          throw err;
        }
        /**
         * Overwrites the default raise method to throw Esprima-style errors.
         * @param {int} pos The position of the error.
         * @param {string} message The error message.
         * @throws {SyntaxError} A syntax error.
         * @returns {void}
         */
        raiseRecoverable(pos, message) {
          this.raise(pos, message);
        }
        /**
         * Overwrites the default unexpected method to throw Esprima-style errors.
         * @param {int} pos The position of the error.
         * @throws {SyntaxError} A syntax error.
         * @returns {void}
         */
        unexpected(pos) {
          let message = "Unexpected token";
          if (pos !== null && pos !== void 0) {
            this.pos = pos;
            if (this.options.locations) {
              while (this.pos < this.lineStart) {
                this.lineStart = this.input.lastIndexOf("\n", this.lineStart - 2) + 1;
                --this.curLine;
              }
            }
            this.nextToken();
          }
          if (this.end > this.start) {
            message += ` ${this.input.slice(this.start, this.end)}`;
          }
          this.raise(this.start, message);
        }
        /*
        * Esprima-FB represents JSX strings as tokens called "JSXText", but Acorn-JSX
        * uses regular tt.string without any distinction between this and regular JS
        * strings. As such, we intercept an attempt to read a JSX string and set a flag
        * on extra so that when tokens are converted, the next token will be switched
        * to JSXText via onToken.
        */
        jsx_readString(quote) {
          const result = super.jsx_readString(quote);
          if (this.type === tokTypes.string) {
            this[STATE].jsxAttrValueToken = true;
          }
          return result;
        }
        /**
         * Performs last-minute Esprima-specific compatibility checks and fixes.
         * @param {ASTNode} result The node to check.
         * @returns {ASTNode} The finished node.
         */
        [ESPRIMA_FINISH_NODE](result) {
          if (result.type === "TemplateElement") {
            this[STATE].templateElements.push(result);
          }
          if (result.type.includes("Function") && !result.generator) {
            result.generator = false;
          }
          return result;
        }
      };
    };
    var version$1 = "9.6.1";
    var parsers = {
      _regular: null,
      _jsx: null,
      get regular() {
        if (this._regular === null) {
          this._regular = acorn__namespace.Parser.extend(espree());
        }
        return this._regular;
      },
      get jsx() {
        if (this._jsx === null) {
          this._jsx = acorn__namespace.Parser.extend(jsx__default["default"](), espree());
        }
        return this._jsx;
      },
      get(options) {
        const useJsx = Boolean(
          options && options.ecmaFeatures && options.ecmaFeatures.jsx
        );
        return useJsx ? this.jsx : this.regular;
      }
    };
    function tokenize(code, options) {
      const Parser = parsers.get(options);
      if (!options || options.tokens !== true) {
        options = Object.assign({}, options, { tokens: true });
      }
      return new Parser(options, code).tokenize();
    }
    function parse2(code, options) {
      const Parser = parsers.get(options);
      return new Parser(options, code).parse();
    }
    var version = version$1;
    var name = "espree";
    var VisitorKeys = function() {
      return visitorKeys__namespace.KEYS;
    }();
    var Syntax = function() {
      let key, types = {};
      if (typeof Object.create === "function") {
        types = /* @__PURE__ */ Object.create(null);
      }
      for (key in VisitorKeys) {
        if (Object.hasOwnProperty.call(VisitorKeys, key)) {
          types[key] = key;
        }
      }
      if (typeof Object.freeze === "function") {
        Object.freeze(types);
      }
      return types;
    }();
    var latestEcmaVersion = getLatestEcmaVersion();
    var supportedEcmaVersions = getSupportedEcmaVersions();
    exports2.Syntax = Syntax;
    exports2.VisitorKeys = VisitorKeys;
    exports2.latestEcmaVersion = latestEcmaVersion;
    exports2.name = name;
    exports2.parse = parse2;
    exports2.supportedEcmaVersions = supportedEcmaVersions;
    exports2.tokenize = tokenize;
    exports2.version = version;
  }
});

// node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/modules/espree.js
var require_espree2 = __commonJS({
  "node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/modules/espree.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getNewestEspreeKind = exports2.getEspree = void 0;
    var require_utils_1 = require_require_utils();
    var semver_1 = require_semver2();
    var espreeCache = null;
    function getEspree() {
      if (!espreeCache) {
        espreeCache = (0, require_utils_1.loadNewest)([
          {
            getPkg() {
              return (0, require_utils_1.requireFromCwd)("espree/package.json");
            },
            get() {
              return (0, require_utils_1.requireFromCwd)("espree");
            }
          },
          {
            getPkg() {
              return (0, require_utils_1.requireFromLinter)("espree/package.json");
            },
            get() {
              return (0, require_utils_1.requireFromLinter)("espree");
            }
          },
          {
            getPkg() {
              return require_package11();
            },
            get() {
              return require_espree();
            }
          }
        ]);
      }
      return espreeCache;
    }
    exports2.getEspree = getEspree;
    var kindCache = null;
    function getNewestEspreeKind() {
      if (kindCache) {
        return kindCache;
      }
      const cwdPkg = (0, require_utils_1.requireFromCwd)("espree/package.json");
      const linterPkg = (0, require_utils_1.requireFromLinter)("espree/package.json");
      const self2 = require_package11();
      let target = {
        kind: "self",
        version: self2.version
      };
      if (cwdPkg != null && (0, semver_1.lte)(target.version, cwdPkg.version)) {
        target = { kind: "cwd", version: cwdPkg.version };
      }
      if (linterPkg != null && (0, semver_1.lte)(target.version, linterPkg.version)) {
        target = { kind: "linter", version: linterPkg.version };
      }
      return kindCache = target.kind;
    }
    exports2.getNewestEspreeKind = getNewestEspreeKind;
  }
});

// node_modules/.pnpm/eslint-visitor-keys@3.4.3/node_modules/eslint-visitor-keys/package.json
var require_package12 = __commonJS({
  "node_modules/.pnpm/eslint-visitor-keys@3.4.3/node_modules/eslint-visitor-keys/package.json"(exports2, module2) {
    module2.exports = {
      name: "eslint-visitor-keys",
      version: "3.4.3",
      description: "Constants and utilities about visitor keys to traverse AST.",
      type: "module",
      main: "dist/eslint-visitor-keys.cjs",
      types: "./dist/index.d.ts",
      exports: {
        ".": [
          {
            import: "./lib/index.js",
            require: "./dist/eslint-visitor-keys.cjs"
          },
          "./dist/eslint-visitor-keys.cjs"
        ],
        "./package.json": "./package.json"
      },
      files: [
        "dist/index.d.ts",
        "dist/visitor-keys.d.ts",
        "dist/eslint-visitor-keys.cjs",
        "dist/eslint-visitor-keys.d.cts",
        "lib"
      ],
      engines: {
        node: "^12.22.0 || ^14.17.0 || >=16.0.0"
      },
      devDependencies: {
        "@types/estree": "^0.0.51",
        "@types/estree-jsx": "^0.0.1",
        "@typescript-eslint/parser": "^5.14.0",
        c8: "^7.11.0",
        chai: "^4.3.6",
        eslint: "^7.29.0",
        "eslint-config-eslint": "^7.0.0",
        "eslint-plugin-jsdoc": "^35.4.0",
        "eslint-plugin-node": "^11.1.0",
        "eslint-release": "^3.2.0",
        esquery: "^1.4.0",
        "json-diff": "^0.7.3",
        mocha: "^9.2.1",
        opener: "^1.5.2",
        rollup: "^2.70.0",
        "rollup-plugin-dts": "^4.2.3",
        tsd: "^0.19.1",
        typescript: "^4.6.2"
      },
      scripts: {
        build: "npm run build:cjs && npm run build:types",
        "build:cjs": "rollup -c",
        "build:debug": "npm run build:cjs -- -m && npm run build:types",
        "build:keys": "node tools/build-keys-from-ts",
        "build:types": "tsc",
        lint: "eslint .",
        prepare: "npm run build",
        "release:generate:latest": "eslint-generate-release",
        "release:generate:alpha": "eslint-generate-prerelease alpha",
        "release:generate:beta": "eslint-generate-prerelease beta",
        "release:generate:rc": "eslint-generate-prerelease rc",
        "release:publish": "eslint-publish-release",
        test: "mocha tests/lib/**/*.cjs && c8 mocha tests/lib/**/*.js && npm run test:types",
        "test:open-coverage": "c8 report --reporter lcov && opener coverage/lcov-report/index.html",
        "test:types": "tsd"
      },
      repository: "eslint/eslint-visitor-keys",
      funding: "https://opencollective.com/eslint",
      keywords: [],
      author: "Toru Nagashima (https://github.com/mysticatea)",
      license: "Apache-2.0",
      bugs: {
        url: "https://github.com/eslint/eslint-visitor-keys/issues"
      },
      homepage: "https://github.com/eslint/eslint-visitor-keys#readme"
    };
  }
});

// node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/visitor-keys.js
var require_visitor_keys2 = __commonJS({
  "node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/visitor-keys.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getVisitorKeys = void 0;
    var require_utils_1 = require_require_utils();
    var jsonKeys = {
      Program: ["body"],
      JSONExpressionStatement: ["expression"],
      JSONArrayExpression: ["elements"],
      JSONObjectExpression: ["properties"],
      JSONProperty: ["key", "value"],
      JSONIdentifier: [],
      JSONLiteral: [],
      JSONUnaryExpression: ["argument"],
      JSONTemplateLiteral: ["quasis", "expressions"],
      JSONTemplateElement: [],
      JSONBinaryExpression: ["left", "right"]
    };
    var cache = null;
    function getVisitorKeys() {
      if (!cache) {
        const vk = (0, require_utils_1.loadNewest)([
          {
            getPkg() {
              return (0, require_utils_1.requireFromCwd)("eslint-visitor-keys/package.json");
            },
            get() {
              return (0, require_utils_1.requireFromCwd)("eslint-visitor-keys");
            }
          },
          {
            getPkg() {
              return (0, require_utils_1.requireFromLinter)("eslint-visitor-keys/package.json");
            },
            get() {
              return (0, require_utils_1.requireFromLinter)("eslint-visitor-keys");
            }
          },
          {
            getPkg() {
              return require_package12();
            },
            get() {
              return require_eslint_visitor_keys();
            }
          }
        ]);
        cache = vk.unionWith(jsonKeys);
      }
      return cache;
    }
    exports2.getVisitorKeys = getVisitorKeys;
  }
});

// node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/utils.js
var require_utils8 = __commonJS({
  "node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/utils.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isRegExpLiteral = void 0;
    function isRegExpLiteral(node) {
      return Boolean(node.regex) || node.raw.startsWith("/");
    }
    exports2.isRegExpLiteral = isRegExpLiteral;
  }
});

// node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/errors.js
var require_errors2 = __commonJS({
  "node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/errors.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.throwUnexpectedNodeError = exports2.throwInvalidNumberError = exports2.throwUnexpectedSpaceError = exports2.throwUnexpectedCommentError = exports2.throwUnexpectedTokenError = exports2.throwUnexpectedError = exports2.throwExpectedTokenError = exports2.ParseError = void 0;
    var utils_1 = require_utils8();
    var ParseError = class extends SyntaxError {
      constructor(message, offset, line, column) {
        super(message);
        this.index = offset;
        this.lineNumber = line;
        this.column = column;
      }
    };
    exports2.ParseError = ParseError;
    function throwExpectedTokenError(name, beforeToken) {
      const locs = getLocation(beforeToken);
      const err = new ParseError(`Expected token '${name}'.`, locs.end, locs.loc.end.line, locs.loc.end.column + 1);
      throw err;
    }
    exports2.throwExpectedTokenError = throwExpectedTokenError;
    function throwUnexpectedError(name, token) {
      const locs = getLocation(token);
      const err = new ParseError(`Unexpected ${name}.`, locs.start, locs.loc.start.line, locs.loc.start.column + 1);
      throw err;
    }
    exports2.throwUnexpectedError = throwUnexpectedError;
    function throwUnexpectedTokenError(name, token) {
      return throwUnexpectedError(`token '${name}'`, token);
    }
    exports2.throwUnexpectedTokenError = throwUnexpectedTokenError;
    function throwUnexpectedCommentError(token) {
      return throwUnexpectedError("comment", token);
    }
    exports2.throwUnexpectedCommentError = throwUnexpectedCommentError;
    function throwUnexpectedSpaceError(beforeToken) {
      const locs = getLocation(beforeToken);
      const err = new ParseError("Unexpected whitespace.", locs.end, locs.loc.end.line, locs.loc.end.column + 1);
      throw err;
    }
    exports2.throwUnexpectedSpaceError = throwUnexpectedSpaceError;
    function throwInvalidNumberError(text, token) {
      const locs = getLocation(token);
      const err = new ParseError(`Invalid number ${text}.`, locs.start, locs.loc.start.line, locs.loc.start.column + 1);
      throw err;
    }
    exports2.throwInvalidNumberError = throwInvalidNumberError;
    function throwUnexpectedNodeError(node, tokens, offset) {
      if (node.type === "Identifier" || node.type === "JSONIdentifier") {
        const locs2 = getLocation(node);
        const err2 = new ParseError(`Unexpected identifier '${node.name}'.`, locs2.start, locs2.loc.start.line, locs2.loc.start.column + 1);
        throw err2;
      }
      if (node.type === "Literal" || node.type === "JSONLiteral") {
        const type = node.bigint ? "bigint" : (0, utils_1.isRegExpLiteral)(node) ? "regex" : node.value === null ? "null" : typeof node.value;
        const locs2 = getLocation(node);
        const err2 = new ParseError(`Unexpected ${type} literal.`, locs2.start, locs2.loc.start.line, locs2.loc.start.column + 1);
        throw err2;
      }
      if (node.type === "TemplateLiteral" || node.type === "JSONTemplateLiteral") {
        const locs2 = getLocation(node);
        const err2 = new ParseError("Unexpected template literal.", locs2.start, locs2.loc.start.line, locs2.loc.start.column + 1);
        throw err2;
      }
      if (node.type.endsWith("Expression") && node.type !== "FunctionExpression") {
        const name2 = node.type.replace(/^JSON/u, "").replace(/\B([A-Z])/gu, " $1").toLowerCase();
        const locs2 = getLocation(node);
        const err2 = new ParseError(`Unexpected ${name2}.`, locs2.start, locs2.loc.start.line, locs2.loc.start.column + 1);
        throw err2;
      }
      const index = node.range[0] + (offset || 0);
      const t = tokens.findTokenByOffset(index);
      const name = (t === null || t === void 0 ? void 0 : t.value) || "unknown";
      const locs = getLocation(t || node);
      const err = new ParseError(`Unexpected token '${name}'.`, locs.start, locs.loc.start.line, locs.loc.start.column + 1);
      throw err;
    }
    exports2.throwUnexpectedNodeError = throwUnexpectedNodeError;
    function getLocation(token) {
      var _a, _b, _c, _d;
      const start = (_b = (_a = token.range) === null || _a === void 0 ? void 0 : _a[0]) !== null && _b !== void 0 ? _b : token.start;
      const end = (_d = (_c = token.range) === null || _c === void 0 ? void 0 : _c[1]) !== null && _d !== void 0 ? _d : token.end;
      const loc = token.loc;
      return { start, end, loc };
    }
  }
});

// node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/token-store.js
var require_token_store = __commonJS({
  "node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/token-store.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isComma = exports2.TokenStore = void 0;
    var TokenStore = class {
      constructor(tokens) {
        this.tokens = tokens;
      }
      add(token) {
        this.tokens.push(token);
      }
      findIndexByOffset(offset) {
        return this.tokens.findIndex((token) => token.range[0] <= offset && offset < token.range[1]);
      }
      findTokenByOffset(offset) {
        return this.tokens[this.findIndexByOffset(offset)];
      }
      getFirstToken(nodeOrToken) {
        return this.findTokenByOffset(nodeOrToken.range[0]);
      }
      getLastToken(nodeOrToken) {
        return this.findTokenByOffset(nodeOrToken.range[1] - 1);
      }
      getTokenBefore(nodeOrToken, filter) {
        const tokenIndex = this.findIndexByOffset(nodeOrToken.range[0]);
        for (let index = tokenIndex - 1; index >= 0; index--) {
          const token = this.tokens[index];
          if (!filter || filter(token)) {
            return token;
          }
        }
        return null;
      }
      getTokenAfter(nodeOrToken, filter) {
        const tokenIndex = this.findIndexByOffset(nodeOrToken.range[0]);
        for (let index = tokenIndex + 1; index < this.tokens.length; index++) {
          const token = this.tokens[index];
          if (!filter || filter(token)) {
            return token;
          }
        }
        return null;
      }
    };
    exports2.TokenStore = TokenStore;
    function isComma(token) {
      return token.type === "Punctuator" && token.value === ",";
    }
    exports2.isComma = isComma;
  }
});

// node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/validate.js
var require_validate2 = __commonJS({
  "node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/validate.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isStaticValueIdentifier = exports2.validateNode = void 0;
    var errors_1 = require_errors2();
    var token_store_1 = require_token_store();
    var utils_1 = require_utils8();
    var lineBreakPattern = /\r\n|[\n\r\u2028\u2029]/u;
    var octalNumericLiteralPattern = /^0o/iu;
    var legacyOctalNumericLiteralPattern = /^0\d/u;
    var binaryNumericLiteralPattern = /^0b/iu;
    var unicodeCodepointEscapePattern = /\\u\{[\dA-Fa-f]+\}/uy;
    function hasUnicodeCodepointEscapes(code) {
      let escaped = false;
      for (let index = 0; index < code.length - 4; index++) {
        if (escaped) {
          escaped = false;
          continue;
        }
        const char = code[index];
        if (char === "\\") {
          unicodeCodepointEscapePattern.lastIndex = index;
          if (unicodeCodepointEscapePattern.test(code)) {
            return true;
          }
          escaped = true;
        }
      }
      return false;
    }
    function validateNode(node, tokens, ctx) {
      if (node.type === "ObjectExpression") {
        validateObjectExpressionNode(node, tokens, ctx);
        return;
      }
      if (node.type === "Property") {
        validatePropertyNode(node, tokens, ctx);
        return;
      }
      if (node.type === "ArrayExpression") {
        validateArrayExpressionNode(node, tokens, ctx);
        return;
      }
      if (node.type === "Literal") {
        validateLiteralNode(node, tokens, ctx);
        return;
      }
      if (node.type === "UnaryExpression") {
        validateUnaryExpressionNode(node, tokens, ctx);
        return;
      }
      if (node.type === "Identifier") {
        validateIdentifierNode(node, tokens, ctx);
        return;
      }
      if (node.type === "TemplateLiteral") {
        validateTemplateLiteralNode(node, tokens, ctx);
        return;
      }
      if (node.type === "TemplateElement") {
        validateTemplateElementNode(node, tokens);
        return;
      }
      if (node.type === "BinaryExpression") {
        validateBinaryExpressionNode(node, tokens, ctx);
        return;
      }
      throw (0, errors_1.throwUnexpectedNodeError)(node, tokens);
    }
    exports2.validateNode = validateNode;
    function validateObjectExpressionNode(node, tokens, ctx) {
      if (node.type !== "ObjectExpression") {
        throw (0, errors_1.throwUnexpectedNodeError)(node, tokens);
      }
      for (const prop of node.properties) {
        setParent(prop, node);
      }
      if (!ctx.trailingCommas) {
        const token = tokens.getTokenBefore(tokens.getLastToken(node));
        if (token && (0, token_store_1.isComma)(token)) {
          throw (0, errors_1.throwUnexpectedTokenError)(",", token);
        }
      }
    }
    function validatePropertyNode(node, tokens, ctx) {
      if (node.type !== "Property") {
        throw (0, errors_1.throwUnexpectedNodeError)(node, tokens);
      }
      setParent(node.key, node);
      setParent(node.value, node);
      if (node.computed) {
        throw (0, errors_1.throwUnexpectedNodeError)(node, tokens);
      }
      if (node.method) {
        throw (0, errors_1.throwUnexpectedNodeError)(node.value, tokens);
      }
      if (node.shorthand) {
        throw (0, errors_1.throwExpectedTokenError)(":", node);
      }
      if (node.kind !== "init") {
        throw (0, errors_1.throwExpectedTokenError)(":", tokens.getFirstToken(node));
      }
      if (node.key.type === "Literal") {
        const keyValueType = typeof node.key.value;
        if (keyValueType === "number") {
          if (!ctx.numberProperties) {
            throw (0, errors_1.throwUnexpectedNodeError)(node.key, tokens);
          }
        } else if (keyValueType !== "string") {
          throw (0, errors_1.throwUnexpectedNodeError)(node.key, tokens);
        }
      } else if (node.key.type === "Identifier") {
        if (!ctx.unquoteProperties) {
          throw (0, errors_1.throwUnexpectedNodeError)(node.key, tokens);
        }
      } else {
        throw (0, errors_1.throwUnexpectedNodeError)(node.key, tokens);
      }
      if (node.value.type === "Identifier") {
        if (!isStaticValueIdentifier(node.value, ctx)) {
          throw (0, errors_1.throwUnexpectedNodeError)(node.value, tokens);
        }
      }
    }
    function validateArrayExpressionNode(node, tokens, ctx) {
      if (node.type !== "ArrayExpression") {
        throw (0, errors_1.throwUnexpectedNodeError)(node, tokens);
      }
      if (!ctx.trailingCommas) {
        const token = tokens.getTokenBefore(tokens.getLastToken(node));
        if (token && (0, token_store_1.isComma)(token)) {
          throw (0, errors_1.throwUnexpectedTokenError)(",", token);
        }
      }
      node.elements.forEach((child, index) => {
        if (!child) {
          if (ctx.sparseArrays) {
            return;
          }
          const beforeIndex = index - 1;
          const before = beforeIndex >= 0 ? tokens.getLastToken(node.elements[beforeIndex]) : tokens.getFirstToken(node);
          throw (0, errors_1.throwUnexpectedTokenError)(",", tokens.getTokenAfter(before, token_store_1.isComma));
        }
        if (child.type === "Identifier") {
          if (!isStaticValueIdentifier(child, ctx)) {
            throw (0, errors_1.throwUnexpectedNodeError)(child, tokens);
          }
        }
        setParent(child, node);
      });
    }
    function validateLiteralNode(node, tokens, ctx) {
      if (node.type !== "Literal") {
        throw (0, errors_1.throwUnexpectedNodeError)(node, tokens);
      }
      if ((0, utils_1.isRegExpLiteral)(node)) {
        if (!ctx.regExpLiterals) {
          throw (0, errors_1.throwUnexpectedNodeError)(node, tokens);
        }
      } else if (node.bigint) {
        if (!ctx.bigintLiterals) {
          throw (0, errors_1.throwUnexpectedNodeError)(node, tokens);
        }
      } else {
        validateLiteral(node, ctx);
      }
    }
    function validateLiteral(node, ctx) {
      const value = node.value;
      if ((!ctx.invalidJsonNumbers || !ctx.leadingOrTrailingDecimalPoints || !ctx.numericSeparators) && typeof value === "number") {
        const text = node.raw;
        if (!ctx.leadingOrTrailingDecimalPoints) {
          if (text.startsWith(".")) {
            throw (0, errors_1.throwUnexpectedTokenError)(".", node);
          }
          if (text.endsWith(".")) {
            throw (0, errors_1.throwUnexpectedTokenError)(".", {
              range: [node.range[1] - 1, node.range[1]],
              loc: {
                start: {
                  line: node.loc.end.line,
                  column: node.loc.end.column - 1
                },
                end: node.loc.end
              }
            });
          }
        }
        if (!ctx.numericSeparators) {
          if (text.includes("_")) {
            const index = text.indexOf("_");
            throw (0, errors_1.throwUnexpectedTokenError)("_", {
              range: [node.range[0] + index, node.range[0] + index + 1],
              loc: {
                start: {
                  line: node.loc.start.line,
                  column: node.loc.start.column + index
                },
                end: {
                  line: node.loc.start.line,
                  column: node.loc.start.column + index + 1
                }
              }
            });
          }
        }
        if (!ctx.octalNumericLiterals) {
          if (octalNumericLiteralPattern.test(text)) {
            throw (0, errors_1.throwUnexpectedError)("octal numeric literal", node);
          }
        }
        if (!ctx.legacyOctalNumericLiterals) {
          if (legacyOctalNumericLiteralPattern.test(text)) {
            throw (0, errors_1.throwUnexpectedError)("legacy octal numeric literal", node);
          }
        }
        if (!ctx.binaryNumericLiterals) {
          if (binaryNumericLiteralPattern.test(text)) {
            throw (0, errors_1.throwUnexpectedError)("binary numeric literal", node);
          }
        }
        if (!ctx.invalidJsonNumbers) {
          try {
            JSON.parse(text);
          } catch (_a) {
            throw (0, errors_1.throwInvalidNumberError)(text, node);
          }
        }
      }
      if ((!ctx.multilineStrings || !ctx.singleQuotes || !ctx.unicodeCodepointEscapes) && typeof value === "string") {
        if (!ctx.singleQuotes) {
          if (node.raw.startsWith("'")) {
            throw (0, errors_1.throwUnexpectedError)("single quoted", node);
          }
        }
        if (!ctx.multilineStrings) {
          if (lineBreakPattern.test(node.raw)) {
            throw (0, errors_1.throwUnexpectedError)("multiline string", node);
          }
        }
        if (!ctx.unicodeCodepointEscapes) {
          if (hasUnicodeCodepointEscapes(node.raw)) {
            throw (0, errors_1.throwUnexpectedError)("unicode codepoint escape", node);
          }
        }
      }
      return void 0;
    }
    function validateUnaryExpressionNode(node, tokens, ctx) {
      if (node.type !== "UnaryExpression") {
        throw (0, errors_1.throwUnexpectedNodeError)(node, tokens);
      }
      const operator = node.operator;
      if (operator === "+") {
        if (!ctx.plusSigns) {
          throw (0, errors_1.throwUnexpectedTokenError)("+", node);
        }
      } else if (operator !== "-") {
        throw (0, errors_1.throwUnexpectedNodeError)(node, tokens);
      }
      const argument = node.argument;
      if (argument.type === "Literal") {
        if (typeof argument.value !== "number") {
          throw (0, errors_1.throwUnexpectedNodeError)(argument, tokens);
        }
      } else if (argument.type === "Identifier") {
        if (!isNumberIdentifier(argument, ctx)) {
          throw (0, errors_1.throwUnexpectedNodeError)(argument, tokens);
        }
      } else {
        throw (0, errors_1.throwUnexpectedNodeError)(argument, tokens);
      }
      if (!ctx.spacedSigns) {
        if (node.range[0] + 1 < argument.range[0]) {
          throw (0, errors_1.throwUnexpectedSpaceError)(tokens.getFirstToken(node));
        }
      }
      setParent(argument, node);
    }
    function validateIdentifierNode(node, tokens, ctx) {
      if (node.type !== "Identifier") {
        throw (0, errors_1.throwUnexpectedNodeError)(node, tokens);
      }
      if (!ctx.escapeSequenceInIdentifier) {
        if (node.name.length < node.range[1] - node.range[0]) {
          throw (0, errors_1.throwUnexpectedError)("escape sequence", node);
        }
      }
    }
    function validateTemplateLiteralNode(node, tokens, ctx) {
      if (node.type !== "TemplateLiteral") {
        throw (0, errors_1.throwUnexpectedNodeError)(node, tokens);
      }
      if (!ctx.templateLiterals) {
        throw (0, errors_1.throwUnexpectedNodeError)(node, tokens);
      }
      if (node.expressions.length) {
        const token = tokens.getFirstToken(node.quasis[0]);
        const loc = {
          loc: {
            start: {
              line: token.loc.end.line,
              column: token.loc.end.column - 2
            },
            end: token.loc.end
          },
          range: [token.range[1] - 2, token.range[1]]
        };
        throw (0, errors_1.throwUnexpectedTokenError)("$", loc);
      }
      if (!ctx.unicodeCodepointEscapes) {
        if (hasUnicodeCodepointEscapes(node.quasis[0].value.raw)) {
          throw (0, errors_1.throwUnexpectedError)("unicode codepoint escape", node);
        }
      }
      for (const q of node.quasis) {
        setParent(q, node);
      }
    }
    function validateTemplateElementNode(node, tokens) {
      if (node.type !== "TemplateElement") {
        throw (0, errors_1.throwUnexpectedNodeError)(node, tokens);
      }
      const { cooked } = node.value;
      if (cooked == null) {
        throw (0, errors_1.throwUnexpectedNodeError)(node, tokens);
      }
      const startOffset = -1;
      const endOffset = node.tail ? 1 : 2;
      node.start += startOffset;
      node.end += endOffset;
      node.range[0] += startOffset;
      node.range[1] += endOffset;
      node.loc.start.column += startOffset;
      node.loc.end.column += endOffset;
    }
    function validateBinaryExpressionNode(node, tokens, ctx) {
      if (node.type !== "BinaryExpression") {
        throw (0, errors_1.throwUnexpectedNodeError)(node, tokens);
      }
      if (!ctx.staticExpressions) {
        throw (0, errors_1.throwUnexpectedNodeError)(node, tokens);
      }
      const { operator, left, right } = node;
      if (operator !== "+" && operator !== "-" && operator !== "*" && operator !== "/" && operator !== "%" && operator !== "**") {
        throw throwOperatorError();
      }
      validateExpr(left, throwOperatorError);
      validateExpr(right, () => (0, errors_1.throwUnexpectedNodeError)(right, tokens));
      function validateExpr(expr, throwError) {
        if (expr.type === "Literal") {
          if (typeof expr.value !== "number") {
            throw throwError();
          }
        } else if (expr.type !== "BinaryExpression" && expr.type !== "UnaryExpression") {
          throw throwError();
        }
        setParent(expr, node);
      }
      function throwOperatorError() {
        throw (0, errors_1.throwUnexpectedTokenError)(operator, tokens.getTokenAfter(tokens.getFirstToken(node), (t) => t.value === operator) || node);
      }
    }
    function isStaticValueIdentifier(node, ctx) {
      if (isNumberIdentifier(node, ctx)) {
        return true;
      }
      return node.name === "undefined" && ctx.undefinedKeywords;
    }
    exports2.isStaticValueIdentifier = isStaticValueIdentifier;
    function isNumberIdentifier(node, ctx) {
      if (node.name === "Infinity" && ctx.infinities) {
        return true;
      }
      if (node.name === "NaN" && ctx.nans) {
        return true;
      }
      return false;
    }
    function setParent(prop, parent) {
      prop.parent = parent;
    }
  }
});

// node_modules/.pnpm/acorn@8.12.0/node_modules/acorn/package.json
var require_package13 = __commonJS({
  "node_modules/.pnpm/acorn@8.12.0/node_modules/acorn/package.json"(exports2, module2) {
    module2.exports = {
      name: "acorn",
      description: "ECMAScript parser",
      homepage: "https://github.com/acornjs/acorn",
      main: "dist/acorn.js",
      types: "dist/acorn.d.ts",
      module: "dist/acorn.mjs",
      exports: {
        ".": [
          {
            import: "./dist/acorn.mjs",
            require: "./dist/acorn.js",
            default: "./dist/acorn.js"
          },
          "./dist/acorn.js"
        ],
        "./package.json": "./package.json"
      },
      version: "8.12.0",
      engines: {
        node: ">=0.4.0"
      },
      maintainers: [
        {
          name: "Marijn Haverbeke",
          email: "marijnh@gmail.com",
          web: "https://marijnhaverbeke.nl"
        },
        {
          name: "Ingvar Stepanyan",
          email: "me@rreverser.com",
          web: "https://rreverser.com/"
        },
        {
          name: "Adrian Heine",
          web: "http://adrianheine.de"
        }
      ],
      repository: {
        type: "git",
        url: "git+https://github.com/acornjs/acorn.git"
      },
      license: "MIT",
      scripts: {
        prepare: "cd ..; npm run build:main"
      },
      bin: {
        acorn: "bin/acorn"
      }
    };
  }
});

// node_modules/.pnpm/acorn@8.12.0/node_modules/acorn/dist/acorn.js
var require_acorn2 = __commonJS({
  "node_modules/.pnpm/acorn@8.12.0/node_modules/acorn/dist/acorn.js"(exports2, module2) {
    (function(global2, factory) {
      typeof exports2 === "object" && typeof module2 !== "undefined" ? factory(exports2) : typeof define === "function" && define.amd ? define(["exports"], factory) : (global2 = typeof globalThis !== "undefined" ? globalThis : global2 || self, factory(global2.acorn = {}));
    })(exports2, function(exports3) {
      "use strict";
      var astralIdentifierCodes = [509, 0, 227, 0, 150, 4, 294, 9, 1368, 2, 2, 1, 6, 3, 41, 2, 5, 0, 166, 1, 574, 3, 9, 9, 370, 1, 81, 2, 71, 10, 50, 3, 123, 2, 54, 14, 32, 10, 3, 1, 11, 3, 46, 10, 8, 0, 46, 9, 7, 2, 37, 13, 2, 9, 6, 1, 45, 0, 13, 2, 49, 13, 9, 3, 2, 11, 83, 11, 7, 0, 3, 0, 158, 11, 6, 9, 7, 3, 56, 1, 2, 6, 3, 1, 3, 2, 10, 0, 11, 1, 3, 6, 4, 4, 193, 17, 10, 9, 5, 0, 82, 19, 13, 9, 214, 6, 3, 8, 28, 1, 83, 16, 16, 9, 82, 12, 9, 9, 84, 14, 5, 9, 243, 14, 166, 9, 71, 5, 2, 1, 3, 3, 2, 0, 2, 1, 13, 9, 120, 6, 3, 6, 4, 0, 29, 9, 41, 6, 2, 3, 9, 0, 10, 10, 47, 15, 406, 7, 2, 7, 17, 9, 57, 21, 2, 13, 123, 5, 4, 0, 2, 1, 2, 6, 2, 0, 9, 9, 49, 4, 2, 1, 2, 4, 9, 9, 330, 3, 10, 1, 2, 0, 49, 6, 4, 4, 14, 9, 5351, 0, 7, 14, 13835, 9, 87, 9, 39, 4, 60, 6, 26, 9, 1014, 0, 2, 54, 8, 3, 82, 0, 12, 1, 19628, 1, 4706, 45, 3, 22, 543, 4, 4, 5, 9, 7, 3, 6, 31, 3, 149, 2, 1418, 49, 513, 54, 5, 49, 9, 0, 15, 0, 23, 4, 2, 14, 1361, 6, 2, 16, 3, 6, 2, 1, 2, 4, 101, 0, 161, 6, 10, 9, 357, 0, 62, 13, 499, 13, 983, 6, 110, 6, 6, 9, 4759, 9, 787719, 239];
      var astralIdentifierStartCodes = [0, 11, 2, 25, 2, 18, 2, 1, 2, 14, 3, 13, 35, 122, 70, 52, 268, 28, 4, 48, 48, 31, 14, 29, 6, 37, 11, 29, 3, 35, 5, 7, 2, 4, 43, 157, 19, 35, 5, 35, 5, 39, 9, 51, 13, 10, 2, 14, 2, 6, 2, 1, 2, 10, 2, 14, 2, 6, 2, 1, 68, 310, 10, 21, 11, 7, 25, 5, 2, 41, 2, 8, 70, 5, 3, 0, 2, 43, 2, 1, 4, 0, 3, 22, 11, 22, 10, 30, 66, 18, 2, 1, 11, 21, 11, 25, 71, 55, 7, 1, 65, 0, 16, 3, 2, 2, 2, 28, 43, 28, 4, 28, 36, 7, 2, 27, 28, 53, 11, 21, 11, 18, 14, 17, 111, 72, 56, 50, 14, 50, 14, 35, 349, 41, 7, 1, 79, 28, 11, 0, 9, 21, 43, 17, 47, 20, 28, 22, 13, 52, 58, 1, 3, 0, 14, 44, 33, 24, 27, 35, 30, 0, 3, 0, 9, 34, 4, 0, 13, 47, 15, 3, 22, 0, 2, 0, 36, 17, 2, 24, 20, 1, 64, 6, 2, 0, 2, 3, 2, 14, 2, 9, 8, 46, 39, 7, 3, 1, 3, 21, 2, 6, 2, 1, 2, 4, 4, 0, 19, 0, 13, 4, 159, 52, 19, 3, 21, 2, 31, 47, 21, 1, 2, 0, 185, 46, 42, 3, 37, 47, 21, 0, 60, 42, 14, 0, 72, 26, 38, 6, 186, 43, 117, 63, 32, 7, 3, 0, 3, 7, 2, 1, 2, 23, 16, 0, 2, 0, 95, 7, 3, 38, 17, 0, 2, 0, 29, 0, 11, 39, 8, 0, 22, 0, 12, 45, 20, 0, 19, 72, 264, 8, 2, 36, 18, 0, 50, 29, 113, 6, 2, 1, 2, 37, 22, 0, 26, 5, 2, 1, 2, 31, 15, 0, 328, 18, 16, 0, 2, 12, 2, 33, 125, 0, 80, 921, 103, 110, 18, 195, 2637, 96, 16, 1071, 18, 5, 4026, 582, 8634, 568, 8, 30, 18, 78, 18, 29, 19, 47, 17, 3, 32, 20, 6, 18, 689, 63, 129, 74, 6, 0, 67, 12, 65, 1, 2, 0, 29, 6135, 9, 1237, 43, 8, 8936, 3, 2, 6, 2, 1, 2, 290, 16, 0, 30, 2, 3, 0, 15, 3, 9, 395, 2309, 106, 6, 12, 4, 8, 8, 9, 5991, 84, 2, 70, 2, 1, 3, 0, 3, 1, 3, 3, 2, 11, 2, 0, 2, 6, 2, 64, 2, 3, 3, 7, 2, 6, 2, 27, 2, 3, 2, 4, 2, 0, 4, 6, 2, 339, 3, 24, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 30, 2, 24, 2, 7, 1845, 30, 7, 5, 262, 61, 147, 44, 11, 6, 17, 0, 322, 29, 19, 43, 485, 27, 757, 6, 2, 3, 2, 1, 2, 14, 2, 196, 60, 67, 8, 0, 1205, 3, 2, 26, 2, 1, 2, 0, 3, 0, 2, 9, 2, 3, 2, 0, 2, 0, 7, 0, 5, 0, 2, 0, 2, 0, 2, 2, 2, 1, 2, 0, 3, 0, 2, 0, 2, 0, 2, 0, 2, 0, 2, 1, 2, 0, 3, 3, 2, 6, 2, 3, 2, 3, 2, 0, 2, 9, 2, 16, 6, 2, 2, 4, 2, 16, 4421, 42719, 33, 4153, 7, 221, 3, 5761, 15, 7472, 16, 621, 2467, 541, 1507, 4938, 6, 4191];
      var nonASCIIidentifierChars = "\u200C\u200D\xB7\u0300-\u036F\u0387\u0483-\u0487\u0591-\u05BD\u05BF\u05C1\u05C2\u05C4\u05C5\u05C7\u0610-\u061A\u064B-\u0669\u0670\u06D6-\u06DC\u06DF-\u06E4\u06E7\u06E8\u06EA-\u06ED\u06F0-\u06F9\u0711\u0730-\u074A\u07A6-\u07B0\u07C0-\u07C9\u07EB-\u07F3\u07FD\u0816-\u0819\u081B-\u0823\u0825-\u0827\u0829-\u082D\u0859-\u085B\u0898-\u089F\u08CA-\u08E1\u08E3-\u0903\u093A-\u093C\u093E-\u094F\u0951-\u0957\u0962\u0963\u0966-\u096F\u0981-\u0983\u09BC\u09BE-\u09C4\u09C7\u09C8\u09CB-\u09CD\u09D7\u09E2\u09E3\u09E6-\u09EF\u09FE\u0A01-\u0A03\u0A3C\u0A3E-\u0A42\u0A47\u0A48\u0A4B-\u0A4D\u0A51\u0A66-\u0A71\u0A75\u0A81-\u0A83\u0ABC\u0ABE-\u0AC5\u0AC7-\u0AC9\u0ACB-\u0ACD\u0AE2\u0AE3\u0AE6-\u0AEF\u0AFA-\u0AFF\u0B01-\u0B03\u0B3C\u0B3E-\u0B44\u0B47\u0B48\u0B4B-\u0B4D\u0B55-\u0B57\u0B62\u0B63\u0B66-\u0B6F\u0B82\u0BBE-\u0BC2\u0BC6-\u0BC8\u0BCA-\u0BCD\u0BD7\u0BE6-\u0BEF\u0C00-\u0C04\u0C3C\u0C3E-\u0C44\u0C46-\u0C48\u0C4A-\u0C4D\u0C55\u0C56\u0C62\u0C63\u0C66-\u0C6F\u0C81-\u0C83\u0CBC\u0CBE-\u0CC4\u0CC6-\u0CC8\u0CCA-\u0CCD\u0CD5\u0CD6\u0CE2\u0CE3\u0CE6-\u0CEF\u0CF3\u0D00-\u0D03\u0D3B\u0D3C\u0D3E-\u0D44\u0D46-\u0D48\u0D4A-\u0D4D\u0D57\u0D62\u0D63\u0D66-\u0D6F\u0D81-\u0D83\u0DCA\u0DCF-\u0DD4\u0DD6\u0DD8-\u0DDF\u0DE6-\u0DEF\u0DF2\u0DF3\u0E31\u0E34-\u0E3A\u0E47-\u0E4E\u0E50-\u0E59\u0EB1\u0EB4-\u0EBC\u0EC8-\u0ECE\u0ED0-\u0ED9\u0F18\u0F19\u0F20-\u0F29\u0F35\u0F37\u0F39\u0F3E\u0F3F\u0F71-\u0F84\u0F86\u0F87\u0F8D-\u0F97\u0F99-\u0FBC\u0FC6\u102B-\u103E\u1040-\u1049\u1056-\u1059\u105E-\u1060\u1062-\u1064\u1067-\u106D\u1071-\u1074\u1082-\u108D\u108F-\u109D\u135D-\u135F\u1369-\u1371\u1712-\u1715\u1732-\u1734\u1752\u1753\u1772\u1773\u17B4-\u17D3\u17DD\u17E0-\u17E9\u180B-\u180D\u180F-\u1819\u18A9\u1920-\u192B\u1930-\u193B\u1946-\u194F\u19D0-\u19DA\u1A17-\u1A1B\u1A55-\u1A5E\u1A60-\u1A7C\u1A7F-\u1A89\u1A90-\u1A99\u1AB0-\u1ABD\u1ABF-\u1ACE\u1B00-\u1B04\u1B34-\u1B44\u1B50-\u1B59\u1B6B-\u1B73\u1B80-\u1B82\u1BA1-\u1BAD\u1BB0-\u1BB9\u1BE6-\u1BF3\u1C24-\u1C37\u1C40-\u1C49\u1C50-\u1C59\u1CD0-\u1CD2\u1CD4-\u1CE8\u1CED\u1CF4\u1CF7-\u1CF9\u1DC0-\u1DFF\u200C\u200D\u203F\u2040\u2054\u20D0-\u20DC\u20E1\u20E5-\u20F0\u2CEF-\u2CF1\u2D7F\u2DE0-\u2DFF\u302A-\u302F\u3099\u309A\u30FB\uA620-\uA629\uA66F\uA674-\uA67D\uA69E\uA69F\uA6F0\uA6F1\uA802\uA806\uA80B\uA823-\uA827\uA82C\uA880\uA881\uA8B4-\uA8C5\uA8D0-\uA8D9\uA8E0-\uA8F1\uA8FF-\uA909\uA926-\uA92D\uA947-\uA953\uA980-\uA983\uA9B3-\uA9C0\uA9D0-\uA9D9\uA9E5\uA9F0-\uA9F9\uAA29-\uAA36\uAA43\uAA4C\uAA4D\uAA50-\uAA59\uAA7B-\uAA7D\uAAB0\uAAB2-\uAAB4\uAAB7\uAAB8\uAABE\uAABF\uAAC1\uAAEB-\uAAEF\uAAF5\uAAF6\uABE3-\uABEA\uABEC\uABED\uABF0-\uABF9\uFB1E\uFE00-\uFE0F\uFE20-\uFE2F\uFE33\uFE34\uFE4D-\uFE4F\uFF10-\uFF19\uFF3F\uFF65";
      var nonASCIIidentifierStartChars = "\xAA\xB5\xBA\xC0-\xD6\xD8-\xF6\xF8-\u02C1\u02C6-\u02D1\u02E0-\u02E4\u02EC\u02EE\u0370-\u0374\u0376\u0377\u037A-\u037D\u037F\u0386\u0388-\u038A\u038C\u038E-\u03A1\u03A3-\u03F5\u03F7-\u0481\u048A-\u052F\u0531-\u0556\u0559\u0560-\u0588\u05D0-\u05EA\u05EF-\u05F2\u0620-\u064A\u066E\u066F\u0671-\u06D3\u06D5\u06E5\u06E6\u06EE\u06EF\u06FA-\u06FC\u06FF\u0710\u0712-\u072F\u074D-\u07A5\u07B1\u07CA-\u07EA\u07F4\u07F5\u07FA\u0800-\u0815\u081A\u0824\u0828\u0840-\u0858\u0860-\u086A\u0870-\u0887\u0889-\u088E\u08A0-\u08C9\u0904-\u0939\u093D\u0950\u0958-\u0961\u0971-\u0980\u0985-\u098C\u098F\u0990\u0993-\u09A8\u09AA-\u09B0\u09B2\u09B6-\u09B9\u09BD\u09CE\u09DC\u09DD\u09DF-\u09E1\u09F0\u09F1\u09FC\u0A05-\u0A0A\u0A0F\u0A10\u0A13-\u0A28\u0A2A-\u0A30\u0A32\u0A33\u0A35\u0A36\u0A38\u0A39\u0A59-\u0A5C\u0A5E\u0A72-\u0A74\u0A85-\u0A8D\u0A8F-\u0A91\u0A93-\u0AA8\u0AAA-\u0AB0\u0AB2\u0AB3\u0AB5-\u0AB9\u0ABD\u0AD0\u0AE0\u0AE1\u0AF9\u0B05-\u0B0C\u0B0F\u0B10\u0B13-\u0B28\u0B2A-\u0B30\u0B32\u0B33\u0B35-\u0B39\u0B3D\u0B5C\u0B5D\u0B5F-\u0B61\u0B71\u0B83\u0B85-\u0B8A\u0B8E-\u0B90\u0B92-\u0B95\u0B99\u0B9A\u0B9C\u0B9E\u0B9F\u0BA3\u0BA4\u0BA8-\u0BAA\u0BAE-\u0BB9\u0BD0\u0C05-\u0C0C\u0C0E-\u0C10\u0C12-\u0C28\u0C2A-\u0C39\u0C3D\u0C58-\u0C5A\u0C5D\u0C60\u0C61\u0C80\u0C85-\u0C8C\u0C8E-\u0C90\u0C92-\u0CA8\u0CAA-\u0CB3\u0CB5-\u0CB9\u0CBD\u0CDD\u0CDE\u0CE0\u0CE1\u0CF1\u0CF2\u0D04-\u0D0C\u0D0E-\u0D10\u0D12-\u0D3A\u0D3D\u0D4E\u0D54-\u0D56\u0D5F-\u0D61\u0D7A-\u0D7F\u0D85-\u0D96\u0D9A-\u0DB1\u0DB3-\u0DBB\u0DBD\u0DC0-\u0DC6\u0E01-\u0E30\u0E32\u0E33\u0E40-\u0E46\u0E81\u0E82\u0E84\u0E86-\u0E8A\u0E8C-\u0EA3\u0EA5\u0EA7-\u0EB0\u0EB2\u0EB3\u0EBD\u0EC0-\u0EC4\u0EC6\u0EDC-\u0EDF\u0F00\u0F40-\u0F47\u0F49-\u0F6C\u0F88-\u0F8C\u1000-\u102A\u103F\u1050-\u1055\u105A-\u105D\u1061\u1065\u1066\u106E-\u1070\u1075-\u1081\u108E\u10A0-\u10C5\u10C7\u10CD\u10D0-\u10FA\u10FC-\u1248\u124A-\u124D\u1250-\u1256\u1258\u125A-\u125D\u1260-\u1288\u128A-\u128D\u1290-\u12B0\u12B2-\u12B5\u12B8-\u12BE\u12C0\u12C2-\u12C5\u12C8-\u12D6\u12D8-\u1310\u1312-\u1315\u1318-\u135A\u1380-\u138F\u13A0-\u13F5\u13F8-\u13FD\u1401-\u166C\u166F-\u167F\u1681-\u169A\u16A0-\u16EA\u16EE-\u16F8\u1700-\u1711\u171F-\u1731\u1740-\u1751\u1760-\u176C\u176E-\u1770\u1780-\u17B3\u17D7\u17DC\u1820-\u1878\u1880-\u18A8\u18AA\u18B0-\u18F5\u1900-\u191E\u1950-\u196D\u1970-\u1974\u1980-\u19AB\u19B0-\u19C9\u1A00-\u1A16\u1A20-\u1A54\u1AA7\u1B05-\u1B33\u1B45-\u1B4C\u1B83-\u1BA0\u1BAE\u1BAF\u1BBA-\u1BE5\u1C00-\u1C23\u1C4D-\u1C4F\u1C5A-\u1C7D\u1C80-\u1C88\u1C90-\u1CBA\u1CBD-\u1CBF\u1CE9-\u1CEC\u1CEE-\u1CF3\u1CF5\u1CF6\u1CFA\u1D00-\u1DBF\u1E00-\u1F15\u1F18-\u1F1D\u1F20-\u1F45\u1F48-\u1F4D\u1F50-\u1F57\u1F59\u1F5B\u1F5D\u1F5F-\u1F7D\u1F80-\u1FB4\u1FB6-\u1FBC\u1FBE\u1FC2-\u1FC4\u1FC6-\u1FCC\u1FD0-\u1FD3\u1FD6-\u1FDB\u1FE0-\u1FEC\u1FF2-\u1FF4\u1FF6-\u1FFC\u2071\u207F\u2090-\u209C\u2102\u2107\u210A-\u2113\u2115\u2118-\u211D\u2124\u2126\u2128\u212A-\u2139\u213C-\u213F\u2145-\u2149\u214E\u2160-\u2188\u2C00-\u2CE4\u2CEB-\u2CEE\u2CF2\u2CF3\u2D00-\u2D25\u2D27\u2D2D\u2D30-\u2D67\u2D6F\u2D80-\u2D96\u2DA0-\u2DA6\u2DA8-\u2DAE\u2DB0-\u2DB6\u2DB8-\u2DBE\u2DC0-\u2DC6\u2DC8-\u2DCE\u2DD0-\u2DD6\u2DD8-\u2DDE\u3005-\u3007\u3021-\u3029\u3031-\u3035\u3038-\u303C\u3041-\u3096\u309B-\u309F\u30A1-\u30FA\u30FC-\u30FF\u3105-\u312F\u3131-\u318E\u31A0-\u31BF\u31F0-\u31FF\u3400-\u4DBF\u4E00-\uA48C\uA4D0-\uA4FD\uA500-\uA60C\uA610-\uA61F\uA62A\uA62B\uA640-\uA66E\uA67F-\uA69D\uA6A0-\uA6EF\uA717-\uA71F\uA722-\uA788\uA78B-\uA7CA\uA7D0\uA7D1\uA7D3\uA7D5-\uA7D9\uA7F2-\uA801\uA803-\uA805\uA807-\uA80A\uA80C-\uA822\uA840-\uA873\uA882-\uA8B3\uA8F2-\uA8F7\uA8FB\uA8FD\uA8FE\uA90A-\uA925\uA930-\uA946\uA960-\uA97C\uA984-\uA9B2\uA9CF\uA9E0-\uA9E4\uA9E6-\uA9EF\uA9FA-\uA9FE\uAA00-\uAA28\uAA40-\uAA42\uAA44-\uAA4B\uAA60-\uAA76\uAA7A\uAA7E-\uAAAF\uAAB1\uAAB5\uAAB6\uAAB9-\uAABD\uAAC0\uAAC2\uAADB-\uAADD\uAAE0-\uAAEA\uAAF2-\uAAF4\uAB01-\uAB06\uAB09-\uAB0E\uAB11-\uAB16\uAB20-\uAB26\uAB28-\uAB2E\uAB30-\uAB5A\uAB5C-\uAB69\uAB70-\uABE2\uAC00-\uD7A3\uD7B0-\uD7C6\uD7CB-\uD7FB\uF900-\uFA6D\uFA70-\uFAD9\uFB00-\uFB06\uFB13-\uFB17\uFB1D\uFB1F-\uFB28\uFB2A-\uFB36\uFB38-\uFB3C\uFB3E\uFB40\uFB41\uFB43\uFB44\uFB46-\uFBB1\uFBD3-\uFD3D\uFD50-\uFD8F\uFD92-\uFDC7\uFDF0-\uFDFB\uFE70-\uFE74\uFE76-\uFEFC\uFF21-\uFF3A\uFF41-\uFF5A\uFF66-\uFFBE\uFFC2-\uFFC7\uFFCA-\uFFCF\uFFD2-\uFFD7\uFFDA-\uFFDC";
      var reservedWords = {
        3: "abstract boolean byte char class double enum export extends final float goto implements import int interface long native package private protected public short static super synchronized throws transient volatile",
        5: "class enum extends super const export import",
        6: "enum",
        strict: "implements interface let package private protected public static yield",
        strictBind: "eval arguments"
      };
      var ecma5AndLessKeywords = "break case catch continue debugger default do else finally for function if return switch throw try var while with null true false instanceof typeof void delete new in this";
      var keywords$1 = {
        5: ecma5AndLessKeywords,
        "5module": ecma5AndLessKeywords + " export import",
        6: ecma5AndLessKeywords + " const class extends export import super"
      };
      var keywordRelationalOperator = /^in(stanceof)?$/;
      var nonASCIIidentifierStart = new RegExp("[" + nonASCIIidentifierStartChars + "]");
      var nonASCIIidentifier = new RegExp("[" + nonASCIIidentifierStartChars + nonASCIIidentifierChars + "]");
      function isInAstralSet(code, set) {
        var pos = 65536;
        for (var i2 = 0; i2 < set.length; i2 += 2) {
          pos += set[i2];
          if (pos > code) {
            return false;
          }
          pos += set[i2 + 1];
          if (pos >= code) {
            return true;
          }
        }
        return false;
      }
      function isIdentifierStart(code, astral) {
        if (code < 65) {
          return code === 36;
        }
        if (code < 91) {
          return true;
        }
        if (code < 97) {
          return code === 95;
        }
        if (code < 123) {
          return true;
        }
        if (code <= 65535) {
          return code >= 170 && nonASCIIidentifierStart.test(String.fromCharCode(code));
        }
        if (astral === false) {
          return false;
        }
        return isInAstralSet(code, astralIdentifierStartCodes);
      }
      function isIdentifierChar(code, astral) {
        if (code < 48) {
          return code === 36;
        }
        if (code < 58) {
          return true;
        }
        if (code < 65) {
          return false;
        }
        if (code < 91) {
          return true;
        }
        if (code < 97) {
          return code === 95;
        }
        if (code < 123) {
          return true;
        }
        if (code <= 65535) {
          return code >= 170 && nonASCIIidentifier.test(String.fromCharCode(code));
        }
        if (astral === false) {
          return false;
        }
        return isInAstralSet(code, astralIdentifierStartCodes) || isInAstralSet(code, astralIdentifierCodes);
      }
      var TokenType = function TokenType2(label, conf) {
        if (conf === void 0) conf = {};
        this.label = label;
        this.keyword = conf.keyword;
        this.beforeExpr = !!conf.beforeExpr;
        this.startsExpr = !!conf.startsExpr;
        this.isLoop = !!conf.isLoop;
        this.isAssign = !!conf.isAssign;
        this.prefix = !!conf.prefix;
        this.postfix = !!conf.postfix;
        this.binop = conf.binop || null;
        this.updateContext = null;
      };
      function binop(name, prec) {
        return new TokenType(name, { beforeExpr: true, binop: prec });
      }
      var beforeExpr = { beforeExpr: true }, startsExpr = { startsExpr: true };
      var keywords = {};
      function kw(name, options) {
        if (options === void 0) options = {};
        options.keyword = name;
        return keywords[name] = new TokenType(name, options);
      }
      var types$1 = {
        num: new TokenType("num", startsExpr),
        regexp: new TokenType("regexp", startsExpr),
        string: new TokenType("string", startsExpr),
        name: new TokenType("name", startsExpr),
        privateId: new TokenType("privateId", startsExpr),
        eof: new TokenType("eof"),
        // Punctuation token types.
        bracketL: new TokenType("[", { beforeExpr: true, startsExpr: true }),
        bracketR: new TokenType("]"),
        braceL: new TokenType("{", { beforeExpr: true, startsExpr: true }),
        braceR: new TokenType("}"),
        parenL: new TokenType("(", { beforeExpr: true, startsExpr: true }),
        parenR: new TokenType(")"),
        comma: new TokenType(",", beforeExpr),
        semi: new TokenType(";", beforeExpr),
        colon: new TokenType(":", beforeExpr),
        dot: new TokenType("."),
        question: new TokenType("?", beforeExpr),
        questionDot: new TokenType("?."),
        arrow: new TokenType("=>", beforeExpr),
        template: new TokenType("template"),
        invalidTemplate: new TokenType("invalidTemplate"),
        ellipsis: new TokenType("...", beforeExpr),
        backQuote: new TokenType("`", startsExpr),
        dollarBraceL: new TokenType("${", { beforeExpr: true, startsExpr: true }),
        // Operators. These carry several kinds of properties to help the
        // parser use them properly (the presence of these properties is
        // what categorizes them as operators).
        //
        // `binop`, when present, specifies that this operator is a binary
        // operator, and will refer to its precedence.
        //
        // `prefix` and `postfix` mark the operator as a prefix or postfix
        // unary operator.
        //
        // `isAssign` marks all of `=`, `+=`, `-=` etcetera, which act as
        // binary operators with a very low precedence, that should result
        // in AssignmentExpression nodes.
        eq: new TokenType("=", { beforeExpr: true, isAssign: true }),
        assign: new TokenType("_=", { beforeExpr: true, isAssign: true }),
        incDec: new TokenType("++/--", { prefix: true, postfix: true, startsExpr: true }),
        prefix: new TokenType("!/~", { beforeExpr: true, prefix: true, startsExpr: true }),
        logicalOR: binop("||", 1),
        logicalAND: binop("&&", 2),
        bitwiseOR: binop("|", 3),
        bitwiseXOR: binop("^", 4),
        bitwiseAND: binop("&", 5),
        equality: binop("==/!=/===/!==", 6),
        relational: binop("/<=/>=", 7),
        bitShift: binop("<>/>>>", 8),
        plusMin: new TokenType("+/-", { beforeExpr: true, binop: 9, prefix: true, startsExpr: true }),
        modulo: binop("%", 10),
        star: binop("*", 10),
        slash: binop("/", 10),
        starstar: new TokenType("**", { beforeExpr: true }),
        coalesce: binop("??", 1),
        // Keyword token types.
        _break: kw("break"),
        _case: kw("case", beforeExpr),
        _catch: kw("catch"),
        _continue: kw("continue"),
        _debugger: kw("debugger"),
        _default: kw("default", beforeExpr),
        _do: kw("do", { isLoop: true, beforeExpr: true }),
        _else: kw("else", beforeExpr),
        _finally: kw("finally"),
        _for: kw("for", { isLoop: true }),
        _function: kw("function", startsExpr),
        _if: kw("if"),
        _return: kw("return", beforeExpr),
        _switch: kw("switch"),
        _throw: kw("throw", beforeExpr),
        _try: kw("try"),
        _var: kw("var"),
        _const: kw("const"),
        _while: kw("while", { isLoop: true }),
        _with: kw("with"),
        _new: kw("new", { beforeExpr: true, startsExpr: true }),
        _this: kw("this", startsExpr),
        _super: kw("super", startsExpr),
        _class: kw("class", startsExpr),
        _extends: kw("extends", beforeExpr),
        _export: kw("export"),
        _import: kw("import", startsExpr),
        _null: kw("null", startsExpr),
        _true: kw("true", startsExpr),
        _false: kw("false", startsExpr),
        _in: kw("in", { beforeExpr: true, binop: 7 }),
        _instanceof: kw("instanceof", { beforeExpr: true, binop: 7 }),
        _typeof: kw("typeof", { beforeExpr: true, prefix: true, startsExpr: true }),
        _void: kw("void", { beforeExpr: true, prefix: true, startsExpr: true }),
        _delete: kw("delete", { beforeExpr: true, prefix: true, startsExpr: true })
      };
      var lineBreak = /\r\n?|\n|\u2028|\u2029/;
      var lineBreakG = new RegExp(lineBreak.source, "g");
      function isNewLine(code) {
        return code === 10 || code === 13 || code === 8232 || code === 8233;
      }
      function nextLineBreak(code, from, end) {
        if (end === void 0) end = code.length;
        for (var i2 = from; i2 < end; i2++) {
          var next = code.charCodeAt(i2);
          if (isNewLine(next)) {
            return i2 < end - 1 && next === 13 && code.charCodeAt(i2 + 1) === 10 ? i2 + 2 : i2 + 1;
          }
        }
        return -1;
      }
      var nonASCIIwhitespace = /[\u1680\u2000-\u200a\u202f\u205f\u3000\ufeff]/;
      var skipWhiteSpace = /(?:\s|\/\/.*|\/\*[^]*?\*\/)*/g;
      var ref = Object.prototype;
      var hasOwnProperty10 = ref.hasOwnProperty;
      var toString2 = ref.toString;
      var hasOwn = Object.hasOwn || function(obj, propName) {
        return hasOwnProperty10.call(obj, propName);
      };
      var isArray3 = Array.isArray || function(obj) {
        return toString2.call(obj) === "[object Array]";
      };
      var regexpCache = /* @__PURE__ */ Object.create(null);
      function wordsRegexp(words2) {
        return regexpCache[words2] || (regexpCache[words2] = new RegExp("^(?:" + words2.replace(/ /g, "|") + ")$"));
      }
      function codePointToString(code) {
        if (code <= 65535) {
          return String.fromCharCode(code);
        }
        code -= 65536;
        return String.fromCharCode((code >> 10) + 55296, (code & 1023) + 56320);
      }
      var loneSurrogate = /(?:[\uD800-\uDBFF](?![\uDC00-\uDFFF])|(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF])/;
      var Position = function Position2(line, col) {
        this.line = line;
        this.column = col;
      };
      Position.prototype.offset = function offset(n) {
        return new Position(this.line, this.column + n);
      };
      var SourceLocation = function SourceLocation2(p, start, end) {
        this.start = start;
        this.end = end;
        if (p.sourceFile !== null) {
          this.source = p.sourceFile;
        }
      };
      function getLineInfo(input, offset) {
        for (var line = 1, cur = 0; ; ) {
          var nextBreak = nextLineBreak(input, cur, offset);
          if (nextBreak < 0) {
            return new Position(line, offset - cur);
          }
          ++line;
          cur = nextBreak;
        }
      }
      var defaultOptions2 = {
        // `ecmaVersion` indicates the ECMAScript version to parse. Must be
        // either 3, 5, 6 (or 2015), 7 (2016), 8 (2017), 9 (2018), 10
        // (2019), 11 (2020), 12 (2021), 13 (2022), 14 (2023), or `"latest"`
        // (the latest version the library supports). This influences
        // support for strict mode, the set of reserved words, and support
        // for new syntax features.
        ecmaVersion: null,
        // `sourceType` indicates the mode the code should be parsed in.
        // Can be either `"script"` or `"module"`. This influences global
        // strict mode and parsing of `import` and `export` declarations.
        sourceType: "script",
        // `onInsertedSemicolon` can be a callback that will be called when
        // a semicolon is automatically inserted. It will be passed the
        // position of the inserted semicolon as an offset, and if
        // `locations` is enabled, it is given the location as a `{line,
        // column}` object as second argument.
        onInsertedSemicolon: null,
        // `onTrailingComma` is similar to `onInsertedSemicolon`, but for
        // trailing commas.
        onTrailingComma: null,
        // By default, reserved words are only enforced if ecmaVersion >= 5.
        // Set `allowReserved` to a boolean value to explicitly turn this on
        // an off. When this option has the value "never", reserved words
        // and keywords can also not be used as property names.
        allowReserved: null,
        // When enabled, a return at the top level is not considered an
        // error.
        allowReturnOutsideFunction: false,
        // When enabled, import/export statements are not constrained to
        // appearing at the top of the program, and an import.meta expression
        // in a script isn't considered an error.
        allowImportExportEverywhere: false,
        // By default, await identifiers are allowed to appear at the top-level scope only if ecmaVersion >= 2022.
        // When enabled, await identifiers are allowed to appear at the top-level scope,
        // but they are still not allowed in non-async functions.
        allowAwaitOutsideFunction: null,
        // When enabled, super identifiers are not constrained to
        // appearing in methods and do not raise an error when they appear elsewhere.
        allowSuperOutsideMethod: null,
        // When enabled, hashbang directive in the beginning of file is
        // allowed and treated as a line comment. Enabled by default when
        // `ecmaVersion` >= 2023.
        allowHashBang: false,
        // By default, the parser will verify that private properties are
        // only used in places where they are valid and have been declared.
        // Set this to false to turn such checks off.
        checkPrivateFields: true,
        // When `locations` is on, `loc` properties holding objects with
        // `start` and `end` properties in `{line, column}` form (with
        // line being 1-based and column 0-based) will be attached to the
        // nodes.
        locations: false,
        // A function can be passed as `onToken` option, which will
        // cause Acorn to call that function with object in the same
        // format as tokens returned from `tokenizer().getToken()`. Note
        // that you are not allowed to call the parser from the
        // callback—that will corrupt its internal state.
        onToken: null,
        // A function can be passed as `onComment` option, which will
        // cause Acorn to call that function with `(block, text, start,
        // end)` parameters whenever a comment is skipped. `block` is a
        // boolean indicating whether this is a block (`/* */`) comment,
        // `text` is the content of the comment, and `start` and `end` are
        // character offsets that denote the start and end of the comment.
        // When the `locations` option is on, two more parameters are
        // passed, the full `{line, column}` locations of the start and
        // end of the comments. Note that you are not allowed to call the
        // parser from the callback—that will corrupt its internal state.
        // When this option has an array as value, objects representing the
        // comments are pushed to it.
        onComment: null,
        // Nodes have their start and end characters offsets recorded in
        // `start` and `end` properties (directly on the node, rather than
        // the `loc` object, which holds line/column data. To also add a
        // [semi-standardized][range] `range` property holding a `[start,
        // end]` array with the same numbers, set the `ranges` option to
        // `true`.
        //
        // [range]: https://bugzilla.mozilla.org/show_bug.cgi?id=745678
        ranges: false,
        // It is possible to parse multiple files into a single AST by
        // passing the tree produced by parsing the first file as
        // `program` option in subsequent parses. This will add the
        // toplevel forms of the parsed file to the `Program` (top) node
        // of an existing parse tree.
        program: null,
        // When `locations` is on, you can pass this to record the source
        // file in every node's `loc` object.
        sourceFile: null,
        // This value, if given, is stored in every node, whether
        // `locations` is on or off.
        directSourceFile: null,
        // When enabled, parenthesized expressions are represented by
        // (non-standard) ParenthesizedExpression nodes
        preserveParens: false
      };
      var warnedAboutEcmaVersion = false;
      function getOptions(opts) {
        var options = {};
        for (var opt in defaultOptions2) {
          options[opt] = opts && hasOwn(opts, opt) ? opts[opt] : defaultOptions2[opt];
        }
        if (options.ecmaVersion === "latest") {
          options.ecmaVersion = 1e8;
        } else if (options.ecmaVersion == null) {
          if (!warnedAboutEcmaVersion && typeof console === "object" && console.warn) {
            warnedAboutEcmaVersion = true;
            console.warn("Since Acorn 8.0.0, options.ecmaVersion is required.\nDefaulting to 2020, but this will stop working in the future.");
          }
          options.ecmaVersion = 11;
        } else if (options.ecmaVersion >= 2015) {
          options.ecmaVersion -= 2009;
        }
        if (options.allowReserved == null) {
          options.allowReserved = options.ecmaVersion < 5;
        }
        if (!opts || opts.allowHashBang == null) {
          options.allowHashBang = options.ecmaVersion >= 14;
        }
        if (isArray3(options.onToken)) {
          var tokens = options.onToken;
          options.onToken = function(token) {
            return tokens.push(token);
          };
        }
        if (isArray3(options.onComment)) {
          options.onComment = pushComment(options, options.onComment);
        }
        return options;
      }
      function pushComment(options, array) {
        return function(block, text, start, end, startLoc, endLoc) {
          var comment = {
            type: block ? "Block" : "Line",
            value: text,
            start,
            end
          };
          if (options.locations) {
            comment.loc = new SourceLocation(this, startLoc, endLoc);
          }
          if (options.ranges) {
            comment.range = [start, end];
          }
          array.push(comment);
        };
      }
      var SCOPE_TOP = 1, SCOPE_FUNCTION = 2, SCOPE_ASYNC = 4, SCOPE_GENERATOR = 8, SCOPE_ARROW = 16, SCOPE_SIMPLE_CATCH = 32, SCOPE_SUPER = 64, SCOPE_DIRECT_SUPER = 128, SCOPE_CLASS_STATIC_BLOCK = 256, SCOPE_VAR = SCOPE_TOP | SCOPE_FUNCTION | SCOPE_CLASS_STATIC_BLOCK;
      function functionFlags(async, generator) {
        return SCOPE_FUNCTION | (async ? SCOPE_ASYNC : 0) | (generator ? SCOPE_GENERATOR : 0);
      }
      var BIND_NONE = 0, BIND_VAR = 1, BIND_LEXICAL = 2, BIND_FUNCTION = 3, BIND_SIMPLE_CATCH = 4, BIND_OUTSIDE = 5;
      var Parser = function Parser2(options, input, startPos) {
        this.options = options = getOptions(options);
        this.sourceFile = options.sourceFile;
        this.keywords = wordsRegexp(keywords$1[options.ecmaVersion >= 6 ? 6 : options.sourceType === "module" ? "5module" : 5]);
        var reserved = "";
        if (options.allowReserved !== true) {
          reserved = reservedWords[options.ecmaVersion >= 6 ? 6 : options.ecmaVersion === 5 ? 5 : 3];
          if (options.sourceType === "module") {
            reserved += " await";
          }
        }
        this.reservedWords = wordsRegexp(reserved);
        var reservedStrict = (reserved ? reserved + " " : "") + reservedWords.strict;
        this.reservedWordsStrict = wordsRegexp(reservedStrict);
        this.reservedWordsStrictBind = wordsRegexp(reservedStrict + " " + reservedWords.strictBind);
        this.input = String(input);
        this.containsEsc = false;
        if (startPos) {
          this.pos = startPos;
          this.lineStart = this.input.lastIndexOf("\n", startPos - 1) + 1;
          this.curLine = this.input.slice(0, this.lineStart).split(lineBreak).length;
        } else {
          this.pos = this.lineStart = 0;
          this.curLine = 1;
        }
        this.type = types$1.eof;
        this.value = null;
        this.start = this.end = this.pos;
        this.startLoc = this.endLoc = this.curPosition();
        this.lastTokEndLoc = this.lastTokStartLoc = null;
        this.lastTokStart = this.lastTokEnd = this.pos;
        this.context = this.initialContext();
        this.exprAllowed = true;
        this.inModule = options.sourceType === "module";
        this.strict = this.inModule || this.strictDirective(this.pos);
        this.potentialArrowAt = -1;
        this.potentialArrowInForAwait = false;
        this.yieldPos = this.awaitPos = this.awaitIdentPos = 0;
        this.labels = [];
        this.undefinedExports = /* @__PURE__ */ Object.create(null);
        if (this.pos === 0 && options.allowHashBang && this.input.slice(0, 2) === "#!") {
          this.skipLineComment(2);
        }
        this.scopeStack = [];
        this.enterScope(SCOPE_TOP);
        this.regexpState = null;
        this.privateNameStack = [];
      };
      var prototypeAccessors = { inFunction: { configurable: true }, inGenerator: { configurable: true }, inAsync: { configurable: true }, canAwait: { configurable: true }, allowSuper: { configurable: true }, allowDirectSuper: { configurable: true }, treatFunctionsAsVar: { configurable: true }, allowNewDotTarget: { configurable: true }, inClassStaticBlock: { configurable: true } };
      Parser.prototype.parse = function parse3() {
        var node = this.options.program || this.startNode();
        this.nextToken();
        return this.parseTopLevel(node);
      };
      prototypeAccessors.inFunction.get = function() {
        return (this.currentVarScope().flags & SCOPE_FUNCTION) > 0;
      };
      prototypeAccessors.inGenerator.get = function() {
        return (this.currentVarScope().flags & SCOPE_GENERATOR) > 0 && !this.currentVarScope().inClassFieldInit;
      };
      prototypeAccessors.inAsync.get = function() {
        return (this.currentVarScope().flags & SCOPE_ASYNC) > 0 && !this.currentVarScope().inClassFieldInit;
      };
      prototypeAccessors.canAwait.get = function() {
        for (var i2 = this.scopeStack.length - 1; i2 >= 0; i2--) {
          var scope = this.scopeStack[i2];
          if (scope.inClassFieldInit || scope.flags & SCOPE_CLASS_STATIC_BLOCK) {
            return false;
          }
          if (scope.flags & SCOPE_FUNCTION) {
            return (scope.flags & SCOPE_ASYNC) > 0;
          }
        }
        return this.inModule && this.options.ecmaVersion >= 13 || this.options.allowAwaitOutsideFunction;
      };
      prototypeAccessors.allowSuper.get = function() {
        var ref2 = this.currentThisScope();
        var flags = ref2.flags;
        var inClassFieldInit = ref2.inClassFieldInit;
        return (flags & SCOPE_SUPER) > 0 || inClassFieldInit || this.options.allowSuperOutsideMethod;
      };
      prototypeAccessors.allowDirectSuper.get = function() {
        return (this.currentThisScope().flags & SCOPE_DIRECT_SUPER) > 0;
      };
      prototypeAccessors.treatFunctionsAsVar.get = function() {
        return this.treatFunctionsAsVarInScope(this.currentScope());
      };
      prototypeAccessors.allowNewDotTarget.get = function() {
        var ref2 = this.currentThisScope();
        var flags = ref2.flags;
        var inClassFieldInit = ref2.inClassFieldInit;
        return (flags & (SCOPE_FUNCTION | SCOPE_CLASS_STATIC_BLOCK)) > 0 || inClassFieldInit;
      };
      prototypeAccessors.inClassStaticBlock.get = function() {
        return (this.currentVarScope().flags & SCOPE_CLASS_STATIC_BLOCK) > 0;
      };
      Parser.extend = function extend() {
        var plugins = [], len = arguments.length;
        while (len--) plugins[len] = arguments[len];
        var cls = this;
        for (var i2 = 0; i2 < plugins.length; i2++) {
          cls = plugins[i2](cls);
        }
        return cls;
      };
      Parser.parse = function parse3(input, options) {
        return new this(options, input).parse();
      };
      Parser.parseExpressionAt = function parseExpressionAt2(input, pos, options) {
        var parser = new this(options, input, pos);
        parser.nextToken();
        return parser.parseExpression();
      };
      Parser.tokenizer = function tokenizer2(input, options) {
        return new this(options, input);
      };
      Object.defineProperties(Parser.prototype, prototypeAccessors);
      var pp$9 = Parser.prototype;
      var literal = /^(?:'((?:\\.|[^'\\])*?)'|"((?:\\.|[^"\\])*?)")/s;
      pp$9.strictDirective = function(start) {
        if (this.options.ecmaVersion < 5) {
          return false;
        }
        for (; ; ) {
          skipWhiteSpace.lastIndex = start;
          start += skipWhiteSpace.exec(this.input)[0].length;
          var match = literal.exec(this.input.slice(start));
          if (!match) {
            return false;
          }
          if ((match[1] || match[2]) === "use strict") {
            skipWhiteSpace.lastIndex = start + match[0].length;
            var spaceAfter = skipWhiteSpace.exec(this.input), end = spaceAfter.index + spaceAfter[0].length;
            var next = this.input.charAt(end);
            return next === ";" || next === "}" || lineBreak.test(spaceAfter[0]) && !(/[(`.[+\-/*%<>=,?^&]/.test(next) || next === "!" && this.input.charAt(end + 1) === "=");
          }
          start += match[0].length;
          skipWhiteSpace.lastIndex = start;
          start += skipWhiteSpace.exec(this.input)[0].length;
          if (this.input[start] === ";") {
            start++;
          }
        }
      };
      pp$9.eat = function(type) {
        if (this.type === type) {
          this.next();
          return true;
        } else {
          return false;
        }
      };
      pp$9.isContextual = function(name) {
        return this.type === types$1.name && this.value === name && !this.containsEsc;
      };
      pp$9.eatContextual = function(name) {
        if (!this.isContextual(name)) {
          return false;
        }
        this.next();
        return true;
      };
      pp$9.expectContextual = function(name) {
        if (!this.eatContextual(name)) {
          this.unexpected();
        }
      };
      pp$9.canInsertSemicolon = function() {
        return this.type === types$1.eof || this.type === types$1.braceR || lineBreak.test(this.input.slice(this.lastTokEnd, this.start));
      };
      pp$9.insertSemicolon = function() {
        if (this.canInsertSemicolon()) {
          if (this.options.onInsertedSemicolon) {
            this.options.onInsertedSemicolon(this.lastTokEnd, this.lastTokEndLoc);
          }
          return true;
        }
      };
      pp$9.semicolon = function() {
        if (!this.eat(types$1.semi) && !this.insertSemicolon()) {
          this.unexpected();
        }
      };
      pp$9.afterTrailingComma = function(tokType, notNext) {
        if (this.type === tokType) {
          if (this.options.onTrailingComma) {
            this.options.onTrailingComma(this.lastTokStart, this.lastTokStartLoc);
          }
          if (!notNext) {
            this.next();
          }
          return true;
        }
      };
      pp$9.expect = function(type) {
        this.eat(type) || this.unexpected();
      };
      pp$9.unexpected = function(pos) {
        this.raise(pos != null ? pos : this.start, "Unexpected token");
      };
      var DestructuringErrors = function DestructuringErrors2() {
        this.shorthandAssign = this.trailingComma = this.parenthesizedAssign = this.parenthesizedBind = this.doubleProto = -1;
      };
      pp$9.checkPatternErrors = function(refDestructuringErrors, isAssign) {
        if (!refDestructuringErrors) {
          return;
        }
        if (refDestructuringErrors.trailingComma > -1) {
          this.raiseRecoverable(refDestructuringErrors.trailingComma, "Comma is not permitted after the rest element");
        }
        var parens = isAssign ? refDestructuringErrors.parenthesizedAssign : refDestructuringErrors.parenthesizedBind;
        if (parens > -1) {
          this.raiseRecoverable(parens, isAssign ? "Assigning to rvalue" : "Parenthesized pattern");
        }
      };
      pp$9.checkExpressionErrors = function(refDestructuringErrors, andThrow) {
        if (!refDestructuringErrors) {
          return false;
        }
        var shorthandAssign = refDestructuringErrors.shorthandAssign;
        var doubleProto = refDestructuringErrors.doubleProto;
        if (!andThrow) {
          return shorthandAssign >= 0 || doubleProto >= 0;
        }
        if (shorthandAssign >= 0) {
          this.raise(shorthandAssign, "Shorthand property assignments are valid only in destructuring patterns");
        }
        if (doubleProto >= 0) {
          this.raiseRecoverable(doubleProto, "Redefinition of __proto__ property");
        }
      };
      pp$9.checkYieldAwaitInDefaultParams = function() {
        if (this.yieldPos && (!this.awaitPos || this.yieldPos < this.awaitPos)) {
          this.raise(this.yieldPos, "Yield expression cannot be a default value");
        }
        if (this.awaitPos) {
          this.raise(this.awaitPos, "Await expression cannot be a default value");
        }
      };
      pp$9.isSimpleAssignTarget = function(expr) {
        if (expr.type === "ParenthesizedExpression") {
          return this.isSimpleAssignTarget(expr.expression);
        }
        return expr.type === "Identifier" || expr.type === "MemberExpression";
      };
      var pp$8 = Parser.prototype;
      pp$8.parseTopLevel = function(node) {
        var exports4 = /* @__PURE__ */ Object.create(null);
        if (!node.body) {
          node.body = [];
        }
        while (this.type !== types$1.eof) {
          var stmt = this.parseStatement(null, true, exports4);
          node.body.push(stmt);
        }
        if (this.inModule) {
          for (var i2 = 0, list2 = Object.keys(this.undefinedExports); i2 < list2.length; i2 += 1) {
            var name = list2[i2];
            this.raiseRecoverable(this.undefinedExports[name].start, "Export '" + name + "' is not defined");
          }
        }
        this.adaptDirectivePrologue(node.body);
        this.next();
        node.sourceType = this.options.sourceType;
        return this.finishNode(node, "Program");
      };
      var loopLabel = { kind: "loop" }, switchLabel = { kind: "switch" };
      pp$8.isLet = function(context) {
        if (this.options.ecmaVersion < 6 || !this.isContextual("let")) {
          return false;
        }
        skipWhiteSpace.lastIndex = this.pos;
        var skip = skipWhiteSpace.exec(this.input);
        var next = this.pos + skip[0].length, nextCh = this.input.charCodeAt(next);
        if (nextCh === 91 || nextCh === 92) {
          return true;
        }
        if (context) {
          return false;
        }
        if (nextCh === 123 || nextCh > 55295 && nextCh < 56320) {
          return true;
        }
        if (isIdentifierStart(nextCh, true)) {
          var pos = next + 1;
          while (isIdentifierChar(nextCh = this.input.charCodeAt(pos), true)) {
            ++pos;
          }
          if (nextCh === 92 || nextCh > 55295 && nextCh < 56320) {
            return true;
          }
          var ident = this.input.slice(next, pos);
          if (!keywordRelationalOperator.test(ident)) {
            return true;
          }
        }
        return false;
      };
      pp$8.isAsyncFunction = function() {
        if (this.options.ecmaVersion < 8 || !this.isContextual("async")) {
          return false;
        }
        skipWhiteSpace.lastIndex = this.pos;
        var skip = skipWhiteSpace.exec(this.input);
        var next = this.pos + skip[0].length, after;
        return !lineBreak.test(this.input.slice(this.pos, next)) && this.input.slice(next, next + 8) === "function" && (next + 8 === this.input.length || !(isIdentifierChar(after = this.input.charCodeAt(next + 8)) || after > 55295 && after < 56320));
      };
      pp$8.parseStatement = function(context, topLevel, exports4) {
        var starttype = this.type, node = this.startNode(), kind;
        if (this.isLet(context)) {
          starttype = types$1._var;
          kind = "let";
        }
        switch (starttype) {
          case types$1._break:
          case types$1._continue:
            return this.parseBreakContinueStatement(node, starttype.keyword);
          case types$1._debugger:
            return this.parseDebuggerStatement(node);
          case types$1._do:
            return this.parseDoStatement(node);
          case types$1._for:
            return this.parseForStatement(node);
          case types$1._function:
            if (context && (this.strict || context !== "if" && context !== "label") && this.options.ecmaVersion >= 6) {
              this.unexpected();
            }
            return this.parseFunctionStatement(node, false, !context);
          case types$1._class:
            if (context) {
              this.unexpected();
            }
            return this.parseClass(node, true);
          case types$1._if:
            return this.parseIfStatement(node);
          case types$1._return:
            return this.parseReturnStatement(node);
          case types$1._switch:
            return this.parseSwitchStatement(node);
          case types$1._throw:
            return this.parseThrowStatement(node);
          case types$1._try:
            return this.parseTryStatement(node);
          case types$1._const:
          case types$1._var:
            kind = kind || this.value;
            if (context && kind !== "var") {
              this.unexpected();
            }
            return this.parseVarStatement(node, kind);
          case types$1._while:
            return this.parseWhileStatement(node);
          case types$1._with:
            return this.parseWithStatement(node);
          case types$1.braceL:
            return this.parseBlock(true, node);
          case types$1.semi:
            return this.parseEmptyStatement(node);
          case types$1._export:
          case types$1._import:
            if (this.options.ecmaVersion > 10 && starttype === types$1._import) {
              skipWhiteSpace.lastIndex = this.pos;
              var skip = skipWhiteSpace.exec(this.input);
              var next = this.pos + skip[0].length, nextCh = this.input.charCodeAt(next);
              if (nextCh === 40 || nextCh === 46) {
                return this.parseExpressionStatement(node, this.parseExpression());
              }
            }
            if (!this.options.allowImportExportEverywhere) {
              if (!topLevel) {
                this.raise(this.start, "'import' and 'export' may only appear at the top level");
              }
              if (!this.inModule) {
                this.raise(this.start, "'import' and 'export' may appear only with 'sourceType: module'");
              }
            }
            return starttype === types$1._import ? this.parseImport(node) : this.parseExport(node, exports4);
          default:
            if (this.isAsyncFunction()) {
              if (context) {
                this.unexpected();
              }
              this.next();
              return this.parseFunctionStatement(node, true, !context);
            }
            var maybeName = this.value, expr = this.parseExpression();
            if (starttype === types$1.name && expr.type === "Identifier" && this.eat(types$1.colon)) {
              return this.parseLabeledStatement(node, maybeName, expr, context);
            } else {
              return this.parseExpressionStatement(node, expr);
            }
        }
      };
      pp$8.parseBreakContinueStatement = function(node, keyword) {
        var isBreak = keyword === "break";
        this.next();
        if (this.eat(types$1.semi) || this.insertSemicolon()) {
          node.label = null;
        } else if (this.type !== types$1.name) {
          this.unexpected();
        } else {
          node.label = this.parseIdent();
          this.semicolon();
        }
        var i2 = 0;
        for (; i2 < this.labels.length; ++i2) {
          var lab = this.labels[i2];
          if (node.label == null || lab.name === node.label.name) {
            if (lab.kind != null && (isBreak || lab.kind === "loop")) {
              break;
            }
            if (node.label && isBreak) {
              break;
            }
          }
        }
        if (i2 === this.labels.length) {
          this.raise(node.start, "Unsyntactic " + keyword);
        }
        return this.finishNode(node, isBreak ? "BreakStatement" : "ContinueStatement");
      };
      pp$8.parseDebuggerStatement = function(node) {
        this.next();
        this.semicolon();
        return this.finishNode(node, "DebuggerStatement");
      };
      pp$8.parseDoStatement = function(node) {
        this.next();
        this.labels.push(loopLabel);
        node.body = this.parseStatement("do");
        this.labels.pop();
        this.expect(types$1._while);
        node.test = this.parseParenExpression();
        if (this.options.ecmaVersion >= 6) {
          this.eat(types$1.semi);
        } else {
          this.semicolon();
        }
        return this.finishNode(node, "DoWhileStatement");
      };
      pp$8.parseForStatement = function(node) {
        this.next();
        var awaitAt = this.options.ecmaVersion >= 9 && this.canAwait && this.eatContextual("await") ? this.lastTokStart : -1;
        this.labels.push(loopLabel);
        this.enterScope(0);
        this.expect(types$1.parenL);
        if (this.type === types$1.semi) {
          if (awaitAt > -1) {
            this.unexpected(awaitAt);
          }
          return this.parseFor(node, null);
        }
        var isLet = this.isLet();
        if (this.type === types$1._var || this.type === types$1._const || isLet) {
          var init$1 = this.startNode(), kind = isLet ? "let" : this.value;
          this.next();
          this.parseVar(init$1, true, kind);
          this.finishNode(init$1, "VariableDeclaration");
          if ((this.type === types$1._in || this.options.ecmaVersion >= 6 && this.isContextual("of")) && init$1.declarations.length === 1) {
            if (this.options.ecmaVersion >= 9) {
              if (this.type === types$1._in) {
                if (awaitAt > -1) {
                  this.unexpected(awaitAt);
                }
              } else {
                node.await = awaitAt > -1;
              }
            }
            return this.parseForIn(node, init$1);
          }
          if (awaitAt > -1) {
            this.unexpected(awaitAt);
          }
          return this.parseFor(node, init$1);
        }
        var startsWithLet = this.isContextual("let"), isForOf = false;
        var containsEsc = this.containsEsc;
        var refDestructuringErrors = new DestructuringErrors();
        var initPos = this.start;
        var init = awaitAt > -1 ? this.parseExprSubscripts(refDestructuringErrors, "await") : this.parseExpression(true, refDestructuringErrors);
        if (this.type === types$1._in || (isForOf = this.options.ecmaVersion >= 6 && this.isContextual("of"))) {
          if (awaitAt > -1) {
            if (this.type === types$1._in) {
              this.unexpected(awaitAt);
            }
            node.await = true;
          } else if (isForOf && this.options.ecmaVersion >= 8) {
            if (init.start === initPos && !containsEsc && init.type === "Identifier" && init.name === "async") {
              this.unexpected();
            } else if (this.options.ecmaVersion >= 9) {
              node.await = false;
            }
          }
          if (startsWithLet && isForOf) {
            this.raise(init.start, "The left-hand side of a for-of loop may not start with 'let'.");
          }
          this.toAssignable(init, false, refDestructuringErrors);
          this.checkLValPattern(init);
          return this.parseForIn(node, init);
        } else {
          this.checkExpressionErrors(refDestructuringErrors, true);
        }
        if (awaitAt > -1) {
          this.unexpected(awaitAt);
        }
        return this.parseFor(node, init);
      };
      pp$8.parseFunctionStatement = function(node, isAsync2, declarationPosition) {
        this.next();
        return this.parseFunction(node, FUNC_STATEMENT | (declarationPosition ? 0 : FUNC_HANGING_STATEMENT), false, isAsync2);
      };
      pp$8.parseIfStatement = function(node) {
        this.next();
        node.test = this.parseParenExpression();
        node.consequent = this.parseStatement("if");
        node.alternate = this.eat(types$1._else) ? this.parseStatement("if") : null;
        return this.finishNode(node, "IfStatement");
      };
      pp$8.parseReturnStatement = function(node) {
        if (!this.inFunction && !this.options.allowReturnOutsideFunction) {
          this.raise(this.start, "'return' outside of function");
        }
        this.next();
        if (this.eat(types$1.semi) || this.insertSemicolon()) {
          node.argument = null;
        } else {
          node.argument = this.parseExpression();
          this.semicolon();
        }
        return this.finishNode(node, "ReturnStatement");
      };
      pp$8.parseSwitchStatement = function(node) {
        this.next();
        node.discriminant = this.parseParenExpression();
        node.cases = [];
        this.expect(types$1.braceL);
        this.labels.push(switchLabel);
        this.enterScope(0);
        var cur;
        for (var sawDefault = false; this.type !== types$1.braceR; ) {
          if (this.type === types$1._case || this.type === types$1._default) {
            var isCase = this.type === types$1._case;
            if (cur) {
              this.finishNode(cur, "SwitchCase");
            }
            node.cases.push(cur = this.startNode());
            cur.consequent = [];
            this.next();
            if (isCase) {
              cur.test = this.parseExpression();
            } else {
              if (sawDefault) {
                this.raiseRecoverable(this.lastTokStart, "Multiple default clauses");
              }
              sawDefault = true;
              cur.test = null;
            }
            this.expect(types$1.colon);
          } else {
            if (!cur) {
              this.unexpected();
            }
            cur.consequent.push(this.parseStatement(null));
          }
        }
        this.exitScope();
        if (cur) {
          this.finishNode(cur, "SwitchCase");
        }
        this.next();
        this.labels.pop();
        return this.finishNode(node, "SwitchStatement");
      };
      pp$8.parseThrowStatement = function(node) {
        this.next();
        if (lineBreak.test(this.input.slice(this.lastTokEnd, this.start))) {
          this.raise(this.lastTokEnd, "Illegal newline after throw");
        }
        node.argument = this.parseExpression();
        this.semicolon();
        return this.finishNode(node, "ThrowStatement");
      };
      var empty$1 = [];
      pp$8.parseCatchClauseParam = function() {
        var param = this.parseBindingAtom();
        var simple = param.type === "Identifier";
        this.enterScope(simple ? SCOPE_SIMPLE_CATCH : 0);
        this.checkLValPattern(param, simple ? BIND_SIMPLE_CATCH : BIND_LEXICAL);
        this.expect(types$1.parenR);
        return param;
      };
      pp$8.parseTryStatement = function(node) {
        this.next();
        node.block = this.parseBlock();
        node.handler = null;
        if (this.type === types$1._catch) {
          var clause = this.startNode();
          this.next();
          if (this.eat(types$1.parenL)) {
            clause.param = this.parseCatchClauseParam();
          } else {
            if (this.options.ecmaVersion < 10) {
              this.unexpected();
            }
            clause.param = null;
            this.enterScope(0);
          }
          clause.body = this.parseBlock(false);
          this.exitScope();
          node.handler = this.finishNode(clause, "CatchClause");
        }
        node.finalizer = this.eat(types$1._finally) ? this.parseBlock() : null;
        if (!node.handler && !node.finalizer) {
          this.raise(node.start, "Missing catch or finally clause");
        }
        return this.finishNode(node, "TryStatement");
      };
      pp$8.parseVarStatement = function(node, kind, allowMissingInitializer) {
        this.next();
        this.parseVar(node, false, kind, allowMissingInitializer);
        this.semicolon();
        return this.finishNode(node, "VariableDeclaration");
      };
      pp$8.parseWhileStatement = function(node) {
        this.next();
        node.test = this.parseParenExpression();
        this.labels.push(loopLabel);
        node.body = this.parseStatement("while");
        this.labels.pop();
        return this.finishNode(node, "WhileStatement");
      };
      pp$8.parseWithStatement = function(node) {
        if (this.strict) {
          this.raise(this.start, "'with' in strict mode");
        }
        this.next();
        node.object = this.parseParenExpression();
        node.body = this.parseStatement("with");
        return this.finishNode(node, "WithStatement");
      };
      pp$8.parseEmptyStatement = function(node) {
        this.next();
        return this.finishNode(node, "EmptyStatement");
      };
      pp$8.parseLabeledStatement = function(node, maybeName, expr, context) {
        for (var i$1 = 0, list2 = this.labels; i$1 < list2.length; i$1 += 1) {
          var label = list2[i$1];
          if (label.name === maybeName) {
            this.raise(expr.start, "Label '" + maybeName + "' is already declared");
          }
        }
        var kind = this.type.isLoop ? "loop" : this.type === types$1._switch ? "switch" : null;
        for (var i2 = this.labels.length - 1; i2 >= 0; i2--) {
          var label$1 = this.labels[i2];
          if (label$1.statementStart === node.start) {
            label$1.statementStart = this.start;
            label$1.kind = kind;
          } else {
            break;
          }
        }
        this.labels.push({ name: maybeName, kind, statementStart: this.start });
        node.body = this.parseStatement(context ? context.indexOf("label") === -1 ? context + "label" : context : "label");
        this.labels.pop();
        node.label = expr;
        return this.finishNode(node, "LabeledStatement");
      };
      pp$8.parseExpressionStatement = function(node, expr) {
        node.expression = expr;
        this.semicolon();
        return this.finishNode(node, "ExpressionStatement");
      };
      pp$8.parseBlock = function(createNewLexicalScope, node, exitStrict) {
        if (createNewLexicalScope === void 0) createNewLexicalScope = true;
        if (node === void 0) node = this.startNode();
        node.body = [];
        this.expect(types$1.braceL);
        if (createNewLexicalScope) {
          this.enterScope(0);
        }
        while (this.type !== types$1.braceR) {
          var stmt = this.parseStatement(null);
          node.body.push(stmt);
        }
        if (exitStrict) {
          this.strict = false;
        }
        this.next();
        if (createNewLexicalScope) {
          this.exitScope();
        }
        return this.finishNode(node, "BlockStatement");
      };
      pp$8.parseFor = function(node, init) {
        node.init = init;
        this.expect(types$1.semi);
        node.test = this.type === types$1.semi ? null : this.parseExpression();
        this.expect(types$1.semi);
        node.update = this.type === types$1.parenR ? null : this.parseExpression();
        this.expect(types$1.parenR);
        node.body = this.parseStatement("for");
        this.exitScope();
        this.labels.pop();
        return this.finishNode(node, "ForStatement");
      };
      pp$8.parseForIn = function(node, init) {
        var isForIn = this.type === types$1._in;
        this.next();
        if (init.type === "VariableDeclaration" && init.declarations[0].init != null && (!isForIn || this.options.ecmaVersion < 8 || this.strict || init.kind !== "var" || init.declarations[0].id.type !== "Identifier")) {
          this.raise(
            init.start,
            (isForIn ? "for-in" : "for-of") + " loop variable declaration may not have an initializer"
          );
        }
        node.left = init;
        node.right = isForIn ? this.parseExpression() : this.parseMaybeAssign();
        this.expect(types$1.parenR);
        node.body = this.parseStatement("for");
        this.exitScope();
        this.labels.pop();
        return this.finishNode(node, isForIn ? "ForInStatement" : "ForOfStatement");
      };
      pp$8.parseVar = function(node, isFor, kind, allowMissingInitializer) {
        node.declarations = [];
        node.kind = kind;
        for (; ; ) {
          var decl = this.startNode();
          this.parseVarId(decl, kind);
          if (this.eat(types$1.eq)) {
            decl.init = this.parseMaybeAssign(isFor);
          } else if (!allowMissingInitializer && kind === "const" && !(this.type === types$1._in || this.options.ecmaVersion >= 6 && this.isContextual("of"))) {
            this.unexpected();
          } else if (!allowMissingInitializer && decl.id.type !== "Identifier" && !(isFor && (this.type === types$1._in || this.isContextual("of")))) {
            this.raise(this.lastTokEnd, "Complex binding patterns require an initialization value");
          } else {
            decl.init = null;
          }
          node.declarations.push(this.finishNode(decl, "VariableDeclarator"));
          if (!this.eat(types$1.comma)) {
            break;
          }
        }
        return node;
      };
      pp$8.parseVarId = function(decl, kind) {
        decl.id = this.parseBindingAtom();
        this.checkLValPattern(decl.id, kind === "var" ? BIND_VAR : BIND_LEXICAL, false);
      };
      var FUNC_STATEMENT = 1, FUNC_HANGING_STATEMENT = 2, FUNC_NULLABLE_ID = 4;
      pp$8.parseFunction = function(node, statement, allowExpressionBody, isAsync2, forInit) {
        this.initFunction(node);
        if (this.options.ecmaVersion >= 9 || this.options.ecmaVersion >= 6 && !isAsync2) {
          if (this.type === types$1.star && statement & FUNC_HANGING_STATEMENT) {
            this.unexpected();
          }
          node.generator = this.eat(types$1.star);
        }
        if (this.options.ecmaVersion >= 8) {
          node.async = !!isAsync2;
        }
        if (statement & FUNC_STATEMENT) {
          node.id = statement & FUNC_NULLABLE_ID && this.type !== types$1.name ? null : this.parseIdent();
          if (node.id && !(statement & FUNC_HANGING_STATEMENT)) {
            this.checkLValSimple(node.id, this.strict || node.generator || node.async ? this.treatFunctionsAsVar ? BIND_VAR : BIND_LEXICAL : BIND_FUNCTION);
          }
        }
        var oldYieldPos = this.yieldPos, oldAwaitPos = this.awaitPos, oldAwaitIdentPos = this.awaitIdentPos;
        this.yieldPos = 0;
        this.awaitPos = 0;
        this.awaitIdentPos = 0;
        this.enterScope(functionFlags(node.async, node.generator));
        if (!(statement & FUNC_STATEMENT)) {
          node.id = this.type === types$1.name ? this.parseIdent() : null;
        }
        this.parseFunctionParams(node);
        this.parseFunctionBody(node, allowExpressionBody, false, forInit);
        this.yieldPos = oldYieldPos;
        this.awaitPos = oldAwaitPos;
        this.awaitIdentPos = oldAwaitIdentPos;
        return this.finishNode(node, statement & FUNC_STATEMENT ? "FunctionDeclaration" : "FunctionExpression");
      };
      pp$8.parseFunctionParams = function(node) {
        this.expect(types$1.parenL);
        node.params = this.parseBindingList(types$1.parenR, false, this.options.ecmaVersion >= 8);
        this.checkYieldAwaitInDefaultParams();
      };
      pp$8.parseClass = function(node, isStatement) {
        this.next();
        var oldStrict = this.strict;
        this.strict = true;
        this.parseClassId(node, isStatement);
        this.parseClassSuper(node);
        var privateNameMap = this.enterClassBody();
        var classBody = this.startNode();
        var hadConstructor = false;
        classBody.body = [];
        this.expect(types$1.braceL);
        while (this.type !== types$1.braceR) {
          var element = this.parseClassElement(node.superClass !== null);
          if (element) {
            classBody.body.push(element);
            if (element.type === "MethodDefinition" && element.kind === "constructor") {
              if (hadConstructor) {
                this.raiseRecoverable(element.start, "Duplicate constructor in the same class");
              }
              hadConstructor = true;
            } else if (element.key && element.key.type === "PrivateIdentifier" && isPrivateNameConflicted(privateNameMap, element)) {
              this.raiseRecoverable(element.key.start, "Identifier '#" + element.key.name + "' has already been declared");
            }
          }
        }
        this.strict = oldStrict;
        this.next();
        node.body = this.finishNode(classBody, "ClassBody");
        this.exitClassBody();
        return this.finishNode(node, isStatement ? "ClassDeclaration" : "ClassExpression");
      };
      pp$8.parseClassElement = function(constructorAllowsSuper) {
        if (this.eat(types$1.semi)) {
          return null;
        }
        var ecmaVersion2 = this.options.ecmaVersion;
        var node = this.startNode();
        var keyName = "";
        var isGenerator = false;
        var isAsync2 = false;
        var kind = "method";
        var isStatic = false;
        if (this.eatContextual("static")) {
          if (ecmaVersion2 >= 13 && this.eat(types$1.braceL)) {
            this.parseClassStaticBlock(node);
            return node;
          }
          if (this.isClassElementNameStart() || this.type === types$1.star) {
            isStatic = true;
          } else {
            keyName = "static";
          }
        }
        node.static = isStatic;
        if (!keyName && ecmaVersion2 >= 8 && this.eatContextual("async")) {
          if ((this.isClassElementNameStart() || this.type === types$1.star) && !this.canInsertSemicolon()) {
            isAsync2 = true;
          } else {
            keyName = "async";
          }
        }
        if (!keyName && (ecmaVersion2 >= 9 || !isAsync2) && this.eat(types$1.star)) {
          isGenerator = true;
        }
        if (!keyName && !isAsync2 && !isGenerator) {
          var lastValue = this.value;
          if (this.eatContextual("get") || this.eatContextual("set")) {
            if (this.isClassElementNameStart()) {
              kind = lastValue;
            } else {
              keyName = lastValue;
            }
          }
        }
        if (keyName) {
          node.computed = false;
          node.key = this.startNodeAt(this.lastTokStart, this.lastTokStartLoc);
          node.key.name = keyName;
          this.finishNode(node.key, "Identifier");
        } else {
          this.parseClassElementName(node);
        }
        if (ecmaVersion2 < 13 || this.type === types$1.parenL || kind !== "method" || isGenerator || isAsync2) {
          var isConstructor = !node.static && checkKeyName(node, "constructor");
          var allowsDirectSuper = isConstructor && constructorAllowsSuper;
          if (isConstructor && kind !== "method") {
            this.raise(node.key.start, "Constructor can't have get/set modifier");
          }
          node.kind = isConstructor ? "constructor" : kind;
          this.parseClassMethod(node, isGenerator, isAsync2, allowsDirectSuper);
        } else {
          this.parseClassField(node);
        }
        return node;
      };
      pp$8.isClassElementNameStart = function() {
        return this.type === types$1.name || this.type === types$1.privateId || this.type === types$1.num || this.type === types$1.string || this.type === types$1.bracketL || this.type.keyword;
      };
      pp$8.parseClassElementName = function(element) {
        if (this.type === types$1.privateId) {
          if (this.value === "constructor") {
            this.raise(this.start, "Classes can't have an element named '#constructor'");
          }
          element.computed = false;
          element.key = this.parsePrivateIdent();
        } else {
          this.parsePropertyName(element);
        }
      };
      pp$8.parseClassMethod = function(method, isGenerator, isAsync2, allowsDirectSuper) {
        var key = method.key;
        if (method.kind === "constructor") {
          if (isGenerator) {
            this.raise(key.start, "Constructor can't be a generator");
          }
          if (isAsync2) {
            this.raise(key.start, "Constructor can't be an async method");
          }
        } else if (method.static && checkKeyName(method, "prototype")) {
          this.raise(key.start, "Classes may not have a static property named prototype");
        }
        var value = method.value = this.parseMethod(isGenerator, isAsync2, allowsDirectSuper);
        if (method.kind === "get" && value.params.length !== 0) {
          this.raiseRecoverable(value.start, "getter should have no params");
        }
        if (method.kind === "set" && value.params.length !== 1) {
          this.raiseRecoverable(value.start, "setter should have exactly one param");
        }
        if (method.kind === "set" && value.params[0].type === "RestElement") {
          this.raiseRecoverable(value.params[0].start, "Setter cannot use rest params");
        }
        return this.finishNode(method, "MethodDefinition");
      };
      pp$8.parseClassField = function(field) {
        if (checkKeyName(field, "constructor")) {
          this.raise(field.key.start, "Classes can't have a field named 'constructor'");
        } else if (field.static && checkKeyName(field, "prototype")) {
          this.raise(field.key.start, "Classes can't have a static field named 'prototype'");
        }
        if (this.eat(types$1.eq)) {
          var scope = this.currentThisScope();
          var inClassFieldInit = scope.inClassFieldInit;
          scope.inClassFieldInit = true;
          field.value = this.parseMaybeAssign();
          scope.inClassFieldInit = inClassFieldInit;
        } else {
          field.value = null;
        }
        this.semicolon();
        return this.finishNode(field, "PropertyDefinition");
      };
      pp$8.parseClassStaticBlock = function(node) {
        node.body = [];
        var oldLabels = this.labels;
        this.labels = [];
        this.enterScope(SCOPE_CLASS_STATIC_BLOCK | SCOPE_SUPER);
        while (this.type !== types$1.braceR) {
          var stmt = this.parseStatement(null);
          node.body.push(stmt);
        }
        this.next();
        this.exitScope();
        this.labels = oldLabels;
        return this.finishNode(node, "StaticBlock");
      };
      pp$8.parseClassId = function(node, isStatement) {
        if (this.type === types$1.name) {
          node.id = this.parseIdent();
          if (isStatement) {
            this.checkLValSimple(node.id, BIND_LEXICAL, false);
          }
        } else {
          if (isStatement === true) {
            this.unexpected();
          }
          node.id = null;
        }
      };
      pp$8.parseClassSuper = function(node) {
        node.superClass = this.eat(types$1._extends) ? this.parseExprSubscripts(null, false) : null;
      };
      pp$8.enterClassBody = function() {
        var element = { declared: /* @__PURE__ */ Object.create(null), used: [] };
        this.privateNameStack.push(element);
        return element.declared;
      };
      pp$8.exitClassBody = function() {
        var ref2 = this.privateNameStack.pop();
        var declared = ref2.declared;
        var used = ref2.used;
        if (!this.options.checkPrivateFields) {
          return;
        }
        var len = this.privateNameStack.length;
        var parent = len === 0 ? null : this.privateNameStack[len - 1];
        for (var i2 = 0; i2 < used.length; ++i2) {
          var id = used[i2];
          if (!hasOwn(declared, id.name)) {
            if (parent) {
              parent.used.push(id);
            } else {
              this.raiseRecoverable(id.start, "Private field '#" + id.name + "' must be declared in an enclosing class");
            }
          }
        }
      };
      function isPrivateNameConflicted(privateNameMap, element) {
        var name = element.key.name;
        var curr = privateNameMap[name];
        var next = "true";
        if (element.type === "MethodDefinition" && (element.kind === "get" || element.kind === "set")) {
          next = (element.static ? "s" : "i") + element.kind;
        }
        if (curr === "iget" && next === "iset" || curr === "iset" && next === "iget" || curr === "sget" && next === "sset" || curr === "sset" && next === "sget") {
          privateNameMap[name] = "true";
          return false;
        } else if (!curr) {
          privateNameMap[name] = next;
          return false;
        } else {
          return true;
        }
      }
      function checkKeyName(node, name) {
        var computed = node.computed;
        var key = node.key;
        return !computed && (key.type === "Identifier" && key.name === name || key.type === "Literal" && key.value === name);
      }
      pp$8.parseExportAllDeclaration = function(node, exports4) {
        if (this.options.ecmaVersion >= 11) {
          if (this.eatContextual("as")) {
            node.exported = this.parseModuleExportName();
            this.checkExport(exports4, node.exported, this.lastTokStart);
          } else {
            node.exported = null;
          }
        }
        this.expectContextual("from");
        if (this.type !== types$1.string) {
          this.unexpected();
        }
        node.source = this.parseExprAtom();
        this.semicolon();
        return this.finishNode(node, "ExportAllDeclaration");
      };
      pp$8.parseExport = function(node, exports4) {
        this.next();
        if (this.eat(types$1.star)) {
          return this.parseExportAllDeclaration(node, exports4);
        }
        if (this.eat(types$1._default)) {
          this.checkExport(exports4, "default", this.lastTokStart);
          node.declaration = this.parseExportDefaultDeclaration();
          return this.finishNode(node, "ExportDefaultDeclaration");
        }
        if (this.shouldParseExportStatement()) {
          node.declaration = this.parseExportDeclaration(node);
          if (node.declaration.type === "VariableDeclaration") {
            this.checkVariableExport(exports4, node.declaration.declarations);
          } else {
            this.checkExport(exports4, node.declaration.id, node.declaration.id.start);
          }
          node.specifiers = [];
          node.source = null;
        } else {
          node.declaration = null;
          node.specifiers = this.parseExportSpecifiers(exports4);
          if (this.eatContextual("from")) {
            if (this.type !== types$1.string) {
              this.unexpected();
            }
            node.source = this.parseExprAtom();
          } else {
            for (var i2 = 0, list2 = node.specifiers; i2 < list2.length; i2 += 1) {
              var spec = list2[i2];
              this.checkUnreserved(spec.local);
              this.checkLocalExport(spec.local);
              if (spec.local.type === "Literal") {
                this.raise(spec.local.start, "A string literal cannot be used as an exported binding without `from`.");
              }
            }
            node.source = null;
          }
          this.semicolon();
        }
        return this.finishNode(node, "ExportNamedDeclaration");
      };
      pp$8.parseExportDeclaration = function(node) {
        return this.parseStatement(null);
      };
      pp$8.parseExportDefaultDeclaration = function() {
        var isAsync2;
        if (this.type === types$1._function || (isAsync2 = this.isAsyncFunction())) {
          var fNode = this.startNode();
          this.next();
          if (isAsync2) {
            this.next();
          }
          return this.parseFunction(fNode, FUNC_STATEMENT | FUNC_NULLABLE_ID, false, isAsync2);
        } else if (this.type === types$1._class) {
          var cNode = this.startNode();
          return this.parseClass(cNode, "nullableID");
        } else {
          var declaration = this.parseMaybeAssign();
          this.semicolon();
          return declaration;
        }
      };
      pp$8.checkExport = function(exports4, name, pos) {
        if (!exports4) {
          return;
        }
        if (typeof name !== "string") {
          name = name.type === "Identifier" ? name.name : name.value;
        }
        if (hasOwn(exports4, name)) {
          this.raiseRecoverable(pos, "Duplicate export '" + name + "'");
        }
        exports4[name] = true;
      };
      pp$8.checkPatternExport = function(exports4, pat) {
        var type = pat.type;
        if (type === "Identifier") {
          this.checkExport(exports4, pat, pat.start);
        } else if (type === "ObjectPattern") {
          for (var i2 = 0, list2 = pat.properties; i2 < list2.length; i2 += 1) {
            var prop = list2[i2];
            this.checkPatternExport(exports4, prop);
          }
        } else if (type === "ArrayPattern") {
          for (var i$1 = 0, list$1 = pat.elements; i$1 < list$1.length; i$1 += 1) {
            var elt = list$1[i$1];
            if (elt) {
              this.checkPatternExport(exports4, elt);
            }
          }
        } else if (type === "Property") {
          this.checkPatternExport(exports4, pat.value);
        } else if (type === "AssignmentPattern") {
          this.checkPatternExport(exports4, pat.left);
        } else if (type === "RestElement") {
          this.checkPatternExport(exports4, pat.argument);
        }
      };
      pp$8.checkVariableExport = function(exports4, decls) {
        if (!exports4) {
          return;
        }
        for (var i2 = 0, list2 = decls; i2 < list2.length; i2 += 1) {
          var decl = list2[i2];
          this.checkPatternExport(exports4, decl.id);
        }
      };
      pp$8.shouldParseExportStatement = function() {
        return this.type.keyword === "var" || this.type.keyword === "const" || this.type.keyword === "class" || this.type.keyword === "function" || this.isLet() || this.isAsyncFunction();
      };
      pp$8.parseExportSpecifier = function(exports4) {
        var node = this.startNode();
        node.local = this.parseModuleExportName();
        node.exported = this.eatContextual("as") ? this.parseModuleExportName() : node.local;
        this.checkExport(
          exports4,
          node.exported,
          node.exported.start
        );
        return this.finishNode(node, "ExportSpecifier");
      };
      pp$8.parseExportSpecifiers = function(exports4) {
        var nodes = [], first = true;
        this.expect(types$1.braceL);
        while (!this.eat(types$1.braceR)) {
          if (!first) {
            this.expect(types$1.comma);
            if (this.afterTrailingComma(types$1.braceR)) {
              break;
            }
          } else {
            first = false;
          }
          nodes.push(this.parseExportSpecifier(exports4));
        }
        return nodes;
      };
      pp$8.parseImport = function(node) {
        this.next();
        if (this.type === types$1.string) {
          node.specifiers = empty$1;
          node.source = this.parseExprAtom();
        } else {
          node.specifiers = this.parseImportSpecifiers();
          this.expectContextual("from");
          node.source = this.type === types$1.string ? this.parseExprAtom() : this.unexpected();
        }
        this.semicolon();
        return this.finishNode(node, "ImportDeclaration");
      };
      pp$8.parseImportSpecifier = function() {
        var node = this.startNode();
        node.imported = this.parseModuleExportName();
        if (this.eatContextual("as")) {
          node.local = this.parseIdent();
        } else {
          this.checkUnreserved(node.imported);
          node.local = node.imported;
        }
        this.checkLValSimple(node.local, BIND_LEXICAL);
        return this.finishNode(node, "ImportSpecifier");
      };
      pp$8.parseImportDefaultSpecifier = function() {
        var node = this.startNode();
        node.local = this.parseIdent();
        this.checkLValSimple(node.local, BIND_LEXICAL);
        return this.finishNode(node, "ImportDefaultSpecifier");
      };
      pp$8.parseImportNamespaceSpecifier = function() {
        var node = this.startNode();
        this.next();
        this.expectContextual("as");
        node.local = this.parseIdent();
        this.checkLValSimple(node.local, BIND_LEXICAL);
        return this.finishNode(node, "ImportNamespaceSpecifier");
      };
      pp$8.parseImportSpecifiers = function() {
        var nodes = [], first = true;
        if (this.type === types$1.name) {
          nodes.push(this.parseImportDefaultSpecifier());
          if (!this.eat(types$1.comma)) {
            return nodes;
          }
        }
        if (this.type === types$1.star) {
          nodes.push(this.parseImportNamespaceSpecifier());
          return nodes;
        }
        this.expect(types$1.braceL);
        while (!this.eat(types$1.braceR)) {
          if (!first) {
            this.expect(types$1.comma);
            if (this.afterTrailingComma(types$1.braceR)) {
              break;
            }
          } else {
            first = false;
          }
          nodes.push(this.parseImportSpecifier());
        }
        return nodes;
      };
      pp$8.parseModuleExportName = function() {
        if (this.options.ecmaVersion >= 13 && this.type === types$1.string) {
          var stringLiteral = this.parseLiteral(this.value);
          if (loneSurrogate.test(stringLiteral.value)) {
            this.raise(stringLiteral.start, "An export name cannot include a lone surrogate.");
          }
          return stringLiteral;
        }
        return this.parseIdent(true);
      };
      pp$8.adaptDirectivePrologue = function(statements) {
        for (var i2 = 0; i2 < statements.length && this.isDirectiveCandidate(statements[i2]); ++i2) {
          statements[i2].directive = statements[i2].expression.raw.slice(1, -1);
        }
      };
      pp$8.isDirectiveCandidate = function(statement) {
        return this.options.ecmaVersion >= 5 && statement.type === "ExpressionStatement" && statement.expression.type === "Literal" && typeof statement.expression.value === "string" && // Reject parenthesized strings.
        (this.input[statement.start] === '"' || this.input[statement.start] === "'");
      };
      var pp$7 = Parser.prototype;
      pp$7.toAssignable = function(node, isBinding, refDestructuringErrors) {
        if (this.options.ecmaVersion >= 6 && node) {
          switch (node.type) {
            case "Identifier":
              if (this.inAsync && node.name === "await") {
                this.raise(node.start, "Cannot use 'await' as identifier inside an async function");
              }
              break;
            case "ObjectPattern":
            case "ArrayPattern":
            case "AssignmentPattern":
            case "RestElement":
              break;
            case "ObjectExpression":
              node.type = "ObjectPattern";
              if (refDestructuringErrors) {
                this.checkPatternErrors(refDestructuringErrors, true);
              }
              for (var i2 = 0, list2 = node.properties; i2 < list2.length; i2 += 1) {
                var prop = list2[i2];
                this.toAssignable(prop, isBinding);
                if (prop.type === "RestElement" && (prop.argument.type === "ArrayPattern" || prop.argument.type === "ObjectPattern")) {
                  this.raise(prop.argument.start, "Unexpected token");
                }
              }
              break;
            case "Property":
              if (node.kind !== "init") {
                this.raise(node.key.start, "Object pattern can't contain getter or setter");
              }
              this.toAssignable(node.value, isBinding);
              break;
            case "ArrayExpression":
              node.type = "ArrayPattern";
              if (refDestructuringErrors) {
                this.checkPatternErrors(refDestructuringErrors, true);
              }
              this.toAssignableList(node.elements, isBinding);
              break;
            case "SpreadElement":
              node.type = "RestElement";
              this.toAssignable(node.argument, isBinding);
              if (node.argument.type === "AssignmentPattern") {
                this.raise(node.argument.start, "Rest elements cannot have a default value");
              }
              break;
            case "AssignmentExpression":
              if (node.operator !== "=") {
                this.raise(node.left.end, "Only '=' operator can be used for specifying default value.");
              }
              node.type = "AssignmentPattern";
              delete node.operator;
              this.toAssignable(node.left, isBinding);
              break;
            case "ParenthesizedExpression":
              this.toAssignable(node.expression, isBinding, refDestructuringErrors);
              break;
            case "ChainExpression":
              this.raiseRecoverable(node.start, "Optional chaining cannot appear in left-hand side");
              break;
            case "MemberExpression":
              if (!isBinding) {
                break;
              }
            default:
              this.raise(node.start, "Assigning to rvalue");
          }
        } else if (refDestructuringErrors) {
          this.checkPatternErrors(refDestructuringErrors, true);
        }
        return node;
      };
      pp$7.toAssignableList = function(exprList, isBinding) {
        var end = exprList.length;
        for (var i2 = 0; i2 < end; i2++) {
          var elt = exprList[i2];
          if (elt) {
            this.toAssignable(elt, isBinding);
          }
        }
        if (end) {
          var last = exprList[end - 1];
          if (this.options.ecmaVersion === 6 && isBinding && last && last.type === "RestElement" && last.argument.type !== "Identifier") {
            this.unexpected(last.argument.start);
          }
        }
        return exprList;
      };
      pp$7.parseSpread = function(refDestructuringErrors) {
        var node = this.startNode();
        this.next();
        node.argument = this.parseMaybeAssign(false, refDestructuringErrors);
        return this.finishNode(node, "SpreadElement");
      };
      pp$7.parseRestBinding = function() {
        var node = this.startNode();
        this.next();
        if (this.options.ecmaVersion === 6 && this.type !== types$1.name) {
          this.unexpected();
        }
        node.argument = this.parseBindingAtom();
        return this.finishNode(node, "RestElement");
      };
      pp$7.parseBindingAtom = function() {
        if (this.options.ecmaVersion >= 6) {
          switch (this.type) {
            case types$1.bracketL:
              var node = this.startNode();
              this.next();
              node.elements = this.parseBindingList(types$1.bracketR, true, true);
              return this.finishNode(node, "ArrayPattern");
            case types$1.braceL:
              return this.parseObj(true);
          }
        }
        return this.parseIdent();
      };
      pp$7.parseBindingList = function(close, allowEmpty, allowTrailingComma, allowModifiers) {
        var elts = [], first = true;
        while (!this.eat(close)) {
          if (first) {
            first = false;
          } else {
            this.expect(types$1.comma);
          }
          if (allowEmpty && this.type === types$1.comma) {
            elts.push(null);
          } else if (allowTrailingComma && this.afterTrailingComma(close)) {
            break;
          } else if (this.type === types$1.ellipsis) {
            var rest = this.parseRestBinding();
            this.parseBindingListItem(rest);
            elts.push(rest);
            if (this.type === types$1.comma) {
              this.raiseRecoverable(this.start, "Comma is not permitted after the rest element");
            }
            this.expect(close);
            break;
          } else {
            elts.push(this.parseAssignableListItem(allowModifiers));
          }
        }
        return elts;
      };
      pp$7.parseAssignableListItem = function(allowModifiers) {
        var elem = this.parseMaybeDefault(this.start, this.startLoc);
        this.parseBindingListItem(elem);
        return elem;
      };
      pp$7.parseBindingListItem = function(param) {
        return param;
      };
      pp$7.parseMaybeDefault = function(startPos, startLoc, left) {
        left = left || this.parseBindingAtom();
        if (this.options.ecmaVersion < 6 || !this.eat(types$1.eq)) {
          return left;
        }
        var node = this.startNodeAt(startPos, startLoc);
        node.left = left;
        node.right = this.parseMaybeAssign();
        return this.finishNode(node, "AssignmentPattern");
      };
      pp$7.checkLValSimple = function(expr, bindingType, checkClashes) {
        if (bindingType === void 0) bindingType = BIND_NONE;
        var isBind = bindingType !== BIND_NONE;
        switch (expr.type) {
          case "Identifier":
            if (this.strict && this.reservedWordsStrictBind.test(expr.name)) {
              this.raiseRecoverable(expr.start, (isBind ? "Binding " : "Assigning to ") + expr.name + " in strict mode");
            }
            if (isBind) {
              if (bindingType === BIND_LEXICAL && expr.name === "let") {
                this.raiseRecoverable(expr.start, "let is disallowed as a lexically bound name");
              }
              if (checkClashes) {
                if (hasOwn(checkClashes, expr.name)) {
                  this.raiseRecoverable(expr.start, "Argument name clash");
                }
                checkClashes[expr.name] = true;
              }
              if (bindingType !== BIND_OUTSIDE) {
                this.declareName(expr.name, bindingType, expr.start);
              }
            }
            break;
          case "ChainExpression":
            this.raiseRecoverable(expr.start, "Optional chaining cannot appear in left-hand side");
            break;
          case "MemberExpression":
            if (isBind) {
              this.raiseRecoverable(expr.start, "Binding member expression");
            }
            break;
          case "ParenthesizedExpression":
            if (isBind) {
              this.raiseRecoverable(expr.start, "Binding parenthesized expression");
            }
            return this.checkLValSimple(expr.expression, bindingType, checkClashes);
          default:
            this.raise(expr.start, (isBind ? "Binding" : "Assigning to") + " rvalue");
        }
      };
      pp$7.checkLValPattern = function(expr, bindingType, checkClashes) {
        if (bindingType === void 0) bindingType = BIND_NONE;
        switch (expr.type) {
          case "ObjectPattern":
            for (var i2 = 0, list2 = expr.properties; i2 < list2.length; i2 += 1) {
              var prop = list2[i2];
              this.checkLValInnerPattern(prop, bindingType, checkClashes);
            }
            break;
          case "ArrayPattern":
            for (var i$1 = 0, list$1 = expr.elements; i$1 < list$1.length; i$1 += 1) {
              var elem = list$1[i$1];
              if (elem) {
                this.checkLValInnerPattern(elem, bindingType, checkClashes);
              }
            }
            break;
          default:
            this.checkLValSimple(expr, bindingType, checkClashes);
        }
      };
      pp$7.checkLValInnerPattern = function(expr, bindingType, checkClashes) {
        if (bindingType === void 0) bindingType = BIND_NONE;
        switch (expr.type) {
          case "Property":
            this.checkLValInnerPattern(expr.value, bindingType, checkClashes);
            break;
          case "AssignmentPattern":
            this.checkLValPattern(expr.left, bindingType, checkClashes);
            break;
          case "RestElement":
            this.checkLValPattern(expr.argument, bindingType, checkClashes);
            break;
          default:
            this.checkLValPattern(expr, bindingType, checkClashes);
        }
      };
      var TokContext = function TokContext2(token, isExpr, preserveSpace, override, generator) {
        this.token = token;
        this.isExpr = !!isExpr;
        this.preserveSpace = !!preserveSpace;
        this.override = override;
        this.generator = !!generator;
      };
      var types = {
        b_stat: new TokContext("{", false),
        b_expr: new TokContext("{", true),
        b_tmpl: new TokContext("${", false),
        p_stat: new TokContext("(", false),
        p_expr: new TokContext("(", true),
        q_tmpl: new TokContext("`", true, true, function(p) {
          return p.tryReadTemplateToken();
        }),
        f_stat: new TokContext("function", false),
        f_expr: new TokContext("function", true),
        f_expr_gen: new TokContext("function", true, false, null, true),
        f_gen: new TokContext("function", false, false, null, true)
      };
      var pp$6 = Parser.prototype;
      pp$6.initialContext = function() {
        return [types.b_stat];
      };
      pp$6.curContext = function() {
        return this.context[this.context.length - 1];
      };
      pp$6.braceIsBlock = function(prevType) {
        var parent = this.curContext();
        if (parent === types.f_expr || parent === types.f_stat) {
          return true;
        }
        if (prevType === types$1.colon && (parent === types.b_stat || parent === types.b_expr)) {
          return !parent.isExpr;
        }
        if (prevType === types$1._return || prevType === types$1.name && this.exprAllowed) {
          return lineBreak.test(this.input.slice(this.lastTokEnd, this.start));
        }
        if (prevType === types$1._else || prevType === types$1.semi || prevType === types$1.eof || prevType === types$1.parenR || prevType === types$1.arrow) {
          return true;
        }
        if (prevType === types$1.braceL) {
          return parent === types.b_stat;
        }
        if (prevType === types$1._var || prevType === types$1._const || prevType === types$1.name) {
          return false;
        }
        return !this.exprAllowed;
      };
      pp$6.inGeneratorContext = function() {
        for (var i2 = this.context.length - 1; i2 >= 1; i2--) {
          var context = this.context[i2];
          if (context.token === "function") {
            return context.generator;
          }
        }
        return false;
      };
      pp$6.updateContext = function(prevType) {
        var update, type = this.type;
        if (type.keyword && prevType === types$1.dot) {
          this.exprAllowed = false;
        } else if (update = type.updateContext) {
          update.call(this, prevType);
        } else {
          this.exprAllowed = type.beforeExpr;
        }
      };
      pp$6.overrideContext = function(tokenCtx) {
        if (this.curContext() !== tokenCtx) {
          this.context[this.context.length - 1] = tokenCtx;
        }
      };
      types$1.parenR.updateContext = types$1.braceR.updateContext = function() {
        if (this.context.length === 1) {
          this.exprAllowed = true;
          return;
        }
        var out = this.context.pop();
        if (out === types.b_stat && this.curContext().token === "function") {
          out = this.context.pop();
        }
        this.exprAllowed = !out.isExpr;
      };
      types$1.braceL.updateContext = function(prevType) {
        this.context.push(this.braceIsBlock(prevType) ? types.b_stat : types.b_expr);
        this.exprAllowed = true;
      };
      types$1.dollarBraceL.updateContext = function() {
        this.context.push(types.b_tmpl);
        this.exprAllowed = true;
      };
      types$1.parenL.updateContext = function(prevType) {
        var statementParens = prevType === types$1._if || prevType === types$1._for || prevType === types$1._with || prevType === types$1._while;
        this.context.push(statementParens ? types.p_stat : types.p_expr);
        this.exprAllowed = true;
      };
      types$1.incDec.updateContext = function() {
      };
      types$1._function.updateContext = types$1._class.updateContext = function(prevType) {
        if (prevType.beforeExpr && prevType !== types$1._else && !(prevType === types$1.semi && this.curContext() !== types.p_stat) && !(prevType === types$1._return && lineBreak.test(this.input.slice(this.lastTokEnd, this.start))) && !((prevType === types$1.colon || prevType === types$1.braceL) && this.curContext() === types.b_stat)) {
          this.context.push(types.f_expr);
        } else {
          this.context.push(types.f_stat);
        }
        this.exprAllowed = false;
      };
      types$1.colon.updateContext = function() {
        if (this.curContext().token === "function") {
          this.context.pop();
        }
        this.exprAllowed = true;
      };
      types$1.backQuote.updateContext = function() {
        if (this.curContext() === types.q_tmpl) {
          this.context.pop();
        } else {
          this.context.push(types.q_tmpl);
        }
        this.exprAllowed = false;
      };
      types$1.star.updateContext = function(prevType) {
        if (prevType === types$1._function) {
          var index = this.context.length - 1;
          if (this.context[index] === types.f_expr) {
            this.context[index] = types.f_expr_gen;
          } else {
            this.context[index] = types.f_gen;
          }
        }
        this.exprAllowed = true;
      };
      types$1.name.updateContext = function(prevType) {
        var allowed = false;
        if (this.options.ecmaVersion >= 6 && prevType !== types$1.dot) {
          if (this.value === "of" && !this.exprAllowed || this.value === "yield" && this.inGeneratorContext()) {
            allowed = true;
          }
        }
        this.exprAllowed = allowed;
      };
      var pp$5 = Parser.prototype;
      pp$5.checkPropClash = function(prop, propHash, refDestructuringErrors) {
        if (this.options.ecmaVersion >= 9 && prop.type === "SpreadElement") {
          return;
        }
        if (this.options.ecmaVersion >= 6 && (prop.computed || prop.method || prop.shorthand)) {
          return;
        }
        var key = prop.key;
        var name;
        switch (key.type) {
          case "Identifier":
            name = key.name;
            break;
          case "Literal":
            name = String(key.value);
            break;
          default:
            return;
        }
        var kind = prop.kind;
        if (this.options.ecmaVersion >= 6) {
          if (name === "__proto__" && kind === "init") {
            if (propHash.proto) {
              if (refDestructuringErrors) {
                if (refDestructuringErrors.doubleProto < 0) {
                  refDestructuringErrors.doubleProto = key.start;
                }
              } else {
                this.raiseRecoverable(key.start, "Redefinition of __proto__ property");
              }
            }
            propHash.proto = true;
          }
          return;
        }
        name = "$" + name;
        var other = propHash[name];
        if (other) {
          var redefinition;
          if (kind === "init") {
            redefinition = this.strict && other.init || other.get || other.set;
          } else {
            redefinition = other.init || other[kind];
          }
          if (redefinition) {
            this.raiseRecoverable(key.start, "Redefinition of property");
          }
        } else {
          other = propHash[name] = {
            init: false,
            get: false,
            set: false
          };
        }
        other[kind] = true;
      };
      pp$5.parseExpression = function(forInit, refDestructuringErrors) {
        var startPos = this.start, startLoc = this.startLoc;
        var expr = this.parseMaybeAssign(forInit, refDestructuringErrors);
        if (this.type === types$1.comma) {
          var node = this.startNodeAt(startPos, startLoc);
          node.expressions = [expr];
          while (this.eat(types$1.comma)) {
            node.expressions.push(this.parseMaybeAssign(forInit, refDestructuringErrors));
          }
          return this.finishNode(node, "SequenceExpression");
        }
        return expr;
      };
      pp$5.parseMaybeAssign = function(forInit, refDestructuringErrors, afterLeftParse) {
        if (this.isContextual("yield")) {
          if (this.inGenerator) {
            return this.parseYield(forInit);
          } else {
            this.exprAllowed = false;
          }
        }
        var ownDestructuringErrors = false, oldParenAssign = -1, oldTrailingComma = -1, oldDoubleProto = -1;
        if (refDestructuringErrors) {
          oldParenAssign = refDestructuringErrors.parenthesizedAssign;
          oldTrailingComma = refDestructuringErrors.trailingComma;
          oldDoubleProto = refDestructuringErrors.doubleProto;
          refDestructuringErrors.parenthesizedAssign = refDestructuringErrors.trailingComma = -1;
        } else {
          refDestructuringErrors = new DestructuringErrors();
          ownDestructuringErrors = true;
        }
        var startPos = this.start, startLoc = this.startLoc;
        if (this.type === types$1.parenL || this.type === types$1.name) {
          this.potentialArrowAt = this.start;
          this.potentialArrowInForAwait = forInit === "await";
        }
        var left = this.parseMaybeConditional(forInit, refDestructuringErrors);
        if (afterLeftParse) {
          left = afterLeftParse.call(this, left, startPos, startLoc);
        }
        if (this.type.isAssign) {
          var node = this.startNodeAt(startPos, startLoc);
          node.operator = this.value;
          if (this.type === types$1.eq) {
            left = this.toAssignable(left, false, refDestructuringErrors);
          }
          if (!ownDestructuringErrors) {
            refDestructuringErrors.parenthesizedAssign = refDestructuringErrors.trailingComma = refDestructuringErrors.doubleProto = -1;
          }
          if (refDestructuringErrors.shorthandAssign >= left.start) {
            refDestructuringErrors.shorthandAssign = -1;
          }
          if (this.type === types$1.eq) {
            this.checkLValPattern(left);
          } else {
            this.checkLValSimple(left);
          }
          node.left = left;
          this.next();
          node.right = this.parseMaybeAssign(forInit);
          if (oldDoubleProto > -1) {
            refDestructuringErrors.doubleProto = oldDoubleProto;
          }
          return this.finishNode(node, "AssignmentExpression");
        } else {
          if (ownDestructuringErrors) {
            this.checkExpressionErrors(refDestructuringErrors, true);
          }
        }
        if (oldParenAssign > -1) {
          refDestructuringErrors.parenthesizedAssign = oldParenAssign;
        }
        if (oldTrailingComma > -1) {
          refDestructuringErrors.trailingComma = oldTrailingComma;
        }
        return left;
      };
      pp$5.parseMaybeConditional = function(forInit, refDestructuringErrors) {
        var startPos = this.start, startLoc = this.startLoc;
        var expr = this.parseExprOps(forInit, refDestructuringErrors);
        if (this.checkExpressionErrors(refDestructuringErrors)) {
          return expr;
        }
        if (this.eat(types$1.question)) {
          var node = this.startNodeAt(startPos, startLoc);
          node.test = expr;
          node.consequent = this.parseMaybeAssign();
          this.expect(types$1.colon);
          node.alternate = this.parseMaybeAssign(forInit);
          return this.finishNode(node, "ConditionalExpression");
        }
        return expr;
      };
      pp$5.parseExprOps = function(forInit, refDestructuringErrors) {
        var startPos = this.start, startLoc = this.startLoc;
        var expr = this.parseMaybeUnary(refDestructuringErrors, false, false, forInit);
        if (this.checkExpressionErrors(refDestructuringErrors)) {
          return expr;
        }
        return expr.start === startPos && expr.type === "ArrowFunctionExpression" ? expr : this.parseExprOp(expr, startPos, startLoc, -1, forInit);
      };
      pp$5.parseExprOp = function(left, leftStartPos, leftStartLoc, minPrec, forInit) {
        var prec = this.type.binop;
        if (prec != null && (!forInit || this.type !== types$1._in)) {
          if (prec > minPrec) {
            var logical = this.type === types$1.logicalOR || this.type === types$1.logicalAND;
            var coalesce = this.type === types$1.coalesce;
            if (coalesce) {
              prec = types$1.logicalAND.binop;
            }
            var op = this.value;
            this.next();
            var startPos = this.start, startLoc = this.startLoc;
            var right = this.parseExprOp(this.parseMaybeUnary(null, false, false, forInit), startPos, startLoc, prec, forInit);
            var node = this.buildBinary(leftStartPos, leftStartLoc, left, right, op, logical || coalesce);
            if (logical && this.type === types$1.coalesce || coalesce && (this.type === types$1.logicalOR || this.type === types$1.logicalAND)) {
              this.raiseRecoverable(this.start, "Logical expressions and coalesce expressions cannot be mixed. Wrap either by parentheses");
            }
            return this.parseExprOp(node, leftStartPos, leftStartLoc, minPrec, forInit);
          }
        }
        return left;
      };
      pp$5.buildBinary = function(startPos, startLoc, left, right, op, logical) {
        if (right.type === "PrivateIdentifier") {
          this.raise(right.start, "Private identifier can only be left side of binary expression");
        }
        var node = this.startNodeAt(startPos, startLoc);
        node.left = left;
        node.operator = op;
        node.right = right;
        return this.finishNode(node, logical ? "LogicalExpression" : "BinaryExpression");
      };
      pp$5.parseMaybeUnary = function(refDestructuringErrors, sawUnary, incDec, forInit) {
        var startPos = this.start, startLoc = this.startLoc, expr;
        if (this.isContextual("await") && this.canAwait) {
          expr = this.parseAwait(forInit);
          sawUnary = true;
        } else if (this.type.prefix) {
          var node = this.startNode(), update = this.type === types$1.incDec;
          node.operator = this.value;
          node.prefix = true;
          this.next();
          node.argument = this.parseMaybeUnary(null, true, update, forInit);
          this.checkExpressionErrors(refDestructuringErrors, true);
          if (update) {
            this.checkLValSimple(node.argument);
          } else if (this.strict && node.operator === "delete" && isLocalVariableAccess(node.argument)) {
            this.raiseRecoverable(node.start, "Deleting local variable in strict mode");
          } else if (node.operator === "delete" && isPrivateFieldAccess(node.argument)) {
            this.raiseRecoverable(node.start, "Private fields can not be deleted");
          } else {
            sawUnary = true;
          }
          expr = this.finishNode(node, update ? "UpdateExpression" : "UnaryExpression");
        } else if (!sawUnary && this.type === types$1.privateId) {
          if ((forInit || this.privateNameStack.length === 0) && this.options.checkPrivateFields) {
            this.unexpected();
          }
          expr = this.parsePrivateIdent();
          if (this.type !== types$1._in) {
            this.unexpected();
          }
        } else {
          expr = this.parseExprSubscripts(refDestructuringErrors, forInit);
          if (this.checkExpressionErrors(refDestructuringErrors)) {
            return expr;
          }
          while (this.type.postfix && !this.canInsertSemicolon()) {
            var node$1 = this.startNodeAt(startPos, startLoc);
            node$1.operator = this.value;
            node$1.prefix = false;
            node$1.argument = expr;
            this.checkLValSimple(expr);
            this.next();
            expr = this.finishNode(node$1, "UpdateExpression");
          }
        }
        if (!incDec && this.eat(types$1.starstar)) {
          if (sawUnary) {
            this.unexpected(this.lastTokStart);
          } else {
            return this.buildBinary(startPos, startLoc, expr, this.parseMaybeUnary(null, false, false, forInit), "**", false);
          }
        } else {
          return expr;
        }
      };
      function isLocalVariableAccess(node) {
        return node.type === "Identifier" || node.type === "ParenthesizedExpression" && isLocalVariableAccess(node.expression);
      }
      function isPrivateFieldAccess(node) {
        return node.type === "MemberExpression" && node.property.type === "PrivateIdentifier" || node.type === "ChainExpression" && isPrivateFieldAccess(node.expression) || node.type === "ParenthesizedExpression" && isPrivateFieldAccess(node.expression);
      }
      pp$5.parseExprSubscripts = function(refDestructuringErrors, forInit) {
        var startPos = this.start, startLoc = this.startLoc;
        var expr = this.parseExprAtom(refDestructuringErrors, forInit);
        if (expr.type === "ArrowFunctionExpression" && this.input.slice(this.lastTokStart, this.lastTokEnd) !== ")") {
          return expr;
        }
        var result = this.parseSubscripts(expr, startPos, startLoc, false, forInit);
        if (refDestructuringErrors && result.type === "MemberExpression") {
          if (refDestructuringErrors.parenthesizedAssign >= result.start) {
            refDestructuringErrors.parenthesizedAssign = -1;
          }
          if (refDestructuringErrors.parenthesizedBind >= result.start) {
            refDestructuringErrors.parenthesizedBind = -1;
          }
          if (refDestructuringErrors.trailingComma >= result.start) {
            refDestructuringErrors.trailingComma = -1;
          }
        }
        return result;
      };
      pp$5.parseSubscripts = function(base, startPos, startLoc, noCalls, forInit) {
        var maybeAsyncArrow = this.options.ecmaVersion >= 8 && base.type === "Identifier" && base.name === "async" && this.lastTokEnd === base.end && !this.canInsertSemicolon() && base.end - base.start === 5 && this.potentialArrowAt === base.start;
        var optionalChained = false;
        while (true) {
          var element = this.parseSubscript(base, startPos, startLoc, noCalls, maybeAsyncArrow, optionalChained, forInit);
          if (element.optional) {
            optionalChained = true;
          }
          if (element === base || element.type === "ArrowFunctionExpression") {
            if (optionalChained) {
              var chainNode = this.startNodeAt(startPos, startLoc);
              chainNode.expression = element;
              element = this.finishNode(chainNode, "ChainExpression");
            }
            return element;
          }
          base = element;
        }
      };
      pp$5.shouldParseAsyncArrow = function() {
        return !this.canInsertSemicolon() && this.eat(types$1.arrow);
      };
      pp$5.parseSubscriptAsyncArrow = function(startPos, startLoc, exprList, forInit) {
        return this.parseArrowExpression(this.startNodeAt(startPos, startLoc), exprList, true, forInit);
      };
      pp$5.parseSubscript = function(base, startPos, startLoc, noCalls, maybeAsyncArrow, optionalChained, forInit) {
        var optionalSupported = this.options.ecmaVersion >= 11;
        var optional = optionalSupported && this.eat(types$1.questionDot);
        if (noCalls && optional) {
          this.raise(this.lastTokStart, "Optional chaining cannot appear in the callee of new expressions");
        }
        var computed = this.eat(types$1.bracketL);
        if (computed || optional && this.type !== types$1.parenL && this.type !== types$1.backQuote || this.eat(types$1.dot)) {
          var node = this.startNodeAt(startPos, startLoc);
          node.object = base;
          if (computed) {
            node.property = this.parseExpression();
            this.expect(types$1.bracketR);
          } else if (this.type === types$1.privateId && base.type !== "Super") {
            node.property = this.parsePrivateIdent();
          } else {
            node.property = this.parseIdent(this.options.allowReserved !== "never");
          }
          node.computed = !!computed;
          if (optionalSupported) {
            node.optional = optional;
          }
          base = this.finishNode(node, "MemberExpression");
        } else if (!noCalls && this.eat(types$1.parenL)) {
          var refDestructuringErrors = new DestructuringErrors(), oldYieldPos = this.yieldPos, oldAwaitPos = this.awaitPos, oldAwaitIdentPos = this.awaitIdentPos;
          this.yieldPos = 0;
          this.awaitPos = 0;
          this.awaitIdentPos = 0;
          var exprList = this.parseExprList(types$1.parenR, this.options.ecmaVersion >= 8, false, refDestructuringErrors);
          if (maybeAsyncArrow && !optional && this.shouldParseAsyncArrow()) {
            this.checkPatternErrors(refDestructuringErrors, false);
            this.checkYieldAwaitInDefaultParams();
            if (this.awaitIdentPos > 0) {
              this.raise(this.awaitIdentPos, "Cannot use 'await' as identifier inside an async function");
            }
            this.yieldPos = oldYieldPos;
            this.awaitPos = oldAwaitPos;
            this.awaitIdentPos = oldAwaitIdentPos;
            return this.parseSubscriptAsyncArrow(startPos, startLoc, exprList, forInit);
          }
          this.checkExpressionErrors(refDestructuringErrors, true);
          this.yieldPos = oldYieldPos || this.yieldPos;
          this.awaitPos = oldAwaitPos || this.awaitPos;
          this.awaitIdentPos = oldAwaitIdentPos || this.awaitIdentPos;
          var node$1 = this.startNodeAt(startPos, startLoc);
          node$1.callee = base;
          node$1.arguments = exprList;
          if (optionalSupported) {
            node$1.optional = optional;
          }
          base = this.finishNode(node$1, "CallExpression");
        } else if (this.type === types$1.backQuote) {
          if (optional || optionalChained) {
            this.raise(this.start, "Optional chaining cannot appear in the tag of tagged template expressions");
          }
          var node$2 = this.startNodeAt(startPos, startLoc);
          node$2.tag = base;
          node$2.quasi = this.parseTemplate({ isTagged: true });
          base = this.finishNode(node$2, "TaggedTemplateExpression");
        }
        return base;
      };
      pp$5.parseExprAtom = function(refDestructuringErrors, forInit, forNew) {
        if (this.type === types$1.slash) {
          this.readRegexp();
        }
        var node, canBeArrow = this.potentialArrowAt === this.start;
        switch (this.type) {
          case types$1._super:
            if (!this.allowSuper) {
              this.raise(this.start, "'super' keyword outside a method");
            }
            node = this.startNode();
            this.next();
            if (this.type === types$1.parenL && !this.allowDirectSuper) {
              this.raise(node.start, "super() call outside constructor of a subclass");
            }
            if (this.type !== types$1.dot && this.type !== types$1.bracketL && this.type !== types$1.parenL) {
              this.unexpected();
            }
            return this.finishNode(node, "Super");
          case types$1._this:
            node = this.startNode();
            this.next();
            return this.finishNode(node, "ThisExpression");
          case types$1.name:
            var startPos = this.start, startLoc = this.startLoc, containsEsc = this.containsEsc;
            var id = this.parseIdent(false);
            if (this.options.ecmaVersion >= 8 && !containsEsc && id.name === "async" && !this.canInsertSemicolon() && this.eat(types$1._function)) {
              this.overrideContext(types.f_expr);
              return this.parseFunction(this.startNodeAt(startPos, startLoc), 0, false, true, forInit);
            }
            if (canBeArrow && !this.canInsertSemicolon()) {
              if (this.eat(types$1.arrow)) {
                return this.parseArrowExpression(this.startNodeAt(startPos, startLoc), [id], false, forInit);
              }
              if (this.options.ecmaVersion >= 8 && id.name === "async" && this.type === types$1.name && !containsEsc && (!this.potentialArrowInForAwait || this.value !== "of" || this.containsEsc)) {
                id = this.parseIdent(false);
                if (this.canInsertSemicolon() || !this.eat(types$1.arrow)) {
                  this.unexpected();
                }
                return this.parseArrowExpression(this.startNodeAt(startPos, startLoc), [id], true, forInit);
              }
            }
            return id;
          case types$1.regexp:
            var value = this.value;
            node = this.parseLiteral(value.value);
            node.regex = { pattern: value.pattern, flags: value.flags };
            return node;
          case types$1.num:
          case types$1.string:
            return this.parseLiteral(this.value);
          case types$1._null:
          case types$1._true:
          case types$1._false:
            node = this.startNode();
            node.value = this.type === types$1._null ? null : this.type === types$1._true;
            node.raw = this.type.keyword;
            this.next();
            return this.finishNode(node, "Literal");
          case types$1.parenL:
            var start = this.start, expr = this.parseParenAndDistinguishExpression(canBeArrow, forInit);
            if (refDestructuringErrors) {
              if (refDestructuringErrors.parenthesizedAssign < 0 && !this.isSimpleAssignTarget(expr)) {
                refDestructuringErrors.parenthesizedAssign = start;
              }
              if (refDestructuringErrors.parenthesizedBind < 0) {
                refDestructuringErrors.parenthesizedBind = start;
              }
            }
            return expr;
          case types$1.bracketL:
            node = this.startNode();
            this.next();
            node.elements = this.parseExprList(types$1.bracketR, true, true, refDestructuringErrors);
            return this.finishNode(node, "ArrayExpression");
          case types$1.braceL:
            this.overrideContext(types.b_expr);
            return this.parseObj(false, refDestructuringErrors);
          case types$1._function:
            node = this.startNode();
            this.next();
            return this.parseFunction(node, 0);
          case types$1._class:
            return this.parseClass(this.startNode(), false);
          case types$1._new:
            return this.parseNew();
          case types$1.backQuote:
            return this.parseTemplate();
          case types$1._import:
            if (this.options.ecmaVersion >= 11) {
              return this.parseExprImport(forNew);
            } else {
              return this.unexpected();
            }
          default:
            return this.parseExprAtomDefault();
        }
      };
      pp$5.parseExprAtomDefault = function() {
        this.unexpected();
      };
      pp$5.parseExprImport = function(forNew) {
        var node = this.startNode();
        if (this.containsEsc) {
          this.raiseRecoverable(this.start, "Escape sequence in keyword import");
        }
        this.next();
        if (this.type === types$1.parenL && !forNew) {
          return this.parseDynamicImport(node);
        } else if (this.type === types$1.dot) {
          var meta = this.startNodeAt(node.start, node.loc && node.loc.start);
          meta.name = "import";
          node.meta = this.finishNode(meta, "Identifier");
          return this.parseImportMeta(node);
        } else {
          this.unexpected();
        }
      };
      pp$5.parseDynamicImport = function(node) {
        this.next();
        node.source = this.parseMaybeAssign();
        if (!this.eat(types$1.parenR)) {
          var errorPos = this.start;
          if (this.eat(types$1.comma) && this.eat(types$1.parenR)) {
            this.raiseRecoverable(errorPos, "Trailing comma is not allowed in import()");
          } else {
            this.unexpected(errorPos);
          }
        }
        return this.finishNode(node, "ImportExpression");
      };
      pp$5.parseImportMeta = function(node) {
        this.next();
        var containsEsc = this.containsEsc;
        node.property = this.parseIdent(true);
        if (node.property.name !== "meta") {
          this.raiseRecoverable(node.property.start, "The only valid meta property for import is 'import.meta'");
        }
        if (containsEsc) {
          this.raiseRecoverable(node.start, "'import.meta' must not contain escaped characters");
        }
        if (this.options.sourceType !== "module" && !this.options.allowImportExportEverywhere) {
          this.raiseRecoverable(node.start, "Cannot use 'import.meta' outside a module");
        }
        return this.finishNode(node, "MetaProperty");
      };
      pp$5.parseLiteral = function(value) {
        var node = this.startNode();
        node.value = value;
        node.raw = this.input.slice(this.start, this.end);
        if (node.raw.charCodeAt(node.raw.length - 1) === 110) {
          node.bigint = node.raw.slice(0, -1).replace(/_/g, "");
        }
        this.next();
        return this.finishNode(node, "Literal");
      };
      pp$5.parseParenExpression = function() {
        this.expect(types$1.parenL);
        var val = this.parseExpression();
        this.expect(types$1.parenR);
        return val;
      };
      pp$5.shouldParseArrow = function(exprList) {
        return !this.canInsertSemicolon();
      };
      pp$5.parseParenAndDistinguishExpression = function(canBeArrow, forInit) {
        var startPos = this.start, startLoc = this.startLoc, val, allowTrailingComma = this.options.ecmaVersion >= 8;
        if (this.options.ecmaVersion >= 6) {
          this.next();
          var innerStartPos = this.start, innerStartLoc = this.startLoc;
          var exprList = [], first = true, lastIsComma = false;
          var refDestructuringErrors = new DestructuringErrors(), oldYieldPos = this.yieldPos, oldAwaitPos = this.awaitPos, spreadStart;
          this.yieldPos = 0;
          this.awaitPos = 0;
          while (this.type !== types$1.parenR) {
            first ? first = false : this.expect(types$1.comma);
            if (allowTrailingComma && this.afterTrailingComma(types$1.parenR, true)) {
              lastIsComma = true;
              break;
            } else if (this.type === types$1.ellipsis) {
              spreadStart = this.start;
              exprList.push(this.parseParenItem(this.parseRestBinding()));
              if (this.type === types$1.comma) {
                this.raiseRecoverable(
                  this.start,
                  "Comma is not permitted after the rest element"
                );
              }
              break;
            } else {
              exprList.push(this.parseMaybeAssign(false, refDestructuringErrors, this.parseParenItem));
            }
          }
          var innerEndPos = this.lastTokEnd, innerEndLoc = this.lastTokEndLoc;
          this.expect(types$1.parenR);
          if (canBeArrow && this.shouldParseArrow(exprList) && this.eat(types$1.arrow)) {
            this.checkPatternErrors(refDestructuringErrors, false);
            this.checkYieldAwaitInDefaultParams();
            this.yieldPos = oldYieldPos;
            this.awaitPos = oldAwaitPos;
            return this.parseParenArrowList(startPos, startLoc, exprList, forInit);
          }
          if (!exprList.length || lastIsComma) {
            this.unexpected(this.lastTokStart);
          }
          if (spreadStart) {
            this.unexpected(spreadStart);
          }
          this.checkExpressionErrors(refDestructuringErrors, true);
          this.yieldPos = oldYieldPos || this.yieldPos;
          this.awaitPos = oldAwaitPos || this.awaitPos;
          if (exprList.length > 1) {
            val = this.startNodeAt(innerStartPos, innerStartLoc);
            val.expressions = exprList;
            this.finishNodeAt(val, "SequenceExpression", innerEndPos, innerEndLoc);
          } else {
            val = exprList[0];
          }
        } else {
          val = this.parseParenExpression();
        }
        if (this.options.preserveParens) {
          var par = this.startNodeAt(startPos, startLoc);
          par.expression = val;
          return this.finishNode(par, "ParenthesizedExpression");
        } else {
          return val;
        }
      };
      pp$5.parseParenItem = function(item) {
        return item;
      };
      pp$5.parseParenArrowList = function(startPos, startLoc, exprList, forInit) {
        return this.parseArrowExpression(this.startNodeAt(startPos, startLoc), exprList, false, forInit);
      };
      var empty = [];
      pp$5.parseNew = function() {
        if (this.containsEsc) {
          this.raiseRecoverable(this.start, "Escape sequence in keyword new");
        }
        var node = this.startNode();
        this.next();
        if (this.options.ecmaVersion >= 6 && this.type === types$1.dot) {
          var meta = this.startNodeAt(node.start, node.loc && node.loc.start);
          meta.name = "new";
          node.meta = this.finishNode(meta, "Identifier");
          this.next();
          var containsEsc = this.containsEsc;
          node.property = this.parseIdent(true);
          if (node.property.name !== "target") {
            this.raiseRecoverable(node.property.start, "The only valid meta property for new is 'new.target'");
          }
          if (containsEsc) {
            this.raiseRecoverable(node.start, "'new.target' must not contain escaped characters");
          }
          if (!this.allowNewDotTarget) {
            this.raiseRecoverable(node.start, "'new.target' can only be used in functions and class static block");
          }
          return this.finishNode(node, "MetaProperty");
        }
        var startPos = this.start, startLoc = this.startLoc;
        node.callee = this.parseSubscripts(this.parseExprAtom(null, false, true), startPos, startLoc, true, false);
        if (this.eat(types$1.parenL)) {
          node.arguments = this.parseExprList(types$1.parenR, this.options.ecmaVersion >= 8, false);
        } else {
          node.arguments = empty;
        }
        return this.finishNode(node, "NewExpression");
      };
      pp$5.parseTemplateElement = function(ref2) {
        var isTagged = ref2.isTagged;
        var elem = this.startNode();
        if (this.type === types$1.invalidTemplate) {
          if (!isTagged) {
            this.raiseRecoverable(this.start, "Bad escape sequence in untagged template literal");
          }
          elem.value = {
            raw: this.value.replace(/\r\n?/g, "\n"),
            cooked: null
          };
        } else {
          elem.value = {
            raw: this.input.slice(this.start, this.end).replace(/\r\n?/g, "\n"),
            cooked: this.value
          };
        }
        this.next();
        elem.tail = this.type === types$1.backQuote;
        return this.finishNode(elem, "TemplateElement");
      };
      pp$5.parseTemplate = function(ref2) {
        if (ref2 === void 0) ref2 = {};
        var isTagged = ref2.isTagged;
        if (isTagged === void 0) isTagged = false;
        var node = this.startNode();
        this.next();
        node.expressions = [];
        var curElt = this.parseTemplateElement({ isTagged });
        node.quasis = [curElt];
        while (!curElt.tail) {
          if (this.type === types$1.eof) {
            this.raise(this.pos, "Unterminated template literal");
          }
          this.expect(types$1.dollarBraceL);
          node.expressions.push(this.parseExpression());
          this.expect(types$1.braceR);
          node.quasis.push(curElt = this.parseTemplateElement({ isTagged }));
        }
        this.next();
        return this.finishNode(node, "TemplateLiteral");
      };
      pp$5.isAsyncProp = function(prop) {
        return !prop.computed && prop.key.type === "Identifier" && prop.key.name === "async" && (this.type === types$1.name || this.type === types$1.num || this.type === types$1.string || this.type === types$1.bracketL || this.type.keyword || this.options.ecmaVersion >= 9 && this.type === types$1.star) && !lineBreak.test(this.input.slice(this.lastTokEnd, this.start));
      };
      pp$5.parseObj = function(isPattern, refDestructuringErrors) {
        var node = this.startNode(), first = true, propHash = {};
        node.properties = [];
        this.next();
        while (!this.eat(types$1.braceR)) {
          if (!first) {
            this.expect(types$1.comma);
            if (this.options.ecmaVersion >= 5 && this.afterTrailingComma(types$1.braceR)) {
              break;
            }
          } else {
            first = false;
          }
          var prop = this.parseProperty(isPattern, refDestructuringErrors);
          if (!isPattern) {
            this.checkPropClash(prop, propHash, refDestructuringErrors);
          }
          node.properties.push(prop);
        }
        return this.finishNode(node, isPattern ? "ObjectPattern" : "ObjectExpression");
      };
      pp$5.parseProperty = function(isPattern, refDestructuringErrors) {
        var prop = this.startNode(), isGenerator, isAsync2, startPos, startLoc;
        if (this.options.ecmaVersion >= 9 && this.eat(types$1.ellipsis)) {
          if (isPattern) {
            prop.argument = this.parseIdent(false);
            if (this.type === types$1.comma) {
              this.raiseRecoverable(this.start, "Comma is not permitted after the rest element");
            }
            return this.finishNode(prop, "RestElement");
          }
          prop.argument = this.parseMaybeAssign(false, refDestructuringErrors);
          if (this.type === types$1.comma && refDestructuringErrors && refDestructuringErrors.trailingComma < 0) {
            refDestructuringErrors.trailingComma = this.start;
          }
          return this.finishNode(prop, "SpreadElement");
        }
        if (this.options.ecmaVersion >= 6) {
          prop.method = false;
          prop.shorthand = false;
          if (isPattern || refDestructuringErrors) {
            startPos = this.start;
            startLoc = this.startLoc;
          }
          if (!isPattern) {
            isGenerator = this.eat(types$1.star);
          }
        }
        var containsEsc = this.containsEsc;
        this.parsePropertyName(prop);
        if (!isPattern && !containsEsc && this.options.ecmaVersion >= 8 && !isGenerator && this.isAsyncProp(prop)) {
          isAsync2 = true;
          isGenerator = this.options.ecmaVersion >= 9 && this.eat(types$1.star);
          this.parsePropertyName(prop);
        } else {
          isAsync2 = false;
        }
        this.parsePropertyValue(prop, isPattern, isGenerator, isAsync2, startPos, startLoc, refDestructuringErrors, containsEsc);
        return this.finishNode(prop, "Property");
      };
      pp$5.parseGetterSetter = function(prop) {
        prop.kind = prop.key.name;
        this.parsePropertyName(prop);
        prop.value = this.parseMethod(false);
        var paramCount = prop.kind === "get" ? 0 : 1;
        if (prop.value.params.length !== paramCount) {
          var start = prop.value.start;
          if (prop.kind === "get") {
            this.raiseRecoverable(start, "getter should have no params");
          } else {
            this.raiseRecoverable(start, "setter should have exactly one param");
          }
        } else {
          if (prop.kind === "set" && prop.value.params[0].type === "RestElement") {
            this.raiseRecoverable(prop.value.params[0].start, "Setter cannot use rest params");
          }
        }
      };
      pp$5.parsePropertyValue = function(prop, isPattern, isGenerator, isAsync2, startPos, startLoc, refDestructuringErrors, containsEsc) {
        if ((isGenerator || isAsync2) && this.type === types$1.colon) {
          this.unexpected();
        }
        if (this.eat(types$1.colon)) {
          prop.value = isPattern ? this.parseMaybeDefault(this.start, this.startLoc) : this.parseMaybeAssign(false, refDestructuringErrors);
          prop.kind = "init";
        } else if (this.options.ecmaVersion >= 6 && this.type === types$1.parenL) {
          if (isPattern) {
            this.unexpected();
          }
          prop.kind = "init";
          prop.method = true;
          prop.value = this.parseMethod(isGenerator, isAsync2);
        } else if (!isPattern && !containsEsc && this.options.ecmaVersion >= 5 && !prop.computed && prop.key.type === "Identifier" && (prop.key.name === "get" || prop.key.name === "set") && (this.type !== types$1.comma && this.type !== types$1.braceR && this.type !== types$1.eq)) {
          if (isGenerator || isAsync2) {
            this.unexpected();
          }
          this.parseGetterSetter(prop);
        } else if (this.options.ecmaVersion >= 6 && !prop.computed && prop.key.type === "Identifier") {
          if (isGenerator || isAsync2) {
            this.unexpected();
          }
          this.checkUnreserved(prop.key);
          if (prop.key.name === "await" && !this.awaitIdentPos) {
            this.awaitIdentPos = startPos;
          }
          prop.kind = "init";
          if (isPattern) {
            prop.value = this.parseMaybeDefault(startPos, startLoc, this.copyNode(prop.key));
          } else if (this.type === types$1.eq && refDestructuringErrors) {
            if (refDestructuringErrors.shorthandAssign < 0) {
              refDestructuringErrors.shorthandAssign = this.start;
            }
            prop.value = this.parseMaybeDefault(startPos, startLoc, this.copyNode(prop.key));
          } else {
            prop.value = this.copyNode(prop.key);
          }
          prop.shorthand = true;
        } else {
          this.unexpected();
        }
      };
      pp$5.parsePropertyName = function(prop) {
        if (this.options.ecmaVersion >= 6) {
          if (this.eat(types$1.bracketL)) {
            prop.computed = true;
            prop.key = this.parseMaybeAssign();
            this.expect(types$1.bracketR);
            return prop.key;
          } else {
            prop.computed = false;
          }
        }
        return prop.key = this.type === types$1.num || this.type === types$1.string ? this.parseExprAtom() : this.parseIdent(this.options.allowReserved !== "never");
      };
      pp$5.initFunction = function(node) {
        node.id = null;
        if (this.options.ecmaVersion >= 6) {
          node.generator = node.expression = false;
        }
        if (this.options.ecmaVersion >= 8) {
          node.async = false;
        }
      };
      pp$5.parseMethod = function(isGenerator, isAsync2, allowDirectSuper) {
        var node = this.startNode(), oldYieldPos = this.yieldPos, oldAwaitPos = this.awaitPos, oldAwaitIdentPos = this.awaitIdentPos;
        this.initFunction(node);
        if (this.options.ecmaVersion >= 6) {
          node.generator = isGenerator;
        }
        if (this.options.ecmaVersion >= 8) {
          node.async = !!isAsync2;
        }
        this.yieldPos = 0;
        this.awaitPos = 0;
        this.awaitIdentPos = 0;
        this.enterScope(functionFlags(isAsync2, node.generator) | SCOPE_SUPER | (allowDirectSuper ? SCOPE_DIRECT_SUPER : 0));
        this.expect(types$1.parenL);
        node.params = this.parseBindingList(types$1.parenR, false, this.options.ecmaVersion >= 8);
        this.checkYieldAwaitInDefaultParams();
        this.parseFunctionBody(node, false, true, false);
        this.yieldPos = oldYieldPos;
        this.awaitPos = oldAwaitPos;
        this.awaitIdentPos = oldAwaitIdentPos;
        return this.finishNode(node, "FunctionExpression");
      };
      pp$5.parseArrowExpression = function(node, params, isAsync2, forInit) {
        var oldYieldPos = this.yieldPos, oldAwaitPos = this.awaitPos, oldAwaitIdentPos = this.awaitIdentPos;
        this.enterScope(functionFlags(isAsync2, false) | SCOPE_ARROW);
        this.initFunction(node);
        if (this.options.ecmaVersion >= 8) {
          node.async = !!isAsync2;
        }
        this.yieldPos = 0;
        this.awaitPos = 0;
        this.awaitIdentPos = 0;
        node.params = this.toAssignableList(params, true);
        this.parseFunctionBody(node, true, false, forInit);
        this.yieldPos = oldYieldPos;
        this.awaitPos = oldAwaitPos;
        this.awaitIdentPos = oldAwaitIdentPos;
        return this.finishNode(node, "ArrowFunctionExpression");
      };
      pp$5.parseFunctionBody = function(node, isArrowFunction, isMethod, forInit) {
        var isExpression = isArrowFunction && this.type !== types$1.braceL;
        var oldStrict = this.strict, useStrict = false;
        if (isExpression) {
          node.body = this.parseMaybeAssign(forInit);
          node.expression = true;
          this.checkParams(node, false);
        } else {
          var nonSimple = this.options.ecmaVersion >= 7 && !this.isSimpleParamList(node.params);
          if (!oldStrict || nonSimple) {
            useStrict = this.strictDirective(this.end);
            if (useStrict && nonSimple) {
              this.raiseRecoverable(node.start, "Illegal 'use strict' directive in function with non-simple parameter list");
            }
          }
          var oldLabels = this.labels;
          this.labels = [];
          if (useStrict) {
            this.strict = true;
          }
          this.checkParams(node, !oldStrict && !useStrict && !isArrowFunction && !isMethod && this.isSimpleParamList(node.params));
          if (this.strict && node.id) {
            this.checkLValSimple(node.id, BIND_OUTSIDE);
          }
          node.body = this.parseBlock(false, void 0, useStrict && !oldStrict);
          node.expression = false;
          this.adaptDirectivePrologue(node.body.body);
          this.labels = oldLabels;
        }
        this.exitScope();
      };
      pp$5.isSimpleParamList = function(params) {
        for (var i2 = 0, list2 = params; i2 < list2.length; i2 += 1) {
          var param = list2[i2];
          if (param.type !== "Identifier") {
            return false;
          }
        }
        return true;
      };
      pp$5.checkParams = function(node, allowDuplicates) {
        var nameHash = /* @__PURE__ */ Object.create(null);
        for (var i2 = 0, list2 = node.params; i2 < list2.length; i2 += 1) {
          var param = list2[i2];
          this.checkLValInnerPattern(param, BIND_VAR, allowDuplicates ? null : nameHash);
        }
      };
      pp$5.parseExprList = function(close, allowTrailingComma, allowEmpty, refDestructuringErrors) {
        var elts = [], first = true;
        while (!this.eat(close)) {
          if (!first) {
            this.expect(types$1.comma);
            if (allowTrailingComma && this.afterTrailingComma(close)) {
              break;
            }
          } else {
            first = false;
          }
          var elt = void 0;
          if (allowEmpty && this.type === types$1.comma) {
            elt = null;
          } else if (this.type === types$1.ellipsis) {
            elt = this.parseSpread(refDestructuringErrors);
            if (refDestructuringErrors && this.type === types$1.comma && refDestructuringErrors.trailingComma < 0) {
              refDestructuringErrors.trailingComma = this.start;
            }
          } else {
            elt = this.parseMaybeAssign(false, refDestructuringErrors);
          }
          elts.push(elt);
        }
        return elts;
      };
      pp$5.checkUnreserved = function(ref2) {
        var start = ref2.start;
        var end = ref2.end;
        var name = ref2.name;
        if (this.inGenerator && name === "yield") {
          this.raiseRecoverable(start, "Cannot use 'yield' as identifier inside a generator");
        }
        if (this.inAsync && name === "await") {
          this.raiseRecoverable(start, "Cannot use 'await' as identifier inside an async function");
        }
        if (this.currentThisScope().inClassFieldInit && name === "arguments") {
          this.raiseRecoverable(start, "Cannot use 'arguments' in class field initializer");
        }
        if (this.inClassStaticBlock && (name === "arguments" || name === "await")) {
          this.raise(start, "Cannot use " + name + " in class static initialization block");
        }
        if (this.keywords.test(name)) {
          this.raise(start, "Unexpected keyword '" + name + "'");
        }
        if (this.options.ecmaVersion < 6 && this.input.slice(start, end).indexOf("\\") !== -1) {
          return;
        }
        var re = this.strict ? this.reservedWordsStrict : this.reservedWords;
        if (re.test(name)) {
          if (!this.inAsync && name === "await") {
            this.raiseRecoverable(start, "Cannot use keyword 'await' outside an async function");
          }
          this.raiseRecoverable(start, "The keyword '" + name + "' is reserved");
        }
      };
      pp$5.parseIdent = function(liberal) {
        var node = this.parseIdentNode();
        this.next(!!liberal);
        this.finishNode(node, "Identifier");
        if (!liberal) {
          this.checkUnreserved(node);
          if (node.name === "await" && !this.awaitIdentPos) {
            this.awaitIdentPos = node.start;
          }
        }
        return node;
      };
      pp$5.parseIdentNode = function() {
        var node = this.startNode();
        if (this.type === types$1.name) {
          node.name = this.value;
        } else if (this.type.keyword) {
          node.name = this.type.keyword;
          if ((node.name === "class" || node.name === "function") && (this.lastTokEnd !== this.lastTokStart + 1 || this.input.charCodeAt(this.lastTokStart) !== 46)) {
            this.context.pop();
          }
          this.type = types$1.name;
        } else {
          this.unexpected();
        }
        return node;
      };
      pp$5.parsePrivateIdent = function() {
        var node = this.startNode();
        if (this.type === types$1.privateId) {
          node.name = this.value;
        } else {
          this.unexpected();
        }
        this.next();
        this.finishNode(node, "PrivateIdentifier");
        if (this.options.checkPrivateFields) {
          if (this.privateNameStack.length === 0) {
            this.raise(node.start, "Private field '#" + node.name + "' must be declared in an enclosing class");
          } else {
            this.privateNameStack[this.privateNameStack.length - 1].used.push(node);
          }
        }
        return node;
      };
      pp$5.parseYield = function(forInit) {
        if (!this.yieldPos) {
          this.yieldPos = this.start;
        }
        var node = this.startNode();
        this.next();
        if (this.type === types$1.semi || this.canInsertSemicolon() || this.type !== types$1.star && !this.type.startsExpr) {
          node.delegate = false;
          node.argument = null;
        } else {
          node.delegate = this.eat(types$1.star);
          node.argument = this.parseMaybeAssign(forInit);
        }
        return this.finishNode(node, "YieldExpression");
      };
      pp$5.parseAwait = function(forInit) {
        if (!this.awaitPos) {
          this.awaitPos = this.start;
        }
        var node = this.startNode();
        this.next();
        node.argument = this.parseMaybeUnary(null, true, false, forInit);
        return this.finishNode(node, "AwaitExpression");
      };
      var pp$4 = Parser.prototype;
      pp$4.raise = function(pos, message) {
        var loc = getLineInfo(this.input, pos);
        message += " (" + loc.line + ":" + loc.column + ")";
        var err = new SyntaxError(message);
        err.pos = pos;
        err.loc = loc;
        err.raisedAt = this.pos;
        throw err;
      };
      pp$4.raiseRecoverable = pp$4.raise;
      pp$4.curPosition = function() {
        if (this.options.locations) {
          return new Position(this.curLine, this.pos - this.lineStart);
        }
      };
      var pp$3 = Parser.prototype;
      var Scope = function Scope2(flags) {
        this.flags = flags;
        this.var = [];
        this.lexical = [];
        this.functions = [];
        this.inClassFieldInit = false;
      };
      pp$3.enterScope = function(flags) {
        this.scopeStack.push(new Scope(flags));
      };
      pp$3.exitScope = function() {
        this.scopeStack.pop();
      };
      pp$3.treatFunctionsAsVarInScope = function(scope) {
        return scope.flags & SCOPE_FUNCTION || !this.inModule && scope.flags & SCOPE_TOP;
      };
      pp$3.declareName = function(name, bindingType, pos) {
        var redeclared = false;
        if (bindingType === BIND_LEXICAL) {
          var scope = this.currentScope();
          redeclared = scope.lexical.indexOf(name) > -1 || scope.functions.indexOf(name) > -1 || scope.var.indexOf(name) > -1;
          scope.lexical.push(name);
          if (this.inModule && scope.flags & SCOPE_TOP) {
            delete this.undefinedExports[name];
          }
        } else if (bindingType === BIND_SIMPLE_CATCH) {
          var scope$1 = this.currentScope();
          scope$1.lexical.push(name);
        } else if (bindingType === BIND_FUNCTION) {
          var scope$2 = this.currentScope();
          if (this.treatFunctionsAsVar) {
            redeclared = scope$2.lexical.indexOf(name) > -1;
          } else {
            redeclared = scope$2.lexical.indexOf(name) > -1 || scope$2.var.indexOf(name) > -1;
          }
          scope$2.functions.push(name);
        } else {
          for (var i2 = this.scopeStack.length - 1; i2 >= 0; --i2) {
            var scope$3 = this.scopeStack[i2];
            if (scope$3.lexical.indexOf(name) > -1 && !(scope$3.flags & SCOPE_SIMPLE_CATCH && scope$3.lexical[0] === name) || !this.treatFunctionsAsVarInScope(scope$3) && scope$3.functions.indexOf(name) > -1) {
              redeclared = true;
              break;
            }
            scope$3.var.push(name);
            if (this.inModule && scope$3.flags & SCOPE_TOP) {
              delete this.undefinedExports[name];
            }
            if (scope$3.flags & SCOPE_VAR) {
              break;
            }
          }
        }
        if (redeclared) {
          this.raiseRecoverable(pos, "Identifier '" + name + "' has already been declared");
        }
      };
      pp$3.checkLocalExport = function(id) {
        if (this.scopeStack[0].lexical.indexOf(id.name) === -1 && this.scopeStack[0].var.indexOf(id.name) === -1) {
          this.undefinedExports[id.name] = id;
        }
      };
      pp$3.currentScope = function() {
        return this.scopeStack[this.scopeStack.length - 1];
      };
      pp$3.currentVarScope = function() {
        for (var i2 = this.scopeStack.length - 1; ; i2--) {
          var scope = this.scopeStack[i2];
          if (scope.flags & SCOPE_VAR) {
            return scope;
          }
        }
      };
      pp$3.currentThisScope = function() {
        for (var i2 = this.scopeStack.length - 1; ; i2--) {
          var scope = this.scopeStack[i2];
          if (scope.flags & SCOPE_VAR && !(scope.flags & SCOPE_ARROW)) {
            return scope;
          }
        }
      };
      var Node = function Node2(parser, pos, loc) {
        this.type = "";
        this.start = pos;
        this.end = 0;
        if (parser.options.locations) {
          this.loc = new SourceLocation(parser, loc);
        }
        if (parser.options.directSourceFile) {
          this.sourceFile = parser.options.directSourceFile;
        }
        if (parser.options.ranges) {
          this.range = [pos, 0];
        }
      };
      var pp$2 = Parser.prototype;
      pp$2.startNode = function() {
        return new Node(this, this.start, this.startLoc);
      };
      pp$2.startNodeAt = function(pos, loc) {
        return new Node(this, pos, loc);
      };
      function finishNodeAt(node, type, pos, loc) {
        node.type = type;
        node.end = pos;
        if (this.options.locations) {
          node.loc.end = loc;
        }
        if (this.options.ranges) {
          node.range[1] = pos;
        }
        return node;
      }
      pp$2.finishNode = function(node, type) {
        return finishNodeAt.call(this, node, type, this.lastTokEnd, this.lastTokEndLoc);
      };
      pp$2.finishNodeAt = function(node, type, pos, loc) {
        return finishNodeAt.call(this, node, type, pos, loc);
      };
      pp$2.copyNode = function(node) {
        var newNode = new Node(this, node.start, this.startLoc);
        for (var prop in node) {
          newNode[prop] = node[prop];
        }
        return newNode;
      };
      var ecma9BinaryProperties = "ASCII ASCII_Hex_Digit AHex Alphabetic Alpha Any Assigned Bidi_Control Bidi_C Bidi_Mirrored Bidi_M Case_Ignorable CI Cased Changes_When_Casefolded CWCF Changes_When_Casemapped CWCM Changes_When_Lowercased CWL Changes_When_NFKC_Casefolded CWKCF Changes_When_Titlecased CWT Changes_When_Uppercased CWU Dash Default_Ignorable_Code_Point DI Deprecated Dep Diacritic Dia Emoji Emoji_Component Emoji_Modifier Emoji_Modifier_Base Emoji_Presentation Extender Ext Grapheme_Base Gr_Base Grapheme_Extend Gr_Ext Hex_Digit Hex IDS_Binary_Operator IDSB IDS_Trinary_Operator IDST ID_Continue IDC ID_Start IDS Ideographic Ideo Join_Control Join_C Logical_Order_Exception LOE Lowercase Lower Math Noncharacter_Code_Point NChar Pattern_Syntax Pat_Syn Pattern_White_Space Pat_WS Quotation_Mark QMark Radical Regional_Indicator RI Sentence_Terminal STerm Soft_Dotted SD Terminal_Punctuation Term Unified_Ideograph UIdeo Uppercase Upper Variation_Selector VS White_Space space XID_Continue XIDC XID_Start XIDS";
      var ecma10BinaryProperties = ecma9BinaryProperties + " Extended_Pictographic";
      var ecma11BinaryProperties = ecma10BinaryProperties;
      var ecma12BinaryProperties = ecma11BinaryProperties + " EBase EComp EMod EPres ExtPict";
      var ecma13BinaryProperties = ecma12BinaryProperties;
      var ecma14BinaryProperties = ecma13BinaryProperties;
      var unicodeBinaryProperties = {
        9: ecma9BinaryProperties,
        10: ecma10BinaryProperties,
        11: ecma11BinaryProperties,
        12: ecma12BinaryProperties,
        13: ecma13BinaryProperties,
        14: ecma14BinaryProperties
      };
      var ecma14BinaryPropertiesOfStrings = "Basic_Emoji Emoji_Keycap_Sequence RGI_Emoji_Modifier_Sequence RGI_Emoji_Flag_Sequence RGI_Emoji_Tag_Sequence RGI_Emoji_ZWJ_Sequence RGI_Emoji";
      var unicodeBinaryPropertiesOfStrings = {
        9: "",
        10: "",
        11: "",
        12: "",
        13: "",
        14: ecma14BinaryPropertiesOfStrings
      };
      var unicodeGeneralCategoryValues = "Cased_Letter LC Close_Punctuation Pe Connector_Punctuation Pc Control Cc cntrl Currency_Symbol Sc Dash_Punctuation Pd Decimal_Number Nd digit Enclosing_Mark Me Final_Punctuation Pf Format Cf Initial_Punctuation Pi Letter L Letter_Number Nl Line_Separator Zl Lowercase_Letter Ll Mark M Combining_Mark Math_Symbol Sm Modifier_Letter Lm Modifier_Symbol Sk Nonspacing_Mark Mn Number N Open_Punctuation Ps Other C Other_Letter Lo Other_Number No Other_Punctuation Po Other_Symbol So Paragraph_Separator Zp Private_Use Co Punctuation P punct Separator Z Space_Separator Zs Spacing_Mark Mc Surrogate Cs Symbol S Titlecase_Letter Lt Unassigned Cn Uppercase_Letter Lu";
      var ecma9ScriptValues = "Adlam Adlm Ahom Anatolian_Hieroglyphs Hluw Arabic Arab Armenian Armn Avestan Avst Balinese Bali Bamum Bamu Bassa_Vah Bass Batak Batk Bengali Beng Bhaiksuki Bhks Bopomofo Bopo Brahmi Brah Braille Brai Buginese Bugi Buhid Buhd Canadian_Aboriginal Cans Carian Cari Caucasian_Albanian Aghb Chakma Cakm Cham Cham Cherokee Cher Common Zyyy Coptic Copt Qaac Cuneiform Xsux Cypriot Cprt Cyrillic Cyrl Deseret Dsrt Devanagari Deva Duployan Dupl Egyptian_Hieroglyphs Egyp Elbasan Elba Ethiopic Ethi Georgian Geor Glagolitic Glag Gothic Goth Grantha Gran Greek Grek Gujarati Gujr Gurmukhi Guru Han Hani Hangul Hang Hanunoo Hano Hatran Hatr Hebrew Hebr Hiragana Hira Imperial_Aramaic Armi Inherited Zinh Qaai Inscriptional_Pahlavi Phli Inscriptional_Parthian Prti Javanese Java Kaithi Kthi Kannada Knda Katakana Kana Kayah_Li Kali Kharoshthi Khar Khmer Khmr Khojki Khoj Khudawadi Sind Lao Laoo Latin Latn Lepcha Lepc Limbu Limb Linear_A Lina Linear_B Linb Lisu Lisu Lycian Lyci Lydian Lydi Mahajani Mahj Malayalam Mlym Mandaic Mand Manichaean Mani Marchen Marc Masaram_Gondi Gonm Meetei_Mayek Mtei Mende_Kikakui Mend Meroitic_Cursive Merc Meroitic_Hieroglyphs Mero Miao Plrd Modi Mongolian Mong Mro Mroo Multani Mult Myanmar Mymr Nabataean Nbat New_Tai_Lue Talu Newa Newa Nko Nkoo Nushu Nshu Ogham Ogam Ol_Chiki Olck Old_Hungarian Hung Old_Italic Ital Old_North_Arabian Narb Old_Permic Perm Old_Persian Xpeo Old_South_Arabian Sarb Old_Turkic Orkh Oriya Orya Osage Osge Osmanya Osma Pahawh_Hmong Hmng Palmyrene Palm Pau_Cin_Hau Pauc Phags_Pa Phag Phoenician Phnx Psalter_Pahlavi Phlp Rejang Rjng Runic Runr Samaritan Samr Saurashtra Saur Sharada Shrd Shavian Shaw Siddham Sidd SignWriting Sgnw Sinhala Sinh Sora_Sompeng Sora Soyombo Soyo Sundanese Sund Syloti_Nagri Sylo Syriac Syrc Tagalog Tglg Tagbanwa Tagb Tai_Le Tale Tai_Tham Lana Tai_Viet Tavt Takri Takr Tamil Taml Tangut Tang Telugu Telu Thaana Thaa Thai Thai Tibetan Tibt Tifinagh Tfng Tirhuta Tirh Ugaritic Ugar Vai Vaii Warang_Citi Wara Yi Yiii Zanabazar_Square Zanb";
      var ecma10ScriptValues = ecma9ScriptValues + " Dogra Dogr Gunjala_Gondi Gong Hanifi_Rohingya Rohg Makasar Maka Medefaidrin Medf Old_Sogdian Sogo Sogdian Sogd";
      var ecma11ScriptValues = ecma10ScriptValues + " Elymaic Elym Nandinagari Nand Nyiakeng_Puachue_Hmong Hmnp Wancho Wcho";
      var ecma12ScriptValues = ecma11ScriptValues + " Chorasmian Chrs Diak Dives_Akuru Khitan_Small_Script Kits Yezi Yezidi";
      var ecma13ScriptValues = ecma12ScriptValues + " Cypro_Minoan Cpmn Old_Uyghur Ougr Tangsa Tnsa Toto Vithkuqi Vith";
      var ecma14ScriptValues = ecma13ScriptValues + " Hrkt Katakana_Or_Hiragana Kawi Nag_Mundari Nagm Unknown Zzzz";
      var unicodeScriptValues = {
        9: ecma9ScriptValues,
        10: ecma10ScriptValues,
        11: ecma11ScriptValues,
        12: ecma12ScriptValues,
        13: ecma13ScriptValues,
        14: ecma14ScriptValues
      };
      var data = {};
      function buildUnicodeData(ecmaVersion2) {
        var d = data[ecmaVersion2] = {
          binary: wordsRegexp(unicodeBinaryProperties[ecmaVersion2] + " " + unicodeGeneralCategoryValues),
          binaryOfStrings: wordsRegexp(unicodeBinaryPropertiesOfStrings[ecmaVersion2]),
          nonBinary: {
            General_Category: wordsRegexp(unicodeGeneralCategoryValues),
            Script: wordsRegexp(unicodeScriptValues[ecmaVersion2])
          }
        };
        d.nonBinary.Script_Extensions = d.nonBinary.Script;
        d.nonBinary.gc = d.nonBinary.General_Category;
        d.nonBinary.sc = d.nonBinary.Script;
        d.nonBinary.scx = d.nonBinary.Script_Extensions;
      }
      for (var i = 0, list = [9, 10, 11, 12, 13, 14]; i < list.length; i += 1) {
        var ecmaVersion = list[i];
        buildUnicodeData(ecmaVersion);
      }
      var pp$1 = Parser.prototype;
      var BranchID = function BranchID2(parent, base) {
        this.parent = parent;
        this.base = base || this;
      };
      BranchID.prototype.separatedFrom = function separatedFrom(alt) {
        for (var self2 = this; self2; self2 = self2.parent) {
          for (var other = alt; other; other = other.parent) {
            if (self2.base === other.base && self2 !== other) {
              return true;
            }
          }
        }
        return false;
      };
      BranchID.prototype.sibling = function sibling() {
        return new BranchID(this.parent, this.base);
      };
      var RegExpValidationState = function RegExpValidationState2(parser) {
        this.parser = parser;
        this.validFlags = "gim" + (parser.options.ecmaVersion >= 6 ? "uy" : "") + (parser.options.ecmaVersion >= 9 ? "s" : "") + (parser.options.ecmaVersion >= 13 ? "d" : "") + (parser.options.ecmaVersion >= 15 ? "v" : "");
        this.unicodeProperties = data[parser.options.ecmaVersion >= 14 ? 14 : parser.options.ecmaVersion];
        this.source = "";
        this.flags = "";
        this.start = 0;
        this.switchU = false;
        this.switchV = false;
        this.switchN = false;
        this.pos = 0;
        this.lastIntValue = 0;
        this.lastStringValue = "";
        this.lastAssertionIsQuantifiable = false;
        this.numCapturingParens = 0;
        this.maxBackReference = 0;
        this.groupNames = /* @__PURE__ */ Object.create(null);
        this.backReferenceNames = [];
        this.branchID = null;
      };
      RegExpValidationState.prototype.reset = function reset(start, pattern, flags) {
        var unicodeSets = flags.indexOf("v") !== -1;
        var unicode = flags.indexOf("u") !== -1;
        this.start = start | 0;
        this.source = pattern + "";
        this.flags = flags;
        if (unicodeSets && this.parser.options.ecmaVersion >= 15) {
          this.switchU = true;
          this.switchV = true;
          this.switchN = true;
        } else {
          this.switchU = unicode && this.parser.options.ecmaVersion >= 6;
          this.switchV = false;
          this.switchN = unicode && this.parser.options.ecmaVersion >= 9;
        }
      };
      RegExpValidationState.prototype.raise = function raise(message) {
        this.parser.raiseRecoverable(this.start, "Invalid regular expression: /" + this.source + "/: " + message);
      };
      RegExpValidationState.prototype.at = function at(i2, forceU) {
        if (forceU === void 0) forceU = false;
        var s = this.source;
        var l = s.length;
        if (i2 >= l) {
          return -1;
        }
        var c = s.charCodeAt(i2);
        if (!(forceU || this.switchU) || c <= 55295 || c >= 57344 || i2 + 1 >= l) {
          return c;
        }
        var next = s.charCodeAt(i2 + 1);
        return next >= 56320 && next <= 57343 ? (c << 10) + next - 56613888 : c;
      };
      RegExpValidationState.prototype.nextIndex = function nextIndex(i2, forceU) {
        if (forceU === void 0) forceU = false;
        var s = this.source;
        var l = s.length;
        if (i2 >= l) {
          return l;
        }
        var c = s.charCodeAt(i2), next;
        if (!(forceU || this.switchU) || c <= 55295 || c >= 57344 || i2 + 1 >= l || (next = s.charCodeAt(i2 + 1)) < 56320 || next > 57343) {
          return i2 + 1;
        }
        return i2 + 2;
      };
      RegExpValidationState.prototype.current = function current(forceU) {
        if (forceU === void 0) forceU = false;
        return this.at(this.pos, forceU);
      };
      RegExpValidationState.prototype.lookahead = function lookahead(forceU) {
        if (forceU === void 0) forceU = false;
        return this.at(this.nextIndex(this.pos, forceU), forceU);
      };
      RegExpValidationState.prototype.advance = function advance(forceU) {
        if (forceU === void 0) forceU = false;
        this.pos = this.nextIndex(this.pos, forceU);
      };
      RegExpValidationState.prototype.eat = function eat(ch, forceU) {
        if (forceU === void 0) forceU = false;
        if (this.current(forceU) === ch) {
          this.advance(forceU);
          return true;
        }
        return false;
      };
      RegExpValidationState.prototype.eatChars = function eatChars(chs, forceU) {
        if (forceU === void 0) forceU = false;
        var pos = this.pos;
        for (var i2 = 0, list2 = chs; i2 < list2.length; i2 += 1) {
          var ch = list2[i2];
          var current = this.at(pos, forceU);
          if (current === -1 || current !== ch) {
            return false;
          }
          pos = this.nextIndex(pos, forceU);
        }
        this.pos = pos;
        return true;
      };
      pp$1.validateRegExpFlags = function(state) {
        var validFlags = state.validFlags;
        var flags = state.flags;
        var u = false;
        var v = false;
        for (var i2 = 0; i2 < flags.length; i2++) {
          var flag = flags.charAt(i2);
          if (validFlags.indexOf(flag) === -1) {
            this.raise(state.start, "Invalid regular expression flag");
          }
          if (flags.indexOf(flag, i2 + 1) > -1) {
            this.raise(state.start, "Duplicate regular expression flag");
          }
          if (flag === "u") {
            u = true;
          }
          if (flag === "v") {
            v = true;
          }
        }
        if (this.options.ecmaVersion >= 15 && u && v) {
          this.raise(state.start, "Invalid regular expression flag");
        }
      };
      function hasProp(obj) {
        for (var _ in obj) {
          return true;
        }
        return false;
      }
      pp$1.validateRegExpPattern = function(state) {
        this.regexp_pattern(state);
        if (!state.switchN && this.options.ecmaVersion >= 9 && hasProp(state.groupNames)) {
          state.switchN = true;
          this.regexp_pattern(state);
        }
      };
      pp$1.regexp_pattern = function(state) {
        state.pos = 0;
        state.lastIntValue = 0;
        state.lastStringValue = "";
        state.lastAssertionIsQuantifiable = false;
        state.numCapturingParens = 0;
        state.maxBackReference = 0;
        state.groupNames = /* @__PURE__ */ Object.create(null);
        state.backReferenceNames.length = 0;
        state.branchID = null;
        this.regexp_disjunction(state);
        if (state.pos !== state.source.length) {
          if (state.eat(
            41
            /* ) */
          )) {
            state.raise("Unmatched ')'");
          }
          if (state.eat(
            93
            /* ] */
          ) || state.eat(
            125
            /* } */
          )) {
            state.raise("Lone quantifier brackets");
          }
        }
        if (state.maxBackReference > state.numCapturingParens) {
          state.raise("Invalid escape");
        }
        for (var i2 = 0, list2 = state.backReferenceNames; i2 < list2.length; i2 += 1) {
          var name = list2[i2];
          if (!state.groupNames[name]) {
            state.raise("Invalid named capture referenced");
          }
        }
      };
      pp$1.regexp_disjunction = function(state) {
        var trackDisjunction = this.options.ecmaVersion >= 16;
        if (trackDisjunction) {
          state.branchID = new BranchID(state.branchID, null);
        }
        this.regexp_alternative(state);
        while (state.eat(
          124
          /* | */
        )) {
          if (trackDisjunction) {
            state.branchID = state.branchID.sibling();
          }
          this.regexp_alternative(state);
        }
        if (trackDisjunction) {
          state.branchID = state.branchID.parent;
        }
        if (this.regexp_eatQuantifier(state, true)) {
          state.raise("Nothing to repeat");
        }
        if (state.eat(
          123
          /* { */
        )) {
          state.raise("Lone quantifier brackets");
        }
      };
      pp$1.regexp_alternative = function(state) {
        while (state.pos < state.source.length && this.regexp_eatTerm(state)) {
        }
      };
      pp$1.regexp_eatTerm = function(state) {
        if (this.regexp_eatAssertion(state)) {
          if (state.lastAssertionIsQuantifiable && this.regexp_eatQuantifier(state)) {
            if (state.switchU) {
              state.raise("Invalid quantifier");
            }
          }
          return true;
        }
        if (state.switchU ? this.regexp_eatAtom(state) : this.regexp_eatExtendedAtom(state)) {
          this.regexp_eatQuantifier(state);
          return true;
        }
        return false;
      };
      pp$1.regexp_eatAssertion = function(state) {
        var start = state.pos;
        state.lastAssertionIsQuantifiable = false;
        if (state.eat(
          94
          /* ^ */
        ) || state.eat(
          36
          /* $ */
        )) {
          return true;
        }
        if (state.eat(
          92
          /* \ */
        )) {
          if (state.eat(
            66
            /* B */
          ) || state.eat(
            98
            /* b */
          )) {
            return true;
          }
          state.pos = start;
        }
        if (state.eat(
          40
          /* ( */
        ) && state.eat(
          63
          /* ? */
        )) {
          var lookbehind = false;
          if (this.options.ecmaVersion >= 9) {
            lookbehind = state.eat(
              60
              /* < */
            );
          }
          if (state.eat(
            61
            /* = */
          ) || state.eat(
            33
            /* ! */
          )) {
            this.regexp_disjunction(state);
            if (!state.eat(
              41
              /* ) */
            )) {
              state.raise("Unterminated group");
            }
            state.lastAssertionIsQuantifiable = !lookbehind;
            return true;
          }
        }
        state.pos = start;
        return false;
      };
      pp$1.regexp_eatQuantifier = function(state, noError) {
        if (noError === void 0) noError = false;
        if (this.regexp_eatQuantifierPrefix(state, noError)) {
          state.eat(
            63
            /* ? */
          );
          return true;
        }
        return false;
      };
      pp$1.regexp_eatQuantifierPrefix = function(state, noError) {
        return state.eat(
          42
          /* * */
        ) || state.eat(
          43
          /* + */
        ) || state.eat(
          63
          /* ? */
        ) || this.regexp_eatBracedQuantifier(state, noError);
      };
      pp$1.regexp_eatBracedQuantifier = function(state, noError) {
        var start = state.pos;
        if (state.eat(
          123
          /* { */
        )) {
          var min = 0, max = -1;
          if (this.regexp_eatDecimalDigits(state)) {
            min = state.lastIntValue;
            if (state.eat(
              44
              /* , */
            ) && this.regexp_eatDecimalDigits(state)) {
              max = state.lastIntValue;
            }
            if (state.eat(
              125
              /* } */
            )) {
              if (max !== -1 && max < min && !noError) {
                state.raise("numbers out of order in {} quantifier");
              }
              return true;
            }
          }
          if (state.switchU && !noError) {
            state.raise("Incomplete quantifier");
          }
          state.pos = start;
        }
        return false;
      };
      pp$1.regexp_eatAtom = function(state) {
        return this.regexp_eatPatternCharacters(state) || state.eat(
          46
          /* . */
        ) || this.regexp_eatReverseSolidusAtomEscape(state) || this.regexp_eatCharacterClass(state) || this.regexp_eatUncapturingGroup(state) || this.regexp_eatCapturingGroup(state);
      };
      pp$1.regexp_eatReverseSolidusAtomEscape = function(state) {
        var start = state.pos;
        if (state.eat(
          92
          /* \ */
        )) {
          if (this.regexp_eatAtomEscape(state)) {
            return true;
          }
          state.pos = start;
        }
        return false;
      };
      pp$1.regexp_eatUncapturingGroup = function(state) {
        var start = state.pos;
        if (state.eat(
          40
          /* ( */
        )) {
          if (state.eat(
            63
            /* ? */
          ) && state.eat(
            58
            /* : */
          )) {
            this.regexp_disjunction(state);
            if (state.eat(
              41
              /* ) */
            )) {
              return true;
            }
            state.raise("Unterminated group");
          }
          state.pos = start;
        }
        return false;
      };
      pp$1.regexp_eatCapturingGroup = function(state) {
        if (state.eat(
          40
          /* ( */
        )) {
          if (this.options.ecmaVersion >= 9) {
            this.regexp_groupSpecifier(state);
          } else if (state.current() === 63) {
            state.raise("Invalid group");
          }
          this.regexp_disjunction(state);
          if (state.eat(
            41
            /* ) */
          )) {
            state.numCapturingParens += 1;
            return true;
          }
          state.raise("Unterminated group");
        }
        return false;
      };
      pp$1.regexp_eatExtendedAtom = function(state) {
        return state.eat(
          46
          /* . */
        ) || this.regexp_eatReverseSolidusAtomEscape(state) || this.regexp_eatCharacterClass(state) || this.regexp_eatUncapturingGroup(state) || this.regexp_eatCapturingGroup(state) || this.regexp_eatInvalidBracedQuantifier(state) || this.regexp_eatExtendedPatternCharacter(state);
      };
      pp$1.regexp_eatInvalidBracedQuantifier = function(state) {
        if (this.regexp_eatBracedQuantifier(state, true)) {
          state.raise("Nothing to repeat");
        }
        return false;
      };
      pp$1.regexp_eatSyntaxCharacter = function(state) {
        var ch = state.current();
        if (isSyntaxCharacter(ch)) {
          state.lastIntValue = ch;
          state.advance();
          return true;
        }
        return false;
      };
      function isSyntaxCharacter(ch) {
        return ch === 36 || ch >= 40 && ch <= 43 || ch === 46 || ch === 63 || ch >= 91 && ch <= 94 || ch >= 123 && ch <= 125;
      }
      pp$1.regexp_eatPatternCharacters = function(state) {
        var start = state.pos;
        var ch = 0;
        while ((ch = state.current()) !== -1 && !isSyntaxCharacter(ch)) {
          state.advance();
        }
        return state.pos !== start;
      };
      pp$1.regexp_eatExtendedPatternCharacter = function(state) {
        var ch = state.current();
        if (ch !== -1 && ch !== 36 && !(ch >= 40 && ch <= 43) && ch !== 46 && ch !== 63 && ch !== 91 && ch !== 94 && ch !== 124) {
          state.advance();
          return true;
        }
        return false;
      };
      pp$1.regexp_groupSpecifier = function(state) {
        if (state.eat(
          63
          /* ? */
        )) {
          if (!this.regexp_eatGroupName(state)) {
            state.raise("Invalid group");
          }
          var trackDisjunction = this.options.ecmaVersion >= 16;
          var known = state.groupNames[state.lastStringValue];
          if (known) {
            if (trackDisjunction) {
              for (var i2 = 0, list2 = known; i2 < list2.length; i2 += 1) {
                var altID = list2[i2];
                if (!altID.separatedFrom(state.branchID)) {
                  state.raise("Duplicate capture group name");
                }
              }
            } else {
              state.raise("Duplicate capture group name");
            }
          }
          if (trackDisjunction) {
            (known || (state.groupNames[state.lastStringValue] = [])).push(state.branchID);
          } else {
            state.groupNames[state.lastStringValue] = true;
          }
        }
      };
      pp$1.regexp_eatGroupName = function(state) {
        state.lastStringValue = "";
        if (state.eat(
          60
          /* < */
        )) {
          if (this.regexp_eatRegExpIdentifierName(state) && state.eat(
            62
            /* > */
          )) {
            return true;
          }
          state.raise("Invalid capture group name");
        }
        return false;
      };
      pp$1.regexp_eatRegExpIdentifierName = function(state) {
        state.lastStringValue = "";
        if (this.regexp_eatRegExpIdentifierStart(state)) {
          state.lastStringValue += codePointToString(state.lastIntValue);
          while (this.regexp_eatRegExpIdentifierPart(state)) {
            state.lastStringValue += codePointToString(state.lastIntValue);
          }
          return true;
        }
        return false;
      };
      pp$1.regexp_eatRegExpIdentifierStart = function(state) {
        var start = state.pos;
        var forceU = this.options.ecmaVersion >= 11;
        var ch = state.current(forceU);
        state.advance(forceU);
        if (ch === 92 && this.regexp_eatRegExpUnicodeEscapeSequence(state, forceU)) {
          ch = state.lastIntValue;
        }
        if (isRegExpIdentifierStart(ch)) {
          state.lastIntValue = ch;
          return true;
        }
        state.pos = start;
        return false;
      };
      function isRegExpIdentifierStart(ch) {
        return isIdentifierStart(ch, true) || ch === 36 || ch === 95;
      }
      pp$1.regexp_eatRegExpIdentifierPart = function(state) {
        var start = state.pos;
        var forceU = this.options.ecmaVersion >= 11;
        var ch = state.current(forceU);
        state.advance(forceU);
        if (ch === 92 && this.regexp_eatRegExpUnicodeEscapeSequence(state, forceU)) {
          ch = state.lastIntValue;
        }
        if (isRegExpIdentifierPart(ch)) {
          state.lastIntValue = ch;
          return true;
        }
        state.pos = start;
        return false;
      };
      function isRegExpIdentifierPart(ch) {
        return isIdentifierChar(ch, true) || ch === 36 || ch === 95 || ch === 8204 || ch === 8205;
      }
      pp$1.regexp_eatAtomEscape = function(state) {
        if (this.regexp_eatBackReference(state) || this.regexp_eatCharacterClassEscape(state) || this.regexp_eatCharacterEscape(state) || state.switchN && this.regexp_eatKGroupName(state)) {
          return true;
        }
        if (state.switchU) {
          if (state.current() === 99) {
            state.raise("Invalid unicode escape");
          }
          state.raise("Invalid escape");
        }
        return false;
      };
      pp$1.regexp_eatBackReference = function(state) {
        var start = state.pos;
        if (this.regexp_eatDecimalEscape(state)) {
          var n = state.lastIntValue;
          if (state.switchU) {
            if (n > state.maxBackReference) {
              state.maxBackReference = n;
            }
            return true;
          }
          if (n <= state.numCapturingParens) {
            return true;
          }
          state.pos = start;
        }
        return false;
      };
      pp$1.regexp_eatKGroupName = function(state) {
        if (state.eat(
          107
          /* k */
        )) {
          if (this.regexp_eatGroupName(state)) {
            state.backReferenceNames.push(state.lastStringValue);
            return true;
          }
          state.raise("Invalid named reference");
        }
        return false;
      };
      pp$1.regexp_eatCharacterEscape = function(state) {
        return this.regexp_eatControlEscape(state) || this.regexp_eatCControlLetter(state) || this.regexp_eatZero(state) || this.regexp_eatHexEscapeSequence(state) || this.regexp_eatRegExpUnicodeEscapeSequence(state, false) || !state.switchU && this.regexp_eatLegacyOctalEscapeSequence(state) || this.regexp_eatIdentityEscape(state);
      };
      pp$1.regexp_eatCControlLetter = function(state) {
        var start = state.pos;
        if (state.eat(
          99
          /* c */
        )) {
          if (this.regexp_eatControlLetter(state)) {
            return true;
          }
          state.pos = start;
        }
        return false;
      };
      pp$1.regexp_eatZero = function(state) {
        if (state.current() === 48 && !isDecimalDigit(state.lookahead())) {
          state.lastIntValue = 0;
          state.advance();
          return true;
        }
        return false;
      };
      pp$1.regexp_eatControlEscape = function(state) {
        var ch = state.current();
        if (ch === 116) {
          state.lastIntValue = 9;
          state.advance();
          return true;
        }
        if (ch === 110) {
          state.lastIntValue = 10;
          state.advance();
          return true;
        }
        if (ch === 118) {
          state.lastIntValue = 11;
          state.advance();
          return true;
        }
        if (ch === 102) {
          state.lastIntValue = 12;
          state.advance();
          return true;
        }
        if (ch === 114) {
          state.lastIntValue = 13;
          state.advance();
          return true;
        }
        return false;
      };
      pp$1.regexp_eatControlLetter = function(state) {
        var ch = state.current();
        if (isControlLetter(ch)) {
          state.lastIntValue = ch % 32;
          state.advance();
          return true;
        }
        return false;
      };
      function isControlLetter(ch) {
        return ch >= 65 && ch <= 90 || ch >= 97 && ch <= 122;
      }
      pp$1.regexp_eatRegExpUnicodeEscapeSequence = function(state, forceU) {
        if (forceU === void 0) forceU = false;
        var start = state.pos;
        var switchU = forceU || state.switchU;
        if (state.eat(
          117
          /* u */
        )) {
          if (this.regexp_eatFixedHexDigits(state, 4)) {
            var lead = state.lastIntValue;
            if (switchU && lead >= 55296 && lead <= 56319) {
              var leadSurrogateEnd = state.pos;
              if (state.eat(
                92
                /* \ */
              ) && state.eat(
                117
                /* u */
              ) && this.regexp_eatFixedHexDigits(state, 4)) {
                var trail = state.lastIntValue;
                if (trail >= 56320 && trail <= 57343) {
                  state.lastIntValue = (lead - 55296) * 1024 + (trail - 56320) + 65536;
                  return true;
                }
              }
              state.pos = leadSurrogateEnd;
              state.lastIntValue = lead;
            }
            return true;
          }
          if (switchU && state.eat(
            123
            /* { */
          ) && this.regexp_eatHexDigits(state) && state.eat(
            125
            /* } */
          ) && isValidUnicode(state.lastIntValue)) {
            return true;
          }
          if (switchU) {
            state.raise("Invalid unicode escape");
          }
          state.pos = start;
        }
        return false;
      };
      function isValidUnicode(ch) {
        return ch >= 0 && ch <= 1114111;
      }
      pp$1.regexp_eatIdentityEscape = function(state) {
        if (state.switchU) {
          if (this.regexp_eatSyntaxCharacter(state)) {
            return true;
          }
          if (state.eat(
            47
            /* / */
          )) {
            state.lastIntValue = 47;
            return true;
          }
          return false;
        }
        var ch = state.current();
        if (ch !== 99 && (!state.switchN || ch !== 107)) {
          state.lastIntValue = ch;
          state.advance();
          return true;
        }
        return false;
      };
      pp$1.regexp_eatDecimalEscape = function(state) {
        state.lastIntValue = 0;
        var ch = state.current();
        if (ch >= 49 && ch <= 57) {
          do {
            state.lastIntValue = 10 * state.lastIntValue + (ch - 48);
            state.advance();
          } while ((ch = state.current()) >= 48 && ch <= 57);
          return true;
        }
        return false;
      };
      var CharSetNone = 0;
      var CharSetOk = 1;
      var CharSetString = 2;
      pp$1.regexp_eatCharacterClassEscape = function(state) {
        var ch = state.current();
        if (isCharacterClassEscape(ch)) {
          state.lastIntValue = -1;
          state.advance();
          return CharSetOk;
        }
        var negate2 = false;
        if (state.switchU && this.options.ecmaVersion >= 9 && ((negate2 = ch === 80) || ch === 112)) {
          state.lastIntValue = -1;
          state.advance();
          var result;
          if (state.eat(
            123
            /* { */
          ) && (result = this.regexp_eatUnicodePropertyValueExpression(state)) && state.eat(
            125
            /* } */
          )) {
            if (negate2 && result === CharSetString) {
              state.raise("Invalid property name");
            }
            return result;
          }
          state.raise("Invalid property name");
        }
        return CharSetNone;
      };
      function isCharacterClassEscape(ch) {
        return ch === 100 || ch === 68 || ch === 115 || ch === 83 || ch === 119 || ch === 87;
      }
      pp$1.regexp_eatUnicodePropertyValueExpression = function(state) {
        var start = state.pos;
        if (this.regexp_eatUnicodePropertyName(state) && state.eat(
          61
          /* = */
        )) {
          var name = state.lastStringValue;
          if (this.regexp_eatUnicodePropertyValue(state)) {
            var value = state.lastStringValue;
            this.regexp_validateUnicodePropertyNameAndValue(state, name, value);
            return CharSetOk;
          }
        }
        state.pos = start;
        if (this.regexp_eatLoneUnicodePropertyNameOrValue(state)) {
          var nameOrValue = state.lastStringValue;
          return this.regexp_validateUnicodePropertyNameOrValue(state, nameOrValue);
        }
        return CharSetNone;
      };
      pp$1.regexp_validateUnicodePropertyNameAndValue = function(state, name, value) {
        if (!hasOwn(state.unicodeProperties.nonBinary, name)) {
          state.raise("Invalid property name");
        }
        if (!state.unicodeProperties.nonBinary[name].test(value)) {
          state.raise("Invalid property value");
        }
      };
      pp$1.regexp_validateUnicodePropertyNameOrValue = function(state, nameOrValue) {
        if (state.unicodeProperties.binary.test(nameOrValue)) {
          return CharSetOk;
        }
        if (state.switchV && state.unicodeProperties.binaryOfStrings.test(nameOrValue)) {
          return CharSetString;
        }
        state.raise("Invalid property name");
      };
      pp$1.regexp_eatUnicodePropertyName = function(state) {
        var ch = 0;
        state.lastStringValue = "";
        while (isUnicodePropertyNameCharacter(ch = state.current())) {
          state.lastStringValue += codePointToString(ch);
          state.advance();
        }
        return state.lastStringValue !== "";
      };
      function isUnicodePropertyNameCharacter(ch) {
        return isControlLetter(ch) || ch === 95;
      }
      pp$1.regexp_eatUnicodePropertyValue = function(state) {
        var ch = 0;
        state.lastStringValue = "";
        while (isUnicodePropertyValueCharacter(ch = state.current())) {
          state.lastStringValue += codePointToString(ch);
          state.advance();
        }
        return state.lastStringValue !== "";
      };
      function isUnicodePropertyValueCharacter(ch) {
        return isUnicodePropertyNameCharacter(ch) || isDecimalDigit(ch);
      }
      pp$1.regexp_eatLoneUnicodePropertyNameOrValue = function(state) {
        return this.regexp_eatUnicodePropertyValue(state);
      };
      pp$1.regexp_eatCharacterClass = function(state) {
        if (state.eat(
          91
          /* [ */
        )) {
          var negate2 = state.eat(
            94
            /* ^ */
          );
          var result = this.regexp_classContents(state);
          if (!state.eat(
            93
            /* ] */
          )) {
            state.raise("Unterminated character class");
          }
          if (negate2 && result === CharSetString) {
            state.raise("Negated character class may contain strings");
          }
          return true;
        }
        return false;
      };
      pp$1.regexp_classContents = function(state) {
        if (state.current() === 93) {
          return CharSetOk;
        }
        if (state.switchV) {
          return this.regexp_classSetExpression(state);
        }
        this.regexp_nonEmptyClassRanges(state);
        return CharSetOk;
      };
      pp$1.regexp_nonEmptyClassRanges = function(state) {
        while (this.regexp_eatClassAtom(state)) {
          var left = state.lastIntValue;
          if (state.eat(
            45
            /* - */
          ) && this.regexp_eatClassAtom(state)) {
            var right = state.lastIntValue;
            if (state.switchU && (left === -1 || right === -1)) {
              state.raise("Invalid character class");
            }
            if (left !== -1 && right !== -1 && left > right) {
              state.raise("Range out of order in character class");
            }
          }
        }
      };
      pp$1.regexp_eatClassAtom = function(state) {
        var start = state.pos;
        if (state.eat(
          92
          /* \ */
        )) {
          if (this.regexp_eatClassEscape(state)) {
            return true;
          }
          if (state.switchU) {
            var ch$1 = state.current();
            if (ch$1 === 99 || isOctalDigit(ch$1)) {
              state.raise("Invalid class escape");
            }
            state.raise("Invalid escape");
          }
          state.pos = start;
        }
        var ch = state.current();
        if (ch !== 93) {
          state.lastIntValue = ch;
          state.advance();
          return true;
        }
        return false;
      };
      pp$1.regexp_eatClassEscape = function(state) {
        var start = state.pos;
        if (state.eat(
          98
          /* b */
        )) {
          state.lastIntValue = 8;
          return true;
        }
        if (state.switchU && state.eat(
          45
          /* - */
        )) {
          state.lastIntValue = 45;
          return true;
        }
        if (!state.switchU && state.eat(
          99
          /* c */
        )) {
          if (this.regexp_eatClassControlLetter(state)) {
            return true;
          }
          state.pos = start;
        }
        return this.regexp_eatCharacterClassEscape(state) || this.regexp_eatCharacterEscape(state);
      };
      pp$1.regexp_classSetExpression = function(state) {
        var result = CharSetOk, subResult;
        if (this.regexp_eatClassSetRange(state)) ;
        else if (subResult = this.regexp_eatClassSetOperand(state)) {
          if (subResult === CharSetString) {
            result = CharSetString;
          }
          var start = state.pos;
          while (state.eatChars(
            [38, 38]
            /* && */
          )) {
            if (state.current() !== 38 && (subResult = this.regexp_eatClassSetOperand(state))) {
              if (subResult !== CharSetString) {
                result = CharSetOk;
              }
              continue;
            }
            state.raise("Invalid character in character class");
          }
          if (start !== state.pos) {
            return result;
          }
          while (state.eatChars(
            [45, 45]
            /* -- */
          )) {
            if (this.regexp_eatClassSetOperand(state)) {
              continue;
            }
            state.raise("Invalid character in character class");
          }
          if (start !== state.pos) {
            return result;
          }
        } else {
          state.raise("Invalid character in character class");
        }
        for (; ; ) {
          if (this.regexp_eatClassSetRange(state)) {
            continue;
          }
          subResult = this.regexp_eatClassSetOperand(state);
          if (!subResult) {
            return result;
          }
          if (subResult === CharSetString) {
            result = CharSetString;
          }
        }
      };
      pp$1.regexp_eatClassSetRange = function(state) {
        var start = state.pos;
        if (this.regexp_eatClassSetCharacter(state)) {
          var left = state.lastIntValue;
          if (state.eat(
            45
            /* - */
          ) && this.regexp_eatClassSetCharacter(state)) {
            var right = state.lastIntValue;
            if (left !== -1 && right !== -1 && left > right) {
              state.raise("Range out of order in character class");
            }
            return true;
          }
          state.pos = start;
        }
        return false;
      };
      pp$1.regexp_eatClassSetOperand = function(state) {
        if (this.regexp_eatClassSetCharacter(state)) {
          return CharSetOk;
        }
        return this.regexp_eatClassStringDisjunction(state) || this.regexp_eatNestedClass(state);
      };
      pp$1.regexp_eatNestedClass = function(state) {
        var start = state.pos;
        if (state.eat(
          91
          /* [ */
        )) {
          var negate2 = state.eat(
            94
            /* ^ */
          );
          var result = this.regexp_classContents(state);
          if (state.eat(
            93
            /* ] */
          )) {
            if (negate2 && result === CharSetString) {
              state.raise("Negated character class may contain strings");
            }
            return result;
          }
          state.pos = start;
        }
        if (state.eat(
          92
          /* \ */
        )) {
          var result$1 = this.regexp_eatCharacterClassEscape(state);
          if (result$1) {
            return result$1;
          }
          state.pos = start;
        }
        return null;
      };
      pp$1.regexp_eatClassStringDisjunction = function(state) {
        var start = state.pos;
        if (state.eatChars(
          [92, 113]
          /* \q */
        )) {
          if (state.eat(
            123
            /* { */
          )) {
            var result = this.regexp_classStringDisjunctionContents(state);
            if (state.eat(
              125
              /* } */
            )) {
              return result;
            }
          } else {
            state.raise("Invalid escape");
          }
          state.pos = start;
        }
        return null;
      };
      pp$1.regexp_classStringDisjunctionContents = function(state) {
        var result = this.regexp_classString(state);
        while (state.eat(
          124
          /* | */
        )) {
          if (this.regexp_classString(state) === CharSetString) {
            result = CharSetString;
          }
        }
        return result;
      };
      pp$1.regexp_classString = function(state) {
        var count = 0;
        while (this.regexp_eatClassSetCharacter(state)) {
          count++;
        }
        return count === 1 ? CharSetOk : CharSetString;
      };
      pp$1.regexp_eatClassSetCharacter = function(state) {
        var start = state.pos;
        if (state.eat(
          92
          /* \ */
        )) {
          if (this.regexp_eatCharacterEscape(state) || this.regexp_eatClassSetReservedPunctuator(state)) {
            return true;
          }
          if (state.eat(
            98
            /* b */
          )) {
            state.lastIntValue = 8;
            return true;
          }
          state.pos = start;
          return false;
        }
        var ch = state.current();
        if (ch < 0 || ch === state.lookahead() && isClassSetReservedDoublePunctuatorCharacter(ch)) {
          return false;
        }
        if (isClassSetSyntaxCharacter(ch)) {
          return false;
        }
        state.advance();
        state.lastIntValue = ch;
        return true;
      };
      function isClassSetReservedDoublePunctuatorCharacter(ch) {
        return ch === 33 || ch >= 35 && ch <= 38 || ch >= 42 && ch <= 44 || ch === 46 || ch >= 58 && ch <= 64 || ch === 94 || ch === 96 || ch === 126;
      }
      function isClassSetSyntaxCharacter(ch) {
        return ch === 40 || ch === 41 || ch === 45 || ch === 47 || ch >= 91 && ch <= 93 || ch >= 123 && ch <= 125;
      }
      pp$1.regexp_eatClassSetReservedPunctuator = function(state) {
        var ch = state.current();
        if (isClassSetReservedPunctuator(ch)) {
          state.lastIntValue = ch;
          state.advance();
          return true;
        }
        return false;
      };
      function isClassSetReservedPunctuator(ch) {
        return ch === 33 || ch === 35 || ch === 37 || ch === 38 || ch === 44 || ch === 45 || ch >= 58 && ch <= 62 || ch === 64 || ch === 96 || ch === 126;
      }
      pp$1.regexp_eatClassControlLetter = function(state) {
        var ch = state.current();
        if (isDecimalDigit(ch) || ch === 95) {
          state.lastIntValue = ch % 32;
          state.advance();
          return true;
        }
        return false;
      };
      pp$1.regexp_eatHexEscapeSequence = function(state) {
        var start = state.pos;
        if (state.eat(
          120
          /* x */
        )) {
          if (this.regexp_eatFixedHexDigits(state, 2)) {
            return true;
          }
          if (state.switchU) {
            state.raise("Invalid escape");
          }
          state.pos = start;
        }
        return false;
      };
      pp$1.regexp_eatDecimalDigits = function(state) {
        var start = state.pos;
        var ch = 0;
        state.lastIntValue = 0;
        while (isDecimalDigit(ch = state.current())) {
          state.lastIntValue = 10 * state.lastIntValue + (ch - 48);
          state.advance();
        }
        return state.pos !== start;
      };
      function isDecimalDigit(ch) {
        return ch >= 48 && ch <= 57;
      }
      pp$1.regexp_eatHexDigits = function(state) {
        var start = state.pos;
        var ch = 0;
        state.lastIntValue = 0;
        while (isHexDigit(ch = state.current())) {
          state.lastIntValue = 16 * state.lastIntValue + hexToInt(ch);
          state.advance();
        }
        return state.pos !== start;
      };
      function isHexDigit(ch) {
        return ch >= 48 && ch <= 57 || ch >= 65 && ch <= 70 || ch >= 97 && ch <= 102;
      }
      function hexToInt(ch) {
        if (ch >= 65 && ch <= 70) {
          return 10 + (ch - 65);
        }
        if (ch >= 97 && ch <= 102) {
          return 10 + (ch - 97);
        }
        return ch - 48;
      }
      pp$1.regexp_eatLegacyOctalEscapeSequence = function(state) {
        if (this.regexp_eatOctalDigit(state)) {
          var n1 = state.lastIntValue;
          if (this.regexp_eatOctalDigit(state)) {
            var n2 = state.lastIntValue;
            if (n1 <= 3 && this.regexp_eatOctalDigit(state)) {
              state.lastIntValue = n1 * 64 + n2 * 8 + state.lastIntValue;
            } else {
              state.lastIntValue = n1 * 8 + n2;
            }
          } else {
            state.lastIntValue = n1;
          }
          return true;
        }
        return false;
      };
      pp$1.regexp_eatOctalDigit = function(state) {
        var ch = state.current();
        if (isOctalDigit(ch)) {
          state.lastIntValue = ch - 48;
          state.advance();
          return true;
        }
        state.lastIntValue = 0;
        return false;
      };
      function isOctalDigit(ch) {
        return ch >= 48 && ch <= 55;
      }
      pp$1.regexp_eatFixedHexDigits = function(state, length) {
        var start = state.pos;
        state.lastIntValue = 0;
        for (var i2 = 0; i2 < length; ++i2) {
          var ch = state.current();
          if (!isHexDigit(ch)) {
            state.pos = start;
            return false;
          }
          state.lastIntValue = 16 * state.lastIntValue + hexToInt(ch);
          state.advance();
        }
        return true;
      };
      var Token = function Token2(p) {
        this.type = p.type;
        this.value = p.value;
        this.start = p.start;
        this.end = p.end;
        if (p.options.locations) {
          this.loc = new SourceLocation(p, p.startLoc, p.endLoc);
        }
        if (p.options.ranges) {
          this.range = [p.start, p.end];
        }
      };
      var pp = Parser.prototype;
      pp.next = function(ignoreEscapeSequenceInKeyword) {
        if (!ignoreEscapeSequenceInKeyword && this.type.keyword && this.containsEsc) {
          this.raiseRecoverable(this.start, "Escape sequence in keyword " + this.type.keyword);
        }
        if (this.options.onToken) {
          this.options.onToken(new Token(this));
        }
        this.lastTokEnd = this.end;
        this.lastTokStart = this.start;
        this.lastTokEndLoc = this.endLoc;
        this.lastTokStartLoc = this.startLoc;
        this.nextToken();
      };
      pp.getToken = function() {
        this.next();
        return new Token(this);
      };
      if (typeof Symbol !== "undefined") {
        pp[Symbol.iterator] = function() {
          var this$1$1 = this;
          return {
            next: function() {
              var token = this$1$1.getToken();
              return {
                done: token.type === types$1.eof,
                value: token
              };
            }
          };
        };
      }
      pp.nextToken = function() {
        var curContext = this.curContext();
        if (!curContext || !curContext.preserveSpace) {
          this.skipSpace();
        }
        this.start = this.pos;
        if (this.options.locations) {
          this.startLoc = this.curPosition();
        }
        if (this.pos >= this.input.length) {
          return this.finishToken(types$1.eof);
        }
        if (curContext.override) {
          return curContext.override(this);
        } else {
          this.readToken(this.fullCharCodeAtPos());
        }
      };
      pp.readToken = function(code) {
        if (isIdentifierStart(code, this.options.ecmaVersion >= 6) || code === 92) {
          return this.readWord();
        }
        return this.getTokenFromCode(code);
      };
      pp.fullCharCodeAtPos = function() {
        var code = this.input.charCodeAt(this.pos);
        if (code <= 55295 || code >= 56320) {
          return code;
        }
        var next = this.input.charCodeAt(this.pos + 1);
        return next <= 56319 || next >= 57344 ? code : (code << 10) + next - 56613888;
      };
      pp.skipBlockComment = function() {
        var startLoc = this.options.onComment && this.curPosition();
        var start = this.pos, end = this.input.indexOf("*/", this.pos += 2);
        if (end === -1) {
          this.raise(this.pos - 2, "Unterminated comment");
        }
        this.pos = end + 2;
        if (this.options.locations) {
          for (var nextBreak = void 0, pos = start; (nextBreak = nextLineBreak(this.input, pos, this.pos)) > -1; ) {
            ++this.curLine;
            pos = this.lineStart = nextBreak;
          }
        }
        if (this.options.onComment) {
          this.options.onComment(
            true,
            this.input.slice(start + 2, end),
            start,
            this.pos,
            startLoc,
            this.curPosition()
          );
        }
      };
      pp.skipLineComment = function(startSkip) {
        var start = this.pos;
        var startLoc = this.options.onComment && this.curPosition();
        var ch = this.input.charCodeAt(this.pos += startSkip);
        while (this.pos < this.input.length && !isNewLine(ch)) {
          ch = this.input.charCodeAt(++this.pos);
        }
        if (this.options.onComment) {
          this.options.onComment(
            false,
            this.input.slice(start + startSkip, this.pos),
            start,
            this.pos,
            startLoc,
            this.curPosition()
          );
        }
      };
      pp.skipSpace = function() {
        loop: while (this.pos < this.input.length) {
          var ch = this.input.charCodeAt(this.pos);
          switch (ch) {
            case 32:
            case 160:
              ++this.pos;
              break;
            case 13:
              if (this.input.charCodeAt(this.pos + 1) === 10) {
                ++this.pos;
              }
            case 10:
            case 8232:
            case 8233:
              ++this.pos;
              if (this.options.locations) {
                ++this.curLine;
                this.lineStart = this.pos;
              }
              break;
            case 47:
              switch (this.input.charCodeAt(this.pos + 1)) {
                case 42:
                  this.skipBlockComment();
                  break;
                case 47:
                  this.skipLineComment(2);
                  break;
                default:
                  break loop;
              }
              break;
            default:
              if (ch > 8 && ch < 14 || ch >= 5760 && nonASCIIwhitespace.test(String.fromCharCode(ch))) {
                ++this.pos;
              } else {
                break loop;
              }
          }
        }
      };
      pp.finishToken = function(type, val) {
        this.end = this.pos;
        if (this.options.locations) {
          this.endLoc = this.curPosition();
        }
        var prevType = this.type;
        this.type = type;
        this.value = val;
        this.updateContext(prevType);
      };
      pp.readToken_dot = function() {
        var next = this.input.charCodeAt(this.pos + 1);
        if (next >= 48 && next <= 57) {
          return this.readNumber(true);
        }
        var next2 = this.input.charCodeAt(this.pos + 2);
        if (this.options.ecmaVersion >= 6 && next === 46 && next2 === 46) {
          this.pos += 3;
          return this.finishToken(types$1.ellipsis);
        } else {
          ++this.pos;
          return this.finishToken(types$1.dot);
        }
      };
      pp.readToken_slash = function() {
        var next = this.input.charCodeAt(this.pos + 1);
        if (this.exprAllowed) {
          ++this.pos;
          return this.readRegexp();
        }
        if (next === 61) {
          return this.finishOp(types$1.assign, 2);
        }
        return this.finishOp(types$1.slash, 1);
      };
      pp.readToken_mult_modulo_exp = function(code) {
        var next = this.input.charCodeAt(this.pos + 1);
        var size = 1;
        var tokentype = code === 42 ? types$1.star : types$1.modulo;
        if (this.options.ecmaVersion >= 7 && code === 42 && next === 42) {
          ++size;
          tokentype = types$1.starstar;
          next = this.input.charCodeAt(this.pos + 2);
        }
        if (next === 61) {
          return this.finishOp(types$1.assign, size + 1);
        }
        return this.finishOp(tokentype, size);
      };
      pp.readToken_pipe_amp = function(code) {
        var next = this.input.charCodeAt(this.pos + 1);
        if (next === code) {
          if (this.options.ecmaVersion >= 12) {
            var next2 = this.input.charCodeAt(this.pos + 2);
            if (next2 === 61) {
              return this.finishOp(types$1.assign, 3);
            }
          }
          return this.finishOp(code === 124 ? types$1.logicalOR : types$1.logicalAND, 2);
        }
        if (next === 61) {
          return this.finishOp(types$1.assign, 2);
        }
        return this.finishOp(code === 124 ? types$1.bitwiseOR : types$1.bitwiseAND, 1);
      };
      pp.readToken_caret = function() {
        var next = this.input.charCodeAt(this.pos + 1);
        if (next === 61) {
          return this.finishOp(types$1.assign, 2);
        }
        return this.finishOp(types$1.bitwiseXOR, 1);
      };
      pp.readToken_plus_min = function(code) {
        var next = this.input.charCodeAt(this.pos + 1);
        if (next === code) {
          if (next === 45 && !this.inModule && this.input.charCodeAt(this.pos + 2) === 62 && (this.lastTokEnd === 0 || lineBreak.test(this.input.slice(this.lastTokEnd, this.pos)))) {
            this.skipLineComment(3);
            this.skipSpace();
            return this.nextToken();
          }
          return this.finishOp(types$1.incDec, 2);
        }
        if (next === 61) {
          return this.finishOp(types$1.assign, 2);
        }
        return this.finishOp(types$1.plusMin, 1);
      };
      pp.readToken_lt_gt = function(code) {
        var next = this.input.charCodeAt(this.pos + 1);
        var size = 1;
        if (next === code) {
          size = code === 62 && this.input.charCodeAt(this.pos + 2) === 62 ? 3 : 2;
          if (this.input.charCodeAt(this.pos + size) === 61) {
            return this.finishOp(types$1.assign, size + 1);
          }
          return this.finishOp(types$1.bitShift, size);
        }
        if (next === 33 && code === 60 && !this.inModule && this.input.charCodeAt(this.pos + 2) === 45 && this.input.charCodeAt(this.pos + 3) === 45) {
          this.skipLineComment(4);
          this.skipSpace();
          return this.nextToken();
        }
        if (next === 61) {
          size = 2;
        }
        return this.finishOp(types$1.relational, size);
      };
      pp.readToken_eq_excl = function(code) {
        var next = this.input.charCodeAt(this.pos + 1);
        if (next === 61) {
          return this.finishOp(types$1.equality, this.input.charCodeAt(this.pos + 2) === 61 ? 3 : 2);
        }
        if (code === 61 && next === 62 && this.options.ecmaVersion >= 6) {
          this.pos += 2;
          return this.finishToken(types$1.arrow);
        }
        return this.finishOp(code === 61 ? types$1.eq : types$1.prefix, 1);
      };
      pp.readToken_question = function() {
        var ecmaVersion2 = this.options.ecmaVersion;
        if (ecmaVersion2 >= 11) {
          var next = this.input.charCodeAt(this.pos + 1);
          if (next === 46) {
            var next2 = this.input.charCodeAt(this.pos + 2);
            if (next2 < 48 || next2 > 57) {
              return this.finishOp(types$1.questionDot, 2);
            }
          }
          if (next === 63) {
            if (ecmaVersion2 >= 12) {
              var next2$1 = this.input.charCodeAt(this.pos + 2);
              if (next2$1 === 61) {
                return this.finishOp(types$1.assign, 3);
              }
            }
            return this.finishOp(types$1.coalesce, 2);
          }
        }
        return this.finishOp(types$1.question, 1);
      };
      pp.readToken_numberSign = function() {
        var ecmaVersion2 = this.options.ecmaVersion;
        var code = 35;
        if (ecmaVersion2 >= 13) {
          ++this.pos;
          code = this.fullCharCodeAtPos();
          if (isIdentifierStart(code, true) || code === 92) {
            return this.finishToken(types$1.privateId, this.readWord1());
          }
        }
        this.raise(this.pos, "Unexpected character '" + codePointToString(code) + "'");
      };
      pp.getTokenFromCode = function(code) {
        switch (code) {
          case 46:
            return this.readToken_dot();
          case 40:
            ++this.pos;
            return this.finishToken(types$1.parenL);
          case 41:
            ++this.pos;
            return this.finishToken(types$1.parenR);
          case 59:
            ++this.pos;
            return this.finishToken(types$1.semi);
          case 44:
            ++this.pos;
            return this.finishToken(types$1.comma);
          case 91:
            ++this.pos;
            return this.finishToken(types$1.bracketL);
          case 93:
            ++this.pos;
            return this.finishToken(types$1.bracketR);
          case 123:
            ++this.pos;
            return this.finishToken(types$1.braceL);
          case 125:
            ++this.pos;
            return this.finishToken(types$1.braceR);
          case 58:
            ++this.pos;
            return this.finishToken(types$1.colon);
          case 96:
            if (this.options.ecmaVersion < 6) {
              break;
            }
            ++this.pos;
            return this.finishToken(types$1.backQuote);
          case 48:
            var next = this.input.charCodeAt(this.pos + 1);
            if (next === 120 || next === 88) {
              return this.readRadixNumber(16);
            }
            if (this.options.ecmaVersion >= 6) {
              if (next === 111 || next === 79) {
                return this.readRadixNumber(8);
              }
              if (next === 98 || next === 66) {
                return this.readRadixNumber(2);
              }
            }
          case 49:
          case 50:
          case 51:
          case 52:
          case 53:
          case 54:
          case 55:
          case 56:
          case 57:
            return this.readNumber(false);
          case 34:
          case 39:
            return this.readString(code);
          case 47:
            return this.readToken_slash();
          case 37:
          case 42:
            return this.readToken_mult_modulo_exp(code);
          case 124:
          case 38:
            return this.readToken_pipe_amp(code);
          case 94:
            return this.readToken_caret();
          case 43:
          case 45:
            return this.readToken_plus_min(code);
          case 60:
          case 62:
            return this.readToken_lt_gt(code);
          case 61:
          case 33:
            return this.readToken_eq_excl(code);
          case 63:
            return this.readToken_question();
          case 126:
            return this.finishOp(types$1.prefix, 1);
          case 35:
            return this.readToken_numberSign();
        }
        this.raise(this.pos, "Unexpected character '" + codePointToString(code) + "'");
      };
      pp.finishOp = function(type, size) {
        var str = this.input.slice(this.pos, this.pos + size);
        this.pos += size;
        return this.finishToken(type, str);
      };
      pp.readRegexp = function() {
        var escaped, inClass, start = this.pos;
        for (; ; ) {
          if (this.pos >= this.input.length) {
            this.raise(start, "Unterminated regular expression");
          }
          var ch = this.input.charAt(this.pos);
          if (lineBreak.test(ch)) {
            this.raise(start, "Unterminated regular expression");
          }
          if (!escaped) {
            if (ch === "[") {
              inClass = true;
            } else if (ch === "]" && inClass) {
              inClass = false;
            } else if (ch === "/" && !inClass) {
              break;
            }
            escaped = ch === "\\";
          } else {
            escaped = false;
          }
          ++this.pos;
        }
        var pattern = this.input.slice(start, this.pos);
        ++this.pos;
        var flagsStart = this.pos;
        var flags = this.readWord1();
        if (this.containsEsc) {
          this.unexpected(flagsStart);
        }
        var state = this.regexpState || (this.regexpState = new RegExpValidationState(this));
        state.reset(start, pattern, flags);
        this.validateRegExpFlags(state);
        this.validateRegExpPattern(state);
        var value = null;
        try {
          value = new RegExp(pattern, flags);
        } catch (e) {
        }
        return this.finishToken(types$1.regexp, { pattern, flags, value });
      };
      pp.readInt = function(radix, len, maybeLegacyOctalNumericLiteral) {
        var allowSeparators = this.options.ecmaVersion >= 12 && len === void 0;
        var isLegacyOctalNumericLiteral = maybeLegacyOctalNumericLiteral && this.input.charCodeAt(this.pos) === 48;
        var start = this.pos, total = 0, lastCode = 0;
        for (var i2 = 0, e = len == null ? Infinity : len; i2 < e; ++i2, ++this.pos) {
          var code = this.input.charCodeAt(this.pos), val = void 0;
          if (allowSeparators && code === 95) {
            if (isLegacyOctalNumericLiteral) {
              this.raiseRecoverable(this.pos, "Numeric separator is not allowed in legacy octal numeric literals");
            }
            if (lastCode === 95) {
              this.raiseRecoverable(this.pos, "Numeric separator must be exactly one underscore");
            }
            if (i2 === 0) {
              this.raiseRecoverable(this.pos, "Numeric separator is not allowed at the first of digits");
            }
            lastCode = code;
            continue;
          }
          if (code >= 97) {
            val = code - 97 + 10;
          } else if (code >= 65) {
            val = code - 65 + 10;
          } else if (code >= 48 && code <= 57) {
            val = code - 48;
          } else {
            val = Infinity;
          }
          if (val >= radix) {
            break;
          }
          lastCode = code;
          total = total * radix + val;
        }
        if (allowSeparators && lastCode === 95) {
          this.raiseRecoverable(this.pos - 1, "Numeric separator is not allowed at the last of digits");
        }
        if (this.pos === start || len != null && this.pos - start !== len) {
          return null;
        }
        return total;
      };
      function stringToNumber(str, isLegacyOctalNumericLiteral) {
        if (isLegacyOctalNumericLiteral) {
          return parseInt(str, 8);
        }
        return parseFloat(str.replace(/_/g, ""));
      }
      function stringToBigInt(str) {
        if (typeof BigInt !== "function") {
          return null;
        }
        return BigInt(str.replace(/_/g, ""));
      }
      pp.readRadixNumber = function(radix) {
        var start = this.pos;
        this.pos += 2;
        var val = this.readInt(radix);
        if (val == null) {
          this.raise(this.start + 2, "Expected number in radix " + radix);
        }
        if (this.options.ecmaVersion >= 11 && this.input.charCodeAt(this.pos) === 110) {
          val = stringToBigInt(this.input.slice(start, this.pos));
          ++this.pos;
        } else if (isIdentifierStart(this.fullCharCodeAtPos())) {
          this.raise(this.pos, "Identifier directly after number");
        }
        return this.finishToken(types$1.num, val);
      };
      pp.readNumber = function(startsWithDot) {
        var start = this.pos;
        if (!startsWithDot && this.readInt(10, void 0, true) === null) {
          this.raise(start, "Invalid number");
        }
        var octal = this.pos - start >= 2 && this.input.charCodeAt(start) === 48;
        if (octal && this.strict) {
          this.raise(start, "Invalid number");
        }
        var next = this.input.charCodeAt(this.pos);
        if (!octal && !startsWithDot && this.options.ecmaVersion >= 11 && next === 110) {
          var val$1 = stringToBigInt(this.input.slice(start, this.pos));
          ++this.pos;
          if (isIdentifierStart(this.fullCharCodeAtPos())) {
            this.raise(this.pos, "Identifier directly after number");
          }
          return this.finishToken(types$1.num, val$1);
        }
        if (octal && /[89]/.test(this.input.slice(start, this.pos))) {
          octal = false;
        }
        if (next === 46 && !octal) {
          ++this.pos;
          this.readInt(10);
          next = this.input.charCodeAt(this.pos);
        }
        if ((next === 69 || next === 101) && !octal) {
          next = this.input.charCodeAt(++this.pos);
          if (next === 43 || next === 45) {
            ++this.pos;
          }
          if (this.readInt(10) === null) {
            this.raise(start, "Invalid number");
          }
        }
        if (isIdentifierStart(this.fullCharCodeAtPos())) {
          this.raise(this.pos, "Identifier directly after number");
        }
        var val = stringToNumber(this.input.slice(start, this.pos), octal);
        return this.finishToken(types$1.num, val);
      };
      pp.readCodePoint = function() {
        var ch = this.input.charCodeAt(this.pos), code;
        if (ch === 123) {
          if (this.options.ecmaVersion < 6) {
            this.unexpected();
          }
          var codePos = ++this.pos;
          code = this.readHexChar(this.input.indexOf("}", this.pos) - this.pos);
          ++this.pos;
          if (code > 1114111) {
            this.invalidStringToken(codePos, "Code point out of bounds");
          }
        } else {
          code = this.readHexChar(4);
        }
        return code;
      };
      pp.readString = function(quote) {
        var out = "", chunkStart = ++this.pos;
        for (; ; ) {
          if (this.pos >= this.input.length) {
            this.raise(this.start, "Unterminated string constant");
          }
          var ch = this.input.charCodeAt(this.pos);
          if (ch === quote) {
            break;
          }
          if (ch === 92) {
            out += this.input.slice(chunkStart, this.pos);
            out += this.readEscapedChar(false);
            chunkStart = this.pos;
          } else if (ch === 8232 || ch === 8233) {
            if (this.options.ecmaVersion < 10) {
              this.raise(this.start, "Unterminated string constant");
            }
            ++this.pos;
            if (this.options.locations) {
              this.curLine++;
              this.lineStart = this.pos;
            }
          } else {
            if (isNewLine(ch)) {
              this.raise(this.start, "Unterminated string constant");
            }
            ++this.pos;
          }
        }
        out += this.input.slice(chunkStart, this.pos++);
        return this.finishToken(types$1.string, out);
      };
      var INVALID_TEMPLATE_ESCAPE_ERROR = {};
      pp.tryReadTemplateToken = function() {
        this.inTemplateElement = true;
        try {
          this.readTmplToken();
        } catch (err) {
          if (err === INVALID_TEMPLATE_ESCAPE_ERROR) {
            this.readInvalidTemplateToken();
          } else {
            throw err;
          }
        }
        this.inTemplateElement = false;
      };
      pp.invalidStringToken = function(position, message) {
        if (this.inTemplateElement && this.options.ecmaVersion >= 9) {
          throw INVALID_TEMPLATE_ESCAPE_ERROR;
        } else {
          this.raise(position, message);
        }
      };
      pp.readTmplToken = function() {
        var out = "", chunkStart = this.pos;
        for (; ; ) {
          if (this.pos >= this.input.length) {
            this.raise(this.start, "Unterminated template");
          }
          var ch = this.input.charCodeAt(this.pos);
          if (ch === 96 || ch === 36 && this.input.charCodeAt(this.pos + 1) === 123) {
            if (this.pos === this.start && (this.type === types$1.template || this.type === types$1.invalidTemplate)) {
              if (ch === 36) {
                this.pos += 2;
                return this.finishToken(types$1.dollarBraceL);
              } else {
                ++this.pos;
                return this.finishToken(types$1.backQuote);
              }
            }
            out += this.input.slice(chunkStart, this.pos);
            return this.finishToken(types$1.template, out);
          }
          if (ch === 92) {
            out += this.input.slice(chunkStart, this.pos);
            out += this.readEscapedChar(true);
            chunkStart = this.pos;
          } else if (isNewLine(ch)) {
            out += this.input.slice(chunkStart, this.pos);
            ++this.pos;
            switch (ch) {
              case 13:
                if (this.input.charCodeAt(this.pos) === 10) {
                  ++this.pos;
                }
              case 10:
                out += "\n";
                break;
              default:
                out += String.fromCharCode(ch);
                break;
            }
            if (this.options.locations) {
              ++this.curLine;
              this.lineStart = this.pos;
            }
            chunkStart = this.pos;
          } else {
            ++this.pos;
          }
        }
      };
      pp.readInvalidTemplateToken = function() {
        for (; this.pos < this.input.length; this.pos++) {
          switch (this.input[this.pos]) {
            case "\\":
              ++this.pos;
              break;
            case "$":
              if (this.input[this.pos + 1] !== "{") {
                break;
              }
            case "`":
              return this.finishToken(types$1.invalidTemplate, this.input.slice(this.start, this.pos));
            case "\r":
              if (this.input[this.pos + 1] === "\n") {
                ++this.pos;
              }
            case "\n":
            case "\u2028":
            case "\u2029":
              ++this.curLine;
              this.lineStart = this.pos + 1;
              break;
          }
        }
        this.raise(this.start, "Unterminated template");
      };
      pp.readEscapedChar = function(inTemplate) {
        var ch = this.input.charCodeAt(++this.pos);
        ++this.pos;
        switch (ch) {
          case 110:
            return "\n";
          case 114:
            return "\r";
          case 120:
            return String.fromCharCode(this.readHexChar(2));
          case 117:
            return codePointToString(this.readCodePoint());
          case 116:
            return "	";
          case 98:
            return "\b";
          case 118:
            return "\v";
          case 102:
            return "\f";
          case 13:
            if (this.input.charCodeAt(this.pos) === 10) {
              ++this.pos;
            }
          case 10:
            if (this.options.locations) {
              this.lineStart = this.pos;
              ++this.curLine;
            }
            return "";
          case 56:
          case 57:
            if (this.strict) {
              this.invalidStringToken(
                this.pos - 1,
                "Invalid escape sequence"
              );
            }
            if (inTemplate) {
              var codePos = this.pos - 1;
              this.invalidStringToken(
                codePos,
                "Invalid escape sequence in template string"
              );
            }
          default:
            if (ch >= 48 && ch <= 55) {
              var octalStr = this.input.substr(this.pos - 1, 3).match(/^[0-7]+/)[0];
              var octal = parseInt(octalStr, 8);
              if (octal > 255) {
                octalStr = octalStr.slice(0, -1);
                octal = parseInt(octalStr, 8);
              }
              this.pos += octalStr.length - 1;
              ch = this.input.charCodeAt(this.pos);
              if ((octalStr !== "0" || ch === 56 || ch === 57) && (this.strict || inTemplate)) {
                this.invalidStringToken(
                  this.pos - 1 - octalStr.length,
                  inTemplate ? "Octal literal in template string" : "Octal literal in strict mode"
                );
              }
              return String.fromCharCode(octal);
            }
            if (isNewLine(ch)) {
              if (this.options.locations) {
                this.lineStart = this.pos;
                ++this.curLine;
              }
              return "";
            }
            return String.fromCharCode(ch);
        }
      };
      pp.readHexChar = function(len) {
        var codePos = this.pos;
        var n = this.readInt(16, len);
        if (n === null) {
          this.invalidStringToken(codePos, "Bad character escape sequence");
        }
        return n;
      };
      pp.readWord1 = function() {
        this.containsEsc = false;
        var word = "", first = true, chunkStart = this.pos;
        var astral = this.options.ecmaVersion >= 6;
        while (this.pos < this.input.length) {
          var ch = this.fullCharCodeAtPos();
          if (isIdentifierChar(ch, astral)) {
            this.pos += ch <= 65535 ? 1 : 2;
          } else if (ch === 92) {
            this.containsEsc = true;
            word += this.input.slice(chunkStart, this.pos);
            var escStart = this.pos;
            if (this.input.charCodeAt(++this.pos) !== 117) {
              this.invalidStringToken(this.pos, "Expecting Unicode escape sequence \\uXXXX");
            }
            ++this.pos;
            var esc = this.readCodePoint();
            if (!(first ? isIdentifierStart : isIdentifierChar)(esc, astral)) {
              this.invalidStringToken(escStart, "Invalid Unicode escape");
            }
            word += codePointToString(esc);
            chunkStart = this.pos;
          } else {
            break;
          }
          first = false;
        }
        return word + this.input.slice(chunkStart, this.pos);
      };
      pp.readWord = function() {
        var word = this.readWord1();
        var type = types$1.name;
        if (this.keywords.test(word)) {
          type = keywords[word];
        }
        return this.finishToken(type, word);
      };
      var version = "8.12.0";
      Parser.acorn = {
        Parser,
        version,
        defaultOptions: defaultOptions2,
        Position,
        SourceLocation,
        getLineInfo,
        Node,
        TokenType,
        tokTypes: types$1,
        keywordTypes: keywords,
        TokContext,
        tokContexts: types,
        isIdentifierChar,
        isIdentifierStart,
        Token,
        isNewLine,
        lineBreak,
        lineBreakG,
        nonASCIIwhitespace
      };
      function parse2(input, options) {
        return Parser.parse(input, options);
      }
      function parseExpressionAt(input, pos, options) {
        return Parser.parseExpressionAt(input, pos, options);
      }
      function tokenizer(input, options) {
        return Parser.tokenizer(input, options);
      }
      exports3.Node = Node;
      exports3.Parser = Parser;
      exports3.Position = Position;
      exports3.SourceLocation = SourceLocation;
      exports3.TokContext = TokContext;
      exports3.Token = Token;
      exports3.TokenType = TokenType;
      exports3.defaultOptions = defaultOptions2;
      exports3.getLineInfo = getLineInfo;
      exports3.isIdentifierChar = isIdentifierChar;
      exports3.isIdentifierStart = isIdentifierStart;
      exports3.isNewLine = isNewLine;
      exports3.keywordTypes = keywords;
      exports3.lineBreak = lineBreak;
      exports3.lineBreakG = lineBreakG;
      exports3.nonASCIIwhitespace = nonASCIIwhitespace;
      exports3.parse = parse2;
      exports3.parseExpressionAt = parseExpressionAt;
      exports3.tokContexts = types;
      exports3.tokTypes = types$1;
      exports3.tokenizer = tokenizer;
      exports3.version = version;
    });
  }
});

// node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/modules/acorn.js
var require_acorn3 = __commonJS({
  "node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/modules/acorn.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getAcorn = void 0;
    var module_1 = require("module");
    var require_utils_1 = require_require_utils();
    var acornCache;
    function getAcorn() {
      if (!acornCache) {
        acornCache = (0, require_utils_1.loadNewest)([
          {
            getPkg() {
              return (0, require_utils_1.requireFromCwd)("acorn/package.json");
            },
            get() {
              return (0, require_utils_1.requireFromCwd)("acorn");
            }
          },
          {
            getPkg() {
              return requireFromEspree("acorn/package.json");
            },
            get() {
              return requireFromEspree("acorn");
            }
          },
          {
            getPkg() {
              return require_package13();
            },
            get() {
              return require_acorn2();
            }
          }
        ]);
      }
      return acornCache;
    }
    exports2.getAcorn = getAcorn;
    function requireFromEspree(module3) {
      try {
        return (0, module_1.createRequire)(getEspreePath())(module3);
      } catch (_a) {
      }
      return null;
    }
    function getEspreePath() {
      return (0, require_utils_1.loadNewest)([
        {
          getPkg() {
            return (0, require_utils_1.requireFromCwd)("espree/package.json");
          },
          get() {
            return (0, require_utils_1.getRequireFromCwd)().resolve("espree");
          }
        },
        {
          getPkg() {
            return (0, require_utils_1.requireFromLinter)("espree/package.json");
          },
          get() {
            return (0, require_utils_1.getRequireFromLinter)().resolve("espree");
          }
        },
        {
          getPkg() {
            return require_package11();
          },
          get() {
            return require.resolve("./espree-4eb5799b.cjs");
          }
        }
      ]);
    }
  }
});

// node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/convert.js
var require_convert2 = __commonJS({
  "node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/convert.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.convertProgramNode = exports2.TokenConvertor = void 0;
    var validate_1 = require_validate2();
    var errors_1 = require_errors2();
    var acorn_1 = require_acorn3();
    var TokenConvertor = class {
      constructor(ctx, code) {
        this.templateBuffer = [];
        this.ctx = ctx;
        this.code = code;
        this.tokTypes = (0, acorn_1.getAcorn)().tokTypes;
      }
      convertToken(token) {
        const { tokTypes } = this;
        let type, value;
        const additional = {};
        if (token.type === tokTypes.string) {
          type = "String";
          value = this.code.slice(...token.range);
        } else if (token.type === tokTypes.num) {
          type = "Numeric";
          value = this.code.slice(...token.range);
        } else if (token.type.keyword) {
          if (token.type.keyword === "true" || token.type.keyword === "false") {
            type = "Boolean";
          } else if (token.type.keyword === "null") {
            type = "Null";
          } else {
            type = "Keyword";
          }
          value = token.value;
        } else if (token.type === tokTypes.braceL || token.type === tokTypes.braceR || token.type === tokTypes.bracketL || token.type === tokTypes.bracketR || token.type === tokTypes.colon || token.type === tokTypes.comma || token.type === tokTypes.plusMin) {
          type = "Punctuator";
          value = this.code.slice(...token.range);
        } else if (token.type === tokTypes.name) {
          type = "Identifier";
          value = token.value;
        } else if (token.type === tokTypes.backQuote) {
          if (this.templateBuffer.length > 0) {
            const first = this.templateBuffer[0];
            this.templateBuffer.length = 0;
            return {
              type: "Template",
              value: this.code.slice(first.start, token.end),
              range: [first.start, token.end],
              loc: {
                start: first.loc.start,
                end: token.loc.end
              }
            };
          }
          this.templateBuffer.push(token);
          return null;
        } else if (token.type === tokTypes.template) {
          if (this.templateBuffer.length === 0) {
            return (0, errors_1.throwUnexpectedTokenError)(this.code.slice(...token.range), token);
          }
          this.templateBuffer.push(token);
          return null;
        } else if (token.type === tokTypes.regexp) {
          const reValue = token.value;
          type = "RegularExpression";
          additional.regex = {
            flags: reValue.flags,
            pattern: reValue.pattern
          };
          value = `/${reValue.pattern}/${reValue.flags}`;
        } else if (this.ctx.parentheses && (token.type === tokTypes.parenL || token.type === tokTypes.parenR)) {
          type = "Punctuator";
          value = this.code.slice(...token.range);
        } else if (this.ctx.staticExpressions && (token.type === tokTypes.star || token.type === tokTypes.slash || token.type === tokTypes.modulo || token.type === tokTypes.starstar)) {
          type = "Punctuator";
          value = this.code.slice(...token.range);
        } else {
          return (0, errors_1.throwUnexpectedTokenError)(this.code.slice(...token.range), token);
        }
        token.type = type;
        token.value = value;
        for (const k in additional) {
          token[k] = additional[k];
        }
        return token;
      }
    };
    exports2.TokenConvertor = TokenConvertor;
    function convertProgramNode(node, tokens, ctx, code) {
      if (node.type !== "JSONObjectExpression" && node.type !== "JSONArrayExpression" && node.type !== "JSONLiteral" && node.type !== "JSONUnaryExpression" && node.type !== "JSONIdentifier" && node.type !== "JSONTemplateLiteral" && node.type !== "JSONBinaryExpression") {
        return (0, errors_1.throwUnexpectedNodeError)(node, tokens);
      }
      if (node.type === "JSONIdentifier") {
        if (!(0, validate_1.isStaticValueIdentifier)(node, ctx)) {
          return (0, errors_1.throwUnexpectedNodeError)(node, tokens);
        }
      }
      const body = Object.assign(Object.assign({ type: "JSONExpressionStatement", expression: node }, cloneLocation(node)), { parent: null });
      setParent(node, body);
      const end = code.length;
      const endLoc = (0, acorn_1.getAcorn)().getLineInfo(code, end);
      const nn = {
        type: "Program",
        body: [body],
        comments: [],
        tokens: [],
        range: [0, end],
        loc: {
          start: {
            line: 1,
            column: 0
          },
          end: {
            line: endLoc.line,
            column: endLoc.column
          }
        },
        parent: null
      };
      setParent(body, nn);
      return nn;
    }
    exports2.convertProgramNode = convertProgramNode;
    function cloneLocation(node) {
      const range = node.range;
      const loc = node.loc;
      return {
        range: [range[0], range[1]],
        loc: {
          start: {
            line: loc.start.line,
            column: loc.start.column
          },
          end: {
            line: loc.end.line,
            column: loc.end.column
          }
        }
      };
    }
    function setParent(prop, parent) {
      prop.parent = parent;
    }
  }
});

// node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/extend-parser.js
var require_extend_parser = __commonJS({
  "node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/extend-parser.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getAnyTokenErrorParser = exports2.getParser = void 0;
    var validate_1 = require_validate2();
    var acorn_1 = require_acorn3();
    var errors_1 = require_errors2();
    var convert_1 = require_convert2();
    var parserCache;
    var PRIVATE = Symbol("ExtendParser#private");
    var PRIVATE_PROCESS_NODE = Symbol("ExtendParser#processNode");
    function getParser() {
      if (parserCache) {
        return parserCache;
      }
      parserCache = class ExtendParser extends (0, acorn_1.getAcorn)().Parser {
        constructor(options, code, pos) {
          super((() => {
            const tokenConvertor = new convert_1.TokenConvertor(options.ctx, code);
            const onToken = options.onToken || ((token) => {
              const t = tokenConvertor.convertToken(token);
              if (t) {
                this[PRIVATE].tokenStore.add(t);
              }
            });
            return {
              ecmaVersion: options.ecmaVersion,
              sourceType: options.sourceType,
              ranges: true,
              locations: true,
              allowReserved: true,
              onToken,
              onComment: (block, text, start, end, startLoc, endLoc) => {
                const comment = {
                  type: block ? "Block" : "Line",
                  value: text,
                  range: [start, end],
                  loc: {
                    start: startLoc,
                    end: endLoc
                  }
                };
                if (!this[PRIVATE].ctx.comments) {
                  throw (0, errors_1.throwUnexpectedCommentError)(comment);
                }
                this[PRIVATE].comments.push(comment);
              }
            };
          })(), code, pos);
          this[PRIVATE] = {
            code,
            ctx: options.ctx,
            tokenStore: options.tokenStore,
            comments: options.comments,
            nodes: options.nodes
          };
        }
        finishNode(...args) {
          const result = super.finishNode(...args);
          return this[PRIVATE_PROCESS_NODE](result);
        }
        finishNodeAt(...args) {
          const result = super.finishNodeAt(...args);
          return this[PRIVATE_PROCESS_NODE](result);
        }
        [PRIVATE_PROCESS_NODE](node) {
          const { tokenStore, ctx, nodes } = this[PRIVATE];
          (0, validate_1.validateNode)(node, tokenStore, ctx);
          nodes.push(node);
          return node;
        }
        raise(pos, message) {
          const loc = (0, acorn_1.getAcorn)().getLineInfo(this[PRIVATE].code, pos);
          const err = new errors_1.ParseError(message, pos, loc.line, loc.column + 1);
          throw err;
        }
        raiseRecoverable(pos, message) {
          this.raise(pos, message);
        }
        unexpected(pos) {
          if (pos != null) {
            this.raise(pos, "Unexpected token.");
            return;
          }
          const start = this.start;
          const end = this.end;
          const token = this[PRIVATE].code.slice(start, end);
          if (token) {
            const message = `Unexpected token '${token}'.`;
            this.raise(start, message);
          } else {
            if (!this[PRIVATE].nodes.length) {
              this.raise(0, "Expected to be an expression, but got empty.");
            }
            if (this[PRIVATE].tokenStore.tokens.length) {
              const last = this[PRIVATE].tokenStore.tokens[this[PRIVATE].tokenStore.tokens.length - 1];
              this.raise(last.range[0], `Unexpected token '${last.value}'.`);
            }
            this.raise(start, "Unexpected token.");
          }
        }
      };
      return parserCache;
    }
    exports2.getParser = getParser;
    function getAnyTokenErrorParser() {
      const parser = class ExtendParser extends getParser() {
        constructor(options, code, pos) {
          super(Object.assign(Object.assign({}, options), { onToken: (token) => {
            return (0, errors_1.throwUnexpectedTokenError)(code.slice(...token.range), token);
          } }), code, pos);
        }
      };
      return parser;
    }
    exports2.getAnyTokenErrorParser = getAnyTokenErrorParser;
  }
});

// node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/parser.js
var require_parser3 = __commonJS({
  "node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/parser.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.parseForESLint = void 0;
    var espree_1 = require_espree2();
    var visitor_keys_1 = require_visitor_keys2();
    var convert_1 = require_convert2();
    var token_store_1 = require_token_store();
    var semver_1 = require_semver2();
    var extend_parser_1 = require_extend_parser();
    var DEFAULT_ECMA_VERSION = "latest";
    function parseForESLint(code, options) {
      var _a, _b, _c, _d;
      const parserOptions = Object.assign({ filePath: "", ecmaVersion: DEFAULT_ECMA_VERSION }, options || {}, {
        loc: true,
        range: true,
        raw: true,
        tokens: true,
        comment: true,
        eslintVisitorKeys: true,
        eslintScopeManager: true
      });
      parserOptions.ecmaVersion = normalizeEcmaVersion(parserOptions.ecmaVersion);
      const ctx = getJSONSyntaxContext(parserOptions.jsonSyntax);
      const tokens = [];
      const comments = [];
      const tokenStore = new token_store_1.TokenStore(tokens);
      const nodes = [];
      parserOptions.ctx = ctx;
      parserOptions.tokenStore = tokenStore;
      parserOptions.comments = comments;
      parserOptions.nodes = nodes;
      const baseAst = (0, extend_parser_1.getParser)().parseExpressionAt(code, 0, parserOptions);
      for (const node of nodes) {
        node.type = `JSON${node.type}`;
      }
      const ast = (0, convert_1.convertProgramNode)(baseAst, tokenStore, ctx, code);
      let lastIndex = Math.max(baseAst.range[1], (_b = (_a = tokens[tokens.length - 1]) === null || _a === void 0 ? void 0 : _a.range[1]) !== null && _b !== void 0 ? _b : 0, (_d = (_c = comments[comments.length - 1]) === null || _c === void 0 ? void 0 : _c.range[1]) !== null && _d !== void 0 ? _d : 0);
      let lastChar = code[lastIndex];
      while (lastChar === "\n" || lastChar === "\r" || lastChar === " " || lastChar === "	") {
        lastIndex++;
        lastChar = code[lastIndex];
      }
      if (lastIndex < code.length) {
        (0, extend_parser_1.getAnyTokenErrorParser)().parseExpressionAt(code, lastIndex, parserOptions);
      }
      ast.tokens = tokens;
      ast.comments = comments;
      return {
        ast,
        visitorKeys: (0, visitor_keys_1.getVisitorKeys)(),
        services: {
          isJSON: true
        }
      };
    }
    exports2.parseForESLint = parseForESLint;
    function getJSONSyntaxContext(str) {
      const upperCase = str === null || str === void 0 ? void 0 : str.toUpperCase();
      if (upperCase === "JSON") {
        return {
          trailingCommas: false,
          comments: false,
          plusSigns: false,
          spacedSigns: false,
          leadingOrTrailingDecimalPoints: false,
          infinities: false,
          nans: false,
          numericSeparators: false,
          binaryNumericLiterals: false,
          octalNumericLiterals: false,
          legacyOctalNumericLiterals: false,
          invalidJsonNumbers: false,
          multilineStrings: false,
          unquoteProperties: false,
          singleQuotes: false,
          numberProperties: false,
          undefinedKeywords: false,
          sparseArrays: false,
          regExpLiterals: false,
          templateLiterals: false,
          bigintLiterals: false,
          unicodeCodepointEscapes: false,
          escapeSequenceInIdentifier: false,
          parentheses: false,
          staticExpressions: false
        };
      }
      if (upperCase === "JSONC") {
        return {
          trailingCommas: true,
          comments: true,
          plusSigns: false,
          spacedSigns: false,
          leadingOrTrailingDecimalPoints: false,
          infinities: false,
          nans: false,
          numericSeparators: false,
          binaryNumericLiterals: false,
          octalNumericLiterals: false,
          legacyOctalNumericLiterals: false,
          invalidJsonNumbers: false,
          multilineStrings: false,
          unquoteProperties: false,
          singleQuotes: false,
          numberProperties: false,
          undefinedKeywords: false,
          sparseArrays: false,
          regExpLiterals: false,
          templateLiterals: false,
          bigintLiterals: false,
          unicodeCodepointEscapes: false,
          escapeSequenceInIdentifier: false,
          parentheses: false,
          staticExpressions: false
        };
      }
      if (upperCase === "JSON5") {
        return {
          trailingCommas: true,
          comments: true,
          plusSigns: true,
          spacedSigns: true,
          leadingOrTrailingDecimalPoints: true,
          infinities: true,
          nans: true,
          numericSeparators: false,
          binaryNumericLiterals: false,
          octalNumericLiterals: false,
          legacyOctalNumericLiterals: false,
          invalidJsonNumbers: true,
          multilineStrings: true,
          unquoteProperties: true,
          singleQuotes: true,
          numberProperties: false,
          undefinedKeywords: false,
          sparseArrays: false,
          regExpLiterals: false,
          templateLiterals: false,
          bigintLiterals: false,
          unicodeCodepointEscapes: false,
          escapeSequenceInIdentifier: false,
          parentheses: false,
          staticExpressions: false
        };
      }
      return {
        trailingCommas: true,
        comments: true,
        plusSigns: true,
        spacedSigns: true,
        leadingOrTrailingDecimalPoints: true,
        infinities: true,
        nans: true,
        numericSeparators: true,
        binaryNumericLiterals: true,
        octalNumericLiterals: true,
        legacyOctalNumericLiterals: true,
        invalidJsonNumbers: true,
        multilineStrings: true,
        unquoteProperties: true,
        singleQuotes: true,
        numberProperties: true,
        undefinedKeywords: true,
        sparseArrays: true,
        regExpLiterals: true,
        templateLiterals: true,
        bigintLiterals: true,
        unicodeCodepointEscapes: true,
        escapeSequenceInIdentifier: true,
        parentheses: true,
        staticExpressions: true
      };
    }
    function normalizeEcmaVersion(version) {
      const espree = (0, espree_1.getEspree)();
      const latestEcmaVersion = getLatestEcmaVersion(espree);
      if (version == null || version === "latest") {
        return latestEcmaVersion;
      }
      return Math.min(getEcmaVersionYear(version), latestEcmaVersion);
    }
    function getLatestEcmaVersion(espree) {
      if (espree.latestEcmaVersion == null) {
        for (const { v, latest } of [
          { v: "6.1.0", latest: 2020 },
          { v: "4.0.0", latest: 2019 }
        ]) {
          if ((0, semver_1.lte)(v, espree.version)) {
            return latest;
          }
        }
        return 2018;
      }
      return getEcmaVersionYear(espree.latestEcmaVersion);
    }
    function getEcmaVersionYear(version) {
      return version > 5 && version < 2015 ? version + 2009 : version;
    }
  }
});

// node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/traverse.js
var require_traverse = __commonJS({
  "node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/parser/traverse.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.traverseNodes = exports2.getNodes = exports2.getKeys = exports2.getFallbackKeys = void 0;
    var visitor_keys_1 = require_visitor_keys2();
    function fallbackKeysFilter(key) {
      let value = null;
      return key !== "comments" && key !== "leadingComments" && key !== "loc" && key !== "parent" && key !== "range" && key !== "tokens" && key !== "trailingComments" && (value = this[key]) !== null && typeof value === "object" && (typeof value.type === "string" || Array.isArray(value));
    }
    function getFallbackKeys(node) {
      return Object.keys(node).filter(fallbackKeysFilter, node);
    }
    exports2.getFallbackKeys = getFallbackKeys;
    function getKeys2(node, visitorKeys) {
      const keys2 = (visitorKeys || (0, visitor_keys_1.getVisitorKeys)())[node.type] || getFallbackKeys(node);
      return keys2.filter((key) => !getNodes(node, key).next().done);
    }
    exports2.getKeys = getKeys2;
    function* getNodes(node, key) {
      const child = node[key];
      if (Array.isArray(child)) {
        for (const c of child) {
          if (isNode2(c)) {
            yield c;
          }
        }
      } else if (isNode2(child)) {
        yield child;
      }
    }
    exports2.getNodes = getNodes;
    function isNode2(x) {
      return x !== null && typeof x === "object" && typeof x.type === "string";
    }
    function traverse(node, parent, visitor2) {
      visitor2.enterNode(node, parent);
      const keys2 = getKeys2(node, visitor2.visitorKeys);
      for (const key of keys2) {
        for (const child of getNodes(node, key)) {
          traverse(child, node, visitor2);
        }
      }
      visitor2.leaveNode(node, parent);
    }
    function traverseNodes(node, visitor2) {
      traverse(node, null, visitor2);
    }
    exports2.traverseNodes = traverseNodes;
  }
});

// node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/utils/ast.js
var require_ast3 = __commonJS({
  "node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/utils/ast.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getStaticJSONValue = exports2.isUndefinedIdentifier = exports2.isNumberIdentifier = exports2.isExpression = void 0;
    function isExpression(node) {
      if (node.type === "JSONIdentifier" || node.type === "JSONLiteral") {
        const parent = node.parent;
        if (parent.type === "JSONProperty" && parent.key === node) {
          return false;
        }
        return true;
      }
      if (node.type === "JSONObjectExpression" || node.type === "JSONArrayExpression" || node.type === "JSONUnaryExpression" || node.type === "JSONTemplateLiteral" || node.type === "JSONBinaryExpression") {
        return true;
      }
      return false;
    }
    exports2.isExpression = isExpression;
    function isNumberIdentifier(node) {
      return isExpression(node) && (node.name === "Infinity" || node.name === "NaN");
    }
    exports2.isNumberIdentifier = isNumberIdentifier;
    function isUndefinedIdentifier(node) {
      return isExpression(node) && node.name === "undefined";
    }
    exports2.isUndefinedIdentifier = isUndefinedIdentifier;
    var resolver = {
      Program(node) {
        if (node.body.length !== 1 || node.body[0].type !== "JSONExpressionStatement") {
          throw new Error("Illegal argument");
        }
        return getStaticJSONValue(node.body[0]);
      },
      JSONExpressionStatement(node) {
        return getStaticJSONValue(node.expression);
      },
      JSONObjectExpression(node) {
        const object = {};
        for (const prop of node.properties) {
          Object.assign(object, getStaticJSONValue(prop));
        }
        return object;
      },
      JSONProperty(node) {
        const keyName = node.key.type === "JSONLiteral" ? `${node.key.value}` : node.key.name;
        return {
          [keyName]: getStaticJSONValue(node.value)
        };
      },
      JSONArrayExpression(node) {
        const array = [];
        for (let index = 0; index < node.elements.length; index++) {
          const element = node.elements[index];
          if (element) {
            array[index] = getStaticJSONValue(element);
          }
        }
        return array;
      },
      JSONLiteral(node) {
        if (node.regex) {
          try {
            return new RegExp(node.regex.pattern, node.regex.flags);
          } catch (_a) {
            return `/${node.regex.pattern}/${node.regex.flags}`;
          }
        }
        if (node.bigint != null) {
          try {
            return BigInt(node.bigint);
          } catch (_b) {
            return `${node.bigint}`;
          }
        }
        return node.value;
      },
      JSONUnaryExpression(node) {
        const value = getStaticJSONValue(node.argument);
        return node.operator === "-" ? -value : value;
      },
      JSONBinaryExpression(node) {
        const left = getStaticJSONValue(node.left);
        const right = getStaticJSONValue(node.right);
        return node.operator === "+" ? left + right : node.operator === "-" ? left - right : node.operator === "*" ? left * right : node.operator === "/" ? left / right : node.operator === "%" ? left % right : node.operator === "**" ? Math.pow(left, right) : (() => {
          throw new Error(`Unknown operator: ${node.operator}`);
        })();
      },
      JSONIdentifier(node) {
        if (node.name === "Infinity") {
          return Infinity;
        }
        if (node.name === "NaN") {
          return NaN;
        }
        if (node.name === "undefined") {
          return void 0;
        }
        throw new Error("Illegal argument");
      },
      JSONTemplateLiteral(node) {
        return getStaticJSONValue(node.quasis[0]);
      },
      JSONTemplateElement(node) {
        return node.value.cooked;
      }
    };
    function getStaticJSONValue(node) {
      return resolver[node.type](node);
    }
    exports2.getStaticJSONValue = getStaticJSONValue;
  }
});

// node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/meta.js
var require_meta = __commonJS({
  "node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/meta.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.version = exports2.name = void 0;
    exports2.name = "jsonc-eslint-parser";
    exports2.version = "2.4.0";
  }
});

// node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/index.js
var require_lib14 = __commonJS({
  "node_modules/.pnpm/jsonc-eslint-parser@2.4.0/node_modules/jsonc-eslint-parser/lib/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.parseJSON = exports2.isUndefinedIdentifier = exports2.isNumberIdentifier = exports2.isExpression = exports2.getStaticJSONValue = exports2.traverseNodes = exports2.VisitorKeys = exports2.parseForESLint = exports2.name = exports2.meta = void 0;
    var parser_1 = require_parser3();
    Object.defineProperty(exports2, "parseForESLint", { enumerable: true, get: function() {
      return parser_1.parseForESLint;
    } });
    var traverse_1 = require_traverse();
    Object.defineProperty(exports2, "traverseNodes", { enumerable: true, get: function() {
      return traverse_1.traverseNodes;
    } });
    var ast_1 = require_ast3();
    Object.defineProperty(exports2, "getStaticJSONValue", { enumerable: true, get: function() {
      return ast_1.getStaticJSONValue;
    } });
    Object.defineProperty(exports2, "isExpression", { enumerable: true, get: function() {
      return ast_1.isExpression;
    } });
    Object.defineProperty(exports2, "isNumberIdentifier", { enumerable: true, get: function() {
      return ast_1.isNumberIdentifier;
    } });
    Object.defineProperty(exports2, "isUndefinedIdentifier", { enumerable: true, get: function() {
      return ast_1.isUndefinedIdentifier;
    } });
    var visitor_keys_1 = require_visitor_keys2();
    exports2.meta = __importStar2(require_meta());
    var meta_1 = require_meta();
    Object.defineProperty(exports2, "name", { enumerable: true, get: function() {
      return meta_1.name;
    } });
    exports2.VisitorKeys = (0, visitor_keys_1.getVisitorKeys)();
    function parseJSON(code, options) {
      return (0, parser_1.parseForESLint)(code, options).ast;
    }
    exports2.parseJSON = parseJSON;
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/index.js
var require_utils9 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getCoreRule = exports2.defineWrapperListener = exports2.createRule = void 0;
    var jsoncESLintParser = __importStar2(require_lib14());
    var path_1 = __importDefault2(require("path"));
    var eslint_compat_utils_1 = require_dist9();
    function createRule(ruleName, rule) {
      return {
        meta: Object.assign(Object.assign({}, rule.meta), { docs: Object.assign(Object.assign({}, rule.meta.docs), { url: `https://ota-meshi.github.io/eslint-plugin-jsonc/rules/${ruleName}.html`, ruleId: `jsonc/${ruleName}`, ruleName }) }),
        jsoncDefineRule: rule,
        create(context) {
          const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
          if (typeof sourceCode.parserServices.defineCustomBlocksVisitor === "function" && path_1.default.extname((0, eslint_compat_utils_1.getFilename)(context)) === ".vue") {
            return sourceCode.parserServices.defineCustomBlocksVisitor(context, jsoncESLintParser, {
              target(lang, block) {
                if (lang) {
                  return /^json[5c]?$/i.test(lang);
                }
                return block.name === "i18n";
              },
              create(blockContext) {
                return rule.create(blockContext, {
                  customBlock: true
                });
              }
            });
          }
          return rule.create(context, {
            customBlock: false
          });
        }
      };
    }
    exports2.createRule = createRule;
    function defineWrapperListener(coreRule, context, options) {
      const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
      if (!sourceCode.parserServices.isJSON) {
        return {};
      }
      const listener = coreRule.create({
        __proto__: context,
        options
      });
      const jsonListener = {};
      for (const key of Object.keys(listener)) {
        const original = listener[key];
        if (!original) {
          continue;
        }
        const jsonKey = key.replace(/(?:^|\b)(ExpressionStatement|(?:Template)?Literal|(?:Array|Object|Unary)Expression|Property|Identifier|TemplateElement)(?:\b|$)/gu, "JSON$1");
        jsonListener[jsonKey] = function(node, ...args) {
          original.call(this, getProxyNode(node), ...args);
        };
      }
      function isNode2(data) {
        return data && typeof data.type === "string" && Array.isArray(data.range) && data.range.length === 2 && typeof data.range[0] === "number" && typeof data.range[1] === "number";
      }
      function getProxyNode(node) {
        const type = node.type.startsWith("JSON") ? node.type.slice(4) : node.type;
        const cache = { type };
        return new Proxy(node, {
          get(_t, key) {
            if (key in cache) {
              return cache[key];
            }
            const data = node[key];
            if (isNode2(data)) {
              return cache[key] = getProxyNode(data);
            }
            if (Array.isArray(data)) {
              return cache[key] = data.map((e) => isNode2(e) ? getProxyNode(e) : e);
            }
            return data;
          }
        });
      }
      return jsonListener;
    }
    exports2.defineWrapperListener = defineWrapperListener;
    var ruleMap = null;
    function getCoreRule(name) {
      const eslint = require("eslint");
      try {
        const map = ruleMap || (ruleMap = new eslint.Linter().getRules());
        return map.get(name) || null;
      } catch (_a) {
      }
      const { builtinRules } = require("eslint/use-at-your-own-risk");
      return builtinRules.get(name) || null;
    }
    exports2.getCoreRule = getCoreRule;
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/eslint-ast-utils.js
var require_eslint_ast_utils = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/eslint-ast-utils.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getNextLocation = exports2.getStaticPropertyName = exports2.isTokenOnSameLine = exports2.isNumericLiteral = exports2.isSurroundedBy = exports2.canTokensBeAdjacent = exports2.createGlobalLinebreakMatcher = exports2.LINEBREAK_MATCHER = exports2.LINEBREAKS = void 0;
    var jsonc_eslint_parser_1 = require_lib14();
    var espree_1 = require_espree();
    exports2.LINEBREAKS = /* @__PURE__ */ new Set(["\r\n", "\r", "\n", "\u2028", "\u2029"]);
    exports2.LINEBREAK_MATCHER = /\r\n|[\n\r\u2028\u2029]/u;
    function createGlobalLinebreakMatcher() {
      return new RegExp(exports2.LINEBREAK_MATCHER.source, "gu");
    }
    exports2.createGlobalLinebreakMatcher = createGlobalLinebreakMatcher;
    function canTokensBeAdjacent(leftValue, rightValue) {
      const espreeOptions = {
        comment: true,
        ecmaVersion: espree_1.latestEcmaVersion,
        range: true
      };
      let leftToken;
      if (typeof leftValue === "string") {
        let tokens;
        try {
          tokens = (0, espree_1.tokenize)(leftValue, espreeOptions);
        } catch (_a) {
          return false;
        }
        const comments = tokens.comments;
        leftToken = tokens[tokens.length - 1];
        if (comments.length) {
          const lastComment = comments[comments.length - 1];
          if (!leftToken || lastComment.range[0] > leftToken.range[0])
            leftToken = lastComment;
        }
      } else {
        leftToken = leftValue;
      }
      if (leftToken.type === "Shebang" || leftToken.type === "Hashbang")
        return false;
      let rightToken;
      if (typeof rightValue === "string") {
        let tokens;
        try {
          tokens = (0, espree_1.tokenize)(rightValue, espreeOptions);
        } catch (_b) {
          return false;
        }
        const comments = tokens.comments;
        rightToken = tokens[0];
        if (comments.length) {
          const firstComment = comments[0];
          if (!rightToken || firstComment.range[0] < rightToken.range[0])
            rightToken = firstComment;
        }
      } else {
        rightToken = rightValue;
      }
      if (leftToken.type === "Punctuator" || rightToken.type === "Punctuator") {
        if (leftToken.type === "Punctuator" && rightToken.type === "Punctuator") {
          const PLUS_TOKENS = /* @__PURE__ */ new Set(["+", "++"]);
          const MINUS_TOKENS = /* @__PURE__ */ new Set(["-", "--"]);
          return !(PLUS_TOKENS.has(leftToken.value) && PLUS_TOKENS.has(rightToken.value) || MINUS_TOKENS.has(leftToken.value) && MINUS_TOKENS.has(rightToken.value));
        }
        if (leftToken.type === "Punctuator" && leftToken.value === "/")
          return !["Block", "Line", "RegularExpression"].includes(rightToken.type);
        return true;
      }
      if (leftToken.type === "String" || rightToken.type === "String" || leftToken.type === "Template" || rightToken.type === "Template")
        return true;
      if (leftToken.type !== "Numeric" && rightToken.type === "Numeric" && rightToken.value.startsWith("."))
        return true;
      if (leftToken.type === "Block" || rightToken.type === "Block" || rightToken.type === "Line")
        return true;
      if (rightToken.type === "PrivateIdentifier")
        return true;
      return false;
    }
    exports2.canTokensBeAdjacent = canTokensBeAdjacent;
    function isSurroundedBy(val, character) {
      return val.startsWith(character) && val.endsWith(character);
    }
    exports2.isSurroundedBy = isSurroundedBy;
    function isNumericLiteral(node) {
      return node.type === "JSONLiteral" && (typeof node.value === "number" || Boolean("bigint" in node && node.bigint));
    }
    exports2.isNumericLiteral = isNumericLiteral;
    function isTokenOnSameLine(left, right) {
      var _a, _b;
      return ((_a = left === null || left === void 0 ? void 0 : left.loc) === null || _a === void 0 ? void 0 : _a.end.line) === ((_b = right === null || right === void 0 ? void 0 : right.loc) === null || _b === void 0 ? void 0 : _b.start.line);
    }
    exports2.isTokenOnSameLine = isTokenOnSameLine;
    function getStaticPropertyName2(node) {
      let prop;
      if (node) {
        switch (node.type) {
          case "JSONProperty":
            prop = node.key;
            break;
          default:
            return null;
        }
      }
      if (prop) {
        if (prop.type === "JSONIdentifier")
          return prop.name;
        return String((0, jsonc_eslint_parser_1.getStaticJSONValue)(prop));
      }
      return null;
    }
    exports2.getStaticPropertyName = getStaticPropertyName2;
    function getNextLocation(sourceCode, { column, line }) {
      if (column < sourceCode.lines[line - 1].length) {
        return {
          column: column + 1,
          line
        };
      }
      if (line < sourceCode.lines.length) {
        return {
          column: 0,
          line: line + 1
        };
      }
      return null;
    }
    exports2.getNextLocation = getNextLocation;
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/array-bracket-newline.js
var require_array_bracket_newline = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/array-bracket-newline.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    var eslint_ast_utils_1 = require_eslint_ast_utils();
    var eslint_utils_1 = require_eslint_utils();
    exports2.default = (0, utils_1.createRule)("array-bracket-newline", {
      meta: {
        docs: {
          description: "enforce line breaks after opening and before closing array brackets",
          recommended: null,
          extensionRule: true,
          layout: true
        },
        type: "layout",
        fixable: "whitespace",
        schema: [
          {
            oneOf: [
              {
                type: "string",
                enum: ["always", "never", "consistent"]
              },
              {
                type: "object",
                properties: {
                  multiline: {
                    type: "boolean"
                  },
                  minItems: {
                    type: ["integer", "null"],
                    minimum: 0
                  }
                },
                additionalProperties: false
              }
            ]
          }
        ],
        messages: {
          unexpectedOpeningLinebreak: "There should be no linebreak after '['.",
          unexpectedClosingLinebreak: "There should be no linebreak before ']'.",
          missingOpeningLinebreak: "A linebreak is required after '['.",
          missingClosingLinebreak: "A linebreak is required before ']'."
        }
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        function normalizeOptionValue(option) {
          let consistent = false;
          let multiline = false;
          let minItems = 0;
          if (option) {
            if (option === "consistent") {
              consistent = true;
              minItems = Number.POSITIVE_INFINITY;
            } else if (option === "always" || typeof option !== "string" && option.minItems === 0) {
              minItems = 0;
            } else if (option === "never") {
              minItems = Number.POSITIVE_INFINITY;
            } else {
              multiline = Boolean(option.multiline);
              minItems = option.minItems || Number.POSITIVE_INFINITY;
            }
          } else {
            consistent = false;
            multiline = true;
            minItems = Number.POSITIVE_INFINITY;
          }
          return { consistent, multiline, minItems };
        }
        function normalizeOptions(options) {
          const value = normalizeOptionValue(options);
          return { JSONArrayExpression: value, JSONArrayPattern: value };
        }
        function reportNoBeginningLinebreak(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "unexpectedOpeningLinebreak",
            fix(fixer) {
              const nextToken = sourceCode.getTokenAfter(token, {
                includeComments: true
              });
              if (!nextToken || (0, eslint_utils_1.isCommentToken)(nextToken))
                return null;
              return fixer.removeRange([token.range[1], nextToken.range[0]]);
            }
          });
        }
        function reportNoEndingLinebreak(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "unexpectedClosingLinebreak",
            fix(fixer) {
              const previousToken = sourceCode.getTokenBefore(token, {
                includeComments: true
              });
              if (!previousToken || (0, eslint_utils_1.isCommentToken)(previousToken))
                return null;
              return fixer.removeRange([previousToken.range[1], token.range[0]]);
            }
          });
        }
        function reportRequiredBeginningLinebreak(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "missingOpeningLinebreak",
            fix(fixer) {
              return fixer.insertTextAfter(token, "\n");
            }
          });
        }
        function reportRequiredEndingLinebreak(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "missingClosingLinebreak",
            fix(fixer) {
              return fixer.insertTextBefore(token, "\n");
            }
          });
        }
        function check(node) {
          const elements = node.elements;
          const normalizedOptions = normalizeOptions(context.options[0]);
          const options = normalizedOptions[node.type];
          const openBracket = sourceCode.getFirstToken(node);
          const closeBracket = sourceCode.getLastToken(node);
          const firstIncComment = sourceCode.getTokenAfter(openBracket, {
            includeComments: true
          });
          const lastIncComment = sourceCode.getTokenBefore(closeBracket, {
            includeComments: true
          });
          const first = sourceCode.getTokenAfter(openBracket);
          const last = sourceCode.getTokenBefore(closeBracket);
          const needsLinebreaks = elements.length >= options.minItems || options.multiline && elements.length > 0 && firstIncComment.loc.start.line !== lastIncComment.loc.end.line || elements.length === 0 && firstIncComment.type === "Block" && firstIncComment.loc.start.line !== lastIncComment.loc.end.line && firstIncComment === lastIncComment || options.consistent && openBracket.loc.end.line !== first.loc.start.line;
          if (needsLinebreaks) {
            if ((0, eslint_ast_utils_1.isTokenOnSameLine)(openBracket, first))
              reportRequiredBeginningLinebreak(node, openBracket);
            if ((0, eslint_ast_utils_1.isTokenOnSameLine)(last, closeBracket))
              reportRequiredEndingLinebreak(node, closeBracket);
          } else {
            if (!(0, eslint_ast_utils_1.isTokenOnSameLine)(openBracket, first))
              reportNoBeginningLinebreak(node, openBracket);
            if (!(0, eslint_ast_utils_1.isTokenOnSameLine)(last, closeBracket))
              reportNoEndingLinebreak(node, closeBracket);
          }
        }
        return {
          JSONArrayExpression: check
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/array-bracket-spacing.js
var require_array_bracket_spacing = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/array-bracket-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    var eslint_ast_utils_1 = require_eslint_ast_utils();
    exports2.default = (0, utils_1.createRule)("array-bracket-spacing", {
      meta: {
        docs: {
          description: "disallow or enforce spaces inside of brackets",
          recommended: null,
          extensionRule: true,
          layout: true
        },
        type: "layout",
        fixable: "whitespace",
        schema: [
          {
            type: "string",
            enum: ["always", "never"]
          },
          {
            type: "object",
            properties: {
              singleValue: {
                type: "boolean"
              },
              objectsInArrays: {
                type: "boolean"
              },
              arraysInArrays: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          unexpectedSpaceAfter: "There should be no space after '{{tokenValue}}'.",
          unexpectedSpaceBefore: "There should be no space before '{{tokenValue}}'.",
          missingSpaceAfter: "A space is required after '{{tokenValue}}'.",
          missingSpaceBefore: "A space is required before '{{tokenValue}}'."
        }
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        const spaced = context.options[0] === "always";
        function isOptionSet(option) {
          return context.options[1] ? context.options[1][option] === !spaced : false;
        }
        const options = {
          spaced,
          singleElementException: isOptionSet("singleValue"),
          objectsInArraysException: isOptionSet("objectsInArrays"),
          arraysInArraysException: isOptionSet("arraysInArrays"),
          isOpeningBracketMustBeSpaced(node) {
            if (options.singleElementException && node.elements.length === 1) {
              return !options.spaced;
            }
            const firstElement = node.elements[0];
            return firstElement && (options.objectsInArraysException && isObjectType(firstElement) || options.arraysInArraysException && isArrayType(firstElement)) ? !options.spaced : options.spaced;
          },
          isClosingBracketMustBeSpaced(node) {
            if (options.singleElementException && node.elements.length === 1) {
              return !options.spaced;
            }
            const lastElement = node.elements[node.elements.length - 1];
            return lastElement && (options.objectsInArraysException && isObjectType(lastElement) || options.arraysInArraysException && isArrayType(lastElement)) ? !options.spaced : options.spaced;
          }
        };
        function reportNoBeginningSpace(node, token) {
          const nextToken = sourceCode.getTokenAfter(token);
          context.report({
            node,
            loc: { start: token.loc.end, end: nextToken.loc.start },
            messageId: "unexpectedSpaceAfter",
            data: {
              tokenValue: token.value
            },
            fix(fixer) {
              return fixer.removeRange([token.range[1], nextToken.range[0]]);
            }
          });
        }
        function reportNoEndingSpace(node, token) {
          const previousToken = sourceCode.getTokenBefore(token);
          context.report({
            node,
            loc: { start: previousToken.loc.end, end: token.loc.start },
            messageId: "unexpectedSpaceBefore",
            data: {
              tokenValue: token.value
            },
            fix(fixer) {
              return fixer.removeRange([previousToken.range[1], token.range[0]]);
            }
          });
        }
        function reportRequiredBeginningSpace(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "missingSpaceAfter",
            data: {
              tokenValue: token.value
            },
            fix(fixer) {
              return fixer.insertTextAfter(token, " ");
            }
          });
        }
        function reportRequiredEndingSpace(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "missingSpaceBefore",
            data: {
              tokenValue: token.value
            },
            fix(fixer) {
              return fixer.insertTextBefore(token, " ");
            }
          });
        }
        function isObjectType(node) {
          return node && node.type === "JSONObjectExpression";
        }
        function isArrayType(node) {
          return node && node.type === "JSONArrayExpression";
        }
        function validateArraySpacing(node) {
          if (options.spaced && node.elements.length === 0)
            return;
          const first = sourceCode.getFirstToken(node);
          const second = sourceCode.getFirstToken(node, 1);
          const last = sourceCode.getLastToken(node);
          const penultimate = sourceCode.getTokenBefore(last);
          if ((0, eslint_ast_utils_1.isTokenOnSameLine)(first, second)) {
            if (options.isOpeningBracketMustBeSpaced(node)) {
              if (!sourceCode.isSpaceBetween(first, second))
                reportRequiredBeginningSpace(node, first);
            } else {
              if (sourceCode.isSpaceBetween(first, second))
                reportNoBeginningSpace(node, first);
            }
          }
          if (first !== penultimate && (0, eslint_ast_utils_1.isTokenOnSameLine)(penultimate, last)) {
            if (options.isClosingBracketMustBeSpaced(node)) {
              if (!sourceCode.isSpaceBetween(penultimate, last))
                reportRequiredEndingSpace(node, last);
            } else {
              if (sourceCode.isSpaceBetween(penultimate, last))
                reportNoEndingSpace(node, last);
            }
          }
        }
        return {
          JSONArrayExpression: validateArraySpacing
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/array-element-newline.js
var require_array_element_newline = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/array-element-newline.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    var eslint_utils_1 = require_eslint_utils();
    var eslint_ast_utils_1 = require_eslint_ast_utils();
    exports2.default = (0, utils_1.createRule)("array-element-newline", {
      meta: {
        docs: {
          description: "enforce line breaks between array elements",
          recommended: null,
          extensionRule: true,
          layout: true
        },
        type: "layout",
        fixable: "whitespace",
        schema: {
          definitions: {
            basicConfig: {
              oneOf: [
                {
                  type: "string",
                  enum: ["always", "never", "consistent"]
                },
                {
                  type: "object",
                  properties: {
                    multiline: {
                      type: "boolean"
                    },
                    minItems: {
                      type: ["integer", "null"],
                      minimum: 0
                    }
                  },
                  additionalProperties: false
                }
              ]
            }
          },
          type: "array",
          items: [
            {
              oneOf: [
                {
                  $ref: "#/definitions/basicConfig"
                },
                {
                  type: "object",
                  properties: {
                    ArrayExpression: {
                      $ref: "#/definitions/basicConfig"
                    },
                    JSONArrayExpression: {
                      $ref: "#/definitions/basicConfig"
                    },
                    ArrayPattern: {
                      $ref: "#/definitions/basicConfig"
                    }
                  },
                  additionalProperties: false,
                  minProperties: 1
                }
              ]
            }
          ]
        },
        messages: {
          unexpectedLineBreak: "There should be no linebreak here.",
          missingLineBreak: "There should be a linebreak after this element."
        }
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        function normalizeOptionValue(providedOption) {
          let consistent = false;
          let multiline = false;
          let minItems;
          const option = providedOption || "always";
          if (!option || option === "always" || typeof option === "object" && option.minItems === 0) {
            minItems = 0;
          } else if (option === "never") {
            minItems = Number.POSITIVE_INFINITY;
          } else if (option === "consistent") {
            consistent = true;
            minItems = Number.POSITIVE_INFINITY;
          } else {
            multiline = Boolean(option.multiline);
            minItems = option.minItems || Number.POSITIVE_INFINITY;
          }
          return { consistent, multiline, minItems };
        }
        function normalizeOptions(options) {
          if (options && (options.ArrayExpression || options.JSONArrayExpression || options.ArrayPattern)) {
            let expressionOptions, patternOptions;
            if (options.ArrayExpression || options.JSONArrayExpression)
              expressionOptions = normalizeOptionValue(options.ArrayExpression || options.JSONArrayExpression);
            if (options.ArrayPattern)
              patternOptions = normalizeOptionValue(options.ArrayPattern);
            return {
              JSONArrayExpression: expressionOptions,
              JSONArrayPattern: patternOptions
            };
          }
          const value = normalizeOptionValue(options);
          return { JSONArrayExpression: value, JSONArrayPattern: value };
        }
        function reportNoLineBreak(token) {
          const tokenBefore = sourceCode.getTokenBefore(token, {
            includeComments: true
          });
          context.report({
            loc: {
              start: tokenBefore.loc.end,
              end: token.loc.start
            },
            messageId: "unexpectedLineBreak",
            fix(fixer) {
              if ((0, eslint_utils_1.isCommentToken)(tokenBefore))
                return null;
              if (!(0, eslint_ast_utils_1.isTokenOnSameLine)(tokenBefore, token))
                return fixer.replaceTextRange([tokenBefore.range[1], token.range[0]], " ");
              const twoTokensBefore = sourceCode.getTokenBefore(tokenBefore, {
                includeComments: true
              });
              if ((0, eslint_utils_1.isCommentToken)(twoTokensBefore))
                return null;
              return fixer.replaceTextRange([twoTokensBefore.range[1], tokenBefore.range[0]], "");
            }
          });
        }
        function reportRequiredLineBreak(token) {
          const tokenBefore = sourceCode.getTokenBefore(token, {
            includeComments: true
          });
          context.report({
            loc: {
              start: tokenBefore.loc.end,
              end: token.loc.start
            },
            messageId: "missingLineBreak",
            fix(fixer) {
              return fixer.replaceTextRange([tokenBefore.range[1], token.range[0]], "\n");
            }
          });
        }
        function check(node) {
          const elements = node.elements;
          const normalizedOptions = normalizeOptions(context.options[0]);
          const options = normalizedOptions[node.type];
          if (!options)
            return;
          let elementBreak = false;
          if (options.multiline) {
            elementBreak = elements.filter((element) => element !== null).some((element) => element.loc.start.line !== element.loc.end.line);
          }
          let linebreaksCount = 0;
          for (let i = 0; i < node.elements.length; i++) {
            const element = node.elements[i];
            const previousElement = elements[i - 1];
            if (i === 0 || element === null || previousElement === null)
              continue;
            const commaToken = sourceCode.getFirstTokenBetween(previousElement, element, eslint_utils_1.isCommaToken);
            const lastTokenOfPreviousElement = sourceCode.getTokenBefore(commaToken);
            const firstTokenOfCurrentElement = sourceCode.getTokenAfter(commaToken);
            if (!(0, eslint_ast_utils_1.isTokenOnSameLine)(lastTokenOfPreviousElement, firstTokenOfCurrentElement))
              linebreaksCount++;
          }
          const needsLinebreaks = elements.length >= options.minItems || options.multiline && elementBreak || options.consistent && linebreaksCount > 0 && linebreaksCount < node.elements.length;
          elements.forEach((element, i) => {
            const previousElement = elements[i - 1];
            if (i === 0 || element === null || previousElement === null)
              return;
            const commaToken = sourceCode.getFirstTokenBetween(previousElement, element, eslint_utils_1.isCommaToken);
            const lastTokenOfPreviousElement = sourceCode.getTokenBefore(commaToken);
            const firstTokenOfCurrentElement = sourceCode.getTokenAfter(commaToken);
            if (needsLinebreaks) {
              if ((0, eslint_ast_utils_1.isTokenOnSameLine)(lastTokenOfPreviousElement, firstTokenOfCurrentElement))
                reportRequiredLineBreak(firstTokenOfCurrentElement);
            } else {
              if (!(0, eslint_ast_utils_1.isTokenOnSameLine)(lastTokenOfPreviousElement, firstTokenOfCurrentElement))
                reportNoLineBreak(firstTokenOfCurrentElement);
            }
          });
        }
        return {
          JSONArrayExpression: check
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/comma-dangle.js
var require_comma_dangle2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/comma-dangle.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    var eslint_utils_1 = require_eslint_utils();
    var eslint_ast_utils_1 = require_eslint_ast_utils();
    var DEFAULT_OPTIONS = Object.freeze({
      arrays: "never",
      objects: "never"
    });
    var closeBraces = ["}", "]", ")", ">"];
    function normalizeOptions(optionValue) {
      if (typeof optionValue === "string") {
        return {
          arrays: optionValue,
          objects: optionValue
        };
      }
      if (typeof optionValue === "object" && optionValue !== null) {
        return {
          arrays: optionValue.arrays || DEFAULT_OPTIONS.arrays,
          objects: optionValue.objects || DEFAULT_OPTIONS.objects
        };
      }
      return DEFAULT_OPTIONS;
    }
    exports2.default = (0, utils_1.createRule)("comma-dangle", {
      meta: {
        docs: {
          description: "require or disallow trailing commas",
          recommended: ["json"],
          extensionRule: true,
          layout: true
        },
        type: "layout",
        fixable: "code",
        schema: {
          definitions: {
            value: {
              type: "string",
              enum: ["always-multiline", "always", "never", "only-multiline"]
            },
            valueWithIgnore: {
              type: "string",
              enum: [
                "always-multiline",
                "always",
                "ignore",
                "never",
                "only-multiline"
              ]
            }
          },
          type: "array",
          items: [
            {
              oneOf: [
                {
                  $ref: "#/definitions/value"
                },
                {
                  type: "object",
                  properties: {
                    arrays: { $ref: "#/definitions/valueWithIgnore" },
                    objects: { $ref: "#/definitions/valueWithIgnore" },
                    imports: { $ref: "#/definitions/valueWithIgnore" },
                    exports: { $ref: "#/definitions/valueWithIgnore" },
                    functions: { $ref: "#/definitions/valueWithIgnore" }
                  },
                  additionalProperties: false
                }
              ]
            }
          ],
          additionalItems: false
        },
        messages: {
          unexpected: "Unexpected trailing comma.",
          missing: "Missing trailing comma."
        }
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        const options = normalizeOptions(context.options[0] || "never");
        function getLastItem(node) {
          function last(array) {
            return array[array.length - 1];
          }
          switch (node.type) {
            case "JSONObjectExpression":
              return last(node.properties);
            case "JSONArrayExpression":
              return last(node.elements);
            default:
              return null;
          }
        }
        function getTrailingToken(node, lastItem) {
          switch (node.type) {
            case "JSONObjectExpression":
            case "JSONArrayExpression":
              return sourceCode.getLastToken(node, 1);
            default: {
              const nextToken = sourceCode.getTokenAfter(lastItem);
              if ((0, eslint_utils_1.isCommaToken)(nextToken))
                return nextToken;
              return sourceCode.getLastToken(lastItem);
            }
          }
        }
        function isMultiline(node) {
          const lastItem = getLastItem(node);
          if (!lastItem)
            return false;
          const penultimateToken = getTrailingToken(node, lastItem);
          if (!penultimateToken)
            return false;
          const lastToken = sourceCode.getTokenAfter(penultimateToken);
          if (!lastToken)
            return false;
          return lastToken.loc.end.line !== penultimateToken.loc.end.line;
        }
        function forbidTrailingComma(node) {
          const lastItem = getLastItem(node);
          if (!lastItem)
            return;
          const trailingToken = getTrailingToken(node, lastItem);
          if (trailingToken && (0, eslint_utils_1.isCommaToken)(trailingToken)) {
            context.report({
              node: lastItem,
              loc: trailingToken.loc,
              messageId: "unexpected",
              *fix(fixer) {
                yield fixer.remove(trailingToken);
                yield fixer.insertTextBefore(sourceCode.getTokenBefore(trailingToken), "");
                yield fixer.insertTextAfter(sourceCode.getTokenAfter(trailingToken), "");
              }
            });
          }
        }
        function forceTrailingComma(node) {
          const lastItem = getLastItem(node);
          if (!lastItem)
            return;
          const trailingToken = getTrailingToken(node, lastItem);
          if (!trailingToken || trailingToken.value === ",")
            return;
          const nextToken = sourceCode.getTokenAfter(trailingToken);
          if (!nextToken || !closeBraces.includes(nextToken.value))
            return;
          context.report({
            node: lastItem,
            loc: {
              start: trailingToken.loc.end,
              end: (0, eslint_ast_utils_1.getNextLocation)(sourceCode, trailingToken.loc.end)
            },
            messageId: "missing",
            *fix(fixer) {
              yield fixer.insertTextAfter(trailingToken, ",");
              yield fixer.insertTextBefore(trailingToken, "");
              yield fixer.insertTextAfter(sourceCode.getTokenAfter(trailingToken), "");
            }
          });
        }
        function forceTrailingCommaIfMultiline(node) {
          if (isMultiline(node))
            forceTrailingComma(node);
          else
            forbidTrailingComma(node);
        }
        function allowTrailingCommaIfMultiline(node) {
          if (!isMultiline(node))
            forbidTrailingComma(node);
        }
        const predicate = {
          always: forceTrailingComma,
          "always-multiline": forceTrailingCommaIfMultiline,
          "only-multiline": allowTrailingCommaIfMultiline,
          never: forbidTrailingComma,
          ignore() {
          }
        };
        return {
          JSONObjectExpression: predicate[options.objects],
          JSONArrayExpression: predicate[options.arrays]
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/comma-style.js
var require_comma_style = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/comma-style.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    var eslint_utils_1 = require_eslint_utils();
    var eslint_ast_utils_1 = require_eslint_ast_utils();
    exports2.default = (0, utils_1.createRule)("comma-style", {
      meta: {
        docs: {
          description: "enforce consistent comma style",
          recommended: null,
          extensionRule: true,
          layout: true
        },
        type: "layout",
        fixable: "code",
        schema: [
          {
            type: "string",
            enum: ["first", "last"]
          },
          {
            type: "object",
            properties: {
              exceptions: {
                type: "object",
                additionalProperties: {
                  type: "boolean"
                }
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          unexpectedLineBeforeAndAfterComma: "Bad line breaking before and after ','.",
          expectedCommaFirst: "',' should be placed first.",
          expectedCommaLast: "',' should be placed last."
        }
      },
      create(context) {
        var _a;
        var _b;
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        const style = context.options[0] || "last";
        const exceptions = {};
        if (context.options.length === 2 && Object.prototype.hasOwnProperty.call(context.options[1], "exceptions")) {
          (_a = (_b = context.options)[1]) !== null && _a !== void 0 ? _a : _b[1] = { exceptions: {} };
          const rawExceptions = context.options[1].exceptions;
          for (const [key, value] of Object.entries(rawExceptions)) {
            exceptions[key.startsWith("JSON") ? key : `JSON${key}`] = value;
          }
        }
        function getReplacedText(styleType, text) {
          switch (styleType) {
            case "between":
              return `,${text.replace(eslint_ast_utils_1.LINEBREAK_MATCHER, "")}`;
            case "first":
              return `${text},`;
            case "last":
              return `,${text}`;
            default:
              return "";
          }
        }
        function getFixerFunction(styleType, previousItemToken, commaToken, currentItemToken) {
          const text = sourceCode.text.slice(previousItemToken.range[1], commaToken.range[0]) + sourceCode.text.slice(commaToken.range[1], currentItemToken.range[0]);
          const range = [
            previousItemToken.range[1],
            currentItemToken.range[0]
          ];
          return function(fixer) {
            return fixer.replaceTextRange(range, getReplacedText(styleType, text));
          };
        }
        function validateCommaItemSpacing(previousItemToken, commaToken, currentItemToken, reportItem) {
          if ((0, eslint_ast_utils_1.isTokenOnSameLine)(commaToken, currentItemToken) && (0, eslint_ast_utils_1.isTokenOnSameLine)(previousItemToken, commaToken)) {
          } else if (!(0, eslint_ast_utils_1.isTokenOnSameLine)(commaToken, currentItemToken) && !(0, eslint_ast_utils_1.isTokenOnSameLine)(previousItemToken, commaToken)) {
            const comment = sourceCode.getCommentsAfter(commaToken)[0];
            const styleType = comment && comment.type === "Block" && (0, eslint_ast_utils_1.isTokenOnSameLine)(commaToken, comment) ? style : "between";
            context.report({
              node: reportItem,
              loc: commaToken.loc,
              messageId: "unexpectedLineBeforeAndAfterComma",
              fix: getFixerFunction(styleType, previousItemToken, commaToken, currentItemToken)
            });
          } else if (style === "first" && !(0, eslint_ast_utils_1.isTokenOnSameLine)(commaToken, currentItemToken)) {
            context.report({
              node: reportItem,
              loc: commaToken.loc,
              messageId: "expectedCommaFirst",
              fix: getFixerFunction(style, previousItemToken, commaToken, currentItemToken)
            });
          } else if (style === "last" && (0, eslint_ast_utils_1.isTokenOnSameLine)(commaToken, currentItemToken)) {
            context.report({
              node: reportItem,
              loc: commaToken.loc,
              messageId: "expectedCommaLast",
              fix: getFixerFunction(style, previousItemToken, commaToken, currentItemToken)
            });
          }
        }
        function validateComma(node, property) {
          const items = node[property];
          const arrayLiteral = node.type === "JSONArrayExpression";
          if (items.length > 1 || arrayLiteral) {
            let previousItemToken = sourceCode.getFirstToken(node);
            items.forEach((item) => {
              const commaToken = item ? sourceCode.getTokenBefore(item) : previousItemToken;
              const currentItemToken = item ? sourceCode.getFirstToken(item) : sourceCode.getTokenAfter(commaToken);
              const reportItem = item || currentItemToken;
              if ((0, eslint_utils_1.isCommaToken)(commaToken))
                validateCommaItemSpacing(previousItemToken, commaToken, currentItemToken, reportItem);
              if (item) {
                const tokenAfterItem = sourceCode.getTokenAfter(item, eslint_utils_1.isNotClosingParenToken);
                previousItemToken = tokenAfterItem ? sourceCode.getTokenBefore(tokenAfterItem) : sourceCode.ast.tokens[sourceCode.ast.tokens.length - 1];
              } else {
                previousItemToken = currentItemToken;
              }
            });
            if (arrayLiteral) {
              const lastToken = sourceCode.getLastToken(node);
              const nextToLastToken = sourceCode.getTokenBefore(lastToken);
              if ((0, eslint_utils_1.isCommaToken)(nextToLastToken)) {
                validateCommaItemSpacing(sourceCode.getTokenBefore(nextToLastToken), nextToLastToken, lastToken, lastToken);
              }
            }
          }
        }
        const nodes = {};
        if (!exceptions.JSONObjectExpression) {
          nodes.JSONObjectExpression = function(node) {
            validateComma(node, "properties");
          };
        }
        if (!exceptions.JSONArrayExpression) {
          nodes.JSONArrayExpression = function(node) {
            validateComma(node, "elements");
          };
        }
        return nodes;
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/indent.js
var require_indent2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/indent.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    var eslint_ast_utils_1 = require_eslint_ast_utils();
    var eslint_utils_1 = require_eslint_utils();
    var KNOWN_NODES = /* @__PURE__ */ new Set([
      "JSONArrayExpression",
      "JSONBinaryExpression",
      "JSONExpressionStatement",
      "JSONIdentifier",
      "JSONLiteral",
      "JSONObjectExpression",
      "Program",
      "JSONProperty",
      "JSONTemplateElement",
      "JSONTemplateLiteral",
      "JSONUnaryExpression"
    ]);
    var IndexMap = class {
      constructor(maxKey) {
        this._values = Array(maxKey + 1);
      }
      insert(key, value) {
        this._values[key] = value;
      }
      findLastNotAfter(key) {
        const values = this._values;
        for (let index = key; index >= 0; index--) {
          const value = values[index];
          if (value)
            return value;
        }
        return void 0;
      }
      deleteRange(start, end) {
        this._values.fill(void 0, start, end);
      }
    };
    var TokenInfo = class {
      constructor(sourceCode) {
        this.sourceCode = sourceCode;
        this.firstTokensByLineNumber = /* @__PURE__ */ new Map();
        const tokens = sourceCode.getTokens(sourceCode.ast, {
          includeComments: true
        });
        for (let i = 0; i < tokens.length; i++) {
          const token = tokens[i];
          if (!this.firstTokensByLineNumber.has(token.loc.start.line))
            this.firstTokensByLineNumber.set(token.loc.start.line, token);
          if (!this.firstTokensByLineNumber.has(token.loc.end.line) && sourceCode.text.slice(token.range[1] - token.loc.end.column, token.range[1]).trim())
            this.firstTokensByLineNumber.set(token.loc.end.line, token);
        }
      }
      getFirstTokenOfLine(token) {
        return this.firstTokensByLineNumber.get(token.loc.start.line);
      }
      isFirstTokenOfLine(token) {
        return this.getFirstTokenOfLine(token) === token;
      }
      getTokenIndent(token) {
        return this.sourceCode.text.slice(token.range[0] - token.loc.start.column, token.range[0]);
      }
    };
    var OffsetStorage = class {
      constructor(tokenInfo, indentSize, indentType, maxIndex) {
        this._lockedFirstTokens = /* @__PURE__ */ new WeakMap();
        this._desiredIndentCache = /* @__PURE__ */ new WeakMap();
        this._ignoredTokens = /* @__PURE__ */ new WeakSet();
        this._tokenInfo = tokenInfo;
        this._indentSize = indentSize;
        this._indentType = indentType;
        this._indexMap = new IndexMap(maxIndex);
        this._indexMap.insert(0, { offset: 0, from: null, force: false });
      }
      _getOffsetDescriptor(token) {
        return this._indexMap.findLastNotAfter(token.range[0]);
      }
      matchOffsetOf(baseToken, offsetToken) {
        this._lockedFirstTokens.set(offsetToken, baseToken);
      }
      setDesiredOffset(token, fromToken, offset) {
        if (token)
          this.setDesiredOffsets(token.range, fromToken, offset);
      }
      setDesiredOffsets(range, fromToken, offset, force = false) {
        const descriptorToInsert = { offset, from: fromToken, force };
        const descriptorAfterRange = this._indexMap.findLastNotAfter(range[1]);
        const fromTokenIsInRange = fromToken && fromToken.range[0] >= range[0] && fromToken.range[1] <= range[1];
        const fromTokenDescriptor = fromTokenIsInRange && this._getOffsetDescriptor(fromToken);
        this._indexMap.deleteRange(range[0] + 1, range[1]);
        this._indexMap.insert(range[0], descriptorToInsert);
        if (fromTokenIsInRange) {
          this._indexMap.insert(fromToken.range[0], fromTokenDescriptor);
          this._indexMap.insert(fromToken.range[1], descriptorToInsert);
        }
        this._indexMap.insert(range[1], descriptorAfterRange);
      }
      getDesiredIndent(token) {
        if (!this._desiredIndentCache.has(token)) {
          if (this._ignoredTokens.has(token)) {
            this._desiredIndentCache.set(token, this._tokenInfo.getTokenIndent(token));
          } else if (this._lockedFirstTokens.has(token)) {
            const firstToken = this._lockedFirstTokens.get(token);
            this._desiredIndentCache.set(token, this.getDesiredIndent(this._tokenInfo.getFirstTokenOfLine(firstToken)) + this._indentType.repeat(firstToken.loc.start.column - this._tokenInfo.getFirstTokenOfLine(firstToken).loc.start.column));
          } else {
            const offsetInfo = this._getOffsetDescriptor(token);
            const offset = offsetInfo.from && offsetInfo.from.loc.start.line === token.loc.start.line && !/^\s*?\n/u.test(token.value) && !offsetInfo.force ? 0 : offsetInfo.offset * this._indentSize;
            this._desiredIndentCache.set(token, (offsetInfo.from ? this.getDesiredIndent(offsetInfo.from) : "") + this._indentType.repeat(offset));
          }
        }
        return this._desiredIndentCache.get(token);
      }
      ignoreToken(token) {
        if (this._tokenInfo.isFirstTokenOfLine(token))
          this._ignoredTokens.add(token);
      }
      getFirstDependency(token) {
        return this._getOffsetDescriptor(token).from;
      }
    };
    var ELEMENT_LIST_SCHEMA = {
      oneOf: [
        {
          type: "integer",
          minimum: 0
        },
        {
          type: "string",
          enum: ["first", "off"]
        }
      ]
    };
    exports2.default = (0, utils_1.createRule)("indent", {
      meta: {
        docs: {
          description: "enforce consistent indentation",
          recommended: null,
          extensionRule: true,
          layout: true
        },
        type: "layout",
        fixable: "whitespace",
        schema: [
          {
            oneOf: [
              {
                type: "string",
                enum: ["tab"]
              },
              {
                type: "integer",
                minimum: 0
              }
            ]
          },
          {
            type: "object",
            properties: {
              SwitchCase: {
                type: "integer",
                minimum: 0,
                default: 0
              },
              VariableDeclarator: {
                oneOf: [
                  ELEMENT_LIST_SCHEMA,
                  {
                    type: "object",
                    properties: {
                      var: ELEMENT_LIST_SCHEMA,
                      let: ELEMENT_LIST_SCHEMA,
                      const: ELEMENT_LIST_SCHEMA
                    },
                    additionalProperties: false
                  }
                ]
              },
              outerIIFEBody: {
                oneOf: [
                  {
                    type: "integer",
                    minimum: 0
                  },
                  {
                    type: "string",
                    enum: ["off"]
                  }
                ]
              },
              MemberExpression: {
                oneOf: [
                  {
                    type: "integer",
                    minimum: 0
                  },
                  {
                    type: "string",
                    enum: ["off"]
                  }
                ]
              },
              FunctionDeclaration: {
                type: "object",
                properties: {
                  parameters: ELEMENT_LIST_SCHEMA,
                  body: {
                    type: "integer",
                    minimum: 0
                  }
                },
                additionalProperties: false
              },
              FunctionExpression: {
                type: "object",
                properties: {
                  parameters: ELEMENT_LIST_SCHEMA,
                  body: {
                    type: "integer",
                    minimum: 0
                  }
                },
                additionalProperties: false
              },
              StaticBlock: {
                type: "object",
                properties: {
                  body: {
                    type: "integer",
                    minimum: 0
                  }
                },
                additionalProperties: false
              },
              CallExpression: {
                type: "object",
                properties: {
                  arguments: ELEMENT_LIST_SCHEMA
                },
                additionalProperties: false
              },
              ArrayExpression: ELEMENT_LIST_SCHEMA,
              ObjectExpression: ELEMENT_LIST_SCHEMA,
              ImportDeclaration: ELEMENT_LIST_SCHEMA,
              flatTernaryExpressions: {
                type: "boolean",
                default: false
              },
              offsetTernaryExpressions: {
                type: "boolean",
                default: false
              },
              ignoredNodes: {
                type: "array",
                items: {
                  type: "string",
                  not: {
                    pattern: ":exit$"
                  }
                }
              },
              ignoreComments: {
                type: "boolean",
                default: false
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          wrongIndentation: "Expected indentation of {{expected}} but found {{actual}}."
        }
      },
      create(context) {
        var _a;
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        const DEFAULT_VARIABLE_INDENT = 1;
        const DEFAULT_PARAMETER_INDENT = 1;
        const DEFAULT_FUNCTION_BODY_INDENT = 1;
        let indentType = "space";
        let indentSize = 4;
        const options = {
          SwitchCase: 0,
          VariableDeclarator: {
            var: DEFAULT_VARIABLE_INDENT,
            let: DEFAULT_VARIABLE_INDENT,
            const: DEFAULT_VARIABLE_INDENT
          },
          outerIIFEBody: 1,
          FunctionDeclaration: {
            parameters: DEFAULT_PARAMETER_INDENT,
            body: DEFAULT_FUNCTION_BODY_INDENT
          },
          FunctionExpression: {
            parameters: DEFAULT_PARAMETER_INDENT,
            body: DEFAULT_FUNCTION_BODY_INDENT
          },
          StaticBlock: {
            body: DEFAULT_FUNCTION_BODY_INDENT
          },
          CallExpression: {
            arguments: DEFAULT_PARAMETER_INDENT
          },
          MemberExpression: 1,
          ArrayExpression: 1,
          ObjectExpression: 1,
          ImportDeclaration: 1,
          flatTernaryExpressions: false,
          ignoredNodes: [],
          ignoreComments: false,
          offsetTernaryExpressions: false
        };
        if (context.options.length) {
          if (context.options[0] === "tab") {
            indentSize = 1;
            indentType = "tab";
          } else {
            indentSize = (_a = context.options[0]) !== null && _a !== void 0 ? _a : indentSize;
            indentType = "space";
          }
          const userOptions = context.options[1];
          if (userOptions) {
            Object.assign(options, userOptions);
            if (typeof userOptions.VariableDeclarator === "number" || userOptions.VariableDeclarator === "first") {
              options.VariableDeclarator = {
                var: userOptions.VariableDeclarator,
                let: userOptions.VariableDeclarator,
                const: userOptions.VariableDeclarator
              };
            }
          }
        }
        const tokenInfo = new TokenInfo(sourceCode);
        const offsets = new OffsetStorage(tokenInfo, indentSize, indentType === "space" ? " " : "	", sourceCode.text.length);
        const parameterParens = /* @__PURE__ */ new WeakSet();
        function createErrorMessageData(expectedAmount, actualSpaces, actualTabs) {
          const expectedStatement = `${expectedAmount} ${indentType}${expectedAmount === 1 ? "" : "s"}`;
          const foundSpacesWord = `space${actualSpaces === 1 ? "" : "s"}`;
          const foundTabsWord = `tab${actualTabs === 1 ? "" : "s"}`;
          let foundStatement;
          if (actualSpaces > 0) {
            foundStatement = indentType === "space" ? actualSpaces : `${actualSpaces} ${foundSpacesWord}`;
          } else if (actualTabs > 0) {
            foundStatement = indentType === "tab" ? actualTabs : `${actualTabs} ${foundTabsWord}`;
          } else {
            foundStatement = "0";
          }
          return {
            expected: expectedStatement,
            actual: String(foundStatement)
          };
        }
        function report(token, neededIndent) {
          const actualIndent = Array.from(tokenInfo.getTokenIndent(token));
          const numSpaces = actualIndent.filter((char) => char === " ").length;
          const numTabs = actualIndent.filter((char) => char === "	").length;
          context.report({
            node: token,
            messageId: "wrongIndentation",
            data: createErrorMessageData(neededIndent.length, numSpaces, numTabs),
            loc: {
              start: { line: token.loc.start.line, column: 0 },
              end: { line: token.loc.start.line, column: token.loc.start.column }
            },
            fix(fixer) {
              const range = [
                token.range[0] - token.loc.start.column,
                token.range[0]
              ];
              const newText = neededIndent;
              return fixer.replaceTextRange(range, newText);
            }
          });
        }
        function validateTokenIndent(token, desiredIndent) {
          const indentation = tokenInfo.getTokenIndent(token);
          return indentation === desiredIndent || indentation.includes(" ") && indentation.includes("	");
        }
        function countTrailingLinebreaks(string) {
          const trailingWhitespace = /\s*$/u.exec(string)[0];
          const linebreakMatches = (0, eslint_ast_utils_1.createGlobalLinebreakMatcher)().exec(trailingWhitespace);
          return linebreakMatches === null ? 0 : linebreakMatches.length;
        }
        function addElementListIndent(elements, startToken, endToken, offset) {
          function getFirstToken(element) {
            let token = sourceCode.getTokenBefore(element);
            while ((0, eslint_utils_1.isOpeningParenToken)(token) && token !== startToken)
              token = sourceCode.getTokenBefore(token);
            return sourceCode.getTokenAfter(token);
          }
          offsets.setDesiredOffsets([startToken.range[1], endToken.range[0]], startToken, typeof offset === "number" ? offset : 1);
          offsets.setDesiredOffset(endToken, startToken, 0);
          if (offset === "first" && elements.length && !elements[0])
            return;
          elements.forEach((element, index) => {
            if (!element) {
              return;
            }
            if (offset === "off") {
              offsets.ignoreToken(getFirstToken(element));
            }
            if (index === 0)
              return;
            if (offset === "first" && tokenInfo.isFirstTokenOfLine(getFirstToken(element))) {
              offsets.matchOffsetOf(getFirstToken(elements[0]), getFirstToken(element));
            } else {
              const previousElement = elements[index - 1];
              const firstTokenOfPreviousElement = previousElement && getFirstToken(previousElement);
              const previousElementLastToken = previousElement && sourceCode.getLastToken(previousElement);
              if (previousElement && previousElementLastToken.loc.end.line - countTrailingLinebreaks(previousElementLastToken.value) > startToken.loc.end.line) {
                offsets.setDesiredOffsets([previousElement.range[1], element.range[1]], firstTokenOfPreviousElement, 0);
              }
            }
          });
        }
        function addParensIndent(tokens) {
          const parenStack = [];
          const parenPairs = [];
          for (let i = 0; i < tokens.length; i++) {
            const nextToken = tokens[i];
            if ((0, eslint_utils_1.isOpeningParenToken)(nextToken))
              parenStack.push(nextToken);
            else if ((0, eslint_utils_1.isClosingParenToken)(nextToken))
              parenPairs.push({ left: parenStack.pop(), right: nextToken });
          }
          for (let i = parenPairs.length - 1; i >= 0; i--) {
            const leftParen = parenPairs[i].left;
            const rightParen = parenPairs[i].right;
            if (!parameterParens.has(leftParen) && !parameterParens.has(rightParen)) {
              const parenthesizedTokens = new Set(sourceCode.getTokensBetween(leftParen, rightParen));
              parenthesizedTokens.forEach((token) => {
                if (!parenthesizedTokens.has(offsets.getFirstDependency(token)))
                  offsets.setDesiredOffset(token, leftParen, 1);
              });
            }
            offsets.setDesiredOffset(rightParen, leftParen, 0);
          }
        }
        function ignoreNode(node) {
          const unknownNodeTokens = new Set(sourceCode.getTokens(node, { includeComments: true }));
          unknownNodeTokens.forEach((token) => {
            if (!unknownNodeTokens.has(offsets.getFirstDependency(token))) {
              const firstTokenOfLine = tokenInfo.getFirstTokenOfLine(token);
              if (token === firstTokenOfLine)
                offsets.ignoreToken(token);
              else
                offsets.setDesiredOffset(token, firstTokenOfLine, 0);
            }
          });
        }
        function hasBlankLinesBetween(firstToken, secondToken) {
          const firstTokenLine = firstToken.loc.end.line;
          const secondTokenLine = secondToken.loc.start.line;
          if (firstTokenLine === secondTokenLine || firstTokenLine === secondTokenLine - 1)
            return false;
          for (let line = firstTokenLine + 1; line < secondTokenLine; ++line) {
            if (!tokenInfo.firstTokensByLineNumber.has(line))
              return true;
          }
          return false;
        }
        const ignoredNodeFirstTokens = /* @__PURE__ */ new Set();
        const baseOffsetListeners = {
          JSONArrayExpression(node) {
            const openingBracket = sourceCode.getFirstToken(node);
            const closingBracket = sourceCode.getTokenAfter([...node.elements].reverse().find((_) => _) || openingBracket, eslint_utils_1.isClosingBracketToken);
            addElementListIndent(node.elements, openingBracket, closingBracket, options.ArrayExpression);
          },
          JSONObjectExpression(node) {
            const openingCurly = sourceCode.getFirstToken(node);
            const closingCurly = sourceCode.getTokenAfter(node.properties.length ? node.properties[node.properties.length - 1] : openingCurly, eslint_utils_1.isClosingBraceToken);
            addElementListIndent(node.properties, openingCurly, closingCurly, options.ObjectExpression);
          },
          JSONBinaryExpression(node) {
            const operator = sourceCode.getFirstTokenBetween(node.left, node.right, (token) => token.value === node.operator);
            const tokenAfterOperator = sourceCode.getTokenAfter(operator);
            offsets.ignoreToken(operator);
            offsets.ignoreToken(tokenAfterOperator);
            offsets.setDesiredOffset(tokenAfterOperator, operator, 0);
          },
          JSONProperty(node) {
            if (!node.shorthand && !node.method && node.kind === "init") {
              const colon = sourceCode.getFirstTokenBetween(node.key, node.value, eslint_utils_1.isColonToken);
              offsets.ignoreToken(sourceCode.getTokenAfter(colon));
            }
          },
          JSONTemplateLiteral(node) {
            node.expressions.forEach((_expression, index) => {
              const previousQuasi = node.quasis[index];
              const nextQuasi = node.quasis[index + 1];
              const tokenToAlignFrom = previousQuasi.loc.start.line === previousQuasi.loc.end.line ? sourceCode.getFirstToken(previousQuasi) : null;
              offsets.setDesiredOffsets([previousQuasi.range[1], nextQuasi.range[0]], tokenToAlignFrom, 1);
              offsets.setDesiredOffset(sourceCode.getFirstToken(nextQuasi), tokenToAlignFrom, 0);
            });
          },
          "*"(node) {
            const firstToken = sourceCode.getFirstToken(node);
            if (firstToken && !ignoredNodeFirstTokens.has(firstToken))
              offsets.setDesiredOffsets(node.range, firstToken, 0);
          }
        };
        const listenerCallQueue = [];
        const offsetListeners = {};
        for (const [selector, listener] of Object.entries(baseOffsetListeners)) {
          offsetListeners[selector] = (node) => listenerCallQueue.push({
            listener,
            node
          });
        }
        const ignoredNodes = /* @__PURE__ */ new Set();
        function addToIgnoredNodes(node) {
          ignoredNodes.add(node);
          ignoredNodeFirstTokens.add(sourceCode.getFirstToken(node));
        }
        const ignoredNodeListeners = options.ignoredNodes.reduce((listeners, ignoredSelector) => Object.assign(listeners, { [ignoredSelector]: addToIgnoredNodes }), {});
        return Object.assign(offsetListeners, ignoredNodeListeners, {
          "*:exit"(node) {
            if (!KNOWN_NODES.has(node.type))
              addToIgnoredNodes(node);
          },
          "Program:exit"() {
            var _a2;
            if (options.ignoreComments) {
              sourceCode.getAllComments().forEach((comment) => offsets.ignoreToken(comment));
            }
            for (let i = 0; i < listenerCallQueue.length; i++) {
              const nodeInfo = listenerCallQueue[i];
              if (!ignoredNodes.has(nodeInfo.node))
                (_a2 = nodeInfo.listener) === null || _a2 === void 0 ? void 0 : _a2.call(nodeInfo, nodeInfo.node);
            }
            ignoredNodes.forEach(ignoreNode);
            addParensIndent(sourceCode.ast.tokens);
            const precedingTokens = /* @__PURE__ */ new WeakMap();
            for (let i = 0; i < sourceCode.ast.comments.length; i++) {
              const comment = sourceCode.ast.comments[i];
              const tokenOrCommentBefore = sourceCode.getTokenBefore(comment, {
                includeComments: true
              });
              const hasToken = precedingTokens.has(tokenOrCommentBefore) ? precedingTokens.get(tokenOrCommentBefore) : tokenOrCommentBefore;
              precedingTokens.set(comment, hasToken);
            }
            for (let i = 1; i < sourceCode.lines.length + 1; i++) {
              if (!tokenInfo.firstTokensByLineNumber.has(i)) {
                continue;
              }
              const firstTokenOfLine = tokenInfo.firstTokensByLineNumber.get(i);
              if (firstTokenOfLine.loc.start.line !== i) {
                continue;
              }
              if ((0, eslint_utils_1.isCommentToken)(firstTokenOfLine)) {
                const tokenBefore = precedingTokens.get(firstTokenOfLine);
                const tokenAfter = tokenBefore ? sourceCode.getTokenAfter(tokenBefore) : sourceCode.ast.tokens[0];
                const mayAlignWithBefore = tokenBefore && !hasBlankLinesBetween(tokenBefore, firstTokenOfLine);
                const mayAlignWithAfter = tokenAfter && !hasBlankLinesBetween(firstTokenOfLine, tokenAfter);
                if (tokenAfter && (0, eslint_utils_1.isSemicolonToken)(tokenAfter) && !(0, eslint_ast_utils_1.isTokenOnSameLine)(firstTokenOfLine, tokenAfter))
                  offsets.setDesiredOffset(firstTokenOfLine, tokenAfter, 0);
                if (mayAlignWithBefore && validateTokenIndent(firstTokenOfLine, offsets.getDesiredIndent(tokenBefore)) || mayAlignWithAfter && validateTokenIndent(firstTokenOfLine, offsets.getDesiredIndent(tokenAfter)))
                  continue;
              }
              if (validateTokenIndent(firstTokenOfLine, offsets.getDesiredIndent(firstTokenOfLine)))
                continue;
              report(firstTokenOfLine, offsets.getDesiredIndent(firstTokenOfLine));
            }
          }
        });
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/casing.js
var require_casing = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/casing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getExactConverter = exports2.getConverter = exports2.getChecker = exports2.isPascalCase = exports2.pascalCase = exports2.isCamelCase = exports2.camelCase = exports2.isScreamingSnakeCase = exports2.screamingSnakeCase = exports2.isSnakeCase = exports2.snakeCase = exports2.isKebabCase = exports2.kebabCase = exports2.allowedCaseOptions = void 0;
    exports2.allowedCaseOptions = [
      "camelCase",
      "kebab-case",
      "PascalCase",
      "snake_case",
      "SCREAMING_SNAKE_CASE"
    ];
    function capitalize2(str) {
      return str.charAt(0).toUpperCase() + str.slice(1);
    }
    function hasSymbols(str) {
      return /[\u0021-\u0023\u0025-\u002c./\u003a-\u0040\u005b-\u005e`\u007b-\u007d]/u.test(str);
    }
    function hasUpper(str) {
      return /[A-Z]/u.test(str);
    }
    function hasLower(str) {
      return /[a-z]/u.test(str);
    }
    function kebabCase2(str) {
      let res = str.replace(/_/gu, "-");
      if (hasLower(res)) {
        res = res.replace(/\B([A-Z])/gu, "-$1");
      }
      return res.toLowerCase();
    }
    exports2.kebabCase = kebabCase2;
    function isKebabCase(str) {
      if (hasUpper(str) || hasSymbols(str) || str.startsWith("-") || /_|--|\s/u.test(str)) {
        return false;
      }
      return true;
    }
    exports2.isKebabCase = isKebabCase;
    function snakeCase2(str) {
      let res = str.replace(/-/gu, "_");
      if (hasLower(res)) {
        res = res.replace(/\B([A-Z])/gu, "_$1");
      }
      return res.toLowerCase();
    }
    exports2.snakeCase = snakeCase2;
    function isSnakeCase(str) {
      if (hasUpper(str) || hasSymbols(str) || /-|__|\s/u.test(str)) {
        return false;
      }
      return true;
    }
    exports2.isSnakeCase = isSnakeCase;
    function screamingSnakeCase(str) {
      let res = str.replace(/-/gu, "_");
      if (hasLower(res)) {
        res = res.replace(/\B([A-Z])/gu, "_$1");
      }
      return res.toUpperCase();
    }
    exports2.screamingSnakeCase = screamingSnakeCase;
    function isScreamingSnakeCase(str) {
      if (hasLower(str) || hasSymbols(str) || /-|__|\s/u.test(str)) {
        return false;
      }
      return true;
    }
    exports2.isScreamingSnakeCase = isScreamingSnakeCase;
    function camelCase2(str) {
      if (isPascalCase(str)) {
        return str.charAt(0).toLowerCase() + str.slice(1);
      }
      let s = str;
      if (!hasLower(s)) {
        s = s.toLowerCase();
      }
      return s.replace(/[-_](\w)/gu, (_, c) => c ? c.toUpperCase() : "");
    }
    exports2.camelCase = camelCase2;
    function isCamelCase(str) {
      if (hasSymbols(str) || /^[A-Z]/u.test(str) || /[\s\-_]/u.test(str)) {
        return false;
      }
      return true;
    }
    exports2.isCamelCase = isCamelCase;
    function pascalCase2(str) {
      return capitalize2(camelCase2(str));
    }
    exports2.pascalCase = pascalCase2;
    function isPascalCase(str) {
      if (hasSymbols(str) || /^[a-z]/u.test(str) || /[\s\-_]/u.test(str)) {
        return false;
      }
      return true;
    }
    exports2.isPascalCase = isPascalCase;
    var convertersMap = {
      "kebab-case": kebabCase2,
      snake_case: snakeCase2,
      SCREAMING_SNAKE_CASE: screamingSnakeCase,
      camelCase: camelCase2,
      PascalCase: pascalCase2
    };
    var checkersMap = {
      "kebab-case": isKebabCase,
      snake_case: isSnakeCase,
      SCREAMING_SNAKE_CASE: isScreamingSnakeCase,
      camelCase: isCamelCase,
      PascalCase: isPascalCase
    };
    function getChecker(name) {
      return checkersMap[name] || isPascalCase;
    }
    exports2.getChecker = getChecker;
    function getConverter(name) {
      return convertersMap[name] || pascalCase2;
    }
    exports2.getConverter = getConverter;
    function getExactConverter(name) {
      const converter = getConverter(name);
      const checker = getChecker(name);
      return (str) => {
        const result = converter(str);
        return checker(result) ? result : str;
      };
    }
    exports2.getExactConverter = getExactConverter;
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/key-name-casing.js
var require_key_name_casing = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/key-name-casing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var casing_1 = require_casing();
    var eslint_compat_utils_1 = require_dist9();
    exports2.default = (0, utils_1.createRule)("key-name-casing", {
      meta: {
        docs: {
          description: "enforce naming convention to property key names",
          recommended: null,
          extensionRule: false,
          layout: false
        },
        schema: [
          {
            type: "object",
            properties: {
              camelCase: {
                type: "boolean",
                default: true
              },
              PascalCase: {
                type: "boolean",
                default: false
              },
              SCREAMING_SNAKE_CASE: {
                type: "boolean",
                default: false
              },
              "kebab-case": {
                type: "boolean",
                default: false
              },
              snake_case: {
                type: "boolean",
                default: false
              },
              ignores: {
                type: "array",
                items: {
                  type: "string"
                },
                uniqueItems: true,
                additionalItems: false
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          doesNotMatchFormat: "Property name `{{name}}` must match one of the following formats: {{formats}}"
        },
        type: "suggestion"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        const option = Object.assign({}, context.options[0]);
        if (option.camelCase !== false) {
          option.camelCase = true;
        }
        const ignores2 = option.ignores ? option.ignores.map((ignore2) => new RegExp(ignore2)) : [];
        const formats = Object.keys(option).filter((key) => casing_1.allowedCaseOptions.includes(key)).filter((key) => option[key]);
        const checkers = formats.map(casing_1.getChecker);
        function isValid2(name) {
          if (ignores2.some((regex) => regex.test(name))) {
            return true;
          }
          return checkers.length ? checkers.some((c) => c(name)) : true;
        }
        return {
          JSONProperty(node) {
            const name = node.key.type === "JSONLiteral" && typeof node.key.value === "string" ? node.key.value : sourceCode.text.slice(...node.key.range);
            if (!isValid2(name)) {
              context.report({
                loc: node.key.loc,
                messageId: "doesNotMatchFormat",
                data: {
                  name,
                  formats: formats.join(", ")
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/eslint-string-utils.js
var require_eslint_string_utils = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/eslint-string-utils.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getGraphemeCount = void 0;
    var graphemer_1 = __importDefault2(require_lib4());
    var ASCII_REGEX = /^[\u0000-\u007f]*$/u;
    var segmenter;
    var splitter;
    function getGraphemeCount(value) {
      if (ASCII_REGEX.test(value))
        return value.length;
      try {
        if (!segmenter)
          segmenter = new Intl.Segmenter();
        return [...segmenter.segment(value)].length;
      } catch (_a) {
      }
      if (!splitter)
        splitter = new (graphemer_1.default.default || graphemer_1.default)();
      return splitter.countGraphemes(value);
    }
    exports2.getGraphemeCount = getGraphemeCount;
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/key-spacing.js
var require_key_spacing2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/key-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    var eslint_ast_utils_1 = require_eslint_ast_utils();
    var eslint_utils_1 = require_eslint_utils();
    var eslint_string_utils_1 = require_eslint_string_utils();
    function containsLineTerminator(str) {
      return eslint_ast_utils_1.LINEBREAK_MATCHER.test(str);
    }
    function last(arr) {
      return arr[arr.length - 1];
    }
    function isSingleLine(node) {
      return node.loc.end.line === node.loc.start.line;
    }
    function isSingleLineProperties(properties) {
      const [firstProp] = properties;
      const lastProp = last(properties);
      return firstProp.loc.start.line === lastProp.loc.end.line;
    }
    function initOptionProperty(toOptions, fromOptions) {
      toOptions.mode = fromOptions.mode || "strict";
      if (typeof fromOptions.beforeColon !== "undefined")
        toOptions.beforeColon = Number(fromOptions.beforeColon);
      else
        toOptions.beforeColon = 0;
      if (typeof fromOptions.afterColon !== "undefined")
        toOptions.afterColon = Number(fromOptions.afterColon);
      else
        toOptions.afterColon = 1;
      if (typeof fromOptions.align !== "undefined") {
        if (typeof fromOptions.align === "object") {
          toOptions.align = fromOptions.align;
        } else {
          toOptions.align = {
            on: fromOptions.align,
            mode: toOptions.mode,
            beforeColon: toOptions.beforeColon,
            afterColon: toOptions.afterColon
          };
        }
      }
      return toOptions;
    }
    function initOptions(toOptions, fromOptions) {
      if (typeof fromOptions.align === "object") {
        toOptions.align = initOptionProperty({}, fromOptions.align);
        toOptions.align.on = fromOptions.align.on || "colon";
        toOptions.align.mode = fromOptions.align.mode || "strict";
        toOptions.multiLine = initOptionProperty({}, fromOptions.multiLine || fromOptions);
        toOptions.singleLine = initOptionProperty({}, fromOptions.singleLine || fromOptions);
      } else {
        toOptions.multiLine = initOptionProperty({}, fromOptions.multiLine || fromOptions);
        toOptions.singleLine = initOptionProperty({}, fromOptions.singleLine || fromOptions);
        if (toOptions.multiLine.align) {
          toOptions.align = {
            on: toOptions.multiLine.align.on,
            mode: toOptions.multiLine.align.mode || toOptions.multiLine.mode,
            beforeColon: toOptions.multiLine.align.beforeColon,
            afterColon: toOptions.multiLine.align.afterColon
          };
        }
      }
      return toOptions;
    }
    exports2.default = (0, utils_1.createRule)("key-spacing", {
      meta: {
        docs: {
          description: "enforce consistent spacing between keys and values in object literal properties",
          recommended: null,
          extensionRule: true,
          layout: true
        },
        type: "layout",
        fixable: "whitespace",
        schema: [
          {
            anyOf: [
              {
                type: "object",
                properties: {
                  align: {
                    anyOf: [
                      {
                        type: "string",
                        enum: ["colon", "value"]
                      },
                      {
                        type: "object",
                        properties: {
                          mode: {
                            type: "string",
                            enum: ["strict", "minimum"]
                          },
                          on: {
                            type: "string",
                            enum: ["colon", "value"]
                          },
                          beforeColon: {
                            type: "boolean"
                          },
                          afterColon: {
                            type: "boolean"
                          }
                        },
                        additionalProperties: false
                      }
                    ]
                  },
                  mode: {
                    type: "string",
                    enum: ["strict", "minimum"]
                  },
                  beforeColon: {
                    type: "boolean"
                  },
                  afterColon: {
                    type: "boolean"
                  }
                },
                additionalProperties: false
              },
              {
                type: "object",
                properties: {
                  singleLine: {
                    type: "object",
                    properties: {
                      mode: {
                        type: "string",
                        enum: ["strict", "minimum"]
                      },
                      beforeColon: {
                        type: "boolean"
                      },
                      afterColon: {
                        type: "boolean"
                      }
                    },
                    additionalProperties: false
                  },
                  multiLine: {
                    type: "object",
                    properties: {
                      align: {
                        anyOf: [
                          {
                            type: "string",
                            enum: ["colon", "value"]
                          },
                          {
                            type: "object",
                            properties: {
                              mode: {
                                type: "string",
                                enum: ["strict", "minimum"]
                              },
                              on: {
                                type: "string",
                                enum: ["colon", "value"]
                              },
                              beforeColon: {
                                type: "boolean"
                              },
                              afterColon: {
                                type: "boolean"
                              }
                            },
                            additionalProperties: false
                          }
                        ]
                      },
                      mode: {
                        type: "string",
                        enum: ["strict", "minimum"]
                      },
                      beforeColon: {
                        type: "boolean"
                      },
                      afterColon: {
                        type: "boolean"
                      }
                    },
                    additionalProperties: false
                  }
                },
                additionalProperties: false
              },
              {
                type: "object",
                properties: {
                  singleLine: {
                    type: "object",
                    properties: {
                      mode: {
                        type: "string",
                        enum: ["strict", "minimum"]
                      },
                      beforeColon: {
                        type: "boolean"
                      },
                      afterColon: {
                        type: "boolean"
                      }
                    },
                    additionalProperties: false
                  },
                  multiLine: {
                    type: "object",
                    properties: {
                      mode: {
                        type: "string",
                        enum: ["strict", "minimum"]
                      },
                      beforeColon: {
                        type: "boolean"
                      },
                      afterColon: {
                        type: "boolean"
                      }
                    },
                    additionalProperties: false
                  },
                  align: {
                    type: "object",
                    properties: {
                      mode: {
                        type: "string",
                        enum: ["strict", "minimum"]
                      },
                      on: {
                        type: "string",
                        enum: ["colon", "value"]
                      },
                      beforeColon: {
                        type: "boolean"
                      },
                      afterColon: {
                        type: "boolean"
                      }
                    },
                    additionalProperties: false
                  }
                },
                additionalProperties: false
              }
            ]
          }
        ],
        messages: {
          extraKey: "Extra space after {{computed}}key '{{key}}'.",
          extraValue: "Extra space before value for {{computed}}key '{{key}}'.",
          missingKey: "Missing space after {{computed}}key '{{key}}'.",
          missingValue: "Missing space before value for {{computed}}key '{{key}}'."
        }
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        const options = context.options[0] || {};
        const ruleOptions = initOptions({}, options);
        const multiLineOptions = ruleOptions.multiLine;
        const singleLineOptions = ruleOptions.singleLine;
        const alignmentOptions = ruleOptions.align || null;
        function isKeyValueProperty(property) {
          return !("method" in property && property.method || "shorthand" in property && property.shorthand || "kind" in property && property.kind !== "init" || property.type !== "JSONProperty");
        }
        function getNextColon(node) {
          return sourceCode.getTokenAfter(node, eslint_utils_1.isColonToken);
        }
        function getLastTokenBeforeColon(node) {
          const colonToken = getNextColon(node);
          return sourceCode.getTokenBefore(colonToken);
        }
        function getFirstTokenAfterColon(node) {
          const colonToken = getNextColon(node);
          return sourceCode.getTokenAfter(colonToken);
        }
        function continuesPropertyGroup(lastMember, candidate) {
          const groupEndLine = lastMember.loc.start.line;
          const candidateValueStartLine = (isKeyValueProperty(candidate) ? getFirstTokenAfterColon(candidate.key) : candidate).loc.start.line;
          if (candidateValueStartLine - groupEndLine <= 1)
            return true;
          const leadingComments = sourceCode.getCommentsBefore(candidate);
          if (leadingComments.length && leadingComments[0].loc.start.line - groupEndLine <= 1 && candidateValueStartLine - last(leadingComments).loc.end.line <= 1) {
            for (let i = 1; i < leadingComments.length; i++) {
              if (leadingComments[i].loc.start.line - leadingComments[i - 1].loc.end.line > 1)
                return false;
            }
            return true;
          }
          return false;
        }
        function getKey(property) {
          const key = property.key;
          if (property.computed)
            return sourceCode.getText().slice(key.range[0], key.range[1]);
          return (0, eslint_ast_utils_1.getStaticPropertyName)(property);
        }
        function report(property, side, whitespace, expected, mode) {
          const diff = whitespace.length - expected;
          if ((diff && mode === "strict" || diff < 0 && mode === "minimum" || diff > 0 && !expected && mode === "minimum") && !(expected && containsLineTerminator(whitespace))) {
            const nextColon = getNextColon(property.key);
            const tokenBeforeColon = sourceCode.getTokenBefore(nextColon, {
              includeComments: true
            });
            const tokenAfterColon = sourceCode.getTokenAfter(nextColon, {
              includeComments: true
            });
            const isKeySide = side === "key";
            const isExtra = diff > 0;
            const diffAbs = Math.abs(diff);
            const spaces = Array(diffAbs + 1).join(" ");
            const locStart = isKeySide ? tokenBeforeColon.loc.end : nextColon.loc.start;
            const locEnd = isKeySide ? nextColon.loc.start : tokenAfterColon.loc.start;
            const missingLoc = isKeySide ? tokenBeforeColon.loc : tokenAfterColon.loc;
            const loc = isExtra ? { start: locStart, end: locEnd } : missingLoc;
            let fix11;
            if (isExtra) {
              let range;
              if (isKeySide)
                range = [
                  tokenBeforeColon.range[1],
                  tokenBeforeColon.range[1] + diffAbs
                ];
              else
                range = [
                  tokenAfterColon.range[0] - diffAbs,
                  tokenAfterColon.range[0]
                ];
              fix11 = function(fixer) {
                return fixer.removeRange(range);
              };
            } else {
              if (isKeySide) {
                fix11 = function(fixer) {
                  return fixer.insertTextAfter(tokenBeforeColon, spaces);
                };
              } else {
                fix11 = function(fixer) {
                  return fixer.insertTextBefore(tokenAfterColon, spaces);
                };
              }
            }
            let messageId4;
            if (isExtra)
              messageId4 = side === "key" ? "extraKey" : "extraValue";
            else
              messageId4 = side === "key" ? "missingKey" : "missingValue";
            context.report({
              node: property[side],
              loc,
              messageId: messageId4,
              data: {
                computed: property.computed ? "computed " : "",
                key: getKey(property)
              },
              fix: fix11
            });
          }
        }
        function getKeyWidth(property) {
          const startToken = sourceCode.getFirstToken(property);
          const endToken = getLastTokenBeforeColon(property.key);
          return (0, eslint_string_utils_1.getGraphemeCount)(sourceCode.getText().slice(startToken.range[0], endToken.range[1]));
        }
        function getPropertyWhitespace(property) {
          const whitespace = /(\s*):(\s*)/u.exec(sourceCode.getText().slice(property.key.range[1], property.value.range[0]));
          if (whitespace) {
            return {
              beforeColon: whitespace[1],
              afterColon: whitespace[2]
            };
          }
          return null;
        }
        function createGroups(node) {
          if (node.properties.length === 1)
            return [node.properties];
          return node.properties.reduce((groups, property) => {
            const currentGroup = last(groups);
            const prev = last(currentGroup);
            if (!prev || continuesPropertyGroup(prev, property))
              currentGroup.push(property);
            else
              groups.push([property]);
            return groups;
          }, [[]]);
        }
        function verifyGroupAlignment(properties) {
          const length = properties.length;
          const widths = properties.map(getKeyWidth);
          const align = alignmentOptions.on;
          let targetWidth = Math.max(...widths);
          let beforeColon;
          let afterColon;
          let mode;
          if (alignmentOptions && length > 1) {
            beforeColon = alignmentOptions.beforeColon;
            afterColon = alignmentOptions.afterColon;
            mode = alignmentOptions.mode;
          } else {
            beforeColon = multiLineOptions.beforeColon;
            afterColon = multiLineOptions.afterColon;
            mode = alignmentOptions.mode;
          }
          targetWidth += align === "colon" ? beforeColon : afterColon;
          for (let i = 0; i < length; i++) {
            const property = properties[i];
            const whitespace = getPropertyWhitespace(property);
            if (whitespace) {
              const width = widths[i];
              if (align === "value") {
                report(property, "key", whitespace.beforeColon, beforeColon, mode);
                report(property, "value", whitespace.afterColon, targetWidth - width, mode);
              } else {
                report(property, "key", whitespace.beforeColon, targetWidth - width, mode);
                report(property, "value", whitespace.afterColon, afterColon, mode);
              }
            }
          }
        }
        function verifySpacing(node, lineOptions) {
          const actual = getPropertyWhitespace(node);
          if (actual) {
            report(node, "key", actual.beforeColon, lineOptions.beforeColon, lineOptions.mode);
            report(node, "value", actual.afterColon, lineOptions.afterColon, lineOptions.mode);
          }
        }
        function verifyListSpacing(properties, lineOptions) {
          const length = properties.length;
          for (let i = 0; i < length; i++)
            verifySpacing(properties[i], lineOptions);
        }
        function verifyAlignment(node) {
          createGroups(node).forEach((group) => {
            const properties = group.filter(isKeyValueProperty);
            if (properties.length > 0 && isSingleLineProperties(properties))
              verifyListSpacing(properties, multiLineOptions);
            else
              verifyGroupAlignment(properties);
          });
        }
        if (alignmentOptions) {
          return {
            JSONObjectExpression(node) {
              if (isSingleLine(node))
                verifyListSpacing(node.properties.filter(isKeyValueProperty), singleLineOptions);
              else
                verifyAlignment(node);
            }
          };
        }
        return {
          JSONProperty(node) {
            verifySpacing(node, isSingleLine(node.parent) ? singleLineOptions : multiLineOptions);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-bigint-literals.js
var require_no_bigint_literals = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-bigint-literals.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    exports2.default = (0, utils_1.createRule)("no-bigint-literals", {
      meta: {
        docs: {
          description: "disallow BigInt literals",
          recommended: ["json", "jsonc", "json5"],
          extensionRule: false,
          layout: false
        },
        schema: [],
        messages: {
          unexpected: "BigInt literals are not allowed."
        },
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        return {
          JSONLiteral(node) {
            if (node.bigint != null) {
              context.report({
                loc: node.loc,
                messageId: "unexpected"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-binary-expression.js
var require_no_binary_expression = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-binary-expression.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var jsonc_eslint_parser_1 = require_lib14();
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    exports2.default = (0, utils_1.createRule)("no-binary-expression", {
      meta: {
        docs: {
          description: "disallow binary expression",
          recommended: ["json", "jsonc", "json5"],
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        hasSuggestions: false,
        schema: [],
        messages: {
          disallow: "The binary expressions are not allowed."
        },
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        return {
          JSONBinaryExpression(node) {
            context.report({
              loc: node.loc,
              messageId: "disallow",
              fix(fixer) {
                const value = (0, jsonc_eslint_parser_1.getStaticJSONValue)(node);
                return fixer.replaceTextRange(node.range, JSON.stringify(value));
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-binary-numeric-literals.js
var require_no_binary_numeric_literals2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-binary-numeric-literals.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    var binaryNumericLiteralPattern = /^0b/iu;
    exports2.default = (0, utils_1.createRule)("no-binary-numeric-literals", {
      meta: {
        docs: {
          description: "disallow binary numeric literals",
          recommended: ["json", "jsonc", "json5"],
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        messages: {
          disallow: "Binary numeric literals should not be used."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        return {
          JSONLiteral(node) {
            if (typeof node.value === "number" && binaryNumericLiteralPattern.test(node.raw)) {
              context.report({
                loc: node.loc,
                messageId: "disallow",
                fix: (fixer) => {
                  return fixer.replaceTextRange(node.range, `${node.value}`);
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-comments.js
var require_no_comments = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-comments.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var eslint_compat_utils_1 = require_dist9();
    var utils_1 = require_utils9();
    exports2.default = (0, utils_1.createRule)("no-comments", {
      meta: {
        docs: {
          description: "disallow comments",
          recommended: ["json"],
          extensionRule: false,
          layout: false
        },
        schema: [],
        messages: {
          unexpected: "Unexpected comment."
        },
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        return {
          Program() {
            for (const comment of sourceCode.getAllComments()) {
              context.report({
                loc: comment.loc,
                messageId: "unexpected"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-dupe-keys.js
var require_no_dupe_keys = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-dupe-keys.js"(exports2) {
    "use strict";
    var _a;
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var coreRule = (0, utils_1.getCoreRule)("no-dupe-keys");
    exports2.default = (0, utils_1.createRule)("no-dupe-keys", {
      meta: {
        docs: {
          description: "disallow duplicate keys in object literals",
          recommended: ["json", "jsonc", "json5"],
          extensionRule: true,
          layout: false
        },
        fixable: (_a = coreRule.meta) === null || _a === void 0 ? void 0 : _a.fixable,
        hasSuggestions: coreRule.meta.hasSuggestions,
        schema: coreRule.meta.schema,
        messages: coreRule.meta.messages,
        type: coreRule.meta.type
      },
      create(context) {
        return (0, utils_1.defineWrapperListener)(coreRule, context, context.options);
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-escape-sequence-in-identifier.js
var require_no_escape_sequence_in_identifier = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-escape-sequence-in-identifier.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_utils_1 = require_eslint_utils();
    var eslint_compat_utils_1 = require_dist9();
    exports2.default = (0, utils_1.createRule)("no-escape-sequence-in-identifier", {
      meta: {
        docs: {
          description: "disallow escape sequences in identifiers.",
          recommended: ["json", "jsonc", "json5"],
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        messages: {
          disallow: "Escape sequence in identifiers should not be used."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        return {
          JSONIdentifier(node) {
            verify(node);
          }
        };
        function verify(node) {
          const escapeMatcher = new eslint_utils_1.PatternMatcher(/\\u\{[\dA-Fa-f]+\}|\\u\d{4}/gu);
          const text = sourceCode.text.slice(...node.range);
          for (const match of escapeMatcher.execAll(text)) {
            const start = match.index;
            const end = start + match[0].length;
            const range = [
              start + node.range[0],
              end + node.range[0]
            ];
            context.report({
              loc: {
                start: sourceCode.getLocFromIndex(range[0]),
                end: sourceCode.getLocFromIndex(range[1])
              },
              messageId: "disallow",
              fix(fixer) {
                const codePointStr = match[0][2] === "{" ? text.slice(start + 3, end - 1) : text.slice(start + 2, end);
                const codePoint = Number(`0x${codePointStr}`);
                return fixer.replaceTextRange(range, String.fromCodePoint(codePoint));
              }
            });
          }
        }
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-floating-decimal.js
var require_no_floating_decimal = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-floating-decimal.js"(exports2) {
    "use strict";
    var _a;
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var coreRule = (0, utils_1.getCoreRule)("no-floating-decimal");
    exports2.default = (0, utils_1.createRule)("no-floating-decimal", {
      meta: {
        docs: {
          description: "disallow leading or trailing decimal points in numeric literals",
          recommended: ["json", "jsonc"],
          extensionRule: true,
          layout: true
        },
        fixable: (_a = coreRule.meta) === null || _a === void 0 ? void 0 : _a.fixable,
        hasSuggestions: coreRule.meta.hasSuggestions,
        schema: coreRule.meta.schema,
        messages: coreRule.meta.messages,
        type: coreRule.meta.type
      },
      create(context) {
        return (0, utils_1.defineWrapperListener)(coreRule, context, context.options);
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-hexadecimal-numeric-literals.js
var require_no_hexadecimal_numeric_literals = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-hexadecimal-numeric-literals.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    var hexadecimalNumericLiteralPattern = /^0x/iu;
    exports2.default = (0, utils_1.createRule)("no-hexadecimal-numeric-literals", {
      meta: {
        docs: {
          description: "disallow hexadecimal numeric literals",
          recommended: ["json", "jsonc"],
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        messages: {
          disallow: "Hexadecimal numeric literals should not be used."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        return {
          JSONLiteral(node) {
            if (typeof node.value === "number" && hexadecimalNumericLiteralPattern.test(node.raw)) {
              context.report({
                loc: node.loc,
                messageId: "disallow",
                fix: (fixer) => {
                  return fixer.replaceTextRange(node.range, `${node.value}`);
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-infinity.js
var require_no_infinity = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-infinity.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var jsonc_eslint_parser_1 = require_lib14();
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    exports2.default = (0, utils_1.createRule)("no-infinity", {
      meta: {
        docs: {
          description: "disallow Infinity",
          recommended: ["json", "jsonc"],
          extensionRule: false,
          layout: false
        },
        messages: {
          disallow: "Infinity should not be used."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        return {
          JSONIdentifier(node) {
            if (!(0, jsonc_eslint_parser_1.isNumberIdentifier)(node)) {
              return;
            }
            if (node.name === "Infinity") {
              context.report({
                loc: node.loc,
                messageId: "disallow"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-irregular-whitespace.js
var require_no_irregular_whitespace = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-irregular-whitespace.js"(exports2) {
    "use strict";
    var _a;
    var _b;
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var coreRule = (0, utils_1.getCoreRule)("no-irregular-whitespace");
    exports2.default = (0, utils_1.createRule)("no-irregular-whitespace", {
      meta: {
        docs: {
          description: "disallow irregular whitespace",
          recommended: null,
          extensionRule: true,
          layout: false
        },
        fixable: (_a = coreRule.meta) === null || _a === void 0 ? void 0 : _a.fixable,
        hasSuggestions: (_b = coreRule.meta) === null || _b === void 0 ? void 0 : _b.hasSuggestions,
        schema: coreRule.meta.schema,
        messages: coreRule.meta.messages,
        type: coreRule.meta.type
      },
      create(context) {
        return (0, utils_1.defineWrapperListener)(coreRule, context, context.options);
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-multi-str.js
var require_no_multi_str = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-multi-str.js"(exports2) {
    "use strict";
    var _a;
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var coreRule = (0, utils_1.getCoreRule)("no-multi-str");
    exports2.default = (0, utils_1.createRule)("no-multi-str", {
      meta: {
        docs: {
          description: "disallow multiline strings",
          recommended: ["json", "jsonc"],
          extensionRule: true,
          layout: false
        },
        fixable: (_a = coreRule.meta) === null || _a === void 0 ? void 0 : _a.fixable,
        hasSuggestions: coreRule.meta.hasSuggestions,
        schema: coreRule.meta.schema,
        messages: Object.assign(Object.assign({}, coreRule.meta.messages), { multilineString: "Multiline support is limited to JSON5 only." }),
        type: coreRule.meta.type
      },
      create(context) {
        return (0, utils_1.defineWrapperListener)(coreRule, context, context.options);
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-nan.js
var require_no_nan = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-nan.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var jsonc_eslint_parser_1 = require_lib14();
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    exports2.default = (0, utils_1.createRule)("no-nan", {
      meta: {
        docs: {
          description: "disallow NaN",
          recommended: ["json", "jsonc"],
          extensionRule: false,
          layout: false
        },
        messages: {
          disallow: "NaN should not be used."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        return {
          JSONIdentifier(node) {
            if (!(0, jsonc_eslint_parser_1.isNumberIdentifier)(node)) {
              return;
            }
            if (node.name === "NaN") {
              context.report({
                loc: node.loc,
                messageId: "disallow"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-number-props.js
var require_no_number_props = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-number-props.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    exports2.default = (0, utils_1.createRule)("no-number-props", {
      meta: {
        docs: {
          description: "disallow number property keys",
          recommended: ["json", "jsonc", "json5"],
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        schema: [],
        messages: {
          unexpected: "The number property keys are not allowed."
        },
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        return {
          JSONProperty(node) {
            if (node.key.type !== "JSONLiteral") {
              return;
            }
            if (typeof node.key.value === "number") {
              const raw = node.key.raw;
              context.report({
                loc: node.key.loc,
                messageId: "unexpected",
                fix(fixer) {
                  return fixer.replaceTextRange(node.key.range, `"${raw}"`);
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-numeric-separators.js
var require_no_numeric_separators2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-numeric-separators.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    exports2.default = (0, utils_1.createRule)("no-numeric-separators", {
      meta: {
        docs: {
          description: "disallow numeric separators",
          recommended: ["json", "jsonc", "json5"],
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        schema: [],
        messages: {
          unexpected: "Numeric separators are not allowed."
        },
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        return {
          JSONLiteral(node) {
            if (typeof node.value !== "number") {
              return;
            }
            const text = sourceCode.text.slice(...node.range);
            if (text.includes("_")) {
              context.report({
                loc: node.loc,
                messageId: "unexpected",
                fix(fixer) {
                  return fixer.replaceTextRange(node.range, text.replace(/_/g, ""));
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-octal-escape.js
var require_no_octal_escape = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-octal-escape.js"(exports2) {
    "use strict";
    var _a;
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var coreRule = (0, utils_1.getCoreRule)("no-octal-escape");
    exports2.default = (0, utils_1.createRule)("no-octal-escape", {
      meta: {
        docs: {
          description: "disallow octal escape sequences in string literals",
          recommended: null,
          extensionRule: true,
          layout: false
        },
        fixable: (_a = coreRule.meta) === null || _a === void 0 ? void 0 : _a.fixable,
        hasSuggestions: coreRule.meta.hasSuggestions,
        schema: coreRule.meta.schema,
        messages: coreRule.meta.messages,
        type: coreRule.meta.type
      },
      create(context) {
        return (0, utils_1.defineWrapperListener)(coreRule, context, context.options);
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-octal-numeric-literals.js
var require_no_octal_numeric_literals2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-octal-numeric-literals.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    var octalNumericLiteralPattern = /^0o/iu;
    exports2.default = (0, utils_1.createRule)("no-octal-numeric-literals", {
      meta: {
        docs: {
          description: "disallow octal numeric literals",
          recommended: ["json", "jsonc", "json5"],
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        messages: {
          disallow: "Octal numeric literals should not be used."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        return {
          JSONLiteral(node) {
            if (typeof node.value === "number" && octalNumericLiteralPattern.test(node.raw)) {
              context.report({
                loc: node.loc,
                messageId: "disallow",
                fix: (fixer) => {
                  return fixer.replaceTextRange(node.range, `${node.value}`);
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-octal.js
var require_no_octal = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-octal.js"(exports2) {
    "use strict";
    var _a;
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var coreRule = (0, utils_1.getCoreRule)("no-octal");
    exports2.default = (0, utils_1.createRule)("no-octal", {
      meta: {
        docs: {
          description: "disallow legacy octal literals",
          recommended: ["json", "jsonc", "json5"],
          extensionRule: true,
          layout: false
        },
        fixable: (_a = coreRule.meta) === null || _a === void 0 ? void 0 : _a.fixable,
        hasSuggestions: coreRule.meta.hasSuggestions,
        schema: coreRule.meta.schema,
        messages: coreRule.meta.messages,
        type: coreRule.meta.type
      },
      create(context) {
        return (0, utils_1.defineWrapperListener)(coreRule, context, context.options);
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-parenthesized.js
var require_no_parenthesized = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-parenthesized.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var eslint_utils_1 = require_eslint_utils();
    var jsonc_eslint_parser_1 = require_lib14();
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    exports2.default = (0, utils_1.createRule)("no-parenthesized", {
      meta: {
        docs: {
          description: "disallow parentheses around the expression",
          recommended: ["json", "jsonc", "json5"],
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        hasSuggestions: false,
        schema: [],
        messages: {
          disallow: "Parentheses around expression should not be used."
        },
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        const handlers = {
          JSONArrayExpression: handler,
          JSONBinaryExpression: handler,
          JSONIdentifier: handler,
          JSONLiteral: handler,
          JSONObjectExpression: handler,
          JSONTemplateLiteral: handler,
          JSONUnaryExpression: handler
        };
        return handlers;
        function handler(node) {
          if (!(0, jsonc_eslint_parser_1.isExpression)(node) || !(0, eslint_utils_1.isParenthesized)(node, sourceCode)) {
            return;
          }
          const leftParen = sourceCode.getTokenBefore(node);
          const rightParen = sourceCode.getTokenAfter(node);
          context.report({
            loc: leftParen.loc,
            messageId: "disallow",
            fix: fix11
          });
          context.report({
            loc: rightParen.loc,
            messageId: "disallow",
            fix: fix11
          });
          function fix11(fixer) {
            const parent = node.parent;
            if (!parent) {
              return [];
            }
            if (parent.type !== "JSONArrayExpression" && parent.type !== "JSONExpressionStatement" && parent.type !== "JSONProperty") {
              return [];
            }
            return [
              fixer.removeRange(leftParen.range),
              fixer.removeRange(rightParen.range)
            ];
          }
        }
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-plus-sign.js
var require_no_plus_sign = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-plus-sign.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    exports2.default = (0, utils_1.createRule)("no-plus-sign", {
      meta: {
        docs: {
          description: "disallow plus sign",
          recommended: ["json", "jsonc"],
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        messages: {
          disallow: "Plus sign should not be used."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        return {
          JSONUnaryExpression(node) {
            if (node.operator === "+") {
              const operator = sourceCode.getFirstToken(node, (token) => token.type === "Punctuator" && token.value === node.operator);
              context.report({
                loc: (operator === null || operator === void 0 ? void 0 : operator.loc) || node.loc,
                messageId: "disallow",
                fix(fixer) {
                  return operator ? fixer.removeRange(operator.range) : null;
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-regexp-literals.js
var require_no_regexp_literals = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-regexp-literals.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    exports2.default = (0, utils_1.createRule)("no-regexp-literals", {
      meta: {
        docs: {
          description: "disallow RegExp literals",
          recommended: ["json", "jsonc", "json5"],
          extensionRule: false,
          layout: false
        },
        schema: [],
        messages: {
          unexpected: "RegExp literals are not allowed."
        },
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        return {
          JSONLiteral(node) {
            if (node.regex) {
              context.report({
                loc: node.loc,
                messageId: "unexpected"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-sparse-arrays.js
var require_no_sparse_arrays = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-sparse-arrays.js"(exports2) {
    "use strict";
    var _a;
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var coreRule = (0, utils_1.getCoreRule)("no-sparse-arrays");
    exports2.default = (0, utils_1.createRule)("no-sparse-arrays", {
      meta: {
        docs: {
          description: "disallow sparse arrays",
          recommended: ["json", "jsonc", "json5"],
          extensionRule: true,
          layout: false
        },
        fixable: (_a = coreRule.meta) === null || _a === void 0 ? void 0 : _a.fixable,
        hasSuggestions: coreRule.meta.hasSuggestions,
        schema: coreRule.meta.schema,
        messages: coreRule.meta.messages,
        type: coreRule.meta.type
      },
      create(context) {
        return (0, utils_1.defineWrapperListener)(coreRule, context, context.options);
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-template-literals.js
var require_no_template_literals2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-template-literals.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    exports2.default = (0, utils_1.createRule)("no-template-literals", {
      meta: {
        docs: {
          description: "disallow template literals",
          recommended: ["json", "jsonc", "json5"],
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        schema: [],
        messages: {
          unexpected: "The template literals are not allowed."
        },
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        return {
          JSONTemplateLiteral(node) {
            context.report({
              loc: node.loc,
              messageId: "unexpected",
              fix(fixer) {
                const s = node.quasis[0].value.cooked;
                return fixer.replaceTextRange(node.range, JSON.stringify(s));
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-undefined-value.js
var require_no_undefined_value = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-undefined-value.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var jsonc_eslint_parser_1 = require_lib14();
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    exports2.default = (0, utils_1.createRule)("no-undefined-value", {
      meta: {
        docs: {
          description: "disallow `undefined`",
          recommended: ["json", "jsonc", "json5"],
          extensionRule: false,
          layout: false
        },
        schema: [],
        messages: {
          unexpected: "`undefined` is not allowed."
        },
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        return {
          JSONIdentifier(node) {
            if (!(0, jsonc_eslint_parser_1.isUndefinedIdentifier)(node)) {
              return;
            }
            context.report({
              loc: node.loc,
              messageId: "unexpected"
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-unicode-codepoint-escapes.js
var require_no_unicode_codepoint_escapes2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-unicode-codepoint-escapes.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_utils_1 = require_eslint_utils();
    var eslint_compat_utils_1 = require_dist9();
    exports2.default = (0, utils_1.createRule)("no-unicode-codepoint-escapes", {
      meta: {
        docs: {
          description: "disallow Unicode code point escape sequences.",
          recommended: ["json", "jsonc", "json5"],
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        messages: {
          disallow: "Unicode code point escape sequence should not be used."
        },
        schema: [],
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        return {
          JSONIdentifier(node) {
            verify(node);
          },
          JSONLiteral(node) {
            if (typeof node.value === "string") {
              verify(node);
            }
          },
          JSONTemplateElement(node) {
            verify(node);
          }
        };
        function verify(node) {
          const codePointEscapeMatcher = new eslint_utils_1.PatternMatcher(/\\u\{[\dA-Fa-f]+\}/gu);
          const text = sourceCode.text.slice(...node.range);
          for (const match of codePointEscapeMatcher.execAll(text)) {
            const start = match.index;
            const end = start + match[0].length;
            const range = [start + node.range[0], end + node.range[0]];
            context.report({
              loc: {
                start: sourceCode.getLocFromIndex(range[0]),
                end: sourceCode.getLocFromIndex(range[1])
              },
              messageId: "disallow",
              fix(fixer) {
                const codePointStr = text.slice(start + 3, end - 1);
                let codePoint = Number(`0x${codePointStr}`);
                let replacement = null;
                if (codePoint <= 65535) {
                  replacement = toHex(codePoint);
                } else {
                  codePoint -= 65536;
                  const highSurrogate = (codePoint >> 10) + 55296;
                  const lowSurrogate = codePoint % 1024 + 56320;
                  replacement = `${toHex(highSurrogate)}\\u${toHex(lowSurrogate)}`;
                }
                return fixer.replaceTextRange([range[0] + 2, range[1]], replacement);
              }
            });
          }
        }
        function toHex(num) {
          return `0000${num.toString(16).toUpperCase()}`.substr(-4);
        }
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-useless-escape.js
var require_no_useless_escape = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/no-useless-escape.js"(exports2) {
    "use strict";
    var _a;
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var coreRule = (0, utils_1.getCoreRule)("no-useless-escape");
    exports2.default = (0, utils_1.createRule)("no-useless-escape", {
      meta: {
        docs: {
          description: "disallow unnecessary escape usage",
          recommended: ["json", "jsonc", "json5"],
          extensionRule: true,
          layout: false
        },
        fixable: (_a = coreRule.meta) === null || _a === void 0 ? void 0 : _a.fixable,
        hasSuggestions: coreRule.meta.hasSuggestions,
        schema: coreRule.meta.schema,
        messages: coreRule.meta.messages,
        type: coreRule.meta.type
      },
      create(context) {
        return (0, utils_1.defineWrapperListener)(coreRule, context, context.options);
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/object-curly-newline.js
var require_object_curly_newline = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/object-curly-newline.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    var eslint_utils_1 = require_eslint_utils();
    var eslint_ast_utils_1 = require_eslint_ast_utils();
    var OPTION_VALUE = {
      oneOf: [
        {
          type: "string",
          enum: ["always", "never"]
        },
        {
          type: "object",
          properties: {
            multiline: {
              type: "boolean"
            },
            minProperties: {
              type: "integer",
              minimum: 0
            },
            consistent: {
              type: "boolean"
            }
          },
          additionalProperties: false,
          minProperties: 1
        }
      ]
    };
    function normalizeOptionValue(value) {
      let multiline = false;
      let minProperties = Number.POSITIVE_INFINITY;
      let consistent = false;
      if (value) {
        if (value === "always") {
          minProperties = 0;
        } else if (value === "never") {
          minProperties = Number.POSITIVE_INFINITY;
        } else {
          multiline = Boolean(value.multiline);
          minProperties = value.minProperties || Number.POSITIVE_INFINITY;
          consistent = Boolean(value.consistent);
        }
      } else {
        consistent = true;
      }
      return { multiline, minProperties, consistent };
    }
    function isObject2(value) {
      return typeof value === "object" && value !== null;
    }
    function isNodeSpecificOption(option) {
      return isObject2(option) || typeof option === "string";
    }
    function normalizeOptions(options) {
      if (isObject2(options) && Object.values(options).some(isNodeSpecificOption)) {
        return {
          JSONObjectExpression: normalizeOptionValue(options.ObjectExpression)
        };
      }
      const value = normalizeOptionValue(options);
      return {
        JSONObjectExpression: value
      };
    }
    function areLineBreaksRequired(node, options, first, last) {
      const objectProperties = node.properties;
      return objectProperties.length >= options.minProperties || options.multiline && objectProperties.length > 0 && first.loc.start.line !== last.loc.end.line;
    }
    exports2.default = (0, utils_1.createRule)("object-curly-newline", {
      meta: {
        docs: {
          description: "enforce consistent line breaks inside braces",
          recommended: null,
          extensionRule: true,
          layout: true
        },
        type: "layout",
        fixable: "whitespace",
        schema: [
          {
            oneOf: [
              OPTION_VALUE,
              {
                type: "object",
                properties: {
                  ObjectExpression: OPTION_VALUE,
                  ObjectPattern: OPTION_VALUE,
                  ImportDeclaration: OPTION_VALUE,
                  ExportDeclaration: OPTION_VALUE
                },
                additionalProperties: false,
                minProperties: 1
              }
            ]
          }
        ],
        messages: {
          unexpectedLinebreakBeforeClosingBrace: "Unexpected line break before this closing brace.",
          unexpectedLinebreakAfterOpeningBrace: "Unexpected line break after this opening brace.",
          expectedLinebreakBeforeClosingBrace: "Expected a line break before this closing brace.",
          expectedLinebreakAfterOpeningBrace: "Expected a line break after this opening brace."
        }
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        const normalizedOptions = normalizeOptions(context.options[0]);
        function check(node) {
          const options = normalizedOptions[node.type];
          const openBrace = sourceCode.getFirstToken(node, eslint_utils_1.isOpeningBraceToken);
          const closeBrace = sourceCode.getLastToken(node, eslint_utils_1.isClosingBraceToken);
          let first = sourceCode.getTokenAfter(openBrace, {
            includeComments: true
          });
          let last = sourceCode.getTokenBefore(closeBrace, {
            includeComments: true
          });
          const needsLineBreaks = areLineBreaksRequired(node, options, first, last);
          const hasCommentsFirstToken = (0, eslint_utils_1.isCommentToken)(first);
          const hasCommentsLastToken = (0, eslint_utils_1.isCommentToken)(last);
          first = sourceCode.getTokenAfter(openBrace);
          last = sourceCode.getTokenBefore(closeBrace);
          if (needsLineBreaks) {
            if ((0, eslint_ast_utils_1.isTokenOnSameLine)(openBrace, first)) {
              context.report({
                messageId: "expectedLinebreakAfterOpeningBrace",
                node,
                loc: openBrace.loc,
                fix(fixer) {
                  if (hasCommentsFirstToken)
                    return null;
                  return fixer.insertTextAfter(openBrace, "\n");
                }
              });
            }
            if ((0, eslint_ast_utils_1.isTokenOnSameLine)(last, closeBrace)) {
              context.report({
                messageId: "expectedLinebreakBeforeClosingBrace",
                node,
                loc: closeBrace.loc,
                fix(fixer) {
                  if (hasCommentsLastToken)
                    return null;
                  return fixer.insertTextBefore(closeBrace, "\n");
                }
              });
            }
          } else {
            const consistent = options.consistent;
            const hasLineBreakBetweenOpenBraceAndFirst = !(0, eslint_ast_utils_1.isTokenOnSameLine)(openBrace, first);
            const hasLineBreakBetweenCloseBraceAndLast = !(0, eslint_ast_utils_1.isTokenOnSameLine)(last, closeBrace);
            if (!consistent && hasLineBreakBetweenOpenBraceAndFirst || consistent && hasLineBreakBetweenOpenBraceAndFirst && !hasLineBreakBetweenCloseBraceAndLast) {
              context.report({
                messageId: "unexpectedLinebreakAfterOpeningBrace",
                node,
                loc: openBrace.loc,
                fix(fixer) {
                  if (hasCommentsFirstToken)
                    return null;
                  return fixer.removeRange([openBrace.range[1], first.range[0]]);
                }
              });
            }
            if (!consistent && hasLineBreakBetweenCloseBraceAndLast || consistent && !hasLineBreakBetweenOpenBraceAndFirst && hasLineBreakBetweenCloseBraceAndLast) {
              context.report({
                messageId: "unexpectedLinebreakBeforeClosingBrace",
                node,
                loc: closeBrace.loc,
                fix(fixer) {
                  if (hasCommentsLastToken)
                    return null;
                  return fixer.removeRange([last.range[1], closeBrace.range[0]]);
                }
              });
            }
          }
        }
        return {
          JSONObjectExpression: check
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/object-curly-spacing.js
var require_object_curly_spacing2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/object-curly-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    var eslint_ast_utils_1 = require_eslint_ast_utils();
    var eslint_utils_1 = require_eslint_utils();
    exports2.default = (0, utils_1.createRule)("object-curly-spacing", {
      meta: {
        docs: {
          description: "enforce consistent spacing inside braces",
          recommended: null,
          extensionRule: true,
          layout: true
        },
        type: "layout",
        fixable: "whitespace",
        schema: [
          {
            type: "string",
            enum: ["always", "never"]
          },
          {
            type: "object",
            properties: {
              arraysInObjects: {
                type: "boolean"
              },
              objectsInObjects: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          requireSpaceBefore: "A space is required before '{{token}}'.",
          requireSpaceAfter: "A space is required after '{{token}}'.",
          unexpectedSpaceBefore: "There should be no space before '{{token}}'.",
          unexpectedSpaceAfter: "There should be no space after '{{token}}'."
        }
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        const spaced = context.options[0] === "always";
        function isOptionSet(option) {
          return context.options[1] ? context.options[1][option] === !spaced : false;
        }
        const options = {
          spaced,
          arraysInObjectsException: isOptionSet("arraysInObjects"),
          objectsInObjectsException: isOptionSet("objectsInObjects"),
          isOpeningCurlyBraceMustBeSpaced(_second) {
            return options.spaced;
          },
          isClosingCurlyBraceMustBeSpaced(penultimate) {
            const targetPenultimateType = options.arraysInObjectsException && (0, eslint_utils_1.isClosingBracketToken)(penultimate) ? "JSONArrayExpression" : options.objectsInObjectsException && (0, eslint_utils_1.isClosingBraceToken)(penultimate) ? "JSONObjectExpression" : null;
            const node = sourceCode.getNodeByRangeIndex(penultimate.range[0]);
            return targetPenultimateType && (node === null || node === void 0 ? void 0 : node.type) === targetPenultimateType ? !options.spaced : options.spaced;
          }
        };
        function reportNoBeginningSpace(node, token) {
          const nextToken = sourceCode.getTokenAfter(token, {
            includeComments: true
          });
          context.report({
            node,
            loc: { start: token.loc.end, end: nextToken.loc.start },
            messageId: "unexpectedSpaceAfter",
            data: {
              token: token.value
            },
            fix(fixer) {
              return fixer.removeRange([token.range[1], nextToken.range[0]]);
            }
          });
        }
        function reportNoEndingSpace(node, token) {
          const previousToken = sourceCode.getTokenBefore(token, {
            includeComments: true
          });
          context.report({
            node,
            loc: { start: previousToken.loc.end, end: token.loc.start },
            messageId: "unexpectedSpaceBefore",
            data: {
              token: token.value
            },
            fix(fixer) {
              return fixer.removeRange([previousToken.range[1], token.range[0]]);
            }
          });
        }
        function reportRequiredBeginningSpace(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "requireSpaceAfter",
            data: {
              token: token.value
            },
            fix(fixer) {
              return fixer.insertTextAfter(token, " ");
            }
          });
        }
        function reportRequiredEndingSpace(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "requireSpaceBefore",
            data: {
              token: token.value
            },
            fix(fixer) {
              return fixer.insertTextBefore(token, " ");
            }
          });
        }
        function validateBraceSpacing(node, first, second, penultimate, last) {
          if ((0, eslint_ast_utils_1.isTokenOnSameLine)(first, second)) {
            const firstSpaced = sourceCode.isSpaceBetween(first, second);
            if (options.isOpeningCurlyBraceMustBeSpaced(second)) {
              if (!firstSpaced)
                reportRequiredBeginningSpace(node, first);
            } else {
              if (firstSpaced && second.type !== "Line") {
                reportNoBeginningSpace(node, first);
              }
            }
          }
          if ((0, eslint_ast_utils_1.isTokenOnSameLine)(penultimate, last)) {
            const lastSpaced = sourceCode.isSpaceBetween(penultimate, last);
            if (options.isClosingCurlyBraceMustBeSpaced(penultimate)) {
              if (!lastSpaced)
                reportRequiredEndingSpace(node, last);
            } else {
              if (lastSpaced)
                reportNoEndingSpace(node, last);
            }
          }
        }
        function getClosingBraceOfObject(node) {
          const lastProperty = node.properties[node.properties.length - 1];
          return sourceCode.getTokenAfter(lastProperty, eslint_utils_1.isClosingBraceToken);
        }
        function checkForObject(node) {
          if (node.properties.length === 0)
            return;
          const first = sourceCode.getFirstToken(node);
          const last = getClosingBraceOfObject(node);
          const second = sourceCode.getTokenAfter(first, {
            includeComments: true
          });
          const penultimate = sourceCode.getTokenBefore(last, {
            includeComments: true
          });
          validateBraceSpacing(node, first, second, penultimate, last);
        }
        return {
          JSONObjectExpression: checkForObject
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/object-property-newline.js
var require_object_property_newline = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/object-property-newline.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    exports2.default = (0, utils_1.createRule)("object-property-newline", {
      meta: {
        docs: {
          description: "enforce placing object properties on separate lines",
          recommended: null,
          extensionRule: true,
          layout: true
        },
        type: "layout",
        schema: [
          {
            type: "object",
            properties: {
              allowAllPropertiesOnSameLine: {
                type: "boolean",
                default: false
              },
              allowMultiplePropertiesPerLine: {
                type: "boolean",
                default: false
              }
            },
            additionalProperties: false
          }
        ],
        fixable: "whitespace",
        messages: {
          propertiesOnNewlineAll: "Object properties must go on a new line if they aren't all on the same line.",
          propertiesOnNewline: "Object properties must go on a new line."
        }
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        const allowSameLine = context.options[0] && (context.options[0].allowAllPropertiesOnSameLine || context.options[0].allowMultiplePropertiesPerLine);
        const messageId4 = allowSameLine ? "propertiesOnNewlineAll" : "propertiesOnNewline";
        return {
          JSONObjectExpression(node) {
            if (allowSameLine) {
              if (node.properties.length > 1) {
                const firstTokenOfFirstProperty = sourceCode.getFirstToken(node.properties[0]);
                const lastTokenOfLastProperty = sourceCode.getLastToken(node.properties[node.properties.length - 1]);
                if (firstTokenOfFirstProperty.loc.end.line === lastTokenOfLastProperty.loc.start.line) {
                  return;
                }
              }
            }
            for (let i = 1; i < node.properties.length; i++) {
              const lastTokenOfPreviousProperty = sourceCode.getLastToken(node.properties[i - 1]);
              const firstTokenOfCurrentProperty = sourceCode.getFirstToken(node.properties[i]);
              if (lastTokenOfPreviousProperty.loc.end.line === firstTokenOfCurrentProperty.loc.start.line) {
                context.report({
                  node,
                  loc: firstTokenOfCurrentProperty.loc,
                  messageId: messageId4,
                  fix(fixer) {
                    const comma = sourceCode.getTokenBefore(firstTokenOfCurrentProperty);
                    const rangeAfterComma = [
                      comma.range[1],
                      firstTokenOfCurrentProperty.range[0]
                    ];
                    if (sourceCode.text.slice(rangeAfterComma[0], rangeAfterComma[1]).trim())
                      return null;
                    return fixer.replaceTextRange(rangeAfterComma, "\n");
                  }
                });
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/eslint-keywords.js
var require_eslint_keywords = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/eslint-keywords.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.keywords = void 0;
    exports2.keywords = [
      "abstract",
      "boolean",
      "break",
      "byte",
      "case",
      "catch",
      "char",
      "class",
      "const",
      "continue",
      "debugger",
      "default",
      "delete",
      "do",
      "double",
      "else",
      "enum",
      "export",
      "extends",
      "false",
      "final",
      "finally",
      "float",
      "for",
      "function",
      "goto",
      "if",
      "implements",
      "import",
      "in",
      "instanceof",
      "int",
      "interface",
      "long",
      "native",
      "new",
      "null",
      "package",
      "private",
      "protected",
      "public",
      "return",
      "short",
      "static",
      "super",
      "switch",
      "synchronized",
      "this",
      "throw",
      "throws",
      "transient",
      "true",
      "try",
      "typeof",
      "var",
      "void",
      "volatile",
      "while",
      "with"
    ];
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/quote-props.js
var require_quote_props = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/quote-props.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    var espree_1 = require_espree();
    var eslint_keywords_1 = require_eslint_keywords();
    var eslint_ast_utils_1 = require_eslint_ast_utils();
    exports2.default = (0, utils_1.createRule)("quote-props", {
      meta: {
        docs: {
          description: "require quotes around object literal property names",
          recommended: ["json", "jsonc"],
          extensionRule: true,
          layout: true
        },
        type: "layout",
        schema: {
          anyOf: [
            {
              type: "array",
              items: [
                {
                  type: "string",
                  enum: [
                    "always",
                    "as-needed",
                    "consistent",
                    "consistent-as-needed"
                  ]
                }
              ],
              minItems: 0,
              maxItems: 1
            },
            {
              type: "array",
              items: [
                {
                  type: "string",
                  enum: [
                    "always",
                    "as-needed",
                    "consistent",
                    "consistent-as-needed"
                  ]
                },
                {
                  type: "object",
                  properties: {
                    keywords: {
                      type: "boolean"
                    },
                    unnecessary: {
                      type: "boolean"
                    },
                    numbers: {
                      type: "boolean"
                    }
                  },
                  additionalProperties: false
                }
              ],
              minItems: 0,
              maxItems: 2
            }
          ]
        },
        fixable: "code",
        messages: {
          requireQuotesDueToReservedWord: "Properties should be quoted as '{{property}}' is a reserved word.",
          inconsistentlyQuotedProperty: "Inconsistently quoted property '{{key}}' found.",
          unnecessarilyQuotedProperty: "Unnecessarily quoted property '{{property}}' found.",
          unquotedReservedProperty: "Unquoted reserved word '{{property}}' used as key.",
          unquotedNumericProperty: "Unquoted number literal '{{property}}' used as key.",
          unquotedPropertyFound: "Unquoted property '{{property}}' found.",
          redundantQuoting: "Properties shouldn't be quoted as all quotes are redundant."
        }
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        const MODE = context.options[0] || "always";
        const KEYWORDS = context.options[1] && context.options[1].keywords;
        const CHECK_UNNECESSARY = !context.options[1] || context.options[1].unnecessary !== false;
        const NUMBERS = context.options[1] && context.options[1].numbers;
        function isKeyword2(tokenStr) {
          return eslint_keywords_1.keywords.includes(tokenStr);
        }
        function areQuotesRedundant(rawKey, tokens, skipNumberLiterals = false) {
          return tokens.length === 1 && tokens[0].start === 0 && tokens[0].end === rawKey.length && (["Identifier", "Keyword", "Null", "Boolean"].includes(tokens[0].type) || tokens[0].type === "Numeric" && !skipNumberLiterals && String(Number(tokens[0].value)) === tokens[0].value);
        }
        function getUnquotedKey(key) {
          return key.type === "JSONIdentifier" ? key.name : key.value;
        }
        function getQuotedKey(key) {
          if (key.type === "JSONLiteral" && typeof key.value === "string") {
            return sourceCode.getText(key);
          }
          return `"${key.type === "JSONIdentifier" ? key.name : key.value}"`;
        }
        function checkUnnecessaryQuotes(node) {
          const key = node.key;
          if (node.method || node.computed || node.shorthand)
            return;
          if (key.type === "JSONLiteral" && typeof key.value === "string") {
            let tokens;
            try {
              tokens = (0, espree_1.tokenize)(key.value);
            } catch (_a) {
              return;
            }
            if (tokens.length !== 1)
              return;
            const isKeywordToken = isKeyword2(tokens[0].value);
            if (isKeywordToken && KEYWORDS)
              return;
            if (CHECK_UNNECESSARY && areQuotesRedundant(key.value, tokens, NUMBERS)) {
              context.report({
                node,
                messageId: "unnecessarilyQuotedProperty",
                data: { property: key.value },
                fix: (fixer) => fixer.replaceText(key, getUnquotedKey(key))
              });
            }
          } else if (KEYWORDS && key.type === "JSONIdentifier" && isKeyword2(key.name)) {
            context.report({
              node,
              messageId: "unquotedReservedProperty",
              data: { property: key.name },
              fix: (fixer) => fixer.replaceText(key, getQuotedKey(key))
            });
          } else if (NUMBERS && key.type === "JSONLiteral" && (0, eslint_ast_utils_1.isNumericLiteral)(key)) {
            context.report({
              node,
              messageId: "unquotedNumericProperty",
              data: { property: String(key.value) },
              fix: (fixer) => fixer.replaceText(key, getQuotedKey(key))
            });
          }
        }
        function checkOmittedQuotes(node) {
          const key = node.key;
          if (!node.method && !node.computed && !node.shorthand && !(key.type === "JSONLiteral" && typeof key.value === "string")) {
            context.report({
              node,
              messageId: "unquotedPropertyFound",
              data: {
                property: key.name || key.value
              },
              fix: (fixer) => fixer.replaceText(key, getQuotedKey(key))
            });
          }
        }
        function checkConsistency(node, checkQuotesRedundancy) {
          const quotedProps = [];
          const unquotedProps = [];
          let keywordKeyName = null;
          let necessaryQuotes = false;
          node.properties.forEach((rawProperty) => {
            const property = rawProperty;
            const key = property.key;
            if (!key || property.method || property.computed || property.shorthand)
              return;
            if (key.type === "JSONLiteral" && typeof key.value === "string") {
              quotedProps.push(property);
              if (checkQuotesRedundancy) {
                let tokens;
                try {
                  tokens = (0, espree_1.tokenize)(key.value);
                } catch (_a) {
                  necessaryQuotes = true;
                  return;
                }
                necessaryQuotes = necessaryQuotes || !areQuotesRedundant(key.value, tokens) || KEYWORDS && isKeyword2(tokens[0].value);
              }
            } else if (KEYWORDS && checkQuotesRedundancy && key.type === "JSONIdentifier" && isKeyword2(key.name)) {
              unquotedProps.push(property);
              necessaryQuotes = true;
              keywordKeyName = key.name;
            } else {
              unquotedProps.push(property);
            }
          });
          if (checkQuotesRedundancy && quotedProps.length && !necessaryQuotes) {
            quotedProps.forEach((property) => {
              const key = property.key;
              context.report({
                node: property,
                messageId: "redundantQuoting",
                fix: (fixer) => fixer.replaceText(key, getUnquotedKey(key))
              });
            });
          } else if (unquotedProps.length && keywordKeyName) {
            unquotedProps.forEach((property) => {
              context.report({
                node: property,
                messageId: "requireQuotesDueToReservedWord",
                data: { property: keywordKeyName },
                fix: (fixer) => fixer.replaceText(property.key, getQuotedKey(property.key))
              });
            });
          } else if (quotedProps.length && unquotedProps.length) {
            unquotedProps.forEach((property) => {
              context.report({
                node: property,
                messageId: "inconsistentlyQuotedProperty",
                data: {
                  key: property.key.name || property.key.value
                },
                fix: (fixer) => fixer.replaceText(property.key, getQuotedKey(property.key))
              });
            });
          }
        }
        return {
          JSONProperty(node) {
            if (MODE === "always" || !MODE)
              checkOmittedQuotes(node);
            if (MODE === "as-needed")
              checkUnnecessaryQuotes(node);
          },
          JSONObjectExpression(node) {
            if (MODE === "consistent")
              checkConsistency(node, false);
            if (MODE === "consistent-as-needed")
              checkConsistency(node, true);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/quotes.js
var require_quotes2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/quotes.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    var eslint_ast_utils_1 = require_eslint_ast_utils();
    function switchQuote(str) {
      const newQuote = this.quote;
      const oldQuote = str[0];
      if (newQuote === oldQuote)
        return str;
      return newQuote + str.slice(1, -1).replace(/\\(\$\{|\r\n?|\n|.)|["'`]|\$\{|(\r\n?|\n)/gu, (match, escaped, newline) => {
        if (escaped === oldQuote || oldQuote === "`" && escaped === "${")
          return escaped;
        if (match === newQuote || newQuote === "`" && match === "${")
          return `\\${match}`;
        if (newline && oldQuote === "`")
          return "\\n";
        return match;
      }) + newQuote;
    }
    var QUOTE_SETTINGS = {
      double: {
        quote: '"',
        alternateQuote: "'",
        description: "doublequote",
        convert: switchQuote
      },
      single: {
        quote: "'",
        alternateQuote: '"',
        description: "singlequote",
        convert: switchQuote
      },
      backtick: {
        quote: "`",
        alternateQuote: '"',
        description: "backtick",
        convert: switchQuote
      }
    };
    var UNESCAPED_LINEBREAK_PATTERN = new RegExp(String.raw`(^|[^\\])(\\\\)*[${Array.from(eslint_ast_utils_1.LINEBREAKS).join("")}]`, "u");
    var AVOID_ESCAPE = "avoid-escape";
    exports2.default = (0, utils_1.createRule)("quotes", {
      meta: {
        docs: {
          description: "enforce use of double or single quotes",
          recommended: ["json", "jsonc"],
          extensionRule: true,
          layout: true
        },
        type: "layout",
        fixable: "code",
        schema: [
          {
            type: "string",
            enum: ["single", "double", "backtick"]
          },
          {
            anyOf: [
              {
                type: "string",
                enum: ["avoid-escape"]
              },
              {
                type: "object",
                properties: {
                  avoidEscape: {
                    type: "boolean"
                  },
                  allowTemplateLiterals: {
                    type: "boolean"
                  }
                },
                additionalProperties: false
              }
            ]
          }
        ],
        messages: {
          wrongQuotes: "Strings must use {{description}}."
        }
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        let quoteOption = context.options[0];
        if (quoteOption === "backtick") {
          quoteOption = "double";
        }
        const settings = QUOTE_SETTINGS[quoteOption || "double"];
        const options = context.options[1];
        const allowTemplateLiterals = options && typeof options === "object" && options.allowTemplateLiterals === true;
        let avoidEscape = options && typeof options === "object" && options.avoidEscape === true;
        if (options === AVOID_ESCAPE)
          avoidEscape = true;
        function isUsingFeatureOfTemplateLiteral(node) {
          const hasStringInterpolation = node.expressions.length > 0;
          if (hasStringInterpolation)
            return true;
          const isMultilineString = node.quasis.length >= 1 && UNESCAPED_LINEBREAK_PATTERN.test(node.quasis[0].value.raw);
          if (isMultilineString)
            return true;
          return false;
        }
        return {
          JSONLiteral(node) {
            const val = node.value;
            const rawVal = node.raw;
            if (settings && typeof val === "string") {
              let isValid2 = (0, eslint_ast_utils_1.isSurroundedBy)(rawVal, settings.quote);
              if (!isValid2 && avoidEscape)
                isValid2 = (0, eslint_ast_utils_1.isSurroundedBy)(rawVal, settings.alternateQuote) && rawVal.includes(settings.quote);
              if (!isValid2) {
                context.report({
                  node,
                  messageId: "wrongQuotes",
                  data: {
                    description: settings.description
                  },
                  fix(fixer) {
                    return fixer.replaceText(node, settings.convert(node.raw));
                  }
                });
              }
            }
          },
          JSONTemplateLiteral(node) {
            if (allowTemplateLiterals || isUsingFeatureOfTemplateLiteral(node))
              return;
            context.report({
              node,
              messageId: "wrongQuotes",
              data: {
                description: settings.description
              },
              fix(fixer) {
                return fixer.replaceText(node, settings.convert(sourceCode.getText(node)));
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/sort-array-values.js
var require_sort_array_values = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/sort-array-values.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var natural_compare_1 = __importDefault2(require_natural_compare());
    var utils_1 = require_utils9();
    var eslint_utils_1 = require_eslint_utils();
    var jsonc_eslint_parser_1 = require_lib14();
    var eslint_compat_utils_1 = require_dist9();
    var JSONElementData = class {
      get reportLoc() {
        if (this.node) {
          return this.node.loc;
        }
        const aroundTokens = this.aroundTokens;
        return {
          start: aroundTokens.before.loc.end,
          end: aroundTokens.after.loc.start
        };
      }
      get range() {
        if (this.node) {
          return this.node.range;
        }
        if (this.cachedRange) {
          return this.cachedRange;
        }
        const aroundTokens = this.aroundTokens;
        return this.cachedRange = [
          aroundTokens.before.range[1],
          aroundTokens.after.range[0]
        ];
      }
      get aroundTokens() {
        if (this.cachedAroundTokens) {
          return this.cachedAroundTokens;
        }
        const sourceCode = this.array.sourceCode;
        if (this.node) {
          return this.cachedAroundTokens = {
            before: sourceCode.getTokenBefore(this.node),
            after: sourceCode.getTokenAfter(this.node)
          };
        }
        const before = this.index > 0 ? this.array.elements[this.index - 1].aroundTokens.after : sourceCode.getFirstToken(this.array.node);
        const after = sourceCode.getTokenAfter(before);
        return this.cachedAroundTokens = { before, after };
      }
      constructor(array, node, index) {
        this.cached = null;
        this.cachedRange = null;
        this.cachedAroundTokens = null;
        this.array = array;
        this.node = node;
        this.index = index;
      }
      get value() {
        var _a;
        return ((_a = this.cached) !== null && _a !== void 0 ? _a : this.cached = {
          value: this.node == null ? null : (0, jsonc_eslint_parser_1.getStaticJSONValue)(this.node)
        }).value;
      }
    };
    var JSONArrayData = class {
      constructor(node, sourceCode) {
        this.cachedElements = null;
        this.node = node;
        this.sourceCode = sourceCode;
      }
      get elements() {
        var _a;
        return (_a = this.cachedElements) !== null && _a !== void 0 ? _a : this.cachedElements = this.node.elements.map((e, index) => new JSONElementData(this, e, index));
      }
    };
    function buildValidatorFromType(order, insensitive, natural) {
      let compareValue = ([a, b]) => a <= b;
      let compareText = compareValue;
      if (natural) {
        compareText = ([a, b]) => (0, natural_compare_1.default)(a, b) <= 0;
      }
      if (insensitive) {
        const baseCompareText = compareText;
        compareText = ([a, b]) => baseCompareText([a.toLowerCase(), b.toLowerCase()]);
      }
      if (order === "desc") {
        const baseCompareText = compareText;
        compareText = (args) => baseCompareText(args.reverse());
        const baseCompareValue = compareValue;
        compareValue = (args) => baseCompareValue(args.reverse());
      }
      return (a, b) => {
        if (typeof a.value === "string" && typeof b.value === "string") {
          return compareText([a.value, b.value]);
        }
        const type = getJSONPrimitiveType(a.value);
        if (type && type === getJSONPrimitiveType(b.value)) {
          return compareValue([a.value, b.value]);
        }
        return true;
      };
    }
    function parseOptions(options) {
      return options.map((opt) => {
        var _a, _b, _c, _d;
        const order = opt.order;
        const pathPattern = new RegExp(opt.pathPattern);
        const minValues = (_a = opt.minValues) !== null && _a !== void 0 ? _a : 2;
        if (!Array.isArray(order)) {
          const type = (_b = order.type) !== null && _b !== void 0 ? _b : "asc";
          const insensitive = order.caseSensitive === false;
          const natural = Boolean(order.natural);
          return {
            isTargetArray,
            ignore: () => false,
            isValidOrder: buildValidatorFromType(type, insensitive, natural),
            orderText(data) {
              if (typeof data.value === "string") {
                return `${natural ? "natural " : ""}${insensitive ? "insensitive " : ""}${type}ending`;
              }
              return `${type}ending`;
            }
          };
        }
        const parsedOrder = [];
        for (const o of order) {
          if (typeof o === "string") {
            parsedOrder.push({
              test: (v) => v.value === o,
              isValidNestOrder: () => true
            });
          } else {
            const valuePattern = o.valuePattern ? new RegExp(o.valuePattern) : null;
            const nestOrder = (_c = o.order) !== null && _c !== void 0 ? _c : {};
            const type = (_d = nestOrder.type) !== null && _d !== void 0 ? _d : "asc";
            const insensitive = nestOrder.caseSensitive === false;
            const natural = Boolean(nestOrder.natural);
            parsedOrder.push({
              test: (v) => valuePattern ? Boolean(getJSONPrimitiveType(v.value)) && valuePattern.test(String(v.value)) : true,
              isValidNestOrder: buildValidatorFromType(type, insensitive, natural)
            });
          }
        }
        return {
          isTargetArray,
          ignore: (v) => parsedOrder.every((p) => !p.test(v)),
          isValidOrder(a, b) {
            for (const p of parsedOrder) {
              const matchA = p.test(a);
              const matchB = p.test(b);
              if (!matchA || !matchB) {
                if (matchA) {
                  return true;
                }
                if (matchB) {
                  return false;
                }
                continue;
              }
              return p.isValidNestOrder(a, b);
            }
            return false;
          },
          orderText: () => "specified"
        };
        function isTargetArray(data) {
          if (data.node.elements.length < minValues) {
            return false;
          }
          let path17 = "";
          let curr = data.node;
          let p = curr.parent;
          while (p) {
            if (p.type === "JSONProperty") {
              const name = getPropertyName2(p);
              if (/^[$a-z_][\w$]*$/iu.test(name)) {
                path17 = `.${name}${path17}`;
              } else {
                path17 = `[${JSON.stringify(name)}]${path17}`;
              }
            } else if (p.type === "JSONArrayExpression") {
              const index = p.elements.indexOf(curr);
              path17 = `[${index}]${path17}`;
            }
            curr = p;
            p = curr.parent;
          }
          if (path17.startsWith(".")) {
            path17 = path17.slice(1);
          }
          return pathPattern.test(path17);
        }
      });
      function getPropertyName2(node) {
        const prop = node.key;
        if (prop.type === "JSONIdentifier") {
          return prop.name;
        }
        return String((0, jsonc_eslint_parser_1.getStaticJSONValue)(prop));
      }
    }
    function getJSONPrimitiveType(val) {
      const t = typeof val;
      if (t === "string" || t === "number" || t === "boolean" || t === "bigint") {
        return t;
      }
      if (val === null) {
        return "null";
      }
      if (val === void 0) {
        return "undefined";
      }
      if (val instanceof RegExp) {
        return "regexp";
      }
      return null;
    }
    var ALLOW_ORDER_TYPES = ["asc", "desc"];
    var ORDER_OBJECT_SCHEMA = {
      type: "object",
      properties: {
        type: {
          enum: ALLOW_ORDER_TYPES
        },
        caseSensitive: {
          type: "boolean"
        },
        natural: {
          type: "boolean"
        }
      },
      additionalProperties: false
    };
    exports2.default = (0, utils_1.createRule)("sort-array-values", {
      meta: {
        docs: {
          description: "require array values to be sorted",
          recommended: null,
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        schema: {
          type: "array",
          items: {
            type: "object",
            properties: {
              pathPattern: { type: "string" },
              order: {
                oneOf: [
                  {
                    type: "array",
                    items: {
                      anyOf: [
                        { type: "string" },
                        {
                          type: "object",
                          properties: {
                            valuePattern: {
                              type: "string"
                            },
                            order: ORDER_OBJECT_SCHEMA
                          },
                          additionalProperties: false
                        }
                      ]
                    },
                    uniqueItems: true
                  },
                  ORDER_OBJECT_SCHEMA
                ]
              },
              minValues: {
                type: "integer",
                minimum: 2
              }
            },
            required: ["pathPattern", "order"],
            additionalProperties: false
          },
          minItems: 1
        },
        messages: {
          sortValues: "Expected array values to be in {{orderText}} order. '{{thisValue}}' should be before '{{prevValue}}'."
        },
        type: "suggestion"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        const parsedOptions = parseOptions(context.options);
        function verifyArrayElement(data, option) {
          if (option.ignore(data)) {
            return;
          }
          const prevList = data.array.elements.slice(0, data.index).reverse().filter((d) => !option.ignore(d));
          if (prevList.length === 0) {
            return;
          }
          const prev = prevList[0];
          if (!option.isValidOrder(prev, data)) {
            const reportLoc = data.reportLoc;
            context.report({
              loc: reportLoc,
              messageId: "sortValues",
              data: {
                thisValue: toText(data),
                prevValue: toText(prev),
                orderText: option.orderText(data)
              },
              *fix(fixer) {
                let moveTarget = prevList[0];
                for (const prev2 of prevList) {
                  if (option.isValidOrder(prev2, data)) {
                    break;
                  } else {
                    moveTarget = prev2;
                  }
                }
                const beforeToken = data.aroundTokens.before;
                const afterToken = data.aroundTokens.after;
                const hasAfterComma = (0, eslint_utils_1.isCommaToken)(afterToken);
                const codeStart = beforeToken.range[1];
                const codeEnd = hasAfterComma ? afterToken.range[1] : data.range[1];
                const removeStart = hasAfterComma ? codeStart : beforeToken.range[0];
                const insertCode = sourceCode.text.slice(codeStart, codeEnd) + (hasAfterComma ? "" : ",");
                const insertTarget = moveTarget.aroundTokens.before;
                yield fixer.insertTextAfterRange(insertTarget.range, insertCode);
                yield fixer.removeRange([removeStart, codeEnd]);
              }
            });
          }
        }
        function toText(data) {
          if (getJSONPrimitiveType(data.value)) {
            return String(data.value);
          }
          return sourceCode.getText(data.node);
        }
        return {
          JSONArrayExpression(node) {
            const data = new JSONArrayData(node, sourceCode);
            const option = parsedOptions.find((o) => o.isTargetArray(data));
            if (!option) {
              return;
            }
            for (const element of data.elements) {
              verifyArrayElement(element, option);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/sort-keys.js
var require_sort_keys = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/sort-keys.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var natural_compare_1 = __importDefault2(require_natural_compare());
    var utils_1 = require_utils9();
    var eslint_utils_1 = require_eslint_utils();
    var jsonc_eslint_parser_1 = require_lib14();
    var eslint_compat_utils_1 = require_dist9();
    function getPropertyName2(node) {
      const prop = node.key;
      if (prop.type === "JSONIdentifier") {
        return prop.name;
      }
      return String((0, jsonc_eslint_parser_1.getStaticJSONValue)(prop));
    }
    var JSONPropertyData = class {
      get reportLoc() {
        return this.node.key.loc;
      }
      constructor(object, node, index) {
        this.cachedName = null;
        this.object = object;
        this.node = node;
        this.index = index;
      }
      get name() {
        var _a;
        return (_a = this.cachedName) !== null && _a !== void 0 ? _a : this.cachedName = getPropertyName2(this.node);
      }
      getPrev() {
        const prevIndex = this.index - 1;
        return prevIndex >= 0 ? this.object.properties[prevIndex] : null;
      }
    };
    var JSONObjectData = class {
      constructor(node) {
        this.cachedProperties = null;
        this.node = node;
      }
      get properties() {
        var _a;
        return (_a = this.cachedProperties) !== null && _a !== void 0 ? _a : this.cachedProperties = this.node.properties.map((e, index) => new JSONPropertyData(this, e, index));
      }
      getPath() {
        let path17 = "";
        let curr = this.node;
        let p = curr.parent;
        while (p) {
          if (p.type === "JSONProperty") {
            const name = getPropertyName2(p);
            if (/^[$a-z_][\w$]*$/iu.test(name)) {
              path17 = `.${name}${path17}`;
            } else {
              path17 = `[${JSON.stringify(name)}]${path17}`;
            }
            curr = p.parent;
          } else if (p.type === "JSONArrayExpression") {
            const index = p.elements.indexOf(curr);
            path17 = `[${index}]${path17}`;
            curr = p;
          } else if (p.type === "JSONExpressionStatement") {
            break;
          } else {
            curr = p;
          }
          p = curr.parent;
        }
        if (path17.startsWith(".")) {
          path17 = path17.slice(1);
        }
        return path17;
      }
    };
    function isCompatibleWithESLintOptions(options) {
      if (options.length === 0) {
        return true;
      }
      if (typeof options[0] === "string" || options[0] == null) {
        return true;
      }
      return false;
    }
    function buildValidatorFromType(order, insensitive, natural) {
      let compare = natural ? ([a, b]) => (0, natural_compare_1.default)(a, b) <= 0 : ([a, b]) => a <= b;
      if (insensitive) {
        const baseCompare = compare;
        compare = ([a, b]) => baseCompare([a.toLowerCase(), b.toLowerCase()]);
      }
      if (order === "desc") {
        const baseCompare = compare;
        compare = (args) => baseCompare(args.reverse());
      }
      return (a, b) => compare([a.name, b.name]);
    }
    function parseOptions(options) {
      var _a, _b, _c;
      if (isCompatibleWithESLintOptions(options)) {
        const type = (_a = options[0]) !== null && _a !== void 0 ? _a : "asc";
        const obj = (_b = options[1]) !== null && _b !== void 0 ? _b : {};
        const insensitive = obj.caseSensitive === false;
        const natural = Boolean(obj.natural);
        const minKeys = (_c = obj.minKeys) !== null && _c !== void 0 ? _c : 2;
        const allowLineSeparatedGroups = obj.allowLineSeparatedGroups || false;
        return [
          {
            isTargetObject: (node) => node.properties.length >= minKeys,
            ignore: () => false,
            isValidOrder: buildValidatorFromType(type, insensitive, natural),
            orderText: `${natural ? "natural " : ""}${insensitive ? "insensitive " : ""}${type}ending`,
            allowLineSeparatedGroups
          }
        ];
      }
      return options.map((opt) => {
        var _a2, _b2, _c2, _d, _e;
        const order = opt.order;
        const pathPattern = new RegExp(opt.pathPattern);
        const hasProperties = (_a2 = opt.hasProperties) !== null && _a2 !== void 0 ? _a2 : [];
        const minKeys = (_b2 = opt.minKeys) !== null && _b2 !== void 0 ? _b2 : 2;
        const allowLineSeparatedGroups = opt.allowLineSeparatedGroups || false;
        if (!Array.isArray(order)) {
          const type = (_c2 = order.type) !== null && _c2 !== void 0 ? _c2 : "asc";
          const insensitive = order.caseSensitive === false;
          const natural = Boolean(order.natural);
          return {
            isTargetObject,
            ignore: () => false,
            isValidOrder: buildValidatorFromType(type, insensitive, natural),
            orderText: `${natural ? "natural " : ""}${insensitive ? "insensitive " : ""}${type}ending`,
            allowLineSeparatedGroups
          };
        }
        const parsedOrder = [];
        for (const o of order) {
          if (typeof o === "string") {
            parsedOrder.push({
              test: (data) => data.name === o,
              isValidNestOrder: () => true
            });
          } else {
            const keyPattern = o.keyPattern ? new RegExp(o.keyPattern) : null;
            const nestOrder = (_d = o.order) !== null && _d !== void 0 ? _d : {};
            const type = (_e = nestOrder.type) !== null && _e !== void 0 ? _e : "asc";
            const insensitive = nestOrder.caseSensitive === false;
            const natural = Boolean(nestOrder.natural);
            parsedOrder.push({
              test: (data) => keyPattern ? keyPattern.test(data.name) : true,
              isValidNestOrder: buildValidatorFromType(type, insensitive, natural)
            });
          }
        }
        return {
          isTargetObject,
          ignore: (data) => parsedOrder.every((p) => !p.test(data)),
          isValidOrder(a, b) {
            for (const p of parsedOrder) {
              const matchA = p.test(a);
              const matchB = p.test(b);
              if (!matchA || !matchB) {
                if (matchA) {
                  return true;
                }
                if (matchB) {
                  return false;
                }
                continue;
              }
              return p.isValidNestOrder(a, b);
            }
            return false;
          },
          orderText: "specified",
          allowLineSeparatedGroups
        };
        function isTargetObject(data) {
          if (data.node.properties.length < minKeys) {
            return false;
          }
          if (hasProperties.length > 0) {
            const names = new Set(data.properties.map((p) => p.name));
            if (!hasProperties.every((name) => names.has(name))) {
              return false;
            }
          }
          return pathPattern.test(data.getPath());
        }
      });
    }
    var ALLOW_ORDER_TYPES = ["asc", "desc"];
    var ORDER_OBJECT_SCHEMA = {
      type: "object",
      properties: {
        type: {
          enum: ALLOW_ORDER_TYPES
        },
        caseSensitive: {
          type: "boolean"
        },
        natural: {
          type: "boolean"
        }
      },
      additionalProperties: false
    };
    exports2.default = (0, utils_1.createRule)("sort-keys", {
      meta: {
        docs: {
          description: "require object keys to be sorted",
          recommended: null,
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        schema: {
          oneOf: [
            {
              type: "array",
              items: {
                type: "object",
                properties: {
                  pathPattern: { type: "string" },
                  hasProperties: {
                    type: "array",
                    items: { type: "string" }
                  },
                  order: {
                    oneOf: [
                      {
                        type: "array",
                        items: {
                          anyOf: [
                            { type: "string" },
                            {
                              type: "object",
                              properties: {
                                keyPattern: {
                                  type: "string"
                                },
                                order: ORDER_OBJECT_SCHEMA
                              },
                              additionalProperties: false
                            }
                          ]
                        },
                        uniqueItems: true
                      },
                      ORDER_OBJECT_SCHEMA
                    ]
                  },
                  minKeys: {
                    type: "integer",
                    minimum: 2
                  },
                  allowLineSeparatedGroups: {
                    type: "boolean"
                  }
                },
                required: ["pathPattern", "order"],
                additionalProperties: false
              },
              minItems: 1
            },
            {
              type: "array",
              items: [
                {
                  enum: ALLOW_ORDER_TYPES
                },
                {
                  type: "object",
                  properties: {
                    caseSensitive: {
                      type: "boolean"
                    },
                    natural: {
                      type: "boolean"
                    },
                    minKeys: {
                      type: "integer",
                      minimum: 2
                    },
                    allowLineSeparatedGroups: {
                      type: "boolean"
                    }
                  },
                  additionalProperties: false
                }
              ],
              additionalItems: false
            }
          ]
        },
        messages: {
          sortKeys: "Expected object keys to be in {{orderText}} order. '{{thisName}}' should be before '{{prevName}}'."
        },
        type: "suggestion"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        const parsedOptions = parseOptions(context.options);
        function verifyProperty(data, option) {
          if (option.ignore(data)) {
            return;
          }
          const prevList = [];
          let currTarget = data;
          let prevTarget;
          while (prevTarget = currTarget.getPrev()) {
            if (option.allowLineSeparatedGroups) {
              if (hasBlankLine(prevTarget, currTarget)) {
                break;
              }
            }
            if (!option.ignore(prevTarget)) {
              prevList.push(prevTarget);
            }
            currTarget = prevTarget;
          }
          if (prevList.length === 0) {
            return;
          }
          const prev = prevList[0];
          if (!option.isValidOrder(prev, data)) {
            context.report({
              loc: data.reportLoc,
              messageId: "sortKeys",
              data: {
                thisName: data.name,
                prevName: prev.name,
                orderText: option.orderText
              },
              *fix(fixer) {
                let moveTarget = prevList[0];
                for (const prev2 of prevList) {
                  if (option.isValidOrder(prev2, data)) {
                    break;
                  } else {
                    moveTarget = prev2;
                  }
                }
                const beforeToken = sourceCode.getTokenBefore(data.node);
                const afterToken = sourceCode.getTokenAfter(data.node);
                const hasAfterComma = (0, eslint_utils_1.isCommaToken)(afterToken);
                const codeStart = beforeToken.range[1];
                const codeEnd = hasAfterComma ? afterToken.range[1] : data.node.range[1];
                const removeStart = hasAfterComma ? codeStart : beforeToken.range[0];
                const insertCode = sourceCode.text.slice(codeStart, codeEnd) + (hasAfterComma ? "" : ",");
                const insertTarget = sourceCode.getTokenBefore(moveTarget.node);
                let insertRange = insertTarget.range;
                const insertNext = sourceCode.getTokenAfter(insertTarget, {
                  includeComments: true
                });
                if (insertNext.loc.start.line - insertTarget.loc.end.line > 1) {
                  const offset = sourceCode.getIndexFromLoc({
                    line: insertNext.loc.start.line - 1,
                    column: 0
                  });
                  insertRange = [offset, offset];
                }
                yield fixer.insertTextAfterRange(insertRange, insertCode);
                yield fixer.removeRange([removeStart, codeEnd]);
              }
            });
          }
        }
        function hasBlankLine(prev, next) {
          const tokenOrNodes = [
            ...sourceCode.getTokensBetween(prev.node, next.node, {
              includeComments: true
            }),
            next.node
          ];
          let prevLoc = prev.node.loc;
          for (const t of tokenOrNodes) {
            const loc = t.loc;
            if (loc.start.line - prevLoc.end.line > 1) {
              return true;
            }
            prevLoc = loc;
          }
          return false;
        }
        return {
          JSONObjectExpression(node) {
            const data = new JSONObjectData(node);
            const option = parsedOptions.find((o) => o.isTargetObject(data));
            if (!option) {
              return;
            }
            for (const prop of data.properties) {
              verifyProperty(prop, option);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/space-unary-ops.js
var require_space_unary_ops = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/space-unary-ops.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    var eslint_ast_utils_1 = require_eslint_ast_utils();
    exports2.default = (0, utils_1.createRule)("space-unary-ops", {
      meta: {
        docs: {
          description: "disallow spaces after unary operators",
          recommended: ["json", "jsonc", "json5"],
          extensionRule: true,
          layout: true
        },
        fixable: "whitespace",
        type: "layout",
        schema: [
          {
            type: "object",
            properties: {
              words: {
                type: "boolean",
                default: true
              },
              nonwords: {
                type: "boolean",
                default: false
              },
              overrides: {
                type: "object",
                additionalProperties: {
                  type: "boolean"
                }
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          unexpectedBefore: "Unexpected space before unary operator '{{operator}}'.",
          unexpectedAfter: "Unexpected space after unary operator '{{operator}}'.",
          operator: "Unary operator '{{operator}}' must be followed by whitespace.",
          beforeUnaryExpressions: "Space is required before unary expressions '{{token}}'."
        }
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        const options = context.options[0] || { words: true, nonwords: false };
        function overrideExistsForOperator(operator) {
          return options.overrides && Object.prototype.hasOwnProperty.call(options.overrides, operator);
        }
        function overrideEnforcesSpaces(operator) {
          var _a;
          return (_a = options.overrides) === null || _a === void 0 ? void 0 : _a[operator];
        }
        function verifyNonWordsHaveSpaces(node, firstToken, secondToken) {
          if ("prefix" in node && node.prefix) {
            if (firstToken.range[1] === secondToken.range[0]) {
              context.report({
                node,
                messageId: "operator",
                data: {
                  operator: firstToken.value
                },
                fix(fixer) {
                  return fixer.insertTextAfter(firstToken, " ");
                }
              });
            }
          } else {
            if (firstToken.range[1] === secondToken.range[0]) {
              context.report({
                node,
                messageId: "beforeUnaryExpressions",
                data: {
                  token: secondToken.value
                },
                fix(fixer) {
                  return fixer.insertTextBefore(secondToken, " ");
                }
              });
            }
          }
        }
        function verifyNonWordsDontHaveSpaces(node, firstToken, secondToken) {
          if ("prefix" in node && node.prefix) {
            if (secondToken.range[0] > firstToken.range[1]) {
              context.report({
                node,
                messageId: "unexpectedAfter",
                data: {
                  operator: firstToken.value
                },
                fix(fixer) {
                  if ((0, eslint_ast_utils_1.canTokensBeAdjacent)(firstToken, secondToken))
                    return fixer.removeRange([
                      firstToken.range[1],
                      secondToken.range[0]
                    ]);
                  return null;
                }
              });
            }
          } else {
            if (secondToken.range[0] > firstToken.range[1]) {
              context.report({
                node,
                messageId: "unexpectedBefore",
                data: {
                  operator: secondToken.value
                },
                fix(fixer) {
                  return fixer.removeRange([
                    firstToken.range[1],
                    secondToken.range[0]
                  ]);
                }
              });
            }
          }
        }
        function checkForSpaces(node) {
          const tokens = sourceCode.getFirstTokens(node, 2);
          const firstToken = tokens[0];
          const secondToken = tokens[1];
          const operator = tokens[0].value;
          if (overrideExistsForOperator(operator)) {
            if (overrideEnforcesSpaces(operator))
              verifyNonWordsHaveSpaces(node, firstToken, secondToken);
            else
              verifyNonWordsDontHaveSpaces(node, firstToken, secondToken);
          } else if (options.nonwords) {
            verifyNonWordsHaveSpaces(node, firstToken, secondToken);
          } else {
            verifyNonWordsDontHaveSpaces(node, firstToken, secondToken);
          }
        }
        return {
          JSONUnaryExpression: checkForSpaces
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/valid-json-number.js
var require_valid_json_number = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/valid-json-number.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var jsonc_eslint_parser_1 = require_lib14();
    var utils_1 = require_utils9();
    var eslint_compat_utils_1 = require_dist9();
    var nonDecimalNumericLiteralPattern = /^0[\dbox]/iu;
    function isValidNumber(text) {
      try {
        JSON.parse(text);
      } catch (_a) {
        return false;
      }
      return true;
    }
    exports2.default = (0, utils_1.createRule)("valid-json-number", {
      meta: {
        docs: {
          description: "disallow invalid number for JSON",
          recommended: ["json", "jsonc"],
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        schema: [],
        messages: {
          invalid: "Invalid number for JSON.",
          invalidSpace: "Spaces after minus sign are not allowed in JSON.",
          invalidPlus: "Plus signs are not allowed in JSON.",
          invalidIdentifier: "`{{name}}` are not allowed in JSON.",
          invalidLeadingDecimalPoint: "Leading decimal point is not allowed in JSON.",
          invalidTrailingDecimalPoint: "Trailing decimal point is not allowed in JSON.",
          invalidHex: "Hexadecimal literals are not allowed in JSON.",
          invalidOctal: "Octal literals are not allowed in JSON.",
          invalidBinary: "Binary literals are not allowed in JSON."
        },
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        return {
          JSONUnaryExpression(node) {
            if (node.argument.type === "JSONIdentifier") {
              return;
            }
            const operator = sourceCode.getFirstToken(node, (token) => token.type === "Punctuator" && token.value === node.operator);
            if (node.operator === "+") {
              context.report({
                loc: (operator === null || operator === void 0 ? void 0 : operator.loc) || node.loc,
                messageId: "invalidPlus",
                fix(fixer) {
                  return operator ? fixer.removeRange(operator.range) : null;
                }
              });
            } else if (operator && operator.range[1] < node.argument.range[0]) {
              context.report({
                loc: {
                  start: operator.loc.end,
                  end: node.argument.loc.start
                },
                messageId: "invalidSpace",
                fix(fixer) {
                  return fixer.removeRange([
                    operator.range[1],
                    node.argument.range[0]
                  ]);
                }
              });
            }
          },
          JSONLiteral(node) {
            if (typeof node.value !== "number") {
              return;
            }
            const text = sourceCode.text.slice(...node.range);
            if (text.startsWith(".")) {
              context.report({
                loc: node.loc,
                messageId: "invalidLeadingDecimalPoint",
                fix(fixer) {
                  return fixer.insertTextBeforeRange(node.range, "0");
                }
              });
              return;
            }
            if (text.endsWith(".")) {
              context.report({
                loc: node.loc,
                messageId: "invalidTrailingDecimalPoint",
                fix(fixer) {
                  return fixer.removeRange([node.range[1] - 1, node.range[1]]);
                }
              });
              return;
            }
            if (nonDecimalNumericLiteralPattern.test(text)) {
              context.report({
                loc: node.loc,
                messageId: text[1].toLowerCase() === "x" ? "invalidHex" : text[1].toLowerCase() === "b" ? "invalidBinary" : "invalidOctal",
                fix: buildFix(node)
              });
              return;
            }
            if (!isValidNumber(text)) {
              context.report({
                loc: node.loc,
                messageId: "invalid",
                fix: buildFix(node)
              });
            }
          },
          JSONIdentifier(node) {
            if (!(0, jsonc_eslint_parser_1.isNumberIdentifier)(node)) {
              return;
            }
            context.report({
              loc: node.loc,
              messageId: "invalidIdentifier",
              data: {
                name: node.name
              }
            });
          }
        };
        function buildFix(node) {
          return (fixer) => {
            return fixer.replaceTextRange(node.range, `${node.value}`);
          };
        }
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/vue-custom-block/no-parsing-error.js
var require_no_parsing_error = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/vue-custom-block/no-parsing-error.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils9();
    var jsoncESLintParser = __importStar2(require_lib14());
    var eslint_compat_utils_1 = require_dist9();
    exports2.default = (0, utils_1.createRule)("vue-custom-block/no-parsing-error", {
      meta: {
        docs: {
          description: "disallow parsing errors in Vue custom blocks",
          recommended: ["json", "json5", "jsonc"],
          extensionRule: false,
          layout: false
        },
        schema: [],
        messages: {},
        type: "problem"
      },
      create(context, { customBlock }) {
        var _a;
        if (!customBlock) {
          return {};
        }
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        const parserServices = (_a = context.parserServices) !== null && _a !== void 0 ? _a : sourceCode.parserServices;
        const parseError = parserServices.parseError;
        if (parseError) {
          return errorReportVisitor(context, parseError);
        }
        const parseCustomBlockElement = parserServices.parseCustomBlockElement;
        const customBlockElement = parserServices.customBlock;
        if (customBlockElement && parseCustomBlockElement) {
          let lang = getLang(customBlockElement);
          if (!lang) {
            lang = "json";
          }
          const { error } = parseCustomBlockElement(jsoncESLintParser, {
            jsonSyntax: lang
          });
          if (error) {
            return errorReportVisitor(context, error);
          }
        }
        return {};
      }
    });
    function errorReportVisitor(context, error) {
      let loc = void 0;
      if ("column" in error && "lineNumber" in error) {
        loc = {
          line: error.lineNumber,
          column: error.column
        };
      }
      return {
        Program(node) {
          context.report({
            node,
            loc,
            message: error.message
          });
        }
      };
    }
    function getLang(customBlock) {
      var _a, _b;
      return ((_b = (_a = customBlock.startTag.attributes.find((attr) => !attr.directive && attr.key.name === "lang")) === null || _a === void 0 ? void 0 : _a.value) === null || _b === void 0 ? void 0 : _b.value) || null;
    }
  }
});

// require("./**/*") in node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/auto.js
var globRequire;
var init_ = __esm({
  'require("./**/*") in node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/auto.js'() {
    globRequire = __glob({
      "./array-bracket-newline.js": () => require_array_bracket_newline(),
      "./array-bracket-spacing.js": () => require_array_bracket_spacing(),
      "./array-element-newline.js": () => require_array_element_newline(),
      "./auto.js": () => require_auto(),
      "./comma-dangle.js": () => require_comma_dangle2(),
      "./comma-style.js": () => require_comma_style(),
      "./indent.js": () => require_indent2(),
      "./key-name-casing.js": () => require_key_name_casing(),
      "./key-spacing.js": () => require_key_spacing2(),
      "./no-bigint-literals.js": () => require_no_bigint_literals(),
      "./no-binary-expression.js": () => require_no_binary_expression(),
      "./no-binary-numeric-literals.js": () => require_no_binary_numeric_literals2(),
      "./no-comments.js": () => require_no_comments(),
      "./no-dupe-keys.js": () => require_no_dupe_keys(),
      "./no-escape-sequence-in-identifier.js": () => require_no_escape_sequence_in_identifier(),
      "./no-floating-decimal.js": () => require_no_floating_decimal(),
      "./no-hexadecimal-numeric-literals.js": () => require_no_hexadecimal_numeric_literals(),
      "./no-infinity.js": () => require_no_infinity(),
      "./no-irregular-whitespace.js": () => require_no_irregular_whitespace(),
      "./no-multi-str.js": () => require_no_multi_str(),
      "./no-nan.js": () => require_no_nan(),
      "./no-number-props.js": () => require_no_number_props(),
      "./no-numeric-separators.js": () => require_no_numeric_separators2(),
      "./no-octal-escape.js": () => require_no_octal_escape(),
      "./no-octal-numeric-literals.js": () => require_no_octal_numeric_literals2(),
      "./no-octal.js": () => require_no_octal(),
      "./no-parenthesized.js": () => require_no_parenthesized(),
      "./no-plus-sign.js": () => require_no_plus_sign(),
      "./no-regexp-literals.js": () => require_no_regexp_literals(),
      "./no-sparse-arrays.js": () => require_no_sparse_arrays(),
      "./no-template-literals.js": () => require_no_template_literals2(),
      "./no-undefined-value.js": () => require_no_undefined_value(),
      "./no-unicode-codepoint-escapes.js": () => require_no_unicode_codepoint_escapes2(),
      "./no-useless-escape.js": () => require_no_useless_escape(),
      "./object-curly-newline.js": () => require_object_curly_newline(),
      "./object-curly-spacing.js": () => require_object_curly_spacing2(),
      "./object-property-newline.js": () => require_object_property_newline(),
      "./quote-props.js": () => require_quote_props(),
      "./quotes.js": () => require_quotes2(),
      "./sort-array-values.js": () => require_sort_array_values(),
      "./sort-keys.js": () => require_sort_keys(),
      "./space-unary-ops.js": () => require_space_unary_ops(),
      "./valid-json-number.js": () => require_valid_json_number(),
      "./vue-custom-block/no-parsing-error.js": () => require_no_parsing_error()
    });
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/get-auto-jsonc-rules-config/should-use-flat-config.js
var require_should_use_flat_config = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/get-auto-jsonc-rules-config/should-use-flat-config.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.shouldUseFlatConfig = void 0;
    var path_1 = __importDefault2(require("path"));
    var fs_1 = __importDefault2(require("fs"));
    var FLAT_CONFIG_FILENAMES = [
      "eslint.config.js",
      "eslint.config.mjs",
      "eslint.config.cjs"
    ];
    function shouldUseFlatConfig(cwd) {
      switch (process.env.ESLINT_USE_FLAT_CONFIG) {
        case "true":
          return true;
        case "false":
          return false;
        default:
          return Boolean(findFlatConfigFile(cwd));
      }
    }
    exports2.shouldUseFlatConfig = shouldUseFlatConfig;
    function findFlatConfigFile(cwd) {
      return findUp2(FLAT_CONFIG_FILENAMES, { cwd });
    }
    function findUp2(names, options) {
      let directory = path_1.default.resolve(options.cwd);
      const { root: root2 } = path_1.default.parse(directory);
      const stopAt = path_1.default.resolve(directory, root2);
      while (true) {
        for (const name of names) {
          const target = path_1.default.resolve(directory, name);
          const stat = fs_1.default.existsSync(target) ? fs_1.default.statSync(target, {
            throwIfNoEntry: false
          }) : null;
          if (stat === null || stat === void 0 ? void 0 : stat.isFile()) {
            return target;
          }
        }
        if (directory === stopAt) {
          break;
        }
        directory = path_1.default.dirname(directory);
      }
      return null;
    }
  }
});

// node_modules/.pnpm/synckit@0.6.2/node_modules/synckit/lib/index.cjs
var require_lib15 = __commonJS({
  "node_modules/.pnpm/synckit@0.6.2/node_modules/synckit/lib/index.cjs"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var path17 = require("path");
    var worker_threads = require("worker_threads");
    function _interopDefaultLegacy(e) {
      return e && typeof e === "object" && "default" in e ? e : { "default": e };
    }
    var path__default = /* @__PURE__ */ _interopDefaultLegacy(path17);
    var __async = (__this, __arguments, generator) => {
      return new Promise((resolve2, reject) => {
        var fulfilled = (value) => {
          try {
            step(generator.next(value));
          } catch (e) {
            reject(e);
          }
        };
        var rejected = (value) => {
          try {
            step(generator.throw(value));
          } catch (e) {
            reject(e);
          }
        };
        var step = (x) => x.done ? resolve2(x.value) : Promise.resolve(x.value).then(fulfilled, rejected);
        step((generator = generator.apply(__this, __arguments)).next());
      });
    };
    var _a;
    var {
      SYNCKIT_BUFFER_SIZE,
      SYNCKIT_TIMEOUT,
      SYNCKIT_TS_ESM,
      SYNCKIT_EXEC_ARV
    } = process.env;
    var TS_USE_ESM = !!SYNCKIT_TS_ESM && ["1", "true"].includes(SYNCKIT_TS_ESM);
    var DEFAULT_BUFFER_SIZE = SYNCKIT_BUFFER_SIZE ? +SYNCKIT_BUFFER_SIZE : void 0;
    var DEFAULT_TIMEOUT = SYNCKIT_TIMEOUT ? +SYNCKIT_TIMEOUT : void 0;
    var DEFAULT_WORKER_BUFFER_SIZE = DEFAULT_BUFFER_SIZE || 1024;
    var DEFAULT_EXEC_ARGV = (_a = SYNCKIT_EXEC_ARV == null ? void 0 : SYNCKIT_EXEC_ARV.split(",")) != null ? _a : [];
    var syncFnCache = /* @__PURE__ */ new Map();
    var extractProperties = (object) => {
      if (object && typeof object === "object") {
        const properties = {};
        for (const key in object) {
          properties[key] = object[key];
        }
        return properties;
      }
    };
    function createSyncFn(workerPath, bufferSizeOrOptions, timeout) {
      if (!path__default["default"].isAbsolute(workerPath)) {
        throw new Error("`workerPath` must be absolute");
      }
      const cachedSyncFn = syncFnCache.get(workerPath);
      if (cachedSyncFn) {
        return cachedSyncFn;
      }
      const syncFn = startWorkerThread(workerPath, typeof bufferSizeOrOptions === "number" ? { bufferSize: bufferSizeOrOptions, timeout } : bufferSizeOrOptions);
      syncFnCache.set(workerPath, syncFn);
      return syncFn;
    }
    var throwError = (msg) => {
      throw new Error(msg);
    };
    function startWorkerThread(workerPath, {
      bufferSize = DEFAULT_WORKER_BUFFER_SIZE,
      timeout = DEFAULT_TIMEOUT,
      execArgv = DEFAULT_EXEC_ARGV
    } = {}) {
      const { port1: mainPort, port2: workerPort } = new worker_threads.MessageChannel();
      const isTs = workerPath.endsWith(".ts");
      const worker = new worker_threads.Worker(isTs ? TS_USE_ESM ? throwError("Native esm in `.ts` file is not supported yet, please use `.cjs` instead") : `require('ts-node/register');require('${workerPath}')` : workerPath, {
        eval: isTs,
        workerData: { workerPort },
        transferList: [workerPort],
        execArgv
      });
      let nextID = 0;
      const syncFn = (...args) => {
        const id = nextID++;
        const sharedBuffer = new SharedArrayBuffer(bufferSize);
        const sharedBufferView = new Int32Array(sharedBuffer);
        const msg = { sharedBuffer, id, args };
        worker.postMessage(msg);
        const status = Atomics.wait(sharedBufferView, 0, 0, timeout);
        if (!["ok", "not-equal"].includes(status)) {
          throw new Error("Internal error: Atomics.wait() failed: " + status);
        }
        const {
          id: id2,
          result,
          error,
          properties
        } = worker_threads.receiveMessageOnPort(mainPort).message;
        if (id !== id2) {
          throw new Error(`Internal error: Expected id ${id} but got id ${id2}`);
        }
        if (error) {
          throw Object.assign(error, properties);
        }
        return result;
      };
      worker.unref();
      return syncFn;
    }
    function runAsWorker(fn) {
      if (!worker_threads.workerData) {
        return;
      }
      const { workerPort } = worker_threads.workerData;
      worker_threads.parentPort.on("message", ({ sharedBuffer, id, args }) => {
        (() => __async(this, null, function* () {
          const sharedBufferView = new Int32Array(sharedBuffer);
          let msg;
          try {
            msg = { id, result: yield fn(...args) };
          } catch (error) {
            msg = {
              id,
              error,
              properties: extractProperties(error)
            };
          }
          workerPort.postMessage(msg);
          Atomics.add(sharedBufferView, 0, 1);
          Atomics.notify(sharedBufferView, 0);
        }))();
      });
    }
    exports2.DEFAULT_BUFFER_SIZE = DEFAULT_BUFFER_SIZE;
    exports2.DEFAULT_EXEC_ARGV = DEFAULT_EXEC_ARGV;
    exports2.DEFAULT_TIMEOUT = DEFAULT_TIMEOUT;
    exports2.DEFAULT_WORKER_BUFFER_SIZE = DEFAULT_WORKER_BUFFER_SIZE;
    exports2.createSyncFn = createSyncFn;
    exports2.extractProperties = extractProperties;
    exports2.runAsWorker = runAsWorker;
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/get-auto-jsonc-rules-config/calculate-config-for-file.js
var require_calculate_config_for_file = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/get-auto-jsonc-rules-config/calculate-config-for-file.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.calculateConfigForFile = void 0;
    var synckit_1 = require_lib15();
    var getSync = (0, synckit_1.createSyncFn)(require.resolve("./worker-5facd59d.js"));
    function calculateConfigForFile(cwd, fileName) {
      return getSync(cwd, fileName);
    }
    exports2.calculateConfigForFile = calculateConfigForFile;
  }
});

// node_modules/.pnpm/@eslint+eslintrc@2.1.4/node_modules/@eslint/eslintrc/dist/eslintrc.cjs
var require_eslintrc = __commonJS({
  "node_modules/.pnpm/@eslint+eslintrc@2.1.4/node_modules/@eslint/eslintrc/dist/eslintrc.cjs"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var debugOrig4 = require_src();
    var fs4 = require("fs");
    var importFresh2 = require_import_fresh();
    var Module2 = require("module");
    var path17 = require("path");
    var stripComments2 = require_strip_json_comments();
    var assert3 = require("assert");
    var ignore2 = require_ignore();
    var util5 = require("util");
    var minimatch2 = require_minimatch();
    var Ajv2 = require_ajv();
    var globals2 = require_globals2();
    var os2 = require("os");
    function _interopDefaultLegacy(e) {
      return e && typeof e === "object" && "default" in e ? e : { "default": e };
    }
    var debugOrig__default = /* @__PURE__ */ _interopDefaultLegacy(debugOrig4);
    var fs__default = /* @__PURE__ */ _interopDefaultLegacy(fs4);
    var importFresh__default = /* @__PURE__ */ _interopDefaultLegacy(importFresh2);
    var Module__default = /* @__PURE__ */ _interopDefaultLegacy(Module2);
    var path__default = /* @__PURE__ */ _interopDefaultLegacy(path17);
    var stripComments__default = /* @__PURE__ */ _interopDefaultLegacy(stripComments2);
    var assert__default = /* @__PURE__ */ _interopDefaultLegacy(assert3);
    var ignore__default = /* @__PURE__ */ _interopDefaultLegacy(ignore2);
    var util__default = /* @__PURE__ */ _interopDefaultLegacy(util5);
    var minimatch__default = /* @__PURE__ */ _interopDefaultLegacy(minimatch2);
    var Ajv__default = /* @__PURE__ */ _interopDefaultLegacy(Ajv2);
    var globals__default = /* @__PURE__ */ _interopDefaultLegacy(globals2);
    var os__default = /* @__PURE__ */ _interopDefaultLegacy(os2);
    var debug$3 = debugOrig__default["default"]("eslintrc:ignore-pattern");
    function getCommonAncestorPath2(sourcePaths) {
      let result = sourcePaths[0];
      for (let i = 1; i < sourcePaths.length; ++i) {
        const a = result;
        const b = sourcePaths[i];
        result = a.length < b.length ? a : b;
        for (let j = 0, lastSepPos = 0; j < a.length && j < b.length; ++j) {
          if (a[j] !== b[j]) {
            result = a.slice(0, lastSepPos);
            break;
          }
          if (a[j] === path__default["default"].sep) {
            lastSepPos = j;
          }
        }
      }
      let resolvedResult = result || path__default["default"].sep;
      if (resolvedResult && resolvedResult.endsWith(":") && process.platform === "win32") {
        resolvedResult += path__default["default"].sep;
      }
      return resolvedResult;
    }
    function relative2(from, to) {
      const relPath = path__default["default"].relative(from, to);
      if (path__default["default"].sep === "/") {
        return relPath;
      }
      return relPath.split(path__default["default"].sep).join("/");
    }
    function dirSuffix2(filePath) {
      const isDir = filePath.endsWith(path__default["default"].sep) || process.platform === "win32" && filePath.endsWith("/");
      return isDir ? "/" : "";
    }
    var DefaultPatterns2 = Object.freeze(["/**/node_modules/*"]);
    var DotPatterns2 = Object.freeze([".*", "!.eslintrc.*", "!../"]);
    var IgnorePattern2 = class _IgnorePattern {
      /**
       * The default patterns.
       * @type {string[]}
       */
      static get DefaultPatterns() {
        return DefaultPatterns2;
      }
      /**
       * Create the default predicate function.
       * @param {string} cwd The current working directory.
       * @returns {((filePath:string, dot:boolean) => boolean) & {basePath:string; patterns:string[]}}
       * The preficate function.
       * The first argument is an absolute path that is checked.
       * The second argument is the flag to not ignore dotfiles.
       * If the predicate function returned `true`, it means the path should be ignored.
       */
      static createDefaultIgnore(cwd) {
        return this.createIgnore([new _IgnorePattern(DefaultPatterns2, cwd)]);
      }
      /**
       * Create the predicate function from multiple `IgnorePattern` objects.
       * @param {IgnorePattern[]} ignorePatterns The list of ignore patterns.
       * @returns {((filePath:string, dot?:boolean) => boolean) & {basePath:string; patterns:string[]}}
       * The preficate function.
       * The first argument is an absolute path that is checked.
       * The second argument is the flag to not ignore dotfiles.
       * If the predicate function returned `true`, it means the path should be ignored.
       */
      static createIgnore(ignorePatterns) {
        debug$3("Create with: %o", ignorePatterns);
        const basePath = getCommonAncestorPath2(ignorePatterns.map((p) => p.basePath));
        const patterns = [].concat(
          ...ignorePatterns.map((p) => p.getPatternsRelativeTo(basePath))
        );
        const ig = ignore__default["default"]({ allowRelativePaths: true }).add([...DotPatterns2, ...patterns]);
        const dotIg = ignore__default["default"]({ allowRelativePaths: true }).add(patterns);
        debug$3("  processed: %o", { basePath, patterns });
        return Object.assign(
          (filePath, dot = false) => {
            assert__default["default"](path__default["default"].isAbsolute(filePath), "'filePath' should be an absolute path.");
            const relPathRaw = relative2(basePath, filePath);
            const relPath = relPathRaw && relPathRaw + dirSuffix2(filePath);
            const adoptedIg = dot ? dotIg : ig;
            const result = relPath !== "" && adoptedIg.ignores(relPath);
            debug$3("Check", { filePath, dot, relativePath: relPath, result });
            return result;
          },
          { basePath, patterns }
        );
      }
      /**
       * Initialize a new `IgnorePattern` instance.
       * @param {string[]} patterns The glob patterns that ignore to lint.
       * @param {string} basePath The base path of `patterns`.
       */
      constructor(patterns, basePath) {
        assert__default["default"](path__default["default"].isAbsolute(basePath), "'basePath' should be an absolute path.");
        this.patterns = patterns;
        this.basePath = basePath;
        this.loose = false;
      }
      /**
       * Get `patterns` as modified for a given base path. It modifies the
       * absolute paths in the patterns as prepending the difference of two base
       * paths.
       * @param {string} newBasePath The base path.
       * @returns {string[]} Modifired patterns.
       */
      getPatternsRelativeTo(newBasePath) {
        assert__default["default"](path__default["default"].isAbsolute(newBasePath), "'newBasePath' should be an absolute path.");
        const { basePath, loose, patterns } = this;
        if (newBasePath === basePath) {
          return patterns;
        }
        const prefix = `/${relative2(newBasePath, basePath)}`;
        return patterns.map((pattern) => {
          const negative = pattern.startsWith("!");
          const head = negative ? "!" : "";
          const body = negative ? pattern.slice(1) : pattern;
          if (body.startsWith("/") || body.startsWith("../")) {
            return `${head}${prefix}${body}`;
          }
          return loose ? pattern : `${head}${prefix}/**/${body}`;
        });
      }
    };
    function startsWith2(xs, ys) {
      return xs.length >= ys.length && ys.every((y, i) => y === xs[i]);
    }
    var ExtractedConfig2 = class {
      constructor() {
        this.configNameOfNoInlineConfig = "";
        this.env = {};
        this.globals = {};
        this.ignores = void 0;
        this.noInlineConfig = void 0;
        this.parser = null;
        this.parserOptions = {};
        this.plugins = {};
        this.processor = null;
        this.reportUnusedDisableDirectives = void 0;
        this.rules = {};
        this.settings = {};
      }
      /**
       * Convert this config to the compatible object as a config file content.
       * @returns {ConfigData} The converted object.
       */
      toCompatibleObjectAsConfigFileContent() {
        const {
          /* eslint-disable no-unused-vars */
          configNameOfNoInlineConfig: _ignore1,
          processor: _ignore2,
          /* eslint-enable no-unused-vars */
          ignores: ignores2,
          ...config7
        } = this;
        config7.parser = config7.parser && config7.parser.filePath;
        config7.plugins = Object.keys(config7.plugins).filter(Boolean).reverse();
        config7.ignorePatterns = ignores2 ? ignores2.patterns : [];
        if (startsWith2(config7.ignorePatterns, IgnorePattern2.DefaultPatterns)) {
          config7.ignorePatterns = config7.ignorePatterns.slice(IgnorePattern2.DefaultPatterns.length);
        }
        return config7;
      }
    };
    var internalSlotsMap$2 = new class extends WeakMap {
      get(key) {
        let value = super.get(key);
        if (!value) {
          value = {
            cache: /* @__PURE__ */ new Map(),
            envMap: null,
            processorMap: null,
            ruleMap: null
          };
          super.set(key, value);
        }
        return value;
      }
    }();
    function getMatchedIndices2(elements, filePath) {
      const indices = [];
      for (let i = elements.length - 1; i >= 0; --i) {
        const element = elements[i];
        if (!element.criteria || filePath && element.criteria.test(filePath)) {
          indices.push(i);
        }
      }
      return indices;
    }
    function isNonNullObject2(x) {
      return typeof x === "object" && x !== null;
    }
    function mergeWithoutOverwrite2(target, source) {
      if (!isNonNullObject2(source)) {
        return;
      }
      for (const key of Object.keys(source)) {
        if (key === "__proto__") {
          continue;
        }
        if (isNonNullObject2(target[key])) {
          mergeWithoutOverwrite2(target[key], source[key]);
        } else if (target[key] === void 0) {
          if (isNonNullObject2(source[key])) {
            target[key] = Array.isArray(source[key]) ? [] : {};
            mergeWithoutOverwrite2(target[key], source[key]);
          } else if (source[key] !== void 0) {
            target[key] = source[key];
          }
        }
      }
    }
    var PluginConflictError2 = class extends Error {
      /**
       * Initialize this error object.
       * @param {string} pluginId The plugin ID.
       * @param {{filePath:string, importerName:string}[]} plugins The resolved plugins.
       */
      constructor(pluginId, plugins) {
        super(`Plugin "${pluginId}" was conflicted between ${plugins.map((p) => `"${p.importerName}"`).join(" and ")}.`);
        this.messageTemplate = "plugin-conflict";
        this.messageData = { pluginId, plugins };
      }
    };
    function mergePlugins2(target, source) {
      if (!isNonNullObject2(source)) {
        return;
      }
      for (const key of Object.keys(source)) {
        if (key === "__proto__") {
          continue;
        }
        const targetValue = target[key];
        const sourceValue = source[key];
        if (targetValue === void 0) {
          if (sourceValue.error) {
            throw sourceValue.error;
          }
          target[key] = sourceValue;
        } else if (sourceValue.filePath !== targetValue.filePath) {
          throw new PluginConflictError2(key, [
            {
              filePath: targetValue.filePath,
              importerName: targetValue.importerName
            },
            {
              filePath: sourceValue.filePath,
              importerName: sourceValue.importerName
            }
          ]);
        }
      }
    }
    function mergeRuleConfigs2(target, source) {
      if (!isNonNullObject2(source)) {
        return;
      }
      for (const key of Object.keys(source)) {
        if (key === "__proto__") {
          continue;
        }
        const targetDef = target[key];
        const sourceDef = source[key];
        if (targetDef === void 0) {
          if (Array.isArray(sourceDef)) {
            target[key] = [...sourceDef];
          } else {
            target[key] = [sourceDef];
          }
        } else if (targetDef.length === 1 && Array.isArray(sourceDef) && sourceDef.length >= 2) {
          targetDef.push(...sourceDef.slice(1));
        }
      }
    }
    function createConfig2(instance, indices) {
      const config7 = new ExtractedConfig2();
      const ignorePatterns = [];
      for (const index of indices) {
        const element = instance[index];
        if (!config7.parser && element.parser) {
          if (element.parser.error) {
            throw element.parser.error;
          }
          config7.parser = element.parser;
        }
        if (!config7.processor && element.processor) {
          config7.processor = element.processor;
        }
        if (config7.noInlineConfig === void 0 && element.noInlineConfig !== void 0) {
          config7.noInlineConfig = element.noInlineConfig;
          config7.configNameOfNoInlineConfig = element.name;
        }
        if (config7.reportUnusedDisableDirectives === void 0 && element.reportUnusedDisableDirectives !== void 0) {
          config7.reportUnusedDisableDirectives = element.reportUnusedDisableDirectives;
        }
        if (element.ignorePattern) {
          ignorePatterns.push(element.ignorePattern);
        }
        mergeWithoutOverwrite2(config7.env, element.env);
        mergeWithoutOverwrite2(config7.globals, element.globals);
        mergeWithoutOverwrite2(config7.parserOptions, element.parserOptions);
        mergeWithoutOverwrite2(config7.settings, element.settings);
        mergePlugins2(config7.plugins, element.plugins);
        mergeRuleConfigs2(config7.rules, element.rules);
      }
      if (ignorePatterns.length > 0) {
        config7.ignores = IgnorePattern2.createIgnore(ignorePatterns.reverse());
      }
      return config7;
    }
    function collect2(pluginId, defs, map, normalize) {
      if (defs) {
        const prefix = pluginId && `${pluginId}/`;
        for (const [key, value] of Object.entries(defs)) {
          map.set(
            `${prefix}${key}`,
            normalize ? normalize(value) : value
          );
        }
      }
    }
    function normalizePluginRule2(rule) {
      return typeof rule === "function" ? { create: rule } : rule;
    }
    function deleteMutationMethods2(map) {
      Object.defineProperties(map, {
        clear: { configurable: true, value: void 0 },
        delete: { configurable: true, value: void 0 },
        set: { configurable: true, value: void 0 }
      });
    }
    function initPluginMemberMaps2(elements, slots) {
      const processed = /* @__PURE__ */ new Set();
      slots.envMap = /* @__PURE__ */ new Map();
      slots.processorMap = /* @__PURE__ */ new Map();
      slots.ruleMap = /* @__PURE__ */ new Map();
      for (const element of elements) {
        if (!element.plugins) {
          continue;
        }
        for (const [pluginId, value] of Object.entries(element.plugins)) {
          const plugin2 = value.definition;
          if (!plugin2 || processed.has(pluginId)) {
            continue;
          }
          processed.add(pluginId);
          collect2(pluginId, plugin2.environments, slots.envMap);
          collect2(pluginId, plugin2.processors, slots.processorMap);
          collect2(pluginId, plugin2.rules, slots.ruleMap, normalizePluginRule2);
        }
      }
      deleteMutationMethods2(slots.envMap);
      deleteMutationMethods2(slots.processorMap);
      deleteMutationMethods2(slots.ruleMap);
    }
    function ensurePluginMemberMaps2(instance) {
      const slots = internalSlotsMap$2.get(instance);
      if (!slots.ruleMap) {
        initPluginMemberMaps2(instance, slots);
      }
      return slots;
    }
    var ConfigArray2 = class extends Array {
      /**
       * Get the plugin environments.
       * The returned map cannot be mutated.
       * @type {ReadonlyMap} The plugin environments.
       */
      get pluginEnvironments() {
        return ensurePluginMemberMaps2(this).envMap;
      }
      /**
       * Get the plugin processors.
       * The returned map cannot be mutated.
       * @type {ReadonlyMap} The plugin processors.
       */
      get pluginProcessors() {
        return ensurePluginMemberMaps2(this).processorMap;
      }
      /**
       * Get the plugin rules.
       * The returned map cannot be mutated.
       * @returns {ReadonlyMap} The plugin rules.
       */
      get pluginRules() {
        return ensurePluginMemberMaps2(this).ruleMap;
      }
      /**
       * Check if this config has `root` flag.
       * @returns {boolean} `true` if this config array is root.
       */
      isRoot() {
        for (let i = this.length - 1; i >= 0; --i) {
          const root2 = this[i].root;
          if (typeof root2 === "boolean") {
            return root2;
          }
        }
        return false;
      }
      /**
       * Extract the config data which is related to a given file.
       * @param {string} filePath The absolute path to the target file.
       * @returns {ExtractedConfig} The extracted config data.
       */
      extractConfig(filePath) {
        const { cache } = internalSlotsMap$2.get(this);
        const indices = getMatchedIndices2(this, filePath);
        const cacheKey = indices.join(",");
        if (!cache.has(cacheKey)) {
          cache.set(cacheKey, createConfig2(this, indices));
        }
        return cache.get(cacheKey);
      }
      /**
       * Check if a given path is an additional lint target.
       * @param {string} filePath The absolute path to the target file.
       * @returns {boolean} `true` if the file is an additional lint target.
       */
      isAdditionalTargetPath(filePath) {
        for (const { criteria, type } of this) {
          if (type === "config" && criteria && !criteria.endsWithWildcard && criteria.test(filePath)) {
            return true;
          }
        }
        return false;
      }
    };
    function getUsedExtractedConfigs2(instance) {
      const { cache } = internalSlotsMap$2.get(instance);
      return Array.from(cache.values());
    }
    var ConfigDependency2 = class {
      /**
       * Initialize this instance.
       * @param {Object} data The dependency data.
       * @param {T} [data.definition] The dependency if the loading succeeded.
       * @param {T} [data.original] The original, non-normalized dependency if the loading succeeded.
       * @param {Error} [data.error] The error object if the loading failed.
       * @param {string} [data.filePath] The actual path to the dependency if the loading succeeded.
       * @param {string} data.id The ID of this dependency.
       * @param {string} data.importerName The name of the config file which loads this dependency.
       * @param {string} data.importerPath The path to the config file which loads this dependency.
       */
      constructor({
        definition = null,
        original = null,
        error = null,
        filePath = null,
        id,
        importerName,
        importerPath
      }) {
        this.definition = definition;
        this.original = original;
        this.error = error;
        this.filePath = filePath;
        this.id = id;
        this.importerName = importerName;
        this.importerPath = importerPath;
      }
      // eslint-disable-next-line jsdoc/require-description
      /**
       * @returns {Object} a JSON compatible object.
       */
      toJSON() {
        const obj = this[util__default["default"].inspect.custom]();
        if (obj.error instanceof Error) {
          obj.error = { ...obj.error, message: obj.error.message };
        }
        return obj;
      }
      // eslint-disable-next-line jsdoc/require-description
      /**
       * @returns {Object} an object to display by `console.log()`.
       */
      [util__default["default"].inspect.custom]() {
        const {
          definition: _ignore1,
          // eslint-disable-line no-unused-vars
          original: _ignore2,
          // eslint-disable-line no-unused-vars
          ...obj
        } = this;
        return obj;
      }
    };
    var { Minimatch: Minimatch2 } = minimatch__default["default"];
    var minimatchOpts2 = { dot: true, matchBase: true };
    function normalizePatterns2(patterns) {
      if (Array.isArray(patterns)) {
        return patterns.filter(Boolean);
      }
      if (typeof patterns === "string" && patterns) {
        return [patterns];
      }
      return [];
    }
    function toMatcher2(patterns) {
      if (patterns.length === 0) {
        return null;
      }
      return patterns.map((pattern) => {
        if (/^\.[/\\]/u.test(pattern)) {
          return new Minimatch2(
            pattern.slice(2),
            // `./*.js` should not match with `subdir/foo.js`
            { ...minimatchOpts2, matchBase: false }
          );
        }
        return new Minimatch2(pattern, minimatchOpts2);
      });
    }
    function patternToJson2({ includes, excludes }) {
      return {
        includes: includes && includes.map((m) => m.pattern),
        excludes: excludes && excludes.map((m) => m.pattern)
      };
    }
    var OverrideTester2 = class _OverrideTester {
      /**
       * Create a tester with given criteria.
       * If there are no criteria, returns `null`.
       * @param {string|string[]} files The glob patterns for included files.
       * @param {string|string[]} excludedFiles The glob patterns for excluded files.
       * @param {string} basePath The path to the base directory to test paths.
       * @returns {OverrideTester|null} The created instance or `null`.
       */
      static create(files, excludedFiles, basePath) {
        const includePatterns = normalizePatterns2(files);
        const excludePatterns = normalizePatterns2(excludedFiles);
        let endsWithWildcard = false;
        if (includePatterns.length === 0) {
          return null;
        }
        for (const pattern of includePatterns) {
          if (path__default["default"].isAbsolute(pattern) || pattern.includes("..")) {
            throw new Error(`Invalid override pattern (expected relative path not containing '..'): ${pattern}`);
          }
          if (pattern.endsWith("*")) {
            endsWithWildcard = true;
          }
        }
        for (const pattern of excludePatterns) {
          if (path__default["default"].isAbsolute(pattern) || pattern.includes("..")) {
            throw new Error(`Invalid override pattern (expected relative path not containing '..'): ${pattern}`);
          }
        }
        const includes = toMatcher2(includePatterns);
        const excludes = toMatcher2(excludePatterns);
        return new _OverrideTester(
          [{ includes, excludes }],
          basePath,
          endsWithWildcard
        );
      }
      /**
       * Combine two testers by logical and.
       * If either of the testers was `null`, returns the other tester.
       * The `basePath` property of the two must be the same value.
       * @param {OverrideTester|null} a A tester.
       * @param {OverrideTester|null} b Another tester.
       * @returns {OverrideTester|null} Combined tester.
       */
      static and(a, b) {
        if (!b) {
          return a && new _OverrideTester(
            a.patterns,
            a.basePath,
            a.endsWithWildcard
          );
        }
        if (!a) {
          return new _OverrideTester(
            b.patterns,
            b.basePath,
            b.endsWithWildcard
          );
        }
        assert__default["default"].strictEqual(a.basePath, b.basePath);
        return new _OverrideTester(
          a.patterns.concat(b.patterns),
          a.basePath,
          a.endsWithWildcard || b.endsWithWildcard
        );
      }
      /**
       * Initialize this instance.
       * @param {Pattern[]} patterns The matchers.
       * @param {string} basePath The base path.
       * @param {boolean} endsWithWildcard If `true` then a pattern ends with `*`.
       */
      constructor(patterns, basePath, endsWithWildcard = false) {
        this.patterns = patterns;
        this.basePath = basePath;
        this.endsWithWildcard = endsWithWildcard;
      }
      /**
       * Test if a given path is matched or not.
       * @param {string} filePath The absolute path to the target file.
       * @returns {boolean} `true` if the path was matched.
       */
      test(filePath) {
        if (typeof filePath !== "string" || !path__default["default"].isAbsolute(filePath)) {
          throw new Error(`'filePath' should be an absolute path, but got ${filePath}.`);
        }
        const relativePath = path__default["default"].relative(this.basePath, filePath);
        return this.patterns.every(({ includes, excludes }) => (!includes || includes.some((m) => m.match(relativePath))) && (!excludes || !excludes.some((m) => m.match(relativePath))));
      }
      // eslint-disable-next-line jsdoc/require-description
      /**
       * @returns {Object} a JSON compatible object.
       */
      toJSON() {
        if (this.patterns.length === 1) {
          return {
            ...patternToJson2(this.patterns[0]),
            basePath: this.basePath
          };
        }
        return {
          AND: this.patterns.map(patternToJson2),
          basePath: this.basePath
        };
      }
      // eslint-disable-next-line jsdoc/require-description
      /**
       * @returns {Object} an object to display by `console.log()`.
       */
      [util__default["default"].inspect.custom]() {
        return this.toJSON();
      }
    };
    var RULE_SEVERITY_STRINGS2 = ["off", "warn", "error"];
    var RULE_SEVERITY2 = RULE_SEVERITY_STRINGS2.reduce((map, value, index) => {
      map[value] = index;
      return map;
    }, {});
    var VALID_SEVERITIES2 = [0, 1, 2, "off", "warn", "error"];
    function getRuleSeverity2(ruleConfig) {
      const severityValue = Array.isArray(ruleConfig) ? ruleConfig[0] : ruleConfig;
      if (severityValue === 0 || severityValue === 1 || severityValue === 2) {
        return severityValue;
      }
      if (typeof severityValue === "string") {
        return RULE_SEVERITY2[severityValue.toLowerCase()] || 0;
      }
      return 0;
    }
    function normalizeToStrings2(config7) {
      if (config7.rules) {
        Object.keys(config7.rules).forEach((ruleId) => {
          const ruleConfig = config7.rules[ruleId];
          if (typeof ruleConfig === "number") {
            config7.rules[ruleId] = RULE_SEVERITY_STRINGS2[ruleConfig] || RULE_SEVERITY_STRINGS2[0];
          } else if (Array.isArray(ruleConfig) && typeof ruleConfig[0] === "number") {
            ruleConfig[0] = RULE_SEVERITY_STRINGS2[ruleConfig[0]] || RULE_SEVERITY_STRINGS2[0];
          }
        });
      }
    }
    function isErrorSeverity2(ruleConfig) {
      return getRuleSeverity2(ruleConfig) === 2;
    }
    function isValidSeverity2(ruleConfig) {
      let severity = Array.isArray(ruleConfig) ? ruleConfig[0] : ruleConfig;
      if (typeof severity === "string") {
        severity = severity.toLowerCase();
      }
      return VALID_SEVERITIES2.indexOf(severity) !== -1;
    }
    function isEverySeverityValid2(config7) {
      return Object.keys(config7).every((ruleId) => isValidSeverity2(config7[ruleId]));
    }
    function normalizeConfigGlobal2(configuredValue) {
      switch (configuredValue) {
        case "off":
          return "off";
        case true:
        case "true":
        case "writeable":
        case "writable":
          return "writable";
        case null:
        case false:
        case "false":
        case "readable":
        case "readonly":
          return "readonly";
        default:
          throw new Error(`'${configuredValue}' is not a valid configuration for a global (use 'readonly', 'writable', or 'off')`);
      }
    }
    var ConfigOps = {
      __proto__: null,
      getRuleSeverity: getRuleSeverity2,
      normalizeToStrings: normalizeToStrings2,
      isErrorSeverity: isErrorSeverity2,
      isValidSeverity: isValidSeverity2,
      isEverySeverityValid: isEverySeverityValid2,
      normalizeConfigGlobal: normalizeConfigGlobal2
    };
    var deprecationWarningMessages2 = {
      ESLINT_LEGACY_ECMAFEATURES: "The 'ecmaFeatures' config file property is deprecated and has no effect.",
      ESLINT_PERSONAL_CONFIG_LOAD: "'~/.eslintrc.*' config files have been deprecated. Please use a config file per project or the '--config' option.",
      ESLINT_PERSONAL_CONFIG_SUPPRESS: "'~/.eslintrc.*' config files have been deprecated. Please remove it or add 'root:true' to the config files in your projects in order to avoid loading '~/.eslintrc.*' accidentally."
    };
    var sourceFileErrorCache2 = /* @__PURE__ */ new Set();
    function emitDeprecationWarning2(source, errorCode) {
      const cacheKey = JSON.stringify({ source, errorCode });
      if (sourceFileErrorCache2.has(cacheKey)) {
        return;
      }
      sourceFileErrorCache2.add(cacheKey);
      const rel = path__default["default"].relative(process.cwd(), source);
      const message = deprecationWarningMessages2[errorCode];
      process.emitWarning(
        `${message} (found in "${rel}")`,
        "DeprecationWarning",
        errorCode
      );
    }
    var metaSchema2 = {
      id: "http://json-schema.org/draft-04/schema#",
      $schema: "http://json-schema.org/draft-04/schema#",
      description: "Core schema meta-schema",
      definitions: {
        schemaArray: {
          type: "array",
          minItems: 1,
          items: { $ref: "#" }
        },
        positiveInteger: {
          type: "integer",
          minimum: 0
        },
        positiveIntegerDefault0: {
          allOf: [{ $ref: "#/definitions/positiveInteger" }, { default: 0 }]
        },
        simpleTypes: {
          enum: ["array", "boolean", "integer", "null", "number", "object", "string"]
        },
        stringArray: {
          type: "array",
          items: { type: "string" },
          minItems: 1,
          uniqueItems: true
        }
      },
      type: "object",
      properties: {
        id: {
          type: "string"
        },
        $schema: {
          type: "string"
        },
        title: {
          type: "string"
        },
        description: {
          type: "string"
        },
        default: {},
        multipleOf: {
          type: "number",
          minimum: 0,
          exclusiveMinimum: true
        },
        maximum: {
          type: "number"
        },
        exclusiveMaximum: {
          type: "boolean",
          default: false
        },
        minimum: {
          type: "number"
        },
        exclusiveMinimum: {
          type: "boolean",
          default: false
        },
        maxLength: { $ref: "#/definitions/positiveInteger" },
        minLength: { $ref: "#/definitions/positiveIntegerDefault0" },
        pattern: {
          type: "string",
          format: "regex"
        },
        additionalItems: {
          anyOf: [
            { type: "boolean" },
            { $ref: "#" }
          ],
          default: {}
        },
        items: {
          anyOf: [
            { $ref: "#" },
            { $ref: "#/definitions/schemaArray" }
          ],
          default: {}
        },
        maxItems: { $ref: "#/definitions/positiveInteger" },
        minItems: { $ref: "#/definitions/positiveIntegerDefault0" },
        uniqueItems: {
          type: "boolean",
          default: false
        },
        maxProperties: { $ref: "#/definitions/positiveInteger" },
        minProperties: { $ref: "#/definitions/positiveIntegerDefault0" },
        required: { $ref: "#/definitions/stringArray" },
        additionalProperties: {
          anyOf: [
            { type: "boolean" },
            { $ref: "#" }
          ],
          default: {}
        },
        definitions: {
          type: "object",
          additionalProperties: { $ref: "#" },
          default: {}
        },
        properties: {
          type: "object",
          additionalProperties: { $ref: "#" },
          default: {}
        },
        patternProperties: {
          type: "object",
          additionalProperties: { $ref: "#" },
          default: {}
        },
        dependencies: {
          type: "object",
          additionalProperties: {
            anyOf: [
              { $ref: "#" },
              { $ref: "#/definitions/stringArray" }
            ]
          }
        },
        enum: {
          type: "array",
          minItems: 1,
          uniqueItems: true
        },
        type: {
          anyOf: [
            { $ref: "#/definitions/simpleTypes" },
            {
              type: "array",
              items: { $ref: "#/definitions/simpleTypes" },
              minItems: 1,
              uniqueItems: true
            }
          ]
        },
        format: { type: "string" },
        allOf: { $ref: "#/definitions/schemaArray" },
        anyOf: { $ref: "#/definitions/schemaArray" },
        oneOf: { $ref: "#/definitions/schemaArray" },
        not: { $ref: "#" }
      },
      dependencies: {
        exclusiveMaximum: ["maximum"],
        exclusiveMinimum: ["minimum"]
      },
      default: {}
    };
    var ajvOrig = (additionalOptions = {}) => {
      const ajv3 = new Ajv__default["default"]({
        meta: false,
        useDefaults: true,
        validateSchema: false,
        missingRefs: "ignore",
        verbose: true,
        schemaId: "auto",
        ...additionalOptions
      });
      ajv3.addMetaSchema(metaSchema2);
      ajv3._opts.defaultMeta = metaSchema2.id;
      return ajv3;
    };
    var baseConfigProperties2 = {
      $schema: { type: "string" },
      env: { type: "object" },
      extends: { $ref: "#/definitions/stringOrStrings" },
      globals: { type: "object" },
      overrides: {
        type: "array",
        items: { $ref: "#/definitions/overrideConfig" },
        additionalItems: false
      },
      parser: { type: ["string", "null"] },
      parserOptions: { type: "object" },
      plugins: { type: "array" },
      processor: { type: "string" },
      rules: { type: "object" },
      settings: { type: "object" },
      noInlineConfig: { type: "boolean" },
      reportUnusedDisableDirectives: { type: "boolean" },
      ecmaFeatures: { type: "object" }
      // deprecated; logs a warning when used
    };
    var configSchema2 = {
      definitions: {
        stringOrStrings: {
          oneOf: [
            { type: "string" },
            {
              type: "array",
              items: { type: "string" },
              additionalItems: false
            }
          ]
        },
        stringOrStringsRequired: {
          oneOf: [
            { type: "string" },
            {
              type: "array",
              items: { type: "string" },
              additionalItems: false,
              minItems: 1
            }
          ]
        },
        // Config at top-level.
        objectConfig: {
          type: "object",
          properties: {
            root: { type: "boolean" },
            ignorePatterns: { $ref: "#/definitions/stringOrStrings" },
            ...baseConfigProperties2
          },
          additionalProperties: false
        },
        // Config in `overrides`.
        overrideConfig: {
          type: "object",
          properties: {
            excludedFiles: { $ref: "#/definitions/stringOrStrings" },
            files: { $ref: "#/definitions/stringOrStringsRequired" },
            ...baseConfigProperties2
          },
          required: ["files"],
          additionalProperties: false
        }
      },
      $ref: "#/definitions/objectConfig"
    };
    function getDiff2(current, prev) {
      const retv = {};
      for (const [key, value] of Object.entries(current)) {
        if (!Object.hasOwnProperty.call(prev, key)) {
          retv[key] = value;
        }
      }
      return retv;
    }
    var newGlobals20152 = getDiff2(globals__default["default"].es2015, globals__default["default"].es5);
    var newGlobals20172 = {
      Atomics: false,
      SharedArrayBuffer: false
    };
    var newGlobals20202 = {
      BigInt: false,
      BigInt64Array: false,
      BigUint64Array: false,
      globalThis: false
    };
    var newGlobals20212 = {
      AggregateError: false,
      FinalizationRegistry: false,
      WeakRef: false
    };
    var environments = new Map(Object.entries({
      // Language
      builtin: {
        globals: globals__default["default"].es5
      },
      es6: {
        globals: newGlobals20152,
        parserOptions: {
          ecmaVersion: 6
        }
      },
      es2015: {
        globals: newGlobals20152,
        parserOptions: {
          ecmaVersion: 6
        }
      },
      es2016: {
        globals: newGlobals20152,
        parserOptions: {
          ecmaVersion: 7
        }
      },
      es2017: {
        globals: { ...newGlobals20152, ...newGlobals20172 },
        parserOptions: {
          ecmaVersion: 8
        }
      },
      es2018: {
        globals: { ...newGlobals20152, ...newGlobals20172 },
        parserOptions: {
          ecmaVersion: 9
        }
      },
      es2019: {
        globals: { ...newGlobals20152, ...newGlobals20172 },
        parserOptions: {
          ecmaVersion: 10
        }
      },
      es2020: {
        globals: { ...newGlobals20152, ...newGlobals20172, ...newGlobals20202 },
        parserOptions: {
          ecmaVersion: 11
        }
      },
      es2021: {
        globals: { ...newGlobals20152, ...newGlobals20172, ...newGlobals20202, ...newGlobals20212 },
        parserOptions: {
          ecmaVersion: 12
        }
      },
      es2022: {
        globals: { ...newGlobals20152, ...newGlobals20172, ...newGlobals20202, ...newGlobals20212 },
        parserOptions: {
          ecmaVersion: 13
        }
      },
      es2023: {
        globals: { ...newGlobals20152, ...newGlobals20172, ...newGlobals20202, ...newGlobals20212 },
        parserOptions: {
          ecmaVersion: 14
        }
      },
      es2024: {
        globals: { ...newGlobals20152, ...newGlobals20172, ...newGlobals20202, ...newGlobals20212 },
        parserOptions: {
          ecmaVersion: 15
        }
      },
      // Platforms
      browser: {
        globals: globals__default["default"].browser
      },
      node: {
        globals: globals__default["default"].node,
        parserOptions: {
          ecmaFeatures: {
            globalReturn: true
          }
        }
      },
      "shared-node-browser": {
        globals: globals__default["default"]["shared-node-browser"]
      },
      worker: {
        globals: globals__default["default"].worker
      },
      serviceworker: {
        globals: globals__default["default"].serviceworker
      },
      // Frameworks
      commonjs: {
        globals: globals__default["default"].commonjs,
        parserOptions: {
          ecmaFeatures: {
            globalReturn: true
          }
        }
      },
      amd: {
        globals: globals__default["default"].amd
      },
      mocha: {
        globals: globals__default["default"].mocha
      },
      jasmine: {
        globals: globals__default["default"].jasmine
      },
      jest: {
        globals: globals__default["default"].jest
      },
      phantomjs: {
        globals: globals__default["default"].phantomjs
      },
      jquery: {
        globals: globals__default["default"].jquery
      },
      qunit: {
        globals: globals__default["default"].qunit
      },
      prototypejs: {
        globals: globals__default["default"].prototypejs
      },
      shelljs: {
        globals: globals__default["default"].shelljs
      },
      meteor: {
        globals: globals__default["default"].meteor
      },
      mongo: {
        globals: globals__default["default"].mongo
      },
      protractor: {
        globals: globals__default["default"].protractor
      },
      applescript: {
        globals: globals__default["default"].applescript
      },
      nashorn: {
        globals: globals__default["default"].nashorn
      },
      atomtest: {
        globals: globals__default["default"].atomtest
      },
      embertest: {
        globals: globals__default["default"].embertest
      },
      webextensions: {
        globals: globals__default["default"].webextensions
      },
      greasemonkey: {
        globals: globals__default["default"].greasemonkey
      }
    }));
    var ajv2 = ajvOrig();
    var ruleValidators2 = /* @__PURE__ */ new WeakMap();
    var noop2 = Function.prototype;
    var validateSchema2;
    var severityMap2 = {
      error: 2,
      warn: 1,
      off: 0
    };
    var validated2 = /* @__PURE__ */ new WeakSet();
    var ConfigValidator2 = class {
      constructor({ builtInRules = /* @__PURE__ */ new Map() } = {}) {
        this.builtInRules = builtInRules;
      }
      /**
       * Gets a complete options schema for a rule.
       * @param {{create: Function, schema: (Array|null)}} rule A new-style rule object
       * @returns {Object} JSON Schema for the rule's options.
       */
      getRuleOptionsSchema(rule) {
        if (!rule) {
          return null;
        }
        const schema30 = rule.schema || rule.meta && rule.meta.schema;
        if (Array.isArray(schema30)) {
          if (schema30.length) {
            return {
              type: "array",
              items: schema30,
              minItems: 0,
              maxItems: schema30.length
            };
          }
          return {
            type: "array",
            minItems: 0,
            maxItems: 0
          };
        }
        return schema30 || null;
      }
      /**
       * Validates a rule's severity and returns the severity value. Throws an error if the severity is invalid.
       * @param {options} options The given options for the rule.
       * @returns {number|string} The rule's severity value
       */
      validateRuleSeverity(options) {
        const severity = Array.isArray(options) ? options[0] : options;
        const normSeverity = typeof severity === "string" ? severityMap2[severity.toLowerCase()] : severity;
        if (normSeverity === 0 || normSeverity === 1 || normSeverity === 2) {
          return normSeverity;
        }
        throw new Error(`	Severity should be one of the following: 0 = off, 1 = warn, 2 = error (you passed '${util__default["default"].inspect(severity).replace(/'/gu, '"').replace(/\n/gu, "")}').
`);
      }
      /**
       * Validates the non-severity options passed to a rule, based on its schema.
       * @param {{create: Function}} rule The rule to validate
       * @param {Array} localOptions The options for the rule, excluding severity
       * @returns {void}
       */
      validateRuleSchema(rule, localOptions) {
        if (!ruleValidators2.has(rule)) {
          const schema30 = this.getRuleOptionsSchema(rule);
          if (schema30) {
            ruleValidators2.set(rule, ajv2.compile(schema30));
          }
        }
        const validateRule = ruleValidators2.get(rule);
        if (validateRule) {
          validateRule(localOptions);
          if (validateRule.errors) {
            throw new Error(validateRule.errors.map(
              (error) => `	Value ${JSON.stringify(error.data)} ${error.message}.
`
            ).join(""));
          }
        }
      }
      /**
       * Validates a rule's options against its schema.
       * @param {{create: Function}|null} rule The rule that the config is being validated for
       * @param {string} ruleId The rule's unique name.
       * @param {Array|number} options The given options for the rule.
       * @param {string|null} source The name of the configuration source to report in any errors. If null or undefined,
       * no source is prepended to the message.
       * @returns {void}
       */
      validateRuleOptions(rule, ruleId, options, source = null) {
        try {
          const severity = this.validateRuleSeverity(options);
          if (severity !== 0) {
            this.validateRuleSchema(rule, Array.isArray(options) ? options.slice(1) : []);
          }
        } catch (err) {
          const enhancedMessage = `Configuration for rule "${ruleId}" is invalid:
${err.message}`;
          if (typeof source === "string") {
            throw new Error(`${source}:
	${enhancedMessage}`);
          } else {
            throw new Error(enhancedMessage);
          }
        }
      }
      /**
       * Validates an environment object
       * @param {Object} environment The environment config object to validate.
       * @param {string} source The name of the configuration source to report in any errors.
       * @param {function(envId:string): Object} [getAdditionalEnv] A map from strings to loaded environments.
       * @returns {void}
       */
      validateEnvironment(environment, source, getAdditionalEnv = noop2) {
        if (!environment) {
          return;
        }
        Object.keys(environment).forEach((id) => {
          const env = getAdditionalEnv(id) || environments.get(id) || null;
          if (!env) {
            const message = `${source}:
	Environment key "${id}" is unknown
`;
            throw new Error(message);
          }
        });
      }
      /**
       * Validates a rules config object
       * @param {Object} rulesConfig The rules config object to validate.
       * @param {string} source The name of the configuration source to report in any errors.
       * @param {function(ruleId:string): Object} getAdditionalRule A map from strings to loaded rules
       * @returns {void}
       */
      validateRules(rulesConfig, source, getAdditionalRule = noop2) {
        if (!rulesConfig) {
          return;
        }
        Object.keys(rulesConfig).forEach((id) => {
          const rule = getAdditionalRule(id) || this.builtInRules.get(id) || null;
          this.validateRuleOptions(rule, id, rulesConfig[id], source);
        });
      }
      /**
       * Validates a `globals` section of a config file
       * @param {Object} globalsConfig The `globals` section
       * @param {string|null} source The name of the configuration source to report in the event of an error.
       * @returns {void}
       */
      validateGlobals(globalsConfig, source = null) {
        if (!globalsConfig) {
          return;
        }
        Object.entries(globalsConfig).forEach(([configuredGlobal, configuredValue]) => {
          try {
            normalizeConfigGlobal2(configuredValue);
          } catch (err) {
            throw new Error(`ESLint configuration of global '${configuredGlobal}' in ${source} is invalid:
${err.message}`);
          }
        });
      }
      /**
       * Validate `processor` configuration.
       * @param {string|undefined} processorName The processor name.
       * @param {string} source The name of config file.
       * @param {function(id:string): Processor} getProcessor The getter of defined processors.
       * @returns {void}
       */
      validateProcessor(processorName, source, getProcessor) {
        if (processorName && !getProcessor(processorName)) {
          throw new Error(`ESLint configuration of processor in '${source}' is invalid: '${processorName}' was not found.`);
        }
      }
      /**
       * Formats an array of schema validation errors.
       * @param {Array} errors An array of error messages to format.
       * @returns {string} Formatted error message
       */
      formatErrors(errors) {
        return errors.map((error) => {
          if (error.keyword === "additionalProperties") {
            const formattedPropertyPath = error.dataPath.length ? `${error.dataPath.slice(1)}.${error.params.additionalProperty}` : error.params.additionalProperty;
            return `Unexpected top-level property "${formattedPropertyPath}"`;
          }
          if (error.keyword === "type") {
            const formattedField = error.dataPath.slice(1);
            const formattedExpectedType = Array.isArray(error.schema) ? error.schema.join("/") : error.schema;
            const formattedValue = JSON.stringify(error.data);
            return `Property "${formattedField}" is the wrong type (expected ${formattedExpectedType} but got \`${formattedValue}\`)`;
          }
          const field = error.dataPath[0] === "." ? error.dataPath.slice(1) : error.dataPath;
          return `"${field}" ${error.message}. Value: ${JSON.stringify(error.data)}`;
        }).map((message) => `	- ${message}.
`).join("");
      }
      /**
       * Validates the top level properties of the config object.
       * @param {Object} config The config object to validate.
       * @param {string} source The name of the configuration source to report in any errors.
       * @returns {void}
       */
      validateConfigSchema(config7, source = null) {
        validateSchema2 = validateSchema2 || ajv2.compile(configSchema2);
        if (!validateSchema2(config7)) {
          throw new Error(`ESLint configuration in ${source} is invalid:
${this.formatErrors(validateSchema2.errors)}`);
        }
        if (Object.hasOwnProperty.call(config7, "ecmaFeatures")) {
          emitDeprecationWarning2(source, "ESLINT_LEGACY_ECMAFEATURES");
        }
      }
      /**
       * Validates an entire config object.
       * @param {Object} config The config object to validate.
       * @param {string} source The name of the configuration source to report in any errors.
       * @param {function(ruleId:string): Object} [getAdditionalRule] A map from strings to loaded rules.
       * @param {function(envId:string): Object} [getAdditionalEnv] A map from strings to loaded envs.
       * @returns {void}
       */
      validate(config7, source, getAdditionalRule, getAdditionalEnv) {
        this.validateConfigSchema(config7, source);
        this.validateRules(config7.rules, source, getAdditionalRule);
        this.validateEnvironment(config7.env, source, getAdditionalEnv);
        this.validateGlobals(config7.globals, source);
        for (const override of config7.overrides || []) {
          this.validateRules(override.rules, source, getAdditionalRule);
          this.validateEnvironment(override.env, source, getAdditionalEnv);
          this.validateGlobals(config7.globals, source);
        }
      }
      /**
       * Validate config array object.
       * @param {ConfigArray} configArray The config array to validate.
       * @returns {void}
       */
      validateConfigArray(configArray) {
        const getPluginEnv = Map.prototype.get.bind(configArray.pluginEnvironments);
        const getPluginProcessor = Map.prototype.get.bind(configArray.pluginProcessors);
        const getPluginRule = Map.prototype.get.bind(configArray.pluginRules);
        for (const element of configArray) {
          if (validated2.has(element)) {
            continue;
          }
          validated2.add(element);
          this.validateEnvironment(element.env, element.name, getPluginEnv);
          this.validateGlobals(element.globals, element.name);
          this.validateProcessor(element.processor, element.name, getPluginProcessor);
          this.validateRules(element.rules, element.name, getPluginRule);
        }
      }
    };
    var NAMESPACE_REGEX2 = /^@.*\//iu;
    function normalizePackageName2(name, prefix) {
      let normalizedName = name;
      if (normalizedName.includes("\\")) {
        normalizedName = normalizedName.replace(/\\/gu, "/");
      }
      if (normalizedName.charAt(0) === "@") {
        const scopedPackageShortcutRegex = new RegExp(`^(@[^/]+)(?:/(?:${prefix})?)?$`, "u"), scopedPackageNameRegex = new RegExp(`^${prefix}(-|$)`, "u");
        if (scopedPackageShortcutRegex.test(normalizedName)) {
          normalizedName = normalizedName.replace(scopedPackageShortcutRegex, `$1/${prefix}`);
        } else if (!scopedPackageNameRegex.test(normalizedName.split("/")[1])) {
          normalizedName = normalizedName.replace(/^@([^/]+)\/(.*)$/u, `@$1/${prefix}-$2`);
        }
      } else if (!normalizedName.startsWith(`${prefix}-`)) {
        normalizedName = `${prefix}-${normalizedName}`;
      }
      return normalizedName;
    }
    function getShorthandName2(fullname, prefix) {
      if (fullname[0] === "@") {
        let matchResult = new RegExp(`^(@[^/]+)/${prefix}$`, "u").exec(fullname);
        if (matchResult) {
          return matchResult[1];
        }
        matchResult = new RegExp(`^(@[^/]+)/${prefix}-(.+)$`, "u").exec(fullname);
        if (matchResult) {
          return `${matchResult[1]}/${matchResult[2]}`;
        }
      } else if (fullname.startsWith(`${prefix}-`)) {
        return fullname.slice(prefix.length + 1);
      }
      return fullname;
    }
    function getNamespaceFromTerm2(term) {
      const match = term.match(NAMESPACE_REGEX2);
      return match ? match[0] : "";
    }
    var naming = {
      __proto__: null,
      normalizePackageName: normalizePackageName2,
      getShorthandName: getShorthandName2,
      getNamespaceFromTerm: getNamespaceFromTerm2
    };
    var createRequire3 = Module__default["default"].createRequire;
    function resolve2(moduleName, relativeToPath) {
      try {
        return createRequire3(relativeToPath).resolve(moduleName);
      } catch (error) {
        if (typeof error === "object" && error !== null && error.code === "MODULE_NOT_FOUND" && !error.requireStack && error.message.includes(moduleName)) {
          error.message += `
Require stack:
- ${relativeToPath}`;
        }
        throw error;
      }
    }
    var ModuleResolver = {
      __proto__: null,
      resolve: resolve2
    };
    var require$1 = Module2.createRequire(require("url").pathToFileURL(__filename).toString());
    var debug$2 = debugOrig__default["default"]("eslintrc:config-array-factory");
    var configFilenames2 = [
      ".eslintrc.js",
      ".eslintrc.cjs",
      ".eslintrc.yaml",
      ".eslintrc.yml",
      ".eslintrc.json",
      ".eslintrc",
      "package.json"
    ];
    var internalSlotsMap$1 = /* @__PURE__ */ new WeakMap();
    var normalizedPlugins2 = /* @__PURE__ */ new WeakMap();
    function isFilePath2(nameOrPath) {
      return /^\.{1,2}[/\\]/u.test(nameOrPath) || path__default["default"].isAbsolute(nameOrPath);
    }
    function readFile2(filePath) {
      return fs__default["default"].readFileSync(filePath, "utf8").replace(/^\ufeff/u, "");
    }
    function loadYAMLConfigFile2(filePath) {
      debug$2(`Loading YAML config file: ${filePath}`);
      const yaml = require$1("js-yaml");
      try {
        return yaml.load(readFile2(filePath)) || {};
      } catch (e) {
        debug$2(`Error reading YAML file: ${filePath}`);
        e.message = `Cannot read config file: ${filePath}
Error: ${e.message}`;
        throw e;
      }
    }
    function loadJSONConfigFile2(filePath) {
      debug$2(`Loading JSON config file: ${filePath}`);
      try {
        return JSON.parse(stripComments__default["default"](readFile2(filePath)));
      } catch (e) {
        debug$2(`Error reading JSON file: ${filePath}`);
        e.message = `Cannot read config file: ${filePath}
Error: ${e.message}`;
        e.messageTemplate = "failed-to-read-json";
        e.messageData = {
          path: filePath,
          message: e.message
        };
        throw e;
      }
    }
    function loadLegacyConfigFile2(filePath) {
      debug$2(`Loading legacy config file: ${filePath}`);
      const yaml = require$1("js-yaml");
      try {
        return yaml.load(stripComments__default["default"](readFile2(filePath))) || /* istanbul ignore next */
        {};
      } catch (e) {
        debug$2("Error reading YAML file: %s\n%o", filePath, e);
        e.message = `Cannot read config file: ${filePath}
Error: ${e.message}`;
        throw e;
      }
    }
    function loadJSConfigFile2(filePath) {
      debug$2(`Loading JS config file: ${filePath}`);
      try {
        return importFresh__default["default"](filePath);
      } catch (e) {
        debug$2(`Error reading JavaScript file: ${filePath}`);
        e.message = `Cannot read config file: ${filePath}
Error: ${e.message}`;
        throw e;
      }
    }
    function loadPackageJSONConfigFile2(filePath) {
      debug$2(`Loading package.json config file: ${filePath}`);
      try {
        const packageData = loadJSONConfigFile2(filePath);
        if (!Object.hasOwnProperty.call(packageData, "eslintConfig")) {
          throw Object.assign(
            new Error("package.json file doesn't have 'eslintConfig' field."),
            { code: "ESLINT_CONFIG_FIELD_NOT_FOUND" }
          );
        }
        return packageData.eslintConfig;
      } catch (e) {
        debug$2(`Error reading package.json file: ${filePath}`);
        e.message = `Cannot read config file: ${filePath}
Error: ${e.message}`;
        throw e;
      }
    }
    function loadESLintIgnoreFile2(filePath) {
      debug$2(`Loading .eslintignore file: ${filePath}`);
      try {
        return readFile2(filePath).split(/\r?\n/gu).filter((line) => line.trim() !== "" && !line.startsWith("#"));
      } catch (e) {
        debug$2(`Error reading .eslintignore file: ${filePath}`);
        e.message = `Cannot read .eslintignore file: ${filePath}
Error: ${e.message}`;
        throw e;
      }
    }
    function configInvalidError2(configName, importerName, messageTemplate) {
      return Object.assign(
        new Error(`Failed to load config "${configName}" to extend from.`),
        {
          messageTemplate,
          messageData: { configName, importerName }
        }
      );
    }
    function loadConfigFile2(filePath) {
      switch (path__default["default"].extname(filePath)) {
        case ".js":
        case ".cjs":
          return loadJSConfigFile2(filePath);
        case ".json":
          if (path__default["default"].basename(filePath) === "package.json") {
            return loadPackageJSONConfigFile2(filePath);
          }
          return loadJSONConfigFile2(filePath);
        case ".yaml":
        case ".yml":
          return loadYAMLConfigFile2(filePath);
        default:
          return loadLegacyConfigFile2(filePath);
      }
    }
    function writeDebugLogForLoading2(request, relativeTo, filePath) {
      if (debug$2.enabled) {
        let nameAndVersion = null;
        try {
          const packageJsonPath = resolve2(
            `${request}/package.json`,
            relativeTo
          );
          const { version = "unknown" } = require$1(packageJsonPath);
          nameAndVersion = `${request}@${version}`;
        } catch (error) {
          debug$2("package.json was not found:", error.message);
          nameAndVersion = request;
        }
        debug$2("Loaded: %s (%s)", nameAndVersion, filePath);
      }
    }
    function createContext2({ cwd, resolvePluginsRelativeTo }, providedType, providedName, providedFilePath, providedMatchBasePath) {
      const filePath = providedFilePath ? path__default["default"].resolve(cwd, providedFilePath) : "";
      const matchBasePath = providedMatchBasePath && path__default["default"].resolve(cwd, providedMatchBasePath) || filePath && path__default["default"].dirname(filePath) || cwd;
      const name = providedName || filePath && path__default["default"].relative(cwd, filePath) || "";
      const pluginBasePath = resolvePluginsRelativeTo || filePath && path__default["default"].dirname(filePath) || cwd;
      const type = providedType || "config";
      return { filePath, matchBasePath, name, pluginBasePath, type };
    }
    function normalizePlugin2(plugin2) {
      let normalizedPlugin = normalizedPlugins2.get(plugin2);
      if (normalizedPlugin) {
        return normalizedPlugin;
      }
      normalizedPlugin = {
        configs: plugin2.configs || {},
        environments: plugin2.environments || {},
        processors: plugin2.processors || {},
        rules: plugin2.rules || {}
      };
      normalizedPlugins2.set(plugin2, normalizedPlugin);
      return normalizedPlugin;
    }
    var ConfigArrayFactory2 = class {
      /**
       * Initialize this instance.
       * @param {ConfigArrayFactoryOptions} [options] The map for additional plugins.
       */
      constructor({
        additionalPluginPool = /* @__PURE__ */ new Map(),
        cwd = process.cwd(),
        resolvePluginsRelativeTo,
        builtInRules,
        resolver = ModuleResolver,
        eslintAllPath,
        getEslintAllConfig,
        eslintRecommendedPath,
        getEslintRecommendedConfig
      } = {}) {
        internalSlotsMap$1.set(this, {
          additionalPluginPool,
          cwd,
          resolvePluginsRelativeTo: resolvePluginsRelativeTo && path__default["default"].resolve(cwd, resolvePluginsRelativeTo),
          builtInRules,
          resolver,
          eslintAllPath,
          getEslintAllConfig,
          eslintRecommendedPath,
          getEslintRecommendedConfig
        });
      }
      /**
       * Create `ConfigArray` instance from a config data.
       * @param {ConfigData|null} configData The config data to create.
       * @param {Object} [options] The options.
       * @param {string} [options.basePath] The base path to resolve relative paths in `overrides[].files`, `overrides[].excludedFiles`, and `ignorePatterns`.
       * @param {string} [options.filePath] The path to this config data.
       * @param {string} [options.name] The config name.
       * @returns {ConfigArray} Loaded config.
       */
      create(configData, { basePath, filePath, name } = {}) {
        if (!configData) {
          return new ConfigArray2();
        }
        const slots = internalSlotsMap$1.get(this);
        const ctx = createContext2(slots, "config", name, filePath, basePath);
        const elements = this._normalizeConfigData(configData, ctx);
        return new ConfigArray2(...elements);
      }
      /**
       * Load a config file.
       * @param {string} filePath The path to a config file.
       * @param {Object} [options] The options.
       * @param {string} [options.basePath] The base path to resolve relative paths in `overrides[].files`, `overrides[].excludedFiles`, and `ignorePatterns`.
       * @param {string} [options.name] The config name.
       * @returns {ConfigArray} Loaded config.
       */
      loadFile(filePath, { basePath, name } = {}) {
        const slots = internalSlotsMap$1.get(this);
        const ctx = createContext2(slots, "config", name, filePath, basePath);
        return new ConfigArray2(...this._loadConfigData(ctx));
      }
      /**
       * Load the config file on a given directory if exists.
       * @param {string} directoryPath The path to a directory.
       * @param {Object} [options] The options.
       * @param {string} [options.basePath] The base path to resolve relative paths in `overrides[].files`, `overrides[].excludedFiles`, and `ignorePatterns`.
       * @param {string} [options.name] The config name.
       * @returns {ConfigArray} Loaded config. An empty `ConfigArray` if any config doesn't exist.
       */
      loadInDirectory(directoryPath, { basePath, name } = {}) {
        const slots = internalSlotsMap$1.get(this);
        for (const filename of configFilenames2) {
          const ctx = createContext2(
            slots,
            "config",
            name,
            path__default["default"].join(directoryPath, filename),
            basePath
          );
          if (fs__default["default"].existsSync(ctx.filePath) && fs__default["default"].statSync(ctx.filePath).isFile()) {
            let configData;
            try {
              configData = loadConfigFile2(ctx.filePath);
            } catch (error) {
              if (!error || error.code !== "ESLINT_CONFIG_FIELD_NOT_FOUND") {
                throw error;
              }
            }
            if (configData) {
              debug$2(`Config file found: ${ctx.filePath}`);
              return new ConfigArray2(
                ...this._normalizeConfigData(configData, ctx)
              );
            }
          }
        }
        debug$2(`Config file not found on ${directoryPath}`);
        return new ConfigArray2();
      }
      /**
       * Check if a config file on a given directory exists or not.
       * @param {string} directoryPath The path to a directory.
       * @returns {string | null} The path to the found config file. If not found then null.
       */
      static getPathToConfigFileInDirectory(directoryPath) {
        for (const filename of configFilenames2) {
          const filePath = path__default["default"].join(directoryPath, filename);
          if (fs__default["default"].existsSync(filePath)) {
            if (filename === "package.json") {
              try {
                loadPackageJSONConfigFile2(filePath);
                return filePath;
              } catch {
              }
            } else {
              return filePath;
            }
          }
        }
        return null;
      }
      /**
       * Load `.eslintignore` file.
       * @param {string} filePath The path to a `.eslintignore` file to load.
       * @returns {ConfigArray} Loaded config. An empty `ConfigArray` if any config doesn't exist.
       */
      loadESLintIgnore(filePath) {
        const slots = internalSlotsMap$1.get(this);
        const ctx = createContext2(
          slots,
          "ignore",
          void 0,
          filePath,
          slots.cwd
        );
        const ignorePatterns = loadESLintIgnoreFile2(ctx.filePath);
        return new ConfigArray2(
          ...this._normalizeESLintIgnoreData(ignorePatterns, ctx)
        );
      }
      /**
       * Load `.eslintignore` file in the current working directory.
       * @returns {ConfigArray} Loaded config. An empty `ConfigArray` if any config doesn't exist.
       */
      loadDefaultESLintIgnore() {
        const slots = internalSlotsMap$1.get(this);
        const eslintIgnorePath = path__default["default"].resolve(slots.cwd, ".eslintignore");
        const packageJsonPath = path__default["default"].resolve(slots.cwd, "package.json");
        if (fs__default["default"].existsSync(eslintIgnorePath)) {
          return this.loadESLintIgnore(eslintIgnorePath);
        }
        if (fs__default["default"].existsSync(packageJsonPath)) {
          const data = loadJSONConfigFile2(packageJsonPath);
          if (Object.hasOwnProperty.call(data, "eslintIgnore")) {
            if (!Array.isArray(data.eslintIgnore)) {
              throw new Error("Package.json eslintIgnore property requires an array of paths");
            }
            const ctx = createContext2(
              slots,
              "ignore",
              "eslintIgnore in package.json",
              packageJsonPath,
              slots.cwd
            );
            return new ConfigArray2(
              ...this._normalizeESLintIgnoreData(data.eslintIgnore, ctx)
            );
          }
        }
        return new ConfigArray2();
      }
      /**
       * Load a given config file.
       * @param {ConfigArrayFactoryLoadingContext} ctx The loading context.
       * @returns {IterableIterator} Loaded config.
       * @private
       */
      _loadConfigData(ctx) {
        return this._normalizeConfigData(loadConfigFile2(ctx.filePath), ctx);
      }
      /**
       * Normalize a given `.eslintignore` data to config array elements.
       * @param {string[]} ignorePatterns The patterns to ignore files.
       * @param {ConfigArrayFactoryLoadingContext} ctx The loading context.
       * @returns {IterableIterator} The normalized config.
       * @private
       */
      *_normalizeESLintIgnoreData(ignorePatterns, ctx) {
        const elements = this._normalizeObjectConfigData(
          { ignorePatterns },
          ctx
        );
        for (const element of elements) {
          if (element.ignorePattern) {
            element.ignorePattern.loose = true;
          }
          yield element;
        }
      }
      /**
       * Normalize a given config to an array.
       * @param {ConfigData} configData The config data to normalize.
       * @param {ConfigArrayFactoryLoadingContext} ctx The loading context.
       * @returns {IterableIterator} The normalized config.
       * @private
       */
      _normalizeConfigData(configData, ctx) {
        const validator = new ConfigValidator2();
        validator.validateConfigSchema(configData, ctx.name || ctx.filePath);
        return this._normalizeObjectConfigData(configData, ctx);
      }
      /**
       * Normalize a given config to an array.
       * @param {ConfigData|OverrideConfigData} configData The config data to normalize.
       * @param {ConfigArrayFactoryLoadingContext} ctx The loading context.
       * @returns {IterableIterator} The normalized config.
       * @private
       */
      *_normalizeObjectConfigData(configData, ctx) {
        const { files, excludedFiles, ...configBody } = configData;
        const criteria = OverrideTester2.create(
          files,
          excludedFiles,
          ctx.matchBasePath
        );
        const elements = this._normalizeObjectConfigDataBody(configBody, ctx);
        for (const element of elements) {
          element.criteria = OverrideTester2.and(criteria, element.criteria);
          if (element.criteria) {
            element.root = void 0;
          }
          yield element;
        }
      }
      /**
       * Normalize a given config to an array.
       * @param {ConfigData} configData The config data to normalize.
       * @param {ConfigArrayFactoryLoadingContext} ctx The loading context.
       * @returns {IterableIterator} The normalized config.
       * @private
       */
      *_normalizeObjectConfigDataBody({
        env,
        extends: extend,
        globals: globals3,
        ignorePatterns,
        noInlineConfig,
        parser: parserName,
        parserOptions,
        plugins: pluginList,
        processor,
        reportUnusedDisableDirectives,
        root: root2,
        rules,
        settings,
        overrides: overrideList = []
      }, ctx) {
        const extendList = Array.isArray(extend) ? extend : [extend];
        const ignorePattern = ignorePatterns && new IgnorePattern2(
          Array.isArray(ignorePatterns) ? ignorePatterns : [ignorePatterns],
          ctx.matchBasePath
        );
        for (const extendName of extendList.filter(Boolean)) {
          yield* this._loadExtends(extendName, ctx);
        }
        const parser = parserName && this._loadParser(parserName, ctx);
        const plugins = pluginList && this._loadPlugins(pluginList, ctx);
        if (plugins) {
          yield* this._takeFileExtensionProcessors(plugins, ctx);
        }
        yield {
          // Debug information.
          type: ctx.type,
          name: ctx.name,
          filePath: ctx.filePath,
          // Config data.
          criteria: null,
          env,
          globals: globals3,
          ignorePattern,
          noInlineConfig,
          parser,
          parserOptions,
          plugins,
          processor,
          reportUnusedDisableDirectives,
          root: root2,
          rules,
          settings
        };
        for (let i = 0; i < overrideList.length; ++i) {
          yield* this._normalizeObjectConfigData(
            overrideList[i],
            { ...ctx, name: `${ctx.name}#overrides[${i}]` }
          );
        }
      }
      /**
       * Load configs of an element in `extends`.
       * @param {string} extendName The name of a base config.
       * @param {ConfigArrayFactoryLoadingContext} ctx The loading context.
       * @returns {IterableIterator} The normalized config.
       * @private
       */
      _loadExtends(extendName, ctx) {
        debug$2("Loading {extends:%j} relative to %s", extendName, ctx.filePath);
        try {
          if (extendName.startsWith("eslint:")) {
            return this._loadExtendedBuiltInConfig(extendName, ctx);
          }
          if (extendName.startsWith("plugin:")) {
            return this._loadExtendedPluginConfig(extendName, ctx);
          }
          return this._loadExtendedShareableConfig(extendName, ctx);
        } catch (error) {
          error.message += `
Referenced from: ${ctx.filePath || ctx.name}`;
          throw error;
        }
      }
      /**
       * Load configs of an element in `extends`.
       * @param {string} extendName The name of a base config.
       * @param {ConfigArrayFactoryLoadingContext} ctx The loading context.
       * @returns {IterableIterator} The normalized config.
       * @private
       */
      _loadExtendedBuiltInConfig(extendName, ctx) {
        const {
          eslintAllPath,
          getEslintAllConfig,
          eslintRecommendedPath,
          getEslintRecommendedConfig
        } = internalSlotsMap$1.get(this);
        if (extendName === "eslint:recommended") {
          const name = `${ctx.name} \xBB ${extendName}`;
          if (getEslintRecommendedConfig) {
            if (typeof getEslintRecommendedConfig !== "function") {
              throw new Error(`getEslintRecommendedConfig must be a function instead of '${getEslintRecommendedConfig}'`);
            }
            return this._normalizeConfigData(getEslintRecommendedConfig(), { ...ctx, name, filePath: "" });
          }
          return this._loadConfigData({
            ...ctx,
            name,
            filePath: eslintRecommendedPath
          });
        }
        if (extendName === "eslint:all") {
          const name = `${ctx.name} \xBB ${extendName}`;
          if (getEslintAllConfig) {
            if (typeof getEslintAllConfig !== "function") {
              throw new Error(`getEslintAllConfig must be a function instead of '${getEslintAllConfig}'`);
            }
            return this._normalizeConfigData(getEslintAllConfig(), { ...ctx, name, filePath: "" });
          }
          return this._loadConfigData({
            ...ctx,
            name,
            filePath: eslintAllPath
          });
        }
        throw configInvalidError2(extendName, ctx.name, "extend-config-missing");
      }
      /**
       * Load configs of an element in `extends`.
       * @param {string} extendName The name of a base config.
       * @param {ConfigArrayFactoryLoadingContext} ctx The loading context.
       * @returns {IterableIterator} The normalized config.
       * @private
       */
      _loadExtendedPluginConfig(extendName, ctx) {
        const slashIndex = extendName.lastIndexOf("/");
        if (slashIndex === -1) {
          throw configInvalidError2(extendName, ctx.filePath, "plugin-invalid");
        }
        const pluginName = extendName.slice("plugin:".length, slashIndex);
        const configName = extendName.slice(slashIndex + 1);
        if (isFilePath2(pluginName)) {
          throw new Error("'extends' cannot use a file path for plugins.");
        }
        const plugin2 = this._loadPlugin(pluginName, ctx);
        const configData = plugin2.definition && plugin2.definition.configs[configName];
        if (configData) {
          return this._normalizeConfigData(configData, {
            ...ctx,
            filePath: plugin2.filePath || ctx.filePath,
            name: `${ctx.name} \xBB plugin:${plugin2.id}/${configName}`
          });
        }
        throw plugin2.error || configInvalidError2(extendName, ctx.filePath, "extend-config-missing");
      }
      /**
       * Load configs of an element in `extends`.
       * @param {string} extendName The name of a base config.
       * @param {ConfigArrayFactoryLoadingContext} ctx The loading context.
       * @returns {IterableIterator} The normalized config.
       * @private
       */
      _loadExtendedShareableConfig(extendName, ctx) {
        const { cwd, resolver } = internalSlotsMap$1.get(this);
        const relativeTo = ctx.filePath || path__default["default"].join(cwd, "__placeholder__.js");
        let request;
        if (isFilePath2(extendName)) {
          request = extendName;
        } else if (extendName.startsWith(".")) {
          request = `./${extendName}`;
        } else {
          request = normalizePackageName2(
            extendName,
            "eslint-config"
          );
        }
        let filePath;
        try {
          filePath = resolver.resolve(request, relativeTo);
        } catch (error) {
          if (error && error.code === "MODULE_NOT_FOUND") {
            throw configInvalidError2(extendName, ctx.filePath, "extend-config-missing");
          }
          throw error;
        }
        writeDebugLogForLoading2(request, relativeTo, filePath);
        return this._loadConfigData({
          ...ctx,
          filePath,
          name: `${ctx.name} \xBB ${request}`
        });
      }
      /**
       * Load given plugins.
       * @param {string[]} names The plugin names to load.
       * @param {ConfigArrayFactoryLoadingContext} ctx The loading context.
       * @returns {Record} The loaded parser.
       * @private
       */
      _loadPlugins(names, ctx) {
        return names.reduce((map, name) => {
          if (isFilePath2(name)) {
            throw new Error("Plugins array cannot includes file paths.");
          }
          const plugin2 = this._loadPlugin(name, ctx);
          map[plugin2.id] = plugin2;
          return map;
        }, {});
      }
      /**
       * Load a given parser.
       * @param {string} nameOrPath The package name or the path to a parser file.
       * @param {ConfigArrayFactoryLoadingContext} ctx The loading context.
       * @returns {DependentParser} The loaded parser.
       */
      _loadParser(nameOrPath, ctx) {
        debug$2("Loading parser %j from %s", nameOrPath, ctx.filePath);
        const { cwd, resolver } = internalSlotsMap$1.get(this);
        const relativeTo = ctx.filePath || path__default["default"].join(cwd, "__placeholder__.js");
        try {
          const filePath = resolver.resolve(nameOrPath, relativeTo);
          writeDebugLogForLoading2(nameOrPath, relativeTo, filePath);
          return new ConfigDependency2({
            definition: require$1(filePath),
            filePath,
            id: nameOrPath,
            importerName: ctx.name,
            importerPath: ctx.filePath
          });
        } catch (error) {
          if (nameOrPath === "espree") {
            debug$2("Fallback espree.");
            return new ConfigDependency2({
              definition: require$1("espree"),
              filePath: require$1.resolve("espree"),
              id: nameOrPath,
              importerName: ctx.name,
              importerPath: ctx.filePath
            });
          }
          debug$2("Failed to load parser '%s' declared in '%s'.", nameOrPath, ctx.name);
          error.message = `Failed to load parser '${nameOrPath}' declared in '${ctx.name}': ${error.message}`;
          return new ConfigDependency2({
            error,
            id: nameOrPath,
            importerName: ctx.name,
            importerPath: ctx.filePath
          });
        }
      }
      /**
       * Load a given plugin.
       * @param {string} name The plugin name to load.
       * @param {ConfigArrayFactoryLoadingContext} ctx The loading context.
       * @returns {DependentPlugin} The loaded plugin.
       * @private
       */
      _loadPlugin(name, ctx) {
        debug$2("Loading plugin %j from %s", name, ctx.filePath);
        const { additionalPluginPool, resolver } = internalSlotsMap$1.get(this);
        const request = normalizePackageName2(name, "eslint-plugin");
        const id = getShorthandName2(request, "eslint-plugin");
        const relativeTo = path__default["default"].join(ctx.pluginBasePath, "__placeholder__.js");
        if (name.match(/\s+/u)) {
          const error2 = Object.assign(
            new Error(`Whitespace found in plugin name '${name}'`),
            {
              messageTemplate: "whitespace-found",
              messageData: { pluginName: request }
            }
          );
          return new ConfigDependency2({
            error: error2,
            id,
            importerName: ctx.name,
            importerPath: ctx.filePath
          });
        }
        const plugin2 = additionalPluginPool.get(request) || additionalPluginPool.get(id);
        if (plugin2) {
          return new ConfigDependency2({
            definition: normalizePlugin2(plugin2),
            original: plugin2,
            filePath: "",
            // It's unknown where the plugin came from.
            id,
            importerName: ctx.name,
            importerPath: ctx.filePath
          });
        }
        let filePath;
        let error;
        try {
          filePath = resolver.resolve(request, relativeTo);
        } catch (resolveError) {
          error = resolveError;
          if (error && error.code === "MODULE_NOT_FOUND") {
            error.messageTemplate = "plugin-missing";
            error.messageData = {
              pluginName: request,
              resolvePluginsRelativeTo: ctx.pluginBasePath,
              importerName: ctx.name
            };
          }
        }
        if (filePath) {
          try {
            writeDebugLogForLoading2(request, relativeTo, filePath);
            const startTime = Date.now();
            const pluginDefinition = require$1(filePath);
            debug$2(`Plugin ${filePath} loaded in: ${Date.now() - startTime}ms`);
            return new ConfigDependency2({
              definition: normalizePlugin2(pluginDefinition),
              original: pluginDefinition,
              filePath,
              id,
              importerName: ctx.name,
              importerPath: ctx.filePath
            });
          } catch (loadError) {
            error = loadError;
          }
        }
        debug$2("Failed to load plugin '%s' declared in '%s'.", name, ctx.name);
        error.message = `Failed to load plugin '${name}' declared in '${ctx.name}': ${error.message}`;
        return new ConfigDependency2({
          error,
          id,
          importerName: ctx.name,
          importerPath: ctx.filePath
        });
      }
      /**
       * Take file expression processors as config array elements.
       * @param {Record} plugins The plugin definitions.
       * @param {ConfigArrayFactoryLoadingContext} ctx The loading context.
       * @returns {IterableIterator} The config array elements of file expression processors.
       * @private
       */
      *_takeFileExtensionProcessors(plugins, ctx) {
        for (const pluginId of Object.keys(plugins)) {
          const processors = plugins[pluginId] && plugins[pluginId].definition && plugins[pluginId].definition.processors;
          if (!processors) {
            continue;
          }
          for (const processorId of Object.keys(processors)) {
            if (processorId.startsWith(".")) {
              yield* this._normalizeObjectConfigData(
                {
                  files: [`*${processorId}`],
                  processor: `${pluginId}/${processorId}`
                },
                {
                  ...ctx,
                  type: "implicit-processor",
                  name: `${ctx.name}#processors["${pluginId}/${processorId}"]`
                }
              );
            }
          }
        }
      }
    };
    var debug$1 = debugOrig__default["default"]("eslintrc:cascading-config-array-factory");
    var internalSlotsMap4 = /* @__PURE__ */ new WeakMap();
    function createBaseConfigArray2({
      configArrayFactory,
      baseConfigData,
      rulePaths,
      cwd,
      loadRules
    }) {
      const baseConfigArray = configArrayFactory.create(
        baseConfigData,
        { name: "BaseConfig" }
      );
      baseConfigArray.unshift(configArrayFactory.create(
        { ignorePatterns: IgnorePattern2.DefaultPatterns },
        { name: "DefaultIgnorePattern" }
      )[0]);
      if (rulePaths && rulePaths.length > 0) {
        baseConfigArray.push({
          type: "config",
          name: "--rulesdir",
          filePath: "",
          plugins: {
            "": new ConfigDependency2({
              definition: {
                rules: rulePaths.reduce(
                  (map, rulesPath) => Object.assign(
                    map,
                    loadRules(rulesPath, cwd)
                  ),
                  {}
                )
              },
              filePath: "",
              id: "",
              importerName: "--rulesdir",
              importerPath: ""
            })
          }
        });
      }
      return baseConfigArray;
    }
    function createCLIConfigArray2({
      cliConfigData,
      configArrayFactory,
      cwd,
      ignorePath,
      specificConfigPath
    }) {
      const cliConfigArray = configArrayFactory.create(
        cliConfigData,
        { name: "CLIOptions" }
      );
      cliConfigArray.unshift(
        ...ignorePath ? configArrayFactory.loadESLintIgnore(ignorePath) : configArrayFactory.loadDefaultESLintIgnore()
      );
      if (specificConfigPath) {
        cliConfigArray.unshift(
          ...configArrayFactory.loadFile(
            specificConfigPath,
            { name: "--config", basePath: cwd }
          )
        );
      }
      return cliConfigArray;
    }
    var ConfigurationNotFoundError2 = class extends Error {
      // eslint-disable-next-line jsdoc/require-description
      /**
       * @param {string} directoryPath The directory path.
       */
      constructor(directoryPath) {
        super(`No ESLint configuration found in ${directoryPath}.`);
        this.messageTemplate = "no-config-found";
        this.messageData = { directoryPath };
      }
    };
    var CascadingConfigArrayFactory2 = class {
      /**
       * Initialize this enumerator.
       * @param {CascadingConfigArrayFactoryOptions} options The options.
       */
      constructor({
        additionalPluginPool = /* @__PURE__ */ new Map(),
        baseConfig: baseConfigData = null,
        cliConfig: cliConfigData = null,
        cwd = process.cwd(),
        ignorePath,
        resolvePluginsRelativeTo,
        rulePaths = [],
        specificConfigPath = null,
        useEslintrc = true,
        builtInRules = /* @__PURE__ */ new Map(),
        loadRules,
        resolver,
        eslintRecommendedPath,
        getEslintRecommendedConfig,
        eslintAllPath,
        getEslintAllConfig
      } = {}) {
        const configArrayFactory = new ConfigArrayFactory2({
          additionalPluginPool,
          cwd,
          resolvePluginsRelativeTo,
          builtInRules,
          resolver,
          eslintRecommendedPath,
          getEslintRecommendedConfig,
          eslintAllPath,
          getEslintAllConfig
        });
        internalSlotsMap4.set(this, {
          baseConfigArray: createBaseConfigArray2({
            baseConfigData,
            configArrayFactory,
            cwd,
            rulePaths,
            loadRules
          }),
          baseConfigData,
          cliConfigArray: createCLIConfigArray2({
            cliConfigData,
            configArrayFactory,
            cwd,
            ignorePath,
            specificConfigPath
          }),
          cliConfigData,
          configArrayFactory,
          configCache: /* @__PURE__ */ new Map(),
          cwd,
          finalizeCache: /* @__PURE__ */ new WeakMap(),
          ignorePath,
          rulePaths,
          specificConfigPath,
          useEslintrc,
          builtInRules,
          loadRules
        });
      }
      /**
       * The path to the current working directory.
       * This is used by tests.
       * @type {string}
       */
      get cwd() {
        const { cwd } = internalSlotsMap4.get(this);
        return cwd;
      }
      /**
       * Get the config array of a given file.
       * If `filePath` was not given, it returns the config which contains only
       * `baseConfigData` and `cliConfigData`.
       * @param {string} [filePath] The file path to a file.
       * @param {Object} [options] The options.
       * @param {boolean} [options.ignoreNotFoundError] If `true` then it doesn't throw `ConfigurationNotFoundError`.
       * @returns {ConfigArray} The config array of the file.
       */
      getConfigArrayForFile(filePath, { ignoreNotFoundError = false } = {}) {
        const {
          baseConfigArray,
          cliConfigArray,
          cwd
        } = internalSlotsMap4.get(this);
        if (!filePath) {
          return new ConfigArray2(...baseConfigArray, ...cliConfigArray);
        }
        const directoryPath = path__default["default"].dirname(path__default["default"].resolve(cwd, filePath));
        debug$1(`Load config files for ${directoryPath}.`);
        return this._finalizeConfigArray(
          this._loadConfigInAncestors(directoryPath),
          directoryPath,
          ignoreNotFoundError
        );
      }
      /**
       * Set the config data to override all configs.
       * Require to call `clearCache()` method after this method is called.
       * @param {ConfigData} configData The config data to override all configs.
       * @returns {void}
       */
      setOverrideConfig(configData) {
        const slots = internalSlotsMap4.get(this);
        slots.cliConfigData = configData;
      }
      /**
       * Clear config cache.
       * @returns {void}
       */
      clearCache() {
        const slots = internalSlotsMap4.get(this);
        slots.baseConfigArray = createBaseConfigArray2(slots);
        slots.cliConfigArray = createCLIConfigArray2(slots);
        slots.configCache.clear();
      }
      /**
       * Load and normalize config files from the ancestor directories.
       * @param {string} directoryPath The path to a leaf directory.
       * @param {boolean} configsExistInSubdirs `true` if configurations exist in subdirectories.
       * @returns {ConfigArray} The loaded config.
       * @private
       */
      _loadConfigInAncestors(directoryPath, configsExistInSubdirs = false) {
        const {
          baseConfigArray,
          configArrayFactory,
          configCache,
          cwd,
          useEslintrc
        } = internalSlotsMap4.get(this);
        if (!useEslintrc) {
          return baseConfigArray;
        }
        let configArray = configCache.get(directoryPath);
        if (configArray) {
          debug$1(`Cache hit: ${directoryPath}.`);
          return configArray;
        }
        debug$1(`No cache found: ${directoryPath}.`);
        const homePath = os__default["default"].homedir();
        if (directoryPath === homePath && cwd !== homePath) {
          debug$1("Stop traversing because of considered root.");
          if (configsExistInSubdirs) {
            const filePath = ConfigArrayFactory2.getPathToConfigFileInDirectory(directoryPath);
            if (filePath) {
              emitDeprecationWarning2(
                filePath,
                "ESLINT_PERSONAL_CONFIG_SUPPRESS"
              );
            }
          }
          return this._cacheConfig(directoryPath, baseConfigArray);
        }
        try {
          configArray = configArrayFactory.loadInDirectory(directoryPath);
        } catch (error) {
          if (error.code === "EACCES") {
            debug$1("Stop traversing because of 'EACCES' error.");
            return this._cacheConfig(directoryPath, baseConfigArray);
          }
          throw error;
        }
        if (configArray.length > 0 && configArray.isRoot()) {
          debug$1("Stop traversing because of 'root:true'.");
          configArray.unshift(...baseConfigArray);
          return this._cacheConfig(directoryPath, configArray);
        }
        const parentPath = path__default["default"].dirname(directoryPath);
        const parentConfigArray = parentPath && parentPath !== directoryPath ? this._loadConfigInAncestors(
          parentPath,
          configsExistInSubdirs || configArray.length > 0
        ) : baseConfigArray;
        if (configArray.length > 0) {
          configArray.unshift(...parentConfigArray);
        } else {
          configArray = parentConfigArray;
        }
        return this._cacheConfig(directoryPath, configArray);
      }
      /**
       * Freeze and cache a given config.
       * @param {string} directoryPath The path to a directory as a cache key.
       * @param {ConfigArray} configArray The config array as a cache value.
       * @returns {ConfigArray} The `configArray` (frozen).
       */
      _cacheConfig(directoryPath, configArray) {
        const { configCache } = internalSlotsMap4.get(this);
        Object.freeze(configArray);
        configCache.set(directoryPath, configArray);
        return configArray;
      }
      /**
       * Finalize a given config array.
       * Concatenate `--config` and other CLI options.
       * @param {ConfigArray} configArray The parent config array.
       * @param {string} directoryPath The path to the leaf directory to find config files.
       * @param {boolean} ignoreNotFoundError If `true` then it doesn't throw `ConfigurationNotFoundError`.
       * @returns {ConfigArray} The loaded config.
       * @private
       */
      _finalizeConfigArray(configArray, directoryPath, ignoreNotFoundError) {
        const {
          cliConfigArray,
          configArrayFactory,
          finalizeCache,
          useEslintrc,
          builtInRules
        } = internalSlotsMap4.get(this);
        let finalConfigArray = finalizeCache.get(configArray);
        if (!finalConfigArray) {
          finalConfigArray = configArray;
          if (useEslintrc && configArray.every((c) => !c.filePath) && cliConfigArray.every((c) => !c.filePath)) {
            const homePath = os__default["default"].homedir();
            debug$1("Loading the config file of the home directory:", homePath);
            const personalConfigArray = configArrayFactory.loadInDirectory(
              homePath,
              { name: "PersonalConfig" }
            );
            if (personalConfigArray.length > 0 && !directoryPath.startsWith(homePath)) {
              const lastElement = personalConfigArray[personalConfigArray.length - 1];
              emitDeprecationWarning2(
                lastElement.filePath,
                "ESLINT_PERSONAL_CONFIG_LOAD"
              );
            }
            finalConfigArray = finalConfigArray.concat(personalConfigArray);
          }
          if (cliConfigArray.length > 0) {
            finalConfigArray = finalConfigArray.concat(cliConfigArray);
          }
          const validator = new ConfigValidator2({
            builtInRules
          });
          validator.validateConfigArray(finalConfigArray);
          Object.freeze(finalConfigArray);
          finalizeCache.set(configArray, finalConfigArray);
          debug$1(
            "Configuration was determined: %o on %s",
            finalConfigArray,
            directoryPath
          );
        }
        if (!ignoreNotFoundError && useEslintrc && finalConfigArray.length <= 1) {
          throw new ConfigurationNotFoundError2(directoryPath);
        }
        return finalConfigArray;
      }
    };
    var debug5 = debugOrig__default["default"]("eslintrc:flat-compat");
    var cafactory2 = Symbol("cafactory");
    function translateESLintRC2(eslintrcConfig, {
      resolveConfigRelativeTo,
      resolvePluginsRelativeTo,
      pluginEnvironments,
      pluginProcessors
    }) {
      const flatConfig = {};
      const configs = [];
      const languageOptions = {};
      const linterOptions = {};
      const keysToCopy = ["settings", "rules", "processor"];
      const languageOptionsKeysToCopy = ["globals", "parser", "parserOptions"];
      const linterOptionsKeysToCopy = ["noInlineConfig", "reportUnusedDisableDirectives"];
      for (const key of keysToCopy) {
        if (key in eslintrcConfig && typeof eslintrcConfig[key] !== "undefined") {
          flatConfig[key] = eslintrcConfig[key];
        }
      }
      for (const key of languageOptionsKeysToCopy) {
        if (key in eslintrcConfig && typeof eslintrcConfig[key] !== "undefined") {
          flatConfig.languageOptions = languageOptions;
          if (key === "parser") {
            debug5(`Resolving parser '${languageOptions[key]}' relative to ${resolveConfigRelativeTo}`);
            if (eslintrcConfig[key].error) {
              throw eslintrcConfig[key].error;
            }
            languageOptions[key] = eslintrcConfig[key].definition;
            continue;
          }
          if (eslintrcConfig[key] && typeof eslintrcConfig[key] === "object") {
            languageOptions[key] = {
              ...eslintrcConfig[key]
            };
          } else {
            languageOptions[key] = eslintrcConfig[key];
          }
        }
      }
      for (const key of linterOptionsKeysToCopy) {
        if (key in eslintrcConfig && typeof eslintrcConfig[key] !== "undefined") {
          flatConfig.linterOptions = linterOptions;
          linterOptions[key] = eslintrcConfig[key];
        }
      }
      if (languageOptions.parserOptions) {
        if ("ecmaVersion" in languageOptions.parserOptions) {
          languageOptions.ecmaVersion = languageOptions.parserOptions.ecmaVersion;
          delete languageOptions.parserOptions.ecmaVersion;
        }
        if ("sourceType" in languageOptions.parserOptions) {
          languageOptions.sourceType = languageOptions.parserOptions.sourceType;
          delete languageOptions.parserOptions.sourceType;
        }
        if (Object.keys(languageOptions.parserOptions).length === 0) {
          delete languageOptions.parserOptions;
        }
      }
      if (eslintrcConfig.criteria) {
        flatConfig.files = [(absoluteFilePath) => eslintrcConfig.criteria.test(absoluteFilePath)];
      }
      if (eslintrcConfig.plugins && typeof eslintrcConfig.plugins === "object") {
        debug5(`Translating plugins: ${eslintrcConfig.plugins}`);
        flatConfig.plugins = {};
        for (const pluginName of Object.keys(eslintrcConfig.plugins)) {
          debug5(`Translating plugin: ${pluginName}`);
          debug5(`Resolving plugin '${pluginName} relative to ${resolvePluginsRelativeTo}`);
          const { original: plugin2, error } = eslintrcConfig.plugins[pluginName];
          if (error) {
            throw error;
          }
          flatConfig.plugins[pluginName] = plugin2;
          if (plugin2.processors) {
            for (const processorName of Object.keys(plugin2.processors)) {
              if (processorName.startsWith(".")) {
                debug5(`Assigning processor: ${pluginName}/${processorName}`);
                configs.unshift({
                  files: [`**/*${processorName}`],
                  processor: pluginProcessors.get(`${pluginName}/${processorName}`)
                });
              }
            }
          }
        }
      }
      if (eslintrcConfig.env && typeof eslintrcConfig.env === "object") {
        for (const envName of Object.keys(eslintrcConfig.env)) {
          if (eslintrcConfig.env[envName]) {
            debug5(`Translating environment: ${envName}`);
            if (environments.has(envName)) {
              configs.unshift(...translateESLintRC2({
                criteria: eslintrcConfig.criteria,
                ...environments.get(envName)
              }, {
                resolveConfigRelativeTo,
                resolvePluginsRelativeTo
              }));
            } else if (pluginEnvironments.has(envName)) {
              configs.push(...translateESLintRC2({
                criteria: eslintrcConfig.criteria,
                ...pluginEnvironments.get(envName)
              }, {
                resolveConfigRelativeTo,
                resolvePluginsRelativeTo
              }));
            }
          }
        }
      }
      if (Object.keys(flatConfig).length > 0) {
        configs.push(flatConfig);
      }
      return configs;
    }
    var FlatCompat2 = class {
      constructor({
        baseDirectory = process.cwd(),
        resolvePluginsRelativeTo = baseDirectory,
        recommendedConfig,
        allConfig
      } = {}) {
        this.baseDirectory = baseDirectory;
        this.resolvePluginsRelativeTo = resolvePluginsRelativeTo;
        this[cafactory2] = new ConfigArrayFactory2({
          cwd: baseDirectory,
          resolvePluginsRelativeTo,
          getEslintAllConfig: () => {
            if (!allConfig) {
              throw new TypeError("Missing parameter 'allConfig' in FlatCompat constructor.");
            }
            return allConfig;
          },
          getEslintRecommendedConfig: () => {
            if (!recommendedConfig) {
              throw new TypeError("Missing parameter 'recommendedConfig' in FlatCompat constructor.");
            }
            return recommendedConfig;
          }
        });
      }
      /**
       * Translates an ESLintRC-style config into a flag-config-style config.
       * @param {Object} eslintrcConfig The ESLintRC-style config object.
       * @returns {Object} A flag-config-style config object.
       */
      config(eslintrcConfig) {
        const eslintrcArray = this[cafactory2].create(eslintrcConfig, {
          basePath: this.baseDirectory
        });
        const flatArray = [];
        let hasIgnorePatterns = false;
        eslintrcArray.forEach((configData) => {
          if (configData.type === "config") {
            hasIgnorePatterns = hasIgnorePatterns || configData.ignorePattern;
            flatArray.push(...translateESLintRC2(configData, {
              resolveConfigRelativeTo: path__default["default"].join(this.baseDirectory, "__placeholder.js"),
              resolvePluginsRelativeTo: path__default["default"].join(this.resolvePluginsRelativeTo, "__placeholder.js"),
              pluginEnvironments: eslintrcArray.pluginEnvironments,
              pluginProcessors: eslintrcArray.pluginProcessors
            }));
          }
        });
        if (hasIgnorePatterns) {
          flatArray.unshift({
            ignores: [(filePath) => {
              const finalConfig = eslintrcArray.extractConfig(filePath);
              return Boolean(finalConfig.ignores) && finalConfig.ignores(filePath);
            }]
          });
        }
        return flatArray;
      }
      /**
       * Translates the `env` section of an ESLintRC-style config.
       * @param {Object} envConfig The `env` section of an ESLintRC config.
       * @returns {Object[]} An array of flag-config objects representing the environments.
       */
      env(envConfig) {
        return this.config({
          env: envConfig
        });
      }
      /**
       * Translates the `extends` section of an ESLintRC-style config.
       * @param {...string} configsToExtend The names of the configs to load.
       * @returns {Object[]} An array of flag-config objects representing the config.
       */
      extends(...configsToExtend) {
        return this.config({
          extends: configsToExtend
        });
      }
      /**
       * Translates the `plugins` section of an ESLintRC-style config.
       * @param {...string} plugins The names of the plugins to load.
       * @returns {Object[]} An array of flag-config objects representing the plugins.
       */
      plugins(...plugins) {
        return this.config({
          plugins
        });
      }
    };
    var Legacy2 = {
      ConfigArray: ConfigArray2,
      createConfigArrayFactoryContext: createContext2,
      CascadingConfigArrayFactory: CascadingConfigArrayFactory2,
      ConfigArrayFactory: ConfigArrayFactory2,
      ConfigDependency: ConfigDependency2,
      ExtractedConfig: ExtractedConfig2,
      IgnorePattern: IgnorePattern2,
      OverrideTester: OverrideTester2,
      getUsedExtractedConfigs: getUsedExtractedConfigs2,
      environments,
      // shared
      ConfigOps,
      ConfigValidator: ConfigValidator2,
      ModuleResolver,
      naming
    };
    exports2.FlatCompat = FlatCompat2;
    exports2.Legacy = Legacy2;
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/conf/rules.js
var require_rules3 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/conf/rules.js"(exports2, module2) {
    var ruleMap;
    module2.exports = function getCoreRules() {
      const eslint = require("eslint");
      try {
        return ruleMap || (ruleMap = new eslint.Linter().getRules());
      } catch {
      }
      const { builtinRules } = require("eslint/use-at-your-own-risk");
      return builtinRules;
    };
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/conf/eslint-recommended.js
var require_eslint_recommended2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/conf/eslint-recommended.js"(exports2, module2) {
    var getCoreRules = require_rules3();
    var rules = {};
    for (const [ruleId, rule] of getCoreRules()) {
      if (rule.meta.docs.recommended && !rule.meta.deprecated) {
        rules[ruleId] = "error";
      }
    }
    module2.exports = {
      rules
    };
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/conf/eslint-all.js
var require_eslint_all = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/conf/eslint-all.js"(exports2, module2) {
    var getCoreRules = require_rules3();
    var allRules = {};
    for (const [ruleId, rule] of getCoreRules()) {
      if (!rule.meta.deprecated) {
        allRules[ruleId] = "error";
      }
    }
    module2.exports = { rules: allRules };
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/get-auto-jsonc-rules-config/index.js
var require_get_auto_jsonc_rules_config = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/get-auto-jsonc-rules-config/index.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getAutoConfig = void 0;
    var fs_1 = require("fs");
    var path_1 = require("path");
    var should_use_flat_config_1 = require_should_use_flat_config();
    var calculate_config_for_file_1 = require_calculate_config_for_file();
    var configResolvers = {};
    var ruleNames;
    function getConfigResolver(cwd) {
      const configResolver = configResolvers[cwd];
      if (configResolver) {
        return configResolver;
      }
      if ((0, should_use_flat_config_1.shouldUseFlatConfig)(cwd)) {
        return configResolvers[cwd] = (filePath) => (0, calculate_config_for_file_1.calculateConfigForFile)(cwd, filePath);
      }
      const plugin2 = require_dist12();
      try {
        const eslintrc = require_eslintrc();
        const configArrayFactory = new eslintrc.Legacy.CascadingConfigArrayFactory({
          additionalPluginPool: /* @__PURE__ */ new Map([["eslint-plugin-jsonc", plugin2]]),
          getEslintRecommendedConfig() {
            return require_eslint_recommended2();
          },
          getEslintAllConfig() {
            return require_eslint_all();
          },
          eslintRecommendedPath: require.resolve("./eslint-recommended-f428b074.js"),
          eslintAllPath: require.resolve("./eslint-all-9b77e49b.js"),
          resolvePluginsRelativeTo: (0, path_1.resolve)(__dirname, "../../../../../")
        });
        return configResolvers[cwd] = (filePath) => {
          const absolutePath = (0, path_1.resolve)(cwd, filePath);
          return configArrayFactory.getConfigArrayForFile(absolutePath).extractConfig(absolutePath).toCompatibleObjectAsConfigFileContent();
        };
      } catch (_e) {
      }
      try {
        const eslint = require("eslint");
        const engine = new eslint.CLIEngine({ cwd });
        engine.addPlugin("eslint-plugin-jsonc", plugin2);
        return configResolvers[cwd] = (filePath) => {
          let targetFilePath = filePath;
          const ext = (0, path_1.extname)(filePath);
          while (!isValidFilename(targetFilePath)) {
            const dir = (0, path_1.dirname)(targetFilePath);
            if (dir === targetFilePath) {
              return {};
            }
            targetFilePath = dir;
            if (ext && (0, path_1.extname)(targetFilePath) !== ext) {
              targetFilePath += ext;
            }
          }
          return engine.getConfigForFile(targetFilePath);
        };
      } catch (_a) {
      }
      return () => ({});
    }
    function isValidFilename(filename) {
      const dir = (0, path_1.dirname)(filename);
      if ((0, fs_1.existsSync)(dir) && (0, fs_1.statSync)(dir).isDirectory()) {
        if ((0, fs_1.existsSync)(filename) && (0, fs_1.statSync)(filename).isDirectory()) {
          return false;
        }
        return true;
      }
      return false;
    }
    function getConfig(cwd, filename) {
      return getConfigResolver(cwd)(filename);
    }
    function getJsoncRule(rule) {
      var _a;
      ruleNames = ruleNames || new Set(require_rules4().rules.map((r) => r.meta.docs.ruleName));
      const ruleName = rule.startsWith("@stylistic/") ? (_a = rule.split("/").pop()) !== null && _a !== void 0 ? _a : rule : rule;
      return ruleNames.has(ruleName) ? `jsonc/${ruleName}` : null;
    }
    function getAutoConfig(cwd, filename) {
      const autoConfig = {};
      const config7 = getConfig(cwd, filename);
      if (config7.rules) {
        for (const ruleName of Object.keys(config7.rules)) {
          const jsoncName = getJsoncRule(ruleName);
          if (jsoncName && !config7.rules[jsoncName]) {
            const entry = config7.rules[ruleName];
            if (entry) {
              const severity = Array.isArray(entry) ? entry[0] : entry;
              if (severity !== "off" && severity !== 0) {
                autoConfig[jsoncName] = entry;
              }
            }
          }
        }
      }
      return autoConfig;
    }
    exports2.getAutoConfig = getAutoConfig;
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/auto.js
var require_auto = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/rules/auto.js"(exports2) {
    "use strict";
    init_();
    Object.defineProperty(exports2, "__esModule", { value: true });
    var eslint_compat_utils_1 = require_dist9();
    var utils_1 = require_utils9();
    var get_auto_jsonc_rules_config_1 = require_get_auto_jsonc_rules_config();
    exports2.default = (0, utils_1.createRule)("auto", {
      meta: {
        docs: {
          description: "apply jsonc rules similar to your configured ESLint core rules",
          recommended: null,
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        schema: [],
        messages: {},
        type: "suggestion"
      },
      create(context, params) {
        const sourceCode = (0, eslint_compat_utils_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isJSON) {
          return {};
        }
        const autoConfig = (0, get_auto_jsonc_rules_config_1.getAutoConfig)((0, eslint_compat_utils_1.getCwd)(context), (0, eslint_compat_utils_1.getFilename)(context));
        const visitor2 = {};
        for (const ruleId of Object.keys(autoConfig)) {
          const rule = globRequire(`./${ruleId.replace(/^jsonc\//u, "")}`).default;
          const subContext = {
            __proto__: context,
            options: getRuleOptions(autoConfig[ruleId]),
            report(options) {
              if (options.messageId) {
                options.message = `[${ruleId}] ${rule.meta.messages[options.messageId]}`;
                delete options.messageId;
              } else {
                options.message = `[${ruleId}] ${options.message}`;
              }
              context.report(options);
            }
          };
          const ruleVisitor = rule.jsoncDefineRule.create(subContext, params);
          for (const key of Object.keys(ruleVisitor)) {
            const newVisit = ruleVisitor[key];
            const oldVisit = visitor2[key];
            if (!newVisit) {
              continue;
            }
            if (!oldVisit) {
              visitor2[key] = ruleVisitor[key];
            } else {
              visitor2[key] = (...args) => {
                oldVisit(...args);
                newVisit(...args);
              };
            }
          }
        }
        return visitor2;
      }
    });
    function getRuleOptions(options) {
      if (!Array.isArray(options)) {
        return [];
      }
      return options.slice(1);
    }
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/rules.js
var require_rules4 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/utils/rules.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.rules = void 0;
    var array_bracket_newline_1 = __importDefault2(require_array_bracket_newline());
    var array_bracket_spacing_1 = __importDefault2(require_array_bracket_spacing());
    var array_element_newline_1 = __importDefault2(require_array_element_newline());
    var auto_1 = __importDefault2(require_auto());
    var comma_dangle_1 = __importDefault2(require_comma_dangle2());
    var comma_style_1 = __importDefault2(require_comma_style());
    var indent_1 = __importDefault2(require_indent2());
    var key_name_casing_1 = __importDefault2(require_key_name_casing());
    var key_spacing_1 = __importDefault2(require_key_spacing2());
    var no_bigint_literals_1 = __importDefault2(require_no_bigint_literals());
    var no_binary_expression_1 = __importDefault2(require_no_binary_expression());
    var no_binary_numeric_literals_1 = __importDefault2(require_no_binary_numeric_literals2());
    var no_comments_1 = __importDefault2(require_no_comments());
    var no_dupe_keys_1 = __importDefault2(require_no_dupe_keys());
    var no_escape_sequence_in_identifier_1 = __importDefault2(require_no_escape_sequence_in_identifier());
    var no_floating_decimal_1 = __importDefault2(require_no_floating_decimal());
    var no_hexadecimal_numeric_literals_1 = __importDefault2(require_no_hexadecimal_numeric_literals());
    var no_infinity_1 = __importDefault2(require_no_infinity());
    var no_irregular_whitespace_1 = __importDefault2(require_no_irregular_whitespace());
    var no_multi_str_1 = __importDefault2(require_no_multi_str());
    var no_nan_1 = __importDefault2(require_no_nan());
    var no_number_props_1 = __importDefault2(require_no_number_props());
    var no_numeric_separators_1 = __importDefault2(require_no_numeric_separators2());
    var no_octal_escape_1 = __importDefault2(require_no_octal_escape());
    var no_octal_numeric_literals_1 = __importDefault2(require_no_octal_numeric_literals2());
    var no_octal_1 = __importDefault2(require_no_octal());
    var no_parenthesized_1 = __importDefault2(require_no_parenthesized());
    var no_plus_sign_1 = __importDefault2(require_no_plus_sign());
    var no_regexp_literals_1 = __importDefault2(require_no_regexp_literals());
    var no_sparse_arrays_1 = __importDefault2(require_no_sparse_arrays());
    var no_template_literals_1 = __importDefault2(require_no_template_literals2());
    var no_undefined_value_1 = __importDefault2(require_no_undefined_value());
    var no_unicode_codepoint_escapes_1 = __importDefault2(require_no_unicode_codepoint_escapes2());
    var no_useless_escape_1 = __importDefault2(require_no_useless_escape());
    var object_curly_newline_1 = __importDefault2(require_object_curly_newline());
    var object_curly_spacing_1 = __importDefault2(require_object_curly_spacing2());
    var object_property_newline_1 = __importDefault2(require_object_property_newline());
    var quote_props_1 = __importDefault2(require_quote_props());
    var quotes_1 = __importDefault2(require_quotes2());
    var sort_array_values_1 = __importDefault2(require_sort_array_values());
    var sort_keys_1 = __importDefault2(require_sort_keys());
    var space_unary_ops_1 = __importDefault2(require_space_unary_ops());
    var valid_json_number_1 = __importDefault2(require_valid_json_number());
    var no_parsing_error_1 = __importDefault2(require_no_parsing_error());
    exports2.rules = [
      array_bracket_newline_1.default,
      array_bracket_spacing_1.default,
      array_element_newline_1.default,
      auto_1.default,
      comma_dangle_1.default,
      comma_style_1.default,
      indent_1.default,
      key_name_casing_1.default,
      key_spacing_1.default,
      no_bigint_literals_1.default,
      no_binary_expression_1.default,
      no_binary_numeric_literals_1.default,
      no_comments_1.default,
      no_dupe_keys_1.default,
      no_escape_sequence_in_identifier_1.default,
      no_floating_decimal_1.default,
      no_hexadecimal_numeric_literals_1.default,
      no_infinity_1.default,
      no_irregular_whitespace_1.default,
      no_multi_str_1.default,
      no_nan_1.default,
      no_number_props_1.default,
      no_numeric_separators_1.default,
      no_octal_escape_1.default,
      no_octal_numeric_literals_1.default,
      no_octal_1.default,
      no_parenthesized_1.default,
      no_plus_sign_1.default,
      no_regexp_literals_1.default,
      no_sparse_arrays_1.default,
      no_template_literals_1.default,
      no_undefined_value_1.default,
      no_unicode_codepoint_escapes_1.default,
      no_useless_escape_1.default,
      object_curly_newline_1.default,
      object_curly_spacing_1.default,
      object_property_newline_1.default,
      quote_props_1.default,
      quotes_1.default,
      sort_array_values_1.default,
      sort_keys_1.default,
      space_unary_ops_1.default,
      valid_json_number_1.default,
      no_parsing_error_1.default
    ];
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/base.js
var require_base2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/base.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["jsonc"],
      overrides: [
        {
          files: ["*.json", "*.json5", "*.jsonc"],
          parser: require.resolve("./index-4e99eb17.js"),
          rules: {
            strict: "off",
            "no-unused-expressions": "off",
            "no-unused-vars": "off"
          }
        }
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/auto-config.js
var require_auto_config = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/auto-config.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var path_1 = __importDefault2(require("path"));
    var base = require.resolve("./base-30ec970b.js");
    var baseExtend = path_1.default.extname(`${base}`) === ".ts" ? "plugin:jsonc/base" : base;
    module2.exports = {
      extends: [baseExtend],
      rules: {
        "jsonc/auto": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/recommended-with-json.js
var require_recommended_with_json = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/recommended-with-json.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var path_1 = __importDefault2(require("path"));
    var base = require.resolve("./base-30ec970b.js");
    var baseExtend = path_1.default.extname(`${base}`) === ".ts" ? "plugin:jsonc/base" : base;
    module2.exports = {
      extends: [baseExtend],
      rules: {
        "jsonc/comma-dangle": "error",
        "jsonc/no-bigint-literals": "error",
        "jsonc/no-binary-expression": "error",
        "jsonc/no-binary-numeric-literals": "error",
        "jsonc/no-comments": "error",
        "jsonc/no-dupe-keys": "error",
        "jsonc/no-escape-sequence-in-identifier": "error",
        "jsonc/no-floating-decimal": "error",
        "jsonc/no-hexadecimal-numeric-literals": "error",
        "jsonc/no-infinity": "error",
        "jsonc/no-multi-str": "error",
        "jsonc/no-nan": "error",
        "jsonc/no-number-props": "error",
        "jsonc/no-numeric-separators": "error",
        "jsonc/no-octal-numeric-literals": "error",
        "jsonc/no-octal": "error",
        "jsonc/no-parenthesized": "error",
        "jsonc/no-plus-sign": "error",
        "jsonc/no-regexp-literals": "error",
        "jsonc/no-sparse-arrays": "error",
        "jsonc/no-template-literals": "error",
        "jsonc/no-undefined-value": "error",
        "jsonc/no-unicode-codepoint-escapes": "error",
        "jsonc/no-useless-escape": "error",
        "jsonc/quote-props": "error",
        "jsonc/quotes": "error",
        "jsonc/space-unary-ops": "error",
        "jsonc/valid-json-number": "error",
        "jsonc/vue-custom-block/no-parsing-error": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/recommended-with-jsonc.js
var require_recommended_with_jsonc = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/recommended-with-jsonc.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var path_1 = __importDefault2(require("path"));
    var base = require.resolve("./base-30ec970b.js");
    var baseExtend = path_1.default.extname(`${base}`) === ".ts" ? "plugin:jsonc/base" : base;
    module2.exports = {
      extends: [baseExtend],
      rules: {
        "jsonc/no-bigint-literals": "error",
        "jsonc/no-binary-expression": "error",
        "jsonc/no-binary-numeric-literals": "error",
        "jsonc/no-dupe-keys": "error",
        "jsonc/no-escape-sequence-in-identifier": "error",
        "jsonc/no-floating-decimal": "error",
        "jsonc/no-hexadecimal-numeric-literals": "error",
        "jsonc/no-infinity": "error",
        "jsonc/no-multi-str": "error",
        "jsonc/no-nan": "error",
        "jsonc/no-number-props": "error",
        "jsonc/no-numeric-separators": "error",
        "jsonc/no-octal-numeric-literals": "error",
        "jsonc/no-octal": "error",
        "jsonc/no-parenthesized": "error",
        "jsonc/no-plus-sign": "error",
        "jsonc/no-regexp-literals": "error",
        "jsonc/no-sparse-arrays": "error",
        "jsonc/no-template-literals": "error",
        "jsonc/no-undefined-value": "error",
        "jsonc/no-unicode-codepoint-escapes": "error",
        "jsonc/no-useless-escape": "error",
        "jsonc/quote-props": "error",
        "jsonc/quotes": "error",
        "jsonc/space-unary-ops": "error",
        "jsonc/valid-json-number": "error",
        "jsonc/vue-custom-block/no-parsing-error": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/recommended-with-json5.js
var require_recommended_with_json5 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/recommended-with-json5.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var path_1 = __importDefault2(require("path"));
    var base = require.resolve("./base-30ec970b.js");
    var baseExtend = path_1.default.extname(`${base}`) === ".ts" ? "plugin:jsonc/base" : base;
    module2.exports = {
      extends: [baseExtend],
      rules: {
        "jsonc/no-bigint-literals": "error",
        "jsonc/no-binary-expression": "error",
        "jsonc/no-binary-numeric-literals": "error",
        "jsonc/no-dupe-keys": "error",
        "jsonc/no-escape-sequence-in-identifier": "error",
        "jsonc/no-number-props": "error",
        "jsonc/no-numeric-separators": "error",
        "jsonc/no-octal-numeric-literals": "error",
        "jsonc/no-octal": "error",
        "jsonc/no-parenthesized": "error",
        "jsonc/no-regexp-literals": "error",
        "jsonc/no-sparse-arrays": "error",
        "jsonc/no-template-literals": "error",
        "jsonc/no-undefined-value": "error",
        "jsonc/no-unicode-codepoint-escapes": "error",
        "jsonc/no-useless-escape": "error",
        "jsonc/space-unary-ops": "error",
        "jsonc/vue-custom-block/no-parsing-error": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/prettier.js
var require_prettier = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/prettier.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var path_1 = __importDefault2(require("path"));
    var base = require.resolve("./base-30ec970b.js");
    var baseExtend = path_1.default.extname(`${base}`) === ".ts" ? "plugin:jsonc/base" : base;
    module2.exports = {
      extends: [baseExtend],
      rules: {
        "jsonc/array-bracket-newline": "off",
        "jsonc/array-bracket-spacing": "off",
        "jsonc/array-element-newline": "off",
        "jsonc/comma-dangle": "off",
        "jsonc/comma-style": "off",
        "jsonc/indent": "off",
        "jsonc/key-spacing": "off",
        "jsonc/no-floating-decimal": "off",
        "jsonc/object-curly-newline": "off",
        "jsonc/object-curly-spacing": "off",
        "jsonc/object-property-newline": "off",
        "jsonc/quote-props": "off",
        "jsonc/quotes": "off",
        "jsonc/space-unary-ops": "off"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/all.js
var require_all2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/all.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var rules_1 = require_rules4();
    var path_1 = __importDefault2(require("path"));
    var base = require.resolve("./base-30ec970b.js");
    var baseExtend = path_1.default.extname(`${base}`) === ".ts" ? "plugin:jsonc/base" : base;
    var all = {};
    for (const rule of rules_1.rules) {
      if (rule.meta.docs.ruleId === "jsonc/sort-array-values")
        continue;
      all[rule.meta.docs.ruleId] = "error";
    }
    module2.exports = {
      extends: [baseExtend],
      rules: Object.assign({}, all)
    };
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/flat/base.js
var require_base3 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/flat/base.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var parser = __importStar2(require_lib14());
    exports2.default = [
      {
        plugins: {
          get jsonc() {
            return require_dist12();
          }
        }
      },
      {
        files: [
          "*.json",
          "**/*.json",
          "*.json5",
          "**/*.json5",
          "*.jsonc",
          "**/*.jsonc"
        ],
        languageOptions: {
          parser
        },
        rules: {
          strict: "off",
          "no-unused-expressions": "off",
          "no-unused-vars": "off"
        }
      }
    ];
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/flat/recommended-with-json.js
var require_recommended_with_json2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/flat/recommended-with-json.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var base_1 = __importDefault2(require_base3());
    exports2.default = [
      ...base_1.default,
      {
        rules: {
          "jsonc/comma-dangle": "error",
          "jsonc/no-bigint-literals": "error",
          "jsonc/no-binary-expression": "error",
          "jsonc/no-binary-numeric-literals": "error",
          "jsonc/no-comments": "error",
          "jsonc/no-dupe-keys": "error",
          "jsonc/no-escape-sequence-in-identifier": "error",
          "jsonc/no-floating-decimal": "error",
          "jsonc/no-hexadecimal-numeric-literals": "error",
          "jsonc/no-infinity": "error",
          "jsonc/no-multi-str": "error",
          "jsonc/no-nan": "error",
          "jsonc/no-number-props": "error",
          "jsonc/no-numeric-separators": "error",
          "jsonc/no-octal-numeric-literals": "error",
          "jsonc/no-octal": "error",
          "jsonc/no-parenthesized": "error",
          "jsonc/no-plus-sign": "error",
          "jsonc/no-regexp-literals": "error",
          "jsonc/no-sparse-arrays": "error",
          "jsonc/no-template-literals": "error",
          "jsonc/no-undefined-value": "error",
          "jsonc/no-unicode-codepoint-escapes": "error",
          "jsonc/no-useless-escape": "error",
          "jsonc/quote-props": "error",
          "jsonc/quotes": "error",
          "jsonc/space-unary-ops": "error",
          "jsonc/valid-json-number": "error",
          "jsonc/vue-custom-block/no-parsing-error": "error"
        }
      }
    ];
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/flat/recommended-with-jsonc.js
var require_recommended_with_jsonc2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/flat/recommended-with-jsonc.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var base_1 = __importDefault2(require_base3());
    exports2.default = [
      ...base_1.default,
      {
        rules: {
          "jsonc/no-bigint-literals": "error",
          "jsonc/no-binary-expression": "error",
          "jsonc/no-binary-numeric-literals": "error",
          "jsonc/no-dupe-keys": "error",
          "jsonc/no-escape-sequence-in-identifier": "error",
          "jsonc/no-floating-decimal": "error",
          "jsonc/no-hexadecimal-numeric-literals": "error",
          "jsonc/no-infinity": "error",
          "jsonc/no-multi-str": "error",
          "jsonc/no-nan": "error",
          "jsonc/no-number-props": "error",
          "jsonc/no-numeric-separators": "error",
          "jsonc/no-octal-numeric-literals": "error",
          "jsonc/no-octal": "error",
          "jsonc/no-parenthesized": "error",
          "jsonc/no-plus-sign": "error",
          "jsonc/no-regexp-literals": "error",
          "jsonc/no-sparse-arrays": "error",
          "jsonc/no-template-literals": "error",
          "jsonc/no-undefined-value": "error",
          "jsonc/no-unicode-codepoint-escapes": "error",
          "jsonc/no-useless-escape": "error",
          "jsonc/quote-props": "error",
          "jsonc/quotes": "error",
          "jsonc/space-unary-ops": "error",
          "jsonc/valid-json-number": "error",
          "jsonc/vue-custom-block/no-parsing-error": "error"
        }
      }
    ];
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/flat/recommended-with-json5.js
var require_recommended_with_json52 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/flat/recommended-with-json5.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var base_1 = __importDefault2(require_base3());
    exports2.default = [
      ...base_1.default,
      {
        rules: {
          "jsonc/no-bigint-literals": "error",
          "jsonc/no-binary-expression": "error",
          "jsonc/no-binary-numeric-literals": "error",
          "jsonc/no-dupe-keys": "error",
          "jsonc/no-escape-sequence-in-identifier": "error",
          "jsonc/no-number-props": "error",
          "jsonc/no-numeric-separators": "error",
          "jsonc/no-octal-numeric-literals": "error",
          "jsonc/no-octal": "error",
          "jsonc/no-parenthesized": "error",
          "jsonc/no-regexp-literals": "error",
          "jsonc/no-sparse-arrays": "error",
          "jsonc/no-template-literals": "error",
          "jsonc/no-undefined-value": "error",
          "jsonc/no-unicode-codepoint-escapes": "error",
          "jsonc/no-useless-escape": "error",
          "jsonc/space-unary-ops": "error",
          "jsonc/vue-custom-block/no-parsing-error": "error"
        }
      }
    ];
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/flat/prettier.js
var require_prettier2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/flat/prettier.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var base_1 = __importDefault2(require_base3());
    exports2.default = [
      ...base_1.default,
      {
        rules: {
          "jsonc/array-bracket-newline": "off",
          "jsonc/array-bracket-spacing": "off",
          "jsonc/array-element-newline": "off",
          "jsonc/comma-dangle": "off",
          "jsonc/comma-style": "off",
          "jsonc/indent": "off",
          "jsonc/key-spacing": "off",
          "jsonc/no-floating-decimal": "off",
          "jsonc/object-curly-newline": "off",
          "jsonc/object-curly-spacing": "off",
          "jsonc/object-property-newline": "off",
          "jsonc/quote-props": "off",
          "jsonc/quotes": "off",
          "jsonc/space-unary-ops": "off"
        }
      }
    ];
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/flat/all.js
var require_all3 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/configs/flat/all.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var rules_1 = require_rules4();
    var base_1 = __importDefault2(require_base3());
    var all = {};
    for (const rule of rules_1.rules) {
      if (rule.meta.docs.ruleId === "jsonc/sort-array-values")
        continue;
      all[rule.meta.docs.ruleId] = "error";
    }
    exports2.default = [
      ...base_1.default,
      {
        rules: Object.assign({}, all)
      }
    ];
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/meta.js
var require_meta2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/meta.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.version = exports2.name = void 0;
    exports2.name = "eslint-plugin-jsonc";
    exports2.version = "2.16.0";
  }
});

// node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/index.js
var require_dist12 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-jsonc@2.16.0_eslint@9.5.0/node_modules/eslint-plugin-jsonc/dist/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getStaticJSONValue = exports2.traverseNodes = exports2.parseJSON = exports2.parseForESLint = exports2.rules = exports2.configs = exports2.meta = void 0;
    var rules_1 = require_rules4();
    var base_1 = __importDefault2(require_base2());
    var auto_config_1 = __importDefault2(require_auto_config());
    var recommended_with_json_1 = __importDefault2(require_recommended_with_json());
    var recommended_with_jsonc_1 = __importDefault2(require_recommended_with_jsonc());
    var recommended_with_json5_1 = __importDefault2(require_recommended_with_json5());
    var prettier_1 = __importDefault2(require_prettier());
    var all_1 = __importDefault2(require_all2());
    var base_2 = __importDefault2(require_base3());
    var recommended_with_json_2 = __importDefault2(require_recommended_with_json2());
    var recommended_with_jsonc_2 = __importDefault2(require_recommended_with_jsonc2());
    var recommended_with_json5_2 = __importDefault2(require_recommended_with_json52());
    var prettier_2 = __importDefault2(require_prettier2());
    var all_2 = __importDefault2(require_all3());
    var meta = __importStar2(require_meta2());
    exports2.meta = meta;
    var jsonc_eslint_parser_1 = require_lib14();
    Object.defineProperty(exports2, "parseForESLint", { enumerable: true, get: function() {
      return jsonc_eslint_parser_1.parseForESLint;
    } });
    Object.defineProperty(exports2, "parseJSON", { enumerable: true, get: function() {
      return jsonc_eslint_parser_1.parseJSON;
    } });
    Object.defineProperty(exports2, "traverseNodes", { enumerable: true, get: function() {
      return jsonc_eslint_parser_1.traverseNodes;
    } });
    Object.defineProperty(exports2, "getStaticJSONValue", { enumerable: true, get: function() {
      return jsonc_eslint_parser_1.getStaticJSONValue;
    } });
    var configs = {
      base: base_1.default,
      "auto-config": auto_config_1.default,
      "recommended-with-json": recommended_with_json_1.default,
      "recommended-with-jsonc": recommended_with_jsonc_1.default,
      "recommended-with-json5": recommended_with_json5_1.default,
      prettier: prettier_1.default,
      all: all_1.default,
      "flat/base": base_2.default,
      "flat/recommended-with-json": recommended_with_json_2.default,
      "flat/recommended-with-jsonc": recommended_with_jsonc_2.default,
      "flat/recommended-with-json5": recommended_with_json5_2.default,
      "flat/prettier": prettier_2.default,
      "flat/all": all_2.default
    };
    exports2.configs = configs;
    var rules = rules_1.rules.reduce((obj, r) => {
      obj[r.meta.docs.ruleName] = r;
      return obj;
    }, {});
    exports2.rules = rules;
    exports2.default = {
      meta,
      configs,
      rules,
      parseForESLint: jsonc_eslint_parser_1.parseForESLint,
      parseJSON: jsonc_eslint_parser_1.parseJSON,
      traverseNodes: jsonc_eslint_parser_1.traverseNodes,
      getStaticJSONValue: jsonc_eslint_parser_1.getStaticJSONValue
    };
  }
});

// node_modules/.pnpm/@eslint+js@9.4.0/node_modules/@eslint/js/src/configs/eslint-all.js
var require_eslint_all2 = __commonJS({
  "node_modules/.pnpm/@eslint+js@9.4.0/node_modules/@eslint/js/src/configs/eslint-all.js"(exports2, module2) {
    "use strict";
    module2.exports = Object.freeze({
      "rules": {
        "accessor-pairs": "error",
        "array-callback-return": "error",
        "arrow-body-style": "error",
        "block-scoped-var": "error",
        "camelcase": "error",
        "capitalized-comments": "error",
        "class-methods-use-this": "error",
        "complexity": "error",
        "consistent-return": "error",
        "consistent-this": "error",
        "constructor-super": "error",
        "curly": "error",
        "default-case": "error",
        "default-case-last": "error",
        "default-param-last": "error",
        "dot-notation": "error",
        "eqeqeq": "error",
        "for-direction": "error",
        "func-name-matching": "error",
        "func-names": "error",
        "func-style": "error",
        "getter-return": "error",
        "grouped-accessor-pairs": "error",
        "guard-for-in": "error",
        "id-denylist": "error",
        "id-length": "error",
        "id-match": "error",
        "init-declarations": "error",
        "logical-assignment-operators": "error",
        "max-classes-per-file": "error",
        "max-depth": "error",
        "max-lines": "error",
        "max-lines-per-function": "error",
        "max-nested-callbacks": "error",
        "max-params": "error",
        "max-statements": "error",
        "new-cap": "error",
        "no-alert": "error",
        "no-array-constructor": "error",
        "no-async-promise-executor": "error",
        "no-await-in-loop": "error",
        "no-bitwise": "error",
        "no-caller": "error",
        "no-case-declarations": "error",
        "no-class-assign": "error",
        "no-compare-neg-zero": "error",
        "no-cond-assign": "error",
        "no-console": "error",
        "no-const-assign": "error",
        "no-constant-binary-expression": "error",
        "no-constant-condition": "error",
        "no-constructor-return": "error",
        "no-continue": "error",
        "no-control-regex": "error",
        "no-debugger": "error",
        "no-delete-var": "error",
        "no-div-regex": "error",
        "no-dupe-args": "error",
        "no-dupe-class-members": "error",
        "no-dupe-else-if": "error",
        "no-dupe-keys": "error",
        "no-duplicate-case": "error",
        "no-duplicate-imports": "error",
        "no-else-return": "error",
        "no-empty": "error",
        "no-empty-character-class": "error",
        "no-empty-function": "error",
        "no-empty-pattern": "error",
        "no-empty-static-block": "error",
        "no-eq-null": "error",
        "no-eval": "error",
        "no-ex-assign": "error",
        "no-extend-native": "error",
        "no-extra-bind": "error",
        "no-extra-boolean-cast": "error",
        "no-extra-label": "error",
        "no-fallthrough": "error",
        "no-func-assign": "error",
        "no-global-assign": "error",
        "no-implicit-coercion": "error",
        "no-implicit-globals": "error",
        "no-implied-eval": "error",
        "no-import-assign": "error",
        "no-inline-comments": "error",
        "no-inner-declarations": "error",
        "no-invalid-regexp": "error",
        "no-invalid-this": "error",
        "no-irregular-whitespace": "error",
        "no-iterator": "error",
        "no-label-var": "error",
        "no-labels": "error",
        "no-lone-blocks": "error",
        "no-lonely-if": "error",
        "no-loop-func": "error",
        "no-loss-of-precision": "error",
        "no-magic-numbers": "error",
        "no-misleading-character-class": "error",
        "no-multi-assign": "error",
        "no-multi-str": "error",
        "no-negated-condition": "error",
        "no-nested-ternary": "error",
        "no-new": "error",
        "no-new-func": "error",
        "no-new-native-nonconstructor": "error",
        "no-new-wrappers": "error",
        "no-nonoctal-decimal-escape": "error",
        "no-obj-calls": "error",
        "no-object-constructor": "error",
        "no-octal": "error",
        "no-octal-escape": "error",
        "no-param-reassign": "error",
        "no-plusplus": "error",
        "no-promise-executor-return": "error",
        "no-proto": "error",
        "no-prototype-builtins": "error",
        "no-redeclare": "error",
        "no-regex-spaces": "error",
        "no-restricted-exports": "error",
        "no-restricted-globals": "error",
        "no-restricted-imports": "error",
        "no-restricted-properties": "error",
        "no-restricted-syntax": "error",
        "no-return-assign": "error",
        "no-script-url": "error",
        "no-self-assign": "error",
        "no-self-compare": "error",
        "no-sequences": "error",
        "no-setter-return": "error",
        "no-shadow": "error",
        "no-shadow-restricted-names": "error",
        "no-sparse-arrays": "error",
        "no-template-curly-in-string": "error",
        "no-ternary": "error",
        "no-this-before-super": "error",
        "no-throw-literal": "error",
        "no-undef": "error",
        "no-undef-init": "error",
        "no-undefined": "error",
        "no-underscore-dangle": "error",
        "no-unexpected-multiline": "error",
        "no-unmodified-loop-condition": "error",
        "no-unneeded-ternary": "error",
        "no-unreachable": "error",
        "no-unreachable-loop": "error",
        "no-unsafe-finally": "error",
        "no-unsafe-negation": "error",
        "no-unsafe-optional-chaining": "error",
        "no-unused-expressions": "error",
        "no-unused-labels": "error",
        "no-unused-private-class-members": "error",
        "no-unused-vars": "error",
        "no-use-before-define": "error",
        "no-useless-assignment": "error",
        "no-useless-backreference": "error",
        "no-useless-call": "error",
        "no-useless-catch": "error",
        "no-useless-computed-key": "error",
        "no-useless-concat": "error",
        "no-useless-constructor": "error",
        "no-useless-escape": "error",
        "no-useless-rename": "error",
        "no-useless-return": "error",
        "no-var": "error",
        "no-void": "error",
        "no-warning-comments": "error",
        "no-with": "error",
        "object-shorthand": "error",
        "one-var": "error",
        "operator-assignment": "error",
        "prefer-arrow-callback": "error",
        "prefer-const": "error",
        "prefer-destructuring": "error",
        "prefer-exponentiation-operator": "error",
        "prefer-named-capture-group": "error",
        "prefer-numeric-literals": "error",
        "prefer-object-has-own": "error",
        "prefer-object-spread": "error",
        "prefer-promise-reject-errors": "error",
        "prefer-regex-literals": "error",
        "prefer-rest-params": "error",
        "prefer-spread": "error",
        "prefer-template": "error",
        "radix": "error",
        "require-atomic-updates": "error",
        "require-await": "error",
        "require-unicode-regexp": "error",
        "require-yield": "error",
        "sort-imports": "error",
        "sort-keys": "error",
        "sort-vars": "error",
        "strict": "error",
        "symbol-description": "error",
        "unicode-bom": "error",
        "use-isnan": "error",
        "valid-typeof": "error",
        "vars-on-top": "error",
        "yoda": "error"
      }
    });
  }
});

// node_modules/.pnpm/@eslint+js@9.4.0/node_modules/@eslint/js/src/configs/eslint-recommended.js
var require_eslint_recommended3 = __commonJS({
  "node_modules/.pnpm/@eslint+js@9.4.0/node_modules/@eslint/js/src/configs/eslint-recommended.js"(exports2, module2) {
    "use strict";
    module2.exports = Object.freeze({
      rules: Object.freeze({
        "constructor-super": "error",
        "for-direction": "error",
        "getter-return": "error",
        "no-async-promise-executor": "error",
        "no-case-declarations": "error",
        "no-class-assign": "error",
        "no-compare-neg-zero": "error",
        "no-cond-assign": "error",
        "no-const-assign": "error",
        "no-constant-binary-expression": "error",
        "no-constant-condition": "error",
        "no-control-regex": "error",
        "no-debugger": "error",
        "no-delete-var": "error",
        "no-dupe-args": "error",
        "no-dupe-class-members": "error",
        "no-dupe-else-if": "error",
        "no-dupe-keys": "error",
        "no-duplicate-case": "error",
        "no-empty": "error",
        "no-empty-character-class": "error",
        "no-empty-pattern": "error",
        "no-empty-static-block": "error",
        "no-ex-assign": "error",
        "no-extra-boolean-cast": "error",
        "no-fallthrough": "error",
        "no-func-assign": "error",
        "no-global-assign": "error",
        "no-import-assign": "error",
        "no-invalid-regexp": "error",
        "no-irregular-whitespace": "error",
        "no-loss-of-precision": "error",
        "no-misleading-character-class": "error",
        "no-new-native-nonconstructor": "error",
        "no-nonoctal-decimal-escape": "error",
        "no-obj-calls": "error",
        "no-octal": "error",
        "no-prototype-builtins": "error",
        "no-redeclare": "error",
        "no-regex-spaces": "error",
        "no-self-assign": "error",
        "no-setter-return": "error",
        "no-shadow-restricted-names": "error",
        "no-sparse-arrays": "error",
        "no-this-before-super": "error",
        "no-undef": "error",
        "no-unexpected-multiline": "error",
        "no-unreachable": "error",
        "no-unsafe-finally": "error",
        "no-unsafe-negation": "error",
        "no-unsafe-optional-chaining": "error",
        "no-unused-labels": "error",
        "no-unused-private-class-members": "error",
        "no-unused-vars": "error",
        "no-useless-backreference": "error",
        "no-useless-catch": "error",
        "no-useless-escape": "error",
        "no-with": "error",
        "require-yield": "error",
        "use-isnan": "error",
        "valid-typeof": "error"
      })
    });
  }
});

// node_modules/.pnpm/@eslint+js@9.4.0/node_modules/@eslint/js/src/index.js
var require_src5 = __commonJS({
  "node_modules/.pnpm/@eslint+js@9.4.0/node_modules/@eslint/js/src/index.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      configs: {
        all: require_eslint_all2(),
        recommended: require_eslint_recommended3()
      }
    };
  }
});

// node_modules/.pnpm/tslib@2.6.3/node_modules/tslib/tslib.es6.mjs
var tslib_es6_exports = {};
__export(tslib_es6_exports, {
  __addDisposableResource: () => __addDisposableResource,
  __assign: () => __assign,
  __asyncDelegator: () => __asyncDelegator,
  __asyncGenerator: () => __asyncGenerator,
  __asyncValues: () => __asyncValues,
  __await: () => __await,
  __awaiter: () => __awaiter,
  __classPrivateFieldGet: () => __classPrivateFieldGet2,
  __classPrivateFieldIn: () => __classPrivateFieldIn,
  __classPrivateFieldSet: () => __classPrivateFieldSet2,
  __createBinding: () => __createBinding,
  __decorate: () => __decorate,
  __disposeResources: () => __disposeResources,
  __esDecorate: () => __esDecorate,
  __exportStar: () => __exportStar,
  __extends: () => __extends,
  __generator: () => __generator,
  __importDefault: () => __importDefault,
  __importStar: () => __importStar,
  __makeTemplateObject: () => __makeTemplateObject,
  __metadata: () => __metadata,
  __param: () => __param,
  __propKey: () => __propKey,
  __read: () => __read,
  __rest: () => __rest,
  __runInitializers: () => __runInitializers,
  __setFunctionName: () => __setFunctionName,
  __spread: () => __spread,
  __spreadArray: () => __spreadArray,
  __spreadArrays: () => __spreadArrays,
  __values: () => __values,
  default: () => tslib_es6_default
});
function __extends(d, b) {
  if (typeof b !== "function" && b !== null)
    throw new TypeError("Class extends value " + String(b) + " is not a constructor or null");
  extendStatics(d, b);
  function __() {
    this.constructor = d;
  }
  d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());
}
function __rest(s, e) {
  var t = {};
  for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)
    t[p] = s[p];
  if (s != null && typeof Object.getOwnPropertySymbols === "function")
    for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {
      if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))
        t[p[i]] = s[p[i]];
    }
  return t;
}
function __decorate(decorators, target, key, desc) {
  var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;
  if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc);
  else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;
  return c > 3 && r && Object.defineProperty(target, key, r), r;
}
function __param(paramIndex, decorator) {
  return function(target, key) {
    decorator(target, key, paramIndex);
  };
}
function __esDecorate(ctor, descriptorIn, decorators, contextIn, initializers, extraInitializers) {
  function accept(f) {
    if (f !== void 0 && typeof f !== "function") throw new TypeError("Function expected");
    return f;
  }
  var kind = contextIn.kind, key = kind === "getter" ? "get" : kind === "setter" ? "set" : "value";
  var target = !descriptorIn && ctor ? contextIn["static"] ? ctor : ctor.prototype : null;
  var descriptor = descriptorIn || (target ? Object.getOwnPropertyDescriptor(target, contextIn.name) : {});
  var _, done = false;
  for (var i = decorators.length - 1; i >= 0; i--) {
    var context = {};
    for (var p in contextIn) context[p] = p === "access" ? {} : contextIn[p];
    for (var p in contextIn.access) context.access[p] = contextIn.access[p];
    context.addInitializer = function(f) {
      if (done) throw new TypeError("Cannot add initializers after decoration has completed");
      extraInitializers.push(accept(f || null));
    };
    var result = (0, decorators[i])(kind === "accessor" ? { get: descriptor.get, set: descriptor.set } : descriptor[key], context);
    if (kind === "accessor") {
      if (result === void 0) continue;
      if (result === null || typeof result !== "object") throw new TypeError("Object expected");
      if (_ = accept(result.get)) descriptor.get = _;
      if (_ = accept(result.set)) descriptor.set = _;
      if (_ = accept(result.init)) initializers.unshift(_);
    } else if (_ = accept(result)) {
      if (kind === "field") initializers.unshift(_);
      else descriptor[key] = _;
    }
  }
  if (target) Object.defineProperty(target, contextIn.name, descriptor);
  done = true;
}
function __runInitializers(thisArg, initializers, value) {
  var useValue = arguments.length > 2;
  for (var i = 0; i < initializers.length; i++) {
    value = useValue ? initializers[i].call(thisArg, value) : initializers[i].call(thisArg);
  }
  return useValue ? value : void 0;
}
function __propKey(x) {
  return typeof x === "symbol" ? x : "".concat(x);
}
function __setFunctionName(f, name, prefix) {
  if (typeof name === "symbol") name = name.description ? "[".concat(name.description, "]") : "";
  return Object.defineProperty(f, "name", { configurable: true, value: prefix ? "".concat(prefix, " ", name) : name });
}
function __metadata(metadataKey, metadataValue) {
  if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(metadataKey, metadataValue);
}
function __awaiter(thisArg, _arguments, P, generator) {
  function adopt(value) {
    return value instanceof P ? value : new P(function(resolve2) {
      resolve2(value);
    });
  }
  return new (P || (P = Promise))(function(resolve2, reject) {
    function fulfilled(value) {
      try {
        step(generator.next(value));
      } catch (e) {
        reject(e);
      }
    }
    function rejected(value) {
      try {
        step(generator["throw"](value));
      } catch (e) {
        reject(e);
      }
    }
    function step(result) {
      result.done ? resolve2(result.value) : adopt(result.value).then(fulfilled, rejected);
    }
    step((generator = generator.apply(thisArg, _arguments || [])).next());
  });
}
function __generator(thisArg, body) {
  var _ = { label: 0, sent: function() {
    if (t[0] & 1) throw t[1];
    return t[1];
  }, trys: [], ops: [] }, f, y, t, g;
  return g = { next: verb(0), "throw": verb(1), "return": verb(2) }, typeof Symbol === "function" && (g[Symbol.iterator] = function() {
    return this;
  }), g;
  function verb(n) {
    return function(v) {
      return step([n, v]);
    };
  }
  function step(op) {
    if (f) throw new TypeError("Generator is already executing.");
    while (g && (g = 0, op[0] && (_ = 0)), _) try {
      if (f = 1, y && (t = op[0] & 2 ? y["return"] : op[0] ? y["throw"] || ((t = y["return"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;
      if (y = 0, t) op = [op[0] & 2, t.value];
      switch (op[0]) {
        case 0:
        case 1:
          t = op;
          break;
        case 4:
          _.label++;
          return { value: op[1], done: false };
        case 5:
          _.label++;
          y = op[1];
          op = [0];
          continue;
        case 7:
          op = _.ops.pop();
          _.trys.pop();
          continue;
        default:
          if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) {
            _ = 0;
            continue;
          }
          if (op[0] === 3 && (!t || op[1] > t[0] && op[1] < t[3])) {
            _.label = op[1];
            break;
          }
          if (op[0] === 6 && _.label < t[1]) {
            _.label = t[1];
            t = op;
            break;
          }
          if (t && _.label < t[2]) {
            _.label = t[2];
            _.ops.push(op);
            break;
          }
          if (t[2]) _.ops.pop();
          _.trys.pop();
          continue;
      }
      op = body.call(thisArg, _);
    } catch (e) {
      op = [6, e];
      y = 0;
    } finally {
      f = t = 0;
    }
    if (op[0] & 5) throw op[1];
    return { value: op[0] ? op[1] : void 0, done: true };
  }
}
function __exportStar(m, o) {
  for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(o, p)) __createBinding(o, m, p);
}
function __values(o) {
  var s = typeof Symbol === "function" && Symbol.iterator, m = s && o[s], i = 0;
  if (m) return m.call(o);
  if (o && typeof o.length === "number") return {
    next: function() {
      if (o && i >= o.length) o = void 0;
      return { value: o && o[i++], done: !o };
    }
  };
  throw new TypeError(s ? "Object is not iterable." : "Symbol.iterator is not defined.");
}
function __read(o, n) {
  var m = typeof Symbol === "function" && o[Symbol.iterator];
  if (!m) return o;
  var i = m.call(o), r, ar = [], e;
  try {
    while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);
  } catch (error) {
    e = { error };
  } finally {
    try {
      if (r && !r.done && (m = i["return"])) m.call(i);
    } finally {
      if (e) throw e.error;
    }
  }
  return ar;
}
function __spread() {
  for (var ar = [], i = 0; i < arguments.length; i++)
    ar = ar.concat(__read(arguments[i]));
  return ar;
}
function __spreadArrays() {
  for (var s = 0, i = 0, il = arguments.length; i < il; i++) s += arguments[i].length;
  for (var r = Array(s), k = 0, i = 0; i < il; i++)
    for (var a = arguments[i], j = 0, jl = a.length; j < jl; j++, k++)
      r[k] = a[j];
  return r;
}
function __spreadArray(to, from, pack) {
  if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {
    if (ar || !(i in from)) {
      if (!ar) ar = Array.prototype.slice.call(from, 0, i);
      ar[i] = from[i];
    }
  }
  return to.concat(ar || Array.prototype.slice.call(from));
}
function __await(v) {
  return this instanceof __await ? (this.v = v, this) : new __await(v);
}
function __asyncGenerator(thisArg, _arguments, generator) {
  if (!Symbol.asyncIterator) throw new TypeError("Symbol.asyncIterator is not defined.");
  var g = generator.apply(thisArg, _arguments || []), i, q = [];
  return i = {}, verb("next"), verb("throw"), verb("return", awaitReturn), i[Symbol.asyncIterator] = function() {
    return this;
  }, i;
  function awaitReturn(f) {
    return function(v) {
      return Promise.resolve(v).then(f, reject);
    };
  }
  function verb(n, f) {
    if (g[n]) {
      i[n] = function(v) {
        return new Promise(function(a, b) {
          q.push([n, v, a, b]) > 1 || resume(n, v);
        });
      };
      if (f) i[n] = f(i[n]);
    }
  }
  function resume(n, v) {
    try {
      step(g[n](v));
    } catch (e) {
      settle(q[0][3], e);
    }
  }
  function step(r) {
    r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r);
  }
  function fulfill(value) {
    resume("next", value);
  }
  function reject(value) {
    resume("throw", value);
  }
  function settle(f, v) {
    if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]);
  }
}
function __asyncDelegator(o) {
  var i, p;
  return i = {}, verb("next"), verb("throw", function(e) {
    throw e;
  }), verb("return"), i[Symbol.iterator] = function() {
    return this;
  }, i;
  function verb(n, f) {
    i[n] = o[n] ? function(v) {
      return (p = !p) ? { value: __await(o[n](v)), done: false } : f ? f(v) : v;
    } : f;
  }
}
function __asyncValues(o) {
  if (!Symbol.asyncIterator) throw new TypeError("Symbol.asyncIterator is not defined.");
  var m = o[Symbol.asyncIterator], i;
  return m ? m.call(o) : (o = typeof __values === "function" ? __values(o) : o[Symbol.iterator](), i = {}, verb("next"), verb("throw"), verb("return"), i[Symbol.asyncIterator] = function() {
    return this;
  }, i);
  function verb(n) {
    i[n] = o[n] && function(v) {
      return new Promise(function(resolve2, reject) {
        v = o[n](v), settle(resolve2, reject, v.done, v.value);
      });
    };
  }
  function settle(resolve2, reject, d, v) {
    Promise.resolve(v).then(function(v2) {
      resolve2({ value: v2, done: d });
    }, reject);
  }
}
function __makeTemplateObject(cooked, raw) {
  if (Object.defineProperty) {
    Object.defineProperty(cooked, "raw", { value: raw });
  } else {
    cooked.raw = raw;
  }
  return cooked;
}
function __importStar(mod) {
  if (mod && mod.__esModule) return mod;
  var result = {};
  if (mod != null) {
    for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);
  }
  __setModuleDefault(result, mod);
  return result;
}
function __importDefault(mod) {
  return mod && mod.__esModule ? mod : { default: mod };
}
function __classPrivateFieldGet2(receiver, state, kind, f) {
  if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter");
  if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it");
  return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver);
}
function __classPrivateFieldSet2(receiver, state, value, kind, f) {
  if (kind === "m") throw new TypeError("Private method is not writable");
  if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter");
  if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it");
  return kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value;
}
function __classPrivateFieldIn(state, receiver) {
  if (receiver === null || typeof receiver !== "object" && typeof receiver !== "function") throw new TypeError("Cannot use 'in' operator on non-object");
  return typeof state === "function" ? receiver === state : state.has(receiver);
}
function __addDisposableResource(env, value, async) {
  if (value !== null && value !== void 0) {
    if (typeof value !== "object" && typeof value !== "function") throw new TypeError("Object expected.");
    var dispose, inner;
    if (async) {
      if (!Symbol.asyncDispose) throw new TypeError("Symbol.asyncDispose is not defined.");
      dispose = value[Symbol.asyncDispose];
    }
    if (dispose === void 0) {
      if (!Symbol.dispose) throw new TypeError("Symbol.dispose is not defined.");
      dispose = value[Symbol.dispose];
      if (async) inner = dispose;
    }
    if (typeof dispose !== "function") throw new TypeError("Object not disposable.");
    if (inner) dispose = function() {
      try {
        inner.call(this);
      } catch (e) {
        return Promise.reject(e);
      }
    };
    env.stack.push({ value, dispose, async });
  } else if (async) {
    env.stack.push({ async: true });
  }
  return value;
}
function __disposeResources(env) {
  function fail(e) {
    env.error = env.hasError ? new _SuppressedError(e, env.error, "An error was suppressed during disposal.") : e;
    env.hasError = true;
  }
  function next() {
    while (env.stack.length) {
      var rec = env.stack.pop();
      try {
        var result = rec.dispose && rec.dispose.call(rec.value);
        if (rec.async) return Promise.resolve(result).then(next, function(e) {
          fail(e);
          return next();
        });
      } catch (e) {
        fail(e);
      }
    }
    if (env.hasError) throw env.error;
  }
  return next();
}
var extendStatics, __assign, __createBinding, __setModuleDefault, _SuppressedError, tslib_es6_default;
var init_tslib_es6 = __esm({
  "node_modules/.pnpm/tslib@2.6.3/node_modules/tslib/tslib.es6.mjs"() {
    extendStatics = function(d, b) {
      extendStatics = Object.setPrototypeOf || { __proto__: [] } instanceof Array && function(d2, b2) {
        d2.__proto__ = b2;
      } || function(d2, b2) {
        for (var p in b2) if (Object.prototype.hasOwnProperty.call(b2, p)) d2[p] = b2[p];
      };
      return extendStatics(d, b);
    };
    __assign = function() {
      __assign = Object.assign || function __assign2(t) {
        for (var s, i = 1, n = arguments.length; i < n; i++) {
          s = arguments[i];
          for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p)) t[p] = s[p];
        }
        return t;
      };
      return __assign.apply(this, arguments);
    };
    __createBinding = Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    };
    __setModuleDefault = Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    };
    _SuppressedError = typeof SuppressedError === "function" ? SuppressedError : function(error, suppressed, message) {
      var e = new Error(message);
      return e.name = "SuppressedError", e.error = error, e.suppressed = suppressed, e;
    };
    tslib_es6_default = {
      __extends,
      __assign,
      __rest,
      __decorate,
      __param,
      __metadata,
      __awaiter,
      __generator,
      __createBinding,
      __exportStar,
      __values,
      __read,
      __spread,
      __spreadArrays,
      __spreadArray,
      __await,
      __asyncGenerator,
      __asyncDelegator,
      __asyncValues,
      __makeTemplateObject,
      __importStar,
      __importDefault,
      __classPrivateFieldGet: __classPrivateFieldGet2,
      __classPrivateFieldSet: __classPrivateFieldSet2,
      __classPrivateFieldIn,
      __addDisposableResource,
      __disposeResources
    };
  }
});

// node_modules/.pnpm/eslint-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-mdx/lib/helpers.js
var require_helpers2 = __commonJS({
  "node_modules/.pnpm/eslint-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-mdx/lib/helpers.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.nextCharOffsetFactory = exports2.prevCharOffsetFactory = exports2.normalizePosition = exports2.getPositionAtFactory = exports2.loadEsmModule = exports2.getPhysicalFilename = exports2.arrayify = exports2.last = void 0;
    var tslib_1 = (init_tslib_es6(), __toCommonJS(tslib_es6_exports));
    var node_fs_1 = tslib_1.__importDefault(require("node:fs"));
    var node_path_1 = tslib_1.__importDefault(require("node:path"));
    var last = (items) => items && items[items.length - 1];
    exports2.last = last;
    var arrayify = (...args) => args.reduce((arr, curr) => {
      arr.push(...Array.isArray(curr) ? curr : curr == null ? [] : [curr]);
      return arr;
    }, []);
    exports2.arrayify = arrayify;
    var getPhysicalFilename = (filename, child) => {
      try {
        if (node_fs_1.default.statSync(filename).isDirectory()) {
          return child || filename;
        }
      } catch (err) {
        const { code } = err;
        if (code === "ENOTDIR" || code === "ENOENT") {
          return (0, exports2.getPhysicalFilename)(node_path_1.default.dirname(filename), filename);
        }
      }
      return filename;
    };
    exports2.getPhysicalFilename = getPhysicalFilename;
    var loadEsmModule = (modulePath) => new Function("modulePath", `return import(modulePath);`)(modulePath);
    exports2.loadEsmModule = loadEsmModule;
    var getPositionAtFactory = (text) => {
      const lines = text.split("\n");
      return (offset) => {
        let currOffset = 0;
        for (const [index, line_] of lines.entries()) {
          const line = index + 1;
          const nextOffset = currOffset + line_.length;
          if (nextOffset >= offset) {
            return {
              line,
              column: offset - currOffset
            };
          }
          currOffset = nextOffset + 1;
        }
      };
    };
    exports2.getPositionAtFactory = getPositionAtFactory;
    var normalizePosition = ({ start, end, text }) => {
      const startOffset = start.offset;
      const endOffset = end.offset;
      const range = [startOffset, endOffset];
      const getPositionAt = text == null ? null : (0, exports2.getPositionAtFactory)(text);
      return {
        start: startOffset,
        end: endOffset,
        loc: {
          start: "line" in start ? start : getPositionAt(startOffset),
          end: "line" in end ? end : getPositionAt(endOffset)
        },
        range
      };
    };
    exports2.normalizePosition = normalizePosition;
    var prevCharOffsetFactory = (text) => (offset) => {
      for (let i = offset; i >= 0; i--) {
        const char = text[i];
        if (/^\S$/.test(char)) {
          return i;
        }
      }
    };
    exports2.prevCharOffsetFactory = prevCharOffsetFactory;
    var nextCharOffsetFactory = (text) => {
      const total = text.length;
      return (offset) => {
        for (let i = offset; i <= total; i++) {
          const char = text[i];
          if (/^\S$/.test(char)) {
            return i;
          }
        }
      };
    };
    exports2.nextCharOffsetFactory = nextCharOffsetFactory;
  }
});

// node_modules/.pnpm/synckit@0.9.0/node_modules/synckit/lib/index.cjs
var require_lib16 = __commonJS({
  "node_modules/.pnpm/synckit@0.9.0/node_modules/synckit/lib/index.cjs"(exports2) {
    "use strict";
    var node_crypto = require("node:crypto");
    var fs4 = require("node:fs");
    var node_module = require("node:module");
    var path17 = require("node:path");
    var node_url = require("node:url");
    var node_worker_threads = require("node:worker_threads");
    var core = require_lib12();
    var __async = (__this, __arguments, generator) => {
      return new Promise((resolve2, reject) => {
        var fulfilled = (value) => {
          try {
            step(generator.next(value));
          } catch (e) {
            reject(e);
          }
        };
        var rejected = (value) => {
          try {
            step(generator.throw(value));
          } catch (e) {
            reject(e);
          }
        };
        var step = (x) => x.done ? resolve2(x.value) : Promise.resolve(x.value).then(fulfilled, rejected);
        step((generator = generator.apply(__this, __arguments)).next());
      });
    };
    var import_meta2 = {};
    var INT32_BYTES = 4;
    var TsRunner = {
      // https://github.com/TypeStrong/ts-node
      TsNode: "ts-node",
      // https://github.com/egoist/esbuild-register
      EsbuildRegister: "esbuild-register",
      // https://github.com/folke/esbuild-runner
      EsbuildRunner: "esbuild-runner",
      // https://github.com/swc-project/swc-node/tree/master/packages/register
      SWC: "swc",
      // https://github.com/esbuild-kit/tsx
      TSX: "tsx"
    };
    var {
      NODE_OPTIONS,
      SYNCKIT_EXEC_ARGV,
      SYNCKIT_GLOBAL_SHIMS,
      SYNCKIT_TIMEOUT,
      SYNCKIT_TS_RUNNER
    } = process.env;
    var DEFAULT_TIMEOUT = SYNCKIT_TIMEOUT ? +SYNCKIT_TIMEOUT : void 0;
    var DEFAULT_EXEC_ARGV = (SYNCKIT_EXEC_ARGV == null ? void 0 : SYNCKIT_EXEC_ARGV.split(",")) || [];
    var DEFAULT_TS_RUNNER = SYNCKIT_TS_RUNNER;
    var DEFAULT_GLOBAL_SHIMS = ["1", "true"].includes(
      SYNCKIT_GLOBAL_SHIMS
    );
    var DEFAULT_GLOBAL_SHIMS_PRESET = [
      {
        moduleName: "node-fetch",
        globalName: "fetch"
      },
      {
        moduleName: "node:perf_hooks",
        globalName: "performance",
        named: "performance"
      }
    ];
    var MTS_SUPPORTED_NODE_VERSION = 16;
    var syncFnCache;
    function extractProperties(object) {
      if (object && typeof object === "object") {
        const properties = {};
        for (const key in object) {
          properties[key] = object[key];
        }
        return properties;
      }
    }
    function createSyncFn(workerPath, timeoutOrOptions) {
      syncFnCache != null ? syncFnCache : syncFnCache = /* @__PURE__ */ new Map();
      const cachedSyncFn = syncFnCache.get(workerPath);
      if (cachedSyncFn) {
        return cachedSyncFn;
      }
      if (!path17.isAbsolute(workerPath)) {
        throw new Error("`workerPath` must be absolute");
      }
      const syncFn = startWorkerThread(
        workerPath,
        /* istanbul ignore next */
        typeof timeoutOrOptions === "number" ? { timeout: timeoutOrOptions } : timeoutOrOptions
      );
      syncFnCache.set(workerPath, syncFn);
      return syncFn;
    }
    var cjsRequire = typeof require === "undefined" ? node_module.createRequire(import_meta2.url) : (
      /* istanbul ignore next */
      require
    );
    var dataUrl = (code) => new URL(`data:text/javascript,${encodeURIComponent(code)}`);
    var isFile = (path22) => {
      var _a;
      try {
        return !!((_a = fs4.statSync(path22, { throwIfNoEntry: false })) == null ? void 0 : _a.isFile());
      } catch (e) {
        return false;
      }
    };
    var setupTsRunner = (workerPath, { execArgv, tsRunner }) => {
      let ext = path17.extname(workerPath);
      if (!/[/\\]node_modules[/\\]/.test(workerPath) && (!ext || /^\.[cm]?js$/.test(ext))) {
        const workPathWithoutExt = ext ? workerPath.slice(0, -ext.length) : workerPath;
        let extensions;
        switch (ext) {
          case ".cjs": {
            extensions = [".cts", ".cjs"];
            break;
          }
          case ".mjs": {
            extensions = [".mts", ".mjs"];
            break;
          }
          default: {
            extensions = [".ts", ".js"];
            break;
          }
        }
        const found = core.tryExtensions(workPathWithoutExt, extensions);
        let differentExt;
        if (found && (!ext || (differentExt = found !== workPathWithoutExt))) {
          workerPath = found;
          if (differentExt) {
            ext = path17.extname(workerPath);
          }
        }
      }
      const isTs = /\.[cm]?ts$/.test(workerPath);
      let jsUseEsm = workerPath.endsWith(".mjs");
      let tsUseEsm = workerPath.endsWith(".mts");
      if (isTs) {
        if (!tsUseEsm) {
          const pkg = core.findUp(workerPath);
          if (pkg) {
            tsUseEsm = cjsRequire(pkg).type === "module";
          }
        }
        if (tsRunner == null && core.isPkgAvailable(TsRunner.TsNode)) {
          tsRunner = TsRunner.TsNode;
        }
        switch (tsRunner) {
          case TsRunner.TsNode: {
            if (tsUseEsm) {
              if (!execArgv.includes("--loader")) {
                execArgv = ["--loader", `${TsRunner.TsNode}/esm`, ...execArgv];
              }
            } else if (!execArgv.includes("-r")) {
              execArgv = ["-r", `${TsRunner.TsNode}/register`, ...execArgv];
            }
            break;
          }
          case TsRunner.EsbuildRegister: {
            if (!execArgv.includes("-r")) {
              execArgv = ["-r", TsRunner.EsbuildRegister, ...execArgv];
            }
            break;
          }
          case TsRunner.EsbuildRunner: {
            if (!execArgv.includes("-r")) {
              execArgv = ["-r", `${TsRunner.EsbuildRunner}/register`, ...execArgv];
            }
            break;
          }
          case TsRunner.SWC: {
            if (!execArgv.includes("-r")) {
              execArgv = ["-r", `@${TsRunner.SWC}-node/register`, ...execArgv];
            }
            break;
          }
          case TsRunner.TSX: {
            if (!execArgv.includes("--loader")) {
              execArgv = ["--loader", TsRunner.TSX, ...execArgv];
            }
            break;
          }
          default: {
            throw new Error(`Unknown ts runner: ${String(tsRunner)}`);
          }
        }
      } else if (!jsUseEsm) {
        const pkg = core.findUp(workerPath);
        if (pkg) {
          jsUseEsm = cjsRequire(pkg).type === "module";
        }
      }
      if (process.versions.pnp) {
        const nodeOptions = NODE_OPTIONS == null ? void 0 : NODE_OPTIONS.split(/\s+/);
        let pnpApiPath;
        try {
          pnpApiPath = cjsRequire.resolve("pnpapi");
        } catch (e) {
        }
        if (pnpApiPath && !(nodeOptions == null ? void 0 : nodeOptions.some(
          (option, index) => ["-r", "--require"].includes(option) && pnpApiPath === cjsRequire.resolve(nodeOptions[index + 1])
        )) && !execArgv.includes(pnpApiPath)) {
          execArgv = ["-r", pnpApiPath, ...execArgv];
          const pnpLoaderPath = path17.resolve(pnpApiPath, "../.pnp.loader.mjs");
          if (isFile(pnpLoaderPath)) {
            const experimentalLoader = node_url.pathToFileURL(pnpLoaderPath).toString();
            execArgv = ["--experimental-loader", experimentalLoader, ...execArgv];
          }
        }
      }
      return {
        ext,
        isTs,
        jsUseEsm,
        tsRunner,
        tsUseEsm,
        workerPath,
        execArgv
      };
    };
    var md5Hash = (text) => node_crypto.createHash("md5").update(text).digest("hex");
    var encodeImportModule = (moduleNameOrGlobalShim, type = "import") => {
      const { moduleName, globalName, named, conditional } = typeof moduleNameOrGlobalShim === "string" ? { moduleName: moduleNameOrGlobalShim } : moduleNameOrGlobalShim;
      const importStatement = type === "import" ? `import${globalName ? " " + (named === null ? "* as " + globalName : (named == null ? void 0 : named.trim()) ? `{${named}}` : globalName) + " from" : ""} '${path17.isAbsolute(moduleName) ? String(node_url.pathToFileURL(moduleName)) : moduleName}'` : `${globalName ? "const " + ((named == null ? void 0 : named.trim()) ? `{${named}}` : globalName) + "=" : ""}require('${moduleName.replace(/\\/g, "\\\\")}')`;
      if (!globalName) {
        return importStatement;
      }
      const overrideStatement = `globalThis.${globalName}=${(named == null ? void 0 : named.trim()) ? named : globalName}`;
      return importStatement + (conditional === false ? `;${overrideStatement}` : `;if(!globalThis.${globalName})${overrideStatement}`);
    };
    var _generateGlobals = (globalShims, type) => globalShims.reduce(
      (acc, shim) => `${acc}${acc ? ";" : ""}${encodeImportModule(shim, type)}`,
      ""
    );
    var globalsCache;
    var tmpdir;
    var _dirname = typeof __dirname === "undefined" ? path17.dirname(node_url.fileURLToPath(import_meta2.url)) : (
      /* istanbul ignore next */
      __dirname
    );
    var sharedBuffer;
    var sharedBufferView;
    var generateGlobals = (workerPath, globalShims, type = "import") => {
      globalsCache != null ? globalsCache : globalsCache = /* @__PURE__ */ new Map();
      const cached = globalsCache.get(workerPath);
      if (cached) {
        const [content2, filepath2] = cached;
        if (type === "require" && !filepath2 || type === "import" && filepath2 && isFile(filepath2)) {
          return content2;
        }
      }
      const globals2 = _generateGlobals(globalShims, type);
      let content = globals2;
      let filepath;
      if (type === "import") {
        if (!tmpdir) {
          tmpdir = path17.resolve(core.findUp(_dirname), "../node_modules/.synckit");
        }
        fs4.mkdirSync(tmpdir, { recursive: true });
        filepath = path17.resolve(tmpdir, md5Hash(workerPath) + ".mjs");
        content = encodeImportModule(filepath);
        fs4.writeFileSync(filepath, globals2);
      }
      globalsCache.set(workerPath, [content, filepath]);
      return content;
    };
    function startWorkerThread(workerPath, {
      timeout = DEFAULT_TIMEOUT,
      execArgv = DEFAULT_EXEC_ARGV,
      tsRunner = DEFAULT_TS_RUNNER,
      transferList = [],
      globalShims = DEFAULT_GLOBAL_SHIMS
    } = {}) {
      const { port1: mainPort, port2: workerPort } = new node_worker_threads.MessageChannel();
      const {
        isTs,
        ext,
        jsUseEsm,
        tsUseEsm,
        tsRunner: finalTsRunner,
        workerPath: finalWorkerPath,
        execArgv: finalExecArgv
      } = setupTsRunner(workerPath, { execArgv, tsRunner });
      const workerPathUrl = node_url.pathToFileURL(finalWorkerPath);
      if (/\.[cm]ts$/.test(finalWorkerPath)) {
        const isTsxSupported = !tsUseEsm || Number.parseFloat(process.versions.node) >= MTS_SUPPORTED_NODE_VERSION;
        if (!finalTsRunner) {
          throw new Error("No ts runner specified, ts worker path is not supported");
        } else if ([
          // https://github.com/egoist/esbuild-register/issues/79
          TsRunner.EsbuildRegister,
          // https://github.com/folke/esbuild-runner/issues/67
          TsRunner.EsbuildRunner,
          // https://github.com/swc-project/swc-node/issues/667
          TsRunner.SWC,
          .../* istanbul ignore next */
          isTsxSupported ? [] : [TsRunner.TSX]
        ].includes(finalTsRunner)) {
          throw new Error(
            `${finalTsRunner} is not supported for ${ext} files yet` + /* istanbul ignore next */
            (isTsxSupported ? ", you can try [tsx](https://github.com/esbuild-kit/tsx) instead" : "")
          );
        }
      }
      const finalGlobalShims = (globalShims === true ? DEFAULT_GLOBAL_SHIMS_PRESET : Array.isArray(globalShims) ? globalShims : []).filter(({ moduleName }) => core.isPkgAvailable(moduleName));
      sharedBufferView != null ? sharedBufferView : sharedBufferView = new Int32Array(
        /* istanbul ignore next */
        sharedBuffer != null ? sharedBuffer : sharedBuffer = new SharedArrayBuffer(
          INT32_BYTES
        ),
        0,
        1
      );
      const useGlobals = finalGlobalShims.length > 0;
      const useEval = isTs ? !tsUseEsm : !jsUseEsm && useGlobals;
      const worker = new node_worker_threads.Worker(
        jsUseEsm && useGlobals || tsUseEsm && finalTsRunner === TsRunner.TsNode ? dataUrl(
          `${generateGlobals(
            finalWorkerPath,
            finalGlobalShims
          )};import '${String(workerPathUrl)}'`
        ) : useEval ? `${generateGlobals(
          finalWorkerPath,
          finalGlobalShims,
          "require"
        )};${encodeImportModule(finalWorkerPath, "require")}` : workerPathUrl,
        {
          eval: useEval,
          workerData: { sharedBuffer, workerPort },
          transferList: [workerPort, ...transferList],
          execArgv: finalExecArgv
        }
      );
      let nextID = 0;
      const syncFn = (...args) => {
        const id = nextID++;
        const msg = { id, args };
        worker.postMessage(msg);
        const status = Atomics.wait(sharedBufferView, 0, 0, timeout);
        Atomics.store(sharedBufferView, 0, 0);
        if (!["ok", "not-equal"].includes(status)) {
          throw new Error("Internal error: Atomics.wait() failed: " + status);
        }
        const {
          id: id2,
          result,
          error,
          properties
        } = node_worker_threads.receiveMessageOnPort(mainPort).message;
        if (id !== id2) {
          throw new Error(`Internal error: Expected id ${id} but got id ${id2}`);
        }
        if (error) {
          throw Object.assign(error, properties);
        }
        return result;
      };
      worker.unref();
      return syncFn;
    }
    function runAsWorker(fn) {
      if (!node_worker_threads.workerData) {
        return;
      }
      const { workerPort, sharedBuffer: sharedBuffer2 } = node_worker_threads.workerData;
      const sharedBufferView2 = new Int32Array(sharedBuffer2, 0, 1);
      node_worker_threads.parentPort.on(
        "message",
        ({ id, args }) => {
          (() => __async(this, null, function* () {
            let msg;
            try {
              msg = { id, result: yield fn(...args) };
            } catch (error) {
              msg = { id, error, properties: extractProperties(error) };
            }
            workerPort.postMessage(msg);
            Atomics.add(sharedBufferView2, 0, 1);
            Atomics.notify(sharedBufferView2, 0);
          }))();
        }
      );
    }
    exports2.DEFAULT_EXEC_ARGV = DEFAULT_EXEC_ARGV;
    exports2.DEFAULT_GLOBAL_SHIMS = DEFAULT_GLOBAL_SHIMS;
    exports2.DEFAULT_GLOBAL_SHIMS_PRESET = DEFAULT_GLOBAL_SHIMS_PRESET;
    exports2.DEFAULT_TIMEOUT = DEFAULT_TIMEOUT;
    exports2.DEFAULT_TS_RUNNER = DEFAULT_TS_RUNNER;
    exports2.MTS_SUPPORTED_NODE_VERSION = MTS_SUPPORTED_NODE_VERSION;
    exports2.TsRunner = TsRunner;
    exports2._generateGlobals = _generateGlobals;
    exports2.createSyncFn = createSyncFn;
    exports2.encodeImportModule = encodeImportModule;
    exports2.extractProperties = extractProperties;
    exports2.generateGlobals = generateGlobals;
    exports2.isFile = isFile;
    exports2.runAsWorker = runAsWorker;
  }
});

// node_modules/.pnpm/eslint-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-mdx/lib/sync.js
var require_sync7 = __commonJS({
  "node_modules/.pnpm/eslint-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-mdx/lib/sync.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.performSyncWork = void 0;
    var synckit_1 = require_lib16();
    var workerPath = require.resolve("./worker-0f112361.js");
    exports2.performSyncWork = (0, synckit_1.createSyncFn)(workerPath);
  }
});

// node_modules/.pnpm/eslint-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-mdx/lib/parser.js
var require_parser4 = __commonJS({
  "node_modules/.pnpm/eslint-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-mdx/lib/parser.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.parseForESLint = exports2.parse = exports2.parser = exports2.Parser = exports2.MARKDOWN_EXTENSIONS = exports2.DEFAULT_EXTENSIONS = void 0;
    var tslib_1 = (init_tslib_es6(), __toCommonJS(tslib_es6_exports));
    var node_path_1 = tslib_1.__importDefault(require("node:path"));
    var helpers_1 = require_helpers2();
    var sync_1 = require_sync7();
    exports2.DEFAULT_EXTENSIONS = [".mdx"];
    exports2.MARKDOWN_EXTENSIONS = [".md"];
    var Parser = class {
      constructor() {
        this.parse = this.parse.bind(this);
        this.parseForESLint = this.parseForESLint.bind(this);
      }
      parse(code, options) {
        return this.parseForESLint(code, options).ast;
      }
      parseForESLint(code, { filePath, sourceType, ignoreRemarkConfig, extensions, markdownExtensions }) {
        const extname = node_path_1.default.extname(filePath);
        const isMdx = [...exports2.DEFAULT_EXTENSIONS, ...(0, helpers_1.arrayify)(extensions)].includes(extname);
        const isMarkdown = [
          ...exports2.MARKDOWN_EXTENSIONS,
          ...(0, helpers_1.arrayify)(markdownExtensions)
        ].includes(extname);
        if (!isMdx && !isMarkdown) {
          throw new Error("Unsupported file extension, make sure setting the `extensions` or `markdownExtensions` option correctly.");
        }
        const physicalFilename = (0, helpers_1.getPhysicalFilename)(filePath);
        let result;
        try {
          result = (0, sync_1.performSyncWork)({
            fileOptions: {
              path: physicalFilename,
              value: code
            },
            physicalFilename,
            isMdx,
            ignoreRemarkConfig
          });
        } catch (err) {
          if (process.argv.includes("--debug")) {
            console.error(err);
          }
          const { message, line, column, place } = err;
          const point = place && ("start" in place ? place.start : place);
          throw Object.assign(new SyntaxError(message, {
            cause: err
          }), {
            lineNumber: line,
            column,
            index: point === null || point === void 0 ? void 0 : point.offset
          });
        }
        const { root: root2, body, comments, tokens } = result;
        return {
          ast: Object.assign(Object.assign({}, (0, helpers_1.normalizePosition)(root2.position)), {
            type: "Program",
            sourceType,
            body,
            comments,
            tokens
          })
        };
      }
    };
    exports2.Parser = Parser;
    exports2.parser = new Parser();
    exports2.parse = exports2.parser.parse, exports2.parseForESLint = exports2.parser.parseForESLint;
  }
});

// node_modules/.pnpm/mdast-util-to-string@2.0.0/node_modules/mdast-util-to-string/index.js
var require_mdast_util_to_string = __commonJS({
  "node_modules/.pnpm/mdast-util-to-string@2.0.0/node_modules/mdast-util-to-string/index.js"(exports2, module2) {
    "use strict";
    module2.exports = toString2;
    function toString2(node) {
      return node && (node.value || node.alt || node.title || "children" in node && all(node.children) || "length" in node && all(node)) || "";
    }
    function all(values) {
      var result = [];
      var index = -1;
      while (++index < values.length) {
        result[index] = toString2(values[index]);
      }
      return result.join("");
    }
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/constant/assign.js
var require_assign = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/constant/assign.js"(exports2, module2) {
    "use strict";
    var assign = Object.assign;
    module2.exports = assign;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/constant/has-own-property.js
var require_has_own_property = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/constant/has-own-property.js"(exports2, module2) {
    "use strict";
    var own = {}.hasOwnProperty;
    module2.exports = own;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/normalize-identifier.js
var require_normalize_identifier = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/normalize-identifier.js"(exports2, module2) {
    "use strict";
    function normalizeIdentifier(value) {
      return value.replace(/[\t\n\r ]+/g, " ").replace(/^ | $/g, "").toLowerCase().toUpperCase();
    }
    module2.exports = normalizeIdentifier;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/constant/from-char-code.js
var require_from_char_code = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/constant/from-char-code.js"(exports2, module2) {
    "use strict";
    var fromCharCode = String.fromCharCode;
    module2.exports = fromCharCode;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/safe-from-int.js
var require_safe_from_int = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/safe-from-int.js"(exports2, module2) {
    "use strict";
    var fromCharCode = require_from_char_code();
    function safeFromInt(value, base) {
      var code = parseInt(value, base);
      if (
        // C0 except for HT, LF, FF, CR, space
        code < 9 || code === 11 || code > 13 && code < 32 || // Control character (DEL) of the basic block and C1 controls.
        code > 126 && code < 160 || // Lone high surrogates and low surrogates.
        code > 55295 && code < 57344 || // Noncharacters.
        code > 64975 && code < 65008 || (code & 65535) === 65535 || (code & 65535) === 65534 || // Out of range
        code > 1114111
      ) {
        return "\uFFFD";
      }
      return fromCharCode(code);
    }
    module2.exports = safeFromInt;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/markdown-line-ending.js
var require_markdown_line_ending = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/markdown-line-ending.js"(exports2, module2) {
    "use strict";
    function markdownLineEnding(code) {
      return code < -2;
    }
    module2.exports = markdownLineEnding;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/markdown-space.js
var require_markdown_space = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/markdown-space.js"(exports2, module2) {
    "use strict";
    function markdownSpace(code) {
      return code === -2 || code === -1 || code === 32;
    }
    module2.exports = markdownSpace;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/factory-space.js
var require_factory_space = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/factory-space.js"(exports2, module2) {
    "use strict";
    var markdownSpace = require_markdown_space();
    function spaceFactory(effects, ok, type, max) {
      var limit = max ? max - 1 : Infinity;
      var size = 0;
      return start;
      function start(code) {
        if (markdownSpace(code)) {
          effects.enter(type);
          return prefix(code);
        }
        return ok(code);
      }
      function prefix(code) {
        if (markdownSpace(code) && size++ < limit) {
          effects.consume(code);
          return prefix;
        }
        effects.exit(type);
        return ok(code);
      }
    }
    module2.exports = spaceFactory;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/initialize/content.js
var require_content = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/initialize/content.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var markdownLineEnding = require_markdown_line_ending();
    var factorySpace = require_factory_space();
    var tokenize = initializeContent;
    function initializeContent(effects) {
      var contentStart = effects.attempt(
        this.parser.constructs.contentInitial,
        afterContentStartConstruct,
        paragraphInitial
      );
      var previous;
      return contentStart;
      function afterContentStartConstruct(code) {
        if (code === null) {
          effects.consume(code);
          return;
        }
        effects.enter("lineEnding");
        effects.consume(code);
        effects.exit("lineEnding");
        return factorySpace(effects, contentStart, "linePrefix");
      }
      function paragraphInitial(code) {
        effects.enter("paragraph");
        return lineStart(code);
      }
      function lineStart(code) {
        var token = effects.enter("chunkText", {
          contentType: "text",
          previous
        });
        if (previous) {
          previous.next = token;
        }
        previous = token;
        return data(code);
      }
      function data(code) {
        if (code === null) {
          effects.exit("chunkText");
          effects.exit("paragraph");
          effects.consume(code);
          return;
        }
        if (markdownLineEnding(code)) {
          effects.consume(code);
          effects.exit("chunkText");
          return lineStart;
        }
        effects.consume(code);
        return data;
      }
    }
    exports2.tokenize = tokenize;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/partial-blank-line.js
var require_partial_blank_line = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/partial-blank-line.js"(exports2, module2) {
    "use strict";
    var markdownLineEnding = require_markdown_line_ending();
    var factorySpace = require_factory_space();
    var partialBlankLine = {
      tokenize: tokenizePartialBlankLine,
      partial: true
    };
    function tokenizePartialBlankLine(effects, ok, nok) {
      return factorySpace(effects, afterWhitespace, "linePrefix");
      function afterWhitespace(code) {
        return code === null || markdownLineEnding(code) ? ok(code) : nok(code);
      }
    }
    module2.exports = partialBlankLine;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/initialize/document.js
var require_document = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/initialize/document.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var markdownLineEnding = require_markdown_line_ending();
    var factorySpace = require_factory_space();
    var partialBlankLine = require_partial_blank_line();
    var tokenize = initializeDocument;
    var containerConstruct = {
      tokenize: tokenizeContainer
    };
    var lazyFlowConstruct = {
      tokenize: tokenizeLazyFlow
    };
    function initializeDocument(effects) {
      var self2 = this;
      var stack = [];
      var continued = 0;
      var inspectConstruct = {
        tokenize: tokenizeInspect,
        partial: true
      };
      var inspectResult;
      var childFlow;
      var childToken;
      return start;
      function start(code) {
        if (continued < stack.length) {
          self2.containerState = stack[continued][1];
          return effects.attempt(
            stack[continued][0].continuation,
            documentContinue,
            documentContinued
          )(code);
        }
        return documentContinued(code);
      }
      function documentContinue(code) {
        continued++;
        return start(code);
      }
      function documentContinued(code) {
        if (inspectResult && inspectResult.flowContinue) {
          return flowStart(code);
        }
        self2.interrupt = childFlow && childFlow.currentConstruct && childFlow.currentConstruct.interruptible;
        self2.containerState = {};
        return effects.attempt(
          containerConstruct,
          containerContinue,
          flowStart
        )(code);
      }
      function containerContinue(code) {
        stack.push([self2.currentConstruct, self2.containerState]);
        self2.containerState = void 0;
        return documentContinued(code);
      }
      function flowStart(code) {
        if (code === null) {
          exitContainers(0, true);
          effects.consume(code);
          return;
        }
        childFlow = childFlow || self2.parser.flow(self2.now());
        effects.enter("chunkFlow", {
          contentType: "flow",
          previous: childToken,
          _tokenizer: childFlow
        });
        return flowContinue(code);
      }
      function flowContinue(code) {
        if (code === null) {
          continueFlow(effects.exit("chunkFlow"));
          return flowStart(code);
        }
        if (markdownLineEnding(code)) {
          effects.consume(code);
          continueFlow(effects.exit("chunkFlow"));
          return effects.check(inspectConstruct, documentAfterPeek);
        }
        effects.consume(code);
        return flowContinue;
      }
      function documentAfterPeek(code) {
        exitContainers(
          inspectResult.continued,
          inspectResult && inspectResult.flowEnd
        );
        continued = 0;
        return start(code);
      }
      function continueFlow(token) {
        if (childToken) childToken.next = token;
        childToken = token;
        childFlow.lazy = inspectResult && inspectResult.lazy;
        childFlow.defineSkip(token.start);
        childFlow.write(self2.sliceStream(token));
      }
      function exitContainers(size, end) {
        var index = stack.length;
        if (childFlow && end) {
          childFlow.write([null]);
          childToken = childFlow = void 0;
        }
        while (index-- > size) {
          self2.containerState = stack[index][1];
          stack[index][0].exit.call(self2, effects);
        }
        stack.length = size;
      }
      function tokenizeInspect(effects2, ok) {
        var subcontinued = 0;
        inspectResult = {};
        return inspectStart;
        function inspectStart(code) {
          if (subcontinued < stack.length) {
            self2.containerState = stack[subcontinued][1];
            return effects2.attempt(
              stack[subcontinued][0].continuation,
              inspectContinue,
              inspectLess
            )(code);
          }
          if (childFlow.currentConstruct && childFlow.currentConstruct.concrete) {
            inspectResult.flowContinue = true;
            return inspectDone(code);
          }
          self2.interrupt = childFlow.currentConstruct && childFlow.currentConstruct.interruptible;
          self2.containerState = {};
          return effects2.attempt(
            containerConstruct,
            inspectFlowEnd,
            inspectDone
          )(code);
        }
        function inspectContinue(code) {
          subcontinued++;
          return self2.containerState._closeFlow ? inspectFlowEnd(code) : inspectStart(code);
        }
        function inspectLess(code) {
          if (childFlow.currentConstruct && childFlow.currentConstruct.lazy) {
            self2.containerState = {};
            return effects2.attempt(
              containerConstruct,
              inspectFlowEnd,
              // Maybe flow, or a blank line?
              effects2.attempt(
                lazyFlowConstruct,
                inspectFlowEnd,
                effects2.check(partialBlankLine, inspectFlowEnd, inspectLazy)
              )
            )(code);
          }
          return inspectFlowEnd(code);
        }
        function inspectLazy(code) {
          subcontinued = stack.length;
          inspectResult.lazy = true;
          inspectResult.flowContinue = true;
          return inspectDone(code);
        }
        function inspectFlowEnd(code) {
          inspectResult.flowEnd = true;
          return inspectDone(code);
        }
        function inspectDone(code) {
          inspectResult.continued = subcontinued;
          self2.interrupt = self2.containerState = void 0;
          return ok(code);
        }
      }
    }
    function tokenizeContainer(effects, ok, nok) {
      return factorySpace(
        effects,
        effects.attempt(this.parser.constructs.document, ok, nok),
        "linePrefix",
        this.parser.constructs.disable.null.indexOf("codeIndented") > -1 ? void 0 : 4
      );
    }
    function tokenizeLazyFlow(effects, ok, nok) {
      return factorySpace(
        effects,
        effects.lazy(this.parser.constructs.flow, ok, nok),
        "linePrefix",
        this.parser.constructs.disable.null.indexOf("codeIndented") > -1 ? void 0 : 4
      );
    }
    exports2.tokenize = tokenize;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/size-chunks.js
var require_size_chunks = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/size-chunks.js"(exports2, module2) {
    "use strict";
    function sizeChunks(chunks) {
      var index = -1;
      var size = 0;
      while (++index < chunks.length) {
        size += typeof chunks[index] === "string" ? chunks[index].length : 1;
      }
      return size;
    }
    module2.exports = sizeChunks;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/prefix-size.js
var require_prefix_size = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/prefix-size.js"(exports2, module2) {
    "use strict";
    var sizeChunks = require_size_chunks();
    function prefixSize(events, type) {
      var tail = events[events.length - 1];
      if (!tail || tail[1].type !== type) return 0;
      return sizeChunks(tail[2].sliceStream(tail[1]));
    }
    module2.exports = prefixSize;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/constant/splice.js
var require_splice = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/constant/splice.js"(exports2, module2) {
    "use strict";
    var splice2 = [].splice;
    module2.exports = splice2;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/chunked-splice.js
var require_chunked_splice = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/chunked-splice.js"(exports2, module2) {
    "use strict";
    var splice2 = require_splice();
    function chunkedSplice(list, start, remove, items) {
      var end = list.length;
      var chunkStart = 0;
      var parameters;
      if (start < 0) {
        start = -start > end ? 0 : end + start;
      } else {
        start = start > end ? end : start;
      }
      remove = remove > 0 ? remove : 0;
      if (items.length < 1e4) {
        parameters = Array.from(items);
        parameters.unshift(start, remove);
        splice2.apply(list, parameters);
      } else {
        if (remove) splice2.apply(list, [start, remove]);
        while (chunkStart < items.length) {
          parameters = items.slice(chunkStart, chunkStart + 1e4);
          parameters.unshift(start, 0);
          splice2.apply(list, parameters);
          chunkStart += 1e4;
          start += 1e4;
        }
      }
    }
    module2.exports = chunkedSplice;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/shallow.js
var require_shallow = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/shallow.js"(exports2, module2) {
    "use strict";
    var assign = require_assign();
    function shallow(object) {
      return assign({}, object);
    }
    module2.exports = shallow;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/subtokenize.js
var require_subtokenize = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/subtokenize.js"(exports2, module2) {
    "use strict";
    var assign = require_assign();
    var chunkedSplice = require_chunked_splice();
    var shallow = require_shallow();
    function subtokenize(events) {
      var jumps = {};
      var index = -1;
      var event;
      var lineIndex;
      var otherIndex;
      var otherEvent;
      var parameters;
      var subevents;
      var more;
      while (++index < events.length) {
        while (index in jumps) {
          index = jumps[index];
        }
        event = events[index];
        if (index && event[1].type === "chunkFlow" && events[index - 1][1].type === "listItemPrefix") {
          subevents = event[1]._tokenizer.events;
          otherIndex = 0;
          if (otherIndex < subevents.length && subevents[otherIndex][1].type === "lineEndingBlank") {
            otherIndex += 2;
          }
          if (otherIndex < subevents.length && subevents[otherIndex][1].type === "content") {
            while (++otherIndex < subevents.length) {
              if (subevents[otherIndex][1].type === "content") {
                break;
              }
              if (subevents[otherIndex][1].type === "chunkText") {
                subevents[otherIndex][1].isInFirstContentOfListItem = true;
                otherIndex++;
              }
            }
          }
        }
        if (event[0] === "enter") {
          if (event[1].contentType) {
            assign(jumps, subcontent(events, index));
            index = jumps[index];
            more = true;
          }
        } else if (event[1]._container || event[1]._movePreviousLineEndings) {
          otherIndex = index;
          lineIndex = void 0;
          while (otherIndex--) {
            otherEvent = events[otherIndex];
            if (otherEvent[1].type === "lineEnding" || otherEvent[1].type === "lineEndingBlank") {
              if (otherEvent[0] === "enter") {
                if (lineIndex) {
                  events[lineIndex][1].type = "lineEndingBlank";
                }
                otherEvent[1].type = "lineEnding";
                lineIndex = otherIndex;
              }
            } else {
              break;
            }
          }
          if (lineIndex) {
            event[1].end = shallow(events[lineIndex][1].start);
            parameters = events.slice(lineIndex, index);
            parameters.unshift(event);
            chunkedSplice(events, lineIndex, index - lineIndex + 1, parameters);
          }
        }
      }
      return !more;
    }
    function subcontent(events, eventIndex) {
      var token = events[eventIndex][1];
      var context = events[eventIndex][2];
      var startPosition = eventIndex - 1;
      var startPositions = [];
      var tokenizer = token._tokenizer || context.parser[token.contentType](token.start);
      var childEvents = tokenizer.events;
      var jumps = [];
      var gaps = {};
      var stream;
      var previous;
      var index;
      var entered;
      var end;
      var adjust;
      while (token) {
        while (events[++startPosition][1] !== token) {
        }
        startPositions.push(startPosition);
        if (!token._tokenizer) {
          stream = context.sliceStream(token);
          if (!token.next) {
            stream.push(null);
          }
          if (previous) {
            tokenizer.defineSkip(token.start);
          }
          if (token.isInFirstContentOfListItem) {
            tokenizer._gfmTasklistFirstContentOfListItem = true;
          }
          tokenizer.write(stream);
          if (token.isInFirstContentOfListItem) {
            tokenizer._gfmTasklistFirstContentOfListItem = void 0;
          }
        }
        previous = token;
        token = token.next;
      }
      token = previous;
      index = childEvents.length;
      while (index--) {
        if (childEvents[index][0] === "enter") {
          entered = true;
        } else if (
          // Find a void token that includes a break.
          entered && childEvents[index][1].type === childEvents[index - 1][1].type && childEvents[index][1].start.line !== childEvents[index][1].end.line
        ) {
          add(childEvents.slice(index + 1, end));
          token._tokenizer = token.next = void 0;
          token = token.previous;
          end = index + 1;
        }
      }
      tokenizer.events = token._tokenizer = token.next = void 0;
      add(childEvents.slice(0, end));
      index = -1;
      adjust = 0;
      while (++index < jumps.length) {
        gaps[adjust + jumps[index][0]] = adjust + jumps[index][1];
        adjust += jumps[index][1] - jumps[index][0] - 1;
      }
      return gaps;
      function add(slice) {
        var start = startPositions.pop();
        jumps.unshift([start, start + slice.length - 1]);
        chunkedSplice(events, start, 2, slice);
      }
    }
    module2.exports = subtokenize;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/content.js
var require_content2 = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/content.js"(exports2, module2) {
    "use strict";
    var markdownLineEnding = require_markdown_line_ending();
    var prefixSize = require_prefix_size();
    var subtokenize = require_subtokenize();
    var factorySpace = require_factory_space();
    var content = {
      tokenize: tokenizeContent,
      resolve: resolveContent,
      interruptible: true,
      lazy: true
    };
    var continuationConstruct = {
      tokenize: tokenizeContinuation,
      partial: true
    };
    function resolveContent(events) {
      subtokenize(events);
      return events;
    }
    function tokenizeContent(effects, ok) {
      var previous;
      return start;
      function start(code) {
        effects.enter("content");
        previous = effects.enter("chunkContent", {
          contentType: "content"
        });
        return data(code);
      }
      function data(code) {
        if (code === null) {
          return contentEnd(code);
        }
        if (markdownLineEnding(code)) {
          return effects.check(
            continuationConstruct,
            contentContinue,
            contentEnd
          )(code);
        }
        effects.consume(code);
        return data;
      }
      function contentEnd(code) {
        effects.exit("chunkContent");
        effects.exit("content");
        return ok(code);
      }
      function contentContinue(code) {
        effects.consume(code);
        effects.exit("chunkContent");
        previous = previous.next = effects.enter("chunkContent", {
          contentType: "content",
          previous
        });
        return data;
      }
    }
    function tokenizeContinuation(effects, ok, nok) {
      var self2 = this;
      return startLookahead;
      function startLookahead(code) {
        effects.enter("lineEnding");
        effects.consume(code);
        effects.exit("lineEnding");
        return factorySpace(effects, prefixed, "linePrefix");
      }
      function prefixed(code) {
        if (code === null || markdownLineEnding(code)) {
          return nok(code);
        }
        if (self2.parser.constructs.disable.null.indexOf("codeIndented") > -1 || prefixSize(self2.events, "linePrefix") < 4) {
          return effects.interrupt(self2.parser.constructs.flow, nok, ok)(code);
        }
        return ok(code);
      }
    }
    module2.exports = content;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/initialize/flow.js
var require_flow = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/initialize/flow.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var content = require_content2();
    var factorySpace = require_factory_space();
    var partialBlankLine = require_partial_blank_line();
    var tokenize = initializeFlow;
    function initializeFlow(effects) {
      var self2 = this;
      var initial = effects.attempt(
        // Try to parse a blank line.
        partialBlankLine,
        atBlankEnding,
        // Try to parse initial flow (essentially, only code).
        effects.attempt(
          this.parser.constructs.flowInitial,
          afterConstruct,
          factorySpace(
            effects,
            effects.attempt(
              this.parser.constructs.flow,
              afterConstruct,
              effects.attempt(content, afterConstruct)
            ),
            "linePrefix"
          )
        )
      );
      return initial;
      function atBlankEnding(code) {
        if (code === null) {
          effects.consume(code);
          return;
        }
        effects.enter("lineEndingBlank");
        effects.consume(code);
        effects.exit("lineEndingBlank");
        self2.currentConstruct = void 0;
        return initial;
      }
      function afterConstruct(code) {
        if (code === null) {
          effects.consume(code);
          return;
        }
        effects.enter("lineEnding");
        effects.consume(code);
        effects.exit("lineEnding");
        self2.currentConstruct = void 0;
        return initial;
      }
    }
    exports2.tokenize = tokenize;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/initialize/text.js
var require_text = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/initialize/text.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var assign = require_assign();
    var shallow = require_shallow();
    var text = initializeFactory("text");
    var string = initializeFactory("string");
    var resolver = {
      resolveAll: createResolver()
    };
    function initializeFactory(field) {
      return {
        tokenize: initializeText,
        resolveAll: createResolver(
          field === "text" ? resolveAllLineSuffixes : void 0
        )
      };
      function initializeText(effects) {
        var self2 = this;
        var constructs = this.parser.constructs[field];
        var text2 = effects.attempt(constructs, start, notText);
        return start;
        function start(code) {
          return atBreak(code) ? text2(code) : notText(code);
        }
        function notText(code) {
          if (code === null) {
            effects.consume(code);
            return;
          }
          effects.enter("data");
          effects.consume(code);
          return data;
        }
        function data(code) {
          if (atBreak(code)) {
            effects.exit("data");
            return text2(code);
          }
          effects.consume(code);
          return data;
        }
        function atBreak(code) {
          var list = constructs[code];
          var index = -1;
          if (code === null) {
            return true;
          }
          if (list) {
            while (++index < list.length) {
              if (!list[index].previous || list[index].previous.call(self2, self2.previous)) {
                return true;
              }
            }
          }
        }
      }
    }
    function createResolver(extraResolver) {
      return resolveAllText;
      function resolveAllText(events, context) {
        var index = -1;
        var enter;
        while (++index <= events.length) {
          if (enter === void 0) {
            if (events[index] && events[index][1].type === "data") {
              enter = index;
              index++;
            }
          } else if (!events[index] || events[index][1].type !== "data") {
            if (index !== enter + 2) {
              events[enter][1].end = events[index - 1][1].end;
              events.splice(enter + 2, index - enter - 2);
              index = enter + 2;
            }
            enter = void 0;
          }
        }
        return extraResolver ? extraResolver(events, context) : events;
      }
    }
    function resolveAllLineSuffixes(events, context) {
      var eventIndex = -1;
      var chunks;
      var data;
      var chunk;
      var index;
      var bufferIndex;
      var size;
      var tabs;
      var token;
      while (++eventIndex <= events.length) {
        if ((eventIndex === events.length || events[eventIndex][1].type === "lineEnding") && events[eventIndex - 1][1].type === "data") {
          data = events[eventIndex - 1][1];
          chunks = context.sliceStream(data);
          index = chunks.length;
          bufferIndex = -1;
          size = 0;
          tabs = void 0;
          while (index--) {
            chunk = chunks[index];
            if (typeof chunk === "string") {
              bufferIndex = chunk.length;
              while (chunk.charCodeAt(bufferIndex - 1) === 32) {
                size++;
                bufferIndex--;
              }
              if (bufferIndex) break;
              bufferIndex = -1;
            } else if (chunk === -2) {
              tabs = true;
              size++;
            } else if (chunk === -1) ;
            else {
              index++;
              break;
            }
          }
          if (size) {
            token = {
              type: eventIndex === events.length || tabs || size < 2 ? "lineSuffix" : "hardBreakTrailing",
              start: {
                line: data.end.line,
                column: data.end.column - size,
                offset: data.end.offset - size,
                _index: data.start._index + index,
                _bufferIndex: index ? bufferIndex : data.start._bufferIndex + bufferIndex
              },
              end: shallow(data.end)
            };
            data.end = shallow(token.start);
            if (data.start.offset === data.end.offset) {
              assign(data, token);
            } else {
              events.splice(
                eventIndex,
                0,
                ["enter", token, context],
                ["exit", token, context]
              );
              eventIndex += 2;
            }
          }
          eventIndex++;
        }
      }
      return events;
    }
    exports2.resolver = resolver;
    exports2.string = string;
    exports2.text = text;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/miniflat.js
var require_miniflat = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/miniflat.js"(exports2, module2) {
    "use strict";
    function miniflat(value) {
      return value === null || value === void 0 ? [] : "length" in value ? value : [value];
    }
    module2.exports = miniflat;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/combine-extensions.js
var require_combine_extensions = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/combine-extensions.js"(exports2, module2) {
    "use strict";
    var hasOwnProperty10 = require_has_own_property();
    var chunkedSplice = require_chunked_splice();
    var miniflat = require_miniflat();
    function combineExtensions(extensions) {
      var all = {};
      var index = -1;
      while (++index < extensions.length) {
        extension(all, extensions[index]);
      }
      return all;
    }
    function extension(all, extension2) {
      var hook;
      var left;
      var right;
      var code;
      for (hook in extension2) {
        left = hasOwnProperty10.call(all, hook) ? all[hook] : all[hook] = {};
        right = extension2[hook];
        for (code in right) {
          left[code] = constructs(
            miniflat(right[code]),
            hasOwnProperty10.call(left, code) ? left[code] : []
          );
        }
      }
    }
    function constructs(list, existing) {
      var index = -1;
      var before = [];
      while (++index < list.length) {
        ;
        (list[index].add === "after" ? existing : before).push(list[index]);
      }
      chunkedSplice(existing, 0, 0, before);
      return existing;
    }
    module2.exports = combineExtensions;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/chunked-push.js
var require_chunked_push = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/chunked-push.js"(exports2, module2) {
    "use strict";
    var chunkedSplice = require_chunked_splice();
    function chunkedPush(list, items) {
      if (list.length) {
        chunkedSplice(list, list.length, 0, items);
        return list;
      }
      return items;
    }
    module2.exports = chunkedPush;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/resolve-all.js
var require_resolve_all = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/resolve-all.js"(exports2, module2) {
    "use strict";
    function resolveAll(constructs, events, context) {
      var called = [];
      var index = -1;
      var resolve2;
      while (++index < constructs.length) {
        resolve2 = constructs[index].resolveAll;
        if (resolve2 && called.indexOf(resolve2) < 0) {
          events = resolve2(events, context);
          called.push(resolve2);
        }
      }
      return events;
    }
    module2.exports = resolveAll;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/serialize-chunks.js
var require_serialize_chunks = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/serialize-chunks.js"(exports2, module2) {
    "use strict";
    var fromCharCode = require_from_char_code();
    function serializeChunks(chunks) {
      var index = -1;
      var result = [];
      var chunk;
      var value;
      var atTab;
      while (++index < chunks.length) {
        chunk = chunks[index];
        if (typeof chunk === "string") {
          value = chunk;
        } else if (chunk === -5) {
          value = "\r";
        } else if (chunk === -4) {
          value = "\n";
        } else if (chunk === -3) {
          value = "\r\n";
        } else if (chunk === -2) {
          value = "	";
        } else if (chunk === -1) {
          if (atTab) continue;
          value = " ";
        } else {
          value = fromCharCode(chunk);
        }
        atTab = chunk === -2;
        result.push(value);
      }
      return result.join("");
    }
    module2.exports = serializeChunks;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/slice-chunks.js
var require_slice_chunks = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/slice-chunks.js"(exports2, module2) {
    "use strict";
    function sliceChunks(chunks, token) {
      var startIndex = token.start._index;
      var startBufferIndex = token.start._bufferIndex;
      var endIndex = token.end._index;
      var endBufferIndex = token.end._bufferIndex;
      var view;
      if (startIndex === endIndex) {
        view = [chunks[startIndex].slice(startBufferIndex, endBufferIndex)];
      } else {
        view = chunks.slice(startIndex, endIndex);
        if (startBufferIndex > -1) {
          view[0] = view[0].slice(startBufferIndex);
        }
        if (endBufferIndex > 0) {
          view.push(chunks[endIndex].slice(0, endBufferIndex));
        }
      }
      return view;
    }
    module2.exports = sliceChunks;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/create-tokenizer.js
var require_create_tokenizer = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/create-tokenizer.js"(exports2, module2) {
    "use strict";
    var assign = require_assign();
    var markdownLineEnding = require_markdown_line_ending();
    var chunkedPush = require_chunked_push();
    var chunkedSplice = require_chunked_splice();
    var miniflat = require_miniflat();
    var resolveAll = require_resolve_all();
    var serializeChunks = require_serialize_chunks();
    var shallow = require_shallow();
    var sliceChunks = require_slice_chunks();
    function createTokenizer(parser, initialize, from) {
      var point = from ? shallow(from) : {
        line: 1,
        column: 1,
        offset: 0
      };
      var columnStart = {};
      var resolveAllConstructs = [];
      var chunks = [];
      var stack = [];
      var effects = {
        consume,
        enter,
        exit,
        attempt: constructFactory(onsuccessfulconstruct),
        check: constructFactory(onsuccessfulcheck),
        interrupt: constructFactory(onsuccessfulcheck, {
          interrupt: true
        }),
        lazy: constructFactory(onsuccessfulcheck, {
          lazy: true
        })
      };
      var context = {
        previous: null,
        events: [],
        parser,
        sliceStream,
        sliceSerialize,
        now,
        defineSkip: skip,
        write
      };
      var state = initialize.tokenize.call(context, effects);
      if (initialize.resolveAll) {
        resolveAllConstructs.push(initialize);
      }
      point._index = 0;
      point._bufferIndex = -1;
      return context;
      function write(slice) {
        chunks = chunkedPush(chunks, slice);
        main();
        if (chunks[chunks.length - 1] !== null) {
          return [];
        }
        addResult(initialize, 0);
        context.events = resolveAll(resolveAllConstructs, context.events, context);
        return context.events;
      }
      function sliceSerialize(token) {
        return serializeChunks(sliceStream(token));
      }
      function sliceStream(token) {
        return sliceChunks(chunks, token);
      }
      function now() {
        return shallow(point);
      }
      function skip(value) {
        columnStart[value.line] = value.column;
        accountForPotentialSkip();
      }
      function main() {
        var chunkIndex;
        var chunk;
        while (point._index < chunks.length) {
          chunk = chunks[point._index];
          if (typeof chunk === "string") {
            chunkIndex = point._index;
            if (point._bufferIndex < 0) {
              point._bufferIndex = 0;
            }
            while (point._index === chunkIndex && point._bufferIndex < chunk.length) {
              go(chunk.charCodeAt(point._bufferIndex));
            }
          } else {
            go(chunk);
          }
        }
      }
      function go(code) {
        state = state(code);
      }
      function consume(code) {
        if (markdownLineEnding(code)) {
          point.line++;
          point.column = 1;
          point.offset += code === -3 ? 2 : 1;
          accountForPotentialSkip();
        } else if (code !== -1) {
          point.column++;
          point.offset++;
        }
        if (point._bufferIndex < 0) {
          point._index++;
        } else {
          point._bufferIndex++;
          if (point._bufferIndex === chunks[point._index].length) {
            point._bufferIndex = -1;
            point._index++;
          }
        }
        context.previous = code;
      }
      function enter(type, fields) {
        var token = fields || {};
        token.type = type;
        token.start = now();
        context.events.push(["enter", token, context]);
        stack.push(token);
        return token;
      }
      function exit(type) {
        var token = stack.pop();
        token.end = now();
        context.events.push(["exit", token, context]);
        return token;
      }
      function onsuccessfulconstruct(construct, info) {
        addResult(construct, info.from);
      }
      function onsuccessfulcheck(construct, info) {
        info.restore();
      }
      function constructFactory(onreturn, fields) {
        return hook;
        function hook(constructs, returnState, bogusState) {
          var listOfConstructs;
          var constructIndex;
          var currentConstruct;
          var info;
          return constructs.tokenize || "length" in constructs ? handleListOfConstructs(miniflat(constructs)) : handleMapOfConstructs;
          function handleMapOfConstructs(code) {
            if (code in constructs || null in constructs) {
              return handleListOfConstructs(
                constructs.null ? (
                  /* c8 ignore next */
                  miniflat(constructs[code]).concat(miniflat(constructs.null))
                ) : constructs[code]
              )(code);
            }
            return bogusState(code);
          }
          function handleListOfConstructs(list) {
            listOfConstructs = list;
            constructIndex = 0;
            return handleConstruct(list[constructIndex]);
          }
          function handleConstruct(construct) {
            return start;
            function start(code) {
              info = store();
              currentConstruct = construct;
              if (!construct.partial) {
                context.currentConstruct = construct;
              }
              if (construct.name && context.parser.constructs.disable.null.indexOf(construct.name) > -1) {
                return nok();
              }
              return construct.tokenize.call(
                fields ? assign({}, context, fields) : context,
                effects,
                ok,
                nok
              )(code);
            }
          }
          function ok(code) {
            onreturn(currentConstruct, info);
            return returnState;
          }
          function nok(code) {
            info.restore();
            if (++constructIndex < listOfConstructs.length) {
              return handleConstruct(listOfConstructs[constructIndex]);
            }
            return bogusState;
          }
        }
      }
      function addResult(construct, from2) {
        if (construct.resolveAll && resolveAllConstructs.indexOf(construct) < 0) {
          resolveAllConstructs.push(construct);
        }
        if (construct.resolve) {
          chunkedSplice(
            context.events,
            from2,
            context.events.length - from2,
            construct.resolve(context.events.slice(from2), context)
          );
        }
        if (construct.resolveTo) {
          context.events = construct.resolveTo(context.events, context);
        }
      }
      function store() {
        var startPoint = now();
        var startPrevious = context.previous;
        var startCurrentConstruct = context.currentConstruct;
        var startEventsIndex = context.events.length;
        var startStack = Array.from(stack);
        return {
          restore,
          from: startEventsIndex
        };
        function restore() {
          point = startPoint;
          context.previous = startPrevious;
          context.currentConstruct = startCurrentConstruct;
          context.events.length = startEventsIndex;
          stack = startStack;
          accountForPotentialSkip();
        }
      }
      function accountForPotentialSkip() {
        if (point.line in columnStart && point.column < 2) {
          point.column = columnStart[point.line];
          point.offset += columnStart[point.line] - 1;
        }
      }
    }
    module2.exports = createTokenizer;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/markdown-line-ending-or-space.js
var require_markdown_line_ending_or_space = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/markdown-line-ending-or-space.js"(exports2, module2) {
    "use strict";
    function markdownLineEndingOrSpace(code) {
      return code < 0 || code === 32;
    }
    module2.exports = markdownLineEndingOrSpace;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/constant/unicode-punctuation-regex.js
var require_unicode_punctuation_regex = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/constant/unicode-punctuation-regex.js"(exports2, module2) {
    "use strict";
    var unicodePunctuation = /[!-\/:-@\[-`\{-~\xA1\xA7\xAB\xB6\xB7\xBB\xBF\u037E\u0387\u055A-\u055F\u0589\u058A\u05BE\u05C0\u05C3\u05C6\u05F3\u05F4\u0609\u060A\u060C\u060D\u061B\u061E\u061F\u066A-\u066D\u06D4\u0700-\u070D\u07F7-\u07F9\u0830-\u083E\u085E\u0964\u0965\u0970\u09FD\u0A76\u0AF0\u0C77\u0C84\u0DF4\u0E4F\u0E5A\u0E5B\u0F04-\u0F12\u0F14\u0F3A-\u0F3D\u0F85\u0FD0-\u0FD4\u0FD9\u0FDA\u104A-\u104F\u10FB\u1360-\u1368\u1400\u166E\u169B\u169C\u16EB-\u16ED\u1735\u1736\u17D4-\u17D6\u17D8-\u17DA\u1800-\u180A\u1944\u1945\u1A1E\u1A1F\u1AA0-\u1AA6\u1AA8-\u1AAD\u1B5A-\u1B60\u1BFC-\u1BFF\u1C3B-\u1C3F\u1C7E\u1C7F\u1CC0-\u1CC7\u1CD3\u2010-\u2027\u2030-\u2043\u2045-\u2051\u2053-\u205E\u207D\u207E\u208D\u208E\u2308-\u230B\u2329\u232A\u2768-\u2775\u27C5\u27C6\u27E6-\u27EF\u2983-\u2998\u29D8-\u29DB\u29FC\u29FD\u2CF9-\u2CFC\u2CFE\u2CFF\u2D70\u2E00-\u2E2E\u2E30-\u2E4F\u2E52\u3001-\u3003\u3008-\u3011\u3014-\u301F\u3030\u303D\u30A0\u30FB\uA4FE\uA4FF\uA60D-\uA60F\uA673\uA67E\uA6F2-\uA6F7\uA874-\uA877\uA8CE\uA8CF\uA8F8-\uA8FA\uA8FC\uA92E\uA92F\uA95F\uA9C1-\uA9CD\uA9DE\uA9DF\uAA5C-\uAA5F\uAADE\uAADF\uAAF0\uAAF1\uABEB\uFD3E\uFD3F\uFE10-\uFE19\uFE30-\uFE52\uFE54-\uFE61\uFE63\uFE68\uFE6A\uFE6B\uFF01-\uFF03\uFF05-\uFF0A\uFF0C-\uFF0F\uFF1A\uFF1B\uFF1F\uFF20\uFF3B-\uFF3D\uFF3F\uFF5B\uFF5D\uFF5F-\uFF65]/;
    module2.exports = unicodePunctuation;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/regex-check.js
var require_regex_check = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/regex-check.js"(exports2, module2) {
    "use strict";
    var fromCharCode = require_from_char_code();
    function regexCheck(regex) {
      return check;
      function check(code) {
        return regex.test(fromCharCode(code));
      }
    }
    module2.exports = regexCheck;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/unicode-punctuation.js
var require_unicode_punctuation = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/unicode-punctuation.js"(exports2, module2) {
    "use strict";
    var unicodePunctuationRegex = require_unicode_punctuation_regex();
    var regexCheck = require_regex_check();
    var unicodePunctuation = regexCheck(unicodePunctuationRegex);
    module2.exports = unicodePunctuation;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/unicode-whitespace.js
var require_unicode_whitespace = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/unicode-whitespace.js"(exports2, module2) {
    "use strict";
    var regexCheck = require_regex_check();
    var unicodeWhitespace = regexCheck(/\s/);
    module2.exports = unicodeWhitespace;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/classify-character.js
var require_classify_character = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/classify-character.js"(exports2, module2) {
    "use strict";
    var markdownLineEndingOrSpace = require_markdown_line_ending_or_space();
    var unicodePunctuation = require_unicode_punctuation();
    var unicodeWhitespace = require_unicode_whitespace();
    function classifyCharacter(code) {
      if (code === null || markdownLineEndingOrSpace(code) || unicodeWhitespace(code)) {
        return 1;
      }
      if (unicodePunctuation(code)) {
        return 2;
      }
    }
    module2.exports = classifyCharacter;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/move-point.js
var require_move_point = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/util/move-point.js"(exports2, module2) {
    "use strict";
    function movePoint(point, offset) {
      point.column += offset;
      point.offset += offset;
      point._bufferIndex += offset;
      return point;
    }
    module2.exports = movePoint;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/attention.js
var require_attention = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/attention.js"(exports2, module2) {
    "use strict";
    var chunkedPush = require_chunked_push();
    var chunkedSplice = require_chunked_splice();
    var classifyCharacter = require_classify_character();
    var movePoint = require_move_point();
    var resolveAll = require_resolve_all();
    var shallow = require_shallow();
    var attention = {
      name: "attention",
      tokenize: tokenizeAttention,
      resolveAll: resolveAllAttention
    };
    function resolveAllAttention(events, context) {
      var index = -1;
      var open;
      var group;
      var text;
      var openingSequence;
      var closingSequence;
      var use;
      var nextEvents;
      var offset;
      while (++index < events.length) {
        if (events[index][0] === "enter" && events[index][1].type === "attentionSequence" && events[index][1]._close) {
          open = index;
          while (open--) {
            if (events[open][0] === "exit" && events[open][1].type === "attentionSequence" && events[open][1]._open && // If the markers are the same:
            context.sliceSerialize(events[open][1]).charCodeAt(0) === context.sliceSerialize(events[index][1]).charCodeAt(0)) {
              if ((events[open][1]._close || events[index][1]._open) && (events[index][1].end.offset - events[index][1].start.offset) % 3 && !((events[open][1].end.offset - events[open][1].start.offset + events[index][1].end.offset - events[index][1].start.offset) % 3)) {
                continue;
              }
              use = events[open][1].end.offset - events[open][1].start.offset > 1 && events[index][1].end.offset - events[index][1].start.offset > 1 ? 2 : 1;
              openingSequence = {
                type: use > 1 ? "strongSequence" : "emphasisSequence",
                start: movePoint(shallow(events[open][1].end), -use),
                end: shallow(events[open][1].end)
              };
              closingSequence = {
                type: use > 1 ? "strongSequence" : "emphasisSequence",
                start: shallow(events[index][1].start),
                end: movePoint(shallow(events[index][1].start), use)
              };
              text = {
                type: use > 1 ? "strongText" : "emphasisText",
                start: shallow(events[open][1].end),
                end: shallow(events[index][1].start)
              };
              group = {
                type: use > 1 ? "strong" : "emphasis",
                start: shallow(openingSequence.start),
                end: shallow(closingSequence.end)
              };
              events[open][1].end = shallow(openingSequence.start);
              events[index][1].start = shallow(closingSequence.end);
              nextEvents = [];
              if (events[open][1].end.offset - events[open][1].start.offset) {
                nextEvents = chunkedPush(nextEvents, [
                  ["enter", events[open][1], context],
                  ["exit", events[open][1], context]
                ]);
              }
              nextEvents = chunkedPush(nextEvents, [
                ["enter", group, context],
                ["enter", openingSequence, context],
                ["exit", openingSequence, context],
                ["enter", text, context]
              ]);
              nextEvents = chunkedPush(
                nextEvents,
                resolveAll(
                  context.parser.constructs.insideSpan.null,
                  events.slice(open + 1, index),
                  context
                )
              );
              nextEvents = chunkedPush(nextEvents, [
                ["exit", text, context],
                ["enter", closingSequence, context],
                ["exit", closingSequence, context],
                ["exit", group, context]
              ]);
              if (events[index][1].end.offset - events[index][1].start.offset) {
                offset = 2;
                nextEvents = chunkedPush(nextEvents, [
                  ["enter", events[index][1], context],
                  ["exit", events[index][1], context]
                ]);
              } else {
                offset = 0;
              }
              chunkedSplice(events, open - 1, index - open + 3, nextEvents);
              index = open + nextEvents.length - offset - 2;
              break;
            }
          }
        }
      }
      index = -1;
      while (++index < events.length) {
        if (events[index][1].type === "attentionSequence") {
          events[index][1].type = "data";
        }
      }
      return events;
    }
    function tokenizeAttention(effects, ok) {
      var before = classifyCharacter(this.previous);
      var marker;
      return start;
      function start(code) {
        effects.enter("attentionSequence");
        marker = code;
        return sequence(code);
      }
      function sequence(code) {
        var token;
        var after;
        var open;
        var close;
        if (code === marker) {
          effects.consume(code);
          return sequence;
        }
        token = effects.exit("attentionSequence");
        after = classifyCharacter(code);
        open = !after || after === 2 && before;
        close = !before || before === 2 && after;
        token._open = marker === 42 ? open : open && (before || !close);
        token._close = marker === 42 ? close : close && (after || !open);
        return ok(code);
      }
    }
    module2.exports = attention;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/ascii-alpha.js
var require_ascii_alpha = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/ascii-alpha.js"(exports2, module2) {
    "use strict";
    var regexCheck = require_regex_check();
    var asciiAlpha = regexCheck(/[A-Za-z]/);
    module2.exports = asciiAlpha;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/ascii-alphanumeric.js
var require_ascii_alphanumeric = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/ascii-alphanumeric.js"(exports2, module2) {
    "use strict";
    var regexCheck = require_regex_check();
    var asciiAlphanumeric = regexCheck(/[\dA-Za-z]/);
    module2.exports = asciiAlphanumeric;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/ascii-atext.js
var require_ascii_atext = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/ascii-atext.js"(exports2, module2) {
    "use strict";
    var regexCheck = require_regex_check();
    var asciiAtext = regexCheck(/[#-'*+\--9=?A-Z^-~]/);
    module2.exports = asciiAtext;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/ascii-control.js
var require_ascii_control = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/ascii-control.js"(exports2, module2) {
    "use strict";
    function asciiControl(code) {
      return (
        // Special whitespace codes (which have negative values), C0 and Control
        // character DEL
        code < 32 || code === 127
      );
    }
    module2.exports = asciiControl;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/autolink.js
var require_autolink = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/autolink.js"(exports2, module2) {
    "use strict";
    var asciiAlpha = require_ascii_alpha();
    var asciiAlphanumeric = require_ascii_alphanumeric();
    var asciiAtext = require_ascii_atext();
    var asciiControl = require_ascii_control();
    var autolink = {
      name: "autolink",
      tokenize: tokenizeAutolink
    };
    function tokenizeAutolink(effects, ok, nok) {
      var size = 1;
      return start;
      function start(code) {
        effects.enter("autolink");
        effects.enter("autolinkMarker");
        effects.consume(code);
        effects.exit("autolinkMarker");
        effects.enter("autolinkProtocol");
        return open;
      }
      function open(code) {
        if (asciiAlpha(code)) {
          effects.consume(code);
          return schemeOrEmailAtext;
        }
        return asciiAtext(code) ? emailAtext(code) : nok(code);
      }
      function schemeOrEmailAtext(code) {
        return code === 43 || code === 45 || code === 46 || asciiAlphanumeric(code) ? schemeInsideOrEmailAtext(code) : emailAtext(code);
      }
      function schemeInsideOrEmailAtext(code) {
        if (code === 58) {
          effects.consume(code);
          return urlInside;
        }
        if ((code === 43 || code === 45 || code === 46 || asciiAlphanumeric(code)) && size++ < 32) {
          effects.consume(code);
          return schemeInsideOrEmailAtext;
        }
        return emailAtext(code);
      }
      function urlInside(code) {
        if (code === 62) {
          effects.exit("autolinkProtocol");
          return end(code);
        }
        if (code === 32 || code === 60 || asciiControl(code)) {
          return nok(code);
        }
        effects.consume(code);
        return urlInside;
      }
      function emailAtext(code) {
        if (code === 64) {
          effects.consume(code);
          size = 0;
          return emailAtSignOrDot;
        }
        if (asciiAtext(code)) {
          effects.consume(code);
          return emailAtext;
        }
        return nok(code);
      }
      function emailAtSignOrDot(code) {
        return asciiAlphanumeric(code) ? emailLabel(code) : nok(code);
      }
      function emailLabel(code) {
        if (code === 46) {
          effects.consume(code);
          size = 0;
          return emailAtSignOrDot;
        }
        if (code === 62) {
          effects.exit("autolinkProtocol").type = "autolinkEmail";
          return end(code);
        }
        return emailValue(code);
      }
      function emailValue(code) {
        if ((code === 45 || asciiAlphanumeric(code)) && size++ < 63) {
          effects.consume(code);
          return code === 45 ? emailValue : emailLabel;
        }
        return nok(code);
      }
      function end(code) {
        effects.enter("autolinkMarker");
        effects.consume(code);
        effects.exit("autolinkMarker");
        effects.exit("autolink");
        return ok;
      }
    }
    module2.exports = autolink;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/block-quote.js
var require_block_quote = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/block-quote.js"(exports2, module2) {
    "use strict";
    var markdownSpace = require_markdown_space();
    var factorySpace = require_factory_space();
    var blockQuote = {
      name: "blockQuote",
      tokenize: tokenizeBlockQuoteStart,
      continuation: {
        tokenize: tokenizeBlockQuoteContinuation
      },
      exit
    };
    function tokenizeBlockQuoteStart(effects, ok, nok) {
      var self2 = this;
      return start;
      function start(code) {
        if (code === 62) {
          if (!self2.containerState.open) {
            effects.enter("blockQuote", {
              _container: true
            });
            self2.containerState.open = true;
          }
          effects.enter("blockQuotePrefix");
          effects.enter("blockQuoteMarker");
          effects.consume(code);
          effects.exit("blockQuoteMarker");
          return after;
        }
        return nok(code);
      }
      function after(code) {
        if (markdownSpace(code)) {
          effects.enter("blockQuotePrefixWhitespace");
          effects.consume(code);
          effects.exit("blockQuotePrefixWhitespace");
          effects.exit("blockQuotePrefix");
          return ok;
        }
        effects.exit("blockQuotePrefix");
        return ok(code);
      }
    }
    function tokenizeBlockQuoteContinuation(effects, ok, nok) {
      return factorySpace(
        effects,
        effects.attempt(blockQuote, ok, nok),
        "linePrefix",
        this.parser.constructs.disable.null.indexOf("codeIndented") > -1 ? void 0 : 4
      );
    }
    function exit(effects) {
      effects.exit("blockQuote");
    }
    module2.exports = blockQuote;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/ascii-punctuation.js
var require_ascii_punctuation = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/ascii-punctuation.js"(exports2, module2) {
    "use strict";
    var regexCheck = require_regex_check();
    var asciiPunctuation = regexCheck(/[!-/:-@[-`{-~]/);
    module2.exports = asciiPunctuation;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/character-escape.js
var require_character_escape = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/character-escape.js"(exports2, module2) {
    "use strict";
    var asciiPunctuation = require_ascii_punctuation();
    var characterEscape = {
      name: "characterEscape",
      tokenize: tokenizeCharacterEscape
    };
    function tokenizeCharacterEscape(effects, ok, nok) {
      return start;
      function start(code) {
        effects.enter("characterEscape");
        effects.enter("escapeMarker");
        effects.consume(code);
        effects.exit("escapeMarker");
        return open;
      }
      function open(code) {
        if (asciiPunctuation(code)) {
          effects.enter("characterEscapeValue");
          effects.consume(code);
          effects.exit("characterEscapeValue");
          effects.exit("characterEscape");
          return ok;
        }
        return nok(code);
      }
    }
    module2.exports = characterEscape;
  }
});

// node_modules/.pnpm/character-entities@1.2.4/node_modules/character-entities/index.json
var require_character_entities = __commonJS({
  "node_modules/.pnpm/character-entities@1.2.4/node_modules/character-entities/index.json"(exports2, module2) {
    module2.exports = {
      AEli: "\xC6",
      AElig: "\xC6",
      AM: "&",
      AMP: "&",
      Aacut: "\xC1",
      Aacute: "\xC1",
      Abreve: "\u0102",
      Acir: "\xC2",
      Acirc: "\xC2",
      Acy: "\u0410",
      Afr: "\u{1D504}",
      Agrav: "\xC0",
      Agrave: "\xC0",
      Alpha: "\u0391",
      Amacr: "\u0100",
      And: "\u2A53",
      Aogon: "\u0104",
      Aopf: "\u{1D538}",
      ApplyFunction: "\u2061",
      Arin: "\xC5",
      Aring: "\xC5",
      Ascr: "\u{1D49C}",
      Assign: "\u2254",
      Atild: "\xC3",
      Atilde: "\xC3",
      Aum: "\xC4",
      Auml: "\xC4",
      Backslash: "\u2216",
      Barv: "\u2AE7",
      Barwed: "\u2306",
      Bcy: "\u0411",
      Because: "\u2235",
      Bernoullis: "\u212C",
      Beta: "\u0392",
      Bfr: "\u{1D505}",
      Bopf: "\u{1D539}",
      Breve: "\u02D8",
      Bscr: "\u212C",
      Bumpeq: "\u224E",
      CHcy: "\u0427",
      COP: "\xA9",
      COPY: "\xA9",
      Cacute: "\u0106",
      Cap: "\u22D2",
      CapitalDifferentialD: "\u2145",
      Cayleys: "\u212D",
      Ccaron: "\u010C",
      Ccedi: "\xC7",
      Ccedil: "\xC7",
      Ccirc: "\u0108",
      Cconint: "\u2230",
      Cdot: "\u010A",
      Cedilla: "\xB8",
      CenterDot: "\xB7",
      Cfr: "\u212D",
      Chi: "\u03A7",
      CircleDot: "\u2299",
      CircleMinus: "\u2296",
      CirclePlus: "\u2295",
      CircleTimes: "\u2297",
      ClockwiseContourIntegral: "\u2232",
      CloseCurlyDoubleQuote: "\u201D",
      CloseCurlyQuote: "\u2019",
      Colon: "\u2237",
      Colone: "\u2A74",
      Congruent: "\u2261",
      Conint: "\u222F",
      ContourIntegral: "\u222E",
      Copf: "\u2102",
      Coproduct: "\u2210",
      CounterClockwiseContourIntegral: "\u2233",
      Cross: "\u2A2F",
      Cscr: "\u{1D49E}",
      Cup: "\u22D3",
      CupCap: "\u224D",
      DD: "\u2145",
      DDotrahd: "\u2911",
      DJcy: "\u0402",
      DScy: "\u0405",
      DZcy: "\u040F",
      Dagger: "\u2021",
      Darr: "\u21A1",
      Dashv: "\u2AE4",
      Dcaron: "\u010E",
      Dcy: "\u0414",
      Del: "\u2207",
      Delta: "\u0394",
      Dfr: "\u{1D507}",
      DiacriticalAcute: "\xB4",
      DiacriticalDot: "\u02D9",
      DiacriticalDoubleAcute: "\u02DD",
      DiacriticalGrave: "`",
      DiacriticalTilde: "\u02DC",
      Diamond: "\u22C4",
      DifferentialD: "\u2146",
      Dopf: "\u{1D53B}",
      Dot: "\xA8",
      DotDot: "\u20DC",
      DotEqual: "\u2250",
      DoubleContourIntegral: "\u222F",
      DoubleDot: "\xA8",
      DoubleDownArrow: "\u21D3",
      DoubleLeftArrow: "\u21D0",
      DoubleLeftRightArrow: "\u21D4",
      DoubleLeftTee: "\u2AE4",
      DoubleLongLeftArrow: "\u27F8",
      DoubleLongLeftRightArrow: "\u27FA",
      DoubleLongRightArrow: "\u27F9",
      DoubleRightArrow: "\u21D2",
      DoubleRightTee: "\u22A8",
      DoubleUpArrow: "\u21D1",
      DoubleUpDownArrow: "\u21D5",
      DoubleVerticalBar: "\u2225",
      DownArrow: "\u2193",
      DownArrowBar: "\u2913",
      DownArrowUpArrow: "\u21F5",
      DownBreve: "\u0311",
      DownLeftRightVector: "\u2950",
      DownLeftTeeVector: "\u295E",
      DownLeftVector: "\u21BD",
      DownLeftVectorBar: "\u2956",
      DownRightTeeVector: "\u295F",
      DownRightVector: "\u21C1",
      DownRightVectorBar: "\u2957",
      DownTee: "\u22A4",
      DownTeeArrow: "\u21A7",
      Downarrow: "\u21D3",
      Dscr: "\u{1D49F}",
      Dstrok: "\u0110",
      ENG: "\u014A",
      ET: "\xD0",
      ETH: "\xD0",
      Eacut: "\xC9",
      Eacute: "\xC9",
      Ecaron: "\u011A",
      Ecir: "\xCA",
      Ecirc: "\xCA",
      Ecy: "\u042D",
      Edot: "\u0116",
      Efr: "\u{1D508}",
      Egrav: "\xC8",
      Egrave: "\xC8",
      Element: "\u2208",
      Emacr: "\u0112",
      EmptySmallSquare: "\u25FB",
      EmptyVerySmallSquare: "\u25AB",
      Eogon: "\u0118",
      Eopf: "\u{1D53C}",
      Epsilon: "\u0395",
      Equal: "\u2A75",
      EqualTilde: "\u2242",
      Equilibrium: "\u21CC",
      Escr: "\u2130",
      Esim: "\u2A73",
      Eta: "\u0397",
      Eum: "\xCB",
      Euml: "\xCB",
      Exists: "\u2203",
      ExponentialE: "\u2147",
      Fcy: "\u0424",
      Ffr: "\u{1D509}",
      FilledSmallSquare: "\u25FC",
      FilledVerySmallSquare: "\u25AA",
      Fopf: "\u{1D53D}",
      ForAll: "\u2200",
      Fouriertrf: "\u2131",
      Fscr: "\u2131",
      GJcy: "\u0403",
      G: ">",
      GT: ">",
      Gamma: "\u0393",
      Gammad: "\u03DC",
      Gbreve: "\u011E",
      Gcedil: "\u0122",
      Gcirc: "\u011C",
      Gcy: "\u0413",
      Gdot: "\u0120",
      Gfr: "\u{1D50A}",
      Gg: "\u22D9",
      Gopf: "\u{1D53E}",
      GreaterEqual: "\u2265",
      GreaterEqualLess: "\u22DB",
      GreaterFullEqual: "\u2267",
      GreaterGreater: "\u2AA2",
      GreaterLess: "\u2277",
      GreaterSlantEqual: "\u2A7E",
      GreaterTilde: "\u2273",
      Gscr: "\u{1D4A2}",
      Gt: "\u226B",
      HARDcy: "\u042A",
      Hacek: "\u02C7",
      Hat: "^",
      Hcirc: "\u0124",
      Hfr: "\u210C",
      HilbertSpace: "\u210B",
      Hopf: "\u210D",
      HorizontalLine: "\u2500",
      Hscr: "\u210B",
      Hstrok: "\u0126",
      HumpDownHump: "\u224E",
      HumpEqual: "\u224F",
      IEcy: "\u0415",
      IJlig: "\u0132",
      IOcy: "\u0401",
      Iacut: "\xCD",
      Iacute: "\xCD",
      Icir: "\xCE",
      Icirc: "\xCE",
      Icy: "\u0418",
      Idot: "\u0130",
      Ifr: "\u2111",
      Igrav: "\xCC",
      Igrave: "\xCC",
      Im: "\u2111",
      Imacr: "\u012A",
      ImaginaryI: "\u2148",
      Implies: "\u21D2",
      Int: "\u222C",
      Integral: "\u222B",
      Intersection: "\u22C2",
      InvisibleComma: "\u2063",
      InvisibleTimes: "\u2062",
      Iogon: "\u012E",
      Iopf: "\u{1D540}",
      Iota: "\u0399",
      Iscr: "\u2110",
      Itilde: "\u0128",
      Iukcy: "\u0406",
      Ium: "\xCF",
      Iuml: "\xCF",
      Jcirc: "\u0134",
      Jcy: "\u0419",
      Jfr: "\u{1D50D}",
      Jopf: "\u{1D541}",
      Jscr: "\u{1D4A5}",
      Jsercy: "\u0408",
      Jukcy: "\u0404",
      KHcy: "\u0425",
      KJcy: "\u040C",
      Kappa: "\u039A",
      Kcedil: "\u0136",
      Kcy: "\u041A",
      Kfr: "\u{1D50E}",
      Kopf: "\u{1D542}",
      Kscr: "\u{1D4A6}",
      LJcy: "\u0409",
      L: "<",
      LT: "<",
      Lacute: "\u0139",
      Lambda: "\u039B",
      Lang: "\u27EA",
      Laplacetrf: "\u2112",
      Larr: "\u219E",
      Lcaron: "\u013D",
      Lcedil: "\u013B",
      Lcy: "\u041B",
      LeftAngleBracket: "\u27E8",
      LeftArrow: "\u2190",
      LeftArrowBar: "\u21E4",
      LeftArrowRightArrow: "\u21C6",
      LeftCeiling: "\u2308",
      LeftDoubleBracket: "\u27E6",
      LeftDownTeeVector: "\u2961",
      LeftDownVector: "\u21C3",
      LeftDownVectorBar: "\u2959",
      LeftFloor: "\u230A",
      LeftRightArrow: "\u2194",
      LeftRightVector: "\u294E",
      LeftTee: "\u22A3",
      LeftTeeArrow: "\u21A4",
      LeftTeeVector: "\u295A",
      LeftTriangle: "\u22B2",
      LeftTriangleBar: "\u29CF",
      LeftTriangleEqual: "\u22B4",
      LeftUpDownVector: "\u2951",
      LeftUpTeeVector: "\u2960",
      LeftUpVector: "\u21BF",
      LeftUpVectorBar: "\u2958",
      LeftVector: "\u21BC",
      LeftVectorBar: "\u2952",
      Leftarrow: "\u21D0",
      Leftrightarrow: "\u21D4",
      LessEqualGreater: "\u22DA",
      LessFullEqual: "\u2266",
      LessGreater: "\u2276",
      LessLess: "\u2AA1",
      LessSlantEqual: "\u2A7D",
      LessTilde: "\u2272",
      Lfr: "\u{1D50F}",
      Ll: "\u22D8",
      Lleftarrow: "\u21DA",
      Lmidot: "\u013F",
      LongLeftArrow: "\u27F5",
      LongLeftRightArrow: "\u27F7",
      LongRightArrow: "\u27F6",
      Longleftarrow: "\u27F8",
      Longleftrightarrow: "\u27FA",
      Longrightarrow: "\u27F9",
      Lopf: "\u{1D543}",
      LowerLeftArrow: "\u2199",
      LowerRightArrow: "\u2198",
      Lscr: "\u2112",
      Lsh: "\u21B0",
      Lstrok: "\u0141",
      Lt: "\u226A",
      Map: "\u2905",
      Mcy: "\u041C",
      MediumSpace: "\u205F",
      Mellintrf: "\u2133",
      Mfr: "\u{1D510}",
      MinusPlus: "\u2213",
      Mopf: "\u{1D544}",
      Mscr: "\u2133",
      Mu: "\u039C",
      NJcy: "\u040A",
      Nacute: "\u0143",
      Ncaron: "\u0147",
      Ncedil: "\u0145",
      Ncy: "\u041D",
      NegativeMediumSpace: "\u200B",
      NegativeThickSpace: "\u200B",
      NegativeThinSpace: "\u200B",
      NegativeVeryThinSpace: "\u200B",
      NestedGreaterGreater: "\u226B",
      NestedLessLess: "\u226A",
      NewLine: "\n",
      Nfr: "\u{1D511}",
      NoBreak: "\u2060",
      NonBreakingSpace: "\xA0",
      Nopf: "\u2115",
      Not: "\u2AEC",
      NotCongruent: "\u2262",
      NotCupCap: "\u226D",
      NotDoubleVerticalBar: "\u2226",
      NotElement: "\u2209",
      NotEqual: "\u2260",
      NotEqualTilde: "\u2242\u0338",
      NotExists: "\u2204",
      NotGreater: "\u226F",
      NotGreaterEqual: "\u2271",
      NotGreaterFullEqual: "\u2267\u0338",
      NotGreaterGreater: "\u226B\u0338",
      NotGreaterLess: "\u2279",
      NotGreaterSlantEqual: "\u2A7E\u0338",
      NotGreaterTilde: "\u2275",
      NotHumpDownHump: "\u224E\u0338",
      NotHumpEqual: "\u224F\u0338",
      NotLeftTriangle: "\u22EA",
      NotLeftTriangleBar: "\u29CF\u0338",
      NotLeftTriangleEqual: "\u22EC",
      NotLess: "\u226E",
      NotLessEqual: "\u2270",
      NotLessGreater: "\u2278",
      NotLessLess: "\u226A\u0338",
      NotLessSlantEqual: "\u2A7D\u0338",
      NotLessTilde: "\u2274",
      NotNestedGreaterGreater: "\u2AA2\u0338",
      NotNestedLessLess: "\u2AA1\u0338",
      NotPrecedes: "\u2280",
      NotPrecedesEqual: "\u2AAF\u0338",
      NotPrecedesSlantEqual: "\u22E0",
      NotReverseElement: "\u220C",
      NotRightTriangle: "\u22EB",
      NotRightTriangleBar: "\u29D0\u0338",
      NotRightTriangleEqual: "\u22ED",
      NotSquareSubset: "\u228F\u0338",
      NotSquareSubsetEqual: "\u22E2",
      NotSquareSuperset: "\u2290\u0338",
      NotSquareSupersetEqual: "\u22E3",
      NotSubset: "\u2282\u20D2",
      NotSubsetEqual: "\u2288",
      NotSucceeds: "\u2281",
      NotSucceedsEqual: "\u2AB0\u0338",
      NotSucceedsSlantEqual: "\u22E1",
      NotSucceedsTilde: "\u227F\u0338",
      NotSuperset: "\u2283\u20D2",
      NotSupersetEqual: "\u2289",
      NotTilde: "\u2241",
      NotTildeEqual: "\u2244",
      NotTildeFullEqual: "\u2247",
      NotTildeTilde: "\u2249",
      NotVerticalBar: "\u2224",
      Nscr: "\u{1D4A9}",
      Ntild: "\xD1",
      Ntilde: "\xD1",
      Nu: "\u039D",
      OElig: "\u0152",
      Oacut: "\xD3",
      Oacute: "\xD3",
      Ocir: "\xD4",
      Ocirc: "\xD4",
      Ocy: "\u041E",
      Odblac: "\u0150",
      Ofr: "\u{1D512}",
      Ograv: "\xD2",
      Ograve: "\xD2",
      Omacr: "\u014C",
      Omega: "\u03A9",
      Omicron: "\u039F",
      Oopf: "\u{1D546}",
      OpenCurlyDoubleQuote: "\u201C",
      OpenCurlyQuote: "\u2018",
      Or: "\u2A54",
      Oscr: "\u{1D4AA}",
      Oslas: "\xD8",
      Oslash: "\xD8",
      Otild: "\xD5",
      Otilde: "\xD5",
      Otimes: "\u2A37",
      Oum: "\xD6",
      Ouml: "\xD6",
      OverBar: "\u203E",
      OverBrace: "\u23DE",
      OverBracket: "\u23B4",
      OverParenthesis: "\u23DC",
      PartialD: "\u2202",
      Pcy: "\u041F",
      Pfr: "\u{1D513}",
      Phi: "\u03A6",
      Pi: "\u03A0",
      PlusMinus: "\xB1",
      Poincareplane: "\u210C",
      Popf: "\u2119",
      Pr: "\u2ABB",
      Precedes: "\u227A",
      PrecedesEqual: "\u2AAF",
      PrecedesSlantEqual: "\u227C",
      PrecedesTilde: "\u227E",
      Prime: "\u2033",
      Product: "\u220F",
      Proportion: "\u2237",
      Proportional: "\u221D",
      Pscr: "\u{1D4AB}",
      Psi: "\u03A8",
      QUO: '"',
      QUOT: '"',
      Qfr: "\u{1D514}",
      Qopf: "\u211A",
      Qscr: "\u{1D4AC}",
      RBarr: "\u2910",
      RE: "\xAE",
      REG: "\xAE",
      Racute: "\u0154",
      Rang: "\u27EB",
      Rarr: "\u21A0",
      Rarrtl: "\u2916",
      Rcaron: "\u0158",
      Rcedil: "\u0156",
      Rcy: "\u0420",
      Re: "\u211C",
      ReverseElement: "\u220B",
      ReverseEquilibrium: "\u21CB",
      ReverseUpEquilibrium: "\u296F",
      Rfr: "\u211C",
      Rho: "\u03A1",
      RightAngleBracket: "\u27E9",
      RightArrow: "\u2192",
      RightArrowBar: "\u21E5",
      RightArrowLeftArrow: "\u21C4",
      RightCeiling: "\u2309",
      RightDoubleBracket: "\u27E7",
      RightDownTeeVector: "\u295D",
      RightDownVector: "\u21C2",
      RightDownVectorBar: "\u2955",
      RightFloor: "\u230B",
      RightTee: "\u22A2",
      RightTeeArrow: "\u21A6",
      RightTeeVector: "\u295B",
      RightTriangle: "\u22B3",
      RightTriangleBar: "\u29D0",
      RightTriangleEqual: "\u22B5",
      RightUpDownVector: "\u294F",
      RightUpTeeVector: "\u295C",
      RightUpVector: "\u21BE",
      RightUpVectorBar: "\u2954",
      RightVector: "\u21C0",
      RightVectorBar: "\u2953",
      Rightarrow: "\u21D2",
      Ropf: "\u211D",
      RoundImplies: "\u2970",
      Rrightarrow: "\u21DB",
      Rscr: "\u211B",
      Rsh: "\u21B1",
      RuleDelayed: "\u29F4",
      SHCHcy: "\u0429",
      SHcy: "\u0428",
      SOFTcy: "\u042C",
      Sacute: "\u015A",
      Sc: "\u2ABC",
      Scaron: "\u0160",
      Scedil: "\u015E",
      Scirc: "\u015C",
      Scy: "\u0421",
      Sfr: "\u{1D516}",
      ShortDownArrow: "\u2193",
      ShortLeftArrow: "\u2190",
      ShortRightArrow: "\u2192",
      ShortUpArrow: "\u2191",
      Sigma: "\u03A3",
      SmallCircle: "\u2218",
      Sopf: "\u{1D54A}",
      Sqrt: "\u221A",
      Square: "\u25A1",
      SquareIntersection: "\u2293",
      SquareSubset: "\u228F",
      SquareSubsetEqual: "\u2291",
      SquareSuperset: "\u2290",
      SquareSupersetEqual: "\u2292",
      SquareUnion: "\u2294",
      Sscr: "\u{1D4AE}",
      Star: "\u22C6",
      Sub: "\u22D0",
      Subset: "\u22D0",
      SubsetEqual: "\u2286",
      Succeeds: "\u227B",
      SucceedsEqual: "\u2AB0",
      SucceedsSlantEqual: "\u227D",
      SucceedsTilde: "\u227F",
      SuchThat: "\u220B",
      Sum: "\u2211",
      Sup: "\u22D1",
      Superset: "\u2283",
      SupersetEqual: "\u2287",
      Supset: "\u22D1",
      THOR: "\xDE",
      THORN: "\xDE",
      TRADE: "\u2122",
      TSHcy: "\u040B",
      TScy: "\u0426",
      Tab: "	",
      Tau: "\u03A4",
      Tcaron: "\u0164",
      Tcedil: "\u0162",
      Tcy: "\u0422",
      Tfr: "\u{1D517}",
      Therefore: "\u2234",
      Theta: "\u0398",
      ThickSpace: "\u205F\u200A",
      ThinSpace: "\u2009",
      Tilde: "\u223C",
      TildeEqual: "\u2243",
      TildeFullEqual: "\u2245",
      TildeTilde: "\u2248",
      Topf: "\u{1D54B}",
      TripleDot: "\u20DB",
      Tscr: "\u{1D4AF}",
      Tstrok: "\u0166",
      Uacut: "\xDA",
      Uacute: "\xDA",
      Uarr: "\u219F",
      Uarrocir: "\u2949",
      Ubrcy: "\u040E",
      Ubreve: "\u016C",
      Ucir: "\xDB",
      Ucirc: "\xDB",
      Ucy: "\u0423",
      Udblac: "\u0170",
      Ufr: "\u{1D518}",
      Ugrav: "\xD9",
      Ugrave: "\xD9",
      Umacr: "\u016A",
      UnderBar: "_",
      UnderBrace: "\u23DF",
      UnderBracket: "\u23B5",
      UnderParenthesis: "\u23DD",
      Union: "\u22C3",
      UnionPlus: "\u228E",
      Uogon: "\u0172",
      Uopf: "\u{1D54C}",
      UpArrow: "\u2191",
      UpArrowBar: "\u2912",
      UpArrowDownArrow: "\u21C5",
      UpDownArrow: "\u2195",
      UpEquilibrium: "\u296E",
      UpTee: "\u22A5",
      UpTeeArrow: "\u21A5",
      Uparrow: "\u21D1",
      Updownarrow: "\u21D5",
      UpperLeftArrow: "\u2196",
      UpperRightArrow: "\u2197",
      Upsi: "\u03D2",
      Upsilon: "\u03A5",
      Uring: "\u016E",
      Uscr: "\u{1D4B0}",
      Utilde: "\u0168",
      Uum: "\xDC",
      Uuml: "\xDC",
      VDash: "\u22AB",
      Vbar: "\u2AEB",
      Vcy: "\u0412",
      Vdash: "\u22A9",
      Vdashl: "\u2AE6",
      Vee: "\u22C1",
      Verbar: "\u2016",
      Vert: "\u2016",
      VerticalBar: "\u2223",
      VerticalLine: "|",
      VerticalSeparator: "\u2758",
      VerticalTilde: "\u2240",
      VeryThinSpace: "\u200A",
      Vfr: "\u{1D519}",
      Vopf: "\u{1D54D}",
      Vscr: "\u{1D4B1}",
      Vvdash: "\u22AA",
      Wcirc: "\u0174",
      Wedge: "\u22C0",
      Wfr: "\u{1D51A}",
      Wopf: "\u{1D54E}",
      Wscr: "\u{1D4B2}",
      Xfr: "\u{1D51B}",
      Xi: "\u039E",
      Xopf: "\u{1D54F}",
      Xscr: "\u{1D4B3}",
      YAcy: "\u042F",
      YIcy: "\u0407",
      YUcy: "\u042E",
      Yacut: "\xDD",
      Yacute: "\xDD",
      Ycirc: "\u0176",
      Ycy: "\u042B",
      Yfr: "\u{1D51C}",
      Yopf: "\u{1D550}",
      Yscr: "\u{1D4B4}",
      Yuml: "\u0178",
      ZHcy: "\u0416",
      Zacute: "\u0179",
      Zcaron: "\u017D",
      Zcy: "\u0417",
      Zdot: "\u017B",
      ZeroWidthSpace: "\u200B",
      Zeta: "\u0396",
      Zfr: "\u2128",
      Zopf: "\u2124",
      Zscr: "\u{1D4B5}",
      aacut: "\xE1",
      aacute: "\xE1",
      abreve: "\u0103",
      ac: "\u223E",
      acE: "\u223E\u0333",
      acd: "\u223F",
      acir: "\xE2",
      acirc: "\xE2",
      acut: "\xB4",
      acute: "\xB4",
      acy: "\u0430",
      aeli: "\xE6",
      aelig: "\xE6",
      af: "\u2061",
      afr: "\u{1D51E}",
      agrav: "\xE0",
      agrave: "\xE0",
      alefsym: "\u2135",
      aleph: "\u2135",
      alpha: "\u03B1",
      amacr: "\u0101",
      amalg: "\u2A3F",
      am: "&",
      amp: "&",
      and: "\u2227",
      andand: "\u2A55",
      andd: "\u2A5C",
      andslope: "\u2A58",
      andv: "\u2A5A",
      ang: "\u2220",
      ange: "\u29A4",
      angle: "\u2220",
      angmsd: "\u2221",
      angmsdaa: "\u29A8",
      angmsdab: "\u29A9",
      angmsdac: "\u29AA",
      angmsdad: "\u29AB",
      angmsdae: "\u29AC",
      angmsdaf: "\u29AD",
      angmsdag: "\u29AE",
      angmsdah: "\u29AF",
      angrt: "\u221F",
      angrtvb: "\u22BE",
      angrtvbd: "\u299D",
      angsph: "\u2222",
      angst: "\xC5",
      angzarr: "\u237C",
      aogon: "\u0105",
      aopf: "\u{1D552}",
      ap: "\u2248",
      apE: "\u2A70",
      apacir: "\u2A6F",
      ape: "\u224A",
      apid: "\u224B",
      apos: "'",
      approx: "\u2248",
      approxeq: "\u224A",
      arin: "\xE5",
      aring: "\xE5",
      ascr: "\u{1D4B6}",
      ast: "*",
      asymp: "\u2248",
      asympeq: "\u224D",
      atild: "\xE3",
      atilde: "\xE3",
      aum: "\xE4",
      auml: "\xE4",
      awconint: "\u2233",
      awint: "\u2A11",
      bNot: "\u2AED",
      backcong: "\u224C",
      backepsilon: "\u03F6",
      backprime: "\u2035",
      backsim: "\u223D",
      backsimeq: "\u22CD",
      barvee: "\u22BD",
      barwed: "\u2305",
      barwedge: "\u2305",
      bbrk: "\u23B5",
      bbrktbrk: "\u23B6",
      bcong: "\u224C",
      bcy: "\u0431",
      bdquo: "\u201E",
      becaus: "\u2235",
      because: "\u2235",
      bemptyv: "\u29B0",
      bepsi: "\u03F6",
      bernou: "\u212C",
      beta: "\u03B2",
      beth: "\u2136",
      between: "\u226C",
      bfr: "\u{1D51F}",
      bigcap: "\u22C2",
      bigcirc: "\u25EF",
      bigcup: "\u22C3",
      bigodot: "\u2A00",
      bigoplus: "\u2A01",
      bigotimes: "\u2A02",
      bigsqcup: "\u2A06",
      bigstar: "\u2605",
      bigtriangledown: "\u25BD",
      bigtriangleup: "\u25B3",
      biguplus: "\u2A04",
      bigvee: "\u22C1",
      bigwedge: "\u22C0",
      bkarow: "\u290D",
      blacklozenge: "\u29EB",
      blacksquare: "\u25AA",
      blacktriangle: "\u25B4",
      blacktriangledown: "\u25BE",
      blacktriangleleft: "\u25C2",
      blacktriangleright: "\u25B8",
      blank: "\u2423",
      blk12: "\u2592",
      blk14: "\u2591",
      blk34: "\u2593",
      block: "\u2588",
      bne: "=\u20E5",
      bnequiv: "\u2261\u20E5",
      bnot: "\u2310",
      bopf: "\u{1D553}",
      bot: "\u22A5",
      bottom: "\u22A5",
      bowtie: "\u22C8",
      boxDL: "\u2557",
      boxDR: "\u2554",
      boxDl: "\u2556",
      boxDr: "\u2553",
      boxH: "\u2550",
      boxHD: "\u2566",
      boxHU: "\u2569",
      boxHd: "\u2564",
      boxHu: "\u2567",
      boxUL: "\u255D",
      boxUR: "\u255A",
      boxUl: "\u255C",
      boxUr: "\u2559",
      boxV: "\u2551",
      boxVH: "\u256C",
      boxVL: "\u2563",
      boxVR: "\u2560",
      boxVh: "\u256B",
      boxVl: "\u2562",
      boxVr: "\u255F",
      boxbox: "\u29C9",
      boxdL: "\u2555",
      boxdR: "\u2552",
      boxdl: "\u2510",
      boxdr: "\u250C",
      boxh: "\u2500",
      boxhD: "\u2565",
      boxhU: "\u2568",
      boxhd: "\u252C",
      boxhu: "\u2534",
      boxminus: "\u229F",
      boxplus: "\u229E",
      boxtimes: "\u22A0",
      boxuL: "\u255B",
      boxuR: "\u2558",
      boxul: "\u2518",
      boxur: "\u2514",
      boxv: "\u2502",
      boxvH: "\u256A",
      boxvL: "\u2561",
      boxvR: "\u255E",
      boxvh: "\u253C",
      boxvl: "\u2524",
      boxvr: "\u251C",
      bprime: "\u2035",
      breve: "\u02D8",
      brvba: "\xA6",
      brvbar: "\xA6",
      bscr: "\u{1D4B7}",
      bsemi: "\u204F",
      bsim: "\u223D",
      bsime: "\u22CD",
      bsol: "\\",
      bsolb: "\u29C5",
      bsolhsub: "\u27C8",
      bull: "\u2022",
      bullet: "\u2022",
      bump: "\u224E",
      bumpE: "\u2AAE",
      bumpe: "\u224F",
      bumpeq: "\u224F",
      cacute: "\u0107",
      cap: "\u2229",
      capand: "\u2A44",
      capbrcup: "\u2A49",
      capcap: "\u2A4B",
      capcup: "\u2A47",
      capdot: "\u2A40",
      caps: "\u2229\uFE00",
      caret: "\u2041",
      caron: "\u02C7",
      ccaps: "\u2A4D",
      ccaron: "\u010D",
      ccedi: "\xE7",
      ccedil: "\xE7",
      ccirc: "\u0109",
      ccups: "\u2A4C",
      ccupssm: "\u2A50",
      cdot: "\u010B",
      cedi: "\xB8",
      cedil: "\xB8",
      cemptyv: "\u29B2",
      cen: "\xA2",
      cent: "\xA2",
      centerdot: "\xB7",
      cfr: "\u{1D520}",
      chcy: "\u0447",
      check: "\u2713",
      checkmark: "\u2713",
      chi: "\u03C7",
      cir: "\u25CB",
      cirE: "\u29C3",
      circ: "\u02C6",
      circeq: "\u2257",
      circlearrowleft: "\u21BA",
      circlearrowright: "\u21BB",
      circledR: "\xAE",
      circledS: "\u24C8",
      circledast: "\u229B",
      circledcirc: "\u229A",
      circleddash: "\u229D",
      cire: "\u2257",
      cirfnint: "\u2A10",
      cirmid: "\u2AEF",
      cirscir: "\u29C2",
      clubs: "\u2663",
      clubsuit: "\u2663",
      colon: ":",
      colone: "\u2254",
      coloneq: "\u2254",
      comma: ",",
      commat: "@",
      comp: "\u2201",
      compfn: "\u2218",
      complement: "\u2201",
      complexes: "\u2102",
      cong: "\u2245",
      congdot: "\u2A6D",
      conint: "\u222E",
      copf: "\u{1D554}",
      coprod: "\u2210",
      cop: "\xA9",
      copy: "\xA9",
      copysr: "\u2117",
      crarr: "\u21B5",
      cross: "\u2717",
      cscr: "\u{1D4B8}",
      csub: "\u2ACF",
      csube: "\u2AD1",
      csup: "\u2AD0",
      csupe: "\u2AD2",
      ctdot: "\u22EF",
      cudarrl: "\u2938",
      cudarrr: "\u2935",
      cuepr: "\u22DE",
      cuesc: "\u22DF",
      cularr: "\u21B6",
      cularrp: "\u293D",
      cup: "\u222A",
      cupbrcap: "\u2A48",
      cupcap: "\u2A46",
      cupcup: "\u2A4A",
      cupdot: "\u228D",
      cupor: "\u2A45",
      cups: "\u222A\uFE00",
      curarr: "\u21B7",
      curarrm: "\u293C",
      curlyeqprec: "\u22DE",
      curlyeqsucc: "\u22DF",
      curlyvee: "\u22CE",
      curlywedge: "\u22CF",
      curre: "\xA4",
      curren: "\xA4",
      curvearrowleft: "\u21B6",
      curvearrowright: "\u21B7",
      cuvee: "\u22CE",
      cuwed: "\u22CF",
      cwconint: "\u2232",
      cwint: "\u2231",
      cylcty: "\u232D",
      dArr: "\u21D3",
      dHar: "\u2965",
      dagger: "\u2020",
      daleth: "\u2138",
      darr: "\u2193",
      dash: "\u2010",
      dashv: "\u22A3",
      dbkarow: "\u290F",
      dblac: "\u02DD",
      dcaron: "\u010F",
      dcy: "\u0434",
      dd: "\u2146",
      ddagger: "\u2021",
      ddarr: "\u21CA",
      ddotseq: "\u2A77",
      de: "\xB0",
      deg: "\xB0",
      delta: "\u03B4",
      demptyv: "\u29B1",
      dfisht: "\u297F",
      dfr: "\u{1D521}",
      dharl: "\u21C3",
      dharr: "\u21C2",
      diam: "\u22C4",
      diamond: "\u22C4",
      diamondsuit: "\u2666",
      diams: "\u2666",
      die: "\xA8",
      digamma: "\u03DD",
      disin: "\u22F2",
      div: "\xF7",
      divid: "\xF7",
      divide: "\xF7",
      divideontimes: "\u22C7",
      divonx: "\u22C7",
      djcy: "\u0452",
      dlcorn: "\u231E",
      dlcrop: "\u230D",
      dollar: "$",
      dopf: "\u{1D555}",
      dot: "\u02D9",
      doteq: "\u2250",
      doteqdot: "\u2251",
      dotminus: "\u2238",
      dotplus: "\u2214",
      dotsquare: "\u22A1",
      doublebarwedge: "\u2306",
      downarrow: "\u2193",
      downdownarrows: "\u21CA",
      downharpoonleft: "\u21C3",
      downharpoonright: "\u21C2",
      drbkarow: "\u2910",
      drcorn: "\u231F",
      drcrop: "\u230C",
      dscr: "\u{1D4B9}",
      dscy: "\u0455",
      dsol: "\u29F6",
      dstrok: "\u0111",
      dtdot: "\u22F1",
      dtri: "\u25BF",
      dtrif: "\u25BE",
      duarr: "\u21F5",
      duhar: "\u296F",
      dwangle: "\u29A6",
      dzcy: "\u045F",
      dzigrarr: "\u27FF",
      eDDot: "\u2A77",
      eDot: "\u2251",
      eacut: "\xE9",
      eacute: "\xE9",
      easter: "\u2A6E",
      ecaron: "\u011B",
      ecir: "\xEA",
      ecirc: "\xEA",
      ecolon: "\u2255",
      ecy: "\u044D",
      edot: "\u0117",
      ee: "\u2147",
      efDot: "\u2252",
      efr: "\u{1D522}",
      eg: "\u2A9A",
      egrav: "\xE8",
      egrave: "\xE8",
      egs: "\u2A96",
      egsdot: "\u2A98",
      el: "\u2A99",
      elinters: "\u23E7",
      ell: "\u2113",
      els: "\u2A95",
      elsdot: "\u2A97",
      emacr: "\u0113",
      empty: "\u2205",
      emptyset: "\u2205",
      emptyv: "\u2205",
      emsp13: "\u2004",
      emsp14: "\u2005",
      emsp: "\u2003",
      eng: "\u014B",
      ensp: "\u2002",
      eogon: "\u0119",
      eopf: "\u{1D556}",
      epar: "\u22D5",
      eparsl: "\u29E3",
      eplus: "\u2A71",
      epsi: "\u03B5",
      epsilon: "\u03B5",
      epsiv: "\u03F5",
      eqcirc: "\u2256",
      eqcolon: "\u2255",
      eqsim: "\u2242",
      eqslantgtr: "\u2A96",
      eqslantless: "\u2A95",
      equals: "=",
      equest: "\u225F",
      equiv: "\u2261",
      equivDD: "\u2A78",
      eqvparsl: "\u29E5",
      erDot: "\u2253",
      erarr: "\u2971",
      escr: "\u212F",
      esdot: "\u2250",
      esim: "\u2242",
      eta: "\u03B7",
      et: "\xF0",
      eth: "\xF0",
      eum: "\xEB",
      euml: "\xEB",
      euro: "\u20AC",
      excl: "!",
      exist: "\u2203",
      expectation: "\u2130",
      exponentiale: "\u2147",
      fallingdotseq: "\u2252",
      fcy: "\u0444",
      female: "\u2640",
      ffilig: "\uFB03",
      fflig: "\uFB00",
      ffllig: "\uFB04",
      ffr: "\u{1D523}",
      filig: "\uFB01",
      fjlig: "fj",
      flat: "\u266D",
      fllig: "\uFB02",
      fltns: "\u25B1",
      fnof: "\u0192",
      fopf: "\u{1D557}",
      forall: "\u2200",
      fork: "\u22D4",
      forkv: "\u2AD9",
      fpartint: "\u2A0D",
      frac1: "\xBC",
      frac12: "\xBD",
      frac13: "\u2153",
      frac14: "\xBC",
      frac15: "\u2155",
      frac16: "\u2159",
      frac18: "\u215B",
      frac23: "\u2154",
      frac25: "\u2156",
      frac3: "\xBE",
      frac34: "\xBE",
      frac35: "\u2157",
      frac38: "\u215C",
      frac45: "\u2158",
      frac56: "\u215A",
      frac58: "\u215D",
      frac78: "\u215E",
      frasl: "\u2044",
      frown: "\u2322",
      fscr: "\u{1D4BB}",
      gE: "\u2267",
      gEl: "\u2A8C",
      gacute: "\u01F5",
      gamma: "\u03B3",
      gammad: "\u03DD",
      gap: "\u2A86",
      gbreve: "\u011F",
      gcirc: "\u011D",
      gcy: "\u0433",
      gdot: "\u0121",
      ge: "\u2265",
      gel: "\u22DB",
      geq: "\u2265",
      geqq: "\u2267",
      geqslant: "\u2A7E",
      ges: "\u2A7E",
      gescc: "\u2AA9",
      gesdot: "\u2A80",
      gesdoto: "\u2A82",
      gesdotol: "\u2A84",
      gesl: "\u22DB\uFE00",
      gesles: "\u2A94",
      gfr: "\u{1D524}",
      gg: "\u226B",
      ggg: "\u22D9",
      gimel: "\u2137",
      gjcy: "\u0453",
      gl: "\u2277",
      glE: "\u2A92",
      gla: "\u2AA5",
      glj: "\u2AA4",
      gnE: "\u2269",
      gnap: "\u2A8A",
      gnapprox: "\u2A8A",
      gne: "\u2A88",
      gneq: "\u2A88",
      gneqq: "\u2269",
      gnsim: "\u22E7",
      gopf: "\u{1D558}",
      grave: "`",
      gscr: "\u210A",
      gsim: "\u2273",
      gsime: "\u2A8E",
      gsiml: "\u2A90",
      g: ">",
      gt: ">",
      gtcc: "\u2AA7",
      gtcir: "\u2A7A",
      gtdot: "\u22D7",
      gtlPar: "\u2995",
      gtquest: "\u2A7C",
      gtrapprox: "\u2A86",
      gtrarr: "\u2978",
      gtrdot: "\u22D7",
      gtreqless: "\u22DB",
      gtreqqless: "\u2A8C",
      gtrless: "\u2277",
      gtrsim: "\u2273",
      gvertneqq: "\u2269\uFE00",
      gvnE: "\u2269\uFE00",
      hArr: "\u21D4",
      hairsp: "\u200A",
      half: "\xBD",
      hamilt: "\u210B",
      hardcy: "\u044A",
      harr: "\u2194",
      harrcir: "\u2948",
      harrw: "\u21AD",
      hbar: "\u210F",
      hcirc: "\u0125",
      hearts: "\u2665",
      heartsuit: "\u2665",
      hellip: "\u2026",
      hercon: "\u22B9",
      hfr: "\u{1D525}",
      hksearow: "\u2925",
      hkswarow: "\u2926",
      hoarr: "\u21FF",
      homtht: "\u223B",
      hookleftarrow: "\u21A9",
      hookrightarrow: "\u21AA",
      hopf: "\u{1D559}",
      horbar: "\u2015",
      hscr: "\u{1D4BD}",
      hslash: "\u210F",
      hstrok: "\u0127",
      hybull: "\u2043",
      hyphen: "\u2010",
      iacut: "\xED",
      iacute: "\xED",
      ic: "\u2063",
      icir: "\xEE",
      icirc: "\xEE",
      icy: "\u0438",
      iecy: "\u0435",
      iexc: "\xA1",
      iexcl: "\xA1",
      iff: "\u21D4",
      ifr: "\u{1D526}",
      igrav: "\xEC",
      igrave: "\xEC",
      ii: "\u2148",
      iiiint: "\u2A0C",
      iiint: "\u222D",
      iinfin: "\u29DC",
      iiota: "\u2129",
      ijlig: "\u0133",
      imacr: "\u012B",
      image: "\u2111",
      imagline: "\u2110",
      imagpart: "\u2111",
      imath: "\u0131",
      imof: "\u22B7",
      imped: "\u01B5",
      in: "\u2208",
      incare: "\u2105",
      infin: "\u221E",
      infintie: "\u29DD",
      inodot: "\u0131",
      int: "\u222B",
      intcal: "\u22BA",
      integers: "\u2124",
      intercal: "\u22BA",
      intlarhk: "\u2A17",
      intprod: "\u2A3C",
      iocy: "\u0451",
      iogon: "\u012F",
      iopf: "\u{1D55A}",
      iota: "\u03B9",
      iprod: "\u2A3C",
      iques: "\xBF",
      iquest: "\xBF",
      iscr: "\u{1D4BE}",
      isin: "\u2208",
      isinE: "\u22F9",
      isindot: "\u22F5",
      isins: "\u22F4",
      isinsv: "\u22F3",
      isinv: "\u2208",
      it: "\u2062",
      itilde: "\u0129",
      iukcy: "\u0456",
      ium: "\xEF",
      iuml: "\xEF",
      jcirc: "\u0135",
      jcy: "\u0439",
      jfr: "\u{1D527}",
      jmath: "\u0237",
      jopf: "\u{1D55B}",
      jscr: "\u{1D4BF}",
      jsercy: "\u0458",
      jukcy: "\u0454",
      kappa: "\u03BA",
      kappav: "\u03F0",
      kcedil: "\u0137",
      kcy: "\u043A",
      kfr: "\u{1D528}",
      kgreen: "\u0138",
      khcy: "\u0445",
      kjcy: "\u045C",
      kopf: "\u{1D55C}",
      kscr: "\u{1D4C0}",
      lAarr: "\u21DA",
      lArr: "\u21D0",
      lAtail: "\u291B",
      lBarr: "\u290E",
      lE: "\u2266",
      lEg: "\u2A8B",
      lHar: "\u2962",
      lacute: "\u013A",
      laemptyv: "\u29B4",
      lagran: "\u2112",
      lambda: "\u03BB",
      lang: "\u27E8",
      langd: "\u2991",
      langle: "\u27E8",
      lap: "\u2A85",
      laqu: "\xAB",
      laquo: "\xAB",
      larr: "\u2190",
      larrb: "\u21E4",
      larrbfs: "\u291F",
      larrfs: "\u291D",
      larrhk: "\u21A9",
      larrlp: "\u21AB",
      larrpl: "\u2939",
      larrsim: "\u2973",
      larrtl: "\u21A2",
      lat: "\u2AAB",
      latail: "\u2919",
      late: "\u2AAD",
      lates: "\u2AAD\uFE00",
      lbarr: "\u290C",
      lbbrk: "\u2772",
      lbrace: "{",
      lbrack: "[",
      lbrke: "\u298B",
      lbrksld: "\u298F",
      lbrkslu: "\u298D",
      lcaron: "\u013E",
      lcedil: "\u013C",
      lceil: "\u2308",
      lcub: "{",
      lcy: "\u043B",
      ldca: "\u2936",
      ldquo: "\u201C",
      ldquor: "\u201E",
      ldrdhar: "\u2967",
      ldrushar: "\u294B",
      ldsh: "\u21B2",
      le: "\u2264",
      leftarrow: "\u2190",
      leftarrowtail: "\u21A2",
      leftharpoondown: "\u21BD",
      leftharpoonup: "\u21BC",
      leftleftarrows: "\u21C7",
      leftrightarrow: "\u2194",
      leftrightarrows: "\u21C6",
      leftrightharpoons: "\u21CB",
      leftrightsquigarrow: "\u21AD",
      leftthreetimes: "\u22CB",
      leg: "\u22DA",
      leq: "\u2264",
      leqq: "\u2266",
      leqslant: "\u2A7D",
      les: "\u2A7D",
      lescc: "\u2AA8",
      lesdot: "\u2A7F",
      lesdoto: "\u2A81",
      lesdotor: "\u2A83",
      lesg: "\u22DA\uFE00",
      lesges: "\u2A93",
      lessapprox: "\u2A85",
      lessdot: "\u22D6",
      lesseqgtr: "\u22DA",
      lesseqqgtr: "\u2A8B",
      lessgtr: "\u2276",
      lesssim: "\u2272",
      lfisht: "\u297C",
      lfloor: "\u230A",
      lfr: "\u{1D529}",
      lg: "\u2276",
      lgE: "\u2A91",
      lhard: "\u21BD",
      lharu: "\u21BC",
      lharul: "\u296A",
      lhblk: "\u2584",
      ljcy: "\u0459",
      ll: "\u226A",
      llarr: "\u21C7",
      llcorner: "\u231E",
      llhard: "\u296B",
      lltri: "\u25FA",
      lmidot: "\u0140",
      lmoust: "\u23B0",
      lmoustache: "\u23B0",
      lnE: "\u2268",
      lnap: "\u2A89",
      lnapprox: "\u2A89",
      lne: "\u2A87",
      lneq: "\u2A87",
      lneqq: "\u2268",
      lnsim: "\u22E6",
      loang: "\u27EC",
      loarr: "\u21FD",
      lobrk: "\u27E6",
      longleftarrow: "\u27F5",
      longleftrightarrow: "\u27F7",
      longmapsto: "\u27FC",
      longrightarrow: "\u27F6",
      looparrowleft: "\u21AB",
      looparrowright: "\u21AC",
      lopar: "\u2985",
      lopf: "\u{1D55D}",
      loplus: "\u2A2D",
      lotimes: "\u2A34",
      lowast: "\u2217",
      lowbar: "_",
      loz: "\u25CA",
      lozenge: "\u25CA",
      lozf: "\u29EB",
      lpar: "(",
      lparlt: "\u2993",
      lrarr: "\u21C6",
      lrcorner: "\u231F",
      lrhar: "\u21CB",
      lrhard: "\u296D",
      lrm: "\u200E",
      lrtri: "\u22BF",
      lsaquo: "\u2039",
      lscr: "\u{1D4C1}",
      lsh: "\u21B0",
      lsim: "\u2272",
      lsime: "\u2A8D",
      lsimg: "\u2A8F",
      lsqb: "[",
      lsquo: "\u2018",
      lsquor: "\u201A",
      lstrok: "\u0142",
      l: "<",
      lt: "<",
      ltcc: "\u2AA6",
      ltcir: "\u2A79",
      ltdot: "\u22D6",
      lthree: "\u22CB",
      ltimes: "\u22C9",
      ltlarr: "\u2976",
      ltquest: "\u2A7B",
      ltrPar: "\u2996",
      ltri: "\u25C3",
      ltrie: "\u22B4",
      ltrif: "\u25C2",
      lurdshar: "\u294A",
      luruhar: "\u2966",
      lvertneqq: "\u2268\uFE00",
      lvnE: "\u2268\uFE00",
      mDDot: "\u223A",
      mac: "\xAF",
      macr: "\xAF",
      male: "\u2642",
      malt: "\u2720",
      maltese: "\u2720",
      map: "\u21A6",
      mapsto: "\u21A6",
      mapstodown: "\u21A7",
      mapstoleft: "\u21A4",
      mapstoup: "\u21A5",
      marker: "\u25AE",
      mcomma: "\u2A29",
      mcy: "\u043C",
      mdash: "\u2014",
      measuredangle: "\u2221",
      mfr: "\u{1D52A}",
      mho: "\u2127",
      micr: "\xB5",
      micro: "\xB5",
      mid: "\u2223",
      midast: "*",
      midcir: "\u2AF0",
      middo: "\xB7",
      middot: "\xB7",
      minus: "\u2212",
      minusb: "\u229F",
      minusd: "\u2238",
      minusdu: "\u2A2A",
      mlcp: "\u2ADB",
      mldr: "\u2026",
      mnplus: "\u2213",
      models: "\u22A7",
      mopf: "\u{1D55E}",
      mp: "\u2213",
      mscr: "\u{1D4C2}",
      mstpos: "\u223E",
      mu: "\u03BC",
      multimap: "\u22B8",
      mumap: "\u22B8",
      nGg: "\u22D9\u0338",
      nGt: "\u226B\u20D2",
      nGtv: "\u226B\u0338",
      nLeftarrow: "\u21CD",
      nLeftrightarrow: "\u21CE",
      nLl: "\u22D8\u0338",
      nLt: "\u226A\u20D2",
      nLtv: "\u226A\u0338",
      nRightarrow: "\u21CF",
      nVDash: "\u22AF",
      nVdash: "\u22AE",
      nabla: "\u2207",
      nacute: "\u0144",
      nang: "\u2220\u20D2",
      nap: "\u2249",
      napE: "\u2A70\u0338",
      napid: "\u224B\u0338",
      napos: "\u0149",
      napprox: "\u2249",
      natur: "\u266E",
      natural: "\u266E",
      naturals: "\u2115",
      nbs: "\xA0",
      nbsp: "\xA0",
      nbump: "\u224E\u0338",
      nbumpe: "\u224F\u0338",
      ncap: "\u2A43",
      ncaron: "\u0148",
      ncedil: "\u0146",
      ncong: "\u2247",
      ncongdot: "\u2A6D\u0338",
      ncup: "\u2A42",
      ncy: "\u043D",
      ndash: "\u2013",
      ne: "\u2260",
      neArr: "\u21D7",
      nearhk: "\u2924",
      nearr: "\u2197",
      nearrow: "\u2197",
      nedot: "\u2250\u0338",
      nequiv: "\u2262",
      nesear: "\u2928",
      nesim: "\u2242\u0338",
      nexist: "\u2204",
      nexists: "\u2204",
      nfr: "\u{1D52B}",
      ngE: "\u2267\u0338",
      nge: "\u2271",
      ngeq: "\u2271",
      ngeqq: "\u2267\u0338",
      ngeqslant: "\u2A7E\u0338",
      nges: "\u2A7E\u0338",
      ngsim: "\u2275",
      ngt: "\u226F",
      ngtr: "\u226F",
      nhArr: "\u21CE",
      nharr: "\u21AE",
      nhpar: "\u2AF2",
      ni: "\u220B",
      nis: "\u22FC",
      nisd: "\u22FA",
      niv: "\u220B",
      njcy: "\u045A",
      nlArr: "\u21CD",
      nlE: "\u2266\u0338",
      nlarr: "\u219A",
      nldr: "\u2025",
      nle: "\u2270",
      nleftarrow: "\u219A",
      nleftrightarrow: "\u21AE",
      nleq: "\u2270",
      nleqq: "\u2266\u0338",
      nleqslant: "\u2A7D\u0338",
      nles: "\u2A7D\u0338",
      nless: "\u226E",
      nlsim: "\u2274",
      nlt: "\u226E",
      nltri: "\u22EA",
      nltrie: "\u22EC",
      nmid: "\u2224",
      nopf: "\u{1D55F}",
      no: "\xAC",
      not: "\xAC",
      notin: "\u2209",
      notinE: "\u22F9\u0338",
      notindot: "\u22F5\u0338",
      notinva: "\u2209",
      notinvb: "\u22F7",
      notinvc: "\u22F6",
      notni: "\u220C",
      notniva: "\u220C",
      notnivb: "\u22FE",
      notnivc: "\u22FD",
      npar: "\u2226",
      nparallel: "\u2226",
      nparsl: "\u2AFD\u20E5",
      npart: "\u2202\u0338",
      npolint: "\u2A14",
      npr: "\u2280",
      nprcue: "\u22E0",
      npre: "\u2AAF\u0338",
      nprec: "\u2280",
      npreceq: "\u2AAF\u0338",
      nrArr: "\u21CF",
      nrarr: "\u219B",
      nrarrc: "\u2933\u0338",
      nrarrw: "\u219D\u0338",
      nrightarrow: "\u219B",
      nrtri: "\u22EB",
      nrtrie: "\u22ED",
      nsc: "\u2281",
      nsccue: "\u22E1",
      nsce: "\u2AB0\u0338",
      nscr: "\u{1D4C3}",
      nshortmid: "\u2224",
      nshortparallel: "\u2226",
      nsim: "\u2241",
      nsime: "\u2244",
      nsimeq: "\u2244",
      nsmid: "\u2224",
      nspar: "\u2226",
      nsqsube: "\u22E2",
      nsqsupe: "\u22E3",
      nsub: "\u2284",
      nsubE: "\u2AC5\u0338",
      nsube: "\u2288",
      nsubset: "\u2282\u20D2",
      nsubseteq: "\u2288",
      nsubseteqq: "\u2AC5\u0338",
      nsucc: "\u2281",
      nsucceq: "\u2AB0\u0338",
      nsup: "\u2285",
      nsupE: "\u2AC6\u0338",
      nsupe: "\u2289",
      nsupset: "\u2283\u20D2",
      nsupseteq: "\u2289",
      nsupseteqq: "\u2AC6\u0338",
      ntgl: "\u2279",
      ntild: "\xF1",
      ntilde: "\xF1",
      ntlg: "\u2278",
      ntriangleleft: "\u22EA",
      ntrianglelefteq: "\u22EC",
      ntriangleright: "\u22EB",
      ntrianglerighteq: "\u22ED",
      nu: "\u03BD",
      num: "#",
      numero: "\u2116",
      numsp: "\u2007",
      nvDash: "\u22AD",
      nvHarr: "\u2904",
      nvap: "\u224D\u20D2",
      nvdash: "\u22AC",
      nvge: "\u2265\u20D2",
      nvgt: ">\u20D2",
      nvinfin: "\u29DE",
      nvlArr: "\u2902",
      nvle: "\u2264\u20D2",
      nvlt: "<\u20D2",
      nvltrie: "\u22B4\u20D2",
      nvrArr: "\u2903",
      nvrtrie: "\u22B5\u20D2",
      nvsim: "\u223C\u20D2",
      nwArr: "\u21D6",
      nwarhk: "\u2923",
      nwarr: "\u2196",
      nwarrow: "\u2196",
      nwnear: "\u2927",
      oS: "\u24C8",
      oacut: "\xF3",
      oacute: "\xF3",
      oast: "\u229B",
      ocir: "\xF4",
      ocirc: "\xF4",
      ocy: "\u043E",
      odash: "\u229D",
      odblac: "\u0151",
      odiv: "\u2A38",
      odot: "\u2299",
      odsold: "\u29BC",
      oelig: "\u0153",
      ofcir: "\u29BF",
      ofr: "\u{1D52C}",
      ogon: "\u02DB",
      ograv: "\xF2",
      ograve: "\xF2",
      ogt: "\u29C1",
      ohbar: "\u29B5",
      ohm: "\u03A9",
      oint: "\u222E",
      olarr: "\u21BA",
      olcir: "\u29BE",
      olcross: "\u29BB",
      oline: "\u203E",
      olt: "\u29C0",
      omacr: "\u014D",
      omega: "\u03C9",
      omicron: "\u03BF",
      omid: "\u29B6",
      ominus: "\u2296",
      oopf: "\u{1D560}",
      opar: "\u29B7",
      operp: "\u29B9",
      oplus: "\u2295",
      or: "\u2228",
      orarr: "\u21BB",
      ord: "\xBA",
      order: "\u2134",
      orderof: "\u2134",
      ordf: "\xAA",
      ordm: "\xBA",
      origof: "\u22B6",
      oror: "\u2A56",
      orslope: "\u2A57",
      orv: "\u2A5B",
      oscr: "\u2134",
      oslas: "\xF8",
      oslash: "\xF8",
      osol: "\u2298",
      otild: "\xF5",
      otilde: "\xF5",
      otimes: "\u2297",
      otimesas: "\u2A36",
      oum: "\xF6",
      ouml: "\xF6",
      ovbar: "\u233D",
      par: "\xB6",
      para: "\xB6",
      parallel: "\u2225",
      parsim: "\u2AF3",
      parsl: "\u2AFD",
      part: "\u2202",
      pcy: "\u043F",
      percnt: "%",
      period: ".",
      permil: "\u2030",
      perp: "\u22A5",
      pertenk: "\u2031",
      pfr: "\u{1D52D}",
      phi: "\u03C6",
      phiv: "\u03D5",
      phmmat: "\u2133",
      phone: "\u260E",
      pi: "\u03C0",
      pitchfork: "\u22D4",
      piv: "\u03D6",
      planck: "\u210F",
      planckh: "\u210E",
      plankv: "\u210F",
      plus: "+",
      plusacir: "\u2A23",
      plusb: "\u229E",
      pluscir: "\u2A22",
      plusdo: "\u2214",
      plusdu: "\u2A25",
      pluse: "\u2A72",
      plusm: "\xB1",
      plusmn: "\xB1",
      plussim: "\u2A26",
      plustwo: "\u2A27",
      pm: "\xB1",
      pointint: "\u2A15",
      popf: "\u{1D561}",
      poun: "\xA3",
      pound: "\xA3",
      pr: "\u227A",
      prE: "\u2AB3",
      prap: "\u2AB7",
      prcue: "\u227C",
      pre: "\u2AAF",
      prec: "\u227A",
      precapprox: "\u2AB7",
      preccurlyeq: "\u227C",
      preceq: "\u2AAF",
      precnapprox: "\u2AB9",
      precneqq: "\u2AB5",
      precnsim: "\u22E8",
      precsim: "\u227E",
      prime: "\u2032",
      primes: "\u2119",
      prnE: "\u2AB5",
      prnap: "\u2AB9",
      prnsim: "\u22E8",
      prod: "\u220F",
      profalar: "\u232E",
      profline: "\u2312",
      profsurf: "\u2313",
      prop: "\u221D",
      propto: "\u221D",
      prsim: "\u227E",
      prurel: "\u22B0",
      pscr: "\u{1D4C5}",
      psi: "\u03C8",
      puncsp: "\u2008",
      qfr: "\u{1D52E}",
      qint: "\u2A0C",
      qopf: "\u{1D562}",
      qprime: "\u2057",
      qscr: "\u{1D4C6}",
      quaternions: "\u210D",
      quatint: "\u2A16",
      quest: "?",
      questeq: "\u225F",
      quo: '"',
      quot: '"',
      rAarr: "\u21DB",
      rArr: "\u21D2",
      rAtail: "\u291C",
      rBarr: "\u290F",
      rHar: "\u2964",
      race: "\u223D\u0331",
      racute: "\u0155",
      radic: "\u221A",
      raemptyv: "\u29B3",
      rang: "\u27E9",
      rangd: "\u2992",
      range: "\u29A5",
      rangle: "\u27E9",
      raqu: "\xBB",
      raquo: "\xBB",
      rarr: "\u2192",
      rarrap: "\u2975",
      rarrb: "\u21E5",
      rarrbfs: "\u2920",
      rarrc: "\u2933",
      rarrfs: "\u291E",
      rarrhk: "\u21AA",
      rarrlp: "\u21AC",
      rarrpl: "\u2945",
      rarrsim: "\u2974",
      rarrtl: "\u21A3",
      rarrw: "\u219D",
      ratail: "\u291A",
      ratio: "\u2236",
      rationals: "\u211A",
      rbarr: "\u290D",
      rbbrk: "\u2773",
      rbrace: "}",
      rbrack: "]",
      rbrke: "\u298C",
      rbrksld: "\u298E",
      rbrkslu: "\u2990",
      rcaron: "\u0159",
      rcedil: "\u0157",
      rceil: "\u2309",
      rcub: "}",
      rcy: "\u0440",
      rdca: "\u2937",
      rdldhar: "\u2969",
      rdquo: "\u201D",
      rdquor: "\u201D",
      rdsh: "\u21B3",
      real: "\u211C",
      realine: "\u211B",
      realpart: "\u211C",
      reals: "\u211D",
      rect: "\u25AD",
      re: "\xAE",
      reg: "\xAE",
      rfisht: "\u297D",
      rfloor: "\u230B",
      rfr: "\u{1D52F}",
      rhard: "\u21C1",
      rharu: "\u21C0",
      rharul: "\u296C",
      rho: "\u03C1",
      rhov: "\u03F1",
      rightarrow: "\u2192",
      rightarrowtail: "\u21A3",
      rightharpoondown: "\u21C1",
      rightharpoonup: "\u21C0",
      rightleftarrows: "\u21C4",
      rightleftharpoons: "\u21CC",
      rightrightarrows: "\u21C9",
      rightsquigarrow: "\u219D",
      rightthreetimes: "\u22CC",
      ring: "\u02DA",
      risingdotseq: "\u2253",
      rlarr: "\u21C4",
      rlhar: "\u21CC",
      rlm: "\u200F",
      rmoust: "\u23B1",
      rmoustache: "\u23B1",
      rnmid: "\u2AEE",
      roang: "\u27ED",
      roarr: "\u21FE",
      robrk: "\u27E7",
      ropar: "\u2986",
      ropf: "\u{1D563}",
      roplus: "\u2A2E",
      rotimes: "\u2A35",
      rpar: ")",
      rpargt: "\u2994",
      rppolint: "\u2A12",
      rrarr: "\u21C9",
      rsaquo: "\u203A",
      rscr: "\u{1D4C7}",
      rsh: "\u21B1",
      rsqb: "]",
      rsquo: "\u2019",
      rsquor: "\u2019",
      rthree: "\u22CC",
      rtimes: "\u22CA",
      rtri: "\u25B9",
      rtrie: "\u22B5",
      rtrif: "\u25B8",
      rtriltri: "\u29CE",
      ruluhar: "\u2968",
      rx: "\u211E",
      sacute: "\u015B",
      sbquo: "\u201A",
      sc: "\u227B",
      scE: "\u2AB4",
      scap: "\u2AB8",
      scaron: "\u0161",
      sccue: "\u227D",
      sce: "\u2AB0",
      scedil: "\u015F",
      scirc: "\u015D",
      scnE: "\u2AB6",
      scnap: "\u2ABA",
      scnsim: "\u22E9",
      scpolint: "\u2A13",
      scsim: "\u227F",
      scy: "\u0441",
      sdot: "\u22C5",
      sdotb: "\u22A1",
      sdote: "\u2A66",
      seArr: "\u21D8",
      searhk: "\u2925",
      searr: "\u2198",
      searrow: "\u2198",
      sec: "\xA7",
      sect: "\xA7",
      semi: ";",
      seswar: "\u2929",
      setminus: "\u2216",
      setmn: "\u2216",
      sext: "\u2736",
      sfr: "\u{1D530}",
      sfrown: "\u2322",
      sharp: "\u266F",
      shchcy: "\u0449",
      shcy: "\u0448",
      shortmid: "\u2223",
      shortparallel: "\u2225",
      sh: "\xAD",
      shy: "\xAD",
      sigma: "\u03C3",
      sigmaf: "\u03C2",
      sigmav: "\u03C2",
      sim: "\u223C",
      simdot: "\u2A6A",
      sime: "\u2243",
      simeq: "\u2243",
      simg: "\u2A9E",
      simgE: "\u2AA0",
      siml: "\u2A9D",
      simlE: "\u2A9F",
      simne: "\u2246",
      simplus: "\u2A24",
      simrarr: "\u2972",
      slarr: "\u2190",
      smallsetminus: "\u2216",
      smashp: "\u2A33",
      smeparsl: "\u29E4",
      smid: "\u2223",
      smile: "\u2323",
      smt: "\u2AAA",
      smte: "\u2AAC",
      smtes: "\u2AAC\uFE00",
      softcy: "\u044C",
      sol: "/",
      solb: "\u29C4",
      solbar: "\u233F",
      sopf: "\u{1D564}",
      spades: "\u2660",
      spadesuit: "\u2660",
      spar: "\u2225",
      sqcap: "\u2293",
      sqcaps: "\u2293\uFE00",
      sqcup: "\u2294",
      sqcups: "\u2294\uFE00",
      sqsub: "\u228F",
      sqsube: "\u2291",
      sqsubset: "\u228F",
      sqsubseteq: "\u2291",
      sqsup: "\u2290",
      sqsupe: "\u2292",
      sqsupset: "\u2290",
      sqsupseteq: "\u2292",
      squ: "\u25A1",
      square: "\u25A1",
      squarf: "\u25AA",
      squf: "\u25AA",
      srarr: "\u2192",
      sscr: "\u{1D4C8}",
      ssetmn: "\u2216",
      ssmile: "\u2323",
      sstarf: "\u22C6",
      star: "\u2606",
      starf: "\u2605",
      straightepsilon: "\u03F5",
      straightphi: "\u03D5",
      strns: "\xAF",
      sub: "\u2282",
      subE: "\u2AC5",
      subdot: "\u2ABD",
      sube: "\u2286",
      subedot: "\u2AC3",
      submult: "\u2AC1",
      subnE: "\u2ACB",
      subne: "\u228A",
      subplus: "\u2ABF",
      subrarr: "\u2979",
      subset: "\u2282",
      subseteq: "\u2286",
      subseteqq: "\u2AC5",
      subsetneq: "\u228A",
      subsetneqq: "\u2ACB",
      subsim: "\u2AC7",
      subsub: "\u2AD5",
      subsup: "\u2AD3",
      succ: "\u227B",
      succapprox: "\u2AB8",
      succcurlyeq: "\u227D",
      succeq: "\u2AB0",
      succnapprox: "\u2ABA",
      succneqq: "\u2AB6",
      succnsim: "\u22E9",
      succsim: "\u227F",
      sum: "\u2211",
      sung: "\u266A",
      sup: "\u2283",
      sup1: "\xB9",
      sup2: "\xB2",
      sup3: "\xB3",
      supE: "\u2AC6",
      supdot: "\u2ABE",
      supdsub: "\u2AD8",
      supe: "\u2287",
      supedot: "\u2AC4",
      suphsol: "\u27C9",
      suphsub: "\u2AD7",
      suplarr: "\u297B",
      supmult: "\u2AC2",
      supnE: "\u2ACC",
      supne: "\u228B",
      supplus: "\u2AC0",
      supset: "\u2283",
      supseteq: "\u2287",
      supseteqq: "\u2AC6",
      supsetneq: "\u228B",
      supsetneqq: "\u2ACC",
      supsim: "\u2AC8",
      supsub: "\u2AD4",
      supsup: "\u2AD6",
      swArr: "\u21D9",
      swarhk: "\u2926",
      swarr: "\u2199",
      swarrow: "\u2199",
      swnwar: "\u292A",
      szli: "\xDF",
      szlig: "\xDF",
      target: "\u2316",
      tau: "\u03C4",
      tbrk: "\u23B4",
      tcaron: "\u0165",
      tcedil: "\u0163",
      tcy: "\u0442",
      tdot: "\u20DB",
      telrec: "\u2315",
      tfr: "\u{1D531}",
      there4: "\u2234",
      therefore: "\u2234",
      theta: "\u03B8",
      thetasym: "\u03D1",
      thetav: "\u03D1",
      thickapprox: "\u2248",
      thicksim: "\u223C",
      thinsp: "\u2009",
      thkap: "\u2248",
      thksim: "\u223C",
      thor: "\xFE",
      thorn: "\xFE",
      tilde: "\u02DC",
      time: "\xD7",
      times: "\xD7",
      timesb: "\u22A0",
      timesbar: "\u2A31",
      timesd: "\u2A30",
      tint: "\u222D",
      toea: "\u2928",
      top: "\u22A4",
      topbot: "\u2336",
      topcir: "\u2AF1",
      topf: "\u{1D565}",
      topfork: "\u2ADA",
      tosa: "\u2929",
      tprime: "\u2034",
      trade: "\u2122",
      triangle: "\u25B5",
      triangledown: "\u25BF",
      triangleleft: "\u25C3",
      trianglelefteq: "\u22B4",
      triangleq: "\u225C",
      triangleright: "\u25B9",
      trianglerighteq: "\u22B5",
      tridot: "\u25EC",
      trie: "\u225C",
      triminus: "\u2A3A",
      triplus: "\u2A39",
      trisb: "\u29CD",
      tritime: "\u2A3B",
      trpezium: "\u23E2",
      tscr: "\u{1D4C9}",
      tscy: "\u0446",
      tshcy: "\u045B",
      tstrok: "\u0167",
      twixt: "\u226C",
      twoheadleftarrow: "\u219E",
      twoheadrightarrow: "\u21A0",
      uArr: "\u21D1",
      uHar: "\u2963",
      uacut: "\xFA",
      uacute: "\xFA",
      uarr: "\u2191",
      ubrcy: "\u045E",
      ubreve: "\u016D",
      ucir: "\xFB",
      ucirc: "\xFB",
      ucy: "\u0443",
      udarr: "\u21C5",
      udblac: "\u0171",
      udhar: "\u296E",
      ufisht: "\u297E",
      ufr: "\u{1D532}",
      ugrav: "\xF9",
      ugrave: "\xF9",
      uharl: "\u21BF",
      uharr: "\u21BE",
      uhblk: "\u2580",
      ulcorn: "\u231C",
      ulcorner: "\u231C",
      ulcrop: "\u230F",
      ultri: "\u25F8",
      umacr: "\u016B",
      um: "\xA8",
      uml: "\xA8",
      uogon: "\u0173",
      uopf: "\u{1D566}",
      uparrow: "\u2191",
      updownarrow: "\u2195",
      upharpoonleft: "\u21BF",
      upharpoonright: "\u21BE",
      uplus: "\u228E",
      upsi: "\u03C5",
      upsih: "\u03D2",
      upsilon: "\u03C5",
      upuparrows: "\u21C8",
      urcorn: "\u231D",
      urcorner: "\u231D",
      urcrop: "\u230E",
      uring: "\u016F",
      urtri: "\u25F9",
      uscr: "\u{1D4CA}",
      utdot: "\u22F0",
      utilde: "\u0169",
      utri: "\u25B5",
      utrif: "\u25B4",
      uuarr: "\u21C8",
      uum: "\xFC",
      uuml: "\xFC",
      uwangle: "\u29A7",
      vArr: "\u21D5",
      vBar: "\u2AE8",
      vBarv: "\u2AE9",
      vDash: "\u22A8",
      vangrt: "\u299C",
      varepsilon: "\u03F5",
      varkappa: "\u03F0",
      varnothing: "\u2205",
      varphi: "\u03D5",
      varpi: "\u03D6",
      varpropto: "\u221D",
      varr: "\u2195",
      varrho: "\u03F1",
      varsigma: "\u03C2",
      varsubsetneq: "\u228A\uFE00",
      varsubsetneqq: "\u2ACB\uFE00",
      varsupsetneq: "\u228B\uFE00",
      varsupsetneqq: "\u2ACC\uFE00",
      vartheta: "\u03D1",
      vartriangleleft: "\u22B2",
      vartriangleright: "\u22B3",
      vcy: "\u0432",
      vdash: "\u22A2",
      vee: "\u2228",
      veebar: "\u22BB",
      veeeq: "\u225A",
      vellip: "\u22EE",
      verbar: "|",
      vert: "|",
      vfr: "\u{1D533}",
      vltri: "\u22B2",
      vnsub: "\u2282\u20D2",
      vnsup: "\u2283\u20D2",
      vopf: "\u{1D567}",
      vprop: "\u221D",
      vrtri: "\u22B3",
      vscr: "\u{1D4CB}",
      vsubnE: "\u2ACB\uFE00",
      vsubne: "\u228A\uFE00",
      vsupnE: "\u2ACC\uFE00",
      vsupne: "\u228B\uFE00",
      vzigzag: "\u299A",
      wcirc: "\u0175",
      wedbar: "\u2A5F",
      wedge: "\u2227",
      wedgeq: "\u2259",
      weierp: "\u2118",
      wfr: "\u{1D534}",
      wopf: "\u{1D568}",
      wp: "\u2118",
      wr: "\u2240",
      wreath: "\u2240",
      wscr: "\u{1D4CC}",
      xcap: "\u22C2",
      xcirc: "\u25EF",
      xcup: "\u22C3",
      xdtri: "\u25BD",
      xfr: "\u{1D535}",
      xhArr: "\u27FA",
      xharr: "\u27F7",
      xi: "\u03BE",
      xlArr: "\u27F8",
      xlarr: "\u27F5",
      xmap: "\u27FC",
      xnis: "\u22FB",
      xodot: "\u2A00",
      xopf: "\u{1D569}",
      xoplus: "\u2A01",
      xotime: "\u2A02",
      xrArr: "\u27F9",
      xrarr: "\u27F6",
      xscr: "\u{1D4CD}",
      xsqcup: "\u2A06",
      xuplus: "\u2A04",
      xutri: "\u25B3",
      xvee: "\u22C1",
      xwedge: "\u22C0",
      yacut: "\xFD",
      yacute: "\xFD",
      yacy: "\u044F",
      ycirc: "\u0177",
      ycy: "\u044B",
      ye: "\xA5",
      yen: "\xA5",
      yfr: "\u{1D536}",
      yicy: "\u0457",
      yopf: "\u{1D56A}",
      yscr: "\u{1D4CE}",
      yucy: "\u044E",
      yum: "\xFF",
      yuml: "\xFF",
      zacute: "\u017A",
      zcaron: "\u017E",
      zcy: "\u0437",
      zdot: "\u017C",
      zeetrf: "\u2128",
      zeta: "\u03B6",
      zfr: "\u{1D537}",
      zhcy: "\u0436",
      zigrarr: "\u21DD",
      zopf: "\u{1D56B}",
      zscr: "\u{1D4CF}",
      zwj: "\u200D",
      zwnj: "\u200C"
    };
  }
});

// node_modules/.pnpm/parse-entities@2.0.0/node_modules/parse-entities/decode-entity.js
var require_decode_entity = __commonJS({
  "node_modules/.pnpm/parse-entities@2.0.0/node_modules/parse-entities/decode-entity.js"(exports2, module2) {
    "use strict";
    var characterEntities = require_character_entities();
    module2.exports = decodeEntity;
    var own = {}.hasOwnProperty;
    function decodeEntity(characters) {
      return own.call(characterEntities, characters) ? characterEntities[characters] : false;
    }
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/ascii-digit.js
var require_ascii_digit = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/ascii-digit.js"(exports2, module2) {
    "use strict";
    var regexCheck = require_regex_check();
    var asciiDigit = regexCheck(/\d/);
    module2.exports = asciiDigit;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/ascii-hex-digit.js
var require_ascii_hex_digit = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/character/ascii-hex-digit.js"(exports2, module2) {
    "use strict";
    var regexCheck = require_regex_check();
    var asciiHexDigit = regexCheck(/[\dA-Fa-f]/);
    module2.exports = asciiHexDigit;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/character-reference.js
var require_character_reference = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/character-reference.js"(exports2, module2) {
    "use strict";
    var decodeEntity = require_decode_entity();
    var asciiAlphanumeric = require_ascii_alphanumeric();
    var asciiDigit = require_ascii_digit();
    var asciiHexDigit = require_ascii_hex_digit();
    function _interopDefaultLegacy(e) {
      return e && typeof e === "object" && "default" in e ? e : { default: e };
    }
    var decodeEntity__default = /* @__PURE__ */ _interopDefaultLegacy(decodeEntity);
    var characterReference = {
      name: "characterReference",
      tokenize: tokenizeCharacterReference
    };
    function tokenizeCharacterReference(effects, ok, nok) {
      var self2 = this;
      var size = 0;
      var max;
      var test;
      return start;
      function start(code) {
        effects.enter("characterReference");
        effects.enter("characterReferenceMarker");
        effects.consume(code);
        effects.exit("characterReferenceMarker");
        return open;
      }
      function open(code) {
        if (code === 35) {
          effects.enter("characterReferenceMarkerNumeric");
          effects.consume(code);
          effects.exit("characterReferenceMarkerNumeric");
          return numeric;
        }
        effects.enter("characterReferenceValue");
        max = 31;
        test = asciiAlphanumeric;
        return value(code);
      }
      function numeric(code) {
        if (code === 88 || code === 120) {
          effects.enter("characterReferenceMarkerHexadecimal");
          effects.consume(code);
          effects.exit("characterReferenceMarkerHexadecimal");
          effects.enter("characterReferenceValue");
          max = 6;
          test = asciiHexDigit;
          return value;
        }
        effects.enter("characterReferenceValue");
        max = 7;
        test = asciiDigit;
        return value(code);
      }
      function value(code) {
        var token;
        if (code === 59 && size) {
          token = effects.exit("characterReferenceValue");
          if (test === asciiAlphanumeric && !decodeEntity__default["default"](self2.sliceSerialize(token))) {
            return nok(code);
          }
          effects.enter("characterReferenceMarker");
          effects.consume(code);
          effects.exit("characterReferenceMarker");
          effects.exit("characterReference");
          return ok;
        }
        if (test(code) && size++ < max) {
          effects.consume(code);
          return value;
        }
        return nok(code);
      }
    }
    module2.exports = characterReference;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/code-fenced.js
var require_code_fenced = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/code-fenced.js"(exports2, module2) {
    "use strict";
    var markdownLineEnding = require_markdown_line_ending();
    var markdownLineEndingOrSpace = require_markdown_line_ending_or_space();
    var prefixSize = require_prefix_size();
    var factorySpace = require_factory_space();
    var codeFenced = {
      name: "codeFenced",
      tokenize: tokenizeCodeFenced,
      concrete: true
    };
    function tokenizeCodeFenced(effects, ok, nok) {
      var self2 = this;
      var closingFenceConstruct = {
        tokenize: tokenizeClosingFence,
        partial: true
      };
      var initialPrefix = prefixSize(this.events, "linePrefix");
      var sizeOpen = 0;
      var marker;
      return start;
      function start(code) {
        effects.enter("codeFenced");
        effects.enter("codeFencedFence");
        effects.enter("codeFencedFenceSequence");
        marker = code;
        return sequenceOpen(code);
      }
      function sequenceOpen(code) {
        if (code === marker) {
          effects.consume(code);
          sizeOpen++;
          return sequenceOpen;
        }
        effects.exit("codeFencedFenceSequence");
        return sizeOpen < 3 ? nok(code) : factorySpace(effects, infoOpen, "whitespace")(code);
      }
      function infoOpen(code) {
        if (code === null || markdownLineEnding(code)) {
          return openAfter(code);
        }
        effects.enter("codeFencedFenceInfo");
        effects.enter("chunkString", {
          contentType: "string"
        });
        return info(code);
      }
      function info(code) {
        if (code === null || markdownLineEndingOrSpace(code)) {
          effects.exit("chunkString");
          effects.exit("codeFencedFenceInfo");
          return factorySpace(effects, infoAfter, "whitespace")(code);
        }
        if (code === 96 && code === marker) return nok(code);
        effects.consume(code);
        return info;
      }
      function infoAfter(code) {
        if (code === null || markdownLineEnding(code)) {
          return openAfter(code);
        }
        effects.enter("codeFencedFenceMeta");
        effects.enter("chunkString", {
          contentType: "string"
        });
        return meta(code);
      }
      function meta(code) {
        if (code === null || markdownLineEnding(code)) {
          effects.exit("chunkString");
          effects.exit("codeFencedFenceMeta");
          return openAfter(code);
        }
        if (code === 96 && code === marker) return nok(code);
        effects.consume(code);
        return meta;
      }
      function openAfter(code) {
        effects.exit("codeFencedFence");
        return self2.interrupt ? ok(code) : content(code);
      }
      function content(code) {
        if (code === null) {
          return after(code);
        }
        if (markdownLineEnding(code)) {
          effects.enter("lineEnding");
          effects.consume(code);
          effects.exit("lineEnding");
          return effects.attempt(
            closingFenceConstruct,
            after,
            initialPrefix ? factorySpace(effects, content, "linePrefix", initialPrefix + 1) : content
          );
        }
        effects.enter("codeFlowValue");
        return contentContinue(code);
      }
      function contentContinue(code) {
        if (code === null || markdownLineEnding(code)) {
          effects.exit("codeFlowValue");
          return content(code);
        }
        effects.consume(code);
        return contentContinue;
      }
      function after(code) {
        effects.exit("codeFenced");
        return ok(code);
      }
      function tokenizeClosingFence(effects2, ok2, nok2) {
        var size = 0;
        return factorySpace(
          effects2,
          closingSequenceStart,
          "linePrefix",
          this.parser.constructs.disable.null.indexOf("codeIndented") > -1 ? void 0 : 4
        );
        function closingSequenceStart(code) {
          effects2.enter("codeFencedFence");
          effects2.enter("codeFencedFenceSequence");
          return closingSequence(code);
        }
        function closingSequence(code) {
          if (code === marker) {
            effects2.consume(code);
            size++;
            return closingSequence;
          }
          if (size < sizeOpen) return nok2(code);
          effects2.exit("codeFencedFenceSequence");
          return factorySpace(effects2, closingSequenceEnd, "whitespace")(code);
        }
        function closingSequenceEnd(code) {
          if (code === null || markdownLineEnding(code)) {
            effects2.exit("codeFencedFence");
            return ok2(code);
          }
          return nok2(code);
        }
      }
    }
    module2.exports = codeFenced;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/code-indented.js
var require_code_indented = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/code-indented.js"(exports2, module2) {
    "use strict";
    var markdownLineEnding = require_markdown_line_ending();
    var chunkedSplice = require_chunked_splice();
    var prefixSize = require_prefix_size();
    var factorySpace = require_factory_space();
    var codeIndented = {
      name: "codeIndented",
      tokenize: tokenizeCodeIndented,
      resolve: resolveCodeIndented
    };
    var indentedContentConstruct = {
      tokenize: tokenizeIndentedContent,
      partial: true
    };
    function resolveCodeIndented(events, context) {
      var code = {
        type: "codeIndented",
        start: events[0][1].start,
        end: events[events.length - 1][1].end
      };
      chunkedSplice(events, 0, 0, [["enter", code, context]]);
      chunkedSplice(events, events.length, 0, [["exit", code, context]]);
      return events;
    }
    function tokenizeCodeIndented(effects, ok, nok) {
      return effects.attempt(indentedContentConstruct, afterPrefix, nok);
      function afterPrefix(code) {
        if (code === null) {
          return ok(code);
        }
        if (markdownLineEnding(code)) {
          return effects.attempt(indentedContentConstruct, afterPrefix, ok)(code);
        }
        effects.enter("codeFlowValue");
        return content(code);
      }
      function content(code) {
        if (code === null || markdownLineEnding(code)) {
          effects.exit("codeFlowValue");
          return afterPrefix(code);
        }
        effects.consume(code);
        return content;
      }
    }
    function tokenizeIndentedContent(effects, ok, nok) {
      var self2 = this;
      return factorySpace(effects, afterPrefix, "linePrefix", 4 + 1);
      function afterPrefix(code) {
        if (markdownLineEnding(code)) {
          effects.enter("lineEnding");
          effects.consume(code);
          effects.exit("lineEnding");
          return factorySpace(effects, afterPrefix, "linePrefix", 4 + 1);
        }
        return prefixSize(self2.events, "linePrefix") < 4 ? nok(code) : ok(code);
      }
    }
    module2.exports = codeIndented;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/code-text.js
var require_code_text = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/code-text.js"(exports2, module2) {
    "use strict";
    var markdownLineEnding = require_markdown_line_ending();
    var codeText = {
      name: "codeText",
      tokenize: tokenizeCodeText,
      resolve: resolveCodeText,
      previous
    };
    function resolveCodeText(events) {
      var tailExitIndex = events.length - 4;
      var headEnterIndex = 3;
      var index;
      var enter;
      if ((events[headEnterIndex][1].type === "lineEnding" || events[headEnterIndex][1].type === "space") && (events[tailExitIndex][1].type === "lineEnding" || events[tailExitIndex][1].type === "space")) {
        index = headEnterIndex;
        while (++index < tailExitIndex) {
          if (events[index][1].type === "codeTextData") {
            events[tailExitIndex][1].type = events[headEnterIndex][1].type = "codeTextPadding";
            headEnterIndex += 2;
            tailExitIndex -= 2;
            break;
          }
        }
      }
      index = headEnterIndex - 1;
      tailExitIndex++;
      while (++index <= tailExitIndex) {
        if (enter === void 0) {
          if (index !== tailExitIndex && events[index][1].type !== "lineEnding") {
            enter = index;
          }
        } else if (index === tailExitIndex || events[index][1].type === "lineEnding") {
          events[enter][1].type = "codeTextData";
          if (index !== enter + 2) {
            events[enter][1].end = events[index - 1][1].end;
            events.splice(enter + 2, index - enter - 2);
            tailExitIndex -= index - enter - 2;
            index = enter + 2;
          }
          enter = void 0;
        }
      }
      return events;
    }
    function previous(code) {
      return code !== 96 || this.events[this.events.length - 1][1].type === "characterEscape";
    }
    function tokenizeCodeText(effects, ok, nok) {
      var sizeOpen = 0;
      var size;
      var token;
      return start;
      function start(code) {
        effects.enter("codeText");
        effects.enter("codeTextSequence");
        return openingSequence(code);
      }
      function openingSequence(code) {
        if (code === 96) {
          effects.consume(code);
          sizeOpen++;
          return openingSequence;
        }
        effects.exit("codeTextSequence");
        return gap(code);
      }
      function gap(code) {
        if (code === null) {
          return nok(code);
        }
        if (code === 96) {
          token = effects.enter("codeTextSequence");
          size = 0;
          return closingSequence(code);
        }
        if (code === 32) {
          effects.enter("space");
          effects.consume(code);
          effects.exit("space");
          return gap;
        }
        if (markdownLineEnding(code)) {
          effects.enter("lineEnding");
          effects.consume(code);
          effects.exit("lineEnding");
          return gap;
        }
        effects.enter("codeTextData");
        return data(code);
      }
      function data(code) {
        if (code === null || code === 32 || code === 96 || markdownLineEnding(code)) {
          effects.exit("codeTextData");
          return gap(code);
        }
        effects.consume(code);
        return data;
      }
      function closingSequence(code) {
        if (code === 96) {
          effects.consume(code);
          size++;
          return closingSequence;
        }
        if (size === sizeOpen) {
          effects.exit("codeTextSequence");
          effects.exit("codeText");
          return ok(code);
        }
        token.type = "codeTextData";
        return data(code);
      }
    }
    module2.exports = codeText;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/factory-destination.js
var require_factory_destination = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/factory-destination.js"(exports2, module2) {
    "use strict";
    var asciiControl = require_ascii_control();
    var markdownLineEndingOrSpace = require_markdown_line_ending_or_space();
    var markdownLineEnding = require_markdown_line_ending();
    function destinationFactory(effects, ok, nok, type, literalType2, literalMarkerType, rawType, stringType2, max) {
      var limit = max || Infinity;
      var balance = 0;
      return start;
      function start(code) {
        if (code === 60) {
          effects.enter(type);
          effects.enter(literalType2);
          effects.enter(literalMarkerType);
          effects.consume(code);
          effects.exit(literalMarkerType);
          return destinationEnclosedBefore;
        }
        if (asciiControl(code) || code === 41) {
          return nok(code);
        }
        effects.enter(type);
        effects.enter(rawType);
        effects.enter(stringType2);
        effects.enter("chunkString", {
          contentType: "string"
        });
        return destinationRaw(code);
      }
      function destinationEnclosedBefore(code) {
        if (code === 62) {
          effects.enter(literalMarkerType);
          effects.consume(code);
          effects.exit(literalMarkerType);
          effects.exit(literalType2);
          effects.exit(type);
          return ok;
        }
        effects.enter(stringType2);
        effects.enter("chunkString", {
          contentType: "string"
        });
        return destinationEnclosed(code);
      }
      function destinationEnclosed(code) {
        if (code === 62) {
          effects.exit("chunkString");
          effects.exit(stringType2);
          return destinationEnclosedBefore(code);
        }
        if (code === null || code === 60 || markdownLineEnding(code)) {
          return nok(code);
        }
        effects.consume(code);
        return code === 92 ? destinationEnclosedEscape : destinationEnclosed;
      }
      function destinationEnclosedEscape(code) {
        if (code === 60 || code === 62 || code === 92) {
          effects.consume(code);
          return destinationEnclosed;
        }
        return destinationEnclosed(code);
      }
      function destinationRaw(code) {
        if (code === 40) {
          if (++balance > limit) return nok(code);
          effects.consume(code);
          return destinationRaw;
        }
        if (code === 41) {
          if (!balance--) {
            effects.exit("chunkString");
            effects.exit(stringType2);
            effects.exit(rawType);
            effects.exit(type);
            return ok(code);
          }
          effects.consume(code);
          return destinationRaw;
        }
        if (code === null || markdownLineEndingOrSpace(code)) {
          if (balance) return nok(code);
          effects.exit("chunkString");
          effects.exit(stringType2);
          effects.exit(rawType);
          effects.exit(type);
          return ok(code);
        }
        if (asciiControl(code)) return nok(code);
        effects.consume(code);
        return code === 92 ? destinationRawEscape : destinationRaw;
      }
      function destinationRawEscape(code) {
        if (code === 40 || code === 41 || code === 92) {
          effects.consume(code);
          return destinationRaw;
        }
        return destinationRaw(code);
      }
    }
    module2.exports = destinationFactory;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/factory-label.js
var require_factory_label = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/factory-label.js"(exports2, module2) {
    "use strict";
    var markdownLineEnding = require_markdown_line_ending();
    var markdownSpace = require_markdown_space();
    function labelFactory(effects, ok, nok, type, markerType, stringType2) {
      var self2 = this;
      var size = 0;
      var data;
      return start;
      function start(code) {
        effects.enter(type);
        effects.enter(markerType);
        effects.consume(code);
        effects.exit(markerType);
        effects.enter(stringType2);
        return atBreak;
      }
      function atBreak(code) {
        if (code === null || code === 91 || code === 93 && !data || /* c8 ignore next */
        code === 94 && /* c8 ignore next */
        !size && /* c8 ignore next */
        "_hiddenFootnoteSupport" in self2.parser.constructs || size > 999) {
          return nok(code);
        }
        if (code === 93) {
          effects.exit(stringType2);
          effects.enter(markerType);
          effects.consume(code);
          effects.exit(markerType);
          effects.exit(type);
          return ok;
        }
        if (markdownLineEnding(code)) {
          effects.enter("lineEnding");
          effects.consume(code);
          effects.exit("lineEnding");
          return atBreak;
        }
        effects.enter("chunkString", {
          contentType: "string"
        });
        return label(code);
      }
      function label(code) {
        if (code === null || code === 91 || code === 93 || markdownLineEnding(code) || size++ > 999) {
          effects.exit("chunkString");
          return atBreak(code);
        }
        effects.consume(code);
        data = data || !markdownSpace(code);
        return code === 92 ? labelEscape : label;
      }
      function labelEscape(code) {
        if (code === 91 || code === 92 || code === 93) {
          effects.consume(code);
          size++;
          return label;
        }
        return label(code);
      }
    }
    module2.exports = labelFactory;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/factory-whitespace.js
var require_factory_whitespace = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/factory-whitespace.js"(exports2, module2) {
    "use strict";
    var markdownLineEnding = require_markdown_line_ending();
    var markdownSpace = require_markdown_space();
    var factorySpace = require_factory_space();
    function whitespaceFactory(effects, ok) {
      var seen;
      return start;
      function start(code) {
        if (markdownLineEnding(code)) {
          effects.enter("lineEnding");
          effects.consume(code);
          effects.exit("lineEnding");
          seen = true;
          return start;
        }
        if (markdownSpace(code)) {
          return factorySpace(
            effects,
            start,
            seen ? "linePrefix" : "lineSuffix"
          )(code);
        }
        return ok(code);
      }
    }
    module2.exports = whitespaceFactory;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/factory-title.js
var require_factory_title = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/factory-title.js"(exports2, module2) {
    "use strict";
    var markdownLineEnding = require_markdown_line_ending();
    var factorySpace = require_factory_space();
    function titleFactory(effects, ok, nok, type, markerType, stringType2) {
      var marker;
      return start;
      function start(code) {
        effects.enter(type);
        effects.enter(markerType);
        effects.consume(code);
        effects.exit(markerType);
        marker = code === 40 ? 41 : code;
        return atFirstTitleBreak;
      }
      function atFirstTitleBreak(code) {
        if (code === marker) {
          effects.enter(markerType);
          effects.consume(code);
          effects.exit(markerType);
          effects.exit(type);
          return ok;
        }
        effects.enter(stringType2);
        return atTitleBreak(code);
      }
      function atTitleBreak(code) {
        if (code === marker) {
          effects.exit(stringType2);
          return atFirstTitleBreak(marker);
        }
        if (code === null) {
          return nok(code);
        }
        if (markdownLineEnding(code)) {
          effects.enter("lineEnding");
          effects.consume(code);
          effects.exit("lineEnding");
          return factorySpace(effects, atTitleBreak, "linePrefix");
        }
        effects.enter("chunkString", {
          contentType: "string"
        });
        return title(code);
      }
      function title(code) {
        if (code === marker || code === null || markdownLineEnding(code)) {
          effects.exit("chunkString");
          return atTitleBreak(code);
        }
        effects.consume(code);
        return code === 92 ? titleEscape : title;
      }
      function titleEscape(code) {
        if (code === marker || code === 92) {
          effects.consume(code);
          return title;
        }
        return title(code);
      }
    }
    module2.exports = titleFactory;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/definition.js
var require_definition2 = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/definition.js"(exports2, module2) {
    "use strict";
    var markdownLineEnding = require_markdown_line_ending();
    var markdownLineEndingOrSpace = require_markdown_line_ending_or_space();
    var normalizeIdentifier = require_normalize_identifier();
    var factoryDestination = require_factory_destination();
    var factoryLabel = require_factory_label();
    var factorySpace = require_factory_space();
    var factoryWhitespace = require_factory_whitespace();
    var factoryTitle = require_factory_title();
    var definition = {
      name: "definition",
      tokenize: tokenizeDefinition
    };
    var titleConstruct = {
      tokenize: tokenizeTitle,
      partial: true
    };
    function tokenizeDefinition(effects, ok, nok) {
      var self2 = this;
      var identifier;
      return start;
      function start(code) {
        effects.enter("definition");
        return factoryLabel.call(
          self2,
          effects,
          labelAfter,
          nok,
          "definitionLabel",
          "definitionLabelMarker",
          "definitionLabelString"
        )(code);
      }
      function labelAfter(code) {
        identifier = normalizeIdentifier(
          self2.sliceSerialize(self2.events[self2.events.length - 1][1]).slice(1, -1)
        );
        if (code === 58) {
          effects.enter("definitionMarker");
          effects.consume(code);
          effects.exit("definitionMarker");
          return factoryWhitespace(
            effects,
            factoryDestination(
              effects,
              effects.attempt(
                titleConstruct,
                factorySpace(effects, after, "whitespace"),
                factorySpace(effects, after, "whitespace")
              ),
              nok,
              "definitionDestination",
              "definitionDestinationLiteral",
              "definitionDestinationLiteralMarker",
              "definitionDestinationRaw",
              "definitionDestinationString"
            )
          );
        }
        return nok(code);
      }
      function after(code) {
        if (code === null || markdownLineEnding(code)) {
          effects.exit("definition");
          if (self2.parser.defined.indexOf(identifier) < 0) {
            self2.parser.defined.push(identifier);
          }
          return ok(code);
        }
        return nok(code);
      }
    }
    function tokenizeTitle(effects, ok, nok) {
      return start;
      function start(code) {
        return markdownLineEndingOrSpace(code) ? factoryWhitespace(effects, before)(code) : nok(code);
      }
      function before(code) {
        if (code === 34 || code === 39 || code === 40) {
          return factoryTitle(
            effects,
            factorySpace(effects, after, "whitespace"),
            nok,
            "definitionTitle",
            "definitionTitleMarker",
            "definitionTitleString"
          )(code);
        }
        return nok(code);
      }
      function after(code) {
        return code === null || markdownLineEnding(code) ? ok(code) : nok(code);
      }
    }
    module2.exports = definition;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/hard-break-escape.js
var require_hard_break_escape = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/hard-break-escape.js"(exports2, module2) {
    "use strict";
    var markdownLineEnding = require_markdown_line_ending();
    var hardBreakEscape = {
      name: "hardBreakEscape",
      tokenize: tokenizeHardBreakEscape
    };
    function tokenizeHardBreakEscape(effects, ok, nok) {
      return start;
      function start(code) {
        effects.enter("hardBreakEscape");
        effects.enter("escapeMarker");
        effects.consume(code);
        return open;
      }
      function open(code) {
        if (markdownLineEnding(code)) {
          effects.exit("escapeMarker");
          effects.exit("hardBreakEscape");
          return ok(code);
        }
        return nok(code);
      }
    }
    module2.exports = hardBreakEscape;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/heading-atx.js
var require_heading_atx = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/heading-atx.js"(exports2, module2) {
    "use strict";
    var markdownLineEnding = require_markdown_line_ending();
    var markdownLineEndingOrSpace = require_markdown_line_ending_or_space();
    var markdownSpace = require_markdown_space();
    var chunkedSplice = require_chunked_splice();
    var factorySpace = require_factory_space();
    var headingAtx = {
      name: "headingAtx",
      tokenize: tokenizeHeadingAtx,
      resolve: resolveHeadingAtx
    };
    function resolveHeadingAtx(events, context) {
      var contentEnd = events.length - 2;
      var contentStart = 3;
      var content;
      var text;
      if (events[contentStart][1].type === "whitespace") {
        contentStart += 2;
      }
      if (contentEnd - 2 > contentStart && events[contentEnd][1].type === "whitespace") {
        contentEnd -= 2;
      }
      if (events[contentEnd][1].type === "atxHeadingSequence" && (contentStart === contentEnd - 1 || contentEnd - 4 > contentStart && events[contentEnd - 2][1].type === "whitespace")) {
        contentEnd -= contentStart + 1 === contentEnd ? 2 : 4;
      }
      if (contentEnd > contentStart) {
        content = {
          type: "atxHeadingText",
          start: events[contentStart][1].start,
          end: events[contentEnd][1].end
        };
        text = {
          type: "chunkText",
          start: events[contentStart][1].start,
          end: events[contentEnd][1].end,
          contentType: "text"
        };
        chunkedSplice(events, contentStart, contentEnd - contentStart + 1, [
          ["enter", content, context],
          ["enter", text, context],
          ["exit", text, context],
          ["exit", content, context]
        ]);
      }
      return events;
    }
    function tokenizeHeadingAtx(effects, ok, nok) {
      var self2 = this;
      var size = 0;
      return start;
      function start(code) {
        effects.enter("atxHeading");
        effects.enter("atxHeadingSequence");
        return fenceOpenInside(code);
      }
      function fenceOpenInside(code) {
        if (code === 35 && size++ < 6) {
          effects.consume(code);
          return fenceOpenInside;
        }
        if (code === null || markdownLineEndingOrSpace(code)) {
          effects.exit("atxHeadingSequence");
          return self2.interrupt ? ok(code) : headingBreak(code);
        }
        return nok(code);
      }
      function headingBreak(code) {
        if (code === 35) {
          effects.enter("atxHeadingSequence");
          return sequence(code);
        }
        if (code === null || markdownLineEnding(code)) {
          effects.exit("atxHeading");
          return ok(code);
        }
        if (markdownSpace(code)) {
          return factorySpace(effects, headingBreak, "whitespace")(code);
        }
        effects.enter("atxHeadingText");
        return data(code);
      }
      function sequence(code) {
        if (code === 35) {
          effects.consume(code);
          return sequence;
        }
        effects.exit("atxHeadingSequence");
        return headingBreak(code);
      }
      function data(code) {
        if (code === null || code === 35 || markdownLineEndingOrSpace(code)) {
          effects.exit("atxHeadingText");
          return headingBreak(code);
        }
        effects.consume(code);
        return data;
      }
    }
    module2.exports = headingAtx;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/constant/html-block-names.js
var require_html_block_names = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/constant/html-block-names.js"(exports2, module2) {
    "use strict";
    var basics = [
      "address",
      "article",
      "aside",
      "base",
      "basefont",
      "blockquote",
      "body",
      "caption",
      "center",
      "col",
      "colgroup",
      "dd",
      "details",
      "dialog",
      "dir",
      "div",
      "dl",
      "dt",
      "fieldset",
      "figcaption",
      "figure",
      "footer",
      "form",
      "frame",
      "frameset",
      "h1",
      "h2",
      "h3",
      "h4",
      "h5",
      "h6",
      "head",
      "header",
      "hr",
      "html",
      "iframe",
      "legend",
      "li",
      "link",
      "main",
      "menu",
      "menuitem",
      "nav",
      "noframes",
      "ol",
      "optgroup",
      "option",
      "p",
      "param",
      "section",
      "source",
      "summary",
      "table",
      "tbody",
      "td",
      "tfoot",
      "th",
      "thead",
      "title",
      "tr",
      "track",
      "ul"
    ];
    module2.exports = basics;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/constant/html-raw-names.js
var require_html_raw_names = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/constant/html-raw-names.js"(exports2, module2) {
    "use strict";
    var raws = ["pre", "script", "style", "textarea"];
    module2.exports = raws;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/html-flow.js
var require_html_flow = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/html-flow.js"(exports2, module2) {
    "use strict";
    var asciiAlpha = require_ascii_alpha();
    var asciiAlphanumeric = require_ascii_alphanumeric();
    var markdownLineEnding = require_markdown_line_ending();
    var markdownLineEndingOrSpace = require_markdown_line_ending_or_space();
    var markdownSpace = require_markdown_space();
    var fromCharCode = require_from_char_code();
    var htmlBlockNames = require_html_block_names();
    var htmlRawNames = require_html_raw_names();
    var partialBlankLine = require_partial_blank_line();
    var htmlFlow = {
      name: "htmlFlow",
      tokenize: tokenizeHtmlFlow,
      resolveTo: resolveToHtmlFlow,
      concrete: true
    };
    var nextBlankConstruct = {
      tokenize: tokenizeNextBlank,
      partial: true
    };
    function resolveToHtmlFlow(events) {
      var index = events.length;
      while (index--) {
        if (events[index][0] === "enter" && events[index][1].type === "htmlFlow") {
          break;
        }
      }
      if (index > 1 && events[index - 2][1].type === "linePrefix") {
        events[index][1].start = events[index - 2][1].start;
        events[index + 1][1].start = events[index - 2][1].start;
        events.splice(index - 2, 2);
      }
      return events;
    }
    function tokenizeHtmlFlow(effects, ok, nok) {
      var self2 = this;
      var kind;
      var startTag;
      var buffer;
      var index;
      var marker;
      return start;
      function start(code) {
        effects.enter("htmlFlow");
        effects.enter("htmlFlowData");
        effects.consume(code);
        return open;
      }
      function open(code) {
        if (code === 33) {
          effects.consume(code);
          return declarationStart;
        }
        if (code === 47) {
          effects.consume(code);
          return tagCloseStart;
        }
        if (code === 63) {
          effects.consume(code);
          kind = 3;
          return self2.interrupt ? ok : continuationDeclarationInside;
        }
        if (asciiAlpha(code)) {
          effects.consume(code);
          buffer = fromCharCode(code);
          startTag = true;
          return tagName;
        }
        return nok(code);
      }
      function declarationStart(code) {
        if (code === 45) {
          effects.consume(code);
          kind = 2;
          return commentOpenInside;
        }
        if (code === 91) {
          effects.consume(code);
          kind = 5;
          buffer = "CDATA[";
          index = 0;
          return cdataOpenInside;
        }
        if (asciiAlpha(code)) {
          effects.consume(code);
          kind = 4;
          return self2.interrupt ? ok : continuationDeclarationInside;
        }
        return nok(code);
      }
      function commentOpenInside(code) {
        if (code === 45) {
          effects.consume(code);
          return self2.interrupt ? ok : continuationDeclarationInside;
        }
        return nok(code);
      }
      function cdataOpenInside(code) {
        if (code === buffer.charCodeAt(index++)) {
          effects.consume(code);
          return index === buffer.length ? self2.interrupt ? ok : continuation : cdataOpenInside;
        }
        return nok(code);
      }
      function tagCloseStart(code) {
        if (asciiAlpha(code)) {
          effects.consume(code);
          buffer = fromCharCode(code);
          return tagName;
        }
        return nok(code);
      }
      function tagName(code) {
        if (code === null || code === 47 || code === 62 || markdownLineEndingOrSpace(code)) {
          if (code !== 47 && startTag && htmlRawNames.indexOf(buffer.toLowerCase()) > -1) {
            kind = 1;
            return self2.interrupt ? ok(code) : continuation(code);
          }
          if (htmlBlockNames.indexOf(buffer.toLowerCase()) > -1) {
            kind = 6;
            if (code === 47) {
              effects.consume(code);
              return basicSelfClosing;
            }
            return self2.interrupt ? ok(code) : continuation(code);
          }
          kind = 7;
          return self2.interrupt ? nok(code) : startTag ? completeAttributeNameBefore(code) : completeClosingTagAfter(code);
        }
        if (code === 45 || asciiAlphanumeric(code)) {
          effects.consume(code);
          buffer += fromCharCode(code);
          return tagName;
        }
        return nok(code);
      }
      function basicSelfClosing(code) {
        if (code === 62) {
          effects.consume(code);
          return self2.interrupt ? ok : continuation;
        }
        return nok(code);
      }
      function completeClosingTagAfter(code) {
        if (markdownSpace(code)) {
          effects.consume(code);
          return completeClosingTagAfter;
        }
        return completeEnd(code);
      }
      function completeAttributeNameBefore(code) {
        if (code === 47) {
          effects.consume(code);
          return completeEnd;
        }
        if (code === 58 || code === 95 || asciiAlpha(code)) {
          effects.consume(code);
          return completeAttributeName;
        }
        if (markdownSpace(code)) {
          effects.consume(code);
          return completeAttributeNameBefore;
        }
        return completeEnd(code);
      }
      function completeAttributeName(code) {
        if (code === 45 || code === 46 || code === 58 || code === 95 || asciiAlphanumeric(code)) {
          effects.consume(code);
          return completeAttributeName;
        }
        return completeAttributeNameAfter(code);
      }
      function completeAttributeNameAfter(code) {
        if (code === 61) {
          effects.consume(code);
          return completeAttributeValueBefore;
        }
        if (markdownSpace(code)) {
          effects.consume(code);
          return completeAttributeNameAfter;
        }
        return completeAttributeNameBefore(code);
      }
      function completeAttributeValueBefore(code) {
        if (code === null || code === 60 || code === 61 || code === 62 || code === 96) {
          return nok(code);
        }
        if (code === 34 || code === 39) {
          effects.consume(code);
          marker = code;
          return completeAttributeValueQuoted;
        }
        if (markdownSpace(code)) {
          effects.consume(code);
          return completeAttributeValueBefore;
        }
        marker = void 0;
        return completeAttributeValueUnquoted(code);
      }
      function completeAttributeValueQuoted(code) {
        if (code === marker) {
          effects.consume(code);
          return completeAttributeValueQuotedAfter;
        }
        if (code === null || markdownLineEnding(code)) {
          return nok(code);
        }
        effects.consume(code);
        return completeAttributeValueQuoted;
      }
      function completeAttributeValueUnquoted(code) {
        if (code === null || code === 34 || code === 39 || code === 60 || code === 61 || code === 62 || code === 96 || markdownLineEndingOrSpace(code)) {
          return completeAttributeNameAfter(code);
        }
        effects.consume(code);
        return completeAttributeValueUnquoted;
      }
      function completeAttributeValueQuotedAfter(code) {
        if (code === 47 || code === 62 || markdownSpace(code)) {
          return completeAttributeNameBefore(code);
        }
        return nok(code);
      }
      function completeEnd(code) {
        if (code === 62) {
          effects.consume(code);
          return completeAfter;
        }
        return nok(code);
      }
      function completeAfter(code) {
        if (markdownSpace(code)) {
          effects.consume(code);
          return completeAfter;
        }
        return code === null || markdownLineEnding(code) ? continuation(code) : nok(code);
      }
      function continuation(code) {
        if (code === 45 && kind === 2) {
          effects.consume(code);
          return continuationCommentInside;
        }
        if (code === 60 && kind === 1) {
          effects.consume(code);
          return continuationRawTagOpen;
        }
        if (code === 62 && kind === 4) {
          effects.consume(code);
          return continuationClose;
        }
        if (code === 63 && kind === 3) {
          effects.consume(code);
          return continuationDeclarationInside;
        }
        if (code === 93 && kind === 5) {
          effects.consume(code);
          return continuationCharacterDataInside;
        }
        if (markdownLineEnding(code) && (kind === 6 || kind === 7)) {
          return effects.check(
            nextBlankConstruct,
            continuationClose,
            continuationAtLineEnding
          )(code);
        }
        if (code === null || markdownLineEnding(code)) {
          return continuationAtLineEnding(code);
        }
        effects.consume(code);
        return continuation;
      }
      function continuationAtLineEnding(code) {
        effects.exit("htmlFlowData");
        return htmlContinueStart(code);
      }
      function htmlContinueStart(code) {
        if (code === null) {
          return done(code);
        }
        if (markdownLineEnding(code)) {
          effects.enter("lineEnding");
          effects.consume(code);
          effects.exit("lineEnding");
          return htmlContinueStart;
        }
        effects.enter("htmlFlowData");
        return continuation(code);
      }
      function continuationCommentInside(code) {
        if (code === 45) {
          effects.consume(code);
          return continuationDeclarationInside;
        }
        return continuation(code);
      }
      function continuationRawTagOpen(code) {
        if (code === 47) {
          effects.consume(code);
          buffer = "";
          return continuationRawEndTag;
        }
        return continuation(code);
      }
      function continuationRawEndTag(code) {
        if (code === 62 && htmlRawNames.indexOf(buffer.toLowerCase()) > -1) {
          effects.consume(code);
          return continuationClose;
        }
        if (asciiAlpha(code) && buffer.length < 8) {
          effects.consume(code);
          buffer += fromCharCode(code);
          return continuationRawEndTag;
        }
        return continuation(code);
      }
      function continuationCharacterDataInside(code) {
        if (code === 93) {
          effects.consume(code);
          return continuationDeclarationInside;
        }
        return continuation(code);
      }
      function continuationDeclarationInside(code) {
        if (code === 62) {
          effects.consume(code);
          return continuationClose;
        }
        return continuation(code);
      }
      function continuationClose(code) {
        if (code === null || markdownLineEnding(code)) {
          effects.exit("htmlFlowData");
          return done(code);
        }
        effects.consume(code);
        return continuationClose;
      }
      function done(code) {
        effects.exit("htmlFlow");
        return ok(code);
      }
    }
    function tokenizeNextBlank(effects, ok, nok) {
      return start;
      function start(code) {
        effects.exit("htmlFlowData");
        effects.enter("lineEndingBlank");
        effects.consume(code);
        effects.exit("lineEndingBlank");
        return effects.attempt(partialBlankLine, ok, nok);
      }
    }
    module2.exports = htmlFlow;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/html-text.js
var require_html_text = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/html-text.js"(exports2, module2) {
    "use strict";
    var asciiAlpha = require_ascii_alpha();
    var asciiAlphanumeric = require_ascii_alphanumeric();
    var markdownLineEnding = require_markdown_line_ending();
    var markdownLineEndingOrSpace = require_markdown_line_ending_or_space();
    var markdownSpace = require_markdown_space();
    var factorySpace = require_factory_space();
    var htmlText = {
      name: "htmlText",
      tokenize: tokenizeHtmlText
    };
    function tokenizeHtmlText(effects, ok, nok) {
      var self2 = this;
      var marker;
      var buffer;
      var index;
      var returnState;
      return start;
      function start(code) {
        effects.enter("htmlText");
        effects.enter("htmlTextData");
        effects.consume(code);
        return open;
      }
      function open(code) {
        if (code === 33) {
          effects.consume(code);
          return declarationOpen;
        }
        if (code === 47) {
          effects.consume(code);
          return tagCloseStart;
        }
        if (code === 63) {
          effects.consume(code);
          return instruction;
        }
        if (asciiAlpha(code)) {
          effects.consume(code);
          return tagOpen;
        }
        return nok(code);
      }
      function declarationOpen(code) {
        if (code === 45) {
          effects.consume(code);
          return commentOpen;
        }
        if (code === 91) {
          effects.consume(code);
          buffer = "CDATA[";
          index = 0;
          return cdataOpen;
        }
        if (asciiAlpha(code)) {
          effects.consume(code);
          return declaration;
        }
        return nok(code);
      }
      function commentOpen(code) {
        if (code === 45) {
          effects.consume(code);
          return commentStart;
        }
        return nok(code);
      }
      function commentStart(code) {
        if (code === null || code === 62) {
          return nok(code);
        }
        if (code === 45) {
          effects.consume(code);
          return commentStartDash;
        }
        return comment(code);
      }
      function commentStartDash(code) {
        if (code === null || code === 62) {
          return nok(code);
        }
        return comment(code);
      }
      function comment(code) {
        if (code === null) {
          return nok(code);
        }
        if (code === 45) {
          effects.consume(code);
          return commentClose;
        }
        if (markdownLineEnding(code)) {
          returnState = comment;
          return atLineEnding(code);
        }
        effects.consume(code);
        return comment;
      }
      function commentClose(code) {
        if (code === 45) {
          effects.consume(code);
          return end;
        }
        return comment(code);
      }
      function cdataOpen(code) {
        if (code === buffer.charCodeAt(index++)) {
          effects.consume(code);
          return index === buffer.length ? cdata : cdataOpen;
        }
        return nok(code);
      }
      function cdata(code) {
        if (code === null) {
          return nok(code);
        }
        if (code === 93) {
          effects.consume(code);
          return cdataClose;
        }
        if (markdownLineEnding(code)) {
          returnState = cdata;
          return atLineEnding(code);
        }
        effects.consume(code);
        return cdata;
      }
      function cdataClose(code) {
        if (code === 93) {
          effects.consume(code);
          return cdataEnd;
        }
        return cdata(code);
      }
      function cdataEnd(code) {
        if (code === 62) {
          return end(code);
        }
        if (code === 93) {
          effects.consume(code);
          return cdataEnd;
        }
        return cdata(code);
      }
      function declaration(code) {
        if (code === null || code === 62) {
          return end(code);
        }
        if (markdownLineEnding(code)) {
          returnState = declaration;
          return atLineEnding(code);
        }
        effects.consume(code);
        return declaration;
      }
      function instruction(code) {
        if (code === null) {
          return nok(code);
        }
        if (code === 63) {
          effects.consume(code);
          return instructionClose;
        }
        if (markdownLineEnding(code)) {
          returnState = instruction;
          return atLineEnding(code);
        }
        effects.consume(code);
        return instruction;
      }
      function instructionClose(code) {
        return code === 62 ? end(code) : instruction(code);
      }
      function tagCloseStart(code) {
        if (asciiAlpha(code)) {
          effects.consume(code);
          return tagClose;
        }
        return nok(code);
      }
      function tagClose(code) {
        if (code === 45 || asciiAlphanumeric(code)) {
          effects.consume(code);
          return tagClose;
        }
        return tagCloseBetween(code);
      }
      function tagCloseBetween(code) {
        if (markdownLineEnding(code)) {
          returnState = tagCloseBetween;
          return atLineEnding(code);
        }
        if (markdownSpace(code)) {
          effects.consume(code);
          return tagCloseBetween;
        }
        return end(code);
      }
      function tagOpen(code) {
        if (code === 45 || asciiAlphanumeric(code)) {
          effects.consume(code);
          return tagOpen;
        }
        if (code === 47 || code === 62 || markdownLineEndingOrSpace(code)) {
          return tagOpenBetween(code);
        }
        return nok(code);
      }
      function tagOpenBetween(code) {
        if (code === 47) {
          effects.consume(code);
          return end;
        }
        if (code === 58 || code === 95 || asciiAlpha(code)) {
          effects.consume(code);
          return tagOpenAttributeName;
        }
        if (markdownLineEnding(code)) {
          returnState = tagOpenBetween;
          return atLineEnding(code);
        }
        if (markdownSpace(code)) {
          effects.consume(code);
          return tagOpenBetween;
        }
        return end(code);
      }
      function tagOpenAttributeName(code) {
        if (code === 45 || code === 46 || code === 58 || code === 95 || asciiAlphanumeric(code)) {
          effects.consume(code);
          return tagOpenAttributeName;
        }
        return tagOpenAttributeNameAfter(code);
      }
      function tagOpenAttributeNameAfter(code) {
        if (code === 61) {
          effects.consume(code);
          return tagOpenAttributeValueBefore;
        }
        if (markdownLineEnding(code)) {
          returnState = tagOpenAttributeNameAfter;
          return atLineEnding(code);
        }
        if (markdownSpace(code)) {
          effects.consume(code);
          return tagOpenAttributeNameAfter;
        }
        return tagOpenBetween(code);
      }
      function tagOpenAttributeValueBefore(code) {
        if (code === null || code === 60 || code === 61 || code === 62 || code === 96) {
          return nok(code);
        }
        if (code === 34 || code === 39) {
          effects.consume(code);
          marker = code;
          return tagOpenAttributeValueQuoted;
        }
        if (markdownLineEnding(code)) {
          returnState = tagOpenAttributeValueBefore;
          return atLineEnding(code);
        }
        if (markdownSpace(code)) {
          effects.consume(code);
          return tagOpenAttributeValueBefore;
        }
        effects.consume(code);
        marker = void 0;
        return tagOpenAttributeValueUnquoted;
      }
      function tagOpenAttributeValueQuoted(code) {
        if (code === marker) {
          effects.consume(code);
          return tagOpenAttributeValueQuotedAfter;
        }
        if (code === null) {
          return nok(code);
        }
        if (markdownLineEnding(code)) {
          returnState = tagOpenAttributeValueQuoted;
          return atLineEnding(code);
        }
        effects.consume(code);
        return tagOpenAttributeValueQuoted;
      }
      function tagOpenAttributeValueQuotedAfter(code) {
        if (code === 62 || code === 47 || markdownLineEndingOrSpace(code)) {
          return tagOpenBetween(code);
        }
        return nok(code);
      }
      function tagOpenAttributeValueUnquoted(code) {
        if (code === null || code === 34 || code === 39 || code === 60 || code === 61 || code === 96) {
          return nok(code);
        }
        if (code === 62 || markdownLineEndingOrSpace(code)) {
          return tagOpenBetween(code);
        }
        effects.consume(code);
        return tagOpenAttributeValueUnquoted;
      }
      function atLineEnding(code) {
        effects.exit("htmlTextData");
        effects.enter("lineEnding");
        effects.consume(code);
        effects.exit("lineEnding");
        return factorySpace(
          effects,
          afterPrefix,
          "linePrefix",
          self2.parser.constructs.disable.null.indexOf("codeIndented") > -1 ? void 0 : 4
        );
      }
      function afterPrefix(code) {
        effects.enter("htmlTextData");
        return returnState(code);
      }
      function end(code) {
        if (code === 62) {
          effects.consume(code);
          effects.exit("htmlTextData");
          effects.exit("htmlText");
          return ok;
        }
        return nok(code);
      }
    }
    module2.exports = htmlText;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/label-end.js
var require_label_end = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/label-end.js"(exports2, module2) {
    "use strict";
    var markdownLineEndingOrSpace = require_markdown_line_ending_or_space();
    var chunkedPush = require_chunked_push();
    var chunkedSplice = require_chunked_splice();
    var normalizeIdentifier = require_normalize_identifier();
    var resolveAll = require_resolve_all();
    var shallow = require_shallow();
    var factoryDestination = require_factory_destination();
    var factoryLabel = require_factory_label();
    var factoryTitle = require_factory_title();
    var factoryWhitespace = require_factory_whitespace();
    var labelEnd = {
      name: "labelEnd",
      tokenize: tokenizeLabelEnd,
      resolveTo: resolveToLabelEnd,
      resolveAll: resolveAllLabelEnd
    };
    var resourceConstruct = {
      tokenize: tokenizeResource
    };
    var fullReferenceConstruct = {
      tokenize: tokenizeFullReference
    };
    var collapsedReferenceConstruct = {
      tokenize: tokenizeCollapsedReference
    };
    function resolveAllLabelEnd(events) {
      var index = -1;
      var token;
      while (++index < events.length) {
        token = events[index][1];
        if (!token._used && (token.type === "labelImage" || token.type === "labelLink" || token.type === "labelEnd")) {
          events.splice(index + 1, token.type === "labelImage" ? 4 : 2);
          token.type = "data";
          index++;
        }
      }
      return events;
    }
    function resolveToLabelEnd(events, context) {
      var index = events.length;
      var offset = 0;
      var group;
      var label;
      var text;
      var token;
      var open;
      var close;
      var media;
      while (index--) {
        token = events[index][1];
        if (open) {
          if (token.type === "link" || token.type === "labelLink" && token._inactive) {
            break;
          }
          if (events[index][0] === "enter" && token.type === "labelLink") {
            token._inactive = true;
          }
        } else if (close) {
          if (events[index][0] === "enter" && (token.type === "labelImage" || token.type === "labelLink") && !token._balanced) {
            open = index;
            if (token.type !== "labelLink") {
              offset = 2;
              break;
            }
          }
        } else if (token.type === "labelEnd") {
          close = index;
        }
      }
      group = {
        type: events[open][1].type === "labelLink" ? "link" : "image",
        start: shallow(events[open][1].start),
        end: shallow(events[events.length - 1][1].end)
      };
      label = {
        type: "label",
        start: shallow(events[open][1].start),
        end: shallow(events[close][1].end)
      };
      text = {
        type: "labelText",
        start: shallow(events[open + offset + 2][1].end),
        end: shallow(events[close - 2][1].start)
      };
      media = [
        ["enter", group, context],
        ["enter", label, context]
      ];
      media = chunkedPush(media, events.slice(open + 1, open + offset + 3));
      media = chunkedPush(media, [["enter", text, context]]);
      media = chunkedPush(
        media,
        resolveAll(
          context.parser.constructs.insideSpan.null,
          events.slice(open + offset + 4, close - 3),
          context
        )
      );
      media = chunkedPush(media, [
        ["exit", text, context],
        events[close - 2],
        events[close - 1],
        ["exit", label, context]
      ]);
      media = chunkedPush(media, events.slice(close + 1));
      media = chunkedPush(media, [["exit", group, context]]);
      chunkedSplice(events, open, events.length, media);
      return events;
    }
    function tokenizeLabelEnd(effects, ok, nok) {
      var self2 = this;
      var index = self2.events.length;
      var labelStart;
      var defined;
      while (index--) {
        if ((self2.events[index][1].type === "labelImage" || self2.events[index][1].type === "labelLink") && !self2.events[index][1]._balanced) {
          labelStart = self2.events[index][1];
          break;
        }
      }
      return start;
      function start(code) {
        if (!labelStart) {
          return nok(code);
        }
        if (labelStart._inactive) return balanced(code);
        defined = self2.parser.defined.indexOf(
          normalizeIdentifier(
            self2.sliceSerialize({
              start: labelStart.end,
              end: self2.now()
            })
          )
        ) > -1;
        effects.enter("labelEnd");
        effects.enter("labelMarker");
        effects.consume(code);
        effects.exit("labelMarker");
        effects.exit("labelEnd");
        return afterLabelEnd;
      }
      function afterLabelEnd(code) {
        if (code === 40) {
          return effects.attempt(
            resourceConstruct,
            ok,
            defined ? ok : balanced
          )(code);
        }
        if (code === 91) {
          return effects.attempt(
            fullReferenceConstruct,
            ok,
            defined ? effects.attempt(collapsedReferenceConstruct, ok, balanced) : balanced
          )(code);
        }
        return defined ? ok(code) : balanced(code);
      }
      function balanced(code) {
        labelStart._balanced = true;
        return nok(code);
      }
    }
    function tokenizeResource(effects, ok, nok) {
      return start;
      function start(code) {
        effects.enter("resource");
        effects.enter("resourceMarker");
        effects.consume(code);
        effects.exit("resourceMarker");
        return factoryWhitespace(effects, open);
      }
      function open(code) {
        if (code === 41) {
          return end(code);
        }
        return factoryDestination(
          effects,
          destinationAfter,
          nok,
          "resourceDestination",
          "resourceDestinationLiteral",
          "resourceDestinationLiteralMarker",
          "resourceDestinationRaw",
          "resourceDestinationString",
          3
        )(code);
      }
      function destinationAfter(code) {
        return markdownLineEndingOrSpace(code) ? factoryWhitespace(effects, between)(code) : end(code);
      }
      function between(code) {
        if (code === 34 || code === 39 || code === 40) {
          return factoryTitle(
            effects,
            factoryWhitespace(effects, end),
            nok,
            "resourceTitle",
            "resourceTitleMarker",
            "resourceTitleString"
          )(code);
        }
        return end(code);
      }
      function end(code) {
        if (code === 41) {
          effects.enter("resourceMarker");
          effects.consume(code);
          effects.exit("resourceMarker");
          effects.exit("resource");
          return ok;
        }
        return nok(code);
      }
    }
    function tokenizeFullReference(effects, ok, nok) {
      var self2 = this;
      return start;
      function start(code) {
        return factoryLabel.call(
          self2,
          effects,
          afterLabel,
          nok,
          "reference",
          "referenceMarker",
          "referenceString"
        )(code);
      }
      function afterLabel(code) {
        return self2.parser.defined.indexOf(
          normalizeIdentifier(
            self2.sliceSerialize(self2.events[self2.events.length - 1][1]).slice(1, -1)
          )
        ) < 0 ? nok(code) : ok(code);
      }
    }
    function tokenizeCollapsedReference(effects, ok, nok) {
      return start;
      function start(code) {
        effects.enter("reference");
        effects.enter("referenceMarker");
        effects.consume(code);
        effects.exit("referenceMarker");
        return open;
      }
      function open(code) {
        if (code === 93) {
          effects.enter("referenceMarker");
          effects.consume(code);
          effects.exit("referenceMarker");
          effects.exit("reference");
          return ok;
        }
        return nok(code);
      }
    }
    module2.exports = labelEnd;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/label-start-image.js
var require_label_start_image = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/label-start-image.js"(exports2, module2) {
    "use strict";
    var labelEnd = require_label_end();
    var labelStartImage = {
      name: "labelStartImage",
      tokenize: tokenizeLabelStartImage,
      resolveAll: labelEnd.resolveAll
    };
    function tokenizeLabelStartImage(effects, ok, nok) {
      var self2 = this;
      return start;
      function start(code) {
        effects.enter("labelImage");
        effects.enter("labelImageMarker");
        effects.consume(code);
        effects.exit("labelImageMarker");
        return open;
      }
      function open(code) {
        if (code === 91) {
          effects.enter("labelMarker");
          effects.consume(code);
          effects.exit("labelMarker");
          effects.exit("labelImage");
          return after;
        }
        return nok(code);
      }
      function after(code) {
        return code === 94 && /* c8 ignore next */
        "_hiddenFootnoteSupport" in self2.parser.constructs ? (
          /* c8 ignore next */
          nok(code)
        ) : ok(code);
      }
    }
    module2.exports = labelStartImage;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/label-start-link.js
var require_label_start_link = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/label-start-link.js"(exports2, module2) {
    "use strict";
    var labelEnd = require_label_end();
    var labelStartLink = {
      name: "labelStartLink",
      tokenize: tokenizeLabelStartLink,
      resolveAll: labelEnd.resolveAll
    };
    function tokenizeLabelStartLink(effects, ok, nok) {
      var self2 = this;
      return start;
      function start(code) {
        effects.enter("labelLink");
        effects.enter("labelMarker");
        effects.consume(code);
        effects.exit("labelMarker");
        effects.exit("labelLink");
        return after;
      }
      function after(code) {
        return code === 94 && /* c8 ignore next */
        "_hiddenFootnoteSupport" in self2.parser.constructs ? (
          /* c8 ignore next */
          nok(code)
        ) : ok(code);
      }
    }
    module2.exports = labelStartLink;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/line-ending.js
var require_line_ending = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/line-ending.js"(exports2, module2) {
    "use strict";
    var factorySpace = require_factory_space();
    var lineEnding = {
      name: "lineEnding",
      tokenize: tokenizeLineEnding
    };
    function tokenizeLineEnding(effects, ok) {
      return start;
      function start(code) {
        effects.enter("lineEnding");
        effects.consume(code);
        effects.exit("lineEnding");
        return factorySpace(effects, ok, "linePrefix");
      }
    }
    module2.exports = lineEnding;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/thematic-break.js
var require_thematic_break = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/thematic-break.js"(exports2, module2) {
    "use strict";
    var markdownLineEnding = require_markdown_line_ending();
    var markdownSpace = require_markdown_space();
    var factorySpace = require_factory_space();
    var thematicBreak = {
      name: "thematicBreak",
      tokenize: tokenizeThematicBreak
    };
    function tokenizeThematicBreak(effects, ok, nok) {
      var size = 0;
      var marker;
      return start;
      function start(code) {
        effects.enter("thematicBreak");
        marker = code;
        return atBreak(code);
      }
      function atBreak(code) {
        if (code === marker) {
          effects.enter("thematicBreakSequence");
          return sequence(code);
        }
        if (markdownSpace(code)) {
          return factorySpace(effects, atBreak, "whitespace")(code);
        }
        if (size < 3 || code !== null && !markdownLineEnding(code)) {
          return nok(code);
        }
        effects.exit("thematicBreak");
        return ok(code);
      }
      function sequence(code) {
        if (code === marker) {
          effects.consume(code);
          size++;
          return sequence;
        }
        effects.exit("thematicBreakSequence");
        return atBreak(code);
      }
    }
    module2.exports = thematicBreak;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/list.js
var require_list = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/list.js"(exports2, module2) {
    "use strict";
    var asciiDigit = require_ascii_digit();
    var markdownSpace = require_markdown_space();
    var prefixSize = require_prefix_size();
    var sizeChunks = require_size_chunks();
    var factorySpace = require_factory_space();
    var partialBlankLine = require_partial_blank_line();
    var thematicBreak = require_thematic_break();
    var list = {
      name: "list",
      tokenize: tokenizeListStart,
      continuation: {
        tokenize: tokenizeListContinuation
      },
      exit: tokenizeListEnd
    };
    var listItemPrefixWhitespaceConstruct = {
      tokenize: tokenizeListItemPrefixWhitespace,
      partial: true
    };
    var indentConstruct = {
      tokenize: tokenizeIndent,
      partial: true
    };
    function tokenizeListStart(effects, ok, nok) {
      var self2 = this;
      var initialSize = prefixSize(self2.events, "linePrefix");
      var size = 0;
      return start;
      function start(code) {
        var kind = self2.containerState.type || (code === 42 || code === 43 || code === 45 ? "listUnordered" : "listOrdered");
        if (kind === "listUnordered" ? !self2.containerState.marker || code === self2.containerState.marker : asciiDigit(code)) {
          if (!self2.containerState.type) {
            self2.containerState.type = kind;
            effects.enter(kind, {
              _container: true
            });
          }
          if (kind === "listUnordered") {
            effects.enter("listItemPrefix");
            return code === 42 || code === 45 ? effects.check(thematicBreak, nok, atMarker)(code) : atMarker(code);
          }
          if (!self2.interrupt || code === 49) {
            effects.enter("listItemPrefix");
            effects.enter("listItemValue");
            return inside(code);
          }
        }
        return nok(code);
      }
      function inside(code) {
        if (asciiDigit(code) && ++size < 10) {
          effects.consume(code);
          return inside;
        }
        if ((!self2.interrupt || size < 2) && (self2.containerState.marker ? code === self2.containerState.marker : code === 41 || code === 46)) {
          effects.exit("listItemValue");
          return atMarker(code);
        }
        return nok(code);
      }
      function atMarker(code) {
        effects.enter("listItemMarker");
        effects.consume(code);
        effects.exit("listItemMarker");
        self2.containerState.marker = self2.containerState.marker || code;
        return effects.check(
          partialBlankLine,
          // Can’t be empty when interrupting.
          self2.interrupt ? nok : onBlank,
          effects.attempt(
            listItemPrefixWhitespaceConstruct,
            endOfPrefix,
            otherPrefix
          )
        );
      }
      function onBlank(code) {
        self2.containerState.initialBlankLine = true;
        initialSize++;
        return endOfPrefix(code);
      }
      function otherPrefix(code) {
        if (markdownSpace(code)) {
          effects.enter("listItemPrefixWhitespace");
          effects.consume(code);
          effects.exit("listItemPrefixWhitespace");
          return endOfPrefix;
        }
        return nok(code);
      }
      function endOfPrefix(code) {
        self2.containerState.size = initialSize + sizeChunks(self2.sliceStream(effects.exit("listItemPrefix")));
        return ok(code);
      }
    }
    function tokenizeListContinuation(effects, ok, nok) {
      var self2 = this;
      self2.containerState._closeFlow = void 0;
      return effects.check(partialBlankLine, onBlank, notBlank);
      function onBlank(code) {
        self2.containerState.furtherBlankLines = self2.containerState.furtherBlankLines || self2.containerState.initialBlankLine;
        return factorySpace(
          effects,
          ok,
          "listItemIndent",
          self2.containerState.size + 1
        )(code);
      }
      function notBlank(code) {
        if (self2.containerState.furtherBlankLines || !markdownSpace(code)) {
          self2.containerState.furtherBlankLines = self2.containerState.initialBlankLine = void 0;
          return notInCurrentItem(code);
        }
        self2.containerState.furtherBlankLines = self2.containerState.initialBlankLine = void 0;
        return effects.attempt(indentConstruct, ok, notInCurrentItem)(code);
      }
      function notInCurrentItem(code) {
        self2.containerState._closeFlow = true;
        self2.interrupt = void 0;
        return factorySpace(
          effects,
          effects.attempt(list, ok, nok),
          "linePrefix",
          self2.parser.constructs.disable.null.indexOf("codeIndented") > -1 ? void 0 : 4
        )(code);
      }
    }
    function tokenizeIndent(effects, ok, nok) {
      var self2 = this;
      return factorySpace(
        effects,
        afterPrefix,
        "listItemIndent",
        self2.containerState.size + 1
      );
      function afterPrefix(code) {
        return prefixSize(self2.events, "listItemIndent") === self2.containerState.size ? ok(code) : nok(code);
      }
    }
    function tokenizeListEnd(effects) {
      effects.exit(this.containerState.type);
    }
    function tokenizeListItemPrefixWhitespace(effects, ok, nok) {
      var self2 = this;
      return factorySpace(
        effects,
        afterPrefix,
        "listItemPrefixWhitespace",
        self2.parser.constructs.disable.null.indexOf("codeIndented") > -1 ? void 0 : 4 + 1
      );
      function afterPrefix(code) {
        return markdownSpace(code) || !prefixSize(self2.events, "listItemPrefixWhitespace") ? nok(code) : ok(code);
      }
    }
    module2.exports = list;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/setext-underline.js
var require_setext_underline = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/tokenize/setext-underline.js"(exports2, module2) {
    "use strict";
    var markdownLineEnding = require_markdown_line_ending();
    var shallow = require_shallow();
    var factorySpace = require_factory_space();
    var setextUnderline = {
      name: "setextUnderline",
      tokenize: tokenizeSetextUnderline,
      resolveTo: resolveToSetextUnderline
    };
    function resolveToSetextUnderline(events, context) {
      var index = events.length;
      var content;
      var text;
      var definition;
      var heading;
      while (index--) {
        if (events[index][0] === "enter") {
          if (events[index][1].type === "content") {
            content = index;
            break;
          }
          if (events[index][1].type === "paragraph") {
            text = index;
          }
        } else {
          if (events[index][1].type === "content") {
            events.splice(index, 1);
          }
          if (!definition && events[index][1].type === "definition") {
            definition = index;
          }
        }
      }
      heading = {
        type: "setextHeading",
        start: shallow(events[text][1].start),
        end: shallow(events[events.length - 1][1].end)
      };
      events[text][1].type = "setextHeadingText";
      if (definition) {
        events.splice(text, 0, ["enter", heading, context]);
        events.splice(definition + 1, 0, ["exit", events[content][1], context]);
        events[content][1].end = shallow(events[definition][1].end);
      } else {
        events[content][1] = heading;
      }
      events.push(["exit", heading, context]);
      return events;
    }
    function tokenizeSetextUnderline(effects, ok, nok) {
      var self2 = this;
      var index = self2.events.length;
      var marker;
      var paragraph;
      while (index--) {
        if (self2.events[index][1].type !== "lineEnding" && self2.events[index][1].type !== "linePrefix" && self2.events[index][1].type !== "content") {
          paragraph = self2.events[index][1].type === "paragraph";
          break;
        }
      }
      return start;
      function start(code) {
        if (!self2.lazy && (self2.interrupt || paragraph)) {
          effects.enter("setextHeadingLine");
          effects.enter("setextHeadingLineSequence");
          marker = code;
          return closingSequence(code);
        }
        return nok(code);
      }
      function closingSequence(code) {
        if (code === marker) {
          effects.consume(code);
          return closingSequence;
        }
        effects.exit("setextHeadingLineSequence");
        return factorySpace(effects, closingSequenceEnd, "lineSuffix")(code);
      }
      function closingSequenceEnd(code) {
        if (code === null || markdownLineEnding(code)) {
          effects.exit("setextHeadingLine");
          return ok(code);
        }
        return nok(code);
      }
    }
    module2.exports = setextUnderline;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/constructs.js
var require_constructs = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/constructs.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var text$1 = require_text();
    var attention = require_attention();
    var autolink = require_autolink();
    var blockQuote = require_block_quote();
    var characterEscape = require_character_escape();
    var characterReference = require_character_reference();
    var codeFenced = require_code_fenced();
    var codeIndented = require_code_indented();
    var codeText = require_code_text();
    var definition = require_definition2();
    var hardBreakEscape = require_hard_break_escape();
    var headingAtx = require_heading_atx();
    var htmlFlow = require_html_flow();
    var htmlText = require_html_text();
    var labelEnd = require_label_end();
    var labelStartImage = require_label_start_image();
    var labelStartLink = require_label_start_link();
    var lineEnding = require_line_ending();
    var list = require_list();
    var setextUnderline = require_setext_underline();
    var thematicBreak = require_thematic_break();
    var document2 = {
      42: list,
      // Asterisk
      43: list,
      // Plus sign
      45: list,
      // Dash
      48: list,
      // 0
      49: list,
      // 1
      50: list,
      // 2
      51: list,
      // 3
      52: list,
      // 4
      53: list,
      // 5
      54: list,
      // 6
      55: list,
      // 7
      56: list,
      // 8
      57: list,
      // 9
      62: blockQuote
      // Greater than
    };
    var contentInitial = {
      91: definition
      // Left square bracket
    };
    var flowInitial = {
      "-2": codeIndented,
      // Horizontal tab
      "-1": codeIndented,
      // Virtual space
      32: codeIndented
      // Space
    };
    var flow = {
      35: headingAtx,
      // Number sign
      42: thematicBreak,
      // Asterisk
      45: [setextUnderline, thematicBreak],
      // Dash
      60: htmlFlow,
      // Less than
      61: setextUnderline,
      // Equals to
      95: thematicBreak,
      // Underscore
      96: codeFenced,
      // Grave accent
      126: codeFenced
      // Tilde
    };
    var string = {
      38: characterReference,
      // Ampersand
      92: characterEscape
      // Backslash
    };
    var text = {
      "-5": lineEnding,
      // Carriage return
      "-4": lineEnding,
      // Line feed
      "-3": lineEnding,
      // Carriage return + line feed
      33: labelStartImage,
      // Exclamation mark
      38: characterReference,
      // Ampersand
      42: attention,
      // Asterisk
      60: [autolink, htmlText],
      // Less than
      91: labelStartLink,
      // Left square bracket
      92: [hardBreakEscape, characterEscape],
      // Backslash
      93: labelEnd,
      // Right square bracket
      95: attention,
      // Underscore
      96: codeText
      // Grave accent
    };
    var insideSpan = {
      null: [attention, text$1.resolver]
    };
    var disable = {
      null: []
    };
    exports2.contentInitial = contentInitial;
    exports2.disable = disable;
    exports2.document = document2;
    exports2.flow = flow;
    exports2.flowInitial = flowInitial;
    exports2.insideSpan = insideSpan;
    exports2.string = string;
    exports2.text = text;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/parse.js
var require_parse5 = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/parse.js"(exports2, module2) {
    "use strict";
    var content = require_content();
    var document2 = require_document();
    var flow = require_flow();
    var text = require_text();
    var combineExtensions = require_combine_extensions();
    var createTokenizer = require_create_tokenizer();
    var miniflat = require_miniflat();
    var constructs = require_constructs();
    function parse2(options) {
      var settings = options || {};
      var parser = {
        defined: [],
        constructs: combineExtensions(
          [constructs].concat(miniflat(settings.extensions))
        ),
        content: create119(content),
        document: create119(document2),
        flow: create119(flow),
        string: create119(text.string),
        text: create119(text.text)
      };
      return parser;
      function create119(initializer) {
        return creator;
        function creator(from) {
          return createTokenizer(parser, initializer, from);
        }
      }
    }
    module2.exports = parse2;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/preprocess.js
var require_preprocess = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/preprocess.js"(exports2, module2) {
    "use strict";
    var search = /[\0\t\n\r]/g;
    function preprocess() {
      var start = true;
      var column = 1;
      var buffer = "";
      var atCarriageReturn;
      return preprocessor;
      function preprocessor(value, encoding, end) {
        var chunks = [];
        var match;
        var next;
        var startPosition;
        var endPosition;
        var code;
        value = buffer + value.toString(encoding);
        startPosition = 0;
        buffer = "";
        if (start) {
          if (value.charCodeAt(0) === 65279) {
            startPosition++;
          }
          start = void 0;
        }
        while (startPosition < value.length) {
          search.lastIndex = startPosition;
          match = search.exec(value);
          endPosition = match ? match.index : value.length;
          code = value.charCodeAt(endPosition);
          if (!match) {
            buffer = value.slice(startPosition);
            break;
          }
          if (code === 10 && startPosition === endPosition && atCarriageReturn) {
            chunks.push(-3);
            atCarriageReturn = void 0;
          } else {
            if (atCarriageReturn) {
              chunks.push(-5);
              atCarriageReturn = void 0;
            }
            if (startPosition < endPosition) {
              chunks.push(value.slice(startPosition, endPosition));
              column += endPosition - startPosition;
            }
            if (code === 0) {
              chunks.push(65533);
              column++;
            } else if (code === 9) {
              next = Math.ceil(column / 4) * 4;
              chunks.push(-2);
              while (column++ < next) chunks.push(-1);
            } else if (code === 10) {
              chunks.push(-4);
              column = 1;
            } else {
              atCarriageReturn = true;
              column = 1;
            }
          }
          startPosition = endPosition + 1;
        }
        if (end) {
          if (atCarriageReturn) chunks.push(-5);
          if (buffer) chunks.push(buffer);
          chunks.push(null);
        }
        return chunks;
      }
    }
    module2.exports = preprocess;
  }
});

// node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/postprocess.js
var require_postprocess = __commonJS({
  "node_modules/.pnpm/micromark@2.11.4/node_modules/micromark/dist/postprocess.js"(exports2, module2) {
    "use strict";
    var subtokenize = require_subtokenize();
    function postprocess(events) {
      while (!subtokenize(events)) {
      }
      return events;
    }
    module2.exports = postprocess;
  }
});

// node_modules/.pnpm/unist-util-stringify-position@2.0.3/node_modules/unist-util-stringify-position/index.js
var require_unist_util_stringify_position = __commonJS({
  "node_modules/.pnpm/unist-util-stringify-position@2.0.3/node_modules/unist-util-stringify-position/index.js"(exports2, module2) {
    "use strict";
    var own = {}.hasOwnProperty;
    module2.exports = stringify;
    function stringify(value) {
      if (!value || typeof value !== "object") {
        return "";
      }
      if (own.call(value, "position") || own.call(value, "type")) {
        return position(value.position);
      }
      if (own.call(value, "start") || own.call(value, "end")) {
        return position(value);
      }
      if (own.call(value, "line") || own.call(value, "column")) {
        return point(value);
      }
      return "";
    }
    function point(point2) {
      if (!point2 || typeof point2 !== "object") {
        point2 = {};
      }
      return index(point2.line) + ":" + index(point2.column);
    }
    function position(pos) {
      if (!pos || typeof pos !== "object") {
        pos = {};
      }
      return point(pos.start) + "-" + point(pos.end);
    }
    function index(value) {
      return value && typeof value === "number" ? value : 1;
    }
  }
});

// node_modules/.pnpm/mdast-util-from-markdown@0.8.5/node_modules/mdast-util-from-markdown/dist/index.js
var require_dist13 = __commonJS({
  "node_modules/.pnpm/mdast-util-from-markdown@0.8.5/node_modules/mdast-util-from-markdown/dist/index.js"(exports2, module2) {
    "use strict";
    module2.exports = fromMarkdown;
    var toString2 = require_mdast_util_to_string();
    var assign = require_assign();
    var own = require_has_own_property();
    var normalizeIdentifier = require_normalize_identifier();
    var safeFromInt = require_safe_from_int();
    var parser = require_parse5();
    var preprocessor = require_preprocess();
    var postprocess = require_postprocess();
    var decode = require_decode_entity();
    var stringifyPosition = require_unist_util_stringify_position();
    function fromMarkdown(value, encoding, options) {
      if (typeof encoding !== "string") {
        options = encoding;
        encoding = void 0;
      }
      return compiler(options)(
        postprocess(
          parser(options).document().write(preprocessor()(value, encoding, true))
        )
      );
    }
    function compiler(options) {
      var settings = options || {};
      var config7 = configure(
        {
          transforms: [],
          canContainEols: [
            "emphasis",
            "fragment",
            "heading",
            "paragraph",
            "strong"
          ],
          enter: {
            autolink: opener(link),
            autolinkProtocol: onenterdata,
            autolinkEmail: onenterdata,
            atxHeading: opener(heading),
            blockQuote: opener(blockQuote),
            characterEscape: onenterdata,
            characterReference: onenterdata,
            codeFenced: opener(codeFlow),
            codeFencedFenceInfo: buffer,
            codeFencedFenceMeta: buffer,
            codeIndented: opener(codeFlow, buffer),
            codeText: opener(codeText, buffer),
            codeTextData: onenterdata,
            data: onenterdata,
            codeFlowValue: onenterdata,
            definition: opener(definition),
            definitionDestinationString: buffer,
            definitionLabelString: buffer,
            definitionTitleString: buffer,
            emphasis: opener(emphasis),
            hardBreakEscape: opener(hardBreak),
            hardBreakTrailing: opener(hardBreak),
            htmlFlow: opener(html, buffer),
            htmlFlowData: onenterdata,
            htmlText: opener(html, buffer),
            htmlTextData: onenterdata,
            image: opener(image),
            label: buffer,
            link: opener(link),
            listItem: opener(listItem),
            listItemValue: onenterlistitemvalue,
            listOrdered: opener(list, onenterlistordered),
            listUnordered: opener(list),
            paragraph: opener(paragraph),
            reference: onenterreference,
            referenceString: buffer,
            resourceDestinationString: buffer,
            resourceTitleString: buffer,
            setextHeading: opener(heading),
            strong: opener(strong),
            thematicBreak: opener(thematicBreak)
          },
          exit: {
            atxHeading: closer(),
            atxHeadingSequence: onexitatxheadingsequence,
            autolink: closer(),
            autolinkEmail: onexitautolinkemail,
            autolinkProtocol: onexitautolinkprotocol,
            blockQuote: closer(),
            characterEscapeValue: onexitdata,
            characterReferenceMarkerHexadecimal: onexitcharacterreferencemarker,
            characterReferenceMarkerNumeric: onexitcharacterreferencemarker,
            characterReferenceValue: onexitcharacterreferencevalue,
            codeFenced: closer(onexitcodefenced),
            codeFencedFence: onexitcodefencedfence,
            codeFencedFenceInfo: onexitcodefencedfenceinfo,
            codeFencedFenceMeta: onexitcodefencedfencemeta,
            codeFlowValue: onexitdata,
            codeIndented: closer(onexitcodeindented),
            codeText: closer(onexitcodetext),
            codeTextData: onexitdata,
            data: onexitdata,
            definition: closer(),
            definitionDestinationString: onexitdefinitiondestinationstring,
            definitionLabelString: onexitdefinitionlabelstring,
            definitionTitleString: onexitdefinitiontitlestring,
            emphasis: closer(),
            hardBreakEscape: closer(onexithardbreak),
            hardBreakTrailing: closer(onexithardbreak),
            htmlFlow: closer(onexithtmlflow),
            htmlFlowData: onexitdata,
            htmlText: closer(onexithtmltext),
            htmlTextData: onexitdata,
            image: closer(onexitimage),
            label: onexitlabel,
            labelText: onexitlabeltext,
            lineEnding: onexitlineending,
            link: closer(onexitlink),
            listItem: closer(),
            listOrdered: closer(),
            listUnordered: closer(),
            paragraph: closer(),
            referenceString: onexitreferencestring,
            resourceDestinationString: onexitresourcedestinationstring,
            resourceTitleString: onexitresourcetitlestring,
            resource: onexitresource,
            setextHeading: closer(onexitsetextheading),
            setextHeadingLineSequence: onexitsetextheadinglinesequence,
            setextHeadingText: onexitsetextheadingtext,
            strong: closer(),
            thematicBreak: closer()
          }
        },
        settings.mdastExtensions || []
      );
      var data = {};
      return compile;
      function compile(events) {
        var tree = { type: "root", children: [] };
        var stack = [tree];
        var tokenStack = [];
        var listStack = [];
        var index = -1;
        var handler;
        var listStart;
        var context = {
          stack,
          tokenStack,
          config: config7,
          enter,
          exit,
          buffer,
          resume,
          setData,
          getData
        };
        while (++index < events.length) {
          if (events[index][1].type === "listOrdered" || events[index][1].type === "listUnordered") {
            if (events[index][0] === "enter") {
              listStack.push(index);
            } else {
              listStart = listStack.pop(index);
              index = prepareList(events, listStart, index);
            }
          }
        }
        index = -1;
        while (++index < events.length) {
          handler = config7[events[index][0]];
          if (own.call(handler, events[index][1].type)) {
            handler[events[index][1].type].call(
              assign({ sliceSerialize: events[index][2].sliceSerialize }, context),
              events[index][1]
            );
          }
        }
        if (tokenStack.length) {
          throw new Error(
            "Cannot close document, a token (`" + tokenStack[tokenStack.length - 1].type + "`, " + stringifyPosition({
              start: tokenStack[tokenStack.length - 1].start,
              end: tokenStack[tokenStack.length - 1].end
            }) + ") is still open"
          );
        }
        tree.position = {
          start: point(
            events.length ? events[0][1].start : { line: 1, column: 1, offset: 0 }
          ),
          end: point(
            events.length ? events[events.length - 2][1].end : { line: 1, column: 1, offset: 0 }
          )
        };
        index = -1;
        while (++index < config7.transforms.length) {
          tree = config7.transforms[index](tree) || tree;
        }
        return tree;
      }
      function prepareList(events, start, length) {
        var index = start - 1;
        var containerBalance = -1;
        var listSpread = false;
        var listItem2;
        var tailIndex;
        var lineIndex;
        var tailEvent;
        var event;
        var firstBlankLineIndex;
        var atMarker;
        while (++index <= length) {
          event = events[index];
          if (event[1].type === "listUnordered" || event[1].type === "listOrdered" || event[1].type === "blockQuote") {
            if (event[0] === "enter") {
              containerBalance++;
            } else {
              containerBalance--;
            }
            atMarker = void 0;
          } else if (event[1].type === "lineEndingBlank") {
            if (event[0] === "enter") {
              if (listItem2 && !atMarker && !containerBalance && !firstBlankLineIndex) {
                firstBlankLineIndex = index;
              }
              atMarker = void 0;
            }
          } else if (event[1].type === "linePrefix" || event[1].type === "listItemValue" || event[1].type === "listItemMarker" || event[1].type === "listItemPrefix" || event[1].type === "listItemPrefixWhitespace") {
          } else {
            atMarker = void 0;
          }
          if (!containerBalance && event[0] === "enter" && event[1].type === "listItemPrefix" || containerBalance === -1 && event[0] === "exit" && (event[1].type === "listUnordered" || event[1].type === "listOrdered")) {
            if (listItem2) {
              tailIndex = index;
              lineIndex = void 0;
              while (tailIndex--) {
                tailEvent = events[tailIndex];
                if (tailEvent[1].type === "lineEnding" || tailEvent[1].type === "lineEndingBlank") {
                  if (tailEvent[0] === "exit") continue;
                  if (lineIndex) {
                    events[lineIndex][1].type = "lineEndingBlank";
                    listSpread = true;
                  }
                  tailEvent[1].type = "lineEnding";
                  lineIndex = tailIndex;
                } else if (tailEvent[1].type === "linePrefix" || tailEvent[1].type === "blockQuotePrefix" || tailEvent[1].type === "blockQuotePrefixWhitespace" || tailEvent[1].type === "blockQuoteMarker" || tailEvent[1].type === "listItemIndent") {
                } else {
                  break;
                }
              }
              if (firstBlankLineIndex && (!lineIndex || firstBlankLineIndex < lineIndex)) {
                listItem2._spread = true;
              }
              listItem2.end = point(
                lineIndex ? events[lineIndex][1].start : event[1].end
              );
              events.splice(lineIndex || index, 0, ["exit", listItem2, event[2]]);
              index++;
              length++;
            }
            if (event[1].type === "listItemPrefix") {
              listItem2 = {
                type: "listItem",
                _spread: false,
                start: point(event[1].start)
              };
              events.splice(index, 0, ["enter", listItem2, event[2]]);
              index++;
              length++;
              firstBlankLineIndex = void 0;
              atMarker = true;
            }
          }
        }
        events[start][1]._spread = listSpread;
        return length;
      }
      function setData(key, value) {
        data[key] = value;
      }
      function getData(key) {
        return data[key];
      }
      function point(d) {
        return { line: d.line, column: d.column, offset: d.offset };
      }
      function opener(create119, and) {
        return open;
        function open(token) {
          enter.call(this, create119(token), token);
          if (and) and.call(this, token);
        }
      }
      function buffer() {
        this.stack.push({ type: "fragment", children: [] });
      }
      function enter(node, token) {
        this.stack[this.stack.length - 1].children.push(node);
        this.stack.push(node);
        this.tokenStack.push(token);
        node.position = { start: point(token.start) };
        return node;
      }
      function closer(and) {
        return close;
        function close(token) {
          if (and) and.call(this, token);
          exit.call(this, token);
        }
      }
      function exit(token) {
        var node = this.stack.pop();
        var open = this.tokenStack.pop();
        if (!open) {
          throw new Error(
            "Cannot close `" + token.type + "` (" + stringifyPosition({ start: token.start, end: token.end }) + "): it\u2019s not open"
          );
        } else if (open.type !== token.type) {
          throw new Error(
            "Cannot close `" + token.type + "` (" + stringifyPosition({ start: token.start, end: token.end }) + "): a different token (`" + open.type + "`, " + stringifyPosition({ start: open.start, end: open.end }) + ") is open"
          );
        }
        node.position.end = point(token.end);
        return node;
      }
      function resume() {
        return toString2(this.stack.pop());
      }
      function onenterlistordered() {
        setData("expectingFirstListItemValue", true);
      }
      function onenterlistitemvalue(token) {
        if (getData("expectingFirstListItemValue")) {
          this.stack[this.stack.length - 2].start = parseInt(
            this.sliceSerialize(token),
            10
          );
          setData("expectingFirstListItemValue");
        }
      }
      function onexitcodefencedfenceinfo() {
        var data2 = this.resume();
        this.stack[this.stack.length - 1].lang = data2;
      }
      function onexitcodefencedfencemeta() {
        var data2 = this.resume();
        this.stack[this.stack.length - 1].meta = data2;
      }
      function onexitcodefencedfence() {
        if (getData("flowCodeInside")) return;
        this.buffer();
        setData("flowCodeInside", true);
      }
      function onexitcodefenced() {
        var data2 = this.resume();
        this.stack[this.stack.length - 1].value = data2.replace(
          /^(\r?\n|\r)|(\r?\n|\r)$/g,
          ""
        );
        setData("flowCodeInside");
      }
      function onexitcodeindented() {
        var data2 = this.resume();
        this.stack[this.stack.length - 1].value = data2;
      }
      function onexitdefinitionlabelstring(token) {
        var label = this.resume();
        this.stack[this.stack.length - 1].label = label;
        this.stack[this.stack.length - 1].identifier = normalizeIdentifier(
          this.sliceSerialize(token)
        ).toLowerCase();
      }
      function onexitdefinitiontitlestring() {
        var data2 = this.resume();
        this.stack[this.stack.length - 1].title = data2;
      }
      function onexitdefinitiondestinationstring() {
        var data2 = this.resume();
        this.stack[this.stack.length - 1].url = data2;
      }
      function onexitatxheadingsequence(token) {
        if (!this.stack[this.stack.length - 1].depth) {
          this.stack[this.stack.length - 1].depth = this.sliceSerialize(
            token
          ).length;
        }
      }
      function onexitsetextheadingtext() {
        setData("setextHeadingSlurpLineEnding", true);
      }
      function onexitsetextheadinglinesequence(token) {
        this.stack[this.stack.length - 1].depth = this.sliceSerialize(token).charCodeAt(0) === 61 ? 1 : 2;
      }
      function onexitsetextheading() {
        setData("setextHeadingSlurpLineEnding");
      }
      function onenterdata(token) {
        var siblings = this.stack[this.stack.length - 1].children;
        var tail = siblings[siblings.length - 1];
        if (!tail || tail.type !== "text") {
          tail = text();
          tail.position = { start: point(token.start) };
          this.stack[this.stack.length - 1].children.push(tail);
        }
        this.stack.push(tail);
      }
      function onexitdata(token) {
        var tail = this.stack.pop();
        tail.value += this.sliceSerialize(token);
        tail.position.end = point(token.end);
      }
      function onexitlineending(token) {
        var context = this.stack[this.stack.length - 1];
        if (getData("atHardBreak")) {
          context.children[context.children.length - 1].position.end = point(
            token.end
          );
          setData("atHardBreak");
          return;
        }
        if (!getData("setextHeadingSlurpLineEnding") && config7.canContainEols.indexOf(context.type) > -1) {
          onenterdata.call(this, token);
          onexitdata.call(this, token);
        }
      }
      function onexithardbreak() {
        setData("atHardBreak", true);
      }
      function onexithtmlflow() {
        var data2 = this.resume();
        this.stack[this.stack.length - 1].value = data2;
      }
      function onexithtmltext() {
        var data2 = this.resume();
        this.stack[this.stack.length - 1].value = data2;
      }
      function onexitcodetext() {
        var data2 = this.resume();
        this.stack[this.stack.length - 1].value = data2;
      }
      function onexitlink() {
        var context = this.stack[this.stack.length - 1];
        if (getData("inReference")) {
          context.type += "Reference";
          context.referenceType = getData("referenceType") || "shortcut";
          delete context.url;
          delete context.title;
        } else {
          delete context.identifier;
          delete context.label;
          delete context.referenceType;
        }
        setData("referenceType");
      }
      function onexitimage() {
        var context = this.stack[this.stack.length - 1];
        if (getData("inReference")) {
          context.type += "Reference";
          context.referenceType = getData("referenceType") || "shortcut";
          delete context.url;
          delete context.title;
        } else {
          delete context.identifier;
          delete context.label;
          delete context.referenceType;
        }
        setData("referenceType");
      }
      function onexitlabeltext(token) {
        this.stack[this.stack.length - 2].identifier = normalizeIdentifier(
          this.sliceSerialize(token)
        ).toLowerCase();
      }
      function onexitlabel() {
        var fragment = this.stack[this.stack.length - 1];
        var value = this.resume();
        this.stack[this.stack.length - 1].label = value;
        setData("inReference", true);
        if (this.stack[this.stack.length - 1].type === "link") {
          this.stack[this.stack.length - 1].children = fragment.children;
        } else {
          this.stack[this.stack.length - 1].alt = value;
        }
      }
      function onexitresourcedestinationstring() {
        var data2 = this.resume();
        this.stack[this.stack.length - 1].url = data2;
      }
      function onexitresourcetitlestring() {
        var data2 = this.resume();
        this.stack[this.stack.length - 1].title = data2;
      }
      function onexitresource() {
        setData("inReference");
      }
      function onenterreference() {
        setData("referenceType", "collapsed");
      }
      function onexitreferencestring(token) {
        var label = this.resume();
        this.stack[this.stack.length - 1].label = label;
        this.stack[this.stack.length - 1].identifier = normalizeIdentifier(
          this.sliceSerialize(token)
        ).toLowerCase();
        setData("referenceType", "full");
      }
      function onexitcharacterreferencemarker(token) {
        setData("characterReferenceType", token.type);
      }
      function onexitcharacterreferencevalue(token) {
        var data2 = this.sliceSerialize(token);
        var type = getData("characterReferenceType");
        var value;
        var tail;
        if (type) {
          value = safeFromInt(
            data2,
            type === "characterReferenceMarkerNumeric" ? 10 : 16
          );
          setData("characterReferenceType");
        } else {
          value = decode(data2);
        }
        tail = this.stack.pop();
        tail.value += value;
        tail.position.end = point(token.end);
      }
      function onexitautolinkprotocol(token) {
        onexitdata.call(this, token);
        this.stack[this.stack.length - 1].url = this.sliceSerialize(token);
      }
      function onexitautolinkemail(token) {
        onexitdata.call(this, token);
        this.stack[this.stack.length - 1].url = "mailto:" + this.sliceSerialize(token);
      }
      function blockQuote() {
        return { type: "blockquote", children: [] };
      }
      function codeFlow() {
        return { type: "code", lang: null, meta: null, value: "" };
      }
      function codeText() {
        return { type: "inlineCode", value: "" };
      }
      function definition() {
        return {
          type: "definition",
          identifier: "",
          label: null,
          title: null,
          url: ""
        };
      }
      function emphasis() {
        return { type: "emphasis", children: [] };
      }
      function heading() {
        return { type: "heading", depth: void 0, children: [] };
      }
      function hardBreak() {
        return { type: "break" };
      }
      function html() {
        return { type: "html", value: "" };
      }
      function image() {
        return { type: "image", title: null, url: "", alt: null };
      }
      function link() {
        return { type: "link", title: null, url: "", children: [] };
      }
      function list(token) {
        return {
          type: "list",
          ordered: token.type === "listOrdered",
          start: null,
          spread: token._spread,
          children: []
        };
      }
      function listItem(token) {
        return {
          type: "listItem",
          spread: token._spread,
          checked: null,
          children: []
        };
      }
      function paragraph() {
        return { type: "paragraph", children: [] };
      }
      function strong() {
        return { type: "strong", children: [] };
      }
      function text() {
        return { type: "text", value: "" };
      }
      function thematicBreak() {
        return { type: "thematicBreak" };
      }
    }
    function configure(config7, extensions) {
      var index = -1;
      while (++index < extensions.length) {
        extension(config7, extensions[index]);
      }
      return config7;
    }
    function extension(config7, extension2) {
      var key;
      var left;
      for (key in extension2) {
        left = own.call(config7, key) ? config7[key] : config7[key] = {};
        if (key === "canContainEols" || key === "transforms") {
          config7[key] = [].concat(left, extension2[key]);
        } else {
          Object.assign(left, extension2[key]);
        }
      }
    }
  }
});

// node_modules/.pnpm/mdast-util-from-markdown@0.8.5/node_modules/mdast-util-from-markdown/index.js
var require_mdast_util_from_markdown = __commonJS({
  "node_modules/.pnpm/mdast-util-from-markdown@0.8.5/node_modules/mdast-util-from-markdown/index.js"(exports2, module2) {
    "use strict";
    module2.exports = require_dist13();
  }
});

// node_modules/.pnpm/eslint-plugin-markdown@5.1.0_eslint@9.5.0/node_modules/eslint-plugin-markdown/package.json
var require_package14 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-markdown@5.1.0_eslint@9.5.0/node_modules/eslint-plugin-markdown/package.json"(exports2, module2) {
    module2.exports = {
      name: "eslint-plugin-markdown",
      version: "5.1.0",
      description: "An ESLint plugin to lint JavaScript in Markdown code fences.",
      license: "MIT",
      author: {
        name: "Brandon Mills",
        url: "https://github.com/btmills"
      },
      repository: "eslint/eslint-plugin-markdown",
      bugs: {
        url: "https://github.com/eslint/eslint-plugin-markdown/issues"
      },
      homepage: "https://github.com/eslint/eslint-plugin-markdown#readme",
      keywords: [
        "eslint",
        "eslintplugin",
        "markdown",
        "lint",
        "linter"
      ],
      scripts: {
        lint: "eslint .",
        prepare: "node ./npm-prepare.js",
        "release:generate:latest": "eslint-generate-release",
        "release:generate:alpha": "eslint-generate-prerelease alpha",
        "release:generate:beta": "eslint-generate-prerelease beta",
        "release:generate:rc": "eslint-generate-prerelease rc",
        "release:publish": "eslint-publish-release",
        test: "nyc _mocha -- -c tests/{examples,lib}/**/*.js --timeout 30000"
      },
      main: "index.js",
      files: [
        "index.js",
        "lib/index.js",
        "lib/processor.js"
      ],
      devDependencies: {
        "@eslint/js": "^9.4.0",
        chai: "^4.2.0",
        eslint: "^9.4.0",
        "eslint-config-eslint": "^11.0.0",
        "eslint-release": "^3.1.2",
        globals: "^15.1.0",
        mocha: "^6.2.2",
        nyc: "^14.1.1"
      },
      dependencies: {
        "mdast-util-from-markdown": "^0.8.5"
      },
      peerDependencies: {
        eslint: ">=8"
      },
      engines: {
        node: "^18.18.0 || ^20.9.0 || >=21.1.0"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-markdown@5.1.0_eslint@9.5.0/node_modules/eslint-plugin-markdown/lib/processor.js
var require_processor = __commonJS({
  "node_modules/.pnpm/eslint-plugin-markdown@5.1.0_eslint@9.5.0/node_modules/eslint-plugin-markdown/lib/processor.js"(exports2, module2) {
    "use strict";
    var parse2 = require_mdast_util_from_markdown();
    var pkg = require_package14();
    var UNSATISFIABLE_RULES = /* @__PURE__ */ new Set([
      "eol-last",
      // The Markdown parser strips trailing newlines in code fences
      "unicode-bom"
      // Code blocks will begin in the middle of Markdown files
    ]);
    var SUPPORTS_AUTOFIX = true;
    var blocksCache = /* @__PURE__ */ new Map();
    function traverse(node, callbacks) {
      if (callbacks[node.type]) {
        callbacks[node.type](node);
      } else {
        callbacks["*"]();
      }
      if (typeof node.children !== "undefined") {
        for (let i = 0; i < node.children.length; i++) {
          traverse(node.children[i], callbacks);
        }
      }
    }
    function getComment(html) {
      const commentStart = "";
      const regex = /^(eslint\b|global\s)/u;
      if (html.slice(0, commentStart.length) !== commentStart || html.slice(-commentEnd.length) !== commentEnd) {
        return "";
      }
      const comment = html.slice(commentStart.length, -commentEnd.length);
      if (!regex.test(comment.trim())) {
        return "";
      }
      return comment;
    }
    var leadingWhitespaceRegex = /^[>\s]*/u;
    function getBeginningOfLineOffset(node) {
      return node.position.start.offset - node.position.start.column + 1;
    }
    function getIndentText(text, node) {
      return leadingWhitespaceRegex.exec(
        text.slice(getBeginningOfLineOffset(node))
      )[0];
    }
    function getBlockRangeMap(text, node, comments) {
      const startOffset = getBeginningOfLineOffset(node);
      const code = text.slice(startOffset, node.position.end.offset);
      const lines = code.split("\n");
      const baseIndent = getIndentText(text, node).length;
      const commentLength = comments.reduce((len, comment) => len + comment.length + 1, 0);
      const rangeMap = [{
        indent: baseIndent,
        js: 0,
        md: 0
      }];
      let jsOffset = commentLength;
      let mdOffset = startOffset + lines[0].length + 1;
      for (let i = 0; i + 1 < lines.length; i++) {
        const line = lines[i + 1];
        const leadingWhitespaceLength = leadingWhitespaceRegex.exec(line)[0].length;
        const trimLength = Math.min(baseIndent, leadingWhitespaceLength);
        rangeMap.push({
          indent: trimLength,
          js: jsOffset,
          // Advance `trimLength` character from the beginning of the Markdown
          // line to the beginning of the equivalent JS line, then compute the
          // delta.
          md: mdOffset + trimLength - jsOffset
        });
        mdOffset += line.length + 1;
        jsOffset += line.length - trimLength + 1;
      }
      return rangeMap;
    }
    var languageToFileExtension = {
      javascript: "js",
      ecmascript: "js",
      typescript: "ts",
      markdown: "md"
    };
    function preprocess(text, filename) {
      const ast = parse2(text);
      const blocks = [];
      blocksCache.set(filename, blocks);
      let htmlComments = [];
      traverse(ast, {
        "*"() {
          htmlComments = [];
        },
        code(node) {
          if (node.lang) {
            const comments = [];
            for (const comment of htmlComments) {
              if (comment.trim() === "eslint-skip") {
                htmlComments = [];
                return;
              }
              comments.push(`/*${comment}*/`);
            }
            htmlComments = [];
            blocks.push({
              ...node,
              baseIndentText: getIndentText(text, node),
              comments,
              rangeMap: getBlockRangeMap(text, node, comments)
            });
          }
        },
        html(node) {
          const comment = getComment(node.value);
          if (comment) {
            htmlComments.push(comment);
          } else {
            htmlComments = [];
          }
        }
      });
      return blocks.map((block, index) => {
        const [language] = block.lang.trim().split(" ");
        const fileExtension = Object.hasOwn(languageToFileExtension, language) ? languageToFileExtension[language] : language;
        return {
          filename: `${index}.${fileExtension}`,
          text: [
            ...block.comments,
            block.value,
            ""
          ].join("\n")
        };
      });
    }
    function adjustBlock(block) {
      const leadingCommentLines = block.comments.reduce((count, comment) => count + comment.split("\n").length, 0);
      const blockStart = block.position.start.line;
      return function adjustMessage(message) {
        if (!Number.isInteger(message.line)) {
          return {
            ...message,
            line: blockStart,
            column: block.position.start.column
          };
        }
        const lineInCode = message.line - leadingCommentLines;
        if (lineInCode < 1 || lineInCode >= block.rangeMap.length) {
          return null;
        }
        const out = {
          line: lineInCode + blockStart,
          column: message.column + block.rangeMap[lineInCode].indent
        };
        if (Number.isInteger(message.endLine)) {
          out.endLine = message.endLine - leadingCommentLines + blockStart;
        }
        const adjustedFix = {};
        if (message.fix) {
          adjustedFix.fix = {
            range: message.fix.range.map((range) => {
              let i = 1;
              while (i < block.rangeMap.length && block.rangeMap[i].js <= range) {
                i++;
              }
              return range + block.rangeMap[i - 1].md;
            }),
            text: message.fix.text.replace(/\n/gu, `
${block.baseIndentText}`)
          };
        }
        return { ...message, ...out, ...adjustedFix };
      };
    }
    function excludeUnsatisfiableRules(message) {
      return message && !UNSATISFIABLE_RULES.has(message.ruleId);
    }
    function postprocess(messages116, filename) {
      const blocks = blocksCache.get(filename);
      blocksCache.delete(filename);
      return messages116.flatMap((group, i) => {
        const adjust = adjustBlock(blocks[i]);
        return group.map(adjust).filter(excludeUnsatisfiableRules);
      });
    }
    module2.exports = {
      meta: {
        name: `${pkg.name}/markdown`,
        version: pkg.version
      },
      preprocess,
      postprocess,
      supportsAutofix: SUPPORTS_AUTOFIX
    };
  }
});

// node_modules/.pnpm/eslint-plugin-markdown@5.1.0_eslint@9.5.0/node_modules/eslint-plugin-markdown/lib/index.js
var require_lib17 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-markdown@5.1.0_eslint@9.5.0/node_modules/eslint-plugin-markdown/lib/index.js"(exports2, module2) {
    "use strict";
    var processor = require_processor();
    var pkg = require_package14();
    var rulesConfig = {
      // The Markdown parser automatically trims trailing
      // newlines from code blocks.
      "eol-last": "off",
      // In code snippets and examples, these rules are often
      // counterproductive to clarity and brevity.
      "no-undef": "off",
      "no-unused-expressions": "off",
      "no-unused-vars": "off",
      "padded-blocks": "off",
      // Adding a "use strict" directive at the top of every
      // code block is tedious and distracting. The config
      // opts into strict mode parsing without the directive.
      strict: "off",
      // The processor will not receive a Unicode Byte Order
      // Mark from the Markdown parser.
      "unicode-bom": "off"
    };
    var plugin2 = {
      meta: {
        name: pkg.name,
        version: pkg.version
      },
      processors: {
        markdown: processor
      },
      configs: {
        "recommended-legacy": {
          plugins: ["markdown"],
          overrides: [
            {
              files: ["*.md"],
              processor: "markdown/markdown"
            },
            {
              files: ["**/*.md/**"],
              parserOptions: {
                ecmaFeatures: {
                  // Adding a "use strict" directive at the top of
                  // every code block is tedious and distracting, so
                  // opt into strict mode parsing without the
                  // directive.
                  impliedStrict: true
                }
              },
              rules: {
                ...rulesConfig
              }
            }
          ]
        }
      }
    };
    plugin2.configs.recommended = [
      {
        name: "markdown/recommended/plugin",
        plugins: {
          markdown: plugin2
        }
      },
      {
        name: "markdown/recommended/processor",
        files: ["**/*.md"],
        processor: "markdown/markdown"
      },
      {
        name: "markdown/recommended/code-blocks",
        files: ["**/*.md/**"],
        languageOptions: {
          parserOptions: {
            ecmaFeatures: {
              // Adding a "use strict" directive at the top of
              // every code block is tedious and distracting, so
              // opt into strict mode parsing without the
              // directive.
              impliedStrict: true
            }
          }
        },
        rules: {
          ...rulesConfig
        }
      }
    ];
    module2.exports = plugin2;
  }
});

// node_modules/.pnpm/eslint-plugin-markdown@5.1.0_eslint@9.5.0/node_modules/eslint-plugin-markdown/index.js
var require_eslint_plugin_markdown = __commonJS({
  "node_modules/.pnpm/eslint-plugin-markdown@5.1.0_eslint@9.5.0/node_modules/eslint-plugin-markdown/index.js"(exports2, module2) {
    "use strict";
    module2.exports = require_lib17();
  }
});

// node_modules/.pnpm/eslint-plugin-markdownlint@0.6.0_eslint@9.5.0/node_modules/eslint-plugin-markdownlint/parser.js
var require_parser5 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-markdownlint@0.6.0_eslint@9.5.0/node_modules/eslint-plugin-markdownlint/parser.js"(exports2) {
    "use strict";
    exports2.parseForESLint = function(code, options) {
      const lines = code.split(/\r\n?|\n/g);
      const linesCount = lines.length;
      const lastLineLength = lines[linesCount - 1].length;
      return {
        ast: {
          type: "Program",
          start: 0,
          end: 0,
          loc: {
            start: { line: 1, column: 0 },
            end: { line: linesCount, column: lastLineLength }
          },
          range: [0, linesCount],
          body: [],
          comments: [],
          tokens: [],
          code
        },
        scopeManager: null,
        visitorKeys: null
      };
    };
    exports2.meta = {
      name: "markdownlint-parser"
    };
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/configs/base.js
var require_base4 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/configs/base.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.base = void 0;
    exports2.base = {
      parser: "eslint-mdx",
      parserOptions: {
        sourceType: "module",
        ecmaVersion: "latest"
      },
      plugins: ["mdx"],
      processor: "mdx/remark",
      rules: {
        "mdx/remark": "warn",
        "no-unused-expressions": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/configs/code-blocks.js
var require_code_blocks = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/configs/code-blocks.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.codeBlocks = void 0;
    exports2.codeBlocks = {
      parserOptions: {
        ecmaFeatures: {
          impliedStrict: true
        }
      },
      rules: {
        "eol-last": "off",
        "no-undef": "off",
        "no-unused-expressions": "off",
        "no-unused-vars": "off",
        "padded-blocks": "off",
        strict: "off",
        "unicode-bom": "off"
      }
    };
  }
});

// node_modules/.pnpm/eslint-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-mdx/package.json
var require_package15 = __commonJS({
  "node_modules/.pnpm/eslint-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-mdx/package.json"(exports2, module2) {
    module2.exports = {
      name: "eslint-mdx",
      version: "3.1.5",
      description: "ESLint Parser for MDX",
      repository: "git+https://github.com/mdx-js/eslint-mdx.git",
      homepage: "https://github.com/mdx-js/eslint-mdx/blob/master/packages/eslint-mdx",
      author: "JounQin (https://www.1stG.me) ",
      funding: {
        type: "opencollective",
        url: "https://opencollective.com/unified"
      },
      license: "MIT",
      engines: {
        node: ">=18.0.0"
      },
      main: "lib/index.js",
      module: "lib/index.es2015.mjs",
      types: "lib",
      files: [
        "lib"
      ],
      keywords: [
        "eslint",
        "eslint-mdx",
        "eslint-parser",
        "eslint-parser-mdx",
        "mdx"
      ],
      peerDependencies: {
        eslint: ">=8.0.0"
      },
      dependencies: {
        acorn: "^8.11.3",
        "acorn-jsx": "^5.3.2",
        espree: "^9.6.1",
        "estree-util-visit": "^2.0.0",
        "remark-mdx": "^3.0.0",
        "remark-parse": "^11.0.0",
        "remark-stringify": "^11.0.0",
        synckit: "^0.9.0",
        tslib: "^2.6.2",
        unified: "^11.0.4",
        "unified-engine": "^11.2.0",
        "unist-util-visit": "^5.0.0",
        uvu: "^0.5.6",
        vfile: "^6.0.1"
      }
    };
  }
});

// node_modules/.pnpm/eslint-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-mdx/lib/meta.js
var require_meta3 = __commonJS({
  "node_modules/.pnpm/eslint-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-mdx/lib/meta.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.meta = void 0;
    var package_json_1 = require_package15();
    exports2.meta = { name: package_json_1.name, version: package_json_1.version };
  }
});

// node_modules/.pnpm/eslint-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-mdx/lib/types.js
var require_types2 = __commonJS({
  "node_modules/.pnpm/eslint-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-mdx/lib/types.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
  }
});

// node_modules/.pnpm/eslint-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-mdx/lib/index.js
var require_lib18 = __commonJS({
  "node_modules/.pnpm/eslint-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-mdx/lib/index.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tslib_1 = (init_tslib_es6(), __toCommonJS(tslib_es6_exports));
    tslib_1.__exportStar(require_helpers2(), exports2);
    tslib_1.__exportStar(require_meta3(), exports2);
    tslib_1.__exportStar(require_parser4(), exports2);
    tslib_1.__exportStar(require_sync7(), exports2);
    tslib_1.__exportStar(require_types2(), exports2);
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/configs/flat.js
var require_flat = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/configs/flat.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.flatCodeBlocks = exports2.flat = void 0;
    var tslib_1 = (init_tslib_es6(), __toCommonJS(tslib_es6_exports));
    var eslintMdx = tslib_1.__importStar(require_lib18());
    var mdx = tslib_1.__importStar(require_lib20());
    var code_blocks_1 = require_code_blocks();
    exports2.flat = {
      files: ["**/*.{md,mdx}"],
      languageOptions: {
        sourceType: "module",
        ecmaVersion: "latest",
        parser: eslintMdx,
        globals: {
          React: false
        }
      },
      plugins: {
        mdx
      },
      rules: {
        "mdx/remark": "warn",
        "no-unused-expressions": "error",
        "react/react-in-jsx-scope": 0
      }
    };
    var { parserOptions } = code_blocks_1.codeBlocks;
    var restConfig = tslib_1.__rest(code_blocks_1.codeBlocks, ["parserOptions"]);
    exports2.flatCodeBlocks = Object.assign({ files: ["**/*.{md,mdx}/*"], languageOptions: {
      parserOptions
    } }, restConfig);
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/configs/overrides.js
var require_overrides = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/configs/overrides.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.overrides = void 0;
    var eslint_mdx_1 = require_lib18();
    var base_1 = require_base4();
    var isReactPluginAvailable = false;
    try {
      require.resolve("./index-5ca2901a.js");
      isReactPluginAvailable = true;
    } catch (_a) {
    }
    exports2.overrides = Object.assign(Object.assign({}, base_1.base), { globals: {
      React: false
    }, plugins: (0, eslint_mdx_1.arrayify)(base_1.base.plugins, isReactPluginAvailable ? "react" : null), rules: {
      "react/jsx-no-undef": isReactPluginAvailable ? [
        2,
        {
          allowGlobals: true
        }
      ] : 0,
      "react/react-in-jsx-scope": 0
    } });
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/configs/recommended.js
var require_recommended4 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/configs/recommended.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.recommended = void 0;
    var tslib_1 = (init_tslib_es6(), __toCommonJS(tslib_es6_exports));
    var node_module_1 = require("node:module");
    var node_path_1 = tslib_1.__importDefault(require("node:path"));
    var base_1 = require_base4();
    var overrides = [
      Object.assign({ files: ["*.md", "*.mdx"], extends: "plugin:mdx/overrides" }, base_1.base),
      {
        files: "**/*.{md,mdx}/**",
        extends: "plugin:mdx/code-blocks"
      }
    ];
    exports2.recommended = {
      overrides
    };
    var getImportMetaUrl = () => {
      try {
        return new Function("return import.meta.url")();
      } catch (_a) {
        return node_path_1.default.resolve(process.cwd(), "__test__.js");
      }
    };
    var cjsRequire = typeof require === "undefined" ? (0, node_module_1.createRequire)(getImportMetaUrl()) : require;
    var addPrettierRules = () => {
      try {
        cjsRequire.resolve("prettier");
        const { meta } = cjsRequire("eslint-plugin-prettier");
        const version = (meta === null || meta === void 0 ? void 0 : meta.version) || "";
        const [major, minor, patch] = version.split(".");
        if (+major > 5 || +major === 5 && (+minor > 1 || +minor === 1 && Number.parseInt(patch) >= 2)) {
          return;
        }
        overrides.push({
          files: "*.md",
          rules: {
            "prettier/prettier": [
              "error",
              {
                parser: "markdown"
              }
            ]
          }
        }, {
          files: "*.mdx",
          rules: {
            "prettier/prettier": [
              "error",
              {
                parser: "mdx"
              }
            ]
          }
        });
      } catch (_a) {
      }
    };
    addPrettierRules();
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/configs/index.js
var require_configs = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/configs/index.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.configs = exports2.recommended = exports2.overrides = exports2.flatCodeBlocks = exports2.flat = exports2.codeBlocks = exports2.base = void 0;
    var base_1 = require_base4();
    Object.defineProperty(exports2, "base", { enumerable: true, get: function() {
      return base_1.base;
    } });
    var code_blocks_1 = require_code_blocks();
    Object.defineProperty(exports2, "codeBlocks", { enumerable: true, get: function() {
      return code_blocks_1.codeBlocks;
    } });
    var flat_1 = require_flat();
    Object.defineProperty(exports2, "flat", { enumerable: true, get: function() {
      return flat_1.flat;
    } });
    Object.defineProperty(exports2, "flatCodeBlocks", { enumerable: true, get: function() {
      return flat_1.flatCodeBlocks;
    } });
    var overrides_1 = require_overrides();
    Object.defineProperty(exports2, "overrides", { enumerable: true, get: function() {
      return overrides_1.overrides;
    } });
    var recommended_1 = require_recommended4();
    Object.defineProperty(exports2, "recommended", { enumerable: true, get: function() {
      return recommended_1.recommended;
    } });
    exports2.configs = {
      base: base_1.base,
      "code-blocks": code_blocks_1.codeBlocks,
      codeBlocks: code_blocks_1.codeBlocks,
      flat: flat_1.flat,
      flatCodeBlocks: flat_1.flatCodeBlocks,
      overrides: overrides_1.overrides,
      recommended: recommended_1.recommended
    };
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/helpers.js
var require_helpers3 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/helpers.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getGlobals = void 0;
    var getGlobals = (sources, initialGlobals = {}) => (Array.isArray(sources) ? sources : Object.keys(sources)).reduce((globals2, source) => Object.assign(globals2, {
      [source]: false
    }), initialGlobals);
    exports2.getGlobals = getGlobals;
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/package.json
var require_package16 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/package.json"(exports2, module2) {
    module2.exports = {
      name: "eslint-plugin-mdx",
      version: "3.1.5",
      description: "ESLint Plugin for MDX",
      repository: "git+https://github.com/mdx-js/eslint-mdx.git",
      homepage: "https://github.com/mdx-js/eslint-mdx/blob/master/packages/eslint-plugin-mdx",
      author: "JounQin (https://www.1stG.me) ",
      funding: {
        type: "opencollective",
        url: "https://opencollective.com/unified"
      },
      license: "MIT",
      engines: {
        node: ">=18.0.0"
      },
      main: "lib/index.js",
      module: "lib/index.es2015.mjs",
      types: "lib",
      files: [
        "lib",
        "typings.d.ts"
      ],
      keywords: [
        "eslint",
        "eslint-mdx",
        "eslint-plugin",
        "eslint-plugin-mdx",
        "mdx"
      ],
      peerDependencies: {
        eslint: ">=8.0.0"
      },
      dependencies: {
        "eslint-mdx": "^3.1.5",
        "eslint-plugin-markdown": "^3.0.1",
        "remark-mdx": "^3.0.0",
        "remark-parse": "^11.0.0",
        "remark-stringify": "^11.0.0",
        tslib: "^2.6.2",
        unified: "^11.0.4",
        vfile: "^6.0.1"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/meta.js
var require_meta4 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/meta.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.meta = void 0;
    var package_json_1 = require_package16();
    exports2.meta = { name: package_json_1.name, version: package_json_1.version };
  }
});

// node_modules/.pnpm/eslint-plugin-markdown@3.0.1_eslint@9.5.0/node_modules/eslint-plugin-markdown/lib/processor.js
var require_processor2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-markdown@3.0.1_eslint@9.5.0/node_modules/eslint-plugin-markdown/lib/processor.js"(exports2, module2) {
    "use strict";
    var parse2 = require_mdast_util_from_markdown();
    var UNSATISFIABLE_RULES = [
      "eol-last",
      // The Markdown parser strips trailing newlines in code fences
      "unicode-bom"
      // Code blocks will begin in the middle of Markdown files
    ];
    var SUPPORTS_AUTOFIX = true;
    var blocksCache = /* @__PURE__ */ new Map();
    function traverse(node, callbacks) {
      if (callbacks[node.type]) {
        callbacks[node.type](node);
      } else {
        callbacks["*"]();
      }
      if (typeof node.children !== "undefined") {
        for (let i = 0; i < node.children.length; i++) {
          traverse(node.children[i], callbacks);
        }
      }
    }
    function getComment(html) {
      const commentStart = "";
      const regex = /^(eslint\b|global\s)/u;
      if (html.slice(0, commentStart.length) !== commentStart || html.slice(-commentEnd.length) !== commentEnd) {
        return "";
      }
      const comment = html.slice(commentStart.length, -commentEnd.length);
      if (!regex.test(comment.trim())) {
        return "";
      }
      return comment;
    }
    var leadingWhitespaceRegex = /^[>\s]*/u;
    function getBeginningOfLineOffset(node) {
      return node.position.start.offset - node.position.start.column + 1;
    }
    function getIndentText(text, node) {
      return leadingWhitespaceRegex.exec(
        text.slice(getBeginningOfLineOffset(node))
      )[0];
    }
    function getBlockRangeMap(text, node, comments) {
      const startOffset = getBeginningOfLineOffset(node);
      const code = text.slice(startOffset, node.position.end.offset);
      const lines = code.split("\n");
      const baseIndent = getIndentText(text, node).length;
      const commentLength = comments.reduce((len, comment) => len + comment.length + 1, 0);
      const rangeMap = [{
        indent: baseIndent,
        js: 0,
        md: 0
      }];
      let jsOffset = commentLength;
      let mdOffset = startOffset + lines[0].length + 1;
      for (let i = 0; i + 1 < lines.length; i++) {
        const line = lines[i + 1];
        const leadingWhitespaceLength = leadingWhitespaceRegex.exec(line)[0].length;
        const trimLength = Math.min(baseIndent, leadingWhitespaceLength);
        rangeMap.push({
          indent: trimLength,
          js: jsOffset,
          // Advance `trimLength` character from the beginning of the Markdown
          // line to the beginning of the equivalent JS line, then compute the
          // delta.
          md: mdOffset + trimLength - jsOffset
        });
        mdOffset += line.length + 1;
        jsOffset += line.length - trimLength + 1;
      }
      return rangeMap;
    }
    function preprocess(text, filename) {
      const ast = parse2(text);
      const blocks = [];
      blocksCache.set(filename, blocks);
      let htmlComments = [];
      traverse(ast, {
        "*"() {
          htmlComments = [];
        },
        code(node) {
          if (node.lang) {
            const comments = [];
            for (const comment of htmlComments) {
              if (comment.trim() === "eslint-skip") {
                htmlComments = [];
                return;
              }
              comments.push(`/*${comment}*/`);
            }
            htmlComments = [];
            blocks.push({
              ...node,
              baseIndentText: getIndentText(text, node),
              comments,
              rangeMap: getBlockRangeMap(text, node, comments)
            });
          }
        },
        html(node) {
          const comment = getComment(node.value);
          if (comment) {
            htmlComments.push(comment);
          } else {
            htmlComments = [];
          }
        }
      });
      return blocks.map((block, index) => ({
        filename: `${index}.${block.lang.trim().split(" ")[0]}`,
        text: [
          ...block.comments,
          block.value,
          ""
        ].join("\n")
      }));
    }
    function adjustBlock(block) {
      const leadingCommentLines = block.comments.reduce((count, comment) => count + comment.split("\n").length, 0);
      const blockStart = block.position.start.line;
      return function adjustMessage(message) {
        if (!Number.isInteger(message.line)) {
          return {
            ...message,
            line: blockStart,
            column: block.position.start.column
          };
        }
        const lineInCode = message.line - leadingCommentLines;
        if (lineInCode < 1) {
          return null;
        }
        const out = {
          line: lineInCode + blockStart,
          column: message.column + block.rangeMap[lineInCode].indent
        };
        if (Number.isInteger(message.endLine)) {
          out.endLine = message.endLine - leadingCommentLines + blockStart;
        }
        const adjustedFix = {};
        if (message.fix) {
          adjustedFix.fix = {
            range: message.fix.range.map((range) => {
              let i = 1;
              while (i < block.rangeMap.length && block.rangeMap[i].js <= range) {
                i++;
              }
              return range + block.rangeMap[i - 1].md;
            }),
            text: message.fix.text.replace(/\n/gu, `
${block.baseIndentText}`)
          };
        }
        return { ...message, ...out, ...adjustedFix };
      };
    }
    function excludeUnsatisfiableRules(message) {
      return message && UNSATISFIABLE_RULES.indexOf(message.ruleId) < 0;
    }
    function postprocess(messages116, filename) {
      const blocks = blocksCache.get(filename);
      blocksCache.delete(filename);
      return [].concat(...messages116.map((group, i) => {
        const adjust = adjustBlock(blocks[i]);
        return group.map(adjust).filter(excludeUnsatisfiableRules);
      }));
    }
    module2.exports = {
      preprocess,
      postprocess,
      supportsAutofix: SUPPORTS_AUTOFIX
    };
  }
});

// node_modules/.pnpm/eslint-plugin-markdown@3.0.1_eslint@9.5.0/node_modules/eslint-plugin-markdown/lib/index.js
var require_lib19 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-markdown@3.0.1_eslint@9.5.0/node_modules/eslint-plugin-markdown/lib/index.js"(exports2, module2) {
    "use strict";
    var processor = require_processor2();
    module2.exports = {
      configs: {
        recommended: {
          plugins: ["markdown"],
          overrides: [
            {
              files: ["*.md"],
              processor: "markdown/markdown"
            },
            {
              files: ["**/*.md/**"],
              parserOptions: {
                ecmaFeatures: {
                  // Adding a "use strict" directive at the top of
                  // every code block is tedious and distracting, so
                  // opt into strict mode parsing without the
                  // directive.
                  impliedStrict: true
                }
              },
              rules: {
                // The Markdown parser automatically trims trailing
                // newlines from code blocks.
                "eol-last": "off",
                // In code snippets and examples, these rules are often
                // counterproductive to clarity and brevity.
                "no-undef": "off",
                "no-unused-expressions": "off",
                "no-unused-vars": "off",
                "padded-blocks": "off",
                // Adding a "use strict" directive at the top of every
                // code block is tedious and distracting. The config
                // opts into strict mode parsing without the directive.
                strict: "off",
                // The processor will not receive a Unicode Byte Order
                // Mark from the Markdown parser.
                "unicode-bom": "off"
              }
            }
          ]
        }
      },
      processors: {
        markdown: processor
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-markdown@3.0.1_eslint@9.5.0/node_modules/eslint-plugin-markdown/index.js
var require_eslint_plugin_markdown2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-markdown@3.0.1_eslint@9.5.0/node_modules/eslint-plugin-markdown/index.js"(exports2, module2) {
    "use strict";
    module2.exports = require_lib19();
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/processors/helpers.js
var require_helpers4 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/processors/helpers.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getShortLang = exports2.DEFAULT_LANGUAGE_MAPPER = void 0;
    var eslint_mdx_1 = require_lib18();
    exports2.DEFAULT_LANGUAGE_MAPPER = {
      javascript: "js",
      javascriptreact: "jsx",
      typescript: "ts",
      typescriptreact: "tsx",
      markdown: "md",
      mdown: "md",
      mkdn: "md"
    };
    function getShortLang(filename, languageMapper) {
      const language = (0, eslint_mdx_1.last)(filename.split("."));
      if (languageMapper === false) {
        return language;
      }
      languageMapper = Object.assign(Object.assign({}, exports2.DEFAULT_LANGUAGE_MAPPER), languageMapper);
      const lang = language.toLowerCase();
      return languageMapper[language] || languageMapper[lang] || lang;
    }
    exports2.getShortLang = getShortLang;
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/processors/options.js
var require_options = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/processors/options.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.processorOptions = void 0;
    exports2.processorOptions = {};
    var linterPath = Object.keys(require.cache).find((path17) => /([/\\])eslint\1lib(?:\1linter){2}\.js$/.test(path17));
    if (!linterPath) {
      throw new Error("Could not find ESLint Linter in require cache");
    }
    var ESLinter = require(linterPath).Linter;
    var { verify } = ESLinter.prototype;
    ESLinter.prototype.verify = function(code, config7, options) {
      const settings = config7 && (typeof config7.extractConfig === "function" ? config7.extractConfig(typeof options === "undefined" || typeof options === "string" ? options : options.filename) : config7).settings || {};
      exports2.processorOptions.lintCodeBlocks = settings["mdx/code-blocks"] === true;
      exports2.processorOptions.languageMapper = settings["mdx/language-mapper"];
      return verify.call(this, code, config7, options);
    };
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/processors/remark.js
var require_remark = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/processors/remark.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.remark = exports2.createRemarkProcessor = void 0;
    var eslint_plugin_markdown_1 = require_eslint_plugin_markdown2();
    var meta_1 = require_meta4();
    var helpers_1 = require_helpers4();
    var options_1 = require_options();
    var createRemarkProcessor = (processorOptions = options_1.processorOptions) => ({
      meta: {
        name: "mdx/remark",
        version: meta_1.meta.version
      },
      supportsAutofix: true,
      preprocess(text, filename) {
        if (!processorOptions.lintCodeBlocks) {
          return [text];
        }
        return [
          text,
          ...eslint_plugin_markdown_1.processors.markdown.preprocess(text, filename).map(({ text: text2, filename: filename2 }) => ({
            text: text2,
            filename: filename2.slice(0, filename2.lastIndexOf(".")) + "." + (0, helpers_1.getShortLang)(filename2, processorOptions.languageMapper)
          }))
        ];
      },
      postprocess([mdxMessages, ...markdownMessages], filename) {
        return [
          ...mdxMessages,
          ...eslint_plugin_markdown_1.processors.markdown.postprocess(markdownMessages, filename)
        ].sort((a, b) => a.line - b.line || a.column - b.column).map((lintMessage) => {
          const { message, ruleId: eslintRuleId, severity: eslintSeverity } = lintMessage;
          if (eslintRuleId !== "mdx/remark") {
            return lintMessage;
          }
          const { source, ruleId, reason, severity } = JSON.parse(message);
          return Object.assign(Object.assign({}, lintMessage), { ruleId: `${source}-${ruleId}`, message: reason, severity: Math.max(eslintSeverity, severity) });
        });
      }
    });
    exports2.createRemarkProcessor = createRemarkProcessor;
    exports2.remark = (0, exports2.createRemarkProcessor)();
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/processors/types.js
var require_types3 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/processors/types.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/processors/index.js
var require_processors = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/processors/index.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.processors = exports2.createRemarkProcessor = void 0;
    var tslib_1 = (init_tslib_es6(), __toCommonJS(tslib_es6_exports));
    var remark_1 = require_remark();
    tslib_1.__exportStar(require_helpers4(), exports2);
    tslib_1.__exportStar(require_options(), exports2);
    var remark_2 = require_remark();
    Object.defineProperty(exports2, "createRemarkProcessor", { enumerable: true, get: function() {
      return remark_2.createRemarkProcessor;
    } });
    tslib_1.__exportStar(require_types3(), exports2);
    exports2.processors = { remark: remark_1.remark };
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/rules/remark.js
var require_remark2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/rules/remark.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.remark = void 0;
    var tslib_1 = (init_tslib_es6(), __toCommonJS(tslib_es6_exports));
    var node_path_1 = tslib_1.__importDefault(require("node:path"));
    var eslint_mdx_1 = require_lib18();
    exports2.remark = {
      meta: {
        type: "layout",
        docs: {
          description: "Linter integration with remark plugins",
          category: "Stylistic Issues",
          recommended: true
        },
        fixable: "code"
      },
      create(context) {
        const filename = context.getFilename();
        const extname = node_path_1.default.extname(filename);
        const sourceCode = context.getSourceCode();
        const options = context.parserOptions;
        const isMdx = [
          ...eslint_mdx_1.DEFAULT_EXTENSIONS,
          ...options.extensions || []
        ].includes(extname);
        const isMarkdown = [
          ...eslint_mdx_1.MARKDOWN_EXTENSIONS,
          ...options.markdownExtensions || []
        ].includes(extname);
        return {
          Program(node) {
            if (!isMdx && !isMarkdown) {
              return;
            }
            const ignoreRemarkConfig = Boolean(options.ignoreRemarkConfig);
            const physicalFilename = (0, eslint_mdx_1.getPhysicalFilename)(filename);
            const sourceText = sourceCode.getText(node);
            const { messages: messages116, content: fixedText } = (0, eslint_mdx_1.performSyncWork)({
              fileOptions: {
                path: physicalFilename,
                value: sourceText,
                cwd: context.getCwd()
              },
              physicalFilename,
              isMdx,
              process: true,
              ignoreRemarkConfig
            });
            let fixed = 0;
            for (const { source, reason, ruleId, fatal, line, column, place } of messages116) {
              const severity = fatal ? 2 : fatal == null ? 0 : 1;
              if (!severity) {
                continue;
              }
              const message = {
                reason,
                source,
                ruleId,
                severity
              };
              const point = {
                line,
                column: column - 1
              };
              context.report({
                message: JSON.stringify(message),
                loc: place && "start" in place ? Object.assign(Object.assign({}, point), { start: Object.assign(Object.assign({}, place.start), { column: place.start.column - 1 }), end: Object.assign(Object.assign({}, place.end), { column: place.end.column - 1 }) }) : point,
                node,
                fix: fixedText === sourceText ? null : () => fixed++ ? null : {
                  range: [0, sourceText.length],
                  text: fixedText
                }
              });
            }
          }
        };
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/rules/types.js
var require_types4 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/rules/types.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/rules/index.js
var require_rules5 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/rules/index.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.rules = exports2.remark = void 0;
    var tslib_1 = (init_tslib_es6(), __toCommonJS(tslib_es6_exports));
    var remark_1 = require_remark2();
    Object.defineProperty(exports2, "remark", { enumerable: true, get: function() {
      return remark_1.remark;
    } });
    tslib_1.__exportStar(require_types4(), exports2);
    exports2.rules = { remark: remark_1.remark };
  }
});

// node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/index.js
var require_lib20 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-mdx@3.1.5_eslint@9.5.0/node_modules/eslint-plugin-mdx/lib/index.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tslib_1 = (init_tslib_es6(), __toCommonJS(tslib_es6_exports));
    tslib_1.__exportStar(require_configs(), exports2);
    tslib_1.__exportStar(require_helpers3(), exports2);
    tslib_1.__exportStar(require_meta4(), exports2);
    tslib_1.__exportStar(require_processors(), exports2);
    tslib_1.__exportStar(require_rules5(), exports2);
  }
});

// node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/visitor-keys.js
var require_visitor_keys3 = __commonJS({
  "node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/visitor-keys.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.KEYS = void 0;
    var eslint_visitor_keys_1 = require_eslint_visitor_keys();
    var yamlKeys = {
      Program: ["body"],
      YAMLDocument: ["directives", "content"],
      YAMLDirective: [],
      YAMLMapping: ["pairs"],
      YAMLPair: ["key", "value"],
      YAMLSequence: ["entries"],
      YAMLWithMeta: ["anchor", "tag", "value"],
      YAMLScalar: [],
      YAMLAlias: [],
      YAMLAnchor: [],
      YAMLTag: []
    };
    exports2.KEYS = (0, eslint_visitor_keys_1.unionWith)(yamlKeys);
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/identity.js
var require_identity = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/identity.js"(exports2) {
    "use strict";
    var ALIAS = Symbol.for("yaml.alias");
    var DOC = Symbol.for("yaml.document");
    var MAP = Symbol.for("yaml.map");
    var PAIR = Symbol.for("yaml.pair");
    var SCALAR = Symbol.for("yaml.scalar");
    var SEQ = Symbol.for("yaml.seq");
    var NODE_TYPE = Symbol.for("yaml.node.type");
    var isAlias = (node) => !!node && typeof node === "object" && node[NODE_TYPE] === ALIAS;
    var isDocument = (node) => !!node && typeof node === "object" && node[NODE_TYPE] === DOC;
    var isMap = (node) => !!node && typeof node === "object" && node[NODE_TYPE] === MAP;
    var isPair = (node) => !!node && typeof node === "object" && node[NODE_TYPE] === PAIR;
    var isScalar = (node) => !!node && typeof node === "object" && node[NODE_TYPE] === SCALAR;
    var isSeq = (node) => !!node && typeof node === "object" && node[NODE_TYPE] === SEQ;
    function isCollection(node) {
      if (node && typeof node === "object")
        switch (node[NODE_TYPE]) {
          case MAP:
          case SEQ:
            return true;
        }
      return false;
    }
    function isNode2(node) {
      if (node && typeof node === "object")
        switch (node[NODE_TYPE]) {
          case ALIAS:
          case MAP:
          case SCALAR:
          case SEQ:
            return true;
        }
      return false;
    }
    var hasAnchor = (node) => (isScalar(node) || isCollection(node)) && !!node.anchor;
    exports2.ALIAS = ALIAS;
    exports2.DOC = DOC;
    exports2.MAP = MAP;
    exports2.NODE_TYPE = NODE_TYPE;
    exports2.PAIR = PAIR;
    exports2.SCALAR = SCALAR;
    exports2.SEQ = SEQ;
    exports2.hasAnchor = hasAnchor;
    exports2.isAlias = isAlias;
    exports2.isCollection = isCollection;
    exports2.isDocument = isDocument;
    exports2.isMap = isMap;
    exports2.isNode = isNode2;
    exports2.isPair = isPair;
    exports2.isScalar = isScalar;
    exports2.isSeq = isSeq;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/visit.js
var require_visit = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/visit.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    var BREAK = Symbol("break visit");
    var SKIP = Symbol("skip children");
    var REMOVE = Symbol("remove node");
    function visit(node, visitor2) {
      const visitor_ = initVisitor(visitor2);
      if (identity2.isDocument(node)) {
        const cd = visit_(null, node.contents, visitor_, Object.freeze([node]));
        if (cd === REMOVE)
          node.contents = null;
      } else
        visit_(null, node, visitor_, Object.freeze([]));
    }
    visit.BREAK = BREAK;
    visit.SKIP = SKIP;
    visit.REMOVE = REMOVE;
    function visit_(key, node, visitor2, path17) {
      const ctrl = callVisitor(key, node, visitor2, path17);
      if (identity2.isNode(ctrl) || identity2.isPair(ctrl)) {
        replaceNode(key, path17, ctrl);
        return visit_(key, ctrl, visitor2, path17);
      }
      if (typeof ctrl !== "symbol") {
        if (identity2.isCollection(node)) {
          path17 = Object.freeze(path17.concat(node));
          for (let i = 0; i < node.items.length; ++i) {
            const ci2 = visit_(i, node.items[i], visitor2, path17);
            if (typeof ci2 === "number")
              i = ci2 - 1;
            else if (ci2 === BREAK)
              return BREAK;
            else if (ci2 === REMOVE) {
              node.items.splice(i, 1);
              i -= 1;
            }
          }
        } else if (identity2.isPair(node)) {
          path17 = Object.freeze(path17.concat(node));
          const ck = visit_("key", node.key, visitor2, path17);
          if (ck === BREAK)
            return BREAK;
          else if (ck === REMOVE)
            node.key = null;
          const cv = visit_("value", node.value, visitor2, path17);
          if (cv === BREAK)
            return BREAK;
          else if (cv === REMOVE)
            node.value = null;
        }
      }
      return ctrl;
    }
    async function visitAsync(node, visitor2) {
      const visitor_ = initVisitor(visitor2);
      if (identity2.isDocument(node)) {
        const cd = await visitAsync_(null, node.contents, visitor_, Object.freeze([node]));
        if (cd === REMOVE)
          node.contents = null;
      } else
        await visitAsync_(null, node, visitor_, Object.freeze([]));
    }
    visitAsync.BREAK = BREAK;
    visitAsync.SKIP = SKIP;
    visitAsync.REMOVE = REMOVE;
    async function visitAsync_(key, node, visitor2, path17) {
      const ctrl = await callVisitor(key, node, visitor2, path17);
      if (identity2.isNode(ctrl) || identity2.isPair(ctrl)) {
        replaceNode(key, path17, ctrl);
        return visitAsync_(key, ctrl, visitor2, path17);
      }
      if (typeof ctrl !== "symbol") {
        if (identity2.isCollection(node)) {
          path17 = Object.freeze(path17.concat(node));
          for (let i = 0; i < node.items.length; ++i) {
            const ci2 = await visitAsync_(i, node.items[i], visitor2, path17);
            if (typeof ci2 === "number")
              i = ci2 - 1;
            else if (ci2 === BREAK)
              return BREAK;
            else if (ci2 === REMOVE) {
              node.items.splice(i, 1);
              i -= 1;
            }
          }
        } else if (identity2.isPair(node)) {
          path17 = Object.freeze(path17.concat(node));
          const ck = await visitAsync_("key", node.key, visitor2, path17);
          if (ck === BREAK)
            return BREAK;
          else if (ck === REMOVE)
            node.key = null;
          const cv = await visitAsync_("value", node.value, visitor2, path17);
          if (cv === BREAK)
            return BREAK;
          else if (cv === REMOVE)
            node.value = null;
        }
      }
      return ctrl;
    }
    function initVisitor(visitor2) {
      if (typeof visitor2 === "object" && (visitor2.Collection || visitor2.Node || visitor2.Value)) {
        return Object.assign({
          Alias: visitor2.Node,
          Map: visitor2.Node,
          Scalar: visitor2.Node,
          Seq: visitor2.Node
        }, visitor2.Value && {
          Map: visitor2.Value,
          Scalar: visitor2.Value,
          Seq: visitor2.Value
        }, visitor2.Collection && {
          Map: visitor2.Collection,
          Seq: visitor2.Collection
        }, visitor2);
      }
      return visitor2;
    }
    function callVisitor(key, node, visitor2, path17) {
      if (typeof visitor2 === "function")
        return visitor2(key, node, path17);
      if (identity2.isMap(node))
        return visitor2.Map?.(key, node, path17);
      if (identity2.isSeq(node))
        return visitor2.Seq?.(key, node, path17);
      if (identity2.isPair(node))
        return visitor2.Pair?.(key, node, path17);
      if (identity2.isScalar(node))
        return visitor2.Scalar?.(key, node, path17);
      if (identity2.isAlias(node))
        return visitor2.Alias?.(key, node, path17);
      return void 0;
    }
    function replaceNode(key, path17, node) {
      const parent = path17[path17.length - 1];
      if (identity2.isCollection(parent)) {
        parent.items[key] = node;
      } else if (identity2.isPair(parent)) {
        if (key === "key")
          parent.key = node;
        else
          parent.value = node;
      } else if (identity2.isDocument(parent)) {
        parent.contents = node;
      } else {
        const pt = identity2.isAlias(parent) ? "alias" : "scalar";
        throw new Error(`Cannot replace node with ${pt} parent`);
      }
    }
    exports2.visit = visit;
    exports2.visitAsync = visitAsync;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/doc/directives.js
var require_directives = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/doc/directives.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    var visit = require_visit();
    var escapeChars = {
      "!": "%21",
      ",": "%2C",
      "[": "%5B",
      "]": "%5D",
      "{": "%7B",
      "}": "%7D"
    };
    var escapeTagName = (tn) => tn.replace(/[!,[\]{}]/g, (ch) => escapeChars[ch]);
    var Directives = class _Directives {
      constructor(yaml, tags) {
        this.docStart = null;
        this.docEnd = false;
        this.yaml = Object.assign({}, _Directives.defaultYaml, yaml);
        this.tags = Object.assign({}, _Directives.defaultTags, tags);
      }
      clone() {
        const copy = new _Directives(this.yaml, this.tags);
        copy.docStart = this.docStart;
        return copy;
      }
      /**
       * During parsing, get a Directives instance for the current document and
       * update the stream state according to the current version's spec.
       */
      atDocument() {
        const res = new _Directives(this.yaml, this.tags);
        switch (this.yaml.version) {
          case "1.1":
            this.atNextDocument = true;
            break;
          case "1.2":
            this.atNextDocument = false;
            this.yaml = {
              explicit: _Directives.defaultYaml.explicit,
              version: "1.2"
            };
            this.tags = Object.assign({}, _Directives.defaultTags);
            break;
        }
        return res;
      }
      /**
       * @param onError - May be called even if the action was successful
       * @returns `true` on success
       */
      add(line, onError) {
        if (this.atNextDocument) {
          this.yaml = { explicit: _Directives.defaultYaml.explicit, version: "1.1" };
          this.tags = Object.assign({}, _Directives.defaultTags);
          this.atNextDocument = false;
        }
        const parts = line.trim().split(/[ \t]+/);
        const name = parts.shift();
        switch (name) {
          case "%TAG": {
            if (parts.length !== 2) {
              onError(0, "%TAG directive should contain exactly two parts");
              if (parts.length < 2)
                return false;
            }
            const [handle, prefix] = parts;
            this.tags[handle] = prefix;
            return true;
          }
          case "%YAML": {
            this.yaml.explicit = true;
            if (parts.length !== 1) {
              onError(0, "%YAML directive should contain exactly one part");
              return false;
            }
            const [version] = parts;
            if (version === "1.1" || version === "1.2") {
              this.yaml.version = version;
              return true;
            } else {
              const isValid2 = /^\d+\.\d+$/.test(version);
              onError(6, `Unsupported YAML version ${version}`, isValid2);
              return false;
            }
          }
          default:
            onError(0, `Unknown directive ${name}`, true);
            return false;
        }
      }
      /**
       * Resolves a tag, matching handles to those defined in %TAG directives.
       *
       * @returns Resolved tag, which may also be the non-specific tag `'!'` or a
       *   `'!local'` tag, or `null` if unresolvable.
       */
      tagName(source, onError) {
        if (source === "!")
          return "!";
        if (source[0] !== "!") {
          onError(`Not a valid tag: ${source}`);
          return null;
        }
        if (source[1] === "<") {
          const verbatim = source.slice(2, -1);
          if (verbatim === "!" || verbatim === "!!") {
            onError(`Verbatim tags aren't resolved, so ${source} is invalid.`);
            return null;
          }
          if (source[source.length - 1] !== ">")
            onError("Verbatim tags must end with a >");
          return verbatim;
        }
        const [, handle, suffix] = source.match(/^(.*!)([^!]*)$/s);
        if (!suffix)
          onError(`The ${source} tag has no suffix`);
        const prefix = this.tags[handle];
        if (prefix) {
          try {
            return prefix + decodeURIComponent(suffix);
          } catch (error) {
            onError(String(error));
            return null;
          }
        }
        if (handle === "!")
          return source;
        onError(`Could not resolve tag: ${source}`);
        return null;
      }
      /**
       * Given a fully resolved tag, returns its printable string form,
       * taking into account current tag prefixes and defaults.
       */
      tagString(tag) {
        for (const [handle, prefix] of Object.entries(this.tags)) {
          if (tag.startsWith(prefix))
            return handle + escapeTagName(tag.substring(prefix.length));
        }
        return tag[0] === "!" ? tag : `!<${tag}>`;
      }
      toString(doc) {
        const lines = this.yaml.explicit ? [`%YAML ${this.yaml.version || "1.2"}`] : [];
        const tagEntries = Object.entries(this.tags);
        let tagNames;
        if (doc && tagEntries.length > 0 && identity2.isNode(doc.contents)) {
          const tags = {};
          visit.visit(doc.contents, (_key, node) => {
            if (identity2.isNode(node) && node.tag)
              tags[node.tag] = true;
          });
          tagNames = Object.keys(tags);
        } else
          tagNames = [];
        for (const [handle, prefix] of tagEntries) {
          if (handle === "!!" && prefix === "tag:yaml.org,2002:")
            continue;
          if (!doc || tagNames.some((tn) => tn.startsWith(prefix)))
            lines.push(`%TAG ${handle} ${prefix}`);
        }
        return lines.join("\n");
      }
    };
    Directives.defaultYaml = { explicit: false, version: "1.2" };
    Directives.defaultTags = { "!!": "tag:yaml.org,2002:" };
    exports2.Directives = Directives;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/doc/anchors.js
var require_anchors = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/doc/anchors.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    var visit = require_visit();
    function anchorIsValid(anchor) {
      if (/[\x00-\x19\s,[\]{}]/.test(anchor)) {
        const sa = JSON.stringify(anchor);
        const msg = `Anchor must not contain whitespace or control characters: ${sa}`;
        throw new Error(msg);
      }
      return true;
    }
    function anchorNames(root2) {
      const anchors = /* @__PURE__ */ new Set();
      visit.visit(root2, {
        Value(_key, node) {
          if (node.anchor)
            anchors.add(node.anchor);
        }
      });
      return anchors;
    }
    function findNewAnchor(prefix, exclude) {
      for (let i = 1; true; ++i) {
        const name = `${prefix}${i}`;
        if (!exclude.has(name))
          return name;
      }
    }
    function createNodeAnchors(doc, prefix) {
      const aliasObjects = [];
      const sourceObjects = /* @__PURE__ */ new Map();
      let prevAnchors = null;
      return {
        onAnchor: (source) => {
          aliasObjects.push(source);
          if (!prevAnchors)
            prevAnchors = anchorNames(doc);
          const anchor = findNewAnchor(prefix, prevAnchors);
          prevAnchors.add(anchor);
          return anchor;
        },
        /**
         * With circular references, the source node is only resolved after all
         * of its child nodes are. This is why anchors are set only after all of
         * the nodes have been created.
         */
        setAnchors: () => {
          for (const source of aliasObjects) {
            const ref = sourceObjects.get(source);
            if (typeof ref === "object" && ref.anchor && (identity2.isScalar(ref.node) || identity2.isCollection(ref.node))) {
              ref.node.anchor = ref.anchor;
            } else {
              const error = new Error("Failed to resolve repeated object (this should not happen)");
              error.source = source;
              throw error;
            }
          }
        },
        sourceObjects
      };
    }
    exports2.anchorIsValid = anchorIsValid;
    exports2.anchorNames = anchorNames;
    exports2.createNodeAnchors = createNodeAnchors;
    exports2.findNewAnchor = findNewAnchor;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/doc/applyReviver.js
var require_applyReviver = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/doc/applyReviver.js"(exports2) {
    "use strict";
    function applyReviver(reviver, obj, key, val) {
      if (val && typeof val === "object") {
        if (Array.isArray(val)) {
          for (let i = 0, len = val.length; i < len; ++i) {
            const v0 = val[i];
            const v1 = applyReviver(reviver, val, String(i), v0);
            if (v1 === void 0)
              delete val[i];
            else if (v1 !== v0)
              val[i] = v1;
          }
        } else if (val instanceof Map) {
          for (const k of Array.from(val.keys())) {
            const v0 = val.get(k);
            const v1 = applyReviver(reviver, val, k, v0);
            if (v1 === void 0)
              val.delete(k);
            else if (v1 !== v0)
              val.set(k, v1);
          }
        } else if (val instanceof Set) {
          for (const v0 of Array.from(val)) {
            const v1 = applyReviver(reviver, val, v0, v0);
            if (v1 === void 0)
              val.delete(v0);
            else if (v1 !== v0) {
              val.delete(v0);
              val.add(v1);
            }
          }
        } else {
          for (const [k, v0] of Object.entries(val)) {
            const v1 = applyReviver(reviver, val, k, v0);
            if (v1 === void 0)
              delete val[k];
            else if (v1 !== v0)
              val[k] = v1;
          }
        }
      }
      return reviver.call(obj, key, val);
    }
    exports2.applyReviver = applyReviver;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/toJS.js
var require_toJS = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/toJS.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    function toJS(value, arg, ctx) {
      if (Array.isArray(value))
        return value.map((v, i) => toJS(v, String(i), ctx));
      if (value && typeof value.toJSON === "function") {
        if (!ctx || !identity2.hasAnchor(value))
          return value.toJSON(arg, ctx);
        const data = { aliasCount: 0, count: 1, res: void 0 };
        ctx.anchors.set(value, data);
        ctx.onCreate = (res2) => {
          data.res = res2;
          delete ctx.onCreate;
        };
        const res = value.toJSON(arg, ctx);
        if (ctx.onCreate)
          ctx.onCreate(res);
        return res;
      }
      if (typeof value === "bigint" && !ctx?.keep)
        return Number(value);
      return value;
    }
    exports2.toJS = toJS;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/Node.js
var require_Node = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/Node.js"(exports2) {
    "use strict";
    var applyReviver = require_applyReviver();
    var identity2 = require_identity();
    var toJS = require_toJS();
    var NodeBase = class {
      constructor(type) {
        Object.defineProperty(this, identity2.NODE_TYPE, { value: type });
      }
      /** Create a copy of this node.  */
      clone() {
        const copy = Object.create(Object.getPrototypeOf(this), Object.getOwnPropertyDescriptors(this));
        if (this.range)
          copy.range = this.range.slice();
        return copy;
      }
      /** A plain JavaScript representation of this node. */
      toJS(doc, { mapAsMap, maxAliasCount, onAnchor, reviver } = {}) {
        if (!identity2.isDocument(doc))
          throw new TypeError("A document argument is required");
        const ctx = {
          anchors: /* @__PURE__ */ new Map(),
          doc,
          keep: true,
          mapAsMap: mapAsMap === true,
          mapKeyWarned: false,
          maxAliasCount: typeof maxAliasCount === "number" ? maxAliasCount : 100
        };
        const res = toJS.toJS(this, "", ctx);
        if (typeof onAnchor === "function")
          for (const { count, res: res2 } of ctx.anchors.values())
            onAnchor(res2, count);
        return typeof reviver === "function" ? applyReviver.applyReviver(reviver, { "": res }, "", res) : res;
      }
    };
    exports2.NodeBase = NodeBase;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/Alias.js
var require_Alias = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/Alias.js"(exports2) {
    "use strict";
    var anchors = require_anchors();
    var visit = require_visit();
    var identity2 = require_identity();
    var Node = require_Node();
    var toJS = require_toJS();
    var Alias = class extends Node.NodeBase {
      constructor(source) {
        super(identity2.ALIAS);
        this.source = source;
        Object.defineProperty(this, "tag", {
          set() {
            throw new Error("Alias nodes cannot have tags");
          }
        });
      }
      /**
       * Resolve the value of this alias within `doc`, finding the last
       * instance of the `source` anchor before this node.
       */
      resolve(doc) {
        let found = void 0;
        visit.visit(doc, {
          Node: (_key, node) => {
            if (node === this)
              return visit.visit.BREAK;
            if (node.anchor === this.source)
              found = node;
          }
        });
        return found;
      }
      toJSON(_arg, ctx) {
        if (!ctx)
          return { source: this.source };
        const { anchors: anchors2, doc, maxAliasCount } = ctx;
        const source = this.resolve(doc);
        if (!source) {
          const msg = `Unresolved alias (the anchor must be set before the alias): ${this.source}`;
          throw new ReferenceError(msg);
        }
        let data = anchors2.get(source);
        if (!data) {
          toJS.toJS(source, null, ctx);
          data = anchors2.get(source);
        }
        if (!data || data.res === void 0) {
          const msg = "This should not happen: Alias anchor was not resolved?";
          throw new ReferenceError(msg);
        }
        if (maxAliasCount >= 0) {
          data.count += 1;
          if (data.aliasCount === 0)
            data.aliasCount = getAliasCount(doc, source, anchors2);
          if (data.count * data.aliasCount > maxAliasCount) {
            const msg = "Excessive alias count indicates a resource exhaustion attack";
            throw new ReferenceError(msg);
          }
        }
        return data.res;
      }
      toString(ctx, _onComment, _onChompKeep) {
        const src = `*${this.source}`;
        if (ctx) {
          anchors.anchorIsValid(this.source);
          if (ctx.options.verifyAliasOrder && !ctx.anchors.has(this.source)) {
            const msg = `Unresolved alias (the anchor must be set before the alias): ${this.source}`;
            throw new Error(msg);
          }
          if (ctx.implicitKey)
            return `${src} `;
        }
        return src;
      }
    };
    function getAliasCount(doc, node, anchors2) {
      if (identity2.isAlias(node)) {
        const source = node.resolve(doc);
        const anchor = anchors2 && source && anchors2.get(source);
        return anchor ? anchor.count * anchor.aliasCount : 0;
      } else if (identity2.isCollection(node)) {
        let count = 0;
        for (const item of node.items) {
          const c = getAliasCount(doc, item, anchors2);
          if (c > count)
            count = c;
        }
        return count;
      } else if (identity2.isPair(node)) {
        const kc = getAliasCount(doc, node.key, anchors2);
        const vc = getAliasCount(doc, node.value, anchors2);
        return Math.max(kc, vc);
      }
      return 1;
    }
    exports2.Alias = Alias;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/Scalar.js
var require_Scalar = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/Scalar.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    var Node = require_Node();
    var toJS = require_toJS();
    var isScalarValue = (value) => !value || typeof value !== "function" && typeof value !== "object";
    var Scalar = class extends Node.NodeBase {
      constructor(value) {
        super(identity2.SCALAR);
        this.value = value;
      }
      toJSON(arg, ctx) {
        return ctx?.keep ? this.value : toJS.toJS(this.value, arg, ctx);
      }
      toString() {
        return String(this.value);
      }
    };
    Scalar.BLOCK_FOLDED = "BLOCK_FOLDED";
    Scalar.BLOCK_LITERAL = "BLOCK_LITERAL";
    Scalar.PLAIN = "PLAIN";
    Scalar.QUOTE_DOUBLE = "QUOTE_DOUBLE";
    Scalar.QUOTE_SINGLE = "QUOTE_SINGLE";
    exports2.Scalar = Scalar;
    exports2.isScalarValue = isScalarValue;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/doc/createNode.js
var require_createNode = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/doc/createNode.js"(exports2) {
    "use strict";
    var Alias = require_Alias();
    var identity2 = require_identity();
    var Scalar = require_Scalar();
    var defaultTagPrefix = "tag:yaml.org,2002:";
    function findTagObject(value, tagName, tags) {
      if (tagName) {
        const match = tags.filter((t) => t.tag === tagName);
        const tagObj = match.find((t) => !t.format) ?? match[0];
        if (!tagObj)
          throw new Error(`Tag ${tagName} not found`);
        return tagObj;
      }
      return tags.find((t) => t.identify?.(value) && !t.format);
    }
    function createNode(value, tagName, ctx) {
      if (identity2.isDocument(value))
        value = value.contents;
      if (identity2.isNode(value))
        return value;
      if (identity2.isPair(value)) {
        const map = ctx.schema[identity2.MAP].createNode?.(ctx.schema, null, ctx);
        map.items.push(value);
        return map;
      }
      if (value instanceof String || value instanceof Number || value instanceof Boolean || typeof BigInt !== "undefined" && value instanceof BigInt) {
        value = value.valueOf();
      }
      const { aliasDuplicateObjects, onAnchor, onTagObj, schema: schema30, sourceObjects } = ctx;
      let ref = void 0;
      if (aliasDuplicateObjects && value && typeof value === "object") {
        ref = sourceObjects.get(value);
        if (ref) {
          if (!ref.anchor)
            ref.anchor = onAnchor(value);
          return new Alias.Alias(ref.anchor);
        } else {
          ref = { anchor: null, node: null };
          sourceObjects.set(value, ref);
        }
      }
      if (tagName?.startsWith("!!"))
        tagName = defaultTagPrefix + tagName.slice(2);
      let tagObj = findTagObject(value, tagName, schema30.tags);
      if (!tagObj) {
        if (value && typeof value.toJSON === "function") {
          value = value.toJSON();
        }
        if (!value || typeof value !== "object") {
          const node2 = new Scalar.Scalar(value);
          if (ref)
            ref.node = node2;
          return node2;
        }
        tagObj = value instanceof Map ? schema30[identity2.MAP] : Symbol.iterator in Object(value) ? schema30[identity2.SEQ] : schema30[identity2.MAP];
      }
      if (onTagObj) {
        onTagObj(tagObj);
        delete ctx.onTagObj;
      }
      const node = tagObj?.createNode ? tagObj.createNode(ctx.schema, value, ctx) : typeof tagObj?.nodeClass?.from === "function" ? tagObj.nodeClass.from(ctx.schema, value, ctx) : new Scalar.Scalar(value);
      if (tagName)
        node.tag = tagName;
      else if (!tagObj.default)
        node.tag = tagObj.tag;
      if (ref)
        ref.node = node;
      return node;
    }
    exports2.createNode = createNode;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/Collection.js
var require_Collection = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/Collection.js"(exports2) {
    "use strict";
    var createNode = require_createNode();
    var identity2 = require_identity();
    var Node = require_Node();
    function collectionFromPath(schema30, path17, value) {
      let v = value;
      for (let i = path17.length - 1; i >= 0; --i) {
        const k = path17[i];
        if (typeof k === "number" && Number.isInteger(k) && k >= 0) {
          const a = [];
          a[k] = v;
          v = a;
        } else {
          v = /* @__PURE__ */ new Map([[k, v]]);
        }
      }
      return createNode.createNode(v, void 0, {
        aliasDuplicateObjects: false,
        keepUndefined: false,
        onAnchor: () => {
          throw new Error("This should not happen, please report a bug.");
        },
        schema: schema30,
        sourceObjects: /* @__PURE__ */ new Map()
      });
    }
    var isEmptyPath = (path17) => path17 == null || typeof path17 === "object" && !!path17[Symbol.iterator]().next().done;
    var Collection = class extends Node.NodeBase {
      constructor(type, schema30) {
        super(type);
        Object.defineProperty(this, "schema", {
          value: schema30,
          configurable: true,
          enumerable: false,
          writable: true
        });
      }
      /**
       * Create a copy of this collection.
       *
       * @param schema - If defined, overwrites the original's schema
       */
      clone(schema30) {
        const copy = Object.create(Object.getPrototypeOf(this), Object.getOwnPropertyDescriptors(this));
        if (schema30)
          copy.schema = schema30;
        copy.items = copy.items.map((it) => identity2.isNode(it) || identity2.isPair(it) ? it.clone(schema30) : it);
        if (this.range)
          copy.range = this.range.slice();
        return copy;
      }
      /**
       * Adds a value to the collection. For `!!map` and `!!omap` the value must
       * be a Pair instance or a `{ key, value }` object, which may not have a key
       * that already exists in the map.
       */
      addIn(path17, value) {
        if (isEmptyPath(path17))
          this.add(value);
        else {
          const [key, ...rest] = path17;
          const node = this.get(key, true);
          if (identity2.isCollection(node))
            node.addIn(rest, value);
          else if (node === void 0 && this.schema)
            this.set(key, collectionFromPath(this.schema, rest, value));
          else
            throw new Error(`Expected YAML collection at ${key}. Remaining path: ${rest}`);
        }
      }
      /**
       * Removes a value from the collection.
       * @returns `true` if the item was found and removed.
       */
      deleteIn(path17) {
        const [key, ...rest] = path17;
        if (rest.length === 0)
          return this.delete(key);
        const node = this.get(key, true);
        if (identity2.isCollection(node))
          return node.deleteIn(rest);
        else
          throw new Error(`Expected YAML collection at ${key}. Remaining path: ${rest}`);
      }
      /**
       * Returns item at `key`, or `undefined` if not found. By default unwraps
       * scalar values from their surrounding node; to disable set `keepScalar` to
       * `true` (collections are always returned intact).
       */
      getIn(path17, keepScalar) {
        const [key, ...rest] = path17;
        const node = this.get(key, true);
        if (rest.length === 0)
          return !keepScalar && identity2.isScalar(node) ? node.value : node;
        else
          return identity2.isCollection(node) ? node.getIn(rest, keepScalar) : void 0;
      }
      hasAllNullValues(allowScalar) {
        return this.items.every((node) => {
          if (!identity2.isPair(node))
            return false;
          const n = node.value;
          return n == null || allowScalar && identity2.isScalar(n) && n.value == null && !n.commentBefore && !n.comment && !n.tag;
        });
      }
      /**
       * Checks if the collection includes a value with the key `key`.
       */
      hasIn(path17) {
        const [key, ...rest] = path17;
        if (rest.length === 0)
          return this.has(key);
        const node = this.get(key, true);
        return identity2.isCollection(node) ? node.hasIn(rest) : false;
      }
      /**
       * Sets a value in this collection. For `!!set`, `value` needs to be a
       * boolean to add/remove the item from the set.
       */
      setIn(path17, value) {
        const [key, ...rest] = path17;
        if (rest.length === 0) {
          this.set(key, value);
        } else {
          const node = this.get(key, true);
          if (identity2.isCollection(node))
            node.setIn(rest, value);
          else if (node === void 0 && this.schema)
            this.set(key, collectionFromPath(this.schema, rest, value));
          else
            throw new Error(`Expected YAML collection at ${key}. Remaining path: ${rest}`);
        }
      }
    };
    exports2.Collection = Collection;
    exports2.collectionFromPath = collectionFromPath;
    exports2.isEmptyPath = isEmptyPath;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/stringify/stringifyComment.js
var require_stringifyComment = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/stringify/stringifyComment.js"(exports2) {
    "use strict";
    var stringifyComment = (str) => str.replace(/^(?!$)(?: $)?/gm, "#");
    function indentComment(comment, indent) {
      if (/^\n+$/.test(comment))
        return comment.substring(1);
      return indent ? comment.replace(/^(?! *$)/gm, indent) : comment;
    }
    var lineComment = (str, indent, comment) => str.endsWith("\n") ? indentComment(comment, indent) : comment.includes("\n") ? "\n" + indentComment(comment, indent) : (str.endsWith(" ") ? "" : " ") + comment;
    exports2.indentComment = indentComment;
    exports2.lineComment = lineComment;
    exports2.stringifyComment = stringifyComment;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/stringify/foldFlowLines.js
var require_foldFlowLines = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/stringify/foldFlowLines.js"(exports2) {
    "use strict";
    var FOLD_FLOW = "flow";
    var FOLD_BLOCK = "block";
    var FOLD_QUOTED = "quoted";
    function foldFlowLines(text, indent, mode = "flow", { indentAtStart, lineWidth = 80, minContentWidth = 20, onFold, onOverflow } = {}) {
      if (!lineWidth || lineWidth < 0)
        return text;
      if (lineWidth < minContentWidth)
        minContentWidth = 0;
      const endStep = Math.max(1 + minContentWidth, 1 + lineWidth - indent.length);
      if (text.length <= endStep)
        return text;
      const folds = [];
      const escapedFolds = {};
      let end = lineWidth - indent.length;
      if (typeof indentAtStart === "number") {
        if (indentAtStart > lineWidth - Math.max(2, minContentWidth))
          folds.push(0);
        else
          end = lineWidth - indentAtStart;
      }
      let split = void 0;
      let prev = void 0;
      let overflow = false;
      let i = -1;
      let escStart = -1;
      let escEnd = -1;
      if (mode === FOLD_BLOCK) {
        i = consumeMoreIndentedLines(text, i, indent.length);
        if (i !== -1)
          end = i + endStep;
      }
      for (let ch; ch = text[i += 1]; ) {
        if (mode === FOLD_QUOTED && ch === "\\") {
          escStart = i;
          switch (text[i + 1]) {
            case "x":
              i += 3;
              break;
            case "u":
              i += 5;
              break;
            case "U":
              i += 9;
              break;
            default:
              i += 1;
          }
          escEnd = i;
        }
        if (ch === "\n") {
          if (mode === FOLD_BLOCK)
            i = consumeMoreIndentedLines(text, i, indent.length);
          end = i + indent.length + endStep;
          split = void 0;
        } else {
          if (ch === " " && prev && prev !== " " && prev !== "\n" && prev !== "	") {
            const next = text[i + 1];
            if (next && next !== " " && next !== "\n" && next !== "	")
              split = i;
          }
          if (i >= end) {
            if (split) {
              folds.push(split);
              end = split + endStep;
              split = void 0;
            } else if (mode === FOLD_QUOTED) {
              while (prev === " " || prev === "	") {
                prev = ch;
                ch = text[i += 1];
                overflow = true;
              }
              const j = i > escEnd + 1 ? i - 2 : escStart - 1;
              if (escapedFolds[j])
                return text;
              folds.push(j);
              escapedFolds[j] = true;
              end = j + endStep;
              split = void 0;
            } else {
              overflow = true;
            }
          }
        }
        prev = ch;
      }
      if (overflow && onOverflow)
        onOverflow();
      if (folds.length === 0)
        return text;
      if (onFold)
        onFold();
      let res = text.slice(0, folds[0]);
      for (let i2 = 0; i2 < folds.length; ++i2) {
        const fold = folds[i2];
        const end2 = folds[i2 + 1] || text.length;
        if (fold === 0)
          res = `
${indent}${text.slice(0, end2)}`;
        else {
          if (mode === FOLD_QUOTED && escapedFolds[fold])
            res += `${text[fold]}\\`;
          res += `
${indent}${text.slice(fold + 1, end2)}`;
        }
      }
      return res;
    }
    function consumeMoreIndentedLines(text, i, indent) {
      let end = i;
      let start = i + 1;
      let ch = text[start];
      while (ch === " " || ch === "	") {
        if (i < start + indent) {
          ch = text[++i];
        } else {
          do {
            ch = text[++i];
          } while (ch && ch !== "\n");
          end = i;
          start = i + 1;
          ch = text[start];
        }
      }
      return end;
    }
    exports2.FOLD_BLOCK = FOLD_BLOCK;
    exports2.FOLD_FLOW = FOLD_FLOW;
    exports2.FOLD_QUOTED = FOLD_QUOTED;
    exports2.foldFlowLines = foldFlowLines;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/stringify/stringifyString.js
var require_stringifyString = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/stringify/stringifyString.js"(exports2) {
    "use strict";
    var Scalar = require_Scalar();
    var foldFlowLines = require_foldFlowLines();
    var getFoldOptions = (ctx, isBlock) => ({
      indentAtStart: isBlock ? ctx.indent.length : ctx.indentAtStart,
      lineWidth: ctx.options.lineWidth,
      minContentWidth: ctx.options.minContentWidth
    });
    var containsDocumentMarker = (str) => /^(%|---|\.\.\.)/m.test(str);
    function lineLengthOverLimit(str, lineWidth, indentLength) {
      if (!lineWidth || lineWidth < 0)
        return false;
      const limit = lineWidth - indentLength;
      const strLen = str.length;
      if (strLen <= limit)
        return false;
      for (let i = 0, start = 0; i < strLen; ++i) {
        if (str[i] === "\n") {
          if (i - start > limit)
            return true;
          start = i + 1;
          if (strLen - start <= limit)
            return false;
        }
      }
      return true;
    }
    function doubleQuotedString(value, ctx) {
      const json = JSON.stringify(value);
      if (ctx.options.doubleQuotedAsJSON)
        return json;
      const { implicitKey } = ctx;
      const minMultiLineLength = ctx.options.doubleQuotedMinMultiLineLength;
      const indent = ctx.indent || (containsDocumentMarker(value) ? "  " : "");
      let str = "";
      let start = 0;
      for (let i = 0, ch = json[i]; ch; ch = json[++i]) {
        if (ch === " " && json[i + 1] === "\\" && json[i + 2] === "n") {
          str += json.slice(start, i) + "\\ ";
          i += 1;
          start = i;
          ch = "\\";
        }
        if (ch === "\\")
          switch (json[i + 1]) {
            case "u":
              {
                str += json.slice(start, i);
                const code = json.substr(i + 2, 4);
                switch (code) {
                  case "0000":
                    str += "\\0";
                    break;
                  case "0007":
                    str += "\\a";
                    break;
                  case "000b":
                    str += "\\v";
                    break;
                  case "001b":
                    str += "\\e";
                    break;
                  case "0085":
                    str += "\\N";
                    break;
                  case "00a0":
                    str += "\\_";
                    break;
                  case "2028":
                    str += "\\L";
                    break;
                  case "2029":
                    str += "\\P";
                    break;
                  default:
                    if (code.substr(0, 2) === "00")
                      str += "\\x" + code.substr(2);
                    else
                      str += json.substr(i, 6);
                }
                i += 5;
                start = i + 1;
              }
              break;
            case "n":
              if (implicitKey || json[i + 2] === '"' || json.length < minMultiLineLength) {
                i += 1;
              } else {
                str += json.slice(start, i) + "\n\n";
                while (json[i + 2] === "\\" && json[i + 3] === "n" && json[i + 4] !== '"') {
                  str += "\n";
                  i += 2;
                }
                str += indent;
                if (json[i + 2] === " ")
                  str += "\\";
                i += 1;
                start = i + 1;
              }
              break;
            default:
              i += 1;
          }
      }
      str = start ? str + json.slice(start) : json;
      return implicitKey ? str : foldFlowLines.foldFlowLines(str, indent, foldFlowLines.FOLD_QUOTED, getFoldOptions(ctx, false));
    }
    function singleQuotedString(value, ctx) {
      if (ctx.options.singleQuote === false || ctx.implicitKey && value.includes("\n") || /[ \t]\n|\n[ \t]/.test(value))
        return doubleQuotedString(value, ctx);
      const indent = ctx.indent || (containsDocumentMarker(value) ? "  " : "");
      const res = "'" + value.replace(/'/g, "''").replace(/\n+/g, `$&
${indent}`) + "'";
      return ctx.implicitKey ? res : foldFlowLines.foldFlowLines(res, indent, foldFlowLines.FOLD_FLOW, getFoldOptions(ctx, false));
    }
    function quotedString(value, ctx) {
      const { singleQuote } = ctx.options;
      let qs;
      if (singleQuote === false)
        qs = doubleQuotedString;
      else {
        const hasDouble = value.includes('"');
        const hasSingle = value.includes("'");
        if (hasDouble && !hasSingle)
          qs = singleQuotedString;
        else if (hasSingle && !hasDouble)
          qs = doubleQuotedString;
        else
          qs = singleQuote ? singleQuotedString : doubleQuotedString;
      }
      return qs(value, ctx);
    }
    var blockEndNewlines;
    try {
      blockEndNewlines = new RegExp("(^|(?\n";
      let chomp;
      let endStart;
      for (endStart = value.length; endStart > 0; --endStart) {
        const ch = value[endStart - 1];
        if (ch !== "\n" && ch !== "	" && ch !== " ")
          break;
      }
      let end = value.substring(endStart);
      const endNlPos = end.indexOf("\n");
      if (endNlPos === -1) {
        chomp = "-";
      } else if (value === end || endNlPos !== end.length - 1) {
        chomp = "+";
        if (onChompKeep)
          onChompKeep();
      } else {
        chomp = "";
      }
      if (end) {
        value = value.slice(0, -end.length);
        if (end[end.length - 1] === "\n")
          end = end.slice(0, -1);
        end = end.replace(blockEndNewlines, `$&${indent}`);
      }
      let startWithSpace = false;
      let startEnd;
      let startNlPos = -1;
      for (startEnd = 0; startEnd < value.length; ++startEnd) {
        const ch = value[startEnd];
        if (ch === " ")
          startWithSpace = true;
        else if (ch === "\n")
          startNlPos = startEnd;
        else
          break;
      }
      let start = value.substring(0, startNlPos < startEnd ? startNlPos + 1 : startEnd);
      if (start) {
        value = value.substring(start.length);
        start = start.replace(/\n+/g, `$&${indent}`);
      }
      const indentSize = indent ? "2" : "1";
      let header = (literal ? "|" : ">") + (startWithSpace ? indentSize : "") + chomp;
      if (comment) {
        header += " " + commentString(comment.replace(/ ?[\r\n]+/g, " "));
        if (onComment)
          onComment();
      }
      if (literal) {
        value = value.replace(/\n+/g, `$&${indent}`);
        return `${header}
${indent}${start}${value}${end}`;
      }
      value = value.replace(/\n+/g, "\n$&").replace(/(?:^|\n)([\t ].*)(?:([\n\t ]*)\n(?![\n\t ]))?/g, "$1$2").replace(/\n+/g, `$&${indent}`);
      const body = foldFlowLines.foldFlowLines(`${start}${value}${end}`, indent, foldFlowLines.FOLD_BLOCK, getFoldOptions(ctx, true));
      return `${header}
${indent}${body}`;
    }
    function plainString(item, ctx, onComment, onChompKeep) {
      const { type, value } = item;
      const { actualString, implicitKey, indent, indentStep, inFlow } = ctx;
      if (implicitKey && value.includes("\n") || inFlow && /[[\]{},]/.test(value)) {
        return quotedString(value, ctx);
      }
      if (!value || /^[\n\t ,[\]{}#&*!|>'"%@`]|^[?-]$|^[?-][ \t]|[\n:][ \t]|[ \t]\n|[\n\t ]#|[\n\t :]$/.test(value)) {
        return implicitKey || inFlow || !value.includes("\n") ? quotedString(value, ctx) : blockString(item, ctx, onComment, onChompKeep);
      }
      if (!implicitKey && !inFlow && type !== Scalar.Scalar.PLAIN && value.includes("\n")) {
        return blockString(item, ctx, onComment, onChompKeep);
      }
      if (containsDocumentMarker(value)) {
        if (indent === "") {
          ctx.forceBlockIndent = true;
          return blockString(item, ctx, onComment, onChompKeep);
        } else if (implicitKey && indent === indentStep) {
          return quotedString(value, ctx);
        }
      }
      const str = value.replace(/\n+/g, `$&
${indent}`);
      if (actualString) {
        const test = (tag) => tag.default && tag.tag !== "tag:yaml.org,2002:str" && tag.test?.test(str);
        const { compat: compat4, tags } = ctx.doc.schema;
        if (tags.some(test) || compat4?.some(test))
          return quotedString(value, ctx);
      }
      return implicitKey ? str : foldFlowLines.foldFlowLines(str, indent, foldFlowLines.FOLD_FLOW, getFoldOptions(ctx, false));
    }
    function stringifyString(item, ctx, onComment, onChompKeep) {
      const { implicitKey, inFlow } = ctx;
      const ss = typeof item.value === "string" ? item : Object.assign({}, item, { value: String(item.value) });
      let { type } = item;
      if (type !== Scalar.Scalar.QUOTE_DOUBLE) {
        if (/[\x00-\x08\x0b-\x1f\x7f-\x9f\u{D800}-\u{DFFF}]/u.test(ss.value))
          type = Scalar.Scalar.QUOTE_DOUBLE;
      }
      const _stringify = (_type) => {
        switch (_type) {
          case Scalar.Scalar.BLOCK_FOLDED:
          case Scalar.Scalar.BLOCK_LITERAL:
            return implicitKey || inFlow ? quotedString(ss.value, ctx) : blockString(ss, ctx, onComment, onChompKeep);
          case Scalar.Scalar.QUOTE_DOUBLE:
            return doubleQuotedString(ss.value, ctx);
          case Scalar.Scalar.QUOTE_SINGLE:
            return singleQuotedString(ss.value, ctx);
          case Scalar.Scalar.PLAIN:
            return plainString(ss, ctx, onComment, onChompKeep);
          default:
            return null;
        }
      };
      let res = _stringify(type);
      if (res === null) {
        const { defaultKeyType, defaultStringType } = ctx.options;
        const t = implicitKey && defaultKeyType || defaultStringType;
        res = _stringify(t);
        if (res === null)
          throw new Error(`Unsupported default string type ${t}`);
      }
      return res;
    }
    exports2.stringifyString = stringifyString;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/stringify/stringify.js
var require_stringify3 = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/stringify/stringify.js"(exports2) {
    "use strict";
    var anchors = require_anchors();
    var identity2 = require_identity();
    var stringifyComment = require_stringifyComment();
    var stringifyString = require_stringifyString();
    function createStringifyContext(doc, options) {
      const opt = Object.assign({
        blockQuote: true,
        commentString: stringifyComment.stringifyComment,
        defaultKeyType: null,
        defaultStringType: "PLAIN",
        directives: null,
        doubleQuotedAsJSON: false,
        doubleQuotedMinMultiLineLength: 40,
        falseStr: "false",
        flowCollectionPadding: true,
        indentSeq: true,
        lineWidth: 80,
        minContentWidth: 20,
        nullStr: "null",
        simpleKeys: false,
        singleQuote: null,
        trueStr: "true",
        verifyAliasOrder: true
      }, doc.schema.toStringOptions, options);
      let inFlow;
      switch (opt.collectionStyle) {
        case "block":
          inFlow = false;
          break;
        case "flow":
          inFlow = true;
          break;
        default:
          inFlow = null;
      }
      return {
        anchors: /* @__PURE__ */ new Set(),
        doc,
        flowCollectionPadding: opt.flowCollectionPadding ? " " : "",
        indent: "",
        indentStep: typeof opt.indent === "number" ? " ".repeat(opt.indent) : "  ",
        inFlow,
        options: opt
      };
    }
    function getTagObject(tags, item) {
      if (item.tag) {
        const match = tags.filter((t) => t.tag === item.tag);
        if (match.length > 0)
          return match.find((t) => t.format === item.format) ?? match[0];
      }
      let tagObj = void 0;
      let obj;
      if (identity2.isScalar(item)) {
        obj = item.value;
        const match = tags.filter((t) => t.identify?.(obj));
        tagObj = match.find((t) => t.format === item.format) ?? match.find((t) => !t.format);
      } else {
        obj = item;
        tagObj = tags.find((t) => t.nodeClass && obj instanceof t.nodeClass);
      }
      if (!tagObj) {
        const name = obj?.constructor?.name ?? typeof obj;
        throw new Error(`Tag not resolved for ${name} value`);
      }
      return tagObj;
    }
    function stringifyProps(node, tagObj, { anchors: anchors$1, doc }) {
      if (!doc.directives)
        return "";
      const props = [];
      const anchor = (identity2.isScalar(node) || identity2.isCollection(node)) && node.anchor;
      if (anchor && anchors.anchorIsValid(anchor)) {
        anchors$1.add(anchor);
        props.push(`&${anchor}`);
      }
      const tag = node.tag ? node.tag : tagObj.default ? null : tagObj.tag;
      if (tag)
        props.push(doc.directives.tagString(tag));
      return props.join(" ");
    }
    function stringify(item, ctx, onComment, onChompKeep) {
      if (identity2.isPair(item))
        return item.toString(ctx, onComment, onChompKeep);
      if (identity2.isAlias(item)) {
        if (ctx.doc.directives)
          return item.toString(ctx);
        if (ctx.resolvedAliases?.has(item)) {
          throw new TypeError(`Cannot stringify circular structure without alias nodes`);
        } else {
          if (ctx.resolvedAliases)
            ctx.resolvedAliases.add(item);
          else
            ctx.resolvedAliases = /* @__PURE__ */ new Set([item]);
          item = item.resolve(ctx.doc);
        }
      }
      let tagObj = void 0;
      const node = identity2.isNode(item) ? item : ctx.doc.createNode(item, { onTagObj: (o) => tagObj = o });
      if (!tagObj)
        tagObj = getTagObject(ctx.doc.schema.tags, node);
      const props = stringifyProps(node, tagObj, ctx);
      if (props.length > 0)
        ctx.indentAtStart = (ctx.indentAtStart ?? 0) + props.length + 1;
      const str = typeof tagObj.stringify === "function" ? tagObj.stringify(node, ctx, onComment, onChompKeep) : identity2.isScalar(node) ? stringifyString.stringifyString(node, ctx, onComment, onChompKeep) : node.toString(ctx, onComment, onChompKeep);
      if (!props)
        return str;
      return identity2.isScalar(node) || str[0] === "{" || str[0] === "[" ? `${props} ${str}` : `${props}
${ctx.indent}${str}`;
    }
    exports2.createStringifyContext = createStringifyContext;
    exports2.stringify = stringify;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/stringify/stringifyPair.js
var require_stringifyPair = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/stringify/stringifyPair.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    var Scalar = require_Scalar();
    var stringify = require_stringify3();
    var stringifyComment = require_stringifyComment();
    function stringifyPair({ key, value }, ctx, onComment, onChompKeep) {
      const { allNullValues, doc, indent, indentStep, options: { commentString, indentSeq, simpleKeys } } = ctx;
      let keyComment = identity2.isNode(key) && key.comment || null;
      if (simpleKeys) {
        if (keyComment) {
          throw new Error("With simple keys, key nodes cannot have comments");
        }
        if (identity2.isCollection(key) || !identity2.isNode(key) && typeof key === "object") {
          const msg = "With simple keys, collection cannot be used as a key value";
          throw new Error(msg);
        }
      }
      let explicitKey = !simpleKeys && (!key || keyComment && value == null && !ctx.inFlow || identity2.isCollection(key) || (identity2.isScalar(key) ? key.type === Scalar.Scalar.BLOCK_FOLDED || key.type === Scalar.Scalar.BLOCK_LITERAL : typeof key === "object"));
      ctx = Object.assign({}, ctx, {
        allNullValues: false,
        implicitKey: !explicitKey && (simpleKeys || !allNullValues),
        indent: indent + indentStep
      });
      let keyCommentDone = false;
      let chompKeep = false;
      let str = stringify.stringify(key, ctx, () => keyCommentDone = true, () => chompKeep = true);
      if (!explicitKey && !ctx.inFlow && str.length > 1024) {
        if (simpleKeys)
          throw new Error("With simple keys, single line scalar must not span more than 1024 characters");
        explicitKey = true;
      }
      if (ctx.inFlow) {
        if (allNullValues || value == null) {
          if (keyCommentDone && onComment)
            onComment();
          return str === "" ? "?" : explicitKey ? `? ${str}` : str;
        }
      } else if (allNullValues && !simpleKeys || value == null && explicitKey) {
        str = `? ${str}`;
        if (keyComment && !keyCommentDone) {
          str += stringifyComment.lineComment(str, ctx.indent, commentString(keyComment));
        } else if (chompKeep && onChompKeep)
          onChompKeep();
        return str;
      }
      if (keyCommentDone)
        keyComment = null;
      if (explicitKey) {
        if (keyComment)
          str += stringifyComment.lineComment(str, ctx.indent, commentString(keyComment));
        str = `? ${str}
${indent}:`;
      } else {
        str = `${str}:`;
        if (keyComment)
          str += stringifyComment.lineComment(str, ctx.indent, commentString(keyComment));
      }
      let vsb, vcb, valueComment;
      if (identity2.isNode(value)) {
        vsb = !!value.spaceBefore;
        vcb = value.commentBefore;
        valueComment = value.comment;
      } else {
        vsb = false;
        vcb = null;
        valueComment = null;
        if (value && typeof value === "object")
          value = doc.createNode(value);
      }
      ctx.implicitKey = false;
      if (!explicitKey && !keyComment && identity2.isScalar(value))
        ctx.indentAtStart = str.length + 1;
      chompKeep = false;
      if (!indentSeq && indentStep.length >= 2 && !ctx.inFlow && !explicitKey && identity2.isSeq(value) && !value.flow && !value.tag && !value.anchor) {
        ctx.indent = ctx.indent.substring(2);
      }
      let valueCommentDone = false;
      const valueStr = stringify.stringify(value, ctx, () => valueCommentDone = true, () => chompKeep = true);
      let ws = " ";
      if (keyComment || vsb || vcb) {
        ws = vsb ? "\n" : "";
        if (vcb) {
          const cs = commentString(vcb);
          ws += `
${stringifyComment.indentComment(cs, ctx.indent)}`;
        }
        if (valueStr === "" && !ctx.inFlow) {
          if (ws === "\n")
            ws = "\n\n";
        } else {
          ws += `
${ctx.indent}`;
        }
      } else if (!explicitKey && identity2.isCollection(value)) {
        const vs0 = valueStr[0];
        const nl0 = valueStr.indexOf("\n");
        const hasNewline = nl0 !== -1;
        const flow = ctx.inFlow ?? value.flow ?? value.items.length === 0;
        if (hasNewline || !flow) {
          let hasPropsLine = false;
          if (hasNewline && (vs0 === "&" || vs0 === "!")) {
            let sp0 = valueStr.indexOf(" ");
            if (vs0 === "&" && sp0 !== -1 && sp0 < nl0 && valueStr[sp0 + 1] === "!") {
              sp0 = valueStr.indexOf(" ", sp0 + 1);
            }
            if (sp0 === -1 || nl0 < sp0)
              hasPropsLine = true;
          }
          if (!hasPropsLine)
            ws = `
${ctx.indent}`;
        }
      } else if (valueStr === "" || valueStr[0] === "\n") {
        ws = "";
      }
      str += ws + valueStr;
      if (ctx.inFlow) {
        if (valueCommentDone && onComment)
          onComment();
      } else if (valueComment && !valueCommentDone) {
        str += stringifyComment.lineComment(str, ctx.indent, commentString(valueComment));
      } else if (chompKeep && onChompKeep) {
        onChompKeep();
      }
      return str;
    }
    exports2.stringifyPair = stringifyPair;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/log.js
var require_log = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/log.js"(exports2) {
    "use strict";
    function debug5(logLevel, ...messages116) {
      if (logLevel === "debug")
        console.log(...messages116);
    }
    function warn(logLevel, warning) {
      if (logLevel === "debug" || logLevel === "warn") {
        if (typeof process !== "undefined" && process.emitWarning)
          process.emitWarning(warning);
        else
          console.warn(warning);
      }
    }
    exports2.debug = debug5;
    exports2.warn = warn;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/addPairToJSMap.js
var require_addPairToJSMap = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/addPairToJSMap.js"(exports2) {
    "use strict";
    var log = require_log();
    var stringify = require_stringify3();
    var identity2 = require_identity();
    var Scalar = require_Scalar();
    var toJS = require_toJS();
    var MERGE_KEY = "<<";
    function addPairToJSMap(ctx, map, { key, value }) {
      if (ctx?.doc.schema.merge && isMergeKey(key)) {
        value = identity2.isAlias(value) ? value.resolve(ctx.doc) : value;
        if (identity2.isSeq(value))
          for (const it of value.items)
            mergeToJSMap(ctx, map, it);
        else if (Array.isArray(value))
          for (const it of value)
            mergeToJSMap(ctx, map, it);
        else
          mergeToJSMap(ctx, map, value);
      } else {
        const jsKey = toJS.toJS(key, "", ctx);
        if (map instanceof Map) {
          map.set(jsKey, toJS.toJS(value, jsKey, ctx));
        } else if (map instanceof Set) {
          map.add(jsKey);
        } else {
          const stringKey = stringifyKey(key, jsKey, ctx);
          const jsValue = toJS.toJS(value, stringKey, ctx);
          if (stringKey in map)
            Object.defineProperty(map, stringKey, {
              value: jsValue,
              writable: true,
              enumerable: true,
              configurable: true
            });
          else
            map[stringKey] = jsValue;
        }
      }
      return map;
    }
    var isMergeKey = (key) => key === MERGE_KEY || identity2.isScalar(key) && key.value === MERGE_KEY && (!key.type || key.type === Scalar.Scalar.PLAIN);
    function mergeToJSMap(ctx, map, value) {
      const source = ctx && identity2.isAlias(value) ? value.resolve(ctx.doc) : value;
      if (!identity2.isMap(source))
        throw new Error("Merge sources must be maps or map aliases");
      const srcMap = source.toJSON(null, ctx, Map);
      for (const [key, value2] of srcMap) {
        if (map instanceof Map) {
          if (!map.has(key))
            map.set(key, value2);
        } else if (map instanceof Set) {
          map.add(key);
        } else if (!Object.prototype.hasOwnProperty.call(map, key)) {
          Object.defineProperty(map, key, {
            value: value2,
            writable: true,
            enumerable: true,
            configurable: true
          });
        }
      }
      return map;
    }
    function stringifyKey(key, jsKey, ctx) {
      if (jsKey === null)
        return "";
      if (typeof jsKey !== "object")
        return String(jsKey);
      if (identity2.isNode(key) && ctx?.doc) {
        const strCtx = stringify.createStringifyContext(ctx.doc, {});
        strCtx.anchors = /* @__PURE__ */ new Set();
        for (const node of ctx.anchors.keys())
          strCtx.anchors.add(node.anchor);
        strCtx.inFlow = true;
        strCtx.inStringifyKey = true;
        const strKey = key.toString(strCtx);
        if (!ctx.mapKeyWarned) {
          let jsonStr = JSON.stringify(strKey);
          if (jsonStr.length > 40)
            jsonStr = jsonStr.substring(0, 36) + '..."';
          log.warn(ctx.doc.options.logLevel, `Keys with collection values will be stringified due to JS Object restrictions: ${jsonStr}. Set mapAsMap: true to use object keys.`);
          ctx.mapKeyWarned = true;
        }
        return strKey;
      }
      return JSON.stringify(jsKey);
    }
    exports2.addPairToJSMap = addPairToJSMap;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/Pair.js
var require_Pair = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/Pair.js"(exports2) {
    "use strict";
    var createNode = require_createNode();
    var stringifyPair = require_stringifyPair();
    var addPairToJSMap = require_addPairToJSMap();
    var identity2 = require_identity();
    function createPair(key, value, ctx) {
      const k = createNode.createNode(key, void 0, ctx);
      const v = createNode.createNode(value, void 0, ctx);
      return new Pair(k, v);
    }
    var Pair = class _Pair {
      constructor(key, value = null) {
        Object.defineProperty(this, identity2.NODE_TYPE, { value: identity2.PAIR });
        this.key = key;
        this.value = value;
      }
      clone(schema30) {
        let { key, value } = this;
        if (identity2.isNode(key))
          key = key.clone(schema30);
        if (identity2.isNode(value))
          value = value.clone(schema30);
        return new _Pair(key, value);
      }
      toJSON(_, ctx) {
        const pair = ctx?.mapAsMap ? /* @__PURE__ */ new Map() : {};
        return addPairToJSMap.addPairToJSMap(ctx, pair, this);
      }
      toString(ctx, onComment, onChompKeep) {
        return ctx?.doc ? stringifyPair.stringifyPair(this, ctx, onComment, onChompKeep) : JSON.stringify(this);
      }
    };
    exports2.Pair = Pair;
    exports2.createPair = createPair;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/stringify/stringifyCollection.js
var require_stringifyCollection = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/stringify/stringifyCollection.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    var stringify = require_stringify3();
    var stringifyComment = require_stringifyComment();
    function stringifyCollection(collection, ctx, options) {
      const flow = ctx.inFlow ?? collection.flow;
      const stringify2 = flow ? stringifyFlowCollection : stringifyBlockCollection;
      return stringify2(collection, ctx, options);
    }
    function stringifyBlockCollection({ comment, items }, ctx, { blockItemPrefix, flowChars, itemIndent, onChompKeep, onComment }) {
      const { indent, options: { commentString } } = ctx;
      const itemCtx = Object.assign({}, ctx, { indent: itemIndent, type: null });
      let chompKeep = false;
      const lines = [];
      for (let i = 0; i < items.length; ++i) {
        const item = items[i];
        let comment2 = null;
        if (identity2.isNode(item)) {
          if (!chompKeep && item.spaceBefore)
            lines.push("");
          addCommentBefore(ctx, lines, item.commentBefore, chompKeep);
          if (item.comment)
            comment2 = item.comment;
        } else if (identity2.isPair(item)) {
          const ik = identity2.isNode(item.key) ? item.key : null;
          if (ik) {
            if (!chompKeep && ik.spaceBefore)
              lines.push("");
            addCommentBefore(ctx, lines, ik.commentBefore, chompKeep);
          }
        }
        chompKeep = false;
        let str2 = stringify.stringify(item, itemCtx, () => comment2 = null, () => chompKeep = true);
        if (comment2)
          str2 += stringifyComment.lineComment(str2, itemIndent, commentString(comment2));
        if (chompKeep && comment2)
          chompKeep = false;
        lines.push(blockItemPrefix + str2);
      }
      let str;
      if (lines.length === 0) {
        str = flowChars.start + flowChars.end;
      } else {
        str = lines[0];
        for (let i = 1; i < lines.length; ++i) {
          const line = lines[i];
          str += line ? `
${indent}${line}` : "\n";
        }
      }
      if (comment) {
        str += "\n" + stringifyComment.indentComment(commentString(comment), indent);
        if (onComment)
          onComment();
      } else if (chompKeep && onChompKeep)
        onChompKeep();
      return str;
    }
    function stringifyFlowCollection({ items }, ctx, { flowChars, itemIndent }) {
      const { indent, indentStep, flowCollectionPadding: fcPadding, options: { commentString } } = ctx;
      itemIndent += indentStep;
      const itemCtx = Object.assign({}, ctx, {
        indent: itemIndent,
        inFlow: true,
        type: null
      });
      let reqNewline = false;
      let linesAtValue = 0;
      const lines = [];
      for (let i = 0; i < items.length; ++i) {
        const item = items[i];
        let comment = null;
        if (identity2.isNode(item)) {
          if (item.spaceBefore)
            lines.push("");
          addCommentBefore(ctx, lines, item.commentBefore, false);
          if (item.comment)
            comment = item.comment;
        } else if (identity2.isPair(item)) {
          const ik = identity2.isNode(item.key) ? item.key : null;
          if (ik) {
            if (ik.spaceBefore)
              lines.push("");
            addCommentBefore(ctx, lines, ik.commentBefore, false);
            if (ik.comment)
              reqNewline = true;
          }
          const iv = identity2.isNode(item.value) ? item.value : null;
          if (iv) {
            if (iv.comment)
              comment = iv.comment;
            if (iv.commentBefore)
              reqNewline = true;
          } else if (item.value == null && ik?.comment) {
            comment = ik.comment;
          }
        }
        if (comment)
          reqNewline = true;
        let str = stringify.stringify(item, itemCtx, () => comment = null);
        if (i < items.length - 1)
          str += ",";
        if (comment)
          str += stringifyComment.lineComment(str, itemIndent, commentString(comment));
        if (!reqNewline && (lines.length > linesAtValue || str.includes("\n")))
          reqNewline = true;
        lines.push(str);
        linesAtValue = lines.length;
      }
      const { start, end } = flowChars;
      if (lines.length === 0) {
        return start + end;
      } else {
        if (!reqNewline) {
          const len = lines.reduce((sum, line) => sum + line.length + 2, 2);
          reqNewline = ctx.options.lineWidth > 0 && len > ctx.options.lineWidth;
        }
        if (reqNewline) {
          let str = start;
          for (const line of lines)
            str += line ? `
${indentStep}${indent}${line}` : "\n";
          return `${str}
${indent}${end}`;
        } else {
          return `${start}${fcPadding}${lines.join(" ")}${fcPadding}${end}`;
        }
      }
    }
    function addCommentBefore({ indent, options: { commentString } }, lines, comment, chompKeep) {
      if (comment && chompKeep)
        comment = comment.replace(/^\n+/, "");
      if (comment) {
        const ic = stringifyComment.indentComment(commentString(comment), indent);
        lines.push(ic.trimStart());
      }
    }
    exports2.stringifyCollection = stringifyCollection;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/YAMLMap.js
var require_YAMLMap = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/YAMLMap.js"(exports2) {
    "use strict";
    var stringifyCollection = require_stringifyCollection();
    var addPairToJSMap = require_addPairToJSMap();
    var Collection = require_Collection();
    var identity2 = require_identity();
    var Pair = require_Pair();
    var Scalar = require_Scalar();
    function findPair(items, key) {
      const k = identity2.isScalar(key) ? key.value : key;
      for (const it of items) {
        if (identity2.isPair(it)) {
          if (it.key === key || it.key === k)
            return it;
          if (identity2.isScalar(it.key) && it.key.value === k)
            return it;
        }
      }
      return void 0;
    }
    var YAMLMap = class extends Collection.Collection {
      static get tagName() {
        return "tag:yaml.org,2002:map";
      }
      constructor(schema30) {
        super(identity2.MAP, schema30);
        this.items = [];
      }
      /**
       * A generic collection parsing method that can be extended
       * to other node classes that inherit from YAMLMap
       */
      static from(schema30, obj, ctx) {
        const { keepUndefined, replacer } = ctx;
        const map = new this(schema30);
        const add = (key, value) => {
          if (typeof replacer === "function")
            value = replacer.call(obj, key, value);
          else if (Array.isArray(replacer) && !replacer.includes(key))
            return;
          if (value !== void 0 || keepUndefined)
            map.items.push(Pair.createPair(key, value, ctx));
        };
        if (obj instanceof Map) {
          for (const [key, value] of obj)
            add(key, value);
        } else if (obj && typeof obj === "object") {
          for (const key of Object.keys(obj))
            add(key, obj[key]);
        }
        if (typeof schema30.sortMapEntries === "function") {
          map.items.sort(schema30.sortMapEntries);
        }
        return map;
      }
      /**
       * Adds a value to the collection.
       *
       * @param overwrite - If not set `true`, using a key that is already in the
       *   collection will throw. Otherwise, overwrites the previous value.
       */
      add(pair, overwrite) {
        let _pair;
        if (identity2.isPair(pair))
          _pair = pair;
        else if (!pair || typeof pair !== "object" || !("key" in pair)) {
          _pair = new Pair.Pair(pair, pair?.value);
        } else
          _pair = new Pair.Pair(pair.key, pair.value);
        const prev = findPair(this.items, _pair.key);
        const sortEntries = this.schema?.sortMapEntries;
        if (prev) {
          if (!overwrite)
            throw new Error(`Key ${_pair.key} already set`);
          if (identity2.isScalar(prev.value) && Scalar.isScalarValue(_pair.value))
            prev.value.value = _pair.value;
          else
            prev.value = _pair.value;
        } else if (sortEntries) {
          const i = this.items.findIndex((item) => sortEntries(_pair, item) < 0);
          if (i === -1)
            this.items.push(_pair);
          else
            this.items.splice(i, 0, _pair);
        } else {
          this.items.push(_pair);
        }
      }
      delete(key) {
        const it = findPair(this.items, key);
        if (!it)
          return false;
        const del = this.items.splice(this.items.indexOf(it), 1);
        return del.length > 0;
      }
      get(key, keepScalar) {
        const it = findPair(this.items, key);
        const node = it?.value;
        return (!keepScalar && identity2.isScalar(node) ? node.value : node) ?? void 0;
      }
      has(key) {
        return !!findPair(this.items, key);
      }
      set(key, value) {
        this.add(new Pair.Pair(key, value), true);
      }
      /**
       * @param ctx - Conversion context, originally set in Document#toJS()
       * @param {Class} Type - If set, forces the returned collection type
       * @returns Instance of Type, Map, or Object
       */
      toJSON(_, ctx, Type) {
        const map = Type ? new Type() : ctx?.mapAsMap ? /* @__PURE__ */ new Map() : {};
        if (ctx?.onCreate)
          ctx.onCreate(map);
        for (const item of this.items)
          addPairToJSMap.addPairToJSMap(ctx, map, item);
        return map;
      }
      toString(ctx, onComment, onChompKeep) {
        if (!ctx)
          return JSON.stringify(this);
        for (const item of this.items) {
          if (!identity2.isPair(item))
            throw new Error(`Map items must all be pairs; found ${JSON.stringify(item)} instead`);
        }
        if (!ctx.allNullValues && this.hasAllNullValues(false))
          ctx = Object.assign({}, ctx, { allNullValues: true });
        return stringifyCollection.stringifyCollection(this, ctx, {
          blockItemPrefix: "",
          flowChars: { start: "{", end: "}" },
          itemIndent: ctx.indent || "",
          onChompKeep,
          onComment
        });
      }
    };
    exports2.YAMLMap = YAMLMap;
    exports2.findPair = findPair;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/common/map.js
var require_map = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/common/map.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    var YAMLMap = require_YAMLMap();
    var map = {
      collection: "map",
      default: true,
      nodeClass: YAMLMap.YAMLMap,
      tag: "tag:yaml.org,2002:map",
      resolve(map2, onError) {
        if (!identity2.isMap(map2))
          onError("Expected a mapping for this tag");
        return map2;
      },
      createNode: (schema30, obj, ctx) => YAMLMap.YAMLMap.from(schema30, obj, ctx)
    };
    exports2.map = map;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/YAMLSeq.js
var require_YAMLSeq = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/nodes/YAMLSeq.js"(exports2) {
    "use strict";
    var createNode = require_createNode();
    var stringifyCollection = require_stringifyCollection();
    var Collection = require_Collection();
    var identity2 = require_identity();
    var Scalar = require_Scalar();
    var toJS = require_toJS();
    var YAMLSeq = class extends Collection.Collection {
      static get tagName() {
        return "tag:yaml.org,2002:seq";
      }
      constructor(schema30) {
        super(identity2.SEQ, schema30);
        this.items = [];
      }
      add(value) {
        this.items.push(value);
      }
      /**
       * Removes a value from the collection.
       *
       * `key` must contain a representation of an integer for this to succeed.
       * It may be wrapped in a `Scalar`.
       *
       * @returns `true` if the item was found and removed.
       */
      delete(key) {
        const idx = asItemIndex(key);
        if (typeof idx !== "number")
          return false;
        const del = this.items.splice(idx, 1);
        return del.length > 0;
      }
      get(key, keepScalar) {
        const idx = asItemIndex(key);
        if (typeof idx !== "number")
          return void 0;
        const it = this.items[idx];
        return !keepScalar && identity2.isScalar(it) ? it.value : it;
      }
      /**
       * Checks if the collection includes a value with the key `key`.
       *
       * `key` must contain a representation of an integer for this to succeed.
       * It may be wrapped in a `Scalar`.
       */
      has(key) {
        const idx = asItemIndex(key);
        return typeof idx === "number" && idx < this.items.length;
      }
      /**
       * Sets a value in this collection. For `!!set`, `value` needs to be a
       * boolean to add/remove the item from the set.
       *
       * If `key` does not contain a representation of an integer, this will throw.
       * It may be wrapped in a `Scalar`.
       */
      set(key, value) {
        const idx = asItemIndex(key);
        if (typeof idx !== "number")
          throw new Error(`Expected a valid index, not ${key}.`);
        const prev = this.items[idx];
        if (identity2.isScalar(prev) && Scalar.isScalarValue(value))
          prev.value = value;
        else
          this.items[idx] = value;
      }
      toJSON(_, ctx) {
        const seq = [];
        if (ctx?.onCreate)
          ctx.onCreate(seq);
        let i = 0;
        for (const item of this.items)
          seq.push(toJS.toJS(item, String(i++), ctx));
        return seq;
      }
      toString(ctx, onComment, onChompKeep) {
        if (!ctx)
          return JSON.stringify(this);
        return stringifyCollection.stringifyCollection(this, ctx, {
          blockItemPrefix: "- ",
          flowChars: { start: "[", end: "]" },
          itemIndent: (ctx.indent || "") + "  ",
          onChompKeep,
          onComment
        });
      }
      static from(schema30, obj, ctx) {
        const { replacer } = ctx;
        const seq = new this(schema30);
        if (obj && Symbol.iterator in Object(obj)) {
          let i = 0;
          for (let it of obj) {
            if (typeof replacer === "function") {
              const key = obj instanceof Set ? it : String(i++);
              it = replacer.call(obj, key, it);
            }
            seq.items.push(createNode.createNode(it, void 0, ctx));
          }
        }
        return seq;
      }
    };
    function asItemIndex(key) {
      let idx = identity2.isScalar(key) ? key.value : key;
      if (idx && typeof idx === "string")
        idx = Number(idx);
      return typeof idx === "number" && Number.isInteger(idx) && idx >= 0 ? idx : null;
    }
    exports2.YAMLSeq = YAMLSeq;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/common/seq.js
var require_seq = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/common/seq.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    var YAMLSeq = require_YAMLSeq();
    var seq = {
      collection: "seq",
      default: true,
      nodeClass: YAMLSeq.YAMLSeq,
      tag: "tag:yaml.org,2002:seq",
      resolve(seq2, onError) {
        if (!identity2.isSeq(seq2))
          onError("Expected a sequence for this tag");
        return seq2;
      },
      createNode: (schema30, obj, ctx) => YAMLSeq.YAMLSeq.from(schema30, obj, ctx)
    };
    exports2.seq = seq;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/common/string.js
var require_string2 = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/common/string.js"(exports2) {
    "use strict";
    var stringifyString = require_stringifyString();
    var string = {
      identify: (value) => typeof value === "string",
      default: true,
      tag: "tag:yaml.org,2002:str",
      resolve: (str) => str,
      stringify(item, ctx, onComment, onChompKeep) {
        ctx = Object.assign({ actualString: true }, ctx);
        return stringifyString.stringifyString(item, ctx, onComment, onChompKeep);
      }
    };
    exports2.string = string;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/common/null.js
var require_null = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/common/null.js"(exports2) {
    "use strict";
    var Scalar = require_Scalar();
    var nullTag2 = {
      identify: (value) => value == null,
      createNode: () => new Scalar.Scalar(null),
      default: true,
      tag: "tag:yaml.org,2002:null",
      test: /^(?:~|[Nn]ull|NULL)?$/,
      resolve: () => new Scalar.Scalar(null),
      stringify: ({ source }, ctx) => typeof source === "string" && nullTag2.test.test(source) ? source : ctx.options.nullStr
    };
    exports2.nullTag = nullTag2;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/core/bool.js
var require_bool = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/core/bool.js"(exports2) {
    "use strict";
    var Scalar = require_Scalar();
    var boolTag2 = {
      identify: (value) => typeof value === "boolean",
      default: true,
      tag: "tag:yaml.org,2002:bool",
      test: /^(?:[Tt]rue|TRUE|[Ff]alse|FALSE)$/,
      resolve: (str) => new Scalar.Scalar(str[0] === "t" || str[0] === "T"),
      stringify({ source, value }, ctx) {
        if (source && boolTag2.test.test(source)) {
          const sv = source[0] === "t" || source[0] === "T";
          if (value === sv)
            return source;
        }
        return value ? ctx.options.trueStr : ctx.options.falseStr;
      }
    };
    exports2.boolTag = boolTag2;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/stringify/stringifyNumber.js
var require_stringifyNumber = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/stringify/stringifyNumber.js"(exports2) {
    "use strict";
    function stringifyNumber({ format: format2, minFractionDigits, tag, value }) {
      if (typeof value === "bigint")
        return String(value);
      const num = typeof value === "number" ? value : Number(value);
      if (!isFinite(num))
        return isNaN(num) ? ".nan" : num < 0 ? "-.inf" : ".inf";
      let n = JSON.stringify(value);
      if (!format2 && minFractionDigits && (!tag || tag === "tag:yaml.org,2002:float") && /^\d/.test(n)) {
        let i = n.indexOf(".");
        if (i < 0) {
          i = n.length;
          n += ".";
        }
        let d = minFractionDigits - (n.length - i - 1);
        while (d-- > 0)
          n += "0";
      }
      return n;
    }
    exports2.stringifyNumber = stringifyNumber;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/core/float.js
var require_float = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/core/float.js"(exports2) {
    "use strict";
    var Scalar = require_Scalar();
    var stringifyNumber = require_stringifyNumber();
    var floatNaN = {
      identify: (value) => typeof value === "number",
      default: true,
      tag: "tag:yaml.org,2002:float",
      test: /^(?:[-+]?\.(?:inf|Inf|INF)|\.nan|\.NaN|\.NAN)$/,
      resolve: (str) => str.slice(-3).toLowerCase() === "nan" ? NaN : str[0] === "-" ? Number.NEGATIVE_INFINITY : Number.POSITIVE_INFINITY,
      stringify: stringifyNumber.stringifyNumber
    };
    var floatExp = {
      identify: (value) => typeof value === "number",
      default: true,
      tag: "tag:yaml.org,2002:float",
      format: "EXP",
      test: /^[-+]?(?:\.[0-9]+|[0-9]+(?:\.[0-9]*)?)[eE][-+]?[0-9]+$/,
      resolve: (str) => parseFloat(str),
      stringify(node) {
        const num = Number(node.value);
        return isFinite(num) ? num.toExponential() : stringifyNumber.stringifyNumber(node);
      }
    };
    var float = {
      identify: (value) => typeof value === "number",
      default: true,
      tag: "tag:yaml.org,2002:float",
      test: /^[-+]?(?:\.[0-9]+|[0-9]+\.[0-9]*)$/,
      resolve(str) {
        const node = new Scalar.Scalar(parseFloat(str));
        const dot = str.indexOf(".");
        if (dot !== -1 && str[str.length - 1] === "0")
          node.minFractionDigits = str.length - dot - 1;
        return node;
      },
      stringify: stringifyNumber.stringifyNumber
    };
    exports2.float = float;
    exports2.floatExp = floatExp;
    exports2.floatNaN = floatNaN;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/core/int.js
var require_int = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/core/int.js"(exports2) {
    "use strict";
    var stringifyNumber = require_stringifyNumber();
    var intIdentify = (value) => typeof value === "bigint" || Number.isInteger(value);
    var intResolve = (str, offset, radix, { intAsBigInt }) => intAsBigInt ? BigInt(str) : parseInt(str.substring(offset), radix);
    function intStringify(node, radix, prefix) {
      const { value } = node;
      if (intIdentify(value) && value >= 0)
        return prefix + value.toString(radix);
      return stringifyNumber.stringifyNumber(node);
    }
    var intOct = {
      identify: (value) => intIdentify(value) && value >= 0,
      default: true,
      tag: "tag:yaml.org,2002:int",
      format: "OCT",
      test: /^0o[0-7]+$/,
      resolve: (str, _onError, opt) => intResolve(str, 2, 8, opt),
      stringify: (node) => intStringify(node, 8, "0o")
    };
    var int = {
      identify: intIdentify,
      default: true,
      tag: "tag:yaml.org,2002:int",
      test: /^[-+]?[0-9]+$/,
      resolve: (str, _onError, opt) => intResolve(str, 0, 10, opt),
      stringify: stringifyNumber.stringifyNumber
    };
    var intHex = {
      identify: (value) => intIdentify(value) && value >= 0,
      default: true,
      tag: "tag:yaml.org,2002:int",
      format: "HEX",
      test: /^0x[0-9a-fA-F]+$/,
      resolve: (str, _onError, opt) => intResolve(str, 2, 16, opt),
      stringify: (node) => intStringify(node, 16, "0x")
    };
    exports2.int = int;
    exports2.intHex = intHex;
    exports2.intOct = intOct;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/core/schema.js
var require_schema2 = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/core/schema.js"(exports2) {
    "use strict";
    var map = require_map();
    var _null = require_null();
    var seq = require_seq();
    var string = require_string2();
    var bool = require_bool();
    var float = require_float();
    var int = require_int();
    var schema30 = [
      map.map,
      seq.seq,
      string.string,
      _null.nullTag,
      bool.boolTag,
      int.intOct,
      int.int,
      int.intHex,
      float.floatNaN,
      float.floatExp,
      float.float
    ];
    exports2.schema = schema30;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/json/schema.js
var require_schema3 = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/json/schema.js"(exports2) {
    "use strict";
    var Scalar = require_Scalar();
    var map = require_map();
    var seq = require_seq();
    function intIdentify(value) {
      return typeof value === "bigint" || Number.isInteger(value);
    }
    var stringifyJSON = ({ value }) => JSON.stringify(value);
    var jsonScalars = [
      {
        identify: (value) => typeof value === "string",
        default: true,
        tag: "tag:yaml.org,2002:str",
        resolve: (str) => str,
        stringify: stringifyJSON
      },
      {
        identify: (value) => value == null,
        createNode: () => new Scalar.Scalar(null),
        default: true,
        tag: "tag:yaml.org,2002:null",
        test: /^null$/,
        resolve: () => null,
        stringify: stringifyJSON
      },
      {
        identify: (value) => typeof value === "boolean",
        default: true,
        tag: "tag:yaml.org,2002:bool",
        test: /^true|false$/,
        resolve: (str) => str === "true",
        stringify: stringifyJSON
      },
      {
        identify: intIdentify,
        default: true,
        tag: "tag:yaml.org,2002:int",
        test: /^-?(?:0|[1-9][0-9]*)$/,
        resolve: (str, _onError, { intAsBigInt }) => intAsBigInt ? BigInt(str) : parseInt(str, 10),
        stringify: ({ value }) => intIdentify(value) ? value.toString() : JSON.stringify(value)
      },
      {
        identify: (value) => typeof value === "number",
        default: true,
        tag: "tag:yaml.org,2002:float",
        test: /^-?(?:0|[1-9][0-9]*)(?:\.[0-9]*)?(?:[eE][-+]?[0-9]+)?$/,
        resolve: (str) => parseFloat(str),
        stringify: stringifyJSON
      }
    ];
    var jsonError = {
      default: true,
      tag: "",
      test: /^/,
      resolve(str, onError) {
        onError(`Unresolved plain scalar ${JSON.stringify(str)}`);
        return str;
      }
    };
    var schema30 = [map.map, seq.seq].concat(jsonScalars, jsonError);
    exports2.schema = schema30;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/binary.js
var require_binary = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/binary.js"(exports2) {
    "use strict";
    var Scalar = require_Scalar();
    var stringifyString = require_stringifyString();
    var binary = {
      identify: (value) => value instanceof Uint8Array,
      // Buffer inherits from Uint8Array
      default: false,
      tag: "tag:yaml.org,2002:binary",
      /**
       * Returns a Buffer in node and an Uint8Array in browsers
       *
       * To use the resulting buffer as an image, you'll want to do something like:
       *
       *   const blob = new Blob([buffer], { type: 'image/jpeg' })
       *   document.querySelector('#photo').src = URL.createObjectURL(blob)
       */
      resolve(src, onError) {
        if (typeof Buffer === "function") {
          return Buffer.from(src, "base64");
        } else if (typeof atob === "function") {
          const str = atob(src.replace(/[\n\r]/g, ""));
          const buffer = new Uint8Array(str.length);
          for (let i = 0; i < str.length; ++i)
            buffer[i] = str.charCodeAt(i);
          return buffer;
        } else {
          onError("This environment does not support reading binary tags; either Buffer or atob is required");
          return src;
        }
      },
      stringify({ comment, type, value }, ctx, onComment, onChompKeep) {
        const buf = value;
        let str;
        if (typeof Buffer === "function") {
          str = buf instanceof Buffer ? buf.toString("base64") : Buffer.from(buf.buffer).toString("base64");
        } else if (typeof btoa === "function") {
          let s = "";
          for (let i = 0; i < buf.length; ++i)
            s += String.fromCharCode(buf[i]);
          str = btoa(s);
        } else {
          throw new Error("This environment does not support writing binary tags; either Buffer or btoa is required");
        }
        if (!type)
          type = Scalar.Scalar.BLOCK_LITERAL;
        if (type !== Scalar.Scalar.QUOTE_DOUBLE) {
          const lineWidth = Math.max(ctx.options.lineWidth - ctx.indent.length, ctx.options.minContentWidth);
          const n = Math.ceil(str.length / lineWidth);
          const lines = new Array(n);
          for (let i = 0, o = 0; i < n; ++i, o += lineWidth) {
            lines[i] = str.substr(o, lineWidth);
          }
          str = lines.join(type === Scalar.Scalar.BLOCK_LITERAL ? "\n" : " ");
        }
        return stringifyString.stringifyString({ comment, type, value: str }, ctx, onComment, onChompKeep);
      }
    };
    exports2.binary = binary;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/pairs.js
var require_pairs = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/pairs.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    var Pair = require_Pair();
    var Scalar = require_Scalar();
    var YAMLSeq = require_YAMLSeq();
    function resolvePairs(seq, onError) {
      if (identity2.isSeq(seq)) {
        for (let i = 0; i < seq.items.length; ++i) {
          let item = seq.items[i];
          if (identity2.isPair(item))
            continue;
          else if (identity2.isMap(item)) {
            if (item.items.length > 1)
              onError("Each pair must have its own sequence indicator");
            const pair = item.items[0] || new Pair.Pair(new Scalar.Scalar(null));
            if (item.commentBefore)
              pair.key.commentBefore = pair.key.commentBefore ? `${item.commentBefore}
${pair.key.commentBefore}` : item.commentBefore;
            if (item.comment) {
              const cn = pair.value ?? pair.key;
              cn.comment = cn.comment ? `${item.comment}
${cn.comment}` : item.comment;
            }
            item = pair;
          }
          seq.items[i] = identity2.isPair(item) ? item : new Pair.Pair(item);
        }
      } else
        onError("Expected a sequence for this tag");
      return seq;
    }
    function createPairs(schema30, iterable, ctx) {
      const { replacer } = ctx;
      const pairs2 = new YAMLSeq.YAMLSeq(schema30);
      pairs2.tag = "tag:yaml.org,2002:pairs";
      let i = 0;
      if (iterable && Symbol.iterator in Object(iterable))
        for (let it of iterable) {
          if (typeof replacer === "function")
            it = replacer.call(iterable, String(i++), it);
          let key, value;
          if (Array.isArray(it)) {
            if (it.length === 2) {
              key = it[0];
              value = it[1];
            } else
              throw new TypeError(`Expected [key, value] tuple: ${it}`);
          } else if (it && it instanceof Object) {
            const keys2 = Object.keys(it);
            if (keys2.length === 1) {
              key = keys2[0];
              value = it[key];
            } else {
              throw new TypeError(`Expected tuple with one key, not ${keys2.length} keys`);
            }
          } else {
            key = it;
          }
          pairs2.items.push(Pair.createPair(key, value, ctx));
        }
      return pairs2;
    }
    var pairs = {
      collection: "seq",
      default: false,
      tag: "tag:yaml.org,2002:pairs",
      resolve: resolvePairs,
      createNode: createPairs
    };
    exports2.createPairs = createPairs;
    exports2.pairs = pairs;
    exports2.resolvePairs = resolvePairs;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/omap.js
var require_omap = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/omap.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    var toJS = require_toJS();
    var YAMLMap = require_YAMLMap();
    var YAMLSeq = require_YAMLSeq();
    var pairs = require_pairs();
    var YAMLOMap = class _YAMLOMap extends YAMLSeq.YAMLSeq {
      constructor() {
        super();
        this.add = YAMLMap.YAMLMap.prototype.add.bind(this);
        this.delete = YAMLMap.YAMLMap.prototype.delete.bind(this);
        this.get = YAMLMap.YAMLMap.prototype.get.bind(this);
        this.has = YAMLMap.YAMLMap.prototype.has.bind(this);
        this.set = YAMLMap.YAMLMap.prototype.set.bind(this);
        this.tag = _YAMLOMap.tag;
      }
      /**
       * If `ctx` is given, the return type is actually `Map`,
       * but TypeScript won't allow widening the signature of a child method.
       */
      toJSON(_, ctx) {
        if (!ctx)
          return super.toJSON(_);
        const map = /* @__PURE__ */ new Map();
        if (ctx?.onCreate)
          ctx.onCreate(map);
        for (const pair of this.items) {
          let key, value;
          if (identity2.isPair(pair)) {
            key = toJS.toJS(pair.key, "", ctx);
            value = toJS.toJS(pair.value, key, ctx);
          } else {
            key = toJS.toJS(pair, "", ctx);
          }
          if (map.has(key))
            throw new Error("Ordered maps must not include duplicate keys");
          map.set(key, value);
        }
        return map;
      }
      static from(schema30, iterable, ctx) {
        const pairs$1 = pairs.createPairs(schema30, iterable, ctx);
        const omap2 = new this();
        omap2.items = pairs$1.items;
        return omap2;
      }
    };
    YAMLOMap.tag = "tag:yaml.org,2002:omap";
    var omap = {
      collection: "seq",
      identify: (value) => value instanceof Map,
      nodeClass: YAMLOMap,
      default: false,
      tag: "tag:yaml.org,2002:omap",
      resolve(seq, onError) {
        const pairs$1 = pairs.resolvePairs(seq, onError);
        const seenKeys = [];
        for (const { key } of pairs$1.items) {
          if (identity2.isScalar(key)) {
            if (seenKeys.includes(key.value)) {
              onError(`Ordered maps must not include duplicate keys: ${key.value}`);
            } else {
              seenKeys.push(key.value);
            }
          }
        }
        return Object.assign(new YAMLOMap(), pairs$1);
      },
      createNode: (schema30, iterable, ctx) => YAMLOMap.from(schema30, iterable, ctx)
    };
    exports2.YAMLOMap = YAMLOMap;
    exports2.omap = omap;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/bool.js
var require_bool2 = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/bool.js"(exports2) {
    "use strict";
    var Scalar = require_Scalar();
    function boolStringify({ value, source }, ctx) {
      const boolObj = value ? trueTag : falseTag;
      if (source && boolObj.test.test(source))
        return source;
      return value ? ctx.options.trueStr : ctx.options.falseStr;
    }
    var trueTag = {
      identify: (value) => value === true,
      default: true,
      tag: "tag:yaml.org,2002:bool",
      test: /^(?:Y|y|[Yy]es|YES|[Tt]rue|TRUE|[Oo]n|ON)$/,
      resolve: () => new Scalar.Scalar(true),
      stringify: boolStringify
    };
    var falseTag = {
      identify: (value) => value === false,
      default: true,
      tag: "tag:yaml.org,2002:bool",
      test: /^(?:N|n|[Nn]o|NO|[Ff]alse|FALSE|[Oo]ff|OFF)$/,
      resolve: () => new Scalar.Scalar(false),
      stringify: boolStringify
    };
    exports2.falseTag = falseTag;
    exports2.trueTag = trueTag;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/float.js
var require_float2 = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/float.js"(exports2) {
    "use strict";
    var Scalar = require_Scalar();
    var stringifyNumber = require_stringifyNumber();
    var floatNaN = {
      identify: (value) => typeof value === "number",
      default: true,
      tag: "tag:yaml.org,2002:float",
      test: /^(?:[-+]?\.(?:inf|Inf|INF)|\.nan|\.NaN|\.NAN)$/,
      resolve: (str) => str.slice(-3).toLowerCase() === "nan" ? NaN : str[0] === "-" ? Number.NEGATIVE_INFINITY : Number.POSITIVE_INFINITY,
      stringify: stringifyNumber.stringifyNumber
    };
    var floatExp = {
      identify: (value) => typeof value === "number",
      default: true,
      tag: "tag:yaml.org,2002:float",
      format: "EXP",
      test: /^[-+]?(?:[0-9][0-9_]*)?(?:\.[0-9_]*)?[eE][-+]?[0-9]+$/,
      resolve: (str) => parseFloat(str.replace(/_/g, "")),
      stringify(node) {
        const num = Number(node.value);
        return isFinite(num) ? num.toExponential() : stringifyNumber.stringifyNumber(node);
      }
    };
    var float = {
      identify: (value) => typeof value === "number",
      default: true,
      tag: "tag:yaml.org,2002:float",
      test: /^[-+]?(?:[0-9][0-9_]*)?\.[0-9_]*$/,
      resolve(str) {
        const node = new Scalar.Scalar(parseFloat(str.replace(/_/g, "")));
        const dot = str.indexOf(".");
        if (dot !== -1) {
          const f = str.substring(dot + 1).replace(/_/g, "");
          if (f[f.length - 1] === "0")
            node.minFractionDigits = f.length;
        }
        return node;
      },
      stringify: stringifyNumber.stringifyNumber
    };
    exports2.float = float;
    exports2.floatExp = floatExp;
    exports2.floatNaN = floatNaN;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/int.js
var require_int2 = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/int.js"(exports2) {
    "use strict";
    var stringifyNumber = require_stringifyNumber();
    var intIdentify = (value) => typeof value === "bigint" || Number.isInteger(value);
    function intResolve(str, offset, radix, { intAsBigInt }) {
      const sign = str[0];
      if (sign === "-" || sign === "+")
        offset += 1;
      str = str.substring(offset).replace(/_/g, "");
      if (intAsBigInt) {
        switch (radix) {
          case 2:
            str = `0b${str}`;
            break;
          case 8:
            str = `0o${str}`;
            break;
          case 16:
            str = `0x${str}`;
            break;
        }
        const n2 = BigInt(str);
        return sign === "-" ? BigInt(-1) * n2 : n2;
      }
      const n = parseInt(str, radix);
      return sign === "-" ? -1 * n : n;
    }
    function intStringify(node, radix, prefix) {
      const { value } = node;
      if (intIdentify(value)) {
        const str = value.toString(radix);
        return value < 0 ? "-" + prefix + str.substr(1) : prefix + str;
      }
      return stringifyNumber.stringifyNumber(node);
    }
    var intBin = {
      identify: intIdentify,
      default: true,
      tag: "tag:yaml.org,2002:int",
      format: "BIN",
      test: /^[-+]?0b[0-1_]+$/,
      resolve: (str, _onError, opt) => intResolve(str, 2, 2, opt),
      stringify: (node) => intStringify(node, 2, "0b")
    };
    var intOct = {
      identify: intIdentify,
      default: true,
      tag: "tag:yaml.org,2002:int",
      format: "OCT",
      test: /^[-+]?0[0-7_]+$/,
      resolve: (str, _onError, opt) => intResolve(str, 1, 8, opt),
      stringify: (node) => intStringify(node, 8, "0")
    };
    var int = {
      identify: intIdentify,
      default: true,
      tag: "tag:yaml.org,2002:int",
      test: /^[-+]?[0-9][0-9_]*$/,
      resolve: (str, _onError, opt) => intResolve(str, 0, 10, opt),
      stringify: stringifyNumber.stringifyNumber
    };
    var intHex = {
      identify: intIdentify,
      default: true,
      tag: "tag:yaml.org,2002:int",
      format: "HEX",
      test: /^[-+]?0x[0-9a-fA-F_]+$/,
      resolve: (str, _onError, opt) => intResolve(str, 2, 16, opt),
      stringify: (node) => intStringify(node, 16, "0x")
    };
    exports2.int = int;
    exports2.intBin = intBin;
    exports2.intHex = intHex;
    exports2.intOct = intOct;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/set.js
var require_set = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/set.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    var Pair = require_Pair();
    var YAMLMap = require_YAMLMap();
    var YAMLSet = class _YAMLSet extends YAMLMap.YAMLMap {
      constructor(schema30) {
        super(schema30);
        this.tag = _YAMLSet.tag;
      }
      add(key) {
        let pair;
        if (identity2.isPair(key))
          pair = key;
        else if (key && typeof key === "object" && "key" in key && "value" in key && key.value === null)
          pair = new Pair.Pair(key.key, null);
        else
          pair = new Pair.Pair(key, null);
        const prev = YAMLMap.findPair(this.items, pair.key);
        if (!prev)
          this.items.push(pair);
      }
      /**
       * If `keepPair` is `true`, returns the Pair matching `key`.
       * Otherwise, returns the value of that Pair's key.
       */
      get(key, keepPair) {
        const pair = YAMLMap.findPair(this.items, key);
        return !keepPair && identity2.isPair(pair) ? identity2.isScalar(pair.key) ? pair.key.value : pair.key : pair;
      }
      set(key, value) {
        if (typeof value !== "boolean")
          throw new Error(`Expected boolean value for set(key, value) in a YAML set, not ${typeof value}`);
        const prev = YAMLMap.findPair(this.items, key);
        if (prev && !value) {
          this.items.splice(this.items.indexOf(prev), 1);
        } else if (!prev && value) {
          this.items.push(new Pair.Pair(key));
        }
      }
      toJSON(_, ctx) {
        return super.toJSON(_, ctx, Set);
      }
      toString(ctx, onComment, onChompKeep) {
        if (!ctx)
          return JSON.stringify(this);
        if (this.hasAllNullValues(true))
          return super.toString(Object.assign({}, ctx, { allNullValues: true }), onComment, onChompKeep);
        else
          throw new Error("Set items must all have null values");
      }
      static from(schema30, iterable, ctx) {
        const { replacer } = ctx;
        const set2 = new this(schema30);
        if (iterable && Symbol.iterator in Object(iterable))
          for (let value of iterable) {
            if (typeof replacer === "function")
              value = replacer.call(iterable, value, value);
            set2.items.push(Pair.createPair(value, null, ctx));
          }
        return set2;
      }
    };
    YAMLSet.tag = "tag:yaml.org,2002:set";
    var set = {
      collection: "map",
      identify: (value) => value instanceof Set,
      nodeClass: YAMLSet,
      default: false,
      tag: "tag:yaml.org,2002:set",
      createNode: (schema30, iterable, ctx) => YAMLSet.from(schema30, iterable, ctx),
      resolve(map, onError) {
        if (identity2.isMap(map)) {
          if (map.hasAllNullValues(true))
            return Object.assign(new YAMLSet(), map);
          else
            onError("Set items must all have null values");
        } else
          onError("Expected a mapping for this tag");
        return map;
      }
    };
    exports2.YAMLSet = YAMLSet;
    exports2.set = set;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/timestamp.js
var require_timestamp = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/timestamp.js"(exports2) {
    "use strict";
    var stringifyNumber = require_stringifyNumber();
    function parseSexagesimal(str, asBigInt) {
      const sign = str[0];
      const parts = sign === "-" || sign === "+" ? str.substring(1) : str;
      const num = (n) => asBigInt ? BigInt(n) : Number(n);
      const res = parts.replace(/_/g, "").split(":").reduce((res2, p) => res2 * num(60) + num(p), num(0));
      return sign === "-" ? num(-1) * res : res;
    }
    function stringifySexagesimal(node) {
      let { value } = node;
      let num = (n) => n;
      if (typeof value === "bigint")
        num = (n) => BigInt(n);
      else if (isNaN(value) || !isFinite(value))
        return stringifyNumber.stringifyNumber(node);
      let sign = "";
      if (value < 0) {
        sign = "-";
        value *= num(-1);
      }
      const _60 = num(60);
      const parts = [value % _60];
      if (value < 60) {
        parts.unshift(0);
      } else {
        value = (value - parts[0]) / _60;
        parts.unshift(value % _60);
        if (value >= 60) {
          value = (value - parts[0]) / _60;
          parts.unshift(value);
        }
      }
      return sign + parts.map((n) => String(n).padStart(2, "0")).join(":").replace(/000000\d*$/, "");
    }
    var intTime = {
      identify: (value) => typeof value === "bigint" || Number.isInteger(value),
      default: true,
      tag: "tag:yaml.org,2002:int",
      format: "TIME",
      test: /^[-+]?[0-9][0-9_]*(?::[0-5]?[0-9])+$/,
      resolve: (str, _onError, { intAsBigInt }) => parseSexagesimal(str, intAsBigInt),
      stringify: stringifySexagesimal
    };
    var floatTime = {
      identify: (value) => typeof value === "number",
      default: true,
      tag: "tag:yaml.org,2002:float",
      format: "TIME",
      test: /^[-+]?[0-9][0-9_]*(?::[0-5]?[0-9])+\.[0-9_]*$/,
      resolve: (str) => parseSexagesimal(str, false),
      stringify: stringifySexagesimal
    };
    var timestamp = {
      identify: (value) => value instanceof Date,
      default: true,
      tag: "tag:yaml.org,2002:timestamp",
      // If the time zone is omitted, the timestamp is assumed to be specified in UTC. The time part
      // may be omitted altogether, resulting in a date format. In such a case, the time part is
      // assumed to be 00:00:00Z (start of day, UTC).
      test: RegExp("^([0-9]{4})-([0-9]{1,2})-([0-9]{1,2})(?:(?:t|T|[ \\t]+)([0-9]{1,2}):([0-9]{1,2}):([0-9]{1,2}(\\.[0-9]+)?)(?:[ \\t]*(Z|[-+][012]?[0-9](?::[0-9]{2})?))?)?$"),
      resolve(str) {
        const match = str.match(timestamp.test);
        if (!match)
          throw new Error("!!timestamp expects a date, starting with yyyy-mm-dd");
        const [, year, month, day, hour, minute, second] = match.map(Number);
        const millisec = match[7] ? Number((match[7] + "00").substr(1, 3)) : 0;
        let date = Date.UTC(year, month - 1, day, hour || 0, minute || 0, second || 0, millisec);
        const tz = match[8];
        if (tz && tz !== "Z") {
          let d = parseSexagesimal(tz, false);
          if (Math.abs(d) < 30)
            d *= 60;
          date -= 6e4 * d;
        }
        return new Date(date);
      },
      stringify: ({ value }) => value.toISOString().replace(/((T00:00)?:00)?\.000Z$/, "")
    };
    exports2.floatTime = floatTime;
    exports2.intTime = intTime;
    exports2.timestamp = timestamp;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/schema.js
var require_schema4 = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/yaml-1.1/schema.js"(exports2) {
    "use strict";
    var map = require_map();
    var _null = require_null();
    var seq = require_seq();
    var string = require_string2();
    var binary = require_binary();
    var bool = require_bool2();
    var float = require_float2();
    var int = require_int2();
    var omap = require_omap();
    var pairs = require_pairs();
    var set = require_set();
    var timestamp = require_timestamp();
    var schema30 = [
      map.map,
      seq.seq,
      string.string,
      _null.nullTag,
      bool.trueTag,
      bool.falseTag,
      int.intBin,
      int.intOct,
      int.int,
      int.intHex,
      float.floatNaN,
      float.floatExp,
      float.float,
      binary.binary,
      omap.omap,
      pairs.pairs,
      set.set,
      timestamp.intTime,
      timestamp.floatTime,
      timestamp.timestamp
    ];
    exports2.schema = schema30;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/tags.js
var require_tags = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/tags.js"(exports2) {
    "use strict";
    var map = require_map();
    var _null = require_null();
    var seq = require_seq();
    var string = require_string2();
    var bool = require_bool();
    var float = require_float();
    var int = require_int();
    var schema30 = require_schema2();
    var schema$1 = require_schema3();
    var binary = require_binary();
    var omap = require_omap();
    var pairs = require_pairs();
    var schema$2 = require_schema4();
    var set = require_set();
    var timestamp = require_timestamp();
    var schemas = /* @__PURE__ */ new Map([
      ["core", schema30.schema],
      ["failsafe", [map.map, seq.seq, string.string]],
      ["json", schema$1.schema],
      ["yaml11", schema$2.schema],
      ["yaml-1.1", schema$2.schema]
    ]);
    var tagsByName = {
      binary: binary.binary,
      bool: bool.boolTag,
      float: float.float,
      floatExp: float.floatExp,
      floatNaN: float.floatNaN,
      floatTime: timestamp.floatTime,
      int: int.int,
      intHex: int.intHex,
      intOct: int.intOct,
      intTime: timestamp.intTime,
      map: map.map,
      null: _null.nullTag,
      omap: omap.omap,
      pairs: pairs.pairs,
      seq: seq.seq,
      set: set.set,
      timestamp: timestamp.timestamp
    };
    var coreKnownTags = {
      "tag:yaml.org,2002:binary": binary.binary,
      "tag:yaml.org,2002:omap": omap.omap,
      "tag:yaml.org,2002:pairs": pairs.pairs,
      "tag:yaml.org,2002:set": set.set,
      "tag:yaml.org,2002:timestamp": timestamp.timestamp
    };
    function getTags(customTags, schemaName) {
      let tags = schemas.get(schemaName);
      if (!tags) {
        if (Array.isArray(customTags))
          tags = [];
        else {
          const keys2 = Array.from(schemas.keys()).filter((key) => key !== "yaml11").map((key) => JSON.stringify(key)).join(", ");
          throw new Error(`Unknown schema "${schemaName}"; use one of ${keys2} or define customTags array`);
        }
      }
      if (Array.isArray(customTags)) {
        for (const tag of customTags)
          tags = tags.concat(tag);
      } else if (typeof customTags === "function") {
        tags = customTags(tags.slice());
      }
      return tags.map((tag) => {
        if (typeof tag !== "string")
          return tag;
        const tagObj = tagsByName[tag];
        if (tagObj)
          return tagObj;
        const keys2 = Object.keys(tagsByName).map((key) => JSON.stringify(key)).join(", ");
        throw new Error(`Unknown custom tag "${tag}"; use one of ${keys2}`);
      });
    }
    exports2.coreKnownTags = coreKnownTags;
    exports2.getTags = getTags;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/Schema.js
var require_Schema = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/schema/Schema.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    var map = require_map();
    var seq = require_seq();
    var string = require_string2();
    var tags = require_tags();
    var sortMapEntriesByKey = (a, b) => a.key < b.key ? -1 : a.key > b.key ? 1 : 0;
    var Schema = class _Schema {
      constructor({ compat: compat4, customTags, merge: merge3, resolveKnownTags, schema: schema30, sortMapEntries, toStringDefaults }) {
        this.compat = Array.isArray(compat4) ? tags.getTags(compat4, "compat") : compat4 ? tags.getTags(null, compat4) : null;
        this.merge = !!merge3;
        this.name = typeof schema30 === "string" && schema30 || "core";
        this.knownTags = resolveKnownTags ? tags.coreKnownTags : {};
        this.tags = tags.getTags(customTags, this.name);
        this.toStringOptions = toStringDefaults ?? null;
        Object.defineProperty(this, identity2.MAP, { value: map.map });
        Object.defineProperty(this, identity2.SCALAR, { value: string.string });
        Object.defineProperty(this, identity2.SEQ, { value: seq.seq });
        this.sortMapEntries = typeof sortMapEntries === "function" ? sortMapEntries : sortMapEntries === true ? sortMapEntriesByKey : null;
      }
      clone() {
        const copy = Object.create(_Schema.prototype, Object.getOwnPropertyDescriptors(this));
        copy.tags = this.tags.slice();
        return copy;
      }
    };
    exports2.Schema = Schema;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/stringify/stringifyDocument.js
var require_stringifyDocument = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/stringify/stringifyDocument.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    var stringify = require_stringify3();
    var stringifyComment = require_stringifyComment();
    function stringifyDocument(doc, options) {
      const lines = [];
      let hasDirectives = options.directives === true;
      if (options.directives !== false && doc.directives) {
        const dir = doc.directives.toString(doc);
        if (dir) {
          lines.push(dir);
          hasDirectives = true;
        } else if (doc.directives.docStart)
          hasDirectives = true;
      }
      if (hasDirectives)
        lines.push("---");
      const ctx = stringify.createStringifyContext(doc, options);
      const { commentString } = ctx.options;
      if (doc.commentBefore) {
        if (lines.length !== 1)
          lines.unshift("");
        const cs = commentString(doc.commentBefore);
        lines.unshift(stringifyComment.indentComment(cs, ""));
      }
      let chompKeep = false;
      let contentComment = null;
      if (doc.contents) {
        if (identity2.isNode(doc.contents)) {
          if (doc.contents.spaceBefore && hasDirectives)
            lines.push("");
          if (doc.contents.commentBefore) {
            const cs = commentString(doc.contents.commentBefore);
            lines.push(stringifyComment.indentComment(cs, ""));
          }
          ctx.forceBlockIndent = !!doc.comment;
          contentComment = doc.contents.comment;
        }
        const onChompKeep = contentComment ? void 0 : () => chompKeep = true;
        let body = stringify.stringify(doc.contents, ctx, () => contentComment = null, onChompKeep);
        if (contentComment)
          body += stringifyComment.lineComment(body, "", commentString(contentComment));
        if ((body[0] === "|" || body[0] === ">") && lines[lines.length - 1] === "---") {
          lines[lines.length - 1] = `--- ${body}`;
        } else
          lines.push(body);
      } else {
        lines.push(stringify.stringify(doc.contents, ctx));
      }
      if (doc.directives?.docEnd) {
        if (doc.comment) {
          const cs = commentString(doc.comment);
          if (cs.includes("\n")) {
            lines.push("...");
            lines.push(stringifyComment.indentComment(cs, ""));
          } else {
            lines.push(`... ${cs}`);
          }
        } else {
          lines.push("...");
        }
      } else {
        let dc = doc.comment;
        if (dc && chompKeep)
          dc = dc.replace(/^\n+/, "");
        if (dc) {
          if ((!chompKeep || contentComment) && lines[lines.length - 1] !== "")
            lines.push("");
          lines.push(stringifyComment.indentComment(commentString(dc), ""));
        }
      }
      return lines.join("\n") + "\n";
    }
    exports2.stringifyDocument = stringifyDocument;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/doc/Document.js
var require_Document = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/doc/Document.js"(exports2) {
    "use strict";
    var Alias = require_Alias();
    var Collection = require_Collection();
    var identity2 = require_identity();
    var Pair = require_Pair();
    var toJS = require_toJS();
    var Schema = require_Schema();
    var stringifyDocument = require_stringifyDocument();
    var anchors = require_anchors();
    var applyReviver = require_applyReviver();
    var createNode = require_createNode();
    var directives = require_directives();
    var Document = class _Document {
      constructor(value, replacer, options) {
        this.commentBefore = null;
        this.comment = null;
        this.errors = [];
        this.warnings = [];
        Object.defineProperty(this, identity2.NODE_TYPE, { value: identity2.DOC });
        let _replacer = null;
        if (typeof replacer === "function" || Array.isArray(replacer)) {
          _replacer = replacer;
        } else if (options === void 0 && replacer) {
          options = replacer;
          replacer = void 0;
        }
        const opt = Object.assign({
          intAsBigInt: false,
          keepSourceTokens: false,
          logLevel: "warn",
          prettyErrors: true,
          strict: true,
          uniqueKeys: true,
          version: "1.2"
        }, options);
        this.options = opt;
        let { version } = opt;
        if (options?._directives) {
          this.directives = options._directives.atDocument();
          if (this.directives.yaml.explicit)
            version = this.directives.yaml.version;
        } else
          this.directives = new directives.Directives({ version });
        this.setSchema(version, options);
        this.contents = value === void 0 ? null : this.createNode(value, _replacer, options);
      }
      /**
       * Create a deep copy of this Document and its contents.
       *
       * Custom Node values that inherit from `Object` still refer to their original instances.
       */
      clone() {
        const copy = Object.create(_Document.prototype, {
          [identity2.NODE_TYPE]: { value: identity2.DOC }
        });
        copy.commentBefore = this.commentBefore;
        copy.comment = this.comment;
        copy.errors = this.errors.slice();
        copy.warnings = this.warnings.slice();
        copy.options = Object.assign({}, this.options);
        if (this.directives)
          copy.directives = this.directives.clone();
        copy.schema = this.schema.clone();
        copy.contents = identity2.isNode(this.contents) ? this.contents.clone(copy.schema) : this.contents;
        if (this.range)
          copy.range = this.range.slice();
        return copy;
      }
      /** Adds a value to the document. */
      add(value) {
        if (assertCollection(this.contents))
          this.contents.add(value);
      }
      /** Adds a value to the document. */
      addIn(path17, value) {
        if (assertCollection(this.contents))
          this.contents.addIn(path17, value);
      }
      /**
       * Create a new `Alias` node, ensuring that the target `node` has the required anchor.
       *
       * If `node` already has an anchor, `name` is ignored.
       * Otherwise, the `node.anchor` value will be set to `name`,
       * or if an anchor with that name is already present in the document,
       * `name` will be used as a prefix for a new unique anchor.
       * If `name` is undefined, the generated anchor will use 'a' as a prefix.
       */
      createAlias(node, name) {
        if (!node.anchor) {
          const prev = anchors.anchorNames(this);
          node.anchor = // eslint-disable-next-line @typescript-eslint/prefer-nullish-coalescing
          !name || prev.has(name) ? anchors.findNewAnchor(name || "a", prev) : name;
        }
        return new Alias.Alias(node.anchor);
      }
      createNode(value, replacer, options) {
        let _replacer = void 0;
        if (typeof replacer === "function") {
          value = replacer.call({ "": value }, "", value);
          _replacer = replacer;
        } else if (Array.isArray(replacer)) {
          const keyToStr = (v) => typeof v === "number" || v instanceof String || v instanceof Number;
          const asStr = replacer.filter(keyToStr).map(String);
          if (asStr.length > 0)
            replacer = replacer.concat(asStr);
          _replacer = replacer;
        } else if (options === void 0 && replacer) {
          options = replacer;
          replacer = void 0;
        }
        const { aliasDuplicateObjects, anchorPrefix, flow, keepUndefined, onTagObj, tag } = options ?? {};
        const { onAnchor, setAnchors, sourceObjects } = anchors.createNodeAnchors(
          this,
          // eslint-disable-next-line @typescript-eslint/prefer-nullish-coalescing
          anchorPrefix || "a"
        );
        const ctx = {
          aliasDuplicateObjects: aliasDuplicateObjects ?? true,
          keepUndefined: keepUndefined ?? false,
          onAnchor,
          onTagObj,
          replacer: _replacer,
          schema: this.schema,
          sourceObjects
        };
        const node = createNode.createNode(value, tag, ctx);
        if (flow && identity2.isCollection(node))
          node.flow = true;
        setAnchors();
        return node;
      }
      /**
       * Convert a key and a value into a `Pair` using the current schema,
       * recursively wrapping all values as `Scalar` or `Collection` nodes.
       */
      createPair(key, value, options = {}) {
        const k = this.createNode(key, null, options);
        const v = this.createNode(value, null, options);
        return new Pair.Pair(k, v);
      }
      /**
       * Removes a value from the document.
       * @returns `true` if the item was found and removed.
       */
      delete(key) {
        return assertCollection(this.contents) ? this.contents.delete(key) : false;
      }
      /**
       * Removes a value from the document.
       * @returns `true` if the item was found and removed.
       */
      deleteIn(path17) {
        if (Collection.isEmptyPath(path17)) {
          if (this.contents == null)
            return false;
          this.contents = null;
          return true;
        }
        return assertCollection(this.contents) ? this.contents.deleteIn(path17) : false;
      }
      /**
       * Returns item at `key`, or `undefined` if not found. By default unwraps
       * scalar values from their surrounding node; to disable set `keepScalar` to
       * `true` (collections are always returned intact).
       */
      get(key, keepScalar) {
        return identity2.isCollection(this.contents) ? this.contents.get(key, keepScalar) : void 0;
      }
      /**
       * Returns item at `path`, or `undefined` if not found. By default unwraps
       * scalar values from their surrounding node; to disable set `keepScalar` to
       * `true` (collections are always returned intact).
       */
      getIn(path17, keepScalar) {
        if (Collection.isEmptyPath(path17))
          return !keepScalar && identity2.isScalar(this.contents) ? this.contents.value : this.contents;
        return identity2.isCollection(this.contents) ? this.contents.getIn(path17, keepScalar) : void 0;
      }
      /**
       * Checks if the document includes a value with the key `key`.
       */
      has(key) {
        return identity2.isCollection(this.contents) ? this.contents.has(key) : false;
      }
      /**
       * Checks if the document includes a value at `path`.
       */
      hasIn(path17) {
        if (Collection.isEmptyPath(path17))
          return this.contents !== void 0;
        return identity2.isCollection(this.contents) ? this.contents.hasIn(path17) : false;
      }
      /**
       * Sets a value in this document. For `!!set`, `value` needs to be a
       * boolean to add/remove the item from the set.
       */
      set(key, value) {
        if (this.contents == null) {
          this.contents = Collection.collectionFromPath(this.schema, [key], value);
        } else if (assertCollection(this.contents)) {
          this.contents.set(key, value);
        }
      }
      /**
       * Sets a value in this document. For `!!set`, `value` needs to be a
       * boolean to add/remove the item from the set.
       */
      setIn(path17, value) {
        if (Collection.isEmptyPath(path17)) {
          this.contents = value;
        } else if (this.contents == null) {
          this.contents = Collection.collectionFromPath(this.schema, Array.from(path17), value);
        } else if (assertCollection(this.contents)) {
          this.contents.setIn(path17, value);
        }
      }
      /**
       * Change the YAML version and schema used by the document.
       * A `null` version disables support for directives, explicit tags, anchors, and aliases.
       * It also requires the `schema` option to be given as a `Schema` instance value.
       *
       * Overrides all previously set schema options.
       */
      setSchema(version, options = {}) {
        if (typeof version === "number")
          version = String(version);
        let opt;
        switch (version) {
          case "1.1":
            if (this.directives)
              this.directives.yaml.version = "1.1";
            else
              this.directives = new directives.Directives({ version: "1.1" });
            opt = { merge: true, resolveKnownTags: false, schema: "yaml-1.1" };
            break;
          case "1.2":
          case "next":
            if (this.directives)
              this.directives.yaml.version = version;
            else
              this.directives = new directives.Directives({ version });
            opt = { merge: false, resolveKnownTags: true, schema: "core" };
            break;
          case null:
            if (this.directives)
              delete this.directives;
            opt = null;
            break;
          default: {
            const sv = JSON.stringify(version);
            throw new Error(`Expected '1.1', '1.2' or null as first argument, but found: ${sv}`);
          }
        }
        if (options.schema instanceof Object)
          this.schema = options.schema;
        else if (opt)
          this.schema = new Schema.Schema(Object.assign(opt, options));
        else
          throw new Error(`With a null YAML version, the { schema: Schema } option is required`);
      }
      // json & jsonArg are only used from toJSON()
      toJS({ json, jsonArg, mapAsMap, maxAliasCount, onAnchor, reviver } = {}) {
        const ctx = {
          anchors: /* @__PURE__ */ new Map(),
          doc: this,
          keep: !json,
          mapAsMap: mapAsMap === true,
          mapKeyWarned: false,
          maxAliasCount: typeof maxAliasCount === "number" ? maxAliasCount : 100
        };
        const res = toJS.toJS(this.contents, jsonArg ?? "", ctx);
        if (typeof onAnchor === "function")
          for (const { count, res: res2 } of ctx.anchors.values())
            onAnchor(res2, count);
        return typeof reviver === "function" ? applyReviver.applyReviver(reviver, { "": res }, "", res) : res;
      }
      /**
       * A JSON representation of the document `contents`.
       *
       * @param jsonArg Used by `JSON.stringify` to indicate the array index or
       *   property name.
       */
      toJSON(jsonArg, onAnchor) {
        return this.toJS({ json: true, jsonArg, mapAsMap: false, onAnchor });
      }
      /** A YAML representation of the document. */
      toString(options = {}) {
        if (this.errors.length > 0)
          throw new Error("Document with errors cannot be stringified");
        if ("indent" in options && (!Number.isInteger(options.indent) || Number(options.indent) <= 0)) {
          const s = JSON.stringify(options.indent);
          throw new Error(`"indent" option must be a positive integer, not ${s}`);
        }
        return stringifyDocument.stringifyDocument(this, options);
      }
    };
    function assertCollection(contents) {
      if (identity2.isCollection(contents))
        return true;
      throw new Error("Expected a YAML collection as document contents");
    }
    exports2.Document = Document;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/errors.js
var require_errors3 = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/errors.js"(exports2) {
    "use strict";
    var YAMLError = class extends Error {
      constructor(name, pos, code, message) {
        super();
        this.name = name;
        this.code = code;
        this.message = message;
        this.pos = pos;
      }
    };
    var YAMLParseError = class extends YAMLError {
      constructor(pos, code, message) {
        super("YAMLParseError", pos, code, message);
      }
    };
    var YAMLWarning = class extends YAMLError {
      constructor(pos, code, message) {
        super("YAMLWarning", pos, code, message);
      }
    };
    var prettifyError = (src, lc) => (error) => {
      if (error.pos[0] === -1)
        return;
      error.linePos = error.pos.map((pos) => lc.linePos(pos));
      const { line, col } = error.linePos[0];
      error.message += ` at line ${line}, column ${col}`;
      let ci2 = col - 1;
      let lineStr = src.substring(lc.lineStarts[line - 1], lc.lineStarts[line]).replace(/[\n\r]+$/, "");
      if (ci2 >= 60 && lineStr.length > 80) {
        const trimStart = Math.min(ci2 - 39, lineStr.length - 79);
        lineStr = "\u2026" + lineStr.substring(trimStart);
        ci2 -= trimStart - 1;
      }
      if (lineStr.length > 80)
        lineStr = lineStr.substring(0, 79) + "\u2026";
      if (line > 1 && /^ *$/.test(lineStr.substring(0, ci2))) {
        let prev = src.substring(lc.lineStarts[line - 2], lc.lineStarts[line - 1]);
        if (prev.length > 80)
          prev = prev.substring(0, 79) + "\u2026\n";
        lineStr = prev + lineStr;
      }
      if (/[^ ]/.test(lineStr)) {
        let count = 1;
        const end = error.linePos[1];
        if (end && end.line === line && end.col > col) {
          count = Math.max(1, Math.min(end.col - col, 80 - ci2));
        }
        const pointer = " ".repeat(ci2) + "^".repeat(count);
        error.message += `:

${lineStr}
${pointer}
`;
      }
    };
    exports2.YAMLError = YAMLError;
    exports2.YAMLParseError = YAMLParseError;
    exports2.YAMLWarning = YAMLWarning;
    exports2.prettifyError = prettifyError;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/resolve-props.js
var require_resolve_props = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/resolve-props.js"(exports2) {
    "use strict";
    function resolveProps(tokens, { flow, indicator, next, offset, onError, parentIndent, startOnNewline }) {
      let spaceBefore = false;
      let atNewline = startOnNewline;
      let hasSpace = startOnNewline;
      let comment = "";
      let commentSep = "";
      let hasNewline = false;
      let reqSpace = false;
      let tab = null;
      let anchor = null;
      let tag = null;
      let newlineAfterProp = null;
      let comma = null;
      let found = null;
      let start = null;
      for (const token of tokens) {
        if (reqSpace) {
          if (token.type !== "space" && token.type !== "newline" && token.type !== "comma")
            onError(token.offset, "MISSING_CHAR", "Tags and anchors must be separated from the next token by white space");
          reqSpace = false;
        }
        if (tab) {
          if (atNewline && token.type !== "comment" && token.type !== "newline") {
            onError(tab, "TAB_AS_INDENT", "Tabs are not allowed as indentation");
          }
          tab = null;
        }
        switch (token.type) {
          case "space":
            if (!flow && (indicator !== "doc-start" || next?.type !== "flow-collection") && token.source.includes("	")) {
              tab = token;
            }
            hasSpace = true;
            break;
          case "comment": {
            if (!hasSpace)
              onError(token, "MISSING_CHAR", "Comments must be separated from other tokens by white space characters");
            const cb = token.source.substring(1) || " ";
            if (!comment)
              comment = cb;
            else
              comment += commentSep + cb;
            commentSep = "";
            atNewline = false;
            break;
          }
          case "newline":
            if (atNewline) {
              if (comment)
                comment += token.source;
              else
                spaceBefore = true;
            } else
              commentSep += token.source;
            atNewline = true;
            hasNewline = true;
            if (anchor || tag)
              newlineAfterProp = token;
            hasSpace = true;
            break;
          case "anchor":
            if (anchor)
              onError(token, "MULTIPLE_ANCHORS", "A node can have at most one anchor");
            if (token.source.endsWith(":"))
              onError(token.offset + token.source.length - 1, "BAD_ALIAS", "Anchor ending in : is ambiguous", true);
            anchor = token;
            if (start === null)
              start = token.offset;
            atNewline = false;
            hasSpace = false;
            reqSpace = true;
            break;
          case "tag": {
            if (tag)
              onError(token, "MULTIPLE_TAGS", "A node can have at most one tag");
            tag = token;
            if (start === null)
              start = token.offset;
            atNewline = false;
            hasSpace = false;
            reqSpace = true;
            break;
          }
          case indicator:
            if (anchor || tag)
              onError(token, "BAD_PROP_ORDER", `Anchors and tags must be after the ${token.source} indicator`);
            if (found)
              onError(token, "UNEXPECTED_TOKEN", `Unexpected ${token.source} in ${flow ?? "collection"}`);
            found = token;
            atNewline = indicator === "seq-item-ind" || indicator === "explicit-key-ind";
            hasSpace = false;
            break;
          case "comma":
            if (flow) {
              if (comma)
                onError(token, "UNEXPECTED_TOKEN", `Unexpected , in ${flow}`);
              comma = token;
              atNewline = false;
              hasSpace = false;
              break;
            }
          default:
            onError(token, "UNEXPECTED_TOKEN", `Unexpected ${token.type} token`);
            atNewline = false;
            hasSpace = false;
        }
      }
      const last = tokens[tokens.length - 1];
      const end = last ? last.offset + last.source.length : offset;
      if (reqSpace && next && next.type !== "space" && next.type !== "newline" && next.type !== "comma" && (next.type !== "scalar" || next.source !== "")) {
        onError(next.offset, "MISSING_CHAR", "Tags and anchors must be separated from the next token by white space");
      }
      if (tab && (atNewline && tab.indent <= parentIndent || next?.type === "block-map" || next?.type === "block-seq"))
        onError(tab, "TAB_AS_INDENT", "Tabs are not allowed as indentation");
      return {
        comma,
        found,
        spaceBefore,
        comment,
        hasNewline,
        anchor,
        tag,
        newlineAfterProp,
        end,
        start: start ?? end
      };
    }
    exports2.resolveProps = resolveProps;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/util-contains-newline.js
var require_util_contains_newline = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/util-contains-newline.js"(exports2) {
    "use strict";
    function containsNewline(key) {
      if (!key)
        return null;
      switch (key.type) {
        case "alias":
        case "scalar":
        case "double-quoted-scalar":
        case "single-quoted-scalar":
          if (key.source.includes("\n"))
            return true;
          if (key.end) {
            for (const st of key.end)
              if (st.type === "newline")
                return true;
          }
          return false;
        case "flow-collection":
          for (const it of key.items) {
            for (const st of it.start)
              if (st.type === "newline")
                return true;
            if (it.sep) {
              for (const st of it.sep)
                if (st.type === "newline")
                  return true;
            }
            if (containsNewline(it.key) || containsNewline(it.value))
              return true;
          }
          return false;
        default:
          return true;
      }
    }
    exports2.containsNewline = containsNewline;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/util-flow-indent-check.js
var require_util_flow_indent_check = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/util-flow-indent-check.js"(exports2) {
    "use strict";
    var utilContainsNewline = require_util_contains_newline();
    function flowIndentCheck(indent, fc, onError) {
      if (fc?.type === "flow-collection") {
        const end = fc.end[0];
        if (end.indent === indent && (end.source === "]" || end.source === "}") && utilContainsNewline.containsNewline(fc)) {
          const msg = "Flow end indicator should be more indented than parent";
          onError(end, "BAD_INDENT", msg, true);
        }
      }
    }
    exports2.flowIndentCheck = flowIndentCheck;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/util-map-includes.js
var require_util_map_includes = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/util-map-includes.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    function mapIncludes(ctx, items, search) {
      const { uniqueKeys } = ctx.options;
      if (uniqueKeys === false)
        return false;
      const isEqual = typeof uniqueKeys === "function" ? uniqueKeys : (a, b) => a === b || identity2.isScalar(a) && identity2.isScalar(b) && a.value === b.value && !(a.value === "<<" && ctx.schema.merge);
      return items.some((pair) => isEqual(pair.key, search));
    }
    exports2.mapIncludes = mapIncludes;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/resolve-block-map.js
var require_resolve_block_map = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/resolve-block-map.js"(exports2) {
    "use strict";
    var Pair = require_Pair();
    var YAMLMap = require_YAMLMap();
    var resolveProps = require_resolve_props();
    var utilContainsNewline = require_util_contains_newline();
    var utilFlowIndentCheck = require_util_flow_indent_check();
    var utilMapIncludes = require_util_map_includes();
    var startColMsg = "All mapping items must start at the same column";
    function resolveBlockMap({ composeNode, composeEmptyNode }, ctx, bm, onError, tag) {
      const NodeClass = tag?.nodeClass ?? YAMLMap.YAMLMap;
      const map = new NodeClass(ctx.schema);
      if (ctx.atRoot)
        ctx.atRoot = false;
      let offset = bm.offset;
      let commentEnd = null;
      for (const collItem of bm.items) {
        const { start, key, sep, value } = collItem;
        const keyProps = resolveProps.resolveProps(start, {
          indicator: "explicit-key-ind",
          next: key ?? sep?.[0],
          offset,
          onError,
          parentIndent: bm.indent,
          startOnNewline: true
        });
        const implicitKey = !keyProps.found;
        if (implicitKey) {
          if (key) {
            if (key.type === "block-seq")
              onError(offset, "BLOCK_AS_IMPLICIT_KEY", "A block sequence may not be used as an implicit map key");
            else if ("indent" in key && key.indent !== bm.indent)
              onError(offset, "BAD_INDENT", startColMsg);
          }
          if (!keyProps.anchor && !keyProps.tag && !sep) {
            commentEnd = keyProps.end;
            if (keyProps.comment) {
              if (map.comment)
                map.comment += "\n" + keyProps.comment;
              else
                map.comment = keyProps.comment;
            }
            continue;
          }
          if (keyProps.newlineAfterProp || utilContainsNewline.containsNewline(key)) {
            onError(key ?? start[start.length - 1], "MULTILINE_IMPLICIT_KEY", "Implicit keys need to be on a single line");
          }
        } else if (keyProps.found?.indent !== bm.indent) {
          onError(offset, "BAD_INDENT", startColMsg);
        }
        const keyStart = keyProps.end;
        const keyNode = key ? composeNode(ctx, key, keyProps, onError) : composeEmptyNode(ctx, keyStart, start, null, keyProps, onError);
        if (ctx.schema.compat)
          utilFlowIndentCheck.flowIndentCheck(bm.indent, key, onError);
        if (utilMapIncludes.mapIncludes(ctx, map.items, keyNode))
          onError(keyStart, "DUPLICATE_KEY", "Map keys must be unique");
        const valueProps = resolveProps.resolveProps(sep ?? [], {
          indicator: "map-value-ind",
          next: value,
          offset: keyNode.range[2],
          onError,
          parentIndent: bm.indent,
          startOnNewline: !key || key.type === "block-scalar"
        });
        offset = valueProps.end;
        if (valueProps.found) {
          if (implicitKey) {
            if (value?.type === "block-map" && !valueProps.hasNewline)
              onError(offset, "BLOCK_AS_IMPLICIT_KEY", "Nested mappings are not allowed in compact mappings");
            if (ctx.options.strict && keyProps.start < valueProps.found.offset - 1024)
              onError(keyNode.range, "KEY_OVER_1024_CHARS", "The : indicator must be at most 1024 chars after the start of an implicit block mapping key");
          }
          const valueNode = value ? composeNode(ctx, value, valueProps, onError) : composeEmptyNode(ctx, offset, sep, null, valueProps, onError);
          if (ctx.schema.compat)
            utilFlowIndentCheck.flowIndentCheck(bm.indent, value, onError);
          offset = valueNode.range[2];
          const pair = new Pair.Pair(keyNode, valueNode);
          if (ctx.options.keepSourceTokens)
            pair.srcToken = collItem;
          map.items.push(pair);
        } else {
          if (implicitKey)
            onError(keyNode.range, "MISSING_CHAR", "Implicit map keys need to be followed by map values");
          if (valueProps.comment) {
            if (keyNode.comment)
              keyNode.comment += "\n" + valueProps.comment;
            else
              keyNode.comment = valueProps.comment;
          }
          const pair = new Pair.Pair(keyNode);
          if (ctx.options.keepSourceTokens)
            pair.srcToken = collItem;
          map.items.push(pair);
        }
      }
      if (commentEnd && commentEnd < offset)
        onError(commentEnd, "IMPOSSIBLE", "Map comment with trailing content");
      map.range = [bm.offset, offset, commentEnd ?? offset];
      return map;
    }
    exports2.resolveBlockMap = resolveBlockMap;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/resolve-block-seq.js
var require_resolve_block_seq = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/resolve-block-seq.js"(exports2) {
    "use strict";
    var YAMLSeq = require_YAMLSeq();
    var resolveProps = require_resolve_props();
    var utilFlowIndentCheck = require_util_flow_indent_check();
    function resolveBlockSeq({ composeNode, composeEmptyNode }, ctx, bs, onError, tag) {
      const NodeClass = tag?.nodeClass ?? YAMLSeq.YAMLSeq;
      const seq = new NodeClass(ctx.schema);
      if (ctx.atRoot)
        ctx.atRoot = false;
      let offset = bs.offset;
      let commentEnd = null;
      for (const { start, value } of bs.items) {
        const props = resolveProps.resolveProps(start, {
          indicator: "seq-item-ind",
          next: value,
          offset,
          onError,
          parentIndent: bs.indent,
          startOnNewline: true
        });
        if (!props.found) {
          if (props.anchor || props.tag || value) {
            if (value && value.type === "block-seq")
              onError(props.end, "BAD_INDENT", "All sequence items must start at the same column");
            else
              onError(offset, "MISSING_CHAR", "Sequence item without - indicator");
          } else {
            commentEnd = props.end;
            if (props.comment)
              seq.comment = props.comment;
            continue;
          }
        }
        const node = value ? composeNode(ctx, value, props, onError) : composeEmptyNode(ctx, props.end, start, null, props, onError);
        if (ctx.schema.compat)
          utilFlowIndentCheck.flowIndentCheck(bs.indent, value, onError);
        offset = node.range[2];
        seq.items.push(node);
      }
      seq.range = [bs.offset, offset, commentEnd ?? offset];
      return seq;
    }
    exports2.resolveBlockSeq = resolveBlockSeq;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/resolve-end.js
var require_resolve_end = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/resolve-end.js"(exports2) {
    "use strict";
    function resolveEnd(end, offset, reqSpace, onError) {
      let comment = "";
      if (end) {
        let hasSpace = false;
        let sep = "";
        for (const token of end) {
          const { source, type } = token;
          switch (type) {
            case "space":
              hasSpace = true;
              break;
            case "comment": {
              if (reqSpace && !hasSpace)
                onError(token, "MISSING_CHAR", "Comments must be separated from other tokens by white space characters");
              const cb = source.substring(1) || " ";
              if (!comment)
                comment = cb;
              else
                comment += sep + cb;
              sep = "";
              break;
            }
            case "newline":
              if (comment)
                sep += source;
              hasSpace = true;
              break;
            default:
              onError(token, "UNEXPECTED_TOKEN", `Unexpected ${type} at node end`);
          }
          offset += source.length;
        }
      }
      return { comment, offset };
    }
    exports2.resolveEnd = resolveEnd;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/resolve-flow-collection.js
var require_resolve_flow_collection = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/resolve-flow-collection.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    var Pair = require_Pair();
    var YAMLMap = require_YAMLMap();
    var YAMLSeq = require_YAMLSeq();
    var resolveEnd = require_resolve_end();
    var resolveProps = require_resolve_props();
    var utilContainsNewline = require_util_contains_newline();
    var utilMapIncludes = require_util_map_includes();
    var blockMsg = "Block collections are not allowed within flow collections";
    var isBlock = (token) => token && (token.type === "block-map" || token.type === "block-seq");
    function resolveFlowCollection({ composeNode, composeEmptyNode }, ctx, fc, onError, tag) {
      const isMap = fc.start.source === "{";
      const fcName = isMap ? "flow map" : "flow sequence";
      const NodeClass = tag?.nodeClass ?? (isMap ? YAMLMap.YAMLMap : YAMLSeq.YAMLSeq);
      const coll = new NodeClass(ctx.schema);
      coll.flow = true;
      const atRoot = ctx.atRoot;
      if (atRoot)
        ctx.atRoot = false;
      let offset = fc.offset + fc.start.source.length;
      for (let i = 0; i < fc.items.length; ++i) {
        const collItem = fc.items[i];
        const { start, key, sep, value } = collItem;
        const props = resolveProps.resolveProps(start, {
          flow: fcName,
          indicator: "explicit-key-ind",
          next: key ?? sep?.[0],
          offset,
          onError,
          parentIndent: fc.indent,
          startOnNewline: false
        });
        if (!props.found) {
          if (!props.anchor && !props.tag && !sep && !value) {
            if (i === 0 && props.comma)
              onError(props.comma, "UNEXPECTED_TOKEN", `Unexpected , in ${fcName}`);
            else if (i < fc.items.length - 1)
              onError(props.start, "UNEXPECTED_TOKEN", `Unexpected empty item in ${fcName}`);
            if (props.comment) {
              if (coll.comment)
                coll.comment += "\n" + props.comment;
              else
                coll.comment = props.comment;
            }
            offset = props.end;
            continue;
          }
          if (!isMap && ctx.options.strict && utilContainsNewline.containsNewline(key))
            onError(
              key,
              // checked by containsNewline()
              "MULTILINE_IMPLICIT_KEY",
              "Implicit keys of flow sequence pairs need to be on a single line"
            );
        }
        if (i === 0) {
          if (props.comma)
            onError(props.comma, "UNEXPECTED_TOKEN", `Unexpected , in ${fcName}`);
        } else {
          if (!props.comma)
            onError(props.start, "MISSING_CHAR", `Missing , between ${fcName} items`);
          if (props.comment) {
            let prevItemComment = "";
            loop: for (const st of start) {
              switch (st.type) {
                case "comma":
                case "space":
                  break;
                case "comment":
                  prevItemComment = st.source.substring(1);
                  break loop;
                default:
                  break loop;
              }
            }
            if (prevItemComment) {
              let prev = coll.items[coll.items.length - 1];
              if (identity2.isPair(prev))
                prev = prev.value ?? prev.key;
              if (prev.comment)
                prev.comment += "\n" + prevItemComment;
              else
                prev.comment = prevItemComment;
              props.comment = props.comment.substring(prevItemComment.length + 1);
            }
          }
        }
        if (!isMap && !sep && !props.found) {
          const valueNode = value ? composeNode(ctx, value, props, onError) : composeEmptyNode(ctx, props.end, sep, null, props, onError);
          coll.items.push(valueNode);
          offset = valueNode.range[2];
          if (isBlock(value))
            onError(valueNode.range, "BLOCK_IN_FLOW", blockMsg);
        } else {
          const keyStart = props.end;
          const keyNode = key ? composeNode(ctx, key, props, onError) : composeEmptyNode(ctx, keyStart, start, null, props, onError);
          if (isBlock(key))
            onError(keyNode.range, "BLOCK_IN_FLOW", blockMsg);
          const valueProps = resolveProps.resolveProps(sep ?? [], {
            flow: fcName,
            indicator: "map-value-ind",
            next: value,
            offset: keyNode.range[2],
            onError,
            parentIndent: fc.indent,
            startOnNewline: false
          });
          if (valueProps.found) {
            if (!isMap && !props.found && ctx.options.strict) {
              if (sep)
                for (const st of sep) {
                  if (st === valueProps.found)
                    break;
                  if (st.type === "newline") {
                    onError(st, "MULTILINE_IMPLICIT_KEY", "Implicit keys of flow sequence pairs need to be on a single line");
                    break;
                  }
                }
              if (props.start < valueProps.found.offset - 1024)
                onError(valueProps.found, "KEY_OVER_1024_CHARS", "The : indicator must be at most 1024 chars after the start of an implicit flow sequence key");
            }
          } else if (value) {
            if ("source" in value && value.source && value.source[0] === ":")
              onError(value, "MISSING_CHAR", `Missing space after : in ${fcName}`);
            else
              onError(valueProps.start, "MISSING_CHAR", `Missing , or : between ${fcName} items`);
          }
          const valueNode = value ? composeNode(ctx, value, valueProps, onError) : valueProps.found ? composeEmptyNode(ctx, valueProps.end, sep, null, valueProps, onError) : null;
          if (valueNode) {
            if (isBlock(value))
              onError(valueNode.range, "BLOCK_IN_FLOW", blockMsg);
          } else if (valueProps.comment) {
            if (keyNode.comment)
              keyNode.comment += "\n" + valueProps.comment;
            else
              keyNode.comment = valueProps.comment;
          }
          const pair = new Pair.Pair(keyNode, valueNode);
          if (ctx.options.keepSourceTokens)
            pair.srcToken = collItem;
          if (isMap) {
            const map = coll;
            if (utilMapIncludes.mapIncludes(ctx, map.items, keyNode))
              onError(keyStart, "DUPLICATE_KEY", "Map keys must be unique");
            map.items.push(pair);
          } else {
            const map = new YAMLMap.YAMLMap(ctx.schema);
            map.flow = true;
            map.items.push(pair);
            coll.items.push(map);
          }
          offset = valueNode ? valueNode.range[2] : valueProps.end;
        }
      }
      const expectedEnd = isMap ? "}" : "]";
      const [ce, ...ee] = fc.end;
      let cePos = offset;
      if (ce && ce.source === expectedEnd)
        cePos = ce.offset + ce.source.length;
      else {
        const name = fcName[0].toUpperCase() + fcName.substring(1);
        const msg = atRoot ? `${name} must end with a ${expectedEnd}` : `${name} in block collection must be sufficiently indented and end with a ${expectedEnd}`;
        onError(offset, atRoot ? "MISSING_CHAR" : "BAD_INDENT", msg);
        if (ce && ce.source.length !== 1)
          ee.unshift(ce);
      }
      if (ee.length > 0) {
        const end = resolveEnd.resolveEnd(ee, cePos, ctx.options.strict, onError);
        if (end.comment) {
          if (coll.comment)
            coll.comment += "\n" + end.comment;
          else
            coll.comment = end.comment;
        }
        coll.range = [fc.offset, cePos, end.offset];
      } else {
        coll.range = [fc.offset, cePos, cePos];
      }
      return coll;
    }
    exports2.resolveFlowCollection = resolveFlowCollection;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/compose-collection.js
var require_compose_collection = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/compose-collection.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    var Scalar = require_Scalar();
    var YAMLMap = require_YAMLMap();
    var YAMLSeq = require_YAMLSeq();
    var resolveBlockMap = require_resolve_block_map();
    var resolveBlockSeq = require_resolve_block_seq();
    var resolveFlowCollection = require_resolve_flow_collection();
    function resolveCollection(CN, ctx, token, onError, tagName, tag) {
      const coll = token.type === "block-map" ? resolveBlockMap.resolveBlockMap(CN, ctx, token, onError, tag) : token.type === "block-seq" ? resolveBlockSeq.resolveBlockSeq(CN, ctx, token, onError, tag) : resolveFlowCollection.resolveFlowCollection(CN, ctx, token, onError, tag);
      const Coll = coll.constructor;
      if (tagName === "!" || tagName === Coll.tagName) {
        coll.tag = Coll.tagName;
        return coll;
      }
      if (tagName)
        coll.tag = tagName;
      return coll;
    }
    function composeCollection(CN, ctx, token, props, onError) {
      const tagToken = props.tag;
      const tagName = !tagToken ? null : ctx.directives.tagName(tagToken.source, (msg) => onError(tagToken, "TAG_RESOLVE_FAILED", msg));
      if (token.type === "block-seq") {
        const { anchor, newlineAfterProp: nl } = props;
        const lastProp = anchor && tagToken ? anchor.offset > tagToken.offset ? anchor : tagToken : anchor ?? tagToken;
        if (lastProp && (!nl || nl.offset < lastProp.offset)) {
          const message = "Missing newline after block sequence props";
          onError(lastProp, "MISSING_CHAR", message);
        }
      }
      const expType = token.type === "block-map" ? "map" : token.type === "block-seq" ? "seq" : token.start.source === "{" ? "map" : "seq";
      if (!tagToken || !tagName || tagName === "!" || tagName === YAMLMap.YAMLMap.tagName && expType === "map" || tagName === YAMLSeq.YAMLSeq.tagName && expType === "seq") {
        return resolveCollection(CN, ctx, token, onError, tagName);
      }
      let tag = ctx.schema.tags.find((t) => t.tag === tagName && t.collection === expType);
      if (!tag) {
        const kt = ctx.schema.knownTags[tagName];
        if (kt && kt.collection === expType) {
          ctx.schema.tags.push(Object.assign({}, kt, { default: false }));
          tag = kt;
        } else {
          if (kt?.collection) {
            onError(tagToken, "BAD_COLLECTION_TYPE", `${kt.tag} used for ${expType} collection, but expects ${kt.collection}`, true);
          } else {
            onError(tagToken, "TAG_RESOLVE_FAILED", `Unresolved tag: ${tagName}`, true);
          }
          return resolveCollection(CN, ctx, token, onError, tagName);
        }
      }
      const coll = resolveCollection(CN, ctx, token, onError, tagName, tag);
      const res = tag.resolve?.(coll, (msg) => onError(tagToken, "TAG_RESOLVE_FAILED", msg), ctx.options) ?? coll;
      const node = identity2.isNode(res) ? res : new Scalar.Scalar(res);
      node.range = coll.range;
      node.tag = tagName;
      if (tag?.format)
        node.format = tag.format;
      return node;
    }
    exports2.composeCollection = composeCollection;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/resolve-block-scalar.js
var require_resolve_block_scalar = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/resolve-block-scalar.js"(exports2) {
    "use strict";
    var Scalar = require_Scalar();
    function resolveBlockScalar(ctx, scalar, onError) {
      const start = scalar.offset;
      const header = parseBlockScalarHeader(scalar, ctx.options.strict, onError);
      if (!header)
        return { value: "", type: null, comment: "", range: [start, start, start] };
      const type = header.mode === ">" ? Scalar.Scalar.BLOCK_FOLDED : Scalar.Scalar.BLOCK_LITERAL;
      const lines = scalar.source ? splitLines(scalar.source) : [];
      let chompStart = lines.length;
      for (let i = lines.length - 1; i >= 0; --i) {
        const content = lines[i][1];
        if (content === "" || content === "\r")
          chompStart = i;
        else
          break;
      }
      if (chompStart === 0) {
        const value2 = header.chomp === "+" && lines.length > 0 ? "\n".repeat(Math.max(1, lines.length - 1)) : "";
        let end2 = start + header.length;
        if (scalar.source)
          end2 += scalar.source.length;
        return { value: value2, type, comment: header.comment, range: [start, end2, end2] };
      }
      let trimIndent = scalar.indent + header.indent;
      let offset = scalar.offset + header.length;
      let contentStart = 0;
      for (let i = 0; i < chompStart; ++i) {
        const [indent, content] = lines[i];
        if (content === "" || content === "\r") {
          if (header.indent === 0 && indent.length > trimIndent)
            trimIndent = indent.length;
        } else {
          if (indent.length < trimIndent) {
            const message = "Block scalars with more-indented leading empty lines must use an explicit indentation indicator";
            onError(offset + indent.length, "MISSING_CHAR", message);
          }
          if (header.indent === 0)
            trimIndent = indent.length;
          contentStart = i;
          if (trimIndent === 0 && !ctx.atRoot) {
            const message = "Block scalar values in collections must be indented";
            onError(offset, "BAD_INDENT", message);
          }
          break;
        }
        offset += indent.length + content.length + 1;
      }
      for (let i = lines.length - 1; i >= chompStart; --i) {
        if (lines[i][0].length > trimIndent)
          chompStart = i + 1;
      }
      let value = "";
      let sep = "";
      let prevMoreIndented = false;
      for (let i = 0; i < contentStart; ++i)
        value += lines[i][0].slice(trimIndent) + "\n";
      for (let i = contentStart; i < chompStart; ++i) {
        let [indent, content] = lines[i];
        offset += indent.length + content.length + 1;
        const crlf = content[content.length - 1] === "\r";
        if (crlf)
          content = content.slice(0, -1);
        if (content && indent.length < trimIndent) {
          const src = header.indent ? "explicit indentation indicator" : "first line";
          const message = `Block scalar lines must not be less indented than their ${src}`;
          onError(offset - content.length - (crlf ? 2 : 1), "BAD_INDENT", message);
          indent = "";
        }
        if (type === Scalar.Scalar.BLOCK_LITERAL) {
          value += sep + indent.slice(trimIndent) + content;
          sep = "\n";
        } else if (indent.length > trimIndent || content[0] === "	") {
          if (sep === " ")
            sep = "\n";
          else if (!prevMoreIndented && sep === "\n")
            sep = "\n\n";
          value += sep + indent.slice(trimIndent) + content;
          sep = "\n";
          prevMoreIndented = true;
        } else if (content === "") {
          if (sep === "\n")
            value += "\n";
          else
            sep = "\n";
        } else {
          value += sep + content;
          sep = " ";
          prevMoreIndented = false;
        }
      }
      switch (header.chomp) {
        case "-":
          break;
        case "+":
          for (let i = chompStart; i < lines.length; ++i)
            value += "\n" + lines[i][0].slice(trimIndent);
          if (value[value.length - 1] !== "\n")
            value += "\n";
          break;
        default:
          value += "\n";
      }
      const end = start + header.length + scalar.source.length;
      return { value, type, comment: header.comment, range: [start, end, end] };
    }
    function parseBlockScalarHeader({ offset, props }, strict, onError) {
      if (props[0].type !== "block-scalar-header") {
        onError(props[0], "IMPOSSIBLE", "Block scalar header not found");
        return null;
      }
      const { source } = props[0];
      const mode = source[0];
      let indent = 0;
      let chomp = "";
      let error = -1;
      for (let i = 1; i < source.length; ++i) {
        const ch = source[i];
        if (!chomp && (ch === "-" || ch === "+"))
          chomp = ch;
        else {
          const n = Number(ch);
          if (!indent && n)
            indent = n;
          else if (error === -1)
            error = offset + i;
        }
      }
      if (error !== -1)
        onError(error, "UNEXPECTED_TOKEN", `Block scalar header includes extra characters: ${source}`);
      let hasSpace = false;
      let comment = "";
      let length = source.length;
      for (let i = 1; i < props.length; ++i) {
        const token = props[i];
        switch (token.type) {
          case "space":
            hasSpace = true;
          case "newline":
            length += token.source.length;
            break;
          case "comment":
            if (strict && !hasSpace) {
              const message = "Comments must be separated from other tokens by white space characters";
              onError(token, "MISSING_CHAR", message);
            }
            length += token.source.length;
            comment = token.source.substring(1);
            break;
          case "error":
            onError(token, "UNEXPECTED_TOKEN", token.message);
            length += token.source.length;
            break;
          default: {
            const message = `Unexpected token in block scalar header: ${token.type}`;
            onError(token, "UNEXPECTED_TOKEN", message);
            const ts = token.source;
            if (ts && typeof ts === "string")
              length += ts.length;
          }
        }
      }
      return { mode, indent, chomp, comment, length };
    }
    function splitLines(source) {
      const split = source.split(/\n( *)/);
      const first = split[0];
      const m = first.match(/^( *)/);
      const line0 = m?.[1] ? [m[1], first.slice(m[1].length)] : ["", first];
      const lines = [line0];
      for (let i = 1; i < split.length; i += 2)
        lines.push([split[i], split[i + 1]]);
      return lines;
    }
    exports2.resolveBlockScalar = resolveBlockScalar;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/resolve-flow-scalar.js
var require_resolve_flow_scalar = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/resolve-flow-scalar.js"(exports2) {
    "use strict";
    var Scalar = require_Scalar();
    var resolveEnd = require_resolve_end();
    function resolveFlowScalar(scalar, strict, onError) {
      const { offset, type, source, end } = scalar;
      let _type;
      let value;
      const _onError = (rel, code, msg) => onError(offset + rel, code, msg);
      switch (type) {
        case "scalar":
          _type = Scalar.Scalar.PLAIN;
          value = plainValue(source, _onError);
          break;
        case "single-quoted-scalar":
          _type = Scalar.Scalar.QUOTE_SINGLE;
          value = singleQuotedValue(source, _onError);
          break;
        case "double-quoted-scalar":
          _type = Scalar.Scalar.QUOTE_DOUBLE;
          value = doubleQuotedValue(source, _onError);
          break;
        default:
          onError(scalar, "UNEXPECTED_TOKEN", `Expected a flow scalar value, but found: ${type}`);
          return {
            value: "",
            type: null,
            comment: "",
            range: [offset, offset + source.length, offset + source.length]
          };
      }
      const valueEnd = offset + source.length;
      const re = resolveEnd.resolveEnd(end, valueEnd, strict, onError);
      return {
        value,
        type: _type,
        comment: re.comment,
        range: [offset, valueEnd, re.offset]
      };
    }
    function plainValue(source, onError) {
      let badChar = "";
      switch (source[0]) {
        case "	":
          badChar = "a tab character";
          break;
        case ",":
          badChar = "flow indicator character ,";
          break;
        case "%":
          badChar = "directive indicator character %";
          break;
        case "|":
        case ">": {
          badChar = `block scalar indicator ${source[0]}`;
          break;
        }
        case "@":
        case "`": {
          badChar = `reserved character ${source[0]}`;
          break;
        }
      }
      if (badChar)
        onError(0, "BAD_SCALAR_START", `Plain value cannot start with ${badChar}`);
      return foldLines(source);
    }
    function singleQuotedValue(source, onError) {
      if (source[source.length - 1] !== "'" || source.length === 1)
        onError(source.length, "MISSING_CHAR", "Missing closing 'quote");
      return foldLines(source.slice(1, -1)).replace(/''/g, "'");
    }
    function foldLines(source) {
      let first, line;
      try {
        first = new RegExp("(.*?)(? wsStart ? source.slice(wsStart, i + 1) : ch;
        } else {
          res += ch;
        }
      }
      if (source[source.length - 1] !== '"' || source.length === 1)
        onError(source.length, "MISSING_CHAR", 'Missing closing "quote');
      return res;
    }
    function foldNewline(source, offset) {
      let fold = "";
      let ch = source[offset + 1];
      while (ch === " " || ch === "	" || ch === "\n" || ch === "\r") {
        if (ch === "\r" && source[offset + 2] !== "\n")
          break;
        if (ch === "\n")
          fold += "\n";
        offset += 1;
        ch = source[offset + 1];
      }
      if (!fold)
        fold = " ";
      return { fold, offset };
    }
    var escapeCodes = {
      "0": "\0",
      // null character
      a: "\x07",
      // bell character
      b: "\b",
      // backspace
      e: "\x1B",
      // escape character
      f: "\f",
      // form feed
      n: "\n",
      // line feed
      r: "\r",
      // carriage return
      t: "	",
      // horizontal tab
      v: "\v",
      // vertical tab
      N: "\x85",
      // Unicode next line
      _: "\xA0",
      // Unicode non-breaking space
      L: "\u2028",
      // Unicode line separator
      P: "\u2029",
      // Unicode paragraph separator
      " ": " ",
      '"': '"',
      "/": "/",
      "\\": "\\",
      "	": "	"
    };
    function parseCharCode(source, offset, length, onError) {
      const cc = source.substr(offset, length);
      const ok = cc.length === length && /^[0-9a-fA-F]+$/.test(cc);
      const code = ok ? parseInt(cc, 16) : NaN;
      if (isNaN(code)) {
        const raw = source.substr(offset - 2, length + 2);
        onError(offset - 2, "BAD_DQ_ESCAPE", `Invalid escape sequence ${raw}`);
        return raw;
      }
      return String.fromCodePoint(code);
    }
    exports2.resolveFlowScalar = resolveFlowScalar;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/compose-scalar.js
var require_compose_scalar = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/compose-scalar.js"(exports2) {
    "use strict";
    var identity2 = require_identity();
    var Scalar = require_Scalar();
    var resolveBlockScalar = require_resolve_block_scalar();
    var resolveFlowScalar = require_resolve_flow_scalar();
    function composeScalar(ctx, token, tagToken, onError) {
      const { value, type, comment, range } = token.type === "block-scalar" ? resolveBlockScalar.resolveBlockScalar(ctx, token, onError) : resolveFlowScalar.resolveFlowScalar(token, ctx.options.strict, onError);
      const tagName = tagToken ? ctx.directives.tagName(tagToken.source, (msg) => onError(tagToken, "TAG_RESOLVE_FAILED", msg)) : null;
      const tag = tagToken && tagName ? findScalarTagByName(ctx.schema, value, tagName, tagToken, onError) : token.type === "scalar" ? findScalarTagByTest(ctx, value, token, onError) : ctx.schema[identity2.SCALAR];
      let scalar;
      try {
        const res = tag.resolve(value, (msg) => onError(tagToken ?? token, "TAG_RESOLVE_FAILED", msg), ctx.options);
        scalar = identity2.isScalar(res) ? res : new Scalar.Scalar(res);
      } catch (error) {
        const msg = error instanceof Error ? error.message : String(error);
        onError(tagToken ?? token, "TAG_RESOLVE_FAILED", msg);
        scalar = new Scalar.Scalar(value);
      }
      scalar.range = range;
      scalar.source = value;
      if (type)
        scalar.type = type;
      if (tagName)
        scalar.tag = tagName;
      if (tag.format)
        scalar.format = tag.format;
      if (comment)
        scalar.comment = comment;
      return scalar;
    }
    function findScalarTagByName(schema30, value, tagName, tagToken, onError) {
      if (tagName === "!")
        return schema30[identity2.SCALAR];
      const matchWithTest = [];
      for (const tag of schema30.tags) {
        if (!tag.collection && tag.tag === tagName) {
          if (tag.default && tag.test)
            matchWithTest.push(tag);
          else
            return tag;
        }
      }
      for (const tag of matchWithTest)
        if (tag.test?.test(value))
          return tag;
      const kt = schema30.knownTags[tagName];
      if (kt && !kt.collection) {
        schema30.tags.push(Object.assign({}, kt, { default: false, test: void 0 }));
        return kt;
      }
      onError(tagToken, "TAG_RESOLVE_FAILED", `Unresolved tag: ${tagName}`, tagName !== "tag:yaml.org,2002:str");
      return schema30[identity2.SCALAR];
    }
    function findScalarTagByTest({ directives, schema: schema30 }, value, token, onError) {
      const tag = schema30.tags.find((tag2) => tag2.default && tag2.test?.test(value)) || schema30[identity2.SCALAR];
      if (schema30.compat) {
        const compat4 = schema30.compat.find((tag2) => tag2.default && tag2.test?.test(value)) ?? schema30[identity2.SCALAR];
        if (tag.tag !== compat4.tag) {
          const ts = directives.tagString(tag.tag);
          const cs = directives.tagString(compat4.tag);
          const msg = `Value may be parsed as either ${ts} or ${cs}`;
          onError(token, "TAG_RESOLVE_FAILED", msg, true);
        }
      }
      return tag;
    }
    exports2.composeScalar = composeScalar;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/util-empty-scalar-position.js
var require_util_empty_scalar_position = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/util-empty-scalar-position.js"(exports2) {
    "use strict";
    function emptyScalarPosition(offset, before, pos) {
      if (before) {
        if (pos === null)
          pos = before.length;
        for (let i = pos - 1; i >= 0; --i) {
          let st = before[i];
          switch (st.type) {
            case "space":
            case "comment":
            case "newline":
              offset -= st.source.length;
              continue;
          }
          st = before[++i];
          while (st?.type === "space") {
            offset += st.source.length;
            st = before[++i];
          }
          break;
        }
      }
      return offset;
    }
    exports2.emptyScalarPosition = emptyScalarPosition;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/compose-node.js
var require_compose_node = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/compose-node.js"(exports2) {
    "use strict";
    var Alias = require_Alias();
    var composeCollection = require_compose_collection();
    var composeScalar = require_compose_scalar();
    var resolveEnd = require_resolve_end();
    var utilEmptyScalarPosition = require_util_empty_scalar_position();
    var CN = { composeNode, composeEmptyNode };
    function composeNode(ctx, token, props, onError) {
      const { spaceBefore, comment, anchor, tag } = props;
      let node;
      let isSrcToken = true;
      switch (token.type) {
        case "alias":
          node = composeAlias(ctx, token, onError);
          if (anchor || tag)
            onError(token, "ALIAS_PROPS", "An alias node must not specify any properties");
          break;
        case "scalar":
        case "single-quoted-scalar":
        case "double-quoted-scalar":
        case "block-scalar":
          node = composeScalar.composeScalar(ctx, token, tag, onError);
          if (anchor)
            node.anchor = anchor.source.substring(1);
          break;
        case "block-map":
        case "block-seq":
        case "flow-collection":
          node = composeCollection.composeCollection(CN, ctx, token, props, onError);
          if (anchor)
            node.anchor = anchor.source.substring(1);
          break;
        default: {
          const message = token.type === "error" ? token.message : `Unsupported token (type: ${token.type})`;
          onError(token, "UNEXPECTED_TOKEN", message);
          node = composeEmptyNode(ctx, token.offset, void 0, null, props, onError);
          isSrcToken = false;
        }
      }
      if (anchor && node.anchor === "")
        onError(anchor, "BAD_ALIAS", "Anchor cannot be an empty string");
      if (spaceBefore)
        node.spaceBefore = true;
      if (comment) {
        if (token.type === "scalar" && token.source === "")
          node.comment = comment;
        else
          node.commentBefore = comment;
      }
      if (ctx.options.keepSourceTokens && isSrcToken)
        node.srcToken = token;
      return node;
    }
    function composeEmptyNode(ctx, offset, before, pos, { spaceBefore, comment, anchor, tag, end }, onError) {
      const token = {
        type: "scalar",
        offset: utilEmptyScalarPosition.emptyScalarPosition(offset, before, pos),
        indent: -1,
        source: ""
      };
      const node = composeScalar.composeScalar(ctx, token, tag, onError);
      if (anchor) {
        node.anchor = anchor.source.substring(1);
        if (node.anchor === "")
          onError(anchor, "BAD_ALIAS", "Anchor cannot be an empty string");
      }
      if (spaceBefore)
        node.spaceBefore = true;
      if (comment) {
        node.comment = comment;
        node.range[2] = end;
      }
      return node;
    }
    function composeAlias({ options }, { offset, source, end }, onError) {
      const alias = new Alias.Alias(source.substring(1));
      if (alias.source === "")
        onError(offset, "BAD_ALIAS", "Alias cannot be an empty string");
      if (alias.source.endsWith(":"))
        onError(offset + source.length - 1, "BAD_ALIAS", "Alias ending in : is ambiguous", true);
      const valueEnd = offset + source.length;
      const re = resolveEnd.resolveEnd(end, valueEnd, options.strict, onError);
      alias.range = [offset, valueEnd, re.offset];
      if (re.comment)
        alias.comment = re.comment;
      return alias;
    }
    exports2.composeEmptyNode = composeEmptyNode;
    exports2.composeNode = composeNode;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/compose-doc.js
var require_compose_doc = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/compose-doc.js"(exports2) {
    "use strict";
    var Document = require_Document();
    var composeNode = require_compose_node();
    var resolveEnd = require_resolve_end();
    var resolveProps = require_resolve_props();
    function composeDoc(options, directives, { offset, start, value, end }, onError) {
      const opts = Object.assign({ _directives: directives }, options);
      const doc = new Document.Document(void 0, opts);
      const ctx = {
        atRoot: true,
        directives: doc.directives,
        options: doc.options,
        schema: doc.schema
      };
      const props = resolveProps.resolveProps(start, {
        indicator: "doc-start",
        next: value ?? end?.[0],
        offset,
        onError,
        parentIndent: 0,
        startOnNewline: true
      });
      if (props.found) {
        doc.directives.docStart = true;
        if (value && (value.type === "block-map" || value.type === "block-seq") && !props.hasNewline)
          onError(props.end, "MISSING_CHAR", "Block collection cannot start on same line with directives-end marker");
      }
      doc.contents = value ? composeNode.composeNode(ctx, value, props, onError) : composeNode.composeEmptyNode(ctx, props.end, start, null, props, onError);
      const contentEnd = doc.contents.range[2];
      const re = resolveEnd.resolveEnd(end, contentEnd, false, onError);
      if (re.comment)
        doc.comment = re.comment;
      doc.range = [offset, contentEnd, re.offset];
      return doc;
    }
    exports2.composeDoc = composeDoc;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/composer.js
var require_composer = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/compose/composer.js"(exports2) {
    "use strict";
    var directives = require_directives();
    var Document = require_Document();
    var errors = require_errors3();
    var identity2 = require_identity();
    var composeDoc = require_compose_doc();
    var resolveEnd = require_resolve_end();
    function getErrorPos(src) {
      if (typeof src === "number")
        return [src, src + 1];
      if (Array.isArray(src))
        return src.length === 2 ? src : [src[0], src[1]];
      const { offset, source } = src;
      return [offset, offset + (typeof source === "string" ? source.length : 1)];
    }
    function parsePrelude(prelude) {
      let comment = "";
      let atComment = false;
      let afterEmptyLine = false;
      for (let i = 0; i < prelude.length; ++i) {
        const source = prelude[i];
        switch (source[0]) {
          case "#":
            comment += (comment === "" ? "" : afterEmptyLine ? "\n\n" : "\n") + (source.substring(1) || " ");
            atComment = true;
            afterEmptyLine = false;
            break;
          case "%":
            if (prelude[i + 1]?.[0] !== "#")
              i += 1;
            atComment = false;
            break;
          default:
            if (!atComment)
              afterEmptyLine = true;
            atComment = false;
        }
      }
      return { comment, afterEmptyLine };
    }
    var Composer = class {
      constructor(options = {}) {
        this.doc = null;
        this.atDirectives = false;
        this.prelude = [];
        this.errors = [];
        this.warnings = [];
        this.onError = (source, code, message, warning) => {
          const pos = getErrorPos(source);
          if (warning)
            this.warnings.push(new errors.YAMLWarning(pos, code, message));
          else
            this.errors.push(new errors.YAMLParseError(pos, code, message));
        };
        this.directives = new directives.Directives({ version: options.version || "1.2" });
        this.options = options;
      }
      decorate(doc, afterDoc) {
        const { comment, afterEmptyLine } = parsePrelude(this.prelude);
        if (comment) {
          const dc = doc.contents;
          if (afterDoc) {
            doc.comment = doc.comment ? `${doc.comment}
${comment}` : comment;
          } else if (afterEmptyLine || doc.directives.docStart || !dc) {
            doc.commentBefore = comment;
          } else if (identity2.isCollection(dc) && !dc.flow && dc.items.length > 0) {
            let it = dc.items[0];
            if (identity2.isPair(it))
              it = it.key;
            const cb = it.commentBefore;
            it.commentBefore = cb ? `${comment}
${cb}` : comment;
          } else {
            const cb = dc.commentBefore;
            dc.commentBefore = cb ? `${comment}
${cb}` : comment;
          }
        }
        if (afterDoc) {
          Array.prototype.push.apply(doc.errors, this.errors);
          Array.prototype.push.apply(doc.warnings, this.warnings);
        } else {
          doc.errors = this.errors;
          doc.warnings = this.warnings;
        }
        this.prelude = [];
        this.errors = [];
        this.warnings = [];
      }
      /**
       * Current stream status information.
       *
       * Mostly useful at the end of input for an empty stream.
       */
      streamInfo() {
        return {
          comment: parsePrelude(this.prelude).comment,
          directives: this.directives,
          errors: this.errors,
          warnings: this.warnings
        };
      }
      /**
       * Compose tokens into documents.
       *
       * @param forceDoc - If the stream contains no document, still emit a final document including any comments and directives that would be applied to a subsequent document.
       * @param endOffset - Should be set if `forceDoc` is also set, to set the document range end and to indicate errors correctly.
       */
      *compose(tokens, forceDoc = false, endOffset = -1) {
        for (const token of tokens)
          yield* this.next(token);
        yield* this.end(forceDoc, endOffset);
      }
      /** Advance the composer by one CST token. */
      *next(token) {
        if (process.env.LOG_STREAM)
          console.dir(token, { depth: null });
        switch (token.type) {
          case "directive":
            this.directives.add(token.source, (offset, message, warning) => {
              const pos = getErrorPos(token);
              pos[0] += offset;
              this.onError(pos, "BAD_DIRECTIVE", message, warning);
            });
            this.prelude.push(token.source);
            this.atDirectives = true;
            break;
          case "document": {
            const doc = composeDoc.composeDoc(this.options, this.directives, token, this.onError);
            if (this.atDirectives && !doc.directives.docStart)
              this.onError(token, "MISSING_CHAR", "Missing directives-end/doc-start indicator line");
            this.decorate(doc, false);
            if (this.doc)
              yield this.doc;
            this.doc = doc;
            this.atDirectives = false;
            break;
          }
          case "byte-order-mark":
          case "space":
            break;
          case "comment":
          case "newline":
            this.prelude.push(token.source);
            break;
          case "error": {
            const msg = token.source ? `${token.message}: ${JSON.stringify(token.source)}` : token.message;
            const error = new errors.YAMLParseError(getErrorPos(token), "UNEXPECTED_TOKEN", msg);
            if (this.atDirectives || !this.doc)
              this.errors.push(error);
            else
              this.doc.errors.push(error);
            break;
          }
          case "doc-end": {
            if (!this.doc) {
              const msg = "Unexpected doc-end without preceding document";
              this.errors.push(new errors.YAMLParseError(getErrorPos(token), "UNEXPECTED_TOKEN", msg));
              break;
            }
            this.doc.directives.docEnd = true;
            const end = resolveEnd.resolveEnd(token.end, token.offset + token.source.length, this.doc.options.strict, this.onError);
            this.decorate(this.doc, true);
            if (end.comment) {
              const dc = this.doc.comment;
              this.doc.comment = dc ? `${dc}
${end.comment}` : end.comment;
            }
            this.doc.range[2] = end.offset;
            break;
          }
          default:
            this.errors.push(new errors.YAMLParseError(getErrorPos(token), "UNEXPECTED_TOKEN", `Unsupported token ${token.type}`));
        }
      }
      /**
       * Call at end of input to yield any remaining document.
       *
       * @param forceDoc - If the stream contains no document, still emit a final document including any comments and directives that would be applied to a subsequent document.
       * @param endOffset - Should be set if `forceDoc` is also set, to set the document range end and to indicate errors correctly.
       */
      *end(forceDoc = false, endOffset = -1) {
        if (this.doc) {
          this.decorate(this.doc, true);
          yield this.doc;
          this.doc = null;
        } else if (forceDoc) {
          const opts = Object.assign({ _directives: this.directives }, this.options);
          const doc = new Document.Document(void 0, opts);
          if (this.atDirectives)
            this.onError(endOffset, "MISSING_CHAR", "Missing directives-end indicator line");
          doc.range = [0, endOffset, endOffset];
          this.decorate(doc, false);
          yield doc;
        }
      }
    };
    exports2.Composer = Composer;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/parse/cst-scalar.js
var require_cst_scalar = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/parse/cst-scalar.js"(exports2) {
    "use strict";
    var resolveBlockScalar = require_resolve_block_scalar();
    var resolveFlowScalar = require_resolve_flow_scalar();
    var errors = require_errors3();
    var stringifyString = require_stringifyString();
    function resolveAsScalar(token, strict = true, onError) {
      if (token) {
        const _onError = (pos, code, message) => {
          const offset = typeof pos === "number" ? pos : Array.isArray(pos) ? pos[0] : pos.offset;
          if (onError)
            onError(offset, code, message);
          else
            throw new errors.YAMLParseError([offset, offset + 1], code, message);
        };
        switch (token.type) {
          case "scalar":
          case "single-quoted-scalar":
          case "double-quoted-scalar":
            return resolveFlowScalar.resolveFlowScalar(token, strict, _onError);
          case "block-scalar":
            return resolveBlockScalar.resolveBlockScalar({ options: { strict } }, token, _onError);
        }
      }
      return null;
    }
    function createScalarToken(value, context) {
      const { implicitKey = false, indent, inFlow = false, offset = -1, type = "PLAIN" } = context;
      const source = stringifyString.stringifyString({ type, value }, {
        implicitKey,
        indent: indent > 0 ? " ".repeat(indent) : "",
        inFlow,
        options: { blockQuote: true, lineWidth: -1 }
      });
      const end = context.end ?? [
        { type: "newline", offset: -1, indent, source: "\n" }
      ];
      switch (source[0]) {
        case "|":
        case ">": {
          const he = source.indexOf("\n");
          const head = source.substring(0, he);
          const body = source.substring(he + 1) + "\n";
          const props = [
            { type: "block-scalar-header", offset, indent, source: head }
          ];
          if (!addEndtoBlockProps(props, end))
            props.push({ type: "newline", offset: -1, indent, source: "\n" });
          return { type: "block-scalar", offset, indent, props, source: body };
        }
        case '"':
          return { type: "double-quoted-scalar", offset, indent, source, end };
        case "'":
          return { type: "single-quoted-scalar", offset, indent, source, end };
        default:
          return { type: "scalar", offset, indent, source, end };
      }
    }
    function setScalarValue(token, value, context = {}) {
      let { afterKey = false, implicitKey = false, inFlow = false, type } = context;
      let indent = "indent" in token ? token.indent : null;
      if (afterKey && typeof indent === "number")
        indent += 2;
      if (!type)
        switch (token.type) {
          case "single-quoted-scalar":
            type = "QUOTE_SINGLE";
            break;
          case "double-quoted-scalar":
            type = "QUOTE_DOUBLE";
            break;
          case "block-scalar": {
            const header = token.props[0];
            if (header.type !== "block-scalar-header")
              throw new Error("Invalid block scalar header");
            type = header.source[0] === ">" ? "BLOCK_FOLDED" : "BLOCK_LITERAL";
            break;
          }
          default:
            type = "PLAIN";
        }
      const source = stringifyString.stringifyString({ type, value }, {
        implicitKey: implicitKey || indent === null,
        indent: indent !== null && indent > 0 ? " ".repeat(indent) : "",
        inFlow,
        options: { blockQuote: true, lineWidth: -1 }
      });
      switch (source[0]) {
        case "|":
        case ">":
          setBlockScalarValue(token, source);
          break;
        case '"':
          setFlowScalarValue(token, source, "double-quoted-scalar");
          break;
        case "'":
          setFlowScalarValue(token, source, "single-quoted-scalar");
          break;
        default:
          setFlowScalarValue(token, source, "scalar");
      }
    }
    function setBlockScalarValue(token, source) {
      const he = source.indexOf("\n");
      const head = source.substring(0, he);
      const body = source.substring(he + 1) + "\n";
      if (token.type === "block-scalar") {
        const header = token.props[0];
        if (header.type !== "block-scalar-header")
          throw new Error("Invalid block scalar header");
        header.source = head;
        token.source = body;
      } else {
        const { offset } = token;
        const indent = "indent" in token ? token.indent : -1;
        const props = [
          { type: "block-scalar-header", offset, indent, source: head }
        ];
        if (!addEndtoBlockProps(props, "end" in token ? token.end : void 0))
          props.push({ type: "newline", offset: -1, indent, source: "\n" });
        for (const key of Object.keys(token))
          if (key !== "type" && key !== "offset")
            delete token[key];
        Object.assign(token, { type: "block-scalar", indent, props, source: body });
      }
    }
    function addEndtoBlockProps(props, end) {
      if (end)
        for (const st of end)
          switch (st.type) {
            case "space":
            case "comment":
              props.push(st);
              break;
            case "newline":
              props.push(st);
              return true;
          }
      return false;
    }
    function setFlowScalarValue(token, source, type) {
      switch (token.type) {
        case "scalar":
        case "double-quoted-scalar":
        case "single-quoted-scalar":
          token.type = type;
          token.source = source;
          break;
        case "block-scalar": {
          const end = token.props.slice(1);
          let oa = source.length;
          if (token.props[0].type === "block-scalar-header")
            oa -= token.props[0].source.length;
          for (const tok of end)
            tok.offset += oa;
          delete token.props;
          Object.assign(token, { type, source, end });
          break;
        }
        case "block-map":
        case "block-seq": {
          const offset = token.offset + source.length;
          const nl = { type: "newline", offset, indent: token.indent, source: "\n" };
          delete token.items;
          Object.assign(token, { type, source, end: [nl] });
          break;
        }
        default: {
          const indent = "indent" in token ? token.indent : -1;
          const end = "end" in token && Array.isArray(token.end) ? token.end.filter((st) => st.type === "space" || st.type === "comment" || st.type === "newline") : [];
          for (const key of Object.keys(token))
            if (key !== "type" && key !== "offset")
              delete token[key];
          Object.assign(token, { type, indent, source, end });
        }
      }
    }
    exports2.createScalarToken = createScalarToken;
    exports2.resolveAsScalar = resolveAsScalar;
    exports2.setScalarValue = setScalarValue;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/parse/cst-stringify.js
var require_cst_stringify = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/parse/cst-stringify.js"(exports2) {
    "use strict";
    var stringify = (cst) => "type" in cst ? stringifyToken(cst) : stringifyItem(cst);
    function stringifyToken(token) {
      switch (token.type) {
        case "block-scalar": {
          let res = "";
          for (const tok of token.props)
            res += stringifyToken(tok);
          return res + token.source;
        }
        case "block-map":
        case "block-seq": {
          let res = "";
          for (const item of token.items)
            res += stringifyItem(item);
          return res;
        }
        case "flow-collection": {
          let res = token.start.source;
          for (const item of token.items)
            res += stringifyItem(item);
          for (const st of token.end)
            res += st.source;
          return res;
        }
        case "document": {
          let res = stringifyItem(token);
          if (token.end)
            for (const st of token.end)
              res += st.source;
          return res;
        }
        default: {
          let res = token.source;
          if ("end" in token && token.end)
            for (const st of token.end)
              res += st.source;
          return res;
        }
      }
    }
    function stringifyItem({ start, key, sep, value }) {
      let res = "";
      for (const st of start)
        res += st.source;
      if (key)
        res += stringifyToken(key);
      if (sep)
        for (const st of sep)
          res += st.source;
      if (value)
        res += stringifyToken(value);
      return res;
    }
    exports2.stringify = stringify;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/parse/cst-visit.js
var require_cst_visit = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/parse/cst-visit.js"(exports2) {
    "use strict";
    var BREAK = Symbol("break visit");
    var SKIP = Symbol("skip children");
    var REMOVE = Symbol("remove item");
    function visit(cst, visitor2) {
      if ("type" in cst && cst.type === "document")
        cst = { start: cst.start, value: cst.value };
      _visit(Object.freeze([]), cst, visitor2);
    }
    visit.BREAK = BREAK;
    visit.SKIP = SKIP;
    visit.REMOVE = REMOVE;
    visit.itemAtPath = (cst, path17) => {
      let item = cst;
      for (const [field, index] of path17) {
        const tok = item?.[field];
        if (tok && "items" in tok) {
          item = tok.items[index];
        } else
          return void 0;
      }
      return item;
    };
    visit.parentCollection = (cst, path17) => {
      const parent = visit.itemAtPath(cst, path17.slice(0, -1));
      const field = path17[path17.length - 1][0];
      const coll = parent?.[field];
      if (coll && "items" in coll)
        return coll;
      throw new Error("Parent collection not found");
    };
    function _visit(path17, item, visitor2) {
      let ctrl = visitor2(item, path17);
      if (typeof ctrl === "symbol")
        return ctrl;
      for (const field of ["key", "value"]) {
        const token = item[field];
        if (token && "items" in token) {
          for (let i = 0; i < token.items.length; ++i) {
            const ci2 = _visit(Object.freeze(path17.concat([[field, i]])), token.items[i], visitor2);
            if (typeof ci2 === "number")
              i = ci2 - 1;
            else if (ci2 === BREAK)
              return BREAK;
            else if (ci2 === REMOVE) {
              token.items.splice(i, 1);
              i -= 1;
            }
          }
          if (typeof ctrl === "function" && field === "key")
            ctrl = ctrl(item, path17);
        }
      }
      return typeof ctrl === "function" ? ctrl(item, path17) : ctrl;
    }
    exports2.visit = visit;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/parse/cst.js
var require_cst = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/parse/cst.js"(exports2) {
    "use strict";
    var cstScalar = require_cst_scalar();
    var cstStringify = require_cst_stringify();
    var cstVisit = require_cst_visit();
    var BOM = "\uFEFF";
    var DOCUMENT = "";
    var FLOW_END = "";
    var SCALAR = "";
    var isCollection = (token) => !!token && "items" in token;
    var isScalar = (token) => !!token && (token.type === "scalar" || token.type === "single-quoted-scalar" || token.type === "double-quoted-scalar" || token.type === "block-scalar");
    function prettyToken(token) {
      switch (token) {
        case BOM:
          return "";
        case DOCUMENT:
          return "";
        case FLOW_END:
          return "";
        case SCALAR:
          return "";
        default:
          return JSON.stringify(token);
      }
    }
    function tokenType(source) {
      switch (source) {
        case BOM:
          return "byte-order-mark";
        case DOCUMENT:
          return "doc-mode";
        case FLOW_END:
          return "flow-error-end";
        case SCALAR:
          return "scalar";
        case "---":
          return "doc-start";
        case "...":
          return "doc-end";
        case "":
        case "\n":
        case "\r\n":
          return "newline";
        case "-":
          return "seq-item-ind";
        case "?":
          return "explicit-key-ind";
        case ":":
          return "map-value-ind";
        case "{":
          return "flow-map-start";
        case "}":
          return "flow-map-end";
        case "[":
          return "flow-seq-start";
        case "]":
          return "flow-seq-end";
        case ",":
          return "comma";
      }
      switch (source[0]) {
        case " ":
        case "	":
          return "space";
        case "#":
          return "comment";
        case "%":
          return "directive-line";
        case "*":
          return "alias";
        case "&":
          return "anchor";
        case "!":
          return "tag";
        case "'":
          return "single-quoted-scalar";
        case '"':
          return "double-quoted-scalar";
        case "|":
        case ">":
          return "block-scalar-header";
      }
      return null;
    }
    exports2.createScalarToken = cstScalar.createScalarToken;
    exports2.resolveAsScalar = cstScalar.resolveAsScalar;
    exports2.setScalarValue = cstScalar.setScalarValue;
    exports2.stringify = cstStringify.stringify;
    exports2.visit = cstVisit.visit;
    exports2.BOM = BOM;
    exports2.DOCUMENT = DOCUMENT;
    exports2.FLOW_END = FLOW_END;
    exports2.SCALAR = SCALAR;
    exports2.isCollection = isCollection;
    exports2.isScalar = isScalar;
    exports2.prettyToken = prettyToken;
    exports2.tokenType = tokenType;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/parse/lexer.js
var require_lexer = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/parse/lexer.js"(exports2) {
    "use strict";
    var cst = require_cst();
    function isEmpty2(ch) {
      switch (ch) {
        case void 0:
        case " ":
        case "\n":
        case "\r":
        case "	":
          return true;
        default:
          return false;
      }
    }
    var hexDigits = new Set("0123456789ABCDEFabcdef");
    var tagChars = new Set("0123456789ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz-#;/?:@&=+$_.!~*'()");
    var flowIndicatorChars = new Set(",[]{}");
    var invalidAnchorChars = new Set(" ,[]{}\n\r	");
    var isNotAnchorChar = (ch) => !ch || invalidAnchorChars.has(ch);
    var Lexer = class {
      constructor() {
        this.atEnd = false;
        this.blockScalarIndent = -1;
        this.blockScalarKeep = false;
        this.buffer = "";
        this.flowKey = false;
        this.flowLevel = 0;
        this.indentNext = 0;
        this.indentValue = 0;
        this.lineEndPos = null;
        this.next = null;
        this.pos = 0;
      }
      /**
       * Generate YAML tokens from the `source` string. If `incomplete`,
       * a part of the last line may be left as a buffer for the next call.
       *
       * @returns A generator of lexical tokens
       */
      *lex(source, incomplete = false) {
        if (source) {
          if (typeof source !== "string")
            throw TypeError("source is not a string");
          this.buffer = this.buffer ? this.buffer + source : source;
          this.lineEndPos = null;
        }
        this.atEnd = !incomplete;
        let next = this.next ?? "stream";
        while (next && (incomplete || this.hasChars(1)))
          next = yield* this.parseNext(next);
      }
      atLineEnd() {
        let i = this.pos;
        let ch = this.buffer[i];
        while (ch === " " || ch === "	")
          ch = this.buffer[++i];
        if (!ch || ch === "#" || ch === "\n")
          return true;
        if (ch === "\r")
          return this.buffer[i + 1] === "\n";
        return false;
      }
      charAt(n) {
        return this.buffer[this.pos + n];
      }
      continueScalar(offset) {
        let ch = this.buffer[offset];
        if (this.indentNext > 0) {
          let indent = 0;
          while (ch === " ")
            ch = this.buffer[++indent + offset];
          if (ch === "\r") {
            const next = this.buffer[indent + offset + 1];
            if (next === "\n" || !next && !this.atEnd)
              return offset + indent + 1;
          }
          return ch === "\n" || indent >= this.indentNext || !ch && !this.atEnd ? offset + indent : -1;
        }
        if (ch === "-" || ch === ".") {
          const dt = this.buffer.substr(offset, 3);
          if ((dt === "---" || dt === "...") && isEmpty2(this.buffer[offset + 3]))
            return -1;
        }
        return offset;
      }
      getLine() {
        let end = this.lineEndPos;
        if (typeof end !== "number" || end !== -1 && end < this.pos) {
          end = this.buffer.indexOf("\n", this.pos);
          this.lineEndPos = end;
        }
        if (end === -1)
          return this.atEnd ? this.buffer.substring(this.pos) : null;
        if (this.buffer[end - 1] === "\r")
          end -= 1;
        return this.buffer.substring(this.pos, end);
      }
      hasChars(n) {
        return this.pos + n <= this.buffer.length;
      }
      setNext(state) {
        this.buffer = this.buffer.substring(this.pos);
        this.pos = 0;
        this.lineEndPos = null;
        this.next = state;
        return null;
      }
      peek(n) {
        return this.buffer.substr(this.pos, n);
      }
      *parseNext(next) {
        switch (next) {
          case "stream":
            return yield* this.parseStream();
          case "line-start":
            return yield* this.parseLineStart();
          case "block-start":
            return yield* this.parseBlockStart();
          case "doc":
            return yield* this.parseDocument();
          case "flow":
            return yield* this.parseFlowCollection();
          case "quoted-scalar":
            return yield* this.parseQuotedScalar();
          case "block-scalar":
            return yield* this.parseBlockScalar();
          case "plain-scalar":
            return yield* this.parsePlainScalar();
        }
      }
      *parseStream() {
        let line = this.getLine();
        if (line === null)
          return this.setNext("stream");
        if (line[0] === cst.BOM) {
          yield* this.pushCount(1);
          line = line.substring(1);
        }
        if (line[0] === "%") {
          let dirEnd = line.length;
          let cs = line.indexOf("#");
          while (cs !== -1) {
            const ch = line[cs - 1];
            if (ch === " " || ch === "	") {
              dirEnd = cs - 1;
              break;
            } else {
              cs = line.indexOf("#", cs + 1);
            }
          }
          while (true) {
            const ch = line[dirEnd - 1];
            if (ch === " " || ch === "	")
              dirEnd -= 1;
            else
              break;
          }
          const n = (yield* this.pushCount(dirEnd)) + (yield* this.pushSpaces(true));
          yield* this.pushCount(line.length - n);
          this.pushNewline();
          return "stream";
        }
        if (this.atLineEnd()) {
          const sp = yield* this.pushSpaces(true);
          yield* this.pushCount(line.length - sp);
          yield* this.pushNewline();
          return "stream";
        }
        yield cst.DOCUMENT;
        return yield* this.parseLineStart();
      }
      *parseLineStart() {
        const ch = this.charAt(0);
        if (!ch && !this.atEnd)
          return this.setNext("line-start");
        if (ch === "-" || ch === ".") {
          if (!this.atEnd && !this.hasChars(4))
            return this.setNext("line-start");
          const s = this.peek(3);
          if ((s === "---" || s === "...") && isEmpty2(this.charAt(3))) {
            yield* this.pushCount(3);
            this.indentValue = 0;
            this.indentNext = 0;
            return s === "---" ? "doc" : "stream";
          }
        }
        this.indentValue = yield* this.pushSpaces(false);
        if (this.indentNext > this.indentValue && !isEmpty2(this.charAt(1)))
          this.indentNext = this.indentValue;
        return yield* this.parseBlockStart();
      }
      *parseBlockStart() {
        const [ch0, ch1] = this.peek(2);
        if (!ch1 && !this.atEnd)
          return this.setNext("block-start");
        if ((ch0 === "-" || ch0 === "?" || ch0 === ":") && isEmpty2(ch1)) {
          const n = (yield* this.pushCount(1)) + (yield* this.pushSpaces(true));
          this.indentNext = this.indentValue + 1;
          this.indentValue += n;
          return yield* this.parseBlockStart();
        }
        return "doc";
      }
      *parseDocument() {
        yield* this.pushSpaces(true);
        const line = this.getLine();
        if (line === null)
          return this.setNext("doc");
        let n = yield* this.pushIndicators();
        switch (line[n]) {
          case "#":
            yield* this.pushCount(line.length - n);
          case void 0:
            yield* this.pushNewline();
            return yield* this.parseLineStart();
          case "{":
          case "[":
            yield* this.pushCount(1);
            this.flowKey = false;
            this.flowLevel = 1;
            return "flow";
          case "}":
          case "]":
            yield* this.pushCount(1);
            return "doc";
          case "*":
            yield* this.pushUntil(isNotAnchorChar);
            return "doc";
          case '"':
          case "'":
            return yield* this.parseQuotedScalar();
          case "|":
          case ">":
            n += yield* this.parseBlockScalarHeader();
            n += yield* this.pushSpaces(true);
            yield* this.pushCount(line.length - n);
            yield* this.pushNewline();
            return yield* this.parseBlockScalar();
          default:
            return yield* this.parsePlainScalar();
        }
      }
      *parseFlowCollection() {
        let nl, sp;
        let indent = -1;
        do {
          nl = yield* this.pushNewline();
          if (nl > 0) {
            sp = yield* this.pushSpaces(false);
            this.indentValue = indent = sp;
          } else {
            sp = 0;
          }
          sp += yield* this.pushSpaces(true);
        } while (nl + sp > 0);
        const line = this.getLine();
        if (line === null)
          return this.setNext("flow");
        if (indent !== -1 && indent < this.indentNext && line[0] !== "#" || indent === 0 && (line.startsWith("---") || line.startsWith("...")) && isEmpty2(line[3])) {
          const atFlowEndMarker = indent === this.indentNext - 1 && this.flowLevel === 1 && (line[0] === "]" || line[0] === "}");
          if (!atFlowEndMarker) {
            this.flowLevel = 0;
            yield cst.FLOW_END;
            return yield* this.parseLineStart();
          }
        }
        let n = 0;
        while (line[n] === ",") {
          n += yield* this.pushCount(1);
          n += yield* this.pushSpaces(true);
          this.flowKey = false;
        }
        n += yield* this.pushIndicators();
        switch (line[n]) {
          case void 0:
            return "flow";
          case "#":
            yield* this.pushCount(line.length - n);
            return "flow";
          case "{":
          case "[":
            yield* this.pushCount(1);
            this.flowKey = false;
            this.flowLevel += 1;
            return "flow";
          case "}":
          case "]":
            yield* this.pushCount(1);
            this.flowKey = true;
            this.flowLevel -= 1;
            return this.flowLevel ? "flow" : "doc";
          case "*":
            yield* this.pushUntil(isNotAnchorChar);
            return "flow";
          case '"':
          case "'":
            this.flowKey = true;
            return yield* this.parseQuotedScalar();
          case ":": {
            const next = this.charAt(1);
            if (this.flowKey || isEmpty2(next) || next === ",") {
              this.flowKey = false;
              yield* this.pushCount(1);
              yield* this.pushSpaces(true);
              return "flow";
            }
          }
          default:
            this.flowKey = false;
            return yield* this.parsePlainScalar();
        }
      }
      *parseQuotedScalar() {
        const quote = this.charAt(0);
        let end = this.buffer.indexOf(quote, this.pos + 1);
        if (quote === "'") {
          while (end !== -1 && this.buffer[end + 1] === "'")
            end = this.buffer.indexOf("'", end + 2);
        } else {
          while (end !== -1) {
            let n = 0;
            while (this.buffer[end - 1 - n] === "\\")
              n += 1;
            if (n % 2 === 0)
              break;
            end = this.buffer.indexOf('"', end + 1);
          }
        }
        const qb = this.buffer.substring(0, end);
        let nl = qb.indexOf("\n", this.pos);
        if (nl !== -1) {
          while (nl !== -1) {
            const cs = this.continueScalar(nl + 1);
            if (cs === -1)
              break;
            nl = qb.indexOf("\n", cs);
          }
          if (nl !== -1) {
            end = nl - (qb[nl - 1] === "\r" ? 2 : 1);
          }
        }
        if (end === -1) {
          if (!this.atEnd)
            return this.setNext("quoted-scalar");
          end = this.buffer.length;
        }
        yield* this.pushToIndex(end + 1, false);
        return this.flowLevel ? "flow" : "doc";
      }
      *parseBlockScalarHeader() {
        this.blockScalarIndent = -1;
        this.blockScalarKeep = false;
        let i = this.pos;
        while (true) {
          const ch = this.buffer[++i];
          if (ch === "+")
            this.blockScalarKeep = true;
          else if (ch > "0" && ch <= "9")
            this.blockScalarIndent = Number(ch) - 1;
          else if (ch !== "-")
            break;
        }
        return yield* this.pushUntil((ch) => isEmpty2(ch) || ch === "#");
      }
      *parseBlockScalar() {
        let nl = this.pos - 1;
        let indent = 0;
        let ch;
        loop: for (let i2 = this.pos; ch = this.buffer[i2]; ++i2) {
          switch (ch) {
            case " ":
              indent += 1;
              break;
            case "\n":
              nl = i2;
              indent = 0;
              break;
            case "\r": {
              const next = this.buffer[i2 + 1];
              if (!next && !this.atEnd)
                return this.setNext("block-scalar");
              if (next === "\n")
                break;
            }
            default:
              break loop;
          }
        }
        if (!ch && !this.atEnd)
          return this.setNext("block-scalar");
        if (indent >= this.indentNext) {
          if (this.blockScalarIndent === -1)
            this.indentNext = indent;
          else {
            this.indentNext = this.blockScalarIndent + (this.indentNext === 0 ? 1 : this.indentNext);
          }
          do {
            const cs = this.continueScalar(nl + 1);
            if (cs === -1)
              break;
            nl = this.buffer.indexOf("\n", cs);
          } while (nl !== -1);
          if (nl === -1) {
            if (!this.atEnd)
              return this.setNext("block-scalar");
            nl = this.buffer.length;
          }
        }
        let i = nl + 1;
        ch = this.buffer[i];
        while (ch === " ")
          ch = this.buffer[++i];
        if (ch === "	") {
          while (ch === "	" || ch === " " || ch === "\r" || ch === "\n")
            ch = this.buffer[++i];
          nl = i - 1;
        } else if (!this.blockScalarKeep) {
          do {
            let i2 = nl - 1;
            let ch2 = this.buffer[i2];
            if (ch2 === "\r")
              ch2 = this.buffer[--i2];
            const lastChar = i2;
            while (ch2 === " ")
              ch2 = this.buffer[--i2];
            if (ch2 === "\n" && i2 >= this.pos && i2 + 1 + indent > lastChar)
              nl = i2;
            else
              break;
          } while (true);
        }
        yield cst.SCALAR;
        yield* this.pushToIndex(nl + 1, true);
        return yield* this.parseLineStart();
      }
      *parsePlainScalar() {
        const inFlow = this.flowLevel > 0;
        let end = this.pos - 1;
        let i = this.pos - 1;
        let ch;
        while (ch = this.buffer[++i]) {
          if (ch === ":") {
            const next = this.buffer[i + 1];
            if (isEmpty2(next) || inFlow && flowIndicatorChars.has(next))
              break;
            end = i;
          } else if (isEmpty2(ch)) {
            let next = this.buffer[i + 1];
            if (ch === "\r") {
              if (next === "\n") {
                i += 1;
                ch = "\n";
                next = this.buffer[i + 1];
              } else
                end = i;
            }
            if (next === "#" || inFlow && flowIndicatorChars.has(next))
              break;
            if (ch === "\n") {
              const cs = this.continueScalar(i + 1);
              if (cs === -1)
                break;
              i = Math.max(i, cs - 2);
            }
          } else {
            if (inFlow && flowIndicatorChars.has(ch))
              break;
            end = i;
          }
        }
        if (!ch && !this.atEnd)
          return this.setNext("plain-scalar");
        yield cst.SCALAR;
        yield* this.pushToIndex(end + 1, true);
        return inFlow ? "flow" : "doc";
      }
      *pushCount(n) {
        if (n > 0) {
          yield this.buffer.substr(this.pos, n);
          this.pos += n;
          return n;
        }
        return 0;
      }
      *pushToIndex(i, allowEmpty) {
        const s = this.buffer.slice(this.pos, i);
        if (s) {
          yield s;
          this.pos += s.length;
          return s.length;
        } else if (allowEmpty)
          yield "";
        return 0;
      }
      *pushIndicators() {
        switch (this.charAt(0)) {
          case "!":
            return (yield* this.pushTag()) + (yield* this.pushSpaces(true)) + (yield* this.pushIndicators());
          case "&":
            return (yield* this.pushUntil(isNotAnchorChar)) + (yield* this.pushSpaces(true)) + (yield* this.pushIndicators());
          case "-":
          case "?":
          case ":": {
            const inFlow = this.flowLevel > 0;
            const ch1 = this.charAt(1);
            if (isEmpty2(ch1) || inFlow && flowIndicatorChars.has(ch1)) {
              if (!inFlow)
                this.indentNext = this.indentValue + 1;
              else if (this.flowKey)
                this.flowKey = false;
              return (yield* this.pushCount(1)) + (yield* this.pushSpaces(true)) + (yield* this.pushIndicators());
            }
          }
        }
        return 0;
      }
      *pushTag() {
        if (this.charAt(1) === "<") {
          let i = this.pos + 2;
          let ch = this.buffer[i];
          while (!isEmpty2(ch) && ch !== ">")
            ch = this.buffer[++i];
          return yield* this.pushToIndex(ch === ">" ? i + 1 : i, false);
        } else {
          let i = this.pos + 1;
          let ch = this.buffer[i];
          while (ch) {
            if (tagChars.has(ch))
              ch = this.buffer[++i];
            else if (ch === "%" && hexDigits.has(this.buffer[i + 1]) && hexDigits.has(this.buffer[i + 2])) {
              ch = this.buffer[i += 3];
            } else
              break;
          }
          return yield* this.pushToIndex(i, false);
        }
      }
      *pushNewline() {
        const ch = this.buffer[this.pos];
        if (ch === "\n")
          return yield* this.pushCount(1);
        else if (ch === "\r" && this.charAt(1) === "\n")
          return yield* this.pushCount(2);
        else
          return 0;
      }
      *pushSpaces(allowTabs) {
        let i = this.pos - 1;
        let ch;
        do {
          ch = this.buffer[++i];
        } while (ch === " " || allowTabs && ch === "	");
        const n = i - this.pos;
        if (n > 0) {
          yield this.buffer.substr(this.pos, n);
          this.pos = i;
        }
        return n;
      }
      *pushUntil(test) {
        let i = this.pos;
        let ch = this.buffer[i];
        while (!test(ch))
          ch = this.buffer[++i];
        return yield* this.pushToIndex(i, false);
      }
    };
    exports2.Lexer = Lexer;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/parse/line-counter.js
var require_line_counter = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/parse/line-counter.js"(exports2) {
    "use strict";
    var LineCounter = class {
      constructor() {
        this.lineStarts = [];
        this.addNewLine = (offset) => this.lineStarts.push(offset);
        this.linePos = (offset) => {
          let low = 0;
          let high = this.lineStarts.length;
          while (low < high) {
            const mid = low + high >> 1;
            if (this.lineStarts[mid] < offset)
              low = mid + 1;
            else
              high = mid;
          }
          if (this.lineStarts[low] === offset)
            return { line: low + 1, col: 1 };
          if (low === 0)
            return { line: 0, col: offset };
          const start = this.lineStarts[low - 1];
          return { line: low, col: offset - start + 1 };
        };
      }
    };
    exports2.LineCounter = LineCounter;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/parse/parser.js
var require_parser6 = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/parse/parser.js"(exports2) {
    "use strict";
    var cst = require_cst();
    var lexer = require_lexer();
    function includesToken(list, type) {
      for (let i = 0; i < list.length; ++i)
        if (list[i].type === type)
          return true;
      return false;
    }
    function findNonEmptyIndex(list) {
      for (let i = 0; i < list.length; ++i) {
        switch (list[i].type) {
          case "space":
          case "comment":
          case "newline":
            break;
          default:
            return i;
        }
      }
      return -1;
    }
    function isFlowToken(token) {
      switch (token?.type) {
        case "alias":
        case "scalar":
        case "single-quoted-scalar":
        case "double-quoted-scalar":
        case "flow-collection":
          return true;
        default:
          return false;
      }
    }
    function getPrevProps(parent) {
      switch (parent.type) {
        case "document":
          return parent.start;
        case "block-map": {
          const it = parent.items[parent.items.length - 1];
          return it.sep ?? it.start;
        }
        case "block-seq":
          return parent.items[parent.items.length - 1].start;
        default:
          return [];
      }
    }
    function getFirstKeyStartProps(prev) {
      if (prev.length === 0)
        return [];
      let i = prev.length;
      loop: while (--i >= 0) {
        switch (prev[i].type) {
          case "doc-start":
          case "explicit-key-ind":
          case "map-value-ind":
          case "seq-item-ind":
          case "newline":
            break loop;
        }
      }
      while (prev[++i]?.type === "space") {
      }
      return prev.splice(i, prev.length);
    }
    function fixFlowSeqItems(fc) {
      if (fc.start.type === "flow-seq-start") {
        for (const it of fc.items) {
          if (it.sep && !it.value && !includesToken(it.start, "explicit-key-ind") && !includesToken(it.sep, "map-value-ind")) {
            if (it.key)
              it.value = it.key;
            delete it.key;
            if (isFlowToken(it.value)) {
              if (it.value.end)
                Array.prototype.push.apply(it.value.end, it.sep);
              else
                it.value.end = it.sep;
            } else
              Array.prototype.push.apply(it.start, it.sep);
            delete it.sep;
          }
        }
      }
    }
    var Parser = class {
      /**
       * @param onNewLine - If defined, called separately with the start position of
       *   each new line (in `parse()`, including the start of input).
       */
      constructor(onNewLine) {
        this.atNewLine = true;
        this.atScalar = false;
        this.indent = 0;
        this.offset = 0;
        this.onKeyLine = false;
        this.stack = [];
        this.source = "";
        this.type = "";
        this.lexer = new lexer.Lexer();
        this.onNewLine = onNewLine;
      }
      /**
       * Parse `source` as a YAML stream.
       * If `incomplete`, a part of the last line may be left as a buffer for the next call.
       *
       * Errors are not thrown, but yielded as `{ type: 'error', message }` tokens.
       *
       * @returns A generator of tokens representing each directive, document, and other structure.
       */
      *parse(source, incomplete = false) {
        if (this.onNewLine && this.offset === 0)
          this.onNewLine(0);
        for (const lexeme of this.lexer.lex(source, incomplete))
          yield* this.next(lexeme);
        if (!incomplete)
          yield* this.end();
      }
      /**
       * Advance the parser by the `source` of one lexical token.
       */
      *next(source) {
        this.source = source;
        if (process.env.LOG_TOKENS)
          console.log("|", cst.prettyToken(source));
        if (this.atScalar) {
          this.atScalar = false;
          yield* this.step();
          this.offset += source.length;
          return;
        }
        const type = cst.tokenType(source);
        if (!type) {
          const message = `Not a YAML token: ${source}`;
          yield* this.pop({ type: "error", offset: this.offset, message, source });
          this.offset += source.length;
        } else if (type === "scalar") {
          this.atNewLine = false;
          this.atScalar = true;
          this.type = "scalar";
        } else {
          this.type = type;
          yield* this.step();
          switch (type) {
            case "newline":
              this.atNewLine = true;
              this.indent = 0;
              if (this.onNewLine)
                this.onNewLine(this.offset + source.length);
              break;
            case "space":
              if (this.atNewLine && source[0] === " ")
                this.indent += source.length;
              break;
            case "explicit-key-ind":
            case "map-value-ind":
            case "seq-item-ind":
              if (this.atNewLine)
                this.indent += source.length;
              break;
            case "doc-mode":
            case "flow-error-end":
              return;
            default:
              this.atNewLine = false;
          }
          this.offset += source.length;
        }
      }
      /** Call at end of input to push out any remaining constructions */
      *end() {
        while (this.stack.length > 0)
          yield* this.pop();
      }
      get sourceToken() {
        const st = {
          type: this.type,
          offset: this.offset,
          indent: this.indent,
          source: this.source
        };
        return st;
      }
      *step() {
        const top = this.peek(1);
        if (this.type === "doc-end" && (!top || top.type !== "doc-end")) {
          while (this.stack.length > 0)
            yield* this.pop();
          this.stack.push({
            type: "doc-end",
            offset: this.offset,
            source: this.source
          });
          return;
        }
        if (!top)
          return yield* this.stream();
        switch (top.type) {
          case "document":
            return yield* this.document(top);
          case "alias":
          case "scalar":
          case "single-quoted-scalar":
          case "double-quoted-scalar":
            return yield* this.scalar(top);
          case "block-scalar":
            return yield* this.blockScalar(top);
          case "block-map":
            return yield* this.blockMap(top);
          case "block-seq":
            return yield* this.blockSequence(top);
          case "flow-collection":
            return yield* this.flowCollection(top);
          case "doc-end":
            return yield* this.documentEnd(top);
        }
        yield* this.pop();
      }
      peek(n) {
        return this.stack[this.stack.length - n];
      }
      *pop(error) {
        const token = error ?? this.stack.pop();
        if (!token) {
          const message = "Tried to pop an empty stack";
          yield { type: "error", offset: this.offset, source: "", message };
        } else if (this.stack.length === 0) {
          yield token;
        } else {
          const top = this.peek(1);
          if (token.type === "block-scalar") {
            token.indent = "indent" in top ? top.indent : 0;
          } else if (token.type === "flow-collection" && top.type === "document") {
            token.indent = 0;
          }
          if (token.type === "flow-collection")
            fixFlowSeqItems(token);
          switch (top.type) {
            case "document":
              top.value = token;
              break;
            case "block-scalar":
              top.props.push(token);
              break;
            case "block-map": {
              const it = top.items[top.items.length - 1];
              if (it.value) {
                top.items.push({ start: [], key: token, sep: [] });
                this.onKeyLine = true;
                return;
              } else if (it.sep) {
                it.value = token;
              } else {
                Object.assign(it, { key: token, sep: [] });
                this.onKeyLine = !it.explicitKey;
                return;
              }
              break;
            }
            case "block-seq": {
              const it = top.items[top.items.length - 1];
              if (it.value)
                top.items.push({ start: [], value: token });
              else
                it.value = token;
              break;
            }
            case "flow-collection": {
              const it = top.items[top.items.length - 1];
              if (!it || it.value)
                top.items.push({ start: [], key: token, sep: [] });
              else if (it.sep)
                it.value = token;
              else
                Object.assign(it, { key: token, sep: [] });
              return;
            }
            default:
              yield* this.pop();
              yield* this.pop(token);
          }
          if ((top.type === "document" || top.type === "block-map" || top.type === "block-seq") && (token.type === "block-map" || token.type === "block-seq")) {
            const last = token.items[token.items.length - 1];
            if (last && !last.sep && !last.value && last.start.length > 0 && findNonEmptyIndex(last.start) === -1 && (token.indent === 0 || last.start.every((st) => st.type !== "comment" || st.indent < token.indent))) {
              if (top.type === "document")
                top.end = last.start;
              else
                top.items.push({ start: last.start });
              token.items.splice(-1, 1);
            }
          }
        }
      }
      *stream() {
        switch (this.type) {
          case "directive-line":
            yield { type: "directive", offset: this.offset, source: this.source };
            return;
          case "byte-order-mark":
          case "space":
          case "comment":
          case "newline":
            yield this.sourceToken;
            return;
          case "doc-mode":
          case "doc-start": {
            const doc = {
              type: "document",
              offset: this.offset,
              start: []
            };
            if (this.type === "doc-start")
              doc.start.push(this.sourceToken);
            this.stack.push(doc);
            return;
          }
        }
        yield {
          type: "error",
          offset: this.offset,
          message: `Unexpected ${this.type} token in YAML stream`,
          source: this.source
        };
      }
      *document(doc) {
        if (doc.value)
          return yield* this.lineEnd(doc);
        switch (this.type) {
          case "doc-start": {
            if (findNonEmptyIndex(doc.start) !== -1) {
              yield* this.pop();
              yield* this.step();
            } else
              doc.start.push(this.sourceToken);
            return;
          }
          case "anchor":
          case "tag":
          case "space":
          case "comment":
          case "newline":
            doc.start.push(this.sourceToken);
            return;
        }
        const bv = this.startBlockValue(doc);
        if (bv)
          this.stack.push(bv);
        else {
          yield {
            type: "error",
            offset: this.offset,
            message: `Unexpected ${this.type} token in YAML document`,
            source: this.source
          };
        }
      }
      *scalar(scalar) {
        if (this.type === "map-value-ind") {
          const prev = getPrevProps(this.peek(2));
          const start = getFirstKeyStartProps(prev);
          let sep;
          if (scalar.end) {
            sep = scalar.end;
            sep.push(this.sourceToken);
            delete scalar.end;
          } else
            sep = [this.sourceToken];
          const map = {
            type: "block-map",
            offset: scalar.offset,
            indent: scalar.indent,
            items: [{ start, key: scalar, sep }]
          };
          this.onKeyLine = true;
          this.stack[this.stack.length - 1] = map;
        } else
          yield* this.lineEnd(scalar);
      }
      *blockScalar(scalar) {
        switch (this.type) {
          case "space":
          case "comment":
          case "newline":
            scalar.props.push(this.sourceToken);
            return;
          case "scalar":
            scalar.source = this.source;
            this.atNewLine = true;
            this.indent = 0;
            if (this.onNewLine) {
              let nl = this.source.indexOf("\n") + 1;
              while (nl !== 0) {
                this.onNewLine(this.offset + nl);
                nl = this.source.indexOf("\n", nl) + 1;
              }
            }
            yield* this.pop();
            break;
          default:
            yield* this.pop();
            yield* this.step();
        }
      }
      *blockMap(map) {
        const it = map.items[map.items.length - 1];
        switch (this.type) {
          case "newline":
            this.onKeyLine = false;
            if (it.value) {
              const end = "end" in it.value ? it.value.end : void 0;
              const last = Array.isArray(end) ? end[end.length - 1] : void 0;
              if (last?.type === "comment")
                end?.push(this.sourceToken);
              else
                map.items.push({ start: [this.sourceToken] });
            } else if (it.sep) {
              it.sep.push(this.sourceToken);
            } else {
              it.start.push(this.sourceToken);
            }
            return;
          case "space":
          case "comment":
            if (it.value) {
              map.items.push({ start: [this.sourceToken] });
            } else if (it.sep) {
              it.sep.push(this.sourceToken);
            } else {
              if (this.atIndentedComment(it.start, map.indent)) {
                const prev = map.items[map.items.length - 2];
                const end = prev?.value?.end;
                if (Array.isArray(end)) {
                  Array.prototype.push.apply(end, it.start);
                  end.push(this.sourceToken);
                  map.items.pop();
                  return;
                }
              }
              it.start.push(this.sourceToken);
            }
            return;
        }
        if (this.indent >= map.indent) {
          const atMapIndent = !this.onKeyLine && this.indent === map.indent;
          const atNextItem = atMapIndent && (it.sep || it.explicitKey) && this.type !== "seq-item-ind";
          let start = [];
          if (atNextItem && it.sep && !it.value) {
            const nl = [];
            for (let i = 0; i < it.sep.length; ++i) {
              const st = it.sep[i];
              switch (st.type) {
                case "newline":
                  nl.push(i);
                  break;
                case "space":
                  break;
                case "comment":
                  if (st.indent > map.indent)
                    nl.length = 0;
                  break;
                default:
                  nl.length = 0;
              }
            }
            if (nl.length >= 2)
              start = it.sep.splice(nl[1]);
          }
          switch (this.type) {
            case "anchor":
            case "tag":
              if (atNextItem || it.value) {
                start.push(this.sourceToken);
                map.items.push({ start });
                this.onKeyLine = true;
              } else if (it.sep) {
                it.sep.push(this.sourceToken);
              } else {
                it.start.push(this.sourceToken);
              }
              return;
            case "explicit-key-ind":
              if (!it.sep && !it.explicitKey) {
                it.start.push(this.sourceToken);
                it.explicitKey = true;
              } else if (atNextItem || it.value) {
                start.push(this.sourceToken);
                map.items.push({ start, explicitKey: true });
              } else {
                this.stack.push({
                  type: "block-map",
                  offset: this.offset,
                  indent: this.indent,
                  items: [{ start: [this.sourceToken], explicitKey: true }]
                });
              }
              this.onKeyLine = true;
              return;
            case "map-value-ind":
              if (it.explicitKey) {
                if (!it.sep) {
                  if (includesToken(it.start, "newline")) {
                    Object.assign(it, { key: null, sep: [this.sourceToken] });
                  } else {
                    const start2 = getFirstKeyStartProps(it.start);
                    this.stack.push({
                      type: "block-map",
                      offset: this.offset,
                      indent: this.indent,
                      items: [{ start: start2, key: null, sep: [this.sourceToken] }]
                    });
                  }
                } else if (it.value) {
                  map.items.push({ start: [], key: null, sep: [this.sourceToken] });
                } else if (includesToken(it.sep, "map-value-ind")) {
                  this.stack.push({
                    type: "block-map",
                    offset: this.offset,
                    indent: this.indent,
                    items: [{ start, key: null, sep: [this.sourceToken] }]
                  });
                } else if (isFlowToken(it.key) && !includesToken(it.sep, "newline")) {
                  const start2 = getFirstKeyStartProps(it.start);
                  const key = it.key;
                  const sep = it.sep;
                  sep.push(this.sourceToken);
                  delete it.key, delete it.sep;
                  this.stack.push({
                    type: "block-map",
                    offset: this.offset,
                    indent: this.indent,
                    items: [{ start: start2, key, sep }]
                  });
                } else if (start.length > 0) {
                  it.sep = it.sep.concat(start, this.sourceToken);
                } else {
                  it.sep.push(this.sourceToken);
                }
              } else {
                if (!it.sep) {
                  Object.assign(it, { key: null, sep: [this.sourceToken] });
                } else if (it.value || atNextItem) {
                  map.items.push({ start, key: null, sep: [this.sourceToken] });
                } else if (includesToken(it.sep, "map-value-ind")) {
                  this.stack.push({
                    type: "block-map",
                    offset: this.offset,
                    indent: this.indent,
                    items: [{ start: [], key: null, sep: [this.sourceToken] }]
                  });
                } else {
                  it.sep.push(this.sourceToken);
                }
              }
              this.onKeyLine = true;
              return;
            case "alias":
            case "scalar":
            case "single-quoted-scalar":
            case "double-quoted-scalar": {
              const fs4 = this.flowScalar(this.type);
              if (atNextItem || it.value) {
                map.items.push({ start, key: fs4, sep: [] });
                this.onKeyLine = true;
              } else if (it.sep) {
                this.stack.push(fs4);
              } else {
                Object.assign(it, { key: fs4, sep: [] });
                this.onKeyLine = true;
              }
              return;
            }
            default: {
              const bv = this.startBlockValue(map);
              if (bv) {
                if (atMapIndent && bv.type !== "block-seq") {
                  map.items.push({ start });
                }
                this.stack.push(bv);
                return;
              }
            }
          }
        }
        yield* this.pop();
        yield* this.step();
      }
      *blockSequence(seq) {
        const it = seq.items[seq.items.length - 1];
        switch (this.type) {
          case "newline":
            if (it.value) {
              const end = "end" in it.value ? it.value.end : void 0;
              const last = Array.isArray(end) ? end[end.length - 1] : void 0;
              if (last?.type === "comment")
                end?.push(this.sourceToken);
              else
                seq.items.push({ start: [this.sourceToken] });
            } else
              it.start.push(this.sourceToken);
            return;
          case "space":
          case "comment":
            if (it.value)
              seq.items.push({ start: [this.sourceToken] });
            else {
              if (this.atIndentedComment(it.start, seq.indent)) {
                const prev = seq.items[seq.items.length - 2];
                const end = prev?.value?.end;
                if (Array.isArray(end)) {
                  Array.prototype.push.apply(end, it.start);
                  end.push(this.sourceToken);
                  seq.items.pop();
                  return;
                }
              }
              it.start.push(this.sourceToken);
            }
            return;
          case "anchor":
          case "tag":
            if (it.value || this.indent <= seq.indent)
              break;
            it.start.push(this.sourceToken);
            return;
          case "seq-item-ind":
            if (this.indent !== seq.indent)
              break;
            if (it.value || includesToken(it.start, "seq-item-ind"))
              seq.items.push({ start: [this.sourceToken] });
            else
              it.start.push(this.sourceToken);
            return;
        }
        if (this.indent > seq.indent) {
          const bv = this.startBlockValue(seq);
          if (bv) {
            this.stack.push(bv);
            return;
          }
        }
        yield* this.pop();
        yield* this.step();
      }
      *flowCollection(fc) {
        const it = fc.items[fc.items.length - 1];
        if (this.type === "flow-error-end") {
          let top;
          do {
            yield* this.pop();
            top = this.peek(1);
          } while (top && top.type === "flow-collection");
        } else if (fc.end.length === 0) {
          switch (this.type) {
            case "comma":
            case "explicit-key-ind":
              if (!it || it.sep)
                fc.items.push({ start: [this.sourceToken] });
              else
                it.start.push(this.sourceToken);
              return;
            case "map-value-ind":
              if (!it || it.value)
                fc.items.push({ start: [], key: null, sep: [this.sourceToken] });
              else if (it.sep)
                it.sep.push(this.sourceToken);
              else
                Object.assign(it, { key: null, sep: [this.sourceToken] });
              return;
            case "space":
            case "comment":
            case "newline":
            case "anchor":
            case "tag":
              if (!it || it.value)
                fc.items.push({ start: [this.sourceToken] });
              else if (it.sep)
                it.sep.push(this.sourceToken);
              else
                it.start.push(this.sourceToken);
              return;
            case "alias":
            case "scalar":
            case "single-quoted-scalar":
            case "double-quoted-scalar": {
              const fs4 = this.flowScalar(this.type);
              if (!it || it.value)
                fc.items.push({ start: [], key: fs4, sep: [] });
              else if (it.sep)
                this.stack.push(fs4);
              else
                Object.assign(it, { key: fs4, sep: [] });
              return;
            }
            case "flow-map-end":
            case "flow-seq-end":
              fc.end.push(this.sourceToken);
              return;
          }
          const bv = this.startBlockValue(fc);
          if (bv)
            this.stack.push(bv);
          else {
            yield* this.pop();
            yield* this.step();
          }
        } else {
          const parent = this.peek(2);
          if (parent.type === "block-map" && (this.type === "map-value-ind" && parent.indent === fc.indent || this.type === "newline" && !parent.items[parent.items.length - 1].sep)) {
            yield* this.pop();
            yield* this.step();
          } else if (this.type === "map-value-ind" && parent.type !== "flow-collection") {
            const prev = getPrevProps(parent);
            const start = getFirstKeyStartProps(prev);
            fixFlowSeqItems(fc);
            const sep = fc.end.splice(1, fc.end.length);
            sep.push(this.sourceToken);
            const map = {
              type: "block-map",
              offset: fc.offset,
              indent: fc.indent,
              items: [{ start, key: fc, sep }]
            };
            this.onKeyLine = true;
            this.stack[this.stack.length - 1] = map;
          } else {
            yield* this.lineEnd(fc);
          }
        }
      }
      flowScalar(type) {
        if (this.onNewLine) {
          let nl = this.source.indexOf("\n") + 1;
          while (nl !== 0) {
            this.onNewLine(this.offset + nl);
            nl = this.source.indexOf("\n", nl) + 1;
          }
        }
        return {
          type,
          offset: this.offset,
          indent: this.indent,
          source: this.source
        };
      }
      startBlockValue(parent) {
        switch (this.type) {
          case "alias":
          case "scalar":
          case "single-quoted-scalar":
          case "double-quoted-scalar":
            return this.flowScalar(this.type);
          case "block-scalar-header":
            return {
              type: "block-scalar",
              offset: this.offset,
              indent: this.indent,
              props: [this.sourceToken],
              source: ""
            };
          case "flow-map-start":
          case "flow-seq-start":
            return {
              type: "flow-collection",
              offset: this.offset,
              indent: this.indent,
              start: this.sourceToken,
              items: [],
              end: []
            };
          case "seq-item-ind":
            return {
              type: "block-seq",
              offset: this.offset,
              indent: this.indent,
              items: [{ start: [this.sourceToken] }]
            };
          case "explicit-key-ind": {
            this.onKeyLine = true;
            const prev = getPrevProps(parent);
            const start = getFirstKeyStartProps(prev);
            start.push(this.sourceToken);
            return {
              type: "block-map",
              offset: this.offset,
              indent: this.indent,
              items: [{ start, explicitKey: true }]
            };
          }
          case "map-value-ind": {
            this.onKeyLine = true;
            const prev = getPrevProps(parent);
            const start = getFirstKeyStartProps(prev);
            return {
              type: "block-map",
              offset: this.offset,
              indent: this.indent,
              items: [{ start, key: null, sep: [this.sourceToken] }]
            };
          }
        }
        return null;
      }
      atIndentedComment(start, indent) {
        if (this.type !== "comment")
          return false;
        if (this.indent <= indent)
          return false;
        return start.every((st) => st.type === "newline" || st.type === "space");
      }
      *documentEnd(docEnd) {
        if (this.type !== "doc-mode") {
          if (docEnd.end)
            docEnd.end.push(this.sourceToken);
          else
            docEnd.end = [this.sourceToken];
          if (this.type === "newline")
            yield* this.pop();
        }
      }
      *lineEnd(token) {
        switch (this.type) {
          case "comma":
          case "doc-start":
          case "doc-end":
          case "flow-seq-end":
          case "flow-map-end":
          case "map-value-ind":
            yield* this.pop();
            yield* this.step();
            break;
          case "newline":
            this.onKeyLine = false;
          case "space":
          case "comment":
          default:
            if (token.end)
              token.end.push(this.sourceToken);
            else
              token.end = [this.sourceToken];
            if (this.type === "newline")
              yield* this.pop();
        }
      }
    };
    exports2.Parser = Parser;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/public-api.js
var require_public_api = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/public-api.js"(exports2) {
    "use strict";
    var composer = require_composer();
    var Document = require_Document();
    var errors = require_errors3();
    var log = require_log();
    var lineCounter = require_line_counter();
    var parser = require_parser6();
    function parseOptions(options) {
      const prettyErrors = options.prettyErrors !== false;
      const lineCounter$1 = options.lineCounter || prettyErrors && new lineCounter.LineCounter() || null;
      return { lineCounter: lineCounter$1, prettyErrors };
    }
    function parseAllDocuments(source, options = {}) {
      const { lineCounter: lineCounter2, prettyErrors } = parseOptions(options);
      const parser$1 = new parser.Parser(lineCounter2?.addNewLine);
      const composer$1 = new composer.Composer(options);
      const docs = Array.from(composer$1.compose(parser$1.parse(source)));
      if (prettyErrors && lineCounter2)
        for (const doc of docs) {
          doc.errors.forEach(errors.prettifyError(source, lineCounter2));
          doc.warnings.forEach(errors.prettifyError(source, lineCounter2));
        }
      if (docs.length > 0)
        return docs;
      return Object.assign([], { empty: true }, composer$1.streamInfo());
    }
    function parseDocument(source, options = {}) {
      const { lineCounter: lineCounter2, prettyErrors } = parseOptions(options);
      const parser$1 = new parser.Parser(lineCounter2?.addNewLine);
      const composer$1 = new composer.Composer(options);
      let doc = null;
      for (const _doc of composer$1.compose(parser$1.parse(source), true, source.length)) {
        if (!doc)
          doc = _doc;
        else if (doc.options.logLevel !== "silent") {
          doc.errors.push(new errors.YAMLParseError(_doc.range.slice(0, 2), "MULTIPLE_DOCS", "Source contains multiple documents; please use YAML.parseAllDocuments()"));
          break;
        }
      }
      if (prettyErrors && lineCounter2) {
        doc.errors.forEach(errors.prettifyError(source, lineCounter2));
        doc.warnings.forEach(errors.prettifyError(source, lineCounter2));
      }
      return doc;
    }
    function parse2(src, reviver, options) {
      let _reviver = void 0;
      if (typeof reviver === "function") {
        _reviver = reviver;
      } else if (options === void 0 && reviver && typeof reviver === "object") {
        options = reviver;
      }
      const doc = parseDocument(src, options);
      if (!doc)
        return null;
      doc.warnings.forEach((warning) => log.warn(doc.options.logLevel, warning));
      if (doc.errors.length > 0) {
        if (doc.options.logLevel !== "silent")
          throw doc.errors[0];
        else
          doc.errors = [];
      }
      return doc.toJS(Object.assign({ reviver: _reviver }, options));
    }
    function stringify(value, replacer, options) {
      let _replacer = null;
      if (typeof replacer === "function" || Array.isArray(replacer)) {
        _replacer = replacer;
      } else if (options === void 0 && replacer) {
        options = replacer;
      }
      if (typeof options === "string")
        options = options.length;
      if (typeof options === "number") {
        const indent = Math.round(options);
        options = indent < 1 ? void 0 : indent > 8 ? { indent: 8 } : { indent };
      }
      if (value === void 0) {
        const { keepUndefined } = options ?? replacer ?? {};
        if (!keepUndefined)
          return void 0;
      }
      return new Document.Document(value, _replacer, options).toString(options);
    }
    exports2.parse = parse2;
    exports2.parseAllDocuments = parseAllDocuments;
    exports2.parseDocument = parseDocument;
    exports2.stringify = stringify;
  }
});

// node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/index.js
var require_dist14 = __commonJS({
  "node_modules/.pnpm/yaml@2.5.0/node_modules/yaml/dist/index.js"(exports2) {
    "use strict";
    var composer = require_composer();
    var Document = require_Document();
    var Schema = require_Schema();
    var errors = require_errors3();
    var Alias = require_Alias();
    var identity2 = require_identity();
    var Pair = require_Pair();
    var Scalar = require_Scalar();
    var YAMLMap = require_YAMLMap();
    var YAMLSeq = require_YAMLSeq();
    var cst = require_cst();
    var lexer = require_lexer();
    var lineCounter = require_line_counter();
    var parser = require_parser6();
    var publicApi = require_public_api();
    var visit = require_visit();
    exports2.Composer = composer.Composer;
    exports2.Document = Document.Document;
    exports2.Schema = Schema.Schema;
    exports2.YAMLError = errors.YAMLError;
    exports2.YAMLParseError = errors.YAMLParseError;
    exports2.YAMLWarning = errors.YAMLWarning;
    exports2.Alias = Alias.Alias;
    exports2.isAlias = identity2.isAlias;
    exports2.isCollection = identity2.isCollection;
    exports2.isDocument = identity2.isDocument;
    exports2.isMap = identity2.isMap;
    exports2.isNode = identity2.isNode;
    exports2.isPair = identity2.isPair;
    exports2.isScalar = identity2.isScalar;
    exports2.isSeq = identity2.isSeq;
    exports2.Pair = Pair.Pair;
    exports2.Scalar = Scalar.Scalar;
    exports2.YAMLMap = YAMLMap.YAMLMap;
    exports2.YAMLSeq = YAMLSeq.YAMLSeq;
    exports2.CST = cst;
    exports2.Lexer = lexer.Lexer;
    exports2.LineCounter = lineCounter.LineCounter;
    exports2.Parser = parser.Parser;
    exports2.parse = publicApi.parse;
    exports2.parseAllDocuments = publicApi.parseAllDocuments;
    exports2.parseDocument = publicApi.parseDocument;
    exports2.stringify = publicApi.stringify;
    exports2.visit = visit.visit;
    exports2.visitAsync = visit.visitAsync;
  }
});

// node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/utils.js
var require_utils10 = __commonJS({
  "node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/utils.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getStaticYAMLValue = void 0;
    var yaml_1 = require_dist14();
    var tags_1 = require_tags2();
    function getStaticYAMLValue(node) {
      return getValue2(node, null);
    }
    exports2.getStaticYAMLValue = getStaticYAMLValue;
    function getValue2(node, version) {
      return resolver[node.type](node, version);
    }
    var resolver = {
      Program(node) {
        return node.body.length === 0 ? null : node.body.length === 1 ? (
          // eslint-disable-next-line new-cap -- traverse key
          resolver.YAMLDocument(node.body[0])
        ) : (
          // eslint-disable-next-line new-cap -- traverse key
          node.body.map((n) => resolver.YAMLDocument(n))
        );
      },
      YAMLDocument(node) {
        return node.content ? getValue2(node.content, node.version) : null;
      },
      YAMLMapping(node, version) {
        const result = {};
        for (const pair of node.pairs) {
          Object.assign(result, getValue2(pair, version));
        }
        return result;
      },
      YAMLPair(node, version) {
        const result = {};
        let key = node.key ? getValue2(node.key, version) : null;
        if (typeof key !== "string" && typeof key !== "number") {
          key = String(key);
        }
        result[key] = node.value ? getValue2(node.value, version) : null;
        return result;
      },
      YAMLSequence(node, version) {
        const result = [];
        for (const entry of node.entries) {
          result.push(entry ? getValue2(entry, version) : null);
        }
        return result;
      },
      YAMLScalar(node) {
        return node.value;
      },
      YAMLAlias(node, version) {
        const anchor = findAnchor(node);
        return anchor ? getValue2(anchor.parent, version) : null;
      },
      YAMLWithMeta(node, version) {
        if (node.tag) {
          const value = node.value;
          if (value == null) {
            return getTaggedValue(node.tag, "", "", version);
          }
          if (value.type === "YAMLScalar") {
            if (value.style === "plain") {
              return getTaggedValue(node.tag, value.strValue, value.strValue, version);
            }
            if (value.style === "double-quoted" || value.style === "single-quoted") {
              return getTaggedValue(node.tag, value.raw, value.strValue, version);
            }
          }
          for (const tagResolver of tags_1.tagNodeResolvers[version || "1.2"]) {
            if (tagResolver.tag === node.tag.tag && tagResolver.testNode(value)) {
              return tagResolver.resolveNode(value);
            }
          }
        }
        if (node.value == null) {
          return null;
        }
        return getValue2(node.value, version);
      }
    };
    function findAnchor(node) {
      let p = node.parent;
      let doc = null;
      while (p) {
        if (p.type === "YAMLDocument") {
          doc = p;
          break;
        }
        p = p.parent;
      }
      const anchors = doc.anchors[node.name];
      if (!anchors) {
        return null;
      }
      let target = {
        anchor: null,
        distance: Infinity
      };
      for (const anchor of anchors) {
        if (anchor.range[0] < node.range[0]) {
          const distance = node.range[0] - anchor.range[0];
          if (target.distance >= distance) {
            target = {
              anchor,
              distance
            };
          }
        }
      }
      return target.anchor;
    }
    function getTaggedValue(tag, text, str, version) {
      for (const tagResolver of tags_1.tagResolvers[version || "1.2"]) {
        if (tagResolver.tag === tag.tag && tagResolver.testString(str)) {
          return tagResolver.resolveString(str);
        }
      }
      const tagText = tag.tag.startsWith("!") ? tag.tag : `!<${tag.tag}>`;
      const value = (0, yaml_1.parseDocument)(`${version ? `%YAML ${version}` : ""}
---
${tagText} ${text}`).toJSON();
      return value;
    }
  }
});

// node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/tags/omap.js
var require_omap2 = __commonJS({
  "node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/tags/omap.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.OMAP = void 0;
    var utils_1 = require_utils10();
    exports2.OMAP = {
      // see https://yaml.org/type/omap.html
      tag: "tag:yaml.org,2002:omap",
      testNode(node) {
        return node.type === "YAMLSequence" && node.entries.every((e) => (e === null || e === void 0 ? void 0 : e.type) === "YAMLMapping" && e.pairs.length === 1);
      },
      resolveNode(node) {
        const seq = node;
        const result = {};
        for (const e of seq.entries) {
          const map = e;
          for (const p of map.pairs) {
            const key = p.key ? (0, utils_1.getStaticYAMLValue)(p.key) : p.key;
            const value = p.value ? (0, utils_1.getStaticYAMLValue)(p.value) : p.value;
            result[key] = value;
          }
        }
        return result;
      }
    };
  }
});

// node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/tags/set.js
var require_set2 = __commonJS({
  "node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/tags/set.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.SET = void 0;
    var utils_1 = require_utils10();
    exports2.SET = {
      // see https://yaml.org/type/set.html
      tag: "tag:yaml.org,2002:set",
      testNode(node) {
        return node.type === "YAMLMapping" && node.pairs.every((p) => p.key != null && p.value == null);
      },
      resolveNode(node) {
        const map = node;
        const result = [];
        for (const p of map.pairs) {
          result.push((0, utils_1.getStaticYAMLValue)(p.key));
        }
        return result;
      }
    };
  }
});

// node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/tags/tags1.2.js
var require_tags1_2 = __commonJS({
  "node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/tags/tags1.2.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.tagNodeResolvers = exports2.tagResolvers = exports2.STR = exports2.NAN = exports2.INFINITY = exports2.FLOAT = exports2.INT_BASE16 = exports2.INT_BASE8 = exports2.INT = exports2.FALSE = exports2.TRUE = exports2.NULL = void 0;
    var omap_1 = require_omap2();
    var set_1 = require_set2();
    exports2.NULL = {
      // see https://yaml.org/spec/1.2/spec.html#id2803311
      tag: "tag:yaml.org,2002:null",
      testString(str) {
        return !str || // empty
        // see https://yaml.org/spec/1.2/spec.html#id2805071
        str === "null" || str === "Null" || str === "NULL" || str === "~";
      },
      resolveString() {
        return null;
      }
    };
    exports2.TRUE = {
      // see https://yaml.org/spec/1.2/spec.html#id2803311
      tag: "tag:yaml.org,2002:bool",
      testString(str) {
        return str === "true" || str === "True" || str === "TRUE";
      },
      resolveString() {
        return true;
      }
    };
    exports2.FALSE = {
      // see https://yaml.org/spec/1.2/spec.html#id2803311
      tag: "tag:yaml.org,2002:bool",
      testString(str) {
        return str === "false" || str === "False" || str === "FALSE";
      },
      resolveString() {
        return false;
      }
    };
    exports2.INT = {
      // see https://yaml.org/spec/1.2/spec.html#id2803311
      tag: "tag:yaml.org,2002:int",
      testString(str) {
        return /^[+-]?\d+$/u.test(str);
      },
      resolveString(str) {
        return parseInt(str, 10);
      }
    };
    exports2.INT_BASE8 = {
      // see https://yaml.org/spec/1.2/spec.html#id2803311
      tag: "tag:yaml.org,2002:int",
      testString(str) {
        return /^0o[0-7]+$/u.test(str);
      },
      resolveString(str) {
        return parseInt(str.slice(2), 8);
      }
    };
    exports2.INT_BASE16 = {
      // see https://yaml.org/spec/1.2/spec.html#id2803311
      tag: "tag:yaml.org,2002:int",
      testString(str) {
        return /^0x[\dA-Fa-f]+$/u.test(str);
      },
      resolveString(str) {
        return parseInt(str.slice(2), 16);
      }
    };
    exports2.FLOAT = {
      // see https://yaml.org/spec/1.2/spec.html#id2803311
      tag: "tag:yaml.org,2002:float",
      testString(str) {
        return /^[+-]?(?:\.\d+|\d+(?:\.\d*)?)(?:e[+-]?\d+)?$/iu.test(str);
      },
      resolveString(str) {
        return parseFloat(str);
      }
    };
    exports2.INFINITY = {
      // see https://yaml.org/spec/1.2/spec.html#id2803311
      tag: "tag:yaml.org,2002:float",
      testString(str) {
        return /^[+-]?(?:\.inf|\.Inf|\.INF)$/u.test(str);
      },
      resolveString(str) {
        return str.startsWith("-") ? -Infinity : Infinity;
      }
    };
    exports2.NAN = {
      // see https://yaml.org/spec/1.2/spec.html#id2803311
      tag: "tag:yaml.org,2002:float",
      testString(str) {
        return str === ".NaN" || str === ".nan" || str === ".NAN";
      },
      resolveString() {
        return NaN;
      }
    };
    exports2.STR = {
      // see https://yaml.org/spec/1.2/spec.html#id2803311
      tag: "tag:yaml.org,2002:str",
      testString() {
        return true;
      },
      resolveString(str) {
        return str;
      }
    };
    exports2.tagResolvers = [
      exports2.NULL,
      exports2.TRUE,
      exports2.FALSE,
      exports2.INT,
      exports2.INT_BASE8,
      exports2.INT_BASE16,
      exports2.FLOAT,
      exports2.INFINITY,
      exports2.NAN,
      exports2.STR
    ];
    exports2.tagNodeResolvers = [omap_1.OMAP, set_1.SET];
  }
});

// node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/tags/tags1.1.js
var require_tags1_1 = __commonJS({
  "node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/tags/tags1.1.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.tagNodeResolvers = exports2.tagResolvers = exports2.STR = exports2.NAN = exports2.INFINITY = exports2.FLOAT_BASE60 = exports2.FLOAT = exports2.INT_BASE60 = exports2.INT_BASE16 = exports2.INT_BASE8 = exports2.INT_BASE2 = exports2.INT = exports2.FALSE = exports2.TRUE = exports2.NULL = void 0;
    var omap_1 = require_omap2();
    var set_1 = require_set2();
    var Tags1_2 = __importStar2(require_tags1_2());
    exports2.NULL = Tags1_2.NULL;
    exports2.TRUE = {
      // see https://yaml.org/type/bool.html
      tag: "tag:yaml.org,2002:bool",
      testString(str) {
        return /^(?:y|Y|yes|Yes|YES|true|True|TRUE|on|On|ON)$/u.test(str);
      },
      resolveString() {
        return true;
      }
    };
    exports2.FALSE = {
      // see https://yaml.org/type/bool.html
      tag: "tag:yaml.org,2002:bool",
      testString(str) {
        return /^(?:n|N|no|No|NO|false|False|FALSE|off|Off|OFF)$/u.test(str);
      },
      resolveString() {
        return false;
      }
    };
    exports2.INT = {
      // see https://yaml.org/type/int.html
      tag: "tag:yaml.org,2002:int",
      testString(str) {
        return /^[+-]?(?:0|[1-9][\d_]*)$/u.test(str);
      },
      resolveString(str) {
        return resolveInt(str, 0, 10);
      }
    };
    exports2.INT_BASE2 = {
      // see https://yaml.org/type/int.html
      tag: "tag:yaml.org,2002:int",
      testString(str) {
        return /^[+-]?0b[01_]+$/u.test(str);
      },
      resolveString(str) {
        return resolveInt(str, 2, 2);
      }
    };
    exports2.INT_BASE8 = {
      // see https://yaml.org/type/int.html
      tag: "tag:yaml.org,2002:int",
      testString(str) {
        return /^[+-]?0[0-7_]+$/u.test(str);
      },
      resolveString(str) {
        return resolveInt(str, 1, 8);
      }
    };
    exports2.INT_BASE16 = {
      // see https://yaml.org/type/int.html
      tag: "tag:yaml.org,2002:int",
      testString(str) {
        return /^[+-]?0x[\dA-F_a-f]+$/u.test(str);
      },
      resolveString(str) {
        return resolveInt(str, 2, 16);
      }
    };
    exports2.INT_BASE60 = {
      // see https://yaml.org/type/int.html
      tag: "tag:yaml.org,2002:int",
      testString(str) {
        return /^[+-]?[1-9][\d_]*(?::[0-5]?\d)+$/u.test(str);
      },
      resolveString(str) {
        return resolveBase60(str.split(/:/u), true);
      }
    };
    exports2.FLOAT = {
      // see https://yaml.org/type/float.html
      tag: "tag:yaml.org,2002:float",
      testString(str) {
        return /^[+-]?(?:\d[\d_]*)?\.[\d_]*(?:e[+-]?\d+)?$/iu.test(str) || // The previous regexp cannot handle "e" without dot. spec bug?
        /^[+-]?(?:\d[\d_]*)?(?:e[+-]?\d+)?$/iu.test(str);
      },
      resolveString(str) {
        return parseFloat(str.replace(/_/gu, ""));
      }
    };
    exports2.FLOAT_BASE60 = {
      // see https://yaml.org/type/float.html
      tag: "tag:yaml.org,2002:float",
      testString(str) {
        return /^[+-]?\d[\d_]*(?::[0-5]?\d)+\.[\d_]*$/u.test(str);
      },
      resolveString(str) {
        return resolveBase60(str.split(/:/u), false);
      }
    };
    exports2.INFINITY = Tags1_2.INFINITY;
    exports2.NAN = Tags1_2.NAN;
    exports2.STR = Tags1_2.STR;
    exports2.tagResolvers = [
      exports2.NULL,
      exports2.TRUE,
      exports2.FALSE,
      exports2.INT_BASE8,
      exports2.INT,
      exports2.INT_BASE2,
      exports2.INT_BASE16,
      exports2.INT_BASE60,
      exports2.FLOAT,
      exports2.FLOAT_BASE60,
      exports2.INFINITY,
      exports2.NAN,
      exports2.STR
    ];
    exports2.tagNodeResolvers = [omap_1.OMAP, set_1.SET];
    function resolveInt(value, skip, radix) {
      if (value.startsWith("-") || value.startsWith("+")) {
        return parseInt(value[0] + value.slice(skip + 1).replace(/_/gu, ""), radix);
      }
      return parseInt(value.slice(skip).replace(/_/gu, ""), radix);
    }
    function resolveBase60(values, isInt) {
      let first = values.shift().replace(/_/gu, "");
      const last = values.pop().replace(/_/gu, "");
      let minus = false;
      if (first.startsWith("-") || first.startsWith("+")) {
        minus = first.startsWith("-");
        first = first.slice(1);
      }
      let value = parseInt(first, 10);
      while (values.length) {
        value *= 60;
        value += parseInt(values.shift().replace(/_/gu, ""), 10);
      }
      value *= 60;
      value += isInt ? parseInt(last, 10) : parseFloat(last);
      return minus ? -value : value;
    }
  }
});

// node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/tags/index.js
var require_tags2 = __commonJS({
  "node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/tags/index.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.tagNodeResolvers = exports2.tagResolvers = void 0;
    var tags1_2_1 = require_tags1_2();
    var tags1_1_1 = require_tags1_1();
    exports2.tagResolvers = {
      next: tags1_2_1.tagResolvers,
      "1.2": tags1_2_1.tagResolvers,
      "1.1": tags1_1_1.tagResolvers
    };
    exports2.tagNodeResolvers = {
      next: tags1_2_1.tagNodeResolvers,
      "1.2": tags1_2_1.tagNodeResolvers,
      "1.1": tags1_1_1.tagNodeResolvers
    };
  }
});

// node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/convert.js
var require_convert3 = __commonJS({
  "node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/convert.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.convertRoot = void 0;
    var tags_1 = require_tags2();
    var yaml_1 = require_dist14();
    var isPair = yaml_1.isPair;
    var PreTokens = class {
      constructor(array, ctx) {
        this.index = 0;
        this.array = array;
        this.ctx = ctx;
      }
      first() {
        let cst;
        while (cst = this.array[this.index]) {
          if (processCommentOrSpace(cst, this.ctx)) {
            this.index++;
            continue;
          }
          return cst;
        }
        return null;
      }
      consume() {
        const cst = this.first();
        if (cst) {
          this.index++;
        }
        return cst;
      }
      back() {
        this.index--;
      }
      each(callback) {
        let cst;
        while (cst = this.consume()) {
          callback(cst);
        }
      }
    };
    function isPlainScalarCST(cst) {
      return cst.type === "scalar";
    }
    function isDoubleQuotedScalarCST(cst) {
      return cst.type === "double-quoted-scalar";
    }
    function isSingleQuotedScalarCST(cst) {
      return cst.type === "single-quoted-scalar";
    }
    function isAliasScalarCST(cst) {
      return cst.type === "alias";
    }
    function isAnchorCST(cst) {
      return cst.type === "anchor";
    }
    function isTagCST(cst) {
      return cst.type === "tag";
    }
    function getNodeType(node) {
      return (0, yaml_1.isMap)(node) ? "MAP" : (0, yaml_1.isSeq)(node) ? "SEQ" : (0, yaml_1.isScalar)(node) ? "SCALAR" : (0, yaml_1.isAlias)(node) ? "ALIAS" : isPair(node) ? "PAIR" : (0, yaml_1.isDocument)(node) ? "DOCUMENT" : "unknown";
    }
    function convertRoot(docs, ctx) {
      var _a;
      const { cstNodes, nodes } = docs;
      const ast = Object.assign({ type: "Program", body: [], comments: ctx.comments, sourceType: "module", tokens: ctx.tokens, parent: null }, ctx.getConvertLocation(0, ctx.code.length));
      let directives = [];
      let bufferDoc = null;
      const cstDocs = [];
      for (const n of cstNodes) {
        if (processCommentOrSpace(n, ctx)) {
          continue;
        }
        if (n.type === "doc-end") {
          if (!bufferDoc) {
            throw ctx.throwUnexpectedTokenError(n);
          }
          bufferDoc.docEnd = n;
          cstDocs.push(bufferDoc);
          bufferDoc = null;
          (_a = n.end) === null || _a === void 0 ? void 0 : _a.forEach((t) => processAnyToken(t, ctx));
          continue;
        }
        if (bufferDoc) {
          cstDocs.push(bufferDoc);
          bufferDoc = null;
        }
        if (n.type === "directive") {
          directives.push(n);
          continue;
        }
        if (n.type === "document") {
          bufferDoc = {
            doc: n,
            directives
          };
          directives = [];
          continue;
        }
        throw ctx.throwUnexpectedTokenError(n);
      }
      if (bufferDoc) {
        cstDocs.push(bufferDoc);
        bufferDoc = null;
      }
      if (cstDocs.length > 0) {
        let startIndex = 0;
        ast.body = cstDocs.map((doc, index) => {
          const result = convertDocument(doc, nodes[index], ctx, ast, startIndex);
          startIndex = result.range[1];
          return result;
        });
      } else {
        const index = skipSpaces(ctx.code, 0);
        ast.body.push(Object.assign({ type: "YAMLDocument", directives: [], content: null, parent: ast, anchors: {}, version: docs.streamInfo.directives.yaml.version }, ctx.getConvertLocation(index, index)));
      }
      sort(ctx.comments);
      sort(ctx.tokens);
      const lastBody = ast.body[ast.body.length - 1];
      if (lastBody) {
        adjustEndLoc(lastBody, ctx.comments[ctx.comments.length - 1]);
      }
      return ast;
    }
    exports2.convertRoot = convertRoot;
    function convertDocument({ directives, doc, docEnd }, node, ctx, parent, startIndex) {
      const loc = ctx.getConvertLocation(skipSpaces(ctx.code, startIndex), node.range[1]);
      const ast = Object.assign({ type: "YAMLDocument", directives: [], content: null, parent, anchors: {}, version: node.directives.yaml.version }, loc);
      ast.directives.push(...convertDocumentHead(node.directives, directives, ctx, ast));
      let last = ast.directives[ast.directives.length - 1];
      const startTokens = new PreTokens(doc.start, ctx);
      let t;
      while (t = startTokens.consume()) {
        if (t.type === "doc-start") {
          last = ctx.addToken("Marker", toRange(t));
          continue;
        }
        startTokens.back();
        break;
      }
      ast.content = convertDocumentBody(startTokens, doc.value || null, node.contents, ctx, ast);
      last = ast.content || last;
      if (doc.end) {
        doc.end.forEach((token) => processAnyToken(token, ctx));
      }
      if (docEnd) {
        last = ctx.addToken("Marker", toRange(docEnd));
      }
      adjustEndLoc(ast, last);
      return ast;
    }
    function* convertDocumentHead(node, directives, ctx, parent) {
      for (const n of directives) {
        yield convertDirective(node, n, ctx, parent);
      }
    }
    function convertDirective(node, cst, ctx, parent) {
      const loc = ctx.getConvertLocation(...toRange(cst));
      const value = ctx.code.slice(...loc.range);
      const parts = cst.source.trim().split(/[\t ]+/);
      const name = parts.shift();
      let ast;
      if (name === "%YAML") {
        ast = Object.assign({ type: "YAMLDirective", value, kind: "YAML", version: node.yaml.version, parent }, loc);
      } else if (name === "%TAG") {
        const [handle, prefix] = parts;
        ast = Object.assign({
          type: "YAMLDirective",
          value,
          kind: "TAG",
          handle,
          prefix,
          parent
        }, loc);
      } else {
        ast = Object.assign({ type: "YAMLDirective", value, kind: null, parent }, loc);
      }
      ctx.addToken("Directive", loc.range);
      return ast;
    }
    function convertDocumentBody(preTokens, cst, node, ctx, parent) {
      if (cst) {
        return convertContentNode(preTokens, cst, node, ctx, parent, parent);
      }
      const token = preTokens.first();
      if (token) {
        throw ctx.throwUnexpectedTokenError(token);
      }
      return null;
    }
    function convertContentNode(preTokens, cst, node, ctx, parent, doc) {
      var _a;
      if (!node) {
        throw ctx.throwError(`unknown error: AST is null. Unable to process content CST (${cst.type}).`, cst);
      }
      if (node.srcToken !== cst) {
        throw ctx.throwError(`unknown error: CST is mismatched. Unable to process content CST (${cst.type}: ${(_a = node.srcToken) === null || _a === void 0 ? void 0 : _a.type}).`, cst);
      }
      if (cst.type === "block-scalar") {
        if (!(0, yaml_1.isScalar)(node)) {
          throw ctx.throwError(`unknown error: AST is not Scalar (${getNodeType(node)}). Unable to process Scalar CST.`, cst);
        }
        return convertBlockScalar(preTokens, cst, node, ctx, parent, doc);
      }
      if (cst.type === "block-seq") {
        if (!(0, yaml_1.isSeq)(node)) {
          throw ctx.throwError(`unknown error: AST is not Seq (${getNodeType(node)}). Unable to process Seq CST.`, cst);
        }
        return convertSequence(preTokens, cst, node, ctx, parent, doc);
      }
      if (cst.type === "block-map") {
        if (!(0, yaml_1.isMap)(node)) {
          throw ctx.throwError(`unknown error: AST is not Map and Pair (${getNodeType(node)}). Unable to process Map CST.`, cst);
        }
        return convertMapping(preTokens, cst, node, ctx, parent, doc);
      }
      if (cst.type === "flow-collection") {
        return convertFlowCollection(preTokens, cst, node, ctx, parent, doc);
      }
      if (isPlainScalarCST(cst)) {
        if (!(0, yaml_1.isScalar)(node)) {
          throw ctx.throwError(`unknown error: AST is not Scalar (${getNodeType(node)}). Unable to process Scalar CST.`, cst);
        }
        return convertPlain(preTokens, cst, node, ctx, parent, doc);
      }
      if (isDoubleQuotedScalarCST(cst)) {
        if (!(0, yaml_1.isScalar)(node)) {
          throw ctx.throwError(`unknown error: AST is not Scalar (${getNodeType(node)}). Unable to process Scalar CST.`, cst);
        }
        return convertQuoteDouble(preTokens, cst, node, ctx, parent, doc);
      }
      if (isSingleQuotedScalarCST(cst)) {
        if (!(0, yaml_1.isScalar)(node)) {
          throw ctx.throwError(`unknown error: AST is not Scalar (${getNodeType(node)}). Unable to process Scalar CST.`, cst);
        }
        return convertQuoteSingle(preTokens, cst, node, ctx, parent, doc);
      }
      if (isAliasScalarCST(cst)) {
        if (!(0, yaml_1.isAlias)(node)) {
          throw ctx.throwError(`unknown error: AST is not Alias (${getNodeType(node)}). Unable to process Alias CST.`, cst);
        }
        return convertAlias(preTokens, cst, node, ctx, parent, doc);
      }
      throw new Error(`Unsupported node: ${cst.type}`);
    }
    function convertMapping(preTokens, cst, node, ctx, parent, doc) {
      var _a, _b;
      if (isPair(node)) {
        if (node.srcToken !== cst.items[0]) {
          throw ctx.throwError(`unknown error: CST is mismatched. Unable to process mapping CST (${cst.type}: "CollectionItem").`, cst);
        }
      } else {
        if (node.srcToken !== cst) {
          throw ctx.throwError(`unknown error: CST is mismatched. Unable to process mapping CST (${cst.type}: ${(_a = node.srcToken) === null || _a === void 0 ? void 0 : _a.type}).`, cst);
        }
      }
      const loc = ctx.getConvertLocation(cst.offset, cst.offset);
      const ast = Object.assign({ type: "YAMLMapping", style: "block", pairs: [], parent }, loc);
      const items = getPairs(node);
      let firstKeyInd;
      let lastKeyInd;
      for (const item of cst.items) {
        const startTokens = new PreTokens(item.start, ctx);
        let token;
        let keyInd = null;
        while (token = startTokens.consume()) {
          if (token.type === "explicit-key-ind") {
            if (keyInd) {
              throw ctx.throwUnexpectedTokenError(token);
            }
            lastKeyInd = keyInd = ctx.addToken("Punctuator", toRange(token));
            firstKeyInd !== null && firstKeyInd !== void 0 ? firstKeyInd : firstKeyInd = keyInd;
            continue;
          }
          startTokens.back();
          break;
        }
        const pair = items.shift();
        if (!pair) {
          const t = startTokens.first() || keyInd || item.key || ((_b = item.sep) === null || _b === void 0 ? void 0 : _b[0]) || item.value;
          if (!t) {
            break;
          }
          throw ctx.throwUnexpectedTokenError(t);
        }
        ast.pairs.push(convertMappingItem(keyInd, startTokens, item, pair, ctx, ast, doc));
      }
      adjustStartLoc(ast, firstKeyInd);
      adjustStartLoc(ast, ast.pairs[0]);
      adjustEndLoc(ast, ast.pairs[ast.pairs.length - 1] || lastKeyInd);
      if (!(0, yaml_1.isMap)(node)) {
        return ast;
      }
      return convertAnchorAndTag(preTokens, node, ctx, parent, ast, doc, ast);
    }
    function convertFlowCollection(preTokens, cst, node, ctx, parent, doc) {
      if (cst.start.type === "flow-map-start") {
        const startToken = ctx.addToken("Punctuator", toRange(cst.start));
        if (!(0, yaml_1.isMap)(node) && !isPair(node)) {
          throw ctx.throwError(`unknown error: AST is not Map and Pair (${getNodeType(node)}). Unable to process flow map CST.`, cst);
        }
        return convertFlowMapping(preTokens, startToken, cst, node, ctx, parent, doc);
      }
      if (cst.start.type === "flow-seq-start") {
        const startToken = ctx.addToken("Punctuator", toRange(cst.start));
        if (!(0, yaml_1.isSeq)(node) || !node.flow) {
          throw ctx.throwError(`unknown error: AST is not flow Seq (${getNodeType(node)}). Unable to process flow seq CST.`, cst);
        }
        return convertFlowSequence(preTokens, startToken, cst, node, ctx, parent, doc);
      }
      throw ctx.throwUnexpectedTokenError(cst.start);
    }
    function convertFlowMapping(preTokens, startToken, cst, node, ctx, parent, doc) {
      var _a;
      const loc = ctx.getConvertLocation(startToken.range[0], cst.offset);
      const ast = Object.assign({ type: "YAMLMapping", style: "flow", pairs: [], parent }, loc);
      const items = getPairs(node);
      let lastToken;
      for (const item of cst.items) {
        const startTokens = new PreTokens(item.start, ctx);
        let token;
        let keyInd = null;
        while (token = startTokens.consume()) {
          if (token.type === "comma") {
            lastToken = ctx.addToken("Punctuator", toRange(token));
            continue;
          }
          if (token.type === "explicit-key-ind") {
            if (keyInd) {
              throw ctx.throwUnexpectedTokenError(token);
            }
            lastToken = keyInd = ctx.addToken("Punctuator", toRange(token));
            continue;
          }
          startTokens.back();
          break;
        }
        const pair = items.shift();
        if (!pair) {
          const t = startTokens.first() || keyInd || item.key || ((_a = item.sep) === null || _a === void 0 ? void 0 : _a[0]) || item.value;
          if (!t) {
            break;
          }
          throw ctx.throwUnexpectedTokenError(t);
        }
        ast.pairs.push(convertMappingItem(keyInd, startTokens, item, pair, ctx, ast, doc));
      }
      let mapEnd;
      for (const token of cst.end) {
        if (processCommentOrSpace(token, ctx)) {
          continue;
        }
        if (token.type === "flow-map-end") {
          mapEnd = ctx.addToken("Punctuator", toRange(token));
          continue;
        }
        throw ctx.throwUnexpectedTokenError(token);
      }
      adjustEndLoc(ast, mapEnd || ast.pairs[ast.pairs.length - 1] || lastToken);
      if (!(0, yaml_1.isMap)(node)) {
        return ast;
      }
      return convertAnchorAndTag(preTokens, node, ctx, parent, ast, doc, ast);
    }
    function convertFlowSequence(preTokens, startToken, cst, node, ctx, parent, doc) {
      var _a;
      const loc = ctx.getConvertLocation(startToken.range[0], cst.offset);
      const ast = Object.assign({ type: "YAMLSequence", style: "flow", entries: [], parent }, loc);
      let lastToken;
      const items = [...node.items];
      for (const item of cst.items) {
        const startTokens = new PreTokens(item.start, ctx);
        let token;
        while (token = startTokens.consume()) {
          if (token.type === "comma") {
            lastToken = ctx.addToken("Punctuator", toRange(token));
            continue;
          }
          startTokens.back();
          break;
        }
        if (items.length === 0) {
          const t = startTokens.first() || item.key || ((_a = item.sep) === null || _a === void 0 ? void 0 : _a[0]) || item.value;
          if (!t) {
            break;
          }
          throw ctx.throwUnexpectedTokenError(t);
        }
        const entry = items.shift();
        if (isPair(entry) || (item.key || item.sep) && (0, yaml_1.isMap)(entry)) {
          ast.entries.push(convertMap(startTokens, item, entry));
        } else {
          ast.entries.push(convertFlowSequenceItem(startTokens, item.value || null, entry || null, ctx, ast, doc, (ast.entries[ast.entries.length - 1] || lastToken || startToken).range[1]));
        }
      }
      let seqEnd;
      for (const token of cst.end) {
        if (processCommentOrSpace(token, ctx)) {
          continue;
        }
        if (token.type === "flow-seq-end") {
          seqEnd = ctx.addToken("Punctuator", toRange(token));
          continue;
        }
        throw ctx.throwUnexpectedTokenError(token);
      }
      adjustEndLoc(ast, seqEnd || ast.entries[ast.entries.length - 1] || lastToken);
      return convertAnchorAndTag(preTokens, node, ctx, parent, ast, doc, ast);
      function convertMap(pairPreTokens, pairCst, entry) {
        var _a2, _b, _c;
        const startTokens = pairPreTokens;
        let keyInd = null;
        let token;
        while (token = startTokens.consume()) {
          if (token.type === "comma") {
            ctx.addToken("Punctuator", toRange(token));
            continue;
          }
          if (token.type === "explicit-key-ind") {
            if (keyInd) {
              throw ctx.throwUnexpectedTokenError(token);
            }
            keyInd = ctx.addToken("Punctuator", toRange(token));
            continue;
          }
          startTokens.back();
          break;
        }
        const pairStartToken = (_a2 = pairCst.key) !== null && _a2 !== void 0 ? _a2 : pairCst.sep[0];
        const mapAst = Object.assign({ type: "YAMLMapping", style: "block", pairs: [], parent: ast }, ctx.getConvertLocation((_b = keyInd === null || keyInd === void 0 ? void 0 : keyInd.range[0]) !== null && _b !== void 0 ? _b : pairStartToken.offset, (_c = keyInd === null || keyInd === void 0 ? void 0 : keyInd.range[1]) !== null && _c !== void 0 ? _c : pairStartToken.offset));
        const pair = convertMappingItem(keyInd, startTokens, pairCst, getPairs(entry)[0], ctx, mapAst, doc);
        mapAst.pairs.push(pair);
        adjustStartLoc(mapAst, keyInd || pair);
        adjustEndLoc(mapAst, pair || keyInd);
        return mapAst;
      }
    }
    function convertMappingItem(keyInd, preTokens, cst, node, ctx, parent, doc) {
      var _a, _b, _c, _d, _e, _f, _g, _h, _j, _k;
      const start = (_k = (_h = (_e = (_c = (_a = keyInd === null || keyInd === void 0 ? void 0 : keyInd.range[0]) !== null && _a !== void 0 ? _a : (_b = preTokens.first()) === null || _b === void 0 ? void 0 : _b.offset) !== null && _c !== void 0 ? _c : (_d = cst.key) === null || _d === void 0 ? void 0 : _d.offset) !== null && _e !== void 0 ? _e : (_g = (_f = cst.sep) === null || _f === void 0 ? void 0 : _f[0]) === null || _g === void 0 ? void 0 : _g.offset) !== null && _h !== void 0 ? _h : (_j = cst.value) === null || _j === void 0 ? void 0 : _j.offset) !== null && _k !== void 0 ? _k : -1;
      const loc = ctx.getConvertLocation(start, start);
      const ast = Object.assign({ type: "YAMLPair", key: null, value: null, parent }, loc);
      ast.key = convertMappingKey(preTokens, cst.key || null, node.key, ctx, ast, doc, start);
      const valueStartTokens = new PreTokens(cst.sep || [], ctx);
      let valueInd;
      let token;
      while (token = valueStartTokens.consume()) {
        if (token.type === "map-value-ind") {
          if (valueInd) {
            throw ctx.throwUnexpectedTokenError(token);
          }
          valueInd = ctx.addToken("Punctuator", toRange(token));
          continue;
        }
        valueStartTokens.back();
        break;
      }
      ast.value = convertMappingValue(valueStartTokens, cst.value || null, node.value, ctx, ast, doc, start);
      adjustEndLoc(ast, ast.value || valueInd || ast.key || keyInd);
      return ast;
    }
    function convertMappingKey(preTokens, cst, node, ctx, parent, doc, indexForError) {
      var _a;
      if (cst) {
        return convertContentNode(preTokens, cst, node, ctx, parent, doc);
      }
      if (!isScalarOrNull(node)) {
        throw ctx.throwError(`unknown error: AST is not Scalar and null (${getNodeType(node)}). Unable to process empty map key CST.`, (_a = preTokens.first()) !== null && _a !== void 0 ? _a : indexForError);
      }
      return convertAnchorAndTag(preTokens, node, ctx, parent, null, doc, null);
    }
    function convertMappingValue(preTokens, cst, node, ctx, parent, doc, indexForError) {
      var _a;
      if (cst) {
        return convertContentNode(preTokens, cst, node, ctx, parent, doc);
      }
      if (!isScalarOrNull(node)) {
        throw ctx.throwError(`unknown error: AST is not Scalar and null (${getNodeType(node)}). Unable to process empty map value CST.`, (_a = preTokens.first()) !== null && _a !== void 0 ? _a : indexForError);
      }
      return convertAnchorAndTag(preTokens, node, ctx, parent, null, doc, null);
    }
    function convertSequence(preTokens, cst, node, ctx, parent, doc) {
      var _a;
      const loc = ctx.getConvertLocation(cst.offset, cst.offset);
      const ast = Object.assign({ type: "YAMLSequence", style: "block", entries: [], parent }, loc);
      const items = [...node.items];
      let lastSeqInd;
      for (const item of cst.items) {
        const startTokens = new PreTokens(item.start, ctx);
        let seqInd;
        let token;
        while (token = startTokens.consume()) {
          if (token.type === "seq-item-ind") {
            if (seqInd) {
              throw ctx.throwUnexpectedTokenError(token);
            }
            lastSeqInd = seqInd = ctx.addToken("Punctuator", toRange(token));
            continue;
          }
          startTokens.back();
          break;
        }
        if (items.length === 0) {
          const t = startTokens.first() || item.key || ((_a = item.sep) === null || _a === void 0 ? void 0 : _a[0]) || item.value;
          if (!t) {
            break;
          }
          throw ctx.throwUnexpectedTokenError(t);
        }
        ast.entries.push(convertSequenceItem(startTokens, item, items.shift() || null, ctx, ast, doc, (ast.entries[ast.entries.length - 1] || ast).range[1]));
      }
      adjustEndLoc(ast, ast.entries[ast.entries.length - 1] || lastSeqInd);
      return convertAnchorAndTag(preTokens, node, ctx, parent, ast, doc, ast);
    }
    function convertSequenceItem(preTokens, cst, node, ctx, parent, doc, indexForError) {
      var _a;
      if (cst.key) {
        throw ctx.throwUnexpectedTokenError(cst.key);
      }
      if (cst.sep) {
        throw ctx.throwUnexpectedTokenError(cst.sep);
      }
      if (cst.value) {
        if (isPair(node)) {
          if (cst.value.type === "block-map") {
            return convertMapping(preTokens, cst.value, node, ctx, parent, doc);
          }
          if (cst.value.type === "flow-collection") {
            return convertFlowCollection(preTokens, cst.value, node, ctx, parent, doc);
          }
          throw ctx.throwError(`unknown error: CST is not block-map and flow-collection (${cst.value.type}). Unable to process Pair AST.`, cst.value);
        }
        return convertContentNode(preTokens, cst.value, node, ctx, parent, doc);
      }
      if (!isScalarOrNull(node)) {
        throw ctx.throwError(`unknown error: AST is not Scalar and null (${getNodeType(node)}). Unable to process empty seq item CST.`, (_a = preTokens.first()) !== null && _a !== void 0 ? _a : indexForError);
      }
      return convertAnchorAndTag(preTokens, node, ctx, parent, null, doc, null);
    }
    function convertFlowSequenceItem(preTokens, cst, node, ctx, parent, doc, indexForError) {
      var _a;
      if (cst) {
        return convertContentNode(preTokens, cst, node, ctx, parent, doc);
      }
      if (!isScalarOrNull(node)) {
        throw ctx.throwError(`unknown error: AST is not Scalar and null (${getNodeType(node)}). Unable to process empty seq item CST.`, (_a = preTokens.first()) !== null && _a !== void 0 ? _a : indexForError);
      }
      return convertAnchorAndTag(preTokens, node, ctx, parent, null, doc, null);
    }
    function convertPlain(preTokens, cst, node, ctx, parent, doc) {
      var _a;
      const loc = ctx.getConvertLocation(...toRange(cst));
      let ast;
      if (loc.range[0] < loc.range[1]) {
        const strValue = node.source || cst.source;
        const value = parseValueFromText(strValue, doc.version || "1.2");
        ast = Object.assign({
          type: "YAMLScalar",
          style: "plain",
          strValue,
          value,
          raw: ctx.code.slice(...loc.range),
          parent
        }, loc);
        const type = typeof value;
        if (type === "boolean") {
          ctx.addToken("Boolean", loc.range);
        } else if (type === "number" && isFinite(Number(value))) {
          ctx.addToken("Numeric", loc.range);
        } else if (value === null) {
          ctx.addToken("Null", loc.range);
        } else {
          ctx.addToken("Identifier", loc.range);
        }
        ast = convertAnchorAndTag(preTokens, node, ctx, parent, ast, doc, loc);
      } else {
        ast = convertAnchorAndTag(preTokens, node, ctx, parent, null, doc, loc);
      }
      (_a = cst.end) === null || _a === void 0 ? void 0 : _a.forEach((t) => processAnyToken(t, ctx));
      return ast;
      function parseValueFromText(str, version) {
        for (const tagResolver of tags_1.tagResolvers[version]) {
          if (tagResolver.testString(str)) {
            return tagResolver.resolveString(str);
          }
        }
        return str;
      }
    }
    function convertQuoteDouble(preTokens, cst, node, ctx, parent, doc) {
      var _a;
      const loc = ctx.getConvertLocation(...toRange(cst));
      const strValue = node.source;
      const ast = Object.assign({ type: "YAMLScalar", style: "double-quoted", strValue, value: strValue, raw: ctx.code.slice(...loc.range), parent }, loc);
      ctx.addToken("String", loc.range);
      (_a = cst.end) === null || _a === void 0 ? void 0 : _a.forEach((t) => processAnyToken(t, ctx));
      return convertAnchorAndTag(preTokens, node, ctx, parent, ast, doc, ast);
    }
    function convertQuoteSingle(preTokens, cst, node, ctx, parent, doc) {
      var _a;
      const loc = ctx.getConvertLocation(...toRange(cst));
      const strValue = node.source;
      const ast = Object.assign({ type: "YAMLScalar", style: "single-quoted", strValue, value: strValue, raw: ctx.code.slice(...loc.range), parent }, loc);
      ctx.addToken("String", loc.range);
      (_a = cst.end) === null || _a === void 0 ? void 0 : _a.forEach((t) => processAnyToken(t, ctx));
      return convertAnchorAndTag(preTokens, node, ctx, parent, ast, doc, ast);
    }
    function convertBlockScalar(preTokens, cst, node, ctx, parent, doc) {
      let headerToken, ast;
      let blockStart = cst.offset;
      for (const token of cst.props) {
        if (processCommentOrSpace(token, ctx)) {
          blockStart = token.offset + token.source.length;
          continue;
        }
        if (token.type === "block-scalar-header") {
          headerToken = ctx.addToken("Punctuator", toRange(token));
          blockStart = headerToken.range[0];
          continue;
        }
        throw ctx.throwUnexpectedTokenError(token);
      }
      const headerValue = headerToken.value;
      const end = node.source ? getBlockEnd(blockStart + cst.source.length, ctx) : ctx.lastSkipSpaces(cst.offset, blockStart + cst.source.length);
      const loc = ctx.getConvertLocation(headerToken.range[0], end);
      if (headerValue.startsWith(">")) {
        ast = Object.assign(Object.assign(Object.assign({ type: "YAMLScalar", style: "folded" }, parseHeader(headerValue)), { value: node.source, parent }), loc);
        const text = ctx.code.slice(blockStart, end);
        const offset = /^[^\S\n\r]*/.exec(text)[0].length;
        const tokenRange = [blockStart + offset, end];
        if (tokenRange[0] < tokenRange[1]) {
          ctx.addToken("BlockFolded", tokenRange);
        }
      } else {
        ast = Object.assign(Object.assign(Object.assign({ type: "YAMLScalar", style: "literal" }, parseHeader(headerValue)), { value: node.source, parent }), loc);
        const text = ctx.code.slice(blockStart, end);
        const offset = /^[^\S\n\r]*/.exec(text)[0].length;
        const tokenRange = [blockStart + offset, end];
        if (tokenRange[0] < tokenRange[1]) {
          ctx.addToken("BlockLiteral", tokenRange);
        }
      }
      return convertAnchorAndTag(preTokens, node, ctx, parent, ast, doc, ast);
      function parseHeader(header) {
        const parsed = /([+-]?)(\d*)([+-]?)$/u.exec(header);
        let indent = null;
        let chomping = "clip";
        if (parsed) {
          indent = parsed[2] ? Number(parsed[2]) : null;
          const chompingStr = parsed[3] || parsed[1];
          chomping = chompingStr === "+" ? "keep" : chompingStr === "-" ? "strip" : "clip";
        }
        return {
          chomping,
          indent
        };
      }
    }
    function getBlockEnd(end, ctx) {
      let index = end;
      if (ctx.code[index - 1] === "\n" && index > 1) {
        index--;
        if (ctx.code[index - 1] === "\r" && index > 1) {
          index--;
        }
      }
      return index;
    }
    function convertAlias(preTokens, cst, _node, ctx, parent, _doc) {
      var _a;
      const [start, end] = toRange(cst);
      const loc = ctx.getConvertLocation(start, ctx.lastSkipSpaces(start, end));
      const ast = Object.assign({ type: "YAMLAlias", name: cst.source.slice(1), parent }, loc);
      ctx.addToken("Punctuator", [loc.range[0], loc.range[0] + 1]);
      const tokenRange = [loc.range[0] + 1, loc.range[1]];
      if (tokenRange[0] < tokenRange[1]) {
        ctx.addToken("Identifier", tokenRange);
      }
      const token = preTokens.first();
      if (token) {
        throw ctx.throwUnexpectedTokenError(token);
      }
      (_a = cst.end) === null || _a === void 0 ? void 0 : _a.forEach((t) => processAnyToken(t, ctx));
      return ast;
    }
    function convertAnchorAndTag(preTokens, node, ctx, parent, value, doc, valueLoc) {
      let meta = null;
      function getMetaAst(cst) {
        if (meta) {
          return meta;
        }
        meta = Object.assign({
          type: "YAMLWithMeta",
          anchor: null,
          tag: null,
          value,
          parent
        }, valueLoc ? {
          range: [...valueLoc.range],
          loc: cloneLoc(valueLoc.loc)
        } : ctx.getConvertLocation(...toRange(cst)));
        if (value) {
          value.parent = meta;
        }
        return meta;
      }
      preTokens.each((cst) => {
        var _a;
        if (isAnchorCST(cst)) {
          const ast = getMetaAst(cst);
          const anchor = convertAnchor(cst, ctx, ast, doc);
          ast.anchor = anchor;
          adjustStartLoc(ast, anchor);
          adjustEndLoc(ast, anchor);
        } else if (isTagCST(cst)) {
          const ast = getMetaAst(cst);
          const tag = convertTag(cst, (_a = node === null || node === void 0 ? void 0 : node.tag) !== null && _a !== void 0 ? _a : null, ctx, ast);
          ast.tag = tag;
          adjustStartLoc(ast, tag);
          adjustEndLoc(ast, tag);
        } else {
          throw ctx.throwUnexpectedTokenError(cst);
        }
      });
      return meta || value;
    }
    function convertAnchor(cst, ctx, parent, doc) {
      const name = cst.source.slice(1);
      const loc = ctx.getConvertLocation(...toRange(cst));
      const ast = Object.assign({
        type: "YAMLAnchor",
        name,
        parent
      }, loc);
      const anchors = doc.anchors[name] || (doc.anchors[name] = []);
      anchors.push(ast);
      const punctuatorRange = [loc.range[0], loc.range[0] + 1];
      ctx.addToken("Punctuator", punctuatorRange);
      const tokenRange = [punctuatorRange[1], loc.range[1]];
      if (tokenRange[0] < tokenRange[1]) {
        ctx.addToken("Identifier", tokenRange);
      }
      return ast;
    }
    function convertTag(cst, tag, ctx, parent) {
      const offset = cst.source.startsWith("!!") ? 2 : 1;
      let resolvedTag = tag !== null && tag !== void 0 ? tag : cst.source.slice(offset);
      if (resolvedTag === "!") {
        resolvedTag = "tag:yaml.org,2002:str";
      }
      const loc = ctx.getConvertLocation(...toRange(cst));
      const ast = Object.assign({ type: "YAMLTag", tag: resolvedTag, raw: cst.source, parent }, loc);
      const punctuatorRange = [loc.range[0], loc.range[0] + offset];
      ctx.addToken("Punctuator", punctuatorRange);
      const tokenRange = [punctuatorRange[1], loc.range[1]];
      if (tokenRange[0] < tokenRange[1]) {
        ctx.addToken("Identifier", tokenRange);
      }
      return ast;
    }
    function isScalarOrNull(node) {
      return (0, yaml_1.isScalar)(node) || node == null;
    }
    function getPairs(node) {
      return (0, yaml_1.isMap)(node) ? [...node.items] : [node];
    }
    function processCommentOrSpace(node, ctx) {
      if (node.type === "space" || node.type === "newline") {
        return true;
      }
      if (node.type === "flow-error-end" || node.type === "error") {
        throw ctx.throwUnexpectedTokenError(node);
      }
      if (node.type === "comment") {
        const comment = Object.assign({ type: "Block", value: node.source.slice(1) }, ctx.getConvertLocation(...toRange(node)));
        ctx.addComment(comment);
        return true;
      }
      return false;
    }
    function processAnyToken(node, ctx) {
      if (!processCommentOrSpace(node, ctx)) {
        throw ctx.throwUnexpectedTokenError(node);
      }
    }
    function sort(tokens) {
      return tokens.sort((a, b) => {
        if (a.range[0] > b.range[0]) {
          return 1;
        }
        if (a.range[0] < b.range[0]) {
          return -1;
        }
        if (a.range[1] > b.range[1]) {
          return 1;
        }
        if (a.range[1] < b.range[1]) {
          return -1;
        }
        return 0;
      });
    }
    function clonePos(loc) {
      return {
        line: loc.line,
        column: loc.column
      };
    }
    function cloneLoc(loc) {
      return {
        start: clonePos(loc.start),
        end: clonePos(loc.end)
      };
    }
    function skipSpaces(str, startIndex) {
      const len = str.length;
      for (let index = startIndex; index < len; index++) {
        if (str[index].trim()) {
          return index;
        }
      }
      return len;
    }
    function toRange(token) {
      return [token.offset, token.offset + token.source.length];
    }
    function adjustStartLoc(ast, first) {
      if (first && first.range[0] < ast.range[0]) {
        ast.range[0] = first.range[0];
        ast.loc.start = clonePos(first.loc.start);
      }
    }
    function adjustEndLoc(ast, last) {
      if (last && ast.range[1] < last.range[1]) {
        ast.range[1] = last.range[1];
        ast.loc.end = clonePos(last.loc.end);
      }
    }
  }
});

// node_modules/.pnpm/lodash@4.17.21/node_modules/lodash/lodash.js
var require_lodash = __commonJS({
  "node_modules/.pnpm/lodash@4.17.21/node_modules/lodash/lodash.js"(exports2, module2) {
    (function() {
      var undefined2;
      var VERSION = "4.17.21";
      var LARGE_ARRAY_SIZE2 = 200;
      var CORE_ERROR_TEXT = "Unsupported core-js use. Try https://npms.io/search?q=ponyfill.", FUNC_ERROR_TEXT = "Expected a function", INVALID_TEMPL_VAR_ERROR_TEXT = "Invalid `variable` option passed into `_.template`";
      var HASH_UNDEFINED3 = "__lodash_hash_undefined__";
      var MAX_MEMOIZE_SIZE = 500;
      var PLACEHOLDER2 = "__lodash_placeholder__";
      var CLONE_DEEP_FLAG = 1, CLONE_FLAT_FLAG = 2, CLONE_SYMBOLS_FLAG = 4;
      var COMPARE_PARTIAL_FLAG = 1, COMPARE_UNORDERED_FLAG = 2;
      var WRAP_BIND_FLAG = 1, WRAP_BIND_KEY_FLAG = 2, WRAP_CURRY_BOUND_FLAG = 4, WRAP_CURRY_FLAG = 8, WRAP_CURRY_RIGHT_FLAG = 16, WRAP_PARTIAL_FLAG = 32, WRAP_PARTIAL_RIGHT_FLAG = 64, WRAP_ARY_FLAG = 128, WRAP_REARG_FLAG = 256, WRAP_FLIP_FLAG = 512;
      var DEFAULT_TRUNC_LENGTH = 30, DEFAULT_TRUNC_OMISSION = "...";
      var HOT_COUNT2 = 800, HOT_SPAN2 = 16;
      var LAZY_FILTER_FLAG = 1, LAZY_MAP_FLAG = 2, LAZY_WHILE_FLAG = 3;
      var INFINITY2 = 1 / 0, MAX_SAFE_INTEGER3 = 9007199254740991, MAX_INTEGER = 17976931348623157e292, NAN = 0 / 0;
      var MAX_ARRAY_LENGTH = 4294967295, MAX_ARRAY_INDEX = MAX_ARRAY_LENGTH - 1, HALF_MAX_ARRAY_LENGTH = MAX_ARRAY_LENGTH >>> 1;
      var wrapFlags = [
        ["ary", WRAP_ARY_FLAG],
        ["bind", WRAP_BIND_FLAG],
        ["bindKey", WRAP_BIND_KEY_FLAG],
        ["curry", WRAP_CURRY_FLAG],
        ["curryRight", WRAP_CURRY_RIGHT_FLAG],
        ["flip", WRAP_FLIP_FLAG],
        ["partial", WRAP_PARTIAL_FLAG],
        ["partialRight", WRAP_PARTIAL_RIGHT_FLAG],
        ["rearg", WRAP_REARG_FLAG]
      ];
      var argsTag3 = "[object Arguments]", arrayTag2 = "[object Array]", asyncTag2 = "[object AsyncFunction]", boolTag2 = "[object Boolean]", dateTag2 = "[object Date]", domExcTag = "[object DOMException]", errorTag2 = "[object Error]", funcTag3 = "[object Function]", genTag2 = "[object GeneratorFunction]", mapTag2 = "[object Map]", numberTag2 = "[object Number]", nullTag2 = "[object Null]", objectTag3 = "[object Object]", promiseTag = "[object Promise]", proxyTag2 = "[object Proxy]", regexpTag2 = "[object RegExp]", setTag2 = "[object Set]", stringTag2 = "[object String]", symbolTag2 = "[object Symbol]", undefinedTag2 = "[object Undefined]", weakMapTag2 = "[object WeakMap]", weakSetTag = "[object WeakSet]";
      var arrayBufferTag2 = "[object ArrayBuffer]", dataViewTag2 = "[object DataView]", float32Tag2 = "[object Float32Array]", float64Tag2 = "[object Float64Array]", int8Tag2 = "[object Int8Array]", int16Tag2 = "[object Int16Array]", int32Tag2 = "[object Int32Array]", uint8Tag2 = "[object Uint8Array]", uint8ClampedTag2 = "[object Uint8ClampedArray]", uint16Tag2 = "[object Uint16Array]", uint32Tag2 = "[object Uint32Array]";
      var reEmptyStringLeading = /\b__p \+= '';/g, reEmptyStringMiddle = /\b(__p \+=) '' \+/g, reEmptyStringTrailing = /(__e\(.*?\)|\b__t\)) \+\n'';/g;
      var reEscapedHtml = /&(?:amp|lt|gt|quot|#39);/g, reUnescapedHtml = /[&<>"']/g, reHasEscapedHtml = RegExp(reEscapedHtml.source), reHasUnescapedHtml = RegExp(reUnescapedHtml.source);
      var reEscape = /<%-([\s\S]+?)%>/g, reEvaluate = /<%([\s\S]+?)%>/g, reInterpolate = /<%=([\s\S]+?)%>/g;
      var reIsDeepProp = /\.|\[(?:[^[\]]*|(["'])(?:(?!\1)[^\\]|\\.)*?\1)\]/, reIsPlainProp = /^\w*$/, rePropName = /[^.[\]]+|\[(?:(-?\d+(?:\.\d+)?)|(["'])((?:(?!\2)[^\\]|\\.)*?)\2)\]|(?=(?:\.|\[\])(?:\.|\[\]|$))/g;
      var reRegExpChar2 = /[\\^$.*+?()[\]{}|]/g, reHasRegExpChar = RegExp(reRegExpChar2.source);
      var reTrimStart = /^\s+/;
      var reWhitespace = /\s/;
      var reWrapComment = /\{(?:\n\/\* \[wrapped with .+\] \*\/)?\n?/, reWrapDetails = /\{\n\/\* \[wrapped with (.+)\] \*/, reSplitDetails = /,? & /;
      var reAsciiWord2 = /[^\x00-\x2f\x3a-\x40\x5b-\x60\x7b-\x7f]+/g;
      var reForbiddenIdentifierChars = /[()=,{}\[\]\/\s]/;
      var reEscapeChar = /\\(\\)?/g;
      var reEsTemplate = /\$\{([^\\}]*(?:\\.[^\\}]*)*)\}/g;
      var reFlags = /\w*$/;
      var reIsBadHex = /^[-+]0x[0-9a-f]+$/i;
      var reIsBinary = /^0b[01]+$/i;
      var reIsHostCtor2 = /^\[object .+?Constructor\]$/;
      var reIsOctal = /^0o[0-7]+$/i;
      var reIsUint2 = /^(?:0|[1-9]\d*)$/;
      var reLatin2 = /[\xc0-\xd6\xd8-\xf6\xf8-\xff\u0100-\u017f]/g;
      var reNoMatch = /($^)/;
      var reUnescapedString = /['\n\r\u2028\u2029\\]/g;
      var rsAstralRange4 = "\\ud800-\\udfff", rsComboMarksRange5 = "\\u0300-\\u036f", reComboHalfMarksRange5 = "\\ufe20-\\ufe2f", rsComboSymbolsRange5 = "\\u20d0-\\u20ff", rsComboRange5 = rsComboMarksRange5 + reComboHalfMarksRange5 + rsComboSymbolsRange5, rsDingbatRange2 = "\\u2700-\\u27bf", rsLowerRange2 = "a-z\\xdf-\\xf6\\xf8-\\xff", rsMathOpRange2 = "\\xac\\xb1\\xd7\\xf7", rsNonCharRange2 = "\\x00-\\x2f\\x3a-\\x40\\x5b-\\x60\\x7b-\\xbf", rsPunctuationRange2 = "\\u2000-\\u206f", rsSpaceRange2 = " \\t\\x0b\\f\\xa0\\ufeff\\n\\r\\u2028\\u2029\\u1680\\u180e\\u2000\\u2001\\u2002\\u2003\\u2004\\u2005\\u2006\\u2007\\u2008\\u2009\\u200a\\u202f\\u205f\\u3000", rsUpperRange2 = "A-Z\\xc0-\\xd6\\xd8-\\xde", rsVarRange4 = "\\ufe0e\\ufe0f", rsBreakRange2 = rsMathOpRange2 + rsNonCharRange2 + rsPunctuationRange2 + rsSpaceRange2;
      var rsApos3 = "['\u2019]", rsAstral2 = "[" + rsAstralRange4 + "]", rsBreak2 = "[" + rsBreakRange2 + "]", rsCombo4 = "[" + rsComboRange5 + "]", rsDigits2 = "\\d+", rsDingbat2 = "[" + rsDingbatRange2 + "]", rsLower2 = "[" + rsLowerRange2 + "]", rsMisc2 = "[^" + rsAstralRange4 + rsBreakRange2 + rsDigits2 + rsDingbatRange2 + rsLowerRange2 + rsUpperRange2 + "]", rsFitz3 = "\\ud83c[\\udffb-\\udfff]", rsModifier3 = "(?:" + rsCombo4 + "|" + rsFitz3 + ")", rsNonAstral3 = "[^" + rsAstralRange4 + "]", rsRegional3 = "(?:\\ud83c[\\udde6-\\uddff]){2}", rsSurrPair3 = "[\\ud800-\\udbff][\\udc00-\\udfff]", rsUpper2 = "[" + rsUpperRange2 + "]", rsZWJ4 = "\\u200d";
      var rsMiscLower2 = "(?:" + rsLower2 + "|" + rsMisc2 + ")", rsMiscUpper2 = "(?:" + rsUpper2 + "|" + rsMisc2 + ")", rsOptContrLower2 = "(?:" + rsApos3 + "(?:d|ll|m|re|s|t|ve))?", rsOptContrUpper2 = "(?:" + rsApos3 + "(?:D|LL|M|RE|S|T|VE))?", reOptMod3 = rsModifier3 + "?", rsOptVar3 = "[" + rsVarRange4 + "]?", rsOptJoin3 = "(?:" + rsZWJ4 + "(?:" + [rsNonAstral3, rsRegional3, rsSurrPair3].join("|") + ")" + rsOptVar3 + reOptMod3 + ")*", rsOrdLower2 = "\\d*(?:1st|2nd|3rd|(?![123])\\dth)(?=\\b|[A-Z_])", rsOrdUpper2 = "\\d*(?:1ST|2ND|3RD|(?![123])\\dTH)(?=\\b|[a-z_])", rsSeq3 = rsOptVar3 + reOptMod3 + rsOptJoin3, rsEmoji2 = "(?:" + [rsDingbat2, rsRegional3, rsSurrPair3].join("|") + ")" + rsSeq3, rsSymbol2 = "(?:" + [rsNonAstral3 + rsCombo4 + "?", rsCombo4, rsRegional3, rsSurrPair3, rsAstral2].join("|") + ")";
      var reApos2 = RegExp(rsApos3, "g");
      var reComboMark2 = RegExp(rsCombo4, "g");
      var reUnicode2 = RegExp(rsFitz3 + "(?=" + rsFitz3 + ")|" + rsSymbol2 + rsSeq3, "g");
      var reUnicodeWord2 = RegExp([
        rsUpper2 + "?" + rsLower2 + "+" + rsOptContrLower2 + "(?=" + [rsBreak2, rsUpper2, "$"].join("|") + ")",
        rsMiscUpper2 + "+" + rsOptContrUpper2 + "(?=" + [rsBreak2, rsUpper2 + rsMiscLower2, "$"].join("|") + ")",
        rsUpper2 + "?" + rsMiscLower2 + "+" + rsOptContrLower2,
        rsUpper2 + "+" + rsOptContrUpper2,
        rsOrdUpper2,
        rsOrdLower2,
        rsDigits2,
        rsEmoji2
      ].join("|"), "g");
      var reHasUnicode2 = RegExp("[" + rsZWJ4 + rsAstralRange4 + rsComboRange5 + rsVarRange4 + "]");
      var reHasUnicodeWord2 = /[a-z][A-Z]|[A-Z]{2}[a-z]|[0-9][a-zA-Z]|[a-zA-Z][0-9]|[^a-zA-Z0-9 ]/;
      var contextProps = [
        "Array",
        "Buffer",
        "DataView",
        "Date",
        "Error",
        "Float32Array",
        "Float64Array",
        "Function",
        "Int8Array",
        "Int16Array",
        "Int32Array",
        "Map",
        "Math",
        "Object",
        "Promise",
        "RegExp",
        "Set",
        "String",
        "Symbol",
        "TypeError",
        "Uint8Array",
        "Uint8ClampedArray",
        "Uint16Array",
        "Uint32Array",
        "WeakMap",
        "_",
        "clearTimeout",
        "isFinite",
        "parseInt",
        "setTimeout"
      ];
      var templateCounter = -1;
      var typedArrayTags2 = {};
      typedArrayTags2[float32Tag2] = typedArrayTags2[float64Tag2] = typedArrayTags2[int8Tag2] = typedArrayTags2[int16Tag2] = typedArrayTags2[int32Tag2] = typedArrayTags2[uint8Tag2] = typedArrayTags2[uint8ClampedTag2] = typedArrayTags2[uint16Tag2] = typedArrayTags2[uint32Tag2] = true;
      typedArrayTags2[argsTag3] = typedArrayTags2[arrayTag2] = typedArrayTags2[arrayBufferTag2] = typedArrayTags2[boolTag2] = typedArrayTags2[dataViewTag2] = typedArrayTags2[dateTag2] = typedArrayTags2[errorTag2] = typedArrayTags2[funcTag3] = typedArrayTags2[mapTag2] = typedArrayTags2[numberTag2] = typedArrayTags2[objectTag3] = typedArrayTags2[regexpTag2] = typedArrayTags2[setTag2] = typedArrayTags2[stringTag2] = typedArrayTags2[weakMapTag2] = false;
      var cloneableTags = {};
      cloneableTags[argsTag3] = cloneableTags[arrayTag2] = cloneableTags[arrayBufferTag2] = cloneableTags[dataViewTag2] = cloneableTags[boolTag2] = cloneableTags[dateTag2] = cloneableTags[float32Tag2] = cloneableTags[float64Tag2] = cloneableTags[int8Tag2] = cloneableTags[int16Tag2] = cloneableTags[int32Tag2] = cloneableTags[mapTag2] = cloneableTags[numberTag2] = cloneableTags[objectTag3] = cloneableTags[regexpTag2] = cloneableTags[setTag2] = cloneableTags[stringTag2] = cloneableTags[symbolTag2] = cloneableTags[uint8Tag2] = cloneableTags[uint8ClampedTag2] = cloneableTags[uint16Tag2] = cloneableTags[uint32Tag2] = true;
      cloneableTags[errorTag2] = cloneableTags[funcTag3] = cloneableTags[weakMapTag2] = false;
      var deburredLetters2 = {
        // Latin-1 Supplement block.
        "\xC0": "A",
        "\xC1": "A",
        "\xC2": "A",
        "\xC3": "A",
        "\xC4": "A",
        "\xC5": "A",
        "\xE0": "a",
        "\xE1": "a",
        "\xE2": "a",
        "\xE3": "a",
        "\xE4": "a",
        "\xE5": "a",
        "\xC7": "C",
        "\xE7": "c",
        "\xD0": "D",
        "\xF0": "d",
        "\xC8": "E",
        "\xC9": "E",
        "\xCA": "E",
        "\xCB": "E",
        "\xE8": "e",
        "\xE9": "e",
        "\xEA": "e",
        "\xEB": "e",
        "\xCC": "I",
        "\xCD": "I",
        "\xCE": "I",
        "\xCF": "I",
        "\xEC": "i",
        "\xED": "i",
        "\xEE": "i",
        "\xEF": "i",
        "\xD1": "N",
        "\xF1": "n",
        "\xD2": "O",
        "\xD3": "O",
        "\xD4": "O",
        "\xD5": "O",
        "\xD6": "O",
        "\xD8": "O",
        "\xF2": "o",
        "\xF3": "o",
        "\xF4": "o",
        "\xF5": "o",
        "\xF6": "o",
        "\xF8": "o",
        "\xD9": "U",
        "\xDA": "U",
        "\xDB": "U",
        "\xDC": "U",
        "\xF9": "u",
        "\xFA": "u",
        "\xFB": "u",
        "\xFC": "u",
        "\xDD": "Y",
        "\xFD": "y",
        "\xFF": "y",
        "\xC6": "Ae",
        "\xE6": "ae",
        "\xDE": "Th",
        "\xFE": "th",
        "\xDF": "ss",
        // Latin Extended-A block.
        "\u0100": "A",
        "\u0102": "A",
        "\u0104": "A",
        "\u0101": "a",
        "\u0103": "a",
        "\u0105": "a",
        "\u0106": "C",
        "\u0108": "C",
        "\u010A": "C",
        "\u010C": "C",
        "\u0107": "c",
        "\u0109": "c",
        "\u010B": "c",
        "\u010D": "c",
        "\u010E": "D",
        "\u0110": "D",
        "\u010F": "d",
        "\u0111": "d",
        "\u0112": "E",
        "\u0114": "E",
        "\u0116": "E",
        "\u0118": "E",
        "\u011A": "E",
        "\u0113": "e",
        "\u0115": "e",
        "\u0117": "e",
        "\u0119": "e",
        "\u011B": "e",
        "\u011C": "G",
        "\u011E": "G",
        "\u0120": "G",
        "\u0122": "G",
        "\u011D": "g",
        "\u011F": "g",
        "\u0121": "g",
        "\u0123": "g",
        "\u0124": "H",
        "\u0126": "H",
        "\u0125": "h",
        "\u0127": "h",
        "\u0128": "I",
        "\u012A": "I",
        "\u012C": "I",
        "\u012E": "I",
        "\u0130": "I",
        "\u0129": "i",
        "\u012B": "i",
        "\u012D": "i",
        "\u012F": "i",
        "\u0131": "i",
        "\u0134": "J",
        "\u0135": "j",
        "\u0136": "K",
        "\u0137": "k",
        "\u0138": "k",
        "\u0139": "L",
        "\u013B": "L",
        "\u013D": "L",
        "\u013F": "L",
        "\u0141": "L",
        "\u013A": "l",
        "\u013C": "l",
        "\u013E": "l",
        "\u0140": "l",
        "\u0142": "l",
        "\u0143": "N",
        "\u0145": "N",
        "\u0147": "N",
        "\u014A": "N",
        "\u0144": "n",
        "\u0146": "n",
        "\u0148": "n",
        "\u014B": "n",
        "\u014C": "O",
        "\u014E": "O",
        "\u0150": "O",
        "\u014D": "o",
        "\u014F": "o",
        "\u0151": "o",
        "\u0154": "R",
        "\u0156": "R",
        "\u0158": "R",
        "\u0155": "r",
        "\u0157": "r",
        "\u0159": "r",
        "\u015A": "S",
        "\u015C": "S",
        "\u015E": "S",
        "\u0160": "S",
        "\u015B": "s",
        "\u015D": "s",
        "\u015F": "s",
        "\u0161": "s",
        "\u0162": "T",
        "\u0164": "T",
        "\u0166": "T",
        "\u0163": "t",
        "\u0165": "t",
        "\u0167": "t",
        "\u0168": "U",
        "\u016A": "U",
        "\u016C": "U",
        "\u016E": "U",
        "\u0170": "U",
        "\u0172": "U",
        "\u0169": "u",
        "\u016B": "u",
        "\u016D": "u",
        "\u016F": "u",
        "\u0171": "u",
        "\u0173": "u",
        "\u0174": "W",
        "\u0175": "w",
        "\u0176": "Y",
        "\u0177": "y",
        "\u0178": "Y",
        "\u0179": "Z",
        "\u017B": "Z",
        "\u017D": "Z",
        "\u017A": "z",
        "\u017C": "z",
        "\u017E": "z",
        "\u0132": "IJ",
        "\u0133": "ij",
        "\u0152": "Oe",
        "\u0153": "oe",
        "\u0149": "'n",
        "\u017F": "s"
      };
      var htmlEscapes = {
        "&": "&",
        "<": "<",
        ">": ">",
        '"': """,
        "'": "'"
      };
      var htmlUnescapes = {
        "&": "&",
        "<": "<",
        ">": ">",
        """: '"',
        "'": "'"
      };
      var stringEscapes = {
        "\\": "\\",
        "'": "'",
        "\n": "n",
        "\r": "r",
        "\u2028": "u2028",
        "\u2029": "u2029"
      };
      var freeParseFloat = parseFloat, freeParseInt = parseInt;
      var freeGlobal2 = typeof global == "object" && global && global.Object === Object && global;
      var freeSelf2 = typeof self == "object" && self && self.Object === Object && self;
      var root2 = freeGlobal2 || freeSelf2 || Function("return this")();
      var freeExports4 = typeof exports2 == "object" && exports2 && !exports2.nodeType && exports2;
      var freeModule4 = freeExports4 && typeof module2 == "object" && module2 && !module2.nodeType && module2;
      var moduleExports4 = freeModule4 && freeModule4.exports === freeExports4;
      var freeProcess2 = moduleExports4 && freeGlobal2.process;
      var nodeUtil2 = function() {
        try {
          var types = freeModule4 && freeModule4.require && freeModule4.require("util").types;
          if (types) {
            return types;
          }
          return freeProcess2 && freeProcess2.binding && freeProcess2.binding("util");
        } catch (e) {
        }
      }();
      var nodeIsArrayBuffer = nodeUtil2 && nodeUtil2.isArrayBuffer, nodeIsDate = nodeUtil2 && nodeUtil2.isDate, nodeIsMap = nodeUtil2 && nodeUtil2.isMap, nodeIsRegExp = nodeUtil2 && nodeUtil2.isRegExp, nodeIsSet = nodeUtil2 && nodeUtil2.isSet, nodeIsTypedArray2 = nodeUtil2 && nodeUtil2.isTypedArray;
      function apply2(func, thisArg, args) {
        switch (args.length) {
          case 0:
            return func.call(thisArg);
          case 1:
            return func.call(thisArg, args[0]);
          case 2:
            return func.call(thisArg, args[0], args[1]);
          case 3:
            return func.call(thisArg, args[0], args[1], args[2]);
        }
        return func.apply(thisArg, args);
      }
      function arrayAggregator(array, setter, iteratee, accumulator) {
        var index = -1, length = array == null ? 0 : array.length;
        while (++index < length) {
          var value = array[index];
          setter(accumulator, value, iteratee(value), array);
        }
        return accumulator;
      }
      function arrayEach(array, iteratee) {
        var index = -1, length = array == null ? 0 : array.length;
        while (++index < length) {
          if (iteratee(array[index], index, array) === false) {
            break;
          }
        }
        return array;
      }
      function arrayEachRight(array, iteratee) {
        var length = array == null ? 0 : array.length;
        while (length--) {
          if (iteratee(array[length], length, array) === false) {
            break;
          }
        }
        return array;
      }
      function arrayEvery(array, predicate) {
        var index = -1, length = array == null ? 0 : array.length;
        while (++index < length) {
          if (!predicate(array[index], index, array)) {
            return false;
          }
        }
        return true;
      }
      function arrayFilter(array, predicate) {
        var index = -1, length = array == null ? 0 : array.length, resIndex = 0, result = [];
        while (++index < length) {
          var value = array[index];
          if (predicate(value, index, array)) {
            result[resIndex++] = value;
          }
        }
        return result;
      }
      function arrayIncludes(array, value) {
        var length = array == null ? 0 : array.length;
        return !!length && baseIndexOf(array, value, 0) > -1;
      }
      function arrayIncludesWith(array, value, comparator) {
        var index = -1, length = array == null ? 0 : array.length;
        while (++index < length) {
          if (comparator(value, array[index])) {
            return true;
          }
        }
        return false;
      }
      function arrayMap2(array, iteratee) {
        var index = -1, length = array == null ? 0 : array.length, result = Array(length);
        while (++index < length) {
          result[index] = iteratee(array[index], index, array);
        }
        return result;
      }
      function arrayPush(array, values) {
        var index = -1, length = values.length, offset = array.length;
        while (++index < length) {
          array[offset + index] = values[index];
        }
        return array;
      }
      function arrayReduce3(array, iteratee, accumulator, initAccum) {
        var index = -1, length = array == null ? 0 : array.length;
        if (initAccum && length) {
          accumulator = array[++index];
        }
        while (++index < length) {
          accumulator = iteratee(accumulator, array[index], index, array);
        }
        return accumulator;
      }
      function arrayReduceRight(array, iteratee, accumulator, initAccum) {
        var length = array == null ? 0 : array.length;
        if (initAccum && length) {
          accumulator = array[--length];
        }
        while (length--) {
          accumulator = iteratee(accumulator, array[length], length, array);
        }
        return accumulator;
      }
      function arraySome(array, predicate) {
        var index = -1, length = array == null ? 0 : array.length;
        while (++index < length) {
          if (predicate(array[index], index, array)) {
            return true;
          }
        }
        return false;
      }
      var asciiSize = baseProperty("length");
      function asciiToArray2(string) {
        return string.split("");
      }
      function asciiWords2(string) {
        return string.match(reAsciiWord2) || [];
      }
      function baseFindKey(collection, predicate, eachFunc) {
        var result;
        eachFunc(collection, function(value, key, collection2) {
          if (predicate(value, key, collection2)) {
            result = key;
            return false;
          }
        });
        return result;
      }
      function baseFindIndex(array, predicate, fromIndex, fromRight) {
        var length = array.length, index = fromIndex + (fromRight ? 1 : -1);
        while (fromRight ? index-- : ++index < length) {
          if (predicate(array[index], index, array)) {
            return index;
          }
        }
        return -1;
      }
      function baseIndexOf(array, value, fromIndex) {
        return value === value ? strictIndexOf(array, value, fromIndex) : baseFindIndex(array, baseIsNaN, fromIndex);
      }
      function baseIndexOfWith(array, value, fromIndex, comparator) {
        var index = fromIndex - 1, length = array.length;
        while (++index < length) {
          if (comparator(array[index], value)) {
            return index;
          }
        }
        return -1;
      }
      function baseIsNaN(value) {
        return value !== value;
      }
      function baseMean(array, iteratee) {
        var length = array == null ? 0 : array.length;
        return length ? baseSum(array, iteratee) / length : NAN;
      }
      function baseProperty(key) {
        return function(object) {
          return object == null ? undefined2 : object[key];
        };
      }
      function basePropertyOf2(object) {
        return function(key) {
          return object == null ? undefined2 : object[key];
        };
      }
      function baseReduce(collection, iteratee, accumulator, initAccum, eachFunc) {
        eachFunc(collection, function(value, index, collection2) {
          accumulator = initAccum ? (initAccum = false, value) : iteratee(accumulator, value, index, collection2);
        });
        return accumulator;
      }
      function baseSortBy(array, comparer) {
        var length = array.length;
        array.sort(comparer);
        while (length--) {
          array[length] = array[length].value;
        }
        return array;
      }
      function baseSum(array, iteratee) {
        var result, index = -1, length = array.length;
        while (++index < length) {
          var current = iteratee(array[index]);
          if (current !== undefined2) {
            result = result === undefined2 ? current : result + current;
          }
        }
        return result;
      }
      function baseTimes2(n, iteratee) {
        var index = -1, result = Array(n);
        while (++index < n) {
          result[index] = iteratee(index);
        }
        return result;
      }
      function baseToPairs(object, props) {
        return arrayMap2(props, function(key) {
          return [key, object[key]];
        });
      }
      function baseTrim(string) {
        return string ? string.slice(0, trimmedEndIndex(string) + 1).replace(reTrimStart, "") : string;
      }
      function baseUnary2(func) {
        return function(value) {
          return func(value);
        };
      }
      function baseValues(object, props) {
        return arrayMap2(props, function(key) {
          return object[key];
        });
      }
      function cacheHas(cache, key) {
        return cache.has(key);
      }
      function charsStartIndex(strSymbols, chrSymbols) {
        var index = -1, length = strSymbols.length;
        while (++index < length && baseIndexOf(chrSymbols, strSymbols[index], 0) > -1) {
        }
        return index;
      }
      function charsEndIndex(strSymbols, chrSymbols) {
        var index = strSymbols.length;
        while (index-- && baseIndexOf(chrSymbols, strSymbols[index], 0) > -1) {
        }
        return index;
      }
      function countHolders(array, placeholder) {
        var length = array.length, result = 0;
        while (length--) {
          if (array[length] === placeholder) {
            ++result;
          }
        }
        return result;
      }
      var deburrLetter2 = basePropertyOf2(deburredLetters2);
      var escapeHtmlChar = basePropertyOf2(htmlEscapes);
      function escapeStringChar(chr) {
        return "\\" + stringEscapes[chr];
      }
      function getValue2(object, key) {
        return object == null ? undefined2 : object[key];
      }
      function hasUnicode2(string) {
        return reHasUnicode2.test(string);
      }
      function hasUnicodeWord2(string) {
        return reHasUnicodeWord2.test(string);
      }
      function iteratorToArray(iterator) {
        var data, result = [];
        while (!(data = iterator.next()).done) {
          result.push(data.value);
        }
        return result;
      }
      function mapToArray(map) {
        var index = -1, result = Array(map.size);
        map.forEach(function(value, key) {
          result[++index] = [key, value];
        });
        return result;
      }
      function overArg2(func, transform) {
        return function(arg) {
          return func(transform(arg));
        };
      }
      function replaceHolders(array, placeholder) {
        var index = -1, length = array.length, resIndex = 0, result = [];
        while (++index < length) {
          var value = array[index];
          if (value === placeholder || value === PLACEHOLDER2) {
            array[index] = PLACEHOLDER2;
            result[resIndex++] = index;
          }
        }
        return result;
      }
      function setToArray(set) {
        var index = -1, result = Array(set.size);
        set.forEach(function(value) {
          result[++index] = value;
        });
        return result;
      }
      function setToPairs(set) {
        var index = -1, result = Array(set.size);
        set.forEach(function(value) {
          result[++index] = [value, value];
        });
        return result;
      }
      function strictIndexOf(array, value, fromIndex) {
        var index = fromIndex - 1, length = array.length;
        while (++index < length) {
          if (array[index] === value) {
            return index;
          }
        }
        return -1;
      }
      function strictLastIndexOf(array, value, fromIndex) {
        var index = fromIndex + 1;
        while (index--) {
          if (array[index] === value) {
            return index;
          }
        }
        return index;
      }
      function stringSize(string) {
        return hasUnicode2(string) ? unicodeSize(string) : asciiSize(string);
      }
      function stringToArray2(string) {
        return hasUnicode2(string) ? unicodeToArray2(string) : asciiToArray2(string);
      }
      function trimmedEndIndex(string) {
        var index = string.length;
        while (index-- && reWhitespace.test(string.charAt(index))) {
        }
        return index;
      }
      var unescapeHtmlChar = basePropertyOf2(htmlUnescapes);
      function unicodeSize(string) {
        var result = reUnicode2.lastIndex = 0;
        while (reUnicode2.test(string)) {
          ++result;
        }
        return result;
      }
      function unicodeToArray2(string) {
        return string.match(reUnicode2) || [];
      }
      function unicodeWords2(string) {
        return string.match(reUnicodeWord2) || [];
      }
      var runInContext = function runInContext2(context) {
        context = context == null ? root2 : _.defaults(root2.Object(), context, _.pick(root2, contextProps));
        var Array2 = context.Array, Date2 = context.Date, Error2 = context.Error, Function2 = context.Function, Math2 = context.Math, Object2 = context.Object, RegExp2 = context.RegExp, String2 = context.String, TypeError2 = context.TypeError;
        var arrayProto2 = Array2.prototype, funcProto4 = Function2.prototype, objectProto12 = Object2.prototype;
        var coreJsData2 = context["__core-js_shared__"];
        var funcToString4 = funcProto4.toString;
        var hasOwnProperty10 = objectProto12.hasOwnProperty;
        var idCounter = 0;
        var maskSrcKey2 = function() {
          var uid = /[^.]+$/.exec(coreJsData2 && coreJsData2.keys && coreJsData2.keys.IE_PROTO || "");
          return uid ? "Symbol(src)_1." + uid : "";
        }();
        var nativeObjectToString3 = objectProto12.toString;
        var objectCtorString2 = funcToString4.call(Object2);
        var oldDash = root2._;
        var reIsNative2 = RegExp2(
          "^" + funcToString4.call(hasOwnProperty10).replace(reRegExpChar2, "\\$&").replace(/hasOwnProperty|(function).*?(?=\\\()| for .+?(?=\\\])/g, "$1.*?") + "$"
        );
        var Buffer4 = moduleExports4 ? context.Buffer : undefined2, Symbol3 = context.Symbol, Uint8Array3 = context.Uint8Array, allocUnsafe2 = Buffer4 ? Buffer4.allocUnsafe : undefined2, getPrototype2 = overArg2(Object2.getPrototypeOf, Object2), objectCreate2 = Object2.create, propertyIsEnumerable2 = objectProto12.propertyIsEnumerable, splice2 = arrayProto2.splice, spreadableSymbol = Symbol3 ? Symbol3.isConcatSpreadable : undefined2, symIterator = Symbol3 ? Symbol3.iterator : undefined2, symToStringTag3 = Symbol3 ? Symbol3.toStringTag : undefined2;
        var defineProperty2 = function() {
          try {
            var func = getNative2(Object2, "defineProperty");
            func({}, "", {});
            return func;
          } catch (e) {
          }
        }();
        var ctxClearTimeout = context.clearTimeout !== root2.clearTimeout && context.clearTimeout, ctxNow = Date2 && Date2.now !== root2.Date.now && Date2.now, ctxSetTimeout = context.setTimeout !== root2.setTimeout && context.setTimeout;
        var nativeCeil = Math2.ceil, nativeFloor = Math2.floor, nativeGetSymbols = Object2.getOwnPropertySymbols, nativeIsBuffer2 = Buffer4 ? Buffer4.isBuffer : undefined2, nativeIsFinite = context.isFinite, nativeJoin = arrayProto2.join, nativeKeys = overArg2(Object2.keys, Object2), nativeMax2 = Math2.max, nativeMin = Math2.min, nativeNow2 = Date2.now, nativeParseInt = context.parseInt, nativeRandom = Math2.random, nativeReverse = arrayProto2.reverse;
        var DataView2 = getNative2(context, "DataView"), Map3 = getNative2(context, "Map"), Promise2 = getNative2(context, "Promise"), Set2 = getNative2(context, "Set"), WeakMap2 = getNative2(context, "WeakMap"), nativeCreate2 = getNative2(Object2, "create");
        var metaMap = WeakMap2 && new WeakMap2();
        var realNames = {};
        var dataViewCtorString = toSource2(DataView2), mapCtorString = toSource2(Map3), promiseCtorString = toSource2(Promise2), setCtorString = toSource2(Set2), weakMapCtorString = toSource2(WeakMap2);
        var symbolProto2 = Symbol3 ? Symbol3.prototype : undefined2, symbolValueOf = symbolProto2 ? symbolProto2.valueOf : undefined2, symbolToString2 = symbolProto2 ? symbolProto2.toString : undefined2;
        function lodash(value) {
          if (isObjectLike2(value) && !isArray3(value) && !(value instanceof LazyWrapper)) {
            if (value instanceof LodashWrapper) {
              return value;
            }
            if (hasOwnProperty10.call(value, "__wrapped__")) {
              return wrapperClone(value);
            }
          }
          return new LodashWrapper(value);
        }
        var baseCreate2 = /* @__PURE__ */ function() {
          function object() {
          }
          return function(proto) {
            if (!isObject2(proto)) {
              return {};
            }
            if (objectCreate2) {
              return objectCreate2(proto);
            }
            object.prototype = proto;
            var result2 = new object();
            object.prototype = undefined2;
            return result2;
          };
        }();
        function baseLodash() {
        }
        function LodashWrapper(value, chainAll) {
          this.__wrapped__ = value;
          this.__actions__ = [];
          this.__chain__ = !!chainAll;
          this.__index__ = 0;
          this.__values__ = undefined2;
        }
        lodash.templateSettings = {
          /**
           * Used to detect `data` property values to be HTML-escaped.
           *
           * @memberOf _.templateSettings
           * @type {RegExp}
           */
          "escape": reEscape,
          /**
           * Used to detect code to be evaluated.
           *
           * @memberOf _.templateSettings
           * @type {RegExp}
           */
          "evaluate": reEvaluate,
          /**
           * Used to detect `data` property values to inject.
           *
           * @memberOf _.templateSettings
           * @type {RegExp}
           */
          "interpolate": reInterpolate,
          /**
           * Used to reference the data object in the template text.
           *
           * @memberOf _.templateSettings
           * @type {string}
           */
          "variable": "",
          /**
           * Used to import variables into the compiled template.
           *
           * @memberOf _.templateSettings
           * @type {Object}
           */
          "imports": {
            /**
             * A reference to the `lodash` function.
             *
             * @memberOf _.templateSettings.imports
             * @type {Function}
             */
            "_": lodash
          }
        };
        lodash.prototype = baseLodash.prototype;
        lodash.prototype.constructor = lodash;
        LodashWrapper.prototype = baseCreate2(baseLodash.prototype);
        LodashWrapper.prototype.constructor = LodashWrapper;
        function LazyWrapper(value) {
          this.__wrapped__ = value;
          this.__actions__ = [];
          this.__dir__ = 1;
          this.__filtered__ = false;
          this.__iteratees__ = [];
          this.__takeCount__ = MAX_ARRAY_LENGTH;
          this.__views__ = [];
        }
        function lazyClone() {
          var result2 = new LazyWrapper(this.__wrapped__);
          result2.__actions__ = copyArray2(this.__actions__);
          result2.__dir__ = this.__dir__;
          result2.__filtered__ = this.__filtered__;
          result2.__iteratees__ = copyArray2(this.__iteratees__);
          result2.__takeCount__ = this.__takeCount__;
          result2.__views__ = copyArray2(this.__views__);
          return result2;
        }
        function lazyReverse() {
          if (this.__filtered__) {
            var result2 = new LazyWrapper(this);
            result2.__dir__ = -1;
            result2.__filtered__ = true;
          } else {
            result2 = this.clone();
            result2.__dir__ *= -1;
          }
          return result2;
        }
        function lazyValue() {
          var array = this.__wrapped__.value(), dir = this.__dir__, isArr = isArray3(array), isRight = dir < 0, arrLength = isArr ? array.length : 0, view = getView(0, arrLength, this.__views__), start = view.start, end = view.end, length = end - start, index = isRight ? end : start - 1, iteratees = this.__iteratees__, iterLength = iteratees.length, resIndex = 0, takeCount = nativeMin(length, this.__takeCount__);
          if (!isArr || !isRight && arrLength == length && takeCount == length) {
            return baseWrapperValue(array, this.__actions__);
          }
          var result2 = [];
          outer:
            while (length-- && resIndex < takeCount) {
              index += dir;
              var iterIndex = -1, value = array[index];
              while (++iterIndex < iterLength) {
                var data = iteratees[iterIndex], iteratee2 = data.iteratee, type = data.type, computed = iteratee2(value);
                if (type == LAZY_MAP_FLAG) {
                  value = computed;
                } else if (!computed) {
                  if (type == LAZY_FILTER_FLAG) {
                    continue outer;
                  } else {
                    break outer;
                  }
                }
              }
              result2[resIndex++] = value;
            }
          return result2;
        }
        LazyWrapper.prototype = baseCreate2(baseLodash.prototype);
        LazyWrapper.prototype.constructor = LazyWrapper;
        function Hash2(entries) {
          var index = -1, length = entries == null ? 0 : entries.length;
          this.clear();
          while (++index < length) {
            var entry = entries[index];
            this.set(entry[0], entry[1]);
          }
        }
        function hashClear2() {
          this.__data__ = nativeCreate2 ? nativeCreate2(null) : {};
          this.size = 0;
        }
        function hashDelete2(key) {
          var result2 = this.has(key) && delete this.__data__[key];
          this.size -= result2 ? 1 : 0;
          return result2;
        }
        function hashGet2(key) {
          var data = this.__data__;
          if (nativeCreate2) {
            var result2 = data[key];
            return result2 === HASH_UNDEFINED3 ? undefined2 : result2;
          }
          return hasOwnProperty10.call(data, key) ? data[key] : undefined2;
        }
        function hashHas2(key) {
          var data = this.__data__;
          return nativeCreate2 ? data[key] !== undefined2 : hasOwnProperty10.call(data, key);
        }
        function hashSet2(key, value) {
          var data = this.__data__;
          this.size += this.has(key) ? 0 : 1;
          data[key] = nativeCreate2 && value === undefined2 ? HASH_UNDEFINED3 : value;
          return this;
        }
        Hash2.prototype.clear = hashClear2;
        Hash2.prototype["delete"] = hashDelete2;
        Hash2.prototype.get = hashGet2;
        Hash2.prototype.has = hashHas2;
        Hash2.prototype.set = hashSet2;
        function ListCache2(entries) {
          var index = -1, length = entries == null ? 0 : entries.length;
          this.clear();
          while (++index < length) {
            var entry = entries[index];
            this.set(entry[0], entry[1]);
          }
        }
        function listCacheClear2() {
          this.__data__ = [];
          this.size = 0;
        }
        function listCacheDelete2(key) {
          var data = this.__data__, index = assocIndexOf2(data, key);
          if (index < 0) {
            return false;
          }
          var lastIndex = data.length - 1;
          if (index == lastIndex) {
            data.pop();
          } else {
            splice2.call(data, index, 1);
          }
          --this.size;
          return true;
        }
        function listCacheGet2(key) {
          var data = this.__data__, index = assocIndexOf2(data, key);
          return index < 0 ? undefined2 : data[index][1];
        }
        function listCacheHas2(key) {
          return assocIndexOf2(this.__data__, key) > -1;
        }
        function listCacheSet2(key, value) {
          var data = this.__data__, index = assocIndexOf2(data, key);
          if (index < 0) {
            ++this.size;
            data.push([key, value]);
          } else {
            data[index][1] = value;
          }
          return this;
        }
        ListCache2.prototype.clear = listCacheClear2;
        ListCache2.prototype["delete"] = listCacheDelete2;
        ListCache2.prototype.get = listCacheGet2;
        ListCache2.prototype.has = listCacheHas2;
        ListCache2.prototype.set = listCacheSet2;
        function MapCache2(entries) {
          var index = -1, length = entries == null ? 0 : entries.length;
          this.clear();
          while (++index < length) {
            var entry = entries[index];
            this.set(entry[0], entry[1]);
          }
        }
        function mapCacheClear2() {
          this.size = 0;
          this.__data__ = {
            "hash": new Hash2(),
            "map": new (Map3 || ListCache2)(),
            "string": new Hash2()
          };
        }
        function mapCacheDelete2(key) {
          var result2 = getMapData2(this, key)["delete"](key);
          this.size -= result2 ? 1 : 0;
          return result2;
        }
        function mapCacheGet2(key) {
          return getMapData2(this, key).get(key);
        }
        function mapCacheHas2(key) {
          return getMapData2(this, key).has(key);
        }
        function mapCacheSet2(key, value) {
          var data = getMapData2(this, key), size2 = data.size;
          data.set(key, value);
          this.size += data.size == size2 ? 0 : 1;
          return this;
        }
        MapCache2.prototype.clear = mapCacheClear2;
        MapCache2.prototype["delete"] = mapCacheDelete2;
        MapCache2.prototype.get = mapCacheGet2;
        MapCache2.prototype.has = mapCacheHas2;
        MapCache2.prototype.set = mapCacheSet2;
        function SetCache(values2) {
          var index = -1, length = values2 == null ? 0 : values2.length;
          this.__data__ = new MapCache2();
          while (++index < length) {
            this.add(values2[index]);
          }
        }
        function setCacheAdd(value) {
          this.__data__.set(value, HASH_UNDEFINED3);
          return this;
        }
        function setCacheHas(value) {
          return this.__data__.has(value);
        }
        SetCache.prototype.add = SetCache.prototype.push = setCacheAdd;
        SetCache.prototype.has = setCacheHas;
        function Stack2(entries) {
          var data = this.__data__ = new ListCache2(entries);
          this.size = data.size;
        }
        function stackClear2() {
          this.__data__ = new ListCache2();
          this.size = 0;
        }
        function stackDelete2(key) {
          var data = this.__data__, result2 = data["delete"](key);
          this.size = data.size;
          return result2;
        }
        function stackGet2(key) {
          return this.__data__.get(key);
        }
        function stackHas2(key) {
          return this.__data__.has(key);
        }
        function stackSet2(key, value) {
          var data = this.__data__;
          if (data instanceof ListCache2) {
            var pairs = data.__data__;
            if (!Map3 || pairs.length < LARGE_ARRAY_SIZE2 - 1) {
              pairs.push([key, value]);
              this.size = ++data.size;
              return this;
            }
            data = this.__data__ = new MapCache2(pairs);
          }
          data.set(key, value);
          this.size = data.size;
          return this;
        }
        Stack2.prototype.clear = stackClear2;
        Stack2.prototype["delete"] = stackDelete2;
        Stack2.prototype.get = stackGet2;
        Stack2.prototype.has = stackHas2;
        Stack2.prototype.set = stackSet2;
        function arrayLikeKeys2(value, inherited) {
          var isArr = isArray3(value), isArg = !isArr && isArguments3(value), isBuff = !isArr && !isArg && isBuffer2(value), isType = !isArr && !isArg && !isBuff && isTypedArray2(value), skipIndexes = isArr || isArg || isBuff || isType, result2 = skipIndexes ? baseTimes2(value.length, String2) : [], length = result2.length;
          for (var key in value) {
            if ((inherited || hasOwnProperty10.call(value, key)) && !(skipIndexes && // Safari 9 has enumerable `arguments.length` in strict mode.
            (key == "length" || // Node.js 0.10 has enumerable non-index properties on buffers.
            isBuff && (key == "offset" || key == "parent") || // PhantomJS 2 has enumerable non-index properties on typed arrays.
            isType && (key == "buffer" || key == "byteLength" || key == "byteOffset") || // Skip index properties.
            isIndex2(key, length)))) {
              result2.push(key);
            }
          }
          return result2;
        }
        function arraySample(array) {
          var length = array.length;
          return length ? array[baseRandom(0, length - 1)] : undefined2;
        }
        function arraySampleSize(array, n) {
          return shuffleSelf(copyArray2(array), baseClamp(n, 0, array.length));
        }
        function arrayShuffle(array) {
          return shuffleSelf(copyArray2(array));
        }
        function assignMergeValue2(object, key, value) {
          if (value !== undefined2 && !eq2(object[key], value) || value === undefined2 && !(key in object)) {
            baseAssignValue2(object, key, value);
          }
        }
        function assignValue2(object, key, value) {
          var objValue = object[key];
          if (!(hasOwnProperty10.call(object, key) && eq2(objValue, value)) || value === undefined2 && !(key in object)) {
            baseAssignValue2(object, key, value);
          }
        }
        function assocIndexOf2(array, key) {
          var length = array.length;
          while (length--) {
            if (eq2(array[length][0], key)) {
              return length;
            }
          }
          return -1;
        }
        function baseAggregator(collection, setter, iteratee2, accumulator) {
          baseEach(collection, function(value, key, collection2) {
            setter(accumulator, value, iteratee2(value), collection2);
          });
          return accumulator;
        }
        function baseAssign(object, source) {
          return object && copyObject2(source, keys2(source), object);
        }
        function baseAssignIn(object, source) {
          return object && copyObject2(source, keysIn2(source), object);
        }
        function baseAssignValue2(object, key, value) {
          if (key == "__proto__" && defineProperty2) {
            defineProperty2(object, key, {
              "configurable": true,
              "enumerable": true,
              "value": value,
              "writable": true
            });
          } else {
            object[key] = value;
          }
        }
        function baseAt(object, paths) {
          var index = -1, length = paths.length, result2 = Array2(length), skip = object == null;
          while (++index < length) {
            result2[index] = skip ? undefined2 : get(object, paths[index]);
          }
          return result2;
        }
        function baseClamp(number, lower, upper) {
          if (number === number) {
            if (upper !== undefined2) {
              number = number <= upper ? number : upper;
            }
            if (lower !== undefined2) {
              number = number >= lower ? number : lower;
            }
          }
          return number;
        }
        function baseClone(value, bitmask, customizer, key, object, stack) {
          var result2, isDeep = bitmask & CLONE_DEEP_FLAG, isFlat = bitmask & CLONE_FLAT_FLAG, isFull = bitmask & CLONE_SYMBOLS_FLAG;
          if (customizer) {
            result2 = object ? customizer(value, key, object, stack) : customizer(value);
          }
          if (result2 !== undefined2) {
            return result2;
          }
          if (!isObject2(value)) {
            return value;
          }
          var isArr = isArray3(value);
          if (isArr) {
            result2 = initCloneArray(value);
            if (!isDeep) {
              return copyArray2(value, result2);
            }
          } else {
            var tag = getTag(value), isFunc = tag == funcTag3 || tag == genTag2;
            if (isBuffer2(value)) {
              return cloneBuffer2(value, isDeep);
            }
            if (tag == objectTag3 || tag == argsTag3 || isFunc && !object) {
              result2 = isFlat || isFunc ? {} : initCloneObject2(value);
              if (!isDeep) {
                return isFlat ? copySymbolsIn(value, baseAssignIn(result2, value)) : copySymbols(value, baseAssign(result2, value));
              }
            } else {
              if (!cloneableTags[tag]) {
                return object ? value : {};
              }
              result2 = initCloneByTag(value, tag, isDeep);
            }
          }
          stack || (stack = new Stack2());
          var stacked = stack.get(value);
          if (stacked) {
            return stacked;
          }
          stack.set(value, result2);
          if (isSet2(value)) {
            value.forEach(function(subValue) {
              result2.add(baseClone(subValue, bitmask, customizer, subValue, value, stack));
            });
          } else if (isMap(value)) {
            value.forEach(function(subValue, key2) {
              result2.set(key2, baseClone(subValue, bitmask, customizer, key2, value, stack));
            });
          }
          var keysFunc = isFull ? isFlat ? getAllKeysIn : getAllKeys : isFlat ? keysIn2 : keys2;
          var props = isArr ? undefined2 : keysFunc(value);
          arrayEach(props || value, function(subValue, key2) {
            if (props) {
              key2 = subValue;
              subValue = value[key2];
            }
            assignValue2(result2, key2, baseClone(subValue, bitmask, customizer, key2, value, stack));
          });
          return result2;
        }
        function baseConforms(source) {
          var props = keys2(source);
          return function(object) {
            return baseConformsTo(object, source, props);
          };
        }
        function baseConformsTo(object, source, props) {
          var length = props.length;
          if (object == null) {
            return !length;
          }
          object = Object2(object);
          while (length--) {
            var key = props[length], predicate = source[key], value = object[key];
            if (value === undefined2 && !(key in object) || !predicate(value)) {
              return false;
            }
          }
          return true;
        }
        function baseDelay(func, wait, args) {
          if (typeof func != "function") {
            throw new TypeError2(FUNC_ERROR_TEXT);
          }
          return setTimeout2(function() {
            func.apply(undefined2, args);
          }, wait);
        }
        function baseDifference(array, values2, iteratee2, comparator) {
          var index = -1, includes2 = arrayIncludes, isCommon = true, length = array.length, result2 = [], valuesLength = values2.length;
          if (!length) {
            return result2;
          }
          if (iteratee2) {
            values2 = arrayMap2(values2, baseUnary2(iteratee2));
          }
          if (comparator) {
            includes2 = arrayIncludesWith;
            isCommon = false;
          } else if (values2.length >= LARGE_ARRAY_SIZE2) {
            includes2 = cacheHas;
            isCommon = false;
            values2 = new SetCache(values2);
          }
          outer:
            while (++index < length) {
              var value = array[index], computed = iteratee2 == null ? value : iteratee2(value);
              value = comparator || value !== 0 ? value : 0;
              if (isCommon && computed === computed) {
                var valuesIndex = valuesLength;
                while (valuesIndex--) {
                  if (values2[valuesIndex] === computed) {
                    continue outer;
                  }
                }
                result2.push(value);
              } else if (!includes2(values2, computed, comparator)) {
                result2.push(value);
              }
            }
          return result2;
        }
        var baseEach = createBaseEach(baseForOwn);
        var baseEachRight = createBaseEach(baseForOwnRight, true);
        function baseEvery(collection, predicate) {
          var result2 = true;
          baseEach(collection, function(value, index, collection2) {
            result2 = !!predicate(value, index, collection2);
            return result2;
          });
          return result2;
        }
        function baseExtremum(array, iteratee2, comparator) {
          var index = -1, length = array.length;
          while (++index < length) {
            var value = array[index], current = iteratee2(value);
            if (current != null && (computed === undefined2 ? current === current && !isSymbol2(current) : comparator(current, computed))) {
              var computed = current, result2 = value;
            }
          }
          return result2;
        }
        function baseFill(array, value, start, end) {
          var length = array.length;
          start = toInteger(start);
          if (start < 0) {
            start = -start > length ? 0 : length + start;
          }
          end = end === undefined2 || end > length ? length : toInteger(end);
          if (end < 0) {
            end += length;
          }
          end = start > end ? 0 : toLength(end);
          while (start < end) {
            array[start++] = value;
          }
          return array;
        }
        function baseFilter(collection, predicate) {
          var result2 = [];
          baseEach(collection, function(value, index, collection2) {
            if (predicate(value, index, collection2)) {
              result2.push(value);
            }
          });
          return result2;
        }
        function baseFlatten(array, depth2, predicate, isStrict, result2) {
          var index = -1, length = array.length;
          predicate || (predicate = isFlattenable);
          result2 || (result2 = []);
          while (++index < length) {
            var value = array[index];
            if (depth2 > 0 && predicate(value)) {
              if (depth2 > 1) {
                baseFlatten(value, depth2 - 1, predicate, isStrict, result2);
              } else {
                arrayPush(result2, value);
              }
            } else if (!isStrict) {
              result2[result2.length] = value;
            }
          }
          return result2;
        }
        var baseFor2 = createBaseFor2();
        var baseForRight = createBaseFor2(true);
        function baseForOwn(object, iteratee2) {
          return object && baseFor2(object, iteratee2, keys2);
        }
        function baseForOwnRight(object, iteratee2) {
          return object && baseForRight(object, iteratee2, keys2);
        }
        function baseFunctions(object, props) {
          return arrayFilter(props, function(key) {
            return isFunction3(object[key]);
          });
        }
        function baseGet(object, path17) {
          path17 = castPath(path17, object);
          var index = 0, length = path17.length;
          while (object != null && index < length) {
            object = object[toKey(path17[index++])];
          }
          return index && index == length ? object : undefined2;
        }
        function baseGetAllKeys(object, keysFunc, symbolsFunc) {
          var result2 = keysFunc(object);
          return isArray3(object) ? result2 : arrayPush(result2, symbolsFunc(object));
        }
        function baseGetTag2(value) {
          if (value == null) {
            return value === undefined2 ? undefinedTag2 : nullTag2;
          }
          return symToStringTag3 && symToStringTag3 in Object2(value) ? getRawTag2(value) : objectToString2(value);
        }
        function baseGt(value, other) {
          return value > other;
        }
        function baseHas(object, key) {
          return object != null && hasOwnProperty10.call(object, key);
        }
        function baseHasIn(object, key) {
          return object != null && key in Object2(object);
        }
        function baseInRange(number, start, end) {
          return number >= nativeMin(start, end) && number < nativeMax2(start, end);
        }
        function baseIntersection(arrays, iteratee2, comparator) {
          var includes2 = comparator ? arrayIncludesWith : arrayIncludes, length = arrays[0].length, othLength = arrays.length, othIndex = othLength, caches = Array2(othLength), maxLength = Infinity, result2 = [];
          while (othIndex--) {
            var array = arrays[othIndex];
            if (othIndex && iteratee2) {
              array = arrayMap2(array, baseUnary2(iteratee2));
            }
            maxLength = nativeMin(array.length, maxLength);
            caches[othIndex] = !comparator && (iteratee2 || length >= 120 && array.length >= 120) ? new SetCache(othIndex && array) : undefined2;
          }
          array = arrays[0];
          var index = -1, seen = caches[0];
          outer:
            while (++index < length && result2.length < maxLength) {
              var value = array[index], computed = iteratee2 ? iteratee2(value) : value;
              value = comparator || value !== 0 ? value : 0;
              if (!(seen ? cacheHas(seen, computed) : includes2(result2, computed, comparator))) {
                othIndex = othLength;
                while (--othIndex) {
                  var cache = caches[othIndex];
                  if (!(cache ? cacheHas(cache, computed) : includes2(arrays[othIndex], computed, comparator))) {
                    continue outer;
                  }
                }
                if (seen) {
                  seen.push(computed);
                }
                result2.push(value);
              }
            }
          return result2;
        }
        function baseInverter(object, setter, iteratee2, accumulator) {
          baseForOwn(object, function(value, key, object2) {
            setter(accumulator, iteratee2(value), key, object2);
          });
          return accumulator;
        }
        function baseInvoke(object, path17, args) {
          path17 = castPath(path17, object);
          object = parent(object, path17);
          var func = object == null ? object : object[toKey(last(path17))];
          return func == null ? undefined2 : apply2(func, object, args);
        }
        function baseIsArguments2(value) {
          return isObjectLike2(value) && baseGetTag2(value) == argsTag3;
        }
        function baseIsArrayBuffer(value) {
          return isObjectLike2(value) && baseGetTag2(value) == arrayBufferTag2;
        }
        function baseIsDate(value) {
          return isObjectLike2(value) && baseGetTag2(value) == dateTag2;
        }
        function baseIsEqual(value, other, bitmask, customizer, stack) {
          if (value === other) {
            return true;
          }
          if (value == null || other == null || !isObjectLike2(value) && !isObjectLike2(other)) {
            return value !== value && other !== other;
          }
          return baseIsEqualDeep(value, other, bitmask, customizer, baseIsEqual, stack);
        }
        function baseIsEqualDeep(object, other, bitmask, customizer, equalFunc, stack) {
          var objIsArr = isArray3(object), othIsArr = isArray3(other), objTag = objIsArr ? arrayTag2 : getTag(object), othTag = othIsArr ? arrayTag2 : getTag(other);
          objTag = objTag == argsTag3 ? objectTag3 : objTag;
          othTag = othTag == argsTag3 ? objectTag3 : othTag;
          var objIsObj = objTag == objectTag3, othIsObj = othTag == objectTag3, isSameTag = objTag == othTag;
          if (isSameTag && isBuffer2(object)) {
            if (!isBuffer2(other)) {
              return false;
            }
            objIsArr = true;
            objIsObj = false;
          }
          if (isSameTag && !objIsObj) {
            stack || (stack = new Stack2());
            return objIsArr || isTypedArray2(object) ? equalArrays(object, other, bitmask, customizer, equalFunc, stack) : equalByTag(object, other, objTag, bitmask, customizer, equalFunc, stack);
          }
          if (!(bitmask & COMPARE_PARTIAL_FLAG)) {
            var objIsWrapped = objIsObj && hasOwnProperty10.call(object, "__wrapped__"), othIsWrapped = othIsObj && hasOwnProperty10.call(other, "__wrapped__");
            if (objIsWrapped || othIsWrapped) {
              var objUnwrapped = objIsWrapped ? object.value() : object, othUnwrapped = othIsWrapped ? other.value() : other;
              stack || (stack = new Stack2());
              return equalFunc(objUnwrapped, othUnwrapped, bitmask, customizer, stack);
            }
          }
          if (!isSameTag) {
            return false;
          }
          stack || (stack = new Stack2());
          return equalObjects(object, other, bitmask, customizer, equalFunc, stack);
        }
        function baseIsMap(value) {
          return isObjectLike2(value) && getTag(value) == mapTag2;
        }
        function baseIsMatch(object, source, matchData, customizer) {
          var index = matchData.length, length = index, noCustomizer = !customizer;
          if (object == null) {
            return !length;
          }
          object = Object2(object);
          while (index--) {
            var data = matchData[index];
            if (noCustomizer && data[2] ? data[1] !== object[data[0]] : !(data[0] in object)) {
              return false;
            }
          }
          while (++index < length) {
            data = matchData[index];
            var key = data[0], objValue = object[key], srcValue = data[1];
            if (noCustomizer && data[2]) {
              if (objValue === undefined2 && !(key in object)) {
                return false;
              }
            } else {
              var stack = new Stack2();
              if (customizer) {
                var result2 = customizer(objValue, srcValue, key, object, source, stack);
              }
              if (!(result2 === undefined2 ? baseIsEqual(srcValue, objValue, COMPARE_PARTIAL_FLAG | COMPARE_UNORDERED_FLAG, customizer, stack) : result2)) {
                return false;
              }
            }
          }
          return true;
        }
        function baseIsNative2(value) {
          if (!isObject2(value) || isMasked2(value)) {
            return false;
          }
          var pattern = isFunction3(value) ? reIsNative2 : reIsHostCtor2;
          return pattern.test(toSource2(value));
        }
        function baseIsRegExp(value) {
          return isObjectLike2(value) && baseGetTag2(value) == regexpTag2;
        }
        function baseIsSet(value) {
          return isObjectLike2(value) && getTag(value) == setTag2;
        }
        function baseIsTypedArray2(value) {
          return isObjectLike2(value) && isLength2(value.length) && !!typedArrayTags2[baseGetTag2(value)];
        }
        function baseIteratee(value) {
          if (typeof value == "function") {
            return value;
          }
          if (value == null) {
            return identity2;
          }
          if (typeof value == "object") {
            return isArray3(value) ? baseMatchesProperty(value[0], value[1]) : baseMatches(value);
          }
          return property(value);
        }
        function baseKeys(object) {
          if (!isPrototype2(object)) {
            return nativeKeys(object);
          }
          var result2 = [];
          for (var key in Object2(object)) {
            if (hasOwnProperty10.call(object, key) && key != "constructor") {
              result2.push(key);
            }
          }
          return result2;
        }
        function baseKeysIn2(object) {
          if (!isObject2(object)) {
            return nativeKeysIn2(object);
          }
          var isProto = isPrototype2(object), result2 = [];
          for (var key in object) {
            if (!(key == "constructor" && (isProto || !hasOwnProperty10.call(object, key)))) {
              result2.push(key);
            }
          }
          return result2;
        }
        function baseLt(value, other) {
          return value < other;
        }
        function baseMap(collection, iteratee2) {
          var index = -1, result2 = isArrayLike2(collection) ? Array2(collection.length) : [];
          baseEach(collection, function(value, key, collection2) {
            result2[++index] = iteratee2(value, key, collection2);
          });
          return result2;
        }
        function baseMatches(source) {
          var matchData = getMatchData(source);
          if (matchData.length == 1 && matchData[0][2]) {
            return matchesStrictComparable(matchData[0][0], matchData[0][1]);
          }
          return function(object) {
            return object === source || baseIsMatch(object, source, matchData);
          };
        }
        function baseMatchesProperty(path17, srcValue) {
          if (isKey(path17) && isStrictComparable(srcValue)) {
            return matchesStrictComparable(toKey(path17), srcValue);
          }
          return function(object) {
            var objValue = get(object, path17);
            return objValue === undefined2 && objValue === srcValue ? hasIn(object, path17) : baseIsEqual(srcValue, objValue, COMPARE_PARTIAL_FLAG | COMPARE_UNORDERED_FLAG);
          };
        }
        function baseMerge2(object, source, srcIndex, customizer, stack) {
          if (object === source) {
            return;
          }
          baseFor2(source, function(srcValue, key) {
            stack || (stack = new Stack2());
            if (isObject2(srcValue)) {
              baseMergeDeep2(object, source, key, srcIndex, baseMerge2, customizer, stack);
            } else {
              var newValue = customizer ? customizer(safeGet2(object, key), srcValue, key + "", object, source, stack) : undefined2;
              if (newValue === undefined2) {
                newValue = srcValue;
              }
              assignMergeValue2(object, key, newValue);
            }
          }, keysIn2);
        }
        function baseMergeDeep2(object, source, key, srcIndex, mergeFunc, customizer, stack) {
          var objValue = safeGet2(object, key), srcValue = safeGet2(source, key), stacked = stack.get(srcValue);
          if (stacked) {
            assignMergeValue2(object, key, stacked);
            return;
          }
          var newValue = customizer ? customizer(objValue, srcValue, key + "", object, source, stack) : undefined2;
          var isCommon = newValue === undefined2;
          if (isCommon) {
            var isArr = isArray3(srcValue), isBuff = !isArr && isBuffer2(srcValue), isTyped = !isArr && !isBuff && isTypedArray2(srcValue);
            newValue = srcValue;
            if (isArr || isBuff || isTyped) {
              if (isArray3(objValue)) {
                newValue = objValue;
              } else if (isArrayLikeObject2(objValue)) {
                newValue = copyArray2(objValue);
              } else if (isBuff) {
                isCommon = false;
                newValue = cloneBuffer2(srcValue, true);
              } else if (isTyped) {
                isCommon = false;
                newValue = cloneTypedArray2(srcValue, true);
              } else {
                newValue = [];
              }
            } else if (isPlainObject2(srcValue) || isArguments3(srcValue)) {
              newValue = objValue;
              if (isArguments3(objValue)) {
                newValue = toPlainObject2(objValue);
              } else if (!isObject2(objValue) || isFunction3(objValue)) {
                newValue = initCloneObject2(srcValue);
              }
            } else {
              isCommon = false;
            }
          }
          if (isCommon) {
            stack.set(srcValue, newValue);
            mergeFunc(newValue, srcValue, srcIndex, customizer, stack);
            stack["delete"](srcValue);
          }
          assignMergeValue2(object, key, newValue);
        }
        function baseNth(array, n) {
          var length = array.length;
          if (!length) {
            return;
          }
          n += n < 0 ? length : 0;
          return isIndex2(n, length) ? array[n] : undefined2;
        }
        function baseOrderBy(collection, iteratees, orders) {
          if (iteratees.length) {
            iteratees = arrayMap2(iteratees, function(iteratee2) {
              if (isArray3(iteratee2)) {
                return function(value) {
                  return baseGet(value, iteratee2.length === 1 ? iteratee2[0] : iteratee2);
                };
              }
              return iteratee2;
            });
          } else {
            iteratees = [identity2];
          }
          var index = -1;
          iteratees = arrayMap2(iteratees, baseUnary2(getIteratee()));
          var result2 = baseMap(collection, function(value, key, collection2) {
            var criteria = arrayMap2(iteratees, function(iteratee2) {
              return iteratee2(value);
            });
            return { "criteria": criteria, "index": ++index, "value": value };
          });
          return baseSortBy(result2, function(object, other) {
            return compareMultiple(object, other, orders);
          });
        }
        function basePick(object, paths) {
          return basePickBy(object, paths, function(value, path17) {
            return hasIn(object, path17);
          });
        }
        function basePickBy(object, paths, predicate) {
          var index = -1, length = paths.length, result2 = {};
          while (++index < length) {
            var path17 = paths[index], value = baseGet(object, path17);
            if (predicate(value, path17)) {
              baseSet(result2, castPath(path17, object), value);
            }
          }
          return result2;
        }
        function basePropertyDeep(path17) {
          return function(object) {
            return baseGet(object, path17);
          };
        }
        function basePullAll(array, values2, iteratee2, comparator) {
          var indexOf2 = comparator ? baseIndexOfWith : baseIndexOf, index = -1, length = values2.length, seen = array;
          if (array === values2) {
            values2 = copyArray2(values2);
          }
          if (iteratee2) {
            seen = arrayMap2(array, baseUnary2(iteratee2));
          }
          while (++index < length) {
            var fromIndex = 0, value = values2[index], computed = iteratee2 ? iteratee2(value) : value;
            while ((fromIndex = indexOf2(seen, computed, fromIndex, comparator)) > -1) {
              if (seen !== array) {
                splice2.call(seen, fromIndex, 1);
              }
              splice2.call(array, fromIndex, 1);
            }
          }
          return array;
        }
        function basePullAt(array, indexes) {
          var length = array ? indexes.length : 0, lastIndex = length - 1;
          while (length--) {
            var index = indexes[length];
            if (length == lastIndex || index !== previous) {
              var previous = index;
              if (isIndex2(index)) {
                splice2.call(array, index, 1);
              } else {
                baseUnset(array, index);
              }
            }
          }
          return array;
        }
        function baseRandom(lower, upper) {
          return lower + nativeFloor(nativeRandom() * (upper - lower + 1));
        }
        function baseRange(start, end, step, fromRight) {
          var index = -1, length = nativeMax2(nativeCeil((end - start) / (step || 1)), 0), result2 = Array2(length);
          while (length--) {
            result2[fromRight ? length : ++index] = start;
            start += step;
          }
          return result2;
        }
        function baseRepeat(string, n) {
          var result2 = "";
          if (!string || n < 1 || n > MAX_SAFE_INTEGER3) {
            return result2;
          }
          do {
            if (n % 2) {
              result2 += string;
            }
            n = nativeFloor(n / 2);
            if (n) {
              string += string;
            }
          } while (n);
          return result2;
        }
        function baseRest2(func, start) {
          return setToString2(overRest2(func, start, identity2), func + "");
        }
        function baseSample(collection) {
          return arraySample(values(collection));
        }
        function baseSampleSize(collection, n) {
          var array = values(collection);
          return shuffleSelf(array, baseClamp(n, 0, array.length));
        }
        function baseSet(object, path17, value, customizer) {
          if (!isObject2(object)) {
            return object;
          }
          path17 = castPath(path17, object);
          var index = -1, length = path17.length, lastIndex = length - 1, nested = object;
          while (nested != null && ++index < length) {
            var key = toKey(path17[index]), newValue = value;
            if (key === "__proto__" || key === "constructor" || key === "prototype") {
              return object;
            }
            if (index != lastIndex) {
              var objValue = nested[key];
              newValue = customizer ? customizer(objValue, key, nested) : undefined2;
              if (newValue === undefined2) {
                newValue = isObject2(objValue) ? objValue : isIndex2(path17[index + 1]) ? [] : {};
              }
            }
            assignValue2(nested, key, newValue);
            nested = nested[key];
          }
          return object;
        }
        var baseSetData = !metaMap ? identity2 : function(func, data) {
          metaMap.set(func, data);
          return func;
        };
        var baseSetToString2 = !defineProperty2 ? identity2 : function(func, string) {
          return defineProperty2(func, "toString", {
            "configurable": true,
            "enumerable": false,
            "value": constant2(string),
            "writable": true
          });
        };
        function baseShuffle(collection) {
          return shuffleSelf(values(collection));
        }
        function baseSlice2(array, start, end) {
          var index = -1, length = array.length;
          if (start < 0) {
            start = -start > length ? 0 : length + start;
          }
          end = end > length ? length : end;
          if (end < 0) {
            end += length;
          }
          length = start > end ? 0 : end - start >>> 0;
          start >>>= 0;
          var result2 = Array2(length);
          while (++index < length) {
            result2[index] = array[index + start];
          }
          return result2;
        }
        function baseSome(collection, predicate) {
          var result2;
          baseEach(collection, function(value, index, collection2) {
            result2 = predicate(value, index, collection2);
            return !result2;
          });
          return !!result2;
        }
        function baseSortedIndex(array, value, retHighest) {
          var low = 0, high = array == null ? low : array.length;
          if (typeof value == "number" && value === value && high <= HALF_MAX_ARRAY_LENGTH) {
            while (low < high) {
              var mid = low + high >>> 1, computed = array[mid];
              if (computed !== null && !isSymbol2(computed) && (retHighest ? computed <= value : computed < value)) {
                low = mid + 1;
              } else {
                high = mid;
              }
            }
            return high;
          }
          return baseSortedIndexBy(array, value, identity2, retHighest);
        }
        function baseSortedIndexBy(array, value, iteratee2, retHighest) {
          var low = 0, high = array == null ? 0 : array.length;
          if (high === 0) {
            return 0;
          }
          value = iteratee2(value);
          var valIsNaN = value !== value, valIsNull = value === null, valIsSymbol = isSymbol2(value), valIsUndefined = value === undefined2;
          while (low < high) {
            var mid = nativeFloor((low + high) / 2), computed = iteratee2(array[mid]), othIsDefined = computed !== undefined2, othIsNull = computed === null, othIsReflexive = computed === computed, othIsSymbol = isSymbol2(computed);
            if (valIsNaN) {
              var setLow = retHighest || othIsReflexive;
            } else if (valIsUndefined) {
              setLow = othIsReflexive && (retHighest || othIsDefined);
            } else if (valIsNull) {
              setLow = othIsReflexive && othIsDefined && (retHighest || !othIsNull);
            } else if (valIsSymbol) {
              setLow = othIsReflexive && othIsDefined && !othIsNull && (retHighest || !othIsSymbol);
            } else if (othIsNull || othIsSymbol) {
              setLow = false;
            } else {
              setLow = retHighest ? computed <= value : computed < value;
            }
            if (setLow) {
              low = mid + 1;
            } else {
              high = mid;
            }
          }
          return nativeMin(high, MAX_ARRAY_INDEX);
        }
        function baseSortedUniq(array, iteratee2) {
          var index = -1, length = array.length, resIndex = 0, result2 = [];
          while (++index < length) {
            var value = array[index], computed = iteratee2 ? iteratee2(value) : value;
            if (!index || !eq2(computed, seen)) {
              var seen = computed;
              result2[resIndex++] = value === 0 ? 0 : value;
            }
          }
          return result2;
        }
        function baseToNumber(value) {
          if (typeof value == "number") {
            return value;
          }
          if (isSymbol2(value)) {
            return NAN;
          }
          return +value;
        }
        function baseToString2(value) {
          if (typeof value == "string") {
            return value;
          }
          if (isArray3(value)) {
            return arrayMap2(value, baseToString2) + "";
          }
          if (isSymbol2(value)) {
            return symbolToString2 ? symbolToString2.call(value) : "";
          }
          var result2 = value + "";
          return result2 == "0" && 1 / value == -INFINITY2 ? "-0" : result2;
        }
        function baseUniq(array, iteratee2, comparator) {
          var index = -1, includes2 = arrayIncludes, length = array.length, isCommon = true, result2 = [], seen = result2;
          if (comparator) {
            isCommon = false;
            includes2 = arrayIncludesWith;
          } else if (length >= LARGE_ARRAY_SIZE2) {
            var set2 = iteratee2 ? null : createSet(array);
            if (set2) {
              return setToArray(set2);
            }
            isCommon = false;
            includes2 = cacheHas;
            seen = new SetCache();
          } else {
            seen = iteratee2 ? [] : result2;
          }
          outer:
            while (++index < length) {
              var value = array[index], computed = iteratee2 ? iteratee2(value) : value;
              value = comparator || value !== 0 ? value : 0;
              if (isCommon && computed === computed) {
                var seenIndex = seen.length;
                while (seenIndex--) {
                  if (seen[seenIndex] === computed) {
                    continue outer;
                  }
                }
                if (iteratee2) {
                  seen.push(computed);
                }
                result2.push(value);
              } else if (!includes2(seen, computed, comparator)) {
                if (seen !== result2) {
                  seen.push(computed);
                }
                result2.push(value);
              }
            }
          return result2;
        }
        function baseUnset(object, path17) {
          path17 = castPath(path17, object);
          object = parent(object, path17);
          return object == null || delete object[toKey(last(path17))];
        }
        function baseUpdate(object, path17, updater, customizer) {
          return baseSet(object, path17, updater(baseGet(object, path17)), customizer);
        }
        function baseWhile(array, predicate, isDrop, fromRight) {
          var length = array.length, index = fromRight ? length : -1;
          while ((fromRight ? index-- : ++index < length) && predicate(array[index], index, array)) {
          }
          return isDrop ? baseSlice2(array, fromRight ? 0 : index, fromRight ? index + 1 : length) : baseSlice2(array, fromRight ? index + 1 : 0, fromRight ? length : index);
        }
        function baseWrapperValue(value, actions) {
          var result2 = value;
          if (result2 instanceof LazyWrapper) {
            result2 = result2.value();
          }
          return arrayReduce3(actions, function(result3, action) {
            return action.func.apply(action.thisArg, arrayPush([result3], action.args));
          }, result2);
        }
        function baseXor(arrays, iteratee2, comparator) {
          var length = arrays.length;
          if (length < 2) {
            return length ? baseUniq(arrays[0]) : [];
          }
          var index = -1, result2 = Array2(length);
          while (++index < length) {
            var array = arrays[index], othIndex = -1;
            while (++othIndex < length) {
              if (othIndex != index) {
                result2[index] = baseDifference(result2[index] || array, arrays[othIndex], iteratee2, comparator);
              }
            }
          }
          return baseUniq(baseFlatten(result2, 1), iteratee2, comparator);
        }
        function baseZipObject(props, values2, assignFunc) {
          var index = -1, length = props.length, valsLength = values2.length, result2 = {};
          while (++index < length) {
            var value = index < valsLength ? values2[index] : undefined2;
            assignFunc(result2, props[index], value);
          }
          return result2;
        }
        function castArrayLikeObject(value) {
          return isArrayLikeObject2(value) ? value : [];
        }
        function castFunction(value) {
          return typeof value == "function" ? value : identity2;
        }
        function castPath(value, object) {
          if (isArray3(value)) {
            return value;
          }
          return isKey(value, object) ? [value] : stringToPath(toString2(value));
        }
        var castRest = baseRest2;
        function castSlice2(array, start, end) {
          var length = array.length;
          end = end === undefined2 ? length : end;
          return !start && end >= length ? array : baseSlice2(array, start, end);
        }
        var clearTimeout2 = ctxClearTimeout || function(id) {
          return root2.clearTimeout(id);
        };
        function cloneBuffer2(buffer, isDeep) {
          if (isDeep) {
            return buffer.slice();
          }
          var length = buffer.length, result2 = allocUnsafe2 ? allocUnsafe2(length) : new buffer.constructor(length);
          buffer.copy(result2);
          return result2;
        }
        function cloneArrayBuffer2(arrayBuffer) {
          var result2 = new arrayBuffer.constructor(arrayBuffer.byteLength);
          new Uint8Array3(result2).set(new Uint8Array3(arrayBuffer));
          return result2;
        }
        function cloneDataView(dataView, isDeep) {
          var buffer = isDeep ? cloneArrayBuffer2(dataView.buffer) : dataView.buffer;
          return new dataView.constructor(buffer, dataView.byteOffset, dataView.byteLength);
        }
        function cloneRegExp(regexp) {
          var result2 = new regexp.constructor(regexp.source, reFlags.exec(regexp));
          result2.lastIndex = regexp.lastIndex;
          return result2;
        }
        function cloneSymbol(symbol) {
          return symbolValueOf ? Object2(symbolValueOf.call(symbol)) : {};
        }
        function cloneTypedArray2(typedArray, isDeep) {
          var buffer = isDeep ? cloneArrayBuffer2(typedArray.buffer) : typedArray.buffer;
          return new typedArray.constructor(buffer, typedArray.byteOffset, typedArray.length);
        }
        function compareAscending(value, other) {
          if (value !== other) {
            var valIsDefined = value !== undefined2, valIsNull = value === null, valIsReflexive = value === value, valIsSymbol = isSymbol2(value);
            var othIsDefined = other !== undefined2, othIsNull = other === null, othIsReflexive = other === other, othIsSymbol = isSymbol2(other);
            if (!othIsNull && !othIsSymbol && !valIsSymbol && value > other || valIsSymbol && othIsDefined && othIsReflexive && !othIsNull && !othIsSymbol || valIsNull && othIsDefined && othIsReflexive || !valIsDefined && othIsReflexive || !valIsReflexive) {
              return 1;
            }
            if (!valIsNull && !valIsSymbol && !othIsSymbol && value < other || othIsSymbol && valIsDefined && valIsReflexive && !valIsNull && !valIsSymbol || othIsNull && valIsDefined && valIsReflexive || !othIsDefined && valIsReflexive || !othIsReflexive) {
              return -1;
            }
          }
          return 0;
        }
        function compareMultiple(object, other, orders) {
          var index = -1, objCriteria = object.criteria, othCriteria = other.criteria, length = objCriteria.length, ordersLength = orders.length;
          while (++index < length) {
            var result2 = compareAscending(objCriteria[index], othCriteria[index]);
            if (result2) {
              if (index >= ordersLength) {
                return result2;
              }
              var order = orders[index];
              return result2 * (order == "desc" ? -1 : 1);
            }
          }
          return object.index - other.index;
        }
        function composeArgs(args, partials, holders, isCurried) {
          var argsIndex = -1, argsLength = args.length, holdersLength = holders.length, leftIndex = -1, leftLength = partials.length, rangeLength = nativeMax2(argsLength - holdersLength, 0), result2 = Array2(leftLength + rangeLength), isUncurried = !isCurried;
          while (++leftIndex < leftLength) {
            result2[leftIndex] = partials[leftIndex];
          }
          while (++argsIndex < holdersLength) {
            if (isUncurried || argsIndex < argsLength) {
              result2[holders[argsIndex]] = args[argsIndex];
            }
          }
          while (rangeLength--) {
            result2[leftIndex++] = args[argsIndex++];
          }
          return result2;
        }
        function composeArgsRight(args, partials, holders, isCurried) {
          var argsIndex = -1, argsLength = args.length, holdersIndex = -1, holdersLength = holders.length, rightIndex = -1, rightLength = partials.length, rangeLength = nativeMax2(argsLength - holdersLength, 0), result2 = Array2(rangeLength + rightLength), isUncurried = !isCurried;
          while (++argsIndex < rangeLength) {
            result2[argsIndex] = args[argsIndex];
          }
          var offset = argsIndex;
          while (++rightIndex < rightLength) {
            result2[offset + rightIndex] = partials[rightIndex];
          }
          while (++holdersIndex < holdersLength) {
            if (isUncurried || argsIndex < argsLength) {
              result2[offset + holders[holdersIndex]] = args[argsIndex++];
            }
          }
          return result2;
        }
        function copyArray2(source, array) {
          var index = -1, length = source.length;
          array || (array = Array2(length));
          while (++index < length) {
            array[index] = source[index];
          }
          return array;
        }
        function copyObject2(source, props, object, customizer) {
          var isNew = !object;
          object || (object = {});
          var index = -1, length = props.length;
          while (++index < length) {
            var key = props[index];
            var newValue = customizer ? customizer(object[key], source[key], key, object, source) : undefined2;
            if (newValue === undefined2) {
              newValue = source[key];
            }
            if (isNew) {
              baseAssignValue2(object, key, newValue);
            } else {
              assignValue2(object, key, newValue);
            }
          }
          return object;
        }
        function copySymbols(source, object) {
          return copyObject2(source, getSymbols(source), object);
        }
        function copySymbolsIn(source, object) {
          return copyObject2(source, getSymbolsIn(source), object);
        }
        function createAggregator(setter, initializer) {
          return function(collection, iteratee2) {
            var func = isArray3(collection) ? arrayAggregator : baseAggregator, accumulator = initializer ? initializer() : {};
            return func(collection, setter, getIteratee(iteratee2, 2), accumulator);
          };
        }
        function createAssigner2(assigner) {
          return baseRest2(function(object, sources) {
            var index = -1, length = sources.length, customizer = length > 1 ? sources[length - 1] : undefined2, guard = length > 2 ? sources[2] : undefined2;
            customizer = assigner.length > 3 && typeof customizer == "function" ? (length--, customizer) : undefined2;
            if (guard && isIterateeCall2(sources[0], sources[1], guard)) {
              customizer = length < 3 ? undefined2 : customizer;
              length = 1;
            }
            object = Object2(object);
            while (++index < length) {
              var source = sources[index];
              if (source) {
                assigner(object, source, index, customizer);
              }
            }
            return object;
          });
        }
        function createBaseEach(eachFunc, fromRight) {
          return function(collection, iteratee2) {
            if (collection == null) {
              return collection;
            }
            if (!isArrayLike2(collection)) {
              return eachFunc(collection, iteratee2);
            }
            var length = collection.length, index = fromRight ? length : -1, iterable = Object2(collection);
            while (fromRight ? index-- : ++index < length) {
              if (iteratee2(iterable[index], index, iterable) === false) {
                break;
              }
            }
            return collection;
          };
        }
        function createBaseFor2(fromRight) {
          return function(object, iteratee2, keysFunc) {
            var index = -1, iterable = Object2(object), props = keysFunc(object), length = props.length;
            while (length--) {
              var key = props[fromRight ? length : ++index];
              if (iteratee2(iterable[key], key, iterable) === false) {
                break;
              }
            }
            return object;
          };
        }
        function createBind(func, bitmask, thisArg) {
          var isBind = bitmask & WRAP_BIND_FLAG, Ctor = createCtor(func);
          function wrapper() {
            var fn = this && this !== root2 && this instanceof wrapper ? Ctor : func;
            return fn.apply(isBind ? thisArg : this, arguments);
          }
          return wrapper;
        }
        function createCaseFirst2(methodName) {
          return function(string) {
            string = toString2(string);
            var strSymbols = hasUnicode2(string) ? stringToArray2(string) : undefined2;
            var chr = strSymbols ? strSymbols[0] : string.charAt(0);
            var trailing = strSymbols ? castSlice2(strSymbols, 1).join("") : string.slice(1);
            return chr[methodName]() + trailing;
          };
        }
        function createCompounder2(callback) {
          return function(string) {
            return arrayReduce3(words2(deburr2(string).replace(reApos2, "")), callback, "");
          };
        }
        function createCtor(Ctor) {
          return function() {
            var args = arguments;
            switch (args.length) {
              case 0:
                return new Ctor();
              case 1:
                return new Ctor(args[0]);
              case 2:
                return new Ctor(args[0], args[1]);
              case 3:
                return new Ctor(args[0], args[1], args[2]);
              case 4:
                return new Ctor(args[0], args[1], args[2], args[3]);
              case 5:
                return new Ctor(args[0], args[1], args[2], args[3], args[4]);
              case 6:
                return new Ctor(args[0], args[1], args[2], args[3], args[4], args[5]);
              case 7:
                return new Ctor(args[0], args[1], args[2], args[3], args[4], args[5], args[6]);
            }
            var thisBinding = baseCreate2(Ctor.prototype), result2 = Ctor.apply(thisBinding, args);
            return isObject2(result2) ? result2 : thisBinding;
          };
        }
        function createCurry(func, bitmask, arity) {
          var Ctor = createCtor(func);
          function wrapper() {
            var length = arguments.length, args = Array2(length), index = length, placeholder = getHolder(wrapper);
            while (index--) {
              args[index] = arguments[index];
            }
            var holders = length < 3 && args[0] !== placeholder && args[length - 1] !== placeholder ? [] : replaceHolders(args, placeholder);
            length -= holders.length;
            if (length < arity) {
              return createRecurry(
                func,
                bitmask,
                createHybrid,
                wrapper.placeholder,
                undefined2,
                args,
                holders,
                undefined2,
                undefined2,
                arity - length
              );
            }
            var fn = this && this !== root2 && this instanceof wrapper ? Ctor : func;
            return apply2(fn, this, args);
          }
          return wrapper;
        }
        function createFind(findIndexFunc) {
          return function(collection, predicate, fromIndex) {
            var iterable = Object2(collection);
            if (!isArrayLike2(collection)) {
              var iteratee2 = getIteratee(predicate, 3);
              collection = keys2(collection);
              predicate = function(key) {
                return iteratee2(iterable[key], key, iterable);
              };
            }
            var index = findIndexFunc(collection, predicate, fromIndex);
            return index > -1 ? iterable[iteratee2 ? collection[index] : index] : undefined2;
          };
        }
        function createFlow(fromRight) {
          return flatRest(function(funcs) {
            var length = funcs.length, index = length, prereq = LodashWrapper.prototype.thru;
            if (fromRight) {
              funcs.reverse();
            }
            while (index--) {
              var func = funcs[index];
              if (typeof func != "function") {
                throw new TypeError2(FUNC_ERROR_TEXT);
              }
              if (prereq && !wrapper && getFuncName(func) == "wrapper") {
                var wrapper = new LodashWrapper([], true);
              }
            }
            index = wrapper ? index : length;
            while (++index < length) {
              func = funcs[index];
              var funcName = getFuncName(func), data = funcName == "wrapper" ? getData(func) : undefined2;
              if (data && isLaziable(data[0]) && data[1] == (WRAP_ARY_FLAG | WRAP_CURRY_FLAG | WRAP_PARTIAL_FLAG | WRAP_REARG_FLAG) && !data[4].length && data[9] == 1) {
                wrapper = wrapper[getFuncName(data[0])].apply(wrapper, data[3]);
              } else {
                wrapper = func.length == 1 && isLaziable(func) ? wrapper[funcName]() : wrapper.thru(func);
              }
            }
            return function() {
              var args = arguments, value = args[0];
              if (wrapper && args.length == 1 && isArray3(value)) {
                return wrapper.plant(value).value();
              }
              var index2 = 0, result2 = length ? funcs[index2].apply(this, args) : value;
              while (++index2 < length) {
                result2 = funcs[index2].call(this, result2);
              }
              return result2;
            };
          });
        }
        function createHybrid(func, bitmask, thisArg, partials, holders, partialsRight, holdersRight, argPos, ary2, arity) {
          var isAry = bitmask & WRAP_ARY_FLAG, isBind = bitmask & WRAP_BIND_FLAG, isBindKey = bitmask & WRAP_BIND_KEY_FLAG, isCurried = bitmask & (WRAP_CURRY_FLAG | WRAP_CURRY_RIGHT_FLAG), isFlip = bitmask & WRAP_FLIP_FLAG, Ctor = isBindKey ? undefined2 : createCtor(func);
          function wrapper() {
            var length = arguments.length, args = Array2(length), index = length;
            while (index--) {
              args[index] = arguments[index];
            }
            if (isCurried) {
              var placeholder = getHolder(wrapper), holdersCount = countHolders(args, placeholder);
            }
            if (partials) {
              args = composeArgs(args, partials, holders, isCurried);
            }
            if (partialsRight) {
              args = composeArgsRight(args, partialsRight, holdersRight, isCurried);
            }
            length -= holdersCount;
            if (isCurried && length < arity) {
              var newHolders = replaceHolders(args, placeholder);
              return createRecurry(
                func,
                bitmask,
                createHybrid,
                wrapper.placeholder,
                thisArg,
                args,
                newHolders,
                argPos,
                ary2,
                arity - length
              );
            }
            var thisBinding = isBind ? thisArg : this, fn = isBindKey ? thisBinding[func] : func;
            length = args.length;
            if (argPos) {
              args = reorder(args, argPos);
            } else if (isFlip && length > 1) {
              args.reverse();
            }
            if (isAry && ary2 < length) {
              args.length = ary2;
            }
            if (this && this !== root2 && this instanceof wrapper) {
              fn = Ctor || createCtor(fn);
            }
            return fn.apply(thisBinding, args);
          }
          return wrapper;
        }
        function createInverter(setter, toIteratee) {
          return function(object, iteratee2) {
            return baseInverter(object, setter, toIteratee(iteratee2), {});
          };
        }
        function createMathOperation(operator, defaultValue) {
          return function(value, other) {
            var result2;
            if (value === undefined2 && other === undefined2) {
              return defaultValue;
            }
            if (value !== undefined2) {
              result2 = value;
            }
            if (other !== undefined2) {
              if (result2 === undefined2) {
                return other;
              }
              if (typeof value == "string" || typeof other == "string") {
                value = baseToString2(value);
                other = baseToString2(other);
              } else {
                value = baseToNumber(value);
                other = baseToNumber(other);
              }
              result2 = operator(value, other);
            }
            return result2;
          };
        }
        function createOver(arrayFunc) {
          return flatRest(function(iteratees) {
            iteratees = arrayMap2(iteratees, baseUnary2(getIteratee()));
            return baseRest2(function(args) {
              var thisArg = this;
              return arrayFunc(iteratees, function(iteratee2) {
                return apply2(iteratee2, thisArg, args);
              });
            });
          });
        }
        function createPadding(length, chars) {
          chars = chars === undefined2 ? " " : baseToString2(chars);
          var charsLength = chars.length;
          if (charsLength < 2) {
            return charsLength ? baseRepeat(chars, length) : chars;
          }
          var result2 = baseRepeat(chars, nativeCeil(length / stringSize(chars)));
          return hasUnicode2(chars) ? castSlice2(stringToArray2(result2), 0, length).join("") : result2.slice(0, length);
        }
        function createPartial(func, bitmask, thisArg, partials) {
          var isBind = bitmask & WRAP_BIND_FLAG, Ctor = createCtor(func);
          function wrapper() {
            var argsIndex = -1, argsLength = arguments.length, leftIndex = -1, leftLength = partials.length, args = Array2(leftLength + argsLength), fn = this && this !== root2 && this instanceof wrapper ? Ctor : func;
            while (++leftIndex < leftLength) {
              args[leftIndex] = partials[leftIndex];
            }
            while (argsLength--) {
              args[leftIndex++] = arguments[++argsIndex];
            }
            return apply2(fn, isBind ? thisArg : this, args);
          }
          return wrapper;
        }
        function createRange(fromRight) {
          return function(start, end, step) {
            if (step && typeof step != "number" && isIterateeCall2(start, end, step)) {
              end = step = undefined2;
            }
            start = toFinite(start);
            if (end === undefined2) {
              end = start;
              start = 0;
            } else {
              end = toFinite(end);
            }
            step = step === undefined2 ? start < end ? 1 : -1 : toFinite(step);
            return baseRange(start, end, step, fromRight);
          };
        }
        function createRelationalOperation(operator) {
          return function(value, other) {
            if (!(typeof value == "string" && typeof other == "string")) {
              value = toNumber(value);
              other = toNumber(other);
            }
            return operator(value, other);
          };
        }
        function createRecurry(func, bitmask, wrapFunc, placeholder, thisArg, partials, holders, argPos, ary2, arity) {
          var isCurry = bitmask & WRAP_CURRY_FLAG, newHolders = isCurry ? holders : undefined2, newHoldersRight = isCurry ? undefined2 : holders, newPartials = isCurry ? partials : undefined2, newPartialsRight = isCurry ? undefined2 : partials;
          bitmask |= isCurry ? WRAP_PARTIAL_FLAG : WRAP_PARTIAL_RIGHT_FLAG;
          bitmask &= ~(isCurry ? WRAP_PARTIAL_RIGHT_FLAG : WRAP_PARTIAL_FLAG);
          if (!(bitmask & WRAP_CURRY_BOUND_FLAG)) {
            bitmask &= ~(WRAP_BIND_FLAG | WRAP_BIND_KEY_FLAG);
          }
          var newData = [
            func,
            bitmask,
            thisArg,
            newPartials,
            newHolders,
            newPartialsRight,
            newHoldersRight,
            argPos,
            ary2,
            arity
          ];
          var result2 = wrapFunc.apply(undefined2, newData);
          if (isLaziable(func)) {
            setData(result2, newData);
          }
          result2.placeholder = placeholder;
          return setWrapToString(result2, func, bitmask);
        }
        function createRound(methodName) {
          var func = Math2[methodName];
          return function(number, precision) {
            number = toNumber(number);
            precision = precision == null ? 0 : nativeMin(toInteger(precision), 292);
            if (precision && nativeIsFinite(number)) {
              var pair = (toString2(number) + "e").split("e"), value = func(pair[0] + "e" + (+pair[1] + precision));
              pair = (toString2(value) + "e").split("e");
              return +(pair[0] + "e" + (+pair[1] - precision));
            }
            return func(number);
          };
        }
        var createSet = !(Set2 && 1 / setToArray(new Set2([, -0]))[1] == INFINITY2) ? noop2 : function(values2) {
          return new Set2(values2);
        };
        function createToPairs(keysFunc) {
          return function(object) {
            var tag = getTag(object);
            if (tag == mapTag2) {
              return mapToArray(object);
            }
            if (tag == setTag2) {
              return setToPairs(object);
            }
            return baseToPairs(object, keysFunc(object));
          };
        }
        function createWrap(func, bitmask, thisArg, partials, holders, argPos, ary2, arity) {
          var isBindKey = bitmask & WRAP_BIND_KEY_FLAG;
          if (!isBindKey && typeof func != "function") {
            throw new TypeError2(FUNC_ERROR_TEXT);
          }
          var length = partials ? partials.length : 0;
          if (!length) {
            bitmask &= ~(WRAP_PARTIAL_FLAG | WRAP_PARTIAL_RIGHT_FLAG);
            partials = holders = undefined2;
          }
          ary2 = ary2 === undefined2 ? ary2 : nativeMax2(toInteger(ary2), 0);
          arity = arity === undefined2 ? arity : toInteger(arity);
          length -= holders ? holders.length : 0;
          if (bitmask & WRAP_PARTIAL_RIGHT_FLAG) {
            var partialsRight = partials, holdersRight = holders;
            partials = holders = undefined2;
          }
          var data = isBindKey ? undefined2 : getData(func);
          var newData = [
            func,
            bitmask,
            thisArg,
            partials,
            holders,
            partialsRight,
            holdersRight,
            argPos,
            ary2,
            arity
          ];
          if (data) {
            mergeData(newData, data);
          }
          func = newData[0];
          bitmask = newData[1];
          thisArg = newData[2];
          partials = newData[3];
          holders = newData[4];
          arity = newData[9] = newData[9] === undefined2 ? isBindKey ? 0 : func.length : nativeMax2(newData[9] - length, 0);
          if (!arity && bitmask & (WRAP_CURRY_FLAG | WRAP_CURRY_RIGHT_FLAG)) {
            bitmask &= ~(WRAP_CURRY_FLAG | WRAP_CURRY_RIGHT_FLAG);
          }
          if (!bitmask || bitmask == WRAP_BIND_FLAG) {
            var result2 = createBind(func, bitmask, thisArg);
          } else if (bitmask == WRAP_CURRY_FLAG || bitmask == WRAP_CURRY_RIGHT_FLAG) {
            result2 = createCurry(func, bitmask, arity);
          } else if ((bitmask == WRAP_PARTIAL_FLAG || bitmask == (WRAP_BIND_FLAG | WRAP_PARTIAL_FLAG)) && !holders.length) {
            result2 = createPartial(func, bitmask, thisArg, partials);
          } else {
            result2 = createHybrid.apply(undefined2, newData);
          }
          var setter = data ? baseSetData : setData;
          return setWrapToString(setter(result2, newData), func, bitmask);
        }
        function customDefaultsAssignIn(objValue, srcValue, key, object) {
          if (objValue === undefined2 || eq2(objValue, objectProto12[key]) && !hasOwnProperty10.call(object, key)) {
            return srcValue;
          }
          return objValue;
        }
        function customDefaultsMerge2(objValue, srcValue, key, object, source, stack) {
          if (isObject2(objValue) && isObject2(srcValue)) {
            stack.set(srcValue, objValue);
            baseMerge2(objValue, srcValue, undefined2, customDefaultsMerge2, stack);
            stack["delete"](srcValue);
          }
          return objValue;
        }
        function customOmitClone(value) {
          return isPlainObject2(value) ? undefined2 : value;
        }
        function equalArrays(array, other, bitmask, customizer, equalFunc, stack) {
          var isPartial = bitmask & COMPARE_PARTIAL_FLAG, arrLength = array.length, othLength = other.length;
          if (arrLength != othLength && !(isPartial && othLength > arrLength)) {
            return false;
          }
          var arrStacked = stack.get(array);
          var othStacked = stack.get(other);
          if (arrStacked && othStacked) {
            return arrStacked == other && othStacked == array;
          }
          var index = -1, result2 = true, seen = bitmask & COMPARE_UNORDERED_FLAG ? new SetCache() : undefined2;
          stack.set(array, other);
          stack.set(other, array);
          while (++index < arrLength) {
            var arrValue = array[index], othValue = other[index];
            if (customizer) {
              var compared = isPartial ? customizer(othValue, arrValue, index, other, array, stack) : customizer(arrValue, othValue, index, array, other, stack);
            }
            if (compared !== undefined2) {
              if (compared) {
                continue;
              }
              result2 = false;
              break;
            }
            if (seen) {
              if (!arraySome(other, function(othValue2, othIndex) {
                if (!cacheHas(seen, othIndex) && (arrValue === othValue2 || equalFunc(arrValue, othValue2, bitmask, customizer, stack))) {
                  return seen.push(othIndex);
                }
              })) {
                result2 = false;
                break;
              }
            } else if (!(arrValue === othValue || equalFunc(arrValue, othValue, bitmask, customizer, stack))) {
              result2 = false;
              break;
            }
          }
          stack["delete"](array);
          stack["delete"](other);
          return result2;
        }
        function equalByTag(object, other, tag, bitmask, customizer, equalFunc, stack) {
          switch (tag) {
            case dataViewTag2:
              if (object.byteLength != other.byteLength || object.byteOffset != other.byteOffset) {
                return false;
              }
              object = object.buffer;
              other = other.buffer;
            case arrayBufferTag2:
              if (object.byteLength != other.byteLength || !equalFunc(new Uint8Array3(object), new Uint8Array3(other))) {
                return false;
              }
              return true;
            case boolTag2:
            case dateTag2:
            case numberTag2:
              return eq2(+object, +other);
            case errorTag2:
              return object.name == other.name && object.message == other.message;
            case regexpTag2:
            case stringTag2:
              return object == other + "";
            case mapTag2:
              var convert = mapToArray;
            case setTag2:
              var isPartial = bitmask & COMPARE_PARTIAL_FLAG;
              convert || (convert = setToArray);
              if (object.size != other.size && !isPartial) {
                return false;
              }
              var stacked = stack.get(object);
              if (stacked) {
                return stacked == other;
              }
              bitmask |= COMPARE_UNORDERED_FLAG;
              stack.set(object, other);
              var result2 = equalArrays(convert(object), convert(other), bitmask, customizer, equalFunc, stack);
              stack["delete"](object);
              return result2;
            case symbolTag2:
              if (symbolValueOf) {
                return symbolValueOf.call(object) == symbolValueOf.call(other);
              }
          }
          return false;
        }
        function equalObjects(object, other, bitmask, customizer, equalFunc, stack) {
          var isPartial = bitmask & COMPARE_PARTIAL_FLAG, objProps = getAllKeys(object), objLength = objProps.length, othProps = getAllKeys(other), othLength = othProps.length;
          if (objLength != othLength && !isPartial) {
            return false;
          }
          var index = objLength;
          while (index--) {
            var key = objProps[index];
            if (!(isPartial ? key in other : hasOwnProperty10.call(other, key))) {
              return false;
            }
          }
          var objStacked = stack.get(object);
          var othStacked = stack.get(other);
          if (objStacked && othStacked) {
            return objStacked == other && othStacked == object;
          }
          var result2 = true;
          stack.set(object, other);
          stack.set(other, object);
          var skipCtor = isPartial;
          while (++index < objLength) {
            key = objProps[index];
            var objValue = object[key], othValue = other[key];
            if (customizer) {
              var compared = isPartial ? customizer(othValue, objValue, key, other, object, stack) : customizer(objValue, othValue, key, object, other, stack);
            }
            if (!(compared === undefined2 ? objValue === othValue || equalFunc(objValue, othValue, bitmask, customizer, stack) : compared)) {
              result2 = false;
              break;
            }
            skipCtor || (skipCtor = key == "constructor");
          }
          if (result2 && !skipCtor) {
            var objCtor = object.constructor, othCtor = other.constructor;
            if (objCtor != othCtor && ("constructor" in object && "constructor" in other) && !(typeof objCtor == "function" && objCtor instanceof objCtor && typeof othCtor == "function" && othCtor instanceof othCtor)) {
              result2 = false;
            }
          }
          stack["delete"](object);
          stack["delete"](other);
          return result2;
        }
        function flatRest(func) {
          return setToString2(overRest2(func, undefined2, flatten), func + "");
        }
        function getAllKeys(object) {
          return baseGetAllKeys(object, keys2, getSymbols);
        }
        function getAllKeysIn(object) {
          return baseGetAllKeys(object, keysIn2, getSymbolsIn);
        }
        var getData = !metaMap ? noop2 : function(func) {
          return metaMap.get(func);
        };
        function getFuncName(func) {
          var result2 = func.name + "", array = realNames[result2], length = hasOwnProperty10.call(realNames, result2) ? array.length : 0;
          while (length--) {
            var data = array[length], otherFunc = data.func;
            if (otherFunc == null || otherFunc == func) {
              return data.name;
            }
          }
          return result2;
        }
        function getHolder(func) {
          var object = hasOwnProperty10.call(lodash, "placeholder") ? lodash : func;
          return object.placeholder;
        }
        function getIteratee() {
          var result2 = lodash.iteratee || iteratee;
          result2 = result2 === iteratee ? baseIteratee : result2;
          return arguments.length ? result2(arguments[0], arguments[1]) : result2;
        }
        function getMapData2(map2, key) {
          var data = map2.__data__;
          return isKeyable2(key) ? data[typeof key == "string" ? "string" : "hash"] : data.map;
        }
        function getMatchData(object) {
          var result2 = keys2(object), length = result2.length;
          while (length--) {
            var key = result2[length], value = object[key];
            result2[length] = [key, value, isStrictComparable(value)];
          }
          return result2;
        }
        function getNative2(object, key) {
          var value = getValue2(object, key);
          return baseIsNative2(value) ? value : undefined2;
        }
        function getRawTag2(value) {
          var isOwn = hasOwnProperty10.call(value, symToStringTag3), tag = value[symToStringTag3];
          try {
            value[symToStringTag3] = undefined2;
            var unmasked = true;
          } catch (e) {
          }
          var result2 = nativeObjectToString3.call(value);
          if (unmasked) {
            if (isOwn) {
              value[symToStringTag3] = tag;
            } else {
              delete value[symToStringTag3];
            }
          }
          return result2;
        }
        var getSymbols = !nativeGetSymbols ? stubArray : function(object) {
          if (object == null) {
            return [];
          }
          object = Object2(object);
          return arrayFilter(nativeGetSymbols(object), function(symbol) {
            return propertyIsEnumerable2.call(object, symbol);
          });
        };
        var getSymbolsIn = !nativeGetSymbols ? stubArray : function(object) {
          var result2 = [];
          while (object) {
            arrayPush(result2, getSymbols(object));
            object = getPrototype2(object);
          }
          return result2;
        };
        var getTag = baseGetTag2;
        if (DataView2 && getTag(new DataView2(new ArrayBuffer(1))) != dataViewTag2 || Map3 && getTag(new Map3()) != mapTag2 || Promise2 && getTag(Promise2.resolve()) != promiseTag || Set2 && getTag(new Set2()) != setTag2 || WeakMap2 && getTag(new WeakMap2()) != weakMapTag2) {
          getTag = function(value) {
            var result2 = baseGetTag2(value), Ctor = result2 == objectTag3 ? value.constructor : undefined2, ctorString = Ctor ? toSource2(Ctor) : "";
            if (ctorString) {
              switch (ctorString) {
                case dataViewCtorString:
                  return dataViewTag2;
                case mapCtorString:
                  return mapTag2;
                case promiseCtorString:
                  return promiseTag;
                case setCtorString:
                  return setTag2;
                case weakMapCtorString:
                  return weakMapTag2;
              }
            }
            return result2;
          };
        }
        function getView(start, end, transforms) {
          var index = -1, length = transforms.length;
          while (++index < length) {
            var data = transforms[index], size2 = data.size;
            switch (data.type) {
              case "drop":
                start += size2;
                break;
              case "dropRight":
                end -= size2;
                break;
              case "take":
                end = nativeMin(end, start + size2);
                break;
              case "takeRight":
                start = nativeMax2(start, end - size2);
                break;
            }
          }
          return { "start": start, "end": end };
        }
        function getWrapDetails(source) {
          var match = source.match(reWrapDetails);
          return match ? match[1].split(reSplitDetails) : [];
        }
        function hasPath(object, path17, hasFunc) {
          path17 = castPath(path17, object);
          var index = -1, length = path17.length, result2 = false;
          while (++index < length) {
            var key = toKey(path17[index]);
            if (!(result2 = object != null && hasFunc(object, key))) {
              break;
            }
            object = object[key];
          }
          if (result2 || ++index != length) {
            return result2;
          }
          length = object == null ? 0 : object.length;
          return !!length && isLength2(length) && isIndex2(key, length) && (isArray3(object) || isArguments3(object));
        }
        function initCloneArray(array) {
          var length = array.length, result2 = new array.constructor(length);
          if (length && typeof array[0] == "string" && hasOwnProperty10.call(array, "index")) {
            result2.index = array.index;
            result2.input = array.input;
          }
          return result2;
        }
        function initCloneObject2(object) {
          return typeof object.constructor == "function" && !isPrototype2(object) ? baseCreate2(getPrototype2(object)) : {};
        }
        function initCloneByTag(object, tag, isDeep) {
          var Ctor = object.constructor;
          switch (tag) {
            case arrayBufferTag2:
              return cloneArrayBuffer2(object);
            case boolTag2:
            case dateTag2:
              return new Ctor(+object);
            case dataViewTag2:
              return cloneDataView(object, isDeep);
            case float32Tag2:
            case float64Tag2:
            case int8Tag2:
            case int16Tag2:
            case int32Tag2:
            case uint8Tag2:
            case uint8ClampedTag2:
            case uint16Tag2:
            case uint32Tag2:
              return cloneTypedArray2(object, isDeep);
            case mapTag2:
              return new Ctor();
            case numberTag2:
            case stringTag2:
              return new Ctor(object);
            case regexpTag2:
              return cloneRegExp(object);
            case setTag2:
              return new Ctor();
            case symbolTag2:
              return cloneSymbol(object);
          }
        }
        function insertWrapDetails(source, details) {
          var length = details.length;
          if (!length) {
            return source;
          }
          var lastIndex = length - 1;
          details[lastIndex] = (length > 1 ? "& " : "") + details[lastIndex];
          details = details.join(length > 2 ? ", " : " ");
          return source.replace(reWrapComment, "{\n/* [wrapped with " + details + "] */\n");
        }
        function isFlattenable(value) {
          return isArray3(value) || isArguments3(value) || !!(spreadableSymbol && value && value[spreadableSymbol]);
        }
        function isIndex2(value, length) {
          var type = typeof value;
          length = length == null ? MAX_SAFE_INTEGER3 : length;
          return !!length && (type == "number" || type != "symbol" && reIsUint2.test(value)) && (value > -1 && value % 1 == 0 && value < length);
        }
        function isIterateeCall2(value, index, object) {
          if (!isObject2(object)) {
            return false;
          }
          var type = typeof index;
          if (type == "number" ? isArrayLike2(object) && isIndex2(index, object.length) : type == "string" && index in object) {
            return eq2(object[index], value);
          }
          return false;
        }
        function isKey(value, object) {
          if (isArray3(value)) {
            return false;
          }
          var type = typeof value;
          if (type == "number" || type == "symbol" || type == "boolean" || value == null || isSymbol2(value)) {
            return true;
          }
          return reIsPlainProp.test(value) || !reIsDeepProp.test(value) || object != null && value in Object2(object);
        }
        function isKeyable2(value) {
          var type = typeof value;
          return type == "string" || type == "number" || type == "symbol" || type == "boolean" ? value !== "__proto__" : value === null;
        }
        function isLaziable(func) {
          var funcName = getFuncName(func), other = lodash[funcName];
          if (typeof other != "function" || !(funcName in LazyWrapper.prototype)) {
            return false;
          }
          if (func === other) {
            return true;
          }
          var data = getData(other);
          return !!data && func === data[0];
        }
        function isMasked2(func) {
          return !!maskSrcKey2 && maskSrcKey2 in func;
        }
        var isMaskable = coreJsData2 ? isFunction3 : stubFalse2;
        function isPrototype2(value) {
          var Ctor = value && value.constructor, proto = typeof Ctor == "function" && Ctor.prototype || objectProto12;
          return value === proto;
        }
        function isStrictComparable(value) {
          return value === value && !isObject2(value);
        }
        function matchesStrictComparable(key, srcValue) {
          return function(object) {
            if (object == null) {
              return false;
            }
            return object[key] === srcValue && (srcValue !== undefined2 || key in Object2(object));
          };
        }
        function memoizeCapped(func) {
          var result2 = memoize(func, function(key) {
            if (cache.size === MAX_MEMOIZE_SIZE) {
              cache.clear();
            }
            return key;
          });
          var cache = result2.cache;
          return result2;
        }
        function mergeData(data, source) {
          var bitmask = data[1], srcBitmask = source[1], newBitmask = bitmask | srcBitmask, isCommon = newBitmask < (WRAP_BIND_FLAG | WRAP_BIND_KEY_FLAG | WRAP_ARY_FLAG);
          var isCombo = srcBitmask == WRAP_ARY_FLAG && bitmask == WRAP_CURRY_FLAG || srcBitmask == WRAP_ARY_FLAG && bitmask == WRAP_REARG_FLAG && data[7].length <= source[8] || srcBitmask == (WRAP_ARY_FLAG | WRAP_REARG_FLAG) && source[7].length <= source[8] && bitmask == WRAP_CURRY_FLAG;
          if (!(isCommon || isCombo)) {
            return data;
          }
          if (srcBitmask & WRAP_BIND_FLAG) {
            data[2] = source[2];
            newBitmask |= bitmask & WRAP_BIND_FLAG ? 0 : WRAP_CURRY_BOUND_FLAG;
          }
          var value = source[3];
          if (value) {
            var partials = data[3];
            data[3] = partials ? composeArgs(partials, value, source[4]) : value;
            data[4] = partials ? replaceHolders(data[3], PLACEHOLDER2) : source[4];
          }
          value = source[5];
          if (value) {
            partials = data[5];
            data[5] = partials ? composeArgsRight(partials, value, source[6]) : value;
            data[6] = partials ? replaceHolders(data[5], PLACEHOLDER2) : source[6];
          }
          value = source[7];
          if (value) {
            data[7] = value;
          }
          if (srcBitmask & WRAP_ARY_FLAG) {
            data[8] = data[8] == null ? source[8] : nativeMin(data[8], source[8]);
          }
          if (data[9] == null) {
            data[9] = source[9];
          }
          data[0] = source[0];
          data[1] = newBitmask;
          return data;
        }
        function nativeKeysIn2(object) {
          var result2 = [];
          if (object != null) {
            for (var key in Object2(object)) {
              result2.push(key);
            }
          }
          return result2;
        }
        function objectToString2(value) {
          return nativeObjectToString3.call(value);
        }
        function overRest2(func, start, transform2) {
          start = nativeMax2(start === undefined2 ? func.length - 1 : start, 0);
          return function() {
            var args = arguments, index = -1, length = nativeMax2(args.length - start, 0), array = Array2(length);
            while (++index < length) {
              array[index] = args[start + index];
            }
            index = -1;
            var otherArgs = Array2(start + 1);
            while (++index < start) {
              otherArgs[index] = args[index];
            }
            otherArgs[start] = transform2(array);
            return apply2(func, this, otherArgs);
          };
        }
        function parent(object, path17) {
          return path17.length < 2 ? object : baseGet(object, baseSlice2(path17, 0, -1));
        }
        function reorder(array, indexes) {
          var arrLength = array.length, length = nativeMin(indexes.length, arrLength), oldArray = copyArray2(array);
          while (length--) {
            var index = indexes[length];
            array[length] = isIndex2(index, arrLength) ? oldArray[index] : undefined2;
          }
          return array;
        }
        function safeGet2(object, key) {
          if (key === "constructor" && typeof object[key] === "function") {
            return;
          }
          if (key == "__proto__") {
            return;
          }
          return object[key];
        }
        var setData = shortOut2(baseSetData);
        var setTimeout2 = ctxSetTimeout || function(func, wait) {
          return root2.setTimeout(func, wait);
        };
        var setToString2 = shortOut2(baseSetToString2);
        function setWrapToString(wrapper, reference, bitmask) {
          var source = reference + "";
          return setToString2(wrapper, insertWrapDetails(source, updateWrapDetails(getWrapDetails(source), bitmask)));
        }
        function shortOut2(func) {
          var count = 0, lastCalled = 0;
          return function() {
            var stamp = nativeNow2(), remaining = HOT_SPAN2 - (stamp - lastCalled);
            lastCalled = stamp;
            if (remaining > 0) {
              if (++count >= HOT_COUNT2) {
                return arguments[0];
              }
            } else {
              count = 0;
            }
            return func.apply(undefined2, arguments);
          };
        }
        function shuffleSelf(array, size2) {
          var index = -1, length = array.length, lastIndex = length - 1;
          size2 = size2 === undefined2 ? length : size2;
          while (++index < size2) {
            var rand = baseRandom(index, lastIndex), value = array[rand];
            array[rand] = array[index];
            array[index] = value;
          }
          array.length = size2;
          return array;
        }
        var stringToPath = memoizeCapped(function(string) {
          var result2 = [];
          if (string.charCodeAt(0) === 46) {
            result2.push("");
          }
          string.replace(rePropName, function(match, number, quote, subString) {
            result2.push(quote ? subString.replace(reEscapeChar, "$1") : number || match);
          });
          return result2;
        });
        function toKey(value) {
          if (typeof value == "string" || isSymbol2(value)) {
            return value;
          }
          var result2 = value + "";
          return result2 == "0" && 1 / value == -INFINITY2 ? "-0" : result2;
        }
        function toSource2(func) {
          if (func != null) {
            try {
              return funcToString4.call(func);
            } catch (e) {
            }
            try {
              return func + "";
            } catch (e) {
            }
          }
          return "";
        }
        function updateWrapDetails(details, bitmask) {
          arrayEach(wrapFlags, function(pair) {
            var value = "_." + pair[0];
            if (bitmask & pair[1] && !arrayIncludes(details, value)) {
              details.push(value);
            }
          });
          return details.sort();
        }
        function wrapperClone(wrapper) {
          if (wrapper instanceof LazyWrapper) {
            return wrapper.clone();
          }
          var result2 = new LodashWrapper(wrapper.__wrapped__, wrapper.__chain__);
          result2.__actions__ = copyArray2(wrapper.__actions__);
          result2.__index__ = wrapper.__index__;
          result2.__values__ = wrapper.__values__;
          return result2;
        }
        function chunk(array, size2, guard) {
          if (guard ? isIterateeCall2(array, size2, guard) : size2 === undefined2) {
            size2 = 1;
          } else {
            size2 = nativeMax2(toInteger(size2), 0);
          }
          var length = array == null ? 0 : array.length;
          if (!length || size2 < 1) {
            return [];
          }
          var index = 0, resIndex = 0, result2 = Array2(nativeCeil(length / size2));
          while (index < length) {
            result2[resIndex++] = baseSlice2(array, index, index += size2);
          }
          return result2;
        }
        function compact(array) {
          var index = -1, length = array == null ? 0 : array.length, resIndex = 0, result2 = [];
          while (++index < length) {
            var value = array[index];
            if (value) {
              result2[resIndex++] = value;
            }
          }
          return result2;
        }
        function concat() {
          var length = arguments.length;
          if (!length) {
            return [];
          }
          var args = Array2(length - 1), array = arguments[0], index = length;
          while (index--) {
            args[index - 1] = arguments[index];
          }
          return arrayPush(isArray3(array) ? copyArray2(array) : [array], baseFlatten(args, 1));
        }
        var difference = baseRest2(function(array, values2) {
          return isArrayLikeObject2(array) ? baseDifference(array, baseFlatten(values2, 1, isArrayLikeObject2, true)) : [];
        });
        var differenceBy = baseRest2(function(array, values2) {
          var iteratee2 = last(values2);
          if (isArrayLikeObject2(iteratee2)) {
            iteratee2 = undefined2;
          }
          return isArrayLikeObject2(array) ? baseDifference(array, baseFlatten(values2, 1, isArrayLikeObject2, true), getIteratee(iteratee2, 2)) : [];
        });
        var differenceWith = baseRest2(function(array, values2) {
          var comparator = last(values2);
          if (isArrayLikeObject2(comparator)) {
            comparator = undefined2;
          }
          return isArrayLikeObject2(array) ? baseDifference(array, baseFlatten(values2, 1, isArrayLikeObject2, true), undefined2, comparator) : [];
        });
        function drop(array, n, guard) {
          var length = array == null ? 0 : array.length;
          if (!length) {
            return [];
          }
          n = guard || n === undefined2 ? 1 : toInteger(n);
          return baseSlice2(array, n < 0 ? 0 : n, length);
        }
        function dropRight(array, n, guard) {
          var length = array == null ? 0 : array.length;
          if (!length) {
            return [];
          }
          n = guard || n === undefined2 ? 1 : toInteger(n);
          n = length - n;
          return baseSlice2(array, 0, n < 0 ? 0 : n);
        }
        function dropRightWhile(array, predicate) {
          return array && array.length ? baseWhile(array, getIteratee(predicate, 3), true, true) : [];
        }
        function dropWhile(array, predicate) {
          return array && array.length ? baseWhile(array, getIteratee(predicate, 3), true) : [];
        }
        function fill(array, value, start, end) {
          var length = array == null ? 0 : array.length;
          if (!length) {
            return [];
          }
          if (start && typeof start != "number" && isIterateeCall2(array, value, start)) {
            start = 0;
            end = length;
          }
          return baseFill(array, value, start, end);
        }
        function findIndex(array, predicate, fromIndex) {
          var length = array == null ? 0 : array.length;
          if (!length) {
            return -1;
          }
          var index = fromIndex == null ? 0 : toInteger(fromIndex);
          if (index < 0) {
            index = nativeMax2(length + index, 0);
          }
          return baseFindIndex(array, getIteratee(predicate, 3), index);
        }
        function findLastIndex(array, predicate, fromIndex) {
          var length = array == null ? 0 : array.length;
          if (!length) {
            return -1;
          }
          var index = length - 1;
          if (fromIndex !== undefined2) {
            index = toInteger(fromIndex);
            index = fromIndex < 0 ? nativeMax2(length + index, 0) : nativeMin(index, length - 1);
          }
          return baseFindIndex(array, getIteratee(predicate, 3), index, true);
        }
        function flatten(array) {
          var length = array == null ? 0 : array.length;
          return length ? baseFlatten(array, 1) : [];
        }
        function flattenDeep(array) {
          var length = array == null ? 0 : array.length;
          return length ? baseFlatten(array, INFINITY2) : [];
        }
        function flattenDepth(array, depth2) {
          var length = array == null ? 0 : array.length;
          if (!length) {
            return [];
          }
          depth2 = depth2 === undefined2 ? 1 : toInteger(depth2);
          return baseFlatten(array, depth2);
        }
        function fromPairs(pairs) {
          var index = -1, length = pairs == null ? 0 : pairs.length, result2 = {};
          while (++index < length) {
            var pair = pairs[index];
            result2[pair[0]] = pair[1];
          }
          return result2;
        }
        function head(array) {
          return array && array.length ? array[0] : undefined2;
        }
        function indexOf(array, value, fromIndex) {
          var length = array == null ? 0 : array.length;
          if (!length) {
            return -1;
          }
          var index = fromIndex == null ? 0 : toInteger(fromIndex);
          if (index < 0) {
            index = nativeMax2(length + index, 0);
          }
          return baseIndexOf(array, value, index);
        }
        function initial(array) {
          var length = array == null ? 0 : array.length;
          return length ? baseSlice2(array, 0, -1) : [];
        }
        var intersection = baseRest2(function(arrays) {
          var mapped = arrayMap2(arrays, castArrayLikeObject);
          return mapped.length && mapped[0] === arrays[0] ? baseIntersection(mapped) : [];
        });
        var intersectionBy = baseRest2(function(arrays) {
          var iteratee2 = last(arrays), mapped = arrayMap2(arrays, castArrayLikeObject);
          if (iteratee2 === last(mapped)) {
            iteratee2 = undefined2;
          } else {
            mapped.pop();
          }
          return mapped.length && mapped[0] === arrays[0] ? baseIntersection(mapped, getIteratee(iteratee2, 2)) : [];
        });
        var intersectionWith = baseRest2(function(arrays) {
          var comparator = last(arrays), mapped = arrayMap2(arrays, castArrayLikeObject);
          comparator = typeof comparator == "function" ? comparator : undefined2;
          if (comparator) {
            mapped.pop();
          }
          return mapped.length && mapped[0] === arrays[0] ? baseIntersection(mapped, undefined2, comparator) : [];
        });
        function join3(array, separator) {
          return array == null ? "" : nativeJoin.call(array, separator);
        }
        function last(array) {
          var length = array == null ? 0 : array.length;
          return length ? array[length - 1] : undefined2;
        }
        function lastIndexOf(array, value, fromIndex) {
          var length = array == null ? 0 : array.length;
          if (!length) {
            return -1;
          }
          var index = length;
          if (fromIndex !== undefined2) {
            index = toInteger(fromIndex);
            index = index < 0 ? nativeMax2(length + index, 0) : nativeMin(index, length - 1);
          }
          return value === value ? strictLastIndexOf(array, value, index) : baseFindIndex(array, baseIsNaN, index, true);
        }
        function nth(array, n) {
          return array && array.length ? baseNth(array, toInteger(n)) : undefined2;
        }
        var pull = baseRest2(pullAll);
        function pullAll(array, values2) {
          return array && array.length && values2 && values2.length ? basePullAll(array, values2) : array;
        }
        function pullAllBy(array, values2, iteratee2) {
          return array && array.length && values2 && values2.length ? basePullAll(array, values2, getIteratee(iteratee2, 2)) : array;
        }
        function pullAllWith(array, values2, comparator) {
          return array && array.length && values2 && values2.length ? basePullAll(array, values2, undefined2, comparator) : array;
        }
        var pullAt = flatRest(function(array, indexes) {
          var length = array == null ? 0 : array.length, result2 = baseAt(array, indexes);
          basePullAt(array, arrayMap2(indexes, function(index) {
            return isIndex2(index, length) ? +index : index;
          }).sort(compareAscending));
          return result2;
        });
        function remove(array, predicate) {
          var result2 = [];
          if (!(array && array.length)) {
            return result2;
          }
          var index = -1, indexes = [], length = array.length;
          predicate = getIteratee(predicate, 3);
          while (++index < length) {
            var value = array[index];
            if (predicate(value, index, array)) {
              result2.push(value);
              indexes.push(index);
            }
          }
          basePullAt(array, indexes);
          return result2;
        }
        function reverse(array) {
          return array == null ? array : nativeReverse.call(array);
        }
        function slice(array, start, end) {
          var length = array == null ? 0 : array.length;
          if (!length) {
            return [];
          }
          if (end && typeof end != "number" && isIterateeCall2(array, start, end)) {
            start = 0;
            end = length;
          } else {
            start = start == null ? 0 : toInteger(start);
            end = end === undefined2 ? length : toInteger(end);
          }
          return baseSlice2(array, start, end);
        }
        function sortedIndex(array, value) {
          return baseSortedIndex(array, value);
        }
        function sortedIndexBy(array, value, iteratee2) {
          return baseSortedIndexBy(array, value, getIteratee(iteratee2, 2));
        }
        function sortedIndexOf(array, value) {
          var length = array == null ? 0 : array.length;
          if (length) {
            var index = baseSortedIndex(array, value);
            if (index < length && eq2(array[index], value)) {
              return index;
            }
          }
          return -1;
        }
        function sortedLastIndex(array, value) {
          return baseSortedIndex(array, value, true);
        }
        function sortedLastIndexBy(array, value, iteratee2) {
          return baseSortedIndexBy(array, value, getIteratee(iteratee2, 2), true);
        }
        function sortedLastIndexOf(array, value) {
          var length = array == null ? 0 : array.length;
          if (length) {
            var index = baseSortedIndex(array, value, true) - 1;
            if (eq2(array[index], value)) {
              return index;
            }
          }
          return -1;
        }
        function sortedUniq(array) {
          return array && array.length ? baseSortedUniq(array) : [];
        }
        function sortedUniqBy(array, iteratee2) {
          return array && array.length ? baseSortedUniq(array, getIteratee(iteratee2, 2)) : [];
        }
        function tail(array) {
          var length = array == null ? 0 : array.length;
          return length ? baseSlice2(array, 1, length) : [];
        }
        function take(array, n, guard) {
          if (!(array && array.length)) {
            return [];
          }
          n = guard || n === undefined2 ? 1 : toInteger(n);
          return baseSlice2(array, 0, n < 0 ? 0 : n);
        }
        function takeRight(array, n, guard) {
          var length = array == null ? 0 : array.length;
          if (!length) {
            return [];
          }
          n = guard || n === undefined2 ? 1 : toInteger(n);
          n = length - n;
          return baseSlice2(array, n < 0 ? 0 : n, length);
        }
        function takeRightWhile(array, predicate) {
          return array && array.length ? baseWhile(array, getIteratee(predicate, 3), false, true) : [];
        }
        function takeWhile(array, predicate) {
          return array && array.length ? baseWhile(array, getIteratee(predicate, 3)) : [];
        }
        var union = baseRest2(function(arrays) {
          return baseUniq(baseFlatten(arrays, 1, isArrayLikeObject2, true));
        });
        var unionBy = baseRest2(function(arrays) {
          var iteratee2 = last(arrays);
          if (isArrayLikeObject2(iteratee2)) {
            iteratee2 = undefined2;
          }
          return baseUniq(baseFlatten(arrays, 1, isArrayLikeObject2, true), getIteratee(iteratee2, 2));
        });
        var unionWith = baseRest2(function(arrays) {
          var comparator = last(arrays);
          comparator = typeof comparator == "function" ? comparator : undefined2;
          return baseUniq(baseFlatten(arrays, 1, isArrayLikeObject2, true), undefined2, comparator);
        });
        function uniq(array) {
          return array && array.length ? baseUniq(array) : [];
        }
        function uniqBy(array, iteratee2) {
          return array && array.length ? baseUniq(array, getIteratee(iteratee2, 2)) : [];
        }
        function uniqWith(array, comparator) {
          comparator = typeof comparator == "function" ? comparator : undefined2;
          return array && array.length ? baseUniq(array, undefined2, comparator) : [];
        }
        function unzip(array) {
          if (!(array && array.length)) {
            return [];
          }
          var length = 0;
          array = arrayFilter(array, function(group) {
            if (isArrayLikeObject2(group)) {
              length = nativeMax2(group.length, length);
              return true;
            }
          });
          return baseTimes2(length, function(index) {
            return arrayMap2(array, baseProperty(index));
          });
        }
        function unzipWith(array, iteratee2) {
          if (!(array && array.length)) {
            return [];
          }
          var result2 = unzip(array);
          if (iteratee2 == null) {
            return result2;
          }
          return arrayMap2(result2, function(group) {
            return apply2(iteratee2, undefined2, group);
          });
        }
        var without = baseRest2(function(array, values2) {
          return isArrayLikeObject2(array) ? baseDifference(array, values2) : [];
        });
        var xor = baseRest2(function(arrays) {
          return baseXor(arrayFilter(arrays, isArrayLikeObject2));
        });
        var xorBy = baseRest2(function(arrays) {
          var iteratee2 = last(arrays);
          if (isArrayLikeObject2(iteratee2)) {
            iteratee2 = undefined2;
          }
          return baseXor(arrayFilter(arrays, isArrayLikeObject2), getIteratee(iteratee2, 2));
        });
        var xorWith = baseRest2(function(arrays) {
          var comparator = last(arrays);
          comparator = typeof comparator == "function" ? comparator : undefined2;
          return baseXor(arrayFilter(arrays, isArrayLikeObject2), undefined2, comparator);
        });
        var zip = baseRest2(unzip);
        function zipObject(props, values2) {
          return baseZipObject(props || [], values2 || [], assignValue2);
        }
        function zipObjectDeep(props, values2) {
          return baseZipObject(props || [], values2 || [], baseSet);
        }
        var zipWith = baseRest2(function(arrays) {
          var length = arrays.length, iteratee2 = length > 1 ? arrays[length - 1] : undefined2;
          iteratee2 = typeof iteratee2 == "function" ? (arrays.pop(), iteratee2) : undefined2;
          return unzipWith(arrays, iteratee2);
        });
        function chain(value) {
          var result2 = lodash(value);
          result2.__chain__ = true;
          return result2;
        }
        function tap(value, interceptor) {
          interceptor(value);
          return value;
        }
        function thru(value, interceptor) {
          return interceptor(value);
        }
        var wrapperAt = flatRest(function(paths) {
          var length = paths.length, start = length ? paths[0] : 0, value = this.__wrapped__, interceptor = function(object) {
            return baseAt(object, paths);
          };
          if (length > 1 || this.__actions__.length || !(value instanceof LazyWrapper) || !isIndex2(start)) {
            return this.thru(interceptor);
          }
          value = value.slice(start, +start + (length ? 1 : 0));
          value.__actions__.push({
            "func": thru,
            "args": [interceptor],
            "thisArg": undefined2
          });
          return new LodashWrapper(value, this.__chain__).thru(function(array) {
            if (length && !array.length) {
              array.push(undefined2);
            }
            return array;
          });
        });
        function wrapperChain() {
          return chain(this);
        }
        function wrapperCommit() {
          return new LodashWrapper(this.value(), this.__chain__);
        }
        function wrapperNext() {
          if (this.__values__ === undefined2) {
            this.__values__ = toArray(this.value());
          }
          var done = this.__index__ >= this.__values__.length, value = done ? undefined2 : this.__values__[this.__index__++];
          return { "done": done, "value": value };
        }
        function wrapperToIterator() {
          return this;
        }
        function wrapperPlant(value) {
          var result2, parent2 = this;
          while (parent2 instanceof baseLodash) {
            var clone2 = wrapperClone(parent2);
            clone2.__index__ = 0;
            clone2.__values__ = undefined2;
            if (result2) {
              previous.__wrapped__ = clone2;
            } else {
              result2 = clone2;
            }
            var previous = clone2;
            parent2 = parent2.__wrapped__;
          }
          previous.__wrapped__ = value;
          return result2;
        }
        function wrapperReverse() {
          var value = this.__wrapped__;
          if (value instanceof LazyWrapper) {
            var wrapped = value;
            if (this.__actions__.length) {
              wrapped = new LazyWrapper(this);
            }
            wrapped = wrapped.reverse();
            wrapped.__actions__.push({
              "func": thru,
              "args": [reverse],
              "thisArg": undefined2
            });
            return new LodashWrapper(wrapped, this.__chain__);
          }
          return this.thru(reverse);
        }
        function wrapperValue() {
          return baseWrapperValue(this.__wrapped__, this.__actions__);
        }
        var countBy = createAggregator(function(result2, value, key) {
          if (hasOwnProperty10.call(result2, key)) {
            ++result2[key];
          } else {
            baseAssignValue2(result2, key, 1);
          }
        });
        function every(collection, predicate, guard) {
          var func = isArray3(collection) ? arrayEvery : baseEvery;
          if (guard && isIterateeCall2(collection, predicate, guard)) {
            predicate = undefined2;
          }
          return func(collection, getIteratee(predicate, 3));
        }
        function filter(collection, predicate) {
          var func = isArray3(collection) ? arrayFilter : baseFilter;
          return func(collection, getIteratee(predicate, 3));
        }
        var find = createFind(findIndex);
        var findLast = createFind(findLastIndex);
        function flatMap(collection, iteratee2) {
          return baseFlatten(map(collection, iteratee2), 1);
        }
        function flatMapDeep(collection, iteratee2) {
          return baseFlatten(map(collection, iteratee2), INFINITY2);
        }
        function flatMapDepth(collection, iteratee2, depth2) {
          depth2 = depth2 === undefined2 ? 1 : toInteger(depth2);
          return baseFlatten(map(collection, iteratee2), depth2);
        }
        function forEach(collection, iteratee2) {
          var func = isArray3(collection) ? arrayEach : baseEach;
          return func(collection, getIteratee(iteratee2, 3));
        }
        function forEachRight(collection, iteratee2) {
          var func = isArray3(collection) ? arrayEachRight : baseEachRight;
          return func(collection, getIteratee(iteratee2, 3));
        }
        var groupBy = createAggregator(function(result2, value, key) {
          if (hasOwnProperty10.call(result2, key)) {
            result2[key].push(value);
          } else {
            baseAssignValue2(result2, key, [value]);
          }
        });
        function includes(collection, value, fromIndex, guard) {
          collection = isArrayLike2(collection) ? collection : values(collection);
          fromIndex = fromIndex && !guard ? toInteger(fromIndex) : 0;
          var length = collection.length;
          if (fromIndex < 0) {
            fromIndex = nativeMax2(length + fromIndex, 0);
          }
          return isString2(collection) ? fromIndex <= length && collection.indexOf(value, fromIndex) > -1 : !!length && baseIndexOf(collection, value, fromIndex) > -1;
        }
        var invokeMap = baseRest2(function(collection, path17, args) {
          var index = -1, isFunc = typeof path17 == "function", result2 = isArrayLike2(collection) ? Array2(collection.length) : [];
          baseEach(collection, function(value) {
            result2[++index] = isFunc ? apply2(path17, value, args) : baseInvoke(value, path17, args);
          });
          return result2;
        });
        var keyBy = createAggregator(function(result2, value, key) {
          baseAssignValue2(result2, key, value);
        });
        function map(collection, iteratee2) {
          var func = isArray3(collection) ? arrayMap2 : baseMap;
          return func(collection, getIteratee(iteratee2, 3));
        }
        function orderBy(collection, iteratees, orders, guard) {
          if (collection == null) {
            return [];
          }
          if (!isArray3(iteratees)) {
            iteratees = iteratees == null ? [] : [iteratees];
          }
          orders = guard ? undefined2 : orders;
          if (!isArray3(orders)) {
            orders = orders == null ? [] : [orders];
          }
          return baseOrderBy(collection, iteratees, orders);
        }
        var partition = createAggregator(function(result2, value, key) {
          result2[key ? 0 : 1].push(value);
        }, function() {
          return [[], []];
        });
        function reduce(collection, iteratee2, accumulator) {
          var func = isArray3(collection) ? arrayReduce3 : baseReduce, initAccum = arguments.length < 3;
          return func(collection, getIteratee(iteratee2, 4), accumulator, initAccum, baseEach);
        }
        function reduceRight(collection, iteratee2, accumulator) {
          var func = isArray3(collection) ? arrayReduceRight : baseReduce, initAccum = arguments.length < 3;
          return func(collection, getIteratee(iteratee2, 4), accumulator, initAccum, baseEachRight);
        }
        function reject(collection, predicate) {
          var func = isArray3(collection) ? arrayFilter : baseFilter;
          return func(collection, negate2(getIteratee(predicate, 3)));
        }
        function sample(collection) {
          var func = isArray3(collection) ? arraySample : baseSample;
          return func(collection);
        }
        function sampleSize(collection, n, guard) {
          if (guard ? isIterateeCall2(collection, n, guard) : n === undefined2) {
            n = 1;
          } else {
            n = toInteger(n);
          }
          var func = isArray3(collection) ? arraySampleSize : baseSampleSize;
          return func(collection, n);
        }
        function shuffle(collection) {
          var func = isArray3(collection) ? arrayShuffle : baseShuffle;
          return func(collection);
        }
        function size(collection) {
          if (collection == null) {
            return 0;
          }
          if (isArrayLike2(collection)) {
            return isString2(collection) ? stringSize(collection) : collection.length;
          }
          var tag = getTag(collection);
          if (tag == mapTag2 || tag == setTag2) {
            return collection.size;
          }
          return baseKeys(collection).length;
        }
        function some(collection, predicate, guard) {
          var func = isArray3(collection) ? arraySome : baseSome;
          if (guard && isIterateeCall2(collection, predicate, guard)) {
            predicate = undefined2;
          }
          return func(collection, getIteratee(predicate, 3));
        }
        var sortBy = baseRest2(function(collection, iteratees) {
          if (collection == null) {
            return [];
          }
          var length = iteratees.length;
          if (length > 1 && isIterateeCall2(collection, iteratees[0], iteratees[1])) {
            iteratees = [];
          } else if (length > 2 && isIterateeCall2(iteratees[0], iteratees[1], iteratees[2])) {
            iteratees = [iteratees[0]];
          }
          return baseOrderBy(collection, baseFlatten(iteratees, 1), []);
        });
        var now = ctxNow || function() {
          return root2.Date.now();
        };
        function after(n, func) {
          if (typeof func != "function") {
            throw new TypeError2(FUNC_ERROR_TEXT);
          }
          n = toInteger(n);
          return function() {
            if (--n < 1) {
              return func.apply(this, arguments);
            }
          };
        }
        function ary(func, n, guard) {
          n = guard ? undefined2 : n;
          n = func && n == null ? func.length : n;
          return createWrap(func, WRAP_ARY_FLAG, undefined2, undefined2, undefined2, undefined2, n);
        }
        function before(n, func) {
          var result2;
          if (typeof func != "function") {
            throw new TypeError2(FUNC_ERROR_TEXT);
          }
          n = toInteger(n);
          return function() {
            if (--n > 0) {
              result2 = func.apply(this, arguments);
            }
            if (n <= 1) {
              func = undefined2;
            }
            return result2;
          };
        }
        var bind = baseRest2(function(func, thisArg, partials) {
          var bitmask = WRAP_BIND_FLAG;
          if (partials.length) {
            var holders = replaceHolders(partials, getHolder(bind));
            bitmask |= WRAP_PARTIAL_FLAG;
          }
          return createWrap(func, bitmask, thisArg, partials, holders);
        });
        var bindKey = baseRest2(function(object, key, partials) {
          var bitmask = WRAP_BIND_FLAG | WRAP_BIND_KEY_FLAG;
          if (partials.length) {
            var holders = replaceHolders(partials, getHolder(bindKey));
            bitmask |= WRAP_PARTIAL_FLAG;
          }
          return createWrap(key, bitmask, object, partials, holders);
        });
        function curry(func, arity, guard) {
          arity = guard ? undefined2 : arity;
          var result2 = createWrap(func, WRAP_CURRY_FLAG, undefined2, undefined2, undefined2, undefined2, undefined2, arity);
          result2.placeholder = curry.placeholder;
          return result2;
        }
        function curryRight(func, arity, guard) {
          arity = guard ? undefined2 : arity;
          var result2 = createWrap(func, WRAP_CURRY_RIGHT_FLAG, undefined2, undefined2, undefined2, undefined2, undefined2, arity);
          result2.placeholder = curryRight.placeholder;
          return result2;
        }
        function debounce(func, wait, options) {
          var lastArgs, lastThis, maxWait, result2, timerId, lastCallTime, lastInvokeTime = 0, leading = false, maxing = false, trailing = true;
          if (typeof func != "function") {
            throw new TypeError2(FUNC_ERROR_TEXT);
          }
          wait = toNumber(wait) || 0;
          if (isObject2(options)) {
            leading = !!options.leading;
            maxing = "maxWait" in options;
            maxWait = maxing ? nativeMax2(toNumber(options.maxWait) || 0, wait) : maxWait;
            trailing = "trailing" in options ? !!options.trailing : trailing;
          }
          function invokeFunc(time) {
            var args = lastArgs, thisArg = lastThis;
            lastArgs = lastThis = undefined2;
            lastInvokeTime = time;
            result2 = func.apply(thisArg, args);
            return result2;
          }
          function leadingEdge(time) {
            lastInvokeTime = time;
            timerId = setTimeout2(timerExpired, wait);
            return leading ? invokeFunc(time) : result2;
          }
          function remainingWait(time) {
            var timeSinceLastCall = time - lastCallTime, timeSinceLastInvoke = time - lastInvokeTime, timeWaiting = wait - timeSinceLastCall;
            return maxing ? nativeMin(timeWaiting, maxWait - timeSinceLastInvoke) : timeWaiting;
          }
          function shouldInvoke(time) {
            var timeSinceLastCall = time - lastCallTime, timeSinceLastInvoke = time - lastInvokeTime;
            return lastCallTime === undefined2 || timeSinceLastCall >= wait || timeSinceLastCall < 0 || maxing && timeSinceLastInvoke >= maxWait;
          }
          function timerExpired() {
            var time = now();
            if (shouldInvoke(time)) {
              return trailingEdge(time);
            }
            timerId = setTimeout2(timerExpired, remainingWait(time));
          }
          function trailingEdge(time) {
            timerId = undefined2;
            if (trailing && lastArgs) {
              return invokeFunc(time);
            }
            lastArgs = lastThis = undefined2;
            return result2;
          }
          function cancel() {
            if (timerId !== undefined2) {
              clearTimeout2(timerId);
            }
            lastInvokeTime = 0;
            lastArgs = lastCallTime = lastThis = timerId = undefined2;
          }
          function flush() {
            return timerId === undefined2 ? result2 : trailingEdge(now());
          }
          function debounced() {
            var time = now(), isInvoking = shouldInvoke(time);
            lastArgs = arguments;
            lastThis = this;
            lastCallTime = time;
            if (isInvoking) {
              if (timerId === undefined2) {
                return leadingEdge(lastCallTime);
              }
              if (maxing) {
                clearTimeout2(timerId);
                timerId = setTimeout2(timerExpired, wait);
                return invokeFunc(lastCallTime);
              }
            }
            if (timerId === undefined2) {
              timerId = setTimeout2(timerExpired, wait);
            }
            return result2;
          }
          debounced.cancel = cancel;
          debounced.flush = flush;
          return debounced;
        }
        var defer = baseRest2(function(func, args) {
          return baseDelay(func, 1, args);
        });
        var delay = baseRest2(function(func, wait, args) {
          return baseDelay(func, toNumber(wait) || 0, args);
        });
        function flip(func) {
          return createWrap(func, WRAP_FLIP_FLAG);
        }
        function memoize(func, resolver) {
          if (typeof func != "function" || resolver != null && typeof resolver != "function") {
            throw new TypeError2(FUNC_ERROR_TEXT);
          }
          var memoized = function() {
            var args = arguments, key = resolver ? resolver.apply(this, args) : args[0], cache = memoized.cache;
            if (cache.has(key)) {
              return cache.get(key);
            }
            var result2 = func.apply(this, args);
            memoized.cache = cache.set(key, result2) || cache;
            return result2;
          };
          memoized.cache = new (memoize.Cache || MapCache2)();
          return memoized;
        }
        memoize.Cache = MapCache2;
        function negate2(predicate) {
          if (typeof predicate != "function") {
            throw new TypeError2(FUNC_ERROR_TEXT);
          }
          return function() {
            var args = arguments;
            switch (args.length) {
              case 0:
                return !predicate.call(this);
              case 1:
                return !predicate.call(this, args[0]);
              case 2:
                return !predicate.call(this, args[0], args[1]);
              case 3:
                return !predicate.call(this, args[0], args[1], args[2]);
            }
            return !predicate.apply(this, args);
          };
        }
        function once(func) {
          return before(2, func);
        }
        var overArgs = castRest(function(func, transforms) {
          transforms = transforms.length == 1 && isArray3(transforms[0]) ? arrayMap2(transforms[0], baseUnary2(getIteratee())) : arrayMap2(baseFlatten(transforms, 1), baseUnary2(getIteratee()));
          var funcsLength = transforms.length;
          return baseRest2(function(args) {
            var index = -1, length = nativeMin(args.length, funcsLength);
            while (++index < length) {
              args[index] = transforms[index].call(this, args[index]);
            }
            return apply2(func, this, args);
          });
        });
        var partial = baseRest2(function(func, partials) {
          var holders = replaceHolders(partials, getHolder(partial));
          return createWrap(func, WRAP_PARTIAL_FLAG, undefined2, partials, holders);
        });
        var partialRight = baseRest2(function(func, partials) {
          var holders = replaceHolders(partials, getHolder(partialRight));
          return createWrap(func, WRAP_PARTIAL_RIGHT_FLAG, undefined2, partials, holders);
        });
        var rearg = flatRest(function(func, indexes) {
          return createWrap(func, WRAP_REARG_FLAG, undefined2, undefined2, undefined2, indexes);
        });
        function rest(func, start) {
          if (typeof func != "function") {
            throw new TypeError2(FUNC_ERROR_TEXT);
          }
          start = start === undefined2 ? start : toInteger(start);
          return baseRest2(func, start);
        }
        function spread(func, start) {
          if (typeof func != "function") {
            throw new TypeError2(FUNC_ERROR_TEXT);
          }
          start = start == null ? 0 : nativeMax2(toInteger(start), 0);
          return baseRest2(function(args) {
            var array = args[start], otherArgs = castSlice2(args, 0, start);
            if (array) {
              arrayPush(otherArgs, array);
            }
            return apply2(func, this, otherArgs);
          });
        }
        function throttle(func, wait, options) {
          var leading = true, trailing = true;
          if (typeof func != "function") {
            throw new TypeError2(FUNC_ERROR_TEXT);
          }
          if (isObject2(options)) {
            leading = "leading" in options ? !!options.leading : leading;
            trailing = "trailing" in options ? !!options.trailing : trailing;
          }
          return debounce(func, wait, {
            "leading": leading,
            "maxWait": wait,
            "trailing": trailing
          });
        }
        function unary(func) {
          return ary(func, 1);
        }
        function wrap(value, wrapper) {
          return partial(castFunction(wrapper), value);
        }
        function castArray() {
          if (!arguments.length) {
            return [];
          }
          var value = arguments[0];
          return isArray3(value) ? value : [value];
        }
        function clone(value) {
          return baseClone(value, CLONE_SYMBOLS_FLAG);
        }
        function cloneWith(value, customizer) {
          customizer = typeof customizer == "function" ? customizer : undefined2;
          return baseClone(value, CLONE_SYMBOLS_FLAG, customizer);
        }
        function cloneDeep(value) {
          return baseClone(value, CLONE_DEEP_FLAG | CLONE_SYMBOLS_FLAG);
        }
        function cloneDeepWith(value, customizer) {
          customizer = typeof customizer == "function" ? customizer : undefined2;
          return baseClone(value, CLONE_DEEP_FLAG | CLONE_SYMBOLS_FLAG, customizer);
        }
        function conformsTo(object, source) {
          return source == null || baseConformsTo(object, source, keys2(source));
        }
        function eq2(value, other) {
          return value === other || value !== value && other !== other;
        }
        var gt = createRelationalOperation(baseGt);
        var gte = createRelationalOperation(function(value, other) {
          return value >= other;
        });
        var isArguments3 = baseIsArguments2(/* @__PURE__ */ function() {
          return arguments;
        }()) ? baseIsArguments2 : function(value) {
          return isObjectLike2(value) && hasOwnProperty10.call(value, "callee") && !propertyIsEnumerable2.call(value, "callee");
        };
        var isArray3 = Array2.isArray;
        var isArrayBuffer = nodeIsArrayBuffer ? baseUnary2(nodeIsArrayBuffer) : baseIsArrayBuffer;
        function isArrayLike2(value) {
          return value != null && isLength2(value.length) && !isFunction3(value);
        }
        function isArrayLikeObject2(value) {
          return isObjectLike2(value) && isArrayLike2(value);
        }
        function isBoolean(value) {
          return value === true || value === false || isObjectLike2(value) && baseGetTag2(value) == boolTag2;
        }
        var isBuffer2 = nativeIsBuffer2 || stubFalse2;
        var isDate = nodeIsDate ? baseUnary2(nodeIsDate) : baseIsDate;
        function isElement(value) {
          return isObjectLike2(value) && value.nodeType === 1 && !isPlainObject2(value);
        }
        function isEmpty2(value) {
          if (value == null) {
            return true;
          }
          if (isArrayLike2(value) && (isArray3(value) || typeof value == "string" || typeof value.splice == "function" || isBuffer2(value) || isTypedArray2(value) || isArguments3(value))) {
            return !value.length;
          }
          var tag = getTag(value);
          if (tag == mapTag2 || tag == setTag2) {
            return !value.size;
          }
          if (isPrototype2(value)) {
            return !baseKeys(value).length;
          }
          for (var key in value) {
            if (hasOwnProperty10.call(value, key)) {
              return false;
            }
          }
          return true;
        }
        function isEqual(value, other) {
          return baseIsEqual(value, other);
        }
        function isEqualWith(value, other, customizer) {
          customizer = typeof customizer == "function" ? customizer : undefined2;
          var result2 = customizer ? customizer(value, other) : undefined2;
          return result2 === undefined2 ? baseIsEqual(value, other, undefined2, customizer) : !!result2;
        }
        function isError(value) {
          if (!isObjectLike2(value)) {
            return false;
          }
          var tag = baseGetTag2(value);
          return tag == errorTag2 || tag == domExcTag || typeof value.message == "string" && typeof value.name == "string" && !isPlainObject2(value);
        }
        function isFinite2(value) {
          return typeof value == "number" && nativeIsFinite(value);
        }
        function isFunction3(value) {
          if (!isObject2(value)) {
            return false;
          }
          var tag = baseGetTag2(value);
          return tag == funcTag3 || tag == genTag2 || tag == asyncTag2 || tag == proxyTag2;
        }
        function isInteger(value) {
          return typeof value == "number" && value == toInteger(value);
        }
        function isLength2(value) {
          return typeof value == "number" && value > -1 && value % 1 == 0 && value <= MAX_SAFE_INTEGER3;
        }
        function isObject2(value) {
          var type = typeof value;
          return value != null && (type == "object" || type == "function");
        }
        function isObjectLike2(value) {
          return value != null && typeof value == "object";
        }
        var isMap = nodeIsMap ? baseUnary2(nodeIsMap) : baseIsMap;
        function isMatch(object, source) {
          return object === source || baseIsMatch(object, source, getMatchData(source));
        }
        function isMatchWith(object, source, customizer) {
          customizer = typeof customizer == "function" ? customizer : undefined2;
          return baseIsMatch(object, source, getMatchData(source), customizer);
        }
        function isNaN2(value) {
          return isNumber2(value) && value != +value;
        }
        function isNative(value) {
          if (isMaskable(value)) {
            throw new Error2(CORE_ERROR_TEXT);
          }
          return baseIsNative2(value);
        }
        function isNull(value) {
          return value === null;
        }
        function isNil(value) {
          return value == null;
        }
        function isNumber2(value) {
          return typeof value == "number" || isObjectLike2(value) && baseGetTag2(value) == numberTag2;
        }
        function isPlainObject2(value) {
          if (!isObjectLike2(value) || baseGetTag2(value) != objectTag3) {
            return false;
          }
          var proto = getPrototype2(value);
          if (proto === null) {
            return true;
          }
          var Ctor = hasOwnProperty10.call(proto, "constructor") && proto.constructor;
          return typeof Ctor == "function" && Ctor instanceof Ctor && funcToString4.call(Ctor) == objectCtorString2;
        }
        var isRegExp = nodeIsRegExp ? baseUnary2(nodeIsRegExp) : baseIsRegExp;
        function isSafeInteger(value) {
          return isInteger(value) && value >= -MAX_SAFE_INTEGER3 && value <= MAX_SAFE_INTEGER3;
        }
        var isSet2 = nodeIsSet ? baseUnary2(nodeIsSet) : baseIsSet;
        function isString2(value) {
          return typeof value == "string" || !isArray3(value) && isObjectLike2(value) && baseGetTag2(value) == stringTag2;
        }
        function isSymbol2(value) {
          return typeof value == "symbol" || isObjectLike2(value) && baseGetTag2(value) == symbolTag2;
        }
        var isTypedArray2 = nodeIsTypedArray2 ? baseUnary2(nodeIsTypedArray2) : baseIsTypedArray2;
        function isUndefined2(value) {
          return value === undefined2;
        }
        function isWeakMap(value) {
          return isObjectLike2(value) && getTag(value) == weakMapTag2;
        }
        function isWeakSet(value) {
          return isObjectLike2(value) && baseGetTag2(value) == weakSetTag;
        }
        var lt = createRelationalOperation(baseLt);
        var lte = createRelationalOperation(function(value, other) {
          return value <= other;
        });
        function toArray(value) {
          if (!value) {
            return [];
          }
          if (isArrayLike2(value)) {
            return isString2(value) ? stringToArray2(value) : copyArray2(value);
          }
          if (symIterator && value[symIterator]) {
            return iteratorToArray(value[symIterator]());
          }
          var tag = getTag(value), func = tag == mapTag2 ? mapToArray : tag == setTag2 ? setToArray : values;
          return func(value);
        }
        function toFinite(value) {
          if (!value) {
            return value === 0 ? value : 0;
          }
          value = toNumber(value);
          if (value === INFINITY2 || value === -INFINITY2) {
            var sign = value < 0 ? -1 : 1;
            return sign * MAX_INTEGER;
          }
          return value === value ? value : 0;
        }
        function toInteger(value) {
          var result2 = toFinite(value), remainder = result2 % 1;
          return result2 === result2 ? remainder ? result2 - remainder : result2 : 0;
        }
        function toLength(value) {
          return value ? baseClamp(toInteger(value), 0, MAX_ARRAY_LENGTH) : 0;
        }
        function toNumber(value) {
          if (typeof value == "number") {
            return value;
          }
          if (isSymbol2(value)) {
            return NAN;
          }
          if (isObject2(value)) {
            var other = typeof value.valueOf == "function" ? value.valueOf() : value;
            value = isObject2(other) ? other + "" : other;
          }
          if (typeof value != "string") {
            return value === 0 ? value : +value;
          }
          value = baseTrim(value);
          var isBinary = reIsBinary.test(value);
          return isBinary || reIsOctal.test(value) ? freeParseInt(value.slice(2), isBinary ? 2 : 8) : reIsBadHex.test(value) ? NAN : +value;
        }
        function toPlainObject2(value) {
          return copyObject2(value, keysIn2(value));
        }
        function toSafeInteger(value) {
          return value ? baseClamp(toInteger(value), -MAX_SAFE_INTEGER3, MAX_SAFE_INTEGER3) : value === 0 ? value : 0;
        }
        function toString2(value) {
          return value == null ? "" : baseToString2(value);
        }
        var assign = createAssigner2(function(object, source) {
          if (isPrototype2(source) || isArrayLike2(source)) {
            copyObject2(source, keys2(source), object);
            return;
          }
          for (var key in source) {
            if (hasOwnProperty10.call(source, key)) {
              assignValue2(object, key, source[key]);
            }
          }
        });
        var assignIn = createAssigner2(function(object, source) {
          copyObject2(source, keysIn2(source), object);
        });
        var assignInWith = createAssigner2(function(object, source, srcIndex, customizer) {
          copyObject2(source, keysIn2(source), object, customizer);
        });
        var assignWith = createAssigner2(function(object, source, srcIndex, customizer) {
          copyObject2(source, keys2(source), object, customizer);
        });
        var at = flatRest(baseAt);
        function create119(prototype, properties) {
          var result2 = baseCreate2(prototype);
          return properties == null ? result2 : baseAssign(result2, properties);
        }
        var defaults = baseRest2(function(object, sources) {
          object = Object2(object);
          var index = -1;
          var length = sources.length;
          var guard = length > 2 ? sources[2] : undefined2;
          if (guard && isIterateeCall2(sources[0], sources[1], guard)) {
            length = 1;
          }
          while (++index < length) {
            var source = sources[index];
            var props = keysIn2(source);
            var propsIndex = -1;
            var propsLength = props.length;
            while (++propsIndex < propsLength) {
              var key = props[propsIndex];
              var value = object[key];
              if (value === undefined2 || eq2(value, objectProto12[key]) && !hasOwnProperty10.call(object, key)) {
                object[key] = source[key];
              }
            }
          }
          return object;
        });
        var defaultsDeep2 = baseRest2(function(args) {
          args.push(undefined2, customDefaultsMerge2);
          return apply2(mergeWith2, undefined2, args);
        });
        function findKey(object, predicate) {
          return baseFindKey(object, getIteratee(predicate, 3), baseForOwn);
        }
        function findLastKey(object, predicate) {
          return baseFindKey(object, getIteratee(predicate, 3), baseForOwnRight);
        }
        function forIn(object, iteratee2) {
          return object == null ? object : baseFor2(object, getIteratee(iteratee2, 3), keysIn2);
        }
        function forInRight(object, iteratee2) {
          return object == null ? object : baseForRight(object, getIteratee(iteratee2, 3), keysIn2);
        }
        function forOwn(object, iteratee2) {
          return object && baseForOwn(object, getIteratee(iteratee2, 3));
        }
        function forOwnRight(object, iteratee2) {
          return object && baseForOwnRight(object, getIteratee(iteratee2, 3));
        }
        function functions(object) {
          return object == null ? [] : baseFunctions(object, keys2(object));
        }
        function functionsIn(object) {
          return object == null ? [] : baseFunctions(object, keysIn2(object));
        }
        function get(object, path17, defaultValue) {
          var result2 = object == null ? undefined2 : baseGet(object, path17);
          return result2 === undefined2 ? defaultValue : result2;
        }
        function has2(object, path17) {
          return object != null && hasPath(object, path17, baseHas);
        }
        function hasIn(object, path17) {
          return object != null && hasPath(object, path17, baseHasIn);
        }
        var invert = createInverter(function(result2, value, key) {
          if (value != null && typeof value.toString != "function") {
            value = nativeObjectToString3.call(value);
          }
          result2[value] = key;
        }, constant2(identity2));
        var invertBy = createInverter(function(result2, value, key) {
          if (value != null && typeof value.toString != "function") {
            value = nativeObjectToString3.call(value);
          }
          if (hasOwnProperty10.call(result2, value)) {
            result2[value].push(key);
          } else {
            result2[value] = [key];
          }
        }, getIteratee);
        var invoke = baseRest2(baseInvoke);
        function keys2(object) {
          return isArrayLike2(object) ? arrayLikeKeys2(object) : baseKeys(object);
        }
        function keysIn2(object) {
          return isArrayLike2(object) ? arrayLikeKeys2(object, true) : baseKeysIn2(object);
        }
        function mapKeys(object, iteratee2) {
          var result2 = {};
          iteratee2 = getIteratee(iteratee2, 3);
          baseForOwn(object, function(value, key, object2) {
            baseAssignValue2(result2, iteratee2(value, key, object2), value);
          });
          return result2;
        }
        function mapValues(object, iteratee2) {
          var result2 = {};
          iteratee2 = getIteratee(iteratee2, 3);
          baseForOwn(object, function(value, key, object2) {
            baseAssignValue2(result2, key, iteratee2(value, key, object2));
          });
          return result2;
        }
        var merge3 = createAssigner2(function(object, source, srcIndex) {
          baseMerge2(object, source, srcIndex);
        });
        var mergeWith2 = createAssigner2(function(object, source, srcIndex, customizer) {
          baseMerge2(object, source, srcIndex, customizer);
        });
        var omit = flatRest(function(object, paths) {
          var result2 = {};
          if (object == null) {
            return result2;
          }
          var isDeep = false;
          paths = arrayMap2(paths, function(path17) {
            path17 = castPath(path17, object);
            isDeep || (isDeep = path17.length > 1);
            return path17;
          });
          copyObject2(object, getAllKeysIn(object), result2);
          if (isDeep) {
            result2 = baseClone(result2, CLONE_DEEP_FLAG | CLONE_FLAT_FLAG | CLONE_SYMBOLS_FLAG, customOmitClone);
          }
          var length = paths.length;
          while (length--) {
            baseUnset(result2, paths[length]);
          }
          return result2;
        });
        function omitBy(object, predicate) {
          return pickBy(object, negate2(getIteratee(predicate)));
        }
        var pick = flatRest(function(object, paths) {
          return object == null ? {} : basePick(object, paths);
        });
        function pickBy(object, predicate) {
          if (object == null) {
            return {};
          }
          var props = arrayMap2(getAllKeysIn(object), function(prop) {
            return [prop];
          });
          predicate = getIteratee(predicate);
          return basePickBy(object, props, function(value, path17) {
            return predicate(value, path17[0]);
          });
        }
        function result(object, path17, defaultValue) {
          path17 = castPath(path17, object);
          var index = -1, length = path17.length;
          if (!length) {
            length = 1;
            object = undefined2;
          }
          while (++index < length) {
            var value = object == null ? undefined2 : object[toKey(path17[index])];
            if (value === undefined2) {
              index = length;
              value = defaultValue;
            }
            object = isFunction3(value) ? value.call(object) : value;
          }
          return object;
        }
        function set(object, path17, value) {
          return object == null ? object : baseSet(object, path17, value);
        }
        function setWith(object, path17, value, customizer) {
          customizer = typeof customizer == "function" ? customizer : undefined2;
          return object == null ? object : baseSet(object, path17, value, customizer);
        }
        var toPairs = createToPairs(keys2);
        var toPairsIn = createToPairs(keysIn2);
        function transform(object, iteratee2, accumulator) {
          var isArr = isArray3(object), isArrLike = isArr || isBuffer2(object) || isTypedArray2(object);
          iteratee2 = getIteratee(iteratee2, 4);
          if (accumulator == null) {
            var Ctor = object && object.constructor;
            if (isArrLike) {
              accumulator = isArr ? new Ctor() : [];
            } else if (isObject2(object)) {
              accumulator = isFunction3(Ctor) ? baseCreate2(getPrototype2(object)) : {};
            } else {
              accumulator = {};
            }
          }
          (isArrLike ? arrayEach : baseForOwn)(object, function(value, index, object2) {
            return iteratee2(accumulator, value, index, object2);
          });
          return accumulator;
        }
        function unset(object, path17) {
          return object == null ? true : baseUnset(object, path17);
        }
        function update(object, path17, updater) {
          return object == null ? object : baseUpdate(object, path17, castFunction(updater));
        }
        function updateWith(object, path17, updater, customizer) {
          customizer = typeof customizer == "function" ? customizer : undefined2;
          return object == null ? object : baseUpdate(object, path17, castFunction(updater), customizer);
        }
        function values(object) {
          return object == null ? [] : baseValues(object, keys2(object));
        }
        function valuesIn(object) {
          return object == null ? [] : baseValues(object, keysIn2(object));
        }
        function clamp(number, lower, upper) {
          if (upper === undefined2) {
            upper = lower;
            lower = undefined2;
          }
          if (upper !== undefined2) {
            upper = toNumber(upper);
            upper = upper === upper ? upper : 0;
          }
          if (lower !== undefined2) {
            lower = toNumber(lower);
            lower = lower === lower ? lower : 0;
          }
          return baseClamp(toNumber(number), lower, upper);
        }
        function inRange(number, start, end) {
          start = toFinite(start);
          if (end === undefined2) {
            end = start;
            start = 0;
          } else {
            end = toFinite(end);
          }
          number = toNumber(number);
          return baseInRange(number, start, end);
        }
        function random(lower, upper, floating) {
          if (floating && typeof floating != "boolean" && isIterateeCall2(lower, upper, floating)) {
            upper = floating = undefined2;
          }
          if (floating === undefined2) {
            if (typeof upper == "boolean") {
              floating = upper;
              upper = undefined2;
            } else if (typeof lower == "boolean") {
              floating = lower;
              lower = undefined2;
            }
          }
          if (lower === undefined2 && upper === undefined2) {
            lower = 0;
            upper = 1;
          } else {
            lower = toFinite(lower);
            if (upper === undefined2) {
              upper = lower;
              lower = 0;
            } else {
              upper = toFinite(upper);
            }
          }
          if (lower > upper) {
            var temp = lower;
            lower = upper;
            upper = temp;
          }
          if (floating || lower % 1 || upper % 1) {
            var rand = nativeRandom();
            return nativeMin(lower + rand * (upper - lower + freeParseFloat("1e-" + ((rand + "").length - 1))), upper);
          }
          return baseRandom(lower, upper);
        }
        var camelCase2 = createCompounder2(function(result2, word, index) {
          word = word.toLowerCase();
          return result2 + (index ? capitalize2(word) : word);
        });
        function capitalize2(string) {
          return upperFirst2(toString2(string).toLowerCase());
        }
        function deburr2(string) {
          string = toString2(string);
          return string && string.replace(reLatin2, deburrLetter2).replace(reComboMark2, "");
        }
        function endsWith(string, target, position) {
          string = toString2(string);
          target = baseToString2(target);
          var length = string.length;
          position = position === undefined2 ? length : baseClamp(toInteger(position), 0, length);
          var end = position;
          position -= target.length;
          return position >= 0 && string.slice(position, end) == target;
        }
        function escape2(string) {
          string = toString2(string);
          return string && reHasUnescapedHtml.test(string) ? string.replace(reUnescapedHtml, escapeHtmlChar) : string;
        }
        function escapeRegExp(string) {
          string = toString2(string);
          return string && reHasRegExpChar.test(string) ? string.replace(reRegExpChar2, "\\$&") : string;
        }
        var kebabCase2 = createCompounder2(function(result2, word, index) {
          return result2 + (index ? "-" : "") + word.toLowerCase();
        });
        var lowerCase = createCompounder2(function(result2, word, index) {
          return result2 + (index ? " " : "") + word.toLowerCase();
        });
        var lowerFirst2 = createCaseFirst2("toLowerCase");
        function pad(string, length, chars) {
          string = toString2(string);
          length = toInteger(length);
          var strLength = length ? stringSize(string) : 0;
          if (!length || strLength >= length) {
            return string;
          }
          var mid = (length - strLength) / 2;
          return createPadding(nativeFloor(mid), chars) + string + createPadding(nativeCeil(mid), chars);
        }
        function padEnd(string, length, chars) {
          string = toString2(string);
          length = toInteger(length);
          var strLength = length ? stringSize(string) : 0;
          return length && strLength < length ? string + createPadding(length - strLength, chars) : string;
        }
        function padStart(string, length, chars) {
          string = toString2(string);
          length = toInteger(length);
          var strLength = length ? stringSize(string) : 0;
          return length && strLength < length ? createPadding(length - strLength, chars) + string : string;
        }
        function parseInt2(string, radix, guard) {
          if (guard || radix == null) {
            radix = 0;
          } else if (radix) {
            radix = +radix;
          }
          return nativeParseInt(toString2(string).replace(reTrimStart, ""), radix || 0);
        }
        function repeat(string, n, guard) {
          if (guard ? isIterateeCall2(string, n, guard) : n === undefined2) {
            n = 1;
          } else {
            n = toInteger(n);
          }
          return baseRepeat(toString2(string), n);
        }
        function replace() {
          var args = arguments, string = toString2(args[0]);
          return args.length < 3 ? string : string.replace(args[1], args[2]);
        }
        var snakeCase2 = createCompounder2(function(result2, word, index) {
          return result2 + (index ? "_" : "") + word.toLowerCase();
        });
        function split(string, separator, limit) {
          if (limit && typeof limit != "number" && isIterateeCall2(string, separator, limit)) {
            separator = limit = undefined2;
          }
          limit = limit === undefined2 ? MAX_ARRAY_LENGTH : limit >>> 0;
          if (!limit) {
            return [];
          }
          string = toString2(string);
          if (string && (typeof separator == "string" || separator != null && !isRegExp(separator))) {
            separator = baseToString2(separator);
            if (!separator && hasUnicode2(string)) {
              return castSlice2(stringToArray2(string), 0, limit);
            }
          }
          return string.split(separator, limit);
        }
        var startCase = createCompounder2(function(result2, word, index) {
          return result2 + (index ? " " : "") + upperFirst2(word);
        });
        function startsWith2(string, target, position) {
          string = toString2(string);
          position = position == null ? 0 : baseClamp(toInteger(position), 0, string.length);
          target = baseToString2(target);
          return string.slice(position, position + target.length) == target;
        }
        function template(string, options, guard) {
          var settings = lodash.templateSettings;
          if (guard && isIterateeCall2(string, options, guard)) {
            options = undefined2;
          }
          string = toString2(string);
          options = assignInWith({}, options, settings, customDefaultsAssignIn);
          var imports = assignInWith({}, options.imports, settings.imports, customDefaultsAssignIn), importsKeys = keys2(imports), importsValues = baseValues(imports, importsKeys);
          var isEscaping, isEvaluating, index = 0, interpolate = options.interpolate || reNoMatch, source = "__p += '";
          var reDelimiters = RegExp2(
            (options.escape || reNoMatch).source + "|" + interpolate.source + "|" + (interpolate === reInterpolate ? reEsTemplate : reNoMatch).source + "|" + (options.evaluate || reNoMatch).source + "|$",
            "g"
          );
          var sourceURL = "//# sourceURL=" + (hasOwnProperty10.call(options, "sourceURL") ? (options.sourceURL + "").replace(/\s/g, " ") : "lodash.templateSources[" + ++templateCounter + "]") + "\n";
          string.replace(reDelimiters, function(match, escapeValue, interpolateValue, esTemplateValue, evaluateValue, offset) {
            interpolateValue || (interpolateValue = esTemplateValue);
            source += string.slice(index, offset).replace(reUnescapedString, escapeStringChar);
            if (escapeValue) {
              isEscaping = true;
              source += "' +\n__e(" + escapeValue + ") +\n'";
            }
            if (evaluateValue) {
              isEvaluating = true;
              source += "';\n" + evaluateValue + ";\n__p += '";
            }
            if (interpolateValue) {
              source += "' +\n((__t = (" + interpolateValue + ")) == null ? '' : __t) +\n'";
            }
            index = offset + match.length;
            return match;
          });
          source += "';\n";
          var variable = hasOwnProperty10.call(options, "variable") && options.variable;
          if (!variable) {
            source = "with (obj) {\n" + source + "\n}\n";
          } else if (reForbiddenIdentifierChars.test(variable)) {
            throw new Error2(INVALID_TEMPL_VAR_ERROR_TEXT);
          }
          source = (isEvaluating ? source.replace(reEmptyStringLeading, "") : source).replace(reEmptyStringMiddle, "$1").replace(reEmptyStringTrailing, "$1;");
          source = "function(" + (variable || "obj") + ") {\n" + (variable ? "" : "obj || (obj = {});\n") + "var __t, __p = ''" + (isEscaping ? ", __e = _.escape" : "") + (isEvaluating ? ", __j = Array.prototype.join;\nfunction print() { __p += __j.call(arguments, '') }\n" : ";\n") + source + "return __p\n}";
          var result2 = attempt(function() {
            return Function2(importsKeys, sourceURL + "return " + source).apply(undefined2, importsValues);
          });
          result2.source = source;
          if (isError(result2)) {
            throw result2;
          }
          return result2;
        }
        function toLower(value) {
          return toString2(value).toLowerCase();
        }
        function toUpper(value) {
          return toString2(value).toUpperCase();
        }
        function trim(string, chars, guard) {
          string = toString2(string);
          if (string && (guard || chars === undefined2)) {
            return baseTrim(string);
          }
          if (!string || !(chars = baseToString2(chars))) {
            return string;
          }
          var strSymbols = stringToArray2(string), chrSymbols = stringToArray2(chars), start = charsStartIndex(strSymbols, chrSymbols), end = charsEndIndex(strSymbols, chrSymbols) + 1;
          return castSlice2(strSymbols, start, end).join("");
        }
        function trimEnd(string, chars, guard) {
          string = toString2(string);
          if (string && (guard || chars === undefined2)) {
            return string.slice(0, trimmedEndIndex(string) + 1);
          }
          if (!string || !(chars = baseToString2(chars))) {
            return string;
          }
          var strSymbols = stringToArray2(string), end = charsEndIndex(strSymbols, stringToArray2(chars)) + 1;
          return castSlice2(strSymbols, 0, end).join("");
        }
        function trimStart(string, chars, guard) {
          string = toString2(string);
          if (string && (guard || chars === undefined2)) {
            return string.replace(reTrimStart, "");
          }
          if (!string || !(chars = baseToString2(chars))) {
            return string;
          }
          var strSymbols = stringToArray2(string), start = charsStartIndex(strSymbols, stringToArray2(chars));
          return castSlice2(strSymbols, start).join("");
        }
        function truncate(string, options) {
          var length = DEFAULT_TRUNC_LENGTH, omission = DEFAULT_TRUNC_OMISSION;
          if (isObject2(options)) {
            var separator = "separator" in options ? options.separator : separator;
            length = "length" in options ? toInteger(options.length) : length;
            omission = "omission" in options ? baseToString2(options.omission) : omission;
          }
          string = toString2(string);
          var strLength = string.length;
          if (hasUnicode2(string)) {
            var strSymbols = stringToArray2(string);
            strLength = strSymbols.length;
          }
          if (length >= strLength) {
            return string;
          }
          var end = length - stringSize(omission);
          if (end < 1) {
            return omission;
          }
          var result2 = strSymbols ? castSlice2(strSymbols, 0, end).join("") : string.slice(0, end);
          if (separator === undefined2) {
            return result2 + omission;
          }
          if (strSymbols) {
            end += result2.length - end;
          }
          if (isRegExp(separator)) {
            if (string.slice(end).search(separator)) {
              var match, substring = result2;
              if (!separator.global) {
                separator = RegExp2(separator.source, toString2(reFlags.exec(separator)) + "g");
              }
              separator.lastIndex = 0;
              while (match = separator.exec(substring)) {
                var newEnd = match.index;
              }
              result2 = result2.slice(0, newEnd === undefined2 ? end : newEnd);
            }
          } else if (string.indexOf(baseToString2(separator), end) != end) {
            var index = result2.lastIndexOf(separator);
            if (index > -1) {
              result2 = result2.slice(0, index);
            }
          }
          return result2 + omission;
        }
        function unescape2(string) {
          string = toString2(string);
          return string && reHasEscapedHtml.test(string) ? string.replace(reEscapedHtml, unescapeHtmlChar) : string;
        }
        var upperCase = createCompounder2(function(result2, word, index) {
          return result2 + (index ? " " : "") + word.toUpperCase();
        });
        var upperFirst2 = createCaseFirst2("toUpperCase");
        function words2(string, pattern, guard) {
          string = toString2(string);
          pattern = guard ? undefined2 : pattern;
          if (pattern === undefined2) {
            return hasUnicodeWord2(string) ? unicodeWords2(string) : asciiWords2(string);
          }
          return string.match(pattern) || [];
        }
        var attempt = baseRest2(function(func, args) {
          try {
            return apply2(func, undefined2, args);
          } catch (e) {
            return isError(e) ? e : new Error2(e);
          }
        });
        var bindAll = flatRest(function(object, methodNames) {
          arrayEach(methodNames, function(key) {
            key = toKey(key);
            baseAssignValue2(object, key, bind(object[key], object));
          });
          return object;
        });
        function cond(pairs) {
          var length = pairs == null ? 0 : pairs.length, toIteratee = getIteratee();
          pairs = !length ? [] : arrayMap2(pairs, function(pair) {
            if (typeof pair[1] != "function") {
              throw new TypeError2(FUNC_ERROR_TEXT);
            }
            return [toIteratee(pair[0]), pair[1]];
          });
          return baseRest2(function(args) {
            var index = -1;
            while (++index < length) {
              var pair = pairs[index];
              if (apply2(pair[0], this, args)) {
                return apply2(pair[1], this, args);
              }
            }
          });
        }
        function conforms(source) {
          return baseConforms(baseClone(source, CLONE_DEEP_FLAG));
        }
        function constant2(value) {
          return function() {
            return value;
          };
        }
        function defaultTo(value, defaultValue) {
          return value == null || value !== value ? defaultValue : value;
        }
        var flow = createFlow();
        var flowRight = createFlow(true);
        function identity2(value) {
          return value;
        }
        function iteratee(func) {
          return baseIteratee(typeof func == "function" ? func : baseClone(func, CLONE_DEEP_FLAG));
        }
        function matches(source) {
          return baseMatches(baseClone(source, CLONE_DEEP_FLAG));
        }
        function matchesProperty(path17, srcValue) {
          return baseMatchesProperty(path17, baseClone(srcValue, CLONE_DEEP_FLAG));
        }
        var method = baseRest2(function(path17, args) {
          return function(object) {
            return baseInvoke(object, path17, args);
          };
        });
        var methodOf = baseRest2(function(object, args) {
          return function(path17) {
            return baseInvoke(object, path17, args);
          };
        });
        function mixin(object, source, options) {
          var props = keys2(source), methodNames = baseFunctions(source, props);
          if (options == null && !(isObject2(source) && (methodNames.length || !props.length))) {
            options = source;
            source = object;
            object = this;
            methodNames = baseFunctions(source, keys2(source));
          }
          var chain2 = !(isObject2(options) && "chain" in options) || !!options.chain, isFunc = isFunction3(object);
          arrayEach(methodNames, function(methodName) {
            var func = source[methodName];
            object[methodName] = func;
            if (isFunc) {
              object.prototype[methodName] = function() {
                var chainAll = this.__chain__;
                if (chain2 || chainAll) {
                  var result2 = object(this.__wrapped__), actions = result2.__actions__ = copyArray2(this.__actions__);
                  actions.push({ "func": func, "args": arguments, "thisArg": object });
                  result2.__chain__ = chainAll;
                  return result2;
                }
                return func.apply(object, arrayPush([this.value()], arguments));
              };
            }
          });
          return object;
        }
        function noConflict() {
          if (root2._ === this) {
            root2._ = oldDash;
          }
          return this;
        }
        function noop2() {
        }
        function nthArg(n) {
          n = toInteger(n);
          return baseRest2(function(args) {
            return baseNth(args, n);
          });
        }
        var over = createOver(arrayMap2);
        var overEvery = createOver(arrayEvery);
        var overSome = createOver(arraySome);
        function property(path17) {
          return isKey(path17) ? baseProperty(toKey(path17)) : basePropertyDeep(path17);
        }
        function propertyOf(object) {
          return function(path17) {
            return object == null ? undefined2 : baseGet(object, path17);
          };
        }
        var range = createRange();
        var rangeRight = createRange(true);
        function stubArray() {
          return [];
        }
        function stubFalse2() {
          return false;
        }
        function stubObject() {
          return {};
        }
        function stubString() {
          return "";
        }
        function stubTrue() {
          return true;
        }
        function times(n, iteratee2) {
          n = toInteger(n);
          if (n < 1 || n > MAX_SAFE_INTEGER3) {
            return [];
          }
          var index = MAX_ARRAY_LENGTH, length = nativeMin(n, MAX_ARRAY_LENGTH);
          iteratee2 = getIteratee(iteratee2);
          n -= MAX_ARRAY_LENGTH;
          var result2 = baseTimes2(length, iteratee2);
          while (++index < n) {
            iteratee2(index);
          }
          return result2;
        }
        function toPath3(value) {
          if (isArray3(value)) {
            return arrayMap2(value, toKey);
          }
          return isSymbol2(value) ? [value] : copyArray2(stringToPath(toString2(value)));
        }
        function uniqueId(prefix) {
          var id = ++idCounter;
          return toString2(prefix) + id;
        }
        var add = createMathOperation(function(augend, addend) {
          return augend + addend;
        }, 0);
        var ceil = createRound("ceil");
        var divide = createMathOperation(function(dividend, divisor) {
          return dividend / divisor;
        }, 1);
        var floor = createRound("floor");
        function max(array) {
          return array && array.length ? baseExtremum(array, identity2, baseGt) : undefined2;
        }
        function maxBy(array, iteratee2) {
          return array && array.length ? baseExtremum(array, getIteratee(iteratee2, 2), baseGt) : undefined2;
        }
        function mean(array) {
          return baseMean(array, identity2);
        }
        function meanBy(array, iteratee2) {
          return baseMean(array, getIteratee(iteratee2, 2));
        }
        function min(array) {
          return array && array.length ? baseExtremum(array, identity2, baseLt) : undefined2;
        }
        function minBy(array, iteratee2) {
          return array && array.length ? baseExtremum(array, getIteratee(iteratee2, 2), baseLt) : undefined2;
        }
        var multiply = createMathOperation(function(multiplier, multiplicand) {
          return multiplier * multiplicand;
        }, 1);
        var round = createRound("round");
        var subtract = createMathOperation(function(minuend, subtrahend) {
          return minuend - subtrahend;
        }, 0);
        function sum(array) {
          return array && array.length ? baseSum(array, identity2) : 0;
        }
        function sumBy(array, iteratee2) {
          return array && array.length ? baseSum(array, getIteratee(iteratee2, 2)) : 0;
        }
        lodash.after = after;
        lodash.ary = ary;
        lodash.assign = assign;
        lodash.assignIn = assignIn;
        lodash.assignInWith = assignInWith;
        lodash.assignWith = assignWith;
        lodash.at = at;
        lodash.before = before;
        lodash.bind = bind;
        lodash.bindAll = bindAll;
        lodash.bindKey = bindKey;
        lodash.castArray = castArray;
        lodash.chain = chain;
        lodash.chunk = chunk;
        lodash.compact = compact;
        lodash.concat = concat;
        lodash.cond = cond;
        lodash.conforms = conforms;
        lodash.constant = constant2;
        lodash.countBy = countBy;
        lodash.create = create119;
        lodash.curry = curry;
        lodash.curryRight = curryRight;
        lodash.debounce = debounce;
        lodash.defaults = defaults;
        lodash.defaultsDeep = defaultsDeep2;
        lodash.defer = defer;
        lodash.delay = delay;
        lodash.difference = difference;
        lodash.differenceBy = differenceBy;
        lodash.differenceWith = differenceWith;
        lodash.drop = drop;
        lodash.dropRight = dropRight;
        lodash.dropRightWhile = dropRightWhile;
        lodash.dropWhile = dropWhile;
        lodash.fill = fill;
        lodash.filter = filter;
        lodash.flatMap = flatMap;
        lodash.flatMapDeep = flatMapDeep;
        lodash.flatMapDepth = flatMapDepth;
        lodash.flatten = flatten;
        lodash.flattenDeep = flattenDeep;
        lodash.flattenDepth = flattenDepth;
        lodash.flip = flip;
        lodash.flow = flow;
        lodash.flowRight = flowRight;
        lodash.fromPairs = fromPairs;
        lodash.functions = functions;
        lodash.functionsIn = functionsIn;
        lodash.groupBy = groupBy;
        lodash.initial = initial;
        lodash.intersection = intersection;
        lodash.intersectionBy = intersectionBy;
        lodash.intersectionWith = intersectionWith;
        lodash.invert = invert;
        lodash.invertBy = invertBy;
        lodash.invokeMap = invokeMap;
        lodash.iteratee = iteratee;
        lodash.keyBy = keyBy;
        lodash.keys = keys2;
        lodash.keysIn = keysIn2;
        lodash.map = map;
        lodash.mapKeys = mapKeys;
        lodash.mapValues = mapValues;
        lodash.matches = matches;
        lodash.matchesProperty = matchesProperty;
        lodash.memoize = memoize;
        lodash.merge = merge3;
        lodash.mergeWith = mergeWith2;
        lodash.method = method;
        lodash.methodOf = methodOf;
        lodash.mixin = mixin;
        lodash.negate = negate2;
        lodash.nthArg = nthArg;
        lodash.omit = omit;
        lodash.omitBy = omitBy;
        lodash.once = once;
        lodash.orderBy = orderBy;
        lodash.over = over;
        lodash.overArgs = overArgs;
        lodash.overEvery = overEvery;
        lodash.overSome = overSome;
        lodash.partial = partial;
        lodash.partialRight = partialRight;
        lodash.partition = partition;
        lodash.pick = pick;
        lodash.pickBy = pickBy;
        lodash.property = property;
        lodash.propertyOf = propertyOf;
        lodash.pull = pull;
        lodash.pullAll = pullAll;
        lodash.pullAllBy = pullAllBy;
        lodash.pullAllWith = pullAllWith;
        lodash.pullAt = pullAt;
        lodash.range = range;
        lodash.rangeRight = rangeRight;
        lodash.rearg = rearg;
        lodash.reject = reject;
        lodash.remove = remove;
        lodash.rest = rest;
        lodash.reverse = reverse;
        lodash.sampleSize = sampleSize;
        lodash.set = set;
        lodash.setWith = setWith;
        lodash.shuffle = shuffle;
        lodash.slice = slice;
        lodash.sortBy = sortBy;
        lodash.sortedUniq = sortedUniq;
        lodash.sortedUniqBy = sortedUniqBy;
        lodash.split = split;
        lodash.spread = spread;
        lodash.tail = tail;
        lodash.take = take;
        lodash.takeRight = takeRight;
        lodash.takeRightWhile = takeRightWhile;
        lodash.takeWhile = takeWhile;
        lodash.tap = tap;
        lodash.throttle = throttle;
        lodash.thru = thru;
        lodash.toArray = toArray;
        lodash.toPairs = toPairs;
        lodash.toPairsIn = toPairsIn;
        lodash.toPath = toPath3;
        lodash.toPlainObject = toPlainObject2;
        lodash.transform = transform;
        lodash.unary = unary;
        lodash.union = union;
        lodash.unionBy = unionBy;
        lodash.unionWith = unionWith;
        lodash.uniq = uniq;
        lodash.uniqBy = uniqBy;
        lodash.uniqWith = uniqWith;
        lodash.unset = unset;
        lodash.unzip = unzip;
        lodash.unzipWith = unzipWith;
        lodash.update = update;
        lodash.updateWith = updateWith;
        lodash.values = values;
        lodash.valuesIn = valuesIn;
        lodash.without = without;
        lodash.words = words2;
        lodash.wrap = wrap;
        lodash.xor = xor;
        lodash.xorBy = xorBy;
        lodash.xorWith = xorWith;
        lodash.zip = zip;
        lodash.zipObject = zipObject;
        lodash.zipObjectDeep = zipObjectDeep;
        lodash.zipWith = zipWith;
        lodash.entries = toPairs;
        lodash.entriesIn = toPairsIn;
        lodash.extend = assignIn;
        lodash.extendWith = assignInWith;
        mixin(lodash, lodash);
        lodash.add = add;
        lodash.attempt = attempt;
        lodash.camelCase = camelCase2;
        lodash.capitalize = capitalize2;
        lodash.ceil = ceil;
        lodash.clamp = clamp;
        lodash.clone = clone;
        lodash.cloneDeep = cloneDeep;
        lodash.cloneDeepWith = cloneDeepWith;
        lodash.cloneWith = cloneWith;
        lodash.conformsTo = conformsTo;
        lodash.deburr = deburr2;
        lodash.defaultTo = defaultTo;
        lodash.divide = divide;
        lodash.endsWith = endsWith;
        lodash.eq = eq2;
        lodash.escape = escape2;
        lodash.escapeRegExp = escapeRegExp;
        lodash.every = every;
        lodash.find = find;
        lodash.findIndex = findIndex;
        lodash.findKey = findKey;
        lodash.findLast = findLast;
        lodash.findLastIndex = findLastIndex;
        lodash.findLastKey = findLastKey;
        lodash.floor = floor;
        lodash.forEach = forEach;
        lodash.forEachRight = forEachRight;
        lodash.forIn = forIn;
        lodash.forInRight = forInRight;
        lodash.forOwn = forOwn;
        lodash.forOwnRight = forOwnRight;
        lodash.get = get;
        lodash.gt = gt;
        lodash.gte = gte;
        lodash.has = has2;
        lodash.hasIn = hasIn;
        lodash.head = head;
        lodash.identity = identity2;
        lodash.includes = includes;
        lodash.indexOf = indexOf;
        lodash.inRange = inRange;
        lodash.invoke = invoke;
        lodash.isArguments = isArguments3;
        lodash.isArray = isArray3;
        lodash.isArrayBuffer = isArrayBuffer;
        lodash.isArrayLike = isArrayLike2;
        lodash.isArrayLikeObject = isArrayLikeObject2;
        lodash.isBoolean = isBoolean;
        lodash.isBuffer = isBuffer2;
        lodash.isDate = isDate;
        lodash.isElement = isElement;
        lodash.isEmpty = isEmpty2;
        lodash.isEqual = isEqual;
        lodash.isEqualWith = isEqualWith;
        lodash.isError = isError;
        lodash.isFinite = isFinite2;
        lodash.isFunction = isFunction3;
        lodash.isInteger = isInteger;
        lodash.isLength = isLength2;
        lodash.isMap = isMap;
        lodash.isMatch = isMatch;
        lodash.isMatchWith = isMatchWith;
        lodash.isNaN = isNaN2;
        lodash.isNative = isNative;
        lodash.isNil = isNil;
        lodash.isNull = isNull;
        lodash.isNumber = isNumber2;
        lodash.isObject = isObject2;
        lodash.isObjectLike = isObjectLike2;
        lodash.isPlainObject = isPlainObject2;
        lodash.isRegExp = isRegExp;
        lodash.isSafeInteger = isSafeInteger;
        lodash.isSet = isSet2;
        lodash.isString = isString2;
        lodash.isSymbol = isSymbol2;
        lodash.isTypedArray = isTypedArray2;
        lodash.isUndefined = isUndefined2;
        lodash.isWeakMap = isWeakMap;
        lodash.isWeakSet = isWeakSet;
        lodash.join = join3;
        lodash.kebabCase = kebabCase2;
        lodash.last = last;
        lodash.lastIndexOf = lastIndexOf;
        lodash.lowerCase = lowerCase;
        lodash.lowerFirst = lowerFirst2;
        lodash.lt = lt;
        lodash.lte = lte;
        lodash.max = max;
        lodash.maxBy = maxBy;
        lodash.mean = mean;
        lodash.meanBy = meanBy;
        lodash.min = min;
        lodash.minBy = minBy;
        lodash.stubArray = stubArray;
        lodash.stubFalse = stubFalse2;
        lodash.stubObject = stubObject;
        lodash.stubString = stubString;
        lodash.stubTrue = stubTrue;
        lodash.multiply = multiply;
        lodash.nth = nth;
        lodash.noConflict = noConflict;
        lodash.noop = noop2;
        lodash.now = now;
        lodash.pad = pad;
        lodash.padEnd = padEnd;
        lodash.padStart = padStart;
        lodash.parseInt = parseInt2;
        lodash.random = random;
        lodash.reduce = reduce;
        lodash.reduceRight = reduceRight;
        lodash.repeat = repeat;
        lodash.replace = replace;
        lodash.result = result;
        lodash.round = round;
        lodash.runInContext = runInContext2;
        lodash.sample = sample;
        lodash.size = size;
        lodash.snakeCase = snakeCase2;
        lodash.some = some;
        lodash.sortedIndex = sortedIndex;
        lodash.sortedIndexBy = sortedIndexBy;
        lodash.sortedIndexOf = sortedIndexOf;
        lodash.sortedLastIndex = sortedLastIndex;
        lodash.sortedLastIndexBy = sortedLastIndexBy;
        lodash.sortedLastIndexOf = sortedLastIndexOf;
        lodash.startCase = startCase;
        lodash.startsWith = startsWith2;
        lodash.subtract = subtract;
        lodash.sum = sum;
        lodash.sumBy = sumBy;
        lodash.template = template;
        lodash.times = times;
        lodash.toFinite = toFinite;
        lodash.toInteger = toInteger;
        lodash.toLength = toLength;
        lodash.toLower = toLower;
        lodash.toNumber = toNumber;
        lodash.toSafeInteger = toSafeInteger;
        lodash.toString = toString2;
        lodash.toUpper = toUpper;
        lodash.trim = trim;
        lodash.trimEnd = trimEnd;
        lodash.trimStart = trimStart;
        lodash.truncate = truncate;
        lodash.unescape = unescape2;
        lodash.uniqueId = uniqueId;
        lodash.upperCase = upperCase;
        lodash.upperFirst = upperFirst2;
        lodash.each = forEach;
        lodash.eachRight = forEachRight;
        lodash.first = head;
        mixin(lodash, function() {
          var source = {};
          baseForOwn(lodash, function(func, methodName) {
            if (!hasOwnProperty10.call(lodash.prototype, methodName)) {
              source[methodName] = func;
            }
          });
          return source;
        }(), { "chain": false });
        lodash.VERSION = VERSION;
        arrayEach(["bind", "bindKey", "curry", "curryRight", "partial", "partialRight"], function(methodName) {
          lodash[methodName].placeholder = lodash;
        });
        arrayEach(["drop", "take"], function(methodName, index) {
          LazyWrapper.prototype[methodName] = function(n) {
            n = n === undefined2 ? 1 : nativeMax2(toInteger(n), 0);
            var result2 = this.__filtered__ && !index ? new LazyWrapper(this) : this.clone();
            if (result2.__filtered__) {
              result2.__takeCount__ = nativeMin(n, result2.__takeCount__);
            } else {
              result2.__views__.push({
                "size": nativeMin(n, MAX_ARRAY_LENGTH),
                "type": methodName + (result2.__dir__ < 0 ? "Right" : "")
              });
            }
            return result2;
          };
          LazyWrapper.prototype[methodName + "Right"] = function(n) {
            return this.reverse()[methodName](n).reverse();
          };
        });
        arrayEach(["filter", "map", "takeWhile"], function(methodName, index) {
          var type = index + 1, isFilter = type == LAZY_FILTER_FLAG || type == LAZY_WHILE_FLAG;
          LazyWrapper.prototype[methodName] = function(iteratee2) {
            var result2 = this.clone();
            result2.__iteratees__.push({
              "iteratee": getIteratee(iteratee2, 3),
              "type": type
            });
            result2.__filtered__ = result2.__filtered__ || isFilter;
            return result2;
          };
        });
        arrayEach(["head", "last"], function(methodName, index) {
          var takeName = "take" + (index ? "Right" : "");
          LazyWrapper.prototype[methodName] = function() {
            return this[takeName](1).value()[0];
          };
        });
        arrayEach(["initial", "tail"], function(methodName, index) {
          var dropName = "drop" + (index ? "" : "Right");
          LazyWrapper.prototype[methodName] = function() {
            return this.__filtered__ ? new LazyWrapper(this) : this[dropName](1);
          };
        });
        LazyWrapper.prototype.compact = function() {
          return this.filter(identity2);
        };
        LazyWrapper.prototype.find = function(predicate) {
          return this.filter(predicate).head();
        };
        LazyWrapper.prototype.findLast = function(predicate) {
          return this.reverse().find(predicate);
        };
        LazyWrapper.prototype.invokeMap = baseRest2(function(path17, args) {
          if (typeof path17 == "function") {
            return new LazyWrapper(this);
          }
          return this.map(function(value) {
            return baseInvoke(value, path17, args);
          });
        });
        LazyWrapper.prototype.reject = function(predicate) {
          return this.filter(negate2(getIteratee(predicate)));
        };
        LazyWrapper.prototype.slice = function(start, end) {
          start = toInteger(start);
          var result2 = this;
          if (result2.__filtered__ && (start > 0 || end < 0)) {
            return new LazyWrapper(result2);
          }
          if (start < 0) {
            result2 = result2.takeRight(-start);
          } else if (start) {
            result2 = result2.drop(start);
          }
          if (end !== undefined2) {
            end = toInteger(end);
            result2 = end < 0 ? result2.dropRight(-end) : result2.take(end - start);
          }
          return result2;
        };
        LazyWrapper.prototype.takeRightWhile = function(predicate) {
          return this.reverse().takeWhile(predicate).reverse();
        };
        LazyWrapper.prototype.toArray = function() {
          return this.take(MAX_ARRAY_LENGTH);
        };
        baseForOwn(LazyWrapper.prototype, function(func, methodName) {
          var checkIteratee = /^(?:filter|find|map|reject)|While$/.test(methodName), isTaker = /^(?:head|last)$/.test(methodName), lodashFunc = lodash[isTaker ? "take" + (methodName == "last" ? "Right" : "") : methodName], retUnwrapped = isTaker || /^find/.test(methodName);
          if (!lodashFunc) {
            return;
          }
          lodash.prototype[methodName] = function() {
            var value = this.__wrapped__, args = isTaker ? [1] : arguments, isLazy = value instanceof LazyWrapper, iteratee2 = args[0], useLazy = isLazy || isArray3(value);
            var interceptor = function(value2) {
              var result3 = lodashFunc.apply(lodash, arrayPush([value2], args));
              return isTaker && chainAll ? result3[0] : result3;
            };
            if (useLazy && checkIteratee && typeof iteratee2 == "function" && iteratee2.length != 1) {
              isLazy = useLazy = false;
            }
            var chainAll = this.__chain__, isHybrid = !!this.__actions__.length, isUnwrapped = retUnwrapped && !chainAll, onlyLazy = isLazy && !isHybrid;
            if (!retUnwrapped && useLazy) {
              value = onlyLazy ? value : new LazyWrapper(this);
              var result2 = func.apply(value, args);
              result2.__actions__.push({ "func": thru, "args": [interceptor], "thisArg": undefined2 });
              return new LodashWrapper(result2, chainAll);
            }
            if (isUnwrapped && onlyLazy) {
              return func.apply(this, args);
            }
            result2 = this.thru(interceptor);
            return isUnwrapped ? isTaker ? result2.value()[0] : result2.value() : result2;
          };
        });
        arrayEach(["pop", "push", "shift", "sort", "splice", "unshift"], function(methodName) {
          var func = arrayProto2[methodName], chainName = /^(?:push|sort|unshift)$/.test(methodName) ? "tap" : "thru", retUnwrapped = /^(?:pop|shift)$/.test(methodName);
          lodash.prototype[methodName] = function() {
            var args = arguments;
            if (retUnwrapped && !this.__chain__) {
              var value = this.value();
              return func.apply(isArray3(value) ? value : [], args);
            }
            return this[chainName](function(value2) {
              return func.apply(isArray3(value2) ? value2 : [], args);
            });
          };
        });
        baseForOwn(LazyWrapper.prototype, function(func, methodName) {
          var lodashFunc = lodash[methodName];
          if (lodashFunc) {
            var key = lodashFunc.name + "";
            if (!hasOwnProperty10.call(realNames, key)) {
              realNames[key] = [];
            }
            realNames[key].push({ "name": methodName, "func": lodashFunc });
          }
        });
        realNames[createHybrid(undefined2, WRAP_BIND_KEY_FLAG).name] = [{
          "name": "wrapper",
          "func": undefined2
        }];
        LazyWrapper.prototype.clone = lazyClone;
        LazyWrapper.prototype.reverse = lazyReverse;
        LazyWrapper.prototype.value = lazyValue;
        lodash.prototype.at = wrapperAt;
        lodash.prototype.chain = wrapperChain;
        lodash.prototype.commit = wrapperCommit;
        lodash.prototype.next = wrapperNext;
        lodash.prototype.plant = wrapperPlant;
        lodash.prototype.reverse = wrapperReverse;
        lodash.prototype.toJSON = lodash.prototype.valueOf = lodash.prototype.value = wrapperValue;
        lodash.prototype.first = lodash.prototype.head;
        if (symIterator) {
          lodash.prototype[symIterator] = wrapperToIterator;
        }
        return lodash;
      };
      var _ = runInContext();
      if (typeof define == "function" && typeof define.amd == "object" && define.amd) {
        root2._ = _;
        define(function() {
          return _;
        });
      } else if (freeModule4) {
        (freeModule4.exports = _)._ = _;
        freeExports4._ = _;
      } else {
        root2._ = _;
      }
    }).call(exports2);
  }
});

// node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/options.js
var require_options2 = __commonJS({
  "node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/options.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.parserOptionsToYAMLOption = void 0;
    function parserOptionsToYAMLOption(options) {
      if (!options) {
        return {};
      }
      const result = {};
      const version = options.defaultYAMLVersion;
      if (typeof version === "string" || typeof version === "number") {
        const sVer = String(version);
        if (sVer === "1.2" || sVer === "1.1") {
          result.version = sVer;
        } else {
          result.version = "next";
        }
      }
      return result;
    }
    exports2.parserOptionsToYAMLOption = parserOptionsToYAMLOption;
  }
});

// node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/context.js
var require_context2 = __commonJS({
  "node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/context.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.Context = void 0;
    var lodash_1 = __importDefault2(require_lodash());
    var _1 = require_lib21();
    var options_1 = require_options2();
    var Context = class {
      constructor(origCode, parserOptions) {
        this.tokens = [];
        this.comments = [];
        this.locsMap = /* @__PURE__ */ new Map();
        this.options = (0, options_1.parserOptionsToYAMLOption)(parserOptions);
        const len = origCode.length;
        const lineStartIndices = [0];
        for (let index = 0; index < len; ) {
          const c = origCode[index++];
          if (c === "\r") {
            const next = origCode[index];
            if (next === "\n") {
              index++;
            }
            lineStartIndices.push(index);
          } else if (c === "\n") {
            lineStartIndices.push(index);
          }
        }
        this.code = origCode;
        this.locs = new LinesAndColumns(lineStartIndices);
      }
      getLocFromIndex(index) {
        let loc = this.locsMap.get(index);
        if (!loc) {
          loc = this.locs.getLocFromIndex(index);
          this.locsMap.set(index, loc);
        }
        return {
          line: loc.line,
          column: loc.column
        };
      }
      /**
       * Get the location information of the given range.
       */
      getConvertLocation(start, end) {
        return {
          range: [start, end],
          loc: {
            start: this.getLocFromIndex(start),
            end: this.getLocFromIndex(end)
          }
        };
      }
      addComment(comment) {
        this.comments.push(comment);
      }
      /**
       * Add token to tokens
       */
      addToken(type, range) {
        const token = Object.assign({ type, value: this.code.slice(...range) }, this.getConvertLocation(...range));
        this.tokens.push(token);
        return token;
      }
      /* istanbul ignore next */
      throwUnexpectedTokenError(cst) {
        const token = "source" in cst ? `'${cst.source}'` : cst.type;
        throw this.throwError(`Unexpected token: ${token}`, cst);
      }
      throwError(message, cst) {
        const offset = typeof cst === "number" ? cst : "offset" in cst ? cst.offset : cst.range[0];
        const loc = this.getLocFromIndex(offset);
        throw new _1.ParseError(message, offset, loc.line, loc.column);
      }
      /**
       * Gets the last index with whitespace skipped.
       */
      lastSkipSpaces(startIndex, endIndex) {
        const str = this.code;
        for (let index = endIndex - 1; index >= startIndex; index--) {
          if (str[index].trim()) {
            return index + 1;
          }
        }
        return startIndex;
      }
    };
    exports2.Context = Context;
    var LinesAndColumns = class {
      constructor(lineStartIndices) {
        this.lineStartIndices = lineStartIndices;
      }
      getLocFromIndex(index) {
        const lineNumber = lodash_1.default.sortedLastIndex(this.lineStartIndices, index);
        return {
          line: lineNumber,
          column: index - this.lineStartIndices[lineNumber - 1]
        };
      }
    };
  }
});

// node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/yaml-cst-parse.js
var require_yaml_cst_parse = __commonJS({
  "node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/yaml-cst-parse.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.parseAllDocsToCST = void 0;
    var yaml_1 = require_dist14();
    function parseAllDocsToCST(ctx) {
      const parser = new yaml_1.Parser();
      const composer = new yaml_1.Composer(Object.assign(Object.assign({}, ctx.options), { keepSourceTokens: true }));
      const cstNodes = [];
      const nodes = [];
      function processDoc(node) {
        for (const error of node.errors) {
          throw ctx.throwError(error.message, error.pos[0]);
        }
        nodes.push(node);
      }
      for (const cst of parser.parse(ctx.code)) {
        cstNodes.push(cst);
        for (const doc of composer.next(cst)) {
          processDoc(doc);
        }
      }
      for (const doc of composer.end()) {
        processDoc(doc);
      }
      return { nodes, cstNodes, streamInfo: composer.streamInfo() };
    }
    exports2.parseAllDocsToCST = parseAllDocsToCST;
  }
});

// node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/parser.js
var require_parser7 = __commonJS({
  "node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/parser.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.parseForESLint = void 0;
    var visitor_keys_1 = require_visitor_keys3();
    var convert_1 = require_convert3();
    var context_1 = require_context2();
    var yaml_cst_parse_1 = require_yaml_cst_parse();
    function parseForESLint(code, options) {
      const ctx = new context_1.Context(code, options);
      const docs = (0, yaml_cst_parse_1.parseAllDocsToCST)(ctx);
      const ast = (0, convert_1.convertRoot)(docs, ctx);
      return {
        ast,
        visitorKeys: visitor_keys_1.KEYS,
        services: {
          isYAML: true
        }
      };
    }
    exports2.parseForESLint = parseForESLint;
  }
});

// node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/traverse.js
var require_traverse2 = __commonJS({
  "node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/traverse.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.traverseNodes = exports2.getNodes = exports2.getKeys = exports2.getFallbackKeys = void 0;
    var visitor_keys_1 = require_visitor_keys3();
    function fallbackKeysFilter(key) {
      let value = null;
      return key !== "comments" && key !== "leadingComments" && key !== "loc" && key !== "parent" && key !== "range" && key !== "tokens" && key !== "trailingComments" && (value = this[key]) !== null && typeof value === "object" && (typeof value.type === "string" || Array.isArray(value));
    }
    function getFallbackKeys(node) {
      return Object.keys(node).filter(fallbackKeysFilter, node);
    }
    exports2.getFallbackKeys = getFallbackKeys;
    function getKeys2(node, visitorKeys) {
      const keys2 = (visitorKeys || visitor_keys_1.KEYS)[node.type] || getFallbackKeys(node);
      return keys2.filter((key) => !getNodes(node, key).next().done);
    }
    exports2.getKeys = getKeys2;
    function* getNodes(node, key) {
      const child = node[key];
      if (Array.isArray(child)) {
        for (const c of child) {
          if (isNode2(c)) {
            yield c;
          }
        }
      } else if (isNode2(child)) {
        yield child;
      }
    }
    exports2.getNodes = getNodes;
    function isNode2(x) {
      return x !== null && typeof x === "object" && typeof x.type === "string";
    }
    function traverse(node, parent, visitor2) {
      visitor2.enterNode(node, parent);
      const keys2 = getKeys2(node, visitor2.visitorKeys);
      for (const key of keys2) {
        for (const child of getNodes(node, key)) {
          traverse(child, node, visitor2);
        }
      }
      visitor2.leaveNode(node, parent);
    }
    function traverseNodes(node, visitor2) {
      traverse(node, null, visitor2);
    }
    exports2.traverseNodes = traverseNodes;
  }
});

// node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/errors.js
var require_errors4 = __commonJS({
  "node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/errors.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.ParseError = void 0;
    var ParseError = class extends SyntaxError {
      /**
       * Initialize this ParseError instance.
       * @param message The error message.
       * @param offset The offset number of this error.
       * @param line The line number of this error.
       * @param column The column number of this error.
       */
      constructor(message, offset, line, column) {
        super(message);
        this.index = offset;
        this.lineNumber = line;
        this.column = column;
      }
    };
    exports2.ParseError = ParseError;
  }
});

// node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/meta.js
var require_meta5 = __commonJS({
  "node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/meta.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.version = exports2.name = void 0;
    exports2.name = "yaml-eslint-parser";
    exports2.version = "1.2.3";
  }
});

// node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/index.js
var require_lib21 = __commonJS({
  "node_modules/.pnpm/yaml-eslint-parser@1.2.3/node_modules/yaml-eslint-parser/lib/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.parseYAML = exports2.getStaticYAMLValue = exports2.traverseNodes = exports2.VisitorKeys = exports2.parseForESLint = exports2.ParseError = exports2.name = exports2.meta = void 0;
    var parser_1 = require_parser7();
    Object.defineProperty(exports2, "parseForESLint", { enumerable: true, get: function() {
      return parser_1.parseForESLint;
    } });
    var traverse_1 = require_traverse2();
    Object.defineProperty(exports2, "traverseNodes", { enumerable: true, get: function() {
      return traverse_1.traverseNodes;
    } });
    var utils_1 = require_utils10();
    Object.defineProperty(exports2, "getStaticYAMLValue", { enumerable: true, get: function() {
      return utils_1.getStaticYAMLValue;
    } });
    var visitor_keys_1 = require_visitor_keys3();
    var errors_1 = require_errors4();
    Object.defineProperty(exports2, "ParseError", { enumerable: true, get: function() {
      return errors_1.ParseError;
    } });
    exports2.meta = __importStar2(require_meta5());
    var meta_1 = require_meta5();
    Object.defineProperty(exports2, "name", { enumerable: true, get: function() {
      return meta_1.name;
    } });
    exports2.VisitorKeys = visitor_keys_1.KEYS;
    function parseYAML(code, options) {
      return (0, parser_1.parseForESLint)(code, options).ast;
    }
    exports2.parseYAML = parseYAML;
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/utils/compat.js
var require_compat = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/utils/compat.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getFilename = exports2.getSourceCode = void 0;
    var eslint_compat_utils_1 = require_dist9();
    function getSourceCode(context) {
      return (0, eslint_compat_utils_1.getSourceCode)(context);
    }
    exports2.getSourceCode = getSourceCode;
    function getFilename(context) {
      return (0, eslint_compat_utils_1.getFilename)(context);
    }
    exports2.getFilename = getFilename;
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/utils/index.js
var require_utils11 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/utils/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.createRule = void 0;
    var yamlESLintParser = __importStar2(require_lib21());
    var path_1 = __importDefault2(require("path"));
    var compat_1 = require_compat();
    function createRule(ruleName, rule) {
      return {
        meta: Object.assign(Object.assign({}, rule.meta), { docs: Object.assign(Object.assign({}, rule.meta.docs), { url: `https://ota-meshi.github.io/eslint-plugin-yml/rules/${ruleName}.html`, ruleId: `yml/${ruleName}`, ruleName }) }),
        create(context) {
          const sourceCode = (0, compat_1.getSourceCode)(context);
          if (typeof sourceCode.parserServices.defineCustomBlocksVisitor === "function" && path_1.default.extname((0, compat_1.getFilename)(context)) === ".vue") {
            return sourceCode.parserServices.defineCustomBlocksVisitor(context, yamlESLintParser, {
              target: ["yaml", "yml"],
              create(blockContext) {
                return rule.create(blockContext, {
                  customBlock: true
                });
              }
            });
          }
          return rule.create(context, {
            customBlock: false
          });
        }
      };
    }
    exports2.createRule = createRule;
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/utils/ast-utils.js
var require_ast_utils2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/utils/ast-utils.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isClosingBraceToken = exports2.isOpeningBraceToken = exports2.isClosingBracketToken = exports2.isOpeningBracketToken = exports2.isComma = exports2.isColon = exports2.isHyphen = exports2.isQuestion = exports2.isTokenOnSameLine = exports2.isCommentToken = void 0;
    function isCommentToken2(token) {
      return Boolean(token && (token.type === "Block" || token.type === "Line"));
    }
    exports2.isCommentToken = isCommentToken2;
    function isTokenOnSameLine(left, right) {
      return left.loc.end.line === right.loc.start.line;
    }
    exports2.isTokenOnSameLine = isTokenOnSameLine;
    function isQuestion(token) {
      return token != null && token.type === "Punctuator" && token.value === "?";
    }
    exports2.isQuestion = isQuestion;
    function isHyphen(token) {
      return token != null && token.type === "Punctuator" && token.value === "-";
    }
    exports2.isHyphen = isHyphen;
    function isColon(token) {
      return token != null && token.type === "Punctuator" && token.value === ":";
    }
    exports2.isColon = isColon;
    function isComma(token) {
      return token != null && token.type === "Punctuator" && token.value === ",";
    }
    exports2.isComma = isComma;
    function isOpeningBracketToken2(token) {
      return token != null && token.value === "[" && token.type === "Punctuator";
    }
    exports2.isOpeningBracketToken = isOpeningBracketToken2;
    function isClosingBracketToken2(token) {
      return token != null && token.value === "]" && token.type === "Punctuator";
    }
    exports2.isClosingBracketToken = isClosingBracketToken2;
    function isOpeningBraceToken2(token) {
      return token != null && token.value === "{" && token.type === "Punctuator";
    }
    exports2.isOpeningBraceToken = isOpeningBraceToken2;
    function isClosingBraceToken2(token) {
      return token != null && token.value === "}" && token.type === "Punctuator";
    }
    exports2.isClosingBraceToken = isClosingBraceToken2;
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/block-mapping-colon-indicator-newline.js
var require_block_mapping_colon_indicator_newline = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/block-mapping-colon-indicator-newline.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var ast_utils_1 = require_ast_utils2();
    var compat_1 = require_compat();
    exports2.default = (0, utils_1.createRule)("block-mapping-colon-indicator-newline", {
      meta: {
        docs: {
          description: "enforce consistent line breaks after `:` indicator",
          categories: [],
          extensionRule: false,
          layout: true
        },
        fixable: "whitespace",
        schema: [
          {
            enum: ["always", "never"]
          }
        ],
        messages: {
          unexpectedLinebreakAfterIndicator: "Unexpected line break after this `:` indicator.",
          expectedLinebreakAfterIndicator: "Expected a line break after this `:` indicator."
        },
        type: "layout"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        const option = context.options[0] || "never";
        function getColonToken(pair) {
          const limitIndex = pair.key ? pair.key.range[1] : pair.range[0];
          let candidateColon = sourceCode.getTokenBefore(pair.value);
          while (candidateColon && !(0, ast_utils_1.isColon)(candidateColon)) {
            candidateColon = sourceCode.getTokenBefore(candidateColon);
            if (candidateColon && candidateColon.range[1] <= limitIndex) {
              return null;
            }
          }
          if (!candidateColon || !(0, ast_utils_1.isColon)(candidateColon)) {
            return null;
          }
          return candidateColon;
        }
        function canRemoveNewline(value) {
          const node = value.type === "YAMLWithMeta" ? value.value : value;
          if (node && (node.type === "YAMLSequence" || node.type === "YAMLMapping") && node.style === "block") {
            return false;
          }
          return true;
        }
        return {
          YAMLMapping(node) {
            if (node.style !== "block") {
              return;
            }
            for (const pair of node.pairs) {
              const value = pair.value;
              if (!value) {
                continue;
              }
              const colon = getColonToken(pair);
              if (!colon) {
                return;
              }
              const hasNewline = colon.loc.end.line < value.loc.start.line;
              if (hasNewline) {
                if (option === "never") {
                  if (!canRemoveNewline(value)) {
                    return;
                  }
                  context.report({
                    loc: colon.loc,
                    messageId: "unexpectedLinebreakAfterIndicator",
                    fix(fixer) {
                      const spaceCount = value.loc.start.column - colon.loc.end.column;
                      if (spaceCount < 1 && value.loc.start.line < value.loc.end.line) {
                        return null;
                      }
                      const spaces = " ".repeat(Math.max(spaceCount, 1));
                      return fixer.replaceTextRange([colon.range[1], value.range[0]], spaces);
                    }
                  });
                }
              } else {
                if (option === "always") {
                  context.report({
                    loc: colon.loc,
                    messageId: "expectedLinebreakAfterIndicator",
                    fix(fixer) {
                      const spaces = `
${" ".repeat(value.loc.start.column)}`;
                      return fixer.replaceTextRange([colon.range[1], value.range[0]], spaces);
                    }
                  });
                }
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/block-mapping-question-indicator-newline.js
var require_block_mapping_question_indicator_newline = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/block-mapping-question-indicator-newline.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var ast_utils_1 = require_ast_utils2();
    var compat_1 = require_compat();
    exports2.default = (0, utils_1.createRule)("block-mapping-question-indicator-newline", {
      meta: {
        docs: {
          description: "enforce consistent line breaks after `?` indicator",
          categories: ["standard"],
          extensionRule: false,
          layout: true
        },
        fixable: "whitespace",
        schema: [
          {
            enum: ["always", "never"]
          }
        ],
        messages: {
          unexpectedLinebreakAfterIndicator: "Unexpected line break after this `?` indicator.",
          expectedLinebreakAfterIndicator: "Expected a line break after this `?` indicator."
        },
        type: "layout"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        const option = context.options[0] || "never";
        return {
          YAMLMapping(node) {
            if (node.style !== "block") {
              return;
            }
            for (const pair of node.pairs) {
              const key = pair.key;
              if (!key) {
                continue;
              }
              const question = sourceCode.getFirstToken(pair);
              if (!question || !(0, ast_utils_1.isQuestion)(question)) {
                continue;
              }
              const hasNewline = question.loc.end.line < key.loc.start.line;
              if (hasNewline) {
                if (option === "never") {
                  context.report({
                    loc: question.loc,
                    messageId: "unexpectedLinebreakAfterIndicator",
                    fix(fixer) {
                      const spaceCount = key.loc.start.column - question.loc.end.column;
                      if (spaceCount < 1 && key.loc.start.line < key.loc.end.line) {
                        return null;
                      }
                      const spaces = " ".repeat(Math.max(spaceCount, 1));
                      return fixer.replaceTextRange([question.range[1], key.range[0]], spaces);
                    }
                  });
                }
              } else {
                if (option === "always") {
                  context.report({
                    loc: question.loc,
                    messageId: "expectedLinebreakAfterIndicator",
                    fix(fixer) {
                      const spaces = `
${" ".repeat(key.loc.start.column)}`;
                      return fixer.replaceTextRange([question.range[1], key.range[0]], spaces);
                    }
                  });
                }
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/utils/yaml.js
var require_yaml = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/utils/yaml.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.fixIndent = exports2.processIndentFix = exports2.unwrapMeta = exports2.isKeyNode = exports2.compareIndent = exports2.getNumOfIndent = exports2.decIndent = exports2.incIndent = exports2.getActualIndentFromLine = exports2.getActualIndent = exports2.calcExpectIndentForEntries = exports2.calcExpectIndentForPairs = exports2.hasTabIndent = void 0;
    var ast_utils_1 = require_ast_utils2();
    var compat_1 = require_compat();
    function hasTabIndent(context) {
      for (const line of (0, compat_1.getSourceCode)(context).getLines()) {
        if (/^\s*\t/u.test(line)) {
          return true;
        }
        if (/^\s*-\s*\t/u.test(line)) {
          return true;
        }
      }
      return false;
    }
    exports2.hasTabIndent = hasTabIndent;
    function calcExpectIndentForPairs(mapping, context) {
      const sourceCode = (0, compat_1.getSourceCode)(context);
      let parentNode = mapping.parent;
      if (parentNode.type === "YAMLWithMeta") {
        const before = sourceCode.getTokenBefore(parentNode);
        if (before == null || before.loc.end.line < parentNode.loc.start.line) {
          return calcExpectIndentFromBaseNode(parentNode, mapping.pairs[0], context);
        }
        parentNode = parentNode.parent;
      }
      if (parentNode.type === "YAMLDocument") {
        const mappingIndent = getActualIndent(mapping, context);
        const firstPairIndent = getActualIndent(mapping.pairs[0], context);
        if (mappingIndent == null) {
          return firstPairIndent;
        }
        if (firstPairIndent != null && compareIndent(mappingIndent, firstPairIndent) < 0) {
          return firstPairIndent;
        }
        return mappingIndent;
      }
      if (parentNode.type === "YAMLSequence") {
        const hyphen = sourceCode.getTokenBefore(mapping);
        if (!(0, ast_utils_1.isHyphen)(hyphen)) {
          return null;
        }
        if (hyphen.loc.start.line === mapping.loc.start.line) {
          const hyphenIndent = getActualIndent(hyphen, context);
          if (hyphenIndent == null) {
            return null;
          }
          const offsetIndent = sourceCode.text.slice(hyphen.range[1], mapping.range[0]);
          return `${hyphenIndent} ${offsetIndent}`;
        }
        return getActualIndent(mapping, context);
      }
      if (parentNode.type !== "YAMLPair") {
        return null;
      }
      return calcExpectIndentFromBaseNode(parentNode, mapping.pairs[0], context);
    }
    exports2.calcExpectIndentForPairs = calcExpectIndentForPairs;
    function calcExpectIndentForEntries(sequence, context) {
      const sourceCode = (0, compat_1.getSourceCode)(context);
      let parentNode = sequence.parent;
      if (parentNode.type === "YAMLWithMeta") {
        const before = sourceCode.getTokenBefore(parentNode);
        if (before == null || before.loc.end.line < parentNode.loc.start.line) {
          return calcExpectIndentFromBaseNode(parentNode, sequence.entries[0], context);
        }
        parentNode = parentNode.parent;
      }
      if (parentNode.type === "YAMLDocument") {
        const sequenceIndent = getActualIndent(sequence, context);
        const firstPairIndent = getActualIndent(sequence.entries[0], context);
        if (sequenceIndent == null) {
          return firstPairIndent;
        }
        if (firstPairIndent != null && compareIndent(sequenceIndent, firstPairIndent) < 0) {
          return firstPairIndent;
        }
        return sequenceIndent;
      }
      if (parentNode.type === "YAMLSequence") {
        const hyphen = sourceCode.getTokenBefore(sequence);
        if (!(0, ast_utils_1.isHyphen)(hyphen)) {
          return null;
        }
        if (hyphen.loc.start.line === sequence.loc.start.line) {
          const hyphenIndent = getActualIndent(hyphen, context);
          if (hyphenIndent == null) {
            return null;
          }
          const offsetIndent = sourceCode.text.slice(hyphen.range[1], sequence.range[0]);
          return `${hyphenIndent} ${offsetIndent}`;
        }
        return getActualIndent(sequence, context);
      }
      if (parentNode.type !== "YAMLPair") {
        return null;
      }
      return calcExpectIndentFromBaseNode(parentNode, sequence.entries[0], context);
    }
    exports2.calcExpectIndentForEntries = calcExpectIndentForEntries;
    function calcExpectIndentFromBaseNode(baseNode, node, context) {
      const baseIndent = getActualIndent(baseNode, context);
      if (baseIndent == null) {
        return null;
      }
      const indent = getActualIndent(node, context);
      if (indent != null && compareIndent(baseIndent, indent) < 0) {
        return indent;
      }
      return incIndent(baseIndent, context);
    }
    function getActualIndent(node, context) {
      const sourceCode = (0, compat_1.getSourceCode)(context);
      const before = sourceCode.getTokenBefore(node, { includeComments: true });
      if (!before || before.loc.end.line < node.loc.start.line) {
        return getActualIndentFromLine(node.loc.start.line, context);
      }
      return null;
    }
    exports2.getActualIndent = getActualIndent;
    function getActualIndentFromLine(line, context) {
      const sourceCode = (0, compat_1.getSourceCode)(context);
      const lineText = sourceCode.getLines()[line - 1];
      return /^[^\S\n\r\u2028\u2029]*/u.exec(lineText)[0];
    }
    exports2.getActualIndentFromLine = getActualIndentFromLine;
    function incIndent(indent, context) {
      const numOfIndent = getNumOfIndent(context);
      const add = numOfIndent === 2 ? "  " : numOfIndent === 4 ? "    " : " ".repeat(numOfIndent);
      return `${indent}${add}`;
    }
    exports2.incIndent = incIndent;
    function decIndent(indent, context) {
      const numOfIndent = getNumOfIndent(context);
      return " ".repeat(indent.length - numOfIndent);
    }
    exports2.decIndent = decIndent;
    function getNumOfIndent(context, optionValue) {
      var _a, _b;
      const num = optionValue !== null && optionValue !== void 0 ? optionValue : (_b = (_a = context.settings) === null || _a === void 0 ? void 0 : _a.yml) === null || _b === void 0 ? void 0 : _b.indent;
      return num == null || num < 2 ? 2 : num;
    }
    exports2.getNumOfIndent = getNumOfIndent;
    function compareIndent(a, b) {
      const minLen = Math.min(a.length, b.length);
      for (let index = 0; index < minLen; index++) {
        if (a[index] !== b[index]) {
          return NaN;
        }
      }
      return a.length > b.length ? 1 : a.length < b.length ? -1 : 0;
    }
    exports2.compareIndent = compareIndent;
    function isKeyNode(node) {
      if (node.parent.type === "YAMLWithMeta") {
        return isKeyNode(node.parent);
      }
      return node.parent.type === "YAMLPair" && node.parent.key === node;
    }
    exports2.isKeyNode = isKeyNode;
    function unwrapMeta(node) {
      if (!node) {
        return node;
      }
      if (node.type === "YAMLWithMeta") {
        return node.value;
      }
      return node;
    }
    exports2.unwrapMeta = unwrapMeta;
    function* processIndentFix(fixer, baseIndent, targetNode, context) {
      const sourceCode = (0, compat_1.getSourceCode)(context);
      if (targetNode.type === "YAMLWithMeta") {
        yield* metaIndent(targetNode);
        return;
      }
      if (targetNode.type === "YAMLPair") {
        yield* pairIndent(targetNode);
        return;
      }
      yield* contentIndent(targetNode);
      function* contentIndent(contentNode) {
        const actualIndent = getActualIndent(contentNode, context);
        if (actualIndent != null && compareIndent(baseIndent, actualIndent) < 0) {
          return;
        }
        let nextBaseIndent = baseIndent;
        const expectValueIndent = incIndent(baseIndent, context);
        if (actualIndent != null) {
          yield fixIndent(fixer, sourceCode, expectValueIndent, contentNode);
          nextBaseIndent = expectValueIndent;
        }
        if (contentNode.type === "YAMLMapping") {
          for (const p of contentNode.pairs) {
            yield* processIndentFix(fixer, nextBaseIndent, p, context);
          }
          if (contentNode.style === "flow") {
            const close = sourceCode.getLastToken(contentNode);
            if (close.value === "}") {
              const closeActualIndent = getActualIndent(close, context);
              if (closeActualIndent != null && compareIndent(closeActualIndent, nextBaseIndent) < 0) {
                yield fixIndent(fixer, sourceCode, nextBaseIndent, close);
              }
            }
          }
        } else if (contentNode.type === "YAMLSequence") {
          for (const e of contentNode.entries) {
            if (!e) {
              continue;
            }
            yield* processIndentFix(fixer, nextBaseIndent, e, context);
          }
        }
      }
      function* metaIndent(metaNode) {
        let nextBaseIndent = baseIndent;
        const actualIndent = getActualIndent(metaNode, context);
        if (actualIndent != null) {
          if (compareIndent(baseIndent, actualIndent) < 0) {
            nextBaseIndent = actualIndent;
          } else {
            const expectMetaIndent = incIndent(baseIndent, context);
            yield fixIndent(fixer, sourceCode, expectMetaIndent, metaNode);
            nextBaseIndent = expectMetaIndent;
          }
        }
        if (metaNode.value) {
          yield* processIndentFix(fixer, nextBaseIndent, metaNode.value, context);
        }
      }
      function* pairIndent(pairNode) {
        let nextBaseIndent = baseIndent;
        const actualIndent = getActualIndent(pairNode, context);
        if (actualIndent != null) {
          if (compareIndent(baseIndent, actualIndent) < 0) {
            nextBaseIndent = actualIndent;
          } else {
            const expectKeyIndent = incIndent(baseIndent, context);
            yield fixIndent(fixer, sourceCode, expectKeyIndent, pairNode);
            nextBaseIndent = expectKeyIndent;
          }
        }
        if (pairNode.value) {
          yield* processIndentFix(fixer, nextBaseIndent, pairNode.value, context);
        }
      }
    }
    exports2.processIndentFix = processIndentFix;
    function fixIndent(fixer, sourceCode, indent, node) {
      const prevToken = sourceCode.getTokenBefore(node, {
        includeComments: true
      });
      return fixer.replaceTextRange([prevToken.range[1], node.range[0]], `
${indent}`);
    }
    exports2.fixIndent = fixIndent;
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/block-mapping.js
var require_block_mapping = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/block-mapping.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var ast_utils_1 = require_ast_utils2();
    var yaml_1 = require_yaml();
    var compat_1 = require_compat();
    var OPTIONS_ENUM = ["always", "never", "ignore"];
    function parseOptions(option) {
      const opt = {
        singleline: "ignore",
        multiline: "always"
      };
      if (option) {
        if (typeof option === "string") {
          opt.singleline = option;
          opt.multiline = option;
        } else {
          if (typeof option.singleline === "string") {
            opt.singleline = option.singleline;
          }
          if (typeof option.multiline === "string") {
            opt.multiline = option.multiline;
          }
        }
      }
      return opt;
    }
    exports2.default = (0, utils_1.createRule)("block-mapping", {
      meta: {
        docs: {
          description: "require or disallow block style mappings.",
          categories: ["standard"],
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        schema: [
          {
            anyOf: [
              { enum: ["always", "never"] },
              {
                type: "object",
                properties: {
                  singleline: { enum: OPTIONS_ENUM },
                  multiline: { enum: OPTIONS_ENUM }
                },
                additionalProperties: false
              }
            ]
          }
        ],
        messages: {
          required: "Must use block style mappings.",
          disallow: "Must use flow style mappings."
        },
        type: "layout"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        const options = parseOptions(context.options[0]);
        let styleStack = null;
        function downStack(node) {
          if (styleStack) {
            if (node.style === "flow") {
              styleStack.hasFlowStyle = true;
            } else if (node.style === "block") {
              styleStack.hasBlockStyle = true;
            }
          }
          styleStack = {
            upper: styleStack,
            node,
            flowStyle: node.style === "flow",
            blockStyle: node.style === "block",
            withinFlowStyle: styleStack && (styleStack.withinFlowStyle || styleStack.flowStyle) || false,
            withinBlockStyle: styleStack && (styleStack.withinBlockStyle || styleStack.blockStyle) || false
          };
        }
        function upStack() {
          if (styleStack && styleStack.upper) {
            styleStack.upper.hasNullPair = styleStack.upper.hasNullPair || styleStack.hasNullPair;
            styleStack.upper.hasBlockLiteralOrFolded = styleStack.upper.hasBlockLiteralOrFolded || styleStack.hasBlockLiteralOrFolded;
            styleStack.upper.hasBlockStyle = styleStack.upper.hasBlockStyle || styleStack.hasBlockStyle;
            styleStack.upper.hasFlowStyle = styleStack.upper.hasFlowStyle || styleStack.hasFlowStyle;
          }
          styleStack = styleStack && styleStack.upper;
        }
        return {
          YAMLSequence: downStack,
          YAMLMapping: downStack,
          YAMLPair(node) {
            if (node.key == null || node.value == null) {
              styleStack.hasNullPair = true;
            }
          },
          YAMLScalar(node) {
            if (styleStack && (node.style === "folded" || node.style === "literal")) {
              styleStack.hasBlockLiteralOrFolded = true;
            }
          },
          "YAMLSequence:exit": upStack,
          "YAMLMapping:exit"(node) {
            const mappingInfo = styleStack;
            upStack();
            if (node.pairs.length === 0) {
              return;
            }
            const multiline = node.loc.start.line < node.loc.end.line;
            const optionType = multiline ? options.multiline : options.singleline;
            if (optionType === "ignore") {
              return;
            }
            if (node.style === "flow") {
              if (optionType === "never") {
                return;
              }
              if ((0, yaml_1.isKeyNode)(node)) {
                return;
              }
              const canFix = canFixToBlock(mappingInfo, node) && !(0, yaml_1.hasTabIndent)(context);
              context.report({
                loc: node.loc,
                messageId: "required",
                fix: canFix && buildFixFlowToBlock(node, context) || null
              });
            } else if (node.style === "block") {
              if (optionType === "always") {
                return;
              }
              const canFix = canFixToFlow(mappingInfo, node) && !(0, yaml_1.hasTabIndent)(context);
              context.report({
                loc: node.loc,
                messageId: "disallow",
                fix: canFix && buildFixBlockToFlow(node, context) || null
              });
            }
          }
        };
      }
    });
    function canFixToBlock(mappingInfo, node) {
      if (mappingInfo.hasNullPair || mappingInfo.hasBlockLiteralOrFolded) {
        return false;
      }
      if (mappingInfo.withinFlowStyle) {
        return false;
      }
      for (const pair of node.pairs) {
        const key = pair.key;
        if (key.loc.start.line < key.loc.end.line) {
          return false;
        }
      }
      return true;
    }
    function canFixToFlow(mappingInfo, node) {
      if (mappingInfo.hasNullPair || mappingInfo.hasBlockLiteralOrFolded) {
        return false;
      }
      if (mappingInfo.hasBlockStyle) {
        return false;
      }
      for (const pair of node.pairs) {
        const value = (0, yaml_1.unwrapMeta)(pair.value);
        const key = (0, yaml_1.unwrapMeta)(pair.key);
        if (value && value.type === "YAMLScalar" && value.style === "plain") {
          if (value.loc.start.line < value.loc.end.line) {
            return false;
          }
          if (/[[\]{}]/u.test(value.strValue)) {
            return false;
          }
          if (value.strValue.includes(",")) {
            return false;
          }
        }
        if (key && key.type === "YAMLScalar" && key.style === "plain") {
          if (/[[\]{]/u.test(key.strValue)) {
            return false;
          }
          if (/[,}]/u.test(key.strValue)) {
            return false;
          }
        }
      }
      return true;
    }
    function buildFixFlowToBlock(node, context) {
      return function* (fixer) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        const open = sourceCode.getFirstToken(node);
        const close = sourceCode.getLastToken(node);
        if ((open === null || open === void 0 ? void 0 : open.value) !== "{" || (close === null || close === void 0 ? void 0 : close.value) !== "}") {
          return;
        }
        const expectIndent = (0, yaml_1.calcExpectIndentForPairs)(node, context);
        if (expectIndent == null) {
          return;
        }
        const openPrevToken = sourceCode.getTokenBefore(open, {
          includeComments: true
        });
        if (!openPrevToken) {
          yield fixer.removeRange([sourceCode.ast.range[0], open.range[1]]);
        } else if (openPrevToken.loc.end.line < open.loc.start.line) {
          yield fixer.removeRange([openPrevToken.range[1], open.range[1]]);
        } else {
          yield fixer.remove(open);
        }
        let prev = open;
        for (const pair of node.pairs) {
          const prevToken = sourceCode.getTokenBefore(pair, {
            includeComments: true,
            filter: (token) => !(0, ast_utils_1.isComma)(token)
          });
          yield* removeComma(prev, prevToken);
          yield fixer.replaceTextRange([prevToken.range[1], pair.range[0]], `
${expectIndent}`);
          const colonToken = sourceCode.getTokenAfter(pair.key, ast_utils_1.isColon);
          if (colonToken.range[1] === sourceCode.getTokenAfter(colonToken, {
            includeComments: true
          }).range[0]) {
            yield fixer.insertTextAfter(colonToken, " ");
          }
          yield* (0, yaml_1.processIndentFix)(fixer, expectIndent, pair.value, context);
          prev = pair;
        }
        yield* removeComma(prev, close);
        yield fixer.remove(close);
        function* removeComma(a, b) {
          for (const token of sourceCode.getTokensBetween(a, b, {
            includeComments: true
          })) {
            if ((0, ast_utils_1.isComma)(token)) {
              yield fixer.remove(token);
            }
          }
        }
      };
    }
    function buildFixBlockToFlow(node, _context) {
      return function* (fixer) {
        yield fixer.insertTextBefore(node, "{");
        const pairs = [...node.pairs];
        const lastPair = pairs.pop();
        for (const pair of pairs) {
          yield fixer.insertTextAfter(pair, ",");
        }
        yield fixer.insertTextAfter(lastPair || node, "}");
      };
    }
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/block-sequence-hyphen-indicator-newline.js
var require_block_sequence_hyphen_indicator_newline = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/block-sequence-hyphen-indicator-newline.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var ast_utils_1 = require_ast_utils2();
    var compat_1 = require_compat();
    exports2.default = (0, utils_1.createRule)("block-sequence-hyphen-indicator-newline", {
      meta: {
        docs: {
          description: "enforce consistent line breaks after `-` indicator",
          categories: ["standard"],
          extensionRule: false,
          layout: true
        },
        fixable: "whitespace",
        schema: [
          { enum: ["always", "never"] },
          {
            type: "object",
            properties: {
              nestedHyphen: { enum: ["always", "never"] },
              blockMapping: { enum: ["always", "never"] }
            },
            additionalProperties: false
          }
        ],
        messages: {
          unexpectedLinebreakAfterIndicator: "Unexpected line break after this `-` indicator.",
          expectedLinebreakAfterIndicator: "Expected a line break after this `-` indicator."
        },
        type: "layout"
      },
      create(context) {
        var _a, _b;
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        const style = context.options[0] || "never";
        const nestedHyphenStyle = ((_a = context.options[1]) === null || _a === void 0 ? void 0 : _a.nestedHyphen) || "always";
        const blockMappingStyle = ((_b = context.options[1]) === null || _b === void 0 ? void 0 : _b.blockMapping) || style;
        function getStyleOption(hyphen, entry) {
          const next = sourceCode.getTokenAfter(hyphen);
          if (next && (0, ast_utils_1.isHyphen)(next)) {
            return nestedHyphenStyle;
          }
          if (entry.type === "YAMLMapping" && entry.style === "block") {
            return blockMappingStyle;
          }
          return style;
        }
        return {
          YAMLSequence(node) {
            if (node.style !== "block") {
              return;
            }
            for (const entry of node.entries) {
              if (!entry) {
                continue;
              }
              const hyphen = sourceCode.getTokenBefore(entry);
              if (!hyphen) {
                continue;
              }
              const hasNewline = hyphen.loc.end.line < entry.loc.start.line;
              if (hasNewline) {
                if (getStyleOption(hyphen, entry) === "never") {
                  context.report({
                    loc: hyphen.loc,
                    messageId: "unexpectedLinebreakAfterIndicator",
                    fix(fixer) {
                      const spaceCount = entry.loc.start.column - hyphen.loc.end.column;
                      if (spaceCount < 1 && entry.loc.start.line < entry.loc.end.line) {
                        return null;
                      }
                      const spaces = " ".repeat(Math.max(spaceCount, 1));
                      return fixer.replaceTextRange([hyphen.range[1], entry.range[0]], spaces);
                    }
                  });
                }
              } else {
                if (getStyleOption(hyphen, entry) === "always") {
                  context.report({
                    loc: hyphen.loc,
                    messageId: "expectedLinebreakAfterIndicator",
                    fix(fixer) {
                      const spaces = `
${" ".repeat(entry.loc.start.column)}`;
                      return fixer.replaceTextRange([hyphen.range[1], entry.range[0]], spaces);
                    }
                  });
                }
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/block-sequence.js
var require_block_sequence = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/block-sequence.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var yaml_1 = require_yaml();
    var ast_utils_1 = require_ast_utils2();
    var compat_1 = require_compat();
    var OPTIONS_ENUM = ["always", "never", "ignore"];
    function parseOptions(option) {
      const opt = {
        singleline: "ignore",
        multiline: "always"
      };
      if (option) {
        if (typeof option === "string") {
          opt.singleline = option;
          opt.multiline = option;
        } else {
          if (typeof option.singleline === "string") {
            opt.singleline = option.singleline;
          }
          if (typeof option.multiline === "string") {
            opt.multiline = option.multiline;
          }
        }
      }
      return opt;
    }
    exports2.default = (0, utils_1.createRule)("block-sequence", {
      meta: {
        docs: {
          description: "require or disallow block style sequences.",
          categories: ["standard"],
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        schema: [
          {
            anyOf: [
              { enum: ["always", "never"] },
              {
                type: "object",
                properties: {
                  singleline: { enum: OPTIONS_ENUM },
                  multiline: { enum: OPTIONS_ENUM }
                },
                additionalProperties: false
              }
            ]
          }
        ],
        messages: {
          required: "Must use block style sequences.",
          disallow: "Must use flow style sequences."
        },
        type: "layout"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        const options = parseOptions(context.options[0]);
        let styleStack = null;
        function downStack(node) {
          if (styleStack) {
            if (node.style === "flow") {
              styleStack.hasFlowStyle = true;
            } else if (node.style === "block") {
              styleStack.hasBlockStyle = true;
            }
          }
          styleStack = {
            upper: styleStack,
            node,
            flowStyle: node.style === "flow",
            blockStyle: node.style === "block",
            withinFlowStyle: styleStack && (styleStack.withinFlowStyle || styleStack.flowStyle) || false,
            withinBlockStyle: styleStack && (styleStack.withinBlockStyle || styleStack.blockStyle) || false
          };
        }
        function upStack() {
          if (styleStack && styleStack.upper) {
            styleStack.upper.hasNullPair = styleStack.upper.hasNullPair || styleStack.hasNullPair;
            styleStack.upper.hasBlockLiteralOrFolded = styleStack.upper.hasBlockLiteralOrFolded || styleStack.hasBlockLiteralOrFolded;
            styleStack.upper.hasBlockStyle = styleStack.upper.hasBlockStyle || styleStack.hasBlockStyle;
            styleStack.upper.hasFlowStyle = styleStack.upper.hasFlowStyle || styleStack.hasFlowStyle;
          }
          styleStack = styleStack && styleStack.upper;
        }
        return {
          YAMLMapping: downStack,
          YAMLSequence: downStack,
          YAMLPair(node) {
            if (node.key == null || node.value == null) {
              styleStack.hasNullPair = true;
            }
          },
          YAMLScalar(node) {
            if (styleStack && (node.style === "folded" || node.style === "literal")) {
              styleStack.hasBlockLiteralOrFolded = true;
            }
          },
          "YAMLMapping:exit": upStack,
          "YAMLSequence:exit"(node) {
            const sequenceInfo = styleStack;
            upStack();
            if (node.entries.length === 0) {
              return;
            }
            const multiline = node.loc.start.line < node.loc.end.line;
            const optionType = multiline ? options.multiline : options.singleline;
            if (optionType === "ignore") {
              return;
            }
            if (node.style === "flow") {
              if (optionType === "never") {
                return;
              }
              if ((0, yaml_1.isKeyNode)(node)) {
                return;
              }
              const canFix = canFixToBlock(sequenceInfo, node, sourceCode) && !(0, yaml_1.hasTabIndent)(context);
              context.report({
                loc: node.loc,
                messageId: "required",
                fix: canFix && buildFixFlowToBlock(node, context) || null
              });
            } else if (node.style === "block") {
              if (optionType === "always") {
                return;
              }
              const canFix = canFixToFlow(sequenceInfo, node, context) && !(0, yaml_1.hasTabIndent)(context);
              context.report({
                loc: node.loc,
                messageId: "disallow",
                fix: canFix && buildFixBlockToFlow(node, context) || null
              });
            }
          }
        };
      }
    });
    function canFixToBlock(sequenceInfo, node, sourceCode) {
      if (sequenceInfo.hasNullPair || sequenceInfo.hasBlockLiteralOrFolded) {
        return false;
      }
      if (sequenceInfo.withinFlowStyle) {
        return false;
      }
      for (const entry of node.entries) {
        if (entry.type === "YAMLMapping" && entry.style === "block") {
          for (const pair of entry.pairs) {
            if (pair.key) {
              if (pair.key.loc.start.line < pair.key.loc.end.line) {
                return false;
              }
              if (pair.key.type === "YAMLMapping") {
                return false;
              }
            }
            if (pair.value) {
              const colon = sourceCode.getTokenBefore(pair.value);
              if ((colon === null || colon === void 0 ? void 0 : colon.value) === ":") {
                if (colon.range[1] === pair.value.range[0]) {
                  return false;
                }
              }
            }
          }
        }
      }
      return true;
    }
    function canFixToFlow(sequenceInfo, node, context) {
      if (sequenceInfo.hasNullPair || sequenceInfo.hasBlockLiteralOrFolded) {
        return false;
      }
      if (sequenceInfo.hasBlockStyle) {
        return false;
      }
      if (node.parent.type === "YAMLWithMeta") {
        const metaIndent = (0, yaml_1.getActualIndent)(node.parent, context);
        if (metaIndent != null) {
          for (let line = node.loc.start.line; line <= node.loc.end.line; line++) {
            if ((0, yaml_1.compareIndent)(metaIndent, (0, yaml_1.getActualIndentFromLine)(line, context)) > 0) {
              return false;
            }
          }
        }
      }
      for (const entry of node.entries) {
        const value = (0, yaml_1.unwrapMeta)(entry);
        if (value && value.type === "YAMLScalar" && value.style === "plain") {
          if (value.strValue.includes(",")) {
            return false;
          }
        }
      }
      return true;
    }
    function buildFixFlowToBlock(node, context) {
      return function* (fixer) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        const open = sourceCode.getFirstToken(node);
        const close = sourceCode.getLastToken(node);
        if ((open === null || open === void 0 ? void 0 : open.value) !== "[" || (close === null || close === void 0 ? void 0 : close.value) !== "]") {
          return;
        }
        const expectIndent = (0, yaml_1.calcExpectIndentForEntries)(node, context);
        if (expectIndent == null) {
          return;
        }
        const openPrevToken = sourceCode.getTokenBefore(open, {
          includeComments: true
        });
        if (!openPrevToken) {
          yield fixer.removeRange([sourceCode.ast.range[0], open.range[1]]);
        } else if (openPrevToken.loc.end.line < open.loc.start.line) {
          yield fixer.removeRange([openPrevToken.range[1], open.range[1]]);
        } else {
          yield fixer.remove(open);
        }
        let prev = open;
        for (const entry of node.entries) {
          const prevToken = sourceCode.getTokenBefore(entry, {
            includeComments: true,
            filter: (token) => !(0, ast_utils_1.isComma)(token)
          });
          yield* removeComma(prev, prevToken);
          yield fixer.replaceTextRange([prevToken.range[1], entry.range[0]], `
${expectIndent}- `);
          yield* processEntryIndent(`${expectIndent}  `, entry);
          prev = entry;
        }
        yield* removeComma(prev, close);
        yield fixer.remove(close);
        function* removeComma(a, b) {
          for (const token of sourceCode.getTokensBetween(a, b, {
            includeComments: true
          })) {
            if ((0, ast_utils_1.isComma)(token)) {
              yield fixer.remove(token);
            }
          }
        }
        function* processEntryIndent(baseIndent, entry) {
          if (entry.type === "YAMLWithMeta" && entry.value) {
            yield* (0, yaml_1.processIndentFix)(fixer, baseIndent, entry.value, context);
          } else if (entry.type === "YAMLMapping") {
            for (const p of entry.pairs) {
              if (p.range[0] === entry.range[0]) {
                if (p.value) {
                  yield* (0, yaml_1.processIndentFix)(fixer, baseIndent, p.value, context);
                }
              } else {
                yield* (0, yaml_1.processIndentFix)(fixer, baseIndent, p, context);
              }
            }
            if (entry.style === "flow") {
              const close2 = sourceCode.getLastToken(entry);
              if (close2.value === "}") {
                const actualIndent = (0, yaml_1.getActualIndent)(close2, context);
                if (actualIndent != null && (0, yaml_1.compareIndent)(actualIndent, baseIndent) < 0) {
                  yield (0, yaml_1.fixIndent)(fixer, sourceCode, baseIndent, close2);
                }
              }
            }
          } else if (entry.type === "YAMLSequence") {
            for (const e of entry.entries) {
              if (!e) {
                continue;
              }
              yield* (0, yaml_1.processIndentFix)(fixer, baseIndent, e, context);
            }
          }
        }
      };
    }
    function buildFixBlockToFlow(node, context) {
      const sourceCode = (0, compat_1.getSourceCode)(context);
      return function* (fixer) {
        const entries = node.entries.filter((e) => e != null);
        if (entries.length !== node.entries.length) {
          return;
        }
        const firstEntry = entries.shift();
        const lastEntry = entries.pop();
        const firstHyphen = sourceCode.getTokenBefore(firstEntry);
        yield fixer.replaceText(firstHyphen, " ");
        yield fixer.insertTextBefore(firstEntry, "[");
        if (lastEntry) {
          yield fixer.insertTextAfter(firstEntry, ",");
        }
        for (const entry of entries) {
          const hyphen = sourceCode.getTokenBefore(entry);
          yield fixer.replaceText(hyphen, " ");
          yield fixer.insertTextAfter(entry, ",");
        }
        if (lastEntry) {
          const lastHyphen = sourceCode.getTokenBefore(lastEntry);
          yield fixer.replaceText(lastHyphen, " ");
        }
        yield fixer.insertTextAfter(lastEntry || firstEntry || node, "]");
      };
    }
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/file-extension.js
var require_file_extension = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/file-extension.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var path_1 = __importDefault2(require("path"));
    var utils_1 = require_utils11();
    var compat_1 = require_compat();
    exports2.default = (0, utils_1.createRule)("file-extension", {
      meta: {
        docs: {
          description: "enforce YAML file extension",
          categories: [],
          extensionRule: false,
          layout: false
        },
        schema: [
          {
            type: "object",
            properties: {
              extension: {
                enum: ["yaml", "yml"]
              },
              caseSensitive: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          unexpected: `Expected extension '{{expected}}' but used extension '{{actual}}'.`
        },
        type: "suggestion"
      },
      create(context) {
        var _a, _b, _c;
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        const expected = ((_a = context.options[0]) === null || _a === void 0 ? void 0 : _a.extension) || "yaml";
        const caseSensitive = (_c = (_b = context.options[0]) === null || _b === void 0 ? void 0 : _b.caseSensitive) !== null && _c !== void 0 ? _c : true;
        return {
          Program(node) {
            const filename = (0, compat_1.getFilename)(context);
            const actual = path_1.default.extname(filename);
            if ((caseSensitive ? actual : actual.toLocaleLowerCase()) === `.${expected}`) {
              return;
            }
            context.report({
              node,
              loc: node.loc.start,
              messageId: "unexpected",
              data: {
                expected: `.${expected}`,
                actual
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/flow-mapping-curly-newline.js
var require_flow_mapping_curly_newline = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/flow-mapping-curly-newline.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var ast_utils_1 = require_ast_utils2();
    var yaml_1 = require_yaml();
    var compat_1 = require_compat();
    var OPTION_VALUE = {
      oneOf: [
        {
          enum: ["always", "never"]
        },
        {
          type: "object",
          properties: {
            multiline: {
              type: "boolean"
            },
            minProperties: {
              type: "integer",
              minimum: 0
            },
            consistent: {
              type: "boolean"
            }
          },
          additionalProperties: false,
          minProperties: 1
        }
      ]
    };
    function normalizeOptionValue(value) {
      let multiline = false;
      let minProperties = Number.POSITIVE_INFINITY;
      let consistent = false;
      if (value) {
        if (value === "always") {
          minProperties = 0;
        } else if (value === "never") {
          minProperties = Number.POSITIVE_INFINITY;
        } else {
          multiline = Boolean(value.multiline);
          minProperties = value.minProperties || Number.POSITIVE_INFINITY;
          consistent = Boolean(value.consistent);
        }
      } else {
        consistent = true;
      }
      return { multiline, minProperties, consistent };
    }
    function areLineBreaksRequired(node, options, first, last) {
      const objectProperties = node.pairs;
      return objectProperties.length >= options.minProperties || options.multiline && objectProperties.length > 0 && first.loc.start.line !== last.loc.end.line;
    }
    exports2.default = (0, utils_1.createRule)("flow-mapping-curly-newline", {
      meta: {
        docs: {
          description: "enforce consistent line breaks inside braces",
          categories: ["standard"],
          extensionRule: "object-curly-newline",
          layout: true
        },
        fixable: "whitespace",
        schema: [OPTION_VALUE],
        messages: {
          unexpectedLinebreakBeforeClosingBrace: "Unexpected line break before this closing brace.",
          unexpectedLinebreakAfterOpeningBrace: "Unexpected line break after this opening brace.",
          expectedLinebreakBeforeClosingBrace: "Expected a line break before this closing brace.",
          expectedLinebreakAfterOpeningBrace: "Expected a line break after this opening brace."
        },
        type: "layout"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        const options = normalizeOptionValue(context.options[0]);
        function check(node) {
          if ((0, yaml_1.isKeyNode)(node)) {
            return;
          }
          const openBrace = sourceCode.getFirstToken(node, (token) => token.value === "{");
          const closeBrace = sourceCode.getLastToken(node, (token) => token.value === "}");
          let first = sourceCode.getTokenAfter(openBrace, {
            includeComments: true
          });
          let last = sourceCode.getTokenBefore(closeBrace, {
            includeComments: true
          });
          const needsLineBreaks = areLineBreaksRequired(node, options, first, last);
          const hasCommentsFirstToken = (0, ast_utils_1.isCommentToken)(first);
          const hasCommentsLastToken = (0, ast_utils_1.isCommentToken)(last);
          const hasQuestionsLastToken = (0, ast_utils_1.isQuestion)(last);
          first = sourceCode.getTokenAfter(openBrace);
          last = sourceCode.getTokenBefore(closeBrace);
          if (needsLineBreaks) {
            if ((0, ast_utils_1.isTokenOnSameLine)(openBrace, first)) {
              context.report({
                messageId: "expectedLinebreakAfterOpeningBrace",
                node,
                loc: openBrace.loc,
                fix(fixer) {
                  if (hasCommentsFirstToken || (0, yaml_1.hasTabIndent)(context)) {
                    return null;
                  }
                  const indent = (0, yaml_1.incIndent)((0, yaml_1.getActualIndentFromLine)(openBrace.loc.start.line, context), context);
                  return fixer.insertTextAfter(openBrace, `
${indent}`);
                }
              });
            }
            if ((0, ast_utils_1.isTokenOnSameLine)(last, closeBrace)) {
              context.report({
                messageId: "expectedLinebreakBeforeClosingBrace",
                node,
                loc: closeBrace.loc,
                fix(fixer) {
                  if (hasCommentsLastToken || (0, yaml_1.hasTabIndent)(context)) {
                    return null;
                  }
                  const indent = (0, yaml_1.getActualIndentFromLine)(closeBrace.loc.start.line, context);
                  return fixer.insertTextBefore(closeBrace, `
${indent}`);
                }
              });
            }
          } else {
            const consistent = options.consistent;
            const hasLineBreakBetweenOpenBraceAndFirst = !(0, ast_utils_1.isTokenOnSameLine)(openBrace, first);
            const hasLineBreakBetweenCloseBraceAndLast = !(0, ast_utils_1.isTokenOnSameLine)(last, closeBrace);
            if (!consistent && hasLineBreakBetweenOpenBraceAndFirst || consistent && hasLineBreakBetweenOpenBraceAndFirst && !hasLineBreakBetweenCloseBraceAndLast) {
              context.report({
                messageId: "unexpectedLinebreakAfterOpeningBrace",
                node,
                loc: openBrace.loc,
                fix(fixer) {
                  if (hasCommentsFirstToken || (0, yaml_1.hasTabIndent)(context)) {
                    return null;
                  }
                  return fixer.removeRange([openBrace.range[1], first.range[0]]);
                }
              });
            }
            if (!consistent && hasLineBreakBetweenCloseBraceAndLast || consistent && !hasLineBreakBetweenOpenBraceAndFirst && hasLineBreakBetweenCloseBraceAndLast) {
              if (hasQuestionsLastToken) {
                return;
              }
              context.report({
                messageId: "unexpectedLinebreakBeforeClosingBrace",
                node,
                loc: closeBrace.loc,
                fix(fixer) {
                  if (hasCommentsLastToken || (0, yaml_1.hasTabIndent)(context)) {
                    return null;
                  }
                  return fixer.removeRange([last.range[1], closeBrace.range[0]]);
                }
              });
            }
          }
        }
        return {
          YAMLMapping(node) {
            if (node.style === "flow") {
              check(node);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/flow-mapping-curly-spacing.js
var require_flow_mapping_curly_spacing = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/flow-mapping-curly-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var compat_1 = require_compat();
    var ast_utils_1 = require_ast_utils2();
    exports2.default = (0, utils_1.createRule)("flow-mapping-curly-spacing", {
      meta: {
        docs: {
          description: "enforce consistent spacing inside braces",
          categories: ["standard"],
          extensionRule: "object-curly-spacing",
          layout: true
        },
        type: "layout",
        fixable: "whitespace",
        schema: [
          {
            type: "string",
            enum: ["always", "never"]
          },
          {
            type: "object",
            properties: {
              arraysInObjects: {
                type: "boolean"
              },
              objectsInObjects: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          requireSpaceBefore: "A space is required before '{{token}}'.",
          requireSpaceAfter: "A space is required after '{{token}}'.",
          unexpectedSpaceBefore: "There should be no space before '{{token}}'.",
          unexpectedSpaceAfter: "There should be no space after '{{token}}'."
        }
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        const spaced = context.options[0] === "always";
        function isOptionSet(option) {
          return context.options[1] ? context.options[1][option] === !spaced : false;
        }
        const options = {
          spaced,
          arraysInObjectsException: isOptionSet("arraysInObjects"),
          objectsInObjectsException: isOptionSet("objectsInObjects"),
          isOpeningCurlyBraceMustBeSpaced(second) {
            var _a;
            const targetPenultimateType = options.arraysInObjectsException && (0, ast_utils_1.isOpeningBracketToken)(second) ? "YAMLSequence" : options.objectsInObjectsException && (0, ast_utils_1.isOpeningBraceToken)(second) ? "YAMLMapping" : null;
            return targetPenultimateType && ((_a = sourceCode.getNodeByRangeIndex(second.range[0])) === null || _a === void 0 ? void 0 : _a.type) === targetPenultimateType ? !options.spaced : options.spaced;
          },
          isClosingCurlyBraceMustBeSpaced(penultimate) {
            var _a;
            const targetPenultimateType = options.arraysInObjectsException && (0, ast_utils_1.isClosingBracketToken)(penultimate) ? "YAMLSequence" : options.objectsInObjectsException && (0, ast_utils_1.isClosingBraceToken)(penultimate) ? "YAMLMapping" : null;
            return targetPenultimateType && ((_a = sourceCode.getNodeByRangeIndex(penultimate.range[0])) === null || _a === void 0 ? void 0 : _a.type) === targetPenultimateType ? !options.spaced : options.spaced;
          }
        };
        function reportNoBeginningSpace(node, token) {
          const nextToken = sourceCode.getTokenAfter(token, {
            includeComments: true
          });
          context.report({
            node,
            loc: { start: token.loc.end, end: nextToken.loc.start },
            messageId: "unexpectedSpaceAfter",
            data: {
              token: token.value
            },
            fix(fixer) {
              return fixer.removeRange([token.range[1], nextToken.range[0]]);
            }
          });
        }
        function reportNoEndingSpace(node, token) {
          const previousToken = sourceCode.getTokenBefore(token, {
            includeComments: true
          });
          context.report({
            node,
            loc: { start: previousToken.loc.end, end: token.loc.start },
            messageId: "unexpectedSpaceBefore",
            data: {
              token: token.value
            },
            fix(fixer) {
              return fixer.removeRange([previousToken.range[1], token.range[0]]);
            }
          });
        }
        function reportRequiredBeginningSpace(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "requireSpaceAfter",
            data: {
              token: token.value
            },
            fix(fixer) {
              return fixer.insertTextAfter(token, " ");
            }
          });
        }
        function reportRequiredEndingSpace(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "requireSpaceBefore",
            data: {
              token: token.value
            },
            fix(fixer) {
              return fixer.insertTextBefore(token, " ");
            }
          });
        }
        function validateBraceSpacing(node, first, second, penultimate, last) {
          if ((0, ast_utils_1.isTokenOnSameLine)(first, second)) {
            const firstSpaced = sourceCode.isSpaceBetweenTokens(first, second);
            if (options.isOpeningCurlyBraceMustBeSpaced(second)) {
              if (!firstSpaced)
                reportRequiredBeginningSpace(node, first);
            } else {
              if (firstSpaced && second.type !== "Line")
                reportNoBeginningSpace(node, first);
            }
          }
          if ((0, ast_utils_1.isTokenOnSameLine)(penultimate, last)) {
            const lastSpaced = sourceCode.isSpaceBetweenTokens(penultimate, last);
            if (options.isClosingCurlyBraceMustBeSpaced(penultimate)) {
              if (!lastSpaced)
                reportRequiredEndingSpace(node, last);
            } else {
              if (lastSpaced)
                reportNoEndingSpace(node, last);
            }
          }
        }
        function getClosingBraceOfObject(node) {
          const lastProperty = node.pairs[node.pairs.length - 1];
          return sourceCode.getTokenAfter(lastProperty, ast_utils_1.isClosingBraceToken);
        }
        function checkForObject(node) {
          if (node.pairs.length === 0)
            return;
          const first = sourceCode.getFirstToken(node);
          const last = getClosingBraceOfObject(node);
          const second = sourceCode.getTokenAfter(first, {
            includeComments: true
          });
          const penultimate = sourceCode.getTokenBefore(last, {
            includeComments: true
          });
          validateBraceSpacing(node, first, second, penultimate, last);
        }
        return {
          YAMLMapping(node) {
            if (node.style === "flow") {
              checkForObject(node);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/flow-sequence-bracket-newline.js
var require_flow_sequence_bracket_newline = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/flow-sequence-bracket-newline.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var yaml_1 = require_yaml();
    var ast_utils_1 = require_ast_utils2();
    var compat_1 = require_compat();
    exports2.default = (0, utils_1.createRule)("flow-sequence-bracket-newline", {
      meta: {
        docs: {
          description: "enforce linebreaks after opening and before closing flow sequence brackets",
          categories: ["standard"],
          extensionRule: "array-bracket-newline",
          layout: true
        },
        fixable: "whitespace",
        schema: [
          {
            oneOf: [
              {
                enum: ["always", "never", "consistent"]
              },
              {
                type: "object",
                properties: {
                  multiline: {
                    type: "boolean"
                  },
                  minItems: {
                    type: ["integer", "null"],
                    minimum: 0
                  }
                },
                additionalProperties: false
              }
            ]
          }
        ],
        messages: {
          unexpectedOpeningLinebreak: "There should be no linebreak after '['.",
          unexpectedClosingLinebreak: "There should be no linebreak before ']'.",
          missingOpeningLinebreak: "A linebreak is required after '['.",
          missingClosingLinebreak: "A linebreak is required before ']'."
        },
        type: "layout"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        function normalizeOptionValue(option) {
          let consistent = false;
          let multiline = false;
          let minItems = 0;
          if (option) {
            if (option === "consistent") {
              consistent = true;
              minItems = Number.POSITIVE_INFINITY;
            } else if (option === "always" || typeof option !== "string" && option.minItems === 0) {
              minItems = 0;
            } else if (option === "never") {
              minItems = Number.POSITIVE_INFINITY;
            } else {
              multiline = Boolean(option.multiline);
              minItems = option.minItems || Number.POSITIVE_INFINITY;
            }
          } else {
            consistent = false;
            multiline = true;
            minItems = Number.POSITIVE_INFINITY;
          }
          return { consistent, multiline, minItems };
        }
        function reportNoBeginningLinebreak(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "unexpectedOpeningLinebreak",
            fix(fixer) {
              if ((0, yaml_1.hasTabIndent)(context)) {
                return null;
              }
              const nextToken = sourceCode.getTokenAfter(token, {
                includeComments: true
              });
              if ((0, ast_utils_1.isCommentToken)(nextToken)) {
                return null;
              }
              return fixer.removeRange([token.range[1], nextToken.range[0]]);
            }
          });
        }
        function reportNoEndingLinebreak(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "unexpectedClosingLinebreak",
            fix(fixer) {
              if ((0, yaml_1.hasTabIndent)(context)) {
                return null;
              }
              const previousToken = sourceCode.getTokenBefore(token, {
                includeComments: true
              });
              if ((0, ast_utils_1.isCommentToken)(previousToken)) {
                return null;
              }
              return fixer.removeRange([previousToken.range[1], token.range[0]]);
            }
          });
        }
        function reportRequiredBeginningLinebreak(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "missingOpeningLinebreak",
            fix(fixer) {
              if ((0, yaml_1.hasTabIndent)(context)) {
                return null;
              }
              const indent = (0, yaml_1.incIndent)((0, yaml_1.getActualIndentFromLine)(token.loc.start.line, context), context);
              return fixer.insertTextAfter(token, `
${indent}`);
            }
          });
        }
        function reportRequiredEndingLinebreak(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "missingClosingLinebreak",
            fix(fixer) {
              if ((0, yaml_1.hasTabIndent)(context)) {
                return null;
              }
              const indent = (0, yaml_1.getActualIndentFromLine)(token.loc.start.line, context);
              return fixer.insertTextBefore(token, `
${indent}`);
            }
          });
        }
        function check(node) {
          if ((0, yaml_1.isKeyNode)(node)) {
            return;
          }
          const elements = node.entries;
          const options = normalizeOptionValue(context.options[0]);
          const openBracket = sourceCode.getFirstToken(node);
          const closeBracket = sourceCode.getLastToken(node);
          const firstIncComment = sourceCode.getTokenAfter(openBracket, {
            includeComments: true
          });
          const lastIncComment = sourceCode.getTokenBefore(closeBracket, {
            includeComments: true
          });
          const first = sourceCode.getTokenAfter(openBracket);
          const last = sourceCode.getTokenBefore(closeBracket);
          const needsLinebreaks = elements.length >= options.minItems || options.multiline && elements.length > 0 && firstIncComment.loc.start.line !== lastIncComment.loc.end.line || elements.length === 0 && firstIncComment.type === "Block" && firstIncComment.loc.start.line !== lastIncComment.loc.end.line && firstIncComment === lastIncComment || options.consistent && openBracket.loc.end.line !== first.loc.start.line;
          if (needsLinebreaks) {
            if ((0, ast_utils_1.isTokenOnSameLine)(openBracket, first)) {
              reportRequiredBeginningLinebreak(node, openBracket);
            }
            if ((0, ast_utils_1.isTokenOnSameLine)(last, closeBracket)) {
              reportRequiredEndingLinebreak(node, closeBracket);
            }
          } else {
            if (!(0, ast_utils_1.isTokenOnSameLine)(openBracket, first)) {
              reportNoBeginningLinebreak(node, openBracket);
            }
            if (!(0, ast_utils_1.isTokenOnSameLine)(last, closeBracket)) {
              reportNoEndingLinebreak(node, closeBracket);
            }
          }
        }
        return {
          YAMLSequence(node) {
            if (node.style === "flow") {
              check(node);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/flow-sequence-bracket-spacing.js
var require_flow_sequence_bracket_spacing = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/flow-sequence-bracket-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var compat_1 = require_compat();
    var ast_utils_1 = require_ast_utils2();
    exports2.default = (0, utils_1.createRule)("flow-sequence-bracket-spacing", {
      meta: {
        docs: {
          description: "enforce consistent spacing inside flow sequence brackets",
          categories: ["standard"],
          extensionRule: "array-bracket-spacing",
          layout: true
        },
        type: "layout",
        fixable: "whitespace",
        schema: [
          {
            type: "string",
            enum: ["always", "never"]
          },
          {
            type: "object",
            properties: {
              singleValue: {
                type: "boolean"
              },
              objectsInArrays: {
                type: "boolean"
              },
              arraysInArrays: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          unexpectedSpaceAfter: "There should be no space after '{{tokenValue}}'.",
          unexpectedSpaceBefore: "There should be no space before '{{tokenValue}}'.",
          missingSpaceAfter: "A space is required after '{{tokenValue}}'.",
          missingSpaceBefore: "A space is required before '{{tokenValue}}'."
        }
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        const spaced = context.options[0] === "always";
        function isOptionSet(option) {
          return context.options[1] ? context.options[1][option] === !spaced : false;
        }
        const options = {
          spaced,
          singleElementException: isOptionSet("singleValue"),
          objectsInArraysException: isOptionSet("objectsInArrays"),
          arraysInArraysException: isOptionSet("arraysInArrays"),
          isOpeningBracketMustBeSpaced(node) {
            if (options.singleElementException && node.entries.length === 1) {
              return !options.spaced;
            }
            const firstElement = node.entries[0];
            return firstElement && (options.objectsInArraysException && isObjectType(firstElement) || options.arraysInArraysException && isArrayType(firstElement)) ? !options.spaced : options.spaced;
          },
          isClosingBracketMustBeSpaced(node) {
            if (options.singleElementException && node.entries.length === 1) {
              return !options.spaced;
            }
            const lastElement = node.entries[node.entries.length - 1];
            return lastElement && (options.objectsInArraysException && isObjectType(lastElement) || options.arraysInArraysException && isArrayType(lastElement)) ? !options.spaced : options.spaced;
          }
        };
        function reportNoBeginningSpace(node, token) {
          const nextToken = sourceCode.getTokenAfter(token);
          context.report({
            node,
            loc: { start: token.loc.end, end: nextToken.loc.start },
            messageId: "unexpectedSpaceAfter",
            data: {
              tokenValue: token.value
            },
            fix(fixer) {
              return fixer.removeRange([token.range[1], nextToken.range[0]]);
            }
          });
        }
        function reportNoEndingSpace(node, token) {
          const previousToken = sourceCode.getTokenBefore(token);
          context.report({
            node,
            loc: { start: previousToken.loc.end, end: token.loc.start },
            messageId: "unexpectedSpaceBefore",
            data: {
              tokenValue: token.value
            },
            fix(fixer) {
              return fixer.removeRange([previousToken.range[1], token.range[0]]);
            }
          });
        }
        function reportRequiredBeginningSpace(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "missingSpaceAfter",
            data: {
              tokenValue: token.value
            },
            fix(fixer) {
              return fixer.insertTextAfter(token, " ");
            }
          });
        }
        function reportRequiredEndingSpace(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "missingSpaceBefore",
            data: {
              tokenValue: token.value
            },
            fix(fixer) {
              return fixer.insertTextBefore(token, " ");
            }
          });
        }
        function isObjectType(node) {
          return node && node.type === "YAMLMapping";
        }
        function isArrayType(node) {
          return node && node.type === "YAMLSequence";
        }
        function validateArraySpacing(node) {
          if (options.spaced && node.entries.length === 0)
            return;
          const first = sourceCode.getFirstToken(node);
          const last = sourceCode.getLastToken(node);
          const second = sourceCode.getTokenAfter(first, {
            includeComments: true
          });
          const penultimate = sourceCode.getTokenBefore(last, {
            includeComments: true
          });
          if ((0, ast_utils_1.isTokenOnSameLine)(first, second)) {
            if (options.isOpeningBracketMustBeSpaced(node)) {
              if (!sourceCode.isSpaceBetweenTokens(first, second))
                reportRequiredBeginningSpace(node, first);
            } else {
              if (sourceCode.isSpaceBetweenTokens(first, second))
                reportNoBeginningSpace(node, first);
            }
          }
          if (first !== penultimate && (0, ast_utils_1.isTokenOnSameLine)(penultimate, last)) {
            if (options.isClosingBracketMustBeSpaced(node)) {
              if (!sourceCode.isSpaceBetweenTokens(penultimate, last))
                reportRequiredEndingSpace(node, last);
            } else {
              if (sourceCode.isSpaceBetweenTokens(penultimate, last))
                reportNoEndingSpace(node, last);
            }
          }
        }
        return {
          YAMLSequence(node) {
            if (node.style === "flow") {
              validateArraySpacing(node);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/indent.js
var require_indent3 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/indent.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var yaml_1 = require_yaml();
    var ast_utils_1 = require_ast_utils2();
    var compat_1 = require_compat();
    var ITERATION_OPTS = Object.freeze({
      includeComments: true
    });
    function parseOptions(context) {
      const [indentOption, objectOptions] = context.options;
      const numOfIndent = (0, yaml_1.getNumOfIndent)(context, indentOption);
      let indentBlockSequences = true;
      let indicatorValueIndent = numOfIndent;
      if (objectOptions) {
        if (objectOptions.indentBlockSequences === false) {
          indentBlockSequences = false;
        }
        if (objectOptions.indicatorValueIndent != null) {
          indicatorValueIndent = objectOptions.indicatorValueIndent;
        }
      }
      return {
        numOfIndent,
        indentBlockSequences,
        indicatorValueIndent
      };
    }
    exports2.default = (0, utils_1.createRule)("indent", {
      meta: {
        docs: {
          description: "enforce consistent indentation",
          categories: ["standard"],
          extensionRule: false,
          layout: true
        },
        fixable: "whitespace",
        schema: [
          {
            type: "integer",
            minimum: 2
          },
          {
            type: "object",
            properties: {
              indentBlockSequences: { type: "boolean" },
              indicatorValueIndent: {
                type: "integer",
                minimum: 2
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          wrongIndentation: "Expected indentation of {{expected}} spaces but found {{actual}} spaces."
        },
        type: "layout"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        if ((0, yaml_1.hasTabIndent)(context)) {
          return {};
        }
        const { numOfIndent, indentBlockSequences, indicatorValueIndent } = parseOptions(context);
        const indents = /* @__PURE__ */ new Map();
        const indicators = /* @__PURE__ */ new Set();
        const blockLiteralMarks = /* @__PURE__ */ new Set();
        const scalars = /* @__PURE__ */ new Map();
        function setOffset(token, offset, baseToken, options) {
          setIndent(token, offset * numOfIndent, baseToken, options && {
            indentWhenBaseIsNotFirst: options.offsetWhenBaseIsNotFirst && options.offsetWhenBaseIsNotFirst * numOfIndent
          });
        }
        function setIndent(token, indent, baseToken, options) {
          var _a;
          if (token == null) {
            return;
          }
          if (Array.isArray(token)) {
            for (const t of token) {
              setIndent(t, indent, baseToken, options);
            }
          } else {
            indents.set(token, {
              baseToken,
              indent,
              indentWhenBaseIsNotFirst: (_a = options === null || options === void 0 ? void 0 : options.indentWhenBaseIsNotFirst) !== null && _a !== void 0 ? _a : null
            });
          }
        }
        function processNodeList(nodeList, left, right, offset) {
          let lastToken = left;
          const alignTokens = /* @__PURE__ */ new Set();
          for (const node of nodeList) {
            if (node == null) {
              continue;
            }
            const elementTokens = {
              firstToken: sourceCode.getFirstToken(node),
              lastToken: sourceCode.getLastToken(node)
            };
            let t = lastToken;
            while ((t = sourceCode.getTokenAfter(t, ITERATION_OPTS)) != null && t.range[1] <= elementTokens.firstToken.range[0]) {
              alignTokens.add(t);
            }
            alignTokens.add(elementTokens.firstToken);
            lastToken = elementTokens.lastToken;
          }
          if (right != null) {
            let t = lastToken;
            while ((t = sourceCode.getTokenAfter(t, ITERATION_OPTS)) != null && t.range[1] <= right.range[0]) {
              alignTokens.add(t);
            }
          }
          alignTokens.delete(left);
          setOffset([...alignTokens], offset, left);
          if (right != null) {
            setOffset(right, 0, left);
          }
        }
        function calcMappingPairValueIndent(node, indent) {
          if (indentBlockSequences) {
            return indent;
          }
          if (node.type === "YAMLSequence" && node.style === "block") {
            return 0;
          }
          return indent;
        }
        function calcIndicatorValueIndent(token) {
          return isBeginningToken(token) ? indicatorValueIndent : numOfIndent;
        }
        function isBeginningToken(token) {
          const before = sourceCode.getTokenBefore(token, (t) => !indicators.has(t));
          if (!before)
            return true;
          return before.loc.end.line < token.loc.start.line;
        }
        const documents = [];
        return {
          YAMLDocument(node) {
            documents.push(node);
            const first = sourceCode.getFirstToken(node, ITERATION_OPTS);
            if (!first) {
              return;
            }
            indents.set(first, {
              baseToken: null,
              indentWhenBaseIsNotFirst: null,
              indent: 0,
              expectedIndent: 0
            });
            processNodeList([...node.directives, node.content], first, null, 0);
          },
          YAMLMapping(node) {
            if (node.style === "flow") {
              const open = sourceCode.getFirstToken(node);
              const close = sourceCode.getLastToken(node);
              processNodeList(node.pairs, open, close, 1);
            } else if (node.style === "block") {
              const first = sourceCode.getFirstToken(node);
              processNodeList(node.pairs, first, null, 0);
            }
          },
          YAMLSequence(node) {
            if (node.style === "flow") {
              const open = sourceCode.getFirstToken(node);
              const close = sourceCode.getLastToken(node);
              processNodeList(node.entries, open, close, 1);
            } else if (node.style === "block") {
              const first = sourceCode.getFirstToken(node);
              processNodeList(node.entries, first, null, 0);
              for (const entry of node.entries) {
                if (!entry) {
                  continue;
                }
                const hyphen = sourceCode.getTokenBefore(entry, ast_utils_1.isHyphen);
                indicators.add(hyphen);
                const entryToken = sourceCode.getFirstToken(entry);
                setIndent(entryToken, calcIndicatorValueIndent(hyphen), hyphen);
              }
            }
          },
          YAMLPair(node) {
            const pairFirst = sourceCode.getFirstToken(node);
            const keyToken = node.key && sourceCode.getFirstToken(node.key);
            const colonToken = findColonToken();
            const questionToken = (0, ast_utils_1.isQuestion)(pairFirst) ? pairFirst : null;
            if (questionToken) {
              indicators.add(questionToken);
              if (node.key) {
                setIndent(keyToken, calcMappingPairValueIndent(node.key, calcIndicatorValueIndent(questionToken)), questionToken);
              }
            }
            if (colonToken) {
              indicators.add(colonToken);
              if (questionToken) {
                setOffset(colonToken, 0, questionToken, {
                  offsetWhenBaseIsNotFirst: 1
                });
              } else if (keyToken) {
                setOffset(colonToken, 1, keyToken);
              }
            }
            if (node.value) {
              const valueToken = sourceCode.getFirstToken(node.value);
              if (colonToken) {
                setIndent(valueToken, calcMappingPairValueIndent(node.value, calcIndicatorValueIndent(colonToken)), colonToken);
              } else if (keyToken) {
                setOffset(valueToken, 1, keyToken);
              }
            }
            function findColonToken() {
              if (node.value) {
                return sourceCode.getTokenBefore(node.value, ast_utils_1.isColon);
              }
              if (node.key) {
                const token = sourceCode.getTokenAfter(node.key, ast_utils_1.isColon);
                if (token && token.range[0] < node.range[1]) {
                  return token;
                }
              }
              const tokens = sourceCode.getTokens(node, ast_utils_1.isColon);
              if (tokens.length) {
                return tokens[0];
              }
              return null;
            }
          },
          YAMLWithMeta(node) {
            const anchorToken = node.anchor && sourceCode.getFirstToken(node.anchor);
            const tagToken = node.tag && sourceCode.getFirstToken(node.tag);
            let baseToken;
            if (anchorToken && tagToken) {
              if (anchorToken.range[0] < tagToken.range[0]) {
                setOffset(tagToken, 0, anchorToken, {
                  offsetWhenBaseIsNotFirst: 1
                });
                baseToken = anchorToken;
              } else {
                setOffset(anchorToken, 0, tagToken, {
                  offsetWhenBaseIsNotFirst: 1
                });
                baseToken = tagToken;
              }
            } else {
              baseToken = anchorToken || tagToken;
            }
            if (node.value) {
              const valueToken = sourceCode.getFirstToken(node.value);
              setOffset(valueToken, 1, baseToken);
            }
          },
          YAMLScalar(node) {
            if (node.style === "folded" || node.style === "literal") {
              if (!node.value.trim()) {
                return;
              }
              const mark = sourceCode.getFirstToken(node);
              const literal = sourceCode.getLastToken(node);
              setOffset(literal, 1, mark);
              scalars.set(literal, node);
              blockLiteralMarks.add(mark);
            } else {
              scalars.set(sourceCode.getFirstToken(node), node);
            }
          },
          "Program:exit"(node) {
            const lineIndentsWk = [];
            let tokensOnSameLine = [];
            for (const token of sourceCode.getTokens(node, ITERATION_OPTS)) {
              if (tokensOnSameLine.length === 0 || tokensOnSameLine[0].loc.start.line === token.loc.start.line) {
                tokensOnSameLine.push(token);
              } else {
                const lineIndent = processExpectedIndent(tokensOnSameLine);
                lineIndentsWk[lineIndent.line] = lineIndent;
                tokensOnSameLine = [token];
              }
            }
            if (tokensOnSameLine.length >= 1) {
              const lineIndent = processExpectedIndent(tokensOnSameLine);
              lineIndentsWk[lineIndent.line] = lineIndent;
            }
            const lineIndents = processMissingLines(lineIndentsWk);
            validateLines(lineIndents);
          }
        };
        function processExpectedIndent(lineTokens) {
          const lastToken = lineTokens[lineTokens.length - 1];
          let lineExpectedIndent = null;
          let cacheExpectedIndent = null;
          const indicatorData = [];
          const firstToken = lineTokens.shift();
          let token = firstToken;
          let expectedIndent = getExpectedIndent(token);
          if (expectedIndent != null) {
            lineExpectedIndent = expectedIndent;
            cacheExpectedIndent = expectedIndent;
          }
          while (token && indicators.has(token) && expectedIndent != null) {
            const nextToken = lineTokens.shift();
            if (!nextToken) {
              break;
            }
            const nextExpectedIndent = getExpectedIndent(nextToken);
            if (nextExpectedIndent == null || expectedIndent >= nextExpectedIndent) {
              lineTokens.unshift(nextToken);
              break;
            }
            indicatorData.push({
              indicator: token,
              next: nextToken,
              expectedOffset: nextExpectedIndent - expectedIndent - 1,
              actualOffset: nextToken.range[0] - token.range[1]
            });
            if (blockLiteralMarks.has(nextToken)) {
              lineTokens.unshift(nextToken);
              break;
            }
            token = nextToken;
            expectedIndent = nextExpectedIndent;
            cacheExpectedIndent = expectedIndent;
          }
          if (lineExpectedIndent == null) {
            while ((token = lineTokens.shift()) != null) {
              lineExpectedIndent = getExpectedIndent(token);
              if (lineExpectedIndent != null) {
                break;
              }
            }
          }
          const scalarNode = scalars.get(lastToken);
          if (scalarNode) {
            lineTokens.pop();
          }
          if (cacheExpectedIndent != null) {
            while ((token = lineTokens.shift()) != null) {
              const indent = indents.get(token);
              if (indent) {
                indent.expectedIndent = cacheExpectedIndent;
              }
            }
          }
          let lastScalar = null;
          if (scalarNode) {
            const expectedScalarIndent = getExpectedIndent(lastToken);
            if (expectedScalarIndent != null) {
              lastScalar = {
                expectedIndent: expectedScalarIndent,
                token: lastToken,
                node: scalarNode
              };
            }
          }
          const { line, column } = firstToken.loc.start;
          return {
            expectedIndent: lineExpectedIndent,
            actualIndent: column,
            firstToken,
            line,
            indicatorData,
            lastScalar
          };
        }
        function getExpectedIndent(token) {
          if (token.type === "Marker") {
            return 0;
          }
          const indent = indents.get(token);
          if (!indent) {
            return null;
          }
          if (indent.expectedIndent != null) {
            return indent.expectedIndent;
          }
          if (indent.baseToken == null) {
            return null;
          }
          const baseIndent = getExpectedIndent(indent.baseToken);
          if (baseIndent == null) {
            return null;
          }
          let offsetIndent = indent.indent;
          if (offsetIndent === 0 && indent.indentWhenBaseIsNotFirst != null) {
            let before = indent.baseToken;
            while ((before = sourceCode.getTokenBefore(before, ITERATION_OPTS)) != null) {
              if (!indicators.has(before)) {
                break;
              }
            }
            if ((before === null || before === void 0 ? void 0 : before.loc.end.line) === indent.baseToken.loc.start.line) {
              offsetIndent = indent.indentWhenBaseIsNotFirst;
            }
          }
          return indent.expectedIndent = baseIndent + offsetIndent;
        }
        function processMissingLines(lineIndents) {
          const results = [];
          const commentLines = [];
          for (const lineIndent of lineIndents) {
            if (!lineIndent) {
              continue;
            }
            const line = lineIndent.line;
            if (lineIndent.firstToken.type === "Block") {
              const last = commentLines[commentLines.length - 1];
              if (last && last.range[1] === line - 1) {
                last.range[1] = line;
                last.commentLineIndents.push(lineIndent);
              } else {
                commentLines.push({
                  range: [line, line],
                  commentLineIndents: [lineIndent]
                });
              }
            } else if (lineIndent.expectedIndent != null) {
              const indent = {
                line,
                expectedIndent: lineIndent.expectedIndent,
                actualIndent: lineIndent.actualIndent,
                indicatorData: lineIndent.indicatorData
              };
              if (!results[line]) {
                results[line] = indent;
              }
              if (lineIndent.lastScalar) {
                const scalarNode = lineIndent.lastScalar.node;
                if (scalarNode.style === "literal" || scalarNode.style === "folded") {
                  processBlockLiteral(indent, scalarNode, lineIndent.lastScalar.expectedIndent);
                } else {
                  processScalar(indent, scalarNode, lineIndent.lastScalar.expectedIndent);
                }
              }
            }
          }
          processComments(commentLines, lineIndents);
          return results;
          function processComments(commentLines2, lineIndents2) {
            var _a;
            for (const { range, commentLineIndents } of commentLines2) {
              let prev = results.slice(0, range[0]).filter((data) => data).pop();
              const next = results.slice(range[1] + 1).filter((data) => data).shift();
              if (isBlockLiteral(prev)) {
                prev = void 0;
              }
              const expectedIndents = [];
              let either;
              if (prev && next) {
                expectedIndents.unshift(next.expectedIndent);
                if (next.expectedIndent < prev.expectedIndent) {
                  let indent = next.expectedIndent + numOfIndent;
                  while (indent <= prev.expectedIndent) {
                    expectedIndents.unshift(indent);
                    indent += numOfIndent;
                  }
                }
              } else if (either = prev || next) {
                expectedIndents.unshift(either.expectedIndent);
                if (!next) {
                  let indent = either.expectedIndent - numOfIndent;
                  while (indent >= 0) {
                    expectedIndents.push(indent);
                    indent -= numOfIndent;
                  }
                }
              }
              if (!expectedIndents.length) {
                continue;
              }
              let expectedIndent = expectedIndents[0];
              for (const commentLineIndent of commentLineIndents) {
                if (results[commentLineIndent.line]) {
                  continue;
                }
                expectedIndent = Math.min((_a = expectedIndents.find((indent, index) => {
                  var _a2;
                  if (indent <= commentLineIndent.actualIndent) {
                    return true;
                  }
                  const prev2 = (_a2 = expectedIndents[index + 1]) !== null && _a2 !== void 0 ? _a2 : -1;
                  return prev2 < commentLineIndent.actualIndent && commentLineIndent.actualIndent < indent;
                })) !== null && _a !== void 0 ? _a : expectedIndent, expectedIndent);
                results[commentLineIndent.line] = {
                  line: commentLineIndent.line,
                  expectedIndent,
                  actualIndent: commentLineIndent.actualIndent,
                  indicatorData: commentLineIndent.indicatorData
                };
              }
            }
            function isBlockLiteral(prev) {
              if (!prev) {
                return false;
              }
              for (let prevLine = prev.line; prevLine >= 0; prevLine--) {
                const prevLineIndent = lineIndents2[prev.line];
                if (!prevLineIndent) {
                  continue;
                }
                if (prevLineIndent.lastScalar) {
                  const scalarNode = prevLineIndent.lastScalar.node;
                  if (scalarNode.style === "literal" || scalarNode.style === "folded") {
                    if (scalarNode.loc.start.line <= prev.line && prev.line <= scalarNode.loc.end.line) {
                      return true;
                    }
                  }
                }
                return false;
              }
              return false;
            }
          }
          function processBlockLiteral(lineIndent, scalarNode, expectedIndent) {
            if (scalarNode.indent != null) {
              if (lineIndent.expectedIndent < lineIndent.actualIndent) {
                lineIndent.expectedIndent = lineIndent.actualIndent;
                return;
              }
              lineIndent.indentBlockScalar = {
                node: scalarNode
              };
            }
            const firstLineActualIndent = lineIndent.actualIndent;
            for (let scalarLine = lineIndent.line + 1; scalarLine <= scalarNode.loc.end.line; scalarLine++) {
              const actualLineIndent = getActualLineIndent(scalarLine);
              if (actualLineIndent == null) {
                continue;
              }
              const scalarActualIndent = Math.min(firstLineActualIndent, actualLineIndent);
              results[scalarLine] = {
                line: scalarLine,
                expectedIndent,
                actualIndent: scalarActualIndent,
                indicatorData: []
              };
            }
          }
          function processScalar(lineIndent, scalarNode, expectedIndent) {
            for (let scalarLine = lineIndent.line + 1; scalarLine <= scalarNode.loc.end.line; scalarLine++) {
              const scalarActualIndent = getActualLineIndent(scalarLine);
              if (scalarActualIndent == null) {
                continue;
              }
              results[scalarLine] = {
                line: scalarLine,
                expectedIndent,
                actualIndent: scalarActualIndent,
                indicatorData: []
              };
            }
          }
        }
        function validateLines(lineIndents) {
          for (const lineIndent of lineIndents) {
            if (!lineIndent) {
              continue;
            }
            if (lineIndent.actualIndent !== lineIndent.expectedIndent) {
              context.report({
                loc: {
                  start: {
                    line: lineIndent.line,
                    column: 0
                  },
                  end: {
                    line: lineIndent.line,
                    column: lineIndent.actualIndent
                  }
                },
                messageId: "wrongIndentation",
                data: {
                  expected: String(lineIndent.expectedIndent),
                  actual: String(lineIndent.actualIndent)
                },
                fix: buildFix(lineIndent, lineIndents)
              });
            } else if (lineIndent.indicatorData.length) {
              for (const indicatorData of lineIndent.indicatorData) {
                if (indicatorData.actualOffset !== indicatorData.expectedOffset) {
                  const indicatorLoc = indicatorData.indicator.loc.end;
                  const loc = indicatorData.next.loc.start;
                  context.report({
                    loc: {
                      start: indicatorLoc,
                      end: loc
                    },
                    messageId: "wrongIndentation",
                    data: {
                      expected: String(indicatorData.expectedOffset),
                      actual: String(indicatorData.actualOffset)
                    },
                    fix: buildFix(lineIndent, lineIndents)
                  });
                }
              }
            }
          }
        }
        function buildFix(lineIndent, lineIndents) {
          var _a;
          const { line, expectedIndent } = lineIndent;
          const document2 = documents.find((doc) => doc.loc.start.line <= line && line <= doc.loc.end.line) || sourceCode.ast;
          let startLine = document2.loc.start.line;
          let endLine = document2.loc.end.line;
          for (let lineIndex = line - 1; lineIndex >= document2.loc.start.line; lineIndex--) {
            const li = lineIndents[lineIndex];
            if (!li) {
              continue;
            }
            if (li.expectedIndent < expectedIndent) {
              if (expectedIndent <= li.actualIndent) {
                return null;
              }
              for (const indicator of li.indicatorData) {
                if (indicator.actualOffset !== indicator.expectedOffset) {
                  return null;
                }
              }
              startLine = lineIndex + 1;
              break;
            }
          }
          for (let lineIndex = line + 1; lineIndex <= document2.loc.end.line; lineIndex++) {
            const li = lineIndents[lineIndex];
            if (!li) {
              continue;
            }
            if (li && li.expectedIndent < expectedIndent) {
              if (expectedIndent <= li.actualIndent) {
                return null;
              }
              endLine = lineIndex - 1;
              break;
            }
          }
          for (let lineIndex = startLine; lineIndex <= endLine; lineIndex++) {
            const li = lineIndents[lineIndex];
            if (li === null || li === void 0 ? void 0 : li.indentBlockScalar) {
              const blockLiteral = li.indentBlockScalar.node;
              const diff = li.expectedIndent - li.actualIndent;
              const mark = sourceCode.getFirstToken(blockLiteral);
              const num = (_a = /\d+/u.exec(mark.value)) === null || _a === void 0 ? void 0 : _a[0];
              if (num != null) {
                const newIndent = Number(num) + diff;
                if (newIndent >= 10) {
                  return null;
                }
              }
            }
          }
          return function* (fixer) {
            let stacks = null;
            for (let lineIndex = startLine; lineIndex <= endLine; lineIndex++) {
              const li = lineIndents[lineIndex];
              if (!li) {
                continue;
              }
              const lineExpectedIndent = li.expectedIndent;
              if (stacks == null) {
                if (li.expectedIndent !== li.actualIndent) {
                  yield* fixLine(fixer, li);
                }
              } else {
                if (stacks.indent < lineExpectedIndent) {
                  stacks = {
                    indent: lineExpectedIndent,
                    parentIndent: stacks.indent,
                    upper: stacks
                  };
                } else if (lineExpectedIndent < stacks.indent) {
                  stacks = stacks.upper;
                }
                if (li.actualIndent <= stacks.parentIndent) {
                  yield* fixLine(fixer, li);
                }
              }
              if (li.indicatorData) {
                for (const indicatorData of li.indicatorData) {
                  yield fixer.replaceTextRange([indicatorData.indicator.range[1], indicatorData.next.range[0]], " ".repeat(indicatorData.expectedOffset));
                }
              }
            }
          };
        }
        function* fixLine(fixer, li) {
          if (li.indentBlockScalar) {
            const blockLiteral = li.indentBlockScalar.node;
            const diff = li.expectedIndent - li.actualIndent;
            const mark = sourceCode.getFirstToken(blockLiteral);
            yield fixer.replaceText(mark, mark.value.replace(/\d+/u, (num) => `${Number(num) + diff}`));
          }
          const expectedIndent = li.expectedIndent;
          yield fixer.replaceTextRange([
            sourceCode.getIndexFromLoc({
              line: li.line,
              column: 0
            }),
            sourceCode.getIndexFromLoc({
              line: li.line,
              column: li.actualIndent
            })
          ], " ".repeat(expectedIndent));
        }
        function getActualLineIndent(line) {
          const lineText = sourceCode.lines[line - 1];
          if (!lineText.length) {
            return null;
          }
          return /^\s*/u.exec(lineText)[0].length;
        }
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/utils/casing.js
var require_casing2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/utils/casing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getExactConverter = exports2.getConverter = exports2.getChecker = exports2.isPascalCase = exports2.pascalCase = exports2.isCamelCase = exports2.camelCase = exports2.isScreamingSnakeCase = exports2.screamingSnakeCase = exports2.isSnakeCase = exports2.snakeCase = exports2.isKebabCase = exports2.kebabCase = exports2.allowedCaseOptions = void 0;
    exports2.allowedCaseOptions = [
      "camelCase",
      "kebab-case",
      "PascalCase",
      "snake_case",
      "SCREAMING_SNAKE_CASE"
    ];
    function capitalize2(str) {
      return str.charAt(0).toUpperCase() + str.slice(1);
    }
    function hasSymbols(str) {
      return /[\u0021-\u0023\u0025-\u002c./\u003a-\u0040\u005b-\u005e`\u007b-\u007d]/u.test(str);
    }
    function hasUpper(str) {
      return /[A-Z]/u.test(str);
    }
    function hasLower(str) {
      return /[a-z]/u.test(str);
    }
    function kebabCase2(str) {
      let res = str.replace(/_/gu, "-");
      if (hasLower(res)) {
        res = res.replace(/\B([A-Z])/gu, "-$1");
      }
      return res.toLowerCase();
    }
    exports2.kebabCase = kebabCase2;
    function isKebabCase(str) {
      if (hasUpper(str) || hasSymbols(str) || str.startsWith("-") || /_|--|\s/u.test(str)) {
        return false;
      }
      return true;
    }
    exports2.isKebabCase = isKebabCase;
    function snakeCase2(str) {
      let res = str.replace(/-/gu, "_");
      if (hasLower(res)) {
        res = res.replace(/\B([A-Z])/gu, "_$1");
      }
      return res.toLowerCase();
    }
    exports2.snakeCase = snakeCase2;
    function isSnakeCase(str) {
      if (hasUpper(str) || hasSymbols(str) || /-|__|\s/u.test(str)) {
        return false;
      }
      return true;
    }
    exports2.isSnakeCase = isSnakeCase;
    function screamingSnakeCase(str) {
      let res = str.replace(/-/gu, "_");
      if (hasLower(res)) {
        res = res.replace(/\B([A-Z])/gu, "_$1");
      }
      return res.toUpperCase();
    }
    exports2.screamingSnakeCase = screamingSnakeCase;
    function isScreamingSnakeCase(str) {
      if (hasLower(str) || hasSymbols(str) || /-|__|\s/u.test(str)) {
        return false;
      }
      return true;
    }
    exports2.isScreamingSnakeCase = isScreamingSnakeCase;
    function camelCase2(str) {
      if (isPascalCase(str)) {
        return str.charAt(0).toLowerCase() + str.slice(1);
      }
      let s = str;
      if (!hasLower(s)) {
        s = s.toLowerCase();
      }
      return s.replace(/[-_](\w)/gu, (_, c) => c ? c.toUpperCase() : "");
    }
    exports2.camelCase = camelCase2;
    function isCamelCase(str) {
      if (hasSymbols(str) || /^[A-Z]/u.test(str) || /[\s\-_]/u.test(str)) {
        return false;
      }
      return true;
    }
    exports2.isCamelCase = isCamelCase;
    function pascalCase2(str) {
      return capitalize2(camelCase2(str));
    }
    exports2.pascalCase = pascalCase2;
    function isPascalCase(str) {
      if (hasSymbols(str) || /^[a-z]/u.test(str) || /[\s\-_]/u.test(str)) {
        return false;
      }
      return true;
    }
    exports2.isPascalCase = isPascalCase;
    var convertersMap = {
      "kebab-case": kebabCase2,
      snake_case: snakeCase2,
      SCREAMING_SNAKE_CASE: screamingSnakeCase,
      camelCase: camelCase2,
      PascalCase: pascalCase2
    };
    var checkersMap = {
      "kebab-case": isKebabCase,
      snake_case: isSnakeCase,
      SCREAMING_SNAKE_CASE: isScreamingSnakeCase,
      camelCase: isCamelCase,
      PascalCase: isPascalCase
    };
    function getChecker(name) {
      return checkersMap[name] || isPascalCase;
    }
    exports2.getChecker = getChecker;
    function getConverter(name) {
      return convertersMap[name] || pascalCase2;
    }
    exports2.getConverter = getConverter;
    function getExactConverter(name) {
      const converter = getConverter(name);
      const checker = getChecker(name);
      return (str) => {
        const result = converter(str);
        return checker(result) ? result : str;
      };
    }
    exports2.getExactConverter = getExactConverter;
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/key-name-casing.js
var require_key_name_casing2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/key-name-casing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var yaml_eslint_parser_1 = require_lib21();
    var utils_1 = require_utils11();
    var casing_1 = require_casing2();
    var casing_2 = require_casing2();
    var compat_1 = require_compat();
    exports2.default = (0, utils_1.createRule)("key-name-casing", {
      meta: {
        docs: {
          description: "enforce naming convention to key names",
          categories: null,
          extensionRule: false,
          layout: false
        },
        schema: [
          {
            type: "object",
            properties: {
              camelCase: {
                type: "boolean",
                default: true
              },
              PascalCase: {
                type: "boolean",
                default: false
              },
              SCREAMING_SNAKE_CASE: {
                type: "boolean",
                default: false
              },
              "kebab-case": {
                type: "boolean",
                default: false
              },
              snake_case: {
                type: "boolean",
                default: false
              },
              ignores: {
                type: "array",
                items: {
                  type: "string"
                },
                uniqueItems: true,
                additionalItems: false
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          doesNotMatchFormat: "Key name `{{name}}` must match one of the following formats: {{formats}}"
        },
        type: "suggestion"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        const option = Object.assign({}, context.options[0]);
        if (option.camelCase !== false) {
          option.camelCase = true;
        }
        const ignores2 = option.ignores ? option.ignores.map((ignore2) => new RegExp(ignore2)) : [];
        const formats = Object.keys(option).filter((key) => casing_2.allowedCaseOptions.includes(key)).filter((key) => option[key]);
        const checkers = formats.map(casing_1.getChecker);
        function isValid2(name) {
          if (ignores2.some((regex) => regex.test(name))) {
            return true;
          }
          return checkers.length ? checkers.some((c) => c(name)) : true;
        }
        return {
          YAMLPair(node) {
            if (!node.key) {
              return;
            }
            const name = String((0, yaml_eslint_parser_1.getStaticYAMLValue)(node.key));
            if (!isValid2(name)) {
              context.report({
                loc: node.key.loc,
                messageId: "doesNotMatchFormat",
                data: {
                  name,
                  formats: formats.join(", ")
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/key-spacing.js
var require_key_spacing3 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/key-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var ast_utils_1 = require_ast_utils2();
    var compat_1 = require_compat();
    function containsLineTerminator(str) {
      return /[\n\r\u2028\u2029]/u.test(str);
    }
    function last(arr) {
      return arr[arr.length - 1];
    }
    function isSingleLine(node) {
      return node.loc.end.line === node.loc.start.line;
    }
    function isSingleLineProperties(properties) {
      const [firstProp] = properties;
      const lastProp = last(properties);
      return firstProp.loc.start.line === lastProp.loc.end.line;
    }
    function initOptionProperty(fromOptions) {
      const mode = fromOptions.mode || "strict";
      let beforeColon, afterColon;
      if (typeof fromOptions.beforeColon !== "undefined") {
        beforeColon = fromOptions.beforeColon;
      } else {
        beforeColon = false;
      }
      if (typeof fromOptions.afterColon !== "undefined") {
        afterColon = fromOptions.afterColon;
      } else {
        afterColon = true;
      }
      let align = void 0;
      if (typeof fromOptions.align !== "undefined") {
        if (typeof fromOptions.align === "object") {
          align = fromOptions.align;
        } else {
          align = {
            on: fromOptions.align,
            mode,
            beforeColon,
            afterColon
          };
        }
      }
      return {
        mode,
        beforeColon,
        afterColon,
        align
      };
    }
    function initOptions(fromOptions) {
      let align, multiLine, singleLine;
      if (typeof fromOptions.align === "object") {
        align = Object.assign(Object.assign({}, initOptionProperty(fromOptions.align)), { on: fromOptions.align.on || "colon", mode: fromOptions.align.mode || "strict" });
        multiLine = initOptionProperty(fromOptions.multiLine || fromOptions);
        singleLine = initOptionProperty(fromOptions.singleLine || fromOptions);
      } else {
        multiLine = initOptionProperty(fromOptions.multiLine || fromOptions);
        singleLine = initOptionProperty(fromOptions.singleLine || fromOptions);
        if (multiLine.align) {
          align = {
            on: multiLine.align.on,
            mode: multiLine.align.mode || multiLine.mode,
            beforeColon: multiLine.align.beforeColon,
            afterColon: multiLine.align.afterColon
          };
        }
      }
      return {
        align,
        multiLine,
        singleLine
      };
    }
    var ON_SCHEMA = {
      enum: ["colon", "value"]
    };
    var OBJECT_WITHOUT_ON_SCHEMA = {
      type: "object",
      properties: {
        mode: {
          enum: ["strict", "minimum"]
        },
        beforeColon: {
          type: "boolean"
        },
        afterColon: {
          type: "boolean"
        }
      },
      additionalProperties: false
    };
    var ALIGN_OBJECT_SCHEMA = {
      type: "object",
      properties: Object.assign({ on: ON_SCHEMA }, OBJECT_WITHOUT_ON_SCHEMA.properties),
      additionalProperties: false
    };
    exports2.default = (0, utils_1.createRule)("key-spacing", {
      meta: {
        docs: {
          description: "enforce consistent spacing between keys and values in mapping pairs",
          categories: ["standard"],
          extensionRule: "key-spacing",
          layout: true
        },
        fixable: "whitespace",
        schema: [
          {
            anyOf: [
              {
                type: "object",
                properties: Object.assign({ align: {
                  anyOf: [ON_SCHEMA, ALIGN_OBJECT_SCHEMA]
                } }, OBJECT_WITHOUT_ON_SCHEMA.properties),
                additionalProperties: false
              },
              {
                type: "object",
                properties: {
                  singleLine: OBJECT_WITHOUT_ON_SCHEMA,
                  multiLine: {
                    type: "object",
                    properties: Object.assign({ align: {
                      anyOf: [ON_SCHEMA, ALIGN_OBJECT_SCHEMA]
                    } }, OBJECT_WITHOUT_ON_SCHEMA.properties),
                    additionalProperties: false
                  }
                },
                additionalProperties: false
              },
              {
                type: "object",
                properties: {
                  singleLine: OBJECT_WITHOUT_ON_SCHEMA,
                  multiLine: OBJECT_WITHOUT_ON_SCHEMA,
                  align: ALIGN_OBJECT_SCHEMA
                },
                additionalProperties: false
              }
            ]
          }
        ],
        messages: {
          extraKey: "Extra space after key '{{key}}'.",
          extraValue: "Extra space before value for key '{{key}}'.",
          missingKey: "Missing space after key '{{key}}'.",
          missingValue: "Missing space before value for key '{{key}}'."
        },
        type: "layout"
      },
      create: create119
    });
    function create119(context) {
      const sourceCode = (0, compat_1.getSourceCode)(context);
      if (!sourceCode.parserServices.isYAML) {
        return {};
      }
      const options = context.options[0] || {};
      const { multiLine: multiLineOptions, singleLine: singleLineOptions, align: alignmentOptions } = initOptions(options);
      function isKeyValueProperty(property) {
        return property.key != null && property.value != null;
      }
      function getLastTokenBeforeColon(node) {
        const colonToken = sourceCode.getTokenAfter(node, ast_utils_1.isColon);
        return sourceCode.getTokenBefore(colonToken);
      }
      function getNextColon(node) {
        return sourceCode.getTokenAfter(node, ast_utils_1.isColon);
      }
      function getKey(property) {
        const key = property.key;
        if (key.type !== "YAMLScalar") {
          return sourceCode.getText().slice(key.range[0], key.range[1]);
        }
        return String(key.value);
      }
      function canChangeSpaces(property, side) {
        if (side === "value") {
          const before = sourceCode.getTokenBefore(property.key);
          if ((0, ast_utils_1.isQuestion)(before) && property.key.loc.end.line < property.value.loc.start.line) {
            return false;
          }
        }
        return true;
      }
      function canRemoveSpaces(property, side, whitespace) {
        if (side === "key") {
          if (property.key.type === "YAMLAlias") {
            return false;
          }
          if (property.key.type === "YAMLWithMeta" && property.key.value == null) {
            return false;
          }
          if (property.parent.style === "block") {
            if (containsLineTerminator(whitespace)) {
              const before = sourceCode.getTokenBefore(property.key);
              if ((0, ast_utils_1.isQuestion)(before)) {
                return false;
              }
            }
          }
        } else {
          if (property.parent.style === "block") {
            if (property.parent.parent.type !== "YAMLSequence" || property.parent.parent.style !== "flow") {
              return false;
            }
          }
          const keyValue = property.key.type === "YAMLWithMeta" ? property.key.value : property.key;
          if (!keyValue) {
            return false;
          }
          if (keyValue.type === "YAMLScalar") {
            if (keyValue.style === "plain") {
              return false;
            }
          }
          if (keyValue.type === "YAMLAlias") {
            return false;
          }
          if (property.value.type === "YAMLSequence" && property.value.style === "block") {
            return false;
          }
          if (containsLineTerminator(whitespace)) {
            if (property.value.type === "YAMLMapping" && property.value.style === "block") {
              return false;
            }
          }
        }
        return true;
      }
      function canInsertSpaces(property, side) {
        if (side === "key") {
          if (property.key.type === "YAMLScalar") {
            if (property.key.style === "plain" && typeof property.key.value === "string" && property.key.value.endsWith(":")) {
              return false;
            }
            if (property.key.style === "folded" || property.key.style === "literal") {
              return false;
            }
          }
        }
        return true;
      }
      function report(property, side, whitespace, expected, mode) {
        const diff = whitespace.length - expected;
        const nextColon = getNextColon(property.key);
        const tokenBeforeColon = sourceCode.getTokenBefore(nextColon, {
          includeComments: true
        });
        const tokenAfterColon = sourceCode.getTokenAfter(nextColon, {
          includeComments: true
        });
        const invalid = (mode === "strict" ? diff !== 0 : diff < 0 || diff > 0 && expected === 0) && !(expected && containsLineTerminator(whitespace));
        if (!invalid) {
          return;
        }
        if (!canChangeSpaces(property, side) || expected === 0 && !canRemoveSpaces(property, side, whitespace) || whitespace.length === 0 && !canInsertSpaces(property, side)) {
          return;
        }
        const { locStart, locEnd, missingLoc } = side === "key" ? {
          locStart: tokenBeforeColon.loc.end,
          locEnd: nextColon.loc.start,
          missingLoc: tokenBeforeColon.loc
        } : {
          locStart: nextColon.loc.start,
          locEnd: tokenAfterColon.loc.start,
          missingLoc: tokenAfterColon.loc
        };
        const { loc, messageId: messageId4 } = diff > 0 ? {
          loc: { start: locStart, end: locEnd },
          messageId: side === "key" ? "extraKey" : "extraValue"
        } : {
          loc: missingLoc,
          messageId: side === "key" ? "missingKey" : "missingValue"
        };
        context.report({
          node: property[side],
          loc,
          messageId: messageId4,
          data: {
            key: getKey(property)
          },
          fix(fixer) {
            if (diff > 0) {
              if (side === "key") {
                return fixer.removeRange([
                  tokenBeforeColon.range[1],
                  tokenBeforeColon.range[1] + diff
                ]);
              }
              return fixer.removeRange([
                tokenAfterColon.range[0] - diff,
                tokenAfterColon.range[0]
              ]);
            }
            const spaces = " ".repeat(-diff);
            if (side === "key") {
              return fixer.insertTextAfter(tokenBeforeColon, spaces);
            }
            return fixer.insertTextBefore(tokenAfterColon, spaces);
          }
        });
      }
      function getKeyWidth(pair) {
        const startToken = sourceCode.getFirstToken(pair);
        const endToken = getLastTokenBeforeColon(pair.key);
        return endToken.range[1] - startToken.range[0];
      }
      function getPropertyWhitespace(pair) {
        const whitespace = /(\s*):(\s*)/u.exec(sourceCode.getText().slice(pair.key.range[1], pair.value.range[0]));
        if (whitespace) {
          return {
            beforeColon: whitespace[1],
            afterColon: whitespace[2]
          };
        }
        return null;
      }
      function verifySpacing(node, lineOptions) {
        const actual = getPropertyWhitespace(node);
        if (actual) {
          report(node, "key", actual.beforeColon, lineOptions.beforeColon ? 1 : 0, lineOptions.mode);
          report(node, "value", actual.afterColon, lineOptions.afterColon ? 1 : 0, lineOptions.mode);
        }
      }
      function verifyListSpacing(properties, lineOptions) {
        const length = properties.length;
        for (let i = 0; i < length; i++) {
          verifySpacing(properties[i], lineOptions);
        }
      }
      if (alignmentOptions) {
        return defineAlignmentVisitor(alignmentOptions);
      }
      return defineSpacingVisitor();
      function defineAlignmentVisitor(alignmentOptions2) {
        return {
          YAMLMapping(node) {
            if (isSingleLine(node)) {
              verifyListSpacing(node.pairs.filter(isKeyValueProperty), singleLineOptions);
            } else {
              verifyAlignment(node);
            }
          }
        };
        function verifyGroupAlignment(properties) {
          const length = properties.length;
          const widths = properties.map(getKeyWidth);
          const align = alignmentOptions2.on;
          let targetWidth = Math.max(...widths);
          let beforeColon, afterColon, mode;
          if (alignmentOptions2 && length > 1) {
            beforeColon = alignmentOptions2.beforeColon ? 1 : 0;
            afterColon = alignmentOptions2.afterColon ? 1 : 0;
            mode = alignmentOptions2.mode;
          } else {
            beforeColon = multiLineOptions.beforeColon ? 1 : 0;
            afterColon = multiLineOptions.afterColon ? 1 : 0;
            mode = alignmentOptions2.mode;
          }
          targetWidth += align === "colon" ? beforeColon : afterColon;
          for (let i = 0; i < length; i++) {
            const property = properties[i];
            const whitespace = getPropertyWhitespace(property);
            if (whitespace) {
              const width = widths[i];
              if (align === "value") {
                report(property, "key", whitespace.beforeColon, beforeColon, mode);
                report(property, "value", whitespace.afterColon, targetWidth - width, mode);
              } else {
                report(property, "key", whitespace.beforeColon, targetWidth - width, mode);
                report(property, "value", whitespace.afterColon, afterColon, mode);
              }
            }
          }
        }
        function continuesPropertyGroup(lastMember, candidate) {
          const groupEndLine = lastMember.loc.start.line;
          const candidateStartLine = candidate.loc.start.line;
          if (candidateStartLine - groupEndLine <= 1) {
            return true;
          }
          const leadingComments = sourceCode.getCommentsBefore(candidate);
          if (leadingComments.length && leadingComments[0].loc.start.line - groupEndLine <= 1 && candidateStartLine - last(leadingComments).loc.end.line <= 1) {
            for (let i = 1; i < leadingComments.length; i++) {
              if (leadingComments[i].loc.start.line - leadingComments[i - 1].loc.end.line > 1) {
                return false;
              }
            }
            return true;
          }
          return false;
        }
        function createGroups(node) {
          if (node.pairs.length === 1) {
            return [node.pairs];
          }
          return node.pairs.reduce((groups, property) => {
            const currentGroup = last(groups);
            const prev = last(currentGroup);
            if (!prev || continuesPropertyGroup(prev, property)) {
              currentGroup.push(property);
            } else {
              groups.push([property]);
            }
            return groups;
          }, [[]]);
        }
        function verifyAlignment(node) {
          createGroups(node).forEach((group) => {
            const properties = group.filter(isKeyValueProperty);
            if (properties.length > 0 && isSingleLineProperties(properties)) {
              verifyListSpacing(properties, multiLineOptions);
            } else {
              verifyGroupAlignment(properties);
            }
          });
        }
      }
      function defineSpacingVisitor() {
        return {
          YAMLPair(node) {
            if (!isKeyValueProperty(node))
              return;
            verifySpacing(node, isSingleLine(node.parent) ? singleLineOptions : multiLineOptions);
          }
        };
      }
    }
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/no-empty-document.js
var require_no_empty_document = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/no-empty-document.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var compat_1 = require_compat();
    exports2.default = (0, utils_1.createRule)("no-empty-document", {
      meta: {
        docs: {
          description: "disallow empty document",
          categories: ["recommended", "standard"],
          extensionRule: false,
          layout: false
        },
        schema: [],
        messages: {
          unexpectedEmpty: "Empty documents are forbidden."
        },
        type: "suggestion"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        function isEmptyNode2(node) {
          if (!node) {
            return true;
          }
          if (node.type === "YAMLWithMeta") {
            return isEmptyNode2(node.value);
          }
          return false;
        }
        return {
          YAMLDocument(node) {
            if (isEmptyNode2(node.content)) {
              context.report({
                node,
                messageId: "unexpectedEmpty"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/no-empty-key.js
var require_no_empty_key = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/no-empty-key.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var compat_1 = require_compat();
    exports2.default = (0, utils_1.createRule)("no-empty-key", {
      meta: {
        docs: {
          description: "disallow empty mapping keys",
          categories: ["recommended", "standard"],
          extensionRule: false,
          layout: false
        },
        schema: [],
        messages: {
          unexpectedEmpty: "Empty mapping keys are forbidden."
        },
        type: "suggestion"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        function isEmptyNode2(node) {
          if (!node) {
            return true;
          }
          if (node.type === "YAMLWithMeta") {
            return isEmptyNode2(node.value);
          }
          return false;
        }
        return {
          YAMLPair(node) {
            if (isEmptyNode2(node.key)) {
              context.report({
                node,
                messageId: "unexpectedEmpty"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/no-empty-mapping-value.js
var require_no_empty_mapping_value = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/no-empty-mapping-value.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var compat_1 = require_compat();
    exports2.default = (0, utils_1.createRule)("no-empty-mapping-value", {
      meta: {
        docs: {
          description: "disallow empty mapping values",
          categories: ["recommended", "standard"],
          extensionRule: false,
          layout: false
        },
        schema: [],
        messages: {
          unexpectedEmpty: "Empty mapping values are forbidden."
        },
        type: "suggestion"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        function isEmptyNode2(node) {
          if (!node) {
            return true;
          }
          if (node.type === "YAMLWithMeta") {
            return isEmptyNode2(node.value);
          }
          return false;
        }
        return {
          YAMLPair(node) {
            if (isEmptyNode2(node.value)) {
              context.report({
                node,
                messageId: "unexpectedEmpty"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/no-empty-sequence-entry.js
var require_no_empty_sequence_entry = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/no-empty-sequence-entry.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var ast_utils_1 = require_ast_utils2();
    var compat_1 = require_compat();
    exports2.default = (0, utils_1.createRule)("no-empty-sequence-entry", {
      meta: {
        docs: {
          description: "disallow empty sequence entries",
          categories: ["recommended", "standard"],
          extensionRule: false,
          layout: false
        },
        schema: [],
        messages: {
          unexpectedEmpty: "Empty sequence entries are forbidden."
        },
        type: "suggestion"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        function isEmptyNode2(node) {
          if (!node) {
            return true;
          }
          if (node.type === "YAMLWithMeta") {
            return isEmptyNode2(node.value);
          }
          return false;
        }
        return {
          YAMLSequence(node) {
            if (node.style !== "block") {
              return;
            }
            node.entries.forEach((entry, index) => {
              if (isEmptyNode2(entry)) {
                context.report({
                  node: getHyphen(node, index) || node,
                  messageId: "unexpectedEmpty"
                });
              }
            });
          }
        };
        function getHyphen(node, index) {
          if (index === 0) {
            const token = sourceCode.getFirstToken(node);
            return (0, ast_utils_1.isHyphen)(token) ? token : null;
          }
          const prev = node.entries[index - 1];
          if (prev) {
            const token = sourceCode.getTokenAfter(prev);
            return (0, ast_utils_1.isHyphen)(token) ? token : null;
          }
          const prevHyphen = getHyphen(node, index - 1);
          if (prevHyphen) {
            const token = sourceCode.getTokenAfter(prevHyphen);
            return (0, ast_utils_1.isHyphen)(token) ? token : null;
          }
          return null;
        }
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/no-irregular-whitespace.js
var require_no_irregular_whitespace2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/no-irregular-whitespace.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var compat_1 = require_compat();
    var ALL_IRREGULARS = /[\v\f\u0085\u00a0\u1680\u180e\u2000-\u200b\u2028\u2029\u202f\u205f\u3000\ufeff]/u;
    var IRREGULAR_WHITESPACE = /[\v\f\u0085\u00a0\u1680\u180e\u2000-\u200b\u202f\u205f\u3000\ufeff]+/gu;
    var IRREGULAR_LINE_TERMINATORS = /[\u2028\u2029]/gu;
    exports2.default = (0, utils_1.createRule)("no-irregular-whitespace", {
      meta: {
        docs: {
          description: "disallow irregular whitespace",
          categories: ["recommended", "standard"],
          extensionRule: "no-irregular-whitespace",
          layout: false
        },
        schema: [
          {
            type: "object",
            properties: {
              skipComments: {
                type: "boolean",
                default: false
              },
              skipQuotedScalars: {
                type: "boolean",
                default: true
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          disallow: "Irregular whitespace not allowed."
        },
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        let errorIndexes = [];
        const options = context.options[0] || {};
        const skipComments = Boolean(options.skipComments);
        const skipQuotedScalars = options.skipQuotedScalars !== false;
        function removeWhitespaceError(node) {
          const [startIndex, endIndex] = node.range;
          errorIndexes = errorIndexes.filter((errorIndex) => errorIndex < startIndex || endIndex <= errorIndex);
        }
        function removeInvalidNodeErrorsInScalar(node) {
          if (skipQuotedScalars && (node.style === "double-quoted" || node.style === "single-quoted")) {
            if (ALL_IRREGULARS.test(sourceCode.getText(node))) {
              removeWhitespaceError(node);
            }
          }
        }
        function removeInvalidNodeErrorsInComment(node) {
          if (ALL_IRREGULARS.test(node.value)) {
            removeWhitespaceError(node);
          }
        }
        function checkForIrregularWhitespace() {
          const source = sourceCode.getText();
          let match;
          while ((match = IRREGULAR_WHITESPACE.exec(source)) !== null) {
            errorIndexes.push(match.index);
          }
          while ((match = IRREGULAR_LINE_TERMINATORS.exec(source)) !== null) {
            errorIndexes.push(match.index);
          }
        }
        checkForIrregularWhitespace();
        if (!errorIndexes.length) {
          return {};
        }
        return {
          YAMLScalar: removeInvalidNodeErrorsInScalar,
          "Program:exit"() {
            if (skipComments) {
              sourceCode.getAllComments().forEach(removeInvalidNodeErrorsInComment);
            }
            for (const errorIndex of errorIndexes) {
              context.report({
                loc: sourceCode.getLocFromIndex(errorIndex),
                messageId: "disallow"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/no-multiple-empty-lines.js
var require_no_multiple_empty_lines = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/no-multiple-empty-lines.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var compat_1 = require_compat();
    exports2.default = (0, utils_1.createRule)("no-multiple-empty-lines", {
      meta: {
        docs: {
          description: "disallow multiple empty lines",
          categories: null,
          extensionRule: "no-multiple-empty-lines",
          layout: true
        },
        fixable: "whitespace",
        schema: [
          {
            type: "object",
            properties: {
              max: {
                type: "integer",
                minimum: 0
              },
              maxEOF: {
                type: "integer",
                minimum: 0
              },
              maxBOF: {
                type: "integer",
                minimum: 0
              }
            },
            required: ["max"],
            additionalProperties: false
          }
        ],
        messages: {
          blankBeginningOfFile: "Too many blank lines at the beginning of file. Max of {{max}} allowed.",
          blankEndOfFile: "Too many blank lines at the end of file. Max of {{max}} allowed.",
          consecutiveBlank: "More than {{max}} blank {{pluralizedLines}} not allowed."
        },
        type: "layout"
      },
      create(context) {
        var _a, _b, _c, _d, _e, _f;
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        const maxOption = (_b = (_a = context.options[0]) === null || _a === void 0 ? void 0 : _a.max) !== null && _b !== void 0 ? _b : 2;
        const options = {
          max: maxOption,
          maxEOF: (_d = (_c = context.options[0]) === null || _c === void 0 ? void 0 : _c.maxEOF) !== null && _d !== void 0 ? _d : maxOption,
          maxBOF: (_f = (_e = context.options[0]) === null || _e === void 0 ? void 0 : _e.maxBOF) !== null && _f !== void 0 ? _f : maxOption
        };
        const allLines = [...sourceCode.lines];
        if (allLines[allLines.length - 1] === "") {
          allLines.pop();
        }
        const ignoreLineIndexes = /* @__PURE__ */ new Set();
        function verifyEmptyLines(startLineIndex, endLineIndex) {
          const emptyLineCount = endLineIndex - startLineIndex;
          let messageId4, max;
          if (startLineIndex === 0) {
            messageId4 = "blankBeginningOfFile";
            max = options.maxBOF;
          } else if (endLineIndex === allLines.length) {
            messageId4 = "blankEndOfFile";
            max = options.maxEOF;
          } else {
            messageId4 = "consecutiveBlank";
            max = options.max;
          }
          if (emptyLineCount > max) {
            context.report({
              loc: {
                start: {
                  line: startLineIndex + max + 1,
                  column: 0
                },
                end: { line: endLineIndex + 1, column: 0 }
              },
              messageId: messageId4,
              data: {
                max: String(max),
                pluralizedLines: max === 1 ? "line" : "lines"
              },
              fix(fixer) {
                const rangeStart = sourceCode.getIndexFromLoc({
                  line: startLineIndex + max + 1,
                  column: 0
                });
                const rangeEnd = endLineIndex < allLines.length ? sourceCode.getIndexFromLoc({
                  line: endLineIndex + 1,
                  column: 0
                }) : sourceCode.text.length;
                return fixer.removeRange([rangeStart, rangeEnd]);
              }
            });
          }
        }
        return {
          YAMLScalar(node) {
            for (let lineIndex = node.loc.start.line - 1; lineIndex < node.loc.end.line; lineIndex++) {
              ignoreLineIndexes.add(lineIndex);
            }
          },
          "Program:exit"() {
            let startEmptyLineIndex = null;
            for (let lineIndex = 0; lineIndex < allLines.length; lineIndex++) {
              const line = allLines[lineIndex];
              const isEmptyLine = !line.trim() && !ignoreLineIndexes.has(lineIndex);
              if (isEmptyLine) {
                startEmptyLineIndex !== null && startEmptyLineIndex !== void 0 ? startEmptyLineIndex : startEmptyLineIndex = lineIndex;
              } else {
                if (startEmptyLineIndex != null) {
                  verifyEmptyLines(startEmptyLineIndex, lineIndex);
                }
                startEmptyLineIndex = null;
              }
            }
            if (startEmptyLineIndex != null) {
              verifyEmptyLines(startEmptyLineIndex, allLines.length);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/no-tab-indent.js
var require_no_tab_indent = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/no-tab-indent.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var compat_1 = require_compat();
    exports2.default = (0, utils_1.createRule)("no-tab-indent", {
      meta: {
        docs: {
          description: "disallow tabs for indentation.",
          categories: ["recommended", "standard"],
          extensionRule: false,
          layout: false
        },
        schema: [],
        messages: {
          disallow: "Unexpected tabs."
        },
        type: "problem"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        return {
          Program() {
            const lines = sourceCode.lines;
            for (let lineIndex = 0; lineIndex < lines.length; lineIndex++) {
              const line = lines[lineIndex];
              const res = /^([^\S\t]*(?:-[^\S\t]+)?)\t+/u.exec(line);
              if (res) {
                context.report({
                  loc: {
                    start: {
                      line: lineIndex + 1,
                      column: res[1].length
                    },
                    end: {
                      line: lineIndex + 1,
                      column: res[0].length
                    }
                  },
                  messageId: "disallow"
                });
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/no-trailing-zeros.js
var require_no_trailing_zeros = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/no-trailing-zeros.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var compat_1 = require_compat();
    exports2.default = (0, utils_1.createRule)("no-trailing-zeros", {
      meta: {
        docs: {
          description: "disallow trailing zeros for floats",
          categories: null,
          extensionRule: false,
          layout: true
        },
        fixable: "code",
        schema: [],
        messages: {
          wrongZeros: "Trailing zeros are not allowed, fix to `{{fixed}}`."
        },
        type: "layout"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        return {
          YAMLScalar(node) {
            if (node.style !== "plain") {
              return;
            } else if (typeof node.value !== "number") {
              return;
            }
            const floating = parseFloatingPoint(node.strValue);
            if (!floating) {
              return;
            }
            let { decimalPart } = floating;
            while (decimalPart.endsWith("_")) {
              decimalPart = decimalPart.slice(0, -1);
            }
            if (!decimalPart.endsWith("0")) {
              return;
            }
            while (decimalPart.endsWith("0")) {
              decimalPart = decimalPart.slice(0, -1);
              while (decimalPart.endsWith("_")) {
                decimalPart = decimalPart.slice(0, -1);
              }
            }
            const fixed = decimalPart ? `${floating.sign}${floating.intPart}.${decimalPart}${floating.expPart}` : `${floating.sign}${floating.intPart || "0"}${floating.expPart}`;
            context.report({
              node,
              messageId: "wrongZeros",
              data: {
                fixed
              },
              fix(fixer) {
                return fixer.replaceText(node, fixed);
              }
            });
          }
        };
      }
    });
    function parseFloatingPoint(str) {
      const parts = str.split(".");
      if (parts.length !== 2) {
        return null;
      }
      let decimalPart, expPart, intPart, sign;
      const expIndex = parts[1].search(/e/iu);
      if (expIndex >= 0) {
        decimalPart = parts[1].slice(0, expIndex);
        expPart = parts[1].slice(expIndex);
      } else {
        decimalPart = parts[1];
        expPart = "";
      }
      if (parts[0].startsWith("-") || parts[0].startsWith("+")) {
        sign = parts[0][0];
        intPart = parts[0].slice(1);
      } else {
        sign = "";
        intPart = parts[0];
      }
      return {
        sign,
        intPart,
        decimalPart,
        expPart
      };
    }
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/plain-scalar.js
var require_plain_scalar = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/plain-scalar.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var yaml_eslint_parser_1 = require_lib21();
    var utils_1 = require_utils11();
    var compat_1 = require_compat();
    var SYMBOLS = /* @__PURE__ */ new Set([
      ":",
      "{",
      "}",
      "[",
      "]",
      ",",
      "&",
      "*",
      "#",
      "|",
      "+",
      "%",
      '"',
      "'",
      "\\"
    ]);
    function toRegExps(patterns) {
      return patterns.map((p) => new RegExp(p, "u"));
    }
    function isStringScalar(node) {
      return typeof node.value === "string";
    }
    exports2.default = (0, utils_1.createRule)("plain-scalar", {
      meta: {
        docs: {
          description: "require or disallow plain style scalar.",
          categories: ["standard"],
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        schema: [
          { enum: ["always", "never"] },
          {
            type: "object",
            properties: {
              ignorePatterns: {
                type: "array",
                items: { type: "string" }
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          required: "Must use plain style scalar.",
          disallow: "Must use quoted style scalar."
        },
        type: "layout"
      },
      create(context) {
        var _a, _b;
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        const option = context.options[0] || "always";
        const ignorePatterns = toRegExps((_b = (_a = context.options[1]) === null || _a === void 0 ? void 0 : _a.ignorePatterns) !== null && _b !== void 0 ? _b : option === "always" ? [
          String.raw`[\v\f\u0085\u00a0\u1680\u180e\u2000-\u200b\u2028\u2029\u202f\u205f\u3000\ufeff]`
        ] : []);
        let currentDocument;
        function canToPlain(node) {
          if (node.value !== node.value.trim()) {
            return false;
          }
          for (let index = 0; index < node.value.length; index++) {
            const char = node.value[index];
            if (SYMBOLS.has(char)) {
              return false;
            }
            if (index === 0) {
              if (char === "-" || char === "?") {
                const next = node.value[index + 1];
                if (next && !next.trim()) {
                  return false;
                }
              } else if (char === "!") {
                const next = node.value[index + 1];
                if (next && (!next.trim() || next === "!" || next === "<")) {
                  return false;
                }
              }
            }
          }
          const parent = node.parent.type === "YAMLWithMeta" ? node.parent.parent : node.parent;
          if (parent.type === "YAMLPair") {
            if (parent.key === node) {
              const colon = sourceCode.getTokenAfter(node);
              if (colon && colon.value === ":") {
                const next = sourceCode.getTokenAfter(colon);
                if (colon.range[1] === (next === null || next === void 0 ? void 0 : next.range[0])) {
                  return false;
                }
              }
            }
          }
          return true;
        }
        function verifyAlways(node) {
          if (node.style !== "double-quoted" && node.style !== "single-quoted") {
            return;
          }
          if (!canToPlain(node)) {
            return;
          }
          try {
            const result = (0, yaml_eslint_parser_1.parseForESLint)(node.value, {
              defaultYAMLVersion: currentDocument === null || currentDocument === void 0 ? void 0 : currentDocument.version
            });
            if ((0, yaml_eslint_parser_1.getStaticYAMLValue)(result.ast) !== node.value) {
              return;
            }
          } catch (_a2) {
            return;
          }
          context.report({
            node,
            messageId: "required",
            fix(fixer) {
              return fixer.replaceText(node, node.value);
            }
          });
        }
        function verifyNever(node) {
          if (node.style !== "plain") {
            return;
          }
          const text = node.value;
          context.report({
            node,
            messageId: "disallow",
            fix(fixer) {
              return fixer.replaceText(node, `"${text.replace(/(["\\])/gu, "\\$1").replace(/\r?\n|[\u2028\u2029]/gu, "\\n")}"`);
            }
          });
        }
        return {
          YAMLDocument(node) {
            currentDocument = node;
          },
          YAMLScalar(node) {
            if (!isStringScalar(node)) {
              return;
            }
            if (ignorePatterns.some((p) => p.test(node.value))) {
              return;
            }
            if (option === "always") {
              verifyAlways(node);
            } else {
              verifyNever(node);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/quotes.js
var require_quotes3 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/quotes.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var compat_1 = require_compat();
    exports2.default = (0, utils_1.createRule)("quotes", {
      meta: {
        docs: {
          description: "enforce the consistent use of either double, or single quotes",
          categories: ["standard"],
          extensionRule: false,
          layout: true
        },
        fixable: "code",
        schema: [
          {
            type: "object",
            properties: {
              prefer: { enum: ["double", "single"] },
              avoidEscape: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        messages: {
          wrongQuotes: "Strings must use {{description}}."
        },
        type: "layout"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        const objectOption = context.options[0] || {};
        const prefer = objectOption.prefer || "double";
        const avoidEscape = objectOption.avoidEscape !== false;
        return {
          YAMLScalar(node) {
            let description;
            if (node.style === "double-quoted" && prefer === "single") {
              if (avoidEscape && node.strValue.includes("'")) {
                return;
              }
              let preChar = "";
              for (const char of node.raw) {
                if (preChar === "\\") {
                  if (char === "\\" || char === '"') {
                    preChar = "";
                    continue;
                  }
                  return;
                }
                preChar = char;
              }
              description = "singlequote";
            } else if (node.style === "single-quoted" && prefer === "double") {
              if (avoidEscape && (node.strValue.includes('"') || node.strValue.includes("\\"))) {
                return;
              }
              description = "doublequote";
            } else {
              return;
            }
            context.report({
              node,
              messageId: "wrongQuotes",
              data: {
                description
              },
              fix(fixer) {
                const text = node.raw.slice(1, -1);
                if (prefer === "double") {
                  return fixer.replaceText(node, `"${text.replace(/''/gu, "'").replace(/(["\\])/gu, "\\$1")}"`);
                }
                return fixer.replaceText(node, `'${text.replace(/\\(["\\])/gu, "$1").replace(/'/gu, "''")}'`);
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/require-string-key.js
var require_require_string_key = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/require-string-key.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var compat_1 = require_compat();
    exports2.default = (0, utils_1.createRule)("require-string-key", {
      meta: {
        docs: {
          description: "disallow mapping keys other than strings",
          categories: null,
          extensionRule: false,
          layout: false
        },
        schema: [],
        messages: {
          expectedString: "The key must be a string."
        },
        type: "suggestion"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        let anchors = {};
        function findAnchor(alias) {
          const target = {
            anchor: null,
            distance: Infinity
          };
          for (const anchor of anchors[alias.name] || []) {
            if (anchor.range[0] < alias.range[0]) {
              const distance = alias.range[0] - anchor.range[0];
              if (target.distance >= distance) {
                target.anchor = anchor;
                target.distance = distance;
              }
            }
          }
          return target.anchor;
        }
        function isStringNode(node) {
          if (!node) {
            return false;
          }
          if (node.type === "YAMLWithMeta") {
            if (node.tag && node.tag.tag === "tag:yaml.org,2002:str") {
              return true;
            }
            return isStringNode(node.value);
          }
          if (node.type === "YAMLAlias") {
            const anchor = findAnchor(node);
            if (!anchor) {
              return false;
            }
            return isStringNode(anchor.parent);
          }
          if (node.type !== "YAMLScalar") {
            return false;
          }
          return typeof node.value === "string";
        }
        return {
          YAMLDocument() {
            anchors = {};
          },
          YAMLAnchor(node) {
            const list = anchors[node.name] || (anchors[node.name] = []);
            list.push(node);
          },
          YAMLPair(node) {
            if (!isStringNode(node.key)) {
              context.report({
                node: node.key || node,
                messageId: "expectedString"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/sort-keys.js
var require_sort_keys2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/sort-keys.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var natural_compare_1 = __importDefault2(require_natural_compare());
    var utils_1 = require_utils11();
    var ast_utils_1 = require_ast_utils2();
    var compat_1 = require_compat();
    function isNewLine(char) {
      return char === "\n" || char === "\r" || char === "\u2028" || char === "\u2029";
    }
    function getPropertyName2(node, sourceCode) {
      const prop = node.key;
      if (prop == null) {
        return "";
      }
      const target = prop.type === "YAMLWithMeta" ? prop.value : prop;
      if (target == null) {
        return "";
      }
      if (target.type === "YAMLScalar" && typeof target.value === "string") {
        return target.value;
      }
      return sourceCode.text.slice(...target.range);
    }
    var YAMLPairData = class {
      get reportLoc() {
        var _a, _b;
        return (_b = (_a = this.node.key) === null || _a === void 0 ? void 0 : _a.loc) !== null && _b !== void 0 ? _b : this.node.loc;
      }
      constructor(mapping, node, index, anchorAlias) {
        this.cachedName = null;
        this.mapping = mapping;
        this.node = node;
        this.index = index;
        this.anchorAlias = anchorAlias;
      }
      get name() {
        var _a;
        return (_a = this.cachedName) !== null && _a !== void 0 ? _a : this.cachedName = getPropertyName2(this.node, this.mapping.sourceCode);
      }
      getPrev() {
        const prevIndex = this.index - 1;
        return prevIndex >= 0 ? this.mapping.pairs[prevIndex] : null;
      }
    };
    var YAMLMappingData = class {
      constructor(node, sourceCode, anchorAliasMap) {
        this.cachedProperties = null;
        this.node = node;
        this.sourceCode = sourceCode;
        this.anchorAliasMap = anchorAliasMap;
      }
      get pairs() {
        var _a;
        return (_a = this.cachedProperties) !== null && _a !== void 0 ? _a : this.cachedProperties = this.node.pairs.map((e, index) => new YAMLPairData(this, e, index, this.anchorAliasMap.get(e)));
      }
      getPath(sourceCode) {
        let path17 = "";
        let curr = this.node;
        let p = curr.parent;
        while (p) {
          if (p.type === "YAMLPair") {
            const name = getPropertyName2(p, sourceCode);
            if (/^[$a-z_][\w$]*$/iu.test(name)) {
              path17 = `.${name}${path17}`;
            } else {
              path17 = `[${JSON.stringify(name)}]${path17}`;
            }
          } else if (p.type === "YAMLSequence") {
            const index = p.entries.indexOf(curr);
            path17 = `[${index}]${path17}`;
          }
          curr = p;
          p = curr.parent;
        }
        if (path17.startsWith(".")) {
          path17 = path17.slice(1);
        }
        return path17;
      }
    };
    function isCompatibleWithESLintOptions(options) {
      if (options.length === 0) {
        return true;
      }
      if (typeof options[0] === "string" || options[0] == null) {
        return true;
      }
      return false;
    }
    function buildValidatorFromType(order, insensitive, natural) {
      let compare = natural ? ([a, b]) => (0, natural_compare_1.default)(a, b) <= 0 : ([a, b]) => a <= b;
      if (insensitive) {
        const baseCompare = compare;
        compare = ([a, b]) => baseCompare([a.toLowerCase(), b.toLowerCase()]);
      }
      if (order === "desc") {
        const baseCompare = compare;
        compare = (args) => baseCompare(args.reverse());
      }
      return (a, b) => compare([a.name, b.name]);
    }
    function parseOptions(options, sourceCode) {
      var _a, _b, _c;
      if (isCompatibleWithESLintOptions(options)) {
        const type = (_a = options[0]) !== null && _a !== void 0 ? _a : "asc";
        const obj = (_b = options[1]) !== null && _b !== void 0 ? _b : {};
        const insensitive = obj.caseSensitive === false;
        const natural = Boolean(obj.natural);
        const minKeys = (_c = obj.minKeys) !== null && _c !== void 0 ? _c : 2;
        const allowLineSeparatedGroups = obj.allowLineSeparatedGroups || false;
        return [
          {
            isTargetMapping: (data) => data.node.pairs.length >= minKeys,
            ignore: () => false,
            isValidOrder: buildValidatorFromType(type, insensitive, natural),
            orderText: `${natural ? "natural " : ""}${insensitive ? "insensitive " : ""}${type}ending`,
            allowLineSeparatedGroups
          }
        ];
      }
      return options.map((opt) => {
        var _a2, _b2, _c2, _d, _e;
        const order = opt.order;
        const pathPattern = new RegExp(opt.pathPattern);
        const hasProperties = (_a2 = opt.hasProperties) !== null && _a2 !== void 0 ? _a2 : [];
        const minKeys = (_b2 = opt.minKeys) !== null && _b2 !== void 0 ? _b2 : 2;
        const allowLineSeparatedGroups = opt.allowLineSeparatedGroups || false;
        if (!Array.isArray(order)) {
          const type = (_c2 = order.type) !== null && _c2 !== void 0 ? _c2 : "asc";
          const insensitive = order.caseSensitive === false;
          const natural = Boolean(order.natural);
          return {
            isTargetMapping,
            ignore: () => false,
            isValidOrder: buildValidatorFromType(type, insensitive, natural),
            orderText: `${natural ? "natural " : ""}${insensitive ? "insensitive " : ""}${type}ending`,
            allowLineSeparatedGroups
          };
        }
        const parsedOrder = [];
        for (const o of order) {
          if (typeof o === "string") {
            parsedOrder.push({
              test: (data) => data.name === o,
              isValidNestOrder: () => true
            });
          } else {
            const keyPattern = o.keyPattern ? new RegExp(o.keyPattern) : null;
            const nestOrder = (_d = o.order) !== null && _d !== void 0 ? _d : {};
            const type = (_e = nestOrder.type) !== null && _e !== void 0 ? _e : "asc";
            const insensitive = nestOrder.caseSensitive === false;
            const natural = Boolean(nestOrder.natural);
            parsedOrder.push({
              test: (data) => keyPattern ? keyPattern.test(data.name) : true,
              isValidNestOrder: buildValidatorFromType(type, insensitive, natural)
            });
          }
        }
        return {
          isTargetMapping,
          ignore: (data) => parsedOrder.every((p) => !p.test(data)),
          isValidOrder(a, b) {
            for (const p of parsedOrder) {
              const matchA = p.test(a);
              const matchB = p.test(b);
              if (!matchA || !matchB) {
                if (matchA) {
                  return true;
                }
                if (matchB) {
                  return false;
                }
                continue;
              }
              return p.isValidNestOrder(a, b);
            }
            return false;
          },
          orderText: "specified",
          allowLineSeparatedGroups
        };
        function isTargetMapping(data) {
          if (data.node.pairs.length < minKeys) {
            return false;
          }
          if (hasProperties.length > 0) {
            const names = new Set(data.pairs.map((p) => p.name));
            if (!hasProperties.every((name) => names.has(name))) {
              return false;
            }
          }
          return pathPattern.test(data.getPath(sourceCode));
        }
      });
    }
    var ALLOW_ORDER_TYPES = ["asc", "desc"];
    var ORDER_OBJECT_SCHEMA = {
      type: "object",
      properties: {
        type: {
          enum: ALLOW_ORDER_TYPES
        },
        caseSensitive: {
          type: "boolean"
        },
        natural: {
          type: "boolean"
        }
      },
      additionalProperties: false
    };
    exports2.default = (0, utils_1.createRule)("sort-keys", {
      meta: {
        docs: {
          description: "require mapping keys to be sorted",
          categories: null,
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        schema: {
          oneOf: [
            {
              type: "array",
              items: {
                type: "object",
                properties: {
                  pathPattern: { type: "string" },
                  hasProperties: {
                    type: "array",
                    items: { type: "string" }
                  },
                  order: {
                    oneOf: [
                      {
                        type: "array",
                        items: {
                          anyOf: [
                            { type: "string" },
                            {
                              type: "object",
                              properties: {
                                keyPattern: {
                                  type: "string"
                                },
                                order: ORDER_OBJECT_SCHEMA
                              },
                              additionalProperties: false
                            }
                          ]
                        },
                        uniqueItems: true
                      },
                      ORDER_OBJECT_SCHEMA
                    ]
                  },
                  minKeys: {
                    type: "integer",
                    minimum: 2
                  },
                  allowLineSeparatedGroups: {
                    type: "boolean"
                  }
                },
                required: ["pathPattern", "order"],
                additionalProperties: false
              },
              minItems: 1
            },
            {
              type: "array",
              items: [
                {
                  enum: ALLOW_ORDER_TYPES
                },
                {
                  type: "object",
                  properties: {
                    caseSensitive: {
                      type: "boolean"
                    },
                    natural: {
                      type: "boolean"
                    },
                    minKeys: {
                      type: "integer",
                      minimum: 2
                    },
                    allowLineSeparatedGroups: {
                      type: "boolean"
                    }
                  },
                  additionalProperties: false
                }
              ],
              additionalItems: false
            }
          ]
        },
        messages: {
          sortKeys: "Expected mapping keys to be in {{orderText}} order. '{{thisName}}' should be before '{{prevName}}'."
        },
        type: "suggestion"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        const parsedOptions = parseOptions(context.options, sourceCode);
        function isValidOrder(prevData, thisData, option) {
          if (option.isValidOrder(prevData, thisData)) {
            return true;
          }
          for (const aliasName of thisData.anchorAlias.aliases) {
            if (prevData.anchorAlias.anchors.has(aliasName)) {
              return true;
            }
          }
          for (const anchorName of thisData.anchorAlias.anchors) {
            if (prevData.anchorAlias.aliases.has(anchorName)) {
              return true;
            }
          }
          return false;
        }
        function ignore2(data, option) {
          if (!data.node.key && !data.node.value) {
            return true;
          }
          return option.ignore(data);
        }
        function verifyPair(data, option) {
          if (ignore2(data, option)) {
            return;
          }
          const prevList = [];
          let currTarget = data;
          let prevTarget;
          while (prevTarget = currTarget.getPrev()) {
            if (option.allowLineSeparatedGroups) {
              if (hasBlankLine(prevTarget, currTarget)) {
                break;
              }
            }
            if (!ignore2(prevTarget, option)) {
              prevList.push(prevTarget);
            }
            currTarget = prevTarget;
          }
          if (prevList.length === 0) {
            return;
          }
          const prev = prevList[0];
          if (!isValidOrder(prev, data, option)) {
            context.report({
              loc: data.reportLoc,
              messageId: "sortKeys",
              data: {
                thisName: data.name,
                prevName: prev.name,
                orderText: option.orderText
              },
              *fix(fixer) {
                let moveTarget = prevList[0];
                for (const prev2 of prevList) {
                  if (isValidOrder(prev2, data, option)) {
                    break;
                  } else {
                    moveTarget = prev2;
                  }
                }
                if (data.mapping.node.style === "flow") {
                  yield* fixForFlow(fixer, data, moveTarget);
                } else {
                  yield* fixForBlock(fixer, data, moveTarget);
                }
              }
            });
          }
        }
        function hasBlankLine(prev, next) {
          const tokenOrNodes = [
            ...sourceCode.getTokensBetween(prev.node, next.node, {
              includeComments: true
            }),
            next.node
          ];
          let prevLoc = prev.node.loc;
          for (const t of tokenOrNodes) {
            const loc = t.loc;
            if (loc.start.line - prevLoc.end.line > 1) {
              return true;
            }
            prevLoc = loc;
          }
          return false;
        }
        let pairStack = {
          upper: null,
          anchors: /* @__PURE__ */ new Set(),
          aliases: /* @__PURE__ */ new Set()
        };
        const anchorAliasMap = /* @__PURE__ */ new Map();
        return {
          YAMLPair() {
            pairStack = {
              upper: pairStack,
              anchors: /* @__PURE__ */ new Set(),
              aliases: /* @__PURE__ */ new Set()
            };
          },
          YAMLAnchor(node) {
            if (pairStack) {
              pairStack.anchors.add(node.name);
            }
          },
          YAMLAlias(node) {
            if (pairStack) {
              pairStack.aliases.add(node.name);
            }
          },
          "YAMLPair:exit"(node) {
            anchorAliasMap.set(node, pairStack);
            const { anchors, aliases } = pairStack;
            pairStack = pairStack.upper;
            pairStack.anchors = /* @__PURE__ */ new Set([...pairStack.anchors, ...anchors]);
            pairStack.aliases = /* @__PURE__ */ new Set([...pairStack.aliases, ...aliases]);
          },
          "YAMLMapping:exit"(node) {
            const data = new YAMLMappingData(node, sourceCode, anchorAliasMap);
            const option = parsedOptions.find((o) => o.isTargetMapping(data));
            if (!option) {
              return;
            }
            for (const pair of data.pairs) {
              verifyPair(pair, option);
            }
          }
        };
        function* fixForFlow(fixer, data, moveTarget) {
          const beforeCommaToken = sourceCode.getTokenBefore(data.node);
          let insertCode, removeRange, insertTargetToken;
          const afterCommaToken = sourceCode.getTokenAfter(data.node);
          const moveTargetBeforeToken = sourceCode.getTokenBefore(moveTarget.node);
          if ((0, ast_utils_1.isComma)(afterCommaToken)) {
            removeRange = [beforeCommaToken.range[1], afterCommaToken.range[1]];
            insertCode = sourceCode.text.slice(...removeRange);
            insertTargetToken = moveTargetBeforeToken;
          } else {
            removeRange = [beforeCommaToken.range[0], data.node.range[1]];
            if ((0, ast_utils_1.isComma)(moveTargetBeforeToken)) {
              insertCode = sourceCode.text.slice(...removeRange);
              insertTargetToken = sourceCode.getTokenBefore(moveTargetBeforeToken);
            } else {
              insertCode = `${sourceCode.text.slice(beforeCommaToken.range[1], data.node.range[1])},`;
              insertTargetToken = moveTargetBeforeToken;
            }
          }
          yield fixer.insertTextAfterRange(insertTargetToken.range, insertCode);
          yield fixer.removeRange(removeRange);
        }
        function* fixForBlock(fixer, data, moveTarget) {
          const nodeLocs = getPairRangeForBlock(data.node);
          const moveTargetLocs = getPairRangeForBlock(moveTarget.node);
          if (moveTargetLocs.loc.start.column === 0) {
            const removeRange = [
              getNewlineStartIndex(nodeLocs.range[0]),
              nodeLocs.range[1]
            ];
            const moveTargetRange = [
              getNewlineStartIndex(moveTargetLocs.range[0]),
              moveTargetLocs.range[1]
            ];
            const insertCode = sourceCode.text.slice(...removeRange);
            yield fixer.insertTextBeforeRange(moveTargetRange, `${insertCode}${moveTargetLocs.loc.start.line === 1 ? "\n" : ""}`);
            yield fixer.removeRange(removeRange);
          } else {
            const diffIndent = nodeLocs.indentColumn - moveTargetLocs.indentColumn;
            const insertCode = `${sourceCode.text.slice(nodeLocs.range[0] + diffIndent, nodeLocs.range[1])}
${sourceCode.text.slice(nodeLocs.range[0], nodeLocs.range[0] + diffIndent)}`;
            yield fixer.insertTextBeforeRange(moveTargetLocs.range, insertCode);
            const removeRange = [
              getNewlineStartIndex(nodeLocs.range[0]),
              nodeLocs.range[1]
            ];
            yield fixer.removeRange(removeRange);
          }
        }
        function getNewlineStartIndex(nextIndex) {
          for (let index = nextIndex; index >= 0; index--) {
            const char = sourceCode.text[index];
            if (isNewLine(sourceCode.text[index])) {
              const prev = sourceCode.text[index - 1];
              if (prev === "\r" && char === "\n") {
                return index - 1;
              }
              return index;
            }
          }
          return 0;
        }
        function getPairRangeForBlock(node) {
          let endOfRange, end;
          const afterToken = sourceCode.getTokenAfter(node, {
            includeComments: true,
            filter: (t) => !(0, ast_utils_1.isCommentToken)(t) || node.loc.end.line < t.loc.start.line
          });
          if (!afterToken || node.loc.end.line < afterToken.loc.start.line) {
            const line = afterToken ? afterToken.loc.start.line - 1 : node.loc.end.line;
            const lineText = sourceCode.lines[line - 1];
            end = {
              line,
              column: lineText.length
            };
            endOfRange = sourceCode.getIndexFromLoc(end);
          } else {
            endOfRange = node.range[1];
            end = node.loc.end;
          }
          const beforeToken = sourceCode.getTokenBefore(node);
          if (beforeToken) {
            const next2 = sourceCode.getTokenAfter(beforeToken, {
              includeComments: true
            });
            if (beforeToken.loc.end.line < next2.loc.start.line || beforeToken.loc.end.line < node.loc.start.line) {
              const start3 = {
                line: beforeToken.loc.end.line < next2.loc.start.line ? next2.loc.start.line : node.loc.start.line,
                column: 0
              };
              const startOfRange3 = sourceCode.getIndexFromLoc(start3);
              return {
                range: [startOfRange3, endOfRange],
                loc: { start: start3, end },
                indentColumn: next2.loc.start.column
              };
            }
            const start2 = beforeToken.loc.end;
            const startOfRange2 = beforeToken.range[1];
            return {
              range: [startOfRange2, endOfRange],
              loc: { start: start2, end },
              indentColumn: node.range[0] - beforeToken.range[1]
            };
          }
          let next = node;
          for (const beforeComment of sourceCode.getTokensBefore(node, {
            includeComments: true
          }).reverse()) {
            if (beforeComment.loc.end.line + 1 < next.loc.start.line) {
              const start2 = {
                line: next.loc.start.line,
                column: 0
              };
              const startOfRange2 = sourceCode.getIndexFromLoc(start2);
              return {
                range: [startOfRange2, endOfRange],
                loc: { start: start2, end },
                indentColumn: next.loc.start.column
              };
            }
            next = beforeComment;
          }
          const start = {
            line: node.loc.start.line,
            column: 0
          };
          const startOfRange = sourceCode.getIndexFromLoc(start);
          return {
            range: [startOfRange, endOfRange],
            loc: { start, end },
            indentColumn: node.loc.start.column
          };
        }
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/sort-sequence-values.js
var require_sort_sequence_values = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/sort-sequence-values.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var natural_compare_1 = __importDefault2(require_natural_compare());
    var utils_1 = require_utils11();
    var ast_utils_1 = require_ast_utils2();
    var yaml_eslint_parser_1 = require_lib21();
    var compat_1 = require_compat();
    var YAMLEntryData = class {
      get reportLoc() {
        if (this.node) {
          return this.node.loc;
        }
        const aroundTokens = this.aroundTokens;
        return {
          start: aroundTokens.before.loc.end,
          end: aroundTokens.after.loc.start
        };
      }
      get range() {
        if (this.node) {
          return this.node.range;
        }
        if (this.cachedRange) {
          return this.cachedRange;
        }
        const aroundTokens = this.aroundTokens;
        return this.cachedRange = [
          aroundTokens.before.range[1],
          aroundTokens.after.range[0]
        ];
      }
      get aroundTokens() {
        if (this.cachedAroundTokens) {
          return this.cachedAroundTokens;
        }
        const sourceCode = this.sequence.sourceCode;
        if (this.node) {
          return this.cachedAroundTokens = {
            before: sourceCode.getTokenBefore(this.node),
            after: sourceCode.getTokenAfter(this.node)
          };
        }
        const before = this.index > 0 ? this.sequence.entries[this.index - 1].aroundTokens.after : sourceCode.getFirstToken(this.sequence.node);
        const after = sourceCode.getTokenAfter(before);
        return this.cachedAroundTokens = { before, after };
      }
      constructor(sequence, node, index, anchorAlias) {
        this.cached = null;
        this.cachedRange = null;
        this.cachedAroundTokens = null;
        this.sequence = sequence;
        this.node = node;
        this.index = index;
        this.anchorAlias = anchorAlias;
      }
      get value() {
        var _a;
        return ((_a = this.cached) !== null && _a !== void 0 ? _a : this.cached = {
          value: this.node == null ? null : (0, yaml_eslint_parser_1.getStaticYAMLValue)(this.node)
        }).value;
      }
    };
    var YAMLSequenceData = class {
      constructor(node, sourceCode, anchorAliasMap) {
        this.cachedEntries = null;
        this.node = node;
        this.sourceCode = sourceCode;
        this.anchorAliasMap = anchorAliasMap;
      }
      get entries() {
        var _a;
        return (_a = this.cachedEntries) !== null && _a !== void 0 ? _a : this.cachedEntries = this.node.entries.map((e, index) => new YAMLEntryData(this, e, index, this.anchorAliasMap.get(e)));
      }
    };
    function buildValidatorFromType(order, insensitive, natural) {
      let compareValue = ([a, b]) => a <= b;
      let compareText = compareValue;
      if (natural) {
        compareText = ([a, b]) => (0, natural_compare_1.default)(a, b) <= 0;
      }
      if (insensitive) {
        const baseCompareText = compareText;
        compareText = ([a, b]) => baseCompareText([a.toLowerCase(), b.toLowerCase()]);
      }
      if (order === "desc") {
        const baseCompareText = compareText;
        compareText = (args) => baseCompareText(args.reverse());
        const baseCompareValue = compareValue;
        compareValue = (args) => baseCompareValue(args.reverse());
      }
      return (a, b) => {
        if (typeof a.value === "string" && typeof b.value === "string") {
          return compareText([a.value, b.value]);
        }
        const type = getYAMLPrimitiveType(a.value);
        if (type && type === getYAMLPrimitiveType(b.value)) {
          return compareValue([a.value, b.value]);
        }
        return true;
      };
    }
    function parseOptions(options, sourceCode) {
      return options.map((opt) => {
        var _a, _b, _c, _d;
        const order = opt.order;
        const pathPattern = new RegExp(opt.pathPattern);
        const minValues = (_a = opt.minValues) !== null && _a !== void 0 ? _a : 2;
        if (!Array.isArray(order)) {
          const type = (_b = order.type) !== null && _b !== void 0 ? _b : "asc";
          const insensitive = order.caseSensitive === false;
          const natural = Boolean(order.natural);
          return {
            isTargetArray,
            ignore: () => false,
            isValidOrder: buildValidatorFromType(type, insensitive, natural),
            orderText(data) {
              if (typeof data.value === "string") {
                return `${natural ? "natural " : ""}${insensitive ? "insensitive " : ""}${type}ending`;
              }
              return `${type}ending`;
            }
          };
        }
        const parsedOrder = [];
        for (const o of order) {
          if (typeof o === "string") {
            parsedOrder.push({
              test: (v) => v.value === o,
              isValidNestOrder: () => true
            });
          } else {
            const valuePattern = o.valuePattern ? new RegExp(o.valuePattern) : null;
            const nestOrder = (_c = o.order) !== null && _c !== void 0 ? _c : {};
            const type = (_d = nestOrder.type) !== null && _d !== void 0 ? _d : "asc";
            const insensitive = nestOrder.caseSensitive === false;
            const natural = Boolean(nestOrder.natural);
            parsedOrder.push({
              test: (v) => valuePattern ? Boolean(getYAMLPrimitiveType(v.value)) && valuePattern.test(String(v.value)) : true,
              isValidNestOrder: buildValidatorFromType(type, insensitive, natural)
            });
          }
        }
        return {
          isTargetArray,
          ignore: (v) => parsedOrder.every((p) => !p.test(v)),
          isValidOrder(a, b) {
            for (const p of parsedOrder) {
              const matchA = p.test(a);
              const matchB = p.test(b);
              if (!matchA || !matchB) {
                if (matchA) {
                  return true;
                }
                if (matchB) {
                  return false;
                }
                continue;
              }
              return p.isValidNestOrder(a, b);
            }
            return false;
          },
          orderText: () => "specified"
        };
        function isTargetArray(data) {
          if (data.node.entries.length < minValues) {
            return false;
          }
          let path17 = "";
          let curr = data.node;
          let p = curr.parent;
          while (p) {
            if (p.type === "YAMLPair") {
              const name = getPropertyName2(p);
              if (/^[$a-z_][\w$]*$/iu.test(name)) {
                path17 = `.${name}${path17}`;
              } else {
                path17 = `[${JSON.stringify(name)}]${path17}`;
              }
            } else if (p.type === "YAMLSequence") {
              const index = p.entries.indexOf(curr);
              path17 = `[${index}]${path17}`;
            }
            curr = p;
            p = curr.parent;
          }
          if (path17.startsWith(".")) {
            path17 = path17.slice(1);
          }
          return pathPattern.test(path17);
        }
      });
      function getPropertyName2(node) {
        const prop = node.key;
        if (prop == null) {
          return "";
        }
        const target = prop.type === "YAMLWithMeta" ? prop.value : prop;
        if (target == null) {
          return "";
        }
        if (target.type === "YAMLScalar" && typeof target.value === "string") {
          return target.value;
        }
        return sourceCode.text.slice(...target.range);
      }
    }
    function getYAMLPrimitiveType(val) {
      const t = typeof val;
      if (t === "string" || t === "number" || t === "boolean" || t === "bigint") {
        return t;
      }
      if (val === null) {
        return "null";
      }
      if (val === void 0) {
        return "undefined";
      }
      if (val instanceof RegExp) {
        return "regexp";
      }
      return null;
    }
    var ALLOW_ORDER_TYPES = ["asc", "desc"];
    var ORDER_OBJECT_SCHEMA = {
      type: "object",
      properties: {
        type: {
          enum: ALLOW_ORDER_TYPES
        },
        caseSensitive: {
          type: "boolean"
        },
        natural: {
          type: "boolean"
        }
      },
      additionalProperties: false
    };
    exports2.default = (0, utils_1.createRule)("sort-sequence-values", {
      meta: {
        docs: {
          description: "require sequence values to be sorted",
          categories: null,
          extensionRule: false,
          layout: false
        },
        fixable: "code",
        schema: {
          type: "array",
          items: {
            type: "object",
            properties: {
              pathPattern: { type: "string" },
              order: {
                oneOf: [
                  {
                    type: "array",
                    items: {
                      anyOf: [
                        { type: "string" },
                        {
                          type: "object",
                          properties: {
                            valuePattern: {
                              type: "string"
                            },
                            order: ORDER_OBJECT_SCHEMA
                          },
                          additionalProperties: false
                        }
                      ]
                    },
                    uniqueItems: true
                  },
                  ORDER_OBJECT_SCHEMA
                ]
              },
              minValues: {
                type: "integer",
                minimum: 2
              }
            },
            required: ["pathPattern", "order"],
            additionalProperties: false
          },
          minItems: 1
        },
        messages: {
          sortValues: "Expected sequence values to be in {{orderText}} order. '{{thisValue}}' should be before '{{prevValue}}'."
        },
        type: "suggestion"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        const parsedOptions = parseOptions(context.options, sourceCode);
        function isValidOrder(prevData, thisData, option) {
          if (option.isValidOrder(prevData, thisData)) {
            return true;
          }
          for (const aliasName of thisData.anchorAlias.aliases) {
            if (prevData.anchorAlias.anchors.has(aliasName)) {
              return true;
            }
          }
          for (const anchorName of thisData.anchorAlias.anchors) {
            if (prevData.anchorAlias.aliases.has(anchorName)) {
              return true;
            }
          }
          return false;
        }
        function verifyArrayElement(data, option) {
          if (option.ignore(data)) {
            return;
          }
          const prevList = data.sequence.entries.slice(0, data.index).reverse().filter((d) => !option.ignore(d));
          if (prevList.length === 0) {
            return;
          }
          const prev = prevList[0];
          if (!isValidOrder(prev, data, option)) {
            const reportLoc = data.reportLoc;
            context.report({
              loc: reportLoc,
              messageId: "sortValues",
              data: {
                thisValue: toText(data),
                prevValue: toText(prev),
                orderText: option.orderText(data)
              },
              *fix(fixer) {
                let moveTarget = prevList[0];
                for (const prev2 of prevList) {
                  if (isValidOrder(prev2, data, option)) {
                    break;
                  } else {
                    moveTarget = prev2;
                  }
                }
                if (data.sequence.node.style === "flow") {
                  yield* fixForFlow(fixer, data, moveTarget);
                } else {
                  yield* fixForBlock(fixer, data, moveTarget);
                }
              }
            });
          }
        }
        function toText(data) {
          if (getYAMLPrimitiveType(data.value)) {
            return String(data.value);
          }
          return sourceCode.getText(data.node);
        }
        let entryStack = {
          upper: null,
          anchors: /* @__PURE__ */ new Set(),
          aliases: /* @__PURE__ */ new Set()
        };
        const anchorAliasMap = /* @__PURE__ */ new Map();
        return {
          "YAMLSequence > *"(node) {
            if (!node.parent.entries.includes(node)) {
              return;
            }
            entryStack = {
              upper: entryStack,
              anchors: /* @__PURE__ */ new Set(),
              aliases: /* @__PURE__ */ new Set()
            };
            if (node.type === "YAMLAlias") {
              entryStack.aliases.add(node.name);
            }
          },
          YAMLAnchor(node) {
            if (entryStack) {
              entryStack.anchors.add(node.name);
            }
          },
          YAMLAlias(node) {
            if (entryStack) {
              entryStack.aliases.add(node.name);
            }
          },
          "YAMLSequence > *:exit"(node) {
            if (!node.parent.entries.includes(node)) {
              return;
            }
            anchorAliasMap.set(node, entryStack);
            const { anchors, aliases } = entryStack;
            entryStack = entryStack.upper;
            entryStack.anchors = /* @__PURE__ */ new Set([...entryStack.anchors, ...anchors]);
            entryStack.aliases = /* @__PURE__ */ new Set([...entryStack.aliases, ...aliases]);
          },
          "YAMLSequence:exit"(node) {
            const data = new YAMLSequenceData(node, sourceCode, anchorAliasMap);
            const option = parsedOptions.find((o) => o.isTargetArray(data));
            if (!option) {
              return;
            }
            for (const element of data.entries) {
              verifyArrayElement(element, option);
            }
          }
        };
        function* fixForFlow(fixer, data, moveTarget) {
          const beforeToken = data.aroundTokens.before;
          const afterToken = data.aroundTokens.after;
          let insertCode, removeRange, insertTargetToken;
          if ((0, ast_utils_1.isComma)(afterToken)) {
            removeRange = [beforeToken.range[1], afterToken.range[1]];
            insertCode = sourceCode.text.slice(...removeRange);
            insertTargetToken = moveTarget.aroundTokens.before;
          } else {
            removeRange = [beforeToken.range[0], data.range[1]];
            if ((0, ast_utils_1.isComma)(moveTarget.aroundTokens.before)) {
              insertCode = sourceCode.text.slice(...removeRange);
              insertTargetToken = sourceCode.getTokenBefore(moveTarget.aroundTokens.before);
            } else {
              insertCode = `${sourceCode.text.slice(beforeToken.range[1], data.range[1])},`;
              insertTargetToken = moveTarget.aroundTokens.before;
            }
          }
          yield fixer.insertTextAfterRange(insertTargetToken.range, insertCode);
          yield fixer.removeRange(removeRange);
        }
        function* fixForBlock(fixer, data, moveTarget) {
          const moveDataList = data.sequence.entries.slice(moveTarget.index, data.index + 1);
          let replacementCodeRange = getBlockEntryRange(data);
          for (const target of moveDataList) {
            const range = getBlockEntryRange(target);
            yield fixer.replaceTextRange(range, sourceCode.text.slice(...replacementCodeRange));
            replacementCodeRange = range;
          }
        }
        function getBlockEntryRange(data) {
          return [getBlockEntryStartOffset(data), getBlockEntryEndOffset(data)];
        }
        function getBlockEntryStartOffset(data) {
          const beforeHyphenToken = sourceCode.getTokenBefore(data.aroundTokens.before);
          if (!beforeHyphenToken) {
            const comment = sourceCode.getTokenBefore(data.aroundTokens.before, {
              includeComments: true
            });
            if (comment && data.aroundTokens.before.loc.start.column <= comment.loc.start.column) {
              return comment.range[0];
            }
            return data.aroundTokens.before.range[0];
          }
          let next = sourceCode.getTokenAfter(beforeHyphenToken, {
            includeComments: true
          });
          while (beforeHyphenToken.loc.end.line === next.loc.start.line && next.range[1] < data.aroundTokens.before.range[0]) {
            next = sourceCode.getTokenAfter(next, {
              includeComments: true
            });
          }
          return next.range[0];
        }
        function getBlockEntryEndOffset(data) {
          var _a;
          const valueEndToken = (_a = data.node) !== null && _a !== void 0 ? _a : data.aroundTokens.before;
          let last = valueEndToken;
          let afterToken = sourceCode.getTokenAfter(last, {
            includeComments: true
          });
          while (afterToken && valueEndToken.loc.end.line === afterToken.loc.start.line) {
            last = afterToken;
            afterToken = sourceCode.getTokenAfter(last, {
              includeComments: true
            });
          }
          return last.range[1];
        }
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/spaced-comment.js
var require_spaced_comment = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/spaced-comment.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var lodash_1 = __importDefault2(require_lodash());
    var utils_1 = require_utils11();
    var compat_1 = require_compat();
    function escapeText(s) {
      return `(?:${lodash_1.default.escapeRegExp(s)})`;
    }
    function escapeAndRepeat(s) {
      return `${escapeText(s)}+`;
    }
    function createExceptionsPattern(exceptions) {
      let pattern = "";
      if (exceptions.length === 0) {
        pattern += "\\s";
      } else {
        pattern += "(?:\\s|";
        if (exceptions.length === 1) {
          pattern += escapeAndRepeat(exceptions[0]);
        } else {
          pattern += "(?:";
          pattern += exceptions.map(escapeAndRepeat).join("|");
          pattern += ")";
        }
        pattern += "$)";
      }
      return pattern;
    }
    function createAlwaysStylePattern(markers, exceptions) {
      let pattern = "^";
      if (markers.length === 1) {
        pattern += escapeText(markers[0]);
      } else {
        pattern += "(?:";
        pattern += markers.map(escapeText).join("|");
        pattern += ")";
      }
      pattern += "?";
      pattern += createExceptionsPattern(exceptions);
      return new RegExp(pattern, "u");
    }
    function createNeverStylePattern(markers) {
      const pattern = `^(${markers.map(escapeText).join("|")})?[ 	]+`;
      return new RegExp(pattern, "u");
    }
    exports2.default = (0, utils_1.createRule)("spaced-comment", {
      meta: {
        docs: {
          description: "enforce consistent spacing after the `#` in a comment",
          categories: ["standard"],
          extensionRule: "spaced-comment",
          layout: false
        },
        fixable: "whitespace",
        schema: [
          {
            enum: ["always", "never"]
          },
          {
            type: "object",
            properties: {
              exceptions: {
                type: "array",
                items: {
                  type: "string"
                }
              },
              markers: {
                type: "array",
                items: {
                  type: "string"
                }
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          unexpectedSpaceAfterMarker: "Unexpected space after marker ({{refChar}}) in comment.",
          expectedExceptionAfter: "Expected exception block, space after '{{refChar}}' in comment.",
          unexpectedSpaceAfter: "Unexpected space after '{{refChar}}' in comment.",
          expectedSpaceAfter: "Expected space after '{{refChar}}' in comment."
        },
        type: "suggestion"
      },
      create(context) {
        const sourceCode = (0, compat_1.getSourceCode)(context);
        if (!sourceCode.parserServices.isYAML) {
          return {};
        }
        const requireSpace = context.options[0] !== "never";
        const config7 = context.options[1] || {};
        const markers = config7.markers || [];
        const exceptions = config7.exceptions || [];
        const styleRules = {
          beginRegex: requireSpace ? createAlwaysStylePattern(markers, exceptions) : createNeverStylePattern(markers),
          hasExceptions: exceptions.length > 0,
          captureMarker: new RegExp(`^(${markers.map(escapeText).join("|")})`, "u"),
          markers: new Set(markers)
        };
        function reportBegin(node, messageId4, match, refChar) {
          context.report({
            node,
            fix(fixer) {
              const start = node.range[0];
              let end = start + 1;
              if (requireSpace) {
                if (match) {
                  end += match[0].length;
                }
                return fixer.insertTextAfterRange([start, end], " ");
              }
              end += match[0].length;
              return fixer.replaceTextRange([start, end], `#${(match === null || match === void 0 ? void 0 : match[1]) ? match[1] : ""}`);
            },
            messageId: messageId4,
            data: { refChar }
          });
        }
        function checkCommentForSpace(node) {
          if (node.value.length === 0 || styleRules.markers.has(node.value)) {
            return;
          }
          const beginMatch = styleRules.beginRegex.exec(node.value);
          if (requireSpace) {
            if (!beginMatch) {
              const hasMarker = styleRules.captureMarker.exec(node.value);
              const marker = hasMarker ? `#${hasMarker[0]}` : "#";
              if (styleRules.hasExceptions) {
                reportBegin(node, "expectedExceptionAfter", hasMarker, marker);
              } else {
                reportBegin(node, "expectedSpaceAfter", hasMarker, marker);
              }
            }
          } else {
            if (beginMatch) {
              if (!beginMatch[1]) {
                reportBegin(node, "unexpectedSpaceAfter", beginMatch, "#");
              } else {
                reportBegin(node, "unexpectedSpaceAfterMarker", beginMatch, beginMatch[1]);
              }
            }
          }
        }
        return {
          Program() {
            const comments = sourceCode.getAllComments();
            comments.forEach(checkCommentForSpace);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/vue-custom-block/no-parsing-error.js
var require_no_parsing_error2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/rules/vue-custom-block/no-parsing-error.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_utils11();
    var compat_1 = require_compat();
    exports2.default = (0, utils_1.createRule)("vue-custom-block/no-parsing-error", {
      meta: {
        docs: {
          description: "disallow parsing errors in Vue custom blocks",
          categories: ["recommended", "standard"],
          extensionRule: false,
          layout: false
        },
        schema: [],
        messages: {},
        type: "problem"
      },
      create(context, { customBlock }) {
        var _a;
        if (!customBlock) {
          return {};
        }
        const sourceCode = (0, compat_1.getSourceCode)(context);
        const parserServices = (_a = context.parserServices) !== null && _a !== void 0 ? _a : sourceCode.parserServices;
        const parseError = parserServices.parseError;
        if (parseError) {
          let loc = void 0;
          if ("column" in parseError && "lineNumber" in parseError) {
            loc = {
              line: parseError.lineNumber,
              column: parseError.column
            };
          }
          return {
            Program(node) {
              context.report({
                node,
                loc,
                message: parseError.message
              });
            }
          };
        }
        return {};
      }
    });
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/utils/rules.js
var require_rules6 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/utils/rules.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.rules = void 0;
    var block_mapping_colon_indicator_newline_1 = __importDefault2(require_block_mapping_colon_indicator_newline());
    var block_mapping_question_indicator_newline_1 = __importDefault2(require_block_mapping_question_indicator_newline());
    var block_mapping_1 = __importDefault2(require_block_mapping());
    var block_sequence_hyphen_indicator_newline_1 = __importDefault2(require_block_sequence_hyphen_indicator_newline());
    var block_sequence_1 = __importDefault2(require_block_sequence());
    var file_extension_1 = __importDefault2(require_file_extension());
    var flow_mapping_curly_newline_1 = __importDefault2(require_flow_mapping_curly_newline());
    var flow_mapping_curly_spacing_1 = __importDefault2(require_flow_mapping_curly_spacing());
    var flow_sequence_bracket_newline_1 = __importDefault2(require_flow_sequence_bracket_newline());
    var flow_sequence_bracket_spacing_1 = __importDefault2(require_flow_sequence_bracket_spacing());
    var indent_1 = __importDefault2(require_indent3());
    var key_name_casing_1 = __importDefault2(require_key_name_casing2());
    var key_spacing_1 = __importDefault2(require_key_spacing3());
    var no_empty_document_1 = __importDefault2(require_no_empty_document());
    var no_empty_key_1 = __importDefault2(require_no_empty_key());
    var no_empty_mapping_value_1 = __importDefault2(require_no_empty_mapping_value());
    var no_empty_sequence_entry_1 = __importDefault2(require_no_empty_sequence_entry());
    var no_irregular_whitespace_1 = __importDefault2(require_no_irregular_whitespace2());
    var no_multiple_empty_lines_1 = __importDefault2(require_no_multiple_empty_lines());
    var no_tab_indent_1 = __importDefault2(require_no_tab_indent());
    var no_trailing_zeros_1 = __importDefault2(require_no_trailing_zeros());
    var plain_scalar_1 = __importDefault2(require_plain_scalar());
    var quotes_1 = __importDefault2(require_quotes3());
    var require_string_key_1 = __importDefault2(require_require_string_key());
    var sort_keys_1 = __importDefault2(require_sort_keys2());
    var sort_sequence_values_1 = __importDefault2(require_sort_sequence_values());
    var spaced_comment_1 = __importDefault2(require_spaced_comment());
    var no_parsing_error_1 = __importDefault2(require_no_parsing_error2());
    exports2.rules = [
      block_mapping_colon_indicator_newline_1.default,
      block_mapping_question_indicator_newline_1.default,
      block_mapping_1.default,
      block_sequence_hyphen_indicator_newline_1.default,
      block_sequence_1.default,
      file_extension_1.default,
      flow_mapping_curly_newline_1.default,
      flow_mapping_curly_spacing_1.default,
      flow_sequence_bracket_newline_1.default,
      flow_sequence_bracket_spacing_1.default,
      indent_1.default,
      key_name_casing_1.default,
      key_spacing_1.default,
      no_empty_document_1.default,
      no_empty_key_1.default,
      no_empty_mapping_value_1.default,
      no_empty_sequence_entry_1.default,
      no_irregular_whitespace_1.default,
      no_multiple_empty_lines_1.default,
      no_tab_indent_1.default,
      no_trailing_zeros_1.default,
      plain_scalar_1.default,
      quotes_1.default,
      require_string_key_1.default,
      sort_keys_1.default,
      sort_sequence_values_1.default,
      spaced_comment_1.default,
      no_parsing_error_1.default
    ];
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/configs/base.js
var require_base5 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/configs/base.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      plugins: ["yml"],
      overrides: [
        {
          files: ["*.yaml", "*.yml"],
          parser: require.resolve("./index-afb78a91.js"),
          rules: {
            "no-irregular-whitespace": "off",
            "no-unused-vars": "off",
            "spaced-comment": "off"
          }
        }
      ]
    };
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/configs/recommended.js
var require_recommended5 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/configs/recommended.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var path_1 = __importDefault2(require("path"));
    var base = require.resolve("./base-bccb38a9.js");
    var baseExtend = path_1.default.extname(`${base}`) === ".ts" ? "plugin:yml/base" : base;
    module2.exports = {
      extends: [baseExtend],
      rules: {
        "yml/no-empty-document": "error",
        "yml/no-empty-key": "error",
        "yml/no-empty-mapping-value": "error",
        "yml/no-empty-sequence-entry": "error",
        "yml/no-irregular-whitespace": "error",
        "yml/no-tab-indent": "error",
        "yml/vue-custom-block/no-parsing-error": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/configs/standard.js
var require_standard = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/configs/standard.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var path_1 = __importDefault2(require("path"));
    var base = require.resolve("./base-bccb38a9.js");
    var baseExtend = path_1.default.extname(`${base}`) === ".ts" ? "plugin:yml/base" : base;
    module2.exports = {
      extends: [baseExtend],
      rules: {
        "yml/block-mapping-question-indicator-newline": "error",
        "yml/block-mapping": "error",
        "yml/block-sequence-hyphen-indicator-newline": "error",
        "yml/block-sequence": "error",
        "yml/flow-mapping-curly-newline": "error",
        "yml/flow-mapping-curly-spacing": "error",
        "yml/flow-sequence-bracket-newline": "error",
        "yml/flow-sequence-bracket-spacing": "error",
        "yml/indent": "error",
        "yml/key-spacing": "error",
        "yml/no-empty-document": "error",
        "yml/no-empty-key": "error",
        "yml/no-empty-mapping-value": "error",
        "yml/no-empty-sequence-entry": "error",
        "yml/no-irregular-whitespace": "error",
        "yml/no-tab-indent": "error",
        "yml/plain-scalar": "error",
        "yml/quotes": "error",
        "yml/spaced-comment": "error",
        "yml/vue-custom-block/no-parsing-error": "error"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/configs/prettier.js
var require_prettier3 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/configs/prettier.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var path_1 = __importDefault2(require("path"));
    var base = require.resolve("./base-bccb38a9.js");
    var baseExtend = path_1.default.extname(`${base}`) === ".ts" ? "plugin:yml/base" : base;
    module2.exports = {
      extends: [baseExtend],
      rules: {
        "yml/block-mapping-colon-indicator-newline": "off",
        "yml/block-mapping-question-indicator-newline": "off",
        "yml/block-sequence-hyphen-indicator-newline": "off",
        "yml/flow-mapping-curly-newline": "off",
        "yml/flow-mapping-curly-spacing": "off",
        "yml/flow-sequence-bracket-newline": "off",
        "yml/flow-sequence-bracket-spacing": "off",
        "yml/indent": "off",
        "yml/key-spacing": "off",
        "yml/no-multiple-empty-lines": "off",
        "yml/no-trailing-zeros": "off",
        "yml/quotes": "off"
      }
    };
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/configs/flat/base.js
var require_base6 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/configs/flat/base.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var parser = __importStar2(require_lib21());
    exports2.default = [
      {
        plugins: {
          get yml() {
            return require_lib22();
          }
        }
      },
      {
        files: ["*.yaml", "**/*.yaml", "*.yml", "**/*.yml"],
        languageOptions: {
          parser
        },
        rules: {
          "no-irregular-whitespace": "off",
          "no-unused-vars": "off",
          "spaced-comment": "off"
        }
      }
    ];
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/configs/flat/recommended.js
var require_recommended6 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/configs/flat/recommended.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var base_1 = __importDefault2(require_base6());
    exports2.default = [
      ...base_1.default,
      {
        rules: {
          "yml/no-empty-document": "error",
          "yml/no-empty-key": "error",
          "yml/no-empty-mapping-value": "error",
          "yml/no-empty-sequence-entry": "error",
          "yml/no-irregular-whitespace": "error",
          "yml/no-tab-indent": "error",
          "yml/vue-custom-block/no-parsing-error": "error"
        }
      }
    ];
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/configs/flat/standard.js
var require_standard2 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/configs/flat/standard.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var base_1 = __importDefault2(require_base6());
    exports2.default = [
      ...base_1.default,
      {
        rules: {
          "yml/block-mapping-question-indicator-newline": "error",
          "yml/block-mapping": "error",
          "yml/block-sequence-hyphen-indicator-newline": "error",
          "yml/block-sequence": "error",
          "yml/flow-mapping-curly-newline": "error",
          "yml/flow-mapping-curly-spacing": "error",
          "yml/flow-sequence-bracket-newline": "error",
          "yml/flow-sequence-bracket-spacing": "error",
          "yml/indent": "error",
          "yml/key-spacing": "error",
          "yml/no-empty-document": "error",
          "yml/no-empty-key": "error",
          "yml/no-empty-mapping-value": "error",
          "yml/no-empty-sequence-entry": "error",
          "yml/no-irregular-whitespace": "error",
          "yml/no-tab-indent": "error",
          "yml/plain-scalar": "error",
          "yml/quotes": "error",
          "yml/spaced-comment": "error",
          "yml/vue-custom-block/no-parsing-error": "error"
        }
      }
    ];
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/configs/flat/prettier.js
var require_prettier4 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/configs/flat/prettier.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var base_1 = __importDefault2(require_base6());
    exports2.default = [
      ...base_1.default,
      {
        rules: {
          "yml/block-mapping-colon-indicator-newline": "off",
          "yml/block-mapping-question-indicator-newline": "off",
          "yml/block-sequence-hyphen-indicator-newline": "off",
          "yml/flow-mapping-curly-newline": "off",
          "yml/flow-mapping-curly-spacing": "off",
          "yml/flow-sequence-bracket-newline": "off",
          "yml/flow-sequence-bracket-spacing": "off",
          "yml/indent": "off",
          "yml/key-spacing": "off",
          "yml/no-multiple-empty-lines": "off",
          "yml/no-trailing-zeros": "off",
          "yml/quotes": "off"
        }
      }
    ];
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/meta.js
var require_meta6 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/meta.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.version = exports2.name = void 0;
    exports2.name = "eslint-plugin-yml";
    exports2.version = "1.14.0";
  }
});

// node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/index.js
var require_lib22 = __commonJS({
  "node_modules/.pnpm/eslint-plugin-yml@1.14.0_eslint@9.5.0/node_modules/eslint-plugin-yml/lib/index.js"(exports2, module2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var rules_1 = require_rules6();
    var base_1 = __importDefault2(require_base5());
    var recommended_1 = __importDefault2(require_recommended5());
    var standard_1 = __importDefault2(require_standard());
    var prettier_1 = __importDefault2(require_prettier3());
    var base_2 = __importDefault2(require_base6());
    var recommended_2 = __importDefault2(require_recommended6());
    var standard_2 = __importDefault2(require_standard2());
    var prettier_2 = __importDefault2(require_prettier4());
    var meta = __importStar2(require_meta6());
    var configs = {
      base: base_1.default,
      recommended: recommended_1.default,
      standard: standard_1.default,
      prettier: prettier_1.default,
      "flat/base": base_2.default,
      "flat/recommended": recommended_2.default,
      "flat/standard": standard_2.default,
      "flat/prettier": prettier_2.default
    };
    var rules = rules_1.rules.reduce((obj, r) => {
      obj[r.meta.docs.ruleName] = r;
      return obj;
    }, {});
    module2.exports = {
      meta,
      configs,
      rules
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/all.js
var require_all4 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/all.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: ["./configs/base", "./configs/eslint-recommended"],
      rules: {
        "@typescript-eslint/adjacent-overload-signatures": "error",
        "@typescript-eslint/array-type": "error",
        "@typescript-eslint/await-thenable": "error",
        "@typescript-eslint/ban-ts-comment": "error",
        "@typescript-eslint/ban-tslint-comment": "error",
        "@typescript-eslint/ban-types": "error",
        "@typescript-eslint/class-literal-property-style": "error",
        "class-methods-use-this": "off",
        "@typescript-eslint/class-methods-use-this": "error",
        "@typescript-eslint/consistent-generic-constructors": "error",
        "@typescript-eslint/consistent-indexed-object-style": "error",
        "consistent-return": "off",
        "@typescript-eslint/consistent-return": "error",
        "@typescript-eslint/consistent-type-assertions": "error",
        "@typescript-eslint/consistent-type-definitions": "error",
        "@typescript-eslint/consistent-type-exports": "error",
        "@typescript-eslint/consistent-type-imports": "error",
        "default-param-last": "off",
        "@typescript-eslint/default-param-last": "error",
        "dot-notation": "off",
        "@typescript-eslint/dot-notation": "error",
        "@typescript-eslint/explicit-function-return-type": "error",
        "@typescript-eslint/explicit-member-accessibility": "error",
        "@typescript-eslint/explicit-module-boundary-types": "error",
        "init-declarations": "off",
        "@typescript-eslint/init-declarations": "error",
        "max-params": "off",
        "@typescript-eslint/max-params": "error",
        "@typescript-eslint/member-ordering": "error",
        "@typescript-eslint/method-signature-style": "error",
        "@typescript-eslint/naming-convention": "error",
        "no-array-constructor": "off",
        "@typescript-eslint/no-array-constructor": "error",
        "@typescript-eslint/no-array-delete": "error",
        "@typescript-eslint/no-base-to-string": "error",
        "@typescript-eslint/no-confusing-non-null-assertion": "error",
        "@typescript-eslint/no-confusing-void-expression": "error",
        "no-dupe-class-members": "off",
        "@typescript-eslint/no-dupe-class-members": "error",
        "@typescript-eslint/no-duplicate-enum-values": "error",
        "@typescript-eslint/no-duplicate-type-constituents": "error",
        "@typescript-eslint/no-dynamic-delete": "error",
        "no-empty-function": "off",
        "@typescript-eslint/no-empty-function": "error",
        "@typescript-eslint/no-empty-interface": "error",
        "@typescript-eslint/no-empty-object-type": "error",
        "@typescript-eslint/no-explicit-any": "error",
        "@typescript-eslint/no-extra-non-null-assertion": "error",
        "@typescript-eslint/no-extraneous-class": "error",
        "@typescript-eslint/no-floating-promises": "error",
        "@typescript-eslint/no-for-in-array": "error",
        "no-implied-eval": "off",
        "@typescript-eslint/no-implied-eval": "error",
        "@typescript-eslint/no-import-type-side-effects": "error",
        "@typescript-eslint/no-inferrable-types": "error",
        "no-invalid-this": "off",
        "@typescript-eslint/no-invalid-this": "error",
        "@typescript-eslint/no-invalid-void-type": "error",
        "no-loop-func": "off",
        "@typescript-eslint/no-loop-func": "error",
        "no-loss-of-precision": "off",
        "@typescript-eslint/no-loss-of-precision": "error",
        "no-magic-numbers": "off",
        "@typescript-eslint/no-magic-numbers": "error",
        "@typescript-eslint/no-meaningless-void-operator": "error",
        "@typescript-eslint/no-misused-new": "error",
        "@typescript-eslint/no-misused-promises": "error",
        "@typescript-eslint/no-mixed-enums": "error",
        "@typescript-eslint/no-namespace": "error",
        "@typescript-eslint/no-non-null-asserted-nullish-coalescing": "error",
        "@typescript-eslint/no-non-null-asserted-optional-chain": "error",
        "@typescript-eslint/no-non-null-assertion": "error",
        "no-redeclare": "off",
        "@typescript-eslint/no-redeclare": "error",
        "@typescript-eslint/no-redundant-type-constituents": "error",
        "@typescript-eslint/no-require-imports": "error",
        "no-restricted-imports": "off",
        "@typescript-eslint/no-restricted-imports": "error",
        "no-shadow": "off",
        "@typescript-eslint/no-shadow": "error",
        "@typescript-eslint/no-this-alias": "error",
        "@typescript-eslint/no-unnecessary-boolean-literal-compare": "error",
        "@typescript-eslint/no-unnecessary-condition": "error",
        "@typescript-eslint/no-unnecessary-parameter-property-assignment": "error",
        "@typescript-eslint/no-unnecessary-qualifier": "error",
        "@typescript-eslint/no-unnecessary-template-expression": "error",
        "@typescript-eslint/no-unnecessary-type-arguments": "error",
        "@typescript-eslint/no-unnecessary-type-assertion": "error",
        "@typescript-eslint/no-unnecessary-type-constraint": "error",
        "@typescript-eslint/no-unnecessary-type-parameters": "error",
        "@typescript-eslint/no-unsafe-argument": "error",
        "@typescript-eslint/no-unsafe-assignment": "error",
        "@typescript-eslint/no-unsafe-call": "error",
        "@typescript-eslint/no-unsafe-declaration-merging": "error",
        "@typescript-eslint/no-unsafe-enum-comparison": "error",
        "@typescript-eslint/no-unsafe-member-access": "error",
        "@typescript-eslint/no-unsafe-return": "error",
        "@typescript-eslint/no-unsafe-unary-minus": "error",
        "no-unused-expressions": "off",
        "@typescript-eslint/no-unused-expressions": "error",
        "no-unused-vars": "off",
        "@typescript-eslint/no-unused-vars": "error",
        "no-use-before-define": "off",
        "@typescript-eslint/no-use-before-define": "error",
        "no-useless-constructor": "off",
        "@typescript-eslint/no-useless-constructor": "error",
        "@typescript-eslint/no-useless-empty-export": "error",
        "@typescript-eslint/no-var-requires": "error",
        "@typescript-eslint/non-nullable-type-assertion-style": "error",
        "no-throw-literal": "off",
        "@typescript-eslint/only-throw-error": "error",
        "@typescript-eslint/parameter-properties": "error",
        "@typescript-eslint/prefer-as-const": "error",
        "prefer-destructuring": "off",
        "@typescript-eslint/prefer-destructuring": "error",
        "@typescript-eslint/prefer-enum-initializers": "error",
        "@typescript-eslint/prefer-find": "error",
        "@typescript-eslint/prefer-for-of": "error",
        "@typescript-eslint/prefer-function-type": "error",
        "@typescript-eslint/prefer-includes": "error",
        "@typescript-eslint/prefer-literal-enum-member": "error",
        "@typescript-eslint/prefer-namespace-keyword": "error",
        "@typescript-eslint/prefer-nullish-coalescing": "error",
        "@typescript-eslint/prefer-optional-chain": "error",
        "prefer-promise-reject-errors": "off",
        "@typescript-eslint/prefer-promise-reject-errors": "error",
        "@typescript-eslint/prefer-readonly": "error",
        "@typescript-eslint/prefer-readonly-parameter-types": "error",
        "@typescript-eslint/prefer-reduce-type-parameter": "error",
        "@typescript-eslint/prefer-regexp-exec": "error",
        "@typescript-eslint/prefer-return-this-type": "error",
        "@typescript-eslint/prefer-string-starts-ends-with": "error",
        "@typescript-eslint/promise-function-async": "error",
        "@typescript-eslint/require-array-sort-compare": "error",
        "require-await": "off",
        "@typescript-eslint/require-await": "error",
        "@typescript-eslint/restrict-plus-operands": "error",
        "@typescript-eslint/restrict-template-expressions": "error",
        "no-return-await": "off",
        "@typescript-eslint/return-await": "error",
        "@typescript-eslint/strict-boolean-expressions": "error",
        "@typescript-eslint/switch-exhaustiveness-check": "error",
        "@typescript-eslint/triple-slash-reference": "error",
        "@typescript-eslint/typedef": "error",
        "@typescript-eslint/unbound-method": "error",
        "@typescript-eslint/unified-signatures": "error",
        "@typescript-eslint/use-unknown-in-catch-callback-variable": "error"
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/base.js
var require_base7 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/base.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      parser: "@typescript-eslint/parser",
      parserOptions: { sourceType: "module" },
      plugins: ["@typescript-eslint"]
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/disable-type-checked.js
var require_disable_type_checked2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/disable-type-checked.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      parserOptions: {
        project: false,
        program: null,
        EXPERIMENTAL_useProjectService: false
      },
      rules: {
        "@typescript-eslint/await-thenable": "off",
        "@typescript-eslint/consistent-return": "off",
        "@typescript-eslint/consistent-type-exports": "off",
        "@typescript-eslint/dot-notation": "off",
        "@typescript-eslint/naming-convention": "off",
        "@typescript-eslint/no-array-delete": "off",
        "@typescript-eslint/no-base-to-string": "off",
        "@typescript-eslint/no-confusing-void-expression": "off",
        "@typescript-eslint/no-duplicate-type-constituents": "off",
        "@typescript-eslint/no-floating-promises": "off",
        "@typescript-eslint/no-for-in-array": "off",
        "@typescript-eslint/no-implied-eval": "off",
        "@typescript-eslint/no-meaningless-void-operator": "off",
        "@typescript-eslint/no-misused-promises": "off",
        "@typescript-eslint/no-mixed-enums": "off",
        "@typescript-eslint/no-redundant-type-constituents": "off",
        "@typescript-eslint/no-throw-literal": "off",
        "@typescript-eslint/no-unnecessary-boolean-literal-compare": "off",
        "@typescript-eslint/no-unnecessary-condition": "off",
        "@typescript-eslint/no-unnecessary-qualifier": "off",
        "@typescript-eslint/no-unnecessary-template-expression": "off",
        "@typescript-eslint/no-unnecessary-type-arguments": "off",
        "@typescript-eslint/no-unnecessary-type-assertion": "off",
        "@typescript-eslint/no-unnecessary-type-parameters": "off",
        "@typescript-eslint/no-unsafe-argument": "off",
        "@typescript-eslint/no-unsafe-assignment": "off",
        "@typescript-eslint/no-unsafe-call": "off",
        "@typescript-eslint/no-unsafe-enum-comparison": "off",
        "@typescript-eslint/no-unsafe-member-access": "off",
        "@typescript-eslint/no-unsafe-return": "off",
        "@typescript-eslint/no-unsafe-unary-minus": "off",
        "@typescript-eslint/no-useless-template-literals": "off",
        "@typescript-eslint/non-nullable-type-assertion-style": "off",
        "@typescript-eslint/only-throw-error": "off",
        "@typescript-eslint/prefer-destructuring": "off",
        "@typescript-eslint/prefer-find": "off",
        "@typescript-eslint/prefer-includes": "off",
        "@typescript-eslint/prefer-nullish-coalescing": "off",
        "@typescript-eslint/prefer-optional-chain": "off",
        "@typescript-eslint/prefer-promise-reject-errors": "off",
        "@typescript-eslint/prefer-readonly": "off",
        "@typescript-eslint/prefer-readonly-parameter-types": "off",
        "@typescript-eslint/prefer-reduce-type-parameter": "off",
        "@typescript-eslint/prefer-regexp-exec": "off",
        "@typescript-eslint/prefer-return-this-type": "off",
        "@typescript-eslint/prefer-string-starts-ends-with": "off",
        "@typescript-eslint/promise-function-async": "off",
        "@typescript-eslint/require-array-sort-compare": "off",
        "@typescript-eslint/require-await": "off",
        "@typescript-eslint/restrict-plus-operands": "off",
        "@typescript-eslint/restrict-template-expressions": "off",
        "@typescript-eslint/return-await": "off",
        "@typescript-eslint/strict-boolean-expressions": "off",
        "@typescript-eslint/switch-exhaustiveness-check": "off",
        "@typescript-eslint/unbound-method": "off",
        "@typescript-eslint/use-unknown-in-catch-callback-variable": "off"
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/eslint-recommended-raw.js
var require_eslint_recommended_raw2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/eslint-recommended-raw.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.default = (style) => ({
      files: style === "glob" ? (
        // classic configs use glob syntax
        ["*.ts", "*.tsx", "*.mts", "*.cts"]
      ) : (
        // flat configs use minimatch syntax
        ["**/*.ts", "**/*.tsx", "**/*.mts", "**/*.cts"]
      ),
      rules: {
        "constructor-super": "off",
        // ts(2335) & ts(2377)
        "getter-return": "off",
        // ts(2378)
        "no-const-assign": "off",
        // ts(2588)
        "no-dupe-args": "off",
        // ts(2300)
        "no-dupe-class-members": "off",
        // ts(2393) & ts(2300)
        "no-dupe-keys": "off",
        // ts(1117)
        "no-func-assign": "off",
        // ts(2630)
        "no-import-assign": "off",
        // ts(2632) & ts(2540)
        // TODO - remove this once we no longer support ESLint v8
        "no-new-symbol": "off",
        // ts(7009)
        "no-new-native-nonconstructor": "off",
        // ts(7009)
        "no-obj-calls": "off",
        // ts(2349)
        "no-redeclare": "off",
        // ts(2451)
        "no-setter-return": "off",
        // ts(2408)
        "no-this-before-super": "off",
        // ts(2376) & ts(17009)
        "no-undef": "off",
        // ts(2304) & ts(2552)
        "no-unreachable": "off",
        // ts(7027)
        "no-unsafe-negation": "off",
        // ts(2365) & ts(2322) & ts(2358)
        "no-var": "error",
        // ts transpiles let/const to var, so no need for vars any more
        "prefer-const": "error",
        // ts provides better types with const
        "prefer-rest-params": "error",
        // ts provides better types with rest args over arguments
        "prefer-spread": "error"
        // ts transpiles spread to apply, so no need for manual apply
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/eslint-recommended.js
var require_eslint_recommended4 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/eslint-recommended.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var eslint_recommended_raw_1 = __importDefault2(require_eslint_recommended_raw2());
    module2.exports = {
      overrides: [(0, eslint_recommended_raw_1.default)("glob")]
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/recommended.js
var require_recommended7 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/recommended.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: ["./configs/base", "./configs/eslint-recommended"],
      rules: {
        "@typescript-eslint/ban-ts-comment": "error",
        "@typescript-eslint/ban-types": "error",
        "no-array-constructor": "off",
        "@typescript-eslint/no-array-constructor": "error",
        "@typescript-eslint/no-duplicate-enum-values": "error",
        "@typescript-eslint/no-explicit-any": "error",
        "@typescript-eslint/no-extra-non-null-assertion": "error",
        "no-loss-of-precision": "off",
        "@typescript-eslint/no-loss-of-precision": "error",
        "@typescript-eslint/no-misused-new": "error",
        "@typescript-eslint/no-namespace": "error",
        "@typescript-eslint/no-non-null-asserted-optional-chain": "error",
        "@typescript-eslint/no-this-alias": "error",
        "@typescript-eslint/no-unnecessary-type-constraint": "error",
        "@typescript-eslint/no-unsafe-declaration-merging": "error",
        "no-unused-vars": "off",
        "@typescript-eslint/no-unused-vars": "error",
        "@typescript-eslint/no-var-requires": "error",
        "@typescript-eslint/prefer-as-const": "error",
        "@typescript-eslint/triple-slash-reference": "error"
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/recommended-type-checked.js
var require_recommended_type_checked2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/recommended-type-checked.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: ["./configs/base", "./configs/eslint-recommended"],
      rules: {
        "@typescript-eslint/await-thenable": "error",
        "@typescript-eslint/ban-ts-comment": "error",
        "@typescript-eslint/ban-types": "error",
        "no-array-constructor": "off",
        "@typescript-eslint/no-array-constructor": "error",
        "@typescript-eslint/no-base-to-string": "error",
        "@typescript-eslint/no-duplicate-enum-values": "error",
        "@typescript-eslint/no-duplicate-type-constituents": "error",
        "@typescript-eslint/no-explicit-any": "error",
        "@typescript-eslint/no-extra-non-null-assertion": "error",
        "@typescript-eslint/no-floating-promises": "error",
        "@typescript-eslint/no-for-in-array": "error",
        "no-implied-eval": "off",
        "@typescript-eslint/no-implied-eval": "error",
        "no-loss-of-precision": "off",
        "@typescript-eslint/no-loss-of-precision": "error",
        "@typescript-eslint/no-misused-new": "error",
        "@typescript-eslint/no-misused-promises": "error",
        "@typescript-eslint/no-namespace": "error",
        "@typescript-eslint/no-non-null-asserted-optional-chain": "error",
        "@typescript-eslint/no-redundant-type-constituents": "error",
        "@typescript-eslint/no-this-alias": "error",
        "@typescript-eslint/no-unnecessary-type-assertion": "error",
        "@typescript-eslint/no-unnecessary-type-constraint": "error",
        "@typescript-eslint/no-unsafe-argument": "error",
        "@typescript-eslint/no-unsafe-assignment": "error",
        "@typescript-eslint/no-unsafe-call": "error",
        "@typescript-eslint/no-unsafe-declaration-merging": "error",
        "@typescript-eslint/no-unsafe-enum-comparison": "error",
        "@typescript-eslint/no-unsafe-member-access": "error",
        "@typescript-eslint/no-unsafe-return": "error",
        "no-unused-vars": "off",
        "@typescript-eslint/no-unused-vars": "error",
        "@typescript-eslint/no-var-requires": "error",
        "@typescript-eslint/prefer-as-const": "error",
        "require-await": "off",
        "@typescript-eslint/require-await": "error",
        "@typescript-eslint/restrict-plus-operands": "error",
        "@typescript-eslint/restrict-template-expressions": "error",
        "@typescript-eslint/triple-slash-reference": "error",
        "@typescript-eslint/unbound-method": "error"
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/recommended-type-checked-only.js
var require_recommended_type_checked_only2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/recommended-type-checked-only.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: ["./configs/base", "./configs/eslint-recommended"],
      rules: {
        "@typescript-eslint/await-thenable": "error",
        "@typescript-eslint/no-base-to-string": "error",
        "@typescript-eslint/no-duplicate-type-constituents": "error",
        "@typescript-eslint/no-floating-promises": "error",
        "@typescript-eslint/no-for-in-array": "error",
        "no-implied-eval": "off",
        "@typescript-eslint/no-implied-eval": "error",
        "@typescript-eslint/no-misused-promises": "error",
        "@typescript-eslint/no-redundant-type-constituents": "error",
        "@typescript-eslint/no-unnecessary-type-assertion": "error",
        "@typescript-eslint/no-unsafe-argument": "error",
        "@typescript-eslint/no-unsafe-assignment": "error",
        "@typescript-eslint/no-unsafe-call": "error",
        "@typescript-eslint/no-unsafe-enum-comparison": "error",
        "@typescript-eslint/no-unsafe-member-access": "error",
        "@typescript-eslint/no-unsafe-return": "error",
        "require-await": "off",
        "@typescript-eslint/require-await": "error",
        "@typescript-eslint/restrict-plus-operands": "error",
        "@typescript-eslint/restrict-template-expressions": "error",
        "@typescript-eslint/unbound-method": "error"
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/strict.js
var require_strict2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/strict.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: ["./configs/base", "./configs/eslint-recommended"],
      rules: {
        "@typescript-eslint/ban-ts-comment": [
          "error",
          { minimumDescriptionLength: 10 }
        ],
        "@typescript-eslint/ban-types": "error",
        "no-array-constructor": "off",
        "@typescript-eslint/no-array-constructor": "error",
        "@typescript-eslint/no-duplicate-enum-values": "error",
        "@typescript-eslint/no-dynamic-delete": "error",
        "@typescript-eslint/no-explicit-any": "error",
        "@typescript-eslint/no-extra-non-null-assertion": "error",
        "@typescript-eslint/no-extraneous-class": "error",
        "@typescript-eslint/no-invalid-void-type": "error",
        "no-loss-of-precision": "off",
        "@typescript-eslint/no-loss-of-precision": "error",
        "@typescript-eslint/no-misused-new": "error",
        "@typescript-eslint/no-namespace": "error",
        "@typescript-eslint/no-non-null-asserted-nullish-coalescing": "error",
        "@typescript-eslint/no-non-null-asserted-optional-chain": "error",
        "@typescript-eslint/no-non-null-assertion": "error",
        "@typescript-eslint/no-this-alias": "error",
        "@typescript-eslint/no-unnecessary-type-constraint": "error",
        "@typescript-eslint/no-unsafe-declaration-merging": "error",
        "no-unused-vars": "off",
        "@typescript-eslint/no-unused-vars": "error",
        "no-useless-constructor": "off",
        "@typescript-eslint/no-useless-constructor": "error",
        "@typescript-eslint/no-var-requires": "error",
        "@typescript-eslint/prefer-as-const": "error",
        "@typescript-eslint/prefer-literal-enum-member": "error",
        "@typescript-eslint/triple-slash-reference": "error",
        "@typescript-eslint/unified-signatures": "error"
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/strict-type-checked.js
var require_strict_type_checked2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/strict-type-checked.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: ["./configs/base", "./configs/eslint-recommended"],
      rules: {
        "@typescript-eslint/await-thenable": "error",
        "@typescript-eslint/ban-ts-comment": [
          "error",
          { minimumDescriptionLength: 10 }
        ],
        "@typescript-eslint/ban-types": "error",
        "no-array-constructor": "off",
        "@typescript-eslint/no-array-constructor": "error",
        "@typescript-eslint/no-array-delete": "error",
        "@typescript-eslint/no-base-to-string": "error",
        "@typescript-eslint/no-confusing-void-expression": "error",
        "@typescript-eslint/no-duplicate-enum-values": "error",
        "@typescript-eslint/no-duplicate-type-constituents": "error",
        "@typescript-eslint/no-dynamic-delete": "error",
        "@typescript-eslint/no-explicit-any": "error",
        "@typescript-eslint/no-extra-non-null-assertion": "error",
        "@typescript-eslint/no-extraneous-class": "error",
        "@typescript-eslint/no-floating-promises": "error",
        "@typescript-eslint/no-for-in-array": "error",
        "no-implied-eval": "off",
        "@typescript-eslint/no-implied-eval": "error",
        "@typescript-eslint/no-invalid-void-type": "error",
        "no-loss-of-precision": "off",
        "@typescript-eslint/no-loss-of-precision": "error",
        "@typescript-eslint/no-meaningless-void-operator": "error",
        "@typescript-eslint/no-misused-new": "error",
        "@typescript-eslint/no-misused-promises": "error",
        "@typescript-eslint/no-mixed-enums": "error",
        "@typescript-eslint/no-namespace": "error",
        "@typescript-eslint/no-non-null-asserted-nullish-coalescing": "error",
        "@typescript-eslint/no-non-null-asserted-optional-chain": "error",
        "@typescript-eslint/no-non-null-assertion": "error",
        "@typescript-eslint/no-redundant-type-constituents": "error",
        "@typescript-eslint/no-this-alias": "error",
        "@typescript-eslint/no-unnecessary-boolean-literal-compare": "error",
        "@typescript-eslint/no-unnecessary-condition": "error",
        "@typescript-eslint/no-unnecessary-template-expression": "error",
        "@typescript-eslint/no-unnecessary-type-arguments": "error",
        "@typescript-eslint/no-unnecessary-type-assertion": "error",
        "@typescript-eslint/no-unnecessary-type-constraint": "error",
        "@typescript-eslint/no-unsafe-argument": "error",
        "@typescript-eslint/no-unsafe-assignment": "error",
        "@typescript-eslint/no-unsafe-call": "error",
        "@typescript-eslint/no-unsafe-declaration-merging": "error",
        "@typescript-eslint/no-unsafe-enum-comparison": "error",
        "@typescript-eslint/no-unsafe-member-access": "error",
        "@typescript-eslint/no-unsafe-return": "error",
        "no-unused-vars": "off",
        "@typescript-eslint/no-unused-vars": "error",
        "no-useless-constructor": "off",
        "@typescript-eslint/no-useless-constructor": "error",
        "@typescript-eslint/no-var-requires": "error",
        "no-throw-literal": "off",
        "@typescript-eslint/only-throw-error": "error",
        "@typescript-eslint/prefer-as-const": "error",
        "@typescript-eslint/prefer-includes": "error",
        "@typescript-eslint/prefer-literal-enum-member": "error",
        "prefer-promise-reject-errors": "off",
        "@typescript-eslint/prefer-promise-reject-errors": "error",
        "@typescript-eslint/prefer-reduce-type-parameter": "error",
        "@typescript-eslint/prefer-return-this-type": "error",
        "require-await": "off",
        "@typescript-eslint/require-await": "error",
        "@typescript-eslint/restrict-plus-operands": [
          "error",
          {
            allowAny: false,
            allowBoolean: false,
            allowNullish: false,
            allowNumberAndString: false,
            allowRegExp: false
          }
        ],
        "@typescript-eslint/restrict-template-expressions": [
          "error",
          {
            allowAny: false,
            allowBoolean: false,
            allowNullish: false,
            allowNumber: false,
            allowRegExp: false,
            allowNever: false
          }
        ],
        "@typescript-eslint/triple-slash-reference": "error",
        "@typescript-eslint/unbound-method": "error",
        "@typescript-eslint/unified-signatures": "error",
        "@typescript-eslint/use-unknown-in-catch-callback-variable": "error"
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/strict-type-checked-only.js
var require_strict_type_checked_only2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/strict-type-checked-only.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: ["./configs/base", "./configs/eslint-recommended"],
      rules: {
        "@typescript-eslint/await-thenable": "error",
        "@typescript-eslint/no-array-delete": "error",
        "@typescript-eslint/no-base-to-string": "error",
        "@typescript-eslint/no-confusing-void-expression": "error",
        "@typescript-eslint/no-duplicate-type-constituents": "error",
        "@typescript-eslint/no-floating-promises": "error",
        "@typescript-eslint/no-for-in-array": "error",
        "no-implied-eval": "off",
        "@typescript-eslint/no-implied-eval": "error",
        "@typescript-eslint/no-meaningless-void-operator": "error",
        "@typescript-eslint/no-misused-promises": "error",
        "@typescript-eslint/no-mixed-enums": "error",
        "@typescript-eslint/no-redundant-type-constituents": "error",
        "@typescript-eslint/no-unnecessary-boolean-literal-compare": "error",
        "@typescript-eslint/no-unnecessary-condition": "error",
        "@typescript-eslint/no-unnecessary-template-expression": "error",
        "@typescript-eslint/no-unnecessary-type-arguments": "error",
        "@typescript-eslint/no-unnecessary-type-assertion": "error",
        "@typescript-eslint/no-unsafe-argument": "error",
        "@typescript-eslint/no-unsafe-assignment": "error",
        "@typescript-eslint/no-unsafe-call": "error",
        "@typescript-eslint/no-unsafe-enum-comparison": "error",
        "@typescript-eslint/no-unsafe-member-access": "error",
        "@typescript-eslint/no-unsafe-return": "error",
        "no-throw-literal": "off",
        "@typescript-eslint/only-throw-error": "error",
        "@typescript-eslint/prefer-includes": "error",
        "prefer-promise-reject-errors": "off",
        "@typescript-eslint/prefer-promise-reject-errors": "error",
        "@typescript-eslint/prefer-reduce-type-parameter": "error",
        "@typescript-eslint/prefer-return-this-type": "error",
        "require-await": "off",
        "@typescript-eslint/require-await": "error",
        "@typescript-eslint/restrict-plus-operands": [
          "error",
          {
            allowAny: false,
            allowBoolean: false,
            allowNullish: false,
            allowNumberAndString: false,
            allowRegExp: false
          }
        ],
        "@typescript-eslint/restrict-template-expressions": [
          "error",
          {
            allowAny: false,
            allowBoolean: false,
            allowNullish: false,
            allowNumber: false,
            allowRegExp: false,
            allowNever: false
          }
        ],
        "@typescript-eslint/unbound-method": "error",
        "@typescript-eslint/use-unknown-in-catch-callback-variable": "error"
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/stylistic.js
var require_stylistic2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/stylistic.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: ["./configs/base", "./configs/eslint-recommended"],
      rules: {
        "@typescript-eslint/adjacent-overload-signatures": "error",
        "@typescript-eslint/array-type": "error",
        "@typescript-eslint/ban-tslint-comment": "error",
        "@typescript-eslint/class-literal-property-style": "error",
        "@typescript-eslint/consistent-generic-constructors": "error",
        "@typescript-eslint/consistent-indexed-object-style": "error",
        "@typescript-eslint/consistent-type-assertions": "error",
        "@typescript-eslint/consistent-type-definitions": "error",
        "@typescript-eslint/no-confusing-non-null-assertion": "error",
        "no-empty-function": "off",
        "@typescript-eslint/no-empty-function": "error",
        "@typescript-eslint/no-empty-interface": "error",
        "@typescript-eslint/no-inferrable-types": "error",
        "@typescript-eslint/prefer-for-of": "error",
        "@typescript-eslint/prefer-function-type": "error",
        "@typescript-eslint/prefer-namespace-keyword": "error"
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/stylistic-type-checked.js
var require_stylistic_type_checked2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/stylistic-type-checked.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: ["./configs/base", "./configs/eslint-recommended"],
      rules: {
        "@typescript-eslint/adjacent-overload-signatures": "error",
        "@typescript-eslint/array-type": "error",
        "@typescript-eslint/ban-tslint-comment": "error",
        "@typescript-eslint/class-literal-property-style": "error",
        "@typescript-eslint/consistent-generic-constructors": "error",
        "@typescript-eslint/consistent-indexed-object-style": "error",
        "@typescript-eslint/consistent-type-assertions": "error",
        "@typescript-eslint/consistent-type-definitions": "error",
        "dot-notation": "off",
        "@typescript-eslint/dot-notation": "error",
        "@typescript-eslint/no-confusing-non-null-assertion": "error",
        "no-empty-function": "off",
        "@typescript-eslint/no-empty-function": "error",
        "@typescript-eslint/no-empty-interface": "error",
        "@typescript-eslint/no-inferrable-types": "error",
        "@typescript-eslint/non-nullable-type-assertion-style": "error",
        "@typescript-eslint/prefer-for-of": "error",
        "@typescript-eslint/prefer-function-type": "error",
        "@typescript-eslint/prefer-namespace-keyword": "error",
        "@typescript-eslint/prefer-nullish-coalescing": "error",
        "@typescript-eslint/prefer-optional-chain": "error",
        "@typescript-eslint/prefer-string-starts-ends-with": "error"
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/stylistic-type-checked-only.js
var require_stylistic_type_checked_only2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/configs/stylistic-type-checked-only.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      extends: ["./configs/base", "./configs/eslint-recommended"],
      rules: {
        "dot-notation": "off",
        "@typescript-eslint/dot-notation": "error",
        "@typescript-eslint/non-nullable-type-assertion-style": "error",
        "@typescript-eslint/prefer-nullish-coalescing": "error",
        "@typescript-eslint/prefer-optional-chain": "error",
        "@typescript-eslint/prefer-string-starts-ends-with": "error"
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/astUtilities.js
var require_astUtilities2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/astUtilities.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isParenthesized = exports2.hasSideEffect = exports2.getStringIfConstant = exports2.getStaticValue = exports2.getPropertyName = exports2.getFunctionNameWithKind = exports2.getFunctionHeadLocation = void 0;
    var eslintUtils = __importStar2(require_eslint_utils());
    var getFunctionHeadLocation2 = eslintUtils.getFunctionHeadLocation;
    exports2.getFunctionHeadLocation = getFunctionHeadLocation2;
    var getFunctionNameWithKind2 = eslintUtils.getFunctionNameWithKind;
    exports2.getFunctionNameWithKind = getFunctionNameWithKind2;
    var getPropertyName2 = eslintUtils.getPropertyName;
    exports2.getPropertyName = getPropertyName2;
    var getStaticValue2 = eslintUtils.getStaticValue;
    exports2.getStaticValue = getStaticValue2;
    var getStringIfConstant2 = eslintUtils.getStringIfConstant;
    exports2.getStringIfConstant = getStringIfConstant2;
    var hasSideEffect2 = eslintUtils.hasSideEffect;
    exports2.hasSideEffect = hasSideEffect2;
    var isParenthesized2 = eslintUtils.isParenthesized;
    exports2.isParenthesized = isParenthesized2;
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/PatternMatcher.js
var require_PatternMatcher2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/PatternMatcher.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.PatternMatcher = void 0;
    var eslintUtils = __importStar2(require_eslint_utils());
    var PatternMatcher = eslintUtils.PatternMatcher;
    exports2.PatternMatcher = PatternMatcher;
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/predicates.js
var require_predicates4 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/predicates.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isSemicolonToken = exports2.isOpeningParenToken = exports2.isOpeningBracketToken = exports2.isOpeningBraceToken = exports2.isNotSemicolonToken = exports2.isNotOpeningParenToken = exports2.isNotOpeningBracketToken = exports2.isNotOpeningBraceToken = exports2.isNotCommentToken = exports2.isNotCommaToken = exports2.isNotColonToken = exports2.isNotClosingParenToken = exports2.isNotClosingBracketToken = exports2.isNotClosingBraceToken = exports2.isNotArrowToken = exports2.isCommentToken = exports2.isCommaToken = exports2.isColonToken = exports2.isClosingParenToken = exports2.isClosingBracketToken = exports2.isClosingBraceToken = exports2.isArrowToken = void 0;
    var eslintUtils = __importStar2(require_eslint_utils());
    var isArrowToken2 = eslintUtils.isArrowToken;
    exports2.isArrowToken = isArrowToken2;
    var isNotArrowToken2 = eslintUtils.isNotArrowToken;
    exports2.isNotArrowToken = isNotArrowToken2;
    var isClosingBraceToken2 = eslintUtils.isClosingBraceToken;
    exports2.isClosingBraceToken = isClosingBraceToken2;
    var isNotClosingBraceToken2 = eslintUtils.isNotClosingBraceToken;
    exports2.isNotClosingBraceToken = isNotClosingBraceToken2;
    var isClosingBracketToken2 = eslintUtils.isClosingBracketToken;
    exports2.isClosingBracketToken = isClosingBracketToken2;
    var isNotClosingBracketToken2 = eslintUtils.isNotClosingBracketToken;
    exports2.isNotClosingBracketToken = isNotClosingBracketToken2;
    var isClosingParenToken2 = eslintUtils.isClosingParenToken;
    exports2.isClosingParenToken = isClosingParenToken2;
    var isNotClosingParenToken2 = eslintUtils.isNotClosingParenToken;
    exports2.isNotClosingParenToken = isNotClosingParenToken2;
    var isColonToken2 = eslintUtils.isColonToken;
    exports2.isColonToken = isColonToken2;
    var isNotColonToken2 = eslintUtils.isNotColonToken;
    exports2.isNotColonToken = isNotColonToken2;
    var isCommaToken2 = eslintUtils.isCommaToken;
    exports2.isCommaToken = isCommaToken2;
    var isNotCommaToken2 = eslintUtils.isNotCommaToken;
    exports2.isNotCommaToken = isNotCommaToken2;
    var isCommentToken2 = eslintUtils.isCommentToken;
    exports2.isCommentToken = isCommentToken2;
    var isNotCommentToken2 = eslintUtils.isNotCommentToken;
    exports2.isNotCommentToken = isNotCommentToken2;
    var isOpeningBraceToken2 = eslintUtils.isOpeningBraceToken;
    exports2.isOpeningBraceToken = isOpeningBraceToken2;
    var isNotOpeningBraceToken2 = eslintUtils.isNotOpeningBraceToken;
    exports2.isNotOpeningBraceToken = isNotOpeningBraceToken2;
    var isOpeningBracketToken2 = eslintUtils.isOpeningBracketToken;
    exports2.isOpeningBracketToken = isOpeningBracketToken2;
    var isNotOpeningBracketToken2 = eslintUtils.isNotOpeningBracketToken;
    exports2.isNotOpeningBracketToken = isNotOpeningBracketToken2;
    var isOpeningParenToken2 = eslintUtils.isOpeningParenToken;
    exports2.isOpeningParenToken = isOpeningParenToken2;
    var isNotOpeningParenToken2 = eslintUtils.isNotOpeningParenToken;
    exports2.isNotOpeningParenToken = isNotOpeningParenToken2;
    var isSemicolonToken2 = eslintUtils.isSemicolonToken;
    exports2.isSemicolonToken = isSemicolonToken2;
    var isNotSemicolonToken2 = eslintUtils.isNotSemicolonToken;
    exports2.isNotSemicolonToken = isNotSemicolonToken2;
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/ReferenceTracker.js
var require_ReferenceTracker2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/ReferenceTracker.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.ReferenceTracker = void 0;
    var eslintUtils = __importStar2(require_eslint_utils());
    var ReferenceTrackerREAD = eslintUtils.ReferenceTracker.READ;
    var ReferenceTrackerCALL = eslintUtils.ReferenceTracker.CALL;
    var ReferenceTrackerCONSTRUCT = eslintUtils.ReferenceTracker.CONSTRUCT;
    var ReferenceTrackerESM = eslintUtils.ReferenceTracker.ESM;
    var ReferenceTracker2 = eslintUtils.ReferenceTracker;
    exports2.ReferenceTracker = ReferenceTracker2;
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/scopeAnalysis.js
var require_scopeAnalysis2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/scopeAnalysis.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getInnermostScope = exports2.findVariable = void 0;
    var eslintUtils = __importStar2(require_eslint_utils());
    var findVariable2 = eslintUtils.findVariable;
    exports2.findVariable = findVariable2;
    var getInnermostScope2 = eslintUtils.getInnermostScope;
    exports2.getInnermostScope = getInnermostScope2;
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/index.js
var require_eslint_utils4 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/eslint-utils/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) {
      for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p);
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    __exportStar2(require_astUtilities2(), exports2);
    __exportStar2(require_PatternMatcher2(), exports2);
    __exportStar2(require_predicates4(), exports2);
    __exportStar2(require_ReferenceTracker2(), exports2);
    __exportStar2(require_scopeAnalysis2(), exports2);
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/helpers.js
var require_helpers5 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/helpers.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isNotTokenOfTypeWithConditions = exports2.isTokenOfTypeWithConditions = exports2.isNodeOfTypeWithConditions = exports2.isNodeOfTypes = exports2.isNodeOfType = void 0;
    var isNodeOfType = (nodeType) => (node) => node?.type === nodeType;
    exports2.isNodeOfType = isNodeOfType;
    var isNodeOfTypes = (nodeTypes) => (node) => !!node && nodeTypes.includes(node.type);
    exports2.isNodeOfTypes = isNodeOfTypes;
    var isNodeOfTypeWithConditions = (nodeType, conditions) => {
      const entries = Object.entries(conditions);
      return (node) => node?.type === nodeType && entries.every(([key, value]) => node[key] === value);
    };
    exports2.isNodeOfTypeWithConditions = isNodeOfTypeWithConditions;
    var isTokenOfTypeWithConditions = (tokenType, conditions) => {
      const entries = Object.entries(conditions);
      return (token) => token?.type === tokenType && entries.every(([key, value]) => token[key] === value);
    };
    exports2.isTokenOfTypeWithConditions = isTokenOfTypeWithConditions;
    var isNotTokenOfTypeWithConditions = (tokenType, conditions) => (token) => !(0, exports2.isTokenOfTypeWithConditions)(tokenType, conditions)(token);
    exports2.isNotTokenOfTypeWithConditions = isNotTokenOfTypeWithConditions;
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/misc.js
var require_misc3 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/misc.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.LINEBREAK_MATCHER = void 0;
    exports2.isTokenOnSameLine = isTokenOnSameLine;
    var LINEBREAK_MATCHER = /\r\n|[\r\n\u2028\u2029]/;
    exports2.LINEBREAK_MATCHER = LINEBREAK_MATCHER;
    function isTokenOnSameLine(left, right) {
      return left.loc.end.line === right.loc.start.line;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-estree.js
var require_ts_estree4 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-estree.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.TSESTree = exports2.AST_TOKEN_TYPES = exports2.AST_NODE_TYPES = void 0;
    var types_1 = require_dist();
    Object.defineProperty(exports2, "AST_NODE_TYPES", { enumerable: true, get: function() {
      return types_1.AST_NODE_TYPES;
    } });
    Object.defineProperty(exports2, "AST_TOKEN_TYPES", { enumerable: true, get: function() {
      return types_1.AST_TOKEN_TYPES;
    } });
    Object.defineProperty(exports2, "TSESTree", { enumerable: true, get: function() {
      return types_1.TSESTree;
    } });
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/predicates.js
var require_predicates5 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/predicates.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isVariableDeclarator = exports2.isTypeKeyword = exports2.isTypeAssertion = exports2.isTSFunctionType = exports2.isTSConstructorType = exports2.isOptionalCallExpression = exports2.isOptionalChainPunctuator = exports2.isNotOptionalChainPunctuator = exports2.isNotNonNullAssertionPunctuator = exports2.isNonNullAssertionPunctuator = exports2.isLogicalOrOperator = exports2.isLoop = exports2.isImportKeyword = exports2.isIdentifier = exports2.isFunctionType = exports2.isFunctionOrFunctionType = exports2.isFunction = exports2.isClassOrTypeElement = exports2.isConstructor = exports2.isAwaitKeyword = exports2.isAwaitExpression = void 0;
    exports2.isSetter = isSetter;
    var ts_estree_1 = require_ts_estree4();
    var helpers_1 = require_helpers5();
    var isOptionalChainPunctuator = (0, helpers_1.isTokenOfTypeWithConditions)(ts_estree_1.AST_TOKEN_TYPES.Punctuator, { value: "?." });
    exports2.isOptionalChainPunctuator = isOptionalChainPunctuator;
    var isNotOptionalChainPunctuator = (0, helpers_1.isNotTokenOfTypeWithConditions)(ts_estree_1.AST_TOKEN_TYPES.Punctuator, { value: "?." });
    exports2.isNotOptionalChainPunctuator = isNotOptionalChainPunctuator;
    var isNonNullAssertionPunctuator = (0, helpers_1.isTokenOfTypeWithConditions)(ts_estree_1.AST_TOKEN_TYPES.Punctuator, { value: "!" });
    exports2.isNonNullAssertionPunctuator = isNonNullAssertionPunctuator;
    var isNotNonNullAssertionPunctuator = (0, helpers_1.isNotTokenOfTypeWithConditions)(ts_estree_1.AST_TOKEN_TYPES.Punctuator, { value: "!" });
    exports2.isNotNonNullAssertionPunctuator = isNotNonNullAssertionPunctuator;
    var isOptionalCallExpression = (0, helpers_1.isNodeOfTypeWithConditions)(
      ts_estree_1.AST_NODE_TYPES.CallExpression,
      // this flag means the call expression itself is option
      // i.e. it is foo.bar?.() and not foo?.bar()
      { optional: true }
    );
    exports2.isOptionalCallExpression = isOptionalCallExpression;
    var isLogicalOrOperator = (0, helpers_1.isNodeOfTypeWithConditions)(ts_estree_1.AST_NODE_TYPES.LogicalExpression, { operator: "||" });
    exports2.isLogicalOrOperator = isLogicalOrOperator;
    var isTypeAssertion = (0, helpers_1.isNodeOfTypes)([
      ts_estree_1.AST_NODE_TYPES.TSAsExpression,
      ts_estree_1.AST_NODE_TYPES.TSTypeAssertion
    ]);
    exports2.isTypeAssertion = isTypeAssertion;
    var isVariableDeclarator = (0, helpers_1.isNodeOfType)(ts_estree_1.AST_NODE_TYPES.VariableDeclarator);
    exports2.isVariableDeclarator = isVariableDeclarator;
    var functionTypes2 = [
      ts_estree_1.AST_NODE_TYPES.ArrowFunctionExpression,
      ts_estree_1.AST_NODE_TYPES.FunctionDeclaration,
      ts_estree_1.AST_NODE_TYPES.FunctionExpression
    ];
    var isFunction3 = (0, helpers_1.isNodeOfTypes)(functionTypes2);
    exports2.isFunction = isFunction3;
    var functionTypeTypes = [
      ts_estree_1.AST_NODE_TYPES.TSCallSignatureDeclaration,
      ts_estree_1.AST_NODE_TYPES.TSConstructorType,
      ts_estree_1.AST_NODE_TYPES.TSConstructSignatureDeclaration,
      ts_estree_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression,
      ts_estree_1.AST_NODE_TYPES.TSFunctionType,
      ts_estree_1.AST_NODE_TYPES.TSMethodSignature
    ];
    var isFunctionType = (0, helpers_1.isNodeOfTypes)(functionTypeTypes);
    exports2.isFunctionType = isFunctionType;
    var isFunctionOrFunctionType = (0, helpers_1.isNodeOfTypes)([
      ...functionTypes2,
      ...functionTypeTypes
    ]);
    exports2.isFunctionOrFunctionType = isFunctionOrFunctionType;
    var isTSFunctionType = (0, helpers_1.isNodeOfType)(ts_estree_1.AST_NODE_TYPES.TSFunctionType);
    exports2.isTSFunctionType = isTSFunctionType;
    var isTSConstructorType = (0, helpers_1.isNodeOfType)(ts_estree_1.AST_NODE_TYPES.TSConstructorType);
    exports2.isTSConstructorType = isTSConstructorType;
    var isClassOrTypeElement = (0, helpers_1.isNodeOfTypes)([
      // ClassElement
      ts_estree_1.AST_NODE_TYPES.PropertyDefinition,
      ts_estree_1.AST_NODE_TYPES.FunctionExpression,
      ts_estree_1.AST_NODE_TYPES.MethodDefinition,
      ts_estree_1.AST_NODE_TYPES.TSAbstractPropertyDefinition,
      ts_estree_1.AST_NODE_TYPES.TSAbstractMethodDefinition,
      ts_estree_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression,
      ts_estree_1.AST_NODE_TYPES.TSIndexSignature,
      // TypeElement
      ts_estree_1.AST_NODE_TYPES.TSCallSignatureDeclaration,
      ts_estree_1.AST_NODE_TYPES.TSConstructSignatureDeclaration,
      // AST_NODE_TYPES.TSIndexSignature,
      ts_estree_1.AST_NODE_TYPES.TSMethodSignature,
      ts_estree_1.AST_NODE_TYPES.TSPropertySignature
    ]);
    exports2.isClassOrTypeElement = isClassOrTypeElement;
    var isConstructor = (0, helpers_1.isNodeOfTypeWithConditions)(ts_estree_1.AST_NODE_TYPES.MethodDefinition, { kind: "constructor" });
    exports2.isConstructor = isConstructor;
    function isSetter(node) {
      return !!node && (node.type === ts_estree_1.AST_NODE_TYPES.MethodDefinition || node.type === ts_estree_1.AST_NODE_TYPES.Property) && node.kind === "set";
    }
    var isIdentifier = (0, helpers_1.isNodeOfType)(ts_estree_1.AST_NODE_TYPES.Identifier);
    exports2.isIdentifier = isIdentifier;
    var isAwaitExpression = (0, helpers_1.isNodeOfType)(ts_estree_1.AST_NODE_TYPES.AwaitExpression);
    exports2.isAwaitExpression = isAwaitExpression;
    var isAwaitKeyword = (0, helpers_1.isTokenOfTypeWithConditions)(ts_estree_1.AST_TOKEN_TYPES.Identifier, {
      value: "await"
    });
    exports2.isAwaitKeyword = isAwaitKeyword;
    var isTypeKeyword = (0, helpers_1.isTokenOfTypeWithConditions)(ts_estree_1.AST_TOKEN_TYPES.Identifier, {
      value: "type"
    });
    exports2.isTypeKeyword = isTypeKeyword;
    var isImportKeyword = (0, helpers_1.isTokenOfTypeWithConditions)(ts_estree_1.AST_TOKEN_TYPES.Keyword, {
      value: "import"
    });
    exports2.isImportKeyword = isImportKeyword;
    var isLoop = (0, helpers_1.isNodeOfTypes)([
      ts_estree_1.AST_NODE_TYPES.DoWhileStatement,
      ts_estree_1.AST_NODE_TYPES.ForStatement,
      ts_estree_1.AST_NODE_TYPES.ForInStatement,
      ts_estree_1.AST_NODE_TYPES.ForOfStatement,
      ts_estree_1.AST_NODE_TYPES.WhileStatement
    ]);
    exports2.isLoop = isLoop;
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/index.js
var require_ast_utils3 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ast-utils/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) {
      for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p);
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    __exportStar2(require_eslint_utils4(), exports2);
    __exportStar2(require_helpers5(), exports2);
    __exportStar2(require_misc3(), exports2);
    __exportStar2(require_predicates5(), exports2);
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/deepMerge.js
var require_deepMerge2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/deepMerge.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.deepMerge = deepMerge;
    exports2.isObjectNotArray = isObjectNotArray;
    function isObjectNotArray(obj) {
      return typeof obj === "object" && obj != null && !Array.isArray(obj);
    }
    function deepMerge(first = {}, second = {}) {
      const keys2 = new Set(Object.keys(first).concat(Object.keys(second)));
      return Array.from(keys2).reduce((acc, key) => {
        const firstHasKey = key in first;
        const secondHasKey = key in second;
        const firstValue = first[key];
        const secondValue = second[key];
        if (firstHasKey && secondHasKey) {
          if (isObjectNotArray(firstValue) && isObjectNotArray(secondValue)) {
            acc[key] = deepMerge(firstValue, secondValue);
          } else {
            acc[key] = secondValue;
          }
        } else if (firstHasKey) {
          acc[key] = firstValue;
        } else {
          acc[key] = secondValue;
        }
        return acc;
      }, {});
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/applyDefault.js
var require_applyDefault2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/applyDefault.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.applyDefault = applyDefault;
    var deepMerge_1 = require_deepMerge2();
    function applyDefault(defaultOptions2, userOptions) {
      const options = JSON.parse(JSON.stringify(defaultOptions2));
      if (userOptions == null) {
        return options;
      }
      options.forEach((opt, i) => {
        if (userOptions[i] !== void 0) {
          const userOpt = userOptions[i];
          if ((0, deepMerge_1.isObjectNotArray)(userOpt) && (0, deepMerge_1.isObjectNotArray)(opt)) {
            options[i] = (0, deepMerge_1.deepMerge)(opt, userOpt);
          } else {
            options[i] = userOpt;
          }
        }
      });
      return options;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/context.js
var require_context3 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/context.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getAncestors = getAncestors;
    exports2.getCwd = getCwd;
    exports2.getDeclaredVariables = getDeclaredVariables;
    exports2.getFilename = getFilename;
    exports2.getScope = getScope;
    exports2.getSourceCode = getSourceCode;
    function getAncestors(context) {
      return context.getAncestors();
    }
    function getCwd(context) {
      return context.getCwd();
    }
    function getDeclaredVariables(context, node) {
      return context.sourceCode.getDeclaredVariables(node);
    }
    function getFilename(context) {
      return context.filename;
    }
    function getScope(context) {
      return context.getScope();
    }
    function getSourceCode(context) {
      return context.sourceCode;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/parserSeemsToBeTSESLint.js
var require_parserSeemsToBeTSESLint2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/parserSeemsToBeTSESLint.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.parserSeemsToBeTSESLint = parserSeemsToBeTSESLint;
    function parserSeemsToBeTSESLint(parser) {
      return !!parser && /(?:typescript-eslint|\.\.)[\w/\\]*parser/.test(parser);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/getParserServices.js
var require_getParserServices2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/getParserServices.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getParserServices = getParserServices;
    var parserSeemsToBeTSESLint_1 = require_parserSeemsToBeTSESLint2();
    var ERROR_MESSAGE_REQUIRES_PARSER_SERVICES = 'You have used a rule which requires parserServices to be generated. You must therefore provide a value for the "parserOptions.project" property for @typescript-eslint/parser.';
    var ERROR_MESSAGE_UNKNOWN_PARSER = 'Note: detected a parser other than @typescript-eslint/parser. Make sure the parser is configured to forward "parserOptions.project" to @typescript-eslint/parser.';
    function getParserServices(context, allowWithoutFullTypeInformation = false) {
      const parser = context.parserPath || context.languageOptions.parser?.meta?.name;
      if (context.sourceCode.parserServices?.esTreeNodeToTSNodeMap == null || context.sourceCode.parserServices.tsNodeToESTreeNodeMap == null) {
        throwError(parser);
      }
      if (context.sourceCode.parserServices.program == null && !allowWithoutFullTypeInformation) {
        throwError(parser);
      }
      return context.sourceCode.parserServices;
    }
    function throwError(parser) {
      const messages116 = [
        ERROR_MESSAGE_REQUIRES_PARSER_SERVICES,
        `Parser: ${parser || "(unknown)"}`,
        !(0, parserSeemsToBeTSESLint_1.parserSeemsToBeTSESLint)(parser) && ERROR_MESSAGE_UNKNOWN_PARSER
      ].filter(Boolean);
      throw new Error(messages116.join("\n"));
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/InferTypesFromRule.js
var require_InferTypesFromRule2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/InferTypesFromRule.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/RuleCreator.js
var require_RuleCreator2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/RuleCreator.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.RuleCreator = RuleCreator;
    var applyDefault_1 = require_applyDefault2();
    function RuleCreator(urlCreator) {
      return function createNamedRule({ name, meta, ...rule }) {
        return createRule({
          meta: {
            ...meta,
            docs: {
              ...meta.docs,
              url: urlCreator(name)
            }
          },
          ...rule
        });
      };
    }
    function createRule({ create: create119, defaultOptions: defaultOptions2, meta }) {
      return {
        create(context) {
          const optionsWithDefault = (0, applyDefault_1.applyDefault)(defaultOptions2, context.options);
          return create119(context, optionsWithDefault);
        },
        defaultOptions: defaultOptions2,
        meta
      };
    }
    RuleCreator.withoutDocs = createRule;
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/nullThrows.js
var require_nullThrows2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/nullThrows.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.NullThrowsReasons = void 0;
    exports2.nullThrows = nullThrows;
    var NullThrowsReasons = {
      MissingParent: "Expected node to have a parent.",
      MissingToken: (token, thing) => `Expected to find a ${token} for the ${thing}.`
    };
    exports2.NullThrowsReasons = NullThrowsReasons;
    function nullThrows(value, message) {
      if (value == null) {
        throw new Error(`Non-null Assertion Failed: ${message}`);
      }
      return value;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/index.js
var require_eslint_utils5 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/eslint-utils/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) {
      for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p);
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    __exportStar2(require_applyDefault2(), exports2);
    __exportStar2(require_context3(), exports2);
    __exportStar2(require_getParserServices2(), exports2);
    __exportStar2(require_InferTypesFromRule2(), exports2);
    __exportStar2(require_RuleCreator2(), exports2);
    __exportStar2(require_deepMerge2(), exports2);
    __exportStar2(require_nullThrows2(), exports2);
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/json-schema.js
var require_json_schema2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/json-schema.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/AST.js
var require_AST2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/AST.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/Config.js
var require_Config2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/Config.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/eslint/LegacyESLint.js
var require_LegacyESLint2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/eslint/LegacyESLint.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.LegacyESLint = void 0;
    var use_at_your_own_risk_1 = require("eslint/use-at-your-own-risk");
    var LegacyESLint = class extends use_at_your_own_risk_1.LegacyESLint {
    };
    exports2.LegacyESLint = LegacyESLint;
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/eslint/FlatESLint.js
var require_FlatESLint2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/eslint/FlatESLint.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.FlatESLint = void 0;
    var use_at_your_own_risk_1 = require("eslint/use-at-your-own-risk");
    var FlatESLint = class extends use_at_your_own_risk_1.FlatESLint {
    };
    exports2.FlatESLint = FlatESLint;
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/ESLint.js
var require_ESLint2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/ESLint.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.LegacyESLint = exports2.FlatESLint = exports2.ESLint = void 0;
    var LegacyESLint_1 = require_LegacyESLint2();
    Object.defineProperty(exports2, "ESLint", { enumerable: true, get: function() {
      return LegacyESLint_1.LegacyESLint;
    } });
    var FlatESLint_1 = require_FlatESLint2();
    Object.defineProperty(exports2, "FlatESLint", { enumerable: true, get: function() {
      return FlatESLint_1.FlatESLint;
    } });
    var LegacyESLint_2 = require_LegacyESLint2();
    Object.defineProperty(exports2, "LegacyESLint", { enumerable: true, get: function() {
      return LegacyESLint_2.LegacyESLint;
    } });
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/Linter.js
var require_Linter2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/Linter.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.Linter = void 0;
    var eslint_1 = require("eslint");
    var Linter = class extends eslint_1.Linter {
    };
    exports2.Linter = Linter;
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/Parser.js
var require_Parser2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/Parser.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/ParserOptions.js
var require_ParserOptions2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/ParserOptions.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/Processor.js
var require_Processor2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/Processor.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/Rule.js
var require_Rule2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/Rule.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/RuleTester.js
var require_RuleTester2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/RuleTester.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.RuleTester = void 0;
    var eslint_1 = require("eslint");
    var RuleTester = class extends eslint_1.RuleTester {
    };
    exports2.RuleTester = RuleTester;
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/Scope.js
var require_Scope3 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/Scope.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.Scope = void 0;
    var scopeManager = __importStar2(require_dist3());
    var Scope;
    (function(Scope2) {
      Scope2.ScopeType = scopeManager.ScopeType;
      Scope2.DefinitionType = scopeManager.DefinitionType;
    })(Scope || (exports2.Scope = Scope = {}));
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/SourceCode.js
var require_SourceCode2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/SourceCode.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.SourceCode = void 0;
    var eslint_1 = require("eslint");
    var SourceCode = class extends eslint_1.SourceCode {
    };
    exports2.SourceCode = SourceCode;
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/index.js
var require_ts_eslint2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-eslint/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) {
      for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p);
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    __exportStar2(require_AST2(), exports2);
    __exportStar2(require_Config2(), exports2);
    __exportStar2(require_ESLint2(), exports2);
    __exportStar2(require_Linter2(), exports2);
    __exportStar2(require_Parser2(), exports2);
    __exportStar2(require_ParserOptions2(), exports2);
    __exportStar2(require_Processor2(), exports2);
    __exportStar2(require_Rule2(), exports2);
    __exportStar2(require_RuleTester2(), exports2);
    __exportStar2(require_Scope3(), exports2);
    __exportStar2(require_SourceCode2(), exports2);
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-utils/isArray.js
var require_isArray2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-utils/isArray.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isArray = isArray3;
    function isArray3(arg) {
      return Array.isArray(arg);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-utils/index.js
var require_ts_utils2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/ts-utils/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) {
      for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p);
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    __exportStar2(require_isArray2(), exports2);
  }
});

// node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/index.js
var require_dist15 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/utils/dist/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) {
      for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p);
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.TSUtils = exports2.TSESLint = exports2.JSONSchema = exports2.ESLintUtils = exports2.ASTUtils = void 0;
    var ASTUtils = __importStar2(require_ast_utils3());
    exports2.ASTUtils = ASTUtils;
    var ESLintUtils = __importStar2(require_eslint_utils5());
    exports2.ESLintUtils = ESLintUtils;
    var JSONSchema = __importStar2(require_json_schema2());
    exports2.JSONSchema = JSONSchema;
    var TSESLint = __importStar2(require_ts_eslint2());
    exports2.TSESLint = TSESLint;
    var TSUtils = __importStar2(require_ts_utils2());
    exports2.TSUtils = TSUtils;
    __exportStar2(require_ts_estree4(), exports2);
  }
});

// node_modules/.pnpm/typescript@5.5.4/node_modules/typescript/lib/typescript.js
var require_typescript3 = __commonJS({
  "node_modules/.pnpm/typescript@5.5.4/node_modules/typescript/lib/typescript.js"(exports2, module2) {
    var ts = {};
    ((module3) => {
      "use strict";
      var __defProp2 = Object.defineProperty;
      var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
      var __getOwnPropNames2 = Object.getOwnPropertyNames;
      var __hasOwnProp2 = Object.prototype.hasOwnProperty;
      var __export2 = (target, all) => {
        for (var name in all)
          __defProp2(target, name, { get: all[name], enumerable: true });
      };
      var __copyProps2 = (to, from, except, desc) => {
        if (from && typeof from === "object" || typeof from === "function") {
          for (let key of __getOwnPropNames2(from))
            if (!__hasOwnProp2.call(to, key) && key !== except)
              __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
        }
        return to;
      };
      var __toCommonJS2 = (mod) => (__copyProps2, mod);
      var typescript_exports = {};
      __export2(typescript_exports, {
        ANONYMOUS: () => ANONYMOUS,
        AccessFlags: () => AccessFlags,
        AssertionLevel: () => AssertionLevel,
        AssignmentDeclarationKind: () => AssignmentDeclarationKind,
        AssignmentKind: () => AssignmentKind,
        Associativity: () => Associativity,
        BreakpointResolver: () => ts_BreakpointResolver_exports,
        BuilderFileEmit: () => BuilderFileEmit,
        BuilderProgramKind: () => BuilderProgramKind,
        BuilderState: () => BuilderState,
        CallHierarchy: () => ts_CallHierarchy_exports,
        CharacterCodes: () => CharacterCodes,
        CheckFlags: () => CheckFlags,
        CheckMode: () => CheckMode,
        ClassificationType: () => ClassificationType,
        ClassificationTypeNames: () => ClassificationTypeNames,
        CommentDirectiveType: () => CommentDirectiveType,
        Comparison: () => Comparison,
        CompletionInfoFlags: () => CompletionInfoFlags,
        CompletionTriggerKind: () => CompletionTriggerKind,
        Completions: () => ts_Completions_exports,
        ContainerFlags: () => ContainerFlags,
        ContextFlags: () => ContextFlags,
        Debug: () => Debug,
        DiagnosticCategory: () => DiagnosticCategory,
        Diagnostics: () => Diagnostics,
        DocumentHighlights: () => DocumentHighlights,
        ElementFlags: () => ElementFlags,
        EmitFlags: () => EmitFlags,
        EmitHint: () => EmitHint,
        EmitOnly: () => EmitOnly,
        EndOfLineState: () => EndOfLineState,
        ExitStatus: () => ExitStatus,
        ExportKind: () => ExportKind,
        Extension: () => Extension,
        ExternalEmitHelpers: () => ExternalEmitHelpers,
        FileIncludeKind: () => FileIncludeKind,
        FilePreprocessingDiagnosticsKind: () => FilePreprocessingDiagnosticsKind,
        FileSystemEntryKind: () => FileSystemEntryKind,
        FileWatcherEventKind: () => FileWatcherEventKind,
        FindAllReferences: () => ts_FindAllReferences_exports,
        FlattenLevel: () => FlattenLevel,
        FlowFlags: () => FlowFlags,
        ForegroundColorEscapeSequences: () => ForegroundColorEscapeSequences,
        FunctionFlags: () => FunctionFlags,
        GeneratedIdentifierFlags: () => GeneratedIdentifierFlags,
        GetLiteralTextFlags: () => GetLiteralTextFlags,
        GoToDefinition: () => ts_GoToDefinition_exports,
        HighlightSpanKind: () => HighlightSpanKind,
        IdentifierNameMap: () => IdentifierNameMap,
        IdentifierNameMultiMap: () => IdentifierNameMultiMap,
        ImportKind: () => ImportKind,
        ImportsNotUsedAsValues: () => ImportsNotUsedAsValues,
        IndentStyle: () => IndentStyle,
        IndexFlags: () => IndexFlags,
        IndexKind: () => IndexKind,
        InferenceFlags: () => InferenceFlags,
        InferencePriority: () => InferencePriority,
        InlayHintKind: () => InlayHintKind2,
        InlayHints: () => ts_InlayHints_exports,
        InternalEmitFlags: () => InternalEmitFlags,
        InternalSymbolName: () => InternalSymbolName,
        IntersectionFlags: () => IntersectionFlags,
        InvalidatedProjectKind: () => InvalidatedProjectKind,
        JSDocParsingMode: () => JSDocParsingMode,
        JsDoc: () => ts_JsDoc_exports,
        JsTyping: () => ts_JsTyping_exports,
        JsxEmit: () => JsxEmit,
        JsxFlags: () => JsxFlags,
        JsxReferenceKind: () => JsxReferenceKind,
        LanguageFeatureMinimumTarget: () => LanguageFeatureMinimumTarget,
        LanguageServiceMode: () => LanguageServiceMode,
        LanguageVariant: () => LanguageVariant,
        LexicalEnvironmentFlags: () => LexicalEnvironmentFlags,
        ListFormat: () => ListFormat,
        LogLevel: () => LogLevel2,
        MapCode: () => ts_MapCode_exports,
        MemberOverrideStatus: () => MemberOverrideStatus,
        ModifierFlags: () => ModifierFlags,
        ModuleDetectionKind: () => ModuleDetectionKind,
        ModuleInstanceState: () => ModuleInstanceState,
        ModuleKind: () => ModuleKind,
        ModuleResolutionKind: () => ModuleResolutionKind,
        ModuleSpecifierEnding: () => ModuleSpecifierEnding,
        NavigateTo: () => ts_NavigateTo_exports,
        NavigationBar: () => ts_NavigationBar_exports,
        NewLineKind: () => NewLineKind,
        NodeBuilderFlags: () => NodeBuilderFlags,
        NodeCheckFlags: () => NodeCheckFlags,
        NodeFactoryFlags: () => NodeFactoryFlags,
        NodeFlags: () => NodeFlags,
        NodeResolutionFeatures: () => NodeResolutionFeatures,
        ObjectFlags: () => ObjectFlags,
        OperationCanceledException: () => OperationCanceledException,
        OperatorPrecedence: () => OperatorPrecedence,
        OrganizeImports: () => ts_OrganizeImports_exports,
        OrganizeImportsMode: () => OrganizeImportsMode,
        OuterExpressionKinds: () => OuterExpressionKinds,
        OutliningElementsCollector: () => ts_OutliningElementsCollector_exports,
        OutliningSpanKind: () => OutliningSpanKind,
        OutputFileType: () => OutputFileType,
        PackageJsonAutoImportPreference: () => PackageJsonAutoImportPreference,
        PackageJsonDependencyGroup: () => PackageJsonDependencyGroup,
        PatternMatchKind: () => PatternMatchKind,
        PollingInterval: () => PollingInterval,
        PollingWatchKind: () => PollingWatchKind,
        PragmaKindFlags: () => PragmaKindFlags,
        PrivateIdentifierKind: () => PrivateIdentifierKind,
        ProcessLevel: () => ProcessLevel,
        ProgramUpdateLevel: () => ProgramUpdateLevel,
        QuotePreference: () => QuotePreference,
        RegularExpressionFlags: () => RegularExpressionFlags,
        RelationComparisonResult: () => RelationComparisonResult,
        Rename: () => ts_Rename_exports,
        ScriptElementKind: () => ScriptElementKind,
        ScriptElementKindModifier: () => ScriptElementKindModifier,
        ScriptKind: () => ScriptKind,
        ScriptSnapshot: () => ScriptSnapshot,
        ScriptTarget: () => ScriptTarget,
        SemanticClassificationFormat: () => SemanticClassificationFormat,
        SemanticMeaning: () => SemanticMeaning,
        SemicolonPreference: () => SemicolonPreference,
        SignatureCheckMode: () => SignatureCheckMode,
        SignatureFlags: () => SignatureFlags,
        SignatureHelp: () => ts_SignatureHelp_exports,
        SignatureInfo: () => SignatureInfo,
        SignatureKind: () => SignatureKind,
        SmartSelectionRange: () => ts_SmartSelectionRange_exports,
        SnippetKind: () => SnippetKind,
        StatisticType: () => StatisticType,
        StructureIsReused: () => StructureIsReused,
        SymbolAccessibility: () => SymbolAccessibility,
        SymbolDisplay: () => ts_SymbolDisplay_exports,
        SymbolDisplayPartKind: () => SymbolDisplayPartKind,
        SymbolFlags: () => SymbolFlags,
        SymbolFormatFlags: () => SymbolFormatFlags,
        SyntaxKind: () => SyntaxKind,
        SyntheticSymbolKind: () => SyntheticSymbolKind,
        Ternary: () => Ternary,
        ThrottledCancellationToken: () => ThrottledCancellationToken,
        TokenClass: () => TokenClass,
        TokenFlags: () => TokenFlags,
        TransformFlags: () => TransformFlags,
        TypeFacts: () => TypeFacts,
        TypeFlags: () => TypeFlags,
        TypeFormatFlags: () => TypeFormatFlags,
        TypeMapKind: () => TypeMapKind,
        TypePredicateKind: () => TypePredicateKind,
        TypeReferenceSerializationKind: () => TypeReferenceSerializationKind,
        UnionReduction: () => UnionReduction,
        UpToDateStatusType: () => UpToDateStatusType,
        VarianceFlags: () => VarianceFlags,
        Version: () => Version,
        VersionRange: () => VersionRange,
        WatchDirectoryFlags: () => WatchDirectoryFlags,
        WatchDirectoryKind: () => WatchDirectoryKind,
        WatchFileKind: () => WatchFileKind,
        WatchLogLevel: () => WatchLogLevel,
        WatchType: () => WatchType,
        accessPrivateIdentifier: () => accessPrivateIdentifier,
        addDisposableResourceHelper: () => addDisposableResourceHelper,
        addEmitFlags: () => addEmitFlags,
        addEmitHelper: () => addEmitHelper,
        addEmitHelpers: () => addEmitHelpers,
        addInternalEmitFlags: () => addInternalEmitFlags,
        addNodeFactoryPatcher: () => addNodeFactoryPatcher,
        addObjectAllocatorPatcher: () => addObjectAllocatorPatcher,
        addRange: () => addRange,
        addRelatedInfo: () => addRelatedInfo,
        addSyntheticLeadingComment: () => addSyntheticLeadingComment,
        addSyntheticTrailingComment: () => addSyntheticTrailingComment,
        addToSeen: () => addToSeen,
        advancedAsyncSuperHelper: () => advancedAsyncSuperHelper,
        affectsDeclarationPathOptionDeclarations: () => affectsDeclarationPathOptionDeclarations,
        affectsEmitOptionDeclarations: () => affectsEmitOptionDeclarations,
        allKeysStartWithDot: () => allKeysStartWithDot,
        altDirectorySeparator: () => altDirectorySeparator,
        and: () => and,
        append: () => append,
        appendIfUnique: () => appendIfUnique,
        arrayFrom: () => arrayFrom,
        arrayIsEqualTo: () => arrayIsEqualTo,
        arrayIsHomogeneous: () => arrayIsHomogeneous,
        arrayIsSorted: () => arrayIsSorted,
        arrayOf: () => arrayOf,
        arrayReverseIterator: () => arrayReverseIterator,
        arrayToMap: () => arrayToMap,
        arrayToMultiMap: () => arrayToMultiMap,
        arrayToNumericMap: () => arrayToNumericMap,
        arraysEqual: () => arraysEqual,
        assertType: () => assertType,
        assign: () => assign,
        assignHelper: () => assignHelper,
        asyncDelegator: () => asyncDelegator,
        asyncGeneratorHelper: () => asyncGeneratorHelper,
        asyncSuperHelper: () => asyncSuperHelper,
        asyncValues: () => asyncValues,
        attachFileToDiagnostics: () => attachFileToDiagnostics,
        awaitHelper: () => awaitHelper,
        awaiterHelper: () => awaiterHelper,
        base64decode: () => base64decode,
        base64encode: () => base64encode,
        binarySearch: () => binarySearch,
        binarySearchKey: () => binarySearchKey,
        bindSourceFile: () => bindSourceFile,
        breakIntoCharacterSpans: () => breakIntoCharacterSpans,
        breakIntoWordSpans: () => breakIntoWordSpans,
        buildLinkParts: () => buildLinkParts,
        buildOpts: () => buildOpts,
        buildOverload: () => buildOverload,
        bundlerModuleNameResolver: () => bundlerModuleNameResolver,
        canBeConvertedToAsync: () => canBeConvertedToAsync,
        canHaveDecorators: () => canHaveDecorators,
        canHaveExportModifier: () => canHaveExportModifier,
        canHaveFlowNode: () => canHaveFlowNode,
        canHaveIllegalDecorators: () => canHaveIllegalDecorators,
        canHaveIllegalModifiers: () => canHaveIllegalModifiers,
        canHaveIllegalType: () => canHaveIllegalType,
        canHaveIllegalTypeParameters: () => canHaveIllegalTypeParameters,
        canHaveJSDoc: () => canHaveJSDoc,
        canHaveLocals: () => canHaveLocals,
        canHaveModifiers: () => canHaveModifiers,
        canHaveSymbol: () => canHaveSymbol,
        canIncludeBindAndCheckDiagnsotics: () => canIncludeBindAndCheckDiagnsotics,
        canJsonReportNoInputFiles: () => canJsonReportNoInputFiles,
        canProduceDiagnostics: () => canProduceDiagnostics,
        canUsePropertyAccess: () => canUsePropertyAccess,
        canWatchAffectingLocation: () => canWatchAffectingLocation,
        canWatchAtTypes: () => canWatchAtTypes,
        canWatchDirectoryOrFile: () => canWatchDirectoryOrFile,
        cartesianProduct: () => cartesianProduct,
        cast: () => cast,
        chainBundle: () => chainBundle,
        chainDiagnosticMessages: () => chainDiagnosticMessages,
        changeAnyExtension: () => changeAnyExtension,
        changeCompilerHostLikeToUseCache: () => changeCompilerHostLikeToUseCache,
        changeExtension: () => changeExtension,
        changeFullExtension: () => changeFullExtension,
        changesAffectModuleResolution: () => changesAffectModuleResolution,
        changesAffectingProgramStructure: () => changesAffectingProgramStructure,
        characterToRegularExpressionFlag: () => characterToRegularExpressionFlag,
        childIsDecorated: () => childIsDecorated,
        classElementOrClassElementParameterIsDecorated: () => classElementOrClassElementParameterIsDecorated,
        classHasClassThisAssignment: () => classHasClassThisAssignment,
        classHasDeclaredOrExplicitlyAssignedName: () => classHasDeclaredOrExplicitlyAssignedName,
        classHasExplicitlyAssignedName: () => classHasExplicitlyAssignedName,
        classOrConstructorParameterIsDecorated: () => classOrConstructorParameterIsDecorated,
        classPrivateFieldGetHelper: () => classPrivateFieldGetHelper,
        classPrivateFieldInHelper: () => classPrivateFieldInHelper,
        classPrivateFieldSetHelper: () => classPrivateFieldSetHelper,
        classicNameResolver: () => classicNameResolver,
        classifier: () => ts_classifier_exports,
        cleanExtendedConfigCache: () => cleanExtendedConfigCache,
        clear: () => clear,
        clearMap: () => clearMap,
        clearSharedExtendedConfigFileWatcher: () => clearSharedExtendedConfigFileWatcher,
        climbPastPropertyAccess: () => climbPastPropertyAccess,
        climbPastPropertyOrElementAccess: () => climbPastPropertyOrElementAccess,
        clone: () => clone,
        cloneCompilerOptions: () => cloneCompilerOptions,
        closeFileWatcher: () => closeFileWatcher,
        closeFileWatcherOf: () => closeFileWatcherOf,
        codefix: () => ts_codefix_exports,
        collapseTextChangeRangesAcrossMultipleVersions: () => collapseTextChangeRangesAcrossMultipleVersions,
        collectExternalModuleInfo: () => collectExternalModuleInfo,
        combine: () => combine,
        combinePaths: () => combinePaths,
        commandLineOptionOfCustomType: () => commandLineOptionOfCustomType,
        commentPragmas: () => commentPragmas,
        commonOptionsWithBuild: () => commonOptionsWithBuild,
        commonPackageFolders: () => commonPackageFolders,
        compact: () => compact,
        compareBooleans: () => compareBooleans,
        compareDataObjects: () => compareDataObjects,
        compareDiagnostics: () => compareDiagnostics,
        compareDiagnosticsSkipRelatedInformation: () => compareDiagnosticsSkipRelatedInformation,
        compareEmitHelpers: () => compareEmitHelpers,
        compareNumberOfDirectorySeparators: () => compareNumberOfDirectorySeparators,
        comparePaths: () => comparePaths,
        comparePathsCaseInsensitive: () => comparePathsCaseInsensitive,
        comparePathsCaseSensitive: () => comparePathsCaseSensitive,
        comparePatternKeys: () => comparePatternKeys,
        compareProperties: () => compareProperties,
        compareStringsCaseInsensitive: () => compareStringsCaseInsensitive,
        compareStringsCaseInsensitiveEslintCompatible: () => compareStringsCaseInsensitiveEslintCompatible,
        compareStringsCaseSensitive: () => compareStringsCaseSensitive,
        compareStringsCaseSensitiveUI: () => compareStringsCaseSensitiveUI,
        compareTextSpans: () => compareTextSpans,
        compareValues: () => compareValues,
        compileOnSaveCommandLineOption: () => compileOnSaveCommandLineOption,
        compilerOptionsAffectDeclarationPath: () => compilerOptionsAffectDeclarationPath,
        compilerOptionsAffectEmit: () => compilerOptionsAffectEmit,
        compilerOptionsAffectSemanticDiagnostics: () => compilerOptionsAffectSemanticDiagnostics,
        compilerOptionsDidYouMeanDiagnostics: () => compilerOptionsDidYouMeanDiagnostics,
        compilerOptionsIndicateEsModules: () => compilerOptionsIndicateEsModules,
        compose: () => compose,
        computeCommonSourceDirectoryOfFilenames: () => computeCommonSourceDirectoryOfFilenames,
        computeLineAndCharacterOfPosition: () => computeLineAndCharacterOfPosition,
        computeLineOfPosition: () => computeLineOfPosition,
        computeLineStarts: () => computeLineStarts,
        computePositionOfLineAndCharacter: () => computePositionOfLineAndCharacter,
        computeSignature: () => computeSignature,
        computeSignatureWithDiagnostics: () => computeSignatureWithDiagnostics,
        computeSuggestionDiagnostics: () => computeSuggestionDiagnostics,
        computedOptions: () => computedOptions,
        concatenate: () => concatenate,
        concatenateDiagnosticMessageChains: () => concatenateDiagnosticMessageChains,
        configDirTemplateSubstitutionOptions: () => configDirTemplateSubstitutionOptions,
        configDirTemplateSubstitutionWatchOptions: () => configDirTemplateSubstitutionWatchOptions,
        consumesNodeCoreModules: () => consumesNodeCoreModules,
        contains: () => contains,
        containsIgnoredPath: () => containsIgnoredPath,
        containsObjectRestOrSpread: () => containsObjectRestOrSpread,
        containsParseError: () => containsParseError,
        containsPath: () => containsPath,
        convertCompilerOptionsForTelemetry: () => convertCompilerOptionsForTelemetry,
        convertCompilerOptionsFromJson: () => convertCompilerOptionsFromJson,
        convertJsonOption: () => convertJsonOption,
        convertToBase64: () => convertToBase64,
        convertToJson: () => convertToJson,
        convertToObject: () => convertToObject,
        convertToOptionsWithAbsolutePaths: () => convertToOptionsWithAbsolutePaths,
        convertToRelativePath: () => convertToRelativePath,
        convertToTSConfig: () => convertToTSConfig,
        convertTypeAcquisitionFromJson: () => convertTypeAcquisitionFromJson,
        copyComments: () => copyComments,
        copyEntries: () => copyEntries,
        copyLeadingComments: () => copyLeadingComments,
        copyProperties: () => copyProperties,
        copyTrailingAsLeadingComments: () => copyTrailingAsLeadingComments,
        copyTrailingComments: () => copyTrailingComments,
        couldStartTrivia: () => couldStartTrivia,
        countWhere: () => countWhere,
        createAbstractBuilder: () => createAbstractBuilder,
        createAccessorPropertyBackingField: () => createAccessorPropertyBackingField,
        createAccessorPropertyGetRedirector: () => createAccessorPropertyGetRedirector,
        createAccessorPropertySetRedirector: () => createAccessorPropertySetRedirector,
        createBaseNodeFactory: () => createBaseNodeFactory,
        createBinaryExpressionTrampoline: () => createBinaryExpressionTrampoline,
        createBindingHelper: () => createBindingHelper,
        createBuildInfo: () => createBuildInfo,
        createBuilderProgram: () => createBuilderProgram,
        createBuilderProgramUsingProgramBuildInfo: () => createBuilderProgramUsingProgramBuildInfo,
        createBuilderStatusReporter: () => createBuilderStatusReporter,
        createCacheWithRedirects: () => createCacheWithRedirects,
        createCacheableExportInfoMap: () => createCacheableExportInfoMap,
        createCachedDirectoryStructureHost: () => createCachedDirectoryStructureHost,
        createClassNamedEvaluationHelperBlock: () => createClassNamedEvaluationHelperBlock,
        createClassThisAssignmentBlock: () => createClassThisAssignmentBlock,
        createClassifier: () => createClassifier,
        createCommentDirectivesMap: () => createCommentDirectivesMap,
        createCompilerDiagnostic: () => createCompilerDiagnostic,
        createCompilerDiagnosticForInvalidCustomType: () => createCompilerDiagnosticForInvalidCustomType,
        createCompilerDiagnosticFromMessageChain: () => createCompilerDiagnosticFromMessageChain,
        createCompilerHost: () => createCompilerHost,
        createCompilerHostFromProgramHost: () => createCompilerHostFromProgramHost,
        createCompilerHostWorker: () => createCompilerHostWorker,
        createDetachedDiagnostic: () => createDetachedDiagnostic,
        createDiagnosticCollection: () => createDiagnosticCollection,
        createDiagnosticForFileFromMessageChain: () => createDiagnosticForFileFromMessageChain,
        createDiagnosticForNode: () => createDiagnosticForNode,
        createDiagnosticForNodeArray: () => createDiagnosticForNodeArray,
        createDiagnosticForNodeArrayFromMessageChain: () => createDiagnosticForNodeArrayFromMessageChain,
        createDiagnosticForNodeFromMessageChain: () => createDiagnosticForNodeFromMessageChain,
        createDiagnosticForNodeInSourceFile: () => createDiagnosticForNodeInSourceFile,
        createDiagnosticForRange: () => createDiagnosticForRange,
        createDiagnosticMessageChainFromDiagnostic: () => createDiagnosticMessageChainFromDiagnostic,
        createDiagnosticReporter: () => createDiagnosticReporter,
        createDocumentPositionMapper: () => createDocumentPositionMapper,
        createDocumentRegistry: () => createDocumentRegistry,
        createDocumentRegistryInternal: () => createDocumentRegistryInternal,
        createEmitAndSemanticDiagnosticsBuilderProgram: () => createEmitAndSemanticDiagnosticsBuilderProgram,
        createEmitHelperFactory: () => createEmitHelperFactory,
        createEmptyExports: () => createEmptyExports,
        createEvaluator: () => createEvaluator,
        createExpressionForJsxElement: () => createExpressionForJsxElement,
        createExpressionForJsxFragment: () => createExpressionForJsxFragment,
        createExpressionForObjectLiteralElementLike: () => createExpressionForObjectLiteralElementLike,
        createExpressionForPropertyName: () => createExpressionForPropertyName,
        createExpressionFromEntityName: () => createExpressionFromEntityName,
        createExternalHelpersImportDeclarationIfNeeded: () => createExternalHelpersImportDeclarationIfNeeded,
        createFileDiagnostic: () => createFileDiagnostic,
        createFileDiagnosticFromMessageChain: () => createFileDiagnosticFromMessageChain,
        createFlowNode: () => createFlowNode,
        createForOfBindingStatement: () => createForOfBindingStatement,
        createFutureSourceFile: () => createFutureSourceFile,
        createGetCanonicalFileName: () => createGetCanonicalFileName,
        createGetIsolatedDeclarationErrors: () => createGetIsolatedDeclarationErrors,
        createGetSourceFile: () => createGetSourceFile,
        createGetSymbolAccessibilityDiagnosticForNode: () => createGetSymbolAccessibilityDiagnosticForNode,
        createGetSymbolAccessibilityDiagnosticForNodeName: () => createGetSymbolAccessibilityDiagnosticForNodeName,
        createGetSymbolWalker: () => createGetSymbolWalker,
        createIncrementalCompilerHost: () => createIncrementalCompilerHost,
        createIncrementalProgram: () => createIncrementalProgram,
        createJsxFactoryExpression: () => createJsxFactoryExpression,
        createLanguageService: () => createLanguageService,
        createLanguageServiceSourceFile: () => createLanguageServiceSourceFile,
        createMemberAccessForPropertyName: () => createMemberAccessForPropertyName,
        createModeAwareCache: () => createModeAwareCache,
        createModeAwareCacheKey: () => createModeAwareCacheKey,
        createModuleNotFoundChain: () => createModuleNotFoundChain,
        createModuleResolutionCache: () => createModuleResolutionCache,
        createModuleResolutionLoader: () => createModuleResolutionLoader,
        createModuleResolutionLoaderUsingGlobalCache: () => createModuleResolutionLoaderUsingGlobalCache,
        createModuleSpecifierResolutionHost: () => createModuleSpecifierResolutionHost,
        createMultiMap: () => createMultiMap,
        createNameResolver: () => createNameResolver,
        createNodeConverters: () => createNodeConverters,
        createNodeFactory: () => createNodeFactory,
        createOptionNameMap: () => createOptionNameMap,
        createOverload: () => createOverload,
        createPackageJsonImportFilter: () => createPackageJsonImportFilter,
        createPackageJsonInfo: () => createPackageJsonInfo,
        createParenthesizerRules: () => createParenthesizerRules,
        createPatternMatcher: () => createPatternMatcher,
        createPrinter: () => createPrinter,
        createPrinterWithDefaults: () => createPrinterWithDefaults,
        createPrinterWithRemoveComments: () => createPrinterWithRemoveComments,
        createPrinterWithRemoveCommentsNeverAsciiEscape: () => createPrinterWithRemoveCommentsNeverAsciiEscape,
        createPrinterWithRemoveCommentsOmitTrailingSemicolon: () => createPrinterWithRemoveCommentsOmitTrailingSemicolon,
        createProgram: () => createProgram,
        createProgramHost: () => createProgramHost,
        createPropertyNameNodeForIdentifierOrLiteral: () => createPropertyNameNodeForIdentifierOrLiteral,
        createQueue: () => createQueue,
        createRange: () => createRange,
        createRedirectedBuilderProgram: () => createRedirectedBuilderProgram,
        createResolutionCache: () => createResolutionCache,
        createRuntimeTypeSerializer: () => createRuntimeTypeSerializer,
        createScanner: () => createScanner,
        createSemanticDiagnosticsBuilderProgram: () => createSemanticDiagnosticsBuilderProgram,
        createSet: () => createSet,
        createSolutionBuilder: () => createSolutionBuilder,
        createSolutionBuilderHost: () => createSolutionBuilderHost,
        createSolutionBuilderWithWatch: () => createSolutionBuilderWithWatch,
        createSolutionBuilderWithWatchHost: () => createSolutionBuilderWithWatchHost,
        createSortedArray: () => createSortedArray,
        createSourceFile: () => createSourceFile,
        createSourceMapGenerator: () => createSourceMapGenerator,
        createSourceMapSource: () => createSourceMapSource,
        createSuperAccessVariableStatement: () => createSuperAccessVariableStatement,
        createSymbolTable: () => createSymbolTable,
        createSymlinkCache: () => createSymlinkCache,
        createSyntacticTypeNodeBuilder: () => createSyntacticTypeNodeBuilder,
        createSystemWatchFunctions: () => createSystemWatchFunctions,
        createTextChange: () => createTextChange,
        createTextChangeFromStartLength: () => createTextChangeFromStartLength,
        createTextChangeRange: () => createTextChangeRange,
        createTextRangeFromNode: () => createTextRangeFromNode,
        createTextRangeFromSpan: () => createTextRangeFromSpan,
        createTextSpan: () => createTextSpan,
        createTextSpanFromBounds: () => createTextSpanFromBounds,
        createTextSpanFromNode: () => createTextSpanFromNode,
        createTextSpanFromRange: () => createTextSpanFromRange,
        createTextSpanFromStringLiteralLikeContent: () => createTextSpanFromStringLiteralLikeContent,
        createTextWriter: () => createTextWriter,
        createTokenRange: () => createTokenRange,
        createTypeChecker: () => createTypeChecker,
        createTypeReferenceDirectiveResolutionCache: () => createTypeReferenceDirectiveResolutionCache,
        createTypeReferenceResolutionLoader: () => createTypeReferenceResolutionLoader,
        createWatchCompilerHost: () => createWatchCompilerHost2,
        createWatchCompilerHostOfConfigFile: () => createWatchCompilerHostOfConfigFile,
        createWatchCompilerHostOfFilesAndCompilerOptions: () => createWatchCompilerHostOfFilesAndCompilerOptions,
        createWatchFactory: () => createWatchFactory,
        createWatchHost: () => createWatchHost,
        createWatchProgram: () => createWatchProgram,
        createWatchStatusReporter: () => createWatchStatusReporter,
        createWriteFileMeasuringIO: () => createWriteFileMeasuringIO,
        declarationNameToString: () => declarationNameToString,
        decodeMappings: () => decodeMappings,
        decodedTextSpanIntersectsWith: () => decodedTextSpanIntersectsWith,
        decorateHelper: () => decorateHelper,
        deduplicate: () => deduplicate,
        defaultIncludeSpec: () => defaultIncludeSpec,
        defaultInitCompilerOptions: () => defaultInitCompilerOptions,
        defaultMaximumTruncationLength: () => defaultMaximumTruncationLength,
        diagnosticCategoryName: () => diagnosticCategoryName,
        diagnosticToString: () => diagnosticToString,
        diagnosticsEqualityComparer: () => diagnosticsEqualityComparer,
        directoryProbablyExists: () => directoryProbablyExists,
        directorySeparator: () => directorySeparator,
        displayPart: () => displayPart,
        displayPartsToString: () => displayPartsToString,
        disposeEmitNodes: () => disposeEmitNodes,
        disposeResourcesHelper: () => disposeResourcesHelper,
        documentSpansEqual: () => documentSpansEqual,
        dumpTracingLegend: () => dumpTracingLegend,
        elementAt: () => elementAt,
        elideNodes: () => elideNodes,
        emitComments: () => emitComments,
        emitDetachedComments: () => emitDetachedComments,
        emitFiles: () => emitFiles,
        emitFilesAndReportErrors: () => emitFilesAndReportErrors,
        emitFilesAndReportErrorsAndGetExitStatus: () => emitFilesAndReportErrorsAndGetExitStatus,
        emitModuleKindIsNonNodeESM: () => emitModuleKindIsNonNodeESM,
        emitNewLineBeforeLeadingCommentOfPosition: () => emitNewLineBeforeLeadingCommentOfPosition,
        emitNewLineBeforeLeadingComments: () => emitNewLineBeforeLeadingComments,
        emitNewLineBeforeLeadingCommentsOfPosition: () => emitNewLineBeforeLeadingCommentsOfPosition,
        emitResolverSkipsTypeChecking: () => emitResolverSkipsTypeChecking,
        emitSkippedWithNoDiagnostics: () => emitSkippedWithNoDiagnostics,
        emptyArray: () => emptyArray,
        emptyFileSystemEntries: () => emptyFileSystemEntries,
        emptyMap: () => emptyMap,
        emptyOptions: () => emptyOptions,
        emptySet: () => emptySet,
        endsWith: () => endsWith,
        ensurePathIsNonModuleName: () => ensurePathIsNonModuleName,
        ensureScriptKind: () => ensureScriptKind,
        ensureTrailingDirectorySeparator: () => ensureTrailingDirectorySeparator,
        entityNameToString: () => entityNameToString,
        enumerateInsertsAndDeletes: () => enumerateInsertsAndDeletes,
        equalOwnProperties: () => equalOwnProperties,
        equateStringsCaseInsensitive: () => equateStringsCaseInsensitive,
        equateStringsCaseSensitive: () => equateStringsCaseSensitive,
        equateValues: () => equateValues,
        esDecorateHelper: () => esDecorateHelper,
        escapeJsxAttributeString: () => escapeJsxAttributeString,
        escapeLeadingUnderscores: () => escapeLeadingUnderscores,
        escapeNonAsciiString: () => escapeNonAsciiString,
        escapeSnippetText: () => escapeSnippetText,
        escapeString: () => escapeString2,
        escapeTemplateSubstitution: () => escapeTemplateSubstitution,
        evaluatorResult: () => evaluatorResult,
        every: () => every,
        executeCommandLine: () => executeCommandLine,
        expandPreOrPostfixIncrementOrDecrementExpression: () => expandPreOrPostfixIncrementOrDecrementExpression,
        explainFiles: () => explainFiles,
        explainIfFileIsRedirectAndImpliedFormat: () => explainIfFileIsRedirectAndImpliedFormat,
        exportAssignmentIsAlias: () => exportAssignmentIsAlias,
        exportStarHelper: () => exportStarHelper,
        expressionResultIsUnused: () => expressionResultIsUnused,
        extend: () => extend,
        extendsHelper: () => extendsHelper,
        extensionFromPath: () => extensionFromPath,
        extensionIsTS: () => extensionIsTS,
        extensionsNotSupportingExtensionlessResolution: () => extensionsNotSupportingExtensionlessResolution,
        externalHelpersModuleNameText: () => externalHelpersModuleNameText,
        factory: () => factory,
        fileExtensionIs: () => fileExtensionIs,
        fileExtensionIsOneOf: () => fileExtensionIsOneOf,
        fileIncludeReasonToDiagnostics: () => fileIncludeReasonToDiagnostics,
        fileShouldUseJavaScriptRequire: () => fileShouldUseJavaScriptRequire,
        filter: () => filter,
        filterMutate: () => filterMutate,
        filterSemanticDiagnostics: () => filterSemanticDiagnostics,
        find: () => find,
        findAncestor: () => findAncestor,
        findBestPatternMatch: () => findBestPatternMatch,
        findChildOfKind: () => findChildOfKind,
        findComputedPropertyNameCacheAssignment: () => findComputedPropertyNameCacheAssignment,
        findConfigFile: () => findConfigFile,
        findConstructorDeclaration: () => findConstructorDeclaration,
        findContainingList: () => findContainingList,
        findDiagnosticForNode: () => findDiagnosticForNode,
        findFirstNonJsxWhitespaceToken: () => findFirstNonJsxWhitespaceToken,
        findIndex: () => findIndex,
        findLast: () => findLast,
        findLastIndex: () => findLastIndex,
        findListItemInfo: () => findListItemInfo,
        findMap: () => findMap,
        findModifier: () => findModifier,
        findNextToken: () => findNextToken,
        findPackageJson: () => findPackageJson,
        findPackageJsons: () => findPackageJsons,
        findPrecedingMatchingToken: () => findPrecedingMatchingToken,
        findPrecedingToken: () => findPrecedingToken,
        findSuperStatementIndexPath: () => findSuperStatementIndexPath,
        findTokenOnLeftOfPosition: () => findTokenOnLeftOfPosition,
        findUseStrictPrologue: () => findUseStrictPrologue,
        first: () => first,
        firstDefined: () => firstDefined,
        firstDefinedIterator: () => firstDefinedIterator,
        firstIterator: () => firstIterator,
        firstOrOnly: () => firstOrOnly,
        firstOrUndefined: () => firstOrUndefined,
        firstOrUndefinedIterator: () => firstOrUndefinedIterator,
        fixupCompilerOptions: () => fixupCompilerOptions,
        flatMap: () => flatMap,
        flatMapIterator: () => flatMapIterator,
        flatMapToMutable: () => flatMapToMutable,
        flatten: () => flatten,
        flattenCommaList: () => flattenCommaList,
        flattenDestructuringAssignment: () => flattenDestructuringAssignment,
        flattenDestructuringBinding: () => flattenDestructuringBinding,
        flattenDiagnosticMessageText: () => flattenDiagnosticMessageText,
        forEach: () => forEach,
        forEachAncestor: () => forEachAncestor,
        forEachAncestorDirectory: () => forEachAncestorDirectory,
        forEachChild: () => forEachChild,
        forEachChildRecursively: () => forEachChildRecursively,
        forEachEmittedFile: () => forEachEmittedFile,
        forEachEnclosingBlockScopeContainer: () => forEachEnclosingBlockScopeContainer,
        forEachEntry: () => forEachEntry,
        forEachExternalModuleToImportFrom: () => forEachExternalModuleToImportFrom,
        forEachImportClauseDeclaration: () => forEachImportClauseDeclaration,
        forEachKey: () => forEachKey,
        forEachLeadingCommentRange: () => forEachLeadingCommentRange,
        forEachNameInAccessChainWalkingLeft: () => forEachNameInAccessChainWalkingLeft,
        forEachNameOfDefaultExport: () => forEachNameOfDefaultExport,
        forEachPropertyAssignment: () => forEachPropertyAssignment,
        forEachResolvedProjectReference: () => forEachResolvedProjectReference,
        forEachReturnStatement: () => forEachReturnStatement,
        forEachRight: () => forEachRight,
        forEachTrailingCommentRange: () => forEachTrailingCommentRange,
        forEachTsConfigPropArray: () => forEachTsConfigPropArray,
        forEachUnique: () => forEachUnique,
        forEachYieldExpression: () => forEachYieldExpression,
        forSomeAncestorDirectory: () => forSomeAncestorDirectory,
        formatColorAndReset: () => formatColorAndReset,
        formatDiagnostic: () => formatDiagnostic,
        formatDiagnostics: () => formatDiagnostics,
        formatDiagnosticsWithColorAndContext: () => formatDiagnosticsWithColorAndContext,
        formatGeneratedName: () => formatGeneratedName,
        formatGeneratedNamePart: () => formatGeneratedNamePart,
        formatLocation: () => formatLocation,
        formatMessage: () => formatMessage,
        formatStringFromArgs: () => formatStringFromArgs,
        formatting: () => ts_formatting_exports,
        fullTripleSlashAMDReferencePathRegEx: () => fullTripleSlashAMDReferencePathRegEx,
        fullTripleSlashReferencePathRegEx: () => fullTripleSlashReferencePathRegEx,
        generateDjb2Hash: () => generateDjb2Hash,
        generateTSConfig: () => generateTSConfig,
        generatorHelper: () => generatorHelper,
        getAdjustedReferenceLocation: () => getAdjustedReferenceLocation,
        getAdjustedRenameLocation: () => getAdjustedRenameLocation,
        getAliasDeclarationFromName: () => getAliasDeclarationFromName,
        getAllAccessorDeclarations: () => getAllAccessorDeclarations,
        getAllDecoratorsOfClass: () => getAllDecoratorsOfClass,
        getAllDecoratorsOfClassElement: () => getAllDecoratorsOfClassElement,
        getAllJSDocTags: () => getAllJSDocTags,
        getAllJSDocTagsOfKind: () => getAllJSDocTagsOfKind,
        getAllKeys: () => getAllKeys,
        getAllProjectOutputs: () => getAllProjectOutputs,
        getAllSuperTypeNodes: () => getAllSuperTypeNodes,
        getAllowJSCompilerOption: () => getAllowJSCompilerOption,
        getAllowSyntheticDefaultImports: () => getAllowSyntheticDefaultImports,
        getAncestor: () => getAncestor2,
        getAnyExtensionFromPath: () => getAnyExtensionFromPath,
        getAreDeclarationMapsEnabled: () => getAreDeclarationMapsEnabled,
        getAssignedExpandoInitializer: () => getAssignedExpandoInitializer,
        getAssignedName: () => getAssignedName,
        getAssignedNameOfIdentifier: () => getAssignedNameOfIdentifier,
        getAssignmentDeclarationKind: () => getAssignmentDeclarationKind,
        getAssignmentDeclarationPropertyAccessKind: () => getAssignmentDeclarationPropertyAccessKind,
        getAssignmentTargetKind: () => getAssignmentTargetKind,
        getAutomaticTypeDirectiveNames: () => getAutomaticTypeDirectiveNames,
        getBaseFileName: () => getBaseFileName,
        getBinaryOperatorPrecedence: () => getBinaryOperatorPrecedence,
        getBuildInfo: () => getBuildInfo,
        getBuildInfoFileVersionMap: () => getBuildInfoFileVersionMap,
        getBuildInfoText: () => getBuildInfoText,
        getBuildOrderFromAnyBuildOrder: () => getBuildOrderFromAnyBuildOrder,
        getBuilderCreationParameters: () => getBuilderCreationParameters,
        getBuilderFileEmit: () => getBuilderFileEmit,
        getCanonicalDiagnostic: () => getCanonicalDiagnostic,
        getCheckFlags: () => getCheckFlags,
        getClassExtendsHeritageElement: () => getClassExtendsHeritageElement,
        getClassLikeDeclarationOfSymbol: () => getClassLikeDeclarationOfSymbol,
        getCombinedLocalAndExportSymbolFlags: () => getCombinedLocalAndExportSymbolFlags,
        getCombinedModifierFlags: () => getCombinedModifierFlags,
        getCombinedNodeFlags: () => getCombinedNodeFlags,
        getCombinedNodeFlagsAlwaysIncludeJSDoc: () => getCombinedNodeFlagsAlwaysIncludeJSDoc,
        getCommentRange: () => getCommentRange,
        getCommonSourceDirectory: () => getCommonSourceDirectory,
        getCommonSourceDirectoryOfConfig: () => getCommonSourceDirectoryOfConfig,
        getCompilerOptionValue: () => getCompilerOptionValue,
        getCompilerOptionsDiffValue: () => getCompilerOptionsDiffValue,
        getConditions: () => getConditions,
        getConfigFileParsingDiagnostics: () => getConfigFileParsingDiagnostics,
        getConstantValue: () => getConstantValue,
        getContainerFlags: () => getContainerFlags,
        getContainerNode: () => getContainerNode,
        getContainingClass: () => getContainingClass,
        getContainingClassExcludingClassDecorators: () => getContainingClassExcludingClassDecorators,
        getContainingClassStaticBlock: () => getContainingClassStaticBlock,
        getContainingFunction: () => getContainingFunction,
        getContainingFunctionDeclaration: () => getContainingFunctionDeclaration,
        getContainingFunctionOrClassStaticBlock: () => getContainingFunctionOrClassStaticBlock,
        getContainingNodeArray: () => getContainingNodeArray,
        getContainingObjectLiteralElement: () => getContainingObjectLiteralElement,
        getContextualTypeFromParent: () => getContextualTypeFromParent,
        getContextualTypeFromParentOrAncestorTypeNode: () => getContextualTypeFromParentOrAncestorTypeNode,
        getCurrentTime: () => getCurrentTime,
        getDeclarationDiagnostics: () => getDeclarationDiagnostics,
        getDeclarationEmitExtensionForPath: () => getDeclarationEmitExtensionForPath,
        getDeclarationEmitOutputFilePath: () => getDeclarationEmitOutputFilePath,
        getDeclarationEmitOutputFilePathWorker: () => getDeclarationEmitOutputFilePathWorker,
        getDeclarationFileExtension: () => getDeclarationFileExtension,
        getDeclarationFromName: () => getDeclarationFromName,
        getDeclarationModifierFlagsFromSymbol: () => getDeclarationModifierFlagsFromSymbol,
        getDeclarationOfKind: () => getDeclarationOfKind,
        getDeclarationsOfKind: () => getDeclarationsOfKind,
        getDeclaredExpandoInitializer: () => getDeclaredExpandoInitializer,
        getDecorators: () => getDecorators,
        getDefaultCompilerOptions: () => getDefaultCompilerOptions2,
        getDefaultFormatCodeSettings: () => getDefaultFormatCodeSettings,
        getDefaultLibFileName: () => getDefaultLibFileName,
        getDefaultLibFilePath: () => getDefaultLibFilePath,
        getDefaultLikeExportInfo: () => getDefaultLikeExportInfo,
        getDefaultLikeExportNameFromDeclaration: () => getDefaultLikeExportNameFromDeclaration,
        getDiagnosticText: () => getDiagnosticText,
        getDiagnosticsWithinSpan: () => getDiagnosticsWithinSpan,
        getDirectoryPath: () => getDirectoryPath,
        getDirectoryToWatchFailedLookupLocation: () => getDirectoryToWatchFailedLookupLocation,
        getDirectoryToWatchFailedLookupLocationFromTypeRoot: () => getDirectoryToWatchFailedLookupLocationFromTypeRoot,
        getDocumentPositionMapper: () => getDocumentPositionMapper,
        getDocumentSpansEqualityComparer: () => getDocumentSpansEqualityComparer,
        getESModuleInterop: () => getESModuleInterop,
        getEditsForFileRename: () => getEditsForFileRename,
        getEffectiveBaseTypeNode: () => getEffectiveBaseTypeNode,
        getEffectiveConstraintOfTypeParameter: () => getEffectiveConstraintOfTypeParameter,
        getEffectiveContainerForJSDocTemplateTag: () => getEffectiveContainerForJSDocTemplateTag,
        getEffectiveImplementsTypeNodes: () => getEffectiveImplementsTypeNodes,
        getEffectiveInitializer: () => getEffectiveInitializer,
        getEffectiveJSDocHost: () => getEffectiveJSDocHost,
        getEffectiveModifierFlags: () => getEffectiveModifierFlags,
        getEffectiveModifierFlagsAlwaysIncludeJSDoc: () => getEffectiveModifierFlagsAlwaysIncludeJSDoc,
        getEffectiveModifierFlagsNoCache: () => getEffectiveModifierFlagsNoCache,
        getEffectiveReturnTypeNode: () => getEffectiveReturnTypeNode,
        getEffectiveSetAccessorTypeAnnotationNode: () => getEffectiveSetAccessorTypeAnnotationNode,
        getEffectiveTypeAnnotationNode: () => getEffectiveTypeAnnotationNode,
        getEffectiveTypeParameterDeclarations: () => getEffectiveTypeParameterDeclarations,
        getEffectiveTypeRoots: () => getEffectiveTypeRoots,
        getElementOrPropertyAccessArgumentExpressionOrName: () => getElementOrPropertyAccessArgumentExpressionOrName,
        getElementOrPropertyAccessName: () => getElementOrPropertyAccessName,
        getElementsOfBindingOrAssignmentPattern: () => getElementsOfBindingOrAssignmentPattern,
        getEmitDeclarations: () => getEmitDeclarations,
        getEmitFlags: () => getEmitFlags,
        getEmitHelpers: () => getEmitHelpers,
        getEmitModuleDetectionKind: () => getEmitModuleDetectionKind,
        getEmitModuleKind: () => getEmitModuleKind,
        getEmitModuleResolutionKind: () => getEmitModuleResolutionKind,
        getEmitScriptTarget: () => getEmitScriptTarget,
        getEmitStandardClassFields: () => getEmitStandardClassFields,
        getEnclosingBlockScopeContainer: () => getEnclosingBlockScopeContainer,
        getEnclosingContainer: () => getEnclosingContainer,
        getEncodedSemanticClassifications: () => getEncodedSemanticClassifications,
        getEncodedSyntacticClassifications: () => getEncodedSyntacticClassifications,
        getEndLinePosition: () => getEndLinePosition,
        getEntityNameFromTypeNode: () => getEntityNameFromTypeNode,
        getEntrypointsFromPackageJsonInfo: () => getEntrypointsFromPackageJsonInfo,
        getErrorCountForSummary: () => getErrorCountForSummary,
        getErrorSpanForNode: () => getErrorSpanForNode,
        getErrorSummaryText: () => getErrorSummaryText,
        getEscapedTextOfIdentifierOrLiteral: () => getEscapedTextOfIdentifierOrLiteral,
        getEscapedTextOfJsxAttributeName: () => getEscapedTextOfJsxAttributeName,
        getEscapedTextOfJsxNamespacedName: () => getEscapedTextOfJsxNamespacedName,
        getExpandoInitializer: () => getExpandoInitializer,
        getExportAssignmentExpression: () => getExportAssignmentExpression,
        getExportInfoMap: () => getExportInfoMap,
        getExportNeedsImportStarHelper: () => getExportNeedsImportStarHelper,
        getExpressionAssociativity: () => getExpressionAssociativity,
        getExpressionPrecedence: () => getExpressionPrecedence,
        getExternalHelpersModuleName: () => getExternalHelpersModuleName,
        getExternalModuleImportEqualsDeclarationExpression: () => getExternalModuleImportEqualsDeclarationExpression,
        getExternalModuleName: () => getExternalModuleName,
        getExternalModuleNameFromDeclaration: () => getExternalModuleNameFromDeclaration,
        getExternalModuleNameFromPath: () => getExternalModuleNameFromPath,
        getExternalModuleNameLiteral: () => getExternalModuleNameLiteral,
        getExternalModuleRequireArgument: () => getExternalModuleRequireArgument,
        getFallbackOptions: () => getFallbackOptions,
        getFileEmitOutput: () => getFileEmitOutput,
        getFileMatcherPatterns: () => getFileMatcherPatterns,
        getFileNamesFromConfigSpecs: () => getFileNamesFromConfigSpecs,
        getFileWatcherEventKind: () => getFileWatcherEventKind,
        getFilesInErrorForSummary: () => getFilesInErrorForSummary,
        getFirstConstructorWithBody: () => getFirstConstructorWithBody,
        getFirstIdentifier: () => getFirstIdentifier,
        getFirstNonSpaceCharacterPosition: () => getFirstNonSpaceCharacterPosition,
        getFirstProjectOutput: () => getFirstProjectOutput,
        getFixableErrorSpanExpression: () => getFixableErrorSpanExpression,
        getFormatCodeSettingsForWriting: () => getFormatCodeSettingsForWriting,
        getFullWidth: () => getFullWidth,
        getFunctionFlags: () => getFunctionFlags,
        getHeritageClause: () => getHeritageClause,
        getHostSignatureFromJSDoc: () => getHostSignatureFromJSDoc,
        getIdentifierAutoGenerate: () => getIdentifierAutoGenerate,
        getIdentifierGeneratedImportReference: () => getIdentifierGeneratedImportReference,
        getIdentifierTypeArguments: () => getIdentifierTypeArguments,
        getImmediatelyInvokedFunctionExpression: () => getImmediatelyInvokedFunctionExpression,
        getImpliedNodeFormatForFile: () => getImpliedNodeFormatForFile,
        getImpliedNodeFormatForFileWorker: () => getImpliedNodeFormatForFileWorker,
        getImportNeedsImportDefaultHelper: () => getImportNeedsImportDefaultHelper,
        getImportNeedsImportStarHelper: () => getImportNeedsImportStarHelper,
        getIndentSize: () => getIndentSize,
        getIndentString: () => getIndentString2,
        getInferredLibraryNameResolveFrom: () => getInferredLibraryNameResolveFrom,
        getInitializedVariables: () => getInitializedVariables,
        getInitializerOfBinaryExpression: () => getInitializerOfBinaryExpression,
        getInitializerOfBindingOrAssignmentElement: () => getInitializerOfBindingOrAssignmentElement,
        getInterfaceBaseTypeNodes: () => getInterfaceBaseTypeNodes,
        getInternalEmitFlags: () => getInternalEmitFlags,
        getInvokedExpression: () => getInvokedExpression,
        getIsolatedModules: () => getIsolatedModules,
        getJSDocAugmentsTag: () => getJSDocAugmentsTag,
        getJSDocClassTag: () => getJSDocClassTag,
        getJSDocCommentRanges: () => getJSDocCommentRanges,
        getJSDocCommentsAndTags: () => getJSDocCommentsAndTags,
        getJSDocDeprecatedTag: () => getJSDocDeprecatedTag,
        getJSDocDeprecatedTagNoCache: () => getJSDocDeprecatedTagNoCache,
        getJSDocEnumTag: () => getJSDocEnumTag,
        getJSDocHost: () => getJSDocHost,
        getJSDocImplementsTags: () => getJSDocImplementsTags,
        getJSDocOverloadTags: () => getJSDocOverloadTags,
        getJSDocOverrideTagNoCache: () => getJSDocOverrideTagNoCache,
        getJSDocParameterTags: () => getJSDocParameterTags,
        getJSDocParameterTagsNoCache: () => getJSDocParameterTagsNoCache,
        getJSDocPrivateTag: () => getJSDocPrivateTag,
        getJSDocPrivateTagNoCache: () => getJSDocPrivateTagNoCache,
        getJSDocProtectedTag: () => getJSDocProtectedTag,
        getJSDocProtectedTagNoCache: () => getJSDocProtectedTagNoCache,
        getJSDocPublicTag: () => getJSDocPublicTag,
        getJSDocPublicTagNoCache: () => getJSDocPublicTagNoCache,
        getJSDocReadonlyTag: () => getJSDocReadonlyTag,
        getJSDocReadonlyTagNoCache: () => getJSDocReadonlyTagNoCache,
        getJSDocReturnTag: () => getJSDocReturnTag,
        getJSDocReturnType: () => getJSDocReturnType,
        getJSDocRoot: () => getJSDocRoot,
        getJSDocSatisfiesExpressionType: () => getJSDocSatisfiesExpressionType,
        getJSDocSatisfiesTag: () => getJSDocSatisfiesTag,
        getJSDocTags: () => getJSDocTags,
        getJSDocTagsNoCache: () => getJSDocTagsNoCache,
        getJSDocTemplateTag: () => getJSDocTemplateTag,
        getJSDocThisTag: () => getJSDocThisTag,
        getJSDocType: () => getJSDocType,
        getJSDocTypeAliasName: () => getJSDocTypeAliasName,
        getJSDocTypeAssertionType: () => getJSDocTypeAssertionType,
        getJSDocTypeParameterDeclarations: () => getJSDocTypeParameterDeclarations,
        getJSDocTypeParameterTags: () => getJSDocTypeParameterTags,
        getJSDocTypeParameterTagsNoCache: () => getJSDocTypeParameterTagsNoCache,
        getJSDocTypeTag: () => getJSDocTypeTag,
        getJSXImplicitImportBase: () => getJSXImplicitImportBase,
        getJSXRuntimeImport: () => getJSXRuntimeImport,
        getJSXTransformEnabled: () => getJSXTransformEnabled,
        getKeyForCompilerOptions: () => getKeyForCompilerOptions,
        getLanguageVariant: () => getLanguageVariant,
        getLastChild: () => getLastChild,
        getLeadingCommentRanges: () => getLeadingCommentRanges,
        getLeadingCommentRangesOfNode: () => getLeadingCommentRangesOfNode,
        getLeftmostAccessExpression: () => getLeftmostAccessExpression,
        getLeftmostExpression: () => getLeftmostExpression,
        getLibraryNameFromLibFileName: () => getLibraryNameFromLibFileName,
        getLineAndCharacterOfPosition: () => getLineAndCharacterOfPosition,
        getLineInfo: () => getLineInfo,
        getLineOfLocalPosition: () => getLineOfLocalPosition,
        getLineOfLocalPositionFromLineMap: () => getLineOfLocalPositionFromLineMap,
        getLineStartPositionForPosition: () => getLineStartPositionForPosition,
        getLineStarts: () => getLineStarts,
        getLinesBetweenPositionAndNextNonWhitespaceCharacter: () => getLinesBetweenPositionAndNextNonWhitespaceCharacter,
        getLinesBetweenPositionAndPrecedingNonWhitespaceCharacter: () => getLinesBetweenPositionAndPrecedingNonWhitespaceCharacter,
        getLinesBetweenPositions: () => getLinesBetweenPositions,
        getLinesBetweenRangeEndAndRangeStart: () => getLinesBetweenRangeEndAndRangeStart,
        getLinesBetweenRangeEndPositions: () => getLinesBetweenRangeEndPositions,
        getLiteralText: () => getLiteralText,
        getLocalNameForExternalImport: () => getLocalNameForExternalImport,
        getLocalSymbolForExportDefault: () => getLocalSymbolForExportDefault,
        getLocaleSpecificMessage: () => getLocaleSpecificMessage,
        getLocaleTimeString: () => getLocaleTimeString,
        getMappedContextSpan: () => getMappedContextSpan,
        getMappedDocumentSpan: () => getMappedDocumentSpan,
        getMappedLocation: () => getMappedLocation,
        getMatchedFileSpec: () => getMatchedFileSpec,
        getMatchedIncludeSpec: () => getMatchedIncludeSpec,
        getMeaningFromDeclaration: () => getMeaningFromDeclaration,
        getMeaningFromLocation: () => getMeaningFromLocation,
        getMembersOfDeclaration: () => getMembersOfDeclaration,
        getModeForFileReference: () => getModeForFileReference,
        getModeForResolutionAtIndex: () => getModeForResolutionAtIndex,
        getModeForUsageLocation: () => getModeForUsageLocation,
        getModifiedTime: () => getModifiedTime,
        getModifiers: () => getModifiers,
        getModuleInstanceState: () => getModuleInstanceState,
        getModuleNameStringLiteralAt: () => getModuleNameStringLiteralAt,
        getModuleSpecifierEndingPreference: () => getModuleSpecifierEndingPreference,
        getModuleSpecifierResolverHost: () => getModuleSpecifierResolverHost,
        getNameForExportedSymbol: () => getNameForExportedSymbol,
        getNameFromImportAttribute: () => getNameFromImportAttribute,
        getNameFromIndexInfo: () => getNameFromIndexInfo,
        getNameFromPropertyName: () => getNameFromPropertyName,
        getNameOfAccessExpression: () => getNameOfAccessExpression,
        getNameOfCompilerOptionValue: () => getNameOfCompilerOptionValue,
        getNameOfDeclaration: () => getNameOfDeclaration,
        getNameOfExpando: () => getNameOfExpando,
        getNameOfJSDocTypedef: () => getNameOfJSDocTypedef,
        getNameOfScriptTarget: () => getNameOfScriptTarget,
        getNameOrArgument: () => getNameOrArgument,
        getNameTable: () => getNameTable,
        getNamesForExportedSymbol: () => getNamesForExportedSymbol,
        getNamespaceDeclarationNode: () => getNamespaceDeclarationNode,
        getNewLineCharacter: () => getNewLineCharacter,
        getNewLineKind: () => getNewLineKind,
        getNewLineOrDefaultFromHost: () => getNewLineOrDefaultFromHost,
        getNewTargetContainer: () => getNewTargetContainer,
        getNextJSDocCommentLocation: () => getNextJSDocCommentLocation,
        getNodeChildren: () => getNodeChildren,
        getNodeForGeneratedName: () => getNodeForGeneratedName,
        getNodeId: () => getNodeId,
        getNodeKind: () => getNodeKind,
        getNodeModifiers: () => getNodeModifiers,
        getNodeModulePathParts: () => getNodeModulePathParts,
        getNonAssignedNameOfDeclaration: () => getNonAssignedNameOfDeclaration,
        getNonAssignmentOperatorForCompoundAssignment: () => getNonAssignmentOperatorForCompoundAssignment,
        getNonAugmentationDeclaration: () => getNonAugmentationDeclaration,
        getNonDecoratorTokenPosOfNode: () => getNonDecoratorTokenPosOfNode,
        getNormalizedAbsolutePath: () => getNormalizedAbsolutePath,
        getNormalizedAbsolutePathWithoutRoot: () => getNormalizedAbsolutePathWithoutRoot,
        getNormalizedPathComponents: () => getNormalizedPathComponents,
        getObjectFlags: () => getObjectFlags,
        getOperator: () => getOperator,
        getOperatorAssociativity: () => getOperatorAssociativity,
        getOperatorPrecedence: () => getOperatorPrecedence,
        getOptionFromName: () => getOptionFromName,
        getOptionsForLibraryResolution: () => getOptionsForLibraryResolution,
        getOptionsNameMap: () => getOptionsNameMap,
        getOrCreateEmitNode: () => getOrCreateEmitNode,
        getOrCreateExternalHelpersModuleNameIfNeeded: () => getOrCreateExternalHelpersModuleNameIfNeeded,
        getOrUpdate: () => getOrUpdate,
        getOriginalNode: () => getOriginalNode,
        getOriginalNodeId: () => getOriginalNodeId,
        getOriginalSourceFile: () => getOriginalSourceFile,
        getOutputDeclarationFileName: () => getOutputDeclarationFileName,
        getOutputDeclarationFileNameWorker: () => getOutputDeclarationFileNameWorker,
        getOutputExtension: () => getOutputExtension,
        getOutputFileNames: () => getOutputFileNames,
        getOutputJSFileNameWorker: () => getOutputJSFileNameWorker,
        getOutputPathsFor: () => getOutputPathsFor,
        getOutputPathsForBundle: () => getOutputPathsForBundle,
        getOwnEmitOutputFilePath: () => getOwnEmitOutputFilePath,
        getOwnKeys: () => getOwnKeys,
        getOwnValues: () => getOwnValues,
        getPackageJsonInfo: () => getPackageJsonInfo,
        getPackageJsonTypesVersionsPaths: () => getPackageJsonTypesVersionsPaths,
        getPackageJsonsVisibleToFile: () => getPackageJsonsVisibleToFile,
        getPackageNameFromTypesPackageName: () => getPackageNameFromTypesPackageName,
        getPackageScopeForPath: () => getPackageScopeForPath,
        getParameterSymbolFromJSDoc: () => getParameterSymbolFromJSDoc,
        getParameterTypeNode: () => getParameterTypeNode,
        getParentNodeInSpan: () => getParentNodeInSpan,
        getParseTreeNode: () => getParseTreeNode,
        getParsedCommandLineOfConfigFile: () => getParsedCommandLineOfConfigFile,
        getPathComponents: () => getPathComponents,
        getPathComponentsRelativeTo: () => getPathComponentsRelativeTo,
        getPathFromPathComponents: () => getPathFromPathComponents,
        getPathUpdater: () => getPathUpdater,
        getPathsBasePath: () => getPathsBasePath,
        getPatternFromSpec: () => getPatternFromSpec,
        getPendingEmitKind: () => getPendingEmitKind,
        getPositionOfLineAndCharacter: () => getPositionOfLineAndCharacter,
        getPossibleGenericSignatures: () => getPossibleGenericSignatures,
        getPossibleOriginalInputExtensionForExtension: () => getPossibleOriginalInputExtensionForExtension,
        getPossibleTypeArgumentsInfo: () => getPossibleTypeArgumentsInfo,
        getPreEmitDiagnostics: () => getPreEmitDiagnostics,
        getPrecedingNonSpaceCharacterPosition: () => getPrecedingNonSpaceCharacterPosition,
        getPrivateIdentifier: () => getPrivateIdentifier,
        getProperties: () => getProperties,
        getProperty: () => getProperty,
        getPropertyArrayElementValue: () => getPropertyArrayElementValue,
        getPropertyAssignmentAliasLikeExpression: () => getPropertyAssignmentAliasLikeExpression,
        getPropertyNameForPropertyNameNode: () => getPropertyNameForPropertyNameNode,
        getPropertyNameForUniqueESSymbol: () => getPropertyNameForUniqueESSymbol,
        getPropertyNameFromType: () => getPropertyNameFromType,
        getPropertyNameOfBindingOrAssignmentElement: () => getPropertyNameOfBindingOrAssignmentElement,
        getPropertySymbolFromBindingElement: () => getPropertySymbolFromBindingElement,
        getPropertySymbolsFromContextualType: () => getPropertySymbolsFromContextualType,
        getQuoteFromPreference: () => getQuoteFromPreference,
        getQuotePreference: () => getQuotePreference,
        getRangesWhere: () => getRangesWhere,
        getRefactorContextSpan: () => getRefactorContextSpan,
        getReferencedFileLocation: () => getReferencedFileLocation,
        getRegexFromPattern: () => getRegexFromPattern,
        getRegularExpressionForWildcard: () => getRegularExpressionForWildcard,
        getRegularExpressionsForWildcards: () => getRegularExpressionsForWildcards,
        getRelativePathFromDirectory: () => getRelativePathFromDirectory,
        getRelativePathFromFile: () => getRelativePathFromFile,
        getRelativePathToDirectoryOrUrl: () => getRelativePathToDirectoryOrUrl,
        getRenameLocation: () => getRenameLocation,
        getReplacementSpanForContextToken: () => getReplacementSpanForContextToken,
        getResolutionDiagnostic: () => getResolutionDiagnostic,
        getResolutionModeOverride: () => getResolutionModeOverride,
        getResolveJsonModule: () => getResolveJsonModule,
        getResolvePackageJsonExports: () => getResolvePackageJsonExports,
        getResolvePackageJsonImports: () => getResolvePackageJsonImports,
        getResolvedExternalModuleName: () => getResolvedExternalModuleName,
        getRestIndicatorOfBindingOrAssignmentElement: () => getRestIndicatorOfBindingOrAssignmentElement,
        getRestParameterElementType: () => getRestParameterElementType,
        getRightMostAssignedExpression: () => getRightMostAssignedExpression,
        getRootDeclaration: () => getRootDeclaration,
        getRootDirectoryOfResolutionCache: () => getRootDirectoryOfResolutionCache,
        getRootLength: () => getRootLength,
        getRootPathSplitLength: () => getRootPathSplitLength,
        getScriptKind: () => getScriptKind,
        getScriptKindFromFileName: () => getScriptKindFromFileName,
        getScriptTargetFeatures: () => getScriptTargetFeatures,
        getSelectedEffectiveModifierFlags: () => getSelectedEffectiveModifierFlags,
        getSelectedSyntacticModifierFlags: () => getSelectedSyntacticModifierFlags,
        getSemanticClassifications: () => getSemanticClassifications,
        getSemanticJsxChildren: () => getSemanticJsxChildren,
        getSetAccessorTypeAnnotationNode: () => getSetAccessorTypeAnnotationNode,
        getSetAccessorValueParameter: () => getSetAccessorValueParameter,
        getSetExternalModuleIndicator: () => getSetExternalModuleIndicator,
        getShebang: () => getShebang,
        getSingleInitializerOfVariableStatementOrPropertyDeclaration: () => getSingleInitializerOfVariableStatementOrPropertyDeclaration,
        getSingleVariableOfVariableStatement: () => getSingleVariableOfVariableStatement,
        getSnapshotText: () => getSnapshotText,
        getSnippetElement: () => getSnippetElement,
        getSourceFileOfModule: () => getSourceFileOfModule,
        getSourceFileOfNode: () => getSourceFileOfNode,
        getSourceFilePathInNewDir: () => getSourceFilePathInNewDir,
        getSourceFilePathInNewDirWorker: () => getSourceFilePathInNewDirWorker,
        getSourceFileVersionAsHashFromText: () => getSourceFileVersionAsHashFromText,
        getSourceFilesToEmit: () => getSourceFilesToEmit,
        getSourceMapRange: () => getSourceMapRange,
        getSourceMapper: () => getSourceMapper,
        getSourceTextOfNodeFromSourceFile: () => getSourceTextOfNodeFromSourceFile,
        getSpanOfTokenAtPosition: () => getSpanOfTokenAtPosition,
        getSpellingSuggestion: () => getSpellingSuggestion,
        getStartPositionOfLine: () => getStartPositionOfLine,
        getStartPositionOfRange: () => getStartPositionOfRange,
        getStartsOnNewLine: () => getStartsOnNewLine,
        getStaticPropertiesAndClassStaticBlock: () => getStaticPropertiesAndClassStaticBlock,
        getStrictOptionValue: () => getStrictOptionValue,
        getStringComparer: () => getStringComparer,
        getSubPatternFromSpec: () => getSubPatternFromSpec,
        getSuperCallFromStatement: () => getSuperCallFromStatement,
        getSuperContainer: () => getSuperContainer,
        getSupportedCodeFixes: () => getSupportedCodeFixes,
        getSupportedExtensions: () => getSupportedExtensions,
        getSupportedExtensionsWithJsonIfResolveJsonModule: () => getSupportedExtensionsWithJsonIfResolveJsonModule,
        getSwitchedType: () => getSwitchedType,
        getSymbolId: () => getSymbolId,
        getSymbolNameForPrivateIdentifier: () => getSymbolNameForPrivateIdentifier,
        getSymbolParentOrFail: () => getSymbolParentOrFail,
        getSymbolTarget: () => getSymbolTarget,
        getSyntacticClassifications: () => getSyntacticClassifications,
        getSyntacticModifierFlags: () => getSyntacticModifierFlags,
        getSyntacticModifierFlagsNoCache: () => getSyntacticModifierFlagsNoCache,
        getSynthesizedDeepClone: () => getSynthesizedDeepClone,
        getSynthesizedDeepCloneWithReplacements: () => getSynthesizedDeepCloneWithReplacements,
        getSynthesizedDeepClones: () => getSynthesizedDeepClones,
        getSynthesizedDeepClonesWithReplacements: () => getSynthesizedDeepClonesWithReplacements,
        getSyntheticLeadingComments: () => getSyntheticLeadingComments,
        getSyntheticTrailingComments: () => getSyntheticTrailingComments,
        getTargetLabel: () => getTargetLabel,
        getTargetOfBindingOrAssignmentElement: () => getTargetOfBindingOrAssignmentElement,
        getTemporaryModuleResolutionState: () => getTemporaryModuleResolutionState,
        getTextOfConstantValue: () => getTextOfConstantValue,
        getTextOfIdentifierOrLiteral: () => getTextOfIdentifierOrLiteral,
        getTextOfJSDocComment: () => getTextOfJSDocComment,
        getTextOfJsxAttributeName: () => getTextOfJsxAttributeName,
        getTextOfJsxNamespacedName: () => getTextOfJsxNamespacedName,
        getTextOfNode: () => getTextOfNode,
        getTextOfNodeFromSourceText: () => getTextOfNodeFromSourceText,
        getTextOfPropertyName: () => getTextOfPropertyName,
        getThisContainer: () => getThisContainer,
        getThisParameter: () => getThisParameter,
        getTokenAtPosition: () => getTokenAtPosition,
        getTokenPosOfNode: () => getTokenPosOfNode,
        getTokenSourceMapRange: () => getTokenSourceMapRange,
        getTouchingPropertyName: () => getTouchingPropertyName,
        getTouchingToken: () => getTouchingToken,
        getTrailingCommentRanges: () => getTrailingCommentRanges,
        getTrailingSemicolonDeferringWriter: () => getTrailingSemicolonDeferringWriter,
        getTransformFlagsSubtreeExclusions: () => getTransformFlagsSubtreeExclusions,
        getTransformers: () => getTransformers,
        getTsBuildInfoEmitOutputFilePath: () => getTsBuildInfoEmitOutputFilePath,
        getTsConfigObjectLiteralExpression: () => getTsConfigObjectLiteralExpression,
        getTsConfigPropArrayElementValue: () => getTsConfigPropArrayElementValue,
        getTypeAnnotationNode: () => getTypeAnnotationNode,
        getTypeArgumentOrTypeParameterList: () => getTypeArgumentOrTypeParameterList,
        getTypeKeywordOfTypeOnlyImport: () => getTypeKeywordOfTypeOnlyImport,
        getTypeNode: () => getTypeNode,
        getTypeNodeIfAccessible: () => getTypeNodeIfAccessible,
        getTypeParameterFromJsDoc: () => getTypeParameterFromJsDoc,
        getTypeParameterOwner: () => getTypeParameterOwner,
        getTypesPackageName: () => getTypesPackageName,
        getUILocale: () => getUILocale,
        getUniqueName: () => getUniqueName,
        getUniqueSymbolId: () => getUniqueSymbolId,
        getUseDefineForClassFields: () => getUseDefineForClassFields,
        getWatchErrorSummaryDiagnosticMessage: () => getWatchErrorSummaryDiagnosticMessage,
        getWatchFactory: () => getWatchFactory,
        group: () => group,
        groupBy: () => groupBy,
        guessIndentation: () => guessIndentation,
        handleNoEmitOptions: () => handleNoEmitOptions,
        handleWatchOptionsConfigDirTemplateSubstitution: () => handleWatchOptionsConfigDirTemplateSubstitution,
        hasAbstractModifier: () => hasAbstractModifier,
        hasAccessorModifier: () => hasAccessorModifier,
        hasAmbientModifier: () => hasAmbientModifier,
        hasChangesInResolutions: () => hasChangesInResolutions,
        hasChildOfKind: () => hasChildOfKind,
        hasContextSensitiveParameters: () => hasContextSensitiveParameters,
        hasDecorators: () => hasDecorators,
        hasDocComment: () => hasDocComment,
        hasDynamicName: () => hasDynamicName,
        hasEffectiveModifier: () => hasEffectiveModifier,
        hasEffectiveModifiers: () => hasEffectiveModifiers,
        hasEffectiveReadonlyModifier: () => hasEffectiveReadonlyModifier,
        hasExtension: () => hasExtension,
        hasIndexSignature: () => hasIndexSignature,
        hasInferredType: () => hasInferredType,
        hasInitializer: () => hasInitializer,
        hasInvalidEscape: () => hasInvalidEscape,
        hasJSDocNodes: () => hasJSDocNodes,
        hasJSDocParameterTags: () => hasJSDocParameterTags,
        hasJSFileExtension: () => hasJSFileExtension,
        hasJsonModuleEmitEnabled: () => hasJsonModuleEmitEnabled,
        hasOnlyExpressionInitializer: () => hasOnlyExpressionInitializer,
        hasOverrideModifier: () => hasOverrideModifier,
        hasPossibleExternalModuleReference: () => hasPossibleExternalModuleReference,
        hasProperty: () => hasProperty,
        hasPropertyAccessExpressionWithName: () => hasPropertyAccessExpressionWithName,
        hasQuestionToken: () => hasQuestionToken,
        hasRecordedExternalHelpers: () => hasRecordedExternalHelpers,
        hasResolutionModeOverride: () => hasResolutionModeOverride,
        hasRestParameter: () => hasRestParameter,
        hasScopeMarker: () => hasScopeMarker,
        hasStaticModifier: () => hasStaticModifier,
        hasSyntacticModifier: () => hasSyntacticModifier,
        hasSyntacticModifiers: () => hasSyntacticModifiers,
        hasTSFileExtension: () => hasTSFileExtension,
        hasTabstop: () => hasTabstop,
        hasTrailingDirectorySeparator: () => hasTrailingDirectorySeparator,
        hasType: () => hasType,
        hasTypeArguments: () => hasTypeArguments,
        hasZeroOrOneAsteriskCharacter: () => hasZeroOrOneAsteriskCharacter,
        helperString: () => helperString,
        hostGetCanonicalFileName: () => hostGetCanonicalFileName,
        hostUsesCaseSensitiveFileNames: () => hostUsesCaseSensitiveFileNames,
        idText: () => idText,
        identifierIsThisKeyword: () => identifierIsThisKeyword,
        identifierToKeywordKind: () => identifierToKeywordKind,
        identity: () => identity2,
        identitySourceMapConsumer: () => identitySourceMapConsumer,
        ignoreSourceNewlines: () => ignoreSourceNewlines,
        ignoredPaths: () => ignoredPaths,
        importDefaultHelper: () => importDefaultHelper,
        importFromModuleSpecifier: () => importFromModuleSpecifier,
        importStarHelper: () => importStarHelper,
        indexOfAnyCharCode: () => indexOfAnyCharCode,
        indexOfNode: () => indexOfNode,
        indicesOf: () => indicesOf,
        inferredTypesContainingFile: () => inferredTypesContainingFile,
        injectClassNamedEvaluationHelperBlockIfMissing: () => injectClassNamedEvaluationHelperBlockIfMissing,
        injectClassThisAssignmentIfMissing: () => injectClassThisAssignmentIfMissing,
        insertImports: () => insertImports,
        insertLeadingStatement: () => insertLeadingStatement,
        insertSorted: () => insertSorted,
        insertStatementAfterCustomPrologue: () => insertStatementAfterCustomPrologue,
        insertStatementAfterStandardPrologue: () => insertStatementAfterStandardPrologue,
        insertStatementsAfterCustomPrologue: () => insertStatementsAfterCustomPrologue,
        insertStatementsAfterStandardPrologue: () => insertStatementsAfterStandardPrologue,
        intersperse: () => intersperse,
        intrinsicTagNameToString: () => intrinsicTagNameToString,
        introducesArgumentsExoticObject: () => introducesArgumentsExoticObject,
        inverseJsxOptionMap: () => inverseJsxOptionMap,
        isAbstractConstructorSymbol: () => isAbstractConstructorSymbol,
        isAbstractModifier: () => isAbstractModifier,
        isAccessExpression: () => isAccessExpression,
        isAccessibilityModifier: () => isAccessibilityModifier,
        isAccessor: () => isAccessor,
        isAccessorModifier: () => isAccessorModifier,
        isAliasSymbolDeclaration: () => isAliasSymbolDeclaration,
        isAliasableExpression: () => isAliasableExpression,
        isAmbientModule: () => isAmbientModule,
        isAmbientPropertyDeclaration: () => isAmbientPropertyDeclaration,
        isAnonymousFunctionDefinition: () => isAnonymousFunctionDefinition,
        isAnyDirectorySeparator: () => isAnyDirectorySeparator,
        isAnyImportOrBareOrAccessedRequire: () => isAnyImportOrBareOrAccessedRequire,
        isAnyImportOrReExport: () => isAnyImportOrReExport,
        isAnyImportOrRequireStatement: () => isAnyImportOrRequireStatement,
        isAnyImportSyntax: () => isAnyImportSyntax,
        isAnySupportedFileExtension: () => isAnySupportedFileExtension,
        isApplicableVersionedTypesKey: () => isApplicableVersionedTypesKey,
        isArgumentExpressionOfElementAccess: () => isArgumentExpressionOfElementAccess,
        isArray: () => isArray3,
        isArrayBindingElement: () => isArrayBindingElement,
        isArrayBindingOrAssignmentElement: () => isArrayBindingOrAssignmentElement,
        isArrayBindingOrAssignmentPattern: () => isArrayBindingOrAssignmentPattern,
        isArrayBindingPattern: () => isArrayBindingPattern,
        isArrayLiteralExpression: () => isArrayLiteralExpression,
        isArrayLiteralOrObjectLiteralDestructuringPattern: () => isArrayLiteralOrObjectLiteralDestructuringPattern,
        isArrayTypeNode: () => isArrayTypeNode,
        isArrowFunction: () => isArrowFunction,
        isAsExpression: () => isAsExpression,
        isAssertClause: () => isAssertClause,
        isAssertEntry: () => isAssertEntry,
        isAssertionExpression: () => isAssertionExpression,
        isAssertsKeyword: () => isAssertsKeyword,
        isAssignmentDeclaration: () => isAssignmentDeclaration,
        isAssignmentExpression: () => isAssignmentExpression2,
        isAssignmentOperator: () => isAssignmentOperator,
        isAssignmentPattern: () => isAssignmentPattern,
        isAssignmentTarget: () => isAssignmentTarget,
        isAsteriskToken: () => isAsteriskToken,
        isAsyncFunction: () => isAsyncFunction,
        isAsyncModifier: () => isAsyncModifier,
        isAutoAccessorPropertyDeclaration: () => isAutoAccessorPropertyDeclaration,
        isAwaitExpression: () => isAwaitExpression,
        isAwaitKeyword: () => isAwaitKeyword,
        isBigIntLiteral: () => isBigIntLiteral2,
        isBinaryExpression: () => isBinaryExpression,
        isBinaryOperatorToken: () => isBinaryOperatorToken,
        isBindableObjectDefinePropertyCall: () => isBindableObjectDefinePropertyCall,
        isBindableStaticAccessExpression: () => isBindableStaticAccessExpression,
        isBindableStaticElementAccessExpression: () => isBindableStaticElementAccessExpression,
        isBindableStaticNameExpression: () => isBindableStaticNameExpression,
        isBindingElement: () => isBindingElement,
        isBindingElementOfBareOrAccessedRequire: () => isBindingElementOfBareOrAccessedRequire,
        isBindingName: () => isBindingName,
        isBindingOrAssignmentElement: () => isBindingOrAssignmentElement,
        isBindingOrAssignmentPattern: () => isBindingOrAssignmentPattern,
        isBindingPattern: () => isBindingPattern,
        isBlock: () => isBlock,
        isBlockLike: () => isBlockLike,
        isBlockOrCatchScoped: () => isBlockOrCatchScoped,
        isBlockScope: () => isBlockScope,
        isBlockScopedContainerTopLevel: () => isBlockScopedContainerTopLevel,
        isBooleanLiteral: () => isBooleanLiteral,
        isBreakOrContinueStatement: () => isBreakOrContinueStatement,
        isBreakStatement: () => isBreakStatement,
        isBuild: () => isBuild,
        isBuildInfoFile: () => isBuildInfoFile,
        isBuilderProgram: () => isBuilderProgram2,
        isBundle: () => isBundle,
        isCallChain: () => isCallChain,
        isCallExpression: () => isCallExpression2,
        isCallExpressionTarget: () => isCallExpressionTarget,
        isCallLikeExpression: () => isCallLikeExpression,
        isCallLikeOrFunctionLikeExpression: () => isCallLikeOrFunctionLikeExpression,
        isCallOrNewExpression: () => isCallOrNewExpression2,
        isCallOrNewExpressionTarget: () => isCallOrNewExpressionTarget,
        isCallSignatureDeclaration: () => isCallSignatureDeclaration,
        isCallToHelper: () => isCallToHelper,
        isCaseBlock: () => isCaseBlock,
        isCaseClause: () => isCaseClause,
        isCaseKeyword: () => isCaseKeyword,
        isCaseOrDefaultClause: () => isCaseOrDefaultClause,
        isCatchClause: () => isCatchClause,
        isCatchClauseVariableDeclaration: () => isCatchClauseVariableDeclaration,
        isCatchClauseVariableDeclarationOrBindingElement: () => isCatchClauseVariableDeclarationOrBindingElement,
        isCheckJsEnabledForFile: () => isCheckJsEnabledForFile,
        isChildOfNodeWithKind: () => isChildOfNodeWithKind,
        isCircularBuildOrder: () => isCircularBuildOrder,
        isClassDeclaration: () => isClassDeclaration,
        isClassElement: () => isClassElement,
        isClassExpression: () => isClassExpression,
        isClassInstanceProperty: () => isClassInstanceProperty,
        isClassLike: () => isClassLike,
        isClassMemberModifier: () => isClassMemberModifier,
        isClassNamedEvaluationHelperBlock: () => isClassNamedEvaluationHelperBlock,
        isClassOrTypeElement: () => isClassOrTypeElement,
        isClassStaticBlockDeclaration: () => isClassStaticBlockDeclaration,
        isClassThisAssignmentBlock: () => isClassThisAssignmentBlock,
        isCollapsedRange: () => isCollapsedRange,
        isColonToken: () => isColonToken2,
        isCommaExpression: () => isCommaExpression,
        isCommaListExpression: () => isCommaListExpression,
        isCommaSequence: () => isCommaSequence,
        isCommaToken: () => isCommaToken2,
        isComment: () => isComment,
        isCommonJsExportPropertyAssignment: () => isCommonJsExportPropertyAssignment,
        isCommonJsExportedExpression: () => isCommonJsExportedExpression,
        isCompoundAssignment: () => isCompoundAssignment,
        isComputedNonLiteralName: () => isComputedNonLiteralName,
        isComputedPropertyName: () => isComputedPropertyName,
        isConciseBody: () => isConciseBody,
        isConditionalExpression: () => isConditionalExpression,
        isConditionalTypeNode: () => isConditionalTypeNode,
        isConstAssertion: () => isConstAssertion,
        isConstTypeReference: () => isConstTypeReference,
        isConstructSignatureDeclaration: () => isConstructSignatureDeclaration,
        isConstructorDeclaration: () => isConstructorDeclaration,
        isConstructorTypeNode: () => isConstructorTypeNode,
        isContextualKeyword: () => isContextualKeyword,
        isContinueStatement: () => isContinueStatement,
        isCustomPrologue: () => isCustomPrologue,
        isDebuggerStatement: () => isDebuggerStatement,
        isDeclaration: () => isDeclaration,
        isDeclarationBindingElement: () => isDeclarationBindingElement,
        isDeclarationFileName: () => isDeclarationFileName,
        isDeclarationName: () => isDeclarationName,
        isDeclarationNameOfEnumOrNamespace: () => isDeclarationNameOfEnumOrNamespace,
        isDeclarationReadonly: () => isDeclarationReadonly,
        isDeclarationStatement: () => isDeclarationStatement,
        isDeclarationWithTypeParameterChildren: () => isDeclarationWithTypeParameterChildren,
        isDeclarationWithTypeParameters: () => isDeclarationWithTypeParameters,
        isDecorator: () => isDecorator,
        isDecoratorTarget: () => isDecoratorTarget,
        isDefaultClause: () => isDefaultClause,
        isDefaultImport: () => isDefaultImport,
        isDefaultModifier: () => isDefaultModifier,
        isDefaultedExpandoInitializer: () => isDefaultedExpandoInitializer,
        isDeleteExpression: () => isDeleteExpression,
        isDeleteTarget: () => isDeleteTarget,
        isDeprecatedDeclaration: () => isDeprecatedDeclaration,
        isDestructuringAssignment: () => isDestructuringAssignment,
        isDiagnosticWithLocation: () => isDiagnosticWithLocation,
        isDiskPathRoot: () => isDiskPathRoot,
        isDoStatement: () => isDoStatement,
        isDocumentRegistryEntry: () => isDocumentRegistryEntry,
        isDotDotDotToken: () => isDotDotDotToken,
        isDottedName: () => isDottedName,
        isDynamicName: () => isDynamicName,
        isESSymbolIdentifier: () => isESSymbolIdentifier,
        isEffectiveExternalModule: () => isEffectiveExternalModule,
        isEffectiveModuleDeclaration: () => isEffectiveModuleDeclaration,
        isEffectiveStrictModeSourceFile: () => isEffectiveStrictModeSourceFile,
        isElementAccessChain: () => isElementAccessChain,
        isElementAccessExpression: () => isElementAccessExpression,
        isEmittedFileOfProgram: () => isEmittedFileOfProgram,
        isEmptyArrayLiteral: () => isEmptyArrayLiteral,
        isEmptyBindingElement: () => isEmptyBindingElement,
        isEmptyBindingPattern: () => isEmptyBindingPattern,
        isEmptyObjectLiteral: () => isEmptyObjectLiteral,
        isEmptyStatement: () => isEmptyStatement,
        isEmptyStringLiteral: () => isEmptyStringLiteral2,
        isEntityName: () => isEntityName,
        isEntityNameExpression: () => isEntityNameExpression,
        isEnumConst: () => isEnumConst,
        isEnumDeclaration: () => isEnumDeclaration,
        isEnumMember: () => isEnumMember,
        isEqualityOperatorKind: () => isEqualityOperatorKind,
        isEqualsGreaterThanToken: () => isEqualsGreaterThanToken,
        isExclamationToken: () => isExclamationToken,
        isExcludedFile: () => isExcludedFile,
        isExclusivelyTypeOnlyImportOrExport: () => isExclusivelyTypeOnlyImportOrExport,
        isExpandoPropertyDeclaration: () => isExpandoPropertyDeclaration,
        isExportAssignment: () => isExportAssignment,
        isExportDeclaration: () => isExportDeclaration,
        isExportModifier: () => isExportModifier,
        isExportName: () => isExportName,
        isExportNamespaceAsDefaultDeclaration: () => isExportNamespaceAsDefaultDeclaration,
        isExportOrDefaultModifier: () => isExportOrDefaultModifier,
        isExportSpecifier: () => isExportSpecifier,
        isExportsIdentifier: () => isExportsIdentifier,
        isExportsOrModuleExportsOrAlias: () => isExportsOrModuleExportsOrAlias,
        isExpression: () => isExpression,
        isExpressionNode: () => isExpressionNode,
        isExpressionOfExternalModuleImportEqualsDeclaration: () => isExpressionOfExternalModuleImportEqualsDeclaration,
        isExpressionOfOptionalChainRoot: () => isExpressionOfOptionalChainRoot,
        isExpressionStatement: () => isExpressionStatement2,
        isExpressionWithTypeArguments: () => isExpressionWithTypeArguments,
        isExpressionWithTypeArgumentsInClassExtendsClause: () => isExpressionWithTypeArgumentsInClassExtendsClause,
        isExternalModule: () => isExternalModule,
        isExternalModuleAugmentation: () => isExternalModuleAugmentation,
        isExternalModuleImportEqualsDeclaration: () => isExternalModuleImportEqualsDeclaration,
        isExternalModuleIndicator: () => isExternalModuleIndicator,
        isExternalModuleNameRelative: () => isExternalModuleNameRelative,
        isExternalModuleReference: () => isExternalModuleReference,
        isExternalModuleSymbol: () => isExternalModuleSymbol,
        isExternalOrCommonJsModule: () => isExternalOrCommonJsModule,
        isFileLevelReservedGeneratedIdentifier: () => isFileLevelReservedGeneratedIdentifier,
        isFileLevelUniqueName: () => isFileLevelUniqueName,
        isFileProbablyExternalModule: () => isFileProbablyExternalModule,
        isFirstDeclarationOfSymbolParameter: () => isFirstDeclarationOfSymbolParameter,
        isFixablePromiseHandler: () => isFixablePromiseHandler,
        isForInOrOfStatement: () => isForInOrOfStatement,
        isForInStatement: () => isForInStatement,
        isForInitializer: () => isForInitializer,
        isForOfStatement: () => isForOfStatement,
        isForStatement: () => isForStatement,
        isFullSourceFile: () => isFullSourceFile,
        isFunctionBlock: () => isFunctionBlock,
        isFunctionBody: () => isFunctionBody,
        isFunctionDeclaration: () => isFunctionDeclaration,
        isFunctionExpression: () => isFunctionExpression,
        isFunctionExpressionOrArrowFunction: () => isFunctionExpressionOrArrowFunction,
        isFunctionLike: () => isFunctionLike,
        isFunctionLikeDeclaration: () => isFunctionLikeDeclaration,
        isFunctionLikeKind: () => isFunctionLikeKind,
        isFunctionLikeOrClassStaticBlockDeclaration: () => isFunctionLikeOrClassStaticBlockDeclaration,
        isFunctionOrConstructorTypeNode: () => isFunctionOrConstructorTypeNode,
        isFunctionOrModuleBlock: () => isFunctionOrModuleBlock,
        isFunctionSymbol: () => isFunctionSymbol,
        isFunctionTypeNode: () => isFunctionTypeNode,
        isFutureReservedKeyword: () => isFutureReservedKeyword,
        isGeneratedIdentifier: () => isGeneratedIdentifier,
        isGeneratedPrivateIdentifier: () => isGeneratedPrivateIdentifier,
        isGetAccessor: () => isGetAccessor,
        isGetAccessorDeclaration: () => isGetAccessorDeclaration,
        isGetOrSetAccessorDeclaration: () => isGetOrSetAccessorDeclaration,
        isGlobalDeclaration: () => isGlobalDeclaration,
        isGlobalScopeAugmentation: () => isGlobalScopeAugmentation,
        isGlobalSourceFile: () => isGlobalSourceFile,
        isGrammarError: () => isGrammarError,
        isHeritageClause: () => isHeritageClause,
        isHoistedFunction: () => isHoistedFunction,
        isHoistedVariableStatement: () => isHoistedVariableStatement,
        isIdentifier: () => isIdentifier,
        isIdentifierANonContextualKeyword: () => isIdentifierANonContextualKeyword,
        isIdentifierName: () => isIdentifierName4,
        isIdentifierOrThisTypeNode: () => isIdentifierOrThisTypeNode,
        isIdentifierPart: () => isIdentifierPart,
        isIdentifierStart: () => isIdentifierStart,
        isIdentifierText: () => isIdentifierText,
        isIdentifierTypePredicate: () => isIdentifierTypePredicate,
        isIdentifierTypeReference: () => isIdentifierTypeReference,
        isIfStatement: () => isIfStatement,
        isIgnoredFileFromWildCardWatching: () => isIgnoredFileFromWildCardWatching,
        isImplicitGlob: () => isImplicitGlob,
        isImportAttribute: () => isImportAttribute,
        isImportAttributeName: () => isImportAttributeName,
        isImportAttributes: () => isImportAttributes,
        isImportCall: () => isImportCall,
        isImportClause: () => isImportClause,
        isImportDeclaration: () => isImportDeclaration,
        isImportEqualsDeclaration: () => isImportEqualsDeclaration,
        isImportKeyword: () => isImportKeyword,
        isImportMeta: () => isImportMeta,
        isImportOrExportSpecifier: () => isImportOrExportSpecifier,
        isImportOrExportSpecifierName: () => isImportOrExportSpecifierName,
        isImportSpecifier: () => isImportSpecifier,
        isImportTypeAssertionContainer: () => isImportTypeAssertionContainer,
        isImportTypeNode: () => isImportTypeNode,
        isImportableFile: () => isImportableFile,
        isInComment: () => isInComment,
        isInCompoundLikeAssignment: () => isInCompoundLikeAssignment,
        isInExpressionContext: () => isInExpressionContext,
        isInJSDoc: () => isInJSDoc,
        isInJSFile: () => isInJSFile,
        isInJSXText: () => isInJSXText,
        isInJsonFile: () => isInJsonFile,
        isInNonReferenceComment: () => isInNonReferenceComment,
        isInReferenceComment: () => isInReferenceComment,
        isInRightSideOfInternalImportEqualsDeclaration: () => isInRightSideOfInternalImportEqualsDeclaration,
        isInString: () => isInString,
        isInTemplateString: () => isInTemplateString,
        isInTopLevelContext: () => isInTopLevelContext,
        isInTypeQuery: () => isInTypeQuery,
        isIncrementalCompilation: () => isIncrementalCompilation,
        isIndexSignatureDeclaration: () => isIndexSignatureDeclaration,
        isIndexedAccessTypeNode: () => isIndexedAccessTypeNode,
        isInferTypeNode: () => isInferTypeNode,
        isInfinityOrNaNString: () => isInfinityOrNaNString,
        isInitializedProperty: () => isInitializedProperty,
        isInitializedVariable: () => isInitializedVariable,
        isInsideJsxElement: () => isInsideJsxElement,
        isInsideJsxElementOrAttribute: () => isInsideJsxElementOrAttribute,
        isInsideNodeModules: () => isInsideNodeModules,
        isInsideTemplateLiteral: () => isInsideTemplateLiteral,
        isInstanceOfExpression: () => isInstanceOfExpression,
        isInstantiatedModule: () => isInstantiatedModule,
        isInterfaceDeclaration: () => isInterfaceDeclaration,
        isInternalDeclaration: () => isInternalDeclaration,
        isInternalModuleImportEqualsDeclaration: () => isInternalModuleImportEqualsDeclaration,
        isInternalName: () => isInternalName,
        isIntersectionTypeNode: () => isIntersectionTypeNode,
        isIntrinsicJsxName: () => isIntrinsicJsxName,
        isIterationStatement: () => isIterationStatement,
        isJSDoc: () => isJSDoc,
        isJSDocAllType: () => isJSDocAllType,
        isJSDocAugmentsTag: () => isJSDocAugmentsTag,
        isJSDocAuthorTag: () => isJSDocAuthorTag,
        isJSDocCallbackTag: () => isJSDocCallbackTag,
        isJSDocClassTag: () => isJSDocClassTag,
        isJSDocCommentContainingNode: () => isJSDocCommentContainingNode,
        isJSDocConstructSignature: () => isJSDocConstructSignature,
        isJSDocDeprecatedTag: () => isJSDocDeprecatedTag,
        isJSDocEnumTag: () => isJSDocEnumTag,
        isJSDocFunctionType: () => isJSDocFunctionType,
        isJSDocImplementsTag: () => isJSDocImplementsTag,
        isJSDocImportTag: () => isJSDocImportTag,
        isJSDocIndexSignature: () => isJSDocIndexSignature,
        isJSDocLikeText: () => isJSDocLikeText,
        isJSDocLink: () => isJSDocLink,
        isJSDocLinkCode: () => isJSDocLinkCode,
        isJSDocLinkLike: () => isJSDocLinkLike,
        isJSDocLinkPlain: () => isJSDocLinkPlain,
        isJSDocMemberName: () => isJSDocMemberName,
        isJSDocNameReference: () => isJSDocNameReference,
        isJSDocNamepathType: () => isJSDocNamepathType,
        isJSDocNamespaceBody: () => isJSDocNamespaceBody,
        isJSDocNode: () => isJSDocNode,
        isJSDocNonNullableType: () => isJSDocNonNullableType,
        isJSDocNullableType: () => isJSDocNullableType,
        isJSDocOptionalParameter: () => isJSDocOptionalParameter,
        isJSDocOptionalType: () => isJSDocOptionalType,
        isJSDocOverloadTag: () => isJSDocOverloadTag,
        isJSDocOverrideTag: () => isJSDocOverrideTag,
        isJSDocParameterTag: () => isJSDocParameterTag,
        isJSDocPrivateTag: () => isJSDocPrivateTag,
        isJSDocPropertyLikeTag: () => isJSDocPropertyLikeTag,
        isJSDocPropertyTag: () => isJSDocPropertyTag,
        isJSDocProtectedTag: () => isJSDocProtectedTag,
        isJSDocPublicTag: () => isJSDocPublicTag,
        isJSDocReadonlyTag: () => isJSDocReadonlyTag,
        isJSDocReturnTag: () => isJSDocReturnTag,
        isJSDocSatisfiesExpression: () => isJSDocSatisfiesExpression,
        isJSDocSatisfiesTag: () => isJSDocSatisfiesTag,
        isJSDocSeeTag: () => isJSDocSeeTag,
        isJSDocSignature: () => isJSDocSignature,
        isJSDocTag: () => isJSDocTag,
        isJSDocTemplateTag: () => isJSDocTemplateTag,
        isJSDocThisTag: () => isJSDocThisTag,
        isJSDocThrowsTag: () => isJSDocThrowsTag,
        isJSDocTypeAlias: () => isJSDocTypeAlias,
        isJSDocTypeAssertion: () => isJSDocTypeAssertion,
        isJSDocTypeExpression: () => isJSDocTypeExpression,
        isJSDocTypeLiteral: () => isJSDocTypeLiteral,
        isJSDocTypeTag: () => isJSDocTypeTag,
        isJSDocTypedefTag: () => isJSDocTypedefTag,
        isJSDocUnknownTag: () => isJSDocUnknownTag,
        isJSDocUnknownType: () => isJSDocUnknownType,
        isJSDocVariadicType: () => isJSDocVariadicType,
        isJSXTagName: () => isJSXTagName,
        isJsonEqual: () => isJsonEqual,
        isJsonSourceFile: () => isJsonSourceFile,
        isJsxAttribute: () => isJsxAttribute,
        isJsxAttributeLike: () => isJsxAttributeLike,
        isJsxAttributeName: () => isJsxAttributeName,
        isJsxAttributes: () => isJsxAttributes,
        isJsxChild: () => isJsxChild,
        isJsxClosingElement: () => isJsxClosingElement,
        isJsxClosingFragment: () => isJsxClosingFragment,
        isJsxElement: () => isJsxElement,
        isJsxExpression: () => isJsxExpression,
        isJsxFragment: () => isJsxFragment,
        isJsxNamespacedName: () => isJsxNamespacedName,
        isJsxOpeningElement: () => isJsxOpeningElement,
        isJsxOpeningFragment: () => isJsxOpeningFragment,
        isJsxOpeningLikeElement: () => isJsxOpeningLikeElement,
        isJsxOpeningLikeElementTagName: () => isJsxOpeningLikeElementTagName,
        isJsxSelfClosingElement: () => isJsxSelfClosingElement,
        isJsxSpreadAttribute: () => isJsxSpreadAttribute,
        isJsxTagNameExpression: () => isJsxTagNameExpression,
        isJsxText: () => isJsxText,
        isJumpStatementTarget: () => isJumpStatementTarget,
        isKeyword: () => isKeyword2,
        isKeywordOrPunctuation: () => isKeywordOrPunctuation,
        isKnownSymbol: () => isKnownSymbol,
        isLabelName: () => isLabelName,
        isLabelOfLabeledStatement: () => isLabelOfLabeledStatement,
        isLabeledStatement: () => isLabeledStatement,
        isLateVisibilityPaintedStatement: () => isLateVisibilityPaintedStatement,
        isLeftHandSideExpression: () => isLeftHandSideExpression,
        isLeftHandSideOfAssignment: () => isLeftHandSideOfAssignment,
        isLet: () => isLet,
        isLineBreak: () => isLineBreak,
        isLiteralComputedPropertyDeclarationName: () => isLiteralComputedPropertyDeclarationName,
        isLiteralExpression: () => isLiteralExpression,
        isLiteralExpressionOfObject: () => isLiteralExpressionOfObject,
        isLiteralImportTypeNode: () => isLiteralImportTypeNode,
        isLiteralKind: () => isLiteralKind,
        isLiteralLikeAccess: () => isLiteralLikeAccess,
        isLiteralLikeElementAccess: () => isLiteralLikeElementAccess,
        isLiteralNameOfPropertyDeclarationOrIndexAccess: () => isLiteralNameOfPropertyDeclarationOrIndexAccess,
        isLiteralTypeLikeExpression: () => isLiteralTypeLikeExpression,
        isLiteralTypeLiteral: () => isLiteralTypeLiteral,
        isLiteralTypeNode: () => isLiteralTypeNode,
        isLocalName: () => isLocalName,
        isLogicalOperator: () => isLogicalOperator,
        isLogicalOrCoalescingAssignmentExpression: () => isLogicalOrCoalescingAssignmentExpression,
        isLogicalOrCoalescingAssignmentOperator: () => isLogicalOrCoalescingAssignmentOperator,
        isLogicalOrCoalescingBinaryExpression: () => isLogicalOrCoalescingBinaryExpression,
        isLogicalOrCoalescingBinaryOperator: () => isLogicalOrCoalescingBinaryOperator,
        isMappedTypeNode: () => isMappedTypeNode,
        isMemberName: () => isMemberName,
        isMetaProperty: () => isMetaProperty,
        isMethodDeclaration: () => isMethodDeclaration,
        isMethodOrAccessor: () => isMethodOrAccessor,
        isMethodSignature: () => isMethodSignature,
        isMinusToken: () => isMinusToken,
        isMissingDeclaration: () => isMissingDeclaration,
        isMissingPackageJsonInfo: () => isMissingPackageJsonInfo,
        isModifier: () => isModifier,
        isModifierKind: () => isModifierKind,
        isModifierLike: () => isModifierLike,
        isModuleAugmentationExternal: () => isModuleAugmentationExternal,
        isModuleBlock: () => isModuleBlock,
        isModuleBody: () => isModuleBody,
        isModuleDeclaration: () => isModuleDeclaration,
        isModuleExportsAccessExpression: () => isModuleExportsAccessExpression,
        isModuleIdentifier: () => isModuleIdentifier,
        isModuleName: () => isModuleName,
        isModuleOrEnumDeclaration: () => isModuleOrEnumDeclaration,
        isModuleReference: () => isModuleReference,
        isModuleSpecifierLike: () => isModuleSpecifierLike,
        isModuleWithStringLiteralName: () => isModuleWithStringLiteralName,
        isNameOfFunctionDeclaration: () => isNameOfFunctionDeclaration,
        isNameOfModuleDeclaration: () => isNameOfModuleDeclaration,
        isNamedClassElement: () => isNamedClassElement,
        isNamedDeclaration: () => isNamedDeclaration,
        isNamedEvaluation: () => isNamedEvaluation,
        isNamedEvaluationSource: () => isNamedEvaluationSource,
        isNamedExportBindings: () => isNamedExportBindings,
        isNamedExports: () => isNamedExports,
        isNamedImportBindings: () => isNamedImportBindings,
        isNamedImports: () => isNamedImports,
        isNamedImportsOrExports: () => isNamedImportsOrExports,
        isNamedTupleMember: () => isNamedTupleMember,
        isNamespaceBody: () => isNamespaceBody,
        isNamespaceExport: () => isNamespaceExport,
        isNamespaceExportDeclaration: () => isNamespaceExportDeclaration,
        isNamespaceImport: () => isNamespaceImport,
        isNamespaceReexportDeclaration: () => isNamespaceReexportDeclaration,
        isNewExpression: () => isNewExpression2,
        isNewExpressionTarget: () => isNewExpressionTarget,
        isNoSubstitutionTemplateLiteral: () => isNoSubstitutionTemplateLiteral,
        isNode: () => isNode2,
        isNodeArray: () => isNodeArray,
        isNodeArrayMultiLine: () => isNodeArrayMultiLine,
        isNodeDescendantOf: () => isNodeDescendantOf,
        isNodeKind: () => isNodeKind,
        isNodeLikeSystem: () => isNodeLikeSystem,
        isNodeModulesDirectory: () => isNodeModulesDirectory,
        isNodeWithPossibleHoistedDeclaration: () => isNodeWithPossibleHoistedDeclaration,
        isNonContextualKeyword: () => isNonContextualKeyword,
        isNonExportDefaultModifier: () => isNonExportDefaultModifier,
        isNonGlobalAmbientModule: () => isNonGlobalAmbientModule,
        isNonGlobalDeclaration: () => isNonGlobalDeclaration,
        isNonNullAccess: () => isNonNullAccess,
        isNonNullChain: () => isNonNullChain,
        isNonNullExpression: () => isNonNullExpression,
        isNonStaticMethodOrAccessorWithPrivateName: () => isNonStaticMethodOrAccessorWithPrivateName,
        isNotEmittedOrPartiallyEmittedNode: () => isNotEmittedOrPartiallyEmittedNode,
        isNotEmittedStatement: () => isNotEmittedStatement,
        isNullishCoalesce: () => isNullishCoalesce,
        isNumber: () => isNumber2,
        isNumericLiteral: () => isNumericLiteral,
        isNumericLiteralName: () => isNumericLiteralName,
        isObjectBindingElementWithoutPropertyName: () => isObjectBindingElementWithoutPropertyName,
        isObjectBindingOrAssignmentElement: () => isObjectBindingOrAssignmentElement,
        isObjectBindingOrAssignmentPattern: () => isObjectBindingOrAssignmentPattern,
        isObjectBindingPattern: () => isObjectBindingPattern,
        isObjectLiteralElement: () => isObjectLiteralElement,
        isObjectLiteralElementLike: () => isObjectLiteralElementLike,
        isObjectLiteralExpression: () => isObjectLiteralExpression,
        isObjectLiteralMethod: () => isObjectLiteralMethod,
        isObjectLiteralOrClassExpressionMethodOrAccessor: () => isObjectLiteralOrClassExpressionMethodOrAccessor,
        isObjectTypeDeclaration: () => isObjectTypeDeclaration,
        isOctalDigit: () => isOctalDigit,
        isOmittedExpression: () => isOmittedExpression,
        isOptionalChain: () => isOptionalChain,
        isOptionalChainRoot: () => isOptionalChainRoot,
        isOptionalDeclaration: () => isOptionalDeclaration,
        isOptionalJSDocPropertyLikeTag: () => isOptionalJSDocPropertyLikeTag,
        isOptionalTypeNode: () => isOptionalTypeNode,
        isOuterExpression: () => isOuterExpression,
        isOutermostOptionalChain: () => isOutermostOptionalChain,
        isOverrideModifier: () => isOverrideModifier,
        isPackageJsonInfo: () => isPackageJsonInfo,
        isPackedArrayLiteral: () => isPackedArrayLiteral,
        isParameter: () => isParameter,
        isParameterPropertyDeclaration: () => isParameterPropertyDeclaration,
        isParameterPropertyModifier: () => isParameterPropertyModifier,
        isParenthesizedExpression: () => isParenthesizedExpression,
        isParenthesizedTypeNode: () => isParenthesizedTypeNode,
        isParseTreeNode: () => isParseTreeNode,
        isPartOfParameterDeclaration: () => isPartOfParameterDeclaration,
        isPartOfTypeNode: () => isPartOfTypeNode,
        isPartOfTypeQuery: () => isPartOfTypeQuery,
        isPartiallyEmittedExpression: () => isPartiallyEmittedExpression,
        isPatternMatch: () => isPatternMatch,
        isPinnedComment: () => isPinnedComment,
        isPlainJsFile: () => isPlainJsFile,
        isPlusToken: () => isPlusToken,
        isPossiblyTypeArgumentPosition: () => isPossiblyTypeArgumentPosition,
        isPostfixUnaryExpression: () => isPostfixUnaryExpression,
        isPrefixUnaryExpression: () => isPrefixUnaryExpression,
        isPrimitiveLiteralValue: () => isPrimitiveLiteralValue,
        isPrivateIdentifier: () => isPrivateIdentifier,
        isPrivateIdentifierClassElementDeclaration: () => isPrivateIdentifierClassElementDeclaration,
        isPrivateIdentifierPropertyAccessExpression: () => isPrivateIdentifierPropertyAccessExpression,
        isPrivateIdentifierSymbol: () => isPrivateIdentifierSymbol,
        isProgramBundleEmitBuildInfo: () => isProgramBundleEmitBuildInfo,
        isProgramUptoDate: () => isProgramUptoDate,
        isPrologueDirective: () => isPrologueDirective,
        isPropertyAccessChain: () => isPropertyAccessChain,
        isPropertyAccessEntityNameExpression: () => isPropertyAccessEntityNameExpression,
        isPropertyAccessExpression: () => isPropertyAccessExpression,
        isPropertyAccessOrQualifiedName: () => isPropertyAccessOrQualifiedName,
        isPropertyAccessOrQualifiedNameOrImportTypeNode: () => isPropertyAccessOrQualifiedNameOrImportTypeNode,
        isPropertyAssignment: () => isPropertyAssignment,
        isPropertyDeclaration: () => isPropertyDeclaration,
        isPropertyName: () => isPropertyName,
        isPropertyNameLiteral: () => isPropertyNameLiteral,
        isPropertySignature: () => isPropertySignature,
        isProtoSetter: () => isProtoSetter,
        isPrototypeAccess: () => isPrototypeAccess,
        isPrototypePropertyAssignment: () => isPrototypePropertyAssignment,
        isPunctuation: () => isPunctuation,
        isPushOrUnshiftIdentifier: () => isPushOrUnshiftIdentifier,
        isQualifiedName: () => isQualifiedName,
        isQuestionDotToken: () => isQuestionDotToken,
        isQuestionOrExclamationToken: () => isQuestionOrExclamationToken,
        isQuestionOrPlusOrMinusToken: () => isQuestionOrPlusOrMinusToken,
        isQuestionToken: () => isQuestionToken,
        isRawSourceMap: () => isRawSourceMap,
        isReadonlyKeyword: () => isReadonlyKeyword,
        isReadonlyKeywordOrPlusOrMinusToken: () => isReadonlyKeywordOrPlusOrMinusToken,
        isRecognizedTripleSlashComment: () => isRecognizedTripleSlashComment,
        isReferenceFileLocation: () => isReferenceFileLocation,
        isReferencedFile: () => isReferencedFile,
        isRegularExpressionLiteral: () => isRegularExpressionLiteral,
        isRequireCall: () => isRequireCall,
        isRequireVariableStatement: () => isRequireVariableStatement,
        isRestParameter: () => isRestParameter,
        isRestTypeNode: () => isRestTypeNode,
        isReturnStatement: () => isReturnStatement,
        isReturnStatementWithFixablePromiseHandler: () => isReturnStatementWithFixablePromiseHandler,
        isRightSideOfAccessExpression: () => isRightSideOfAccessExpression,
        isRightSideOfInstanceofExpression: () => isRightSideOfInstanceofExpression,
        isRightSideOfPropertyAccess: () => isRightSideOfPropertyAccess,
        isRightSideOfQualifiedName: () => isRightSideOfQualifiedName,
        isRightSideOfQualifiedNameOrPropertyAccess: () => isRightSideOfQualifiedNameOrPropertyAccess,
        isRightSideOfQualifiedNameOrPropertyAccessOrJSDocMemberName: () => isRightSideOfQualifiedNameOrPropertyAccessOrJSDocMemberName,
        isRootedDiskPath: () => isRootedDiskPath,
        isSameEntityName: () => isSameEntityName,
        isSatisfiesExpression: () => isSatisfiesExpression,
        isScopeMarker: () => isScopeMarker,
        isSemicolonClassElement: () => isSemicolonClassElement,
        isSetAccessor: () => isSetAccessor,
        isSetAccessorDeclaration: () => isSetAccessorDeclaration,
        isShebangTrivia: () => isShebangTrivia,
        isShiftOperatorOrHigher: () => isShiftOperatorOrHigher,
        isShorthandAmbientModuleSymbol: () => isShorthandAmbientModuleSymbol,
        isShorthandPropertyAssignment: () => isShorthandPropertyAssignment,
        isSignedNumericLiteral: () => isSignedNumericLiteral,
        isSimpleCopiableExpression: () => isSimpleCopiableExpression,
        isSimpleInlineableExpression: () => isSimpleInlineableExpression,
        isSimpleParameter: () => isSimpleParameter,
        isSimpleParameterList: () => isSimpleParameterList,
        isSingleOrDoubleQuote: () => isSingleOrDoubleQuote,
        isSourceFile: () => isSourceFile,
        isSourceFileFromLibrary: () => isSourceFileFromLibrary,
        isSourceFileJS: () => isSourceFileJS,
        isSourceFileNotJS: () => isSourceFileNotJS,
        isSourceFileNotJson: () => isSourceFileNotJson,
        isSourceMapping: () => isSourceMapping,
        isSpecialPropertyDeclaration: () => isSpecialPropertyDeclaration,
        isSpreadAssignment: () => isSpreadAssignment,
        isSpreadElement: () => isSpreadElement,
        isStatement: () => isStatement,
        isStatementButNotDeclaration: () => isStatementButNotDeclaration,
        isStatementOrBlock: () => isStatementOrBlock,
        isStatementWithLocals: () => isStatementWithLocals,
        isStatic: () => isStatic,
        isStaticModifier: () => isStaticModifier,
        isString: () => isString2,
        isStringAKeyword: () => isStringAKeyword,
        isStringANonContextualKeyword: () => isStringANonContextualKeyword,
        isStringAndEmptyAnonymousObjectIntersection: () => isStringAndEmptyAnonymousObjectIntersection,
        isStringDoubleQuoted: () => isStringDoubleQuoted,
        isStringLiteral: () => isStringLiteral2,
        isStringLiteralLike: () => isStringLiteralLike,
        isStringLiteralOrJsxExpression: () => isStringLiteralOrJsxExpression,
        isStringLiteralOrTemplate: () => isStringLiteralOrTemplate,
        isStringOrNumericLiteralLike: () => isStringOrNumericLiteralLike,
        isStringOrRegularExpressionOrTemplateLiteral: () => isStringOrRegularExpressionOrTemplateLiteral,
        isStringTextContainingNode: () => isStringTextContainingNode,
        isSuperCall: () => isSuperCall,
        isSuperKeyword: () => isSuperKeyword,
        isSuperOrSuperProperty: () => isSuperOrSuperProperty,
        isSuperProperty: () => isSuperProperty,
        isSupportedSourceFileName: () => isSupportedSourceFileName,
        isSwitchStatement: () => isSwitchStatement,
        isSyntaxList: () => isSyntaxList,
        isSyntheticExpression: () => isSyntheticExpression,
        isSyntheticReference: () => isSyntheticReference,
        isTagName: () => isTagName,
        isTaggedTemplateExpression: () => isTaggedTemplateExpression,
        isTaggedTemplateTag: () => isTaggedTemplateTag,
        isTemplateExpression: () => isTemplateExpression,
        isTemplateHead: () => isTemplateHead,
        isTemplateLiteral: () => isTemplateLiteral,
        isTemplateLiteralKind: () => isTemplateLiteralKind,
        isTemplateLiteralToken: () => isTemplateLiteralToken,
        isTemplateLiteralTypeNode: () => isTemplateLiteralTypeNode,
        isTemplateLiteralTypeSpan: () => isTemplateLiteralTypeSpan,
        isTemplateMiddle: () => isTemplateMiddle,
        isTemplateMiddleOrTemplateTail: () => isTemplateMiddleOrTemplateTail,
        isTemplateSpan: () => isTemplateSpan,
        isTemplateTail: () => isTemplateTail,
        isTextWhiteSpaceLike: () => isTextWhiteSpaceLike,
        isThis: () => isThis,
        isThisContainerOrFunctionBlock: () => isThisContainerOrFunctionBlock,
        isThisIdentifier: () => isThisIdentifier,
        isThisInTypeQuery: () => isThisInTypeQuery,
        isThisInitializedDeclaration: () => isThisInitializedDeclaration,
        isThisInitializedObjectBindingExpression: () => isThisInitializedObjectBindingExpression,
        isThisProperty: () => isThisProperty,
        isThisTypeNode: () => isThisTypeNode,
        isThisTypeParameter: () => isThisTypeParameter,
        isThisTypePredicate: () => isThisTypePredicate,
        isThrowStatement: () => isThrowStatement,
        isToken: () => isToken,
        isTokenKind: () => isTokenKind,
        isTraceEnabled: () => isTraceEnabled,
        isTransientSymbol: () => isTransientSymbol,
        isTrivia: () => isTrivia,
        isTryStatement: () => isTryStatement,
        isTupleTypeNode: () => isTupleTypeNode,
        isTypeAlias: () => isTypeAlias,
        isTypeAliasDeclaration: () => isTypeAliasDeclaration,
        isTypeAssertionExpression: () => isTypeAssertionExpression,
        isTypeDeclaration: () => isTypeDeclaration,
        isTypeElement: () => isTypeElement,
        isTypeKeyword: () => isTypeKeyword,
        isTypeKeywordToken: () => isTypeKeywordToken,
        isTypeKeywordTokenOrIdentifier: () => isTypeKeywordTokenOrIdentifier,
        isTypeLiteralNode: () => isTypeLiteralNode,
        isTypeNode: () => isTypeNode,
        isTypeNodeKind: () => isTypeNodeKind,
        isTypeOfExpression: () => isTypeOfExpression,
        isTypeOnlyExportDeclaration: () => isTypeOnlyExportDeclaration,
        isTypeOnlyImportDeclaration: () => isTypeOnlyImportDeclaration,
        isTypeOnlyImportOrExportDeclaration: () => isTypeOnlyImportOrExportDeclaration,
        isTypeOperatorNode: () => isTypeOperatorNode,
        isTypeParameterDeclaration: () => isTypeParameterDeclaration,
        isTypePredicateNode: () => isTypePredicateNode,
        isTypeQueryNode: () => isTypeQueryNode,
        isTypeReferenceNode: () => isTypeReferenceNode,
        isTypeReferenceType: () => isTypeReferenceType,
        isTypeUsableAsPropertyName: () => isTypeUsableAsPropertyName,
        isUMDExportSymbol: () => isUMDExportSymbol,
        isUnaryExpression: () => isUnaryExpression,
        isUnaryExpressionWithWrite: () => isUnaryExpressionWithWrite,
        isUnicodeIdentifierStart: () => isUnicodeIdentifierStart,
        isUnionTypeNode: () => isUnionTypeNode,
        isUrl: () => isUrl,
        isValidBigIntString: () => isValidBigIntString,
        isValidESSymbolDeclaration: () => isValidESSymbolDeclaration,
        isValidTypeOnlyAliasUseSite: () => isValidTypeOnlyAliasUseSite,
        isValueSignatureDeclaration: () => isValueSignatureDeclaration,
        isVarAwaitUsing: () => isVarAwaitUsing,
        isVarConst: () => isVarConst,
        isVarConstLike: () => isVarConstLike,
        isVarUsing: () => isVarUsing,
        isVariableDeclaration: () => isVariableDeclaration,
        isVariableDeclarationInVariableStatement: () => isVariableDeclarationInVariableStatement,
        isVariableDeclarationInitializedToBareOrAccessedRequire: () => isVariableDeclarationInitializedToBareOrAccessedRequire,
        isVariableDeclarationInitializedToRequire: () => isVariableDeclarationInitializedToRequire,
        isVariableDeclarationList: () => isVariableDeclarationList,
        isVariableLike: () => isVariableLike,
        isVariableLikeOrAccessor: () => isVariableLikeOrAccessor,
        isVariableStatement: () => isVariableStatement,
        isVoidExpression: () => isVoidExpression,
        isWatchSet: () => isWatchSet,
        isWhileStatement: () => isWhileStatement,
        isWhiteSpaceLike: () => isWhiteSpaceLike,
        isWhiteSpaceSingleLine: () => isWhiteSpaceSingleLine,
        isWithStatement: () => isWithStatement,
        isWriteAccess: () => isWriteAccess,
        isWriteOnlyAccess: () => isWriteOnlyAccess,
        isYieldExpression: () => isYieldExpression,
        jsxModeNeedsExplicitImport: () => jsxModeNeedsExplicitImport,
        keywordPart: () => keywordPart,
        last: () => last,
        lastOrUndefined: () => lastOrUndefined,
        length: () => length,
        libMap: () => libMap,
        libs: () => libs,
        lineBreakPart: () => lineBreakPart,
        linkNamePart: () => linkNamePart,
        linkPart: () => linkPart,
        linkTextPart: () => linkTextPart,
        listFiles: () => listFiles,
        loadModuleFromGlobalCache: () => loadModuleFromGlobalCache,
        loadWithModeAwareCache: () => loadWithModeAwareCache,
        makeIdentifierFromModuleName: () => makeIdentifierFromModuleName,
        makeImport: () => makeImport,
        makeStringLiteral: () => makeStringLiteral,
        mangleScopedPackageName: () => mangleScopedPackageName,
        map: () => map,
        mapAllOrFail: () => mapAllOrFail,
        mapDefined: () => mapDefined,
        mapDefinedEntries: () => mapDefinedEntries,
        mapDefinedIterator: () => mapDefinedIterator,
        mapEntries: () => mapEntries,
        mapIterator: () => mapIterator,
        mapOneOrMany: () => mapOneOrMany,
        mapToDisplayParts: () => mapToDisplayParts,
        matchFiles: () => matchFiles,
        matchPatternOrExact: () => matchPatternOrExact,
        matchedText: () => matchedText,
        matchesExclude: () => matchesExclude,
        maybeBind: () => maybeBind,
        maybeSetLocalizedDiagnosticMessages: () => maybeSetLocalizedDiagnosticMessages,
        memoize: () => memoize,
        memoizeCached: () => memoizeCached,
        memoizeOne: () => memoizeOne,
        memoizeWeak: () => memoizeWeak,
        metadataHelper: () => metadataHelper,
        min: () => min,
        minAndMax: () => minAndMax,
        missingFileModifiedTime: () => missingFileModifiedTime,
        modifierToFlag: () => modifierToFlag,
        modifiersToFlags: () => modifiersToFlags,
        moduleOptionDeclaration: () => moduleOptionDeclaration,
        moduleResolutionIsEqualTo: () => moduleResolutionIsEqualTo,
        moduleResolutionNameAndModeGetter: () => moduleResolutionNameAndModeGetter,
        moduleResolutionOptionDeclarations: () => moduleResolutionOptionDeclarations,
        moduleResolutionSupportsPackageJsonExportsAndImports: () => moduleResolutionSupportsPackageJsonExportsAndImports,
        moduleResolutionUsesNodeModules: () => moduleResolutionUsesNodeModules,
        moduleSpecifierToValidIdentifier: () => moduleSpecifierToValidIdentifier,
        moduleSpecifiers: () => ts_moduleSpecifiers_exports,
        moduleSymbolToValidIdentifier: () => moduleSymbolToValidIdentifier,
        moveEmitHelpers: () => moveEmitHelpers,
        moveRangeEnd: () => moveRangeEnd,
        moveRangePastDecorators: () => moveRangePastDecorators,
        moveRangePastModifiers: () => moveRangePastModifiers,
        moveRangePos: () => moveRangePos,
        moveSyntheticComments: () => moveSyntheticComments,
        mutateMap: () => mutateMap,
        mutateMapSkippingNewValues: () => mutateMapSkippingNewValues,
        needsParentheses: () => needsParentheses2,
        needsScopeMarker: () => needsScopeMarker,
        newCaseClauseTracker: () => newCaseClauseTracker,
        newPrivateEnvironment: () => newPrivateEnvironment,
        noEmitNotification: () => noEmitNotification,
        noEmitSubstitution: () => noEmitSubstitution,
        noTransformers: () => noTransformers,
        noTruncationMaximumTruncationLength: () => noTruncationMaximumTruncationLength,
        nodeCanBeDecorated: () => nodeCanBeDecorated,
        nodeHasName: () => nodeHasName,
        nodeIsDecorated: () => nodeIsDecorated,
        nodeIsMissing: () => nodeIsMissing,
        nodeIsPresent: () => nodeIsPresent,
        nodeIsSynthesized: () => nodeIsSynthesized,
        nodeModuleNameResolver: () => nodeModuleNameResolver,
        nodeModulesPathPart: () => nodeModulesPathPart,
        nodeNextJsonConfigResolver: () => nodeNextJsonConfigResolver,
        nodeOrChildIsDecorated: () => nodeOrChildIsDecorated,
        nodeOverlapsWithStartEnd: () => nodeOverlapsWithStartEnd,
        nodePosToString: () => nodePosToString,
        nodeSeenTracker: () => nodeSeenTracker,
        nodeStartsNewLexicalEnvironment: () => nodeStartsNewLexicalEnvironment,
        nodeToDisplayParts: () => nodeToDisplayParts,
        noop: () => noop2,
        noopFileWatcher: () => noopFileWatcher,
        normalizePath: () => normalizePath,
        normalizeSlashes: () => normalizeSlashes,
        not: () => not,
        notImplemented: () => notImplemented,
        notImplementedResolver: () => notImplementedResolver,
        nullNodeConverters: () => nullNodeConverters,
        nullParenthesizerRules: () => nullParenthesizerRules,
        nullTransformationContext: () => nullTransformationContext,
        objectAllocator: () => objectAllocator,
        operatorPart: () => operatorPart,
        optionDeclarations: () => optionDeclarations,
        optionMapToObject: () => optionMapToObject,
        optionsAffectingProgramStructure: () => optionsAffectingProgramStructure,
        optionsForBuild: () => optionsForBuild,
        optionsForWatch: () => optionsForWatch,
        optionsHaveChanges: () => optionsHaveChanges,
        optionsHaveModuleResolutionChanges: () => optionsHaveModuleResolutionChanges,
        or: () => or,
        orderedRemoveItem: () => orderedRemoveItem,
        orderedRemoveItemAt: () => orderedRemoveItemAt,
        packageIdToPackageName: () => packageIdToPackageName,
        packageIdToString: () => packageIdToString,
        paramHelper: () => paramHelper,
        parameterIsThisKeyword: () => parameterIsThisKeyword,
        parameterNamePart: () => parameterNamePart,
        parseBaseNodeFactory: () => parseBaseNodeFactory,
        parseBigInt: () => parseBigInt,
        parseBuildCommand: () => parseBuildCommand,
        parseCommandLine: () => parseCommandLine,
        parseCommandLineWorker: () => parseCommandLineWorker,
        parseConfigFileTextToJson: () => parseConfigFileTextToJson,
        parseConfigFileWithSystem: () => parseConfigFileWithSystem,
        parseConfigHostFromCompilerHostLike: () => parseConfigHostFromCompilerHostLike,
        parseCustomTypeOption: () => parseCustomTypeOption,
        parseIsolatedEntityName: () => parseIsolatedEntityName,
        parseIsolatedJSDocComment: () => parseIsolatedJSDocComment,
        parseJSDocTypeExpressionForTests: () => parseJSDocTypeExpressionForTests,
        parseJsonConfigFileContent: () => parseJsonConfigFileContent,
        parseJsonSourceFileConfigFileContent: () => parseJsonSourceFileConfigFileContent,
        parseJsonText: () => parseJsonText,
        parseListTypeOption: () => parseListTypeOption,
        parseNodeFactory: () => parseNodeFactory,
        parseNodeModuleFromPath: () => parseNodeModuleFromPath,
        parsePackageName: () => parsePackageName,
        parsePseudoBigInt: () => parsePseudoBigInt,
        parseValidBigInt: () => parseValidBigInt,
        pasteEdits: () => ts_PasteEdits_exports,
        patchWriteFileEnsuringDirectory: () => patchWriteFileEnsuringDirectory,
        pathContainsNodeModules: () => pathContainsNodeModules,
        pathIsAbsolute: () => pathIsAbsolute,
        pathIsBareSpecifier: () => pathIsBareSpecifier,
        pathIsRelative: () => pathIsRelative,
        patternText: () => patternText,
        perfLogger: () => perfLogger,
        performIncrementalCompilation: () => performIncrementalCompilation,
        performance: () => ts_performance_exports,
        plainJSErrors: () => plainJSErrors,
        positionBelongsToNode: () => positionBelongsToNode,
        positionIsASICandidate: () => positionIsASICandidate,
        positionIsSynthesized: () => positionIsSynthesized,
        positionsAreOnSameLine: () => positionsAreOnSameLine,
        preProcessFile: () => preProcessFile,
        probablyUsesSemicolons: () => probablyUsesSemicolons,
        processCommentPragmas: () => processCommentPragmas,
        processPragmasIntoFields: () => processPragmasIntoFields,
        processTaggedTemplateExpression: () => processTaggedTemplateExpression,
        programContainsEsModules: () => programContainsEsModules,
        programContainsModules: () => programContainsModules,
        projectReferenceIsEqualTo: () => projectReferenceIsEqualTo,
        propKeyHelper: () => propKeyHelper,
        propertyNamePart: () => propertyNamePart,
        pseudoBigIntToString: () => pseudoBigIntToString,
        punctuationPart: () => punctuationPart,
        pushIfUnique: () => pushIfUnique,
        quote: () => quote,
        quotePreferenceFromString: () => quotePreferenceFromString,
        rangeContainsPosition: () => rangeContainsPosition,
        rangeContainsPositionExclusive: () => rangeContainsPositionExclusive,
        rangeContainsRange: () => rangeContainsRange,
        rangeContainsRangeExclusive: () => rangeContainsRangeExclusive,
        rangeContainsStartEnd: () => rangeContainsStartEnd,
        rangeEndIsOnSameLineAsRangeStart: () => rangeEndIsOnSameLineAsRangeStart,
        rangeEndPositionsAreOnSameLine: () => rangeEndPositionsAreOnSameLine,
        rangeEquals: () => rangeEquals,
        rangeIsOnSingleLine: () => rangeIsOnSingleLine,
        rangeOfNode: () => rangeOfNode,
        rangeOfTypeParameters: () => rangeOfTypeParameters,
        rangeOverlapsWithStartEnd: () => rangeOverlapsWithStartEnd,
        rangeStartIsOnSameLineAsRangeEnd: () => rangeStartIsOnSameLineAsRangeEnd,
        rangeStartPositionsAreOnSameLine: () => rangeStartPositionsAreOnSameLine,
        readBuilderProgram: () => readBuilderProgram,
        readConfigFile: () => readConfigFile,
        readHelper: () => readHelper,
        readJson: () => readJson,
        readJsonConfigFile: () => readJsonConfigFile,
        readJsonOrUndefined: () => readJsonOrUndefined,
        reduceEachLeadingCommentRange: () => reduceEachLeadingCommentRange,
        reduceEachTrailingCommentRange: () => reduceEachTrailingCommentRange,
        reduceLeft: () => reduceLeft,
        reduceLeftIterator: () => reduceLeftIterator,
        reducePathComponents: () => reducePathComponents,
        refactor: () => ts_refactor_exports,
        regExpEscape: () => regExpEscape,
        regularExpressionFlagToCharacter: () => regularExpressionFlagToCharacter,
        relativeComplement: () => relativeComplement,
        removeAllComments: () => removeAllComments,
        removeEmitHelper: () => removeEmitHelper,
        removeExtension: () => removeExtension,
        removeFileExtension: () => removeFileExtension,
        removeIgnoredPath: () => removeIgnoredPath,
        removeMinAndVersionNumbers: () => removeMinAndVersionNumbers,
        removeOptionality: () => removeOptionality,
        removePrefix: () => removePrefix,
        removeSuffix: () => removeSuffix,
        removeTrailingDirectorySeparator: () => removeTrailingDirectorySeparator,
        repeatString: () => repeatString,
        replaceElement: () => replaceElement,
        replaceFirstStar: () => replaceFirstStar,
        resolutionExtensionIsTSOrJson: () => resolutionExtensionIsTSOrJson,
        resolveConfigFileProjectName: () => resolveConfigFileProjectName,
        resolveJSModule: () => resolveJSModule,
        resolveLibrary: () => resolveLibrary,
        resolveModuleName: () => resolveModuleName,
        resolveModuleNameFromCache: () => resolveModuleNameFromCache,
        resolvePackageNameToPackageJson: () => resolvePackageNameToPackageJson,
        resolvePath: () => resolvePath,
        resolveProjectReferencePath: () => resolveProjectReferencePath,
        resolveTripleslashReference: () => resolveTripleslashReference,
        resolveTypeReferenceDirective: () => resolveTypeReferenceDirective,
        resolvingEmptyArray: () => resolvingEmptyArray,
        restHelper: () => restHelper,
        returnFalse: () => returnFalse,
        returnNoopFileWatcher: () => returnNoopFileWatcher,
        returnTrue: () => returnTrue,
        returnUndefined: () => returnUndefined,
        returnsPromise: () => returnsPromise,
        runInitializersHelper: () => runInitializersHelper,
        sameFlatMap: () => sameFlatMap,
        sameMap: () => sameMap,
        sameMapping: () => sameMapping,
        scanShebangTrivia: () => scanShebangTrivia,
        scanTokenAtPosition: () => scanTokenAtPosition,
        scanner: () => scanner,
        screenStartingMessageCodes: () => screenStartingMessageCodes,
        semanticDiagnosticsOptionDeclarations: () => semanticDiagnosticsOptionDeclarations,
        serializeCompilerOptions: () => serializeCompilerOptions,
        server: () => ts_server_exports4,
        servicesVersion: () => servicesVersion,
        setCommentRange: () => setCommentRange,
        setConfigFileInOptions: () => setConfigFileInOptions,
        setConstantValue: () => setConstantValue,
        setEachParent: () => setEachParent,
        setEmitFlags: () => setEmitFlags,
        setFunctionNameHelper: () => setFunctionNameHelper,
        setGetSourceFileAsHashVersioned: () => setGetSourceFileAsHashVersioned,
        setIdentifierAutoGenerate: () => setIdentifierAutoGenerate,
        setIdentifierGeneratedImportReference: () => setIdentifierGeneratedImportReference,
        setIdentifierTypeArguments: () => setIdentifierTypeArguments,
        setInternalEmitFlags: () => setInternalEmitFlags,
        setLocalizedDiagnosticMessages: () => setLocalizedDiagnosticMessages,
        setModuleDefaultHelper: () => setModuleDefaultHelper,
        setNodeChildren: () => setNodeChildren,
        setNodeFlags: () => setNodeFlags,
        setObjectAllocator: () => setObjectAllocator,
        setOriginalNode: () => setOriginalNode,
        setParent: () => setParent,
        setParentRecursive: () => setParentRecursive,
        setPrivateIdentifier: () => setPrivateIdentifier,
        setSnippetElement: () => setSnippetElement,
        setSourceMapRange: () => setSourceMapRange,
        setStackTraceLimit: () => setStackTraceLimit,
        setStartsOnNewLine: () => setStartsOnNewLine,
        setSyntheticLeadingComments: () => setSyntheticLeadingComments,
        setSyntheticTrailingComments: () => setSyntheticTrailingComments,
        setSys: () => setSys,
        setSysLog: () => setSysLog,
        setTextRange: () => setTextRange,
        setTextRangeEnd: () => setTextRangeEnd,
        setTextRangePos: () => setTextRangePos,
        setTextRangePosEnd: () => setTextRangePosEnd,
        setTextRangePosWidth: () => setTextRangePosWidth,
        setTokenSourceMapRange: () => setTokenSourceMapRange,
        setTypeNode: () => setTypeNode,
        setUILocale: () => setUILocale,
        setValueDeclaration: () => setValueDeclaration,
        shouldAllowImportingTsExtension: () => shouldAllowImportingTsExtension,
        shouldPreserveConstEnums: () => shouldPreserveConstEnums,
        shouldUseUriStyleNodeCoreModules: () => shouldUseUriStyleNodeCoreModules,
        showModuleSpecifier: () => showModuleSpecifier,
        signatureHasLiteralTypes: () => signatureHasLiteralTypes,
        signatureHasRestParameter: () => signatureHasRestParameter,
        signatureToDisplayParts: () => signatureToDisplayParts,
        single: () => single,
        singleElementArray: () => singleElementArray,
        singleIterator: () => singleIterator,
        singleOrMany: () => singleOrMany,
        singleOrUndefined: () => singleOrUndefined,
        skipAlias: () => skipAlias,
        skipAssertions: () => skipAssertions,
        skipConstraint: () => skipConstraint,
        skipOuterExpressions: () => skipOuterExpressions,
        skipParentheses: () => skipParentheses,
        skipPartiallyEmittedExpressions: () => skipPartiallyEmittedExpressions,
        skipTrivia: () => skipTrivia,
        skipTypeChecking: () => skipTypeChecking,
        skipTypeParentheses: () => skipTypeParentheses,
        skipWhile: () => skipWhile,
        sliceAfter: () => sliceAfter,
        some: () => some,
        sort: () => sort,
        sortAndDeduplicate: () => sortAndDeduplicate,
        sortAndDeduplicateDiagnostics: () => sortAndDeduplicateDiagnostics,
        sourceFileAffectingCompilerOptions: () => sourceFileAffectingCompilerOptions,
        sourceFileMayBeEmitted: () => sourceFileMayBeEmitted,
        sourceMapCommentRegExp: () => sourceMapCommentRegExp,
        sourceMapCommentRegExpDontCareLineStart: () => sourceMapCommentRegExpDontCareLineStart,
        spacePart: () => spacePart,
        spanMap: () => spanMap,
        spreadArrayHelper: () => spreadArrayHelper,
        stableSort: () => stableSort,
        startEndContainsRange: () => startEndContainsRange,
        startEndOverlapsWithStartEnd: () => startEndOverlapsWithStartEnd,
        startOnNewLine: () => startOnNewLine,
        startTracing: () => startTracing,
        startsWith: () => startsWith2,
        startsWithDirectory: () => startsWithDirectory,
        startsWithUnderscore: () => startsWithUnderscore,
        startsWithUseStrict: () => startsWithUseStrict,
        stringContainsAt: () => stringContainsAt,
        stringToToken: () => stringToToken,
        stripQuotes: () => stripQuotes,
        supportedDeclarationExtensions: () => supportedDeclarationExtensions,
        supportedJSExtensions: () => supportedJSExtensions,
        supportedJSExtensionsFlat: () => supportedJSExtensionsFlat,
        supportedLocaleDirectories: () => supportedLocaleDirectories,
        supportedTSExtensions: () => supportedTSExtensions,
        supportedTSExtensionsFlat: () => supportedTSExtensionsFlat,
        supportedTSImplementationExtensions: () => supportedTSImplementationExtensions,
        suppressLeadingAndTrailingTrivia: () => suppressLeadingAndTrailingTrivia,
        suppressLeadingTrivia: () => suppressLeadingTrivia,
        suppressTrailingTrivia: () => suppressTrailingTrivia,
        symbolEscapedNameNoDefault: () => symbolEscapedNameNoDefault,
        symbolName: () => symbolName,
        symbolNameNoDefault: () => symbolNameNoDefault,
        symbolPart: () => symbolPart,
        symbolToDisplayParts: () => symbolToDisplayParts,
        syntaxMayBeASICandidate: () => syntaxMayBeASICandidate,
        syntaxRequiresTrailingSemicolonOrASI: () => syntaxRequiresTrailingSemicolonOrASI,
        sys: () => sys,
        sysLog: () => sysLog,
        tagNamesAreEquivalent: () => tagNamesAreEquivalent,
        takeWhile: () => takeWhile,
        targetOptionDeclaration: () => targetOptionDeclaration,
        templateObjectHelper: () => templateObjectHelper,
        testFormatSettings: () => testFormatSettings,
        textChangeRangeIsUnchanged: () => textChangeRangeIsUnchanged,
        textChangeRangeNewSpan: () => textChangeRangeNewSpan,
        textChanges: () => ts_textChanges_exports,
        textOrKeywordPart: () => textOrKeywordPart,
        textPart: () => textPart,
        textRangeContainsPositionInclusive: () => textRangeContainsPositionInclusive,
        textSpanContainsPosition: () => textSpanContainsPosition,
        textSpanContainsTextSpan: () => textSpanContainsTextSpan,
        textSpanEnd: () => textSpanEnd,
        textSpanIntersection: () => textSpanIntersection,
        textSpanIntersectsWith: () => textSpanIntersectsWith,
        textSpanIntersectsWithPosition: () => textSpanIntersectsWithPosition,
        textSpanIntersectsWithTextSpan: () => textSpanIntersectsWithTextSpan,
        textSpanIsEmpty: () => textSpanIsEmpty,
        textSpanOverlap: () => textSpanOverlap,
        textSpanOverlapsWith: () => textSpanOverlapsWith,
        textSpansEqual: () => textSpansEqual,
        textToKeywordObj: () => textToKeywordObj,
        timestamp: () => timestamp,
        toArray: () => toArray,
        toBuilderFileEmit: () => toBuilderFileEmit,
        toBuilderStateFileInfoForMultiEmit: () => toBuilderStateFileInfoForMultiEmit,
        toEditorSettings: () => toEditorSettings,
        toFileNameLowerCase: () => toFileNameLowerCase,
        toLowerCase: () => toLowerCase,
        toPath: () => toPath3,
        toProgramEmitPending: () => toProgramEmitPending,
        tokenIsIdentifierOrKeyword: () => tokenIsIdentifierOrKeyword,
        tokenIsIdentifierOrKeywordOrGreaterThan: () => tokenIsIdentifierOrKeywordOrGreaterThan,
        tokenToString: () => tokenToString,
        trace: () => trace,
        tracing: () => tracing,
        tracingEnabled: () => tracingEnabled,
        transferSourceFileChildren: () => transferSourceFileChildren,
        transform: () => transform,
        transformClassFields: () => transformClassFields,
        transformDeclarations: () => transformDeclarations,
        transformECMAScriptModule: () => transformECMAScriptModule,
        transformES2015: () => transformES2015,
        transformES2016: () => transformES2016,
        transformES2017: () => transformES2017,
        transformES2018: () => transformES2018,
        transformES2019: () => transformES2019,
        transformES2020: () => transformES2020,
        transformES2021: () => transformES2021,
        transformESDecorators: () => transformESDecorators,
        transformESNext: () => transformESNext,
        transformGenerators: () => transformGenerators,
        transformJsx: () => transformJsx,
        transformLegacyDecorators: () => transformLegacyDecorators,
        transformModule: () => transformModule,
        transformNamedEvaluation: () => transformNamedEvaluation,
        transformNodeModule: () => transformNodeModule,
        transformNodes: () => transformNodes,
        transformSystemModule: () => transformSystemModule,
        transformTypeScript: () => transformTypeScript,
        transpile: () => transpile,
        transpileDeclaration: () => transpileDeclaration,
        transpileModule: () => transpileModule,
        transpileOptionValueCompilerOptions: () => transpileOptionValueCompilerOptions,
        tryAddToSet: () => tryAddToSet,
        tryAndIgnoreErrors: () => tryAndIgnoreErrors,
        tryCast: () => tryCast,
        tryDirectoryExists: () => tryDirectoryExists,
        tryExtractTSExtension: () => tryExtractTSExtension,
        tryFileExists: () => tryFileExists,
        tryGetClassExtendingExpressionWithTypeArguments: () => tryGetClassExtendingExpressionWithTypeArguments,
        tryGetClassImplementingOrExtendingExpressionWithTypeArguments: () => tryGetClassImplementingOrExtendingExpressionWithTypeArguments,
        tryGetDirectories: () => tryGetDirectories,
        tryGetExtensionFromPath: () => tryGetExtensionFromPath2,
        tryGetImportFromModuleSpecifier: () => tryGetImportFromModuleSpecifier,
        tryGetJSDocSatisfiesTypeNode: () => tryGetJSDocSatisfiesTypeNode,
        tryGetModuleNameFromFile: () => tryGetModuleNameFromFile,
        tryGetModuleSpecifierFromDeclaration: () => tryGetModuleSpecifierFromDeclaration,
        tryGetNativePerformanceHooks: () => tryGetNativePerformanceHooks,
        tryGetPropertyAccessOrIdentifierToString: () => tryGetPropertyAccessOrIdentifierToString,
        tryGetPropertyNameOfBindingOrAssignmentElement: () => tryGetPropertyNameOfBindingOrAssignmentElement,
        tryGetSourceMappingURL: () => tryGetSourceMappingURL,
        tryGetTextOfPropertyName: () => tryGetTextOfPropertyName,
        tryIOAndConsumeErrors: () => tryIOAndConsumeErrors,
        tryParseJson: () => tryParseJson,
        tryParsePattern: () => tryParsePattern,
        tryParsePatterns: () => tryParsePatterns,
        tryParseRawSourceMap: () => tryParseRawSourceMap,
        tryReadDirectory: () => tryReadDirectory,
        tryReadFile: () => tryReadFile,
        tryRemoveDirectoryPrefix: () => tryRemoveDirectoryPrefix,
        tryRemoveExtension: () => tryRemoveExtension,
        tryRemovePrefix: () => tryRemovePrefix,
        tryRemoveSuffix: () => tryRemoveSuffix,
        typeAcquisitionDeclarations: () => typeAcquisitionDeclarations,
        typeAliasNamePart: () => typeAliasNamePart,
        typeDirectiveIsEqualTo: () => typeDirectiveIsEqualTo,
        typeKeywords: () => typeKeywords,
        typeParameterNamePart: () => typeParameterNamePart,
        typeToDisplayParts: () => typeToDisplayParts,
        unchangedPollThresholds: () => unchangedPollThresholds,
        unchangedTextChangeRange: () => unchangedTextChangeRange,
        unescapeLeadingUnderscores: () => unescapeLeadingUnderscores,
        unmangleScopedPackageName: () => unmangleScopedPackageName,
        unorderedRemoveItem: () => unorderedRemoveItem,
        unorderedRemoveItemAt: () => unorderedRemoveItemAt,
        unreachableCodeIsError: () => unreachableCodeIsError,
        unsetNodeChildren: () => unsetNodeChildren,
        unusedLabelIsError: () => unusedLabelIsError,
        unwrapInnermostStatementOfLabel: () => unwrapInnermostStatementOfLabel,
        unwrapParenthesizedExpression: () => unwrapParenthesizedExpression,
        updateErrorForNoInputFiles: () => updateErrorForNoInputFiles,
        updateLanguageServiceSourceFile: () => updateLanguageServiceSourceFile,
        updateMissingFilePathsWatch: () => updateMissingFilePathsWatch,
        updateResolutionField: () => updateResolutionField,
        updateSharedExtendedConfigFileWatcher: () => updateSharedExtendedConfigFileWatcher,
        updateSourceFile: () => updateSourceFile,
        updateWatchingWildcardDirectories: () => updateWatchingWildcardDirectories,
        usesExtensionsOnImports: () => usesExtensionsOnImports,
        usingSingleLineStringWriter: () => usingSingleLineStringWriter,
        utf16EncodeAsString: () => utf16EncodeAsString,
        validateLocaleAndSetLanguage: () => validateLocaleAndSetLanguage,
        valuesHelper: () => valuesHelper,
        version: () => version,
        versionMajorMinor: () => versionMajorMinor,
        visitArray: () => visitArray,
        visitCommaListElements: () => visitCommaListElements,
        visitEachChild: () => visitEachChild,
        visitFunctionBody: () => visitFunctionBody,
        visitIterationBody: () => visitIterationBody,
        visitLexicalEnvironment: () => visitLexicalEnvironment,
        visitNode: () => visitNode,
        visitNodes: () => visitNodes2,
        visitParameterList: () => visitParameterList,
        walkUpBindingElementsAndPatterns: () => walkUpBindingElementsAndPatterns,
        walkUpLexicalEnvironments: () => walkUpLexicalEnvironments,
        walkUpOuterExpressions: () => walkUpOuterExpressions,
        walkUpParenthesizedExpressions: () => walkUpParenthesizedExpressions,
        walkUpParenthesizedTypes: () => walkUpParenthesizedTypes,
        walkUpParenthesizedTypesAndGetParentAndChild: () => walkUpParenthesizedTypesAndGetParentAndChild,
        whitespaceOrMapCommentRegExp: () => whitespaceOrMapCommentRegExp,
        writeCommentRange: () => writeCommentRange,
        writeFile: () => writeFile,
        writeFileEnsuringDirectories: () => writeFileEnsuringDirectories,
        zipWith: () => zipWith
      });
      module3.exports = __toCommonJS2(typescript_exports);
      var versionMajorMinor = "5.5";
      var version = "5.5.4";
      var Comparison = /* @__PURE__ */ ((Comparison3) => {
        Comparison3[Comparison3["LessThan"] = -1] = "LessThan";
        Comparison3[Comparison3["EqualTo"] = 0] = "EqualTo";
        Comparison3[Comparison3["GreaterThan"] = 1] = "GreaterThan";
        return Comparison3;
      })(Comparison || {});
      var emptyArray = [];
      var emptyMap = /* @__PURE__ */ new Map();
      var emptySet = /* @__PURE__ */ new Set();
      function length(array) {
        return array ? array.length : 0;
      }
      function forEach(array, callback) {
        if (array) {
          for (let i = 0; i < array.length; i++) {
            const result = callback(array[i], i);
            if (result) {
              return result;
            }
          }
        }
        return void 0;
      }
      function forEachRight(array, callback) {
        if (array) {
          for (let i = array.length - 1; i >= 0; i--) {
            const result = callback(array[i], i);
            if (result) {
              return result;
            }
          }
        }
        return void 0;
      }
      function firstDefined(array, callback) {
        if (array === void 0) {
          return void 0;
        }
        for (let i = 0; i < array.length; i++) {
          const result = callback(array[i], i);
          if (result !== void 0) {
            return result;
          }
        }
        return void 0;
      }
      function firstDefinedIterator(iter, callback) {
        for (const value of iter) {
          const result = callback(value);
          if (result !== void 0) {
            return result;
          }
        }
        return void 0;
      }
      function reduceLeftIterator(iterator, f, initial) {
        let result = initial;
        if (iterator) {
          let pos = 0;
          for (const value of iterator) {
            result = f(result, value, pos);
            pos++;
          }
        }
        return result;
      }
      function zipWith(arrayA, arrayB, callback) {
        const result = [];
        Debug.assertEqual(arrayA.length, arrayB.length);
        for (let i = 0; i < arrayA.length; i++) {
          result.push(callback(arrayA[i], arrayB[i], i));
        }
        return result;
      }
      function intersperse(input, element) {
        if (input.length <= 1) {
          return input;
        }
        const result = [];
        for (let i = 0, n = input.length; i < n; i++) {
          if (i) result.push(element);
          result.push(input[i]);
        }
        return result;
      }
      function every(array, callback) {
        if (array) {
          for (let i = 0; i < array.length; i++) {
            if (!callback(array[i], i)) {
              return false;
            }
          }
        }
        return true;
      }
      function find(array, predicate, startIndex) {
        if (array === void 0) return void 0;
        for (let i = startIndex ?? 0; i < array.length; i++) {
          const value = array[i];
          if (predicate(value, i)) {
            return value;
          }
        }
        return void 0;
      }
      function findLast(array, predicate, startIndex) {
        if (array === void 0) return void 0;
        for (let i = startIndex ?? array.length - 1; i >= 0; i--) {
          const value = array[i];
          if (predicate(value, i)) {
            return value;
          }
        }
        return void 0;
      }
      function findIndex(array, predicate, startIndex) {
        if (array === void 0) return -1;
        for (let i = startIndex ?? 0; i < array.length; i++) {
          if (predicate(array[i], i)) {
            return i;
          }
        }
        return -1;
      }
      function findLastIndex(array, predicate, startIndex) {
        if (array === void 0) return -1;
        for (let i = startIndex ?? array.length - 1; i >= 0; i--) {
          if (predicate(array[i], i)) {
            return i;
          }
        }
        return -1;
      }
      function findMap(array, callback) {
        for (let i = 0; i < array.length; i++) {
          const result = callback(array[i], i);
          if (result) {
            return result;
          }
        }
        return Debug.fail();
      }
      function contains(array, value, equalityComparer = equateValues) {
        if (array) {
          for (const v of array) {
            if (equalityComparer(v, value)) {
              return true;
            }
          }
        }
        return false;
      }
      function arraysEqual(a, b, equalityComparer = equateValues) {
        return a.length === b.length && a.every((x, i) => equalityComparer(x, b[i]));
      }
      function indexOfAnyCharCode(text, charCodes, start) {
        for (let i = start || 0; i < text.length; i++) {
          if (contains(charCodes, text.charCodeAt(i))) {
            return i;
          }
        }
        return -1;
      }
      function countWhere(array, predicate) {
        let count = 0;
        if (array) {
          for (let i = 0; i < array.length; i++) {
            const v = array[i];
            if (predicate(v, i)) {
              count++;
            }
          }
        }
        return count;
      }
      function filter(array, f) {
        if (array) {
          const len = array.length;
          let i = 0;
          while (i < len && f(array[i])) i++;
          if (i < len) {
            const result = array.slice(0, i);
            i++;
            while (i < len) {
              const item = array[i];
              if (f(item)) {
                result.push(item);
              }
              i++;
            }
            return result;
          }
        }
        return array;
      }
      function filterMutate(array, f) {
        let outIndex = 0;
        for (let i = 0; i < array.length; i++) {
          if (f(array[i], i, array)) {
            array[outIndex] = array[i];
            outIndex++;
          }
        }
        array.length = outIndex;
      }
      function clear(array) {
        array.length = 0;
      }
      function map(array, f) {
        let result;
        if (array) {
          result = [];
          for (let i = 0; i < array.length; i++) {
            result.push(f(array[i], i));
          }
        }
        return result;
      }
      function* mapIterator(iter, mapFn) {
        for (const x of iter) {
          yield mapFn(x);
        }
      }
      function sameMap(array, f) {
        if (array) {
          for (let i = 0; i < array.length; i++) {
            const item = array[i];
            const mapped = f(item, i);
            if (item !== mapped) {
              const result = array.slice(0, i);
              result.push(mapped);
              for (i++; i < array.length; i++) {
                result.push(f(array[i], i));
              }
              return result;
            }
          }
        }
        return array;
      }
      function flatten(array) {
        const result = [];
        for (const v of array) {
          if (v) {
            if (isArray3(v)) {
              addRange(result, v);
            } else {
              result.push(v);
            }
          }
        }
        return result;
      }
      function flatMap(array, mapfn) {
        let result;
        if (array) {
          for (let i = 0; i < array.length; i++) {
            const v = mapfn(array[i], i);
            if (v) {
              if (isArray3(v)) {
                result = addRange(result, v);
              } else {
                result = append(result, v);
              }
            }
          }
        }
        return result || emptyArray;
      }
      function flatMapToMutable(array, mapfn) {
        const result = [];
        if (array) {
          for (let i = 0; i < array.length; i++) {
            const v = mapfn(array[i], i);
            if (v) {
              if (isArray3(v)) {
                addRange(result, v);
              } else {
                result.push(v);
              }
            }
          }
        }
        return result;
      }
      function* flatMapIterator(iter, mapfn) {
        for (const x of iter) {
          const iter2 = mapfn(x);
          if (!iter2) continue;
          yield* iter2;
        }
      }
      function sameFlatMap(array, mapfn) {
        let result;
        if (array) {
          for (let i = 0; i < array.length; i++) {
            const item = array[i];
            const mapped = mapfn(item, i);
            if (result || item !== mapped || isArray3(mapped)) {
              if (!result) {
                result = array.slice(0, i);
              }
              if (isArray3(mapped)) {
                addRange(result, mapped);
              } else {
                result.push(mapped);
              }
            }
          }
        }
        return result || array;
      }
      function mapAllOrFail(array, mapFn) {
        const result = [];
        for (let i = 0; i < array.length; i++) {
          const mapped = mapFn(array[i], i);
          if (mapped === void 0) {
            return void 0;
          }
          result.push(mapped);
        }
        return result;
      }
      function mapDefined(array, mapFn) {
        const result = [];
        if (array) {
          for (let i = 0; i < array.length; i++) {
            const mapped = mapFn(array[i], i);
            if (mapped !== void 0) {
              result.push(mapped);
            }
          }
        }
        return result;
      }
      function* mapDefinedIterator(iter, mapFn) {
        for (const x of iter) {
          const value = mapFn(x);
          if (value !== void 0) {
            yield value;
          }
        }
      }
      function mapDefinedEntries(map2, f) {
        if (!map2) {
          return void 0;
        }
        const result = /* @__PURE__ */ new Map();
        map2.forEach((value, key) => {
          const entry = f(key, value);
          if (entry !== void 0) {
            const [newKey, newValue] = entry;
            if (newKey !== void 0 && newValue !== void 0) {
              result.set(newKey, newValue);
            }
          }
        });
        return result;
      }
      function getOrUpdate(map2, key, callback) {
        if (map2.has(key)) {
          return map2.get(key);
        }
        const value = callback();
        map2.set(key, value);
        return value;
      }
      function tryAddToSet(set, value) {
        if (!set.has(value)) {
          set.add(value);
          return true;
        }
        return false;
      }
      function* singleIterator(value) {
        yield value;
      }
      function spanMap(array, keyfn, mapfn) {
        let result;
        if (array) {
          result = [];
          const len = array.length;
          let previousKey;
          let key;
          let start = 0;
          let pos = 0;
          while (start < len) {
            while (pos < len) {
              const value = array[pos];
              key = keyfn(value, pos);
              if (pos === 0) {
                previousKey = key;
              } else if (key !== previousKey) {
                break;
              }
              pos++;
            }
            if (start < pos) {
              const v = mapfn(array.slice(start, pos), previousKey, start, pos);
              if (v) {
                result.push(v);
              }
              start = pos;
            }
            previousKey = key;
            pos++;
          }
        }
        return result;
      }
      function mapEntries(map2, f) {
        if (!map2) {
          return void 0;
        }
        const result = /* @__PURE__ */ new Map();
        map2.forEach((value, key) => {
          const [newKey, newValue] = f(key, value);
          result.set(newKey, newValue);
        });
        return result;
      }
      function some(array, predicate) {
        if (array) {
          if (predicate) {
            for (const v of array) {
              if (predicate(v)) {
                return true;
              }
            }
          } else {
            return array.length > 0;
          }
        }
        return false;
      }
      function getRangesWhere(arr, pred, cb) {
        let start;
        for (let i = 0; i < arr.length; i++) {
          if (pred(arr[i])) {
            start = start === void 0 ? i : start;
          } else {
            if (start !== void 0) {
              cb(start, i);
              start = void 0;
            }
          }
        }
        if (start !== void 0) cb(start, arr.length);
      }
      function concatenate(array1, array2) {
        if (!some(array2)) return array1;
        if (!some(array1)) return array2;
        return [...array1, ...array2];
      }
      function selectIndex(_, i) {
        return i;
      }
      function indicesOf(array) {
        return array.map(selectIndex);
      }
      function deduplicateRelational(array, equalityComparer, comparer) {
        const indices = indicesOf(array);
        stableSortIndices(array, indices, comparer);
        let last2 = array[indices[0]];
        const deduplicated = [indices[0]];
        for (let i = 1; i < indices.length; i++) {
          const index = indices[i];
          const item = array[index];
          if (!equalityComparer(last2, item)) {
            deduplicated.push(index);
            last2 = item;
          }
        }
        deduplicated.sort();
        return deduplicated.map((i) => array[i]);
      }
      function deduplicateEquality(array, equalityComparer) {
        const result = [];
        for (const item of array) {
          pushIfUnique(result, item, equalityComparer);
        }
        return result;
      }
      function deduplicate(array, equalityComparer, comparer) {
        return array.length === 0 ? [] : array.length === 1 ? array.slice() : comparer ? deduplicateRelational(array, equalityComparer, comparer) : deduplicateEquality(array, equalityComparer);
      }
      function deduplicateSorted(array, comparer) {
        if (array.length === 0) return emptyArray;
        let last2 = array[0];
        const deduplicated = [last2];
        for (let i = 1; i < array.length; i++) {
          const next = array[i];
          switch (comparer(next, last2)) {
            case true:
            case 0:
              continue;
            case -1:
              return Debug.fail("Array is unsorted.");
          }
          deduplicated.push(last2 = next);
        }
        return deduplicated;
      }
      function createSortedArray() {
        return [];
      }
      function insertSorted(array, insert, compare, equalityComparer, allowDuplicates) {
        if (array.length === 0) {
          array.push(insert);
          return true;
        }
        const insertIndex = binarySearch(array, insert, identity2, compare);
        if (insertIndex < 0) {
          if (equalityComparer && !allowDuplicates) {
            const idx = ~insertIndex;
            if (idx > 0 && equalityComparer(insert, array[idx - 1])) {
              return false;
            }
            if (idx < array.length && equalityComparer(insert, array[idx])) {
              array.splice(idx, 1, insert);
              return true;
            }
          }
          array.splice(~insertIndex, 0, insert);
          return true;
        }
        if (allowDuplicates) {
          array.splice(insertIndex, 0, insert);
          return true;
        }
        return false;
      }
      function sortAndDeduplicate(array, comparer, equalityComparer) {
        return deduplicateSorted(sort(array, comparer), equalityComparer || comparer || compareStringsCaseSensitive);
      }
      function arrayIsSorted(array, comparer) {
        if (array.length < 2) return true;
        for (let i = 1, len = array.length; i < len; i++) {
          if (comparer(array[i - 1], array[i]) === 1) {
            return false;
          }
        }
        return true;
      }
      function arrayIsEqualTo(array1, array2, equalityComparer = equateValues) {
        if (!array1 || !array2) {
          return array1 === array2;
        }
        if (array1.length !== array2.length) {
          return false;
        }
        for (let i = 0; i < array1.length; i++) {
          if (!equalityComparer(array1[i], array2[i], i)) {
            return false;
          }
        }
        return true;
      }
      function compact(array) {
        let result;
        if (array) {
          for (let i = 0; i < array.length; i++) {
            const v = array[i];
            if (result || !v) {
              if (!result) {
                result = array.slice(0, i);
              }
              if (v) {
                result.push(v);
              }
            }
          }
        }
        return result || array;
      }
      function relativeComplement(arrayA, arrayB, comparer) {
        if (!arrayB || !arrayA || arrayB.length === 0 || arrayA.length === 0) return arrayB;
        const result = [];
        loopB:
          for (let offsetA = 0, offsetB = 0; offsetB < arrayB.length; offsetB++) {
            if (offsetB > 0) {
              Debug.assertGreaterThanOrEqual(
                comparer(arrayB[offsetB], arrayB[offsetB - 1]),
                0
                /* EqualTo */
              );
            }
            loopA:
              for (const startA = offsetA; offsetA < arrayA.length; offsetA++) {
                if (offsetA > startA) {
                  Debug.assertGreaterThanOrEqual(
                    comparer(arrayA[offsetA], arrayA[offsetA - 1]),
                    0
                    /* EqualTo */
                  );
                }
                switch (comparer(arrayB[offsetB], arrayA[offsetA])) {
                  case -1:
                    result.push(arrayB[offsetB]);
                    continue loopB;
                  case 0:
                    continue loopB;
                  case 1:
                    continue loopA;
                }
              }
          }
        return result;
      }
      function append(to, value) {
        if (value === void 0) return to;
        if (to === void 0) return [value];
        to.push(value);
        return to;
      }
      function combine(xs, ys) {
        if (xs === void 0) return ys;
        if (ys === void 0) return xs;
        if (isArray3(xs)) return isArray3(ys) ? concatenate(xs, ys) : append(xs, ys);
        if (isArray3(ys)) return append(ys, xs);
        return [xs, ys];
      }
      function toOffset(array, offset) {
        return offset < 0 ? array.length + offset : offset;
      }
      function addRange(to, from, start, end) {
        if (from === void 0 || from.length === 0) return to;
        if (to === void 0) return from.slice(start, end);
        start = start === void 0 ? 0 : toOffset(from, start);
        end = end === void 0 ? from.length : toOffset(from, end);
        for (let i = start; i < end && i < from.length; i++) {
          if (from[i] !== void 0) {
            to.push(from[i]);
          }
        }
        return to;
      }
      function pushIfUnique(array, toAdd, equalityComparer) {
        if (contains(array, toAdd, equalityComparer)) {
          return false;
        } else {
          array.push(toAdd);
          return true;
        }
      }
      function appendIfUnique(array, toAdd, equalityComparer) {
        if (array) {
          pushIfUnique(array, toAdd, equalityComparer);
          return array;
        } else {
          return [toAdd];
        }
      }
      function stableSortIndices(array, indices, comparer) {
        indices.sort((x, y) => comparer(array[x], array[y]) || compareValues(x, y));
      }
      function sort(array, comparer) {
        return array.length === 0 ? array : array.slice().sort(comparer);
      }
      function* arrayReverseIterator(array) {
        for (let i = array.length - 1; i >= 0; i--) {
          yield array[i];
        }
      }
      function stableSort(array, comparer) {
        const indices = indicesOf(array);
        stableSortIndices(array, indices, comparer);
        return indices.map((i) => array[i]);
      }
      function rangeEquals(array1, array2, pos, end) {
        while (pos < end) {
          if (array1[pos] !== array2[pos]) {
            return false;
          }
          pos++;
        }
        return true;
      }
      var elementAt = !!Array.prototype.at ? (array, offset) => array == null ? void 0 : array.at(offset) : (array, offset) => {
        if (array) {
          offset = toOffset(array, offset);
          if (offset < array.length) {
            return array[offset];
          }
        }
        return void 0;
      };
      function firstOrUndefined(array) {
        return array === void 0 || array.length === 0 ? void 0 : array[0];
      }
      function firstOrUndefinedIterator(iter) {
        if (iter) {
          for (const value of iter) {
            return value;
          }
        }
        return void 0;
      }
      function first(array) {
        Debug.assert(array.length !== 0);
        return array[0];
      }
      function firstIterator(iter) {
        for (const value of iter) {
          return value;
        }
        Debug.fail("iterator is empty");
      }
      function lastOrUndefined(array) {
        return array === void 0 || array.length === 0 ? void 0 : array[array.length - 1];
      }
      function last(array) {
        Debug.assert(array.length !== 0);
        return array[array.length - 1];
      }
      function singleOrUndefined(array) {
        return array && array.length === 1 ? array[0] : void 0;
      }
      function single(array) {
        return Debug.checkDefined(singleOrUndefined(array));
      }
      function singleOrMany(array) {
        return array && array.length === 1 ? array[0] : array;
      }
      function replaceElement(array, index, value) {
        const result = array.slice(0);
        result[index] = value;
        return result;
      }
      function binarySearch(array, value, keySelector, keyComparer, offset) {
        return binarySearchKey(array, keySelector(value), keySelector, keyComparer, offset);
      }
      function binarySearchKey(array, key, keySelector, keyComparer, offset) {
        if (!some(array)) {
          return -1;
        }
        let low = offset || 0;
        let high = array.length - 1;
        while (low <= high) {
          const middle = low + (high - low >> 1);
          const midKey = keySelector(array[middle], middle);
          switch (keyComparer(midKey, key)) {
            case -1:
              low = middle + 1;
              break;
            case 0:
              return middle;
            case 1:
              high = middle - 1;
              break;
          }
        }
        return ~low;
      }
      function reduceLeft(array, f, initial, start, count) {
        if (array && array.length > 0) {
          const size = array.length;
          if (size > 0) {
            let pos = start === void 0 || start < 0 ? 0 : start;
            const end = count === void 0 || pos + count > size - 1 ? size - 1 : pos + count;
            let result;
            if (arguments.length <= 2) {
              result = array[pos];
              pos++;
            } else {
              result = initial;
            }
            while (pos <= end) {
              result = f(result, array[pos], pos);
              pos++;
            }
            return result;
          }
        }
        return initial;
      }
      var hasOwnProperty10 = Object.prototype.hasOwnProperty;
      function hasProperty(map2, key) {
        return hasOwnProperty10.call(map2, key);
      }
      function getProperty(map2, key) {
        return hasOwnProperty10.call(map2, key) ? map2[key] : void 0;
      }
      function getOwnKeys(map2) {
        const keys2 = [];
        for (const key in map2) {
          if (hasOwnProperty10.call(map2, key)) {
            keys2.push(key);
          }
        }
        return keys2;
      }
      function getAllKeys(obj) {
        const result = [];
        do {
          const names = Object.getOwnPropertyNames(obj);
          for (const name of names) {
            pushIfUnique(result, name);
          }
        } while (obj = Object.getPrototypeOf(obj));
        return result;
      }
      function getOwnValues(collection) {
        const values = [];
        for (const key in collection) {
          if (hasOwnProperty10.call(collection, key)) {
            values.push(collection[key]);
          }
        }
        return values;
      }
      function arrayOf(count, f) {
        const result = new Array(count);
        for (let i = 0; i < count; i++) {
          result[i] = f(i);
        }
        return result;
      }
      function arrayFrom(iterator, map2) {
        const result = [];
        for (const value of iterator) {
          result.push(map2 ? map2(value) : value);
        }
        return result;
      }
      function assign(t, ...args) {
        for (const arg of args) {
          if (arg === void 0) continue;
          for (const p in arg) {
            if (hasProperty(arg, p)) {
              t[p] = arg[p];
            }
          }
        }
        return t;
      }
      function equalOwnProperties(left, right, equalityComparer = equateValues) {
        if (left === right) return true;
        if (!left || !right) return false;
        for (const key in left) {
          if (hasOwnProperty10.call(left, key)) {
            if (!hasOwnProperty10.call(right, key)) return false;
            if (!equalityComparer(left[key], right[key])) return false;
          }
        }
        for (const key in right) {
          if (hasOwnProperty10.call(right, key)) {
            if (!hasOwnProperty10.call(left, key)) return false;
          }
        }
        return true;
      }
      function arrayToMap(array, makeKey, makeValue = identity2) {
        const result = /* @__PURE__ */ new Map();
        for (const value of array) {
          const key = makeKey(value);
          if (key !== void 0) result.set(key, makeValue(value));
        }
        return result;
      }
      function arrayToNumericMap(array, makeKey, makeValue = identity2) {
        const result = [];
        for (const value of array) {
          result[makeKey(value)] = makeValue(value);
        }
        return result;
      }
      function arrayToMultiMap(values, makeKey, makeValue = identity2) {
        const result = createMultiMap();
        for (const value of values) {
          result.add(makeKey(value), makeValue(value));
        }
        return result;
      }
      function group(values, getGroupId, resultSelector = identity2) {
        return arrayFrom(arrayToMultiMap(values, getGroupId).values(), resultSelector);
      }
      function groupBy(values, keySelector) {
        const result = {};
        if (values) {
          for (const value of values) {
            const key = `${keySelector(value)}`;
            const array = result[key] ?? (result[key] = []);
            array.push(value);
          }
        }
        return result;
      }
      function clone(object) {
        const result = {};
        for (const id in object) {
          if (hasOwnProperty10.call(object, id)) {
            result[id] = object[id];
          }
        }
        return result;
      }
      function extend(first2, second) {
        const result = {};
        for (const id in second) {
          if (hasOwnProperty10.call(second, id)) {
            result[id] = second[id];
          }
        }
        for (const id in first2) {
          if (hasOwnProperty10.call(first2, id)) {
            result[id] = first2[id];
          }
        }
        return result;
      }
      function copyProperties(first2, second) {
        for (const id in second) {
          if (hasOwnProperty10.call(second, id)) {
            first2[id] = second[id];
          }
        }
      }
      function maybeBind(obj, fn) {
        return fn ? fn.bind(obj) : void 0;
      }
      function createMultiMap() {
        const map2 = /* @__PURE__ */ new Map();
        map2.add = multiMapAdd;
        map2.remove = multiMapRemove;
        return map2;
      }
      function multiMapAdd(key, value) {
        let values = this.get(key);
        if (values) {
          values.push(value);
        } else {
          this.set(key, values = [value]);
        }
        return values;
      }
      function multiMapRemove(key, value) {
        const values = this.get(key);
        if (values) {
          unorderedRemoveItem(values, value);
          if (!values.length) {
            this.delete(key);
          }
        }
      }
      function createQueue(items) {
        const elements = (items == null ? void 0 : items.slice()) || [];
        let headIndex = 0;
        function isEmpty2() {
          return headIndex === elements.length;
        }
        function enqueue(...items2) {
          elements.push(...items2);
        }
        function dequeue() {
          if (isEmpty2()) {
            throw new Error("Queue is empty");
          }
          const result = elements[headIndex];
          elements[headIndex] = void 0;
          headIndex++;
          if (headIndex > 100 && headIndex > elements.length >> 1) {
            const newLength = elements.length - headIndex;
            elements.copyWithin(
              /*target*/
              0,
              /*start*/
              headIndex
            );
            elements.length = newLength;
            headIndex = 0;
          }
          return result;
        }
        return {
          enqueue,
          dequeue,
          isEmpty: isEmpty2
        };
      }
      function createSet(getHashCode, equals) {
        const multiMap = /* @__PURE__ */ new Map();
        let size = 0;
        function* getElementIterator() {
          for (const value of multiMap.values()) {
            if (isArray3(value)) {
              yield* value;
            } else {
              yield value;
            }
          }
        }
        const set = {
          has(element) {
            const hash = getHashCode(element);
            if (!multiMap.has(hash)) return false;
            const candidates = multiMap.get(hash);
            if (!isArray3(candidates)) return equals(candidates, element);
            for (const candidate of candidates) {
              if (equals(candidate, element)) {
                return true;
              }
            }
            return false;
          },
          add(element) {
            const hash = getHashCode(element);
            if (multiMap.has(hash)) {
              const values = multiMap.get(hash);
              if (isArray3(values)) {
                if (!contains(values, element, equals)) {
                  values.push(element);
                  size++;
                }
              } else {
                const value = values;
                if (!equals(value, element)) {
                  multiMap.set(hash, [value, element]);
                  size++;
                }
              }
            } else {
              multiMap.set(hash, element);
              size++;
            }
            return this;
          },
          delete(element) {
            const hash = getHashCode(element);
            if (!multiMap.has(hash)) return false;
            const candidates = multiMap.get(hash);
            if (isArray3(candidates)) {
              for (let i = 0; i < candidates.length; i++) {
                if (equals(candidates[i], element)) {
                  if (candidates.length === 1) {
                    multiMap.delete(hash);
                  } else if (candidates.length === 2) {
                    multiMap.set(hash, candidates[1 - i]);
                  } else {
                    unorderedRemoveItemAt(candidates, i);
                  }
                  size--;
                  return true;
                }
              }
            } else {
              const candidate = candidates;
              if (equals(candidate, element)) {
                multiMap.delete(hash);
                size--;
                return true;
              }
            }
            return false;
          },
          clear() {
            multiMap.clear();
            size = 0;
          },
          get size() {
            return size;
          },
          forEach(action) {
            for (const elements of arrayFrom(multiMap.values())) {
              if (isArray3(elements)) {
                for (const element of elements) {
                  action(element, element, set);
                }
              } else {
                const element = elements;
                action(element, element, set);
              }
            }
          },
          keys() {
            return getElementIterator();
          },
          values() {
            return getElementIterator();
          },
          *entries() {
            for (const value of getElementIterator()) {
              yield [value, value];
            }
          },
          [Symbol.iterator]: () => {
            return getElementIterator();
          },
          [Symbol.toStringTag]: multiMap[Symbol.toStringTag]
        };
        return set;
      }
      function isArray3(value) {
        return Array.isArray(value);
      }
      function toArray(value) {
        return isArray3(value) ? value : [value];
      }
      function isString2(text) {
        return typeof text === "string";
      }
      function isNumber2(x) {
        return typeof x === "number";
      }
      function tryCast(value, test) {
        return value !== void 0 && test(value) ? value : void 0;
      }
      function cast(value, test) {
        if (value !== void 0 && test(value)) return value;
        return Debug.fail(`Invalid cast. The supplied value ${value} did not pass the test '${Debug.getFunctionName(test)}'.`);
      }
      function noop2(_) {
      }
      function returnFalse() {
        return false;
      }
      function returnTrue() {
        return true;
      }
      function returnUndefined() {
        return void 0;
      }
      function identity2(x) {
        return x;
      }
      function toLowerCase(x) {
        return x.toLowerCase();
      }
      var fileNameLowerCaseRegExp = /[^\u0130\u0131\u00DFa-z0-9\\/:\-_. ]+/g;
      function toFileNameLowerCase(x) {
        return fileNameLowerCaseRegExp.test(x) ? x.replace(fileNameLowerCaseRegExp, toLowerCase) : x;
      }
      function notImplemented() {
        throw new Error("Not implemented");
      }
      function memoize(callback) {
        let value;
        return () => {
          if (callback) {
            value = callback();
            callback = void 0;
          }
          return value;
        };
      }
      function memoizeOne(callback) {
        const map2 = /* @__PURE__ */ new Map();
        return (arg) => {
          const key = `${typeof arg}:${arg}`;
          let value = map2.get(key);
          if (value === void 0 && !map2.has(key)) {
            value = callback(arg);
            map2.set(key, value);
          }
          return value;
        };
      }
      function memoizeWeak(callback) {
        const map2 = /* @__PURE__ */ new WeakMap();
        return (arg) => {
          let value = map2.get(arg);
          if (value === void 0 && !map2.has(arg)) {
            value = callback(arg);
            map2.set(arg, value);
          }
          return value;
        };
      }
      function memoizeCached(callback, cache) {
        return (...args) => {
          let value = cache.get(args);
          if (value === void 0 && !cache.has(args)) {
            value = callback(...args);
            cache.set(args, value);
          }
          return value;
        };
      }
      function compose(a, b, c, d, e) {
        if (!!e) {
          const args = [];
          for (let i = 0; i < arguments.length; i++) {
            args[i] = arguments[i];
          }
          return (t) => reduceLeft(args, (u, f) => f(u), t);
        } else if (d) {
          return (t) => d(c(b(a(t))));
        } else if (c) {
          return (t) => c(b(a(t)));
        } else if (b) {
          return (t) => b(a(t));
        } else if (a) {
          return (t) => a(t);
        } else {
          return (t) => t;
        }
      }
      var AssertionLevel = /* @__PURE__ */ ((AssertionLevel2) => {
        AssertionLevel2[AssertionLevel2["None"] = 0] = "None";
        AssertionLevel2[AssertionLevel2["Normal"] = 1] = "Normal";
        AssertionLevel2[AssertionLevel2["Aggressive"] = 2] = "Aggressive";
        AssertionLevel2[AssertionLevel2["VeryAggressive"] = 3] = "VeryAggressive";
        return AssertionLevel2;
      })(AssertionLevel || {});
      function equateValues(a, b) {
        return a === b;
      }
      function equateStringsCaseInsensitive(a, b) {
        return a === b || a !== void 0 && b !== void 0 && a.toUpperCase() === b.toUpperCase();
      }
      function equateStringsCaseSensitive(a, b) {
        return equateValues(a, b);
      }
      function compareComparableValues(a, b) {
        return a === b ? 0 : a === void 0 ? -1 : b === void 0 ? 1 : a < b ? -1 : 1;
      }
      function compareValues(a, b) {
        return compareComparableValues(a, b);
      }
      function compareTextSpans(a, b) {
        return compareValues(a == null ? void 0 : a.start, b == null ? void 0 : b.start) || compareValues(a == null ? void 0 : a.length, b == null ? void 0 : b.length);
      }
      function min(items, compare) {
        return reduceLeft(items, (x, y) => compare(x, y) === -1 ? x : y);
      }
      function compareStringsCaseInsensitive(a, b) {
        if (a === b) return 0;
        if (a === void 0) return -1;
        if (b === void 0) return 1;
        a = a.toUpperCase();
        b = b.toUpperCase();
        return a < b ? -1 : a > b ? 1 : 0;
      }
      function compareStringsCaseInsensitiveEslintCompatible(a, b) {
        if (a === b) return 0;
        if (a === void 0) return -1;
        if (b === void 0) return 1;
        a = a.toLowerCase();
        b = b.toLowerCase();
        return a < b ? -1 : a > b ? 1 : 0;
      }
      function compareStringsCaseSensitive(a, b) {
        return compareComparableValues(a, b);
      }
      function getStringComparer(ignoreCase) {
        return ignoreCase ? compareStringsCaseInsensitive : compareStringsCaseSensitive;
      }
      var createUIStringComparer = /* @__PURE__ */ (() => {
        return createIntlCollatorStringComparer;
        function compareWithCallback(a, b, comparer) {
          if (a === b) return 0;
          if (a === void 0) return -1;
          if (b === void 0) return 1;
          const value = comparer(a, b);
          return value < 0 ? -1 : value > 0 ? 1 : 0;
        }
        function createIntlCollatorStringComparer(locale) {
          const comparer = new Intl.Collator(locale, { usage: "sort", sensitivity: "variant", numeric: true }).compare;
          return (a, b) => compareWithCallback(a, b, comparer);
        }
      })();
      var uiComparerCaseSensitive;
      var uiLocale;
      function getUILocale() {
        return uiLocale;
      }
      function setUILocale(value) {
        if (uiLocale !== value) {
          uiLocale = value;
          uiComparerCaseSensitive = void 0;
        }
      }
      function compareStringsCaseSensitiveUI(a, b) {
        const comparer = uiComparerCaseSensitive || (uiComparerCaseSensitive = createUIStringComparer(uiLocale));
        return comparer(a, b);
      }
      function compareProperties(a, b, key, comparer) {
        return a === b ? 0 : a === void 0 ? -1 : b === void 0 ? 1 : comparer(a[key], b[key]);
      }
      function compareBooleans(a, b) {
        return compareValues(a ? 1 : 0, b ? 1 : 0);
      }
      function getSpellingSuggestion(name, candidates, getName) {
        const maximumLengthDifference = Math.max(2, Math.floor(name.length * 0.34));
        let bestDistance = Math.floor(name.length * 0.4) + 1;
        let bestCandidate;
        for (const candidate of candidates) {
          const candidateName = getName(candidate);
          if (candidateName !== void 0 && Math.abs(candidateName.length - name.length) <= maximumLengthDifference) {
            if (candidateName === name) {
              continue;
            }
            if (candidateName.length < 3 && candidateName.toLowerCase() !== name.toLowerCase()) {
              continue;
            }
            const distance = levenshteinWithMax(name, candidateName, bestDistance - 0.1);
            if (distance === void 0) {
              continue;
            }
            Debug.assert(distance < bestDistance);
            bestDistance = distance;
            bestCandidate = candidate;
          }
        }
        return bestCandidate;
      }
      function levenshteinWithMax(s1, s2, max) {
        let previous = new Array(s2.length + 1);
        let current = new Array(s2.length + 1);
        const big = max + 0.01;
        for (let i = 0; i <= s2.length; i++) {
          previous[i] = i;
        }
        for (let i = 1; i <= s1.length; i++) {
          const c1 = s1.charCodeAt(i - 1);
          const minJ = Math.ceil(i > max ? i - max : 1);
          const maxJ = Math.floor(s2.length > max + i ? max + i : s2.length);
          current[0] = i;
          let colMin = i;
          for (let j = 1; j < minJ; j++) {
            current[j] = big;
          }
          for (let j = minJ; j <= maxJ; j++) {
            const substitutionDistance = s1[i - 1].toLowerCase() === s2[j - 1].toLowerCase() ? previous[j - 1] + 0.1 : previous[j - 1] + 2;
            const dist = c1 === s2.charCodeAt(j - 1) ? previous[j - 1] : Math.min(
              /*delete*/
              previous[j] + 1,
              /*insert*/
              current[j - 1] + 1,
              /*substitute*/
              substitutionDistance
            );
            current[j] = dist;
            colMin = Math.min(colMin, dist);
          }
          for (let j = maxJ + 1; j <= s2.length; j++) {
            current[j] = big;
          }
          if (colMin > max) {
            return void 0;
          }
          const temp = previous;
          previous = current;
          current = temp;
        }
        const res = previous[s2.length];
        return res > max ? void 0 : res;
      }
      function endsWith(str, suffix, ignoreCase) {
        const expectedPos = str.length - suffix.length;
        return expectedPos >= 0 && (ignoreCase ? equateStringsCaseInsensitive(str.slice(expectedPos), suffix) : str.indexOf(suffix, expectedPos) === expectedPos);
      }
      function removeSuffix(str, suffix) {
        return endsWith(str, suffix) ? str.slice(0, str.length - suffix.length) : str;
      }
      function tryRemoveSuffix(str, suffix) {
        return endsWith(str, suffix) ? str.slice(0, str.length - suffix.length) : void 0;
      }
      function removeMinAndVersionNumbers(fileName) {
        let end = fileName.length;
        for (let pos = end - 1; pos > 0; pos--) {
          let ch = fileName.charCodeAt(pos);
          if (ch >= 48 && ch <= 57) {
            do {
              --pos;
              ch = fileName.charCodeAt(pos);
            } while (pos > 0 && ch >= 48 && ch <= 57);
          } else if (pos > 4 && (ch === 110 || ch === 78)) {
            --pos;
            ch = fileName.charCodeAt(pos);
            if (ch !== 105 && ch !== 73) {
              break;
            }
            --pos;
            ch = fileName.charCodeAt(pos);
            if (ch !== 109 && ch !== 77) {
              break;
            }
            --pos;
            ch = fileName.charCodeAt(pos);
          } else {
            break;
          }
          if (ch !== 45 && ch !== 46) {
            break;
          }
          end = pos;
        }
        return end === fileName.length ? fileName : fileName.slice(0, end);
      }
      function orderedRemoveItem(array, item) {
        for (let i = 0; i < array.length; i++) {
          if (array[i] === item) {
            orderedRemoveItemAt(array, i);
            return true;
          }
        }
        return false;
      }
      function orderedRemoveItemAt(array, index) {
        for (let i = index; i < array.length - 1; i++) {
          array[i] = array[i + 1];
        }
        array.pop();
      }
      function unorderedRemoveItemAt(array, index) {
        array[index] = array[array.length - 1];
        array.pop();
      }
      function unorderedRemoveItem(array, item) {
        return unorderedRemoveFirstItemWhere(array, (element) => element === item);
      }
      function unorderedRemoveFirstItemWhere(array, predicate) {
        for (let i = 0; i < array.length; i++) {
          if (predicate(array[i])) {
            unorderedRemoveItemAt(array, i);
            return true;
          }
        }
        return false;
      }
      function createGetCanonicalFileName(useCaseSensitiveFileNames2) {
        return useCaseSensitiveFileNames2 ? identity2 : toFileNameLowerCase;
      }
      function patternText({ prefix, suffix }) {
        return `${prefix}*${suffix}`;
      }
      function matchedText(pattern, candidate) {
        Debug.assert(isPatternMatch(pattern, candidate));
        return candidate.substring(pattern.prefix.length, candidate.length - pattern.suffix.length);
      }
      function findBestPatternMatch(values, getPattern, candidate) {
        let matchedValue;
        let longestMatchPrefixLength = -1;
        for (const v of values) {
          const pattern = getPattern(v);
          if (isPatternMatch(pattern, candidate) && pattern.prefix.length > longestMatchPrefixLength) {
            longestMatchPrefixLength = pattern.prefix.length;
            matchedValue = v;
          }
        }
        return matchedValue;
      }
      function startsWith2(str, prefix, ignoreCase) {
        return ignoreCase ? equateStringsCaseInsensitive(str.slice(0, prefix.length), prefix) : str.lastIndexOf(prefix, 0) === 0;
      }
      function removePrefix(str, prefix) {
        return startsWith2(str, prefix) ? str.substr(prefix.length) : str;
      }
      function tryRemovePrefix(str, prefix, getCanonicalFileName = identity2) {
        return startsWith2(getCanonicalFileName(str), getCanonicalFileName(prefix)) ? str.substring(prefix.length) : void 0;
      }
      function isPatternMatch({ prefix, suffix }, candidate) {
        return candidate.length >= prefix.length + suffix.length && startsWith2(candidate, prefix) && endsWith(candidate, suffix);
      }
      function and(f, g) {
        return (arg) => f(arg) && g(arg);
      }
      function or(...fs4) {
        return (...args) => {
          let lastResult;
          for (const f of fs4) {
            lastResult = f(...args);
            if (lastResult) {
              return lastResult;
            }
          }
          return lastResult;
        };
      }
      function not(fn) {
        return (...args) => !fn(...args);
      }
      function assertType(_) {
      }
      function singleElementArray(t) {
        return t === void 0 ? void 0 : [t];
      }
      function enumerateInsertsAndDeletes(newItems, oldItems, comparer, inserted, deleted, unchanged) {
        unchanged = unchanged || noop2;
        let newIndex = 0;
        let oldIndex = 0;
        const newLen = newItems.length;
        const oldLen = oldItems.length;
        let hasChanges = false;
        while (newIndex < newLen && oldIndex < oldLen) {
          const newItem = newItems[newIndex];
          const oldItem = oldItems[oldIndex];
          const compareResult = comparer(newItem, oldItem);
          if (compareResult === -1) {
            inserted(newItem);
            newIndex++;
            hasChanges = true;
          } else if (compareResult === 1) {
            deleted(oldItem);
            oldIndex++;
            hasChanges = true;
          } else {
            unchanged(oldItem, newItem);
            newIndex++;
            oldIndex++;
          }
        }
        while (newIndex < newLen) {
          inserted(newItems[newIndex++]);
          hasChanges = true;
        }
        while (oldIndex < oldLen) {
          deleted(oldItems[oldIndex++]);
          hasChanges = true;
        }
        return hasChanges;
      }
      function cartesianProduct(arrays) {
        const result = [];
        cartesianProductWorker(
          arrays,
          result,
          /*outer*/
          void 0,
          0
        );
        return result;
      }
      function cartesianProductWorker(arrays, result, outer, index) {
        for (const element of arrays[index]) {
          let inner;
          if (outer) {
            inner = outer.slice();
            inner.push(element);
          } else {
            inner = [element];
          }
          if (index === arrays.length - 1) {
            result.push(inner);
          } else {
            cartesianProductWorker(arrays, result, inner, index + 1);
          }
        }
      }
      function takeWhile(array, predicate) {
        if (array) {
          const len = array.length;
          let index = 0;
          while (index < len && predicate(array[index])) {
            index++;
          }
          return array.slice(0, index);
        }
      }
      function skipWhile(array, predicate) {
        if (array) {
          const len = array.length;
          let index = 0;
          while (index < len && predicate(array[index])) {
            index++;
          }
          return array.slice(index);
        }
      }
      function isNodeLikeSystem() {
        return typeof process !== "undefined" && !!process.nextTick && !process.browser && typeof require !== "undefined";
      }
      var LogLevel2 = /* @__PURE__ */ ((LogLevel3) => {
        LogLevel3[LogLevel3["Off"] = 0] = "Off";
        LogLevel3[LogLevel3["Error"] = 1] = "Error";
        LogLevel3[LogLevel3["Warning"] = 2] = "Warning";
        LogLevel3[LogLevel3["Info"] = 3] = "Info";
        LogLevel3[LogLevel3["Verbose"] = 4] = "Verbose";
        return LogLevel3;
      })(LogLevel2 || {});
      var Debug;
      ((Debug2) => {
        let currentAssertionLevel = 0;
        Debug2.currentLogLevel = 2;
        Debug2.isDebugging = false;
        function shouldLog(level) {
          return Debug2.currentLogLevel <= level;
        }
        Debug2.shouldLog = shouldLog;
        function logMessage(level, s) {
          if (Debug2.loggingHost && shouldLog(level)) {
            Debug2.loggingHost.log(level, s);
          }
        }
        function log(s) {
          logMessage(3, s);
        }
        Debug2.log = log;
        ((_log) => {
          function error2(s) {
            logMessage(1, s);
          }
          _log.error = error2;
          function warn(s) {
            logMessage(2, s);
          }
          _log.warn = warn;
          function log2(s) {
            logMessage(3, s);
          }
          _log.log = log2;
          function trace2(s) {
            logMessage(4, s);
          }
          _log.trace = trace2;
        })(log = Debug2.log || (Debug2.log = {}));
        const assertionCache = {};
        function getAssertionLevel() {
          return currentAssertionLevel;
        }
        Debug2.getAssertionLevel = getAssertionLevel;
        function setAssertionLevel(level) {
          const prevAssertionLevel = currentAssertionLevel;
          currentAssertionLevel = level;
          if (level > prevAssertionLevel) {
            for (const key of getOwnKeys(assertionCache)) {
              const cachedFunc = assertionCache[key];
              if (cachedFunc !== void 0 && Debug2[key] !== cachedFunc.assertion && level >= cachedFunc.level) {
                Debug2[key] = cachedFunc;
                assertionCache[key] = void 0;
              }
            }
          }
        }
        Debug2.setAssertionLevel = setAssertionLevel;
        function shouldAssert(level) {
          return currentAssertionLevel >= level;
        }
        Debug2.shouldAssert = shouldAssert;
        function shouldAssertFunction(level, name) {
          if (!shouldAssert(level)) {
            assertionCache[name] = { level, assertion: Debug2[name] };
            Debug2[name] = noop2;
            return false;
          }
          return true;
        }
        function fail(message, stackCrawlMark) {
          debugger;
          const e = new Error(message ? `Debug Failure. ${message}` : "Debug Failure.");
          if (Error.captureStackTrace) {
            Error.captureStackTrace(e, stackCrawlMark || fail);
          }
          throw e;
        }
        Debug2.fail = fail;
        function failBadSyntaxKind(node, message, stackCrawlMark) {
          return fail(
            `${message || "Unexpected node."}\r
Node ${formatSyntaxKind(node.kind)} was unexpected.`,
            stackCrawlMark || failBadSyntaxKind
          );
        }
        Debug2.failBadSyntaxKind = failBadSyntaxKind;
        function assert3(expression, message, verboseDebugInfo, stackCrawlMark) {
          if (!expression) {
            message = message ? `False expression: ${message}` : "False expression.";
            if (verboseDebugInfo) {
              message += "\r\nVerbose Debug Information: " + (typeof verboseDebugInfo === "string" ? verboseDebugInfo : verboseDebugInfo());
            }
            fail(message, stackCrawlMark || assert3);
          }
        }
        Debug2.assert = assert3;
        function assertEqual(a, b, msg, msg2, stackCrawlMark) {
          if (a !== b) {
            const message = msg ? msg2 ? `${msg} ${msg2}` : msg : "";
            fail(`Expected ${a} === ${b}. ${message}`, stackCrawlMark || assertEqual);
          }
        }
        Debug2.assertEqual = assertEqual;
        function assertLessThan(a, b, msg, stackCrawlMark) {
          if (a >= b) {
            fail(`Expected ${a} < ${b}. ${msg || ""}`, stackCrawlMark || assertLessThan);
          }
        }
        Debug2.assertLessThan = assertLessThan;
        function assertLessThanOrEqual(a, b, stackCrawlMark) {
          if (a > b) {
            fail(`Expected ${a} <= ${b}`, stackCrawlMark || assertLessThanOrEqual);
          }
        }
        Debug2.assertLessThanOrEqual = assertLessThanOrEqual;
        function assertGreaterThanOrEqual(a, b, stackCrawlMark) {
          if (a < b) {
            fail(`Expected ${a} >= ${b}`, stackCrawlMark || assertGreaterThanOrEqual);
          }
        }
        Debug2.assertGreaterThanOrEqual = assertGreaterThanOrEqual;
        function assertIsDefined(value, message, stackCrawlMark) {
          if (value === void 0 || value === null) {
            fail(message, stackCrawlMark || assertIsDefined);
          }
        }
        Debug2.assertIsDefined = assertIsDefined;
        function checkDefined(value, message, stackCrawlMark) {
          assertIsDefined(value, message, stackCrawlMark || checkDefined);
          return value;
        }
        Debug2.checkDefined = checkDefined;
        function assertEachIsDefined(value, message, stackCrawlMark) {
          for (const v of value) {
            assertIsDefined(v, message, stackCrawlMark || assertEachIsDefined);
          }
        }
        Debug2.assertEachIsDefined = assertEachIsDefined;
        function checkEachDefined(value, message, stackCrawlMark) {
          assertEachIsDefined(value, message, stackCrawlMark || checkEachDefined);
          return value;
        }
        Debug2.checkEachDefined = checkEachDefined;
        function assertNever(member, message = "Illegal value:", stackCrawlMark) {
          const detail = typeof member === "object" && hasProperty(member, "kind") && hasProperty(member, "pos") ? "SyntaxKind: " + formatSyntaxKind(member.kind) : JSON.stringify(member);
          return fail(`${message} ${detail}`, stackCrawlMark || assertNever);
        }
        Debug2.assertNever = assertNever;
        function assertEachNode(nodes, test, message, stackCrawlMark) {
          if (shouldAssertFunction(1, "assertEachNode")) {
            assert3(
              test === void 0 || every(nodes, test),
              message || "Unexpected node.",
              () => `Node array did not pass test '${getFunctionName(test)}'.`,
              stackCrawlMark || assertEachNode
            );
          }
        }
        Debug2.assertEachNode = assertEachNode;
        function assertNode(node, test, message, stackCrawlMark) {
          if (shouldAssertFunction(1, "assertNode")) {
            assert3(
              node !== void 0 && (test === void 0 || test(node)),
              message || "Unexpected node.",
              () => `Node ${formatSyntaxKind(node == null ? void 0 : node.kind)} did not pass test '${getFunctionName(test)}'.`,
              stackCrawlMark || assertNode
            );
          }
        }
        Debug2.assertNode = assertNode;
        function assertNotNode(node, test, message, stackCrawlMark) {
          if (shouldAssertFunction(1, "assertNotNode")) {
            assert3(
              node === void 0 || test === void 0 || !test(node),
              message || "Unexpected node.",
              () => `Node ${formatSyntaxKind(node.kind)} should not have passed test '${getFunctionName(test)}'.`,
              stackCrawlMark || assertNotNode
            );
          }
        }
        Debug2.assertNotNode = assertNotNode;
        function assertOptionalNode(node, test, message, stackCrawlMark) {
          if (shouldAssertFunction(1, "assertOptionalNode")) {
            assert3(
              test === void 0 || node === void 0 || test(node),
              message || "Unexpected node.",
              () => `Node ${formatSyntaxKind(node == null ? void 0 : node.kind)} did not pass test '${getFunctionName(test)}'.`,
              stackCrawlMark || assertOptionalNode
            );
          }
        }
        Debug2.assertOptionalNode = assertOptionalNode;
        function assertOptionalToken(node, kind, message, stackCrawlMark) {
          if (shouldAssertFunction(1, "assertOptionalToken")) {
            assert3(
              kind === void 0 || node === void 0 || node.kind === kind,
              message || "Unexpected node.",
              () => `Node ${formatSyntaxKind(node == null ? void 0 : node.kind)} was not a '${formatSyntaxKind(kind)}' token.`,
              stackCrawlMark || assertOptionalToken
            );
          }
        }
        Debug2.assertOptionalToken = assertOptionalToken;
        function assertMissingNode(node, message, stackCrawlMark) {
          if (shouldAssertFunction(1, "assertMissingNode")) {
            assert3(
              node === void 0,
              message || "Unexpected node.",
              () => `Node ${formatSyntaxKind(node.kind)} was unexpected'.`,
              stackCrawlMark || assertMissingNode
            );
          }
        }
        Debug2.assertMissingNode = assertMissingNode;
        function type(_value) {
        }
        Debug2.type = type;
        function getFunctionName(func) {
          if (typeof func !== "function") {
            return "";
          } else if (hasProperty(func, "name")) {
            return func.name;
          } else {
            const text = Function.prototype.toString.call(func);
            const match = /^function\s+([\w$]+)\s*\(/.exec(text);
            return match ? match[1] : "";
          }
        }
        Debug2.getFunctionName = getFunctionName;
        function formatSymbol(symbol) {
          return `{ name: ${unescapeLeadingUnderscores(symbol.escapedName)}; flags: ${formatSymbolFlags(symbol.flags)}; declarations: ${map(symbol.declarations, (node) => formatSyntaxKind(node.kind))} }`;
        }
        Debug2.formatSymbol = formatSymbol;
        function formatEnum(value = 0, enumObject, isFlags) {
          const members = getEnumMembers(enumObject);
          if (value === 0) {
            return members.length > 0 && members[0][0] === 0 ? members[0][1] : "0";
          }
          if (isFlags) {
            const result = [];
            let remainingFlags = value;
            for (const [enumValue, enumName] of members) {
              if (enumValue > value) {
                break;
              }
              if (enumValue !== 0 && enumValue & value) {
                result.push(enumName);
                remainingFlags &= ~enumValue;
              }
            }
            if (remainingFlags === 0) {
              return result.join("|");
            }
          } else {
            for (const [enumValue, enumName] of members) {
              if (enumValue === value) {
                return enumName;
              }
            }
          }
          return value.toString();
        }
        Debug2.formatEnum = formatEnum;
        const enumMemberCache = /* @__PURE__ */ new Map();
        function getEnumMembers(enumObject) {
          const existing = enumMemberCache.get(enumObject);
          if (existing) {
            return existing;
          }
          const result = [];
          for (const name in enumObject) {
            const value = enumObject[name];
            if (typeof value === "number") {
              result.push([value, name]);
            }
          }
          const sorted = stableSort(result, (x, y) => compareValues(x[0], y[0]));
          enumMemberCache.set(enumObject, sorted);
          return sorted;
        }
        function formatSyntaxKind(kind) {
          return formatEnum(
            kind,
            SyntaxKind,
            /*isFlags*/
            false
          );
        }
        Debug2.formatSyntaxKind = formatSyntaxKind;
        function formatSnippetKind(kind) {
          return formatEnum(
            kind,
            SnippetKind,
            /*isFlags*/
            false
          );
        }
        Debug2.formatSnippetKind = formatSnippetKind;
        function formatScriptKind(kind) {
          return formatEnum(
            kind,
            ScriptKind,
            /*isFlags*/
            false
          );
        }
        Debug2.formatScriptKind = formatScriptKind;
        function formatNodeFlags(flags) {
          return formatEnum(
            flags,
            NodeFlags,
            /*isFlags*/
            true
          );
        }
        Debug2.formatNodeFlags = formatNodeFlags;
        function formatNodeCheckFlags(flags) {
          return formatEnum(
            flags,
            NodeCheckFlags,
            /*isFlags*/
            true
          );
        }
        Debug2.formatNodeCheckFlags = formatNodeCheckFlags;
        function formatModifierFlags(flags) {
          return formatEnum(
            flags,
            ModifierFlags,
            /*isFlags*/
            true
          );
        }
        Debug2.formatModifierFlags = formatModifierFlags;
        function formatTransformFlags(flags) {
          return formatEnum(
            flags,
            TransformFlags,
            /*isFlags*/
            true
          );
        }
        Debug2.formatTransformFlags = formatTransformFlags;
        function formatEmitFlags(flags) {
          return formatEnum(
            flags,
            EmitFlags,
            /*isFlags*/
            true
          );
        }
        Debug2.formatEmitFlags = formatEmitFlags;
        function formatSymbolFlags(flags) {
          return formatEnum(
            flags,
            SymbolFlags,
            /*isFlags*/
            true
          );
        }
        Debug2.formatSymbolFlags = formatSymbolFlags;
        function formatTypeFlags(flags) {
          return formatEnum(
            flags,
            TypeFlags,
            /*isFlags*/
            true
          );
        }
        Debug2.formatTypeFlags = formatTypeFlags;
        function formatSignatureFlags(flags) {
          return formatEnum(
            flags,
            SignatureFlags,
            /*isFlags*/
            true
          );
        }
        Debug2.formatSignatureFlags = formatSignatureFlags;
        function formatObjectFlags(flags) {
          return formatEnum(
            flags,
            ObjectFlags,
            /*isFlags*/
            true
          );
        }
        Debug2.formatObjectFlags = formatObjectFlags;
        function formatFlowFlags(flags) {
          return formatEnum(
            flags,
            FlowFlags,
            /*isFlags*/
            true
          );
        }
        Debug2.formatFlowFlags = formatFlowFlags;
        function formatRelationComparisonResult(result) {
          return formatEnum(
            result,
            RelationComparisonResult,
            /*isFlags*/
            true
          );
        }
        Debug2.formatRelationComparisonResult = formatRelationComparisonResult;
        function formatCheckMode(mode) {
          return formatEnum(
            mode,
            CheckMode,
            /*isFlags*/
            true
          );
        }
        Debug2.formatCheckMode = formatCheckMode;
        function formatSignatureCheckMode(mode) {
          return formatEnum(
            mode,
            SignatureCheckMode,
            /*isFlags*/
            true
          );
        }
        Debug2.formatSignatureCheckMode = formatSignatureCheckMode;
        function formatTypeFacts(facts) {
          return formatEnum(
            facts,
            TypeFacts,
            /*isFlags*/
            true
          );
        }
        Debug2.formatTypeFacts = formatTypeFacts;
        let isDebugInfoEnabled = false;
        let flowNodeProto;
        function attachFlowNodeDebugInfoWorker(flowNode) {
          if (!("__debugFlowFlags" in flowNode)) {
            Object.defineProperties(flowNode, {
              // for use with vscode-js-debug's new customDescriptionGenerator in launch.json
              __tsDebuggerDisplay: {
                value() {
                  const flowHeader = this.flags & 2 ? "FlowStart" : this.flags & 4 ? "FlowBranchLabel" : this.flags & 8 ? "FlowLoopLabel" : this.flags & 16 ? "FlowAssignment" : this.flags & 32 ? "FlowTrueCondition" : this.flags & 64 ? "FlowFalseCondition" : this.flags & 128 ? "FlowSwitchClause" : this.flags & 256 ? "FlowArrayMutation" : this.flags & 512 ? "FlowCall" : this.flags & 1024 ? "FlowReduceLabel" : this.flags & 1 ? "FlowUnreachable" : "UnknownFlow";
                  const remainingFlags = this.flags & ~(2048 - 1);
                  return `${flowHeader}${remainingFlags ? ` (${formatFlowFlags(remainingFlags)})` : ""}`;
                }
              },
              __debugFlowFlags: {
                get() {
                  return formatEnum(
                    this.flags,
                    FlowFlags,
                    /*isFlags*/
                    true
                  );
                }
              },
              __debugToString: {
                value() {
                  return formatControlFlowGraph(this);
                }
              }
            });
          }
        }
        function attachFlowNodeDebugInfo(flowNode) {
          if (isDebugInfoEnabled) {
            if (typeof Object.setPrototypeOf === "function") {
              if (!flowNodeProto) {
                flowNodeProto = Object.create(Object.prototype);
                attachFlowNodeDebugInfoWorker(flowNodeProto);
              }
              Object.setPrototypeOf(flowNode, flowNodeProto);
            } else {
              attachFlowNodeDebugInfoWorker(flowNode);
            }
          }
          return flowNode;
        }
        Debug2.attachFlowNodeDebugInfo = attachFlowNodeDebugInfo;
        let nodeArrayProto;
        function attachNodeArrayDebugInfoWorker(array) {
          if (!("__tsDebuggerDisplay" in array)) {
            Object.defineProperties(array, {
              __tsDebuggerDisplay: {
                value(defaultValue) {
                  defaultValue = String(defaultValue).replace(/(?:,[\s\w\d_]+:[^,]+)+\]$/, "]");
                  return `NodeArray ${defaultValue}`;
                }
              }
            });
          }
        }
        function attachNodeArrayDebugInfo(array) {
          if (isDebugInfoEnabled) {
            if (typeof Object.setPrototypeOf === "function") {
              if (!nodeArrayProto) {
                nodeArrayProto = Object.create(Array.prototype);
                attachNodeArrayDebugInfoWorker(nodeArrayProto);
              }
              Object.setPrototypeOf(array, nodeArrayProto);
            } else {
              attachNodeArrayDebugInfoWorker(array);
            }
          }
        }
        Debug2.attachNodeArrayDebugInfo = attachNodeArrayDebugInfo;
        function enableDebugInfo() {
          if (isDebugInfoEnabled) return;
          const weakTypeTextMap = /* @__PURE__ */ new WeakMap();
          const weakNodeTextMap = /* @__PURE__ */ new WeakMap();
          Object.defineProperties(objectAllocator.getSymbolConstructor().prototype, {
            // for use with vscode-js-debug's new customDescriptionGenerator in launch.json
            __tsDebuggerDisplay: {
              value() {
                const symbolHeader = this.flags & 33554432 ? "TransientSymbol" : "Symbol";
                const remainingSymbolFlags = this.flags & ~33554432;
                return `${symbolHeader} '${symbolName(this)}'${remainingSymbolFlags ? ` (${formatSymbolFlags(remainingSymbolFlags)})` : ""}`;
              }
            },
            __debugFlags: {
              get() {
                return formatSymbolFlags(this.flags);
              }
            }
          });
          Object.defineProperties(objectAllocator.getTypeConstructor().prototype, {
            // for use with vscode-js-debug's new customDescriptionGenerator in launch.json
            __tsDebuggerDisplay: {
              value() {
                const typeHeader = this.flags & 67359327 ? `IntrinsicType ${this.intrinsicName}${this.debugIntrinsicName ? ` (${this.debugIntrinsicName})` : ""}` : this.flags & 98304 ? "NullableType" : this.flags & 384 ? `LiteralType ${JSON.stringify(this.value)}` : this.flags & 2048 ? `LiteralType ${this.value.negative ? "-" : ""}${this.value.base10Value}n` : this.flags & 8192 ? "UniqueESSymbolType" : this.flags & 32 ? "EnumType" : this.flags & 1048576 ? "UnionType" : this.flags & 2097152 ? "IntersectionType" : this.flags & 4194304 ? "IndexType" : this.flags & 8388608 ? "IndexedAccessType" : this.flags & 16777216 ? "ConditionalType" : this.flags & 33554432 ? "SubstitutionType" : this.flags & 262144 ? "TypeParameter" : this.flags & 524288 ? this.objectFlags & 3 ? "InterfaceType" : this.objectFlags & 4 ? "TypeReference" : this.objectFlags & 8 ? "TupleType" : this.objectFlags & 16 ? "AnonymousType" : this.objectFlags & 32 ? "MappedType" : this.objectFlags & 1024 ? "ReverseMappedType" : this.objectFlags & 256 ? "EvolvingArrayType" : "ObjectType" : "Type";
                const remainingObjectFlags = this.flags & 524288 ? this.objectFlags & ~1343 : 0;
                return `${typeHeader}${this.symbol ? ` '${symbolName(this.symbol)}'` : ""}${remainingObjectFlags ? ` (${formatObjectFlags(remainingObjectFlags)})` : ""}`;
              }
            },
            __debugFlags: {
              get() {
                return formatTypeFlags(this.flags);
              }
            },
            __debugObjectFlags: {
              get() {
                return this.flags & 524288 ? formatObjectFlags(this.objectFlags) : "";
              }
            },
            __debugTypeToString: {
              value() {
                let text = weakTypeTextMap.get(this);
                if (text === void 0) {
                  text = this.checker.typeToString(this);
                  weakTypeTextMap.set(this, text);
                }
                return text;
              }
            }
          });
          Object.defineProperties(objectAllocator.getSignatureConstructor().prototype, {
            __debugFlags: {
              get() {
                return formatSignatureFlags(this.flags);
              }
            },
            __debugSignatureToString: {
              value() {
                var _a;
                return (_a = this.checker) == null ? void 0 : _a.signatureToString(this);
              }
            }
          });
          const nodeConstructors = [
            objectAllocator.getNodeConstructor(),
            objectAllocator.getIdentifierConstructor(),
            objectAllocator.getTokenConstructor(),
            objectAllocator.getSourceFileConstructor()
          ];
          for (const ctor of nodeConstructors) {
            if (!hasProperty(ctor.prototype, "__debugKind")) {
              Object.defineProperties(ctor.prototype, {
                // for use with vscode-js-debug's new customDescriptionGenerator in launch.json
                __tsDebuggerDisplay: {
                  value() {
                    const nodeHeader = isGeneratedIdentifier(this) ? "GeneratedIdentifier" : isIdentifier(this) ? `Identifier '${idText(this)}'` : isPrivateIdentifier(this) ? `PrivateIdentifier '${idText(this)}'` : isStringLiteral2(this) ? `StringLiteral ${JSON.stringify(this.text.length < 10 ? this.text : this.text.slice(10) + "...")}` : isNumericLiteral(this) ? `NumericLiteral ${this.text}` : isBigIntLiteral2(this) ? `BigIntLiteral ${this.text}n` : isTypeParameterDeclaration(this) ? "TypeParameterDeclaration" : isParameter(this) ? "ParameterDeclaration" : isConstructorDeclaration(this) ? "ConstructorDeclaration" : isGetAccessorDeclaration(this) ? "GetAccessorDeclaration" : isSetAccessorDeclaration(this) ? "SetAccessorDeclaration" : isCallSignatureDeclaration(this) ? "CallSignatureDeclaration" : isConstructSignatureDeclaration(this) ? "ConstructSignatureDeclaration" : isIndexSignatureDeclaration(this) ? "IndexSignatureDeclaration" : isTypePredicateNode(this) ? "TypePredicateNode" : isTypeReferenceNode(this) ? "TypeReferenceNode" : isFunctionTypeNode(this) ? "FunctionTypeNode" : isConstructorTypeNode(this) ? "ConstructorTypeNode" : isTypeQueryNode(this) ? "TypeQueryNode" : isTypeLiteralNode(this) ? "TypeLiteralNode" : isArrayTypeNode(this) ? "ArrayTypeNode" : isTupleTypeNode(this) ? "TupleTypeNode" : isOptionalTypeNode(this) ? "OptionalTypeNode" : isRestTypeNode(this) ? "RestTypeNode" : isUnionTypeNode(this) ? "UnionTypeNode" : isIntersectionTypeNode(this) ? "IntersectionTypeNode" : isConditionalTypeNode(this) ? "ConditionalTypeNode" : isInferTypeNode(this) ? "InferTypeNode" : isParenthesizedTypeNode(this) ? "ParenthesizedTypeNode" : isThisTypeNode(this) ? "ThisTypeNode" : isTypeOperatorNode(this) ? "TypeOperatorNode" : isIndexedAccessTypeNode(this) ? "IndexedAccessTypeNode" : isMappedTypeNode(this) ? "MappedTypeNode" : isLiteralTypeNode(this) ? "LiteralTypeNode" : isNamedTupleMember(this) ? "NamedTupleMember" : isImportTypeNode(this) ? "ImportTypeNode" : formatSyntaxKind(this.kind);
                    return `${nodeHeader}${this.flags ? ` (${formatNodeFlags(this.flags)})` : ""}`;
                  }
                },
                __debugKind: {
                  get() {
                    return formatSyntaxKind(this.kind);
                  }
                },
                __debugNodeFlags: {
                  get() {
                    return formatNodeFlags(this.flags);
                  }
                },
                __debugModifierFlags: {
                  get() {
                    return formatModifierFlags(getEffectiveModifierFlagsNoCache(this));
                  }
                },
                __debugTransformFlags: {
                  get() {
                    return formatTransformFlags(this.transformFlags);
                  }
                },
                __debugIsParseTreeNode: {
                  get() {
                    return isParseTreeNode(this);
                  }
                },
                __debugEmitFlags: {
                  get() {
                    return formatEmitFlags(getEmitFlags(this));
                  }
                },
                __debugGetText: {
                  value(includeTrivia) {
                    if (nodeIsSynthesized(this)) return "";
                    let text = weakNodeTextMap.get(this);
                    if (text === void 0) {
                      const parseNode = getParseTreeNode(this);
                      const sourceFile = parseNode && getSourceFileOfNode(parseNode);
                      text = sourceFile ? getSourceTextOfNodeFromSourceFile(sourceFile, parseNode, includeTrivia) : "";
                      weakNodeTextMap.set(this, text);
                    }
                    return text;
                  }
                }
              });
            }
          }
          isDebugInfoEnabled = true;
        }
        Debug2.enableDebugInfo = enableDebugInfo;
        function formatVariance(varianceFlags) {
          const variance = varianceFlags & 7;
          let result = variance === 0 ? "in out" : variance === 3 ? "[bivariant]" : variance === 2 ? "in" : variance === 1 ? "out" : variance === 4 ? "[independent]" : "";
          if (varianceFlags & 8) {
            result += " (unmeasurable)";
          } else if (varianceFlags & 16) {
            result += " (unreliable)";
          }
          return result;
        }
        Debug2.formatVariance = formatVariance;
        class DebugTypeMapper {
          __debugToString() {
            var _a;
            type(this);
            switch (this.kind) {
              case 3:
                return ((_a = this.debugInfo) == null ? void 0 : _a.call(this)) || "(function mapper)";
              case 0:
                return `${this.source.__debugTypeToString()} -> ${this.target.__debugTypeToString()}`;
              case 1:
                return zipWith(
                  this.sources,
                  this.targets || map(this.sources, () => "any"),
                  (s, t) => `${s.__debugTypeToString()} -> ${typeof t === "string" ? t : t.__debugTypeToString()}`
                ).join(", ");
              case 2:
                return zipWith(
                  this.sources,
                  this.targets,
                  (s, t) => `${s.__debugTypeToString()} -> ${t().__debugTypeToString()}`
                ).join(", ");
              case 5:
              case 4:
                return `m1: ${this.mapper1.__debugToString().split("\n").join("\n    ")}
m2: ${this.mapper2.__debugToString().split("\n").join("\n    ")}`;
              default:
                return assertNever(this);
            }
          }
        }
        Debug2.DebugTypeMapper = DebugTypeMapper;
        function attachDebugPrototypeIfDebug(mapper) {
          if (Debug2.isDebugging) {
            return Object.setPrototypeOf(mapper, DebugTypeMapper.prototype);
          }
          return mapper;
        }
        Debug2.attachDebugPrototypeIfDebug = attachDebugPrototypeIfDebug;
        function printControlFlowGraph(flowNode) {
          return console.log(formatControlFlowGraph(flowNode));
        }
        Debug2.printControlFlowGraph = printControlFlowGraph;
        function formatControlFlowGraph(flowNode) {
          let nextDebugFlowId = -1;
          function getDebugFlowNodeId(f) {
            if (!f.id) {
              f.id = nextDebugFlowId;
              nextDebugFlowId--;
            }
            return f.id;
          }
          let BoxCharacter;
          ((BoxCharacter2) => {
            BoxCharacter2["lr"] = "\u2500";
            BoxCharacter2["ud"] = "\u2502";
            BoxCharacter2["dr"] = "\u256D";
            BoxCharacter2["dl"] = "\u256E";
            BoxCharacter2["ul"] = "\u256F";
            BoxCharacter2["ur"] = "\u2570";
            BoxCharacter2["udr"] = "\u251C";
            BoxCharacter2["udl"] = "\u2524";
            BoxCharacter2["dlr"] = "\u252C";
            BoxCharacter2["ulr"] = "\u2534";
            BoxCharacter2["udlr"] = "\u256B";
          })(BoxCharacter || (BoxCharacter = {}));
          let Connection;
          ((Connection2) => {
            Connection2[Connection2["None"] = 0] = "None";
            Connection2[Connection2["Up"] = 1] = "Up";
            Connection2[Connection2["Down"] = 2] = "Down";
            Connection2[Connection2["Left"] = 4] = "Left";
            Connection2[Connection2["Right"] = 8] = "Right";
            Connection2[Connection2["UpDown"] = 3] = "UpDown";
            Connection2[Connection2["LeftRight"] = 12] = "LeftRight";
            Connection2[Connection2["UpLeft"] = 5] = "UpLeft";
            Connection2[Connection2["UpRight"] = 9] = "UpRight";
            Connection2[Connection2["DownLeft"] = 6] = "DownLeft";
            Connection2[Connection2["DownRight"] = 10] = "DownRight";
            Connection2[Connection2["UpDownLeft"] = 7] = "UpDownLeft";
            Connection2[Connection2["UpDownRight"] = 11] = "UpDownRight";
            Connection2[Connection2["UpLeftRight"] = 13] = "UpLeftRight";
            Connection2[Connection2["DownLeftRight"] = 14] = "DownLeftRight";
            Connection2[Connection2["UpDownLeftRight"] = 15] = "UpDownLeftRight";
            Connection2[Connection2["NoChildren"] = 16] = "NoChildren";
          })(Connection || (Connection = {}));
          const hasAntecedentFlags = 16 | 96 | 128 | 256 | 512 | 1024;
          const hasNodeFlags = 2 | 16 | 512 | 96 | 256;
          const links = /* @__PURE__ */ Object.create(
            /*o*/
            null
          );
          const nodes = [];
          const edges = [];
          const root2 = buildGraphNode(flowNode, /* @__PURE__ */ new Set());
          for (const node of nodes) {
            node.text = renderFlowNode(node.flowNode, node.circular);
            computeLevel(node);
          }
          const height = computeHeight(root2);
          const columnWidths = computeColumnWidths(height);
          computeLanes(root2, 0);
          return renderGraph();
          function isFlowSwitchClause(f) {
            return !!(f.flags & 128);
          }
          function hasAntecedents(f) {
            return !!(f.flags & 12) && !!f.antecedent;
          }
          function hasAntecedent(f) {
            return !!(f.flags & hasAntecedentFlags);
          }
          function hasNode(f) {
            return !!(f.flags & hasNodeFlags);
          }
          function getChildren(node) {
            const children = [];
            for (const edge of node.edges) {
              if (edge.source === node) {
                children.push(edge.target);
              }
            }
            return children;
          }
          function getParents(node) {
            const parents = [];
            for (const edge of node.edges) {
              if (edge.target === node) {
                parents.push(edge.source);
              }
            }
            return parents;
          }
          function buildGraphNode(flowNode2, seen) {
            const id = getDebugFlowNodeId(flowNode2);
            let graphNode = links[id];
            if (graphNode && seen.has(flowNode2)) {
              graphNode.circular = true;
              graphNode = {
                id: -1,
                flowNode: flowNode2,
                edges: [],
                text: "",
                lane: -1,
                endLane: -1,
                level: -1,
                circular: "circularity"
              };
              nodes.push(graphNode);
              return graphNode;
            }
            seen.add(flowNode2);
            if (!graphNode) {
              links[id] = graphNode = { id, flowNode: flowNode2, edges: [], text: "", lane: -1, endLane: -1, level: -1, circular: false };
              nodes.push(graphNode);
              if (hasAntecedents(flowNode2)) {
                for (const antecedent of flowNode2.antecedent) {
                  buildGraphEdge(graphNode, antecedent, seen);
                }
              } else if (hasAntecedent(flowNode2)) {
                buildGraphEdge(graphNode, flowNode2.antecedent, seen);
              }
            }
            seen.delete(flowNode2);
            return graphNode;
          }
          function buildGraphEdge(source, antecedent, seen) {
            const target = buildGraphNode(antecedent, seen);
            const edge = { source, target };
            edges.push(edge);
            source.edges.push(edge);
            target.edges.push(edge);
          }
          function computeLevel(node) {
            if (node.level !== -1) {
              return node.level;
            }
            let level = 0;
            for (const parent2 of getParents(node)) {
              level = Math.max(level, computeLevel(parent2) + 1);
            }
            return node.level = level;
          }
          function computeHeight(node) {
            let height2 = 0;
            for (const child of getChildren(node)) {
              height2 = Math.max(height2, computeHeight(child));
            }
            return height2 + 1;
          }
          function computeColumnWidths(height2) {
            const columns = fill(Array(height2), 0);
            for (const node of nodes) {
              columns[node.level] = Math.max(columns[node.level], node.text.length);
            }
            return columns;
          }
          function computeLanes(node, lane) {
            if (node.lane === -1) {
              node.lane = lane;
              node.endLane = lane;
              const children = getChildren(node);
              for (let i = 0; i < children.length; i++) {
                if (i > 0) lane++;
                const child = children[i];
                computeLanes(child, lane);
                if (child.endLane > node.endLane) {
                  lane = child.endLane;
                }
              }
              node.endLane = lane;
            }
          }
          function getHeader2(flags) {
            if (flags & 2) return "Start";
            if (flags & 4) return "Branch";
            if (flags & 8) return "Loop";
            if (flags & 16) return "Assignment";
            if (flags & 32) return "True";
            if (flags & 64) return "False";
            if (flags & 128) return "SwitchClause";
            if (flags & 256) return "ArrayMutation";
            if (flags & 512) return "Call";
            if (flags & 1024) return "ReduceLabel";
            if (flags & 1) return "Unreachable";
            throw new Error();
          }
          function getNodeText(node) {
            const sourceFile = getSourceFileOfNode(node);
            return getSourceTextOfNodeFromSourceFile(
              sourceFile,
              node,
              /*includeTrivia*/
              false
            );
          }
          function renderFlowNode(flowNode2, circular) {
            let text = getHeader2(flowNode2.flags);
            if (circular) {
              text = `${text}#${getDebugFlowNodeId(flowNode2)}`;
            }
            if (isFlowSwitchClause(flowNode2)) {
              const clauses = [];
              const { switchStatement, clauseStart, clauseEnd } = flowNode2.node;
              for (let i = clauseStart; i < clauseEnd; i++) {
                const clause = switchStatement.caseBlock.clauses[i];
                if (isDefaultClause(clause)) {
                  clauses.push("default");
                } else {
                  clauses.push(getNodeText(clause.expression));
                }
              }
              text += ` (${clauses.join(", ")})`;
            } else if (hasNode(flowNode2)) {
              if (flowNode2.node) {
                text += ` (${getNodeText(flowNode2.node)})`;
              }
            }
            return circular === "circularity" ? `Circular(${text})` : text;
          }
          function renderGraph() {
            const columnCount = columnWidths.length;
            const laneCount = nodes.reduce((x, n) => Math.max(x, n.lane), 0) + 1;
            const lanes = fill(Array(laneCount), "");
            const grid = columnWidths.map(() => Array(laneCount));
            const connectors = columnWidths.map(() => fill(Array(laneCount), 0));
            for (const node of nodes) {
              grid[node.level][node.lane] = node;
              const children = getChildren(node);
              for (let i = 0; i < children.length; i++) {
                const child = children[i];
                let connector = 8;
                if (child.lane === node.lane) connector |= 4;
                if (i > 0) connector |= 1;
                if (i < children.length - 1) connector |= 2;
                connectors[node.level][child.lane] |= connector;
              }
              if (children.length === 0) {
                connectors[node.level][node.lane] |= 16;
              }
              const parents = getParents(node);
              for (let i = 0; i < parents.length; i++) {
                const parent2 = parents[i];
                let connector = 4;
                if (i > 0) connector |= 1;
                if (i < parents.length - 1) connector |= 2;
                connectors[node.level - 1][parent2.lane] |= connector;
              }
            }
            for (let column = 0; column < columnCount; column++) {
              for (let lane = 0; lane < laneCount; lane++) {
                const left = column > 0 ? connectors[column - 1][lane] : 0;
                const above = lane > 0 ? connectors[column][lane - 1] : 0;
                let connector = connectors[column][lane];
                if (!connector) {
                  if (left & 8) connector |= 12;
                  if (above & 2) connector |= 3;
                  connectors[column][lane] = connector;
                }
              }
            }
            for (let column = 0; column < columnCount; column++) {
              for (let lane = 0; lane < lanes.length; lane++) {
                const connector = connectors[column][lane];
                const fill2 = connector & 4 ? "\u2500" : " ";
                const node = grid[column][lane];
                if (!node) {
                  if (column < columnCount - 1) {
                    writeLane(lane, repeat(fill2, columnWidths[column] + 1));
                  }
                } else {
                  writeLane(lane, node.text);
                  if (column < columnCount - 1) {
                    writeLane(lane, " ");
                    writeLane(lane, repeat(fill2, columnWidths[column] - node.text.length));
                  }
                }
                writeLane(lane, getBoxCharacter(connector));
                writeLane(lane, connector & 8 && column < columnCount - 1 && !grid[column + 1][lane] ? "\u2500" : " ");
              }
            }
            return `
${lanes.join("\n")}
`;
            function writeLane(lane, text) {
              lanes[lane] += text;
            }
          }
          function getBoxCharacter(connector) {
            switch (connector) {
              case 3:
                return "\u2502";
              case 12:
                return "\u2500";
              case 5:
                return "\u256F";
              case 9:
                return "\u2570";
              case 6:
                return "\u256E";
              case 10:
                return "\u256D";
              case 7:
                return "\u2524";
              case 11:
                return "\u251C";
              case 13:
                return "\u2534";
              case 14:
                return "\u252C";
              case 15:
                return "\u256B";
            }
            return " ";
          }
          function fill(array, value) {
            if (array.fill) {
              array.fill(value);
            } else {
              for (let i = 0; i < array.length; i++) {
                array[i] = value;
              }
            }
            return array;
          }
          function repeat(ch, length2) {
            if (ch.repeat) {
              return length2 > 0 ? ch.repeat(length2) : "";
            }
            let s = "";
            while (s.length < length2) {
              s += ch;
            }
            return s;
          }
        }
        Debug2.formatControlFlowGraph = formatControlFlowGraph;
      })(Debug || (Debug = {}));
      var versionRegExp = /^(0|[1-9]\d*)(?:\.(0|[1-9]\d*)(?:\.(0|[1-9]\d*)(?:-([a-z0-9-.]+))?(?:\+([a-z0-9-.]+))?)?)?$/i;
      var prereleaseRegExp = /^(?:0|[1-9]\d*|[a-z-][a-z0-9-]*)(?:\.(?:0|[1-9]\d*|[a-z-][a-z0-9-]*))*$/i;
      var prereleasePartRegExp = /^(?:0|[1-9]\d*|[a-z-][a-z0-9-]*)$/i;
      var buildRegExp = /^[a-z0-9-]+(?:\.[a-z0-9-]+)*$/i;
      var buildPartRegExp = /^[a-z0-9-]+$/i;
      var numericIdentifierRegExp = /^(0|[1-9]\d*)$/;
      var _Version = class _Version2 {
        constructor(major, minor = 0, patch = 0, prerelease = "", build2 = "") {
          if (typeof major === "string") {
            const result = Debug.checkDefined(tryParseComponents(major), "Invalid version");
            ({ major, minor, patch, prerelease, build: build2 } = result);
          }
          Debug.assert(major >= 0, "Invalid argument: major");
          Debug.assert(minor >= 0, "Invalid argument: minor");
          Debug.assert(patch >= 0, "Invalid argument: patch");
          const prereleaseArray = prerelease ? isArray3(prerelease) ? prerelease : prerelease.split(".") : emptyArray;
          const buildArray = build2 ? isArray3(build2) ? build2 : build2.split(".") : emptyArray;
          Debug.assert(every(prereleaseArray, (s) => prereleasePartRegExp.test(s)), "Invalid argument: prerelease");
          Debug.assert(every(buildArray, (s) => buildPartRegExp.test(s)), "Invalid argument: build");
          this.major = major;
          this.minor = minor;
          this.patch = patch;
          this.prerelease = prereleaseArray;
          this.build = buildArray;
        }
        static tryParse(text) {
          const result = tryParseComponents(text);
          if (!result) return void 0;
          const { major, minor, patch, prerelease, build: build2 } = result;
          return new _Version2(major, minor, patch, prerelease, build2);
        }
        compareTo(other) {
          if (this === other) return 0;
          if (other === void 0) return 1;
          return compareValues(this.major, other.major) || compareValues(this.minor, other.minor) || compareValues(this.patch, other.patch) || comparePrereleaseIdentifiers(this.prerelease, other.prerelease);
        }
        increment(field) {
          switch (field) {
            case "major":
              return new _Version2(this.major + 1, 0, 0);
            case "minor":
              return new _Version2(this.major, this.minor + 1, 0);
            case "patch":
              return new _Version2(this.major, this.minor, this.patch + 1);
            default:
              return Debug.assertNever(field);
          }
        }
        with(fields) {
          const {
            major = this.major,
            minor = this.minor,
            patch = this.patch,
            prerelease = this.prerelease,
            build: build2 = this.build
          } = fields;
          return new _Version2(major, minor, patch, prerelease, build2);
        }
        toString() {
          let result = `${this.major}.${this.minor}.${this.patch}`;
          if (some(this.prerelease)) result += `-${this.prerelease.join(".")}`;
          if (some(this.build)) result += `+${this.build.join(".")}`;
          return result;
        }
      };
      _Version.zero = new _Version(0, 0, 0, ["0"]);
      var Version = _Version;
      function tryParseComponents(text) {
        const match = versionRegExp.exec(text);
        if (!match) return void 0;
        const [, major, minor = "0", patch = "0", prerelease = "", build2 = ""] = match;
        if (prerelease && !prereleaseRegExp.test(prerelease)) return void 0;
        if (build2 && !buildRegExp.test(build2)) return void 0;
        return {
          major: parseInt(major, 10),
          minor: parseInt(minor, 10),
          patch: parseInt(patch, 10),
          prerelease,
          build: build2
        };
      }
      function comparePrereleaseIdentifiers(left, right) {
        if (left === right) return 0;
        if (left.length === 0) return right.length === 0 ? 0 : 1;
        if (right.length === 0) return -1;
        const length2 = Math.min(left.length, right.length);
        for (let i = 0; i < length2; i++) {
          const leftIdentifier = left[i];
          const rightIdentifier = right[i];
          if (leftIdentifier === rightIdentifier) continue;
          const leftIsNumeric = numericIdentifierRegExp.test(leftIdentifier);
          const rightIsNumeric = numericIdentifierRegExp.test(rightIdentifier);
          if (leftIsNumeric || rightIsNumeric) {
            if (leftIsNumeric !== rightIsNumeric) return leftIsNumeric ? -1 : 1;
            const result = compareValues(+leftIdentifier, +rightIdentifier);
            if (result) return result;
          } else {
            const result = compareStringsCaseSensitive(leftIdentifier, rightIdentifier);
            if (result) return result;
          }
        }
        return compareValues(left.length, right.length);
      }
      var VersionRange = class _VersionRange {
        constructor(spec) {
          this._alternatives = spec ? Debug.checkDefined(parseRange(spec), "Invalid range spec.") : emptyArray;
        }
        static tryParse(text) {
          const sets = parseRange(text);
          if (sets) {
            const range = new _VersionRange("");
            range._alternatives = sets;
            return range;
          }
          return void 0;
        }
        /**
         * Tests whether a version matches the range. This is equivalent to `satisfies(version, range, { includePrerelease: true })`.
         * in `node-semver`.
         */
        test(version2) {
          if (typeof version2 === "string") version2 = new Version(version2);
          return testDisjunction(version2, this._alternatives);
        }
        toString() {
          return formatDisjunction(this._alternatives);
        }
      };
      var logicalOrRegExp = /\|\|/g;
      var whitespaceRegExp = /\s+/g;
      var partialRegExp = /^([xX*0]|[1-9]\d*)(?:\.([xX*0]|[1-9]\d*)(?:\.([xX*0]|[1-9]\d*)(?:-([a-z0-9-.]+))?(?:\+([a-z0-9-.]+))?)?)?$/i;
      var hyphenRegExp = /^\s*([a-z0-9-+.*]+)\s+-\s+([a-z0-9-+.*]+)\s*$/i;
      var rangeRegExp = /^(~|\^|<|<=|>|>=|=)?\s*([a-z0-9-+.*]+)$/i;
      function parseRange(text) {
        const alternatives = [];
        for (let range of text.trim().split(logicalOrRegExp)) {
          if (!range) continue;
          const comparators = [];
          range = range.trim();
          const match = hyphenRegExp.exec(range);
          if (match) {
            if (!parseHyphen(match[1], match[2], comparators)) return void 0;
          } else {
            for (const simple of range.split(whitespaceRegExp)) {
              const match2 = rangeRegExp.exec(simple.trim());
              if (!match2 || !parseComparator(match2[1], match2[2], comparators)) return void 0;
            }
          }
          alternatives.push(comparators);
        }
        return alternatives;
      }
      function parsePartial(text) {
        const match = partialRegExp.exec(text);
        if (!match) return void 0;
        const [, major, minor = "*", patch = "*", prerelease, build2] = match;
        const version2 = new Version(
          isWildcard(major) ? 0 : parseInt(major, 10),
          isWildcard(major) || isWildcard(minor) ? 0 : parseInt(minor, 10),
          isWildcard(major) || isWildcard(minor) || isWildcard(patch) ? 0 : parseInt(patch, 10),
          prerelease,
          build2
        );
        return { version: version2, major, minor, patch };
      }
      function parseHyphen(left, right, comparators) {
        const leftResult = parsePartial(left);
        if (!leftResult) return false;
        const rightResult = parsePartial(right);
        if (!rightResult) return false;
        if (!isWildcard(leftResult.major)) {
          comparators.push(createComparator(">=", leftResult.version));
        }
        if (!isWildcard(rightResult.major)) {
          comparators.push(
            isWildcard(rightResult.minor) ? createComparator("<", rightResult.version.increment("major")) : isWildcard(rightResult.patch) ? createComparator("<", rightResult.version.increment("minor")) : createComparator("<=", rightResult.version)
          );
        }
        return true;
      }
      function parseComparator(operator, text, comparators) {
        const result = parsePartial(text);
        if (!result) return false;
        const { version: version2, major, minor, patch } = result;
        if (!isWildcard(major)) {
          switch (operator) {
            case "~":
              comparators.push(createComparator(">=", version2));
              comparators.push(createComparator(
                "<",
                version2.increment(
                  isWildcard(minor) ? "major" : "minor"
                )
              ));
              break;
            case "^":
              comparators.push(createComparator(">=", version2));
              comparators.push(createComparator(
                "<",
                version2.increment(
                  version2.major > 0 || isWildcard(minor) ? "major" : version2.minor > 0 || isWildcard(patch) ? "minor" : "patch"
                )
              ));
              break;
            case "<":
            case ">=":
              comparators.push(
                isWildcard(minor) || isWildcard(patch) ? createComparator(operator, version2.with({ prerelease: "0" })) : createComparator(operator, version2)
              );
              break;
            case "<=":
            case ">":
              comparators.push(
                isWildcard(minor) ? createComparator(operator === "<=" ? "<" : ">=", version2.increment("major").with({ prerelease: "0" })) : isWildcard(patch) ? createComparator(operator === "<=" ? "<" : ">=", version2.increment("minor").with({ prerelease: "0" })) : createComparator(operator, version2)
              );
              break;
            case "=":
            case void 0:
              if (isWildcard(minor) || isWildcard(patch)) {
                comparators.push(createComparator(">=", version2.with({ prerelease: "0" })));
                comparators.push(createComparator("<", version2.increment(isWildcard(minor) ? "major" : "minor").with({ prerelease: "0" })));
              } else {
                comparators.push(createComparator("=", version2));
              }
              break;
            default:
              return false;
          }
        } else if (operator === "<" || operator === ">") {
          comparators.push(createComparator("<", Version.zero));
        }
        return true;
      }
      function isWildcard(part) {
        return part === "*" || part === "x" || part === "X";
      }
      function createComparator(operator, operand) {
        return { operator, operand };
      }
      function testDisjunction(version2, alternatives) {
        if (alternatives.length === 0) return true;
        for (const alternative of alternatives) {
          if (testAlternative(version2, alternative)) return true;
        }
        return false;
      }
      function testAlternative(version2, comparators) {
        for (const comparator of comparators) {
          if (!testComparator(version2, comparator.operator, comparator.operand)) return false;
        }
        return true;
      }
      function testComparator(version2, operator, operand) {
        const cmp = version2.compareTo(operand);
        switch (operator) {
          case "<":
            return cmp < 0;
          case "<=":
            return cmp <= 0;
          case ">":
            return cmp > 0;
          case ">=":
            return cmp >= 0;
          case "=":
            return cmp === 0;
          default:
            return Debug.assertNever(operator);
        }
      }
      function formatDisjunction(alternatives) {
        return map(alternatives, formatAlternative).join(" || ") || "*";
      }
      function formatAlternative(comparators) {
        return map(comparators, formatComparator).join(" ");
      }
      function formatComparator(comparator) {
        return `${comparator.operator}${comparator.operand}`;
      }
      function tryGetPerformance() {
        if (isNodeLikeSystem()) {
          try {
            const { performance: performance2 } = require("perf_hooks");
            if (performance2) {
              return {
                shouldWriteNativeEvents: false,
                performance: performance2
              };
            }
          } catch {
          }
        }
        if (typeof performance === "object") {
          return {
            shouldWriteNativeEvents: true,
            performance
          };
        }
        return void 0;
      }
      function tryGetPerformanceHooks() {
        const p = tryGetPerformance();
        if (!p) return void 0;
        const { shouldWriteNativeEvents, performance: performance2 } = p;
        const hooks = {
          shouldWriteNativeEvents,
          performance: void 0,
          performanceTime: void 0
        };
        if (typeof performance2.timeOrigin === "number" && typeof performance2.now === "function") {
          hooks.performanceTime = performance2;
        }
        if (hooks.performanceTime && typeof performance2.mark === "function" && typeof performance2.measure === "function" && typeof performance2.clearMarks === "function" && typeof performance2.clearMeasures === "function") {
          hooks.performance = performance2;
        }
        return hooks;
      }
      var nativePerformanceHooks = tryGetPerformanceHooks();
      var nativePerformanceTime = nativePerformanceHooks == null ? void 0 : nativePerformanceHooks.performanceTime;
      function tryGetNativePerformanceHooks() {
        return nativePerformanceHooks;
      }
      var timestamp = nativePerformanceTime ? () => nativePerformanceTime.now() : Date.now;
      var etwModule;
      try {
        const etwModulePath = process.env.TS_ETW_MODULE_PATH ?? "./node_modules/@microsoft/typescript-etw";
        etwModule = require(etwModulePath);
      } catch (e) {
        etwModule = void 0;
      }
      var perfLogger = (etwModule == null ? void 0 : etwModule.logEvent) ? etwModule : void 0;
      var ts_performance_exports = {};
      __export2(ts_performance_exports, {
        clearMarks: () => clearMarks,
        clearMeasures: () => clearMeasures,
        createTimer: () => createTimer,
        createTimerIf: () => createTimerIf,
        disable: () => disable,
        enable: () => enable,
        forEachMark: () => forEachMark,
        forEachMeasure: () => forEachMeasure,
        getCount: () => getCount,
        getDuration: () => getDuration,
        isEnabled: () => isEnabled,
        mark: () => mark,
        measure: () => measure,
        nullTimer: () => nullTimer
      });
      var perfHooks;
      var performanceImpl;
      function createTimerIf(condition, measureName, startMarkName, endMarkName) {
        return condition ? createTimer(measureName, startMarkName, endMarkName) : nullTimer;
      }
      function createTimer(measureName, startMarkName, endMarkName) {
        let enterCount = 0;
        return {
          enter,
          exit
        };
        function enter() {
          if (++enterCount === 1) {
            mark(startMarkName);
          }
        }
        function exit() {
          if (--enterCount === 0) {
            mark(endMarkName);
            measure(measureName, startMarkName, endMarkName);
          } else if (enterCount < 0) {
            Debug.fail("enter/exit count does not match.");
          }
        }
      }
      var nullTimer = { enter: noop2, exit: noop2 };
      var enabled = false;
      var timeorigin = timestamp();
      var marks = /* @__PURE__ */ new Map();
      var counts = /* @__PURE__ */ new Map();
      var durations = /* @__PURE__ */ new Map();
      function mark(markName) {
        if (enabled) {
          const count = counts.get(markName) ?? 0;
          counts.set(markName, count + 1);
          marks.set(markName, timestamp());
          performanceImpl == null ? void 0 : performanceImpl.mark(markName);
          if (typeof onProfilerEvent === "function") {
            onProfilerEvent(markName);
          }
        }
      }
      function measure(measureName, startMarkName, endMarkName) {
        if (enabled) {
          const end = (endMarkName !== void 0 ? marks.get(endMarkName) : void 0) ?? timestamp();
          const start = (startMarkName !== void 0 ? marks.get(startMarkName) : void 0) ?? timeorigin;
          const previousDuration = durations.get(measureName) || 0;
          durations.set(measureName, previousDuration + (end - start));
          performanceImpl == null ? void 0 : performanceImpl.measure(measureName, startMarkName, endMarkName);
        }
      }
      function getCount(markName) {
        return counts.get(markName) || 0;
      }
      function getDuration(measureName) {
        return durations.get(measureName) || 0;
      }
      function forEachMeasure(cb) {
        durations.forEach((duration, measureName) => cb(measureName, duration));
      }
      function forEachMark(cb) {
        marks.forEach((_time, markName) => cb(markName));
      }
      function clearMeasures(name) {
        if (name !== void 0) durations.delete(name);
        else durations.clear();
        performanceImpl == null ? void 0 : performanceImpl.clearMeasures(name);
      }
      function clearMarks(name) {
        if (name !== void 0) {
          counts.delete(name);
          marks.delete(name);
        } else {
          counts.clear();
          marks.clear();
        }
        performanceImpl == null ? void 0 : performanceImpl.clearMarks(name);
      }
      function isEnabled() {
        return enabled;
      }
      function enable(system = sys) {
        var _a;
        if (!enabled) {
          enabled = true;
          perfHooks || (perfHooks = tryGetNativePerformanceHooks());
          if (perfHooks == null ? void 0 : perfHooks.performance) {
            timeorigin = perfHooks.performance.timeOrigin;
            if (perfHooks.shouldWriteNativeEvents || ((_a = system == null ? void 0 : system.cpuProfilingEnabled) == null ? void 0 : _a.call(system)) || (system == null ? void 0 : system.debugMode)) {
              performanceImpl = perfHooks.performance;
            }
          }
        }
        return true;
      }
      function disable() {
        if (enabled) {
          marks.clear();
          counts.clear();
          durations.clear();
          performanceImpl = void 0;
          enabled = false;
        }
      }
      var tracing;
      var tracingEnabled;
      ((tracingEnabled2) => {
        let fs4;
        let traceCount = 0;
        let traceFd = 0;
        let mode;
        const typeCatalog = [];
        let legendPath;
        const legend = [];
        function startTracing2(tracingMode, traceDir, configFilePath) {
          Debug.assert(!tracing, "Tracing already started");
          if (fs4 === void 0) {
            try {
              fs4 = require("fs");
            } catch (e) {
              throw new Error(`tracing requires having fs
(original error: ${e.message || e})`);
            }
          }
          mode = tracingMode;
          typeCatalog.length = 0;
          if (legendPath === void 0) {
            legendPath = combinePaths(traceDir, "legend.json");
          }
          if (!fs4.existsSync(traceDir)) {
            fs4.mkdirSync(traceDir, { recursive: true });
          }
          const countPart = mode === "build" ? `.${process.pid}-${++traceCount}` : mode === "server" ? `.${process.pid}` : ``;
          const tracePath = combinePaths(traceDir, `trace${countPart}.json`);
          const typesPath = combinePaths(traceDir, `types${countPart}.json`);
          legend.push({
            configFilePath,
            tracePath,
            typesPath
          });
          traceFd = fs4.openSync(tracePath, "w");
          tracing = tracingEnabled2;
          const meta = { cat: "__metadata", ph: "M", ts: 1e3 * timestamp(), pid: 1, tid: 1 };
          fs4.writeSync(
            traceFd,
            "[\n" + [{ name: "process_name", args: { name: "tsc" }, ...meta }, { name: "thread_name", args: { name: "Main" }, ...meta }, { name: "TracingStartedInBrowser", ...meta, cat: "disabled-by-default-devtools.timeline" }].map((v) => JSON.stringify(v)).join(",\n")
          );
        }
        tracingEnabled2.startTracing = startTracing2;
        function stopTracing() {
          Debug.assert(tracing, "Tracing is not in progress");
          Debug.assert(!!typeCatalog.length === (mode !== "server"));
          fs4.writeSync(traceFd, `
]
`);
          fs4.closeSync(traceFd);
          tracing = void 0;
          if (typeCatalog.length) {
            dumpTypes(typeCatalog);
          } else {
            legend[legend.length - 1].typesPath = void 0;
          }
        }
        tracingEnabled2.stopTracing = stopTracing;
        function recordType2(type) {
          if (mode !== "server") {
            typeCatalog.push(type);
          }
        }
        tracingEnabled2.recordType = recordType2;
        let Phase;
        ((Phase2) => {
          Phase2["Parse"] = "parse";
          Phase2["Program"] = "program";
          Phase2["Bind"] = "bind";
          Phase2["Check"] = "check";
          Phase2["CheckTypes"] = "checkTypes";
          Phase2["Emit"] = "emit";
          Phase2["Session"] = "session";
        })(Phase = tracingEnabled2.Phase || (tracingEnabled2.Phase = {}));
        function instant(phase, name, args) {
          writeEvent("I", phase, name, args, `"s":"g"`);
        }
        tracingEnabled2.instant = instant;
        const eventStack = [];
        function push(phase, name, args, separateBeginAndEnd = false) {
          if (separateBeginAndEnd) {
            writeEvent("B", phase, name, args);
          }
          eventStack.push({ phase, name, args, time: 1e3 * timestamp(), separateBeginAndEnd });
        }
        tracingEnabled2.push = push;
        function pop(results) {
          Debug.assert(eventStack.length > 0);
          writeStackEvent(eventStack.length - 1, 1e3 * timestamp(), results);
          eventStack.length--;
        }
        tracingEnabled2.pop = pop;
        function popAll() {
          const endTime = 1e3 * timestamp();
          for (let i = eventStack.length - 1; i >= 0; i--) {
            writeStackEvent(i, endTime);
          }
          eventStack.length = 0;
        }
        tracingEnabled2.popAll = popAll;
        const sampleInterval = 1e3 * 10;
        function writeStackEvent(index, endTime, results) {
          const { phase, name, args, time, separateBeginAndEnd } = eventStack[index];
          if (separateBeginAndEnd) {
            Debug.assert(!results, "`results` are not supported for events with `separateBeginAndEnd`");
            writeEvent(
              "E",
              phase,
              name,
              args,
              /*extras*/
              void 0,
              endTime
            );
          } else if (sampleInterval - time % sampleInterval <= endTime - time) {
            writeEvent("X", phase, name, { ...args, results }, `"dur":${endTime - time}`, time);
          }
        }
        function writeEvent(eventType, phase, name, args, extras, time = 1e3 * timestamp()) {
          if (mode === "server" && phase === "checkTypes") return;
          mark("beginTracing");
          fs4.writeSync(traceFd, `,
{"pid":1,"tid":1,"ph":"${eventType}","cat":"${phase}","ts":${time},"name":"${name}"`);
          if (extras) fs4.writeSync(traceFd, `,${extras}`);
          if (args) fs4.writeSync(traceFd, `,"args":${JSON.stringify(args)}`);
          fs4.writeSync(traceFd, `}`);
          mark("endTracing");
          measure("Tracing", "beginTracing", "endTracing");
        }
        function getLocation(node) {
          const file = getSourceFileOfNode(node);
          return !file ? void 0 : {
            path: file.path,
            start: indexFromOne(getLineAndCharacterOfPosition(file, node.pos)),
            end: indexFromOne(getLineAndCharacterOfPosition(file, node.end))
          };
          function indexFromOne(lc) {
            return {
              line: lc.line + 1,
              character: lc.character + 1
            };
          }
        }
        function dumpTypes(types) {
          var _a, _b, _c, _d, _e, _f, _g, _h, _i, _j, _k, _l, _m, _n, _o, _p, _q, _r, _s;
          mark("beginDumpTypes");
          const typesPath = legend[legend.length - 1].typesPath;
          const typesFd = fs4.openSync(typesPath, "w");
          const recursionIdentityMap = /* @__PURE__ */ new Map();
          fs4.writeSync(typesFd, "[");
          const numTypes = types.length;
          for (let i = 0; i < numTypes; i++) {
            const type = types[i];
            const objectFlags = type.objectFlags;
            const symbol = type.aliasSymbol ?? type.symbol;
            let display;
            if (objectFlags & 16 | type.flags & 2944) {
              try {
                display = (_a = type.checker) == null ? void 0 : _a.typeToString(type);
              } catch {
                display = void 0;
              }
            }
            let indexedAccessProperties = {};
            if (type.flags & 8388608) {
              const indexedAccessType = type;
              indexedAccessProperties = {
                indexedAccessObjectType: (_b = indexedAccessType.objectType) == null ? void 0 : _b.id,
                indexedAccessIndexType: (_c = indexedAccessType.indexType) == null ? void 0 : _c.id
              };
            }
            let referenceProperties = {};
            if (objectFlags & 4) {
              const referenceType = type;
              referenceProperties = {
                instantiatedType: (_d = referenceType.target) == null ? void 0 : _d.id,
                typeArguments: (_e = referenceType.resolvedTypeArguments) == null ? void 0 : _e.map((t) => t.id),
                referenceLocation: getLocation(referenceType.node)
              };
            }
            let conditionalProperties = {};
            if (type.flags & 16777216) {
              const conditionalType = type;
              conditionalProperties = {
                conditionalCheckType: (_f = conditionalType.checkType) == null ? void 0 : _f.id,
                conditionalExtendsType: (_g = conditionalType.extendsType) == null ? void 0 : _g.id,
                conditionalTrueType: ((_h = conditionalType.resolvedTrueType) == null ? void 0 : _h.id) ?? -1,
                conditionalFalseType: ((_i = conditionalType.resolvedFalseType) == null ? void 0 : _i.id) ?? -1
              };
            }
            let substitutionProperties = {};
            if (type.flags & 33554432) {
              const substitutionType = type;
              substitutionProperties = {
                substitutionBaseType: (_j = substitutionType.baseType) == null ? void 0 : _j.id,
                constraintType: (_k = substitutionType.constraint) == null ? void 0 : _k.id
              };
            }
            let reverseMappedProperties = {};
            if (objectFlags & 1024) {
              const reverseMappedType = type;
              reverseMappedProperties = {
                reverseMappedSourceType: (_l = reverseMappedType.source) == null ? void 0 : _l.id,
                reverseMappedMappedType: (_m = reverseMappedType.mappedType) == null ? void 0 : _m.id,
                reverseMappedConstraintType: (_n = reverseMappedType.constraintType) == null ? void 0 : _n.id
              };
            }
            let evolvingArrayProperties = {};
            if (objectFlags & 256) {
              const evolvingArrayType = type;
              evolvingArrayProperties = {
                evolvingArrayElementType: evolvingArrayType.elementType.id,
                evolvingArrayFinalType: (_o = evolvingArrayType.finalArrayType) == null ? void 0 : _o.id
              };
            }
            let recursionToken;
            const recursionIdentity = type.checker.getRecursionIdentity(type);
            if (recursionIdentity) {
              recursionToken = recursionIdentityMap.get(recursionIdentity);
              if (!recursionToken) {
                recursionToken = recursionIdentityMap.size;
                recursionIdentityMap.set(recursionIdentity, recursionToken);
              }
            }
            const descriptor = {
              id: type.id,
              intrinsicName: type.intrinsicName,
              symbolName: (symbol == null ? void 0 : symbol.escapedName) && unescapeLeadingUnderscores(symbol.escapedName),
              recursionId: recursionToken,
              isTuple: objectFlags & 8 ? true : void 0,
              unionTypes: type.flags & 1048576 ? (_p = type.types) == null ? void 0 : _p.map((t) => t.id) : void 0,
              intersectionTypes: type.flags & 2097152 ? type.types.map((t) => t.id) : void 0,
              aliasTypeArguments: (_q = type.aliasTypeArguments) == null ? void 0 : _q.map((t) => t.id),
              keyofType: type.flags & 4194304 ? (_r = type.type) == null ? void 0 : _r.id : void 0,
              ...indexedAccessProperties,
              ...referenceProperties,
              ...conditionalProperties,
              ...substitutionProperties,
              ...reverseMappedProperties,
              ...evolvingArrayProperties,
              destructuringPattern: getLocation(type.pattern),
              firstDeclaration: getLocation((_s = symbol == null ? void 0 : symbol.declarations) == null ? void 0 : _s[0]),
              flags: Debug.formatTypeFlags(type.flags).split("|"),
              display
            };
            fs4.writeSync(typesFd, JSON.stringify(descriptor));
            if (i < numTypes - 1) {
              fs4.writeSync(typesFd, ",\n");
            }
          }
          fs4.writeSync(typesFd, "]\n");
          fs4.closeSync(typesFd);
          mark("endDumpTypes");
          measure("Dump types", "beginDumpTypes", "endDumpTypes");
        }
        function dumpLegend() {
          if (!legendPath) {
            return;
          }
          fs4.writeFileSync(legendPath, JSON.stringify(legend));
        }
        tracingEnabled2.dumpLegend = dumpLegend;
      })(tracingEnabled || (tracingEnabled = {}));
      var startTracing = tracingEnabled.startTracing;
      var dumpTracingLegend = tracingEnabled.dumpLegend;
      var SyntaxKind = /* @__PURE__ */ ((SyntaxKind5) => {
        SyntaxKind5[SyntaxKind5["Unknown"] = 0] = "Unknown";
        SyntaxKind5[SyntaxKind5["EndOfFileToken"] = 1] = "EndOfFileToken";
        SyntaxKind5[SyntaxKind5["SingleLineCommentTrivia"] = 2] = "SingleLineCommentTrivia";
        SyntaxKind5[SyntaxKind5["MultiLineCommentTrivia"] = 3] = "MultiLineCommentTrivia";
        SyntaxKind5[SyntaxKind5["NewLineTrivia"] = 4] = "NewLineTrivia";
        SyntaxKind5[SyntaxKind5["WhitespaceTrivia"] = 5] = "WhitespaceTrivia";
        SyntaxKind5[SyntaxKind5["ShebangTrivia"] = 6] = "ShebangTrivia";
        SyntaxKind5[SyntaxKind5["ConflictMarkerTrivia"] = 7] = "ConflictMarkerTrivia";
        SyntaxKind5[SyntaxKind5["NonTextFileMarkerTrivia"] = 8] = "NonTextFileMarkerTrivia";
        SyntaxKind5[SyntaxKind5["NumericLiteral"] = 9] = "NumericLiteral";
        SyntaxKind5[SyntaxKind5["BigIntLiteral"] = 10] = "BigIntLiteral";
        SyntaxKind5[SyntaxKind5["StringLiteral"] = 11] = "StringLiteral";
        SyntaxKind5[SyntaxKind5["JsxText"] = 12] = "JsxText";
        SyntaxKind5[SyntaxKind5["JsxTextAllWhiteSpaces"] = 13] = "JsxTextAllWhiteSpaces";
        SyntaxKind5[SyntaxKind5["RegularExpressionLiteral"] = 14] = "RegularExpressionLiteral";
        SyntaxKind5[SyntaxKind5["NoSubstitutionTemplateLiteral"] = 15] = "NoSubstitutionTemplateLiteral";
        SyntaxKind5[SyntaxKind5["TemplateHead"] = 16] = "TemplateHead";
        SyntaxKind5[SyntaxKind5["TemplateMiddle"] = 17] = "TemplateMiddle";
        SyntaxKind5[SyntaxKind5["TemplateTail"] = 18] = "TemplateTail";
        SyntaxKind5[SyntaxKind5["OpenBraceToken"] = 19] = "OpenBraceToken";
        SyntaxKind5[SyntaxKind5["CloseBraceToken"] = 20] = "CloseBraceToken";
        SyntaxKind5[SyntaxKind5["OpenParenToken"] = 21] = "OpenParenToken";
        SyntaxKind5[SyntaxKind5["CloseParenToken"] = 22] = "CloseParenToken";
        SyntaxKind5[SyntaxKind5["OpenBracketToken"] = 23] = "OpenBracketToken";
        SyntaxKind5[SyntaxKind5["CloseBracketToken"] = 24] = "CloseBracketToken";
        SyntaxKind5[SyntaxKind5["DotToken"] = 25] = "DotToken";
        SyntaxKind5[SyntaxKind5["DotDotDotToken"] = 26] = "DotDotDotToken";
        SyntaxKind5[SyntaxKind5["SemicolonToken"] = 27] = "SemicolonToken";
        SyntaxKind5[SyntaxKind5["CommaToken"] = 28] = "CommaToken";
        SyntaxKind5[SyntaxKind5["QuestionDotToken"] = 29] = "QuestionDotToken";
        SyntaxKind5[SyntaxKind5["LessThanToken"] = 30] = "LessThanToken";
        SyntaxKind5[SyntaxKind5["LessThanSlashToken"] = 31] = "LessThanSlashToken";
        SyntaxKind5[SyntaxKind5["GreaterThanToken"] = 32] = "GreaterThanToken";
        SyntaxKind5[SyntaxKind5["LessThanEqualsToken"] = 33] = "LessThanEqualsToken";
        SyntaxKind5[SyntaxKind5["GreaterThanEqualsToken"] = 34] = "GreaterThanEqualsToken";
        SyntaxKind5[SyntaxKind5["EqualsEqualsToken"] = 35] = "EqualsEqualsToken";
        SyntaxKind5[SyntaxKind5["ExclamationEqualsToken"] = 36] = "ExclamationEqualsToken";
        SyntaxKind5[SyntaxKind5["EqualsEqualsEqualsToken"] = 37] = "EqualsEqualsEqualsToken";
        SyntaxKind5[SyntaxKind5["ExclamationEqualsEqualsToken"] = 38] = "ExclamationEqualsEqualsToken";
        SyntaxKind5[SyntaxKind5["EqualsGreaterThanToken"] = 39] = "EqualsGreaterThanToken";
        SyntaxKind5[SyntaxKind5["PlusToken"] = 40] = "PlusToken";
        SyntaxKind5[SyntaxKind5["MinusToken"] = 41] = "MinusToken";
        SyntaxKind5[SyntaxKind5["AsteriskToken"] = 42] = "AsteriskToken";
        SyntaxKind5[SyntaxKind5["AsteriskAsteriskToken"] = 43] = "AsteriskAsteriskToken";
        SyntaxKind5[SyntaxKind5["SlashToken"] = 44] = "SlashToken";
        SyntaxKind5[SyntaxKind5["PercentToken"] = 45] = "PercentToken";
        SyntaxKind5[SyntaxKind5["PlusPlusToken"] = 46] = "PlusPlusToken";
        SyntaxKind5[SyntaxKind5["MinusMinusToken"] = 47] = "MinusMinusToken";
        SyntaxKind5[SyntaxKind5["LessThanLessThanToken"] = 48] = "LessThanLessThanToken";
        SyntaxKind5[SyntaxKind5["GreaterThanGreaterThanToken"] = 49] = "GreaterThanGreaterThanToken";
        SyntaxKind5[SyntaxKind5["GreaterThanGreaterThanGreaterThanToken"] = 50] = "GreaterThanGreaterThanGreaterThanToken";
        SyntaxKind5[SyntaxKind5["AmpersandToken"] = 51] = "AmpersandToken";
        SyntaxKind5[SyntaxKind5["BarToken"] = 52] = "BarToken";
        SyntaxKind5[SyntaxKind5["CaretToken"] = 53] = "CaretToken";
        SyntaxKind5[SyntaxKind5["ExclamationToken"] = 54] = "ExclamationToken";
        SyntaxKind5[SyntaxKind5["TildeToken"] = 55] = "TildeToken";
        SyntaxKind5[SyntaxKind5["AmpersandAmpersandToken"] = 56] = "AmpersandAmpersandToken";
        SyntaxKind5[SyntaxKind5["BarBarToken"] = 57] = "BarBarToken";
        SyntaxKind5[SyntaxKind5["QuestionToken"] = 58] = "QuestionToken";
        SyntaxKind5[SyntaxKind5["ColonToken"] = 59] = "ColonToken";
        SyntaxKind5[SyntaxKind5["AtToken"] = 60] = "AtToken";
        SyntaxKind5[SyntaxKind5["QuestionQuestionToken"] = 61] = "QuestionQuestionToken";
        SyntaxKind5[SyntaxKind5["BacktickToken"] = 62] = "BacktickToken";
        SyntaxKind5[SyntaxKind5["HashToken"] = 63] = "HashToken";
        SyntaxKind5[SyntaxKind5["EqualsToken"] = 64] = "EqualsToken";
        SyntaxKind5[SyntaxKind5["PlusEqualsToken"] = 65] = "PlusEqualsToken";
        SyntaxKind5[SyntaxKind5["MinusEqualsToken"] = 66] = "MinusEqualsToken";
        SyntaxKind5[SyntaxKind5["AsteriskEqualsToken"] = 67] = "AsteriskEqualsToken";
        SyntaxKind5[SyntaxKind5["AsteriskAsteriskEqualsToken"] = 68] = "AsteriskAsteriskEqualsToken";
        SyntaxKind5[SyntaxKind5["SlashEqualsToken"] = 69] = "SlashEqualsToken";
        SyntaxKind5[SyntaxKind5["PercentEqualsToken"] = 70] = "PercentEqualsToken";
        SyntaxKind5[SyntaxKind5["LessThanLessThanEqualsToken"] = 71] = "LessThanLessThanEqualsToken";
        SyntaxKind5[SyntaxKind5["GreaterThanGreaterThanEqualsToken"] = 72] = "GreaterThanGreaterThanEqualsToken";
        SyntaxKind5[SyntaxKind5["GreaterThanGreaterThanGreaterThanEqualsToken"] = 73] = "GreaterThanGreaterThanGreaterThanEqualsToken";
        SyntaxKind5[SyntaxKind5["AmpersandEqualsToken"] = 74] = "AmpersandEqualsToken";
        SyntaxKind5[SyntaxKind5["BarEqualsToken"] = 75] = "BarEqualsToken";
        SyntaxKind5[SyntaxKind5["BarBarEqualsToken"] = 76] = "BarBarEqualsToken";
        SyntaxKind5[SyntaxKind5["AmpersandAmpersandEqualsToken"] = 77] = "AmpersandAmpersandEqualsToken";
        SyntaxKind5[SyntaxKind5["QuestionQuestionEqualsToken"] = 78] = "QuestionQuestionEqualsToken";
        SyntaxKind5[SyntaxKind5["CaretEqualsToken"] = 79] = "CaretEqualsToken";
        SyntaxKind5[SyntaxKind5["Identifier"] = 80] = "Identifier";
        SyntaxKind5[SyntaxKind5["PrivateIdentifier"] = 81] = "PrivateIdentifier";
        SyntaxKind5[SyntaxKind5["JSDocCommentTextToken"] = 82] = "JSDocCommentTextToken";
        SyntaxKind5[SyntaxKind5["BreakKeyword"] = 83] = "BreakKeyword";
        SyntaxKind5[SyntaxKind5["CaseKeyword"] = 84] = "CaseKeyword";
        SyntaxKind5[SyntaxKind5["CatchKeyword"] = 85] = "CatchKeyword";
        SyntaxKind5[SyntaxKind5["ClassKeyword"] = 86] = "ClassKeyword";
        SyntaxKind5[SyntaxKind5["ConstKeyword"] = 87] = "ConstKeyword";
        SyntaxKind5[SyntaxKind5["ContinueKeyword"] = 88] = "ContinueKeyword";
        SyntaxKind5[SyntaxKind5["DebuggerKeyword"] = 89] = "DebuggerKeyword";
        SyntaxKind5[SyntaxKind5["DefaultKeyword"] = 90] = "DefaultKeyword";
        SyntaxKind5[SyntaxKind5["DeleteKeyword"] = 91] = "DeleteKeyword";
        SyntaxKind5[SyntaxKind5["DoKeyword"] = 92] = "DoKeyword";
        SyntaxKind5[SyntaxKind5["ElseKeyword"] = 93] = "ElseKeyword";
        SyntaxKind5[SyntaxKind5["EnumKeyword"] = 94] = "EnumKeyword";
        SyntaxKind5[SyntaxKind5["ExportKeyword"] = 95] = "ExportKeyword";
        SyntaxKind5[SyntaxKind5["ExtendsKeyword"] = 96] = "ExtendsKeyword";
        SyntaxKind5[SyntaxKind5["FalseKeyword"] = 97] = "FalseKeyword";
        SyntaxKind5[SyntaxKind5["FinallyKeyword"] = 98] = "FinallyKeyword";
        SyntaxKind5[SyntaxKind5["ForKeyword"] = 99] = "ForKeyword";
        SyntaxKind5[SyntaxKind5["FunctionKeyword"] = 100] = "FunctionKeyword";
        SyntaxKind5[SyntaxKind5["IfKeyword"] = 101] = "IfKeyword";
        SyntaxKind5[SyntaxKind5["ImportKeyword"] = 102] = "ImportKeyword";
        SyntaxKind5[SyntaxKind5["InKeyword"] = 103] = "InKeyword";
        SyntaxKind5[SyntaxKind5["InstanceOfKeyword"] = 104] = "InstanceOfKeyword";
        SyntaxKind5[SyntaxKind5["NewKeyword"] = 105] = "NewKeyword";
        SyntaxKind5[SyntaxKind5["NullKeyword"] = 106] = "NullKeyword";
        SyntaxKind5[SyntaxKind5["ReturnKeyword"] = 107] = "ReturnKeyword";
        SyntaxKind5[SyntaxKind5["SuperKeyword"] = 108] = "SuperKeyword";
        SyntaxKind5[SyntaxKind5["SwitchKeyword"] = 109] = "SwitchKeyword";
        SyntaxKind5[SyntaxKind5["ThisKeyword"] = 110] = "ThisKeyword";
        SyntaxKind5[SyntaxKind5["ThrowKeyword"] = 111] = "ThrowKeyword";
        SyntaxKind5[SyntaxKind5["TrueKeyword"] = 112] = "TrueKeyword";
        SyntaxKind5[SyntaxKind5["TryKeyword"] = 113] = "TryKeyword";
        SyntaxKind5[SyntaxKind5["TypeOfKeyword"] = 114] = "TypeOfKeyword";
        SyntaxKind5[SyntaxKind5["VarKeyword"] = 115] = "VarKeyword";
        SyntaxKind5[SyntaxKind5["VoidKeyword"] = 116] = "VoidKeyword";
        SyntaxKind5[SyntaxKind5["WhileKeyword"] = 117] = "WhileKeyword";
        SyntaxKind5[SyntaxKind5["WithKeyword"] = 118] = "WithKeyword";
        SyntaxKind5[SyntaxKind5["ImplementsKeyword"] = 119] = "ImplementsKeyword";
        SyntaxKind5[SyntaxKind5["InterfaceKeyword"] = 120] = "InterfaceKeyword";
        SyntaxKind5[SyntaxKind5["LetKeyword"] = 121] = "LetKeyword";
        SyntaxKind5[SyntaxKind5["PackageKeyword"] = 122] = "PackageKeyword";
        SyntaxKind5[SyntaxKind5["PrivateKeyword"] = 123] = "PrivateKeyword";
        SyntaxKind5[SyntaxKind5["ProtectedKeyword"] = 124] = "ProtectedKeyword";
        SyntaxKind5[SyntaxKind5["PublicKeyword"] = 125] = "PublicKeyword";
        SyntaxKind5[SyntaxKind5["StaticKeyword"] = 126] = "StaticKeyword";
        SyntaxKind5[SyntaxKind5["YieldKeyword"] = 127] = "YieldKeyword";
        SyntaxKind5[SyntaxKind5["AbstractKeyword"] = 128] = "AbstractKeyword";
        SyntaxKind5[SyntaxKind5["AccessorKeyword"] = 129] = "AccessorKeyword";
        SyntaxKind5[SyntaxKind5["AsKeyword"] = 130] = "AsKeyword";
        SyntaxKind5[SyntaxKind5["AssertsKeyword"] = 131] = "AssertsKeyword";
        SyntaxKind5[SyntaxKind5["AssertKeyword"] = 132] = "AssertKeyword";
        SyntaxKind5[SyntaxKind5["AnyKeyword"] = 133] = "AnyKeyword";
        SyntaxKind5[SyntaxKind5["AsyncKeyword"] = 134] = "AsyncKeyword";
        SyntaxKind5[SyntaxKind5["AwaitKeyword"] = 135] = "AwaitKeyword";
        SyntaxKind5[SyntaxKind5["BooleanKeyword"] = 136] = "BooleanKeyword";
        SyntaxKind5[SyntaxKind5["ConstructorKeyword"] = 137] = "ConstructorKeyword";
        SyntaxKind5[SyntaxKind5["DeclareKeyword"] = 138] = "DeclareKeyword";
        SyntaxKind5[SyntaxKind5["GetKeyword"] = 139] = "GetKeyword";
        SyntaxKind5[SyntaxKind5["InferKeyword"] = 140] = "InferKeyword";
        SyntaxKind5[SyntaxKind5["IntrinsicKeyword"] = 141] = "IntrinsicKeyword";
        SyntaxKind5[SyntaxKind5["IsKeyword"] = 142] = "IsKeyword";
        SyntaxKind5[SyntaxKind5["KeyOfKeyword"] = 143] = "KeyOfKeyword";
        SyntaxKind5[SyntaxKind5["ModuleKeyword"] = 144] = "ModuleKeyword";
        SyntaxKind5[SyntaxKind5["NamespaceKeyword"] = 145] = "NamespaceKeyword";
        SyntaxKind5[SyntaxKind5["NeverKeyword"] = 146] = "NeverKeyword";
        SyntaxKind5[SyntaxKind5["OutKeyword"] = 147] = "OutKeyword";
        SyntaxKind5[SyntaxKind5["ReadonlyKeyword"] = 148] = "ReadonlyKeyword";
        SyntaxKind5[SyntaxKind5["RequireKeyword"] = 149] = "RequireKeyword";
        SyntaxKind5[SyntaxKind5["NumberKeyword"] = 150] = "NumberKeyword";
        SyntaxKind5[SyntaxKind5["ObjectKeyword"] = 151] = "ObjectKeyword";
        SyntaxKind5[SyntaxKind5["SatisfiesKeyword"] = 152] = "SatisfiesKeyword";
        SyntaxKind5[SyntaxKind5["SetKeyword"] = 153] = "SetKeyword";
        SyntaxKind5[SyntaxKind5["StringKeyword"] = 154] = "StringKeyword";
        SyntaxKind5[SyntaxKind5["SymbolKeyword"] = 155] = "SymbolKeyword";
        SyntaxKind5[SyntaxKind5["TypeKeyword"] = 156] = "TypeKeyword";
        SyntaxKind5[SyntaxKind5["UndefinedKeyword"] = 157] = "UndefinedKeyword";
        SyntaxKind5[SyntaxKind5["UniqueKeyword"] = 158] = "UniqueKeyword";
        SyntaxKind5[SyntaxKind5["UnknownKeyword"] = 159] = "UnknownKeyword";
        SyntaxKind5[SyntaxKind5["UsingKeyword"] = 160] = "UsingKeyword";
        SyntaxKind5[SyntaxKind5["FromKeyword"] = 161] = "FromKeyword";
        SyntaxKind5[SyntaxKind5["GlobalKeyword"] = 162] = "GlobalKeyword";
        SyntaxKind5[SyntaxKind5["BigIntKeyword"] = 163] = "BigIntKeyword";
        SyntaxKind5[SyntaxKind5["OverrideKeyword"] = 164] = "OverrideKeyword";
        SyntaxKind5[SyntaxKind5["OfKeyword"] = 165] = "OfKeyword";
        SyntaxKind5[SyntaxKind5["QualifiedName"] = 166] = "QualifiedName";
        SyntaxKind5[SyntaxKind5["ComputedPropertyName"] = 167] = "ComputedPropertyName";
        SyntaxKind5[SyntaxKind5["TypeParameter"] = 168] = "TypeParameter";
        SyntaxKind5[SyntaxKind5["Parameter"] = 169] = "Parameter";
        SyntaxKind5[SyntaxKind5["Decorator"] = 170] = "Decorator";
        SyntaxKind5[SyntaxKind5["PropertySignature"] = 171] = "PropertySignature";
        SyntaxKind5[SyntaxKind5["PropertyDeclaration"] = 172] = "PropertyDeclaration";
        SyntaxKind5[SyntaxKind5["MethodSignature"] = 173] = "MethodSignature";
        SyntaxKind5[SyntaxKind5["MethodDeclaration"] = 174] = "MethodDeclaration";
        SyntaxKind5[SyntaxKind5["ClassStaticBlockDeclaration"] = 175] = "ClassStaticBlockDeclaration";
        SyntaxKind5[SyntaxKind5["Constructor"] = 176] = "Constructor";
        SyntaxKind5[SyntaxKind5["GetAccessor"] = 177] = "GetAccessor";
        SyntaxKind5[SyntaxKind5["SetAccessor"] = 178] = "SetAccessor";
        SyntaxKind5[SyntaxKind5["CallSignature"] = 179] = "CallSignature";
        SyntaxKind5[SyntaxKind5["ConstructSignature"] = 180] = "ConstructSignature";
        SyntaxKind5[SyntaxKind5["IndexSignature"] = 181] = "IndexSignature";
        SyntaxKind5[SyntaxKind5["TypePredicate"] = 182] = "TypePredicate";
        SyntaxKind5[SyntaxKind5["TypeReference"] = 183] = "TypeReference";
        SyntaxKind5[SyntaxKind5["FunctionType"] = 184] = "FunctionType";
        SyntaxKind5[SyntaxKind5["ConstructorType"] = 185] = "ConstructorType";
        SyntaxKind5[SyntaxKind5["TypeQuery"] = 186] = "TypeQuery";
        SyntaxKind5[SyntaxKind5["TypeLiteral"] = 187] = "TypeLiteral";
        SyntaxKind5[SyntaxKind5["ArrayType"] = 188] = "ArrayType";
        SyntaxKind5[SyntaxKind5["TupleType"] = 189] = "TupleType";
        SyntaxKind5[SyntaxKind5["OptionalType"] = 190] = "OptionalType";
        SyntaxKind5[SyntaxKind5["RestType"] = 191] = "RestType";
        SyntaxKind5[SyntaxKind5["UnionType"] = 192] = "UnionType";
        SyntaxKind5[SyntaxKind5["IntersectionType"] = 193] = "IntersectionType";
        SyntaxKind5[SyntaxKind5["ConditionalType"] = 194] = "ConditionalType";
        SyntaxKind5[SyntaxKind5["InferType"] = 195] = "InferType";
        SyntaxKind5[SyntaxKind5["ParenthesizedType"] = 196] = "ParenthesizedType";
        SyntaxKind5[SyntaxKind5["ThisType"] = 197] = "ThisType";
        SyntaxKind5[SyntaxKind5["TypeOperator"] = 198] = "TypeOperator";
        SyntaxKind5[SyntaxKind5["IndexedAccessType"] = 199] = "IndexedAccessType";
        SyntaxKind5[SyntaxKind5["MappedType"] = 200] = "MappedType";
        SyntaxKind5[SyntaxKind5["LiteralType"] = 201] = "LiteralType";
        SyntaxKind5[SyntaxKind5["NamedTupleMember"] = 202] = "NamedTupleMember";
        SyntaxKind5[SyntaxKind5["TemplateLiteralType"] = 203] = "TemplateLiteralType";
        SyntaxKind5[SyntaxKind5["TemplateLiteralTypeSpan"] = 204] = "TemplateLiteralTypeSpan";
        SyntaxKind5[SyntaxKind5["ImportType"] = 205] = "ImportType";
        SyntaxKind5[SyntaxKind5["ObjectBindingPattern"] = 206] = "ObjectBindingPattern";
        SyntaxKind5[SyntaxKind5["ArrayBindingPattern"] = 207] = "ArrayBindingPattern";
        SyntaxKind5[SyntaxKind5["BindingElement"] = 208] = "BindingElement";
        SyntaxKind5[SyntaxKind5["ArrayLiteralExpression"] = 209] = "ArrayLiteralExpression";
        SyntaxKind5[SyntaxKind5["ObjectLiteralExpression"] = 210] = "ObjectLiteralExpression";
        SyntaxKind5[SyntaxKind5["PropertyAccessExpression"] = 211] = "PropertyAccessExpression";
        SyntaxKind5[SyntaxKind5["ElementAccessExpression"] = 212] = "ElementAccessExpression";
        SyntaxKind5[SyntaxKind5["CallExpression"] = 213] = "CallExpression";
        SyntaxKind5[SyntaxKind5["NewExpression"] = 214] = "NewExpression";
        SyntaxKind5[SyntaxKind5["TaggedTemplateExpression"] = 215] = "TaggedTemplateExpression";
        SyntaxKind5[SyntaxKind5["TypeAssertionExpression"] = 216] = "TypeAssertionExpression";
        SyntaxKind5[SyntaxKind5["ParenthesizedExpression"] = 217] = "ParenthesizedExpression";
        SyntaxKind5[SyntaxKind5["FunctionExpression"] = 218] = "FunctionExpression";
        SyntaxKind5[SyntaxKind5["ArrowFunction"] = 219] = "ArrowFunction";
        SyntaxKind5[SyntaxKind5["DeleteExpression"] = 220] = "DeleteExpression";
        SyntaxKind5[SyntaxKind5["TypeOfExpression"] = 221] = "TypeOfExpression";
        SyntaxKind5[SyntaxKind5["VoidExpression"] = 222] = "VoidExpression";
        SyntaxKind5[SyntaxKind5["AwaitExpression"] = 223] = "AwaitExpression";
        SyntaxKind5[SyntaxKind5["PrefixUnaryExpression"] = 224] = "PrefixUnaryExpression";
        SyntaxKind5[SyntaxKind5["PostfixUnaryExpression"] = 225] = "PostfixUnaryExpression";
        SyntaxKind5[SyntaxKind5["BinaryExpression"] = 226] = "BinaryExpression";
        SyntaxKind5[SyntaxKind5["ConditionalExpression"] = 227] = "ConditionalExpression";
        SyntaxKind5[SyntaxKind5["TemplateExpression"] = 228] = "TemplateExpression";
        SyntaxKind5[SyntaxKind5["YieldExpression"] = 229] = "YieldExpression";
        SyntaxKind5[SyntaxKind5["SpreadElement"] = 230] = "SpreadElement";
        SyntaxKind5[SyntaxKind5["ClassExpression"] = 231] = "ClassExpression";
        SyntaxKind5[SyntaxKind5["OmittedExpression"] = 232] = "OmittedExpression";
        SyntaxKind5[SyntaxKind5["ExpressionWithTypeArguments"] = 233] = "ExpressionWithTypeArguments";
        SyntaxKind5[SyntaxKind5["AsExpression"] = 234] = "AsExpression";
        SyntaxKind5[SyntaxKind5["NonNullExpression"] = 235] = "NonNullExpression";
        SyntaxKind5[SyntaxKind5["MetaProperty"] = 236] = "MetaProperty";
        SyntaxKind5[SyntaxKind5["SyntheticExpression"] = 237] = "SyntheticExpression";
        SyntaxKind5[SyntaxKind5["SatisfiesExpression"] = 238] = "SatisfiesExpression";
        SyntaxKind5[SyntaxKind5["TemplateSpan"] = 239] = "TemplateSpan";
        SyntaxKind5[SyntaxKind5["SemicolonClassElement"] = 240] = "SemicolonClassElement";
        SyntaxKind5[SyntaxKind5["Block"] = 241] = "Block";
        SyntaxKind5[SyntaxKind5["EmptyStatement"] = 242] = "EmptyStatement";
        SyntaxKind5[SyntaxKind5["VariableStatement"] = 243] = "VariableStatement";
        SyntaxKind5[SyntaxKind5["ExpressionStatement"] = 244] = "ExpressionStatement";
        SyntaxKind5[SyntaxKind5["IfStatement"] = 245] = "IfStatement";
        SyntaxKind5[SyntaxKind5["DoStatement"] = 246] = "DoStatement";
        SyntaxKind5[SyntaxKind5["WhileStatement"] = 247] = "WhileStatement";
        SyntaxKind5[SyntaxKind5["ForStatement"] = 248] = "ForStatement";
        SyntaxKind5[SyntaxKind5["ForInStatement"] = 249] = "ForInStatement";
        SyntaxKind5[SyntaxKind5["ForOfStatement"] = 250] = "ForOfStatement";
        SyntaxKind5[SyntaxKind5["ContinueStatement"] = 251] = "ContinueStatement";
        SyntaxKind5[SyntaxKind5["BreakStatement"] = 252] = "BreakStatement";
        SyntaxKind5[SyntaxKind5["ReturnStatement"] = 253] = "ReturnStatement";
        SyntaxKind5[SyntaxKind5["WithStatement"] = 254] = "WithStatement";
        SyntaxKind5[SyntaxKind5["SwitchStatement"] = 255] = "SwitchStatement";
        SyntaxKind5[SyntaxKind5["LabeledStatement"] = 256] = "LabeledStatement";
        SyntaxKind5[SyntaxKind5["ThrowStatement"] = 257] = "ThrowStatement";
        SyntaxKind5[SyntaxKind5["TryStatement"] = 258] = "TryStatement";
        SyntaxKind5[SyntaxKind5["DebuggerStatement"] = 259] = "DebuggerStatement";
        SyntaxKind5[SyntaxKind5["VariableDeclaration"] = 260] = "VariableDeclaration";
        SyntaxKind5[SyntaxKind5["VariableDeclarationList"] = 261] = "VariableDeclarationList";
        SyntaxKind5[SyntaxKind5["FunctionDeclaration"] = 262] = "FunctionDeclaration";
        SyntaxKind5[SyntaxKind5["ClassDeclaration"] = 263] = "ClassDeclaration";
        SyntaxKind5[SyntaxKind5["InterfaceDeclaration"] = 264] = "InterfaceDeclaration";
        SyntaxKind5[SyntaxKind5["TypeAliasDeclaration"] = 265] = "TypeAliasDeclaration";
        SyntaxKind5[SyntaxKind5["EnumDeclaration"] = 266] = "EnumDeclaration";
        SyntaxKind5[SyntaxKind5["ModuleDeclaration"] = 267] = "ModuleDeclaration";
        SyntaxKind5[SyntaxKind5["ModuleBlock"] = 268] = "ModuleBlock";
        SyntaxKind5[SyntaxKind5["CaseBlock"] = 269] = "CaseBlock";
        SyntaxKind5[SyntaxKind5["NamespaceExportDeclaration"] = 270] = "NamespaceExportDeclaration";
        SyntaxKind5[SyntaxKind5["ImportEqualsDeclaration"] = 271] = "ImportEqualsDeclaration";
        SyntaxKind5[SyntaxKind5["ImportDeclaration"] = 272] = "ImportDeclaration";
        SyntaxKind5[SyntaxKind5["ImportClause"] = 273] = "ImportClause";
        SyntaxKind5[SyntaxKind5["NamespaceImport"] = 274] = "NamespaceImport";
        SyntaxKind5[SyntaxKind5["NamedImports"] = 275] = "NamedImports";
        SyntaxKind5[SyntaxKind5["ImportSpecifier"] = 276] = "ImportSpecifier";
        SyntaxKind5[SyntaxKind5["ExportAssignment"] = 277] = "ExportAssignment";
        SyntaxKind5[SyntaxKind5["ExportDeclaration"] = 278] = "ExportDeclaration";
        SyntaxKind5[SyntaxKind5["NamedExports"] = 279] = "NamedExports";
        SyntaxKind5[SyntaxKind5["NamespaceExport"] = 280] = "NamespaceExport";
        SyntaxKind5[SyntaxKind5["ExportSpecifier"] = 281] = "ExportSpecifier";
        SyntaxKind5[SyntaxKind5["MissingDeclaration"] = 282] = "MissingDeclaration";
        SyntaxKind5[SyntaxKind5["ExternalModuleReference"] = 283] = "ExternalModuleReference";
        SyntaxKind5[SyntaxKind5["JsxElement"] = 284] = "JsxElement";
        SyntaxKind5[SyntaxKind5["JsxSelfClosingElement"] = 285] = "JsxSelfClosingElement";
        SyntaxKind5[SyntaxKind5["JsxOpeningElement"] = 286] = "JsxOpeningElement";
        SyntaxKind5[SyntaxKind5["JsxClosingElement"] = 287] = "JsxClosingElement";
        SyntaxKind5[SyntaxKind5["JsxFragment"] = 288] = "JsxFragment";
        SyntaxKind5[SyntaxKind5["JsxOpeningFragment"] = 289] = "JsxOpeningFragment";
        SyntaxKind5[SyntaxKind5["JsxClosingFragment"] = 290] = "JsxClosingFragment";
        SyntaxKind5[SyntaxKind5["JsxAttribute"] = 291] = "JsxAttribute";
        SyntaxKind5[SyntaxKind5["JsxAttributes"] = 292] = "JsxAttributes";
        SyntaxKind5[SyntaxKind5["JsxSpreadAttribute"] = 293] = "JsxSpreadAttribute";
        SyntaxKind5[SyntaxKind5["JsxExpression"] = 294] = "JsxExpression";
        SyntaxKind5[SyntaxKind5["JsxNamespacedName"] = 295] = "JsxNamespacedName";
        SyntaxKind5[SyntaxKind5["CaseClause"] = 296] = "CaseClause";
        SyntaxKind5[SyntaxKind5["DefaultClause"] = 297] = "DefaultClause";
        SyntaxKind5[SyntaxKind5["HeritageClause"] = 298] = "HeritageClause";
        SyntaxKind5[SyntaxKind5["CatchClause"] = 299] = "CatchClause";
        SyntaxKind5[SyntaxKind5["ImportAttributes"] = 300] = "ImportAttributes";
        SyntaxKind5[SyntaxKind5["ImportAttribute"] = 301] = "ImportAttribute";
        SyntaxKind5[
          SyntaxKind5["AssertClause"] = 300
          /* ImportAttributes */
        ] = "AssertClause";
        SyntaxKind5[
          SyntaxKind5["AssertEntry"] = 301
          /* ImportAttribute */
        ] = "AssertEntry";
        SyntaxKind5[SyntaxKind5["ImportTypeAssertionContainer"] = 302] = "ImportTypeAssertionContainer";
        SyntaxKind5[SyntaxKind5["PropertyAssignment"] = 303] = "PropertyAssignment";
        SyntaxKind5[SyntaxKind5["ShorthandPropertyAssignment"] = 304] = "ShorthandPropertyAssignment";
        SyntaxKind5[SyntaxKind5["SpreadAssignment"] = 305] = "SpreadAssignment";
        SyntaxKind5[SyntaxKind5["EnumMember"] = 306] = "EnumMember";
        SyntaxKind5[SyntaxKind5["SourceFile"] = 307] = "SourceFile";
        SyntaxKind5[SyntaxKind5["Bundle"] = 308] = "Bundle";
        SyntaxKind5[SyntaxKind5["JSDocTypeExpression"] = 309] = "JSDocTypeExpression";
        SyntaxKind5[SyntaxKind5["JSDocNameReference"] = 310] = "JSDocNameReference";
        SyntaxKind5[SyntaxKind5["JSDocMemberName"] = 311] = "JSDocMemberName";
        SyntaxKind5[SyntaxKind5["JSDocAllType"] = 312] = "JSDocAllType";
        SyntaxKind5[SyntaxKind5["JSDocUnknownType"] = 313] = "JSDocUnknownType";
        SyntaxKind5[SyntaxKind5["JSDocNullableType"] = 314] = "JSDocNullableType";
        SyntaxKind5[SyntaxKind5["JSDocNonNullableType"] = 315] = "JSDocNonNullableType";
        SyntaxKind5[SyntaxKind5["JSDocOptionalType"] = 316] = "JSDocOptionalType";
        SyntaxKind5[SyntaxKind5["JSDocFunctionType"] = 317] = "JSDocFunctionType";
        SyntaxKind5[SyntaxKind5["JSDocVariadicType"] = 318] = "JSDocVariadicType";
        SyntaxKind5[SyntaxKind5["JSDocNamepathType"] = 319] = "JSDocNamepathType";
        SyntaxKind5[SyntaxKind5["JSDoc"] = 320] = "JSDoc";
        SyntaxKind5[
          SyntaxKind5["JSDocComment"] = 320
          /* JSDoc */
        ] = "JSDocComment";
        SyntaxKind5[SyntaxKind5["JSDocText"] = 321] = "JSDocText";
        SyntaxKind5[SyntaxKind5["JSDocTypeLiteral"] = 322] = "JSDocTypeLiteral";
        SyntaxKind5[SyntaxKind5["JSDocSignature"] = 323] = "JSDocSignature";
        SyntaxKind5[SyntaxKind5["JSDocLink"] = 324] = "JSDocLink";
        SyntaxKind5[SyntaxKind5["JSDocLinkCode"] = 325] = "JSDocLinkCode";
        SyntaxKind5[SyntaxKind5["JSDocLinkPlain"] = 326] = "JSDocLinkPlain";
        SyntaxKind5[SyntaxKind5["JSDocTag"] = 327] = "JSDocTag";
        SyntaxKind5[SyntaxKind5["JSDocAugmentsTag"] = 328] = "JSDocAugmentsTag";
        SyntaxKind5[SyntaxKind5["JSDocImplementsTag"] = 329] = "JSDocImplementsTag";
        SyntaxKind5[SyntaxKind5["JSDocAuthorTag"] = 330] = "JSDocAuthorTag";
        SyntaxKind5[SyntaxKind5["JSDocDeprecatedTag"] = 331] = "JSDocDeprecatedTag";
        SyntaxKind5[SyntaxKind5["JSDocClassTag"] = 332] = "JSDocClassTag";
        SyntaxKind5[SyntaxKind5["JSDocPublicTag"] = 333] = "JSDocPublicTag";
        SyntaxKind5[SyntaxKind5["JSDocPrivateTag"] = 334] = "JSDocPrivateTag";
        SyntaxKind5[SyntaxKind5["JSDocProtectedTag"] = 335] = "JSDocProtectedTag";
        SyntaxKind5[SyntaxKind5["JSDocReadonlyTag"] = 336] = "JSDocReadonlyTag";
        SyntaxKind5[SyntaxKind5["JSDocOverrideTag"] = 337] = "JSDocOverrideTag";
        SyntaxKind5[SyntaxKind5["JSDocCallbackTag"] = 338] = "JSDocCallbackTag";
        SyntaxKind5[SyntaxKind5["JSDocOverloadTag"] = 339] = "JSDocOverloadTag";
        SyntaxKind5[SyntaxKind5["JSDocEnumTag"] = 340] = "JSDocEnumTag";
        SyntaxKind5[SyntaxKind5["JSDocParameterTag"] = 341] = "JSDocParameterTag";
        SyntaxKind5[SyntaxKind5["JSDocReturnTag"] = 342] = "JSDocReturnTag";
        SyntaxKind5[SyntaxKind5["JSDocThisTag"] = 343] = "JSDocThisTag";
        SyntaxKind5[SyntaxKind5["JSDocTypeTag"] = 344] = "JSDocTypeTag";
        SyntaxKind5[SyntaxKind5["JSDocTemplateTag"] = 345] = "JSDocTemplateTag";
        SyntaxKind5[SyntaxKind5["JSDocTypedefTag"] = 346] = "JSDocTypedefTag";
        SyntaxKind5[SyntaxKind5["JSDocSeeTag"] = 347] = "JSDocSeeTag";
        SyntaxKind5[SyntaxKind5["JSDocPropertyTag"] = 348] = "JSDocPropertyTag";
        SyntaxKind5[SyntaxKind5["JSDocThrowsTag"] = 349] = "JSDocThrowsTag";
        SyntaxKind5[SyntaxKind5["JSDocSatisfiesTag"] = 350] = "JSDocSatisfiesTag";
        SyntaxKind5[SyntaxKind5["JSDocImportTag"] = 351] = "JSDocImportTag";
        SyntaxKind5[SyntaxKind5["SyntaxList"] = 352] = "SyntaxList";
        SyntaxKind5[SyntaxKind5["NotEmittedStatement"] = 353] = "NotEmittedStatement";
        SyntaxKind5[SyntaxKind5["PartiallyEmittedExpression"] = 354] = "PartiallyEmittedExpression";
        SyntaxKind5[SyntaxKind5["CommaListExpression"] = 355] = "CommaListExpression";
        SyntaxKind5[SyntaxKind5["SyntheticReferenceExpression"] = 356] = "SyntheticReferenceExpression";
        SyntaxKind5[SyntaxKind5["Count"] = 357] = "Count";
        SyntaxKind5[
          SyntaxKind5["FirstAssignment"] = 64
          /* EqualsToken */
        ] = "FirstAssignment";
        SyntaxKind5[
          SyntaxKind5["LastAssignment"] = 79
          /* CaretEqualsToken */
        ] = "LastAssignment";
        SyntaxKind5[
          SyntaxKind5["FirstCompoundAssignment"] = 65
          /* PlusEqualsToken */
        ] = "FirstCompoundAssignment";
        SyntaxKind5[
          SyntaxKind5["LastCompoundAssignment"] = 79
          /* CaretEqualsToken */
        ] = "LastCompoundAssignment";
        SyntaxKind5[
          SyntaxKind5["FirstReservedWord"] = 83
          /* BreakKeyword */
        ] = "FirstReservedWord";
        SyntaxKind5[
          SyntaxKind5["LastReservedWord"] = 118
          /* WithKeyword */
        ] = "LastReservedWord";
        SyntaxKind5[
          SyntaxKind5["FirstKeyword"] = 83
          /* BreakKeyword */
        ] = "FirstKeyword";
        SyntaxKind5[
          SyntaxKind5["LastKeyword"] = 165
          /* OfKeyword */
        ] = "LastKeyword";
        SyntaxKind5[
          SyntaxKind5["FirstFutureReservedWord"] = 119
          /* ImplementsKeyword */
        ] = "FirstFutureReservedWord";
        SyntaxKind5[
          SyntaxKind5["LastFutureReservedWord"] = 127
          /* YieldKeyword */
        ] = "LastFutureReservedWord";
        SyntaxKind5[
          SyntaxKind5["FirstTypeNode"] = 182
          /* TypePredicate */
        ] = "FirstTypeNode";
        SyntaxKind5[
          SyntaxKind5["LastTypeNode"] = 205
          /* ImportType */
        ] = "LastTypeNode";
        SyntaxKind5[
          SyntaxKind5["FirstPunctuation"] = 19
          /* OpenBraceToken */
        ] = "FirstPunctuation";
        SyntaxKind5[
          SyntaxKind5["LastPunctuation"] = 79
          /* CaretEqualsToken */
        ] = "LastPunctuation";
        SyntaxKind5[
          SyntaxKind5["FirstToken"] = 0
          /* Unknown */
        ] = "FirstToken";
        SyntaxKind5[
          SyntaxKind5["LastToken"] = 165
          /* LastKeyword */
        ] = "LastToken";
        SyntaxKind5[
          SyntaxKind5["FirstTriviaToken"] = 2
          /* SingleLineCommentTrivia */
        ] = "FirstTriviaToken";
        SyntaxKind5[
          SyntaxKind5["LastTriviaToken"] = 7
          /* ConflictMarkerTrivia */
        ] = "LastTriviaToken";
        SyntaxKind5[
          SyntaxKind5["FirstLiteralToken"] = 9
          /* NumericLiteral */
        ] = "FirstLiteralToken";
        SyntaxKind5[
          SyntaxKind5["LastLiteralToken"] = 15
          /* NoSubstitutionTemplateLiteral */
        ] = "LastLiteralToken";
        SyntaxKind5[
          SyntaxKind5["FirstTemplateToken"] = 15
          /* NoSubstitutionTemplateLiteral */
        ] = "FirstTemplateToken";
        SyntaxKind5[
          SyntaxKind5["LastTemplateToken"] = 18
          /* TemplateTail */
        ] = "LastTemplateToken";
        SyntaxKind5[
          SyntaxKind5["FirstBinaryOperator"] = 30
          /* LessThanToken */
        ] = "FirstBinaryOperator";
        SyntaxKind5[
          SyntaxKind5["LastBinaryOperator"] = 79
          /* CaretEqualsToken */
        ] = "LastBinaryOperator";
        SyntaxKind5[
          SyntaxKind5["FirstStatement"] = 243
          /* VariableStatement */
        ] = "FirstStatement";
        SyntaxKind5[
          SyntaxKind5["LastStatement"] = 259
          /* DebuggerStatement */
        ] = "LastStatement";
        SyntaxKind5[
          SyntaxKind5["FirstNode"] = 166
          /* QualifiedName */
        ] = "FirstNode";
        SyntaxKind5[
          SyntaxKind5["FirstJSDocNode"] = 309
          /* JSDocTypeExpression */
        ] = "FirstJSDocNode";
        SyntaxKind5[
          SyntaxKind5["LastJSDocNode"] = 351
          /* JSDocImportTag */
        ] = "LastJSDocNode";
        SyntaxKind5[
          SyntaxKind5["FirstJSDocTagNode"] = 327
          /* JSDocTag */
        ] = "FirstJSDocTagNode";
        SyntaxKind5[
          SyntaxKind5["LastJSDocTagNode"] = 351
          /* JSDocImportTag */
        ] = "LastJSDocTagNode";
        SyntaxKind5[
          SyntaxKind5["FirstContextualKeyword"] = 128
          /* AbstractKeyword */
        ] = "FirstContextualKeyword";
        SyntaxKind5[
          SyntaxKind5["LastContextualKeyword"] = 165
          /* OfKeyword */
        ] = "LastContextualKeyword";
        return SyntaxKind5;
      })(SyntaxKind || {});
      var NodeFlags = /* @__PURE__ */ ((NodeFlags3) => {
        NodeFlags3[NodeFlags3["None"] = 0] = "None";
        NodeFlags3[NodeFlags3["Let"] = 1] = "Let";
        NodeFlags3[NodeFlags3["Const"] = 2] = "Const";
        NodeFlags3[NodeFlags3["Using"] = 4] = "Using";
        NodeFlags3[NodeFlags3["AwaitUsing"] = 6] = "AwaitUsing";
        NodeFlags3[NodeFlags3["NestedNamespace"] = 8] = "NestedNamespace";
        NodeFlags3[NodeFlags3["Synthesized"] = 16] = "Synthesized";
        NodeFlags3[NodeFlags3["Namespace"] = 32] = "Namespace";
        NodeFlags3[NodeFlags3["OptionalChain"] = 64] = "OptionalChain";
        NodeFlags3[NodeFlags3["ExportContext"] = 128] = "ExportContext";
        NodeFlags3[NodeFlags3["ContainsThis"] = 256] = "ContainsThis";
        NodeFlags3[NodeFlags3["HasImplicitReturn"] = 512] = "HasImplicitReturn";
        NodeFlags3[NodeFlags3["HasExplicitReturn"] = 1024] = "HasExplicitReturn";
        NodeFlags3[NodeFlags3["GlobalAugmentation"] = 2048] = "GlobalAugmentation";
        NodeFlags3[NodeFlags3["HasAsyncFunctions"] = 4096] = "HasAsyncFunctions";
        NodeFlags3[NodeFlags3["DisallowInContext"] = 8192] = "DisallowInContext";
        NodeFlags3[NodeFlags3["YieldContext"] = 16384] = "YieldContext";
        NodeFlags3[NodeFlags3["DecoratorContext"] = 32768] = "DecoratorContext";
        NodeFlags3[NodeFlags3["AwaitContext"] = 65536] = "AwaitContext";
        NodeFlags3[NodeFlags3["DisallowConditionalTypesContext"] = 131072] = "DisallowConditionalTypesContext";
        NodeFlags3[NodeFlags3["ThisNodeHasError"] = 262144] = "ThisNodeHasError";
        NodeFlags3[NodeFlags3["JavaScriptFile"] = 524288] = "JavaScriptFile";
        NodeFlags3[NodeFlags3["ThisNodeOrAnySubNodesHasError"] = 1048576] = "ThisNodeOrAnySubNodesHasError";
        NodeFlags3[NodeFlags3["HasAggregatedChildData"] = 2097152] = "HasAggregatedChildData";
        NodeFlags3[NodeFlags3["PossiblyContainsDynamicImport"] = 4194304] = "PossiblyContainsDynamicImport";
        NodeFlags3[NodeFlags3["PossiblyContainsImportMeta"] = 8388608] = "PossiblyContainsImportMeta";
        NodeFlags3[NodeFlags3["JSDoc"] = 16777216] = "JSDoc";
        NodeFlags3[NodeFlags3["Ambient"] = 33554432] = "Ambient";
        NodeFlags3[NodeFlags3["InWithStatement"] = 67108864] = "InWithStatement";
        NodeFlags3[NodeFlags3["JsonFile"] = 134217728] = "JsonFile";
        NodeFlags3[NodeFlags3["TypeCached"] = 268435456] = "TypeCached";
        NodeFlags3[NodeFlags3["Deprecated"] = 536870912] = "Deprecated";
        NodeFlags3[NodeFlags3["BlockScoped"] = 7] = "BlockScoped";
        NodeFlags3[NodeFlags3["Constant"] = 6] = "Constant";
        NodeFlags3[NodeFlags3["ReachabilityCheckFlags"] = 1536] = "ReachabilityCheckFlags";
        NodeFlags3[NodeFlags3["ReachabilityAndEmitFlags"] = 5632] = "ReachabilityAndEmitFlags";
        NodeFlags3[NodeFlags3["ContextFlags"] = 101441536] = "ContextFlags";
        NodeFlags3[NodeFlags3["TypeExcludesFlags"] = 81920] = "TypeExcludesFlags";
        NodeFlags3[NodeFlags3["PermanentlySetIncrementalFlags"] = 12582912] = "PermanentlySetIncrementalFlags";
        NodeFlags3[
          NodeFlags3["IdentifierHasExtendedUnicodeEscape"] = 256
          /* ContainsThis */
        ] = "IdentifierHasExtendedUnicodeEscape";
        NodeFlags3[
          NodeFlags3["IdentifierIsInJSDocNamespace"] = 4096
          /* HasAsyncFunctions */
        ] = "IdentifierIsInJSDocNamespace";
        return NodeFlags3;
      })(NodeFlags || {});
      var ModifierFlags = /* @__PURE__ */ ((ModifierFlags3) => {
        ModifierFlags3[ModifierFlags3["None"] = 0] = "None";
        ModifierFlags3[ModifierFlags3["Public"] = 1] = "Public";
        ModifierFlags3[ModifierFlags3["Private"] = 2] = "Private";
        ModifierFlags3[ModifierFlags3["Protected"] = 4] = "Protected";
        ModifierFlags3[ModifierFlags3["Readonly"] = 8] = "Readonly";
        ModifierFlags3[ModifierFlags3["Override"] = 16] = "Override";
        ModifierFlags3[ModifierFlags3["Export"] = 32] = "Export";
        ModifierFlags3[ModifierFlags3["Abstract"] = 64] = "Abstract";
        ModifierFlags3[ModifierFlags3["Ambient"] = 128] = "Ambient";
        ModifierFlags3[ModifierFlags3["Static"] = 256] = "Static";
        ModifierFlags3[ModifierFlags3["Accessor"] = 512] = "Accessor";
        ModifierFlags3[ModifierFlags3["Async"] = 1024] = "Async";
        ModifierFlags3[ModifierFlags3["Default"] = 2048] = "Default";
        ModifierFlags3[ModifierFlags3["Const"] = 4096] = "Const";
        ModifierFlags3[ModifierFlags3["In"] = 8192] = "In";
        ModifierFlags3[ModifierFlags3["Out"] = 16384] = "Out";
        ModifierFlags3[ModifierFlags3["Decorator"] = 32768] = "Decorator";
        ModifierFlags3[ModifierFlags3["Deprecated"] = 65536] = "Deprecated";
        ModifierFlags3[ModifierFlags3["JSDocPublic"] = 8388608] = "JSDocPublic";
        ModifierFlags3[ModifierFlags3["JSDocPrivate"] = 16777216] = "JSDocPrivate";
        ModifierFlags3[ModifierFlags3["JSDocProtected"] = 33554432] = "JSDocProtected";
        ModifierFlags3[ModifierFlags3["JSDocReadonly"] = 67108864] = "JSDocReadonly";
        ModifierFlags3[ModifierFlags3["JSDocOverride"] = 134217728] = "JSDocOverride";
        ModifierFlags3[ModifierFlags3["SyntacticOrJSDocModifiers"] = 31] = "SyntacticOrJSDocModifiers";
        ModifierFlags3[ModifierFlags3["SyntacticOnlyModifiers"] = 65504] = "SyntacticOnlyModifiers";
        ModifierFlags3[ModifierFlags3["SyntacticModifiers"] = 65535] = "SyntacticModifiers";
        ModifierFlags3[ModifierFlags3["JSDocCacheOnlyModifiers"] = 260046848] = "JSDocCacheOnlyModifiers";
        ModifierFlags3[
          ModifierFlags3["JSDocOnlyModifiers"] = 65536
          /* Deprecated */
        ] = "JSDocOnlyModifiers";
        ModifierFlags3[ModifierFlags3["NonCacheOnlyModifiers"] = 131071] = "NonCacheOnlyModifiers";
        ModifierFlags3[ModifierFlags3["HasComputedJSDocModifiers"] = 268435456] = "HasComputedJSDocModifiers";
        ModifierFlags3[ModifierFlags3["HasComputedFlags"] = 536870912] = "HasComputedFlags";
        ModifierFlags3[ModifierFlags3["AccessibilityModifier"] = 7] = "AccessibilityModifier";
        ModifierFlags3[ModifierFlags3["ParameterPropertyModifier"] = 31] = "ParameterPropertyModifier";
        ModifierFlags3[ModifierFlags3["NonPublicAccessibilityModifier"] = 6] = "NonPublicAccessibilityModifier";
        ModifierFlags3[ModifierFlags3["TypeScriptModifier"] = 28895] = "TypeScriptModifier";
        ModifierFlags3[ModifierFlags3["ExportDefault"] = 2080] = "ExportDefault";
        ModifierFlags3[ModifierFlags3["All"] = 131071] = "All";
        ModifierFlags3[ModifierFlags3["Modifier"] = 98303] = "Modifier";
        return ModifierFlags3;
      })(ModifierFlags || {});
      var JsxFlags = /* @__PURE__ */ ((JsxFlags2) => {
        JsxFlags2[JsxFlags2["None"] = 0] = "None";
        JsxFlags2[JsxFlags2["IntrinsicNamedElement"] = 1] = "IntrinsicNamedElement";
        JsxFlags2[JsxFlags2["IntrinsicIndexedElement"] = 2] = "IntrinsicIndexedElement";
        JsxFlags2[JsxFlags2["IntrinsicElement"] = 3] = "IntrinsicElement";
        return JsxFlags2;
      })(JsxFlags || {});
      var RelationComparisonResult = /* @__PURE__ */ ((RelationComparisonResult3) => {
        RelationComparisonResult3[RelationComparisonResult3["None"] = 0] = "None";
        RelationComparisonResult3[RelationComparisonResult3["Succeeded"] = 1] = "Succeeded";
        RelationComparisonResult3[RelationComparisonResult3["Failed"] = 2] = "Failed";
        RelationComparisonResult3[RelationComparisonResult3["Reported"] = 4] = "Reported";
        RelationComparisonResult3[RelationComparisonResult3["ReportsUnmeasurable"] = 8] = "ReportsUnmeasurable";
        RelationComparisonResult3[RelationComparisonResult3["ReportsUnreliable"] = 16] = "ReportsUnreliable";
        RelationComparisonResult3[RelationComparisonResult3["ReportsMask"] = 24] = "ReportsMask";
        return RelationComparisonResult3;
      })(RelationComparisonResult || {});
      var GeneratedIdentifierFlags = /* @__PURE__ */ ((GeneratedIdentifierFlags2) => {
        GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["None"] = 0] = "None";
        GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["Auto"] = 1] = "Auto";
        GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["Loop"] = 2] = "Loop";
        GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["Unique"] = 3] = "Unique";
        GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["Node"] = 4] = "Node";
        GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["KindMask"] = 7] = "KindMask";
        GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["ReservedInNestedScopes"] = 8] = "ReservedInNestedScopes";
        GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["Optimistic"] = 16] = "Optimistic";
        GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["FileLevel"] = 32] = "FileLevel";
        GeneratedIdentifierFlags2[GeneratedIdentifierFlags2["AllowNameSubstitution"] = 64] = "AllowNameSubstitution";
        return GeneratedIdentifierFlags2;
      })(GeneratedIdentifierFlags || {});
      var RegularExpressionFlags = /* @__PURE__ */ ((RegularExpressionFlags2) => {
        RegularExpressionFlags2[RegularExpressionFlags2["None"] = 0] = "None";
        RegularExpressionFlags2[RegularExpressionFlags2["HasIndices"] = 1] = "HasIndices";
        RegularExpressionFlags2[RegularExpressionFlags2["Global"] = 2] = "Global";
        RegularExpressionFlags2[RegularExpressionFlags2["IgnoreCase"] = 4] = "IgnoreCase";
        RegularExpressionFlags2[RegularExpressionFlags2["Multiline"] = 8] = "Multiline";
        RegularExpressionFlags2[RegularExpressionFlags2["DotAll"] = 16] = "DotAll";
        RegularExpressionFlags2[RegularExpressionFlags2["Unicode"] = 32] = "Unicode";
        RegularExpressionFlags2[RegularExpressionFlags2["UnicodeSets"] = 64] = "UnicodeSets";
        RegularExpressionFlags2[RegularExpressionFlags2["Sticky"] = 128] = "Sticky";
        RegularExpressionFlags2[RegularExpressionFlags2["AnyUnicodeMode"] = 96] = "AnyUnicodeMode";
        RegularExpressionFlags2[RegularExpressionFlags2["Modifiers"] = 28] = "Modifiers";
        return RegularExpressionFlags2;
      })(RegularExpressionFlags || {});
      var TokenFlags = /* @__PURE__ */ ((TokenFlags2) => {
        TokenFlags2[TokenFlags2["None"] = 0] = "None";
        TokenFlags2[TokenFlags2["PrecedingLineBreak"] = 1] = "PrecedingLineBreak";
        TokenFlags2[TokenFlags2["PrecedingJSDocComment"] = 2] = "PrecedingJSDocComment";
        TokenFlags2[TokenFlags2["Unterminated"] = 4] = "Unterminated";
        TokenFlags2[TokenFlags2["ExtendedUnicodeEscape"] = 8] = "ExtendedUnicodeEscape";
        TokenFlags2[TokenFlags2["Scientific"] = 16] = "Scientific";
        TokenFlags2[TokenFlags2["Octal"] = 32] = "Octal";
        TokenFlags2[TokenFlags2["HexSpecifier"] = 64] = "HexSpecifier";
        TokenFlags2[TokenFlags2["BinarySpecifier"] = 128] = "BinarySpecifier";
        TokenFlags2[TokenFlags2["OctalSpecifier"] = 256] = "OctalSpecifier";
        TokenFlags2[TokenFlags2["ContainsSeparator"] = 512] = "ContainsSeparator";
        TokenFlags2[TokenFlags2["UnicodeEscape"] = 1024] = "UnicodeEscape";
        TokenFlags2[TokenFlags2["ContainsInvalidEscape"] = 2048] = "ContainsInvalidEscape";
        TokenFlags2[TokenFlags2["HexEscape"] = 4096] = "HexEscape";
        TokenFlags2[TokenFlags2["ContainsLeadingZero"] = 8192] = "ContainsLeadingZero";
        TokenFlags2[TokenFlags2["ContainsInvalidSeparator"] = 16384] = "ContainsInvalidSeparator";
        TokenFlags2[TokenFlags2["BinaryOrOctalSpecifier"] = 384] = "BinaryOrOctalSpecifier";
        TokenFlags2[TokenFlags2["WithSpecifier"] = 448] = "WithSpecifier";
        TokenFlags2[TokenFlags2["StringLiteralFlags"] = 7176] = "StringLiteralFlags";
        TokenFlags2[TokenFlags2["NumericLiteralFlags"] = 25584] = "NumericLiteralFlags";
        TokenFlags2[TokenFlags2["TemplateLiteralLikeFlags"] = 7176] = "TemplateLiteralLikeFlags";
        TokenFlags2[TokenFlags2["IsInvalid"] = 26656] = "IsInvalid";
        return TokenFlags2;
      })(TokenFlags || {});
      var FlowFlags = /* @__PURE__ */ ((FlowFlags2) => {
        FlowFlags2[FlowFlags2["Unreachable"] = 1] = "Unreachable";
        FlowFlags2[FlowFlags2["Start"] = 2] = "Start";
        FlowFlags2[FlowFlags2["BranchLabel"] = 4] = "BranchLabel";
        FlowFlags2[FlowFlags2["LoopLabel"] = 8] = "LoopLabel";
        FlowFlags2[FlowFlags2["Assignment"] = 16] = "Assignment";
        FlowFlags2[FlowFlags2["TrueCondition"] = 32] = "TrueCondition";
        FlowFlags2[FlowFlags2["FalseCondition"] = 64] = "FalseCondition";
        FlowFlags2[FlowFlags2["SwitchClause"] = 128] = "SwitchClause";
        FlowFlags2[FlowFlags2["ArrayMutation"] = 256] = "ArrayMutation";
        FlowFlags2[FlowFlags2["Call"] = 512] = "Call";
        FlowFlags2[FlowFlags2["ReduceLabel"] = 1024] = "ReduceLabel";
        FlowFlags2[FlowFlags2["Referenced"] = 2048] = "Referenced";
        FlowFlags2[FlowFlags2["Shared"] = 4096] = "Shared";
        FlowFlags2[FlowFlags2["Label"] = 12] = "Label";
        FlowFlags2[FlowFlags2["Condition"] = 96] = "Condition";
        return FlowFlags2;
      })(FlowFlags || {});
      var CommentDirectiveType = /* @__PURE__ */ ((CommentDirectiveType2) => {
        CommentDirectiveType2[CommentDirectiveType2["ExpectError"] = 0] = "ExpectError";
        CommentDirectiveType2[CommentDirectiveType2["Ignore"] = 1] = "Ignore";
        return CommentDirectiveType2;
      })(CommentDirectiveType || {});
      var OperationCanceledException = class {
      };
      var FileIncludeKind = /* @__PURE__ */ ((FileIncludeKind2) => {
        FileIncludeKind2[FileIncludeKind2["RootFile"] = 0] = "RootFile";
        FileIncludeKind2[FileIncludeKind2["SourceFromProjectReference"] = 1] = "SourceFromProjectReference";
        FileIncludeKind2[FileIncludeKind2["OutputFromProjectReference"] = 2] = "OutputFromProjectReference";
        FileIncludeKind2[FileIncludeKind2["Import"] = 3] = "Import";
        FileIncludeKind2[FileIncludeKind2["ReferenceFile"] = 4] = "ReferenceFile";
        FileIncludeKind2[FileIncludeKind2["TypeReferenceDirective"] = 5] = "TypeReferenceDirective";
        FileIncludeKind2[FileIncludeKind2["LibFile"] = 6] = "LibFile";
        FileIncludeKind2[FileIncludeKind2["LibReferenceDirective"] = 7] = "LibReferenceDirective";
        FileIncludeKind2[FileIncludeKind2["AutomaticTypeDirectiveFile"] = 8] = "AutomaticTypeDirectiveFile";
        return FileIncludeKind2;
      })(FileIncludeKind || {});
      var FilePreprocessingDiagnosticsKind = /* @__PURE__ */ ((FilePreprocessingDiagnosticsKind2) => {
        FilePreprocessingDiagnosticsKind2[FilePreprocessingDiagnosticsKind2["FilePreprocessingLibReferenceDiagnostic"] = 0] = "FilePreprocessingLibReferenceDiagnostic";
        FilePreprocessingDiagnosticsKind2[FilePreprocessingDiagnosticsKind2["FilePreprocessingFileExplainingDiagnostic"] = 1] = "FilePreprocessingFileExplainingDiagnostic";
        FilePreprocessingDiagnosticsKind2[FilePreprocessingDiagnosticsKind2["ResolutionDiagnostics"] = 2] = "ResolutionDiagnostics";
        return FilePreprocessingDiagnosticsKind2;
      })(FilePreprocessingDiagnosticsKind || {});
      var EmitOnly = /* @__PURE__ */ ((EmitOnly4) => {
        EmitOnly4[EmitOnly4["Js"] = 0] = "Js";
        EmitOnly4[EmitOnly4["Dts"] = 1] = "Dts";
        EmitOnly4[EmitOnly4["BuilderSignature"] = 2] = "BuilderSignature";
        return EmitOnly4;
      })(EmitOnly || {});
      var StructureIsReused = /* @__PURE__ */ ((StructureIsReused2) => {
        StructureIsReused2[StructureIsReused2["Not"] = 0] = "Not";
        StructureIsReused2[StructureIsReused2["SafeModules"] = 1] = "SafeModules";
        StructureIsReused2[StructureIsReused2["Completely"] = 2] = "Completely";
        return StructureIsReused2;
      })(StructureIsReused || {});
      var ExitStatus = /* @__PURE__ */ ((ExitStatus2) => {
        ExitStatus2[ExitStatus2["Success"] = 0] = "Success";
        ExitStatus2[ExitStatus2["DiagnosticsPresent_OutputsSkipped"] = 1] = "DiagnosticsPresent_OutputsSkipped";
        ExitStatus2[ExitStatus2["DiagnosticsPresent_OutputsGenerated"] = 2] = "DiagnosticsPresent_OutputsGenerated";
        ExitStatus2[ExitStatus2["InvalidProject_OutputsSkipped"] = 3] = "InvalidProject_OutputsSkipped";
        ExitStatus2[ExitStatus2["ProjectReferenceCycle_OutputsSkipped"] = 4] = "ProjectReferenceCycle_OutputsSkipped";
        return ExitStatus2;
      })(ExitStatus || {});
      var MemberOverrideStatus = /* @__PURE__ */ ((MemberOverrideStatus2) => {
        MemberOverrideStatus2[MemberOverrideStatus2["Ok"] = 0] = "Ok";
        MemberOverrideStatus2[MemberOverrideStatus2["NeedsOverride"] = 1] = "NeedsOverride";
        MemberOverrideStatus2[MemberOverrideStatus2["HasInvalidOverride"] = 2] = "HasInvalidOverride";
        return MemberOverrideStatus2;
      })(MemberOverrideStatus || {});
      var UnionReduction = /* @__PURE__ */ ((UnionReduction2) => {
        UnionReduction2[UnionReduction2["None"] = 0] = "None";
        UnionReduction2[UnionReduction2["Literal"] = 1] = "Literal";
        UnionReduction2[UnionReduction2["Subtype"] = 2] = "Subtype";
        return UnionReduction2;
      })(UnionReduction || {});
      var IntersectionFlags = /* @__PURE__ */ ((IntersectionFlags2) => {
        IntersectionFlags2[IntersectionFlags2["None"] = 0] = "None";
        IntersectionFlags2[IntersectionFlags2["NoSupertypeReduction"] = 1] = "NoSupertypeReduction";
        IntersectionFlags2[IntersectionFlags2["NoConstraintReduction"] = 2] = "NoConstraintReduction";
        return IntersectionFlags2;
      })(IntersectionFlags || {});
      var ContextFlags = /* @__PURE__ */ ((ContextFlags3) => {
        ContextFlags3[ContextFlags3["None"] = 0] = "None";
        ContextFlags3[ContextFlags3["Signature"] = 1] = "Signature";
        ContextFlags3[ContextFlags3["NoConstraints"] = 2] = "NoConstraints";
        ContextFlags3[ContextFlags3["Completions"] = 4] = "Completions";
        ContextFlags3[ContextFlags3["SkipBindingPatterns"] = 8] = "SkipBindingPatterns";
        return ContextFlags3;
      })(ContextFlags || {});
      var NodeBuilderFlags = /* @__PURE__ */ ((NodeBuilderFlags2) => {
        NodeBuilderFlags2[NodeBuilderFlags2["None"] = 0] = "None";
        NodeBuilderFlags2[NodeBuilderFlags2["NoTruncation"] = 1] = "NoTruncation";
        NodeBuilderFlags2[NodeBuilderFlags2["WriteArrayAsGenericType"] = 2] = "WriteArrayAsGenericType";
        NodeBuilderFlags2[NodeBuilderFlags2["GenerateNamesForShadowedTypeParams"] = 4] = "GenerateNamesForShadowedTypeParams";
        NodeBuilderFlags2[NodeBuilderFlags2["UseStructuralFallback"] = 8] = "UseStructuralFallback";
        NodeBuilderFlags2[NodeBuilderFlags2["ForbidIndexedAccessSymbolReferences"] = 16] = "ForbidIndexedAccessSymbolReferences";
        NodeBuilderFlags2[NodeBuilderFlags2["WriteTypeArgumentsOfSignature"] = 32] = "WriteTypeArgumentsOfSignature";
        NodeBuilderFlags2[NodeBuilderFlags2["UseFullyQualifiedType"] = 64] = "UseFullyQualifiedType";
        NodeBuilderFlags2[NodeBuilderFlags2["UseOnlyExternalAliasing"] = 128] = "UseOnlyExternalAliasing";
        NodeBuilderFlags2[NodeBuilderFlags2["SuppressAnyReturnType"] = 256] = "SuppressAnyReturnType";
        NodeBuilderFlags2[NodeBuilderFlags2["WriteTypeParametersInQualifiedName"] = 512] = "WriteTypeParametersInQualifiedName";
        NodeBuilderFlags2[NodeBuilderFlags2["MultilineObjectLiterals"] = 1024] = "MultilineObjectLiterals";
        NodeBuilderFlags2[NodeBuilderFlags2["WriteClassExpressionAsTypeLiteral"] = 2048] = "WriteClassExpressionAsTypeLiteral";
        NodeBuilderFlags2[NodeBuilderFlags2["UseTypeOfFunction"] = 4096] = "UseTypeOfFunction";
        NodeBuilderFlags2[NodeBuilderFlags2["OmitParameterModifiers"] = 8192] = "OmitParameterModifiers";
        NodeBuilderFlags2[NodeBuilderFlags2["UseAliasDefinedOutsideCurrentScope"] = 16384] = "UseAliasDefinedOutsideCurrentScope";
        NodeBuilderFlags2[NodeBuilderFlags2["UseSingleQuotesForStringLiteralType"] = 268435456] = "UseSingleQuotesForStringLiteralType";
        NodeBuilderFlags2[NodeBuilderFlags2["NoTypeReduction"] = 536870912] = "NoTypeReduction";
        NodeBuilderFlags2[NodeBuilderFlags2["OmitThisParameter"] = 33554432] = "OmitThisParameter";
        NodeBuilderFlags2[NodeBuilderFlags2["AllowThisInObjectLiteral"] = 32768] = "AllowThisInObjectLiteral";
        NodeBuilderFlags2[NodeBuilderFlags2["AllowQualifiedNameInPlaceOfIdentifier"] = 65536] = "AllowQualifiedNameInPlaceOfIdentifier";
        NodeBuilderFlags2[NodeBuilderFlags2["AllowAnonymousIdentifier"] = 131072] = "AllowAnonymousIdentifier";
        NodeBuilderFlags2[NodeBuilderFlags2["AllowEmptyUnionOrIntersection"] = 262144] = "AllowEmptyUnionOrIntersection";
        NodeBuilderFlags2[NodeBuilderFlags2["AllowEmptyTuple"] = 524288] = "AllowEmptyTuple";
        NodeBuilderFlags2[NodeBuilderFlags2["AllowUniqueESSymbolType"] = 1048576] = "AllowUniqueESSymbolType";
        NodeBuilderFlags2[NodeBuilderFlags2["AllowEmptyIndexInfoType"] = 2097152] = "AllowEmptyIndexInfoType";
        NodeBuilderFlags2[NodeBuilderFlags2["WriteComputedProps"] = 1073741824] = "WriteComputedProps";
        NodeBuilderFlags2[NodeBuilderFlags2["NoSyntacticPrinter"] = -2147483648] = "NoSyntacticPrinter";
        NodeBuilderFlags2[NodeBuilderFlags2["AllowNodeModulesRelativePaths"] = 67108864] = "AllowNodeModulesRelativePaths";
        NodeBuilderFlags2[NodeBuilderFlags2["DoNotIncludeSymbolChain"] = 134217728] = "DoNotIncludeSymbolChain";
        NodeBuilderFlags2[NodeBuilderFlags2["AllowUnresolvedNames"] = 1] = "AllowUnresolvedNames";
        NodeBuilderFlags2[NodeBuilderFlags2["IgnoreErrors"] = 70221824] = "IgnoreErrors";
        NodeBuilderFlags2[NodeBuilderFlags2["InObjectTypeLiteral"] = 4194304] = "InObjectTypeLiteral";
        NodeBuilderFlags2[NodeBuilderFlags2["InTypeAlias"] = 8388608] = "InTypeAlias";
        NodeBuilderFlags2[NodeBuilderFlags2["InInitialEntityName"] = 16777216] = "InInitialEntityName";
        return NodeBuilderFlags2;
      })(NodeBuilderFlags || {});
      var TypeFormatFlags = /* @__PURE__ */ ((TypeFormatFlags2) => {
        TypeFormatFlags2[TypeFormatFlags2["None"] = 0] = "None";
        TypeFormatFlags2[TypeFormatFlags2["NoTruncation"] = 1] = "NoTruncation";
        TypeFormatFlags2[TypeFormatFlags2["WriteArrayAsGenericType"] = 2] = "WriteArrayAsGenericType";
        TypeFormatFlags2[TypeFormatFlags2["GenerateNamesForShadowedTypeParams"] = 4] = "GenerateNamesForShadowedTypeParams";
        TypeFormatFlags2[TypeFormatFlags2["UseStructuralFallback"] = 8] = "UseStructuralFallback";
        TypeFormatFlags2[TypeFormatFlags2["WriteTypeArgumentsOfSignature"] = 32] = "WriteTypeArgumentsOfSignature";
        TypeFormatFlags2[TypeFormatFlags2["UseFullyQualifiedType"] = 64] = "UseFullyQualifiedType";
        TypeFormatFlags2[TypeFormatFlags2["SuppressAnyReturnType"] = 256] = "SuppressAnyReturnType";
        TypeFormatFlags2[TypeFormatFlags2["MultilineObjectLiterals"] = 1024] = "MultilineObjectLiterals";
        TypeFormatFlags2[TypeFormatFlags2["WriteClassExpressionAsTypeLiteral"] = 2048] = "WriteClassExpressionAsTypeLiteral";
        TypeFormatFlags2[TypeFormatFlags2["UseTypeOfFunction"] = 4096] = "UseTypeOfFunction";
        TypeFormatFlags2[TypeFormatFlags2["OmitParameterModifiers"] = 8192] = "OmitParameterModifiers";
        TypeFormatFlags2[TypeFormatFlags2["UseAliasDefinedOutsideCurrentScope"] = 16384] = "UseAliasDefinedOutsideCurrentScope";
        TypeFormatFlags2[TypeFormatFlags2["UseSingleQuotesForStringLiteralType"] = 268435456] = "UseSingleQuotesForStringLiteralType";
        TypeFormatFlags2[TypeFormatFlags2["NoTypeReduction"] = 536870912] = "NoTypeReduction";
        TypeFormatFlags2[TypeFormatFlags2["OmitThisParameter"] = 33554432] = "OmitThisParameter";
        TypeFormatFlags2[TypeFormatFlags2["AllowUniqueESSymbolType"] = 1048576] = "AllowUniqueESSymbolType";
        TypeFormatFlags2[TypeFormatFlags2["AddUndefined"] = 131072] = "AddUndefined";
        TypeFormatFlags2[TypeFormatFlags2["WriteArrowStyleSignature"] = 262144] = "WriteArrowStyleSignature";
        TypeFormatFlags2[TypeFormatFlags2["InArrayType"] = 524288] = "InArrayType";
        TypeFormatFlags2[TypeFormatFlags2["InElementType"] = 2097152] = "InElementType";
        TypeFormatFlags2[TypeFormatFlags2["InFirstTypeArgument"] = 4194304] = "InFirstTypeArgument";
        TypeFormatFlags2[TypeFormatFlags2["InTypeAlias"] = 8388608] = "InTypeAlias";
        TypeFormatFlags2[TypeFormatFlags2["NodeBuilderFlagsMask"] = 848330095] = "NodeBuilderFlagsMask";
        return TypeFormatFlags2;
      })(TypeFormatFlags || {});
      var SymbolFormatFlags = /* @__PURE__ */ ((SymbolFormatFlags2) => {
        SymbolFormatFlags2[SymbolFormatFlags2["None"] = 0] = "None";
        SymbolFormatFlags2[SymbolFormatFlags2["WriteTypeParametersOrArguments"] = 1] = "WriteTypeParametersOrArguments";
        SymbolFormatFlags2[SymbolFormatFlags2["UseOnlyExternalAliasing"] = 2] = "UseOnlyExternalAliasing";
        SymbolFormatFlags2[SymbolFormatFlags2["AllowAnyNodeKind"] = 4] = "AllowAnyNodeKind";
        SymbolFormatFlags2[SymbolFormatFlags2["UseAliasDefinedOutsideCurrentScope"] = 8] = "UseAliasDefinedOutsideCurrentScope";
        SymbolFormatFlags2[SymbolFormatFlags2["WriteComputedProps"] = 16] = "WriteComputedProps";
        SymbolFormatFlags2[SymbolFormatFlags2["DoNotIncludeSymbolChain"] = 32] = "DoNotIncludeSymbolChain";
        return SymbolFormatFlags2;
      })(SymbolFormatFlags || {});
      var SymbolAccessibility = /* @__PURE__ */ ((SymbolAccessibility2) => {
        SymbolAccessibility2[SymbolAccessibility2["Accessible"] = 0] = "Accessible";
        SymbolAccessibility2[SymbolAccessibility2["NotAccessible"] = 1] = "NotAccessible";
        SymbolAccessibility2[SymbolAccessibility2["CannotBeNamed"] = 2] = "CannotBeNamed";
        SymbolAccessibility2[SymbolAccessibility2["NotResolved"] = 3] = "NotResolved";
        return SymbolAccessibility2;
      })(SymbolAccessibility || {});
      var SyntheticSymbolKind = /* @__PURE__ */ ((SyntheticSymbolKind2) => {
        SyntheticSymbolKind2[SyntheticSymbolKind2["UnionOrIntersection"] = 0] = "UnionOrIntersection";
        SyntheticSymbolKind2[SyntheticSymbolKind2["Spread"] = 1] = "Spread";
        return SyntheticSymbolKind2;
      })(SyntheticSymbolKind || {});
      var TypePredicateKind = /* @__PURE__ */ ((TypePredicateKind2) => {
        TypePredicateKind2[TypePredicateKind2["This"] = 0] = "This";
        TypePredicateKind2[TypePredicateKind2["Identifier"] = 1] = "Identifier";
        TypePredicateKind2[TypePredicateKind2["AssertsThis"] = 2] = "AssertsThis";
        TypePredicateKind2[TypePredicateKind2["AssertsIdentifier"] = 3] = "AssertsIdentifier";
        return TypePredicateKind2;
      })(TypePredicateKind || {});
      var TypeReferenceSerializationKind = /* @__PURE__ */ ((TypeReferenceSerializationKind2) => {
        TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["Unknown"] = 0] = "Unknown";
        TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["TypeWithConstructSignatureAndValue"] = 1] = "TypeWithConstructSignatureAndValue";
        TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["VoidNullableOrNeverType"] = 2] = "VoidNullableOrNeverType";
        TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["NumberLikeType"] = 3] = "NumberLikeType";
        TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["BigIntLikeType"] = 4] = "BigIntLikeType";
        TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["StringLikeType"] = 5] = "StringLikeType";
        TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["BooleanType"] = 6] = "BooleanType";
        TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["ArrayLikeType"] = 7] = "ArrayLikeType";
        TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["ESSymbolType"] = 8] = "ESSymbolType";
        TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["Promise"] = 9] = "Promise";
        TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["TypeWithCallSignature"] = 10] = "TypeWithCallSignature";
        TypeReferenceSerializationKind2[TypeReferenceSerializationKind2["ObjectType"] = 11] = "ObjectType";
        return TypeReferenceSerializationKind2;
      })(TypeReferenceSerializationKind || {});
      var SymbolFlags = /* @__PURE__ */ ((SymbolFlags3) => {
        SymbolFlags3[SymbolFlags3["None"] = 0] = "None";
        SymbolFlags3[SymbolFlags3["FunctionScopedVariable"] = 1] = "FunctionScopedVariable";
        SymbolFlags3[SymbolFlags3["BlockScopedVariable"] = 2] = "BlockScopedVariable";
        SymbolFlags3[SymbolFlags3["Property"] = 4] = "Property";
        SymbolFlags3[SymbolFlags3["EnumMember"] = 8] = "EnumMember";
        SymbolFlags3[SymbolFlags3["Function"] = 16] = "Function";
        SymbolFlags3[SymbolFlags3["Class"] = 32] = "Class";
        SymbolFlags3[SymbolFlags3["Interface"] = 64] = "Interface";
        SymbolFlags3[SymbolFlags3["ConstEnum"] = 128] = "ConstEnum";
        SymbolFlags3[SymbolFlags3["RegularEnum"] = 256] = "RegularEnum";
        SymbolFlags3[SymbolFlags3["ValueModule"] = 512] = "ValueModule";
        SymbolFlags3[SymbolFlags3["NamespaceModule"] = 1024] = "NamespaceModule";
        SymbolFlags3[SymbolFlags3["TypeLiteral"] = 2048] = "TypeLiteral";
        SymbolFlags3[SymbolFlags3["ObjectLiteral"] = 4096] = "ObjectLiteral";
        SymbolFlags3[SymbolFlags3["Method"] = 8192] = "Method";
        SymbolFlags3[SymbolFlags3["Constructor"] = 16384] = "Constructor";
        SymbolFlags3[SymbolFlags3["GetAccessor"] = 32768] = "GetAccessor";
        SymbolFlags3[SymbolFlags3["SetAccessor"] = 65536] = "SetAccessor";
        SymbolFlags3[SymbolFlags3["Signature"] = 131072] = "Signature";
        SymbolFlags3[SymbolFlags3["TypeParameter"] = 262144] = "TypeParameter";
        SymbolFlags3[SymbolFlags3["TypeAlias"] = 524288] = "TypeAlias";
        SymbolFlags3[SymbolFlags3["ExportValue"] = 1048576] = "ExportValue";
        SymbolFlags3[SymbolFlags3["Alias"] = 2097152] = "Alias";
        SymbolFlags3[SymbolFlags3["Prototype"] = 4194304] = "Prototype";
        SymbolFlags3[SymbolFlags3["ExportStar"] = 8388608] = "ExportStar";
        SymbolFlags3[SymbolFlags3["Optional"] = 16777216] = "Optional";
        SymbolFlags3[SymbolFlags3["Transient"] = 33554432] = "Transient";
        SymbolFlags3[SymbolFlags3["Assignment"] = 67108864] = "Assignment";
        SymbolFlags3[SymbolFlags3["ModuleExports"] = 134217728] = "ModuleExports";
        SymbolFlags3[SymbolFlags3["All"] = -1] = "All";
        SymbolFlags3[SymbolFlags3["Enum"] = 384] = "Enum";
        SymbolFlags3[SymbolFlags3["Variable"] = 3] = "Variable";
        SymbolFlags3[SymbolFlags3["Value"] = 111551] = "Value";
        SymbolFlags3[SymbolFlags3["Type"] = 788968] = "Type";
        SymbolFlags3[SymbolFlags3["Namespace"] = 1920] = "Namespace";
        SymbolFlags3[SymbolFlags3["Module"] = 1536] = "Module";
        SymbolFlags3[SymbolFlags3["Accessor"] = 98304] = "Accessor";
        SymbolFlags3[SymbolFlags3["FunctionScopedVariableExcludes"] = 111550] = "FunctionScopedVariableExcludes";
        SymbolFlags3[
          SymbolFlags3["BlockScopedVariableExcludes"] = 111551
          /* Value */
        ] = "BlockScopedVariableExcludes";
        SymbolFlags3[
          SymbolFlags3["ParameterExcludes"] = 111551
          /* Value */
        ] = "ParameterExcludes";
        SymbolFlags3[
          SymbolFlags3["PropertyExcludes"] = 0
          /* None */
        ] = "PropertyExcludes";
        SymbolFlags3[SymbolFlags3["EnumMemberExcludes"] = 900095] = "EnumMemberExcludes";
        SymbolFlags3[SymbolFlags3["FunctionExcludes"] = 110991] = "FunctionExcludes";
        SymbolFlags3[SymbolFlags3["ClassExcludes"] = 899503] = "ClassExcludes";
        SymbolFlags3[SymbolFlags3["InterfaceExcludes"] = 788872] = "InterfaceExcludes";
        SymbolFlags3[SymbolFlags3["RegularEnumExcludes"] = 899327] = "RegularEnumExcludes";
        SymbolFlags3[SymbolFlags3["ConstEnumExcludes"] = 899967] = "ConstEnumExcludes";
        SymbolFlags3[SymbolFlags3["ValueModuleExcludes"] = 110735] = "ValueModuleExcludes";
        SymbolFlags3[SymbolFlags3["NamespaceModuleExcludes"] = 0] = "NamespaceModuleExcludes";
        SymbolFlags3[SymbolFlags3["MethodExcludes"] = 103359] = "MethodExcludes";
        SymbolFlags3[SymbolFlags3["GetAccessorExcludes"] = 46015] = "GetAccessorExcludes";
        SymbolFlags3[SymbolFlags3["SetAccessorExcludes"] = 78783] = "SetAccessorExcludes";
        SymbolFlags3[SymbolFlags3["AccessorExcludes"] = 13247] = "AccessorExcludes";
        SymbolFlags3[SymbolFlags3["TypeParameterExcludes"] = 526824] = "TypeParameterExcludes";
        SymbolFlags3[
          SymbolFlags3["TypeAliasExcludes"] = 788968
          /* Type */
        ] = "TypeAliasExcludes";
        SymbolFlags3[
          SymbolFlags3["AliasExcludes"] = 2097152
          /* Alias */
        ] = "AliasExcludes";
        SymbolFlags3[SymbolFlags3["ModuleMember"] = 2623475] = "ModuleMember";
        SymbolFlags3[SymbolFlags3["ExportHasLocal"] = 944] = "ExportHasLocal";
        SymbolFlags3[SymbolFlags3["BlockScoped"] = 418] = "BlockScoped";
        SymbolFlags3[SymbolFlags3["PropertyOrAccessor"] = 98308] = "PropertyOrAccessor";
        SymbolFlags3[SymbolFlags3["ClassMember"] = 106500] = "ClassMember";
        SymbolFlags3[SymbolFlags3["ExportSupportsDefaultModifier"] = 112] = "ExportSupportsDefaultModifier";
        SymbolFlags3[SymbolFlags3["ExportDoesNotSupportDefaultModifier"] = -113] = "ExportDoesNotSupportDefaultModifier";
        SymbolFlags3[SymbolFlags3["Classifiable"] = 2885600] = "Classifiable";
        SymbolFlags3[SymbolFlags3["LateBindingContainer"] = 6256] = "LateBindingContainer";
        return SymbolFlags3;
      })(SymbolFlags || {});
      var CheckFlags = /* @__PURE__ */ ((CheckFlags2) => {
        CheckFlags2[CheckFlags2["None"] = 0] = "None";
        CheckFlags2[CheckFlags2["Instantiated"] = 1] = "Instantiated";
        CheckFlags2[CheckFlags2["SyntheticProperty"] = 2] = "SyntheticProperty";
        CheckFlags2[CheckFlags2["SyntheticMethod"] = 4] = "SyntheticMethod";
        CheckFlags2[CheckFlags2["Readonly"] = 8] = "Readonly";
        CheckFlags2[CheckFlags2["ReadPartial"] = 16] = "ReadPartial";
        CheckFlags2[CheckFlags2["WritePartial"] = 32] = "WritePartial";
        CheckFlags2[CheckFlags2["HasNonUniformType"] = 64] = "HasNonUniformType";
        CheckFlags2[CheckFlags2["HasLiteralType"] = 128] = "HasLiteralType";
        CheckFlags2[CheckFlags2["ContainsPublic"] = 256] = "ContainsPublic";
        CheckFlags2[CheckFlags2["ContainsProtected"] = 512] = "ContainsProtected";
        CheckFlags2[CheckFlags2["ContainsPrivate"] = 1024] = "ContainsPrivate";
        CheckFlags2[CheckFlags2["ContainsStatic"] = 2048] = "ContainsStatic";
        CheckFlags2[CheckFlags2["Late"] = 4096] = "Late";
        CheckFlags2[CheckFlags2["ReverseMapped"] = 8192] = "ReverseMapped";
        CheckFlags2[CheckFlags2["OptionalParameter"] = 16384] = "OptionalParameter";
        CheckFlags2[CheckFlags2["RestParameter"] = 32768] = "RestParameter";
        CheckFlags2[CheckFlags2["DeferredType"] = 65536] = "DeferredType";
        CheckFlags2[CheckFlags2["HasNeverType"] = 131072] = "HasNeverType";
        CheckFlags2[CheckFlags2["Mapped"] = 262144] = "Mapped";
        CheckFlags2[CheckFlags2["StripOptional"] = 524288] = "StripOptional";
        CheckFlags2[CheckFlags2["Unresolved"] = 1048576] = "Unresolved";
        CheckFlags2[CheckFlags2["Synthetic"] = 6] = "Synthetic";
        CheckFlags2[CheckFlags2["Discriminant"] = 192] = "Discriminant";
        CheckFlags2[CheckFlags2["Partial"] = 48] = "Partial";
        return CheckFlags2;
      })(CheckFlags || {});
      var InternalSymbolName = /* @__PURE__ */ ((InternalSymbolName2) => {
        InternalSymbolName2["Call"] = "__call";
        InternalSymbolName2["Constructor"] = "__constructor";
        InternalSymbolName2["New"] = "__new";
        InternalSymbolName2["Index"] = "__index";
        InternalSymbolName2["ExportStar"] = "__export";
        InternalSymbolName2["Global"] = "__global";
        InternalSymbolName2["Missing"] = "__missing";
        InternalSymbolName2["Type"] = "__type";
        InternalSymbolName2["Object"] = "__object";
        InternalSymbolName2["JSXAttributes"] = "__jsxAttributes";
        InternalSymbolName2["Class"] = "__class";
        InternalSymbolName2["Function"] = "__function";
        InternalSymbolName2["Computed"] = "__computed";
        InternalSymbolName2["Resolving"] = "__resolving__";
        InternalSymbolName2["ExportEquals"] = "export=";
        InternalSymbolName2["Default"] = "default";
        InternalSymbolName2["This"] = "this";
        InternalSymbolName2["InstantiationExpression"] = "__instantiationExpression";
        InternalSymbolName2["ImportAttributes"] = "__importAttributes";
        return InternalSymbolName2;
      })(InternalSymbolName || {});
      var NodeCheckFlags = /* @__PURE__ */ ((NodeCheckFlags3) => {
        NodeCheckFlags3[NodeCheckFlags3["None"] = 0] = "None";
        NodeCheckFlags3[NodeCheckFlags3["TypeChecked"] = 1] = "TypeChecked";
        NodeCheckFlags3[NodeCheckFlags3["LexicalThis"] = 2] = "LexicalThis";
        NodeCheckFlags3[NodeCheckFlags3["CaptureThis"] = 4] = "CaptureThis";
        NodeCheckFlags3[NodeCheckFlags3["CaptureNewTarget"] = 8] = "CaptureNewTarget";
        NodeCheckFlags3[NodeCheckFlags3["SuperInstance"] = 16] = "SuperInstance";
        NodeCheckFlags3[NodeCheckFlags3["SuperStatic"] = 32] = "SuperStatic";
        NodeCheckFlags3[NodeCheckFlags3["ContextChecked"] = 64] = "ContextChecked";
        NodeCheckFlags3[NodeCheckFlags3["MethodWithSuperPropertyAccessInAsync"] = 128] = "MethodWithSuperPropertyAccessInAsync";
        NodeCheckFlags3[NodeCheckFlags3["MethodWithSuperPropertyAssignmentInAsync"] = 256] = "MethodWithSuperPropertyAssignmentInAsync";
        NodeCheckFlags3[NodeCheckFlags3["CaptureArguments"] = 512] = "CaptureArguments";
        NodeCheckFlags3[NodeCheckFlags3["EnumValuesComputed"] = 1024] = "EnumValuesComputed";
        NodeCheckFlags3[NodeCheckFlags3["LexicalModuleMergesWithClass"] = 2048] = "LexicalModuleMergesWithClass";
        NodeCheckFlags3[NodeCheckFlags3["LoopWithCapturedBlockScopedBinding"] = 4096] = "LoopWithCapturedBlockScopedBinding";
        NodeCheckFlags3[NodeCheckFlags3["ContainsCapturedBlockScopeBinding"] = 8192] = "ContainsCapturedBlockScopeBinding";
        NodeCheckFlags3[NodeCheckFlags3["CapturedBlockScopedBinding"] = 16384] = "CapturedBlockScopedBinding";
        NodeCheckFlags3[NodeCheckFlags3["BlockScopedBindingInLoop"] = 32768] = "BlockScopedBindingInLoop";
        NodeCheckFlags3[NodeCheckFlags3["NeedsLoopOutParameter"] = 65536] = "NeedsLoopOutParameter";
        NodeCheckFlags3[NodeCheckFlags3["AssignmentsMarked"] = 131072] = "AssignmentsMarked";
        NodeCheckFlags3[NodeCheckFlags3["ContainsConstructorReference"] = 262144] = "ContainsConstructorReference";
        NodeCheckFlags3[NodeCheckFlags3["ConstructorReference"] = 536870912] = "ConstructorReference";
        NodeCheckFlags3[NodeCheckFlags3["ContainsClassWithPrivateIdentifiers"] = 1048576] = "ContainsClassWithPrivateIdentifiers";
        NodeCheckFlags3[NodeCheckFlags3["ContainsSuperPropertyInStaticInitializer"] = 2097152] = "ContainsSuperPropertyInStaticInitializer";
        NodeCheckFlags3[NodeCheckFlags3["InCheckIdentifier"] = 4194304] = "InCheckIdentifier";
        NodeCheckFlags3[NodeCheckFlags3["LazyFlags"] = 539358128] = "LazyFlags";
        return NodeCheckFlags3;
      })(NodeCheckFlags || {});
      var TypeFlags = /* @__PURE__ */ ((TypeFlags2) => {
        TypeFlags2[TypeFlags2["Any"] = 1] = "Any";
        TypeFlags2[TypeFlags2["Unknown"] = 2] = "Unknown";
        TypeFlags2[TypeFlags2["String"] = 4] = "String";
        TypeFlags2[TypeFlags2["Number"] = 8] = "Number";
        TypeFlags2[TypeFlags2["Boolean"] = 16] = "Boolean";
        TypeFlags2[TypeFlags2["Enum"] = 32] = "Enum";
        TypeFlags2[TypeFlags2["BigInt"] = 64] = "BigInt";
        TypeFlags2[TypeFlags2["StringLiteral"] = 128] = "StringLiteral";
        TypeFlags2[TypeFlags2["NumberLiteral"] = 256] = "NumberLiteral";
        TypeFlags2[TypeFlags2["BooleanLiteral"] = 512] = "BooleanLiteral";
        TypeFlags2[TypeFlags2["EnumLiteral"] = 1024] = "EnumLiteral";
        TypeFlags2[TypeFlags2["BigIntLiteral"] = 2048] = "BigIntLiteral";
        TypeFlags2[TypeFlags2["ESSymbol"] = 4096] = "ESSymbol";
        TypeFlags2[TypeFlags2["UniqueESSymbol"] = 8192] = "UniqueESSymbol";
        TypeFlags2[TypeFlags2["Void"] = 16384] = "Void";
        TypeFlags2[TypeFlags2["Undefined"] = 32768] = "Undefined";
        TypeFlags2[TypeFlags2["Null"] = 65536] = "Null";
        TypeFlags2[TypeFlags2["Never"] = 131072] = "Never";
        TypeFlags2[TypeFlags2["TypeParameter"] = 262144] = "TypeParameter";
        TypeFlags2[TypeFlags2["Object"] = 524288] = "Object";
        TypeFlags2[TypeFlags2["Union"] = 1048576] = "Union";
        TypeFlags2[TypeFlags2["Intersection"] = 2097152] = "Intersection";
        TypeFlags2[TypeFlags2["Index"] = 4194304] = "Index";
        TypeFlags2[TypeFlags2["IndexedAccess"] = 8388608] = "IndexedAccess";
        TypeFlags2[TypeFlags2["Conditional"] = 16777216] = "Conditional";
        TypeFlags2[TypeFlags2["Substitution"] = 33554432] = "Substitution";
        TypeFlags2[TypeFlags2["NonPrimitive"] = 67108864] = "NonPrimitive";
        TypeFlags2[TypeFlags2["TemplateLiteral"] = 134217728] = "TemplateLiteral";
        TypeFlags2[TypeFlags2["StringMapping"] = 268435456] = "StringMapping";
        TypeFlags2[TypeFlags2["Reserved1"] = 536870912] = "Reserved1";
        TypeFlags2[TypeFlags2["Reserved2"] = 1073741824] = "Reserved2";
        TypeFlags2[TypeFlags2["AnyOrUnknown"] = 3] = "AnyOrUnknown";
        TypeFlags2[TypeFlags2["Nullable"] = 98304] = "Nullable";
        TypeFlags2[TypeFlags2["Literal"] = 2944] = "Literal";
        TypeFlags2[TypeFlags2["Unit"] = 109472] = "Unit";
        TypeFlags2[TypeFlags2["Freshable"] = 2976] = "Freshable";
        TypeFlags2[TypeFlags2["StringOrNumberLiteral"] = 384] = "StringOrNumberLiteral";
        TypeFlags2[TypeFlags2["StringOrNumberLiteralOrUnique"] = 8576] = "StringOrNumberLiteralOrUnique";
        TypeFlags2[TypeFlags2["DefinitelyFalsy"] = 117632] = "DefinitelyFalsy";
        TypeFlags2[TypeFlags2["PossiblyFalsy"] = 117724] = "PossiblyFalsy";
        TypeFlags2[TypeFlags2["Intrinsic"] = 67359327] = "Intrinsic";
        TypeFlags2[TypeFlags2["StringLike"] = 402653316] = "StringLike";
        TypeFlags2[TypeFlags2["NumberLike"] = 296] = "NumberLike";
        TypeFlags2[TypeFlags2["BigIntLike"] = 2112] = "BigIntLike";
        TypeFlags2[TypeFlags2["BooleanLike"] = 528] = "BooleanLike";
        TypeFlags2[TypeFlags2["EnumLike"] = 1056] = "EnumLike";
        TypeFlags2[TypeFlags2["ESSymbolLike"] = 12288] = "ESSymbolLike";
        TypeFlags2[TypeFlags2["VoidLike"] = 49152] = "VoidLike";
        TypeFlags2[TypeFlags2["Primitive"] = 402784252] = "Primitive";
        TypeFlags2[TypeFlags2["DefinitelyNonNullable"] = 470302716] = "DefinitelyNonNullable";
        TypeFlags2[TypeFlags2["DisjointDomains"] = 469892092] = "DisjointDomains";
        TypeFlags2[TypeFlags2["UnionOrIntersection"] = 3145728] = "UnionOrIntersection";
        TypeFlags2[TypeFlags2["StructuredType"] = 3670016] = "StructuredType";
        TypeFlags2[TypeFlags2["TypeVariable"] = 8650752] = "TypeVariable";
        TypeFlags2[TypeFlags2["InstantiableNonPrimitive"] = 58982400] = "InstantiableNonPrimitive";
        TypeFlags2[TypeFlags2["InstantiablePrimitive"] = 406847488] = "InstantiablePrimitive";
        TypeFlags2[TypeFlags2["Instantiable"] = 465829888] = "Instantiable";
        TypeFlags2[TypeFlags2["StructuredOrInstantiable"] = 469499904] = "StructuredOrInstantiable";
        TypeFlags2[TypeFlags2["ObjectFlagsType"] = 3899393] = "ObjectFlagsType";
        TypeFlags2[TypeFlags2["Simplifiable"] = 25165824] = "Simplifiable";
        TypeFlags2[TypeFlags2["Singleton"] = 67358815] = "Singleton";
        TypeFlags2[TypeFlags2["Narrowable"] = 536624127] = "Narrowable";
        TypeFlags2[TypeFlags2["IncludesMask"] = 473694207] = "IncludesMask";
        TypeFlags2[
          TypeFlags2["IncludesMissingType"] = 262144
          /* TypeParameter */
        ] = "IncludesMissingType";
        TypeFlags2[
          TypeFlags2["IncludesNonWideningType"] = 4194304
          /* Index */
        ] = "IncludesNonWideningType";
        TypeFlags2[
          TypeFlags2["IncludesWildcard"] = 8388608
          /* IndexedAccess */
        ] = "IncludesWildcard";
        TypeFlags2[
          TypeFlags2["IncludesEmptyObject"] = 16777216
          /* Conditional */
        ] = "IncludesEmptyObject";
        TypeFlags2[
          TypeFlags2["IncludesInstantiable"] = 33554432
          /* Substitution */
        ] = "IncludesInstantiable";
        TypeFlags2[
          TypeFlags2["IncludesConstrainedTypeVariable"] = 536870912
          /* Reserved1 */
        ] = "IncludesConstrainedTypeVariable";
        TypeFlags2[
          TypeFlags2["IncludesError"] = 1073741824
          /* Reserved2 */
        ] = "IncludesError";
        TypeFlags2[TypeFlags2["NotPrimitiveUnion"] = 36323331] = "NotPrimitiveUnion";
        return TypeFlags2;
      })(TypeFlags || {});
      var ObjectFlags = /* @__PURE__ */ ((ObjectFlags3) => {
        ObjectFlags3[ObjectFlags3["None"] = 0] = "None";
        ObjectFlags3[ObjectFlags3["Class"] = 1] = "Class";
        ObjectFlags3[ObjectFlags3["Interface"] = 2] = "Interface";
        ObjectFlags3[ObjectFlags3["Reference"] = 4] = "Reference";
        ObjectFlags3[ObjectFlags3["Tuple"] = 8] = "Tuple";
        ObjectFlags3[ObjectFlags3["Anonymous"] = 16] = "Anonymous";
        ObjectFlags3[ObjectFlags3["Mapped"] = 32] = "Mapped";
        ObjectFlags3[ObjectFlags3["Instantiated"] = 64] = "Instantiated";
        ObjectFlags3[ObjectFlags3["ObjectLiteral"] = 128] = "ObjectLiteral";
        ObjectFlags3[ObjectFlags3["EvolvingArray"] = 256] = "EvolvingArray";
        ObjectFlags3[ObjectFlags3["ObjectLiteralPatternWithComputedProperties"] = 512] = "ObjectLiteralPatternWithComputedProperties";
        ObjectFlags3[ObjectFlags3["ReverseMapped"] = 1024] = "ReverseMapped";
        ObjectFlags3[ObjectFlags3["JsxAttributes"] = 2048] = "JsxAttributes";
        ObjectFlags3[ObjectFlags3["JSLiteral"] = 4096] = "JSLiteral";
        ObjectFlags3[ObjectFlags3["FreshLiteral"] = 8192] = "FreshLiteral";
        ObjectFlags3[ObjectFlags3["ArrayLiteral"] = 16384] = "ArrayLiteral";
        ObjectFlags3[ObjectFlags3["PrimitiveUnion"] = 32768] = "PrimitiveUnion";
        ObjectFlags3[ObjectFlags3["ContainsWideningType"] = 65536] = "ContainsWideningType";
        ObjectFlags3[ObjectFlags3["ContainsObjectOrArrayLiteral"] = 131072] = "ContainsObjectOrArrayLiteral";
        ObjectFlags3[ObjectFlags3["NonInferrableType"] = 262144] = "NonInferrableType";
        ObjectFlags3[ObjectFlags3["CouldContainTypeVariablesComputed"] = 524288] = "CouldContainTypeVariablesComputed";
        ObjectFlags3[ObjectFlags3["CouldContainTypeVariables"] = 1048576] = "CouldContainTypeVariables";
        ObjectFlags3[ObjectFlags3["ClassOrInterface"] = 3] = "ClassOrInterface";
        ObjectFlags3[ObjectFlags3["RequiresWidening"] = 196608] = "RequiresWidening";
        ObjectFlags3[ObjectFlags3["PropagatingFlags"] = 458752] = "PropagatingFlags";
        ObjectFlags3[ObjectFlags3["InstantiatedMapped"] = 96] = "InstantiatedMapped";
        ObjectFlags3[ObjectFlags3["ObjectTypeKindMask"] = 1343] = "ObjectTypeKindMask";
        ObjectFlags3[ObjectFlags3["ContainsSpread"] = 2097152] = "ContainsSpread";
        ObjectFlags3[ObjectFlags3["ObjectRestType"] = 4194304] = "ObjectRestType";
        ObjectFlags3[ObjectFlags3["InstantiationExpressionType"] = 8388608] = "InstantiationExpressionType";
        ObjectFlags3[ObjectFlags3["SingleSignatureType"] = 134217728] = "SingleSignatureType";
        ObjectFlags3[ObjectFlags3["IsClassInstanceClone"] = 16777216] = "IsClassInstanceClone";
        ObjectFlags3[ObjectFlags3["IdenticalBaseTypeCalculated"] = 33554432] = "IdenticalBaseTypeCalculated";
        ObjectFlags3[ObjectFlags3["IdenticalBaseTypeExists"] = 67108864] = "IdenticalBaseTypeExists";
        ObjectFlags3[ObjectFlags3["IsGenericTypeComputed"] = 2097152] = "IsGenericTypeComputed";
        ObjectFlags3[ObjectFlags3["IsGenericObjectType"] = 4194304] = "IsGenericObjectType";
        ObjectFlags3[ObjectFlags3["IsGenericIndexType"] = 8388608] = "IsGenericIndexType";
        ObjectFlags3[ObjectFlags3["IsGenericType"] = 12582912] = "IsGenericType";
        ObjectFlags3[ObjectFlags3["ContainsIntersections"] = 16777216] = "ContainsIntersections";
        ObjectFlags3[ObjectFlags3["IsUnknownLikeUnionComputed"] = 33554432] = "IsUnknownLikeUnionComputed";
        ObjectFlags3[ObjectFlags3["IsUnknownLikeUnion"] = 67108864] = "IsUnknownLikeUnion";
        ObjectFlags3[ObjectFlags3["IsNeverIntersectionComputed"] = 16777216] = "IsNeverIntersectionComputed";
        ObjectFlags3[ObjectFlags3["IsNeverIntersection"] = 33554432] = "IsNeverIntersection";
        ObjectFlags3[ObjectFlags3["IsConstrainedTypeVariable"] = 67108864] = "IsConstrainedTypeVariable";
        return ObjectFlags3;
      })(ObjectFlags || {});
      var VarianceFlags = /* @__PURE__ */ ((VarianceFlags2) => {
        VarianceFlags2[VarianceFlags2["Invariant"] = 0] = "Invariant";
        VarianceFlags2[VarianceFlags2["Covariant"] = 1] = "Covariant";
        VarianceFlags2[VarianceFlags2["Contravariant"] = 2] = "Contravariant";
        VarianceFlags2[VarianceFlags2["Bivariant"] = 3] = "Bivariant";
        VarianceFlags2[VarianceFlags2["Independent"] = 4] = "Independent";
        VarianceFlags2[VarianceFlags2["VarianceMask"] = 7] = "VarianceMask";
        VarianceFlags2[VarianceFlags2["Unmeasurable"] = 8] = "Unmeasurable";
        VarianceFlags2[VarianceFlags2["Unreliable"] = 16] = "Unreliable";
        VarianceFlags2[VarianceFlags2["AllowsStructuralFallback"] = 24] = "AllowsStructuralFallback";
        return VarianceFlags2;
      })(VarianceFlags || {});
      var ElementFlags = /* @__PURE__ */ ((ElementFlags2) => {
        ElementFlags2[ElementFlags2["Required"] = 1] = "Required";
        ElementFlags2[ElementFlags2["Optional"] = 2] = "Optional";
        ElementFlags2[ElementFlags2["Rest"] = 4] = "Rest";
        ElementFlags2[ElementFlags2["Variadic"] = 8] = "Variadic";
        ElementFlags2[ElementFlags2["Fixed"] = 3] = "Fixed";
        ElementFlags2[ElementFlags2["Variable"] = 12] = "Variable";
        ElementFlags2[ElementFlags2["NonRequired"] = 14] = "NonRequired";
        ElementFlags2[ElementFlags2["NonRest"] = 11] = "NonRest";
        return ElementFlags2;
      })(ElementFlags || {});
      var AccessFlags = /* @__PURE__ */ ((AccessFlags2) => {
        AccessFlags2[AccessFlags2["None"] = 0] = "None";
        AccessFlags2[AccessFlags2["IncludeUndefined"] = 1] = "IncludeUndefined";
        AccessFlags2[AccessFlags2["NoIndexSignatures"] = 2] = "NoIndexSignatures";
        AccessFlags2[AccessFlags2["Writing"] = 4] = "Writing";
        AccessFlags2[AccessFlags2["CacheSymbol"] = 8] = "CacheSymbol";
        AccessFlags2[AccessFlags2["NoTupleBoundsCheck"] = 16] = "NoTupleBoundsCheck";
        AccessFlags2[AccessFlags2["ExpressionPosition"] = 32] = "ExpressionPosition";
        AccessFlags2[AccessFlags2["ReportDeprecated"] = 64] = "ReportDeprecated";
        AccessFlags2[AccessFlags2["SuppressNoImplicitAnyError"] = 128] = "SuppressNoImplicitAnyError";
        AccessFlags2[AccessFlags2["Contextual"] = 256] = "Contextual";
        AccessFlags2[
          AccessFlags2["Persistent"] = 1
          /* IncludeUndefined */
        ] = "Persistent";
        return AccessFlags2;
      })(AccessFlags || {});
      var IndexFlags = /* @__PURE__ */ ((IndexFlags2) => {
        IndexFlags2[IndexFlags2["None"] = 0] = "None";
        IndexFlags2[IndexFlags2["StringsOnly"] = 1] = "StringsOnly";
        IndexFlags2[IndexFlags2["NoIndexSignatures"] = 2] = "NoIndexSignatures";
        IndexFlags2[IndexFlags2["NoReducibleCheck"] = 4] = "NoReducibleCheck";
        return IndexFlags2;
      })(IndexFlags || {});
      var JsxReferenceKind = /* @__PURE__ */ ((JsxReferenceKind2) => {
        JsxReferenceKind2[JsxReferenceKind2["Component"] = 0] = "Component";
        JsxReferenceKind2[JsxReferenceKind2["Function"] = 1] = "Function";
        JsxReferenceKind2[JsxReferenceKind2["Mixed"] = 2] = "Mixed";
        return JsxReferenceKind2;
      })(JsxReferenceKind || {});
      var SignatureKind = /* @__PURE__ */ ((SignatureKind2) => {
        SignatureKind2[SignatureKind2["Call"] = 0] = "Call";
        SignatureKind2[SignatureKind2["Construct"] = 1] = "Construct";
        return SignatureKind2;
      })(SignatureKind || {});
      var SignatureFlags = /* @__PURE__ */ ((SignatureFlags5) => {
        SignatureFlags5[SignatureFlags5["None"] = 0] = "None";
        SignatureFlags5[SignatureFlags5["HasRestParameter"] = 1] = "HasRestParameter";
        SignatureFlags5[SignatureFlags5["HasLiteralTypes"] = 2] = "HasLiteralTypes";
        SignatureFlags5[SignatureFlags5["Abstract"] = 4] = "Abstract";
        SignatureFlags5[SignatureFlags5["IsInnerCallChain"] = 8] = "IsInnerCallChain";
        SignatureFlags5[SignatureFlags5["IsOuterCallChain"] = 16] = "IsOuterCallChain";
        SignatureFlags5[SignatureFlags5["IsUntypedSignatureInJSFile"] = 32] = "IsUntypedSignatureInJSFile";
        SignatureFlags5[SignatureFlags5["IsNonInferrable"] = 64] = "IsNonInferrable";
        SignatureFlags5[SignatureFlags5["IsSignatureCandidateForOverloadFailure"] = 128] = "IsSignatureCandidateForOverloadFailure";
        SignatureFlags5[SignatureFlags5["PropagatingFlags"] = 167] = "PropagatingFlags";
        SignatureFlags5[SignatureFlags5["CallChainFlags"] = 24] = "CallChainFlags";
        return SignatureFlags5;
      })(SignatureFlags || {});
      var IndexKind = /* @__PURE__ */ ((IndexKind2) => {
        IndexKind2[IndexKind2["String"] = 0] = "String";
        IndexKind2[IndexKind2["Number"] = 1] = "Number";
        return IndexKind2;
      })(IndexKind || {});
      var TypeMapKind = /* @__PURE__ */ ((TypeMapKind2) => {
        TypeMapKind2[TypeMapKind2["Simple"] = 0] = "Simple";
        TypeMapKind2[TypeMapKind2["Array"] = 1] = "Array";
        TypeMapKind2[TypeMapKind2["Deferred"] = 2] = "Deferred";
        TypeMapKind2[TypeMapKind2["Function"] = 3] = "Function";
        TypeMapKind2[TypeMapKind2["Composite"] = 4] = "Composite";
        TypeMapKind2[TypeMapKind2["Merged"] = 5] = "Merged";
        return TypeMapKind2;
      })(TypeMapKind || {});
      var InferencePriority = /* @__PURE__ */ ((InferencePriority2) => {
        InferencePriority2[InferencePriority2["None"] = 0] = "None";
        InferencePriority2[InferencePriority2["NakedTypeVariable"] = 1] = "NakedTypeVariable";
        InferencePriority2[InferencePriority2["SpeculativeTuple"] = 2] = "SpeculativeTuple";
        InferencePriority2[InferencePriority2["SubstituteSource"] = 4] = "SubstituteSource";
        InferencePriority2[InferencePriority2["HomomorphicMappedType"] = 8] = "HomomorphicMappedType";
        InferencePriority2[InferencePriority2["PartialHomomorphicMappedType"] = 16] = "PartialHomomorphicMappedType";
        InferencePriority2[InferencePriority2["MappedTypeConstraint"] = 32] = "MappedTypeConstraint";
        InferencePriority2[InferencePriority2["ContravariantConditional"] = 64] = "ContravariantConditional";
        InferencePriority2[InferencePriority2["ReturnType"] = 128] = "ReturnType";
        InferencePriority2[InferencePriority2["LiteralKeyof"] = 256] = "LiteralKeyof";
        InferencePriority2[InferencePriority2["NoConstraints"] = 512] = "NoConstraints";
        InferencePriority2[InferencePriority2["AlwaysStrict"] = 1024] = "AlwaysStrict";
        InferencePriority2[InferencePriority2["MaxValue"] = 2048] = "MaxValue";
        InferencePriority2[InferencePriority2["PriorityImpliesCombination"] = 416] = "PriorityImpliesCombination";
        InferencePriority2[InferencePriority2["Circularity"] = -1] = "Circularity";
        return InferencePriority2;
      })(InferencePriority || {});
      var InferenceFlags = /* @__PURE__ */ ((InferenceFlags2) => {
        InferenceFlags2[InferenceFlags2["None"] = 0] = "None";
        InferenceFlags2[InferenceFlags2["NoDefault"] = 1] = "NoDefault";
        InferenceFlags2[InferenceFlags2["AnyDefault"] = 2] = "AnyDefault";
        InferenceFlags2[InferenceFlags2["SkippedGenericFunction"] = 4] = "SkippedGenericFunction";
        return InferenceFlags2;
      })(InferenceFlags || {});
      var Ternary = /* @__PURE__ */ ((Ternary2) => {
        Ternary2[Ternary2["False"] = 0] = "False";
        Ternary2[Ternary2["Unknown"] = 1] = "Unknown";
        Ternary2[Ternary2["Maybe"] = 3] = "Maybe";
        Ternary2[Ternary2["True"] = -1] = "True";
        return Ternary2;
      })(Ternary || {});
      var AssignmentDeclarationKind = /* @__PURE__ */ ((AssignmentDeclarationKind2) => {
        AssignmentDeclarationKind2[AssignmentDeclarationKind2["None"] = 0] = "None";
        AssignmentDeclarationKind2[AssignmentDeclarationKind2["ExportsProperty"] = 1] = "ExportsProperty";
        AssignmentDeclarationKind2[AssignmentDeclarationKind2["ModuleExports"] = 2] = "ModuleExports";
        AssignmentDeclarationKind2[AssignmentDeclarationKind2["PrototypeProperty"] = 3] = "PrototypeProperty";
        AssignmentDeclarationKind2[AssignmentDeclarationKind2["ThisProperty"] = 4] = "ThisProperty";
        AssignmentDeclarationKind2[AssignmentDeclarationKind2["Property"] = 5] = "Property";
        AssignmentDeclarationKind2[AssignmentDeclarationKind2["Prototype"] = 6] = "Prototype";
        AssignmentDeclarationKind2[AssignmentDeclarationKind2["ObjectDefinePropertyValue"] = 7] = "ObjectDefinePropertyValue";
        AssignmentDeclarationKind2[AssignmentDeclarationKind2["ObjectDefinePropertyExports"] = 8] = "ObjectDefinePropertyExports";
        AssignmentDeclarationKind2[AssignmentDeclarationKind2["ObjectDefinePrototypeProperty"] = 9] = "ObjectDefinePrototypeProperty";
        return AssignmentDeclarationKind2;
      })(AssignmentDeclarationKind || {});
      var DiagnosticCategory = /* @__PURE__ */ ((DiagnosticCategory2) => {
        DiagnosticCategory2[DiagnosticCategory2["Warning"] = 0] = "Warning";
        DiagnosticCategory2[DiagnosticCategory2["Error"] = 1] = "Error";
        DiagnosticCategory2[DiagnosticCategory2["Suggestion"] = 2] = "Suggestion";
        DiagnosticCategory2[DiagnosticCategory2["Message"] = 3] = "Message";
        return DiagnosticCategory2;
      })(DiagnosticCategory || {});
      function diagnosticCategoryName(d, lowerCase = true) {
        const name = DiagnosticCategory[d.category];
        return lowerCase ? name.toLowerCase() : name;
      }
      var ModuleResolutionKind = /* @__PURE__ */ ((ModuleResolutionKind3) => {
        ModuleResolutionKind3[ModuleResolutionKind3["Classic"] = 1] = "Classic";
        ModuleResolutionKind3[ModuleResolutionKind3["NodeJs"] = 2] = "NodeJs";
        ModuleResolutionKind3[ModuleResolutionKind3["Node10"] = 2] = "Node10";
        ModuleResolutionKind3[ModuleResolutionKind3["Node16"] = 3] = "Node16";
        ModuleResolutionKind3[ModuleResolutionKind3["NodeNext"] = 99] = "NodeNext";
        ModuleResolutionKind3[ModuleResolutionKind3["Bundler"] = 100] = "Bundler";
        return ModuleResolutionKind3;
      })(ModuleResolutionKind || {});
      var ModuleDetectionKind = /* @__PURE__ */ ((ModuleDetectionKind2) => {
        ModuleDetectionKind2[ModuleDetectionKind2["Legacy"] = 1] = "Legacy";
        ModuleDetectionKind2[ModuleDetectionKind2["Auto"] = 2] = "Auto";
        ModuleDetectionKind2[ModuleDetectionKind2["Force"] = 3] = "Force";
        return ModuleDetectionKind2;
      })(ModuleDetectionKind || {});
      var WatchFileKind = /* @__PURE__ */ ((WatchFileKind3) => {
        WatchFileKind3[WatchFileKind3["FixedPollingInterval"] = 0] = "FixedPollingInterval";
        WatchFileKind3[WatchFileKind3["PriorityPollingInterval"] = 1] = "PriorityPollingInterval";
        WatchFileKind3[WatchFileKind3["DynamicPriorityPolling"] = 2] = "DynamicPriorityPolling";
        WatchFileKind3[WatchFileKind3["FixedChunkSizePolling"] = 3] = "FixedChunkSizePolling";
        WatchFileKind3[WatchFileKind3["UseFsEvents"] = 4] = "UseFsEvents";
        WatchFileKind3[WatchFileKind3["UseFsEventsOnParentDirectory"] = 5] = "UseFsEventsOnParentDirectory";
        return WatchFileKind3;
      })(WatchFileKind || {});
      var WatchDirectoryKind = /* @__PURE__ */ ((WatchDirectoryKind3) => {
        WatchDirectoryKind3[WatchDirectoryKind3["UseFsEvents"] = 0] = "UseFsEvents";
        WatchDirectoryKind3[WatchDirectoryKind3["FixedPollingInterval"] = 1] = "FixedPollingInterval";
        WatchDirectoryKind3[WatchDirectoryKind3["DynamicPriorityPolling"] = 2] = "DynamicPriorityPolling";
        WatchDirectoryKind3[WatchDirectoryKind3["FixedChunkSizePolling"] = 3] = "FixedChunkSizePolling";
        return WatchDirectoryKind3;
      })(WatchDirectoryKind || {});
      var PollingWatchKind = /* @__PURE__ */ ((PollingWatchKind3) => {
        PollingWatchKind3[PollingWatchKind3["FixedInterval"] = 0] = "FixedInterval";
        PollingWatchKind3[PollingWatchKind3["PriorityInterval"] = 1] = "PriorityInterval";
        PollingWatchKind3[PollingWatchKind3["DynamicPriority"] = 2] = "DynamicPriority";
        PollingWatchKind3[PollingWatchKind3["FixedChunkSize"] = 3] = "FixedChunkSize";
        return PollingWatchKind3;
      })(PollingWatchKind || {});
      var ModuleKind = /* @__PURE__ */ ((ModuleKind3) => {
        ModuleKind3[ModuleKind3["None"] = 0] = "None";
        ModuleKind3[ModuleKind3["CommonJS"] = 1] = "CommonJS";
        ModuleKind3[ModuleKind3["AMD"] = 2] = "AMD";
        ModuleKind3[ModuleKind3["UMD"] = 3] = "UMD";
        ModuleKind3[ModuleKind3["System"] = 4] = "System";
        ModuleKind3[ModuleKind3["ES2015"] = 5] = "ES2015";
        ModuleKind3[ModuleKind3["ES2020"] = 6] = "ES2020";
        ModuleKind3[ModuleKind3["ES2022"] = 7] = "ES2022";
        ModuleKind3[ModuleKind3["ESNext"] = 99] = "ESNext";
        ModuleKind3[ModuleKind3["Node16"] = 100] = "Node16";
        ModuleKind3[ModuleKind3["NodeNext"] = 199] = "NodeNext";
        ModuleKind3[ModuleKind3["Preserve"] = 200] = "Preserve";
        return ModuleKind3;
      })(ModuleKind || {});
      var JsxEmit = /* @__PURE__ */ ((JsxEmit3) => {
        JsxEmit3[JsxEmit3["None"] = 0] = "None";
        JsxEmit3[JsxEmit3["Preserve"] = 1] = "Preserve";
        JsxEmit3[JsxEmit3["React"] = 2] = "React";
        JsxEmit3[JsxEmit3["ReactNative"] = 3] = "ReactNative";
        JsxEmit3[JsxEmit3["ReactJSX"] = 4] = "ReactJSX";
        JsxEmit3[JsxEmit3["ReactJSXDev"] = 5] = "ReactJSXDev";
        return JsxEmit3;
      })(JsxEmit || {});
      var ImportsNotUsedAsValues = /* @__PURE__ */ ((ImportsNotUsedAsValues2) => {
        ImportsNotUsedAsValues2[ImportsNotUsedAsValues2["Remove"] = 0] = "Remove";
        ImportsNotUsedAsValues2[ImportsNotUsedAsValues2["Preserve"] = 1] = "Preserve";
        ImportsNotUsedAsValues2[ImportsNotUsedAsValues2["Error"] = 2] = "Error";
        return ImportsNotUsedAsValues2;
      })(ImportsNotUsedAsValues || {});
      var NewLineKind = /* @__PURE__ */ ((NewLineKind3) => {
        NewLineKind3[NewLineKind3["CarriageReturnLineFeed"] = 0] = "CarriageReturnLineFeed";
        NewLineKind3[NewLineKind3["LineFeed"] = 1] = "LineFeed";
        return NewLineKind3;
      })(NewLineKind || {});
      var ScriptKind = /* @__PURE__ */ ((ScriptKind7) => {
        ScriptKind7[ScriptKind7["Unknown"] = 0] = "Unknown";
        ScriptKind7[ScriptKind7["JS"] = 1] = "JS";
        ScriptKind7[ScriptKind7["JSX"] = 2] = "JSX";
        ScriptKind7[ScriptKind7["TS"] = 3] = "TS";
        ScriptKind7[ScriptKind7["TSX"] = 4] = "TSX";
        ScriptKind7[ScriptKind7["External"] = 5] = "External";
        ScriptKind7[ScriptKind7["JSON"] = 6] = "JSON";
        ScriptKind7[ScriptKind7["Deferred"] = 7] = "Deferred";
        return ScriptKind7;
      })(ScriptKind || {});
      var ScriptTarget = /* @__PURE__ */ ((ScriptTarget11) => {
        ScriptTarget11[ScriptTarget11["ES3"] = 0] = "ES3";
        ScriptTarget11[ScriptTarget11["ES5"] = 1] = "ES5";
        ScriptTarget11[ScriptTarget11["ES2015"] = 2] = "ES2015";
        ScriptTarget11[ScriptTarget11["ES2016"] = 3] = "ES2016";
        ScriptTarget11[ScriptTarget11["ES2017"] = 4] = "ES2017";
        ScriptTarget11[ScriptTarget11["ES2018"] = 5] = "ES2018";
        ScriptTarget11[ScriptTarget11["ES2019"] = 6] = "ES2019";
        ScriptTarget11[ScriptTarget11["ES2020"] = 7] = "ES2020";
        ScriptTarget11[ScriptTarget11["ES2021"] = 8] = "ES2021";
        ScriptTarget11[ScriptTarget11["ES2022"] = 9] = "ES2022";
        ScriptTarget11[ScriptTarget11["ES2023"] = 10] = "ES2023";
        ScriptTarget11[ScriptTarget11["ESNext"] = 99] = "ESNext";
        ScriptTarget11[ScriptTarget11["JSON"] = 100] = "JSON";
        ScriptTarget11[
          ScriptTarget11["Latest"] = 99
          /* ESNext */
        ] = "Latest";
        return ScriptTarget11;
      })(ScriptTarget || {});
      var LanguageVariant = /* @__PURE__ */ ((LanguageVariant4) => {
        LanguageVariant4[LanguageVariant4["Standard"] = 0] = "Standard";
        LanguageVariant4[LanguageVariant4["JSX"] = 1] = "JSX";
        return LanguageVariant4;
      })(LanguageVariant || {});
      var WatchDirectoryFlags = /* @__PURE__ */ ((WatchDirectoryFlags3) => {
        WatchDirectoryFlags3[WatchDirectoryFlags3["None"] = 0] = "None";
        WatchDirectoryFlags3[WatchDirectoryFlags3["Recursive"] = 1] = "Recursive";
        return WatchDirectoryFlags3;
      })(WatchDirectoryFlags || {});
      var CharacterCodes = /* @__PURE__ */ ((CharacterCodes2) => {
        CharacterCodes2[CharacterCodes2["EOF"] = -1] = "EOF";
        CharacterCodes2[CharacterCodes2["nullCharacter"] = 0] = "nullCharacter";
        CharacterCodes2[CharacterCodes2["maxAsciiCharacter"] = 127] = "maxAsciiCharacter";
        CharacterCodes2[CharacterCodes2["lineFeed"] = 10] = "lineFeed";
        CharacterCodes2[CharacterCodes2["carriageReturn"] = 13] = "carriageReturn";
        CharacterCodes2[CharacterCodes2["lineSeparator"] = 8232] = "lineSeparator";
        CharacterCodes2[CharacterCodes2["paragraphSeparator"] = 8233] = "paragraphSeparator";
        CharacterCodes2[CharacterCodes2["nextLine"] = 133] = "nextLine";
        CharacterCodes2[CharacterCodes2["space"] = 32] = "space";
        CharacterCodes2[CharacterCodes2["nonBreakingSpace"] = 160] = "nonBreakingSpace";
        CharacterCodes2[CharacterCodes2["enQuad"] = 8192] = "enQuad";
        CharacterCodes2[CharacterCodes2["emQuad"] = 8193] = "emQuad";
        CharacterCodes2[CharacterCodes2["enSpace"] = 8194] = "enSpace";
        CharacterCodes2[CharacterCodes2["emSpace"] = 8195] = "emSpace";
        CharacterCodes2[CharacterCodes2["threePerEmSpace"] = 8196] = "threePerEmSpace";
        CharacterCodes2[CharacterCodes2["fourPerEmSpace"] = 8197] = "fourPerEmSpace";
        CharacterCodes2[CharacterCodes2["sixPerEmSpace"] = 8198] = "sixPerEmSpace";
        CharacterCodes2[CharacterCodes2["figureSpace"] = 8199] = "figureSpace";
        CharacterCodes2[CharacterCodes2["punctuationSpace"] = 8200] = "punctuationSpace";
        CharacterCodes2[CharacterCodes2["thinSpace"] = 8201] = "thinSpace";
        CharacterCodes2[CharacterCodes2["hairSpace"] = 8202] = "hairSpace";
        CharacterCodes2[CharacterCodes2["zeroWidthSpace"] = 8203] = "zeroWidthSpace";
        CharacterCodes2[CharacterCodes2["narrowNoBreakSpace"] = 8239] = "narrowNoBreakSpace";
        CharacterCodes2[CharacterCodes2["ideographicSpace"] = 12288] = "ideographicSpace";
        CharacterCodes2[CharacterCodes2["mathematicalSpace"] = 8287] = "mathematicalSpace";
        CharacterCodes2[CharacterCodes2["ogham"] = 5760] = "ogham";
        CharacterCodes2[CharacterCodes2["replacementCharacter"] = 65533] = "replacementCharacter";
        CharacterCodes2[CharacterCodes2["_"] = 95] = "_";
        CharacterCodes2[CharacterCodes2["$"] = 36] = "$";
        CharacterCodes2[CharacterCodes2["_0"] = 48] = "_0";
        CharacterCodes2[CharacterCodes2["_1"] = 49] = "_1";
        CharacterCodes2[CharacterCodes2["_2"] = 50] = "_2";
        CharacterCodes2[CharacterCodes2["_3"] = 51] = "_3";
        CharacterCodes2[CharacterCodes2["_4"] = 52] = "_4";
        CharacterCodes2[CharacterCodes2["_5"] = 53] = "_5";
        CharacterCodes2[CharacterCodes2["_6"] = 54] = "_6";
        CharacterCodes2[CharacterCodes2["_7"] = 55] = "_7";
        CharacterCodes2[CharacterCodes2["_8"] = 56] = "_8";
        CharacterCodes2[CharacterCodes2["_9"] = 57] = "_9";
        CharacterCodes2[CharacterCodes2["a"] = 97] = "a";
        CharacterCodes2[CharacterCodes2["b"] = 98] = "b";
        CharacterCodes2[CharacterCodes2["c"] = 99] = "c";
        CharacterCodes2[CharacterCodes2["d"] = 100] = "d";
        CharacterCodes2[CharacterCodes2["e"] = 101] = "e";
        CharacterCodes2[CharacterCodes2["f"] = 102] = "f";
        CharacterCodes2[CharacterCodes2["g"] = 103] = "g";
        CharacterCodes2[CharacterCodes2["h"] = 104] = "h";
        CharacterCodes2[CharacterCodes2["i"] = 105] = "i";
        CharacterCodes2[CharacterCodes2["j"] = 106] = "j";
        CharacterCodes2[CharacterCodes2["k"] = 107] = "k";
        CharacterCodes2[CharacterCodes2["l"] = 108] = "l";
        CharacterCodes2[CharacterCodes2["m"] = 109] = "m";
        CharacterCodes2[CharacterCodes2["n"] = 110] = "n";
        CharacterCodes2[CharacterCodes2["o"] = 111] = "o";
        CharacterCodes2[CharacterCodes2["p"] = 112] = "p";
        CharacterCodes2[CharacterCodes2["q"] = 113] = "q";
        CharacterCodes2[CharacterCodes2["r"] = 114] = "r";
        CharacterCodes2[CharacterCodes2["s"] = 115] = "s";
        CharacterCodes2[CharacterCodes2["t"] = 116] = "t";
        CharacterCodes2[CharacterCodes2["u"] = 117] = "u";
        CharacterCodes2[CharacterCodes2["v"] = 118] = "v";
        CharacterCodes2[CharacterCodes2["w"] = 119] = "w";
        CharacterCodes2[CharacterCodes2["x"] = 120] = "x";
        CharacterCodes2[CharacterCodes2["y"] = 121] = "y";
        CharacterCodes2[CharacterCodes2["z"] = 122] = "z";
        CharacterCodes2[CharacterCodes2["A"] = 65] = "A";
        CharacterCodes2[CharacterCodes2["B"] = 66] = "B";
        CharacterCodes2[CharacterCodes2["C"] = 67] = "C";
        CharacterCodes2[CharacterCodes2["D"] = 68] = "D";
        CharacterCodes2[CharacterCodes2["E"] = 69] = "E";
        CharacterCodes2[CharacterCodes2["F"] = 70] = "F";
        CharacterCodes2[CharacterCodes2["G"] = 71] = "G";
        CharacterCodes2[CharacterCodes2["H"] = 72] = "H";
        CharacterCodes2[CharacterCodes2["I"] = 73] = "I";
        CharacterCodes2[CharacterCodes2["J"] = 74] = "J";
        CharacterCodes2[CharacterCodes2["K"] = 75] = "K";
        CharacterCodes2[CharacterCodes2["L"] = 76] = "L";
        CharacterCodes2[CharacterCodes2["M"] = 77] = "M";
        CharacterCodes2[CharacterCodes2["N"] = 78] = "N";
        CharacterCodes2[CharacterCodes2["O"] = 79] = "O";
        CharacterCodes2[CharacterCodes2["P"] = 80] = "P";
        CharacterCodes2[CharacterCodes2["Q"] = 81] = "Q";
        CharacterCodes2[CharacterCodes2["R"] = 82] = "R";
        CharacterCodes2[CharacterCodes2["S"] = 83] = "S";
        CharacterCodes2[CharacterCodes2["T"] = 84] = "T";
        CharacterCodes2[CharacterCodes2["U"] = 85] = "U";
        CharacterCodes2[CharacterCodes2["V"] = 86] = "V";
        CharacterCodes2[CharacterCodes2["W"] = 87] = "W";
        CharacterCodes2[CharacterCodes2["X"] = 88] = "X";
        CharacterCodes2[CharacterCodes2["Y"] = 89] = "Y";
        CharacterCodes2[CharacterCodes2["Z"] = 90] = "Z";
        CharacterCodes2[CharacterCodes2["ampersand"] = 38] = "ampersand";
        CharacterCodes2[CharacterCodes2["asterisk"] = 42] = "asterisk";
        CharacterCodes2[CharacterCodes2["at"] = 64] = "at";
        CharacterCodes2[CharacterCodes2["backslash"] = 92] = "backslash";
        CharacterCodes2[CharacterCodes2["backtick"] = 96] = "backtick";
        CharacterCodes2[CharacterCodes2["bar"] = 124] = "bar";
        CharacterCodes2[CharacterCodes2["caret"] = 94] = "caret";
        CharacterCodes2[CharacterCodes2["closeBrace"] = 125] = "closeBrace";
        CharacterCodes2[CharacterCodes2["closeBracket"] = 93] = "closeBracket";
        CharacterCodes2[CharacterCodes2["closeParen"] = 41] = "closeParen";
        CharacterCodes2[CharacterCodes2["colon"] = 58] = "colon";
        CharacterCodes2[CharacterCodes2["comma"] = 44] = "comma";
        CharacterCodes2[CharacterCodes2["dot"] = 46] = "dot";
        CharacterCodes2[CharacterCodes2["doubleQuote"] = 34] = "doubleQuote";
        CharacterCodes2[CharacterCodes2["equals"] = 61] = "equals";
        CharacterCodes2[CharacterCodes2["exclamation"] = 33] = "exclamation";
        CharacterCodes2[CharacterCodes2["greaterThan"] = 62] = "greaterThan";
        CharacterCodes2[CharacterCodes2["hash"] = 35] = "hash";
        CharacterCodes2[CharacterCodes2["lessThan"] = 60] = "lessThan";
        CharacterCodes2[CharacterCodes2["minus"] = 45] = "minus";
        CharacterCodes2[CharacterCodes2["openBrace"] = 123] = "openBrace";
        CharacterCodes2[CharacterCodes2["openBracket"] = 91] = "openBracket";
        CharacterCodes2[CharacterCodes2["openParen"] = 40] = "openParen";
        CharacterCodes2[CharacterCodes2["percent"] = 37] = "percent";
        CharacterCodes2[CharacterCodes2["plus"] = 43] = "plus";
        CharacterCodes2[CharacterCodes2["question"] = 63] = "question";
        CharacterCodes2[CharacterCodes2["semicolon"] = 59] = "semicolon";
        CharacterCodes2[CharacterCodes2["singleQuote"] = 39] = "singleQuote";
        CharacterCodes2[CharacterCodes2["slash"] = 47] = "slash";
        CharacterCodes2[CharacterCodes2["tilde"] = 126] = "tilde";
        CharacterCodes2[CharacterCodes2["backspace"] = 8] = "backspace";
        CharacterCodes2[CharacterCodes2["formFeed"] = 12] = "formFeed";
        CharacterCodes2[CharacterCodes2["byteOrderMark"] = 65279] = "byteOrderMark";
        CharacterCodes2[CharacterCodes2["tab"] = 9] = "tab";
        CharacterCodes2[CharacterCodes2["verticalTab"] = 11] = "verticalTab";
        return CharacterCodes2;
      })(CharacterCodes || {});
      var Extension = /* @__PURE__ */ ((Extension2) => {
        Extension2["Ts"] = ".ts";
        Extension2["Tsx"] = ".tsx";
        Extension2["Dts"] = ".d.ts";
        Extension2["Js"] = ".js";
        Extension2["Jsx"] = ".jsx";
        Extension2["Json"] = ".json";
        Extension2["TsBuildInfo"] = ".tsbuildinfo";
        Extension2["Mjs"] = ".mjs";
        Extension2["Mts"] = ".mts";
        Extension2["Dmts"] = ".d.mts";
        Extension2["Cjs"] = ".cjs";
        Extension2["Cts"] = ".cts";
        Extension2["Dcts"] = ".d.cts";
        return Extension2;
      })(Extension || {});
      var TransformFlags = /* @__PURE__ */ ((TransformFlags3) => {
        TransformFlags3[TransformFlags3["None"] = 0] = "None";
        TransformFlags3[TransformFlags3["ContainsTypeScript"] = 1] = "ContainsTypeScript";
        TransformFlags3[TransformFlags3["ContainsJsx"] = 2] = "ContainsJsx";
        TransformFlags3[TransformFlags3["ContainsESNext"] = 4] = "ContainsESNext";
        TransformFlags3[TransformFlags3["ContainsES2022"] = 8] = "ContainsES2022";
        TransformFlags3[TransformFlags3["ContainsES2021"] = 16] = "ContainsES2021";
        TransformFlags3[TransformFlags3["ContainsES2020"] = 32] = "ContainsES2020";
        TransformFlags3[TransformFlags3["ContainsES2019"] = 64] = "ContainsES2019";
        TransformFlags3[TransformFlags3["ContainsES2018"] = 128] = "ContainsES2018";
        TransformFlags3[TransformFlags3["ContainsES2017"] = 256] = "ContainsES2017";
        TransformFlags3[TransformFlags3["ContainsES2016"] = 512] = "ContainsES2016";
        TransformFlags3[TransformFlags3["ContainsES2015"] = 1024] = "ContainsES2015";
        TransformFlags3[TransformFlags3["ContainsGenerator"] = 2048] = "ContainsGenerator";
        TransformFlags3[TransformFlags3["ContainsDestructuringAssignment"] = 4096] = "ContainsDestructuringAssignment";
        TransformFlags3[TransformFlags3["ContainsTypeScriptClassSyntax"] = 8192] = "ContainsTypeScriptClassSyntax";
        TransformFlags3[TransformFlags3["ContainsLexicalThis"] = 16384] = "ContainsLexicalThis";
        TransformFlags3[TransformFlags3["ContainsRestOrSpread"] = 32768] = "ContainsRestOrSpread";
        TransformFlags3[TransformFlags3["ContainsObjectRestOrSpread"] = 65536] = "ContainsObjectRestOrSpread";
        TransformFlags3[TransformFlags3["ContainsComputedPropertyName"] = 131072] = "ContainsComputedPropertyName";
        TransformFlags3[TransformFlags3["ContainsBlockScopedBinding"] = 262144] = "ContainsBlockScopedBinding";
        TransformFlags3[TransformFlags3["ContainsBindingPattern"] = 524288] = "ContainsBindingPattern";
        TransformFlags3[TransformFlags3["ContainsYield"] = 1048576] = "ContainsYield";
        TransformFlags3[TransformFlags3["ContainsAwait"] = 2097152] = "ContainsAwait";
        TransformFlags3[TransformFlags3["ContainsHoistedDeclarationOrCompletion"] = 4194304] = "ContainsHoistedDeclarationOrCompletion";
        TransformFlags3[TransformFlags3["ContainsDynamicImport"] = 8388608] = "ContainsDynamicImport";
        TransformFlags3[TransformFlags3["ContainsClassFields"] = 16777216] = "ContainsClassFields";
        TransformFlags3[TransformFlags3["ContainsDecorators"] = 33554432] = "ContainsDecorators";
        TransformFlags3[TransformFlags3["ContainsPossibleTopLevelAwait"] = 67108864] = "ContainsPossibleTopLevelAwait";
        TransformFlags3[TransformFlags3["ContainsLexicalSuper"] = 134217728] = "ContainsLexicalSuper";
        TransformFlags3[TransformFlags3["ContainsUpdateExpressionForIdentifier"] = 268435456] = "ContainsUpdateExpressionForIdentifier";
        TransformFlags3[TransformFlags3["ContainsPrivateIdentifierInExpression"] = 536870912] = "ContainsPrivateIdentifierInExpression";
        TransformFlags3[TransformFlags3["HasComputedFlags"] = -2147483648] = "HasComputedFlags";
        TransformFlags3[
          TransformFlags3["AssertTypeScript"] = 1
          /* ContainsTypeScript */
        ] = "AssertTypeScript";
        TransformFlags3[
          TransformFlags3["AssertJsx"] = 2
          /* ContainsJsx */
        ] = "AssertJsx";
        TransformFlags3[
          TransformFlags3["AssertESNext"] = 4
          /* ContainsESNext */
        ] = "AssertESNext";
        TransformFlags3[
          TransformFlags3["AssertES2022"] = 8
          /* ContainsES2022 */
        ] = "AssertES2022";
        TransformFlags3[
          TransformFlags3["AssertES2021"] = 16
          /* ContainsES2021 */
        ] = "AssertES2021";
        TransformFlags3[
          TransformFlags3["AssertES2020"] = 32
          /* ContainsES2020 */
        ] = "AssertES2020";
        TransformFlags3[
          TransformFlags3["AssertES2019"] = 64
          /* ContainsES2019 */
        ] = "AssertES2019";
        TransformFlags3[
          TransformFlags3["AssertES2018"] = 128
          /* ContainsES2018 */
        ] = "AssertES2018";
        TransformFlags3[
          TransformFlags3["AssertES2017"] = 256
          /* ContainsES2017 */
        ] = "AssertES2017";
        TransformFlags3[
          TransformFlags3["AssertES2016"] = 512
          /* ContainsES2016 */
        ] = "AssertES2016";
        TransformFlags3[
          TransformFlags3["AssertES2015"] = 1024
          /* ContainsES2015 */
        ] = "AssertES2015";
        TransformFlags3[
          TransformFlags3["AssertGenerator"] = 2048
          /* ContainsGenerator */
        ] = "AssertGenerator";
        TransformFlags3[
          TransformFlags3["AssertDestructuringAssignment"] = 4096
          /* ContainsDestructuringAssignment */
        ] = "AssertDestructuringAssignment";
        TransformFlags3[
          TransformFlags3["OuterExpressionExcludes"] = -2147483648
          /* HasComputedFlags */
        ] = "OuterExpressionExcludes";
        TransformFlags3[
          TransformFlags3["PropertyAccessExcludes"] = -2147483648
          /* OuterExpressionExcludes */
        ] = "PropertyAccessExcludes";
        TransformFlags3[
          TransformFlags3["NodeExcludes"] = -2147483648
          /* PropertyAccessExcludes */
        ] = "NodeExcludes";
        TransformFlags3[TransformFlags3["ArrowFunctionExcludes"] = -2072174592] = "ArrowFunctionExcludes";
        TransformFlags3[TransformFlags3["FunctionExcludes"] = -1937940480] = "FunctionExcludes";
        TransformFlags3[TransformFlags3["ConstructorExcludes"] = -1937948672] = "ConstructorExcludes";
        TransformFlags3[TransformFlags3["MethodOrAccessorExcludes"] = -2005057536] = "MethodOrAccessorExcludes";
        TransformFlags3[TransformFlags3["PropertyExcludes"] = -2013249536] = "PropertyExcludes";
        TransformFlags3[TransformFlags3["ClassExcludes"] = -2147344384] = "ClassExcludes";
        TransformFlags3[TransformFlags3["ModuleExcludes"] = -1941676032] = "ModuleExcludes";
        TransformFlags3[TransformFlags3["TypeExcludes"] = -2] = "TypeExcludes";
        TransformFlags3[TransformFlags3["ObjectLiteralExcludes"] = -2147278848] = "ObjectLiteralExcludes";
        TransformFlags3[TransformFlags3["ArrayLiteralOrCallOrNewExcludes"] = -2147450880] = "ArrayLiteralOrCallOrNewExcludes";
        TransformFlags3[TransformFlags3["VariableDeclarationListExcludes"] = -2146893824] = "VariableDeclarationListExcludes";
        TransformFlags3[
          TransformFlags3["ParameterExcludes"] = -2147483648
          /* NodeExcludes */
        ] = "ParameterExcludes";
        TransformFlags3[TransformFlags3["CatchClauseExcludes"] = -2147418112] = "CatchClauseExcludes";
        TransformFlags3[TransformFlags3["BindingPatternExcludes"] = -2147450880] = "BindingPatternExcludes";
        TransformFlags3[TransformFlags3["ContainsLexicalThisOrSuper"] = 134234112] = "ContainsLexicalThisOrSuper";
        TransformFlags3[TransformFlags3["PropertyNamePropagatingFlags"] = 134234112] = "PropertyNamePropagatingFlags";
        return TransformFlags3;
      })(TransformFlags || {});
      var SnippetKind = /* @__PURE__ */ ((SnippetKind3) => {
        SnippetKind3[SnippetKind3["TabStop"] = 0] = "TabStop";
        SnippetKind3[SnippetKind3["Placeholder"] = 1] = "Placeholder";
        SnippetKind3[SnippetKind3["Choice"] = 2] = "Choice";
        SnippetKind3[SnippetKind3["Variable"] = 3] = "Variable";
        return SnippetKind3;
      })(SnippetKind || {});
      var EmitFlags = /* @__PURE__ */ ((EmitFlags3) => {
        EmitFlags3[EmitFlags3["None"] = 0] = "None";
        EmitFlags3[EmitFlags3["SingleLine"] = 1] = "SingleLine";
        EmitFlags3[EmitFlags3["MultiLine"] = 2] = "MultiLine";
        EmitFlags3[EmitFlags3["AdviseOnEmitNode"] = 4] = "AdviseOnEmitNode";
        EmitFlags3[EmitFlags3["NoSubstitution"] = 8] = "NoSubstitution";
        EmitFlags3[EmitFlags3["CapturesThis"] = 16] = "CapturesThis";
        EmitFlags3[EmitFlags3["NoLeadingSourceMap"] = 32] = "NoLeadingSourceMap";
        EmitFlags3[EmitFlags3["NoTrailingSourceMap"] = 64] = "NoTrailingSourceMap";
        EmitFlags3[EmitFlags3["NoSourceMap"] = 96] = "NoSourceMap";
        EmitFlags3[EmitFlags3["NoNestedSourceMaps"] = 128] = "NoNestedSourceMaps";
        EmitFlags3[EmitFlags3["NoTokenLeadingSourceMaps"] = 256] = "NoTokenLeadingSourceMaps";
        EmitFlags3[EmitFlags3["NoTokenTrailingSourceMaps"] = 512] = "NoTokenTrailingSourceMaps";
        EmitFlags3[EmitFlags3["NoTokenSourceMaps"] = 768] = "NoTokenSourceMaps";
        EmitFlags3[EmitFlags3["NoLeadingComments"] = 1024] = "NoLeadingComments";
        EmitFlags3[EmitFlags3["NoTrailingComments"] = 2048] = "NoTrailingComments";
        EmitFlags3[EmitFlags3["NoComments"] = 3072] = "NoComments";
        EmitFlags3[EmitFlags3["NoNestedComments"] = 4096] = "NoNestedComments";
        EmitFlags3[EmitFlags3["HelperName"] = 8192] = "HelperName";
        EmitFlags3[EmitFlags3["ExportName"] = 16384] = "ExportName";
        EmitFlags3[EmitFlags3["LocalName"] = 32768] = "LocalName";
        EmitFlags3[EmitFlags3["InternalName"] = 65536] = "InternalName";
        EmitFlags3[EmitFlags3["Indented"] = 131072] = "Indented";
        EmitFlags3[EmitFlags3["NoIndentation"] = 262144] = "NoIndentation";
        EmitFlags3[EmitFlags3["AsyncFunctionBody"] = 524288] = "AsyncFunctionBody";
        EmitFlags3[EmitFlags3["ReuseTempVariableScope"] = 1048576] = "ReuseTempVariableScope";
        EmitFlags3[EmitFlags3["CustomPrologue"] = 2097152] = "CustomPrologue";
        EmitFlags3[EmitFlags3["NoHoisting"] = 4194304] = "NoHoisting";
        EmitFlags3[EmitFlags3["Iterator"] = 8388608] = "Iterator";
        EmitFlags3[EmitFlags3["NoAsciiEscaping"] = 16777216] = "NoAsciiEscaping";
        return EmitFlags3;
      })(EmitFlags || {});
      var InternalEmitFlags = /* @__PURE__ */ ((InternalEmitFlags3) => {
        InternalEmitFlags3[InternalEmitFlags3["None"] = 0] = "None";
        InternalEmitFlags3[InternalEmitFlags3["TypeScriptClassWrapper"] = 1] = "TypeScriptClassWrapper";
        InternalEmitFlags3[InternalEmitFlags3["NeverApplyImportHelper"] = 2] = "NeverApplyImportHelper";
        InternalEmitFlags3[InternalEmitFlags3["IgnoreSourceNewlines"] = 4] = "IgnoreSourceNewlines";
        InternalEmitFlags3[InternalEmitFlags3["Immutable"] = 8] = "Immutable";
        InternalEmitFlags3[InternalEmitFlags3["IndirectCall"] = 16] = "IndirectCall";
        InternalEmitFlags3[InternalEmitFlags3["TransformPrivateStaticElements"] = 32] = "TransformPrivateStaticElements";
        return InternalEmitFlags3;
      })(InternalEmitFlags || {});
      var LanguageFeatureMinimumTarget = /* @__PURE__ */ ((LanguageFeatureMinimumTarget2) => {
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["Classes"] = 2
          /* ES2015 */
        ] = "Classes";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["ForOf"] = 2
          /* ES2015 */
        ] = "ForOf";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["Generators"] = 2
          /* ES2015 */
        ] = "Generators";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["Iteration"] = 2
          /* ES2015 */
        ] = "Iteration";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["SpreadElements"] = 2
          /* ES2015 */
        ] = "SpreadElements";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["RestElements"] = 2
          /* ES2015 */
        ] = "RestElements";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["TaggedTemplates"] = 2
          /* ES2015 */
        ] = "TaggedTemplates";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["DestructuringAssignment"] = 2
          /* ES2015 */
        ] = "DestructuringAssignment";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["BindingPatterns"] = 2
          /* ES2015 */
        ] = "BindingPatterns";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["ArrowFunctions"] = 2
          /* ES2015 */
        ] = "ArrowFunctions";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["BlockScopedVariables"] = 2
          /* ES2015 */
        ] = "BlockScopedVariables";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["ObjectAssign"] = 2
          /* ES2015 */
        ] = "ObjectAssign";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["RegularExpressionFlagsUnicode"] = 2
          /* ES2015 */
        ] = "RegularExpressionFlagsUnicode";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["RegularExpressionFlagsSticky"] = 2
          /* ES2015 */
        ] = "RegularExpressionFlagsSticky";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["Exponentiation"] = 3
          /* ES2016 */
        ] = "Exponentiation";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["AsyncFunctions"] = 4
          /* ES2017 */
        ] = "AsyncFunctions";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["ForAwaitOf"] = 5
          /* ES2018 */
        ] = "ForAwaitOf";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["AsyncGenerators"] = 5
          /* ES2018 */
        ] = "AsyncGenerators";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["AsyncIteration"] = 5
          /* ES2018 */
        ] = "AsyncIteration";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["ObjectSpreadRest"] = 5
          /* ES2018 */
        ] = "ObjectSpreadRest";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["RegularExpressionFlagsDotAll"] = 5
          /* ES2018 */
        ] = "RegularExpressionFlagsDotAll";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["BindinglessCatch"] = 6
          /* ES2019 */
        ] = "BindinglessCatch";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["BigInt"] = 7
          /* ES2020 */
        ] = "BigInt";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["NullishCoalesce"] = 7
          /* ES2020 */
        ] = "NullishCoalesce";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["OptionalChaining"] = 7
          /* ES2020 */
        ] = "OptionalChaining";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["LogicalAssignment"] = 8
          /* ES2021 */
        ] = "LogicalAssignment";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["TopLevelAwait"] = 9
          /* ES2022 */
        ] = "TopLevelAwait";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["ClassFields"] = 9
          /* ES2022 */
        ] = "ClassFields";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["PrivateNamesAndClassStaticBlocks"] = 9
          /* ES2022 */
        ] = "PrivateNamesAndClassStaticBlocks";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["RegularExpressionFlagsHasIndices"] = 9
          /* ES2022 */
        ] = "RegularExpressionFlagsHasIndices";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["ShebangComments"] = 99
          /* ESNext */
        ] = "ShebangComments";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["UsingAndAwaitUsing"] = 99
          /* ESNext */
        ] = "UsingAndAwaitUsing";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["ClassAndClassElementDecorators"] = 99
          /* ESNext */
        ] = "ClassAndClassElementDecorators";
        LanguageFeatureMinimumTarget2[
          LanguageFeatureMinimumTarget2["RegularExpressionFlagsUnicodeSets"] = 99
          /* ESNext */
        ] = "RegularExpressionFlagsUnicodeSets";
        return LanguageFeatureMinimumTarget2;
      })(LanguageFeatureMinimumTarget || {});
      var ExternalEmitHelpers = /* @__PURE__ */ ((ExternalEmitHelpers2) => {
        ExternalEmitHelpers2[ExternalEmitHelpers2["Extends"] = 1] = "Extends";
        ExternalEmitHelpers2[ExternalEmitHelpers2["Assign"] = 2] = "Assign";
        ExternalEmitHelpers2[ExternalEmitHelpers2["Rest"] = 4] = "Rest";
        ExternalEmitHelpers2[ExternalEmitHelpers2["Decorate"] = 8] = "Decorate";
        ExternalEmitHelpers2[
          ExternalEmitHelpers2["ESDecorateAndRunInitializers"] = 8
          /* Decorate */
        ] = "ESDecorateAndRunInitializers";
        ExternalEmitHelpers2[ExternalEmitHelpers2["Metadata"] = 16] = "Metadata";
        ExternalEmitHelpers2[ExternalEmitHelpers2["Param"] = 32] = "Param";
        ExternalEmitHelpers2[ExternalEmitHelpers2["Awaiter"] = 64] = "Awaiter";
        ExternalEmitHelpers2[ExternalEmitHelpers2["Generator"] = 128] = "Generator";
        ExternalEmitHelpers2[ExternalEmitHelpers2["Values"] = 256] = "Values";
        ExternalEmitHelpers2[ExternalEmitHelpers2["Read"] = 512] = "Read";
        ExternalEmitHelpers2[ExternalEmitHelpers2["SpreadArray"] = 1024] = "SpreadArray";
        ExternalEmitHelpers2[ExternalEmitHelpers2["Await"] = 2048] = "Await";
        ExternalEmitHelpers2[ExternalEmitHelpers2["AsyncGenerator"] = 4096] = "AsyncGenerator";
        ExternalEmitHelpers2[ExternalEmitHelpers2["AsyncDelegator"] = 8192] = "AsyncDelegator";
        ExternalEmitHelpers2[ExternalEmitHelpers2["AsyncValues"] = 16384] = "AsyncValues";
        ExternalEmitHelpers2[ExternalEmitHelpers2["ExportStar"] = 32768] = "ExportStar";
        ExternalEmitHelpers2[ExternalEmitHelpers2["ImportStar"] = 65536] = "ImportStar";
        ExternalEmitHelpers2[ExternalEmitHelpers2["ImportDefault"] = 131072] = "ImportDefault";
        ExternalEmitHelpers2[ExternalEmitHelpers2["MakeTemplateObject"] = 262144] = "MakeTemplateObject";
        ExternalEmitHelpers2[ExternalEmitHelpers2["ClassPrivateFieldGet"] = 524288] = "ClassPrivateFieldGet";
        ExternalEmitHelpers2[ExternalEmitHelpers2["ClassPrivateFieldSet"] = 1048576] = "ClassPrivateFieldSet";
        ExternalEmitHelpers2[ExternalEmitHelpers2["ClassPrivateFieldIn"] = 2097152] = "ClassPrivateFieldIn";
        ExternalEmitHelpers2[ExternalEmitHelpers2["SetFunctionName"] = 4194304] = "SetFunctionName";
        ExternalEmitHelpers2[ExternalEmitHelpers2["PropKey"] = 8388608] = "PropKey";
        ExternalEmitHelpers2[ExternalEmitHelpers2["AddDisposableResourceAndDisposeResources"] = 16777216] = "AddDisposableResourceAndDisposeResources";
        ExternalEmitHelpers2[
          ExternalEmitHelpers2["FirstEmitHelper"] = 1
          /* Extends */
        ] = "FirstEmitHelper";
        ExternalEmitHelpers2[
          ExternalEmitHelpers2["LastEmitHelper"] = 16777216
          /* AddDisposableResourceAndDisposeResources */
        ] = "LastEmitHelper";
        ExternalEmitHelpers2[
          ExternalEmitHelpers2["ForOfIncludes"] = 256
          /* Values */
        ] = "ForOfIncludes";
        ExternalEmitHelpers2[
          ExternalEmitHelpers2["ForAwaitOfIncludes"] = 16384
          /* AsyncValues */
        ] = "ForAwaitOfIncludes";
        ExternalEmitHelpers2[ExternalEmitHelpers2["AsyncGeneratorIncludes"] = 6144] = "AsyncGeneratorIncludes";
        ExternalEmitHelpers2[ExternalEmitHelpers2["AsyncDelegatorIncludes"] = 26624] = "AsyncDelegatorIncludes";
        ExternalEmitHelpers2[ExternalEmitHelpers2["SpreadIncludes"] = 1536] = "SpreadIncludes";
        return ExternalEmitHelpers2;
      })(ExternalEmitHelpers || {});
      var EmitHint = /* @__PURE__ */ ((EmitHint5) => {
        EmitHint5[EmitHint5["SourceFile"] = 0] = "SourceFile";
        EmitHint5[EmitHint5["Expression"] = 1] = "Expression";
        EmitHint5[EmitHint5["IdentifierName"] = 2] = "IdentifierName";
        EmitHint5[EmitHint5["MappedTypeParameter"] = 3] = "MappedTypeParameter";
        EmitHint5[EmitHint5["Unspecified"] = 4] = "Unspecified";
        EmitHint5[EmitHint5["EmbeddedStatement"] = 5] = "EmbeddedStatement";
        EmitHint5[EmitHint5["JsxAttributeValue"] = 6] = "JsxAttributeValue";
        EmitHint5[EmitHint5["ImportTypeNodeAttributes"] = 7] = "ImportTypeNodeAttributes";
        return EmitHint5;
      })(EmitHint || {});
      var OuterExpressionKinds = /* @__PURE__ */ ((OuterExpressionKinds2) => {
        OuterExpressionKinds2[OuterExpressionKinds2["Parentheses"] = 1] = "Parentheses";
        OuterExpressionKinds2[OuterExpressionKinds2["TypeAssertions"] = 2] = "TypeAssertions";
        OuterExpressionKinds2[OuterExpressionKinds2["NonNullAssertions"] = 4] = "NonNullAssertions";
        OuterExpressionKinds2[OuterExpressionKinds2["PartiallyEmittedExpressions"] = 8] = "PartiallyEmittedExpressions";
        OuterExpressionKinds2[OuterExpressionKinds2["Assertions"] = 6] = "Assertions";
        OuterExpressionKinds2[OuterExpressionKinds2["All"] = 15] = "All";
        OuterExpressionKinds2[OuterExpressionKinds2["ExcludeJSDocTypeAssertion"] = 16] = "ExcludeJSDocTypeAssertion";
        return OuterExpressionKinds2;
      })(OuterExpressionKinds || {});
      var LexicalEnvironmentFlags = /* @__PURE__ */ ((LexicalEnvironmentFlags2) => {
        LexicalEnvironmentFlags2[LexicalEnvironmentFlags2["None"] = 0] = "None";
        LexicalEnvironmentFlags2[LexicalEnvironmentFlags2["InParameters"] = 1] = "InParameters";
        LexicalEnvironmentFlags2[LexicalEnvironmentFlags2["VariablesHoistedInParameters"] = 2] = "VariablesHoistedInParameters";
        return LexicalEnvironmentFlags2;
      })(LexicalEnvironmentFlags || {});
      var ListFormat = /* @__PURE__ */ ((ListFormat2) => {
        ListFormat2[ListFormat2["None"] = 0] = "None";
        ListFormat2[ListFormat2["SingleLine"] = 0] = "SingleLine";
        ListFormat2[ListFormat2["MultiLine"] = 1] = "MultiLine";
        ListFormat2[ListFormat2["PreserveLines"] = 2] = "PreserveLines";
        ListFormat2[ListFormat2["LinesMask"] = 3] = "LinesMask";
        ListFormat2[ListFormat2["NotDelimited"] = 0] = "NotDelimited";
        ListFormat2[ListFormat2["BarDelimited"] = 4] = "BarDelimited";
        ListFormat2[ListFormat2["AmpersandDelimited"] = 8] = "AmpersandDelimited";
        ListFormat2[ListFormat2["CommaDelimited"] = 16] = "CommaDelimited";
        ListFormat2[ListFormat2["AsteriskDelimited"] = 32] = "AsteriskDelimited";
        ListFormat2[ListFormat2["DelimitersMask"] = 60] = "DelimitersMask";
        ListFormat2[ListFormat2["AllowTrailingComma"] = 64] = "AllowTrailingComma";
        ListFormat2[ListFormat2["Indented"] = 128] = "Indented";
        ListFormat2[ListFormat2["SpaceBetweenBraces"] = 256] = "SpaceBetweenBraces";
        ListFormat2[ListFormat2["SpaceBetweenSiblings"] = 512] = "SpaceBetweenSiblings";
        ListFormat2[ListFormat2["Braces"] = 1024] = "Braces";
        ListFormat2[ListFormat2["Parenthesis"] = 2048] = "Parenthesis";
        ListFormat2[ListFormat2["AngleBrackets"] = 4096] = "AngleBrackets";
        ListFormat2[ListFormat2["SquareBrackets"] = 8192] = "SquareBrackets";
        ListFormat2[ListFormat2["BracketsMask"] = 15360] = "BracketsMask";
        ListFormat2[ListFormat2["OptionalIfUndefined"] = 16384] = "OptionalIfUndefined";
        ListFormat2[ListFormat2["OptionalIfEmpty"] = 32768] = "OptionalIfEmpty";
        ListFormat2[ListFormat2["Optional"] = 49152] = "Optional";
        ListFormat2[ListFormat2["PreferNewLine"] = 65536] = "PreferNewLine";
        ListFormat2[ListFormat2["NoTrailingNewLine"] = 131072] = "NoTrailingNewLine";
        ListFormat2[ListFormat2["NoInterveningComments"] = 262144] = "NoInterveningComments";
        ListFormat2[ListFormat2["NoSpaceIfEmpty"] = 524288] = "NoSpaceIfEmpty";
        ListFormat2[ListFormat2["SingleElement"] = 1048576] = "SingleElement";
        ListFormat2[ListFormat2["SpaceAfterList"] = 2097152] = "SpaceAfterList";
        ListFormat2[ListFormat2["Modifiers"] = 2359808] = "Modifiers";
        ListFormat2[ListFormat2["HeritageClauses"] = 512] = "HeritageClauses";
        ListFormat2[ListFormat2["SingleLineTypeLiteralMembers"] = 768] = "SingleLineTypeLiteralMembers";
        ListFormat2[ListFormat2["MultiLineTypeLiteralMembers"] = 32897] = "MultiLineTypeLiteralMembers";
        ListFormat2[ListFormat2["SingleLineTupleTypeElements"] = 528] = "SingleLineTupleTypeElements";
        ListFormat2[ListFormat2["MultiLineTupleTypeElements"] = 657] = "MultiLineTupleTypeElements";
        ListFormat2[ListFormat2["UnionTypeConstituents"] = 516] = "UnionTypeConstituents";
        ListFormat2[ListFormat2["IntersectionTypeConstituents"] = 520] = "IntersectionTypeConstituents";
        ListFormat2[ListFormat2["ObjectBindingPatternElements"] = 525136] = "ObjectBindingPatternElements";
        ListFormat2[ListFormat2["ArrayBindingPatternElements"] = 524880] = "ArrayBindingPatternElements";
        ListFormat2[ListFormat2["ObjectLiteralExpressionProperties"] = 526226] = "ObjectLiteralExpressionProperties";
        ListFormat2[ListFormat2["ImportAttributes"] = 526226] = "ImportAttributes";
        ListFormat2[
          ListFormat2["ImportClauseEntries"] = 526226
          /* ImportAttributes */
        ] = "ImportClauseEntries";
        ListFormat2[ListFormat2["ArrayLiteralExpressionElements"] = 8914] = "ArrayLiteralExpressionElements";
        ListFormat2[ListFormat2["CommaListElements"] = 528] = "CommaListElements";
        ListFormat2[ListFormat2["CallExpressionArguments"] = 2576] = "CallExpressionArguments";
        ListFormat2[ListFormat2["NewExpressionArguments"] = 18960] = "NewExpressionArguments";
        ListFormat2[ListFormat2["TemplateExpressionSpans"] = 262144] = "TemplateExpressionSpans";
        ListFormat2[ListFormat2["SingleLineBlockStatements"] = 768] = "SingleLineBlockStatements";
        ListFormat2[ListFormat2["MultiLineBlockStatements"] = 129] = "MultiLineBlockStatements";
        ListFormat2[ListFormat2["VariableDeclarationList"] = 528] = "VariableDeclarationList";
        ListFormat2[ListFormat2["SingleLineFunctionBodyStatements"] = 768] = "SingleLineFunctionBodyStatements";
        ListFormat2[
          ListFormat2["MultiLineFunctionBodyStatements"] = 1
          /* MultiLine */
        ] = "MultiLineFunctionBodyStatements";
        ListFormat2[
          ListFormat2["ClassHeritageClauses"] = 0
          /* SingleLine */
        ] = "ClassHeritageClauses";
        ListFormat2[ListFormat2["ClassMembers"] = 129] = "ClassMembers";
        ListFormat2[ListFormat2["InterfaceMembers"] = 129] = "InterfaceMembers";
        ListFormat2[ListFormat2["EnumMembers"] = 145] = "EnumMembers";
        ListFormat2[ListFormat2["CaseBlockClauses"] = 129] = "CaseBlockClauses";
        ListFormat2[ListFormat2["NamedImportsOrExportsElements"] = 525136] = "NamedImportsOrExportsElements";
        ListFormat2[ListFormat2["JsxElementOrFragmentChildren"] = 262144] = "JsxElementOrFragmentChildren";
        ListFormat2[ListFormat2["JsxElementAttributes"] = 262656] = "JsxElementAttributes";
        ListFormat2[ListFormat2["CaseOrDefaultClauseStatements"] = 163969] = "CaseOrDefaultClauseStatements";
        ListFormat2[ListFormat2["HeritageClauseTypes"] = 528] = "HeritageClauseTypes";
        ListFormat2[ListFormat2["SourceFileStatements"] = 131073] = "SourceFileStatements";
        ListFormat2[ListFormat2["Decorators"] = 2146305] = "Decorators";
        ListFormat2[ListFormat2["TypeArguments"] = 53776] = "TypeArguments";
        ListFormat2[ListFormat2["TypeParameters"] = 53776] = "TypeParameters";
        ListFormat2[ListFormat2["Parameters"] = 2576] = "Parameters";
        ListFormat2[ListFormat2["IndexSignatureParameters"] = 8848] = "IndexSignatureParameters";
        ListFormat2[ListFormat2["JSDocComment"] = 33] = "JSDocComment";
        return ListFormat2;
      })(ListFormat || {});
      var PragmaKindFlags = /* @__PURE__ */ ((PragmaKindFlags2) => {
        PragmaKindFlags2[PragmaKindFlags2["None"] = 0] = "None";
        PragmaKindFlags2[PragmaKindFlags2["TripleSlashXML"] = 1] = "TripleSlashXML";
        PragmaKindFlags2[PragmaKindFlags2["SingleLine"] = 2] = "SingleLine";
        PragmaKindFlags2[PragmaKindFlags2["MultiLine"] = 4] = "MultiLine";
        PragmaKindFlags2[PragmaKindFlags2["All"] = 7] = "All";
        PragmaKindFlags2[
          PragmaKindFlags2["Default"] = 7
          /* All */
        ] = "Default";
        return PragmaKindFlags2;
      })(PragmaKindFlags || {});
      var commentPragmas = {
        "reference": {
          args: [
            { name: "types", optional: true, captureSpan: true },
            { name: "lib", optional: true, captureSpan: true },
            { name: "path", optional: true, captureSpan: true },
            { name: "no-default-lib", optional: true },
            { name: "resolution-mode", optional: true },
            { name: "preserve", optional: true }
          ],
          kind: 1
          /* TripleSlashXML */
        },
        "amd-dependency": {
          args: [{ name: "path" }, { name: "name", optional: true }],
          kind: 1
          /* TripleSlashXML */
        },
        "amd-module": {
          args: [{ name: "name" }],
          kind: 1
          /* TripleSlashXML */
        },
        "ts-check": {
          kind: 2
          /* SingleLine */
        },
        "ts-nocheck": {
          kind: 2
          /* SingleLine */
        },
        "jsx": {
          args: [{ name: "factory" }],
          kind: 4
          /* MultiLine */
        },
        "jsxfrag": {
          args: [{ name: "factory" }],
          kind: 4
          /* MultiLine */
        },
        "jsximportsource": {
          args: [{ name: "factory" }],
          kind: 4
          /* MultiLine */
        },
        "jsxruntime": {
          args: [{ name: "factory" }],
          kind: 4
          /* MultiLine */
        }
      };
      var JSDocParsingMode = /* @__PURE__ */ ((JSDocParsingMode6) => {
        JSDocParsingMode6[JSDocParsingMode6["ParseAll"] = 0] = "ParseAll";
        JSDocParsingMode6[JSDocParsingMode6["ParseNone"] = 1] = "ParseNone";
        JSDocParsingMode6[JSDocParsingMode6["ParseForTypeErrors"] = 2] = "ParseForTypeErrors";
        JSDocParsingMode6[JSDocParsingMode6["ParseForTypeInfo"] = 3] = "ParseForTypeInfo";
        return JSDocParsingMode6;
      })(JSDocParsingMode || {});
      function generateDjb2Hash(data) {
        let acc = 5381;
        for (let i = 0; i < data.length; i++) {
          acc = (acc << 5) + acc + data.charCodeAt(i);
        }
        return acc.toString();
      }
      function setStackTraceLimit() {
        if (Error.stackTraceLimit < 100) {
          Error.stackTraceLimit = 100;
        }
      }
      var FileWatcherEventKind = /* @__PURE__ */ ((FileWatcherEventKind2) => {
        FileWatcherEventKind2[FileWatcherEventKind2["Created"] = 0] = "Created";
        FileWatcherEventKind2[FileWatcherEventKind2["Changed"] = 1] = "Changed";
        FileWatcherEventKind2[FileWatcherEventKind2["Deleted"] = 2] = "Deleted";
        return FileWatcherEventKind2;
      })(FileWatcherEventKind || {});
      var PollingInterval = /* @__PURE__ */ ((PollingInterval3) => {
        PollingInterval3[PollingInterval3["High"] = 2e3] = "High";
        PollingInterval3[PollingInterval3["Medium"] = 500] = "Medium";
        PollingInterval3[PollingInterval3["Low"] = 250] = "Low";
        return PollingInterval3;
      })(PollingInterval || {});
      var missingFileModifiedTime = /* @__PURE__ */ new Date(0);
      function getModifiedTime(host, fileName) {
        return host.getModifiedTime(fileName) || missingFileModifiedTime;
      }
      function createPollingIntervalBasedLevels(levels) {
        return {
          [
            250
            /* Low */
          ]: levels.Low,
          [
            500
            /* Medium */
          ]: levels.Medium,
          [
            2e3
            /* High */
          ]: levels.High
        };
      }
      var defaultChunkLevels = { Low: 32, Medium: 64, High: 256 };
      var pollingChunkSize = createPollingIntervalBasedLevels(defaultChunkLevels);
      var unchangedPollThresholds = createPollingIntervalBasedLevels(defaultChunkLevels);
      function setCustomPollingValues(system) {
        if (!system.getEnvironmentVariable) {
          return;
        }
        const pollingIntervalChanged = setCustomLevels("TSC_WATCH_POLLINGINTERVAL", PollingInterval);
        pollingChunkSize = getCustomPollingBasedLevels("TSC_WATCH_POLLINGCHUNKSIZE", defaultChunkLevels) || pollingChunkSize;
        unchangedPollThresholds = getCustomPollingBasedLevels("TSC_WATCH_UNCHANGEDPOLLTHRESHOLDS", defaultChunkLevels) || unchangedPollThresholds;
        function getLevel(envVar, level) {
          return system.getEnvironmentVariable(`${envVar}_${level.toUpperCase()}`);
        }
        function getCustomLevels(baseVariable) {
          let customLevels;
          setCustomLevel("Low");
          setCustomLevel("Medium");
          setCustomLevel("High");
          return customLevels;
          function setCustomLevel(level) {
            const customLevel = getLevel(baseVariable, level);
            if (customLevel) {
              (customLevels || (customLevels = {}))[level] = Number(customLevel);
            }
          }
        }
        function setCustomLevels(baseVariable, levels) {
          const customLevels = getCustomLevels(baseVariable);
          if (customLevels) {
            setLevel("Low");
            setLevel("Medium");
            setLevel("High");
            return true;
          }
          return false;
          function setLevel(level) {
            levels[level] = customLevels[level] || levels[level];
          }
        }
        function getCustomPollingBasedLevels(baseVariable, defaultLevels) {
          const customLevels = getCustomLevels(baseVariable);
          return (pollingIntervalChanged || customLevels) && createPollingIntervalBasedLevels(customLevels ? { ...defaultLevels, ...customLevels } : defaultLevels);
        }
      }
      function pollWatchedFileQueue(host, queue, pollIndex, chunkSize, callbackOnWatchFileStat) {
        let definedValueCopyToIndex = pollIndex;
        for (let canVisit = queue.length; chunkSize && canVisit; nextPollIndex(), canVisit--) {
          const watchedFile = queue[pollIndex];
          if (!watchedFile) {
            continue;
          } else if (watchedFile.isClosed) {
            queue[pollIndex] = void 0;
            continue;
          }
          chunkSize--;
          const fileChanged = onWatchedFileStat(watchedFile, getModifiedTime(host, watchedFile.fileName));
          if (watchedFile.isClosed) {
            queue[pollIndex] = void 0;
            continue;
          }
          callbackOnWatchFileStat == null ? void 0 : callbackOnWatchFileStat(watchedFile, pollIndex, fileChanged);
          if (queue[pollIndex]) {
            if (definedValueCopyToIndex < pollIndex) {
              queue[definedValueCopyToIndex] = watchedFile;
              queue[pollIndex] = void 0;
            }
            definedValueCopyToIndex++;
          }
        }
        return pollIndex;
        function nextPollIndex() {
          pollIndex++;
          if (pollIndex === queue.length) {
            if (definedValueCopyToIndex < pollIndex) {
              queue.length = definedValueCopyToIndex;
            }
            pollIndex = 0;
            definedValueCopyToIndex = 0;
          }
        }
      }
      function createDynamicPriorityPollingWatchFile(host) {
        const watchedFiles = [];
        const changedFilesInLastPoll = [];
        const lowPollingIntervalQueue = createPollingIntervalQueue(
          250
          /* Low */
        );
        const mediumPollingIntervalQueue = createPollingIntervalQueue(
          500
          /* Medium */
        );
        const highPollingIntervalQueue = createPollingIntervalQueue(
          2e3
          /* High */
        );
        return watchFile2;
        function watchFile2(fileName, callback, defaultPollingInterval) {
          const file = {
            fileName,
            callback,
            unchangedPolls: 0,
            mtime: getModifiedTime(host, fileName)
          };
          watchedFiles.push(file);
          addToPollingIntervalQueue(file, defaultPollingInterval);
          return {
            close: () => {
              file.isClosed = true;
              unorderedRemoveItem(watchedFiles, file);
            }
          };
        }
        function createPollingIntervalQueue(pollingInterval) {
          const queue = [];
          queue.pollingInterval = pollingInterval;
          queue.pollIndex = 0;
          queue.pollScheduled = false;
          return queue;
        }
        function pollPollingIntervalQueue(_timeoutType, queue) {
          queue.pollIndex = pollQueue(queue, queue.pollingInterval, queue.pollIndex, pollingChunkSize[queue.pollingInterval]);
          if (queue.length) {
            scheduleNextPoll(queue.pollingInterval);
          } else {
            Debug.assert(queue.pollIndex === 0);
            queue.pollScheduled = false;
          }
        }
        function pollLowPollingIntervalQueue(_timeoutType, queue) {
          pollQueue(
            changedFilesInLastPoll,
            250,
            /*pollIndex*/
            0,
            changedFilesInLastPoll.length
          );
          pollPollingIntervalQueue(_timeoutType, queue);
          if (!queue.pollScheduled && changedFilesInLastPoll.length) {
            scheduleNextPoll(
              250
              /* Low */
            );
          }
        }
        function pollQueue(queue, pollingInterval, pollIndex, chunkSize) {
          return pollWatchedFileQueue(
            host,
            queue,
            pollIndex,
            chunkSize,
            onWatchFileStat
          );
          function onWatchFileStat(watchedFile, pollIndex2, fileChanged) {
            if (fileChanged) {
              watchedFile.unchangedPolls = 0;
              if (queue !== changedFilesInLastPoll) {
                queue[pollIndex2] = void 0;
                addChangedFileToLowPollingIntervalQueue(watchedFile);
              }
            } else if (watchedFile.unchangedPolls !== unchangedPollThresholds[pollingInterval]) {
              watchedFile.unchangedPolls++;
            } else if (queue === changedFilesInLastPoll) {
              watchedFile.unchangedPolls = 1;
              queue[pollIndex2] = void 0;
              addToPollingIntervalQueue(
                watchedFile,
                250
                /* Low */
              );
            } else if (pollingInterval !== 2e3) {
              watchedFile.unchangedPolls++;
              queue[pollIndex2] = void 0;
              addToPollingIntervalQueue(
                watchedFile,
                pollingInterval === 250 ? 500 : 2e3
                /* High */
              );
            }
          }
        }
        function pollingIntervalQueue(pollingInterval) {
          switch (pollingInterval) {
            case 250:
              return lowPollingIntervalQueue;
            case 500:
              return mediumPollingIntervalQueue;
            case 2e3:
              return highPollingIntervalQueue;
          }
        }
        function addToPollingIntervalQueue(file, pollingInterval) {
          pollingIntervalQueue(pollingInterval).push(file);
          scheduleNextPollIfNotAlreadyScheduled(pollingInterval);
        }
        function addChangedFileToLowPollingIntervalQueue(file) {
          changedFilesInLastPoll.push(file);
          scheduleNextPollIfNotAlreadyScheduled(
            250
            /* Low */
          );
        }
        function scheduleNextPollIfNotAlreadyScheduled(pollingInterval) {
          if (!pollingIntervalQueue(pollingInterval).pollScheduled) {
            scheduleNextPoll(pollingInterval);
          }
        }
        function scheduleNextPoll(pollingInterval) {
          pollingIntervalQueue(pollingInterval).pollScheduled = host.setTimeout(pollingInterval === 250 ? pollLowPollingIntervalQueue : pollPollingIntervalQueue, pollingInterval, pollingInterval === 250 ? "pollLowPollingIntervalQueue" : "pollPollingIntervalQueue", pollingIntervalQueue(pollingInterval));
        }
      }
      function createUseFsEventsOnParentDirectoryWatchFile(fsWatch, useCaseSensitiveFileNames2, getModifiedTime3, fsWatchWithTimestamp) {
        const fileWatcherCallbacks = createMultiMap();
        const fileTimestamps = fsWatchWithTimestamp ? /* @__PURE__ */ new Map() : void 0;
        const dirWatchers = /* @__PURE__ */ new Map();
        const toCanonicalName = createGetCanonicalFileName(useCaseSensitiveFileNames2);
        return nonPollingWatchFile;
        function nonPollingWatchFile(fileName, callback, _pollingInterval, fallbackOptions) {
          const filePath = toCanonicalName(fileName);
          if (fileWatcherCallbacks.add(filePath, callback).length === 1 && fileTimestamps) {
            fileTimestamps.set(filePath, getModifiedTime3(fileName) || missingFileModifiedTime);
          }
          const dirPath = getDirectoryPath(filePath) || ".";
          const watcher = dirWatchers.get(dirPath) || createDirectoryWatcher(getDirectoryPath(fileName) || ".", dirPath, fallbackOptions);
          watcher.referenceCount++;
          return {
            close: () => {
              if (watcher.referenceCount === 1) {
                watcher.close();
                dirWatchers.delete(dirPath);
              } else {
                watcher.referenceCount--;
              }
              fileWatcherCallbacks.remove(filePath, callback);
            }
          };
        }
        function createDirectoryWatcher(dirName, dirPath, fallbackOptions) {
          const watcher = fsWatch(
            dirName,
            1,
            (eventName, relativeFileName) => {
              if (!isString2(relativeFileName)) return;
              const fileName = getNormalizedAbsolutePath(relativeFileName, dirName);
              const filePath = toCanonicalName(fileName);
              const callbacks = fileName && fileWatcherCallbacks.get(filePath);
              if (callbacks) {
                let currentModifiedTime;
                let eventKind = 1;
                if (fileTimestamps) {
                  const existingTime = fileTimestamps.get(filePath);
                  if (eventName === "change") {
                    currentModifiedTime = getModifiedTime3(fileName) || missingFileModifiedTime;
                    if (currentModifiedTime.getTime() === existingTime.getTime()) return;
                  }
                  currentModifiedTime || (currentModifiedTime = getModifiedTime3(fileName) || missingFileModifiedTime);
                  fileTimestamps.set(filePath, currentModifiedTime);
                  if (existingTime === missingFileModifiedTime) eventKind = 0;
                  else if (currentModifiedTime === missingFileModifiedTime) eventKind = 2;
                }
                for (const fileCallback of callbacks) {
                  fileCallback(fileName, eventKind, currentModifiedTime);
                }
              }
            },
            /*recursive*/
            false,
            500,
            fallbackOptions
          );
          watcher.referenceCount = 0;
          dirWatchers.set(dirPath, watcher);
          return watcher;
        }
      }
      function createFixedChunkSizePollingWatchFile(host) {
        const watchedFiles = [];
        let pollIndex = 0;
        let pollScheduled;
        return watchFile2;
        function watchFile2(fileName, callback) {
          const file = {
            fileName,
            callback,
            mtime: getModifiedTime(host, fileName)
          };
          watchedFiles.push(file);
          scheduleNextPoll();
          return {
            close: () => {
              file.isClosed = true;
              unorderedRemoveItem(watchedFiles, file);
            }
          };
        }
        function pollQueue() {
          pollScheduled = void 0;
          pollIndex = pollWatchedFileQueue(host, watchedFiles, pollIndex, pollingChunkSize[
            250
            /* Low */
          ]);
          scheduleNextPoll();
        }
        function scheduleNextPoll() {
          if (!watchedFiles.length || pollScheduled) return;
          pollScheduled = host.setTimeout(pollQueue, 2e3, "pollQueue");
        }
      }
      function createSingleWatcherPerName(cache, useCaseSensitiveFileNames2, name, callback, createWatcher) {
        const toCanonicalFileName = createGetCanonicalFileName(useCaseSensitiveFileNames2);
        const path17 = toCanonicalFileName(name);
        const existing = cache.get(path17);
        if (existing) {
          existing.callbacks.push(callback);
        } else {
          cache.set(path17, {
            watcher: createWatcher(
              // Cant infer types correctly so lets satisfy checker
              (param1, param2, param3) => {
                var _a;
                return (_a = cache.get(path17)) == null ? void 0 : _a.callbacks.slice().forEach((cb) => cb(param1, param2, param3));
              }
            ),
            callbacks: [callback]
          });
        }
        return {
          close: () => {
            const watcher = cache.get(path17);
            if (!watcher) return;
            if (!orderedRemoveItem(watcher.callbacks, callback) || watcher.callbacks.length) return;
            cache.delete(path17);
            closeFileWatcherOf(watcher);
          }
        };
      }
      function onWatchedFileStat(watchedFile, modifiedTime) {
        const oldTime = watchedFile.mtime.getTime();
        const newTime = modifiedTime.getTime();
        if (oldTime !== newTime) {
          watchedFile.mtime = modifiedTime;
          watchedFile.callback(watchedFile.fileName, getFileWatcherEventKind(oldTime, newTime), modifiedTime);
          return true;
        }
        return false;
      }
      function getFileWatcherEventKind(oldTime, newTime) {
        return oldTime === 0 ? 0 : newTime === 0 ? 2 : 1;
      }
      var ignoredPaths = ["/node_modules/.", "/.git", "/.#"];
      var curSysLog = noop2;
      function sysLog(s) {
        return curSysLog(s);
      }
      function setSysLog(logger) {
        curSysLog = logger;
      }
      function createDirectoryWatcherSupportingRecursive({
        watchDirectory,
        useCaseSensitiveFileNames: useCaseSensitiveFileNames2,
        getCurrentDirectory,
        getAccessibleSortedChildDirectories,
        fileSystemEntryExists,
        realpath,
        setTimeout: setTimeout2,
        clearTimeout: clearTimeout2
      }) {
        const cache = /* @__PURE__ */ new Map();
        const callbackCache = createMultiMap();
        const cacheToUpdateChildWatches = /* @__PURE__ */ new Map();
        let timerToUpdateChildWatches;
        const filePathComparer = getStringComparer(!useCaseSensitiveFileNames2);
        const toCanonicalFilePath = createGetCanonicalFileName(useCaseSensitiveFileNames2);
        return (dirName, callback, recursive, options) => recursive ? createDirectoryWatcher(dirName, options, callback) : watchDirectory(dirName, callback, recursive, options);
        function createDirectoryWatcher(dirName, options, callback, link) {
          const dirPath = toCanonicalFilePath(dirName);
          let directoryWatcher = cache.get(dirPath);
          if (directoryWatcher) {
            directoryWatcher.refCount++;
          } else {
            directoryWatcher = {
              watcher: watchDirectory(
                dirName,
                (fileName) => {
                  var _a;
                  if (isIgnoredPath(fileName, options)) return;
                  if (options == null ? void 0 : options.synchronousWatchDirectory) {
                    if (!((_a = cache.get(dirPath)) == null ? void 0 : _a.targetWatcher)) invokeCallbacks(dirName, dirPath, fileName);
                    updateChildWatches(dirName, dirPath, options);
                  } else {
                    nonSyncUpdateChildWatches(dirName, dirPath, fileName, options);
                  }
                },
                /*recursive*/
                false,
                options
              ),
              refCount: 1,
              childWatches: emptyArray,
              targetWatcher: void 0,
              links: void 0
            };
            cache.set(dirPath, directoryWatcher);
            updateChildWatches(dirName, dirPath, options);
          }
          if (link) (directoryWatcher.links ?? (directoryWatcher.links = /* @__PURE__ */ new Set())).add(link);
          const callbackToAdd = callback && { dirName, callback };
          if (callbackToAdd) {
            callbackCache.add(dirPath, callbackToAdd);
          }
          return {
            dirName,
            close: () => {
              var _a;
              const directoryWatcher2 = Debug.checkDefined(cache.get(dirPath));
              if (callbackToAdd) callbackCache.remove(dirPath, callbackToAdd);
              if (link) (_a = directoryWatcher2.links) == null ? void 0 : _a.delete(link);
              directoryWatcher2.refCount--;
              if (directoryWatcher2.refCount) return;
              cache.delete(dirPath);
              directoryWatcher2.links = void 0;
              closeFileWatcherOf(directoryWatcher2);
              closeTargetWatcher(directoryWatcher2);
              directoryWatcher2.childWatches.forEach(closeFileWatcher);
            }
          };
        }
        function invokeCallbacks(dirName, dirPath, fileNameOrInvokeMap, fileNames) {
          var _a, _b;
          let fileName;
          let invokeMap;
          if (isString2(fileNameOrInvokeMap)) {
            fileName = fileNameOrInvokeMap;
          } else {
            invokeMap = fileNameOrInvokeMap;
          }
          callbackCache.forEach((callbacks, rootDirName) => {
            if (invokeMap && invokeMap.get(rootDirName) === true) return;
            if (rootDirName === dirPath || startsWith2(dirPath, rootDirName) && dirPath[rootDirName.length] === directorySeparator) {
              if (invokeMap) {
                if (fileNames) {
                  const existing = invokeMap.get(rootDirName);
                  if (existing) {
                    existing.push(...fileNames);
                  } else {
                    invokeMap.set(rootDirName, fileNames.slice());
                  }
                } else {
                  invokeMap.set(rootDirName, true);
                }
              } else {
                callbacks.forEach(({ callback }) => callback(fileName));
              }
            }
          });
          (_b = (_a = cache.get(dirPath)) == null ? void 0 : _a.links) == null ? void 0 : _b.forEach((link) => {
            const toPathInLink = (fileName2) => combinePaths(link, getRelativePathFromDirectory(dirName, fileName2, toCanonicalFilePath));
            if (invokeMap) {
              invokeCallbacks(link, toCanonicalFilePath(link), invokeMap, fileNames == null ? void 0 : fileNames.map(toPathInLink));
            } else {
              invokeCallbacks(link, toCanonicalFilePath(link), toPathInLink(fileName));
            }
          });
        }
        function nonSyncUpdateChildWatches(dirName, dirPath, fileName, options) {
          const parentWatcher = cache.get(dirPath);
          if (parentWatcher && fileSystemEntryExists(
            dirName,
            1
            /* Directory */
          )) {
            scheduleUpdateChildWatches(dirName, dirPath, fileName, options);
            return;
          }
          invokeCallbacks(dirName, dirPath, fileName);
          closeTargetWatcher(parentWatcher);
          removeChildWatches(parentWatcher);
        }
        function scheduleUpdateChildWatches(dirName, dirPath, fileName, options) {
          const existing = cacheToUpdateChildWatches.get(dirPath);
          if (existing) {
            existing.fileNames.push(fileName);
          } else {
            cacheToUpdateChildWatches.set(dirPath, { dirName, options, fileNames: [fileName] });
          }
          if (timerToUpdateChildWatches) {
            clearTimeout2(timerToUpdateChildWatches);
            timerToUpdateChildWatches = void 0;
          }
          timerToUpdateChildWatches = setTimeout2(onTimerToUpdateChildWatches, 1e3, "timerToUpdateChildWatches");
        }
        function onTimerToUpdateChildWatches() {
          var _a;
          timerToUpdateChildWatches = void 0;
          sysLog(`sysLog:: onTimerToUpdateChildWatches:: ${cacheToUpdateChildWatches.size}`);
          const start = timestamp();
          const invokeMap = /* @__PURE__ */ new Map();
          while (!timerToUpdateChildWatches && cacheToUpdateChildWatches.size) {
            const result = cacheToUpdateChildWatches.entries().next();
            Debug.assert(!result.done);
            const { value: [dirPath, { dirName, options, fileNames }] } = result;
            cacheToUpdateChildWatches.delete(dirPath);
            const hasChanges = updateChildWatches(dirName, dirPath, options);
            if (!((_a = cache.get(dirPath)) == null ? void 0 : _a.targetWatcher)) invokeCallbacks(dirName, dirPath, invokeMap, hasChanges ? void 0 : fileNames);
          }
          sysLog(`sysLog:: invokingWatchers:: Elapsed:: ${timestamp() - start}ms:: ${cacheToUpdateChildWatches.size}`);
          callbackCache.forEach((callbacks, rootDirName) => {
            const existing = invokeMap.get(rootDirName);
            if (existing) {
              callbacks.forEach(({ callback, dirName }) => {
                if (isArray3(existing)) {
                  existing.forEach(callback);
                } else {
                  callback(dirName);
                }
              });
            }
          });
          const elapsed = timestamp() - start;
          sysLog(`sysLog:: Elapsed:: ${elapsed}ms:: onTimerToUpdateChildWatches:: ${cacheToUpdateChildWatches.size} ${timerToUpdateChildWatches}`);
        }
        function removeChildWatches(parentWatcher) {
          if (!parentWatcher) return;
          const existingChildWatches = parentWatcher.childWatches;
          parentWatcher.childWatches = emptyArray;
          for (const childWatcher of existingChildWatches) {
            childWatcher.close();
            removeChildWatches(cache.get(toCanonicalFilePath(childWatcher.dirName)));
          }
        }
        function closeTargetWatcher(watcher) {
          if (watcher == null ? void 0 : watcher.targetWatcher) {
            watcher.targetWatcher.close();
            watcher.targetWatcher = void 0;
          }
        }
        function updateChildWatches(parentDir, parentDirPath, options) {
          const parentWatcher = cache.get(parentDirPath);
          if (!parentWatcher) return false;
          const target = normalizePath(realpath(parentDir));
          let hasChanges;
          let newChildWatches;
          if (filePathComparer(target, parentDir) === 0) {
            hasChanges = enumerateInsertsAndDeletes(
              fileSystemEntryExists(
                parentDir,
                1
                /* Directory */
              ) ? mapDefined(getAccessibleSortedChildDirectories(parentDir), (child) => {
                const childFullName = getNormalizedAbsolutePath(child, parentDir);
                return !isIgnoredPath(childFullName, options) && filePathComparer(childFullName, normalizePath(realpath(childFullName))) === 0 ? childFullName : void 0;
              }) : emptyArray,
              parentWatcher.childWatches,
              (child, childWatcher) => filePathComparer(child, childWatcher.dirName),
              createAndAddChildDirectoryWatcher,
              closeFileWatcher,
              addChildDirectoryWatcher
            );
          } else if (parentWatcher.targetWatcher && filePathComparer(target, parentWatcher.targetWatcher.dirName) === 0) {
            hasChanges = false;
            Debug.assert(parentWatcher.childWatches === emptyArray);
          } else {
            closeTargetWatcher(parentWatcher);
            parentWatcher.targetWatcher = createDirectoryWatcher(
              target,
              options,
              /*callback*/
              void 0,
              parentDir
            );
            parentWatcher.childWatches.forEach(closeFileWatcher);
            hasChanges = true;
          }
          parentWatcher.childWatches = newChildWatches || emptyArray;
          return hasChanges;
          function createAndAddChildDirectoryWatcher(childName) {
            const result = createDirectoryWatcher(childName, options);
            addChildDirectoryWatcher(result);
          }
          function addChildDirectoryWatcher(childWatcher) {
            (newChildWatches || (newChildWatches = [])).push(childWatcher);
          }
        }
        function isIgnoredPath(path17, options) {
          return some(ignoredPaths, (searchPath) => isInPath(path17, searchPath)) || isIgnoredByWatchOptions(path17, options, useCaseSensitiveFileNames2, getCurrentDirectory);
        }
        function isInPath(path17, searchPath) {
          if (path17.includes(searchPath)) return true;
          if (useCaseSensitiveFileNames2) return false;
          return toCanonicalFilePath(path17).includes(searchPath);
        }
      }
      var FileSystemEntryKind = /* @__PURE__ */ ((FileSystemEntryKind2) => {
        FileSystemEntryKind2[FileSystemEntryKind2["File"] = 0] = "File";
        FileSystemEntryKind2[FileSystemEntryKind2["Directory"] = 1] = "Directory";
        return FileSystemEntryKind2;
      })(FileSystemEntryKind || {});
      function createFileWatcherCallback(callback) {
        return (_fileName, eventKind, modifiedTime) => callback(eventKind === 1 ? "change" : "rename", "", modifiedTime);
      }
      function createFsWatchCallbackForFileWatcherCallback(fileName, callback, getModifiedTime3) {
        return (eventName, _relativeFileName, modifiedTime) => {
          if (eventName === "rename") {
            modifiedTime || (modifiedTime = getModifiedTime3(fileName) || missingFileModifiedTime);
            callback(fileName, modifiedTime !== missingFileModifiedTime ? 0 : 2, modifiedTime);
          } else {
            callback(fileName, 1, modifiedTime);
          }
        };
      }
      function isIgnoredByWatchOptions(pathToCheck, options, useCaseSensitiveFileNames2, getCurrentDirectory) {
        return ((options == null ? void 0 : options.excludeDirectories) || (options == null ? void 0 : options.excludeFiles)) && (matchesExclude(pathToCheck, options == null ? void 0 : options.excludeFiles, useCaseSensitiveFileNames2, getCurrentDirectory()) || matchesExclude(pathToCheck, options == null ? void 0 : options.excludeDirectories, useCaseSensitiveFileNames2, getCurrentDirectory()));
      }
      function createFsWatchCallbackForDirectoryWatcherCallback(directoryName, callback, options, useCaseSensitiveFileNames2, getCurrentDirectory) {
        return (eventName, relativeFileName) => {
          if (eventName === "rename") {
            const fileName = !relativeFileName ? directoryName : normalizePath(combinePaths(directoryName, relativeFileName));
            if (!relativeFileName || !isIgnoredByWatchOptions(fileName, options, useCaseSensitiveFileNames2, getCurrentDirectory)) {
              callback(fileName);
            }
          }
        };
      }
      function createSystemWatchFunctions({
        pollingWatchFileWorker,
        getModifiedTime: getModifiedTime3,
        setTimeout: setTimeout2,
        clearTimeout: clearTimeout2,
        fsWatchWorker,
        fileSystemEntryExists,
        useCaseSensitiveFileNames: useCaseSensitiveFileNames2,
        getCurrentDirectory,
        fsSupportsRecursiveFsWatch,
        getAccessibleSortedChildDirectories,
        realpath,
        tscWatchFile,
        useNonPollingWatchers,
        tscWatchDirectory,
        inodeWatching,
        fsWatchWithTimestamp,
        sysLog: sysLog2
      }) {
        const pollingWatches = /* @__PURE__ */ new Map();
        const fsWatches = /* @__PURE__ */ new Map();
        const fsWatchesRecursive = /* @__PURE__ */ new Map();
        let dynamicPollingWatchFile;
        let fixedChunkSizePollingWatchFile;
        let nonPollingWatchFile;
        let hostRecursiveDirectoryWatcher;
        let hitSystemWatcherLimit = false;
        return {
          watchFile: watchFile2,
          watchDirectory
        };
        function watchFile2(fileName, callback, pollingInterval, options) {
          options = updateOptionsForWatchFile(options, useNonPollingWatchers);
          const watchFileKind = Debug.checkDefined(options.watchFile);
          switch (watchFileKind) {
            case 0:
              return pollingWatchFile(
                fileName,
                callback,
                250,
                /*options*/
                void 0
              );
            case 1:
              return pollingWatchFile(
                fileName,
                callback,
                pollingInterval,
                /*options*/
                void 0
              );
            case 2:
              return ensureDynamicPollingWatchFile()(
                fileName,
                callback,
                pollingInterval,
                /*options*/
                void 0
              );
            case 3:
              return ensureFixedChunkSizePollingWatchFile()(
                fileName,
                callback,
                /* pollingInterval */
                void 0,
                /*options*/
                void 0
              );
            case 4:
              return fsWatch(
                fileName,
                0,
                createFsWatchCallbackForFileWatcherCallback(fileName, callback, getModifiedTime3),
                /*recursive*/
                false,
                pollingInterval,
                getFallbackOptions(options)
              );
            case 5:
              if (!nonPollingWatchFile) {
                nonPollingWatchFile = createUseFsEventsOnParentDirectoryWatchFile(fsWatch, useCaseSensitiveFileNames2, getModifiedTime3, fsWatchWithTimestamp);
              }
              return nonPollingWatchFile(fileName, callback, pollingInterval, getFallbackOptions(options));
            default:
              Debug.assertNever(watchFileKind);
          }
        }
        function ensureDynamicPollingWatchFile() {
          return dynamicPollingWatchFile || (dynamicPollingWatchFile = createDynamicPriorityPollingWatchFile({ getModifiedTime: getModifiedTime3, setTimeout: setTimeout2 }));
        }
        function ensureFixedChunkSizePollingWatchFile() {
          return fixedChunkSizePollingWatchFile || (fixedChunkSizePollingWatchFile = createFixedChunkSizePollingWatchFile({ getModifiedTime: getModifiedTime3, setTimeout: setTimeout2 }));
        }
        function updateOptionsForWatchFile(options, useNonPollingWatchers2) {
          if (options && options.watchFile !== void 0) return options;
          switch (tscWatchFile) {
            case "PriorityPollingInterval":
              return {
                watchFile: 1
                /* PriorityPollingInterval */
              };
            case "DynamicPriorityPolling":
              return {
                watchFile: 2
                /* DynamicPriorityPolling */
              };
            case "UseFsEvents":
              return generateWatchFileOptions(4, 1, options);
            case "UseFsEventsWithFallbackDynamicPolling":
              return generateWatchFileOptions(4, 2, options);
            case "UseFsEventsOnParentDirectory":
              useNonPollingWatchers2 = true;
            default:
              return useNonPollingWatchers2 ? (
                // Use notifications from FS to watch with falling back to fs.watchFile
                generateWatchFileOptions(5, 1, options)
              ) : (
                // Default to using fs events
                {
                  watchFile: 4
                  /* UseFsEvents */
                }
              );
          }
        }
        function generateWatchFileOptions(watchFile3, fallbackPolling, options) {
          const defaultFallbackPolling = options == null ? void 0 : options.fallbackPolling;
          return {
            watchFile: watchFile3,
            fallbackPolling: defaultFallbackPolling === void 0 ? fallbackPolling : defaultFallbackPolling
          };
        }
        function watchDirectory(directoryName, callback, recursive, options) {
          if (fsSupportsRecursiveFsWatch) {
            return fsWatch(
              directoryName,
              1,
              createFsWatchCallbackForDirectoryWatcherCallback(directoryName, callback, options, useCaseSensitiveFileNames2, getCurrentDirectory),
              recursive,
              500,
              getFallbackOptions(options)
            );
          }
          if (!hostRecursiveDirectoryWatcher) {
            hostRecursiveDirectoryWatcher = createDirectoryWatcherSupportingRecursive({
              useCaseSensitiveFileNames: useCaseSensitiveFileNames2,
              getCurrentDirectory,
              fileSystemEntryExists,
              getAccessibleSortedChildDirectories,
              watchDirectory: nonRecursiveWatchDirectory,
              realpath,
              setTimeout: setTimeout2,
              clearTimeout: clearTimeout2
            });
          }
          return hostRecursiveDirectoryWatcher(directoryName, callback, recursive, options);
        }
        function nonRecursiveWatchDirectory(directoryName, callback, recursive, options) {
          Debug.assert(!recursive);
          const watchDirectoryOptions = updateOptionsForWatchDirectory(options);
          const watchDirectoryKind = Debug.checkDefined(watchDirectoryOptions.watchDirectory);
          switch (watchDirectoryKind) {
            case 1:
              return pollingWatchFile(
                directoryName,
                () => callback(directoryName),
                500,
                /*options*/
                void 0
              );
            case 2:
              return ensureDynamicPollingWatchFile()(
                directoryName,
                () => callback(directoryName),
                500,
                /*options*/
                void 0
              );
            case 3:
              return ensureFixedChunkSizePollingWatchFile()(
                directoryName,
                () => callback(directoryName),
                /* pollingInterval */
                void 0,
                /*options*/
                void 0
              );
            case 0:
              return fsWatch(
                directoryName,
                1,
                createFsWatchCallbackForDirectoryWatcherCallback(directoryName, callback, options, useCaseSensitiveFileNames2, getCurrentDirectory),
                recursive,
                500,
                getFallbackOptions(watchDirectoryOptions)
              );
            default:
              Debug.assertNever(watchDirectoryKind);
          }
        }
        function updateOptionsForWatchDirectory(options) {
          if (options && options.watchDirectory !== void 0) return options;
          switch (tscWatchDirectory) {
            case "RecursiveDirectoryUsingFsWatchFile":
              return {
                watchDirectory: 1
                /* FixedPollingInterval */
              };
            case "RecursiveDirectoryUsingDynamicPriorityPolling":
              return {
                watchDirectory: 2
                /* DynamicPriorityPolling */
              };
            default:
              const defaultFallbackPolling = options == null ? void 0 : options.fallbackPolling;
              return {
                watchDirectory: 0,
                fallbackPolling: defaultFallbackPolling !== void 0 ? defaultFallbackPolling : void 0
              };
          }
        }
        function pollingWatchFile(fileName, callback, pollingInterval, options) {
          return createSingleWatcherPerName(
            pollingWatches,
            useCaseSensitiveFileNames2,
            fileName,
            callback,
            (cb) => pollingWatchFileWorker(fileName, cb, pollingInterval, options)
          );
        }
        function fsWatch(fileOrDirectory, entryKind, callback, recursive, fallbackPollingInterval, fallbackOptions) {
          return createSingleWatcherPerName(
            recursive ? fsWatchesRecursive : fsWatches,
            useCaseSensitiveFileNames2,
            fileOrDirectory,
            callback,
            (cb) => fsWatchHandlingExistenceOnHost(fileOrDirectory, entryKind, cb, recursive, fallbackPollingInterval, fallbackOptions)
          );
        }
        function fsWatchHandlingExistenceOnHost(fileOrDirectory, entryKind, callback, recursive, fallbackPollingInterval, fallbackOptions) {
          let lastDirectoryPartWithDirectorySeparator;
          let lastDirectoryPart;
          if (inodeWatching) {
            lastDirectoryPartWithDirectorySeparator = fileOrDirectory.substring(fileOrDirectory.lastIndexOf(directorySeparator));
            lastDirectoryPart = lastDirectoryPartWithDirectorySeparator.slice(directorySeparator.length);
          }
          let watcher = !fileSystemEntryExists(fileOrDirectory, entryKind) ? watchMissingFileSystemEntry() : watchPresentFileSystemEntry();
          return {
            close: () => {
              if (watcher) {
                watcher.close();
                watcher = void 0;
              }
            }
          };
          function updateWatcher(createWatcher) {
            if (watcher) {
              sysLog2(`sysLog:: ${fileOrDirectory}:: Changing watcher to ${createWatcher === watchPresentFileSystemEntry ? "Present" : "Missing"}FileSystemEntryWatcher`);
              watcher.close();
              watcher = createWatcher();
            }
          }
          function watchPresentFileSystemEntry() {
            if (hitSystemWatcherLimit) {
              sysLog2(`sysLog:: ${fileOrDirectory}:: Defaulting to watchFile`);
              return watchPresentFileSystemEntryWithFsWatchFile();
            }
            try {
              const presentWatcher = (entryKind === 1 || !fsWatchWithTimestamp ? fsWatchWorker : fsWatchWorkerHandlingTimestamp)(
                fileOrDirectory,
                recursive,
                inodeWatching ? callbackChangingToMissingFileSystemEntry : callback
              );
              presentWatcher.on("error", () => {
                callback("rename", "");
                updateWatcher(watchMissingFileSystemEntry);
              });
              return presentWatcher;
            } catch (e) {
              hitSystemWatcherLimit || (hitSystemWatcherLimit = e.code === "ENOSPC");
              sysLog2(`sysLog:: ${fileOrDirectory}:: Changing to watchFile`);
              return watchPresentFileSystemEntryWithFsWatchFile();
            }
          }
          function callbackChangingToMissingFileSystemEntry(event, relativeName) {
            let originalRelativeName;
            if (relativeName && endsWith(relativeName, "~")) {
              originalRelativeName = relativeName;
              relativeName = relativeName.slice(0, relativeName.length - 1);
            }
            if (event === "rename" && (!relativeName || relativeName === lastDirectoryPart || endsWith(relativeName, lastDirectoryPartWithDirectorySeparator))) {
              const modifiedTime = getModifiedTime3(fileOrDirectory) || missingFileModifiedTime;
              if (originalRelativeName) callback(event, originalRelativeName, modifiedTime);
              callback(event, relativeName, modifiedTime);
              if (inodeWatching) {
                updateWatcher(modifiedTime === missingFileModifiedTime ? watchMissingFileSystemEntry : watchPresentFileSystemEntry);
              } else if (modifiedTime === missingFileModifiedTime) {
                updateWatcher(watchMissingFileSystemEntry);
              }
            } else {
              if (originalRelativeName) callback(event, originalRelativeName);
              callback(event, relativeName);
            }
          }
          function watchPresentFileSystemEntryWithFsWatchFile() {
            return watchFile2(
              fileOrDirectory,
              createFileWatcherCallback(callback),
              fallbackPollingInterval,
              fallbackOptions
            );
          }
          function watchMissingFileSystemEntry() {
            return watchFile2(
              fileOrDirectory,
              (_fileName, eventKind, modifiedTime) => {
                if (eventKind === 0) {
                  modifiedTime || (modifiedTime = getModifiedTime3(fileOrDirectory) || missingFileModifiedTime);
                  if (modifiedTime !== missingFileModifiedTime) {
                    callback("rename", "", modifiedTime);
                    updateWatcher(watchPresentFileSystemEntry);
                  }
                }
              },
              fallbackPollingInterval,
              fallbackOptions
            );
          }
        }
        function fsWatchWorkerHandlingTimestamp(fileOrDirectory, recursive, callback) {
          let modifiedTime = getModifiedTime3(fileOrDirectory) || missingFileModifiedTime;
          return fsWatchWorker(fileOrDirectory, recursive, (eventName, relativeFileName, currentModifiedTime) => {
            if (eventName === "change") {
              currentModifiedTime || (currentModifiedTime = getModifiedTime3(fileOrDirectory) || missingFileModifiedTime);
              if (currentModifiedTime.getTime() === modifiedTime.getTime()) return;
            }
            modifiedTime = currentModifiedTime || getModifiedTime3(fileOrDirectory) || missingFileModifiedTime;
            callback(eventName, relativeFileName, modifiedTime);
          });
        }
      }
      function patchWriteFileEnsuringDirectory(sys2) {
        const originalWriteFile = sys2.writeFile;
        sys2.writeFile = (path17, data, writeBom) => writeFileEnsuringDirectories(
          path17,
          data,
          !!writeBom,
          (path22, data2, writeByteOrderMark) => originalWriteFile.call(sys2, path22, data2, writeByteOrderMark),
          (path22) => sys2.createDirectory(path22),
          (path22) => sys2.directoryExists(path22)
        );
      }
      var sys = (() => {
        const byteOrderMarkIndicator = "\uFEFF";
        function getNodeSystem() {
          const nativePattern = /^native |^\([^)]+\)$|^(internal[\\/]|[a-zA-Z0-9_\s]+(\.js)?$)/;
          const _fs = require("fs");
          const _path = require("path");
          const _os = require("os");
          let _crypto;
          try {
            _crypto = require("crypto");
          } catch {
            _crypto = void 0;
          }
          let activeSession;
          let profilePath = "./profile.cpuprofile";
          const isMacOs = process.platform === "darwin";
          const isLinuxOrMacOs = process.platform === "linux" || isMacOs;
          const platform = _os.platform();
          const useCaseSensitiveFileNames2 = isFileSystemCaseSensitive();
          const fsRealpath = !!_fs.realpathSync.native ? process.platform === "win32" ? fsRealPathHandlingLongPath : _fs.realpathSync.native : _fs.realpathSync;
          const executingFilePath = __filename.endsWith("sys.js") ? _path.join(_path.dirname(__dirname), "__fake__.js") : __filename;
          const fsSupportsRecursiveFsWatch = process.platform === "win32" || isMacOs;
          const getCurrentDirectory = memoize(() => process.cwd());
          const { watchFile: watchFile2, watchDirectory } = createSystemWatchFunctions({
            pollingWatchFileWorker: fsWatchFileWorker,
            getModifiedTime: getModifiedTime3,
            setTimeout,
            clearTimeout,
            fsWatchWorker,
            useCaseSensitiveFileNames: useCaseSensitiveFileNames2,
            getCurrentDirectory,
            fileSystemEntryExists,
            // Node 4.0 `fs.watch` function supports the "recursive" option on both OSX and Windows
            // (ref: https://github.com/nodejs/node/pull/2649 and https://github.com/Microsoft/TypeScript/issues/4643)
            fsSupportsRecursiveFsWatch,
            getAccessibleSortedChildDirectories: (path17) => getAccessibleFileSystemEntries(path17).directories,
            realpath,
            tscWatchFile: process.env.TSC_WATCHFILE,
            useNonPollingWatchers: !!process.env.TSC_NONPOLLING_WATCHER,
            tscWatchDirectory: process.env.TSC_WATCHDIRECTORY,
            inodeWatching: isLinuxOrMacOs,
            fsWatchWithTimestamp: isMacOs,
            sysLog
          });
          const nodeSystem = {
            args: process.argv.slice(2),
            newLine: _os.EOL,
            useCaseSensitiveFileNames: useCaseSensitiveFileNames2,
            write(s) {
              process.stdout.write(s);
            },
            getWidthOfTerminal() {
              return process.stdout.columns;
            },
            writeOutputIsTTY() {
              return process.stdout.isTTY;
            },
            readFile: readFile2,
            writeFile: writeFile2,
            watchFile: watchFile2,
            watchDirectory,
            resolvePath: (path17) => _path.resolve(path17),
            fileExists,
            directoryExists,
            getAccessibleFileSystemEntries,
            createDirectory(directoryName) {
              if (!nodeSystem.directoryExists(directoryName)) {
                try {
                  _fs.mkdirSync(directoryName);
                } catch (e) {
                  if (e.code !== "EEXIST") {
                    throw e;
                  }
                }
              }
            },
            getExecutingFilePath() {
              return executingFilePath;
            },
            getCurrentDirectory,
            getDirectories,
            getEnvironmentVariable(name) {
              return process.env[name] || "";
            },
            readDirectory,
            getModifiedTime: getModifiedTime3,
            setModifiedTime,
            deleteFile,
            createHash: _crypto ? createSHA256Hash : generateDjb2Hash,
            createSHA256Hash: _crypto ? createSHA256Hash : void 0,
            getMemoryUsage() {
              if (global.gc) {
                global.gc();
              }
              return process.memoryUsage().heapUsed;
            },
            getFileSize(path17) {
              try {
                const stat = statSync(path17);
                if (stat == null ? void 0 : stat.isFile()) {
                  return stat.size;
                }
              } catch {
              }
              return 0;
            },
            exit(exitCode) {
              disableCPUProfiler(() => process.exit(exitCode));
            },
            enableCPUProfiler,
            disableCPUProfiler,
            cpuProfilingEnabled: () => !!activeSession || contains(process.execArgv, "--cpu-prof") || contains(process.execArgv, "--prof"),
            realpath,
            debugMode: !!process.env.NODE_INSPECTOR_IPC || !!process.env.VSCODE_INSPECTOR_OPTIONS || some(process.execArgv, (arg) => /^--(inspect|debug)(-brk)?(=\d+)?$/i.test(arg)) || !!process.recordreplay,
            tryEnableSourceMapsForHost() {
              try {
                require_source_map_support().install();
              } catch {
              }
            },
            setTimeout,
            clearTimeout,
            clearScreen: () => {
              process.stdout.write("\x1Bc");
            },
            setBlocking: () => {
              var _a;
              const handle = (_a = process.stdout) == null ? void 0 : _a._handle;
              if (handle && handle.setBlocking) {
                handle.setBlocking(true);
              }
            },
            base64decode: (input) => Buffer.from(input, "base64").toString("utf8"),
            base64encode: (input) => Buffer.from(input).toString("base64"),
            require: (baseDir, moduleName) => {
              try {
                const modulePath = resolveJSModule(moduleName, baseDir, nodeSystem);
                return { module: require(modulePath), modulePath, error: void 0 };
              } catch (error2) {
                return { module: void 0, modulePath: void 0, error: error2 };
              }
            }
          };
          return nodeSystem;
          function statSync(path17) {
            return _fs.statSync(path17, { throwIfNoEntry: false });
          }
          function enableCPUProfiler(path17, cb) {
            if (activeSession) {
              cb();
              return false;
            }
            const inspector = require("inspector");
            if (!inspector || !inspector.Session) {
              cb();
              return false;
            }
            const session = new inspector.Session();
            session.connect();
            session.post("Profiler.enable", () => {
              session.post("Profiler.start", () => {
                activeSession = session;
                profilePath = path17;
                cb();
              });
            });
            return true;
          }
          function cleanupPaths(profile) {
            let externalFileCounter = 0;
            const remappedPaths = /* @__PURE__ */ new Map();
            const normalizedDir = normalizeSlashes(_path.dirname(executingFilePath));
            const fileUrlRoot = `file://${getRootLength(normalizedDir) === 1 ? "" : "/"}${normalizedDir}`;
            for (const node of profile.nodes) {
              if (node.callFrame.url) {
                const url = normalizeSlashes(node.callFrame.url);
                if (containsPath(fileUrlRoot, url, useCaseSensitiveFileNames2)) {
                  node.callFrame.url = getRelativePathToDirectoryOrUrl(
                    fileUrlRoot,
                    url,
                    fileUrlRoot,
                    createGetCanonicalFileName(useCaseSensitiveFileNames2),
                    /*isAbsolutePathAnUrl*/
                    true
                  );
                } else if (!nativePattern.test(url)) {
                  node.callFrame.url = (remappedPaths.has(url) ? remappedPaths : remappedPaths.set(url, `external${externalFileCounter}.js`)).get(url);
                  externalFileCounter++;
                }
              }
            }
            return profile;
          }
          function disableCPUProfiler(cb) {
            if (activeSession && activeSession !== "stopping") {
              const s = activeSession;
              activeSession.post("Profiler.stop", (err, { profile }) => {
                var _a;
                if (!err) {
                  try {
                    if ((_a = statSync(profilePath)) == null ? void 0 : _a.isDirectory()) {
                      profilePath = _path.join(profilePath, `${(/* @__PURE__ */ new Date()).toISOString().replace(/:/g, "-")}+P${process.pid}.cpuprofile`);
                    }
                  } catch {
                  }
                  try {
                    _fs.mkdirSync(_path.dirname(profilePath), { recursive: true });
                  } catch {
                  }
                  _fs.writeFileSync(profilePath, JSON.stringify(cleanupPaths(profile)));
                }
                activeSession = void 0;
                s.disconnect();
                cb();
              });
              activeSession = "stopping";
              return true;
            } else {
              cb();
              return false;
            }
          }
          function isFileSystemCaseSensitive() {
            if (platform === "win32" || platform === "win64") {
              return false;
            }
            return !fileExists(swapCase(__filename));
          }
          function swapCase(s) {
            return s.replace(/\w/g, (ch) => {
              const up = ch.toUpperCase();
              return ch === up ? ch.toLowerCase() : up;
            });
          }
          function fsWatchFileWorker(fileName, callback, pollingInterval) {
            _fs.watchFile(fileName, { persistent: true, interval: pollingInterval }, fileChanged);
            let eventKind;
            return {
              close: () => _fs.unwatchFile(fileName, fileChanged)
            };
            function fileChanged(curr, prev) {
              const isPreviouslyDeleted = +prev.mtime === 0 || eventKind === 2;
              if (+curr.mtime === 0) {
                if (isPreviouslyDeleted) {
                  return;
                }
                eventKind = 2;
              } else if (isPreviouslyDeleted) {
                eventKind = 0;
              } else if (+curr.mtime === +prev.mtime) {
                return;
              } else {
                eventKind = 1;
              }
              callback(fileName, eventKind, curr.mtime);
            }
          }
          function fsWatchWorker(fileOrDirectory, recursive, callback) {
            return _fs.watch(
              fileOrDirectory,
              fsSupportsRecursiveFsWatch ? { persistent: true, recursive: !!recursive } : { persistent: true },
              callback
            );
          }
          function readFileWorker(fileName, _encoding) {
            let buffer;
            try {
              buffer = _fs.readFileSync(fileName);
            } catch (e) {
              return void 0;
            }
            let len = buffer.length;
            if (len >= 2 && buffer[0] === 254 && buffer[1] === 255) {
              len &= ~1;
              for (let i = 0; i < len; i += 2) {
                const temp = buffer[i];
                buffer[i] = buffer[i + 1];
                buffer[i + 1] = temp;
              }
              return buffer.toString("utf16le", 2);
            }
            if (len >= 2 && buffer[0] === 255 && buffer[1] === 254) {
              return buffer.toString("utf16le", 2);
            }
            if (len >= 3 && buffer[0] === 239 && buffer[1] === 187 && buffer[2] === 191) {
              return buffer.toString("utf8", 3);
            }
            return buffer.toString("utf8");
          }
          function readFile2(fileName, _encoding) {
            var _a, _b;
            (_a = perfLogger) == null ? void 0 : _a.logStartReadFile(fileName);
            const file = readFileWorker(fileName, _encoding);
            (_b = perfLogger) == null ? void 0 : _b.logStopReadFile();
            return file;
          }
          function writeFile2(fileName, data, writeByteOrderMark) {
            var _a;
            (_a = perfLogger) == null ? void 0 : _a.logEvent("WriteFile: " + fileName);
            if (writeByteOrderMark) {
              data = byteOrderMarkIndicator + data;
            }
            let fd;
            try {
              fd = _fs.openSync(fileName, "w");
              _fs.writeSync(
                fd,
                data,
                /*position*/
                void 0,
                "utf8"
              );
            } finally {
              if (fd !== void 0) {
                _fs.closeSync(fd);
              }
            }
          }
          function getAccessibleFileSystemEntries(path17) {
            var _a;
            (_a = perfLogger) == null ? void 0 : _a.logEvent("ReadDir: " + (path17 || "."));
            try {
              const entries = _fs.readdirSync(path17 || ".", { withFileTypes: true });
              const files = [];
              const directories = [];
              for (const dirent of entries) {
                const entry = typeof dirent === "string" ? dirent : dirent.name;
                if (entry === "." || entry === "..") {
                  continue;
                }
                let stat;
                if (typeof dirent === "string" || dirent.isSymbolicLink()) {
                  const name = combinePaths(path17, entry);
                  try {
                    stat = statSync(name);
                    if (!stat) {
                      continue;
                    }
                  } catch (e) {
                    continue;
                  }
                } else {
                  stat = dirent;
                }
                if (stat.isFile()) {
                  files.push(entry);
                } else if (stat.isDirectory()) {
                  directories.push(entry);
                }
              }
              files.sort();
              directories.sort();
              return { files, directories };
            } catch (e) {
              return emptyFileSystemEntries;
            }
          }
          function readDirectory(path17, extensions, excludes, includes, depth2) {
            return matchFiles(path17, extensions, excludes, includes, useCaseSensitiveFileNames2, process.cwd(), depth2, getAccessibleFileSystemEntries, realpath);
          }
          function fileSystemEntryExists(path17, entryKind) {
            const originalStackTraceLimit = Error.stackTraceLimit;
            Error.stackTraceLimit = 0;
            try {
              const stat = statSync(path17);
              if (!stat) {
                return false;
              }
              switch (entryKind) {
                case 0:
                  return stat.isFile();
                case 1:
                  return stat.isDirectory();
                default:
                  return false;
              }
            } catch (e) {
              return false;
            } finally {
              Error.stackTraceLimit = originalStackTraceLimit;
            }
          }
          function fileExists(path17) {
            return fileSystemEntryExists(
              path17,
              0
              /* File */
            );
          }
          function directoryExists(path17) {
            return fileSystemEntryExists(
              path17,
              1
              /* Directory */
            );
          }
          function getDirectories(path17) {
            return getAccessibleFileSystemEntries(path17).directories.slice();
          }
          function fsRealPathHandlingLongPath(path17) {
            return path17.length < 260 ? _fs.realpathSync.native(path17) : _fs.realpathSync(path17);
          }
          function realpath(path17) {
            try {
              return fsRealpath(path17);
            } catch {
              return path17;
            }
          }
          function getModifiedTime3(path17) {
            var _a;
            const originalStackTraceLimit = Error.stackTraceLimit;
            Error.stackTraceLimit = 0;
            try {
              return (_a = statSync(path17)) == null ? void 0 : _a.mtime;
            } catch (e) {
              return void 0;
            } finally {
              Error.stackTraceLimit = originalStackTraceLimit;
            }
          }
          function setModifiedTime(path17, time) {
            try {
              _fs.utimesSync(path17, time, time);
            } catch (e) {
              return;
            }
          }
          function deleteFile(path17) {
            try {
              return _fs.unlinkSync(path17);
            } catch (e) {
              return;
            }
          }
          function createSHA256Hash(data) {
            const hash = _crypto.createHash("sha256");
            hash.update(data);
            return hash.digest("hex");
          }
        }
        let sys2;
        if (isNodeLikeSystem()) {
          sys2 = getNodeSystem();
        }
        if (sys2) {
          patchWriteFileEnsuringDirectory(sys2);
        }
        return sys2;
      })();
      function setSys(s) {
        sys = s;
      }
      if (sys && sys.getEnvironmentVariable) {
        setCustomPollingValues(sys);
        Debug.setAssertionLevel(
          /^development$/i.test(sys.getEnvironmentVariable("NODE_ENV")) ? 1 : 0
          /* None */
        );
      }
      if (sys && sys.debugMode) {
        Debug.isDebugging = true;
      }
      var directorySeparator = "/";
      var altDirectorySeparator = "\\";
      var urlSchemeSeparator = "://";
      var backslashRegExp = /\\/g;
      function isAnyDirectorySeparator(charCode) {
        return charCode === 47 || charCode === 92;
      }
      function isUrl(path17) {
        return getEncodedRootLength(path17) < 0;
      }
      function isRootedDiskPath(path17) {
        return getEncodedRootLength(path17) > 0;
      }
      function isDiskPathRoot(path17) {
        const rootLength = getEncodedRootLength(path17);
        return rootLength > 0 && rootLength === path17.length;
      }
      function pathIsAbsolute(path17) {
        return getEncodedRootLength(path17) !== 0;
      }
      function pathIsRelative(path17) {
        return /^\.\.?($|[\\/])/.test(path17);
      }
      function pathIsBareSpecifier(path17) {
        return !pathIsAbsolute(path17) && !pathIsRelative(path17);
      }
      function hasExtension(fileName) {
        return getBaseFileName(fileName).includes(".");
      }
      function fileExtensionIs(path17, extension) {
        return path17.length > extension.length && endsWith(path17, extension);
      }
      function fileExtensionIsOneOf(path17, extensions) {
        for (const extension of extensions) {
          if (fileExtensionIs(path17, extension)) {
            return true;
          }
        }
        return false;
      }
      function hasTrailingDirectorySeparator(path17) {
        return path17.length > 0 && isAnyDirectorySeparator(path17.charCodeAt(path17.length - 1));
      }
      function isVolumeCharacter(charCode) {
        return charCode >= 97 && charCode <= 122 || charCode >= 65 && charCode <= 90;
      }
      function getFileUrlVolumeSeparatorEnd(url, start) {
        const ch0 = url.charCodeAt(start);
        if (ch0 === 58) return start + 1;
        if (ch0 === 37 && url.charCodeAt(start + 1) === 51) {
          const ch2 = url.charCodeAt(start + 2);
          if (ch2 === 97 || ch2 === 65) return start + 3;
        }
        return -1;
      }
      function getEncodedRootLength(path17) {
        if (!path17) return 0;
        const ch0 = path17.charCodeAt(0);
        if (ch0 === 47 || ch0 === 92) {
          if (path17.charCodeAt(1) !== ch0) return 1;
          const p1 = path17.indexOf(ch0 === 47 ? directorySeparator : altDirectorySeparator, 2);
          if (p1 < 0) return path17.length;
          return p1 + 1;
        }
        if (isVolumeCharacter(ch0) && path17.charCodeAt(1) === 58) {
          const ch2 = path17.charCodeAt(2);
          if (ch2 === 47 || ch2 === 92) return 3;
          if (path17.length === 2) return 2;
        }
        const schemeEnd = path17.indexOf(urlSchemeSeparator);
        if (schemeEnd !== -1) {
          const authorityStart = schemeEnd + urlSchemeSeparator.length;
          const authorityEnd = path17.indexOf(directorySeparator, authorityStart);
          if (authorityEnd !== -1) {
            const scheme = path17.slice(0, schemeEnd);
            const authority = path17.slice(authorityStart, authorityEnd);
            if (scheme === "file" && (authority === "" || authority === "localhost") && isVolumeCharacter(path17.charCodeAt(authorityEnd + 1))) {
              const volumeSeparatorEnd = getFileUrlVolumeSeparatorEnd(path17, authorityEnd + 2);
              if (volumeSeparatorEnd !== -1) {
                if (path17.charCodeAt(volumeSeparatorEnd) === 47) {
                  return ~(volumeSeparatorEnd + 1);
                }
                if (volumeSeparatorEnd === path17.length) {
                  return ~volumeSeparatorEnd;
                }
              }
            }
            return ~(authorityEnd + 1);
          }
          return ~path17.length;
        }
        return 0;
      }
      function getRootLength(path17) {
        const rootLength = getEncodedRootLength(path17);
        return rootLength < 0 ? ~rootLength : rootLength;
      }
      function getDirectoryPath(path17) {
        path17 = normalizeSlashes(path17);
        const rootLength = getRootLength(path17);
        if (rootLength === path17.length) return path17;
        path17 = removeTrailingDirectorySeparator(path17);
        return path17.slice(0, Math.max(rootLength, path17.lastIndexOf(directorySeparator)));
      }
      function getBaseFileName(path17, extensions, ignoreCase) {
        path17 = normalizeSlashes(path17);
        const rootLength = getRootLength(path17);
        if (rootLength === path17.length) return "";
        path17 = removeTrailingDirectorySeparator(path17);
        const name = path17.slice(Math.max(getRootLength(path17), path17.lastIndexOf(directorySeparator) + 1));
        const extension = extensions !== void 0 && ignoreCase !== void 0 ? getAnyExtensionFromPath(name, extensions, ignoreCase) : void 0;
        return extension ? name.slice(0, name.length - extension.length) : name;
      }
      function tryGetExtensionFromPath(path17, extension, stringEqualityComparer) {
        if (!startsWith2(extension, ".")) extension = "." + extension;
        if (path17.length >= extension.length && path17.charCodeAt(path17.length - extension.length) === 46) {
          const pathExtension = path17.slice(path17.length - extension.length);
          if (stringEqualityComparer(pathExtension, extension)) {
            return pathExtension;
          }
        }
      }
      function getAnyExtensionFromPathWorker(path17, extensions, stringEqualityComparer) {
        if (typeof extensions === "string") {
          return tryGetExtensionFromPath(path17, extensions, stringEqualityComparer) || "";
        }
        for (const extension of extensions) {
          const result = tryGetExtensionFromPath(path17, extension, stringEqualityComparer);
          if (result) return result;
        }
        return "";
      }
      function getAnyExtensionFromPath(path17, extensions, ignoreCase) {
        if (extensions) {
          return getAnyExtensionFromPathWorker(removeTrailingDirectorySeparator(path17), extensions, ignoreCase ? equateStringsCaseInsensitive : equateStringsCaseSensitive);
        }
        const baseFileName = getBaseFileName(path17);
        const extensionIndex = baseFileName.lastIndexOf(".");
        if (extensionIndex >= 0) {
          return baseFileName.substring(extensionIndex);
        }
        return "";
      }
      function pathComponents(path17, rootLength) {
        const root2 = path17.substring(0, rootLength);
        const rest = path17.substring(rootLength).split(directorySeparator);
        if (rest.length && !lastOrUndefined(rest)) rest.pop();
        return [root2, ...rest];
      }
      function getPathComponents(path17, currentDirectory = "") {
        path17 = combinePaths(currentDirectory, path17);
        return pathComponents(path17, getRootLength(path17));
      }
      function getPathFromPathComponents(pathComponents2, length2) {
        if (pathComponents2.length === 0) return "";
        const root2 = pathComponents2[0] && ensureTrailingDirectorySeparator(pathComponents2[0]);
        return root2 + pathComponents2.slice(1, length2).join(directorySeparator);
      }
      function normalizeSlashes(path17) {
        return path17.includes("\\") ? path17.replace(backslashRegExp, directorySeparator) : path17;
      }
      function reducePathComponents(components) {
        if (!some(components)) return [];
        const reduced = [components[0]];
        for (let i = 1; i < components.length; i++) {
          const component = components[i];
          if (!component) continue;
          if (component === ".") continue;
          if (component === "..") {
            if (reduced.length > 1) {
              if (reduced[reduced.length - 1] !== "..") {
                reduced.pop();
                continue;
              }
            } else if (reduced[0]) continue;
          }
          reduced.push(component);
        }
        return reduced;
      }
      function combinePaths(path17, ...paths) {
        if (path17) path17 = normalizeSlashes(path17);
        for (let relativePath of paths) {
          if (!relativePath) continue;
          relativePath = normalizeSlashes(relativePath);
          if (!path17 || getRootLength(relativePath) !== 0) {
            path17 = relativePath;
          } else {
            path17 = ensureTrailingDirectorySeparator(path17) + relativePath;
          }
        }
        return path17;
      }
      function resolvePath(path17, ...paths) {
        return normalizePath(some(paths) ? combinePaths(path17, ...paths) : normalizeSlashes(path17));
      }
      function getNormalizedPathComponents(path17, currentDirectory) {
        return reducePathComponents(getPathComponents(path17, currentDirectory));
      }
      function getNormalizedAbsolutePath(fileName, currentDirectory) {
        return getPathFromPathComponents(getNormalizedPathComponents(fileName, currentDirectory));
      }
      function normalizePath(path17) {
        path17 = normalizeSlashes(path17);
        if (!relativePathSegmentRegExp.test(path17)) {
          return path17;
        }
        const simplified = path17.replace(/\/\.\//g, "/").replace(/^\.\//, "");
        if (simplified !== path17) {
          path17 = simplified;
          if (!relativePathSegmentRegExp.test(path17)) {
            return path17;
          }
        }
        const normalized = getPathFromPathComponents(reducePathComponents(getPathComponents(path17)));
        return normalized && hasTrailingDirectorySeparator(path17) ? ensureTrailingDirectorySeparator(normalized) : normalized;
      }
      function getPathWithoutRoot(pathComponents2) {
        if (pathComponents2.length === 0) return "";
        return pathComponents2.slice(1).join(directorySeparator);
      }
      function getNormalizedAbsolutePathWithoutRoot(fileName, currentDirectory) {
        return getPathWithoutRoot(getNormalizedPathComponents(fileName, currentDirectory));
      }
      function toPath3(fileName, basePath, getCanonicalFileName) {
        const nonCanonicalizedPath = isRootedDiskPath(fileName) ? normalizePath(fileName) : getNormalizedAbsolutePath(fileName, basePath);
        return getCanonicalFileName(nonCanonicalizedPath);
      }
      function removeTrailingDirectorySeparator(path17) {
        if (hasTrailingDirectorySeparator(path17)) {
          return path17.substr(0, path17.length - 1);
        }
        return path17;
      }
      function ensureTrailingDirectorySeparator(path17) {
        if (!hasTrailingDirectorySeparator(path17)) {
          return path17 + directorySeparator;
        }
        return path17;
      }
      function ensurePathIsNonModuleName(path17) {
        return !pathIsAbsolute(path17) && !pathIsRelative(path17) ? "./" + path17 : path17;
      }
      function changeAnyExtension(path17, ext, extensions, ignoreCase) {
        const pathext = extensions !== void 0 && ignoreCase !== void 0 ? getAnyExtensionFromPath(path17, extensions, ignoreCase) : getAnyExtensionFromPath(path17);
        return pathext ? path17.slice(0, path17.length - pathext.length) + (startsWith2(ext, ".") ? ext : "." + ext) : path17;
      }
      function changeFullExtension(path17, newExtension) {
        const declarationExtension = getDeclarationFileExtension(path17);
        if (declarationExtension) {
          return path17.slice(0, path17.length - declarationExtension.length) + (startsWith2(newExtension, ".") ? newExtension : "." + newExtension);
        }
        return changeAnyExtension(path17, newExtension);
      }
      var relativePathSegmentRegExp = /(?:\/\/)|(?:^|\/)\.\.?(?:$|\/)/;
      function comparePathsWorker(a, b, componentComparer) {
        if (a === b) return 0;
        if (a === void 0) return -1;
        if (b === void 0) return 1;
        const aRoot = a.substring(0, getRootLength(a));
        const bRoot = b.substring(0, getRootLength(b));
        const result = compareStringsCaseInsensitive(aRoot, bRoot);
        if (result !== 0) {
          return result;
        }
        const aRest = a.substring(aRoot.length);
        const bRest = b.substring(bRoot.length);
        if (!relativePathSegmentRegExp.test(aRest) && !relativePathSegmentRegExp.test(bRest)) {
          return componentComparer(aRest, bRest);
        }
        const aComponents = reducePathComponents(getPathComponents(a));
        const bComponents = reducePathComponents(getPathComponents(b));
        const sharedLength = Math.min(aComponents.length, bComponents.length);
        for (let i = 1; i < sharedLength; i++) {
          const result2 = componentComparer(aComponents[i], bComponents[i]);
          if (result2 !== 0) {
            return result2;
          }
        }
        return compareValues(aComponents.length, bComponents.length);
      }
      function comparePathsCaseSensitive(a, b) {
        return comparePathsWorker(a, b, compareStringsCaseSensitive);
      }
      function comparePathsCaseInsensitive(a, b) {
        return comparePathsWorker(a, b, compareStringsCaseInsensitive);
      }
      function comparePaths(a, b, currentDirectory, ignoreCase) {
        if (typeof currentDirectory === "string") {
          a = combinePaths(currentDirectory, a);
          b = combinePaths(currentDirectory, b);
        } else if (typeof currentDirectory === "boolean") {
          ignoreCase = currentDirectory;
        }
        return comparePathsWorker(a, b, getStringComparer(ignoreCase));
      }
      function containsPath(parent2, child, currentDirectory, ignoreCase) {
        if (typeof currentDirectory === "string") {
          parent2 = combinePaths(currentDirectory, parent2);
          child = combinePaths(currentDirectory, child);
        } else if (typeof currentDirectory === "boolean") {
          ignoreCase = currentDirectory;
        }
        if (parent2 === void 0 || child === void 0) return false;
        if (parent2 === child) return true;
        const parentComponents = reducePathComponents(getPathComponents(parent2));
        const childComponents = reducePathComponents(getPathComponents(child));
        if (childComponents.length < parentComponents.length) {
          return false;
        }
        const componentEqualityComparer = ignoreCase ? equateStringsCaseInsensitive : equateStringsCaseSensitive;
        for (let i = 0; i < parentComponents.length; i++) {
          const equalityComparer = i === 0 ? equateStringsCaseInsensitive : componentEqualityComparer;
          if (!equalityComparer(parentComponents[i], childComponents[i])) {
            return false;
          }
        }
        return true;
      }
      function startsWithDirectory(fileName, directoryName, getCanonicalFileName) {
        const canonicalFileName = getCanonicalFileName(fileName);
        const canonicalDirectoryName = getCanonicalFileName(directoryName);
        return startsWith2(canonicalFileName, canonicalDirectoryName + "/") || startsWith2(canonicalFileName, canonicalDirectoryName + "\\");
      }
      function getPathComponentsRelativeTo(from, to, stringEqualityComparer, getCanonicalFileName) {
        const fromComponents = reducePathComponents(getPathComponents(from));
        const toComponents = reducePathComponents(getPathComponents(to));
        let start;
        for (start = 0; start < fromComponents.length && start < toComponents.length; start++) {
          const fromComponent = getCanonicalFileName(fromComponents[start]);
          const toComponent = getCanonicalFileName(toComponents[start]);
          const comparer = start === 0 ? equateStringsCaseInsensitive : stringEqualityComparer;
          if (!comparer(fromComponent, toComponent)) break;
        }
        if (start === 0) {
          return toComponents;
        }
        const components = toComponents.slice(start);
        const relative2 = [];
        for (; start < fromComponents.length; start++) {
          relative2.push("..");
        }
        return ["", ...relative2, ...components];
      }
      function getRelativePathFromDirectory(fromDirectory, to, getCanonicalFileNameOrIgnoreCase) {
        Debug.assert(getRootLength(fromDirectory) > 0 === getRootLength(to) > 0, "Paths must either both be absolute or both be relative");
        const getCanonicalFileName = typeof getCanonicalFileNameOrIgnoreCase === "function" ? getCanonicalFileNameOrIgnoreCase : identity2;
        const ignoreCase = typeof getCanonicalFileNameOrIgnoreCase === "boolean" ? getCanonicalFileNameOrIgnoreCase : false;
        const pathComponents2 = getPathComponentsRelativeTo(fromDirectory, to, ignoreCase ? equateStringsCaseInsensitive : equateStringsCaseSensitive, getCanonicalFileName);
        return getPathFromPathComponents(pathComponents2);
      }
      function convertToRelativePath(absoluteOrRelativePath, basePath, getCanonicalFileName) {
        return !isRootedDiskPath(absoluteOrRelativePath) ? absoluteOrRelativePath : getRelativePathToDirectoryOrUrl(
          basePath,
          absoluteOrRelativePath,
          basePath,
          getCanonicalFileName,
          /*isAbsolutePathAnUrl*/
          false
        );
      }
      function getRelativePathFromFile(from, to, getCanonicalFileName) {
        return ensurePathIsNonModuleName(getRelativePathFromDirectory(getDirectoryPath(from), to, getCanonicalFileName));
      }
      function getRelativePathToDirectoryOrUrl(directoryPathOrUrl, relativeOrAbsolutePath, currentDirectory, getCanonicalFileName, isAbsolutePathAnUrl) {
        const pathComponents2 = getPathComponentsRelativeTo(
          resolvePath(currentDirectory, directoryPathOrUrl),
          resolvePath(currentDirectory, relativeOrAbsolutePath),
          equateStringsCaseSensitive,
          getCanonicalFileName
        );
        const firstComponent = pathComponents2[0];
        if (isAbsolutePathAnUrl && isRootedDiskPath(firstComponent)) {
          const prefix = firstComponent.charAt(0) === directorySeparator ? "file://" : "file:///";
          pathComponents2[0] = prefix + firstComponent;
        }
        return getPathFromPathComponents(pathComponents2);
      }
      function forEachAncestorDirectory(directory, callback) {
        while (true) {
          const result = callback(directory);
          if (result !== void 0) {
            return result;
          }
          const parentPath = getDirectoryPath(directory);
          if (parentPath === directory) {
            return void 0;
          }
          directory = parentPath;
        }
      }
      function isNodeModulesDirectory(dirPath) {
        return endsWith(dirPath, "/node_modules");
      }
      function diag(code, category, key, message, reportsUnnecessary, elidedInCompatabilityPyramid, reportsDeprecated) {
        return { code, category, key, message, reportsUnnecessary, elidedInCompatabilityPyramid, reportsDeprecated };
      }
      var Diagnostics = {
        Unterminated_string_literal: diag(1002, 1, "Unterminated_string_literal_1002", "Unterminated string literal."),
        Identifier_expected: diag(1003, 1, "Identifier_expected_1003", "Identifier expected."),
        _0_expected: diag(1005, 1, "_0_expected_1005", "'{0}' expected."),
        A_file_cannot_have_a_reference_to_itself: diag(1006, 1, "A_file_cannot_have_a_reference_to_itself_1006", "A file cannot have a reference to itself."),
        The_parser_expected_to_find_a_1_to_match_the_0_token_here: diag(1007, 1, "The_parser_expected_to_find_a_1_to_match_the_0_token_here_1007", "The parser expected to find a '{1}' to match the '{0}' token here."),
        Trailing_comma_not_allowed: diag(1009, 1, "Trailing_comma_not_allowed_1009", "Trailing comma not allowed."),
        Asterisk_Slash_expected: diag(1010, 1, "Asterisk_Slash_expected_1010", "'*/' expected."),
        An_element_access_expression_should_take_an_argument: diag(1011, 1, "An_element_access_expression_should_take_an_argument_1011", "An element access expression should take an argument."),
        Unexpected_token: diag(1012, 1, "Unexpected_token_1012", "Unexpected token."),
        A_rest_parameter_or_binding_pattern_may_not_have_a_trailing_comma: diag(1013, 1, "A_rest_parameter_or_binding_pattern_may_not_have_a_trailing_comma_1013", "A rest parameter or binding pattern may not have a trailing comma."),
        A_rest_parameter_must_be_last_in_a_parameter_list: diag(1014, 1, "A_rest_parameter_must_be_last_in_a_parameter_list_1014", "A rest parameter must be last in a parameter list."),
        Parameter_cannot_have_question_mark_and_initializer: diag(1015, 1, "Parameter_cannot_have_question_mark_and_initializer_1015", "Parameter cannot have question mark and initializer."),
        A_required_parameter_cannot_follow_an_optional_parameter: diag(1016, 1, "A_required_parameter_cannot_follow_an_optional_parameter_1016", "A required parameter cannot follow an optional parameter."),
        An_index_signature_cannot_have_a_rest_parameter: diag(1017, 1, "An_index_signature_cannot_have_a_rest_parameter_1017", "An index signature cannot have a rest parameter."),
        An_index_signature_parameter_cannot_have_an_accessibility_modifier: diag(1018, 1, "An_index_signature_parameter_cannot_have_an_accessibility_modifier_1018", "An index signature parameter cannot have an accessibility modifier."),
        An_index_signature_parameter_cannot_have_a_question_mark: diag(1019, 1, "An_index_signature_parameter_cannot_have_a_question_mark_1019", "An index signature parameter cannot have a question mark."),
        An_index_signature_parameter_cannot_have_an_initializer: diag(1020, 1, "An_index_signature_parameter_cannot_have_an_initializer_1020", "An index signature parameter cannot have an initializer."),
        An_index_signature_must_have_a_type_annotation: diag(1021, 1, "An_index_signature_must_have_a_type_annotation_1021", "An index signature must have a type annotation."),
        An_index_signature_parameter_must_have_a_type_annotation: diag(1022, 1, "An_index_signature_parameter_must_have_a_type_annotation_1022", "An index signature parameter must have a type annotation."),
        readonly_modifier_can_only_appear_on_a_property_declaration_or_index_signature: diag(1024, 1, "readonly_modifier_can_only_appear_on_a_property_declaration_or_index_signature_1024", "'readonly' modifier can only appear on a property declaration or index signature."),
        An_index_signature_cannot_have_a_trailing_comma: diag(1025, 1, "An_index_signature_cannot_have_a_trailing_comma_1025", "An index signature cannot have a trailing comma."),
        Accessibility_modifier_already_seen: diag(1028, 1, "Accessibility_modifier_already_seen_1028", "Accessibility modifier already seen."),
        _0_modifier_must_precede_1_modifier: diag(1029, 1, "_0_modifier_must_precede_1_modifier_1029", "'{0}' modifier must precede '{1}' modifier."),
        _0_modifier_already_seen: diag(1030, 1, "_0_modifier_already_seen_1030", "'{0}' modifier already seen."),
        _0_modifier_cannot_appear_on_class_elements_of_this_kind: diag(1031, 1, "_0_modifier_cannot_appear_on_class_elements_of_this_kind_1031", "'{0}' modifier cannot appear on class elements of this kind."),
        super_must_be_followed_by_an_argument_list_or_member_access: diag(1034, 1, "super_must_be_followed_by_an_argument_list_or_member_access_1034", "'super' must be followed by an argument list or member access."),
        Only_ambient_modules_can_use_quoted_names: diag(1035, 1, "Only_ambient_modules_can_use_quoted_names_1035", "Only ambient modules can use quoted names."),
        Statements_are_not_allowed_in_ambient_contexts: diag(1036, 1, "Statements_are_not_allowed_in_ambient_contexts_1036", "Statements are not allowed in ambient contexts."),
        A_declare_modifier_cannot_be_used_in_an_already_ambient_context: diag(1038, 1, "A_declare_modifier_cannot_be_used_in_an_already_ambient_context_1038", "A 'declare' modifier cannot be used in an already ambient context."),
        Initializers_are_not_allowed_in_ambient_contexts: diag(1039, 1, "Initializers_are_not_allowed_in_ambient_contexts_1039", "Initializers are not allowed in ambient contexts."),
        _0_modifier_cannot_be_used_in_an_ambient_context: diag(1040, 1, "_0_modifier_cannot_be_used_in_an_ambient_context_1040", "'{0}' modifier cannot be used in an ambient context."),
        _0_modifier_cannot_be_used_here: diag(1042, 1, "_0_modifier_cannot_be_used_here_1042", "'{0}' modifier cannot be used here."),
        _0_modifier_cannot_appear_on_a_module_or_namespace_element: diag(1044, 1, "_0_modifier_cannot_appear_on_a_module_or_namespace_element_1044", "'{0}' modifier cannot appear on a module or namespace element."),
        Top_level_declarations_in_d_ts_files_must_start_with_either_a_declare_or_export_modifier: diag(1046, 1, "Top_level_declarations_in_d_ts_files_must_start_with_either_a_declare_or_export_modifier_1046", "Top-level declarations in .d.ts files must start with either a 'declare' or 'export' modifier."),
        A_rest_parameter_cannot_be_optional: diag(1047, 1, "A_rest_parameter_cannot_be_optional_1047", "A rest parameter cannot be optional."),
        A_rest_parameter_cannot_have_an_initializer: diag(1048, 1, "A_rest_parameter_cannot_have_an_initializer_1048", "A rest parameter cannot have an initializer."),
        A_set_accessor_must_have_exactly_one_parameter: diag(1049, 1, "A_set_accessor_must_have_exactly_one_parameter_1049", "A 'set' accessor must have exactly one parameter."),
        A_set_accessor_cannot_have_an_optional_parameter: diag(1051, 1, "A_set_accessor_cannot_have_an_optional_parameter_1051", "A 'set' accessor cannot have an optional parameter."),
        A_set_accessor_parameter_cannot_have_an_initializer: diag(1052, 1, "A_set_accessor_parameter_cannot_have_an_initializer_1052", "A 'set' accessor parameter cannot have an initializer."),
        A_set_accessor_cannot_have_rest_parameter: diag(1053, 1, "A_set_accessor_cannot_have_rest_parameter_1053", "A 'set' accessor cannot have rest parameter."),
        A_get_accessor_cannot_have_parameters: diag(1054, 1, "A_get_accessor_cannot_have_parameters_1054", "A 'get' accessor cannot have parameters."),
        Type_0_is_not_a_valid_async_function_return_type_in_ES5_because_it_does_not_refer_to_a_Promise_compatible_constructor_value: diag(1055, 1, "Type_0_is_not_a_valid_async_function_return_type_in_ES5_because_it_does_not_refer_to_a_Promise_compa_1055", "Type '{0}' is not a valid async function return type in ES5 because it does not refer to a Promise-compatible constructor value."),
        Accessors_are_only_available_when_targeting_ECMAScript_5_and_higher: diag(1056, 1, "Accessors_are_only_available_when_targeting_ECMAScript_5_and_higher_1056", "Accessors are only available when targeting ECMAScript 5 and higher."),
        The_return_type_of_an_async_function_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member: diag(1058, 1, "The_return_type_of_an_async_function_must_either_be_a_valid_promise_or_must_not_contain_a_callable_t_1058", "The return type of an async function must either be a valid promise or must not contain a callable 'then' member."),
        A_promise_must_have_a_then_method: diag(1059, 1, "A_promise_must_have_a_then_method_1059", "A promise must have a 'then' method."),
        The_first_parameter_of_the_then_method_of_a_promise_must_be_a_callback: diag(1060, 1, "The_first_parameter_of_the_then_method_of_a_promise_must_be_a_callback_1060", "The first parameter of the 'then' method of a promise must be a callback."),
        Enum_member_must_have_initializer: diag(1061, 1, "Enum_member_must_have_initializer_1061", "Enum member must have initializer."),
        Type_is_referenced_directly_or_indirectly_in_the_fulfillment_callback_of_its_own_then_method: diag(1062, 1, "Type_is_referenced_directly_or_indirectly_in_the_fulfillment_callback_of_its_own_then_method_1062", "Type is referenced directly or indirectly in the fulfillment callback of its own 'then' method."),
        An_export_assignment_cannot_be_used_in_a_namespace: diag(1063, 1, "An_export_assignment_cannot_be_used_in_a_namespace_1063", "An export assignment cannot be used in a namespace."),
        The_return_type_of_an_async_function_or_method_must_be_the_global_Promise_T_type_Did_you_mean_to_write_Promise_0: diag(1064, 1, "The_return_type_of_an_async_function_or_method_must_be_the_global_Promise_T_type_Did_you_mean_to_wri_1064", "The return type of an async function or method must be the global Promise type. Did you mean to write 'Promise<{0}>'?"),
        The_return_type_of_an_async_function_or_method_must_be_the_global_Promise_T_type: diag(1065, 1, "The_return_type_of_an_async_function_or_method_must_be_the_global_Promise_T_type_1065", "The return type of an async function or method must be the global Promise type."),
        In_ambient_enum_declarations_member_initializer_must_be_constant_expression: diag(1066, 1, "In_ambient_enum_declarations_member_initializer_must_be_constant_expression_1066", "In ambient enum declarations member initializer must be constant expression."),
        Unexpected_token_A_constructor_method_accessor_or_property_was_expected: diag(1068, 1, "Unexpected_token_A_constructor_method_accessor_or_property_was_expected_1068", "Unexpected token. A constructor, method, accessor, or property was expected."),
        Unexpected_token_A_type_parameter_name_was_expected_without_curly_braces: diag(1069, 1, "Unexpected_token_A_type_parameter_name_was_expected_without_curly_braces_1069", "Unexpected token. A type parameter name was expected without curly braces."),
        _0_modifier_cannot_appear_on_a_type_member: diag(1070, 1, "_0_modifier_cannot_appear_on_a_type_member_1070", "'{0}' modifier cannot appear on a type member."),
        _0_modifier_cannot_appear_on_an_index_signature: diag(1071, 1, "_0_modifier_cannot_appear_on_an_index_signature_1071", "'{0}' modifier cannot appear on an index signature."),
        A_0_modifier_cannot_be_used_with_an_import_declaration: diag(1079, 1, "A_0_modifier_cannot_be_used_with_an_import_declaration_1079", "A '{0}' modifier cannot be used with an import declaration."),
        Invalid_reference_directive_syntax: diag(1084, 1, "Invalid_reference_directive_syntax_1084", "Invalid 'reference' directive syntax."),
        _0_modifier_cannot_appear_on_a_constructor_declaration: diag(1089, 1, "_0_modifier_cannot_appear_on_a_constructor_declaration_1089", "'{0}' modifier cannot appear on a constructor declaration."),
        _0_modifier_cannot_appear_on_a_parameter: diag(1090, 1, "_0_modifier_cannot_appear_on_a_parameter_1090", "'{0}' modifier cannot appear on a parameter."),
        Only_a_single_variable_declaration_is_allowed_in_a_for_in_statement: diag(1091, 1, "Only_a_single_variable_declaration_is_allowed_in_a_for_in_statement_1091", "Only a single variable declaration is allowed in a 'for...in' statement."),
        Type_parameters_cannot_appear_on_a_constructor_declaration: diag(1092, 1, "Type_parameters_cannot_appear_on_a_constructor_declaration_1092", "Type parameters cannot appear on a constructor declaration."),
        Type_annotation_cannot_appear_on_a_constructor_declaration: diag(1093, 1, "Type_annotation_cannot_appear_on_a_constructor_declaration_1093", "Type annotation cannot appear on a constructor declaration."),
        An_accessor_cannot_have_type_parameters: diag(1094, 1, "An_accessor_cannot_have_type_parameters_1094", "An accessor cannot have type parameters."),
        A_set_accessor_cannot_have_a_return_type_annotation: diag(1095, 1, "A_set_accessor_cannot_have_a_return_type_annotation_1095", "A 'set' accessor cannot have a return type annotation."),
        An_index_signature_must_have_exactly_one_parameter: diag(1096, 1, "An_index_signature_must_have_exactly_one_parameter_1096", "An index signature must have exactly one parameter."),
        _0_list_cannot_be_empty: diag(1097, 1, "_0_list_cannot_be_empty_1097", "'{0}' list cannot be empty."),
        Type_parameter_list_cannot_be_empty: diag(1098, 1, "Type_parameter_list_cannot_be_empty_1098", "Type parameter list cannot be empty."),
        Type_argument_list_cannot_be_empty: diag(1099, 1, "Type_argument_list_cannot_be_empty_1099", "Type argument list cannot be empty."),
        Invalid_use_of_0_in_strict_mode: diag(1100, 1, "Invalid_use_of_0_in_strict_mode_1100", "Invalid use of '{0}' in strict mode."),
        with_statements_are_not_allowed_in_strict_mode: diag(1101, 1, "with_statements_are_not_allowed_in_strict_mode_1101", "'with' statements are not allowed in strict mode."),
        delete_cannot_be_called_on_an_identifier_in_strict_mode: diag(1102, 1, "delete_cannot_be_called_on_an_identifier_in_strict_mode_1102", "'delete' cannot be called on an identifier in strict mode."),
        for_await_loops_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules: diag(1103, 1, "for_await_loops_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules_1103", "'for await' loops are only allowed within async functions and at the top levels of modules."),
        A_continue_statement_can_only_be_used_within_an_enclosing_iteration_statement: diag(1104, 1, "A_continue_statement_can_only_be_used_within_an_enclosing_iteration_statement_1104", "A 'continue' statement can only be used within an enclosing iteration statement."),
        A_break_statement_can_only_be_used_within_an_enclosing_iteration_or_switch_statement: diag(1105, 1, "A_break_statement_can_only_be_used_within_an_enclosing_iteration_or_switch_statement_1105", "A 'break' statement can only be used within an enclosing iteration or switch statement."),
        The_left_hand_side_of_a_for_of_statement_may_not_be_async: diag(1106, 1, "The_left_hand_side_of_a_for_of_statement_may_not_be_async_1106", "The left-hand side of a 'for...of' statement may not be 'async'."),
        Jump_target_cannot_cross_function_boundary: diag(1107, 1, "Jump_target_cannot_cross_function_boundary_1107", "Jump target cannot cross function boundary."),
        A_return_statement_can_only_be_used_within_a_function_body: diag(1108, 1, "A_return_statement_can_only_be_used_within_a_function_body_1108", "A 'return' statement can only be used within a function body."),
        Expression_expected: diag(1109, 1, "Expression_expected_1109", "Expression expected."),
        Type_expected: diag(1110, 1, "Type_expected_1110", "Type expected."),
        Private_field_0_must_be_declared_in_an_enclosing_class: diag(1111, 1, "Private_field_0_must_be_declared_in_an_enclosing_class_1111", "Private field '{0}' must be declared in an enclosing class."),
        A_default_clause_cannot_appear_more_than_once_in_a_switch_statement: diag(1113, 1, "A_default_clause_cannot_appear_more_than_once_in_a_switch_statement_1113", "A 'default' clause cannot appear more than once in a 'switch' statement."),
        Duplicate_label_0: diag(1114, 1, "Duplicate_label_0_1114", "Duplicate label '{0}'."),
        A_continue_statement_can_only_jump_to_a_label_of_an_enclosing_iteration_statement: diag(1115, 1, "A_continue_statement_can_only_jump_to_a_label_of_an_enclosing_iteration_statement_1115", "A 'continue' statement can only jump to a label of an enclosing iteration statement."),
        A_break_statement_can_only_jump_to_a_label_of_an_enclosing_statement: diag(1116, 1, "A_break_statement_can_only_jump_to_a_label_of_an_enclosing_statement_1116", "A 'break' statement can only jump to a label of an enclosing statement."),
        An_object_literal_cannot_have_multiple_properties_with_the_same_name: diag(1117, 1, "An_object_literal_cannot_have_multiple_properties_with_the_same_name_1117", "An object literal cannot have multiple properties with the same name."),
        An_object_literal_cannot_have_multiple_get_Slashset_accessors_with_the_same_name: diag(1118, 1, "An_object_literal_cannot_have_multiple_get_Slashset_accessors_with_the_same_name_1118", "An object literal cannot have multiple get/set accessors with the same name."),
        An_object_literal_cannot_have_property_and_accessor_with_the_same_name: diag(1119, 1, "An_object_literal_cannot_have_property_and_accessor_with_the_same_name_1119", "An object literal cannot have property and accessor with the same name."),
        An_export_assignment_cannot_have_modifiers: diag(1120, 1, "An_export_assignment_cannot_have_modifiers_1120", "An export assignment cannot have modifiers."),
        Octal_literals_are_not_allowed_Use_the_syntax_0: diag(1121, 1, "Octal_literals_are_not_allowed_Use_the_syntax_0_1121", "Octal literals are not allowed. Use the syntax '{0}'."),
        Variable_declaration_list_cannot_be_empty: diag(1123, 1, "Variable_declaration_list_cannot_be_empty_1123", "Variable declaration list cannot be empty."),
        Digit_expected: diag(1124, 1, "Digit_expected_1124", "Digit expected."),
        Hexadecimal_digit_expected: diag(1125, 1, "Hexadecimal_digit_expected_1125", "Hexadecimal digit expected."),
        Unexpected_end_of_text: diag(1126, 1, "Unexpected_end_of_text_1126", "Unexpected end of text."),
        Invalid_character: diag(1127, 1, "Invalid_character_1127", "Invalid character."),
        Declaration_or_statement_expected: diag(1128, 1, "Declaration_or_statement_expected_1128", "Declaration or statement expected."),
        Statement_expected: diag(1129, 1, "Statement_expected_1129", "Statement expected."),
        case_or_default_expected: diag(1130, 1, "case_or_default_expected_1130", "'case' or 'default' expected."),
        Property_or_signature_expected: diag(1131, 1, "Property_or_signature_expected_1131", "Property or signature expected."),
        Enum_member_expected: diag(1132, 1, "Enum_member_expected_1132", "Enum member expected."),
        Variable_declaration_expected: diag(1134, 1, "Variable_declaration_expected_1134", "Variable declaration expected."),
        Argument_expression_expected: diag(1135, 1, "Argument_expression_expected_1135", "Argument expression expected."),
        Property_assignment_expected: diag(1136, 1, "Property_assignment_expected_1136", "Property assignment expected."),
        Expression_or_comma_expected: diag(1137, 1, "Expression_or_comma_expected_1137", "Expression or comma expected."),
        Parameter_declaration_expected: diag(1138, 1, "Parameter_declaration_expected_1138", "Parameter declaration expected."),
        Type_parameter_declaration_expected: diag(1139, 1, "Type_parameter_declaration_expected_1139", "Type parameter declaration expected."),
        Type_argument_expected: diag(1140, 1, "Type_argument_expected_1140", "Type argument expected."),
        String_literal_expected: diag(1141, 1, "String_literal_expected_1141", "String literal expected."),
        Line_break_not_permitted_here: diag(1142, 1, "Line_break_not_permitted_here_1142", "Line break not permitted here."),
        or_expected: diag(1144, 1, "or_expected_1144", "'{' or ';' expected."),
        or_JSX_element_expected: diag(1145, 1, "or_JSX_element_expected_1145", "'{' or JSX element expected."),
        Declaration_expected: diag(1146, 1, "Declaration_expected_1146", "Declaration expected."),
        Import_declarations_in_a_namespace_cannot_reference_a_module: diag(1147, 1, "Import_declarations_in_a_namespace_cannot_reference_a_module_1147", "Import declarations in a namespace cannot reference a module."),
        Cannot_use_imports_exports_or_module_augmentations_when_module_is_none: diag(1148, 1, "Cannot_use_imports_exports_or_module_augmentations_when_module_is_none_1148", "Cannot use imports, exports, or module augmentations when '--module' is 'none'."),
        File_name_0_differs_from_already_included_file_name_1_only_in_casing: diag(1149, 1, "File_name_0_differs_from_already_included_file_name_1_only_in_casing_1149", "File name '{0}' differs from already included file name '{1}' only in casing."),
        _0_declarations_must_be_initialized: diag(1155, 1, "_0_declarations_must_be_initialized_1155", "'{0}' declarations must be initialized."),
        _0_declarations_can_only_be_declared_inside_a_block: diag(1156, 1, "_0_declarations_can_only_be_declared_inside_a_block_1156", "'{0}' declarations can only be declared inside a block."),
        Unterminated_template_literal: diag(1160, 1, "Unterminated_template_literal_1160", "Unterminated template literal."),
        Unterminated_regular_expression_literal: diag(1161, 1, "Unterminated_regular_expression_literal_1161", "Unterminated regular expression literal."),
        An_object_member_cannot_be_declared_optional: diag(1162, 1, "An_object_member_cannot_be_declared_optional_1162", "An object member cannot be declared optional."),
        A_yield_expression_is_only_allowed_in_a_generator_body: diag(1163, 1, "A_yield_expression_is_only_allowed_in_a_generator_body_1163", "A 'yield' expression is only allowed in a generator body."),
        Computed_property_names_are_not_allowed_in_enums: diag(1164, 1, "Computed_property_names_are_not_allowed_in_enums_1164", "Computed property names are not allowed in enums."),
        A_computed_property_name_in_an_ambient_context_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type: diag(1165, 1, "A_computed_property_name_in_an_ambient_context_must_refer_to_an_expression_whose_type_is_a_literal_t_1165", "A computed property name in an ambient context must refer to an expression whose type is a literal type or a 'unique symbol' type."),
        A_computed_property_name_in_a_class_property_declaration_must_have_a_simple_literal_type_or_a_unique_symbol_type: diag(1166, 1, "A_computed_property_name_in_a_class_property_declaration_must_have_a_simple_literal_type_or_a_unique_1166", "A computed property name in a class property declaration must have a simple literal type or a 'unique symbol' type."),
        A_computed_property_name_in_a_method_overload_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type: diag(1168, 1, "A_computed_property_name_in_a_method_overload_must_refer_to_an_expression_whose_type_is_a_literal_ty_1168", "A computed property name in a method overload must refer to an expression whose type is a literal type or a 'unique symbol' type."),
        A_computed_property_name_in_an_interface_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type: diag(1169, 1, "A_computed_property_name_in_an_interface_must_refer_to_an_expression_whose_type_is_a_literal_type_or_1169", "A computed property name in an interface must refer to an expression whose type is a literal type or a 'unique symbol' type."),
        A_computed_property_name_in_a_type_literal_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type: diag(1170, 1, "A_computed_property_name_in_a_type_literal_must_refer_to_an_expression_whose_type_is_a_literal_type__1170", "A computed property name in a type literal must refer to an expression whose type is a literal type or a 'unique symbol' type."),
        A_comma_expression_is_not_allowed_in_a_computed_property_name: diag(1171, 1, "A_comma_expression_is_not_allowed_in_a_computed_property_name_1171", "A comma expression is not allowed in a computed property name."),
        extends_clause_already_seen: diag(1172, 1, "extends_clause_already_seen_1172", "'extends' clause already seen."),
        extends_clause_must_precede_implements_clause: diag(1173, 1, "extends_clause_must_precede_implements_clause_1173", "'extends' clause must precede 'implements' clause."),
        Classes_can_only_extend_a_single_class: diag(1174, 1, "Classes_can_only_extend_a_single_class_1174", "Classes can only extend a single class."),
        implements_clause_already_seen: diag(1175, 1, "implements_clause_already_seen_1175", "'implements' clause already seen."),
        Interface_declaration_cannot_have_implements_clause: diag(1176, 1, "Interface_declaration_cannot_have_implements_clause_1176", "Interface declaration cannot have 'implements' clause."),
        Binary_digit_expected: diag(1177, 1, "Binary_digit_expected_1177", "Binary digit expected."),
        Octal_digit_expected: diag(1178, 1, "Octal_digit_expected_1178", "Octal digit expected."),
        Unexpected_token_expected: diag(1179, 1, "Unexpected_token_expected_1179", "Unexpected token. '{' expected."),
        Property_destructuring_pattern_expected: diag(1180, 1, "Property_destructuring_pattern_expected_1180", "Property destructuring pattern expected."),
        Array_element_destructuring_pattern_expected: diag(1181, 1, "Array_element_destructuring_pattern_expected_1181", "Array element destructuring pattern expected."),
        A_destructuring_declaration_must_have_an_initializer: diag(1182, 1, "A_destructuring_declaration_must_have_an_initializer_1182", "A destructuring declaration must have an initializer."),
        An_implementation_cannot_be_declared_in_ambient_contexts: diag(1183, 1, "An_implementation_cannot_be_declared_in_ambient_contexts_1183", "An implementation cannot be declared in ambient contexts."),
        Modifiers_cannot_appear_here: diag(1184, 1, "Modifiers_cannot_appear_here_1184", "Modifiers cannot appear here."),
        Merge_conflict_marker_encountered: diag(1185, 1, "Merge_conflict_marker_encountered_1185", "Merge conflict marker encountered."),
        A_rest_element_cannot_have_an_initializer: diag(1186, 1, "A_rest_element_cannot_have_an_initializer_1186", "A rest element cannot have an initializer."),
        A_parameter_property_may_not_be_declared_using_a_binding_pattern: diag(1187, 1, "A_parameter_property_may_not_be_declared_using_a_binding_pattern_1187", "A parameter property may not be declared using a binding pattern."),
        Only_a_single_variable_declaration_is_allowed_in_a_for_of_statement: diag(1188, 1, "Only_a_single_variable_declaration_is_allowed_in_a_for_of_statement_1188", "Only a single variable declaration is allowed in a 'for...of' statement."),
        The_variable_declaration_of_a_for_in_statement_cannot_have_an_initializer: diag(1189, 1, "The_variable_declaration_of_a_for_in_statement_cannot_have_an_initializer_1189", "The variable declaration of a 'for...in' statement cannot have an initializer."),
        The_variable_declaration_of_a_for_of_statement_cannot_have_an_initializer: diag(1190, 1, "The_variable_declaration_of_a_for_of_statement_cannot_have_an_initializer_1190", "The variable declaration of a 'for...of' statement cannot have an initializer."),
        An_import_declaration_cannot_have_modifiers: diag(1191, 1, "An_import_declaration_cannot_have_modifiers_1191", "An import declaration cannot have modifiers."),
        Module_0_has_no_default_export: diag(1192, 1, "Module_0_has_no_default_export_1192", "Module '{0}' has no default export."),
        An_export_declaration_cannot_have_modifiers: diag(1193, 1, "An_export_declaration_cannot_have_modifiers_1193", "An export declaration cannot have modifiers."),
        Export_declarations_are_not_permitted_in_a_namespace: diag(1194, 1, "Export_declarations_are_not_permitted_in_a_namespace_1194", "Export declarations are not permitted in a namespace."),
        export_Asterisk_does_not_re_export_a_default: diag(1195, 1, "export_Asterisk_does_not_re_export_a_default_1195", "'export *' does not re-export a default."),
        Catch_clause_variable_type_annotation_must_be_any_or_unknown_if_specified: diag(1196, 1, "Catch_clause_variable_type_annotation_must_be_any_or_unknown_if_specified_1196", "Catch clause variable type annotation must be 'any' or 'unknown' if specified."),
        Catch_clause_variable_cannot_have_an_initializer: diag(1197, 1, "Catch_clause_variable_cannot_have_an_initializer_1197", "Catch clause variable cannot have an initializer."),
        An_extended_Unicode_escape_value_must_be_between_0x0_and_0x10FFFF_inclusive: diag(1198, 1, "An_extended_Unicode_escape_value_must_be_between_0x0_and_0x10FFFF_inclusive_1198", "An extended Unicode escape value must be between 0x0 and 0x10FFFF inclusive."),
        Unterminated_Unicode_escape_sequence: diag(1199, 1, "Unterminated_Unicode_escape_sequence_1199", "Unterminated Unicode escape sequence."),
        Line_terminator_not_permitted_before_arrow: diag(1200, 1, "Line_terminator_not_permitted_before_arrow_1200", "Line terminator not permitted before arrow."),
        Import_assignment_cannot_be_used_when_targeting_ECMAScript_modules_Consider_using_import_Asterisk_as_ns_from_mod_import_a_from_mod_import_d_from_mod_or_another_module_format_instead: diag(1202, 1, "Import_assignment_cannot_be_used_when_targeting_ECMAScript_modules_Consider_using_import_Asterisk_as_1202", `Import assignment cannot be used when targeting ECMAScript modules. Consider using 'import * as ns from "mod"', 'import {a} from "mod"', 'import d from "mod"', or another module format instead.`),
        Export_assignment_cannot_be_used_when_targeting_ECMAScript_modules_Consider_using_export_default_or_another_module_format_instead: diag(1203, 1, "Export_assignment_cannot_be_used_when_targeting_ECMAScript_modules_Consider_using_export_default_or__1203", "Export assignment cannot be used when targeting ECMAScript modules. Consider using 'export default' or another module format instead."),
        Re_exporting_a_type_when_0_is_enabled_requires_using_export_type: diag(1205, 1, "Re_exporting_a_type_when_0_is_enabled_requires_using_export_type_1205", "Re-exporting a type when '{0}' is enabled requires using 'export type'."),
        Decorators_are_not_valid_here: diag(1206, 1, "Decorators_are_not_valid_here_1206", "Decorators are not valid here."),
        Decorators_cannot_be_applied_to_multiple_get_Slashset_accessors_of_the_same_name: diag(1207, 1, "Decorators_cannot_be_applied_to_multiple_get_Slashset_accessors_of_the_same_name_1207", "Decorators cannot be applied to multiple get/set accessors of the same name."),
        Invalid_optional_chain_from_new_expression_Did_you_mean_to_call_0: diag(1209, 1, "Invalid_optional_chain_from_new_expression_Did_you_mean_to_call_0_1209", "Invalid optional chain from new expression. Did you mean to call '{0}()'?"),
        Code_contained_in_a_class_is_evaluated_in_JavaScript_s_strict_mode_which_does_not_allow_this_use_of_0_For_more_information_see_https_Colon_Slash_Slashdeveloper_mozilla_org_Slashen_US_Slashdocs_SlashWeb_SlashJavaScript_SlashReference_SlashStrict_mode: diag(1210, 1, "Code_contained_in_a_class_is_evaluated_in_JavaScript_s_strict_mode_which_does_not_allow_this_use_of__1210", "Code contained in a class is evaluated in JavaScript's strict mode which does not allow this use of '{0}'. For more information, see https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Strict_mode."),
        A_class_declaration_without_the_default_modifier_must_have_a_name: diag(1211, 1, "A_class_declaration_without_the_default_modifier_must_have_a_name_1211", "A class declaration without the 'default' modifier must have a name."),
        Identifier_expected_0_is_a_reserved_word_in_strict_mode: diag(1212, 1, "Identifier_expected_0_is_a_reserved_word_in_strict_mode_1212", "Identifier expected. '{0}' is a reserved word in strict mode."),
        Identifier_expected_0_is_a_reserved_word_in_strict_mode_Class_definitions_are_automatically_in_strict_mode: diag(1213, 1, "Identifier_expected_0_is_a_reserved_word_in_strict_mode_Class_definitions_are_automatically_in_stric_1213", "Identifier expected. '{0}' is a reserved word in strict mode. Class definitions are automatically in strict mode."),
        Identifier_expected_0_is_a_reserved_word_in_strict_mode_Modules_are_automatically_in_strict_mode: diag(1214, 1, "Identifier_expected_0_is_a_reserved_word_in_strict_mode_Modules_are_automatically_in_strict_mode_1214", "Identifier expected. '{0}' is a reserved word in strict mode. Modules are automatically in strict mode."),
        Invalid_use_of_0_Modules_are_automatically_in_strict_mode: diag(1215, 1, "Invalid_use_of_0_Modules_are_automatically_in_strict_mode_1215", "Invalid use of '{0}'. Modules are automatically in strict mode."),
        Identifier_expected_esModule_is_reserved_as_an_exported_marker_when_transforming_ECMAScript_modules: diag(1216, 1, "Identifier_expected_esModule_is_reserved_as_an_exported_marker_when_transforming_ECMAScript_modules_1216", "Identifier expected. '__esModule' is reserved as an exported marker when transforming ECMAScript modules."),
        Export_assignment_is_not_supported_when_module_flag_is_system: diag(1218, 1, "Export_assignment_is_not_supported_when_module_flag_is_system_1218", "Export assignment is not supported when '--module' flag is 'system'."),
        Generators_are_not_allowed_in_an_ambient_context: diag(1221, 1, "Generators_are_not_allowed_in_an_ambient_context_1221", "Generators are not allowed in an ambient context."),
        An_overload_signature_cannot_be_declared_as_a_generator: diag(1222, 1, "An_overload_signature_cannot_be_declared_as_a_generator_1222", "An overload signature cannot be declared as a generator."),
        _0_tag_already_specified: diag(1223, 1, "_0_tag_already_specified_1223", "'{0}' tag already specified."),
        Signature_0_must_be_a_type_predicate: diag(1224, 1, "Signature_0_must_be_a_type_predicate_1224", "Signature '{0}' must be a type predicate."),
        Cannot_find_parameter_0: diag(1225, 1, "Cannot_find_parameter_0_1225", "Cannot find parameter '{0}'."),
        Type_predicate_0_is_not_assignable_to_1: diag(1226, 1, "Type_predicate_0_is_not_assignable_to_1_1226", "Type predicate '{0}' is not assignable to '{1}'."),
        Parameter_0_is_not_in_the_same_position_as_parameter_1: diag(1227, 1, "Parameter_0_is_not_in_the_same_position_as_parameter_1_1227", "Parameter '{0}' is not in the same position as parameter '{1}'."),
        A_type_predicate_is_only_allowed_in_return_type_position_for_functions_and_methods: diag(1228, 1, "A_type_predicate_is_only_allowed_in_return_type_position_for_functions_and_methods_1228", "A type predicate is only allowed in return type position for functions and methods."),
        A_type_predicate_cannot_reference_a_rest_parameter: diag(1229, 1, "A_type_predicate_cannot_reference_a_rest_parameter_1229", "A type predicate cannot reference a rest parameter."),
        A_type_predicate_cannot_reference_element_0_in_a_binding_pattern: diag(1230, 1, "A_type_predicate_cannot_reference_element_0_in_a_binding_pattern_1230", "A type predicate cannot reference element '{0}' in a binding pattern."),
        An_export_assignment_must_be_at_the_top_level_of_a_file_or_module_declaration: diag(1231, 1, "An_export_assignment_must_be_at_the_top_level_of_a_file_or_module_declaration_1231", "An export assignment must be at the top level of a file or module declaration."),
        An_import_declaration_can_only_be_used_at_the_top_level_of_a_namespace_or_module: diag(1232, 1, "An_import_declaration_can_only_be_used_at_the_top_level_of_a_namespace_or_module_1232", "An import declaration can only be used at the top level of a namespace or module."),
        An_export_declaration_can_only_be_used_at_the_top_level_of_a_namespace_or_module: diag(1233, 1, "An_export_declaration_can_only_be_used_at_the_top_level_of_a_namespace_or_module_1233", "An export declaration can only be used at the top level of a namespace or module."),
        An_ambient_module_declaration_is_only_allowed_at_the_top_level_in_a_file: diag(1234, 1, "An_ambient_module_declaration_is_only_allowed_at_the_top_level_in_a_file_1234", "An ambient module declaration is only allowed at the top level in a file."),
        A_namespace_declaration_is_only_allowed_at_the_top_level_of_a_namespace_or_module: diag(1235, 1, "A_namespace_declaration_is_only_allowed_at_the_top_level_of_a_namespace_or_module_1235", "A namespace declaration is only allowed at the top level of a namespace or module."),
        The_return_type_of_a_property_decorator_function_must_be_either_void_or_any: diag(1236, 1, "The_return_type_of_a_property_decorator_function_must_be_either_void_or_any_1236", "The return type of a property decorator function must be either 'void' or 'any'."),
        The_return_type_of_a_parameter_decorator_function_must_be_either_void_or_any: diag(1237, 1, "The_return_type_of_a_parameter_decorator_function_must_be_either_void_or_any_1237", "The return type of a parameter decorator function must be either 'void' or 'any'."),
        Unable_to_resolve_signature_of_class_decorator_when_called_as_an_expression: diag(1238, 1, "Unable_to_resolve_signature_of_class_decorator_when_called_as_an_expression_1238", "Unable to resolve signature of class decorator when called as an expression."),
        Unable_to_resolve_signature_of_parameter_decorator_when_called_as_an_expression: diag(1239, 1, "Unable_to_resolve_signature_of_parameter_decorator_when_called_as_an_expression_1239", "Unable to resolve signature of parameter decorator when called as an expression."),
        Unable_to_resolve_signature_of_property_decorator_when_called_as_an_expression: diag(1240, 1, "Unable_to_resolve_signature_of_property_decorator_when_called_as_an_expression_1240", "Unable to resolve signature of property decorator when called as an expression."),
        Unable_to_resolve_signature_of_method_decorator_when_called_as_an_expression: diag(1241, 1, "Unable_to_resolve_signature_of_method_decorator_when_called_as_an_expression_1241", "Unable to resolve signature of method decorator when called as an expression."),
        abstract_modifier_can_only_appear_on_a_class_method_or_property_declaration: diag(1242, 1, "abstract_modifier_can_only_appear_on_a_class_method_or_property_declaration_1242", "'abstract' modifier can only appear on a class, method, or property declaration."),
        _0_modifier_cannot_be_used_with_1_modifier: diag(1243, 1, "_0_modifier_cannot_be_used_with_1_modifier_1243", "'{0}' modifier cannot be used with '{1}' modifier."),
        Abstract_methods_can_only_appear_within_an_abstract_class: diag(1244, 1, "Abstract_methods_can_only_appear_within_an_abstract_class_1244", "Abstract methods can only appear within an abstract class."),
        Method_0_cannot_have_an_implementation_because_it_is_marked_abstract: diag(1245, 1, "Method_0_cannot_have_an_implementation_because_it_is_marked_abstract_1245", "Method '{0}' cannot have an implementation because it is marked abstract."),
        An_interface_property_cannot_have_an_initializer: diag(1246, 1, "An_interface_property_cannot_have_an_initializer_1246", "An interface property cannot have an initializer."),
        A_type_literal_property_cannot_have_an_initializer: diag(1247, 1, "A_type_literal_property_cannot_have_an_initializer_1247", "A type literal property cannot have an initializer."),
        A_class_member_cannot_have_the_0_keyword: diag(1248, 1, "A_class_member_cannot_have_the_0_keyword_1248", "A class member cannot have the '{0}' keyword."),
        A_decorator_can_only_decorate_a_method_implementation_not_an_overload: diag(1249, 1, "A_decorator_can_only_decorate_a_method_implementation_not_an_overload_1249", "A decorator can only decorate a method implementation, not an overload."),
        Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5: diag(1250, 1, "Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5_1250", "Function declarations are not allowed inside blocks in strict mode when targeting 'ES5'."),
        Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5_Class_definitions_are_automatically_in_strict_mode: diag(1251, 1, "Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5_Class_definiti_1251", "Function declarations are not allowed inside blocks in strict mode when targeting 'ES5'. Class definitions are automatically in strict mode."),
        Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5_Modules_are_automatically_in_strict_mode: diag(1252, 1, "Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5_Modules_are_au_1252", "Function declarations are not allowed inside blocks in strict mode when targeting 'ES5'. Modules are automatically in strict mode."),
        Abstract_properties_can_only_appear_within_an_abstract_class: diag(1253, 1, "Abstract_properties_can_only_appear_within_an_abstract_class_1253", "Abstract properties can only appear within an abstract class."),
        A_const_initializer_in_an_ambient_context_must_be_a_string_or_numeric_literal_or_literal_enum_reference: diag(1254, 1, "A_const_initializer_in_an_ambient_context_must_be_a_string_or_numeric_literal_or_literal_enum_refere_1254", "A 'const' initializer in an ambient context must be a string or numeric literal or literal enum reference."),
        A_definite_assignment_assertion_is_not_permitted_in_this_context: diag(1255, 1, "A_definite_assignment_assertion_is_not_permitted_in_this_context_1255", "A definite assignment assertion '!' is not permitted in this context."),
        A_required_element_cannot_follow_an_optional_element: diag(1257, 1, "A_required_element_cannot_follow_an_optional_element_1257", "A required element cannot follow an optional element."),
        A_default_export_must_be_at_the_top_level_of_a_file_or_module_declaration: diag(1258, 1, "A_default_export_must_be_at_the_top_level_of_a_file_or_module_declaration_1258", "A default export must be at the top level of a file or module declaration."),
        Module_0_can_only_be_default_imported_using_the_1_flag: diag(1259, 1, "Module_0_can_only_be_default_imported_using_the_1_flag_1259", "Module '{0}' can only be default-imported using the '{1}' flag"),
        Keywords_cannot_contain_escape_characters: diag(1260, 1, "Keywords_cannot_contain_escape_characters_1260", "Keywords cannot contain escape characters."),
        Already_included_file_name_0_differs_from_file_name_1_only_in_casing: diag(1261, 1, "Already_included_file_name_0_differs_from_file_name_1_only_in_casing_1261", "Already included file name '{0}' differs from file name '{1}' only in casing."),
        Identifier_expected_0_is_a_reserved_word_at_the_top_level_of_a_module: diag(1262, 1, "Identifier_expected_0_is_a_reserved_word_at_the_top_level_of_a_module_1262", "Identifier expected. '{0}' is a reserved word at the top-level of a module."),
        Declarations_with_initializers_cannot_also_have_definite_assignment_assertions: diag(1263, 1, "Declarations_with_initializers_cannot_also_have_definite_assignment_assertions_1263", "Declarations with initializers cannot also have definite assignment assertions."),
        Declarations_with_definite_assignment_assertions_must_also_have_type_annotations: diag(1264, 1, "Declarations_with_definite_assignment_assertions_must_also_have_type_annotations_1264", "Declarations with definite assignment assertions must also have type annotations."),
        A_rest_element_cannot_follow_another_rest_element: diag(1265, 1, "A_rest_element_cannot_follow_another_rest_element_1265", "A rest element cannot follow another rest element."),
        An_optional_element_cannot_follow_a_rest_element: diag(1266, 1, "An_optional_element_cannot_follow_a_rest_element_1266", "An optional element cannot follow a rest element."),
        Property_0_cannot_have_an_initializer_because_it_is_marked_abstract: diag(1267, 1, "Property_0_cannot_have_an_initializer_because_it_is_marked_abstract_1267", "Property '{0}' cannot have an initializer because it is marked abstract."),
        An_index_signature_parameter_type_must_be_string_number_symbol_or_a_template_literal_type: diag(1268, 1, "An_index_signature_parameter_type_must_be_string_number_symbol_or_a_template_literal_type_1268", "An index signature parameter type must be 'string', 'number', 'symbol', or a template literal type."),
        Cannot_use_export_import_on_a_type_or_type_only_namespace_when_0_is_enabled: diag(1269, 1, "Cannot_use_export_import_on_a_type_or_type_only_namespace_when_0_is_enabled_1269", "Cannot use 'export import' on a type or type-only namespace when '{0}' is enabled."),
        Decorator_function_return_type_0_is_not_assignable_to_type_1: diag(1270, 1, "Decorator_function_return_type_0_is_not_assignable_to_type_1_1270", "Decorator function return type '{0}' is not assignable to type '{1}'."),
        Decorator_function_return_type_is_0_but_is_expected_to_be_void_or_any: diag(1271, 1, "Decorator_function_return_type_is_0_but_is_expected_to_be_void_or_any_1271", "Decorator function return type is '{0}' but is expected to be 'void' or 'any'."),
        A_type_referenced_in_a_decorated_signature_must_be_imported_with_import_type_or_a_namespace_import_when_isolatedModules_and_emitDecoratorMetadata_are_enabled: diag(1272, 1, "A_type_referenced_in_a_decorated_signature_must_be_imported_with_import_type_or_a_namespace_import_w_1272", "A type referenced in a decorated signature must be imported with 'import type' or a namespace import when 'isolatedModules' and 'emitDecoratorMetadata' are enabled."),
        _0_modifier_cannot_appear_on_a_type_parameter: diag(1273, 1, "_0_modifier_cannot_appear_on_a_type_parameter_1273", "'{0}' modifier cannot appear on a type parameter"),
        _0_modifier_can_only_appear_on_a_type_parameter_of_a_class_interface_or_type_alias: diag(1274, 1, "_0_modifier_can_only_appear_on_a_type_parameter_of_a_class_interface_or_type_alias_1274", "'{0}' modifier can only appear on a type parameter of a class, interface or type alias"),
        accessor_modifier_can_only_appear_on_a_property_declaration: diag(1275, 1, "accessor_modifier_can_only_appear_on_a_property_declaration_1275", "'accessor' modifier can only appear on a property declaration."),
        An_accessor_property_cannot_be_declared_optional: diag(1276, 1, "An_accessor_property_cannot_be_declared_optional_1276", "An 'accessor' property cannot be declared optional."),
        _0_modifier_can_only_appear_on_a_type_parameter_of_a_function_method_or_class: diag(1277, 1, "_0_modifier_can_only_appear_on_a_type_parameter_of_a_function_method_or_class_1277", "'{0}' modifier can only appear on a type parameter of a function, method or class"),
        The_runtime_will_invoke_the_decorator_with_1_arguments_but_the_decorator_expects_0: diag(1278, 1, "The_runtime_will_invoke_the_decorator_with_1_arguments_but_the_decorator_expects_0_1278", "The runtime will invoke the decorator with {1} arguments, but the decorator expects {0}."),
        The_runtime_will_invoke_the_decorator_with_1_arguments_but_the_decorator_expects_at_least_0: diag(1279, 1, "The_runtime_will_invoke_the_decorator_with_1_arguments_but_the_decorator_expects_at_least_0_1279", "The runtime will invoke the decorator with {1} arguments, but the decorator expects at least {0}."),
        Namespaces_are_not_allowed_in_global_script_files_when_0_is_enabled_If_this_file_is_not_intended_to_be_a_global_script_set_moduleDetection_to_force_or_add_an_empty_export_statement: diag(1280, 1, "Namespaces_are_not_allowed_in_global_script_files_when_0_is_enabled_If_this_file_is_not_intended_to__1280", "Namespaces are not allowed in global script files when '{0}' is enabled. If this file is not intended to be a global script, set 'moduleDetection' to 'force' or add an empty 'export {}' statement."),
        Cannot_access_0_from_another_file_without_qualification_when_1_is_enabled_Use_2_instead: diag(1281, 1, "Cannot_access_0_from_another_file_without_qualification_when_1_is_enabled_Use_2_instead_1281", "Cannot access '{0}' from another file without qualification when '{1}' is enabled. Use '{2}' instead."),
        An_export_declaration_must_reference_a_value_when_verbatimModuleSyntax_is_enabled_but_0_only_refers_to_a_type: diag(1282, 1, "An_export_declaration_must_reference_a_value_when_verbatimModuleSyntax_is_enabled_but_0_only_refers__1282", "An 'export =' declaration must reference a value when 'verbatimModuleSyntax' is enabled, but '{0}' only refers to a type."),
        An_export_declaration_must_reference_a_real_value_when_verbatimModuleSyntax_is_enabled_but_0_resolves_to_a_type_only_declaration: diag(1283, 1, "An_export_declaration_must_reference_a_real_value_when_verbatimModuleSyntax_is_enabled_but_0_resolve_1283", "An 'export =' declaration must reference a real value when 'verbatimModuleSyntax' is enabled, but '{0}' resolves to a type-only declaration."),
        An_export_default_must_reference_a_value_when_verbatimModuleSyntax_is_enabled_but_0_only_refers_to_a_type: diag(1284, 1, "An_export_default_must_reference_a_value_when_verbatimModuleSyntax_is_enabled_but_0_only_refers_to_a_1284", "An 'export default' must reference a value when 'verbatimModuleSyntax' is enabled, but '{0}' only refers to a type."),
        An_export_default_must_reference_a_real_value_when_verbatimModuleSyntax_is_enabled_but_0_resolves_to_a_type_only_declaration: diag(1285, 1, "An_export_default_must_reference_a_real_value_when_verbatimModuleSyntax_is_enabled_but_0_resolves_to_1285", "An 'export default' must reference a real value when 'verbatimModuleSyntax' is enabled, but '{0}' resolves to a type-only declaration."),
        ESM_syntax_is_not_allowed_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled: diag(1286, 1, "ESM_syntax_is_not_allowed_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled_1286", "ESM syntax is not allowed in a CommonJS module when 'verbatimModuleSyntax' is enabled."),
        A_top_level_export_modifier_cannot_be_used_on_value_declarations_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled: diag(1287, 1, "A_top_level_export_modifier_cannot_be_used_on_value_declarations_in_a_CommonJS_module_when_verbatimM_1287", "A top-level 'export' modifier cannot be used on value declarations in a CommonJS module when 'verbatimModuleSyntax' is enabled."),
        An_import_alias_cannot_resolve_to_a_type_or_type_only_declaration_when_verbatimModuleSyntax_is_enabled: diag(1288, 1, "An_import_alias_cannot_resolve_to_a_type_or_type_only_declaration_when_verbatimModuleSyntax_is_enabl_1288", "An import alias cannot resolve to a type or type-only declaration when 'verbatimModuleSyntax' is enabled."),
        _0_resolves_to_a_type_only_declaration_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enabled_Consider_using_import_type_where_0_is_imported: diag(1289, 1, "_0_resolves_to_a_type_only_declaration_and_must_be_marked_type_only_in_this_file_before_re_exporting_1289", "'{0}' resolves to a type-only declaration and must be marked type-only in this file before re-exporting when '{1}' is enabled. Consider using 'import type' where '{0}' is imported."),
        _0_resolves_to_a_type_only_declaration_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enabled_Consider_using_export_type_0_as_default: diag(1290, 1, "_0_resolves_to_a_type_only_declaration_and_must_be_marked_type_only_in_this_file_before_re_exporting_1290", "'{0}' resolves to a type-only declaration and must be marked type-only in this file before re-exporting when '{1}' is enabled. Consider using 'export type { {0} as default }'."),
        _0_resolves_to_a_type_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enabled_Consider_using_import_type_where_0_is_imported: diag(1291, 1, "_0_resolves_to_a_type_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enable_1291", "'{0}' resolves to a type and must be marked type-only in this file before re-exporting when '{1}' is enabled. Consider using 'import type' where '{0}' is imported."),
        _0_resolves_to_a_type_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enabled_Consider_using_export_type_0_as_default: diag(1292, 1, "_0_resolves_to_a_type_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enable_1292", "'{0}' resolves to a type and must be marked type-only in this file before re-exporting when '{1}' is enabled. Consider using 'export type { {0} as default }'."),
        with_statements_are_not_allowed_in_an_async_function_block: diag(1300, 1, "with_statements_are_not_allowed_in_an_async_function_block_1300", "'with' statements are not allowed in an async function block."),
        await_expressions_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules: diag(1308, 1, "await_expressions_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules_1308", "'await' expressions are only allowed within async functions and at the top levels of modules."),
        The_current_file_is_a_CommonJS_module_and_cannot_use_await_at_the_top_level: diag(1309, 1, "The_current_file_is_a_CommonJS_module_and_cannot_use_await_at_the_top_level_1309", "The current file is a CommonJS module and cannot use 'await' at the top level."),
        Did_you_mean_to_use_a_Colon_An_can_only_follow_a_property_name_when_the_containing_object_literal_is_part_of_a_destructuring_pattern: diag(1312, 1, "Did_you_mean_to_use_a_Colon_An_can_only_follow_a_property_name_when_the_containing_object_literal_is_1312", "Did you mean to use a ':'? An '=' can only follow a property name when the containing object literal is part of a destructuring pattern."),
        The_body_of_an_if_statement_cannot_be_the_empty_statement: diag(1313, 1, "The_body_of_an_if_statement_cannot_be_the_empty_statement_1313", "The body of an 'if' statement cannot be the empty statement."),
        Global_module_exports_may_only_appear_in_module_files: diag(1314, 1, "Global_module_exports_may_only_appear_in_module_files_1314", "Global module exports may only appear in module files."),
        Global_module_exports_may_only_appear_in_declaration_files: diag(1315, 1, "Global_module_exports_may_only_appear_in_declaration_files_1315", "Global module exports may only appear in declaration files."),
        Global_module_exports_may_only_appear_at_top_level: diag(1316, 1, "Global_module_exports_may_only_appear_at_top_level_1316", "Global module exports may only appear at top level."),
        A_parameter_property_cannot_be_declared_using_a_rest_parameter: diag(1317, 1, "A_parameter_property_cannot_be_declared_using_a_rest_parameter_1317", "A parameter property cannot be declared using a rest parameter."),
        An_abstract_accessor_cannot_have_an_implementation: diag(1318, 1, "An_abstract_accessor_cannot_have_an_implementation_1318", "An abstract accessor cannot have an implementation."),
        A_default_export_can_only_be_used_in_an_ECMAScript_style_module: diag(1319, 1, "A_default_export_can_only_be_used_in_an_ECMAScript_style_module_1319", "A default export can only be used in an ECMAScript-style module."),
        Type_of_await_operand_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member: diag(1320, 1, "Type_of_await_operand_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member_1320", "Type of 'await' operand must either be a valid promise or must not contain a callable 'then' member."),
        Type_of_yield_operand_in_an_async_generator_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member: diag(1321, 1, "Type_of_yield_operand_in_an_async_generator_must_either_be_a_valid_promise_or_must_not_contain_a_cal_1321", "Type of 'yield' operand in an async generator must either be a valid promise or must not contain a callable 'then' member."),
        Type_of_iterated_elements_of_a_yield_Asterisk_operand_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member: diag(1322, 1, "Type_of_iterated_elements_of_a_yield_Asterisk_operand_must_either_be_a_valid_promise_or_must_not_con_1322", "Type of iterated elements of a 'yield*' operand must either be a valid promise or must not contain a callable 'then' member."),
        Dynamic_imports_are_only_supported_when_the_module_flag_is_set_to_es2020_es2022_esnext_commonjs_amd_system_umd_node16_or_nodenext: diag(1323, 1, "Dynamic_imports_are_only_supported_when_the_module_flag_is_set_to_es2020_es2022_esnext_commonjs_amd__1323", "Dynamic imports are only supported when the '--module' flag is set to 'es2020', 'es2022', 'esnext', 'commonjs', 'amd', 'system', 'umd', 'node16', or 'nodenext'."),
        Dynamic_imports_only_support_a_second_argument_when_the_module_option_is_set_to_esnext_node16_or_nodenext: diag(1324, 1, "Dynamic_imports_only_support_a_second_argument_when_the_module_option_is_set_to_esnext_node16_or_nod_1324", "Dynamic imports only support a second argument when the '--module' option is set to 'esnext', 'node16', or 'nodenext'."),
        Argument_of_dynamic_import_cannot_be_spread_element: diag(1325, 1, "Argument_of_dynamic_import_cannot_be_spread_element_1325", "Argument of dynamic import cannot be spread element."),
        This_use_of_import_is_invalid_import_calls_can_be_written_but_they_must_have_parentheses_and_cannot_have_type_arguments: diag(1326, 1, "This_use_of_import_is_invalid_import_calls_can_be_written_but_they_must_have_parentheses_and_cannot__1326", "This use of 'import' is invalid. 'import()' calls can be written, but they must have parentheses and cannot have type arguments."),
        String_literal_with_double_quotes_expected: diag(1327, 1, "String_literal_with_double_quotes_expected_1327", "String literal with double quotes expected."),
        Property_value_can_only_be_string_literal_numeric_literal_true_false_null_object_literal_or_array_literal: diag(1328, 1, "Property_value_can_only_be_string_literal_numeric_literal_true_false_null_object_literal_or_array_li_1328", "Property value can only be string literal, numeric literal, 'true', 'false', 'null', object literal or array literal."),
        _0_accepts_too_few_arguments_to_be_used_as_a_decorator_here_Did_you_mean_to_call_it_first_and_write_0: diag(1329, 1, "_0_accepts_too_few_arguments_to_be_used_as_a_decorator_here_Did_you_mean_to_call_it_first_and_write__1329", "'{0}' accepts too few arguments to be used as a decorator here. Did you mean to call it first and write '@{0}()'?"),
        A_property_of_an_interface_or_type_literal_whose_type_is_a_unique_symbol_type_must_be_readonly: diag(1330, 1, "A_property_of_an_interface_or_type_literal_whose_type_is_a_unique_symbol_type_must_be_readonly_1330", "A property of an interface or type literal whose type is a 'unique symbol' type must be 'readonly'."),
        A_property_of_a_class_whose_type_is_a_unique_symbol_type_must_be_both_static_and_readonly: diag(1331, 1, "A_property_of_a_class_whose_type_is_a_unique_symbol_type_must_be_both_static_and_readonly_1331", "A property of a class whose type is a 'unique symbol' type must be both 'static' and 'readonly'."),
        A_variable_whose_type_is_a_unique_symbol_type_must_be_const: diag(1332, 1, "A_variable_whose_type_is_a_unique_symbol_type_must_be_const_1332", "A variable whose type is a 'unique symbol' type must be 'const'."),
        unique_symbol_types_may_not_be_used_on_a_variable_declaration_with_a_binding_name: diag(1333, 1, "unique_symbol_types_may_not_be_used_on_a_variable_declaration_with_a_binding_name_1333", "'unique symbol' types may not be used on a variable declaration with a binding name."),
        unique_symbol_types_are_only_allowed_on_variables_in_a_variable_statement: diag(1334, 1, "unique_symbol_types_are_only_allowed_on_variables_in_a_variable_statement_1334", "'unique symbol' types are only allowed on variables in a variable statement."),
        unique_symbol_types_are_not_allowed_here: diag(1335, 1, "unique_symbol_types_are_not_allowed_here_1335", "'unique symbol' types are not allowed here."),
        An_index_signature_parameter_type_cannot_be_a_literal_type_or_generic_type_Consider_using_a_mapped_object_type_instead: diag(1337, 1, "An_index_signature_parameter_type_cannot_be_a_literal_type_or_generic_type_Consider_using_a_mapped_o_1337", "An index signature parameter type cannot be a literal type or generic type. Consider using a mapped object type instead."),
        infer_declarations_are_only_permitted_in_the_extends_clause_of_a_conditional_type: diag(1338, 1, "infer_declarations_are_only_permitted_in_the_extends_clause_of_a_conditional_type_1338", "'infer' declarations are only permitted in the 'extends' clause of a conditional type."),
        Module_0_does_not_refer_to_a_value_but_is_used_as_a_value_here: diag(1339, 1, "Module_0_does_not_refer_to_a_value_but_is_used_as_a_value_here_1339", "Module '{0}' does not refer to a value, but is used as a value here."),
        Module_0_does_not_refer_to_a_type_but_is_used_as_a_type_here_Did_you_mean_typeof_import_0: diag(1340, 1, "Module_0_does_not_refer_to_a_type_but_is_used_as_a_type_here_Did_you_mean_typeof_import_0_1340", "Module '{0}' does not refer to a type, but is used as a type here. Did you mean 'typeof import('{0}')'?"),
        Class_constructor_may_not_be_an_accessor: diag(1341, 1, "Class_constructor_may_not_be_an_accessor_1341", "Class constructor may not be an accessor."),
        The_import_meta_meta_property_is_only_allowed_when_the_module_option_is_es2020_es2022_esnext_system_node16_or_nodenext: diag(1343, 1, "The_import_meta_meta_property_is_only_allowed_when_the_module_option_is_es2020_es2022_esnext_system__1343", "The 'import.meta' meta-property is only allowed when the '--module' option is 'es2020', 'es2022', 'esnext', 'system', 'node16', or 'nodenext'."),
        A_label_is_not_allowed_here: diag(1344, 1, "A_label_is_not_allowed_here_1344", "'A label is not allowed here."),
        An_expression_of_type_void_cannot_be_tested_for_truthiness: diag(1345, 1, "An_expression_of_type_void_cannot_be_tested_for_truthiness_1345", "An expression of type 'void' cannot be tested for truthiness."),
        This_parameter_is_not_allowed_with_use_strict_directive: diag(1346, 1, "This_parameter_is_not_allowed_with_use_strict_directive_1346", "This parameter is not allowed with 'use strict' directive."),
        use_strict_directive_cannot_be_used_with_non_simple_parameter_list: diag(1347, 1, "use_strict_directive_cannot_be_used_with_non_simple_parameter_list_1347", "'use strict' directive cannot be used with non-simple parameter list."),
        Non_simple_parameter_declared_here: diag(1348, 1, "Non_simple_parameter_declared_here_1348", "Non-simple parameter declared here."),
        use_strict_directive_used_here: diag(1349, 1, "use_strict_directive_used_here_1349", "'use strict' directive used here."),
        Print_the_final_configuration_instead_of_building: diag(1350, 3, "Print_the_final_configuration_instead_of_building_1350", "Print the final configuration instead of building."),
        An_identifier_or_keyword_cannot_immediately_follow_a_numeric_literal: diag(1351, 1, "An_identifier_or_keyword_cannot_immediately_follow_a_numeric_literal_1351", "An identifier or keyword cannot immediately follow a numeric literal."),
        A_bigint_literal_cannot_use_exponential_notation: diag(1352, 1, "A_bigint_literal_cannot_use_exponential_notation_1352", "A bigint literal cannot use exponential notation."),
        A_bigint_literal_must_be_an_integer: diag(1353, 1, "A_bigint_literal_must_be_an_integer_1353", "A bigint literal must be an integer."),
        readonly_type_modifier_is_only_permitted_on_array_and_tuple_literal_types: diag(1354, 1, "readonly_type_modifier_is_only_permitted_on_array_and_tuple_literal_types_1354", "'readonly' type modifier is only permitted on array and tuple literal types."),
        A_const_assertions_can_only_be_applied_to_references_to_enum_members_or_string_number_boolean_array_or_object_literals: diag(1355, 1, "A_const_assertions_can_only_be_applied_to_references_to_enum_members_or_string_number_boolean_array__1355", "A 'const' assertions can only be applied to references to enum members, or string, number, boolean, array, or object literals."),
        Did_you_mean_to_mark_this_function_as_async: diag(1356, 1, "Did_you_mean_to_mark_this_function_as_async_1356", "Did you mean to mark this function as 'async'?"),
        An_enum_member_name_must_be_followed_by_a_or: diag(1357, 1, "An_enum_member_name_must_be_followed_by_a_or_1357", "An enum member name must be followed by a ',', '=', or '}'."),
        Tagged_template_expressions_are_not_permitted_in_an_optional_chain: diag(1358, 1, "Tagged_template_expressions_are_not_permitted_in_an_optional_chain_1358", "Tagged template expressions are not permitted in an optional chain."),
        Identifier_expected_0_is_a_reserved_word_that_cannot_be_used_here: diag(1359, 1, "Identifier_expected_0_is_a_reserved_word_that_cannot_be_used_here_1359", "Identifier expected. '{0}' is a reserved word that cannot be used here."),
        Type_0_does_not_satisfy_the_expected_type_1: diag(1360, 1, "Type_0_does_not_satisfy_the_expected_type_1_1360", "Type '{0}' does not satisfy the expected type '{1}'."),
        _0_cannot_be_used_as_a_value_because_it_was_imported_using_import_type: diag(1361, 1, "_0_cannot_be_used_as_a_value_because_it_was_imported_using_import_type_1361", "'{0}' cannot be used as a value because it was imported using 'import type'."),
        _0_cannot_be_used_as_a_value_because_it_was_exported_using_export_type: diag(1362, 1, "_0_cannot_be_used_as_a_value_because_it_was_exported_using_export_type_1362", "'{0}' cannot be used as a value because it was exported using 'export type'."),
        A_type_only_import_can_specify_a_default_import_or_named_bindings_but_not_both: diag(1363, 1, "A_type_only_import_can_specify_a_default_import_or_named_bindings_but_not_both_1363", "A type-only import can specify a default import or named bindings, but not both."),
        Convert_to_type_only_export: diag(1364, 3, "Convert_to_type_only_export_1364", "Convert to type-only export"),
        Convert_all_re_exported_types_to_type_only_exports: diag(1365, 3, "Convert_all_re_exported_types_to_type_only_exports_1365", "Convert all re-exported types to type-only exports"),
        Split_into_two_separate_import_declarations: diag(1366, 3, "Split_into_two_separate_import_declarations_1366", "Split into two separate import declarations"),
        Split_all_invalid_type_only_imports: diag(1367, 3, "Split_all_invalid_type_only_imports_1367", "Split all invalid type-only imports"),
        Class_constructor_may_not_be_a_generator: diag(1368, 1, "Class_constructor_may_not_be_a_generator_1368", "Class constructor may not be a generator."),
        Did_you_mean_0: diag(1369, 3, "Did_you_mean_0_1369", "Did you mean '{0}'?"),
        await_expressions_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module: diag(1375, 1, "await_expressions_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_fi_1375", "'await' expressions are only allowed at the top level of a file when that file is a module, but this file has no imports or exports. Consider adding an empty 'export {}' to make this file a module."),
        _0_was_imported_here: diag(1376, 3, "_0_was_imported_here_1376", "'{0}' was imported here."),
        _0_was_exported_here: diag(1377, 3, "_0_was_exported_here_1377", "'{0}' was exported here."),
        Top_level_await_expressions_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher: diag(1378, 1, "Top_level_await_expressions_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_n_1378", "Top-level 'await' expressions are only allowed when the 'module' option is set to 'es2022', 'esnext', 'system', 'node16', 'nodenext', or 'preserve', and the 'target' option is set to 'es2017' or higher."),
        An_import_alias_cannot_reference_a_declaration_that_was_exported_using_export_type: diag(1379, 1, "An_import_alias_cannot_reference_a_declaration_that_was_exported_using_export_type_1379", "An import alias cannot reference a declaration that was exported using 'export type'."),
        An_import_alias_cannot_reference_a_declaration_that_was_imported_using_import_type: diag(1380, 1, "An_import_alias_cannot_reference_a_declaration_that_was_imported_using_import_type_1380", "An import alias cannot reference a declaration that was imported using 'import type'."),
        Unexpected_token_Did_you_mean_or_rbrace: diag(1381, 1, "Unexpected_token_Did_you_mean_or_rbrace_1381", "Unexpected token. Did you mean `{'}'}` or `}`?"),
        Unexpected_token_Did_you_mean_or_gt: diag(1382, 1, "Unexpected_token_Did_you_mean_or_gt_1382", "Unexpected token. Did you mean `{'>'}` or `>`?"),
        Function_type_notation_must_be_parenthesized_when_used_in_a_union_type: diag(1385, 1, "Function_type_notation_must_be_parenthesized_when_used_in_a_union_type_1385", "Function type notation must be parenthesized when used in a union type."),
        Constructor_type_notation_must_be_parenthesized_when_used_in_a_union_type: diag(1386, 1, "Constructor_type_notation_must_be_parenthesized_when_used_in_a_union_type_1386", "Constructor type notation must be parenthesized when used in a union type."),
        Function_type_notation_must_be_parenthesized_when_used_in_an_intersection_type: diag(1387, 1, "Function_type_notation_must_be_parenthesized_when_used_in_an_intersection_type_1387", "Function type notation must be parenthesized when used in an intersection type."),
        Constructor_type_notation_must_be_parenthesized_when_used_in_an_intersection_type: diag(1388, 1, "Constructor_type_notation_must_be_parenthesized_when_used_in_an_intersection_type_1388", "Constructor type notation must be parenthesized when used in an intersection type."),
        _0_is_not_allowed_as_a_variable_declaration_name: diag(1389, 1, "_0_is_not_allowed_as_a_variable_declaration_name_1389", "'{0}' is not allowed as a variable declaration name."),
        _0_is_not_allowed_as_a_parameter_name: diag(1390, 1, "_0_is_not_allowed_as_a_parameter_name_1390", "'{0}' is not allowed as a parameter name."),
        An_import_alias_cannot_use_import_type: diag(1392, 1, "An_import_alias_cannot_use_import_type_1392", "An import alias cannot use 'import type'"),
        Imported_via_0_from_file_1: diag(1393, 3, "Imported_via_0_from_file_1_1393", "Imported via {0} from file '{1}'"),
        Imported_via_0_from_file_1_with_packageId_2: diag(1394, 3, "Imported_via_0_from_file_1_with_packageId_2_1394", "Imported via {0} from file '{1}' with packageId '{2}'"),
        Imported_via_0_from_file_1_to_import_importHelpers_as_specified_in_compilerOptions: diag(1395, 3, "Imported_via_0_from_file_1_to_import_importHelpers_as_specified_in_compilerOptions_1395", "Imported via {0} from file '{1}' to import 'importHelpers' as specified in compilerOptions"),
        Imported_via_0_from_file_1_with_packageId_2_to_import_importHelpers_as_specified_in_compilerOptions: diag(1396, 3, "Imported_via_0_from_file_1_with_packageId_2_to_import_importHelpers_as_specified_in_compilerOptions_1396", "Imported via {0} from file '{1}' with packageId '{2}' to import 'importHelpers' as specified in compilerOptions"),
        Imported_via_0_from_file_1_to_import_jsx_and_jsxs_factory_functions: diag(1397, 3, "Imported_via_0_from_file_1_to_import_jsx_and_jsxs_factory_functions_1397", "Imported via {0} from file '{1}' to import 'jsx' and 'jsxs' factory functions"),
        Imported_via_0_from_file_1_with_packageId_2_to_import_jsx_and_jsxs_factory_functions: diag(1398, 3, "Imported_via_0_from_file_1_with_packageId_2_to_import_jsx_and_jsxs_factory_functions_1398", "Imported via {0} from file '{1}' with packageId '{2}' to import 'jsx' and 'jsxs' factory functions"),
        File_is_included_via_import_here: diag(1399, 3, "File_is_included_via_import_here_1399", "File is included via import here."),
        Referenced_via_0_from_file_1: diag(1400, 3, "Referenced_via_0_from_file_1_1400", "Referenced via '{0}' from file '{1}'"),
        File_is_included_via_reference_here: diag(1401, 3, "File_is_included_via_reference_here_1401", "File is included via reference here."),
        Type_library_referenced_via_0_from_file_1: diag(1402, 3, "Type_library_referenced_via_0_from_file_1_1402", "Type library referenced via '{0}' from file '{1}'"),
        Type_library_referenced_via_0_from_file_1_with_packageId_2: diag(1403, 3, "Type_library_referenced_via_0_from_file_1_with_packageId_2_1403", "Type library referenced via '{0}' from file '{1}' with packageId '{2}'"),
        File_is_included_via_type_library_reference_here: diag(1404, 3, "File_is_included_via_type_library_reference_here_1404", "File is included via type library reference here."),
        Library_referenced_via_0_from_file_1: diag(1405, 3, "Library_referenced_via_0_from_file_1_1405", "Library referenced via '{0}' from file '{1}'"),
        File_is_included_via_library_reference_here: diag(1406, 3, "File_is_included_via_library_reference_here_1406", "File is included via library reference here."),
        Matched_by_include_pattern_0_in_1: diag(1407, 3, "Matched_by_include_pattern_0_in_1_1407", "Matched by include pattern '{0}' in '{1}'"),
        File_is_matched_by_include_pattern_specified_here: diag(1408, 3, "File_is_matched_by_include_pattern_specified_here_1408", "File is matched by include pattern specified here."),
        Part_of_files_list_in_tsconfig_json: diag(1409, 3, "Part_of_files_list_in_tsconfig_json_1409", "Part of 'files' list in tsconfig.json"),
        File_is_matched_by_files_list_specified_here: diag(1410, 3, "File_is_matched_by_files_list_specified_here_1410", "File is matched by 'files' list specified here."),
        Output_from_referenced_project_0_included_because_1_specified: diag(1411, 3, "Output_from_referenced_project_0_included_because_1_specified_1411", "Output from referenced project '{0}' included because '{1}' specified"),
        Output_from_referenced_project_0_included_because_module_is_specified_as_none: diag(1412, 3, "Output_from_referenced_project_0_included_because_module_is_specified_as_none_1412", "Output from referenced project '{0}' included because '--module' is specified as 'none'"),
        File_is_output_from_referenced_project_specified_here: diag(1413, 3, "File_is_output_from_referenced_project_specified_here_1413", "File is output from referenced project specified here."),
        Source_from_referenced_project_0_included_because_1_specified: diag(1414, 3, "Source_from_referenced_project_0_included_because_1_specified_1414", "Source from referenced project '{0}' included because '{1}' specified"),
        Source_from_referenced_project_0_included_because_module_is_specified_as_none: diag(1415, 3, "Source_from_referenced_project_0_included_because_module_is_specified_as_none_1415", "Source from referenced project '{0}' included because '--module' is specified as 'none'"),
        File_is_source_from_referenced_project_specified_here: diag(1416, 3, "File_is_source_from_referenced_project_specified_here_1416", "File is source from referenced project specified here."),
        Entry_point_of_type_library_0_specified_in_compilerOptions: diag(1417, 3, "Entry_point_of_type_library_0_specified_in_compilerOptions_1417", "Entry point of type library '{0}' specified in compilerOptions"),
        Entry_point_of_type_library_0_specified_in_compilerOptions_with_packageId_1: diag(1418, 3, "Entry_point_of_type_library_0_specified_in_compilerOptions_with_packageId_1_1418", "Entry point of type library '{0}' specified in compilerOptions with packageId '{1}'"),
        File_is_entry_point_of_type_library_specified_here: diag(1419, 3, "File_is_entry_point_of_type_library_specified_here_1419", "File is entry point of type library specified here."),
        Entry_point_for_implicit_type_library_0: diag(1420, 3, "Entry_point_for_implicit_type_library_0_1420", "Entry point for implicit type library '{0}'"),
        Entry_point_for_implicit_type_library_0_with_packageId_1: diag(1421, 3, "Entry_point_for_implicit_type_library_0_with_packageId_1_1421", "Entry point for implicit type library '{0}' with packageId '{1}'"),
        Library_0_specified_in_compilerOptions: diag(1422, 3, "Library_0_specified_in_compilerOptions_1422", "Library '{0}' specified in compilerOptions"),
        File_is_library_specified_here: diag(1423, 3, "File_is_library_specified_here_1423", "File is library specified here."),
        Default_library: diag(1424, 3, "Default_library_1424", "Default library"),
        Default_library_for_target_0: diag(1425, 3, "Default_library_for_target_0_1425", "Default library for target '{0}'"),
        File_is_default_library_for_target_specified_here: diag(1426, 3, "File_is_default_library_for_target_specified_here_1426", "File is default library for target specified here."),
        Root_file_specified_for_compilation: diag(1427, 3, "Root_file_specified_for_compilation_1427", "Root file specified for compilation"),
        File_is_output_of_project_reference_source_0: diag(1428, 3, "File_is_output_of_project_reference_source_0_1428", "File is output of project reference source '{0}'"),
        File_redirects_to_file_0: diag(1429, 3, "File_redirects_to_file_0_1429", "File redirects to file '{0}'"),
        The_file_is_in_the_program_because_Colon: diag(1430, 3, "The_file_is_in_the_program_because_Colon_1430", "The file is in the program because:"),
        for_await_loops_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module: diag(1431, 1, "for_await_loops_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_1431", "'for await' loops are only allowed at the top level of a file when that file is a module, but this file has no imports or exports. Consider adding an empty 'export {}' to make this file a module."),
        Top_level_for_await_loops_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher: diag(1432, 1, "Top_level_for_await_loops_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_nod_1432", "Top-level 'for await' loops are only allowed when the 'module' option is set to 'es2022', 'esnext', 'system', 'node16', 'nodenext', or 'preserve', and the 'target' option is set to 'es2017' or higher."),
        Neither_decorators_nor_modifiers_may_be_applied_to_this_parameters: diag(1433, 1, "Neither_decorators_nor_modifiers_may_be_applied_to_this_parameters_1433", "Neither decorators nor modifiers may be applied to 'this' parameters."),
        Unexpected_keyword_or_identifier: diag(1434, 1, "Unexpected_keyword_or_identifier_1434", "Unexpected keyword or identifier."),
        Unknown_keyword_or_identifier_Did_you_mean_0: diag(1435, 1, "Unknown_keyword_or_identifier_Did_you_mean_0_1435", "Unknown keyword or identifier. Did you mean '{0}'?"),
        Decorators_must_precede_the_name_and_all_keywords_of_property_declarations: diag(1436, 1, "Decorators_must_precede_the_name_and_all_keywords_of_property_declarations_1436", "Decorators must precede the name and all keywords of property declarations."),
        Namespace_must_be_given_a_name: diag(1437, 1, "Namespace_must_be_given_a_name_1437", "Namespace must be given a name."),
        Interface_must_be_given_a_name: diag(1438, 1, "Interface_must_be_given_a_name_1438", "Interface must be given a name."),
        Type_alias_must_be_given_a_name: diag(1439, 1, "Type_alias_must_be_given_a_name_1439", "Type alias must be given a name."),
        Variable_declaration_not_allowed_at_this_location: diag(1440, 1, "Variable_declaration_not_allowed_at_this_location_1440", "Variable declaration not allowed at this location."),
        Cannot_start_a_function_call_in_a_type_annotation: diag(1441, 1, "Cannot_start_a_function_call_in_a_type_annotation_1441", "Cannot start a function call in a type annotation."),
        Expected_for_property_initializer: diag(1442, 1, "Expected_for_property_initializer_1442", "Expected '=' for property initializer."),
        Module_declaration_names_may_only_use_or_quoted_strings: diag(1443, 1, "Module_declaration_names_may_only_use_or_quoted_strings_1443", `Module declaration names may only use ' or " quoted strings.`),
        _0_resolves_to_a_type_only_declaration_and_must_be_re_exported_using_a_type_only_re_export_when_1_is_enabled: diag(1448, 1, "_0_resolves_to_a_type_only_declaration_and_must_be_re_exported_using_a_type_only_re_export_when_1_is_1448", "'{0}' resolves to a type-only declaration and must be re-exported using a type-only re-export when '{1}' is enabled."),
        Preserve_unused_imported_values_in_the_JavaScript_output_that_would_otherwise_be_removed: diag(1449, 3, "Preserve_unused_imported_values_in_the_JavaScript_output_that_would_otherwise_be_removed_1449", "Preserve unused imported values in the JavaScript output that would otherwise be removed."),
        Dynamic_imports_can_only_accept_a_module_specifier_and_an_optional_set_of_attributes_as_arguments: diag(1450, 3, "Dynamic_imports_can_only_accept_a_module_specifier_and_an_optional_set_of_attributes_as_arguments_1450", "Dynamic imports can only accept a module specifier and an optional set of attributes as arguments"),
        Private_identifiers_are_only_allowed_in_class_bodies_and_may_only_be_used_as_part_of_a_class_member_declaration_property_access_or_on_the_left_hand_side_of_an_in_expression: diag(1451, 1, "Private_identifiers_are_only_allowed_in_class_bodies_and_may_only_be_used_as_part_of_a_class_member__1451", "Private identifiers are only allowed in class bodies and may only be used as part of a class member declaration, property access, or on the left-hand-side of an 'in' expression"),
        resolution_mode_should_be_either_require_or_import: diag(1453, 1, "resolution_mode_should_be_either_require_or_import_1453", "`resolution-mode` should be either `require` or `import`."),
        resolution_mode_can_only_be_set_for_type_only_imports: diag(1454, 1, "resolution_mode_can_only_be_set_for_type_only_imports_1454", "`resolution-mode` can only be set for type-only imports."),
        resolution_mode_is_the_only_valid_key_for_type_import_assertions: diag(1455, 1, "resolution_mode_is_the_only_valid_key_for_type_import_assertions_1455", "`resolution-mode` is the only valid key for type import assertions."),
        Type_import_assertions_should_have_exactly_one_key_resolution_mode_with_value_import_or_require: diag(1456, 1, "Type_import_assertions_should_have_exactly_one_key_resolution_mode_with_value_import_or_require_1456", "Type import assertions should have exactly one key - `resolution-mode` - with value `import` or `require`."),
        Matched_by_default_include_pattern_Asterisk_Asterisk_Slash_Asterisk: diag(1457, 3, "Matched_by_default_include_pattern_Asterisk_Asterisk_Slash_Asterisk_1457", "Matched by default include pattern '**/*'"),
        File_is_ECMAScript_module_because_0_has_field_type_with_value_module: diag(1458, 3, "File_is_ECMAScript_module_because_0_has_field_type_with_value_module_1458", `File is ECMAScript module because '{0}' has field "type" with value "module"`),
        File_is_CommonJS_module_because_0_has_field_type_whose_value_is_not_module: diag(1459, 3, "File_is_CommonJS_module_because_0_has_field_type_whose_value_is_not_module_1459", `File is CommonJS module because '{0}' has field "type" whose value is not "module"`),
        File_is_CommonJS_module_because_0_does_not_have_field_type: diag(1460, 3, "File_is_CommonJS_module_because_0_does_not_have_field_type_1460", `File is CommonJS module because '{0}' does not have field "type"`),
        File_is_CommonJS_module_because_package_json_was_not_found: diag(1461, 3, "File_is_CommonJS_module_because_package_json_was_not_found_1461", "File is CommonJS module because 'package.json' was not found"),
        resolution_mode_is_the_only_valid_key_for_type_import_attributes: diag(1463, 1, "resolution_mode_is_the_only_valid_key_for_type_import_attributes_1463", "'resolution-mode' is the only valid key for type import attributes."),
        Type_import_attributes_should_have_exactly_one_key_resolution_mode_with_value_import_or_require: diag(1464, 1, "Type_import_attributes_should_have_exactly_one_key_resolution_mode_with_value_import_or_require_1464", "Type import attributes should have exactly one key - 'resolution-mode' - with value 'import' or 'require'."),
        The_import_meta_meta_property_is_not_allowed_in_files_which_will_build_into_CommonJS_output: diag(1470, 1, "The_import_meta_meta_property_is_not_allowed_in_files_which_will_build_into_CommonJS_output_1470", "The 'import.meta' meta-property is not allowed in files which will build into CommonJS output."),
        Module_0_cannot_be_imported_using_this_construct_The_specifier_only_resolves_to_an_ES_module_which_cannot_be_imported_with_require_Use_an_ECMAScript_import_instead: diag(1471, 1, "Module_0_cannot_be_imported_using_this_construct_The_specifier_only_resolves_to_an_ES_module_which_c_1471", "Module '{0}' cannot be imported using this construct. The specifier only resolves to an ES module, which cannot be imported with 'require'. Use an ECMAScript import instead."),
        catch_or_finally_expected: diag(1472, 1, "catch_or_finally_expected_1472", "'catch' or 'finally' expected."),
        An_import_declaration_can_only_be_used_at_the_top_level_of_a_module: diag(1473, 1, "An_import_declaration_can_only_be_used_at_the_top_level_of_a_module_1473", "An import declaration can only be used at the top level of a module."),
        An_export_declaration_can_only_be_used_at_the_top_level_of_a_module: diag(1474, 1, "An_export_declaration_can_only_be_used_at_the_top_level_of_a_module_1474", "An export declaration can only be used at the top level of a module."),
        Control_what_method_is_used_to_detect_module_format_JS_files: diag(1475, 3, "Control_what_method_is_used_to_detect_module_format_JS_files_1475", "Control what method is used to detect module-format JS files."),
        auto_Colon_Treat_files_with_imports_exports_import_meta_jsx_with_jsx_Colon_react_jsx_or_esm_format_with_module_Colon_node16_as_modules: diag(1476, 3, "auto_Colon_Treat_files_with_imports_exports_import_meta_jsx_with_jsx_Colon_react_jsx_or_esm_format_w_1476", '"auto": Treat files with imports, exports, import.meta, jsx (with jsx: react-jsx), or esm format (with module: node16+) as modules.'),
        An_instantiation_expression_cannot_be_followed_by_a_property_access: diag(1477, 1, "An_instantiation_expression_cannot_be_followed_by_a_property_access_1477", "An instantiation expression cannot be followed by a property access."),
        Identifier_or_string_literal_expected: diag(1478, 1, "Identifier_or_string_literal_expected_1478", "Identifier or string literal expected."),
        The_current_file_is_a_CommonJS_module_whose_imports_will_produce_require_calls_however_the_referenced_file_is_an_ECMAScript_module_and_cannot_be_imported_with_require_Consider_writing_a_dynamic_import_0_call_instead: diag(1479, 1, "The_current_file_is_a_CommonJS_module_whose_imports_will_produce_require_calls_however_the_reference_1479", `The current file is a CommonJS module whose imports will produce 'require' calls; however, the referenced file is an ECMAScript module and cannot be imported with 'require'. Consider writing a dynamic 'import("{0}")' call instead.`),
        To_convert_this_file_to_an_ECMAScript_module_change_its_file_extension_to_0_or_create_a_local_package_json_file_with_type_Colon_module: diag(1480, 3, "To_convert_this_file_to_an_ECMAScript_module_change_its_file_extension_to_0_or_create_a_local_packag_1480", 'To convert this file to an ECMAScript module, change its file extension to \'{0}\' or create a local package.json file with `{ "type": "module" }`.'),
        To_convert_this_file_to_an_ECMAScript_module_change_its_file_extension_to_0_or_add_the_field_type_Colon_module_to_1: diag(1481, 3, "To_convert_this_file_to_an_ECMAScript_module_change_its_file_extension_to_0_or_add_the_field_type_Co_1481", `To convert this file to an ECMAScript module, change its file extension to '{0}', or add the field \`"type": "module"\` to '{1}'.`),
        To_convert_this_file_to_an_ECMAScript_module_add_the_field_type_Colon_module_to_0: diag(1482, 3, "To_convert_this_file_to_an_ECMAScript_module_add_the_field_type_Colon_module_to_0_1482", 'To convert this file to an ECMAScript module, add the field `"type": "module"` to \'{0}\'.'),
        To_convert_this_file_to_an_ECMAScript_module_create_a_local_package_json_file_with_type_Colon_module: diag(1483, 3, "To_convert_this_file_to_an_ECMAScript_module_create_a_local_package_json_file_with_type_Colon_module_1483", 'To convert this file to an ECMAScript module, create a local package.json file with `{ "type": "module" }`.'),
        _0_is_a_type_and_must_be_imported_using_a_type_only_import_when_verbatimModuleSyntax_is_enabled: diag(1484, 1, "_0_is_a_type_and_must_be_imported_using_a_type_only_import_when_verbatimModuleSyntax_is_enabled_1484", "'{0}' is a type and must be imported using a type-only import when 'verbatimModuleSyntax' is enabled."),
        _0_resolves_to_a_type_only_declaration_and_must_be_imported_using_a_type_only_import_when_verbatimModuleSyntax_is_enabled: diag(1485, 1, "_0_resolves_to_a_type_only_declaration_and_must_be_imported_using_a_type_only_import_when_verbatimMo_1485", "'{0}' resolves to a type-only declaration and must be imported using a type-only import when 'verbatimModuleSyntax' is enabled."),
        Decorator_used_before_export_here: diag(1486, 1, "Decorator_used_before_export_here_1486", "Decorator used before 'export' here."),
        Octal_escape_sequences_are_not_allowed_Use_the_syntax_0: diag(1487, 1, "Octal_escape_sequences_are_not_allowed_Use_the_syntax_0_1487", "Octal escape sequences are not allowed. Use the syntax '{0}'."),
        Escape_sequence_0_is_not_allowed: diag(1488, 1, "Escape_sequence_0_is_not_allowed_1488", "Escape sequence '{0}' is not allowed."),
        Decimals_with_leading_zeros_are_not_allowed: diag(1489, 1, "Decimals_with_leading_zeros_are_not_allowed_1489", "Decimals with leading zeros are not allowed."),
        File_appears_to_be_binary: diag(1490, 1, "File_appears_to_be_binary_1490", "File appears to be binary."),
        _0_modifier_cannot_appear_on_a_using_declaration: diag(1491, 1, "_0_modifier_cannot_appear_on_a_using_declaration_1491", "'{0}' modifier cannot appear on a 'using' declaration."),
        _0_declarations_may_not_have_binding_patterns: diag(1492, 1, "_0_declarations_may_not_have_binding_patterns_1492", "'{0}' declarations may not have binding patterns."),
        The_left_hand_side_of_a_for_in_statement_cannot_be_a_using_declaration: diag(1493, 1, "The_left_hand_side_of_a_for_in_statement_cannot_be_a_using_declaration_1493", "The left-hand side of a 'for...in' statement cannot be a 'using' declaration."),
        The_left_hand_side_of_a_for_in_statement_cannot_be_an_await_using_declaration: diag(1494, 1, "The_left_hand_side_of_a_for_in_statement_cannot_be_an_await_using_declaration_1494", "The left-hand side of a 'for...in' statement cannot be an 'await using' declaration."),
        _0_modifier_cannot_appear_on_an_await_using_declaration: diag(1495, 1, "_0_modifier_cannot_appear_on_an_await_using_declaration_1495", "'{0}' modifier cannot appear on an 'await using' declaration."),
        Identifier_string_literal_or_number_literal_expected: diag(1496, 1, "Identifier_string_literal_or_number_literal_expected_1496", "Identifier, string literal, or number literal expected."),
        Expression_must_be_enclosed_in_parentheses_to_be_used_as_a_decorator: diag(1497, 1, "Expression_must_be_enclosed_in_parentheses_to_be_used_as_a_decorator_1497", "Expression must be enclosed in parentheses to be used as a decorator."),
        Invalid_syntax_in_decorator: diag(1498, 1, "Invalid_syntax_in_decorator_1498", "Invalid syntax in decorator."),
        Unknown_regular_expression_flag: diag(1499, 1, "Unknown_regular_expression_flag_1499", "Unknown regular expression flag."),
        Duplicate_regular_expression_flag: diag(1500, 1, "Duplicate_regular_expression_flag_1500", "Duplicate regular expression flag."),
        This_regular_expression_flag_is_only_available_when_targeting_0_or_later: diag(1501, 1, "This_regular_expression_flag_is_only_available_when_targeting_0_or_later_1501", "This regular expression flag is only available when targeting '{0}' or later."),
        The_Unicode_u_flag_and_the_Unicode_Sets_v_flag_cannot_be_set_simultaneously: diag(1502, 1, "The_Unicode_u_flag_and_the_Unicode_Sets_v_flag_cannot_be_set_simultaneously_1502", "The Unicode (u) flag and the Unicode Sets (v) flag cannot be set simultaneously."),
        Named_capturing_groups_are_only_available_when_targeting_ES2018_or_later: diag(1503, 1, "Named_capturing_groups_are_only_available_when_targeting_ES2018_or_later_1503", "Named capturing groups are only available when targeting 'ES2018' or later."),
        Subpattern_flags_must_be_present_when_there_is_a_minus_sign: diag(1504, 1, "Subpattern_flags_must_be_present_when_there_is_a_minus_sign_1504", "Subpattern flags must be present when there is a minus sign."),
        Incomplete_quantifier_Digit_expected: diag(1505, 1, "Incomplete_quantifier_Digit_expected_1505", "Incomplete quantifier. Digit expected."),
        Numbers_out_of_order_in_quantifier: diag(1506, 1, "Numbers_out_of_order_in_quantifier_1506", "Numbers out of order in quantifier."),
        There_is_nothing_available_for_repetition: diag(1507, 1, "There_is_nothing_available_for_repetition_1507", "There is nothing available for repetition."),
        Unexpected_0_Did_you_mean_to_escape_it_with_backslash: diag(1508, 1, "Unexpected_0_Did_you_mean_to_escape_it_with_backslash_1508", "Unexpected '{0}'. Did you mean to escape it with backslash?"),
        This_regular_expression_flag_cannot_be_toggled_within_a_subpattern: diag(1509, 1, "This_regular_expression_flag_cannot_be_toggled_within_a_subpattern_1509", "This regular expression flag cannot be toggled within a subpattern."),
        k_must_be_followed_by_a_capturing_group_name_enclosed_in_angle_brackets: diag(1510, 1, "k_must_be_followed_by_a_capturing_group_name_enclosed_in_angle_brackets_1510", "'\\k' must be followed by a capturing group name enclosed in angle brackets."),
        q_is_only_available_inside_character_class: diag(1511, 1, "q_is_only_available_inside_character_class_1511", "'\\q' is only available inside character class."),
        c_must_be_followed_by_an_ASCII_letter: diag(1512, 1, "c_must_be_followed_by_an_ASCII_letter_1512", "'\\c' must be followed by an ASCII letter."),
        Undetermined_character_escape: diag(1513, 1, "Undetermined_character_escape_1513", "Undetermined character escape."),
        Expected_a_capturing_group_name: diag(1514, 1, "Expected_a_capturing_group_name_1514", "Expected a capturing group name."),
        Named_capturing_groups_with_the_same_name_must_be_mutually_exclusive_to_each_other: diag(1515, 1, "Named_capturing_groups_with_the_same_name_must_be_mutually_exclusive_to_each_other_1515", "Named capturing groups with the same name must be mutually exclusive to each other."),
        A_character_class_range_must_not_be_bounded_by_another_character_class: diag(1516, 1, "A_character_class_range_must_not_be_bounded_by_another_character_class_1516", "A character class range must not be bounded by another character class."),
        Range_out_of_order_in_character_class: diag(1517, 1, "Range_out_of_order_in_character_class_1517", "Range out of order in character class."),
        Anything_that_would_possibly_match_more_than_a_single_character_is_invalid_inside_a_negated_character_class: diag(1518, 1, "Anything_that_would_possibly_match_more_than_a_single_character_is_invalid_inside_a_negated_characte_1518", "Anything that would possibly match more than a single character is invalid inside a negated character class."),
        Operators_must_not_be_mixed_within_a_character_class_Wrap_it_in_a_nested_class_instead: diag(1519, 1, "Operators_must_not_be_mixed_within_a_character_class_Wrap_it_in_a_nested_class_instead_1519", "Operators must not be mixed within a character class. Wrap it in a nested class instead."),
        Expected_a_class_set_operand: diag(1520, 1, "Expected_a_class_set_operand_1520", "Expected a class set operand."),
        q_must_be_followed_by_string_alternatives_enclosed_in_braces: diag(1521, 1, "q_must_be_followed_by_string_alternatives_enclosed_in_braces_1521", "'\\q' must be followed by string alternatives enclosed in braces."),
        A_character_class_must_not_contain_a_reserved_double_punctuator_Did_you_mean_to_escape_it_with_backslash: diag(1522, 1, "A_character_class_must_not_contain_a_reserved_double_punctuator_Did_you_mean_to_escape_it_with_backs_1522", "A character class must not contain a reserved double punctuator. Did you mean to escape it with backslash?"),
        Expected_a_Unicode_property_name: diag(1523, 1, "Expected_a_Unicode_property_name_1523", "Expected a Unicode property name."),
        Unknown_Unicode_property_name: diag(1524, 1, "Unknown_Unicode_property_name_1524", "Unknown Unicode property name."),
        Expected_a_Unicode_property_value: diag(1525, 1, "Expected_a_Unicode_property_value_1525", "Expected a Unicode property value."),
        Unknown_Unicode_property_value: diag(1526, 1, "Unknown_Unicode_property_value_1526", "Unknown Unicode property value."),
        Expected_a_Unicode_property_name_or_value: diag(1527, 1, "Expected_a_Unicode_property_name_or_value_1527", "Expected a Unicode property name or value."),
        Any_Unicode_property_that_would_possibly_match_more_than_a_single_character_is_only_available_when_the_Unicode_Sets_v_flag_is_set: diag(1528, 1, "Any_Unicode_property_that_would_possibly_match_more_than_a_single_character_is_only_available_when_t_1528", "Any Unicode property that would possibly match more than a single character is only available when the Unicode Sets (v) flag is set."),
        Unknown_Unicode_property_name_or_value: diag(1529, 1, "Unknown_Unicode_property_name_or_value_1529", "Unknown Unicode property name or value."),
        Unicode_property_value_expressions_are_only_available_when_the_Unicode_u_flag_or_the_Unicode_Sets_v_flag_is_set: diag(1530, 1, "Unicode_property_value_expressions_are_only_available_when_the_Unicode_u_flag_or_the_Unicode_Sets_v__1530", "Unicode property value expressions are only available when the Unicode (u) flag or the Unicode Sets (v) flag is set."),
        _0_must_be_followed_by_a_Unicode_property_value_expression_enclosed_in_braces: diag(1531, 1, "_0_must_be_followed_by_a_Unicode_property_value_expression_enclosed_in_braces_1531", "'\\{0}' must be followed by a Unicode property value expression enclosed in braces."),
        There_is_no_capturing_group_named_0_in_this_regular_expression: diag(1532, 1, "There_is_no_capturing_group_named_0_in_this_regular_expression_1532", "There is no capturing group named '{0}' in this regular expression."),
        This_backreference_refers_to_a_group_that_does_not_exist_There_are_only_0_capturing_groups_in_this_regular_expression: diag(1533, 1, "This_backreference_refers_to_a_group_that_does_not_exist_There_are_only_0_capturing_groups_in_this_r_1533", "This backreference refers to a group that does not exist. There are only {0} capturing groups in this regular expression."),
        This_backreference_refers_to_a_group_that_does_not_exist_There_are_no_capturing_groups_in_this_regular_expression: diag(1534, 1, "This_backreference_refers_to_a_group_that_does_not_exist_There_are_no_capturing_groups_in_this_regul_1534", "This backreference refers to a group that does not exist. There are no capturing groups in this regular expression."),
        This_character_cannot_be_escaped_in_a_regular_expression: diag(1535, 1, "This_character_cannot_be_escaped_in_a_regular_expression_1535", "This character cannot be escaped in a regular expression."),
        Octal_escape_sequences_and_backreferences_are_not_allowed_in_a_character_class_If_this_was_intended_as_an_escape_sequence_use_the_syntax_0_instead: diag(1536, 1, "Octal_escape_sequences_and_backreferences_are_not_allowed_in_a_character_class_If_this_was_intended__1536", "Octal escape sequences and backreferences are not allowed in a character class. If this was intended as an escape sequence, use the syntax '{0}' instead."),
        Decimal_escape_sequences_and_backreferences_are_not_allowed_in_a_character_class: diag(1537, 1, "Decimal_escape_sequences_and_backreferences_are_not_allowed_in_a_character_class_1537", "Decimal escape sequences and backreferences are not allowed in a character class."),
        The_types_of_0_are_incompatible_between_these_types: diag(2200, 1, "The_types_of_0_are_incompatible_between_these_types_2200", "The types of '{0}' are incompatible between these types."),
        The_types_returned_by_0_are_incompatible_between_these_types: diag(2201, 1, "The_types_returned_by_0_are_incompatible_between_these_types_2201", "The types returned by '{0}' are incompatible between these types."),
        Call_signature_return_types_0_and_1_are_incompatible: diag(
          2202,
          1,
          "Call_signature_return_types_0_and_1_are_incompatible_2202",
          "Call signature return types '{0}' and '{1}' are incompatible.",
          /*reportsUnnecessary*/
          void 0,
          /*elidedInCompatabilityPyramid*/
          true
        ),
        Construct_signature_return_types_0_and_1_are_incompatible: diag(
          2203,
          1,
          "Construct_signature_return_types_0_and_1_are_incompatible_2203",
          "Construct signature return types '{0}' and '{1}' are incompatible.",
          /*reportsUnnecessary*/
          void 0,
          /*elidedInCompatabilityPyramid*/
          true
        ),
        Call_signatures_with_no_arguments_have_incompatible_return_types_0_and_1: diag(
          2204,
          1,
          "Call_signatures_with_no_arguments_have_incompatible_return_types_0_and_1_2204",
          "Call signatures with no arguments have incompatible return types '{0}' and '{1}'.",
          /*reportsUnnecessary*/
          void 0,
          /*elidedInCompatabilityPyramid*/
          true
        ),
        Construct_signatures_with_no_arguments_have_incompatible_return_types_0_and_1: diag(
          2205,
          1,
          "Construct_signatures_with_no_arguments_have_incompatible_return_types_0_and_1_2205",
          "Construct signatures with no arguments have incompatible return types '{0}' and '{1}'.",
          /*reportsUnnecessary*/
          void 0,
          /*elidedInCompatabilityPyramid*/
          true
        ),
        The_type_modifier_cannot_be_used_on_a_named_import_when_import_type_is_used_on_its_import_statement: diag(2206, 1, "The_type_modifier_cannot_be_used_on_a_named_import_when_import_type_is_used_on_its_import_statement_2206", "The 'type' modifier cannot be used on a named import when 'import type' is used on its import statement."),
        The_type_modifier_cannot_be_used_on_a_named_export_when_export_type_is_used_on_its_export_statement: diag(2207, 1, "The_type_modifier_cannot_be_used_on_a_named_export_when_export_type_is_used_on_its_export_statement_2207", "The 'type' modifier cannot be used on a named export when 'export type' is used on its export statement."),
        This_type_parameter_might_need_an_extends_0_constraint: diag(2208, 1, "This_type_parameter_might_need_an_extends_0_constraint_2208", "This type parameter might need an `extends {0}` constraint."),
        The_project_root_is_ambiguous_but_is_required_to_resolve_export_map_entry_0_in_file_1_Supply_the_rootDir_compiler_option_to_disambiguate: diag(2209, 1, "The_project_root_is_ambiguous_but_is_required_to_resolve_export_map_entry_0_in_file_1_Supply_the_roo_2209", "The project root is ambiguous, but is required to resolve export map entry '{0}' in file '{1}'. Supply the `rootDir` compiler option to disambiguate."),
        The_project_root_is_ambiguous_but_is_required_to_resolve_import_map_entry_0_in_file_1_Supply_the_rootDir_compiler_option_to_disambiguate: diag(2210, 1, "The_project_root_is_ambiguous_but_is_required_to_resolve_import_map_entry_0_in_file_1_Supply_the_roo_2210", "The project root is ambiguous, but is required to resolve import map entry '{0}' in file '{1}'. Supply the `rootDir` compiler option to disambiguate."),
        Add_extends_constraint: diag(2211, 3, "Add_extends_constraint_2211", "Add `extends` constraint."),
        Add_extends_constraint_to_all_type_parameters: diag(2212, 3, "Add_extends_constraint_to_all_type_parameters_2212", "Add `extends` constraint to all type parameters"),
        Duplicate_identifier_0: diag(2300, 1, "Duplicate_identifier_0_2300", "Duplicate identifier '{0}'."),
        Initializer_of_instance_member_variable_0_cannot_reference_identifier_1_declared_in_the_constructor: diag(2301, 1, "Initializer_of_instance_member_variable_0_cannot_reference_identifier_1_declared_in_the_constructor_2301", "Initializer of instance member variable '{0}' cannot reference identifier '{1}' declared in the constructor."),
        Static_members_cannot_reference_class_type_parameters: diag(2302, 1, "Static_members_cannot_reference_class_type_parameters_2302", "Static members cannot reference class type parameters."),
        Circular_definition_of_import_alias_0: diag(2303, 1, "Circular_definition_of_import_alias_0_2303", "Circular definition of import alias '{0}'."),
        Cannot_find_name_0: diag(2304, 1, "Cannot_find_name_0_2304", "Cannot find name '{0}'."),
        Module_0_has_no_exported_member_1: diag(2305, 1, "Module_0_has_no_exported_member_1_2305", "Module '{0}' has no exported member '{1}'."),
        File_0_is_not_a_module: diag(2306, 1, "File_0_is_not_a_module_2306", "File '{0}' is not a module."),
        Cannot_find_module_0_or_its_corresponding_type_declarations: diag(2307, 1, "Cannot_find_module_0_or_its_corresponding_type_declarations_2307", "Cannot find module '{0}' or its corresponding type declarations."),
        Module_0_has_already_exported_a_member_named_1_Consider_explicitly_re_exporting_to_resolve_the_ambiguity: diag(2308, 1, "Module_0_has_already_exported_a_member_named_1_Consider_explicitly_re_exporting_to_resolve_the_ambig_2308", "Module {0} has already exported a member named '{1}'. Consider explicitly re-exporting to resolve the ambiguity."),
        An_export_assignment_cannot_be_used_in_a_module_with_other_exported_elements: diag(2309, 1, "An_export_assignment_cannot_be_used_in_a_module_with_other_exported_elements_2309", "An export assignment cannot be used in a module with other exported elements."),
        Type_0_recursively_references_itself_as_a_base_type: diag(2310, 1, "Type_0_recursively_references_itself_as_a_base_type_2310", "Type '{0}' recursively references itself as a base type."),
        Cannot_find_name_0_Did_you_mean_to_write_this_in_an_async_function: diag(2311, 1, "Cannot_find_name_0_Did_you_mean_to_write_this_in_an_async_function_2311", "Cannot find name '{0}'. Did you mean to write this in an async function?"),
        An_interface_can_only_extend_an_object_type_or_intersection_of_object_types_with_statically_known_members: diag(2312, 1, "An_interface_can_only_extend_an_object_type_or_intersection_of_object_types_with_statically_known_me_2312", "An interface can only extend an object type or intersection of object types with statically known members."),
        Type_parameter_0_has_a_circular_constraint: diag(2313, 1, "Type_parameter_0_has_a_circular_constraint_2313", "Type parameter '{0}' has a circular constraint."),
        Generic_type_0_requires_1_type_argument_s: diag(2314, 1, "Generic_type_0_requires_1_type_argument_s_2314", "Generic type '{0}' requires {1} type argument(s)."),
        Type_0_is_not_generic: diag(2315, 1, "Type_0_is_not_generic_2315", "Type '{0}' is not generic."),
        Global_type_0_must_be_a_class_or_interface_type: diag(2316, 1, "Global_type_0_must_be_a_class_or_interface_type_2316", "Global type '{0}' must be a class or interface type."),
        Global_type_0_must_have_1_type_parameter_s: diag(2317, 1, "Global_type_0_must_have_1_type_parameter_s_2317", "Global type '{0}' must have {1} type parameter(s)."),
        Cannot_find_global_type_0: diag(2318, 1, "Cannot_find_global_type_0_2318", "Cannot find global type '{0}'."),
        Named_property_0_of_types_1_and_2_are_not_identical: diag(2319, 1, "Named_property_0_of_types_1_and_2_are_not_identical_2319", "Named property '{0}' of types '{1}' and '{2}' are not identical."),
        Interface_0_cannot_simultaneously_extend_types_1_and_2: diag(2320, 1, "Interface_0_cannot_simultaneously_extend_types_1_and_2_2320", "Interface '{0}' cannot simultaneously extend types '{1}' and '{2}'."),
        Excessive_stack_depth_comparing_types_0_and_1: diag(2321, 1, "Excessive_stack_depth_comparing_types_0_and_1_2321", "Excessive stack depth comparing types '{0}' and '{1}'."),
        Type_0_is_not_assignable_to_type_1: diag(2322, 1, "Type_0_is_not_assignable_to_type_1_2322", "Type '{0}' is not assignable to type '{1}'."),
        Cannot_redeclare_exported_variable_0: diag(2323, 1, "Cannot_redeclare_exported_variable_0_2323", "Cannot redeclare exported variable '{0}'."),
        Property_0_is_missing_in_type_1: diag(2324, 1, "Property_0_is_missing_in_type_1_2324", "Property '{0}' is missing in type '{1}'."),
        Property_0_is_private_in_type_1_but_not_in_type_2: diag(2325, 1, "Property_0_is_private_in_type_1_but_not_in_type_2_2325", "Property '{0}' is private in type '{1}' but not in type '{2}'."),
        Types_of_property_0_are_incompatible: diag(2326, 1, "Types_of_property_0_are_incompatible_2326", "Types of property '{0}' are incompatible."),
        Property_0_is_optional_in_type_1_but_required_in_type_2: diag(2327, 1, "Property_0_is_optional_in_type_1_but_required_in_type_2_2327", "Property '{0}' is optional in type '{1}' but required in type '{2}'."),
        Types_of_parameters_0_and_1_are_incompatible: diag(2328, 1, "Types_of_parameters_0_and_1_are_incompatible_2328", "Types of parameters '{0}' and '{1}' are incompatible."),
        Index_signature_for_type_0_is_missing_in_type_1: diag(2329, 1, "Index_signature_for_type_0_is_missing_in_type_1_2329", "Index signature for type '{0}' is missing in type '{1}'."),
        _0_and_1_index_signatures_are_incompatible: diag(2330, 1, "_0_and_1_index_signatures_are_incompatible_2330", "'{0}' and '{1}' index signatures are incompatible."),
        this_cannot_be_referenced_in_a_module_or_namespace_body: diag(2331, 1, "this_cannot_be_referenced_in_a_module_or_namespace_body_2331", "'this' cannot be referenced in a module or namespace body."),
        this_cannot_be_referenced_in_current_location: diag(2332, 1, "this_cannot_be_referenced_in_current_location_2332", "'this' cannot be referenced in current location."),
        this_cannot_be_referenced_in_a_static_property_initializer: diag(2334, 1, "this_cannot_be_referenced_in_a_static_property_initializer_2334", "'this' cannot be referenced in a static property initializer."),
        super_can_only_be_referenced_in_a_derived_class: diag(2335, 1, "super_can_only_be_referenced_in_a_derived_class_2335", "'super' can only be referenced in a derived class."),
        super_cannot_be_referenced_in_constructor_arguments: diag(2336, 1, "super_cannot_be_referenced_in_constructor_arguments_2336", "'super' cannot be referenced in constructor arguments."),
        Super_calls_are_not_permitted_outside_constructors_or_in_nested_functions_inside_constructors: diag(2337, 1, "Super_calls_are_not_permitted_outside_constructors_or_in_nested_functions_inside_constructors_2337", "Super calls are not permitted outside constructors or in nested functions inside constructors."),
        super_property_access_is_permitted_only_in_a_constructor_member_function_or_member_accessor_of_a_derived_class: diag(2338, 1, "super_property_access_is_permitted_only_in_a_constructor_member_function_or_member_accessor_of_a_der_2338", "'super' property access is permitted only in a constructor, member function, or member accessor of a derived class."),
        Property_0_does_not_exist_on_type_1: diag(2339, 1, "Property_0_does_not_exist_on_type_1_2339", "Property '{0}' does not exist on type '{1}'."),
        Only_public_and_protected_methods_of_the_base_class_are_accessible_via_the_super_keyword: diag(2340, 1, "Only_public_and_protected_methods_of_the_base_class_are_accessible_via_the_super_keyword_2340", "Only public and protected methods of the base class are accessible via the 'super' keyword."),
        Property_0_is_private_and_only_accessible_within_class_1: diag(2341, 1, "Property_0_is_private_and_only_accessible_within_class_1_2341", "Property '{0}' is private and only accessible within class '{1}'."),
        This_syntax_requires_an_imported_helper_named_1_which_does_not_exist_in_0_Consider_upgrading_your_version_of_0: diag(2343, 1, "This_syntax_requires_an_imported_helper_named_1_which_does_not_exist_in_0_Consider_upgrading_your_ve_2343", "This syntax requires an imported helper named '{1}' which does not exist in '{0}'. Consider upgrading your version of '{0}'."),
        Type_0_does_not_satisfy_the_constraint_1: diag(2344, 1, "Type_0_does_not_satisfy_the_constraint_1_2344", "Type '{0}' does not satisfy the constraint '{1}'."),
        Argument_of_type_0_is_not_assignable_to_parameter_of_type_1: diag(2345, 1, "Argument_of_type_0_is_not_assignable_to_parameter_of_type_1_2345", "Argument of type '{0}' is not assignable to parameter of type '{1}'."),
        Untyped_function_calls_may_not_accept_type_arguments: diag(2347, 1, "Untyped_function_calls_may_not_accept_type_arguments_2347", "Untyped function calls may not accept type arguments."),
        Value_of_type_0_is_not_callable_Did_you_mean_to_include_new: diag(2348, 1, "Value_of_type_0_is_not_callable_Did_you_mean_to_include_new_2348", "Value of type '{0}' is not callable. Did you mean to include 'new'?"),
        This_expression_is_not_callable: diag(2349, 1, "This_expression_is_not_callable_2349", "This expression is not callable."),
        Only_a_void_function_can_be_called_with_the_new_keyword: diag(2350, 1, "Only_a_void_function_can_be_called_with_the_new_keyword_2350", "Only a void function can be called with the 'new' keyword."),
        This_expression_is_not_constructable: diag(2351, 1, "This_expression_is_not_constructable_2351", "This expression is not constructable."),
        Conversion_of_type_0_to_type_1_may_be_a_mistake_because_neither_type_sufficiently_overlaps_with_the_other_If_this_was_intentional_convert_the_expression_to_unknown_first: diag(2352, 1, "Conversion_of_type_0_to_type_1_may_be_a_mistake_because_neither_type_sufficiently_overlaps_with_the__2352", "Conversion of type '{0}' to type '{1}' may be a mistake because neither type sufficiently overlaps with the other. If this was intentional, convert the expression to 'unknown' first."),
        Object_literal_may_only_specify_known_properties_and_0_does_not_exist_in_type_1: diag(2353, 1, "Object_literal_may_only_specify_known_properties_and_0_does_not_exist_in_type_1_2353", "Object literal may only specify known properties, and '{0}' does not exist in type '{1}'."),
        This_syntax_requires_an_imported_helper_but_module_0_cannot_be_found: diag(2354, 1, "This_syntax_requires_an_imported_helper_but_module_0_cannot_be_found_2354", "This syntax requires an imported helper but module '{0}' cannot be found."),
        A_function_whose_declared_type_is_neither_undefined_void_nor_any_must_return_a_value: diag(2355, 1, "A_function_whose_declared_type_is_neither_undefined_void_nor_any_must_return_a_value_2355", "A function whose declared type is neither 'undefined', 'void', nor 'any' must return a value."),
        An_arithmetic_operand_must_be_of_type_any_number_bigint_or_an_enum_type: diag(2356, 1, "An_arithmetic_operand_must_be_of_type_any_number_bigint_or_an_enum_type_2356", "An arithmetic operand must be of type 'any', 'number', 'bigint' or an enum type."),
        The_operand_of_an_increment_or_decrement_operator_must_be_a_variable_or_a_property_access: diag(2357, 1, "The_operand_of_an_increment_or_decrement_operator_must_be_a_variable_or_a_property_access_2357", "The operand of an increment or decrement operator must be a variable or a property access."),
        The_left_hand_side_of_an_instanceof_expression_must_be_of_type_any_an_object_type_or_a_type_parameter: diag(2358, 1, "The_left_hand_side_of_an_instanceof_expression_must_be_of_type_any_an_object_type_or_a_type_paramete_2358", "The left-hand side of an 'instanceof' expression must be of type 'any', an object type or a type parameter."),
        The_right_hand_side_of_an_instanceof_expression_must_be_either_of_type_any_a_class_function_or_other_type_assignable_to_the_Function_interface_type_or_an_object_type_with_a_Symbol_hasInstance_method: diag(2359, 1, "The_right_hand_side_of_an_instanceof_expression_must_be_either_of_type_any_a_class_function_or_other_2359", "The right-hand side of an 'instanceof' expression must be either of type 'any', a class, function, or other type assignable to the 'Function' interface type, or an object type with a 'Symbol.hasInstance' method."),
        The_left_hand_side_of_an_arithmetic_operation_must_be_of_type_any_number_bigint_or_an_enum_type: diag(2362, 1, "The_left_hand_side_of_an_arithmetic_operation_must_be_of_type_any_number_bigint_or_an_enum_type_2362", "The left-hand side of an arithmetic operation must be of type 'any', 'number', 'bigint' or an enum type."),
        The_right_hand_side_of_an_arithmetic_operation_must_be_of_type_any_number_bigint_or_an_enum_type: diag(2363, 1, "The_right_hand_side_of_an_arithmetic_operation_must_be_of_type_any_number_bigint_or_an_enum_type_2363", "The right-hand side of an arithmetic operation must be of type 'any', 'number', 'bigint' or an enum type."),
        The_left_hand_side_of_an_assignment_expression_must_be_a_variable_or_a_property_access: diag(2364, 1, "The_left_hand_side_of_an_assignment_expression_must_be_a_variable_or_a_property_access_2364", "The left-hand side of an assignment expression must be a variable or a property access."),
        Operator_0_cannot_be_applied_to_types_1_and_2: diag(2365, 1, "Operator_0_cannot_be_applied_to_types_1_and_2_2365", "Operator '{0}' cannot be applied to types '{1}' and '{2}'."),
        Function_lacks_ending_return_statement_and_return_type_does_not_include_undefined: diag(2366, 1, "Function_lacks_ending_return_statement_and_return_type_does_not_include_undefined_2366", "Function lacks ending return statement and return type does not include 'undefined'."),
        This_comparison_appears_to_be_unintentional_because_the_types_0_and_1_have_no_overlap: diag(2367, 1, "This_comparison_appears_to_be_unintentional_because_the_types_0_and_1_have_no_overlap_2367", "This comparison appears to be unintentional because the types '{0}' and '{1}' have no overlap."),
        Type_parameter_name_cannot_be_0: diag(2368, 1, "Type_parameter_name_cannot_be_0_2368", "Type parameter name cannot be '{0}'."),
        A_parameter_property_is_only_allowed_in_a_constructor_implementation: diag(2369, 1, "A_parameter_property_is_only_allowed_in_a_constructor_implementation_2369", "A parameter property is only allowed in a constructor implementation."),
        A_rest_parameter_must_be_of_an_array_type: diag(2370, 1, "A_rest_parameter_must_be_of_an_array_type_2370", "A rest parameter must be of an array type."),
        A_parameter_initializer_is_only_allowed_in_a_function_or_constructor_implementation: diag(2371, 1, "A_parameter_initializer_is_only_allowed_in_a_function_or_constructor_implementation_2371", "A parameter initializer is only allowed in a function or constructor implementation."),
        Parameter_0_cannot_reference_itself: diag(2372, 1, "Parameter_0_cannot_reference_itself_2372", "Parameter '{0}' cannot reference itself."),
        Parameter_0_cannot_reference_identifier_1_declared_after_it: diag(2373, 1, "Parameter_0_cannot_reference_identifier_1_declared_after_it_2373", "Parameter '{0}' cannot reference identifier '{1}' declared after it."),
        Duplicate_index_signature_for_type_0: diag(2374, 1, "Duplicate_index_signature_for_type_0_2374", "Duplicate index signature for type '{0}'."),
        Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_types_of_the_target_s_properties: diag(2375, 1, "Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefi_2375", "Type '{0}' is not assignable to type '{1}' with 'exactOptionalPropertyTypes: true'. Consider adding 'undefined' to the types of the target's properties."),
        A_super_call_must_be_the_first_statement_in_the_constructor_to_refer_to_super_or_this_when_a_derived_class_contains_initialized_properties_parameter_properties_or_private_identifiers: diag(2376, 1, "A_super_call_must_be_the_first_statement_in_the_constructor_to_refer_to_super_or_this_when_a_derived_2376", "A 'super' call must be the first statement in the constructor to refer to 'super' or 'this' when a derived class contains initialized properties, parameter properties, or private identifiers."),
        Constructors_for_derived_classes_must_contain_a_super_call: diag(2377, 1, "Constructors_for_derived_classes_must_contain_a_super_call_2377", "Constructors for derived classes must contain a 'super' call."),
        A_get_accessor_must_return_a_value: diag(2378, 1, "A_get_accessor_must_return_a_value_2378", "A 'get' accessor must return a value."),
        Argument_of_type_0_is_not_assignable_to_parameter_of_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_types_of_the_target_s_properties: diag(2379, 1, "Argument_of_type_0_is_not_assignable_to_parameter_of_type_1_with_exactOptionalPropertyTypes_Colon_tr_2379", "Argument of type '{0}' is not assignable to parameter of type '{1}' with 'exactOptionalPropertyTypes: true'. Consider adding 'undefined' to the types of the target's properties."),
        Overload_signatures_must_all_be_exported_or_non_exported: diag(2383, 1, "Overload_signatures_must_all_be_exported_or_non_exported_2383", "Overload signatures must all be exported or non-exported."),
        Overload_signatures_must_all_be_ambient_or_non_ambient: diag(2384, 1, "Overload_signatures_must_all_be_ambient_or_non_ambient_2384", "Overload signatures must all be ambient or non-ambient."),
        Overload_signatures_must_all_be_public_private_or_protected: diag(2385, 1, "Overload_signatures_must_all_be_public_private_or_protected_2385", "Overload signatures must all be public, private or protected."),
        Overload_signatures_must_all_be_optional_or_required: diag(2386, 1, "Overload_signatures_must_all_be_optional_or_required_2386", "Overload signatures must all be optional or required."),
        Function_overload_must_be_static: diag(2387, 1, "Function_overload_must_be_static_2387", "Function overload must be static."),
        Function_overload_must_not_be_static: diag(2388, 1, "Function_overload_must_not_be_static_2388", "Function overload must not be static."),
        Function_implementation_name_must_be_0: diag(2389, 1, "Function_implementation_name_must_be_0_2389", "Function implementation name must be '{0}'."),
        Constructor_implementation_is_missing: diag(2390, 1, "Constructor_implementation_is_missing_2390", "Constructor implementation is missing."),
        Function_implementation_is_missing_or_not_immediately_following_the_declaration: diag(2391, 1, "Function_implementation_is_missing_or_not_immediately_following_the_declaration_2391", "Function implementation is missing or not immediately following the declaration."),
        Multiple_constructor_implementations_are_not_allowed: diag(2392, 1, "Multiple_constructor_implementations_are_not_allowed_2392", "Multiple constructor implementations are not allowed."),
        Duplicate_function_implementation: diag(2393, 1, "Duplicate_function_implementation_2393", "Duplicate function implementation."),
        This_overload_signature_is_not_compatible_with_its_implementation_signature: diag(2394, 1, "This_overload_signature_is_not_compatible_with_its_implementation_signature_2394", "This overload signature is not compatible with its implementation signature."),
        Individual_declarations_in_merged_declaration_0_must_be_all_exported_or_all_local: diag(2395, 1, "Individual_declarations_in_merged_declaration_0_must_be_all_exported_or_all_local_2395", "Individual declarations in merged declaration '{0}' must be all exported or all local."),
        Duplicate_identifier_arguments_Compiler_uses_arguments_to_initialize_rest_parameters: diag(2396, 1, "Duplicate_identifier_arguments_Compiler_uses_arguments_to_initialize_rest_parameters_2396", "Duplicate identifier 'arguments'. Compiler uses 'arguments' to initialize rest parameters."),
        Declaration_name_conflicts_with_built_in_global_identifier_0: diag(2397, 1, "Declaration_name_conflicts_with_built_in_global_identifier_0_2397", "Declaration name conflicts with built-in global identifier '{0}'."),
        constructor_cannot_be_used_as_a_parameter_property_name: diag(2398, 1, "constructor_cannot_be_used_as_a_parameter_property_name_2398", "'constructor' cannot be used as a parameter property name."),
        Duplicate_identifier_this_Compiler_uses_variable_declaration_this_to_capture_this_reference: diag(2399, 1, "Duplicate_identifier_this_Compiler_uses_variable_declaration_this_to_capture_this_reference_2399", "Duplicate identifier '_this'. Compiler uses variable declaration '_this' to capture 'this' reference."),
        Expression_resolves_to_variable_declaration_this_that_compiler_uses_to_capture_this_reference: diag(2400, 1, "Expression_resolves_to_variable_declaration_this_that_compiler_uses_to_capture_this_reference_2400", "Expression resolves to variable declaration '_this' that compiler uses to capture 'this' reference."),
        A_super_call_must_be_a_root_level_statement_within_a_constructor_of_a_derived_class_that_contains_initialized_properties_parameter_properties_or_private_identifiers: diag(2401, 1, "A_super_call_must_be_a_root_level_statement_within_a_constructor_of_a_derived_class_that_contains_in_2401", "A 'super' call must be a root-level statement within a constructor of a derived class that contains initialized properties, parameter properties, or private identifiers."),
        Expression_resolves_to_super_that_compiler_uses_to_capture_base_class_reference: diag(2402, 1, "Expression_resolves_to_super_that_compiler_uses_to_capture_base_class_reference_2402", "Expression resolves to '_super' that compiler uses to capture base class reference."),
        Subsequent_variable_declarations_must_have_the_same_type_Variable_0_must_be_of_type_1_but_here_has_type_2: diag(2403, 1, "Subsequent_variable_declarations_must_have_the_same_type_Variable_0_must_be_of_type_1_but_here_has_t_2403", "Subsequent variable declarations must have the same type.  Variable '{0}' must be of type '{1}', but here has type '{2}'."),
        The_left_hand_side_of_a_for_in_statement_cannot_use_a_type_annotation: diag(2404, 1, "The_left_hand_side_of_a_for_in_statement_cannot_use_a_type_annotation_2404", "The left-hand side of a 'for...in' statement cannot use a type annotation."),
        The_left_hand_side_of_a_for_in_statement_must_be_of_type_string_or_any: diag(2405, 1, "The_left_hand_side_of_a_for_in_statement_must_be_of_type_string_or_any_2405", "The left-hand side of a 'for...in' statement must be of type 'string' or 'any'."),
        The_left_hand_side_of_a_for_in_statement_must_be_a_variable_or_a_property_access: diag(2406, 1, "The_left_hand_side_of_a_for_in_statement_must_be_a_variable_or_a_property_access_2406", "The left-hand side of a 'for...in' statement must be a variable or a property access."),
        The_right_hand_side_of_a_for_in_statement_must_be_of_type_any_an_object_type_or_a_type_parameter_but_here_has_type_0: diag(2407, 1, "The_right_hand_side_of_a_for_in_statement_must_be_of_type_any_an_object_type_or_a_type_parameter_but_2407", "The right-hand side of a 'for...in' statement must be of type 'any', an object type or a type parameter, but here has type '{0}'."),
        Setters_cannot_return_a_value: diag(2408, 1, "Setters_cannot_return_a_value_2408", "Setters cannot return a value."),
        Return_type_of_constructor_signature_must_be_assignable_to_the_instance_type_of_the_class: diag(2409, 1, "Return_type_of_constructor_signature_must_be_assignable_to_the_instance_type_of_the_class_2409", "Return type of constructor signature must be assignable to the instance type of the class."),
        The_with_statement_is_not_supported_All_symbols_in_a_with_block_will_have_type_any: diag(2410, 1, "The_with_statement_is_not_supported_All_symbols_in_a_with_block_will_have_type_any_2410", "The 'with' statement is not supported. All symbols in a 'with' block will have type 'any'."),
        Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_type_of_the_target: diag(2412, 1, "Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefi_2412", "Type '{0}' is not assignable to type '{1}' with 'exactOptionalPropertyTypes: true'. Consider adding 'undefined' to the type of the target."),
        Property_0_of_type_1_is_not_assignable_to_2_index_type_3: diag(2411, 1, "Property_0_of_type_1_is_not_assignable_to_2_index_type_3_2411", "Property '{0}' of type '{1}' is not assignable to '{2}' index type '{3}'."),
        _0_index_type_1_is_not_assignable_to_2_index_type_3: diag(2413, 1, "_0_index_type_1_is_not_assignable_to_2_index_type_3_2413", "'{0}' index type '{1}' is not assignable to '{2}' index type '{3}'."),
        Class_name_cannot_be_0: diag(2414, 1, "Class_name_cannot_be_0_2414", "Class name cannot be '{0}'."),
        Class_0_incorrectly_extends_base_class_1: diag(2415, 1, "Class_0_incorrectly_extends_base_class_1_2415", "Class '{0}' incorrectly extends base class '{1}'."),
        Property_0_in_type_1_is_not_assignable_to_the_same_property_in_base_type_2: diag(2416, 1, "Property_0_in_type_1_is_not_assignable_to_the_same_property_in_base_type_2_2416", "Property '{0}' in type '{1}' is not assignable to the same property in base type '{2}'."),
        Class_static_side_0_incorrectly_extends_base_class_static_side_1: diag(2417, 1, "Class_static_side_0_incorrectly_extends_base_class_static_side_1_2417", "Class static side '{0}' incorrectly extends base class static side '{1}'."),
        Type_of_computed_property_s_value_is_0_which_is_not_assignable_to_type_1: diag(2418, 1, "Type_of_computed_property_s_value_is_0_which_is_not_assignable_to_type_1_2418", "Type of computed property's value is '{0}', which is not assignable to type '{1}'."),
        Types_of_construct_signatures_are_incompatible: diag(2419, 1, "Types_of_construct_signatures_are_incompatible_2419", "Types of construct signatures are incompatible."),
        Class_0_incorrectly_implements_interface_1: diag(2420, 1, "Class_0_incorrectly_implements_interface_1_2420", "Class '{0}' incorrectly implements interface '{1}'."),
        A_class_can_only_implement_an_object_type_or_intersection_of_object_types_with_statically_known_members: diag(2422, 1, "A_class_can_only_implement_an_object_type_or_intersection_of_object_types_with_statically_known_memb_2422", "A class can only implement an object type or intersection of object types with statically known members."),
        Class_0_defines_instance_member_function_1_but_extended_class_2_defines_it_as_instance_member_accessor: diag(2423, 1, "Class_0_defines_instance_member_function_1_but_extended_class_2_defines_it_as_instance_member_access_2423", "Class '{0}' defines instance member function '{1}', but extended class '{2}' defines it as instance member accessor."),
        Class_0_defines_instance_member_property_1_but_extended_class_2_defines_it_as_instance_member_function: diag(2425, 1, "Class_0_defines_instance_member_property_1_but_extended_class_2_defines_it_as_instance_member_functi_2425", "Class '{0}' defines instance member property '{1}', but extended class '{2}' defines it as instance member function."),
        Class_0_defines_instance_member_accessor_1_but_extended_class_2_defines_it_as_instance_member_function: diag(2426, 1, "Class_0_defines_instance_member_accessor_1_but_extended_class_2_defines_it_as_instance_member_functi_2426", "Class '{0}' defines instance member accessor '{1}', but extended class '{2}' defines it as instance member function."),
        Interface_name_cannot_be_0: diag(2427, 1, "Interface_name_cannot_be_0_2427", "Interface name cannot be '{0}'."),
        All_declarations_of_0_must_have_identical_type_parameters: diag(2428, 1, "All_declarations_of_0_must_have_identical_type_parameters_2428", "All declarations of '{0}' must have identical type parameters."),
        Interface_0_incorrectly_extends_interface_1: diag(2430, 1, "Interface_0_incorrectly_extends_interface_1_2430", "Interface '{0}' incorrectly extends interface '{1}'."),
        Enum_name_cannot_be_0: diag(2431, 1, "Enum_name_cannot_be_0_2431", "Enum name cannot be '{0}'."),
        In_an_enum_with_multiple_declarations_only_one_declaration_can_omit_an_initializer_for_its_first_enum_element: diag(2432, 1, "In_an_enum_with_multiple_declarations_only_one_declaration_can_omit_an_initializer_for_its_first_enu_2432", "In an enum with multiple declarations, only one declaration can omit an initializer for its first enum element."),
        A_namespace_declaration_cannot_be_in_a_different_file_from_a_class_or_function_with_which_it_is_merged: diag(2433, 1, "A_namespace_declaration_cannot_be_in_a_different_file_from_a_class_or_function_with_which_it_is_merg_2433", "A namespace declaration cannot be in a different file from a class or function with which it is merged."),
        A_namespace_declaration_cannot_be_located_prior_to_a_class_or_function_with_which_it_is_merged: diag(2434, 1, "A_namespace_declaration_cannot_be_located_prior_to_a_class_or_function_with_which_it_is_merged_2434", "A namespace declaration cannot be located prior to a class or function with which it is merged."),
        Ambient_modules_cannot_be_nested_in_other_modules_or_namespaces: diag(2435, 1, "Ambient_modules_cannot_be_nested_in_other_modules_or_namespaces_2435", "Ambient modules cannot be nested in other modules or namespaces."),
        Ambient_module_declaration_cannot_specify_relative_module_name: diag(2436, 1, "Ambient_module_declaration_cannot_specify_relative_module_name_2436", "Ambient module declaration cannot specify relative module name."),
        Module_0_is_hidden_by_a_local_declaration_with_the_same_name: diag(2437, 1, "Module_0_is_hidden_by_a_local_declaration_with_the_same_name_2437", "Module '{0}' is hidden by a local declaration with the same name."),
        Import_name_cannot_be_0: diag(2438, 1, "Import_name_cannot_be_0_2438", "Import name cannot be '{0}'."),
        Import_or_export_declaration_in_an_ambient_module_declaration_cannot_reference_module_through_relative_module_name: diag(2439, 1, "Import_or_export_declaration_in_an_ambient_module_declaration_cannot_reference_module_through_relati_2439", "Import or export declaration in an ambient module declaration cannot reference module through relative module name."),
        Import_declaration_conflicts_with_local_declaration_of_0: diag(2440, 1, "Import_declaration_conflicts_with_local_declaration_of_0_2440", "Import declaration conflicts with local declaration of '{0}'."),
        Duplicate_identifier_0_Compiler_reserves_name_1_in_top_level_scope_of_a_module: diag(2441, 1, "Duplicate_identifier_0_Compiler_reserves_name_1_in_top_level_scope_of_a_module_2441", "Duplicate identifier '{0}'. Compiler reserves name '{1}' in top level scope of a module."),
        Types_have_separate_declarations_of_a_private_property_0: diag(2442, 1, "Types_have_separate_declarations_of_a_private_property_0_2442", "Types have separate declarations of a private property '{0}'."),
        Property_0_is_protected_but_type_1_is_not_a_class_derived_from_2: diag(2443, 1, "Property_0_is_protected_but_type_1_is_not_a_class_derived_from_2_2443", "Property '{0}' is protected but type '{1}' is not a class derived from '{2}'."),
        Property_0_is_protected_in_type_1_but_public_in_type_2: diag(2444, 1, "Property_0_is_protected_in_type_1_but_public_in_type_2_2444", "Property '{0}' is protected in type '{1}' but public in type '{2}'."),
        Property_0_is_protected_and_only_accessible_within_class_1_and_its_subclasses: diag(2445, 1, "Property_0_is_protected_and_only_accessible_within_class_1_and_its_subclasses_2445", "Property '{0}' is protected and only accessible within class '{1}' and its subclasses."),
        Property_0_is_protected_and_only_accessible_through_an_instance_of_class_1_This_is_an_instance_of_class_2: diag(2446, 1, "Property_0_is_protected_and_only_accessible_through_an_instance_of_class_1_This_is_an_instance_of_cl_2446", "Property '{0}' is protected and only accessible through an instance of class '{1}'. This is an instance of class '{2}'."),
        The_0_operator_is_not_allowed_for_boolean_types_Consider_using_1_instead: diag(2447, 1, "The_0_operator_is_not_allowed_for_boolean_types_Consider_using_1_instead_2447", "The '{0}' operator is not allowed for boolean types. Consider using '{1}' instead."),
        Block_scoped_variable_0_used_before_its_declaration: diag(2448, 1, "Block_scoped_variable_0_used_before_its_declaration_2448", "Block-scoped variable '{0}' used before its declaration."),
        Class_0_used_before_its_declaration: diag(2449, 1, "Class_0_used_before_its_declaration_2449", "Class '{0}' used before its declaration."),
        Enum_0_used_before_its_declaration: diag(2450, 1, "Enum_0_used_before_its_declaration_2450", "Enum '{0}' used before its declaration."),
        Cannot_redeclare_block_scoped_variable_0: diag(2451, 1, "Cannot_redeclare_block_scoped_variable_0_2451", "Cannot redeclare block-scoped variable '{0}'."),
        An_enum_member_cannot_have_a_numeric_name: diag(2452, 1, "An_enum_member_cannot_have_a_numeric_name_2452", "An enum member cannot have a numeric name."),
        Variable_0_is_used_before_being_assigned: diag(2454, 1, "Variable_0_is_used_before_being_assigned_2454", "Variable '{0}' is used before being assigned."),
        Type_alias_0_circularly_references_itself: diag(2456, 1, "Type_alias_0_circularly_references_itself_2456", "Type alias '{0}' circularly references itself."),
        Type_alias_name_cannot_be_0: diag(2457, 1, "Type_alias_name_cannot_be_0_2457", "Type alias name cannot be '{0}'."),
        An_AMD_module_cannot_have_multiple_name_assignments: diag(2458, 1, "An_AMD_module_cannot_have_multiple_name_assignments_2458", "An AMD module cannot have multiple name assignments."),
        Module_0_declares_1_locally_but_it_is_not_exported: diag(2459, 1, "Module_0_declares_1_locally_but_it_is_not_exported_2459", "Module '{0}' declares '{1}' locally, but it is not exported."),
        Module_0_declares_1_locally_but_it_is_exported_as_2: diag(2460, 1, "Module_0_declares_1_locally_but_it_is_exported_as_2_2460", "Module '{0}' declares '{1}' locally, but it is exported as '{2}'."),
        Type_0_is_not_an_array_type: diag(2461, 1, "Type_0_is_not_an_array_type_2461", "Type '{0}' is not an array type."),
        A_rest_element_must_be_last_in_a_destructuring_pattern: diag(2462, 1, "A_rest_element_must_be_last_in_a_destructuring_pattern_2462", "A rest element must be last in a destructuring pattern."),
        A_binding_pattern_parameter_cannot_be_optional_in_an_implementation_signature: diag(2463, 1, "A_binding_pattern_parameter_cannot_be_optional_in_an_implementation_signature_2463", "A binding pattern parameter cannot be optional in an implementation signature."),
        A_computed_property_name_must_be_of_type_string_number_symbol_or_any: diag(2464, 1, "A_computed_property_name_must_be_of_type_string_number_symbol_or_any_2464", "A computed property name must be of type 'string', 'number', 'symbol', or 'any'."),
        this_cannot_be_referenced_in_a_computed_property_name: diag(2465, 1, "this_cannot_be_referenced_in_a_computed_property_name_2465", "'this' cannot be referenced in a computed property name."),
        super_cannot_be_referenced_in_a_computed_property_name: diag(2466, 1, "super_cannot_be_referenced_in_a_computed_property_name_2466", "'super' cannot be referenced in a computed property name."),
        A_computed_property_name_cannot_reference_a_type_parameter_from_its_containing_type: diag(2467, 1, "A_computed_property_name_cannot_reference_a_type_parameter_from_its_containing_type_2467", "A computed property name cannot reference a type parameter from its containing type."),
        Cannot_find_global_value_0: diag(2468, 1, "Cannot_find_global_value_0_2468", "Cannot find global value '{0}'."),
        The_0_operator_cannot_be_applied_to_type_symbol: diag(2469, 1, "The_0_operator_cannot_be_applied_to_type_symbol_2469", "The '{0}' operator cannot be applied to type 'symbol'."),
        Spread_operator_in_new_expressions_is_only_available_when_targeting_ECMAScript_5_and_higher: diag(2472, 1, "Spread_operator_in_new_expressions_is_only_available_when_targeting_ECMAScript_5_and_higher_2472", "Spread operator in 'new' expressions is only available when targeting ECMAScript 5 and higher."),
        Enum_declarations_must_all_be_const_or_non_const: diag(2473, 1, "Enum_declarations_must_all_be_const_or_non_const_2473", "Enum declarations must all be const or non-const."),
        const_enum_member_initializers_must_be_constant_expressions: diag(2474, 1, "const_enum_member_initializers_must_be_constant_expressions_2474", "const enum member initializers must be constant expressions."),
        const_enums_can_only_be_used_in_property_or_index_access_expressions_or_the_right_hand_side_of_an_import_declaration_or_export_assignment_or_type_query: diag(2475, 1, "const_enums_can_only_be_used_in_property_or_index_access_expressions_or_the_right_hand_side_of_an_im_2475", "'const' enums can only be used in property or index access expressions or the right hand side of an import declaration or export assignment or type query."),
        A_const_enum_member_can_only_be_accessed_using_a_string_literal: diag(2476, 1, "A_const_enum_member_can_only_be_accessed_using_a_string_literal_2476", "A const enum member can only be accessed using a string literal."),
        const_enum_member_initializer_was_evaluated_to_a_non_finite_value: diag(2477, 1, "const_enum_member_initializer_was_evaluated_to_a_non_finite_value_2477", "'const' enum member initializer was evaluated to a non-finite value."),
        const_enum_member_initializer_was_evaluated_to_disallowed_value_NaN: diag(2478, 1, "const_enum_member_initializer_was_evaluated_to_disallowed_value_NaN_2478", "'const' enum member initializer was evaluated to disallowed value 'NaN'."),
        let_is_not_allowed_to_be_used_as_a_name_in_let_or_const_declarations: diag(2480, 1, "let_is_not_allowed_to_be_used_as_a_name_in_let_or_const_declarations_2480", "'let' is not allowed to be used as a name in 'let' or 'const' declarations."),
        Cannot_initialize_outer_scoped_variable_0_in_the_same_scope_as_block_scoped_declaration_1: diag(2481, 1, "Cannot_initialize_outer_scoped_variable_0_in_the_same_scope_as_block_scoped_declaration_1_2481", "Cannot initialize outer scoped variable '{0}' in the same scope as block scoped declaration '{1}'."),
        The_left_hand_side_of_a_for_of_statement_cannot_use_a_type_annotation: diag(2483, 1, "The_left_hand_side_of_a_for_of_statement_cannot_use_a_type_annotation_2483", "The left-hand side of a 'for...of' statement cannot use a type annotation."),
        Export_declaration_conflicts_with_exported_declaration_of_0: diag(2484, 1, "Export_declaration_conflicts_with_exported_declaration_of_0_2484", "Export declaration conflicts with exported declaration of '{0}'."),
        The_left_hand_side_of_a_for_of_statement_must_be_a_variable_or_a_property_access: diag(2487, 1, "The_left_hand_side_of_a_for_of_statement_must_be_a_variable_or_a_property_access_2487", "The left-hand side of a 'for...of' statement must be a variable or a property access."),
        Type_0_must_have_a_Symbol_iterator_method_that_returns_an_iterator: diag(2488, 1, "Type_0_must_have_a_Symbol_iterator_method_that_returns_an_iterator_2488", "Type '{0}' must have a '[Symbol.iterator]()' method that returns an iterator."),
        An_iterator_must_have_a_next_method: diag(2489, 1, "An_iterator_must_have_a_next_method_2489", "An iterator must have a 'next()' method."),
        The_type_returned_by_the_0_method_of_an_iterator_must_have_a_value_property: diag(2490, 1, "The_type_returned_by_the_0_method_of_an_iterator_must_have_a_value_property_2490", "The type returned by the '{0}()' method of an iterator must have a 'value' property."),
        The_left_hand_side_of_a_for_in_statement_cannot_be_a_destructuring_pattern: diag(2491, 1, "The_left_hand_side_of_a_for_in_statement_cannot_be_a_destructuring_pattern_2491", "The left-hand side of a 'for...in' statement cannot be a destructuring pattern."),
        Cannot_redeclare_identifier_0_in_catch_clause: diag(2492, 1, "Cannot_redeclare_identifier_0_in_catch_clause_2492", "Cannot redeclare identifier '{0}' in catch clause."),
        Tuple_type_0_of_length_1_has_no_element_at_index_2: diag(2493, 1, "Tuple_type_0_of_length_1_has_no_element_at_index_2_2493", "Tuple type '{0}' of length '{1}' has no element at index '{2}'."),
        Using_a_string_in_a_for_of_statement_is_only_supported_in_ECMAScript_5_and_higher: diag(2494, 1, "Using_a_string_in_a_for_of_statement_is_only_supported_in_ECMAScript_5_and_higher_2494", "Using a string in a 'for...of' statement is only supported in ECMAScript 5 and higher."),
        Type_0_is_not_an_array_type_or_a_string_type: diag(2495, 1, "Type_0_is_not_an_array_type_or_a_string_type_2495", "Type '{0}' is not an array type or a string type."),
        The_arguments_object_cannot_be_referenced_in_an_arrow_function_in_ES5_Consider_using_a_standard_function_expression: diag(2496, 1, "The_arguments_object_cannot_be_referenced_in_an_arrow_function_in_ES5_Consider_using_a_standard_func_2496", "The 'arguments' object cannot be referenced in an arrow function in ES5. Consider using a standard function expression."),
        This_module_can_only_be_referenced_with_ECMAScript_imports_Slashexports_by_turning_on_the_0_flag_and_referencing_its_default_export: diag(2497, 1, "This_module_can_only_be_referenced_with_ECMAScript_imports_Slashexports_by_turning_on_the_0_flag_and_2497", "This module can only be referenced with ECMAScript imports/exports by turning on the '{0}' flag and referencing its default export."),
        Module_0_uses_export_and_cannot_be_used_with_export_Asterisk: diag(2498, 1, "Module_0_uses_export_and_cannot_be_used_with_export_Asterisk_2498", "Module '{0}' uses 'export =' and cannot be used with 'export *'."),
        An_interface_can_only_extend_an_identifier_Slashqualified_name_with_optional_type_arguments: diag(2499, 1, "An_interface_can_only_extend_an_identifier_Slashqualified_name_with_optional_type_arguments_2499", "An interface can only extend an identifier/qualified-name with optional type arguments."),
        A_class_can_only_implement_an_identifier_Slashqualified_name_with_optional_type_arguments: diag(2500, 1, "A_class_can_only_implement_an_identifier_Slashqualified_name_with_optional_type_arguments_2500", "A class can only implement an identifier/qualified-name with optional type arguments."),
        A_rest_element_cannot_contain_a_binding_pattern: diag(2501, 1, "A_rest_element_cannot_contain_a_binding_pattern_2501", "A rest element cannot contain a binding pattern."),
        _0_is_referenced_directly_or_indirectly_in_its_own_type_annotation: diag(2502, 1, "_0_is_referenced_directly_or_indirectly_in_its_own_type_annotation_2502", "'{0}' is referenced directly or indirectly in its own type annotation."),
        Cannot_find_namespace_0: diag(2503, 1, "Cannot_find_namespace_0_2503", "Cannot find namespace '{0}'."),
        Type_0_must_have_a_Symbol_asyncIterator_method_that_returns_an_async_iterator: diag(2504, 1, "Type_0_must_have_a_Symbol_asyncIterator_method_that_returns_an_async_iterator_2504", "Type '{0}' must have a '[Symbol.asyncIterator]()' method that returns an async iterator."),
        A_generator_cannot_have_a_void_type_annotation: diag(2505, 1, "A_generator_cannot_have_a_void_type_annotation_2505", "A generator cannot have a 'void' type annotation."),
        _0_is_referenced_directly_or_indirectly_in_its_own_base_expression: diag(2506, 1, "_0_is_referenced_directly_or_indirectly_in_its_own_base_expression_2506", "'{0}' is referenced directly or indirectly in its own base expression."),
        Type_0_is_not_a_constructor_function_type: diag(2507, 1, "Type_0_is_not_a_constructor_function_type_2507", "Type '{0}' is not a constructor function type."),
        No_base_constructor_has_the_specified_number_of_type_arguments: diag(2508, 1, "No_base_constructor_has_the_specified_number_of_type_arguments_2508", "No base constructor has the specified number of type arguments."),
        Base_constructor_return_type_0_is_not_an_object_type_or_intersection_of_object_types_with_statically_known_members: diag(2509, 1, "Base_constructor_return_type_0_is_not_an_object_type_or_intersection_of_object_types_with_statically_2509", "Base constructor return type '{0}' is not an object type or intersection of object types with statically known members."),
        Base_constructors_must_all_have_the_same_return_type: diag(2510, 1, "Base_constructors_must_all_have_the_same_return_type_2510", "Base constructors must all have the same return type."),
        Cannot_create_an_instance_of_an_abstract_class: diag(2511, 1, "Cannot_create_an_instance_of_an_abstract_class_2511", "Cannot create an instance of an abstract class."),
        Overload_signatures_must_all_be_abstract_or_non_abstract: diag(2512, 1, "Overload_signatures_must_all_be_abstract_or_non_abstract_2512", "Overload signatures must all be abstract or non-abstract."),
        Abstract_method_0_in_class_1_cannot_be_accessed_via_super_expression: diag(2513, 1, "Abstract_method_0_in_class_1_cannot_be_accessed_via_super_expression_2513", "Abstract method '{0}' in class '{1}' cannot be accessed via super expression."),
        A_tuple_type_cannot_be_indexed_with_a_negative_value: diag(2514, 1, "A_tuple_type_cannot_be_indexed_with_a_negative_value_2514", "A tuple type cannot be indexed with a negative value."),
        Non_abstract_class_0_does_not_implement_inherited_abstract_member_1_from_class_2: diag(2515, 1, "Non_abstract_class_0_does_not_implement_inherited_abstract_member_1_from_class_2_2515", "Non-abstract class '{0}' does not implement inherited abstract member {1} from class '{2}'."),
        All_declarations_of_an_abstract_method_must_be_consecutive: diag(2516, 1, "All_declarations_of_an_abstract_method_must_be_consecutive_2516", "All declarations of an abstract method must be consecutive."),
        Cannot_assign_an_abstract_constructor_type_to_a_non_abstract_constructor_type: diag(2517, 1, "Cannot_assign_an_abstract_constructor_type_to_a_non_abstract_constructor_type_2517", "Cannot assign an abstract constructor type to a non-abstract constructor type."),
        A_this_based_type_guard_is_not_compatible_with_a_parameter_based_type_guard: diag(2518, 1, "A_this_based_type_guard_is_not_compatible_with_a_parameter_based_type_guard_2518", "A 'this'-based type guard is not compatible with a parameter-based type guard."),
        An_async_iterator_must_have_a_next_method: diag(2519, 1, "An_async_iterator_must_have_a_next_method_2519", "An async iterator must have a 'next()' method."),
        Duplicate_identifier_0_Compiler_uses_declaration_1_to_support_async_functions: diag(2520, 1, "Duplicate_identifier_0_Compiler_uses_declaration_1_to_support_async_functions_2520", "Duplicate identifier '{0}'. Compiler uses declaration '{1}' to support async functions."),
        The_arguments_object_cannot_be_referenced_in_an_async_function_or_method_in_ES5_Consider_using_a_standard_function_or_method: diag(2522, 1, "The_arguments_object_cannot_be_referenced_in_an_async_function_or_method_in_ES5_Consider_using_a_sta_2522", "The 'arguments' object cannot be referenced in an async function or method in ES5. Consider using a standard function or method."),
        yield_expressions_cannot_be_used_in_a_parameter_initializer: diag(2523, 1, "yield_expressions_cannot_be_used_in_a_parameter_initializer_2523", "'yield' expressions cannot be used in a parameter initializer."),
        await_expressions_cannot_be_used_in_a_parameter_initializer: diag(2524, 1, "await_expressions_cannot_be_used_in_a_parameter_initializer_2524", "'await' expressions cannot be used in a parameter initializer."),
        Initializer_provides_no_value_for_this_binding_element_and_the_binding_element_has_no_default_value: diag(2525, 1, "Initializer_provides_no_value_for_this_binding_element_and_the_binding_element_has_no_default_value_2525", "Initializer provides no value for this binding element and the binding element has no default value."),
        A_this_type_is_available_only_in_a_non_static_member_of_a_class_or_interface: diag(2526, 1, "A_this_type_is_available_only_in_a_non_static_member_of_a_class_or_interface_2526", "A 'this' type is available only in a non-static member of a class or interface."),
        The_inferred_type_of_0_references_an_inaccessible_1_type_A_type_annotation_is_necessary: diag(2527, 1, "The_inferred_type_of_0_references_an_inaccessible_1_type_A_type_annotation_is_necessary_2527", "The inferred type of '{0}' references an inaccessible '{1}' type. A type annotation is necessary."),
        A_module_cannot_have_multiple_default_exports: diag(2528, 1, "A_module_cannot_have_multiple_default_exports_2528", "A module cannot have multiple default exports."),
        Duplicate_identifier_0_Compiler_reserves_name_1_in_top_level_scope_of_a_module_containing_async_functions: diag(2529, 1, "Duplicate_identifier_0_Compiler_reserves_name_1_in_top_level_scope_of_a_module_containing_async_func_2529", "Duplicate identifier '{0}'. Compiler reserves name '{1}' in top level scope of a module containing async functions."),
        Property_0_is_incompatible_with_index_signature: diag(2530, 1, "Property_0_is_incompatible_with_index_signature_2530", "Property '{0}' is incompatible with index signature."),
        Object_is_possibly_null: diag(2531, 1, "Object_is_possibly_null_2531", "Object is possibly 'null'."),
        Object_is_possibly_undefined: diag(2532, 1, "Object_is_possibly_undefined_2532", "Object is possibly 'undefined'."),
        Object_is_possibly_null_or_undefined: diag(2533, 1, "Object_is_possibly_null_or_undefined_2533", "Object is possibly 'null' or 'undefined'."),
        A_function_returning_never_cannot_have_a_reachable_end_point: diag(2534, 1, "A_function_returning_never_cannot_have_a_reachable_end_point_2534", "A function returning 'never' cannot have a reachable end point."),
        Type_0_cannot_be_used_to_index_type_1: diag(2536, 1, "Type_0_cannot_be_used_to_index_type_1_2536", "Type '{0}' cannot be used to index type '{1}'."),
        Type_0_has_no_matching_index_signature_for_type_1: diag(2537, 1, "Type_0_has_no_matching_index_signature_for_type_1_2537", "Type '{0}' has no matching index signature for type '{1}'."),
        Type_0_cannot_be_used_as_an_index_type: diag(2538, 1, "Type_0_cannot_be_used_as_an_index_type_2538", "Type '{0}' cannot be used as an index type."),
        Cannot_assign_to_0_because_it_is_not_a_variable: diag(2539, 1, "Cannot_assign_to_0_because_it_is_not_a_variable_2539", "Cannot assign to '{0}' because it is not a variable."),
        Cannot_assign_to_0_because_it_is_a_read_only_property: diag(2540, 1, "Cannot_assign_to_0_because_it_is_a_read_only_property_2540", "Cannot assign to '{0}' because it is a read-only property."),
        Index_signature_in_type_0_only_permits_reading: diag(2542, 1, "Index_signature_in_type_0_only_permits_reading_2542", "Index signature in type '{0}' only permits reading."),
        Duplicate_identifier_newTarget_Compiler_uses_variable_declaration_newTarget_to_capture_new_target_meta_property_reference: diag(2543, 1, "Duplicate_identifier_newTarget_Compiler_uses_variable_declaration_newTarget_to_capture_new_target_me_2543", "Duplicate identifier '_newTarget'. Compiler uses variable declaration '_newTarget' to capture 'new.target' meta-property reference."),
        Expression_resolves_to_variable_declaration_newTarget_that_compiler_uses_to_capture_new_target_meta_property_reference: diag(2544, 1, "Expression_resolves_to_variable_declaration_newTarget_that_compiler_uses_to_capture_new_target_meta__2544", "Expression resolves to variable declaration '_newTarget' that compiler uses to capture 'new.target' meta-property reference."),
        A_mixin_class_must_have_a_constructor_with_a_single_rest_parameter_of_type_any: diag(2545, 1, "A_mixin_class_must_have_a_constructor_with_a_single_rest_parameter_of_type_any_2545", "A mixin class must have a constructor with a single rest parameter of type 'any[]'."),
        The_type_returned_by_the_0_method_of_an_async_iterator_must_be_a_promise_for_a_type_with_a_value_property: diag(2547, 1, "The_type_returned_by_the_0_method_of_an_async_iterator_must_be_a_promise_for_a_type_with_a_value_pro_2547", "The type returned by the '{0}()' method of an async iterator must be a promise for a type with a 'value' property."),
        Type_0_is_not_an_array_type_or_does_not_have_a_Symbol_iterator_method_that_returns_an_iterator: diag(2548, 1, "Type_0_is_not_an_array_type_or_does_not_have_a_Symbol_iterator_method_that_returns_an_iterator_2548", "Type '{0}' is not an array type or does not have a '[Symbol.iterator]()' method that returns an iterator."),
        Type_0_is_not_an_array_type_or_a_string_type_or_does_not_have_a_Symbol_iterator_method_that_returns_an_iterator: diag(2549, 1, "Type_0_is_not_an_array_type_or_a_string_type_or_does_not_have_a_Symbol_iterator_method_that_returns__2549", "Type '{0}' is not an array type or a string type or does not have a '[Symbol.iterator]()' method that returns an iterator."),
        Property_0_does_not_exist_on_type_1_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_2_or_later: diag(2550, 1, "Property_0_does_not_exist_on_type_1_Do_you_need_to_change_your_target_library_Try_changing_the_lib_c_2550", "Property '{0}' does not exist on type '{1}'. Do you need to change your target library? Try changing the 'lib' compiler option to '{2}' or later."),
        Property_0_does_not_exist_on_type_1_Did_you_mean_2: diag(2551, 1, "Property_0_does_not_exist_on_type_1_Did_you_mean_2_2551", "Property '{0}' does not exist on type '{1}'. Did you mean '{2}'?"),
        Cannot_find_name_0_Did_you_mean_1: diag(2552, 1, "Cannot_find_name_0_Did_you_mean_1_2552", "Cannot find name '{0}'. Did you mean '{1}'?"),
        Computed_values_are_not_permitted_in_an_enum_with_string_valued_members: diag(2553, 1, "Computed_values_are_not_permitted_in_an_enum_with_string_valued_members_2553", "Computed values are not permitted in an enum with string valued members."),
        Expected_0_arguments_but_got_1: diag(2554, 1, "Expected_0_arguments_but_got_1_2554", "Expected {0} arguments, but got {1}."),
        Expected_at_least_0_arguments_but_got_1: diag(2555, 1, "Expected_at_least_0_arguments_but_got_1_2555", "Expected at least {0} arguments, but got {1}."),
        A_spread_argument_must_either_have_a_tuple_type_or_be_passed_to_a_rest_parameter: diag(2556, 1, "A_spread_argument_must_either_have_a_tuple_type_or_be_passed_to_a_rest_parameter_2556", "A spread argument must either have a tuple type or be passed to a rest parameter."),
        Expected_0_type_arguments_but_got_1: diag(2558, 1, "Expected_0_type_arguments_but_got_1_2558", "Expected {0} type arguments, but got {1}."),
        Type_0_has_no_properties_in_common_with_type_1: diag(2559, 1, "Type_0_has_no_properties_in_common_with_type_1_2559", "Type '{0}' has no properties in common with type '{1}'."),
        Value_of_type_0_has_no_properties_in_common_with_type_1_Did_you_mean_to_call_it: diag(2560, 1, "Value_of_type_0_has_no_properties_in_common_with_type_1_Did_you_mean_to_call_it_2560", "Value of type '{0}' has no properties in common with type '{1}'. Did you mean to call it?"),
        Object_literal_may_only_specify_known_properties_but_0_does_not_exist_in_type_1_Did_you_mean_to_write_2: diag(2561, 1, "Object_literal_may_only_specify_known_properties_but_0_does_not_exist_in_type_1_Did_you_mean_to_writ_2561", "Object literal may only specify known properties, but '{0}' does not exist in type '{1}'. Did you mean to write '{2}'?"),
        Base_class_expressions_cannot_reference_class_type_parameters: diag(2562, 1, "Base_class_expressions_cannot_reference_class_type_parameters_2562", "Base class expressions cannot reference class type parameters."),
        The_containing_function_or_module_body_is_too_large_for_control_flow_analysis: diag(2563, 1, "The_containing_function_or_module_body_is_too_large_for_control_flow_analysis_2563", "The containing function or module body is too large for control flow analysis."),
        Property_0_has_no_initializer_and_is_not_definitely_assigned_in_the_constructor: diag(2564, 1, "Property_0_has_no_initializer_and_is_not_definitely_assigned_in_the_constructor_2564", "Property '{0}' has no initializer and is not definitely assigned in the constructor."),
        Property_0_is_used_before_being_assigned: diag(2565, 1, "Property_0_is_used_before_being_assigned_2565", "Property '{0}' is used before being assigned."),
        A_rest_element_cannot_have_a_property_name: diag(2566, 1, "A_rest_element_cannot_have_a_property_name_2566", "A rest element cannot have a property name."),
        Enum_declarations_can_only_merge_with_namespace_or_other_enum_declarations: diag(2567, 1, "Enum_declarations_can_only_merge_with_namespace_or_other_enum_declarations_2567", "Enum declarations can only merge with namespace or other enum declarations."),
        Property_0_may_not_exist_on_type_1_Did_you_mean_2: diag(2568, 1, "Property_0_may_not_exist_on_type_1_Did_you_mean_2_2568", "Property '{0}' may not exist on type '{1}'. Did you mean '{2}'?"),
        Could_not_find_name_0_Did_you_mean_1: diag(2570, 1, "Could_not_find_name_0_Did_you_mean_1_2570", "Could not find name '{0}'. Did you mean '{1}'?"),
        Object_is_of_type_unknown: diag(2571, 1, "Object_is_of_type_unknown_2571", "Object is of type 'unknown'."),
        A_rest_element_type_must_be_an_array_type: diag(2574, 1, "A_rest_element_type_must_be_an_array_type_2574", "A rest element type must be an array type."),
        No_overload_expects_0_arguments_but_overloads_do_exist_that_expect_either_1_or_2_arguments: diag(2575, 1, "No_overload_expects_0_arguments_but_overloads_do_exist_that_expect_either_1_or_2_arguments_2575", "No overload expects {0} arguments, but overloads do exist that expect either {1} or {2} arguments."),
        Property_0_does_not_exist_on_type_1_Did_you_mean_to_access_the_static_member_2_instead: diag(2576, 1, "Property_0_does_not_exist_on_type_1_Did_you_mean_to_access_the_static_member_2_instead_2576", "Property '{0}' does not exist on type '{1}'. Did you mean to access the static member '{2}' instead?"),
        Return_type_annotation_circularly_references_itself: diag(2577, 1, "Return_type_annotation_circularly_references_itself_2577", "Return type annotation circularly references itself."),
        Unused_ts_expect_error_directive: diag(2578, 1, "Unused_ts_expect_error_directive_2578", "Unused '@ts-expect-error' directive."),
        Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_node_Try_npm_i_save_dev_types_Slashnode: diag(2580, 1, "Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_node_Try_npm_i_save_dev_types_Slashno_2580", "Cannot find name '{0}'. Do you need to install type definitions for node? Try `npm i --save-dev @types/node`."),
        Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_jQuery_Try_npm_i_save_dev_types_Slashjquery: diag(2581, 1, "Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_jQuery_Try_npm_i_save_dev_types_Slash_2581", "Cannot find name '{0}'. Do you need to install type definitions for jQuery? Try `npm i --save-dev @types/jquery`."),
        Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_a_test_runner_Try_npm_i_save_dev_types_Slashjest_or_npm_i_save_dev_types_Slashmocha: diag(2582, 1, "Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_a_test_runner_Try_npm_i_save_dev_type_2582", "Cannot find name '{0}'. Do you need to install type definitions for a test runner? Try `npm i --save-dev @types/jest` or `npm i --save-dev @types/mocha`."),
        Cannot_find_name_0_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_1_or_later: diag(2583, 1, "Cannot_find_name_0_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_2583", "Cannot find name '{0}'. Do you need to change your target library? Try changing the 'lib' compiler option to '{1}' or later."),
        Cannot_find_name_0_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_include_dom: diag(2584, 1, "Cannot_find_name_0_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_2584", "Cannot find name '{0}'. Do you need to change your target library? Try changing the 'lib' compiler option to include 'dom'."),
        _0_only_refers_to_a_type_but_is_being_used_as_a_value_here_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_es2015_or_later: diag(2585, 1, "_0_only_refers_to_a_type_but_is_being_used_as_a_value_here_Do_you_need_to_change_your_target_library_2585", "'{0}' only refers to a type, but is being used as a value here. Do you need to change your target library? Try changing the 'lib' compiler option to es2015 or later."),
        Cannot_assign_to_0_because_it_is_a_constant: diag(2588, 1, "Cannot_assign_to_0_because_it_is_a_constant_2588", "Cannot assign to '{0}' because it is a constant."),
        Type_instantiation_is_excessively_deep_and_possibly_infinite: diag(2589, 1, "Type_instantiation_is_excessively_deep_and_possibly_infinite_2589", "Type instantiation is excessively deep and possibly infinite."),
        Expression_produces_a_union_type_that_is_too_complex_to_represent: diag(2590, 1, "Expression_produces_a_union_type_that_is_too_complex_to_represent_2590", "Expression produces a union type that is too complex to represent."),
        Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_node_Try_npm_i_save_dev_types_Slashnode_and_then_add_node_to_the_types_field_in_your_tsconfig: diag(2591, 1, "Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_node_Try_npm_i_save_dev_types_Slashno_2591", "Cannot find name '{0}'. Do you need to install type definitions for node? Try `npm i --save-dev @types/node` and then add 'node' to the types field in your tsconfig."),
        Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_jQuery_Try_npm_i_save_dev_types_Slashjquery_and_then_add_jquery_to_the_types_field_in_your_tsconfig: diag(2592, 1, "Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_jQuery_Try_npm_i_save_dev_types_Slash_2592", "Cannot find name '{0}'. Do you need to install type definitions for jQuery? Try `npm i --save-dev @types/jquery` and then add 'jquery' to the types field in your tsconfig."),
        Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_a_test_runner_Try_npm_i_save_dev_types_Slashjest_or_npm_i_save_dev_types_Slashmocha_and_then_add_jest_or_mocha_to_the_types_field_in_your_tsconfig: diag(2593, 1, "Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_a_test_runner_Try_npm_i_save_dev_type_2593", "Cannot find name '{0}'. Do you need to install type definitions for a test runner? Try `npm i --save-dev @types/jest` or `npm i --save-dev @types/mocha` and then add 'jest' or 'mocha' to the types field in your tsconfig."),
        This_module_is_declared_with_export_and_can_only_be_used_with_a_default_import_when_using_the_0_flag: diag(2594, 1, "This_module_is_declared_with_export_and_can_only_be_used_with_a_default_import_when_using_the_0_flag_2594", "This module is declared with 'export =', and can only be used with a default import when using the '{0}' flag."),
        _0_can_only_be_imported_by_using_a_default_import: diag(2595, 1, "_0_can_only_be_imported_by_using_a_default_import_2595", "'{0}' can only be imported by using a default import."),
        _0_can_only_be_imported_by_turning_on_the_esModuleInterop_flag_and_using_a_default_import: diag(2596, 1, "_0_can_only_be_imported_by_turning_on_the_esModuleInterop_flag_and_using_a_default_import_2596", "'{0}' can only be imported by turning on the 'esModuleInterop' flag and using a default import."),
        _0_can_only_be_imported_by_using_a_require_call_or_by_using_a_default_import: diag(2597, 1, "_0_can_only_be_imported_by_using_a_require_call_or_by_using_a_default_import_2597", "'{0}' can only be imported by using a 'require' call or by using a default import."),
        _0_can_only_be_imported_by_using_a_require_call_or_by_turning_on_the_esModuleInterop_flag_and_using_a_default_import: diag(2598, 1, "_0_can_only_be_imported_by_using_a_require_call_or_by_turning_on_the_esModuleInterop_flag_and_using__2598", "'{0}' can only be imported by using a 'require' call or by turning on the 'esModuleInterop' flag and using a default import."),
        JSX_element_implicitly_has_type_any_because_the_global_type_JSX_Element_does_not_exist: diag(2602, 1, "JSX_element_implicitly_has_type_any_because_the_global_type_JSX_Element_does_not_exist_2602", "JSX element implicitly has type 'any' because the global type 'JSX.Element' does not exist."),
        Property_0_in_type_1_is_not_assignable_to_type_2: diag(2603, 1, "Property_0_in_type_1_is_not_assignable_to_type_2_2603", "Property '{0}' in type '{1}' is not assignable to type '{2}'."),
        JSX_element_type_0_does_not_have_any_construct_or_call_signatures: diag(2604, 1, "JSX_element_type_0_does_not_have_any_construct_or_call_signatures_2604", "JSX element type '{0}' does not have any construct or call signatures."),
        Property_0_of_JSX_spread_attribute_is_not_assignable_to_target_property: diag(2606, 1, "Property_0_of_JSX_spread_attribute_is_not_assignable_to_target_property_2606", "Property '{0}' of JSX spread attribute is not assignable to target property."),
        JSX_element_class_does_not_support_attributes_because_it_does_not_have_a_0_property: diag(2607, 1, "JSX_element_class_does_not_support_attributes_because_it_does_not_have_a_0_property_2607", "JSX element class does not support attributes because it does not have a '{0}' property."),
        The_global_type_JSX_0_may_not_have_more_than_one_property: diag(2608, 1, "The_global_type_JSX_0_may_not_have_more_than_one_property_2608", "The global type 'JSX.{0}' may not have more than one property."),
        JSX_spread_child_must_be_an_array_type: diag(2609, 1, "JSX_spread_child_must_be_an_array_type_2609", "JSX spread child must be an array type."),
        _0_is_defined_as_an_accessor_in_class_1_but_is_overridden_here_in_2_as_an_instance_property: diag(2610, 1, "_0_is_defined_as_an_accessor_in_class_1_but_is_overridden_here_in_2_as_an_instance_property_2610", "'{0}' is defined as an accessor in class '{1}', but is overridden here in '{2}' as an instance property."),
        _0_is_defined_as_a_property_in_class_1_but_is_overridden_here_in_2_as_an_accessor: diag(2611, 1, "_0_is_defined_as_a_property_in_class_1_but_is_overridden_here_in_2_as_an_accessor_2611", "'{0}' is defined as a property in class '{1}', but is overridden here in '{2}' as an accessor."),
        Property_0_will_overwrite_the_base_property_in_1_If_this_is_intentional_add_an_initializer_Otherwise_add_a_declare_modifier_or_remove_the_redundant_declaration: diag(2612, 1, "Property_0_will_overwrite_the_base_property_in_1_If_this_is_intentional_add_an_initializer_Otherwise_2612", "Property '{0}' will overwrite the base property in '{1}'. If this is intentional, add an initializer. Otherwise, add a 'declare' modifier or remove the redundant declaration."),
        Module_0_has_no_default_export_Did_you_mean_to_use_import_1_from_0_instead: diag(2613, 1, "Module_0_has_no_default_export_Did_you_mean_to_use_import_1_from_0_instead_2613", "Module '{0}' has no default export. Did you mean to use 'import { {1} } from {0}' instead?"),
        Module_0_has_no_exported_member_1_Did_you_mean_to_use_import_1_from_0_instead: diag(2614, 1, "Module_0_has_no_exported_member_1_Did_you_mean_to_use_import_1_from_0_instead_2614", "Module '{0}' has no exported member '{1}'. Did you mean to use 'import {1} from {0}' instead?"),
        Type_of_property_0_circularly_references_itself_in_mapped_type_1: diag(2615, 1, "Type_of_property_0_circularly_references_itself_in_mapped_type_1_2615", "Type of property '{0}' circularly references itself in mapped type '{1}'."),
        _0_can_only_be_imported_by_using_import_1_require_2_or_a_default_import: diag(2616, 1, "_0_can_only_be_imported_by_using_import_1_require_2_or_a_default_import_2616", "'{0}' can only be imported by using 'import {1} = require({2})' or a default import."),
        _0_can_only_be_imported_by_using_import_1_require_2_or_by_turning_on_the_esModuleInterop_flag_and_using_a_default_import: diag(2617, 1, "_0_can_only_be_imported_by_using_import_1_require_2_or_by_turning_on_the_esModuleInterop_flag_and_us_2617", "'{0}' can only be imported by using 'import {1} = require({2})' or by turning on the 'esModuleInterop' flag and using a default import."),
        Source_has_0_element_s_but_target_requires_1: diag(2618, 1, "Source_has_0_element_s_but_target_requires_1_2618", "Source has {0} element(s) but target requires {1}."),
        Source_has_0_element_s_but_target_allows_only_1: diag(2619, 1, "Source_has_0_element_s_but_target_allows_only_1_2619", "Source has {0} element(s) but target allows only {1}."),
        Target_requires_0_element_s_but_source_may_have_fewer: diag(2620, 1, "Target_requires_0_element_s_but_source_may_have_fewer_2620", "Target requires {0} element(s) but source may have fewer."),
        Target_allows_only_0_element_s_but_source_may_have_more: diag(2621, 1, "Target_allows_only_0_element_s_but_source_may_have_more_2621", "Target allows only {0} element(s) but source may have more."),
        Source_provides_no_match_for_required_element_at_position_0_in_target: diag(2623, 1, "Source_provides_no_match_for_required_element_at_position_0_in_target_2623", "Source provides no match for required element at position {0} in target."),
        Source_provides_no_match_for_variadic_element_at_position_0_in_target: diag(2624, 1, "Source_provides_no_match_for_variadic_element_at_position_0_in_target_2624", "Source provides no match for variadic element at position {0} in target."),
        Variadic_element_at_position_0_in_source_does_not_match_element_at_position_1_in_target: diag(2625, 1, "Variadic_element_at_position_0_in_source_does_not_match_element_at_position_1_in_target_2625", "Variadic element at position {0} in source does not match element at position {1} in target."),
        Type_at_position_0_in_source_is_not_compatible_with_type_at_position_1_in_target: diag(2626, 1, "Type_at_position_0_in_source_is_not_compatible_with_type_at_position_1_in_target_2626", "Type at position {0} in source is not compatible with type at position {1} in target."),
        Type_at_positions_0_through_1_in_source_is_not_compatible_with_type_at_position_2_in_target: diag(2627, 1, "Type_at_positions_0_through_1_in_source_is_not_compatible_with_type_at_position_2_in_target_2627", "Type at positions {0} through {1} in source is not compatible with type at position {2} in target."),
        Cannot_assign_to_0_because_it_is_an_enum: diag(2628, 1, "Cannot_assign_to_0_because_it_is_an_enum_2628", "Cannot assign to '{0}' because it is an enum."),
        Cannot_assign_to_0_because_it_is_a_class: diag(2629, 1, "Cannot_assign_to_0_because_it_is_a_class_2629", "Cannot assign to '{0}' because it is a class."),
        Cannot_assign_to_0_because_it_is_a_function: diag(2630, 1, "Cannot_assign_to_0_because_it_is_a_function_2630", "Cannot assign to '{0}' because it is a function."),
        Cannot_assign_to_0_because_it_is_a_namespace: diag(2631, 1, "Cannot_assign_to_0_because_it_is_a_namespace_2631", "Cannot assign to '{0}' because it is a namespace."),
        Cannot_assign_to_0_because_it_is_an_import: diag(2632, 1, "Cannot_assign_to_0_because_it_is_an_import_2632", "Cannot assign to '{0}' because it is an import."),
        JSX_property_access_expressions_cannot_include_JSX_namespace_names: diag(2633, 1, "JSX_property_access_expressions_cannot_include_JSX_namespace_names_2633", "JSX property access expressions cannot include JSX namespace names"),
        _0_index_signatures_are_incompatible: diag(2634, 1, "_0_index_signatures_are_incompatible_2634", "'{0}' index signatures are incompatible."),
        Type_0_has_no_signatures_for_which_the_type_argument_list_is_applicable: diag(2635, 1, "Type_0_has_no_signatures_for_which_the_type_argument_list_is_applicable_2635", "Type '{0}' has no signatures for which the type argument list is applicable."),
        Type_0_is_not_assignable_to_type_1_as_implied_by_variance_annotation: diag(2636, 1, "Type_0_is_not_assignable_to_type_1_as_implied_by_variance_annotation_2636", "Type '{0}' is not assignable to type '{1}' as implied by variance annotation."),
        Variance_annotations_are_only_supported_in_type_aliases_for_object_function_constructor_and_mapped_types: diag(2637, 1, "Variance_annotations_are_only_supported_in_type_aliases_for_object_function_constructor_and_mapped_t_2637", "Variance annotations are only supported in type aliases for object, function, constructor, and mapped types."),
        Type_0_may_represent_a_primitive_value_which_is_not_permitted_as_the_right_operand_of_the_in_operator: diag(2638, 1, "Type_0_may_represent_a_primitive_value_which_is_not_permitted_as_the_right_operand_of_the_in_operato_2638", "Type '{0}' may represent a primitive value, which is not permitted as the right operand of the 'in' operator."),
        React_components_cannot_include_JSX_namespace_names: diag(2639, 1, "React_components_cannot_include_JSX_namespace_names_2639", "React components cannot include JSX namespace names"),
        Cannot_augment_module_0_with_value_exports_because_it_resolves_to_a_non_module_entity: diag(2649, 1, "Cannot_augment_module_0_with_value_exports_because_it_resolves_to_a_non_module_entity_2649", "Cannot augment module '{0}' with value exports because it resolves to a non-module entity."),
        Non_abstract_class_expression_is_missing_implementations_for_the_following_members_of_0_Colon_1_and_2_more: diag(2650, 1, "Non_abstract_class_expression_is_missing_implementations_for_the_following_members_of_0_Colon_1_and__2650", "Non-abstract class expression is missing implementations for the following members of '{0}': {1} and {2} more."),
        A_member_initializer_in_a_enum_declaration_cannot_reference_members_declared_after_it_including_members_defined_in_other_enums: diag(2651, 1, "A_member_initializer_in_a_enum_declaration_cannot_reference_members_declared_after_it_including_memb_2651", "A member initializer in a enum declaration cannot reference members declared after it, including members defined in other enums."),
        Merged_declaration_0_cannot_include_a_default_export_declaration_Consider_adding_a_separate_export_default_0_declaration_instead: diag(2652, 1, "Merged_declaration_0_cannot_include_a_default_export_declaration_Consider_adding_a_separate_export_d_2652", "Merged declaration '{0}' cannot include a default export declaration. Consider adding a separate 'export default {0}' declaration instead."),
        Non_abstract_class_expression_does_not_implement_inherited_abstract_member_0_from_class_1: diag(2653, 1, "Non_abstract_class_expression_does_not_implement_inherited_abstract_member_0_from_class_1_2653", "Non-abstract class expression does not implement inherited abstract member '{0}' from class '{1}'."),
        Non_abstract_class_0_is_missing_implementations_for_the_following_members_of_1_Colon_2: diag(2654, 1, "Non_abstract_class_0_is_missing_implementations_for_the_following_members_of_1_Colon_2_2654", "Non-abstract class '{0}' is missing implementations for the following members of '{1}': {2}."),
        Non_abstract_class_0_is_missing_implementations_for_the_following_members_of_1_Colon_2_and_3_more: diag(2655, 1, "Non_abstract_class_0_is_missing_implementations_for_the_following_members_of_1_Colon_2_and_3_more_2655", "Non-abstract class '{0}' is missing implementations for the following members of '{1}': {2} and {3} more."),
        Non_abstract_class_expression_is_missing_implementations_for_the_following_members_of_0_Colon_1: diag(2656, 1, "Non_abstract_class_expression_is_missing_implementations_for_the_following_members_of_0_Colon_1_2656", "Non-abstract class expression is missing implementations for the following members of '{0}': {1}."),
        JSX_expressions_must_have_one_parent_element: diag(2657, 1, "JSX_expressions_must_have_one_parent_element_2657", "JSX expressions must have one parent element."),
        Type_0_provides_no_match_for_the_signature_1: diag(2658, 1, "Type_0_provides_no_match_for_the_signature_1_2658", "Type '{0}' provides no match for the signature '{1}'."),
        super_is_only_allowed_in_members_of_object_literal_expressions_when_option_target_is_ES2015_or_higher: diag(2659, 1, "super_is_only_allowed_in_members_of_object_literal_expressions_when_option_target_is_ES2015_or_highe_2659", "'super' is only allowed in members of object literal expressions when option 'target' is 'ES2015' or higher."),
        super_can_only_be_referenced_in_members_of_derived_classes_or_object_literal_expressions: diag(2660, 1, "super_can_only_be_referenced_in_members_of_derived_classes_or_object_literal_expressions_2660", "'super' can only be referenced in members of derived classes or object literal expressions."),
        Cannot_export_0_Only_local_declarations_can_be_exported_from_a_module: diag(2661, 1, "Cannot_export_0_Only_local_declarations_can_be_exported_from_a_module_2661", "Cannot export '{0}'. Only local declarations can be exported from a module."),
        Cannot_find_name_0_Did_you_mean_the_static_member_1_0: diag(2662, 1, "Cannot_find_name_0_Did_you_mean_the_static_member_1_0_2662", "Cannot find name '{0}'. Did you mean the static member '{1}.{0}'?"),
        Cannot_find_name_0_Did_you_mean_the_instance_member_this_0: diag(2663, 1, "Cannot_find_name_0_Did_you_mean_the_instance_member_this_0_2663", "Cannot find name '{0}'. Did you mean the instance member 'this.{0}'?"),
        Invalid_module_name_in_augmentation_module_0_cannot_be_found: diag(2664, 1, "Invalid_module_name_in_augmentation_module_0_cannot_be_found_2664", "Invalid module name in augmentation, module '{0}' cannot be found."),
        Invalid_module_name_in_augmentation_Module_0_resolves_to_an_untyped_module_at_1_which_cannot_be_augmented: diag(2665, 1, "Invalid_module_name_in_augmentation_Module_0_resolves_to_an_untyped_module_at_1_which_cannot_be_augm_2665", "Invalid module name in augmentation. Module '{0}' resolves to an untyped module at '{1}', which cannot be augmented."),
        Exports_and_export_assignments_are_not_permitted_in_module_augmentations: diag(2666, 1, "Exports_and_export_assignments_are_not_permitted_in_module_augmentations_2666", "Exports and export assignments are not permitted in module augmentations."),
        Imports_are_not_permitted_in_module_augmentations_Consider_moving_them_to_the_enclosing_external_module: diag(2667, 1, "Imports_are_not_permitted_in_module_augmentations_Consider_moving_them_to_the_enclosing_external_mod_2667", "Imports are not permitted in module augmentations. Consider moving them to the enclosing external module."),
        export_modifier_cannot_be_applied_to_ambient_modules_and_module_augmentations_since_they_are_always_visible: diag(2668, 1, "export_modifier_cannot_be_applied_to_ambient_modules_and_module_augmentations_since_they_are_always__2668", "'export' modifier cannot be applied to ambient modules and module augmentations since they are always visible."),
        Augmentations_for_the_global_scope_can_only_be_directly_nested_in_external_modules_or_ambient_module_declarations: diag(2669, 1, "Augmentations_for_the_global_scope_can_only_be_directly_nested_in_external_modules_or_ambient_module_2669", "Augmentations for the global scope can only be directly nested in external modules or ambient module declarations."),
        Augmentations_for_the_global_scope_should_have_declare_modifier_unless_they_appear_in_already_ambient_context: diag(2670, 1, "Augmentations_for_the_global_scope_should_have_declare_modifier_unless_they_appear_in_already_ambien_2670", "Augmentations for the global scope should have 'declare' modifier unless they appear in already ambient context."),
        Cannot_augment_module_0_because_it_resolves_to_a_non_module_entity: diag(2671, 1, "Cannot_augment_module_0_because_it_resolves_to_a_non_module_entity_2671", "Cannot augment module '{0}' because it resolves to a non-module entity."),
        Cannot_assign_a_0_constructor_type_to_a_1_constructor_type: diag(2672, 1, "Cannot_assign_a_0_constructor_type_to_a_1_constructor_type_2672", "Cannot assign a '{0}' constructor type to a '{1}' constructor type."),
        Constructor_of_class_0_is_private_and_only_accessible_within_the_class_declaration: diag(2673, 1, "Constructor_of_class_0_is_private_and_only_accessible_within_the_class_declaration_2673", "Constructor of class '{0}' is private and only accessible within the class declaration."),
        Constructor_of_class_0_is_protected_and_only_accessible_within_the_class_declaration: diag(2674, 1, "Constructor_of_class_0_is_protected_and_only_accessible_within_the_class_declaration_2674", "Constructor of class '{0}' is protected and only accessible within the class declaration."),
        Cannot_extend_a_class_0_Class_constructor_is_marked_as_private: diag(2675, 1, "Cannot_extend_a_class_0_Class_constructor_is_marked_as_private_2675", "Cannot extend a class '{0}'. Class constructor is marked as private."),
        Accessors_must_both_be_abstract_or_non_abstract: diag(2676, 1, "Accessors_must_both_be_abstract_or_non_abstract_2676", "Accessors must both be abstract or non-abstract."),
        A_type_predicate_s_type_must_be_assignable_to_its_parameter_s_type: diag(2677, 1, "A_type_predicate_s_type_must_be_assignable_to_its_parameter_s_type_2677", "A type predicate's type must be assignable to its parameter's type."),
        Type_0_is_not_comparable_to_type_1: diag(2678, 1, "Type_0_is_not_comparable_to_type_1_2678", "Type '{0}' is not comparable to type '{1}'."),
        A_function_that_is_called_with_the_new_keyword_cannot_have_a_this_type_that_is_void: diag(2679, 1, "A_function_that_is_called_with_the_new_keyword_cannot_have_a_this_type_that_is_void_2679", "A function that is called with the 'new' keyword cannot have a 'this' type that is 'void'."),
        A_0_parameter_must_be_the_first_parameter: diag(2680, 1, "A_0_parameter_must_be_the_first_parameter_2680", "A '{0}' parameter must be the first parameter."),
        A_constructor_cannot_have_a_this_parameter: diag(2681, 1, "A_constructor_cannot_have_a_this_parameter_2681", "A constructor cannot have a 'this' parameter."),
        this_implicitly_has_type_any_because_it_does_not_have_a_type_annotation: diag(2683, 1, "this_implicitly_has_type_any_because_it_does_not_have_a_type_annotation_2683", "'this' implicitly has type 'any' because it does not have a type annotation."),
        The_this_context_of_type_0_is_not_assignable_to_method_s_this_of_type_1: diag(2684, 1, "The_this_context_of_type_0_is_not_assignable_to_method_s_this_of_type_1_2684", "The 'this' context of type '{0}' is not assignable to method's 'this' of type '{1}'."),
        The_this_types_of_each_signature_are_incompatible: diag(2685, 1, "The_this_types_of_each_signature_are_incompatible_2685", "The 'this' types of each signature are incompatible."),
        _0_refers_to_a_UMD_global_but_the_current_file_is_a_module_Consider_adding_an_import_instead: diag(2686, 1, "_0_refers_to_a_UMD_global_but_the_current_file_is_a_module_Consider_adding_an_import_instead_2686", "'{0}' refers to a UMD global, but the current file is a module. Consider adding an import instead."),
        All_declarations_of_0_must_have_identical_modifiers: diag(2687, 1, "All_declarations_of_0_must_have_identical_modifiers_2687", "All declarations of '{0}' must have identical modifiers."),
        Cannot_find_type_definition_file_for_0: diag(2688, 1, "Cannot_find_type_definition_file_for_0_2688", "Cannot find type definition file for '{0}'."),
        Cannot_extend_an_interface_0_Did_you_mean_implements: diag(2689, 1, "Cannot_extend_an_interface_0_Did_you_mean_implements_2689", "Cannot extend an interface '{0}'. Did you mean 'implements'?"),
        _0_only_refers_to_a_type_but_is_being_used_as_a_value_here_Did_you_mean_to_use_1_in_0: diag(2690, 1, "_0_only_refers_to_a_type_but_is_being_used_as_a_value_here_Did_you_mean_to_use_1_in_0_2690", "'{0}' only refers to a type, but is being used as a value here. Did you mean to use '{1} in {0}'?"),
        _0_is_a_primitive_but_1_is_a_wrapper_object_Prefer_using_0_when_possible: diag(2692, 1, "_0_is_a_primitive_but_1_is_a_wrapper_object_Prefer_using_0_when_possible_2692", "'{0}' is a primitive, but '{1}' is a wrapper object. Prefer using '{0}' when possible."),
        _0_only_refers_to_a_type_but_is_being_used_as_a_value_here: diag(2693, 1, "_0_only_refers_to_a_type_but_is_being_used_as_a_value_here_2693", "'{0}' only refers to a type, but is being used as a value here."),
        Namespace_0_has_no_exported_member_1: diag(2694, 1, "Namespace_0_has_no_exported_member_1_2694", "Namespace '{0}' has no exported member '{1}'."),
        Left_side_of_comma_operator_is_unused_and_has_no_side_effects: diag(
          2695,
          1,
          "Left_side_of_comma_operator_is_unused_and_has_no_side_effects_2695",
          "Left side of comma operator is unused and has no side effects.",
          /*reportsUnnecessary*/
          true
        ),
        The_Object_type_is_assignable_to_very_few_other_types_Did_you_mean_to_use_the_any_type_instead: diag(2696, 1, "The_Object_type_is_assignable_to_very_few_other_types_Did_you_mean_to_use_the_any_type_instead_2696", "The 'Object' type is assignable to very few other types. Did you mean to use the 'any' type instead?"),
        An_async_function_or_method_must_return_a_Promise_Make_sure_you_have_a_declaration_for_Promise_or_include_ES2015_in_your_lib_option: diag(2697, 1, "An_async_function_or_method_must_return_a_Promise_Make_sure_you_have_a_declaration_for_Promise_or_in_2697", "An async function or method must return a 'Promise'. Make sure you have a declaration for 'Promise' or include 'ES2015' in your '--lib' option."),
        Spread_types_may_only_be_created_from_object_types: diag(2698, 1, "Spread_types_may_only_be_created_from_object_types_2698", "Spread types may only be created from object types."),
        Static_property_0_conflicts_with_built_in_property_Function_0_of_constructor_function_1: diag(2699, 1, "Static_property_0_conflicts_with_built_in_property_Function_0_of_constructor_function_1_2699", "Static property '{0}' conflicts with built-in property 'Function.{0}' of constructor function '{1}'."),
        Rest_types_may_only_be_created_from_object_types: diag(2700, 1, "Rest_types_may_only_be_created_from_object_types_2700", "Rest types may only be created from object types."),
        The_target_of_an_object_rest_assignment_must_be_a_variable_or_a_property_access: diag(2701, 1, "The_target_of_an_object_rest_assignment_must_be_a_variable_or_a_property_access_2701", "The target of an object rest assignment must be a variable or a property access."),
        _0_only_refers_to_a_type_but_is_being_used_as_a_namespace_here: diag(2702, 1, "_0_only_refers_to_a_type_but_is_being_used_as_a_namespace_here_2702", "'{0}' only refers to a type, but is being used as a namespace here."),
        The_operand_of_a_delete_operator_must_be_a_property_reference: diag(2703, 1, "The_operand_of_a_delete_operator_must_be_a_property_reference_2703", "The operand of a 'delete' operator must be a property reference."),
        The_operand_of_a_delete_operator_cannot_be_a_read_only_property: diag(2704, 1, "The_operand_of_a_delete_operator_cannot_be_a_read_only_property_2704", "The operand of a 'delete' operator cannot be a read-only property."),
        An_async_function_or_method_in_ES5_requires_the_Promise_constructor_Make_sure_you_have_a_declaration_for_the_Promise_constructor_or_include_ES2015_in_your_lib_option: diag(2705, 1, "An_async_function_or_method_in_ES5_requires_the_Promise_constructor_Make_sure_you_have_a_declaration_2705", "An async function or method in ES5 requires the 'Promise' constructor.  Make sure you have a declaration for the 'Promise' constructor or include 'ES2015' in your '--lib' option."),
        Required_type_parameters_may_not_follow_optional_type_parameters: diag(2706, 1, "Required_type_parameters_may_not_follow_optional_type_parameters_2706", "Required type parameters may not follow optional type parameters."),
        Generic_type_0_requires_between_1_and_2_type_arguments: diag(2707, 1, "Generic_type_0_requires_between_1_and_2_type_arguments_2707", "Generic type '{0}' requires between {1} and {2} type arguments."),
        Cannot_use_namespace_0_as_a_value: diag(2708, 1, "Cannot_use_namespace_0_as_a_value_2708", "Cannot use namespace '{0}' as a value."),
        Cannot_use_namespace_0_as_a_type: diag(2709, 1, "Cannot_use_namespace_0_as_a_type_2709", "Cannot use namespace '{0}' as a type."),
        _0_are_specified_twice_The_attribute_named_0_will_be_overwritten: diag(2710, 1, "_0_are_specified_twice_The_attribute_named_0_will_be_overwritten_2710", "'{0}' are specified twice. The attribute named '{0}' will be overwritten."),
        A_dynamic_import_call_returns_a_Promise_Make_sure_you_have_a_declaration_for_Promise_or_include_ES2015_in_your_lib_option: diag(2711, 1, "A_dynamic_import_call_returns_a_Promise_Make_sure_you_have_a_declaration_for_Promise_or_include_ES20_2711", "A dynamic import call returns a 'Promise'. Make sure you have a declaration for 'Promise' or include 'ES2015' in your '--lib' option."),
        A_dynamic_import_call_in_ES5_requires_the_Promise_constructor_Make_sure_you_have_a_declaration_for_the_Promise_constructor_or_include_ES2015_in_your_lib_option: diag(2712, 1, "A_dynamic_import_call_in_ES5_requires_the_Promise_constructor_Make_sure_you_have_a_declaration_for_t_2712", "A dynamic import call in ES5 requires the 'Promise' constructor.  Make sure you have a declaration for the 'Promise' constructor or include 'ES2015' in your '--lib' option."),
        Cannot_access_0_1_because_0_is_a_type_but_not_a_namespace_Did_you_mean_to_retrieve_the_type_of_the_property_1_in_0_with_0_1: diag(2713, 1, "Cannot_access_0_1_because_0_is_a_type_but_not_a_namespace_Did_you_mean_to_retrieve_the_type_of_the_p_2713", `Cannot access '{0}.{1}' because '{0}' is a type, but not a namespace. Did you mean to retrieve the type of the property '{1}' in '{0}' with '{0}["{1}"]'?`),
        The_expression_of_an_export_assignment_must_be_an_identifier_or_qualified_name_in_an_ambient_context: diag(2714, 1, "The_expression_of_an_export_assignment_must_be_an_identifier_or_qualified_name_in_an_ambient_context_2714", "The expression of an export assignment must be an identifier or qualified name in an ambient context."),
        Abstract_property_0_in_class_1_cannot_be_accessed_in_the_constructor: diag(2715, 1, "Abstract_property_0_in_class_1_cannot_be_accessed_in_the_constructor_2715", "Abstract property '{0}' in class '{1}' cannot be accessed in the constructor."),
        Type_parameter_0_has_a_circular_default: diag(2716, 1, "Type_parameter_0_has_a_circular_default_2716", "Type parameter '{0}' has a circular default."),
        Subsequent_property_declarations_must_have_the_same_type_Property_0_must_be_of_type_1_but_here_has_type_2: diag(2717, 1, "Subsequent_property_declarations_must_have_the_same_type_Property_0_must_be_of_type_1_but_here_has_t_2717", "Subsequent property declarations must have the same type.  Property '{0}' must be of type '{1}', but here has type '{2}'."),
        Duplicate_property_0: diag(2718, 1, "Duplicate_property_0_2718", "Duplicate property '{0}'."),
        Type_0_is_not_assignable_to_type_1_Two_different_types_with_this_name_exist_but_they_are_unrelated: diag(2719, 1, "Type_0_is_not_assignable_to_type_1_Two_different_types_with_this_name_exist_but_they_are_unrelated_2719", "Type '{0}' is not assignable to type '{1}'. Two different types with this name exist, but they are unrelated."),
        Class_0_incorrectly_implements_class_1_Did_you_mean_to_extend_1_and_inherit_its_members_as_a_subclass: diag(2720, 1, "Class_0_incorrectly_implements_class_1_Did_you_mean_to_extend_1_and_inherit_its_members_as_a_subclas_2720", "Class '{0}' incorrectly implements class '{1}'. Did you mean to extend '{1}' and inherit its members as a subclass?"),
        Cannot_invoke_an_object_which_is_possibly_null: diag(2721, 1, "Cannot_invoke_an_object_which_is_possibly_null_2721", "Cannot invoke an object which is possibly 'null'."),
        Cannot_invoke_an_object_which_is_possibly_undefined: diag(2722, 1, "Cannot_invoke_an_object_which_is_possibly_undefined_2722", "Cannot invoke an object which is possibly 'undefined'."),
        Cannot_invoke_an_object_which_is_possibly_null_or_undefined: diag(2723, 1, "Cannot_invoke_an_object_which_is_possibly_null_or_undefined_2723", "Cannot invoke an object which is possibly 'null' or 'undefined'."),
        _0_has_no_exported_member_named_1_Did_you_mean_2: diag(2724, 1, "_0_has_no_exported_member_named_1_Did_you_mean_2_2724", "'{0}' has no exported member named '{1}'. Did you mean '{2}'?"),
        Class_name_cannot_be_Object_when_targeting_ES5_with_module_0: diag(2725, 1, "Class_name_cannot_be_Object_when_targeting_ES5_with_module_0_2725", "Class name cannot be 'Object' when targeting ES5 with module {0}."),
        Cannot_find_lib_definition_for_0: diag(2726, 1, "Cannot_find_lib_definition_for_0_2726", "Cannot find lib definition for '{0}'."),
        Cannot_find_lib_definition_for_0_Did_you_mean_1: diag(2727, 1, "Cannot_find_lib_definition_for_0_Did_you_mean_1_2727", "Cannot find lib definition for '{0}'. Did you mean '{1}'?"),
        _0_is_declared_here: diag(2728, 3, "_0_is_declared_here_2728", "'{0}' is declared here."),
        Property_0_is_used_before_its_initialization: diag(2729, 1, "Property_0_is_used_before_its_initialization_2729", "Property '{0}' is used before its initialization."),
        An_arrow_function_cannot_have_a_this_parameter: diag(2730, 1, "An_arrow_function_cannot_have_a_this_parameter_2730", "An arrow function cannot have a 'this' parameter."),
        Implicit_conversion_of_a_symbol_to_a_string_will_fail_at_runtime_Consider_wrapping_this_expression_in_String: diag(2731, 1, "Implicit_conversion_of_a_symbol_to_a_string_will_fail_at_runtime_Consider_wrapping_this_expression_i_2731", "Implicit conversion of a 'symbol' to a 'string' will fail at runtime. Consider wrapping this expression in 'String(...)'."),
        Cannot_find_module_0_Consider_using_resolveJsonModule_to_import_module_with_json_extension: diag(2732, 1, "Cannot_find_module_0_Consider_using_resolveJsonModule_to_import_module_with_json_extension_2732", "Cannot find module '{0}'. Consider using '--resolveJsonModule' to import module with '.json' extension."),
        Property_0_was_also_declared_here: diag(2733, 1, "Property_0_was_also_declared_here_2733", "Property '{0}' was also declared here."),
        Are_you_missing_a_semicolon: diag(2734, 1, "Are_you_missing_a_semicolon_2734", "Are you missing a semicolon?"),
        Did_you_mean_for_0_to_be_constrained_to_type_new_args_Colon_any_1: diag(2735, 1, "Did_you_mean_for_0_to_be_constrained_to_type_new_args_Colon_any_1_2735", "Did you mean for '{0}' to be constrained to type 'new (...args: any[]) => {1}'?"),
        Operator_0_cannot_be_applied_to_type_1: diag(2736, 1, "Operator_0_cannot_be_applied_to_type_1_2736", "Operator '{0}' cannot be applied to type '{1}'."),
        BigInt_literals_are_not_available_when_targeting_lower_than_ES2020: diag(2737, 1, "BigInt_literals_are_not_available_when_targeting_lower_than_ES2020_2737", "BigInt literals are not available when targeting lower than ES2020."),
        An_outer_value_of_this_is_shadowed_by_this_container: diag(2738, 3, "An_outer_value_of_this_is_shadowed_by_this_container_2738", "An outer value of 'this' is shadowed by this container."),
        Type_0_is_missing_the_following_properties_from_type_1_Colon_2: diag(2739, 1, "Type_0_is_missing_the_following_properties_from_type_1_Colon_2_2739", "Type '{0}' is missing the following properties from type '{1}': {2}"),
        Type_0_is_missing_the_following_properties_from_type_1_Colon_2_and_3_more: diag(2740, 1, "Type_0_is_missing_the_following_properties_from_type_1_Colon_2_and_3_more_2740", "Type '{0}' is missing the following properties from type '{1}': {2}, and {3} more."),
        Property_0_is_missing_in_type_1_but_required_in_type_2: diag(2741, 1, "Property_0_is_missing_in_type_1_but_required_in_type_2_2741", "Property '{0}' is missing in type '{1}' but required in type '{2}'."),
        The_inferred_type_of_0_cannot_be_named_without_a_reference_to_1_This_is_likely_not_portable_A_type_annotation_is_necessary: diag(2742, 1, "The_inferred_type_of_0_cannot_be_named_without_a_reference_to_1_This_is_likely_not_portable_A_type_a_2742", "The inferred type of '{0}' cannot be named without a reference to '{1}'. This is likely not portable. A type annotation is necessary."),
        No_overload_expects_0_type_arguments_but_overloads_do_exist_that_expect_either_1_or_2_type_arguments: diag(2743, 1, "No_overload_expects_0_type_arguments_but_overloads_do_exist_that_expect_either_1_or_2_type_arguments_2743", "No overload expects {0} type arguments, but overloads do exist that expect either {1} or {2} type arguments."),
        Type_parameter_defaults_can_only_reference_previously_declared_type_parameters: diag(2744, 1, "Type_parameter_defaults_can_only_reference_previously_declared_type_parameters_2744", "Type parameter defaults can only reference previously declared type parameters."),
        This_JSX_tag_s_0_prop_expects_type_1_which_requires_multiple_children_but_only_a_single_child_was_provided: diag(2745, 1, "This_JSX_tag_s_0_prop_expects_type_1_which_requires_multiple_children_but_only_a_single_child_was_pr_2745", "This JSX tag's '{0}' prop expects type '{1}' which requires multiple children, but only a single child was provided."),
        This_JSX_tag_s_0_prop_expects_a_single_child_of_type_1_but_multiple_children_were_provided: diag(2746, 1, "This_JSX_tag_s_0_prop_expects_a_single_child_of_type_1_but_multiple_children_were_provided_2746", "This JSX tag's '{0}' prop expects a single child of type '{1}', but multiple children were provided."),
        _0_components_don_t_accept_text_as_child_elements_Text_in_JSX_has_the_type_string_but_the_expected_type_of_1_is_2: diag(2747, 1, "_0_components_don_t_accept_text_as_child_elements_Text_in_JSX_has_the_type_string_but_the_expected_t_2747", "'{0}' components don't accept text as child elements. Text in JSX has the type 'string', but the expected type of '{1}' is '{2}'."),
        Cannot_access_ambient_const_enums_when_0_is_enabled: diag(2748, 1, "Cannot_access_ambient_const_enums_when_0_is_enabled_2748", "Cannot access ambient const enums when '{0}' is enabled."),
        _0_refers_to_a_value_but_is_being_used_as_a_type_here_Did_you_mean_typeof_0: diag(2749, 1, "_0_refers_to_a_value_but_is_being_used_as_a_type_here_Did_you_mean_typeof_0_2749", "'{0}' refers to a value, but is being used as a type here. Did you mean 'typeof {0}'?"),
        The_implementation_signature_is_declared_here: diag(2750, 1, "The_implementation_signature_is_declared_here_2750", "The implementation signature is declared here."),
        Circularity_originates_in_type_at_this_location: diag(2751, 1, "Circularity_originates_in_type_at_this_location_2751", "Circularity originates in type at this location."),
        The_first_export_default_is_here: diag(2752, 1, "The_first_export_default_is_here_2752", "The first export default is here."),
        Another_export_default_is_here: diag(2753, 1, "Another_export_default_is_here_2753", "Another export default is here."),
        super_may_not_use_type_arguments: diag(2754, 1, "super_may_not_use_type_arguments_2754", "'super' may not use type arguments."),
        No_constituent_of_type_0_is_callable: diag(2755, 1, "No_constituent_of_type_0_is_callable_2755", "No constituent of type '{0}' is callable."),
        Not_all_constituents_of_type_0_are_callable: diag(2756, 1, "Not_all_constituents_of_type_0_are_callable_2756", "Not all constituents of type '{0}' are callable."),
        Type_0_has_no_call_signatures: diag(2757, 1, "Type_0_has_no_call_signatures_2757", "Type '{0}' has no call signatures."),
        Each_member_of_the_union_type_0_has_signatures_but_none_of_those_signatures_are_compatible_with_each_other: diag(2758, 1, "Each_member_of_the_union_type_0_has_signatures_but_none_of_those_signatures_are_compatible_with_each_2758", "Each member of the union type '{0}' has signatures, but none of those signatures are compatible with each other."),
        No_constituent_of_type_0_is_constructable: diag(2759, 1, "No_constituent_of_type_0_is_constructable_2759", "No constituent of type '{0}' is constructable."),
        Not_all_constituents_of_type_0_are_constructable: diag(2760, 1, "Not_all_constituents_of_type_0_are_constructable_2760", "Not all constituents of type '{0}' are constructable."),
        Type_0_has_no_construct_signatures: diag(2761, 1, "Type_0_has_no_construct_signatures_2761", "Type '{0}' has no construct signatures."),
        Each_member_of_the_union_type_0_has_construct_signatures_but_none_of_those_signatures_are_compatible_with_each_other: diag(2762, 1, "Each_member_of_the_union_type_0_has_construct_signatures_but_none_of_those_signatures_are_compatible_2762", "Each member of the union type '{0}' has construct signatures, but none of those signatures are compatible with each other."),
        Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_for_of_will_always_send_0: diag(2763, 1, "Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_for_of_will_always_s_2763", "Cannot iterate value because the 'next' method of its iterator expects type '{1}', but for-of will always send '{0}'."),
        Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_array_spread_will_always_send_0: diag(2764, 1, "Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_array_spread_will_al_2764", "Cannot iterate value because the 'next' method of its iterator expects type '{1}', but array spread will always send '{0}'."),
        Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_array_destructuring_will_always_send_0: diag(2765, 1, "Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_array_destructuring__2765", "Cannot iterate value because the 'next' method of its iterator expects type '{1}', but array destructuring will always send '{0}'."),
        Cannot_delegate_iteration_to_value_because_the_next_method_of_its_iterator_expects_type_1_but_the_containing_generator_will_always_send_0: diag(2766, 1, "Cannot_delegate_iteration_to_value_because_the_next_method_of_its_iterator_expects_type_1_but_the_co_2766", "Cannot delegate iteration to value because the 'next' method of its iterator expects type '{1}', but the containing generator will always send '{0}'."),
        The_0_property_of_an_iterator_must_be_a_method: diag(2767, 1, "The_0_property_of_an_iterator_must_be_a_method_2767", "The '{0}' property of an iterator must be a method."),
        The_0_property_of_an_async_iterator_must_be_a_method: diag(2768, 1, "The_0_property_of_an_async_iterator_must_be_a_method_2768", "The '{0}' property of an async iterator must be a method."),
        No_overload_matches_this_call: diag(2769, 1, "No_overload_matches_this_call_2769", "No overload matches this call."),
        The_last_overload_gave_the_following_error: diag(2770, 1, "The_last_overload_gave_the_following_error_2770", "The last overload gave the following error."),
        The_last_overload_is_declared_here: diag(2771, 1, "The_last_overload_is_declared_here_2771", "The last overload is declared here."),
        Overload_0_of_1_2_gave_the_following_error: diag(2772, 1, "Overload_0_of_1_2_gave_the_following_error_2772", "Overload {0} of {1}, '{2}', gave the following error."),
        Did_you_forget_to_use_await: diag(2773, 1, "Did_you_forget_to_use_await_2773", "Did you forget to use 'await'?"),
        This_condition_will_always_return_true_since_this_function_is_always_defined_Did_you_mean_to_call_it_instead: diag(2774, 1, "This_condition_will_always_return_true_since_this_function_is_always_defined_Did_you_mean_to_call_it_2774", "This condition will always return true since this function is always defined. Did you mean to call it instead?"),
        Assertions_require_every_name_in_the_call_target_to_be_declared_with_an_explicit_type_annotation: diag(2775, 1, "Assertions_require_every_name_in_the_call_target_to_be_declared_with_an_explicit_type_annotation_2775", "Assertions require every name in the call target to be declared with an explicit type annotation."),
        Assertions_require_the_call_target_to_be_an_identifier_or_qualified_name: diag(2776, 1, "Assertions_require_the_call_target_to_be_an_identifier_or_qualified_name_2776", "Assertions require the call target to be an identifier or qualified name."),
        The_operand_of_an_increment_or_decrement_operator_may_not_be_an_optional_property_access: diag(2777, 1, "The_operand_of_an_increment_or_decrement_operator_may_not_be_an_optional_property_access_2777", "The operand of an increment or decrement operator may not be an optional property access."),
        The_target_of_an_object_rest_assignment_may_not_be_an_optional_property_access: diag(2778, 1, "The_target_of_an_object_rest_assignment_may_not_be_an_optional_property_access_2778", "The target of an object rest assignment may not be an optional property access."),
        The_left_hand_side_of_an_assignment_expression_may_not_be_an_optional_property_access: diag(2779, 1, "The_left_hand_side_of_an_assignment_expression_may_not_be_an_optional_property_access_2779", "The left-hand side of an assignment expression may not be an optional property access."),
        The_left_hand_side_of_a_for_in_statement_may_not_be_an_optional_property_access: diag(2780, 1, "The_left_hand_side_of_a_for_in_statement_may_not_be_an_optional_property_access_2780", "The left-hand side of a 'for...in' statement may not be an optional property access."),
        The_left_hand_side_of_a_for_of_statement_may_not_be_an_optional_property_access: diag(2781, 1, "The_left_hand_side_of_a_for_of_statement_may_not_be_an_optional_property_access_2781", "The left-hand side of a 'for...of' statement may not be an optional property access."),
        _0_needs_an_explicit_type_annotation: diag(2782, 3, "_0_needs_an_explicit_type_annotation_2782", "'{0}' needs an explicit type annotation."),
        _0_is_specified_more_than_once_so_this_usage_will_be_overwritten: diag(2783, 1, "_0_is_specified_more_than_once_so_this_usage_will_be_overwritten_2783", "'{0}' is specified more than once, so this usage will be overwritten."),
        get_and_set_accessors_cannot_declare_this_parameters: diag(2784, 1, "get_and_set_accessors_cannot_declare_this_parameters_2784", "'get' and 'set' accessors cannot declare 'this' parameters."),
        This_spread_always_overwrites_this_property: diag(2785, 1, "This_spread_always_overwrites_this_property_2785", "This spread always overwrites this property."),
        _0_cannot_be_used_as_a_JSX_component: diag(2786, 1, "_0_cannot_be_used_as_a_JSX_component_2786", "'{0}' cannot be used as a JSX component."),
        Its_return_type_0_is_not_a_valid_JSX_element: diag(2787, 1, "Its_return_type_0_is_not_a_valid_JSX_element_2787", "Its return type '{0}' is not a valid JSX element."),
        Its_instance_type_0_is_not_a_valid_JSX_element: diag(2788, 1, "Its_instance_type_0_is_not_a_valid_JSX_element_2788", "Its instance type '{0}' is not a valid JSX element."),
        Its_element_type_0_is_not_a_valid_JSX_element: diag(2789, 1, "Its_element_type_0_is_not_a_valid_JSX_element_2789", "Its element type '{0}' is not a valid JSX element."),
        The_operand_of_a_delete_operator_must_be_optional: diag(2790, 1, "The_operand_of_a_delete_operator_must_be_optional_2790", "The operand of a 'delete' operator must be optional."),
        Exponentiation_cannot_be_performed_on_bigint_values_unless_the_target_option_is_set_to_es2016_or_later: diag(2791, 1, "Exponentiation_cannot_be_performed_on_bigint_values_unless_the_target_option_is_set_to_es2016_or_lat_2791", "Exponentiation cannot be performed on 'bigint' values unless the 'target' option is set to 'es2016' or later."),
        Cannot_find_module_0_Did_you_mean_to_set_the_moduleResolution_option_to_nodenext_or_to_add_aliases_to_the_paths_option: diag(2792, 1, "Cannot_find_module_0_Did_you_mean_to_set_the_moduleResolution_option_to_nodenext_or_to_add_aliases_t_2792", "Cannot find module '{0}'. Did you mean to set the 'moduleResolution' option to 'nodenext', or to add aliases to the 'paths' option?"),
        The_call_would_have_succeeded_against_this_implementation_but_implementation_signatures_of_overloads_are_not_externally_visible: diag(2793, 1, "The_call_would_have_succeeded_against_this_implementation_but_implementation_signatures_of_overloads_2793", "The call would have succeeded against this implementation, but implementation signatures of overloads are not externally visible."),
        Expected_0_arguments_but_got_1_Did_you_forget_to_include_void_in_your_type_argument_to_Promise: diag(2794, 1, "Expected_0_arguments_but_got_1_Did_you_forget_to_include_void_in_your_type_argument_to_Promise_2794", "Expected {0} arguments, but got {1}. Did you forget to include 'void' in your type argument to 'Promise'?"),
        The_intrinsic_keyword_can_only_be_used_to_declare_compiler_provided_intrinsic_types: diag(2795, 1, "The_intrinsic_keyword_can_only_be_used_to_declare_compiler_provided_intrinsic_types_2795", "The 'intrinsic' keyword can only be used to declare compiler provided intrinsic types."),
        It_is_likely_that_you_are_missing_a_comma_to_separate_these_two_template_expressions_They_form_a_tagged_template_expression_which_cannot_be_invoked: diag(2796, 1, "It_is_likely_that_you_are_missing_a_comma_to_separate_these_two_template_expressions_They_form_a_tag_2796", "It is likely that you are missing a comma to separate these two template expressions. They form a tagged template expression which cannot be invoked."),
        A_mixin_class_that_extends_from_a_type_variable_containing_an_abstract_construct_signature_must_also_be_declared_abstract: diag(2797, 1, "A_mixin_class_that_extends_from_a_type_variable_containing_an_abstract_construct_signature_must_also_2797", "A mixin class that extends from a type variable containing an abstract construct signature must also be declared 'abstract'."),
        The_declaration_was_marked_as_deprecated_here: diag(2798, 1, "The_declaration_was_marked_as_deprecated_here_2798", "The declaration was marked as deprecated here."),
        Type_produces_a_tuple_type_that_is_too_large_to_represent: diag(2799, 1, "Type_produces_a_tuple_type_that_is_too_large_to_represent_2799", "Type produces a tuple type that is too large to represent."),
        Expression_produces_a_tuple_type_that_is_too_large_to_represent: diag(2800, 1, "Expression_produces_a_tuple_type_that_is_too_large_to_represent_2800", "Expression produces a tuple type that is too large to represent."),
        This_condition_will_always_return_true_since_this_0_is_always_defined: diag(2801, 1, "This_condition_will_always_return_true_since_this_0_is_always_defined_2801", "This condition will always return true since this '{0}' is always defined."),
        Type_0_can_only_be_iterated_through_when_using_the_downlevelIteration_flag_or_with_a_target_of_es2015_or_higher: diag(2802, 1, "Type_0_can_only_be_iterated_through_when_using_the_downlevelIteration_flag_or_with_a_target_of_es201_2802", "Type '{0}' can only be iterated through when using the '--downlevelIteration' flag or with a '--target' of 'es2015' or higher."),
        Cannot_assign_to_private_method_0_Private_methods_are_not_writable: diag(2803, 1, "Cannot_assign_to_private_method_0_Private_methods_are_not_writable_2803", "Cannot assign to private method '{0}'. Private methods are not writable."),
        Duplicate_identifier_0_Static_and_instance_elements_cannot_share_the_same_private_name: diag(2804, 1, "Duplicate_identifier_0_Static_and_instance_elements_cannot_share_the_same_private_name_2804", "Duplicate identifier '{0}'. Static and instance elements cannot share the same private name."),
        Private_accessor_was_defined_without_a_getter: diag(2806, 1, "Private_accessor_was_defined_without_a_getter_2806", "Private accessor was defined without a getter."),
        This_syntax_requires_an_imported_helper_named_1_with_2_parameters_which_is_not_compatible_with_the_one_in_0_Consider_upgrading_your_version_of_0: diag(2807, 1, "This_syntax_requires_an_imported_helper_named_1_with_2_parameters_which_is_not_compatible_with_the_o_2807", "This syntax requires an imported helper named '{1}' with {2} parameters, which is not compatible with the one in '{0}'. Consider upgrading your version of '{0}'."),
        A_get_accessor_must_be_at_least_as_accessible_as_the_setter: diag(2808, 1, "A_get_accessor_must_be_at_least_as_accessible_as_the_setter_2808", "A get accessor must be at least as accessible as the setter"),
        Declaration_or_statement_expected_This_follows_a_block_of_statements_so_if_you_intended_to_write_a_destructuring_assignment_you_might_need_to_wrap_the_whole_assignment_in_parentheses: diag(2809, 1, "Declaration_or_statement_expected_This_follows_a_block_of_statements_so_if_you_intended_to_write_a_d_2809", "Declaration or statement expected. This '=' follows a block of statements, so if you intended to write a destructuring assignment, you might need to wrap the whole assignment in parentheses."),
        Expected_1_argument_but_got_0_new_Promise_needs_a_JSDoc_hint_to_produce_a_resolve_that_can_be_called_without_arguments: diag(2810, 1, "Expected_1_argument_but_got_0_new_Promise_needs_a_JSDoc_hint_to_produce_a_resolve_that_can_be_called_2810", "Expected 1 argument, but got 0. 'new Promise()' needs a JSDoc hint to produce a 'resolve' that can be called without arguments."),
        Initializer_for_property_0: diag(2811, 1, "Initializer_for_property_0_2811", "Initializer for property '{0}'"),
        Property_0_does_not_exist_on_type_1_Try_changing_the_lib_compiler_option_to_include_dom: diag(2812, 1, "Property_0_does_not_exist_on_type_1_Try_changing_the_lib_compiler_option_to_include_dom_2812", "Property '{0}' does not exist on type '{1}'. Try changing the 'lib' compiler option to include 'dom'."),
        Class_declaration_cannot_implement_overload_list_for_0: diag(2813, 1, "Class_declaration_cannot_implement_overload_list_for_0_2813", "Class declaration cannot implement overload list for '{0}'."),
        Function_with_bodies_can_only_merge_with_classes_that_are_ambient: diag(2814, 1, "Function_with_bodies_can_only_merge_with_classes_that_are_ambient_2814", "Function with bodies can only merge with classes that are ambient."),
        arguments_cannot_be_referenced_in_property_initializers: diag(2815, 1, "arguments_cannot_be_referenced_in_property_initializers_2815", "'arguments' cannot be referenced in property initializers."),
        Cannot_use_this_in_a_static_property_initializer_of_a_decorated_class: diag(2816, 1, "Cannot_use_this_in_a_static_property_initializer_of_a_decorated_class_2816", "Cannot use 'this' in a static property initializer of a decorated class."),
        Property_0_has_no_initializer_and_is_not_definitely_assigned_in_a_class_static_block: diag(2817, 1, "Property_0_has_no_initializer_and_is_not_definitely_assigned_in_a_class_static_block_2817", "Property '{0}' has no initializer and is not definitely assigned in a class static block."),
        Duplicate_identifier_0_Compiler_reserves_name_1_when_emitting_super_references_in_static_initializers: diag(2818, 1, "Duplicate_identifier_0_Compiler_reserves_name_1_when_emitting_super_references_in_static_initializer_2818", "Duplicate identifier '{0}'. Compiler reserves name '{1}' when emitting 'super' references in static initializers."),
        Namespace_name_cannot_be_0: diag(2819, 1, "Namespace_name_cannot_be_0_2819", "Namespace name cannot be '{0}'."),
        Type_0_is_not_assignable_to_type_1_Did_you_mean_2: diag(2820, 1, "Type_0_is_not_assignable_to_type_1_Did_you_mean_2_2820", "Type '{0}' is not assignable to type '{1}'. Did you mean '{2}'?"),
        Import_assertions_are_only_supported_when_the_module_option_is_set_to_esnext_nodenext_or_preserve: diag(2821, 1, "Import_assertions_are_only_supported_when_the_module_option_is_set_to_esnext_nodenext_or_preserve_2821", "Import assertions are only supported when the '--module' option is set to 'esnext', 'nodenext', or 'preserve'."),
        Import_assertions_cannot_be_used_with_type_only_imports_or_exports: diag(2822, 1, "Import_assertions_cannot_be_used_with_type_only_imports_or_exports_2822", "Import assertions cannot be used with type-only imports or exports."),
        Import_attributes_are_only_supported_when_the_module_option_is_set_to_esnext_nodenext_or_preserve: diag(2823, 1, "Import_attributes_are_only_supported_when_the_module_option_is_set_to_esnext_nodenext_or_preserve_2823", "Import attributes are only supported when the '--module' option is set to 'esnext', 'nodenext', or 'preserve'."),
        Cannot_find_namespace_0_Did_you_mean_1: diag(2833, 1, "Cannot_find_namespace_0_Did_you_mean_1_2833", "Cannot find namespace '{0}'. Did you mean '{1}'?"),
        Relative_import_paths_need_explicit_file_extensions_in_ECMAScript_imports_when_moduleResolution_is_node16_or_nodenext_Consider_adding_an_extension_to_the_import_path: diag(2834, 1, "Relative_import_paths_need_explicit_file_extensions_in_ECMAScript_imports_when_moduleResolution_is_n_2834", "Relative import paths need explicit file extensions in ECMAScript imports when '--moduleResolution' is 'node16' or 'nodenext'. Consider adding an extension to the import path."),
        Relative_import_paths_need_explicit_file_extensions_in_ECMAScript_imports_when_moduleResolution_is_node16_or_nodenext_Did_you_mean_0: diag(2835, 1, "Relative_import_paths_need_explicit_file_extensions_in_ECMAScript_imports_when_moduleResolution_is_n_2835", "Relative import paths need explicit file extensions in ECMAScript imports when '--moduleResolution' is 'node16' or 'nodenext'. Did you mean '{0}'?"),
        Import_assertions_are_not_allowed_on_statements_that_compile_to_CommonJS_require_calls: diag(2836, 1, "Import_assertions_are_not_allowed_on_statements_that_compile_to_CommonJS_require_calls_2836", "Import assertions are not allowed on statements that compile to CommonJS 'require' calls."),
        Import_assertion_values_must_be_string_literal_expressions: diag(2837, 1, "Import_assertion_values_must_be_string_literal_expressions_2837", "Import assertion values must be string literal expressions."),
        All_declarations_of_0_must_have_identical_constraints: diag(2838, 1, "All_declarations_of_0_must_have_identical_constraints_2838", "All declarations of '{0}' must have identical constraints."),
        This_condition_will_always_return_0_since_JavaScript_compares_objects_by_reference_not_value: diag(2839, 1, "This_condition_will_always_return_0_since_JavaScript_compares_objects_by_reference_not_value_2839", "This condition will always return '{0}' since JavaScript compares objects by reference, not value."),
        An_interface_cannot_extend_a_primitive_type_like_0_It_can_only_extend_other_named_object_types: diag(2840, 1, "An_interface_cannot_extend_a_primitive_type_like_0_It_can_only_extend_other_named_object_types_2840", "An interface cannot extend a primitive type like '{0}'. It can only extend other named object types."),
        _0_is_an_unused_renaming_of_1_Did_you_intend_to_use_it_as_a_type_annotation: diag(2842, 1, "_0_is_an_unused_renaming_of_1_Did_you_intend_to_use_it_as_a_type_annotation_2842", "'{0}' is an unused renaming of '{1}'. Did you intend to use it as a type annotation?"),
        We_can_only_write_a_type_for_0_by_adding_a_type_for_the_entire_parameter_here: diag(2843, 1, "We_can_only_write_a_type_for_0_by_adding_a_type_for_the_entire_parameter_here_2843", "We can only write a type for '{0}' by adding a type for the entire parameter here."),
        Type_of_instance_member_variable_0_cannot_reference_identifier_1_declared_in_the_constructor: diag(2844, 1, "Type_of_instance_member_variable_0_cannot_reference_identifier_1_declared_in_the_constructor_2844", "Type of instance member variable '{0}' cannot reference identifier '{1}' declared in the constructor."),
        This_condition_will_always_return_0: diag(2845, 1, "This_condition_will_always_return_0_2845", "This condition will always return '{0}'."),
        A_declaration_file_cannot_be_imported_without_import_type_Did_you_mean_to_import_an_implementation_file_0_instead: diag(2846, 1, "A_declaration_file_cannot_be_imported_without_import_type_Did_you_mean_to_import_an_implementation_f_2846", "A declaration file cannot be imported without 'import type'. Did you mean to import an implementation file '{0}' instead?"),
        The_right_hand_side_of_an_instanceof_expression_must_not_be_an_instantiation_expression: diag(2848, 1, "The_right_hand_side_of_an_instanceof_expression_must_not_be_an_instantiation_expression_2848", "The right-hand side of an 'instanceof' expression must not be an instantiation expression."),
        Target_signature_provides_too_few_arguments_Expected_0_or_more_but_got_1: diag(2849, 1, "Target_signature_provides_too_few_arguments_Expected_0_or_more_but_got_1_2849", "Target signature provides too few arguments. Expected {0} or more, but got {1}."),
        The_initializer_of_a_using_declaration_must_be_either_an_object_with_a_Symbol_dispose_method_or_be_null_or_undefined: diag(2850, 1, "The_initializer_of_a_using_declaration_must_be_either_an_object_with_a_Symbol_dispose_method_or_be_n_2850", "The initializer of a 'using' declaration must be either an object with a '[Symbol.dispose]()' method, or be 'null' or 'undefined'."),
        The_initializer_of_an_await_using_declaration_must_be_either_an_object_with_a_Symbol_asyncDispose_or_Symbol_dispose_method_or_be_null_or_undefined: diag(2851, 1, "The_initializer_of_an_await_using_declaration_must_be_either_an_object_with_a_Symbol_asyncDispose_or_2851", "The initializer of an 'await using' declaration must be either an object with a '[Symbol.asyncDispose]()' or '[Symbol.dispose]()' method, or be 'null' or 'undefined'."),
        await_using_statements_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules: diag(2852, 1, "await_using_statements_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules_2852", "'await using' statements are only allowed within async functions and at the top levels of modules."),
        await_using_statements_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module: diag(2853, 1, "await_using_statements_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_th_2853", "'await using' statements are only allowed at the top level of a file when that file is a module, but this file has no imports or exports. Consider adding an empty 'export {}' to make this file a module."),
        Top_level_await_using_statements_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher: diag(2854, 1, "Top_level_await_using_statements_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_sys_2854", "Top-level 'await using' statements are only allowed when the 'module' option is set to 'es2022', 'esnext', 'system', 'node16', 'nodenext', or 'preserve', and the 'target' option is set to 'es2017' or higher."),
        Class_field_0_defined_by_the_parent_class_is_not_accessible_in_the_child_class_via_super: diag(2855, 1, "Class_field_0_defined_by_the_parent_class_is_not_accessible_in_the_child_class_via_super_2855", "Class field '{0}' defined by the parent class is not accessible in the child class via super."),
        Import_attributes_are_not_allowed_on_statements_that_compile_to_CommonJS_require_calls: diag(2856, 1, "Import_attributes_are_not_allowed_on_statements_that_compile_to_CommonJS_require_calls_2856", "Import attributes are not allowed on statements that compile to CommonJS 'require' calls."),
        Import_attributes_cannot_be_used_with_type_only_imports_or_exports: diag(2857, 1, "Import_attributes_cannot_be_used_with_type_only_imports_or_exports_2857", "Import attributes cannot be used with type-only imports or exports."),
        Import_attribute_values_must_be_string_literal_expressions: diag(2858, 1, "Import_attribute_values_must_be_string_literal_expressions_2858", "Import attribute values must be string literal expressions."),
        Excessive_complexity_comparing_types_0_and_1: diag(2859, 1, "Excessive_complexity_comparing_types_0_and_1_2859", "Excessive complexity comparing types '{0}' and '{1}'."),
        The_left_hand_side_of_an_instanceof_expression_must_be_assignable_to_the_first_argument_of_the_right_hand_side_s_Symbol_hasInstance_method: diag(2860, 1, "The_left_hand_side_of_an_instanceof_expression_must_be_assignable_to_the_first_argument_of_the_right_2860", "The left-hand side of an 'instanceof' expression must be assignable to the first argument of the right-hand side's '[Symbol.hasInstance]' method."),
        An_object_s_Symbol_hasInstance_method_must_return_a_boolean_value_for_it_to_be_used_on_the_right_hand_side_of_an_instanceof_expression: diag(2861, 1, "An_object_s_Symbol_hasInstance_method_must_return_a_boolean_value_for_it_to_be_used_on_the_right_han_2861", "An object's '[Symbol.hasInstance]' method must return a boolean value for it to be used on the right-hand side of an 'instanceof' expression."),
        Type_0_is_generic_and_can_only_be_indexed_for_reading: diag(2862, 1, "Type_0_is_generic_and_can_only_be_indexed_for_reading_2862", "Type '{0}' is generic and can only be indexed for reading."),
        A_class_cannot_extend_a_primitive_type_like_0_Classes_can_only_extend_constructable_values: diag(2863, 1, "A_class_cannot_extend_a_primitive_type_like_0_Classes_can_only_extend_constructable_values_2863", "A class cannot extend a primitive type like '{0}'. Classes can only extend constructable values."),
        A_class_cannot_implement_a_primitive_type_like_0_It_can_only_implement_other_named_object_types: diag(2864, 1, "A_class_cannot_implement_a_primitive_type_like_0_It_can_only_implement_other_named_object_types_2864", "A class cannot implement a primitive type like '{0}'. It can only implement other named object types."),
        Import_0_conflicts_with_local_value_so_must_be_declared_with_a_type_only_import_when_isolatedModules_is_enabled: diag(2865, 1, "Import_0_conflicts_with_local_value_so_must_be_declared_with_a_type_only_import_when_isolatedModules_2865", "Import '{0}' conflicts with local value, so must be declared with a type-only import when 'isolatedModules' is enabled."),
        Import_0_conflicts_with_global_value_used_in_this_file_so_must_be_declared_with_a_type_only_import_when_isolatedModules_is_enabled: diag(2866, 1, "Import_0_conflicts_with_global_value_used_in_this_file_so_must_be_declared_with_a_type_only_import_w_2866", "Import '{0}' conflicts with global value used in this file, so must be declared with a type-only import when 'isolatedModules' is enabled."),
        Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_Bun_Try_npm_i_save_dev_types_Slashbun: diag(2867, 1, "Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_Bun_Try_npm_i_save_dev_types_Slashbun_2867", "Cannot find name '{0}'. Do you need to install type definitions for Bun? Try `npm i --save-dev @types/bun`."),
        Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_Bun_Try_npm_i_save_dev_types_Slashbun_and_then_add_bun_to_the_types_field_in_your_tsconfig: diag(2868, 1, "Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_Bun_Try_npm_i_save_dev_types_Slashbun_2868", "Cannot find name '{0}'. Do you need to install type definitions for Bun? Try `npm i --save-dev @types/bun` and then add 'bun' to the types field in your tsconfig."),
        Import_declaration_0_is_using_private_name_1: diag(4e3, 1, "Import_declaration_0_is_using_private_name_1_4000", "Import declaration '{0}' is using private name '{1}'."),
        Type_parameter_0_of_exported_class_has_or_is_using_private_name_1: diag(4002, 1, "Type_parameter_0_of_exported_class_has_or_is_using_private_name_1_4002", "Type parameter '{0}' of exported class has or is using private name '{1}'."),
        Type_parameter_0_of_exported_interface_has_or_is_using_private_name_1: diag(4004, 1, "Type_parameter_0_of_exported_interface_has_or_is_using_private_name_1_4004", "Type parameter '{0}' of exported interface has or is using private name '{1}'."),
        Type_parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_1: diag(4006, 1, "Type_parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_1_4006", "Type parameter '{0}' of constructor signature from exported interface has or is using private name '{1}'."),
        Type_parameter_0_of_call_signature_from_exported_interface_has_or_is_using_private_name_1: diag(4008, 1, "Type_parameter_0_of_call_signature_from_exported_interface_has_or_is_using_private_name_1_4008", "Type parameter '{0}' of call signature from exported interface has or is using private name '{1}'."),
        Type_parameter_0_of_public_static_method_from_exported_class_has_or_is_using_private_name_1: diag(4010, 1, "Type_parameter_0_of_public_static_method_from_exported_class_has_or_is_using_private_name_1_4010", "Type parameter '{0}' of public static method from exported class has or is using private name '{1}'."),
        Type_parameter_0_of_public_method_from_exported_class_has_or_is_using_private_name_1: diag(4012, 1, "Type_parameter_0_of_public_method_from_exported_class_has_or_is_using_private_name_1_4012", "Type parameter '{0}' of public method from exported class has or is using private name '{1}'."),
        Type_parameter_0_of_method_from_exported_interface_has_or_is_using_private_name_1: diag(4014, 1, "Type_parameter_0_of_method_from_exported_interface_has_or_is_using_private_name_1_4014", "Type parameter '{0}' of method from exported interface has or is using private name '{1}'."),
        Type_parameter_0_of_exported_function_has_or_is_using_private_name_1: diag(4016, 1, "Type_parameter_0_of_exported_function_has_or_is_using_private_name_1_4016", "Type parameter '{0}' of exported function has or is using private name '{1}'."),
        Implements_clause_of_exported_class_0_has_or_is_using_private_name_1: diag(4019, 1, "Implements_clause_of_exported_class_0_has_or_is_using_private_name_1_4019", "Implements clause of exported class '{0}' has or is using private name '{1}'."),
        extends_clause_of_exported_class_0_has_or_is_using_private_name_1: diag(4020, 1, "extends_clause_of_exported_class_0_has_or_is_using_private_name_1_4020", "'extends' clause of exported class '{0}' has or is using private name '{1}'."),
        extends_clause_of_exported_class_has_or_is_using_private_name_0: diag(4021, 1, "extends_clause_of_exported_class_has_or_is_using_private_name_0_4021", "'extends' clause of exported class has or is using private name '{0}'."),
        extends_clause_of_exported_interface_0_has_or_is_using_private_name_1: diag(4022, 1, "extends_clause_of_exported_interface_0_has_or_is_using_private_name_1_4022", "'extends' clause of exported interface '{0}' has or is using private name '{1}'."),
        Exported_variable_0_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4023, 1, "Exported_variable_0_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named_4023", "Exported variable '{0}' has or is using name '{1}' from external module {2} but cannot be named."),
        Exported_variable_0_has_or_is_using_name_1_from_private_module_2: diag(4024, 1, "Exported_variable_0_has_or_is_using_name_1_from_private_module_2_4024", "Exported variable '{0}' has or is using name '{1}' from private module '{2}'."),
        Exported_variable_0_has_or_is_using_private_name_1: diag(4025, 1, "Exported_variable_0_has_or_is_using_private_name_1_4025", "Exported variable '{0}' has or is using private name '{1}'."),
        Public_static_property_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4026, 1, "Public_static_property_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot__4026", "Public static property '{0}' of exported class has or is using name '{1}' from external module {2} but cannot be named."),
        Public_static_property_0_of_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4027, 1, "Public_static_property_0_of_exported_class_has_or_is_using_name_1_from_private_module_2_4027", "Public static property '{0}' of exported class has or is using name '{1}' from private module '{2}'."),
        Public_static_property_0_of_exported_class_has_or_is_using_private_name_1: diag(4028, 1, "Public_static_property_0_of_exported_class_has_or_is_using_private_name_1_4028", "Public static property '{0}' of exported class has or is using private name '{1}'."),
        Public_property_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4029, 1, "Public_property_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_name_4029", "Public property '{0}' of exported class has or is using name '{1}' from external module {2} but cannot be named."),
        Public_property_0_of_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4030, 1, "Public_property_0_of_exported_class_has_or_is_using_name_1_from_private_module_2_4030", "Public property '{0}' of exported class has or is using name '{1}' from private module '{2}'."),
        Public_property_0_of_exported_class_has_or_is_using_private_name_1: diag(4031, 1, "Public_property_0_of_exported_class_has_or_is_using_private_name_1_4031", "Public property '{0}' of exported class has or is using private name '{1}'."),
        Property_0_of_exported_interface_has_or_is_using_name_1_from_private_module_2: diag(4032, 1, "Property_0_of_exported_interface_has_or_is_using_name_1_from_private_module_2_4032", "Property '{0}' of exported interface has or is using name '{1}' from private module '{2}'."),
        Property_0_of_exported_interface_has_or_is_using_private_name_1: diag(4033, 1, "Property_0_of_exported_interface_has_or_is_using_private_name_1_4033", "Property '{0}' of exported interface has or is using private name '{1}'."),
        Parameter_type_of_public_static_setter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4034, 1, "Parameter_type_of_public_static_setter_0_from_exported_class_has_or_is_using_name_1_from_private_mod_4034", "Parameter type of public static setter '{0}' from exported class has or is using name '{1}' from private module '{2}'."),
        Parameter_type_of_public_static_setter_0_from_exported_class_has_or_is_using_private_name_1: diag(4035, 1, "Parameter_type_of_public_static_setter_0_from_exported_class_has_or_is_using_private_name_1_4035", "Parameter type of public static setter '{0}' from exported class has or is using private name '{1}'."),
        Parameter_type_of_public_setter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4036, 1, "Parameter_type_of_public_setter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2_4036", "Parameter type of public setter '{0}' from exported class has or is using name '{1}' from private module '{2}'."),
        Parameter_type_of_public_setter_0_from_exported_class_has_or_is_using_private_name_1: diag(4037, 1, "Parameter_type_of_public_setter_0_from_exported_class_has_or_is_using_private_name_1_4037", "Parameter type of public setter '{0}' from exported class has or is using private name '{1}'."),
        Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4038, 1, "Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_name_1_from_external_modul_4038", "Return type of public static getter '{0}' from exported class has or is using name '{1}' from external module {2} but cannot be named."),
        Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4039, 1, "Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_name_1_from_private_module_4039", "Return type of public static getter '{0}' from exported class has or is using name '{1}' from private module '{2}'."),
        Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_private_name_1: diag(4040, 1, "Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_private_name_1_4040", "Return type of public static getter '{0}' from exported class has or is using private name '{1}'."),
        Return_type_of_public_getter_0_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4041, 1, "Return_type_of_public_getter_0_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_4041", "Return type of public getter '{0}' from exported class has or is using name '{1}' from external module {2} but cannot be named."),
        Return_type_of_public_getter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4042, 1, "Return_type_of_public_getter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2_4042", "Return type of public getter '{0}' from exported class has or is using name '{1}' from private module '{2}'."),
        Return_type_of_public_getter_0_from_exported_class_has_or_is_using_private_name_1: diag(4043, 1, "Return_type_of_public_getter_0_from_exported_class_has_or_is_using_private_name_1_4043", "Return type of public getter '{0}' from exported class has or is using private name '{1}'."),
        Return_type_of_constructor_signature_from_exported_interface_has_or_is_using_name_0_from_private_module_1: diag(4044, 1, "Return_type_of_constructor_signature_from_exported_interface_has_or_is_using_name_0_from_private_mod_4044", "Return type of constructor signature from exported interface has or is using name '{0}' from private module '{1}'."),
        Return_type_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_0: diag(4045, 1, "Return_type_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_0_4045", "Return type of constructor signature from exported interface has or is using private name '{0}'."),
        Return_type_of_call_signature_from_exported_interface_has_or_is_using_name_0_from_private_module_1: diag(4046, 1, "Return_type_of_call_signature_from_exported_interface_has_or_is_using_name_0_from_private_module_1_4046", "Return type of call signature from exported interface has or is using name '{0}' from private module '{1}'."),
        Return_type_of_call_signature_from_exported_interface_has_or_is_using_private_name_0: diag(4047, 1, "Return_type_of_call_signature_from_exported_interface_has_or_is_using_private_name_0_4047", "Return type of call signature from exported interface has or is using private name '{0}'."),
        Return_type_of_index_signature_from_exported_interface_has_or_is_using_name_0_from_private_module_1: diag(4048, 1, "Return_type_of_index_signature_from_exported_interface_has_or_is_using_name_0_from_private_module_1_4048", "Return type of index signature from exported interface has or is using name '{0}' from private module '{1}'."),
        Return_type_of_index_signature_from_exported_interface_has_or_is_using_private_name_0: diag(4049, 1, "Return_type_of_index_signature_from_exported_interface_has_or_is_using_private_name_0_4049", "Return type of index signature from exported interface has or is using private name '{0}'."),
        Return_type_of_public_static_method_from_exported_class_has_or_is_using_name_0_from_external_module_1_but_cannot_be_named: diag(4050, 1, "Return_type_of_public_static_method_from_exported_class_has_or_is_using_name_0_from_external_module__4050", "Return type of public static method from exported class has or is using name '{0}' from external module {1} but cannot be named."),
        Return_type_of_public_static_method_from_exported_class_has_or_is_using_name_0_from_private_module_1: diag(4051, 1, "Return_type_of_public_static_method_from_exported_class_has_or_is_using_name_0_from_private_module_1_4051", "Return type of public static method from exported class has or is using name '{0}' from private module '{1}'."),
        Return_type_of_public_static_method_from_exported_class_has_or_is_using_private_name_0: diag(4052, 1, "Return_type_of_public_static_method_from_exported_class_has_or_is_using_private_name_0_4052", "Return type of public static method from exported class has or is using private name '{0}'."),
        Return_type_of_public_method_from_exported_class_has_or_is_using_name_0_from_external_module_1_but_cannot_be_named: diag(4053, 1, "Return_type_of_public_method_from_exported_class_has_or_is_using_name_0_from_external_module_1_but_c_4053", "Return type of public method from exported class has or is using name '{0}' from external module {1} but cannot be named."),
        Return_type_of_public_method_from_exported_class_has_or_is_using_name_0_from_private_module_1: diag(4054, 1, "Return_type_of_public_method_from_exported_class_has_or_is_using_name_0_from_private_module_1_4054", "Return type of public method from exported class has or is using name '{0}' from private module '{1}'."),
        Return_type_of_public_method_from_exported_class_has_or_is_using_private_name_0: diag(4055, 1, "Return_type_of_public_method_from_exported_class_has_or_is_using_private_name_0_4055", "Return type of public method from exported class has or is using private name '{0}'."),
        Return_type_of_method_from_exported_interface_has_or_is_using_name_0_from_private_module_1: diag(4056, 1, "Return_type_of_method_from_exported_interface_has_or_is_using_name_0_from_private_module_1_4056", "Return type of method from exported interface has or is using name '{0}' from private module '{1}'."),
        Return_type_of_method_from_exported_interface_has_or_is_using_private_name_0: diag(4057, 1, "Return_type_of_method_from_exported_interface_has_or_is_using_private_name_0_4057", "Return type of method from exported interface has or is using private name '{0}'."),
        Return_type_of_exported_function_has_or_is_using_name_0_from_external_module_1_but_cannot_be_named: diag(4058, 1, "Return_type_of_exported_function_has_or_is_using_name_0_from_external_module_1_but_cannot_be_named_4058", "Return type of exported function has or is using name '{0}' from external module {1} but cannot be named."),
        Return_type_of_exported_function_has_or_is_using_name_0_from_private_module_1: diag(4059, 1, "Return_type_of_exported_function_has_or_is_using_name_0_from_private_module_1_4059", "Return type of exported function has or is using name '{0}' from private module '{1}'."),
        Return_type_of_exported_function_has_or_is_using_private_name_0: diag(4060, 1, "Return_type_of_exported_function_has_or_is_using_private_name_0_4060", "Return type of exported function has or is using private name '{0}'."),
        Parameter_0_of_constructor_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4061, 1, "Parameter_0_of_constructor_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_can_4061", "Parameter '{0}' of constructor from exported class has or is using name '{1}' from external module {2} but cannot be named."),
        Parameter_0_of_constructor_from_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4062, 1, "Parameter_0_of_constructor_from_exported_class_has_or_is_using_name_1_from_private_module_2_4062", "Parameter '{0}' of constructor from exported class has or is using name '{1}' from private module '{2}'."),
        Parameter_0_of_constructor_from_exported_class_has_or_is_using_private_name_1: diag(4063, 1, "Parameter_0_of_constructor_from_exported_class_has_or_is_using_private_name_1_4063", "Parameter '{0}' of constructor from exported class has or is using private name '{1}'."),
        Parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_name_1_from_private_module_2: diag(4064, 1, "Parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_name_1_from_private_mod_4064", "Parameter '{0}' of constructor signature from exported interface has or is using name '{1}' from private module '{2}'."),
        Parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_1: diag(4065, 1, "Parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_1_4065", "Parameter '{0}' of constructor signature from exported interface has or is using private name '{1}'."),
        Parameter_0_of_call_signature_from_exported_interface_has_or_is_using_name_1_from_private_module_2: diag(4066, 1, "Parameter_0_of_call_signature_from_exported_interface_has_or_is_using_name_1_from_private_module_2_4066", "Parameter '{0}' of call signature from exported interface has or is using name '{1}' from private module '{2}'."),
        Parameter_0_of_call_signature_from_exported_interface_has_or_is_using_private_name_1: diag(4067, 1, "Parameter_0_of_call_signature_from_exported_interface_has_or_is_using_private_name_1_4067", "Parameter '{0}' of call signature from exported interface has or is using private name '{1}'."),
        Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4068, 1, "Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_name_1_from_external_module__4068", "Parameter '{0}' of public static method from exported class has or is using name '{1}' from external module {2} but cannot be named."),
        Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4069, 1, "Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_name_1_from_private_module_2_4069", "Parameter '{0}' of public static method from exported class has or is using name '{1}' from private module '{2}'."),
        Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_private_name_1: diag(4070, 1, "Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_private_name_1_4070", "Parameter '{0}' of public static method from exported class has or is using private name '{1}'."),
        Parameter_0_of_public_method_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4071, 1, "Parameter_0_of_public_method_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_c_4071", "Parameter '{0}' of public method from exported class has or is using name '{1}' from external module {2} but cannot be named."),
        Parameter_0_of_public_method_from_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4072, 1, "Parameter_0_of_public_method_from_exported_class_has_or_is_using_name_1_from_private_module_2_4072", "Parameter '{0}' of public method from exported class has or is using name '{1}' from private module '{2}'."),
        Parameter_0_of_public_method_from_exported_class_has_or_is_using_private_name_1: diag(4073, 1, "Parameter_0_of_public_method_from_exported_class_has_or_is_using_private_name_1_4073", "Parameter '{0}' of public method from exported class has or is using private name '{1}'."),
        Parameter_0_of_method_from_exported_interface_has_or_is_using_name_1_from_private_module_2: diag(4074, 1, "Parameter_0_of_method_from_exported_interface_has_or_is_using_name_1_from_private_module_2_4074", "Parameter '{0}' of method from exported interface has or is using name '{1}' from private module '{2}'."),
        Parameter_0_of_method_from_exported_interface_has_or_is_using_private_name_1: diag(4075, 1, "Parameter_0_of_method_from_exported_interface_has_or_is_using_private_name_1_4075", "Parameter '{0}' of method from exported interface has or is using private name '{1}'."),
        Parameter_0_of_exported_function_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4076, 1, "Parameter_0_of_exported_function_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named_4076", "Parameter '{0}' of exported function has or is using name '{1}' from external module {2} but cannot be named."),
        Parameter_0_of_exported_function_has_or_is_using_name_1_from_private_module_2: diag(4077, 1, "Parameter_0_of_exported_function_has_or_is_using_name_1_from_private_module_2_4077", "Parameter '{0}' of exported function has or is using name '{1}' from private module '{2}'."),
        Parameter_0_of_exported_function_has_or_is_using_private_name_1: diag(4078, 1, "Parameter_0_of_exported_function_has_or_is_using_private_name_1_4078", "Parameter '{0}' of exported function has or is using private name '{1}'."),
        Exported_type_alias_0_has_or_is_using_private_name_1: diag(4081, 1, "Exported_type_alias_0_has_or_is_using_private_name_1_4081", "Exported type alias '{0}' has or is using private name '{1}'."),
        Default_export_of_the_module_has_or_is_using_private_name_0: diag(4082, 1, "Default_export_of_the_module_has_or_is_using_private_name_0_4082", "Default export of the module has or is using private name '{0}'."),
        Type_parameter_0_of_exported_type_alias_has_or_is_using_private_name_1: diag(4083, 1, "Type_parameter_0_of_exported_type_alias_has_or_is_using_private_name_1_4083", "Type parameter '{0}' of exported type alias has or is using private name '{1}'."),
        Exported_type_alias_0_has_or_is_using_private_name_1_from_module_2: diag(4084, 1, "Exported_type_alias_0_has_or_is_using_private_name_1_from_module_2_4084", "Exported type alias '{0}' has or is using private name '{1}' from module {2}."),
        Extends_clause_for_inferred_type_0_has_or_is_using_private_name_1: diag(4085, 1, "Extends_clause_for_inferred_type_0_has_or_is_using_private_name_1_4085", "Extends clause for inferred type '{0}' has or is using private name '{1}'."),
        Parameter_0_of_index_signature_from_exported_interface_has_or_is_using_name_1_from_private_module_2: diag(4091, 1, "Parameter_0_of_index_signature_from_exported_interface_has_or_is_using_name_1_from_private_module_2_4091", "Parameter '{0}' of index signature from exported interface has or is using name '{1}' from private module '{2}'."),
        Parameter_0_of_index_signature_from_exported_interface_has_or_is_using_private_name_1: diag(4092, 1, "Parameter_0_of_index_signature_from_exported_interface_has_or_is_using_private_name_1_4092", "Parameter '{0}' of index signature from exported interface has or is using private name '{1}'."),
        Property_0_of_exported_class_expression_may_not_be_private_or_protected: diag(4094, 1, "Property_0_of_exported_class_expression_may_not_be_private_or_protected_4094", "Property '{0}' of exported class expression may not be private or protected."),
        Public_static_method_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4095, 1, "Public_static_method_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_4095", "Public static method '{0}' of exported class has or is using name '{1}' from external module {2} but cannot be named."),
        Public_static_method_0_of_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4096, 1, "Public_static_method_0_of_exported_class_has_or_is_using_name_1_from_private_module_2_4096", "Public static method '{0}' of exported class has or is using name '{1}' from private module '{2}'."),
        Public_static_method_0_of_exported_class_has_or_is_using_private_name_1: diag(4097, 1, "Public_static_method_0_of_exported_class_has_or_is_using_private_name_1_4097", "Public static method '{0}' of exported class has or is using private name '{1}'."),
        Public_method_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4098, 1, "Public_method_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named_4098", "Public method '{0}' of exported class has or is using name '{1}' from external module {2} but cannot be named."),
        Public_method_0_of_exported_class_has_or_is_using_name_1_from_private_module_2: diag(4099, 1, "Public_method_0_of_exported_class_has_or_is_using_name_1_from_private_module_2_4099", "Public method '{0}' of exported class has or is using name '{1}' from private module '{2}'."),
        Public_method_0_of_exported_class_has_or_is_using_private_name_1: diag(4100, 1, "Public_method_0_of_exported_class_has_or_is_using_private_name_1_4100", "Public method '{0}' of exported class has or is using private name '{1}'."),
        Method_0_of_exported_interface_has_or_is_using_name_1_from_private_module_2: diag(4101, 1, "Method_0_of_exported_interface_has_or_is_using_name_1_from_private_module_2_4101", "Method '{0}' of exported interface has or is using name '{1}' from private module '{2}'."),
        Method_0_of_exported_interface_has_or_is_using_private_name_1: diag(4102, 1, "Method_0_of_exported_interface_has_or_is_using_private_name_1_4102", "Method '{0}' of exported interface has or is using private name '{1}'."),
        Type_parameter_0_of_exported_mapped_object_type_is_using_private_name_1: diag(4103, 1, "Type_parameter_0_of_exported_mapped_object_type_is_using_private_name_1_4103", "Type parameter '{0}' of exported mapped object type is using private name '{1}'."),
        The_type_0_is_readonly_and_cannot_be_assigned_to_the_mutable_type_1: diag(4104, 1, "The_type_0_is_readonly_and_cannot_be_assigned_to_the_mutable_type_1_4104", "The type '{0}' is 'readonly' and cannot be assigned to the mutable type '{1}'."),
        Private_or_protected_member_0_cannot_be_accessed_on_a_type_parameter: diag(4105, 1, "Private_or_protected_member_0_cannot_be_accessed_on_a_type_parameter_4105", "Private or protected member '{0}' cannot be accessed on a type parameter."),
        Parameter_0_of_accessor_has_or_is_using_private_name_1: diag(4106, 1, "Parameter_0_of_accessor_has_or_is_using_private_name_1_4106", "Parameter '{0}' of accessor has or is using private name '{1}'."),
        Parameter_0_of_accessor_has_or_is_using_name_1_from_private_module_2: diag(4107, 1, "Parameter_0_of_accessor_has_or_is_using_name_1_from_private_module_2_4107", "Parameter '{0}' of accessor has or is using name '{1}' from private module '{2}'."),
        Parameter_0_of_accessor_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named: diag(4108, 1, "Parameter_0_of_accessor_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named_4108", "Parameter '{0}' of accessor has or is using name '{1}' from external module '{2}' but cannot be named."),
        Type_arguments_for_0_circularly_reference_themselves: diag(4109, 1, "Type_arguments_for_0_circularly_reference_themselves_4109", "Type arguments for '{0}' circularly reference themselves."),
        Tuple_type_arguments_circularly_reference_themselves: diag(4110, 1, "Tuple_type_arguments_circularly_reference_themselves_4110", "Tuple type arguments circularly reference themselves."),
        Property_0_comes_from_an_index_signature_so_it_must_be_accessed_with_0: diag(4111, 1, "Property_0_comes_from_an_index_signature_so_it_must_be_accessed_with_0_4111", "Property '{0}' comes from an index signature, so it must be accessed with ['{0}']."),
        This_member_cannot_have_an_override_modifier_because_its_containing_class_0_does_not_extend_another_class: diag(4112, 1, "This_member_cannot_have_an_override_modifier_because_its_containing_class_0_does_not_extend_another__4112", "This member cannot have an 'override' modifier because its containing class '{0}' does not extend another class."),
        This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0: diag(4113, 1, "This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0_4113", "This member cannot have an 'override' modifier because it is not declared in the base class '{0}'."),
        This_member_must_have_an_override_modifier_because_it_overrides_a_member_in_the_base_class_0: diag(4114, 1, "This_member_must_have_an_override_modifier_because_it_overrides_a_member_in_the_base_class_0_4114", "This member must have an 'override' modifier because it overrides a member in the base class '{0}'."),
        This_parameter_property_must_have_an_override_modifier_because_it_overrides_a_member_in_base_class_0: diag(4115, 1, "This_parameter_property_must_have_an_override_modifier_because_it_overrides_a_member_in_base_class_0_4115", "This parameter property must have an 'override' modifier because it overrides a member in base class '{0}'."),
        This_member_must_have_an_override_modifier_because_it_overrides_an_abstract_method_that_is_declared_in_the_base_class_0: diag(4116, 1, "This_member_must_have_an_override_modifier_because_it_overrides_an_abstract_method_that_is_declared__4116", "This member must have an 'override' modifier because it overrides an abstract method that is declared in the base class '{0}'."),
        This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0_Did_you_mean_1: diag(4117, 1, "This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0_Did_you__4117", "This member cannot have an 'override' modifier because it is not declared in the base class '{0}'. Did you mean '{1}'?"),
        The_type_of_this_node_cannot_be_serialized_because_its_property_0_cannot_be_serialized: diag(4118, 1, "The_type_of_this_node_cannot_be_serialized_because_its_property_0_cannot_be_serialized_4118", "The type of this node cannot be serialized because its property '{0}' cannot be serialized."),
        This_member_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0: diag(4119, 1, "This_member_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_4119", "This member must have a JSDoc comment with an '@override' tag because it overrides a member in the base class '{0}'."),
        This_parameter_property_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0: diag(4120, 1, "This_parameter_property_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_4120", "This parameter property must have a JSDoc comment with an '@override' tag because it overrides a member in the base class '{0}'."),
        This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_its_containing_class_0_does_not_extend_another_class: diag(4121, 1, "This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_its_containing_class_0_does_not_4121", "This member cannot have a JSDoc comment with an '@override' tag because its containing class '{0}' does not extend another class."),
        This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base_class_0: diag(4122, 1, "This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base__4122", "This member cannot have a JSDoc comment with an '@override' tag because it is not declared in the base class '{0}'."),
        This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base_class_0_Did_you_mean_1: diag(4123, 1, "This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base__4123", "This member cannot have a JSDoc comment with an 'override' tag because it is not declared in the base class '{0}'. Did you mean '{1}'?"),
        Compiler_option_0_of_value_1_is_unstable_Use_nightly_TypeScript_to_silence_this_error_Try_updating_with_npm_install_D_typescript_next: diag(4124, 1, "Compiler_option_0_of_value_1_is_unstable_Use_nightly_TypeScript_to_silence_this_error_Try_updating_w_4124", "Compiler option '{0}' of value '{1}' is unstable. Use nightly TypeScript to silence this error. Try updating with 'npm install -D typescript@next'."),
        Each_declaration_of_0_1_differs_in_its_value_where_2_was_expected_but_3_was_given: diag(4125, 1, "Each_declaration_of_0_1_differs_in_its_value_where_2_was_expected_but_3_was_given_4125", "Each declaration of '{0}.{1}' differs in its value, where '{2}' was expected but '{3}' was given."),
        One_value_of_0_1_is_the_string_2_and_the_other_is_assumed_to_be_an_unknown_numeric_value: diag(4126, 1, "One_value_of_0_1_is_the_string_2_and_the_other_is_assumed_to_be_an_unknown_numeric_value_4126", "One value of '{0}.{1}' is the string '{2}', and the other is assumed to be an unknown numeric value."),
        The_current_host_does_not_support_the_0_option: diag(5001, 1, "The_current_host_does_not_support_the_0_option_5001", "The current host does not support the '{0}' option."),
        Cannot_find_the_common_subdirectory_path_for_the_input_files: diag(5009, 1, "Cannot_find_the_common_subdirectory_path_for_the_input_files_5009", "Cannot find the common subdirectory path for the input files."),
        File_specification_cannot_end_in_a_recursive_directory_wildcard_Asterisk_Asterisk_Colon_0: diag(5010, 1, "File_specification_cannot_end_in_a_recursive_directory_wildcard_Asterisk_Asterisk_Colon_0_5010", "File specification cannot end in a recursive directory wildcard ('**'): '{0}'."),
        Cannot_read_file_0_Colon_1: diag(5012, 1, "Cannot_read_file_0_Colon_1_5012", "Cannot read file '{0}': {1}."),
        Failed_to_parse_file_0_Colon_1: diag(5014, 1, "Failed_to_parse_file_0_Colon_1_5014", "Failed to parse file '{0}': {1}."),
        Unknown_compiler_option_0: diag(5023, 1, "Unknown_compiler_option_0_5023", "Unknown compiler option '{0}'."),
        Compiler_option_0_requires_a_value_of_type_1: diag(5024, 1, "Compiler_option_0_requires_a_value_of_type_1_5024", "Compiler option '{0}' requires a value of type {1}."),
        Unknown_compiler_option_0_Did_you_mean_1: diag(5025, 1, "Unknown_compiler_option_0_Did_you_mean_1_5025", "Unknown compiler option '{0}'. Did you mean '{1}'?"),
        Could_not_write_file_0_Colon_1: diag(5033, 1, "Could_not_write_file_0_Colon_1_5033", "Could not write file '{0}': {1}."),
        Option_project_cannot_be_mixed_with_source_files_on_a_command_line: diag(5042, 1, "Option_project_cannot_be_mixed_with_source_files_on_a_command_line_5042", "Option 'project' cannot be mixed with source files on a command line."),
        Option_isolatedModules_can_only_be_used_when_either_option_module_is_provided_or_option_target_is_ES2015_or_higher: diag(5047, 1, "Option_isolatedModules_can_only_be_used_when_either_option_module_is_provided_or_option_target_is_ES_5047", "Option 'isolatedModules' can only be used when either option '--module' is provided or option 'target' is 'ES2015' or higher."),
        Option_0_can_only_be_used_when_either_option_inlineSourceMap_or_option_sourceMap_is_provided: diag(5051, 1, "Option_0_can_only_be_used_when_either_option_inlineSourceMap_or_option_sourceMap_is_provided_5051", "Option '{0} can only be used when either option '--inlineSourceMap' or option '--sourceMap' is provided."),
        Option_0_cannot_be_specified_without_specifying_option_1: diag(5052, 1, "Option_0_cannot_be_specified_without_specifying_option_1_5052", "Option '{0}' cannot be specified without specifying option '{1}'."),
        Option_0_cannot_be_specified_with_option_1: diag(5053, 1, "Option_0_cannot_be_specified_with_option_1_5053", "Option '{0}' cannot be specified with option '{1}'."),
        A_tsconfig_json_file_is_already_defined_at_Colon_0: diag(5054, 1, "A_tsconfig_json_file_is_already_defined_at_Colon_0_5054", "A 'tsconfig.json' file is already defined at: '{0}'."),
        Cannot_write_file_0_because_it_would_overwrite_input_file: diag(5055, 1, "Cannot_write_file_0_because_it_would_overwrite_input_file_5055", "Cannot write file '{0}' because it would overwrite input file."),
        Cannot_write_file_0_because_it_would_be_overwritten_by_multiple_input_files: diag(5056, 1, "Cannot_write_file_0_because_it_would_be_overwritten_by_multiple_input_files_5056", "Cannot write file '{0}' because it would be overwritten by multiple input files."),
        Cannot_find_a_tsconfig_json_file_at_the_specified_directory_Colon_0: diag(5057, 1, "Cannot_find_a_tsconfig_json_file_at_the_specified_directory_Colon_0_5057", "Cannot find a tsconfig.json file at the specified directory: '{0}'."),
        The_specified_path_does_not_exist_Colon_0: diag(5058, 1, "The_specified_path_does_not_exist_Colon_0_5058", "The specified path does not exist: '{0}'."),
        Invalid_value_for_reactNamespace_0_is_not_a_valid_identifier: diag(5059, 1, "Invalid_value_for_reactNamespace_0_is_not_a_valid_identifier_5059", "Invalid value for '--reactNamespace'. '{0}' is not a valid identifier."),
        Pattern_0_can_have_at_most_one_Asterisk_character: diag(5061, 1, "Pattern_0_can_have_at_most_one_Asterisk_character_5061", "Pattern '{0}' can have at most one '*' character."),
        Substitution_0_in_pattern_1_can_have_at_most_one_Asterisk_character: diag(5062, 1, "Substitution_0_in_pattern_1_can_have_at_most_one_Asterisk_character_5062", "Substitution '{0}' in pattern '{1}' can have at most one '*' character."),
        Substitutions_for_pattern_0_should_be_an_array: diag(5063, 1, "Substitutions_for_pattern_0_should_be_an_array_5063", "Substitutions for pattern '{0}' should be an array."),
        Substitution_0_for_pattern_1_has_incorrect_type_expected_string_got_2: diag(5064, 1, "Substitution_0_for_pattern_1_has_incorrect_type_expected_string_got_2_5064", "Substitution '{0}' for pattern '{1}' has incorrect type, expected 'string', got '{2}'."),
        File_specification_cannot_contain_a_parent_directory_that_appears_after_a_recursive_directory_wildcard_Asterisk_Asterisk_Colon_0: diag(5065, 1, "File_specification_cannot_contain_a_parent_directory_that_appears_after_a_recursive_directory_wildca_5065", "File specification cannot contain a parent directory ('..') that appears after a recursive directory wildcard ('**'): '{0}'."),
        Substitutions_for_pattern_0_shouldn_t_be_an_empty_array: diag(5066, 1, "Substitutions_for_pattern_0_shouldn_t_be_an_empty_array_5066", "Substitutions for pattern '{0}' shouldn't be an empty array."),
        Invalid_value_for_jsxFactory_0_is_not_a_valid_identifier_or_qualified_name: diag(5067, 1, "Invalid_value_for_jsxFactory_0_is_not_a_valid_identifier_or_qualified_name_5067", "Invalid value for 'jsxFactory'. '{0}' is not a valid identifier or qualified-name."),
        Adding_a_tsconfig_json_file_will_help_organize_projects_that_contain_both_TypeScript_and_JavaScript_files_Learn_more_at_https_Colon_Slash_Slashaka_ms_Slashtsconfig: diag(5068, 1, "Adding_a_tsconfig_json_file_will_help_organize_projects_that_contain_both_TypeScript_and_JavaScript__5068", "Adding a tsconfig.json file will help organize projects that contain both TypeScript and JavaScript files. Learn more at https://aka.ms/tsconfig."),
        Option_0_cannot_be_specified_without_specifying_option_1_or_option_2: diag(5069, 1, "Option_0_cannot_be_specified_without_specifying_option_1_or_option_2_5069", "Option '{0}' cannot be specified without specifying option '{1}' or option '{2}'."),
        Option_resolveJsonModule_cannot_be_specified_when_moduleResolution_is_set_to_classic: diag(5070, 1, "Option_resolveJsonModule_cannot_be_specified_when_moduleResolution_is_set_to_classic_5070", "Option '--resolveJsonModule' cannot be specified when 'moduleResolution' is set to 'classic'."),
        Option_resolveJsonModule_cannot_be_specified_when_module_is_set_to_none_system_or_umd: diag(5071, 1, "Option_resolveJsonModule_cannot_be_specified_when_module_is_set_to_none_system_or_umd_5071", "Option '--resolveJsonModule' cannot be specified when 'module' is set to 'none', 'system', or 'umd'."),
        Unknown_build_option_0: diag(5072, 1, "Unknown_build_option_0_5072", "Unknown build option '{0}'."),
        Build_option_0_requires_a_value_of_type_1: diag(5073, 1, "Build_option_0_requires_a_value_of_type_1_5073", "Build option '{0}' requires a value of type {1}."),
        Option_incremental_can_only_be_specified_using_tsconfig_emitting_to_single_file_or_when_option_tsBuildInfoFile_is_specified: diag(5074, 1, "Option_incremental_can_only_be_specified_using_tsconfig_emitting_to_single_file_or_when_option_tsBui_5074", "Option '--incremental' can only be specified using tsconfig, emitting to single file or when option '--tsBuildInfoFile' is specified."),
        _0_is_assignable_to_the_constraint_of_type_1_but_1_could_be_instantiated_with_a_different_subtype_of_constraint_2: diag(5075, 1, "_0_is_assignable_to_the_constraint_of_type_1_but_1_could_be_instantiated_with_a_different_subtype_of_5075", "'{0}' is assignable to the constraint of type '{1}', but '{1}' could be instantiated with a different subtype of constraint '{2}'."),
        _0_and_1_operations_cannot_be_mixed_without_parentheses: diag(5076, 1, "_0_and_1_operations_cannot_be_mixed_without_parentheses_5076", "'{0}' and '{1}' operations cannot be mixed without parentheses."),
        Unknown_build_option_0_Did_you_mean_1: diag(5077, 1, "Unknown_build_option_0_Did_you_mean_1_5077", "Unknown build option '{0}'. Did you mean '{1}'?"),
        Unknown_watch_option_0: diag(5078, 1, "Unknown_watch_option_0_5078", "Unknown watch option '{0}'."),
        Unknown_watch_option_0_Did_you_mean_1: diag(5079, 1, "Unknown_watch_option_0_Did_you_mean_1_5079", "Unknown watch option '{0}'. Did you mean '{1}'?"),
        Watch_option_0_requires_a_value_of_type_1: diag(5080, 1, "Watch_option_0_requires_a_value_of_type_1_5080", "Watch option '{0}' requires a value of type {1}."),
        Cannot_find_a_tsconfig_json_file_at_the_current_directory_Colon_0: diag(5081, 1, "Cannot_find_a_tsconfig_json_file_at_the_current_directory_Colon_0_5081", "Cannot find a tsconfig.json file at the current directory: {0}."),
        _0_could_be_instantiated_with_an_arbitrary_type_which_could_be_unrelated_to_1: diag(5082, 1, "_0_could_be_instantiated_with_an_arbitrary_type_which_could_be_unrelated_to_1_5082", "'{0}' could be instantiated with an arbitrary type which could be unrelated to '{1}'."),
        Cannot_read_file_0: diag(5083, 1, "Cannot_read_file_0_5083", "Cannot read file '{0}'."),
        A_tuple_member_cannot_be_both_optional_and_rest: diag(5085, 1, "A_tuple_member_cannot_be_both_optional_and_rest_5085", "A tuple member cannot be both optional and rest."),
        A_labeled_tuple_element_is_declared_as_optional_with_a_question_mark_after_the_name_and_before_the_colon_rather_than_after_the_type: diag(5086, 1, "A_labeled_tuple_element_is_declared_as_optional_with_a_question_mark_after_the_name_and_before_the_c_5086", "A labeled tuple element is declared as optional with a question mark after the name and before the colon, rather than after the type."),
        A_labeled_tuple_element_is_declared_as_rest_with_a_before_the_name_rather_than_before_the_type: diag(5087, 1, "A_labeled_tuple_element_is_declared_as_rest_with_a_before_the_name_rather_than_before_the_type_5087", "A labeled tuple element is declared as rest with a '...' before the name, rather than before the type."),
        The_inferred_type_of_0_references_a_type_with_a_cyclic_structure_which_cannot_be_trivially_serialized_A_type_annotation_is_necessary: diag(5088, 1, "The_inferred_type_of_0_references_a_type_with_a_cyclic_structure_which_cannot_be_trivially_serialize_5088", "The inferred type of '{0}' references a type with a cyclic structure which cannot be trivially serialized. A type annotation is necessary."),
        Option_0_cannot_be_specified_when_option_jsx_is_1: diag(5089, 1, "Option_0_cannot_be_specified_when_option_jsx_is_1_5089", "Option '{0}' cannot be specified when option 'jsx' is '{1}'."),
        Non_relative_paths_are_not_allowed_when_baseUrl_is_not_set_Did_you_forget_a_leading_Slash: diag(5090, 1, "Non_relative_paths_are_not_allowed_when_baseUrl_is_not_set_Did_you_forget_a_leading_Slash_5090", "Non-relative paths are not allowed when 'baseUrl' is not set. Did you forget a leading './'?"),
        Option_preserveConstEnums_cannot_be_disabled_when_0_is_enabled: diag(5091, 1, "Option_preserveConstEnums_cannot_be_disabled_when_0_is_enabled_5091", "Option 'preserveConstEnums' cannot be disabled when '{0}' is enabled."),
        The_root_value_of_a_0_file_must_be_an_object: diag(5092, 1, "The_root_value_of_a_0_file_must_be_an_object_5092", "The root value of a '{0}' file must be an object."),
        Compiler_option_0_may_only_be_used_with_build: diag(5093, 1, "Compiler_option_0_may_only_be_used_with_build_5093", "Compiler option '--{0}' may only be used with '--build'."),
        Compiler_option_0_may_not_be_used_with_build: diag(5094, 1, "Compiler_option_0_may_not_be_used_with_build_5094", "Compiler option '--{0}' may not be used with '--build'."),
        Option_0_can_only_be_used_when_module_is_set_to_preserve_or_to_es2015_or_later: diag(5095, 1, "Option_0_can_only_be_used_when_module_is_set_to_preserve_or_to_es2015_or_later_5095", "Option '{0}' can only be used when 'module' is set to 'preserve' or to 'es2015' or later."),
        Option_allowImportingTsExtensions_can_only_be_used_when_either_noEmit_or_emitDeclarationOnly_is_set: diag(5096, 1, "Option_allowImportingTsExtensions_can_only_be_used_when_either_noEmit_or_emitDeclarationOnly_is_set_5096", "Option 'allowImportingTsExtensions' can only be used when either 'noEmit' or 'emitDeclarationOnly' is set."),
        An_import_path_can_only_end_with_a_0_extension_when_allowImportingTsExtensions_is_enabled: diag(5097, 1, "An_import_path_can_only_end_with_a_0_extension_when_allowImportingTsExtensions_is_enabled_5097", "An import path can only end with a '{0}' extension when 'allowImportingTsExtensions' is enabled."),
        Option_0_can_only_be_used_when_moduleResolution_is_set_to_node16_nodenext_or_bundler: diag(5098, 1, "Option_0_can_only_be_used_when_moduleResolution_is_set_to_node16_nodenext_or_bundler_5098", "Option '{0}' can only be used when 'moduleResolution' is set to 'node16', 'nodenext', or 'bundler'."),
        Option_0_is_deprecated_and_will_stop_functioning_in_TypeScript_1_Specify_compilerOption_ignoreDeprecations_Colon_2_to_silence_this_error: diag(5101, 1, "Option_0_is_deprecated_and_will_stop_functioning_in_TypeScript_1_Specify_compilerOption_ignoreDeprec_5101", `Option '{0}' is deprecated and will stop functioning in TypeScript {1}. Specify compilerOption '"ignoreDeprecations": "{2}"' to silence this error.`),
        Option_0_has_been_removed_Please_remove_it_from_your_configuration: diag(5102, 1, "Option_0_has_been_removed_Please_remove_it_from_your_configuration_5102", "Option '{0}' has been removed. Please remove it from your configuration."),
        Invalid_value_for_ignoreDeprecations: diag(5103, 1, "Invalid_value_for_ignoreDeprecations_5103", "Invalid value for '--ignoreDeprecations'."),
        Option_0_is_redundant_and_cannot_be_specified_with_option_1: diag(5104, 1, "Option_0_is_redundant_and_cannot_be_specified_with_option_1_5104", "Option '{0}' is redundant and cannot be specified with option '{1}'."),
        Option_verbatimModuleSyntax_cannot_be_used_when_module_is_set_to_UMD_AMD_or_System: diag(5105, 1, "Option_verbatimModuleSyntax_cannot_be_used_when_module_is_set_to_UMD_AMD_or_System_5105", "Option 'verbatimModuleSyntax' cannot be used when 'module' is set to 'UMD', 'AMD', or 'System'."),
        Use_0_instead: diag(5106, 3, "Use_0_instead_5106", "Use '{0}' instead."),
        Option_0_1_is_deprecated_and_will_stop_functioning_in_TypeScript_2_Specify_compilerOption_ignoreDeprecations_Colon_3_to_silence_this_error: diag(5107, 1, "Option_0_1_is_deprecated_and_will_stop_functioning_in_TypeScript_2_Specify_compilerOption_ignoreDepr_5107", `Option '{0}={1}' is deprecated and will stop functioning in TypeScript {2}. Specify compilerOption '"ignoreDeprecations": "{3}"' to silence this error.`),
        Option_0_1_has_been_removed_Please_remove_it_from_your_configuration: diag(5108, 1, "Option_0_1_has_been_removed_Please_remove_it_from_your_configuration_5108", "Option '{0}={1}' has been removed. Please remove it from your configuration."),
        Option_moduleResolution_must_be_set_to_0_or_left_unspecified_when_option_module_is_set_to_1: diag(5109, 1, "Option_moduleResolution_must_be_set_to_0_or_left_unspecified_when_option_module_is_set_to_1_5109", "Option 'moduleResolution' must be set to '{0}' (or left unspecified) when option 'module' is set to '{1}'."),
        Option_module_must_be_set_to_0_when_option_moduleResolution_is_set_to_1: diag(5110, 1, "Option_module_must_be_set_to_0_when_option_moduleResolution_is_set_to_1_5110", "Option 'module' must be set to '{0}' when option 'moduleResolution' is set to '{1}'."),
        Generates_a_sourcemap_for_each_corresponding_d_ts_file: diag(6e3, 3, "Generates_a_sourcemap_for_each_corresponding_d_ts_file_6000", "Generates a sourcemap for each corresponding '.d.ts' file."),
        Concatenate_and_emit_output_to_single_file: diag(6001, 3, "Concatenate_and_emit_output_to_single_file_6001", "Concatenate and emit output to single file."),
        Generates_corresponding_d_ts_file: diag(6002, 3, "Generates_corresponding_d_ts_file_6002", "Generates corresponding '.d.ts' file."),
        Specify_the_location_where_debugger_should_locate_TypeScript_files_instead_of_source_locations: diag(6004, 3, "Specify_the_location_where_debugger_should_locate_TypeScript_files_instead_of_source_locations_6004", "Specify the location where debugger should locate TypeScript files instead of source locations."),
        Watch_input_files: diag(6005, 3, "Watch_input_files_6005", "Watch input files."),
        Redirect_output_structure_to_the_directory: diag(6006, 3, "Redirect_output_structure_to_the_directory_6006", "Redirect output structure to the directory."),
        Do_not_erase_const_enum_declarations_in_generated_code: diag(6007, 3, "Do_not_erase_const_enum_declarations_in_generated_code_6007", "Do not erase const enum declarations in generated code."),
        Do_not_emit_outputs_if_any_errors_were_reported: diag(6008, 3, "Do_not_emit_outputs_if_any_errors_were_reported_6008", "Do not emit outputs if any errors were reported."),
        Do_not_emit_comments_to_output: diag(6009, 3, "Do_not_emit_comments_to_output_6009", "Do not emit comments to output."),
        Do_not_emit_outputs: diag(6010, 3, "Do_not_emit_outputs_6010", "Do not emit outputs."),
        Allow_default_imports_from_modules_with_no_default_export_This_does_not_affect_code_emit_just_typechecking: diag(6011, 3, "Allow_default_imports_from_modules_with_no_default_export_This_does_not_affect_code_emit_just_typech_6011", "Allow default imports from modules with no default export. This does not affect code emit, just typechecking."),
        Skip_type_checking_of_declaration_files: diag(6012, 3, "Skip_type_checking_of_declaration_files_6012", "Skip type checking of declaration files."),
        Do_not_resolve_the_real_path_of_symlinks: diag(6013, 3, "Do_not_resolve_the_real_path_of_symlinks_6013", "Do not resolve the real path of symlinks."),
        Only_emit_d_ts_declaration_files: diag(6014, 3, "Only_emit_d_ts_declaration_files_6014", "Only emit '.d.ts' declaration files."),
        Specify_ECMAScript_target_version: diag(6015, 3, "Specify_ECMAScript_target_version_6015", "Specify ECMAScript target version."),
        Specify_module_code_generation: diag(6016, 3, "Specify_module_code_generation_6016", "Specify module code generation."),
        Print_this_message: diag(6017, 3, "Print_this_message_6017", "Print this message."),
        Print_the_compiler_s_version: diag(6019, 3, "Print_the_compiler_s_version_6019", "Print the compiler's version."),
        Compile_the_project_given_the_path_to_its_configuration_file_or_to_a_folder_with_a_tsconfig_json: diag(6020, 3, "Compile_the_project_given_the_path_to_its_configuration_file_or_to_a_folder_with_a_tsconfig_json_6020", "Compile the project given the path to its configuration file, or to a folder with a 'tsconfig.json'."),
        Syntax_Colon_0: diag(6023, 3, "Syntax_Colon_0_6023", "Syntax: {0}"),
        options: diag(6024, 3, "options_6024", "options"),
        file: diag(6025, 3, "file_6025", "file"),
        Examples_Colon_0: diag(6026, 3, "Examples_Colon_0_6026", "Examples: {0}"),
        Options_Colon: diag(6027, 3, "Options_Colon_6027", "Options:"),
        Version_0: diag(6029, 3, "Version_0_6029", "Version {0}"),
        Insert_command_line_options_and_files_from_a_file: diag(6030, 3, "Insert_command_line_options_and_files_from_a_file_6030", "Insert command line options and files from a file."),
        Starting_compilation_in_watch_mode: diag(6031, 3, "Starting_compilation_in_watch_mode_6031", "Starting compilation in watch mode..."),
        File_change_detected_Starting_incremental_compilation: diag(6032, 3, "File_change_detected_Starting_incremental_compilation_6032", "File change detected. Starting incremental compilation..."),
        KIND: diag(6034, 3, "KIND_6034", "KIND"),
        FILE: diag(6035, 3, "FILE_6035", "FILE"),
        VERSION: diag(6036, 3, "VERSION_6036", "VERSION"),
        LOCATION: diag(6037, 3, "LOCATION_6037", "LOCATION"),
        DIRECTORY: diag(6038, 3, "DIRECTORY_6038", "DIRECTORY"),
        STRATEGY: diag(6039, 3, "STRATEGY_6039", "STRATEGY"),
        FILE_OR_DIRECTORY: diag(6040, 3, "FILE_OR_DIRECTORY_6040", "FILE OR DIRECTORY"),
        Errors_Files: diag(6041, 3, "Errors_Files_6041", "Errors  Files"),
        Generates_corresponding_map_file: diag(6043, 3, "Generates_corresponding_map_file_6043", "Generates corresponding '.map' file."),
        Compiler_option_0_expects_an_argument: diag(6044, 1, "Compiler_option_0_expects_an_argument_6044", "Compiler option '{0}' expects an argument."),
        Unterminated_quoted_string_in_response_file_0: diag(6045, 1, "Unterminated_quoted_string_in_response_file_0_6045", "Unterminated quoted string in response file '{0}'."),
        Argument_for_0_option_must_be_Colon_1: diag(6046, 1, "Argument_for_0_option_must_be_Colon_1_6046", "Argument for '{0}' option must be: {1}."),
        Locale_must_be_of_the_form_language_or_language_territory_For_example_0_or_1: diag(6048, 1, "Locale_must_be_of_the_form_language_or_language_territory_For_example_0_or_1_6048", "Locale must be of the form  or -. For example '{0}' or '{1}'."),
        Unable_to_open_file_0: diag(6050, 1, "Unable_to_open_file_0_6050", "Unable to open file '{0}'."),
        Corrupted_locale_file_0: diag(6051, 1, "Corrupted_locale_file_0_6051", "Corrupted locale file {0}."),
        Raise_error_on_expressions_and_declarations_with_an_implied_any_type: diag(6052, 3, "Raise_error_on_expressions_and_declarations_with_an_implied_any_type_6052", "Raise error on expressions and declarations with an implied 'any' type."),
        File_0_not_found: diag(6053, 1, "File_0_not_found_6053", "File '{0}' not found."),
        File_0_has_an_unsupported_extension_The_only_supported_extensions_are_1: diag(6054, 1, "File_0_has_an_unsupported_extension_The_only_supported_extensions_are_1_6054", "File '{0}' has an unsupported extension. The only supported extensions are {1}."),
        Suppress_noImplicitAny_errors_for_indexing_objects_lacking_index_signatures: diag(6055, 3, "Suppress_noImplicitAny_errors_for_indexing_objects_lacking_index_signatures_6055", "Suppress noImplicitAny errors for indexing objects lacking index signatures."),
        Do_not_emit_declarations_for_code_that_has_an_internal_annotation: diag(6056, 3, "Do_not_emit_declarations_for_code_that_has_an_internal_annotation_6056", "Do not emit declarations for code that has an '@internal' annotation."),
        Specify_the_root_directory_of_input_files_Use_to_control_the_output_directory_structure_with_outDir: diag(6058, 3, "Specify_the_root_directory_of_input_files_Use_to_control_the_output_directory_structure_with_outDir_6058", "Specify the root directory of input files. Use to control the output directory structure with --outDir."),
        File_0_is_not_under_rootDir_1_rootDir_is_expected_to_contain_all_source_files: diag(6059, 1, "File_0_is_not_under_rootDir_1_rootDir_is_expected_to_contain_all_source_files_6059", "File '{0}' is not under 'rootDir' '{1}'. 'rootDir' is expected to contain all source files."),
        Specify_the_end_of_line_sequence_to_be_used_when_emitting_files_Colon_CRLF_dos_or_LF_unix: diag(6060, 3, "Specify_the_end_of_line_sequence_to_be_used_when_emitting_files_Colon_CRLF_dos_or_LF_unix_6060", "Specify the end of line sequence to be used when emitting files: 'CRLF' (dos) or 'LF' (unix)."),
        NEWLINE: diag(6061, 3, "NEWLINE_6061", "NEWLINE"),
        Option_0_can_only_be_specified_in_tsconfig_json_file_or_set_to_null_on_command_line: diag(6064, 1, "Option_0_can_only_be_specified_in_tsconfig_json_file_or_set_to_null_on_command_line_6064", "Option '{0}' can only be specified in 'tsconfig.json' file or set to 'null' on command line."),
        Enables_experimental_support_for_ES7_decorators: diag(6065, 3, "Enables_experimental_support_for_ES7_decorators_6065", "Enables experimental support for ES7 decorators."),
        Enables_experimental_support_for_emitting_type_metadata_for_decorators: diag(6066, 3, "Enables_experimental_support_for_emitting_type_metadata_for_decorators_6066", "Enables experimental support for emitting type metadata for decorators."),
        Initializes_a_TypeScript_project_and_creates_a_tsconfig_json_file: diag(6070, 3, "Initializes_a_TypeScript_project_and_creates_a_tsconfig_json_file_6070", "Initializes a TypeScript project and creates a tsconfig.json file."),
        Successfully_created_a_tsconfig_json_file: diag(6071, 3, "Successfully_created_a_tsconfig_json_file_6071", "Successfully created a tsconfig.json file."),
        Suppress_excess_property_checks_for_object_literals: diag(6072, 3, "Suppress_excess_property_checks_for_object_literals_6072", "Suppress excess property checks for object literals."),
        Stylize_errors_and_messages_using_color_and_context_experimental: diag(6073, 3, "Stylize_errors_and_messages_using_color_and_context_experimental_6073", "Stylize errors and messages using color and context (experimental)."),
        Do_not_report_errors_on_unused_labels: diag(6074, 3, "Do_not_report_errors_on_unused_labels_6074", "Do not report errors on unused labels."),
        Report_error_when_not_all_code_paths_in_function_return_a_value: diag(6075, 3, "Report_error_when_not_all_code_paths_in_function_return_a_value_6075", "Report error when not all code paths in function return a value."),
        Report_errors_for_fallthrough_cases_in_switch_statement: diag(6076, 3, "Report_errors_for_fallthrough_cases_in_switch_statement_6076", "Report errors for fallthrough cases in switch statement."),
        Do_not_report_errors_on_unreachable_code: diag(6077, 3, "Do_not_report_errors_on_unreachable_code_6077", "Do not report errors on unreachable code."),
        Disallow_inconsistently_cased_references_to_the_same_file: diag(6078, 3, "Disallow_inconsistently_cased_references_to_the_same_file_6078", "Disallow inconsistently-cased references to the same file."),
        Specify_library_files_to_be_included_in_the_compilation: diag(6079, 3, "Specify_library_files_to_be_included_in_the_compilation_6079", "Specify library files to be included in the compilation."),
        Specify_JSX_code_generation: diag(6080, 3, "Specify_JSX_code_generation_6080", "Specify JSX code generation."),
        Only_amd_and_system_modules_are_supported_alongside_0: diag(6082, 1, "Only_amd_and_system_modules_are_supported_alongside_0_6082", "Only 'amd' and 'system' modules are supported alongside --{0}."),
        Base_directory_to_resolve_non_absolute_module_names: diag(6083, 3, "Base_directory_to_resolve_non_absolute_module_names_6083", "Base directory to resolve non-absolute module names."),
        Deprecated_Use_jsxFactory_instead_Specify_the_object_invoked_for_createElement_when_targeting_react_JSX_emit: diag(6084, 3, "Deprecated_Use_jsxFactory_instead_Specify_the_object_invoked_for_createElement_when_targeting_react__6084", "[Deprecated] Use '--jsxFactory' instead. Specify the object invoked for createElement when targeting 'react' JSX emit"),
        Enable_tracing_of_the_name_resolution_process: diag(6085, 3, "Enable_tracing_of_the_name_resolution_process_6085", "Enable tracing of the name resolution process."),
        Resolving_module_0_from_1: diag(6086, 3, "Resolving_module_0_from_1_6086", "======== Resolving module '{0}' from '{1}'. ========"),
        Explicitly_specified_module_resolution_kind_Colon_0: diag(6087, 3, "Explicitly_specified_module_resolution_kind_Colon_0_6087", "Explicitly specified module resolution kind: '{0}'."),
        Module_resolution_kind_is_not_specified_using_0: diag(6088, 3, "Module_resolution_kind_is_not_specified_using_0_6088", "Module resolution kind is not specified, using '{0}'."),
        Module_name_0_was_successfully_resolved_to_1: diag(6089, 3, "Module_name_0_was_successfully_resolved_to_1_6089", "======== Module name '{0}' was successfully resolved to '{1}'. ========"),
        Module_name_0_was_not_resolved: diag(6090, 3, "Module_name_0_was_not_resolved_6090", "======== Module name '{0}' was not resolved. ========"),
        paths_option_is_specified_looking_for_a_pattern_to_match_module_name_0: diag(6091, 3, "paths_option_is_specified_looking_for_a_pattern_to_match_module_name_0_6091", "'paths' option is specified, looking for a pattern to match module name '{0}'."),
        Module_name_0_matched_pattern_1: diag(6092, 3, "Module_name_0_matched_pattern_1_6092", "Module name '{0}', matched pattern '{1}'."),
        Trying_substitution_0_candidate_module_location_Colon_1: diag(6093, 3, "Trying_substitution_0_candidate_module_location_Colon_1_6093", "Trying substitution '{0}', candidate module location: '{1}'."),
        Resolving_module_name_0_relative_to_base_url_1_2: diag(6094, 3, "Resolving_module_name_0_relative_to_base_url_1_2_6094", "Resolving module name '{0}' relative to base url '{1}' - '{2}'."),
        Loading_module_as_file_Slash_folder_candidate_module_location_0_target_file_types_Colon_1: diag(6095, 3, "Loading_module_as_file_Slash_folder_candidate_module_location_0_target_file_types_Colon_1_6095", "Loading module as file / folder, candidate module location '{0}', target file types: {1}."),
        File_0_does_not_exist: diag(6096, 3, "File_0_does_not_exist_6096", "File '{0}' does not exist."),
        File_0_exists_use_it_as_a_name_resolution_result: diag(6097, 3, "File_0_exists_use_it_as_a_name_resolution_result_6097", "File '{0}' exists - use it as a name resolution result."),
        Loading_module_0_from_node_modules_folder_target_file_types_Colon_1: diag(6098, 3, "Loading_module_0_from_node_modules_folder_target_file_types_Colon_1_6098", "Loading module '{0}' from 'node_modules' folder, target file types: {1}."),
        Found_package_json_at_0: diag(6099, 3, "Found_package_json_at_0_6099", "Found 'package.json' at '{0}'."),
        package_json_does_not_have_a_0_field: diag(6100, 3, "package_json_does_not_have_a_0_field_6100", "'package.json' does not have a '{0}' field."),
        package_json_has_0_field_1_that_references_2: diag(6101, 3, "package_json_has_0_field_1_that_references_2_6101", "'package.json' has '{0}' field '{1}' that references '{2}'."),
        Allow_javascript_files_to_be_compiled: diag(6102, 3, "Allow_javascript_files_to_be_compiled_6102", "Allow javascript files to be compiled."),
        Checking_if_0_is_the_longest_matching_prefix_for_1_2: diag(6104, 3, "Checking_if_0_is_the_longest_matching_prefix_for_1_2_6104", "Checking if '{0}' is the longest matching prefix for '{1}' - '{2}'."),
        Expected_type_of_0_field_in_package_json_to_be_1_got_2: diag(6105, 3, "Expected_type_of_0_field_in_package_json_to_be_1_got_2_6105", "Expected type of '{0}' field in 'package.json' to be '{1}', got '{2}'."),
        baseUrl_option_is_set_to_0_using_this_value_to_resolve_non_relative_module_name_1: diag(6106, 3, "baseUrl_option_is_set_to_0_using_this_value_to_resolve_non_relative_module_name_1_6106", "'baseUrl' option is set to '{0}', using this value to resolve non-relative module name '{1}'."),
        rootDirs_option_is_set_using_it_to_resolve_relative_module_name_0: diag(6107, 3, "rootDirs_option_is_set_using_it_to_resolve_relative_module_name_0_6107", "'rootDirs' option is set, using it to resolve relative module name '{0}'."),
        Longest_matching_prefix_for_0_is_1: diag(6108, 3, "Longest_matching_prefix_for_0_is_1_6108", "Longest matching prefix for '{0}' is '{1}'."),
        Loading_0_from_the_root_dir_1_candidate_location_2: diag(6109, 3, "Loading_0_from_the_root_dir_1_candidate_location_2_6109", "Loading '{0}' from the root dir '{1}', candidate location '{2}'."),
        Trying_other_entries_in_rootDirs: diag(6110, 3, "Trying_other_entries_in_rootDirs_6110", "Trying other entries in 'rootDirs'."),
        Module_resolution_using_rootDirs_has_failed: diag(6111, 3, "Module_resolution_using_rootDirs_has_failed_6111", "Module resolution using 'rootDirs' has failed."),
        Do_not_emit_use_strict_directives_in_module_output: diag(6112, 3, "Do_not_emit_use_strict_directives_in_module_output_6112", "Do not emit 'use strict' directives in module output."),
        Enable_strict_null_checks: diag(6113, 3, "Enable_strict_null_checks_6113", "Enable strict null checks."),
        Unknown_option_excludes_Did_you_mean_exclude: diag(6114, 1, "Unknown_option_excludes_Did_you_mean_exclude_6114", "Unknown option 'excludes'. Did you mean 'exclude'?"),
        Raise_error_on_this_expressions_with_an_implied_any_type: diag(6115, 3, "Raise_error_on_this_expressions_with_an_implied_any_type_6115", "Raise error on 'this' expressions with an implied 'any' type."),
        Resolving_type_reference_directive_0_containing_file_1_root_directory_2: diag(6116, 3, "Resolving_type_reference_directive_0_containing_file_1_root_directory_2_6116", "======== Resolving type reference directive '{0}', containing file '{1}', root directory '{2}'. ========"),
        Type_reference_directive_0_was_successfully_resolved_to_1_primary_Colon_2: diag(6119, 3, "Type_reference_directive_0_was_successfully_resolved_to_1_primary_Colon_2_6119", "======== Type reference directive '{0}' was successfully resolved to '{1}', primary: {2}. ========"),
        Type_reference_directive_0_was_not_resolved: diag(6120, 3, "Type_reference_directive_0_was_not_resolved_6120", "======== Type reference directive '{0}' was not resolved. ========"),
        Resolving_with_primary_search_path_0: diag(6121, 3, "Resolving_with_primary_search_path_0_6121", "Resolving with primary search path '{0}'."),
        Root_directory_cannot_be_determined_skipping_primary_search_paths: diag(6122, 3, "Root_directory_cannot_be_determined_skipping_primary_search_paths_6122", "Root directory cannot be determined, skipping primary search paths."),
        Resolving_type_reference_directive_0_containing_file_1_root_directory_not_set: diag(6123, 3, "Resolving_type_reference_directive_0_containing_file_1_root_directory_not_set_6123", "======== Resolving type reference directive '{0}', containing file '{1}', root directory not set. ========"),
        Type_declaration_files_to_be_included_in_compilation: diag(6124, 3, "Type_declaration_files_to_be_included_in_compilation_6124", "Type declaration files to be included in compilation."),
        Looking_up_in_node_modules_folder_initial_location_0: diag(6125, 3, "Looking_up_in_node_modules_folder_initial_location_0_6125", "Looking up in 'node_modules' folder, initial location '{0}'."),
        Containing_file_is_not_specified_and_root_directory_cannot_be_determined_skipping_lookup_in_node_modules_folder: diag(6126, 3, "Containing_file_is_not_specified_and_root_directory_cannot_be_determined_skipping_lookup_in_node_mod_6126", "Containing file is not specified and root directory cannot be determined, skipping lookup in 'node_modules' folder."),
        Resolving_type_reference_directive_0_containing_file_not_set_root_directory_1: diag(6127, 3, "Resolving_type_reference_directive_0_containing_file_not_set_root_directory_1_6127", "======== Resolving type reference directive '{0}', containing file not set, root directory '{1}'. ========"),
        Resolving_type_reference_directive_0_containing_file_not_set_root_directory_not_set: diag(6128, 3, "Resolving_type_reference_directive_0_containing_file_not_set_root_directory_not_set_6128", "======== Resolving type reference directive '{0}', containing file not set, root directory not set. ========"),
        Resolving_real_path_for_0_result_1: diag(6130, 3, "Resolving_real_path_for_0_result_1_6130", "Resolving real path for '{0}', result '{1}'."),
        Cannot_compile_modules_using_option_0_unless_the_module_flag_is_amd_or_system: diag(6131, 1, "Cannot_compile_modules_using_option_0_unless_the_module_flag_is_amd_or_system_6131", "Cannot compile modules using option '{0}' unless the '--module' flag is 'amd' or 'system'."),
        File_name_0_has_a_1_extension_stripping_it: diag(6132, 3, "File_name_0_has_a_1_extension_stripping_it_6132", "File name '{0}' has a '{1}' extension - stripping it."),
        _0_is_declared_but_its_value_is_never_read: diag(
          6133,
          1,
          "_0_is_declared_but_its_value_is_never_read_6133",
          "'{0}' is declared but its value is never read.",
          /*reportsUnnecessary*/
          true
        ),
        Report_errors_on_unused_locals: diag(6134, 3, "Report_errors_on_unused_locals_6134", "Report errors on unused locals."),
        Report_errors_on_unused_parameters: diag(6135, 3, "Report_errors_on_unused_parameters_6135", "Report errors on unused parameters."),
        The_maximum_dependency_depth_to_search_under_node_modules_and_load_JavaScript_files: diag(6136, 3, "The_maximum_dependency_depth_to_search_under_node_modules_and_load_JavaScript_files_6136", "The maximum dependency depth to search under node_modules and load JavaScript files."),
        Cannot_import_type_declaration_files_Consider_importing_0_instead_of_1: diag(6137, 1, "Cannot_import_type_declaration_files_Consider_importing_0_instead_of_1_6137", "Cannot import type declaration files. Consider importing '{0}' instead of '{1}'."),
        Property_0_is_declared_but_its_value_is_never_read: diag(
          6138,
          1,
          "Property_0_is_declared_but_its_value_is_never_read_6138",
          "Property '{0}' is declared but its value is never read.",
          /*reportsUnnecessary*/
          true
        ),
        Import_emit_helpers_from_tslib: diag(6139, 3, "Import_emit_helpers_from_tslib_6139", "Import emit helpers from 'tslib'."),
        Auto_discovery_for_typings_is_enabled_in_project_0_Running_extra_resolution_pass_for_module_1_using_cache_location_2: diag(6140, 1, "Auto_discovery_for_typings_is_enabled_in_project_0_Running_extra_resolution_pass_for_module_1_using__6140", "Auto discovery for typings is enabled in project '{0}'. Running extra resolution pass for module '{1}' using cache location '{2}'."),
        Parse_in_strict_mode_and_emit_use_strict_for_each_source_file: diag(6141, 3, "Parse_in_strict_mode_and_emit_use_strict_for_each_source_file_6141", 'Parse in strict mode and emit "use strict" for each source file.'),
        Module_0_was_resolved_to_1_but_jsx_is_not_set: diag(6142, 1, "Module_0_was_resolved_to_1_but_jsx_is_not_set_6142", "Module '{0}' was resolved to '{1}', but '--jsx' is not set."),
        Module_0_was_resolved_as_locally_declared_ambient_module_in_file_1: diag(6144, 3, "Module_0_was_resolved_as_locally_declared_ambient_module_in_file_1_6144", "Module '{0}' was resolved as locally declared ambient module in file '{1}'."),
        Module_0_was_resolved_as_ambient_module_declared_in_1_since_this_file_was_not_modified: diag(6145, 3, "Module_0_was_resolved_as_ambient_module_declared_in_1_since_this_file_was_not_modified_6145", "Module '{0}' was resolved as ambient module declared in '{1}' since this file was not modified."),
        Specify_the_JSX_factory_function_to_use_when_targeting_react_JSX_emit_e_g_React_createElement_or_h: diag(6146, 3, "Specify_the_JSX_factory_function_to_use_when_targeting_react_JSX_emit_e_g_React_createElement_or_h_6146", "Specify the JSX factory function to use when targeting 'react' JSX emit, e.g. 'React.createElement' or 'h'."),
        Resolution_for_module_0_was_found_in_cache_from_location_1: diag(6147, 3, "Resolution_for_module_0_was_found_in_cache_from_location_1_6147", "Resolution for module '{0}' was found in cache from location '{1}'."),
        Directory_0_does_not_exist_skipping_all_lookups_in_it: diag(6148, 3, "Directory_0_does_not_exist_skipping_all_lookups_in_it_6148", "Directory '{0}' does not exist, skipping all lookups in it."),
        Show_diagnostic_information: diag(6149, 3, "Show_diagnostic_information_6149", "Show diagnostic information."),
        Show_verbose_diagnostic_information: diag(6150, 3, "Show_verbose_diagnostic_information_6150", "Show verbose diagnostic information."),
        Emit_a_single_file_with_source_maps_instead_of_having_a_separate_file: diag(6151, 3, "Emit_a_single_file_with_source_maps_instead_of_having_a_separate_file_6151", "Emit a single file with source maps instead of having a separate file."),
        Emit_the_source_alongside_the_sourcemaps_within_a_single_file_requires_inlineSourceMap_or_sourceMap_to_be_set: diag(6152, 3, "Emit_the_source_alongside_the_sourcemaps_within_a_single_file_requires_inlineSourceMap_or_sourceMap__6152", "Emit the source alongside the sourcemaps within a single file; requires '--inlineSourceMap' or '--sourceMap' to be set."),
        Transpile_each_file_as_a_separate_module_similar_to_ts_transpileModule: diag(6153, 3, "Transpile_each_file_as_a_separate_module_similar_to_ts_transpileModule_6153", "Transpile each file as a separate module (similar to 'ts.transpileModule')."),
        Print_names_of_generated_files_part_of_the_compilation: diag(6154, 3, "Print_names_of_generated_files_part_of_the_compilation_6154", "Print names of generated files part of the compilation."),
        Print_names_of_files_part_of_the_compilation: diag(6155, 3, "Print_names_of_files_part_of_the_compilation_6155", "Print names of files part of the compilation."),
        The_locale_used_when_displaying_messages_to_the_user_e_g_en_us: diag(6156, 3, "The_locale_used_when_displaying_messages_to_the_user_e_g_en_us_6156", "The locale used when displaying messages to the user (e.g. 'en-us')"),
        Do_not_generate_custom_helper_functions_like_extends_in_compiled_output: diag(6157, 3, "Do_not_generate_custom_helper_functions_like_extends_in_compiled_output_6157", "Do not generate custom helper functions like '__extends' in compiled output."),
        Do_not_include_the_default_library_file_lib_d_ts: diag(6158, 3, "Do_not_include_the_default_library_file_lib_d_ts_6158", "Do not include the default library file (lib.d.ts)."),
        Do_not_add_triple_slash_references_or_imported_modules_to_the_list_of_compiled_files: diag(6159, 3, "Do_not_add_triple_slash_references_or_imported_modules_to_the_list_of_compiled_files_6159", "Do not add triple-slash references or imported modules to the list of compiled files."),
        Deprecated_Use_skipLibCheck_instead_Skip_type_checking_of_default_library_declaration_files: diag(6160, 3, "Deprecated_Use_skipLibCheck_instead_Skip_type_checking_of_default_library_declaration_files_6160", "[Deprecated] Use '--skipLibCheck' instead. Skip type checking of default library declaration files."),
        List_of_folders_to_include_type_definitions_from: diag(6161, 3, "List_of_folders_to_include_type_definitions_from_6161", "List of folders to include type definitions from."),
        Disable_size_limitations_on_JavaScript_projects: diag(6162, 3, "Disable_size_limitations_on_JavaScript_projects_6162", "Disable size limitations on JavaScript projects."),
        The_character_set_of_the_input_files: diag(6163, 3, "The_character_set_of_the_input_files_6163", "The character set of the input files."),
        Skipping_module_0_that_looks_like_an_absolute_URI_target_file_types_Colon_1: diag(6164, 3, "Skipping_module_0_that_looks_like_an_absolute_URI_target_file_types_Colon_1_6164", "Skipping module '{0}' that looks like an absolute URI, target file types: {1}."),
        Do_not_truncate_error_messages: diag(6165, 3, "Do_not_truncate_error_messages_6165", "Do not truncate error messages."),
        Output_directory_for_generated_declaration_files: diag(6166, 3, "Output_directory_for_generated_declaration_files_6166", "Output directory for generated declaration files."),
        A_series_of_entries_which_re_map_imports_to_lookup_locations_relative_to_the_baseUrl: diag(6167, 3, "A_series_of_entries_which_re_map_imports_to_lookup_locations_relative_to_the_baseUrl_6167", "A series of entries which re-map imports to lookup locations relative to the 'baseUrl'."),
        List_of_root_folders_whose_combined_content_represents_the_structure_of_the_project_at_runtime: diag(6168, 3, "List_of_root_folders_whose_combined_content_represents_the_structure_of_the_project_at_runtime_6168", "List of root folders whose combined content represents the structure of the project at runtime."),
        Show_all_compiler_options: diag(6169, 3, "Show_all_compiler_options_6169", "Show all compiler options."),
        Deprecated_Use_outFile_instead_Concatenate_and_emit_output_to_single_file: diag(6170, 3, "Deprecated_Use_outFile_instead_Concatenate_and_emit_output_to_single_file_6170", "[Deprecated] Use '--outFile' instead. Concatenate and emit output to single file"),
        Command_line_Options: diag(6171, 3, "Command_line_Options_6171", "Command-line Options"),
        Provide_full_support_for_iterables_in_for_of_spread_and_destructuring_when_targeting_ES5: diag(6179, 3, "Provide_full_support_for_iterables_in_for_of_spread_and_destructuring_when_targeting_ES5_6179", "Provide full support for iterables in 'for-of', spread, and destructuring when targeting 'ES5'."),
        Enable_all_strict_type_checking_options: diag(6180, 3, "Enable_all_strict_type_checking_options_6180", "Enable all strict type-checking options."),
        Scoped_package_detected_looking_in_0: diag(6182, 3, "Scoped_package_detected_looking_in_0_6182", "Scoped package detected, looking in '{0}'"),
        Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2: diag(6183, 3, "Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2_6183", "Reusing resolution of module '{0}' from '{1}' of old program, it was successfully resolved to '{2}'."),
        Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package_ID_3: diag(6184, 3, "Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package__6184", "Reusing resolution of module '{0}' from '{1}' of old program, it was successfully resolved to '{2}' with Package ID '{3}'."),
        Enable_strict_checking_of_function_types: diag(6186, 3, "Enable_strict_checking_of_function_types_6186", "Enable strict checking of function types."),
        Enable_strict_checking_of_property_initialization_in_classes: diag(6187, 3, "Enable_strict_checking_of_property_initialization_in_classes_6187", "Enable strict checking of property initialization in classes."),
        Numeric_separators_are_not_allowed_here: diag(6188, 1, "Numeric_separators_are_not_allowed_here_6188", "Numeric separators are not allowed here."),
        Multiple_consecutive_numeric_separators_are_not_permitted: diag(6189, 1, "Multiple_consecutive_numeric_separators_are_not_permitted_6189", "Multiple consecutive numeric separators are not permitted."),
        Whether_to_keep_outdated_console_output_in_watch_mode_instead_of_clearing_the_screen: diag(6191, 3, "Whether_to_keep_outdated_console_output_in_watch_mode_instead_of_clearing_the_screen_6191", "Whether to keep outdated console output in watch mode instead of clearing the screen."),
        All_imports_in_import_declaration_are_unused: diag(
          6192,
          1,
          "All_imports_in_import_declaration_are_unused_6192",
          "All imports in import declaration are unused.",
          /*reportsUnnecessary*/
          true
        ),
        Found_1_error_Watching_for_file_changes: diag(6193, 3, "Found_1_error_Watching_for_file_changes_6193", "Found 1 error. Watching for file changes."),
        Found_0_errors_Watching_for_file_changes: diag(6194, 3, "Found_0_errors_Watching_for_file_changes_6194", "Found {0} errors. Watching for file changes."),
        Resolve_keyof_to_string_valued_property_names_only_no_numbers_or_symbols: diag(6195, 3, "Resolve_keyof_to_string_valued_property_names_only_no_numbers_or_symbols_6195", "Resolve 'keyof' to string valued property names only (no numbers or symbols)."),
        _0_is_declared_but_never_used: diag(
          6196,
          1,
          "_0_is_declared_but_never_used_6196",
          "'{0}' is declared but never used.",
          /*reportsUnnecessary*/
          true
        ),
        Include_modules_imported_with_json_extension: diag(6197, 3, "Include_modules_imported_with_json_extension_6197", "Include modules imported with '.json' extension"),
        All_destructured_elements_are_unused: diag(
          6198,
          1,
          "All_destructured_elements_are_unused_6198",
          "All destructured elements are unused.",
          /*reportsUnnecessary*/
          true
        ),
        All_variables_are_unused: diag(
          6199,
          1,
          "All_variables_are_unused_6199",
          "All variables are unused.",
          /*reportsUnnecessary*/
          true
        ),
        Definitions_of_the_following_identifiers_conflict_with_those_in_another_file_Colon_0: diag(6200, 1, "Definitions_of_the_following_identifiers_conflict_with_those_in_another_file_Colon_0_6200", "Definitions of the following identifiers conflict with those in another file: {0}"),
        Conflicts_are_in_this_file: diag(6201, 3, "Conflicts_are_in_this_file_6201", "Conflicts are in this file."),
        Project_references_may_not_form_a_circular_graph_Cycle_detected_Colon_0: diag(6202, 1, "Project_references_may_not_form_a_circular_graph_Cycle_detected_Colon_0_6202", "Project references may not form a circular graph. Cycle detected: {0}"),
        _0_was_also_declared_here: diag(6203, 3, "_0_was_also_declared_here_6203", "'{0}' was also declared here."),
        and_here: diag(6204, 3, "and_here_6204", "and here."),
        All_type_parameters_are_unused: diag(6205, 1, "All_type_parameters_are_unused_6205", "All type parameters are unused."),
        package_json_has_a_typesVersions_field_with_version_specific_path_mappings: diag(6206, 3, "package_json_has_a_typesVersions_field_with_version_specific_path_mappings_6206", "'package.json' has a 'typesVersions' field with version-specific path mappings."),
        package_json_does_not_have_a_typesVersions_entry_that_matches_version_0: diag(6207, 3, "package_json_does_not_have_a_typesVersions_entry_that_matches_version_0_6207", "'package.json' does not have a 'typesVersions' entry that matches version '{0}'."),
        package_json_has_a_typesVersions_entry_0_that_matches_compiler_version_1_looking_for_a_pattern_to_match_module_name_2: diag(6208, 3, "package_json_has_a_typesVersions_entry_0_that_matches_compiler_version_1_looking_for_a_pattern_to_ma_6208", "'package.json' has a 'typesVersions' entry '{0}' that matches compiler version '{1}', looking for a pattern to match module name '{2}'."),
        package_json_has_a_typesVersions_entry_0_that_is_not_a_valid_semver_range: diag(6209, 3, "package_json_has_a_typesVersions_entry_0_that_is_not_a_valid_semver_range_6209", "'package.json' has a 'typesVersions' entry '{0}' that is not a valid semver range."),
        An_argument_for_0_was_not_provided: diag(6210, 3, "An_argument_for_0_was_not_provided_6210", "An argument for '{0}' was not provided."),
        An_argument_matching_this_binding_pattern_was_not_provided: diag(6211, 3, "An_argument_matching_this_binding_pattern_was_not_provided_6211", "An argument matching this binding pattern was not provided."),
        Did_you_mean_to_call_this_expression: diag(6212, 3, "Did_you_mean_to_call_this_expression_6212", "Did you mean to call this expression?"),
        Did_you_mean_to_use_new_with_this_expression: diag(6213, 3, "Did_you_mean_to_use_new_with_this_expression_6213", "Did you mean to use 'new' with this expression?"),
        Enable_strict_bind_call_and_apply_methods_on_functions: diag(6214, 3, "Enable_strict_bind_call_and_apply_methods_on_functions_6214", "Enable strict 'bind', 'call', and 'apply' methods on functions."),
        Using_compiler_options_of_project_reference_redirect_0: diag(6215, 3, "Using_compiler_options_of_project_reference_redirect_0_6215", "Using compiler options of project reference redirect '{0}'."),
        Found_1_error: diag(6216, 3, "Found_1_error_6216", "Found 1 error."),
        Found_0_errors: diag(6217, 3, "Found_0_errors_6217", "Found {0} errors."),
        Module_name_0_was_successfully_resolved_to_1_with_Package_ID_2: diag(6218, 3, "Module_name_0_was_successfully_resolved_to_1_with_Package_ID_2_6218", "======== Module name '{0}' was successfully resolved to '{1}' with Package ID '{2}'. ========"),
        Type_reference_directive_0_was_successfully_resolved_to_1_with_Package_ID_2_primary_Colon_3: diag(6219, 3, "Type_reference_directive_0_was_successfully_resolved_to_1_with_Package_ID_2_primary_Colon_3_6219", "======== Type reference directive '{0}' was successfully resolved to '{1}' with Package ID '{2}', primary: {3}. ========"),
        package_json_had_a_falsy_0_field: diag(6220, 3, "package_json_had_a_falsy_0_field_6220", "'package.json' had a falsy '{0}' field."),
        Disable_use_of_source_files_instead_of_declaration_files_from_referenced_projects: diag(6221, 3, "Disable_use_of_source_files_instead_of_declaration_files_from_referenced_projects_6221", "Disable use of source files instead of declaration files from referenced projects."),
        Emit_class_fields_with_Define_instead_of_Set: diag(6222, 3, "Emit_class_fields_with_Define_instead_of_Set_6222", "Emit class fields with Define instead of Set."),
        Generates_a_CPU_profile: diag(6223, 3, "Generates_a_CPU_profile_6223", "Generates a CPU profile."),
        Disable_solution_searching_for_this_project: diag(6224, 3, "Disable_solution_searching_for_this_project_6224", "Disable solution searching for this project."),
        Specify_strategy_for_watching_file_Colon_FixedPollingInterval_default_PriorityPollingInterval_DynamicPriorityPolling_FixedChunkSizePolling_UseFsEvents_UseFsEventsOnParentDirectory: diag(6225, 3, "Specify_strategy_for_watching_file_Colon_FixedPollingInterval_default_PriorityPollingInterval_Dynami_6225", "Specify strategy for watching file: 'FixedPollingInterval' (default), 'PriorityPollingInterval', 'DynamicPriorityPolling', 'FixedChunkSizePolling', 'UseFsEvents', 'UseFsEventsOnParentDirectory'."),
        Specify_strategy_for_watching_directory_on_platforms_that_don_t_support_recursive_watching_natively_Colon_UseFsEvents_default_FixedPollingInterval_DynamicPriorityPolling_FixedChunkSizePolling: diag(6226, 3, "Specify_strategy_for_watching_directory_on_platforms_that_don_t_support_recursive_watching_natively__6226", "Specify strategy for watching directory on platforms that don't support recursive watching natively: 'UseFsEvents' (default), 'FixedPollingInterval', 'DynamicPriorityPolling', 'FixedChunkSizePolling'."),
        Specify_strategy_for_creating_a_polling_watch_when_it_fails_to_create_using_file_system_events_Colon_FixedInterval_default_PriorityInterval_DynamicPriority_FixedChunkSize: diag(6227, 3, "Specify_strategy_for_creating_a_polling_watch_when_it_fails_to_create_using_file_system_events_Colon_6227", "Specify strategy for creating a polling watch when it fails to create using file system events: 'FixedInterval' (default), 'PriorityInterval', 'DynamicPriority', 'FixedChunkSize'."),
        Tag_0_expects_at_least_1_arguments_but_the_JSX_factory_2_provides_at_most_3: diag(6229, 1, "Tag_0_expects_at_least_1_arguments_but_the_JSX_factory_2_provides_at_most_3_6229", "Tag '{0}' expects at least '{1}' arguments, but the JSX factory '{2}' provides at most '{3}'."),
        Option_0_can_only_be_specified_in_tsconfig_json_file_or_set_to_false_or_null_on_command_line: diag(6230, 1, "Option_0_can_only_be_specified_in_tsconfig_json_file_or_set_to_false_or_null_on_command_line_6230", "Option '{0}' can only be specified in 'tsconfig.json' file or set to 'false' or 'null' on command line."),
        Could_not_resolve_the_path_0_with_the_extensions_Colon_1: diag(6231, 1, "Could_not_resolve_the_path_0_with_the_extensions_Colon_1_6231", "Could not resolve the path '{0}' with the extensions: {1}."),
        Declaration_augments_declaration_in_another_file_This_cannot_be_serialized: diag(6232, 1, "Declaration_augments_declaration_in_another_file_This_cannot_be_serialized_6232", "Declaration augments declaration in another file. This cannot be serialized."),
        This_is_the_declaration_being_augmented_Consider_moving_the_augmenting_declaration_into_the_same_file: diag(6233, 1, "This_is_the_declaration_being_augmented_Consider_moving_the_augmenting_declaration_into_the_same_fil_6233", "This is the declaration being augmented. Consider moving the augmenting declaration into the same file."),
        This_expression_is_not_callable_because_it_is_a_get_accessor_Did_you_mean_to_use_it_without: diag(6234, 1, "This_expression_is_not_callable_because_it_is_a_get_accessor_Did_you_mean_to_use_it_without_6234", "This expression is not callable because it is a 'get' accessor. Did you mean to use it without '()'?"),
        Disable_loading_referenced_projects: diag(6235, 3, "Disable_loading_referenced_projects_6235", "Disable loading referenced projects."),
        Arguments_for_the_rest_parameter_0_were_not_provided: diag(6236, 1, "Arguments_for_the_rest_parameter_0_were_not_provided_6236", "Arguments for the rest parameter '{0}' were not provided."),
        Generates_an_event_trace_and_a_list_of_types: diag(6237, 3, "Generates_an_event_trace_and_a_list_of_types_6237", "Generates an event trace and a list of types."),
        Specify_the_module_specifier_to_be_used_to_import_the_jsx_and_jsxs_factory_functions_from_eg_react: diag(6238, 1, "Specify_the_module_specifier_to_be_used_to_import_the_jsx_and_jsxs_factory_functions_from_eg_react_6238", "Specify the module specifier to be used to import the 'jsx' and 'jsxs' factory functions from. eg, react"),
        File_0_exists_according_to_earlier_cached_lookups: diag(6239, 3, "File_0_exists_according_to_earlier_cached_lookups_6239", "File '{0}' exists according to earlier cached lookups."),
        File_0_does_not_exist_according_to_earlier_cached_lookups: diag(6240, 3, "File_0_does_not_exist_according_to_earlier_cached_lookups_6240", "File '{0}' does not exist according to earlier cached lookups."),
        Resolution_for_type_reference_directive_0_was_found_in_cache_from_location_1: diag(6241, 3, "Resolution_for_type_reference_directive_0_was_found_in_cache_from_location_1_6241", "Resolution for type reference directive '{0}' was found in cache from location '{1}'."),
        Resolving_type_reference_directive_0_containing_file_1: diag(6242, 3, "Resolving_type_reference_directive_0_containing_file_1_6242", "======== Resolving type reference directive '{0}', containing file '{1}'. ========"),
        Interpret_optional_property_types_as_written_rather_than_adding_undefined: diag(6243, 3, "Interpret_optional_property_types_as_written_rather_than_adding_undefined_6243", "Interpret optional property types as written, rather than adding 'undefined'."),
        Modules: diag(6244, 3, "Modules_6244", "Modules"),
        File_Management: diag(6245, 3, "File_Management_6245", "File Management"),
        Emit: diag(6246, 3, "Emit_6246", "Emit"),
        JavaScript_Support: diag(6247, 3, "JavaScript_Support_6247", "JavaScript Support"),
        Type_Checking: diag(6248, 3, "Type_Checking_6248", "Type Checking"),
        Editor_Support: diag(6249, 3, "Editor_Support_6249", "Editor Support"),
        Watch_and_Build_Modes: diag(6250, 3, "Watch_and_Build_Modes_6250", "Watch and Build Modes"),
        Compiler_Diagnostics: diag(6251, 3, "Compiler_Diagnostics_6251", "Compiler Diagnostics"),
        Interop_Constraints: diag(6252, 3, "Interop_Constraints_6252", "Interop Constraints"),
        Backwards_Compatibility: diag(6253, 3, "Backwards_Compatibility_6253", "Backwards Compatibility"),
        Language_and_Environment: diag(6254, 3, "Language_and_Environment_6254", "Language and Environment"),
        Projects: diag(6255, 3, "Projects_6255", "Projects"),
        Output_Formatting: diag(6256, 3, "Output_Formatting_6256", "Output Formatting"),
        Completeness: diag(6257, 3, "Completeness_6257", "Completeness"),
        _0_should_be_set_inside_the_compilerOptions_object_of_the_config_json_file: diag(6258, 1, "_0_should_be_set_inside_the_compilerOptions_object_of_the_config_json_file_6258", "'{0}' should be set inside the 'compilerOptions' object of the config json file"),
        Found_1_error_in_0: diag(6259, 3, "Found_1_error_in_0_6259", "Found 1 error in {0}"),
        Found_0_errors_in_the_same_file_starting_at_Colon_1: diag(6260, 3, "Found_0_errors_in_the_same_file_starting_at_Colon_1_6260", "Found {0} errors in the same file, starting at: {1}"),
        Found_0_errors_in_1_files: diag(6261, 3, "Found_0_errors_in_1_files_6261", "Found {0} errors in {1} files."),
        File_name_0_has_a_1_extension_looking_up_2_instead: diag(6262, 3, "File_name_0_has_a_1_extension_looking_up_2_instead_6262", "File name '{0}' has a '{1}' extension - looking up '{2}' instead."),
        Module_0_was_resolved_to_1_but_allowArbitraryExtensions_is_not_set: diag(6263, 1, "Module_0_was_resolved_to_1_but_allowArbitraryExtensions_is_not_set_6263", "Module '{0}' was resolved to '{1}', but '--allowArbitraryExtensions' is not set."),
        Enable_importing_files_with_any_extension_provided_a_declaration_file_is_present: diag(6264, 3, "Enable_importing_files_with_any_extension_provided_a_declaration_file_is_present_6264", "Enable importing files with any extension, provided a declaration file is present."),
        Resolving_type_reference_directive_for_program_that_specifies_custom_typeRoots_skipping_lookup_in_node_modules_folder: diag(6265, 3, "Resolving_type_reference_directive_for_program_that_specifies_custom_typeRoots_skipping_lookup_in_no_6265", "Resolving type reference directive for program that specifies custom typeRoots, skipping lookup in 'node_modules' folder."),
        Option_0_can_only_be_specified_on_command_line: diag(6266, 1, "Option_0_can_only_be_specified_on_command_line_6266", "Option '{0}' can only be specified on command line."),
        Directory_0_has_no_containing_package_json_scope_Imports_will_not_resolve: diag(6270, 3, "Directory_0_has_no_containing_package_json_scope_Imports_will_not_resolve_6270", "Directory '{0}' has no containing package.json scope. Imports will not resolve."),
        Import_specifier_0_does_not_exist_in_package_json_scope_at_path_1: diag(6271, 3, "Import_specifier_0_does_not_exist_in_package_json_scope_at_path_1_6271", "Import specifier '{0}' does not exist in package.json scope at path '{1}'."),
        Invalid_import_specifier_0_has_no_possible_resolutions: diag(6272, 3, "Invalid_import_specifier_0_has_no_possible_resolutions_6272", "Invalid import specifier '{0}' has no possible resolutions."),
        package_json_scope_0_has_no_imports_defined: diag(6273, 3, "package_json_scope_0_has_no_imports_defined_6273", "package.json scope '{0}' has no imports defined."),
        package_json_scope_0_explicitly_maps_specifier_1_to_null: diag(6274, 3, "package_json_scope_0_explicitly_maps_specifier_1_to_null_6274", "package.json scope '{0}' explicitly maps specifier '{1}' to null."),
        package_json_scope_0_has_invalid_type_for_target_of_specifier_1: diag(6275, 3, "package_json_scope_0_has_invalid_type_for_target_of_specifier_1_6275", "package.json scope '{0}' has invalid type for target of specifier '{1}'"),
        Export_specifier_0_does_not_exist_in_package_json_scope_at_path_1: diag(6276, 3, "Export_specifier_0_does_not_exist_in_package_json_scope_at_path_1_6276", "Export specifier '{0}' does not exist in package.json scope at path '{1}'."),
        Resolution_of_non_relative_name_failed_trying_with_modern_Node_resolution_features_disabled_to_see_if_npm_library_needs_configuration_update: diag(6277, 3, "Resolution_of_non_relative_name_failed_trying_with_modern_Node_resolution_features_disabled_to_see_i_6277", "Resolution of non-relative name failed; trying with modern Node resolution features disabled to see if npm library needs configuration update."),
        There_are_types_at_0_but_this_result_could_not_be_resolved_when_respecting_package_json_exports_The_1_library_may_need_to_update_its_package_json_or_typings: diag(6278, 3, "There_are_types_at_0_but_this_result_could_not_be_resolved_when_respecting_package_json_exports_The__6278", `There are types at '{0}', but this result could not be resolved when respecting package.json "exports". The '{1}' library may need to update its package.json or typings.`),
        Resolution_of_non_relative_name_failed_trying_with_moduleResolution_bundler_to_see_if_project_may_need_configuration_update: diag(6279, 3, "Resolution_of_non_relative_name_failed_trying_with_moduleResolution_bundler_to_see_if_project_may_ne_6279", "Resolution of non-relative name failed; trying with '--moduleResolution bundler' to see if project may need configuration update."),
        There_are_types_at_0_but_this_result_could_not_be_resolved_under_your_current_moduleResolution_setting_Consider_updating_to_node16_nodenext_or_bundler: diag(6280, 3, "There_are_types_at_0_but_this_result_could_not_be_resolved_under_your_current_moduleResolution_setti_6280", "There are types at '{0}', but this result could not be resolved under your current 'moduleResolution' setting. Consider updating to 'node16', 'nodenext', or 'bundler'."),
        package_json_has_a_peerDependencies_field: diag(6281, 3, "package_json_has_a_peerDependencies_field_6281", "'package.json' has a 'peerDependencies' field."),
        Found_peerDependency_0_with_1_version: diag(6282, 3, "Found_peerDependency_0_with_1_version_6282", "Found peerDependency '{0}' with '{1}' version."),
        Failed_to_find_peerDependency_0: diag(6283, 3, "Failed_to_find_peerDependency_0_6283", "Failed to find peerDependency '{0}'."),
        Enable_project_compilation: diag(6302, 3, "Enable_project_compilation_6302", "Enable project compilation"),
        Composite_projects_may_not_disable_declaration_emit: diag(6304, 1, "Composite_projects_may_not_disable_declaration_emit_6304", "Composite projects may not disable declaration emit."),
        Output_file_0_has_not_been_built_from_source_file_1: diag(6305, 1, "Output_file_0_has_not_been_built_from_source_file_1_6305", "Output file '{0}' has not been built from source file '{1}'."),
        Referenced_project_0_must_have_setting_composite_Colon_true: diag(6306, 1, "Referenced_project_0_must_have_setting_composite_Colon_true_6306", `Referenced project '{0}' must have setting "composite": true.`),
        File_0_is_not_listed_within_the_file_list_of_project_1_Projects_must_list_all_files_or_use_an_include_pattern: diag(6307, 1, "File_0_is_not_listed_within_the_file_list_of_project_1_Projects_must_list_all_files_or_use_an_includ_6307", "File '{0}' is not listed within the file list of project '{1}'. Projects must list all files or use an 'include' pattern."),
        Referenced_project_0_may_not_disable_emit: diag(6310, 1, "Referenced_project_0_may_not_disable_emit_6310", "Referenced project '{0}' may not disable emit."),
        Project_0_is_out_of_date_because_output_1_is_older_than_input_2: diag(6350, 3, "Project_0_is_out_of_date_because_output_1_is_older_than_input_2_6350", "Project '{0}' is out of date because output '{1}' is older than input '{2}'"),
        Project_0_is_up_to_date_because_newest_input_1_is_older_than_output_2: diag(6351, 3, "Project_0_is_up_to_date_because_newest_input_1_is_older_than_output_2_6351", "Project '{0}' is up to date because newest input '{1}' is older than output '{2}'"),
        Project_0_is_out_of_date_because_output_file_1_does_not_exist: diag(6352, 3, "Project_0_is_out_of_date_because_output_file_1_does_not_exist_6352", "Project '{0}' is out of date because output file '{1}' does not exist"),
        Project_0_is_out_of_date_because_its_dependency_1_is_out_of_date: diag(6353, 3, "Project_0_is_out_of_date_because_its_dependency_1_is_out_of_date_6353", "Project '{0}' is out of date because its dependency '{1}' is out of date"),
        Project_0_is_up_to_date_with_d_ts_files_from_its_dependencies: diag(6354, 3, "Project_0_is_up_to_date_with_d_ts_files_from_its_dependencies_6354", "Project '{0}' is up to date with .d.ts files from its dependencies"),
        Projects_in_this_build_Colon_0: diag(6355, 3, "Projects_in_this_build_Colon_0_6355", "Projects in this build: {0}"),
        A_non_dry_build_would_delete_the_following_files_Colon_0: diag(6356, 3, "A_non_dry_build_would_delete_the_following_files_Colon_0_6356", "A non-dry build would delete the following files: {0}"),
        A_non_dry_build_would_build_project_0: diag(6357, 3, "A_non_dry_build_would_build_project_0_6357", "A non-dry build would build project '{0}'"),
        Building_project_0: diag(6358, 3, "Building_project_0_6358", "Building project '{0}'..."),
        Updating_output_timestamps_of_project_0: diag(6359, 3, "Updating_output_timestamps_of_project_0_6359", "Updating output timestamps of project '{0}'..."),
        Project_0_is_up_to_date: diag(6361, 3, "Project_0_is_up_to_date_6361", "Project '{0}' is up to date"),
        Skipping_build_of_project_0_because_its_dependency_1_has_errors: diag(6362, 3, "Skipping_build_of_project_0_because_its_dependency_1_has_errors_6362", "Skipping build of project '{0}' because its dependency '{1}' has errors"),
        Project_0_can_t_be_built_because_its_dependency_1_has_errors: diag(6363, 3, "Project_0_can_t_be_built_because_its_dependency_1_has_errors_6363", "Project '{0}' can't be built because its dependency '{1}' has errors"),
        Build_one_or_more_projects_and_their_dependencies_if_out_of_date: diag(6364, 3, "Build_one_or_more_projects_and_their_dependencies_if_out_of_date_6364", "Build one or more projects and their dependencies, if out of date"),
        Delete_the_outputs_of_all_projects: diag(6365, 3, "Delete_the_outputs_of_all_projects_6365", "Delete the outputs of all projects."),
        Show_what_would_be_built_or_deleted_if_specified_with_clean: diag(6367, 3, "Show_what_would_be_built_or_deleted_if_specified_with_clean_6367", "Show what would be built (or deleted, if specified with '--clean')"),
        Option_build_must_be_the_first_command_line_argument: diag(6369, 1, "Option_build_must_be_the_first_command_line_argument_6369", "Option '--build' must be the first command line argument."),
        Options_0_and_1_cannot_be_combined: diag(6370, 1, "Options_0_and_1_cannot_be_combined_6370", "Options '{0}' and '{1}' cannot be combined."),
        Updating_unchanged_output_timestamps_of_project_0: diag(6371, 3, "Updating_unchanged_output_timestamps_of_project_0_6371", "Updating unchanged output timestamps of project '{0}'..."),
        A_non_dry_build_would_update_timestamps_for_output_of_project_0: diag(6374, 3, "A_non_dry_build_would_update_timestamps_for_output_of_project_0_6374", "A non-dry build would update timestamps for output of project '{0}'"),
        Cannot_write_file_0_because_it_will_overwrite_tsbuildinfo_file_generated_by_referenced_project_1: diag(6377, 1, "Cannot_write_file_0_because_it_will_overwrite_tsbuildinfo_file_generated_by_referenced_project_1_6377", "Cannot write file '{0}' because it will overwrite '.tsbuildinfo' file generated by referenced project '{1}'"),
        Composite_projects_may_not_disable_incremental_compilation: diag(6379, 1, "Composite_projects_may_not_disable_incremental_compilation_6379", "Composite projects may not disable incremental compilation."),
        Specify_file_to_store_incremental_compilation_information: diag(6380, 3, "Specify_file_to_store_incremental_compilation_information_6380", "Specify file to store incremental compilation information"),
        Project_0_is_out_of_date_because_output_for_it_was_generated_with_version_1_that_differs_with_current_version_2: diag(6381, 3, "Project_0_is_out_of_date_because_output_for_it_was_generated_with_version_1_that_differs_with_curren_6381", "Project '{0}' is out of date because output for it was generated with version '{1}' that differs with current version '{2}'"),
        Skipping_build_of_project_0_because_its_dependency_1_was_not_built: diag(6382, 3, "Skipping_build_of_project_0_because_its_dependency_1_was_not_built_6382", "Skipping build of project '{0}' because its dependency '{1}' was not built"),
        Project_0_can_t_be_built_because_its_dependency_1_was_not_built: diag(6383, 3, "Project_0_can_t_be_built_because_its_dependency_1_was_not_built_6383", "Project '{0}' can't be built because its dependency '{1}' was not built"),
        Have_recompiles_in_incremental_and_watch_assume_that_changes_within_a_file_will_only_affect_files_directly_depending_on_it: diag(6384, 3, "Have_recompiles_in_incremental_and_watch_assume_that_changes_within_a_file_will_only_affect_files_di_6384", "Have recompiles in '--incremental' and '--watch' assume that changes within a file will only affect files directly depending on it."),
        _0_is_deprecated: diag(
          6385,
          2,
          "_0_is_deprecated_6385",
          "'{0}' is deprecated.",
          /*reportsUnnecessary*/
          void 0,
          /*elidedInCompatabilityPyramid*/
          void 0,
          /*reportsDeprecated*/
          true
        ),
        Performance_timings_for_diagnostics_or_extendedDiagnostics_are_not_available_in_this_session_A_native_implementation_of_the_Web_Performance_API_could_not_be_found: diag(6386, 3, "Performance_timings_for_diagnostics_or_extendedDiagnostics_are_not_available_in_this_session_A_nativ_6386", "Performance timings for '--diagnostics' or '--extendedDiagnostics' are not available in this session. A native implementation of the Web Performance API could not be found."),
        The_signature_0_of_1_is_deprecated: diag(
          6387,
          2,
          "The_signature_0_of_1_is_deprecated_6387",
          "The signature '{0}' of '{1}' is deprecated.",
          /*reportsUnnecessary*/
          void 0,
          /*elidedInCompatabilityPyramid*/
          void 0,
          /*reportsDeprecated*/
          true
        ),
        Project_0_is_being_forcibly_rebuilt: diag(6388, 3, "Project_0_is_being_forcibly_rebuilt_6388", "Project '{0}' is being forcibly rebuilt"),
        Reusing_resolution_of_module_0_from_1_of_old_program_it_was_not_resolved: diag(6389, 3, "Reusing_resolution_of_module_0_from_1_of_old_program_it_was_not_resolved_6389", "Reusing resolution of module '{0}' from '{1}' of old program, it was not resolved."),
        Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_successfully_resolved_to_2: diag(6390, 3, "Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_successfully_resolved__6390", "Reusing resolution of type reference directive '{0}' from '{1}' of old program, it was successfully resolved to '{2}'."),
        Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package_ID_3: diag(6391, 3, "Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_successfully_resolved__6391", "Reusing resolution of type reference directive '{0}' from '{1}' of old program, it was successfully resolved to '{2}' with Package ID '{3}'."),
        Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_not_resolved: diag(6392, 3, "Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_not_resolved_6392", "Reusing resolution of type reference directive '{0}' from '{1}' of old program, it was not resolved."),
        Reusing_resolution_of_module_0_from_1_found_in_cache_from_location_2_it_was_successfully_resolved_to_3: diag(6393, 3, "Reusing_resolution_of_module_0_from_1_found_in_cache_from_location_2_it_was_successfully_resolved_to_6393", "Reusing resolution of module '{0}' from '{1}' found in cache from location '{2}', it was successfully resolved to '{3}'."),
        Reusing_resolution_of_module_0_from_1_found_in_cache_from_location_2_it_was_successfully_resolved_to_3_with_Package_ID_4: diag(6394, 3, "Reusing_resolution_of_module_0_from_1_found_in_cache_from_location_2_it_was_successfully_resolved_to_6394", "Reusing resolution of module '{0}' from '{1}' found in cache from location '{2}', it was successfully resolved to '{3}' with Package ID '{4}'."),
        Reusing_resolution_of_module_0_from_1_found_in_cache_from_location_2_it_was_not_resolved: diag(6395, 3, "Reusing_resolution_of_module_0_from_1_found_in_cache_from_location_2_it_was_not_resolved_6395", "Reusing resolution of module '{0}' from '{1}' found in cache from location '{2}', it was not resolved."),
        Reusing_resolution_of_type_reference_directive_0_from_1_found_in_cache_from_location_2_it_was_successfully_resolved_to_3: diag(6396, 3, "Reusing_resolution_of_type_reference_directive_0_from_1_found_in_cache_from_location_2_it_was_succes_6396", "Reusing resolution of type reference directive '{0}' from '{1}' found in cache from location '{2}', it was successfully resolved to '{3}'."),
        Reusing_resolution_of_type_reference_directive_0_from_1_found_in_cache_from_location_2_it_was_successfully_resolved_to_3_with_Package_ID_4: diag(6397, 3, "Reusing_resolution_of_type_reference_directive_0_from_1_found_in_cache_from_location_2_it_was_succes_6397", "Reusing resolution of type reference directive '{0}' from '{1}' found in cache from location '{2}', it was successfully resolved to '{3}' with Package ID '{4}'."),
        Reusing_resolution_of_type_reference_directive_0_from_1_found_in_cache_from_location_2_it_was_not_resolved: diag(6398, 3, "Reusing_resolution_of_type_reference_directive_0_from_1_found_in_cache_from_location_2_it_was_not_re_6398", "Reusing resolution of type reference directive '{0}' from '{1}' found in cache from location '{2}', it was not resolved."),
        Project_0_is_out_of_date_because_buildinfo_file_1_indicates_that_some_of_the_changes_were_not_emitted: diag(6399, 3, "Project_0_is_out_of_date_because_buildinfo_file_1_indicates_that_some_of_the_changes_were_not_emitte_6399", "Project '{0}' is out of date because buildinfo file '{1}' indicates that some of the changes were not emitted"),
        Project_0_is_up_to_date_but_needs_to_update_timestamps_of_output_files_that_are_older_than_input_files: diag(6400, 3, "Project_0_is_up_to_date_but_needs_to_update_timestamps_of_output_files_that_are_older_than_input_fil_6400", "Project '{0}' is up to date but needs to update timestamps of output files that are older than input files"),
        Project_0_is_out_of_date_because_there_was_error_reading_file_1: diag(6401, 3, "Project_0_is_out_of_date_because_there_was_error_reading_file_1_6401", "Project '{0}' is out of date because there was error reading file '{1}'"),
        Resolving_in_0_mode_with_conditions_1: diag(6402, 3, "Resolving_in_0_mode_with_conditions_1_6402", "Resolving in {0} mode with conditions {1}."),
        Matched_0_condition_1: diag(6403, 3, "Matched_0_condition_1_6403", "Matched '{0}' condition '{1}'."),
        Using_0_subpath_1_with_target_2: diag(6404, 3, "Using_0_subpath_1_with_target_2_6404", "Using '{0}' subpath '{1}' with target '{2}'."),
        Saw_non_matching_condition_0: diag(6405, 3, "Saw_non_matching_condition_0_6405", "Saw non-matching condition '{0}'."),
        Project_0_is_out_of_date_because_buildinfo_file_1_indicates_there_is_change_in_compilerOptions: diag(6406, 3, "Project_0_is_out_of_date_because_buildinfo_file_1_indicates_there_is_change_in_compilerOptions_6406", "Project '{0}' is out of date because buildinfo file '{1}' indicates there is change in compilerOptions"),
        Allow_imports_to_include_TypeScript_file_extensions_Requires_moduleResolution_bundler_and_either_noEmit_or_emitDeclarationOnly_to_be_set: diag(6407, 3, "Allow_imports_to_include_TypeScript_file_extensions_Requires_moduleResolution_bundler_and_either_noE_6407", "Allow imports to include TypeScript file extensions. Requires '--moduleResolution bundler' and either '--noEmit' or '--emitDeclarationOnly' to be set."),
        Use_the_package_json_exports_field_when_resolving_package_imports: diag(6408, 3, "Use_the_package_json_exports_field_when_resolving_package_imports_6408", "Use the package.json 'exports' field when resolving package imports."),
        Use_the_package_json_imports_field_when_resolving_imports: diag(6409, 3, "Use_the_package_json_imports_field_when_resolving_imports_6409", "Use the package.json 'imports' field when resolving imports."),
        Conditions_to_set_in_addition_to_the_resolver_specific_defaults_when_resolving_imports: diag(6410, 3, "Conditions_to_set_in_addition_to_the_resolver_specific_defaults_when_resolving_imports_6410", "Conditions to set in addition to the resolver-specific defaults when resolving imports."),
        true_when_moduleResolution_is_node16_nodenext_or_bundler_otherwise_false: diag(6411, 3, "true_when_moduleResolution_is_node16_nodenext_or_bundler_otherwise_false_6411", "`true` when 'moduleResolution' is 'node16', 'nodenext', or 'bundler'; otherwise `false`."),
        Project_0_is_out_of_date_because_buildinfo_file_1_indicates_that_file_2_was_root_file_of_compilation_but_not_any_more: diag(6412, 3, "Project_0_is_out_of_date_because_buildinfo_file_1_indicates_that_file_2_was_root_file_of_compilation_6412", "Project '{0}' is out of date because buildinfo file '{1}' indicates that file '{2}' was root file of compilation but not any more."),
        Entering_conditional_exports: diag(6413, 3, "Entering_conditional_exports_6413", "Entering conditional exports."),
        Resolved_under_condition_0: diag(6414, 3, "Resolved_under_condition_0_6414", "Resolved under condition '{0}'."),
        Failed_to_resolve_under_condition_0: diag(6415, 3, "Failed_to_resolve_under_condition_0_6415", "Failed to resolve under condition '{0}'."),
        Exiting_conditional_exports: diag(6416, 3, "Exiting_conditional_exports_6416", "Exiting conditional exports."),
        Searching_all_ancestor_node_modules_directories_for_preferred_extensions_Colon_0: diag(6417, 3, "Searching_all_ancestor_node_modules_directories_for_preferred_extensions_Colon_0_6417", "Searching all ancestor node_modules directories for preferred extensions: {0}."),
        Searching_all_ancestor_node_modules_directories_for_fallback_extensions_Colon_0: diag(6418, 3, "Searching_all_ancestor_node_modules_directories_for_fallback_extensions_Colon_0_6418", "Searching all ancestor node_modules directories for fallback extensions: {0}."),
        The_expected_type_comes_from_property_0_which_is_declared_here_on_type_1: diag(6500, 3, "The_expected_type_comes_from_property_0_which_is_declared_here_on_type_1_6500", "The expected type comes from property '{0}' which is declared here on type '{1}'"),
        The_expected_type_comes_from_this_index_signature: diag(6501, 3, "The_expected_type_comes_from_this_index_signature_6501", "The expected type comes from this index signature."),
        The_expected_type_comes_from_the_return_type_of_this_signature: diag(6502, 3, "The_expected_type_comes_from_the_return_type_of_this_signature_6502", "The expected type comes from the return type of this signature."),
        Print_names_of_files_that_are_part_of_the_compilation_and_then_stop_processing: diag(6503, 3, "Print_names_of_files_that_are_part_of_the_compilation_and_then_stop_processing_6503", "Print names of files that are part of the compilation and then stop processing."),
        File_0_is_a_JavaScript_file_Did_you_mean_to_enable_the_allowJs_option: diag(6504, 1, "File_0_is_a_JavaScript_file_Did_you_mean_to_enable_the_allowJs_option_6504", "File '{0}' is a JavaScript file. Did you mean to enable the 'allowJs' option?"),
        Print_names_of_files_and_the_reason_they_are_part_of_the_compilation: diag(6505, 3, "Print_names_of_files_and_the_reason_they_are_part_of_the_compilation_6505", "Print names of files and the reason they are part of the compilation."),
        Consider_adding_a_declare_modifier_to_this_class: diag(6506, 3, "Consider_adding_a_declare_modifier_to_this_class_6506", "Consider adding a 'declare' modifier to this class."),
        Allow_JavaScript_files_to_be_a_part_of_your_program_Use_the_checkJS_option_to_get_errors_from_these_files: diag(6600, 3, "Allow_JavaScript_files_to_be_a_part_of_your_program_Use_the_checkJS_option_to_get_errors_from_these__6600", "Allow JavaScript files to be a part of your program. Use the 'checkJS' option to get errors from these files."),
        Allow_import_x_from_y_when_a_module_doesn_t_have_a_default_export: diag(6601, 3, "Allow_import_x_from_y_when_a_module_doesn_t_have_a_default_export_6601", "Allow 'import x from y' when a module doesn't have a default export."),
        Allow_accessing_UMD_globals_from_modules: diag(6602, 3, "Allow_accessing_UMD_globals_from_modules_6602", "Allow accessing UMD globals from modules."),
        Disable_error_reporting_for_unreachable_code: diag(6603, 3, "Disable_error_reporting_for_unreachable_code_6603", "Disable error reporting for unreachable code."),
        Disable_error_reporting_for_unused_labels: diag(6604, 3, "Disable_error_reporting_for_unused_labels_6604", "Disable error reporting for unused labels."),
        Ensure_use_strict_is_always_emitted: diag(6605, 3, "Ensure_use_strict_is_always_emitted_6605", "Ensure 'use strict' is always emitted."),
        Have_recompiles_in_projects_that_use_incremental_and_watch_mode_assume_that_changes_within_a_file_will_only_affect_files_directly_depending_on_it: diag(6606, 3, "Have_recompiles_in_projects_that_use_incremental_and_watch_mode_assume_that_changes_within_a_file_wi_6606", "Have recompiles in projects that use 'incremental' and 'watch' mode assume that changes within a file will only affect files directly depending on it."),
        Specify_the_base_directory_to_resolve_non_relative_module_names: diag(6607, 3, "Specify_the_base_directory_to_resolve_non_relative_module_names_6607", "Specify the base directory to resolve non-relative module names."),
        No_longer_supported_In_early_versions_manually_set_the_text_encoding_for_reading_files: diag(6608, 3, "No_longer_supported_In_early_versions_manually_set_the_text_encoding_for_reading_files_6608", "No longer supported. In early versions, manually set the text encoding for reading files."),
        Enable_error_reporting_in_type_checked_JavaScript_files: diag(6609, 3, "Enable_error_reporting_in_type_checked_JavaScript_files_6609", "Enable error reporting in type-checked JavaScript files."),
        Enable_constraints_that_allow_a_TypeScript_project_to_be_used_with_project_references: diag(6611, 3, "Enable_constraints_that_allow_a_TypeScript_project_to_be_used_with_project_references_6611", "Enable constraints that allow a TypeScript project to be used with project references."),
        Generate_d_ts_files_from_TypeScript_and_JavaScript_files_in_your_project: diag(6612, 3, "Generate_d_ts_files_from_TypeScript_and_JavaScript_files_in_your_project_6612", "Generate .d.ts files from TypeScript and JavaScript files in your project."),
        Specify_the_output_directory_for_generated_declaration_files: diag(6613, 3, "Specify_the_output_directory_for_generated_declaration_files_6613", "Specify the output directory for generated declaration files."),
        Create_sourcemaps_for_d_ts_files: diag(6614, 3, "Create_sourcemaps_for_d_ts_files_6614", "Create sourcemaps for d.ts files."),
        Output_compiler_performance_information_after_building: diag(6615, 3, "Output_compiler_performance_information_after_building_6615", "Output compiler performance information after building."),
        Disables_inference_for_type_acquisition_by_looking_at_filenames_in_a_project: diag(6616, 3, "Disables_inference_for_type_acquisition_by_looking_at_filenames_in_a_project_6616", "Disables inference for type acquisition by looking at filenames in a project."),
        Reduce_the_number_of_projects_loaded_automatically_by_TypeScript: diag(6617, 3, "Reduce_the_number_of_projects_loaded_automatically_by_TypeScript_6617", "Reduce the number of projects loaded automatically by TypeScript."),
        Remove_the_20mb_cap_on_total_source_code_size_for_JavaScript_files_in_the_TypeScript_language_server: diag(6618, 3, "Remove_the_20mb_cap_on_total_source_code_size_for_JavaScript_files_in_the_TypeScript_language_server_6618", "Remove the 20mb cap on total source code size for JavaScript files in the TypeScript language server."),
        Opt_a_project_out_of_multi_project_reference_checking_when_editing: diag(6619, 3, "Opt_a_project_out_of_multi_project_reference_checking_when_editing_6619", "Opt a project out of multi-project reference checking when editing."),
        Disable_preferring_source_files_instead_of_declaration_files_when_referencing_composite_projects: diag(6620, 3, "Disable_preferring_source_files_instead_of_declaration_files_when_referencing_composite_projects_6620", "Disable preferring source files instead of declaration files when referencing composite projects."),
        Emit_more_compliant_but_verbose_and_less_performant_JavaScript_for_iteration: diag(6621, 3, "Emit_more_compliant_but_verbose_and_less_performant_JavaScript_for_iteration_6621", "Emit more compliant, but verbose and less performant JavaScript for iteration."),
        Emit_a_UTF_8_Byte_Order_Mark_BOM_in_the_beginning_of_output_files: diag(6622, 3, "Emit_a_UTF_8_Byte_Order_Mark_BOM_in_the_beginning_of_output_files_6622", "Emit a UTF-8 Byte Order Mark (BOM) in the beginning of output files."),
        Only_output_d_ts_files_and_not_JavaScript_files: diag(6623, 3, "Only_output_d_ts_files_and_not_JavaScript_files_6623", "Only output d.ts files and not JavaScript files."),
        Emit_design_type_metadata_for_decorated_declarations_in_source_files: diag(6624, 3, "Emit_design_type_metadata_for_decorated_declarations_in_source_files_6624", "Emit design-type metadata for decorated declarations in source files."),
        Disable_the_type_acquisition_for_JavaScript_projects: diag(6625, 3, "Disable_the_type_acquisition_for_JavaScript_projects_6625", "Disable the type acquisition for JavaScript projects"),
        Emit_additional_JavaScript_to_ease_support_for_importing_CommonJS_modules_This_enables_allowSyntheticDefaultImports_for_type_compatibility: diag(6626, 3, "Emit_additional_JavaScript_to_ease_support_for_importing_CommonJS_modules_This_enables_allowSyntheti_6626", "Emit additional JavaScript to ease support for importing CommonJS modules. This enables 'allowSyntheticDefaultImports' for type compatibility."),
        Filters_results_from_the_include_option: diag(6627, 3, "Filters_results_from_the_include_option_6627", "Filters results from the `include` option."),
        Remove_a_list_of_directories_from_the_watch_process: diag(6628, 3, "Remove_a_list_of_directories_from_the_watch_process_6628", "Remove a list of directories from the watch process."),
        Remove_a_list_of_files_from_the_watch_mode_s_processing: diag(6629, 3, "Remove_a_list_of_files_from_the_watch_mode_s_processing_6629", "Remove a list of files from the watch mode's processing."),
        Enable_experimental_support_for_legacy_experimental_decorators: diag(6630, 3, "Enable_experimental_support_for_legacy_experimental_decorators_6630", "Enable experimental support for legacy experimental decorators."),
        Print_files_read_during_the_compilation_including_why_it_was_included: diag(6631, 3, "Print_files_read_during_the_compilation_including_why_it_was_included_6631", "Print files read during the compilation including why it was included."),
        Output_more_detailed_compiler_performance_information_after_building: diag(6632, 3, "Output_more_detailed_compiler_performance_information_after_building_6632", "Output more detailed compiler performance information after building."),
        Specify_one_or_more_path_or_node_module_references_to_base_configuration_files_from_which_settings_are_inherited: diag(6633, 3, "Specify_one_or_more_path_or_node_module_references_to_base_configuration_files_from_which_settings_a_6633", "Specify one or more path or node module references to base configuration files from which settings are inherited."),
        Specify_what_approach_the_watcher_should_use_if_the_system_runs_out_of_native_file_watchers: diag(6634, 3, "Specify_what_approach_the_watcher_should_use_if_the_system_runs_out_of_native_file_watchers_6634", "Specify what approach the watcher should use if the system runs out of native file watchers."),
        Include_a_list_of_files_This_does_not_support_glob_patterns_as_opposed_to_include: diag(6635, 3, "Include_a_list_of_files_This_does_not_support_glob_patterns_as_opposed_to_include_6635", "Include a list of files. This does not support glob patterns, as opposed to `include`."),
        Build_all_projects_including_those_that_appear_to_be_up_to_date: diag(6636, 3, "Build_all_projects_including_those_that_appear_to_be_up_to_date_6636", "Build all projects, including those that appear to be up to date."),
        Ensure_that_casing_is_correct_in_imports: diag(6637, 3, "Ensure_that_casing_is_correct_in_imports_6637", "Ensure that casing is correct in imports."),
        Emit_a_v8_CPU_profile_of_the_compiler_run_for_debugging: diag(6638, 3, "Emit_a_v8_CPU_profile_of_the_compiler_run_for_debugging_6638", "Emit a v8 CPU profile of the compiler run for debugging."),
        Allow_importing_helper_functions_from_tslib_once_per_project_instead_of_including_them_per_file: diag(6639, 3, "Allow_importing_helper_functions_from_tslib_once_per_project_instead_of_including_them_per_file_6639", "Allow importing helper functions from tslib once per project, instead of including them per-file."),
        Specify_a_list_of_glob_patterns_that_match_files_to_be_included_in_compilation: diag(6641, 3, "Specify_a_list_of_glob_patterns_that_match_files_to_be_included_in_compilation_6641", "Specify a list of glob patterns that match files to be included in compilation."),
        Save_tsbuildinfo_files_to_allow_for_incremental_compilation_of_projects: diag(6642, 3, "Save_tsbuildinfo_files_to_allow_for_incremental_compilation_of_projects_6642", "Save .tsbuildinfo files to allow for incremental compilation of projects."),
        Include_sourcemap_files_inside_the_emitted_JavaScript: diag(6643, 3, "Include_sourcemap_files_inside_the_emitted_JavaScript_6643", "Include sourcemap files inside the emitted JavaScript."),
        Include_source_code_in_the_sourcemaps_inside_the_emitted_JavaScript: diag(6644, 3, "Include_source_code_in_the_sourcemaps_inside_the_emitted_JavaScript_6644", "Include source code in the sourcemaps inside the emitted JavaScript."),
        Ensure_that_each_file_can_be_safely_transpiled_without_relying_on_other_imports: diag(6645, 3, "Ensure_that_each_file_can_be_safely_transpiled_without_relying_on_other_imports_6645", "Ensure that each file can be safely transpiled without relying on other imports."),
        Specify_what_JSX_code_is_generated: diag(6646, 3, "Specify_what_JSX_code_is_generated_6646", "Specify what JSX code is generated."),
        Specify_the_JSX_factory_function_used_when_targeting_React_JSX_emit_e_g_React_createElement_or_h: diag(6647, 3, "Specify_the_JSX_factory_function_used_when_targeting_React_JSX_emit_e_g_React_createElement_or_h_6647", "Specify the JSX factory function used when targeting React JSX emit, e.g. 'React.createElement' or 'h'."),
        Specify_the_JSX_Fragment_reference_used_for_fragments_when_targeting_React_JSX_emit_e_g_React_Fragment_or_Fragment: diag(6648, 3, "Specify_the_JSX_Fragment_reference_used_for_fragments_when_targeting_React_JSX_emit_e_g_React_Fragme_6648", "Specify the JSX Fragment reference used for fragments when targeting React JSX emit e.g. 'React.Fragment' or 'Fragment'."),
        Specify_module_specifier_used_to_import_the_JSX_factory_functions_when_using_jsx_Colon_react_jsx_Asterisk: diag(6649, 3, "Specify_module_specifier_used_to_import_the_JSX_factory_functions_when_using_jsx_Colon_react_jsx_Ast_6649", "Specify module specifier used to import the JSX factory functions when using 'jsx: react-jsx*'."),
        Make_keyof_only_return_strings_instead_of_string_numbers_or_symbols_Legacy_option: diag(6650, 3, "Make_keyof_only_return_strings_instead_of_string_numbers_or_symbols_Legacy_option_6650", "Make keyof only return strings instead of string, numbers or symbols. Legacy option."),
        Specify_a_set_of_bundled_library_declaration_files_that_describe_the_target_runtime_environment: diag(6651, 3, "Specify_a_set_of_bundled_library_declaration_files_that_describe_the_target_runtime_environment_6651", "Specify a set of bundled library declaration files that describe the target runtime environment."),
        Print_the_names_of_emitted_files_after_a_compilation: diag(6652, 3, "Print_the_names_of_emitted_files_after_a_compilation_6652", "Print the names of emitted files after a compilation."),
        Print_all_of_the_files_read_during_the_compilation: diag(6653, 3, "Print_all_of_the_files_read_during_the_compilation_6653", "Print all of the files read during the compilation."),
        Set_the_language_of_the_messaging_from_TypeScript_This_does_not_affect_emit: diag(6654, 3, "Set_the_language_of_the_messaging_from_TypeScript_This_does_not_affect_emit_6654", "Set the language of the messaging from TypeScript. This does not affect emit."),
        Specify_the_location_where_debugger_should_locate_map_files_instead_of_generated_locations: diag(6655, 3, "Specify_the_location_where_debugger_should_locate_map_files_instead_of_generated_locations_6655", "Specify the location where debugger should locate map files instead of generated locations."),
        Specify_the_maximum_folder_depth_used_for_checking_JavaScript_files_from_node_modules_Only_applicable_with_allowJs: diag(6656, 3, "Specify_the_maximum_folder_depth_used_for_checking_JavaScript_files_from_node_modules_Only_applicabl_6656", "Specify the maximum folder depth used for checking JavaScript files from 'node_modules'. Only applicable with 'allowJs'."),
        Specify_what_module_code_is_generated: diag(6657, 3, "Specify_what_module_code_is_generated_6657", "Specify what module code is generated."),
        Specify_how_TypeScript_looks_up_a_file_from_a_given_module_specifier: diag(6658, 3, "Specify_how_TypeScript_looks_up_a_file_from_a_given_module_specifier_6658", "Specify how TypeScript looks up a file from a given module specifier."),
        Set_the_newline_character_for_emitting_files: diag(6659, 3, "Set_the_newline_character_for_emitting_files_6659", "Set the newline character for emitting files."),
        Disable_emitting_files_from_a_compilation: diag(6660, 3, "Disable_emitting_files_from_a_compilation_6660", "Disable emitting files from a compilation."),
        Disable_generating_custom_helper_functions_like_extends_in_compiled_output: diag(6661, 3, "Disable_generating_custom_helper_functions_like_extends_in_compiled_output_6661", "Disable generating custom helper functions like '__extends' in compiled output."),
        Disable_emitting_files_if_any_type_checking_errors_are_reported: diag(6662, 3, "Disable_emitting_files_if_any_type_checking_errors_are_reported_6662", "Disable emitting files if any type checking errors are reported."),
        Disable_truncating_types_in_error_messages: diag(6663, 3, "Disable_truncating_types_in_error_messages_6663", "Disable truncating types in error messages."),
        Enable_error_reporting_for_fallthrough_cases_in_switch_statements: diag(6664, 3, "Enable_error_reporting_for_fallthrough_cases_in_switch_statements_6664", "Enable error reporting for fallthrough cases in switch statements."),
        Enable_error_reporting_for_expressions_and_declarations_with_an_implied_any_type: diag(6665, 3, "Enable_error_reporting_for_expressions_and_declarations_with_an_implied_any_type_6665", "Enable error reporting for expressions and declarations with an implied 'any' type."),
        Ensure_overriding_members_in_derived_classes_are_marked_with_an_override_modifier: diag(6666, 3, "Ensure_overriding_members_in_derived_classes_are_marked_with_an_override_modifier_6666", "Ensure overriding members in derived classes are marked with an override modifier."),
        Enable_error_reporting_for_codepaths_that_do_not_explicitly_return_in_a_function: diag(6667, 3, "Enable_error_reporting_for_codepaths_that_do_not_explicitly_return_in_a_function_6667", "Enable error reporting for codepaths that do not explicitly return in a function."),
        Enable_error_reporting_when_this_is_given_the_type_any: diag(6668, 3, "Enable_error_reporting_when_this_is_given_the_type_any_6668", "Enable error reporting when 'this' is given the type 'any'."),
        Disable_adding_use_strict_directives_in_emitted_JavaScript_files: diag(6669, 3, "Disable_adding_use_strict_directives_in_emitted_JavaScript_files_6669", "Disable adding 'use strict' directives in emitted JavaScript files."),
        Disable_including_any_library_files_including_the_default_lib_d_ts: diag(6670, 3, "Disable_including_any_library_files_including_the_default_lib_d_ts_6670", "Disable including any library files, including the default lib.d.ts."),
        Enforces_using_indexed_accessors_for_keys_declared_using_an_indexed_type: diag(6671, 3, "Enforces_using_indexed_accessors_for_keys_declared_using_an_indexed_type_6671", "Enforces using indexed accessors for keys declared using an indexed type."),
        Disallow_import_s_require_s_or_reference_s_from_expanding_the_number_of_files_TypeScript_should_add_to_a_project: diag(6672, 3, "Disallow_import_s_require_s_or_reference_s_from_expanding_the_number_of_files_TypeScript_should_add__6672", "Disallow 'import's, 'require's or ''s from expanding the number of files TypeScript should add to a project."),
        Disable_strict_checking_of_generic_signatures_in_function_types: diag(6673, 3, "Disable_strict_checking_of_generic_signatures_in_function_types_6673", "Disable strict checking of generic signatures in function types."),
        Add_undefined_to_a_type_when_accessed_using_an_index: diag(6674, 3, "Add_undefined_to_a_type_when_accessed_using_an_index_6674", "Add 'undefined' to a type when accessed using an index."),
        Enable_error_reporting_when_local_variables_aren_t_read: diag(6675, 3, "Enable_error_reporting_when_local_variables_aren_t_read_6675", "Enable error reporting when local variables aren't read."),
        Raise_an_error_when_a_function_parameter_isn_t_read: diag(6676, 3, "Raise_an_error_when_a_function_parameter_isn_t_read_6676", "Raise an error when a function parameter isn't read."),
        Deprecated_setting_Use_outFile_instead: diag(6677, 3, "Deprecated_setting_Use_outFile_instead_6677", "Deprecated setting. Use 'outFile' instead."),
        Specify_an_output_folder_for_all_emitted_files: diag(6678, 3, "Specify_an_output_folder_for_all_emitted_files_6678", "Specify an output folder for all emitted files."),
        Specify_a_file_that_bundles_all_outputs_into_one_JavaScript_file_If_declaration_is_true_also_designates_a_file_that_bundles_all_d_ts_output: diag(6679, 3, "Specify_a_file_that_bundles_all_outputs_into_one_JavaScript_file_If_declaration_is_true_also_designa_6679", "Specify a file that bundles all outputs into one JavaScript file. If 'declaration' is true, also designates a file that bundles all .d.ts output."),
        Specify_a_set_of_entries_that_re_map_imports_to_additional_lookup_locations: diag(6680, 3, "Specify_a_set_of_entries_that_re_map_imports_to_additional_lookup_locations_6680", "Specify a set of entries that re-map imports to additional lookup locations."),
        Specify_a_list_of_language_service_plugins_to_include: diag(6681, 3, "Specify_a_list_of_language_service_plugins_to_include_6681", "Specify a list of language service plugins to include."),
        Disable_erasing_const_enum_declarations_in_generated_code: diag(6682, 3, "Disable_erasing_const_enum_declarations_in_generated_code_6682", "Disable erasing 'const enum' declarations in generated code."),
        Disable_resolving_symlinks_to_their_realpath_This_correlates_to_the_same_flag_in_node: diag(6683, 3, "Disable_resolving_symlinks_to_their_realpath_This_correlates_to_the_same_flag_in_node_6683", "Disable resolving symlinks to their realpath. This correlates to the same flag in node."),
        Disable_wiping_the_console_in_watch_mode: diag(6684, 3, "Disable_wiping_the_console_in_watch_mode_6684", "Disable wiping the console in watch mode."),
        Enable_color_and_formatting_in_TypeScript_s_output_to_make_compiler_errors_easier_to_read: diag(6685, 3, "Enable_color_and_formatting_in_TypeScript_s_output_to_make_compiler_errors_easier_to_read_6685", "Enable color and formatting in TypeScript's output to make compiler errors easier to read."),
        Specify_the_object_invoked_for_createElement_This_only_applies_when_targeting_react_JSX_emit: diag(6686, 3, "Specify_the_object_invoked_for_createElement_This_only_applies_when_targeting_react_JSX_emit_6686", "Specify the object invoked for 'createElement'. This only applies when targeting 'react' JSX emit."),
        Specify_an_array_of_objects_that_specify_paths_for_projects_Used_in_project_references: diag(6687, 3, "Specify_an_array_of_objects_that_specify_paths_for_projects_Used_in_project_references_6687", "Specify an array of objects that specify paths for projects. Used in project references."),
        Disable_emitting_comments: diag(6688, 3, "Disable_emitting_comments_6688", "Disable emitting comments."),
        Enable_importing_json_files: diag(6689, 3, "Enable_importing_json_files_6689", "Enable importing .json files."),
        Specify_the_root_folder_within_your_source_files: diag(6690, 3, "Specify_the_root_folder_within_your_source_files_6690", "Specify the root folder within your source files."),
        Allow_multiple_folders_to_be_treated_as_one_when_resolving_modules: diag(6691, 3, "Allow_multiple_folders_to_be_treated_as_one_when_resolving_modules_6691", "Allow multiple folders to be treated as one when resolving modules."),
        Skip_type_checking_d_ts_files_that_are_included_with_TypeScript: diag(6692, 3, "Skip_type_checking_d_ts_files_that_are_included_with_TypeScript_6692", "Skip type checking .d.ts files that are included with TypeScript."),
        Skip_type_checking_all_d_ts_files: diag(6693, 3, "Skip_type_checking_all_d_ts_files_6693", "Skip type checking all .d.ts files."),
        Create_source_map_files_for_emitted_JavaScript_files: diag(6694, 3, "Create_source_map_files_for_emitted_JavaScript_files_6694", "Create source map files for emitted JavaScript files."),
        Specify_the_root_path_for_debuggers_to_find_the_reference_source_code: diag(6695, 3, "Specify_the_root_path_for_debuggers_to_find_the_reference_source_code_6695", "Specify the root path for debuggers to find the reference source code."),
        Check_that_the_arguments_for_bind_call_and_apply_methods_match_the_original_function: diag(6697, 3, "Check_that_the_arguments_for_bind_call_and_apply_methods_match_the_original_function_6697", "Check that the arguments for 'bind', 'call', and 'apply' methods match the original function."),
        When_assigning_functions_check_to_ensure_parameters_and_the_return_values_are_subtype_compatible: diag(6698, 3, "When_assigning_functions_check_to_ensure_parameters_and_the_return_values_are_subtype_compatible_6698", "When assigning functions, check to ensure parameters and the return values are subtype-compatible."),
        When_type_checking_take_into_account_null_and_undefined: diag(6699, 3, "When_type_checking_take_into_account_null_and_undefined_6699", "When type checking, take into account 'null' and 'undefined'."),
        Check_for_class_properties_that_are_declared_but_not_set_in_the_constructor: diag(6700, 3, "Check_for_class_properties_that_are_declared_but_not_set_in_the_constructor_6700", "Check for class properties that are declared but not set in the constructor."),
        Disable_emitting_declarations_that_have_internal_in_their_JSDoc_comments: diag(6701, 3, "Disable_emitting_declarations_that_have_internal_in_their_JSDoc_comments_6701", "Disable emitting declarations that have '@internal' in their JSDoc comments."),
        Disable_reporting_of_excess_property_errors_during_the_creation_of_object_literals: diag(6702, 3, "Disable_reporting_of_excess_property_errors_during_the_creation_of_object_literals_6702", "Disable reporting of excess property errors during the creation of object literals."),
        Suppress_noImplicitAny_errors_when_indexing_objects_that_lack_index_signatures: diag(6703, 3, "Suppress_noImplicitAny_errors_when_indexing_objects_that_lack_index_signatures_6703", "Suppress 'noImplicitAny' errors when indexing objects that lack index signatures."),
        Synchronously_call_callbacks_and_update_the_state_of_directory_watchers_on_platforms_that_don_t_support_recursive_watching_natively: diag(6704, 3, "Synchronously_call_callbacks_and_update_the_state_of_directory_watchers_on_platforms_that_don_t_supp_6704", "Synchronously call callbacks and update the state of directory watchers on platforms that don`t support recursive watching natively."),
        Set_the_JavaScript_language_version_for_emitted_JavaScript_and_include_compatible_library_declarations: diag(6705, 3, "Set_the_JavaScript_language_version_for_emitted_JavaScript_and_include_compatible_library_declaratio_6705", "Set the JavaScript language version for emitted JavaScript and include compatible library declarations."),
        Log_paths_used_during_the_moduleResolution_process: diag(6706, 3, "Log_paths_used_during_the_moduleResolution_process_6706", "Log paths used during the 'moduleResolution' process."),
        Specify_the_path_to_tsbuildinfo_incremental_compilation_file: diag(6707, 3, "Specify_the_path_to_tsbuildinfo_incremental_compilation_file_6707", "Specify the path to .tsbuildinfo incremental compilation file."),
        Specify_options_for_automatic_acquisition_of_declaration_files: diag(6709, 3, "Specify_options_for_automatic_acquisition_of_declaration_files_6709", "Specify options for automatic acquisition of declaration files."),
        Specify_multiple_folders_that_act_like_Slashnode_modules_Slash_types: diag(6710, 3, "Specify_multiple_folders_that_act_like_Slashnode_modules_Slash_types_6710", "Specify multiple folders that act like './node_modules/@types'."),
        Specify_type_package_names_to_be_included_without_being_referenced_in_a_source_file: diag(6711, 3, "Specify_type_package_names_to_be_included_without_being_referenced_in_a_source_file_6711", "Specify type package names to be included without being referenced in a source file."),
        Emit_ECMAScript_standard_compliant_class_fields: diag(6712, 3, "Emit_ECMAScript_standard_compliant_class_fields_6712", "Emit ECMAScript-standard-compliant class fields."),
        Enable_verbose_logging: diag(6713, 3, "Enable_verbose_logging_6713", "Enable verbose logging."),
        Specify_how_directories_are_watched_on_systems_that_lack_recursive_file_watching_functionality: diag(6714, 3, "Specify_how_directories_are_watched_on_systems_that_lack_recursive_file_watching_functionality_6714", "Specify how directories are watched on systems that lack recursive file-watching functionality."),
        Specify_how_the_TypeScript_watch_mode_works: diag(6715, 3, "Specify_how_the_TypeScript_watch_mode_works_6715", "Specify how the TypeScript watch mode works."),
        Require_undeclared_properties_from_index_signatures_to_use_element_accesses: diag(6717, 3, "Require_undeclared_properties_from_index_signatures_to_use_element_accesses_6717", "Require undeclared properties from index signatures to use element accesses."),
        Specify_emit_Slashchecking_behavior_for_imports_that_are_only_used_for_types: diag(6718, 3, "Specify_emit_Slashchecking_behavior_for_imports_that_are_only_used_for_types_6718", "Specify emit/checking behavior for imports that are only used for types."),
        Require_sufficient_annotation_on_exports_so_other_tools_can_trivially_generate_declaration_files: diag(6719, 3, "Require_sufficient_annotation_on_exports_so_other_tools_can_trivially_generate_declaration_files_6719", "Require sufficient annotation on exports so other tools can trivially generate declaration files."),
        Default_catch_clause_variables_as_unknown_instead_of_any: diag(6803, 3, "Default_catch_clause_variables_as_unknown_instead_of_any_6803", "Default catch clause variables as 'unknown' instead of 'any'."),
        Do_not_transform_or_elide_any_imports_or_exports_not_marked_as_type_only_ensuring_they_are_written_in_the_output_file_s_format_based_on_the_module_setting: diag(6804, 3, "Do_not_transform_or_elide_any_imports_or_exports_not_marked_as_type_only_ensuring_they_are_written_i_6804", "Do not transform or elide any imports or exports not marked as type-only, ensuring they are written in the output file's format based on the 'module' setting."),
        Disable_full_type_checking_only_critical_parse_and_emit_errors_will_be_reported: diag(6805, 3, "Disable_full_type_checking_only_critical_parse_and_emit_errors_will_be_reported_6805", "Disable full type checking (only critical parse and emit errors will be reported)."),
        one_of_Colon: diag(6900, 3, "one_of_Colon_6900", "one of:"),
        one_or_more_Colon: diag(6901, 3, "one_or_more_Colon_6901", "one or more:"),
        type_Colon: diag(6902, 3, "type_Colon_6902", "type:"),
        default_Colon: diag(6903, 3, "default_Colon_6903", "default:"),
        module_system_or_esModuleInterop: diag(6904, 3, "module_system_or_esModuleInterop_6904", 'module === "system" or esModuleInterop'),
        false_unless_strict_is_set: diag(6905, 3, "false_unless_strict_is_set_6905", "`false`, unless `strict` is set"),
        false_unless_composite_is_set: diag(6906, 3, "false_unless_composite_is_set_6906", "`false`, unless `composite` is set"),
        node_modules_bower_components_jspm_packages_plus_the_value_of_outDir_if_one_is_specified: diag(6907, 3, "node_modules_bower_components_jspm_packages_plus_the_value_of_outDir_if_one_is_specified_6907", '`["node_modules", "bower_components", "jspm_packages"]`, plus the value of `outDir` if one is specified.'),
        if_files_is_specified_otherwise_Asterisk_Asterisk_Slash_Asterisk: diag(6908, 3, "if_files_is_specified_otherwise_Asterisk_Asterisk_Slash_Asterisk_6908", '`[]` if `files` is specified, otherwise `["**/*"]`'),
        true_if_composite_false_otherwise: diag(6909, 3, "true_if_composite_false_otherwise_6909", "`true` if `composite`, `false` otherwise"),
        module_AMD_or_UMD_or_System_or_ES6_then_Classic_Otherwise_Node: diag(69010, 3, "module_AMD_or_UMD_or_System_or_ES6_then_Classic_Otherwise_Node_69010", "module === `AMD` or `UMD` or `System` or `ES6`, then `Classic`, Otherwise `Node`"),
        Computed_from_the_list_of_input_files: diag(6911, 3, "Computed_from_the_list_of_input_files_6911", "Computed from the list of input files"),
        Platform_specific: diag(6912, 3, "Platform_specific_6912", "Platform specific"),
        You_can_learn_about_all_of_the_compiler_options_at_0: diag(6913, 3, "You_can_learn_about_all_of_the_compiler_options_at_0_6913", "You can learn about all of the compiler options at {0}"),
        Including_watch_w_will_start_watching_the_current_project_for_the_file_changes_Once_set_you_can_config_watch_mode_with_Colon: diag(6914, 3, "Including_watch_w_will_start_watching_the_current_project_for_the_file_changes_Once_set_you_can_conf_6914", "Including --watch, -w will start watching the current project for the file changes. Once set, you can config watch mode with:"),
        Using_build_b_will_make_tsc_behave_more_like_a_build_orchestrator_than_a_compiler_This_is_used_to_trigger_building_composite_projects_which_you_can_learn_more_about_at_0: diag(6915, 3, "Using_build_b_will_make_tsc_behave_more_like_a_build_orchestrator_than_a_compiler_This_is_used_to_tr_6915", "Using --build, -b will make tsc behave more like a build orchestrator than a compiler. This is used to trigger building composite projects which you can learn more about at {0}"),
        COMMON_COMMANDS: diag(6916, 3, "COMMON_COMMANDS_6916", "COMMON COMMANDS"),
        ALL_COMPILER_OPTIONS: diag(6917, 3, "ALL_COMPILER_OPTIONS_6917", "ALL COMPILER OPTIONS"),
        WATCH_OPTIONS: diag(6918, 3, "WATCH_OPTIONS_6918", "WATCH OPTIONS"),
        BUILD_OPTIONS: diag(6919, 3, "BUILD_OPTIONS_6919", "BUILD OPTIONS"),
        COMMON_COMPILER_OPTIONS: diag(6920, 3, "COMMON_COMPILER_OPTIONS_6920", "COMMON COMPILER OPTIONS"),
        COMMAND_LINE_FLAGS: diag(6921, 3, "COMMAND_LINE_FLAGS_6921", "COMMAND LINE FLAGS"),
        tsc_Colon_The_TypeScript_Compiler: diag(6922, 3, "tsc_Colon_The_TypeScript_Compiler_6922", "tsc: The TypeScript Compiler"),
        Compiles_the_current_project_tsconfig_json_in_the_working_directory: diag(6923, 3, "Compiles_the_current_project_tsconfig_json_in_the_working_directory_6923", "Compiles the current project (tsconfig.json in the working directory.)"),
        Ignoring_tsconfig_json_compiles_the_specified_files_with_default_compiler_options: diag(6924, 3, "Ignoring_tsconfig_json_compiles_the_specified_files_with_default_compiler_options_6924", "Ignoring tsconfig.json, compiles the specified files with default compiler options."),
        Build_a_composite_project_in_the_working_directory: diag(6925, 3, "Build_a_composite_project_in_the_working_directory_6925", "Build a composite project in the working directory."),
        Creates_a_tsconfig_json_with_the_recommended_settings_in_the_working_directory: diag(6926, 3, "Creates_a_tsconfig_json_with_the_recommended_settings_in_the_working_directory_6926", "Creates a tsconfig.json with the recommended settings in the working directory."),
        Compiles_the_TypeScript_project_located_at_the_specified_path: diag(6927, 3, "Compiles_the_TypeScript_project_located_at_the_specified_path_6927", "Compiles the TypeScript project located at the specified path."),
        An_expanded_version_of_this_information_showing_all_possible_compiler_options: diag(6928, 3, "An_expanded_version_of_this_information_showing_all_possible_compiler_options_6928", "An expanded version of this information, showing all possible compiler options"),
        Compiles_the_current_project_with_additional_settings: diag(6929, 3, "Compiles_the_current_project_with_additional_settings_6929", "Compiles the current project, with additional settings."),
        true_for_ES2022_and_above_including_ESNext: diag(6930, 3, "true_for_ES2022_and_above_including_ESNext_6930", "`true` for ES2022 and above, including ESNext."),
        List_of_file_name_suffixes_to_search_when_resolving_a_module: diag(6931, 1, "List_of_file_name_suffixes_to_search_when_resolving_a_module_6931", "List of file name suffixes to search when resolving a module."),
        Variable_0_implicitly_has_an_1_type: diag(7005, 1, "Variable_0_implicitly_has_an_1_type_7005", "Variable '{0}' implicitly has an '{1}' type."),
        Parameter_0_implicitly_has_an_1_type: diag(7006, 1, "Parameter_0_implicitly_has_an_1_type_7006", "Parameter '{0}' implicitly has an '{1}' type."),
        Member_0_implicitly_has_an_1_type: diag(7008, 1, "Member_0_implicitly_has_an_1_type_7008", "Member '{0}' implicitly has an '{1}' type."),
        new_expression_whose_target_lacks_a_construct_signature_implicitly_has_an_any_type: diag(7009, 1, "new_expression_whose_target_lacks_a_construct_signature_implicitly_has_an_any_type_7009", "'new' expression, whose target lacks a construct signature, implicitly has an 'any' type."),
        _0_which_lacks_return_type_annotation_implicitly_has_an_1_return_type: diag(7010, 1, "_0_which_lacks_return_type_annotation_implicitly_has_an_1_return_type_7010", "'{0}', which lacks return-type annotation, implicitly has an '{1}' return type."),
        Function_expression_which_lacks_return_type_annotation_implicitly_has_an_0_return_type: diag(7011, 1, "Function_expression_which_lacks_return_type_annotation_implicitly_has_an_0_return_type_7011", "Function expression, which lacks return-type annotation, implicitly has an '{0}' return type."),
        This_overload_implicitly_returns_the_type_0_because_it_lacks_a_return_type_annotation: diag(7012, 1, "This_overload_implicitly_returns_the_type_0_because_it_lacks_a_return_type_annotation_7012", "This overload implicitly returns the type '{0}' because it lacks a return type annotation."),
        Construct_signature_which_lacks_return_type_annotation_implicitly_has_an_any_return_type: diag(7013, 1, "Construct_signature_which_lacks_return_type_annotation_implicitly_has_an_any_return_type_7013", "Construct signature, which lacks return-type annotation, implicitly has an 'any' return type."),
        Function_type_which_lacks_return_type_annotation_implicitly_has_an_0_return_type: diag(7014, 1, "Function_type_which_lacks_return_type_annotation_implicitly_has_an_0_return_type_7014", "Function type, which lacks return-type annotation, implicitly has an '{0}' return type."),
        Element_implicitly_has_an_any_type_because_index_expression_is_not_of_type_number: diag(7015, 1, "Element_implicitly_has_an_any_type_because_index_expression_is_not_of_type_number_7015", "Element implicitly has an 'any' type because index expression is not of type 'number'."),
        Could_not_find_a_declaration_file_for_module_0_1_implicitly_has_an_any_type: diag(7016, 1, "Could_not_find_a_declaration_file_for_module_0_1_implicitly_has_an_any_type_7016", "Could not find a declaration file for module '{0}'. '{1}' implicitly has an 'any' type."),
        Element_implicitly_has_an_any_type_because_type_0_has_no_index_signature: diag(7017, 1, "Element_implicitly_has_an_any_type_because_type_0_has_no_index_signature_7017", "Element implicitly has an 'any' type because type '{0}' has no index signature."),
        Object_literal_s_property_0_implicitly_has_an_1_type: diag(7018, 1, "Object_literal_s_property_0_implicitly_has_an_1_type_7018", "Object literal's property '{0}' implicitly has an '{1}' type."),
        Rest_parameter_0_implicitly_has_an_any_type: diag(7019, 1, "Rest_parameter_0_implicitly_has_an_any_type_7019", "Rest parameter '{0}' implicitly has an 'any[]' type."),
        Call_signature_which_lacks_return_type_annotation_implicitly_has_an_any_return_type: diag(7020, 1, "Call_signature_which_lacks_return_type_annotation_implicitly_has_an_any_return_type_7020", "Call signature, which lacks return-type annotation, implicitly has an 'any' return type."),
        _0_implicitly_has_type_any_because_it_does_not_have_a_type_annotation_and_is_referenced_directly_or_indirectly_in_its_own_initializer: diag(7022, 1, "_0_implicitly_has_type_any_because_it_does_not_have_a_type_annotation_and_is_referenced_directly_or__7022", "'{0}' implicitly has type 'any' because it does not have a type annotation and is referenced directly or indirectly in its own initializer."),
        _0_implicitly_has_return_type_any_because_it_does_not_have_a_return_type_annotation_and_is_referenced_directly_or_indirectly_in_one_of_its_return_expressions: diag(7023, 1, "_0_implicitly_has_return_type_any_because_it_does_not_have_a_return_type_annotation_and_is_reference_7023", "'{0}' implicitly has return type 'any' because it does not have a return type annotation and is referenced directly or indirectly in one of its return expressions."),
        Function_implicitly_has_return_type_any_because_it_does_not_have_a_return_type_annotation_and_is_referenced_directly_or_indirectly_in_one_of_its_return_expressions: diag(7024, 1, "Function_implicitly_has_return_type_any_because_it_does_not_have_a_return_type_annotation_and_is_ref_7024", "Function implicitly has return type 'any' because it does not have a return type annotation and is referenced directly or indirectly in one of its return expressions."),
        Generator_implicitly_has_yield_type_0_because_it_does_not_yield_any_values_Consider_supplying_a_return_type_annotation: diag(7025, 1, "Generator_implicitly_has_yield_type_0_because_it_does_not_yield_any_values_Consider_supplying_a_retu_7025", "Generator implicitly has yield type '{0}' because it does not yield any values. Consider supplying a return type annotation."),
        JSX_element_implicitly_has_type_any_because_no_interface_JSX_0_exists: diag(7026, 1, "JSX_element_implicitly_has_type_any_because_no_interface_JSX_0_exists_7026", "JSX element implicitly has type 'any' because no interface 'JSX.{0}' exists."),
        Unreachable_code_detected: diag(
          7027,
          1,
          "Unreachable_code_detected_7027",
          "Unreachable code detected.",
          /*reportsUnnecessary*/
          true
        ),
        Unused_label: diag(
          7028,
          1,
          "Unused_label_7028",
          "Unused label.",
          /*reportsUnnecessary*/
          true
        ),
        Fallthrough_case_in_switch: diag(7029, 1, "Fallthrough_case_in_switch_7029", "Fallthrough case in switch."),
        Not_all_code_paths_return_a_value: diag(7030, 1, "Not_all_code_paths_return_a_value_7030", "Not all code paths return a value."),
        Binding_element_0_implicitly_has_an_1_type: diag(7031, 1, "Binding_element_0_implicitly_has_an_1_type_7031", "Binding element '{0}' implicitly has an '{1}' type."),
        Property_0_implicitly_has_type_any_because_its_set_accessor_lacks_a_parameter_type_annotation: diag(7032, 1, "Property_0_implicitly_has_type_any_because_its_set_accessor_lacks_a_parameter_type_annotation_7032", "Property '{0}' implicitly has type 'any', because its set accessor lacks a parameter type annotation."),
        Property_0_implicitly_has_type_any_because_its_get_accessor_lacks_a_return_type_annotation: diag(7033, 1, "Property_0_implicitly_has_type_any_because_its_get_accessor_lacks_a_return_type_annotation_7033", "Property '{0}' implicitly has type 'any', because its get accessor lacks a return type annotation."),
        Variable_0_implicitly_has_type_1_in_some_locations_where_its_type_cannot_be_determined: diag(7034, 1, "Variable_0_implicitly_has_type_1_in_some_locations_where_its_type_cannot_be_determined_7034", "Variable '{0}' implicitly has type '{1}' in some locations where its type cannot be determined."),
        Try_npm_i_save_dev_types_Slash_1_if_it_exists_or_add_a_new_declaration_d_ts_file_containing_declare_module_0: diag(7035, 1, "Try_npm_i_save_dev_types_Slash_1_if_it_exists_or_add_a_new_declaration_d_ts_file_containing_declare__7035", "Try `npm i --save-dev @types/{1}` if it exists or add a new declaration (.d.ts) file containing `declare module '{0}';`"),
        Dynamic_import_s_specifier_must_be_of_type_string_but_here_has_type_0: diag(7036, 1, "Dynamic_import_s_specifier_must_be_of_type_string_but_here_has_type_0_7036", "Dynamic import's specifier must be of type 'string', but here has type '{0}'."),
        Enables_emit_interoperability_between_CommonJS_and_ES_Modules_via_creation_of_namespace_objects_for_all_imports_Implies_allowSyntheticDefaultImports: diag(7037, 3, "Enables_emit_interoperability_between_CommonJS_and_ES_Modules_via_creation_of_namespace_objects_for__7037", "Enables emit interoperability between CommonJS and ES Modules via creation of namespace objects for all imports. Implies 'allowSyntheticDefaultImports'."),
        Type_originates_at_this_import_A_namespace_style_import_cannot_be_called_or_constructed_and_will_cause_a_failure_at_runtime_Consider_using_a_default_import_or_import_require_here_instead: diag(7038, 3, "Type_originates_at_this_import_A_namespace_style_import_cannot_be_called_or_constructed_and_will_cau_7038", "Type originates at this import. A namespace-style import cannot be called or constructed, and will cause a failure at runtime. Consider using a default import or import require here instead."),
        Mapped_object_type_implicitly_has_an_any_template_type: diag(7039, 1, "Mapped_object_type_implicitly_has_an_any_template_type_7039", "Mapped object type implicitly has an 'any' template type."),
        If_the_0_package_actually_exposes_this_module_consider_sending_a_pull_request_to_amend_https_Colon_Slash_Slashgithub_com_SlashDefinitelyTyped_SlashDefinitelyTyped_Slashtree_Slashmaster_Slashtypes_Slash_1: diag(7040, 1, "If_the_0_package_actually_exposes_this_module_consider_sending_a_pull_request_to_amend_https_Colon_S_7040", "If the '{0}' package actually exposes this module, consider sending a pull request to amend 'https://github.com/DefinitelyTyped/DefinitelyTyped/tree/master/types/{1}'"),
        The_containing_arrow_function_captures_the_global_value_of_this: diag(7041, 1, "The_containing_arrow_function_captures_the_global_value_of_this_7041", "The containing arrow function captures the global value of 'this'."),
        Module_0_was_resolved_to_1_but_resolveJsonModule_is_not_used: diag(7042, 1, "Module_0_was_resolved_to_1_but_resolveJsonModule_is_not_used_7042", "Module '{0}' was resolved to '{1}', but '--resolveJsonModule' is not used."),
        Variable_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage: diag(7043, 2, "Variable_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage_7043", "Variable '{0}' implicitly has an '{1}' type, but a better type may be inferred from usage."),
        Parameter_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage: diag(7044, 2, "Parameter_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage_7044", "Parameter '{0}' implicitly has an '{1}' type, but a better type may be inferred from usage."),
        Member_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage: diag(7045, 2, "Member_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage_7045", "Member '{0}' implicitly has an '{1}' type, but a better type may be inferred from usage."),
        Variable_0_implicitly_has_type_1_in_some_locations_but_a_better_type_may_be_inferred_from_usage: diag(7046, 2, "Variable_0_implicitly_has_type_1_in_some_locations_but_a_better_type_may_be_inferred_from_usage_7046", "Variable '{0}' implicitly has type '{1}' in some locations, but a better type may be inferred from usage."),
        Rest_parameter_0_implicitly_has_an_any_type_but_a_better_type_may_be_inferred_from_usage: diag(7047, 2, "Rest_parameter_0_implicitly_has_an_any_type_but_a_better_type_may_be_inferred_from_usage_7047", "Rest parameter '{0}' implicitly has an 'any[]' type, but a better type may be inferred from usage."),
        Property_0_implicitly_has_type_any_but_a_better_type_for_its_get_accessor_may_be_inferred_from_usage: diag(7048, 2, "Property_0_implicitly_has_type_any_but_a_better_type_for_its_get_accessor_may_be_inferred_from_usage_7048", "Property '{0}' implicitly has type 'any', but a better type for its get accessor may be inferred from usage."),
        Property_0_implicitly_has_type_any_but_a_better_type_for_its_set_accessor_may_be_inferred_from_usage: diag(7049, 2, "Property_0_implicitly_has_type_any_but_a_better_type_for_its_set_accessor_may_be_inferred_from_usage_7049", "Property '{0}' implicitly has type 'any', but a better type for its set accessor may be inferred from usage."),
        _0_implicitly_has_an_1_return_type_but_a_better_type_may_be_inferred_from_usage: diag(7050, 2, "_0_implicitly_has_an_1_return_type_but_a_better_type_may_be_inferred_from_usage_7050", "'{0}' implicitly has an '{1}' return type, but a better type may be inferred from usage."),
        Parameter_has_a_name_but_no_type_Did_you_mean_0_Colon_1: diag(7051, 1, "Parameter_has_a_name_but_no_type_Did_you_mean_0_Colon_1_7051", "Parameter has a name but no type. Did you mean '{0}: {1}'?"),
        Element_implicitly_has_an_any_type_because_type_0_has_no_index_signature_Did_you_mean_to_call_1: diag(7052, 1, "Element_implicitly_has_an_any_type_because_type_0_has_no_index_signature_Did_you_mean_to_call_1_7052", "Element implicitly has an 'any' type because type '{0}' has no index signature. Did you mean to call '{1}'?"),
        Element_implicitly_has_an_any_type_because_expression_of_type_0_can_t_be_used_to_index_type_1: diag(7053, 1, "Element_implicitly_has_an_any_type_because_expression_of_type_0_can_t_be_used_to_index_type_1_7053", "Element implicitly has an 'any' type because expression of type '{0}' can't be used to index type '{1}'."),
        No_index_signature_with_a_parameter_of_type_0_was_found_on_type_1: diag(7054, 1, "No_index_signature_with_a_parameter_of_type_0_was_found_on_type_1_7054", "No index signature with a parameter of type '{0}' was found on type '{1}'."),
        _0_which_lacks_return_type_annotation_implicitly_has_an_1_yield_type: diag(7055, 1, "_0_which_lacks_return_type_annotation_implicitly_has_an_1_yield_type_7055", "'{0}', which lacks return-type annotation, implicitly has an '{1}' yield type."),
        The_inferred_type_of_this_node_exceeds_the_maximum_length_the_compiler_will_serialize_An_explicit_type_annotation_is_needed: diag(7056, 1, "The_inferred_type_of_this_node_exceeds_the_maximum_length_the_compiler_will_serialize_An_explicit_ty_7056", "The inferred type of this node exceeds the maximum length the compiler will serialize. An explicit type annotation is needed."),
        yield_expression_implicitly_results_in_an_any_type_because_its_containing_generator_lacks_a_return_type_annotation: diag(7057, 1, "yield_expression_implicitly_results_in_an_any_type_because_its_containing_generator_lacks_a_return_t_7057", "'yield' expression implicitly results in an 'any' type because its containing generator lacks a return-type annotation."),
        If_the_0_package_actually_exposes_this_module_try_adding_a_new_declaration_d_ts_file_containing_declare_module_1: diag(7058, 1, "If_the_0_package_actually_exposes_this_module_try_adding_a_new_declaration_d_ts_file_containing_decl_7058", "If the '{0}' package actually exposes this module, try adding a new declaration (.d.ts) file containing `declare module '{1}';`"),
        This_syntax_is_reserved_in_files_with_the_mts_or_cts_extension_Use_an_as_expression_instead: diag(7059, 1, "This_syntax_is_reserved_in_files_with_the_mts_or_cts_extension_Use_an_as_expression_instead_7059", "This syntax is reserved in files with the .mts or .cts extension. Use an `as` expression instead."),
        This_syntax_is_reserved_in_files_with_the_mts_or_cts_extension_Add_a_trailing_comma_or_explicit_constraint: diag(7060, 1, "This_syntax_is_reserved_in_files_with_the_mts_or_cts_extension_Add_a_trailing_comma_or_explicit_cons_7060", "This syntax is reserved in files with the .mts or .cts extension. Add a trailing comma or explicit constraint."),
        A_mapped_type_may_not_declare_properties_or_methods: diag(7061, 1, "A_mapped_type_may_not_declare_properties_or_methods_7061", "A mapped type may not declare properties or methods."),
        You_cannot_rename_this_element: diag(8e3, 1, "You_cannot_rename_this_element_8000", "You cannot rename this element."),
        You_cannot_rename_elements_that_are_defined_in_the_standard_TypeScript_library: diag(8001, 1, "You_cannot_rename_elements_that_are_defined_in_the_standard_TypeScript_library_8001", "You cannot rename elements that are defined in the standard TypeScript library."),
        import_can_only_be_used_in_TypeScript_files: diag(8002, 1, "import_can_only_be_used_in_TypeScript_files_8002", "'import ... =' can only be used in TypeScript files."),
        export_can_only_be_used_in_TypeScript_files: diag(8003, 1, "export_can_only_be_used_in_TypeScript_files_8003", "'export =' can only be used in TypeScript files."),
        Type_parameter_declarations_can_only_be_used_in_TypeScript_files: diag(8004, 1, "Type_parameter_declarations_can_only_be_used_in_TypeScript_files_8004", "Type parameter declarations can only be used in TypeScript files."),
        implements_clauses_can_only_be_used_in_TypeScript_files: diag(8005, 1, "implements_clauses_can_only_be_used_in_TypeScript_files_8005", "'implements' clauses can only be used in TypeScript files."),
        _0_declarations_can_only_be_used_in_TypeScript_files: diag(8006, 1, "_0_declarations_can_only_be_used_in_TypeScript_files_8006", "'{0}' declarations can only be used in TypeScript files."),
        Type_aliases_can_only_be_used_in_TypeScript_files: diag(8008, 1, "Type_aliases_can_only_be_used_in_TypeScript_files_8008", "Type aliases can only be used in TypeScript files."),
        The_0_modifier_can_only_be_used_in_TypeScript_files: diag(8009, 1, "The_0_modifier_can_only_be_used_in_TypeScript_files_8009", "The '{0}' modifier can only be used in TypeScript files."),
        Type_annotations_can_only_be_used_in_TypeScript_files: diag(8010, 1, "Type_annotations_can_only_be_used_in_TypeScript_files_8010", "Type annotations can only be used in TypeScript files."),
        Type_arguments_can_only_be_used_in_TypeScript_files: diag(8011, 1, "Type_arguments_can_only_be_used_in_TypeScript_files_8011", "Type arguments can only be used in TypeScript files."),
        Parameter_modifiers_can_only_be_used_in_TypeScript_files: diag(8012, 1, "Parameter_modifiers_can_only_be_used_in_TypeScript_files_8012", "Parameter modifiers can only be used in TypeScript files."),
        Non_null_assertions_can_only_be_used_in_TypeScript_files: diag(8013, 1, "Non_null_assertions_can_only_be_used_in_TypeScript_files_8013", "Non-null assertions can only be used in TypeScript files."),
        Type_assertion_expressions_can_only_be_used_in_TypeScript_files: diag(8016, 1, "Type_assertion_expressions_can_only_be_used_in_TypeScript_files_8016", "Type assertion expressions can only be used in TypeScript files."),
        Signature_declarations_can_only_be_used_in_TypeScript_files: diag(8017, 1, "Signature_declarations_can_only_be_used_in_TypeScript_files_8017", "Signature declarations can only be used in TypeScript files."),
        Report_errors_in_js_files: diag(8019, 3, "Report_errors_in_js_files_8019", "Report errors in .js files."),
        JSDoc_types_can_only_be_used_inside_documentation_comments: diag(8020, 1, "JSDoc_types_can_only_be_used_inside_documentation_comments_8020", "JSDoc types can only be used inside documentation comments."),
        JSDoc_typedef_tag_should_either_have_a_type_annotation_or_be_followed_by_property_or_member_tags: diag(8021, 1, "JSDoc_typedef_tag_should_either_have_a_type_annotation_or_be_followed_by_property_or_member_tags_8021", "JSDoc '@typedef' tag should either have a type annotation or be followed by '@property' or '@member' tags."),
        JSDoc_0_is_not_attached_to_a_class: diag(8022, 1, "JSDoc_0_is_not_attached_to_a_class_8022", "JSDoc '@{0}' is not attached to a class."),
        JSDoc_0_1_does_not_match_the_extends_2_clause: diag(8023, 1, "JSDoc_0_1_does_not_match_the_extends_2_clause_8023", "JSDoc '@{0} {1}' does not match the 'extends {2}' clause."),
        JSDoc_param_tag_has_name_0_but_there_is_no_parameter_with_that_name: diag(8024, 1, "JSDoc_param_tag_has_name_0_but_there_is_no_parameter_with_that_name_8024", "JSDoc '@param' tag has name '{0}', but there is no parameter with that name."),
        Class_declarations_cannot_have_more_than_one_augments_or_extends_tag: diag(8025, 1, "Class_declarations_cannot_have_more_than_one_augments_or_extends_tag_8025", "Class declarations cannot have more than one '@augments' or '@extends' tag."),
        Expected_0_type_arguments_provide_these_with_an_extends_tag: diag(8026, 1, "Expected_0_type_arguments_provide_these_with_an_extends_tag_8026", "Expected {0} type arguments; provide these with an '@extends' tag."),
        Expected_0_1_type_arguments_provide_these_with_an_extends_tag: diag(8027, 1, "Expected_0_1_type_arguments_provide_these_with_an_extends_tag_8027", "Expected {0}-{1} type arguments; provide these with an '@extends' tag."),
        JSDoc_may_only_appear_in_the_last_parameter_of_a_signature: diag(8028, 1, "JSDoc_may_only_appear_in_the_last_parameter_of_a_signature_8028", "JSDoc '...' may only appear in the last parameter of a signature."),
        JSDoc_param_tag_has_name_0_but_there_is_no_parameter_with_that_name_It_would_match_arguments_if_it_had_an_array_type: diag(8029, 1, "JSDoc_param_tag_has_name_0_but_there_is_no_parameter_with_that_name_It_would_match_arguments_if_it_h_8029", "JSDoc '@param' tag has name '{0}', but there is no parameter with that name. It would match 'arguments' if it had an array type."),
        The_type_of_a_function_declaration_must_match_the_function_s_signature: diag(8030, 1, "The_type_of_a_function_declaration_must_match_the_function_s_signature_8030", "The type of a function declaration must match the function's signature."),
        You_cannot_rename_a_module_via_a_global_import: diag(8031, 1, "You_cannot_rename_a_module_via_a_global_import_8031", "You cannot rename a module via a global import."),
        Qualified_name_0_is_not_allowed_without_a_leading_param_object_1: diag(8032, 1, "Qualified_name_0_is_not_allowed_without_a_leading_param_object_1_8032", "Qualified name '{0}' is not allowed without a leading '@param {object} {1}'."),
        A_JSDoc_typedef_comment_may_not_contain_multiple_type_tags: diag(8033, 1, "A_JSDoc_typedef_comment_may_not_contain_multiple_type_tags_8033", "A JSDoc '@typedef' comment may not contain multiple '@type' tags."),
        The_tag_was_first_specified_here: diag(8034, 1, "The_tag_was_first_specified_here_8034", "The tag was first specified here."),
        You_cannot_rename_elements_that_are_defined_in_a_node_modules_folder: diag(8035, 1, "You_cannot_rename_elements_that_are_defined_in_a_node_modules_folder_8035", "You cannot rename elements that are defined in a 'node_modules' folder."),
        You_cannot_rename_elements_that_are_defined_in_another_node_modules_folder: diag(8036, 1, "You_cannot_rename_elements_that_are_defined_in_another_node_modules_folder_8036", "You cannot rename elements that are defined in another 'node_modules' folder."),
        Type_satisfaction_expressions_can_only_be_used_in_TypeScript_files: diag(8037, 1, "Type_satisfaction_expressions_can_only_be_used_in_TypeScript_files_8037", "Type satisfaction expressions can only be used in TypeScript files."),
        Decorators_may_not_appear_after_export_or_export_default_if_they_also_appear_before_export: diag(8038, 1, "Decorators_may_not_appear_after_export_or_export_default_if_they_also_appear_before_export_8038", "Decorators may not appear after 'export' or 'export default' if they also appear before 'export'."),
        A_JSDoc_template_tag_may_not_follow_a_typedef_callback_or_overload_tag: diag(8039, 1, "A_JSDoc_template_tag_may_not_follow_a_typedef_callback_or_overload_tag_8039", "A JSDoc '@template' tag may not follow a '@typedef', '@callback', or '@overload' tag"),
        Declaration_emit_for_this_file_requires_using_private_name_0_An_explicit_type_annotation_may_unblock_declaration_emit: diag(9005, 1, "Declaration_emit_for_this_file_requires_using_private_name_0_An_explicit_type_annotation_may_unblock_9005", "Declaration emit for this file requires using private name '{0}'. An explicit type annotation may unblock declaration emit."),
        Declaration_emit_for_this_file_requires_using_private_name_0_from_module_1_An_explicit_type_annotation_may_unblock_declaration_emit: diag(9006, 1, "Declaration_emit_for_this_file_requires_using_private_name_0_from_module_1_An_explicit_type_annotati_9006", "Declaration emit for this file requires using private name '{0}' from module '{1}'. An explicit type annotation may unblock declaration emit."),
        Function_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations: diag(9007, 1, "Function_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations_9007", "Function must have an explicit return type annotation with --isolatedDeclarations."),
        Method_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations: diag(9008, 1, "Method_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations_9008", "Method must have an explicit return type annotation with --isolatedDeclarations."),
        At_least_one_accessor_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations: diag(9009, 1, "At_least_one_accessor_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations_9009", "At least one accessor must have an explicit return type annotation with --isolatedDeclarations."),
        Variable_must_have_an_explicit_type_annotation_with_isolatedDeclarations: diag(9010, 1, "Variable_must_have_an_explicit_type_annotation_with_isolatedDeclarations_9010", "Variable must have an explicit type annotation with --isolatedDeclarations."),
        Parameter_must_have_an_explicit_type_annotation_with_isolatedDeclarations: diag(9011, 1, "Parameter_must_have_an_explicit_type_annotation_with_isolatedDeclarations_9011", "Parameter must have an explicit type annotation with --isolatedDeclarations."),
        Property_must_have_an_explicit_type_annotation_with_isolatedDeclarations: diag(9012, 1, "Property_must_have_an_explicit_type_annotation_with_isolatedDeclarations_9012", "Property must have an explicit type annotation with --isolatedDeclarations."),
        Expression_type_can_t_be_inferred_with_isolatedDeclarations: diag(9013, 1, "Expression_type_can_t_be_inferred_with_isolatedDeclarations_9013", "Expression type can't be inferred with --isolatedDeclarations."),
        Computed_properties_must_be_number_or_string_literals_variables_or_dotted_expressions_with_isolatedDeclarations: diag(9014, 1, "Computed_properties_must_be_number_or_string_literals_variables_or_dotted_expressions_with_isolatedD_9014", "Computed properties must be number or string literals, variables or dotted expressions with --isolatedDeclarations."),
        Objects_that_contain_spread_assignments_can_t_be_inferred_with_isolatedDeclarations: diag(9015, 1, "Objects_that_contain_spread_assignments_can_t_be_inferred_with_isolatedDeclarations_9015", "Objects that contain spread assignments can't be inferred with --isolatedDeclarations."),
        Objects_that_contain_shorthand_properties_can_t_be_inferred_with_isolatedDeclarations: diag(9016, 1, "Objects_that_contain_shorthand_properties_can_t_be_inferred_with_isolatedDeclarations_9016", "Objects that contain shorthand properties can't be inferred with --isolatedDeclarations."),
        Only_const_arrays_can_be_inferred_with_isolatedDeclarations: diag(9017, 1, "Only_const_arrays_can_be_inferred_with_isolatedDeclarations_9017", "Only const arrays can be inferred with --isolatedDeclarations."),
        Arrays_with_spread_elements_can_t_inferred_with_isolatedDeclarations: diag(9018, 1, "Arrays_with_spread_elements_can_t_inferred_with_isolatedDeclarations_9018", "Arrays with spread elements can't inferred with --isolatedDeclarations."),
        Binding_elements_can_t_be_exported_directly_with_isolatedDeclarations: diag(9019, 1, "Binding_elements_can_t_be_exported_directly_with_isolatedDeclarations_9019", "Binding elements can't be exported directly with --isolatedDeclarations."),
        Enum_member_initializers_must_be_computable_without_references_to_external_symbols_with_isolatedDeclarations: diag(9020, 1, "Enum_member_initializers_must_be_computable_without_references_to_external_symbols_with_isolatedDecl_9020", "Enum member initializers must be computable without references to external symbols with --isolatedDeclarations."),
        Extends_clause_can_t_contain_an_expression_with_isolatedDeclarations: diag(9021, 1, "Extends_clause_can_t_contain_an_expression_with_isolatedDeclarations_9021", "Extends clause can't contain an expression with --isolatedDeclarations."),
        Inference_from_class_expressions_is_not_supported_with_isolatedDeclarations: diag(9022, 1, "Inference_from_class_expressions_is_not_supported_with_isolatedDeclarations_9022", "Inference from class expressions is not supported with --isolatedDeclarations."),
        Assigning_properties_to_functions_without_declaring_them_is_not_supported_with_isolatedDeclarations_Add_an_explicit_declaration_for_the_properties_assigned_to_this_function: diag(9023, 1, "Assigning_properties_to_functions_without_declaring_them_is_not_supported_with_isolatedDeclarations__9023", "Assigning properties to functions without declaring them is not supported with --isolatedDeclarations. Add an explicit declaration for the properties assigned to this function."),
        Declaration_emit_for_this_parameter_requires_implicitly_adding_undefined_to_it_s_type_This_is_not_supported_with_isolatedDeclarations: diag(9025, 1, "Declaration_emit_for_this_parameter_requires_implicitly_adding_undefined_to_it_s_type_This_is_not_su_9025", "Declaration emit for this parameter requires implicitly adding undefined to it's type. This is not supported with --isolatedDeclarations."),
        Declaration_emit_for_this_file_requires_preserving_this_import_for_augmentations_This_is_not_supported_with_isolatedDeclarations: diag(9026, 1, "Declaration_emit_for_this_file_requires_preserving_this_import_for_augmentations_This_is_not_support_9026", "Declaration emit for this file requires preserving this import for augmentations. This is not supported with --isolatedDeclarations."),
        Add_a_type_annotation_to_the_variable_0: diag(9027, 1, "Add_a_type_annotation_to_the_variable_0_9027", "Add a type annotation to the variable {0}."),
        Add_a_type_annotation_to_the_parameter_0: diag(9028, 1, "Add_a_type_annotation_to_the_parameter_0_9028", "Add a type annotation to the parameter {0}."),
        Add_a_type_annotation_to_the_property_0: diag(9029, 1, "Add_a_type_annotation_to_the_property_0_9029", "Add a type annotation to the property {0}."),
        Add_a_return_type_to_the_function_expression: diag(9030, 1, "Add_a_return_type_to_the_function_expression_9030", "Add a return type to the function expression."),
        Add_a_return_type_to_the_function_declaration: diag(9031, 1, "Add_a_return_type_to_the_function_declaration_9031", "Add a return type to the function declaration."),
        Add_a_return_type_to_the_get_accessor_declaration: diag(9032, 1, "Add_a_return_type_to_the_get_accessor_declaration_9032", "Add a return type to the get accessor declaration."),
        Add_a_type_to_parameter_of_the_set_accessor_declaration: diag(9033, 1, "Add_a_type_to_parameter_of_the_set_accessor_declaration_9033", "Add a type to parameter of the set accessor declaration."),
        Add_a_return_type_to_the_method: diag(9034, 1, "Add_a_return_type_to_the_method_9034", "Add a return type to the method"),
        Add_satisfies_and_a_type_assertion_to_this_expression_satisfies_T_as_T_to_make_the_type_explicit: diag(9035, 1, "Add_satisfies_and_a_type_assertion_to_this_expression_satisfies_T_as_T_to_make_the_type_explicit_9035", "Add satisfies and a type assertion to this expression (satisfies T as T) to make the type explicit."),
        Move_the_expression_in_default_export_to_a_variable_and_add_a_type_annotation_to_it: diag(9036, 1, "Move_the_expression_in_default_export_to_a_variable_and_add_a_type_annotation_to_it_9036", "Move the expression in default export to a variable and add a type annotation to it."),
        Default_exports_can_t_be_inferred_with_isolatedDeclarations: diag(9037, 1, "Default_exports_can_t_be_inferred_with_isolatedDeclarations_9037", "Default exports can't be inferred with --isolatedDeclarations."),
        Computed_property_names_on_class_or_object_literals_cannot_be_inferred_with_isolatedDeclarations: diag(9038, 1, "Computed_property_names_on_class_or_object_literals_cannot_be_inferred_with_isolatedDeclarations_9038", "Computed property names on class or object literals cannot be inferred with --isolatedDeclarations."),
        Type_containing_private_name_0_can_t_be_used_with_isolatedDeclarations: diag(9039, 1, "Type_containing_private_name_0_can_t_be_used_with_isolatedDeclarations_9039", "Type containing private name '{0}' can't be used with --isolatedDeclarations."),
        JSX_attributes_must_only_be_assigned_a_non_empty_expression: diag(17e3, 1, "JSX_attributes_must_only_be_assigned_a_non_empty_expression_17000", "JSX attributes must only be assigned a non-empty 'expression'."),
        JSX_elements_cannot_have_multiple_attributes_with_the_same_name: diag(17001, 1, "JSX_elements_cannot_have_multiple_attributes_with_the_same_name_17001", "JSX elements cannot have multiple attributes with the same name."),
        Expected_corresponding_JSX_closing_tag_for_0: diag(17002, 1, "Expected_corresponding_JSX_closing_tag_for_0_17002", "Expected corresponding JSX closing tag for '{0}'."),
        Cannot_use_JSX_unless_the_jsx_flag_is_provided: diag(17004, 1, "Cannot_use_JSX_unless_the_jsx_flag_is_provided_17004", "Cannot use JSX unless the '--jsx' flag is provided."),
        A_constructor_cannot_contain_a_super_call_when_its_class_extends_null: diag(17005, 1, "A_constructor_cannot_contain_a_super_call_when_its_class_extends_null_17005", "A constructor cannot contain a 'super' call when its class extends 'null'."),
        An_unary_expression_with_the_0_operator_is_not_allowed_in_the_left_hand_side_of_an_exponentiation_expression_Consider_enclosing_the_expression_in_parentheses: diag(17006, 1, "An_unary_expression_with_the_0_operator_is_not_allowed_in_the_left_hand_side_of_an_exponentiation_ex_17006", "An unary expression with the '{0}' operator is not allowed in the left-hand side of an exponentiation expression. Consider enclosing the expression in parentheses."),
        A_type_assertion_expression_is_not_allowed_in_the_left_hand_side_of_an_exponentiation_expression_Consider_enclosing_the_expression_in_parentheses: diag(17007, 1, "A_type_assertion_expression_is_not_allowed_in_the_left_hand_side_of_an_exponentiation_expression_Con_17007", "A type assertion expression is not allowed in the left-hand side of an exponentiation expression. Consider enclosing the expression in parentheses."),
        JSX_element_0_has_no_corresponding_closing_tag: diag(17008, 1, "JSX_element_0_has_no_corresponding_closing_tag_17008", "JSX element '{0}' has no corresponding closing tag."),
        super_must_be_called_before_accessing_this_in_the_constructor_of_a_derived_class: diag(17009, 1, "super_must_be_called_before_accessing_this_in_the_constructor_of_a_derived_class_17009", "'super' must be called before accessing 'this' in the constructor of a derived class."),
        Unknown_type_acquisition_option_0: diag(17010, 1, "Unknown_type_acquisition_option_0_17010", "Unknown type acquisition option '{0}'."),
        super_must_be_called_before_accessing_a_property_of_super_in_the_constructor_of_a_derived_class: diag(17011, 1, "super_must_be_called_before_accessing_a_property_of_super_in_the_constructor_of_a_derived_class_17011", "'super' must be called before accessing a property of 'super' in the constructor of a derived class."),
        _0_is_not_a_valid_meta_property_for_keyword_1_Did_you_mean_2: diag(17012, 1, "_0_is_not_a_valid_meta_property_for_keyword_1_Did_you_mean_2_17012", "'{0}' is not a valid meta-property for keyword '{1}'. Did you mean '{2}'?"),
        Meta_property_0_is_only_allowed_in_the_body_of_a_function_declaration_function_expression_or_constructor: diag(17013, 1, "Meta_property_0_is_only_allowed_in_the_body_of_a_function_declaration_function_expression_or_constru_17013", "Meta-property '{0}' is only allowed in the body of a function declaration, function expression, or constructor."),
        JSX_fragment_has_no_corresponding_closing_tag: diag(17014, 1, "JSX_fragment_has_no_corresponding_closing_tag_17014", "JSX fragment has no corresponding closing tag."),
        Expected_corresponding_closing_tag_for_JSX_fragment: diag(17015, 1, "Expected_corresponding_closing_tag_for_JSX_fragment_17015", "Expected corresponding closing tag for JSX fragment."),
        The_jsxFragmentFactory_compiler_option_must_be_provided_to_use_JSX_fragments_with_the_jsxFactory_compiler_option: diag(17016, 1, "The_jsxFragmentFactory_compiler_option_must_be_provided_to_use_JSX_fragments_with_the_jsxFactory_com_17016", "The 'jsxFragmentFactory' compiler option must be provided to use JSX fragments with the 'jsxFactory' compiler option."),
        An_jsxFrag_pragma_is_required_when_using_an_jsx_pragma_with_JSX_fragments: diag(17017, 1, "An_jsxFrag_pragma_is_required_when_using_an_jsx_pragma_with_JSX_fragments_17017", "An @jsxFrag pragma is required when using an @jsx pragma with JSX fragments."),
        Unknown_type_acquisition_option_0_Did_you_mean_1: diag(17018, 1, "Unknown_type_acquisition_option_0_Did_you_mean_1_17018", "Unknown type acquisition option '{0}'. Did you mean '{1}'?"),
        _0_at_the_end_of_a_type_is_not_valid_TypeScript_syntax_Did_you_mean_to_write_1: diag(17019, 1, "_0_at_the_end_of_a_type_is_not_valid_TypeScript_syntax_Did_you_mean_to_write_1_17019", "'{0}' at the end of a type is not valid TypeScript syntax. Did you mean to write '{1}'?"),
        _0_at_the_start_of_a_type_is_not_valid_TypeScript_syntax_Did_you_mean_to_write_1: diag(17020, 1, "_0_at_the_start_of_a_type_is_not_valid_TypeScript_syntax_Did_you_mean_to_write_1_17020", "'{0}' at the start of a type is not valid TypeScript syntax. Did you mean to write '{1}'?"),
        Unicode_escape_sequence_cannot_appear_here: diag(17021, 1, "Unicode_escape_sequence_cannot_appear_here_17021", "Unicode escape sequence cannot appear here."),
        Circularity_detected_while_resolving_configuration_Colon_0: diag(18e3, 1, "Circularity_detected_while_resolving_configuration_Colon_0_18000", "Circularity detected while resolving configuration: {0}"),
        The_files_list_in_config_file_0_is_empty: diag(18002, 1, "The_files_list_in_config_file_0_is_empty_18002", "The 'files' list in config file '{0}' is empty."),
        No_inputs_were_found_in_config_file_0_Specified_include_paths_were_1_and_exclude_paths_were_2: diag(18003, 1, "No_inputs_were_found_in_config_file_0_Specified_include_paths_were_1_and_exclude_paths_were_2_18003", "No inputs were found in config file '{0}'. Specified 'include' paths were '{1}' and 'exclude' paths were '{2}'."),
        File_is_a_CommonJS_module_it_may_be_converted_to_an_ES_module: diag(80001, 2, "File_is_a_CommonJS_module_it_may_be_converted_to_an_ES_module_80001", "File is a CommonJS module; it may be converted to an ES module."),
        This_constructor_function_may_be_converted_to_a_class_declaration: diag(80002, 2, "This_constructor_function_may_be_converted_to_a_class_declaration_80002", "This constructor function may be converted to a class declaration."),
        Import_may_be_converted_to_a_default_import: diag(80003, 2, "Import_may_be_converted_to_a_default_import_80003", "Import may be converted to a default import."),
        JSDoc_types_may_be_moved_to_TypeScript_types: diag(80004, 2, "JSDoc_types_may_be_moved_to_TypeScript_types_80004", "JSDoc types may be moved to TypeScript types."),
        require_call_may_be_converted_to_an_import: diag(80005, 2, "require_call_may_be_converted_to_an_import_80005", "'require' call may be converted to an import."),
        This_may_be_converted_to_an_async_function: diag(80006, 2, "This_may_be_converted_to_an_async_function_80006", "This may be converted to an async function."),
        await_has_no_effect_on_the_type_of_this_expression: diag(80007, 2, "await_has_no_effect_on_the_type_of_this_expression_80007", "'await' has no effect on the type of this expression."),
        Numeric_literals_with_absolute_values_equal_to_2_53_or_greater_are_too_large_to_be_represented_accurately_as_integers: diag(80008, 2, "Numeric_literals_with_absolute_values_equal_to_2_53_or_greater_are_too_large_to_be_represented_accur_80008", "Numeric literals with absolute values equal to 2^53 or greater are too large to be represented accurately as integers."),
        JSDoc_typedef_may_be_converted_to_TypeScript_type: diag(80009, 2, "JSDoc_typedef_may_be_converted_to_TypeScript_type_80009", "JSDoc typedef may be converted to TypeScript type."),
        JSDoc_typedefs_may_be_converted_to_TypeScript_types: diag(80010, 2, "JSDoc_typedefs_may_be_converted_to_TypeScript_types_80010", "JSDoc typedefs may be converted to TypeScript types."),
        Add_missing_super_call: diag(90001, 3, "Add_missing_super_call_90001", "Add missing 'super()' call"),
        Make_super_call_the_first_statement_in_the_constructor: diag(90002, 3, "Make_super_call_the_first_statement_in_the_constructor_90002", "Make 'super()' call the first statement in the constructor"),
        Change_extends_to_implements: diag(90003, 3, "Change_extends_to_implements_90003", "Change 'extends' to 'implements'"),
        Remove_unused_declaration_for_Colon_0: diag(90004, 3, "Remove_unused_declaration_for_Colon_0_90004", "Remove unused declaration for: '{0}'"),
        Remove_import_from_0: diag(90005, 3, "Remove_import_from_0_90005", "Remove import from '{0}'"),
        Implement_interface_0: diag(90006, 3, "Implement_interface_0_90006", "Implement interface '{0}'"),
        Implement_inherited_abstract_class: diag(90007, 3, "Implement_inherited_abstract_class_90007", "Implement inherited abstract class"),
        Add_0_to_unresolved_variable: diag(90008, 3, "Add_0_to_unresolved_variable_90008", "Add '{0}.' to unresolved variable"),
        Remove_variable_statement: diag(90010, 3, "Remove_variable_statement_90010", "Remove variable statement"),
        Remove_template_tag: diag(90011, 3, "Remove_template_tag_90011", "Remove template tag"),
        Remove_type_parameters: diag(90012, 3, "Remove_type_parameters_90012", "Remove type parameters"),
        Import_0_from_1: diag(90013, 3, "Import_0_from_1_90013", `Import '{0}' from "{1}"`),
        Change_0_to_1: diag(90014, 3, "Change_0_to_1_90014", "Change '{0}' to '{1}'"),
        Declare_property_0: diag(90016, 3, "Declare_property_0_90016", "Declare property '{0}'"),
        Add_index_signature_for_property_0: diag(90017, 3, "Add_index_signature_for_property_0_90017", "Add index signature for property '{0}'"),
        Disable_checking_for_this_file: diag(90018, 3, "Disable_checking_for_this_file_90018", "Disable checking for this file"),
        Ignore_this_error_message: diag(90019, 3, "Ignore_this_error_message_90019", "Ignore this error message"),
        Initialize_property_0_in_the_constructor: diag(90020, 3, "Initialize_property_0_in_the_constructor_90020", "Initialize property '{0}' in the constructor"),
        Initialize_static_property_0: diag(90021, 3, "Initialize_static_property_0_90021", "Initialize static property '{0}'"),
        Change_spelling_to_0: diag(90022, 3, "Change_spelling_to_0_90022", "Change spelling to '{0}'"),
        Declare_method_0: diag(90023, 3, "Declare_method_0_90023", "Declare method '{0}'"),
        Declare_static_method_0: diag(90024, 3, "Declare_static_method_0_90024", "Declare static method '{0}'"),
        Prefix_0_with_an_underscore: diag(90025, 3, "Prefix_0_with_an_underscore_90025", "Prefix '{0}' with an underscore"),
        Rewrite_as_the_indexed_access_type_0: diag(90026, 3, "Rewrite_as_the_indexed_access_type_0_90026", "Rewrite as the indexed access type '{0}'"),
        Declare_static_property_0: diag(90027, 3, "Declare_static_property_0_90027", "Declare static property '{0}'"),
        Call_decorator_expression: diag(90028, 3, "Call_decorator_expression_90028", "Call decorator expression"),
        Add_async_modifier_to_containing_function: diag(90029, 3, "Add_async_modifier_to_containing_function_90029", "Add async modifier to containing function"),
        Replace_infer_0_with_unknown: diag(90030, 3, "Replace_infer_0_with_unknown_90030", "Replace 'infer {0}' with 'unknown'"),
        Replace_all_unused_infer_with_unknown: diag(90031, 3, "Replace_all_unused_infer_with_unknown_90031", "Replace all unused 'infer' with 'unknown'"),
        Add_parameter_name: diag(90034, 3, "Add_parameter_name_90034", "Add parameter name"),
        Declare_private_property_0: diag(90035, 3, "Declare_private_property_0_90035", "Declare private property '{0}'"),
        Replace_0_with_Promise_1: diag(90036, 3, "Replace_0_with_Promise_1_90036", "Replace '{0}' with 'Promise<{1}>'"),
        Fix_all_incorrect_return_type_of_an_async_functions: diag(90037, 3, "Fix_all_incorrect_return_type_of_an_async_functions_90037", "Fix all incorrect return type of an async functions"),
        Declare_private_method_0: diag(90038, 3, "Declare_private_method_0_90038", "Declare private method '{0}'"),
        Remove_unused_destructuring_declaration: diag(90039, 3, "Remove_unused_destructuring_declaration_90039", "Remove unused destructuring declaration"),
        Remove_unused_declarations_for_Colon_0: diag(90041, 3, "Remove_unused_declarations_for_Colon_0_90041", "Remove unused declarations for: '{0}'"),
        Declare_a_private_field_named_0: diag(90053, 3, "Declare_a_private_field_named_0_90053", "Declare a private field named '{0}'."),
        Includes_imports_of_types_referenced_by_0: diag(90054, 3, "Includes_imports_of_types_referenced_by_0_90054", "Includes imports of types referenced by '{0}'"),
        Remove_type_from_import_declaration_from_0: diag(90055, 3, "Remove_type_from_import_declaration_from_0_90055", `Remove 'type' from import declaration from "{0}"`),
        Remove_type_from_import_of_0_from_1: diag(90056, 3, "Remove_type_from_import_of_0_from_1_90056", `Remove 'type' from import of '{0}' from "{1}"`),
        Add_import_from_0: diag(90057, 3, "Add_import_from_0_90057", 'Add import from "{0}"'),
        Update_import_from_0: diag(90058, 3, "Update_import_from_0_90058", 'Update import from "{0}"'),
        Export_0_from_module_1: diag(90059, 3, "Export_0_from_module_1_90059", "Export '{0}' from module '{1}'"),
        Export_all_referenced_locals: diag(90060, 3, "Export_all_referenced_locals_90060", "Export all referenced locals"),
        Update_modifiers_of_0: diag(90061, 3, "Update_modifiers_of_0_90061", "Update modifiers of '{0}'"),
        Add_annotation_of_type_0: diag(90062, 3, "Add_annotation_of_type_0_90062", "Add annotation of type '{0}'"),
        Add_return_type_0: diag(90063, 3, "Add_return_type_0_90063", "Add return type '{0}'"),
        Extract_base_class_to_variable: diag(90064, 3, "Extract_base_class_to_variable_90064", "Extract base class to variable"),
        Extract_default_export_to_variable: diag(90065, 3, "Extract_default_export_to_variable_90065", "Extract default export to variable"),
        Extract_binding_expressions_to_variable: diag(90066, 3, "Extract_binding_expressions_to_variable_90066", "Extract binding expressions to variable"),
        Add_all_missing_type_annotations: diag(90067, 3, "Add_all_missing_type_annotations_90067", "Add all missing type annotations"),
        Add_satisfies_and_an_inline_type_assertion_with_0: diag(90068, 3, "Add_satisfies_and_an_inline_type_assertion_with_0_90068", "Add satisfies and an inline type assertion with '{0}'"),
        Extract_to_variable_and_replace_with_0_as_typeof_0: diag(90069, 3, "Extract_to_variable_and_replace_with_0_as_typeof_0_90069", "Extract to variable and replace with '{0} as typeof {0}'"),
        Mark_array_literal_as_const: diag(90070, 3, "Mark_array_literal_as_const_90070", "Mark array literal as const"),
        Annotate_types_of_properties_expando_function_in_a_namespace: diag(90071, 3, "Annotate_types_of_properties_expando_function_in_a_namespace_90071", "Annotate types of properties expando function in a namespace"),
        Convert_function_to_an_ES2015_class: diag(95001, 3, "Convert_function_to_an_ES2015_class_95001", "Convert function to an ES2015 class"),
        Convert_0_to_1_in_0: diag(95003, 3, "Convert_0_to_1_in_0_95003", "Convert '{0}' to '{1} in {0}'"),
        Extract_to_0_in_1: diag(95004, 3, "Extract_to_0_in_1_95004", "Extract to {0} in {1}"),
        Extract_function: diag(95005, 3, "Extract_function_95005", "Extract function"),
        Extract_constant: diag(95006, 3, "Extract_constant_95006", "Extract constant"),
        Extract_to_0_in_enclosing_scope: diag(95007, 3, "Extract_to_0_in_enclosing_scope_95007", "Extract to {0} in enclosing scope"),
        Extract_to_0_in_1_scope: diag(95008, 3, "Extract_to_0_in_1_scope_95008", "Extract to {0} in {1} scope"),
        Annotate_with_type_from_JSDoc: diag(95009, 3, "Annotate_with_type_from_JSDoc_95009", "Annotate with type from JSDoc"),
        Infer_type_of_0_from_usage: diag(95011, 3, "Infer_type_of_0_from_usage_95011", "Infer type of '{0}' from usage"),
        Infer_parameter_types_from_usage: diag(95012, 3, "Infer_parameter_types_from_usage_95012", "Infer parameter types from usage"),
        Convert_to_default_import: diag(95013, 3, "Convert_to_default_import_95013", "Convert to default import"),
        Install_0: diag(95014, 3, "Install_0_95014", "Install '{0}'"),
        Replace_import_with_0: diag(95015, 3, "Replace_import_with_0_95015", "Replace import with '{0}'."),
        Use_synthetic_default_member: diag(95016, 3, "Use_synthetic_default_member_95016", "Use synthetic 'default' member."),
        Convert_to_ES_module: diag(95017, 3, "Convert_to_ES_module_95017", "Convert to ES module"),
        Add_undefined_type_to_property_0: diag(95018, 3, "Add_undefined_type_to_property_0_95018", "Add 'undefined' type to property '{0}'"),
        Add_initializer_to_property_0: diag(95019, 3, "Add_initializer_to_property_0_95019", "Add initializer to property '{0}'"),
        Add_definite_assignment_assertion_to_property_0: diag(95020, 3, "Add_definite_assignment_assertion_to_property_0_95020", "Add definite assignment assertion to property '{0}'"),
        Convert_all_type_literals_to_mapped_type: diag(95021, 3, "Convert_all_type_literals_to_mapped_type_95021", "Convert all type literals to mapped type"),
        Add_all_missing_members: diag(95022, 3, "Add_all_missing_members_95022", "Add all missing members"),
        Infer_all_types_from_usage: diag(95023, 3, "Infer_all_types_from_usage_95023", "Infer all types from usage"),
        Delete_all_unused_declarations: diag(95024, 3, "Delete_all_unused_declarations_95024", "Delete all unused declarations"),
        Prefix_all_unused_declarations_with_where_possible: diag(95025, 3, "Prefix_all_unused_declarations_with_where_possible_95025", "Prefix all unused declarations with '_' where possible"),
        Fix_all_detected_spelling_errors: diag(95026, 3, "Fix_all_detected_spelling_errors_95026", "Fix all detected spelling errors"),
        Add_initializers_to_all_uninitialized_properties: diag(95027, 3, "Add_initializers_to_all_uninitialized_properties_95027", "Add initializers to all uninitialized properties"),
        Add_definite_assignment_assertions_to_all_uninitialized_properties: diag(95028, 3, "Add_definite_assignment_assertions_to_all_uninitialized_properties_95028", "Add definite assignment assertions to all uninitialized properties"),
        Add_undefined_type_to_all_uninitialized_properties: diag(95029, 3, "Add_undefined_type_to_all_uninitialized_properties_95029", "Add undefined type to all uninitialized properties"),
        Change_all_jsdoc_style_types_to_TypeScript: diag(95030, 3, "Change_all_jsdoc_style_types_to_TypeScript_95030", "Change all jsdoc-style types to TypeScript"),
        Change_all_jsdoc_style_types_to_TypeScript_and_add_undefined_to_nullable_types: diag(95031, 3, "Change_all_jsdoc_style_types_to_TypeScript_and_add_undefined_to_nullable_types_95031", "Change all jsdoc-style types to TypeScript (and add '| undefined' to nullable types)"),
        Implement_all_unimplemented_interfaces: diag(95032, 3, "Implement_all_unimplemented_interfaces_95032", "Implement all unimplemented interfaces"),
        Install_all_missing_types_packages: diag(95033, 3, "Install_all_missing_types_packages_95033", "Install all missing types packages"),
        Rewrite_all_as_indexed_access_types: diag(95034, 3, "Rewrite_all_as_indexed_access_types_95034", "Rewrite all as indexed access types"),
        Convert_all_to_default_imports: diag(95035, 3, "Convert_all_to_default_imports_95035", "Convert all to default imports"),
        Make_all_super_calls_the_first_statement_in_their_constructor: diag(95036, 3, "Make_all_super_calls_the_first_statement_in_their_constructor_95036", "Make all 'super()' calls the first statement in their constructor"),
        Add_qualifier_to_all_unresolved_variables_matching_a_member_name: diag(95037, 3, "Add_qualifier_to_all_unresolved_variables_matching_a_member_name_95037", "Add qualifier to all unresolved variables matching a member name"),
        Change_all_extended_interfaces_to_implements: diag(95038, 3, "Change_all_extended_interfaces_to_implements_95038", "Change all extended interfaces to 'implements'"),
        Add_all_missing_super_calls: diag(95039, 3, "Add_all_missing_super_calls_95039", "Add all missing super calls"),
        Implement_all_inherited_abstract_classes: diag(95040, 3, "Implement_all_inherited_abstract_classes_95040", "Implement all inherited abstract classes"),
        Add_all_missing_async_modifiers: diag(95041, 3, "Add_all_missing_async_modifiers_95041", "Add all missing 'async' modifiers"),
        Add_ts_ignore_to_all_error_messages: diag(95042, 3, "Add_ts_ignore_to_all_error_messages_95042", "Add '@ts-ignore' to all error messages"),
        Annotate_everything_with_types_from_JSDoc: diag(95043, 3, "Annotate_everything_with_types_from_JSDoc_95043", "Annotate everything with types from JSDoc"),
        Add_to_all_uncalled_decorators: diag(95044, 3, "Add_to_all_uncalled_decorators_95044", "Add '()' to all uncalled decorators"),
        Convert_all_constructor_functions_to_classes: diag(95045, 3, "Convert_all_constructor_functions_to_classes_95045", "Convert all constructor functions to classes"),
        Generate_get_and_set_accessors: diag(95046, 3, "Generate_get_and_set_accessors_95046", "Generate 'get' and 'set' accessors"),
        Convert_require_to_import: diag(95047, 3, "Convert_require_to_import_95047", "Convert 'require' to 'import'"),
        Convert_all_require_to_import: diag(95048, 3, "Convert_all_require_to_import_95048", "Convert all 'require' to 'import'"),
        Move_to_a_new_file: diag(95049, 3, "Move_to_a_new_file_95049", "Move to a new file"),
        Remove_unreachable_code: diag(95050, 3, "Remove_unreachable_code_95050", "Remove unreachable code"),
        Remove_all_unreachable_code: diag(95051, 3, "Remove_all_unreachable_code_95051", "Remove all unreachable code"),
        Add_missing_typeof: diag(95052, 3, "Add_missing_typeof_95052", "Add missing 'typeof'"),
        Remove_unused_label: diag(95053, 3, "Remove_unused_label_95053", "Remove unused label"),
        Remove_all_unused_labels: diag(95054, 3, "Remove_all_unused_labels_95054", "Remove all unused labels"),
        Convert_0_to_mapped_object_type: diag(95055, 3, "Convert_0_to_mapped_object_type_95055", "Convert '{0}' to mapped object type"),
        Convert_namespace_import_to_named_imports: diag(95056, 3, "Convert_namespace_import_to_named_imports_95056", "Convert namespace import to named imports"),
        Convert_named_imports_to_namespace_import: diag(95057, 3, "Convert_named_imports_to_namespace_import_95057", "Convert named imports to namespace import"),
        Add_or_remove_braces_in_an_arrow_function: diag(95058, 3, "Add_or_remove_braces_in_an_arrow_function_95058", "Add or remove braces in an arrow function"),
        Add_braces_to_arrow_function: diag(95059, 3, "Add_braces_to_arrow_function_95059", "Add braces to arrow function"),
        Remove_braces_from_arrow_function: diag(95060, 3, "Remove_braces_from_arrow_function_95060", "Remove braces from arrow function"),
        Convert_default_export_to_named_export: diag(95061, 3, "Convert_default_export_to_named_export_95061", "Convert default export to named export"),
        Convert_named_export_to_default_export: diag(95062, 3, "Convert_named_export_to_default_export_95062", "Convert named export to default export"),
        Add_missing_enum_member_0: diag(95063, 3, "Add_missing_enum_member_0_95063", "Add missing enum member '{0}'"),
        Add_all_missing_imports: diag(95064, 3, "Add_all_missing_imports_95064", "Add all missing imports"),
        Convert_to_async_function: diag(95065, 3, "Convert_to_async_function_95065", "Convert to async function"),
        Convert_all_to_async_functions: diag(95066, 3, "Convert_all_to_async_functions_95066", "Convert all to async functions"),
        Add_missing_call_parentheses: diag(95067, 3, "Add_missing_call_parentheses_95067", "Add missing call parentheses"),
        Add_all_missing_call_parentheses: diag(95068, 3, "Add_all_missing_call_parentheses_95068", "Add all missing call parentheses"),
        Add_unknown_conversion_for_non_overlapping_types: diag(95069, 3, "Add_unknown_conversion_for_non_overlapping_types_95069", "Add 'unknown' conversion for non-overlapping types"),
        Add_unknown_to_all_conversions_of_non_overlapping_types: diag(95070, 3, "Add_unknown_to_all_conversions_of_non_overlapping_types_95070", "Add 'unknown' to all conversions of non-overlapping types"),
        Add_missing_new_operator_to_call: diag(95071, 3, "Add_missing_new_operator_to_call_95071", "Add missing 'new' operator to call"),
        Add_missing_new_operator_to_all_calls: diag(95072, 3, "Add_missing_new_operator_to_all_calls_95072", "Add missing 'new' operator to all calls"),
        Add_names_to_all_parameters_without_names: diag(95073, 3, "Add_names_to_all_parameters_without_names_95073", "Add names to all parameters without names"),
        Enable_the_experimentalDecorators_option_in_your_configuration_file: diag(95074, 3, "Enable_the_experimentalDecorators_option_in_your_configuration_file_95074", "Enable the 'experimentalDecorators' option in your configuration file"),
        Convert_parameters_to_destructured_object: diag(95075, 3, "Convert_parameters_to_destructured_object_95075", "Convert parameters to destructured object"),
        Extract_type: diag(95077, 3, "Extract_type_95077", "Extract type"),
        Extract_to_type_alias: diag(95078, 3, "Extract_to_type_alias_95078", "Extract to type alias"),
        Extract_to_typedef: diag(95079, 3, "Extract_to_typedef_95079", "Extract to typedef"),
        Infer_this_type_of_0_from_usage: diag(95080, 3, "Infer_this_type_of_0_from_usage_95080", "Infer 'this' type of '{0}' from usage"),
        Add_const_to_unresolved_variable: diag(95081, 3, "Add_const_to_unresolved_variable_95081", "Add 'const' to unresolved variable"),
        Add_const_to_all_unresolved_variables: diag(95082, 3, "Add_const_to_all_unresolved_variables_95082", "Add 'const' to all unresolved variables"),
        Add_await: diag(95083, 3, "Add_await_95083", "Add 'await'"),
        Add_await_to_initializer_for_0: diag(95084, 3, "Add_await_to_initializer_for_0_95084", "Add 'await' to initializer for '{0}'"),
        Fix_all_expressions_possibly_missing_await: diag(95085, 3, "Fix_all_expressions_possibly_missing_await_95085", "Fix all expressions possibly missing 'await'"),
        Remove_unnecessary_await: diag(95086, 3, "Remove_unnecessary_await_95086", "Remove unnecessary 'await'"),
        Remove_all_unnecessary_uses_of_await: diag(95087, 3, "Remove_all_unnecessary_uses_of_await_95087", "Remove all unnecessary uses of 'await'"),
        Enable_the_jsx_flag_in_your_configuration_file: diag(95088, 3, "Enable_the_jsx_flag_in_your_configuration_file_95088", "Enable the '--jsx' flag in your configuration file"),
        Add_await_to_initializers: diag(95089, 3, "Add_await_to_initializers_95089", "Add 'await' to initializers"),
        Extract_to_interface: diag(95090, 3, "Extract_to_interface_95090", "Extract to interface"),
        Convert_to_a_bigint_numeric_literal: diag(95091, 3, "Convert_to_a_bigint_numeric_literal_95091", "Convert to a bigint numeric literal"),
        Convert_all_to_bigint_numeric_literals: diag(95092, 3, "Convert_all_to_bigint_numeric_literals_95092", "Convert all to bigint numeric literals"),
        Convert_const_to_let: diag(95093, 3, "Convert_const_to_let_95093", "Convert 'const' to 'let'"),
        Prefix_with_declare: diag(95094, 3, "Prefix_with_declare_95094", "Prefix with 'declare'"),
        Prefix_all_incorrect_property_declarations_with_declare: diag(95095, 3, "Prefix_all_incorrect_property_declarations_with_declare_95095", "Prefix all incorrect property declarations with 'declare'"),
        Convert_to_template_string: diag(95096, 3, "Convert_to_template_string_95096", "Convert to template string"),
        Add_export_to_make_this_file_into_a_module: diag(95097, 3, "Add_export_to_make_this_file_into_a_module_95097", "Add 'export {}' to make this file into a module"),
        Set_the_target_option_in_your_configuration_file_to_0: diag(95098, 3, "Set_the_target_option_in_your_configuration_file_to_0_95098", "Set the 'target' option in your configuration file to '{0}'"),
        Set_the_module_option_in_your_configuration_file_to_0: diag(95099, 3, "Set_the_module_option_in_your_configuration_file_to_0_95099", "Set the 'module' option in your configuration file to '{0}'"),
        Convert_invalid_character_to_its_html_entity_code: diag(95100, 3, "Convert_invalid_character_to_its_html_entity_code_95100", "Convert invalid character to its html entity code"),
        Convert_all_invalid_characters_to_HTML_entity_code: diag(95101, 3, "Convert_all_invalid_characters_to_HTML_entity_code_95101", "Convert all invalid characters to HTML entity code"),
        Convert_all_const_to_let: diag(95102, 3, "Convert_all_const_to_let_95102", "Convert all 'const' to 'let'"),
        Convert_function_expression_0_to_arrow_function: diag(95105, 3, "Convert_function_expression_0_to_arrow_function_95105", "Convert function expression '{0}' to arrow function"),
        Convert_function_declaration_0_to_arrow_function: diag(95106, 3, "Convert_function_declaration_0_to_arrow_function_95106", "Convert function declaration '{0}' to arrow function"),
        Fix_all_implicit_this_errors: diag(95107, 3, "Fix_all_implicit_this_errors_95107", "Fix all implicit-'this' errors"),
        Wrap_invalid_character_in_an_expression_container: diag(95108, 3, "Wrap_invalid_character_in_an_expression_container_95108", "Wrap invalid character in an expression container"),
        Wrap_all_invalid_characters_in_an_expression_container: diag(95109, 3, "Wrap_all_invalid_characters_in_an_expression_container_95109", "Wrap all invalid characters in an expression container"),
        Visit_https_Colon_Slash_Slashaka_ms_Slashtsconfig_to_read_more_about_this_file: diag(95110, 3, "Visit_https_Colon_Slash_Slashaka_ms_Slashtsconfig_to_read_more_about_this_file_95110", "Visit https://aka.ms/tsconfig to read more about this file"),
        Add_a_return_statement: diag(95111, 3, "Add_a_return_statement_95111", "Add a return statement"),
        Remove_braces_from_arrow_function_body: diag(95112, 3, "Remove_braces_from_arrow_function_body_95112", "Remove braces from arrow function body"),
        Wrap_the_following_body_with_parentheses_which_should_be_an_object_literal: diag(95113, 3, "Wrap_the_following_body_with_parentheses_which_should_be_an_object_literal_95113", "Wrap the following body with parentheses which should be an object literal"),
        Add_all_missing_return_statement: diag(95114, 3, "Add_all_missing_return_statement_95114", "Add all missing return statement"),
        Remove_braces_from_all_arrow_function_bodies_with_relevant_issues: diag(95115, 3, "Remove_braces_from_all_arrow_function_bodies_with_relevant_issues_95115", "Remove braces from all arrow function bodies with relevant issues"),
        Wrap_all_object_literal_with_parentheses: diag(95116, 3, "Wrap_all_object_literal_with_parentheses_95116", "Wrap all object literal with parentheses"),
        Move_labeled_tuple_element_modifiers_to_labels: diag(95117, 3, "Move_labeled_tuple_element_modifiers_to_labels_95117", "Move labeled tuple element modifiers to labels"),
        Convert_overload_list_to_single_signature: diag(95118, 3, "Convert_overload_list_to_single_signature_95118", "Convert overload list to single signature"),
        Generate_get_and_set_accessors_for_all_overriding_properties: diag(95119, 3, "Generate_get_and_set_accessors_for_all_overriding_properties_95119", "Generate 'get' and 'set' accessors for all overriding properties"),
        Wrap_in_JSX_fragment: diag(95120, 3, "Wrap_in_JSX_fragment_95120", "Wrap in JSX fragment"),
        Wrap_all_unparented_JSX_in_JSX_fragment: diag(95121, 3, "Wrap_all_unparented_JSX_in_JSX_fragment_95121", "Wrap all unparented JSX in JSX fragment"),
        Convert_arrow_function_or_function_expression: diag(95122, 3, "Convert_arrow_function_or_function_expression_95122", "Convert arrow function or function expression"),
        Convert_to_anonymous_function: diag(95123, 3, "Convert_to_anonymous_function_95123", "Convert to anonymous function"),
        Convert_to_named_function: diag(95124, 3, "Convert_to_named_function_95124", "Convert to named function"),
        Convert_to_arrow_function: diag(95125, 3, "Convert_to_arrow_function_95125", "Convert to arrow function"),
        Remove_parentheses: diag(95126, 3, "Remove_parentheses_95126", "Remove parentheses"),
        Could_not_find_a_containing_arrow_function: diag(95127, 3, "Could_not_find_a_containing_arrow_function_95127", "Could not find a containing arrow function"),
        Containing_function_is_not_an_arrow_function: diag(95128, 3, "Containing_function_is_not_an_arrow_function_95128", "Containing function is not an arrow function"),
        Could_not_find_export_statement: diag(95129, 3, "Could_not_find_export_statement_95129", "Could not find export statement"),
        This_file_already_has_a_default_export: diag(95130, 3, "This_file_already_has_a_default_export_95130", "This file already has a default export"),
        Could_not_find_import_clause: diag(95131, 3, "Could_not_find_import_clause_95131", "Could not find import clause"),
        Could_not_find_namespace_import_or_named_imports: diag(95132, 3, "Could_not_find_namespace_import_or_named_imports_95132", "Could not find namespace import or named imports"),
        Selection_is_not_a_valid_type_node: diag(95133, 3, "Selection_is_not_a_valid_type_node_95133", "Selection is not a valid type node"),
        No_type_could_be_extracted_from_this_type_node: diag(95134, 3, "No_type_could_be_extracted_from_this_type_node_95134", "No type could be extracted from this type node"),
        Could_not_find_property_for_which_to_generate_accessor: diag(95135, 3, "Could_not_find_property_for_which_to_generate_accessor_95135", "Could not find property for which to generate accessor"),
        Name_is_not_valid: diag(95136, 3, "Name_is_not_valid_95136", "Name is not valid"),
        Can_only_convert_property_with_modifier: diag(95137, 3, "Can_only_convert_property_with_modifier_95137", "Can only convert property with modifier"),
        Switch_each_misused_0_to_1: diag(95138, 3, "Switch_each_misused_0_to_1_95138", "Switch each misused '{0}' to '{1}'"),
        Convert_to_optional_chain_expression: diag(95139, 3, "Convert_to_optional_chain_expression_95139", "Convert to optional chain expression"),
        Could_not_find_convertible_access_expression: diag(95140, 3, "Could_not_find_convertible_access_expression_95140", "Could not find convertible access expression"),
        Could_not_find_matching_access_expressions: diag(95141, 3, "Could_not_find_matching_access_expressions_95141", "Could not find matching access expressions"),
        Can_only_convert_logical_AND_access_chains: diag(95142, 3, "Can_only_convert_logical_AND_access_chains_95142", "Can only convert logical AND access chains"),
        Add_void_to_Promise_resolved_without_a_value: diag(95143, 3, "Add_void_to_Promise_resolved_without_a_value_95143", "Add 'void' to Promise resolved without a value"),
        Add_void_to_all_Promises_resolved_without_a_value: diag(95144, 3, "Add_void_to_all_Promises_resolved_without_a_value_95144", "Add 'void' to all Promises resolved without a value"),
        Use_element_access_for_0: diag(95145, 3, "Use_element_access_for_0_95145", "Use element access for '{0}'"),
        Use_element_access_for_all_undeclared_properties: diag(95146, 3, "Use_element_access_for_all_undeclared_properties_95146", "Use element access for all undeclared properties."),
        Delete_all_unused_imports: diag(95147, 3, "Delete_all_unused_imports_95147", "Delete all unused imports"),
        Infer_function_return_type: diag(95148, 3, "Infer_function_return_type_95148", "Infer function return type"),
        Return_type_must_be_inferred_from_a_function: diag(95149, 3, "Return_type_must_be_inferred_from_a_function_95149", "Return type must be inferred from a function"),
        Could_not_determine_function_return_type: diag(95150, 3, "Could_not_determine_function_return_type_95150", "Could not determine function return type"),
        Could_not_convert_to_arrow_function: diag(95151, 3, "Could_not_convert_to_arrow_function_95151", "Could not convert to arrow function"),
        Could_not_convert_to_named_function: diag(95152, 3, "Could_not_convert_to_named_function_95152", "Could not convert to named function"),
        Could_not_convert_to_anonymous_function: diag(95153, 3, "Could_not_convert_to_anonymous_function_95153", "Could not convert to anonymous function"),
        Can_only_convert_string_concatenations_and_string_literals: diag(95154, 3, "Can_only_convert_string_concatenations_and_string_literals_95154", "Can only convert string concatenations and string literals"),
        Selection_is_not_a_valid_statement_or_statements: diag(95155, 3, "Selection_is_not_a_valid_statement_or_statements_95155", "Selection is not a valid statement or statements"),
        Add_missing_function_declaration_0: diag(95156, 3, "Add_missing_function_declaration_0_95156", "Add missing function declaration '{0}'"),
        Add_all_missing_function_declarations: diag(95157, 3, "Add_all_missing_function_declarations_95157", "Add all missing function declarations"),
        Method_not_implemented: diag(95158, 3, "Method_not_implemented_95158", "Method not implemented."),
        Function_not_implemented: diag(95159, 3, "Function_not_implemented_95159", "Function not implemented."),
        Add_override_modifier: diag(95160, 3, "Add_override_modifier_95160", "Add 'override' modifier"),
        Remove_override_modifier: diag(95161, 3, "Remove_override_modifier_95161", "Remove 'override' modifier"),
        Add_all_missing_override_modifiers: diag(95162, 3, "Add_all_missing_override_modifiers_95162", "Add all missing 'override' modifiers"),
        Remove_all_unnecessary_override_modifiers: diag(95163, 3, "Remove_all_unnecessary_override_modifiers_95163", "Remove all unnecessary 'override' modifiers"),
        Can_only_convert_named_export: diag(95164, 3, "Can_only_convert_named_export_95164", "Can only convert named export"),
        Add_missing_properties: diag(95165, 3, "Add_missing_properties_95165", "Add missing properties"),
        Add_all_missing_properties: diag(95166, 3, "Add_all_missing_properties_95166", "Add all missing properties"),
        Add_missing_attributes: diag(95167, 3, "Add_missing_attributes_95167", "Add missing attributes"),
        Add_all_missing_attributes: diag(95168, 3, "Add_all_missing_attributes_95168", "Add all missing attributes"),
        Add_undefined_to_optional_property_type: diag(95169, 3, "Add_undefined_to_optional_property_type_95169", "Add 'undefined' to optional property type"),
        Convert_named_imports_to_default_import: diag(95170, 3, "Convert_named_imports_to_default_import_95170", "Convert named imports to default import"),
        Delete_unused_param_tag_0: diag(95171, 3, "Delete_unused_param_tag_0_95171", "Delete unused '@param' tag '{0}'"),
        Delete_all_unused_param_tags: diag(95172, 3, "Delete_all_unused_param_tags_95172", "Delete all unused '@param' tags"),
        Rename_param_tag_name_0_to_1: diag(95173, 3, "Rename_param_tag_name_0_to_1_95173", "Rename '@param' tag name '{0}' to '{1}'"),
        Use_0: diag(95174, 3, "Use_0_95174", "Use `{0}`."),
        Use_Number_isNaN_in_all_conditions: diag(95175, 3, "Use_Number_isNaN_in_all_conditions_95175", "Use `Number.isNaN` in all conditions."),
        Convert_typedef_to_TypeScript_type: diag(95176, 3, "Convert_typedef_to_TypeScript_type_95176", "Convert typedef to TypeScript type."),
        Convert_all_typedef_to_TypeScript_types: diag(95177, 3, "Convert_all_typedef_to_TypeScript_types_95177", "Convert all typedef to TypeScript types."),
        Move_to_file: diag(95178, 3, "Move_to_file_95178", "Move to file"),
        Cannot_move_to_file_selected_file_is_invalid: diag(95179, 3, "Cannot_move_to_file_selected_file_is_invalid_95179", "Cannot move to file, selected file is invalid"),
        Use_import_type: diag(95180, 3, "Use_import_type_95180", "Use 'import type'"),
        Use_type_0: diag(95181, 3, "Use_type_0_95181", "Use 'type {0}'"),
        Fix_all_with_type_only_imports: diag(95182, 3, "Fix_all_with_type_only_imports_95182", "Fix all with type-only imports"),
        Cannot_move_statements_to_the_selected_file: diag(95183, 3, "Cannot_move_statements_to_the_selected_file_95183", "Cannot move statements to the selected file"),
        Inline_variable: diag(95184, 3, "Inline_variable_95184", "Inline variable"),
        Could_not_find_variable_to_inline: diag(95185, 3, "Could_not_find_variable_to_inline_95185", "Could not find variable to inline."),
        Variables_with_multiple_declarations_cannot_be_inlined: diag(95186, 3, "Variables_with_multiple_declarations_cannot_be_inlined_95186", "Variables with multiple declarations cannot be inlined."),
        Add_missing_comma_for_object_member_completion_0: diag(95187, 3, "Add_missing_comma_for_object_member_completion_0_95187", "Add missing comma for object member completion '{0}'."),
        Add_missing_parameter_to_0: diag(95188, 3, "Add_missing_parameter_to_0_95188", "Add missing parameter to '{0}'"),
        Add_missing_parameters_to_0: diag(95189, 3, "Add_missing_parameters_to_0_95189", "Add missing parameters to '{0}'"),
        Add_all_missing_parameters: diag(95190, 3, "Add_all_missing_parameters_95190", "Add all missing parameters"),
        Add_optional_parameter_to_0: diag(95191, 3, "Add_optional_parameter_to_0_95191", "Add optional parameter to '{0}'"),
        Add_optional_parameters_to_0: diag(95192, 3, "Add_optional_parameters_to_0_95192", "Add optional parameters to '{0}'"),
        Add_all_optional_parameters: diag(95193, 3, "Add_all_optional_parameters_95193", "Add all optional parameters"),
        Wrap_in_parentheses: diag(95194, 3, "Wrap_in_parentheses_95194", "Wrap in parentheses"),
        Wrap_all_invalid_decorator_expressions_in_parentheses: diag(95195, 3, "Wrap_all_invalid_decorator_expressions_in_parentheses_95195", "Wrap all invalid decorator expressions in parentheses"),
        No_value_exists_in_scope_for_the_shorthand_property_0_Either_declare_one_or_provide_an_initializer: diag(18004, 1, "No_value_exists_in_scope_for_the_shorthand_property_0_Either_declare_one_or_provide_an_initializer_18004", "No value exists in scope for the shorthand property '{0}'. Either declare one or provide an initializer."),
        Classes_may_not_have_a_field_named_constructor: diag(18006, 1, "Classes_may_not_have_a_field_named_constructor_18006", "Classes may not have a field named 'constructor'."),
        JSX_expressions_may_not_use_the_comma_operator_Did_you_mean_to_write_an_array: diag(18007, 1, "JSX_expressions_may_not_use_the_comma_operator_Did_you_mean_to_write_an_array_18007", "JSX expressions may not use the comma operator. Did you mean to write an array?"),
        Private_identifiers_cannot_be_used_as_parameters: diag(18009, 1, "Private_identifiers_cannot_be_used_as_parameters_18009", "Private identifiers cannot be used as parameters."),
        An_accessibility_modifier_cannot_be_used_with_a_private_identifier: diag(18010, 1, "An_accessibility_modifier_cannot_be_used_with_a_private_identifier_18010", "An accessibility modifier cannot be used with a private identifier."),
        The_operand_of_a_delete_operator_cannot_be_a_private_identifier: diag(18011, 1, "The_operand_of_a_delete_operator_cannot_be_a_private_identifier_18011", "The operand of a 'delete' operator cannot be a private identifier."),
        constructor_is_a_reserved_word: diag(18012, 1, "constructor_is_a_reserved_word_18012", "'#constructor' is a reserved word."),
        Property_0_is_not_accessible_outside_class_1_because_it_has_a_private_identifier: diag(18013, 1, "Property_0_is_not_accessible_outside_class_1_because_it_has_a_private_identifier_18013", "Property '{0}' is not accessible outside class '{1}' because it has a private identifier."),
        The_property_0_cannot_be_accessed_on_type_1_within_this_class_because_it_is_shadowed_by_another_private_identifier_with_the_same_spelling: diag(18014, 1, "The_property_0_cannot_be_accessed_on_type_1_within_this_class_because_it_is_shadowed_by_another_priv_18014", "The property '{0}' cannot be accessed on type '{1}' within this class because it is shadowed by another private identifier with the same spelling."),
        Property_0_in_type_1_refers_to_a_different_member_that_cannot_be_accessed_from_within_type_2: diag(18015, 1, "Property_0_in_type_1_refers_to_a_different_member_that_cannot_be_accessed_from_within_type_2_18015", "Property '{0}' in type '{1}' refers to a different member that cannot be accessed from within type '{2}'."),
        Private_identifiers_are_not_allowed_outside_class_bodies: diag(18016, 1, "Private_identifiers_are_not_allowed_outside_class_bodies_18016", "Private identifiers are not allowed outside class bodies."),
        The_shadowing_declaration_of_0_is_defined_here: diag(18017, 1, "The_shadowing_declaration_of_0_is_defined_here_18017", "The shadowing declaration of '{0}' is defined here"),
        The_declaration_of_0_that_you_probably_intended_to_use_is_defined_here: diag(18018, 1, "The_declaration_of_0_that_you_probably_intended_to_use_is_defined_here_18018", "The declaration of '{0}' that you probably intended to use is defined here"),
        _0_modifier_cannot_be_used_with_a_private_identifier: diag(18019, 1, "_0_modifier_cannot_be_used_with_a_private_identifier_18019", "'{0}' modifier cannot be used with a private identifier."),
        An_enum_member_cannot_be_named_with_a_private_identifier: diag(18024, 1, "An_enum_member_cannot_be_named_with_a_private_identifier_18024", "An enum member cannot be named with a private identifier."),
        can_only_be_used_at_the_start_of_a_file: diag(18026, 1, "can_only_be_used_at_the_start_of_a_file_18026", "'#!' can only be used at the start of a file."),
        Compiler_reserves_name_0_when_emitting_private_identifier_downlevel: diag(18027, 1, "Compiler_reserves_name_0_when_emitting_private_identifier_downlevel_18027", "Compiler reserves name '{0}' when emitting private identifier downlevel."),
        Private_identifiers_are_only_available_when_targeting_ECMAScript_2015_and_higher: diag(18028, 1, "Private_identifiers_are_only_available_when_targeting_ECMAScript_2015_and_higher_18028", "Private identifiers are only available when targeting ECMAScript 2015 and higher."),
        Private_identifiers_are_not_allowed_in_variable_declarations: diag(18029, 1, "Private_identifiers_are_not_allowed_in_variable_declarations_18029", "Private identifiers are not allowed in variable declarations."),
        An_optional_chain_cannot_contain_private_identifiers: diag(18030, 1, "An_optional_chain_cannot_contain_private_identifiers_18030", "An optional chain cannot contain private identifiers."),
        The_intersection_0_was_reduced_to_never_because_property_1_has_conflicting_types_in_some_constituents: diag(18031, 1, "The_intersection_0_was_reduced_to_never_because_property_1_has_conflicting_types_in_some_constituent_18031", "The intersection '{0}' was reduced to 'never' because property '{1}' has conflicting types in some constituents."),
        The_intersection_0_was_reduced_to_never_because_property_1_exists_in_multiple_constituents_and_is_private_in_some: diag(18032, 1, "The_intersection_0_was_reduced_to_never_because_property_1_exists_in_multiple_constituents_and_is_pr_18032", "The intersection '{0}' was reduced to 'never' because property '{1}' exists in multiple constituents and is private in some."),
        Type_0_is_not_assignable_to_type_1_as_required_for_computed_enum_member_values: diag(18033, 1, "Type_0_is_not_assignable_to_type_1_as_required_for_computed_enum_member_values_18033", "Type '{0}' is not assignable to type '{1}' as required for computed enum member values."),
        Specify_the_JSX_fragment_factory_function_to_use_when_targeting_react_JSX_emit_with_jsxFactory_compiler_option_is_specified_e_g_Fragment: diag(18034, 3, "Specify_the_JSX_fragment_factory_function_to_use_when_targeting_react_JSX_emit_with_jsxFactory_compi_18034", "Specify the JSX fragment factory function to use when targeting 'react' JSX emit with 'jsxFactory' compiler option is specified, e.g. 'Fragment'."),
        Invalid_value_for_jsxFragmentFactory_0_is_not_a_valid_identifier_or_qualified_name: diag(18035, 1, "Invalid_value_for_jsxFragmentFactory_0_is_not_a_valid_identifier_or_qualified_name_18035", "Invalid value for 'jsxFragmentFactory'. '{0}' is not a valid identifier or qualified-name."),
        Class_decorators_can_t_be_used_with_static_private_identifier_Consider_removing_the_experimental_decorator: diag(18036, 1, "Class_decorators_can_t_be_used_with_static_private_identifier_Consider_removing_the_experimental_dec_18036", "Class decorators can't be used with static private identifier. Consider removing the experimental decorator."),
        await_expression_cannot_be_used_inside_a_class_static_block: diag(18037, 1, "await_expression_cannot_be_used_inside_a_class_static_block_18037", "'await' expression cannot be used inside a class static block."),
        for_await_loops_cannot_be_used_inside_a_class_static_block: diag(18038, 1, "for_await_loops_cannot_be_used_inside_a_class_static_block_18038", "'for await' loops cannot be used inside a class static block."),
        Invalid_use_of_0_It_cannot_be_used_inside_a_class_static_block: diag(18039, 1, "Invalid_use_of_0_It_cannot_be_used_inside_a_class_static_block_18039", "Invalid use of '{0}'. It cannot be used inside a class static block."),
        A_return_statement_cannot_be_used_inside_a_class_static_block: diag(18041, 1, "A_return_statement_cannot_be_used_inside_a_class_static_block_18041", "A 'return' statement cannot be used inside a class static block."),
        _0_is_a_type_and_cannot_be_imported_in_JavaScript_files_Use_1_in_a_JSDoc_type_annotation: diag(18042, 1, "_0_is_a_type_and_cannot_be_imported_in_JavaScript_files_Use_1_in_a_JSDoc_type_annotation_18042", "'{0}' is a type and cannot be imported in JavaScript files. Use '{1}' in a JSDoc type annotation."),
        Types_cannot_appear_in_export_declarations_in_JavaScript_files: diag(18043, 1, "Types_cannot_appear_in_export_declarations_in_JavaScript_files_18043", "Types cannot appear in export declarations in JavaScript files."),
        _0_is_automatically_exported_here: diag(18044, 3, "_0_is_automatically_exported_here_18044", "'{0}' is automatically exported here."),
        Properties_with_the_accessor_modifier_are_only_available_when_targeting_ECMAScript_2015_and_higher: diag(18045, 1, "Properties_with_the_accessor_modifier_are_only_available_when_targeting_ECMAScript_2015_and_higher_18045", "Properties with the 'accessor' modifier are only available when targeting ECMAScript 2015 and higher."),
        _0_is_of_type_unknown: diag(18046, 1, "_0_is_of_type_unknown_18046", "'{0}' is of type 'unknown'."),
        _0_is_possibly_null: diag(18047, 1, "_0_is_possibly_null_18047", "'{0}' is possibly 'null'."),
        _0_is_possibly_undefined: diag(18048, 1, "_0_is_possibly_undefined_18048", "'{0}' is possibly 'undefined'."),
        _0_is_possibly_null_or_undefined: diag(18049, 1, "_0_is_possibly_null_or_undefined_18049", "'{0}' is possibly 'null' or 'undefined'."),
        The_value_0_cannot_be_used_here: diag(18050, 1, "The_value_0_cannot_be_used_here_18050", "The value '{0}' cannot be used here."),
        Compiler_option_0_cannot_be_given_an_empty_string: diag(18051, 1, "Compiler_option_0_cannot_be_given_an_empty_string_18051", "Compiler option '{0}' cannot be given an empty string."),
        Its_type_0_is_not_a_valid_JSX_element_type: diag(18053, 1, "Its_type_0_is_not_a_valid_JSX_element_type_18053", "Its type '{0}' is not a valid JSX element type."),
        await_using_statements_cannot_be_used_inside_a_class_static_block: diag(18054, 1, "await_using_statements_cannot_be_used_inside_a_class_static_block_18054", "'await using' statements cannot be used inside a class static block."),
        _0_has_a_string_type_but_must_have_syntactically_recognizable_string_syntax_when_isolatedModules_is_enabled: diag(18055, 1, "_0_has_a_string_type_but_must_have_syntactically_recognizable_string_syntax_when_isolatedModules_is__18055", "'{0}' has a string type, but must have syntactically recognizable string syntax when 'isolatedModules' is enabled."),
        Enum_member_following_a_non_literal_numeric_member_must_have_an_initializer_when_isolatedModules_is_enabled: diag(18056, 1, "Enum_member_following_a_non_literal_numeric_member_must_have_an_initializer_when_isolatedModules_is__18056", "Enum member following a non-literal numeric member must have an initializer when 'isolatedModules' is enabled.")
      };
      function tokenIsIdentifierOrKeyword(token) {
        return token >= 80;
      }
      function tokenIsIdentifierOrKeywordOrGreaterThan(token) {
        return token === 32 || tokenIsIdentifierOrKeyword(token);
      }
      var textToKeywordObj = {
        abstract: 128,
        accessor: 129,
        any: 133,
        as: 130,
        asserts: 131,
        assert: 132,
        bigint: 163,
        boolean: 136,
        break: 83,
        case: 84,
        catch: 85,
        class: 86,
        continue: 88,
        const: 87,
        ["constructor"]: 137,
        debugger: 89,
        declare: 138,
        default: 90,
        delete: 91,
        do: 92,
        else: 93,
        enum: 94,
        export: 95,
        extends: 96,
        false: 97,
        finally: 98,
        for: 99,
        from: 161,
        function: 100,
        get: 139,
        if: 101,
        implements: 119,
        import: 102,
        in: 103,
        infer: 140,
        instanceof: 104,
        interface: 120,
        intrinsic: 141,
        is: 142,
        keyof: 143,
        let: 121,
        module: 144,
        namespace: 145,
        never: 146,
        new: 105,
        null: 106,
        number: 150,
        object: 151,
        package: 122,
        private: 123,
        protected: 124,
        public: 125,
        override: 164,
        out: 147,
        readonly: 148,
        require: 149,
        global: 162,
        return: 107,
        satisfies: 152,
        set: 153,
        static: 126,
        string: 154,
        super: 108,
        switch: 109,
        symbol: 155,
        this: 110,
        throw: 111,
        true: 112,
        try: 113,
        type: 156,
        typeof: 114,
        undefined: 157,
        unique: 158,
        unknown: 159,
        using: 160,
        var: 115,
        void: 116,
        while: 117,
        with: 118,
        yield: 127,
        async: 134,
        await: 135,
        of: 165
        /* OfKeyword */
      };
      var textToKeyword = new Map(Object.entries(textToKeywordObj));
      var textToToken = new Map(Object.entries({
        ...textToKeywordObj,
        "{": 19,
        "}": 20,
        "(": 21,
        ")": 22,
        "[": 23,
        "]": 24,
        ".": 25,
        "...": 26,
        ";": 27,
        ",": 28,
        "<": 30,
        ">": 32,
        "<=": 33,
        ">=": 34,
        "==": 35,
        "!=": 36,
        "===": 37,
        "!==": 38,
        "=>": 39,
        "+": 40,
        "-": 41,
        "**": 43,
        "*": 42,
        "/": 44,
        "%": 45,
        "++": 46,
        "--": 47,
        "<<": 48,
        ">": 49,
        ">>>": 50,
        "&": 51,
        "|": 52,
        "^": 53,
        "!": 54,
        "~": 55,
        "&&": 56,
        "||": 57,
        "?": 58,
        "??": 61,
        "?.": 29,
        ":": 59,
        "=": 64,
        "+=": 65,
        "-=": 66,
        "*=": 67,
        "**=": 68,
        "/=": 69,
        "%=": 70,
        "<<=": 71,
        ">>=": 72,
        ">>>=": 73,
        "&=": 74,
        "|=": 75,
        "^=": 79,
        "||=": 76,
        "&&=": 77,
        "??=": 78,
        "@": 60,
        "#": 63,
        "`": 62
        /* BacktickToken */
      }));
      var charToRegExpFlag = new Map(Object.entries({
        d: 1,
        g: 2,
        i: 4,
        m: 8,
        s: 16,
        u: 32,
        v: 64,
        y: 128
        /* Sticky */
      }));
      var regExpFlagToFirstAvailableLanguageVersion = /* @__PURE__ */ new Map([
        [
          1,
          9
          /* RegularExpressionFlagsHasIndices */
        ],
        [
          16,
          5
          /* RegularExpressionFlagsDotAll */
        ],
        [
          32,
          2
          /* RegularExpressionFlagsUnicode */
        ],
        [
          64,
          99
          /* RegularExpressionFlagsUnicodeSets */
        ],
        [
          128,
          2
          /* RegularExpressionFlagsSticky */
        ]
      ]);
      var unicodeES5IdentifierStart = [170, 170, 181, 181, 186, 186, 192, 214, 216, 246, 248, 705, 710, 721, 736, 740, 748, 748, 750, 750, 880, 884, 886, 887, 890, 893, 902, 902, 904, 906, 908, 908, 910, 929, 931, 1013, 1015, 1153, 1162, 1319, 1329, 1366, 1369, 1369, 1377, 1415, 1488, 1514, 1520, 1522, 1568, 1610, 1646, 1647, 1649, 1747, 1749, 1749, 1765, 1766, 1774, 1775, 1786, 1788, 1791, 1791, 1808, 1808, 1810, 1839, 1869, 1957, 1969, 1969, 1994, 2026, 2036, 2037, 2042, 2042, 2048, 2069, 2074, 2074, 2084, 2084, 2088, 2088, 2112, 2136, 2208, 2208, 2210, 2220, 2308, 2361, 2365, 2365, 2384, 2384, 2392, 2401, 2417, 2423, 2425, 2431, 2437, 2444, 2447, 2448, 2451, 2472, 2474, 2480, 2482, 2482, 2486, 2489, 2493, 2493, 2510, 2510, 2524, 2525, 2527, 2529, 2544, 2545, 2565, 2570, 2575, 2576, 2579, 2600, 2602, 2608, 2610, 2611, 2613, 2614, 2616, 2617, 2649, 2652, 2654, 2654, 2674, 2676, 2693, 2701, 2703, 2705, 2707, 2728, 2730, 2736, 2738, 2739, 2741, 2745, 2749, 2749, 2768, 2768, 2784, 2785, 2821, 2828, 2831, 2832, 2835, 2856, 2858, 2864, 2866, 2867, 2869, 2873, 2877, 2877, 2908, 2909, 2911, 2913, 2929, 2929, 2947, 2947, 2949, 2954, 2958, 2960, 2962, 2965, 2969, 2970, 2972, 2972, 2974, 2975, 2979, 2980, 2984, 2986, 2990, 3001, 3024, 3024, 3077, 3084, 3086, 3088, 3090, 3112, 3114, 3123, 3125, 3129, 3133, 3133, 3160, 3161, 3168, 3169, 3205, 3212, 3214, 3216, 3218, 3240, 3242, 3251, 3253, 3257, 3261, 3261, 3294, 3294, 3296, 3297, 3313, 3314, 3333, 3340, 3342, 3344, 3346, 3386, 3389, 3389, 3406, 3406, 3424, 3425, 3450, 3455, 3461, 3478, 3482, 3505, 3507, 3515, 3517, 3517, 3520, 3526, 3585, 3632, 3634, 3635, 3648, 3654, 3713, 3714, 3716, 3716, 3719, 3720, 3722, 3722, 3725, 3725, 3732, 3735, 3737, 3743, 3745, 3747, 3749, 3749, 3751, 3751, 3754, 3755, 3757, 3760, 3762, 3763, 3773, 3773, 3776, 3780, 3782, 3782, 3804, 3807, 3840, 3840, 3904, 3911, 3913, 3948, 3976, 3980, 4096, 4138, 4159, 4159, 4176, 4181, 4186, 4189, 4193, 4193, 4197, 4198, 4206, 4208, 4213, 4225, 4238, 4238, 4256, 4293, 4295, 4295, 4301, 4301, 4304, 4346, 4348, 4680, 4682, 4685, 4688, 4694, 4696, 4696, 4698, 4701, 4704, 4744, 4746, 4749, 4752, 4784, 4786, 4789, 4792, 4798, 4800, 4800, 4802, 4805, 4808, 4822, 4824, 4880, 4882, 4885, 4888, 4954, 4992, 5007, 5024, 5108, 5121, 5740, 5743, 5759, 5761, 5786, 5792, 5866, 5870, 5872, 5888, 5900, 5902, 5905, 5920, 5937, 5952, 5969, 5984, 5996, 5998, 6e3, 6016, 6067, 6103, 6103, 6108, 6108, 6176, 6263, 6272, 6312, 6314, 6314, 6320, 6389, 6400, 6428, 6480, 6509, 6512, 6516, 6528, 6571, 6593, 6599, 6656, 6678, 6688, 6740, 6823, 6823, 6917, 6963, 6981, 6987, 7043, 7072, 7086, 7087, 7098, 7141, 7168, 7203, 7245, 7247, 7258, 7293, 7401, 7404, 7406, 7409, 7413, 7414, 7424, 7615, 7680, 7957, 7960, 7965, 7968, 8005, 8008, 8013, 8016, 8023, 8025, 8025, 8027, 8027, 8029, 8029, 8031, 8061, 8064, 8116, 8118, 8124, 8126, 8126, 8130, 8132, 8134, 8140, 8144, 8147, 8150, 8155, 8160, 8172, 8178, 8180, 8182, 8188, 8305, 8305, 8319, 8319, 8336, 8348, 8450, 8450, 8455, 8455, 8458, 8467, 8469, 8469, 8473, 8477, 8484, 8484, 8486, 8486, 8488, 8488, 8490, 8493, 8495, 8505, 8508, 8511, 8517, 8521, 8526, 8526, 8544, 8584, 11264, 11310, 11312, 11358, 11360, 11492, 11499, 11502, 11506, 11507, 11520, 11557, 11559, 11559, 11565, 11565, 11568, 11623, 11631, 11631, 11648, 11670, 11680, 11686, 11688, 11694, 11696, 11702, 11704, 11710, 11712, 11718, 11720, 11726, 11728, 11734, 11736, 11742, 11823, 11823, 12293, 12295, 12321, 12329, 12337, 12341, 12344, 12348, 12353, 12438, 12445, 12447, 12449, 12538, 12540, 12543, 12549, 12589, 12593, 12686, 12704, 12730, 12784, 12799, 13312, 19893, 19968, 40908, 40960, 42124, 42192, 42237, 42240, 42508, 42512, 42527, 42538, 42539, 42560, 42606, 42623, 42647, 42656, 42735, 42775, 42783, 42786, 42888, 42891, 42894, 42896, 42899, 42912, 42922, 43e3, 43009, 43011, 43013, 43015, 43018, 43020, 43042, 43072, 43123, 43138, 43187, 43250, 43255, 43259, 43259, 43274, 43301, 43312, 43334, 43360, 43388, 43396, 43442, 43471, 43471, 43520, 43560, 43584, 43586, 43588, 43595, 43616, 43638, 43642, 43642, 43648, 43695, 43697, 43697, 43701, 43702, 43705, 43709, 43712, 43712, 43714, 43714, 43739, 43741, 43744, 43754, 43762, 43764, 43777, 43782, 43785, 43790, 43793, 43798, 43808, 43814, 43816, 43822, 43968, 44002, 44032, 55203, 55216, 55238, 55243, 55291, 63744, 64109, 64112, 64217, 64256, 64262, 64275, 64279, 64285, 64285, 64287, 64296, 64298, 64310, 64312, 64316, 64318, 64318, 64320, 64321, 64323, 64324, 64326, 64433, 64467, 64829, 64848, 64911, 64914, 64967, 65008, 65019, 65136, 65140, 65142, 65276, 65313, 65338, 65345, 65370, 65382, 65470, 65474, 65479, 65482, 65487, 65490, 65495, 65498, 65500];
      var unicodeES5IdentifierPart = [170, 170, 181, 181, 186, 186, 192, 214, 216, 246, 248, 705, 710, 721, 736, 740, 748, 748, 750, 750, 768, 884, 886, 887, 890, 893, 902, 902, 904, 906, 908, 908, 910, 929, 931, 1013, 1015, 1153, 1155, 1159, 1162, 1319, 1329, 1366, 1369, 1369, 1377, 1415, 1425, 1469, 1471, 1471, 1473, 1474, 1476, 1477, 1479, 1479, 1488, 1514, 1520, 1522, 1552, 1562, 1568, 1641, 1646, 1747, 1749, 1756, 1759, 1768, 1770, 1788, 1791, 1791, 1808, 1866, 1869, 1969, 1984, 2037, 2042, 2042, 2048, 2093, 2112, 2139, 2208, 2208, 2210, 2220, 2276, 2302, 2304, 2403, 2406, 2415, 2417, 2423, 2425, 2431, 2433, 2435, 2437, 2444, 2447, 2448, 2451, 2472, 2474, 2480, 2482, 2482, 2486, 2489, 2492, 2500, 2503, 2504, 2507, 2510, 2519, 2519, 2524, 2525, 2527, 2531, 2534, 2545, 2561, 2563, 2565, 2570, 2575, 2576, 2579, 2600, 2602, 2608, 2610, 2611, 2613, 2614, 2616, 2617, 2620, 2620, 2622, 2626, 2631, 2632, 2635, 2637, 2641, 2641, 2649, 2652, 2654, 2654, 2662, 2677, 2689, 2691, 2693, 2701, 2703, 2705, 2707, 2728, 2730, 2736, 2738, 2739, 2741, 2745, 2748, 2757, 2759, 2761, 2763, 2765, 2768, 2768, 2784, 2787, 2790, 2799, 2817, 2819, 2821, 2828, 2831, 2832, 2835, 2856, 2858, 2864, 2866, 2867, 2869, 2873, 2876, 2884, 2887, 2888, 2891, 2893, 2902, 2903, 2908, 2909, 2911, 2915, 2918, 2927, 2929, 2929, 2946, 2947, 2949, 2954, 2958, 2960, 2962, 2965, 2969, 2970, 2972, 2972, 2974, 2975, 2979, 2980, 2984, 2986, 2990, 3001, 3006, 3010, 3014, 3016, 3018, 3021, 3024, 3024, 3031, 3031, 3046, 3055, 3073, 3075, 3077, 3084, 3086, 3088, 3090, 3112, 3114, 3123, 3125, 3129, 3133, 3140, 3142, 3144, 3146, 3149, 3157, 3158, 3160, 3161, 3168, 3171, 3174, 3183, 3202, 3203, 3205, 3212, 3214, 3216, 3218, 3240, 3242, 3251, 3253, 3257, 3260, 3268, 3270, 3272, 3274, 3277, 3285, 3286, 3294, 3294, 3296, 3299, 3302, 3311, 3313, 3314, 3330, 3331, 3333, 3340, 3342, 3344, 3346, 3386, 3389, 3396, 3398, 3400, 3402, 3406, 3415, 3415, 3424, 3427, 3430, 3439, 3450, 3455, 3458, 3459, 3461, 3478, 3482, 3505, 3507, 3515, 3517, 3517, 3520, 3526, 3530, 3530, 3535, 3540, 3542, 3542, 3544, 3551, 3570, 3571, 3585, 3642, 3648, 3662, 3664, 3673, 3713, 3714, 3716, 3716, 3719, 3720, 3722, 3722, 3725, 3725, 3732, 3735, 3737, 3743, 3745, 3747, 3749, 3749, 3751, 3751, 3754, 3755, 3757, 3769, 3771, 3773, 3776, 3780, 3782, 3782, 3784, 3789, 3792, 3801, 3804, 3807, 3840, 3840, 3864, 3865, 3872, 3881, 3893, 3893, 3895, 3895, 3897, 3897, 3902, 3911, 3913, 3948, 3953, 3972, 3974, 3991, 3993, 4028, 4038, 4038, 4096, 4169, 4176, 4253, 4256, 4293, 4295, 4295, 4301, 4301, 4304, 4346, 4348, 4680, 4682, 4685, 4688, 4694, 4696, 4696, 4698, 4701, 4704, 4744, 4746, 4749, 4752, 4784, 4786, 4789, 4792, 4798, 4800, 4800, 4802, 4805, 4808, 4822, 4824, 4880, 4882, 4885, 4888, 4954, 4957, 4959, 4992, 5007, 5024, 5108, 5121, 5740, 5743, 5759, 5761, 5786, 5792, 5866, 5870, 5872, 5888, 5900, 5902, 5908, 5920, 5940, 5952, 5971, 5984, 5996, 5998, 6e3, 6002, 6003, 6016, 6099, 6103, 6103, 6108, 6109, 6112, 6121, 6155, 6157, 6160, 6169, 6176, 6263, 6272, 6314, 6320, 6389, 6400, 6428, 6432, 6443, 6448, 6459, 6470, 6509, 6512, 6516, 6528, 6571, 6576, 6601, 6608, 6617, 6656, 6683, 6688, 6750, 6752, 6780, 6783, 6793, 6800, 6809, 6823, 6823, 6912, 6987, 6992, 7001, 7019, 7027, 7040, 7155, 7168, 7223, 7232, 7241, 7245, 7293, 7376, 7378, 7380, 7414, 7424, 7654, 7676, 7957, 7960, 7965, 7968, 8005, 8008, 8013, 8016, 8023, 8025, 8025, 8027, 8027, 8029, 8029, 8031, 8061, 8064, 8116, 8118, 8124, 8126, 8126, 8130, 8132, 8134, 8140, 8144, 8147, 8150, 8155, 8160, 8172, 8178, 8180, 8182, 8188, 8204, 8205, 8255, 8256, 8276, 8276, 8305, 8305, 8319, 8319, 8336, 8348, 8400, 8412, 8417, 8417, 8421, 8432, 8450, 8450, 8455, 8455, 8458, 8467, 8469, 8469, 8473, 8477, 8484, 8484, 8486, 8486, 8488, 8488, 8490, 8493, 8495, 8505, 8508, 8511, 8517, 8521, 8526, 8526, 8544, 8584, 11264, 11310, 11312, 11358, 11360, 11492, 11499, 11507, 11520, 11557, 11559, 11559, 11565, 11565, 11568, 11623, 11631, 11631, 11647, 11670, 11680, 11686, 11688, 11694, 11696, 11702, 11704, 11710, 11712, 11718, 11720, 11726, 11728, 11734, 11736, 11742, 11744, 11775, 11823, 11823, 12293, 12295, 12321, 12335, 12337, 12341, 12344, 12348, 12353, 12438, 12441, 12442, 12445, 12447, 12449, 12538, 12540, 12543, 12549, 12589, 12593, 12686, 12704, 12730, 12784, 12799, 13312, 19893, 19968, 40908, 40960, 42124, 42192, 42237, 42240, 42508, 42512, 42539, 42560, 42607, 42612, 42621, 42623, 42647, 42655, 42737, 42775, 42783, 42786, 42888, 42891, 42894, 42896, 42899, 42912, 42922, 43e3, 43047, 43072, 43123, 43136, 43204, 43216, 43225, 43232, 43255, 43259, 43259, 43264, 43309, 43312, 43347, 43360, 43388, 43392, 43456, 43471, 43481, 43520, 43574, 43584, 43597, 43600, 43609, 43616, 43638, 43642, 43643, 43648, 43714, 43739, 43741, 43744, 43759, 43762, 43766, 43777, 43782, 43785, 43790, 43793, 43798, 43808, 43814, 43816, 43822, 43968, 44010, 44012, 44013, 44016, 44025, 44032, 55203, 55216, 55238, 55243, 55291, 63744, 64109, 64112, 64217, 64256, 64262, 64275, 64279, 64285, 64296, 64298, 64310, 64312, 64316, 64318, 64318, 64320, 64321, 64323, 64324, 64326, 64433, 64467, 64829, 64848, 64911, 64914, 64967, 65008, 65019, 65024, 65039, 65056, 65062, 65075, 65076, 65101, 65103, 65136, 65140, 65142, 65276, 65296, 65305, 65313, 65338, 65343, 65343, 65345, 65370, 65382, 65470, 65474, 65479, 65482, 65487, 65490, 65495, 65498, 65500];
      var unicodeESNextIdentifierStart = [65, 90, 97, 122, 170, 170, 181, 181, 186, 186, 192, 214, 216, 246, 248, 705, 710, 721, 736, 740, 748, 748, 750, 750, 880, 884, 886, 887, 890, 893, 895, 895, 902, 902, 904, 906, 908, 908, 910, 929, 931, 1013, 1015, 1153, 1162, 1327, 1329, 1366, 1369, 1369, 1376, 1416, 1488, 1514, 1519, 1522, 1568, 1610, 1646, 1647, 1649, 1747, 1749, 1749, 1765, 1766, 1774, 1775, 1786, 1788, 1791, 1791, 1808, 1808, 1810, 1839, 1869, 1957, 1969, 1969, 1994, 2026, 2036, 2037, 2042, 2042, 2048, 2069, 2074, 2074, 2084, 2084, 2088, 2088, 2112, 2136, 2144, 2154, 2160, 2183, 2185, 2190, 2208, 2249, 2308, 2361, 2365, 2365, 2384, 2384, 2392, 2401, 2417, 2432, 2437, 2444, 2447, 2448, 2451, 2472, 2474, 2480, 2482, 2482, 2486, 2489, 2493, 2493, 2510, 2510, 2524, 2525, 2527, 2529, 2544, 2545, 2556, 2556, 2565, 2570, 2575, 2576, 2579, 2600, 2602, 2608, 2610, 2611, 2613, 2614, 2616, 2617, 2649, 2652, 2654, 2654, 2674, 2676, 2693, 2701, 2703, 2705, 2707, 2728, 2730, 2736, 2738, 2739, 2741, 2745, 2749, 2749, 2768, 2768, 2784, 2785, 2809, 2809, 2821, 2828, 2831, 2832, 2835, 2856, 2858, 2864, 2866, 2867, 2869, 2873, 2877, 2877, 2908, 2909, 2911, 2913, 2929, 2929, 2947, 2947, 2949, 2954, 2958, 2960, 2962, 2965, 2969, 2970, 2972, 2972, 2974, 2975, 2979, 2980, 2984, 2986, 2990, 3001, 3024, 3024, 3077, 3084, 3086, 3088, 3090, 3112, 3114, 3129, 3133, 3133, 3160, 3162, 3165, 3165, 3168, 3169, 3200, 3200, 3205, 3212, 3214, 3216, 3218, 3240, 3242, 3251, 3253, 3257, 3261, 3261, 3293, 3294, 3296, 3297, 3313, 3314, 3332, 3340, 3342, 3344, 3346, 3386, 3389, 3389, 3406, 3406, 3412, 3414, 3423, 3425, 3450, 3455, 3461, 3478, 3482, 3505, 3507, 3515, 3517, 3517, 3520, 3526, 3585, 3632, 3634, 3635, 3648, 3654, 3713, 3714, 3716, 3716, 3718, 3722, 3724, 3747, 3749, 3749, 3751, 3760, 3762, 3763, 3773, 3773, 3776, 3780, 3782, 3782, 3804, 3807, 3840, 3840, 3904, 3911, 3913, 3948, 3976, 3980, 4096, 4138, 4159, 4159, 4176, 4181, 4186, 4189, 4193, 4193, 4197, 4198, 4206, 4208, 4213, 4225, 4238, 4238, 4256, 4293, 4295, 4295, 4301, 4301, 4304, 4346, 4348, 4680, 4682, 4685, 4688, 4694, 4696, 4696, 4698, 4701, 4704, 4744, 4746, 4749, 4752, 4784, 4786, 4789, 4792, 4798, 4800, 4800, 4802, 4805, 4808, 4822, 4824, 4880, 4882, 4885, 4888, 4954, 4992, 5007, 5024, 5109, 5112, 5117, 5121, 5740, 5743, 5759, 5761, 5786, 5792, 5866, 5870, 5880, 5888, 5905, 5919, 5937, 5952, 5969, 5984, 5996, 5998, 6e3, 6016, 6067, 6103, 6103, 6108, 6108, 6176, 6264, 6272, 6312, 6314, 6314, 6320, 6389, 6400, 6430, 6480, 6509, 6512, 6516, 6528, 6571, 6576, 6601, 6656, 6678, 6688, 6740, 6823, 6823, 6917, 6963, 6981, 6988, 7043, 7072, 7086, 7087, 7098, 7141, 7168, 7203, 7245, 7247, 7258, 7293, 7296, 7304, 7312, 7354, 7357, 7359, 7401, 7404, 7406, 7411, 7413, 7414, 7418, 7418, 7424, 7615, 7680, 7957, 7960, 7965, 7968, 8005, 8008, 8013, 8016, 8023, 8025, 8025, 8027, 8027, 8029, 8029, 8031, 8061, 8064, 8116, 8118, 8124, 8126, 8126, 8130, 8132, 8134, 8140, 8144, 8147, 8150, 8155, 8160, 8172, 8178, 8180, 8182, 8188, 8305, 8305, 8319, 8319, 8336, 8348, 8450, 8450, 8455, 8455, 8458, 8467, 8469, 8469, 8472, 8477, 8484, 8484, 8486, 8486, 8488, 8488, 8490, 8505, 8508, 8511, 8517, 8521, 8526, 8526, 8544, 8584, 11264, 11492, 11499, 11502, 11506, 11507, 11520, 11557, 11559, 11559, 11565, 11565, 11568, 11623, 11631, 11631, 11648, 11670, 11680, 11686, 11688, 11694, 11696, 11702, 11704, 11710, 11712, 11718, 11720, 11726, 11728, 11734, 11736, 11742, 12293, 12295, 12321, 12329, 12337, 12341, 12344, 12348, 12353, 12438, 12443, 12447, 12449, 12538, 12540, 12543, 12549, 12591, 12593, 12686, 12704, 12735, 12784, 12799, 13312, 19903, 19968, 42124, 42192, 42237, 42240, 42508, 42512, 42527, 42538, 42539, 42560, 42606, 42623, 42653, 42656, 42735, 42775, 42783, 42786, 42888, 42891, 42954, 42960, 42961, 42963, 42963, 42965, 42969, 42994, 43009, 43011, 43013, 43015, 43018, 43020, 43042, 43072, 43123, 43138, 43187, 43250, 43255, 43259, 43259, 43261, 43262, 43274, 43301, 43312, 43334, 43360, 43388, 43396, 43442, 43471, 43471, 43488, 43492, 43494, 43503, 43514, 43518, 43520, 43560, 43584, 43586, 43588, 43595, 43616, 43638, 43642, 43642, 43646, 43695, 43697, 43697, 43701, 43702, 43705, 43709, 43712, 43712, 43714, 43714, 43739, 43741, 43744, 43754, 43762, 43764, 43777, 43782, 43785, 43790, 43793, 43798, 43808, 43814, 43816, 43822, 43824, 43866, 43868, 43881, 43888, 44002, 44032, 55203, 55216, 55238, 55243, 55291, 63744, 64109, 64112, 64217, 64256, 64262, 64275, 64279, 64285, 64285, 64287, 64296, 64298, 64310, 64312, 64316, 64318, 64318, 64320, 64321, 64323, 64324, 64326, 64433, 64467, 64829, 64848, 64911, 64914, 64967, 65008, 65019, 65136, 65140, 65142, 65276, 65313, 65338, 65345, 65370, 65382, 65470, 65474, 65479, 65482, 65487, 65490, 65495, 65498, 65500, 65536, 65547, 65549, 65574, 65576, 65594, 65596, 65597, 65599, 65613, 65616, 65629, 65664, 65786, 65856, 65908, 66176, 66204, 66208, 66256, 66304, 66335, 66349, 66378, 66384, 66421, 66432, 66461, 66464, 66499, 66504, 66511, 66513, 66517, 66560, 66717, 66736, 66771, 66776, 66811, 66816, 66855, 66864, 66915, 66928, 66938, 66940, 66954, 66956, 66962, 66964, 66965, 66967, 66977, 66979, 66993, 66995, 67001, 67003, 67004, 67072, 67382, 67392, 67413, 67424, 67431, 67456, 67461, 67463, 67504, 67506, 67514, 67584, 67589, 67592, 67592, 67594, 67637, 67639, 67640, 67644, 67644, 67647, 67669, 67680, 67702, 67712, 67742, 67808, 67826, 67828, 67829, 67840, 67861, 67872, 67897, 67968, 68023, 68030, 68031, 68096, 68096, 68112, 68115, 68117, 68119, 68121, 68149, 68192, 68220, 68224, 68252, 68288, 68295, 68297, 68324, 68352, 68405, 68416, 68437, 68448, 68466, 68480, 68497, 68608, 68680, 68736, 68786, 68800, 68850, 68864, 68899, 69248, 69289, 69296, 69297, 69376, 69404, 69415, 69415, 69424, 69445, 69488, 69505, 69552, 69572, 69600, 69622, 69635, 69687, 69745, 69746, 69749, 69749, 69763, 69807, 69840, 69864, 69891, 69926, 69956, 69956, 69959, 69959, 69968, 70002, 70006, 70006, 70019, 70066, 70081, 70084, 70106, 70106, 70108, 70108, 70144, 70161, 70163, 70187, 70207, 70208, 70272, 70278, 70280, 70280, 70282, 70285, 70287, 70301, 70303, 70312, 70320, 70366, 70405, 70412, 70415, 70416, 70419, 70440, 70442, 70448, 70450, 70451, 70453, 70457, 70461, 70461, 70480, 70480, 70493, 70497, 70656, 70708, 70727, 70730, 70751, 70753, 70784, 70831, 70852, 70853, 70855, 70855, 71040, 71086, 71128, 71131, 71168, 71215, 71236, 71236, 71296, 71338, 71352, 71352, 71424, 71450, 71488, 71494, 71680, 71723, 71840, 71903, 71935, 71942, 71945, 71945, 71948, 71955, 71957, 71958, 71960, 71983, 71999, 71999, 72001, 72001, 72096, 72103, 72106, 72144, 72161, 72161, 72163, 72163, 72192, 72192, 72203, 72242, 72250, 72250, 72272, 72272, 72284, 72329, 72349, 72349, 72368, 72440, 72704, 72712, 72714, 72750, 72768, 72768, 72818, 72847, 72960, 72966, 72968, 72969, 72971, 73008, 73030, 73030, 73056, 73061, 73063, 73064, 73066, 73097, 73112, 73112, 73440, 73458, 73474, 73474, 73476, 73488, 73490, 73523, 73648, 73648, 73728, 74649, 74752, 74862, 74880, 75075, 77712, 77808, 77824, 78895, 78913, 78918, 82944, 83526, 92160, 92728, 92736, 92766, 92784, 92862, 92880, 92909, 92928, 92975, 92992, 92995, 93027, 93047, 93053, 93071, 93760, 93823, 93952, 94026, 94032, 94032, 94099, 94111, 94176, 94177, 94179, 94179, 94208, 100343, 100352, 101589, 101632, 101640, 110576, 110579, 110581, 110587, 110589, 110590, 110592, 110882, 110898, 110898, 110928, 110930, 110933, 110933, 110948, 110951, 110960, 111355, 113664, 113770, 113776, 113788, 113792, 113800, 113808, 113817, 119808, 119892, 119894, 119964, 119966, 119967, 119970, 119970, 119973, 119974, 119977, 119980, 119982, 119993, 119995, 119995, 119997, 120003, 120005, 120069, 120071, 120074, 120077, 120084, 120086, 120092, 120094, 120121, 120123, 120126, 120128, 120132, 120134, 120134, 120138, 120144, 120146, 120485, 120488, 120512, 120514, 120538, 120540, 120570, 120572, 120596, 120598, 120628, 120630, 120654, 120656, 120686, 120688, 120712, 120714, 120744, 120746, 120770, 120772, 120779, 122624, 122654, 122661, 122666, 122928, 122989, 123136, 123180, 123191, 123197, 123214, 123214, 123536, 123565, 123584, 123627, 124112, 124139, 124896, 124902, 124904, 124907, 124909, 124910, 124912, 124926, 124928, 125124, 125184, 125251, 125259, 125259, 126464, 126467, 126469, 126495, 126497, 126498, 126500, 126500, 126503, 126503, 126505, 126514, 126516, 126519, 126521, 126521, 126523, 126523, 126530, 126530, 126535, 126535, 126537, 126537, 126539, 126539, 126541, 126543, 126545, 126546, 126548, 126548, 126551, 126551, 126553, 126553, 126555, 126555, 126557, 126557, 126559, 126559, 126561, 126562, 126564, 126564, 126567, 126570, 126572, 126578, 126580, 126583, 126585, 126588, 126590, 126590, 126592, 126601, 126603, 126619, 126625, 126627, 126629, 126633, 126635, 126651, 131072, 173791, 173824, 177977, 177984, 178205, 178208, 183969, 183984, 191456, 191472, 192093, 194560, 195101, 196608, 201546, 201552, 205743];
      var unicodeESNextIdentifierPart = [48, 57, 65, 90, 95, 95, 97, 122, 170, 170, 181, 181, 183, 183, 186, 186, 192, 214, 216, 246, 248, 705, 710, 721, 736, 740, 748, 748, 750, 750, 768, 884, 886, 887, 890, 893, 895, 895, 902, 906, 908, 908, 910, 929, 931, 1013, 1015, 1153, 1155, 1159, 1162, 1327, 1329, 1366, 1369, 1369, 1376, 1416, 1425, 1469, 1471, 1471, 1473, 1474, 1476, 1477, 1479, 1479, 1488, 1514, 1519, 1522, 1552, 1562, 1568, 1641, 1646, 1747, 1749, 1756, 1759, 1768, 1770, 1788, 1791, 1791, 1808, 1866, 1869, 1969, 1984, 2037, 2042, 2042, 2045, 2045, 2048, 2093, 2112, 2139, 2144, 2154, 2160, 2183, 2185, 2190, 2200, 2273, 2275, 2403, 2406, 2415, 2417, 2435, 2437, 2444, 2447, 2448, 2451, 2472, 2474, 2480, 2482, 2482, 2486, 2489, 2492, 2500, 2503, 2504, 2507, 2510, 2519, 2519, 2524, 2525, 2527, 2531, 2534, 2545, 2556, 2556, 2558, 2558, 2561, 2563, 2565, 2570, 2575, 2576, 2579, 2600, 2602, 2608, 2610, 2611, 2613, 2614, 2616, 2617, 2620, 2620, 2622, 2626, 2631, 2632, 2635, 2637, 2641, 2641, 2649, 2652, 2654, 2654, 2662, 2677, 2689, 2691, 2693, 2701, 2703, 2705, 2707, 2728, 2730, 2736, 2738, 2739, 2741, 2745, 2748, 2757, 2759, 2761, 2763, 2765, 2768, 2768, 2784, 2787, 2790, 2799, 2809, 2815, 2817, 2819, 2821, 2828, 2831, 2832, 2835, 2856, 2858, 2864, 2866, 2867, 2869, 2873, 2876, 2884, 2887, 2888, 2891, 2893, 2901, 2903, 2908, 2909, 2911, 2915, 2918, 2927, 2929, 2929, 2946, 2947, 2949, 2954, 2958, 2960, 2962, 2965, 2969, 2970, 2972, 2972, 2974, 2975, 2979, 2980, 2984, 2986, 2990, 3001, 3006, 3010, 3014, 3016, 3018, 3021, 3024, 3024, 3031, 3031, 3046, 3055, 3072, 3084, 3086, 3088, 3090, 3112, 3114, 3129, 3132, 3140, 3142, 3144, 3146, 3149, 3157, 3158, 3160, 3162, 3165, 3165, 3168, 3171, 3174, 3183, 3200, 3203, 3205, 3212, 3214, 3216, 3218, 3240, 3242, 3251, 3253, 3257, 3260, 3268, 3270, 3272, 3274, 3277, 3285, 3286, 3293, 3294, 3296, 3299, 3302, 3311, 3313, 3315, 3328, 3340, 3342, 3344, 3346, 3396, 3398, 3400, 3402, 3406, 3412, 3415, 3423, 3427, 3430, 3439, 3450, 3455, 3457, 3459, 3461, 3478, 3482, 3505, 3507, 3515, 3517, 3517, 3520, 3526, 3530, 3530, 3535, 3540, 3542, 3542, 3544, 3551, 3558, 3567, 3570, 3571, 3585, 3642, 3648, 3662, 3664, 3673, 3713, 3714, 3716, 3716, 3718, 3722, 3724, 3747, 3749, 3749, 3751, 3773, 3776, 3780, 3782, 3782, 3784, 3790, 3792, 3801, 3804, 3807, 3840, 3840, 3864, 3865, 3872, 3881, 3893, 3893, 3895, 3895, 3897, 3897, 3902, 3911, 3913, 3948, 3953, 3972, 3974, 3991, 3993, 4028, 4038, 4038, 4096, 4169, 4176, 4253, 4256, 4293, 4295, 4295, 4301, 4301, 4304, 4346, 4348, 4680, 4682, 4685, 4688, 4694, 4696, 4696, 4698, 4701, 4704, 4744, 4746, 4749, 4752, 4784, 4786, 4789, 4792, 4798, 4800, 4800, 4802, 4805, 4808, 4822, 4824, 4880, 4882, 4885, 4888, 4954, 4957, 4959, 4969, 4977, 4992, 5007, 5024, 5109, 5112, 5117, 5121, 5740, 5743, 5759, 5761, 5786, 5792, 5866, 5870, 5880, 5888, 5909, 5919, 5940, 5952, 5971, 5984, 5996, 5998, 6e3, 6002, 6003, 6016, 6099, 6103, 6103, 6108, 6109, 6112, 6121, 6155, 6157, 6159, 6169, 6176, 6264, 6272, 6314, 6320, 6389, 6400, 6430, 6432, 6443, 6448, 6459, 6470, 6509, 6512, 6516, 6528, 6571, 6576, 6601, 6608, 6618, 6656, 6683, 6688, 6750, 6752, 6780, 6783, 6793, 6800, 6809, 6823, 6823, 6832, 6845, 6847, 6862, 6912, 6988, 6992, 7001, 7019, 7027, 7040, 7155, 7168, 7223, 7232, 7241, 7245, 7293, 7296, 7304, 7312, 7354, 7357, 7359, 7376, 7378, 7380, 7418, 7424, 7957, 7960, 7965, 7968, 8005, 8008, 8013, 8016, 8023, 8025, 8025, 8027, 8027, 8029, 8029, 8031, 8061, 8064, 8116, 8118, 8124, 8126, 8126, 8130, 8132, 8134, 8140, 8144, 8147, 8150, 8155, 8160, 8172, 8178, 8180, 8182, 8188, 8204, 8205, 8255, 8256, 8276, 8276, 8305, 8305, 8319, 8319, 8336, 8348, 8400, 8412, 8417, 8417, 8421, 8432, 8450, 8450, 8455, 8455, 8458, 8467, 8469, 8469, 8472, 8477, 8484, 8484, 8486, 8486, 8488, 8488, 8490, 8505, 8508, 8511, 8517, 8521, 8526, 8526, 8544, 8584, 11264, 11492, 11499, 11507, 11520, 11557, 11559, 11559, 11565, 11565, 11568, 11623, 11631, 11631, 11647, 11670, 11680, 11686, 11688, 11694, 11696, 11702, 11704, 11710, 11712, 11718, 11720, 11726, 11728, 11734, 11736, 11742, 11744, 11775, 12293, 12295, 12321, 12335, 12337, 12341, 12344, 12348, 12353, 12438, 12441, 12447, 12449, 12543, 12549, 12591, 12593, 12686, 12704, 12735, 12784, 12799, 13312, 19903, 19968, 42124, 42192, 42237, 42240, 42508, 42512, 42539, 42560, 42607, 42612, 42621, 42623, 42737, 42775, 42783, 42786, 42888, 42891, 42954, 42960, 42961, 42963, 42963, 42965, 42969, 42994, 43047, 43052, 43052, 43072, 43123, 43136, 43205, 43216, 43225, 43232, 43255, 43259, 43259, 43261, 43309, 43312, 43347, 43360, 43388, 43392, 43456, 43471, 43481, 43488, 43518, 43520, 43574, 43584, 43597, 43600, 43609, 43616, 43638, 43642, 43714, 43739, 43741, 43744, 43759, 43762, 43766, 43777, 43782, 43785, 43790, 43793, 43798, 43808, 43814, 43816, 43822, 43824, 43866, 43868, 43881, 43888, 44010, 44012, 44013, 44016, 44025, 44032, 55203, 55216, 55238, 55243, 55291, 63744, 64109, 64112, 64217, 64256, 64262, 64275, 64279, 64285, 64296, 64298, 64310, 64312, 64316, 64318, 64318, 64320, 64321, 64323, 64324, 64326, 64433, 64467, 64829, 64848, 64911, 64914, 64967, 65008, 65019, 65024, 65039, 65056, 65071, 65075, 65076, 65101, 65103, 65136, 65140, 65142, 65276, 65296, 65305, 65313, 65338, 65343, 65343, 65345, 65370, 65381, 65470, 65474, 65479, 65482, 65487, 65490, 65495, 65498, 65500, 65536, 65547, 65549, 65574, 65576, 65594, 65596, 65597, 65599, 65613, 65616, 65629, 65664, 65786, 65856, 65908, 66045, 66045, 66176, 66204, 66208, 66256, 66272, 66272, 66304, 66335, 66349, 66378, 66384, 66426, 66432, 66461, 66464, 66499, 66504, 66511, 66513, 66517, 66560, 66717, 66720, 66729, 66736, 66771, 66776, 66811, 66816, 66855, 66864, 66915, 66928, 66938, 66940, 66954, 66956, 66962, 66964, 66965, 66967, 66977, 66979, 66993, 66995, 67001, 67003, 67004, 67072, 67382, 67392, 67413, 67424, 67431, 67456, 67461, 67463, 67504, 67506, 67514, 67584, 67589, 67592, 67592, 67594, 67637, 67639, 67640, 67644, 67644, 67647, 67669, 67680, 67702, 67712, 67742, 67808, 67826, 67828, 67829, 67840, 67861, 67872, 67897, 67968, 68023, 68030, 68031, 68096, 68099, 68101, 68102, 68108, 68115, 68117, 68119, 68121, 68149, 68152, 68154, 68159, 68159, 68192, 68220, 68224, 68252, 68288, 68295, 68297, 68326, 68352, 68405, 68416, 68437, 68448, 68466, 68480, 68497, 68608, 68680, 68736, 68786, 68800, 68850, 68864, 68903, 68912, 68921, 69248, 69289, 69291, 69292, 69296, 69297, 69373, 69404, 69415, 69415, 69424, 69456, 69488, 69509, 69552, 69572, 69600, 69622, 69632, 69702, 69734, 69749, 69759, 69818, 69826, 69826, 69840, 69864, 69872, 69881, 69888, 69940, 69942, 69951, 69956, 69959, 69968, 70003, 70006, 70006, 70016, 70084, 70089, 70092, 70094, 70106, 70108, 70108, 70144, 70161, 70163, 70199, 70206, 70209, 70272, 70278, 70280, 70280, 70282, 70285, 70287, 70301, 70303, 70312, 70320, 70378, 70384, 70393, 70400, 70403, 70405, 70412, 70415, 70416, 70419, 70440, 70442, 70448, 70450, 70451, 70453, 70457, 70459, 70468, 70471, 70472, 70475, 70477, 70480, 70480, 70487, 70487, 70493, 70499, 70502, 70508, 70512, 70516, 70656, 70730, 70736, 70745, 70750, 70753, 70784, 70853, 70855, 70855, 70864, 70873, 71040, 71093, 71096, 71104, 71128, 71133, 71168, 71232, 71236, 71236, 71248, 71257, 71296, 71352, 71360, 71369, 71424, 71450, 71453, 71467, 71472, 71481, 71488, 71494, 71680, 71738, 71840, 71913, 71935, 71942, 71945, 71945, 71948, 71955, 71957, 71958, 71960, 71989, 71991, 71992, 71995, 72003, 72016, 72025, 72096, 72103, 72106, 72151, 72154, 72161, 72163, 72164, 72192, 72254, 72263, 72263, 72272, 72345, 72349, 72349, 72368, 72440, 72704, 72712, 72714, 72758, 72760, 72768, 72784, 72793, 72818, 72847, 72850, 72871, 72873, 72886, 72960, 72966, 72968, 72969, 72971, 73014, 73018, 73018, 73020, 73021, 73023, 73031, 73040, 73049, 73056, 73061, 73063, 73064, 73066, 73102, 73104, 73105, 73107, 73112, 73120, 73129, 73440, 73462, 73472, 73488, 73490, 73530, 73534, 73538, 73552, 73561, 73648, 73648, 73728, 74649, 74752, 74862, 74880, 75075, 77712, 77808, 77824, 78895, 78912, 78933, 82944, 83526, 92160, 92728, 92736, 92766, 92768, 92777, 92784, 92862, 92864, 92873, 92880, 92909, 92912, 92916, 92928, 92982, 92992, 92995, 93008, 93017, 93027, 93047, 93053, 93071, 93760, 93823, 93952, 94026, 94031, 94087, 94095, 94111, 94176, 94177, 94179, 94180, 94192, 94193, 94208, 100343, 100352, 101589, 101632, 101640, 110576, 110579, 110581, 110587, 110589, 110590, 110592, 110882, 110898, 110898, 110928, 110930, 110933, 110933, 110948, 110951, 110960, 111355, 113664, 113770, 113776, 113788, 113792, 113800, 113808, 113817, 113821, 113822, 118528, 118573, 118576, 118598, 119141, 119145, 119149, 119154, 119163, 119170, 119173, 119179, 119210, 119213, 119362, 119364, 119808, 119892, 119894, 119964, 119966, 119967, 119970, 119970, 119973, 119974, 119977, 119980, 119982, 119993, 119995, 119995, 119997, 120003, 120005, 120069, 120071, 120074, 120077, 120084, 120086, 120092, 120094, 120121, 120123, 120126, 120128, 120132, 120134, 120134, 120138, 120144, 120146, 120485, 120488, 120512, 120514, 120538, 120540, 120570, 120572, 120596, 120598, 120628, 120630, 120654, 120656, 120686, 120688, 120712, 120714, 120744, 120746, 120770, 120772, 120779, 120782, 120831, 121344, 121398, 121403, 121452, 121461, 121461, 121476, 121476, 121499, 121503, 121505, 121519, 122624, 122654, 122661, 122666, 122880, 122886, 122888, 122904, 122907, 122913, 122915, 122916, 122918, 122922, 122928, 122989, 123023, 123023, 123136, 123180, 123184, 123197, 123200, 123209, 123214, 123214, 123536, 123566, 123584, 123641, 124112, 124153, 124896, 124902, 124904, 124907, 124909, 124910, 124912, 124926, 124928, 125124, 125136, 125142, 125184, 125259, 125264, 125273, 126464, 126467, 126469, 126495, 126497, 126498, 126500, 126500, 126503, 126503, 126505, 126514, 126516, 126519, 126521, 126521, 126523, 126523, 126530, 126530, 126535, 126535, 126537, 126537, 126539, 126539, 126541, 126543, 126545, 126546, 126548, 126548, 126551, 126551, 126553, 126553, 126555, 126555, 126557, 126557, 126559, 126559, 126561, 126562, 126564, 126564, 126567, 126570, 126572, 126578, 126580, 126583, 126585, 126588, 126590, 126590, 126592, 126601, 126603, 126619, 126625, 126627, 126629, 126633, 126635, 126651, 130032, 130041, 131072, 173791, 173824, 177977, 177984, 178205, 178208, 183969, 183984, 191456, 191472, 192093, 194560, 195101, 196608, 201546, 201552, 205743, 917760, 917999];
      var commentDirectiveRegExSingleLine = /^\/\/\/?\s*@(ts-expect-error|ts-ignore)/;
      var commentDirectiveRegExMultiLine = /^(?:\/|\*)*\s*@(ts-expect-error|ts-ignore)/;
      var jsDocSeeOrLink = /@(?:see|link)/i;
      function lookupInUnicodeMap(code, map2) {
        if (code < map2[0]) {
          return false;
        }
        let lo = 0;
        let hi = map2.length;
        let mid;
        while (lo + 1 < hi) {
          mid = lo + (hi - lo) / 2;
          mid -= mid % 2;
          if (map2[mid] <= code && code <= map2[mid + 1]) {
            return true;
          }
          if (code < map2[mid]) {
            hi = mid;
          } else {
            lo = mid + 2;
          }
        }
        return false;
      }
      function isUnicodeIdentifierStart(code, languageVersion) {
        return languageVersion >= 2 ? lookupInUnicodeMap(code, unicodeESNextIdentifierStart) : lookupInUnicodeMap(code, unicodeES5IdentifierStart);
      }
      function isUnicodeIdentifierPart(code, languageVersion) {
        return languageVersion >= 2 ? lookupInUnicodeMap(code, unicodeESNextIdentifierPart) : lookupInUnicodeMap(code, unicodeES5IdentifierPart);
      }
      function makeReverseMap(source) {
        const result = [];
        source.forEach((value, name) => {
          result[value] = name;
        });
        return result;
      }
      var tokenStrings = makeReverseMap(textToToken);
      function tokenToString(t) {
        return tokenStrings[t];
      }
      function stringToToken(s) {
        return textToToken.get(s);
      }
      var regExpFlagChars = makeReverseMap(charToRegExpFlag);
      function regularExpressionFlagToCharacter(f) {
        return regExpFlagChars[f];
      }
      function characterToRegularExpressionFlag(c) {
        return charToRegExpFlag.get(c);
      }
      function computeLineStarts(text) {
        const result = [];
        let pos = 0;
        let lineStart = 0;
        while (pos < text.length) {
          const ch = text.charCodeAt(pos);
          pos++;
          switch (ch) {
            case 13:
              if (text.charCodeAt(pos) === 10) {
                pos++;
              }
            case 10:
              result.push(lineStart);
              lineStart = pos;
              break;
            default:
              if (ch > 127 && isLineBreak(ch)) {
                result.push(lineStart);
                lineStart = pos;
              }
              break;
          }
        }
        result.push(lineStart);
        return result;
      }
      function getPositionOfLineAndCharacter(sourceFile, line, character, allowEdits) {
        return sourceFile.getPositionOfLineAndCharacter ? sourceFile.getPositionOfLineAndCharacter(line, character, allowEdits) : computePositionOfLineAndCharacter(getLineStarts(sourceFile), line, character, sourceFile.text, allowEdits);
      }
      function computePositionOfLineAndCharacter(lineStarts, line, character, debugText, allowEdits) {
        if (line < 0 || line >= lineStarts.length) {
          if (allowEdits) {
            line = line < 0 ? 0 : line >= lineStarts.length ? lineStarts.length - 1 : line;
          } else {
            Debug.fail(`Bad line number. Line: ${line}, lineStarts.length: ${lineStarts.length} , line map is correct? ${debugText !== void 0 ? arraysEqual(lineStarts, computeLineStarts(debugText)) : "unknown"}`);
          }
        }
        const res = lineStarts[line] + character;
        if (allowEdits) {
          return res > lineStarts[line + 1] ? lineStarts[line + 1] : typeof debugText === "string" && res > debugText.length ? debugText.length : res;
        }
        if (line < lineStarts.length - 1) {
          Debug.assert(res < lineStarts[line + 1]);
        } else if (debugText !== void 0) {
          Debug.assert(res <= debugText.length);
        }
        return res;
      }
      function getLineStarts(sourceFile) {
        return sourceFile.lineMap || (sourceFile.lineMap = computeLineStarts(sourceFile.text));
      }
      function computeLineAndCharacterOfPosition(lineStarts, position) {
        const lineNumber = computeLineOfPosition(lineStarts, position);
        return {
          line: lineNumber,
          character: position - lineStarts[lineNumber]
        };
      }
      function computeLineOfPosition(lineStarts, position, lowerBound) {
        let lineNumber = binarySearch(lineStarts, position, identity2, compareValues, lowerBound);
        if (lineNumber < 0) {
          lineNumber = ~lineNumber - 1;
          Debug.assert(lineNumber !== -1, "position cannot precede the beginning of the file");
        }
        return lineNumber;
      }
      function getLinesBetweenPositions(sourceFile, pos1, pos2) {
        if (pos1 === pos2) return 0;
        const lineStarts = getLineStarts(sourceFile);
        const lower = Math.min(pos1, pos2);
        const isNegative2 = lower === pos2;
        const upper = isNegative2 ? pos1 : pos2;
        const lowerLine = computeLineOfPosition(lineStarts, lower);
        const upperLine = computeLineOfPosition(lineStarts, upper, lowerLine);
        return isNegative2 ? lowerLine - upperLine : upperLine - lowerLine;
      }
      function getLineAndCharacterOfPosition(sourceFile, position) {
        return computeLineAndCharacterOfPosition(getLineStarts(sourceFile), position);
      }
      function isWhiteSpaceLike(ch) {
        return isWhiteSpaceSingleLine(ch) || isLineBreak(ch);
      }
      function isWhiteSpaceSingleLine(ch) {
        return ch === 32 || ch === 9 || ch === 11 || ch === 12 || ch === 160 || ch === 133 || ch === 5760 || ch >= 8192 && ch <= 8203 || ch === 8239 || ch === 8287 || ch === 12288 || ch === 65279;
      }
      function isLineBreak(ch) {
        return ch === 10 || ch === 13 || ch === 8232 || ch === 8233;
      }
      function isDigit(ch) {
        return ch >= 48 && ch <= 57;
      }
      function isHexDigit(ch) {
        return isDigit(ch) || ch >= 65 && ch <= 70 || ch >= 97 && ch <= 102;
      }
      function isASCIILetter(ch) {
        return ch >= 65 && ch <= 90 || ch >= 97 && ch <= 122;
      }
      function isWordCharacter(ch) {
        return isASCIILetter(ch) || isDigit(ch) || ch === 95;
      }
      function isOctalDigit(ch) {
        return ch >= 48 && ch <= 55;
      }
      function couldStartTrivia(text, pos) {
        const ch = text.charCodeAt(pos);
        switch (ch) {
          case 13:
          case 10:
          case 9:
          case 11:
          case 12:
          case 32:
          case 47:
          case 60:
          case 124:
          case 61:
          case 62:
            return true;
          case 35:
            return pos === 0;
          default:
            return ch > 127;
        }
      }
      function skipTrivia(text, pos, stopAfterLineBreak, stopAtComments, inJSDoc) {
        if (positionIsSynthesized(pos)) {
          return pos;
        }
        let canConsumeStar = false;
        while (true) {
          const ch = text.charCodeAt(pos);
          switch (ch) {
            case 13:
              if (text.charCodeAt(pos + 1) === 10) {
                pos++;
              }
            case 10:
              pos++;
              if (stopAfterLineBreak) {
                return pos;
              }
              canConsumeStar = !!inJSDoc;
              continue;
            case 9:
            case 11:
            case 12:
            case 32:
              pos++;
              continue;
            case 47:
              if (stopAtComments) {
                break;
              }
              if (text.charCodeAt(pos + 1) === 47) {
                pos += 2;
                while (pos < text.length) {
                  if (isLineBreak(text.charCodeAt(pos))) {
                    break;
                  }
                  pos++;
                }
                canConsumeStar = false;
                continue;
              }
              if (text.charCodeAt(pos + 1) === 42) {
                pos += 2;
                while (pos < text.length) {
                  if (text.charCodeAt(pos) === 42 && text.charCodeAt(pos + 1) === 47) {
                    pos += 2;
                    break;
                  }
                  pos++;
                }
                canConsumeStar = false;
                continue;
              }
              break;
            case 60:
            case 124:
            case 61:
            case 62:
              if (isConflictMarkerTrivia(text, pos)) {
                pos = scanConflictMarkerTrivia(text, pos);
                canConsumeStar = false;
                continue;
              }
              break;
            case 35:
              if (pos === 0 && isShebangTrivia(text, pos)) {
                pos = scanShebangTrivia(text, pos);
                canConsumeStar = false;
                continue;
              }
              break;
            case 42:
              if (canConsumeStar) {
                pos++;
                canConsumeStar = false;
                continue;
              }
              break;
            default:
              if (ch > 127 && isWhiteSpaceLike(ch)) {
                pos++;
                continue;
              }
              break;
          }
          return pos;
        }
      }
      var mergeConflictMarkerLength = "<<<<<<<".length;
      function isConflictMarkerTrivia(text, pos) {
        Debug.assert(pos >= 0);
        if (pos === 0 || isLineBreak(text.charCodeAt(pos - 1))) {
          const ch = text.charCodeAt(pos);
          if (pos + mergeConflictMarkerLength < text.length) {
            for (let i = 0; i < mergeConflictMarkerLength; i++) {
              if (text.charCodeAt(pos + i) !== ch) {
                return false;
              }
            }
            return ch === 61 || text.charCodeAt(pos + mergeConflictMarkerLength) === 32;
          }
        }
        return false;
      }
      function scanConflictMarkerTrivia(text, pos, error2) {
        if (error2) {
          error2(Diagnostics.Merge_conflict_marker_encountered, pos, mergeConflictMarkerLength);
        }
        const ch = text.charCodeAt(pos);
        const len = text.length;
        if (ch === 60 || ch === 62) {
          while (pos < len && !isLineBreak(text.charCodeAt(pos))) {
            pos++;
          }
        } else {
          Debug.assert(
            ch === 124 || ch === 61
            /* equals */
          );
          while (pos < len) {
            const currentChar = text.charCodeAt(pos);
            if ((currentChar === 61 || currentChar === 62) && currentChar !== ch && isConflictMarkerTrivia(text, pos)) {
              break;
            }
            pos++;
          }
        }
        return pos;
      }
      var shebangTriviaRegex = /^#!.*/;
      function isShebangTrivia(text, pos) {
        Debug.assert(pos === 0);
        return shebangTriviaRegex.test(text);
      }
      function scanShebangTrivia(text, pos) {
        const shebang = shebangTriviaRegex.exec(text)[0];
        pos = pos + shebang.length;
        return pos;
      }
      function iterateCommentRanges(reduce, text, pos, trailing, cb, state, initial) {
        let pendingPos;
        let pendingEnd;
        let pendingKind;
        let pendingHasTrailingNewLine;
        let hasPendingCommentRange = false;
        let collecting = trailing;
        let accumulator = initial;
        if (pos === 0) {
          collecting = true;
          const shebang = getShebang(text);
          if (shebang) {
            pos = shebang.length;
          }
        }
        scan:
          while (pos >= 0 && pos < text.length) {
            const ch = text.charCodeAt(pos);
            switch (ch) {
              case 13:
                if (text.charCodeAt(pos + 1) === 10) {
                  pos++;
                }
              case 10:
                pos++;
                if (trailing) {
                  break scan;
                }
                collecting = true;
                if (hasPendingCommentRange) {
                  pendingHasTrailingNewLine = true;
                }
                continue;
              case 9:
              case 11:
              case 12:
              case 32:
                pos++;
                continue;
              case 47:
                const nextChar = text.charCodeAt(pos + 1);
                let hasTrailingNewLine = false;
                if (nextChar === 47 || nextChar === 42) {
                  const kind = nextChar === 47 ? 2 : 3;
                  const startPos = pos;
                  pos += 2;
                  if (nextChar === 47) {
                    while (pos < text.length) {
                      if (isLineBreak(text.charCodeAt(pos))) {
                        hasTrailingNewLine = true;
                        break;
                      }
                      pos++;
                    }
                  } else {
                    while (pos < text.length) {
                      if (text.charCodeAt(pos) === 42 && text.charCodeAt(pos + 1) === 47) {
                        pos += 2;
                        break;
                      }
                      pos++;
                    }
                  }
                  if (collecting) {
                    if (hasPendingCommentRange) {
                      accumulator = cb(pendingPos, pendingEnd, pendingKind, pendingHasTrailingNewLine, state, accumulator);
                      if (!reduce && accumulator) {
                        return accumulator;
                      }
                    }
                    pendingPos = startPos;
                    pendingEnd = pos;
                    pendingKind = kind;
                    pendingHasTrailingNewLine = hasTrailingNewLine;
                    hasPendingCommentRange = true;
                  }
                  continue;
                }
                break scan;
              default:
                if (ch > 127 && isWhiteSpaceLike(ch)) {
                  if (hasPendingCommentRange && isLineBreak(ch)) {
                    pendingHasTrailingNewLine = true;
                  }
                  pos++;
                  continue;
                }
                break scan;
            }
          }
        if (hasPendingCommentRange) {
          accumulator = cb(pendingPos, pendingEnd, pendingKind, pendingHasTrailingNewLine, state, accumulator);
        }
        return accumulator;
      }
      function forEachLeadingCommentRange(text, pos, cb, state) {
        return iterateCommentRanges(
          /*reduce*/
          false,
          text,
          pos,
          /*trailing*/
          false,
          cb,
          state
        );
      }
      function forEachTrailingCommentRange(text, pos, cb, state) {
        return iterateCommentRanges(
          /*reduce*/
          false,
          text,
          pos,
          /*trailing*/
          true,
          cb,
          state
        );
      }
      function reduceEachLeadingCommentRange(text, pos, cb, state, initial) {
        return iterateCommentRanges(
          /*reduce*/
          true,
          text,
          pos,
          /*trailing*/
          false,
          cb,
          state,
          initial
        );
      }
      function reduceEachTrailingCommentRange(text, pos, cb, state, initial) {
        return iterateCommentRanges(
          /*reduce*/
          true,
          text,
          pos,
          /*trailing*/
          true,
          cb,
          state,
          initial
        );
      }
      function appendCommentRange(pos, end, kind, hasTrailingNewLine, _state, comments = []) {
        comments.push({ kind, pos, end, hasTrailingNewLine });
        return comments;
      }
      function getLeadingCommentRanges(text, pos) {
        return reduceEachLeadingCommentRange(
          text,
          pos,
          appendCommentRange,
          /*state*/
          void 0,
          /*initial*/
          void 0
        );
      }
      function getTrailingCommentRanges(text, pos) {
        return reduceEachTrailingCommentRange(
          text,
          pos,
          appendCommentRange,
          /*state*/
          void 0,
          /*initial*/
          void 0
        );
      }
      function getShebang(text) {
        const match = shebangTriviaRegex.exec(text);
        if (match) {
          return match[0];
        }
      }
      function isIdentifierStart(ch, languageVersion) {
        return isASCIILetter(ch) || ch === 36 || ch === 95 || ch > 127 && isUnicodeIdentifierStart(ch, languageVersion);
      }
      function isIdentifierPart(ch, languageVersion, identifierVariant) {
        return isWordCharacter(ch) || ch === 36 || // "-" and ":" are valid in JSX Identifiers
        (identifierVariant === 1 ? ch === 45 || ch === 58 : false) || ch > 127 && isUnicodeIdentifierPart(ch, languageVersion);
      }
      function isIdentifierText(name, languageVersion, identifierVariant) {
        let ch = codePointAt(name, 0);
        if (!isIdentifierStart(ch, languageVersion)) {
          return false;
        }
        for (let i = charSize(ch); i < name.length; i += charSize(ch)) {
          if (!isIdentifierPart(ch = codePointAt(name, i), languageVersion, identifierVariant)) {
            return false;
          }
        }
        return true;
      }
      function createScanner(languageVersion, skipTrivia2, languageVariant = 0, textInitial, onError, start, length2) {
        var text = textInitial;
        var pos;
        var end;
        var fullStartPos;
        var tokenStart;
        var token;
        var tokenValue;
        var tokenFlags;
        var commentDirectives;
        var skipJsDocLeadingAsterisks = 0;
        var asteriskSeen = false;
        var scriptKind = 0;
        var jsDocParsingMode = 0;
        setText(text, start, length2);
        var scanner2 = {
          getTokenFullStart: () => fullStartPos,
          getStartPos: () => fullStartPos,
          getTokenEnd: () => pos,
          getTextPos: () => pos,
          getToken: () => token,
          getTokenStart: () => tokenStart,
          getTokenPos: () => tokenStart,
          getTokenText: () => text.substring(tokenStart, pos),
          getTokenValue: () => tokenValue,
          hasUnicodeEscape: () => (tokenFlags & 1024) !== 0,
          hasExtendedUnicodeEscape: () => (tokenFlags & 8) !== 0,
          hasPrecedingLineBreak: () => (tokenFlags & 1) !== 0,
          hasPrecedingJSDocComment: () => (tokenFlags & 2) !== 0,
          isIdentifier: () => token === 80 || token > 118,
          isReservedWord: () => token >= 83 && token <= 118,
          isUnterminated: () => (tokenFlags & 4) !== 0,
          getCommentDirectives: () => commentDirectives,
          getNumericLiteralFlags: () => tokenFlags & 25584,
          getTokenFlags: () => tokenFlags,
          reScanGreaterToken,
          reScanAsteriskEqualsToken,
          reScanSlashToken,
          reScanTemplateToken,
          reScanTemplateHeadOrNoSubstitutionTemplate,
          scanJsxIdentifier,
          scanJsxAttributeValue,
          reScanJsxAttributeValue,
          reScanJsxToken,
          reScanLessThanToken,
          reScanHashToken,
          reScanQuestionToken,
          reScanInvalidIdentifier,
          scanJsxToken,
          scanJsDocToken,
          scanJSDocCommentTextToken,
          scan,
          getText,
          clearCommentDirectives,
          setText,
          setScriptTarget,
          setLanguageVariant,
          setScriptKind,
          setJSDocParsingMode,
          setOnError,
          resetTokenState,
          setTextPos: resetTokenState,
          setSkipJsDocLeadingAsterisks,
          hasLeadingAsterisks,
          tryScan,
          lookAhead,
          scanRange
        };
        if (Debug.isDebugging) {
          Object.defineProperty(scanner2, "__debugShowCurrentPositionInText", {
            get: () => {
              const text2 = scanner2.getText();
              return text2.slice(0, scanner2.getTokenFullStart()) + "\u2551" + text2.slice(scanner2.getTokenFullStart());
            }
          });
        }
        return scanner2;
        function codePointUnchecked(pos2) {
          return codePointAt(text, pos2);
        }
        function codePointChecked(pos2) {
          return pos2 >= 0 && pos2 < end ? codePointUnchecked(pos2) : -1;
        }
        function charCodeUnchecked(pos2) {
          return text.charCodeAt(pos2);
        }
        function charCodeChecked(pos2) {
          return pos2 >= 0 && pos2 < end ? charCodeUnchecked(pos2) : -1;
        }
        function error2(message, errPos = pos, length3, arg0) {
          if (onError) {
            const oldPos = pos;
            pos = errPos;
            onError(message, length3 || 0, arg0);
            pos = oldPos;
          }
        }
        function scanNumberFragment() {
          let start2 = pos;
          let allowSeparator = false;
          let isPreviousTokenSeparator = false;
          let result = "";
          while (true) {
            const ch = charCodeUnchecked(pos);
            if (ch === 95) {
              tokenFlags |= 512;
              if (allowSeparator) {
                allowSeparator = false;
                isPreviousTokenSeparator = true;
                result += text.substring(start2, pos);
              } else {
                tokenFlags |= 16384;
                if (isPreviousTokenSeparator) {
                  error2(Diagnostics.Multiple_consecutive_numeric_separators_are_not_permitted, pos, 1);
                } else {
                  error2(Diagnostics.Numeric_separators_are_not_allowed_here, pos, 1);
                }
              }
              pos++;
              start2 = pos;
              continue;
            }
            if (isDigit(ch)) {
              allowSeparator = true;
              isPreviousTokenSeparator = false;
              pos++;
              continue;
            }
            break;
          }
          if (charCodeUnchecked(pos - 1) === 95) {
            tokenFlags |= 16384;
            error2(Diagnostics.Numeric_separators_are_not_allowed_here, pos - 1, 1);
          }
          return result + text.substring(start2, pos);
        }
        function scanNumber() {
          let start2 = pos;
          let mainFragment;
          if (charCodeUnchecked(pos) === 48) {
            pos++;
            if (charCodeUnchecked(pos) === 95) {
              tokenFlags |= 512 | 16384;
              error2(Diagnostics.Numeric_separators_are_not_allowed_here, pos, 1);
              pos--;
              mainFragment = scanNumberFragment();
            } else if (!scanDigits()) {
              tokenFlags |= 8192;
              mainFragment = "" + +tokenValue;
            } else if (!tokenValue) {
              mainFragment = "0";
            } else {
              tokenValue = "" + parseInt(tokenValue, 8);
              tokenFlags |= 32;
              const withMinus = token === 41;
              const literal = (withMinus ? "-" : "") + "0o" + (+tokenValue).toString(8);
              if (withMinus) start2--;
              error2(Diagnostics.Octal_literals_are_not_allowed_Use_the_syntax_0, start2, pos - start2, literal);
              return 9;
            }
          } else {
            mainFragment = scanNumberFragment();
          }
          let decimalFragment;
          let scientificFragment;
          if (charCodeUnchecked(pos) === 46) {
            pos++;
            decimalFragment = scanNumberFragment();
          }
          let end2 = pos;
          if (charCodeUnchecked(pos) === 69 || charCodeUnchecked(pos) === 101) {
            pos++;
            tokenFlags |= 16;
            if (charCodeUnchecked(pos) === 43 || charCodeUnchecked(pos) === 45) pos++;
            const preNumericPart = pos;
            const finalFragment = scanNumberFragment();
            if (!finalFragment) {
              error2(Diagnostics.Digit_expected);
            } else {
              scientificFragment = text.substring(end2, preNumericPart) + finalFragment;
              end2 = pos;
            }
          }
          let result;
          if (tokenFlags & 512) {
            result = mainFragment;
            if (decimalFragment) {
              result += "." + decimalFragment;
            }
            if (scientificFragment) {
              result += scientificFragment;
            }
          } else {
            result = text.substring(start2, end2);
          }
          if (tokenFlags & 8192) {
            error2(Diagnostics.Decimals_with_leading_zeros_are_not_allowed, start2, end2 - start2);
            tokenValue = "" + +result;
            return 9;
          }
          if (decimalFragment !== void 0 || tokenFlags & 16) {
            checkForIdentifierStartAfterNumericLiteral(start2, decimalFragment === void 0 && !!(tokenFlags & 16));
            tokenValue = "" + +result;
            return 9;
          } else {
            tokenValue = result;
            const type = checkBigIntSuffix();
            checkForIdentifierStartAfterNumericLiteral(start2);
            return type;
          }
        }
        function checkForIdentifierStartAfterNumericLiteral(numericStart, isScientific) {
          if (!isIdentifierStart(codePointUnchecked(pos), languageVersion)) {
            return;
          }
          const identifierStart = pos;
          const { length: length3 } = scanIdentifierParts();
          if (length3 === 1 && text[identifierStart] === "n") {
            if (isScientific) {
              error2(Diagnostics.A_bigint_literal_cannot_use_exponential_notation, numericStart, identifierStart - numericStart + 1);
            } else {
              error2(Diagnostics.A_bigint_literal_must_be_an_integer, numericStart, identifierStart - numericStart + 1);
            }
          } else {
            error2(Diagnostics.An_identifier_or_keyword_cannot_immediately_follow_a_numeric_literal, identifierStart, length3);
            pos = identifierStart;
          }
        }
        function scanDigits() {
          const start2 = pos;
          let isOctal = true;
          while (isDigit(charCodeChecked(pos))) {
            if (!isOctalDigit(charCodeUnchecked(pos))) {
              isOctal = false;
            }
            pos++;
          }
          tokenValue = text.substring(start2, pos);
          return isOctal;
        }
        function scanExactNumberOfHexDigits(count, canHaveSeparators) {
          const valueString = scanHexDigits(
            /*minCount*/
            count,
            /*scanAsManyAsPossible*/
            false,
            canHaveSeparators
          );
          return valueString ? parseInt(valueString, 16) : -1;
        }
        function scanMinimumNumberOfHexDigits(count, canHaveSeparators) {
          return scanHexDigits(
            /*minCount*/
            count,
            /*scanAsManyAsPossible*/
            true,
            canHaveSeparators
          );
        }
        function scanHexDigits(minCount, scanAsManyAsPossible, canHaveSeparators) {
          let valueChars = [];
          let allowSeparator = false;
          let isPreviousTokenSeparator = false;
          while (valueChars.length < minCount || scanAsManyAsPossible) {
            let ch = charCodeUnchecked(pos);
            if (canHaveSeparators && ch === 95) {
              tokenFlags |= 512;
              if (allowSeparator) {
                allowSeparator = false;
                isPreviousTokenSeparator = true;
              } else if (isPreviousTokenSeparator) {
                error2(Diagnostics.Multiple_consecutive_numeric_separators_are_not_permitted, pos, 1);
              } else {
                error2(Diagnostics.Numeric_separators_are_not_allowed_here, pos, 1);
              }
              pos++;
              continue;
            }
            allowSeparator = canHaveSeparators;
            if (ch >= 65 && ch <= 70) {
              ch += 97 - 65;
            } else if (!(ch >= 48 && ch <= 57 || ch >= 97 && ch <= 102)) {
              break;
            }
            valueChars.push(ch);
            pos++;
            isPreviousTokenSeparator = false;
          }
          if (valueChars.length < minCount) {
            valueChars = [];
          }
          if (charCodeUnchecked(pos - 1) === 95) {
            error2(Diagnostics.Numeric_separators_are_not_allowed_here, pos - 1, 1);
          }
          return String.fromCharCode(...valueChars);
        }
        function scanString(jsxAttributeString = false) {
          const quote2 = charCodeUnchecked(pos);
          pos++;
          let result = "";
          let start2 = pos;
          while (true) {
            if (pos >= end) {
              result += text.substring(start2, pos);
              tokenFlags |= 4;
              error2(Diagnostics.Unterminated_string_literal);
              break;
            }
            const ch = charCodeUnchecked(pos);
            if (ch === quote2) {
              result += text.substring(start2, pos);
              pos++;
              break;
            }
            if (ch === 92 && !jsxAttributeString) {
              result += text.substring(start2, pos);
              result += scanEscapeSequence(
                1 | 2
                /* ReportErrors */
              );
              start2 = pos;
              continue;
            }
            if ((ch === 10 || ch === 13) && !jsxAttributeString) {
              result += text.substring(start2, pos);
              tokenFlags |= 4;
              error2(Diagnostics.Unterminated_string_literal);
              break;
            }
            pos++;
          }
          return result;
        }
        function scanTemplateAndSetTokenValue(shouldEmitInvalidEscapeError) {
          const startedWithBacktick = charCodeUnchecked(pos) === 96;
          pos++;
          let start2 = pos;
          let contents = "";
          let resultingToken;
          while (true) {
            if (pos >= end) {
              contents += text.substring(start2, pos);
              tokenFlags |= 4;
              error2(Diagnostics.Unterminated_template_literal);
              resultingToken = startedWithBacktick ? 15 : 18;
              break;
            }
            const currChar = charCodeUnchecked(pos);
            if (currChar === 96) {
              contents += text.substring(start2, pos);
              pos++;
              resultingToken = startedWithBacktick ? 15 : 18;
              break;
            }
            if (currChar === 36 && pos + 1 < end && charCodeUnchecked(pos + 1) === 123) {
              contents += text.substring(start2, pos);
              pos += 2;
              resultingToken = startedWithBacktick ? 16 : 17;
              break;
            }
            if (currChar === 92) {
              contents += text.substring(start2, pos);
              contents += scanEscapeSequence(1 | (shouldEmitInvalidEscapeError ? 2 : 0));
              start2 = pos;
              continue;
            }
            if (currChar === 13) {
              contents += text.substring(start2, pos);
              pos++;
              if (pos < end && charCodeUnchecked(pos) === 10) {
                pos++;
              }
              contents += "\n";
              start2 = pos;
              continue;
            }
            pos++;
          }
          Debug.assert(resultingToken !== void 0);
          tokenValue = contents;
          return resultingToken;
        }
        function scanEscapeSequence(flags) {
          const start2 = pos;
          pos++;
          if (pos >= end) {
            error2(Diagnostics.Unexpected_end_of_text);
            return "";
          }
          const ch = charCodeUnchecked(pos);
          pos++;
          switch (ch) {
            case 48:
              if (pos >= end || !isDigit(charCodeUnchecked(pos))) {
                return "\0";
              }
            case 49:
            case 50:
            case 51:
              if (pos < end && isOctalDigit(charCodeUnchecked(pos))) {
                pos++;
              }
            case 52:
            case 53:
            case 54:
            case 55:
              if (pos < end && isOctalDigit(charCodeUnchecked(pos))) {
                pos++;
              }
              tokenFlags |= 2048;
              if (flags & 6) {
                const code = parseInt(text.substring(start2 + 1, pos), 8);
                if (flags & 4 && !(flags & 32) && ch !== 48) {
                  error2(Diagnostics.Octal_escape_sequences_and_backreferences_are_not_allowed_in_a_character_class_If_this_was_intended_as_an_escape_sequence_use_the_syntax_0_instead, start2, pos - start2, "\\x" + code.toString(16).padStart(2, "0"));
                } else {
                  error2(Diagnostics.Octal_escape_sequences_are_not_allowed_Use_the_syntax_0, start2, pos - start2, "\\x" + code.toString(16).padStart(2, "0"));
                }
                return String.fromCharCode(code);
              }
              return text.substring(start2, pos);
            case 56:
            case 57:
              tokenFlags |= 2048;
              if (flags & 6) {
                if (flags & 4 && !(flags & 32)) {
                  error2(Diagnostics.Decimal_escape_sequences_and_backreferences_are_not_allowed_in_a_character_class, start2, pos - start2);
                } else {
                  error2(Diagnostics.Escape_sequence_0_is_not_allowed, start2, pos - start2, text.substring(start2, pos));
                }
                return String.fromCharCode(ch);
              }
              return text.substring(start2, pos);
            case 98:
              return "\b";
            case 116:
              return "	";
            case 110:
              return "\n";
            case 118:
              return "\v";
            case 102:
              return "\f";
            case 114:
              return "\r";
            case 39:
              return "'";
            case 34:
              return '"';
            case 117:
              if (flags & 17 && pos < end && charCodeUnchecked(pos) === 123) {
                pos -= 2;
                return scanExtendedUnicodeEscape(!!(flags & 6));
              }
              for (; pos < start2 + 6; pos++) {
                if (!(pos < end && isHexDigit(charCodeUnchecked(pos)))) {
                  tokenFlags |= 2048;
                  if (flags & 6) {
                    error2(Diagnostics.Hexadecimal_digit_expected);
                  }
                  return text.substring(start2, pos);
                }
              }
              tokenFlags |= 1024;
              const escapedValue = parseInt(text.substring(start2 + 2, pos), 16);
              const escapedValueString = String.fromCharCode(escapedValue);
              if (flags & 16 && escapedValue >= 55296 && escapedValue <= 56319 && pos + 6 < end && text.substring(pos, pos + 2) === "\\u" && charCodeUnchecked(pos + 2) !== 123) {
                const nextStart = pos;
                let nextPos = pos + 2;
                for (; nextPos < nextStart + 6; nextPos++) {
                  if (!isHexDigit(charCodeUnchecked(pos))) {
                    return escapedValueString;
                  }
                }
                const nextEscapedValue = parseInt(text.substring(nextStart + 2, nextPos), 16);
                if (nextEscapedValue >= 56320 && nextEscapedValue <= 57343) {
                  pos = nextPos;
                  return escapedValueString + String.fromCharCode(nextEscapedValue);
                }
              }
              return escapedValueString;
            case 120:
              for (; pos < start2 + 4; pos++) {
                if (!(pos < end && isHexDigit(charCodeUnchecked(pos)))) {
                  tokenFlags |= 2048;
                  if (flags & 6) {
                    error2(Diagnostics.Hexadecimal_digit_expected);
                  }
                  return text.substring(start2, pos);
                }
              }
              tokenFlags |= 4096;
              return String.fromCharCode(parseInt(text.substring(start2 + 2, pos), 16));
            case 13:
              if (pos < end && charCodeUnchecked(pos) === 10) {
                pos++;
              }
            case 10:
            case 8232:
            case 8233:
              return "";
            default:
              if (flags & 16 || flags & 4 && !(flags & 8) && isIdentifierPart(ch, languageVersion)) {
                error2(Diagnostics.This_character_cannot_be_escaped_in_a_regular_expression, pos - 2, 2);
              }
              return String.fromCharCode(ch);
          }
        }
        function scanExtendedUnicodeEscape(shouldEmitInvalidEscapeError) {
          const start2 = pos;
          pos += 3;
          const escapedStart = pos;
          const escapedValueString = scanMinimumNumberOfHexDigits(
            1,
            /*canHaveSeparators*/
            false
          );
          const escapedValue = escapedValueString ? parseInt(escapedValueString, 16) : -1;
          let isInvalidExtendedEscape = false;
          if (escapedValue < 0) {
            if (shouldEmitInvalidEscapeError) {
              error2(Diagnostics.Hexadecimal_digit_expected);
            }
            isInvalidExtendedEscape = true;
          } else if (escapedValue > 1114111) {
            if (shouldEmitInvalidEscapeError) {
              error2(Diagnostics.An_extended_Unicode_escape_value_must_be_between_0x0_and_0x10FFFF_inclusive, escapedStart, pos - escapedStart);
            }
            isInvalidExtendedEscape = true;
          }
          if (pos >= end) {
            if (shouldEmitInvalidEscapeError) {
              error2(Diagnostics.Unexpected_end_of_text);
            }
            isInvalidExtendedEscape = true;
          } else if (charCodeUnchecked(pos) === 125) {
            pos++;
          } else {
            if (shouldEmitInvalidEscapeError) {
              error2(Diagnostics.Unterminated_Unicode_escape_sequence);
            }
            isInvalidExtendedEscape = true;
          }
          if (isInvalidExtendedEscape) {
            tokenFlags |= 2048;
            return text.substring(start2, pos);
          }
          tokenFlags |= 8;
          return utf16EncodeAsString(escapedValue);
        }
        function peekUnicodeEscape() {
          if (pos + 5 < end && charCodeUnchecked(pos + 1) === 117) {
            const start2 = pos;
            pos += 2;
            const value = scanExactNumberOfHexDigits(
              4,
              /*canHaveSeparators*/
              false
            );
            pos = start2;
            return value;
          }
          return -1;
        }
        function peekExtendedUnicodeEscape() {
          if (codePointUnchecked(pos + 1) === 117 && codePointUnchecked(pos + 2) === 123) {
            const start2 = pos;
            pos += 3;
            const escapedValueString = scanMinimumNumberOfHexDigits(
              1,
              /*canHaveSeparators*/
              false
            );
            const escapedValue = escapedValueString ? parseInt(escapedValueString, 16) : -1;
            pos = start2;
            return escapedValue;
          }
          return -1;
        }
        function scanIdentifierParts() {
          let result = "";
          let start2 = pos;
          while (pos < end) {
            let ch = codePointUnchecked(pos);
            if (isIdentifierPart(ch, languageVersion)) {
              pos += charSize(ch);
            } else if (ch === 92) {
              ch = peekExtendedUnicodeEscape();
              if (ch >= 0 && isIdentifierPart(ch, languageVersion)) {
                result += scanExtendedUnicodeEscape(
                  /*shouldEmitInvalidEscapeError*/
                  true
                );
                start2 = pos;
                continue;
              }
              ch = peekUnicodeEscape();
              if (!(ch >= 0 && isIdentifierPart(ch, languageVersion))) {
                break;
              }
              tokenFlags |= 1024;
              result += text.substring(start2, pos);
              result += utf16EncodeAsString(ch);
              pos += 6;
              start2 = pos;
            } else {
              break;
            }
          }
          result += text.substring(start2, pos);
          return result;
        }
        function getIdentifierToken() {
          const len = tokenValue.length;
          if (len >= 2 && len <= 12) {
            const ch = tokenValue.charCodeAt(0);
            if (ch >= 97 && ch <= 122) {
              const keyword = textToKeyword.get(tokenValue);
              if (keyword !== void 0) {
                return token = keyword;
              }
            }
          }
          return token = 80;
        }
        function scanBinaryOrOctalDigits(base) {
          let value = "";
          let separatorAllowed = false;
          let isPreviousTokenSeparator = false;
          while (true) {
            const ch = charCodeUnchecked(pos);
            if (ch === 95) {
              tokenFlags |= 512;
              if (separatorAllowed) {
                separatorAllowed = false;
                isPreviousTokenSeparator = true;
              } else if (isPreviousTokenSeparator) {
                error2(Diagnostics.Multiple_consecutive_numeric_separators_are_not_permitted, pos, 1);
              } else {
                error2(Diagnostics.Numeric_separators_are_not_allowed_here, pos, 1);
              }
              pos++;
              continue;
            }
            separatorAllowed = true;
            if (!isDigit(ch) || ch - 48 >= base) {
              break;
            }
            value += text[pos];
            pos++;
            isPreviousTokenSeparator = false;
          }
          if (charCodeUnchecked(pos - 1) === 95) {
            error2(Diagnostics.Numeric_separators_are_not_allowed_here, pos - 1, 1);
          }
          return value;
        }
        function checkBigIntSuffix() {
          if (charCodeUnchecked(pos) === 110) {
            tokenValue += "n";
            if (tokenFlags & 384) {
              tokenValue = parsePseudoBigInt(tokenValue) + "n";
            }
            pos++;
            return 10;
          } else {
            const numericValue = tokenFlags & 128 ? parseInt(tokenValue.slice(2), 2) : tokenFlags & 256 ? parseInt(tokenValue.slice(2), 8) : +tokenValue;
            tokenValue = "" + numericValue;
            return 9;
          }
        }
        function scan() {
          fullStartPos = pos;
          tokenFlags = 0;
          asteriskSeen = false;
          while (true) {
            tokenStart = pos;
            if (pos >= end) {
              return token = 1;
            }
            const ch = codePointUnchecked(pos);
            if (pos === 0) {
              if (ch === 35 && isShebangTrivia(text, pos)) {
                pos = scanShebangTrivia(text, pos);
                if (skipTrivia2) {
                  continue;
                } else {
                  return token = 6;
                }
              }
            }
            switch (ch) {
              case 10:
              case 13:
                tokenFlags |= 1;
                if (skipTrivia2) {
                  pos++;
                  continue;
                } else {
                  if (ch === 13 && pos + 1 < end && charCodeUnchecked(pos + 1) === 10) {
                    pos += 2;
                  } else {
                    pos++;
                  }
                  return token = 4;
                }
              case 9:
              case 11:
              case 12:
              case 32:
              case 160:
              case 5760:
              case 8192:
              case 8193:
              case 8194:
              case 8195:
              case 8196:
              case 8197:
              case 8198:
              case 8199:
              case 8200:
              case 8201:
              case 8202:
              case 8203:
              case 8239:
              case 8287:
              case 12288:
              case 65279:
                if (skipTrivia2) {
                  pos++;
                  continue;
                } else {
                  while (pos < end && isWhiteSpaceSingleLine(charCodeUnchecked(pos))) {
                    pos++;
                  }
                  return token = 5;
                }
              case 33:
                if (charCodeUnchecked(pos + 1) === 61) {
                  if (charCodeUnchecked(pos + 2) === 61) {
                    return pos += 3, token = 38;
                  }
                  return pos += 2, token = 36;
                }
                pos++;
                return token = 54;
              case 34:
              case 39:
                tokenValue = scanString();
                return token = 11;
              case 96:
                return token = scanTemplateAndSetTokenValue(
                  /*shouldEmitInvalidEscapeError*/
                  false
                );
              case 37:
                if (charCodeUnchecked(pos + 1) === 61) {
                  return pos += 2, token = 70;
                }
                pos++;
                return token = 45;
              case 38:
                if (charCodeUnchecked(pos + 1) === 38) {
                  if (charCodeUnchecked(pos + 2) === 61) {
                    return pos += 3, token = 77;
                  }
                  return pos += 2, token = 56;
                }
                if (charCodeUnchecked(pos + 1) === 61) {
                  return pos += 2, token = 74;
                }
                pos++;
                return token = 51;
              case 40:
                pos++;
                return token = 21;
              case 41:
                pos++;
                return token = 22;
              case 42:
                if (charCodeUnchecked(pos + 1) === 61) {
                  return pos += 2, token = 67;
                }
                if (charCodeUnchecked(pos + 1) === 42) {
                  if (charCodeUnchecked(pos + 2) === 61) {
                    return pos += 3, token = 68;
                  }
                  return pos += 2, token = 43;
                }
                pos++;
                if (skipJsDocLeadingAsterisks && !asteriskSeen && tokenFlags & 1) {
                  asteriskSeen = true;
                  continue;
                }
                return token = 42;
              case 43:
                if (charCodeUnchecked(pos + 1) === 43) {
                  return pos += 2, token = 46;
                }
                if (charCodeUnchecked(pos + 1) === 61) {
                  return pos += 2, token = 65;
                }
                pos++;
                return token = 40;
              case 44:
                pos++;
                return token = 28;
              case 45:
                if (charCodeUnchecked(pos + 1) === 45) {
                  return pos += 2, token = 47;
                }
                if (charCodeUnchecked(pos + 1) === 61) {
                  return pos += 2, token = 66;
                }
                pos++;
                return token = 41;
              case 46:
                if (isDigit(charCodeUnchecked(pos + 1))) {
                  scanNumber();
                  return token = 9;
                }
                if (charCodeUnchecked(pos + 1) === 46 && charCodeUnchecked(pos + 2) === 46) {
                  return pos += 3, token = 26;
                }
                pos++;
                return token = 25;
              case 47:
                if (charCodeUnchecked(pos + 1) === 47) {
                  pos += 2;
                  while (pos < end) {
                    if (isLineBreak(charCodeUnchecked(pos))) {
                      break;
                    }
                    pos++;
                  }
                  commentDirectives = appendIfCommentDirective(
                    commentDirectives,
                    text.slice(tokenStart, pos),
                    commentDirectiveRegExSingleLine,
                    tokenStart
                  );
                  if (skipTrivia2) {
                    continue;
                  } else {
                    return token = 2;
                  }
                }
                if (charCodeUnchecked(pos + 1) === 42) {
                  pos += 2;
                  const isJSDoc2 = charCodeUnchecked(pos) === 42 && charCodeUnchecked(pos + 1) !== 47;
                  let commentClosed = false;
                  let lastLineStart = tokenStart;
                  while (pos < end) {
                    const ch2 = charCodeUnchecked(pos);
                    if (ch2 === 42 && charCodeUnchecked(pos + 1) === 47) {
                      pos += 2;
                      commentClosed = true;
                      break;
                    }
                    pos++;
                    if (isLineBreak(ch2)) {
                      lastLineStart = pos;
                      tokenFlags |= 1;
                    }
                  }
                  if (isJSDoc2 && shouldParseJSDoc()) {
                    tokenFlags |= 2;
                  }
                  commentDirectives = appendIfCommentDirective(commentDirectives, text.slice(lastLineStart, pos), commentDirectiveRegExMultiLine, lastLineStart);
                  if (!commentClosed) {
                    error2(Diagnostics.Asterisk_Slash_expected);
                  }
                  if (skipTrivia2) {
                    continue;
                  } else {
                    if (!commentClosed) {
                      tokenFlags |= 4;
                    }
                    return token = 3;
                  }
                }
                if (charCodeUnchecked(pos + 1) === 61) {
                  return pos += 2, token = 69;
                }
                pos++;
                return token = 44;
              case 48:
                if (pos + 2 < end && (charCodeUnchecked(pos + 1) === 88 || charCodeUnchecked(pos + 1) === 120)) {
                  pos += 2;
                  tokenValue = scanMinimumNumberOfHexDigits(
                    1,
                    /*canHaveSeparators*/
                    true
                  );
                  if (!tokenValue) {
                    error2(Diagnostics.Hexadecimal_digit_expected);
                    tokenValue = "0";
                  }
                  tokenValue = "0x" + tokenValue;
                  tokenFlags |= 64;
                  return token = checkBigIntSuffix();
                } else if (pos + 2 < end && (charCodeUnchecked(pos + 1) === 66 || charCodeUnchecked(pos + 1) === 98)) {
                  pos += 2;
                  tokenValue = scanBinaryOrOctalDigits(
                    /* base */
                    2
                  );
                  if (!tokenValue) {
                    error2(Diagnostics.Binary_digit_expected);
                    tokenValue = "0";
                  }
                  tokenValue = "0b" + tokenValue;
                  tokenFlags |= 128;
                  return token = checkBigIntSuffix();
                } else if (pos + 2 < end && (charCodeUnchecked(pos + 1) === 79 || charCodeUnchecked(pos + 1) === 111)) {
                  pos += 2;
                  tokenValue = scanBinaryOrOctalDigits(
                    /* base */
                    8
                  );
                  if (!tokenValue) {
                    error2(Diagnostics.Octal_digit_expected);
                    tokenValue = "0";
                  }
                  tokenValue = "0o" + tokenValue;
                  tokenFlags |= 256;
                  return token = checkBigIntSuffix();
                }
              case 49:
              case 50:
              case 51:
              case 52:
              case 53:
              case 54:
              case 55:
              case 56:
              case 57:
                return token = scanNumber();
              case 58:
                pos++;
                return token = 59;
              case 59:
                pos++;
                return token = 27;
              case 60:
                if (isConflictMarkerTrivia(text, pos)) {
                  pos = scanConflictMarkerTrivia(text, pos, error2);
                  if (skipTrivia2) {
                    continue;
                  } else {
                    return token = 7;
                  }
                }
                if (charCodeUnchecked(pos + 1) === 60) {
                  if (charCodeUnchecked(pos + 2) === 61) {
                    return pos += 3, token = 71;
                  }
                  return pos += 2, token = 48;
                }
                if (charCodeUnchecked(pos + 1) === 61) {
                  return pos += 2, token = 33;
                }
                if (languageVariant === 1 && charCodeUnchecked(pos + 1) === 47 && charCodeUnchecked(pos + 2) !== 42) {
                  return pos += 2, token = 31;
                }
                pos++;
                return token = 30;
              case 61:
                if (isConflictMarkerTrivia(text, pos)) {
                  pos = scanConflictMarkerTrivia(text, pos, error2);
                  if (skipTrivia2) {
                    continue;
                  } else {
                    return token = 7;
                  }
                }
                if (charCodeUnchecked(pos + 1) === 61) {
                  if (charCodeUnchecked(pos + 2) === 61) {
                    return pos += 3, token = 37;
                  }
                  return pos += 2, token = 35;
                }
                if (charCodeUnchecked(pos + 1) === 62) {
                  return pos += 2, token = 39;
                }
                pos++;
                return token = 64;
              case 62:
                if (isConflictMarkerTrivia(text, pos)) {
                  pos = scanConflictMarkerTrivia(text, pos, error2);
                  if (skipTrivia2) {
                    continue;
                  } else {
                    return token = 7;
                  }
                }
                pos++;
                return token = 32;
              case 63:
                if (charCodeUnchecked(pos + 1) === 46 && !isDigit(charCodeUnchecked(pos + 2))) {
                  return pos += 2, token = 29;
                }
                if (charCodeUnchecked(pos + 1) === 63) {
                  if (charCodeUnchecked(pos + 2) === 61) {
                    return pos += 3, token = 78;
                  }
                  return pos += 2, token = 61;
                }
                pos++;
                return token = 58;
              case 91:
                pos++;
                return token = 23;
              case 93:
                pos++;
                return token = 24;
              case 94:
                if (charCodeUnchecked(pos + 1) === 61) {
                  return pos += 2, token = 79;
                }
                pos++;
                return token = 53;
              case 123:
                pos++;
                return token = 19;
              case 124:
                if (isConflictMarkerTrivia(text, pos)) {
                  pos = scanConflictMarkerTrivia(text, pos, error2);
                  if (skipTrivia2) {
                    continue;
                  } else {
                    return token = 7;
                  }
                }
                if (charCodeUnchecked(pos + 1) === 124) {
                  if (charCodeUnchecked(pos + 2) === 61) {
                    return pos += 3, token = 76;
                  }
                  return pos += 2, token = 57;
                }
                if (charCodeUnchecked(pos + 1) === 61) {
                  return pos += 2, token = 75;
                }
                pos++;
                return token = 52;
              case 125:
                pos++;
                return token = 20;
              case 126:
                pos++;
                return token = 55;
              case 64:
                pos++;
                return token = 60;
              case 92:
                const extendedCookedChar = peekExtendedUnicodeEscape();
                if (extendedCookedChar >= 0 && isIdentifierStart(extendedCookedChar, languageVersion)) {
                  tokenValue = scanExtendedUnicodeEscape(
                    /*shouldEmitInvalidEscapeError*/
                    true
                  ) + scanIdentifierParts();
                  return token = getIdentifierToken();
                }
                const cookedChar = peekUnicodeEscape();
                if (cookedChar >= 0 && isIdentifierStart(cookedChar, languageVersion)) {
                  pos += 6;
                  tokenFlags |= 1024;
                  tokenValue = String.fromCharCode(cookedChar) + scanIdentifierParts();
                  return token = getIdentifierToken();
                }
                error2(Diagnostics.Invalid_character);
                pos++;
                return token = 0;
              case 35:
                if (pos !== 0 && text[pos + 1] === "!") {
                  error2(Diagnostics.can_only_be_used_at_the_start_of_a_file, pos, 2);
                  pos++;
                  return token = 0;
                }
                const charAfterHash = codePointUnchecked(pos + 1);
                if (charAfterHash === 92) {
                  pos++;
                  const extendedCookedChar2 = peekExtendedUnicodeEscape();
                  if (extendedCookedChar2 >= 0 && isIdentifierStart(extendedCookedChar2, languageVersion)) {
                    tokenValue = "#" + scanExtendedUnicodeEscape(
                      /*shouldEmitInvalidEscapeError*/
                      true
                    ) + scanIdentifierParts();
                    return token = 81;
                  }
                  const cookedChar2 = peekUnicodeEscape();
                  if (cookedChar2 >= 0 && isIdentifierStart(cookedChar2, languageVersion)) {
                    pos += 6;
                    tokenFlags |= 1024;
                    tokenValue = "#" + String.fromCharCode(cookedChar2) + scanIdentifierParts();
                    return token = 81;
                  }
                  pos--;
                }
                if (isIdentifierStart(charAfterHash, languageVersion)) {
                  pos++;
                  scanIdentifier(charAfterHash, languageVersion);
                } else {
                  tokenValue = "#";
                  error2(Diagnostics.Invalid_character, pos++, charSize(ch));
                }
                return token = 81;
              case 65533:
                error2(Diagnostics.File_appears_to_be_binary, 0, 0);
                pos = end;
                return token = 8;
              default:
                const identifierKind = scanIdentifier(ch, languageVersion);
                if (identifierKind) {
                  return token = identifierKind;
                } else if (isWhiteSpaceSingleLine(ch)) {
                  pos += charSize(ch);
                  continue;
                } else if (isLineBreak(ch)) {
                  tokenFlags |= 1;
                  pos += charSize(ch);
                  continue;
                }
                const size = charSize(ch);
                error2(Diagnostics.Invalid_character, pos, size);
                pos += size;
                return token = 0;
            }
          }
        }
        function shouldParseJSDoc() {
          switch (jsDocParsingMode) {
            case 0:
              return true;
            case 1:
              return false;
          }
          if (scriptKind !== 3 && scriptKind !== 4) {
            return true;
          }
          if (jsDocParsingMode === 3) {
            return false;
          }
          return jsDocSeeOrLink.test(text.slice(fullStartPos, pos));
        }
        function reScanInvalidIdentifier() {
          Debug.assert(token === 0, "'reScanInvalidIdentifier' should only be called when the current token is 'SyntaxKind.Unknown'.");
          pos = tokenStart = fullStartPos;
          tokenFlags = 0;
          const ch = codePointUnchecked(pos);
          const identifierKind = scanIdentifier(
            ch,
            99
            /* ESNext */
          );
          if (identifierKind) {
            return token = identifierKind;
          }
          pos += charSize(ch);
          return token;
        }
        function scanIdentifier(startCharacter, languageVersion2) {
          let ch = startCharacter;
          if (isIdentifierStart(ch, languageVersion2)) {
            pos += charSize(ch);
            while (pos < end && isIdentifierPart(ch = codePointUnchecked(pos), languageVersion2)) pos += charSize(ch);
            tokenValue = text.substring(tokenStart, pos);
            if (ch === 92) {
              tokenValue += scanIdentifierParts();
            }
            return getIdentifierToken();
          }
        }
        function reScanGreaterToken() {
          if (token === 32) {
            if (charCodeUnchecked(pos) === 62) {
              if (charCodeUnchecked(pos + 1) === 62) {
                if (charCodeUnchecked(pos + 2) === 61) {
                  return pos += 3, token = 73;
                }
                return pos += 2, token = 50;
              }
              if (charCodeUnchecked(pos + 1) === 61) {
                return pos += 2, token = 72;
              }
              pos++;
              return token = 49;
            }
            if (charCodeUnchecked(pos) === 61) {
              pos++;
              return token = 34;
            }
          }
          return token;
        }
        function reScanAsteriskEqualsToken() {
          Debug.assert(token === 67, "'reScanAsteriskEqualsToken' should only be called on a '*='");
          pos = tokenStart + 1;
          return token = 64;
        }
        function reScanSlashToken(reportErrors2) {
          if (token === 44 || token === 69) {
            const startOfRegExpBody = tokenStart + 1;
            pos = startOfRegExpBody;
            let inEscape = false;
            let namedCaptureGroups = false;
            let inCharacterClass = false;
            while (true) {
              const ch = charCodeChecked(pos);
              if (ch === -1 || isLineBreak(ch)) {
                tokenFlags |= 4;
                break;
              }
              if (inEscape) {
                inEscape = false;
              } else if (ch === 47 && !inCharacterClass) {
                break;
              } else if (ch === 91) {
                inCharacterClass = true;
              } else if (ch === 92) {
                inEscape = true;
              } else if (ch === 93) {
                inCharacterClass = false;
              } else if (!inCharacterClass && ch === 40 && charCodeChecked(pos + 1) === 63 && charCodeChecked(pos + 2) === 60 && charCodeChecked(pos + 3) !== 61 && charCodeChecked(pos + 3) !== 33) {
                namedCaptureGroups = true;
              }
              pos++;
            }
            const endOfRegExpBody = pos;
            if (tokenFlags & 4) {
              pos = startOfRegExpBody;
              inEscape = false;
              let characterClassDepth = 0;
              let inDecimalQuantifier = false;
              let groupDepth = 0;
              while (pos < endOfRegExpBody) {
                const ch = charCodeUnchecked(pos);
                if (inEscape) {
                  inEscape = false;
                } else if (ch === 92) {
                  inEscape = true;
                } else if (ch === 91) {
                  characterClassDepth++;
                } else if (ch === 93 && characterClassDepth) {
                  characterClassDepth--;
                } else if (!characterClassDepth) {
                  if (ch === 123) {
                    inDecimalQuantifier = true;
                  } else if (ch === 125 && inDecimalQuantifier) {
                    inDecimalQuantifier = false;
                  } else if (!inDecimalQuantifier) {
                    if (ch === 40) {
                      groupDepth++;
                    } else if (ch === 41 && groupDepth) {
                      groupDepth--;
                    } else if (ch === 41 || ch === 93 || ch === 125) {
                      break;
                    }
                  }
                }
                pos++;
              }
              while (isWhiteSpaceLike(charCodeChecked(pos - 1)) || charCodeChecked(pos - 1) === 59) pos--;
              error2(Diagnostics.Unterminated_regular_expression_literal, tokenStart, pos - tokenStart);
            } else {
              pos++;
              let regExpFlags = 0;
              while (true) {
                const ch = charCodeChecked(pos);
                if (ch === -1 || !isIdentifierPart(ch, languageVersion)) {
                  break;
                }
                if (reportErrors2) {
                  const flag = characterToRegularExpressionFlag(String.fromCharCode(ch));
                  if (flag === void 0) {
                    error2(Diagnostics.Unknown_regular_expression_flag, pos, 1);
                  } else if (regExpFlags & flag) {
                    error2(Diagnostics.Duplicate_regular_expression_flag, pos, 1);
                  } else if (((regExpFlags | flag) & 96) === 96) {
                    error2(Diagnostics.The_Unicode_u_flag_and_the_Unicode_Sets_v_flag_cannot_be_set_simultaneously, pos, 1);
                  } else {
                    regExpFlags |= flag;
                    checkRegularExpressionFlagAvailable(flag, pos);
                  }
                }
                pos++;
              }
              if (reportErrors2) {
                scanRange(startOfRegExpBody, endOfRegExpBody - startOfRegExpBody, () => {
                  scanRegularExpressionWorker(
                    regExpFlags,
                    /*annexB*/
                    true,
                    namedCaptureGroups
                  );
                });
              }
            }
            tokenValue = text.substring(tokenStart, pos);
            token = 14;
          }
          return token;
        }
        function scanRegularExpressionWorker(regExpFlags, annexB, namedCaptureGroups) {
          var unicodeSetsMode = !!(regExpFlags & 64);
          var anyUnicodeMode = !!(regExpFlags & 96);
          var anyUnicodeModeOrNonAnnexB = anyUnicodeMode || !annexB;
          var mayContainStrings = false;
          var numberOfCapturingGroups = 0;
          var groupSpecifiers;
          var groupNameReferences;
          var decimalEscapes;
          var namedCapturingGroupsScopeStack = [];
          var topNamedCapturingGroupsScope;
          function scanDisjunction(isInGroup) {
            while (true) {
              namedCapturingGroupsScopeStack.push(topNamedCapturingGroupsScope);
              topNamedCapturingGroupsScope = void 0;
              scanAlternative(isInGroup);
              topNamedCapturingGroupsScope = namedCapturingGroupsScopeStack.pop();
              if (charCodeChecked(pos) !== 124) {
                return;
              }
              pos++;
            }
          }
          function scanAlternative(isInGroup) {
            let isPreviousTermQuantifiable = false;
            while (true) {
              const start2 = pos;
              const ch = charCodeChecked(pos);
              switch (ch) {
                case -1:
                  return;
                case 94:
                case 36:
                  pos++;
                  isPreviousTermQuantifiable = false;
                  break;
                case 92:
                  pos++;
                  switch (charCodeChecked(pos)) {
                    case 98:
                    case 66:
                      pos++;
                      isPreviousTermQuantifiable = false;
                      break;
                    default:
                      scanAtomEscape();
                      isPreviousTermQuantifiable = true;
                      break;
                  }
                  break;
                case 40:
                  pos++;
                  if (charCodeChecked(pos) === 63) {
                    pos++;
                    switch (charCodeChecked(pos)) {
                      case 61:
                      case 33:
                        pos++;
                        isPreviousTermQuantifiable = !anyUnicodeModeOrNonAnnexB;
                        break;
                      case 60:
                        const groupNameStart = pos;
                        pos++;
                        switch (charCodeChecked(pos)) {
                          case 61:
                          case 33:
                            pos++;
                            isPreviousTermQuantifiable = false;
                            break;
                          default:
                            scanGroupName(
                              /*isReference*/
                              false
                            );
                            scanExpectedChar(
                              62
                              /* greaterThan */
                            );
                            if (languageVersion < 5) {
                              error2(Diagnostics.Named_capturing_groups_are_only_available_when_targeting_ES2018_or_later, groupNameStart, pos - groupNameStart);
                            }
                            numberOfCapturingGroups++;
                            isPreviousTermQuantifiable = true;
                            break;
                        }
                        break;
                      default:
                        const start3 = pos;
                        const setFlags = scanPatternModifiers(
                          0
                          /* None */
                        );
                        if (charCodeChecked(pos) === 45) {
                          pos++;
                          scanPatternModifiers(setFlags);
                          if (pos === start3 + 1) {
                            error2(Diagnostics.Subpattern_flags_must_be_present_when_there_is_a_minus_sign, start3, pos - start3);
                          }
                        }
                        scanExpectedChar(
                          58
                          /* colon */
                        );
                        isPreviousTermQuantifiable = true;
                        break;
                    }
                  } else {
                    numberOfCapturingGroups++;
                    isPreviousTermQuantifiable = true;
                  }
                  scanDisjunction(
                    /*isInGroup*/
                    true
                  );
                  scanExpectedChar(
                    41
                    /* closeParen */
                  );
                  break;
                case 123:
                  pos++;
                  const digitsStart = pos;
                  scanDigits();
                  const min2 = tokenValue;
                  if (!anyUnicodeModeOrNonAnnexB && !min2) {
                    isPreviousTermQuantifiable = true;
                    break;
                  }
                  if (charCodeChecked(pos) === 44) {
                    pos++;
                    scanDigits();
                    const max = tokenValue;
                    if (!min2) {
                      if (max || charCodeChecked(pos) === 125) {
                        error2(Diagnostics.Incomplete_quantifier_Digit_expected, digitsStart, 0);
                      } else {
                        error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, start2, 1, String.fromCharCode(ch));
                        isPreviousTermQuantifiable = true;
                        break;
                      }
                    } else if (max && Number.parseInt(min2) > Number.parseInt(max) && (anyUnicodeModeOrNonAnnexB || charCodeChecked(pos) === 125)) {
                      error2(Diagnostics.Numbers_out_of_order_in_quantifier, digitsStart, pos - digitsStart);
                    }
                  } else if (!min2) {
                    if (anyUnicodeModeOrNonAnnexB) {
                      error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, start2, 1, String.fromCharCode(ch));
                    }
                    isPreviousTermQuantifiable = true;
                    break;
                  }
                  if (charCodeChecked(pos) !== 125) {
                    if (anyUnicodeModeOrNonAnnexB) {
                      error2(Diagnostics._0_expected, pos, 0, String.fromCharCode(
                        125
                        /* closeBrace */
                      ));
                      pos--;
                    } else {
                      isPreviousTermQuantifiable = true;
                      break;
                    }
                  }
                case 42:
                case 43:
                case 63:
                  pos++;
                  if (charCodeChecked(pos) === 63) {
                    pos++;
                  }
                  if (!isPreviousTermQuantifiable) {
                    error2(Diagnostics.There_is_nothing_available_for_repetition, start2, pos - start2);
                  }
                  isPreviousTermQuantifiable = false;
                  break;
                case 46:
                  pos++;
                  isPreviousTermQuantifiable = true;
                  break;
                case 91:
                  pos++;
                  if (unicodeSetsMode) {
                    scanClassSetExpression();
                  } else {
                    scanClassRanges();
                  }
                  scanExpectedChar(
                    93
                    /* closeBracket */
                  );
                  isPreviousTermQuantifiable = true;
                  break;
                case 41:
                  if (isInGroup) {
                    return;
                  }
                case 93:
                case 125:
                  if (anyUnicodeModeOrNonAnnexB || ch === 41) {
                    error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, pos, 1, String.fromCharCode(ch));
                  }
                  pos++;
                  isPreviousTermQuantifiable = true;
                  break;
                case 47:
                case 124:
                  return;
                default:
                  scanSourceCharacter();
                  isPreviousTermQuantifiable = true;
                  break;
              }
            }
          }
          function scanPatternModifiers(currFlags) {
            while (true) {
              const ch = charCodeChecked(pos);
              if (ch === -1 || !isIdentifierPart(ch, languageVersion)) {
                break;
              }
              const flag = characterToRegularExpressionFlag(String.fromCharCode(ch));
              if (flag === void 0) {
                error2(Diagnostics.Unknown_regular_expression_flag, pos, 1);
              } else if (currFlags & flag) {
                error2(Diagnostics.Duplicate_regular_expression_flag, pos, 1);
              } else if (!(flag & 28)) {
                error2(Diagnostics.This_regular_expression_flag_cannot_be_toggled_within_a_subpattern, pos, 1);
              } else {
                currFlags |= flag;
                checkRegularExpressionFlagAvailable(flag, pos);
              }
              pos++;
            }
            return currFlags;
          }
          function scanAtomEscape() {
            Debug.assertEqual(
              charCodeUnchecked(pos - 1),
              92
              /* backslash */
            );
            switch (charCodeChecked(pos)) {
              case 107:
                pos++;
                if (charCodeChecked(pos) === 60) {
                  pos++;
                  scanGroupName(
                    /*isReference*/
                    true
                  );
                  scanExpectedChar(
                    62
                    /* greaterThan */
                  );
                } else if (anyUnicodeModeOrNonAnnexB || namedCaptureGroups) {
                  error2(Diagnostics.k_must_be_followed_by_a_capturing_group_name_enclosed_in_angle_brackets, pos - 2, 2);
                }
                break;
              case 113:
                if (unicodeSetsMode) {
                  pos++;
                  error2(Diagnostics.q_is_only_available_inside_character_class, pos - 2, 2);
                  break;
                }
              default:
                Debug.assert(scanCharacterClassEscape() || scanDecimalEscape() || scanCharacterEscape(
                  /*atomEscape*/
                  true
                ));
                break;
            }
          }
          function scanDecimalEscape() {
            Debug.assertEqual(
              charCodeUnchecked(pos - 1),
              92
              /* backslash */
            );
            const ch = charCodeChecked(pos);
            if (ch >= 49 && ch <= 57) {
              const start2 = pos;
              scanDigits();
              decimalEscapes = append(decimalEscapes, { pos: start2, end: pos, value: +tokenValue });
              return true;
            }
            return false;
          }
          function scanCharacterEscape(atomEscape) {
            Debug.assertEqual(
              charCodeUnchecked(pos - 1),
              92
              /* backslash */
            );
            let ch = charCodeChecked(pos);
            switch (ch) {
              case -1:
                error2(Diagnostics.Undetermined_character_escape, pos - 1, 1);
                return "\\";
              case 99:
                pos++;
                ch = charCodeChecked(pos);
                if (isASCIILetter(ch)) {
                  pos++;
                  return String.fromCharCode(ch & 31);
                }
                if (anyUnicodeModeOrNonAnnexB) {
                  error2(Diagnostics.c_must_be_followed_by_an_ASCII_letter, pos - 2, 2);
                } else if (atomEscape) {
                  pos--;
                  return "\\";
                }
                return String.fromCharCode(ch);
              case 94:
              case 36:
              case 47:
              case 92:
              case 46:
              case 42:
              case 43:
              case 63:
              case 40:
              case 41:
              case 91:
              case 93:
              case 123:
              case 125:
              case 124:
                pos++;
                return String.fromCharCode(ch);
              default:
                pos--;
                return scanEscapeSequence(
                  4 | (annexB ? 8 : 0) | (anyUnicodeMode ? 16 : 0) | (atomEscape ? 32 : 0)
                );
            }
          }
          function scanGroupName(isReference) {
            Debug.assertEqual(
              charCodeUnchecked(pos - 1),
              60
              /* lessThan */
            );
            tokenStart = pos;
            scanIdentifier(codePointChecked(pos), languageVersion);
            if (pos === tokenStart) {
              error2(Diagnostics.Expected_a_capturing_group_name);
            } else if (isReference) {
              groupNameReferences = append(groupNameReferences, { pos: tokenStart, end: pos, name: tokenValue });
            } else if ((topNamedCapturingGroupsScope == null ? void 0 : topNamedCapturingGroupsScope.has(tokenValue)) || namedCapturingGroupsScopeStack.some((group2) => group2 == null ? void 0 : group2.has(tokenValue))) {
              error2(Diagnostics.Named_capturing_groups_with_the_same_name_must_be_mutually_exclusive_to_each_other, tokenStart, pos - tokenStart);
            } else {
              topNamedCapturingGroupsScope ?? (topNamedCapturingGroupsScope = /* @__PURE__ */ new Set());
              topNamedCapturingGroupsScope.add(tokenValue);
              groupSpecifiers ?? (groupSpecifiers = /* @__PURE__ */ new Set());
              groupSpecifiers.add(tokenValue);
            }
          }
          function isClassContentExit(ch) {
            return ch === 93 || ch === -1 || pos >= end;
          }
          function scanClassRanges() {
            Debug.assertEqual(
              charCodeUnchecked(pos - 1),
              91
              /* openBracket */
            );
            if (charCodeChecked(pos) === 94) {
              pos++;
            }
            while (true) {
              const ch = charCodeChecked(pos);
              if (isClassContentExit(ch)) {
                return;
              }
              const minStart = pos;
              const minCharacter = scanClassAtom();
              if (charCodeChecked(pos) === 45) {
                pos++;
                const ch2 = charCodeChecked(pos);
                if (isClassContentExit(ch2)) {
                  return;
                }
                if (!minCharacter && anyUnicodeModeOrNonAnnexB) {
                  error2(Diagnostics.A_character_class_range_must_not_be_bounded_by_another_character_class, minStart, pos - 1 - minStart);
                }
                const maxStart = pos;
                const maxCharacter = scanClassAtom();
                if (!maxCharacter && anyUnicodeModeOrNonAnnexB) {
                  error2(Diagnostics.A_character_class_range_must_not_be_bounded_by_another_character_class, maxStart, pos - maxStart);
                  continue;
                }
                if (!minCharacter) {
                  continue;
                }
                const minCharacterValue = codePointAt(minCharacter, 0);
                const maxCharacterValue = codePointAt(maxCharacter, 0);
                if (minCharacter.length === charSize(minCharacterValue) && maxCharacter.length === charSize(maxCharacterValue) && minCharacterValue > maxCharacterValue) {
                  error2(Diagnostics.Range_out_of_order_in_character_class, minStart, pos - minStart);
                }
              }
            }
          }
          function scanClassSetExpression() {
            Debug.assertEqual(
              charCodeUnchecked(pos - 1),
              91
              /* openBracket */
            );
            let isCharacterComplement = false;
            if (charCodeChecked(pos) === 94) {
              pos++;
              isCharacterComplement = true;
            }
            let expressionMayContainStrings = false;
            let ch = charCodeChecked(pos);
            if (isClassContentExit(ch)) {
              return;
            }
            let start2 = pos;
            let operand;
            switch (text.slice(pos, pos + 2)) {
              case "--":
              case "&&":
                error2(Diagnostics.Expected_a_class_set_operand);
                mayContainStrings = false;
                break;
              default:
                operand = scanClassSetOperand();
                break;
            }
            switch (charCodeChecked(pos)) {
              case 45:
                if (charCodeChecked(pos + 1) === 45) {
                  if (isCharacterComplement && mayContainStrings) {
                    error2(Diagnostics.Anything_that_would_possibly_match_more_than_a_single_character_is_invalid_inside_a_negated_character_class, start2, pos - start2);
                  }
                  expressionMayContainStrings = mayContainStrings;
                  scanClassSetSubExpression(
                    3
                    /* ClassSubtraction */
                  );
                  mayContainStrings = !isCharacterComplement && expressionMayContainStrings;
                  return;
                }
                break;
              case 38:
                if (charCodeChecked(pos + 1) === 38) {
                  scanClassSetSubExpression(
                    2
                    /* ClassIntersection */
                  );
                  if (isCharacterComplement && mayContainStrings) {
                    error2(Diagnostics.Anything_that_would_possibly_match_more_than_a_single_character_is_invalid_inside_a_negated_character_class, start2, pos - start2);
                  }
                  expressionMayContainStrings = mayContainStrings;
                  mayContainStrings = !isCharacterComplement && expressionMayContainStrings;
                  return;
                } else {
                  error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, pos, 1, String.fromCharCode(ch));
                }
                break;
              default:
                if (isCharacterComplement && mayContainStrings) {
                  error2(Diagnostics.Anything_that_would_possibly_match_more_than_a_single_character_is_invalid_inside_a_negated_character_class, start2, pos - start2);
                }
                expressionMayContainStrings = mayContainStrings;
                break;
            }
            while (true) {
              ch = charCodeChecked(pos);
              if (ch === -1) {
                break;
              }
              switch (ch) {
                case 45:
                  pos++;
                  ch = charCodeChecked(pos);
                  if (isClassContentExit(ch)) {
                    mayContainStrings = !isCharacterComplement && expressionMayContainStrings;
                    return;
                  }
                  if (ch === 45) {
                    pos++;
                    error2(Diagnostics.Operators_must_not_be_mixed_within_a_character_class_Wrap_it_in_a_nested_class_instead, pos - 2, 2);
                    start2 = pos - 2;
                    operand = text.slice(start2, pos);
                    continue;
                  } else {
                    if (!operand) {
                      error2(Diagnostics.A_character_class_range_must_not_be_bounded_by_another_character_class, start2, pos - 1 - start2);
                    }
                    const secondStart = pos;
                    const secondOperand = scanClassSetOperand();
                    if (isCharacterComplement && mayContainStrings) {
                      error2(Diagnostics.Anything_that_would_possibly_match_more_than_a_single_character_is_invalid_inside_a_negated_character_class, secondStart, pos - secondStart);
                    }
                    expressionMayContainStrings || (expressionMayContainStrings = mayContainStrings);
                    if (!secondOperand) {
                      error2(Diagnostics.A_character_class_range_must_not_be_bounded_by_another_character_class, secondStart, pos - secondStart);
                      break;
                    }
                    if (!operand) {
                      break;
                    }
                    const minCharacterValue = codePointAt(operand, 0);
                    const maxCharacterValue = codePointAt(secondOperand, 0);
                    if (operand.length === charSize(minCharacterValue) && secondOperand.length === charSize(maxCharacterValue) && minCharacterValue > maxCharacterValue) {
                      error2(Diagnostics.Range_out_of_order_in_character_class, start2, pos - start2);
                    }
                  }
                  break;
                case 38:
                  start2 = pos;
                  pos++;
                  if (charCodeChecked(pos) === 38) {
                    pos++;
                    error2(Diagnostics.Operators_must_not_be_mixed_within_a_character_class_Wrap_it_in_a_nested_class_instead, pos - 2, 2);
                    if (charCodeChecked(pos) === 38) {
                      error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, pos, 1, String.fromCharCode(ch));
                      pos++;
                    }
                  } else {
                    error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, pos - 1, 1, String.fromCharCode(ch));
                  }
                  operand = text.slice(start2, pos);
                  continue;
              }
              if (isClassContentExit(charCodeChecked(pos))) {
                break;
              }
              start2 = pos;
              switch (text.slice(pos, pos + 2)) {
                case "--":
                case "&&":
                  error2(Diagnostics.Operators_must_not_be_mixed_within_a_character_class_Wrap_it_in_a_nested_class_instead, pos, 2);
                  pos += 2;
                  operand = text.slice(start2, pos);
                  break;
                default:
                  operand = scanClassSetOperand();
                  break;
              }
            }
            mayContainStrings = !isCharacterComplement && expressionMayContainStrings;
          }
          function scanClassSetSubExpression(expressionType) {
            let expressionMayContainStrings = mayContainStrings;
            while (true) {
              let ch = charCodeChecked(pos);
              if (isClassContentExit(ch)) {
                break;
              }
              switch (ch) {
                case 45:
                  pos++;
                  if (charCodeChecked(pos) === 45) {
                    pos++;
                    if (expressionType !== 3) {
                      error2(Diagnostics.Operators_must_not_be_mixed_within_a_character_class_Wrap_it_in_a_nested_class_instead, pos - 2, 2);
                    }
                  } else {
                    error2(Diagnostics.Operators_must_not_be_mixed_within_a_character_class_Wrap_it_in_a_nested_class_instead, pos - 1, 1);
                  }
                  break;
                case 38:
                  pos++;
                  if (charCodeChecked(pos) === 38) {
                    pos++;
                    if (expressionType !== 2) {
                      error2(Diagnostics.Operators_must_not_be_mixed_within_a_character_class_Wrap_it_in_a_nested_class_instead, pos - 2, 2);
                    }
                    if (charCodeChecked(pos) === 38) {
                      error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, pos, 1, String.fromCharCode(ch));
                      pos++;
                    }
                  } else {
                    error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, pos - 1, 1, String.fromCharCode(ch));
                  }
                  break;
                default:
                  switch (expressionType) {
                    case 3:
                      error2(Diagnostics._0_expected, pos, 0, "--");
                      break;
                    case 2:
                      error2(Diagnostics._0_expected, pos, 0, "&&");
                      break;
                    default:
                      break;
                  }
                  break;
              }
              ch = charCodeChecked(pos);
              if (isClassContentExit(ch)) {
                error2(Diagnostics.Expected_a_class_set_operand);
                break;
              }
              scanClassSetOperand();
              expressionMayContainStrings && (expressionMayContainStrings = mayContainStrings);
            }
            mayContainStrings = expressionMayContainStrings;
          }
          function scanClassSetOperand() {
            mayContainStrings = false;
            switch (charCodeChecked(pos)) {
              case -1:
                return "";
              case 91:
                pos++;
                scanClassSetExpression();
                scanExpectedChar(
                  93
                  /* closeBracket */
                );
                return "";
              case 92:
                pos++;
                if (scanCharacterClassEscape()) {
                  return "";
                } else if (charCodeChecked(pos) === 113) {
                  pos++;
                  if (charCodeChecked(pos) === 123) {
                    pos++;
                    scanClassStringDisjunctionContents();
                    scanExpectedChar(
                      125
                      /* closeBrace */
                    );
                    return "";
                  } else {
                    error2(Diagnostics.q_must_be_followed_by_string_alternatives_enclosed_in_braces, pos - 2, 2);
                    return "q";
                  }
                }
                pos--;
              default:
                return scanClassSetCharacter();
            }
          }
          function scanClassStringDisjunctionContents() {
            Debug.assertEqual(
              charCodeUnchecked(pos - 1),
              123
              /* openBrace */
            );
            let characterCount = 0;
            while (true) {
              const ch = charCodeChecked(pos);
              switch (ch) {
                case -1:
                  return;
                case 125:
                  if (characterCount !== 1) {
                    mayContainStrings = true;
                  }
                  return;
                case 124:
                  if (characterCount !== 1) {
                    mayContainStrings = true;
                  }
                  pos++;
                  start = pos;
                  characterCount = 0;
                  break;
                default:
                  scanClassSetCharacter();
                  characterCount++;
                  break;
              }
            }
          }
          function scanClassSetCharacter() {
            const ch = charCodeChecked(pos);
            if (ch === -1) {
              return "";
            }
            if (ch === 92) {
              pos++;
              const ch2 = charCodeChecked(pos);
              switch (ch2) {
                case 98:
                  pos++;
                  return "\b";
                case 38:
                case 45:
                case 33:
                case 35:
                case 37:
                case 44:
                case 58:
                case 59:
                case 60:
                case 61:
                case 62:
                case 64:
                case 96:
                case 126:
                  pos++;
                  return String.fromCharCode(ch2);
                default:
                  return scanCharacterEscape(
                    /*atomEscape*/
                    false
                  );
              }
            } else if (ch === charCodeChecked(pos + 1)) {
              switch (ch) {
                case 38:
                case 33:
                case 35:
                case 37:
                case 42:
                case 43:
                case 44:
                case 46:
                case 58:
                case 59:
                case 60:
                case 61:
                case 62:
                case 63:
                case 64:
                case 96:
                case 126:
                  error2(Diagnostics.A_character_class_must_not_contain_a_reserved_double_punctuator_Did_you_mean_to_escape_it_with_backslash, pos, 2);
                  pos += 2;
                  return text.substring(pos - 2, pos);
              }
            }
            switch (ch) {
              case 47:
              case 40:
              case 41:
              case 91:
              case 93:
              case 123:
              case 125:
              case 45:
              case 124:
                error2(Diagnostics.Unexpected_0_Did_you_mean_to_escape_it_with_backslash, pos, 1, String.fromCharCode(ch));
                pos++;
                return String.fromCharCode(ch);
            }
            return scanSourceCharacter();
          }
          function scanClassAtom() {
            if (charCodeChecked(pos) === 92) {
              pos++;
              const ch = charCodeChecked(pos);
              switch (ch) {
                case 98:
                  pos++;
                  return "\b";
                case 45:
                  pos++;
                  return String.fromCharCode(ch);
                default:
                  if (scanCharacterClassEscape()) {
                    return "";
                  }
                  return scanCharacterEscape(
                    /*atomEscape*/
                    false
                  );
              }
            } else {
              return scanSourceCharacter();
            }
          }
          function scanCharacterClassEscape() {
            Debug.assertEqual(
              charCodeUnchecked(pos - 1),
              92
              /* backslash */
            );
            let isCharacterComplement = false;
            const start2 = pos - 1;
            const ch = charCodeChecked(pos);
            switch (ch) {
              case 100:
              case 68:
              case 115:
              case 83:
              case 119:
              case 87:
                pos++;
                return true;
              case 80:
                isCharacterComplement = true;
              case 112:
                pos++;
                if (charCodeChecked(pos) === 123) {
                  pos++;
                  const propertyNameOrValueStart = pos;
                  const propertyNameOrValue = scanWordCharacters();
                  if (charCodeChecked(pos) === 61) {
                    const propertyName = nonBinaryUnicodeProperties.get(propertyNameOrValue);
                    if (pos === propertyNameOrValueStart) {
                      error2(Diagnostics.Expected_a_Unicode_property_name);
                    } else if (propertyName === void 0) {
                      error2(Diagnostics.Unknown_Unicode_property_name, propertyNameOrValueStart, pos - propertyNameOrValueStart);
                      const suggestion = getSpellingSuggestion(propertyNameOrValue, nonBinaryUnicodeProperties.keys(), identity2);
                      if (suggestion) {
                        error2(Diagnostics.Did_you_mean_0, propertyNameOrValueStart, pos - propertyNameOrValueStart, suggestion);
                      }
                    }
                    pos++;
                    const propertyValueStart = pos;
                    const propertyValue = scanWordCharacters();
                    if (pos === propertyValueStart) {
                      error2(Diagnostics.Expected_a_Unicode_property_value);
                    } else if (propertyName !== void 0 && !valuesOfNonBinaryUnicodeProperties[propertyName].has(propertyValue)) {
                      error2(Diagnostics.Unknown_Unicode_property_value, propertyValueStart, pos - propertyValueStart);
                      const suggestion = getSpellingSuggestion(propertyValue, valuesOfNonBinaryUnicodeProperties[propertyName], identity2);
                      if (suggestion) {
                        error2(Diagnostics.Did_you_mean_0, propertyValueStart, pos - propertyValueStart, suggestion);
                      }
                    }
                  } else {
                    if (pos === propertyNameOrValueStart) {
                      error2(Diagnostics.Expected_a_Unicode_property_name_or_value);
                    } else if (binaryUnicodePropertiesOfStrings.has(propertyNameOrValue)) {
                      if (!unicodeSetsMode) {
                        error2(Diagnostics.Any_Unicode_property_that_would_possibly_match_more_than_a_single_character_is_only_available_when_the_Unicode_Sets_v_flag_is_set, propertyNameOrValueStart, pos - propertyNameOrValueStart);
                      } else if (isCharacterComplement) {
                        error2(Diagnostics.Anything_that_would_possibly_match_more_than_a_single_character_is_invalid_inside_a_negated_character_class, propertyNameOrValueStart, pos - propertyNameOrValueStart);
                      } else {
                        mayContainStrings = true;
                      }
                    } else if (!valuesOfNonBinaryUnicodeProperties.General_Category.has(propertyNameOrValue) && !binaryUnicodeProperties.has(propertyNameOrValue)) {
                      error2(Diagnostics.Unknown_Unicode_property_name_or_value, propertyNameOrValueStart, pos - propertyNameOrValueStart);
                      const suggestion = getSpellingSuggestion(propertyNameOrValue, [...valuesOfNonBinaryUnicodeProperties.General_Category, ...binaryUnicodeProperties, ...binaryUnicodePropertiesOfStrings], identity2);
                      if (suggestion) {
                        error2(Diagnostics.Did_you_mean_0, propertyNameOrValueStart, pos - propertyNameOrValueStart, suggestion);
                      }
                    }
                  }
                  scanExpectedChar(
                    125
                    /* closeBrace */
                  );
                  if (!anyUnicodeMode) {
                    error2(Diagnostics.Unicode_property_value_expressions_are_only_available_when_the_Unicode_u_flag_or_the_Unicode_Sets_v_flag_is_set, start2, pos - start2);
                  }
                } else if (anyUnicodeModeOrNonAnnexB) {
                  error2(Diagnostics._0_must_be_followed_by_a_Unicode_property_value_expression_enclosed_in_braces, pos - 2, 2, String.fromCharCode(ch));
                } else {
                  pos--;
                  return false;
                }
                return true;
            }
            return false;
          }
          function scanWordCharacters() {
            let value = "";
            while (true) {
              const ch = charCodeChecked(pos);
              if (ch === -1 || !isWordCharacter(ch)) {
                break;
              }
              value += String.fromCharCode(ch);
              pos++;
            }
            return value;
          }
          function scanSourceCharacter() {
            const size = anyUnicodeMode ? charSize(charCodeChecked(pos)) : 1;
            pos += size;
            return size > 0 ? text.substring(pos - size, pos) : "";
          }
          function scanExpectedChar(ch) {
            if (charCodeChecked(pos) === ch) {
              pos++;
            } else {
              error2(Diagnostics._0_expected, pos, 0, String.fromCharCode(ch));
            }
          }
          scanDisjunction(
            /*isInGroup*/
            false
          );
          forEach(groupNameReferences, (reference) => {
            if (!(groupSpecifiers == null ? void 0 : groupSpecifiers.has(reference.name))) {
              error2(Diagnostics.There_is_no_capturing_group_named_0_in_this_regular_expression, reference.pos, reference.end - reference.pos, reference.name);
            }
          });
          forEach(decimalEscapes, (escape2) => {
            if (escape2.value > numberOfCapturingGroups) {
              if (numberOfCapturingGroups) {
                error2(Diagnostics.This_backreference_refers_to_a_group_that_does_not_exist_There_are_only_0_capturing_groups_in_this_regular_expression, escape2.pos, escape2.end - escape2.pos, numberOfCapturingGroups);
              } else {
                error2(Diagnostics.This_backreference_refers_to_a_group_that_does_not_exist_There_are_no_capturing_groups_in_this_regular_expression, escape2.pos, escape2.end - escape2.pos);
              }
            }
          });
        }
        function checkRegularExpressionFlagAvailable(flag, pos2) {
          const availableFrom = regExpFlagToFirstAvailableLanguageVersion.get(flag);
          if (availableFrom && languageVersion < availableFrom) {
            error2(Diagnostics.This_regular_expression_flag_is_only_available_when_targeting_0_or_later, pos2, 1, getNameOfScriptTarget(availableFrom));
          }
        }
        function appendIfCommentDirective(commentDirectives2, text2, commentDirectiveRegEx, lineStart) {
          const type = getDirectiveFromComment(text2.trimStart(), commentDirectiveRegEx);
          if (type === void 0) {
            return commentDirectives2;
          }
          return append(
            commentDirectives2,
            {
              range: { pos: lineStart, end: pos },
              type
            }
          );
        }
        function getDirectiveFromComment(text2, commentDirectiveRegEx) {
          const match = commentDirectiveRegEx.exec(text2);
          if (!match) {
            return void 0;
          }
          switch (match[1]) {
            case "ts-expect-error":
              return 0;
            case "ts-ignore":
              return 1;
          }
          return void 0;
        }
        function reScanTemplateToken(isTaggedTemplate) {
          pos = tokenStart;
          return token = scanTemplateAndSetTokenValue(!isTaggedTemplate);
        }
        function reScanTemplateHeadOrNoSubstitutionTemplate() {
          pos = tokenStart;
          return token = scanTemplateAndSetTokenValue(
            /*shouldEmitInvalidEscapeError*/
            true
          );
        }
        function reScanJsxToken(allowMultilineJsxText = true) {
          pos = tokenStart = fullStartPos;
          return token = scanJsxToken(allowMultilineJsxText);
        }
        function reScanLessThanToken() {
          if (token === 48) {
            pos = tokenStart + 1;
            return token = 30;
          }
          return token;
        }
        function reScanHashToken() {
          if (token === 81) {
            pos = tokenStart + 1;
            return token = 63;
          }
          return token;
        }
        function reScanQuestionToken() {
          Debug.assert(token === 61, "'reScanQuestionToken' should only be called on a '??'");
          pos = tokenStart + 1;
          return token = 58;
        }
        function scanJsxToken(allowMultilineJsxText = true) {
          fullStartPos = tokenStart = pos;
          if (pos >= end) {
            return token = 1;
          }
          let char = charCodeUnchecked(pos);
          if (char === 60) {
            if (charCodeUnchecked(pos + 1) === 47) {
              pos += 2;
              return token = 31;
            }
            pos++;
            return token = 30;
          }
          if (char === 123) {
            pos++;
            return token = 19;
          }
          let firstNonWhitespace = 0;
          while (pos < end) {
            char = charCodeUnchecked(pos);
            if (char === 123) {
              break;
            }
            if (char === 60) {
              if (isConflictMarkerTrivia(text, pos)) {
                pos = scanConflictMarkerTrivia(text, pos, error2);
                return token = 7;
              }
              break;
            }
            if (char === 62) {
              error2(Diagnostics.Unexpected_token_Did_you_mean_or_gt, pos, 1);
            }
            if (char === 125) {
              error2(Diagnostics.Unexpected_token_Did_you_mean_or_rbrace, pos, 1);
            }
            if (isLineBreak(char) && firstNonWhitespace === 0) {
              firstNonWhitespace = -1;
            } else if (!allowMultilineJsxText && isLineBreak(char) && firstNonWhitespace > 0) {
              break;
            } else if (!isWhiteSpaceLike(char)) {
              firstNonWhitespace = pos;
            }
            pos++;
          }
          tokenValue = text.substring(fullStartPos, pos);
          return firstNonWhitespace === -1 ? 13 : 12;
        }
        function scanJsxIdentifier() {
          if (tokenIsIdentifierOrKeyword(token)) {
            while (pos < end) {
              const ch = charCodeUnchecked(pos);
              if (ch === 45) {
                tokenValue += "-";
                pos++;
                continue;
              }
              const oldPos = pos;
              tokenValue += scanIdentifierParts();
              if (pos === oldPos) {
                break;
              }
            }
            return getIdentifierToken();
          }
          return token;
        }
        function scanJsxAttributeValue() {
          fullStartPos = pos;
          switch (charCodeUnchecked(pos)) {
            case 34:
            case 39:
              tokenValue = scanString(
                /*jsxAttributeString*/
                true
              );
              return token = 11;
            default:
              return scan();
          }
        }
        function reScanJsxAttributeValue() {
          pos = tokenStart = fullStartPos;
          return scanJsxAttributeValue();
        }
        function scanJSDocCommentTextToken(inBackticks) {
          fullStartPos = tokenStart = pos;
          tokenFlags = 0;
          if (pos >= end) {
            return token = 1;
          }
          for (let ch = charCodeUnchecked(pos); pos < end && (!isLineBreak(ch) && ch !== 96); ch = codePointUnchecked(++pos)) {
            if (!inBackticks) {
              if (ch === 123) {
                break;
              } else if (ch === 64 && pos - 1 >= 0 && isWhiteSpaceSingleLine(charCodeUnchecked(pos - 1)) && !(pos + 1 < end && isWhiteSpaceLike(charCodeUnchecked(pos + 1)))) {
                break;
              }
            }
          }
          if (pos === tokenStart) {
            return scanJsDocToken();
          }
          tokenValue = text.substring(tokenStart, pos);
          return token = 82;
        }
        function scanJsDocToken() {
          fullStartPos = tokenStart = pos;
          tokenFlags = 0;
          if (pos >= end) {
            return token = 1;
          }
          const ch = codePointUnchecked(pos);
          pos += charSize(ch);
          switch (ch) {
            case 9:
            case 11:
            case 12:
            case 32:
              while (pos < end && isWhiteSpaceSingleLine(charCodeUnchecked(pos))) {
                pos++;
              }
              return token = 5;
            case 64:
              return token = 60;
            case 13:
              if (charCodeUnchecked(pos) === 10) {
                pos++;
              }
            case 10:
              tokenFlags |= 1;
              return token = 4;
            case 42:
              return token = 42;
            case 123:
              return token = 19;
            case 125:
              return token = 20;
            case 91:
              return token = 23;
            case 93:
              return token = 24;
            case 40:
              return token = 21;
            case 41:
              return token = 22;
            case 60:
              return token = 30;
            case 62:
              return token = 32;
            case 61:
              return token = 64;
            case 44:
              return token = 28;
            case 46:
              return token = 25;
            case 96:
              return token = 62;
            case 35:
              return token = 63;
            case 92:
              pos--;
              const extendedCookedChar = peekExtendedUnicodeEscape();
              if (extendedCookedChar >= 0 && isIdentifierStart(extendedCookedChar, languageVersion)) {
                tokenValue = scanExtendedUnicodeEscape(
                  /*shouldEmitInvalidEscapeError*/
                  true
                ) + scanIdentifierParts();
                return token = getIdentifierToken();
              }
              const cookedChar = peekUnicodeEscape();
              if (cookedChar >= 0 && isIdentifierStart(cookedChar, languageVersion)) {
                pos += 6;
                tokenFlags |= 1024;
                tokenValue = String.fromCharCode(cookedChar) + scanIdentifierParts();
                return token = getIdentifierToken();
              }
              pos++;
              return token = 0;
          }
          if (isIdentifierStart(ch, languageVersion)) {
            let char = ch;
            while (pos < end && isIdentifierPart(char = codePointUnchecked(pos), languageVersion) || char === 45) pos += charSize(char);
            tokenValue = text.substring(tokenStart, pos);
            if (char === 92) {
              tokenValue += scanIdentifierParts();
            }
            return token = getIdentifierToken();
          } else {
            return token = 0;
          }
        }
        function speculationHelper(callback, isLookahead) {
          const savePos = pos;
          const saveStartPos = fullStartPos;
          const saveTokenPos = tokenStart;
          const saveToken = token;
          const saveTokenValue = tokenValue;
          const saveTokenFlags = tokenFlags;
          const result = callback();
          if (!result || isLookahead) {
            pos = savePos;
            fullStartPos = saveStartPos;
            tokenStart = saveTokenPos;
            token = saveToken;
            tokenValue = saveTokenValue;
            tokenFlags = saveTokenFlags;
          }
          return result;
        }
        function scanRange(start2, length3, callback) {
          const saveEnd = end;
          const savePos = pos;
          const saveStartPos = fullStartPos;
          const saveTokenPos = tokenStart;
          const saveToken = token;
          const saveTokenValue = tokenValue;
          const saveTokenFlags = tokenFlags;
          const saveErrorExpectations = commentDirectives;
          setText(text, start2, length3);
          const result = callback();
          end = saveEnd;
          pos = savePos;
          fullStartPos = saveStartPos;
          tokenStart = saveTokenPos;
          token = saveToken;
          tokenValue = saveTokenValue;
          tokenFlags = saveTokenFlags;
          commentDirectives = saveErrorExpectations;
          return result;
        }
        function lookAhead(callback) {
          return speculationHelper(
            callback,
            /*isLookahead*/
            true
          );
        }
        function tryScan(callback) {
          return speculationHelper(
            callback,
            /*isLookahead*/
            false
          );
        }
        function getText() {
          return text;
        }
        function clearCommentDirectives() {
          commentDirectives = void 0;
        }
        function setText(newText, start2, length3) {
          text = newText || "";
          end = length3 === void 0 ? text.length : start2 + length3;
          resetTokenState(start2 || 0);
        }
        function setOnError(errorCallback) {
          onError = errorCallback;
        }
        function setScriptTarget(scriptTarget) {
          languageVersion = scriptTarget;
        }
        function setLanguageVariant(variant) {
          languageVariant = variant;
        }
        function setScriptKind(kind) {
          scriptKind = kind;
        }
        function setJSDocParsingMode(kind) {
          jsDocParsingMode = kind;
        }
        function resetTokenState(position) {
          Debug.assert(position >= 0);
          pos = position;
          fullStartPos = position;
          tokenStart = position;
          token = 0;
          tokenValue = void 0;
          tokenFlags = 0;
        }
        function setSkipJsDocLeadingAsterisks(skip) {
          skipJsDocLeadingAsterisks += skip ? 1 : -1;
        }
        function hasLeadingAsterisks() {
          return asteriskSeen;
        }
      }
      function codePointAt(s, i) {
        return s.codePointAt(i);
      }
      function charSize(ch) {
        if (ch >= 65536) {
          return 2;
        }
        if (ch === -1) {
          return 0;
        }
        return 1;
      }
      function utf16EncodeAsStringFallback(codePoint) {
        Debug.assert(0 <= codePoint && codePoint <= 1114111);
        if (codePoint <= 65535) {
          return String.fromCharCode(codePoint);
        }
        const codeUnit1 = Math.floor((codePoint - 65536) / 1024) + 55296;
        const codeUnit2 = (codePoint - 65536) % 1024 + 56320;
        return String.fromCharCode(codeUnit1, codeUnit2);
      }
      var utf16EncodeAsStringWorker = String.fromCodePoint ? (codePoint) => String.fromCodePoint(codePoint) : utf16EncodeAsStringFallback;
      function utf16EncodeAsString(codePoint) {
        return utf16EncodeAsStringWorker(codePoint);
      }
      var nonBinaryUnicodeProperties = new Map(Object.entries({
        General_Category: "General_Category",
        gc: "General_Category",
        Script: "Script",
        sc: "Script",
        Script_Extensions: "Script_Extensions",
        scx: "Script_Extensions"
      }));
      var binaryUnicodeProperties = /* @__PURE__ */ new Set(["ASCII", "ASCII_Hex_Digit", "AHex", "Alphabetic", "Alpha", "Any", "Assigned", "Bidi_Control", "Bidi_C", "Bidi_Mirrored", "Bidi_M", "Case_Ignorable", "CI", "Cased", "Changes_When_Casefolded", "CWCF", "Changes_When_Casemapped", "CWCM", "Changes_When_Lowercased", "CWL", "Changes_When_NFKC_Casefolded", "CWKCF", "Changes_When_Titlecased", "CWT", "Changes_When_Uppercased", "CWU", "Dash", "Default_Ignorable_Code_Point", "DI", "Deprecated", "Dep", "Diacritic", "Dia", "Emoji", "Emoji_Component", "EComp", "Emoji_Modifier", "EMod", "Emoji_Modifier_Base", "EBase", "Emoji_Presentation", "EPres", "Extended_Pictographic", "ExtPict", "Extender", "Ext", "Grapheme_Base", "Gr_Base", "Grapheme_Extend", "Gr_Ext", "Hex_Digit", "Hex", "IDS_Binary_Operator", "IDSB", "IDS_Trinary_Operator", "IDST", "ID_Continue", "IDC", "ID_Start", "IDS", "Ideographic", "Ideo", "Join_Control", "Join_C", "Logical_Order_Exception", "LOE", "Lowercase", "Lower", "Math", "Noncharacter_Code_Point", "NChar", "Pattern_Syntax", "Pat_Syn", "Pattern_White_Space", "Pat_WS", "Quotation_Mark", "QMark", "Radical", "Regional_Indicator", "RI", "Sentence_Terminal", "STerm", "Soft_Dotted", "SD", "Terminal_Punctuation", "Term", "Unified_Ideograph", "UIdeo", "Uppercase", "Upper", "Variation_Selector", "VS", "White_Space", "space", "XID_Continue", "XIDC", "XID_Start", "XIDS"]);
      var binaryUnicodePropertiesOfStrings = /* @__PURE__ */ new Set(["Basic_Emoji", "Emoji_Keycap_Sequence", "RGI_Emoji_Modifier_Sequence", "RGI_Emoji_Flag_Sequence", "RGI_Emoji_Tag_Sequence", "RGI_Emoji_ZWJ_Sequence", "RGI_Emoji"]);
      var valuesOfNonBinaryUnicodeProperties = {
        General_Category: /* @__PURE__ */ new Set(["C", "Other", "Cc", "Control", "cntrl", "Cf", "Format", "Cn", "Unassigned", "Co", "Private_Use", "Cs", "Surrogate", "L", "Letter", "LC", "Cased_Letter", "Ll", "Lowercase_Letter", "Lm", "Modifier_Letter", "Lo", "Other_Letter", "Lt", "Titlecase_Letter", "Lu", "Uppercase_Letter", "M", "Mark", "Combining_Mark", "Mc", "Spacing_Mark", "Me", "Enclosing_Mark", "Mn", "Nonspacing_Mark", "N", "Number", "Nd", "Decimal_Number", "digit", "Nl", "Letter_Number", "No", "Other_Number", "P", "Punctuation", "punct", "Pc", "Connector_Punctuation", "Pd", "Dash_Punctuation", "Pe", "Close_Punctuation", "Pf", "Final_Punctuation", "Pi", "Initial_Punctuation", "Po", "Other_Punctuation", "Ps", "Open_Punctuation", "S", "Symbol", "Sc", "Currency_Symbol", "Sk", "Modifier_Symbol", "Sm", "Math_Symbol", "So", "Other_Symbol", "Z", "Separator", "Zl", "Line_Separator", "Zp", "Paragraph_Separator", "Zs", "Space_Separator"]),
        Script: /* @__PURE__ */ new Set(["Adlm", "Adlam", "Aghb", "Caucasian_Albanian", "Ahom", "Arab", "Arabic", "Armi", "Imperial_Aramaic", "Armn", "Armenian", "Avst", "Avestan", "Bali", "Balinese", "Bamu", "Bamum", "Bass", "Bassa_Vah", "Batk", "Batak", "Beng", "Bengali", "Bhks", "Bhaiksuki", "Bopo", "Bopomofo", "Brah", "Brahmi", "Brai", "Braille", "Bugi", "Buginese", "Buhd", "Buhid", "Cakm", "Chakma", "Cans", "Canadian_Aboriginal", "Cari", "Carian", "Cham", "Cher", "Cherokee", "Chrs", "Chorasmian", "Copt", "Coptic", "Qaac", "Cpmn", "Cypro_Minoan", "Cprt", "Cypriot", "Cyrl", "Cyrillic", "Deva", "Devanagari", "Diak", "Dives_Akuru", "Dogr", "Dogra", "Dsrt", "Deseret", "Dupl", "Duployan", "Egyp", "Egyptian_Hieroglyphs", "Elba", "Elbasan", "Elym", "Elymaic", "Ethi", "Ethiopic", "Geor", "Georgian", "Glag", "Glagolitic", "Gong", "Gunjala_Gondi", "Gonm", "Masaram_Gondi", "Goth", "Gothic", "Gran", "Grantha", "Grek", "Greek", "Gujr", "Gujarati", "Guru", "Gurmukhi", "Hang", "Hangul", "Hani", "Han", "Hano", "Hanunoo", "Hatr", "Hatran", "Hebr", "Hebrew", "Hira", "Hiragana", "Hluw", "Anatolian_Hieroglyphs", "Hmng", "Pahawh_Hmong", "Hmnp", "Nyiakeng_Puachue_Hmong", "Hrkt", "Katakana_Or_Hiragana", "Hung", "Old_Hungarian", "Ital", "Old_Italic", "Java", "Javanese", "Kali", "Kayah_Li", "Kana", "Katakana", "Kawi", "Khar", "Kharoshthi", "Khmr", "Khmer", "Khoj", "Khojki", "Kits", "Khitan_Small_Script", "Knda", "Kannada", "Kthi", "Kaithi", "Lana", "Tai_Tham", "Laoo", "Lao", "Latn", "Latin", "Lepc", "Lepcha", "Limb", "Limbu", "Lina", "Linear_A", "Linb", "Linear_B", "Lisu", "Lyci", "Lycian", "Lydi", "Lydian", "Mahj", "Mahajani", "Maka", "Makasar", "Mand", "Mandaic", "Mani", "Manichaean", "Marc", "Marchen", "Medf", "Medefaidrin", "Mend", "Mende_Kikakui", "Merc", "Meroitic_Cursive", "Mero", "Meroitic_Hieroglyphs", "Mlym", "Malayalam", "Modi", "Mong", "Mongolian", "Mroo", "Mro", "Mtei", "Meetei_Mayek", "Mult", "Multani", "Mymr", "Myanmar", "Nagm", "Nag_Mundari", "Nand", "Nandinagari", "Narb", "Old_North_Arabian", "Nbat", "Nabataean", "Newa", "Nkoo", "Nko", "Nshu", "Nushu", "Ogam", "Ogham", "Olck", "Ol_Chiki", "Orkh", "Old_Turkic", "Orya", "Oriya", "Osge", "Osage", "Osma", "Osmanya", "Ougr", "Old_Uyghur", "Palm", "Palmyrene", "Pauc", "Pau_Cin_Hau", "Perm", "Old_Permic", "Phag", "Phags_Pa", "Phli", "Inscriptional_Pahlavi", "Phlp", "Psalter_Pahlavi", "Phnx", "Phoenician", "Plrd", "Miao", "Prti", "Inscriptional_Parthian", "Rjng", "Rejang", "Rohg", "Hanifi_Rohingya", "Runr", "Runic", "Samr", "Samaritan", "Sarb", "Old_South_Arabian", "Saur", "Saurashtra", "Sgnw", "SignWriting", "Shaw", "Shavian", "Shrd", "Sharada", "Sidd", "Siddham", "Sind", "Khudawadi", "Sinh", "Sinhala", "Sogd", "Sogdian", "Sogo", "Old_Sogdian", "Sora", "Sora_Sompeng", "Soyo", "Soyombo", "Sund", "Sundanese", "Sylo", "Syloti_Nagri", "Syrc", "Syriac", "Tagb", "Tagbanwa", "Takr", "Takri", "Tale", "Tai_Le", "Talu", "New_Tai_Lue", "Taml", "Tamil", "Tang", "Tangut", "Tavt", "Tai_Viet", "Telu", "Telugu", "Tfng", "Tifinagh", "Tglg", "Tagalog", "Thaa", "Thaana", "Thai", "Tibt", "Tibetan", "Tirh", "Tirhuta", "Tnsa", "Tangsa", "Toto", "Ugar", "Ugaritic", "Vaii", "Vai", "Vith", "Vithkuqi", "Wara", "Warang_Citi", "Wcho", "Wancho", "Xpeo", "Old_Persian", "Xsux", "Cuneiform", "Yezi", "Yezidi", "Yiii", "Yi", "Zanb", "Zanabazar_Square", "Zinh", "Inherited", "Qaai", "Zyyy", "Common", "Zzzz", "Unknown"]),
        Script_Extensions: void 0
      };
      valuesOfNonBinaryUnicodeProperties.Script_Extensions = valuesOfNonBinaryUnicodeProperties.Script;
      function isExternalModuleNameRelative(moduleName) {
        return pathIsRelative(moduleName) || isRootedDiskPath(moduleName);
      }
      function sortAndDeduplicateDiagnostics(diagnostics) {
        return sortAndDeduplicate(diagnostics, compareDiagnostics, diagnosticsEqualityComparer);
      }
      function getDefaultLibFileName(options) {
        switch (getEmitScriptTarget(options)) {
          case 99:
            return "lib.esnext.full.d.ts";
          case 10:
            return "lib.es2023.full.d.ts";
          case 9:
            return "lib.es2022.full.d.ts";
          case 8:
            return "lib.es2021.full.d.ts";
          case 7:
            return "lib.es2020.full.d.ts";
          case 6:
            return "lib.es2019.full.d.ts";
          case 5:
            return "lib.es2018.full.d.ts";
          case 4:
            return "lib.es2017.full.d.ts";
          case 3:
            return "lib.es2016.full.d.ts";
          case 2:
            return "lib.es6.d.ts";
          default:
            return "lib.d.ts";
        }
      }
      function textSpanEnd(span) {
        return span.start + span.length;
      }
      function textSpanIsEmpty(span) {
        return span.length === 0;
      }
      function textSpanContainsPosition(span, position) {
        return position >= span.start && position < textSpanEnd(span);
      }
      function textRangeContainsPositionInclusive(span, position) {
        return position >= span.pos && position <= span.end;
      }
      function textSpanContainsTextSpan(span, other) {
        return other.start >= span.start && textSpanEnd(other) <= textSpanEnd(span);
      }
      function textSpanOverlapsWith(span, other) {
        return textSpanOverlap(span, other) !== void 0;
      }
      function textSpanOverlap(span1, span2) {
        const overlap = textSpanIntersection(span1, span2);
        return overlap && overlap.length === 0 ? void 0 : overlap;
      }
      function textSpanIntersectsWithTextSpan(span, other) {
        return decodedTextSpanIntersectsWith(span.start, span.length, other.start, other.length);
      }
      function textSpanIntersectsWith(span, start, length2) {
        return decodedTextSpanIntersectsWith(span.start, span.length, start, length2);
      }
      function decodedTextSpanIntersectsWith(start1, length1, start2, length2) {
        const end1 = start1 + length1;
        const end2 = start2 + length2;
        return start2 <= end1 && end2 >= start1;
      }
      function textSpanIntersectsWithPosition(span, position) {
        return position <= textSpanEnd(span) && position >= span.start;
      }
      function textSpanIntersection(span1, span2) {
        const start = Math.max(span1.start, span2.start);
        const end = Math.min(textSpanEnd(span1), textSpanEnd(span2));
        return start <= end ? createTextSpanFromBounds(start, end) : void 0;
      }
      function createTextSpan(start, length2) {
        if (start < 0) {
          throw new Error("start < 0");
        }
        if (length2 < 0) {
          throw new Error("length < 0");
        }
        return { start, length: length2 };
      }
      function createTextSpanFromBounds(start, end) {
        return createTextSpan(start, end - start);
      }
      function textChangeRangeNewSpan(range) {
        return createTextSpan(range.span.start, range.newLength);
      }
      function textChangeRangeIsUnchanged(range) {
        return textSpanIsEmpty(range.span) && range.newLength === 0;
      }
      function createTextChangeRange(span, newLength) {
        if (newLength < 0) {
          throw new Error("newLength < 0");
        }
        return { span, newLength };
      }
      var unchangedTextChangeRange = createTextChangeRange(createTextSpan(0, 0), 0);
      function collapseTextChangeRangesAcrossMultipleVersions(changes) {
        if (changes.length === 0) {
          return unchangedTextChangeRange;
        }
        if (changes.length === 1) {
          return changes[0];
        }
        const change0 = changes[0];
        let oldStartN = change0.span.start;
        let oldEndN = textSpanEnd(change0.span);
        let newEndN = oldStartN + change0.newLength;
        for (let i = 1; i < changes.length; i++) {
          const nextChange = changes[i];
          const oldStart1 = oldStartN;
          const oldEnd1 = oldEndN;
          const newEnd1 = newEndN;
          const oldStart2 = nextChange.span.start;
          const oldEnd2 = textSpanEnd(nextChange.span);
          const newEnd2 = oldStart2 + nextChange.newLength;
          oldStartN = Math.min(oldStart1, oldStart2);
          oldEndN = Math.max(oldEnd1, oldEnd1 + (oldEnd2 - newEnd1));
          newEndN = Math.max(newEnd2, newEnd2 + (newEnd1 - oldEnd2));
        }
        return createTextChangeRange(
          createTextSpanFromBounds(oldStartN, oldEndN),
          /*newLength*/
          newEndN - oldStartN
        );
      }
      function getTypeParameterOwner(d) {
        if (d && d.kind === 168) {
          for (let current = d; current; current = current.parent) {
            if (isFunctionLike(current) || isClassLike(current) || current.kind === 264) {
              return current;
            }
          }
        }
      }
      function isParameterPropertyDeclaration(node, parent2) {
        return isParameter(node) && hasSyntacticModifier(
          node,
          31
          /* ParameterPropertyModifier */
        ) && parent2.kind === 176;
      }
      function isEmptyBindingPattern(node) {
        if (isBindingPattern(node)) {
          return every(node.elements, isEmptyBindingElement);
        }
        return false;
      }
      function isEmptyBindingElement(node) {
        if (isOmittedExpression(node)) {
          return true;
        }
        return isEmptyBindingPattern(node.name);
      }
      function walkUpBindingElementsAndPatterns(binding) {
        let node = binding.parent;
        while (isBindingElement(node.parent)) {
          node = node.parent.parent;
        }
        return node.parent;
      }
      function getCombinedFlags(node, getFlags) {
        if (isBindingElement(node)) {
          node = walkUpBindingElementsAndPatterns(node);
        }
        let flags = getFlags(node);
        if (node.kind === 260) {
          node = node.parent;
        }
        if (node && node.kind === 261) {
          flags |= getFlags(node);
          node = node.parent;
        }
        if (node && node.kind === 243) {
          flags |= getFlags(node);
        }
        return flags;
      }
      function getCombinedModifierFlags(node) {
        return getCombinedFlags(node, getEffectiveModifierFlags);
      }
      function getCombinedNodeFlagsAlwaysIncludeJSDoc(node) {
        return getCombinedFlags(node, getEffectiveModifierFlagsAlwaysIncludeJSDoc);
      }
      function getCombinedNodeFlags(node) {
        return getCombinedFlags(node, getNodeFlags);
      }
      function getNodeFlags(node) {
        return node.flags;
      }
      var supportedLocaleDirectories = ["cs", "de", "es", "fr", "it", "ja", "ko", "pl", "pt-br", "ru", "tr", "zh-cn", "zh-tw"];
      function validateLocaleAndSetLanguage(locale, sys2, errors) {
        const lowerCaseLocale = locale.toLowerCase();
        const matchResult = /^([a-z]+)([_-]([a-z]+))?$/.exec(lowerCaseLocale);
        if (!matchResult) {
          if (errors) {
            errors.push(createCompilerDiagnostic(Diagnostics.Locale_must_be_of_the_form_language_or_language_territory_For_example_0_or_1, "en", "ja-jp"));
          }
          return;
        }
        const language = matchResult[1];
        const territory = matchResult[3];
        if (contains(supportedLocaleDirectories, lowerCaseLocale) && !trySetLanguageAndTerritory(language, territory, errors)) {
          trySetLanguageAndTerritory(
            language,
            /*territory*/
            void 0,
            errors
          );
        }
        setUILocale(locale);
        function trySetLanguageAndTerritory(language2, territory2, errors2) {
          const compilerFilePath = normalizePath(sys2.getExecutingFilePath());
          const containingDirectoryPath = getDirectoryPath(compilerFilePath);
          let filePath = combinePaths(containingDirectoryPath, language2);
          if (territory2) {
            filePath = filePath + "-" + territory2;
          }
          filePath = sys2.resolvePath(combinePaths(filePath, "diagnosticMessages.generated.json"));
          if (!sys2.fileExists(filePath)) {
            return false;
          }
          let fileContents = "";
          try {
            fileContents = sys2.readFile(filePath);
          } catch (e) {
            if (errors2) {
              errors2.push(createCompilerDiagnostic(Diagnostics.Unable_to_open_file_0, filePath));
            }
            return false;
          }
          try {
            setLocalizedDiagnosticMessages(JSON.parse(fileContents));
          } catch {
            if (errors2) {
              errors2.push(createCompilerDiagnostic(Diagnostics.Corrupted_locale_file_0, filePath));
            }
            return false;
          }
          return true;
        }
      }
      function getOriginalNode(node, nodeTest) {
        if (node) {
          while (node.original !== void 0) {
            node = node.original;
          }
        }
        if (!node || !nodeTest) {
          return node;
        }
        return nodeTest(node) ? node : void 0;
      }
      function findAncestor(node, callback) {
        while (node) {
          const result = callback(node);
          if (result === "quit") {
            return void 0;
          } else if (result) {
            return node;
          }
          node = node.parent;
        }
        return void 0;
      }
      function isParseTreeNode(node) {
        return (node.flags & 16) === 0;
      }
      function getParseTreeNode(node, nodeTest) {
        if (node === void 0 || isParseTreeNode(node)) {
          return node;
        }
        node = node.original;
        while (node) {
          if (isParseTreeNode(node)) {
            return !nodeTest || nodeTest(node) ? node : void 0;
          }
          node = node.original;
        }
      }
      function escapeLeadingUnderscores(identifier) {
        return identifier.length >= 2 && identifier.charCodeAt(0) === 95 && identifier.charCodeAt(1) === 95 ? "_" + identifier : identifier;
      }
      function unescapeLeadingUnderscores(identifier) {
        const id = identifier;
        return id.length >= 3 && id.charCodeAt(0) === 95 && id.charCodeAt(1) === 95 && id.charCodeAt(2) === 95 ? id.substr(1) : id;
      }
      function idText(identifierOrPrivateName) {
        return unescapeLeadingUnderscores(identifierOrPrivateName.escapedText);
      }
      function identifierToKeywordKind(node) {
        const token = stringToToken(node.escapedText);
        return token ? tryCast(token, isKeyword2) : void 0;
      }
      function symbolName(symbol) {
        if (symbol.valueDeclaration && isPrivateIdentifierClassElementDeclaration(symbol.valueDeclaration)) {
          return idText(symbol.valueDeclaration.name);
        }
        return unescapeLeadingUnderscores(symbol.escapedName);
      }
      function nameForNamelessJSDocTypedef(declaration) {
        const hostNode = declaration.parent.parent;
        if (!hostNode) {
          return void 0;
        }
        if (isDeclaration(hostNode)) {
          return getDeclarationIdentifier(hostNode);
        }
        switch (hostNode.kind) {
          case 243:
            if (hostNode.declarationList && hostNode.declarationList.declarations[0]) {
              return getDeclarationIdentifier(hostNode.declarationList.declarations[0]);
            }
            break;
          case 244:
            let expr = hostNode.expression;
            if (expr.kind === 226 && expr.operatorToken.kind === 64) {
              expr = expr.left;
            }
            switch (expr.kind) {
              case 211:
                return expr.name;
              case 212:
                const arg = expr.argumentExpression;
                if (isIdentifier(arg)) {
                  return arg;
                }
            }
            break;
          case 217: {
            return getDeclarationIdentifier(hostNode.expression);
          }
          case 256: {
            if (isDeclaration(hostNode.statement) || isExpression(hostNode.statement)) {
              return getDeclarationIdentifier(hostNode.statement);
            }
            break;
          }
        }
      }
      function getDeclarationIdentifier(node) {
        const name = getNameOfDeclaration(node);
        return name && isIdentifier(name) ? name : void 0;
      }
      function nodeHasName(statement, name) {
        if (isNamedDeclaration(statement) && isIdentifier(statement.name) && idText(statement.name) === idText(name)) {
          return true;
        }
        if (isVariableStatement(statement) && some(statement.declarationList.declarations, (d) => nodeHasName(d, name))) {
          return true;
        }
        return false;
      }
      function getNameOfJSDocTypedef(declaration) {
        return declaration.name || nameForNamelessJSDocTypedef(declaration);
      }
      function isNamedDeclaration(node) {
        return !!node.name;
      }
      function getNonAssignedNameOfDeclaration(declaration) {
        switch (declaration.kind) {
          case 80:
            return declaration;
          case 348:
          case 341: {
            const { name } = declaration;
            if (name.kind === 166) {
              return name.right;
            }
            break;
          }
          case 213:
          case 226: {
            const expr2 = declaration;
            switch (getAssignmentDeclarationKind(expr2)) {
              case 1:
              case 4:
              case 5:
              case 3:
                return getElementOrPropertyAccessArgumentExpressionOrName(expr2.left);
              case 7:
              case 8:
              case 9:
                return expr2.arguments[1];
              default:
                return void 0;
            }
          }
          case 346:
            return getNameOfJSDocTypedef(declaration);
          case 340:
            return nameForNamelessJSDocTypedef(declaration);
          case 277: {
            const { expression } = declaration;
            return isIdentifier(expression) ? expression : void 0;
          }
          case 212:
            const expr = declaration;
            if (isBindableStaticElementAccessExpression(expr)) {
              return expr.argumentExpression;
            }
        }
        return declaration.name;
      }
      function getNameOfDeclaration(declaration) {
        if (declaration === void 0) return void 0;
        return getNonAssignedNameOfDeclaration(declaration) || (isFunctionExpression(declaration) || isArrowFunction(declaration) || isClassExpression(declaration) ? getAssignedName(declaration) : void 0);
      }
      function getAssignedName(node) {
        if (!node.parent) {
          return void 0;
        } else if (isPropertyAssignment(node.parent) || isBindingElement(node.parent)) {
          return node.parent.name;
        } else if (isBinaryExpression(node.parent) && node === node.parent.right) {
          if (isIdentifier(node.parent.left)) {
            return node.parent.left;
          } else if (isAccessExpression(node.parent.left)) {
            return getElementOrPropertyAccessArgumentExpressionOrName(node.parent.left);
          }
        } else if (isVariableDeclaration(node.parent) && isIdentifier(node.parent.name)) {
          return node.parent.name;
        }
      }
      function getDecorators(node) {
        if (hasDecorators(node)) {
          return filter(node.modifiers, isDecorator);
        }
      }
      function getModifiers(node) {
        if (hasSyntacticModifier(
          node,
          98303
          /* Modifier */
        )) {
          return filter(node.modifiers, isModifier);
        }
      }
      function getJSDocParameterTagsWorker(param, noCache) {
        if (param.name) {
          if (isIdentifier(param.name)) {
            const name = param.name.escapedText;
            return getJSDocTagsWorker(param.parent, noCache).filter((tag) => isJSDocParameterTag(tag) && isIdentifier(tag.name) && tag.name.escapedText === name);
          } else {
            const i = param.parent.parameters.indexOf(param);
            Debug.assert(i > -1, "Parameters should always be in their parents' parameter list");
            const paramTags = getJSDocTagsWorker(param.parent, noCache).filter(isJSDocParameterTag);
            if (i < paramTags.length) {
              return [paramTags[i]];
            }
          }
        }
        return emptyArray;
      }
      function getJSDocParameterTags(param) {
        return getJSDocParameterTagsWorker(
          param,
          /*noCache*/
          false
        );
      }
      function getJSDocParameterTagsNoCache(param) {
        return getJSDocParameterTagsWorker(
          param,
          /*noCache*/
          true
        );
      }
      function getJSDocTypeParameterTagsWorker(param, noCache) {
        const name = param.name.escapedText;
        return getJSDocTagsWorker(param.parent, noCache).filter((tag) => isJSDocTemplateTag(tag) && tag.typeParameters.some((tp) => tp.name.escapedText === name));
      }
      function getJSDocTypeParameterTags(param) {
        return getJSDocTypeParameterTagsWorker(
          param,
          /*noCache*/
          false
        );
      }
      function getJSDocTypeParameterTagsNoCache(param) {
        return getJSDocTypeParameterTagsWorker(
          param,
          /*noCache*/
          true
        );
      }
      function hasJSDocParameterTags(node) {
        return !!getFirstJSDocTag(node, isJSDocParameterTag);
      }
      function getJSDocAugmentsTag(node) {
        return getFirstJSDocTag(node, isJSDocAugmentsTag);
      }
      function getJSDocImplementsTags(node) {
        return getAllJSDocTags(node, isJSDocImplementsTag);
      }
      function getJSDocClassTag(node) {
        return getFirstJSDocTag(node, isJSDocClassTag);
      }
      function getJSDocPublicTag(node) {
        return getFirstJSDocTag(node, isJSDocPublicTag);
      }
      function getJSDocPublicTagNoCache(node) {
        return getFirstJSDocTag(
          node,
          isJSDocPublicTag,
          /*noCache*/
          true
        );
      }
      function getJSDocPrivateTag(node) {
        return getFirstJSDocTag(node, isJSDocPrivateTag);
      }
      function getJSDocPrivateTagNoCache(node) {
        return getFirstJSDocTag(
          node,
          isJSDocPrivateTag,
          /*noCache*/
          true
        );
      }
      function getJSDocProtectedTag(node) {
        return getFirstJSDocTag(node, isJSDocProtectedTag);
      }
      function getJSDocProtectedTagNoCache(node) {
        return getFirstJSDocTag(
          node,
          isJSDocProtectedTag,
          /*noCache*/
          true
        );
      }
      function getJSDocReadonlyTag(node) {
        return getFirstJSDocTag(node, isJSDocReadonlyTag);
      }
      function getJSDocReadonlyTagNoCache(node) {
        return getFirstJSDocTag(
          node,
          isJSDocReadonlyTag,
          /*noCache*/
          true
        );
      }
      function getJSDocOverrideTagNoCache(node) {
        return getFirstJSDocTag(
          node,
          isJSDocOverrideTag,
          /*noCache*/
          true
        );
      }
      function getJSDocDeprecatedTag(node) {
        return getFirstJSDocTag(node, isJSDocDeprecatedTag);
      }
      function getJSDocDeprecatedTagNoCache(node) {
        return getFirstJSDocTag(
          node,
          isJSDocDeprecatedTag,
          /*noCache*/
          true
        );
      }
      function getJSDocEnumTag(node) {
        return getFirstJSDocTag(node, isJSDocEnumTag);
      }
      function getJSDocThisTag(node) {
        return getFirstJSDocTag(node, isJSDocThisTag);
      }
      function getJSDocReturnTag(node) {
        return getFirstJSDocTag(node, isJSDocReturnTag);
      }
      function getJSDocTemplateTag(node) {
        return getFirstJSDocTag(node, isJSDocTemplateTag);
      }
      function getJSDocSatisfiesTag(node) {
        return getFirstJSDocTag(node, isJSDocSatisfiesTag);
      }
      function getJSDocTypeTag(node) {
        const tag = getFirstJSDocTag(node, isJSDocTypeTag);
        if (tag && tag.typeExpression && tag.typeExpression.type) {
          return tag;
        }
        return void 0;
      }
      function getJSDocType(node) {
        let tag = getFirstJSDocTag(node, isJSDocTypeTag);
        if (!tag && isParameter(node)) {
          tag = find(getJSDocParameterTags(node), (tag2) => !!tag2.typeExpression);
        }
        return tag && tag.typeExpression && tag.typeExpression.type;
      }
      function getJSDocReturnType(node) {
        const returnTag = getJSDocReturnTag(node);
        if (returnTag && returnTag.typeExpression) {
          return returnTag.typeExpression.type;
        }
        const typeTag = getJSDocTypeTag(node);
        if (typeTag && typeTag.typeExpression) {
          const type = typeTag.typeExpression.type;
          if (isTypeLiteralNode(type)) {
            const sig = find(type.members, isCallSignatureDeclaration);
            return sig && sig.type;
          }
          if (isFunctionTypeNode(type) || isJSDocFunctionType(type)) {
            return type.type;
          }
        }
      }
      function getJSDocTagsWorker(node, noCache) {
        var _a;
        if (!canHaveJSDoc(node)) return emptyArray;
        let tags = (_a = node.jsDoc) == null ? void 0 : _a.jsDocCache;
        if (tags === void 0 || noCache) {
          const comments = getJSDocCommentsAndTags(node, noCache);
          Debug.assert(comments.length < 2 || comments[0] !== comments[1]);
          tags = flatMap(comments, (j) => isJSDoc(j) ? j.tags : j);
          if (!noCache) {
            node.jsDoc ?? (node.jsDoc = []);
            node.jsDoc.jsDocCache = tags;
          }
        }
        return tags;
      }
      function getJSDocTags(node) {
        return getJSDocTagsWorker(
          node,
          /*noCache*/
          false
        );
      }
      function getJSDocTagsNoCache(node) {
        return getJSDocTagsWorker(
          node,
          /*noCache*/
          true
        );
      }
      function getFirstJSDocTag(node, predicate, noCache) {
        return find(getJSDocTagsWorker(node, noCache), predicate);
      }
      function getAllJSDocTags(node, predicate) {
        return getJSDocTags(node).filter(predicate);
      }
      function getAllJSDocTagsOfKind(node, kind) {
        return getJSDocTags(node).filter((doc) => doc.kind === kind);
      }
      function getTextOfJSDocComment(comment) {
        return typeof comment === "string" ? comment : comment == null ? void 0 : comment.map((c) => c.kind === 321 ? c.text : formatJSDocLink(c)).join("");
      }
      function formatJSDocLink(link) {
        const kind = link.kind === 324 ? "link" : link.kind === 325 ? "linkcode" : "linkplain";
        const name = link.name ? entityNameToString(link.name) : "";
        const space = link.name && (link.text === "" || link.text.startsWith("://")) ? "" : " ";
        return `{@${kind} ${name}${space}${link.text}}`;
      }
      function getEffectiveTypeParameterDeclarations(node) {
        if (isJSDocSignature(node)) {
          if (isJSDocOverloadTag(node.parent)) {
            const jsDoc = getJSDocRoot(node.parent);
            if (jsDoc && length(jsDoc.tags)) {
              return flatMap(jsDoc.tags, (tag) => isJSDocTemplateTag(tag) ? tag.typeParameters : void 0);
            }
          }
          return emptyArray;
        }
        if (isJSDocTypeAlias(node)) {
          Debug.assert(
            node.parent.kind === 320
            /* JSDoc */
          );
          return flatMap(node.parent.tags, (tag) => isJSDocTemplateTag(tag) ? tag.typeParameters : void 0);
        }
        if (node.typeParameters) {
          return node.typeParameters;
        }
        if (canHaveIllegalTypeParameters(node) && node.typeParameters) {
          return node.typeParameters;
        }
        if (isInJSFile(node)) {
          const decls = getJSDocTypeParameterDeclarations(node);
          if (decls.length) {
            return decls;
          }
          const typeTag = getJSDocType(node);
          if (typeTag && isFunctionTypeNode(typeTag) && typeTag.typeParameters) {
            return typeTag.typeParameters;
          }
        }
        return emptyArray;
      }
      function getEffectiveConstraintOfTypeParameter(node) {
        return node.constraint ? node.constraint : isJSDocTemplateTag(node.parent) && node === node.parent.typeParameters[0] ? node.parent.constraint : void 0;
      }
      function isMemberName(node) {
        return node.kind === 80 || node.kind === 81;
      }
      function isGetOrSetAccessorDeclaration(node) {
        return node.kind === 178 || node.kind === 177;
      }
      function isPropertyAccessChain(node) {
        return isPropertyAccessExpression(node) && !!(node.flags & 64);
      }
      function isElementAccessChain(node) {
        return isElementAccessExpression(node) && !!(node.flags & 64);
      }
      function isCallChain(node) {
        return isCallExpression2(node) && !!(node.flags & 64);
      }
      function isOptionalChain(node) {
        const kind = node.kind;
        return !!(node.flags & 64) && (kind === 211 || kind === 212 || kind === 213 || kind === 235);
      }
      function isOptionalChainRoot(node) {
        return isOptionalChain(node) && !isNonNullExpression(node) && !!node.questionDotToken;
      }
      function isExpressionOfOptionalChainRoot(node) {
        return isOptionalChainRoot(node.parent) && node.parent.expression === node;
      }
      function isOutermostOptionalChain(node) {
        return !isOptionalChain(node.parent) || isOptionalChainRoot(node.parent) || node !== node.parent.expression;
      }
      function isNullishCoalesce(node) {
        return node.kind === 226 && node.operatorToken.kind === 61;
      }
      function isConstTypeReference(node) {
        return isTypeReferenceNode(node) && isIdentifier(node.typeName) && node.typeName.escapedText === "const" && !node.typeArguments;
      }
      function skipPartiallyEmittedExpressions(node) {
        return skipOuterExpressions(
          node,
          8
          /* PartiallyEmittedExpressions */
        );
      }
      function isNonNullChain(node) {
        return isNonNullExpression(node) && !!(node.flags & 64);
      }
      function isBreakOrContinueStatement(node) {
        return node.kind === 252 || node.kind === 251;
      }
      function isNamedExportBindings(node) {
        return node.kind === 280 || node.kind === 279;
      }
      function isJSDocPropertyLikeTag(node) {
        return node.kind === 348 || node.kind === 341;
      }
      function isNode2(node) {
        return isNodeKind(node.kind);
      }
      function isNodeKind(kind) {
        return kind >= 166;
      }
      function isTokenKind(kind) {
        return kind >= 0 && kind <= 165;
      }
      function isToken(n) {
        return isTokenKind(n.kind);
      }
      function isNodeArray(array) {
        return hasProperty(array, "pos") && hasProperty(array, "end");
      }
      function isLiteralKind(kind) {
        return 9 <= kind && kind <= 15;
      }
      function isLiteralExpression(node) {
        return isLiteralKind(node.kind);
      }
      function isLiteralExpressionOfObject(node) {
        switch (node.kind) {
          case 210:
          case 209:
          case 14:
          case 218:
          case 231:
            return true;
        }
        return false;
      }
      function isTemplateLiteralKind(kind) {
        return 15 <= kind && kind <= 18;
      }
      function isTemplateLiteralToken(node) {
        return isTemplateLiteralKind(node.kind);
      }
      function isTemplateMiddleOrTemplateTail(node) {
        const kind = node.kind;
        return kind === 17 || kind === 18;
      }
      function isImportOrExportSpecifier(node) {
        return isImportSpecifier(node) || isExportSpecifier(node);
      }
      function isTypeOnlyImportDeclaration(node) {
        switch (node.kind) {
          case 276:
            return node.isTypeOnly || node.parent.parent.isTypeOnly;
          case 274:
            return node.parent.isTypeOnly;
          case 273:
          case 271:
            return node.isTypeOnly;
        }
        return false;
      }
      function isTypeOnlyExportDeclaration(node) {
        switch (node.kind) {
          case 281:
            return node.isTypeOnly || node.parent.parent.isTypeOnly;
          case 278:
            return node.isTypeOnly && !!node.moduleSpecifier && !node.exportClause;
          case 280:
            return node.parent.isTypeOnly;
        }
        return false;
      }
      function isTypeOnlyImportOrExportDeclaration(node) {
        return isTypeOnlyImportDeclaration(node) || isTypeOnlyExportDeclaration(node);
      }
      function isStringTextContainingNode(node) {
        return node.kind === 11 || isTemplateLiteralKind(node.kind);
      }
      function isImportAttributeName(node) {
        return isStringLiteral2(node) || isIdentifier(node);
      }
      function isGeneratedIdentifier(node) {
        var _a;
        return isIdentifier(node) && ((_a = node.emitNode) == null ? void 0 : _a.autoGenerate) !== void 0;
      }
      function isGeneratedPrivateIdentifier(node) {
        var _a;
        return isPrivateIdentifier(node) && ((_a = node.emitNode) == null ? void 0 : _a.autoGenerate) !== void 0;
      }
      function isFileLevelReservedGeneratedIdentifier(node) {
        const flags = node.emitNode.autoGenerate.flags;
        return !!(flags & 32) && !!(flags & 16) && !!(flags & 8);
      }
      function isPrivateIdentifierClassElementDeclaration(node) {
        return (isPropertyDeclaration(node) || isMethodOrAccessor(node)) && isPrivateIdentifier(node.name);
      }
      function isPrivateIdentifierPropertyAccessExpression(node) {
        return isPropertyAccessExpression(node) && isPrivateIdentifier(node.name);
      }
      function isModifierKind(token) {
        switch (token) {
          case 128:
          case 129:
          case 134:
          case 87:
          case 138:
          case 90:
          case 95:
          case 103:
          case 125:
          case 123:
          case 124:
          case 148:
          case 126:
          case 147:
          case 164:
            return true;
        }
        return false;
      }
      function isParameterPropertyModifier(kind) {
        return !!(modifierToFlag(kind) & 31);
      }
      function isClassMemberModifier(idToken) {
        return isParameterPropertyModifier(idToken) || idToken === 126 || idToken === 164 || idToken === 129;
      }
      function isModifier(node) {
        return isModifierKind(node.kind);
      }
      function isEntityName(node) {
        const kind = node.kind;
        return kind === 166 || kind === 80;
      }
      function isPropertyName(node) {
        const kind = node.kind;
        return kind === 80 || kind === 81 || kind === 11 || kind === 9 || kind === 167;
      }
      function isBindingName(node) {
        const kind = node.kind;
        return kind === 80 || kind === 206 || kind === 207;
      }
      function isFunctionLike(node) {
        return !!node && isFunctionLikeKind(node.kind);
      }
      function isFunctionLikeOrClassStaticBlockDeclaration(node) {
        return !!node && (isFunctionLikeKind(node.kind) || isClassStaticBlockDeclaration(node));
      }
      function isFunctionLikeDeclaration(node) {
        return node && isFunctionLikeDeclarationKind(node.kind);
      }
      function isBooleanLiteral(node) {
        return node.kind === 112 || node.kind === 97;
      }
      function isFunctionLikeDeclarationKind(kind) {
        switch (kind) {
          case 262:
          case 174:
          case 176:
          case 177:
          case 178:
          case 218:
          case 219:
            return true;
          default:
            return false;
        }
      }
      function isFunctionLikeKind(kind) {
        switch (kind) {
          case 173:
          case 179:
          case 323:
          case 180:
          case 181:
          case 184:
          case 317:
          case 185:
            return true;
          default:
            return isFunctionLikeDeclarationKind(kind);
        }
      }
      function isFunctionOrModuleBlock(node) {
        return isSourceFile(node) || isModuleBlock(node) || isBlock(node) && isFunctionLike(node.parent);
      }
      function isClassElement(node) {
        const kind = node.kind;
        return kind === 176 || kind === 172 || kind === 174 || kind === 177 || kind === 178 || kind === 181 || kind === 175 || kind === 240;
      }
      function isClassLike(node) {
        return node && (node.kind === 263 || node.kind === 231);
      }
      function isAccessor(node) {
        return node && (node.kind === 177 || node.kind === 178);
      }
      function isAutoAccessorPropertyDeclaration(node) {
        return isPropertyDeclaration(node) && hasAccessorModifier(node);
      }
      function isClassInstanceProperty(node) {
        if (isInJSFile(node) && isExpandoPropertyDeclaration(node)) {
          return (!isBindableStaticAccessExpression(node) || !isPrototypeAccess(node.expression)) && !isBindableStaticNameExpression(
            node,
            /*excludeThisKeyword*/
            true
          );
        }
        return node.parent && isClassLike(node.parent) && isPropertyDeclaration(node) && !hasAccessorModifier(node);
      }
      function isMethodOrAccessor(node) {
        switch (node.kind) {
          case 174:
          case 177:
          case 178:
            return true;
          default:
            return false;
        }
      }
      function isNamedClassElement(node) {
        switch (node.kind) {
          case 174:
          case 177:
          case 178:
          case 172:
            return true;
          default:
            return false;
        }
      }
      function isModifierLike(node) {
        return isModifier(node) || isDecorator(node);
      }
      function isTypeElement(node) {
        const kind = node.kind;
        return kind === 180 || kind === 179 || kind === 171 || kind === 173 || kind === 181 || kind === 177 || kind === 178;
      }
      function isClassOrTypeElement(node) {
        return isTypeElement(node) || isClassElement(node);
      }
      function isObjectLiteralElementLike(node) {
        const kind = node.kind;
        return kind === 303 || kind === 304 || kind === 305 || kind === 174 || kind === 177 || kind === 178;
      }
      function isTypeNode(node) {
        return isTypeNodeKind(node.kind);
      }
      function isFunctionOrConstructorTypeNode(node) {
        switch (node.kind) {
          case 184:
          case 185:
            return true;
        }
        return false;
      }
      function isBindingPattern(node) {
        if (node) {
          const kind = node.kind;
          return kind === 207 || kind === 206;
        }
        return false;
      }
      function isAssignmentPattern(node) {
        const kind = node.kind;
        return kind === 209 || kind === 210;
      }
      function isArrayBindingElement(node) {
        const kind = node.kind;
        return kind === 208 || kind === 232;
      }
      function isDeclarationBindingElement(bindingElement) {
        switch (bindingElement.kind) {
          case 260:
          case 169:
          case 208:
            return true;
        }
        return false;
      }
      function isBindingOrAssignmentElement(node) {
        return isVariableDeclaration(node) || isParameter(node) || isObjectBindingOrAssignmentElement(node) || isArrayBindingOrAssignmentElement(node);
      }
      function isBindingOrAssignmentPattern(node) {
        return isObjectBindingOrAssignmentPattern(node) || isArrayBindingOrAssignmentPattern(node);
      }
      function isObjectBindingOrAssignmentPattern(node) {
        switch (node.kind) {
          case 206:
          case 210:
            return true;
        }
        return false;
      }
      function isObjectBindingOrAssignmentElement(node) {
        switch (node.kind) {
          case 208:
          case 303:
          case 304:
          case 305:
            return true;
        }
        return false;
      }
      function isArrayBindingOrAssignmentPattern(node) {
        switch (node.kind) {
          case 207:
          case 209:
            return true;
        }
        return false;
      }
      function isArrayBindingOrAssignmentElement(node) {
        switch (node.kind) {
          case 208:
          case 232:
          case 230:
          case 209:
          case 210:
          case 80:
          case 211:
          case 212:
            return true;
        }
        return isAssignmentExpression2(
          node,
          /*excludeCompoundAssignment*/
          true
        );
      }
      function isPropertyAccessOrQualifiedNameOrImportTypeNode(node) {
        const kind = node.kind;
        return kind === 211 || kind === 166 || kind === 205;
      }
      function isPropertyAccessOrQualifiedName(node) {
        const kind = node.kind;
        return kind === 211 || kind === 166;
      }
      function isCallLikeOrFunctionLikeExpression(node) {
        return isCallLikeExpression(node) || isFunctionExpressionOrArrowFunction(node);
      }
      function isCallLikeExpression(node) {
        switch (node.kind) {
          case 286:
          case 285:
          case 213:
          case 214:
          case 215:
          case 170:
            return true;
          default:
            return false;
        }
      }
      function isCallOrNewExpression2(node) {
        return node.kind === 213 || node.kind === 214;
      }
      function isTemplateLiteral(node) {
        const kind = node.kind;
        return kind === 228 || kind === 15;
      }
      function isLeftHandSideExpression(node) {
        return isLeftHandSideExpressionKind(skipPartiallyEmittedExpressions(node).kind);
      }
      function isLeftHandSideExpressionKind(kind) {
        switch (kind) {
          case 211:
          case 212:
          case 214:
          case 213:
          case 284:
          case 285:
          case 288:
          case 215:
          case 209:
          case 217:
          case 210:
          case 231:
          case 218:
          case 80:
          case 81:
          case 14:
          case 9:
          case 10:
          case 11:
          case 15:
          case 228:
          case 97:
          case 106:
          case 110:
          case 112:
          case 108:
          case 235:
          case 233:
          case 236:
          case 102:
          case 282:
            return true;
          default:
            return false;
        }
      }
      function isUnaryExpression(node) {
        return isUnaryExpressionKind(skipPartiallyEmittedExpressions(node).kind);
      }
      function isUnaryExpressionKind(kind) {
        switch (kind) {
          case 224:
          case 225:
          case 220:
          case 221:
          case 222:
          case 223:
          case 216:
            return true;
          default:
            return isLeftHandSideExpressionKind(kind);
        }
      }
      function isUnaryExpressionWithWrite(expr) {
        switch (expr.kind) {
          case 225:
            return true;
          case 224:
            return expr.operator === 46 || expr.operator === 47;
          default:
            return false;
        }
      }
      function isLiteralTypeLiteral(node) {
        switch (node.kind) {
          case 106:
          case 112:
          case 97:
          case 224:
            return true;
          default:
            return isLiteralExpression(node);
        }
      }
      function isExpression(node) {
        return isExpressionKind(skipPartiallyEmittedExpressions(node).kind);
      }
      function isExpressionKind(kind) {
        switch (kind) {
          case 227:
          case 229:
          case 219:
          case 226:
          case 230:
          case 234:
          case 232:
          case 355:
          case 354:
          case 238:
            return true;
          default:
            return isUnaryExpressionKind(kind);
        }
      }
      function isAssertionExpression(node) {
        const kind = node.kind;
        return kind === 216 || kind === 234;
      }
      function isNotEmittedOrPartiallyEmittedNode(node) {
        return isNotEmittedStatement(node) || isPartiallyEmittedExpression(node);
      }
      function isIterationStatement(node, lookInLabeledStatements) {
        switch (node.kind) {
          case 248:
          case 249:
          case 250:
          case 246:
          case 247:
            return true;
          case 256:
            return lookInLabeledStatements && isIterationStatement(node.statement, lookInLabeledStatements);
        }
        return false;
      }
      function isScopeMarker(node) {
        return isExportAssignment(node) || isExportDeclaration(node);
      }
      function hasScopeMarker(statements) {
        return some(statements, isScopeMarker);
      }
      function needsScopeMarker(result) {
        return !isAnyImportOrReExport(result) && !isExportAssignment(result) && !hasSyntacticModifier(
          result,
          32
          /* Export */
        ) && !isAmbientModule(result);
      }
      function isExternalModuleIndicator(result) {
        return isAnyImportOrReExport(result) || isExportAssignment(result) || hasSyntacticModifier(
          result,
          32
          /* Export */
        );
      }
      function isForInOrOfStatement(node) {
        return node.kind === 249 || node.kind === 250;
      }
      function isConciseBody(node) {
        return isBlock(node) || isExpression(node);
      }
      function isFunctionBody(node) {
        return isBlock(node);
      }
      function isForInitializer(node) {
        return isVariableDeclarationList(node) || isExpression(node);
      }
      function isModuleBody(node) {
        const kind = node.kind;
        return kind === 268 || kind === 267 || kind === 80;
      }
      function isNamespaceBody(node) {
        const kind = node.kind;
        return kind === 268 || kind === 267;
      }
      function isJSDocNamespaceBody(node) {
        const kind = node.kind;
        return kind === 80 || kind === 267;
      }
      function isNamedImportBindings(node) {
        const kind = node.kind;
        return kind === 275 || kind === 274;
      }
      function isModuleOrEnumDeclaration(node) {
        return node.kind === 267 || node.kind === 266;
      }
      function canHaveSymbol(node) {
        switch (node.kind) {
          case 219:
          case 226:
          case 208:
          case 213:
          case 179:
          case 263:
          case 231:
          case 175:
          case 176:
          case 185:
          case 180:
          case 212:
          case 266:
          case 306:
          case 277:
          case 278:
          case 281:
          case 262:
          case 218:
          case 184:
          case 177:
          case 80:
          case 273:
          case 271:
          case 276:
          case 181:
          case 264:
          case 338:
          case 340:
          case 317:
          case 341:
          case 348:
          case 323:
          case 346:
          case 322:
          case 291:
          case 292:
          case 293:
          case 200:
          case 174:
          case 173:
          case 267:
          case 202:
          case 280:
          case 270:
          case 274:
          case 214:
          case 15:
          case 9:
          case 210:
          case 169:
          case 211:
          case 303:
          case 172:
          case 171:
          case 178:
          case 304:
          case 307:
          case 305:
          case 11:
          case 265:
          case 187:
          case 168:
          case 260:
            return true;
          default:
            return false;
        }
      }
      function canHaveLocals(node) {
        switch (node.kind) {
          case 219:
          case 241:
          case 179:
          case 269:
          case 299:
          case 175:
          case 194:
          case 176:
          case 185:
          case 180:
          case 248:
          case 249:
          case 250:
          case 262:
          case 218:
          case 184:
          case 177:
          case 181:
          case 338:
          case 340:
          case 317:
          case 323:
          case 346:
          case 200:
          case 174:
          case 173:
          case 267:
          case 178:
          case 307:
          case 265:
            return true;
          default:
            return false;
        }
      }
      function isDeclarationKind(kind) {
        return kind === 219 || kind === 208 || kind === 263 || kind === 231 || kind === 175 || kind === 176 || kind === 266 || kind === 306 || kind === 281 || kind === 262 || kind === 218 || kind === 177 || kind === 273 || kind === 271 || kind === 276 || kind === 264 || kind === 291 || kind === 174 || kind === 173 || kind === 267 || kind === 270 || kind === 274 || kind === 280 || kind === 169 || kind === 303 || kind === 172 || kind === 171 || kind === 178 || kind === 304 || kind === 265 || kind === 168 || kind === 260 || kind === 346 || kind === 338 || kind === 348 || kind === 202;
      }
      function isDeclarationStatementKind(kind) {
        return kind === 262 || kind === 282 || kind === 263 || kind === 264 || kind === 265 || kind === 266 || kind === 267 || kind === 272 || kind === 271 || kind === 278 || kind === 277 || kind === 270;
      }
      function isStatementKindButNotDeclarationKind(kind) {
        return kind === 252 || kind === 251 || kind === 259 || kind === 246 || kind === 244 || kind === 242 || kind === 249 || kind === 250 || kind === 248 || kind === 245 || kind === 256 || kind === 253 || kind === 255 || kind === 257 || kind === 258 || kind === 243 || kind === 247 || kind === 254 || kind === 353;
      }
      function isDeclaration(node) {
        if (node.kind === 168) {
          return node.parent && node.parent.kind !== 345 || isInJSFile(node);
        }
        return isDeclarationKind(node.kind);
      }
      function isDeclarationStatement(node) {
        return isDeclarationStatementKind(node.kind);
      }
      function isStatementButNotDeclaration(node) {
        return isStatementKindButNotDeclarationKind(node.kind);
      }
      function isStatement(node) {
        const kind = node.kind;
        return isStatementKindButNotDeclarationKind(kind) || isDeclarationStatementKind(kind) || isBlockStatement(node);
      }
      function isBlockStatement(node) {
        if (node.kind !== 241) return false;
        if (node.parent !== void 0) {
          if (node.parent.kind === 258 || node.parent.kind === 299) {
            return false;
          }
        }
        return !isFunctionBlock(node);
      }
      function isStatementOrBlock(node) {
        const kind = node.kind;
        return isStatementKindButNotDeclarationKind(kind) || isDeclarationStatementKind(kind) || kind === 241;
      }
      function isModuleReference(node) {
        const kind = node.kind;
        return kind === 283 || kind === 166 || kind === 80;
      }
      function isJsxTagNameExpression(node) {
        const kind = node.kind;
        return kind === 110 || kind === 80 || kind === 211 || kind === 295;
      }
      function isJsxChild(node) {
        const kind = node.kind;
        return kind === 284 || kind === 294 || kind === 285 || kind === 12 || kind === 288;
      }
      function isJsxAttributeLike(node) {
        const kind = node.kind;
        return kind === 291 || kind === 293;
      }
      function isStringLiteralOrJsxExpression(node) {
        const kind = node.kind;
        return kind === 11 || kind === 294;
      }
      function isJsxOpeningLikeElement(node) {
        const kind = node.kind;
        return kind === 286 || kind === 285;
      }
      function isCaseOrDefaultClause(node) {
        const kind = node.kind;
        return kind === 296 || kind === 297;
      }
      function isJSDocNode(node) {
        return node.kind >= 309 && node.kind <= 351;
      }
      function isJSDocCommentContainingNode(node) {
        return node.kind === 320 || node.kind === 319 || node.kind === 321 || isJSDocLinkLike(node) || isJSDocTag(node) || isJSDocTypeLiteral(node) || isJSDocSignature(node);
      }
      function isJSDocTag(node) {
        return node.kind >= 327 && node.kind <= 351;
      }
      function isSetAccessor(node) {
        return node.kind === 178;
      }
      function isGetAccessor(node) {
        return node.kind === 177;
      }
      function hasJSDocNodes(node) {
        if (!canHaveJSDoc(node)) return false;
        const { jsDoc } = node;
        return !!jsDoc && jsDoc.length > 0;
      }
      function hasType(node) {
        return !!node.type;
      }
      function hasInitializer(node) {
        return !!node.initializer;
      }
      function hasOnlyExpressionInitializer(node) {
        switch (node.kind) {
          case 260:
          case 169:
          case 208:
          case 172:
          case 303:
          case 306:
            return true;
          default:
            return false;
        }
      }
      function isObjectLiteralElement(node) {
        return node.kind === 291 || node.kind === 293 || isObjectLiteralElementLike(node);
      }
      function isTypeReferenceType(node) {
        return node.kind === 183 || node.kind === 233;
      }
      var MAX_SMI_X86 = 1073741823;
      function guessIndentation(lines) {
        let indentation = MAX_SMI_X86;
        for (const line of lines) {
          if (!line.length) {
            continue;
          }
          let i = 0;
          for (; i < line.length && i < indentation; i++) {
            if (!isWhiteSpaceLike(line.charCodeAt(i))) {
              break;
            }
          }
          if (i < indentation) {
            indentation = i;
          }
          if (indentation === 0) {
            return 0;
          }
        }
        return indentation === MAX_SMI_X86 ? void 0 : indentation;
      }
      function isStringLiteralLike(node) {
        return node.kind === 11 || node.kind === 15;
      }
      function isJSDocLinkLike(node) {
        return node.kind === 324 || node.kind === 325 || node.kind === 326;
      }
      function hasRestParameter(s) {
        const last2 = lastOrUndefined(s.parameters);
        return !!last2 && isRestParameter(last2);
      }
      function isRestParameter(node) {
        const type = isJSDocParameterTag(node) ? node.typeExpression && node.typeExpression.type : node.type;
        return node.dotDotDotToken !== void 0 || !!type && type.kind === 318;
      }
      function hasInternalAnnotation(range, sourceFile) {
        const comment = sourceFile.text.substring(range.pos, range.end);
        return comment.includes("@internal");
      }
      function isInternalDeclaration(node, sourceFile) {
        sourceFile ?? (sourceFile = getSourceFileOfNode(node));
        const parseTreeNode = getParseTreeNode(node);
        if (parseTreeNode && parseTreeNode.kind === 169) {
          const paramIdx = parseTreeNode.parent.parameters.indexOf(parseTreeNode);
          const previousSibling = paramIdx > 0 ? parseTreeNode.parent.parameters[paramIdx - 1] : void 0;
          const text = sourceFile.text;
          const commentRanges = previousSibling ? concatenate(
            // to handle
            // ... parameters, /** @internal */
            // public param: string
            getTrailingCommentRanges(text, skipTrivia(
              text,
              previousSibling.end + 1,
              /*stopAfterLineBreak*/
              false,
              /*stopAtComments*/
              true
            )),
            getLeadingCommentRanges(text, node.pos)
          ) : getTrailingCommentRanges(text, skipTrivia(
            text,
            node.pos,
            /*stopAfterLineBreak*/
            false,
            /*stopAtComments*/
            true
          ));
          return some(commentRanges) && hasInternalAnnotation(last(commentRanges), sourceFile);
        }
        const leadingCommentRanges = parseTreeNode && getLeadingCommentRangesOfNode(parseTreeNode, sourceFile);
        return !!forEach(leadingCommentRanges, (range) => {
          return hasInternalAnnotation(range, sourceFile);
        });
      }
      var resolvingEmptyArray = [];
      var externalHelpersModuleNameText = "tslib";
      var defaultMaximumTruncationLength = 160;
      var noTruncationMaximumTruncationLength = 1e6;
      function getDeclarationOfKind(symbol, kind) {
        const declarations = symbol.declarations;
        if (declarations) {
          for (const declaration of declarations) {
            if (declaration.kind === kind) {
              return declaration;
            }
          }
        }
        return void 0;
      }
      function getDeclarationsOfKind(symbol, kind) {
        return filter(symbol.declarations || emptyArray, (d) => d.kind === kind);
      }
      function createSymbolTable(symbols) {
        const result = /* @__PURE__ */ new Map();
        if (symbols) {
          for (const symbol of symbols) {
            result.set(symbol.escapedName, symbol);
          }
        }
        return result;
      }
      function isTransientSymbol(symbol) {
        return (symbol.flags & 33554432) !== 0;
      }
      function isExternalModuleSymbol(moduleSymbol) {
        return !!(moduleSymbol.flags & 1536) && moduleSymbol.escapedName.charCodeAt(0) === 34;
      }
      var stringWriter = createSingleLineStringWriter();
      function createSingleLineStringWriter() {
        var str = "";
        const writeText = (text) => str += text;
        return {
          getText: () => str,
          write: writeText,
          rawWrite: writeText,
          writeKeyword: writeText,
          writeOperator: writeText,
          writePunctuation: writeText,
          writeSpace: writeText,
          writeStringLiteral: writeText,
          writeLiteral: writeText,
          writeParameter: writeText,
          writeProperty: writeText,
          writeSymbol: (s, _) => writeText(s),
          writeTrailingSemicolon: writeText,
          writeComment: writeText,
          getTextPos: () => str.length,
          getLine: () => 0,
          getColumn: () => 0,
          getIndent: () => 0,
          isAtStartOfLine: () => false,
          hasTrailingComment: () => false,
          hasTrailingWhitespace: () => !!str.length && isWhiteSpaceLike(str.charCodeAt(str.length - 1)),
          // Completely ignore indentation for string writers.  And map newlines to
          // a single space.
          writeLine: () => str += " ",
          increaseIndent: noop2,
          decreaseIndent: noop2,
          clear: () => str = ""
        };
      }
      function changesAffectModuleResolution(oldOptions, newOptions) {
        return oldOptions.configFilePath !== newOptions.configFilePath || optionsHaveModuleResolutionChanges(oldOptions, newOptions);
      }
      function optionsHaveModuleResolutionChanges(oldOptions, newOptions) {
        return optionsHaveChanges(oldOptions, newOptions, moduleResolutionOptionDeclarations);
      }
      function changesAffectingProgramStructure(oldOptions, newOptions) {
        return optionsHaveChanges(oldOptions, newOptions, optionsAffectingProgramStructure);
      }
      function optionsHaveChanges(oldOptions, newOptions, optionDeclarations2) {
        return oldOptions !== newOptions && optionDeclarations2.some((o) => !isJsonEqual(getCompilerOptionValue(oldOptions, o), getCompilerOptionValue(newOptions, o)));
      }
      function forEachAncestor(node, callback) {
        while (true) {
          const res = callback(node);
          if (res === "quit") return void 0;
          if (res !== void 0) return res;
          if (isSourceFile(node)) return void 0;
          node = node.parent;
        }
      }
      function forEachEntry(map2, callback) {
        const iterator = map2.entries();
        for (const [key, value] of iterator) {
          const result = callback(value, key);
          if (result) {
            return result;
          }
        }
        return void 0;
      }
      function forEachKey(map2, callback) {
        const iterator = map2.keys();
        for (const key of iterator) {
          const result = callback(key);
          if (result) {
            return result;
          }
        }
        return void 0;
      }
      function copyEntries(source, target) {
        source.forEach((value, key) => {
          target.set(key, value);
        });
      }
      function usingSingleLineStringWriter(action) {
        const oldString = stringWriter.getText();
        try {
          action(stringWriter);
          return stringWriter.getText();
        } finally {
          stringWriter.clear();
          stringWriter.writeKeyword(oldString);
        }
      }
      function getFullWidth(node) {
        return node.end - node.pos;
      }
      function projectReferenceIsEqualTo(oldRef, newRef) {
        return oldRef.path === newRef.path && !oldRef.prepend === !newRef.prepend && !oldRef.circular === !newRef.circular;
      }
      function moduleResolutionIsEqualTo(oldResolution, newResolution) {
        return oldResolution === newResolution || oldResolution.resolvedModule === newResolution.resolvedModule || !!oldResolution.resolvedModule && !!newResolution.resolvedModule && oldResolution.resolvedModule.isExternalLibraryImport === newResolution.resolvedModule.isExternalLibraryImport && oldResolution.resolvedModule.extension === newResolution.resolvedModule.extension && oldResolution.resolvedModule.resolvedFileName === newResolution.resolvedModule.resolvedFileName && oldResolution.resolvedModule.originalPath === newResolution.resolvedModule.originalPath && packageIdIsEqual(oldResolution.resolvedModule.packageId, newResolution.resolvedModule.packageId) && oldResolution.alternateResult === newResolution.alternateResult;
      }
      function createModuleNotFoundChain(sourceFile, host, moduleReference, mode, packageName) {
        var _a;
        const alternateResult = (_a = host.getResolvedModule(sourceFile, moduleReference, mode)) == null ? void 0 : _a.alternateResult;
        const alternateResultMessage = alternateResult && (getEmitModuleResolutionKind(host.getCompilerOptions()) === 2 ? [Diagnostics.There_are_types_at_0_but_this_result_could_not_be_resolved_under_your_current_moduleResolution_setting_Consider_updating_to_node16_nodenext_or_bundler, [alternateResult]] : [
          Diagnostics.There_are_types_at_0_but_this_result_could_not_be_resolved_when_respecting_package_json_exports_The_1_library_may_need_to_update_its_package_json_or_typings,
          [alternateResult, alternateResult.includes(nodeModulesPathPart + "@types/") ? `@types/${mangleScopedPackageName(packageName)}` : packageName]
        ]);
        const result = alternateResultMessage ? chainDiagnosticMessages(
          /*details*/
          void 0,
          alternateResultMessage[0],
          ...alternateResultMessage[1]
        ) : host.typesPackageExists(packageName) ? chainDiagnosticMessages(
          /*details*/
          void 0,
          Diagnostics.If_the_0_package_actually_exposes_this_module_consider_sending_a_pull_request_to_amend_https_Colon_Slash_Slashgithub_com_SlashDefinitelyTyped_SlashDefinitelyTyped_Slashtree_Slashmaster_Slashtypes_Slash_1,
          packageName,
          mangleScopedPackageName(packageName)
        ) : host.packageBundlesTypes(packageName) ? chainDiagnosticMessages(
          /*details*/
          void 0,
          Diagnostics.If_the_0_package_actually_exposes_this_module_try_adding_a_new_declaration_d_ts_file_containing_declare_module_1,
          packageName,
          moduleReference
        ) : chainDiagnosticMessages(
          /*details*/
          void 0,
          Diagnostics.Try_npm_i_save_dev_types_Slash_1_if_it_exists_or_add_a_new_declaration_d_ts_file_containing_declare_module_0,
          moduleReference,
          mangleScopedPackageName(packageName)
        );
        if (result) result.repopulateInfo = () => ({ moduleReference, mode, packageName: packageName === moduleReference ? void 0 : packageName });
        return result;
      }
      function packageIdIsEqual(a, b) {
        return a === b || !!a && !!b && a.name === b.name && a.subModuleName === b.subModuleName && a.version === b.version && a.peerDependencies === b.peerDependencies;
      }
      function packageIdToPackageName({ name, subModuleName }) {
        return subModuleName ? `${name}/${subModuleName}` : name;
      }
      function packageIdToString(packageId) {
        return `${packageIdToPackageName(packageId)}@${packageId.version}${packageId.peerDependencies ?? ""}`;
      }
      function typeDirectiveIsEqualTo(oldResolution, newResolution) {
        return oldResolution === newResolution || oldResolution.resolvedTypeReferenceDirective === newResolution.resolvedTypeReferenceDirective || !!oldResolution.resolvedTypeReferenceDirective && !!newResolution.resolvedTypeReferenceDirective && oldResolution.resolvedTypeReferenceDirective.resolvedFileName === newResolution.resolvedTypeReferenceDirective.resolvedFileName && !!oldResolution.resolvedTypeReferenceDirective.primary === !!newResolution.resolvedTypeReferenceDirective.primary && oldResolution.resolvedTypeReferenceDirective.originalPath === newResolution.resolvedTypeReferenceDirective.originalPath;
      }
      function hasChangesInResolutions(names, newResolutions, getOldResolution, comparer) {
        Debug.assert(names.length === newResolutions.length);
        for (let i = 0; i < names.length; i++) {
          const newResolution = newResolutions[i];
          const entry = names[i];
          const oldResolution = getOldResolution(entry);
          const changed = oldResolution ? !newResolution || !comparer(oldResolution, newResolution) : newResolution;
          if (changed) {
            return true;
          }
        }
        return false;
      }
      function containsParseError(node) {
        aggregateChildData(node);
        return (node.flags & 1048576) !== 0;
      }
      function aggregateChildData(node) {
        if (!(node.flags & 2097152)) {
          const thisNodeOrAnySubNodesHasError = (node.flags & 262144) !== 0 || forEachChild(node, containsParseError);
          if (thisNodeOrAnySubNodesHasError) {
            node.flags |= 1048576;
          }
          node.flags |= 2097152;
        }
      }
      function getSourceFileOfNode(node) {
        while (node && node.kind !== 307) {
          node = node.parent;
        }
        return node;
      }
      function getSourceFileOfModule(module22) {
        return getSourceFileOfNode(module22.valueDeclaration || getNonAugmentationDeclaration(module22));
      }
      function isPlainJsFile(file, checkJs) {
        return !!file && (file.scriptKind === 1 || file.scriptKind === 2) && !file.checkJsDirective && checkJs === void 0;
      }
      function isStatementWithLocals(node) {
        switch (node.kind) {
          case 241:
          case 269:
          case 248:
          case 249:
          case 250:
            return true;
        }
        return false;
      }
      function getStartPositionOfLine(line, sourceFile) {
        Debug.assert(line >= 0);
        return getLineStarts(sourceFile)[line];
      }
      function nodePosToString(node) {
        const file = getSourceFileOfNode(node);
        const loc = getLineAndCharacterOfPosition(file, node.pos);
        return `${file.fileName}(${loc.line + 1},${loc.character + 1})`;
      }
      function getEndLinePosition(line, sourceFile) {
        Debug.assert(line >= 0);
        const lineStarts = getLineStarts(sourceFile);
        const lineIndex = line;
        const sourceText = sourceFile.text;
        if (lineIndex + 1 === lineStarts.length) {
          return sourceText.length - 1;
        } else {
          const start = lineStarts[lineIndex];
          let pos = lineStarts[lineIndex + 1] - 1;
          Debug.assert(isLineBreak(sourceText.charCodeAt(pos)));
          while (start <= pos && isLineBreak(sourceText.charCodeAt(pos))) {
            pos--;
          }
          return pos;
        }
      }
      function isFileLevelUniqueName(sourceFile, name, hasGlobalName) {
        return !(hasGlobalName && hasGlobalName(name)) && !sourceFile.identifiers.has(name);
      }
      function nodeIsMissing(node) {
        if (node === void 0) {
          return true;
        }
        return node.pos === node.end && node.pos >= 0 && node.kind !== 1;
      }
      function nodeIsPresent(node) {
        return !nodeIsMissing(node);
      }
      function isGrammarError(parent2, child) {
        if (isTypeParameterDeclaration(parent2)) return child === parent2.expression;
        if (isClassStaticBlockDeclaration(parent2)) return child === parent2.modifiers;
        if (isPropertySignature(parent2)) return child === parent2.initializer;
        if (isPropertyDeclaration(parent2)) return child === parent2.questionToken && isAutoAccessorPropertyDeclaration(parent2);
        if (isPropertyAssignment(parent2)) return child === parent2.modifiers || child === parent2.questionToken || child === parent2.exclamationToken || isGrammarErrorElement(parent2.modifiers, child, isModifierLike);
        if (isShorthandPropertyAssignment(parent2)) return child === parent2.equalsToken || child === parent2.modifiers || child === parent2.questionToken || child === parent2.exclamationToken || isGrammarErrorElement(parent2.modifiers, child, isModifierLike);
        if (isMethodDeclaration(parent2)) return child === parent2.exclamationToken;
        if (isConstructorDeclaration(parent2)) return child === parent2.typeParameters || child === parent2.type || isGrammarErrorElement(parent2.typeParameters, child, isTypeParameterDeclaration);
        if (isGetAccessorDeclaration(parent2)) return child === parent2.typeParameters || isGrammarErrorElement(parent2.typeParameters, child, isTypeParameterDeclaration);
        if (isSetAccessorDeclaration(parent2)) return child === parent2.typeParameters || child === parent2.type || isGrammarErrorElement(parent2.typeParameters, child, isTypeParameterDeclaration);
        if (isNamespaceExportDeclaration(parent2)) return child === parent2.modifiers || isGrammarErrorElement(parent2.modifiers, child, isModifierLike);
        return false;
      }
      function isGrammarErrorElement(nodeArray, child, isElement) {
        if (!nodeArray || isArray3(child) || !isElement(child)) return false;
        return contains(nodeArray, child);
      }
      function insertStatementsAfterPrologue(to, from, isPrologueDirective2) {
        if (from === void 0 || from.length === 0) return to;
        let statementIndex = 0;
        for (; statementIndex < to.length; ++statementIndex) {
          if (!isPrologueDirective2(to[statementIndex])) {
            break;
          }
        }
        to.splice(statementIndex, 0, ...from);
        return to;
      }
      function insertStatementAfterPrologue(to, statement, isPrologueDirective2) {
        if (statement === void 0) return to;
        let statementIndex = 0;
        for (; statementIndex < to.length; ++statementIndex) {
          if (!isPrologueDirective2(to[statementIndex])) {
            break;
          }
        }
        to.splice(statementIndex, 0, statement);
        return to;
      }
      function isAnyPrologueDirective(node) {
        return isPrologueDirective(node) || !!(getEmitFlags(node) & 2097152);
      }
      function insertStatementsAfterStandardPrologue(to, from) {
        return insertStatementsAfterPrologue(to, from, isPrologueDirective);
      }
      function insertStatementsAfterCustomPrologue(to, from) {
        return insertStatementsAfterPrologue(to, from, isAnyPrologueDirective);
      }
      function insertStatementAfterStandardPrologue(to, statement) {
        return insertStatementAfterPrologue(to, statement, isPrologueDirective);
      }
      function insertStatementAfterCustomPrologue(to, statement) {
        return insertStatementAfterPrologue(to, statement, isAnyPrologueDirective);
      }
      function isRecognizedTripleSlashComment(text, commentPos, commentEnd) {
        if (text.charCodeAt(commentPos + 1) === 47 && commentPos + 2 < commentEnd && text.charCodeAt(commentPos + 2) === 47) {
          const textSubStr = text.substring(commentPos, commentEnd);
          return fullTripleSlashReferencePathRegEx.test(textSubStr) || fullTripleSlashAMDReferencePathRegEx.test(textSubStr) || fullTripleSlashAMDModuleRegEx.test(textSubStr) || fullTripleSlashReferenceTypeReferenceDirectiveRegEx.test(textSubStr) || fullTripleSlashLibReferenceRegEx.test(textSubStr) || defaultLibReferenceRegEx.test(textSubStr) ? true : false;
        }
        return false;
      }
      function isPinnedComment(text, start) {
        return text.charCodeAt(start + 1) === 42 && text.charCodeAt(start + 2) === 33;
      }
      function createCommentDirectivesMap(sourceFile, commentDirectives) {
        const directivesByLine = new Map(
          commentDirectives.map((commentDirective) => [
            `${getLineAndCharacterOfPosition(sourceFile, commentDirective.range.end).line}`,
            commentDirective
          ])
        );
        const usedLines = /* @__PURE__ */ new Map();
        return { getUnusedExpectations, markUsed };
        function getUnusedExpectations() {
          return arrayFrom(directivesByLine.entries()).filter(([line, directive]) => directive.type === 0 && !usedLines.get(line)).map(([_, directive]) => directive);
        }
        function markUsed(line) {
          if (!directivesByLine.has(`${line}`)) {
            return false;
          }
          usedLines.set(`${line}`, true);
          return true;
        }
      }
      function getTokenPosOfNode(node, sourceFile, includeJsDoc) {
        if (nodeIsMissing(node)) {
          return node.pos;
        }
        if (isJSDocNode(node) || node.kind === 12) {
          return skipTrivia(
            (sourceFile ?? getSourceFileOfNode(node)).text,
            node.pos,
            /*stopAfterLineBreak*/
            false,
            /*stopAtComments*/
            true
          );
        }
        if (includeJsDoc && hasJSDocNodes(node)) {
          return getTokenPosOfNode(node.jsDoc[0], sourceFile);
        }
        if (node.kind === 352) {
          sourceFile ?? (sourceFile = getSourceFileOfNode(node));
          const first2 = firstOrUndefined(getNodeChildren(node, sourceFile));
          if (first2) {
            return getTokenPosOfNode(first2, sourceFile, includeJsDoc);
          }
        }
        return skipTrivia(
          (sourceFile ?? getSourceFileOfNode(node)).text,
          node.pos,
          /*stopAfterLineBreak*/
          false,
          /*stopAtComments*/
          false,
          isInJSDoc(node)
        );
      }
      function getNonDecoratorTokenPosOfNode(node, sourceFile) {
        const lastDecorator = !nodeIsMissing(node) && canHaveModifiers(node) ? findLast(node.modifiers, isDecorator) : void 0;
        if (!lastDecorator) {
          return getTokenPosOfNode(node, sourceFile);
        }
        return skipTrivia((sourceFile || getSourceFileOfNode(node)).text, lastDecorator.end);
      }
      function getSourceTextOfNodeFromSourceFile(sourceFile, node, includeTrivia = false) {
        return getTextOfNodeFromSourceText(sourceFile.text, node, includeTrivia);
      }
      function isJSDocTypeExpressionOrChild(node) {
        return !!findAncestor(node, isJSDocTypeExpression);
      }
      function isExportNamespaceAsDefaultDeclaration(node) {
        return !!(isExportDeclaration(node) && node.exportClause && isNamespaceExport(node.exportClause) && node.exportClause.name.escapedText === "default");
      }
      function getTextOfNodeFromSourceText(sourceText, node, includeTrivia = false) {
        if (nodeIsMissing(node)) {
          return "";
        }
        let text = sourceText.substring(includeTrivia ? node.pos : skipTrivia(sourceText, node.pos), node.end);
        if (isJSDocTypeExpressionOrChild(node)) {
          text = text.split(/\r\n|\n|\r/).map((line) => line.replace(/^\s*\*/, "").trimStart()).join("\n");
        }
        return text;
      }
      function getTextOfNode(node, includeTrivia = false) {
        return getSourceTextOfNodeFromSourceFile(getSourceFileOfNode(node), node, includeTrivia);
      }
      function getPos(range) {
        return range.pos;
      }
      function indexOfNode(nodeArray, node) {
        return binarySearch(nodeArray, node, getPos, compareValues);
      }
      function getEmitFlags(node) {
        const emitNode = node.emitNode;
        return emitNode && emitNode.flags || 0;
      }
      function getInternalEmitFlags(node) {
        const emitNode = node.emitNode;
        return emitNode && emitNode.internalFlags || 0;
      }
      var getScriptTargetFeatures = /* @__PURE__ */ memoize(
        () => new Map(Object.entries({
          Array: new Map(Object.entries({
            es2015: [
              "find",
              "findIndex",
              "fill",
              "copyWithin",
              "entries",
              "keys",
              "values"
            ],
            es2016: [
              "includes"
            ],
            es2019: [
              "flat",
              "flatMap"
            ],
            es2022: [
              "at"
            ],
            es2023: [
              "findLastIndex",
              "findLast"
            ]
          })),
          Iterator: new Map(Object.entries({
            es2015: emptyArray
          })),
          AsyncIterator: new Map(Object.entries({
            es2015: emptyArray
          })),
          Atomics: new Map(Object.entries({
            es2017: emptyArray
          })),
          SharedArrayBuffer: new Map(Object.entries({
            es2017: emptyArray
          })),
          AsyncIterable: new Map(Object.entries({
            es2018: emptyArray
          })),
          AsyncIterableIterator: new Map(Object.entries({
            es2018: emptyArray
          })),
          AsyncGenerator: new Map(Object.entries({
            es2018: emptyArray
          })),
          AsyncGeneratorFunction: new Map(Object.entries({
            es2018: emptyArray
          })),
          RegExp: new Map(Object.entries({
            es2015: [
              "flags",
              "sticky",
              "unicode"
            ],
            es2018: [
              "dotAll"
            ]
          })),
          Reflect: new Map(Object.entries({
            es2015: [
              "apply",
              "construct",
              "defineProperty",
              "deleteProperty",
              "get",
              "getOwnPropertyDescriptor",
              "getPrototypeOf",
              "has",
              "isExtensible",
              "ownKeys",
              "preventExtensions",
              "set",
              "setPrototypeOf"
            ]
          })),
          ArrayConstructor: new Map(Object.entries({
            es2015: [
              "from",
              "of"
            ],
            esnext: [
              "fromAsync"
            ]
          })),
          ObjectConstructor: new Map(Object.entries({
            es2015: [
              "assign",
              "getOwnPropertySymbols",
              "keys",
              "is",
              "setPrototypeOf"
            ],
            es2017: [
              "values",
              "entries",
              "getOwnPropertyDescriptors"
            ],
            es2019: [
              "fromEntries"
            ],
            es2022: [
              "hasOwn"
            ]
          })),
          NumberConstructor: new Map(Object.entries({
            es2015: [
              "isFinite",
              "isInteger",
              "isNaN",
              "isSafeInteger",
              "parseFloat",
              "parseInt"
            ]
          })),
          Math: new Map(Object.entries({
            es2015: [
              "clz32",
              "imul",
              "sign",
              "log10",
              "log2",
              "log1p",
              "expm1",
              "cosh",
              "sinh",
              "tanh",
              "acosh",
              "asinh",
              "atanh",
              "hypot",
              "trunc",
              "fround",
              "cbrt"
            ]
          })),
          Map: new Map(Object.entries({
            es2015: [
              "entries",
              "keys",
              "values"
            ]
          })),
          Set: new Map(Object.entries({
            es2015: [
              "entries",
              "keys",
              "values"
            ]
          })),
          PromiseConstructor: new Map(Object.entries({
            es2015: [
              "all",
              "race",
              "reject",
              "resolve"
            ],
            es2020: [
              "allSettled"
            ],
            es2021: [
              "any"
            ]
          })),
          Symbol: new Map(Object.entries({
            es2015: [
              "for",
              "keyFor"
            ],
            es2019: [
              "description"
            ]
          })),
          WeakMap: new Map(Object.entries({
            es2015: [
              "entries",
              "keys",
              "values"
            ]
          })),
          WeakSet: new Map(Object.entries({
            es2015: [
              "entries",
              "keys",
              "values"
            ]
          })),
          String: new Map(Object.entries({
            es2015: [
              "codePointAt",
              "includes",
              "endsWith",
              "normalize",
              "repeat",
              "startsWith",
              "anchor",
              "big",
              "blink",
              "bold",
              "fixed",
              "fontcolor",
              "fontsize",
              "italics",
              "link",
              "small",
              "strike",
              "sub",
              "sup"
            ],
            es2017: [
              "padStart",
              "padEnd"
            ],
            es2019: [
              "trimStart",
              "trimEnd",
              "trimLeft",
              "trimRight"
            ],
            es2020: [
              "matchAll"
            ],
            es2021: [
              "replaceAll"
            ],
            es2022: [
              "at"
            ],
            esnext: [
              "isWellFormed",
              "toWellFormed"
            ]
          })),
          StringConstructor: new Map(Object.entries({
            es2015: [
              "fromCodePoint",
              "raw"
            ]
          })),
          DateTimeFormat: new Map(Object.entries({
            es2017: [
              "formatToParts"
            ]
          })),
          Promise: new Map(Object.entries({
            es2015: emptyArray,
            es2018: [
              "finally"
            ]
          })),
          RegExpMatchArray: new Map(Object.entries({
            es2018: [
              "groups"
            ]
          })),
          RegExpExecArray: new Map(Object.entries({
            es2018: [
              "groups"
            ]
          })),
          Intl: new Map(Object.entries({
            es2018: [
              "PluralRules"
            ]
          })),
          NumberFormat: new Map(Object.entries({
            es2018: [
              "formatToParts"
            ]
          })),
          SymbolConstructor: new Map(Object.entries({
            es2020: [
              "matchAll"
            ]
          })),
          DataView: new Map(Object.entries({
            es2020: [
              "setBigInt64",
              "setBigUint64",
              "getBigInt64",
              "getBigUint64"
            ]
          })),
          BigInt: new Map(Object.entries({
            es2020: emptyArray
          })),
          RelativeTimeFormat: new Map(Object.entries({
            es2020: [
              "format",
              "formatToParts",
              "resolvedOptions"
            ]
          })),
          Int8Array: new Map(Object.entries({
            es2022: [
              "at"
            ],
            es2023: [
              "findLastIndex",
              "findLast"
            ]
          })),
          Uint8Array: new Map(Object.entries({
            es2022: [
              "at"
            ],
            es2023: [
              "findLastIndex",
              "findLast"
            ]
          })),
          Uint8ClampedArray: new Map(Object.entries({
            es2022: [
              "at"
            ],
            es2023: [
              "findLastIndex",
              "findLast"
            ]
          })),
          Int16Array: new Map(Object.entries({
            es2022: [
              "at"
            ],
            es2023: [
              "findLastIndex",
              "findLast"
            ]
          })),
          Uint16Array: new Map(Object.entries({
            es2022: [
              "at"
            ],
            es2023: [
              "findLastIndex",
              "findLast"
            ]
          })),
          Int32Array: new Map(Object.entries({
            es2022: [
              "at"
            ],
            es2023: [
              "findLastIndex",
              "findLast"
            ]
          })),
          Uint32Array: new Map(Object.entries({
            es2022: [
              "at"
            ],
            es2023: [
              "findLastIndex",
              "findLast"
            ]
          })),
          Float32Array: new Map(Object.entries({
            es2022: [
              "at"
            ],
            es2023: [
              "findLastIndex",
              "findLast"
            ]
          })),
          Float64Array: new Map(Object.entries({
            es2022: [
              "at"
            ],
            es2023: [
              "findLastIndex",
              "findLast"
            ]
          })),
          BigInt64Array: new Map(Object.entries({
            es2020: emptyArray,
            es2022: [
              "at"
            ],
            es2023: [
              "findLastIndex",
              "findLast"
            ]
          })),
          BigUint64Array: new Map(Object.entries({
            es2020: emptyArray,
            es2022: [
              "at"
            ],
            es2023: [
              "findLastIndex",
              "findLast"
            ]
          })),
          Error: new Map(Object.entries({
            es2022: [
              "cause"
            ]
          }))
        }))
      );
      var GetLiteralTextFlags = /* @__PURE__ */ ((GetLiteralTextFlags2) => {
        GetLiteralTextFlags2[GetLiteralTextFlags2["None"] = 0] = "None";
        GetLiteralTextFlags2[GetLiteralTextFlags2["NeverAsciiEscape"] = 1] = "NeverAsciiEscape";
        GetLiteralTextFlags2[GetLiteralTextFlags2["JsxAttributeEscape"] = 2] = "JsxAttributeEscape";
        GetLiteralTextFlags2[GetLiteralTextFlags2["TerminateUnterminatedLiterals"] = 4] = "TerminateUnterminatedLiterals";
        GetLiteralTextFlags2[GetLiteralTextFlags2["AllowNumericSeparator"] = 8] = "AllowNumericSeparator";
        return GetLiteralTextFlags2;
      })(GetLiteralTextFlags || {});
      function getLiteralText(node, sourceFile, flags) {
        if (sourceFile && canUseOriginalText(node, flags)) {
          return getSourceTextOfNodeFromSourceFile(sourceFile, node);
        }
        switch (node.kind) {
          case 11: {
            const escapeText = flags & 2 ? escapeJsxAttributeString : flags & 1 || getEmitFlags(node) & 16777216 ? escapeString2 : escapeNonAsciiString;
            if (node.singleQuote) {
              return "'" + escapeText(
                node.text,
                39
                /* singleQuote */
              ) + "'";
            } else {
              return '"' + escapeText(
                node.text,
                34
                /* doubleQuote */
              ) + '"';
            }
          }
          case 15:
          case 16:
          case 17:
          case 18: {
            const escapeText = flags & 1 || getEmitFlags(node) & 16777216 ? escapeString2 : escapeNonAsciiString;
            const rawText = node.rawText ?? escapeTemplateSubstitution(escapeText(
              node.text,
              96
              /* backtick */
            ));
            switch (node.kind) {
              case 15:
                return "`" + rawText + "`";
              case 16:
                return "`" + rawText + "${";
              case 17:
                return "}" + rawText + "${";
              case 18:
                return "}" + rawText + "`";
            }
            break;
          }
          case 9:
          case 10:
            return node.text;
          case 14:
            if (flags & 4 && node.isUnterminated) {
              return node.text + (node.text.charCodeAt(node.text.length - 1) === 92 ? " /" : "/");
            }
            return node.text;
        }
        return Debug.fail(`Literal kind '${node.kind}' not accounted for.`);
      }
      function canUseOriginalText(node, flags) {
        if (nodeIsSynthesized(node) || !node.parent || flags & 4 && node.isUnterminated) {
          return false;
        }
        if (isNumericLiteral(node)) {
          if (node.numericLiteralFlags & 26656) {
            return false;
          }
          if (node.numericLiteralFlags & 512) {
            return !!(flags & 8);
          }
        }
        return !isBigIntLiteral2(node);
      }
      function getTextOfConstantValue(value) {
        return isString2(value) ? `"${escapeString2(value)}"` : "" + value;
      }
      function makeIdentifierFromModuleName(moduleName) {
        return getBaseFileName(moduleName).replace(/^(\d)/, "_$1").replace(/\W/g, "_");
      }
      function isBlockOrCatchScoped(declaration) {
        return (getCombinedNodeFlags(declaration) & 7) !== 0 || isCatchClauseVariableDeclarationOrBindingElement(declaration);
      }
      function isCatchClauseVariableDeclarationOrBindingElement(declaration) {
        const node = getRootDeclaration(declaration);
        return node.kind === 260 && node.parent.kind === 299;
      }
      function isAmbientModule(node) {
        return isModuleDeclaration(node) && (node.name.kind === 11 || isGlobalScopeAugmentation(node));
      }
      function isModuleWithStringLiteralName(node) {
        return isModuleDeclaration(node) && node.name.kind === 11;
      }
      function isNonGlobalAmbientModule(node) {
        return isModuleDeclaration(node) && isStringLiteral2(node.name);
      }
      function isEffectiveModuleDeclaration(node) {
        return isModuleDeclaration(node) || isIdentifier(node);
      }
      function isShorthandAmbientModuleSymbol(moduleSymbol) {
        return isShorthandAmbientModule(moduleSymbol.valueDeclaration);
      }
      function isShorthandAmbientModule(node) {
        return !!node && node.kind === 267 && !node.body;
      }
      function isBlockScopedContainerTopLevel(node) {
        return node.kind === 307 || node.kind === 267 || isFunctionLikeOrClassStaticBlockDeclaration(node);
      }
      function isGlobalScopeAugmentation(module22) {
        return !!(module22.flags & 2048);
      }
      function isExternalModuleAugmentation(node) {
        return isAmbientModule(node) && isModuleAugmentationExternal(node);
      }
      function isModuleAugmentationExternal(node) {
        switch (node.parent.kind) {
          case 307:
            return isExternalModule(node.parent);
          case 268:
            return isAmbientModule(node.parent.parent) && isSourceFile(node.parent.parent.parent) && !isExternalModule(node.parent.parent.parent);
        }
        return false;
      }
      function getNonAugmentationDeclaration(symbol) {
        var _a;
        return (_a = symbol.declarations) == null ? void 0 : _a.find((d) => !isExternalModuleAugmentation(d) && !(isModuleDeclaration(d) && isGlobalScopeAugmentation(d)));
      }
      function isCommonJSContainingModuleKind(kind) {
        return kind === 1 || kind === 100 || kind === 199;
      }
      function isEffectiveExternalModule(node, compilerOptions) {
        return isExternalModule(node) || isCommonJSContainingModuleKind(getEmitModuleKind(compilerOptions)) && !!node.commonJsModuleIndicator;
      }
      function isEffectiveStrictModeSourceFile(node, compilerOptions) {
        switch (node.scriptKind) {
          case 1:
          case 3:
          case 2:
          case 4:
            break;
          default:
            return false;
        }
        if (node.isDeclarationFile) {
          return false;
        }
        if (getStrictOptionValue(compilerOptions, "alwaysStrict")) {
          return true;
        }
        if (startsWithUseStrict(node.statements)) {
          return true;
        }
        if (isExternalModule(node) || getIsolatedModules(compilerOptions)) {
          return true;
        }
        return false;
      }
      function isAmbientPropertyDeclaration(node) {
        return !!(node.flags & 33554432) || hasSyntacticModifier(
          node,
          128
          /* Ambient */
        );
      }
      function isBlockScope(node, parentNode) {
        switch (node.kind) {
          case 307:
          case 269:
          case 299:
          case 267:
          case 248:
          case 249:
          case 250:
          case 176:
          case 174:
          case 177:
          case 178:
          case 262:
          case 218:
          case 219:
          case 172:
          case 175:
            return true;
          case 241:
            return !isFunctionLikeOrClassStaticBlockDeclaration(parentNode);
        }
        return false;
      }
      function isDeclarationWithTypeParameters(node) {
        Debug.type(node);
        switch (node.kind) {
          case 338:
          case 346:
          case 323:
            return true;
          default:
            assertType(node);
            return isDeclarationWithTypeParameterChildren(node);
        }
      }
      function isDeclarationWithTypeParameterChildren(node) {
        Debug.type(node);
        switch (node.kind) {
          case 179:
          case 180:
          case 173:
          case 181:
          case 184:
          case 185:
          case 317:
          case 263:
          case 231:
          case 264:
          case 265:
          case 345:
          case 262:
          case 174:
          case 176:
          case 177:
          case 178:
          case 218:
          case 219:
            return true;
          default:
            assertType(node);
            return false;
        }
      }
      function isAnyImportSyntax(node) {
        switch (node.kind) {
          case 272:
          case 271:
            return true;
          default:
            return false;
        }
      }
      function isAnyImportOrBareOrAccessedRequire(node) {
        return isAnyImportSyntax(node) || isVariableDeclarationInitializedToBareOrAccessedRequire(node);
      }
      function isAnyImportOrRequireStatement(node) {
        return isAnyImportSyntax(node) || isRequireVariableStatement(node);
      }
      function isLateVisibilityPaintedStatement(node) {
        switch (node.kind) {
          case 272:
          case 271:
          case 243:
          case 263:
          case 262:
          case 267:
          case 265:
          case 264:
          case 266:
            return true;
          default:
            return false;
        }
      }
      function hasPossibleExternalModuleReference(node) {
        return isAnyImportOrReExport(node) || isModuleDeclaration(node) || isImportTypeNode(node) || isImportCall(node);
      }
      function isAnyImportOrReExport(node) {
        return isAnyImportSyntax(node) || isExportDeclaration(node);
      }
      function getEnclosingContainer(node) {
        return findAncestor(node.parent, (n) => !!(getContainerFlags(n) & 1));
      }
      function getEnclosingBlockScopeContainer(node) {
        return findAncestor(node.parent, (current) => isBlockScope(current, current.parent));
      }
      function forEachEnclosingBlockScopeContainer(node, cb) {
        let container = getEnclosingBlockScopeContainer(node);
        while (container) {
          cb(container);
          container = getEnclosingBlockScopeContainer(container);
        }
      }
      function declarationNameToString(name) {
        return !name || getFullWidth(name) === 0 ? "(Missing)" : getTextOfNode(name);
      }
      function getNameFromIndexInfo(info) {
        return info.declaration ? declarationNameToString(info.declaration.parameters[0].name) : void 0;
      }
      function isComputedNonLiteralName(name) {
        return name.kind === 167 && !isStringOrNumericLiteralLike(name.expression);
      }
      function tryGetTextOfPropertyName(name) {
        var _a;
        switch (name.kind) {
          case 80:
          case 81:
            return ((_a = name.emitNode) == null ? void 0 : _a.autoGenerate) ? void 0 : name.escapedText;
          case 11:
          case 9:
          case 15:
            return escapeLeadingUnderscores(name.text);
          case 167:
            if (isStringOrNumericLiteralLike(name.expression)) return escapeLeadingUnderscores(name.expression.text);
            return void 0;
          case 295:
            return getEscapedTextOfJsxNamespacedName(name);
          default:
            return Debug.assertNever(name);
        }
      }
      function getTextOfPropertyName(name) {
        return Debug.checkDefined(tryGetTextOfPropertyName(name));
      }
      function entityNameToString(name) {
        switch (name.kind) {
          case 110:
            return "this";
          case 81:
          case 80:
            return getFullWidth(name) === 0 ? idText(name) : getTextOfNode(name);
          case 166:
            return entityNameToString(name.left) + "." + entityNameToString(name.right);
          case 211:
            if (isIdentifier(name.name) || isPrivateIdentifier(name.name)) {
              return entityNameToString(name.expression) + "." + entityNameToString(name.name);
            } else {
              return Debug.assertNever(name.name);
            }
          case 311:
            return entityNameToString(name.left) + "#" + entityNameToString(name.right);
          case 295:
            return entityNameToString(name.namespace) + ":" + entityNameToString(name.name);
          default:
            return Debug.assertNever(name);
        }
      }
      function createDiagnosticForNode(node, message, ...args) {
        const sourceFile = getSourceFileOfNode(node);
        return createDiagnosticForNodeInSourceFile(sourceFile, node, message, ...args);
      }
      function createDiagnosticForNodeArray(sourceFile, nodes, message, ...args) {
        const start = skipTrivia(sourceFile.text, nodes.pos);
        return createFileDiagnostic(sourceFile, start, nodes.end - start, message, ...args);
      }
      function createDiagnosticForNodeInSourceFile(sourceFile, node, message, ...args) {
        const span = getErrorSpanForNode(sourceFile, node);
        return createFileDiagnostic(sourceFile, span.start, span.length, message, ...args);
      }
      function createDiagnosticForNodeFromMessageChain(sourceFile, node, messageChain, relatedInformation) {
        const span = getErrorSpanForNode(sourceFile, node);
        return createFileDiagnosticFromMessageChain(sourceFile, span.start, span.length, messageChain, relatedInformation);
      }
      function createDiagnosticForNodeArrayFromMessageChain(sourceFile, nodes, messageChain, relatedInformation) {
        const start = skipTrivia(sourceFile.text, nodes.pos);
        return createFileDiagnosticFromMessageChain(sourceFile, start, nodes.end - start, messageChain, relatedInformation);
      }
      function assertDiagnosticLocation(sourceText, start, length2) {
        Debug.assertGreaterThanOrEqual(start, 0);
        Debug.assertGreaterThanOrEqual(length2, 0);
        Debug.assertLessThanOrEqual(start, sourceText.length);
        Debug.assertLessThanOrEqual(start + length2, sourceText.length);
      }
      function createFileDiagnosticFromMessageChain(file, start, length2, messageChain, relatedInformation) {
        assertDiagnosticLocation(file.text, start, length2);
        return {
          file,
          start,
          length: length2,
          code: messageChain.code,
          category: messageChain.category,
          messageText: messageChain.next ? messageChain : messageChain.messageText,
          relatedInformation,
          canonicalHead: messageChain.canonicalHead
        };
      }
      function createDiagnosticForFileFromMessageChain(sourceFile, messageChain, relatedInformation) {
        return {
          file: sourceFile,
          start: 0,
          length: 0,
          code: messageChain.code,
          category: messageChain.category,
          messageText: messageChain.next ? messageChain : messageChain.messageText,
          relatedInformation
        };
      }
      function createDiagnosticMessageChainFromDiagnostic(diagnostic) {
        return typeof diagnostic.messageText === "string" ? {
          code: diagnostic.code,
          category: diagnostic.category,
          messageText: diagnostic.messageText,
          next: diagnostic.next
        } : diagnostic.messageText;
      }
      function createDiagnosticForRange(sourceFile, range, message) {
        return {
          file: sourceFile,
          start: range.pos,
          length: range.end - range.pos,
          code: message.code,
          category: message.category,
          messageText: message.message
        };
      }
      function getCanonicalDiagnostic(message, ...args) {
        return {
          code: message.code,
          messageText: formatMessage(message, ...args)
        };
      }
      function getSpanOfTokenAtPosition(sourceFile, pos) {
        const scanner2 = createScanner(
          sourceFile.languageVersion,
          /*skipTrivia*/
          true,
          sourceFile.languageVariant,
          sourceFile.text,
          /*onError*/
          void 0,
          pos
        );
        scanner2.scan();
        const start = scanner2.getTokenStart();
        return createTextSpanFromBounds(start, scanner2.getTokenEnd());
      }
      function scanTokenAtPosition(sourceFile, pos) {
        const scanner2 = createScanner(
          sourceFile.languageVersion,
          /*skipTrivia*/
          true,
          sourceFile.languageVariant,
          sourceFile.text,
          /*onError*/
          void 0,
          pos
        );
        scanner2.scan();
        return scanner2.getToken();
      }
      function getErrorSpanForArrowFunction(sourceFile, node) {
        const pos = skipTrivia(sourceFile.text, node.pos);
        if (node.body && node.body.kind === 241) {
          const { line: startLine } = getLineAndCharacterOfPosition(sourceFile, node.body.pos);
          const { line: endLine } = getLineAndCharacterOfPosition(sourceFile, node.body.end);
          if (startLine < endLine) {
            return createTextSpan(pos, getEndLinePosition(startLine, sourceFile) - pos + 1);
          }
        }
        return createTextSpanFromBounds(pos, node.end);
      }
      function getErrorSpanForNode(sourceFile, node) {
        let errorNode = node;
        switch (node.kind) {
          case 307: {
            const pos2 = skipTrivia(
              sourceFile.text,
              0,
              /*stopAfterLineBreak*/
              false
            );
            if (pos2 === sourceFile.text.length) {
              return createTextSpan(0, 0);
            }
            return getSpanOfTokenAtPosition(sourceFile, pos2);
          }
          case 260:
          case 208:
          case 263:
          case 231:
          case 264:
          case 267:
          case 266:
          case 306:
          case 262:
          case 218:
          case 174:
          case 177:
          case 178:
          case 265:
          case 172:
          case 171:
          case 274:
            errorNode = node.name;
            break;
          case 219:
            return getErrorSpanForArrowFunction(sourceFile, node);
          case 296:
          case 297: {
            const start = skipTrivia(sourceFile.text, node.pos);
            const end = node.statements.length > 0 ? node.statements[0].pos : node.end;
            return createTextSpanFromBounds(start, end);
          }
          case 253:
          case 229: {
            const pos2 = skipTrivia(sourceFile.text, node.pos);
            return getSpanOfTokenAtPosition(sourceFile, pos2);
          }
          case 238: {
            const pos2 = skipTrivia(sourceFile.text, node.expression.end);
            return getSpanOfTokenAtPosition(sourceFile, pos2);
          }
          case 350: {
            const pos2 = skipTrivia(sourceFile.text, node.tagName.pos);
            return getSpanOfTokenAtPosition(sourceFile, pos2);
          }
          case 176: {
            const constructorDeclaration = node;
            const start = skipTrivia(sourceFile.text, constructorDeclaration.pos);
            const scanner2 = createScanner(
              sourceFile.languageVersion,
              /*skipTrivia*/
              true,
              sourceFile.languageVariant,
              sourceFile.text,
              /*onError*/
              void 0,
              start
            );
            let token = scanner2.scan();
            while (token !== 137 && token !== 1) {
              token = scanner2.scan();
            }
            const end = scanner2.getTokenEnd();
            return createTextSpanFromBounds(start, end);
          }
        }
        if (errorNode === void 0) {
          return getSpanOfTokenAtPosition(sourceFile, node.pos);
        }
        Debug.assert(!isJSDoc(errorNode));
        const isMissing = nodeIsMissing(errorNode);
        const pos = isMissing || isJsxText(node) ? errorNode.pos : skipTrivia(sourceFile.text, errorNode.pos);
        if (isMissing) {
          Debug.assert(pos === errorNode.pos, "This failure could trigger https://github.com/Microsoft/TypeScript/issues/20809");
          Debug.assert(pos === errorNode.end, "This failure could trigger https://github.com/Microsoft/TypeScript/issues/20809");
        } else {
          Debug.assert(pos >= errorNode.pos, "This failure could trigger https://github.com/Microsoft/TypeScript/issues/20809");
          Debug.assert(pos <= errorNode.end, "This failure could trigger https://github.com/Microsoft/TypeScript/issues/20809");
        }
        return createTextSpanFromBounds(pos, errorNode.end);
      }
      function isGlobalSourceFile(node) {
        return node.kind === 307 && !isExternalOrCommonJsModule(node);
      }
      function isExternalOrCommonJsModule(file) {
        return (file.externalModuleIndicator || file.commonJsModuleIndicator) !== void 0;
      }
      function isJsonSourceFile(file) {
        return file.scriptKind === 6;
      }
      function isEnumConst(node) {
        return !!(getCombinedModifierFlags(node) & 4096);
      }
      function isDeclarationReadonly(declaration) {
        return !!(getCombinedModifierFlags(declaration) & 8 && !isParameterPropertyDeclaration(declaration, declaration.parent));
      }
      function isVarAwaitUsing(node) {
        return (getCombinedNodeFlags(node) & 7) === 6;
      }
      function isVarUsing(node) {
        return (getCombinedNodeFlags(node) & 7) === 4;
      }
      function isVarConst(node) {
        return (getCombinedNodeFlags(node) & 7) === 2;
      }
      function isVarConstLike(node) {
        const blockScopeKind = getCombinedNodeFlags(node) & 7;
        return blockScopeKind === 2 || blockScopeKind === 4 || blockScopeKind === 6;
      }
      function isLet(node) {
        return (getCombinedNodeFlags(node) & 7) === 1;
      }
      function isSuperCall(n) {
        return n.kind === 213 && n.expression.kind === 108;
      }
      function isImportCall(n) {
        return n.kind === 213 && n.expression.kind === 102;
      }
      function isImportMeta(n) {
        return isMetaProperty(n) && n.keywordToken === 102 && n.name.escapedText === "meta";
      }
      function isLiteralImportTypeNode(n) {
        return isImportTypeNode(n) && isLiteralTypeNode(n.argument) && isStringLiteral2(n.argument.literal);
      }
      function isPrologueDirective(node) {
        return node.kind === 244 && node.expression.kind === 11;
      }
      function isCustomPrologue(node) {
        return !!(getEmitFlags(node) & 2097152);
      }
      function isHoistedFunction(node) {
        return isCustomPrologue(node) && isFunctionDeclaration(node);
      }
      function isHoistedVariable(node) {
        return isIdentifier(node.name) && !node.initializer;
      }
      function isHoistedVariableStatement(node) {
        return isCustomPrologue(node) && isVariableStatement(node) && every(node.declarationList.declarations, isHoistedVariable);
      }
      function getLeadingCommentRangesOfNode(node, sourceFileOfNode) {
        return node.kind !== 12 ? getLeadingCommentRanges(sourceFileOfNode.text, node.pos) : void 0;
      }
      function getJSDocCommentRanges(node, text) {
        const commentRanges = node.kind === 169 || node.kind === 168 || node.kind === 218 || node.kind === 219 || node.kind === 217 || node.kind === 260 || node.kind === 281 ? concatenate(getTrailingCommentRanges(text, node.pos), getLeadingCommentRanges(text, node.pos)) : getLeadingCommentRanges(text, node.pos);
        return filter(
          commentRanges,
          (comment) => comment.end <= node.end && // Due to parse errors sometime empty parameter may get comments assigned to it that end up not in parameter range
          text.charCodeAt(comment.pos + 1) === 42 && text.charCodeAt(comment.pos + 2) === 42 && text.charCodeAt(comment.pos + 3) !== 47
          /* slash */
        );
      }
      var fullTripleSlashReferencePathRegEx = /^(\/\/\/\s*/;
      var fullTripleSlashReferenceTypeReferenceDirectiveRegEx = /^(\/\/\/\s*/;
      var fullTripleSlashLibReferenceRegEx = /^(\/\/\/\s*/;
      var fullTripleSlashAMDReferencePathRegEx = /^(\/\/\/\s*/;
      var fullTripleSlashAMDModuleRegEx = /^\/\/\/\s*/;
      var defaultLibReferenceRegEx = /^(\/\/\/\s*/;
      function isPartOfTypeNode(node) {
        if (182 <= node.kind && node.kind <= 205) {
          return true;
        }
        switch (node.kind) {
          case 133:
          case 159:
          case 150:
          case 163:
          case 154:
          case 136:
          case 155:
          case 151:
          case 157:
          case 106:
          case 146:
            return true;
          case 116:
            return node.parent.kind !== 222;
          case 233:
            return isPartOfTypeExpressionWithTypeArguments(node);
          case 168:
            return node.parent.kind === 200 || node.parent.kind === 195;
          case 80:
            if (node.parent.kind === 166 && node.parent.right === node) {
              node = node.parent;
            } else if (node.parent.kind === 211 && node.parent.name === node) {
              node = node.parent;
            }
            Debug.assert(node.kind === 80 || node.kind === 166 || node.kind === 211, "'node' was expected to be a qualified name, identifier or property access in 'isPartOfTypeNode'.");
          case 166:
          case 211:
          case 110: {
            const { parent: parent2 } = node;
            if (parent2.kind === 186) {
              return false;
            }
            if (parent2.kind === 205) {
              return !parent2.isTypeOf;
            }
            if (182 <= parent2.kind && parent2.kind <= 205) {
              return true;
            }
            switch (parent2.kind) {
              case 233:
                return isPartOfTypeExpressionWithTypeArguments(parent2);
              case 168:
                return node === parent2.constraint;
              case 345:
                return node === parent2.constraint;
              case 172:
              case 171:
              case 169:
              case 260:
                return node === parent2.type;
              case 262:
              case 218:
              case 219:
              case 176:
              case 174:
              case 173:
              case 177:
              case 178:
                return node === parent2.type;
              case 179:
              case 180:
              case 181:
                return node === parent2.type;
              case 216:
                return node === parent2.type;
              case 213:
              case 214:
              case 215:
                return contains(parent2.typeArguments, node);
            }
          }
        }
        return false;
      }
      function isPartOfTypeExpressionWithTypeArguments(node) {
        return isJSDocImplementsTag(node.parent) || isJSDocAugmentsTag(node.parent) || isHeritageClause(node.parent) && !isExpressionWithTypeArgumentsInClassExtendsClause(node);
      }
      function isChildOfNodeWithKind(node, kind) {
        while (node) {
          if (node.kind === kind) {
            return true;
          }
          node = node.parent;
        }
        return false;
      }
      function forEachReturnStatement(body, visitor2) {
        return traverse(body);
        function traverse(node) {
          switch (node.kind) {
            case 253:
              return visitor2(node);
            case 269:
            case 241:
            case 245:
            case 246:
            case 247:
            case 248:
            case 249:
            case 250:
            case 254:
            case 255:
            case 296:
            case 297:
            case 256:
            case 258:
            case 299:
              return forEachChild(node, traverse);
          }
        }
      }
      function forEachYieldExpression(body, visitor2) {
        return traverse(body);
        function traverse(node) {
          switch (node.kind) {
            case 229:
              visitor2(node);
              const operand = node.expression;
              if (operand) {
                traverse(operand);
              }
              return;
            case 266:
            case 264:
            case 267:
            case 265:
              return;
            default:
              if (isFunctionLike(node)) {
                if (node.name && node.name.kind === 167) {
                  traverse(node.name.expression);
                  return;
                }
              } else if (!isPartOfTypeNode(node)) {
                forEachChild(node, traverse);
              }
          }
        }
      }
      function getRestParameterElementType(node) {
        if (node && node.kind === 188) {
          return node.elementType;
        } else if (node && node.kind === 183) {
          return singleOrUndefined(node.typeArguments);
        } else {
          return void 0;
        }
      }
      function getMembersOfDeclaration(node) {
        switch (node.kind) {
          case 264:
          case 263:
          case 231:
          case 187:
            return node.members;
          case 210:
            return node.properties;
        }
      }
      function isVariableLike(node) {
        if (node) {
          switch (node.kind) {
            case 208:
            case 306:
            case 169:
            case 303:
            case 172:
            case 171:
            case 304:
            case 260:
              return true;
          }
        }
        return false;
      }
      function isVariableLikeOrAccessor(node) {
        return isVariableLike(node) || isAccessor(node);
      }
      function isVariableDeclarationInVariableStatement(node) {
        return node.parent.kind === 261 && node.parent.parent.kind === 243;
      }
      function isCommonJsExportedExpression(node) {
        if (!isInJSFile(node)) return false;
        return isObjectLiteralExpression(node.parent) && isBinaryExpression(node.parent.parent) && getAssignmentDeclarationKind(node.parent.parent) === 2 || isCommonJsExportPropertyAssignment(node.parent);
      }
      function isCommonJsExportPropertyAssignment(node) {
        if (!isInJSFile(node)) return false;
        return isBinaryExpression(node) && getAssignmentDeclarationKind(node) === 1;
      }
      function isValidESSymbolDeclaration(node) {
        return (isVariableDeclaration(node) ? isVarConst(node) && isIdentifier(node.name) && isVariableDeclarationInVariableStatement(node) : isPropertyDeclaration(node) ? hasEffectiveReadonlyModifier(node) && hasStaticModifier(node) : isPropertySignature(node) && hasEffectiveReadonlyModifier(node)) || isCommonJsExportPropertyAssignment(node);
      }
      function introducesArgumentsExoticObject(node) {
        switch (node.kind) {
          case 174:
          case 173:
          case 176:
          case 177:
          case 178:
          case 262:
          case 218:
            return true;
        }
        return false;
      }
      function unwrapInnermostStatementOfLabel(node, beforeUnwrapLabelCallback) {
        while (true) {
          if (beforeUnwrapLabelCallback) {
            beforeUnwrapLabelCallback(node);
          }
          if (node.statement.kind !== 256) {
            return node.statement;
          }
          node = node.statement;
        }
      }
      function isFunctionBlock(node) {
        return node && node.kind === 241 && isFunctionLike(node.parent);
      }
      function isObjectLiteralMethod(node) {
        return node && node.kind === 174 && node.parent.kind === 210;
      }
      function isObjectLiteralOrClassExpressionMethodOrAccessor(node) {
        return (node.kind === 174 || node.kind === 177 || node.kind === 178) && (node.parent.kind === 210 || node.parent.kind === 231);
      }
      function isIdentifierTypePredicate(predicate) {
        return predicate && predicate.kind === 1;
      }
      function isThisTypePredicate(predicate) {
        return predicate && predicate.kind === 0;
      }
      function forEachPropertyAssignment(objectLiteral, key, callback, key2) {
        return forEach(objectLiteral == null ? void 0 : objectLiteral.properties, (property) => {
          if (!isPropertyAssignment(property)) return void 0;
          const propName = tryGetTextOfPropertyName(property.name);
          return key === propName || key2 && key2 === propName ? callback(property) : void 0;
        });
      }
      function getPropertyArrayElementValue(objectLiteral, propKey, elementValue) {
        return forEachPropertyAssignment(objectLiteral, propKey, (property) => isArrayLiteralExpression(property.initializer) ? find(property.initializer.elements, (element) => isStringLiteral2(element) && element.text === elementValue) : void 0);
      }
      function getTsConfigObjectLiteralExpression(tsConfigSourceFile) {
        if (tsConfigSourceFile && tsConfigSourceFile.statements.length) {
          const expression = tsConfigSourceFile.statements[0].expression;
          return tryCast(expression, isObjectLiteralExpression);
        }
      }
      function getTsConfigPropArrayElementValue(tsConfigSourceFile, propKey, elementValue) {
        return forEachTsConfigPropArray(tsConfigSourceFile, propKey, (property) => isArrayLiteralExpression(property.initializer) ? find(property.initializer.elements, (element) => isStringLiteral2(element) && element.text === elementValue) : void 0);
      }
      function forEachTsConfigPropArray(tsConfigSourceFile, propKey, callback) {
        return forEachPropertyAssignment(getTsConfigObjectLiteralExpression(tsConfigSourceFile), propKey, callback);
      }
      function getContainingFunction(node) {
        return findAncestor(node.parent, isFunctionLike);
      }
      function getContainingFunctionDeclaration(node) {
        return findAncestor(node.parent, isFunctionLikeDeclaration);
      }
      function getContainingClass(node) {
        return findAncestor(node.parent, isClassLike);
      }
      function getContainingClassStaticBlock(node) {
        return findAncestor(node.parent, (n) => {
          if (isClassLike(n) || isFunctionLike(n)) {
            return "quit";
          }
          return isClassStaticBlockDeclaration(n);
        });
      }
      function getContainingFunctionOrClassStaticBlock(node) {
        return findAncestor(node.parent, isFunctionLikeOrClassStaticBlockDeclaration);
      }
      function getContainingClassExcludingClassDecorators(node) {
        const decorator = findAncestor(node.parent, (n) => isClassLike(n) ? "quit" : isDecorator(n));
        return decorator && isClassLike(decorator.parent) ? getContainingClass(decorator.parent) : getContainingClass(decorator ?? node);
      }
      function getThisContainer(node, includeArrowFunctions, includeClassComputedPropertyName) {
        Debug.assert(
          node.kind !== 307
          /* SourceFile */
        );
        while (true) {
          node = node.parent;
          if (!node) {
            return Debug.fail();
          }
          switch (node.kind) {
            case 167:
              if (includeClassComputedPropertyName && isClassLike(node.parent.parent)) {
                return node;
              }
              node = node.parent.parent;
              break;
            case 170:
              if (node.parent.kind === 169 && isClassElement(node.parent.parent)) {
                node = node.parent.parent;
              } else if (isClassElement(node.parent)) {
                node = node.parent;
              }
              break;
            case 219:
              if (!includeArrowFunctions) {
                continue;
              }
            case 262:
            case 218:
            case 267:
            case 175:
            case 172:
            case 171:
            case 174:
            case 173:
            case 176:
            case 177:
            case 178:
            case 179:
            case 180:
            case 181:
            case 266:
            case 307:
              return node;
          }
        }
      }
      function isThisContainerOrFunctionBlock(node) {
        switch (node.kind) {
          case 219:
          case 262:
          case 218:
          case 172:
            return true;
          case 241:
            switch (node.parent.kind) {
              case 176:
              case 174:
              case 177:
              case 178:
                return true;
              default:
                return false;
            }
          default:
            return false;
        }
      }
      function isInTopLevelContext(node) {
        if (isIdentifier(node) && (isClassDeclaration(node.parent) || isFunctionDeclaration(node.parent)) && node.parent.name === node) {
          node = node.parent;
        }
        const container = getThisContainer(
          node,
          /*includeArrowFunctions*/
          true,
          /*includeClassComputedPropertyName*/
          false
        );
        return isSourceFile(container);
      }
      function getNewTargetContainer(node) {
        const container = getThisContainer(
          node,
          /*includeArrowFunctions*/
          false,
          /*includeClassComputedPropertyName*/
          false
        );
        if (container) {
          switch (container.kind) {
            case 176:
            case 262:
            case 218:
              return container;
          }
        }
        return void 0;
      }
      function getSuperContainer(node, stopOnFunctions) {
        while (true) {
          node = node.parent;
          if (!node) {
            return void 0;
          }
          switch (node.kind) {
            case 167:
              node = node.parent;
              break;
            case 262:
            case 218:
            case 219:
              if (!stopOnFunctions) {
                continue;
              }
            case 172:
            case 171:
            case 174:
            case 173:
            case 176:
            case 177:
            case 178:
            case 175:
              return node;
            case 170:
              if (node.parent.kind === 169 && isClassElement(node.parent.parent)) {
                node = node.parent.parent;
              } else if (isClassElement(node.parent)) {
                node = node.parent;
              }
              break;
          }
        }
      }
      function getImmediatelyInvokedFunctionExpression(func) {
        if (func.kind === 218 || func.kind === 219) {
          let prev = func;
          let parent2 = func.parent;
          while (parent2.kind === 217) {
            prev = parent2;
            parent2 = parent2.parent;
          }
          if (parent2.kind === 213 && parent2.expression === prev) {
            return parent2;
          }
        }
      }
      function isSuperOrSuperProperty(node) {
        return node.kind === 108 || isSuperProperty(node);
      }
      function isSuperProperty(node) {
        const kind = node.kind;
        return (kind === 211 || kind === 212) && node.expression.kind === 108;
      }
      function isThisProperty(node) {
        const kind = node.kind;
        return (kind === 211 || kind === 212) && node.expression.kind === 110;
      }
      function isThisInitializedDeclaration(node) {
        var _a;
        return !!node && isVariableDeclaration(node) && ((_a = node.initializer) == null ? void 0 : _a.kind) === 110;
      }
      function isThisInitializedObjectBindingExpression(node) {
        return !!node && (isShorthandPropertyAssignment(node) || isPropertyAssignment(node)) && isBinaryExpression(node.parent.parent) && node.parent.parent.operatorToken.kind === 64 && node.parent.parent.right.kind === 110;
      }
      function getEntityNameFromTypeNode(node) {
        switch (node.kind) {
          case 183:
            return node.typeName;
          case 233:
            return isEntityNameExpression(node.expression) ? node.expression : void 0;
          case 80:
          case 166:
            return node;
        }
        return void 0;
      }
      function getInvokedExpression(node) {
        switch (node.kind) {
          case 215:
            return node.tag;
          case 286:
          case 285:
            return node.tagName;
          case 226:
            return node.right;
          default:
            return node.expression;
        }
      }
      function nodeCanBeDecorated(useLegacyDecorators, node, parent2, grandparent) {
        if (useLegacyDecorators && isNamedDeclaration(node) && isPrivateIdentifier(node.name)) {
          return false;
        }
        switch (node.kind) {
          case 263:
            return true;
          case 231:
            return !useLegacyDecorators;
          case 172:
            return parent2 !== void 0 && (useLegacyDecorators ? isClassDeclaration(parent2) : isClassLike(parent2) && !hasAbstractModifier(node) && !hasAmbientModifier(node));
          case 177:
          case 178:
          case 174:
            return node.body !== void 0 && parent2 !== void 0 && (useLegacyDecorators ? isClassDeclaration(parent2) : isClassLike(parent2));
          case 169:
            if (!useLegacyDecorators) return false;
            return parent2 !== void 0 && parent2.body !== void 0 && (parent2.kind === 176 || parent2.kind === 174 || parent2.kind === 178) && getThisParameter(parent2) !== node && grandparent !== void 0 && grandparent.kind === 263;
        }
        return false;
      }
      function nodeIsDecorated(useLegacyDecorators, node, parent2, grandparent) {
        return hasDecorators(node) && nodeCanBeDecorated(useLegacyDecorators, node, parent2, grandparent);
      }
      function nodeOrChildIsDecorated(useLegacyDecorators, node, parent2, grandparent) {
        return nodeIsDecorated(useLegacyDecorators, node, parent2, grandparent) || childIsDecorated(useLegacyDecorators, node, parent2);
      }
      function childIsDecorated(useLegacyDecorators, node, parent2) {
        switch (node.kind) {
          case 263:
            return some(node.members, (m) => nodeOrChildIsDecorated(useLegacyDecorators, m, node, parent2));
          case 231:
            return !useLegacyDecorators && some(node.members, (m) => nodeOrChildIsDecorated(useLegacyDecorators, m, node, parent2));
          case 174:
          case 178:
          case 176:
            return some(node.parameters, (p) => nodeIsDecorated(useLegacyDecorators, p, node, parent2));
          default:
            return false;
        }
      }
      function classOrConstructorParameterIsDecorated(useLegacyDecorators, node) {
        if (nodeIsDecorated(useLegacyDecorators, node)) return true;
        const constructor = getFirstConstructorWithBody(node);
        return !!constructor && childIsDecorated(useLegacyDecorators, constructor, node);
      }
      function classElementOrClassElementParameterIsDecorated(useLegacyDecorators, node, parent2) {
        let parameters;
        if (isAccessor(node)) {
          const { firstAccessor, secondAccessor, setAccessor } = getAllAccessorDeclarations(parent2.members, node);
          const firstAccessorWithDecorators = hasDecorators(firstAccessor) ? firstAccessor : secondAccessor && hasDecorators(secondAccessor) ? secondAccessor : void 0;
          if (!firstAccessorWithDecorators || node !== firstAccessorWithDecorators) {
            return false;
          }
          parameters = setAccessor == null ? void 0 : setAccessor.parameters;
        } else if (isMethodDeclaration(node)) {
          parameters = node.parameters;
        }
        if (nodeIsDecorated(useLegacyDecorators, node, parent2)) {
          return true;
        }
        if (parameters) {
          for (const parameter of parameters) {
            if (parameterIsThisKeyword(parameter)) continue;
            if (nodeIsDecorated(useLegacyDecorators, parameter, node, parent2)) return true;
          }
        }
        return false;
      }
      function isEmptyStringLiteral2(node) {
        if (node.textSourceNode) {
          switch (node.textSourceNode.kind) {
            case 11:
              return isEmptyStringLiteral2(node.textSourceNode);
            case 15:
              return node.text === "";
          }
          return false;
        }
        return node.text === "";
      }
      function isJSXTagName(node) {
        const { parent: parent2 } = node;
        if (parent2.kind === 286 || parent2.kind === 285 || parent2.kind === 287) {
          return parent2.tagName === node;
        }
        return false;
      }
      function isExpressionNode(node) {
        switch (node.kind) {
          case 108:
          case 106:
          case 112:
          case 97:
          case 14:
          case 209:
          case 210:
          case 211:
          case 212:
          case 213:
          case 214:
          case 215:
          case 234:
          case 216:
          case 238:
          case 235:
          case 217:
          case 218:
          case 231:
          case 219:
          case 222:
          case 220:
          case 221:
          case 224:
          case 225:
          case 226:
          case 227:
          case 230:
          case 228:
          case 232:
          case 284:
          case 285:
          case 288:
          case 229:
          case 223:
          case 236:
            return true;
          case 233:
            return !isHeritageClause(node.parent) && !isJSDocAugmentsTag(node.parent);
          case 166:
            while (node.parent.kind === 166) {
              node = node.parent;
            }
            return node.parent.kind === 186 || isJSDocLinkLike(node.parent) || isJSDocNameReference(node.parent) || isJSDocMemberName(node.parent) || isJSXTagName(node);
          case 311:
            while (isJSDocMemberName(node.parent)) {
              node = node.parent;
            }
            return node.parent.kind === 186 || isJSDocLinkLike(node.parent) || isJSDocNameReference(node.parent) || isJSDocMemberName(node.parent) || isJSXTagName(node);
          case 81:
            return isBinaryExpression(node.parent) && node.parent.left === node && node.parent.operatorToken.kind === 103;
          case 80:
            if (node.parent.kind === 186 || isJSDocLinkLike(node.parent) || isJSDocNameReference(node.parent) || isJSDocMemberName(node.parent) || isJSXTagName(node)) {
              return true;
            }
          case 9:
          case 10:
          case 11:
          case 15:
          case 110:
            return isInExpressionContext(node);
          default:
            return false;
        }
      }
      function isInExpressionContext(node) {
        const { parent: parent2 } = node;
        switch (parent2.kind) {
          case 260:
          case 169:
          case 172:
          case 171:
          case 306:
          case 303:
          case 208:
            return parent2.initializer === node;
          case 244:
          case 245:
          case 246:
          case 247:
          case 253:
          case 254:
          case 255:
          case 296:
          case 257:
            return parent2.expression === node;
          case 248:
            const forStatement = parent2;
            return forStatement.initializer === node && forStatement.initializer.kind !== 261 || forStatement.condition === node || forStatement.incrementor === node;
          case 249:
          case 250:
            const forInOrOfStatement = parent2;
            return forInOrOfStatement.initializer === node && forInOrOfStatement.initializer.kind !== 261 || forInOrOfStatement.expression === node;
          case 216:
          case 234:
            return node === parent2.expression;
          case 239:
            return node === parent2.expression;
          case 167:
            return node === parent2.expression;
          case 170:
          case 294:
          case 293:
          case 305:
            return true;
          case 233:
            return parent2.expression === node && !isPartOfTypeNode(parent2);
          case 304:
            return parent2.objectAssignmentInitializer === node;
          case 238:
            return node === parent2.expression;
          default:
            return isExpressionNode(parent2);
        }
      }
      function isPartOfTypeQuery(node) {
        while (node.kind === 166 || node.kind === 80) {
          node = node.parent;
        }
        return node.kind === 186;
      }
      function isNamespaceReexportDeclaration(node) {
        return isNamespaceExport(node) && !!node.parent.moduleSpecifier;
      }
      function isExternalModuleImportEqualsDeclaration(node) {
        return node.kind === 271 && node.moduleReference.kind === 283;
      }
      function getExternalModuleImportEqualsDeclarationExpression(node) {
        Debug.assert(isExternalModuleImportEqualsDeclaration(node));
        return node.moduleReference.expression;
      }
      function getExternalModuleRequireArgument(node) {
        return isVariableDeclarationInitializedToBareOrAccessedRequire(node) && getLeftmostAccessExpression(node.initializer).arguments[0];
      }
      function isInternalModuleImportEqualsDeclaration(node) {
        return node.kind === 271 && node.moduleReference.kind !== 283;
      }
      function isFullSourceFile(sourceFile) {
        return (sourceFile == null ? void 0 : sourceFile.kind) === 307;
      }
      function isSourceFileJS(file) {
        return isInJSFile(file);
      }
      function isSourceFileNotJS(file) {
        return !isInJSFile(file);
      }
      function isInJSFile(node) {
        return !!node && !!(node.flags & 524288);
      }
      function isInJsonFile(node) {
        return !!node && !!(node.flags & 134217728);
      }
      function isSourceFileNotJson(file) {
        return !isJsonSourceFile(file);
      }
      function isInJSDoc(node) {
        return !!node && !!(node.flags & 16777216);
      }
      function isJSDocIndexSignature(node) {
        return isTypeReferenceNode(node) && isIdentifier(node.typeName) && node.typeName.escapedText === "Object" && node.typeArguments && node.typeArguments.length === 2 && (node.typeArguments[0].kind === 154 || node.typeArguments[0].kind === 150);
      }
      function isRequireCall(callExpression, requireStringLiteralLikeArgument) {
        if (callExpression.kind !== 213) {
          return false;
        }
        const { expression, arguments: args } = callExpression;
        if (expression.kind !== 80 || expression.escapedText !== "require") {
          return false;
        }
        if (args.length !== 1) {
          return false;
        }
        const arg = args[0];
        return !requireStringLiteralLikeArgument || isStringLiteralLike(arg);
      }
      function isVariableDeclarationInitializedToRequire(node) {
        return isVariableDeclarationInitializedWithRequireHelper(
          node,
          /*allowAccessedRequire*/
          false
        );
      }
      function isVariableDeclarationInitializedToBareOrAccessedRequire(node) {
        return isVariableDeclarationInitializedWithRequireHelper(
          node,
          /*allowAccessedRequire*/
          true
        );
      }
      function isBindingElementOfBareOrAccessedRequire(node) {
        return isBindingElement(node) && isVariableDeclarationInitializedToBareOrAccessedRequire(node.parent.parent);
      }
      function isVariableDeclarationInitializedWithRequireHelper(node, allowAccessedRequire) {
        return isVariableDeclaration(node) && !!node.initializer && isRequireCall(
          allowAccessedRequire ? getLeftmostAccessExpression(node.initializer) : node.initializer,
          /*requireStringLiteralLikeArgument*/
          true
        );
      }
      function isRequireVariableStatement(node) {
        return isVariableStatement(node) && node.declarationList.declarations.length > 0 && every(node.declarationList.declarations, (decl) => isVariableDeclarationInitializedToRequire(decl));
      }
      function isSingleOrDoubleQuote(charCode) {
        return charCode === 39 || charCode === 34;
      }
      function isStringDoubleQuoted(str, sourceFile) {
        return getSourceTextOfNodeFromSourceFile(sourceFile, str).charCodeAt(0) === 34;
      }
      function isAssignmentDeclaration(decl) {
        return isBinaryExpression(decl) || isAccessExpression(decl) || isIdentifier(decl) || isCallExpression2(decl);
      }
      function getEffectiveInitializer(node) {
        if (isInJSFile(node) && node.initializer && isBinaryExpression(node.initializer) && (node.initializer.operatorToken.kind === 57 || node.initializer.operatorToken.kind === 61) && node.name && isEntityNameExpression(node.name) && isSameEntityName(node.name, node.initializer.left)) {
          return node.initializer.right;
        }
        return node.initializer;
      }
      function getDeclaredExpandoInitializer(node) {
        const init = getEffectiveInitializer(node);
        return init && getExpandoInitializer(init, isPrototypeAccess(node.name));
      }
      function hasExpandoValueProperty(node, isPrototypeAssignment) {
        return forEach(node.properties, (p) => isPropertyAssignment(p) && isIdentifier(p.name) && p.name.escapedText === "value" && p.initializer && getExpandoInitializer(p.initializer, isPrototypeAssignment));
      }
      function getAssignedExpandoInitializer(node) {
        if (node && node.parent && isBinaryExpression(node.parent) && node.parent.operatorToken.kind === 64) {
          const isPrototypeAssignment = isPrototypeAccess(node.parent.left);
          return getExpandoInitializer(node.parent.right, isPrototypeAssignment) || getDefaultedExpandoInitializer(node.parent.left, node.parent.right, isPrototypeAssignment);
        }
        if (node && isCallExpression2(node) && isBindableObjectDefinePropertyCall(node)) {
          const result = hasExpandoValueProperty(node.arguments[2], node.arguments[1].text === "prototype");
          if (result) {
            return result;
          }
        }
      }
      function getExpandoInitializer(initializer, isPrototypeAssignment) {
        if (isCallExpression2(initializer)) {
          const e = skipParentheses(initializer.expression);
          return e.kind === 218 || e.kind === 219 ? initializer : void 0;
        }
        if (initializer.kind === 218 || initializer.kind === 231 || initializer.kind === 219) {
          return initializer;
        }
        if (isObjectLiteralExpression(initializer) && (initializer.properties.length === 0 || isPrototypeAssignment)) {
          return initializer;
        }
      }
      function getDefaultedExpandoInitializer(name, initializer, isPrototypeAssignment) {
        const e = isBinaryExpression(initializer) && (initializer.operatorToken.kind === 57 || initializer.operatorToken.kind === 61) && getExpandoInitializer(initializer.right, isPrototypeAssignment);
        if (e && isSameEntityName(name, initializer.left)) {
          return e;
        }
      }
      function isDefaultedExpandoInitializer(node) {
        const name = isVariableDeclaration(node.parent) ? node.parent.name : isBinaryExpression(node.parent) && node.parent.operatorToken.kind === 64 ? node.parent.left : void 0;
        return name && getExpandoInitializer(node.right, isPrototypeAccess(name)) && isEntityNameExpression(name) && isSameEntityName(name, node.left);
      }
      function getNameOfExpando(node) {
        if (isBinaryExpression(node.parent)) {
          const parent2 = (node.parent.operatorToken.kind === 57 || node.parent.operatorToken.kind === 61) && isBinaryExpression(node.parent.parent) ? node.parent.parent : node.parent;
          if (parent2.operatorToken.kind === 64 && isIdentifier(parent2.left)) {
            return parent2.left;
          }
        } else if (isVariableDeclaration(node.parent)) {
          return node.parent.name;
        }
      }
      function isSameEntityName(name, initializer) {
        if (isPropertyNameLiteral(name) && isPropertyNameLiteral(initializer)) {
          return getTextOfIdentifierOrLiteral(name) === getTextOfIdentifierOrLiteral(initializer);
        }
        if (isMemberName(name) && isLiteralLikeAccess(initializer) && (initializer.expression.kind === 110 || isIdentifier(initializer.expression) && (initializer.expression.escapedText === "window" || initializer.expression.escapedText === "self" || initializer.expression.escapedText === "global"))) {
          return isSameEntityName(name, getNameOrArgument(initializer));
        }
        if (isLiteralLikeAccess(name) && isLiteralLikeAccess(initializer)) {
          return getElementOrPropertyAccessName(name) === getElementOrPropertyAccessName(initializer) && isSameEntityName(name.expression, initializer.expression);
        }
        return false;
      }
      function getRightMostAssignedExpression(node) {
        while (isAssignmentExpression2(
          node,
          /*excludeCompoundAssignment*/
          true
        )) {
          node = node.right;
        }
        return node;
      }
      function isExportsIdentifier(node) {
        return isIdentifier(node) && node.escapedText === "exports";
      }
      function isModuleIdentifier(node) {
        return isIdentifier(node) && node.escapedText === "module";
      }
      function isModuleExportsAccessExpression(node) {
        return (isPropertyAccessExpression(node) || isLiteralLikeElementAccess(node)) && isModuleIdentifier(node.expression) && getElementOrPropertyAccessName(node) === "exports";
      }
      function getAssignmentDeclarationKind(expr) {
        const special = getAssignmentDeclarationKindWorker(expr);
        return special === 5 || isInJSFile(expr) ? special : 0;
      }
      function isBindableObjectDefinePropertyCall(expr) {
        return length(expr.arguments) === 3 && isPropertyAccessExpression(expr.expression) && isIdentifier(expr.expression.expression) && idText(expr.expression.expression) === "Object" && idText(expr.expression.name) === "defineProperty" && isStringOrNumericLiteralLike(expr.arguments[1]) && isBindableStaticNameExpression(
          expr.arguments[0],
          /*excludeThisKeyword*/
          true
        );
      }
      function isLiteralLikeAccess(node) {
        return isPropertyAccessExpression(node) || isLiteralLikeElementAccess(node);
      }
      function isLiteralLikeElementAccess(node) {
        return isElementAccessExpression(node) && isStringOrNumericLiteralLike(node.argumentExpression);
      }
      function isBindableStaticAccessExpression(node, excludeThisKeyword) {
        return isPropertyAccessExpression(node) && (!excludeThisKeyword && node.expression.kind === 110 || isIdentifier(node.name) && isBindableStaticNameExpression(
          node.expression,
          /*excludeThisKeyword*/
          true
        )) || isBindableStaticElementAccessExpression(node, excludeThisKeyword);
      }
      function isBindableStaticElementAccessExpression(node, excludeThisKeyword) {
        return isLiteralLikeElementAccess(node) && (!excludeThisKeyword && node.expression.kind === 110 || isEntityNameExpression(node.expression) || isBindableStaticAccessExpression(
          node.expression,
          /*excludeThisKeyword*/
          true
        ));
      }
      function isBindableStaticNameExpression(node, excludeThisKeyword) {
        return isEntityNameExpression(node) || isBindableStaticAccessExpression(node, excludeThisKeyword);
      }
      function getNameOrArgument(expr) {
        if (isPropertyAccessExpression(expr)) {
          return expr.name;
        }
        return expr.argumentExpression;
      }
      function getAssignmentDeclarationKindWorker(expr) {
        if (isCallExpression2(expr)) {
          if (!isBindableObjectDefinePropertyCall(expr)) {
            return 0;
          }
          const entityName = expr.arguments[0];
          if (isExportsIdentifier(entityName) || isModuleExportsAccessExpression(entityName)) {
            return 8;
          }
          if (isBindableStaticAccessExpression(entityName) && getElementOrPropertyAccessName(entityName) === "prototype") {
            return 9;
          }
          return 7;
        }
        if (expr.operatorToken.kind !== 64 || !isAccessExpression(expr.left) || isVoidZero(getRightMostAssignedExpression(expr))) {
          return 0;
        }
        if (isBindableStaticNameExpression(
          expr.left.expression,
          /*excludeThisKeyword*/
          true
        ) && getElementOrPropertyAccessName(expr.left) === "prototype" && isObjectLiteralExpression(getInitializerOfBinaryExpression(expr))) {
          return 6;
        }
        return getAssignmentDeclarationPropertyAccessKind(expr.left);
      }
      function isVoidZero(node) {
        return isVoidExpression(node) && isNumericLiteral(node.expression) && node.expression.text === "0";
      }
      function getElementOrPropertyAccessArgumentExpressionOrName(node) {
        if (isPropertyAccessExpression(node)) {
          return node.name;
        }
        const arg = skipParentheses(node.argumentExpression);
        if (isNumericLiteral(arg) || isStringLiteralLike(arg)) {
          return arg;
        }
        return node;
      }
      function getElementOrPropertyAccessName(node) {
        const name = getElementOrPropertyAccessArgumentExpressionOrName(node);
        if (name) {
          if (isIdentifier(name)) {
            return name.escapedText;
          }
          if (isStringLiteralLike(name) || isNumericLiteral(name)) {
            return escapeLeadingUnderscores(name.text);
          }
        }
        return void 0;
      }
      function getAssignmentDeclarationPropertyAccessKind(lhs) {
        if (lhs.expression.kind === 110) {
          return 4;
        } else if (isModuleExportsAccessExpression(lhs)) {
          return 2;
        } else if (isBindableStaticNameExpression(
          lhs.expression,
          /*excludeThisKeyword*/
          true
        )) {
          if (isPrototypeAccess(lhs.expression)) {
            return 3;
          }
          let nextToLast = lhs;
          while (!isIdentifier(nextToLast.expression)) {
            nextToLast = nextToLast.expression;
          }
          const id = nextToLast.expression;
          if ((id.escapedText === "exports" || id.escapedText === "module" && getElementOrPropertyAccessName(nextToLast) === "exports") && // ExportsProperty does not support binding with computed names
          isBindableStaticAccessExpression(lhs)) {
            return 1;
          }
          if (isBindableStaticNameExpression(
            lhs,
            /*excludeThisKeyword*/
            true
          ) || isElementAccessExpression(lhs) && isDynamicName(lhs)) {
            return 5;
          }
        }
        return 0;
      }
      function getInitializerOfBinaryExpression(expr) {
        while (isBinaryExpression(expr.right)) {
          expr = expr.right;
        }
        return expr.right;
      }
      function isPrototypePropertyAssignment(node) {
        return isBinaryExpression(node) && getAssignmentDeclarationKind(node) === 3;
      }
      function isSpecialPropertyDeclaration(expr) {
        return isInJSFile(expr) && expr.parent && expr.parent.kind === 244 && (!isElementAccessExpression(expr) || isLiteralLikeElementAccess(expr)) && !!getJSDocTypeTag(expr.parent);
      }
      function setValueDeclaration(symbol, node) {
        const { valueDeclaration } = symbol;
        if (!valueDeclaration || !(node.flags & 33554432 && !isInJSFile(node) && !(valueDeclaration.flags & 33554432)) && (isAssignmentDeclaration(valueDeclaration) && !isAssignmentDeclaration(node)) || valueDeclaration.kind !== node.kind && isEffectiveModuleDeclaration(valueDeclaration)) {
          symbol.valueDeclaration = node;
        }
      }
      function isFunctionSymbol(symbol) {
        if (!symbol || !symbol.valueDeclaration) {
          return false;
        }
        const decl = symbol.valueDeclaration;
        return decl.kind === 262 || isVariableDeclaration(decl) && decl.initializer && isFunctionLike(decl.initializer);
      }
      function tryGetModuleSpecifierFromDeclaration(node) {
        var _a, _b;
        switch (node.kind) {
          case 260:
          case 208:
            return (_a = findAncestor(node.initializer, (node2) => isRequireCall(
              node2,
              /*requireStringLiteralLikeArgument*/
              true
            ))) == null ? void 0 : _a.arguments[0];
          case 272:
          case 278:
          case 351:
            return tryCast(node.moduleSpecifier, isStringLiteralLike);
          case 271:
            return tryCast((_b = tryCast(node.moduleReference, isExternalModuleReference)) == null ? void 0 : _b.expression, isStringLiteralLike);
          case 273:
          case 280:
            return tryCast(node.parent.moduleSpecifier, isStringLiteralLike);
          case 274:
          case 281:
            return tryCast(node.parent.parent.moduleSpecifier, isStringLiteralLike);
          case 276:
            return tryCast(node.parent.parent.parent.moduleSpecifier, isStringLiteralLike);
          case 205:
            return isLiteralImportTypeNode(node) ? node.argument.literal : void 0;
          default:
            Debug.assertNever(node);
        }
      }
      function importFromModuleSpecifier(node) {
        return tryGetImportFromModuleSpecifier(node) || Debug.failBadSyntaxKind(node.parent);
      }
      function tryGetImportFromModuleSpecifier(node) {
        switch (node.parent.kind) {
          case 272:
          case 278:
          case 351:
            return node.parent;
          case 283:
            return node.parent.parent;
          case 213:
            return isImportCall(node.parent) || isRequireCall(
              node.parent,
              /*requireStringLiteralLikeArgument*/
              false
            ) ? node.parent : void 0;
          case 201:
            Debug.assert(isStringLiteral2(node));
            return tryCast(node.parent.parent, isImportTypeNode);
          default:
            return void 0;
        }
      }
      function getExternalModuleName(node) {
        switch (node.kind) {
          case 272:
          case 278:
          case 351:
            return node.moduleSpecifier;
          case 271:
            return node.moduleReference.kind === 283 ? node.moduleReference.expression : void 0;
          case 205:
            return isLiteralImportTypeNode(node) ? node.argument.literal : void 0;
          case 213:
            return node.arguments[0];
          case 267:
            return node.name.kind === 11 ? node.name : void 0;
          default:
            return Debug.assertNever(node);
        }
      }
      function getNamespaceDeclarationNode(node) {
        switch (node.kind) {
          case 272:
            return node.importClause && tryCast(node.importClause.namedBindings, isNamespaceImport);
          case 271:
            return node;
          case 278:
            return node.exportClause && tryCast(node.exportClause, isNamespaceExport);
          default:
            return Debug.assertNever(node);
        }
      }
      function isDefaultImport(node) {
        return (node.kind === 272 || node.kind === 351) && !!node.importClause && !!node.importClause.name;
      }
      function forEachImportClauseDeclaration(node, action) {
        if (node.name) {
          const result = action(node);
          if (result) return result;
        }
        if (node.namedBindings) {
          const result = isNamespaceImport(node.namedBindings) ? action(node.namedBindings) : forEach(node.namedBindings.elements, action);
          if (result) return result;
        }
      }
      function hasQuestionToken(node) {
        if (node) {
          switch (node.kind) {
            case 169:
            case 174:
            case 173:
            case 304:
            case 303:
            case 172:
            case 171:
              return node.questionToken !== void 0;
          }
        }
        return false;
      }
      function isJSDocConstructSignature(node) {
        const param = isJSDocFunctionType(node) ? firstOrUndefined(node.parameters) : void 0;
        const name = tryCast(param && param.name, isIdentifier);
        return !!name && name.escapedText === "new";
      }
      function isJSDocTypeAlias(node) {
        return node.kind === 346 || node.kind === 338 || node.kind === 340;
      }
      function isTypeAlias(node) {
        return isJSDocTypeAlias(node) || isTypeAliasDeclaration(node);
      }
      function getSourceOfAssignment(node) {
        return isExpressionStatement2(node) && isBinaryExpression(node.expression) && node.expression.operatorToken.kind === 64 ? getRightMostAssignedExpression(node.expression) : void 0;
      }
      function getSourceOfDefaultedAssignment(node) {
        return isExpressionStatement2(node) && isBinaryExpression(node.expression) && getAssignmentDeclarationKind(node.expression) !== 0 && isBinaryExpression(node.expression.right) && (node.expression.right.operatorToken.kind === 57 || node.expression.right.operatorToken.kind === 61) ? node.expression.right.right : void 0;
      }
      function getSingleInitializerOfVariableStatementOrPropertyDeclaration(node) {
        switch (node.kind) {
          case 243:
            const v = getSingleVariableOfVariableStatement(node);
            return v && v.initializer;
          case 172:
            return node.initializer;
          case 303:
            return node.initializer;
        }
      }
      function getSingleVariableOfVariableStatement(node) {
        return isVariableStatement(node) ? firstOrUndefined(node.declarationList.declarations) : void 0;
      }
      function getNestedModuleDeclaration(node) {
        return isModuleDeclaration(node) && node.body && node.body.kind === 267 ? node.body : void 0;
      }
      function canHaveFlowNode(node) {
        if (node.kind >= 243 && node.kind <= 259) {
          return true;
        }
        switch (node.kind) {
          case 80:
          case 110:
          case 108:
          case 166:
          case 236:
          case 212:
          case 211:
          case 208:
          case 218:
          case 219:
          case 174:
          case 177:
          case 178:
            return true;
          default:
            return false;
        }
      }
      function canHaveJSDoc(node) {
        switch (node.kind) {
          case 219:
          case 226:
          case 241:
          case 252:
          case 179:
          case 296:
          case 263:
          case 231:
          case 175:
          case 176:
          case 185:
          case 180:
          case 251:
          case 259:
          case 246:
          case 212:
          case 242:
          case 1:
          case 266:
          case 306:
          case 277:
          case 278:
          case 281:
          case 244:
          case 249:
          case 250:
          case 248:
          case 262:
          case 218:
          case 184:
          case 177:
          case 80:
          case 245:
          case 272:
          case 271:
          case 181:
          case 264:
          case 317:
          case 323:
          case 256:
          case 174:
          case 173:
          case 267:
          case 202:
          case 270:
          case 210:
          case 169:
          case 217:
          case 211:
          case 303:
          case 172:
          case 171:
          case 253:
          case 240:
          case 178:
          case 304:
          case 305:
          case 255:
          case 257:
          case 258:
          case 265:
          case 168:
          case 260:
          case 243:
          case 247:
          case 254:
            return true;
          default:
            return false;
        }
      }
      function getJSDocCommentsAndTags(hostNode, noCache) {
        let result;
        if (isVariableLike(hostNode) && hasInitializer(hostNode) && hasJSDocNodes(hostNode.initializer)) {
          result = addRange(result, filterOwnedJSDocTags(hostNode, hostNode.initializer.jsDoc));
        }
        let node = hostNode;
        while (node && node.parent) {
          if (hasJSDocNodes(node)) {
            result = addRange(result, filterOwnedJSDocTags(hostNode, node.jsDoc));
          }
          if (node.kind === 169) {
            result = addRange(result, (noCache ? getJSDocParameterTagsNoCache : getJSDocParameterTags)(node));
            break;
          }
          if (node.kind === 168) {
            result = addRange(result, (noCache ? getJSDocTypeParameterTagsNoCache : getJSDocTypeParameterTags)(node));
            break;
          }
          node = getNextJSDocCommentLocation(node);
        }
        return result || emptyArray;
      }
      function filterOwnedJSDocTags(hostNode, comments) {
        const lastJsDoc = last(comments);
        return flatMap(comments, (jsDoc) => {
          if (jsDoc === lastJsDoc) {
            const ownedTags = filter(jsDoc.tags, (tag) => ownsJSDocTag(hostNode, tag));
            return jsDoc.tags === ownedTags ? [jsDoc] : ownedTags;
          } else {
            return filter(jsDoc.tags, isJSDocOverloadTag);
          }
        });
      }
      function ownsJSDocTag(hostNode, tag) {
        return !(isJSDocTypeTag(tag) || isJSDocSatisfiesTag(tag)) || !tag.parent || !isJSDoc(tag.parent) || !isParenthesizedExpression(tag.parent.parent) || tag.parent.parent === hostNode;
      }
      function getNextJSDocCommentLocation(node) {
        const parent2 = node.parent;
        if (parent2.kind === 303 || parent2.kind === 277 || parent2.kind === 172 || parent2.kind === 244 && node.kind === 211 || parent2.kind === 253 || getNestedModuleDeclaration(parent2) || isAssignmentExpression2(node)) {
          return parent2;
        } else if (parent2.parent && (getSingleVariableOfVariableStatement(parent2.parent) === node || isAssignmentExpression2(parent2))) {
          return parent2.parent;
        } else if (parent2.parent && parent2.parent.parent && (getSingleVariableOfVariableStatement(parent2.parent.parent) || getSingleInitializerOfVariableStatementOrPropertyDeclaration(parent2.parent.parent) === node || getSourceOfDefaultedAssignment(parent2.parent.parent))) {
          return parent2.parent.parent;
        }
      }
      function getParameterSymbolFromJSDoc(node) {
        if (node.symbol) {
          return node.symbol;
        }
        if (!isIdentifier(node.name)) {
          return void 0;
        }
        const name = node.name.escapedText;
        const decl = getHostSignatureFromJSDoc(node);
        if (!decl) {
          return void 0;
        }
        const parameter = find(decl.parameters, (p) => p.name.kind === 80 && p.name.escapedText === name);
        return parameter && parameter.symbol;
      }
      function getEffectiveContainerForJSDocTemplateTag(node) {
        if (isJSDoc(node.parent) && node.parent.tags) {
          const typeAlias = find(node.parent.tags, isJSDocTypeAlias);
          if (typeAlias) {
            return typeAlias;
          }
        }
        return getHostSignatureFromJSDoc(node);
      }
      function getJSDocOverloadTags(node) {
        return getAllJSDocTags(node, isJSDocOverloadTag);
      }
      function getHostSignatureFromJSDoc(node) {
        const host = getEffectiveJSDocHost(node);
        if (host) {
          return isPropertySignature(host) && host.type && isFunctionLike(host.type) ? host.type : isFunctionLike(host) ? host : void 0;
        }
        return void 0;
      }
      function getEffectiveJSDocHost(node) {
        const host = getJSDocHost(node);
        if (host) {
          return getSourceOfDefaultedAssignment(host) || getSourceOfAssignment(host) || getSingleInitializerOfVariableStatementOrPropertyDeclaration(host) || getSingleVariableOfVariableStatement(host) || getNestedModuleDeclaration(host) || host;
        }
      }
      function getJSDocHost(node) {
        const jsDoc = getJSDocRoot(node);
        if (!jsDoc) {
          return void 0;
        }
        const host = jsDoc.parent;
        if (host && host.jsDoc && jsDoc === lastOrUndefined(host.jsDoc)) {
          return host;
        }
      }
      function getJSDocRoot(node) {
        return findAncestor(node.parent, isJSDoc);
      }
      function getTypeParameterFromJsDoc(node) {
        const name = node.name.escapedText;
        const { typeParameters } = node.parent.parent.parent;
        return typeParameters && find(typeParameters, (p) => p.name.escapedText === name);
      }
      function hasTypeArguments(node) {
        return !!node.typeArguments;
      }
      var AssignmentKind = /* @__PURE__ */ ((AssignmentKind2) => {
        AssignmentKind2[AssignmentKind2["None"] = 0] = "None";
        AssignmentKind2[AssignmentKind2["Definite"] = 1] = "Definite";
        AssignmentKind2[AssignmentKind2["Compound"] = 2] = "Compound";
        return AssignmentKind2;
      })(AssignmentKind || {});
      function getAssignmentTarget(node) {
        let parent2 = node.parent;
        while (true) {
          switch (parent2.kind) {
            case 226:
              const binaryExpression = parent2;
              const binaryOperator = binaryExpression.operatorToken.kind;
              return isAssignmentOperator(binaryOperator) && binaryExpression.left === node ? binaryExpression : void 0;
            case 224:
            case 225:
              const unaryExpression = parent2;
              const unaryOperator = unaryExpression.operator;
              return unaryOperator === 46 || unaryOperator === 47 ? unaryExpression : void 0;
            case 249:
            case 250:
              const forInOrOfStatement = parent2;
              return forInOrOfStatement.initializer === node ? forInOrOfStatement : void 0;
            case 217:
            case 209:
            case 230:
            case 235:
              node = parent2;
              break;
            case 305:
              node = parent2.parent;
              break;
            case 304:
              if (parent2.name !== node) {
                return void 0;
              }
              node = parent2.parent;
              break;
            case 303:
              if (parent2.name === node) {
                return void 0;
              }
              node = parent2.parent;
              break;
            default:
              return void 0;
          }
          parent2 = node.parent;
        }
      }
      function getAssignmentTargetKind(node) {
        const target = getAssignmentTarget(node);
        if (!target) {
          return 0;
        }
        switch (target.kind) {
          case 226:
            const binaryOperator = target.operatorToken.kind;
            return binaryOperator === 64 || isLogicalOrCoalescingAssignmentOperator(binaryOperator) ? 1 : 2;
          case 224:
          case 225:
            return 2;
          case 249:
          case 250:
            return 1;
        }
      }
      function isAssignmentTarget(node) {
        return !!getAssignmentTarget(node);
      }
      function isCompoundLikeAssignment(assignment) {
        const right = skipParentheses(assignment.right);
        return right.kind === 226 && isShiftOperatorOrHigher(right.operatorToken.kind);
      }
      function isInCompoundLikeAssignment(node) {
        const target = getAssignmentTarget(node);
        return !!target && isAssignmentExpression2(
          target,
          /*excludeCompoundAssignment*/
          true
        ) && isCompoundLikeAssignment(target);
      }
      function isNodeWithPossibleHoistedDeclaration(node) {
        switch (node.kind) {
          case 241:
          case 243:
          case 254:
          case 245:
          case 255:
          case 269:
          case 296:
          case 297:
          case 256:
          case 248:
          case 249:
          case 250:
          case 246:
          case 247:
          case 258:
          case 299:
            return true;
        }
        return false;
      }
      function isValueSignatureDeclaration(node) {
        return isFunctionExpression(node) || isArrowFunction(node) || isMethodOrAccessor(node) || isFunctionDeclaration(node) || isConstructorDeclaration(node);
      }
      function walkUp(node, kind) {
        while (node && node.kind === kind) {
          node = node.parent;
        }
        return node;
      }
      function walkUpParenthesizedTypes(node) {
        return walkUp(
          node,
          196
          /* ParenthesizedType */
        );
      }
      function walkUpParenthesizedExpressions(node) {
        return walkUp(
          node,
          217
          /* ParenthesizedExpression */
        );
      }
      function walkUpParenthesizedTypesAndGetParentAndChild(node) {
        let child;
        while (node && node.kind === 196) {
          child = node;
          node = node.parent;
        }
        return [child, node];
      }
      function skipTypeParentheses(node) {
        while (isParenthesizedTypeNode(node)) node = node.type;
        return node;
      }
      function skipParentheses(node, excludeJSDocTypeAssertions) {
        const flags = excludeJSDocTypeAssertions ? 1 | 16 : 1;
        return skipOuterExpressions(node, flags);
      }
      function isDeleteTarget(node) {
        if (node.kind !== 211 && node.kind !== 212) {
          return false;
        }
        node = walkUpParenthesizedExpressions(node.parent);
        return node && node.kind === 220;
      }
      function isNodeDescendantOf(node, ancestor) {
        while (node) {
          if (node === ancestor) return true;
          node = node.parent;
        }
        return false;
      }
      function isDeclarationName(name) {
        return !isSourceFile(name) && !isBindingPattern(name) && isDeclaration(name.parent) && name.parent.name === name;
      }
      function getDeclarationFromName(name) {
        const parent2 = name.parent;
        switch (name.kind) {
          case 11:
          case 15:
          case 9:
            if (isComputedPropertyName(parent2)) return parent2.parent;
          case 80:
            if (isDeclaration(parent2)) {
              return parent2.name === name ? parent2 : void 0;
            } else if (isQualifiedName(parent2)) {
              const tag = parent2.parent;
              return isJSDocParameterTag(tag) && tag.name === parent2 ? tag : void 0;
            } else {
              const binExp = parent2.parent;
              return isBinaryExpression(binExp) && getAssignmentDeclarationKind(binExp) !== 0 && (binExp.left.symbol || binExp.symbol) && getNameOfDeclaration(binExp) === name ? binExp : void 0;
            }
          case 81:
            return isDeclaration(parent2) && parent2.name === name ? parent2 : void 0;
          default:
            return void 0;
        }
      }
      function isLiteralComputedPropertyDeclarationName(node) {
        return isStringOrNumericLiteralLike(node) && node.parent.kind === 167 && isDeclaration(node.parent.parent);
      }
      function isIdentifierName4(node) {
        const parent2 = node.parent;
        switch (parent2.kind) {
          case 172:
          case 171:
          case 174:
          case 173:
          case 177:
          case 178:
          case 306:
          case 303:
          case 211:
            return parent2.name === node;
          case 166:
            return parent2.right === node;
          case 208:
          case 276:
            return parent2.propertyName === node;
          case 281:
          case 291:
          case 285:
          case 286:
          case 287:
            return true;
        }
        return false;
      }
      function isAliasSymbolDeclaration(node) {
        if (node.kind === 271 || node.kind === 270 || node.kind === 273 && !!node.name || node.kind === 274 || node.kind === 280 || node.kind === 276 || node.kind === 281 || node.kind === 277 && exportAssignmentIsAlias(node)) {
          return true;
        }
        return isInJSFile(node) && (isBinaryExpression(node) && getAssignmentDeclarationKind(node) === 2 && exportAssignmentIsAlias(node) || isPropertyAccessExpression(node) && isBinaryExpression(node.parent) && node.parent.left === node && node.parent.operatorToken.kind === 64 && isAliasableExpression(node.parent.right));
      }
      function getAliasDeclarationFromName(node) {
        switch (node.parent.kind) {
          case 273:
          case 276:
          case 274:
          case 281:
          case 277:
          case 271:
          case 280:
            return node.parent;
          case 166:
            do {
              node = node.parent;
            } while (node.parent.kind === 166);
            return getAliasDeclarationFromName(node);
        }
      }
      function isAliasableExpression(e) {
        return isEntityNameExpression(e) || isClassExpression(e);
      }
      function exportAssignmentIsAlias(node) {
        const e = getExportAssignmentExpression(node);
        return isAliasableExpression(e);
      }
      function getExportAssignmentExpression(node) {
        return isExportAssignment(node) ? node.expression : node.right;
      }
      function getPropertyAssignmentAliasLikeExpression(node) {
        return node.kind === 304 ? node.name : node.kind === 303 ? node.initializer : node.parent.right;
      }
      function getEffectiveBaseTypeNode(node) {
        const baseType = getClassExtendsHeritageElement(node);
        if (baseType && isInJSFile(node)) {
          const tag = getJSDocAugmentsTag(node);
          if (tag) {
            return tag.class;
          }
        }
        return baseType;
      }
      function getClassExtendsHeritageElement(node) {
        const heritageClause = getHeritageClause(
          node.heritageClauses,
          96
          /* ExtendsKeyword */
        );
        return heritageClause && heritageClause.types.length > 0 ? heritageClause.types[0] : void 0;
      }
      function getEffectiveImplementsTypeNodes(node) {
        if (isInJSFile(node)) {
          return getJSDocImplementsTags(node).map((n) => n.class);
        } else {
          const heritageClause = getHeritageClause(
            node.heritageClauses,
            119
            /* ImplementsKeyword */
          );
          return heritageClause == null ? void 0 : heritageClause.types;
        }
      }
      function getAllSuperTypeNodes(node) {
        return isInterfaceDeclaration(node) ? getInterfaceBaseTypeNodes(node) || emptyArray : isClassLike(node) ? concatenate(singleElementArray(getEffectiveBaseTypeNode(node)), getEffectiveImplementsTypeNodes(node)) || emptyArray : emptyArray;
      }
      function getInterfaceBaseTypeNodes(node) {
        const heritageClause = getHeritageClause(
          node.heritageClauses,
          96
          /* ExtendsKeyword */
        );
        return heritageClause ? heritageClause.types : void 0;
      }
      function getHeritageClause(clauses, kind) {
        if (clauses) {
          for (const clause of clauses) {
            if (clause.token === kind) {
              return clause;
            }
          }
        }
        return void 0;
      }
      function getAncestor2(node, kind) {
        while (node) {
          if (node.kind === kind) {
            return node;
          }
          node = node.parent;
        }
        return void 0;
      }
      function isKeyword2(token) {
        return 83 <= token && token <= 165;
      }
      function isPunctuation(token) {
        return 19 <= token && token <= 79;
      }
      function isKeywordOrPunctuation(token) {
        return isKeyword2(token) || isPunctuation(token);
      }
      function isContextualKeyword(token) {
        return 128 <= token && token <= 165;
      }
      function isNonContextualKeyword(token) {
        return isKeyword2(token) && !isContextualKeyword(token);
      }
      function isFutureReservedKeyword(token) {
        return 119 <= token && token <= 127;
      }
      function isStringANonContextualKeyword(name) {
        const token = stringToToken(name);
        return token !== void 0 && isNonContextualKeyword(token);
      }
      function isStringAKeyword(name) {
        const token = stringToToken(name);
        return token !== void 0 && isKeyword2(token);
      }
      function isIdentifierANonContextualKeyword(node) {
        const originalKeywordKind = identifierToKeywordKind(node);
        return !!originalKeywordKind && !isContextualKeyword(originalKeywordKind);
      }
      function isTrivia(token) {
        return 2 <= token && token <= 7;
      }
      var FunctionFlags = /* @__PURE__ */ ((FunctionFlags2) => {
        FunctionFlags2[FunctionFlags2["Normal"] = 0] = "Normal";
        FunctionFlags2[FunctionFlags2["Generator"] = 1] = "Generator";
        FunctionFlags2[FunctionFlags2["Async"] = 2] = "Async";
        FunctionFlags2[FunctionFlags2["Invalid"] = 4] = "Invalid";
        FunctionFlags2[FunctionFlags2["AsyncGenerator"] = 3] = "AsyncGenerator";
        return FunctionFlags2;
      })(FunctionFlags || {});
      function getFunctionFlags(node) {
        if (!node) {
          return 4;
        }
        let flags = 0;
        switch (node.kind) {
          case 262:
          case 218:
          case 174:
            if (node.asteriskToken) {
              flags |= 1;
            }
          case 219:
            if (hasSyntacticModifier(
              node,
              1024
              /* Async */
            )) {
              flags |= 2;
            }
            break;
        }
        if (!node.body) {
          flags |= 4;
        }
        return flags;
      }
      function isAsyncFunction(node) {
        switch (node.kind) {
          case 262:
          case 218:
          case 219:
          case 174:
            return node.body !== void 0 && node.asteriskToken === void 0 && hasSyntacticModifier(
              node,
              1024
              /* Async */
            );
        }
        return false;
      }
      function isStringOrNumericLiteralLike(node) {
        return isStringLiteralLike(node) || isNumericLiteral(node);
      }
      function isSignedNumericLiteral(node) {
        return isPrefixUnaryExpression(node) && (node.operator === 40 || node.operator === 41) && isNumericLiteral(node.operand);
      }
      function hasDynamicName(declaration) {
        const name = getNameOfDeclaration(declaration);
        return !!name && isDynamicName(name);
      }
      function isDynamicName(name) {
        if (!(name.kind === 167 || name.kind === 212)) {
          return false;
        }
        const expr = isElementAccessExpression(name) ? skipParentheses(name.argumentExpression) : name.expression;
        return !isStringOrNumericLiteralLike(expr) && !isSignedNumericLiteral(expr);
      }
      function getPropertyNameForPropertyNameNode(name) {
        switch (name.kind) {
          case 80:
          case 81:
            return name.escapedText;
          case 11:
          case 15:
          case 9:
            return escapeLeadingUnderscores(name.text);
          case 167:
            const nameExpression = name.expression;
            if (isStringOrNumericLiteralLike(nameExpression)) {
              return escapeLeadingUnderscores(nameExpression.text);
            } else if (isSignedNumericLiteral(nameExpression)) {
              if (nameExpression.operator === 41) {
                return tokenToString(nameExpression.operator) + nameExpression.operand.text;
              }
              return nameExpression.operand.text;
            }
            return void 0;
          case 295:
            return getEscapedTextOfJsxNamespacedName(name);
          default:
            return Debug.assertNever(name);
        }
      }
      function isPropertyNameLiteral(node) {
        switch (node.kind) {
          case 80:
          case 11:
          case 15:
          case 9:
            return true;
          default:
            return false;
        }
      }
      function getTextOfIdentifierOrLiteral(node) {
        return isMemberName(node) ? idText(node) : isJsxNamespacedName(node) ? getTextOfJsxNamespacedName(node) : node.text;
      }
      function getEscapedTextOfIdentifierOrLiteral(node) {
        return isMemberName(node) ? node.escapedText : isJsxNamespacedName(node) ? getEscapedTextOfJsxNamespacedName(node) : escapeLeadingUnderscores(node.text);
      }
      function getPropertyNameForUniqueESSymbol(symbol) {
        return `__@${getSymbolId(symbol)}@${symbol.escapedName}`;
      }
      function getSymbolNameForPrivateIdentifier(containingClassSymbol, description3) {
        return `__#${getSymbolId(containingClassSymbol)}@${description3}`;
      }
      function isKnownSymbol(symbol) {
        return startsWith2(symbol.escapedName, "__@");
      }
      function isPrivateIdentifierSymbol(symbol) {
        return startsWith2(symbol.escapedName, "__#");
      }
      function isESSymbolIdentifier(node) {
        return node.kind === 80 && node.escapedText === "Symbol";
      }
      function isProtoSetter(node) {
        return isIdentifier(node) ? idText(node) === "__proto__" : isStringLiteral2(node) && node.text === "__proto__";
      }
      function isAnonymousFunctionDefinition(node, cb) {
        node = skipOuterExpressions(node);
        switch (node.kind) {
          case 231:
            if (classHasDeclaredOrExplicitlyAssignedName(node)) {
              return false;
            }
            break;
          case 218:
            if (node.name) {
              return false;
            }
            break;
          case 219:
            break;
          default:
            return false;
        }
        return typeof cb === "function" ? cb(node) : true;
      }
      function isNamedEvaluationSource(node) {
        switch (node.kind) {
          case 303:
            return !isProtoSetter(node.name);
          case 304:
            return !!node.objectAssignmentInitializer;
          case 260:
            return isIdentifier(node.name) && !!node.initializer;
          case 169:
            return isIdentifier(node.name) && !!node.initializer && !node.dotDotDotToken;
          case 208:
            return isIdentifier(node.name) && !!node.initializer && !node.dotDotDotToken;
          case 172:
            return !!node.initializer;
          case 226:
            switch (node.operatorToken.kind) {
              case 64:
              case 77:
              case 76:
              case 78:
                return isIdentifier(node.left);
            }
            break;
          case 277:
            return true;
        }
        return false;
      }
      function isNamedEvaluation(node, cb) {
        if (!isNamedEvaluationSource(node)) return false;
        switch (node.kind) {
          case 303:
            return isAnonymousFunctionDefinition(node.initializer, cb);
          case 304:
            return isAnonymousFunctionDefinition(node.objectAssignmentInitializer, cb);
          case 260:
          case 169:
          case 208:
          case 172:
            return isAnonymousFunctionDefinition(node.initializer, cb);
          case 226:
            return isAnonymousFunctionDefinition(node.right, cb);
          case 277:
            return isAnonymousFunctionDefinition(node.expression, cb);
        }
      }
      function isPushOrUnshiftIdentifier(node) {
        return node.escapedText === "push" || node.escapedText === "unshift";
      }
      function isPartOfParameterDeclaration(node) {
        const root2 = getRootDeclaration(node);
        return root2.kind === 169;
      }
      function getRootDeclaration(node) {
        while (node.kind === 208) {
          node = node.parent.parent;
        }
        return node;
      }
      function nodeStartsNewLexicalEnvironment(node) {
        const kind = node.kind;
        return kind === 176 || kind === 218 || kind === 262 || kind === 219 || kind === 174 || kind === 177 || kind === 178 || kind === 267 || kind === 307;
      }
      function nodeIsSynthesized(range) {
        return positionIsSynthesized(range.pos) || positionIsSynthesized(range.end);
      }
      function getOriginalSourceFile(sourceFile) {
        return getParseTreeNode(sourceFile, isSourceFile) || sourceFile;
      }
      var Associativity = /* @__PURE__ */ ((Associativity2) => {
        Associativity2[Associativity2["Left"] = 0] = "Left";
        Associativity2[Associativity2["Right"] = 1] = "Right";
        return Associativity2;
      })(Associativity || {});
      function getExpressionAssociativity(expression) {
        const operator = getOperator(expression);
        const hasArguments = expression.kind === 214 && expression.arguments !== void 0;
        return getOperatorAssociativity(expression.kind, operator, hasArguments);
      }
      function getOperatorAssociativity(kind, operator, hasArguments) {
        switch (kind) {
          case 214:
            return hasArguments ? 0 : 1;
          case 224:
          case 221:
          case 222:
          case 220:
          case 223:
          case 227:
          case 229:
            return 1;
          case 226:
            switch (operator) {
              case 43:
              case 64:
              case 65:
              case 66:
              case 68:
              case 67:
              case 69:
              case 70:
              case 71:
              case 72:
              case 73:
              case 74:
              case 79:
              case 75:
              case 76:
              case 77:
              case 78:
                return 1;
            }
        }
        return 0;
      }
      function getExpressionPrecedence(expression) {
        const operator = getOperator(expression);
        const hasArguments = expression.kind === 214 && expression.arguments !== void 0;
        return getOperatorPrecedence(expression.kind, operator, hasArguments);
      }
      function getOperator(expression) {
        if (expression.kind === 226) {
          return expression.operatorToken.kind;
        } else if (expression.kind === 224 || expression.kind === 225) {
          return expression.operator;
        } else {
          return expression.kind;
        }
      }
      var OperatorPrecedence = /* @__PURE__ */ ((OperatorPrecedence2) => {
        OperatorPrecedence2[OperatorPrecedence2["Comma"] = 0] = "Comma";
        OperatorPrecedence2[OperatorPrecedence2["Spread"] = 1] = "Spread";
        OperatorPrecedence2[OperatorPrecedence2["Yield"] = 2] = "Yield";
        OperatorPrecedence2[OperatorPrecedence2["Assignment"] = 3] = "Assignment";
        OperatorPrecedence2[OperatorPrecedence2["Conditional"] = 4] = "Conditional";
        OperatorPrecedence2[
          OperatorPrecedence2["Coalesce"] = 4
          /* Conditional */
        ] = "Coalesce";
        OperatorPrecedence2[OperatorPrecedence2["LogicalOR"] = 5] = "LogicalOR";
        OperatorPrecedence2[OperatorPrecedence2["LogicalAND"] = 6] = "LogicalAND";
        OperatorPrecedence2[OperatorPrecedence2["BitwiseOR"] = 7] = "BitwiseOR";
        OperatorPrecedence2[OperatorPrecedence2["BitwiseXOR"] = 8] = "BitwiseXOR";
        OperatorPrecedence2[OperatorPrecedence2["BitwiseAND"] = 9] = "BitwiseAND";
        OperatorPrecedence2[OperatorPrecedence2["Equality"] = 10] = "Equality";
        OperatorPrecedence2[OperatorPrecedence2["Relational"] = 11] = "Relational";
        OperatorPrecedence2[OperatorPrecedence2["Shift"] = 12] = "Shift";
        OperatorPrecedence2[OperatorPrecedence2["Additive"] = 13] = "Additive";
        OperatorPrecedence2[OperatorPrecedence2["Multiplicative"] = 14] = "Multiplicative";
        OperatorPrecedence2[OperatorPrecedence2["Exponentiation"] = 15] = "Exponentiation";
        OperatorPrecedence2[OperatorPrecedence2["Unary"] = 16] = "Unary";
        OperatorPrecedence2[OperatorPrecedence2["Update"] = 17] = "Update";
        OperatorPrecedence2[OperatorPrecedence2["LeftHandSide"] = 18] = "LeftHandSide";
        OperatorPrecedence2[OperatorPrecedence2["Member"] = 19] = "Member";
        OperatorPrecedence2[OperatorPrecedence2["Primary"] = 20] = "Primary";
        OperatorPrecedence2[
          OperatorPrecedence2["Highest"] = 20
          /* Primary */
        ] = "Highest";
        OperatorPrecedence2[
          OperatorPrecedence2["Lowest"] = 0
          /* Comma */
        ] = "Lowest";
        OperatorPrecedence2[OperatorPrecedence2["Invalid"] = -1] = "Invalid";
        return OperatorPrecedence2;
      })(OperatorPrecedence || {});
      function getOperatorPrecedence(nodeKind, operatorKind, hasArguments) {
        switch (nodeKind) {
          case 355:
            return 0;
          case 230:
            return 1;
          case 229:
            return 2;
          case 227:
            return 4;
          case 226:
            switch (operatorKind) {
              case 28:
                return 0;
              case 64:
              case 65:
              case 66:
              case 68:
              case 67:
              case 69:
              case 70:
              case 71:
              case 72:
              case 73:
              case 74:
              case 79:
              case 75:
              case 76:
              case 77:
              case 78:
                return 3;
              default:
                return getBinaryOperatorPrecedence(operatorKind);
            }
          case 216:
          case 235:
          case 224:
          case 221:
          case 222:
          case 220:
          case 223:
            return 16;
          case 225:
            return 17;
          case 213:
            return 18;
          case 214:
            return hasArguments ? 19 : 18;
          case 215:
          case 211:
          case 212:
          case 236:
            return 19;
          case 234:
          case 238:
            return 11;
          case 110:
          case 108:
          case 80:
          case 81:
          case 106:
          case 112:
          case 97:
          case 9:
          case 10:
          case 11:
          case 209:
          case 210:
          case 218:
          case 219:
          case 231:
          case 14:
          case 15:
          case 228:
          case 217:
          case 232:
          case 284:
          case 285:
          case 288:
            return 20;
          default:
            return -1;
        }
      }
      function getBinaryOperatorPrecedence(kind) {
        switch (kind) {
          case 61:
            return 4;
          case 57:
            return 5;
          case 56:
            return 6;
          case 52:
            return 7;
          case 53:
            return 8;
          case 51:
            return 9;
          case 35:
          case 36:
          case 37:
          case 38:
            return 10;
          case 30:
          case 32:
          case 33:
          case 34:
          case 104:
          case 103:
          case 130:
          case 152:
            return 11;
          case 48:
          case 49:
          case 50:
            return 12;
          case 40:
          case 41:
            return 13;
          case 42:
          case 44:
          case 45:
            return 14;
          case 43:
            return 15;
        }
        return -1;
      }
      function getSemanticJsxChildren(children) {
        return filter(children, (i) => {
          switch (i.kind) {
            case 294:
              return !!i.expression;
            case 12:
              return !i.containsOnlyTriviaWhiteSpaces;
            default:
              return true;
          }
        });
      }
      function createDiagnosticCollection() {
        let nonFileDiagnostics = [];
        const filesWithDiagnostics = [];
        const fileDiagnostics = /* @__PURE__ */ new Map();
        let hasReadNonFileDiagnostics = false;
        return {
          add,
          lookup,
          getGlobalDiagnostics,
          getDiagnostics: getDiagnostics2
        };
        function lookup(diagnostic) {
          let diagnostics;
          if (diagnostic.file) {
            diagnostics = fileDiagnostics.get(diagnostic.file.fileName);
          } else {
            diagnostics = nonFileDiagnostics;
          }
          if (!diagnostics) {
            return void 0;
          }
          const result = binarySearch(diagnostics, diagnostic, identity2, compareDiagnosticsSkipRelatedInformation);
          if (result >= 0) {
            return diagnostics[result];
          }
          if (~result > 0 && diagnosticsEqualityComparer(diagnostic, diagnostics[~result - 1])) {
            return diagnostics[~result - 1];
          }
          return void 0;
        }
        function add(diagnostic) {
          let diagnostics;
          if (diagnostic.file) {
            diagnostics = fileDiagnostics.get(diagnostic.file.fileName);
            if (!diagnostics) {
              diagnostics = [];
              fileDiagnostics.set(diagnostic.file.fileName, diagnostics);
              insertSorted(filesWithDiagnostics, diagnostic.file.fileName, compareStringsCaseSensitive);
            }
          } else {
            if (hasReadNonFileDiagnostics) {
              hasReadNonFileDiagnostics = false;
              nonFileDiagnostics = nonFileDiagnostics.slice();
            }
            diagnostics = nonFileDiagnostics;
          }
          insertSorted(diagnostics, diagnostic, compareDiagnosticsSkipRelatedInformation, diagnosticsEqualityComparer);
        }
        function getGlobalDiagnostics() {
          hasReadNonFileDiagnostics = true;
          return nonFileDiagnostics;
        }
        function getDiagnostics2(fileName) {
          if (fileName) {
            return fileDiagnostics.get(fileName) || [];
          }
          const fileDiags = flatMapToMutable(filesWithDiagnostics, (f) => fileDiagnostics.get(f));
          if (!nonFileDiagnostics.length) {
            return fileDiags;
          }
          fileDiags.unshift(...nonFileDiagnostics);
          return fileDiags;
        }
      }
      var templateSubstitutionRegExp = /\$\{/g;
      function escapeTemplateSubstitution(str) {
        return str.replace(templateSubstitutionRegExp, "\\${");
      }
      function containsInvalidEscapeFlag(node) {
        return !!((node.templateFlags || 0) & 2048);
      }
      function hasInvalidEscape(template) {
        return template && !!(isNoSubstitutionTemplateLiteral(template) ? containsInvalidEscapeFlag(template) : containsInvalidEscapeFlag(template.head) || some(template.templateSpans, (span) => containsInvalidEscapeFlag(span.literal)));
      }
      var doubleQuoteEscapedCharsRegExp = /[\\"\u0000-\u001f\t\v\f\b\r\n\u2028\u2029\u0085]/g;
      var singleQuoteEscapedCharsRegExp = /[\\'\u0000-\u001f\t\v\f\b\r\n\u2028\u2029\u0085]/g;
      var backtickQuoteEscapedCharsRegExp = /\r\n|[\\`\u0000-\u001f\t\v\f\b\r\u2028\u2029\u0085]/g;
      var escapedCharsMap = new Map(Object.entries({
        "	": "\\t",
        "\v": "\\v",
        "\f": "\\f",
        "\b": "\\b",
        "\r": "\\r",
        "\n": "\\n",
        "\\": "\\\\",
        '"': '\\"',
        "'": "\\'",
        "`": "\\`",
        "\u2028": "\\u2028",
        // lineSeparator
        "\u2029": "\\u2029",
        // paragraphSeparator
        "\x85": "\\u0085",
        // nextLine
        "\r\n": "\\r\\n"
        // special case for CRLFs in backticks
      }));
      function encodeUtf16EscapeSequence(charCode) {
        const hexCharCode = charCode.toString(16).toUpperCase();
        const paddedHexCode = ("0000" + hexCharCode).slice(-4);
        return "\\u" + paddedHexCode;
      }
      function getReplacement3(c, offset, input) {
        if (c.charCodeAt(0) === 0) {
          const lookAhead = input.charCodeAt(offset + c.length);
          if (lookAhead >= 48 && lookAhead <= 57) {
            return "\\x00";
          }
          return "\\0";
        }
        return escapedCharsMap.get(c) || encodeUtf16EscapeSequence(c.charCodeAt(0));
      }
      function escapeString2(s, quoteChar) {
        const escapedCharsRegExp = quoteChar === 96 ? backtickQuoteEscapedCharsRegExp : quoteChar === 39 ? singleQuoteEscapedCharsRegExp : doubleQuoteEscapedCharsRegExp;
        return s.replace(escapedCharsRegExp, getReplacement3);
      }
      var nonAsciiCharacters = /[^\u0000-\u007F]/g;
      function escapeNonAsciiString(s, quoteChar) {
        s = escapeString2(s, quoteChar);
        return nonAsciiCharacters.test(s) ? s.replace(nonAsciiCharacters, (c) => encodeUtf16EscapeSequence(c.charCodeAt(0))) : s;
      }
      var jsxDoubleQuoteEscapedCharsRegExp = /["\u0000-\u001f\u2028\u2029\u0085]/g;
      var jsxSingleQuoteEscapedCharsRegExp = /['\u0000-\u001f\u2028\u2029\u0085]/g;
      var jsxEscapedCharsMap = new Map(Object.entries({
        '"': """,
        "'": "'"
      }));
      function encodeJsxCharacterEntity(charCode) {
        const hexCharCode = charCode.toString(16).toUpperCase();
        return "&#x" + hexCharCode + ";";
      }
      function getJsxAttributeStringReplacement(c) {
        if (c.charCodeAt(0) === 0) {
          return "�";
        }
        return jsxEscapedCharsMap.get(c) || encodeJsxCharacterEntity(c.charCodeAt(0));
      }
      function escapeJsxAttributeString(s, quoteChar) {
        const escapedCharsRegExp = quoteChar === 39 ? jsxSingleQuoteEscapedCharsRegExp : jsxDoubleQuoteEscapedCharsRegExp;
        return s.replace(escapedCharsRegExp, getJsxAttributeStringReplacement);
      }
      function stripQuotes(name) {
        const length2 = name.length;
        if (length2 >= 2 && name.charCodeAt(0) === name.charCodeAt(length2 - 1) && isQuoteOrBacktick(name.charCodeAt(0))) {
          return name.substring(1, length2 - 1);
        }
        return name;
      }
      function isQuoteOrBacktick(charCode) {
        return charCode === 39 || charCode === 34 || charCode === 96;
      }
      function isIntrinsicJsxName(name) {
        const ch = name.charCodeAt(0);
        return ch >= 97 && ch <= 122 || name.includes("-");
      }
      var indentStrings = ["", "    "];
      function getIndentString2(level) {
        const singleLevel = indentStrings[1];
        for (let current = indentStrings.length; current <= level; current++) {
          indentStrings.push(indentStrings[current - 1] + singleLevel);
        }
        return indentStrings[level];
      }
      function getIndentSize() {
        return indentStrings[1].length;
      }
      function createTextWriter(newLine) {
        var output;
        var indent3;
        var lineStart;
        var lineCount;
        var linePos;
        var hasTrailingComment = false;
        function updateLineCountAndPosFor(s) {
          const lineStartsOfS = computeLineStarts(s);
          if (lineStartsOfS.length > 1) {
            lineCount = lineCount + lineStartsOfS.length - 1;
            linePos = output.length - s.length + last(lineStartsOfS);
            lineStart = linePos - output.length === 0;
          } else {
            lineStart = false;
          }
        }
        function writeText(s) {
          if (s && s.length) {
            if (lineStart) {
              s = getIndentString2(indent3) + s;
              lineStart = false;
            }
            output += s;
            updateLineCountAndPosFor(s);
          }
        }
        function write(s) {
          if (s) hasTrailingComment = false;
          writeText(s);
        }
        function writeComment(s) {
          if (s) hasTrailingComment = true;
          writeText(s);
        }
        function reset2() {
          output = "";
          indent3 = 0;
          lineStart = true;
          lineCount = 0;
          linePos = 0;
          hasTrailingComment = false;
        }
        function rawWrite(s) {
          if (s !== void 0) {
            output += s;
            updateLineCountAndPosFor(s);
            hasTrailingComment = false;
          }
        }
        function writeLiteral(s) {
          if (s && s.length) {
            write(s);
          }
        }
        function writeLine(force) {
          if (!lineStart || force) {
            output += newLine;
            lineCount++;
            linePos = output.length;
            lineStart = true;
            hasTrailingComment = false;
          }
        }
        reset2();
        return {
          write,
          rawWrite,
          writeLiteral,
          writeLine,
          increaseIndent: () => {
            indent3++;
          },
          decreaseIndent: () => {
            indent3--;
          },
          getIndent: () => indent3,
          getTextPos: () => output.length,
          getLine: () => lineCount,
          getColumn: () => lineStart ? indent3 * getIndentSize() : output.length - linePos,
          getText: () => output,
          isAtStartOfLine: () => lineStart,
          hasTrailingComment: () => hasTrailingComment,
          hasTrailingWhitespace: () => !!output.length && isWhiteSpaceLike(output.charCodeAt(output.length - 1)),
          clear: reset2,
          writeKeyword: write,
          writeOperator: write,
          writeParameter: write,
          writeProperty: write,
          writePunctuation: write,
          writeSpace: write,
          writeStringLiteral: write,
          writeSymbol: (s, _) => write(s),
          writeTrailingSemicolon: write,
          writeComment
        };
      }
      function getTrailingSemicolonDeferringWriter(writer) {
        let pendingTrailingSemicolon = false;
        function commitPendingTrailingSemicolon() {
          if (pendingTrailingSemicolon) {
            writer.writeTrailingSemicolon(";");
            pendingTrailingSemicolon = false;
          }
        }
        return {
          ...writer,
          writeTrailingSemicolon() {
            pendingTrailingSemicolon = true;
          },
          writeLiteral(s) {
            commitPendingTrailingSemicolon();
            writer.writeLiteral(s);
          },
          writeStringLiteral(s) {
            commitPendingTrailingSemicolon();
            writer.writeStringLiteral(s);
          },
          writeSymbol(s, sym) {
            commitPendingTrailingSemicolon();
            writer.writeSymbol(s, sym);
          },
          writePunctuation(s) {
            commitPendingTrailingSemicolon();
            writer.writePunctuation(s);
          },
          writeKeyword(s) {
            commitPendingTrailingSemicolon();
            writer.writeKeyword(s);
          },
          writeOperator(s) {
            commitPendingTrailingSemicolon();
            writer.writeOperator(s);
          },
          writeParameter(s) {
            commitPendingTrailingSemicolon();
            writer.writeParameter(s);
          },
          writeSpace(s) {
            commitPendingTrailingSemicolon();
            writer.writeSpace(s);
          },
          writeProperty(s) {
            commitPendingTrailingSemicolon();
            writer.writeProperty(s);
          },
          writeComment(s) {
            commitPendingTrailingSemicolon();
            writer.writeComment(s);
          },
          writeLine() {
            commitPendingTrailingSemicolon();
            writer.writeLine();
          },
          increaseIndent() {
            commitPendingTrailingSemicolon();
            writer.increaseIndent();
          },
          decreaseIndent() {
            commitPendingTrailingSemicolon();
            writer.decreaseIndent();
          }
        };
      }
      function hostUsesCaseSensitiveFileNames(host) {
        return host.useCaseSensitiveFileNames ? host.useCaseSensitiveFileNames() : false;
      }
      function hostGetCanonicalFileName(host) {
        return createGetCanonicalFileName(hostUsesCaseSensitiveFileNames(host));
      }
      function getResolvedExternalModuleName(host, file, referenceFile) {
        return file.moduleName || getExternalModuleNameFromPath(host, file.fileName, referenceFile && referenceFile.fileName);
      }
      function getCanonicalAbsolutePath(host, path17) {
        return host.getCanonicalFileName(getNormalizedAbsolutePath(path17, host.getCurrentDirectory()));
      }
      function getExternalModuleNameFromDeclaration(host, resolver, declaration) {
        const file = resolver.getExternalModuleFileFromDeclaration(declaration);
        if (!file || file.isDeclarationFile) {
          return void 0;
        }
        const specifier = getExternalModuleName(declaration);
        if (specifier && isStringLiteralLike(specifier) && !pathIsRelative(specifier.text) && !getCanonicalAbsolutePath(host, file.path).includes(getCanonicalAbsolutePath(host, ensureTrailingDirectorySeparator(host.getCommonSourceDirectory())))) {
          return void 0;
        }
        return getResolvedExternalModuleName(host, file);
      }
      function getExternalModuleNameFromPath(host, fileName, referencePath) {
        const getCanonicalFileName = (f) => host.getCanonicalFileName(f);
        const dir = toPath3(referencePath ? getDirectoryPath(referencePath) : host.getCommonSourceDirectory(), host.getCurrentDirectory(), getCanonicalFileName);
        const filePath = getNormalizedAbsolutePath(fileName, host.getCurrentDirectory());
        const relativePath = getRelativePathToDirectoryOrUrl(
          dir,
          filePath,
          dir,
          getCanonicalFileName,
          /*isAbsolutePathAnUrl*/
          false
        );
        const extensionless = removeFileExtension(relativePath);
        return referencePath ? ensurePathIsNonModuleName(extensionless) : extensionless;
      }
      function getOwnEmitOutputFilePath(fileName, host, extension) {
        const compilerOptions = host.getCompilerOptions();
        let emitOutputFilePathWithoutExtension;
        if (compilerOptions.outDir) {
          emitOutputFilePathWithoutExtension = removeFileExtension(getSourceFilePathInNewDir(fileName, host, compilerOptions.outDir));
        } else {
          emitOutputFilePathWithoutExtension = removeFileExtension(fileName);
        }
        return emitOutputFilePathWithoutExtension + extension;
      }
      function getDeclarationEmitOutputFilePath(fileName, host) {
        return getDeclarationEmitOutputFilePathWorker(fileName, host.getCompilerOptions(), host);
      }
      function getDeclarationEmitOutputFilePathWorker(fileName, options, host) {
        const outputDir = options.declarationDir || options.outDir;
        const path17 = outputDir ? getSourceFilePathInNewDirWorker(fileName, outputDir, host.getCurrentDirectory(), host.getCommonSourceDirectory(), (f) => host.getCanonicalFileName(f)) : fileName;
        const declarationExtension = getDeclarationEmitExtensionForPath(path17);
        return removeFileExtension(path17) + declarationExtension;
      }
      function getDeclarationEmitExtensionForPath(path17) {
        return fileExtensionIsOneOf(path17, [
          ".mjs",
          ".mts"
          /* Mts */
        ]) ? ".d.mts" : fileExtensionIsOneOf(path17, [
          ".cjs",
          ".cts"
          /* Cts */
        ]) ? ".d.cts" : fileExtensionIsOneOf(path17, [
          ".json"
          /* Json */
        ]) ? `.d.json.ts` : (
          // Drive-by redefinition of json declaration file output name so if it's ever enabled, it behaves well
          ".d.ts"
        );
      }
      function getPossibleOriginalInputExtensionForExtension(path17) {
        return fileExtensionIsOneOf(path17, [
          ".d.mts",
          ".mjs",
          ".mts"
          /* Mts */
        ]) ? [
          ".mts",
          ".mjs"
          /* Mjs */
        ] : fileExtensionIsOneOf(path17, [
          ".d.cts",
          ".cjs",
          ".cts"
          /* Cts */
        ]) ? [
          ".cts",
          ".cjs"
          /* Cjs */
        ] : fileExtensionIsOneOf(path17, [`.d.json.ts`]) ? [
          ".json"
          /* Json */
        ] : [
          ".tsx",
          ".ts",
          ".jsx",
          ".js"
          /* Js */
        ];
      }
      function getPathsBasePath(options, host) {
        var _a;
        if (!options.paths) return void 0;
        return options.baseUrl ?? Debug.checkDefined(options.pathsBasePath || ((_a = host.getCurrentDirectory) == null ? void 0 : _a.call(host)), "Encountered 'paths' without a 'baseUrl', config file, or host 'getCurrentDirectory'.");
      }
      function getSourceFilesToEmit(host, targetSourceFile, forceDtsEmit) {
        const options = host.getCompilerOptions();
        if (options.outFile) {
          const moduleKind = getEmitModuleKind(options);
          const moduleEmitEnabled = options.emitDeclarationOnly || moduleKind === 2 || moduleKind === 4;
          return filter(
            host.getSourceFiles(),
            (sourceFile) => (moduleEmitEnabled || !isExternalModule(sourceFile)) && sourceFileMayBeEmitted(sourceFile, host, forceDtsEmit)
          );
        } else {
          const sourceFiles = targetSourceFile === void 0 ? host.getSourceFiles() : [targetSourceFile];
          return filter(
            sourceFiles,
            (sourceFile) => sourceFileMayBeEmitted(sourceFile, host, forceDtsEmit)
          );
        }
      }
      function sourceFileMayBeEmitted(sourceFile, host, forceDtsEmit) {
        const options = host.getCompilerOptions();
        if (options.noEmitForJsFiles && isSourceFileJS(sourceFile)) return false;
        if (sourceFile.isDeclarationFile) return false;
        if (host.isSourceFileFromExternalLibrary(sourceFile)) return false;
        if (forceDtsEmit) return true;
        if (host.isSourceOfProjectReferenceRedirect(sourceFile.fileName)) return false;
        if (!isJsonSourceFile(sourceFile)) return true;
        if (host.getResolvedProjectReferenceToRedirect(sourceFile.fileName)) return false;
        if (options.outFile) return true;
        if (!options.outDir) return false;
        if (options.rootDir || options.composite && options.configFilePath) {
          const commonDir = getNormalizedAbsolutePath(getCommonSourceDirectory(options, () => [], host.getCurrentDirectory(), host.getCanonicalFileName), host.getCurrentDirectory());
          const outputPath = getSourceFilePathInNewDirWorker(sourceFile.fileName, options.outDir, host.getCurrentDirectory(), commonDir, host.getCanonicalFileName);
          if (comparePaths(sourceFile.fileName, outputPath, host.getCurrentDirectory(), !host.useCaseSensitiveFileNames()) === 0) return false;
        }
        return true;
      }
      function getSourceFilePathInNewDir(fileName, host, newDirPath) {
        return getSourceFilePathInNewDirWorker(fileName, newDirPath, host.getCurrentDirectory(), host.getCommonSourceDirectory(), (f) => host.getCanonicalFileName(f));
      }
      function getSourceFilePathInNewDirWorker(fileName, newDirPath, currentDirectory, commonSourceDirectory, getCanonicalFileName) {
        let sourceFilePath = getNormalizedAbsolutePath(fileName, currentDirectory);
        const isSourceFileInCommonSourceDirectory = getCanonicalFileName(sourceFilePath).indexOf(getCanonicalFileName(commonSourceDirectory)) === 0;
        sourceFilePath = isSourceFileInCommonSourceDirectory ? sourceFilePath.substring(commonSourceDirectory.length) : sourceFilePath;
        return combinePaths(newDirPath, sourceFilePath);
      }
      function writeFile(host, diagnostics, fileName, text, writeByteOrderMark, sourceFiles, data) {
        host.writeFile(
          fileName,
          text,
          writeByteOrderMark,
          (hostErrorMessage) => {
            diagnostics.add(createCompilerDiagnostic(Diagnostics.Could_not_write_file_0_Colon_1, fileName, hostErrorMessage));
          },
          sourceFiles,
          data
        );
      }
      function ensureDirectoriesExist(directoryPath, createDirectory, directoryExists) {
        if (directoryPath.length > getRootLength(directoryPath) && !directoryExists(directoryPath)) {
          const parentDirectory = getDirectoryPath(directoryPath);
          ensureDirectoriesExist(parentDirectory, createDirectory, directoryExists);
          createDirectory(directoryPath);
        }
      }
      function writeFileEnsuringDirectories(path17, data, writeByteOrderMark, writeFile2, createDirectory, directoryExists) {
        try {
          writeFile2(path17, data, writeByteOrderMark);
        } catch {
          ensureDirectoriesExist(getDirectoryPath(normalizePath(path17)), createDirectory, directoryExists);
          writeFile2(path17, data, writeByteOrderMark);
        }
      }
      function getLineOfLocalPosition(sourceFile, pos) {
        const lineStarts = getLineStarts(sourceFile);
        return computeLineOfPosition(lineStarts, pos);
      }
      function getLineOfLocalPositionFromLineMap(lineMap, pos) {
        return computeLineOfPosition(lineMap, pos);
      }
      function getFirstConstructorWithBody(node) {
        return find(node.members, (member) => isConstructorDeclaration(member) && nodeIsPresent(member.body));
      }
      function getSetAccessorValueParameter(accessor) {
        if (accessor && accessor.parameters.length > 0) {
          const hasThis = accessor.parameters.length === 2 && parameterIsThisKeyword(accessor.parameters[0]);
          return accessor.parameters[hasThis ? 1 : 0];
        }
      }
      function getSetAccessorTypeAnnotationNode(accessor) {
        const parameter = getSetAccessorValueParameter(accessor);
        return parameter && parameter.type;
      }
      function getThisParameter(signature) {
        if (signature.parameters.length && !isJSDocSignature(signature)) {
          const thisParameter = signature.parameters[0];
          if (parameterIsThisKeyword(thisParameter)) {
            return thisParameter;
          }
        }
      }
      function parameterIsThisKeyword(parameter) {
        return isThisIdentifier(parameter.name);
      }
      function isThisIdentifier(node) {
        return !!node && node.kind === 80 && identifierIsThisKeyword(node);
      }
      function isInTypeQuery(node) {
        return !!findAncestor(
          node,
          (n) => n.kind === 186 ? true : n.kind === 80 || n.kind === 166 ? false : "quit"
        );
      }
      function isThisInTypeQuery(node) {
        if (!isThisIdentifier(node)) {
          return false;
        }
        while (isQualifiedName(node.parent) && node.parent.left === node) {
          node = node.parent;
        }
        return node.parent.kind === 186;
      }
      function identifierIsThisKeyword(id) {
        return id.escapedText === "this";
      }
      function getAllAccessorDeclarations(declarations, accessor) {
        let firstAccessor;
        let secondAccessor;
        let getAccessor;
        let setAccessor;
        if (hasDynamicName(accessor)) {
          firstAccessor = accessor;
          if (accessor.kind === 177) {
            getAccessor = accessor;
          } else if (accessor.kind === 178) {
            setAccessor = accessor;
          } else {
            Debug.fail("Accessor has wrong kind");
          }
        } else {
          forEach(declarations, (member) => {
            if (isAccessor(member) && isStatic(member) === isStatic(accessor)) {
              const memberName = getPropertyNameForPropertyNameNode(member.name);
              const accessorName = getPropertyNameForPropertyNameNode(accessor.name);
              if (memberName === accessorName) {
                if (!firstAccessor) {
                  firstAccessor = member;
                } else if (!secondAccessor) {
                  secondAccessor = member;
                }
                if (member.kind === 177 && !getAccessor) {
                  getAccessor = member;
                }
                if (member.kind === 178 && !setAccessor) {
                  setAccessor = member;
                }
              }
            }
          });
        }
        return {
          firstAccessor,
          secondAccessor,
          getAccessor,
          setAccessor
        };
      }
      function getEffectiveTypeAnnotationNode(node) {
        if (!isInJSFile(node) && isFunctionDeclaration(node)) return void 0;
        if (isTypeAliasDeclaration(node)) return void 0;
        const type = node.type;
        if (type || !isInJSFile(node)) return type;
        return isJSDocPropertyLikeTag(node) ? node.typeExpression && node.typeExpression.type : getJSDocType(node);
      }
      function getTypeAnnotationNode(node) {
        return node.type;
      }
      function getEffectiveReturnTypeNode(node) {
        return isJSDocSignature(node) ? node.type && node.type.typeExpression && node.type.typeExpression.type : node.type || (isInJSFile(node) ? getJSDocReturnType(node) : void 0);
      }
      function getJSDocTypeParameterDeclarations(node) {
        return flatMap(getJSDocTags(node), (tag) => isNonTypeAliasTemplate(tag) ? tag.typeParameters : void 0);
      }
      function isNonTypeAliasTemplate(tag) {
        return isJSDocTemplateTag(tag) && !(tag.parent.kind === 320 && (tag.parent.tags.some(isJSDocTypeAlias) || tag.parent.tags.some(isJSDocOverloadTag)));
      }
      function getEffectiveSetAccessorTypeAnnotationNode(node) {
        const parameter = getSetAccessorValueParameter(node);
        return parameter && getEffectiveTypeAnnotationNode(parameter);
      }
      function emitNewLineBeforeLeadingComments(lineMap, writer, node, leadingComments) {
        emitNewLineBeforeLeadingCommentsOfPosition(lineMap, writer, node.pos, leadingComments);
      }
      function emitNewLineBeforeLeadingCommentsOfPosition(lineMap, writer, pos, leadingComments) {
        if (leadingComments && leadingComments.length && pos !== leadingComments[0].pos && getLineOfLocalPositionFromLineMap(lineMap, pos) !== getLineOfLocalPositionFromLineMap(lineMap, leadingComments[0].pos)) {
          writer.writeLine();
        }
      }
      function emitNewLineBeforeLeadingCommentOfPosition(lineMap, writer, pos, commentPos) {
        if (pos !== commentPos && getLineOfLocalPositionFromLineMap(lineMap, pos) !== getLineOfLocalPositionFromLineMap(lineMap, commentPos)) {
          writer.writeLine();
        }
      }
      function emitComments(text, lineMap, writer, comments, leadingSeparator, trailingSeparator, newLine, writeComment) {
        if (comments && comments.length > 0) {
          if (leadingSeparator) {
            writer.writeSpace(" ");
          }
          let emitInterveningSeparator = false;
          for (const comment of comments) {
            if (emitInterveningSeparator) {
              writer.writeSpace(" ");
              emitInterveningSeparator = false;
            }
            writeComment(text, lineMap, writer, comment.pos, comment.end, newLine);
            if (comment.hasTrailingNewLine) {
              writer.writeLine();
            } else {
              emitInterveningSeparator = true;
            }
          }
          if (emitInterveningSeparator && trailingSeparator) {
            writer.writeSpace(" ");
          }
        }
      }
      function emitDetachedComments(text, lineMap, writer, writeComment, node, newLine, removeComments) {
        let leadingComments;
        let currentDetachedCommentInfo;
        if (removeComments) {
          if (node.pos === 0) {
            leadingComments = filter(getLeadingCommentRanges(text, node.pos), isPinnedCommentLocal);
          }
        } else {
          leadingComments = getLeadingCommentRanges(text, node.pos);
        }
        if (leadingComments) {
          const detachedComments = [];
          let lastComment;
          for (const comment of leadingComments) {
            if (lastComment) {
              const lastCommentLine = getLineOfLocalPositionFromLineMap(lineMap, lastComment.end);
              const commentLine = getLineOfLocalPositionFromLineMap(lineMap, comment.pos);
              if (commentLine >= lastCommentLine + 2) {
                break;
              }
            }
            detachedComments.push(comment);
            lastComment = comment;
          }
          if (detachedComments.length) {
            const lastCommentLine = getLineOfLocalPositionFromLineMap(lineMap, last(detachedComments).end);
            const nodeLine = getLineOfLocalPositionFromLineMap(lineMap, skipTrivia(text, node.pos));
            if (nodeLine >= lastCommentLine + 2) {
              emitNewLineBeforeLeadingComments(lineMap, writer, node, leadingComments);
              emitComments(
                text,
                lineMap,
                writer,
                detachedComments,
                /*leadingSeparator*/
                false,
                /*trailingSeparator*/
                true,
                newLine,
                writeComment
              );
              currentDetachedCommentInfo = { nodePos: node.pos, detachedCommentEndPos: last(detachedComments).end };
            }
          }
        }
        return currentDetachedCommentInfo;
        function isPinnedCommentLocal(comment) {
          return isPinnedComment(text, comment.pos);
        }
      }
      function writeCommentRange(text, lineMap, writer, commentPos, commentEnd, newLine) {
        if (text.charCodeAt(commentPos + 1) === 42) {
          const firstCommentLineAndCharacter = computeLineAndCharacterOfPosition(lineMap, commentPos);
          const lineCount = lineMap.length;
          let firstCommentLineIndent;
          for (let pos = commentPos, currentLine = firstCommentLineAndCharacter.line; pos < commentEnd; currentLine++) {
            const nextLineStart = currentLine + 1 === lineCount ? text.length + 1 : lineMap[currentLine + 1];
            if (pos !== commentPos) {
              if (firstCommentLineIndent === void 0) {
                firstCommentLineIndent = calculateIndent(text, lineMap[firstCommentLineAndCharacter.line], commentPos);
              }
              const currentWriterIndentSpacing = writer.getIndent() * getIndentSize();
              const spacesToEmit = currentWriterIndentSpacing - firstCommentLineIndent + calculateIndent(text, pos, nextLineStart);
              if (spacesToEmit > 0) {
                let numberOfSingleSpacesToEmit = spacesToEmit % getIndentSize();
                const indentSizeSpaceString = getIndentString2((spacesToEmit - numberOfSingleSpacesToEmit) / getIndentSize());
                writer.rawWrite(indentSizeSpaceString);
                while (numberOfSingleSpacesToEmit) {
                  writer.rawWrite(" ");
                  numberOfSingleSpacesToEmit--;
                }
              } else {
                writer.rawWrite("");
              }
            }
            writeTrimmedCurrentLine(text, commentEnd, writer, newLine, pos, nextLineStart);
            pos = nextLineStart;
          }
        } else {
          writer.writeComment(text.substring(commentPos, commentEnd));
        }
      }
      function writeTrimmedCurrentLine(text, commentEnd, writer, newLine, pos, nextLineStart) {
        const end = Math.min(commentEnd, nextLineStart - 1);
        const currentLineText = text.substring(pos, end).trim();
        if (currentLineText) {
          writer.writeComment(currentLineText);
          if (end !== commentEnd) {
            writer.writeLine();
          }
        } else {
          writer.rawWrite(newLine);
        }
      }
      function calculateIndent(text, pos, end) {
        let currentLineIndent = 0;
        for (; pos < end && isWhiteSpaceSingleLine(text.charCodeAt(pos)); pos++) {
          if (text.charCodeAt(pos) === 9) {
            currentLineIndent += getIndentSize() - currentLineIndent % getIndentSize();
          } else {
            currentLineIndent++;
          }
        }
        return currentLineIndent;
      }
      function hasEffectiveModifiers(node) {
        return getEffectiveModifierFlags(node) !== 0;
      }
      function hasSyntacticModifiers(node) {
        return getSyntacticModifierFlags(node) !== 0;
      }
      function hasEffectiveModifier(node, flags) {
        return !!getSelectedEffectiveModifierFlags(node, flags);
      }
      function hasSyntacticModifier(node, flags) {
        return !!getSelectedSyntacticModifierFlags(node, flags);
      }
      function isStatic(node) {
        return isClassElement(node) && hasStaticModifier(node) || isClassStaticBlockDeclaration(node);
      }
      function hasStaticModifier(node) {
        return hasSyntacticModifier(
          node,
          256
          /* Static */
        );
      }
      function hasOverrideModifier(node) {
        return hasEffectiveModifier(
          node,
          16
          /* Override */
        );
      }
      function hasAbstractModifier(node) {
        return hasSyntacticModifier(
          node,
          64
          /* Abstract */
        );
      }
      function hasAmbientModifier(node) {
        return hasSyntacticModifier(
          node,
          128
          /* Ambient */
        );
      }
      function hasAccessorModifier(node) {
        return hasSyntacticModifier(
          node,
          512
          /* Accessor */
        );
      }
      function hasEffectiveReadonlyModifier(node) {
        return hasEffectiveModifier(
          node,
          8
          /* Readonly */
        );
      }
      function hasDecorators(node) {
        return hasSyntacticModifier(
          node,
          32768
          /* Decorator */
        );
      }
      function getSelectedEffectiveModifierFlags(node, flags) {
        return getEffectiveModifierFlags(node) & flags;
      }
      function getSelectedSyntacticModifierFlags(node, flags) {
        return getSyntacticModifierFlags(node) & flags;
      }
      function getModifierFlagsWorker(node, includeJSDoc, alwaysIncludeJSDoc) {
        if (node.kind >= 0 && node.kind <= 165) {
          return 0;
        }
        if (!(node.modifierFlagsCache & 536870912)) {
          node.modifierFlagsCache = getSyntacticModifierFlagsNoCache(node) | 536870912;
        }
        if (alwaysIncludeJSDoc || includeJSDoc && isInJSFile(node)) {
          if (!(node.modifierFlagsCache & 268435456) && node.parent) {
            node.modifierFlagsCache |= getRawJSDocModifierFlagsNoCache(node) | 268435456;
          }
          return selectEffectiveModifierFlags(node.modifierFlagsCache);
        }
        return selectSyntacticModifierFlags(node.modifierFlagsCache);
      }
      function getEffectiveModifierFlags(node) {
        return getModifierFlagsWorker(
          node,
          /*includeJSDoc*/
          true
        );
      }
      function getEffectiveModifierFlagsAlwaysIncludeJSDoc(node) {
        return getModifierFlagsWorker(
          node,
          /*includeJSDoc*/
          true,
          /*alwaysIncludeJSDoc*/
          true
        );
      }
      function getSyntacticModifierFlags(node) {
        return getModifierFlagsWorker(
          node,
          /*includeJSDoc*/
          false
        );
      }
      function getRawJSDocModifierFlagsNoCache(node) {
        let flags = 0;
        if (!!node.parent && !isParameter(node)) {
          if (isInJSFile(node)) {
            if (getJSDocPublicTagNoCache(node)) flags |= 8388608;
            if (getJSDocPrivateTagNoCache(node)) flags |= 16777216;
            if (getJSDocProtectedTagNoCache(node)) flags |= 33554432;
            if (getJSDocReadonlyTagNoCache(node)) flags |= 67108864;
            if (getJSDocOverrideTagNoCache(node)) flags |= 134217728;
          }
          if (getJSDocDeprecatedTagNoCache(node)) flags |= 65536;
        }
        return flags;
      }
      function selectSyntacticModifierFlags(flags) {
        return flags & 65535;
      }
      function selectEffectiveModifierFlags(flags) {
        return flags & 131071 | (flags & 260046848) >>> 23;
      }
      function getJSDocModifierFlagsNoCache(node) {
        return selectEffectiveModifierFlags(getRawJSDocModifierFlagsNoCache(node));
      }
      function getEffectiveModifierFlagsNoCache(node) {
        return getSyntacticModifierFlagsNoCache(node) | getJSDocModifierFlagsNoCache(node);
      }
      function getSyntacticModifierFlagsNoCache(node) {
        let flags = canHaveModifiers(node) ? modifiersToFlags(node.modifiers) : 0;
        if (node.flags & 8 || node.kind === 80 && node.flags & 4096) {
          flags |= 32;
        }
        return flags;
      }
      function modifiersToFlags(modifiers) {
        let flags = 0;
        if (modifiers) {
          for (const modifier of modifiers) {
            flags |= modifierToFlag(modifier.kind);
          }
        }
        return flags;
      }
      function modifierToFlag(token) {
        switch (token) {
          case 126:
            return 256;
          case 125:
            return 1;
          case 124:
            return 4;
          case 123:
            return 2;
          case 128:
            return 64;
          case 129:
            return 512;
          case 95:
            return 32;
          case 138:
            return 128;
          case 87:
            return 4096;
          case 90:
            return 2048;
          case 134:
            return 1024;
          case 148:
            return 8;
          case 164:
            return 16;
          case 103:
            return 8192;
          case 147:
            return 16384;
          case 170:
            return 32768;
        }
        return 0;
      }
      function isBinaryLogicalOperator(token) {
        return token === 57 || token === 56;
      }
      function isLogicalOperator(token) {
        return isBinaryLogicalOperator(token) || token === 54;
      }
      function isLogicalOrCoalescingAssignmentOperator(token) {
        return token === 76 || token === 77 || token === 78;
      }
      function isLogicalOrCoalescingAssignmentExpression(expr) {
        return isBinaryExpression(expr) && isLogicalOrCoalescingAssignmentOperator(expr.operatorToken.kind);
      }
      function isLogicalOrCoalescingBinaryOperator(token) {
        return isBinaryLogicalOperator(token) || token === 61;
      }
      function isLogicalOrCoalescingBinaryExpression(expr) {
        return isBinaryExpression(expr) && isLogicalOrCoalescingBinaryOperator(expr.operatorToken.kind);
      }
      function isAssignmentOperator(token) {
        return token >= 64 && token <= 79;
      }
      function tryGetClassExtendingExpressionWithTypeArguments(node) {
        const cls = tryGetClassImplementingOrExtendingExpressionWithTypeArguments(node);
        return cls && !cls.isImplements ? cls.class : void 0;
      }
      function tryGetClassImplementingOrExtendingExpressionWithTypeArguments(node) {
        if (isExpressionWithTypeArguments(node)) {
          if (isHeritageClause(node.parent) && isClassLike(node.parent.parent)) {
            return {
              class: node.parent.parent,
              isImplements: node.parent.token === 119
              /* ImplementsKeyword */
            };
          }
          if (isJSDocAugmentsTag(node.parent)) {
            const host = getEffectiveJSDocHost(node.parent);
            if (host && isClassLike(host)) {
              return { class: host, isImplements: false };
            }
          }
        }
        return void 0;
      }
      function isAssignmentExpression2(node, excludeCompoundAssignment) {
        return isBinaryExpression(node) && (excludeCompoundAssignment ? node.operatorToken.kind === 64 : isAssignmentOperator(node.operatorToken.kind)) && isLeftHandSideExpression(node.left);
      }
      function isLeftHandSideOfAssignment(node) {
        return isAssignmentExpression2(node.parent) && node.parent.left === node;
      }
      function isDestructuringAssignment(node) {
        if (isAssignmentExpression2(
          node,
          /*excludeCompoundAssignment*/
          true
        )) {
          const kind = node.left.kind;
          return kind === 210 || kind === 209;
        }
        return false;
      }
      function isExpressionWithTypeArgumentsInClassExtendsClause(node) {
        return tryGetClassExtendingExpressionWithTypeArguments(node) !== void 0;
      }
      function isEntityNameExpression(node) {
        return node.kind === 80 || isPropertyAccessEntityNameExpression(node);
      }
      function getFirstIdentifier(node) {
        switch (node.kind) {
          case 80:
            return node;
          case 166:
            do {
              node = node.left;
            } while (node.kind !== 80);
            return node;
          case 211:
            do {
              node = node.expression;
            } while (node.kind !== 80);
            return node;
        }
      }
      function isDottedName(node) {
        return node.kind === 80 || node.kind === 110 || node.kind === 108 || node.kind === 236 || node.kind === 211 && isDottedName(node.expression) || node.kind === 217 && isDottedName(node.expression);
      }
      function isPropertyAccessEntityNameExpression(node) {
        return isPropertyAccessExpression(node) && isIdentifier(node.name) && isEntityNameExpression(node.expression);
      }
      function tryGetPropertyAccessOrIdentifierToString(expr) {
        if (isPropertyAccessExpression(expr)) {
          const baseStr = tryGetPropertyAccessOrIdentifierToString(expr.expression);
          if (baseStr !== void 0) {
            return baseStr + "." + entityNameToString(expr.name);
          }
        } else if (isElementAccessExpression(expr)) {
          const baseStr = tryGetPropertyAccessOrIdentifierToString(expr.expression);
          if (baseStr !== void 0 && isPropertyName(expr.argumentExpression)) {
            return baseStr + "." + getPropertyNameForPropertyNameNode(expr.argumentExpression);
          }
        } else if (isIdentifier(expr)) {
          return unescapeLeadingUnderscores(expr.escapedText);
        } else if (isJsxNamespacedName(expr)) {
          return getTextOfJsxNamespacedName(expr);
        }
        return void 0;
      }
      function isPrototypeAccess(node) {
        return isBindableStaticAccessExpression(node) && getElementOrPropertyAccessName(node) === "prototype";
      }
      function isRightSideOfQualifiedNameOrPropertyAccess(node) {
        return node.parent.kind === 166 && node.parent.right === node || node.parent.kind === 211 && node.parent.name === node || node.parent.kind === 236 && node.parent.name === node;
      }
      function isRightSideOfAccessExpression(node) {
        return !!node.parent && (isPropertyAccessExpression(node.parent) && node.parent.name === node || isElementAccessExpression(node.parent) && node.parent.argumentExpression === node);
      }
      function isRightSideOfQualifiedNameOrPropertyAccessOrJSDocMemberName(node) {
        return isQualifiedName(node.parent) && node.parent.right === node || isPropertyAccessExpression(node.parent) && node.parent.name === node || isJSDocMemberName(node.parent) && node.parent.right === node;
      }
      function isInstanceOfExpression(node) {
        return isBinaryExpression(node) && node.operatorToken.kind === 104;
      }
      function isRightSideOfInstanceofExpression(node) {
        return isInstanceOfExpression(node.parent) && node === node.parent.right;
      }
      function isEmptyObjectLiteral(expression) {
        return expression.kind === 210 && expression.properties.length === 0;
      }
      function isEmptyArrayLiteral(expression) {
        return expression.kind === 209 && expression.elements.length === 0;
      }
      function getLocalSymbolForExportDefault(symbol) {
        if (!isExportDefaultSymbol(symbol) || !symbol.declarations) return void 0;
        for (const decl of symbol.declarations) {
          if (decl.localSymbol) return decl.localSymbol;
        }
        return void 0;
      }
      function isExportDefaultSymbol(symbol) {
        return symbol && length(symbol.declarations) > 0 && hasSyntacticModifier(
          symbol.declarations[0],
          2048
          /* Default */
        );
      }
      function tryExtractTSExtension(fileName) {
        return find(supportedTSExtensionsForExtractExtension, (extension) => fileExtensionIs(fileName, extension));
      }
      function getExpandedCharCodes(input) {
        const output = [];
        const length2 = input.length;
        for (let i = 0; i < length2; i++) {
          const charCode = input.charCodeAt(i);
          if (charCode < 128) {
            output.push(charCode);
          } else if (charCode < 2048) {
            output.push(charCode >> 6 | 192);
            output.push(charCode & 63 | 128);
          } else if (charCode < 65536) {
            output.push(charCode >> 12 | 224);
            output.push(charCode >> 6 & 63 | 128);
            output.push(charCode & 63 | 128);
          } else if (charCode < 131072) {
            output.push(charCode >> 18 | 240);
            output.push(charCode >> 12 & 63 | 128);
            output.push(charCode >> 6 & 63 | 128);
            output.push(charCode & 63 | 128);
          } else {
            Debug.assert(false, "Unexpected code point");
          }
        }
        return output;
      }
      var base64Digits = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=";
      function convertToBase64(input) {
        let result = "";
        const charCodes = getExpandedCharCodes(input);
        let i = 0;
        const length2 = charCodes.length;
        let byte1, byte2, byte3, byte4;
        while (i < length2) {
          byte1 = charCodes[i] >> 2;
          byte2 = (charCodes[i] & 3) << 4 | charCodes[i + 1] >> 4;
          byte3 = (charCodes[i + 1] & 15) << 2 | charCodes[i + 2] >> 6;
          byte4 = charCodes[i + 2] & 63;
          if (i + 1 >= length2) {
            byte3 = byte4 = 64;
          } else if (i + 2 >= length2) {
            byte4 = 64;
          }
          result += base64Digits.charAt(byte1) + base64Digits.charAt(byte2) + base64Digits.charAt(byte3) + base64Digits.charAt(byte4);
          i += 3;
        }
        return result;
      }
      function getStringFromExpandedCharCodes(codes) {
        let output = "";
        let i = 0;
        const length2 = codes.length;
        while (i < length2) {
          const charCode = codes[i];
          if (charCode < 128) {
            output += String.fromCharCode(charCode);
            i++;
          } else if ((charCode & 192) === 192) {
            let value = charCode & 63;
            i++;
            let nextCode = codes[i];
            while ((nextCode & 192) === 128) {
              value = value << 6 | nextCode & 63;
              i++;
              nextCode = codes[i];
            }
            output += String.fromCharCode(value);
          } else {
            output += String.fromCharCode(charCode);
            i++;
          }
        }
        return output;
      }
      function base64encode(host, input) {
        if (host && host.base64encode) {
          return host.base64encode(input);
        }
        return convertToBase64(input);
      }
      function base64decode(host, input) {
        if (host && host.base64decode) {
          return host.base64decode(input);
        }
        const length2 = input.length;
        const expandedCharCodes = [];
        let i = 0;
        while (i < length2) {
          if (input.charCodeAt(i) === base64Digits.charCodeAt(64)) {
            break;
          }
          const ch1 = base64Digits.indexOf(input[i]);
          const ch2 = base64Digits.indexOf(input[i + 1]);
          const ch3 = base64Digits.indexOf(input[i + 2]);
          const ch4 = base64Digits.indexOf(input[i + 3]);
          const code1 = (ch1 & 63) << 2 | ch2 >> 4 & 3;
          const code2 = (ch2 & 15) << 4 | ch3 >> 2 & 15;
          const code3 = (ch3 & 3) << 6 | ch4 & 63;
          if (code2 === 0 && ch3 !== 0) {
            expandedCharCodes.push(code1);
          } else if (code3 === 0 && ch4 !== 0) {
            expandedCharCodes.push(code1, code2);
          } else {
            expandedCharCodes.push(code1, code2, code3);
          }
          i += 4;
        }
        return getStringFromExpandedCharCodes(expandedCharCodes);
      }
      function readJsonOrUndefined(path17, hostOrText) {
        const jsonText = isString2(hostOrText) ? hostOrText : hostOrText.readFile(path17);
        if (!jsonText) return void 0;
        const result = parseConfigFileTextToJson(path17, jsonText);
        return !result.error ? result.config : void 0;
      }
      function readJson(path17, host) {
        return readJsonOrUndefined(path17, host) || {};
      }
      function tryParseJson(text) {
        try {
          return JSON.parse(text);
        } catch {
          return void 0;
        }
      }
      function directoryProbablyExists(directoryName, host) {
        return !host.directoryExists || host.directoryExists(directoryName);
      }
      var carriageReturnLineFeed = "\r\n";
      var lineFeed = "\n";
      function getNewLineCharacter(options) {
        switch (options.newLine) {
          case 0:
            return carriageReturnLineFeed;
          case 1:
          case void 0:
            return lineFeed;
        }
      }
      function createRange(pos, end = pos) {
        Debug.assert(end >= pos || end === -1);
        return { pos, end };
      }
      function moveRangeEnd(range, end) {
        return createRange(range.pos, end);
      }
      function moveRangePos(range, pos) {
        return createRange(pos, range.end);
      }
      function moveRangePastDecorators(node) {
        const lastDecorator = canHaveModifiers(node) ? findLast(node.modifiers, isDecorator) : void 0;
        return lastDecorator && !positionIsSynthesized(lastDecorator.end) ? moveRangePos(node, lastDecorator.end) : node;
      }
      function moveRangePastModifiers(node) {
        if (isPropertyDeclaration(node) || isMethodDeclaration(node)) {
          return moveRangePos(node, node.name.pos);
        }
        const lastModifier = canHaveModifiers(node) ? lastOrUndefined(node.modifiers) : void 0;
        return lastModifier && !positionIsSynthesized(lastModifier.end) ? moveRangePos(node, lastModifier.end) : moveRangePastDecorators(node);
      }
      function isCollapsedRange(range) {
        return range.pos === range.end;
      }
      function createTokenRange(pos, token) {
        return createRange(pos, pos + tokenToString(token).length);
      }
      function rangeIsOnSingleLine(range, sourceFile) {
        return rangeStartIsOnSameLineAsRangeEnd(range, range, sourceFile);
      }
      function rangeStartPositionsAreOnSameLine(range1, range2, sourceFile) {
        return positionsAreOnSameLine(
          getStartPositionOfRange(
            range1,
            sourceFile,
            /*includeComments*/
            false
          ),
          getStartPositionOfRange(
            range2,
            sourceFile,
            /*includeComments*/
            false
          ),
          sourceFile
        );
      }
      function rangeEndPositionsAreOnSameLine(range1, range2, sourceFile) {
        return positionsAreOnSameLine(range1.end, range2.end, sourceFile);
      }
      function rangeStartIsOnSameLineAsRangeEnd(range1, range2, sourceFile) {
        return positionsAreOnSameLine(getStartPositionOfRange(
          range1,
          sourceFile,
          /*includeComments*/
          false
        ), range2.end, sourceFile);
      }
      function rangeEndIsOnSameLineAsRangeStart(range1, range2, sourceFile) {
        return positionsAreOnSameLine(range1.end, getStartPositionOfRange(
          range2,
          sourceFile,
          /*includeComments*/
          false
        ), sourceFile);
      }
      function getLinesBetweenRangeEndAndRangeStart(range1, range2, sourceFile, includeSecondRangeComments) {
        const range2Start = getStartPositionOfRange(range2, sourceFile, includeSecondRangeComments);
        return getLinesBetweenPositions(sourceFile, range1.end, range2Start);
      }
      function getLinesBetweenRangeEndPositions(range1, range2, sourceFile) {
        return getLinesBetweenPositions(sourceFile, range1.end, range2.end);
      }
      function isNodeArrayMultiLine(list, sourceFile) {
        return !positionsAreOnSameLine(list.pos, list.end, sourceFile);
      }
      function positionsAreOnSameLine(pos1, pos2, sourceFile) {
        return getLinesBetweenPositions(sourceFile, pos1, pos2) === 0;
      }
      function getStartPositionOfRange(range, sourceFile, includeComments) {
        return positionIsSynthesized(range.pos) ? -1 : skipTrivia(
          sourceFile.text,
          range.pos,
          /*stopAfterLineBreak*/
          false,
          includeComments
        );
      }
      function getLinesBetweenPositionAndPrecedingNonWhitespaceCharacter(pos, stopPos, sourceFile, includeComments) {
        const startPos = skipTrivia(
          sourceFile.text,
          pos,
          /*stopAfterLineBreak*/
          false,
          includeComments
        );
        const prevPos = getPreviousNonWhitespacePosition(startPos, stopPos, sourceFile);
        return getLinesBetweenPositions(sourceFile, prevPos ?? stopPos, startPos);
      }
      function getLinesBetweenPositionAndNextNonWhitespaceCharacter(pos, stopPos, sourceFile, includeComments) {
        const nextPos = skipTrivia(
          sourceFile.text,
          pos,
          /*stopAfterLineBreak*/
          false,
          includeComments
        );
        return getLinesBetweenPositions(sourceFile, pos, Math.min(stopPos, nextPos));
      }
      function getPreviousNonWhitespacePosition(pos, stopPos = 0, sourceFile) {
        while (pos-- > stopPos) {
          if (!isWhiteSpaceLike(sourceFile.text.charCodeAt(pos))) {
            return pos;
          }
        }
      }
      function isDeclarationNameOfEnumOrNamespace(node) {
        const parseNode = getParseTreeNode(node);
        if (parseNode) {
          switch (parseNode.parent.kind) {
            case 266:
            case 267:
              return parseNode === parseNode.parent.name;
          }
        }
        return false;
      }
      function getInitializedVariables(node) {
        return filter(node.declarations, isInitializedVariable);
      }
      function isInitializedVariable(node) {
        return isVariableDeclaration(node) && node.initializer !== void 0;
      }
      function isWatchSet(options) {
        return options.watch && hasProperty(options, "watch");
      }
      function closeFileWatcher(watcher) {
        watcher.close();
      }
      function getCheckFlags(symbol) {
        return symbol.flags & 33554432 ? symbol.links.checkFlags : 0;
      }
      function getDeclarationModifierFlagsFromSymbol(s, isWrite = false) {
        if (s.valueDeclaration) {
          const declaration = isWrite && s.declarations && find(s.declarations, isSetAccessorDeclaration) || s.flags & 32768 && find(s.declarations, isGetAccessorDeclaration) || s.valueDeclaration;
          const flags = getCombinedModifierFlags(declaration);
          return s.parent && s.parent.flags & 32 ? flags : flags & ~7;
        }
        if (getCheckFlags(s) & 6) {
          const checkFlags = s.links.checkFlags;
          const accessModifier = checkFlags & 1024 ? 2 : checkFlags & 256 ? 1 : 4;
          const staticModifier = checkFlags & 2048 ? 256 : 0;
          return accessModifier | staticModifier;
        }
        if (s.flags & 4194304) {
          return 1 | 256;
        }
        return 0;
      }
      function skipAlias(symbol, checker) {
        return symbol.flags & 2097152 ? checker.getAliasedSymbol(symbol) : symbol;
      }
      function getCombinedLocalAndExportSymbolFlags(symbol) {
        return symbol.exportSymbol ? symbol.exportSymbol.flags | symbol.flags : symbol.flags;
      }
      function isWriteOnlyAccess(node) {
        return accessKind(node) === 1;
      }
      function isWriteAccess(node) {
        return accessKind(node) !== 0;
      }
      function accessKind(node) {
        const { parent: parent2 } = node;
        switch (parent2 == null ? void 0 : parent2.kind) {
          case 217:
            return accessKind(parent2);
          case 225:
          case 224:
            const { operator } = parent2;
            return operator === 46 || operator === 47 ? 2 : 0;
          case 226:
            const { left, operatorToken } = parent2;
            return left === node && isAssignmentOperator(operatorToken.kind) ? operatorToken.kind === 64 ? 1 : 2 : 0;
          case 211:
            return parent2.name !== node ? 0 : accessKind(parent2);
          case 303: {
            const parentAccess = accessKind(parent2.parent);
            return node === parent2.name ? reverseAccessKind(parentAccess) : parentAccess;
          }
          case 304:
            return node === parent2.objectAssignmentInitializer ? 0 : accessKind(parent2.parent);
          case 209:
            return accessKind(parent2);
          default:
            return 0;
        }
      }
      function reverseAccessKind(a) {
        switch (a) {
          case 0:
            return 1;
          case 1:
            return 0;
          case 2:
            return 2;
          default:
            return Debug.assertNever(a);
        }
      }
      function compareDataObjects(dst, src) {
        if (!dst || !src || Object.keys(dst).length !== Object.keys(src).length) {
          return false;
        }
        for (const e in dst) {
          if (typeof dst[e] === "object") {
            if (!compareDataObjects(dst[e], src[e])) {
              return false;
            }
          } else if (typeof dst[e] !== "function") {
            if (dst[e] !== src[e]) {
              return false;
            }
          }
        }
        return true;
      }
      function clearMap(map2, onDeleteValue) {
        map2.forEach(onDeleteValue);
        map2.clear();
      }
      function mutateMapSkippingNewValues(map2, newMap, options) {
        const { onDeleteValue, onExistingValue } = options;
        map2.forEach((existingValue, key) => {
          var _a;
          if (!(newMap == null ? void 0 : newMap.has(key))) {
            map2.delete(key);
            onDeleteValue(existingValue, key);
          } else if (onExistingValue) {
            onExistingValue(existingValue, (_a = newMap.get) == null ? void 0 : _a.call(newMap, key), key);
          }
        });
      }
      function mutateMap(map2, newMap, options) {
        mutateMapSkippingNewValues(map2, newMap, options);
        const { createNewValue } = options;
        newMap == null ? void 0 : newMap.forEach((valueInNewMap, key) => {
          if (!map2.has(key)) {
            map2.set(key, createNewValue(key, valueInNewMap));
          }
        });
      }
      function isAbstractConstructorSymbol(symbol) {
        if (symbol.flags & 32) {
          const declaration = getClassLikeDeclarationOfSymbol(symbol);
          return !!declaration && hasSyntacticModifier(
            declaration,
            64
            /* Abstract */
          );
        }
        return false;
      }
      function getClassLikeDeclarationOfSymbol(symbol) {
        var _a;
        return (_a = symbol.declarations) == null ? void 0 : _a.find(isClassLike);
      }
      function getObjectFlags(type) {
        return type.flags & 3899393 ? type.objectFlags : 0;
      }
      function forSomeAncestorDirectory(directory, callback) {
        return !!forEachAncestorDirectory(directory, (d) => callback(d) ? true : void 0);
      }
      function isUMDExportSymbol(symbol) {
        return !!symbol && !!symbol.declarations && !!symbol.declarations[0] && isNamespaceExportDeclaration(symbol.declarations[0]);
      }
      function showModuleSpecifier({ moduleSpecifier }) {
        return isStringLiteral2(moduleSpecifier) ? moduleSpecifier.text : getTextOfNode(moduleSpecifier);
      }
      function getLastChild(node) {
        let lastChild;
        forEachChild(node, (child) => {
          if (nodeIsPresent(child)) lastChild = child;
        }, (children) => {
          for (let i = children.length - 1; i >= 0; i--) {
            if (nodeIsPresent(children[i])) {
              lastChild = children[i];
              break;
            }
          }
        });
        return lastChild;
      }
      function addToSeen(seen, key, value = true) {
        if (seen.has(key)) {
          return false;
        }
        seen.set(key, value);
        return true;
      }
      function isObjectTypeDeclaration(node) {
        return isClassLike(node) || isInterfaceDeclaration(node) || isTypeLiteralNode(node);
      }
      function isTypeNodeKind(kind) {
        return kind >= 182 && kind <= 205 || kind === 133 || kind === 159 || kind === 150 || kind === 163 || kind === 151 || kind === 136 || kind === 154 || kind === 155 || kind === 116 || kind === 157 || kind === 146 || kind === 141 || kind === 233 || kind === 312 || kind === 313 || kind === 314 || kind === 315 || kind === 316 || kind === 317 || kind === 318;
      }
      function isAccessExpression(node) {
        return node.kind === 211 || node.kind === 212;
      }
      function getNameOfAccessExpression(node) {
        if (node.kind === 211) {
          return node.name;
        }
        Debug.assert(
          node.kind === 212
          /* ElementAccessExpression */
        );
        return node.argumentExpression;
      }
      function isNamedImportsOrExports(node) {
        return node.kind === 275 || node.kind === 279;
      }
      function getLeftmostAccessExpression(expr) {
        while (isAccessExpression(expr)) {
          expr = expr.expression;
        }
        return expr;
      }
      function forEachNameInAccessChainWalkingLeft(name, action) {
        if (isAccessExpression(name.parent) && isRightSideOfAccessExpression(name)) {
          return walkAccessExpression(name.parent);
        }
        function walkAccessExpression(access) {
          if (access.kind === 211) {
            const res = action(access.name);
            if (res !== void 0) {
              return res;
            }
          } else if (access.kind === 212) {
            if (isIdentifier(access.argumentExpression) || isStringLiteralLike(access.argumentExpression)) {
              const res = action(access.argumentExpression);
              if (res !== void 0) {
                return res;
              }
            } else {
              return void 0;
            }
          }
          if (isAccessExpression(access.expression)) {
            return walkAccessExpression(access.expression);
          }
          if (isIdentifier(access.expression)) {
            return action(access.expression);
          }
          return void 0;
        }
      }
      function getLeftmostExpression(node, stopAtCallExpressions) {
        while (true) {
          switch (node.kind) {
            case 225:
              node = node.operand;
              continue;
            case 226:
              node = node.left;
              continue;
            case 227:
              node = node.condition;
              continue;
            case 215:
              node = node.tag;
              continue;
            case 213:
              if (stopAtCallExpressions) {
                return node;
              }
            case 234:
            case 212:
            case 211:
            case 235:
            case 354:
            case 238:
              node = node.expression;
              continue;
          }
          return node;
        }
      }
      function Symbol4(flags, name) {
        this.flags = flags;
        this.escapedName = name;
        this.declarations = void 0;
        this.valueDeclaration = void 0;
        this.id = 0;
        this.mergeId = 0;
        this.parent = void 0;
        this.members = void 0;
        this.exports = void 0;
        this.exportSymbol = void 0;
        this.constEnumOnlyModule = void 0;
        this.isReferenced = void 0;
        this.lastAssignmentPos = void 0;
        this.links = void 0;
      }
      function Type3(checker, flags) {
        this.flags = flags;
        if (Debug.isDebugging || tracing) {
          this.checker = checker;
        }
      }
      function Signature2(checker, flags) {
        this.flags = flags;
        if (Debug.isDebugging) {
          this.checker = checker;
        }
      }
      function Node4(kind, pos, end) {
        this.pos = pos;
        this.end = end;
        this.kind = kind;
        this.id = 0;
        this.flags = 0;
        this.modifierFlagsCache = 0;
        this.transformFlags = 0;
        this.parent = void 0;
        this.original = void 0;
        this.emitNode = void 0;
      }
      function Token(kind, pos, end) {
        this.pos = pos;
        this.end = end;
        this.kind = kind;
        this.id = 0;
        this.flags = 0;
        this.transformFlags = 0;
        this.parent = void 0;
        this.emitNode = void 0;
      }
      function Identifier2(kind, pos, end) {
        this.pos = pos;
        this.end = end;
        this.kind = kind;
        this.id = 0;
        this.flags = 0;
        this.transformFlags = 0;
        this.parent = void 0;
        this.original = void 0;
        this.emitNode = void 0;
      }
      function SourceMapSource(fileName, text, skipTrivia2) {
        this.fileName = fileName;
        this.text = text;
        this.skipTrivia = skipTrivia2 || ((pos) => pos);
      }
      var objectAllocator = {
        getNodeConstructor: () => Node4,
        getTokenConstructor: () => Token,
        getIdentifierConstructor: () => Identifier2,
        getPrivateIdentifierConstructor: () => Node4,
        getSourceFileConstructor: () => Node4,
        getSymbolConstructor: () => Symbol4,
        getTypeConstructor: () => Type3,
        getSignatureConstructor: () => Signature2,
        getSourceMapSourceConstructor: () => SourceMapSource
      };
      var objectAllocatorPatchers = [];
      function addObjectAllocatorPatcher(fn) {
        objectAllocatorPatchers.push(fn);
        fn(objectAllocator);
      }
      function setObjectAllocator(alloc) {
        Object.assign(objectAllocator, alloc);
        forEach(objectAllocatorPatchers, (fn) => fn(objectAllocator));
      }
      function formatStringFromArgs(text, args) {
        return text.replace(/{(\d+)}/g, (_match, index) => "" + Debug.checkDefined(args[+index]));
      }
      var localizedDiagnosticMessages;
      function setLocalizedDiagnosticMessages(messages116) {
        localizedDiagnosticMessages = messages116;
      }
      function maybeSetLocalizedDiagnosticMessages(getMessages) {
        if (!localizedDiagnosticMessages && getMessages) {
          localizedDiagnosticMessages = getMessages();
        }
      }
      function getLocaleSpecificMessage(message) {
        return localizedDiagnosticMessages && localizedDiagnosticMessages[message.key] || message.message;
      }
      function createDetachedDiagnostic(fileName, sourceText, start, length2, message, ...args) {
        if (start + length2 > sourceText.length) {
          length2 = sourceText.length - start;
        }
        assertDiagnosticLocation(sourceText, start, length2);
        let text = getLocaleSpecificMessage(message);
        if (some(args)) {
          text = formatStringFromArgs(text, args);
        }
        return {
          file: void 0,
          start,
          length: length2,
          messageText: text,
          category: message.category,
          code: message.code,
          reportsUnnecessary: message.reportsUnnecessary,
          fileName
        };
      }
      function isDiagnosticWithDetachedLocation(diagnostic) {
        return diagnostic.file === void 0 && diagnostic.start !== void 0 && diagnostic.length !== void 0 && typeof diagnostic.fileName === "string";
      }
      function attachFileToDiagnostic(diagnostic, file) {
        const fileName = file.fileName || "";
        const length2 = file.text.length;
        Debug.assertEqual(diagnostic.fileName, fileName);
        Debug.assertLessThanOrEqual(diagnostic.start, length2);
        Debug.assertLessThanOrEqual(diagnostic.start + diagnostic.length, length2);
        const diagnosticWithLocation = {
          file,
          start: diagnostic.start,
          length: diagnostic.length,
          messageText: diagnostic.messageText,
          category: diagnostic.category,
          code: diagnostic.code,
          reportsUnnecessary: diagnostic.reportsUnnecessary
        };
        if (diagnostic.relatedInformation) {
          diagnosticWithLocation.relatedInformation = [];
          for (const related of diagnostic.relatedInformation) {
            if (isDiagnosticWithDetachedLocation(related) && related.fileName === fileName) {
              Debug.assertLessThanOrEqual(related.start, length2);
              Debug.assertLessThanOrEqual(related.start + related.length, length2);
              diagnosticWithLocation.relatedInformation.push(attachFileToDiagnostic(related, file));
            } else {
              diagnosticWithLocation.relatedInformation.push(related);
            }
          }
        }
        return diagnosticWithLocation;
      }
      function attachFileToDiagnostics(diagnostics, file) {
        const diagnosticsWithLocation = [];
        for (const diagnostic of diagnostics) {
          diagnosticsWithLocation.push(attachFileToDiagnostic(diagnostic, file));
        }
        return diagnosticsWithLocation;
      }
      function createFileDiagnostic(file, start, length2, message, ...args) {
        assertDiagnosticLocation(file.text, start, length2);
        let text = getLocaleSpecificMessage(message);
        if (some(args)) {
          text = formatStringFromArgs(text, args);
        }
        return {
          file,
          start,
          length: length2,
          messageText: text,
          category: message.category,
          code: message.code,
          reportsUnnecessary: message.reportsUnnecessary,
          reportsDeprecated: message.reportsDeprecated
        };
      }
      function formatMessage(message, ...args) {
        let text = getLocaleSpecificMessage(message);
        if (some(args)) {
          text = formatStringFromArgs(text, args);
        }
        return text;
      }
      function createCompilerDiagnostic(message, ...args) {
        let text = getLocaleSpecificMessage(message);
        if (some(args)) {
          text = formatStringFromArgs(text, args);
        }
        return {
          file: void 0,
          start: void 0,
          length: void 0,
          messageText: text,
          category: message.category,
          code: message.code,
          reportsUnnecessary: message.reportsUnnecessary,
          reportsDeprecated: message.reportsDeprecated
        };
      }
      function createCompilerDiagnosticFromMessageChain(chain, relatedInformation) {
        return {
          file: void 0,
          start: void 0,
          length: void 0,
          code: chain.code,
          category: chain.category,
          messageText: chain.next ? chain : chain.messageText,
          relatedInformation
        };
      }
      function chainDiagnosticMessages(details, message, ...args) {
        let text = getLocaleSpecificMessage(message);
        if (some(args)) {
          text = formatStringFromArgs(text, args);
        }
        return {
          messageText: text,
          category: message.category,
          code: message.code,
          next: details === void 0 || Array.isArray(details) ? details : [details]
        };
      }
      function concatenateDiagnosticMessageChains(headChain, tailChain) {
        let lastChain = headChain;
        while (lastChain.next) {
          lastChain = lastChain.next[0];
        }
        lastChain.next = [tailChain];
      }
      function getDiagnosticFilePath(diagnostic) {
        return diagnostic.file ? diagnostic.file.path : void 0;
      }
      function compareDiagnostics(d1, d2) {
        return compareDiagnosticsSkipRelatedInformation(d1, d2) || compareRelatedInformation(d1, d2) || 0;
      }
      function compareDiagnosticsSkipRelatedInformation(d1, d2) {
        const code1 = getDiagnosticCode(d1);
        const code2 = getDiagnosticCode(d2);
        return compareStringsCaseSensitive(getDiagnosticFilePath(d1), getDiagnosticFilePath(d2)) || compareValues(d1.start, d2.start) || compareValues(d1.length, d2.length) || compareValues(code1, code2) || compareMessageText(d1, d2) || 0;
      }
      function compareRelatedInformation(d1, d2) {
        if (!d1.relatedInformation && !d2.relatedInformation) {
          return 0;
        }
        if (d1.relatedInformation && d2.relatedInformation) {
          return compareValues(d2.relatedInformation.length, d1.relatedInformation.length) || forEach(d1.relatedInformation, (d1i, index) => {
            const d2i = d2.relatedInformation[index];
            return compareDiagnostics(d1i, d2i);
          }) || 0;
        }
        return d1.relatedInformation ? -1 : 1;
      }
      function compareMessageText(d1, d2) {
        let headMsg1 = getDiagnosticMessage(d1);
        let headMsg2 = getDiagnosticMessage(d2);
        if (typeof headMsg1 !== "string") {
          headMsg1 = headMsg1.messageText;
        }
        if (typeof headMsg2 !== "string") {
          headMsg2 = headMsg2.messageText;
        }
        const chain1 = typeof d1.messageText !== "string" ? d1.messageText.next : void 0;
        const chain2 = typeof d2.messageText !== "string" ? d2.messageText.next : void 0;
        let res = compareStringsCaseSensitive(headMsg1, headMsg2);
        if (res) {
          return res;
        }
        res = compareMessageChain(chain1, chain2);
        if (res) {
          return res;
        }
        if (d1.canonicalHead && !d2.canonicalHead) {
          return -1;
        }
        if (d2.canonicalHead && !d1.canonicalHead) {
          return 1;
        }
        return 0;
      }
      function compareMessageChain(c1, c2) {
        if (c1 === void 0 && c2 === void 0) {
          return 0;
        }
        if (c1 === void 0) {
          return 1;
        }
        if (c2 === void 0) {
          return -1;
        }
        return compareMessageChainSize(c1, c2) || compareMessageChainContent(c1, c2);
      }
      function compareMessageChainSize(c1, c2) {
        if (c1 === void 0 && c2 === void 0) {
          return 0;
        }
        if (c1 === void 0) {
          return 1;
        }
        if (c2 === void 0) {
          return -1;
        }
        let res = compareValues(c2.length, c1.length);
        if (res) {
          return res;
        }
        for (let i = 0; i < c2.length; i++) {
          res = compareMessageChainSize(c1[i].next, c2[i].next);
          if (res) {
            return res;
          }
        }
        return 0;
      }
      function compareMessageChainContent(c1, c2) {
        let res;
        for (let i = 0; i < c2.length; i++) {
          res = compareStringsCaseSensitive(c1[i].messageText, c2[i].messageText);
          if (res) {
            return res;
          }
          if (c1[i].next === void 0) {
            continue;
          }
          res = compareMessageChainContent(c1[i].next, c2[i].next);
          if (res) {
            return res;
          }
        }
        return 0;
      }
      function diagnosticsEqualityComparer(d1, d2) {
        const code1 = getDiagnosticCode(d1);
        const code2 = getDiagnosticCode(d2);
        const msg1 = getDiagnosticMessage(d1);
        const msg2 = getDiagnosticMessage(d2);
        return compareStringsCaseSensitive(getDiagnosticFilePath(d1), getDiagnosticFilePath(d2)) === 0 && compareValues(d1.start, d2.start) === 0 && compareValues(d1.length, d2.length) === 0 && compareValues(code1, code2) === 0 && messageTextEqualityComparer(msg1, msg2);
      }
      function getDiagnosticCode(d) {
        var _a;
        return ((_a = d.canonicalHead) == null ? void 0 : _a.code) || d.code;
      }
      function getDiagnosticMessage(d) {
        var _a;
        return ((_a = d.canonicalHead) == null ? void 0 : _a.messageText) || d.messageText;
      }
      function messageTextEqualityComparer(m1, m2) {
        const t1 = typeof m1 === "string" ? m1 : m1.messageText;
        const t2 = typeof m2 === "string" ? m2 : m2.messageText;
        return compareStringsCaseSensitive(t1, t2) === 0;
      }
      function getLanguageVariant(scriptKind) {
        return scriptKind === 4 || scriptKind === 2 || scriptKind === 1 || scriptKind === 6 ? 1 : 0;
      }
      function walkTreeForJSXTags(node) {
        if (!(node.transformFlags & 2)) return void 0;
        return isJsxOpeningLikeElement(node) || isJsxFragment(node) ? node : forEachChild(node, walkTreeForJSXTags);
      }
      function isFileModuleFromUsingJSXTag(file) {
        return !file.isDeclarationFile ? walkTreeForJSXTags(file) : void 0;
      }
      function isFileForcedToBeModuleByFormat(file) {
        return (file.impliedNodeFormat === 99 || fileExtensionIsOneOf(file.fileName, [
          ".cjs",
          ".cts",
          ".mjs",
          ".mts"
          /* Mts */
        ])) && !file.isDeclarationFile ? true : void 0;
      }
      function getSetExternalModuleIndicator(options) {
        switch (getEmitModuleDetectionKind(options)) {
          case 3:
            return (file) => {
              file.externalModuleIndicator = isFileProbablyExternalModule(file) || !file.isDeclarationFile || void 0;
            };
          case 1:
            return (file) => {
              file.externalModuleIndicator = isFileProbablyExternalModule(file);
            };
          case 2:
            const checks = [isFileProbablyExternalModule];
            if (options.jsx === 4 || options.jsx === 5) {
              checks.push(isFileModuleFromUsingJSXTag);
            }
            checks.push(isFileForcedToBeModuleByFormat);
            const combined = or(...checks);
            const callback = (file) => void (file.externalModuleIndicator = combined(file));
            return callback;
        }
      }
      function createComputedCompilerOptions(options) {
        return options;
      }
      var computedOptions = createComputedCompilerOptions({
        target: {
          dependencies: ["module"],
          computeValue: (compilerOptions) => {
            const target = compilerOptions.target === 0 ? void 0 : compilerOptions.target;
            return target ?? (compilerOptions.module === 100 && 9 || compilerOptions.module === 199 && 99 || 1);
          }
        },
        module: {
          dependencies: ["target"],
          computeValue: (compilerOptions) => {
            return typeof compilerOptions.module === "number" ? compilerOptions.module : computedOptions.target.computeValue(compilerOptions) >= 2 ? 5 : 1;
          }
        },
        moduleResolution: {
          dependencies: ["module", "target"],
          computeValue: (compilerOptions) => {
            let moduleResolution = compilerOptions.moduleResolution;
            if (moduleResolution === void 0) {
              switch (computedOptions.module.computeValue(compilerOptions)) {
                case 1:
                  moduleResolution = 2;
                  break;
                case 100:
                  moduleResolution = 3;
                  break;
                case 199:
                  moduleResolution = 99;
                  break;
                case 200:
                  moduleResolution = 100;
                  break;
                default:
                  moduleResolution = 1;
                  break;
              }
            }
            return moduleResolution;
          }
        },
        moduleDetection: {
          dependencies: ["module", "target"],
          computeValue: (compilerOptions) => {
            return compilerOptions.moduleDetection || (computedOptions.module.computeValue(compilerOptions) === 100 || computedOptions.module.computeValue(compilerOptions) === 199 ? 3 : 2);
          }
        },
        isolatedModules: {
          dependencies: ["verbatimModuleSyntax"],
          computeValue: (compilerOptions) => {
            return !!(compilerOptions.isolatedModules || compilerOptions.verbatimModuleSyntax);
          }
        },
        esModuleInterop: {
          dependencies: ["module", "target"],
          computeValue: (compilerOptions) => {
            if (compilerOptions.esModuleInterop !== void 0) {
              return compilerOptions.esModuleInterop;
            }
            switch (computedOptions.module.computeValue(compilerOptions)) {
              case 100:
              case 199:
              case 200:
                return true;
            }
            return false;
          }
        },
        allowSyntheticDefaultImports: {
          dependencies: ["module", "target", "moduleResolution"],
          computeValue: (compilerOptions) => {
            if (compilerOptions.allowSyntheticDefaultImports !== void 0) {
              return compilerOptions.allowSyntheticDefaultImports;
            }
            return computedOptions.esModuleInterop.computeValue(compilerOptions) || computedOptions.module.computeValue(compilerOptions) === 4 || computedOptions.moduleResolution.computeValue(compilerOptions) === 100;
          }
        },
        resolvePackageJsonExports: {
          dependencies: ["moduleResolution"],
          computeValue: (compilerOptions) => {
            const moduleResolution = computedOptions.moduleResolution.computeValue(compilerOptions);
            if (!moduleResolutionSupportsPackageJsonExportsAndImports(moduleResolution)) {
              return false;
            }
            if (compilerOptions.resolvePackageJsonExports !== void 0) {
              return compilerOptions.resolvePackageJsonExports;
            }
            switch (moduleResolution) {
              case 3:
              case 99:
              case 100:
                return true;
            }
            return false;
          }
        },
        resolvePackageJsonImports: {
          dependencies: ["moduleResolution", "resolvePackageJsonExports"],
          computeValue: (compilerOptions) => {
            const moduleResolution = computedOptions.moduleResolution.computeValue(compilerOptions);
            if (!moduleResolutionSupportsPackageJsonExportsAndImports(moduleResolution)) {
              return false;
            }
            if (compilerOptions.resolvePackageJsonExports !== void 0) {
              return compilerOptions.resolvePackageJsonExports;
            }
            switch (moduleResolution) {
              case 3:
              case 99:
              case 100:
                return true;
            }
            return false;
          }
        },
        resolveJsonModule: {
          dependencies: ["moduleResolution", "module", "target"],
          computeValue: (compilerOptions) => {
            if (compilerOptions.resolveJsonModule !== void 0) {
              return compilerOptions.resolveJsonModule;
            }
            return computedOptions.moduleResolution.computeValue(compilerOptions) === 100;
          }
        },
        declaration: {
          dependencies: ["composite"],
          computeValue: (compilerOptions) => {
            return !!(compilerOptions.declaration || compilerOptions.composite);
          }
        },
        preserveConstEnums: {
          dependencies: ["isolatedModules", "verbatimModuleSyntax"],
          computeValue: (compilerOptions) => {
            return !!(compilerOptions.preserveConstEnums || computedOptions.isolatedModules.computeValue(compilerOptions));
          }
        },
        incremental: {
          dependencies: ["composite"],
          computeValue: (compilerOptions) => {
            return !!(compilerOptions.incremental || compilerOptions.composite);
          }
        },
        declarationMap: {
          dependencies: ["declaration", "composite"],
          computeValue: (compilerOptions) => {
            return !!(compilerOptions.declarationMap && computedOptions.declaration.computeValue(compilerOptions));
          }
        },
        allowJs: {
          dependencies: ["checkJs"],
          computeValue: (compilerOptions) => {
            return compilerOptions.allowJs === void 0 ? !!compilerOptions.checkJs : compilerOptions.allowJs;
          }
        },
        useDefineForClassFields: {
          dependencies: ["target", "module"],
          computeValue: (compilerOptions) => {
            return compilerOptions.useDefineForClassFields === void 0 ? computedOptions.target.computeValue(compilerOptions) >= 9 : compilerOptions.useDefineForClassFields;
          }
        },
        noImplicitAny: {
          dependencies: ["strict"],
          computeValue: (compilerOptions) => {
            return getStrictOptionValue(compilerOptions, "noImplicitAny");
          }
        },
        noImplicitThis: {
          dependencies: ["strict"],
          computeValue: (compilerOptions) => {
            return getStrictOptionValue(compilerOptions, "noImplicitThis");
          }
        },
        strictNullChecks: {
          dependencies: ["strict"],
          computeValue: (compilerOptions) => {
            return getStrictOptionValue(compilerOptions, "strictNullChecks");
          }
        },
        strictFunctionTypes: {
          dependencies: ["strict"],
          computeValue: (compilerOptions) => {
            return getStrictOptionValue(compilerOptions, "strictFunctionTypes");
          }
        },
        strictBindCallApply: {
          dependencies: ["strict"],
          computeValue: (compilerOptions) => {
            return getStrictOptionValue(compilerOptions, "strictBindCallApply");
          }
        },
        strictPropertyInitialization: {
          dependencies: ["strict"],
          computeValue: (compilerOptions) => {
            return getStrictOptionValue(compilerOptions, "strictPropertyInitialization");
          }
        },
        alwaysStrict: {
          dependencies: ["strict"],
          computeValue: (compilerOptions) => {
            return getStrictOptionValue(compilerOptions, "alwaysStrict");
          }
        },
        useUnknownInCatchVariables: {
          dependencies: ["strict"],
          computeValue: (compilerOptions) => {
            return getStrictOptionValue(compilerOptions, "useUnknownInCatchVariables");
          }
        }
      });
      var getEmitScriptTarget = computedOptions.target.computeValue;
      var getEmitModuleKind = computedOptions.module.computeValue;
      var getEmitModuleResolutionKind = computedOptions.moduleResolution.computeValue;
      var getEmitModuleDetectionKind = computedOptions.moduleDetection.computeValue;
      var getIsolatedModules = computedOptions.isolatedModules.computeValue;
      var getESModuleInterop = computedOptions.esModuleInterop.computeValue;
      var getAllowSyntheticDefaultImports = computedOptions.allowSyntheticDefaultImports.computeValue;
      var getResolvePackageJsonExports = computedOptions.resolvePackageJsonExports.computeValue;
      var getResolvePackageJsonImports = computedOptions.resolvePackageJsonImports.computeValue;
      var getResolveJsonModule = computedOptions.resolveJsonModule.computeValue;
      var getEmitDeclarations = computedOptions.declaration.computeValue;
      var shouldPreserveConstEnums = computedOptions.preserveConstEnums.computeValue;
      var isIncrementalCompilation = computedOptions.incremental.computeValue;
      var getAreDeclarationMapsEnabled = computedOptions.declarationMap.computeValue;
      var getAllowJSCompilerOption = computedOptions.allowJs.computeValue;
      var getUseDefineForClassFields = computedOptions.useDefineForClassFields.computeValue;
      function emitModuleKindIsNonNodeESM(moduleKind) {
        return moduleKind >= 5 && moduleKind <= 99;
      }
      function hasJsonModuleEmitEnabled(options) {
        switch (getEmitModuleKind(options)) {
          case 0:
          case 4:
          case 3:
            return false;
        }
        return true;
      }
      function unreachableCodeIsError(options) {
        return options.allowUnreachableCode === false;
      }
      function unusedLabelIsError(options) {
        return options.allowUnusedLabels === false;
      }
      function moduleResolutionSupportsPackageJsonExportsAndImports(moduleResolution) {
        return moduleResolution >= 3 && moduleResolution <= 99 || moduleResolution === 100;
      }
      function getStrictOptionValue(compilerOptions, flag) {
        return compilerOptions[flag] === void 0 ? !!compilerOptions.strict : !!compilerOptions[flag];
      }
      function getNameOfScriptTarget(scriptTarget) {
        return forEachEntry(targetOptionDeclaration.type, (value, key) => value === scriptTarget ? key : void 0);
      }
      function getEmitStandardClassFields(compilerOptions) {
        return compilerOptions.useDefineForClassFields !== false && getEmitScriptTarget(compilerOptions) >= 9;
      }
      function compilerOptionsAffectSemanticDiagnostics(newOptions, oldOptions) {
        return optionsHaveChanges(oldOptions, newOptions, semanticDiagnosticsOptionDeclarations);
      }
      function compilerOptionsAffectEmit(newOptions, oldOptions) {
        return optionsHaveChanges(oldOptions, newOptions, affectsEmitOptionDeclarations);
      }
      function compilerOptionsAffectDeclarationPath(newOptions, oldOptions) {
        return optionsHaveChanges(oldOptions, newOptions, affectsDeclarationPathOptionDeclarations);
      }
      function getCompilerOptionValue(options, option) {
        return option.strictFlag ? getStrictOptionValue(options, option.name) : option.allowJsFlag ? getAllowJSCompilerOption(options) : options[option.name];
      }
      function getJSXTransformEnabled(options) {
        const jsx = options.jsx;
        return jsx === 2 || jsx === 4 || jsx === 5;
      }
      function getJSXImplicitImportBase(compilerOptions, file) {
        const jsxImportSourcePragmas = file == null ? void 0 : file.pragmas.get("jsximportsource");
        const jsxImportSourcePragma = isArray3(jsxImportSourcePragmas) ? jsxImportSourcePragmas[jsxImportSourcePragmas.length - 1] : jsxImportSourcePragmas;
        return compilerOptions.jsx === 4 || compilerOptions.jsx === 5 || compilerOptions.jsxImportSource || jsxImportSourcePragma ? (jsxImportSourcePragma == null ? void 0 : jsxImportSourcePragma.arguments.factory) || compilerOptions.jsxImportSource || "react" : void 0;
      }
      function getJSXRuntimeImport(base, options) {
        return base ? `${base}/${options.jsx === 5 ? "jsx-dev-runtime" : "jsx-runtime"}` : void 0;
      }
      function hasZeroOrOneAsteriskCharacter(str) {
        let seenAsterisk = false;
        for (let i = 0; i < str.length; i++) {
          if (str.charCodeAt(i) === 42) {
            if (!seenAsterisk) {
              seenAsterisk = true;
            } else {
              return false;
            }
          }
        }
        return true;
      }
      function createSymlinkCache(cwd, getCanonicalFileName) {
        let symlinkedDirectories;
        let symlinkedDirectoriesByRealpath;
        let symlinkedFiles;
        let hasProcessedResolutions = false;
        return {
          getSymlinkedFiles: () => symlinkedFiles,
          getSymlinkedDirectories: () => symlinkedDirectories,
          getSymlinkedDirectoriesByRealpath: () => symlinkedDirectoriesByRealpath,
          setSymlinkedFile: (path17, real) => (symlinkedFiles || (symlinkedFiles = /* @__PURE__ */ new Map())).set(path17, real),
          setSymlinkedDirectory: (symlink, real) => {
            let symlinkPath = toPath3(symlink, cwd, getCanonicalFileName);
            if (!containsIgnoredPath(symlinkPath)) {
              symlinkPath = ensureTrailingDirectorySeparator(symlinkPath);
              if (real !== false && !(symlinkedDirectories == null ? void 0 : symlinkedDirectories.has(symlinkPath))) {
                (symlinkedDirectoriesByRealpath || (symlinkedDirectoriesByRealpath = createMultiMap())).add(real.realPath, symlink);
              }
              (symlinkedDirectories || (symlinkedDirectories = /* @__PURE__ */ new Map())).set(symlinkPath, real);
            }
          },
          setSymlinksFromResolutions(forEachResolvedModule, forEachResolvedTypeReferenceDirective, typeReferenceDirectives) {
            Debug.assert(!hasProcessedResolutions);
            hasProcessedResolutions = true;
            forEachResolvedModule((resolution) => processResolution(this, resolution.resolvedModule));
            forEachResolvedTypeReferenceDirective((resolution) => processResolution(this, resolution.resolvedTypeReferenceDirective));
            typeReferenceDirectives.forEach((resolution) => processResolution(this, resolution.resolvedTypeReferenceDirective));
          },
          hasProcessedResolutions: () => hasProcessedResolutions,
          setSymlinksFromResolution(resolution) {
            processResolution(this, resolution);
          },
          hasAnySymlinks
        };
        function hasAnySymlinks() {
          return !!(symlinkedFiles == null ? void 0 : symlinkedFiles.size) || !!symlinkedDirectories && !!forEachEntry(symlinkedDirectories, (value) => !!value);
        }
        function processResolution(cache, resolution) {
          if (!resolution || !resolution.originalPath || !resolution.resolvedFileName) return;
          const { resolvedFileName, originalPath } = resolution;
          cache.setSymlinkedFile(toPath3(originalPath, cwd, getCanonicalFileName), resolvedFileName);
          const [commonResolved, commonOriginal] = guessDirectorySymlink(resolvedFileName, originalPath, cwd, getCanonicalFileName) || emptyArray;
          if (commonResolved && commonOriginal) {
            cache.setSymlinkedDirectory(
              commonOriginal,
              {
                real: ensureTrailingDirectorySeparator(commonResolved),
                realPath: ensureTrailingDirectorySeparator(toPath3(commonResolved, cwd, getCanonicalFileName))
              }
            );
          }
        }
      }
      function guessDirectorySymlink(a, b, cwd, getCanonicalFileName) {
        const aParts = getPathComponents(getNormalizedAbsolutePath(a, cwd));
        const bParts = getPathComponents(getNormalizedAbsolutePath(b, cwd));
        let isDirectory = false;
        while (aParts.length >= 2 && bParts.length >= 2 && !isNodeModulesOrScopedPackageDirectory(aParts[aParts.length - 2], getCanonicalFileName) && !isNodeModulesOrScopedPackageDirectory(bParts[bParts.length - 2], getCanonicalFileName) && getCanonicalFileName(aParts[aParts.length - 1]) === getCanonicalFileName(bParts[bParts.length - 1])) {
          aParts.pop();
          bParts.pop();
          isDirectory = true;
        }
        return isDirectory ? [getPathFromPathComponents(aParts), getPathFromPathComponents(bParts)] : void 0;
      }
      function isNodeModulesOrScopedPackageDirectory(s, getCanonicalFileName) {
        return s !== void 0 && (getCanonicalFileName(s) === "node_modules" || startsWith2(s, "@"));
      }
      function stripLeadingDirectorySeparator(s) {
        return isAnyDirectorySeparator(s.charCodeAt(0)) ? s.slice(1) : void 0;
      }
      function tryRemoveDirectoryPrefix(path17, dirPath, getCanonicalFileName) {
        const withoutPrefix = tryRemovePrefix(path17, dirPath, getCanonicalFileName);
        return withoutPrefix === void 0 ? void 0 : stripLeadingDirectorySeparator(withoutPrefix);
      }
      var reservedCharacterPattern = /[^\w\s/]/g;
      function regExpEscape(text) {
        return text.replace(reservedCharacterPattern, escapeRegExpCharacter);
      }
      function escapeRegExpCharacter(match) {
        return "\\" + match;
      }
      var wildcardCharCodes = [
        42,
        63
        /* question */
      ];
      var commonPackageFolders = ["node_modules", "bower_components", "jspm_packages"];
      var implicitExcludePathRegexPattern = `(?!(${commonPackageFolders.join("|")})(/|$))`;
      var filesMatcher = {
        /**
         * Matches any single directory segment unless it is the last segment and a .min.js file
         * Breakdown:
         *  [^./]                   # matches everything up to the first . character (excluding directory separators)
         *  (\\.(?!min\\.js$))?     # matches . characters but not if they are part of the .min.js file extension
         */
        singleAsteriskRegexFragment: "([^./]|(\\.(?!min\\.js$))?)*",
        /**
         * Regex for the ** wildcard. Matches any number of subdirectories. When used for including
         * files or directories, does not match subdirectories that start with a . character
         */
        doubleAsteriskRegexFragment: `(/${implicitExcludePathRegexPattern}[^/.][^/]*)*?`,
        replaceWildcardCharacter: (match) => replaceWildcardCharacter(match, filesMatcher.singleAsteriskRegexFragment)
      };
      var directoriesMatcher = {
        singleAsteriskRegexFragment: "[^/]*",
        /**
         * Regex for the ** wildcard. Matches any number of subdirectories. When used for including
         * files or directories, does not match subdirectories that start with a . character
         */
        doubleAsteriskRegexFragment: `(/${implicitExcludePathRegexPattern}[^/.][^/]*)*?`,
        replaceWildcardCharacter: (match) => replaceWildcardCharacter(match, directoriesMatcher.singleAsteriskRegexFragment)
      };
      var excludeMatcher = {
        singleAsteriskRegexFragment: "[^/]*",
        doubleAsteriskRegexFragment: "(/.+?)?",
        replaceWildcardCharacter: (match) => replaceWildcardCharacter(match, excludeMatcher.singleAsteriskRegexFragment)
      };
      var wildcardMatchers = {
        files: filesMatcher,
        directories: directoriesMatcher,
        exclude: excludeMatcher
      };
      function getRegularExpressionForWildcard(specs, basePath, usage) {
        const patterns = getRegularExpressionsForWildcards(specs, basePath, usage);
        if (!patterns || !patterns.length) {
          return void 0;
        }
        const pattern = patterns.map((pattern2) => `(${pattern2})`).join("|");
        const terminator = usage === "exclude" ? "($|/)" : "$";
        return `^(${pattern})${terminator}`;
      }
      function getRegularExpressionsForWildcards(specs, basePath, usage) {
        if (specs === void 0 || specs.length === 0) {
          return void 0;
        }
        return flatMap(specs, (spec) => spec && getSubPatternFromSpec(spec, basePath, usage, wildcardMatchers[usage]));
      }
      function isImplicitGlob(lastPathComponent) {
        return !/[.*?]/.test(lastPathComponent);
      }
      function getPatternFromSpec(spec, basePath, usage) {
        const pattern = spec && getSubPatternFromSpec(spec, basePath, usage, wildcardMatchers[usage]);
        return pattern && `^(${pattern})${usage === "exclude" ? "($|/)" : "$"}`;
      }
      function getSubPatternFromSpec(spec, basePath, usage, { singleAsteriskRegexFragment, doubleAsteriskRegexFragment, replaceWildcardCharacter: replaceWildcardCharacter2 } = wildcardMatchers[usage]) {
        let subpattern = "";
        let hasWrittenComponent = false;
        const components = getNormalizedPathComponents(spec, basePath);
        const lastComponent = last(components);
        if (usage !== "exclude" && lastComponent === "**") {
          return void 0;
        }
        components[0] = removeTrailingDirectorySeparator(components[0]);
        if (isImplicitGlob(lastComponent)) {
          components.push("**", "*");
        }
        let optionalCount = 0;
        for (let component of components) {
          if (component === "**") {
            subpattern += doubleAsteriskRegexFragment;
          } else {
            if (usage === "directories") {
              subpattern += "(";
              optionalCount++;
            }
            if (hasWrittenComponent) {
              subpattern += directorySeparator;
            }
            if (usage !== "exclude") {
              let componentPattern = "";
              if (component.charCodeAt(0) === 42) {
                componentPattern += "([^./]" + singleAsteriskRegexFragment + ")?";
                component = component.substr(1);
              } else if (component.charCodeAt(0) === 63) {
                componentPattern += "[^./]";
                component = component.substr(1);
              }
              componentPattern += component.replace(reservedCharacterPattern, replaceWildcardCharacter2);
              if (componentPattern !== component) {
                subpattern += implicitExcludePathRegexPattern;
              }
              subpattern += componentPattern;
            } else {
              subpattern += component.replace(reservedCharacterPattern, replaceWildcardCharacter2);
            }
          }
          hasWrittenComponent = true;
        }
        while (optionalCount > 0) {
          subpattern += ")?";
          optionalCount--;
        }
        return subpattern;
      }
      function replaceWildcardCharacter(match, singleAsteriskRegexFragment) {
        return match === "*" ? singleAsteriskRegexFragment : match === "?" ? "[^/]" : "\\" + match;
      }
      function getFileMatcherPatterns(path17, excludes, includes, useCaseSensitiveFileNames2, currentDirectory) {
        path17 = normalizePath(path17);
        currentDirectory = normalizePath(currentDirectory);
        const absolutePath = combinePaths(currentDirectory, path17);
        return {
          includeFilePatterns: map(getRegularExpressionsForWildcards(includes, absolutePath, "files"), (pattern) => `^${pattern}$`),
          includeFilePattern: getRegularExpressionForWildcard(includes, absolutePath, "files"),
          includeDirectoryPattern: getRegularExpressionForWildcard(includes, absolutePath, "directories"),
          excludePattern: getRegularExpressionForWildcard(excludes, absolutePath, "exclude"),
          basePaths: getBasePaths(path17, includes, useCaseSensitiveFileNames2)
        };
      }
      function getRegexFromPattern(pattern, useCaseSensitiveFileNames2) {
        return new RegExp(pattern, useCaseSensitiveFileNames2 ? "" : "i");
      }
      function matchFiles(path17, extensions, excludes, includes, useCaseSensitiveFileNames2, currentDirectory, depth2, getFileSystemEntries, realpath) {
        path17 = normalizePath(path17);
        currentDirectory = normalizePath(currentDirectory);
        const patterns = getFileMatcherPatterns(path17, excludes, includes, useCaseSensitiveFileNames2, currentDirectory);
        const includeFileRegexes = patterns.includeFilePatterns && patterns.includeFilePatterns.map((pattern) => getRegexFromPattern(pattern, useCaseSensitiveFileNames2));
        const includeDirectoryRegex = patterns.includeDirectoryPattern && getRegexFromPattern(patterns.includeDirectoryPattern, useCaseSensitiveFileNames2);
        const excludeRegex = patterns.excludePattern && getRegexFromPattern(patterns.excludePattern, useCaseSensitiveFileNames2);
        const results = includeFileRegexes ? includeFileRegexes.map(() => []) : [[]];
        const visited = /* @__PURE__ */ new Map();
        const toCanonical = createGetCanonicalFileName(useCaseSensitiveFileNames2);
        for (const basePath of patterns.basePaths) {
          visitDirectory(basePath, combinePaths(currentDirectory, basePath), depth2);
        }
        return flatten(results);
        function visitDirectory(path22, absolutePath, depth22) {
          const canonicalPath = toCanonical(realpath(absolutePath));
          if (visited.has(canonicalPath)) return;
          visited.set(canonicalPath, true);
          const { files, directories } = getFileSystemEntries(path22);
          for (const current of sort(files, compareStringsCaseSensitive)) {
            const name = combinePaths(path22, current);
            const absoluteName = combinePaths(absolutePath, current);
            if (extensions && !fileExtensionIsOneOf(name, extensions)) continue;
            if (excludeRegex && excludeRegex.test(absoluteName)) continue;
            if (!includeFileRegexes) {
              results[0].push(name);
            } else {
              const includeIndex = findIndex(includeFileRegexes, (re) => re.test(absoluteName));
              if (includeIndex !== -1) {
                results[includeIndex].push(name);
              }
            }
          }
          if (depth22 !== void 0) {
            depth22--;
            if (depth22 === 0) {
              return;
            }
          }
          for (const current of sort(directories, compareStringsCaseSensitive)) {
            const name = combinePaths(path22, current);
            const absoluteName = combinePaths(absolutePath, current);
            if ((!includeDirectoryRegex || includeDirectoryRegex.test(absoluteName)) && (!excludeRegex || !excludeRegex.test(absoluteName))) {
              visitDirectory(name, absoluteName, depth22);
            }
          }
        }
      }
      function getBasePaths(path17, includes, useCaseSensitiveFileNames2) {
        const basePaths = [path17];
        if (includes) {
          const includeBasePaths = [];
          for (const include of includes) {
            const absolute = isRootedDiskPath(include) ? include : normalizePath(combinePaths(path17, include));
            includeBasePaths.push(getIncludeBasePath(absolute));
          }
          includeBasePaths.sort(getStringComparer(!useCaseSensitiveFileNames2));
          for (const includeBasePath of includeBasePaths) {
            if (every(basePaths, (basePath) => !containsPath(basePath, includeBasePath, path17, !useCaseSensitiveFileNames2))) {
              basePaths.push(includeBasePath);
            }
          }
        }
        return basePaths;
      }
      function getIncludeBasePath(absolute) {
        const wildcardOffset = indexOfAnyCharCode(absolute, wildcardCharCodes);
        if (wildcardOffset < 0) {
          return !hasExtension(absolute) ? absolute : removeTrailingDirectorySeparator(getDirectoryPath(absolute));
        }
        return absolute.substring(0, absolute.lastIndexOf(directorySeparator, wildcardOffset));
      }
      function ensureScriptKind(fileName, scriptKind) {
        return scriptKind || getScriptKindFromFileName(fileName) || 3;
      }
      function getScriptKindFromFileName(fileName) {
        const ext = fileName.substr(fileName.lastIndexOf("."));
        switch (ext.toLowerCase()) {
          case ".js":
          case ".cjs":
          case ".mjs":
            return 1;
          case ".jsx":
            return 2;
          case ".ts":
          case ".cts":
          case ".mts":
            return 3;
          case ".tsx":
            return 4;
          case ".json":
            return 6;
          default:
            return 0;
        }
      }
      var supportedTSExtensions = [[
        ".ts",
        ".tsx",
        ".d.ts"
        /* Dts */
      ], [
        ".cts",
        ".d.cts"
        /* Dcts */
      ], [
        ".mts",
        ".d.mts"
        /* Dmts */
      ]];
      var supportedTSExtensionsFlat = flatten(supportedTSExtensions);
      var supportedTSExtensionsWithJson = [...supportedTSExtensions, [
        ".json"
        /* Json */
      ]];
      var supportedTSExtensionsForExtractExtension = [
        ".d.ts",
        ".d.cts",
        ".d.mts",
        ".cts",
        ".mts",
        ".ts",
        ".tsx"
        /* Tsx */
      ];
      var supportedJSExtensions = [[
        ".js",
        ".jsx"
        /* Jsx */
      ], [
        ".mjs"
        /* Mjs */
      ], [
        ".cjs"
        /* Cjs */
      ]];
      var supportedJSExtensionsFlat = flatten(supportedJSExtensions);
      var allSupportedExtensions = [[
        ".ts",
        ".tsx",
        ".d.ts",
        ".js",
        ".jsx"
        /* Jsx */
      ], [
        ".cts",
        ".d.cts",
        ".cjs"
        /* Cjs */
      ], [
        ".mts",
        ".d.mts",
        ".mjs"
        /* Mjs */
      ]];
      var allSupportedExtensionsWithJson = [...allSupportedExtensions, [
        ".json"
        /* Json */
      ]];
      var supportedDeclarationExtensions = [
        ".d.ts",
        ".d.cts",
        ".d.mts"
        /* Dmts */
      ];
      var supportedTSImplementationExtensions = [
        ".ts",
        ".cts",
        ".mts",
        ".tsx"
        /* Tsx */
      ];
      var extensionsNotSupportingExtensionlessResolution = [
        ".mts",
        ".d.mts",
        ".mjs",
        ".cts",
        ".d.cts",
        ".cjs"
        /* Cjs */
      ];
      function getSupportedExtensions(options, extraFileExtensions) {
        const needJsExtensions = options && getAllowJSCompilerOption(options);
        if (!extraFileExtensions || extraFileExtensions.length === 0) {
          return needJsExtensions ? allSupportedExtensions : supportedTSExtensions;
        }
        const builtins = needJsExtensions ? allSupportedExtensions : supportedTSExtensions;
        const flatBuiltins = flatten(builtins);
        const extensions = [
          ...builtins,
          ...mapDefined(extraFileExtensions, (x) => x.scriptKind === 7 || needJsExtensions && isJSLike(x.scriptKind) && !flatBuiltins.includes(x.extension) ? [x.extension] : void 0)
        ];
        return extensions;
      }
      function getSupportedExtensionsWithJsonIfResolveJsonModule(options, supportedExtensions) {
        if (!options || !getResolveJsonModule(options)) return supportedExtensions;
        if (supportedExtensions === allSupportedExtensions) return allSupportedExtensionsWithJson;
        if (supportedExtensions === supportedTSExtensions) return supportedTSExtensionsWithJson;
        return [...supportedExtensions, [
          ".json"
          /* Json */
        ]];
      }
      function isJSLike(scriptKind) {
        return scriptKind === 1 || scriptKind === 2;
      }
      function hasJSFileExtension(fileName) {
        return some(supportedJSExtensionsFlat, (extension) => fileExtensionIs(fileName, extension));
      }
      function hasTSFileExtension(fileName) {
        return some(supportedTSExtensionsFlat, (extension) => fileExtensionIs(fileName, extension));
      }
      var ModuleSpecifierEnding = /* @__PURE__ */ ((ModuleSpecifierEnding2) => {
        ModuleSpecifierEnding2[ModuleSpecifierEnding2["Minimal"] = 0] = "Minimal";
        ModuleSpecifierEnding2[ModuleSpecifierEnding2["Index"] = 1] = "Index";
        ModuleSpecifierEnding2[ModuleSpecifierEnding2["JsExtension"] = 2] = "JsExtension";
        ModuleSpecifierEnding2[ModuleSpecifierEnding2["TsExtension"] = 3] = "TsExtension";
        return ModuleSpecifierEnding2;
      })(ModuleSpecifierEnding || {});
      function usesExtensionsOnImports({ imports }, hasExtension2 = or(hasJSFileExtension, hasTSFileExtension)) {
        return firstDefined(imports, ({ text }) => pathIsRelative(text) && !fileExtensionIsOneOf(text, extensionsNotSupportingExtensionlessResolution) ? hasExtension2(text) : void 0) || false;
      }
      function getModuleSpecifierEndingPreference(preference, resolutionMode, compilerOptions, sourceFile) {
        const moduleResolution = getEmitModuleResolutionKind(compilerOptions);
        const moduleResolutionIsNodeNext = 3 <= moduleResolution && moduleResolution <= 99;
        if (preference === "js" || resolutionMode === 99 && moduleResolutionIsNodeNext) {
          if (!shouldAllowImportingTsExtension(compilerOptions)) {
            return 2;
          }
          return inferPreference() !== 2 ? 3 : 2;
        }
        if (preference === "minimal") {
          return 0;
        }
        if (preference === "index") {
          return 1;
        }
        if (!shouldAllowImportingTsExtension(compilerOptions)) {
          return sourceFile && usesExtensionsOnImports(sourceFile) ? 2 : 0;
        }
        return inferPreference();
        function inferPreference() {
          let usesJsExtensions = false;
          const specifiers = (sourceFile == null ? void 0 : sourceFile.imports.length) ? sourceFile.imports : sourceFile && isSourceFileJS(sourceFile) ? getRequiresAtTopOfFile(sourceFile).map((r) => r.arguments[0]) : emptyArray;
          for (const specifier of specifiers) {
            if (pathIsRelative(specifier.text)) {
              if (moduleResolutionIsNodeNext && resolutionMode === 1 && getModeForUsageLocation(sourceFile, specifier, compilerOptions) === 99) {
                continue;
              }
              if (fileExtensionIsOneOf(specifier.text, extensionsNotSupportingExtensionlessResolution)) {
                continue;
              }
              if (hasTSFileExtension(specifier.text)) {
                return 3;
              }
              if (hasJSFileExtension(specifier.text)) {
                usesJsExtensions = true;
              }
            }
          }
          return usesJsExtensions ? 2 : 0;
        }
      }
      function getRequiresAtTopOfFile(sourceFile) {
        let nonRequireStatementCount = 0;
        let requires;
        for (const statement of sourceFile.statements) {
          if (nonRequireStatementCount > 3) {
            break;
          }
          if (isRequireVariableStatement(statement)) {
            requires = concatenate(requires, statement.declarationList.declarations.map((d) => d.initializer));
          } else if (isExpressionStatement2(statement) && isRequireCall(
            statement.expression,
            /*requireStringLiteralLikeArgument*/
            true
          )) {
            requires = append(requires, statement.expression);
          } else {
            nonRequireStatementCount++;
          }
        }
        return requires || emptyArray;
      }
      function isSupportedSourceFileName(fileName, compilerOptions, extraFileExtensions) {
        if (!fileName) return false;
        const supportedExtensions = getSupportedExtensions(compilerOptions, extraFileExtensions);
        for (const extension of flatten(getSupportedExtensionsWithJsonIfResolveJsonModule(compilerOptions, supportedExtensions))) {
          if (fileExtensionIs(fileName, extension)) {
            return true;
          }
        }
        return false;
      }
      function numberOfDirectorySeparators(str) {
        const match = str.match(/\//g);
        return match ? match.length : 0;
      }
      function compareNumberOfDirectorySeparators(path1, path22) {
        return compareValues(
          numberOfDirectorySeparators(path1),
          numberOfDirectorySeparators(path22)
        );
      }
      var extensionsToRemove = [
        ".d.ts",
        ".d.mts",
        ".d.cts",
        ".mjs",
        ".mts",
        ".cjs",
        ".cts",
        ".ts",
        ".js",
        ".tsx",
        ".jsx",
        ".json"
        /* Json */
      ];
      function removeFileExtension(path17) {
        for (const ext of extensionsToRemove) {
          const extensionless = tryRemoveExtension(path17, ext);
          if (extensionless !== void 0) {
            return extensionless;
          }
        }
        return path17;
      }
      function tryRemoveExtension(path17, extension) {
        return fileExtensionIs(path17, extension) ? removeExtension(path17, extension) : void 0;
      }
      function removeExtension(path17, extension) {
        return path17.substring(0, path17.length - extension.length);
      }
      function changeExtension(path17, newExtension) {
        return changeAnyExtension(
          path17,
          newExtension,
          extensionsToRemove,
          /*ignoreCase*/
          false
        );
      }
      function tryParsePattern(pattern) {
        const indexOfStar = pattern.indexOf("*");
        if (indexOfStar === -1) {
          return pattern;
        }
        return pattern.indexOf("*", indexOfStar + 1) !== -1 ? void 0 : {
          prefix: pattern.substr(0, indexOfStar),
          suffix: pattern.substr(indexOfStar + 1)
        };
      }
      function tryParsePatterns(paths) {
        return mapDefined(getOwnKeys(paths), (path17) => tryParsePattern(path17));
      }
      function positionIsSynthesized(pos) {
        return !(pos >= 0);
      }
      function extensionIsTS(ext) {
        return ext === ".ts" || ext === ".tsx" || ext === ".d.ts" || ext === ".cts" || ext === ".mts" || ext === ".d.mts" || ext === ".d.cts" || startsWith2(ext, ".d.") && endsWith(ext, ".ts");
      }
      function resolutionExtensionIsTSOrJson(ext) {
        return extensionIsTS(ext) || ext === ".json";
      }
      function extensionFromPath(path17) {
        const ext = tryGetExtensionFromPath2(path17);
        return ext !== void 0 ? ext : Debug.fail(`File ${path17} has unknown extension.`);
      }
      function isAnySupportedFileExtension(path17) {
        return tryGetExtensionFromPath2(path17) !== void 0;
      }
      function tryGetExtensionFromPath2(path17) {
        return find(extensionsToRemove, (e) => fileExtensionIs(path17, e));
      }
      function isCheckJsEnabledForFile(sourceFile, compilerOptions) {
        return sourceFile.checkJsDirective ? sourceFile.checkJsDirective.enabled : compilerOptions.checkJs;
      }
      var emptyFileSystemEntries = {
        files: emptyArray,
        directories: emptyArray
      };
      function matchPatternOrExact(patternOrStrings, candidate) {
        const patterns = [];
        for (const patternOrString of patternOrStrings) {
          if (patternOrString === candidate) {
            return candidate;
          }
          if (!isString2(patternOrString)) {
            patterns.push(patternOrString);
          }
        }
        return findBestPatternMatch(patterns, (_) => _, candidate);
      }
      function sliceAfter(arr, value) {
        const index = arr.indexOf(value);
        Debug.assert(index !== -1);
        return arr.slice(index);
      }
      function addRelatedInfo(diagnostic, ...relatedInformation) {
        if (!relatedInformation.length) {
          return diagnostic;
        }
        if (!diagnostic.relatedInformation) {
          diagnostic.relatedInformation = [];
        }
        Debug.assert(diagnostic.relatedInformation !== emptyArray, "Diagnostic had empty array singleton for related info, but is still being constructed!");
        diagnostic.relatedInformation.push(...relatedInformation);
        return diagnostic;
      }
      function minAndMax(arr, getValue2) {
        Debug.assert(arr.length !== 0);
        let min2 = getValue2(arr[0]);
        let max = min2;
        for (let i = 1; i < arr.length; i++) {
          const value = getValue2(arr[i]);
          if (value < min2) {
            min2 = value;
          } else if (value > max) {
            max = value;
          }
        }
        return { min: min2, max };
      }
      function rangeOfNode(node) {
        return { pos: getTokenPosOfNode(node), end: node.end };
      }
      function rangeOfTypeParameters(sourceFile, typeParameters) {
        const pos = typeParameters.pos - 1;
        const end = Math.min(sourceFile.text.length, skipTrivia(sourceFile.text, typeParameters.end) + 1);
        return { pos, end };
      }
      function skipTypeChecking(sourceFile, options, host) {
        return options.skipLibCheck && sourceFile.isDeclarationFile || options.skipDefaultLibCheck && sourceFile.hasNoDefaultLib || options.noCheck || host.isSourceOfProjectReferenceRedirect(sourceFile.fileName) || !canIncludeBindAndCheckDiagnsotics(sourceFile, options);
      }
      function canIncludeBindAndCheckDiagnsotics(sourceFile, options) {
        if (!!sourceFile.checkJsDirective && sourceFile.checkJsDirective.enabled === false) return false;
        if (sourceFile.scriptKind === 3 || sourceFile.scriptKind === 4 || sourceFile.scriptKind === 5) return true;
        const isJs = sourceFile.scriptKind === 1 || sourceFile.scriptKind === 2;
        const isCheckJs = isJs && isCheckJsEnabledForFile(sourceFile, options);
        const isPlainJs = isPlainJsFile(sourceFile, options.checkJs);
        return isPlainJs || isCheckJs || sourceFile.scriptKind === 7;
      }
      function isJsonEqual(a, b) {
        return a === b || typeof a === "object" && a !== null && typeof b === "object" && b !== null && equalOwnProperties(a, b, isJsonEqual);
      }
      function parsePseudoBigInt(stringValue) {
        let log2Base;
        switch (stringValue.charCodeAt(1)) {
          case 98:
          case 66:
            log2Base = 1;
            break;
          case 111:
          case 79:
            log2Base = 3;
            break;
          case 120:
          case 88:
            log2Base = 4;
            break;
          default:
            const nIndex = stringValue.length - 1;
            let nonZeroStart = 0;
            while (stringValue.charCodeAt(nonZeroStart) === 48) {
              nonZeroStart++;
            }
            return stringValue.slice(nonZeroStart, nIndex) || "0";
        }
        const startIndex = 2, endIndex = stringValue.length - 1;
        const bitsNeeded = (endIndex - startIndex) * log2Base;
        const segments = new Uint16Array((bitsNeeded >>> 4) + (bitsNeeded & 15 ? 1 : 0));
        for (let i = endIndex - 1, bitOffset = 0; i >= startIndex; i--, bitOffset += log2Base) {
          const segment = bitOffset >>> 4;
          const digitChar = stringValue.charCodeAt(i);
          const digit = digitChar <= 57 ? digitChar - 48 : 10 + digitChar - (digitChar <= 70 ? 65 : 97);
          const shiftedDigit = digit << (bitOffset & 15);
          segments[segment] |= shiftedDigit;
          const residual = shiftedDigit >>> 16;
          if (residual) segments[segment + 1] |= residual;
        }
        let base10Value = "";
        let firstNonzeroSegment = segments.length - 1;
        let segmentsRemaining = true;
        while (segmentsRemaining) {
          let mod10 = 0;
          segmentsRemaining = false;
          for (let segment = firstNonzeroSegment; segment >= 0; segment--) {
            const newSegment = mod10 << 16 | segments[segment];
            const segmentValue = newSegment / 10 | 0;
            segments[segment] = segmentValue;
            mod10 = newSegment - segmentValue * 10;
            if (segmentValue && !segmentsRemaining) {
              firstNonzeroSegment = segment;
              segmentsRemaining = true;
            }
          }
          base10Value = mod10 + base10Value;
        }
        return base10Value;
      }
      function pseudoBigIntToString({ negative, base10Value }) {
        return (negative && base10Value !== "0" ? "-" : "") + base10Value;
      }
      function parseBigInt(text) {
        if (!isValidBigIntString(
          text,
          /*roundTripOnly*/
          false
        )) {
          return void 0;
        }
        return parseValidBigInt(text);
      }
      function parseValidBigInt(text) {
        const negative = text.startsWith("-");
        const base10Value = parsePseudoBigInt(`${negative ? text.slice(1) : text}n`);
        return { negative, base10Value };
      }
      function isValidBigIntString(s, roundTripOnly) {
        if (s === "") return false;
        const scanner2 = createScanner(
          99,
          /*skipTrivia*/
          false
        );
        let success = true;
        scanner2.setOnError(() => success = false);
        scanner2.setText(s + "n");
        let result = scanner2.scan();
        const negative = result === 41;
        if (negative) {
          result = scanner2.scan();
        }
        const flags = scanner2.getTokenFlags();
        return success && result === 10 && scanner2.getTokenEnd() === s.length + 1 && !(flags & 512) && (!roundTripOnly || s === pseudoBigIntToString({ negative, base10Value: parsePseudoBigInt(scanner2.getTokenValue()) }));
      }
      function isValidTypeOnlyAliasUseSite(useSite) {
        return !!(useSite.flags & 33554432) || isPartOfTypeQuery(useSite) || isIdentifierInNonEmittingHeritageClause(useSite) || isPartOfPossiblyValidTypeOrAbstractComputedPropertyName(useSite) || !(isExpressionNode(useSite) || isShorthandPropertyNameUseSite(useSite));
      }
      function isShorthandPropertyNameUseSite(useSite) {
        return isIdentifier(useSite) && isShorthandPropertyAssignment(useSite.parent) && useSite.parent.name === useSite;
      }
      function isPartOfPossiblyValidTypeOrAbstractComputedPropertyName(node) {
        while (node.kind === 80 || node.kind === 211) {
          node = node.parent;
        }
        if (node.kind !== 167) {
          return false;
        }
        if (hasSyntacticModifier(
          node.parent,
          64
          /* Abstract */
        )) {
          return true;
        }
        const containerKind = node.parent.parent.kind;
        return containerKind === 264 || containerKind === 187;
      }
      function isIdentifierInNonEmittingHeritageClause(node) {
        if (node.kind !== 80) return false;
        const heritageClause = findAncestor(node.parent, (parent2) => {
          switch (parent2.kind) {
            case 298:
              return true;
            case 211:
            case 233:
              return false;
            default:
              return "quit";
          }
        });
        return (heritageClause == null ? void 0 : heritageClause.token) === 119 || (heritageClause == null ? void 0 : heritageClause.parent.kind) === 264;
      }
      function isIdentifierTypeReference(node) {
        return isTypeReferenceNode(node) && isIdentifier(node.typeName);
      }
      function arrayIsHomogeneous(array, comparer = equateValues) {
        if (array.length < 2) return true;
        const first2 = array[0];
        for (let i = 1, length2 = array.length; i < length2; i++) {
          const target = array[i];
          if (!comparer(first2, target)) return false;
        }
        return true;
      }
      function setTextRangePos(range, pos) {
        range.pos = pos;
        return range;
      }
      function setTextRangeEnd(range, end) {
        range.end = end;
        return range;
      }
      function setTextRangePosEnd(range, pos, end) {
        return setTextRangeEnd(setTextRangePos(range, pos), end);
      }
      function setTextRangePosWidth(range, pos, width) {
        return setTextRangePosEnd(range, pos, pos + width);
      }
      function setNodeFlags(node, newFlags) {
        if (node) {
          node.flags = newFlags;
        }
        return node;
      }
      function setParent(child, parent2) {
        if (child && parent2) {
          child.parent = parent2;
        }
        return child;
      }
      function setEachParent(children, parent2) {
        if (children) {
          for (const child of children) {
            setParent(child, parent2);
          }
        }
        return children;
      }
      function setParentRecursive(rootNode, incremental) {
        if (!rootNode) return rootNode;
        forEachChildRecursively(rootNode, isJSDocNode(rootNode) ? bindParentToChildIgnoringJSDoc : bindParentToChild);
        return rootNode;
        function bindParentToChildIgnoringJSDoc(child, parent2) {
          if (incremental && child.parent === parent2) {
            return "skip";
          }
          setParent(child, parent2);
        }
        function bindJSDoc(child) {
          if (hasJSDocNodes(child)) {
            for (const doc of child.jsDoc) {
              bindParentToChildIgnoringJSDoc(doc, child);
              forEachChildRecursively(doc, bindParentToChildIgnoringJSDoc);
            }
          }
        }
        function bindParentToChild(child, parent2) {
          return bindParentToChildIgnoringJSDoc(child, parent2) || bindJSDoc(child);
        }
      }
      function isPackedElement(node) {
        return !isOmittedExpression(node);
      }
      function isPackedArrayLiteral(node) {
        return isArrayLiteralExpression(node) && every(node.elements, isPackedElement);
      }
      function expressionResultIsUnused(node) {
        Debug.assertIsDefined(node.parent);
        while (true) {
          const parent2 = node.parent;
          if (isParenthesizedExpression(parent2)) {
            node = parent2;
            continue;
          }
          if (isExpressionStatement2(parent2) || isVoidExpression(parent2) || isForStatement(parent2) && (parent2.initializer === node || parent2.incrementor === node)) {
            return true;
          }
          if (isCommaListExpression(parent2)) {
            if (node !== last(parent2.elements)) return true;
            node = parent2;
            continue;
          }
          if (isBinaryExpression(parent2) && parent2.operatorToken.kind === 28) {
            if (node === parent2.left) return true;
            node = parent2;
            continue;
          }
          return false;
        }
      }
      function containsIgnoredPath(path17) {
        return some(ignoredPaths, (p) => path17.includes(p));
      }
      function getContainingNodeArray(node) {
        if (!node.parent) return void 0;
        switch (node.kind) {
          case 168:
            const { parent: parent3 } = node;
            return parent3.kind === 195 ? void 0 : parent3.typeParameters;
          case 169:
            return node.parent.parameters;
          case 204:
            return node.parent.templateSpans;
          case 239:
            return node.parent.templateSpans;
          case 170: {
            const { parent: parent4 } = node;
            return canHaveDecorators(parent4) ? parent4.modifiers : void 0;
          }
          case 298:
            return node.parent.heritageClauses;
        }
        const { parent: parent2 } = node;
        if (isJSDocTag(node)) {
          return isJSDocTypeLiteral(node.parent) ? void 0 : node.parent.tags;
        }
        switch (parent2.kind) {
          case 187:
          case 264:
            return isTypeElement(node) ? parent2.members : void 0;
          case 192:
          case 193:
            return parent2.types;
          case 189:
          case 209:
          case 355:
          case 275:
          case 279:
            return parent2.elements;
          case 210:
          case 292:
            return parent2.properties;
          case 213:
          case 214:
            return isTypeNode(node) ? parent2.typeArguments : parent2.expression === node ? void 0 : parent2.arguments;
          case 284:
          case 288:
            return isJsxChild(node) ? parent2.children : void 0;
          case 286:
          case 285:
            return isTypeNode(node) ? parent2.typeArguments : void 0;
          case 241:
          case 296:
          case 297:
          case 268:
            return parent2.statements;
          case 269:
            return parent2.clauses;
          case 263:
          case 231:
            return isClassElement(node) ? parent2.members : void 0;
          case 266:
            return isEnumMember(node) ? parent2.members : void 0;
          case 307:
            return parent2.statements;
        }
      }
      function hasContextSensitiveParameters(node) {
        if (!node.typeParameters) {
          if (some(node.parameters, (p) => !getEffectiveTypeAnnotationNode(p))) {
            return true;
          }
          if (node.kind !== 219) {
            const parameter = firstOrUndefined(node.parameters);
            if (!(parameter && parameterIsThisKeyword(parameter))) {
              return true;
            }
          }
        }
        return false;
      }
      function isInfinityOrNaNString(name) {
        return name === "Infinity" || name === "-Infinity" || name === "NaN";
      }
      function isCatchClauseVariableDeclaration(node) {
        return node.kind === 260 && node.parent.kind === 299;
      }
      function isFunctionExpressionOrArrowFunction(node) {
        return node.kind === 218 || node.kind === 219;
      }
      function escapeSnippetText(text) {
        return text.replace(/\$/gm, () => "\\$");
      }
      function isNumericLiteralName(name) {
        return (+name).toString() === name;
      }
      function createPropertyNameNodeForIdentifierOrLiteral(name, target, singleQuote, stringNamed, isMethod) {
        const isMethodNamedNew = isMethod && name === "new";
        return !isMethodNamedNew && isIdentifierText(name, target) ? factory.createIdentifier(name) : !stringNamed && !isMethodNamedNew && isNumericLiteralName(name) && +name >= 0 ? factory.createNumericLiteral(+name) : factory.createStringLiteral(name, !!singleQuote);
      }
      function isThisTypeParameter(type) {
        return !!(type.flags & 262144 && type.isThisType);
      }
      function getNodeModulePathParts(fullPath) {
        let topLevelNodeModulesIndex = 0;
        let topLevelPackageNameIndex = 0;
        let packageRootIndex = 0;
        let fileNameIndex = 0;
        let States;
        ((States2) => {
          States2[States2["BeforeNodeModules"] = 0] = "BeforeNodeModules";
          States2[States2["NodeModules"] = 1] = "NodeModules";
          States2[States2["Scope"] = 2] = "Scope";
          States2[States2["PackageContent"] = 3] = "PackageContent";
        })(States || (States = {}));
        let partStart = 0;
        let partEnd = 0;
        let state = 0;
        while (partEnd >= 0) {
          partStart = partEnd;
          partEnd = fullPath.indexOf("/", partStart + 1);
          switch (state) {
            case 0:
              if (fullPath.indexOf(nodeModulesPathPart, partStart) === partStart) {
                topLevelNodeModulesIndex = partStart;
                topLevelPackageNameIndex = partEnd;
                state = 1;
              }
              break;
            case 1:
            case 2:
              if (state === 1 && fullPath.charAt(partStart + 1) === "@") {
                state = 2;
              } else {
                packageRootIndex = partEnd;
                state = 3;
              }
              break;
            case 3:
              if (fullPath.indexOf(nodeModulesPathPart, partStart) === partStart) {
                state = 1;
              } else {
                state = 3;
              }
              break;
          }
        }
        fileNameIndex = partStart;
        return state > 1 ? { topLevelNodeModulesIndex, topLevelPackageNameIndex, packageRootIndex, fileNameIndex } : void 0;
      }
      function getParameterTypeNode(parameter) {
        var _a;
        return parameter.kind === 341 ? (_a = parameter.typeExpression) == null ? void 0 : _a.type : parameter.type;
      }
      function isTypeDeclaration(node) {
        switch (node.kind) {
          case 168:
          case 263:
          case 264:
          case 265:
          case 266:
          case 346:
          case 338:
          case 340:
            return true;
          case 273:
            return node.isTypeOnly;
          case 276:
          case 281:
            return node.parent.parent.isTypeOnly;
          default:
            return false;
        }
      }
      function canHaveExportModifier(node) {
        return isEnumDeclaration(node) || isVariableStatement(node) || isFunctionDeclaration(node) || isClassDeclaration(node) || isInterfaceDeclaration(node) || isTypeDeclaration(node) || isModuleDeclaration(node) && !isExternalModuleAugmentation(node) && !isGlobalScopeAugmentation(node);
      }
      function isOptionalJSDocPropertyLikeTag(node) {
        if (!isJSDocPropertyLikeTag(node)) {
          return false;
        }
        const { isBracketed, typeExpression } = node;
        return isBracketed || !!typeExpression && typeExpression.type.kind === 316;
      }
      function canUsePropertyAccess(name, languageVersion) {
        if (name.length === 0) {
          return false;
        }
        const firstChar = name.charCodeAt(0);
        return firstChar === 35 ? name.length > 1 && isIdentifierStart(name.charCodeAt(1), languageVersion) : isIdentifierStart(firstChar, languageVersion);
      }
      function hasTabstop(node) {
        var _a;
        return ((_a = getSnippetElement(node)) == null ? void 0 : _a.kind) === 0;
      }
      function isJSDocOptionalParameter(node) {
        return isInJSFile(node) && // node.type should only be a JSDocOptionalType when node is a parameter of a JSDocFunctionType
        (node.type && node.type.kind === 316 || getJSDocParameterTags(node).some(isOptionalJSDocPropertyLikeTag));
      }
      function isOptionalDeclaration(declaration) {
        switch (declaration.kind) {
          case 172:
          case 171:
            return !!declaration.questionToken;
          case 169:
            return !!declaration.questionToken || isJSDocOptionalParameter(declaration);
          case 348:
          case 341:
            return isOptionalJSDocPropertyLikeTag(declaration);
          default:
            return false;
        }
      }
      function isNonNullAccess(node) {
        const kind = node.kind;
        return (kind === 211 || kind === 212) && isNonNullExpression(node.expression);
      }
      function isJSDocSatisfiesExpression(node) {
        return isInJSFile(node) && isParenthesizedExpression(node) && hasJSDocNodes(node) && !!getJSDocSatisfiesTag(node);
      }
      function getJSDocSatisfiesExpressionType(node) {
        return Debug.checkDefined(tryGetJSDocSatisfiesTypeNode(node));
      }
      function tryGetJSDocSatisfiesTypeNode(node) {
        const tag = getJSDocSatisfiesTag(node);
        return tag && tag.typeExpression && tag.typeExpression.type;
      }
      function getEscapedTextOfJsxAttributeName(node) {
        return isIdentifier(node) ? node.escapedText : getEscapedTextOfJsxNamespacedName(node);
      }
      function getTextOfJsxAttributeName(node) {
        return isIdentifier(node) ? idText(node) : getTextOfJsxNamespacedName(node);
      }
      function isJsxAttributeName(node) {
        const kind = node.kind;
        return kind === 80 || kind === 295;
      }
      function getEscapedTextOfJsxNamespacedName(node) {
        return `${node.namespace.escapedText}:${idText(node.name)}`;
      }
      function getTextOfJsxNamespacedName(node) {
        return `${idText(node.namespace)}:${idText(node.name)}`;
      }
      function intrinsicTagNameToString(node) {
        return isIdentifier(node) ? idText(node) : getTextOfJsxNamespacedName(node);
      }
      function isTypeUsableAsPropertyName(type) {
        return !!(type.flags & 8576);
      }
      function getPropertyNameFromType(type) {
        if (type.flags & 8192) {
          return type.escapedName;
        }
        if (type.flags & (128 | 256)) {
          return escapeLeadingUnderscores("" + type.value);
        }
        return Debug.fail();
      }
      function isExpandoPropertyDeclaration(declaration) {
        return !!declaration && (isPropertyAccessExpression(declaration) || isElementAccessExpression(declaration) || isBinaryExpression(declaration));
      }
      function hasResolutionModeOverride(node) {
        if (node === void 0) {
          return false;
        }
        return !!getResolutionModeOverride(node.attributes);
      }
      var stringReplace = String.prototype.replace;
      function replaceFirstStar(s, replacement) {
        return stringReplace.call(s, "*", replacement);
      }
      function getNameFromImportAttribute(node) {
        return isIdentifier(node.name) ? node.name.escapedText : escapeLeadingUnderscores(node.name.text);
      }
      function evaluatorResult(value, isSyntacticallyString = false, resolvedOtherFiles = false, hasExternalReferences = false) {
        return { value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences };
      }
      function createEvaluator({ evaluateElementAccessExpression, evaluateEntityNameExpression }) {
        function evaluate(expr, location) {
          let isSyntacticallyString = false;
          let resolvedOtherFiles = false;
          let hasExternalReferences = false;
          expr = skipParentheses(expr);
          switch (expr.kind) {
            case 224:
              const result = evaluate(expr.operand, location);
              resolvedOtherFiles = result.resolvedOtherFiles;
              hasExternalReferences = result.hasExternalReferences;
              if (typeof result.value === "number") {
                switch (expr.operator) {
                  case 40:
                    return evaluatorResult(result.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences);
                  case 41:
                    return evaluatorResult(-result.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences);
                  case 55:
                    return evaluatorResult(~result.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences);
                }
              }
              break;
            case 226: {
              const left = evaluate(expr.left, location);
              const right = evaluate(expr.right, location);
              isSyntacticallyString = (left.isSyntacticallyString || right.isSyntacticallyString) && expr.operatorToken.kind === 40;
              resolvedOtherFiles = left.resolvedOtherFiles || right.resolvedOtherFiles;
              hasExternalReferences = left.hasExternalReferences || right.hasExternalReferences;
              if (typeof left.value === "number" && typeof right.value === "number") {
                switch (expr.operatorToken.kind) {
                  case 52:
                    return evaluatorResult(left.value | right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences);
                  case 51:
                    return evaluatorResult(left.value & right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences);
                  case 49:
                    return evaluatorResult(left.value >> right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences);
                  case 50:
                    return evaluatorResult(left.value >>> right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences);
                  case 48:
                    return evaluatorResult(left.value << right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences);
                  case 53:
                    return evaluatorResult(left.value ^ right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences);
                  case 42:
                    return evaluatorResult(left.value * right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences);
                  case 44:
                    return evaluatorResult(left.value / right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences);
                  case 40:
                    return evaluatorResult(left.value + right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences);
                  case 41:
                    return evaluatorResult(left.value - right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences);
                  case 45:
                    return evaluatorResult(left.value % right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences);
                  case 43:
                    return evaluatorResult(left.value ** right.value, isSyntacticallyString, resolvedOtherFiles, hasExternalReferences);
                }
              } else if ((typeof left.value === "string" || typeof left.value === "number") && (typeof right.value === "string" || typeof right.value === "number") && expr.operatorToken.kind === 40) {
                return evaluatorResult(
                  "" + left.value + right.value,
                  isSyntacticallyString,
                  resolvedOtherFiles,
                  hasExternalReferences
                );
              }
              break;
            }
            case 11:
            case 15:
              return evaluatorResult(
                expr.text,
                /*isSyntacticallyString*/
                true
              );
            case 228:
              return evaluateTemplateExpression(expr, location);
            case 9:
              return evaluatorResult(+expr.text);
            case 80:
              return evaluateEntityNameExpression(expr, location);
            case 211:
              if (isEntityNameExpression(expr)) {
                return evaluateEntityNameExpression(expr, location);
              }
              break;
            case 212:
              return evaluateElementAccessExpression(expr, location);
          }
          return evaluatorResult(
            /*value*/
            void 0,
            isSyntacticallyString,
            resolvedOtherFiles,
            hasExternalReferences
          );
        }
        function evaluateTemplateExpression(expr, location) {
          let result = expr.head.text;
          let resolvedOtherFiles = false;
          let hasExternalReferences = false;
          for (const span of expr.templateSpans) {
            const spanResult = evaluate(span.expression, location);
            if (spanResult.value === void 0) {
              return evaluatorResult(
                /*value*/
                void 0,
                /*isSyntacticallyString*/
                true
              );
            }
            result += spanResult.value;
            result += span.literal.text;
            resolvedOtherFiles || (resolvedOtherFiles = spanResult.resolvedOtherFiles);
            hasExternalReferences || (hasExternalReferences = spanResult.hasExternalReferences);
          }
          return evaluatorResult(
            result,
            /*isSyntacticallyString*/
            true,
            resolvedOtherFiles,
            hasExternalReferences
          );
        }
        return evaluate;
      }
      function isConstAssertion(location) {
        return isAssertionExpression(location) && isConstTypeReference(location.type) || isJSDocTypeTag(location) && isConstTypeReference(location.typeExpression);
      }
      function findConstructorDeclaration(node) {
        const members = node.members;
        for (const member of members) {
          if (member.kind === 176 && nodeIsPresent(member.body)) {
            return member;
          }
        }
      }
      function createNameResolver({
        compilerOptions,
        requireSymbol,
        argumentsSymbol,
        error: error2,
        getSymbolOfDeclaration,
        globals: globals2,
        lookup,
        setRequiresScopeChangeCache = returnUndefined,
        getRequiresScopeChangeCache = returnUndefined,
        onPropertyWithInvalidInitializer = returnFalse,
        onFailedToResolveSymbol = returnUndefined,
        onSuccessfullyResolvedSymbol = returnUndefined
      }) {
        var isolatedModulesLikeFlagName = compilerOptions.verbatimModuleSyntax ? "verbatimModuleSyntax" : "isolatedModules";
        var emitStandardClassFields = getEmitStandardClassFields(compilerOptions);
        var emptySymbols = createSymbolTable();
        return resolveNameHelper;
        function resolveNameHelper(location, nameArg, meaning, nameNotFoundMessage, isUse, excludeGlobals) {
          var _a, _b, _c;
          const originalLocation = location;
          let result;
          let lastLocation;
          let lastSelfReferenceLocation;
          let propertyWithInvalidInitializer;
          let associatedDeclarationForContainingInitializerOrBindingName;
          let withinDeferredContext = false;
          let grandparent;
          const name = isString2(nameArg) ? nameArg : nameArg.escapedText;
          loop:
            while (location) {
              if (name === "const" && isConstAssertion(location)) {
                return void 0;
              }
              if (isModuleOrEnumDeclaration(location) && lastLocation && location.name === lastLocation) {
                lastLocation = location;
                location = location.parent;
              }
              if (canHaveLocals(location) && location.locals && !isGlobalSourceFile(location)) {
                if (result = lookup(location.locals, name, meaning)) {
                  let useResult = true;
                  if (isFunctionLike(location) && lastLocation && lastLocation !== location.body) {
                    if (meaning & result.flags & 788968 && lastLocation.kind !== 320) {
                      useResult = result.flags & 262144 ? !!(lastLocation.flags & 16) || // Synthetic fake scopes are added for signatures so type parameters are accessible from them
                      lastLocation === location.type || lastLocation.kind === 169 || lastLocation.kind === 341 || lastLocation.kind === 342 || lastLocation.kind === 168 : false;
                    }
                    if (meaning & result.flags & 3) {
                      if (useOuterVariableScopeInParameter(result, location, lastLocation)) {
                        useResult = false;
                      } else if (result.flags & 1) {
                        useResult = lastLocation.kind === 169 || !!(lastLocation.flags & 16) || // Synthetic fake scopes are added for signatures so parameters are accessible from them
                        lastLocation === location.type && !!findAncestor(result.valueDeclaration, isParameter);
                      }
                    }
                  } else if (location.kind === 194) {
                    useResult = lastLocation === location.trueType;
                  }
                  if (useResult) {
                    break loop;
                  } else {
                    result = void 0;
                  }
                }
              }
              withinDeferredContext = withinDeferredContext || getIsDeferredContext(location, lastLocation);
              switch (location.kind) {
                case 307:
                  if (!isExternalOrCommonJsModule(location)) break;
                case 267:
                  const moduleExports4 = ((_a = getSymbolOfDeclaration(location)) == null ? void 0 : _a.exports) || emptySymbols;
                  if (location.kind === 307 || isModuleDeclaration(location) && location.flags & 33554432 && !isGlobalScopeAugmentation(location)) {
                    if (result = moduleExports4.get(
                      "default"
                      /* Default */
                    )) {
                      const localSymbol = getLocalSymbolForExportDefault(result);
                      if (localSymbol && result.flags & meaning && localSymbol.escapedName === name) {
                        break loop;
                      }
                      result = void 0;
                    }
                    const moduleExport = moduleExports4.get(name);
                    if (moduleExport && moduleExport.flags === 2097152 && (getDeclarationOfKind(
                      moduleExport,
                      281
                      /* ExportSpecifier */
                    ) || getDeclarationOfKind(
                      moduleExport,
                      280
                      /* NamespaceExport */
                    ))) {
                      break;
                    }
                  }
                  if (name !== "default" && (result = lookup(
                    moduleExports4,
                    name,
                    meaning & 2623475
                    /* ModuleMember */
                  ))) {
                    if (isSourceFile(location) && location.commonJsModuleIndicator && !((_b = result.declarations) == null ? void 0 : _b.some(isJSDocTypeAlias))) {
                      result = void 0;
                    } else {
                      break loop;
                    }
                  }
                  break;
                case 266:
                  if (result = lookup(
                    ((_c = getSymbolOfDeclaration(location)) == null ? void 0 : _c.exports) || emptySymbols,
                    name,
                    meaning & 8
                    /* EnumMember */
                  )) {
                    if (nameNotFoundMessage && getIsolatedModules(compilerOptions) && !(location.flags & 33554432) && getSourceFileOfNode(location) !== getSourceFileOfNode(result.valueDeclaration)) {
                      error2(
                        originalLocation,
                        Diagnostics.Cannot_access_0_from_another_file_without_qualification_when_1_is_enabled_Use_2_instead,
                        unescapeLeadingUnderscores(name),
                        isolatedModulesLikeFlagName,
                        `${unescapeLeadingUnderscores(getSymbolOfDeclaration(location).escapedName)}.${unescapeLeadingUnderscores(name)}`
                      );
                    }
                    break loop;
                  }
                  break;
                case 172:
                  if (!isStatic(location)) {
                    const ctor = findConstructorDeclaration(location.parent);
                    if (ctor && ctor.locals) {
                      if (lookup(
                        ctor.locals,
                        name,
                        meaning & 111551
                        /* Value */
                      )) {
                        Debug.assertNode(location, isPropertyDeclaration);
                        propertyWithInvalidInitializer = location;
                      }
                    }
                  }
                  break;
                case 263:
                case 231:
                case 264:
                  if (result = lookup(
                    getSymbolOfDeclaration(location).members || emptySymbols,
                    name,
                    meaning & 788968
                    /* Type */
                  )) {
                    if (!isTypeParameterSymbolDeclaredInContainer(result, location)) {
                      result = void 0;
                      break;
                    }
                    if (lastLocation && isStatic(lastLocation)) {
                      if (nameNotFoundMessage) {
                        error2(originalLocation, Diagnostics.Static_members_cannot_reference_class_type_parameters);
                      }
                      return void 0;
                    }
                    break loop;
                  }
                  if (isClassExpression(location) && meaning & 32) {
                    const className = location.name;
                    if (className && name === className.escapedText) {
                      result = location.symbol;
                      break loop;
                    }
                  }
                  break;
                case 233:
                  if (lastLocation === location.expression && location.parent.token === 96) {
                    const container = location.parent.parent;
                    if (isClassLike(container) && (result = lookup(
                      getSymbolOfDeclaration(container).members,
                      name,
                      meaning & 788968
                      /* Type */
                    ))) {
                      if (nameNotFoundMessage) {
                        error2(originalLocation, Diagnostics.Base_class_expressions_cannot_reference_class_type_parameters);
                      }
                      return void 0;
                    }
                  }
                  break;
                case 167:
                  grandparent = location.parent.parent;
                  if (isClassLike(grandparent) || grandparent.kind === 264) {
                    if (result = lookup(
                      getSymbolOfDeclaration(grandparent).members,
                      name,
                      meaning & 788968
                      /* Type */
                    )) {
                      if (nameNotFoundMessage) {
                        error2(originalLocation, Diagnostics.A_computed_property_name_cannot_reference_a_type_parameter_from_its_containing_type);
                      }
                      return void 0;
                    }
                  }
                  break;
                case 219:
                  if (getEmitScriptTarget(compilerOptions) >= 2) {
                    break;
                  }
                case 174:
                case 176:
                case 177:
                case 178:
                case 262:
                  if (meaning & 3 && name === "arguments") {
                    result = argumentsSymbol;
                    break loop;
                  }
                  break;
                case 218:
                  if (meaning & 3 && name === "arguments") {
                    result = argumentsSymbol;
                    break loop;
                  }
                  if (meaning & 16) {
                    const functionName = location.name;
                    if (functionName && name === functionName.escapedText) {
                      result = location.symbol;
                      break loop;
                    }
                  }
                  break;
                case 170:
                  if (location.parent && location.parent.kind === 169) {
                    location = location.parent;
                  }
                  if (location.parent && (isClassElement(location.parent) || location.parent.kind === 263)) {
                    location = location.parent;
                  }
                  break;
                case 346:
                case 338:
                case 340:
                case 351:
                  const root2 = getJSDocRoot(location);
                  if (root2) {
                    location = root2.parent;
                  }
                  break;
                case 169:
                  if (lastLocation && (lastLocation === location.initializer || lastLocation === location.name && isBindingPattern(lastLocation))) {
                    if (!associatedDeclarationForContainingInitializerOrBindingName) {
                      associatedDeclarationForContainingInitializerOrBindingName = location;
                    }
                  }
                  break;
                case 208:
                  if (lastLocation && (lastLocation === location.initializer || lastLocation === location.name && isBindingPattern(lastLocation))) {
                    if (isPartOfParameterDeclaration(location) && !associatedDeclarationForContainingInitializerOrBindingName) {
                      associatedDeclarationForContainingInitializerOrBindingName = location;
                    }
                  }
                  break;
                case 195:
                  if (meaning & 262144) {
                    const parameterName = location.typeParameter.name;
                    if (parameterName && name === parameterName.escapedText) {
                      result = location.typeParameter.symbol;
                      break loop;
                    }
                  }
                  break;
                case 281:
                  if (lastLocation && lastLocation === location.propertyName && location.parent.parent.moduleSpecifier) {
                    location = location.parent.parent.parent;
                  }
                  break;
              }
              if (isSelfReferenceLocation(location, lastLocation)) {
                lastSelfReferenceLocation = location;
              }
              lastLocation = location;
              location = isJSDocTemplateTag(location) ? getEffectiveContainerForJSDocTemplateTag(location) || location.parent : isJSDocParameterTag(location) || isJSDocReturnTag(location) ? getHostSignatureFromJSDoc(location) || location.parent : location.parent;
            }
          if (isUse && result && (!lastSelfReferenceLocation || result !== lastSelfReferenceLocation.symbol)) {
            result.isReferenced |= meaning;
          }
          if (!result) {
            if (lastLocation) {
              Debug.assertNode(lastLocation, isSourceFile);
              if (lastLocation.commonJsModuleIndicator && name === "exports" && meaning & lastLocation.symbol.flags) {
                return lastLocation.symbol;
              }
            }
            if (!excludeGlobals) {
              result = lookup(globals2, name, meaning);
            }
          }
          if (!result) {
            if (originalLocation && isInJSFile(originalLocation) && originalLocation.parent) {
              if (isRequireCall(
                originalLocation.parent,
                /*requireStringLiteralLikeArgument*/
                false
              )) {
                return requireSymbol;
              }
            }
          }
          if (nameNotFoundMessage) {
            if (propertyWithInvalidInitializer && onPropertyWithInvalidInitializer(originalLocation, name, propertyWithInvalidInitializer, result)) {
              return void 0;
            }
            if (!result) {
              onFailedToResolveSymbol(originalLocation, nameArg, meaning, nameNotFoundMessage);
            } else {
              onSuccessfullyResolvedSymbol(originalLocation, result, meaning, lastLocation, associatedDeclarationForContainingInitializerOrBindingName, withinDeferredContext);
            }
          }
          return result;
        }
        function useOuterVariableScopeInParameter(result, location, lastLocation) {
          const target = getEmitScriptTarget(compilerOptions);
          const functionLocation = location;
          if (isParameter(lastLocation) && functionLocation.body && result.valueDeclaration && result.valueDeclaration.pos >= functionLocation.body.pos && result.valueDeclaration.end <= functionLocation.body.end) {
            if (target >= 2) {
              let declarationRequiresScopeChange = getRequiresScopeChangeCache(functionLocation);
              if (declarationRequiresScopeChange === void 0) {
                declarationRequiresScopeChange = forEach(functionLocation.parameters, requiresScopeChange) || false;
                setRequiresScopeChangeCache(functionLocation, declarationRequiresScopeChange);
              }
              return !declarationRequiresScopeChange;
            }
          }
          return false;
          function requiresScopeChange(node) {
            return requiresScopeChangeWorker(node.name) || !!node.initializer && requiresScopeChangeWorker(node.initializer);
          }
          function requiresScopeChangeWorker(node) {
            switch (node.kind) {
              case 219:
              case 218:
              case 262:
              case 176:
                return false;
              case 174:
              case 177:
              case 178:
              case 303:
                return requiresScopeChangeWorker(node.name);
              case 172:
                if (hasStaticModifier(node)) {
                  return !emitStandardClassFields;
                }
                return requiresScopeChangeWorker(node.name);
              default:
                if (isNullishCoalesce(node) || isOptionalChain(node)) {
                  return target < 7;
                }
                if (isBindingElement(node) && node.dotDotDotToken && isObjectBindingPattern(node.parent)) {
                  return target < 4;
                }
                if (isTypeNode(node)) return false;
                return forEachChild(node, requiresScopeChangeWorker) || false;
            }
          }
        }
        function getIsDeferredContext(location, lastLocation) {
          if (location.kind !== 219 && location.kind !== 218) {
            return isTypeQueryNode(location) || (isFunctionLikeDeclaration(location) || location.kind === 172 && !isStatic(location)) && (!lastLocation || lastLocation !== location.name);
          }
          if (lastLocation && lastLocation === location.name) {
            return false;
          }
          if (location.asteriskToken || hasSyntacticModifier(
            location,
            1024
            /* Async */
          )) {
            return true;
          }
          return !getImmediatelyInvokedFunctionExpression(location);
        }
        function isSelfReferenceLocation(node, lastLocation) {
          switch (node.kind) {
            case 169:
              return !!lastLocation && lastLocation === node.name;
            case 262:
            case 263:
            case 264:
            case 266:
            case 265:
            case 267:
              return true;
            default:
              return false;
          }
        }
        function isTypeParameterSymbolDeclaredInContainer(symbol, container) {
          if (symbol.declarations) {
            for (const decl of symbol.declarations) {
              if (decl.kind === 168) {
                const parent2 = isJSDocTemplateTag(decl.parent) ? getJSDocHost(decl.parent) : decl.parent;
                if (parent2 === container) {
                  return !(isJSDocTemplateTag(decl.parent) && find(decl.parent.parent.tags, isJSDocTypeAlias));
                }
              }
            }
          }
          return false;
        }
      }
      function isPrimitiveLiteralValue(node, includeBigInt = true) {
        Debug.type(node);
        switch (node.kind) {
          case 112:
          case 97:
          case 9:
          case 11:
          case 15:
            return true;
          case 10:
            return includeBigInt;
          case 224:
            if (node.operator === 41) {
              return isNumericLiteral(node.operand) || includeBigInt && isBigIntLiteral2(node.operand);
            }
            if (node.operator === 40) {
              return isNumericLiteral(node.operand);
            }
            return false;
          default:
            assertType(node);
            return false;
        }
      }
      function unwrapParenthesizedExpression(o) {
        while (o.kind === 217) {
          o = o.expression;
        }
        return o;
      }
      function hasInferredType(node) {
        Debug.type(node);
        switch (node.kind) {
          case 169:
          case 171:
          case 172:
          case 208:
          case 211:
          case 212:
          case 226:
          case 260:
          case 277:
          case 303:
            return true;
          default:
            assertType(node);
            return false;
        }
      }
      function createBaseNodeFactory() {
        let NodeConstructor2;
        let TokenConstructor2;
        let IdentifierConstructor2;
        let PrivateIdentifierConstructor2;
        let SourceFileConstructor2;
        return {
          createBaseSourceFileNode,
          createBaseIdentifierNode,
          createBasePrivateIdentifierNode,
          createBaseTokenNode,
          createBaseNode
        };
        function createBaseSourceFileNode(kind) {
          return new (SourceFileConstructor2 || (SourceFileConstructor2 = objectAllocator.getSourceFileConstructor()))(
            kind,
            /*pos*/
            -1,
            /*end*/
            -1
          );
        }
        function createBaseIdentifierNode(kind) {
          return new (IdentifierConstructor2 || (IdentifierConstructor2 = objectAllocator.getIdentifierConstructor()))(
            kind,
            /*pos*/
            -1,
            /*end*/
            -1
          );
        }
        function createBasePrivateIdentifierNode(kind) {
          return new (PrivateIdentifierConstructor2 || (PrivateIdentifierConstructor2 = objectAllocator.getPrivateIdentifierConstructor()))(
            kind,
            /*pos*/
            -1,
            /*end*/
            -1
          );
        }
        function createBaseTokenNode(kind) {
          return new (TokenConstructor2 || (TokenConstructor2 = objectAllocator.getTokenConstructor()))(
            kind,
            /*pos*/
            -1,
            /*end*/
            -1
          );
        }
        function createBaseNode(kind) {
          return new (NodeConstructor2 || (NodeConstructor2 = objectAllocator.getNodeConstructor()))(
            kind,
            /*pos*/
            -1,
            /*end*/
            -1
          );
        }
      }
      function createParenthesizerRules(factory2) {
        let binaryLeftOperandParenthesizerCache;
        let binaryRightOperandParenthesizerCache;
        return {
          getParenthesizeLeftSideOfBinaryForOperator,
          getParenthesizeRightSideOfBinaryForOperator,
          parenthesizeLeftSideOfBinary,
          parenthesizeRightSideOfBinary,
          parenthesizeExpressionOfComputedPropertyName,
          parenthesizeConditionOfConditionalExpression,
          parenthesizeBranchOfConditionalExpression,
          parenthesizeExpressionOfExportDefault,
          parenthesizeExpressionOfNew,
          parenthesizeLeftSideOfAccess,
          parenthesizeOperandOfPostfixUnary,
          parenthesizeOperandOfPrefixUnary,
          parenthesizeExpressionsOfCommaDelimitedList,
          parenthesizeExpressionForDisallowedComma,
          parenthesizeExpressionOfExpressionStatement,
          parenthesizeConciseBodyOfArrowFunction,
          parenthesizeCheckTypeOfConditionalType,
          parenthesizeExtendsTypeOfConditionalType,
          parenthesizeConstituentTypesOfUnionType,
          parenthesizeConstituentTypeOfUnionType,
          parenthesizeConstituentTypesOfIntersectionType,
          parenthesizeConstituentTypeOfIntersectionType,
          parenthesizeOperandOfTypeOperator,
          parenthesizeOperandOfReadonlyTypeOperator,
          parenthesizeNonArrayTypeOfPostfixType,
          parenthesizeElementTypesOfTupleType,
          parenthesizeElementTypeOfTupleType,
          parenthesizeTypeOfOptionalType,
          parenthesizeTypeArguments,
          parenthesizeLeadingTypeArgument
        };
        function getParenthesizeLeftSideOfBinaryForOperator(operatorKind) {
          binaryLeftOperandParenthesizerCache || (binaryLeftOperandParenthesizerCache = /* @__PURE__ */ new Map());
          let parenthesizerRule = binaryLeftOperandParenthesizerCache.get(operatorKind);
          if (!parenthesizerRule) {
            parenthesizerRule = (node) => parenthesizeLeftSideOfBinary(operatorKind, node);
            binaryLeftOperandParenthesizerCache.set(operatorKind, parenthesizerRule);
          }
          return parenthesizerRule;
        }
        function getParenthesizeRightSideOfBinaryForOperator(operatorKind) {
          binaryRightOperandParenthesizerCache || (binaryRightOperandParenthesizerCache = /* @__PURE__ */ new Map());
          let parenthesizerRule = binaryRightOperandParenthesizerCache.get(operatorKind);
          if (!parenthesizerRule) {
            parenthesizerRule = (node) => parenthesizeRightSideOfBinary(
              operatorKind,
              /*leftSide*/
              void 0,
              node
            );
            binaryRightOperandParenthesizerCache.set(operatorKind, parenthesizerRule);
          }
          return parenthesizerRule;
        }
        function binaryOperandNeedsParentheses(binaryOperator, operand, isLeftSideOfBinary, leftOperand) {
          const binaryOperatorPrecedence = getOperatorPrecedence(226, binaryOperator);
          const binaryOperatorAssociativity = getOperatorAssociativity(226, binaryOperator);
          const emittedOperand = skipPartiallyEmittedExpressions(operand);
          if (!isLeftSideOfBinary && operand.kind === 219 && binaryOperatorPrecedence > 3) {
            return true;
          }
          const operandPrecedence = getExpressionPrecedence(emittedOperand);
          switch (compareValues(operandPrecedence, binaryOperatorPrecedence)) {
            case -1:
              if (!isLeftSideOfBinary && binaryOperatorAssociativity === 1 && operand.kind === 229) {
                return false;
              }
              return true;
            case 1:
              return false;
            case 0:
              if (isLeftSideOfBinary) {
                return binaryOperatorAssociativity === 1;
              } else {
                if (isBinaryExpression(emittedOperand) && emittedOperand.operatorToken.kind === binaryOperator) {
                  if (operatorHasAssociativeProperty(binaryOperator)) {
                    return false;
                  }
                  if (binaryOperator === 40) {
                    const leftKind = leftOperand ? getLiteralKindOfBinaryPlusOperand(leftOperand) : 0;
                    if (isLiteralKind(leftKind) && leftKind === getLiteralKindOfBinaryPlusOperand(emittedOperand)) {
                      return false;
                    }
                  }
                }
                const operandAssociativity = getExpressionAssociativity(emittedOperand);
                return operandAssociativity === 0;
              }
          }
        }
        function operatorHasAssociativeProperty(binaryOperator) {
          return binaryOperator === 42 || binaryOperator === 52 || binaryOperator === 51 || binaryOperator === 53 || binaryOperator === 28;
        }
        function getLiteralKindOfBinaryPlusOperand(node) {
          node = skipPartiallyEmittedExpressions(node);
          if (isLiteralKind(node.kind)) {
            return node.kind;
          }
          if (node.kind === 226 && node.operatorToken.kind === 40) {
            if (node.cachedLiteralKind !== void 0) {
              return node.cachedLiteralKind;
            }
            const leftKind = getLiteralKindOfBinaryPlusOperand(node.left);
            const literalKind = isLiteralKind(leftKind) && leftKind === getLiteralKindOfBinaryPlusOperand(node.right) ? leftKind : 0;
            node.cachedLiteralKind = literalKind;
            return literalKind;
          }
          return 0;
        }
        function parenthesizeBinaryOperand(binaryOperator, operand, isLeftSideOfBinary, leftOperand) {
          const skipped = skipPartiallyEmittedExpressions(operand);
          if (skipped.kind === 217) {
            return operand;
          }
          return binaryOperandNeedsParentheses(binaryOperator, operand, isLeftSideOfBinary, leftOperand) ? factory2.createParenthesizedExpression(operand) : operand;
        }
        function parenthesizeLeftSideOfBinary(binaryOperator, leftSide) {
          return parenthesizeBinaryOperand(
            binaryOperator,
            leftSide,
            /*isLeftSideOfBinary*/
            true
          );
        }
        function parenthesizeRightSideOfBinary(binaryOperator, leftSide, rightSide) {
          return parenthesizeBinaryOperand(
            binaryOperator,
            rightSide,
            /*isLeftSideOfBinary*/
            false,
            leftSide
          );
        }
        function parenthesizeExpressionOfComputedPropertyName(expression) {
          return isCommaSequence(expression) ? factory2.createParenthesizedExpression(expression) : expression;
        }
        function parenthesizeConditionOfConditionalExpression(condition) {
          const conditionalPrecedence = getOperatorPrecedence(
            227,
            58
            /* QuestionToken */
          );
          const emittedCondition = skipPartiallyEmittedExpressions(condition);
          const conditionPrecedence = getExpressionPrecedence(emittedCondition);
          if (compareValues(conditionPrecedence, conditionalPrecedence) !== 1) {
            return factory2.createParenthesizedExpression(condition);
          }
          return condition;
        }
        function parenthesizeBranchOfConditionalExpression(branch) {
          const emittedExpression = skipPartiallyEmittedExpressions(branch);
          return isCommaSequence(emittedExpression) ? factory2.createParenthesizedExpression(branch) : branch;
        }
        function parenthesizeExpressionOfExportDefault(expression) {
          const check = skipPartiallyEmittedExpressions(expression);
          let needsParens = isCommaSequence(check);
          if (!needsParens) {
            switch (getLeftmostExpression(
              check,
              /*stopAtCallExpressions*/
              false
            ).kind) {
              case 231:
              case 218:
                needsParens = true;
            }
          }
          return needsParens ? factory2.createParenthesizedExpression(expression) : expression;
        }
        function parenthesizeExpressionOfNew(expression) {
          const leftmostExpr = getLeftmostExpression(
            expression,
            /*stopAtCallExpressions*/
            true
          );
          switch (leftmostExpr.kind) {
            case 213:
              return factory2.createParenthesizedExpression(expression);
            case 214:
              return !leftmostExpr.arguments ? factory2.createParenthesizedExpression(expression) : expression;
          }
          return parenthesizeLeftSideOfAccess(expression);
        }
        function parenthesizeLeftSideOfAccess(expression, optionalChain) {
          const emittedExpression = skipPartiallyEmittedExpressions(expression);
          if (isLeftHandSideExpression(emittedExpression) && (emittedExpression.kind !== 214 || emittedExpression.arguments) && (optionalChain || !isOptionalChain(emittedExpression))) {
            return expression;
          }
          return setTextRange(factory2.createParenthesizedExpression(expression), expression);
        }
        function parenthesizeOperandOfPostfixUnary(operand) {
          return isLeftHandSideExpression(operand) ? operand : setTextRange(factory2.createParenthesizedExpression(operand), operand);
        }
        function parenthesizeOperandOfPrefixUnary(operand) {
          return isUnaryExpression(operand) ? operand : setTextRange(factory2.createParenthesizedExpression(operand), operand);
        }
        function parenthesizeExpressionsOfCommaDelimitedList(elements) {
          const result = sameMap(elements, parenthesizeExpressionForDisallowedComma);
          return setTextRange(factory2.createNodeArray(result, elements.hasTrailingComma), elements);
        }
        function parenthesizeExpressionForDisallowedComma(expression) {
          const emittedExpression = skipPartiallyEmittedExpressions(expression);
          const expressionPrecedence = getExpressionPrecedence(emittedExpression);
          const commaPrecedence = getOperatorPrecedence(
            226,
            28
            /* CommaToken */
          );
          return expressionPrecedence > commaPrecedence ? expression : setTextRange(factory2.createParenthesizedExpression(expression), expression);
        }
        function parenthesizeExpressionOfExpressionStatement(expression) {
          const emittedExpression = skipPartiallyEmittedExpressions(expression);
          if (isCallExpression2(emittedExpression)) {
            const callee = emittedExpression.expression;
            const kind = skipPartiallyEmittedExpressions(callee).kind;
            if (kind === 218 || kind === 219) {
              const updated = factory2.updateCallExpression(
                emittedExpression,
                setTextRange(factory2.createParenthesizedExpression(callee), callee),
                emittedExpression.typeArguments,
                emittedExpression.arguments
              );
              return factory2.restoreOuterExpressions(
                expression,
                updated,
                8
                /* PartiallyEmittedExpressions */
              );
            }
          }
          const leftmostExpressionKind = getLeftmostExpression(
            emittedExpression,
            /*stopAtCallExpressions*/
            false
          ).kind;
          if (leftmostExpressionKind === 210 || leftmostExpressionKind === 218) {
            return setTextRange(factory2.createParenthesizedExpression(expression), expression);
          }
          return expression;
        }
        function parenthesizeConciseBodyOfArrowFunction(body) {
          if (!isBlock(body) && (isCommaSequence(body) || getLeftmostExpression(
            body,
            /*stopAtCallExpressions*/
            false
          ).kind === 210)) {
            return setTextRange(factory2.createParenthesizedExpression(body), body);
          }
          return body;
        }
        function parenthesizeCheckTypeOfConditionalType(checkType) {
          switch (checkType.kind) {
            case 184:
            case 185:
            case 194:
              return factory2.createParenthesizedType(checkType);
          }
          return checkType;
        }
        function parenthesizeExtendsTypeOfConditionalType(extendsType) {
          switch (extendsType.kind) {
            case 194:
              return factory2.createParenthesizedType(extendsType);
          }
          return extendsType;
        }
        function parenthesizeConstituentTypeOfUnionType(type) {
          switch (type.kind) {
            case 192:
            case 193:
              return factory2.createParenthesizedType(type);
          }
          return parenthesizeCheckTypeOfConditionalType(type);
        }
        function parenthesizeConstituentTypesOfUnionType(members) {
          return factory2.createNodeArray(sameMap(members, parenthesizeConstituentTypeOfUnionType));
        }
        function parenthesizeConstituentTypeOfIntersectionType(type) {
          switch (type.kind) {
            case 192:
            case 193:
              return factory2.createParenthesizedType(type);
          }
          return parenthesizeConstituentTypeOfUnionType(type);
        }
        function parenthesizeConstituentTypesOfIntersectionType(members) {
          return factory2.createNodeArray(sameMap(members, parenthesizeConstituentTypeOfIntersectionType));
        }
        function parenthesizeOperandOfTypeOperator(type) {
          switch (type.kind) {
            case 193:
              return factory2.createParenthesizedType(type);
          }
          return parenthesizeConstituentTypeOfIntersectionType(type);
        }
        function parenthesizeOperandOfReadonlyTypeOperator(type) {
          switch (type.kind) {
            case 198:
              return factory2.createParenthesizedType(type);
          }
          return parenthesizeOperandOfTypeOperator(type);
        }
        function parenthesizeNonArrayTypeOfPostfixType(type) {
          switch (type.kind) {
            case 195:
            case 198:
            case 186:
              return factory2.createParenthesizedType(type);
          }
          return parenthesizeOperandOfTypeOperator(type);
        }
        function parenthesizeElementTypesOfTupleType(types) {
          return factory2.createNodeArray(sameMap(types, parenthesizeElementTypeOfTupleType));
        }
        function parenthesizeElementTypeOfTupleType(type) {
          if (hasJSDocPostfixQuestion(type)) return factory2.createParenthesizedType(type);
          return type;
        }
        function hasJSDocPostfixQuestion(type) {
          if (isJSDocNullableType(type)) return type.postfix;
          if (isNamedTupleMember(type)) return hasJSDocPostfixQuestion(type.type);
          if (isFunctionTypeNode(type) || isConstructorTypeNode(type) || isTypeOperatorNode(type)) return hasJSDocPostfixQuestion(type.type);
          if (isConditionalTypeNode(type)) return hasJSDocPostfixQuestion(type.falseType);
          if (isUnionTypeNode(type)) return hasJSDocPostfixQuestion(last(type.types));
          if (isIntersectionTypeNode(type)) return hasJSDocPostfixQuestion(last(type.types));
          if (isInferTypeNode(type)) return !!type.typeParameter.constraint && hasJSDocPostfixQuestion(type.typeParameter.constraint);
          return false;
        }
        function parenthesizeTypeOfOptionalType(type) {
          if (hasJSDocPostfixQuestion(type)) return factory2.createParenthesizedType(type);
          return parenthesizeNonArrayTypeOfPostfixType(type);
        }
        function parenthesizeLeadingTypeArgument(node) {
          return isFunctionOrConstructorTypeNode(node) && node.typeParameters ? factory2.createParenthesizedType(node) : node;
        }
        function parenthesizeOrdinalTypeArgument(node, i) {
          return i === 0 ? parenthesizeLeadingTypeArgument(node) : node;
        }
        function parenthesizeTypeArguments(typeArguments) {
          if (some(typeArguments)) {
            return factory2.createNodeArray(sameMap(typeArguments, parenthesizeOrdinalTypeArgument));
          }
        }
      }
      var nullParenthesizerRules = {
        getParenthesizeLeftSideOfBinaryForOperator: (_) => identity2,
        getParenthesizeRightSideOfBinaryForOperator: (_) => identity2,
        parenthesizeLeftSideOfBinary: (_binaryOperator, leftSide) => leftSide,
        parenthesizeRightSideOfBinary: (_binaryOperator, _leftSide, rightSide) => rightSide,
        parenthesizeExpressionOfComputedPropertyName: identity2,
        parenthesizeConditionOfConditionalExpression: identity2,
        parenthesizeBranchOfConditionalExpression: identity2,
        parenthesizeExpressionOfExportDefault: identity2,
        parenthesizeExpressionOfNew: (expression) => cast(expression, isLeftHandSideExpression),
        parenthesizeLeftSideOfAccess: (expression) => cast(expression, isLeftHandSideExpression),
        parenthesizeOperandOfPostfixUnary: (operand) => cast(operand, isLeftHandSideExpression),
        parenthesizeOperandOfPrefixUnary: (operand) => cast(operand, isUnaryExpression),
        parenthesizeExpressionsOfCommaDelimitedList: (nodes) => cast(nodes, isNodeArray),
        parenthesizeExpressionForDisallowedComma: identity2,
        parenthesizeExpressionOfExpressionStatement: identity2,
        parenthesizeConciseBodyOfArrowFunction: identity2,
        parenthesizeCheckTypeOfConditionalType: identity2,
        parenthesizeExtendsTypeOfConditionalType: identity2,
        parenthesizeConstituentTypesOfUnionType: (nodes) => cast(nodes, isNodeArray),
        parenthesizeConstituentTypeOfUnionType: identity2,
        parenthesizeConstituentTypesOfIntersectionType: (nodes) => cast(nodes, isNodeArray),
        parenthesizeConstituentTypeOfIntersectionType: identity2,
        parenthesizeOperandOfTypeOperator: identity2,
        parenthesizeOperandOfReadonlyTypeOperator: identity2,
        parenthesizeNonArrayTypeOfPostfixType: identity2,
        parenthesizeElementTypesOfTupleType: (nodes) => cast(nodes, isNodeArray),
        parenthesizeElementTypeOfTupleType: identity2,
        parenthesizeTypeOfOptionalType: identity2,
        parenthesizeTypeArguments: (nodes) => nodes && cast(nodes, isNodeArray),
        parenthesizeLeadingTypeArgument: identity2
      };
      function createNodeConverters(factory2) {
        return {
          convertToFunctionBlock,
          convertToFunctionExpression,
          convertToClassExpression,
          convertToArrayAssignmentElement,
          convertToObjectAssignmentElement,
          convertToAssignmentPattern,
          convertToObjectAssignmentPattern,
          convertToArrayAssignmentPattern,
          convertToAssignmentElementTarget
        };
        function convertToFunctionBlock(node, multiLine) {
          if (isBlock(node)) return node;
          const returnStatement = factory2.createReturnStatement(node);
          setTextRange(returnStatement, node);
          const body = factory2.createBlock([returnStatement], multiLine);
          setTextRange(body, node);
          return body;
        }
        function convertToFunctionExpression(node) {
          var _a;
          if (!node.body) return Debug.fail(`Cannot convert a FunctionDeclaration without a body`);
          const updated = factory2.createFunctionExpression(
            (_a = getModifiers(node)) == null ? void 0 : _a.filter((modifier) => !isExportModifier(modifier) && !isDefaultModifier(modifier)),
            node.asteriskToken,
            node.name,
            node.typeParameters,
            node.parameters,
            node.type,
            node.body
          );
          setOriginalNode(updated, node);
          setTextRange(updated, node);
          if (getStartsOnNewLine(node)) {
            setStartsOnNewLine(
              updated,
              /*newLine*/
              true
            );
          }
          return updated;
        }
        function convertToClassExpression(node) {
          var _a;
          const updated = factory2.createClassExpression(
            (_a = node.modifiers) == null ? void 0 : _a.filter((modifier) => !isExportModifier(modifier) && !isDefaultModifier(modifier)),
            node.name,
            node.typeParameters,
            node.heritageClauses,
            node.members
          );
          setOriginalNode(updated, node);
          setTextRange(updated, node);
          if (getStartsOnNewLine(node)) {
            setStartsOnNewLine(
              updated,
              /*newLine*/
              true
            );
          }
          return updated;
        }
        function convertToArrayAssignmentElement(element) {
          if (isBindingElement(element)) {
            if (element.dotDotDotToken) {
              Debug.assertNode(element.name, isIdentifier);
              return setOriginalNode(setTextRange(factory2.createSpreadElement(element.name), element), element);
            }
            const expression = convertToAssignmentElementTarget(element.name);
            return element.initializer ? setOriginalNode(
              setTextRange(
                factory2.createAssignment(expression, element.initializer),
                element
              ),
              element
            ) : expression;
          }
          return cast(element, isExpression);
        }
        function convertToObjectAssignmentElement(element) {
          if (isBindingElement(element)) {
            if (element.dotDotDotToken) {
              Debug.assertNode(element.name, isIdentifier);
              return setOriginalNode(setTextRange(factory2.createSpreadAssignment(element.name), element), element);
            }
            if (element.propertyName) {
              const expression = convertToAssignmentElementTarget(element.name);
              return setOriginalNode(setTextRange(factory2.createPropertyAssignment(element.propertyName, element.initializer ? factory2.createAssignment(expression, element.initializer) : expression), element), element);
            }
            Debug.assertNode(element.name, isIdentifier);
            return setOriginalNode(setTextRange(factory2.createShorthandPropertyAssignment(element.name, element.initializer), element), element);
          }
          return cast(element, isObjectLiteralElementLike);
        }
        function convertToAssignmentPattern(node) {
          switch (node.kind) {
            case 207:
            case 209:
              return convertToArrayAssignmentPattern(node);
            case 206:
            case 210:
              return convertToObjectAssignmentPattern(node);
          }
        }
        function convertToObjectAssignmentPattern(node) {
          if (isObjectBindingPattern(node)) {
            return setOriginalNode(
              setTextRange(
                factory2.createObjectLiteralExpression(map(node.elements, convertToObjectAssignmentElement)),
                node
              ),
              node
            );
          }
          return cast(node, isObjectLiteralExpression);
        }
        function convertToArrayAssignmentPattern(node) {
          if (isArrayBindingPattern(node)) {
            return setOriginalNode(
              setTextRange(
                factory2.createArrayLiteralExpression(map(node.elements, convertToArrayAssignmentElement)),
                node
              ),
              node
            );
          }
          return cast(node, isArrayLiteralExpression);
        }
        function convertToAssignmentElementTarget(node) {
          if (isBindingPattern(node)) {
            return convertToAssignmentPattern(node);
          }
          return cast(node, isExpression);
        }
      }
      var nullNodeConverters = {
        convertToFunctionBlock: notImplemented,
        convertToFunctionExpression: notImplemented,
        convertToClassExpression: notImplemented,
        convertToArrayAssignmentElement: notImplemented,
        convertToObjectAssignmentElement: notImplemented,
        convertToAssignmentPattern: notImplemented,
        convertToObjectAssignmentPattern: notImplemented,
        convertToArrayAssignmentPattern: notImplemented,
        convertToAssignmentElementTarget: notImplemented
      };
      var nextAutoGenerateId = 0;
      var NodeFactoryFlags = /* @__PURE__ */ ((NodeFactoryFlags2) => {
        NodeFactoryFlags2[NodeFactoryFlags2["None"] = 0] = "None";
        NodeFactoryFlags2[NodeFactoryFlags2["NoParenthesizerRules"] = 1] = "NoParenthesizerRules";
        NodeFactoryFlags2[NodeFactoryFlags2["NoNodeConverters"] = 2] = "NoNodeConverters";
        NodeFactoryFlags2[NodeFactoryFlags2["NoIndentationOnFreshPropertyAccess"] = 4] = "NoIndentationOnFreshPropertyAccess";
        NodeFactoryFlags2[NodeFactoryFlags2["NoOriginalNode"] = 8] = "NoOriginalNode";
        return NodeFactoryFlags2;
      })(NodeFactoryFlags || {});
      var nodeFactoryPatchers = [];
      function addNodeFactoryPatcher(fn) {
        nodeFactoryPatchers.push(fn);
      }
      function createNodeFactory(flags, baseFactory2) {
        const setOriginal = flags & 8 ? identity2 : setOriginalNode;
        const parenthesizerRules = memoize(() => flags & 1 ? nullParenthesizerRules : createParenthesizerRules(factory2));
        const converters = memoize(() => flags & 2 ? nullNodeConverters : createNodeConverters(factory2));
        const getBinaryCreateFunction = memoizeOne((operator) => (left, right) => createBinaryExpression(left, operator, right));
        const getPrefixUnaryCreateFunction = memoizeOne((operator) => (operand) => createPrefixUnaryExpression(operator, operand));
        const getPostfixUnaryCreateFunction = memoizeOne((operator) => (operand) => createPostfixUnaryExpression(operand, operator));
        const getJSDocPrimaryTypeCreateFunction = memoizeOne((kind) => () => createJSDocPrimaryTypeWorker(kind));
        const getJSDocUnaryTypeCreateFunction = memoizeOne((kind) => (type) => createJSDocUnaryTypeWorker(kind, type));
        const getJSDocUnaryTypeUpdateFunction = memoizeOne((kind) => (node, type) => updateJSDocUnaryTypeWorker(kind, node, type));
        const getJSDocPrePostfixUnaryTypeCreateFunction = memoizeOne((kind) => (type, postfix) => createJSDocPrePostfixUnaryTypeWorker(kind, type, postfix));
        const getJSDocPrePostfixUnaryTypeUpdateFunction = memoizeOne((kind) => (node, type) => updateJSDocPrePostfixUnaryTypeWorker(kind, node, type));
        const getJSDocSimpleTagCreateFunction = memoizeOne((kind) => (tagName, comment) => createJSDocSimpleTagWorker(kind, tagName, comment));
        const getJSDocSimpleTagUpdateFunction = memoizeOne((kind) => (node, tagName, comment) => updateJSDocSimpleTagWorker(kind, node, tagName, comment));
        const getJSDocTypeLikeTagCreateFunction = memoizeOne((kind) => (tagName, typeExpression, comment) => createJSDocTypeLikeTagWorker(kind, tagName, typeExpression, comment));
        const getJSDocTypeLikeTagUpdateFunction = memoizeOne((kind) => (node, tagName, typeExpression, comment) => updateJSDocTypeLikeTagWorker(kind, node, tagName, typeExpression, comment));
        const factory2 = {
          get parenthesizer() {
            return parenthesizerRules();
          },
          get converters() {
            return converters();
          },
          baseFactory: baseFactory2,
          flags,
          createNodeArray,
          createNumericLiteral,
          createBigIntLiteral,
          createStringLiteral,
          createStringLiteralFromNode,
          createRegularExpressionLiteral,
          createLiteralLikeNode,
          createIdentifier,
          createTempVariable,
          createLoopVariable,
          createUniqueName,
          getGeneratedNameForNode,
          createPrivateIdentifier,
          createUniquePrivateName,
          getGeneratedPrivateNameForNode,
          createToken,
          createSuper,
          createThis,
          createNull,
          createTrue,
          createFalse,
          createModifier,
          createModifiersFromModifierFlags,
          createQualifiedName,
          updateQualifiedName,
          createComputedPropertyName,
          updateComputedPropertyName,
          createTypeParameterDeclaration,
          updateTypeParameterDeclaration,
          createParameterDeclaration,
          updateParameterDeclaration,
          createDecorator,
          updateDecorator,
          createPropertySignature,
          updatePropertySignature,
          createPropertyDeclaration,
          updatePropertyDeclaration: updatePropertyDeclaration2,
          createMethodSignature,
          updateMethodSignature,
          createMethodDeclaration,
          updateMethodDeclaration,
          createConstructorDeclaration,
          updateConstructorDeclaration,
          createGetAccessorDeclaration,
          updateGetAccessorDeclaration,
          createSetAccessorDeclaration,
          updateSetAccessorDeclaration,
          createCallSignature,
          updateCallSignature,
          createConstructSignature,
          updateConstructSignature,
          createIndexSignature,
          updateIndexSignature,
          createClassStaticBlockDeclaration,
          updateClassStaticBlockDeclaration,
          createTemplateLiteralTypeSpan,
          updateTemplateLiteralTypeSpan,
          createKeywordTypeNode,
          createTypePredicateNode,
          updateTypePredicateNode,
          createTypeReferenceNode,
          updateTypeReferenceNode,
          createFunctionTypeNode,
          updateFunctionTypeNode,
          createConstructorTypeNode,
          updateConstructorTypeNode,
          createTypeQueryNode,
          updateTypeQueryNode,
          createTypeLiteralNode,
          updateTypeLiteralNode,
          createArrayTypeNode,
          updateArrayTypeNode,
          createTupleTypeNode,
          updateTupleTypeNode,
          createNamedTupleMember,
          updateNamedTupleMember,
          createOptionalTypeNode,
          updateOptionalTypeNode,
          createRestTypeNode,
          updateRestTypeNode,
          createUnionTypeNode,
          updateUnionTypeNode,
          createIntersectionTypeNode,
          updateIntersectionTypeNode,
          createConditionalTypeNode,
          updateConditionalTypeNode,
          createInferTypeNode,
          updateInferTypeNode,
          createImportTypeNode,
          updateImportTypeNode,
          createParenthesizedType,
          updateParenthesizedType,
          createThisTypeNode,
          createTypeOperatorNode,
          updateTypeOperatorNode,
          createIndexedAccessTypeNode,
          updateIndexedAccessTypeNode,
          createMappedTypeNode,
          updateMappedTypeNode,
          createLiteralTypeNode,
          updateLiteralTypeNode,
          createTemplateLiteralType,
          updateTemplateLiteralType,
          createObjectBindingPattern,
          updateObjectBindingPattern,
          createArrayBindingPattern,
          updateArrayBindingPattern,
          createBindingElement,
          updateBindingElement,
          createArrayLiteralExpression,
          updateArrayLiteralExpression,
          createObjectLiteralExpression,
          updateObjectLiteralExpression,
          createPropertyAccessExpression: flags & 4 ? (expression, name) => setEmitFlags(
            createPropertyAccessExpression(expression, name),
            262144
            /* NoIndentation */
          ) : createPropertyAccessExpression,
          updatePropertyAccessExpression,
          createPropertyAccessChain: flags & 4 ? (expression, questionDotToken, name) => setEmitFlags(
            createPropertyAccessChain(expression, questionDotToken, name),
            262144
            /* NoIndentation */
          ) : createPropertyAccessChain,
          updatePropertyAccessChain,
          createElementAccessExpression,
          updateElementAccessExpression,
          createElementAccessChain,
          updateElementAccessChain,
          createCallExpression,
          updateCallExpression,
          createCallChain,
          updateCallChain,
          createNewExpression,
          updateNewExpression,
          createTaggedTemplateExpression,
          updateTaggedTemplateExpression,
          createTypeAssertion,
          updateTypeAssertion,
          createParenthesizedExpression,
          updateParenthesizedExpression,
          createFunctionExpression,
          updateFunctionExpression,
          createArrowFunction,
          updateArrowFunction,
          createDeleteExpression,
          updateDeleteExpression,
          createTypeOfExpression,
          updateTypeOfExpression,
          createVoidExpression,
          updateVoidExpression,
          createAwaitExpression,
          updateAwaitExpression,
          createPrefixUnaryExpression,
          updatePrefixUnaryExpression,
          createPostfixUnaryExpression,
          updatePostfixUnaryExpression,
          createBinaryExpression,
          updateBinaryExpression,
          createConditionalExpression,
          updateConditionalExpression,
          createTemplateExpression,
          updateTemplateExpression,
          createTemplateHead,
          createTemplateMiddle,
          createTemplateTail,
          createNoSubstitutionTemplateLiteral,
          createTemplateLiteralLikeNode,
          createYieldExpression,
          updateYieldExpression,
          createSpreadElement,
          updateSpreadElement,
          createClassExpression,
          updateClassExpression,
          createOmittedExpression,
          createExpressionWithTypeArguments,
          updateExpressionWithTypeArguments,
          createAsExpression,
          updateAsExpression,
          createNonNullExpression,
          updateNonNullExpression,
          createSatisfiesExpression,
          updateSatisfiesExpression,
          createNonNullChain,
          updateNonNullChain,
          createMetaProperty,
          updateMetaProperty,
          createTemplateSpan,
          updateTemplateSpan,
          createSemicolonClassElement,
          createBlock,
          updateBlock,
          createVariableStatement,
          updateVariableStatement,
          createEmptyStatement,
          createExpressionStatement,
          updateExpressionStatement,
          createIfStatement,
          updateIfStatement,
          createDoStatement,
          updateDoStatement,
          createWhileStatement,
          updateWhileStatement,
          createForStatement,
          updateForStatement,
          createForInStatement,
          updateForInStatement,
          createForOfStatement,
          updateForOfStatement,
          createContinueStatement,
          updateContinueStatement,
          createBreakStatement,
          updateBreakStatement,
          createReturnStatement,
          updateReturnStatement,
          createWithStatement,
          updateWithStatement,
          createSwitchStatement,
          updateSwitchStatement,
          createLabeledStatement,
          updateLabeledStatement,
          createThrowStatement,
          updateThrowStatement,
          createTryStatement,
          updateTryStatement,
          createDebuggerStatement,
          createVariableDeclaration,
          updateVariableDeclaration,
          createVariableDeclarationList,
          updateVariableDeclarationList,
          createFunctionDeclaration,
          updateFunctionDeclaration,
          createClassDeclaration,
          updateClassDeclaration,
          createInterfaceDeclaration,
          updateInterfaceDeclaration,
          createTypeAliasDeclaration,
          updateTypeAliasDeclaration,
          createEnumDeclaration,
          updateEnumDeclaration,
          createModuleDeclaration,
          updateModuleDeclaration,
          createModuleBlock,
          updateModuleBlock,
          createCaseBlock,
          updateCaseBlock,
          createNamespaceExportDeclaration,
          updateNamespaceExportDeclaration,
          createImportEqualsDeclaration,
          updateImportEqualsDeclaration,
          createImportDeclaration,
          updateImportDeclaration,
          createImportClause: createImportClause2,
          updateImportClause,
          createAssertClause,
          updateAssertClause,
          createAssertEntry,
          updateAssertEntry,
          createImportTypeAssertionContainer,
          updateImportTypeAssertionContainer,
          createImportAttributes,
          updateImportAttributes,
          createImportAttribute,
          updateImportAttribute,
          createNamespaceImport,
          updateNamespaceImport,
          createNamespaceExport,
          updateNamespaceExport,
          createNamedImports,
          updateNamedImports,
          createImportSpecifier,
          updateImportSpecifier,
          createExportAssignment: createExportAssignment2,
          updateExportAssignment,
          createExportDeclaration,
          updateExportDeclaration,
          createNamedExports,
          updateNamedExports,
          createExportSpecifier,
          updateExportSpecifier,
          createMissingDeclaration,
          createExternalModuleReference,
          updateExternalModuleReference,
          // lazily load factory members for JSDoc types with similar structure
          get createJSDocAllType() {
            return getJSDocPrimaryTypeCreateFunction(
              312
              /* JSDocAllType */
            );
          },
          get createJSDocUnknownType() {
            return getJSDocPrimaryTypeCreateFunction(
              313
              /* JSDocUnknownType */
            );
          },
          get createJSDocNonNullableType() {
            return getJSDocPrePostfixUnaryTypeCreateFunction(
              315
              /* JSDocNonNullableType */
            );
          },
          get updateJSDocNonNullableType() {
            return getJSDocPrePostfixUnaryTypeUpdateFunction(
              315
              /* JSDocNonNullableType */
            );
          },
          get createJSDocNullableType() {
            return getJSDocPrePostfixUnaryTypeCreateFunction(
              314
              /* JSDocNullableType */
            );
          },
          get updateJSDocNullableType() {
            return getJSDocPrePostfixUnaryTypeUpdateFunction(
              314
              /* JSDocNullableType */
            );
          },
          get createJSDocOptionalType() {
            return getJSDocUnaryTypeCreateFunction(
              316
              /* JSDocOptionalType */
            );
          },
          get updateJSDocOptionalType() {
            return getJSDocUnaryTypeUpdateFunction(
              316
              /* JSDocOptionalType */
            );
          },
          get createJSDocVariadicType() {
            return getJSDocUnaryTypeCreateFunction(
              318
              /* JSDocVariadicType */
            );
          },
          get updateJSDocVariadicType() {
            return getJSDocUnaryTypeUpdateFunction(
              318
              /* JSDocVariadicType */
            );
          },
          get createJSDocNamepathType() {
            return getJSDocUnaryTypeCreateFunction(
              319
              /* JSDocNamepathType */
            );
          },
          get updateJSDocNamepathType() {
            return getJSDocUnaryTypeUpdateFunction(
              319
              /* JSDocNamepathType */
            );
          },
          createJSDocFunctionType,
          updateJSDocFunctionType,
          createJSDocTypeLiteral,
          updateJSDocTypeLiteral,
          createJSDocTypeExpression,
          updateJSDocTypeExpression,
          createJSDocSignature,
          updateJSDocSignature,
          createJSDocTemplateTag,
          updateJSDocTemplateTag,
          createJSDocTypedefTag,
          updateJSDocTypedefTag,
          createJSDocParameterTag,
          updateJSDocParameterTag,
          createJSDocPropertyTag,
          updateJSDocPropertyTag,
          createJSDocCallbackTag,
          updateJSDocCallbackTag,
          createJSDocOverloadTag,
          updateJSDocOverloadTag,
          createJSDocAugmentsTag,
          updateJSDocAugmentsTag,
          createJSDocImplementsTag,
          updateJSDocImplementsTag,
          createJSDocSeeTag,
          updateJSDocSeeTag,
          createJSDocImportTag,
          updateJSDocImportTag,
          createJSDocNameReference,
          updateJSDocNameReference,
          createJSDocMemberName,
          updateJSDocMemberName,
          createJSDocLink,
          updateJSDocLink,
          createJSDocLinkCode,
          updateJSDocLinkCode,
          createJSDocLinkPlain,
          updateJSDocLinkPlain,
          // lazily load factory members for JSDoc tags with similar structure
          get createJSDocTypeTag() {
            return getJSDocTypeLikeTagCreateFunction(
              344
              /* JSDocTypeTag */
            );
          },
          get updateJSDocTypeTag() {
            return getJSDocTypeLikeTagUpdateFunction(
              344
              /* JSDocTypeTag */
            );
          },
          get createJSDocReturnTag() {
            return getJSDocTypeLikeTagCreateFunction(
              342
              /* JSDocReturnTag */
            );
          },
          get updateJSDocReturnTag() {
            return getJSDocTypeLikeTagUpdateFunction(
              342
              /* JSDocReturnTag */
            );
          },
          get createJSDocThisTag() {
            return getJSDocTypeLikeTagCreateFunction(
              343
              /* JSDocThisTag */
            );
          },
          get updateJSDocThisTag() {
            return getJSDocTypeLikeTagUpdateFunction(
              343
              /* JSDocThisTag */
            );
          },
          get createJSDocAuthorTag() {
            return getJSDocSimpleTagCreateFunction(
              330
              /* JSDocAuthorTag */
            );
          },
          get updateJSDocAuthorTag() {
            return getJSDocSimpleTagUpdateFunction(
              330
              /* JSDocAuthorTag */
            );
          },
          get createJSDocClassTag() {
            return getJSDocSimpleTagCreateFunction(
              332
              /* JSDocClassTag */
            );
          },
          get updateJSDocClassTag() {
            return getJSDocSimpleTagUpdateFunction(
              332
              /* JSDocClassTag */
            );
          },
          get createJSDocPublicTag() {
            return getJSDocSimpleTagCreateFunction(
              333
              /* JSDocPublicTag */
            );
          },
          get updateJSDocPublicTag() {
            return getJSDocSimpleTagUpdateFunction(
              333
              /* JSDocPublicTag */
            );
          },
          get createJSDocPrivateTag() {
            return getJSDocSimpleTagCreateFunction(
              334
              /* JSDocPrivateTag */
            );
          },
          get updateJSDocPrivateTag() {
            return getJSDocSimpleTagUpdateFunction(
              334
              /* JSDocPrivateTag */
            );
          },
          get createJSDocProtectedTag() {
            return getJSDocSimpleTagCreateFunction(
              335
              /* JSDocProtectedTag */
            );
          },
          get updateJSDocProtectedTag() {
            return getJSDocSimpleTagUpdateFunction(
              335
              /* JSDocProtectedTag */
            );
          },
          get createJSDocReadonlyTag() {
            return getJSDocSimpleTagCreateFunction(
              336
              /* JSDocReadonlyTag */
            );
          },
          get updateJSDocReadonlyTag() {
            return getJSDocSimpleTagUpdateFunction(
              336
              /* JSDocReadonlyTag */
            );
          },
          get createJSDocOverrideTag() {
            return getJSDocSimpleTagCreateFunction(
              337
              /* JSDocOverrideTag */
            );
          },
          get updateJSDocOverrideTag() {
            return getJSDocSimpleTagUpdateFunction(
              337
              /* JSDocOverrideTag */
            );
          },
          get createJSDocDeprecatedTag() {
            return getJSDocSimpleTagCreateFunction(
              331
              /* JSDocDeprecatedTag */
            );
          },
          get updateJSDocDeprecatedTag() {
            return getJSDocSimpleTagUpdateFunction(
              331
              /* JSDocDeprecatedTag */
            );
          },
          get createJSDocThrowsTag() {
            return getJSDocTypeLikeTagCreateFunction(
              349
              /* JSDocThrowsTag */
            );
          },
          get updateJSDocThrowsTag() {
            return getJSDocTypeLikeTagUpdateFunction(
              349
              /* JSDocThrowsTag */
            );
          },
          get createJSDocSatisfiesTag() {
            return getJSDocTypeLikeTagCreateFunction(
              350
              /* JSDocSatisfiesTag */
            );
          },
          get updateJSDocSatisfiesTag() {
            return getJSDocTypeLikeTagUpdateFunction(
              350
              /* JSDocSatisfiesTag */
            );
          },
          createJSDocEnumTag,
          updateJSDocEnumTag,
          createJSDocUnknownTag,
          updateJSDocUnknownTag,
          createJSDocText,
          updateJSDocText,
          createJSDocComment,
          updateJSDocComment,
          createJsxElement,
          updateJsxElement,
          createJsxSelfClosingElement,
          updateJsxSelfClosingElement,
          createJsxOpeningElement,
          updateJsxOpeningElement,
          createJsxClosingElement,
          updateJsxClosingElement,
          createJsxFragment,
          createJsxText,
          updateJsxText,
          createJsxOpeningFragment,
          createJsxJsxClosingFragment,
          updateJsxFragment,
          createJsxAttribute,
          updateJsxAttribute,
          createJsxAttributes,
          updateJsxAttributes,
          createJsxSpreadAttribute,
          updateJsxSpreadAttribute,
          createJsxExpression,
          updateJsxExpression,
          createJsxNamespacedName,
          updateJsxNamespacedName,
          createCaseClause,
          updateCaseClause,
          createDefaultClause,
          updateDefaultClause,
          createHeritageClause,
          updateHeritageClause,
          createCatchClause,
          updateCatchClause,
          createPropertyAssignment,
          updatePropertyAssignment,
          createShorthandPropertyAssignment,
          updateShorthandPropertyAssignment,
          createSpreadAssignment,
          updateSpreadAssignment,
          createEnumMember,
          updateEnumMember,
          createSourceFile: createSourceFile2,
          updateSourceFile: updateSourceFile2,
          createRedirectedSourceFile,
          createBundle,
          updateBundle,
          createSyntheticExpression,
          createSyntaxList: createSyntaxList3,
          createNotEmittedStatement,
          createPartiallyEmittedExpression,
          updatePartiallyEmittedExpression,
          createCommaListExpression,
          updateCommaListExpression,
          createSyntheticReferenceExpression,
          updateSyntheticReferenceExpression,
          cloneNode,
          // Lazily load factory methods for common operator factories and utilities
          get createComma() {
            return getBinaryCreateFunction(
              28
              /* CommaToken */
            );
          },
          get createAssignment() {
            return getBinaryCreateFunction(
              64
              /* EqualsToken */
            );
          },
          get createLogicalOr() {
            return getBinaryCreateFunction(
              57
              /* BarBarToken */
            );
          },
          get createLogicalAnd() {
            return getBinaryCreateFunction(
              56
              /* AmpersandAmpersandToken */
            );
          },
          get createBitwiseOr() {
            return getBinaryCreateFunction(
              52
              /* BarToken */
            );
          },
          get createBitwiseXor() {
            return getBinaryCreateFunction(
              53
              /* CaretToken */
            );
          },
          get createBitwiseAnd() {
            return getBinaryCreateFunction(
              51
              /* AmpersandToken */
            );
          },
          get createStrictEquality() {
            return getBinaryCreateFunction(
              37
              /* EqualsEqualsEqualsToken */
            );
          },
          get createStrictInequality() {
            return getBinaryCreateFunction(
              38
              /* ExclamationEqualsEqualsToken */
            );
          },
          get createEquality() {
            return getBinaryCreateFunction(
              35
              /* EqualsEqualsToken */
            );
          },
          get createInequality() {
            return getBinaryCreateFunction(
              36
              /* ExclamationEqualsToken */
            );
          },
          get createLessThan() {
            return getBinaryCreateFunction(
              30
              /* LessThanToken */
            );
          },
          get createLessThanEquals() {
            return getBinaryCreateFunction(
              33
              /* LessThanEqualsToken */
            );
          },
          get createGreaterThan() {
            return getBinaryCreateFunction(
              32
              /* GreaterThanToken */
            );
          },
          get createGreaterThanEquals() {
            return getBinaryCreateFunction(
              34
              /* GreaterThanEqualsToken */
            );
          },
          get createLeftShift() {
            return getBinaryCreateFunction(
              48
              /* LessThanLessThanToken */
            );
          },
          get createRightShift() {
            return getBinaryCreateFunction(
              49
              /* GreaterThanGreaterThanToken */
            );
          },
          get createUnsignedRightShift() {
            return getBinaryCreateFunction(
              50
              /* GreaterThanGreaterThanGreaterThanToken */
            );
          },
          get createAdd() {
            return getBinaryCreateFunction(
              40
              /* PlusToken */
            );
          },
          get createSubtract() {
            return getBinaryCreateFunction(
              41
              /* MinusToken */
            );
          },
          get createMultiply() {
            return getBinaryCreateFunction(
              42
              /* AsteriskToken */
            );
          },
          get createDivide() {
            return getBinaryCreateFunction(
              44
              /* SlashToken */
            );
          },
          get createModulo() {
            return getBinaryCreateFunction(
              45
              /* PercentToken */
            );
          },
          get createExponent() {
            return getBinaryCreateFunction(
              43
              /* AsteriskAsteriskToken */
            );
          },
          get createPrefixPlus() {
            return getPrefixUnaryCreateFunction(
              40
              /* PlusToken */
            );
          },
          get createPrefixMinus() {
            return getPrefixUnaryCreateFunction(
              41
              /* MinusToken */
            );
          },
          get createPrefixIncrement() {
            return getPrefixUnaryCreateFunction(
              46
              /* PlusPlusToken */
            );
          },
          get createPrefixDecrement() {
            return getPrefixUnaryCreateFunction(
              47
              /* MinusMinusToken */
            );
          },
          get createBitwiseNot() {
            return getPrefixUnaryCreateFunction(
              55
              /* TildeToken */
            );
          },
          get createLogicalNot() {
            return getPrefixUnaryCreateFunction(
              54
              /* ExclamationToken */
            );
          },
          get createPostfixIncrement() {
            return getPostfixUnaryCreateFunction(
              46
              /* PlusPlusToken */
            );
          },
          get createPostfixDecrement() {
            return getPostfixUnaryCreateFunction(
              47
              /* MinusMinusToken */
            );
          },
          // Compound nodes
          createImmediatelyInvokedFunctionExpression,
          createImmediatelyInvokedArrowFunction,
          createVoidZero,
          createExportDefault,
          createExternalModuleExport,
          createTypeCheck,
          createIsNotTypeCheck,
          createMethodCall,
          createGlobalMethodCall,
          createFunctionBindCall,
          createFunctionCallCall,
          createFunctionApplyCall,
          createArraySliceCall,
          createArrayConcatCall,
          createObjectDefinePropertyCall,
          createObjectGetOwnPropertyDescriptorCall,
          createReflectGetCall,
          createReflectSetCall,
          createPropertyDescriptor,
          createCallBinding,
          createAssignmentTargetWrapper,
          // Utilities
          inlineExpressions,
          getInternalName,
          getLocalName,
          getExportName,
          getDeclarationName,
          getNamespaceMemberName,
          getExternalModuleOrNamespaceExportName,
          restoreOuterExpressions,
          restoreEnclosingLabel,
          createUseStrictPrologue,
          copyPrologue,
          copyStandardPrologue,
          copyCustomPrologue,
          ensureUseStrict,
          liftToBlock,
          mergeLexicalEnvironment,
          replaceModifiers,
          replaceDecoratorsAndModifiers,
          replacePropertyName
        };
        forEach(nodeFactoryPatchers, (fn) => fn(factory2));
        return factory2;
        function createNodeArray(elements, hasTrailingComma) {
          if (elements === void 0 || elements === emptyArray) {
            elements = [];
          } else if (isNodeArray(elements)) {
            if (hasTrailingComma === void 0 || elements.hasTrailingComma === hasTrailingComma) {
              if (elements.transformFlags === void 0) {
                aggregateChildrenFlags(elements);
              }
              Debug.attachNodeArrayDebugInfo(elements);
              return elements;
            }
            const array2 = elements.slice();
            array2.pos = elements.pos;
            array2.end = elements.end;
            array2.hasTrailingComma = hasTrailingComma;
            array2.transformFlags = elements.transformFlags;
            Debug.attachNodeArrayDebugInfo(array2);
            return array2;
          }
          const length2 = elements.length;
          const array = length2 >= 1 && length2 <= 4 ? elements.slice() : elements;
          array.pos = -1;
          array.end = -1;
          array.hasTrailingComma = !!hasTrailingComma;
          array.transformFlags = 0;
          aggregateChildrenFlags(array);
          Debug.attachNodeArrayDebugInfo(array);
          return array;
        }
        function createBaseNode(kind) {
          return baseFactory2.createBaseNode(kind);
        }
        function createBaseDeclaration(kind) {
          const node = createBaseNode(kind);
          node.symbol = void 0;
          node.localSymbol = void 0;
          return node;
        }
        function finishUpdateBaseSignatureDeclaration(updated, original) {
          if (updated !== original) {
            updated.typeArguments = original.typeArguments;
          }
          return update(updated, original);
        }
        function createNumericLiteral(value, numericLiteralFlags = 0) {
          const text = typeof value === "number" ? value + "" : value;
          Debug.assert(text.charCodeAt(0) !== 45, "Negative numbers should be created in combination with createPrefixUnaryExpression");
          const node = createBaseDeclaration(
            9
            /* NumericLiteral */
          );
          node.text = text;
          node.numericLiteralFlags = numericLiteralFlags;
          if (numericLiteralFlags & 384) node.transformFlags |= 1024;
          return node;
        }
        function createBigIntLiteral(value) {
          const node = createBaseToken(
            10
            /* BigIntLiteral */
          );
          node.text = typeof value === "string" ? value : pseudoBigIntToString(value) + "n";
          node.transformFlags |= 32;
          return node;
        }
        function createBaseStringLiteral(text, isSingleQuote) {
          const node = createBaseDeclaration(
            11
            /* StringLiteral */
          );
          node.text = text;
          node.singleQuote = isSingleQuote;
          return node;
        }
        function createStringLiteral(text, isSingleQuote, hasExtendedUnicodeEscape) {
          const node = createBaseStringLiteral(text, isSingleQuote);
          node.hasExtendedUnicodeEscape = hasExtendedUnicodeEscape;
          if (hasExtendedUnicodeEscape) node.transformFlags |= 1024;
          return node;
        }
        function createStringLiteralFromNode(sourceNode) {
          const node = createBaseStringLiteral(
            getTextOfIdentifierOrLiteral(sourceNode),
            /*isSingleQuote*/
            void 0
          );
          node.textSourceNode = sourceNode;
          return node;
        }
        function createRegularExpressionLiteral(text) {
          const node = createBaseToken(
            14
            /* RegularExpressionLiteral */
          );
          node.text = text;
          return node;
        }
        function createLiteralLikeNode(kind, text) {
          switch (kind) {
            case 9:
              return createNumericLiteral(
                text,
                /*numericLiteralFlags*/
                0
              );
            case 10:
              return createBigIntLiteral(text);
            case 11:
              return createStringLiteral(
                text,
                /*isSingleQuote*/
                void 0
              );
            case 12:
              return createJsxText(
                text,
                /*containsOnlyTriviaWhiteSpaces*/
                false
              );
            case 13:
              return createJsxText(
                text,
                /*containsOnlyTriviaWhiteSpaces*/
                true
              );
            case 14:
              return createRegularExpressionLiteral(text);
            case 15:
              return createTemplateLiteralLikeNode(
                kind,
                text,
                /*rawText*/
                void 0,
                /*templateFlags*/
                0
              );
          }
        }
        function createBaseIdentifier(escapedText) {
          const node = baseFactory2.createBaseIdentifierNode(
            80
            /* Identifier */
          );
          node.escapedText = escapedText;
          node.jsDoc = void 0;
          node.flowNode = void 0;
          node.symbol = void 0;
          return node;
        }
        function createBaseGeneratedIdentifier(text, autoGenerateFlags, prefix, suffix) {
          const node = createBaseIdentifier(escapeLeadingUnderscores(text));
          setIdentifierAutoGenerate(node, {
            flags: autoGenerateFlags,
            id: nextAutoGenerateId,
            prefix,
            suffix
          });
          nextAutoGenerateId++;
          return node;
        }
        function createIdentifier(text, originalKeywordKind, hasExtendedUnicodeEscape) {
          if (originalKeywordKind === void 0 && text) {
            originalKeywordKind = stringToToken(text);
          }
          if (originalKeywordKind === 80) {
            originalKeywordKind = void 0;
          }
          const node = createBaseIdentifier(escapeLeadingUnderscores(text));
          if (hasExtendedUnicodeEscape) node.flags |= 256;
          if (node.escapedText === "await") {
            node.transformFlags |= 67108864;
          }
          if (node.flags & 256) {
            node.transformFlags |= 1024;
          }
          return node;
        }
        function createTempVariable(recordTempVariable, reservedInNestedScopes, prefix, suffix) {
          let flags2 = 1;
          if (reservedInNestedScopes) flags2 |= 8;
          const name = createBaseGeneratedIdentifier("", flags2, prefix, suffix);
          if (recordTempVariable) {
            recordTempVariable(name);
          }
          return name;
        }
        function createLoopVariable(reservedInNestedScopes) {
          let flags2 = 2;
          if (reservedInNestedScopes) flags2 |= 8;
          return createBaseGeneratedIdentifier(
            "",
            flags2,
            /*prefix*/
            void 0,
            /*suffix*/
            void 0
          );
        }
        function createUniqueName(text, flags2 = 0, prefix, suffix) {
          Debug.assert(!(flags2 & 7), "Argument out of range: flags");
          Debug.assert((flags2 & (16 | 32)) !== 32, "GeneratedIdentifierFlags.FileLevel cannot be set without also setting GeneratedIdentifierFlags.Optimistic");
          return createBaseGeneratedIdentifier(text, 3 | flags2, prefix, suffix);
        }
        function getGeneratedNameForNode(node, flags2 = 0, prefix, suffix) {
          Debug.assert(!(flags2 & 7), "Argument out of range: flags");
          const text = !node ? "" : isMemberName(node) ? formatGeneratedName(
            /*privateName*/
            false,
            prefix,
            node,
            suffix,
            idText
          ) : `generated@${getNodeId(node)}`;
          if (prefix || suffix) flags2 |= 16;
          const name = createBaseGeneratedIdentifier(text, 4 | flags2, prefix, suffix);
          name.original = node;
          return name;
        }
        function createBasePrivateIdentifier(escapedText) {
          const node = baseFactory2.createBasePrivateIdentifierNode(
            81
            /* PrivateIdentifier */
          );
          node.escapedText = escapedText;
          node.transformFlags |= 16777216;
          return node;
        }
        function createPrivateIdentifier(text) {
          if (!startsWith2(text, "#")) Debug.fail("First character of private identifier must be #: " + text);
          return createBasePrivateIdentifier(escapeLeadingUnderscores(text));
        }
        function createBaseGeneratedPrivateIdentifier(text, autoGenerateFlags, prefix, suffix) {
          const node = createBasePrivateIdentifier(escapeLeadingUnderscores(text));
          setIdentifierAutoGenerate(node, {
            flags: autoGenerateFlags,
            id: nextAutoGenerateId,
            prefix,
            suffix
          });
          nextAutoGenerateId++;
          return node;
        }
        function createUniquePrivateName(text, prefix, suffix) {
          if (text && !startsWith2(text, "#")) Debug.fail("First character of private identifier must be #: " + text);
          const autoGenerateFlags = 8 | (text ? 3 : 1);
          return createBaseGeneratedPrivateIdentifier(text ?? "", autoGenerateFlags, prefix, suffix);
        }
        function getGeneratedPrivateNameForNode(node, prefix, suffix) {
          const text = isMemberName(node) ? formatGeneratedName(
            /*privateName*/
            true,
            prefix,
            node,
            suffix,
            idText
          ) : `#generated@${getNodeId(node)}`;
          const flags2 = prefix || suffix ? 16 : 0;
          const name = createBaseGeneratedPrivateIdentifier(text, 4 | flags2, prefix, suffix);
          name.original = node;
          return name;
        }
        function createBaseToken(kind) {
          return baseFactory2.createBaseTokenNode(kind);
        }
        function createToken(token) {
          Debug.assert(token >= 0 && token <= 165, "Invalid token");
          Debug.assert(token <= 15 || token >= 18, "Invalid token. Use 'createTemplateLiteralLikeNode' to create template literals.");
          Debug.assert(token <= 9 || token >= 15, "Invalid token. Use 'createLiteralLikeNode' to create literals.");
          Debug.assert(token !== 80, "Invalid token. Use 'createIdentifier' to create identifiers");
          const node = createBaseToken(token);
          let transformFlags = 0;
          switch (token) {
            case 134:
              transformFlags = 256 | 128;
              break;
            case 160:
              transformFlags = 4;
              break;
            case 125:
            case 123:
            case 124:
            case 148:
            case 128:
            case 138:
            case 87:
            case 133:
            case 150:
            case 163:
            case 146:
            case 151:
            case 103:
            case 147:
            case 164:
            case 154:
            case 136:
            case 155:
            case 116:
            case 159:
            case 157:
              transformFlags = 1;
              break;
            case 108:
              transformFlags = 1024 | 134217728;
              node.flowNode = void 0;
              break;
            case 126:
              transformFlags = 1024;
              break;
            case 129:
              transformFlags = 16777216;
              break;
            case 110:
              transformFlags = 16384;
              node.flowNode = void 0;
              break;
          }
          if (transformFlags) {
            node.transformFlags |= transformFlags;
          }
          return node;
        }
        function createSuper() {
          return createToken(
            108
            /* SuperKeyword */
          );
        }
        function createThis() {
          return createToken(
            110
            /* ThisKeyword */
          );
        }
        function createNull() {
          return createToken(
            106
            /* NullKeyword */
          );
        }
        function createTrue() {
          return createToken(
            112
            /* TrueKeyword */
          );
        }
        function createFalse() {
          return createToken(
            97
            /* FalseKeyword */
          );
        }
        function createModifier(kind) {
          return createToken(kind);
        }
        function createModifiersFromModifierFlags(flags2) {
          const result = [];
          if (flags2 & 32) result.push(createModifier(
            95
            /* ExportKeyword */
          ));
          if (flags2 & 128) result.push(createModifier(
            138
            /* DeclareKeyword */
          ));
          if (flags2 & 2048) result.push(createModifier(
            90
            /* DefaultKeyword */
          ));
          if (flags2 & 4096) result.push(createModifier(
            87
            /* ConstKeyword */
          ));
          if (flags2 & 1) result.push(createModifier(
            125
            /* PublicKeyword */
          ));
          if (flags2 & 2) result.push(createModifier(
            123
            /* PrivateKeyword */
          ));
          if (flags2 & 4) result.push(createModifier(
            124
            /* ProtectedKeyword */
          ));
          if (flags2 & 64) result.push(createModifier(
            128
            /* AbstractKeyword */
          ));
          if (flags2 & 256) result.push(createModifier(
            126
            /* StaticKeyword */
          ));
          if (flags2 & 16) result.push(createModifier(
            164
            /* OverrideKeyword */
          ));
          if (flags2 & 8) result.push(createModifier(
            148
            /* ReadonlyKeyword */
          ));
          if (flags2 & 512) result.push(createModifier(
            129
            /* AccessorKeyword */
          ));
          if (flags2 & 1024) result.push(createModifier(
            134
            /* AsyncKeyword */
          ));
          if (flags2 & 8192) result.push(createModifier(
            103
            /* InKeyword */
          ));
          if (flags2 & 16384) result.push(createModifier(
            147
            /* OutKeyword */
          ));
          return result.length ? result : void 0;
        }
        function createQualifiedName(left, right) {
          const node = createBaseNode(
            166
            /* QualifiedName */
          );
          node.left = left;
          node.right = asName(right);
          node.transformFlags |= propagateChildFlags(node.left) | propagateIdentifierNameFlags(node.right);
          node.flowNode = void 0;
          return node;
        }
        function updateQualifiedName(node, left, right) {
          return node.left !== left || node.right !== right ? update(createQualifiedName(left, right), node) : node;
        }
        function createComputedPropertyName(expression) {
          const node = createBaseNode(
            167
            /* ComputedPropertyName */
          );
          node.expression = parenthesizerRules().parenthesizeExpressionOfComputedPropertyName(expression);
          node.transformFlags |= propagateChildFlags(node.expression) | 1024 | 131072;
          return node;
        }
        function updateComputedPropertyName(node, expression) {
          return node.expression !== expression ? update(createComputedPropertyName(expression), node) : node;
        }
        function createTypeParameterDeclaration(modifiers, name, constraint, defaultType) {
          const node = createBaseDeclaration(
            168
            /* TypeParameter */
          );
          node.modifiers = asNodeArray(modifiers);
          node.name = asName(name);
          node.constraint = constraint;
          node.default = defaultType;
          node.transformFlags = 1;
          node.expression = void 0;
          node.jsDoc = void 0;
          return node;
        }
        function updateTypeParameterDeclaration(node, modifiers, name, constraint, defaultType) {
          return node.modifiers !== modifiers || node.name !== name || node.constraint !== constraint || node.default !== defaultType ? update(createTypeParameterDeclaration(modifiers, name, constraint, defaultType), node) : node;
        }
        function createParameterDeclaration(modifiers, dotDotDotToken, name, questionToken, type, initializer) {
          const node = createBaseDeclaration(
            169
            /* Parameter */
          );
          node.modifiers = asNodeArray(modifiers);
          node.dotDotDotToken = dotDotDotToken;
          node.name = asName(name);
          node.questionToken = questionToken;
          node.type = type;
          node.initializer = asInitializer(initializer);
          if (isThisIdentifier(node.name)) {
            node.transformFlags = 1;
          } else {
            node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.dotDotDotToken) | propagateNameFlags(node.name) | propagateChildFlags(node.questionToken) | propagateChildFlags(node.initializer) | (node.questionToken ?? node.type ? 1 : 0) | (node.dotDotDotToken ?? node.initializer ? 1024 : 0) | (modifiersToFlags(node.modifiers) & 31 ? 8192 : 0);
          }
          node.jsDoc = void 0;
          return node;
        }
        function updateParameterDeclaration(node, modifiers, dotDotDotToken, name, questionToken, type, initializer) {
          return node.modifiers !== modifiers || node.dotDotDotToken !== dotDotDotToken || node.name !== name || node.questionToken !== questionToken || node.type !== type || node.initializer !== initializer ? update(createParameterDeclaration(modifiers, dotDotDotToken, name, questionToken, type, initializer), node) : node;
        }
        function createDecorator(expression) {
          const node = createBaseNode(
            170
            /* Decorator */
          );
          node.expression = parenthesizerRules().parenthesizeLeftSideOfAccess(
            expression,
            /*optionalChain*/
            false
          );
          node.transformFlags |= propagateChildFlags(node.expression) | 1 | 8192 | 33554432;
          return node;
        }
        function updateDecorator(node, expression) {
          return node.expression !== expression ? update(createDecorator(expression), node) : node;
        }
        function createPropertySignature(modifiers, name, questionToken, type) {
          const node = createBaseDeclaration(
            171
            /* PropertySignature */
          );
          node.modifiers = asNodeArray(modifiers);
          node.name = asName(name);
          node.type = type;
          node.questionToken = questionToken;
          node.transformFlags = 1;
          node.initializer = void 0;
          node.jsDoc = void 0;
          return node;
        }
        function updatePropertySignature(node, modifiers, name, questionToken, type) {
          return node.modifiers !== modifiers || node.name !== name || node.questionToken !== questionToken || node.type !== type ? finishUpdatePropertySignature(createPropertySignature(modifiers, name, questionToken, type), node) : node;
        }
        function finishUpdatePropertySignature(updated, original) {
          if (updated !== original) {
            updated.initializer = original.initializer;
          }
          return update(updated, original);
        }
        function createPropertyDeclaration(modifiers, name, questionOrExclamationToken, type, initializer) {
          const node = createBaseDeclaration(
            172
            /* PropertyDeclaration */
          );
          node.modifiers = asNodeArray(modifiers);
          node.name = asName(name);
          node.questionToken = questionOrExclamationToken && isQuestionToken(questionOrExclamationToken) ? questionOrExclamationToken : void 0;
          node.exclamationToken = questionOrExclamationToken && isExclamationToken(questionOrExclamationToken) ? questionOrExclamationToken : void 0;
          node.type = type;
          node.initializer = asInitializer(initializer);
          const isAmbient = node.flags & 33554432 || modifiersToFlags(node.modifiers) & 128;
          node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateNameFlags(node.name) | propagateChildFlags(node.initializer) | (isAmbient || node.questionToken || node.exclamationToken || node.type ? 1 : 0) | (isComputedPropertyName(node.name) || modifiersToFlags(node.modifiers) & 256 && node.initializer ? 8192 : 0) | 16777216;
          node.jsDoc = void 0;
          return node;
        }
        function updatePropertyDeclaration2(node, modifiers, name, questionOrExclamationToken, type, initializer) {
          return node.modifiers !== modifiers || node.name !== name || node.questionToken !== (questionOrExclamationToken !== void 0 && isQuestionToken(questionOrExclamationToken) ? questionOrExclamationToken : void 0) || node.exclamationToken !== (questionOrExclamationToken !== void 0 && isExclamationToken(questionOrExclamationToken) ? questionOrExclamationToken : void 0) || node.type !== type || node.initializer !== initializer ? update(createPropertyDeclaration(modifiers, name, questionOrExclamationToken, type, initializer), node) : node;
        }
        function createMethodSignature(modifiers, name, questionToken, typeParameters, parameters, type) {
          const node = createBaseDeclaration(
            173
            /* MethodSignature */
          );
          node.modifiers = asNodeArray(modifiers);
          node.name = asName(name);
          node.questionToken = questionToken;
          node.typeParameters = asNodeArray(typeParameters);
          node.parameters = asNodeArray(parameters);
          node.type = type;
          node.transformFlags = 1;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.typeArguments = void 0;
          return node;
        }
        function updateMethodSignature(node, modifiers, name, questionToken, typeParameters, parameters, type) {
          return node.modifiers !== modifiers || node.name !== name || node.questionToken !== questionToken || node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type ? finishUpdateBaseSignatureDeclaration(createMethodSignature(modifiers, name, questionToken, typeParameters, parameters, type), node) : node;
        }
        function createMethodDeclaration(modifiers, asteriskToken, name, questionToken, typeParameters, parameters, type, body) {
          const node = createBaseDeclaration(
            174
            /* MethodDeclaration */
          );
          node.modifiers = asNodeArray(modifiers);
          node.asteriskToken = asteriskToken;
          node.name = asName(name);
          node.questionToken = questionToken;
          node.exclamationToken = void 0;
          node.typeParameters = asNodeArray(typeParameters);
          node.parameters = createNodeArray(parameters);
          node.type = type;
          node.body = body;
          if (!node.body) {
            node.transformFlags = 1;
          } else {
            const isAsync2 = modifiersToFlags(node.modifiers) & 1024;
            const isGenerator = !!node.asteriskToken;
            const isAsyncGenerator = isAsync2 && isGenerator;
            node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.asteriskToken) | propagateNameFlags(node.name) | propagateChildFlags(node.questionToken) | propagateChildrenFlags(node.typeParameters) | propagateChildrenFlags(node.parameters) | propagateChildFlags(node.type) | propagateChildFlags(node.body) & ~67108864 | (isAsyncGenerator ? 128 : isAsync2 ? 256 : isGenerator ? 2048 : 0) | (node.questionToken || node.typeParameters || node.type ? 1 : 0) | 1024;
          }
          node.typeArguments = void 0;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.flowNode = void 0;
          node.endFlowNode = void 0;
          node.returnFlowNode = void 0;
          return node;
        }
        function updateMethodDeclaration(node, modifiers, asteriskToken, name, questionToken, typeParameters, parameters, type, body) {
          return node.modifiers !== modifiers || node.asteriskToken !== asteriskToken || node.name !== name || node.questionToken !== questionToken || node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type || node.body !== body ? finishUpdateMethodDeclaration(createMethodDeclaration(modifiers, asteriskToken, name, questionToken, typeParameters, parameters, type, body), node) : node;
        }
        function finishUpdateMethodDeclaration(updated, original) {
          if (updated !== original) {
            updated.exclamationToken = original.exclamationToken;
          }
          return update(updated, original);
        }
        function createClassStaticBlockDeclaration(body) {
          const node = createBaseDeclaration(
            175
            /* ClassStaticBlockDeclaration */
          );
          node.body = body;
          node.transformFlags = propagateChildFlags(body) | 16777216;
          node.modifiers = void 0;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.endFlowNode = void 0;
          node.returnFlowNode = void 0;
          return node;
        }
        function updateClassStaticBlockDeclaration(node, body) {
          return node.body !== body ? finishUpdateClassStaticBlockDeclaration(createClassStaticBlockDeclaration(body), node) : node;
        }
        function finishUpdateClassStaticBlockDeclaration(updated, original) {
          if (updated !== original) {
            updated.modifiers = original.modifiers;
          }
          return update(updated, original);
        }
        function createConstructorDeclaration(modifiers, parameters, body) {
          const node = createBaseDeclaration(
            176
            /* Constructor */
          );
          node.modifiers = asNodeArray(modifiers);
          node.parameters = createNodeArray(parameters);
          node.body = body;
          node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateChildrenFlags(node.parameters) | propagateChildFlags(node.body) & ~67108864 | 1024;
          node.typeParameters = void 0;
          node.type = void 0;
          node.typeArguments = void 0;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.endFlowNode = void 0;
          node.returnFlowNode = void 0;
          return node;
        }
        function updateConstructorDeclaration(node, modifiers, parameters, body) {
          return node.modifiers !== modifiers || node.parameters !== parameters || node.body !== body ? finishUpdateConstructorDeclaration(createConstructorDeclaration(modifiers, parameters, body), node) : node;
        }
        function finishUpdateConstructorDeclaration(updated, original) {
          if (updated !== original) {
            updated.typeParameters = original.typeParameters;
            updated.type = original.type;
          }
          return finishUpdateBaseSignatureDeclaration(updated, original);
        }
        function createGetAccessorDeclaration(modifiers, name, parameters, type, body) {
          const node = createBaseDeclaration(
            177
            /* GetAccessor */
          );
          node.modifiers = asNodeArray(modifiers);
          node.name = asName(name);
          node.parameters = createNodeArray(parameters);
          node.type = type;
          node.body = body;
          if (!node.body) {
            node.transformFlags = 1;
          } else {
            node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateNameFlags(node.name) | propagateChildrenFlags(node.parameters) | propagateChildFlags(node.type) | propagateChildFlags(node.body) & ~67108864 | (node.type ? 1 : 0);
          }
          node.typeArguments = void 0;
          node.typeParameters = void 0;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.flowNode = void 0;
          node.endFlowNode = void 0;
          node.returnFlowNode = void 0;
          return node;
        }
        function updateGetAccessorDeclaration(node, modifiers, name, parameters, type, body) {
          return node.modifiers !== modifiers || node.name !== name || node.parameters !== parameters || node.type !== type || node.body !== body ? finishUpdateGetAccessorDeclaration(createGetAccessorDeclaration(modifiers, name, parameters, type, body), node) : node;
        }
        function finishUpdateGetAccessorDeclaration(updated, original) {
          if (updated !== original) {
            updated.typeParameters = original.typeParameters;
          }
          return finishUpdateBaseSignatureDeclaration(updated, original);
        }
        function createSetAccessorDeclaration(modifiers, name, parameters, body) {
          const node = createBaseDeclaration(
            178
            /* SetAccessor */
          );
          node.modifiers = asNodeArray(modifiers);
          node.name = asName(name);
          node.parameters = createNodeArray(parameters);
          node.body = body;
          if (!node.body) {
            node.transformFlags = 1;
          } else {
            node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateNameFlags(node.name) | propagateChildrenFlags(node.parameters) | propagateChildFlags(node.body) & ~67108864 | (node.type ? 1 : 0);
          }
          node.typeArguments = void 0;
          node.typeParameters = void 0;
          node.type = void 0;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.flowNode = void 0;
          node.endFlowNode = void 0;
          node.returnFlowNode = void 0;
          return node;
        }
        function updateSetAccessorDeclaration(node, modifiers, name, parameters, body) {
          return node.modifiers !== modifiers || node.name !== name || node.parameters !== parameters || node.body !== body ? finishUpdateSetAccessorDeclaration(createSetAccessorDeclaration(modifiers, name, parameters, body), node) : node;
        }
        function finishUpdateSetAccessorDeclaration(updated, original) {
          if (updated !== original) {
            updated.typeParameters = original.typeParameters;
            updated.type = original.type;
          }
          return finishUpdateBaseSignatureDeclaration(updated, original);
        }
        function createCallSignature(typeParameters, parameters, type) {
          const node = createBaseDeclaration(
            179
            /* CallSignature */
          );
          node.typeParameters = asNodeArray(typeParameters);
          node.parameters = asNodeArray(parameters);
          node.type = type;
          node.transformFlags = 1;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.typeArguments = void 0;
          return node;
        }
        function updateCallSignature(node, typeParameters, parameters, type) {
          return node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type ? finishUpdateBaseSignatureDeclaration(createCallSignature(typeParameters, parameters, type), node) : node;
        }
        function createConstructSignature(typeParameters, parameters, type) {
          const node = createBaseDeclaration(
            180
            /* ConstructSignature */
          );
          node.typeParameters = asNodeArray(typeParameters);
          node.parameters = asNodeArray(parameters);
          node.type = type;
          node.transformFlags = 1;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.typeArguments = void 0;
          return node;
        }
        function updateConstructSignature(node, typeParameters, parameters, type) {
          return node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type ? finishUpdateBaseSignatureDeclaration(createConstructSignature(typeParameters, parameters, type), node) : node;
        }
        function createIndexSignature(modifiers, parameters, type) {
          const node = createBaseDeclaration(
            181
            /* IndexSignature */
          );
          node.modifiers = asNodeArray(modifiers);
          node.parameters = asNodeArray(parameters);
          node.type = type;
          node.transformFlags = 1;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.typeArguments = void 0;
          return node;
        }
        function updateIndexSignature(node, modifiers, parameters, type) {
          return node.parameters !== parameters || node.type !== type || node.modifiers !== modifiers ? finishUpdateBaseSignatureDeclaration(createIndexSignature(modifiers, parameters, type), node) : node;
        }
        function createTemplateLiteralTypeSpan(type, literal) {
          const node = createBaseNode(
            204
            /* TemplateLiteralTypeSpan */
          );
          node.type = type;
          node.literal = literal;
          node.transformFlags = 1;
          return node;
        }
        function updateTemplateLiteralTypeSpan(node, type, literal) {
          return node.type !== type || node.literal !== literal ? update(createTemplateLiteralTypeSpan(type, literal), node) : node;
        }
        function createKeywordTypeNode(kind) {
          return createToken(kind);
        }
        function createTypePredicateNode(assertsModifier, parameterName, type) {
          const node = createBaseNode(
            182
            /* TypePredicate */
          );
          node.assertsModifier = assertsModifier;
          node.parameterName = asName(parameterName);
          node.type = type;
          node.transformFlags = 1;
          return node;
        }
        function updateTypePredicateNode(node, assertsModifier, parameterName, type) {
          return node.assertsModifier !== assertsModifier || node.parameterName !== parameterName || node.type !== type ? update(createTypePredicateNode(assertsModifier, parameterName, type), node) : node;
        }
        function createTypeReferenceNode(typeName, typeArguments) {
          const node = createBaseNode(
            183
            /* TypeReference */
          );
          node.typeName = asName(typeName);
          node.typeArguments = typeArguments && parenthesizerRules().parenthesizeTypeArguments(createNodeArray(typeArguments));
          node.transformFlags = 1;
          return node;
        }
        function updateTypeReferenceNode(node, typeName, typeArguments) {
          return node.typeName !== typeName || node.typeArguments !== typeArguments ? update(createTypeReferenceNode(typeName, typeArguments), node) : node;
        }
        function createFunctionTypeNode(typeParameters, parameters, type) {
          const node = createBaseDeclaration(
            184
            /* FunctionType */
          );
          node.typeParameters = asNodeArray(typeParameters);
          node.parameters = asNodeArray(parameters);
          node.type = type;
          node.transformFlags = 1;
          node.modifiers = void 0;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.typeArguments = void 0;
          return node;
        }
        function updateFunctionTypeNode(node, typeParameters, parameters, type) {
          return node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type ? finishUpdateFunctionTypeNode(createFunctionTypeNode(typeParameters, parameters, type), node) : node;
        }
        function finishUpdateFunctionTypeNode(updated, original) {
          if (updated !== original) {
            updated.modifiers = original.modifiers;
          }
          return finishUpdateBaseSignatureDeclaration(updated, original);
        }
        function createConstructorTypeNode(...args) {
          return args.length === 4 ? createConstructorTypeNode1(...args) : args.length === 3 ? createConstructorTypeNode2(...args) : Debug.fail("Incorrect number of arguments specified.");
        }
        function createConstructorTypeNode1(modifiers, typeParameters, parameters, type) {
          const node = createBaseDeclaration(
            185
            /* ConstructorType */
          );
          node.modifiers = asNodeArray(modifiers);
          node.typeParameters = asNodeArray(typeParameters);
          node.parameters = asNodeArray(parameters);
          node.type = type;
          node.transformFlags = 1;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.typeArguments = void 0;
          return node;
        }
        function createConstructorTypeNode2(typeParameters, parameters, type) {
          return createConstructorTypeNode1(
            /*modifiers*/
            void 0,
            typeParameters,
            parameters,
            type
          );
        }
        function updateConstructorTypeNode(...args) {
          return args.length === 5 ? updateConstructorTypeNode1(...args) : args.length === 4 ? updateConstructorTypeNode2(...args) : Debug.fail("Incorrect number of arguments specified.");
        }
        function updateConstructorTypeNode1(node, modifiers, typeParameters, parameters, type) {
          return node.modifiers !== modifiers || node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type ? finishUpdateBaseSignatureDeclaration(createConstructorTypeNode(modifiers, typeParameters, parameters, type), node) : node;
        }
        function updateConstructorTypeNode2(node, typeParameters, parameters, type) {
          return updateConstructorTypeNode1(node, node.modifiers, typeParameters, parameters, type);
        }
        function createTypeQueryNode(exprName, typeArguments) {
          const node = createBaseNode(
            186
            /* TypeQuery */
          );
          node.exprName = exprName;
          node.typeArguments = typeArguments && parenthesizerRules().parenthesizeTypeArguments(typeArguments);
          node.transformFlags = 1;
          return node;
        }
        function updateTypeQueryNode(node, exprName, typeArguments) {
          return node.exprName !== exprName || node.typeArguments !== typeArguments ? update(createTypeQueryNode(exprName, typeArguments), node) : node;
        }
        function createTypeLiteralNode(members) {
          const node = createBaseDeclaration(
            187
            /* TypeLiteral */
          );
          node.members = createNodeArray(members);
          node.transformFlags = 1;
          return node;
        }
        function updateTypeLiteralNode(node, members) {
          return node.members !== members ? update(createTypeLiteralNode(members), node) : node;
        }
        function createArrayTypeNode(elementType) {
          const node = createBaseNode(
            188
            /* ArrayType */
          );
          node.elementType = parenthesizerRules().parenthesizeNonArrayTypeOfPostfixType(elementType);
          node.transformFlags = 1;
          return node;
        }
        function updateArrayTypeNode(node, elementType) {
          return node.elementType !== elementType ? update(createArrayTypeNode(elementType), node) : node;
        }
        function createTupleTypeNode(elements) {
          const node = createBaseNode(
            189
            /* TupleType */
          );
          node.elements = createNodeArray(parenthesizerRules().parenthesizeElementTypesOfTupleType(elements));
          node.transformFlags = 1;
          return node;
        }
        function updateTupleTypeNode(node, elements) {
          return node.elements !== elements ? update(createTupleTypeNode(elements), node) : node;
        }
        function createNamedTupleMember(dotDotDotToken, name, questionToken, type) {
          const node = createBaseDeclaration(
            202
            /* NamedTupleMember */
          );
          node.dotDotDotToken = dotDotDotToken;
          node.name = name;
          node.questionToken = questionToken;
          node.type = type;
          node.transformFlags = 1;
          node.jsDoc = void 0;
          return node;
        }
        function updateNamedTupleMember(node, dotDotDotToken, name, questionToken, type) {
          return node.dotDotDotToken !== dotDotDotToken || node.name !== name || node.questionToken !== questionToken || node.type !== type ? update(createNamedTupleMember(dotDotDotToken, name, questionToken, type), node) : node;
        }
        function createOptionalTypeNode(type) {
          const node = createBaseNode(
            190
            /* OptionalType */
          );
          node.type = parenthesizerRules().parenthesizeTypeOfOptionalType(type);
          node.transformFlags = 1;
          return node;
        }
        function updateOptionalTypeNode(node, type) {
          return node.type !== type ? update(createOptionalTypeNode(type), node) : node;
        }
        function createRestTypeNode(type) {
          const node = createBaseNode(
            191
            /* RestType */
          );
          node.type = type;
          node.transformFlags = 1;
          return node;
        }
        function updateRestTypeNode(node, type) {
          return node.type !== type ? update(createRestTypeNode(type), node) : node;
        }
        function createUnionOrIntersectionTypeNode(kind, types, parenthesize) {
          const node = createBaseNode(kind);
          node.types = factory2.createNodeArray(parenthesize(types));
          node.transformFlags = 1;
          return node;
        }
        function updateUnionOrIntersectionTypeNode(node, types, parenthesize) {
          return node.types !== types ? update(createUnionOrIntersectionTypeNode(node.kind, types, parenthesize), node) : node;
        }
        function createUnionTypeNode(types) {
          return createUnionOrIntersectionTypeNode(192, types, parenthesizerRules().parenthesizeConstituentTypesOfUnionType);
        }
        function updateUnionTypeNode(node, types) {
          return updateUnionOrIntersectionTypeNode(node, types, parenthesizerRules().parenthesizeConstituentTypesOfUnionType);
        }
        function createIntersectionTypeNode(types) {
          return createUnionOrIntersectionTypeNode(193, types, parenthesizerRules().parenthesizeConstituentTypesOfIntersectionType);
        }
        function updateIntersectionTypeNode(node, types) {
          return updateUnionOrIntersectionTypeNode(node, types, parenthesizerRules().parenthesizeConstituentTypesOfIntersectionType);
        }
        function createConditionalTypeNode(checkType, extendsType, trueType, falseType) {
          const node = createBaseNode(
            194
            /* ConditionalType */
          );
          node.checkType = parenthesizerRules().parenthesizeCheckTypeOfConditionalType(checkType);
          node.extendsType = parenthesizerRules().parenthesizeExtendsTypeOfConditionalType(extendsType);
          node.trueType = trueType;
          node.falseType = falseType;
          node.transformFlags = 1;
          node.locals = void 0;
          node.nextContainer = void 0;
          return node;
        }
        function updateConditionalTypeNode(node, checkType, extendsType, trueType, falseType) {
          return node.checkType !== checkType || node.extendsType !== extendsType || node.trueType !== trueType || node.falseType !== falseType ? update(createConditionalTypeNode(checkType, extendsType, trueType, falseType), node) : node;
        }
        function createInferTypeNode(typeParameter) {
          const node = createBaseNode(
            195
            /* InferType */
          );
          node.typeParameter = typeParameter;
          node.transformFlags = 1;
          return node;
        }
        function updateInferTypeNode(node, typeParameter) {
          return node.typeParameter !== typeParameter ? update(createInferTypeNode(typeParameter), node) : node;
        }
        function createTemplateLiteralType(head, templateSpans) {
          const node = createBaseNode(
            203
            /* TemplateLiteralType */
          );
          node.head = head;
          node.templateSpans = createNodeArray(templateSpans);
          node.transformFlags = 1;
          return node;
        }
        function updateTemplateLiteralType(node, head, templateSpans) {
          return node.head !== head || node.templateSpans !== templateSpans ? update(createTemplateLiteralType(head, templateSpans), node) : node;
        }
        function createImportTypeNode(argument, attributes, qualifier, typeArguments, isTypeOf = false) {
          const node = createBaseNode(
            205
            /* ImportType */
          );
          node.argument = argument;
          node.attributes = attributes;
          if (node.assertions && node.assertions.assertClause && node.attributes) {
            node.assertions.assertClause = node.attributes;
          }
          node.qualifier = qualifier;
          node.typeArguments = typeArguments && parenthesizerRules().parenthesizeTypeArguments(typeArguments);
          node.isTypeOf = isTypeOf;
          node.transformFlags = 1;
          return node;
        }
        function updateImportTypeNode(node, argument, attributes, qualifier, typeArguments, isTypeOf = node.isTypeOf) {
          return node.argument !== argument || node.attributes !== attributes || node.qualifier !== qualifier || node.typeArguments !== typeArguments || node.isTypeOf !== isTypeOf ? update(createImportTypeNode(argument, attributes, qualifier, typeArguments, isTypeOf), node) : node;
        }
        function createParenthesizedType(type) {
          const node = createBaseNode(
            196
            /* ParenthesizedType */
          );
          node.type = type;
          node.transformFlags = 1;
          return node;
        }
        function updateParenthesizedType(node, type) {
          return node.type !== type ? update(createParenthesizedType(type), node) : node;
        }
        function createThisTypeNode() {
          const node = createBaseNode(
            197
            /* ThisType */
          );
          node.transformFlags = 1;
          return node;
        }
        function createTypeOperatorNode(operator, type) {
          const node = createBaseNode(
            198
            /* TypeOperator */
          );
          node.operator = operator;
          node.type = operator === 148 ? parenthesizerRules().parenthesizeOperandOfReadonlyTypeOperator(type) : parenthesizerRules().parenthesizeOperandOfTypeOperator(type);
          node.transformFlags = 1;
          return node;
        }
        function updateTypeOperatorNode(node, type) {
          return node.type !== type ? update(createTypeOperatorNode(node.operator, type), node) : node;
        }
        function createIndexedAccessTypeNode(objectType2, indexType) {
          const node = createBaseNode(
            199
            /* IndexedAccessType */
          );
          node.objectType = parenthesizerRules().parenthesizeNonArrayTypeOfPostfixType(objectType2);
          node.indexType = indexType;
          node.transformFlags = 1;
          return node;
        }
        function updateIndexedAccessTypeNode(node, objectType2, indexType) {
          return node.objectType !== objectType2 || node.indexType !== indexType ? update(createIndexedAccessTypeNode(objectType2, indexType), node) : node;
        }
        function createMappedTypeNode(readonlyToken, typeParameter, nameType, questionToken, type, members) {
          const node = createBaseDeclaration(
            200
            /* MappedType */
          );
          node.readonlyToken = readonlyToken;
          node.typeParameter = typeParameter;
          node.nameType = nameType;
          node.questionToken = questionToken;
          node.type = type;
          node.members = members && createNodeArray(members);
          node.transformFlags = 1;
          node.locals = void 0;
          node.nextContainer = void 0;
          return node;
        }
        function updateMappedTypeNode(node, readonlyToken, typeParameter, nameType, questionToken, type, members) {
          return node.readonlyToken !== readonlyToken || node.typeParameter !== typeParameter || node.nameType !== nameType || node.questionToken !== questionToken || node.type !== type || node.members !== members ? update(createMappedTypeNode(readonlyToken, typeParameter, nameType, questionToken, type, members), node) : node;
        }
        function createLiteralTypeNode(literal) {
          const node = createBaseNode(
            201
            /* LiteralType */
          );
          node.literal = literal;
          node.transformFlags = 1;
          return node;
        }
        function updateLiteralTypeNode(node, literal) {
          return node.literal !== literal ? update(createLiteralTypeNode(literal), node) : node;
        }
        function createObjectBindingPattern(elements) {
          const node = createBaseNode(
            206
            /* ObjectBindingPattern */
          );
          node.elements = createNodeArray(elements);
          node.transformFlags |= propagateChildrenFlags(node.elements) | 1024 | 524288;
          if (node.transformFlags & 32768) {
            node.transformFlags |= 128 | 65536;
          }
          return node;
        }
        function updateObjectBindingPattern(node, elements) {
          return node.elements !== elements ? update(createObjectBindingPattern(elements), node) : node;
        }
        function createArrayBindingPattern(elements) {
          const node = createBaseNode(
            207
            /* ArrayBindingPattern */
          );
          node.elements = createNodeArray(elements);
          node.transformFlags |= propagateChildrenFlags(node.elements) | 1024 | 524288;
          return node;
        }
        function updateArrayBindingPattern(node, elements) {
          return node.elements !== elements ? update(createArrayBindingPattern(elements), node) : node;
        }
        function createBindingElement(dotDotDotToken, propertyName, name, initializer) {
          const node = createBaseDeclaration(
            208
            /* BindingElement */
          );
          node.dotDotDotToken = dotDotDotToken;
          node.propertyName = asName(propertyName);
          node.name = asName(name);
          node.initializer = asInitializer(initializer);
          node.transformFlags |= propagateChildFlags(node.dotDotDotToken) | propagateNameFlags(node.propertyName) | propagateNameFlags(node.name) | propagateChildFlags(node.initializer) | (node.dotDotDotToken ? 32768 : 0) | 1024;
          node.flowNode = void 0;
          return node;
        }
        function updateBindingElement(node, dotDotDotToken, propertyName, name, initializer) {
          return node.propertyName !== propertyName || node.dotDotDotToken !== dotDotDotToken || node.name !== name || node.initializer !== initializer ? update(createBindingElement(dotDotDotToken, propertyName, name, initializer), node) : node;
        }
        function createArrayLiteralExpression(elements, multiLine) {
          const node = createBaseNode(
            209
            /* ArrayLiteralExpression */
          );
          const lastElement = elements && lastOrUndefined(elements);
          const elementsArray = createNodeArray(elements, lastElement && isOmittedExpression(lastElement) ? true : void 0);
          node.elements = parenthesizerRules().parenthesizeExpressionsOfCommaDelimitedList(elementsArray);
          node.multiLine = multiLine;
          node.transformFlags |= propagateChildrenFlags(node.elements);
          return node;
        }
        function updateArrayLiteralExpression(node, elements) {
          return node.elements !== elements ? update(createArrayLiteralExpression(elements, node.multiLine), node) : node;
        }
        function createObjectLiteralExpression(properties, multiLine) {
          const node = createBaseDeclaration(
            210
            /* ObjectLiteralExpression */
          );
          node.properties = createNodeArray(properties);
          node.multiLine = multiLine;
          node.transformFlags |= propagateChildrenFlags(node.properties);
          node.jsDoc = void 0;
          return node;
        }
        function updateObjectLiteralExpression(node, properties) {
          return node.properties !== properties ? update(createObjectLiteralExpression(properties, node.multiLine), node) : node;
        }
        function createBasePropertyAccessExpression(expression, questionDotToken, name) {
          const node = createBaseDeclaration(
            211
            /* PropertyAccessExpression */
          );
          node.expression = expression;
          node.questionDotToken = questionDotToken;
          node.name = name;
          node.transformFlags = propagateChildFlags(node.expression) | propagateChildFlags(node.questionDotToken) | (isIdentifier(node.name) ? propagateIdentifierNameFlags(node.name) : propagateChildFlags(node.name) | 536870912);
          node.jsDoc = void 0;
          node.flowNode = void 0;
          return node;
        }
        function createPropertyAccessExpression(expression, name) {
          const node = createBasePropertyAccessExpression(
            parenthesizerRules().parenthesizeLeftSideOfAccess(
              expression,
              /*optionalChain*/
              false
            ),
            /*questionDotToken*/
            void 0,
            asName(name)
          );
          if (isSuperKeyword(expression)) {
            node.transformFlags |= 256 | 128;
          }
          return node;
        }
        function updatePropertyAccessExpression(node, expression, name) {
          if (isPropertyAccessChain(node)) {
            return updatePropertyAccessChain(node, expression, node.questionDotToken, cast(name, isIdentifier));
          }
          return node.expression !== expression || node.name !== name ? update(createPropertyAccessExpression(expression, name), node) : node;
        }
        function createPropertyAccessChain(expression, questionDotToken, name) {
          const node = createBasePropertyAccessExpression(
            parenthesizerRules().parenthesizeLeftSideOfAccess(
              expression,
              /*optionalChain*/
              true
            ),
            questionDotToken,
            asName(name)
          );
          node.flags |= 64;
          node.transformFlags |= 32;
          return node;
        }
        function updatePropertyAccessChain(node, expression, questionDotToken, name) {
          Debug.assert(!!(node.flags & 64), "Cannot update a PropertyAccessExpression using updatePropertyAccessChain. Use updatePropertyAccess instead.");
          return node.expression !== expression || node.questionDotToken !== questionDotToken || node.name !== name ? update(createPropertyAccessChain(expression, questionDotToken, name), node) : node;
        }
        function createBaseElementAccessExpression(expression, questionDotToken, argumentExpression) {
          const node = createBaseDeclaration(
            212
            /* ElementAccessExpression */
          );
          node.expression = expression;
          node.questionDotToken = questionDotToken;
          node.argumentExpression = argumentExpression;
          node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.questionDotToken) | propagateChildFlags(node.argumentExpression);
          node.jsDoc = void 0;
          node.flowNode = void 0;
          return node;
        }
        function createElementAccessExpression(expression, index) {
          const node = createBaseElementAccessExpression(
            parenthesizerRules().parenthesizeLeftSideOfAccess(
              expression,
              /*optionalChain*/
              false
            ),
            /*questionDotToken*/
            void 0,
            asExpression(index)
          );
          if (isSuperKeyword(expression)) {
            node.transformFlags |= 256 | 128;
          }
          return node;
        }
        function updateElementAccessExpression(node, expression, argumentExpression) {
          if (isElementAccessChain(node)) {
            return updateElementAccessChain(node, expression, node.questionDotToken, argumentExpression);
          }
          return node.expression !== expression || node.argumentExpression !== argumentExpression ? update(createElementAccessExpression(expression, argumentExpression), node) : node;
        }
        function createElementAccessChain(expression, questionDotToken, index) {
          const node = createBaseElementAccessExpression(
            parenthesizerRules().parenthesizeLeftSideOfAccess(
              expression,
              /*optionalChain*/
              true
            ),
            questionDotToken,
            asExpression(index)
          );
          node.flags |= 64;
          node.transformFlags |= 32;
          return node;
        }
        function updateElementAccessChain(node, expression, questionDotToken, argumentExpression) {
          Debug.assert(!!(node.flags & 64), "Cannot update a ElementAccessExpression using updateElementAccessChain. Use updateElementAccess instead.");
          return node.expression !== expression || node.questionDotToken !== questionDotToken || node.argumentExpression !== argumentExpression ? update(createElementAccessChain(expression, questionDotToken, argumentExpression), node) : node;
        }
        function createBaseCallExpression(expression, questionDotToken, typeArguments, argumentsArray) {
          const node = createBaseDeclaration(
            213
            /* CallExpression */
          );
          node.expression = expression;
          node.questionDotToken = questionDotToken;
          node.typeArguments = typeArguments;
          node.arguments = argumentsArray;
          node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.questionDotToken) | propagateChildrenFlags(node.typeArguments) | propagateChildrenFlags(node.arguments);
          if (node.typeArguments) {
            node.transformFlags |= 1;
          }
          if (isSuperProperty(node.expression)) {
            node.transformFlags |= 16384;
          }
          return node;
        }
        function createCallExpression(expression, typeArguments, argumentsArray) {
          const node = createBaseCallExpression(
            parenthesizerRules().parenthesizeLeftSideOfAccess(
              expression,
              /*optionalChain*/
              false
            ),
            /*questionDotToken*/
            void 0,
            asNodeArray(typeArguments),
            parenthesizerRules().parenthesizeExpressionsOfCommaDelimitedList(createNodeArray(argumentsArray))
          );
          if (isImportKeyword(node.expression)) {
            node.transformFlags |= 8388608;
          }
          return node;
        }
        function updateCallExpression(node, expression, typeArguments, argumentsArray) {
          if (isCallChain(node)) {
            return updateCallChain(node, expression, node.questionDotToken, typeArguments, argumentsArray);
          }
          return node.expression !== expression || node.typeArguments !== typeArguments || node.arguments !== argumentsArray ? update(createCallExpression(expression, typeArguments, argumentsArray), node) : node;
        }
        function createCallChain(expression, questionDotToken, typeArguments, argumentsArray) {
          const node = createBaseCallExpression(
            parenthesizerRules().parenthesizeLeftSideOfAccess(
              expression,
              /*optionalChain*/
              true
            ),
            questionDotToken,
            asNodeArray(typeArguments),
            parenthesizerRules().parenthesizeExpressionsOfCommaDelimitedList(createNodeArray(argumentsArray))
          );
          node.flags |= 64;
          node.transformFlags |= 32;
          return node;
        }
        function updateCallChain(node, expression, questionDotToken, typeArguments, argumentsArray) {
          Debug.assert(!!(node.flags & 64), "Cannot update a CallExpression using updateCallChain. Use updateCall instead.");
          return node.expression !== expression || node.questionDotToken !== questionDotToken || node.typeArguments !== typeArguments || node.arguments !== argumentsArray ? update(createCallChain(expression, questionDotToken, typeArguments, argumentsArray), node) : node;
        }
        function createNewExpression(expression, typeArguments, argumentsArray) {
          const node = createBaseDeclaration(
            214
            /* NewExpression */
          );
          node.expression = parenthesizerRules().parenthesizeExpressionOfNew(expression);
          node.typeArguments = asNodeArray(typeArguments);
          node.arguments = argumentsArray ? parenthesizerRules().parenthesizeExpressionsOfCommaDelimitedList(argumentsArray) : void 0;
          node.transformFlags |= propagateChildFlags(node.expression) | propagateChildrenFlags(node.typeArguments) | propagateChildrenFlags(node.arguments) | 32;
          if (node.typeArguments) {
            node.transformFlags |= 1;
          }
          return node;
        }
        function updateNewExpression(node, expression, typeArguments, argumentsArray) {
          return node.expression !== expression || node.typeArguments !== typeArguments || node.arguments !== argumentsArray ? update(createNewExpression(expression, typeArguments, argumentsArray), node) : node;
        }
        function createTaggedTemplateExpression(tag, typeArguments, template) {
          const node = createBaseNode(
            215
            /* TaggedTemplateExpression */
          );
          node.tag = parenthesizerRules().parenthesizeLeftSideOfAccess(
            tag,
            /*optionalChain*/
            false
          );
          node.typeArguments = asNodeArray(typeArguments);
          node.template = template;
          node.transformFlags |= propagateChildFlags(node.tag) | propagateChildrenFlags(node.typeArguments) | propagateChildFlags(node.template) | 1024;
          if (node.typeArguments) {
            node.transformFlags |= 1;
          }
          if (hasInvalidEscape(node.template)) {
            node.transformFlags |= 128;
          }
          return node;
        }
        function updateTaggedTemplateExpression(node, tag, typeArguments, template) {
          return node.tag !== tag || node.typeArguments !== typeArguments || node.template !== template ? update(createTaggedTemplateExpression(tag, typeArguments, template), node) : node;
        }
        function createTypeAssertion(type, expression) {
          const node = createBaseNode(
            216
            /* TypeAssertionExpression */
          );
          node.expression = parenthesizerRules().parenthesizeOperandOfPrefixUnary(expression);
          node.type = type;
          node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.type) | 1;
          return node;
        }
        function updateTypeAssertion(node, type, expression) {
          return node.type !== type || node.expression !== expression ? update(createTypeAssertion(type, expression), node) : node;
        }
        function createParenthesizedExpression(expression) {
          const node = createBaseNode(
            217
            /* ParenthesizedExpression */
          );
          node.expression = expression;
          node.transformFlags = propagateChildFlags(node.expression);
          node.jsDoc = void 0;
          return node;
        }
        function updateParenthesizedExpression(node, expression) {
          return node.expression !== expression ? update(createParenthesizedExpression(expression), node) : node;
        }
        function createFunctionExpression(modifiers, asteriskToken, name, typeParameters, parameters, type, body) {
          const node = createBaseDeclaration(
            218
            /* FunctionExpression */
          );
          node.modifiers = asNodeArray(modifiers);
          node.asteriskToken = asteriskToken;
          node.name = asName(name);
          node.typeParameters = asNodeArray(typeParameters);
          node.parameters = createNodeArray(parameters);
          node.type = type;
          node.body = body;
          const isAsync2 = modifiersToFlags(node.modifiers) & 1024;
          const isGenerator = !!node.asteriskToken;
          const isAsyncGenerator = isAsync2 && isGenerator;
          node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.asteriskToken) | propagateNameFlags(node.name) | propagateChildrenFlags(node.typeParameters) | propagateChildrenFlags(node.parameters) | propagateChildFlags(node.type) | propagateChildFlags(node.body) & ~67108864 | (isAsyncGenerator ? 128 : isAsync2 ? 256 : isGenerator ? 2048 : 0) | (node.typeParameters || node.type ? 1 : 0) | 4194304;
          node.typeArguments = void 0;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.flowNode = void 0;
          node.endFlowNode = void 0;
          node.returnFlowNode = void 0;
          return node;
        }
        function updateFunctionExpression(node, modifiers, asteriskToken, name, typeParameters, parameters, type, body) {
          return node.name !== name || node.modifiers !== modifiers || node.asteriskToken !== asteriskToken || node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type || node.body !== body ? finishUpdateBaseSignatureDeclaration(createFunctionExpression(modifiers, asteriskToken, name, typeParameters, parameters, type, body), node) : node;
        }
        function createArrowFunction(modifiers, typeParameters, parameters, type, equalsGreaterThanToken, body) {
          const node = createBaseDeclaration(
            219
            /* ArrowFunction */
          );
          node.modifiers = asNodeArray(modifiers);
          node.typeParameters = asNodeArray(typeParameters);
          node.parameters = createNodeArray(parameters);
          node.type = type;
          node.equalsGreaterThanToken = equalsGreaterThanToken ?? createToken(
            39
            /* EqualsGreaterThanToken */
          );
          node.body = parenthesizerRules().parenthesizeConciseBodyOfArrowFunction(body);
          const isAsync2 = modifiersToFlags(node.modifiers) & 1024;
          node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateChildrenFlags(node.typeParameters) | propagateChildrenFlags(node.parameters) | propagateChildFlags(node.type) | propagateChildFlags(node.equalsGreaterThanToken) | propagateChildFlags(node.body) & ~67108864 | (node.typeParameters || node.type ? 1 : 0) | (isAsync2 ? 256 | 16384 : 0) | 1024;
          node.typeArguments = void 0;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.flowNode = void 0;
          node.endFlowNode = void 0;
          node.returnFlowNode = void 0;
          return node;
        }
        function updateArrowFunction(node, modifiers, typeParameters, parameters, type, equalsGreaterThanToken, body) {
          return node.modifiers !== modifiers || node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type || node.equalsGreaterThanToken !== equalsGreaterThanToken || node.body !== body ? finishUpdateBaseSignatureDeclaration(createArrowFunction(modifiers, typeParameters, parameters, type, equalsGreaterThanToken, body), node) : node;
        }
        function createDeleteExpression(expression) {
          const node = createBaseNode(
            220
            /* DeleteExpression */
          );
          node.expression = parenthesizerRules().parenthesizeOperandOfPrefixUnary(expression);
          node.transformFlags |= propagateChildFlags(node.expression);
          return node;
        }
        function updateDeleteExpression(node, expression) {
          return node.expression !== expression ? update(createDeleteExpression(expression), node) : node;
        }
        function createTypeOfExpression(expression) {
          const node = createBaseNode(
            221
            /* TypeOfExpression */
          );
          node.expression = parenthesizerRules().parenthesizeOperandOfPrefixUnary(expression);
          node.transformFlags |= propagateChildFlags(node.expression);
          return node;
        }
        function updateTypeOfExpression(node, expression) {
          return node.expression !== expression ? update(createTypeOfExpression(expression), node) : node;
        }
        function createVoidExpression(expression) {
          const node = createBaseNode(
            222
            /* VoidExpression */
          );
          node.expression = parenthesizerRules().parenthesizeOperandOfPrefixUnary(expression);
          node.transformFlags |= propagateChildFlags(node.expression);
          return node;
        }
        function updateVoidExpression(node, expression) {
          return node.expression !== expression ? update(createVoidExpression(expression), node) : node;
        }
        function createAwaitExpression(expression) {
          const node = createBaseNode(
            223
            /* AwaitExpression */
          );
          node.expression = parenthesizerRules().parenthesizeOperandOfPrefixUnary(expression);
          node.transformFlags |= propagateChildFlags(node.expression) | 256 | 128 | 2097152;
          return node;
        }
        function updateAwaitExpression(node, expression) {
          return node.expression !== expression ? update(createAwaitExpression(expression), node) : node;
        }
        function createPrefixUnaryExpression(operator, operand) {
          const node = createBaseNode(
            224
            /* PrefixUnaryExpression */
          );
          node.operator = operator;
          node.operand = parenthesizerRules().parenthesizeOperandOfPrefixUnary(operand);
          node.transformFlags |= propagateChildFlags(node.operand);
          if ((operator === 46 || operator === 47) && isIdentifier(node.operand) && !isGeneratedIdentifier(node.operand) && !isLocalName(node.operand)) {
            node.transformFlags |= 268435456;
          }
          return node;
        }
        function updatePrefixUnaryExpression(node, operand) {
          return node.operand !== operand ? update(createPrefixUnaryExpression(node.operator, operand), node) : node;
        }
        function createPostfixUnaryExpression(operand, operator) {
          const node = createBaseNode(
            225
            /* PostfixUnaryExpression */
          );
          node.operator = operator;
          node.operand = parenthesizerRules().parenthesizeOperandOfPostfixUnary(operand);
          node.transformFlags |= propagateChildFlags(node.operand);
          if (isIdentifier(node.operand) && !isGeneratedIdentifier(node.operand) && !isLocalName(node.operand)) {
            node.transformFlags |= 268435456;
          }
          return node;
        }
        function updatePostfixUnaryExpression(node, operand) {
          return node.operand !== operand ? update(createPostfixUnaryExpression(operand, node.operator), node) : node;
        }
        function createBinaryExpression(left, operator, right) {
          const node = createBaseDeclaration(
            226
            /* BinaryExpression */
          );
          const operatorToken = asToken(operator);
          const operatorKind = operatorToken.kind;
          node.left = parenthesizerRules().parenthesizeLeftSideOfBinary(operatorKind, left);
          node.operatorToken = operatorToken;
          node.right = parenthesizerRules().parenthesizeRightSideOfBinary(operatorKind, node.left, right);
          node.transformFlags |= propagateChildFlags(node.left) | propagateChildFlags(node.operatorToken) | propagateChildFlags(node.right);
          if (operatorKind === 61) {
            node.transformFlags |= 32;
          } else if (operatorKind === 64) {
            if (isObjectLiteralExpression(node.left)) {
              node.transformFlags |= 1024 | 128 | 4096 | propagateAssignmentPatternFlags(node.left);
            } else if (isArrayLiteralExpression(node.left)) {
              node.transformFlags |= 1024 | 4096 | propagateAssignmentPatternFlags(node.left);
            }
          } else if (operatorKind === 43 || operatorKind === 68) {
            node.transformFlags |= 512;
          } else if (isLogicalOrCoalescingAssignmentOperator(operatorKind)) {
            node.transformFlags |= 16;
          }
          if (operatorKind === 103 && isPrivateIdentifier(node.left)) {
            node.transformFlags |= 536870912;
          }
          node.jsDoc = void 0;
          return node;
        }
        function propagateAssignmentPatternFlags(node) {
          return containsObjectRestOrSpread(node) ? 65536 : 0;
        }
        function updateBinaryExpression(node, left, operator, right) {
          return node.left !== left || node.operatorToken !== operator || node.right !== right ? update(createBinaryExpression(left, operator, right), node) : node;
        }
        function createConditionalExpression(condition, questionToken, whenTrue, colonToken, whenFalse) {
          const node = createBaseNode(
            227
            /* ConditionalExpression */
          );
          node.condition = parenthesizerRules().parenthesizeConditionOfConditionalExpression(condition);
          node.questionToken = questionToken ?? createToken(
            58
            /* QuestionToken */
          );
          node.whenTrue = parenthesizerRules().parenthesizeBranchOfConditionalExpression(whenTrue);
          node.colonToken = colonToken ?? createToken(
            59
            /* ColonToken */
          );
          node.whenFalse = parenthesizerRules().parenthesizeBranchOfConditionalExpression(whenFalse);
          node.transformFlags |= propagateChildFlags(node.condition) | propagateChildFlags(node.questionToken) | propagateChildFlags(node.whenTrue) | propagateChildFlags(node.colonToken) | propagateChildFlags(node.whenFalse);
          return node;
        }
        function updateConditionalExpression(node, condition, questionToken, whenTrue, colonToken, whenFalse) {
          return node.condition !== condition || node.questionToken !== questionToken || node.whenTrue !== whenTrue || node.colonToken !== colonToken || node.whenFalse !== whenFalse ? update(createConditionalExpression(condition, questionToken, whenTrue, colonToken, whenFalse), node) : node;
        }
        function createTemplateExpression(head, templateSpans) {
          const node = createBaseNode(
            228
            /* TemplateExpression */
          );
          node.head = head;
          node.templateSpans = createNodeArray(templateSpans);
          node.transformFlags |= propagateChildFlags(node.head) | propagateChildrenFlags(node.templateSpans) | 1024;
          return node;
        }
        function updateTemplateExpression(node, head, templateSpans) {
          return node.head !== head || node.templateSpans !== templateSpans ? update(createTemplateExpression(head, templateSpans), node) : node;
        }
        function checkTemplateLiteralLikeNode(kind, text, rawText, templateFlags = 0) {
          Debug.assert(!(templateFlags & ~7176), "Unsupported template flags.");
          let cooked = void 0;
          if (rawText !== void 0 && rawText !== text) {
            cooked = getCookedText(kind, rawText);
            if (typeof cooked === "object") {
              return Debug.fail("Invalid raw text");
            }
          }
          if (text === void 0) {
            if (cooked === void 0) {
              return Debug.fail("Arguments 'text' and 'rawText' may not both be undefined.");
            }
            text = cooked;
          } else if (cooked !== void 0) {
            Debug.assert(text === cooked, "Expected argument 'text' to be the normalized (i.e. 'cooked') version of argument 'rawText'.");
          }
          return text;
        }
        function getTransformFlagsOfTemplateLiteralLike(templateFlags) {
          let transformFlags = 1024;
          if (templateFlags) {
            transformFlags |= 128;
          }
          return transformFlags;
        }
        function createTemplateLiteralLikeToken(kind, text, rawText, templateFlags) {
          const node = createBaseToken(kind);
          node.text = text;
          node.rawText = rawText;
          node.templateFlags = templateFlags & 7176;
          node.transformFlags = getTransformFlagsOfTemplateLiteralLike(node.templateFlags);
          return node;
        }
        function createTemplateLiteralLikeDeclaration(kind, text, rawText, templateFlags) {
          const node = createBaseDeclaration(kind);
          node.text = text;
          node.rawText = rawText;
          node.templateFlags = templateFlags & 7176;
          node.transformFlags = getTransformFlagsOfTemplateLiteralLike(node.templateFlags);
          return node;
        }
        function createTemplateLiteralLikeNode(kind, text, rawText, templateFlags) {
          if (kind === 15) {
            return createTemplateLiteralLikeDeclaration(kind, text, rawText, templateFlags);
          }
          return createTemplateLiteralLikeToken(kind, text, rawText, templateFlags);
        }
        function createTemplateHead(text, rawText, templateFlags) {
          text = checkTemplateLiteralLikeNode(16, text, rawText, templateFlags);
          return createTemplateLiteralLikeNode(16, text, rawText, templateFlags);
        }
        function createTemplateMiddle(text, rawText, templateFlags) {
          text = checkTemplateLiteralLikeNode(16, text, rawText, templateFlags);
          return createTemplateLiteralLikeNode(17, text, rawText, templateFlags);
        }
        function createTemplateTail(text, rawText, templateFlags) {
          text = checkTemplateLiteralLikeNode(16, text, rawText, templateFlags);
          return createTemplateLiteralLikeNode(18, text, rawText, templateFlags);
        }
        function createNoSubstitutionTemplateLiteral(text, rawText, templateFlags) {
          text = checkTemplateLiteralLikeNode(16, text, rawText, templateFlags);
          return createTemplateLiteralLikeDeclaration(15, text, rawText, templateFlags);
        }
        function createYieldExpression(asteriskToken, expression) {
          Debug.assert(!asteriskToken || !!expression, "A `YieldExpression` with an asteriskToken must have an expression.");
          const node = createBaseNode(
            229
            /* YieldExpression */
          );
          node.expression = expression && parenthesizerRules().parenthesizeExpressionForDisallowedComma(expression);
          node.asteriskToken = asteriskToken;
          node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.asteriskToken) | 1024 | 128 | 1048576;
          return node;
        }
        function updateYieldExpression(node, asteriskToken, expression) {
          return node.expression !== expression || node.asteriskToken !== asteriskToken ? update(createYieldExpression(asteriskToken, expression), node) : node;
        }
        function createSpreadElement(expression) {
          const node = createBaseNode(
            230
            /* SpreadElement */
          );
          node.expression = parenthesizerRules().parenthesizeExpressionForDisallowedComma(expression);
          node.transformFlags |= propagateChildFlags(node.expression) | 1024 | 32768;
          return node;
        }
        function updateSpreadElement(node, expression) {
          return node.expression !== expression ? update(createSpreadElement(expression), node) : node;
        }
        function createClassExpression(modifiers, name, typeParameters, heritageClauses, members) {
          const node = createBaseDeclaration(
            231
            /* ClassExpression */
          );
          node.modifiers = asNodeArray(modifiers);
          node.name = asName(name);
          node.typeParameters = asNodeArray(typeParameters);
          node.heritageClauses = asNodeArray(heritageClauses);
          node.members = createNodeArray(members);
          node.transformFlags |= propagateChildrenFlags(node.modifiers) | propagateNameFlags(node.name) | propagateChildrenFlags(node.typeParameters) | propagateChildrenFlags(node.heritageClauses) | propagateChildrenFlags(node.members) | (node.typeParameters ? 1 : 0) | 1024;
          node.jsDoc = void 0;
          return node;
        }
        function updateClassExpression(node, modifiers, name, typeParameters, heritageClauses, members) {
          return node.modifiers !== modifiers || node.name !== name || node.typeParameters !== typeParameters || node.heritageClauses !== heritageClauses || node.members !== members ? update(createClassExpression(modifiers, name, typeParameters, heritageClauses, members), node) : node;
        }
        function createOmittedExpression() {
          return createBaseNode(
            232
            /* OmittedExpression */
          );
        }
        function createExpressionWithTypeArguments(expression, typeArguments) {
          const node = createBaseNode(
            233
            /* ExpressionWithTypeArguments */
          );
          node.expression = parenthesizerRules().parenthesizeLeftSideOfAccess(
            expression,
            /*optionalChain*/
            false
          );
          node.typeArguments = typeArguments && parenthesizerRules().parenthesizeTypeArguments(typeArguments);
          node.transformFlags |= propagateChildFlags(node.expression) | propagateChildrenFlags(node.typeArguments) | 1024;
          return node;
        }
        function updateExpressionWithTypeArguments(node, expression, typeArguments) {
          return node.expression !== expression || node.typeArguments !== typeArguments ? update(createExpressionWithTypeArguments(expression, typeArguments), node) : node;
        }
        function createAsExpression(expression, type) {
          const node = createBaseNode(
            234
            /* AsExpression */
          );
          node.expression = expression;
          node.type = type;
          node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.type) | 1;
          return node;
        }
        function updateAsExpression(node, expression, type) {
          return node.expression !== expression || node.type !== type ? update(createAsExpression(expression, type), node) : node;
        }
        function createNonNullExpression(expression) {
          const node = createBaseNode(
            235
            /* NonNullExpression */
          );
          node.expression = parenthesizerRules().parenthesizeLeftSideOfAccess(
            expression,
            /*optionalChain*/
            false
          );
          node.transformFlags |= propagateChildFlags(node.expression) | 1;
          return node;
        }
        function updateNonNullExpression(node, expression) {
          if (isNonNullChain(node)) {
            return updateNonNullChain(node, expression);
          }
          return node.expression !== expression ? update(createNonNullExpression(expression), node) : node;
        }
        function createSatisfiesExpression(expression, type) {
          const node = createBaseNode(
            238
            /* SatisfiesExpression */
          );
          node.expression = expression;
          node.type = type;
          node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.type) | 1;
          return node;
        }
        function updateSatisfiesExpression(node, expression, type) {
          return node.expression !== expression || node.type !== type ? update(createSatisfiesExpression(expression, type), node) : node;
        }
        function createNonNullChain(expression) {
          const node = createBaseNode(
            235
            /* NonNullExpression */
          );
          node.flags |= 64;
          node.expression = parenthesizerRules().parenthesizeLeftSideOfAccess(
            expression,
            /*optionalChain*/
            true
          );
          node.transformFlags |= propagateChildFlags(node.expression) | 1;
          return node;
        }
        function updateNonNullChain(node, expression) {
          Debug.assert(!!(node.flags & 64), "Cannot update a NonNullExpression using updateNonNullChain. Use updateNonNullExpression instead.");
          return node.expression !== expression ? update(createNonNullChain(expression), node) : node;
        }
        function createMetaProperty(keywordToken, name) {
          const node = createBaseNode(
            236
            /* MetaProperty */
          );
          node.keywordToken = keywordToken;
          node.name = name;
          node.transformFlags |= propagateChildFlags(node.name);
          switch (keywordToken) {
            case 105:
              node.transformFlags |= 1024;
              break;
            case 102:
              node.transformFlags |= 32;
              break;
            default:
              return Debug.assertNever(keywordToken);
          }
          node.flowNode = void 0;
          return node;
        }
        function updateMetaProperty(node, name) {
          return node.name !== name ? update(createMetaProperty(node.keywordToken, name), node) : node;
        }
        function createTemplateSpan(expression, literal) {
          const node = createBaseNode(
            239
            /* TemplateSpan */
          );
          node.expression = expression;
          node.literal = literal;
          node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.literal) | 1024;
          return node;
        }
        function updateTemplateSpan(node, expression, literal) {
          return node.expression !== expression || node.literal !== literal ? update(createTemplateSpan(expression, literal), node) : node;
        }
        function createSemicolonClassElement() {
          const node = createBaseNode(
            240
            /* SemicolonClassElement */
          );
          node.transformFlags |= 1024;
          return node;
        }
        function createBlock(statements, multiLine) {
          const node = createBaseNode(
            241
            /* Block */
          );
          node.statements = createNodeArray(statements);
          node.multiLine = multiLine;
          node.transformFlags |= propagateChildrenFlags(node.statements);
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          return node;
        }
        function updateBlock(node, statements) {
          return node.statements !== statements ? update(createBlock(statements, node.multiLine), node) : node;
        }
        function createVariableStatement(modifiers, declarationList) {
          const node = createBaseNode(
            243
            /* VariableStatement */
          );
          node.modifiers = asNodeArray(modifiers);
          node.declarationList = isArray3(declarationList) ? createVariableDeclarationList(declarationList) : declarationList;
          node.transformFlags |= propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.declarationList);
          if (modifiersToFlags(node.modifiers) & 128) {
            node.transformFlags = 1;
          }
          node.jsDoc = void 0;
          node.flowNode = void 0;
          return node;
        }
        function updateVariableStatement(node, modifiers, declarationList) {
          return node.modifiers !== modifiers || node.declarationList !== declarationList ? update(createVariableStatement(modifiers, declarationList), node) : node;
        }
        function createEmptyStatement() {
          const node = createBaseNode(
            242
            /* EmptyStatement */
          );
          node.jsDoc = void 0;
          return node;
        }
        function createExpressionStatement(expression) {
          const node = createBaseNode(
            244
            /* ExpressionStatement */
          );
          node.expression = parenthesizerRules().parenthesizeExpressionOfExpressionStatement(expression);
          node.transformFlags |= propagateChildFlags(node.expression);
          node.jsDoc = void 0;
          node.flowNode = void 0;
          return node;
        }
        function updateExpressionStatement(node, expression) {
          return node.expression !== expression ? update(createExpressionStatement(expression), node) : node;
        }
        function createIfStatement(expression, thenStatement, elseStatement) {
          const node = createBaseNode(
            245
            /* IfStatement */
          );
          node.expression = expression;
          node.thenStatement = asEmbeddedStatement(thenStatement);
          node.elseStatement = asEmbeddedStatement(elseStatement);
          node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.thenStatement) | propagateChildFlags(node.elseStatement);
          node.jsDoc = void 0;
          node.flowNode = void 0;
          return node;
        }
        function updateIfStatement(node, expression, thenStatement, elseStatement) {
          return node.expression !== expression || node.thenStatement !== thenStatement || node.elseStatement !== elseStatement ? update(createIfStatement(expression, thenStatement, elseStatement), node) : node;
        }
        function createDoStatement(statement, expression) {
          const node = createBaseNode(
            246
            /* DoStatement */
          );
          node.statement = asEmbeddedStatement(statement);
          node.expression = expression;
          node.transformFlags |= propagateChildFlags(node.statement) | propagateChildFlags(node.expression);
          node.jsDoc = void 0;
          node.flowNode = void 0;
          return node;
        }
        function updateDoStatement(node, statement, expression) {
          return node.statement !== statement || node.expression !== expression ? update(createDoStatement(statement, expression), node) : node;
        }
        function createWhileStatement(expression, statement) {
          const node = createBaseNode(
            247
            /* WhileStatement */
          );
          node.expression = expression;
          node.statement = asEmbeddedStatement(statement);
          node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.statement);
          node.jsDoc = void 0;
          node.flowNode = void 0;
          return node;
        }
        function updateWhileStatement(node, expression, statement) {
          return node.expression !== expression || node.statement !== statement ? update(createWhileStatement(expression, statement), node) : node;
        }
        function createForStatement(initializer, condition, incrementor, statement) {
          const node = createBaseNode(
            248
            /* ForStatement */
          );
          node.initializer = initializer;
          node.condition = condition;
          node.incrementor = incrementor;
          node.statement = asEmbeddedStatement(statement);
          node.transformFlags |= propagateChildFlags(node.initializer) | propagateChildFlags(node.condition) | propagateChildFlags(node.incrementor) | propagateChildFlags(node.statement);
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.flowNode = void 0;
          return node;
        }
        function updateForStatement(node, initializer, condition, incrementor, statement) {
          return node.initializer !== initializer || node.condition !== condition || node.incrementor !== incrementor || node.statement !== statement ? update(createForStatement(initializer, condition, incrementor, statement), node) : node;
        }
        function createForInStatement(initializer, expression, statement) {
          const node = createBaseNode(
            249
            /* ForInStatement */
          );
          node.initializer = initializer;
          node.expression = expression;
          node.statement = asEmbeddedStatement(statement);
          node.transformFlags |= propagateChildFlags(node.initializer) | propagateChildFlags(node.expression) | propagateChildFlags(node.statement);
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.flowNode = void 0;
          return node;
        }
        function updateForInStatement(node, initializer, expression, statement) {
          return node.initializer !== initializer || node.expression !== expression || node.statement !== statement ? update(createForInStatement(initializer, expression, statement), node) : node;
        }
        function createForOfStatement(awaitModifier, initializer, expression, statement) {
          const node = createBaseNode(
            250
            /* ForOfStatement */
          );
          node.awaitModifier = awaitModifier;
          node.initializer = initializer;
          node.expression = parenthesizerRules().parenthesizeExpressionForDisallowedComma(expression);
          node.statement = asEmbeddedStatement(statement);
          node.transformFlags |= propagateChildFlags(node.awaitModifier) | propagateChildFlags(node.initializer) | propagateChildFlags(node.expression) | propagateChildFlags(node.statement) | 1024;
          if (awaitModifier) node.transformFlags |= 128;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.flowNode = void 0;
          return node;
        }
        function updateForOfStatement(node, awaitModifier, initializer, expression, statement) {
          return node.awaitModifier !== awaitModifier || node.initializer !== initializer || node.expression !== expression || node.statement !== statement ? update(createForOfStatement(awaitModifier, initializer, expression, statement), node) : node;
        }
        function createContinueStatement(label) {
          const node = createBaseNode(
            251
            /* ContinueStatement */
          );
          node.label = asName(label);
          node.transformFlags |= propagateChildFlags(node.label) | 4194304;
          node.jsDoc = void 0;
          node.flowNode = void 0;
          return node;
        }
        function updateContinueStatement(node, label) {
          return node.label !== label ? update(createContinueStatement(label), node) : node;
        }
        function createBreakStatement(label) {
          const node = createBaseNode(
            252
            /* BreakStatement */
          );
          node.label = asName(label);
          node.transformFlags |= propagateChildFlags(node.label) | 4194304;
          node.jsDoc = void 0;
          node.flowNode = void 0;
          return node;
        }
        function updateBreakStatement(node, label) {
          return node.label !== label ? update(createBreakStatement(label), node) : node;
        }
        function createReturnStatement(expression) {
          const node = createBaseNode(
            253
            /* ReturnStatement */
          );
          node.expression = expression;
          node.transformFlags |= propagateChildFlags(node.expression) | 128 | 4194304;
          node.jsDoc = void 0;
          node.flowNode = void 0;
          return node;
        }
        function updateReturnStatement(node, expression) {
          return node.expression !== expression ? update(createReturnStatement(expression), node) : node;
        }
        function createWithStatement(expression, statement) {
          const node = createBaseNode(
            254
            /* WithStatement */
          );
          node.expression = expression;
          node.statement = asEmbeddedStatement(statement);
          node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.statement);
          node.jsDoc = void 0;
          node.flowNode = void 0;
          return node;
        }
        function updateWithStatement(node, expression, statement) {
          return node.expression !== expression || node.statement !== statement ? update(createWithStatement(expression, statement), node) : node;
        }
        function createSwitchStatement(expression, caseBlock) {
          const node = createBaseNode(
            255
            /* SwitchStatement */
          );
          node.expression = parenthesizerRules().parenthesizeExpressionForDisallowedComma(expression);
          node.caseBlock = caseBlock;
          node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.caseBlock);
          node.jsDoc = void 0;
          node.flowNode = void 0;
          node.possiblyExhaustive = false;
          return node;
        }
        function updateSwitchStatement(node, expression, caseBlock) {
          return node.expression !== expression || node.caseBlock !== caseBlock ? update(createSwitchStatement(expression, caseBlock), node) : node;
        }
        function createLabeledStatement(label, statement) {
          const node = createBaseNode(
            256
            /* LabeledStatement */
          );
          node.label = asName(label);
          node.statement = asEmbeddedStatement(statement);
          node.transformFlags |= propagateChildFlags(node.label) | propagateChildFlags(node.statement);
          node.jsDoc = void 0;
          node.flowNode = void 0;
          return node;
        }
        function updateLabeledStatement(node, label, statement) {
          return node.label !== label || node.statement !== statement ? update(createLabeledStatement(label, statement), node) : node;
        }
        function createThrowStatement(expression) {
          const node = createBaseNode(
            257
            /* ThrowStatement */
          );
          node.expression = expression;
          node.transformFlags |= propagateChildFlags(node.expression);
          node.jsDoc = void 0;
          node.flowNode = void 0;
          return node;
        }
        function updateThrowStatement(node, expression) {
          return node.expression !== expression ? update(createThrowStatement(expression), node) : node;
        }
        function createTryStatement(tryBlock, catchClause, finallyBlock) {
          const node = createBaseNode(
            258
            /* TryStatement */
          );
          node.tryBlock = tryBlock;
          node.catchClause = catchClause;
          node.finallyBlock = finallyBlock;
          node.transformFlags |= propagateChildFlags(node.tryBlock) | propagateChildFlags(node.catchClause) | propagateChildFlags(node.finallyBlock);
          node.jsDoc = void 0;
          node.flowNode = void 0;
          return node;
        }
        function updateTryStatement(node, tryBlock, catchClause, finallyBlock) {
          return node.tryBlock !== tryBlock || node.catchClause !== catchClause || node.finallyBlock !== finallyBlock ? update(createTryStatement(tryBlock, catchClause, finallyBlock), node) : node;
        }
        function createDebuggerStatement() {
          const node = createBaseNode(
            259
            /* DebuggerStatement */
          );
          node.jsDoc = void 0;
          node.flowNode = void 0;
          return node;
        }
        function createVariableDeclaration(name, exclamationToken, type, initializer) {
          const node = createBaseDeclaration(
            260
            /* VariableDeclaration */
          );
          node.name = asName(name);
          node.exclamationToken = exclamationToken;
          node.type = type;
          node.initializer = asInitializer(initializer);
          node.transformFlags |= propagateNameFlags(node.name) | propagateChildFlags(node.initializer) | (node.exclamationToken ?? node.type ? 1 : 0);
          node.jsDoc = void 0;
          return node;
        }
        function updateVariableDeclaration(node, name, exclamationToken, type, initializer) {
          return node.name !== name || node.type !== type || node.exclamationToken !== exclamationToken || node.initializer !== initializer ? update(createVariableDeclaration(name, exclamationToken, type, initializer), node) : node;
        }
        function createVariableDeclarationList(declarations, flags2 = 0) {
          const node = createBaseNode(
            261
            /* VariableDeclarationList */
          );
          node.flags |= flags2 & 7;
          node.declarations = createNodeArray(declarations);
          node.transformFlags |= propagateChildrenFlags(node.declarations) | 4194304;
          if (flags2 & 7) {
            node.transformFlags |= 1024 | 262144;
          }
          if (flags2 & 4) {
            node.transformFlags |= 4;
          }
          return node;
        }
        function updateVariableDeclarationList(node, declarations) {
          return node.declarations !== declarations ? update(createVariableDeclarationList(declarations, node.flags), node) : node;
        }
        function createFunctionDeclaration(modifiers, asteriskToken, name, typeParameters, parameters, type, body) {
          const node = createBaseDeclaration(
            262
            /* FunctionDeclaration */
          );
          node.modifiers = asNodeArray(modifiers);
          node.asteriskToken = asteriskToken;
          node.name = asName(name);
          node.typeParameters = asNodeArray(typeParameters);
          node.parameters = createNodeArray(parameters);
          node.type = type;
          node.body = body;
          if (!node.body || modifiersToFlags(node.modifiers) & 128) {
            node.transformFlags = 1;
          } else {
            const isAsync2 = modifiersToFlags(node.modifiers) & 1024;
            const isGenerator = !!node.asteriskToken;
            const isAsyncGenerator = isAsync2 && isGenerator;
            node.transformFlags = propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.asteriskToken) | propagateNameFlags(node.name) | propagateChildrenFlags(node.typeParameters) | propagateChildrenFlags(node.parameters) | propagateChildFlags(node.type) | propagateChildFlags(node.body) & ~67108864 | (isAsyncGenerator ? 128 : isAsync2 ? 256 : isGenerator ? 2048 : 0) | (node.typeParameters || node.type ? 1 : 0) | 4194304;
          }
          node.typeArguments = void 0;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.endFlowNode = void 0;
          node.returnFlowNode = void 0;
          return node;
        }
        function updateFunctionDeclaration(node, modifiers, asteriskToken, name, typeParameters, parameters, type, body) {
          return node.modifiers !== modifiers || node.asteriskToken !== asteriskToken || node.name !== name || node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type || node.body !== body ? finishUpdateFunctionDeclaration(createFunctionDeclaration(modifiers, asteriskToken, name, typeParameters, parameters, type, body), node) : node;
        }
        function finishUpdateFunctionDeclaration(updated, original) {
          if (updated !== original) {
            if (updated.modifiers === original.modifiers) {
              updated.modifiers = original.modifiers;
            }
          }
          return finishUpdateBaseSignatureDeclaration(updated, original);
        }
        function createClassDeclaration(modifiers, name, typeParameters, heritageClauses, members) {
          const node = createBaseDeclaration(
            263
            /* ClassDeclaration */
          );
          node.modifiers = asNodeArray(modifiers);
          node.name = asName(name);
          node.typeParameters = asNodeArray(typeParameters);
          node.heritageClauses = asNodeArray(heritageClauses);
          node.members = createNodeArray(members);
          if (modifiersToFlags(node.modifiers) & 128) {
            node.transformFlags = 1;
          } else {
            node.transformFlags |= propagateChildrenFlags(node.modifiers) | propagateNameFlags(node.name) | propagateChildrenFlags(node.typeParameters) | propagateChildrenFlags(node.heritageClauses) | propagateChildrenFlags(node.members) | (node.typeParameters ? 1 : 0) | 1024;
            if (node.transformFlags & 8192) {
              node.transformFlags |= 1;
            }
          }
          node.jsDoc = void 0;
          return node;
        }
        function updateClassDeclaration(node, modifiers, name, typeParameters, heritageClauses, members) {
          return node.modifiers !== modifiers || node.name !== name || node.typeParameters !== typeParameters || node.heritageClauses !== heritageClauses || node.members !== members ? update(createClassDeclaration(modifiers, name, typeParameters, heritageClauses, members), node) : node;
        }
        function createInterfaceDeclaration(modifiers, name, typeParameters, heritageClauses, members) {
          const node = createBaseDeclaration(
            264
            /* InterfaceDeclaration */
          );
          node.modifiers = asNodeArray(modifiers);
          node.name = asName(name);
          node.typeParameters = asNodeArray(typeParameters);
          node.heritageClauses = asNodeArray(heritageClauses);
          node.members = createNodeArray(members);
          node.transformFlags = 1;
          node.jsDoc = void 0;
          return node;
        }
        function updateInterfaceDeclaration(node, modifiers, name, typeParameters, heritageClauses, members) {
          return node.modifiers !== modifiers || node.name !== name || node.typeParameters !== typeParameters || node.heritageClauses !== heritageClauses || node.members !== members ? update(createInterfaceDeclaration(modifiers, name, typeParameters, heritageClauses, members), node) : node;
        }
        function createTypeAliasDeclaration(modifiers, name, typeParameters, type) {
          const node = createBaseDeclaration(
            265
            /* TypeAliasDeclaration */
          );
          node.modifiers = asNodeArray(modifiers);
          node.name = asName(name);
          node.typeParameters = asNodeArray(typeParameters);
          node.type = type;
          node.transformFlags = 1;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          return node;
        }
        function updateTypeAliasDeclaration(node, modifiers, name, typeParameters, type) {
          return node.modifiers !== modifiers || node.name !== name || node.typeParameters !== typeParameters || node.type !== type ? update(createTypeAliasDeclaration(modifiers, name, typeParameters, type), node) : node;
        }
        function createEnumDeclaration(modifiers, name, members) {
          const node = createBaseDeclaration(
            266
            /* EnumDeclaration */
          );
          node.modifiers = asNodeArray(modifiers);
          node.name = asName(name);
          node.members = createNodeArray(members);
          node.transformFlags |= propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.name) | propagateChildrenFlags(node.members) | 1;
          node.transformFlags &= ~67108864;
          node.jsDoc = void 0;
          return node;
        }
        function updateEnumDeclaration(node, modifiers, name, members) {
          return node.modifiers !== modifiers || node.name !== name || node.members !== members ? update(createEnumDeclaration(modifiers, name, members), node) : node;
        }
        function createModuleDeclaration(modifiers, name, body, flags2 = 0) {
          const node = createBaseDeclaration(
            267
            /* ModuleDeclaration */
          );
          node.modifiers = asNodeArray(modifiers);
          node.flags |= flags2 & (32 | 8 | 2048);
          node.name = name;
          node.body = body;
          if (modifiersToFlags(node.modifiers) & 128) {
            node.transformFlags = 1;
          } else {
            node.transformFlags |= propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.name) | propagateChildFlags(node.body) | 1;
          }
          node.transformFlags &= ~67108864;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          return node;
        }
        function updateModuleDeclaration(node, modifiers, name, body) {
          return node.modifiers !== modifiers || node.name !== name || node.body !== body ? update(createModuleDeclaration(modifiers, name, body, node.flags), node) : node;
        }
        function createModuleBlock(statements) {
          const node = createBaseNode(
            268
            /* ModuleBlock */
          );
          node.statements = createNodeArray(statements);
          node.transformFlags |= propagateChildrenFlags(node.statements);
          node.jsDoc = void 0;
          return node;
        }
        function updateModuleBlock(node, statements) {
          return node.statements !== statements ? update(createModuleBlock(statements), node) : node;
        }
        function createCaseBlock(clauses) {
          const node = createBaseNode(
            269
            /* CaseBlock */
          );
          node.clauses = createNodeArray(clauses);
          node.transformFlags |= propagateChildrenFlags(node.clauses);
          node.locals = void 0;
          node.nextContainer = void 0;
          return node;
        }
        function updateCaseBlock(node, clauses) {
          return node.clauses !== clauses ? update(createCaseBlock(clauses), node) : node;
        }
        function createNamespaceExportDeclaration(name) {
          const node = createBaseDeclaration(
            270
            /* NamespaceExportDeclaration */
          );
          node.name = asName(name);
          node.transformFlags |= propagateIdentifierNameFlags(node.name) | 1;
          node.modifiers = void 0;
          node.jsDoc = void 0;
          return node;
        }
        function updateNamespaceExportDeclaration(node, name) {
          return node.name !== name ? finishUpdateNamespaceExportDeclaration(createNamespaceExportDeclaration(name), node) : node;
        }
        function finishUpdateNamespaceExportDeclaration(updated, original) {
          if (updated !== original) {
            updated.modifiers = original.modifiers;
          }
          return update(updated, original);
        }
        function createImportEqualsDeclaration(modifiers, isTypeOnly, name, moduleReference) {
          const node = createBaseDeclaration(
            271
            /* ImportEqualsDeclaration */
          );
          node.modifiers = asNodeArray(modifiers);
          node.name = asName(name);
          node.isTypeOnly = isTypeOnly;
          node.moduleReference = moduleReference;
          node.transformFlags |= propagateChildrenFlags(node.modifiers) | propagateIdentifierNameFlags(node.name) | propagateChildFlags(node.moduleReference);
          if (!isExternalModuleReference(node.moduleReference)) {
            node.transformFlags |= 1;
          }
          node.transformFlags &= ~67108864;
          node.jsDoc = void 0;
          return node;
        }
        function updateImportEqualsDeclaration(node, modifiers, isTypeOnly, name, moduleReference) {
          return node.modifiers !== modifiers || node.isTypeOnly !== isTypeOnly || node.name !== name || node.moduleReference !== moduleReference ? update(createImportEqualsDeclaration(modifiers, isTypeOnly, name, moduleReference), node) : node;
        }
        function createImportDeclaration(modifiers, importClause, moduleSpecifier, attributes) {
          const node = createBaseNode(
            272
            /* ImportDeclaration */
          );
          node.modifiers = asNodeArray(modifiers);
          node.importClause = importClause;
          node.moduleSpecifier = moduleSpecifier;
          node.attributes = node.assertClause = attributes;
          node.transformFlags |= propagateChildFlags(node.importClause) | propagateChildFlags(node.moduleSpecifier);
          node.transformFlags &= ~67108864;
          node.jsDoc = void 0;
          return node;
        }
        function updateImportDeclaration(node, modifiers, importClause, moduleSpecifier, attributes) {
          return node.modifiers !== modifiers || node.importClause !== importClause || node.moduleSpecifier !== moduleSpecifier || node.attributes !== attributes ? update(createImportDeclaration(modifiers, importClause, moduleSpecifier, attributes), node) : node;
        }
        function createImportClause2(isTypeOnly, name, namedBindings) {
          const node = createBaseDeclaration(
            273
            /* ImportClause */
          );
          node.isTypeOnly = isTypeOnly;
          node.name = name;
          node.namedBindings = namedBindings;
          node.transformFlags |= propagateChildFlags(node.name) | propagateChildFlags(node.namedBindings);
          if (isTypeOnly) {
            node.transformFlags |= 1;
          }
          node.transformFlags &= ~67108864;
          return node;
        }
        function updateImportClause(node, isTypeOnly, name, namedBindings) {
          return node.isTypeOnly !== isTypeOnly || node.name !== name || node.namedBindings !== namedBindings ? update(createImportClause2(isTypeOnly, name, namedBindings), node) : node;
        }
        function createAssertClause(elements, multiLine) {
          const node = createBaseNode(
            300
            /* AssertClause */
          );
          node.elements = createNodeArray(elements);
          node.multiLine = multiLine;
          node.token = 132;
          node.transformFlags |= 4;
          return node;
        }
        function updateAssertClause(node, elements, multiLine) {
          return node.elements !== elements || node.multiLine !== multiLine ? update(createAssertClause(elements, multiLine), node) : node;
        }
        function createAssertEntry(name, value) {
          const node = createBaseNode(
            301
            /* AssertEntry */
          );
          node.name = name;
          node.value = value;
          node.transformFlags |= 4;
          return node;
        }
        function updateAssertEntry(node, name, value) {
          return node.name !== name || node.value !== value ? update(createAssertEntry(name, value), node) : node;
        }
        function createImportTypeAssertionContainer(clause, multiLine) {
          const node = createBaseNode(
            302
            /* ImportTypeAssertionContainer */
          );
          node.assertClause = clause;
          node.multiLine = multiLine;
          return node;
        }
        function updateImportTypeAssertionContainer(node, clause, multiLine) {
          return node.assertClause !== clause || node.multiLine !== multiLine ? update(createImportTypeAssertionContainer(clause, multiLine), node) : node;
        }
        function createImportAttributes(elements, multiLine, token) {
          const node = createBaseNode(
            300
            /* ImportAttributes */
          );
          node.token = token ?? 118;
          node.elements = createNodeArray(elements);
          node.multiLine = multiLine;
          node.transformFlags |= 4;
          return node;
        }
        function updateImportAttributes(node, elements, multiLine) {
          return node.elements !== elements || node.multiLine !== multiLine ? update(createImportAttributes(elements, multiLine, node.token), node) : node;
        }
        function createImportAttribute(name, value) {
          const node = createBaseNode(
            301
            /* ImportAttribute */
          );
          node.name = name;
          node.value = value;
          node.transformFlags |= 4;
          return node;
        }
        function updateImportAttribute(node, name, value) {
          return node.name !== name || node.value !== value ? update(createImportAttribute(name, value), node) : node;
        }
        function createNamespaceImport(name) {
          const node = createBaseDeclaration(
            274
            /* NamespaceImport */
          );
          node.name = name;
          node.transformFlags |= propagateChildFlags(node.name);
          node.transformFlags &= ~67108864;
          return node;
        }
        function updateNamespaceImport(node, name) {
          return node.name !== name ? update(createNamespaceImport(name), node) : node;
        }
        function createNamespaceExport(name) {
          const node = createBaseDeclaration(
            280
            /* NamespaceExport */
          );
          node.name = name;
          node.transformFlags |= propagateChildFlags(node.name) | 32;
          node.transformFlags &= ~67108864;
          return node;
        }
        function updateNamespaceExport(node, name) {
          return node.name !== name ? update(createNamespaceExport(name), node) : node;
        }
        function createNamedImports(elements) {
          const node = createBaseNode(
            275
            /* NamedImports */
          );
          node.elements = createNodeArray(elements);
          node.transformFlags |= propagateChildrenFlags(node.elements);
          node.transformFlags &= ~67108864;
          return node;
        }
        function updateNamedImports(node, elements) {
          return node.elements !== elements ? update(createNamedImports(elements), node) : node;
        }
        function createImportSpecifier(isTypeOnly, propertyName, name) {
          const node = createBaseDeclaration(
            276
            /* ImportSpecifier */
          );
          node.isTypeOnly = isTypeOnly;
          node.propertyName = propertyName;
          node.name = name;
          node.transformFlags |= propagateChildFlags(node.propertyName) | propagateChildFlags(node.name);
          node.transformFlags &= ~67108864;
          return node;
        }
        function updateImportSpecifier(node, isTypeOnly, propertyName, name) {
          return node.isTypeOnly !== isTypeOnly || node.propertyName !== propertyName || node.name !== name ? update(createImportSpecifier(isTypeOnly, propertyName, name), node) : node;
        }
        function createExportAssignment2(modifiers, isExportEquals, expression) {
          const node = createBaseDeclaration(
            277
            /* ExportAssignment */
          );
          node.modifiers = asNodeArray(modifiers);
          node.isExportEquals = isExportEquals;
          node.expression = isExportEquals ? parenthesizerRules().parenthesizeRightSideOfBinary(
            64,
            /*leftSide*/
            void 0,
            expression
          ) : parenthesizerRules().parenthesizeExpressionOfExportDefault(expression);
          node.transformFlags |= propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.expression);
          node.transformFlags &= ~67108864;
          node.jsDoc = void 0;
          return node;
        }
        function updateExportAssignment(node, modifiers, expression) {
          return node.modifiers !== modifiers || node.expression !== expression ? update(createExportAssignment2(modifiers, node.isExportEquals, expression), node) : node;
        }
        function createExportDeclaration(modifiers, isTypeOnly, exportClause, moduleSpecifier, attributes) {
          const node = createBaseDeclaration(
            278
            /* ExportDeclaration */
          );
          node.modifiers = asNodeArray(modifiers);
          node.isTypeOnly = isTypeOnly;
          node.exportClause = exportClause;
          node.moduleSpecifier = moduleSpecifier;
          node.attributes = node.assertClause = attributes;
          node.transformFlags |= propagateChildrenFlags(node.modifiers) | propagateChildFlags(node.exportClause) | propagateChildFlags(node.moduleSpecifier);
          node.transformFlags &= ~67108864;
          node.jsDoc = void 0;
          return node;
        }
        function updateExportDeclaration(node, modifiers, isTypeOnly, exportClause, moduleSpecifier, attributes) {
          return node.modifiers !== modifiers || node.isTypeOnly !== isTypeOnly || node.exportClause !== exportClause || node.moduleSpecifier !== moduleSpecifier || node.attributes !== attributes ? finishUpdateExportDeclaration(createExportDeclaration(modifiers, isTypeOnly, exportClause, moduleSpecifier, attributes), node) : node;
        }
        function finishUpdateExportDeclaration(updated, original) {
          if (updated !== original) {
            if (updated.modifiers === original.modifiers) {
              updated.modifiers = original.modifiers;
            }
          }
          return update(updated, original);
        }
        function createNamedExports(elements) {
          const node = createBaseNode(
            279
            /* NamedExports */
          );
          node.elements = createNodeArray(elements);
          node.transformFlags |= propagateChildrenFlags(node.elements);
          node.transformFlags &= ~67108864;
          return node;
        }
        function updateNamedExports(node, elements) {
          return node.elements !== elements ? update(createNamedExports(elements), node) : node;
        }
        function createExportSpecifier(isTypeOnly, propertyName, name) {
          const node = createBaseNode(
            281
            /* ExportSpecifier */
          );
          node.isTypeOnly = isTypeOnly;
          node.propertyName = asName(propertyName);
          node.name = asName(name);
          node.transformFlags |= propagateChildFlags(node.propertyName) | propagateChildFlags(node.name);
          node.transformFlags &= ~67108864;
          node.jsDoc = void 0;
          return node;
        }
        function updateExportSpecifier(node, isTypeOnly, propertyName, name) {
          return node.isTypeOnly !== isTypeOnly || node.propertyName !== propertyName || node.name !== name ? update(createExportSpecifier(isTypeOnly, propertyName, name), node) : node;
        }
        function createMissingDeclaration() {
          const node = createBaseDeclaration(
            282
            /* MissingDeclaration */
          );
          node.jsDoc = void 0;
          return node;
        }
        function createExternalModuleReference(expression) {
          const node = createBaseNode(
            283
            /* ExternalModuleReference */
          );
          node.expression = expression;
          node.transformFlags |= propagateChildFlags(node.expression);
          node.transformFlags &= ~67108864;
          return node;
        }
        function updateExternalModuleReference(node, expression) {
          return node.expression !== expression ? update(createExternalModuleReference(expression), node) : node;
        }
        function createJSDocPrimaryTypeWorker(kind) {
          return createBaseNode(kind);
        }
        function createJSDocPrePostfixUnaryTypeWorker(kind, type, postfix = false) {
          const node = createJSDocUnaryTypeWorker(
            kind,
            postfix ? type && parenthesizerRules().parenthesizeNonArrayTypeOfPostfixType(type) : type
          );
          node.postfix = postfix;
          return node;
        }
        function createJSDocUnaryTypeWorker(kind, type) {
          const node = createBaseNode(kind);
          node.type = type;
          return node;
        }
        function updateJSDocPrePostfixUnaryTypeWorker(kind, node, type) {
          return node.type !== type ? update(createJSDocPrePostfixUnaryTypeWorker(kind, type, node.postfix), node) : node;
        }
        function updateJSDocUnaryTypeWorker(kind, node, type) {
          return node.type !== type ? update(createJSDocUnaryTypeWorker(kind, type), node) : node;
        }
        function createJSDocFunctionType(parameters, type) {
          const node = createBaseDeclaration(
            317
            /* JSDocFunctionType */
          );
          node.parameters = asNodeArray(parameters);
          node.type = type;
          node.transformFlags = propagateChildrenFlags(node.parameters) | (node.type ? 1 : 0);
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          node.typeArguments = void 0;
          return node;
        }
        function updateJSDocFunctionType(node, parameters, type) {
          return node.parameters !== parameters || node.type !== type ? update(createJSDocFunctionType(parameters, type), node) : node;
        }
        function createJSDocTypeLiteral(propertyTags, isArrayType = false) {
          const node = createBaseDeclaration(
            322
            /* JSDocTypeLiteral */
          );
          node.jsDocPropertyTags = asNodeArray(propertyTags);
          node.isArrayType = isArrayType;
          return node;
        }
        function updateJSDocTypeLiteral(node, propertyTags, isArrayType) {
          return node.jsDocPropertyTags !== propertyTags || node.isArrayType !== isArrayType ? update(createJSDocTypeLiteral(propertyTags, isArrayType), node) : node;
        }
        function createJSDocTypeExpression(type) {
          const node = createBaseNode(
            309
            /* JSDocTypeExpression */
          );
          node.type = type;
          return node;
        }
        function updateJSDocTypeExpression(node, type) {
          return node.type !== type ? update(createJSDocTypeExpression(type), node) : node;
        }
        function createJSDocSignature(typeParameters, parameters, type) {
          const node = createBaseDeclaration(
            323
            /* JSDocSignature */
          );
          node.typeParameters = asNodeArray(typeParameters);
          node.parameters = createNodeArray(parameters);
          node.type = type;
          node.jsDoc = void 0;
          node.locals = void 0;
          node.nextContainer = void 0;
          return node;
        }
        function updateJSDocSignature(node, typeParameters, parameters, type) {
          return node.typeParameters !== typeParameters || node.parameters !== parameters || node.type !== type ? update(createJSDocSignature(typeParameters, parameters, type), node) : node;
        }
        function getDefaultTagName(node) {
          const defaultTagName = getDefaultTagNameForKind(node.kind);
          return node.tagName.escapedText === escapeLeadingUnderscores(defaultTagName) ? node.tagName : createIdentifier(defaultTagName);
        }
        function createBaseJSDocTag(kind, tagName, comment) {
          const node = createBaseNode(kind);
          node.tagName = tagName;
          node.comment = comment;
          return node;
        }
        function createBaseJSDocTagDeclaration(kind, tagName, comment) {
          const node = createBaseDeclaration(kind);
          node.tagName = tagName;
          node.comment = comment;
          return node;
        }
        function createJSDocTemplateTag(tagName, constraint, typeParameters, comment) {
          const node = createBaseJSDocTag(345, tagName ?? createIdentifier("template"), comment);
          node.constraint = constraint;
          node.typeParameters = createNodeArray(typeParameters);
          return node;
        }
        function updateJSDocTemplateTag(node, tagName = getDefaultTagName(node), constraint, typeParameters, comment) {
          return node.tagName !== tagName || node.constraint !== constraint || node.typeParameters !== typeParameters || node.comment !== comment ? update(createJSDocTemplateTag(tagName, constraint, typeParameters, comment), node) : node;
        }
        function createJSDocTypedefTag(tagName, typeExpression, fullName, comment) {
          const node = createBaseJSDocTagDeclaration(346, tagName ?? createIdentifier("typedef"), comment);
          node.typeExpression = typeExpression;
          node.fullName = fullName;
          node.name = getJSDocTypeAliasName(fullName);
          node.locals = void 0;
          node.nextContainer = void 0;
          return node;
        }
        function updateJSDocTypedefTag(node, tagName = getDefaultTagName(node), typeExpression, fullName, comment) {
          return node.tagName !== tagName || node.typeExpression !== typeExpression || node.fullName !== fullName || node.comment !== comment ? update(createJSDocTypedefTag(tagName, typeExpression, fullName, comment), node) : node;
        }
        function createJSDocParameterTag(tagName, name, isBracketed, typeExpression, isNameFirst, comment) {
          const node = createBaseJSDocTagDeclaration(341, tagName ?? createIdentifier("param"), comment);
          node.typeExpression = typeExpression;
          node.name = name;
          node.isNameFirst = !!isNameFirst;
          node.isBracketed = isBracketed;
          return node;
        }
        function updateJSDocParameterTag(node, tagName = getDefaultTagName(node), name, isBracketed, typeExpression, isNameFirst, comment) {
          return node.tagName !== tagName || node.name !== name || node.isBracketed !== isBracketed || node.typeExpression !== typeExpression || node.isNameFirst !== isNameFirst || node.comment !== comment ? update(createJSDocParameterTag(tagName, name, isBracketed, typeExpression, isNameFirst, comment), node) : node;
        }
        function createJSDocPropertyTag(tagName, name, isBracketed, typeExpression, isNameFirst, comment) {
          const node = createBaseJSDocTagDeclaration(348, tagName ?? createIdentifier("prop"), comment);
          node.typeExpression = typeExpression;
          node.name = name;
          node.isNameFirst = !!isNameFirst;
          node.isBracketed = isBracketed;
          return node;
        }
        function updateJSDocPropertyTag(node, tagName = getDefaultTagName(node), name, isBracketed, typeExpression, isNameFirst, comment) {
          return node.tagName !== tagName || node.name !== name || node.isBracketed !== isBracketed || node.typeExpression !== typeExpression || node.isNameFirst !== isNameFirst || node.comment !== comment ? update(createJSDocPropertyTag(tagName, name, isBracketed, typeExpression, isNameFirst, comment), node) : node;
        }
        function createJSDocCallbackTag(tagName, typeExpression, fullName, comment) {
          const node = createBaseJSDocTagDeclaration(338, tagName ?? createIdentifier("callback"), comment);
          node.typeExpression = typeExpression;
          node.fullName = fullName;
          node.name = getJSDocTypeAliasName(fullName);
          node.locals = void 0;
          node.nextContainer = void 0;
          return node;
        }
        function updateJSDocCallbackTag(node, tagName = getDefaultTagName(node), typeExpression, fullName, comment) {
          return node.tagName !== tagName || node.typeExpression !== typeExpression || node.fullName !== fullName || node.comment !== comment ? update(createJSDocCallbackTag(tagName, typeExpression, fullName, comment), node) : node;
        }
        function createJSDocOverloadTag(tagName, typeExpression, comment) {
          const node = createBaseJSDocTag(339, tagName ?? createIdentifier("overload"), comment);
          node.typeExpression = typeExpression;
          return node;
        }
        function updateJSDocOverloadTag(node, tagName = getDefaultTagName(node), typeExpression, comment) {
          return node.tagName !== tagName || node.typeExpression !== typeExpression || node.comment !== comment ? update(createJSDocOverloadTag(tagName, typeExpression, comment), node) : node;
        }
        function createJSDocAugmentsTag(tagName, className, comment) {
          const node = createBaseJSDocTag(328, tagName ?? createIdentifier("augments"), comment);
          node.class = className;
          return node;
        }
        function updateJSDocAugmentsTag(node, tagName = getDefaultTagName(node), className, comment) {
          return node.tagName !== tagName || node.class !== className || node.comment !== comment ? update(createJSDocAugmentsTag(tagName, className, comment), node) : node;
        }
        function createJSDocImplementsTag(tagName, className, comment) {
          const node = createBaseJSDocTag(329, tagName ?? createIdentifier("implements"), comment);
          node.class = className;
          return node;
        }
        function createJSDocSeeTag(tagName, name, comment) {
          const node = createBaseJSDocTag(347, tagName ?? createIdentifier("see"), comment);
          node.name = name;
          return node;
        }
        function updateJSDocSeeTag(node, tagName, name, comment) {
          return node.tagName !== tagName || node.name !== name || node.comment !== comment ? update(createJSDocSeeTag(tagName, name, comment), node) : node;
        }
        function createJSDocNameReference(name) {
          const node = createBaseNode(
            310
            /* JSDocNameReference */
          );
          node.name = name;
          return node;
        }
        function updateJSDocNameReference(node, name) {
          return node.name !== name ? update(createJSDocNameReference(name), node) : node;
        }
        function createJSDocMemberName(left, right) {
          const node = createBaseNode(
            311
            /* JSDocMemberName */
          );
          node.left = left;
          node.right = right;
          node.transformFlags |= propagateChildFlags(node.left) | propagateChildFlags(node.right);
          return node;
        }
        function updateJSDocMemberName(node, left, right) {
          return node.left !== left || node.right !== right ? update(createJSDocMemberName(left, right), node) : node;
        }
        function createJSDocLink(name, text) {
          const node = createBaseNode(
            324
            /* JSDocLink */
          );
          node.name = name;
          node.text = text;
          return node;
        }
        function updateJSDocLink(node, name, text) {
          return node.name !== name ? update(createJSDocLink(name, text), node) : node;
        }
        function createJSDocLinkCode(name, text) {
          const node = createBaseNode(
            325
            /* JSDocLinkCode */
          );
          node.name = name;
          node.text = text;
          return node;
        }
        function updateJSDocLinkCode(node, name, text) {
          return node.name !== name ? update(createJSDocLinkCode(name, text), node) : node;
        }
        function createJSDocLinkPlain(name, text) {
          const node = createBaseNode(
            326
            /* JSDocLinkPlain */
          );
          node.name = name;
          node.text = text;
          return node;
        }
        function updateJSDocLinkPlain(node, name, text) {
          return node.name !== name ? update(createJSDocLinkPlain(name, text), node) : node;
        }
        function updateJSDocImplementsTag(node, tagName = getDefaultTagName(node), className, comment) {
          return node.tagName !== tagName || node.class !== className || node.comment !== comment ? update(createJSDocImplementsTag(tagName, className, comment), node) : node;
        }
        function createJSDocSimpleTagWorker(kind, tagName, comment) {
          const node = createBaseJSDocTag(kind, tagName ?? createIdentifier(getDefaultTagNameForKind(kind)), comment);
          return node;
        }
        function updateJSDocSimpleTagWorker(kind, node, tagName = getDefaultTagName(node), comment) {
          return node.tagName !== tagName || node.comment !== comment ? update(createJSDocSimpleTagWorker(kind, tagName, comment), node) : node;
        }
        function createJSDocTypeLikeTagWorker(kind, tagName, typeExpression, comment) {
          const node = createBaseJSDocTag(kind, tagName ?? createIdentifier(getDefaultTagNameForKind(kind)), comment);
          node.typeExpression = typeExpression;
          return node;
        }
        function updateJSDocTypeLikeTagWorker(kind, node, tagName = getDefaultTagName(node), typeExpression, comment) {
          return node.tagName !== tagName || node.typeExpression !== typeExpression || node.comment !== comment ? update(createJSDocTypeLikeTagWorker(kind, tagName, typeExpression, comment), node) : node;
        }
        function createJSDocUnknownTag(tagName, comment) {
          const node = createBaseJSDocTag(327, tagName, comment);
          return node;
        }
        function updateJSDocUnknownTag(node, tagName, comment) {
          return node.tagName !== tagName || node.comment !== comment ? update(createJSDocUnknownTag(tagName, comment), node) : node;
        }
        function createJSDocEnumTag(tagName, typeExpression, comment) {
          const node = createBaseJSDocTagDeclaration(340, tagName ?? createIdentifier(getDefaultTagNameForKind(
            340
            /* JSDocEnumTag */
          )), comment);
          node.typeExpression = typeExpression;
          node.locals = void 0;
          node.nextContainer = void 0;
          return node;
        }
        function updateJSDocEnumTag(node, tagName = getDefaultTagName(node), typeExpression, comment) {
          return node.tagName !== tagName || node.typeExpression !== typeExpression || node.comment !== comment ? update(createJSDocEnumTag(tagName, typeExpression, comment), node) : node;
        }
        function createJSDocImportTag(tagName, importClause, moduleSpecifier, attributes, comment) {
          const node = createBaseJSDocTag(351, tagName ?? createIdentifier("import"), comment);
          node.importClause = importClause;
          node.moduleSpecifier = moduleSpecifier;
          node.attributes = attributes;
          node.comment = comment;
          return node;
        }
        function updateJSDocImportTag(node, tagName, importClause, moduleSpecifier, attributes, comment) {
          return node.tagName !== tagName || node.comment !== comment || node.importClause !== importClause || node.moduleSpecifier !== moduleSpecifier || node.attributes !== attributes ? update(createJSDocImportTag(tagName, importClause, moduleSpecifier, attributes, comment), node) : node;
        }
        function createJSDocText(text) {
          const node = createBaseNode(
            321
            /* JSDocText */
          );
          node.text = text;
          return node;
        }
        function updateJSDocText(node, text) {
          return node.text !== text ? update(createJSDocText(text), node) : node;
        }
        function createJSDocComment(comment, tags) {
          const node = createBaseNode(
            320
            /* JSDoc */
          );
          node.comment = comment;
          node.tags = asNodeArray(tags);
          return node;
        }
        function updateJSDocComment(node, comment, tags) {
          return node.comment !== comment || node.tags !== tags ? update(createJSDocComment(comment, tags), node) : node;
        }
        function createJsxElement(openingElement, children, closingElement) {
          const node = createBaseNode(
            284
            /* JsxElement */
          );
          node.openingElement = openingElement;
          node.children = createNodeArray(children);
          node.closingElement = closingElement;
          node.transformFlags |= propagateChildFlags(node.openingElement) | propagateChildrenFlags(node.children) | propagateChildFlags(node.closingElement) | 2;
          return node;
        }
        function updateJsxElement(node, openingElement, children, closingElement) {
          return node.openingElement !== openingElement || node.children !== children || node.closingElement !== closingElement ? update(createJsxElement(openingElement, children, closingElement), node) : node;
        }
        function createJsxSelfClosingElement(tagName, typeArguments, attributes) {
          const node = createBaseNode(
            285
            /* JsxSelfClosingElement */
          );
          node.tagName = tagName;
          node.typeArguments = asNodeArray(typeArguments);
          node.attributes = attributes;
          node.transformFlags |= propagateChildFlags(node.tagName) | propagateChildrenFlags(node.typeArguments) | propagateChildFlags(node.attributes) | 2;
          if (node.typeArguments) {
            node.transformFlags |= 1;
          }
          return node;
        }
        function updateJsxSelfClosingElement(node, tagName, typeArguments, attributes) {
          return node.tagName !== tagName || node.typeArguments !== typeArguments || node.attributes !== attributes ? update(createJsxSelfClosingElement(tagName, typeArguments, attributes), node) : node;
        }
        function createJsxOpeningElement(tagName, typeArguments, attributes) {
          const node = createBaseNode(
            286
            /* JsxOpeningElement */
          );
          node.tagName = tagName;
          node.typeArguments = asNodeArray(typeArguments);
          node.attributes = attributes;
          node.transformFlags |= propagateChildFlags(node.tagName) | propagateChildrenFlags(node.typeArguments) | propagateChildFlags(node.attributes) | 2;
          if (typeArguments) {
            node.transformFlags |= 1;
          }
          return node;
        }
        function updateJsxOpeningElement(node, tagName, typeArguments, attributes) {
          return node.tagName !== tagName || node.typeArguments !== typeArguments || node.attributes !== attributes ? update(createJsxOpeningElement(tagName, typeArguments, attributes), node) : node;
        }
        function createJsxClosingElement(tagName) {
          const node = createBaseNode(
            287
            /* JsxClosingElement */
          );
          node.tagName = tagName;
          node.transformFlags |= propagateChildFlags(node.tagName) | 2;
          return node;
        }
        function updateJsxClosingElement(node, tagName) {
          return node.tagName !== tagName ? update(createJsxClosingElement(tagName), node) : node;
        }
        function createJsxFragment(openingFragment, children, closingFragment) {
          const node = createBaseNode(
            288
            /* JsxFragment */
          );
          node.openingFragment = openingFragment;
          node.children = createNodeArray(children);
          node.closingFragment = closingFragment;
          node.transformFlags |= propagateChildFlags(node.openingFragment) | propagateChildrenFlags(node.children) | propagateChildFlags(node.closingFragment) | 2;
          return node;
        }
        function updateJsxFragment(node, openingFragment, children, closingFragment) {
          return node.openingFragment !== openingFragment || node.children !== children || node.closingFragment !== closingFragment ? update(createJsxFragment(openingFragment, children, closingFragment), node) : node;
        }
        function createJsxText(text, containsOnlyTriviaWhiteSpaces) {
          const node = createBaseNode(
            12
            /* JsxText */
          );
          node.text = text;
          node.containsOnlyTriviaWhiteSpaces = !!containsOnlyTriviaWhiteSpaces;
          node.transformFlags |= 2;
          return node;
        }
        function updateJsxText(node, text, containsOnlyTriviaWhiteSpaces) {
          return node.text !== text || node.containsOnlyTriviaWhiteSpaces !== containsOnlyTriviaWhiteSpaces ? update(createJsxText(text, containsOnlyTriviaWhiteSpaces), node) : node;
        }
        function createJsxOpeningFragment() {
          const node = createBaseNode(
            289
            /* JsxOpeningFragment */
          );
          node.transformFlags |= 2;
          return node;
        }
        function createJsxJsxClosingFragment() {
          const node = createBaseNode(
            290
            /* JsxClosingFragment */
          );
          node.transformFlags |= 2;
          return node;
        }
        function createJsxAttribute(name, initializer) {
          const node = createBaseDeclaration(
            291
            /* JsxAttribute */
          );
          node.name = name;
          node.initializer = initializer;
          node.transformFlags |= propagateChildFlags(node.name) | propagateChildFlags(node.initializer) | 2;
          return node;
        }
        function updateJsxAttribute(node, name, initializer) {
          return node.name !== name || node.initializer !== initializer ? update(createJsxAttribute(name, initializer), node) : node;
        }
        function createJsxAttributes(properties) {
          const node = createBaseDeclaration(
            292
            /* JsxAttributes */
          );
          node.properties = createNodeArray(properties);
          node.transformFlags |= propagateChildrenFlags(node.properties) | 2;
          return node;
        }
        function updateJsxAttributes(node, properties) {
          return node.properties !== properties ? update(createJsxAttributes(properties), node) : node;
        }
        function createJsxSpreadAttribute(expression) {
          const node = createBaseNode(
            293
            /* JsxSpreadAttribute */
          );
          node.expression = expression;
          node.transformFlags |= propagateChildFlags(node.expression) | 2;
          return node;
        }
        function updateJsxSpreadAttribute(node, expression) {
          return node.expression !== expression ? update(createJsxSpreadAttribute(expression), node) : node;
        }
        function createJsxExpression(dotDotDotToken, expression) {
          const node = createBaseNode(
            294
            /* JsxExpression */
          );
          node.dotDotDotToken = dotDotDotToken;
          node.expression = expression;
          node.transformFlags |= propagateChildFlags(node.dotDotDotToken) | propagateChildFlags(node.expression) | 2;
          return node;
        }
        function updateJsxExpression(node, expression) {
          return node.expression !== expression ? update(createJsxExpression(node.dotDotDotToken, expression), node) : node;
        }
        function createJsxNamespacedName(namespace, name) {
          const node = createBaseNode(
            295
            /* JsxNamespacedName */
          );
          node.namespace = namespace;
          node.name = name;
          node.transformFlags |= propagateChildFlags(node.namespace) | propagateChildFlags(node.name) | 2;
          return node;
        }
        function updateJsxNamespacedName(node, namespace, name) {
          return node.namespace !== namespace || node.name !== name ? update(createJsxNamespacedName(namespace, name), node) : node;
        }
        function createCaseClause(expression, statements) {
          const node = createBaseNode(
            296
            /* CaseClause */
          );
          node.expression = parenthesizerRules().parenthesizeExpressionForDisallowedComma(expression);
          node.statements = createNodeArray(statements);
          node.transformFlags |= propagateChildFlags(node.expression) | propagateChildrenFlags(node.statements);
          node.jsDoc = void 0;
          return node;
        }
        function updateCaseClause(node, expression, statements) {
          return node.expression !== expression || node.statements !== statements ? update(createCaseClause(expression, statements), node) : node;
        }
        function createDefaultClause(statements) {
          const node = createBaseNode(
            297
            /* DefaultClause */
          );
          node.statements = createNodeArray(statements);
          node.transformFlags = propagateChildrenFlags(node.statements);
          return node;
        }
        function updateDefaultClause(node, statements) {
          return node.statements !== statements ? update(createDefaultClause(statements), node) : node;
        }
        function createHeritageClause(token, types) {
          const node = createBaseNode(
            298
            /* HeritageClause */
          );
          node.token = token;
          node.types = createNodeArray(types);
          node.transformFlags |= propagateChildrenFlags(node.types);
          switch (token) {
            case 96:
              node.transformFlags |= 1024;
              break;
            case 119:
              node.transformFlags |= 1;
              break;
            default:
              return Debug.assertNever(token);
          }
          return node;
        }
        function updateHeritageClause(node, types) {
          return node.types !== types ? update(createHeritageClause(node.token, types), node) : node;
        }
        function createCatchClause(variableDeclaration, block) {
          const node = createBaseNode(
            299
            /* CatchClause */
          );
          node.variableDeclaration = asVariableDeclaration(variableDeclaration);
          node.block = block;
          node.transformFlags |= propagateChildFlags(node.variableDeclaration) | propagateChildFlags(node.block) | (!variableDeclaration ? 64 : 0);
          node.locals = void 0;
          node.nextContainer = void 0;
          return node;
        }
        function updateCatchClause(node, variableDeclaration, block) {
          return node.variableDeclaration !== variableDeclaration || node.block !== block ? update(createCatchClause(variableDeclaration, block), node) : node;
        }
        function createPropertyAssignment(name, initializer) {
          const node = createBaseDeclaration(
            303
            /* PropertyAssignment */
          );
          node.name = asName(name);
          node.initializer = parenthesizerRules().parenthesizeExpressionForDisallowedComma(initializer);
          node.transformFlags |= propagateNameFlags(node.name) | propagateChildFlags(node.initializer);
          node.modifiers = void 0;
          node.questionToken = void 0;
          node.exclamationToken = void 0;
          node.jsDoc = void 0;
          return node;
        }
        function updatePropertyAssignment(node, name, initializer) {
          return node.name !== name || node.initializer !== initializer ? finishUpdatePropertyAssignment(createPropertyAssignment(name, initializer), node) : node;
        }
        function finishUpdatePropertyAssignment(updated, original) {
          if (updated !== original) {
            updated.modifiers = original.modifiers;
            updated.questionToken = original.questionToken;
            updated.exclamationToken = original.exclamationToken;
          }
          return update(updated, original);
        }
        function createShorthandPropertyAssignment(name, objectAssignmentInitializer) {
          const node = createBaseDeclaration(
            304
            /* ShorthandPropertyAssignment */
          );
          node.name = asName(name);
          node.objectAssignmentInitializer = objectAssignmentInitializer && parenthesizerRules().parenthesizeExpressionForDisallowedComma(objectAssignmentInitializer);
          node.transformFlags |= propagateIdentifierNameFlags(node.name) | propagateChildFlags(node.objectAssignmentInitializer) | 1024;
          node.equalsToken = void 0;
          node.modifiers = void 0;
          node.questionToken = void 0;
          node.exclamationToken = void 0;
          node.jsDoc = void 0;
          return node;
        }
        function updateShorthandPropertyAssignment(node, name, objectAssignmentInitializer) {
          return node.name !== name || node.objectAssignmentInitializer !== objectAssignmentInitializer ? finishUpdateShorthandPropertyAssignment(createShorthandPropertyAssignment(name, objectAssignmentInitializer), node) : node;
        }
        function finishUpdateShorthandPropertyAssignment(updated, original) {
          if (updated !== original) {
            updated.modifiers = original.modifiers;
            updated.questionToken = original.questionToken;
            updated.exclamationToken = original.exclamationToken;
            updated.equalsToken = original.equalsToken;
          }
          return update(updated, original);
        }
        function createSpreadAssignment(expression) {
          const node = createBaseDeclaration(
            305
            /* SpreadAssignment */
          );
          node.expression = parenthesizerRules().parenthesizeExpressionForDisallowedComma(expression);
          node.transformFlags |= propagateChildFlags(node.expression) | 128 | 65536;
          node.jsDoc = void 0;
          return node;
        }
        function updateSpreadAssignment(node, expression) {
          return node.expression !== expression ? update(createSpreadAssignment(expression), node) : node;
        }
        function createEnumMember(name, initializer) {
          const node = createBaseDeclaration(
            306
            /* EnumMember */
          );
          node.name = asName(name);
          node.initializer = initializer && parenthesizerRules().parenthesizeExpressionForDisallowedComma(initializer);
          node.transformFlags |= propagateChildFlags(node.name) | propagateChildFlags(node.initializer) | 1;
          node.jsDoc = void 0;
          return node;
        }
        function updateEnumMember(node, name, initializer) {
          return node.name !== name || node.initializer !== initializer ? update(createEnumMember(name, initializer), node) : node;
        }
        function createSourceFile2(statements, endOfFileToken, flags2) {
          const node = baseFactory2.createBaseSourceFileNode(
            307
            /* SourceFile */
          );
          node.statements = createNodeArray(statements);
          node.endOfFileToken = endOfFileToken;
          node.flags |= flags2;
          node.text = "";
          node.fileName = "";
          node.path = "";
          node.resolvedPath = "";
          node.originalFileName = "";
          node.languageVersion = 1;
          node.languageVariant = 0;
          node.scriptKind = 0;
          node.isDeclarationFile = false;
          node.hasNoDefaultLib = false;
          node.transformFlags |= propagateChildrenFlags(node.statements) | propagateChildFlags(node.endOfFileToken);
          node.locals = void 0;
          node.nextContainer = void 0;
          node.endFlowNode = void 0;
          node.nodeCount = 0;
          node.identifierCount = 0;
          node.symbolCount = 0;
          node.parseDiagnostics = void 0;
          node.bindDiagnostics = void 0;
          node.bindSuggestionDiagnostics = void 0;
          node.lineMap = void 0;
          node.externalModuleIndicator = void 0;
          node.setExternalModuleIndicator = void 0;
          node.pragmas = void 0;
          node.checkJsDirective = void 0;
          node.referencedFiles = void 0;
          node.typeReferenceDirectives = void 0;
          node.libReferenceDirectives = void 0;
          node.amdDependencies = void 0;
          node.commentDirectives = void 0;
          node.identifiers = void 0;
          node.packageJsonLocations = void 0;
          node.packageJsonScope = void 0;
          node.imports = void 0;
          node.moduleAugmentations = void 0;
          node.ambientModuleNames = void 0;
          node.classifiableNames = void 0;
          node.impliedNodeFormat = void 0;
          return node;
        }
        function createRedirectedSourceFile(redirectInfo) {
          const node = Object.create(redirectInfo.redirectTarget);
          Object.defineProperties(node, {
            id: {
              get() {
                return this.redirectInfo.redirectTarget.id;
              },
              set(value) {
                this.redirectInfo.redirectTarget.id = value;
              }
            },
            symbol: {
              get() {
                return this.redirectInfo.redirectTarget.symbol;
              },
              set(value) {
                this.redirectInfo.redirectTarget.symbol = value;
              }
            }
          });
          node.redirectInfo = redirectInfo;
          return node;
        }
        function cloneRedirectedSourceFile(source) {
          const node = createRedirectedSourceFile(source.redirectInfo);
          node.flags |= source.flags & ~16;
          node.fileName = source.fileName;
          node.path = source.path;
          node.resolvedPath = source.resolvedPath;
          node.originalFileName = source.originalFileName;
          node.packageJsonLocations = source.packageJsonLocations;
          node.packageJsonScope = source.packageJsonScope;
          node.emitNode = void 0;
          return node;
        }
        function cloneSourceFileWorker(source) {
          const node = baseFactory2.createBaseSourceFileNode(
            307
            /* SourceFile */
          );
          node.flags |= source.flags & ~16;
          for (const p in source) {
            if (hasProperty(node, p) || !hasProperty(source, p)) {
              continue;
            }
            if (p === "emitNode") {
              node.emitNode = void 0;
              continue;
            }
            node[p] = source[p];
          }
          return node;
        }
        function cloneSourceFile(source) {
          const node = source.redirectInfo ? cloneRedirectedSourceFile(source) : cloneSourceFileWorker(source);
          setOriginal(node, source);
          return node;
        }
        function cloneSourceFileWithChanges(source, statements, isDeclarationFile, referencedFiles, typeReferences, hasNoDefaultLib, libReferences) {
          const node = cloneSourceFile(source);
          node.statements = createNodeArray(statements);
          node.isDeclarationFile = isDeclarationFile;
          node.referencedFiles = referencedFiles;
          node.typeReferenceDirectives = typeReferences;
          node.hasNoDefaultLib = hasNoDefaultLib;
          node.libReferenceDirectives = libReferences;
          node.transformFlags = propagateChildrenFlags(node.statements) | propagateChildFlags(node.endOfFileToken);
          return node;
        }
        function updateSourceFile2(node, statements, isDeclarationFile = node.isDeclarationFile, referencedFiles = node.referencedFiles, typeReferenceDirectives = node.typeReferenceDirectives, hasNoDefaultLib = node.hasNoDefaultLib, libReferenceDirectives = node.libReferenceDirectives) {
          return node.statements !== statements || node.isDeclarationFile !== isDeclarationFile || node.referencedFiles !== referencedFiles || node.typeReferenceDirectives !== typeReferenceDirectives || node.hasNoDefaultLib !== hasNoDefaultLib || node.libReferenceDirectives !== libReferenceDirectives ? update(cloneSourceFileWithChanges(node, statements, isDeclarationFile, referencedFiles, typeReferenceDirectives, hasNoDefaultLib, libReferenceDirectives), node) : node;
        }
        function createBundle(sourceFiles) {
          const node = createBaseNode(
            308
            /* Bundle */
          );
          node.sourceFiles = sourceFiles;
          node.syntheticFileReferences = void 0;
          node.syntheticTypeReferences = void 0;
          node.syntheticLibReferences = void 0;
          node.hasNoDefaultLib = void 0;
          return node;
        }
        function updateBundle(node, sourceFiles) {
          return node.sourceFiles !== sourceFiles ? update(createBundle(sourceFiles), node) : node;
        }
        function createSyntheticExpression(type, isSpread = false, tupleNameSource) {
          const node = createBaseNode(
            237
            /* SyntheticExpression */
          );
          node.type = type;
          node.isSpread = isSpread;
          node.tupleNameSource = tupleNameSource;
          return node;
        }
        function createSyntaxList3(children) {
          const node = createBaseNode(
            352
            /* SyntaxList */
          );
          node._children = children;
          return node;
        }
        function createNotEmittedStatement(original) {
          const node = createBaseNode(
            353
            /* NotEmittedStatement */
          );
          node.original = original;
          setTextRange(node, original);
          return node;
        }
        function createPartiallyEmittedExpression(expression, original) {
          const node = createBaseNode(
            354
            /* PartiallyEmittedExpression */
          );
          node.expression = expression;
          node.original = original;
          node.transformFlags |= propagateChildFlags(node.expression) | 1;
          setTextRange(node, original);
          return node;
        }
        function updatePartiallyEmittedExpression(node, expression) {
          return node.expression !== expression ? update(createPartiallyEmittedExpression(expression, node.original), node) : node;
        }
        function flattenCommaElements(node) {
          if (nodeIsSynthesized(node) && !isParseTreeNode(node) && !node.original && !node.emitNode && !node.id) {
            if (isCommaListExpression(node)) {
              return node.elements;
            }
            if (isBinaryExpression(node) && isCommaToken2(node.operatorToken)) {
              return [node.left, node.right];
            }
          }
          return node;
        }
        function createCommaListExpression(elements) {
          const node = createBaseNode(
            355
            /* CommaListExpression */
          );
          node.elements = createNodeArray(sameFlatMap(elements, flattenCommaElements));
          node.transformFlags |= propagateChildrenFlags(node.elements);
          return node;
        }
        function updateCommaListExpression(node, elements) {
          return node.elements !== elements ? update(createCommaListExpression(elements), node) : node;
        }
        function createSyntheticReferenceExpression(expression, thisArg) {
          const node = createBaseNode(
            356
            /* SyntheticReferenceExpression */
          );
          node.expression = expression;
          node.thisArg = thisArg;
          node.transformFlags |= propagateChildFlags(node.expression) | propagateChildFlags(node.thisArg);
          return node;
        }
        function updateSyntheticReferenceExpression(node, expression, thisArg) {
          return node.expression !== expression || node.thisArg !== thisArg ? update(createSyntheticReferenceExpression(expression, thisArg), node) : node;
        }
        function cloneGeneratedIdentifier(node) {
          const clone2 = createBaseIdentifier(node.escapedText);
          clone2.flags |= node.flags & ~16;
          clone2.transformFlags = node.transformFlags;
          setOriginal(clone2, node);
          setIdentifierAutoGenerate(clone2, { ...node.emitNode.autoGenerate });
          return clone2;
        }
        function cloneIdentifier(node) {
          const clone2 = createBaseIdentifier(node.escapedText);
          clone2.flags |= node.flags & ~16;
          clone2.jsDoc = node.jsDoc;
          clone2.flowNode = node.flowNode;
          clone2.symbol = node.symbol;
          clone2.transformFlags = node.transformFlags;
          setOriginal(clone2, node);
          const typeArguments = getIdentifierTypeArguments(node);
          if (typeArguments) setIdentifierTypeArguments(clone2, typeArguments);
          return clone2;
        }
        function cloneGeneratedPrivateIdentifier(node) {
          const clone2 = createBasePrivateIdentifier(node.escapedText);
          clone2.flags |= node.flags & ~16;
          clone2.transformFlags = node.transformFlags;
          setOriginal(clone2, node);
          setIdentifierAutoGenerate(clone2, { ...node.emitNode.autoGenerate });
          return clone2;
        }
        function clonePrivateIdentifier(node) {
          const clone2 = createBasePrivateIdentifier(node.escapedText);
          clone2.flags |= node.flags & ~16;
          clone2.transformFlags = node.transformFlags;
          setOriginal(clone2, node);
          return clone2;
        }
        function cloneNode(node) {
          if (node === void 0) {
            return node;
          }
          if (isSourceFile(node)) {
            return cloneSourceFile(node);
          }
          if (isGeneratedIdentifier(node)) {
            return cloneGeneratedIdentifier(node);
          }
          if (isIdentifier(node)) {
            return cloneIdentifier(node);
          }
          if (isGeneratedPrivateIdentifier(node)) {
            return cloneGeneratedPrivateIdentifier(node);
          }
          if (isPrivateIdentifier(node)) {
            return clonePrivateIdentifier(node);
          }
          const clone2 = !isNodeKind(node.kind) ? baseFactory2.createBaseTokenNode(node.kind) : baseFactory2.createBaseNode(node.kind);
          clone2.flags |= node.flags & ~16;
          clone2.transformFlags = node.transformFlags;
          setOriginal(clone2, node);
          for (const key in node) {
            if (hasProperty(clone2, key) || !hasProperty(node, key)) {
              continue;
            }
            clone2[key] = node[key];
          }
          return clone2;
        }
        function createImmediatelyInvokedFunctionExpression(statements, param, paramValue) {
          return createCallExpression(
            createFunctionExpression(
              /*modifiers*/
              void 0,
              /*asteriskToken*/
              void 0,
              /*name*/
              void 0,
              /*typeParameters*/
              void 0,
              /*parameters*/
              param ? [param] : [],
              /*type*/
              void 0,
              createBlock(
                statements,
                /*multiLine*/
                true
              )
            ),
            /*typeArguments*/
            void 0,
            /*argumentsArray*/
            paramValue ? [paramValue] : []
          );
        }
        function createImmediatelyInvokedArrowFunction(statements, param, paramValue) {
          return createCallExpression(
            createArrowFunction(
              /*modifiers*/
              void 0,
              /*typeParameters*/
              void 0,
              /*parameters*/
              param ? [param] : [],
              /*type*/
              void 0,
              /*equalsGreaterThanToken*/
              void 0,
              createBlock(
                statements,
                /*multiLine*/
                true
              )
            ),
            /*typeArguments*/
            void 0,
            /*argumentsArray*/
            paramValue ? [paramValue] : []
          );
        }
        function createVoidZero() {
          return createVoidExpression(createNumericLiteral("0"));
        }
        function createExportDefault(expression) {
          return createExportAssignment2(
            /*modifiers*/
            void 0,
            /*isExportEquals*/
            false,
            expression
          );
        }
        function createExternalModuleExport(exportName) {
          return createExportDeclaration(
            /*modifiers*/
            void 0,
            /*isTypeOnly*/
            false,
            createNamedExports([
              createExportSpecifier(
                /*isTypeOnly*/
                false,
                /*propertyName*/
                void 0,
                exportName
              )
            ])
          );
        }
        function createTypeCheck(value, tag) {
          return tag === "null" ? factory2.createStrictEquality(value, createNull()) : tag === "undefined" ? factory2.createStrictEquality(value, createVoidZero()) : factory2.createStrictEquality(createTypeOfExpression(value), createStringLiteral(tag));
        }
        function createIsNotTypeCheck(value, tag) {
          return tag === "null" ? factory2.createStrictInequality(value, createNull()) : tag === "undefined" ? factory2.createStrictInequality(value, createVoidZero()) : factory2.createStrictInequality(createTypeOfExpression(value), createStringLiteral(tag));
        }
        function createMethodCall(object, methodName, argumentsList) {
          if (isCallChain(object)) {
            return createCallChain(
              createPropertyAccessChain(
                object,
                /*questionDotToken*/
                void 0,
                methodName
              ),
              /*questionDotToken*/
              void 0,
              /*typeArguments*/
              void 0,
              argumentsList
            );
          }
          return createCallExpression(
            createPropertyAccessExpression(object, methodName),
            /*typeArguments*/
            void 0,
            argumentsList
          );
        }
        function createFunctionBindCall(target, thisArg, argumentsList) {
          return createMethodCall(target, "bind", [thisArg, ...argumentsList]);
        }
        function createFunctionCallCall(target, thisArg, argumentsList) {
          return createMethodCall(target, "call", [thisArg, ...argumentsList]);
        }
        function createFunctionApplyCall(target, thisArg, argumentsExpression) {
          return createMethodCall(target, "apply", [thisArg, argumentsExpression]);
        }
        function createGlobalMethodCall(globalObjectName, methodName, argumentsList) {
          return createMethodCall(createIdentifier(globalObjectName), methodName, argumentsList);
        }
        function createArraySliceCall(array, start) {
          return createMethodCall(array, "slice", start === void 0 ? [] : [asExpression(start)]);
        }
        function createArrayConcatCall(array, argumentsList) {
          return createMethodCall(array, "concat", argumentsList);
        }
        function createObjectDefinePropertyCall(target, propertyName, attributes) {
          return createGlobalMethodCall("Object", "defineProperty", [target, asExpression(propertyName), attributes]);
        }
        function createObjectGetOwnPropertyDescriptorCall(target, propertyName) {
          return createGlobalMethodCall("Object", "getOwnPropertyDescriptor", [target, asExpression(propertyName)]);
        }
        function createReflectGetCall(target, propertyKey, receiver) {
          return createGlobalMethodCall("Reflect", "get", receiver ? [target, propertyKey, receiver] : [target, propertyKey]);
        }
        function createReflectSetCall(target, propertyKey, value, receiver) {
          return createGlobalMethodCall("Reflect", "set", receiver ? [target, propertyKey, value, receiver] : [target, propertyKey, value]);
        }
        function tryAddPropertyAssignment(properties, propertyName, expression) {
          if (expression) {
            properties.push(createPropertyAssignment(propertyName, expression));
            return true;
          }
          return false;
        }
        function createPropertyDescriptor(attributes, singleLine) {
          const properties = [];
          tryAddPropertyAssignment(properties, "enumerable", asExpression(attributes.enumerable));
          tryAddPropertyAssignment(properties, "configurable", asExpression(attributes.configurable));
          let isData = tryAddPropertyAssignment(properties, "writable", asExpression(attributes.writable));
          isData = tryAddPropertyAssignment(properties, "value", attributes.value) || isData;
          let isAccessor2 = tryAddPropertyAssignment(properties, "get", attributes.get);
          isAccessor2 = tryAddPropertyAssignment(properties, "set", attributes.set) || isAccessor2;
          Debug.assert(!(isData && isAccessor2), "A PropertyDescriptor may not be both an accessor descriptor and a data descriptor.");
          return createObjectLiteralExpression(properties, !singleLine);
        }
        function updateOuterExpression(outerExpression, expression) {
          switch (outerExpression.kind) {
            case 217:
              return updateParenthesizedExpression(outerExpression, expression);
            case 216:
              return updateTypeAssertion(outerExpression, outerExpression.type, expression);
            case 234:
              return updateAsExpression(outerExpression, expression, outerExpression.type);
            case 238:
              return updateSatisfiesExpression(outerExpression, expression, outerExpression.type);
            case 235:
              return updateNonNullExpression(outerExpression, expression);
            case 354:
              return updatePartiallyEmittedExpression(outerExpression, expression);
          }
        }
        function isIgnorableParen(node) {
          return isParenthesizedExpression(node) && nodeIsSynthesized(node) && nodeIsSynthesized(getSourceMapRange(node)) && nodeIsSynthesized(getCommentRange(node)) && !some(getSyntheticLeadingComments(node)) && !some(getSyntheticTrailingComments(node));
        }
        function restoreOuterExpressions(outerExpression, innerExpression, kinds = 15) {
          if (outerExpression && isOuterExpression(outerExpression, kinds) && !isIgnorableParen(outerExpression)) {
            return updateOuterExpression(
              outerExpression,
              restoreOuterExpressions(outerExpression.expression, innerExpression)
            );
          }
          return innerExpression;
        }
        function restoreEnclosingLabel(node, outermostLabeledStatement, afterRestoreLabelCallback) {
          if (!outermostLabeledStatement) {
            return node;
          }
          const updated = updateLabeledStatement(
            outermostLabeledStatement,
            outermostLabeledStatement.label,
            isLabeledStatement(outermostLabeledStatement.statement) ? restoreEnclosingLabel(node, outermostLabeledStatement.statement) : node
          );
          if (afterRestoreLabelCallback) {
            afterRestoreLabelCallback(outermostLabeledStatement);
          }
          return updated;
        }
        function shouldBeCapturedInTempVariable(node, cacheIdentifiers) {
          const target = skipParentheses(node);
          switch (target.kind) {
            case 80:
              return cacheIdentifiers;
            case 110:
            case 9:
            case 10:
            case 11:
              return false;
            case 209:
              const elements = target.elements;
              if (elements.length === 0) {
                return false;
              }
              return true;
            case 210:
              return target.properties.length > 0;
            default:
              return true;
          }
        }
        function createCallBinding(expression, recordTempVariable, languageVersion, cacheIdentifiers = false) {
          const callee = skipOuterExpressions(
            expression,
            15
            /* All */
          );
          let thisArg;
          let target;
          if (isSuperProperty(callee)) {
            thisArg = createThis();
            target = callee;
          } else if (isSuperKeyword(callee)) {
            thisArg = createThis();
            target = languageVersion !== void 0 && languageVersion < 2 ? setTextRange(createIdentifier("_super"), callee) : callee;
          } else if (getEmitFlags(callee) & 8192) {
            thisArg = createVoidZero();
            target = parenthesizerRules().parenthesizeLeftSideOfAccess(
              callee,
              /*optionalChain*/
              false
            );
          } else if (isPropertyAccessExpression(callee)) {
            if (shouldBeCapturedInTempVariable(callee.expression, cacheIdentifiers)) {
              thisArg = createTempVariable(recordTempVariable);
              target = createPropertyAccessExpression(
                setTextRange(
                  factory2.createAssignment(
                    thisArg,
                    callee.expression
                  ),
                  callee.expression
                ),
                callee.name
              );
              setTextRange(target, callee);
            } else {
              thisArg = callee.expression;
              target = callee;
            }
          } else if (isElementAccessExpression(callee)) {
            if (shouldBeCapturedInTempVariable(callee.expression, cacheIdentifiers)) {
              thisArg = createTempVariable(recordTempVariable);
              target = createElementAccessExpression(
                setTextRange(
                  factory2.createAssignment(
                    thisArg,
                    callee.expression
                  ),
                  callee.expression
                ),
                callee.argumentExpression
              );
              setTextRange(target, callee);
            } else {
              thisArg = callee.expression;
              target = callee;
            }
          } else {
            thisArg = createVoidZero();
            target = parenthesizerRules().parenthesizeLeftSideOfAccess(
              expression,
              /*optionalChain*/
              false
            );
          }
          return { target, thisArg };
        }
        function createAssignmentTargetWrapper(paramName, expression) {
          return createPropertyAccessExpression(
            // Explicit parens required because of v8 regression (https://bugs.chromium.org/p/v8/issues/detail?id=9560)
            createParenthesizedExpression(
              createObjectLiteralExpression([
                createSetAccessorDeclaration(
                  /*modifiers*/
                  void 0,
                  "value",
                  [createParameterDeclaration(
                    /*modifiers*/
                    void 0,
                    /*dotDotDotToken*/
                    void 0,
                    paramName,
                    /*questionToken*/
                    void 0,
                    /*type*/
                    void 0,
                    /*initializer*/
                    void 0
                  )],
                  createBlock([
                    createExpressionStatement(expression)
                  ])
                )
              ])
            ),
            "value"
          );
        }
        function inlineExpressions(expressions) {
          return expressions.length > 10 ? createCommaListExpression(expressions) : reduceLeft(expressions, factory2.createComma);
        }
        function getName(node, allowComments, allowSourceMaps, emitFlags = 0, ignoreAssignedName) {
          const nodeName = ignoreAssignedName ? node && getNonAssignedNameOfDeclaration(node) : getNameOfDeclaration(node);
          if (nodeName && isIdentifier(nodeName) && !isGeneratedIdentifier(nodeName)) {
            const name = setParent(setTextRange(cloneNode(nodeName), nodeName), nodeName.parent);
            emitFlags |= getEmitFlags(nodeName);
            if (!allowSourceMaps) emitFlags |= 96;
            if (!allowComments) emitFlags |= 3072;
            if (emitFlags) setEmitFlags(name, emitFlags);
            return name;
          }
          return getGeneratedNameForNode(node);
        }
        function getInternalName(node, allowComments, allowSourceMaps) {
          return getName(
            node,
            allowComments,
            allowSourceMaps,
            32768 | 65536
            /* InternalName */
          );
        }
        function getLocalName(node, allowComments, allowSourceMaps, ignoreAssignedName) {
          return getName(node, allowComments, allowSourceMaps, 32768, ignoreAssignedName);
        }
        function getExportName(node, allowComments, allowSourceMaps) {
          return getName(
            node,
            allowComments,
            allowSourceMaps,
            16384
            /* ExportName */
          );
        }
        function getDeclarationName(node, allowComments, allowSourceMaps) {
          return getName(node, allowComments, allowSourceMaps);
        }
        function getNamespaceMemberName(ns, name, allowComments, allowSourceMaps) {
          const qualifiedName = createPropertyAccessExpression(ns, nodeIsSynthesized(name) ? name : cloneNode(name));
          setTextRange(qualifiedName, name);
          let emitFlags = 0;
          if (!allowSourceMaps) emitFlags |= 96;
          if (!allowComments) emitFlags |= 3072;
          if (emitFlags) setEmitFlags(qualifiedName, emitFlags);
          return qualifiedName;
        }
        function getExternalModuleOrNamespaceExportName(ns, node, allowComments, allowSourceMaps) {
          if (ns && hasSyntacticModifier(
            node,
            32
            /* Export */
          )) {
            return getNamespaceMemberName(ns, getName(node), allowComments, allowSourceMaps);
          }
          return getExportName(node, allowComments, allowSourceMaps);
        }
        function copyPrologue(source, target, ensureUseStrict2, visitor2) {
          const offset = copyStandardPrologue(source, target, 0, ensureUseStrict2);
          return copyCustomPrologue(source, target, offset, visitor2);
        }
        function isUseStrictPrologue2(node) {
          return isStringLiteral2(node.expression) && node.expression.text === "use strict";
        }
        function createUseStrictPrologue() {
          return startOnNewLine(createExpressionStatement(createStringLiteral("use strict")));
        }
        function copyStandardPrologue(source, target, statementOffset = 0, ensureUseStrict2) {
          Debug.assert(target.length === 0, "Prologue directives should be at the first statement in the target statements array");
          let foundUseStrict = false;
          const numStatements = source.length;
          while (statementOffset < numStatements) {
            const statement = source[statementOffset];
            if (isPrologueDirective(statement)) {
              if (isUseStrictPrologue2(statement)) {
                foundUseStrict = true;
              }
              target.push(statement);
            } else {
              break;
            }
            statementOffset++;
          }
          if (ensureUseStrict2 && !foundUseStrict) {
            target.push(createUseStrictPrologue());
          }
          return statementOffset;
        }
        function copyCustomPrologue(source, target, statementOffset, visitor2, filter2 = returnTrue) {
          const numStatements = source.length;
          while (statementOffset !== void 0 && statementOffset < numStatements) {
            const statement = source[statementOffset];
            if (getEmitFlags(statement) & 2097152 && filter2(statement)) {
              append(target, visitor2 ? visitNode(statement, visitor2, isStatement) : statement);
            } else {
              break;
            }
            statementOffset++;
          }
          return statementOffset;
        }
        function ensureUseStrict(statements) {
          const foundUseStrict = findUseStrictPrologue(statements);
          if (!foundUseStrict) {
            return setTextRange(createNodeArray([createUseStrictPrologue(), ...statements]), statements);
          }
          return statements;
        }
        function liftToBlock(nodes) {
          Debug.assert(every(nodes, isStatementOrBlock), "Cannot lift nodes to a Block.");
          return singleOrUndefined(nodes) || createBlock(nodes);
        }
        function findSpanEnd(array, test, start) {
          let i = start;
          while (i < array.length && test(array[i])) {
            i++;
          }
          return i;
        }
        function mergeLexicalEnvironment(statements, declarations) {
          if (!some(declarations)) {
            return statements;
          }
          const leftStandardPrologueEnd = findSpanEnd(statements, isPrologueDirective, 0);
          const leftHoistedFunctionsEnd = findSpanEnd(statements, isHoistedFunction, leftStandardPrologueEnd);
          const leftHoistedVariablesEnd = findSpanEnd(statements, isHoistedVariableStatement, leftHoistedFunctionsEnd);
          const rightStandardPrologueEnd = findSpanEnd(declarations, isPrologueDirective, 0);
          const rightHoistedFunctionsEnd = findSpanEnd(declarations, isHoistedFunction, rightStandardPrologueEnd);
          const rightHoistedVariablesEnd = findSpanEnd(declarations, isHoistedVariableStatement, rightHoistedFunctionsEnd);
          const rightCustomPrologueEnd = findSpanEnd(declarations, isCustomPrologue, rightHoistedVariablesEnd);
          Debug.assert(rightCustomPrologueEnd === declarations.length, "Expected declarations to be valid standard or custom prologues");
          const left = isNodeArray(statements) ? statements.slice() : statements;
          if (rightCustomPrologueEnd > rightHoistedVariablesEnd) {
            left.splice(leftHoistedVariablesEnd, 0, ...declarations.slice(rightHoistedVariablesEnd, rightCustomPrologueEnd));
          }
          if (rightHoistedVariablesEnd > rightHoistedFunctionsEnd) {
            left.splice(leftHoistedFunctionsEnd, 0, ...declarations.slice(rightHoistedFunctionsEnd, rightHoistedVariablesEnd));
          }
          if (rightHoistedFunctionsEnd > rightStandardPrologueEnd) {
            left.splice(leftStandardPrologueEnd, 0, ...declarations.slice(rightStandardPrologueEnd, rightHoistedFunctionsEnd));
          }
          if (rightStandardPrologueEnd > 0) {
            if (leftStandardPrologueEnd === 0) {
              left.splice(0, 0, ...declarations.slice(0, rightStandardPrologueEnd));
            } else {
              const leftPrologues = /* @__PURE__ */ new Map();
              for (let i = 0; i < leftStandardPrologueEnd; i++) {
                const leftPrologue = statements[i];
                leftPrologues.set(leftPrologue.expression.text, true);
              }
              for (let i = rightStandardPrologueEnd - 1; i >= 0; i--) {
                const rightPrologue = declarations[i];
                if (!leftPrologues.has(rightPrologue.expression.text)) {
                  left.unshift(rightPrologue);
                }
              }
            }
          }
          if (isNodeArray(statements)) {
            return setTextRange(createNodeArray(left, statements.hasTrailingComma), statements);
          }
          return statements;
        }
        function replaceModifiers(node, modifiers) {
          let modifierArray;
          if (typeof modifiers === "number") {
            modifierArray = createModifiersFromModifierFlags(modifiers);
          } else {
            modifierArray = modifiers;
          }
          return isTypeParameterDeclaration(node) ? updateTypeParameterDeclaration(node, modifierArray, node.name, node.constraint, node.default) : isParameter(node) ? updateParameterDeclaration(node, modifierArray, node.dotDotDotToken, node.name, node.questionToken, node.type, node.initializer) : isConstructorTypeNode(node) ? updateConstructorTypeNode1(node, modifierArray, node.typeParameters, node.parameters, node.type) : isPropertySignature(node) ? updatePropertySignature(node, modifierArray, node.name, node.questionToken, node.type) : isPropertyDeclaration(node) ? updatePropertyDeclaration2(node, modifierArray, node.name, node.questionToken ?? node.exclamationToken, node.type, node.initializer) : isMethodSignature(node) ? updateMethodSignature(node, modifierArray, node.name, node.questionToken, node.typeParameters, node.parameters, node.type) : isMethodDeclaration(node) ? updateMethodDeclaration(node, modifierArray, node.asteriskToken, node.name, node.questionToken, node.typeParameters, node.parameters, node.type, node.body) : isConstructorDeclaration(node) ? updateConstructorDeclaration(node, modifierArray, node.parameters, node.body) : isGetAccessorDeclaration(node) ? updateGetAccessorDeclaration(node, modifierArray, node.name, node.parameters, node.type, node.body) : isSetAccessorDeclaration(node) ? updateSetAccessorDeclaration(node, modifierArray, node.name, node.parameters, node.body) : isIndexSignatureDeclaration(node) ? updateIndexSignature(node, modifierArray, node.parameters, node.type) : isFunctionExpression(node) ? updateFunctionExpression(node, modifierArray, node.asteriskToken, node.name, node.typeParameters, node.parameters, node.type, node.body) : isArrowFunction(node) ? updateArrowFunction(node, modifierArray, node.typeParameters, node.parameters, node.type, node.equalsGreaterThanToken, node.body) : isClassExpression(node) ? updateClassExpression(node, modifierArray, node.name, node.typeParameters, node.heritageClauses, node.members) : isVariableStatement(node) ? updateVariableStatement(node, modifierArray, node.declarationList) : isFunctionDeclaration(node) ? updateFunctionDeclaration(node, modifierArray, node.asteriskToken, node.name, node.typeParameters, node.parameters, node.type, node.body) : isClassDeclaration(node) ? updateClassDeclaration(node, modifierArray, node.name, node.typeParameters, node.heritageClauses, node.members) : isInterfaceDeclaration(node) ? updateInterfaceDeclaration(node, modifierArray, node.name, node.typeParameters, node.heritageClauses, node.members) : isTypeAliasDeclaration(node) ? updateTypeAliasDeclaration(node, modifierArray, node.name, node.typeParameters, node.type) : isEnumDeclaration(node) ? updateEnumDeclaration(node, modifierArray, node.name, node.members) : isModuleDeclaration(node) ? updateModuleDeclaration(node, modifierArray, node.name, node.body) : isImportEqualsDeclaration(node) ? updateImportEqualsDeclaration(node, modifierArray, node.isTypeOnly, node.name, node.moduleReference) : isImportDeclaration(node) ? updateImportDeclaration(node, modifierArray, node.importClause, node.moduleSpecifier, node.attributes) : isExportAssignment(node) ? updateExportAssignment(node, modifierArray, node.expression) : isExportDeclaration(node) ? updateExportDeclaration(node, modifierArray, node.isTypeOnly, node.exportClause, node.moduleSpecifier, node.attributes) : Debug.assertNever(node);
        }
        function replaceDecoratorsAndModifiers(node, modifierArray) {
          return isParameter(node) ? updateParameterDeclaration(node, modifierArray, node.dotDotDotToken, node.name, node.questionToken, node.type, node.initializer) : isPropertyDeclaration(node) ? updatePropertyDeclaration2(node, modifierArray, node.name, node.questionToken ?? node.exclamationToken, node.type, node.initializer) : isMethodDeclaration(node) ? updateMethodDeclaration(node, modifierArray, node.asteriskToken, node.name, node.questionToken, node.typeParameters, node.parameters, node.type, node.body) : isGetAccessorDeclaration(node) ? updateGetAccessorDeclaration(node, modifierArray, node.name, node.parameters, node.type, node.body) : isSetAccessorDeclaration(node) ? updateSetAccessorDeclaration(node, modifierArray, node.name, node.parameters, node.body) : isClassExpression(node) ? updateClassExpression(node, modifierArray, node.name, node.typeParameters, node.heritageClauses, node.members) : isClassDeclaration(node) ? updateClassDeclaration(node, modifierArray, node.name, node.typeParameters, node.heritageClauses, node.members) : Debug.assertNever(node);
        }
        function replacePropertyName(node, name) {
          switch (node.kind) {
            case 177:
              return updateGetAccessorDeclaration(node, node.modifiers, name, node.parameters, node.type, node.body);
            case 178:
              return updateSetAccessorDeclaration(node, node.modifiers, name, node.parameters, node.body);
            case 174:
              return updateMethodDeclaration(node, node.modifiers, node.asteriskToken, name, node.questionToken, node.typeParameters, node.parameters, node.type, node.body);
            case 173:
              return updateMethodSignature(node, node.modifiers, name, node.questionToken, node.typeParameters, node.parameters, node.type);
            case 172:
              return updatePropertyDeclaration2(node, node.modifiers, name, node.questionToken ?? node.exclamationToken, node.type, node.initializer);
            case 171:
              return updatePropertySignature(node, node.modifiers, name, node.questionToken, node.type);
            case 303:
              return updatePropertyAssignment(node, name, node.initializer);
          }
        }
        function asNodeArray(array) {
          return array ? createNodeArray(array) : void 0;
        }
        function asName(name) {
          return typeof name === "string" ? createIdentifier(name) : name;
        }
        function asExpression(value) {
          return typeof value === "string" ? createStringLiteral(value) : typeof value === "number" ? createNumericLiteral(value) : typeof value === "boolean" ? value ? createTrue() : createFalse() : value;
        }
        function asInitializer(node) {
          return node && parenthesizerRules().parenthesizeExpressionForDisallowedComma(node);
        }
        function asToken(value) {
          return typeof value === "number" ? createToken(value) : value;
        }
        function asEmbeddedStatement(statement) {
          return statement && isNotEmittedStatement(statement) ? setTextRange(setOriginal(createEmptyStatement(), statement), statement) : statement;
        }
        function asVariableDeclaration(variableDeclaration) {
          if (typeof variableDeclaration === "string" || variableDeclaration && !isVariableDeclaration(variableDeclaration)) {
            return createVariableDeclaration(
              variableDeclaration,
              /*exclamationToken*/
              void 0,
              /*type*/
              void 0,
              /*initializer*/
              void 0
            );
          }
          return variableDeclaration;
        }
        function update(updated, original) {
          if (updated !== original) {
            setOriginal(updated, original);
            setTextRange(updated, original);
          }
          return updated;
        }
      }
      function getDefaultTagNameForKind(kind) {
        switch (kind) {
          case 344:
            return "type";
          case 342:
            return "returns";
          case 343:
            return "this";
          case 340:
            return "enum";
          case 330:
            return "author";
          case 332:
            return "class";
          case 333:
            return "public";
          case 334:
            return "private";
          case 335:
            return "protected";
          case 336:
            return "readonly";
          case 337:
            return "override";
          case 345:
            return "template";
          case 346:
            return "typedef";
          case 341:
            return "param";
          case 348:
            return "prop";
          case 338:
            return "callback";
          case 339:
            return "overload";
          case 328:
            return "augments";
          case 329:
            return "implements";
          case 351:
            return "import";
          default:
            return Debug.fail(`Unsupported kind: ${Debug.formatSyntaxKind(kind)}`);
        }
      }
      var rawTextScanner;
      var invalidValueSentinel = {};
      function getCookedText(kind, rawText) {
        if (!rawTextScanner) {
          rawTextScanner = createScanner(
            99,
            /*skipTrivia*/
            false,
            0
            /* Standard */
          );
        }
        switch (kind) {
          case 15:
            rawTextScanner.setText("`" + rawText + "`");
            break;
          case 16:
            rawTextScanner.setText("`" + rawText + "${");
            break;
          case 17:
            rawTextScanner.setText("}" + rawText + "${");
            break;
          case 18:
            rawTextScanner.setText("}" + rawText + "`");
            break;
        }
        let token = rawTextScanner.scan();
        if (token === 20) {
          token = rawTextScanner.reScanTemplateToken(
            /*isTaggedTemplate*/
            false
          );
        }
        if (rawTextScanner.isUnterminated()) {
          rawTextScanner.setText(void 0);
          return invalidValueSentinel;
        }
        let tokenValue;
        switch (token) {
          case 15:
          case 16:
          case 17:
          case 18:
            tokenValue = rawTextScanner.getTokenValue();
            break;
        }
        if (tokenValue === void 0 || rawTextScanner.scan() !== 1) {
          rawTextScanner.setText(void 0);
          return invalidValueSentinel;
        }
        rawTextScanner.setText(void 0);
        return tokenValue;
      }
      function propagateNameFlags(node) {
        return node && isIdentifier(node) ? propagateIdentifierNameFlags(node) : propagateChildFlags(node);
      }
      function propagateIdentifierNameFlags(node) {
        return propagateChildFlags(node) & ~67108864;
      }
      function propagatePropertyNameFlagsOfChild(node, transformFlags) {
        return transformFlags | node.transformFlags & 134234112;
      }
      function propagateChildFlags(child) {
        if (!child) return 0;
        const childFlags = child.transformFlags & ~getTransformFlagsSubtreeExclusions(child.kind);
        return isNamedDeclaration(child) && isPropertyName(child.name) ? propagatePropertyNameFlagsOfChild(child.name, childFlags) : childFlags;
      }
      function propagateChildrenFlags(children) {
        return children ? children.transformFlags : 0;
      }
      function aggregateChildrenFlags(children) {
        let subtreeFlags = 0;
        for (const child of children) {
          subtreeFlags |= propagateChildFlags(child);
        }
        children.transformFlags = subtreeFlags;
      }
      function getTransformFlagsSubtreeExclusions(kind) {
        if (kind >= 182 && kind <= 205) {
          return -2;
        }
        switch (kind) {
          case 213:
          case 214:
          case 209:
            return -2147450880;
          case 267:
            return -1941676032;
          case 169:
            return -2147483648;
          case 219:
            return -2072174592;
          case 218:
          case 262:
            return -1937940480;
          case 261:
            return -2146893824;
          case 263:
          case 231:
            return -2147344384;
          case 176:
            return -1937948672;
          case 172:
            return -2013249536;
          case 174:
          case 177:
          case 178:
            return -2005057536;
          case 133:
          case 150:
          case 163:
          case 146:
          case 154:
          case 151:
          case 136:
          case 155:
          case 116:
          case 168:
          case 171:
          case 173:
          case 179:
          case 180:
          case 181:
          case 264:
          case 265:
            return -2;
          case 210:
            return -2147278848;
          case 299:
            return -2147418112;
          case 206:
          case 207:
            return -2147450880;
          case 216:
          case 238:
          case 234:
          case 354:
          case 217:
          case 108:
            return -2147483648;
          case 211:
          case 212:
            return -2147483648;
          default:
            return -2147483648;
        }
      }
      var baseFactory = createBaseNodeFactory();
      function makeSynthetic(node) {
        node.flags |= 16;
        return node;
      }
      var syntheticFactory = {
        createBaseSourceFileNode: (kind) => makeSynthetic(baseFactory.createBaseSourceFileNode(kind)),
        createBaseIdentifierNode: (kind) => makeSynthetic(baseFactory.createBaseIdentifierNode(kind)),
        createBasePrivateIdentifierNode: (kind) => makeSynthetic(baseFactory.createBasePrivateIdentifierNode(kind)),
        createBaseTokenNode: (kind) => makeSynthetic(baseFactory.createBaseTokenNode(kind)),
        createBaseNode: (kind) => makeSynthetic(baseFactory.createBaseNode(kind))
      };
      var factory = createNodeFactory(4, syntheticFactory);
      var SourceMapSource2;
      function createSourceMapSource(fileName, text, skipTrivia2) {
        return new (SourceMapSource2 || (SourceMapSource2 = objectAllocator.getSourceMapSourceConstructor()))(fileName, text, skipTrivia2);
      }
      function setOriginalNode(node, original) {
        if (node.original !== original) {
          node.original = original;
          if (original) {
            const emitNode = original.emitNode;
            if (emitNode) node.emitNode = mergeEmitNode(emitNode, node.emitNode);
          }
        }
        return node;
      }
      function mergeEmitNode(sourceEmitNode, destEmitNode) {
        const {
          flags,
          internalFlags,
          leadingComments,
          trailingComments,
          commentRange,
          sourceMapRange,
          tokenSourceMapRanges,
          constantValue,
          helpers,
          startsOnNewLine,
          snippetElement,
          classThis,
          assignedName
        } = sourceEmitNode;
        if (!destEmitNode) destEmitNode = {};
        if (flags) {
          destEmitNode.flags = flags;
        }
        if (internalFlags) {
          destEmitNode.internalFlags = internalFlags & ~8;
        }
        if (leadingComments) {
          destEmitNode.leadingComments = addRange(leadingComments.slice(), destEmitNode.leadingComments);
        }
        if (trailingComments) {
          destEmitNode.trailingComments = addRange(trailingComments.slice(), destEmitNode.trailingComments);
        }
        if (commentRange) {
          destEmitNode.commentRange = commentRange;
        }
        if (sourceMapRange) {
          destEmitNode.sourceMapRange = sourceMapRange;
        }
        if (tokenSourceMapRanges) {
          destEmitNode.tokenSourceMapRanges = mergeTokenSourceMapRanges(tokenSourceMapRanges, destEmitNode.tokenSourceMapRanges);
        }
        if (constantValue !== void 0) {
          destEmitNode.constantValue = constantValue;
        }
        if (helpers) {
          for (const helper of helpers) {
            destEmitNode.helpers = appendIfUnique(destEmitNode.helpers, helper);
          }
        }
        if (startsOnNewLine !== void 0) {
          destEmitNode.startsOnNewLine = startsOnNewLine;
        }
        if (snippetElement !== void 0) {
          destEmitNode.snippetElement = snippetElement;
        }
        if (classThis) {
          destEmitNode.classThis = classThis;
        }
        if (assignedName) {
          destEmitNode.assignedName = assignedName;
        }
        return destEmitNode;
      }
      function mergeTokenSourceMapRanges(sourceRanges, destRanges) {
        if (!destRanges) destRanges = [];
        for (const key in sourceRanges) {
          destRanges[key] = sourceRanges[key];
        }
        return destRanges;
      }
      function getOrCreateEmitNode(node) {
        if (!node.emitNode) {
          if (isParseTreeNode(node)) {
            if (node.kind === 307) {
              return node.emitNode = { annotatedNodes: [node] };
            }
            const sourceFile = getSourceFileOfNode(getParseTreeNode(getSourceFileOfNode(node))) ?? Debug.fail("Could not determine parsed source file.");
            getOrCreateEmitNode(sourceFile).annotatedNodes.push(node);
          }
          node.emitNode = {};
        } else {
          Debug.assert(!(node.emitNode.internalFlags & 8), "Invalid attempt to mutate an immutable node.");
        }
        return node.emitNode;
      }
      function disposeEmitNodes(sourceFile) {
        var _a, _b;
        const annotatedNodes = (_b = (_a = getSourceFileOfNode(getParseTreeNode(sourceFile))) == null ? void 0 : _a.emitNode) == null ? void 0 : _b.annotatedNodes;
        if (annotatedNodes) {
          for (const node of annotatedNodes) {
            node.emitNode = void 0;
          }
        }
      }
      function removeAllComments(node) {
        const emitNode = getOrCreateEmitNode(node);
        emitNode.flags |= 3072;
        emitNode.leadingComments = void 0;
        emitNode.trailingComments = void 0;
        return node;
      }
      function setEmitFlags(node, emitFlags) {
        getOrCreateEmitNode(node).flags = emitFlags;
        return node;
      }
      function addEmitFlags(node, emitFlags) {
        const emitNode = getOrCreateEmitNode(node);
        emitNode.flags = emitNode.flags | emitFlags;
        return node;
      }
      function setInternalEmitFlags(node, emitFlags) {
        getOrCreateEmitNode(node).internalFlags = emitFlags;
        return node;
      }
      function addInternalEmitFlags(node, emitFlags) {
        const emitNode = getOrCreateEmitNode(node);
        emitNode.internalFlags = emitNode.internalFlags | emitFlags;
        return node;
      }
      function getSourceMapRange(node) {
        var _a;
        return ((_a = node.emitNode) == null ? void 0 : _a.sourceMapRange) ?? node;
      }
      function setSourceMapRange(node, range) {
        getOrCreateEmitNode(node).sourceMapRange = range;
        return node;
      }
      function getTokenSourceMapRange(node, token) {
        var _a, _b;
        return (_b = (_a = node.emitNode) == null ? void 0 : _a.tokenSourceMapRanges) == null ? void 0 : _b[token];
      }
      function setTokenSourceMapRange(node, token, range) {
        const emitNode = getOrCreateEmitNode(node);
        const tokenSourceMapRanges = emitNode.tokenSourceMapRanges ?? (emitNode.tokenSourceMapRanges = []);
        tokenSourceMapRanges[token] = range;
        return node;
      }
      function getStartsOnNewLine(node) {
        var _a;
        return (_a = node.emitNode) == null ? void 0 : _a.startsOnNewLine;
      }
      function setStartsOnNewLine(node, newLine) {
        getOrCreateEmitNode(node).startsOnNewLine = newLine;
        return node;
      }
      function getCommentRange(node) {
        var _a;
        return ((_a = node.emitNode) == null ? void 0 : _a.commentRange) ?? node;
      }
      function setCommentRange(node, range) {
        getOrCreateEmitNode(node).commentRange = range;
        return node;
      }
      function getSyntheticLeadingComments(node) {
        var _a;
        return (_a = node.emitNode) == null ? void 0 : _a.leadingComments;
      }
      function setSyntheticLeadingComments(node, comments) {
        getOrCreateEmitNode(node).leadingComments = comments;
        return node;
      }
      function addSyntheticLeadingComment(node, kind, text, hasTrailingNewLine) {
        return setSyntheticLeadingComments(node, append(getSyntheticLeadingComments(node), { kind, pos: -1, end: -1, hasTrailingNewLine, text }));
      }
      function getSyntheticTrailingComments(node) {
        var _a;
        return (_a = node.emitNode) == null ? void 0 : _a.trailingComments;
      }
      function setSyntheticTrailingComments(node, comments) {
        getOrCreateEmitNode(node).trailingComments = comments;
        return node;
      }
      function addSyntheticTrailingComment(node, kind, text, hasTrailingNewLine) {
        return setSyntheticTrailingComments(node, append(getSyntheticTrailingComments(node), { kind, pos: -1, end: -1, hasTrailingNewLine, text }));
      }
      function moveSyntheticComments(node, original) {
        setSyntheticLeadingComments(node, getSyntheticLeadingComments(original));
        setSyntheticTrailingComments(node, getSyntheticTrailingComments(original));
        const emit = getOrCreateEmitNode(original);
        emit.leadingComments = void 0;
        emit.trailingComments = void 0;
        return node;
      }
      function getConstantValue(node) {
        var _a;
        return (_a = node.emitNode) == null ? void 0 : _a.constantValue;
      }
      function setConstantValue(node, value) {
        const emitNode = getOrCreateEmitNode(node);
        emitNode.constantValue = value;
        return node;
      }
      function addEmitHelper(node, helper) {
        const emitNode = getOrCreateEmitNode(node);
        emitNode.helpers = append(emitNode.helpers, helper);
        return node;
      }
      function addEmitHelpers(node, helpers) {
        if (some(helpers)) {
          const emitNode = getOrCreateEmitNode(node);
          for (const helper of helpers) {
            emitNode.helpers = appendIfUnique(emitNode.helpers, helper);
          }
        }
        return node;
      }
      function removeEmitHelper(node, helper) {
        var _a;
        const helpers = (_a = node.emitNode) == null ? void 0 : _a.helpers;
        if (helpers) {
          return orderedRemoveItem(helpers, helper);
        }
        return false;
      }
      function getEmitHelpers(node) {
        var _a;
        return (_a = node.emitNode) == null ? void 0 : _a.helpers;
      }
      function moveEmitHelpers(source, target, predicate) {
        const sourceEmitNode = source.emitNode;
        const sourceEmitHelpers = sourceEmitNode && sourceEmitNode.helpers;
        if (!some(sourceEmitHelpers)) return;
        const targetEmitNode = getOrCreateEmitNode(target);
        let helpersRemoved = 0;
        for (let i = 0; i < sourceEmitHelpers.length; i++) {
          const helper = sourceEmitHelpers[i];
          if (predicate(helper)) {
            helpersRemoved++;
            targetEmitNode.helpers = appendIfUnique(targetEmitNode.helpers, helper);
          } else if (helpersRemoved > 0) {
            sourceEmitHelpers[i - helpersRemoved] = helper;
          }
        }
        if (helpersRemoved > 0) {
          sourceEmitHelpers.length -= helpersRemoved;
        }
      }
      function getSnippetElement(node) {
        var _a;
        return (_a = node.emitNode) == null ? void 0 : _a.snippetElement;
      }
      function setSnippetElement(node, snippet) {
        const emitNode = getOrCreateEmitNode(node);
        emitNode.snippetElement = snippet;
        return node;
      }
      function ignoreSourceNewlines(node) {
        getOrCreateEmitNode(node).internalFlags |= 4;
        return node;
      }
      function setTypeNode(node, type) {
        const emitNode = getOrCreateEmitNode(node);
        emitNode.typeNode = type;
        return node;
      }
      function getTypeNode(node) {
        var _a;
        return (_a = node.emitNode) == null ? void 0 : _a.typeNode;
      }
      function setIdentifierTypeArguments(node, typeArguments) {
        getOrCreateEmitNode(node).identifierTypeArguments = typeArguments;
        return node;
      }
      function getIdentifierTypeArguments(node) {
        var _a;
        return (_a = node.emitNode) == null ? void 0 : _a.identifierTypeArguments;
      }
      function setIdentifierAutoGenerate(node, autoGenerate) {
        getOrCreateEmitNode(node).autoGenerate = autoGenerate;
        return node;
      }
      function getIdentifierAutoGenerate(node) {
        var _a;
        return (_a = node.emitNode) == null ? void 0 : _a.autoGenerate;
      }
      function setIdentifierGeneratedImportReference(node, value) {
        getOrCreateEmitNode(node).generatedImportReference = value;
        return node;
      }
      function getIdentifierGeneratedImportReference(node) {
        var _a;
        return (_a = node.emitNode) == null ? void 0 : _a.generatedImportReference;
      }
      var PrivateIdentifierKind = /* @__PURE__ */ ((PrivateIdentifierKind2) => {
        PrivateIdentifierKind2["Field"] = "f";
        PrivateIdentifierKind2["Method"] = "m";
        PrivateIdentifierKind2["Accessor"] = "a";
        return PrivateIdentifierKind2;
      })(PrivateIdentifierKind || {});
      function createEmitHelperFactory(context) {
        const factory2 = context.factory;
        const immutableTrue = memoize(() => setInternalEmitFlags(
          factory2.createTrue(),
          8
          /* Immutable */
        ));
        const immutableFalse = memoize(() => setInternalEmitFlags(
          factory2.createFalse(),
          8
          /* Immutable */
        ));
        return {
          getUnscopedHelperName,
          // TypeScript Helpers
          createDecorateHelper,
          createMetadataHelper,
          createParamHelper,
          // ES Decorators Helpers
          createESDecorateHelper,
          createRunInitializersHelper,
          // ES2018 Helpers
          createAssignHelper,
          createAwaitHelper,
          createAsyncGeneratorHelper,
          createAsyncDelegatorHelper,
          createAsyncValuesHelper,
          // ES2018 Destructuring Helpers
          createRestHelper,
          // ES2017 Helpers
          createAwaiterHelper,
          // ES2015 Helpers
          createExtendsHelper,
          createTemplateObjectHelper,
          createSpreadArrayHelper,
          createPropKeyHelper,
          createSetFunctionNameHelper,
          // ES2015 Destructuring Helpers
          createValuesHelper,
          createReadHelper,
          // ES2015 Generator Helpers
          createGeneratorHelper,
          // ES Module Helpers
          createImportStarHelper,
          createImportStarCallbackHelper,
          createImportDefaultHelper,
          createExportStarHelper,
          // Class Fields Helpers
          createClassPrivateFieldGetHelper,
          createClassPrivateFieldSetHelper,
          createClassPrivateFieldInHelper,
          // 'using' helpers
          createAddDisposableResourceHelper,
          createDisposeResourcesHelper
        };
        function getUnscopedHelperName(name) {
          return setEmitFlags(
            factory2.createIdentifier(name),
            8192 | 4
            /* AdviseOnEmitNode */
          );
        }
        function createDecorateHelper(decoratorExpressions, target, memberName, descriptor) {
          context.requestEmitHelper(decorateHelper);
          const argumentsArray = [];
          argumentsArray.push(factory2.createArrayLiteralExpression(
            decoratorExpressions,
            /*multiLine*/
            true
          ));
          argumentsArray.push(target);
          if (memberName) {
            argumentsArray.push(memberName);
            if (descriptor) {
              argumentsArray.push(descriptor);
            }
          }
          return factory2.createCallExpression(
            getUnscopedHelperName("__decorate"),
            /*typeArguments*/
            void 0,
            argumentsArray
          );
        }
        function createMetadataHelper(metadataKey, metadataValue) {
          context.requestEmitHelper(metadataHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__metadata"),
            /*typeArguments*/
            void 0,
            [
              factory2.createStringLiteral(metadataKey),
              metadataValue
            ]
          );
        }
        function createParamHelper(expression, parameterOffset, location) {
          context.requestEmitHelper(paramHelper);
          return setTextRange(
            factory2.createCallExpression(
              getUnscopedHelperName("__param"),
              /*typeArguments*/
              void 0,
              [
                factory2.createNumericLiteral(parameterOffset + ""),
                expression
              ]
            ),
            location
          );
        }
        function createESDecorateClassContextObject(contextIn) {
          const properties = [
            factory2.createPropertyAssignment(factory2.createIdentifier("kind"), factory2.createStringLiteral("class")),
            factory2.createPropertyAssignment(factory2.createIdentifier("name"), contextIn.name),
            factory2.createPropertyAssignment(factory2.createIdentifier("metadata"), contextIn.metadata)
          ];
          return factory2.createObjectLiteralExpression(properties);
        }
        function createESDecorateClassElementAccessGetMethod(elementName) {
          const accessor = elementName.computed ? factory2.createElementAccessExpression(factory2.createIdentifier("obj"), elementName.name) : factory2.createPropertyAccessExpression(factory2.createIdentifier("obj"), elementName.name);
          return factory2.createPropertyAssignment(
            "get",
            factory2.createArrowFunction(
              /*modifiers*/
              void 0,
              /*typeParameters*/
              void 0,
              [factory2.createParameterDeclaration(
                /*modifiers*/
                void 0,
                /*dotDotDotToken*/
                void 0,
                factory2.createIdentifier("obj")
              )],
              /*type*/
              void 0,
              /*equalsGreaterThanToken*/
              void 0,
              accessor
            )
          );
        }
        function createESDecorateClassElementAccessSetMethod(elementName) {
          const accessor = elementName.computed ? factory2.createElementAccessExpression(factory2.createIdentifier("obj"), elementName.name) : factory2.createPropertyAccessExpression(factory2.createIdentifier("obj"), elementName.name);
          return factory2.createPropertyAssignment(
            "set",
            factory2.createArrowFunction(
              /*modifiers*/
              void 0,
              /*typeParameters*/
              void 0,
              [
                factory2.createParameterDeclaration(
                  /*modifiers*/
                  void 0,
                  /*dotDotDotToken*/
                  void 0,
                  factory2.createIdentifier("obj")
                ),
                factory2.createParameterDeclaration(
                  /*modifiers*/
                  void 0,
                  /*dotDotDotToken*/
                  void 0,
                  factory2.createIdentifier("value")
                )
              ],
              /*type*/
              void 0,
              /*equalsGreaterThanToken*/
              void 0,
              factory2.createBlock([
                factory2.createExpressionStatement(
                  factory2.createAssignment(
                    accessor,
                    factory2.createIdentifier("value")
                  )
                )
              ])
            )
          );
        }
        function createESDecorateClassElementAccessHasMethod(elementName) {
          const propertyName = elementName.computed ? elementName.name : isIdentifier(elementName.name) ? factory2.createStringLiteralFromNode(elementName.name) : elementName.name;
          return factory2.createPropertyAssignment(
            "has",
            factory2.createArrowFunction(
              /*modifiers*/
              void 0,
              /*typeParameters*/
              void 0,
              [factory2.createParameterDeclaration(
                /*modifiers*/
                void 0,
                /*dotDotDotToken*/
                void 0,
                factory2.createIdentifier("obj")
              )],
              /*type*/
              void 0,
              /*equalsGreaterThanToken*/
              void 0,
              factory2.createBinaryExpression(
                propertyName,
                103,
                factory2.createIdentifier("obj")
              )
            )
          );
        }
        function createESDecorateClassElementAccessObject(name, access) {
          const properties = [];
          properties.push(createESDecorateClassElementAccessHasMethod(name));
          if (access.get) properties.push(createESDecorateClassElementAccessGetMethod(name));
          if (access.set) properties.push(createESDecorateClassElementAccessSetMethod(name));
          return factory2.createObjectLiteralExpression(properties);
        }
        function createESDecorateClassElementContextObject(contextIn) {
          const properties = [
            factory2.createPropertyAssignment(factory2.createIdentifier("kind"), factory2.createStringLiteral(contextIn.kind)),
            factory2.createPropertyAssignment(factory2.createIdentifier("name"), contextIn.name.computed ? contextIn.name.name : factory2.createStringLiteralFromNode(contextIn.name.name)),
            factory2.createPropertyAssignment(factory2.createIdentifier("static"), contextIn.static ? factory2.createTrue() : factory2.createFalse()),
            factory2.createPropertyAssignment(factory2.createIdentifier("private"), contextIn.private ? factory2.createTrue() : factory2.createFalse()),
            factory2.createPropertyAssignment(factory2.createIdentifier("access"), createESDecorateClassElementAccessObject(contextIn.name, contextIn.access)),
            factory2.createPropertyAssignment(factory2.createIdentifier("metadata"), contextIn.metadata)
          ];
          return factory2.createObjectLiteralExpression(properties);
        }
        function createESDecorateContextObject(contextIn) {
          return contextIn.kind === "class" ? createESDecorateClassContextObject(contextIn) : createESDecorateClassElementContextObject(contextIn);
        }
        function createESDecorateHelper(ctor, descriptorIn, decorators, contextIn, initializers, extraInitializers) {
          context.requestEmitHelper(esDecorateHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__esDecorate"),
            /*typeArguments*/
            void 0,
            [
              ctor ?? factory2.createNull(),
              descriptorIn ?? factory2.createNull(),
              decorators,
              createESDecorateContextObject(contextIn),
              initializers,
              extraInitializers
            ]
          );
        }
        function createRunInitializersHelper(thisArg, initializers, value) {
          context.requestEmitHelper(runInitializersHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__runInitializers"),
            /*typeArguments*/
            void 0,
            value ? [thisArg, initializers, value] : [thisArg, initializers]
          );
        }
        function createAssignHelper(attributesSegments) {
          if (getEmitScriptTarget(context.getCompilerOptions()) >= 2) {
            return factory2.createCallExpression(
              factory2.createPropertyAccessExpression(factory2.createIdentifier("Object"), "assign"),
              /*typeArguments*/
              void 0,
              attributesSegments
            );
          }
          context.requestEmitHelper(assignHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__assign"),
            /*typeArguments*/
            void 0,
            attributesSegments
          );
        }
        function createAwaitHelper(expression) {
          context.requestEmitHelper(awaitHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__await"),
            /*typeArguments*/
            void 0,
            [expression]
          );
        }
        function createAsyncGeneratorHelper(generatorFunc, hasLexicalThis) {
          context.requestEmitHelper(awaitHelper);
          context.requestEmitHelper(asyncGeneratorHelper);
          (generatorFunc.emitNode || (generatorFunc.emitNode = {})).flags |= 524288 | 1048576;
          return factory2.createCallExpression(
            getUnscopedHelperName("__asyncGenerator"),
            /*typeArguments*/
            void 0,
            [
              hasLexicalThis ? factory2.createThis() : factory2.createVoidZero(),
              factory2.createIdentifier("arguments"),
              generatorFunc
            ]
          );
        }
        function createAsyncDelegatorHelper(expression) {
          context.requestEmitHelper(awaitHelper);
          context.requestEmitHelper(asyncDelegator);
          return factory2.createCallExpression(
            getUnscopedHelperName("__asyncDelegator"),
            /*typeArguments*/
            void 0,
            [expression]
          );
        }
        function createAsyncValuesHelper(expression) {
          context.requestEmitHelper(asyncValues);
          return factory2.createCallExpression(
            getUnscopedHelperName("__asyncValues"),
            /*typeArguments*/
            void 0,
            [expression]
          );
        }
        function createRestHelper(value, elements, computedTempVariables, location) {
          context.requestEmitHelper(restHelper);
          const propertyNames = [];
          let computedTempVariableOffset = 0;
          for (let i = 0; i < elements.length - 1; i++) {
            const propertyName = getPropertyNameOfBindingOrAssignmentElement(elements[i]);
            if (propertyName) {
              if (isComputedPropertyName(propertyName)) {
                Debug.assertIsDefined(computedTempVariables, "Encountered computed property name but 'computedTempVariables' argument was not provided.");
                const temp = computedTempVariables[computedTempVariableOffset];
                computedTempVariableOffset++;
                propertyNames.push(
                  factory2.createConditionalExpression(
                    factory2.createTypeCheck(temp, "symbol"),
                    /*questionToken*/
                    void 0,
                    temp,
                    /*colonToken*/
                    void 0,
                    factory2.createAdd(temp, factory2.createStringLiteral(""))
                  )
                );
              } else {
                propertyNames.push(factory2.createStringLiteralFromNode(propertyName));
              }
            }
          }
          return factory2.createCallExpression(
            getUnscopedHelperName("__rest"),
            /*typeArguments*/
            void 0,
            [
              value,
              setTextRange(
                factory2.createArrayLiteralExpression(propertyNames),
                location
              )
            ]
          );
        }
        function createAwaiterHelper(hasLexicalThis, argumentsExpression, promiseConstructor, parameters, body) {
          context.requestEmitHelper(awaiterHelper);
          const generatorFunc = factory2.createFunctionExpression(
            /*modifiers*/
            void 0,
            factory2.createToken(
              42
              /* AsteriskToken */
            ),
            /*name*/
            void 0,
            /*typeParameters*/
            void 0,
            parameters ?? [],
            /*type*/
            void 0,
            body
          );
          (generatorFunc.emitNode || (generatorFunc.emitNode = {})).flags |= 524288 | 1048576;
          return factory2.createCallExpression(
            getUnscopedHelperName("__awaiter"),
            /*typeArguments*/
            void 0,
            [
              hasLexicalThis ? factory2.createThis() : factory2.createVoidZero(),
              argumentsExpression ?? factory2.createVoidZero(),
              promiseConstructor ? createExpressionFromEntityName(factory2, promiseConstructor) : factory2.createVoidZero(),
              generatorFunc
            ]
          );
        }
        function createExtendsHelper(name) {
          context.requestEmitHelper(extendsHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__extends"),
            /*typeArguments*/
            void 0,
            [name, factory2.createUniqueName(
              "_super",
              16 | 32
              /* FileLevel */
            )]
          );
        }
        function createTemplateObjectHelper(cooked, raw) {
          context.requestEmitHelper(templateObjectHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__makeTemplateObject"),
            /*typeArguments*/
            void 0,
            [cooked, raw]
          );
        }
        function createSpreadArrayHelper(to, from, packFrom) {
          context.requestEmitHelper(spreadArrayHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__spreadArray"),
            /*typeArguments*/
            void 0,
            [to, from, packFrom ? immutableTrue() : immutableFalse()]
          );
        }
        function createPropKeyHelper(expr) {
          context.requestEmitHelper(propKeyHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__propKey"),
            /*typeArguments*/
            void 0,
            [expr]
          );
        }
        function createSetFunctionNameHelper(f, name, prefix) {
          context.requestEmitHelper(setFunctionNameHelper);
          return context.factory.createCallExpression(
            getUnscopedHelperName("__setFunctionName"),
            /*typeArguments*/
            void 0,
            prefix ? [f, name, context.factory.createStringLiteral(prefix)] : [f, name]
          );
        }
        function createValuesHelper(expression) {
          context.requestEmitHelper(valuesHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__values"),
            /*typeArguments*/
            void 0,
            [expression]
          );
        }
        function createReadHelper(iteratorRecord, count) {
          context.requestEmitHelper(readHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__read"),
            /*typeArguments*/
            void 0,
            count !== void 0 ? [iteratorRecord, factory2.createNumericLiteral(count + "")] : [iteratorRecord]
          );
        }
        function createGeneratorHelper(body) {
          context.requestEmitHelper(generatorHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__generator"),
            /*typeArguments*/
            void 0,
            [factory2.createThis(), body]
          );
        }
        function createImportStarHelper(expression) {
          context.requestEmitHelper(importStarHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__importStar"),
            /*typeArguments*/
            void 0,
            [expression]
          );
        }
        function createImportStarCallbackHelper() {
          context.requestEmitHelper(importStarHelper);
          return getUnscopedHelperName("__importStar");
        }
        function createImportDefaultHelper(expression) {
          context.requestEmitHelper(importDefaultHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__importDefault"),
            /*typeArguments*/
            void 0,
            [expression]
          );
        }
        function createExportStarHelper(moduleExpression, exportsExpression = factory2.createIdentifier("exports")) {
          context.requestEmitHelper(exportStarHelper);
          context.requestEmitHelper(createBindingHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__exportStar"),
            /*typeArguments*/
            void 0,
            [moduleExpression, exportsExpression]
          );
        }
        function createClassPrivateFieldGetHelper(receiver, state, kind, f) {
          context.requestEmitHelper(classPrivateFieldGetHelper);
          let args;
          if (!f) {
            args = [receiver, state, factory2.createStringLiteral(kind)];
          } else {
            args = [receiver, state, factory2.createStringLiteral(kind), f];
          }
          return factory2.createCallExpression(
            getUnscopedHelperName("__classPrivateFieldGet"),
            /*typeArguments*/
            void 0,
            args
          );
        }
        function createClassPrivateFieldSetHelper(receiver, state, value, kind, f) {
          context.requestEmitHelper(classPrivateFieldSetHelper);
          let args;
          if (!f) {
            args = [receiver, state, value, factory2.createStringLiteral(kind)];
          } else {
            args = [receiver, state, value, factory2.createStringLiteral(kind), f];
          }
          return factory2.createCallExpression(
            getUnscopedHelperName("__classPrivateFieldSet"),
            /*typeArguments*/
            void 0,
            args
          );
        }
        function createClassPrivateFieldInHelper(state, receiver) {
          context.requestEmitHelper(classPrivateFieldInHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__classPrivateFieldIn"),
            /*typeArguments*/
            void 0,
            [state, receiver]
          );
        }
        function createAddDisposableResourceHelper(envBinding, value, async) {
          context.requestEmitHelper(addDisposableResourceHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__addDisposableResource"),
            /*typeArguments*/
            void 0,
            [envBinding, value, async ? factory2.createTrue() : factory2.createFalse()]
          );
        }
        function createDisposeResourcesHelper(envBinding) {
          context.requestEmitHelper(disposeResourcesHelper);
          return factory2.createCallExpression(
            getUnscopedHelperName("__disposeResources"),
            /*typeArguments*/
            void 0,
            [envBinding]
          );
        }
      }
      function compareEmitHelpers(x, y) {
        if (x === y) return 0;
        if (x.priority === y.priority) return 0;
        if (x.priority === void 0) return 1;
        if (y.priority === void 0) return -1;
        return compareValues(x.priority, y.priority);
      }
      function helperString(input, ...args) {
        return (uniqueName) => {
          let result = "";
          for (let i = 0; i < args.length; i++) {
            result += input[i];
            result += uniqueName(args[i]);
          }
          result += input[input.length - 1];
          return result;
        };
      }
      var decorateHelper = {
        name: "typescript:decorate",
        importName: "__decorate",
        scoped: false,
        priority: 2,
        text: `
            var __decorate = (this && this.__decorate) || function (decorators, target, key, desc) {
                var c = arguments.length, r = c < 3 ? target : desc === null ? desc = Object.getOwnPropertyDescriptor(target, key) : desc, d;
                if (typeof Reflect === "object" && typeof Reflect.decorate === "function") r = Reflect.decorate(decorators, target, key, desc);
                else for (var i = decorators.length - 1; i >= 0; i--) if (d = decorators[i]) r = (c < 3 ? d(r) : c > 3 ? d(target, key, r) : d(target, key)) || r;
                return c > 3 && r && Object.defineProperty(target, key, r), r;
            };`
      };
      var metadataHelper = {
        name: "typescript:metadata",
        importName: "__metadata",
        scoped: false,
        priority: 3,
        text: `
            var __metadata = (this && this.__metadata) || function (k, v) {
                if (typeof Reflect === "object" && typeof Reflect.metadata === "function") return Reflect.metadata(k, v);
            };`
      };
      var paramHelper = {
        name: "typescript:param",
        importName: "__param",
        scoped: false,
        priority: 4,
        text: `
            var __param = (this && this.__param) || function (paramIndex, decorator) {
                return function (target, key) { decorator(target, key, paramIndex); }
            };`
      };
      var esDecorateHelper = {
        name: "typescript:esDecorate",
        importName: "__esDecorate",
        scoped: false,
        priority: 2,
        text: `
        var __esDecorate = (this && this.__esDecorate) || function (ctor, descriptorIn, decorators, contextIn, initializers, extraInitializers) {
            function accept(f) { if (f !== void 0 && typeof f !== "function") throw new TypeError("Function expected"); return f; }
            var kind = contextIn.kind, key = kind === "getter" ? "get" : kind === "setter" ? "set" : "value";
            var target = !descriptorIn && ctor ? contextIn["static"] ? ctor : ctor.prototype : null;
            var descriptor = descriptorIn || (target ? Object.getOwnPropertyDescriptor(target, contextIn.name) : {});
            var _, done = false;
            for (var i = decorators.length - 1; i >= 0; i--) {
                var context = {};
                for (var p in contextIn) context[p] = p === "access" ? {} : contextIn[p];
                for (var p in contextIn.access) context.access[p] = contextIn.access[p];
                context.addInitializer = function (f) { if (done) throw new TypeError("Cannot add initializers after decoration has completed"); extraInitializers.push(accept(f || null)); };
                var result = (0, decorators[i])(kind === "accessor" ? { get: descriptor.get, set: descriptor.set } : descriptor[key], context);
                if (kind === "accessor") {
                    if (result === void 0) continue;
                    if (result === null || typeof result !== "object") throw new TypeError("Object expected");
                    if (_ = accept(result.get)) descriptor.get = _;
                    if (_ = accept(result.set)) descriptor.set = _;
                    if (_ = accept(result.init)) initializers.unshift(_);
                }
                else if (_ = accept(result)) {
                    if (kind === "field") initializers.unshift(_);
                    else descriptor[key] = _;
                }
            }
            if (target) Object.defineProperty(target, contextIn.name, descriptor);
            done = true;
        };`
      };
      var runInitializersHelper = {
        name: "typescript:runInitializers",
        importName: "__runInitializers",
        scoped: false,
        priority: 2,
        text: `
        var __runInitializers = (this && this.__runInitializers) || function (thisArg, initializers, value) {
            var useValue = arguments.length > 2;
            for (var i = 0; i < initializers.length; i++) {
                value = useValue ? initializers[i].call(thisArg, value) : initializers[i].call(thisArg);
            }
            return useValue ? value : void 0;
        };`
      };
      var assignHelper = {
        name: "typescript:assign",
        importName: "__assign",
        scoped: false,
        priority: 1,
        text: `
            var __assign = (this && this.__assign) || function () {
                __assign = Object.assign || function(t) {
                    for (var s, i = 1, n = arguments.length; i < n; i++) {
                        s = arguments[i];
                        for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p))
                            t[p] = s[p];
                    }
                    return t;
                };
                return __assign.apply(this, arguments);
            };`
      };
      var awaitHelper = {
        name: "typescript:await",
        importName: "__await",
        scoped: false,
        text: `
            var __await = (this && this.__await) || function (v) { return this instanceof __await ? (this.v = v, this) : new __await(v); }`
      };
      var asyncGeneratorHelper = {
        name: "typescript:asyncGenerator",
        importName: "__asyncGenerator",
        scoped: false,
        dependencies: [awaitHelper],
        text: `
        var __asyncGenerator = (this && this.__asyncGenerator) || function (thisArg, _arguments, generator) {
            if (!Symbol.asyncIterator) throw new TypeError("Symbol.asyncIterator is not defined.");
            var g = generator.apply(thisArg, _arguments || []), i, q = [];
            return i = {}, verb("next"), verb("throw"), verb("return", awaitReturn), i[Symbol.asyncIterator] = function () { return this; }, i;
            function awaitReturn(f) { return function (v) { return Promise.resolve(v).then(f, reject); }; }
            function verb(n, f) { if (g[n]) { i[n] = function (v) { return new Promise(function (a, b) { q.push([n, v, a, b]) > 1 || resume(n, v); }); }; if (f) i[n] = f(i[n]); } }
            function resume(n, v) { try { step(g[n](v)); } catch (e) { settle(q[0][3], e); } }
            function step(r) { r.value instanceof __await ? Promise.resolve(r.value.v).then(fulfill, reject) : settle(q[0][2], r); }
            function fulfill(value) { resume("next", value); }
            function reject(value) { resume("throw", value); }
            function settle(f, v) { if (f(v), q.shift(), q.length) resume(q[0][0], q[0][1]); }
        };`
      };
      var asyncDelegator = {
        name: "typescript:asyncDelegator",
        importName: "__asyncDelegator",
        scoped: false,
        dependencies: [awaitHelper],
        text: `
            var __asyncDelegator = (this && this.__asyncDelegator) || function (o) {
                var i, p;
                return i = {}, verb("next"), verb("throw", function (e) { throw e; }), verb("return"), i[Symbol.iterator] = function () { return this; }, i;
                function verb(n, f) { i[n] = o[n] ? function (v) { return (p = !p) ? { value: __await(o[n](v)), done: false } : f ? f(v) : v; } : f; }
            };`
      };
      var asyncValues = {
        name: "typescript:asyncValues",
        importName: "__asyncValues",
        scoped: false,
        text: `
            var __asyncValues = (this && this.__asyncValues) || function (o) {
                if (!Symbol.asyncIterator) throw new TypeError("Symbol.asyncIterator is not defined.");
                var m = o[Symbol.asyncIterator], i;
                return m ? m.call(o) : (o = typeof __values === "function" ? __values(o) : o[Symbol.iterator](), i = {}, verb("next"), verb("throw"), verb("return"), i[Symbol.asyncIterator] = function () { return this; }, i);
                function verb(n) { i[n] = o[n] && function (v) { return new Promise(function (resolve, reject) { v = o[n](v), settle(resolve, reject, v.done, v.value); }); }; }
                function settle(resolve, reject, d, v) { Promise.resolve(v).then(function(v) { resolve({ value: v, done: d }); }, reject); }
            };`
      };
      var restHelper = {
        name: "typescript:rest",
        importName: "__rest",
        scoped: false,
        text: `
            var __rest = (this && this.__rest) || function (s, e) {
                var t = {};
                for (var p in s) if (Object.prototype.hasOwnProperty.call(s, p) && e.indexOf(p) < 0)
                    t[p] = s[p];
                if (s != null && typeof Object.getOwnPropertySymbols === "function")
                    for (var i = 0, p = Object.getOwnPropertySymbols(s); i < p.length; i++) {
                        if (e.indexOf(p[i]) < 0 && Object.prototype.propertyIsEnumerable.call(s, p[i]))
                            t[p[i]] = s[p[i]];
                    }
                return t;
            };`
      };
      var awaiterHelper = {
        name: "typescript:awaiter",
        importName: "__awaiter",
        scoped: false,
        priority: 5,
        text: `
            var __awaiter = (this && this.__awaiter) || function (thisArg, _arguments, P, generator) {
                function adopt(value) { return value instanceof P ? value : new P(function (resolve) { resolve(value); }); }
                return new (P || (P = Promise))(function (resolve, reject) {
                    function fulfilled(value) { try { step(generator.next(value)); } catch (e) { reject(e); } }
                    function rejected(value) { try { step(generator["throw"](value)); } catch (e) { reject(e); } }
                    function step(result) { result.done ? resolve(result.value) : adopt(result.value).then(fulfilled, rejected); }
                    step((generator = generator.apply(thisArg, _arguments || [])).next());
                });
            };`
      };
      var extendsHelper = {
        name: "typescript:extends",
        importName: "__extends",
        scoped: false,
        priority: 0,
        text: `
            var __extends = (this && this.__extends) || (function () {
                var extendStatics = function (d, b) {
                    extendStatics = Object.setPrototypeOf ||
                        ({ __proto__: [] } instanceof Array && function (d, b) { d.__proto__ = b; }) ||
                        function (d, b) { for (var p in b) if (Object.prototype.hasOwnProperty.call(b, p)) d[p] = b[p]; };
                    return extendStatics(d, b);
                };

                return function (d, b) {
                    if (typeof b !== "function" && b !== null)
                        throw new TypeError("Class extends value " + String(b) + " is not a constructor or null");
                    extendStatics(d, b);
                    function __() { this.constructor = d; }
                    d.prototype = b === null ? Object.create(b) : (__.prototype = b.prototype, new __());
                };
            })();`
      };
      var templateObjectHelper = {
        name: "typescript:makeTemplateObject",
        importName: "__makeTemplateObject",
        scoped: false,
        priority: 0,
        text: `
            var __makeTemplateObject = (this && this.__makeTemplateObject) || function (cooked, raw) {
                if (Object.defineProperty) { Object.defineProperty(cooked, "raw", { value: raw }); } else { cooked.raw = raw; }
                return cooked;
            };`
      };
      var readHelper = {
        name: "typescript:read",
        importName: "__read",
        scoped: false,
        text: `
            var __read = (this && this.__read) || function (o, n) {
                var m = typeof Symbol === "function" && o[Symbol.iterator];
                if (!m) return o;
                var i = m.call(o), r, ar = [], e;
                try {
                    while ((n === void 0 || n-- > 0) && !(r = i.next()).done) ar.push(r.value);
                }
                catch (error) { e = { error: error }; }
                finally {
                    try {
                        if (r && !r.done && (m = i["return"])) m.call(i);
                    }
                    finally { if (e) throw e.error; }
                }
                return ar;
            };`
      };
      var spreadArrayHelper = {
        name: "typescript:spreadArray",
        importName: "__spreadArray",
        scoped: false,
        text: `
            var __spreadArray = (this && this.__spreadArray) || function (to, from, pack) {
                if (pack || arguments.length === 2) for (var i = 0, l = from.length, ar; i < l; i++) {
                    if (ar || !(i in from)) {
                        if (!ar) ar = Array.prototype.slice.call(from, 0, i);
                        ar[i] = from[i];
                    }
                }
                return to.concat(ar || Array.prototype.slice.call(from));
            };`
      };
      var propKeyHelper = {
        name: "typescript:propKey",
        importName: "__propKey",
        scoped: false,
        text: `
        var __propKey = (this && this.__propKey) || function (x) {
            return typeof x === "symbol" ? x : "".concat(x);
        };`
      };
      var setFunctionNameHelper = {
        name: "typescript:setFunctionName",
        importName: "__setFunctionName",
        scoped: false,
        text: `
        var __setFunctionName = (this && this.__setFunctionName) || function (f, name, prefix) {
            if (typeof name === "symbol") name = name.description ? "[".concat(name.description, "]") : "";
            return Object.defineProperty(f, "name", { configurable: true, value: prefix ? "".concat(prefix, " ", name) : name });
        };`
      };
      var valuesHelper = {
        name: "typescript:values",
        importName: "__values",
        scoped: false,
        text: `
            var __values = (this && this.__values) || function(o) {
                var s = typeof Symbol === "function" && Symbol.iterator, m = s && o[s], i = 0;
                if (m) return m.call(o);
                if (o && typeof o.length === "number") return {
                    next: function () {
                        if (o && i >= o.length) o = void 0;
                        return { value: o && o[i++], done: !o };
                    }
                };
                throw new TypeError(s ? "Object is not iterable." : "Symbol.iterator is not defined.");
            };`
      };
      var generatorHelper = {
        name: "typescript:generator",
        importName: "__generator",
        scoped: false,
        priority: 6,
        text: `
            var __generator = (this && this.__generator) || function (thisArg, body) {
                var _ = { label: 0, sent: function() { if (t[0] & 1) throw t[1]; return t[1]; }, trys: [], ops: [] }, f, y, t, g;
                return g = { next: verb(0), "throw": verb(1), "return": verb(2) }, typeof Symbol === "function" && (g[Symbol.iterator] = function() { return this; }), g;
                function verb(n) { return function (v) { return step([n, v]); }; }
                function step(op) {
                    if (f) throw new TypeError("Generator is already executing.");
                    while (g && (g = 0, op[0] && (_ = 0)), _) try {
                        if (f = 1, y && (t = op[0] & 2 ? y["return"] : op[0] ? y["throw"] || ((t = y["return"]) && t.call(y), 0) : y.next) && !(t = t.call(y, op[1])).done) return t;
                        if (y = 0, t) op = [op[0] & 2, t.value];
                        switch (op[0]) {
                            case 0: case 1: t = op; break;
                            case 4: _.label++; return { value: op[1], done: false };
                            case 5: _.label++; y = op[1]; op = [0]; continue;
                            case 7: op = _.ops.pop(); _.trys.pop(); continue;
                            default:
                                if (!(t = _.trys, t = t.length > 0 && t[t.length - 1]) && (op[0] === 6 || op[0] === 2)) { _ = 0; continue; }
                                if (op[0] === 3 && (!t || (op[1] > t[0] && op[1] < t[3]))) { _.label = op[1]; break; }
                                if (op[0] === 6 && _.label < t[1]) { _.label = t[1]; t = op; break; }
                                if (t && _.label < t[2]) { _.label = t[2]; _.ops.push(op); break; }
                                if (t[2]) _.ops.pop();
                                _.trys.pop(); continue;
                        }
                        op = body.call(thisArg, _);
                    } catch (e) { op = [6, e]; y = 0; } finally { f = t = 0; }
                    if (op[0] & 5) throw op[1]; return { value: op[0] ? op[1] : void 0, done: true };
                }
            };`
      };
      var createBindingHelper = {
        name: "typescript:commonjscreatebinding",
        importName: "__createBinding",
        scoped: false,
        priority: 1,
        text: `
            var __createBinding = (this && this.__createBinding) || (Object.create ? (function(o, m, k, k2) {
                if (k2 === undefined) k2 = k;
                var desc = Object.getOwnPropertyDescriptor(m, k);
                if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
                  desc = { enumerable: true, get: function() { return m[k]; } };
                }
                Object.defineProperty(o, k2, desc);
            }) : (function(o, m, k, k2) {
                if (k2 === undefined) k2 = k;
                o[k2] = m[k];
            }));`
      };
      var setModuleDefaultHelper = {
        name: "typescript:commonjscreatevalue",
        importName: "__setModuleDefault",
        scoped: false,
        priority: 1,
        text: `
            var __setModuleDefault = (this && this.__setModuleDefault) || (Object.create ? (function(o, v) {
                Object.defineProperty(o, "default", { enumerable: true, value: v });
            }) : function(o, v) {
                o["default"] = v;
            });`
      };
      var importStarHelper = {
        name: "typescript:commonjsimportstar",
        importName: "__importStar",
        scoped: false,
        dependencies: [createBindingHelper, setModuleDefaultHelper],
        priority: 2,
        text: `
            var __importStar = (this && this.__importStar) || function (mod) {
                if (mod && mod.__esModule) return mod;
                var result = {};
                if (mod != null) for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding(result, mod, k);
                __setModuleDefault(result, mod);
                return result;
            };`
      };
      var importDefaultHelper = {
        name: "typescript:commonjsimportdefault",
        importName: "__importDefault",
        scoped: false,
        text: `
            var __importDefault = (this && this.__importDefault) || function (mod) {
                return (mod && mod.__esModule) ? mod : { "default": mod };
            };`
      };
      var exportStarHelper = {
        name: "typescript:export-star",
        importName: "__exportStar",
        scoped: false,
        dependencies: [createBindingHelper],
        priority: 2,
        text: `
            var __exportStar = (this && this.__exportStar) || function(m, exports) {
                for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports, p)) __createBinding(exports, m, p);
            };`
      };
      var classPrivateFieldGetHelper = {
        name: "typescript:classPrivateFieldGet",
        importName: "__classPrivateFieldGet",
        scoped: false,
        text: `
            var __classPrivateFieldGet = (this && this.__classPrivateFieldGet) || function (receiver, state, kind, f) {
                if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter");
                if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it");
                return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver);
            };`
      };
      var classPrivateFieldSetHelper = {
        name: "typescript:classPrivateFieldSet",
        importName: "__classPrivateFieldSet",
        scoped: false,
        text: `
            var __classPrivateFieldSet = (this && this.__classPrivateFieldSet) || function (receiver, state, value, kind, f) {
                if (kind === "m") throw new TypeError("Private method is not writable");
                if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter");
                if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it");
                return (kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value)), value;
            };`
      };
      var classPrivateFieldInHelper = {
        name: "typescript:classPrivateFieldIn",
        importName: "__classPrivateFieldIn",
        scoped: false,
        text: `
            var __classPrivateFieldIn = (this && this.__classPrivateFieldIn) || function(state, receiver) {
                if (receiver === null || (typeof receiver !== "object" && typeof receiver !== "function")) throw new TypeError("Cannot use 'in' operator on non-object");
                return typeof state === "function" ? receiver === state : state.has(receiver);
            };`
      };
      var addDisposableResourceHelper = {
        name: "typescript:addDisposableResource",
        importName: "__addDisposableResource",
        scoped: false,
        text: `
        var __addDisposableResource = (this && this.__addDisposableResource) || function (env, value, async) {
            if (value !== null && value !== void 0) {
                if (typeof value !== "object" && typeof value !== "function") throw new TypeError("Object expected.");
                var dispose, inner;
                if (async) {
                    if (!Symbol.asyncDispose) throw new TypeError("Symbol.asyncDispose is not defined.");
                    dispose = value[Symbol.asyncDispose];
                }
                if (dispose === void 0) {
                    if (!Symbol.dispose) throw new TypeError("Symbol.dispose is not defined.");
                    dispose = value[Symbol.dispose];
                    if (async) inner = dispose;
                }
                if (typeof dispose !== "function") throw new TypeError("Object not disposable.");
                if (inner) dispose = function() { try { inner.call(this); } catch (e) { return Promise.reject(e); } };
                env.stack.push({ value: value, dispose: dispose, async: async });
            }
            else if (async) {
                env.stack.push({ async: true });
            }
            return value;
        };`
      };
      var disposeResourcesHelper = {
        name: "typescript:disposeResources",
        importName: "__disposeResources",
        scoped: false,
        text: `
        var __disposeResources = (this && this.__disposeResources) || (function (SuppressedError) {
            return function (env) {
                function fail(e) {
                    env.error = env.hasError ? new SuppressedError(e, env.error, "An error was suppressed during disposal.") : e;
                    env.hasError = true;
                }
                function next() {
                    while (env.stack.length) {
                        var rec = env.stack.pop();
                        try {
                            var result = rec.dispose && rec.dispose.call(rec.value);
                            if (rec.async) return Promise.resolve(result).then(next, function(e) { fail(e); return next(); });
                        }
                        catch (e) {
                            fail(e);
                        }
                    }
                    if (env.hasError) throw env.error;
                }
                return next();
            };
        })(typeof SuppressedError === "function" ? SuppressedError : function (error, suppressed, message) {
            var e = new Error(message);
            return e.name = "SuppressedError", e.error = error, e.suppressed = suppressed, e;
        });`
      };
      var asyncSuperHelper = {
        name: "typescript:async-super",
        scoped: true,
        text: helperString`
            const ${"_superIndex"} = name => super[name];`
      };
      var advancedAsyncSuperHelper = {
        name: "typescript:advanced-async-super",
        scoped: true,
        text: helperString`
            const ${"_superIndex"} = (function (geti, seti) {
                const cache = Object.create(null);
                return name => cache[name] || (cache[name] = { get value() { return geti(name); }, set value(v) { seti(name, v); } });
            })(name => super[name], (name, value) => super[name] = value);`
      };
      function isCallToHelper(firstSegment, helperName) {
        return isCallExpression2(firstSegment) && isIdentifier(firstSegment.expression) && (getEmitFlags(firstSegment.expression) & 8192) !== 0 && firstSegment.expression.escapedText === helperName;
      }
      function isNumericLiteral(node) {
        return node.kind === 9;
      }
      function isBigIntLiteral2(node) {
        return node.kind === 10;
      }
      function isStringLiteral2(node) {
        return node.kind === 11;
      }
      function isJsxText(node) {
        return node.kind === 12;
      }
      function isRegularExpressionLiteral(node) {
        return node.kind === 14;
      }
      function isNoSubstitutionTemplateLiteral(node) {
        return node.kind === 15;
      }
      function isTemplateHead(node) {
        return node.kind === 16;
      }
      function isTemplateMiddle(node) {
        return node.kind === 17;
      }
      function isTemplateTail(node) {
        return node.kind === 18;
      }
      function isDotDotDotToken(node) {
        return node.kind === 26;
      }
      function isCommaToken2(node) {
        return node.kind === 28;
      }
      function isPlusToken(node) {
        return node.kind === 40;
      }
      function isMinusToken(node) {
        return node.kind === 41;
      }
      function isAsteriskToken(node) {
        return node.kind === 42;
      }
      function isExclamationToken(node) {
        return node.kind === 54;
      }
      function isQuestionToken(node) {
        return node.kind === 58;
      }
      function isColonToken2(node) {
        return node.kind === 59;
      }
      function isQuestionDotToken(node) {
        return node.kind === 29;
      }
      function isEqualsGreaterThanToken(node) {
        return node.kind === 39;
      }
      function isIdentifier(node) {
        return node.kind === 80;
      }
      function isPrivateIdentifier(node) {
        return node.kind === 81;
      }
      function isExportModifier(node) {
        return node.kind === 95;
      }
      function isDefaultModifier(node) {
        return node.kind === 90;
      }
      function isAsyncModifier(node) {
        return node.kind === 134;
      }
      function isAssertsKeyword(node) {
        return node.kind === 131;
      }
      function isAwaitKeyword(node) {
        return node.kind === 135;
      }
      function isReadonlyKeyword(node) {
        return node.kind === 148;
      }
      function isStaticModifier(node) {
        return node.kind === 126;
      }
      function isAbstractModifier(node) {
        return node.kind === 128;
      }
      function isOverrideModifier(node) {
        return node.kind === 164;
      }
      function isAccessorModifier(node) {
        return node.kind === 129;
      }
      function isSuperKeyword(node) {
        return node.kind === 108;
      }
      function isImportKeyword(node) {
        return node.kind === 102;
      }
      function isCaseKeyword(node) {
        return node.kind === 84;
      }
      function isQualifiedName(node) {
        return node.kind === 166;
      }
      function isComputedPropertyName(node) {
        return node.kind === 167;
      }
      function isTypeParameterDeclaration(node) {
        return node.kind === 168;
      }
      function isParameter(node) {
        return node.kind === 169;
      }
      function isDecorator(node) {
        return node.kind === 170;
      }
      function isPropertySignature(node) {
        return node.kind === 171;
      }
      function isPropertyDeclaration(node) {
        return node.kind === 172;
      }
      function isMethodSignature(node) {
        return node.kind === 173;
      }
      function isMethodDeclaration(node) {
        return node.kind === 174;
      }
      function isClassStaticBlockDeclaration(node) {
        return node.kind === 175;
      }
      function isConstructorDeclaration(node) {
        return node.kind === 176;
      }
      function isGetAccessorDeclaration(node) {
        return node.kind === 177;
      }
      function isSetAccessorDeclaration(node) {
        return node.kind === 178;
      }
      function isCallSignatureDeclaration(node) {
        return node.kind === 179;
      }
      function isConstructSignatureDeclaration(node) {
        return node.kind === 180;
      }
      function isIndexSignatureDeclaration(node) {
        return node.kind === 181;
      }
      function isTypePredicateNode(node) {
        return node.kind === 182;
      }
      function isTypeReferenceNode(node) {
        return node.kind === 183;
      }
      function isFunctionTypeNode(node) {
        return node.kind === 184;
      }
      function isConstructorTypeNode(node) {
        return node.kind === 185;
      }
      function isTypeQueryNode(node) {
        return node.kind === 186;
      }
      function isTypeLiteralNode(node) {
        return node.kind === 187;
      }
      function isArrayTypeNode(node) {
        return node.kind === 188;
      }
      function isTupleTypeNode(node) {
        return node.kind === 189;
      }
      function isNamedTupleMember(node) {
        return node.kind === 202;
      }
      function isOptionalTypeNode(node) {
        return node.kind === 190;
      }
      function isRestTypeNode(node) {
        return node.kind === 191;
      }
      function isUnionTypeNode(node) {
        return node.kind === 192;
      }
      function isIntersectionTypeNode(node) {
        return node.kind === 193;
      }
      function isConditionalTypeNode(node) {
        return node.kind === 194;
      }
      function isInferTypeNode(node) {
        return node.kind === 195;
      }
      function isParenthesizedTypeNode(node) {
        return node.kind === 196;
      }
      function isThisTypeNode(node) {
        return node.kind === 197;
      }
      function isTypeOperatorNode(node) {
        return node.kind === 198;
      }
      function isIndexedAccessTypeNode(node) {
        return node.kind === 199;
      }
      function isMappedTypeNode(node) {
        return node.kind === 200;
      }
      function isLiteralTypeNode(node) {
        return node.kind === 201;
      }
      function isImportTypeNode(node) {
        return node.kind === 205;
      }
      function isTemplateLiteralTypeSpan(node) {
        return node.kind === 204;
      }
      function isTemplateLiteralTypeNode(node) {
        return node.kind === 203;
      }
      function isObjectBindingPattern(node) {
        return node.kind === 206;
      }
      function isArrayBindingPattern(node) {
        return node.kind === 207;
      }
      function isBindingElement(node) {
        return node.kind === 208;
      }
      function isArrayLiteralExpression(node) {
        return node.kind === 209;
      }
      function isObjectLiteralExpression(node) {
        return node.kind === 210;
      }
      function isPropertyAccessExpression(node) {
        return node.kind === 211;
      }
      function isElementAccessExpression(node) {
        return node.kind === 212;
      }
      function isCallExpression2(node) {
        return node.kind === 213;
      }
      function isNewExpression2(node) {
        return node.kind === 214;
      }
      function isTaggedTemplateExpression(node) {
        return node.kind === 215;
      }
      function isTypeAssertionExpression(node) {
        return node.kind === 216;
      }
      function isParenthesizedExpression(node) {
        return node.kind === 217;
      }
      function isFunctionExpression(node) {
        return node.kind === 218;
      }
      function isArrowFunction(node) {
        return node.kind === 219;
      }
      function isDeleteExpression(node) {
        return node.kind === 220;
      }
      function isTypeOfExpression(node) {
        return node.kind === 221;
      }
      function isVoidExpression(node) {
        return node.kind === 222;
      }
      function isAwaitExpression(node) {
        return node.kind === 223;
      }
      function isPrefixUnaryExpression(node) {
        return node.kind === 224;
      }
      function isPostfixUnaryExpression(node) {
        return node.kind === 225;
      }
      function isBinaryExpression(node) {
        return node.kind === 226;
      }
      function isConditionalExpression(node) {
        return node.kind === 227;
      }
      function isTemplateExpression(node) {
        return node.kind === 228;
      }
      function isYieldExpression(node) {
        return node.kind === 229;
      }
      function isSpreadElement(node) {
        return node.kind === 230;
      }
      function isClassExpression(node) {
        return node.kind === 231;
      }
      function isOmittedExpression(node) {
        return node.kind === 232;
      }
      function isExpressionWithTypeArguments(node) {
        return node.kind === 233;
      }
      function isAsExpression(node) {
        return node.kind === 234;
      }
      function isSatisfiesExpression(node) {
        return node.kind === 238;
      }
      function isNonNullExpression(node) {
        return node.kind === 235;
      }
      function isMetaProperty(node) {
        return node.kind === 236;
      }
      function isSyntheticExpression(node) {
        return node.kind === 237;
      }
      function isPartiallyEmittedExpression(node) {
        return node.kind === 354;
      }
      function isCommaListExpression(node) {
        return node.kind === 355;
      }
      function isTemplateSpan(node) {
        return node.kind === 239;
      }
      function isSemicolonClassElement(node) {
        return node.kind === 240;
      }
      function isBlock(node) {
        return node.kind === 241;
      }
      function isVariableStatement(node) {
        return node.kind === 243;
      }
      function isEmptyStatement(node) {
        return node.kind === 242;
      }
      function isExpressionStatement2(node) {
        return node.kind === 244;
      }
      function isIfStatement(node) {
        return node.kind === 245;
      }
      function isDoStatement(node) {
        return node.kind === 246;
      }
      function isWhileStatement(node) {
        return node.kind === 247;
      }
      function isForStatement(node) {
        return node.kind === 248;
      }
      function isForInStatement(node) {
        return node.kind === 249;
      }
      function isForOfStatement(node) {
        return node.kind === 250;
      }
      function isContinueStatement(node) {
        return node.kind === 251;
      }
      function isBreakStatement(node) {
        return node.kind === 252;
      }
      function isReturnStatement(node) {
        return node.kind === 253;
      }
      function isWithStatement(node) {
        return node.kind === 254;
      }
      function isSwitchStatement(node) {
        return node.kind === 255;
      }
      function isLabeledStatement(node) {
        return node.kind === 256;
      }
      function isThrowStatement(node) {
        return node.kind === 257;
      }
      function isTryStatement(node) {
        return node.kind === 258;
      }
      function isDebuggerStatement(node) {
        return node.kind === 259;
      }
      function isVariableDeclaration(node) {
        return node.kind === 260;
      }
      function isVariableDeclarationList(node) {
        return node.kind === 261;
      }
      function isFunctionDeclaration(node) {
        return node.kind === 262;
      }
      function isClassDeclaration(node) {
        return node.kind === 263;
      }
      function isInterfaceDeclaration(node) {
        return node.kind === 264;
      }
      function isTypeAliasDeclaration(node) {
        return node.kind === 265;
      }
      function isEnumDeclaration(node) {
        return node.kind === 266;
      }
      function isModuleDeclaration(node) {
        return node.kind === 267;
      }
      function isModuleBlock(node) {
        return node.kind === 268;
      }
      function isCaseBlock(node) {
        return node.kind === 269;
      }
      function isNamespaceExportDeclaration(node) {
        return node.kind === 270;
      }
      function isImportEqualsDeclaration(node) {
        return node.kind === 271;
      }
      function isImportDeclaration(node) {
        return node.kind === 272;
      }
      function isImportClause(node) {
        return node.kind === 273;
      }
      function isImportTypeAssertionContainer(node) {
        return node.kind === 302;
      }
      function isAssertClause(node) {
        return node.kind === 300;
      }
      function isAssertEntry(node) {
        return node.kind === 301;
      }
      function isImportAttributes(node) {
        return node.kind === 300;
      }
      function isImportAttribute(node) {
        return node.kind === 301;
      }
      function isNamespaceImport(node) {
        return node.kind === 274;
      }
      function isNamespaceExport(node) {
        return node.kind === 280;
      }
      function isNamedImports(node) {
        return node.kind === 275;
      }
      function isImportSpecifier(node) {
        return node.kind === 276;
      }
      function isExportAssignment(node) {
        return node.kind === 277;
      }
      function isExportDeclaration(node) {
        return node.kind === 278;
      }
      function isNamedExports(node) {
        return node.kind === 279;
      }
      function isExportSpecifier(node) {
        return node.kind === 281;
      }
      function isMissingDeclaration(node) {
        return node.kind === 282;
      }
      function isNotEmittedStatement(node) {
        return node.kind === 353;
      }
      function isSyntheticReference(node) {
        return node.kind === 356;
      }
      function isExternalModuleReference(node) {
        return node.kind === 283;
      }
      function isJsxElement(node) {
        return node.kind === 284;
      }
      function isJsxSelfClosingElement(node) {
        return node.kind === 285;
      }
      function isJsxOpeningElement(node) {
        return node.kind === 286;
      }
      function isJsxClosingElement(node) {
        return node.kind === 287;
      }
      function isJsxFragment(node) {
        return node.kind === 288;
      }
      function isJsxOpeningFragment(node) {
        return node.kind === 289;
      }
      function isJsxClosingFragment(node) {
        return node.kind === 290;
      }
      function isJsxAttribute(node) {
        return node.kind === 291;
      }
      function isJsxAttributes(node) {
        return node.kind === 292;
      }
      function isJsxSpreadAttribute(node) {
        return node.kind === 293;
      }
      function isJsxExpression(node) {
        return node.kind === 294;
      }
      function isJsxNamespacedName(node) {
        return node.kind === 295;
      }
      function isCaseClause(node) {
        return node.kind === 296;
      }
      function isDefaultClause(node) {
        return node.kind === 297;
      }
      function isHeritageClause(node) {
        return node.kind === 298;
      }
      function isCatchClause(node) {
        return node.kind === 299;
      }
      function isPropertyAssignment(node) {
        return node.kind === 303;
      }
      function isShorthandPropertyAssignment(node) {
        return node.kind === 304;
      }
      function isSpreadAssignment(node) {
        return node.kind === 305;
      }
      function isEnumMember(node) {
        return node.kind === 306;
      }
      function isSourceFile(node) {
        return node.kind === 307;
      }
      function isBundle(node) {
        return node.kind === 308;
      }
      function isJSDocTypeExpression(node) {
        return node.kind === 309;
      }
      function isJSDocNameReference(node) {
        return node.kind === 310;
      }
      function isJSDocMemberName(node) {
        return node.kind === 311;
      }
      function isJSDocLink(node) {
        return node.kind === 324;
      }
      function isJSDocLinkCode(node) {
        return node.kind === 325;
      }
      function isJSDocLinkPlain(node) {
        return node.kind === 326;
      }
      function isJSDocAllType(node) {
        return node.kind === 312;
      }
      function isJSDocUnknownType(node) {
        return node.kind === 313;
      }
      function isJSDocNullableType(node) {
        return node.kind === 314;
      }
      function isJSDocNonNullableType(node) {
        return node.kind === 315;
      }
      function isJSDocOptionalType(node) {
        return node.kind === 316;
      }
      function isJSDocFunctionType(node) {
        return node.kind === 317;
      }
      function isJSDocVariadicType(node) {
        return node.kind === 318;
      }
      function isJSDocNamepathType(node) {
        return node.kind === 319;
      }
      function isJSDoc(node) {
        return node.kind === 320;
      }
      function isJSDocTypeLiteral(node) {
        return node.kind === 322;
      }
      function isJSDocSignature(node) {
        return node.kind === 323;
      }
      function isJSDocAugmentsTag(node) {
        return node.kind === 328;
      }
      function isJSDocAuthorTag(node) {
        return node.kind === 330;
      }
      function isJSDocClassTag(node) {
        return node.kind === 332;
      }
      function isJSDocCallbackTag(node) {
        return node.kind === 338;
      }
      function isJSDocPublicTag(node) {
        return node.kind === 333;
      }
      function isJSDocPrivateTag(node) {
        return node.kind === 334;
      }
      function isJSDocProtectedTag(node) {
        return node.kind === 335;
      }
      function isJSDocReadonlyTag(node) {
        return node.kind === 336;
      }
      function isJSDocOverrideTag(node) {
        return node.kind === 337;
      }
      function isJSDocOverloadTag(node) {
        return node.kind === 339;
      }
      function isJSDocDeprecatedTag(node) {
        return node.kind === 331;
      }
      function isJSDocSeeTag(node) {
        return node.kind === 347;
      }
      function isJSDocEnumTag(node) {
        return node.kind === 340;
      }
      function isJSDocParameterTag(node) {
        return node.kind === 341;
      }
      function isJSDocReturnTag(node) {
        return node.kind === 342;
      }
      function isJSDocThisTag(node) {
        return node.kind === 343;
      }
      function isJSDocTypeTag(node) {
        return node.kind === 344;
      }
      function isJSDocTemplateTag(node) {
        return node.kind === 345;
      }
      function isJSDocTypedefTag(node) {
        return node.kind === 346;
      }
      function isJSDocUnknownTag(node) {
        return node.kind === 327;
      }
      function isJSDocPropertyTag(node) {
        return node.kind === 348;
      }
      function isJSDocImplementsTag(node) {
        return node.kind === 329;
      }
      function isJSDocSatisfiesTag(node) {
        return node.kind === 350;
      }
      function isJSDocThrowsTag(node) {
        return node.kind === 349;
      }
      function isJSDocImportTag(node) {
        return node.kind === 351;
      }
      function isSyntaxList(n) {
        return n.kind === 352;
      }
      var sourceFileToNodeChildren = /* @__PURE__ */ new WeakMap();
      function getNodeChildren(node, sourceFile) {
        var _a;
        const kind = node.kind;
        if (!isNodeKind(kind)) {
          return emptyArray;
        }
        if (kind === 352) {
          return node._children;
        }
        return (_a = sourceFileToNodeChildren.get(sourceFile)) == null ? void 0 : _a.get(node);
      }
      function setNodeChildren(node, sourceFile, children) {
        if (node.kind === 352) {
          Debug.fail("Should not need to re-set the children of a SyntaxList.");
        }
        let map2 = sourceFileToNodeChildren.get(sourceFile);
        if (map2 === void 0) {
          map2 = /* @__PURE__ */ new WeakMap();
          sourceFileToNodeChildren.set(sourceFile, map2);
        }
        map2.set(node, children);
        return children;
      }
      function unsetNodeChildren(node, origSourceFile) {
        var _a;
        if (node.kind === 352) {
          Debug.fail("Did not expect to unset the children of a SyntaxList.");
        }
        (_a = sourceFileToNodeChildren.get(origSourceFile)) == null ? void 0 : _a.delete(node);
      }
      function transferSourceFileChildren(sourceFile, targetSourceFile) {
        const map2 = sourceFileToNodeChildren.get(sourceFile);
        if (map2 !== void 0) {
          sourceFileToNodeChildren.delete(sourceFile);
          sourceFileToNodeChildren.set(targetSourceFile, map2);
        }
      }
      function createEmptyExports(factory2) {
        return factory2.createExportDeclaration(
          /*modifiers*/
          void 0,
          /*isTypeOnly*/
          false,
          factory2.createNamedExports([]),
          /*moduleSpecifier*/
          void 0
        );
      }
      function createMemberAccessForPropertyName(factory2, target, memberName, location) {
        if (isComputedPropertyName(memberName)) {
          return setTextRange(factory2.createElementAccessExpression(target, memberName.expression), location);
        } else {
          const expression = setTextRange(
            isMemberName(memberName) ? factory2.createPropertyAccessExpression(target, memberName) : factory2.createElementAccessExpression(target, memberName),
            memberName
          );
          addEmitFlags(
            expression,
            128
            /* NoNestedSourceMaps */
          );
          return expression;
        }
      }
      function createReactNamespace(reactNamespace, parent2) {
        const react = parseNodeFactory.createIdentifier(reactNamespace || "React");
        setParent(react, getParseTreeNode(parent2));
        return react;
      }
      function createJsxFactoryExpressionFromEntityName(factory2, jsxFactory, parent2) {
        if (isQualifiedName(jsxFactory)) {
          const left = createJsxFactoryExpressionFromEntityName(factory2, jsxFactory.left, parent2);
          const right = factory2.createIdentifier(idText(jsxFactory.right));
          right.escapedText = jsxFactory.right.escapedText;
          return factory2.createPropertyAccessExpression(left, right);
        } else {
          return createReactNamespace(idText(jsxFactory), parent2);
        }
      }
      function createJsxFactoryExpression(factory2, jsxFactoryEntity, reactNamespace, parent2) {
        return jsxFactoryEntity ? createJsxFactoryExpressionFromEntityName(factory2, jsxFactoryEntity, parent2) : factory2.createPropertyAccessExpression(
          createReactNamespace(reactNamespace, parent2),
          "createElement"
        );
      }
      function createJsxFragmentFactoryExpression(factory2, jsxFragmentFactoryEntity, reactNamespace, parent2) {
        return jsxFragmentFactoryEntity ? createJsxFactoryExpressionFromEntityName(factory2, jsxFragmentFactoryEntity, parent2) : factory2.createPropertyAccessExpression(
          createReactNamespace(reactNamespace, parent2),
          "Fragment"
        );
      }
      function createExpressionForJsxElement(factory2, callee, tagName, props, children, location) {
        const argumentsList = [tagName];
        if (props) {
          argumentsList.push(props);
        }
        if (children && children.length > 0) {
          if (!props) {
            argumentsList.push(factory2.createNull());
          }
          if (children.length > 1) {
            for (const child of children) {
              startOnNewLine(child);
              argumentsList.push(child);
            }
          } else {
            argumentsList.push(children[0]);
          }
        }
        return setTextRange(
          factory2.createCallExpression(
            callee,
            /*typeArguments*/
            void 0,
            argumentsList
          ),
          location
        );
      }
      function createExpressionForJsxFragment(factory2, jsxFactoryEntity, jsxFragmentFactoryEntity, reactNamespace, children, parentElement, location) {
        const tagName = createJsxFragmentFactoryExpression(factory2, jsxFragmentFactoryEntity, reactNamespace, parentElement);
        const argumentsList = [tagName, factory2.createNull()];
        if (children && children.length > 0) {
          if (children.length > 1) {
            for (const child of children) {
              startOnNewLine(child);
              argumentsList.push(child);
            }
          } else {
            argumentsList.push(children[0]);
          }
        }
        return setTextRange(
          factory2.createCallExpression(
            createJsxFactoryExpression(factory2, jsxFactoryEntity, reactNamespace, parentElement),
            /*typeArguments*/
            void 0,
            argumentsList
          ),
          location
        );
      }
      function createForOfBindingStatement(factory2, node, boundValue) {
        if (isVariableDeclarationList(node)) {
          const firstDeclaration = first(node.declarations);
          const updatedDeclaration = factory2.updateVariableDeclaration(
            firstDeclaration,
            firstDeclaration.name,
            /*exclamationToken*/
            void 0,
            /*type*/
            void 0,
            boundValue
          );
          return setTextRange(
            factory2.createVariableStatement(
              /*modifiers*/
              void 0,
              factory2.updateVariableDeclarationList(node, [updatedDeclaration])
            ),
            /*location*/
            node
          );
        } else {
          const updatedExpression = setTextRange(
            factory2.createAssignment(node, boundValue),
            /*location*/
            node
          );
          return setTextRange(
            factory2.createExpressionStatement(updatedExpression),
            /*location*/
            node
          );
        }
      }
      function insertLeadingStatement(factory2, dest, source) {
        if (isBlock(dest)) {
          return factory2.updateBlock(dest, setTextRange(factory2.createNodeArray([source, ...dest.statements]), dest.statements));
        } else {
          return factory2.createBlock(
            factory2.createNodeArray([dest, source]),
            /*multiLine*/
            true
          );
        }
      }
      function createExpressionFromEntityName(factory2, node) {
        if (isQualifiedName(node)) {
          const left = createExpressionFromEntityName(factory2, node.left);
          const right = setParent(setTextRange(factory2.cloneNode(node.right), node.right), node.right.parent);
          return setTextRange(factory2.createPropertyAccessExpression(left, right), node);
        } else {
          return setParent(setTextRange(factory2.cloneNode(node), node), node.parent);
        }
      }
      function createExpressionForPropertyName(factory2, memberName) {
        if (isIdentifier(memberName)) {
          return factory2.createStringLiteralFromNode(memberName);
        } else if (isComputedPropertyName(memberName)) {
          return setParent(setTextRange(factory2.cloneNode(memberName.expression), memberName.expression), memberName.expression.parent);
        } else {
          return setParent(setTextRange(factory2.cloneNode(memberName), memberName), memberName.parent);
        }
      }
      function createExpressionForAccessorDeclaration(factory2, properties, property, receiver, multiLine) {
        const { firstAccessor, getAccessor, setAccessor } = getAllAccessorDeclarations(properties, property);
        if (property === firstAccessor) {
          return setTextRange(
            factory2.createObjectDefinePropertyCall(
              receiver,
              createExpressionForPropertyName(factory2, property.name),
              factory2.createPropertyDescriptor({
                enumerable: factory2.createFalse(),
                configurable: true,
                get: getAccessor && setTextRange(
                  setOriginalNode(
                    factory2.createFunctionExpression(
                      getModifiers(getAccessor),
                      /*asteriskToken*/
                      void 0,
                      /*name*/
                      void 0,
                      /*typeParameters*/
                      void 0,
                      getAccessor.parameters,
                      /*type*/
                      void 0,
                      getAccessor.body
                      // TODO: GH#18217
                    ),
                    getAccessor
                  ),
                  getAccessor
                ),
                set: setAccessor && setTextRange(
                  setOriginalNode(
                    factory2.createFunctionExpression(
                      getModifiers(setAccessor),
                      /*asteriskToken*/
                      void 0,
                      /*name*/
                      void 0,
                      /*typeParameters*/
                      void 0,
                      setAccessor.parameters,
                      /*type*/
                      void 0,
                      setAccessor.body
                      // TODO: GH#18217
                    ),
                    setAccessor
                  ),
                  setAccessor
                )
              }, !multiLine)
            ),
            firstAccessor
          );
        }
        return void 0;
      }
      function createExpressionForPropertyAssignment(factory2, property, receiver) {
        return setOriginalNode(
          setTextRange(
            factory2.createAssignment(
              createMemberAccessForPropertyName(
                factory2,
                receiver,
                property.name,
                /*location*/
                property.name
              ),
              property.initializer
            ),
            property
          ),
          property
        );
      }
      function createExpressionForShorthandPropertyAssignment(factory2, property, receiver) {
        return setOriginalNode(
          setTextRange(
            factory2.createAssignment(
              createMemberAccessForPropertyName(
                factory2,
                receiver,
                property.name,
                /*location*/
                property.name
              ),
              factory2.cloneNode(property.name)
            ),
            /*location*/
            property
          ),
          /*original*/
          property
        );
      }
      function createExpressionForMethodDeclaration(factory2, method, receiver) {
        return setOriginalNode(
          setTextRange(
            factory2.createAssignment(
              createMemberAccessForPropertyName(
                factory2,
                receiver,
                method.name,
                /*location*/
                method.name
              ),
              setOriginalNode(
                setTextRange(
                  factory2.createFunctionExpression(
                    getModifiers(method),
                    method.asteriskToken,
                    /*name*/
                    void 0,
                    /*typeParameters*/
                    void 0,
                    method.parameters,
                    /*type*/
                    void 0,
                    method.body
                    // TODO: GH#18217
                  ),
                  /*location*/
                  method
                ),
                /*original*/
                method
              )
            ),
            /*location*/
            method
          ),
          /*original*/
          method
        );
      }
      function createExpressionForObjectLiteralElementLike(factory2, node, property, receiver) {
        if (property.name && isPrivateIdentifier(property.name)) {
          Debug.failBadSyntaxKind(property.name, "Private identifiers are not allowed in object literals.");
        }
        switch (property.kind) {
          case 177:
          case 178:
            return createExpressionForAccessorDeclaration(factory2, node.properties, property, receiver, !!node.multiLine);
          case 303:
            return createExpressionForPropertyAssignment(factory2, property, receiver);
          case 304:
            return createExpressionForShorthandPropertyAssignment(factory2, property, receiver);
          case 174:
            return createExpressionForMethodDeclaration(factory2, property, receiver);
        }
      }
      function expandPreOrPostfixIncrementOrDecrementExpression(factory2, node, expression, recordTempVariable, resultVariable) {
        const operator = node.operator;
        Debug.assert(operator === 46 || operator === 47, "Expected 'node' to be a pre- or post-increment or pre- or post-decrement expression");
        const temp = factory2.createTempVariable(recordTempVariable);
        expression = factory2.createAssignment(temp, expression);
        setTextRange(expression, node.operand);
        let operation = isPrefixUnaryExpression(node) ? factory2.createPrefixUnaryExpression(operator, temp) : factory2.createPostfixUnaryExpression(temp, operator);
        setTextRange(operation, node);
        if (resultVariable) {
          operation = factory2.createAssignment(resultVariable, operation);
          setTextRange(operation, node);
        }
        expression = factory2.createComma(expression, operation);
        setTextRange(expression, node);
        if (isPostfixUnaryExpression(node)) {
          expression = factory2.createComma(expression, temp);
          setTextRange(expression, node);
        }
        return expression;
      }
      function isInternalName(node) {
        return (getEmitFlags(node) & 65536) !== 0;
      }
      function isLocalName(node) {
        return (getEmitFlags(node) & 32768) !== 0;
      }
      function isExportName(node) {
        return (getEmitFlags(node) & 16384) !== 0;
      }
      function isUseStrictPrologue(node) {
        return isStringLiteral2(node.expression) && node.expression.text === "use strict";
      }
      function findUseStrictPrologue(statements) {
        for (const statement of statements) {
          if (isPrologueDirective(statement)) {
            if (isUseStrictPrologue(statement)) {
              return statement;
            }
          } else {
            break;
          }
        }
        return void 0;
      }
      function startsWithUseStrict(statements) {
        const firstStatement = firstOrUndefined(statements);
        return firstStatement !== void 0 && isPrologueDirective(firstStatement) && isUseStrictPrologue(firstStatement);
      }
      function isCommaExpression(node) {
        return node.kind === 226 && node.operatorToken.kind === 28;
      }
      function isCommaSequence(node) {
        return isCommaExpression(node) || isCommaListExpression(node);
      }
      function isJSDocTypeAssertion(node) {
        return isParenthesizedExpression(node) && isInJSFile(node) && !!getJSDocTypeTag(node);
      }
      function getJSDocTypeAssertionType(node) {
        const type = getJSDocType(node);
        Debug.assertIsDefined(type);
        return type;
      }
      function isOuterExpression(node, kinds = 15) {
        switch (node.kind) {
          case 217:
            if (kinds & 16 && isJSDocTypeAssertion(node)) {
              return false;
            }
            return (kinds & 1) !== 0;
          case 216:
          case 234:
          case 233:
          case 238:
            return (kinds & 2) !== 0;
          case 235:
            return (kinds & 4) !== 0;
          case 354:
            return (kinds & 8) !== 0;
        }
        return false;
      }
      function skipOuterExpressions(node, kinds = 15) {
        while (isOuterExpression(node, kinds)) {
          node = node.expression;
        }
        return node;
      }
      function walkUpOuterExpressions(node, kinds = 15) {
        let parent2 = node.parent;
        while (isOuterExpression(parent2, kinds)) {
          parent2 = parent2.parent;
          Debug.assert(parent2);
        }
        return parent2;
      }
      function skipAssertions(node) {
        return skipOuterExpressions(
          node,
          6
          /* Assertions */
        );
      }
      function startOnNewLine(node) {
        return setStartsOnNewLine(
          node,
          /*newLine*/
          true
        );
      }
      function getExternalHelpersModuleName(node) {
        const parseNode = getOriginalNode(node, isSourceFile);
        const emitNode = parseNode && parseNode.emitNode;
        return emitNode && emitNode.externalHelpersModuleName;
      }
      function hasRecordedExternalHelpers(sourceFile) {
        const parseNode = getOriginalNode(sourceFile, isSourceFile);
        const emitNode = parseNode && parseNode.emitNode;
        return !!emitNode && (!!emitNode.externalHelpersModuleName || !!emitNode.externalHelpers);
      }
      function createExternalHelpersImportDeclarationIfNeeded(nodeFactory, helperFactory, sourceFile, compilerOptions, hasExportStarsToExportValues, hasImportStar, hasImportDefault) {
        if (compilerOptions.importHelpers && isEffectiveExternalModule(sourceFile, compilerOptions)) {
          let namedBindings;
          const moduleKind = getEmitModuleKind(compilerOptions);
          if (moduleKind >= 5 && moduleKind <= 99 || sourceFile.impliedNodeFormat === 99) {
            const helpers = getEmitHelpers(sourceFile);
            if (helpers) {
              const helperNames = [];
              for (const helper of helpers) {
                if (!helper.scoped) {
                  const importName = helper.importName;
                  if (importName) {
                    pushIfUnique(helperNames, importName);
                  }
                }
              }
              if (some(helperNames)) {
                helperNames.sort(compareStringsCaseSensitive);
                namedBindings = nodeFactory.createNamedImports(
                  map(helperNames, (name) => isFileLevelUniqueName(sourceFile, name) ? nodeFactory.createImportSpecifier(
                    /*isTypeOnly*/
                    false,
                    /*propertyName*/
                    void 0,
                    nodeFactory.createIdentifier(name)
                  ) : nodeFactory.createImportSpecifier(
                    /*isTypeOnly*/
                    false,
                    nodeFactory.createIdentifier(name),
                    helperFactory.getUnscopedHelperName(name)
                  ))
                );
                const parseNode = getOriginalNode(sourceFile, isSourceFile);
                const emitNode = getOrCreateEmitNode(parseNode);
                emitNode.externalHelpers = true;
              }
            }
          } else {
            const externalHelpersModuleName = getOrCreateExternalHelpersModuleNameIfNeeded(nodeFactory, sourceFile, compilerOptions, hasExportStarsToExportValues, hasImportStar || hasImportDefault);
            if (externalHelpersModuleName) {
              namedBindings = nodeFactory.createNamespaceImport(externalHelpersModuleName);
            }
          }
          if (namedBindings) {
            const externalHelpersImportDeclaration = nodeFactory.createImportDeclaration(
              /*modifiers*/
              void 0,
              nodeFactory.createImportClause(
                /*isTypeOnly*/
                false,
                /*name*/
                void 0,
                namedBindings
              ),
              nodeFactory.createStringLiteral(externalHelpersModuleNameText),
              /*attributes*/
              void 0
            );
            addInternalEmitFlags(
              externalHelpersImportDeclaration,
              2
              /* NeverApplyImportHelper */
            );
            return externalHelpersImportDeclaration;
          }
        }
      }
      function getOrCreateExternalHelpersModuleNameIfNeeded(factory2, node, compilerOptions, hasExportStarsToExportValues, hasImportStarOrImportDefault) {
        if (compilerOptions.importHelpers && isEffectiveExternalModule(node, compilerOptions)) {
          const externalHelpersModuleName = getExternalHelpersModuleName(node);
          if (externalHelpersModuleName) {
            return externalHelpersModuleName;
          }
          const moduleKind = getEmitModuleKind(compilerOptions);
          let create119 = (hasExportStarsToExportValues || getESModuleInterop(compilerOptions) && hasImportStarOrImportDefault) && moduleKind !== 4 && (moduleKind < 5 || node.impliedNodeFormat === 1);
          if (!create119) {
            const helpers = getEmitHelpers(node);
            if (helpers) {
              for (const helper of helpers) {
                if (!helper.scoped) {
                  create119 = true;
                  break;
                }
              }
            }
          }
          if (create119) {
            const parseNode = getOriginalNode(node, isSourceFile);
            const emitNode = getOrCreateEmitNode(parseNode);
            return emitNode.externalHelpersModuleName || (emitNode.externalHelpersModuleName = factory2.createUniqueName(externalHelpersModuleNameText));
          }
        }
      }
      function getLocalNameForExternalImport(factory2, node, sourceFile) {
        const namespaceDeclaration = getNamespaceDeclarationNode(node);
        if (namespaceDeclaration && !isDefaultImport(node) && !isExportNamespaceAsDefaultDeclaration(node)) {
          const name = namespaceDeclaration.name;
          return isGeneratedIdentifier(name) ? name : factory2.createIdentifier(getSourceTextOfNodeFromSourceFile(sourceFile, name) || idText(name));
        }
        if (node.kind === 272 && node.importClause) {
          return factory2.getGeneratedNameForNode(node);
        }
        if (node.kind === 278 && node.moduleSpecifier) {
          return factory2.getGeneratedNameForNode(node);
        }
        return void 0;
      }
      function getExternalModuleNameLiteral(factory2, importNode, sourceFile, host, resolver, compilerOptions) {
        const moduleName = getExternalModuleName(importNode);
        if (moduleName && isStringLiteral2(moduleName)) {
          return tryGetModuleNameFromDeclaration(importNode, host, factory2, resolver, compilerOptions) || tryRenameExternalModule(factory2, moduleName, sourceFile) || factory2.cloneNode(moduleName);
        }
        return void 0;
      }
      function tryRenameExternalModule(factory2, moduleName, sourceFile) {
        const rename = sourceFile.renamedDependencies && sourceFile.renamedDependencies.get(moduleName.text);
        return rename ? factory2.createStringLiteral(rename) : void 0;
      }
      function tryGetModuleNameFromFile(factory2, file, host, options) {
        if (!file) {
          return void 0;
        }
        if (file.moduleName) {
          return factory2.createStringLiteral(file.moduleName);
        }
        if (!file.isDeclarationFile && options.outFile) {
          return factory2.createStringLiteral(getExternalModuleNameFromPath(host, file.fileName));
        }
        return void 0;
      }
      function tryGetModuleNameFromDeclaration(declaration, host, factory2, resolver, compilerOptions) {
        return tryGetModuleNameFromFile(factory2, resolver.getExternalModuleFileFromDeclaration(declaration), host, compilerOptions);
      }
      function getInitializerOfBindingOrAssignmentElement(bindingElement) {
        if (isDeclarationBindingElement(bindingElement)) {
          return bindingElement.initializer;
        }
        if (isPropertyAssignment(bindingElement)) {
          const initializer = bindingElement.initializer;
          return isAssignmentExpression2(
            initializer,
            /*excludeCompoundAssignment*/
            true
          ) ? initializer.right : void 0;
        }
        if (isShorthandPropertyAssignment(bindingElement)) {
          return bindingElement.objectAssignmentInitializer;
        }
        if (isAssignmentExpression2(
          bindingElement,
          /*excludeCompoundAssignment*/
          true
        )) {
          return bindingElement.right;
        }
        if (isSpreadElement(bindingElement)) {
          return getInitializerOfBindingOrAssignmentElement(bindingElement.expression);
        }
      }
      function getTargetOfBindingOrAssignmentElement(bindingElement) {
        if (isDeclarationBindingElement(bindingElement)) {
          return bindingElement.name;
        }
        if (isObjectLiteralElementLike(bindingElement)) {
          switch (bindingElement.kind) {
            case 303:
              return getTargetOfBindingOrAssignmentElement(bindingElement.initializer);
            case 304:
              return bindingElement.name;
            case 305:
              return getTargetOfBindingOrAssignmentElement(bindingElement.expression);
          }
          return void 0;
        }
        if (isAssignmentExpression2(
          bindingElement,
          /*excludeCompoundAssignment*/
          true
        )) {
          return getTargetOfBindingOrAssignmentElement(bindingElement.left);
        }
        if (isSpreadElement(bindingElement)) {
          return getTargetOfBindingOrAssignmentElement(bindingElement.expression);
        }
        return bindingElement;
      }
      function getRestIndicatorOfBindingOrAssignmentElement(bindingElement) {
        switch (bindingElement.kind) {
          case 169:
          case 208:
            return bindingElement.dotDotDotToken;
          case 230:
          case 305:
            return bindingElement;
        }
        return void 0;
      }
      function getPropertyNameOfBindingOrAssignmentElement(bindingElement) {
        const propertyName = tryGetPropertyNameOfBindingOrAssignmentElement(bindingElement);
        Debug.assert(!!propertyName || isSpreadAssignment(bindingElement), "Invalid property name for binding element.");
        return propertyName;
      }
      function tryGetPropertyNameOfBindingOrAssignmentElement(bindingElement) {
        switch (bindingElement.kind) {
          case 208:
            if (bindingElement.propertyName) {
              const propertyName = bindingElement.propertyName;
              if (isPrivateIdentifier(propertyName)) {
                return Debug.failBadSyntaxKind(propertyName);
              }
              return isComputedPropertyName(propertyName) && isStringOrNumericLiteral(propertyName.expression) ? propertyName.expression : propertyName;
            }
            break;
          case 303:
            if (bindingElement.name) {
              const propertyName = bindingElement.name;
              if (isPrivateIdentifier(propertyName)) {
                return Debug.failBadSyntaxKind(propertyName);
              }
              return isComputedPropertyName(propertyName) && isStringOrNumericLiteral(propertyName.expression) ? propertyName.expression : propertyName;
            }
            break;
          case 305:
            if (bindingElement.name && isPrivateIdentifier(bindingElement.name)) {
              return Debug.failBadSyntaxKind(bindingElement.name);
            }
            return bindingElement.name;
        }
        const target = getTargetOfBindingOrAssignmentElement(bindingElement);
        if (target && isPropertyName(target)) {
          return target;
        }
      }
      function isStringOrNumericLiteral(node) {
        const kind = node.kind;
        return kind === 11 || kind === 9;
      }
      function getElementsOfBindingOrAssignmentPattern(name) {
        switch (name.kind) {
          case 206:
          case 207:
          case 209:
            return name.elements;
          case 210:
            return name.properties;
        }
      }
      function getJSDocTypeAliasName(fullName) {
        if (fullName) {
          let rightNode = fullName;
          while (true) {
            if (isIdentifier(rightNode) || !rightNode.body) {
              return isIdentifier(rightNode) ? rightNode : rightNode.name;
            }
            rightNode = rightNode.body;
          }
        }
      }
      function canHaveIllegalType(node) {
        const kind = node.kind;
        return kind === 176 || kind === 178;
      }
      function canHaveIllegalTypeParameters(node) {
        const kind = node.kind;
        return kind === 176 || kind === 177 || kind === 178;
      }
      function canHaveIllegalDecorators(node) {
        const kind = node.kind;
        return kind === 303 || kind === 304 || kind === 262 || kind === 176 || kind === 181 || kind === 175 || kind === 282 || kind === 243 || kind === 264 || kind === 265 || kind === 266 || kind === 267 || kind === 271 || kind === 272 || kind === 270 || kind === 278 || kind === 277;
      }
      function canHaveIllegalModifiers(node) {
        const kind = node.kind;
        return kind === 175 || kind === 303 || kind === 304 || kind === 282 || kind === 270;
      }
      function isQuestionOrExclamationToken(node) {
        return isQuestionToken(node) || isExclamationToken(node);
      }
      function isIdentifierOrThisTypeNode(node) {
        return isIdentifier(node) || isThisTypeNode(node);
      }
      function isReadonlyKeywordOrPlusOrMinusToken(node) {
        return isReadonlyKeyword(node) || isPlusToken(node) || isMinusToken(node);
      }
      function isQuestionOrPlusOrMinusToken(node) {
        return isQuestionToken(node) || isPlusToken(node) || isMinusToken(node);
      }
      function isModuleName(node) {
        return isIdentifier(node) || isStringLiteral2(node);
      }
      function isLiteralTypeLikeExpression(node) {
        const kind = node.kind;
        return kind === 106 || kind === 112 || kind === 97 || isLiteralExpression(node) || isPrefixUnaryExpression(node);
      }
      function isExponentiationOperator(kind) {
        return kind === 43;
      }
      function isMultiplicativeOperator(kind) {
        return kind === 42 || kind === 44 || kind === 45;
      }
      function isMultiplicativeOperatorOrHigher(kind) {
        return isExponentiationOperator(kind) || isMultiplicativeOperator(kind);
      }
      function isAdditiveOperator(kind) {
        return kind === 40 || kind === 41;
      }
      function isAdditiveOperatorOrHigher(kind) {
        return isAdditiveOperator(kind) || isMultiplicativeOperatorOrHigher(kind);
      }
      function isShiftOperator(kind) {
        return kind === 48 || kind === 49 || kind === 50;
      }
      function isShiftOperatorOrHigher(kind) {
        return isShiftOperator(kind) || isAdditiveOperatorOrHigher(kind);
      }
      function isRelationalOperator(kind) {
        return kind === 30 || kind === 33 || kind === 32 || kind === 34 || kind === 104 || kind === 103;
      }
      function isRelationalOperatorOrHigher(kind) {
        return isRelationalOperator(kind) || isShiftOperatorOrHigher(kind);
      }
      function isEqualityOperator(kind) {
        return kind === 35 || kind === 37 || kind === 36 || kind === 38;
      }
      function isEqualityOperatorOrHigher(kind) {
        return isEqualityOperator(kind) || isRelationalOperatorOrHigher(kind);
      }
      function isBitwiseOperator(kind) {
        return kind === 51 || kind === 52 || kind === 53;
      }
      function isBitwiseOperatorOrHigher(kind) {
        return isBitwiseOperator(kind) || isEqualityOperatorOrHigher(kind);
      }
      function isLogicalOperator2(kind) {
        return kind === 56 || kind === 57;
      }
      function isLogicalOperatorOrHigher(kind) {
        return isLogicalOperator2(kind) || isBitwiseOperatorOrHigher(kind);
      }
      function isAssignmentOperatorOrHigher(kind) {
        return kind === 61 || isLogicalOperatorOrHigher(kind) || isAssignmentOperator(kind);
      }
      function isBinaryOperator(kind) {
        return isAssignmentOperatorOrHigher(kind) || kind === 28;
      }
      function isBinaryOperatorToken(node) {
        return isBinaryOperator(node.kind);
      }
      var BinaryExpressionState;
      ((BinaryExpressionState2) => {
        function enter(machine, stackIndex, stateStack, nodeStack, userStateStack, _resultHolder, outerState) {
          const prevUserState = stackIndex > 0 ? userStateStack[stackIndex - 1] : void 0;
          Debug.assertEqual(stateStack[stackIndex], enter);
          userStateStack[stackIndex] = machine.onEnter(nodeStack[stackIndex], prevUserState, outerState);
          stateStack[stackIndex] = nextState(machine, enter);
          return stackIndex;
        }
        BinaryExpressionState2.enter = enter;
        function left(machine, stackIndex, stateStack, nodeStack, userStateStack, _resultHolder, _outerState) {
          Debug.assertEqual(stateStack[stackIndex], left);
          Debug.assertIsDefined(machine.onLeft);
          stateStack[stackIndex] = nextState(machine, left);
          const nextNode = machine.onLeft(nodeStack[stackIndex].left, userStateStack[stackIndex], nodeStack[stackIndex]);
          if (nextNode) {
            checkCircularity(stackIndex, nodeStack, nextNode);
            return pushStack(stackIndex, stateStack, nodeStack, userStateStack, nextNode);
          }
          return stackIndex;
        }
        BinaryExpressionState2.left = left;
        function operator(machine, stackIndex, stateStack, nodeStack, userStateStack, _resultHolder, _outerState) {
          Debug.assertEqual(stateStack[stackIndex], operator);
          Debug.assertIsDefined(machine.onOperator);
          stateStack[stackIndex] = nextState(machine, operator);
          machine.onOperator(nodeStack[stackIndex].operatorToken, userStateStack[stackIndex], nodeStack[stackIndex]);
          return stackIndex;
        }
        BinaryExpressionState2.operator = operator;
        function right(machine, stackIndex, stateStack, nodeStack, userStateStack, _resultHolder, _outerState) {
          Debug.assertEqual(stateStack[stackIndex], right);
          Debug.assertIsDefined(machine.onRight);
          stateStack[stackIndex] = nextState(machine, right);
          const nextNode = machine.onRight(nodeStack[stackIndex].right, userStateStack[stackIndex], nodeStack[stackIndex]);
          if (nextNode) {
            checkCircularity(stackIndex, nodeStack, nextNode);
            return pushStack(stackIndex, stateStack, nodeStack, userStateStack, nextNode);
          }
          return stackIndex;
        }
        BinaryExpressionState2.right = right;
        function exit(machine, stackIndex, stateStack, nodeStack, userStateStack, resultHolder, _outerState) {
          Debug.assertEqual(stateStack[stackIndex], exit);
          stateStack[stackIndex] = nextState(machine, exit);
          const result = machine.onExit(nodeStack[stackIndex], userStateStack[stackIndex]);
          if (stackIndex > 0) {
            stackIndex--;
            if (machine.foldState) {
              const side = stateStack[stackIndex] === exit ? "right" : "left";
              userStateStack[stackIndex] = machine.foldState(userStateStack[stackIndex], result, side);
            }
          } else {
            resultHolder.value = result;
          }
          return stackIndex;
        }
        BinaryExpressionState2.exit = exit;
        function done(_machine, stackIndex, stateStack, _nodeStack, _userStateStack, _resultHolder, _outerState) {
          Debug.assertEqual(stateStack[stackIndex], done);
          return stackIndex;
        }
        BinaryExpressionState2.done = done;
        function nextState(machine, currentState) {
          switch (currentState) {
            case enter:
              if (machine.onLeft) return left;
            case left:
              if (machine.onOperator) return operator;
            case operator:
              if (machine.onRight) return right;
            case right:
              return exit;
            case exit:
              return done;
            case done:
              return done;
            default:
              Debug.fail("Invalid state");
          }
        }
        BinaryExpressionState2.nextState = nextState;
        function pushStack(stackIndex, stateStack, nodeStack, userStateStack, node) {
          stackIndex++;
          stateStack[stackIndex] = enter;
          nodeStack[stackIndex] = node;
          userStateStack[stackIndex] = void 0;
          return stackIndex;
        }
        function checkCircularity(stackIndex, nodeStack, node) {
          if (Debug.shouldAssert(
            2
            /* Aggressive */
          )) {
            while (stackIndex >= 0) {
              Debug.assert(nodeStack[stackIndex] !== node, "Circular traversal detected.");
              stackIndex--;
            }
          }
        }
      })(BinaryExpressionState || (BinaryExpressionState = {}));
      var BinaryExpressionStateMachine = class {
        constructor(onEnter, onLeft, onOperator, onRight, onExit, foldState) {
          this.onEnter = onEnter;
          this.onLeft = onLeft;
          this.onOperator = onOperator;
          this.onRight = onRight;
          this.onExit = onExit;
          this.foldState = foldState;
        }
      };
      function createBinaryExpressionTrampoline(onEnter, onLeft, onOperator, onRight, onExit, foldState) {
        const machine = new BinaryExpressionStateMachine(onEnter, onLeft, onOperator, onRight, onExit, foldState);
        return trampoline;
        function trampoline(node, outerState) {
          const resultHolder = { value: void 0 };
          const stateStack = [BinaryExpressionState.enter];
          const nodeStack = [node];
          const userStateStack = [void 0];
          let stackIndex = 0;
          while (stateStack[stackIndex] !== BinaryExpressionState.done) {
            stackIndex = stateStack[stackIndex](machine, stackIndex, stateStack, nodeStack, userStateStack, resultHolder, outerState);
          }
          Debug.assertEqual(stackIndex, 0);
          return resultHolder.value;
        }
      }
      function isExportOrDefaultKeywordKind(kind) {
        return kind === 95 || kind === 90;
      }
      function isExportOrDefaultModifier(node) {
        const kind = node.kind;
        return isExportOrDefaultKeywordKind(kind);
      }
      function isNonExportDefaultModifier(node) {
        const kind = node.kind;
        return isModifierKind(kind) && !isExportOrDefaultKeywordKind(kind);
      }
      function elideNodes(factory2, nodes) {
        if (nodes === void 0) return void 0;
        if (nodes.length === 0) return nodes;
        return setTextRange(factory2.createNodeArray([], nodes.hasTrailingComma), nodes);
      }
      function getNodeForGeneratedName(name) {
        var _a;
        const autoGenerate = name.emitNode.autoGenerate;
        if (autoGenerate.flags & 4) {
          const autoGenerateId = autoGenerate.id;
          let node = name;
          let original = node.original;
          while (original) {
            node = original;
            const autoGenerate2 = (_a = node.emitNode) == null ? void 0 : _a.autoGenerate;
            if (isMemberName(node) && (autoGenerate2 === void 0 || !!(autoGenerate2.flags & 4) && autoGenerate2.id !== autoGenerateId)) {
              break;
            }
            original = node.original;
          }
          return node;
        }
        return name;
      }
      function formatGeneratedNamePart(part, generateName) {
        return typeof part === "object" ? formatGeneratedName(
          /*privateName*/
          false,
          part.prefix,
          part.node,
          part.suffix,
          generateName
        ) : typeof part === "string" ? part.length > 0 && part.charCodeAt(0) === 35 ? part.slice(1) : part : "";
      }
      function formatIdentifier(name, generateName) {
        return typeof name === "string" ? name : formatIdentifierWorker(name, Debug.checkDefined(generateName));
      }
      function formatIdentifierWorker(node, generateName) {
        return isGeneratedPrivateIdentifier(node) ? generateName(node).slice(1) : isGeneratedIdentifier(node) ? generateName(node) : isPrivateIdentifier(node) ? node.escapedText.slice(1) : idText(node);
      }
      function formatGeneratedName(privateName, prefix, baseName, suffix, generateName) {
        prefix = formatGeneratedNamePart(prefix, generateName);
        suffix = formatGeneratedNamePart(suffix, generateName);
        baseName = formatIdentifier(baseName, generateName);
        return `${privateName ? "#" : ""}${prefix}${baseName}${suffix}`;
      }
      function createAccessorPropertyBackingField(factory2, node, modifiers, initializer) {
        return factory2.updatePropertyDeclaration(
          node,
          modifiers,
          factory2.getGeneratedPrivateNameForNode(
            node.name,
            /*prefix*/
            void 0,
            "_accessor_storage"
          ),
          /*questionOrExclamationToken*/
          void 0,
          /*type*/
          void 0,
          initializer
        );
      }
      function createAccessorPropertyGetRedirector(factory2, node, modifiers, name, receiver = factory2.createThis()) {
        return factory2.createGetAccessorDeclaration(
          modifiers,
          name,
          [],
          /*type*/
          void 0,
          factory2.createBlock([
            factory2.createReturnStatement(
              factory2.createPropertyAccessExpression(
                receiver,
                factory2.getGeneratedPrivateNameForNode(
                  node.name,
                  /*prefix*/
                  void 0,
                  "_accessor_storage"
                )
              )
            )
          ])
        );
      }
      function createAccessorPropertySetRedirector(factory2, node, modifiers, name, receiver = factory2.createThis()) {
        return factory2.createSetAccessorDeclaration(
          modifiers,
          name,
          [factory2.createParameterDeclaration(
            /*modifiers*/
            void 0,
            /*dotDotDotToken*/
            void 0,
            "value"
          )],
          factory2.createBlock([
            factory2.createExpressionStatement(
              factory2.createAssignment(
                factory2.createPropertyAccessExpression(
                  receiver,
                  factory2.getGeneratedPrivateNameForNode(
                    node.name,
                    /*prefix*/
                    void 0,
                    "_accessor_storage"
                  )
                ),
                factory2.createIdentifier("value")
              )
            )
          ])
        );
      }
      function findComputedPropertyNameCacheAssignment(name) {
        let node = name.expression;
        while (true) {
          node = skipOuterExpressions(node);
          if (isCommaListExpression(node)) {
            node = last(node.elements);
            continue;
          }
          if (isCommaExpression(node)) {
            node = node.right;
            continue;
          }
          if (isAssignmentExpression2(
            node,
            /*excludeCompoundAssignment*/
            true
          ) && isGeneratedIdentifier(node.left)) {
            return node;
          }
          break;
        }
      }
      function isSyntheticParenthesizedExpression(node) {
        return isParenthesizedExpression(node) && nodeIsSynthesized(node) && !node.emitNode;
      }
      function flattenCommaListWorker(node, expressions) {
        if (isSyntheticParenthesizedExpression(node)) {
          flattenCommaListWorker(node.expression, expressions);
        } else if (isCommaExpression(node)) {
          flattenCommaListWorker(node.left, expressions);
          flattenCommaListWorker(node.right, expressions);
        } else if (isCommaListExpression(node)) {
          for (const child of node.elements) {
            flattenCommaListWorker(child, expressions);
          }
        } else {
          expressions.push(node);
        }
      }
      function flattenCommaList(node) {
        const expressions = [];
        flattenCommaListWorker(node, expressions);
        return expressions;
      }
      function containsObjectRestOrSpread(node) {
        if (node.transformFlags & 65536) return true;
        if (node.transformFlags & 128) {
          for (const element of getElementsOfBindingOrAssignmentPattern(node)) {
            const target = getTargetOfBindingOrAssignmentElement(element);
            if (target && isAssignmentPattern(target)) {
              if (target.transformFlags & 65536) {
                return true;
              }
              if (target.transformFlags & 128) {
                if (containsObjectRestOrSpread(target)) return true;
              }
            }
          }
        }
        return false;
      }
      function setTextRange(range, location) {
        return location ? setTextRangePosEnd(range, location.pos, location.end) : range;
      }
      function canHaveModifiers(node) {
        const kind = node.kind;
        return kind === 168 || kind === 169 || kind === 171 || kind === 172 || kind === 173 || kind === 174 || kind === 176 || kind === 177 || kind === 178 || kind === 181 || kind === 185 || kind === 218 || kind === 219 || kind === 231 || kind === 243 || kind === 262 || kind === 263 || kind === 264 || kind === 265 || kind === 266 || kind === 267 || kind === 271 || kind === 272 || kind === 277 || kind === 278;
      }
      function canHaveDecorators(node) {
        const kind = node.kind;
        return kind === 169 || kind === 172 || kind === 174 || kind === 177 || kind === 178 || kind === 231 || kind === 263;
      }
      var NodeConstructor;
      var TokenConstructor;
      var IdentifierConstructor;
      var PrivateIdentifierConstructor;
      var SourceFileConstructor;
      var parseBaseNodeFactory = {
        createBaseSourceFileNode: (kind) => new (SourceFileConstructor || (SourceFileConstructor = objectAllocator.getSourceFileConstructor()))(kind, -1, -1),
        createBaseIdentifierNode: (kind) => new (IdentifierConstructor || (IdentifierConstructor = objectAllocator.getIdentifierConstructor()))(kind, -1, -1),
        createBasePrivateIdentifierNode: (kind) => new (PrivateIdentifierConstructor || (PrivateIdentifierConstructor = objectAllocator.getPrivateIdentifierConstructor()))(kind, -1, -1),
        createBaseTokenNode: (kind) => new (TokenConstructor || (TokenConstructor = objectAllocator.getTokenConstructor()))(kind, -1, -1),
        createBaseNode: (kind) => new (NodeConstructor || (NodeConstructor = objectAllocator.getNodeConstructor()))(kind, -1, -1)
      };
      var parseNodeFactory = createNodeFactory(1, parseBaseNodeFactory);
      function visitNode2(cbNode, node) {
        return node && cbNode(node);
      }
      function visitNodes(cbNode, cbNodes, nodes) {
        if (nodes) {
          if (cbNodes) {
            return cbNodes(nodes);
          }
          for (const node of nodes) {
            const result = cbNode(node);
            if (result) {
              return result;
            }
          }
        }
      }
      function isJSDocLikeText(text, start) {
        return text.charCodeAt(start + 1) === 42 && text.charCodeAt(start + 2) === 42 && text.charCodeAt(start + 3) !== 47;
      }
      function isFileProbablyExternalModule(sourceFile) {
        return forEach(sourceFile.statements, isAnExternalModuleIndicatorNode) || getImportMetaIfNecessary(sourceFile);
      }
      function isAnExternalModuleIndicatorNode(node) {
        return canHaveModifiers(node) && hasModifierOfKind(
          node,
          95
          /* ExportKeyword */
        ) || isImportEqualsDeclaration(node) && isExternalModuleReference(node.moduleReference) || isImportDeclaration(node) || isExportAssignment(node) || isExportDeclaration(node) ? node : void 0;
      }
      function getImportMetaIfNecessary(sourceFile) {
        return sourceFile.flags & 8388608 ? walkTreeForImportMeta(sourceFile) : void 0;
      }
      function walkTreeForImportMeta(node) {
        return isImportMeta2(node) ? node : forEachChild(node, walkTreeForImportMeta);
      }
      function hasModifierOfKind(node, kind) {
        return some(node.modifiers, (m) => m.kind === kind);
      }
      function isImportMeta2(node) {
        return isMetaProperty(node) && node.keywordToken === 102 && node.name.escapedText === "meta";
      }
      var forEachChildTable = {
        [
          166
          /* QualifiedName */
        ]: function forEachChildInQualifiedName(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.left) || visitNode2(cbNode, node.right);
        },
        [
          168
          /* TypeParameter */
        ]: function forEachChildInTypeParameter(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.constraint) || visitNode2(cbNode, node.default) || visitNode2(cbNode, node.expression);
        },
        [
          304
          /* ShorthandPropertyAssignment */
        ]: function forEachChildInShorthandPropertyAssignment(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.exclamationToken) || visitNode2(cbNode, node.equalsToken) || visitNode2(cbNode, node.objectAssignmentInitializer);
        },
        [
          305
          /* SpreadAssignment */
        ]: function forEachChildInSpreadAssignment(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression);
        },
        [
          169
          /* Parameter */
        ]: function forEachChildInParameter(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.dotDotDotToken) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.initializer);
        },
        [
          172
          /* PropertyDeclaration */
        ]: function forEachChildInPropertyDeclaration(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.exclamationToken) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.initializer);
        },
        [
          171
          /* PropertySignature */
        ]: function forEachChildInPropertySignature(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.initializer);
        },
        [
          303
          /* PropertyAssignment */
        ]: function forEachChildInPropertyAssignment(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.exclamationToken) || visitNode2(cbNode, node.initializer);
        },
        [
          260
          /* VariableDeclaration */
        ]: function forEachChildInVariableDeclaration(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.name) || visitNode2(cbNode, node.exclamationToken) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.initializer);
        },
        [
          208
          /* BindingElement */
        ]: function forEachChildInBindingElement(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.dotDotDotToken) || visitNode2(cbNode, node.propertyName) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.initializer);
        },
        [
          181
          /* IndexSignature */
        ]: function forEachChildInIndexSignature(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type);
        },
        [
          185
          /* ConstructorType */
        ]: function forEachChildInConstructorType(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type);
        },
        [
          184
          /* FunctionType */
        ]: function forEachChildInFunctionType(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type);
        },
        [
          179
          /* CallSignature */
        ]: forEachChildInCallOrConstructSignature,
        [
          180
          /* ConstructSignature */
        ]: forEachChildInCallOrConstructSignature,
        [
          174
          /* MethodDeclaration */
        ]: function forEachChildInMethodDeclaration(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.asteriskToken) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.exclamationToken) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.body);
        },
        [
          173
          /* MethodSignature */
        ]: function forEachChildInMethodSignature(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.questionToken) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type);
        },
        [
          176
          /* Constructor */
        ]: function forEachChildInConstructor(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.body);
        },
        [
          177
          /* GetAccessor */
        ]: function forEachChildInGetAccessor(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.body);
        },
        [
          178
          /* SetAccessor */
        ]: function forEachChildInSetAccessor(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.body);
        },
        [
          262
          /* FunctionDeclaration */
        ]: function forEachChildInFunctionDeclaration(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.asteriskToken) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.body);
        },
        [
          218
          /* FunctionExpression */
        ]: function forEachChildInFunctionExpression(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.asteriskToken) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.body);
        },
        [
          219
          /* ArrowFunction */
        ]: function forEachChildInArrowFunction(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type) || visitNode2(cbNode, node.equalsGreaterThanToken) || visitNode2(cbNode, node.body);
        },
        [
          175
          /* ClassStaticBlockDeclaration */
        ]: function forEachChildInClassStaticBlockDeclaration(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.body);
        },
        [
          183
          /* TypeReference */
        ]: function forEachChildInTypeReference(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.typeName) || visitNodes(cbNode, cbNodes, node.typeArguments);
        },
        [
          182
          /* TypePredicate */
        ]: function forEachChildInTypePredicate(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.assertsModifier) || visitNode2(cbNode, node.parameterName) || visitNode2(cbNode, node.type);
        },
        [
          186
          /* TypeQuery */
        ]: function forEachChildInTypeQuery(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.exprName) || visitNodes(cbNode, cbNodes, node.typeArguments);
        },
        [
          187
          /* TypeLiteral */
        ]: function forEachChildInTypeLiteral(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.members);
        },
        [
          188
          /* ArrayType */
        ]: function forEachChildInArrayType(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.elementType);
        },
        [
          189
          /* TupleType */
        ]: function forEachChildInTupleType(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.elements);
        },
        [
          192
          /* UnionType */
        ]: forEachChildInUnionOrIntersectionType,
        [
          193
          /* IntersectionType */
        ]: forEachChildInUnionOrIntersectionType,
        [
          194
          /* ConditionalType */
        ]: function forEachChildInConditionalType(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.checkType) || visitNode2(cbNode, node.extendsType) || visitNode2(cbNode, node.trueType) || visitNode2(cbNode, node.falseType);
        },
        [
          195
          /* InferType */
        ]: function forEachChildInInferType(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.typeParameter);
        },
        [
          205
          /* ImportType */
        ]: function forEachChildInImportType(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.argument) || visitNode2(cbNode, node.attributes) || visitNode2(cbNode, node.qualifier) || visitNodes(cbNode, cbNodes, node.typeArguments);
        },
        [
          302
          /* ImportTypeAssertionContainer */
        ]: function forEachChildInImportTypeAssertionContainer(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.assertClause);
        },
        [
          196
          /* ParenthesizedType */
        ]: forEachChildInParenthesizedTypeOrTypeOperator,
        [
          198
          /* TypeOperator */
        ]: forEachChildInParenthesizedTypeOrTypeOperator,
        [
          199
          /* IndexedAccessType */
        ]: function forEachChildInIndexedAccessType(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.objectType) || visitNode2(cbNode, node.indexType);
        },
        [
          200
          /* MappedType */
        ]: function forEachChildInMappedType(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.readonlyToken) || visitNode2(cbNode, node.typeParameter) || visitNode2(cbNode, node.nameType) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.type) || visitNodes(cbNode, cbNodes, node.members);
        },
        [
          201
          /* LiteralType */
        ]: function forEachChildInLiteralType(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.literal);
        },
        [
          202
          /* NamedTupleMember */
        ]: function forEachChildInNamedTupleMember(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.dotDotDotToken) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.type);
        },
        [
          206
          /* ObjectBindingPattern */
        ]: forEachChildInObjectOrArrayBindingPattern,
        [
          207
          /* ArrayBindingPattern */
        ]: forEachChildInObjectOrArrayBindingPattern,
        [
          209
          /* ArrayLiteralExpression */
        ]: function forEachChildInArrayLiteralExpression(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.elements);
        },
        [
          210
          /* ObjectLiteralExpression */
        ]: function forEachChildInObjectLiteralExpression(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.properties);
        },
        [
          211
          /* PropertyAccessExpression */
        ]: function forEachChildInPropertyAccessExpression(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.questionDotToken) || visitNode2(cbNode, node.name);
        },
        [
          212
          /* ElementAccessExpression */
        ]: function forEachChildInElementAccessExpression(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.questionDotToken) || visitNode2(cbNode, node.argumentExpression);
        },
        [
          213
          /* CallExpression */
        ]: forEachChildInCallOrNewExpression,
        [
          214
          /* NewExpression */
        ]: forEachChildInCallOrNewExpression,
        [
          215
          /* TaggedTemplateExpression */
        ]: function forEachChildInTaggedTemplateExpression(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.tag) || visitNode2(cbNode, node.questionDotToken) || visitNodes(cbNode, cbNodes, node.typeArguments) || visitNode2(cbNode, node.template);
        },
        [
          216
          /* TypeAssertionExpression */
        ]: function forEachChildInTypeAssertionExpression(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.type) || visitNode2(cbNode, node.expression);
        },
        [
          217
          /* ParenthesizedExpression */
        ]: function forEachChildInParenthesizedExpression(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression);
        },
        [
          220
          /* DeleteExpression */
        ]: function forEachChildInDeleteExpression(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression);
        },
        [
          221
          /* TypeOfExpression */
        ]: function forEachChildInTypeOfExpression(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression);
        },
        [
          222
          /* VoidExpression */
        ]: function forEachChildInVoidExpression(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression);
        },
        [
          224
          /* PrefixUnaryExpression */
        ]: function forEachChildInPrefixUnaryExpression(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.operand);
        },
        [
          229
          /* YieldExpression */
        ]: function forEachChildInYieldExpression(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.asteriskToken) || visitNode2(cbNode, node.expression);
        },
        [
          223
          /* AwaitExpression */
        ]: function forEachChildInAwaitExpression(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression);
        },
        [
          225
          /* PostfixUnaryExpression */
        ]: function forEachChildInPostfixUnaryExpression(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.operand);
        },
        [
          226
          /* BinaryExpression */
        ]: function forEachChildInBinaryExpression(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.left) || visitNode2(cbNode, node.operatorToken) || visitNode2(cbNode, node.right);
        },
        [
          234
          /* AsExpression */
        ]: function forEachChildInAsExpression(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.type);
        },
        [
          235
          /* NonNullExpression */
        ]: function forEachChildInNonNullExpression(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression);
        },
        [
          238
          /* SatisfiesExpression */
        ]: function forEachChildInSatisfiesExpression(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.type);
        },
        [
          236
          /* MetaProperty */
        ]: function forEachChildInMetaProperty(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.name);
        },
        [
          227
          /* ConditionalExpression */
        ]: function forEachChildInConditionalExpression(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.condition) || visitNode2(cbNode, node.questionToken) || visitNode2(cbNode, node.whenTrue) || visitNode2(cbNode, node.colonToken) || visitNode2(cbNode, node.whenFalse);
        },
        [
          230
          /* SpreadElement */
        ]: function forEachChildInSpreadElement(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression);
        },
        [
          241
          /* Block */
        ]: forEachChildInBlock,
        [
          268
          /* ModuleBlock */
        ]: forEachChildInBlock,
        [
          307
          /* SourceFile */
        ]: function forEachChildInSourceFile(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.statements) || visitNode2(cbNode, node.endOfFileToken);
        },
        [
          243
          /* VariableStatement */
        ]: function forEachChildInVariableStatement(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.declarationList);
        },
        [
          261
          /* VariableDeclarationList */
        ]: function forEachChildInVariableDeclarationList(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.declarations);
        },
        [
          244
          /* ExpressionStatement */
        ]: function forEachChildInExpressionStatement(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression);
        },
        [
          245
          /* IfStatement */
        ]: function forEachChildInIfStatement(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.thenStatement) || visitNode2(cbNode, node.elseStatement);
        },
        [
          246
          /* DoStatement */
        ]: function forEachChildInDoStatement(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.statement) || visitNode2(cbNode, node.expression);
        },
        [
          247
          /* WhileStatement */
        ]: function forEachChildInWhileStatement(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.statement);
        },
        [
          248
          /* ForStatement */
        ]: function forEachChildInForStatement(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.initializer) || visitNode2(cbNode, node.condition) || visitNode2(cbNode, node.incrementor) || visitNode2(cbNode, node.statement);
        },
        [
          249
          /* ForInStatement */
        ]: function forEachChildInForInStatement(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.initializer) || visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.statement);
        },
        [
          250
          /* ForOfStatement */
        ]: function forEachChildInForOfStatement(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.awaitModifier) || visitNode2(cbNode, node.initializer) || visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.statement);
        },
        [
          251
          /* ContinueStatement */
        ]: forEachChildInContinueOrBreakStatement,
        [
          252
          /* BreakStatement */
        ]: forEachChildInContinueOrBreakStatement,
        [
          253
          /* ReturnStatement */
        ]: function forEachChildInReturnStatement(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression);
        },
        [
          254
          /* WithStatement */
        ]: function forEachChildInWithStatement(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.statement);
        },
        [
          255
          /* SwitchStatement */
        ]: function forEachChildInSwitchStatement(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.caseBlock);
        },
        [
          269
          /* CaseBlock */
        ]: function forEachChildInCaseBlock(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.clauses);
        },
        [
          296
          /* CaseClause */
        ]: function forEachChildInCaseClause(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.expression) || visitNodes(cbNode, cbNodes, node.statements);
        },
        [
          297
          /* DefaultClause */
        ]: function forEachChildInDefaultClause(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.statements);
        },
        [
          256
          /* LabeledStatement */
        ]: function forEachChildInLabeledStatement(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.label) || visitNode2(cbNode, node.statement);
        },
        [
          257
          /* ThrowStatement */
        ]: function forEachChildInThrowStatement(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression);
        },
        [
          258
          /* TryStatement */
        ]: function forEachChildInTryStatement(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.tryBlock) || visitNode2(cbNode, node.catchClause) || visitNode2(cbNode, node.finallyBlock);
        },
        [
          299
          /* CatchClause */
        ]: function forEachChildInCatchClause(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.variableDeclaration) || visitNode2(cbNode, node.block);
        },
        [
          170
          /* Decorator */
        ]: function forEachChildInDecorator(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression);
        },
        [
          263
          /* ClassDeclaration */
        ]: forEachChildInClassDeclarationOrExpression,
        [
          231
          /* ClassExpression */
        ]: forEachChildInClassDeclarationOrExpression,
        [
          264
          /* InterfaceDeclaration */
        ]: function forEachChildInInterfaceDeclaration(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.heritageClauses) || visitNodes(cbNode, cbNodes, node.members);
        },
        [
          265
          /* TypeAliasDeclaration */
        ]: function forEachChildInTypeAliasDeclaration(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNode2(cbNode, node.type);
        },
        [
          266
          /* EnumDeclaration */
        ]: function forEachChildInEnumDeclaration(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.members);
        },
        [
          306
          /* EnumMember */
        ]: function forEachChildInEnumMember(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.name) || visitNode2(cbNode, node.initializer);
        },
        [
          267
          /* ModuleDeclaration */
        ]: function forEachChildInModuleDeclaration(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.body);
        },
        [
          271
          /* ImportEqualsDeclaration */
        ]: function forEachChildInImportEqualsDeclaration(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNode2(cbNode, node.moduleReference);
        },
        [
          272
          /* ImportDeclaration */
        ]: function forEachChildInImportDeclaration(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.importClause) || visitNode2(cbNode, node.moduleSpecifier) || visitNode2(cbNode, node.attributes);
        },
        [
          273
          /* ImportClause */
        ]: function forEachChildInImportClause(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.name) || visitNode2(cbNode, node.namedBindings);
        },
        [
          300
          /* ImportAttributes */
        ]: function forEachChildInImportAttributes(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.elements);
        },
        [
          301
          /* ImportAttribute */
        ]: function forEachChildInImportAttribute(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.name) || visitNode2(cbNode, node.value);
        },
        [
          270
          /* NamespaceExportDeclaration */
        ]: function forEachChildInNamespaceExportDeclaration(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name);
        },
        [
          274
          /* NamespaceImport */
        ]: function forEachChildInNamespaceImport(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.name);
        },
        [
          280
          /* NamespaceExport */
        ]: function forEachChildInNamespaceExport(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.name);
        },
        [
          275
          /* NamedImports */
        ]: forEachChildInNamedImportsOrExports,
        [
          279
          /* NamedExports */
        ]: forEachChildInNamedImportsOrExports,
        [
          278
          /* ExportDeclaration */
        ]: function forEachChildInExportDeclaration(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.exportClause) || visitNode2(cbNode, node.moduleSpecifier) || visitNode2(cbNode, node.attributes);
        },
        [
          276
          /* ImportSpecifier */
        ]: forEachChildInImportOrExportSpecifier,
        [
          281
          /* ExportSpecifier */
        ]: forEachChildInImportOrExportSpecifier,
        [
          277
          /* ExportAssignment */
        ]: function forEachChildInExportAssignment(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.expression);
        },
        [
          228
          /* TemplateExpression */
        ]: function forEachChildInTemplateExpression(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.head) || visitNodes(cbNode, cbNodes, node.templateSpans);
        },
        [
          239
          /* TemplateSpan */
        ]: function forEachChildInTemplateSpan(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression) || visitNode2(cbNode, node.literal);
        },
        [
          203
          /* TemplateLiteralType */
        ]: function forEachChildInTemplateLiteralType(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.head) || visitNodes(cbNode, cbNodes, node.templateSpans);
        },
        [
          204
          /* TemplateLiteralTypeSpan */
        ]: function forEachChildInTemplateLiteralTypeSpan(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.type) || visitNode2(cbNode, node.literal);
        },
        [
          167
          /* ComputedPropertyName */
        ]: function forEachChildInComputedPropertyName(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression);
        },
        [
          298
          /* HeritageClause */
        ]: function forEachChildInHeritageClause(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.types);
        },
        [
          233
          /* ExpressionWithTypeArguments */
        ]: function forEachChildInExpressionWithTypeArguments(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.expression) || visitNodes(cbNode, cbNodes, node.typeArguments);
        },
        [
          283
          /* ExternalModuleReference */
        ]: function forEachChildInExternalModuleReference(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression);
        },
        [
          282
          /* MissingDeclaration */
        ]: function forEachChildInMissingDeclaration(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.modifiers);
        },
        [
          355
          /* CommaListExpression */
        ]: function forEachChildInCommaListExpression(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.elements);
        },
        [
          284
          /* JsxElement */
        ]: function forEachChildInJsxElement(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.openingElement) || visitNodes(cbNode, cbNodes, node.children) || visitNode2(cbNode, node.closingElement);
        },
        [
          288
          /* JsxFragment */
        ]: function forEachChildInJsxFragment(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.openingFragment) || visitNodes(cbNode, cbNodes, node.children) || visitNode2(cbNode, node.closingFragment);
        },
        [
          285
          /* JsxSelfClosingElement */
        ]: forEachChildInJsxOpeningOrSelfClosingElement,
        [
          286
          /* JsxOpeningElement */
        ]: forEachChildInJsxOpeningOrSelfClosingElement,
        [
          292
          /* JsxAttributes */
        ]: function forEachChildInJsxAttributes(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.properties);
        },
        [
          291
          /* JsxAttribute */
        ]: function forEachChildInJsxAttribute(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.name) || visitNode2(cbNode, node.initializer);
        },
        [
          293
          /* JsxSpreadAttribute */
        ]: function forEachChildInJsxSpreadAttribute(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.expression);
        },
        [
          294
          /* JsxExpression */
        ]: function forEachChildInJsxExpression(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.dotDotDotToken) || visitNode2(cbNode, node.expression);
        },
        [
          287
          /* JsxClosingElement */
        ]: function forEachChildInJsxClosingElement(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.tagName);
        },
        [
          295
          /* JsxNamespacedName */
        ]: function forEachChildInJsxNamespacedName(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.namespace) || visitNode2(cbNode, node.name);
        },
        [
          190
          /* OptionalType */
        ]: forEachChildInOptionalRestOrJSDocParameterModifier,
        [
          191
          /* RestType */
        ]: forEachChildInOptionalRestOrJSDocParameterModifier,
        [
          309
          /* JSDocTypeExpression */
        ]: forEachChildInOptionalRestOrJSDocParameterModifier,
        [
          315
          /* JSDocNonNullableType */
        ]: forEachChildInOptionalRestOrJSDocParameterModifier,
        [
          314
          /* JSDocNullableType */
        ]: forEachChildInOptionalRestOrJSDocParameterModifier,
        [
          316
          /* JSDocOptionalType */
        ]: forEachChildInOptionalRestOrJSDocParameterModifier,
        [
          318
          /* JSDocVariadicType */
        ]: forEachChildInOptionalRestOrJSDocParameterModifier,
        [
          317
          /* JSDocFunctionType */
        ]: function forEachChildInJSDocFunctionType(node, cbNode, cbNodes) {
          return visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type);
        },
        [
          320
          /* JSDoc */
        ]: function forEachChildInJSDoc(node, cbNode, cbNodes) {
          return (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment)) || visitNodes(cbNode, cbNodes, node.tags);
        },
        [
          347
          /* JSDocSeeTag */
        ]: function forEachChildInJSDocSeeTag(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.tagName) || visitNode2(cbNode, node.name) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment));
        },
        [
          310
          /* JSDocNameReference */
        ]: function forEachChildInJSDocNameReference(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.name);
        },
        [
          311
          /* JSDocMemberName */
        ]: function forEachChildInJSDocMemberName(node, cbNode, _cbNodes) {
          return visitNode2(cbNode, node.left) || visitNode2(cbNode, node.right);
        },
        [
          341
          /* JSDocParameterTag */
        ]: forEachChildInJSDocParameterOrPropertyTag,
        [
          348
          /* JSDocPropertyTag */
        ]: forEachChildInJSDocParameterOrPropertyTag,
        [
          330
          /* JSDocAuthorTag */
        ]: function forEachChildInJSDocAuthorTag(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.tagName) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment));
        },
        [
          329
          /* JSDocImplementsTag */
        ]: function forEachChildInJSDocImplementsTag(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.tagName) || visitNode2(cbNode, node.class) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment));
        },
        [
          328
          /* JSDocAugmentsTag */
        ]: function forEachChildInJSDocAugmentsTag(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.tagName) || visitNode2(cbNode, node.class) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment));
        },
        [
          345
          /* JSDocTemplateTag */
        ]: function forEachChildInJSDocTemplateTag(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.tagName) || visitNode2(cbNode, node.constraint) || visitNodes(cbNode, cbNodes, node.typeParameters) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment));
        },
        [
          346
          /* JSDocTypedefTag */
        ]: function forEachChildInJSDocTypedefTag(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.tagName) || (node.typeExpression && node.typeExpression.kind === 309 ? visitNode2(cbNode, node.typeExpression) || visitNode2(cbNode, node.fullName) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment)) : visitNode2(cbNode, node.fullName) || visitNode2(cbNode, node.typeExpression) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment)));
        },
        [
          338
          /* JSDocCallbackTag */
        ]: function forEachChildInJSDocCallbackTag(node, cbNode, cbNodes) {
          return visitNode2(cbNode, node.tagName) || visitNode2(cbNode, node.fullName) || visitNode2(cbNode, node.typeExpression) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment));
        },
        [
          342
          /* JSDocReturnTag */
        ]: forEachChildInJSDocTypeLikeTag,
        [
          344
          /* JSDocTypeTag */
        ]: forEachChildInJSDocTypeLikeTag,
        [
          343
          /* JSDocThisTag */
        ]: forEachChildInJSDocTypeLikeTag,
        [
          340
          /* JSDocEnumTag */
        ]: forEachChildInJSDocTypeLikeTag,
        [
          350
          /* JSDocSatisfiesTag */
        ]: forEachChildInJSDocTypeLikeTag,
        [
          349
          /* JSDocThrowsTag */
        ]: forEachChildInJSDocTypeLikeTag,
        [
          339
          /* JSDocOverloadTag */
        ]: forEachChildInJSDocTypeLikeTag,
        [
          323
          /* JSDocSignature */
        ]: function forEachChildInJSDocSignature(node, cbNode, _cbNodes) {
          return forEach(node.typeParameters, cbNode) || forEach(node.parameters, cbNode) || visitNode2(cbNode, node.type);
        },
        [
          324
          /* JSDocLink */
        ]: forEachChildInJSDocLinkCodeOrPlain,
        [
          325
          /* JSDocLinkCode */
        ]: forEachChildInJSDocLinkCodeOrPlain,
        [
          326
          /* JSDocLinkPlain */
        ]: forEachChildInJSDocLinkCodeOrPlain,
        [
          322
          /* JSDocTypeLiteral */
        ]: function forEachChildInJSDocTypeLiteral(node, cbNode, _cbNodes) {
          return forEach(node.jsDocPropertyTags, cbNode);
        },
        [
          327
          /* JSDocTag */
        ]: forEachChildInJSDocTag,
        [
          332
          /* JSDocClassTag */
        ]: forEachChildInJSDocTag,
        [
          333
          /* JSDocPublicTag */
        ]: forEachChildInJSDocTag,
        [
          334
          /* JSDocPrivateTag */
        ]: forEachChildInJSDocTag,
        [
          335
          /* JSDocProtectedTag */
        ]: forEachChildInJSDocTag,
        [
          336
          /* JSDocReadonlyTag */
        ]: forEachChildInJSDocTag,
        [
          331
          /* JSDocDeprecatedTag */
        ]: forEachChildInJSDocTag,
        [
          337
          /* JSDocOverrideTag */
        ]: forEachChildInJSDocTag,
        [
          351
          /* JSDocImportTag */
        ]: forEachChildInJSDocImportTag,
        [
          354
          /* PartiallyEmittedExpression */
        ]: forEachChildInPartiallyEmittedExpression
      };
      function forEachChildInCallOrConstructSignature(node, cbNode, cbNodes) {
        return visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.parameters) || visitNode2(cbNode, node.type);
      }
      function forEachChildInUnionOrIntersectionType(node, cbNode, cbNodes) {
        return visitNodes(cbNode, cbNodes, node.types);
      }
      function forEachChildInParenthesizedTypeOrTypeOperator(node, cbNode, _cbNodes) {
        return visitNode2(cbNode, node.type);
      }
      function forEachChildInObjectOrArrayBindingPattern(node, cbNode, cbNodes) {
        return visitNodes(cbNode, cbNodes, node.elements);
      }
      function forEachChildInCallOrNewExpression(node, cbNode, cbNodes) {
        return visitNode2(cbNode, node.expression) || // TODO: should we separate these branches out?
        visitNode2(cbNode, node.questionDotToken) || visitNodes(cbNode, cbNodes, node.typeArguments) || visitNodes(cbNode, cbNodes, node.arguments);
      }
      function forEachChildInBlock(node, cbNode, cbNodes) {
        return visitNodes(cbNode, cbNodes, node.statements);
      }
      function forEachChildInContinueOrBreakStatement(node, cbNode, _cbNodes) {
        return visitNode2(cbNode, node.label);
      }
      function forEachChildInClassDeclarationOrExpression(node, cbNode, cbNodes) {
        return visitNodes(cbNode, cbNodes, node.modifiers) || visitNode2(cbNode, node.name) || visitNodes(cbNode, cbNodes, node.typeParameters) || visitNodes(cbNode, cbNodes, node.heritageClauses) || visitNodes(cbNode, cbNodes, node.members);
      }
      function forEachChildInNamedImportsOrExports(node, cbNode, cbNodes) {
        return visitNodes(cbNode, cbNodes, node.elements);
      }
      function forEachChildInImportOrExportSpecifier(node, cbNode, _cbNodes) {
        return visitNode2(cbNode, node.propertyName) || visitNode2(cbNode, node.name);
      }
      function forEachChildInJsxOpeningOrSelfClosingElement(node, cbNode, cbNodes) {
        return visitNode2(cbNode, node.tagName) || visitNodes(cbNode, cbNodes, node.typeArguments) || visitNode2(cbNode, node.attributes);
      }
      function forEachChildInOptionalRestOrJSDocParameterModifier(node, cbNode, _cbNodes) {
        return visitNode2(cbNode, node.type);
      }
      function forEachChildInJSDocParameterOrPropertyTag(node, cbNode, cbNodes) {
        return visitNode2(cbNode, node.tagName) || (node.isNameFirst ? visitNode2(cbNode, node.name) || visitNode2(cbNode, node.typeExpression) : visitNode2(cbNode, node.typeExpression) || visitNode2(cbNode, node.name)) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment));
      }
      function forEachChildInJSDocTypeLikeTag(node, cbNode, cbNodes) {
        return visitNode2(cbNode, node.tagName) || visitNode2(cbNode, node.typeExpression) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment));
      }
      function forEachChildInJSDocLinkCodeOrPlain(node, cbNode, _cbNodes) {
        return visitNode2(cbNode, node.name);
      }
      function forEachChildInJSDocTag(node, cbNode, cbNodes) {
        return visitNode2(cbNode, node.tagName) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment));
      }
      function forEachChildInJSDocImportTag(node, cbNode, cbNodes) {
        return visitNode2(cbNode, node.tagName) || visitNode2(cbNode, node.importClause) || visitNode2(cbNode, node.moduleSpecifier) || visitNode2(cbNode, node.attributes) || (typeof node.comment === "string" ? void 0 : visitNodes(cbNode, cbNodes, node.comment));
      }
      function forEachChildInPartiallyEmittedExpression(node, cbNode, _cbNodes) {
        return visitNode2(cbNode, node.expression);
      }
      function forEachChild(node, cbNode, cbNodes) {
        if (node === void 0 || node.kind <= 165) {
          return;
        }
        const fn = forEachChildTable[node.kind];
        return fn === void 0 ? void 0 : fn(node, cbNode, cbNodes);
      }
      function forEachChildRecursively(rootNode, cbNode, cbNodes) {
        const queue = gatherPossibleChildren(rootNode);
        const parents = [];
        while (parents.length < queue.length) {
          parents.push(rootNode);
        }
        while (queue.length !== 0) {
          const current = queue.pop();
          const parent2 = parents.pop();
          if (isArray3(current)) {
            if (cbNodes) {
              const res = cbNodes(current, parent2);
              if (res) {
                if (res === "skip") continue;
                return res;
              }
            }
            for (let i = current.length - 1; i >= 0; --i) {
              queue.push(current[i]);
              parents.push(parent2);
            }
          } else {
            const res = cbNode(current, parent2);
            if (res) {
              if (res === "skip") continue;
              return res;
            }
            if (current.kind >= 166) {
              for (const child of gatherPossibleChildren(current)) {
                queue.push(child);
                parents.push(current);
              }
            }
          }
        }
      }
      function gatherPossibleChildren(node) {
        const children = [];
        forEachChild(node, addWorkItem, addWorkItem);
        return children;
        function addWorkItem(n) {
          children.unshift(n);
        }
      }
      function setExternalModuleIndicator(sourceFile) {
        sourceFile.externalModuleIndicator = isFileProbablyExternalModule(sourceFile);
      }
      function createSourceFile(fileName, sourceText, languageVersionOrOptions, setParentNodes = false, scriptKind) {
        var _a, _b, _c, _d;
        (_a = tracing) == null ? void 0 : _a.push(
          tracing.Phase.Parse,
          "createSourceFile",
          { path: fileName },
          /*separateBeginAndEnd*/
          true
        );
        mark("beforeParse");
        let result;
        (_b = perfLogger) == null ? void 0 : _b.logStartParseSourceFile(fileName);
        const {
          languageVersion,
          setExternalModuleIndicator: overrideSetExternalModuleIndicator,
          impliedNodeFormat: format2,
          jsDocParsingMode
        } = typeof languageVersionOrOptions === "object" ? languageVersionOrOptions : { languageVersion: languageVersionOrOptions };
        if (languageVersion === 100) {
          result = Parser.parseSourceFile(
            fileName,
            sourceText,
            languageVersion,
            /*syntaxCursor*/
            void 0,
            setParentNodes,
            6,
            noop2,
            jsDocParsingMode
          );
        } else {
          const setIndicator = format2 === void 0 ? overrideSetExternalModuleIndicator : (file) => {
            file.impliedNodeFormat = format2;
            return (overrideSetExternalModuleIndicator || setExternalModuleIndicator)(file);
          };
          result = Parser.parseSourceFile(
            fileName,
            sourceText,
            languageVersion,
            /*syntaxCursor*/
            void 0,
            setParentNodes,
            scriptKind,
            setIndicator,
            jsDocParsingMode
          );
        }
        (_c = perfLogger) == null ? void 0 : _c.logStopParseSourceFile();
        mark("afterParse");
        measure("Parse", "beforeParse", "afterParse");
        (_d = tracing) == null ? void 0 : _d.pop();
        return result;
      }
      function parseIsolatedEntityName(text, languageVersion) {
        return Parser.parseIsolatedEntityName(text, languageVersion);
      }
      function parseJsonText(fileName, sourceText) {
        return Parser.parseJsonText(fileName, sourceText);
      }
      function isExternalModule(file) {
        return file.externalModuleIndicator !== void 0;
      }
      function updateSourceFile(sourceFile, newText, textChangeRange, aggressiveChecks = false) {
        const newSourceFile = IncrementalParser.updateSourceFile(sourceFile, newText, textChangeRange, aggressiveChecks);
        newSourceFile.flags |= sourceFile.flags & 12582912;
        return newSourceFile;
      }
      function parseIsolatedJSDocComment(content, start, length2) {
        const result = Parser.JSDocParser.parseIsolatedJSDocComment(content, start, length2);
        if (result && result.jsDoc) {
          Parser.fixupParentReferences(result.jsDoc);
        }
        return result;
      }
      function parseJSDocTypeExpressionForTests(content, start, length2) {
        return Parser.JSDocParser.parseJSDocTypeExpressionForTests(content, start, length2);
      }
      var Parser;
      ((Parser2) => {
        var scanner2 = createScanner(
          99,
          /*skipTrivia*/
          true
        );
        var disallowInAndDecoratorContext = 8192 | 32768;
        var NodeConstructor2;
        var TokenConstructor2;
        var IdentifierConstructor2;
        var PrivateIdentifierConstructor2;
        var SourceFileConstructor2;
        function countNode(node) {
          nodeCount++;
          return node;
        }
        var baseNodeFactory = {
          createBaseSourceFileNode: (kind) => countNode(new SourceFileConstructor2(
            kind,
            /*pos*/
            0,
            /*end*/
            0
          )),
          createBaseIdentifierNode: (kind) => countNode(new IdentifierConstructor2(
            kind,
            /*pos*/
            0,
            /*end*/
            0
          )),
          createBasePrivateIdentifierNode: (kind) => countNode(new PrivateIdentifierConstructor2(
            kind,
            /*pos*/
            0,
            /*end*/
            0
          )),
          createBaseTokenNode: (kind) => countNode(new TokenConstructor2(
            kind,
            /*pos*/
            0,
            /*end*/
            0
          )),
          createBaseNode: (kind) => countNode(new NodeConstructor2(
            kind,
            /*pos*/
            0,
            /*end*/
            0
          ))
        };
        var factory2 = createNodeFactory(1 | 2 | 8, baseNodeFactory);
        var {
          createNodeArray: factoryCreateNodeArray,
          createNumericLiteral: factoryCreateNumericLiteral,
          createStringLiteral: factoryCreateStringLiteral,
          createLiteralLikeNode: factoryCreateLiteralLikeNode,
          createIdentifier: factoryCreateIdentifier,
          createPrivateIdentifier: factoryCreatePrivateIdentifier,
          createToken: factoryCreateToken,
          createArrayLiteralExpression: factoryCreateArrayLiteralExpression,
          createObjectLiteralExpression: factoryCreateObjectLiteralExpression,
          createPropertyAccessExpression: factoryCreatePropertyAccessExpression,
          createPropertyAccessChain: factoryCreatePropertyAccessChain,
          createElementAccessExpression: factoryCreateElementAccessExpression,
          createElementAccessChain: factoryCreateElementAccessChain,
          createCallExpression: factoryCreateCallExpression,
          createCallChain: factoryCreateCallChain,
          createNewExpression: factoryCreateNewExpression,
          createParenthesizedExpression: factoryCreateParenthesizedExpression,
          createBlock: factoryCreateBlock,
          createVariableStatement: factoryCreateVariableStatement,
          createExpressionStatement: factoryCreateExpressionStatement,
          createIfStatement: factoryCreateIfStatement,
          createWhileStatement: factoryCreateWhileStatement,
          createForStatement: factoryCreateForStatement,
          createForOfStatement: factoryCreateForOfStatement,
          createVariableDeclaration: factoryCreateVariableDeclaration,
          createVariableDeclarationList: factoryCreateVariableDeclarationList
        } = factory2;
        var fileName;
        var sourceFlags;
        var sourceText;
        var languageVersion;
        var scriptKind;
        var languageVariant;
        var parseDiagnostics;
        var jsDocDiagnostics;
        var syntaxCursor;
        var currentToken;
        var nodeCount;
        var identifiers;
        var identifierCount;
        var parsingContext;
        var notParenthesizedArrow;
        var contextFlags;
        var topLevel = true;
        var parseErrorBeforeNextFinishedNode = false;
        function parseSourceFile(fileName2, sourceText2, languageVersion2, syntaxCursor2, setParentNodes = false, scriptKind2, setExternalModuleIndicatorOverride, jsDocParsingMode = 0) {
          var _a;
          scriptKind2 = ensureScriptKind(fileName2, scriptKind2);
          if (scriptKind2 === 6) {
            const result2 = parseJsonText2(fileName2, sourceText2, languageVersion2, syntaxCursor2, setParentNodes);
            convertToJson(
              result2,
              (_a = result2.statements[0]) == null ? void 0 : _a.expression,
              result2.parseDiagnostics,
              /*returnValue*/
              false,
              /*jsonConversionNotifier*/
              void 0
            );
            result2.referencedFiles = emptyArray;
            result2.typeReferenceDirectives = emptyArray;
            result2.libReferenceDirectives = emptyArray;
            result2.amdDependencies = emptyArray;
            result2.hasNoDefaultLib = false;
            result2.pragmas = emptyMap;
            return result2;
          }
          initializeState(fileName2, sourceText2, languageVersion2, syntaxCursor2, scriptKind2, jsDocParsingMode);
          const result = parseSourceFileWorker(languageVersion2, setParentNodes, scriptKind2, setExternalModuleIndicatorOverride || setExternalModuleIndicator, jsDocParsingMode);
          clearState();
          return result;
        }
        Parser2.parseSourceFile = parseSourceFile;
        function parseIsolatedEntityName2(content, languageVersion2) {
          initializeState(
            "",
            content,
            languageVersion2,
            /*syntaxCursor*/
            void 0,
            1,
            0
            /* ParseAll */
          );
          nextToken();
          const entityName = parseEntityName(
            /*allowReservedWords*/
            true
          );
          const isValid2 = token() === 1 && !parseDiagnostics.length;
          clearState();
          return isValid2 ? entityName : void 0;
        }
        Parser2.parseIsolatedEntityName = parseIsolatedEntityName2;
        function parseJsonText2(fileName2, sourceText2, languageVersion2 = 2, syntaxCursor2, setParentNodes = false) {
          initializeState(
            fileName2,
            sourceText2,
            languageVersion2,
            syntaxCursor2,
            6,
            0
            /* ParseAll */
          );
          sourceFlags = contextFlags;
          nextToken();
          const pos = getNodePos();
          let statements, endOfFileToken;
          if (token() === 1) {
            statements = createNodeArray([], pos, pos);
            endOfFileToken = parseTokenNode();
          } else {
            let expressions;
            while (token() !== 1) {
              let expression2;
              switch (token()) {
                case 23:
                  expression2 = parseArrayLiteralExpression();
                  break;
                case 112:
                case 97:
                case 106:
                  expression2 = parseTokenNode();
                  break;
                case 41:
                  if (lookAhead(
                    () => nextToken() === 9 && nextToken() !== 59
                    /* ColonToken */
                  )) {
                    expression2 = parsePrefixUnaryExpression();
                  } else {
                    expression2 = parseObjectLiteralExpression();
                  }
                  break;
                case 9:
                case 11:
                  if (lookAhead(
                    () => nextToken() !== 59
                    /* ColonToken */
                  )) {
                    expression2 = parseLiteralNode();
                    break;
                  }
                default:
                  expression2 = parseObjectLiteralExpression();
                  break;
              }
              if (expressions && isArray3(expressions)) {
                expressions.push(expression2);
              } else if (expressions) {
                expressions = [expressions, expression2];
              } else {
                expressions = expression2;
                if (token() !== 1) {
                  parseErrorAtCurrentToken(Diagnostics.Unexpected_token);
                }
              }
            }
            const expression = isArray3(expressions) ? finishNode(factoryCreateArrayLiteralExpression(expressions), pos) : Debug.checkDefined(expressions);
            const statement = factoryCreateExpressionStatement(expression);
            finishNode(statement, pos);
            statements = createNodeArray([statement], pos);
            endOfFileToken = parseExpectedToken(1, Diagnostics.Unexpected_token);
          }
          const sourceFile = createSourceFile2(
            fileName2,
            2,
            6,
            /*isDeclarationFile*/
            false,
            statements,
            endOfFileToken,
            sourceFlags,
            noop2
          );
          if (setParentNodes) {
            fixupParentReferences(sourceFile);
          }
          sourceFile.nodeCount = nodeCount;
          sourceFile.identifierCount = identifierCount;
          sourceFile.identifiers = identifiers;
          sourceFile.parseDiagnostics = attachFileToDiagnostics(parseDiagnostics, sourceFile);
          if (jsDocDiagnostics) {
            sourceFile.jsDocDiagnostics = attachFileToDiagnostics(jsDocDiagnostics, sourceFile);
          }
          const result = sourceFile;
          clearState();
          return result;
        }
        Parser2.parseJsonText = parseJsonText2;
        function initializeState(_fileName, _sourceText, _languageVersion, _syntaxCursor, _scriptKind, _jsDocParsingMode) {
          NodeConstructor2 = objectAllocator.getNodeConstructor();
          TokenConstructor2 = objectAllocator.getTokenConstructor();
          IdentifierConstructor2 = objectAllocator.getIdentifierConstructor();
          PrivateIdentifierConstructor2 = objectAllocator.getPrivateIdentifierConstructor();
          SourceFileConstructor2 = objectAllocator.getSourceFileConstructor();
          fileName = normalizePath(_fileName);
          sourceText = _sourceText;
          languageVersion = _languageVersion;
          syntaxCursor = _syntaxCursor;
          scriptKind = _scriptKind;
          languageVariant = getLanguageVariant(_scriptKind);
          parseDiagnostics = [];
          parsingContext = 0;
          identifiers = /* @__PURE__ */ new Map();
          identifierCount = 0;
          nodeCount = 0;
          sourceFlags = 0;
          topLevel = true;
          switch (scriptKind) {
            case 1:
            case 2:
              contextFlags = 524288;
              break;
            case 6:
              contextFlags = 524288 | 134217728;
              break;
            default:
              contextFlags = 0;
              break;
          }
          parseErrorBeforeNextFinishedNode = false;
          scanner2.setText(sourceText);
          scanner2.setOnError(scanError);
          scanner2.setScriptTarget(languageVersion);
          scanner2.setLanguageVariant(languageVariant);
          scanner2.setScriptKind(scriptKind);
          scanner2.setJSDocParsingMode(_jsDocParsingMode);
        }
        function clearState() {
          scanner2.clearCommentDirectives();
          scanner2.setText("");
          scanner2.setOnError(void 0);
          scanner2.setScriptKind(
            0
            /* Unknown */
          );
          scanner2.setJSDocParsingMode(
            0
            /* ParseAll */
          );
          sourceText = void 0;
          languageVersion = void 0;
          syntaxCursor = void 0;
          scriptKind = void 0;
          languageVariant = void 0;
          sourceFlags = 0;
          parseDiagnostics = void 0;
          jsDocDiagnostics = void 0;
          parsingContext = 0;
          identifiers = void 0;
          notParenthesizedArrow = void 0;
          topLevel = true;
        }
        function parseSourceFileWorker(languageVersion2, setParentNodes, scriptKind2, setExternalModuleIndicator2, jsDocParsingMode) {
          const isDeclarationFile = isDeclarationFileName(fileName);
          if (isDeclarationFile) {
            contextFlags |= 33554432;
          }
          sourceFlags = contextFlags;
          nextToken();
          const statements = parseList(0, parseStatement);
          Debug.assert(
            token() === 1
            /* EndOfFileToken */
          );
          const endHasJSDoc = hasPrecedingJSDocComment();
          const endOfFileToken = withJSDoc(parseTokenNode(), endHasJSDoc);
          const sourceFile = createSourceFile2(fileName, languageVersion2, scriptKind2, isDeclarationFile, statements, endOfFileToken, sourceFlags, setExternalModuleIndicator2);
          processCommentPragmas(sourceFile, sourceText);
          processPragmasIntoFields(sourceFile, reportPragmaDiagnostic);
          sourceFile.commentDirectives = scanner2.getCommentDirectives();
          sourceFile.nodeCount = nodeCount;
          sourceFile.identifierCount = identifierCount;
          sourceFile.identifiers = identifiers;
          sourceFile.parseDiagnostics = attachFileToDiagnostics(parseDiagnostics, sourceFile);
          sourceFile.jsDocParsingMode = jsDocParsingMode;
          if (jsDocDiagnostics) {
            sourceFile.jsDocDiagnostics = attachFileToDiagnostics(jsDocDiagnostics, sourceFile);
          }
          if (setParentNodes) {
            fixupParentReferences(sourceFile);
          }
          return sourceFile;
          function reportPragmaDiagnostic(pos, end, diagnostic) {
            parseDiagnostics.push(createDetachedDiagnostic(fileName, sourceText, pos, end, diagnostic));
          }
        }
        let hasDeprecatedTag = false;
        function withJSDoc(node, hasJSDoc) {
          if (!hasJSDoc) {
            return node;
          }
          Debug.assert(!node.jsDoc);
          const jsDoc = mapDefined(getJSDocCommentRanges(node, sourceText), (comment) => JSDocParser.parseJSDocComment(node, comment.pos, comment.end - comment.pos));
          if (jsDoc.length) node.jsDoc = jsDoc;
          if (hasDeprecatedTag) {
            hasDeprecatedTag = false;
            node.flags |= 536870912;
          }
          return node;
        }
        function reparseTopLevelAwait(sourceFile) {
          const savedSyntaxCursor = syntaxCursor;
          const baseSyntaxCursor = IncrementalParser.createSyntaxCursor(sourceFile);
          syntaxCursor = { currentNode: currentNode2 };
          const statements = [];
          const savedParseDiagnostics = parseDiagnostics;
          parseDiagnostics = [];
          let pos = 0;
          let start = findNextStatementWithAwait(sourceFile.statements, 0);
          while (start !== -1) {
            const prevStatement = sourceFile.statements[pos];
            const nextStatement = sourceFile.statements[start];
            addRange(statements, sourceFile.statements, pos, start);
            pos = findNextStatementWithoutAwait(sourceFile.statements, start);
            const diagnosticStart = findIndex(savedParseDiagnostics, (diagnostic) => diagnostic.start >= prevStatement.pos);
            const diagnosticEnd = diagnosticStart >= 0 ? findIndex(savedParseDiagnostics, (diagnostic) => diagnostic.start >= nextStatement.pos, diagnosticStart) : -1;
            if (diagnosticStart >= 0) {
              addRange(parseDiagnostics, savedParseDiagnostics, diagnosticStart, diagnosticEnd >= 0 ? diagnosticEnd : void 0);
            }
            speculationHelper(
              () => {
                const savedContextFlags = contextFlags;
                contextFlags |= 65536;
                scanner2.resetTokenState(nextStatement.pos);
                nextToken();
                while (token() !== 1) {
                  const startPos = scanner2.getTokenFullStart();
                  const statement = parseListElement(0, parseStatement);
                  statements.push(statement);
                  if (startPos === scanner2.getTokenFullStart()) {
                    nextToken();
                  }
                  if (pos >= 0) {
                    const nonAwaitStatement = sourceFile.statements[pos];
                    if (statement.end === nonAwaitStatement.pos) {
                      break;
                    }
                    if (statement.end > nonAwaitStatement.pos) {
                      pos = findNextStatementWithoutAwait(sourceFile.statements, pos + 1);
                    }
                  }
                }
                contextFlags = savedContextFlags;
              },
              2
              /* Reparse */
            );
            start = pos >= 0 ? findNextStatementWithAwait(sourceFile.statements, pos) : -1;
          }
          if (pos >= 0) {
            const prevStatement = sourceFile.statements[pos];
            addRange(statements, sourceFile.statements, pos);
            const diagnosticStart = findIndex(savedParseDiagnostics, (diagnostic) => diagnostic.start >= prevStatement.pos);
            if (diagnosticStart >= 0) {
              addRange(parseDiagnostics, savedParseDiagnostics, diagnosticStart);
            }
          }
          syntaxCursor = savedSyntaxCursor;
          return factory2.updateSourceFile(sourceFile, setTextRange(factoryCreateNodeArray(statements), sourceFile.statements));
          function containsPossibleTopLevelAwait(node) {
            return !(node.flags & 65536) && !!(node.transformFlags & 67108864);
          }
          function findNextStatementWithAwait(statements2, start2) {
            for (let i = start2; i < statements2.length; i++) {
              if (containsPossibleTopLevelAwait(statements2[i])) {
                return i;
              }
            }
            return -1;
          }
          function findNextStatementWithoutAwait(statements2, start2) {
            for (let i = start2; i < statements2.length; i++) {
              if (!containsPossibleTopLevelAwait(statements2[i])) {
                return i;
              }
            }
            return -1;
          }
          function currentNode2(position) {
            const node = baseSyntaxCursor.currentNode(position);
            if (topLevel && node && containsPossibleTopLevelAwait(node)) {
              markAsIntersectingIncrementalChange(node);
            }
            return node;
          }
        }
        function fixupParentReferences(rootNode) {
          setParentRecursive(
            rootNode,
            /*incremental*/
            true
          );
        }
        Parser2.fixupParentReferences = fixupParentReferences;
        function createSourceFile2(fileName2, languageVersion2, scriptKind2, isDeclarationFile, statements, endOfFileToken, flags, setExternalModuleIndicator2) {
          let sourceFile = factory2.createSourceFile(statements, endOfFileToken, flags);
          setTextRangePosWidth(sourceFile, 0, sourceText.length);
          setFields(sourceFile);
          if (!isDeclarationFile && isExternalModule(sourceFile) && sourceFile.transformFlags & 67108864) {
            const oldSourceFile = sourceFile;
            sourceFile = reparseTopLevelAwait(sourceFile);
            if (oldSourceFile !== sourceFile) setFields(sourceFile);
          }
          return sourceFile;
          function setFields(sourceFile2) {
            sourceFile2.text = sourceText;
            sourceFile2.bindDiagnostics = [];
            sourceFile2.bindSuggestionDiagnostics = void 0;
            sourceFile2.languageVersion = languageVersion2;
            sourceFile2.fileName = fileName2;
            sourceFile2.languageVariant = getLanguageVariant(scriptKind2);
            sourceFile2.isDeclarationFile = isDeclarationFile;
            sourceFile2.scriptKind = scriptKind2;
            setExternalModuleIndicator2(sourceFile2);
            sourceFile2.setExternalModuleIndicator = setExternalModuleIndicator2;
          }
        }
        function setContextFlag(val, flag) {
          if (val) {
            contextFlags |= flag;
          } else {
            contextFlags &= ~flag;
          }
        }
        function setDisallowInContext(val) {
          setContextFlag(
            val,
            8192
            /* DisallowInContext */
          );
        }
        function setYieldContext(val) {
          setContextFlag(
            val,
            16384
            /* YieldContext */
          );
        }
        function setDecoratorContext(val) {
          setContextFlag(
            val,
            32768
            /* DecoratorContext */
          );
        }
        function setAwaitContext(val) {
          setContextFlag(
            val,
            65536
            /* AwaitContext */
          );
        }
        function doOutsideOfContext(context, func) {
          const contextFlagsToClear = context & contextFlags;
          if (contextFlagsToClear) {
            setContextFlag(
              /*val*/
              false,
              contextFlagsToClear
            );
            const result = func();
            setContextFlag(
              /*val*/
              true,
              contextFlagsToClear
            );
            return result;
          }
          return func();
        }
        function doInsideOfContext(context, func) {
          const contextFlagsToSet = context & ~contextFlags;
          if (contextFlagsToSet) {
            setContextFlag(
              /*val*/
              true,
              contextFlagsToSet
            );
            const result = func();
            setContextFlag(
              /*val*/
              false,
              contextFlagsToSet
            );
            return result;
          }
          return func();
        }
        function allowInAnd(func) {
          return doOutsideOfContext(8192, func);
        }
        function disallowInAnd(func) {
          return doInsideOfContext(8192, func);
        }
        function allowConditionalTypesAnd(func) {
          return doOutsideOfContext(131072, func);
        }
        function disallowConditionalTypesAnd(func) {
          return doInsideOfContext(131072, func);
        }
        function doInYieldContext(func) {
          return doInsideOfContext(16384, func);
        }
        function doInDecoratorContext(func) {
          return doInsideOfContext(32768, func);
        }
        function doInAwaitContext(func) {
          return doInsideOfContext(65536, func);
        }
        function doOutsideOfAwaitContext(func) {
          return doOutsideOfContext(65536, func);
        }
        function doInYieldAndAwaitContext(func) {
          return doInsideOfContext(16384 | 65536, func);
        }
        function doOutsideOfYieldAndAwaitContext(func) {
          return doOutsideOfContext(16384 | 65536, func);
        }
        function inContext(flags) {
          return (contextFlags & flags) !== 0;
        }
        function inYieldContext() {
          return inContext(
            16384
            /* YieldContext */
          );
        }
        function inDisallowInContext() {
          return inContext(
            8192
            /* DisallowInContext */
          );
        }
        function inDisallowConditionalTypesContext() {
          return inContext(
            131072
            /* DisallowConditionalTypesContext */
          );
        }
        function inDecoratorContext() {
          return inContext(
            32768
            /* DecoratorContext */
          );
        }
        function inAwaitContext() {
          return inContext(
            65536
            /* AwaitContext */
          );
        }
        function parseErrorAtCurrentToken(message, ...args) {
          return parseErrorAt(scanner2.getTokenStart(), scanner2.getTokenEnd(), message, ...args);
        }
        function parseErrorAtPosition(start, length2, message, ...args) {
          const lastError = lastOrUndefined(parseDiagnostics);
          let result;
          if (!lastError || start !== lastError.start) {
            result = createDetachedDiagnostic(fileName, sourceText, start, length2, message, ...args);
            parseDiagnostics.push(result);
          }
          parseErrorBeforeNextFinishedNode = true;
          return result;
        }
        function parseErrorAt(start, end, message, ...args) {
          return parseErrorAtPosition(start, end - start, message, ...args);
        }
        function parseErrorAtRange(range, message, ...args) {
          parseErrorAt(range.pos, range.end, message, ...args);
        }
        function scanError(message, length2, arg0) {
          parseErrorAtPosition(scanner2.getTokenEnd(), length2, message, arg0);
        }
        function getNodePos() {
          return scanner2.getTokenFullStart();
        }
        function hasPrecedingJSDocComment() {
          return scanner2.hasPrecedingJSDocComment();
        }
        function token() {
          return currentToken;
        }
        function nextTokenWithoutCheck() {
          return currentToken = scanner2.scan();
        }
        function nextTokenAnd(func) {
          nextToken();
          return func();
        }
        function nextToken() {
          if (isKeyword2(currentToken) && (scanner2.hasUnicodeEscape() || scanner2.hasExtendedUnicodeEscape())) {
            parseErrorAt(scanner2.getTokenStart(), scanner2.getTokenEnd(), Diagnostics.Keywords_cannot_contain_escape_characters);
          }
          return nextTokenWithoutCheck();
        }
        function nextTokenJSDoc() {
          return currentToken = scanner2.scanJsDocToken();
        }
        function nextJSDocCommentTextToken(inBackticks) {
          return currentToken = scanner2.scanJSDocCommentTextToken(inBackticks);
        }
        function reScanGreaterToken() {
          return currentToken = scanner2.reScanGreaterToken();
        }
        function reScanSlashToken() {
          return currentToken = scanner2.reScanSlashToken();
        }
        function reScanTemplateToken(isTaggedTemplate) {
          return currentToken = scanner2.reScanTemplateToken(isTaggedTemplate);
        }
        function reScanLessThanToken() {
          return currentToken = scanner2.reScanLessThanToken();
        }
        function reScanHashToken() {
          return currentToken = scanner2.reScanHashToken();
        }
        function scanJsxIdentifier() {
          return currentToken = scanner2.scanJsxIdentifier();
        }
        function scanJsxText() {
          return currentToken = scanner2.scanJsxToken();
        }
        function scanJsxAttributeValue() {
          return currentToken = scanner2.scanJsxAttributeValue();
        }
        function speculationHelper(callback, speculationKind) {
          const saveToken = currentToken;
          const saveParseDiagnosticsLength = parseDiagnostics.length;
          const saveParseErrorBeforeNextFinishedNode = parseErrorBeforeNextFinishedNode;
          const saveContextFlags = contextFlags;
          const result = speculationKind !== 0 ? scanner2.lookAhead(callback) : scanner2.tryScan(callback);
          Debug.assert(saveContextFlags === contextFlags);
          if (!result || speculationKind !== 0) {
            currentToken = saveToken;
            if (speculationKind !== 2) {
              parseDiagnostics.length = saveParseDiagnosticsLength;
            }
            parseErrorBeforeNextFinishedNode = saveParseErrorBeforeNextFinishedNode;
          }
          return result;
        }
        function lookAhead(callback) {
          return speculationHelper(
            callback,
            1
            /* Lookahead */
          );
        }
        function tryParse(callback) {
          return speculationHelper(
            callback,
            0
            /* TryParse */
          );
        }
        function isBindingIdentifier() {
          if (token() === 80) {
            return true;
          }
          return token() > 118;
        }
        function isIdentifier2() {
          if (token() === 80) {
            return true;
          }
          if (token() === 127 && inYieldContext()) {
            return false;
          }
          if (token() === 135 && inAwaitContext()) {
            return false;
          }
          return token() > 118;
        }
        function parseExpected(kind, diagnosticMessage, shouldAdvance = true) {
          if (token() === kind) {
            if (shouldAdvance) {
              nextToken();
            }
            return true;
          }
          if (diagnosticMessage) {
            parseErrorAtCurrentToken(diagnosticMessage);
          } else {
            parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString(kind));
          }
          return false;
        }
        const viableKeywordSuggestions = Object.keys(textToKeywordObj).filter((keyword) => keyword.length > 2);
        function parseErrorForMissingSemicolonAfter(node) {
          if (isTaggedTemplateExpression(node)) {
            parseErrorAt(skipTrivia(sourceText, node.template.pos), node.template.end, Diagnostics.Module_declaration_names_may_only_use_or_quoted_strings);
            return;
          }
          const expressionText = isIdentifier(node) ? idText(node) : void 0;
          if (!expressionText || !isIdentifierText(expressionText, languageVersion)) {
            parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString(
              27
              /* SemicolonToken */
            ));
            return;
          }
          const pos = skipTrivia(sourceText, node.pos);
          switch (expressionText) {
            case "const":
            case "let":
            case "var":
              parseErrorAt(pos, node.end, Diagnostics.Variable_declaration_not_allowed_at_this_location);
              return;
            case "declare":
              return;
            case "interface":
              parseErrorForInvalidName(
                Diagnostics.Interface_name_cannot_be_0,
                Diagnostics.Interface_must_be_given_a_name,
                19
                /* OpenBraceToken */
              );
              return;
            case "is":
              parseErrorAt(pos, scanner2.getTokenStart(), Diagnostics.A_type_predicate_is_only_allowed_in_return_type_position_for_functions_and_methods);
              return;
            case "module":
            case "namespace":
              parseErrorForInvalidName(
                Diagnostics.Namespace_name_cannot_be_0,
                Diagnostics.Namespace_must_be_given_a_name,
                19
                /* OpenBraceToken */
              );
              return;
            case "type":
              parseErrorForInvalidName(
                Diagnostics.Type_alias_name_cannot_be_0,
                Diagnostics.Type_alias_must_be_given_a_name,
                64
                /* EqualsToken */
              );
              return;
          }
          const suggestion = getSpellingSuggestion(expressionText, viableKeywordSuggestions, identity2) ?? getSpaceSuggestion(expressionText);
          if (suggestion) {
            parseErrorAt(pos, node.end, Diagnostics.Unknown_keyword_or_identifier_Did_you_mean_0, suggestion);
            return;
          }
          if (token() === 0) {
            return;
          }
          parseErrorAt(pos, node.end, Diagnostics.Unexpected_keyword_or_identifier);
        }
        function parseErrorForInvalidName(nameDiagnostic, blankDiagnostic, tokenIfBlankName) {
          if (token() === tokenIfBlankName) {
            parseErrorAtCurrentToken(blankDiagnostic);
          } else {
            parseErrorAtCurrentToken(nameDiagnostic, scanner2.getTokenValue());
          }
        }
        function getSpaceSuggestion(expressionText) {
          for (const keyword of viableKeywordSuggestions) {
            if (expressionText.length > keyword.length + 2 && startsWith2(expressionText, keyword)) {
              return `${keyword} ${expressionText.slice(keyword.length)}`;
            }
          }
          return void 0;
        }
        function parseSemicolonAfterPropertyName(name, type, initializer) {
          if (token() === 60 && !scanner2.hasPrecedingLineBreak()) {
            parseErrorAtCurrentToken(Diagnostics.Decorators_must_precede_the_name_and_all_keywords_of_property_declarations);
            return;
          }
          if (token() === 21) {
            parseErrorAtCurrentToken(Diagnostics.Cannot_start_a_function_call_in_a_type_annotation);
            nextToken();
            return;
          }
          if (type && !canParseSemicolon()) {
            if (initializer) {
              parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString(
                27
                /* SemicolonToken */
              ));
            } else {
              parseErrorAtCurrentToken(Diagnostics.Expected_for_property_initializer);
            }
            return;
          }
          if (tryParseSemicolon()) {
            return;
          }
          if (initializer) {
            parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString(
              27
              /* SemicolonToken */
            ));
            return;
          }
          parseErrorForMissingSemicolonAfter(name);
        }
        function parseExpectedJSDoc(kind) {
          if (token() === kind) {
            nextTokenJSDoc();
            return true;
          }
          Debug.assert(isKeywordOrPunctuation(kind));
          parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString(kind));
          return false;
        }
        function parseExpectedMatchingBrackets(openKind, closeKind, openParsed, openPosition) {
          if (token() === closeKind) {
            nextToken();
            return;
          }
          const lastError = parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString(closeKind));
          if (!openParsed) {
            return;
          }
          if (lastError) {
            addRelatedInfo(
              lastError,
              createDetachedDiagnostic(fileName, sourceText, openPosition, 1, Diagnostics.The_parser_expected_to_find_a_1_to_match_the_0_token_here, tokenToString(openKind), tokenToString(closeKind))
            );
          }
        }
        function parseOptional(t) {
          if (token() === t) {
            nextToken();
            return true;
          }
          return false;
        }
        function parseOptionalToken(t) {
          if (token() === t) {
            return parseTokenNode();
          }
          return void 0;
        }
        function parseOptionalTokenJSDoc(t) {
          if (token() === t) {
            return parseTokenNodeJSDoc();
          }
          return void 0;
        }
        function parseExpectedToken(t, diagnosticMessage, arg0) {
          return parseOptionalToken(t) || createMissingNode(
            t,
            /*reportAtCurrentPosition*/
            false,
            diagnosticMessage || Diagnostics._0_expected,
            arg0 || tokenToString(t)
          );
        }
        function parseExpectedTokenJSDoc(t) {
          const optional = parseOptionalTokenJSDoc(t);
          if (optional) return optional;
          Debug.assert(isKeywordOrPunctuation(t));
          return createMissingNode(
            t,
            /*reportAtCurrentPosition*/
            false,
            Diagnostics._0_expected,
            tokenToString(t)
          );
        }
        function parseTokenNode() {
          const pos = getNodePos();
          const kind = token();
          nextToken();
          return finishNode(factoryCreateToken(kind), pos);
        }
        function parseTokenNodeJSDoc() {
          const pos = getNodePos();
          const kind = token();
          nextTokenJSDoc();
          return finishNode(factoryCreateToken(kind), pos);
        }
        function canParseSemicolon() {
          if (token() === 27) {
            return true;
          }
          return token() === 20 || token() === 1 || scanner2.hasPrecedingLineBreak();
        }
        function tryParseSemicolon() {
          if (!canParseSemicolon()) {
            return false;
          }
          if (token() === 27) {
            nextToken();
          }
          return true;
        }
        function parseSemicolon() {
          return tryParseSemicolon() || parseExpected(
            27
            /* SemicolonToken */
          );
        }
        function createNodeArray(elements, pos, end, hasTrailingComma) {
          const array = factoryCreateNodeArray(elements, hasTrailingComma);
          setTextRangePosEnd(array, pos, end ?? scanner2.getTokenFullStart());
          return array;
        }
        function finishNode(node, pos, end) {
          setTextRangePosEnd(node, pos, end ?? scanner2.getTokenFullStart());
          if (contextFlags) {
            node.flags |= contextFlags;
          }
          if (parseErrorBeforeNextFinishedNode) {
            parseErrorBeforeNextFinishedNode = false;
            node.flags |= 262144;
          }
          return node;
        }
        function createMissingNode(kind, reportAtCurrentPosition, diagnosticMessage, ...args) {
          if (reportAtCurrentPosition) {
            parseErrorAtPosition(scanner2.getTokenFullStart(), 0, diagnosticMessage, ...args);
          } else if (diagnosticMessage) {
            parseErrorAtCurrentToken(diagnosticMessage, ...args);
          }
          const pos = getNodePos();
          const result = kind === 80 ? factoryCreateIdentifier(
            "",
            /*originalKeywordKind*/
            void 0
          ) : isTemplateLiteralKind(kind) ? factory2.createTemplateLiteralLikeNode(
            kind,
            "",
            "",
            /*templateFlags*/
            void 0
          ) : kind === 9 ? factoryCreateNumericLiteral(
            "",
            /*numericLiteralFlags*/
            void 0
          ) : kind === 11 ? factoryCreateStringLiteral(
            "",
            /*isSingleQuote*/
            void 0
          ) : kind === 282 ? factory2.createMissingDeclaration() : factoryCreateToken(kind);
          return finishNode(result, pos);
        }
        function internIdentifier(text) {
          let identifier = identifiers.get(text);
          if (identifier === void 0) {
            identifiers.set(text, identifier = text);
          }
          return identifier;
        }
        function createIdentifier(isIdentifier3, diagnosticMessage, privateIdentifierDiagnosticMessage) {
          if (isIdentifier3) {
            identifierCount++;
            const pos = scanner2.hasLeadingAsterisks() ? scanner2.getTokenStart() : getNodePos();
            const originalKeywordKind = token();
            const text = internIdentifier(scanner2.getTokenValue());
            const hasExtendedUnicodeEscape = scanner2.hasExtendedUnicodeEscape();
            nextTokenWithoutCheck();
            return finishNode(factoryCreateIdentifier(text, originalKeywordKind, hasExtendedUnicodeEscape), pos);
          }
          if (token() === 81) {
            parseErrorAtCurrentToken(privateIdentifierDiagnosticMessage || Diagnostics.Private_identifiers_are_not_allowed_outside_class_bodies);
            return createIdentifier(
              /*isIdentifier*/
              true
            );
          }
          if (token() === 0 && scanner2.tryScan(
            () => scanner2.reScanInvalidIdentifier() === 80
            /* Identifier */
          )) {
            return createIdentifier(
              /*isIdentifier*/
              true
            );
          }
          identifierCount++;
          const reportAtCurrentPosition = token() === 1;
          const isReservedWord = scanner2.isReservedWord();
          const msgArg = scanner2.getTokenText();
          const defaultMessage2 = isReservedWord ? Diagnostics.Identifier_expected_0_is_a_reserved_word_that_cannot_be_used_here : Diagnostics.Identifier_expected;
          return createMissingNode(80, reportAtCurrentPosition, diagnosticMessage || defaultMessage2, msgArg);
        }
        function parseBindingIdentifier(privateIdentifierDiagnosticMessage) {
          return createIdentifier(
            isBindingIdentifier(),
            /*diagnosticMessage*/
            void 0,
            privateIdentifierDiagnosticMessage
          );
        }
        function parseIdentifier(diagnosticMessage, privateIdentifierDiagnosticMessage) {
          return createIdentifier(isIdentifier2(), diagnosticMessage, privateIdentifierDiagnosticMessage);
        }
        function parseIdentifierName(diagnosticMessage) {
          return createIdentifier(tokenIsIdentifierOrKeyword(token()), diagnosticMessage);
        }
        function parseIdentifierNameErrorOnUnicodeEscapeSequence() {
          if (scanner2.hasUnicodeEscape() || scanner2.hasExtendedUnicodeEscape()) {
            parseErrorAtCurrentToken(Diagnostics.Unicode_escape_sequence_cannot_appear_here);
          }
          return createIdentifier(tokenIsIdentifierOrKeyword(token()));
        }
        function isLiteralPropertyName() {
          return tokenIsIdentifierOrKeyword(token()) || token() === 11 || token() === 9;
        }
        function isImportAttributeName2() {
          return tokenIsIdentifierOrKeyword(token()) || token() === 11;
        }
        function parsePropertyNameWorker(allowComputedPropertyNames) {
          if (token() === 11 || token() === 9) {
            const node = parseLiteralNode();
            node.text = internIdentifier(node.text);
            return node;
          }
          if (allowComputedPropertyNames && token() === 23) {
            return parseComputedPropertyName();
          }
          if (token() === 81) {
            return parsePrivateIdentifier();
          }
          return parseIdentifierName();
        }
        function parsePropertyName() {
          return parsePropertyNameWorker(
            /*allowComputedPropertyNames*/
            true
          );
        }
        function parseComputedPropertyName() {
          const pos = getNodePos();
          parseExpected(
            23
            /* OpenBracketToken */
          );
          const expression = allowInAnd(parseExpression);
          parseExpected(
            24
            /* CloseBracketToken */
          );
          return finishNode(factory2.createComputedPropertyName(expression), pos);
        }
        function parsePrivateIdentifier() {
          const pos = getNodePos();
          const node = factoryCreatePrivateIdentifier(internIdentifier(scanner2.getTokenValue()));
          nextToken();
          return finishNode(node, pos);
        }
        function parseContextualModifier(t) {
          return token() === t && tryParse(nextTokenCanFollowModifier);
        }
        function nextTokenIsOnSameLineAndCanFollowModifier() {
          nextToken();
          if (scanner2.hasPrecedingLineBreak()) {
            return false;
          }
          return canFollowModifier();
        }
        function nextTokenCanFollowModifier() {
          switch (token()) {
            case 87:
              return nextToken() === 94;
            case 95:
              nextToken();
              if (token() === 90) {
                return lookAhead(nextTokenCanFollowDefaultKeyword);
              }
              if (token() === 156) {
                return lookAhead(nextTokenCanFollowExportModifier);
              }
              return canFollowExportModifier();
            case 90:
              return nextTokenCanFollowDefaultKeyword();
            case 126:
            case 139:
            case 153:
              nextToken();
              return canFollowModifier();
            default:
              return nextTokenIsOnSameLineAndCanFollowModifier();
          }
        }
        function canFollowExportModifier() {
          return token() === 60 || token() !== 42 && token() !== 130 && token() !== 19 && canFollowModifier();
        }
        function nextTokenCanFollowExportModifier() {
          nextToken();
          return canFollowExportModifier();
        }
        function parseAnyContextualModifier() {
          return isModifierKind(token()) && tryParse(nextTokenCanFollowModifier);
        }
        function canFollowModifier() {
          return token() === 23 || token() === 19 || token() === 42 || token() === 26 || isLiteralPropertyName();
        }
        function nextTokenCanFollowDefaultKeyword() {
          nextToken();
          return token() === 86 || token() === 100 || token() === 120 || token() === 60 || token() === 128 && lookAhead(nextTokenIsClassKeywordOnSameLine) || token() === 134 && lookAhead(nextTokenIsFunctionKeywordOnSameLine);
        }
        function isListElement2(parsingContext2, inErrorRecovery) {
          const node = currentNode(parsingContext2);
          if (node) {
            return true;
          }
          switch (parsingContext2) {
            case 0:
            case 1:
            case 3:
              return !(token() === 27 && inErrorRecovery) && isStartOfStatement();
            case 2:
              return token() === 84 || token() === 90;
            case 4:
              return lookAhead(isTypeMemberStart);
            case 5:
              return lookAhead(isClassMemberStart) || token() === 27 && !inErrorRecovery;
            case 6:
              return token() === 23 || isLiteralPropertyName();
            case 12:
              switch (token()) {
                case 23:
                case 42:
                case 26:
                case 25:
                  return true;
                default:
                  return isLiteralPropertyName();
              }
            case 18:
              return isLiteralPropertyName();
            case 9:
              return token() === 23 || token() === 26 || isLiteralPropertyName();
            case 24:
              return isImportAttributeName2();
            case 7:
              if (token() === 19) {
                return lookAhead(isValidHeritageClauseObjectLiteral);
              }
              if (!inErrorRecovery) {
                return isStartOfLeftHandSideExpression() && !isHeritageClauseExtendsOrImplementsKeyword();
              } else {
                return isIdentifier2() && !isHeritageClauseExtendsOrImplementsKeyword();
              }
            case 8:
              return isBindingIdentifierOrPrivateIdentifierOrPattern();
            case 10:
              return token() === 28 || token() === 26 || isBindingIdentifierOrPrivateIdentifierOrPattern();
            case 19:
              return token() === 103 || token() === 87 || isIdentifier2();
            case 15:
              switch (token()) {
                case 28:
                case 25:
                  return true;
              }
            case 11:
              return token() === 26 || isStartOfExpression();
            case 16:
              return isStartOfParameter(
                /*isJSDocParameter*/
                false
              );
            case 17:
              return isStartOfParameter(
                /*isJSDocParameter*/
                true
              );
            case 20:
            case 21:
              return token() === 28 || isStartOfType();
            case 22:
              return isHeritageClause2();
            case 23:
              if (token() === 161 && lookAhead(nextTokenIsStringLiteral)) {
                return false;
              }
              return tokenIsIdentifierOrKeyword(token());
            case 13:
              return tokenIsIdentifierOrKeyword(token()) || token() === 19;
            case 14:
              return true;
            case 25:
              return true;
            case 26:
              return Debug.fail("ParsingContext.Count used as a context");
            default:
              Debug.assertNever(parsingContext2, "Non-exhaustive case in 'isListElement'.");
          }
        }
        function isValidHeritageClauseObjectLiteral() {
          Debug.assert(
            token() === 19
            /* OpenBraceToken */
          );
          if (nextToken() === 20) {
            const next = nextToken();
            return next === 28 || next === 19 || next === 96 || next === 119;
          }
          return true;
        }
        function nextTokenIsIdentifier() {
          nextToken();
          return isIdentifier2();
        }
        function nextTokenIsIdentifierOrKeyword() {
          nextToken();
          return tokenIsIdentifierOrKeyword(token());
        }
        function nextTokenIsIdentifierOrKeywordOrGreaterThan() {
          nextToken();
          return tokenIsIdentifierOrKeywordOrGreaterThan(token());
        }
        function isHeritageClauseExtendsOrImplementsKeyword() {
          if (token() === 119 || token() === 96) {
            return lookAhead(nextTokenIsStartOfExpression);
          }
          return false;
        }
        function nextTokenIsStartOfExpression() {
          nextToken();
          return isStartOfExpression();
        }
        function nextTokenIsStartOfType() {
          nextToken();
          return isStartOfType();
        }
        function isListTerminator(kind) {
          if (token() === 1) {
            return true;
          }
          switch (kind) {
            case 1:
            case 2:
            case 4:
            case 5:
            case 6:
            case 12:
            case 9:
            case 23:
            case 24:
              return token() === 20;
            case 3:
              return token() === 20 || token() === 84 || token() === 90;
            case 7:
              return token() === 19 || token() === 96 || token() === 119;
            case 8:
              return isVariableDeclaratorListTerminator();
            case 19:
              return token() === 32 || token() === 21 || token() === 19 || token() === 96 || token() === 119;
            case 11:
              return token() === 22 || token() === 27;
            case 15:
            case 21:
            case 10:
              return token() === 24;
            case 17:
            case 16:
            case 18:
              return token() === 22 || token() === 24;
            case 20:
              return token() !== 28;
            case 22:
              return token() === 19 || token() === 20;
            case 13:
              return token() === 32 || token() === 44;
            case 14:
              return token() === 30 && lookAhead(nextTokenIsSlash);
            default:
              return false;
          }
        }
        function isVariableDeclaratorListTerminator() {
          if (canParseSemicolon()) {
            return true;
          }
          if (isInOrOfKeyword(token())) {
            return true;
          }
          if (token() === 39) {
            return true;
          }
          return false;
        }
        function isInSomeParsingContext() {
          Debug.assert(parsingContext, "Missing parsing context");
          for (let kind = 0; kind < 26; kind++) {
            if (parsingContext & 1 << kind) {
              if (isListElement2(
                kind,
                /*inErrorRecovery*/
                true
              ) || isListTerminator(kind)) {
                return true;
              }
            }
          }
          return false;
        }
        function parseList(kind, parseElement) {
          const saveParsingContext = parsingContext;
          parsingContext |= 1 << kind;
          const list = [];
          const listPos = getNodePos();
          while (!isListTerminator(kind)) {
            if (isListElement2(
              kind,
              /*inErrorRecovery*/
              false
            )) {
              list.push(parseListElement(kind, parseElement));
              continue;
            }
            if (abortParsingListOrMoveToNextToken(kind)) {
              break;
            }
          }
          parsingContext = saveParsingContext;
          return createNodeArray(list, listPos);
        }
        function parseListElement(parsingContext2, parseElement) {
          const node = currentNode(parsingContext2);
          if (node) {
            return consumeNode(node);
          }
          return parseElement();
        }
        function currentNode(parsingContext2, pos) {
          var _a;
          if (!syntaxCursor || !isReusableParsingContext(parsingContext2) || parseErrorBeforeNextFinishedNode) {
            return void 0;
          }
          const node = syntaxCursor.currentNode(pos ?? scanner2.getTokenFullStart());
          if (nodeIsMissing(node) || intersectsIncrementalChange(node) || containsParseError(node)) {
            return void 0;
          }
          const nodeContextFlags = node.flags & 101441536;
          if (nodeContextFlags !== contextFlags) {
            return void 0;
          }
          if (!canReuseNode(node, parsingContext2)) {
            return void 0;
          }
          if (canHaveJSDoc(node) && ((_a = node.jsDoc) == null ? void 0 : _a.jsDocCache)) {
            node.jsDoc.jsDocCache = void 0;
          }
          return node;
        }
        function consumeNode(node) {
          scanner2.resetTokenState(node.end);
          nextToken();
          return node;
        }
        function isReusableParsingContext(parsingContext2) {
          switch (parsingContext2) {
            case 5:
            case 2:
            case 0:
            case 1:
            case 3:
            case 6:
            case 4:
            case 8:
            case 17:
            case 16:
              return true;
          }
          return false;
        }
        function canReuseNode(node, parsingContext2) {
          switch (parsingContext2) {
            case 5:
              return isReusableClassMember(node);
            case 2:
              return isReusableSwitchClause(node);
            case 0:
            case 1:
            case 3:
              return isReusableStatement(node);
            case 6:
              return isReusableEnumMember(node);
            case 4:
              return isReusableTypeMember(node);
            case 8:
              return isReusableVariableDeclaration(node);
            case 17:
            case 16:
              return isReusableParameter(node);
          }
          return false;
        }
        function isReusableClassMember(node) {
          if (node) {
            switch (node.kind) {
              case 176:
              case 181:
              case 177:
              case 178:
              case 172:
              case 240:
                return true;
              case 174:
                const methodDeclaration = node;
                const nameIsConstructor = methodDeclaration.name.kind === 80 && methodDeclaration.name.escapedText === "constructor";
                return !nameIsConstructor;
            }
          }
          return false;
        }
        function isReusableSwitchClause(node) {
          if (node) {
            switch (node.kind) {
              case 296:
              case 297:
                return true;
            }
          }
          return false;
        }
        function isReusableStatement(node) {
          if (node) {
            switch (node.kind) {
              case 262:
              case 243:
              case 241:
              case 245:
              case 244:
              case 257:
              case 253:
              case 255:
              case 252:
              case 251:
              case 249:
              case 250:
              case 248:
              case 247:
              case 254:
              case 242:
              case 258:
              case 256:
              case 246:
              case 259:
              case 272:
              case 271:
              case 278:
              case 277:
              case 267:
              case 263:
              case 264:
              case 266:
              case 265:
                return true;
            }
          }
          return false;
        }
        function isReusableEnumMember(node) {
          return node.kind === 306;
        }
        function isReusableTypeMember(node) {
          if (node) {
            switch (node.kind) {
              case 180:
              case 173:
              case 181:
              case 171:
              case 179:
                return true;
            }
          }
          return false;
        }
        function isReusableVariableDeclaration(node) {
          if (node.kind !== 260) {
            return false;
          }
          const variableDeclarator = node;
          return variableDeclarator.initializer === void 0;
        }
        function isReusableParameter(node) {
          if (node.kind !== 169) {
            return false;
          }
          const parameter = node;
          return parameter.initializer === void 0;
        }
        function abortParsingListOrMoveToNextToken(kind) {
          parsingContextErrors(kind);
          if (isInSomeParsingContext()) {
            return true;
          }
          nextToken();
          return false;
        }
        function parsingContextErrors(context) {
          switch (context) {
            case 0:
              return token() === 90 ? parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString(
                95
                /* ExportKeyword */
              )) : parseErrorAtCurrentToken(Diagnostics.Declaration_or_statement_expected);
            case 1:
              return parseErrorAtCurrentToken(Diagnostics.Declaration_or_statement_expected);
            case 2:
              return parseErrorAtCurrentToken(Diagnostics.case_or_default_expected);
            case 3:
              return parseErrorAtCurrentToken(Diagnostics.Statement_expected);
            case 18:
            case 4:
              return parseErrorAtCurrentToken(Diagnostics.Property_or_signature_expected);
            case 5:
              return parseErrorAtCurrentToken(Diagnostics.Unexpected_token_A_constructor_method_accessor_or_property_was_expected);
            case 6:
              return parseErrorAtCurrentToken(Diagnostics.Enum_member_expected);
            case 7:
              return parseErrorAtCurrentToken(Diagnostics.Expression_expected);
            case 8:
              return isKeyword2(token()) ? parseErrorAtCurrentToken(Diagnostics._0_is_not_allowed_as_a_variable_declaration_name, tokenToString(token())) : parseErrorAtCurrentToken(Diagnostics.Variable_declaration_expected);
            case 9:
              return parseErrorAtCurrentToken(Diagnostics.Property_destructuring_pattern_expected);
            case 10:
              return parseErrorAtCurrentToken(Diagnostics.Array_element_destructuring_pattern_expected);
            case 11:
              return parseErrorAtCurrentToken(Diagnostics.Argument_expression_expected);
            case 12:
              return parseErrorAtCurrentToken(Diagnostics.Property_assignment_expected);
            case 15:
              return parseErrorAtCurrentToken(Diagnostics.Expression_or_comma_expected);
            case 17:
              return parseErrorAtCurrentToken(Diagnostics.Parameter_declaration_expected);
            case 16:
              return isKeyword2(token()) ? parseErrorAtCurrentToken(Diagnostics._0_is_not_allowed_as_a_parameter_name, tokenToString(token())) : parseErrorAtCurrentToken(Diagnostics.Parameter_declaration_expected);
            case 19:
              return parseErrorAtCurrentToken(Diagnostics.Type_parameter_declaration_expected);
            case 20:
              return parseErrorAtCurrentToken(Diagnostics.Type_argument_expected);
            case 21:
              return parseErrorAtCurrentToken(Diagnostics.Type_expected);
            case 22:
              return parseErrorAtCurrentToken(Diagnostics.Unexpected_token_expected);
            case 23:
              if (token() === 161) {
                return parseErrorAtCurrentToken(Diagnostics._0_expected, "}");
              }
              return parseErrorAtCurrentToken(Diagnostics.Identifier_expected);
            case 13:
              return parseErrorAtCurrentToken(Diagnostics.Identifier_expected);
            case 14:
              return parseErrorAtCurrentToken(Diagnostics.Identifier_expected);
            case 24:
              return parseErrorAtCurrentToken(Diagnostics.Identifier_or_string_literal_expected);
            case 25:
              return parseErrorAtCurrentToken(Diagnostics.Identifier_expected);
            case 26:
              return Debug.fail("ParsingContext.Count used as a context");
            default:
              Debug.assertNever(context);
          }
        }
        function parseDelimitedList(kind, parseElement, considerSemicolonAsDelimiter) {
          const saveParsingContext = parsingContext;
          parsingContext |= 1 << kind;
          const list = [];
          const listPos = getNodePos();
          let commaStart = -1;
          while (true) {
            if (isListElement2(
              kind,
              /*inErrorRecovery*/
              false
            )) {
              const startPos = scanner2.getTokenFullStart();
              const result = parseListElement(kind, parseElement);
              if (!result) {
                parsingContext = saveParsingContext;
                return void 0;
              }
              list.push(result);
              commaStart = scanner2.getTokenStart();
              if (parseOptional(
                28
                /* CommaToken */
              )) {
                continue;
              }
              commaStart = -1;
              if (isListTerminator(kind)) {
                break;
              }
              parseExpected(28, getExpectedCommaDiagnostic(kind));
              if (considerSemicolonAsDelimiter && token() === 27 && !scanner2.hasPrecedingLineBreak()) {
                nextToken();
              }
              if (startPos === scanner2.getTokenFullStart()) {
                nextToken();
              }
              continue;
            }
            if (isListTerminator(kind)) {
              break;
            }
            if (abortParsingListOrMoveToNextToken(kind)) {
              break;
            }
          }
          parsingContext = saveParsingContext;
          return createNodeArray(
            list,
            listPos,
            /*end*/
            void 0,
            commaStart >= 0
          );
        }
        function getExpectedCommaDiagnostic(kind) {
          return kind === 6 ? Diagnostics.An_enum_member_name_must_be_followed_by_a_or : void 0;
        }
        function createMissingList() {
          const list = createNodeArray([], getNodePos());
          list.isMissingList = true;
          return list;
        }
        function isMissingList(arr) {
          return !!arr.isMissingList;
        }
        function parseBracketedList(kind, parseElement, open, close) {
          if (parseExpected(open)) {
            const result = parseDelimitedList(kind, parseElement);
            parseExpected(close);
            return result;
          }
          return createMissingList();
        }
        function parseEntityName(allowReservedWords, diagnosticMessage) {
          const pos = getNodePos();
          let entity = allowReservedWords ? parseIdentifierName(diagnosticMessage) : parseIdentifier(diagnosticMessage);
          while (parseOptional(
            25
            /* DotToken */
          )) {
            if (token() === 30) {
              break;
            }
            entity = finishNode(
              factory2.createQualifiedName(
                entity,
                parseRightSideOfDot(
                  allowReservedWords,
                  /*allowPrivateIdentifiers*/
                  false,
                  /*allowUnicodeEscapeSequenceInIdentifierName*/
                  true
                )
              ),
              pos
            );
          }
          return entity;
        }
        function createQualifiedName(entity, name) {
          return finishNode(factory2.createQualifiedName(entity, name), entity.pos);
        }
        function parseRightSideOfDot(allowIdentifierNames, allowPrivateIdentifiers, allowUnicodeEscapeSequenceInIdentifierName) {
          if (scanner2.hasPrecedingLineBreak() && tokenIsIdentifierOrKeyword(token())) {
            const matchesPattern = lookAhead(nextTokenIsIdentifierOrKeywordOnSameLine);
            if (matchesPattern) {
              return createMissingNode(
                80,
                /*reportAtCurrentPosition*/
                true,
                Diagnostics.Identifier_expected
              );
            }
          }
          if (token() === 81) {
            const node = parsePrivateIdentifier();
            return allowPrivateIdentifiers ? node : createMissingNode(
              80,
              /*reportAtCurrentPosition*/
              true,
              Diagnostics.Identifier_expected
            );
          }
          if (allowIdentifierNames) {
            return allowUnicodeEscapeSequenceInIdentifierName ? parseIdentifierName() : parseIdentifierNameErrorOnUnicodeEscapeSequence();
          }
          return parseIdentifier();
        }
        function parseTemplateSpans(isTaggedTemplate) {
          const pos = getNodePos();
          const list = [];
          let node;
          do {
            node = parseTemplateSpan(isTaggedTemplate);
            list.push(node);
          } while (node.literal.kind === 17);
          return createNodeArray(list, pos);
        }
        function parseTemplateExpression(isTaggedTemplate) {
          const pos = getNodePos();
          return finishNode(
            factory2.createTemplateExpression(
              parseTemplateHead(isTaggedTemplate),
              parseTemplateSpans(isTaggedTemplate)
            ),
            pos
          );
        }
        function parseTemplateType() {
          const pos = getNodePos();
          return finishNode(
            factory2.createTemplateLiteralType(
              parseTemplateHead(
                /*isTaggedTemplate*/
                false
              ),
              parseTemplateTypeSpans()
            ),
            pos
          );
        }
        function parseTemplateTypeSpans() {
          const pos = getNodePos();
          const list = [];
          let node;
          do {
            node = parseTemplateTypeSpan();
            list.push(node);
          } while (node.literal.kind === 17);
          return createNodeArray(list, pos);
        }
        function parseTemplateTypeSpan() {
          const pos = getNodePos();
          return finishNode(
            factory2.createTemplateLiteralTypeSpan(
              parseType(),
              parseLiteralOfTemplateSpan(
                /*isTaggedTemplate*/
                false
              )
            ),
            pos
          );
        }
        function parseLiteralOfTemplateSpan(isTaggedTemplate) {
          if (token() === 20) {
            reScanTemplateToken(isTaggedTemplate);
            return parseTemplateMiddleOrTemplateTail();
          } else {
            return parseExpectedToken(18, Diagnostics._0_expected, tokenToString(
              20
              /* CloseBraceToken */
            ));
          }
        }
        function parseTemplateSpan(isTaggedTemplate) {
          const pos = getNodePos();
          return finishNode(
            factory2.createTemplateSpan(
              allowInAnd(parseExpression),
              parseLiteralOfTemplateSpan(isTaggedTemplate)
            ),
            pos
          );
        }
        function parseLiteralNode() {
          return parseLiteralLikeNode(token());
        }
        function parseTemplateHead(isTaggedTemplate) {
          if (!isTaggedTemplate && scanner2.getTokenFlags() & 26656) {
            reScanTemplateToken(
              /*isTaggedTemplate*/
              false
            );
          }
          const fragment = parseLiteralLikeNode(token());
          Debug.assert(fragment.kind === 16, "Template head has wrong token kind");
          return fragment;
        }
        function parseTemplateMiddleOrTemplateTail() {
          const fragment = parseLiteralLikeNode(token());
          Debug.assert(fragment.kind === 17 || fragment.kind === 18, "Template fragment has wrong token kind");
          return fragment;
        }
        function getTemplateLiteralRawText(kind) {
          const isLast = kind === 15 || kind === 18;
          const tokenText = scanner2.getTokenText();
          return tokenText.substring(1, tokenText.length - (scanner2.isUnterminated() ? 0 : isLast ? 1 : 2));
        }
        function parseLiteralLikeNode(kind) {
          const pos = getNodePos();
          const node = isTemplateLiteralKind(kind) ? factory2.createTemplateLiteralLikeNode(
            kind,
            scanner2.getTokenValue(),
            getTemplateLiteralRawText(kind),
            scanner2.getTokenFlags() & 7176
            /* TemplateLiteralLikeFlags */
          ) : (
            // Note that theoretically the following condition would hold true literals like 009,
            // which is not octal. But because of how the scanner separates the tokens, we would
            // never get a token like this. Instead, we would get 00 and 9 as two separate tokens.
            // We also do not need to check for negatives because any prefix operator would be part of a
            // parent unary expression.
            kind === 9 ? factoryCreateNumericLiteral(scanner2.getTokenValue(), scanner2.getNumericLiteralFlags()) : kind === 11 ? factoryCreateStringLiteral(
              scanner2.getTokenValue(),
              /*isSingleQuote*/
              void 0,
              scanner2.hasExtendedUnicodeEscape()
            ) : isLiteralKind(kind) ? factoryCreateLiteralLikeNode(kind, scanner2.getTokenValue()) : Debug.fail()
          );
          if (scanner2.hasExtendedUnicodeEscape()) {
            node.hasExtendedUnicodeEscape = true;
          }
          if (scanner2.isUnterminated()) {
            node.isUnterminated = true;
          }
          nextToken();
          return finishNode(node, pos);
        }
        function parseEntityNameOfTypeReference() {
          return parseEntityName(
            /*allowReservedWords*/
            true,
            Diagnostics.Type_expected
          );
        }
        function parseTypeArgumentsOfTypeReference() {
          if (!scanner2.hasPrecedingLineBreak() && reScanLessThanToken() === 30) {
            return parseBracketedList(
              20,
              parseType,
              30,
              32
              /* GreaterThanToken */
            );
          }
        }
        function parseTypeReference() {
          const pos = getNodePos();
          return finishNode(
            factory2.createTypeReferenceNode(
              parseEntityNameOfTypeReference(),
              parseTypeArgumentsOfTypeReference()
            ),
            pos
          );
        }
        function typeHasArrowFunctionBlockingParseError(node) {
          switch (node.kind) {
            case 183:
              return nodeIsMissing(node.typeName);
            case 184:
            case 185: {
              const { parameters, type } = node;
              return isMissingList(parameters) || typeHasArrowFunctionBlockingParseError(type);
            }
            case 196:
              return typeHasArrowFunctionBlockingParseError(node.type);
            default:
              return false;
          }
        }
        function parseThisTypePredicate(lhs) {
          nextToken();
          return finishNode(factory2.createTypePredicateNode(
            /*assertsModifier*/
            void 0,
            lhs,
            parseType()
          ), lhs.pos);
        }
        function parseThisTypeNode() {
          const pos = getNodePos();
          nextToken();
          return finishNode(factory2.createThisTypeNode(), pos);
        }
        function parseJSDocAllType() {
          const pos = getNodePos();
          nextToken();
          return finishNode(factory2.createJSDocAllType(), pos);
        }
        function parseJSDocNonNullableType() {
          const pos = getNodePos();
          nextToken();
          return finishNode(factory2.createJSDocNonNullableType(
            parseNonArrayType(),
            /*postfix*/
            false
          ), pos);
        }
        function parseJSDocUnknownOrNullableType() {
          const pos = getNodePos();
          nextToken();
          if (token() === 28 || token() === 20 || token() === 22 || token() === 32 || token() === 64 || token() === 52) {
            return finishNode(factory2.createJSDocUnknownType(), pos);
          } else {
            return finishNode(factory2.createJSDocNullableType(
              parseType(),
              /*postfix*/
              false
            ), pos);
          }
        }
        function parseJSDocFunctionType() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          if (tryParse(nextTokenIsOpenParen)) {
            const parameters = parseParameters(
              4 | 32
              /* JSDoc */
            );
            const type = parseReturnType(
              59,
              /*isType*/
              false
            );
            return withJSDoc(finishNode(factory2.createJSDocFunctionType(parameters, type), pos), hasJSDoc);
          }
          return finishNode(factory2.createTypeReferenceNode(
            parseIdentifierName(),
            /*typeArguments*/
            void 0
          ), pos);
        }
        function parseJSDocParameter() {
          const pos = getNodePos();
          let name;
          if (token() === 110 || token() === 105) {
            name = parseIdentifierName();
            parseExpected(
              59
              /* ColonToken */
            );
          }
          return finishNode(
            factory2.createParameterDeclaration(
              /*modifiers*/
              void 0,
              /*dotDotDotToken*/
              void 0,
              // TODO(rbuckton): JSDoc parameters don't have names (except `this`/`new`), should we manufacture an empty identifier?
              name,
              /*questionToken*/
              void 0,
              parseJSDocType(),
              /*initializer*/
              void 0
            ),
            pos
          );
        }
        function parseJSDocType() {
          scanner2.setSkipJsDocLeadingAsterisks(true);
          const pos = getNodePos();
          if (parseOptional(
            144
            /* ModuleKeyword */
          )) {
            const moduleTag = factory2.createJSDocNamepathType(
              /*type*/
              void 0
            );
            terminate:
              while (true) {
                switch (token()) {
                  case 20:
                  case 1:
                  case 28:
                  case 5:
                    break terminate;
                  default:
                    nextTokenJSDoc();
                }
              }
            scanner2.setSkipJsDocLeadingAsterisks(false);
            return finishNode(moduleTag, pos);
          }
          const hasDotDotDot = parseOptional(
            26
            /* DotDotDotToken */
          );
          let type = parseTypeOrTypePredicate();
          scanner2.setSkipJsDocLeadingAsterisks(false);
          if (hasDotDotDot) {
            type = finishNode(factory2.createJSDocVariadicType(type), pos);
          }
          if (token() === 64) {
            nextToken();
            return finishNode(factory2.createJSDocOptionalType(type), pos);
          }
          return type;
        }
        function parseTypeQuery() {
          const pos = getNodePos();
          parseExpected(
            114
            /* TypeOfKeyword */
          );
          const entityName = parseEntityName(
            /*allowReservedWords*/
            true
          );
          const typeArguments = !scanner2.hasPrecedingLineBreak() ? tryParseTypeArguments() : void 0;
          return finishNode(factory2.createTypeQueryNode(entityName, typeArguments), pos);
        }
        function parseTypeParameter() {
          const pos = getNodePos();
          const modifiers = parseModifiers(
            /*allowDecorators*/
            false,
            /*permitConstAsModifier*/
            true
          );
          const name = parseIdentifier();
          let constraint;
          let expression;
          if (parseOptional(
            96
            /* ExtendsKeyword */
          )) {
            if (isStartOfType() || !isStartOfExpression()) {
              constraint = parseType();
            } else {
              expression = parseUnaryExpressionOrHigher();
            }
          }
          const defaultType = parseOptional(
            64
            /* EqualsToken */
          ) ? parseType() : void 0;
          const node = factory2.createTypeParameterDeclaration(modifiers, name, constraint, defaultType);
          node.expression = expression;
          return finishNode(node, pos);
        }
        function parseTypeParameters() {
          if (token() === 30) {
            return parseBracketedList(
              19,
              parseTypeParameter,
              30,
              32
              /* GreaterThanToken */
            );
          }
        }
        function isStartOfParameter(isJSDocParameter) {
          return token() === 26 || isBindingIdentifierOrPrivateIdentifierOrPattern() || isModifierKind(token()) || token() === 60 || isStartOfType(
            /*inStartOfParameter*/
            !isJSDocParameter
          );
        }
        function parseNameOfParameter(modifiers) {
          const name = parseIdentifierOrPattern(Diagnostics.Private_identifiers_cannot_be_used_as_parameters);
          if (getFullWidth(name) === 0 && !some(modifiers) && isModifierKind(token())) {
            nextToken();
          }
          return name;
        }
        function isParameterNameStart() {
          return isBindingIdentifier() || token() === 23 || token() === 19;
        }
        function parseParameter(inOuterAwaitContext) {
          return parseParameterWorker(inOuterAwaitContext);
        }
        function parseParameterForSpeculation(inOuterAwaitContext) {
          return parseParameterWorker(
            inOuterAwaitContext,
            /*allowAmbiguity*/
            false
          );
        }
        function parseParameterWorker(inOuterAwaitContext, allowAmbiguity = true) {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          const modifiers = inOuterAwaitContext ? doInAwaitContext(() => parseModifiers(
            /*allowDecorators*/
            true
          )) : doOutsideOfAwaitContext(() => parseModifiers(
            /*allowDecorators*/
            true
          ));
          if (token() === 110) {
            const node2 = factory2.createParameterDeclaration(
              modifiers,
              /*dotDotDotToken*/
              void 0,
              createIdentifier(
                /*isIdentifier*/
                true
              ),
              /*questionToken*/
              void 0,
              parseTypeAnnotation(),
              /*initializer*/
              void 0
            );
            const modifier = firstOrUndefined(modifiers);
            if (modifier) {
              parseErrorAtRange(modifier, Diagnostics.Neither_decorators_nor_modifiers_may_be_applied_to_this_parameters);
            }
            return withJSDoc(finishNode(node2, pos), hasJSDoc);
          }
          const savedTopLevel = topLevel;
          topLevel = false;
          const dotDotDotToken = parseOptionalToken(
            26
            /* DotDotDotToken */
          );
          if (!allowAmbiguity && !isParameterNameStart()) {
            return void 0;
          }
          const node = withJSDoc(
            finishNode(
              factory2.createParameterDeclaration(
                modifiers,
                dotDotDotToken,
                parseNameOfParameter(modifiers),
                parseOptionalToken(
                  58
                  /* QuestionToken */
                ),
                parseTypeAnnotation(),
                parseInitializer()
              ),
              pos
            ),
            hasJSDoc
          );
          topLevel = savedTopLevel;
          return node;
        }
        function parseReturnType(returnToken, isType) {
          if (shouldParseReturnType(returnToken, isType)) {
            return allowConditionalTypesAnd(parseTypeOrTypePredicate);
          }
        }
        function shouldParseReturnType(returnToken, isType) {
          if (returnToken === 39) {
            parseExpected(returnToken);
            return true;
          } else if (parseOptional(
            59
            /* ColonToken */
          )) {
            return true;
          } else if (isType && token() === 39) {
            parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString(
              59
              /* ColonToken */
            ));
            nextToken();
            return true;
          }
          return false;
        }
        function parseParametersWorker(flags, allowAmbiguity) {
          const savedYieldContext = inYieldContext();
          const savedAwaitContext = inAwaitContext();
          setYieldContext(!!(flags & 1));
          setAwaitContext(!!(flags & 2));
          const parameters = flags & 32 ? parseDelimitedList(17, parseJSDocParameter) : parseDelimitedList(16, () => allowAmbiguity ? parseParameter(savedAwaitContext) : parseParameterForSpeculation(savedAwaitContext));
          setYieldContext(savedYieldContext);
          setAwaitContext(savedAwaitContext);
          return parameters;
        }
        function parseParameters(flags) {
          if (!parseExpected(
            21
            /* OpenParenToken */
          )) {
            return createMissingList();
          }
          const parameters = parseParametersWorker(
            flags,
            /*allowAmbiguity*/
            true
          );
          parseExpected(
            22
            /* CloseParenToken */
          );
          return parameters;
        }
        function parseTypeMemberSemicolon() {
          if (parseOptional(
            28
            /* CommaToken */
          )) {
            return;
          }
          parseSemicolon();
        }
        function parseSignatureMember(kind) {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          if (kind === 180) {
            parseExpected(
              105
              /* NewKeyword */
            );
          }
          const typeParameters = parseTypeParameters();
          const parameters = parseParameters(
            4
            /* Type */
          );
          const type = parseReturnType(
            59,
            /*isType*/
            true
          );
          parseTypeMemberSemicolon();
          const node = kind === 179 ? factory2.createCallSignature(typeParameters, parameters, type) : factory2.createConstructSignature(typeParameters, parameters, type);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function isIndexSignature() {
          return token() === 23 && lookAhead(isUnambiguouslyIndexSignature);
        }
        function isUnambiguouslyIndexSignature() {
          nextToken();
          if (token() === 26 || token() === 24) {
            return true;
          }
          if (isModifierKind(token())) {
            nextToken();
            if (isIdentifier2()) {
              return true;
            }
          } else if (!isIdentifier2()) {
            return false;
          } else {
            nextToken();
          }
          if (token() === 59 || token() === 28) {
            return true;
          }
          if (token() !== 58) {
            return false;
          }
          nextToken();
          return token() === 59 || token() === 28 || token() === 24;
        }
        function parseIndexSignatureDeclaration(pos, hasJSDoc, modifiers) {
          const parameters = parseBracketedList(
            16,
            () => parseParameter(
              /*inOuterAwaitContext*/
              false
            ),
            23,
            24
            /* CloseBracketToken */
          );
          const type = parseTypeAnnotation();
          parseTypeMemberSemicolon();
          const node = factory2.createIndexSignature(modifiers, parameters, type);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parsePropertyOrMethodSignature(pos, hasJSDoc, modifiers) {
          const name = parsePropertyName();
          const questionToken = parseOptionalToken(
            58
            /* QuestionToken */
          );
          let node;
          if (token() === 21 || token() === 30) {
            const typeParameters = parseTypeParameters();
            const parameters = parseParameters(
              4
              /* Type */
            );
            const type = parseReturnType(
              59,
              /*isType*/
              true
            );
            node = factory2.createMethodSignature(modifiers, name, questionToken, typeParameters, parameters, type);
          } else {
            const type = parseTypeAnnotation();
            node = factory2.createPropertySignature(modifiers, name, questionToken, type);
            if (token() === 64) node.initializer = parseInitializer();
          }
          parseTypeMemberSemicolon();
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function isTypeMemberStart() {
          if (token() === 21 || token() === 30 || token() === 139 || token() === 153) {
            return true;
          }
          let idToken = false;
          while (isModifierKind(token())) {
            idToken = true;
            nextToken();
          }
          if (token() === 23) {
            return true;
          }
          if (isLiteralPropertyName()) {
            idToken = true;
            nextToken();
          }
          if (idToken) {
            return token() === 21 || token() === 30 || token() === 58 || token() === 59 || token() === 28 || canParseSemicolon();
          }
          return false;
        }
        function parseTypeMember() {
          if (token() === 21 || token() === 30) {
            return parseSignatureMember(
              179
              /* CallSignature */
            );
          }
          if (token() === 105 && lookAhead(nextTokenIsOpenParenOrLessThan)) {
            return parseSignatureMember(
              180
              /* ConstructSignature */
            );
          }
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          const modifiers = parseModifiers(
            /*allowDecorators*/
            false
          );
          if (parseContextualModifier(
            139
            /* GetKeyword */
          )) {
            return parseAccessorDeclaration(
              pos,
              hasJSDoc,
              modifiers,
              177,
              4
              /* Type */
            );
          }
          if (parseContextualModifier(
            153
            /* SetKeyword */
          )) {
            return parseAccessorDeclaration(
              pos,
              hasJSDoc,
              modifiers,
              178,
              4
              /* Type */
            );
          }
          if (isIndexSignature()) {
            return parseIndexSignatureDeclaration(pos, hasJSDoc, modifiers);
          }
          return parsePropertyOrMethodSignature(pos, hasJSDoc, modifiers);
        }
        function nextTokenIsOpenParenOrLessThan() {
          nextToken();
          return token() === 21 || token() === 30;
        }
        function nextTokenIsDot() {
          return nextToken() === 25;
        }
        function nextTokenIsOpenParenOrLessThanOrDot() {
          switch (nextToken()) {
            case 21:
            case 30:
            case 25:
              return true;
          }
          return false;
        }
        function parseTypeLiteral() {
          const pos = getNodePos();
          return finishNode(factory2.createTypeLiteralNode(parseObjectTypeMembers()), pos);
        }
        function parseObjectTypeMembers() {
          let members;
          if (parseExpected(
            19
            /* OpenBraceToken */
          )) {
            members = parseList(4, parseTypeMember);
            parseExpected(
              20
              /* CloseBraceToken */
            );
          } else {
            members = createMissingList();
          }
          return members;
        }
        function isStartOfMappedType() {
          nextToken();
          if (token() === 40 || token() === 41) {
            return nextToken() === 148;
          }
          if (token() === 148) {
            nextToken();
          }
          return token() === 23 && nextTokenIsIdentifier() && nextToken() === 103;
        }
        function parseMappedTypeParameter() {
          const pos = getNodePos();
          const name = parseIdentifierName();
          parseExpected(
            103
            /* InKeyword */
          );
          const type = parseType();
          return finishNode(factory2.createTypeParameterDeclaration(
            /*modifiers*/
            void 0,
            name,
            type,
            /*defaultType*/
            void 0
          ), pos);
        }
        function parseMappedType() {
          const pos = getNodePos();
          parseExpected(
            19
            /* OpenBraceToken */
          );
          let readonlyToken;
          if (token() === 148 || token() === 40 || token() === 41) {
            readonlyToken = parseTokenNode();
            if (readonlyToken.kind !== 148) {
              parseExpected(
                148
                /* ReadonlyKeyword */
              );
            }
          }
          parseExpected(
            23
            /* OpenBracketToken */
          );
          const typeParameter = parseMappedTypeParameter();
          const nameType = parseOptional(
            130
            /* AsKeyword */
          ) ? parseType() : void 0;
          parseExpected(
            24
            /* CloseBracketToken */
          );
          let questionToken;
          if (token() === 58 || token() === 40 || token() === 41) {
            questionToken = parseTokenNode();
            if (questionToken.kind !== 58) {
              parseExpected(
                58
                /* QuestionToken */
              );
            }
          }
          const type = parseTypeAnnotation();
          parseSemicolon();
          const members = parseList(4, parseTypeMember);
          parseExpected(
            20
            /* CloseBraceToken */
          );
          return finishNode(factory2.createMappedTypeNode(readonlyToken, typeParameter, nameType, questionToken, type, members), pos);
        }
        function parseTupleElementType() {
          const pos = getNodePos();
          if (parseOptional(
            26
            /* DotDotDotToken */
          )) {
            return finishNode(factory2.createRestTypeNode(parseType()), pos);
          }
          const type = parseType();
          if (isJSDocNullableType(type) && type.pos === type.type.pos) {
            const node = factory2.createOptionalTypeNode(type.type);
            setTextRange(node, type);
            node.flags = type.flags;
            return node;
          }
          return type;
        }
        function isNextTokenColonOrQuestionColon() {
          return nextToken() === 59 || token() === 58 && nextToken() === 59;
        }
        function isTupleElementName() {
          if (token() === 26) {
            return tokenIsIdentifierOrKeyword(nextToken()) && isNextTokenColonOrQuestionColon();
          }
          return tokenIsIdentifierOrKeyword(token()) && isNextTokenColonOrQuestionColon();
        }
        function parseTupleElementNameOrTupleElementType() {
          if (lookAhead(isTupleElementName)) {
            const pos = getNodePos();
            const hasJSDoc = hasPrecedingJSDocComment();
            const dotDotDotToken = parseOptionalToken(
              26
              /* DotDotDotToken */
            );
            const name = parseIdentifierName();
            const questionToken = parseOptionalToken(
              58
              /* QuestionToken */
            );
            parseExpected(
              59
              /* ColonToken */
            );
            const type = parseTupleElementType();
            const node = factory2.createNamedTupleMember(dotDotDotToken, name, questionToken, type);
            return withJSDoc(finishNode(node, pos), hasJSDoc);
          }
          return parseTupleElementType();
        }
        function parseTupleType() {
          const pos = getNodePos();
          return finishNode(
            factory2.createTupleTypeNode(
              parseBracketedList(
                21,
                parseTupleElementNameOrTupleElementType,
                23,
                24
                /* CloseBracketToken */
              )
            ),
            pos
          );
        }
        function parseParenthesizedType() {
          const pos = getNodePos();
          parseExpected(
            21
            /* OpenParenToken */
          );
          const type = parseType();
          parseExpected(
            22
            /* CloseParenToken */
          );
          return finishNode(factory2.createParenthesizedType(type), pos);
        }
        function parseModifiersForConstructorType() {
          let modifiers;
          if (token() === 128) {
            const pos = getNodePos();
            nextToken();
            const modifier = finishNode(factoryCreateToken(
              128
              /* AbstractKeyword */
            ), pos);
            modifiers = createNodeArray([modifier], pos);
          }
          return modifiers;
        }
        function parseFunctionOrConstructorType() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          const modifiers = parseModifiersForConstructorType();
          const isConstructorType = parseOptional(
            105
            /* NewKeyword */
          );
          Debug.assert(!modifiers || isConstructorType, "Per isStartOfFunctionOrConstructorType, a function type cannot have modifiers.");
          const typeParameters = parseTypeParameters();
          const parameters = parseParameters(
            4
            /* Type */
          );
          const type = parseReturnType(
            39,
            /*isType*/
            false
          );
          const node = isConstructorType ? factory2.createConstructorTypeNode(modifiers, typeParameters, parameters, type) : factory2.createFunctionTypeNode(typeParameters, parameters, type);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parseKeywordAndNoDot() {
          const node = parseTokenNode();
          return token() === 25 ? void 0 : node;
        }
        function parseLiteralTypeNode(negative) {
          const pos = getNodePos();
          if (negative) {
            nextToken();
          }
          let expression = token() === 112 || token() === 97 || token() === 106 ? parseTokenNode() : parseLiteralLikeNode(token());
          if (negative) {
            expression = finishNode(factory2.createPrefixUnaryExpression(41, expression), pos);
          }
          return finishNode(factory2.createLiteralTypeNode(expression), pos);
        }
        function isStartOfTypeOfImportType() {
          nextToken();
          return token() === 102;
        }
        function parseImportType() {
          sourceFlags |= 4194304;
          const pos = getNodePos();
          const isTypeOf = parseOptional(
            114
            /* TypeOfKeyword */
          );
          parseExpected(
            102
            /* ImportKeyword */
          );
          parseExpected(
            21
            /* OpenParenToken */
          );
          const type = parseType();
          let attributes;
          if (parseOptional(
            28
            /* CommaToken */
          )) {
            const openBracePosition = scanner2.getTokenStart();
            parseExpected(
              19
              /* OpenBraceToken */
            );
            const currentToken2 = token();
            if (currentToken2 === 118 || currentToken2 === 132) {
              nextToken();
            } else {
              parseErrorAtCurrentToken(Diagnostics._0_expected, tokenToString(
                118
                /* WithKeyword */
              ));
            }
            parseExpected(
              59
              /* ColonToken */
            );
            attributes = parseImportAttributes(
              currentToken2,
              /*skipKeyword*/
              true
            );
            if (!parseExpected(
              20
              /* CloseBraceToken */
            )) {
              const lastError = lastOrUndefined(parseDiagnostics);
              if (lastError && lastError.code === Diagnostics._0_expected.code) {
                addRelatedInfo(
                  lastError,
                  createDetachedDiagnostic(fileName, sourceText, openBracePosition, 1, Diagnostics.The_parser_expected_to_find_a_1_to_match_the_0_token_here, "{", "}")
                );
              }
            }
          }
          parseExpected(
            22
            /* CloseParenToken */
          );
          const qualifier = parseOptional(
            25
            /* DotToken */
          ) ? parseEntityNameOfTypeReference() : void 0;
          const typeArguments = parseTypeArgumentsOfTypeReference();
          return finishNode(factory2.createImportTypeNode(type, attributes, qualifier, typeArguments, isTypeOf), pos);
        }
        function nextTokenIsNumericOrBigIntLiteral() {
          nextToken();
          return token() === 9 || token() === 10;
        }
        function parseNonArrayType() {
          switch (token()) {
            case 133:
            case 159:
            case 154:
            case 150:
            case 163:
            case 155:
            case 136:
            case 157:
            case 146:
            case 151:
              return tryParse(parseKeywordAndNoDot) || parseTypeReference();
            case 67:
              scanner2.reScanAsteriskEqualsToken();
            case 42:
              return parseJSDocAllType();
            case 61:
              scanner2.reScanQuestionToken();
            case 58:
              return parseJSDocUnknownOrNullableType();
            case 100:
              return parseJSDocFunctionType();
            case 54:
              return parseJSDocNonNullableType();
            case 15:
            case 11:
            case 9:
            case 10:
            case 112:
            case 97:
            case 106:
              return parseLiteralTypeNode();
            case 41:
              return lookAhead(nextTokenIsNumericOrBigIntLiteral) ? parseLiteralTypeNode(
                /*negative*/
                true
              ) : parseTypeReference();
            case 116:
              return parseTokenNode();
            case 110: {
              const thisKeyword = parseThisTypeNode();
              if (token() === 142 && !scanner2.hasPrecedingLineBreak()) {
                return parseThisTypePredicate(thisKeyword);
              } else {
                return thisKeyword;
              }
            }
            case 114:
              return lookAhead(isStartOfTypeOfImportType) ? parseImportType() : parseTypeQuery();
            case 19:
              return lookAhead(isStartOfMappedType) ? parseMappedType() : parseTypeLiteral();
            case 23:
              return parseTupleType();
            case 21:
              return parseParenthesizedType();
            case 102:
              return parseImportType();
            case 131:
              return lookAhead(nextTokenIsIdentifierOrKeywordOnSameLine) ? parseAssertsTypePredicate() : parseTypeReference();
            case 16:
              return parseTemplateType();
            default:
              return parseTypeReference();
          }
        }
        function isStartOfType(inStartOfParameter) {
          switch (token()) {
            case 133:
            case 159:
            case 154:
            case 150:
            case 163:
            case 136:
            case 148:
            case 155:
            case 158:
            case 116:
            case 157:
            case 106:
            case 110:
            case 114:
            case 146:
            case 19:
            case 23:
            case 30:
            case 52:
            case 51:
            case 105:
            case 11:
            case 9:
            case 10:
            case 112:
            case 97:
            case 151:
            case 42:
            case 58:
            case 54:
            case 26:
            case 140:
            case 102:
            case 131:
            case 15:
            case 16:
              return true;
            case 100:
              return !inStartOfParameter;
            case 41:
              return !inStartOfParameter && lookAhead(nextTokenIsNumericOrBigIntLiteral);
            case 21:
              return !inStartOfParameter && lookAhead(isStartOfParenthesizedOrFunctionType);
            default:
              return isIdentifier2();
          }
        }
        function isStartOfParenthesizedOrFunctionType() {
          nextToken();
          return token() === 22 || isStartOfParameter(
            /*isJSDocParameter*/
            false
          ) || isStartOfType();
        }
        function parsePostfixTypeOrHigher() {
          const pos = getNodePos();
          let type = parseNonArrayType();
          while (!scanner2.hasPrecedingLineBreak()) {
            switch (token()) {
              case 54:
                nextToken();
                type = finishNode(factory2.createJSDocNonNullableType(
                  type,
                  /*postfix*/
                  true
                ), pos);
                break;
              case 58:
                if (lookAhead(nextTokenIsStartOfType)) {
                  return type;
                }
                nextToken();
                type = finishNode(factory2.createJSDocNullableType(
                  type,
                  /*postfix*/
                  true
                ), pos);
                break;
              case 23:
                parseExpected(
                  23
                  /* OpenBracketToken */
                );
                if (isStartOfType()) {
                  const indexType = parseType();
                  parseExpected(
                    24
                    /* CloseBracketToken */
                  );
                  type = finishNode(factory2.createIndexedAccessTypeNode(type, indexType), pos);
                } else {
                  parseExpected(
                    24
                    /* CloseBracketToken */
                  );
                  type = finishNode(factory2.createArrayTypeNode(type), pos);
                }
                break;
              default:
                return type;
            }
          }
          return type;
        }
        function parseTypeOperator(operator) {
          const pos = getNodePos();
          parseExpected(operator);
          return finishNode(factory2.createTypeOperatorNode(operator, parseTypeOperatorOrHigher()), pos);
        }
        function tryParseConstraintOfInferType() {
          if (parseOptional(
            96
            /* ExtendsKeyword */
          )) {
            const constraint = disallowConditionalTypesAnd(parseType);
            if (inDisallowConditionalTypesContext() || token() !== 58) {
              return constraint;
            }
          }
        }
        function parseTypeParameterOfInferType() {
          const pos = getNodePos();
          const name = parseIdentifier();
          const constraint = tryParse(tryParseConstraintOfInferType);
          const node = factory2.createTypeParameterDeclaration(
            /*modifiers*/
            void 0,
            name,
            constraint
          );
          return finishNode(node, pos);
        }
        function parseInferType() {
          const pos = getNodePos();
          parseExpected(
            140
            /* InferKeyword */
          );
          return finishNode(factory2.createInferTypeNode(parseTypeParameterOfInferType()), pos);
        }
        function parseTypeOperatorOrHigher() {
          const operator = token();
          switch (operator) {
            case 143:
            case 158:
            case 148:
              return parseTypeOperator(operator);
            case 140:
              return parseInferType();
          }
          return allowConditionalTypesAnd(parsePostfixTypeOrHigher);
        }
        function parseFunctionOrConstructorTypeToError(isInUnionType) {
          if (isStartOfFunctionTypeOrConstructorType()) {
            const type = parseFunctionOrConstructorType();
            let diagnostic;
            if (isFunctionTypeNode(type)) {
              diagnostic = isInUnionType ? Diagnostics.Function_type_notation_must_be_parenthesized_when_used_in_a_union_type : Diagnostics.Function_type_notation_must_be_parenthesized_when_used_in_an_intersection_type;
            } else {
              diagnostic = isInUnionType ? Diagnostics.Constructor_type_notation_must_be_parenthesized_when_used_in_a_union_type : Diagnostics.Constructor_type_notation_must_be_parenthesized_when_used_in_an_intersection_type;
            }
            parseErrorAtRange(type, diagnostic);
            return type;
          }
          return void 0;
        }
        function parseUnionOrIntersectionType(operator, parseConstituentType, createTypeNode) {
          const pos = getNodePos();
          const isUnionType = operator === 52;
          const hasLeadingOperator = parseOptional(operator);
          let type = hasLeadingOperator && parseFunctionOrConstructorTypeToError(isUnionType) || parseConstituentType();
          if (token() === operator || hasLeadingOperator) {
            const types = [type];
            while (parseOptional(operator)) {
              types.push(parseFunctionOrConstructorTypeToError(isUnionType) || parseConstituentType());
            }
            type = finishNode(createTypeNode(createNodeArray(types, pos)), pos);
          }
          return type;
        }
        function parseIntersectionTypeOrHigher() {
          return parseUnionOrIntersectionType(51, parseTypeOperatorOrHigher, factory2.createIntersectionTypeNode);
        }
        function parseUnionTypeOrHigher() {
          return parseUnionOrIntersectionType(52, parseIntersectionTypeOrHigher, factory2.createUnionTypeNode);
        }
        function nextTokenIsNewKeyword() {
          nextToken();
          return token() === 105;
        }
        function isStartOfFunctionTypeOrConstructorType() {
          if (token() === 30) {
            return true;
          }
          if (token() === 21 && lookAhead(isUnambiguouslyStartOfFunctionType)) {
            return true;
          }
          return token() === 105 || token() === 128 && lookAhead(nextTokenIsNewKeyword);
        }
        function skipParameterStart() {
          if (isModifierKind(token())) {
            parseModifiers(
              /*allowDecorators*/
              false
            );
          }
          if (isIdentifier2() || token() === 110) {
            nextToken();
            return true;
          }
          if (token() === 23 || token() === 19) {
            const previousErrorCount = parseDiagnostics.length;
            parseIdentifierOrPattern();
            return previousErrorCount === parseDiagnostics.length;
          }
          return false;
        }
        function isUnambiguouslyStartOfFunctionType() {
          nextToken();
          if (token() === 22 || token() === 26) {
            return true;
          }
          if (skipParameterStart()) {
            if (token() === 59 || token() === 28 || token() === 58 || token() === 64) {
              return true;
            }
            if (token() === 22) {
              nextToken();
              if (token() === 39) {
                return true;
              }
            }
          }
          return false;
        }
        function parseTypeOrTypePredicate() {
          const pos = getNodePos();
          const typePredicateVariable = isIdentifier2() && tryParse(parseTypePredicatePrefix);
          const type = parseType();
          if (typePredicateVariable) {
            return finishNode(factory2.createTypePredicateNode(
              /*assertsModifier*/
              void 0,
              typePredicateVariable,
              type
            ), pos);
          } else {
            return type;
          }
        }
        function parseTypePredicatePrefix() {
          const id = parseIdentifier();
          if (token() === 142 && !scanner2.hasPrecedingLineBreak()) {
            nextToken();
            return id;
          }
        }
        function parseAssertsTypePredicate() {
          const pos = getNodePos();
          const assertsModifier = parseExpectedToken(
            131
            /* AssertsKeyword */
          );
          const parameterName = token() === 110 ? parseThisTypeNode() : parseIdentifier();
          const type = parseOptional(
            142
            /* IsKeyword */
          ) ? parseType() : void 0;
          return finishNode(factory2.createTypePredicateNode(assertsModifier, parameterName, type), pos);
        }
        function parseType() {
          if (contextFlags & 81920) {
            return doOutsideOfContext(81920, parseType);
          }
          if (isStartOfFunctionTypeOrConstructorType()) {
            return parseFunctionOrConstructorType();
          }
          const pos = getNodePos();
          const type = parseUnionTypeOrHigher();
          if (!inDisallowConditionalTypesContext() && !scanner2.hasPrecedingLineBreak() && parseOptional(
            96
            /* ExtendsKeyword */
          )) {
            const extendsType = disallowConditionalTypesAnd(parseType);
            parseExpected(
              58
              /* QuestionToken */
            );
            const trueType = allowConditionalTypesAnd(parseType);
            parseExpected(
              59
              /* ColonToken */
            );
            const falseType = allowConditionalTypesAnd(parseType);
            return finishNode(factory2.createConditionalTypeNode(type, extendsType, trueType, falseType), pos);
          }
          return type;
        }
        function parseTypeAnnotation() {
          return parseOptional(
            59
            /* ColonToken */
          ) ? parseType() : void 0;
        }
        function isStartOfLeftHandSideExpression() {
          switch (token()) {
            case 110:
            case 108:
            case 106:
            case 112:
            case 97:
            case 9:
            case 10:
            case 11:
            case 15:
            case 16:
            case 21:
            case 23:
            case 19:
            case 100:
            case 86:
            case 105:
            case 44:
            case 69:
            case 80:
              return true;
            case 102:
              return lookAhead(nextTokenIsOpenParenOrLessThanOrDot);
            default:
              return isIdentifier2();
          }
        }
        function isStartOfExpression() {
          if (isStartOfLeftHandSideExpression()) {
            return true;
          }
          switch (token()) {
            case 40:
            case 41:
            case 55:
            case 54:
            case 91:
            case 114:
            case 116:
            case 46:
            case 47:
            case 30:
            case 135:
            case 127:
            case 81:
            case 60:
              return true;
            default:
              if (isBinaryOperator2()) {
                return true;
              }
              return isIdentifier2();
          }
        }
        function isStartOfExpressionStatement() {
          return token() !== 19 && token() !== 100 && token() !== 86 && token() !== 60 && isStartOfExpression();
        }
        function parseExpression() {
          const saveDecoratorContext = inDecoratorContext();
          if (saveDecoratorContext) {
            setDecoratorContext(
              /*val*/
              false
            );
          }
          const pos = getNodePos();
          let expr = parseAssignmentExpressionOrHigher(
            /*allowReturnTypeInArrowFunction*/
            true
          );
          let operatorToken;
          while (operatorToken = parseOptionalToken(
            28
            /* CommaToken */
          )) {
            expr = makeBinaryExpression(expr, operatorToken, parseAssignmentExpressionOrHigher(
              /*allowReturnTypeInArrowFunction*/
              true
            ), pos);
          }
          if (saveDecoratorContext) {
            setDecoratorContext(
              /*val*/
              true
            );
          }
          return expr;
        }
        function parseInitializer() {
          return parseOptional(
            64
            /* EqualsToken */
          ) ? parseAssignmentExpressionOrHigher(
            /*allowReturnTypeInArrowFunction*/
            true
          ) : void 0;
        }
        function parseAssignmentExpressionOrHigher(allowReturnTypeInArrowFunction) {
          if (isYieldExpression2()) {
            return parseYieldExpression();
          }
          const arrowExpression = tryParseParenthesizedArrowFunctionExpression(allowReturnTypeInArrowFunction) || tryParseAsyncSimpleArrowFunctionExpression(allowReturnTypeInArrowFunction);
          if (arrowExpression) {
            return arrowExpression;
          }
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          const expr = parseBinaryExpressionOrHigher(
            0
            /* Lowest */
          );
          if (expr.kind === 80 && token() === 39) {
            return parseSimpleArrowFunctionExpression(
              pos,
              expr,
              allowReturnTypeInArrowFunction,
              hasJSDoc,
              /*asyncModifier*/
              void 0
            );
          }
          if (isLeftHandSideExpression(expr) && isAssignmentOperator(reScanGreaterToken())) {
            return makeBinaryExpression(expr, parseTokenNode(), parseAssignmentExpressionOrHigher(allowReturnTypeInArrowFunction), pos);
          }
          return parseConditionalExpressionRest(expr, pos, allowReturnTypeInArrowFunction);
        }
        function isYieldExpression2() {
          if (token() === 127) {
            if (inYieldContext()) {
              return true;
            }
            return lookAhead(nextTokenIsIdentifierOrKeywordOrLiteralOnSameLine);
          }
          return false;
        }
        function nextTokenIsIdentifierOnSameLine() {
          nextToken();
          return !scanner2.hasPrecedingLineBreak() && isIdentifier2();
        }
        function parseYieldExpression() {
          const pos = getNodePos();
          nextToken();
          if (!scanner2.hasPrecedingLineBreak() && (token() === 42 || isStartOfExpression())) {
            return finishNode(
              factory2.createYieldExpression(
                parseOptionalToken(
                  42
                  /* AsteriskToken */
                ),
                parseAssignmentExpressionOrHigher(
                  /*allowReturnTypeInArrowFunction*/
                  true
                )
              ),
              pos
            );
          } else {
            return finishNode(factory2.createYieldExpression(
              /*asteriskToken*/
              void 0,
              /*expression*/
              void 0
            ), pos);
          }
        }
        function parseSimpleArrowFunctionExpression(pos, identifier, allowReturnTypeInArrowFunction, hasJSDoc, asyncModifier) {
          Debug.assert(token() === 39, "parseSimpleArrowFunctionExpression should only have been called if we had a =>");
          const parameter = factory2.createParameterDeclaration(
            /*modifiers*/
            void 0,
            /*dotDotDotToken*/
            void 0,
            identifier,
            /*questionToken*/
            void 0,
            /*type*/
            void 0,
            /*initializer*/
            void 0
          );
          finishNode(parameter, identifier.pos);
          const parameters = createNodeArray([parameter], parameter.pos, parameter.end);
          const equalsGreaterThanToken = parseExpectedToken(
            39
            /* EqualsGreaterThanToken */
          );
          const body = parseArrowFunctionExpressionBody(
            /*isAsync*/
            !!asyncModifier,
            allowReturnTypeInArrowFunction
          );
          const node = factory2.createArrowFunction(
            asyncModifier,
            /*typeParameters*/
            void 0,
            parameters,
            /*type*/
            void 0,
            equalsGreaterThanToken,
            body
          );
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function tryParseParenthesizedArrowFunctionExpression(allowReturnTypeInArrowFunction) {
          const triState = isParenthesizedArrowFunctionExpression();
          if (triState === 0) {
            return void 0;
          }
          return triState === 1 ? parseParenthesizedArrowFunctionExpression(
            /*allowAmbiguity*/
            true,
            /*allowReturnTypeInArrowFunction*/
            true
          ) : tryParse(() => parsePossibleParenthesizedArrowFunctionExpression(allowReturnTypeInArrowFunction));
        }
        function isParenthesizedArrowFunctionExpression() {
          if (token() === 21 || token() === 30 || token() === 134) {
            return lookAhead(isParenthesizedArrowFunctionExpressionWorker);
          }
          if (token() === 39) {
            return 1;
          }
          return 0;
        }
        function isParenthesizedArrowFunctionExpressionWorker() {
          if (token() === 134) {
            nextToken();
            if (scanner2.hasPrecedingLineBreak()) {
              return 0;
            }
            if (token() !== 21 && token() !== 30) {
              return 0;
            }
          }
          const first2 = token();
          const second = nextToken();
          if (first2 === 21) {
            if (second === 22) {
              const third = nextToken();
              switch (third) {
                case 39:
                case 59:
                case 19:
                  return 1;
                default:
                  return 0;
              }
            }
            if (second === 23 || second === 19) {
              return 2;
            }
            if (second === 26) {
              return 1;
            }
            if (isModifierKind(second) && second !== 134 && lookAhead(nextTokenIsIdentifier)) {
              if (nextToken() === 130) {
                return 0;
              }
              return 1;
            }
            if (!isIdentifier2() && second !== 110) {
              return 0;
            }
            switch (nextToken()) {
              case 59:
                return 1;
              case 58:
                nextToken();
                if (token() === 59 || token() === 28 || token() === 64 || token() === 22) {
                  return 1;
                }
                return 0;
              case 28:
              case 64:
              case 22:
                return 2;
            }
            return 0;
          } else {
            Debug.assert(
              first2 === 30
              /* LessThanToken */
            );
            if (!isIdentifier2() && token() !== 87) {
              return 0;
            }
            if (languageVariant === 1) {
              const isArrowFunctionInJsx = lookAhead(() => {
                parseOptional(
                  87
                  /* ConstKeyword */
                );
                const third = nextToken();
                if (third === 96) {
                  const fourth = nextToken();
                  switch (fourth) {
                    case 64:
                    case 32:
                    case 44:
                      return false;
                    default:
                      return true;
                  }
                } else if (third === 28 || third === 64) {
                  return true;
                }
                return false;
              });
              if (isArrowFunctionInJsx) {
                return 1;
              }
              return 0;
            }
            return 2;
          }
        }
        function parsePossibleParenthesizedArrowFunctionExpression(allowReturnTypeInArrowFunction) {
          const tokenPos = scanner2.getTokenStart();
          if (notParenthesizedArrow == null ? void 0 : notParenthesizedArrow.has(tokenPos)) {
            return void 0;
          }
          const result = parseParenthesizedArrowFunctionExpression(
            /*allowAmbiguity*/
            false,
            allowReturnTypeInArrowFunction
          );
          if (!result) {
            (notParenthesizedArrow || (notParenthesizedArrow = /* @__PURE__ */ new Set())).add(tokenPos);
          }
          return result;
        }
        function tryParseAsyncSimpleArrowFunctionExpression(allowReturnTypeInArrowFunction) {
          if (token() === 134) {
            if (lookAhead(isUnParenthesizedAsyncArrowFunctionWorker) === 1) {
              const pos = getNodePos();
              const hasJSDoc = hasPrecedingJSDocComment();
              const asyncModifier = parseModifiersForArrowFunction();
              const expr = parseBinaryExpressionOrHigher(
                0
                /* Lowest */
              );
              return parseSimpleArrowFunctionExpression(pos, expr, allowReturnTypeInArrowFunction, hasJSDoc, asyncModifier);
            }
          }
          return void 0;
        }
        function isUnParenthesizedAsyncArrowFunctionWorker() {
          if (token() === 134) {
            nextToken();
            if (scanner2.hasPrecedingLineBreak() || token() === 39) {
              return 0;
            }
            const expr = parseBinaryExpressionOrHigher(
              0
              /* Lowest */
            );
            if (!scanner2.hasPrecedingLineBreak() && expr.kind === 80 && token() === 39) {
              return 1;
            }
          }
          return 0;
        }
        function parseParenthesizedArrowFunctionExpression(allowAmbiguity, allowReturnTypeInArrowFunction) {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          const modifiers = parseModifiersForArrowFunction();
          const isAsync2 = some(modifiers, isAsyncModifier) ? 2 : 0;
          const typeParameters = parseTypeParameters();
          let parameters;
          if (!parseExpected(
            21
            /* OpenParenToken */
          )) {
            if (!allowAmbiguity) {
              return void 0;
            }
            parameters = createMissingList();
          } else {
            if (!allowAmbiguity) {
              const maybeParameters = parseParametersWorker(isAsync2, allowAmbiguity);
              if (!maybeParameters) {
                return void 0;
              }
              parameters = maybeParameters;
            } else {
              parameters = parseParametersWorker(isAsync2, allowAmbiguity);
            }
            if (!parseExpected(
              22
              /* CloseParenToken */
            ) && !allowAmbiguity) {
              return void 0;
            }
          }
          const hasReturnColon = token() === 59;
          const type = parseReturnType(
            59,
            /*isType*/
            false
          );
          if (type && !allowAmbiguity && typeHasArrowFunctionBlockingParseError(type)) {
            return void 0;
          }
          let unwrappedType = type;
          while ((unwrappedType == null ? void 0 : unwrappedType.kind) === 196) {
            unwrappedType = unwrappedType.type;
          }
          const hasJSDocFunctionType = unwrappedType && isJSDocFunctionType(unwrappedType);
          if (!allowAmbiguity && token() !== 39 && (hasJSDocFunctionType || token() !== 19)) {
            return void 0;
          }
          const lastToken = token();
          const equalsGreaterThanToken = parseExpectedToken(
            39
            /* EqualsGreaterThanToken */
          );
          const body = lastToken === 39 || lastToken === 19 ? parseArrowFunctionExpressionBody(some(modifiers, isAsyncModifier), allowReturnTypeInArrowFunction) : parseIdentifier();
          if (!allowReturnTypeInArrowFunction && hasReturnColon) {
            if (token() !== 59) {
              return void 0;
            }
          }
          const node = factory2.createArrowFunction(modifiers, typeParameters, parameters, type, equalsGreaterThanToken, body);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parseArrowFunctionExpressionBody(isAsync2, allowReturnTypeInArrowFunction) {
          if (token() === 19) {
            return parseFunctionBlock(
              isAsync2 ? 2 : 0
              /* None */
            );
          }
          if (token() !== 27 && token() !== 100 && token() !== 86 && isStartOfStatement() && !isStartOfExpressionStatement()) {
            return parseFunctionBlock(16 | (isAsync2 ? 2 : 0));
          }
          const savedTopLevel = topLevel;
          topLevel = false;
          const node = isAsync2 ? doInAwaitContext(() => parseAssignmentExpressionOrHigher(allowReturnTypeInArrowFunction)) : doOutsideOfAwaitContext(() => parseAssignmentExpressionOrHigher(allowReturnTypeInArrowFunction));
          topLevel = savedTopLevel;
          return node;
        }
        function parseConditionalExpressionRest(leftOperand, pos, allowReturnTypeInArrowFunction) {
          const questionToken = parseOptionalToken(
            58
            /* QuestionToken */
          );
          if (!questionToken) {
            return leftOperand;
          }
          let colonToken;
          return finishNode(
            factory2.createConditionalExpression(
              leftOperand,
              questionToken,
              doOutsideOfContext(disallowInAndDecoratorContext, () => parseAssignmentExpressionOrHigher(
                /*allowReturnTypeInArrowFunction*/
                false
              )),
              colonToken = parseExpectedToken(
                59
                /* ColonToken */
              ),
              nodeIsPresent(colonToken) ? parseAssignmentExpressionOrHigher(allowReturnTypeInArrowFunction) : createMissingNode(
                80,
                /*reportAtCurrentPosition*/
                false,
                Diagnostics._0_expected,
                tokenToString(
                  59
                  /* ColonToken */
                )
              )
            ),
            pos
          );
        }
        function parseBinaryExpressionOrHigher(precedence) {
          const pos = getNodePos();
          const leftOperand = parseUnaryExpressionOrHigher();
          return parseBinaryExpressionRest(precedence, leftOperand, pos);
        }
        function isInOrOfKeyword(t) {
          return t === 103 || t === 165;
        }
        function parseBinaryExpressionRest(precedence, leftOperand, pos) {
          while (true) {
            reScanGreaterToken();
            const newPrecedence = getBinaryOperatorPrecedence(token());
            const consumeCurrentOperator = token() === 43 ? newPrecedence >= precedence : newPrecedence > precedence;
            if (!consumeCurrentOperator) {
              break;
            }
            if (token() === 103 && inDisallowInContext()) {
              break;
            }
            if (token() === 130 || token() === 152) {
              if (scanner2.hasPrecedingLineBreak()) {
                break;
              } else {
                const keywordKind = token();
                nextToken();
                leftOperand = keywordKind === 152 ? makeSatisfiesExpression(leftOperand, parseType()) : makeAsExpression(leftOperand, parseType());
              }
            } else {
              leftOperand = makeBinaryExpression(leftOperand, parseTokenNode(), parseBinaryExpressionOrHigher(newPrecedence), pos);
            }
          }
          return leftOperand;
        }
        function isBinaryOperator2() {
          if (inDisallowInContext() && token() === 103) {
            return false;
          }
          return getBinaryOperatorPrecedence(token()) > 0;
        }
        function makeSatisfiesExpression(left, right) {
          return finishNode(factory2.createSatisfiesExpression(left, right), left.pos);
        }
        function makeBinaryExpression(left, operatorToken, right, pos) {
          return finishNode(factory2.createBinaryExpression(left, operatorToken, right), pos);
        }
        function makeAsExpression(left, right) {
          return finishNode(factory2.createAsExpression(left, right), left.pos);
        }
        function parsePrefixUnaryExpression() {
          const pos = getNodePos();
          return finishNode(factory2.createPrefixUnaryExpression(token(), nextTokenAnd(parseSimpleUnaryExpression)), pos);
        }
        function parseDeleteExpression() {
          const pos = getNodePos();
          return finishNode(factory2.createDeleteExpression(nextTokenAnd(parseSimpleUnaryExpression)), pos);
        }
        function parseTypeOfExpression() {
          const pos = getNodePos();
          return finishNode(factory2.createTypeOfExpression(nextTokenAnd(parseSimpleUnaryExpression)), pos);
        }
        function parseVoidExpression() {
          const pos = getNodePos();
          return finishNode(factory2.createVoidExpression(nextTokenAnd(parseSimpleUnaryExpression)), pos);
        }
        function isAwaitExpression2() {
          if (token() === 135) {
            if (inAwaitContext()) {
              return true;
            }
            return lookAhead(nextTokenIsIdentifierOrKeywordOrLiteralOnSameLine);
          }
          return false;
        }
        function parseAwaitExpression() {
          const pos = getNodePos();
          return finishNode(factory2.createAwaitExpression(nextTokenAnd(parseSimpleUnaryExpression)), pos);
        }
        function parseUnaryExpressionOrHigher() {
          if (isUpdateExpression()) {
            const pos = getNodePos();
            const updateExpression = parseUpdateExpression();
            return token() === 43 ? parseBinaryExpressionRest(getBinaryOperatorPrecedence(token()), updateExpression, pos) : updateExpression;
          }
          const unaryOperator = token();
          const simpleUnaryExpression = parseSimpleUnaryExpression();
          if (token() === 43) {
            const pos = skipTrivia(sourceText, simpleUnaryExpression.pos);
            const { end } = simpleUnaryExpression;
            if (simpleUnaryExpression.kind === 216) {
              parseErrorAt(pos, end, Diagnostics.A_type_assertion_expression_is_not_allowed_in_the_left_hand_side_of_an_exponentiation_expression_Consider_enclosing_the_expression_in_parentheses);
            } else {
              Debug.assert(isKeywordOrPunctuation(unaryOperator));
              parseErrorAt(pos, end, Diagnostics.An_unary_expression_with_the_0_operator_is_not_allowed_in_the_left_hand_side_of_an_exponentiation_expression_Consider_enclosing_the_expression_in_parentheses, tokenToString(unaryOperator));
            }
          }
          return simpleUnaryExpression;
        }
        function parseSimpleUnaryExpression() {
          switch (token()) {
            case 40:
            case 41:
            case 55:
            case 54:
              return parsePrefixUnaryExpression();
            case 91:
              return parseDeleteExpression();
            case 114:
              return parseTypeOfExpression();
            case 116:
              return parseVoidExpression();
            case 30:
              if (languageVariant === 1) {
                return parseJsxElementOrSelfClosingElementOrFragment(
                  /*inExpressionContext*/
                  true,
                  /*topInvalidNodePosition*/
                  void 0,
                  /*openingTag*/
                  void 0,
                  /*mustBeUnary*/
                  true
                );
              }
              return parseTypeAssertion();
            case 135:
              if (isAwaitExpression2()) {
                return parseAwaitExpression();
              }
            default:
              return parseUpdateExpression();
          }
        }
        function isUpdateExpression() {
          switch (token()) {
            case 40:
            case 41:
            case 55:
            case 54:
            case 91:
            case 114:
            case 116:
            case 135:
              return false;
            case 30:
              if (languageVariant !== 1) {
                return false;
              }
            default:
              return true;
          }
        }
        function parseUpdateExpression() {
          if (token() === 46 || token() === 47) {
            const pos = getNodePos();
            return finishNode(factory2.createPrefixUnaryExpression(token(), nextTokenAnd(parseLeftHandSideExpressionOrHigher)), pos);
          } else if (languageVariant === 1 && token() === 30 && lookAhead(nextTokenIsIdentifierOrKeywordOrGreaterThan)) {
            return parseJsxElementOrSelfClosingElementOrFragment(
              /*inExpressionContext*/
              true
            );
          }
          const expression = parseLeftHandSideExpressionOrHigher();
          Debug.assert(isLeftHandSideExpression(expression));
          if ((token() === 46 || token() === 47) && !scanner2.hasPrecedingLineBreak()) {
            const operator = token();
            nextToken();
            return finishNode(factory2.createPostfixUnaryExpression(expression, operator), expression.pos);
          }
          return expression;
        }
        function parseLeftHandSideExpressionOrHigher() {
          const pos = getNodePos();
          let expression;
          if (token() === 102) {
            if (lookAhead(nextTokenIsOpenParenOrLessThan)) {
              sourceFlags |= 4194304;
              expression = parseTokenNode();
            } else if (lookAhead(nextTokenIsDot)) {
              nextToken();
              nextToken();
              expression = finishNode(factory2.createMetaProperty(102, parseIdentifierName()), pos);
              sourceFlags |= 8388608;
            } else {
              expression = parseMemberExpressionOrHigher();
            }
          } else {
            expression = token() === 108 ? parseSuperExpression() : parseMemberExpressionOrHigher();
          }
          return parseCallExpressionRest(pos, expression);
        }
        function parseMemberExpressionOrHigher() {
          const pos = getNodePos();
          const expression = parsePrimaryExpression();
          return parseMemberExpressionRest(
            pos,
            expression,
            /*allowOptionalChain*/
            true
          );
        }
        function parseSuperExpression() {
          const pos = getNodePos();
          let expression = parseTokenNode();
          if (token() === 30) {
            const startPos = getNodePos();
            const typeArguments = tryParse(parseTypeArgumentsInExpression);
            if (typeArguments !== void 0) {
              parseErrorAt(startPos, getNodePos(), Diagnostics.super_may_not_use_type_arguments);
              if (!isTemplateStartOfTaggedTemplate()) {
                expression = factory2.createExpressionWithTypeArguments(expression, typeArguments);
              }
            }
          }
          if (token() === 21 || token() === 25 || token() === 23) {
            return expression;
          }
          parseExpectedToken(25, Diagnostics.super_must_be_followed_by_an_argument_list_or_member_access);
          return finishNode(factoryCreatePropertyAccessExpression(expression, parseRightSideOfDot(
            /*allowIdentifierNames*/
            true,
            /*allowPrivateIdentifiers*/
            true,
            /*allowUnicodeEscapeSequenceInIdentifierName*/
            true
          )), pos);
        }
        function parseJsxElementOrSelfClosingElementOrFragment(inExpressionContext, topInvalidNodePosition, openingTag, mustBeUnary = false) {
          const pos = getNodePos();
          const opening = parseJsxOpeningOrSelfClosingElementOrOpeningFragment(inExpressionContext);
          let result;
          if (opening.kind === 286) {
            let children = parseJsxChildren(opening);
            let closingElement;
            const lastChild = children[children.length - 1];
            if ((lastChild == null ? void 0 : lastChild.kind) === 284 && !tagNamesAreEquivalent(lastChild.openingElement.tagName, lastChild.closingElement.tagName) && tagNamesAreEquivalent(opening.tagName, lastChild.closingElement.tagName)) {
              const end = lastChild.children.end;
              const newLast = finishNode(
                factory2.createJsxElement(
                  lastChild.openingElement,
                  lastChild.children,
                  finishNode(factory2.createJsxClosingElement(finishNode(factoryCreateIdentifier(""), end, end)), end, end)
                ),
                lastChild.openingElement.pos,
                end
              );
              children = createNodeArray([...children.slice(0, children.length - 1), newLast], children.pos, end);
              closingElement = lastChild.closingElement;
            } else {
              closingElement = parseJsxClosingElement(opening, inExpressionContext);
              if (!tagNamesAreEquivalent(opening.tagName, closingElement.tagName)) {
                if (openingTag && isJsxOpeningElement(openingTag) && tagNamesAreEquivalent(closingElement.tagName, openingTag.tagName)) {
                  parseErrorAtRange(opening.tagName, Diagnostics.JSX_element_0_has_no_corresponding_closing_tag, getTextOfNodeFromSourceText(sourceText, opening.tagName));
                } else {
                  parseErrorAtRange(closingElement.tagName, Diagnostics.Expected_corresponding_JSX_closing_tag_for_0, getTextOfNodeFromSourceText(sourceText, opening.tagName));
                }
              }
            }
            result = finishNode(factory2.createJsxElement(opening, children, closingElement), pos);
          } else if (opening.kind === 289) {
            result = finishNode(factory2.createJsxFragment(opening, parseJsxChildren(opening), parseJsxClosingFragment(inExpressionContext)), pos);
          } else {
            Debug.assert(
              opening.kind === 285
              /* JsxSelfClosingElement */
            );
            result = opening;
          }
          if (!mustBeUnary && inExpressionContext && token() === 30) {
            const topBadPos = typeof topInvalidNodePosition === "undefined" ? result.pos : topInvalidNodePosition;
            const invalidElement = tryParse(() => parseJsxElementOrSelfClosingElementOrFragment(
              /*inExpressionContext*/
              true,
              topBadPos
            ));
            if (invalidElement) {
              const operatorToken = createMissingNode(
                28,
                /*reportAtCurrentPosition*/
                false
              );
              setTextRangePosWidth(operatorToken, invalidElement.pos, 0);
              parseErrorAt(skipTrivia(sourceText, topBadPos), invalidElement.end, Diagnostics.JSX_expressions_must_have_one_parent_element);
              return finishNode(factory2.createBinaryExpression(result, operatorToken, invalidElement), pos);
            }
          }
          return result;
        }
        function parseJsxText() {
          const pos = getNodePos();
          const node = factory2.createJsxText(
            scanner2.getTokenValue(),
            currentToken === 13
            /* JsxTextAllWhiteSpaces */
          );
          currentToken = scanner2.scanJsxToken();
          return finishNode(node, pos);
        }
        function parseJsxChild(openingTag, token2) {
          switch (token2) {
            case 1:
              if (isJsxOpeningFragment(openingTag)) {
                parseErrorAtRange(openingTag, Diagnostics.JSX_fragment_has_no_corresponding_closing_tag);
              } else {
                const tag = openingTag.tagName;
                const start = Math.min(skipTrivia(sourceText, tag.pos), tag.end);
                parseErrorAt(start, tag.end, Diagnostics.JSX_element_0_has_no_corresponding_closing_tag, getTextOfNodeFromSourceText(sourceText, openingTag.tagName));
              }
              return void 0;
            case 31:
            case 7:
              return void 0;
            case 12:
            case 13:
              return parseJsxText();
            case 19:
              return parseJsxExpression(
                /*inExpressionContext*/
                false
              );
            case 30:
              return parseJsxElementOrSelfClosingElementOrFragment(
                /*inExpressionContext*/
                false,
                /*topInvalidNodePosition*/
                void 0,
                openingTag
              );
            default:
              return Debug.assertNever(token2);
          }
        }
        function parseJsxChildren(openingTag) {
          const list = [];
          const listPos = getNodePos();
          const saveParsingContext = parsingContext;
          parsingContext |= 1 << 14;
          while (true) {
            const child = parseJsxChild(openingTag, currentToken = scanner2.reScanJsxToken());
            if (!child) break;
            list.push(child);
            if (isJsxOpeningElement(openingTag) && (child == null ? void 0 : child.kind) === 284 && !tagNamesAreEquivalent(child.openingElement.tagName, child.closingElement.tagName) && tagNamesAreEquivalent(openingTag.tagName, child.closingElement.tagName)) {
              break;
            }
          }
          parsingContext = saveParsingContext;
          return createNodeArray(list, listPos);
        }
        function parseJsxAttributes() {
          const pos = getNodePos();
          return finishNode(factory2.createJsxAttributes(parseList(13, parseJsxAttribute)), pos);
        }
        function parseJsxOpeningOrSelfClosingElementOrOpeningFragment(inExpressionContext) {
          const pos = getNodePos();
          parseExpected(
            30
            /* LessThanToken */
          );
          if (token() === 32) {
            scanJsxText();
            return finishNode(factory2.createJsxOpeningFragment(), pos);
          }
          const tagName = parseJsxElementName();
          const typeArguments = (contextFlags & 524288) === 0 ? tryParseTypeArguments() : void 0;
          const attributes = parseJsxAttributes();
          let node;
          if (token() === 32) {
            scanJsxText();
            node = factory2.createJsxOpeningElement(tagName, typeArguments, attributes);
          } else {
            parseExpected(
              44
              /* SlashToken */
            );
            if (parseExpected(
              32,
              /*diagnosticMessage*/
              void 0,
              /*shouldAdvance*/
              false
            )) {
              if (inExpressionContext) {
                nextToken();
              } else {
                scanJsxText();
              }
            }
            node = factory2.createJsxSelfClosingElement(tagName, typeArguments, attributes);
          }
          return finishNode(node, pos);
        }
        function parseJsxElementName() {
          const pos = getNodePos();
          const initialExpression = parseJsxTagName();
          if (isJsxNamespacedName(initialExpression)) {
            return initialExpression;
          }
          let expression = initialExpression;
          while (parseOptional(
            25
            /* DotToken */
          )) {
            expression = finishNode(factoryCreatePropertyAccessExpression(expression, parseRightSideOfDot(
              /*allowIdentifierNames*/
              true,
              /*allowPrivateIdentifiers*/
              false,
              /*allowUnicodeEscapeSequenceInIdentifierName*/
              false
            )), pos);
          }
          return expression;
        }
        function parseJsxTagName() {
          const pos = getNodePos();
          scanJsxIdentifier();
          const isThis2 = token() === 110;
          const tagName = parseIdentifierNameErrorOnUnicodeEscapeSequence();
          if (parseOptional(
            59
            /* ColonToken */
          )) {
            scanJsxIdentifier();
            return finishNode(factory2.createJsxNamespacedName(tagName, parseIdentifierNameErrorOnUnicodeEscapeSequence()), pos);
          }
          return isThis2 ? finishNode(factory2.createToken(
            110
            /* ThisKeyword */
          ), pos) : tagName;
        }
        function parseJsxExpression(inExpressionContext) {
          const pos = getNodePos();
          if (!parseExpected(
            19
            /* OpenBraceToken */
          )) {
            return void 0;
          }
          let dotDotDotToken;
          let expression;
          if (token() !== 20) {
            if (!inExpressionContext) {
              dotDotDotToken = parseOptionalToken(
                26
                /* DotDotDotToken */
              );
            }
            expression = parseExpression();
          }
          if (inExpressionContext) {
            parseExpected(
              20
              /* CloseBraceToken */
            );
          } else {
            if (parseExpected(
              20,
              /*diagnosticMessage*/
              void 0,
              /*shouldAdvance*/
              false
            )) {
              scanJsxText();
            }
          }
          return finishNode(factory2.createJsxExpression(dotDotDotToken, expression), pos);
        }
        function parseJsxAttribute() {
          if (token() === 19) {
            return parseJsxSpreadAttribute();
          }
          const pos = getNodePos();
          return finishNode(factory2.createJsxAttribute(parseJsxAttributeName(), parseJsxAttributeValue()), pos);
        }
        function parseJsxAttributeValue() {
          if (token() === 64) {
            if (scanJsxAttributeValue() === 11) {
              return parseLiteralNode();
            }
            if (token() === 19) {
              return parseJsxExpression(
                /*inExpressionContext*/
                true
              );
            }
            if (token() === 30) {
              return parseJsxElementOrSelfClosingElementOrFragment(
                /*inExpressionContext*/
                true
              );
            }
            parseErrorAtCurrentToken(Diagnostics.or_JSX_element_expected);
          }
          return void 0;
        }
        function parseJsxAttributeName() {
          const pos = getNodePos();
          scanJsxIdentifier();
          const attrName = parseIdentifierNameErrorOnUnicodeEscapeSequence();
          if (parseOptional(
            59
            /* ColonToken */
          )) {
            scanJsxIdentifier();
            return finishNode(factory2.createJsxNamespacedName(attrName, parseIdentifierNameErrorOnUnicodeEscapeSequence()), pos);
          }
          return attrName;
        }
        function parseJsxSpreadAttribute() {
          const pos = getNodePos();
          parseExpected(
            19
            /* OpenBraceToken */
          );
          parseExpected(
            26
            /* DotDotDotToken */
          );
          const expression = parseExpression();
          parseExpected(
            20
            /* CloseBraceToken */
          );
          return finishNode(factory2.createJsxSpreadAttribute(expression), pos);
        }
        function parseJsxClosingElement(open, inExpressionContext) {
          const pos = getNodePos();
          parseExpected(
            31
            /* LessThanSlashToken */
          );
          const tagName = parseJsxElementName();
          if (parseExpected(
            32,
            /*diagnosticMessage*/
            void 0,
            /*shouldAdvance*/
            false
          )) {
            if (inExpressionContext || !tagNamesAreEquivalent(open.tagName, tagName)) {
              nextToken();
            } else {
              scanJsxText();
            }
          }
          return finishNode(factory2.createJsxClosingElement(tagName), pos);
        }
        function parseJsxClosingFragment(inExpressionContext) {
          const pos = getNodePos();
          parseExpected(
            31
            /* LessThanSlashToken */
          );
          if (parseExpected(
            32,
            Diagnostics.Expected_corresponding_closing_tag_for_JSX_fragment,
            /*shouldAdvance*/
            false
          )) {
            if (inExpressionContext) {
              nextToken();
            } else {
              scanJsxText();
            }
          }
          return finishNode(factory2.createJsxJsxClosingFragment(), pos);
        }
        function parseTypeAssertion() {
          Debug.assert(languageVariant !== 1, "Type assertions should never be parsed in JSX; they should be parsed as comparisons or JSX elements/fragments.");
          const pos = getNodePos();
          parseExpected(
            30
            /* LessThanToken */
          );
          const type = parseType();
          parseExpected(
            32
            /* GreaterThanToken */
          );
          const expression = parseSimpleUnaryExpression();
          return finishNode(factory2.createTypeAssertion(type, expression), pos);
        }
        function nextTokenIsIdentifierOrKeywordOrOpenBracketOrTemplate() {
          nextToken();
          return tokenIsIdentifierOrKeyword(token()) || token() === 23 || isTemplateStartOfTaggedTemplate();
        }
        function isStartOfOptionalPropertyOrElementAccessChain() {
          return token() === 29 && lookAhead(nextTokenIsIdentifierOrKeywordOrOpenBracketOrTemplate);
        }
        function tryReparseOptionalChain(node) {
          if (node.flags & 64) {
            return true;
          }
          if (isNonNullExpression(node)) {
            let expr = node.expression;
            while (isNonNullExpression(expr) && !(expr.flags & 64)) {
              expr = expr.expression;
            }
            if (expr.flags & 64) {
              while (isNonNullExpression(node)) {
                node.flags |= 64;
                node = node.expression;
              }
              return true;
            }
          }
          return false;
        }
        function parsePropertyAccessExpressionRest(pos, expression, questionDotToken) {
          const name = parseRightSideOfDot(
            /*allowIdentifierNames*/
            true,
            /*allowPrivateIdentifiers*/
            true,
            /*allowUnicodeEscapeSequenceInIdentifierName*/
            true
          );
          const isOptionalChain2 = questionDotToken || tryReparseOptionalChain(expression);
          const propertyAccess = isOptionalChain2 ? factoryCreatePropertyAccessChain(expression, questionDotToken, name) : factoryCreatePropertyAccessExpression(expression, name);
          if (isOptionalChain2 && isPrivateIdentifier(propertyAccess.name)) {
            parseErrorAtRange(propertyAccess.name, Diagnostics.An_optional_chain_cannot_contain_private_identifiers);
          }
          if (isExpressionWithTypeArguments(expression) && expression.typeArguments) {
            const pos2 = expression.typeArguments.pos - 1;
            const end = skipTrivia(sourceText, expression.typeArguments.end) + 1;
            parseErrorAt(pos2, end, Diagnostics.An_instantiation_expression_cannot_be_followed_by_a_property_access);
          }
          return finishNode(propertyAccess, pos);
        }
        function parseElementAccessExpressionRest(pos, expression, questionDotToken) {
          let argumentExpression;
          if (token() === 24) {
            argumentExpression = createMissingNode(
              80,
              /*reportAtCurrentPosition*/
              true,
              Diagnostics.An_element_access_expression_should_take_an_argument
            );
          } else {
            const argument = allowInAnd(parseExpression);
            if (isStringOrNumericLiteralLike(argument)) {
              argument.text = internIdentifier(argument.text);
            }
            argumentExpression = argument;
          }
          parseExpected(
            24
            /* CloseBracketToken */
          );
          const indexedAccess = questionDotToken || tryReparseOptionalChain(expression) ? factoryCreateElementAccessChain(expression, questionDotToken, argumentExpression) : factoryCreateElementAccessExpression(expression, argumentExpression);
          return finishNode(indexedAccess, pos);
        }
        function parseMemberExpressionRest(pos, expression, allowOptionalChain) {
          while (true) {
            let questionDotToken;
            let isPropertyAccess = false;
            if (allowOptionalChain && isStartOfOptionalPropertyOrElementAccessChain()) {
              questionDotToken = parseExpectedToken(
                29
                /* QuestionDotToken */
              );
              isPropertyAccess = tokenIsIdentifierOrKeyword(token());
            } else {
              isPropertyAccess = parseOptional(
                25
                /* DotToken */
              );
            }
            if (isPropertyAccess) {
              expression = parsePropertyAccessExpressionRest(pos, expression, questionDotToken);
              continue;
            }
            if ((questionDotToken || !inDecoratorContext()) && parseOptional(
              23
              /* OpenBracketToken */
            )) {
              expression = parseElementAccessExpressionRest(pos, expression, questionDotToken);
              continue;
            }
            if (isTemplateStartOfTaggedTemplate()) {
              expression = !questionDotToken && expression.kind === 233 ? parseTaggedTemplateRest(pos, expression.expression, questionDotToken, expression.typeArguments) : parseTaggedTemplateRest(
                pos,
                expression,
                questionDotToken,
                /*typeArguments*/
                void 0
              );
              continue;
            }
            if (!questionDotToken) {
              if (token() === 54 && !scanner2.hasPrecedingLineBreak()) {
                nextToken();
                expression = finishNode(factory2.createNonNullExpression(expression), pos);
                continue;
              }
              const typeArguments = tryParse(parseTypeArgumentsInExpression);
              if (typeArguments) {
                expression = finishNode(factory2.createExpressionWithTypeArguments(expression, typeArguments), pos);
                continue;
              }
            }
            return expression;
          }
        }
        function isTemplateStartOfTaggedTemplate() {
          return token() === 15 || token() === 16;
        }
        function parseTaggedTemplateRest(pos, tag, questionDotToken, typeArguments) {
          const tagExpression = factory2.createTaggedTemplateExpression(
            tag,
            typeArguments,
            token() === 15 ? (reScanTemplateToken(
              /*isTaggedTemplate*/
              true
            ), parseLiteralNode()) : parseTemplateExpression(
              /*isTaggedTemplate*/
              true
            )
          );
          if (questionDotToken || tag.flags & 64) {
            tagExpression.flags |= 64;
          }
          tagExpression.questionDotToken = questionDotToken;
          return finishNode(tagExpression, pos);
        }
        function parseCallExpressionRest(pos, expression) {
          while (true) {
            expression = parseMemberExpressionRest(
              pos,
              expression,
              /*allowOptionalChain*/
              true
            );
            let typeArguments;
            const questionDotToken = parseOptionalToken(
              29
              /* QuestionDotToken */
            );
            if (questionDotToken) {
              typeArguments = tryParse(parseTypeArgumentsInExpression);
              if (isTemplateStartOfTaggedTemplate()) {
                expression = parseTaggedTemplateRest(pos, expression, questionDotToken, typeArguments);
                continue;
              }
            }
            if (typeArguments || token() === 21) {
              if (!questionDotToken && expression.kind === 233) {
                typeArguments = expression.typeArguments;
                expression = expression.expression;
              }
              const argumentList = parseArgumentList();
              const callExpr = questionDotToken || tryReparseOptionalChain(expression) ? factoryCreateCallChain(expression, questionDotToken, typeArguments, argumentList) : factoryCreateCallExpression(expression, typeArguments, argumentList);
              expression = finishNode(callExpr, pos);
              continue;
            }
            if (questionDotToken) {
              const name = createMissingNode(
                80,
                /*reportAtCurrentPosition*/
                false,
                Diagnostics.Identifier_expected
              );
              expression = finishNode(factoryCreatePropertyAccessChain(expression, questionDotToken, name), pos);
            }
            break;
          }
          return expression;
        }
        function parseArgumentList() {
          parseExpected(
            21
            /* OpenParenToken */
          );
          const result = parseDelimitedList(11, parseArgumentExpression);
          parseExpected(
            22
            /* CloseParenToken */
          );
          return result;
        }
        function parseTypeArgumentsInExpression() {
          if ((contextFlags & 524288) !== 0) {
            return void 0;
          }
          if (reScanLessThanToken() !== 30) {
            return void 0;
          }
          nextToken();
          const typeArguments = parseDelimitedList(20, parseType);
          if (reScanGreaterToken() !== 32) {
            return void 0;
          }
          nextToken();
          return typeArguments && canFollowTypeArgumentsInExpression() ? typeArguments : void 0;
        }
        function canFollowTypeArgumentsInExpression() {
          switch (token()) {
            case 21:
            case 15:
            case 16:
              return true;
            case 30:
            case 32:
            case 40:
            case 41:
              return false;
          }
          return scanner2.hasPrecedingLineBreak() || isBinaryOperator2() || !isStartOfExpression();
        }
        function parsePrimaryExpression() {
          switch (token()) {
            case 15:
              if (scanner2.getTokenFlags() & 26656) {
                reScanTemplateToken(
                  /*isTaggedTemplate*/
                  false
                );
              }
            case 9:
            case 10:
            case 11:
              return parseLiteralNode();
            case 110:
            case 108:
            case 106:
            case 112:
            case 97:
              return parseTokenNode();
            case 21:
              return parseParenthesizedExpression();
            case 23:
              return parseArrayLiteralExpression();
            case 19:
              return parseObjectLiteralExpression();
            case 134:
              if (!lookAhead(nextTokenIsFunctionKeywordOnSameLine)) {
                break;
              }
              return parseFunctionExpression();
            case 60:
              return parseDecoratedExpression();
            case 86:
              return parseClassExpression();
            case 100:
              return parseFunctionExpression();
            case 105:
              return parseNewExpressionOrNewDotTarget();
            case 44:
            case 69:
              if (reScanSlashToken() === 14) {
                return parseLiteralNode();
              }
              break;
            case 16:
              return parseTemplateExpression(
                /*isTaggedTemplate*/
                false
              );
            case 81:
              return parsePrivateIdentifier();
          }
          return parseIdentifier(Diagnostics.Expression_expected);
        }
        function parseParenthesizedExpression() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          parseExpected(
            21
            /* OpenParenToken */
          );
          const expression = allowInAnd(parseExpression);
          parseExpected(
            22
            /* CloseParenToken */
          );
          return withJSDoc(finishNode(factoryCreateParenthesizedExpression(expression), pos), hasJSDoc);
        }
        function parseSpreadElement() {
          const pos = getNodePos();
          parseExpected(
            26
            /* DotDotDotToken */
          );
          const expression = parseAssignmentExpressionOrHigher(
            /*allowReturnTypeInArrowFunction*/
            true
          );
          return finishNode(factory2.createSpreadElement(expression), pos);
        }
        function parseArgumentOrArrayLiteralElement() {
          return token() === 26 ? parseSpreadElement() : token() === 28 ? finishNode(factory2.createOmittedExpression(), getNodePos()) : parseAssignmentExpressionOrHigher(
            /*allowReturnTypeInArrowFunction*/
            true
          );
        }
        function parseArgumentExpression() {
          return doOutsideOfContext(disallowInAndDecoratorContext, parseArgumentOrArrayLiteralElement);
        }
        function parseArrayLiteralExpression() {
          const pos = getNodePos();
          const openBracketPosition = scanner2.getTokenStart();
          const openBracketParsed = parseExpected(
            23
            /* OpenBracketToken */
          );
          const multiLine = scanner2.hasPrecedingLineBreak();
          const elements = parseDelimitedList(15, parseArgumentOrArrayLiteralElement);
          parseExpectedMatchingBrackets(23, 24, openBracketParsed, openBracketPosition);
          return finishNode(factoryCreateArrayLiteralExpression(elements, multiLine), pos);
        }
        function parseObjectLiteralElement() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          if (parseOptionalToken(
            26
            /* DotDotDotToken */
          )) {
            const expression = parseAssignmentExpressionOrHigher(
              /*allowReturnTypeInArrowFunction*/
              true
            );
            return withJSDoc(finishNode(factory2.createSpreadAssignment(expression), pos), hasJSDoc);
          }
          const modifiers = parseModifiers(
            /*allowDecorators*/
            true
          );
          if (parseContextualModifier(
            139
            /* GetKeyword */
          )) {
            return parseAccessorDeclaration(
              pos,
              hasJSDoc,
              modifiers,
              177,
              0
              /* None */
            );
          }
          if (parseContextualModifier(
            153
            /* SetKeyword */
          )) {
            return parseAccessorDeclaration(
              pos,
              hasJSDoc,
              modifiers,
              178,
              0
              /* None */
            );
          }
          const asteriskToken = parseOptionalToken(
            42
            /* AsteriskToken */
          );
          const tokenIsIdentifier = isIdentifier2();
          const name = parsePropertyName();
          const questionToken = parseOptionalToken(
            58
            /* QuestionToken */
          );
          const exclamationToken = parseOptionalToken(
            54
            /* ExclamationToken */
          );
          if (asteriskToken || token() === 21 || token() === 30) {
            return parseMethodDeclaration(pos, hasJSDoc, modifiers, asteriskToken, name, questionToken, exclamationToken);
          }
          let node;
          const isShorthandPropertyAssignment2 = tokenIsIdentifier && token() !== 59;
          if (isShorthandPropertyAssignment2) {
            const equalsToken = parseOptionalToken(
              64
              /* EqualsToken */
            );
            const objectAssignmentInitializer = equalsToken ? allowInAnd(() => parseAssignmentExpressionOrHigher(
              /*allowReturnTypeInArrowFunction*/
              true
            )) : void 0;
            node = factory2.createShorthandPropertyAssignment(name, objectAssignmentInitializer);
            node.equalsToken = equalsToken;
          } else {
            parseExpected(
              59
              /* ColonToken */
            );
            const initializer = allowInAnd(() => parseAssignmentExpressionOrHigher(
              /*allowReturnTypeInArrowFunction*/
              true
            ));
            node = factory2.createPropertyAssignment(name, initializer);
          }
          node.modifiers = modifiers;
          node.questionToken = questionToken;
          node.exclamationToken = exclamationToken;
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parseObjectLiteralExpression() {
          const pos = getNodePos();
          const openBracePosition = scanner2.getTokenStart();
          const openBraceParsed = parseExpected(
            19
            /* OpenBraceToken */
          );
          const multiLine = scanner2.hasPrecedingLineBreak();
          const properties = parseDelimitedList(
            12,
            parseObjectLiteralElement,
            /*considerSemicolonAsDelimiter*/
            true
          );
          parseExpectedMatchingBrackets(19, 20, openBraceParsed, openBracePosition);
          return finishNode(factoryCreateObjectLiteralExpression(properties, multiLine), pos);
        }
        function parseFunctionExpression() {
          const savedDecoratorContext = inDecoratorContext();
          setDecoratorContext(
            /*val*/
            false
          );
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          const modifiers = parseModifiers(
            /*allowDecorators*/
            false
          );
          parseExpected(
            100
            /* FunctionKeyword */
          );
          const asteriskToken = parseOptionalToken(
            42
            /* AsteriskToken */
          );
          const isGenerator = asteriskToken ? 1 : 0;
          const isAsync2 = some(modifiers, isAsyncModifier) ? 2 : 0;
          const name = isGenerator && isAsync2 ? doInYieldAndAwaitContext(parseOptionalBindingIdentifier) : isGenerator ? doInYieldContext(parseOptionalBindingIdentifier) : isAsync2 ? doInAwaitContext(parseOptionalBindingIdentifier) : parseOptionalBindingIdentifier();
          const typeParameters = parseTypeParameters();
          const parameters = parseParameters(isGenerator | isAsync2);
          const type = parseReturnType(
            59,
            /*isType*/
            false
          );
          const body = parseFunctionBlock(isGenerator | isAsync2);
          setDecoratorContext(savedDecoratorContext);
          const node = factory2.createFunctionExpression(modifiers, asteriskToken, name, typeParameters, parameters, type, body);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parseOptionalBindingIdentifier() {
          return isBindingIdentifier() ? parseBindingIdentifier() : void 0;
        }
        function parseNewExpressionOrNewDotTarget() {
          const pos = getNodePos();
          parseExpected(
            105
            /* NewKeyword */
          );
          if (parseOptional(
            25
            /* DotToken */
          )) {
            const name = parseIdentifierName();
            return finishNode(factory2.createMetaProperty(105, name), pos);
          }
          const expressionPos = getNodePos();
          let expression = parseMemberExpressionRest(
            expressionPos,
            parsePrimaryExpression(),
            /*allowOptionalChain*/
            false
          );
          let typeArguments;
          if (expression.kind === 233) {
            typeArguments = expression.typeArguments;
            expression = expression.expression;
          }
          if (token() === 29) {
            parseErrorAtCurrentToken(Diagnostics.Invalid_optional_chain_from_new_expression_Did_you_mean_to_call_0, getTextOfNodeFromSourceText(sourceText, expression));
          }
          const argumentList = token() === 21 ? parseArgumentList() : void 0;
          return finishNode(factoryCreateNewExpression(expression, typeArguments, argumentList), pos);
        }
        function parseBlock(ignoreMissingOpenBrace, diagnosticMessage) {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          const openBracePosition = scanner2.getTokenStart();
          const openBraceParsed = parseExpected(19, diagnosticMessage);
          if (openBraceParsed || ignoreMissingOpenBrace) {
            const multiLine = scanner2.hasPrecedingLineBreak();
            const statements = parseList(1, parseStatement);
            parseExpectedMatchingBrackets(19, 20, openBraceParsed, openBracePosition);
            const result = withJSDoc(finishNode(factoryCreateBlock(statements, multiLine), pos), hasJSDoc);
            if (token() === 64) {
              parseErrorAtCurrentToken(Diagnostics.Declaration_or_statement_expected_This_follows_a_block_of_statements_so_if_you_intended_to_write_a_destructuring_assignment_you_might_need_to_wrap_the_whole_assignment_in_parentheses);
              nextToken();
            }
            return result;
          } else {
            const statements = createMissingList();
            return withJSDoc(finishNode(factoryCreateBlock(
              statements,
              /*multiLine*/
              void 0
            ), pos), hasJSDoc);
          }
        }
        function parseFunctionBlock(flags, diagnosticMessage) {
          const savedYieldContext = inYieldContext();
          setYieldContext(!!(flags & 1));
          const savedAwaitContext = inAwaitContext();
          setAwaitContext(!!(flags & 2));
          const savedTopLevel = topLevel;
          topLevel = false;
          const saveDecoratorContext = inDecoratorContext();
          if (saveDecoratorContext) {
            setDecoratorContext(
              /*val*/
              false
            );
          }
          const block = parseBlock(!!(flags & 16), diagnosticMessage);
          if (saveDecoratorContext) {
            setDecoratorContext(
              /*val*/
              true
            );
          }
          topLevel = savedTopLevel;
          setYieldContext(savedYieldContext);
          setAwaitContext(savedAwaitContext);
          return block;
        }
        function parseEmptyStatement() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          parseExpected(
            27
            /* SemicolonToken */
          );
          return withJSDoc(finishNode(factory2.createEmptyStatement(), pos), hasJSDoc);
        }
        function parseIfStatement() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          parseExpected(
            101
            /* IfKeyword */
          );
          const openParenPosition = scanner2.getTokenStart();
          const openParenParsed = parseExpected(
            21
            /* OpenParenToken */
          );
          const expression = allowInAnd(parseExpression);
          parseExpectedMatchingBrackets(21, 22, openParenParsed, openParenPosition);
          const thenStatement = parseStatement();
          const elseStatement = parseOptional(
            93
            /* ElseKeyword */
          ) ? parseStatement() : void 0;
          return withJSDoc(finishNode(factoryCreateIfStatement(expression, thenStatement, elseStatement), pos), hasJSDoc);
        }
        function parseDoStatement() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          parseExpected(
            92
            /* DoKeyword */
          );
          const statement = parseStatement();
          parseExpected(
            117
            /* WhileKeyword */
          );
          const openParenPosition = scanner2.getTokenStart();
          const openParenParsed = parseExpected(
            21
            /* OpenParenToken */
          );
          const expression = allowInAnd(parseExpression);
          parseExpectedMatchingBrackets(21, 22, openParenParsed, openParenPosition);
          parseOptional(
            27
            /* SemicolonToken */
          );
          return withJSDoc(finishNode(factory2.createDoStatement(statement, expression), pos), hasJSDoc);
        }
        function parseWhileStatement() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          parseExpected(
            117
            /* WhileKeyword */
          );
          const openParenPosition = scanner2.getTokenStart();
          const openParenParsed = parseExpected(
            21
            /* OpenParenToken */
          );
          const expression = allowInAnd(parseExpression);
          parseExpectedMatchingBrackets(21, 22, openParenParsed, openParenPosition);
          const statement = parseStatement();
          return withJSDoc(finishNode(factoryCreateWhileStatement(expression, statement), pos), hasJSDoc);
        }
        function parseForOrForInOrForOfStatement() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          parseExpected(
            99
            /* ForKeyword */
          );
          const awaitToken = parseOptionalToken(
            135
            /* AwaitKeyword */
          );
          parseExpected(
            21
            /* OpenParenToken */
          );
          let initializer;
          if (token() !== 27) {
            if (token() === 115 || token() === 121 || token() === 87 || token() === 160 && lookAhead(nextTokenIsBindingIdentifierOrStartOfDestructuringOnSameLineDisallowOf) || // this one is meant to allow of
            token() === 135 && lookAhead(nextTokenIsUsingKeywordThenBindingIdentifierOrStartOfObjectDestructuringOnSameLine)) {
              initializer = parseVariableDeclarationList(
                /*inForStatementInitializer*/
                true
              );
            } else {
              initializer = disallowInAnd(parseExpression);
            }
          }
          let node;
          if (awaitToken ? parseExpected(
            165
            /* OfKeyword */
          ) : parseOptional(
            165
            /* OfKeyword */
          )) {
            const expression = allowInAnd(() => parseAssignmentExpressionOrHigher(
              /*allowReturnTypeInArrowFunction*/
              true
            ));
            parseExpected(
              22
              /* CloseParenToken */
            );
            node = factoryCreateForOfStatement(awaitToken, initializer, expression, parseStatement());
          } else if (parseOptional(
            103
            /* InKeyword */
          )) {
            const expression = allowInAnd(parseExpression);
            parseExpected(
              22
              /* CloseParenToken */
            );
            node = factory2.createForInStatement(initializer, expression, parseStatement());
          } else {
            parseExpected(
              27
              /* SemicolonToken */
            );
            const condition = token() !== 27 && token() !== 22 ? allowInAnd(parseExpression) : void 0;
            parseExpected(
              27
              /* SemicolonToken */
            );
            const incrementor = token() !== 22 ? allowInAnd(parseExpression) : void 0;
            parseExpected(
              22
              /* CloseParenToken */
            );
            node = factoryCreateForStatement(initializer, condition, incrementor, parseStatement());
          }
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parseBreakOrContinueStatement(kind) {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          parseExpected(
            kind === 252 ? 83 : 88
            /* ContinueKeyword */
          );
          const label = canParseSemicolon() ? void 0 : parseIdentifier();
          parseSemicolon();
          const node = kind === 252 ? factory2.createBreakStatement(label) : factory2.createContinueStatement(label);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parseReturnStatement() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          parseExpected(
            107
            /* ReturnKeyword */
          );
          const expression = canParseSemicolon() ? void 0 : allowInAnd(parseExpression);
          parseSemicolon();
          return withJSDoc(finishNode(factory2.createReturnStatement(expression), pos), hasJSDoc);
        }
        function parseWithStatement() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          parseExpected(
            118
            /* WithKeyword */
          );
          const openParenPosition = scanner2.getTokenStart();
          const openParenParsed = parseExpected(
            21
            /* OpenParenToken */
          );
          const expression = allowInAnd(parseExpression);
          parseExpectedMatchingBrackets(21, 22, openParenParsed, openParenPosition);
          const statement = doInsideOfContext(67108864, parseStatement);
          return withJSDoc(finishNode(factory2.createWithStatement(expression, statement), pos), hasJSDoc);
        }
        function parseCaseClause() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          parseExpected(
            84
            /* CaseKeyword */
          );
          const expression = allowInAnd(parseExpression);
          parseExpected(
            59
            /* ColonToken */
          );
          const statements = parseList(3, parseStatement);
          return withJSDoc(finishNode(factory2.createCaseClause(expression, statements), pos), hasJSDoc);
        }
        function parseDefaultClause() {
          const pos = getNodePos();
          parseExpected(
            90
            /* DefaultKeyword */
          );
          parseExpected(
            59
            /* ColonToken */
          );
          const statements = parseList(3, parseStatement);
          return finishNode(factory2.createDefaultClause(statements), pos);
        }
        function parseCaseOrDefaultClause() {
          return token() === 84 ? parseCaseClause() : parseDefaultClause();
        }
        function parseCaseBlock() {
          const pos = getNodePos();
          parseExpected(
            19
            /* OpenBraceToken */
          );
          const clauses = parseList(2, parseCaseOrDefaultClause);
          parseExpected(
            20
            /* CloseBraceToken */
          );
          return finishNode(factory2.createCaseBlock(clauses), pos);
        }
        function parseSwitchStatement() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          parseExpected(
            109
            /* SwitchKeyword */
          );
          parseExpected(
            21
            /* OpenParenToken */
          );
          const expression = allowInAnd(parseExpression);
          parseExpected(
            22
            /* CloseParenToken */
          );
          const caseBlock = parseCaseBlock();
          return withJSDoc(finishNode(factory2.createSwitchStatement(expression, caseBlock), pos), hasJSDoc);
        }
        function parseThrowStatement() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          parseExpected(
            111
            /* ThrowKeyword */
          );
          let expression = scanner2.hasPrecedingLineBreak() ? void 0 : allowInAnd(parseExpression);
          if (expression === void 0) {
            identifierCount++;
            expression = finishNode(factoryCreateIdentifier(""), getNodePos());
          }
          if (!tryParseSemicolon()) {
            parseErrorForMissingSemicolonAfter(expression);
          }
          return withJSDoc(finishNode(factory2.createThrowStatement(expression), pos), hasJSDoc);
        }
        function parseTryStatement() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          parseExpected(
            113
            /* TryKeyword */
          );
          const tryBlock = parseBlock(
            /*ignoreMissingOpenBrace*/
            false
          );
          const catchClause = token() === 85 ? parseCatchClause() : void 0;
          let finallyBlock;
          if (!catchClause || token() === 98) {
            parseExpected(98, Diagnostics.catch_or_finally_expected);
            finallyBlock = parseBlock(
              /*ignoreMissingOpenBrace*/
              false
            );
          }
          return withJSDoc(finishNode(factory2.createTryStatement(tryBlock, catchClause, finallyBlock), pos), hasJSDoc);
        }
        function parseCatchClause() {
          const pos = getNodePos();
          parseExpected(
            85
            /* CatchKeyword */
          );
          let variableDeclaration;
          if (parseOptional(
            21
            /* OpenParenToken */
          )) {
            variableDeclaration = parseVariableDeclaration();
            parseExpected(
              22
              /* CloseParenToken */
            );
          } else {
            variableDeclaration = void 0;
          }
          const block = parseBlock(
            /*ignoreMissingOpenBrace*/
            false
          );
          return finishNode(factory2.createCatchClause(variableDeclaration, block), pos);
        }
        function parseDebuggerStatement() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          parseExpected(
            89
            /* DebuggerKeyword */
          );
          parseSemicolon();
          return withJSDoc(finishNode(factory2.createDebuggerStatement(), pos), hasJSDoc);
        }
        function parseExpressionOrLabeledStatement() {
          const pos = getNodePos();
          let hasJSDoc = hasPrecedingJSDocComment();
          let node;
          const hasParen = token() === 21;
          const expression = allowInAnd(parseExpression);
          if (isIdentifier(expression) && parseOptional(
            59
            /* ColonToken */
          )) {
            node = factory2.createLabeledStatement(expression, parseStatement());
          } else {
            if (!tryParseSemicolon()) {
              parseErrorForMissingSemicolonAfter(expression);
            }
            node = factoryCreateExpressionStatement(expression);
            if (hasParen) {
              hasJSDoc = false;
            }
          }
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function nextTokenIsIdentifierOrKeywordOnSameLine() {
          nextToken();
          return tokenIsIdentifierOrKeyword(token()) && !scanner2.hasPrecedingLineBreak();
        }
        function nextTokenIsClassKeywordOnSameLine() {
          nextToken();
          return token() === 86 && !scanner2.hasPrecedingLineBreak();
        }
        function nextTokenIsFunctionKeywordOnSameLine() {
          nextToken();
          return token() === 100 && !scanner2.hasPrecedingLineBreak();
        }
        function nextTokenIsIdentifierOrKeywordOrLiteralOnSameLine() {
          nextToken();
          return (tokenIsIdentifierOrKeyword(token()) || token() === 9 || token() === 10 || token() === 11) && !scanner2.hasPrecedingLineBreak();
        }
        function isDeclaration2() {
          while (true) {
            switch (token()) {
              case 115:
              case 121:
              case 87:
              case 100:
              case 86:
              case 94:
                return true;
              case 160:
                return isUsingDeclaration();
              case 135:
                return isAwaitUsingDeclaration();
              case 120:
              case 156:
                return nextTokenIsIdentifierOnSameLine();
              case 144:
              case 145:
                return nextTokenIsIdentifierOrStringLiteralOnSameLine();
              case 128:
              case 129:
              case 134:
              case 138:
              case 123:
              case 124:
              case 125:
              case 148:
                const previousToken = token();
                nextToken();
                if (scanner2.hasPrecedingLineBreak()) {
                  return false;
                }
                if (previousToken === 138 && token() === 156) {
                  return true;
                }
                continue;
              case 162:
                nextToken();
                return token() === 19 || token() === 80 || token() === 95;
              case 102:
                nextToken();
                return token() === 11 || token() === 42 || token() === 19 || tokenIsIdentifierOrKeyword(token());
              case 95:
                let currentToken2 = nextToken();
                if (currentToken2 === 156) {
                  currentToken2 = lookAhead(nextToken);
                }
                if (currentToken2 === 64 || currentToken2 === 42 || currentToken2 === 19 || currentToken2 === 90 || currentToken2 === 130 || currentToken2 === 60) {
                  return true;
                }
                continue;
              case 126:
                nextToken();
                continue;
              default:
                return false;
            }
          }
        }
        function isStartOfDeclaration() {
          return lookAhead(isDeclaration2);
        }
        function isStartOfStatement() {
          switch (token()) {
            case 60:
            case 27:
            case 19:
            case 115:
            case 121:
            case 160:
            case 100:
            case 86:
            case 94:
            case 101:
            case 92:
            case 117:
            case 99:
            case 88:
            case 83:
            case 107:
            case 118:
            case 109:
            case 111:
            case 113:
            case 89:
            case 85:
            case 98:
              return true;
            case 102:
              return isStartOfDeclaration() || lookAhead(nextTokenIsOpenParenOrLessThanOrDot);
            case 87:
            case 95:
              return isStartOfDeclaration();
            case 134:
            case 138:
            case 120:
            case 144:
            case 145:
            case 156:
            case 162:
              return true;
            case 129:
            case 125:
            case 123:
            case 124:
            case 126:
            case 148:
              return isStartOfDeclaration() || !lookAhead(nextTokenIsIdentifierOrKeywordOnSameLine);
            default:
              return isStartOfExpression();
          }
        }
        function nextTokenIsBindingIdentifierOrStartOfDestructuring() {
          nextToken();
          return isBindingIdentifier() || token() === 19 || token() === 23;
        }
        function isLetDeclaration() {
          return lookAhead(nextTokenIsBindingIdentifierOrStartOfDestructuring);
        }
        function nextTokenIsBindingIdentifierOrStartOfDestructuringOnSameLineDisallowOf() {
          return nextTokenIsBindingIdentifierOrStartOfDestructuringOnSameLine(
            /*disallowOf*/
            true
          );
        }
        function nextTokenIsBindingIdentifierOrStartOfDestructuringOnSameLine(disallowOf) {
          nextToken();
          if (disallowOf && token() === 165) return false;
          return (isBindingIdentifier() || token() === 19) && !scanner2.hasPrecedingLineBreak();
        }
        function isUsingDeclaration() {
          return lookAhead(nextTokenIsBindingIdentifierOrStartOfDestructuringOnSameLine);
        }
        function nextTokenIsUsingKeywordThenBindingIdentifierOrStartOfObjectDestructuringOnSameLine(disallowOf) {
          if (nextToken() === 160) {
            return nextTokenIsBindingIdentifierOrStartOfDestructuringOnSameLine(disallowOf);
          }
          return false;
        }
        function isAwaitUsingDeclaration() {
          return lookAhead(nextTokenIsUsingKeywordThenBindingIdentifierOrStartOfObjectDestructuringOnSameLine);
        }
        function parseStatement() {
          switch (token()) {
            case 27:
              return parseEmptyStatement();
            case 19:
              return parseBlock(
                /*ignoreMissingOpenBrace*/
                false
              );
            case 115:
              return parseVariableStatement(
                getNodePos(),
                hasPrecedingJSDocComment(),
                /*modifiers*/
                void 0
              );
            case 121:
              if (isLetDeclaration()) {
                return parseVariableStatement(
                  getNodePos(),
                  hasPrecedingJSDocComment(),
                  /*modifiers*/
                  void 0
                );
              }
              break;
            case 135:
              if (isAwaitUsingDeclaration()) {
                return parseVariableStatement(
                  getNodePos(),
                  hasPrecedingJSDocComment(),
                  /*modifiers*/
                  void 0
                );
              }
              break;
            case 160:
              if (isUsingDeclaration()) {
                return parseVariableStatement(
                  getNodePos(),
                  hasPrecedingJSDocComment(),
                  /*modifiers*/
                  void 0
                );
              }
              break;
            case 100:
              return parseFunctionDeclaration(
                getNodePos(),
                hasPrecedingJSDocComment(),
                /*modifiers*/
                void 0
              );
            case 86:
              return parseClassDeclaration(
                getNodePos(),
                hasPrecedingJSDocComment(),
                /*modifiers*/
                void 0
              );
            case 101:
              return parseIfStatement();
            case 92:
              return parseDoStatement();
            case 117:
              return parseWhileStatement();
            case 99:
              return parseForOrForInOrForOfStatement();
            case 88:
              return parseBreakOrContinueStatement(
                251
                /* ContinueStatement */
              );
            case 83:
              return parseBreakOrContinueStatement(
                252
                /* BreakStatement */
              );
            case 107:
              return parseReturnStatement();
            case 118:
              return parseWithStatement();
            case 109:
              return parseSwitchStatement();
            case 111:
              return parseThrowStatement();
            case 113:
            case 85:
            case 98:
              return parseTryStatement();
            case 89:
              return parseDebuggerStatement();
            case 60:
              return parseDeclaration();
            case 134:
            case 120:
            case 156:
            case 144:
            case 145:
            case 138:
            case 87:
            case 94:
            case 95:
            case 102:
            case 123:
            case 124:
            case 125:
            case 128:
            case 129:
            case 126:
            case 148:
            case 162:
              if (isStartOfDeclaration()) {
                return parseDeclaration();
              }
              break;
          }
          return parseExpressionOrLabeledStatement();
        }
        function isDeclareModifier(modifier) {
          return modifier.kind === 138;
        }
        function parseDeclaration() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          const modifiers = parseModifiers(
            /*allowDecorators*/
            true
          );
          const isAmbient = some(modifiers, isDeclareModifier);
          if (isAmbient) {
            const node = tryReuseAmbientDeclaration(pos);
            if (node) {
              return node;
            }
            for (const m of modifiers) {
              m.flags |= 33554432;
            }
            return doInsideOfContext(33554432, () => parseDeclarationWorker(pos, hasJSDoc, modifiers));
          } else {
            return parseDeclarationWorker(pos, hasJSDoc, modifiers);
          }
        }
        function tryReuseAmbientDeclaration(pos) {
          return doInsideOfContext(33554432, () => {
            const node = currentNode(parsingContext, pos);
            if (node) {
              return consumeNode(node);
            }
          });
        }
        function parseDeclarationWorker(pos, hasJSDoc, modifiersIn) {
          switch (token()) {
            case 115:
            case 121:
            case 87:
            case 160:
            case 135:
              return parseVariableStatement(pos, hasJSDoc, modifiersIn);
            case 100:
              return parseFunctionDeclaration(pos, hasJSDoc, modifiersIn);
            case 86:
              return parseClassDeclaration(pos, hasJSDoc, modifiersIn);
            case 120:
              return parseInterfaceDeclaration(pos, hasJSDoc, modifiersIn);
            case 156:
              return parseTypeAliasDeclaration(pos, hasJSDoc, modifiersIn);
            case 94:
              return parseEnumDeclaration(pos, hasJSDoc, modifiersIn);
            case 162:
            case 144:
            case 145:
              return parseModuleDeclaration(pos, hasJSDoc, modifiersIn);
            case 102:
              return parseImportDeclarationOrImportEqualsDeclaration(pos, hasJSDoc, modifiersIn);
            case 95:
              nextToken();
              switch (token()) {
                case 90:
                case 64:
                  return parseExportAssignment(pos, hasJSDoc, modifiersIn);
                case 130:
                  return parseNamespaceExportDeclaration(pos, hasJSDoc, modifiersIn);
                default:
                  return parseExportDeclaration(pos, hasJSDoc, modifiersIn);
              }
            default:
              if (modifiersIn) {
                const missing = createMissingNode(
                  282,
                  /*reportAtCurrentPosition*/
                  true,
                  Diagnostics.Declaration_expected
                );
                setTextRangePos(missing, pos);
                missing.modifiers = modifiersIn;
                return missing;
              }
              return void 0;
          }
        }
        function nextTokenIsStringLiteral() {
          return nextToken() === 11;
        }
        function nextTokenIsFromKeywordOrEqualsToken() {
          nextToken();
          return token() === 161 || token() === 64;
        }
        function nextTokenIsIdentifierOrStringLiteralOnSameLine() {
          nextToken();
          return !scanner2.hasPrecedingLineBreak() && (isIdentifier2() || token() === 11);
        }
        function parseFunctionBlockOrSemicolon(flags, diagnosticMessage) {
          if (token() !== 19) {
            if (flags & 4) {
              parseTypeMemberSemicolon();
              return;
            }
            if (canParseSemicolon()) {
              parseSemicolon();
              return;
            }
          }
          return parseFunctionBlock(flags, diagnosticMessage);
        }
        function parseArrayBindingElement() {
          const pos = getNodePos();
          if (token() === 28) {
            return finishNode(factory2.createOmittedExpression(), pos);
          }
          const dotDotDotToken = parseOptionalToken(
            26
            /* DotDotDotToken */
          );
          const name = parseIdentifierOrPattern();
          const initializer = parseInitializer();
          return finishNode(factory2.createBindingElement(
            dotDotDotToken,
            /*propertyName*/
            void 0,
            name,
            initializer
          ), pos);
        }
        function parseObjectBindingElement() {
          const pos = getNodePos();
          const dotDotDotToken = parseOptionalToken(
            26
            /* DotDotDotToken */
          );
          const tokenIsIdentifier = isBindingIdentifier();
          let propertyName = parsePropertyName();
          let name;
          if (tokenIsIdentifier && token() !== 59) {
            name = propertyName;
            propertyName = void 0;
          } else {
            parseExpected(
              59
              /* ColonToken */
            );
            name = parseIdentifierOrPattern();
          }
          const initializer = parseInitializer();
          return finishNode(factory2.createBindingElement(dotDotDotToken, propertyName, name, initializer), pos);
        }
        function parseObjectBindingPattern() {
          const pos = getNodePos();
          parseExpected(
            19
            /* OpenBraceToken */
          );
          const elements = allowInAnd(() => parseDelimitedList(9, parseObjectBindingElement));
          parseExpected(
            20
            /* CloseBraceToken */
          );
          return finishNode(factory2.createObjectBindingPattern(elements), pos);
        }
        function parseArrayBindingPattern() {
          const pos = getNodePos();
          parseExpected(
            23
            /* OpenBracketToken */
          );
          const elements = allowInAnd(() => parseDelimitedList(10, parseArrayBindingElement));
          parseExpected(
            24
            /* CloseBracketToken */
          );
          return finishNode(factory2.createArrayBindingPattern(elements), pos);
        }
        function isBindingIdentifierOrPrivateIdentifierOrPattern() {
          return token() === 19 || token() === 23 || token() === 81 || isBindingIdentifier();
        }
        function parseIdentifierOrPattern(privateIdentifierDiagnosticMessage) {
          if (token() === 23) {
            return parseArrayBindingPattern();
          }
          if (token() === 19) {
            return parseObjectBindingPattern();
          }
          return parseBindingIdentifier(privateIdentifierDiagnosticMessage);
        }
        function parseVariableDeclarationAllowExclamation() {
          return parseVariableDeclaration(
            /*allowExclamation*/
            true
          );
        }
        function parseVariableDeclaration(allowExclamation) {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          const name = parseIdentifierOrPattern(Diagnostics.Private_identifiers_are_not_allowed_in_variable_declarations);
          let exclamationToken;
          if (allowExclamation && name.kind === 80 && token() === 54 && !scanner2.hasPrecedingLineBreak()) {
            exclamationToken = parseTokenNode();
          }
          const type = parseTypeAnnotation();
          const initializer = isInOrOfKeyword(token()) ? void 0 : parseInitializer();
          const node = factoryCreateVariableDeclaration(name, exclamationToken, type, initializer);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parseVariableDeclarationList(inForStatementInitializer) {
          const pos = getNodePos();
          let flags = 0;
          switch (token()) {
            case 115:
              break;
            case 121:
              flags |= 1;
              break;
            case 87:
              flags |= 2;
              break;
            case 160:
              flags |= 4;
              break;
            case 135:
              Debug.assert(isAwaitUsingDeclaration());
              flags |= 6;
              nextToken();
              break;
            default:
              Debug.fail();
          }
          nextToken();
          let declarations;
          if (token() === 165 && lookAhead(canFollowContextualOfKeyword)) {
            declarations = createMissingList();
          } else {
            const savedDisallowIn = inDisallowInContext();
            setDisallowInContext(inForStatementInitializer);
            declarations = parseDelimitedList(
              8,
              inForStatementInitializer ? parseVariableDeclaration : parseVariableDeclarationAllowExclamation
            );
            setDisallowInContext(savedDisallowIn);
          }
          return finishNode(factoryCreateVariableDeclarationList(declarations, flags), pos);
        }
        function canFollowContextualOfKeyword() {
          return nextTokenIsIdentifier() && nextToken() === 22;
        }
        function parseVariableStatement(pos, hasJSDoc, modifiers) {
          const declarationList = parseVariableDeclarationList(
            /*inForStatementInitializer*/
            false
          );
          parseSemicolon();
          const node = factoryCreateVariableStatement(modifiers, declarationList);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parseFunctionDeclaration(pos, hasJSDoc, modifiers) {
          const savedAwaitContext = inAwaitContext();
          const modifierFlags = modifiersToFlags(modifiers);
          parseExpected(
            100
            /* FunctionKeyword */
          );
          const asteriskToken = parseOptionalToken(
            42
            /* AsteriskToken */
          );
          const name = modifierFlags & 2048 ? parseOptionalBindingIdentifier() : parseBindingIdentifier();
          const isGenerator = asteriskToken ? 1 : 0;
          const isAsync2 = modifierFlags & 1024 ? 2 : 0;
          const typeParameters = parseTypeParameters();
          if (modifierFlags & 32) setAwaitContext(
            /*value*/
            true
          );
          const parameters = parseParameters(isGenerator | isAsync2);
          const type = parseReturnType(
            59,
            /*isType*/
            false
          );
          const body = parseFunctionBlockOrSemicolon(isGenerator | isAsync2, Diagnostics.or_expected);
          setAwaitContext(savedAwaitContext);
          const node = factory2.createFunctionDeclaration(modifiers, asteriskToken, name, typeParameters, parameters, type, body);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parseConstructorName() {
          if (token() === 137) {
            return parseExpected(
              137
              /* ConstructorKeyword */
            );
          }
          if (token() === 11 && lookAhead(nextToken) === 21) {
            return tryParse(() => {
              const literalNode = parseLiteralNode();
              return literalNode.text === "constructor" ? literalNode : void 0;
            });
          }
        }
        function tryParseConstructorDeclaration(pos, hasJSDoc, modifiers) {
          return tryParse(() => {
            if (parseConstructorName()) {
              const typeParameters = parseTypeParameters();
              const parameters = parseParameters(
                0
                /* None */
              );
              const type = parseReturnType(
                59,
                /*isType*/
                false
              );
              const body = parseFunctionBlockOrSemicolon(0, Diagnostics.or_expected);
              const node = factory2.createConstructorDeclaration(modifiers, parameters, body);
              node.typeParameters = typeParameters;
              node.type = type;
              return withJSDoc(finishNode(node, pos), hasJSDoc);
            }
          });
        }
        function parseMethodDeclaration(pos, hasJSDoc, modifiers, asteriskToken, name, questionToken, exclamationToken, diagnosticMessage) {
          const isGenerator = asteriskToken ? 1 : 0;
          const isAsync2 = some(modifiers, isAsyncModifier) ? 2 : 0;
          const typeParameters = parseTypeParameters();
          const parameters = parseParameters(isGenerator | isAsync2);
          const type = parseReturnType(
            59,
            /*isType*/
            false
          );
          const body = parseFunctionBlockOrSemicolon(isGenerator | isAsync2, diagnosticMessage);
          const node = factory2.createMethodDeclaration(
            modifiers,
            asteriskToken,
            name,
            questionToken,
            typeParameters,
            parameters,
            type,
            body
          );
          node.exclamationToken = exclamationToken;
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parsePropertyDeclaration(pos, hasJSDoc, modifiers, name, questionToken) {
          const exclamationToken = !questionToken && !scanner2.hasPrecedingLineBreak() ? parseOptionalToken(
            54
            /* ExclamationToken */
          ) : void 0;
          const type = parseTypeAnnotation();
          const initializer = doOutsideOfContext(16384 | 65536 | 8192, parseInitializer);
          parseSemicolonAfterPropertyName(name, type, initializer);
          const node = factory2.createPropertyDeclaration(
            modifiers,
            name,
            questionToken || exclamationToken,
            type,
            initializer
          );
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parsePropertyOrMethodDeclaration(pos, hasJSDoc, modifiers) {
          const asteriskToken = parseOptionalToken(
            42
            /* AsteriskToken */
          );
          const name = parsePropertyName();
          const questionToken = parseOptionalToken(
            58
            /* QuestionToken */
          );
          if (asteriskToken || token() === 21 || token() === 30) {
            return parseMethodDeclaration(
              pos,
              hasJSDoc,
              modifiers,
              asteriskToken,
              name,
              questionToken,
              /*exclamationToken*/
              void 0,
              Diagnostics.or_expected
            );
          }
          return parsePropertyDeclaration(pos, hasJSDoc, modifiers, name, questionToken);
        }
        function parseAccessorDeclaration(pos, hasJSDoc, modifiers, kind, flags) {
          const name = parsePropertyName();
          const typeParameters = parseTypeParameters();
          const parameters = parseParameters(
            0
            /* None */
          );
          const type = parseReturnType(
            59,
            /*isType*/
            false
          );
          const body = parseFunctionBlockOrSemicolon(flags);
          const node = kind === 177 ? factory2.createGetAccessorDeclaration(modifiers, name, parameters, type, body) : factory2.createSetAccessorDeclaration(modifiers, name, parameters, body);
          node.typeParameters = typeParameters;
          if (isSetAccessorDeclaration(node)) node.type = type;
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function isClassMemberStart() {
          let idToken;
          if (token() === 60) {
            return true;
          }
          while (isModifierKind(token())) {
            idToken = token();
            if (isClassMemberModifier(idToken)) {
              return true;
            }
            nextToken();
          }
          if (token() === 42) {
            return true;
          }
          if (isLiteralPropertyName()) {
            idToken = token();
            nextToken();
          }
          if (token() === 23) {
            return true;
          }
          if (idToken !== void 0) {
            if (!isKeyword2(idToken) || idToken === 153 || idToken === 139) {
              return true;
            }
            switch (token()) {
              case 21:
              case 30:
              case 54:
              case 59:
              case 64:
              case 58:
                return true;
              default:
                return canParseSemicolon();
            }
          }
          return false;
        }
        function parseClassStaticBlockDeclaration(pos, hasJSDoc, modifiers) {
          parseExpectedToken(
            126
            /* StaticKeyword */
          );
          const body = parseClassStaticBlockBody();
          const node = withJSDoc(finishNode(factory2.createClassStaticBlockDeclaration(body), pos), hasJSDoc);
          node.modifiers = modifiers;
          return node;
        }
        function parseClassStaticBlockBody() {
          const savedYieldContext = inYieldContext();
          const savedAwaitContext = inAwaitContext();
          setYieldContext(false);
          setAwaitContext(true);
          const body = parseBlock(
            /*ignoreMissingOpenBrace*/
            false
          );
          setYieldContext(savedYieldContext);
          setAwaitContext(savedAwaitContext);
          return body;
        }
        function parseDecoratorExpression() {
          if (inAwaitContext() && token() === 135) {
            const pos = getNodePos();
            const awaitExpression = parseIdentifier(Diagnostics.Expression_expected);
            nextToken();
            const memberExpression = parseMemberExpressionRest(
              pos,
              awaitExpression,
              /*allowOptionalChain*/
              true
            );
            return parseCallExpressionRest(pos, memberExpression);
          }
          return parseLeftHandSideExpressionOrHigher();
        }
        function tryParseDecorator() {
          const pos = getNodePos();
          if (!parseOptional(
            60
            /* AtToken */
          )) {
            return void 0;
          }
          const expression = doInDecoratorContext(parseDecoratorExpression);
          return finishNode(factory2.createDecorator(expression), pos);
        }
        function tryParseModifier(hasSeenStaticModifier, permitConstAsModifier, stopOnStartOfClassStaticBlock) {
          const pos = getNodePos();
          const kind = token();
          if (token() === 87 && permitConstAsModifier) {
            if (!tryParse(nextTokenIsOnSameLineAndCanFollowModifier)) {
              return void 0;
            }
          } else if (stopOnStartOfClassStaticBlock && token() === 126 && lookAhead(nextTokenIsOpenBrace)) {
            return void 0;
          } else if (hasSeenStaticModifier && token() === 126) {
            return void 0;
          } else {
            if (!parseAnyContextualModifier()) {
              return void 0;
            }
          }
          return finishNode(factoryCreateToken(kind), pos);
        }
        function parseModifiers(allowDecorators, permitConstAsModifier, stopOnStartOfClassStaticBlock) {
          const pos = getNodePos();
          let list;
          let decorator, modifier, hasSeenStaticModifier = false, hasLeadingModifier = false, hasTrailingDecorator = false;
          if (allowDecorators && token() === 60) {
            while (decorator = tryParseDecorator()) {
              list = append(list, decorator);
            }
          }
          while (modifier = tryParseModifier(hasSeenStaticModifier, permitConstAsModifier, stopOnStartOfClassStaticBlock)) {
            if (modifier.kind === 126) hasSeenStaticModifier = true;
            list = append(list, modifier);
            hasLeadingModifier = true;
          }
          if (hasLeadingModifier && allowDecorators && token() === 60) {
            while (decorator = tryParseDecorator()) {
              list = append(list, decorator);
              hasTrailingDecorator = true;
            }
          }
          if (hasTrailingDecorator) {
            while (modifier = tryParseModifier(hasSeenStaticModifier, permitConstAsModifier, stopOnStartOfClassStaticBlock)) {
              if (modifier.kind === 126) hasSeenStaticModifier = true;
              list = append(list, modifier);
            }
          }
          return list && createNodeArray(list, pos);
        }
        function parseModifiersForArrowFunction() {
          let modifiers;
          if (token() === 134) {
            const pos = getNodePos();
            nextToken();
            const modifier = finishNode(factoryCreateToken(
              134
              /* AsyncKeyword */
            ), pos);
            modifiers = createNodeArray([modifier], pos);
          }
          return modifiers;
        }
        function parseClassElement() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          if (token() === 27) {
            nextToken();
            return withJSDoc(finishNode(factory2.createSemicolonClassElement(), pos), hasJSDoc);
          }
          const modifiers = parseModifiers(
            /*allowDecorators*/
            true,
            /*permitConstAsModifier*/
            true,
            /*stopOnStartOfClassStaticBlock*/
            true
          );
          if (token() === 126 && lookAhead(nextTokenIsOpenBrace)) {
            return parseClassStaticBlockDeclaration(pos, hasJSDoc, modifiers);
          }
          if (parseContextualModifier(
            139
            /* GetKeyword */
          )) {
            return parseAccessorDeclaration(
              pos,
              hasJSDoc,
              modifiers,
              177,
              0
              /* None */
            );
          }
          if (parseContextualModifier(
            153
            /* SetKeyword */
          )) {
            return parseAccessorDeclaration(
              pos,
              hasJSDoc,
              modifiers,
              178,
              0
              /* None */
            );
          }
          if (token() === 137 || token() === 11) {
            const constructorDeclaration = tryParseConstructorDeclaration(pos, hasJSDoc, modifiers);
            if (constructorDeclaration) {
              return constructorDeclaration;
            }
          }
          if (isIndexSignature()) {
            return parseIndexSignatureDeclaration(pos, hasJSDoc, modifiers);
          }
          if (tokenIsIdentifierOrKeyword(token()) || token() === 11 || token() === 9 || token() === 42 || token() === 23) {
            const isAmbient = some(modifiers, isDeclareModifier);
            if (isAmbient) {
              for (const m of modifiers) {
                m.flags |= 33554432;
              }
              return doInsideOfContext(33554432, () => parsePropertyOrMethodDeclaration(pos, hasJSDoc, modifiers));
            } else {
              return parsePropertyOrMethodDeclaration(pos, hasJSDoc, modifiers);
            }
          }
          if (modifiers) {
            const name = createMissingNode(
              80,
              /*reportAtCurrentPosition*/
              true,
              Diagnostics.Declaration_expected
            );
            return parsePropertyDeclaration(
              pos,
              hasJSDoc,
              modifiers,
              name,
              /*questionToken*/
              void 0
            );
          }
          return Debug.fail("Should not have attempted to parse class member declaration.");
        }
        function parseDecoratedExpression() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          const modifiers = parseModifiers(
            /*allowDecorators*/
            true
          );
          if (token() === 86) {
            return parseClassDeclarationOrExpression(
              pos,
              hasJSDoc,
              modifiers,
              231
              /* ClassExpression */
            );
          }
          const missing = createMissingNode(
            282,
            /*reportAtCurrentPosition*/
            true,
            Diagnostics.Expression_expected
          );
          setTextRangePos(missing, pos);
          missing.modifiers = modifiers;
          return missing;
        }
        function parseClassExpression() {
          return parseClassDeclarationOrExpression(
            getNodePos(),
            hasPrecedingJSDocComment(),
            /*modifiers*/
            void 0,
            231
            /* ClassExpression */
          );
        }
        function parseClassDeclaration(pos, hasJSDoc, modifiers) {
          return parseClassDeclarationOrExpression(
            pos,
            hasJSDoc,
            modifiers,
            263
            /* ClassDeclaration */
          );
        }
        function parseClassDeclarationOrExpression(pos, hasJSDoc, modifiers, kind) {
          const savedAwaitContext = inAwaitContext();
          parseExpected(
            86
            /* ClassKeyword */
          );
          const name = parseNameOfClassDeclarationOrExpression();
          const typeParameters = parseTypeParameters();
          if (some(modifiers, isExportModifier)) setAwaitContext(
            /*value*/
            true
          );
          const heritageClauses = parseHeritageClauses();
          let members;
          if (parseExpected(
            19
            /* OpenBraceToken */
          )) {
            members = parseClassMembers();
            parseExpected(
              20
              /* CloseBraceToken */
            );
          } else {
            members = createMissingList();
          }
          setAwaitContext(savedAwaitContext);
          const node = kind === 263 ? factory2.createClassDeclaration(modifiers, name, typeParameters, heritageClauses, members) : factory2.createClassExpression(modifiers, name, typeParameters, heritageClauses, members);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parseNameOfClassDeclarationOrExpression() {
          return isBindingIdentifier() && !isImplementsClause() ? createIdentifier(isBindingIdentifier()) : void 0;
        }
        function isImplementsClause() {
          return token() === 119 && lookAhead(nextTokenIsIdentifierOrKeyword);
        }
        function parseHeritageClauses() {
          if (isHeritageClause2()) {
            return parseList(22, parseHeritageClause);
          }
          return void 0;
        }
        function parseHeritageClause() {
          const pos = getNodePos();
          const tok = token();
          Debug.assert(
            tok === 96 || tok === 119
            /* ImplementsKeyword */
          );
          nextToken();
          const types = parseDelimitedList(7, parseExpressionWithTypeArguments);
          return finishNode(factory2.createHeritageClause(tok, types), pos);
        }
        function parseExpressionWithTypeArguments() {
          const pos = getNodePos();
          const expression = parseLeftHandSideExpressionOrHigher();
          if (expression.kind === 233) {
            return expression;
          }
          const typeArguments = tryParseTypeArguments();
          return finishNode(factory2.createExpressionWithTypeArguments(expression, typeArguments), pos);
        }
        function tryParseTypeArguments() {
          return token() === 30 ? parseBracketedList(
            20,
            parseType,
            30,
            32
            /* GreaterThanToken */
          ) : void 0;
        }
        function isHeritageClause2() {
          return token() === 96 || token() === 119;
        }
        function parseClassMembers() {
          return parseList(5, parseClassElement);
        }
        function parseInterfaceDeclaration(pos, hasJSDoc, modifiers) {
          parseExpected(
            120
            /* InterfaceKeyword */
          );
          const name = parseIdentifier();
          const typeParameters = parseTypeParameters();
          const heritageClauses = parseHeritageClauses();
          const members = parseObjectTypeMembers();
          const node = factory2.createInterfaceDeclaration(modifiers, name, typeParameters, heritageClauses, members);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parseTypeAliasDeclaration(pos, hasJSDoc, modifiers) {
          parseExpected(
            156
            /* TypeKeyword */
          );
          if (scanner2.hasPrecedingLineBreak()) {
            parseErrorAtCurrentToken(Diagnostics.Line_break_not_permitted_here);
          }
          const name = parseIdentifier();
          const typeParameters = parseTypeParameters();
          parseExpected(
            64
            /* EqualsToken */
          );
          const type = token() === 141 && tryParse(parseKeywordAndNoDot) || parseType();
          parseSemicolon();
          const node = factory2.createTypeAliasDeclaration(modifiers, name, typeParameters, type);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parseEnumMember() {
          const pos = getNodePos();
          const hasJSDoc = hasPrecedingJSDocComment();
          const name = parsePropertyName();
          const initializer = allowInAnd(parseInitializer);
          return withJSDoc(finishNode(factory2.createEnumMember(name, initializer), pos), hasJSDoc);
        }
        function parseEnumDeclaration(pos, hasJSDoc, modifiers) {
          parseExpected(
            94
            /* EnumKeyword */
          );
          const name = parseIdentifier();
          let members;
          if (parseExpected(
            19
            /* OpenBraceToken */
          )) {
            members = doOutsideOfYieldAndAwaitContext(() => parseDelimitedList(6, parseEnumMember));
            parseExpected(
              20
              /* CloseBraceToken */
            );
          } else {
            members = createMissingList();
          }
          const node = factory2.createEnumDeclaration(modifiers, name, members);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parseModuleBlock() {
          const pos = getNodePos();
          let statements;
          if (parseExpected(
            19
            /* OpenBraceToken */
          )) {
            statements = parseList(1, parseStatement);
            parseExpected(
              20
              /* CloseBraceToken */
            );
          } else {
            statements = createMissingList();
          }
          return finishNode(factory2.createModuleBlock(statements), pos);
        }
        function parseModuleOrNamespaceDeclaration(pos, hasJSDoc, modifiers, flags) {
          const namespaceFlag = flags & 32;
          const name = flags & 8 ? parseIdentifierName() : parseIdentifier();
          const body = parseOptional(
            25
            /* DotToken */
          ) ? parseModuleOrNamespaceDeclaration(
            getNodePos(),
            /*hasJSDoc*/
            false,
            /*modifiers*/
            void 0,
            8 | namespaceFlag
          ) : parseModuleBlock();
          const node = factory2.createModuleDeclaration(modifiers, name, body, flags);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parseAmbientExternalModuleDeclaration(pos, hasJSDoc, modifiersIn) {
          let flags = 0;
          let name;
          if (token() === 162) {
            name = parseIdentifier();
            flags |= 2048;
          } else {
            name = parseLiteralNode();
            name.text = internIdentifier(name.text);
          }
          let body;
          if (token() === 19) {
            body = parseModuleBlock();
          } else {
            parseSemicolon();
          }
          const node = factory2.createModuleDeclaration(modifiersIn, name, body, flags);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parseModuleDeclaration(pos, hasJSDoc, modifiersIn) {
          let flags = 0;
          if (token() === 162) {
            return parseAmbientExternalModuleDeclaration(pos, hasJSDoc, modifiersIn);
          } else if (parseOptional(
            145
            /* NamespaceKeyword */
          )) {
            flags |= 32;
          } else {
            parseExpected(
              144
              /* ModuleKeyword */
            );
            if (token() === 11) {
              return parseAmbientExternalModuleDeclaration(pos, hasJSDoc, modifiersIn);
            }
          }
          return parseModuleOrNamespaceDeclaration(pos, hasJSDoc, modifiersIn, flags);
        }
        function isExternalModuleReference2() {
          return token() === 149 && lookAhead(nextTokenIsOpenParen);
        }
        function nextTokenIsOpenParen() {
          return nextToken() === 21;
        }
        function nextTokenIsOpenBrace() {
          return nextToken() === 19;
        }
        function nextTokenIsSlash() {
          return nextToken() === 44;
        }
        function parseNamespaceExportDeclaration(pos, hasJSDoc, modifiers) {
          parseExpected(
            130
            /* AsKeyword */
          );
          parseExpected(
            145
            /* NamespaceKeyword */
          );
          const name = parseIdentifier();
          parseSemicolon();
          const node = factory2.createNamespaceExportDeclaration(name);
          node.modifiers = modifiers;
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parseImportDeclarationOrImportEqualsDeclaration(pos, hasJSDoc, modifiers) {
          parseExpected(
            102
            /* ImportKeyword */
          );
          const afterImportPos = scanner2.getTokenFullStart();
          let identifier;
          if (isIdentifier2()) {
            identifier = parseIdentifier();
          }
          let isTypeOnly = false;
          if ((identifier == null ? void 0 : identifier.escapedText) === "type" && (token() !== 161 || isIdentifier2() && lookAhead(nextTokenIsFromKeywordOrEqualsToken)) && (isIdentifier2() || tokenAfterImportDefinitelyProducesImportDeclaration())) {
            isTypeOnly = true;
            identifier = isIdentifier2() ? parseIdentifier() : void 0;
          }
          if (identifier && !tokenAfterImportedIdentifierDefinitelyProducesImportDeclaration()) {
            return parseImportEqualsDeclaration(pos, hasJSDoc, modifiers, identifier, isTypeOnly);
          }
          const importClause = tryParseImportClause(identifier, afterImportPos, isTypeOnly);
          const moduleSpecifier = parseModuleSpecifier();
          const attributes = tryParseImportAttributes();
          parseSemicolon();
          const node = factory2.createImportDeclaration(modifiers, importClause, moduleSpecifier, attributes);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function tryParseImportClause(identifier, pos, isTypeOnly, skipJsDocLeadingAsterisks = false) {
          let importClause;
          if (identifier || // import id
          token() === 42 || // import *
          token() === 19) {
            importClause = parseImportClause(identifier, pos, isTypeOnly, skipJsDocLeadingAsterisks);
            parseExpected(
              161
              /* FromKeyword */
            );
          }
          return importClause;
        }
        function tryParseImportAttributes() {
          const currentToken2 = token();
          if ((currentToken2 === 118 || currentToken2 === 132) && !scanner2.hasPrecedingLineBreak()) {
            return parseImportAttributes(currentToken2);
          }
        }
        function parseImportAttribute() {
          const pos = getNodePos();
          const name = tokenIsIdentifierOrKeyword(token()) ? parseIdentifierName() : parseLiteralLikeNode(
            11
            /* StringLiteral */
          );
          parseExpected(
            59
            /* ColonToken */
          );
          const value = parseAssignmentExpressionOrHigher(
            /*allowReturnTypeInArrowFunction*/
            true
          );
          return finishNode(factory2.createImportAttribute(name, value), pos);
        }
        function parseImportAttributes(token2, skipKeyword) {
          const pos = getNodePos();
          if (!skipKeyword) {
            parseExpected(token2);
          }
          const openBracePosition = scanner2.getTokenStart();
          if (parseExpected(
            19
            /* OpenBraceToken */
          )) {
            const multiLine = scanner2.hasPrecedingLineBreak();
            const elements = parseDelimitedList(
              24,
              parseImportAttribute,
              /*considerSemicolonAsDelimiter*/
              true
            );
            if (!parseExpected(
              20
              /* CloseBraceToken */
            )) {
              const lastError = lastOrUndefined(parseDiagnostics);
              if (lastError && lastError.code === Diagnostics._0_expected.code) {
                addRelatedInfo(
                  lastError,
                  createDetachedDiagnostic(fileName, sourceText, openBracePosition, 1, Diagnostics.The_parser_expected_to_find_a_1_to_match_the_0_token_here, "{", "}")
                );
              }
            }
            return finishNode(factory2.createImportAttributes(elements, multiLine, token2), pos);
          } else {
            const elements = createNodeArray(
              [],
              getNodePos(),
              /*end*/
              void 0,
              /*hasTrailingComma*/
              false
            );
            return finishNode(factory2.createImportAttributes(
              elements,
              /*multiLine*/
              false,
              token2
            ), pos);
          }
        }
        function tokenAfterImportDefinitelyProducesImportDeclaration() {
          return token() === 42 || token() === 19;
        }
        function tokenAfterImportedIdentifierDefinitelyProducesImportDeclaration() {
          return token() === 28 || token() === 161;
        }
        function parseImportEqualsDeclaration(pos, hasJSDoc, modifiers, identifier, isTypeOnly) {
          parseExpected(
            64
            /* EqualsToken */
          );
          const moduleReference = parseModuleReference();
          parseSemicolon();
          const node = factory2.createImportEqualsDeclaration(modifiers, isTypeOnly, identifier, moduleReference);
          const finished = withJSDoc(finishNode(node, pos), hasJSDoc);
          return finished;
        }
        function parseImportClause(identifier, pos, isTypeOnly, skipJsDocLeadingAsterisks) {
          let namedBindings;
          if (!identifier || parseOptional(
            28
            /* CommaToken */
          )) {
            if (skipJsDocLeadingAsterisks) scanner2.setSkipJsDocLeadingAsterisks(true);
            namedBindings = token() === 42 ? parseNamespaceImport() : parseNamedImportsOrExports(
              275
              /* NamedImports */
            );
            if (skipJsDocLeadingAsterisks) scanner2.setSkipJsDocLeadingAsterisks(false);
          }
          return finishNode(factory2.createImportClause(isTypeOnly, identifier, namedBindings), pos);
        }
        function parseModuleReference() {
          return isExternalModuleReference2() ? parseExternalModuleReference() : parseEntityName(
            /*allowReservedWords*/
            false
          );
        }
        function parseExternalModuleReference() {
          const pos = getNodePos();
          parseExpected(
            149
            /* RequireKeyword */
          );
          parseExpected(
            21
            /* OpenParenToken */
          );
          const expression = parseModuleSpecifier();
          parseExpected(
            22
            /* CloseParenToken */
          );
          return finishNode(factory2.createExternalModuleReference(expression), pos);
        }
        function parseModuleSpecifier() {
          if (token() === 11) {
            const result = parseLiteralNode();
            result.text = internIdentifier(result.text);
            return result;
          } else {
            return parseExpression();
          }
        }
        function parseNamespaceImport() {
          const pos = getNodePos();
          parseExpected(
            42
            /* AsteriskToken */
          );
          parseExpected(
            130
            /* AsKeyword */
          );
          const name = parseIdentifier();
          return finishNode(factory2.createNamespaceImport(name), pos);
        }
        function parseNamedImportsOrExports(kind) {
          const pos = getNodePos();
          const node = kind === 275 ? factory2.createNamedImports(parseBracketedList(
            23,
            parseImportSpecifier,
            19,
            20
            /* CloseBraceToken */
          )) : factory2.createNamedExports(parseBracketedList(
            23,
            parseExportSpecifier,
            19,
            20
            /* CloseBraceToken */
          ));
          return finishNode(node, pos);
        }
        function parseExportSpecifier() {
          const hasJSDoc = hasPrecedingJSDocComment();
          return withJSDoc(parseImportOrExportSpecifier(
            281
            /* ExportSpecifier */
          ), hasJSDoc);
        }
        function parseImportSpecifier() {
          return parseImportOrExportSpecifier(
            276
            /* ImportSpecifier */
          );
        }
        function parseImportOrExportSpecifier(kind) {
          const pos = getNodePos();
          let checkIdentifierIsKeyword = isKeyword2(token()) && !isIdentifier2();
          let checkIdentifierStart = scanner2.getTokenStart();
          let checkIdentifierEnd = scanner2.getTokenEnd();
          let isTypeOnly = false;
          let propertyName;
          let canParseAsKeyword = true;
          let name = parseIdentifierName();
          if (name.escapedText === "type") {
            if (token() === 130) {
              const firstAs = parseIdentifierName();
              if (token() === 130) {
                const secondAs = parseIdentifierName();
                if (tokenIsIdentifierOrKeyword(token())) {
                  isTypeOnly = true;
                  propertyName = firstAs;
                  name = parseNameWithKeywordCheck();
                  canParseAsKeyword = false;
                } else {
                  propertyName = name;
                  name = secondAs;
                  canParseAsKeyword = false;
                }
              } else if (tokenIsIdentifierOrKeyword(token())) {
                propertyName = name;
                canParseAsKeyword = false;
                name = parseNameWithKeywordCheck();
              } else {
                isTypeOnly = true;
                name = firstAs;
              }
            } else if (tokenIsIdentifierOrKeyword(token())) {
              isTypeOnly = true;
              name = parseNameWithKeywordCheck();
            }
          }
          if (canParseAsKeyword && token() === 130) {
            propertyName = name;
            parseExpected(
              130
              /* AsKeyword */
            );
            name = parseNameWithKeywordCheck();
          }
          if (kind === 276 && checkIdentifierIsKeyword) {
            parseErrorAt(checkIdentifierStart, checkIdentifierEnd, Diagnostics.Identifier_expected);
          }
          const node = kind === 276 ? factory2.createImportSpecifier(isTypeOnly, propertyName, name) : factory2.createExportSpecifier(isTypeOnly, propertyName, name);
          return finishNode(node, pos);
          function parseNameWithKeywordCheck() {
            checkIdentifierIsKeyword = isKeyword2(token()) && !isIdentifier2();
            checkIdentifierStart = scanner2.getTokenStart();
            checkIdentifierEnd = scanner2.getTokenEnd();
            return parseIdentifierName();
          }
        }
        function parseNamespaceExport(pos) {
          return finishNode(factory2.createNamespaceExport(parseIdentifierName()), pos);
        }
        function parseExportDeclaration(pos, hasJSDoc, modifiers) {
          const savedAwaitContext = inAwaitContext();
          setAwaitContext(
            /*value*/
            true
          );
          let exportClause;
          let moduleSpecifier;
          let attributes;
          const isTypeOnly = parseOptional(
            156
            /* TypeKeyword */
          );
          const namespaceExportPos = getNodePos();
          if (parseOptional(
            42
            /* AsteriskToken */
          )) {
            if (parseOptional(
              130
              /* AsKeyword */
            )) {
              exportClause = parseNamespaceExport(namespaceExportPos);
            }
            parseExpected(
              161
              /* FromKeyword */
            );
            moduleSpecifier = parseModuleSpecifier();
          } else {
            exportClause = parseNamedImportsOrExports(
              279
              /* NamedExports */
            );
            if (token() === 161 || token() === 11 && !scanner2.hasPrecedingLineBreak()) {
              parseExpected(
                161
                /* FromKeyword */
              );
              moduleSpecifier = parseModuleSpecifier();
            }
          }
          const currentToken2 = token();
          if (moduleSpecifier && (currentToken2 === 118 || currentToken2 === 132) && !scanner2.hasPrecedingLineBreak()) {
            attributes = parseImportAttributes(currentToken2);
          }
          parseSemicolon();
          setAwaitContext(savedAwaitContext);
          const node = factory2.createExportDeclaration(modifiers, isTypeOnly, exportClause, moduleSpecifier, attributes);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        function parseExportAssignment(pos, hasJSDoc, modifiers) {
          const savedAwaitContext = inAwaitContext();
          setAwaitContext(
            /*value*/
            true
          );
          let isExportEquals;
          if (parseOptional(
            64
            /* EqualsToken */
          )) {
            isExportEquals = true;
          } else {
            parseExpected(
              90
              /* DefaultKeyword */
            );
          }
          const expression = parseAssignmentExpressionOrHigher(
            /*allowReturnTypeInArrowFunction*/
            true
          );
          parseSemicolon();
          setAwaitContext(savedAwaitContext);
          const node = factory2.createExportAssignment(modifiers, isExportEquals, expression);
          return withJSDoc(finishNode(node, pos), hasJSDoc);
        }
        let ParsingContext;
        ((ParsingContext2) => {
          ParsingContext2[ParsingContext2["SourceElements"] = 0] = "SourceElements";
          ParsingContext2[ParsingContext2["BlockStatements"] = 1] = "BlockStatements";
          ParsingContext2[ParsingContext2["SwitchClauses"] = 2] = "SwitchClauses";
          ParsingContext2[ParsingContext2["SwitchClauseStatements"] = 3] = "SwitchClauseStatements";
          ParsingContext2[ParsingContext2["TypeMembers"] = 4] = "TypeMembers";
          ParsingContext2[ParsingContext2["ClassMembers"] = 5] = "ClassMembers";
          ParsingContext2[ParsingContext2["EnumMembers"] = 6] = "EnumMembers";
          ParsingContext2[ParsingContext2["HeritageClauseElement"] = 7] = "HeritageClauseElement";
          ParsingContext2[ParsingContext2["VariableDeclarations"] = 8] = "VariableDeclarations";
          ParsingContext2[ParsingContext2["ObjectBindingElements"] = 9] = "ObjectBindingElements";
          ParsingContext2[ParsingContext2["ArrayBindingElements"] = 10] = "ArrayBindingElements";
          ParsingContext2[ParsingContext2["ArgumentExpressions"] = 11] = "ArgumentExpressions";
          ParsingContext2[ParsingContext2["ObjectLiteralMembers"] = 12] = "ObjectLiteralMembers";
          ParsingContext2[ParsingContext2["JsxAttributes"] = 13] = "JsxAttributes";
          ParsingContext2[ParsingContext2["JsxChildren"] = 14] = "JsxChildren";
          ParsingContext2[ParsingContext2["ArrayLiteralMembers"] = 15] = "ArrayLiteralMembers";
          ParsingContext2[ParsingContext2["Parameters"] = 16] = "Parameters";
          ParsingContext2[ParsingContext2["JSDocParameters"] = 17] = "JSDocParameters";
          ParsingContext2[ParsingContext2["RestProperties"] = 18] = "RestProperties";
          ParsingContext2[ParsingContext2["TypeParameters"] = 19] = "TypeParameters";
          ParsingContext2[ParsingContext2["TypeArguments"] = 20] = "TypeArguments";
          ParsingContext2[ParsingContext2["TupleElementTypes"] = 21] = "TupleElementTypes";
          ParsingContext2[ParsingContext2["HeritageClauses"] = 22] = "HeritageClauses";
          ParsingContext2[ParsingContext2["ImportOrExportSpecifiers"] = 23] = "ImportOrExportSpecifiers";
          ParsingContext2[ParsingContext2["ImportAttributes"] = 24] = "ImportAttributes";
          ParsingContext2[ParsingContext2["JSDocComment"] = 25] = "JSDocComment";
          ParsingContext2[ParsingContext2["Count"] = 26] = "Count";
        })(ParsingContext || (ParsingContext = {}));
        let Tristate;
        ((Tristate2) => {
          Tristate2[Tristate2["False"] = 0] = "False";
          Tristate2[Tristate2["True"] = 1] = "True";
          Tristate2[Tristate2["Unknown"] = 2] = "Unknown";
        })(Tristate || (Tristate = {}));
        let JSDocParser;
        ((JSDocParser2) => {
          function parseJSDocTypeExpressionForTests2(content, start, length2) {
            initializeState(
              "file.js",
              content,
              99,
              /*syntaxCursor*/
              void 0,
              1,
              0
              /* ParseAll */
            );
            scanner2.setText(content, start, length2);
            currentToken = scanner2.scan();
            const jsDocTypeExpression = parseJSDocTypeExpression();
            const sourceFile = createSourceFile2(
              "file.js",
              99,
              1,
              /*isDeclarationFile*/
              false,
              [],
              factoryCreateToken(
                1
                /* EndOfFileToken */
              ),
              0,
              noop2
            );
            const diagnostics = attachFileToDiagnostics(parseDiagnostics, sourceFile);
            if (jsDocDiagnostics) {
              sourceFile.jsDocDiagnostics = attachFileToDiagnostics(jsDocDiagnostics, sourceFile);
            }
            clearState();
            return jsDocTypeExpression ? { jsDocTypeExpression, diagnostics } : void 0;
          }
          JSDocParser2.parseJSDocTypeExpressionForTests = parseJSDocTypeExpressionForTests2;
          function parseJSDocTypeExpression(mayOmitBraces) {
            const pos = getNodePos();
            const hasBrace = (mayOmitBraces ? parseOptional : parseExpected)(
              19
              /* OpenBraceToken */
            );
            const type = doInsideOfContext(16777216, parseJSDocType);
            if (!mayOmitBraces || hasBrace) {
              parseExpectedJSDoc(
                20
                /* CloseBraceToken */
              );
            }
            const result = factory2.createJSDocTypeExpression(type);
            fixupParentReferences(result);
            return finishNode(result, pos);
          }
          JSDocParser2.parseJSDocTypeExpression = parseJSDocTypeExpression;
          function parseJSDocNameReference() {
            const pos = getNodePos();
            const hasBrace = parseOptional(
              19
              /* OpenBraceToken */
            );
            const p2 = getNodePos();
            let entityName = parseEntityName(
              /*allowReservedWords*/
              false
            );
            while (token() === 81) {
              reScanHashToken();
              nextTokenJSDoc();
              entityName = finishNode(factory2.createJSDocMemberName(entityName, parseIdentifier()), p2);
            }
            if (hasBrace) {
              parseExpectedJSDoc(
                20
                /* CloseBraceToken */
              );
            }
            const result = factory2.createJSDocNameReference(entityName);
            fixupParentReferences(result);
            return finishNode(result, pos);
          }
          JSDocParser2.parseJSDocNameReference = parseJSDocNameReference;
          function parseIsolatedJSDocComment2(content, start, length2) {
            initializeState(
              "",
              content,
              99,
              /*syntaxCursor*/
              void 0,
              1,
              0
              /* ParseAll */
            );
            const jsDoc = doInsideOfContext(16777216, () => parseJSDocCommentWorker(start, length2));
            const sourceFile = { languageVariant: 0, text: content };
            const diagnostics = attachFileToDiagnostics(parseDiagnostics, sourceFile);
            clearState();
            return jsDoc ? { jsDoc, diagnostics } : void 0;
          }
          JSDocParser2.parseIsolatedJSDocComment = parseIsolatedJSDocComment2;
          function parseJSDocComment(parent2, start, length2) {
            const saveToken = currentToken;
            const saveParseDiagnosticsLength = parseDiagnostics.length;
            const saveParseErrorBeforeNextFinishedNode = parseErrorBeforeNextFinishedNode;
            const comment = doInsideOfContext(16777216, () => parseJSDocCommentWorker(start, length2));
            setParent(comment, parent2);
            if (contextFlags & 524288) {
              if (!jsDocDiagnostics) {
                jsDocDiagnostics = [];
              }
              addRange(jsDocDiagnostics, parseDiagnostics, saveParseDiagnosticsLength);
            }
            currentToken = saveToken;
            parseDiagnostics.length = saveParseDiagnosticsLength;
            parseErrorBeforeNextFinishedNode = saveParseErrorBeforeNextFinishedNode;
            return comment;
          }
          JSDocParser2.parseJSDocComment = parseJSDocComment;
          let JSDocState;
          ((JSDocState2) => {
            JSDocState2[JSDocState2["BeginningOfLine"] = 0] = "BeginningOfLine";
            JSDocState2[JSDocState2["SawAsterisk"] = 1] = "SawAsterisk";
            JSDocState2[JSDocState2["SavingComments"] = 2] = "SavingComments";
            JSDocState2[JSDocState2["SavingBackticks"] = 3] = "SavingBackticks";
          })(JSDocState || (JSDocState = {}));
          let PropertyLikeParse;
          ((PropertyLikeParse2) => {
            PropertyLikeParse2[PropertyLikeParse2["Property"] = 1] = "Property";
            PropertyLikeParse2[PropertyLikeParse2["Parameter"] = 2] = "Parameter";
            PropertyLikeParse2[PropertyLikeParse2["CallbackParameter"] = 4] = "CallbackParameter";
          })(PropertyLikeParse || (PropertyLikeParse = {}));
          function parseJSDocCommentWorker(start = 0, length2) {
            const content = sourceText;
            const end = length2 === void 0 ? content.length : start + length2;
            length2 = end - start;
            Debug.assert(start >= 0);
            Debug.assert(start <= end);
            Debug.assert(end <= content.length);
            if (!isJSDocLikeText(content, start)) {
              return void 0;
            }
            let tags;
            let tagsPos;
            let tagsEnd;
            let linkEnd;
            let commentsPos;
            let comments = [];
            const parts = [];
            const saveParsingContext = parsingContext;
            parsingContext |= 1 << 25;
            const result = scanner2.scanRange(start + 3, length2 - 5, doJSDocScan);
            parsingContext = saveParsingContext;
            return result;
            function doJSDocScan() {
              let state = 1;
              let margin;
              let indent3 = start - (content.lastIndexOf("\n", start) + 1) + 4;
              function pushComment(text) {
                if (!margin) {
                  margin = indent3;
                }
                comments.push(text);
                indent3 += text.length;
              }
              nextTokenJSDoc();
              while (parseOptionalJsdoc(
                5
                /* WhitespaceTrivia */
              )) ;
              if (parseOptionalJsdoc(
                4
                /* NewLineTrivia */
              )) {
                state = 0;
                indent3 = 0;
              }
              loop:
                while (true) {
                  switch (token()) {
                    case 60:
                      removeTrailingWhitespace(comments);
                      if (!commentsPos) commentsPos = getNodePos();
                      addTag(parseTag(indent3));
                      state = 0;
                      margin = void 0;
                      break;
                    case 4:
                      comments.push(scanner2.getTokenText());
                      state = 0;
                      indent3 = 0;
                      break;
                    case 42:
                      const asterisk = scanner2.getTokenText();
                      if (state === 1) {
                        state = 2;
                        pushComment(asterisk);
                      } else {
                        Debug.assert(
                          state === 0
                          /* BeginningOfLine */
                        );
                        state = 1;
                        indent3 += asterisk.length;
                      }
                      break;
                    case 5:
                      Debug.assert(state !== 2, "whitespace shouldn't come from the scanner while saving top-level comment text");
                      const whitespace = scanner2.getTokenText();
                      if (margin !== void 0 && indent3 + whitespace.length > margin) {
                        comments.push(whitespace.slice(margin - indent3));
                      }
                      indent3 += whitespace.length;
                      break;
                    case 1:
                      break loop;
                    case 82:
                      state = 2;
                      pushComment(scanner2.getTokenValue());
                      break;
                    case 19:
                      state = 2;
                      const commentEnd = scanner2.getTokenFullStart();
                      const linkStart = scanner2.getTokenEnd() - 1;
                      const link = parseJSDocLink(linkStart);
                      if (link) {
                        if (!linkEnd) {
                          removeLeadingNewlines(comments);
                        }
                        parts.push(finishNode(factory2.createJSDocText(comments.join("")), linkEnd ?? start, commentEnd));
                        parts.push(link);
                        comments = [];
                        linkEnd = scanner2.getTokenEnd();
                        break;
                      }
                    default:
                      state = 2;
                      pushComment(scanner2.getTokenText());
                      break;
                  }
                  if (state === 2) {
                    nextJSDocCommentTextToken(
                      /*inBackticks*/
                      false
                    );
                  } else {
                    nextTokenJSDoc();
                  }
                }
              const trimmedComments = comments.join("").trimEnd();
              if (parts.length && trimmedComments.length) {
                parts.push(finishNode(factory2.createJSDocText(trimmedComments), linkEnd ?? start, commentsPos));
              }
              if (parts.length && tags) Debug.assertIsDefined(commentsPos, "having parsed tags implies that the end of the comment span should be set");
              const tagsArray = tags && createNodeArray(tags, tagsPos, tagsEnd);
              return finishNode(factory2.createJSDocComment(parts.length ? createNodeArray(parts, start, commentsPos) : trimmedComments.length ? trimmedComments : void 0, tagsArray), start, end);
            }
            function removeLeadingNewlines(comments2) {
              while (comments2.length && (comments2[0] === "\n" || comments2[0] === "\r")) {
                comments2.shift();
              }
            }
            function removeTrailingWhitespace(comments2) {
              while (comments2.length) {
                const trimmed = comments2[comments2.length - 1].trimEnd();
                if (trimmed === "") {
                  comments2.pop();
                } else if (trimmed.length < comments2[comments2.length - 1].length) {
                  comments2[comments2.length - 1] = trimmed;
                  break;
                } else {
                  break;
                }
              }
            }
            function isNextNonwhitespaceTokenEndOfFile() {
              while (true) {
                nextTokenJSDoc();
                if (token() === 1) {
                  return true;
                }
                if (!(token() === 5 || token() === 4)) {
                  return false;
                }
              }
            }
            function skipWhitespace() {
              if (token() === 5 || token() === 4) {
                if (lookAhead(isNextNonwhitespaceTokenEndOfFile)) {
                  return;
                }
              }
              while (token() === 5 || token() === 4) {
                nextTokenJSDoc();
              }
            }
            function skipWhitespaceOrAsterisk() {
              if (token() === 5 || token() === 4) {
                if (lookAhead(isNextNonwhitespaceTokenEndOfFile)) {
                  return "";
                }
              }
              let precedingLineBreak = scanner2.hasPrecedingLineBreak();
              let seenLineBreak = false;
              let indentText = "";
              while (precedingLineBreak && token() === 42 || token() === 5 || token() === 4) {
                indentText += scanner2.getTokenText();
                if (token() === 4) {
                  precedingLineBreak = true;
                  seenLineBreak = true;
                  indentText = "";
                } else if (token() === 42) {
                  precedingLineBreak = false;
                }
                nextTokenJSDoc();
              }
              return seenLineBreak ? indentText : "";
            }
            function parseTag(margin) {
              Debug.assert(
                token() === 60
                /* AtToken */
              );
              const start2 = scanner2.getTokenStart();
              nextTokenJSDoc();
              const tagName = parseJSDocIdentifierName(
                /*message*/
                void 0
              );
              const indentText = skipWhitespaceOrAsterisk();
              let tag;
              switch (tagName.escapedText) {
                case "author":
                  tag = parseAuthorTag(start2, tagName, margin, indentText);
                  break;
                case "implements":
                  tag = parseImplementsTag(start2, tagName, margin, indentText);
                  break;
                case "augments":
                case "extends":
                  tag = parseAugmentsTag(start2, tagName, margin, indentText);
                  break;
                case "class":
                case "constructor":
                  tag = parseSimpleTag(start2, factory2.createJSDocClassTag, tagName, margin, indentText);
                  break;
                case "public":
                  tag = parseSimpleTag(start2, factory2.createJSDocPublicTag, tagName, margin, indentText);
                  break;
                case "private":
                  tag = parseSimpleTag(start2, factory2.createJSDocPrivateTag, tagName, margin, indentText);
                  break;
                case "protected":
                  tag = parseSimpleTag(start2, factory2.createJSDocProtectedTag, tagName, margin, indentText);
                  break;
                case "readonly":
                  tag = parseSimpleTag(start2, factory2.createJSDocReadonlyTag, tagName, margin, indentText);
                  break;
                case "override":
                  tag = parseSimpleTag(start2, factory2.createJSDocOverrideTag, tagName, margin, indentText);
                  break;
                case "deprecated":
                  hasDeprecatedTag = true;
                  tag = parseSimpleTag(start2, factory2.createJSDocDeprecatedTag, tagName, margin, indentText);
                  break;
                case "this":
                  tag = parseThisTag(start2, tagName, margin, indentText);
                  break;
                case "enum":
                  tag = parseEnumTag(start2, tagName, margin, indentText);
                  break;
                case "arg":
                case "argument":
                case "param":
                  return parseParameterOrPropertyTag(start2, tagName, 2, margin);
                case "return":
                case "returns":
                  tag = parseReturnTag(start2, tagName, margin, indentText);
                  break;
                case "template":
                  tag = parseTemplateTag(start2, tagName, margin, indentText);
                  break;
                case "type":
                  tag = parseTypeTag(start2, tagName, margin, indentText);
                  break;
                case "typedef":
                  tag = parseTypedefTag(start2, tagName, margin, indentText);
                  break;
                case "callback":
                  tag = parseCallbackTag(start2, tagName, margin, indentText);
                  break;
                case "overload":
                  tag = parseOverloadTag(start2, tagName, margin, indentText);
                  break;
                case "satisfies":
                  tag = parseSatisfiesTag(start2, tagName, margin, indentText);
                  break;
                case "see":
                  tag = parseSeeTag(start2, tagName, margin, indentText);
                  break;
                case "exception":
                case "throws":
                  tag = parseThrowsTag(start2, tagName, margin, indentText);
                  break;
                case "import":
                  tag = parseImportTag(start2, tagName, margin, indentText);
                  break;
                default:
                  tag = parseUnknownTag(start2, tagName, margin, indentText);
                  break;
              }
              return tag;
            }
            function parseTrailingTagComments(pos, end2, margin, indentText) {
              if (!indentText) {
                margin += end2 - pos;
              }
              return parseTagComments(margin, indentText.slice(margin));
            }
            function parseTagComments(indent3, initialMargin) {
              const commentsPos2 = getNodePos();
              let comments2 = [];
              const parts2 = [];
              let linkEnd2;
              let state = 0;
              let margin;
              function pushComment(text) {
                if (!margin) {
                  margin = indent3;
                }
                comments2.push(text);
                indent3 += text.length;
              }
              if (initialMargin !== void 0) {
                if (initialMargin !== "") {
                  pushComment(initialMargin);
                }
                state = 1;
              }
              let tok = token();
              loop:
                while (true) {
                  switch (tok) {
                    case 4:
                      state = 0;
                      comments2.push(scanner2.getTokenText());
                      indent3 = 0;
                      break;
                    case 60:
                      scanner2.resetTokenState(scanner2.getTokenEnd() - 1);
                      break loop;
                    case 1:
                      break loop;
                    case 5:
                      Debug.assert(state !== 2 && state !== 3, "whitespace shouldn't come from the scanner while saving comment text");
                      const whitespace = scanner2.getTokenText();
                      if (margin !== void 0 && indent3 + whitespace.length > margin) {
                        comments2.push(whitespace.slice(margin - indent3));
                        state = 2;
                      }
                      indent3 += whitespace.length;
                      break;
                    case 19:
                      state = 2;
                      const commentEnd = scanner2.getTokenFullStart();
                      const linkStart = scanner2.getTokenEnd() - 1;
                      const link = parseJSDocLink(linkStart);
                      if (link) {
                        parts2.push(finishNode(factory2.createJSDocText(comments2.join("")), linkEnd2 ?? commentsPos2, commentEnd));
                        parts2.push(link);
                        comments2 = [];
                        linkEnd2 = scanner2.getTokenEnd();
                      } else {
                        pushComment(scanner2.getTokenText());
                      }
                      break;
                    case 62:
                      if (state === 3) {
                        state = 2;
                      } else {
                        state = 3;
                      }
                      pushComment(scanner2.getTokenText());
                      break;
                    case 82:
                      if (state !== 3) {
                        state = 2;
                      }
                      pushComment(scanner2.getTokenValue());
                      break;
                    case 42:
                      if (state === 0) {
                        state = 1;
                        indent3 += 1;
                        break;
                      }
                    default:
                      if (state !== 3) {
                        state = 2;
                      }
                      pushComment(scanner2.getTokenText());
                      break;
                  }
                  if (state === 2 || state === 3) {
                    tok = nextJSDocCommentTextToken(
                      state === 3
                      /* SavingBackticks */
                    );
                  } else {
                    tok = nextTokenJSDoc();
                  }
                }
              removeLeadingNewlines(comments2);
              const trimmedComments = comments2.join("").trimEnd();
              if (parts2.length) {
                if (trimmedComments.length) {
                  parts2.push(finishNode(factory2.createJSDocText(trimmedComments), linkEnd2 ?? commentsPos2));
                }
                return createNodeArray(parts2, commentsPos2, scanner2.getTokenEnd());
              } else if (trimmedComments.length) {
                return trimmedComments;
              }
            }
            function parseJSDocLink(start2) {
              const linkType = tryParse(parseJSDocLinkPrefix);
              if (!linkType) {
                return void 0;
              }
              nextTokenJSDoc();
              skipWhitespace();
              const name = parseJSDocLinkName();
              const text = [];
              while (token() !== 20 && token() !== 4 && token() !== 1) {
                text.push(scanner2.getTokenText());
                nextTokenJSDoc();
              }
              const create119 = linkType === "link" ? factory2.createJSDocLink : linkType === "linkcode" ? factory2.createJSDocLinkCode : factory2.createJSDocLinkPlain;
              return finishNode(create119(name, text.join("")), start2, scanner2.getTokenEnd());
            }
            function parseJSDocLinkName() {
              if (tokenIsIdentifierOrKeyword(token())) {
                const pos = getNodePos();
                let name = parseIdentifierName();
                while (parseOptional(
                  25
                  /* DotToken */
                )) {
                  name = finishNode(factory2.createQualifiedName(name, token() === 81 ? createMissingNode(
                    80,
                    /*reportAtCurrentPosition*/
                    false
                  ) : parseIdentifierName()), pos);
                }
                while (token() === 81) {
                  reScanHashToken();
                  nextTokenJSDoc();
                  name = finishNode(factory2.createJSDocMemberName(name, parseIdentifier()), pos);
                }
                return name;
              }
              return void 0;
            }
            function parseJSDocLinkPrefix() {
              skipWhitespaceOrAsterisk();
              if (token() === 19 && nextTokenJSDoc() === 60 && tokenIsIdentifierOrKeyword(nextTokenJSDoc())) {
                const kind = scanner2.getTokenValue();
                if (isJSDocLinkTag(kind)) return kind;
              }
            }
            function isJSDocLinkTag(kind) {
              return kind === "link" || kind === "linkcode" || kind === "linkplain";
            }
            function parseUnknownTag(start2, tagName, indent3, indentText) {
              return finishNode(factory2.createJSDocUnknownTag(tagName, parseTrailingTagComments(start2, getNodePos(), indent3, indentText)), start2);
            }
            function addTag(tag) {
              if (!tag) {
                return;
              }
              if (!tags) {
                tags = [tag];
                tagsPos = tag.pos;
              } else {
                tags.push(tag);
              }
              tagsEnd = tag.end;
            }
            function tryParseTypeExpression() {
              skipWhitespaceOrAsterisk();
              return token() === 19 ? parseJSDocTypeExpression() : void 0;
            }
            function parseBracketNameInPropertyAndParamTag() {
              const isBracketed = parseOptionalJsdoc(
                23
                /* OpenBracketToken */
              );
              if (isBracketed) {
                skipWhitespace();
              }
              const isBackquoted = parseOptionalJsdoc(
                62
                /* BacktickToken */
              );
              const name = parseJSDocEntityName();
              if (isBackquoted) {
                parseExpectedTokenJSDoc(
                  62
                  /* BacktickToken */
                );
              }
              if (isBracketed) {
                skipWhitespace();
                if (parseOptionalToken(
                  64
                  /* EqualsToken */
                )) {
                  parseExpression();
                }
                parseExpected(
                  24
                  /* CloseBracketToken */
                );
              }
              return { name, isBracketed };
            }
            function isObjectOrObjectArrayTypeReference(node) {
              switch (node.kind) {
                case 151:
                  return true;
                case 188:
                  return isObjectOrObjectArrayTypeReference(node.elementType);
                default:
                  return isTypeReferenceNode(node) && isIdentifier(node.typeName) && node.typeName.escapedText === "Object" && !node.typeArguments;
              }
            }
            function parseParameterOrPropertyTag(start2, tagName, target, indent3) {
              let typeExpression = tryParseTypeExpression();
              let isNameFirst = !typeExpression;
              skipWhitespaceOrAsterisk();
              const { name, isBracketed } = parseBracketNameInPropertyAndParamTag();
              const indentText = skipWhitespaceOrAsterisk();
              if (isNameFirst && !lookAhead(parseJSDocLinkPrefix)) {
                typeExpression = tryParseTypeExpression();
              }
              const comment = parseTrailingTagComments(start2, getNodePos(), indent3, indentText);
              const nestedTypeLiteral = parseNestedTypeLiteral(typeExpression, name, target, indent3);
              if (nestedTypeLiteral) {
                typeExpression = nestedTypeLiteral;
                isNameFirst = true;
              }
              const result2 = target === 1 ? factory2.createJSDocPropertyTag(tagName, name, isBracketed, typeExpression, isNameFirst, comment) : factory2.createJSDocParameterTag(tagName, name, isBracketed, typeExpression, isNameFirst, comment);
              return finishNode(result2, start2);
            }
            function parseNestedTypeLiteral(typeExpression, name, target, indent3) {
              if (typeExpression && isObjectOrObjectArrayTypeReference(typeExpression.type)) {
                const pos = getNodePos();
                let child;
                let children;
                while (child = tryParse(() => parseChildParameterOrPropertyTag(target, indent3, name))) {
                  if (child.kind === 341 || child.kind === 348) {
                    children = append(children, child);
                  } else if (child.kind === 345) {
                    parseErrorAtRange(child.tagName, Diagnostics.A_JSDoc_template_tag_may_not_follow_a_typedef_callback_or_overload_tag);
                  }
                }
                if (children) {
                  const literal = finishNode(factory2.createJSDocTypeLiteral(
                    children,
                    typeExpression.type.kind === 188
                    /* ArrayType */
                  ), pos);
                  return finishNode(factory2.createJSDocTypeExpression(literal), pos);
                }
              }
            }
            function parseReturnTag(start2, tagName, indent3, indentText) {
              if (some(tags, isJSDocReturnTag)) {
                parseErrorAt(tagName.pos, scanner2.getTokenStart(), Diagnostics._0_tag_already_specified, unescapeLeadingUnderscores(tagName.escapedText));
              }
              const typeExpression = tryParseTypeExpression();
              return finishNode(factory2.createJSDocReturnTag(tagName, typeExpression, parseTrailingTagComments(start2, getNodePos(), indent3, indentText)), start2);
            }
            function parseTypeTag(start2, tagName, indent3, indentText) {
              if (some(tags, isJSDocTypeTag)) {
                parseErrorAt(tagName.pos, scanner2.getTokenStart(), Diagnostics._0_tag_already_specified, unescapeLeadingUnderscores(tagName.escapedText));
              }
              const typeExpression = parseJSDocTypeExpression(
                /*mayOmitBraces*/
                true
              );
              const comments2 = indent3 !== void 0 && indentText !== void 0 ? parseTrailingTagComments(start2, getNodePos(), indent3, indentText) : void 0;
              return finishNode(factory2.createJSDocTypeTag(tagName, typeExpression, comments2), start2);
            }
            function parseSeeTag(start2, tagName, indent3, indentText) {
              const isMarkdownOrJSDocLink = token() === 23 || lookAhead(() => nextTokenJSDoc() === 60 && tokenIsIdentifierOrKeyword(nextTokenJSDoc()) && isJSDocLinkTag(scanner2.getTokenValue()));
              const nameExpression = isMarkdownOrJSDocLink ? void 0 : parseJSDocNameReference();
              const comments2 = indent3 !== void 0 && indentText !== void 0 ? parseTrailingTagComments(start2, getNodePos(), indent3, indentText) : void 0;
              return finishNode(factory2.createJSDocSeeTag(tagName, nameExpression, comments2), start2);
            }
            function parseThrowsTag(start2, tagName, indent3, indentText) {
              const typeExpression = tryParseTypeExpression();
              const comment = parseTrailingTagComments(start2, getNodePos(), indent3, indentText);
              return finishNode(factory2.createJSDocThrowsTag(tagName, typeExpression, comment), start2);
            }
            function parseAuthorTag(start2, tagName, indent3, indentText) {
              const commentStart = getNodePos();
              const textOnly = parseAuthorNameAndEmail();
              let commentEnd = scanner2.getTokenFullStart();
              const comments2 = parseTrailingTagComments(start2, commentEnd, indent3, indentText);
              if (!comments2) {
                commentEnd = scanner2.getTokenFullStart();
              }
              const allParts = typeof comments2 !== "string" ? createNodeArray(concatenate([finishNode(textOnly, commentStart, commentEnd)], comments2), commentStart) : textOnly.text + comments2;
              return finishNode(factory2.createJSDocAuthorTag(tagName, allParts), start2);
            }
            function parseAuthorNameAndEmail() {
              const comments2 = [];
              let inEmail = false;
              let token2 = scanner2.getToken();
              while (token2 !== 1 && token2 !== 4) {
                if (token2 === 30) {
                  inEmail = true;
                } else if (token2 === 60 && !inEmail) {
                  break;
                } else if (token2 === 32 && inEmail) {
                  comments2.push(scanner2.getTokenText());
                  scanner2.resetTokenState(scanner2.getTokenEnd());
                  break;
                }
                comments2.push(scanner2.getTokenText());
                token2 = nextTokenJSDoc();
              }
              return factory2.createJSDocText(comments2.join(""));
            }
            function parseImplementsTag(start2, tagName, margin, indentText) {
              const className = parseExpressionWithTypeArgumentsForAugments();
              return finishNode(factory2.createJSDocImplementsTag(tagName, className, parseTrailingTagComments(start2, getNodePos(), margin, indentText)), start2);
            }
            function parseAugmentsTag(start2, tagName, margin, indentText) {
              const className = parseExpressionWithTypeArgumentsForAugments();
              return finishNode(factory2.createJSDocAugmentsTag(tagName, className, parseTrailingTagComments(start2, getNodePos(), margin, indentText)), start2);
            }
            function parseSatisfiesTag(start2, tagName, margin, indentText) {
              const typeExpression = parseJSDocTypeExpression(
                /*mayOmitBraces*/
                false
              );
              const comments2 = margin !== void 0 && indentText !== void 0 ? parseTrailingTagComments(start2, getNodePos(), margin, indentText) : void 0;
              return finishNode(factory2.createJSDocSatisfiesTag(tagName, typeExpression, comments2), start2);
            }
            function parseImportTag(start2, tagName, margin, indentText) {
              const afterImportTagPos = scanner2.getTokenFullStart();
              let identifier;
              if (isIdentifier2()) {
                identifier = parseIdentifier();
              }
              const importClause = tryParseImportClause(
                identifier,
                afterImportTagPos,
                /*isTypeOnly*/
                true,
                /*skipJsDocLeadingAsterisks*/
                true
              );
              const moduleSpecifier = parseModuleSpecifier();
              const attributes = tryParseImportAttributes();
              const comments2 = margin !== void 0 && indentText !== void 0 ? parseTrailingTagComments(start2, getNodePos(), margin, indentText) : void 0;
              return finishNode(factory2.createJSDocImportTag(tagName, importClause, moduleSpecifier, attributes, comments2), start2);
            }
            function parseExpressionWithTypeArgumentsForAugments() {
              const usedBrace = parseOptional(
                19
                /* OpenBraceToken */
              );
              const pos = getNodePos();
              const expression = parsePropertyAccessEntityNameExpression();
              scanner2.setSkipJsDocLeadingAsterisks(true);
              const typeArguments = tryParseTypeArguments();
              scanner2.setSkipJsDocLeadingAsterisks(false);
              const node = factory2.createExpressionWithTypeArguments(expression, typeArguments);
              const res = finishNode(node, pos);
              if (usedBrace) {
                parseExpected(
                  20
                  /* CloseBraceToken */
                );
              }
              return res;
            }
            function parsePropertyAccessEntityNameExpression() {
              const pos = getNodePos();
              let node = parseJSDocIdentifierName();
              while (parseOptional(
                25
                /* DotToken */
              )) {
                const name = parseJSDocIdentifierName();
                node = finishNode(factoryCreatePropertyAccessExpression(node, name), pos);
              }
              return node;
            }
            function parseSimpleTag(start2, createTag, tagName, margin, indentText) {
              return finishNode(createTag(tagName, parseTrailingTagComments(start2, getNodePos(), margin, indentText)), start2);
            }
            function parseThisTag(start2, tagName, margin, indentText) {
              const typeExpression = parseJSDocTypeExpression(
                /*mayOmitBraces*/
                true
              );
              skipWhitespace();
              return finishNode(factory2.createJSDocThisTag(tagName, typeExpression, parseTrailingTagComments(start2, getNodePos(), margin, indentText)), start2);
            }
            function parseEnumTag(start2, tagName, margin, indentText) {
              const typeExpression = parseJSDocTypeExpression(
                /*mayOmitBraces*/
                true
              );
              skipWhitespace();
              return finishNode(factory2.createJSDocEnumTag(tagName, typeExpression, parseTrailingTagComments(start2, getNodePos(), margin, indentText)), start2);
            }
            function parseTypedefTag(start2, tagName, indent3, indentText) {
              let typeExpression = tryParseTypeExpression();
              skipWhitespaceOrAsterisk();
              const fullName = parseJSDocTypeNameWithNamespace();
              skipWhitespace();
              let comment = parseTagComments(indent3);
              let end2;
              if (!typeExpression || isObjectOrObjectArrayTypeReference(typeExpression.type)) {
                let child;
                let childTypeTag;
                let jsDocPropertyTags;
                let hasChildren = false;
                while (child = tryParse(() => parseChildPropertyTag(indent3))) {
                  if (child.kind === 345) {
                    break;
                  }
                  hasChildren = true;
                  if (child.kind === 344) {
                    if (childTypeTag) {
                      const lastError = parseErrorAtCurrentToken(Diagnostics.A_JSDoc_typedef_comment_may_not_contain_multiple_type_tags);
                      if (lastError) {
                        addRelatedInfo(lastError, createDetachedDiagnostic(fileName, sourceText, 0, 0, Diagnostics.The_tag_was_first_specified_here));
                      }
                      break;
                    } else {
                      childTypeTag = child;
                    }
                  } else {
                    jsDocPropertyTags = append(jsDocPropertyTags, child);
                  }
                }
                if (hasChildren) {
                  const isArrayType = typeExpression && typeExpression.type.kind === 188;
                  const jsdocTypeLiteral = factory2.createJSDocTypeLiteral(jsDocPropertyTags, isArrayType);
                  typeExpression = childTypeTag && childTypeTag.typeExpression && !isObjectOrObjectArrayTypeReference(childTypeTag.typeExpression.type) ? childTypeTag.typeExpression : finishNode(jsdocTypeLiteral, start2);
                  end2 = typeExpression.end;
                }
              }
              end2 = end2 || comment !== void 0 ? getNodePos() : (fullName ?? typeExpression ?? tagName).end;
              if (!comment) {
                comment = parseTrailingTagComments(start2, end2, indent3, indentText);
              }
              const typedefTag = factory2.createJSDocTypedefTag(tagName, typeExpression, fullName, comment);
              return finishNode(typedefTag, start2, end2);
            }
            function parseJSDocTypeNameWithNamespace(nested) {
              const start2 = scanner2.getTokenStart();
              if (!tokenIsIdentifierOrKeyword(token())) {
                return void 0;
              }
              const typeNameOrNamespaceName = parseJSDocIdentifierName();
              if (parseOptional(
                25
                /* DotToken */
              )) {
                const body = parseJSDocTypeNameWithNamespace(
                  /*nested*/
                  true
                );
                const jsDocNamespaceNode = factory2.createModuleDeclaration(
                  /*modifiers*/
                  void 0,
                  typeNameOrNamespaceName,
                  body,
                  nested ? 8 : void 0
                );
                return finishNode(jsDocNamespaceNode, start2);
              }
              if (nested) {
                typeNameOrNamespaceName.flags |= 4096;
              }
              return typeNameOrNamespaceName;
            }
            function parseCallbackTagParameters(indent3) {
              const pos = getNodePos();
              let child;
              let parameters;
              while (child = tryParse(() => parseChildParameterOrPropertyTag(4, indent3))) {
                if (child.kind === 345) {
                  parseErrorAtRange(child.tagName, Diagnostics.A_JSDoc_template_tag_may_not_follow_a_typedef_callback_or_overload_tag);
                  break;
                }
                parameters = append(parameters, child);
              }
              return createNodeArray(parameters || [], pos);
            }
            function parseJSDocSignature(start2, indent3) {
              const parameters = parseCallbackTagParameters(indent3);
              const returnTag = tryParse(() => {
                if (parseOptionalJsdoc(
                  60
                  /* AtToken */
                )) {
                  const tag = parseTag(indent3);
                  if (tag && tag.kind === 342) {
                    return tag;
                  }
                }
              });
              return finishNode(factory2.createJSDocSignature(
                /*typeParameters*/
                void 0,
                parameters,
                returnTag
              ), start2);
            }
            function parseCallbackTag(start2, tagName, indent3, indentText) {
              const fullName = parseJSDocTypeNameWithNamespace();
              skipWhitespace();
              let comment = parseTagComments(indent3);
              const typeExpression = parseJSDocSignature(start2, indent3);
              if (!comment) {
                comment = parseTrailingTagComments(start2, getNodePos(), indent3, indentText);
              }
              const end2 = comment !== void 0 ? getNodePos() : typeExpression.end;
              return finishNode(factory2.createJSDocCallbackTag(tagName, typeExpression, fullName, comment), start2, end2);
            }
            function parseOverloadTag(start2, tagName, indent3, indentText) {
              skipWhitespace();
              let comment = parseTagComments(indent3);
              const typeExpression = parseJSDocSignature(start2, indent3);
              if (!comment) {
                comment = parseTrailingTagComments(start2, getNodePos(), indent3, indentText);
              }
              const end2 = comment !== void 0 ? getNodePos() : typeExpression.end;
              return finishNode(factory2.createJSDocOverloadTag(tagName, typeExpression, comment), start2, end2);
            }
            function escapedTextsEqual(a, b) {
              while (!isIdentifier(a) || !isIdentifier(b)) {
                if (!isIdentifier(a) && !isIdentifier(b) && a.right.escapedText === b.right.escapedText) {
                  a = a.left;
                  b = b.left;
                } else {
                  return false;
                }
              }
              return a.escapedText === b.escapedText;
            }
            function parseChildPropertyTag(indent3) {
              return parseChildParameterOrPropertyTag(1, indent3);
            }
            function parseChildParameterOrPropertyTag(target, indent3, name) {
              let canParseTag = true;
              let seenAsterisk = false;
              while (true) {
                switch (nextTokenJSDoc()) {
                  case 60:
                    if (canParseTag) {
                      const child = tryParseChildTag(target, indent3);
                      if (child && (child.kind === 341 || child.kind === 348) && name && (isIdentifier(child.name) || !escapedTextsEqual(name, child.name.left))) {
                        return false;
                      }
                      return child;
                    }
                    seenAsterisk = false;
                    break;
                  case 4:
                    canParseTag = true;
                    seenAsterisk = false;
                    break;
                  case 42:
                    if (seenAsterisk) {
                      canParseTag = false;
                    }
                    seenAsterisk = true;
                    break;
                  case 80:
                    canParseTag = false;
                    break;
                  case 1:
                    return false;
                }
              }
            }
            function tryParseChildTag(target, indent3) {
              Debug.assert(
                token() === 60
                /* AtToken */
              );
              const start2 = scanner2.getTokenFullStart();
              nextTokenJSDoc();
              const tagName = parseJSDocIdentifierName();
              const indentText = skipWhitespaceOrAsterisk();
              let t;
              switch (tagName.escapedText) {
                case "type":
                  return target === 1 && parseTypeTag(start2, tagName);
                case "prop":
                case "property":
                  t = 1;
                  break;
                case "arg":
                case "argument":
                case "param":
                  t = 2 | 4;
                  break;
                case "template":
                  return parseTemplateTag(start2, tagName, indent3, indentText);
                case "this":
                  return parseThisTag(start2, tagName, indent3, indentText);
                default:
                  return false;
              }
              if (!(target & t)) {
                return false;
              }
              return parseParameterOrPropertyTag(start2, tagName, target, indent3);
            }
            function parseTemplateTagTypeParameter() {
              const typeParameterPos = getNodePos();
              const isBracketed = parseOptionalJsdoc(
                23
                /* OpenBracketToken */
              );
              if (isBracketed) {
                skipWhitespace();
              }
              const modifiers = parseModifiers(
                /*allowDecorators*/
                false,
                /*permitConstAsModifier*/
                true
              );
              const name = parseJSDocIdentifierName(Diagnostics.Unexpected_token_A_type_parameter_name_was_expected_without_curly_braces);
              let defaultType;
              if (isBracketed) {
                skipWhitespace();
                parseExpected(
                  64
                  /* EqualsToken */
                );
                defaultType = doInsideOfContext(16777216, parseJSDocType);
                parseExpected(
                  24
                  /* CloseBracketToken */
                );
              }
              if (nodeIsMissing(name)) {
                return void 0;
              }
              return finishNode(factory2.createTypeParameterDeclaration(
                modifiers,
                name,
                /*constraint*/
                void 0,
                defaultType
              ), typeParameterPos);
            }
            function parseTemplateTagTypeParameters() {
              const pos = getNodePos();
              const typeParameters = [];
              do {
                skipWhitespace();
                const node = parseTemplateTagTypeParameter();
                if (node !== void 0) {
                  typeParameters.push(node);
                }
                skipWhitespaceOrAsterisk();
              } while (parseOptionalJsdoc(
                28
                /* CommaToken */
              ));
              return createNodeArray(typeParameters, pos);
            }
            function parseTemplateTag(start2, tagName, indent3, indentText) {
              const constraint = token() === 19 ? parseJSDocTypeExpression() : void 0;
              const typeParameters = parseTemplateTagTypeParameters();
              return finishNode(factory2.createJSDocTemplateTag(tagName, constraint, typeParameters, parseTrailingTagComments(start2, getNodePos(), indent3, indentText)), start2);
            }
            function parseOptionalJsdoc(t) {
              if (token() === t) {
                nextTokenJSDoc();
                return true;
              }
              return false;
            }
            function parseJSDocEntityName() {
              let entity = parseJSDocIdentifierName();
              if (parseOptional(
                23
                /* OpenBracketToken */
              )) {
                parseExpected(
                  24
                  /* CloseBracketToken */
                );
              }
              while (parseOptional(
                25
                /* DotToken */
              )) {
                const name = parseJSDocIdentifierName();
                if (parseOptional(
                  23
                  /* OpenBracketToken */
                )) {
                  parseExpected(
                    24
                    /* CloseBracketToken */
                  );
                }
                entity = createQualifiedName(entity, name);
              }
              return entity;
            }
            function parseJSDocIdentifierName(message) {
              if (!tokenIsIdentifierOrKeyword(token())) {
                return createMissingNode(
                  80,
                  /*reportAtCurrentPosition*/
                  !message,
                  message || Diagnostics.Identifier_expected
                );
              }
              identifierCount++;
              const start2 = scanner2.getTokenStart();
              const end2 = scanner2.getTokenEnd();
              const originalKeywordKind = token();
              const text = internIdentifier(scanner2.getTokenValue());
              const result2 = finishNode(factoryCreateIdentifier(text, originalKeywordKind), start2, end2);
              nextTokenJSDoc();
              return result2;
            }
          }
        })(JSDocParser = Parser2.JSDocParser || (Parser2.JSDocParser = {}));
      })(Parser || (Parser = {}));
      var incrementallyParsedFiles = /* @__PURE__ */ new WeakSet();
      function markAsIncrementallyParsed(sourceFile) {
        if (incrementallyParsedFiles.has(sourceFile)) {
          Debug.fail("Source file has already been incrementally parsed");
        }
        incrementallyParsedFiles.add(sourceFile);
      }
      var intersectingChangeSet = /* @__PURE__ */ new WeakSet();
      function intersectsIncrementalChange(node) {
        return intersectingChangeSet.has(node);
      }
      function markAsIntersectingIncrementalChange(node) {
        intersectingChangeSet.add(node);
      }
      var IncrementalParser;
      ((IncrementalParser2) => {
        function updateSourceFile2(sourceFile, newText, textChangeRange, aggressiveChecks) {
          aggressiveChecks = aggressiveChecks || Debug.shouldAssert(
            2
            /* Aggressive */
          );
          checkChangeRange(sourceFile, newText, textChangeRange, aggressiveChecks);
          if (textChangeRangeIsUnchanged(textChangeRange)) {
            return sourceFile;
          }
          if (sourceFile.statements.length === 0) {
            return Parser.parseSourceFile(
              sourceFile.fileName,
              newText,
              sourceFile.languageVersion,
              /*syntaxCursor*/
              void 0,
              /*setParentNodes*/
              true,
              sourceFile.scriptKind,
              sourceFile.setExternalModuleIndicator,
              sourceFile.jsDocParsingMode
            );
          }
          markAsIncrementallyParsed(sourceFile);
          Parser.fixupParentReferences(sourceFile);
          const oldText = sourceFile.text;
          const syntaxCursor = createSyntaxCursor(sourceFile);
          const changeRange = extendToAffectedRange(sourceFile, textChangeRange);
          checkChangeRange(sourceFile, newText, changeRange, aggressiveChecks);
          Debug.assert(changeRange.span.start <= textChangeRange.span.start);
          Debug.assert(textSpanEnd(changeRange.span) === textSpanEnd(textChangeRange.span));
          Debug.assert(textSpanEnd(textChangeRangeNewSpan(changeRange)) === textSpanEnd(textChangeRangeNewSpan(textChangeRange)));
          const delta = textChangeRangeNewSpan(changeRange).length - changeRange.span.length;
          updateTokenPositionsAndMarkElements(sourceFile, changeRange.span.start, textSpanEnd(changeRange.span), textSpanEnd(textChangeRangeNewSpan(changeRange)), delta, oldText, newText, aggressiveChecks);
          const result = Parser.parseSourceFile(
            sourceFile.fileName,
            newText,
            sourceFile.languageVersion,
            syntaxCursor,
            /*setParentNodes*/
            true,
            sourceFile.scriptKind,
            sourceFile.setExternalModuleIndicator,
            sourceFile.jsDocParsingMode
          );
          result.commentDirectives = getNewCommentDirectives(
            sourceFile.commentDirectives,
            result.commentDirectives,
            changeRange.span.start,
            textSpanEnd(changeRange.span),
            delta,
            oldText,
            newText,
            aggressiveChecks
          );
          result.impliedNodeFormat = sourceFile.impliedNodeFormat;
          transferSourceFileChildren(sourceFile, result);
          return result;
        }
        IncrementalParser2.updateSourceFile = updateSourceFile2;
        function getNewCommentDirectives(oldDirectives, newDirectives, changeStart, changeRangeOldEnd, delta, oldText, newText, aggressiveChecks) {
          if (!oldDirectives) return newDirectives;
          let commentDirectives;
          let addedNewlyScannedDirectives = false;
          for (const directive of oldDirectives) {
            const { range, type } = directive;
            if (range.end < changeStart) {
              commentDirectives = append(commentDirectives, directive);
            } else if (range.pos > changeRangeOldEnd) {
              addNewlyScannedDirectives();
              const updatedDirective = {
                range: { pos: range.pos + delta, end: range.end + delta },
                type
              };
              commentDirectives = append(commentDirectives, updatedDirective);
              if (aggressiveChecks) {
                Debug.assert(oldText.substring(range.pos, range.end) === newText.substring(updatedDirective.range.pos, updatedDirective.range.end));
              }
            }
          }
          addNewlyScannedDirectives();
          return commentDirectives;
          function addNewlyScannedDirectives() {
            if (addedNewlyScannedDirectives) return;
            addedNewlyScannedDirectives = true;
            if (!commentDirectives) {
              commentDirectives = newDirectives;
            } else if (newDirectives) {
              commentDirectives.push(...newDirectives);
            }
          }
        }
        function moveElementEntirelyPastChangeRange(element, origSourceFile, isArray22, delta, oldText, newText, aggressiveChecks) {
          if (isArray22) {
            visitArray2(element);
          } else {
            visitNode3(element);
          }
          return;
          function visitNode3(node) {
            let text = "";
            if (aggressiveChecks && shouldCheckNode(node)) {
              text = oldText.substring(node.pos, node.end);
            }
            unsetNodeChildren(node, origSourceFile);
            setTextRangePosEnd(node, node.pos + delta, node.end + delta);
            if (aggressiveChecks && shouldCheckNode(node)) {
              Debug.assert(text === newText.substring(node.pos, node.end));
            }
            forEachChild(node, visitNode3, visitArray2);
            if (hasJSDocNodes(node)) {
              for (const jsDocComment of node.jsDoc) {
                visitNode3(jsDocComment);
              }
            }
            checkNodePositions(node, aggressiveChecks);
          }
          function visitArray2(array) {
            setTextRangePosEnd(array, array.pos + delta, array.end + delta);
            for (const node of array) {
              visitNode3(node);
            }
          }
        }
        function shouldCheckNode(node) {
          switch (node.kind) {
            case 11:
            case 9:
            case 80:
              return true;
          }
          return false;
        }
        function adjustIntersectingElement(element, changeStart, changeRangeOldEnd, changeRangeNewEnd, delta) {
          Debug.assert(element.end >= changeStart, "Adjusting an element that was entirely before the change range");
          Debug.assert(element.pos <= changeRangeOldEnd, "Adjusting an element that was entirely after the change range");
          Debug.assert(element.pos <= element.end);
          const pos = Math.min(element.pos, changeRangeNewEnd);
          const end = element.end >= changeRangeOldEnd ? (
            // Element ends after the change range.  Always adjust the end pos.
            element.end + delta
          ) : (
            // Element ends in the change range.  The element will keep its position if
            // possible. Or Move backward to the new-end if it's in the 'Y' range.
            Math.min(element.end, changeRangeNewEnd)
          );
          Debug.assert(pos <= end);
          if (element.parent) {
            const parent2 = element.parent;
            Debug.assertGreaterThanOrEqual(pos, parent2.pos);
            Debug.assertLessThanOrEqual(end, parent2.end);
          }
          setTextRangePosEnd(element, pos, end);
        }
        function checkNodePositions(node, aggressiveChecks) {
          if (aggressiveChecks) {
            let pos = node.pos;
            const visitNode3 = (child) => {
              Debug.assert(child.pos >= pos);
              pos = child.end;
            };
            if (hasJSDocNodes(node)) {
              for (const jsDocComment of node.jsDoc) {
                visitNode3(jsDocComment);
              }
            }
            forEachChild(node, visitNode3);
            Debug.assert(pos <= node.end);
          }
        }
        function updateTokenPositionsAndMarkElements(sourceFile, changeStart, changeRangeOldEnd, changeRangeNewEnd, delta, oldText, newText, aggressiveChecks) {
          visitNode3(sourceFile);
          return;
          function visitNode3(child) {
            Debug.assert(child.pos <= child.end);
            if (child.pos > changeRangeOldEnd) {
              moveElementEntirelyPastChangeRange(
                child,
                sourceFile,
                /*isArray*/
                false,
                delta,
                oldText,
                newText,
                aggressiveChecks
              );
              return;
            }
            const fullEnd = child.end;
            if (fullEnd >= changeStart) {
              markAsIntersectingIncrementalChange(child);
              unsetNodeChildren(child, sourceFile);
              adjustIntersectingElement(child, changeStart, changeRangeOldEnd, changeRangeNewEnd, delta);
              forEachChild(child, visitNode3, visitArray2);
              if (hasJSDocNodes(child)) {
                for (const jsDocComment of child.jsDoc) {
                  visitNode3(jsDocComment);
                }
              }
              checkNodePositions(child, aggressiveChecks);
              return;
            }
            Debug.assert(fullEnd < changeStart);
          }
          function visitArray2(array) {
            Debug.assert(array.pos <= array.end);
            if (array.pos > changeRangeOldEnd) {
              moveElementEntirelyPastChangeRange(
                array,
                sourceFile,
                /*isArray*/
                true,
                delta,
                oldText,
                newText,
                aggressiveChecks
              );
              return;
            }
            const fullEnd = array.end;
            if (fullEnd >= changeStart) {
              markAsIntersectingIncrementalChange(array);
              adjustIntersectingElement(array, changeStart, changeRangeOldEnd, changeRangeNewEnd, delta);
              for (const node of array) {
                visitNode3(node);
              }
              return;
            }
            Debug.assert(fullEnd < changeStart);
          }
        }
        function extendToAffectedRange(sourceFile, changeRange) {
          const maxLookahead = 1;
          let start = changeRange.span.start;
          for (let i = 0; start > 0 && i <= maxLookahead; i++) {
            const nearestNode = findNearestNodeStartingBeforeOrAtPosition(sourceFile, start);
            Debug.assert(nearestNode.pos <= start);
            const position = nearestNode.pos;
            start = Math.max(0, position - 1);
          }
          const finalSpan = createTextSpanFromBounds(start, textSpanEnd(changeRange.span));
          const finalLength = changeRange.newLength + (changeRange.span.start - start);
          return createTextChangeRange(finalSpan, finalLength);
        }
        function findNearestNodeStartingBeforeOrAtPosition(sourceFile, position) {
          let bestResult = sourceFile;
          let lastNodeEntirelyBeforePosition;
          forEachChild(sourceFile, visit);
          if (lastNodeEntirelyBeforePosition) {
            const lastChildOfLastEntireNodeBeforePosition = getLastDescendant(lastNodeEntirelyBeforePosition);
            if (lastChildOfLastEntireNodeBeforePosition.pos > bestResult.pos) {
              bestResult = lastChildOfLastEntireNodeBeforePosition;
            }
          }
          return bestResult;
          function getLastDescendant(node) {
            while (true) {
              const lastChild = getLastChild(node);
              if (lastChild) {
                node = lastChild;
              } else {
                return node;
              }
            }
          }
          function visit(child) {
            if (nodeIsMissing(child)) {
              return;
            }
            if (child.pos <= position) {
              if (child.pos >= bestResult.pos) {
                bestResult = child;
              }
              if (position < child.end) {
                forEachChild(child, visit);
                return true;
              } else {
                Debug.assert(child.end <= position);
                lastNodeEntirelyBeforePosition = child;
              }
            } else {
              Debug.assert(child.pos > position);
              return true;
            }
          }
        }
        function checkChangeRange(sourceFile, newText, textChangeRange, aggressiveChecks) {
          const oldText = sourceFile.text;
          if (textChangeRange) {
            Debug.assert(oldText.length - textChangeRange.span.length + textChangeRange.newLength === newText.length);
            if (aggressiveChecks || Debug.shouldAssert(
              3
              /* VeryAggressive */
            )) {
              const oldTextPrefix = oldText.substr(0, textChangeRange.span.start);
              const newTextPrefix = newText.substr(0, textChangeRange.span.start);
              Debug.assert(oldTextPrefix === newTextPrefix);
              const oldTextSuffix = oldText.substring(textSpanEnd(textChangeRange.span), oldText.length);
              const newTextSuffix = newText.substring(textSpanEnd(textChangeRangeNewSpan(textChangeRange)), newText.length);
              Debug.assert(oldTextSuffix === newTextSuffix);
            }
          }
        }
        function createSyntaxCursor(sourceFile) {
          let currentArray = sourceFile.statements;
          let currentArrayIndex = 0;
          Debug.assert(currentArrayIndex < currentArray.length);
          let current = currentArray[currentArrayIndex];
          let lastQueriedPosition = -1;
          return {
            currentNode(position) {
              if (position !== lastQueriedPosition) {
                if (current && current.end === position && currentArrayIndex < currentArray.length - 1) {
                  currentArrayIndex++;
                  current = currentArray[currentArrayIndex];
                }
                if (!current || current.pos !== position) {
                  findHighestListElementThatStartsAtPosition(position);
                }
              }
              lastQueriedPosition = position;
              Debug.assert(!current || current.pos === position);
              return current;
            }
          };
          function findHighestListElementThatStartsAtPosition(position) {
            currentArray = void 0;
            currentArrayIndex = -1;
            current = void 0;
            forEachChild(sourceFile, visitNode3, visitArray2);
            return;
            function visitNode3(node) {
              if (position >= node.pos && position < node.end) {
                forEachChild(node, visitNode3, visitArray2);
                return true;
              }
              return false;
            }
            function visitArray2(array) {
              if (position >= array.pos && position < array.end) {
                for (let i = 0; i < array.length; i++) {
                  const child = array[i];
                  if (child) {
                    if (child.pos === position) {
                      currentArray = array;
                      currentArrayIndex = i;
                      current = child;
                      return true;
                    } else {
                      if (child.pos < position && position < child.end) {
                        forEachChild(child, visitNode3, visitArray2);
                        return true;
                      }
                    }
                  }
                }
              }
              return false;
            }
          }
        }
        IncrementalParser2.createSyntaxCursor = createSyntaxCursor;
        let InvalidPosition;
        ((InvalidPosition2) => {
          InvalidPosition2[InvalidPosition2["Value"] = -1] = "Value";
        })(InvalidPosition || (InvalidPosition = {}));
      })(IncrementalParser || (IncrementalParser = {}));
      function isDeclarationFileName(fileName) {
        return getDeclarationFileExtension(fileName) !== void 0;
      }
      function getDeclarationFileExtension(fileName) {
        const standardExtension = getAnyExtensionFromPath(
          fileName,
          supportedDeclarationExtensions,
          /*ignoreCase*/
          false
        );
        if (standardExtension) {
          return standardExtension;
        }
        if (fileExtensionIs(
          fileName,
          ".ts"
          /* Ts */
        )) {
          const index = getBaseFileName(fileName).lastIndexOf(".d.");
          if (index >= 0) {
            return fileName.substring(index);
          }
        }
        return void 0;
      }
      function parseResolutionMode(mode, pos, end, reportDiagnostic) {
        if (!mode) {
          return void 0;
        }
        if (mode === "import") {
          return 99;
        }
        if (mode === "require") {
          return 1;
        }
        reportDiagnostic(pos, end - pos, Diagnostics.resolution_mode_should_be_either_require_or_import);
        return void 0;
      }
      function processCommentPragmas(context, sourceText) {
        const pragmas = [];
        for (const range of getLeadingCommentRanges(sourceText, 0) || emptyArray) {
          const comment = sourceText.substring(range.pos, range.end);
          extractPragmas(pragmas, range, comment);
        }
        context.pragmas = /* @__PURE__ */ new Map();
        for (const pragma of pragmas) {
          if (context.pragmas.has(pragma.name)) {
            const currentValue = context.pragmas.get(pragma.name);
            if (currentValue instanceof Array) {
              currentValue.push(pragma.args);
            } else {
              context.pragmas.set(pragma.name, [currentValue, pragma.args]);
            }
            continue;
          }
          context.pragmas.set(pragma.name, pragma.args);
        }
      }
      function processPragmasIntoFields(context, reportDiagnostic) {
        context.checkJsDirective = void 0;
        context.referencedFiles = [];
        context.typeReferenceDirectives = [];
        context.libReferenceDirectives = [];
        context.amdDependencies = [];
        context.hasNoDefaultLib = false;
        context.pragmas.forEach((entryOrList, key) => {
          switch (key) {
            case "reference": {
              const referencedFiles = context.referencedFiles;
              const typeReferenceDirectives = context.typeReferenceDirectives;
              const libReferenceDirectives = context.libReferenceDirectives;
              forEach(toArray(entryOrList), (arg) => {
                const { types, lib, path: path17, ["resolution-mode"]: res, preserve: _preserve } = arg.arguments;
                const preserve = _preserve === "true" ? true : void 0;
                if (arg.arguments["no-default-lib"] === "true") {
                  context.hasNoDefaultLib = true;
                } else if (types) {
                  const parsed = parseResolutionMode(res, types.pos, types.end, reportDiagnostic);
                  typeReferenceDirectives.push({ pos: types.pos, end: types.end, fileName: types.value, ...parsed ? { resolutionMode: parsed } : {}, ...preserve ? { preserve } : {} });
                } else if (lib) {
                  libReferenceDirectives.push({ pos: lib.pos, end: lib.end, fileName: lib.value, ...preserve ? { preserve } : {} });
                } else if (path17) {
                  referencedFiles.push({ pos: path17.pos, end: path17.end, fileName: path17.value, ...preserve ? { preserve } : {} });
                } else {
                  reportDiagnostic(arg.range.pos, arg.range.end - arg.range.pos, Diagnostics.Invalid_reference_directive_syntax);
                }
              });
              break;
            }
            case "amd-dependency": {
              context.amdDependencies = map(
                toArray(entryOrList),
                (x) => ({ name: x.arguments.name, path: x.arguments.path })
              );
              break;
            }
            case "amd-module": {
              if (entryOrList instanceof Array) {
                for (const entry of entryOrList) {
                  if (context.moduleName) {
                    reportDiagnostic(entry.range.pos, entry.range.end - entry.range.pos, Diagnostics.An_AMD_module_cannot_have_multiple_name_assignments);
                  }
                  context.moduleName = entry.arguments.name;
                }
              } else {
                context.moduleName = entryOrList.arguments.name;
              }
              break;
            }
            case "ts-nocheck":
            case "ts-check": {
              forEach(toArray(entryOrList), (entry) => {
                if (!context.checkJsDirective || entry.range.pos > context.checkJsDirective.pos) {
                  context.checkJsDirective = {
                    enabled: key === "ts-check",
                    end: entry.range.end,
                    pos: entry.range.pos
                  };
                }
              });
              break;
            }
            case "jsx":
            case "jsxfrag":
            case "jsximportsource":
            case "jsxruntime":
              return;
            default:
              Debug.fail("Unhandled pragma kind");
          }
        });
      }
      var namedArgRegExCache = /* @__PURE__ */ new Map();
      function getNamedArgRegEx(name) {
        if (namedArgRegExCache.has(name)) {
          return namedArgRegExCache.get(name);
        }
        const result = new RegExp(`(\\s${name}\\s*=\\s*)(?:(?:'([^']*)')|(?:"([^"]*)"))`, "im");
        namedArgRegExCache.set(name, result);
        return result;
      }
      var tripleSlashXMLCommentStartRegEx = /^\/\/\/\s*<(\S+)\s.*?\/>/im;
      var singleLinePragmaRegEx = /^\/\/\/?\s*@([^\s:]+)(.*)\s*$/im;
      function extractPragmas(pragmas, range, text) {
        const tripleSlash = range.kind === 2 && tripleSlashXMLCommentStartRegEx.exec(text);
        if (tripleSlash) {
          const name = tripleSlash[1].toLowerCase();
          const pragma = commentPragmas[name];
          if (!pragma || !(pragma.kind & 1)) {
            return;
          }
          if (pragma.args) {
            const argument = {};
            for (const arg of pragma.args) {
              const matcher = getNamedArgRegEx(arg.name);
              const matchResult = matcher.exec(text);
              if (!matchResult && !arg.optional) {
                return;
              } else if (matchResult) {
                const value = matchResult[2] || matchResult[3];
                if (arg.captureSpan) {
                  const startPos = range.pos + matchResult.index + matchResult[1].length + 1;
                  argument[arg.name] = {
                    value,
                    pos: startPos,
                    end: startPos + value.length
                  };
                } else {
                  argument[arg.name] = value;
                }
              }
            }
            pragmas.push({ name, args: { arguments: argument, range } });
          } else {
            pragmas.push({ name, args: { arguments: {}, range } });
          }
          return;
        }
        const singleLine = range.kind === 2 && singleLinePragmaRegEx.exec(text);
        if (singleLine) {
          return addPragmaForMatch(pragmas, range, 2, singleLine);
        }
        if (range.kind === 3) {
          const multiLinePragmaRegEx = /@(\S+)(\s+.*)?$/gim;
          let multiLineMatch;
          while (multiLineMatch = multiLinePragmaRegEx.exec(text)) {
            addPragmaForMatch(pragmas, range, 4, multiLineMatch);
          }
        }
      }
      function addPragmaForMatch(pragmas, range, kind, match) {
        if (!match) return;
        const name = match[1].toLowerCase();
        const pragma = commentPragmas[name];
        if (!pragma || !(pragma.kind & kind)) {
          return;
        }
        const args = match[2];
        const argument = getNamedPragmaArguments(pragma, args);
        if (argument === "fail") return;
        pragmas.push({ name, args: { arguments: argument, range } });
        return;
      }
      function getNamedPragmaArguments(pragma, text) {
        if (!text) return {};
        if (!pragma.args) return {};
        const args = text.trim().split(/\s+/);
        const argMap = {};
        for (let i = 0; i < pragma.args.length; i++) {
          const argument = pragma.args[i];
          if (!args[i] && !argument.optional) {
            return "fail";
          }
          if (argument.captureSpan) {
            return Debug.fail("Capture spans not yet implemented for non-xml pragmas");
          }
          argMap[argument.name] = args[i];
        }
        return argMap;
      }
      function tagNamesAreEquivalent(lhs, rhs) {
        if (lhs.kind !== rhs.kind) {
          return false;
        }
        if (lhs.kind === 80) {
          return lhs.escapedText === rhs.escapedText;
        }
        if (lhs.kind === 110) {
          return true;
        }
        if (lhs.kind === 295) {
          return lhs.namespace.escapedText === rhs.namespace.escapedText && lhs.name.escapedText === rhs.name.escapedText;
        }
        return lhs.name.escapedText === rhs.name.escapedText && tagNamesAreEquivalent(lhs.expression, rhs.expression);
      }
      var compileOnSaveCommandLineOption = {
        name: "compileOnSave",
        type: "boolean",
        defaultValueDescription: false
      };
      var jsxOptionMap = new Map(Object.entries({
        "preserve": 1,
        "react-native": 3,
        "react": 2,
        "react-jsx": 4,
        "react-jsxdev": 5
        /* ReactJSXDev */
      }));
      var inverseJsxOptionMap = new Map(mapIterator(jsxOptionMap.entries(), ([key, value]) => ["" + value, key]));
      var libEntries = [
        // JavaScript only
        ["es5", "lib.es5.d.ts"],
        ["es6", "lib.es2015.d.ts"],
        ["es2015", "lib.es2015.d.ts"],
        ["es7", "lib.es2016.d.ts"],
        ["es2016", "lib.es2016.d.ts"],
        ["es2017", "lib.es2017.d.ts"],
        ["es2018", "lib.es2018.d.ts"],
        ["es2019", "lib.es2019.d.ts"],
        ["es2020", "lib.es2020.d.ts"],
        ["es2021", "lib.es2021.d.ts"],
        ["es2022", "lib.es2022.d.ts"],
        ["es2023", "lib.es2023.d.ts"],
        ["esnext", "lib.esnext.d.ts"],
        // Host only
        ["dom", "lib.dom.d.ts"],
        ["dom.iterable", "lib.dom.iterable.d.ts"],
        ["dom.asynciterable", "lib.dom.asynciterable.d.ts"],
        ["webworker", "lib.webworker.d.ts"],
        ["webworker.importscripts", "lib.webworker.importscripts.d.ts"],
        ["webworker.iterable", "lib.webworker.iterable.d.ts"],
        ["webworker.asynciterable", "lib.webworker.asynciterable.d.ts"],
        ["scripthost", "lib.scripthost.d.ts"],
        // ES2015 Or ESNext By-feature options
        ["es2015.core", "lib.es2015.core.d.ts"],
        ["es2015.collection", "lib.es2015.collection.d.ts"],
        ["es2015.generator", "lib.es2015.generator.d.ts"],
        ["es2015.iterable", "lib.es2015.iterable.d.ts"],
        ["es2015.promise", "lib.es2015.promise.d.ts"],
        ["es2015.proxy", "lib.es2015.proxy.d.ts"],
        ["es2015.reflect", "lib.es2015.reflect.d.ts"],
        ["es2015.symbol", "lib.es2015.symbol.d.ts"],
        ["es2015.symbol.wellknown", "lib.es2015.symbol.wellknown.d.ts"],
        ["es2016.array.include", "lib.es2016.array.include.d.ts"],
        ["es2016.intl", "lib.es2016.intl.d.ts"],
        ["es2017.date", "lib.es2017.date.d.ts"],
        ["es2017.object", "lib.es2017.object.d.ts"],
        ["es2017.sharedmemory", "lib.es2017.sharedmemory.d.ts"],
        ["es2017.string", "lib.es2017.string.d.ts"],
        ["es2017.intl", "lib.es2017.intl.d.ts"],
        ["es2017.typedarrays", "lib.es2017.typedarrays.d.ts"],
        ["es2018.asyncgenerator", "lib.es2018.asyncgenerator.d.ts"],
        ["es2018.asynciterable", "lib.es2018.asynciterable.d.ts"],
        ["es2018.intl", "lib.es2018.intl.d.ts"],
        ["es2018.promise", "lib.es2018.promise.d.ts"],
        ["es2018.regexp", "lib.es2018.regexp.d.ts"],
        ["es2019.array", "lib.es2019.array.d.ts"],
        ["es2019.object", "lib.es2019.object.d.ts"],
        ["es2019.string", "lib.es2019.string.d.ts"],
        ["es2019.symbol", "lib.es2019.symbol.d.ts"],
        ["es2019.intl", "lib.es2019.intl.d.ts"],
        ["es2020.bigint", "lib.es2020.bigint.d.ts"],
        ["es2020.date", "lib.es2020.date.d.ts"],
        ["es2020.promise", "lib.es2020.promise.d.ts"],
        ["es2020.sharedmemory", "lib.es2020.sharedmemory.d.ts"],
        ["es2020.string", "lib.es2020.string.d.ts"],
        ["es2020.symbol.wellknown", "lib.es2020.symbol.wellknown.d.ts"],
        ["es2020.intl", "lib.es2020.intl.d.ts"],
        ["es2020.number", "lib.es2020.number.d.ts"],
        ["es2021.promise", "lib.es2021.promise.d.ts"],
        ["es2021.string", "lib.es2021.string.d.ts"],
        ["es2021.weakref", "lib.es2021.weakref.d.ts"],
        ["es2021.intl", "lib.es2021.intl.d.ts"],
        ["es2022.array", "lib.es2022.array.d.ts"],
        ["es2022.error", "lib.es2022.error.d.ts"],
        ["es2022.intl", "lib.es2022.intl.d.ts"],
        ["es2022.object", "lib.es2022.object.d.ts"],
        ["es2022.sharedmemory", "lib.es2022.sharedmemory.d.ts"],
        ["es2022.string", "lib.es2022.string.d.ts"],
        ["es2022.regexp", "lib.es2022.regexp.d.ts"],
        ["es2023.array", "lib.es2023.array.d.ts"],
        ["es2023.collection", "lib.es2023.collection.d.ts"],
        ["es2023.intl", "lib.es2023.intl.d.ts"],
        ["esnext.array", "lib.es2023.array.d.ts"],
        ["esnext.collection", "lib.esnext.collection.d.ts"],
        ["esnext.symbol", "lib.es2019.symbol.d.ts"],
        ["esnext.asynciterable", "lib.es2018.asynciterable.d.ts"],
        ["esnext.intl", "lib.esnext.intl.d.ts"],
        ["esnext.disposable", "lib.esnext.disposable.d.ts"],
        ["esnext.bigint", "lib.es2020.bigint.d.ts"],
        ["esnext.string", "lib.es2022.string.d.ts"],
        ["esnext.promise", "lib.esnext.promise.d.ts"],
        ["esnext.weakref", "lib.es2021.weakref.d.ts"],
        ["esnext.decorators", "lib.esnext.decorators.d.ts"],
        ["esnext.object", "lib.esnext.object.d.ts"],
        ["esnext.array", "lib.esnext.array.d.ts"],
        ["esnext.regexp", "lib.esnext.regexp.d.ts"],
        ["esnext.string", "lib.esnext.string.d.ts"],
        ["decorators", "lib.decorators.d.ts"],
        ["decorators.legacy", "lib.decorators.legacy.d.ts"]
      ];
      var libs = libEntries.map((entry) => entry[0]);
      var libMap = new Map(libEntries);
      var optionsForWatch = [
        {
          name: "watchFile",
          type: new Map(Object.entries({
            fixedpollinginterval: 0,
            prioritypollinginterval: 1,
            dynamicprioritypolling: 2,
            fixedchunksizepolling: 3,
            usefsevents: 4,
            usefseventsonparentdirectory: 5
            /* UseFsEventsOnParentDirectory */
          })),
          category: Diagnostics.Watch_and_Build_Modes,
          description: Diagnostics.Specify_how_the_TypeScript_watch_mode_works,
          defaultValueDescription: 4
          /* UseFsEvents */
        },
        {
          name: "watchDirectory",
          type: new Map(Object.entries({
            usefsevents: 0,
            fixedpollinginterval: 1,
            dynamicprioritypolling: 2,
            fixedchunksizepolling: 3
            /* FixedChunkSizePolling */
          })),
          category: Diagnostics.Watch_and_Build_Modes,
          description: Diagnostics.Specify_how_directories_are_watched_on_systems_that_lack_recursive_file_watching_functionality,
          defaultValueDescription: 0
          /* UseFsEvents */
        },
        {
          name: "fallbackPolling",
          type: new Map(Object.entries({
            fixedinterval: 0,
            priorityinterval: 1,
            dynamicpriority: 2,
            fixedchunksize: 3
            /* FixedChunkSize */
          })),
          category: Diagnostics.Watch_and_Build_Modes,
          description: Diagnostics.Specify_what_approach_the_watcher_should_use_if_the_system_runs_out_of_native_file_watchers,
          defaultValueDescription: 1
          /* PriorityInterval */
        },
        {
          name: "synchronousWatchDirectory",
          type: "boolean",
          category: Diagnostics.Watch_and_Build_Modes,
          description: Diagnostics.Synchronously_call_callbacks_and_update_the_state_of_directory_watchers_on_platforms_that_don_t_support_recursive_watching_natively,
          defaultValueDescription: false
        },
        {
          name: "excludeDirectories",
          type: "list",
          element: {
            name: "excludeDirectory",
            type: "string",
            isFilePath: true,
            extraValidation: specToDiagnostic
          },
          allowConfigDirTemplateSubstitution: true,
          category: Diagnostics.Watch_and_Build_Modes,
          description: Diagnostics.Remove_a_list_of_directories_from_the_watch_process
        },
        {
          name: "excludeFiles",
          type: "list",
          element: {
            name: "excludeFile",
            type: "string",
            isFilePath: true,
            extraValidation: specToDiagnostic
          },
          allowConfigDirTemplateSubstitution: true,
          category: Diagnostics.Watch_and_Build_Modes,
          description: Diagnostics.Remove_a_list_of_files_from_the_watch_mode_s_processing
        }
      ];
      var commonOptionsWithBuild = [
        {
          name: "help",
          shortName: "h",
          type: "boolean",
          showInSimplifiedHelpView: true,
          isCommandLineOnly: true,
          category: Diagnostics.Command_line_Options,
          description: Diagnostics.Print_this_message,
          defaultValueDescription: false
        },
        {
          name: "help",
          shortName: "?",
          type: "boolean",
          isCommandLineOnly: true,
          category: Diagnostics.Command_line_Options,
          defaultValueDescription: false
        },
        {
          name: "watch",
          shortName: "w",
          type: "boolean",
          showInSimplifiedHelpView: true,
          isCommandLineOnly: true,
          category: Diagnostics.Command_line_Options,
          description: Diagnostics.Watch_input_files,
          defaultValueDescription: false
        },
        {
          name: "preserveWatchOutput",
          type: "boolean",
          showInSimplifiedHelpView: false,
          category: Diagnostics.Output_Formatting,
          description: Diagnostics.Disable_wiping_the_console_in_watch_mode,
          defaultValueDescription: false
        },
        {
          name: "listFiles",
          type: "boolean",
          category: Diagnostics.Compiler_Diagnostics,
          description: Diagnostics.Print_all_of_the_files_read_during_the_compilation,
          defaultValueDescription: false
        },
        {
          name: "explainFiles",
          type: "boolean",
          category: Diagnostics.Compiler_Diagnostics,
          description: Diagnostics.Print_files_read_during_the_compilation_including_why_it_was_included,
          defaultValueDescription: false
        },
        {
          name: "listEmittedFiles",
          type: "boolean",
          category: Diagnostics.Compiler_Diagnostics,
          description: Diagnostics.Print_the_names_of_emitted_files_after_a_compilation,
          defaultValueDescription: false
        },
        {
          name: "pretty",
          type: "boolean",
          showInSimplifiedHelpView: true,
          category: Diagnostics.Output_Formatting,
          description: Diagnostics.Enable_color_and_formatting_in_TypeScript_s_output_to_make_compiler_errors_easier_to_read,
          defaultValueDescription: true
        },
        {
          name: "traceResolution",
          type: "boolean",
          category: Diagnostics.Compiler_Diagnostics,
          description: Diagnostics.Log_paths_used_during_the_moduleResolution_process,
          defaultValueDescription: false
        },
        {
          name: "diagnostics",
          type: "boolean",
          category: Diagnostics.Compiler_Diagnostics,
          description: Diagnostics.Output_compiler_performance_information_after_building,
          defaultValueDescription: false
        },
        {
          name: "extendedDiagnostics",
          type: "boolean",
          category: Diagnostics.Compiler_Diagnostics,
          description: Diagnostics.Output_more_detailed_compiler_performance_information_after_building,
          defaultValueDescription: false
        },
        {
          name: "generateCpuProfile",
          type: "string",
          isFilePath: true,
          paramType: Diagnostics.FILE_OR_DIRECTORY,
          category: Diagnostics.Compiler_Diagnostics,
          description: Diagnostics.Emit_a_v8_CPU_profile_of_the_compiler_run_for_debugging,
          defaultValueDescription: "profile.cpuprofile"
        },
        {
          name: "generateTrace",
          type: "string",
          isFilePath: true,
          isCommandLineOnly: true,
          paramType: Diagnostics.DIRECTORY,
          category: Diagnostics.Compiler_Diagnostics,
          description: Diagnostics.Generates_an_event_trace_and_a_list_of_types
        },
        {
          name: "incremental",
          shortName: "i",
          type: "boolean",
          category: Diagnostics.Projects,
          description: Diagnostics.Save_tsbuildinfo_files_to_allow_for_incremental_compilation_of_projects,
          transpileOptionValue: void 0,
          defaultValueDescription: Diagnostics.false_unless_composite_is_set
        },
        {
          name: "declaration",
          shortName: "d",
          type: "boolean",
          // Not setting affectsEmit because we calculate this flag might not affect full emit
          affectsBuildInfo: true,
          showInSimplifiedHelpView: true,
          category: Diagnostics.Emit,
          transpileOptionValue: void 0,
          description: Diagnostics.Generate_d_ts_files_from_TypeScript_and_JavaScript_files_in_your_project,
          defaultValueDescription: Diagnostics.false_unless_composite_is_set
        },
        {
          name: "declarationMap",
          type: "boolean",
          // Not setting affectsEmit because we calculate this flag might not affect full emit
          affectsBuildInfo: true,
          showInSimplifiedHelpView: true,
          category: Diagnostics.Emit,
          defaultValueDescription: false,
          description: Diagnostics.Create_sourcemaps_for_d_ts_files
        },
        {
          name: "emitDeclarationOnly",
          type: "boolean",
          // Not setting affectsEmit because we calculate this flag might not affect full emit
          affectsBuildInfo: true,
          showInSimplifiedHelpView: true,
          category: Diagnostics.Emit,
          description: Diagnostics.Only_output_d_ts_files_and_not_JavaScript_files,
          transpileOptionValue: void 0,
          defaultValueDescription: false
        },
        {
          name: "sourceMap",
          type: "boolean",
          // Not setting affectsEmit because we calculate this flag might not affect full emit
          affectsBuildInfo: true,
          showInSimplifiedHelpView: true,
          category: Diagnostics.Emit,
          defaultValueDescription: false,
          description: Diagnostics.Create_source_map_files_for_emitted_JavaScript_files
        },
        {
          name: "inlineSourceMap",
          type: "boolean",
          // Not setting affectsEmit because we calculate this flag might not affect full emit
          affectsBuildInfo: true,
          category: Diagnostics.Emit,
          description: Diagnostics.Include_sourcemap_files_inside_the_emitted_JavaScript,
          defaultValueDescription: false
        },
        {
          name: "assumeChangesOnlyAffectDirectDependencies",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsEmit: true,
          affectsBuildInfo: true,
          category: Diagnostics.Watch_and_Build_Modes,
          description: Diagnostics.Have_recompiles_in_projects_that_use_incremental_and_watch_mode_assume_that_changes_within_a_file_will_only_affect_files_directly_depending_on_it,
          defaultValueDescription: false
        },
        {
          name: "locale",
          type: "string",
          category: Diagnostics.Command_line_Options,
          isCommandLineOnly: true,
          description: Diagnostics.Set_the_language_of_the_messaging_from_TypeScript_This_does_not_affect_emit,
          defaultValueDescription: Diagnostics.Platform_specific
        }
      ];
      var targetOptionDeclaration = {
        name: "target",
        shortName: "t",
        type: new Map(Object.entries({
          es3: 0,
          es5: 1,
          es6: 2,
          es2015: 2,
          es2016: 3,
          es2017: 4,
          es2018: 5,
          es2019: 6,
          es2020: 7,
          es2021: 8,
          es2022: 9,
          es2023: 10,
          esnext: 99
          /* ESNext */
        })),
        affectsSourceFile: true,
        affectsModuleResolution: true,
        affectsEmit: true,
        affectsBuildInfo: true,
        deprecatedKeys: /* @__PURE__ */ new Set(["es3"]),
        paramType: Diagnostics.VERSION,
        showInSimplifiedHelpView: true,
        category: Diagnostics.Language_and_Environment,
        description: Diagnostics.Set_the_JavaScript_language_version_for_emitted_JavaScript_and_include_compatible_library_declarations,
        defaultValueDescription: 1
        /* ES5 */
      };
      var moduleOptionDeclaration = {
        name: "module",
        shortName: "m",
        type: new Map(Object.entries({
          none: 0,
          commonjs: 1,
          amd: 2,
          system: 4,
          umd: 3,
          es6: 5,
          es2015: 5,
          es2020: 6,
          es2022: 7,
          esnext: 99,
          node16: 100,
          nodenext: 199,
          preserve: 200
          /* Preserve */
        })),
        affectsSourceFile: true,
        affectsModuleResolution: true,
        affectsEmit: true,
        affectsBuildInfo: true,
        paramType: Diagnostics.KIND,
        showInSimplifiedHelpView: true,
        category: Diagnostics.Modules,
        description: Diagnostics.Specify_what_module_code_is_generated,
        defaultValueDescription: void 0
      };
      var commandOptionsWithoutBuild = [
        // CommandLine only options
        {
          name: "all",
          type: "boolean",
          showInSimplifiedHelpView: true,
          category: Diagnostics.Command_line_Options,
          description: Diagnostics.Show_all_compiler_options,
          defaultValueDescription: false
        },
        {
          name: "version",
          shortName: "v",
          type: "boolean",
          showInSimplifiedHelpView: true,
          category: Diagnostics.Command_line_Options,
          description: Diagnostics.Print_the_compiler_s_version,
          defaultValueDescription: false
        },
        {
          name: "init",
          type: "boolean",
          showInSimplifiedHelpView: true,
          category: Diagnostics.Command_line_Options,
          description: Diagnostics.Initializes_a_TypeScript_project_and_creates_a_tsconfig_json_file,
          defaultValueDescription: false
        },
        {
          name: "project",
          shortName: "p",
          type: "string",
          isFilePath: true,
          showInSimplifiedHelpView: true,
          category: Diagnostics.Command_line_Options,
          paramType: Diagnostics.FILE_OR_DIRECTORY,
          description: Diagnostics.Compile_the_project_given_the_path_to_its_configuration_file_or_to_a_folder_with_a_tsconfig_json
        },
        {
          name: "build",
          type: "boolean",
          shortName: "b",
          showInSimplifiedHelpView: true,
          category: Diagnostics.Command_line_Options,
          description: Diagnostics.Build_one_or_more_projects_and_their_dependencies_if_out_of_date,
          defaultValueDescription: false
        },
        {
          name: "showConfig",
          type: "boolean",
          showInSimplifiedHelpView: true,
          category: Diagnostics.Command_line_Options,
          isCommandLineOnly: true,
          description: Diagnostics.Print_the_final_configuration_instead_of_building,
          defaultValueDescription: false
        },
        {
          name: "listFilesOnly",
          type: "boolean",
          category: Diagnostics.Command_line_Options,
          isCommandLineOnly: true,
          description: Diagnostics.Print_names_of_files_that_are_part_of_the_compilation_and_then_stop_processing,
          defaultValueDescription: false
        },
        // Basic
        targetOptionDeclaration,
        moduleOptionDeclaration,
        {
          name: "lib",
          type: "list",
          element: {
            name: "lib",
            type: libMap,
            defaultValueDescription: void 0
          },
          affectsProgramStructure: true,
          showInSimplifiedHelpView: true,
          category: Diagnostics.Language_and_Environment,
          description: Diagnostics.Specify_a_set_of_bundled_library_declaration_files_that_describe_the_target_runtime_environment,
          transpileOptionValue: void 0
        },
        {
          name: "allowJs",
          type: "boolean",
          allowJsFlag: true,
          affectsBuildInfo: true,
          showInSimplifiedHelpView: true,
          category: Diagnostics.JavaScript_Support,
          description: Diagnostics.Allow_JavaScript_files_to_be_a_part_of_your_program_Use_the_checkJS_option_to_get_errors_from_these_files,
          defaultValueDescription: false
        },
        {
          name: "checkJs",
          type: "boolean",
          affectsModuleResolution: true,
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          showInSimplifiedHelpView: true,
          category: Diagnostics.JavaScript_Support,
          description: Diagnostics.Enable_error_reporting_in_type_checked_JavaScript_files,
          defaultValueDescription: false
        },
        {
          name: "jsx",
          type: jsxOptionMap,
          affectsSourceFile: true,
          affectsEmit: true,
          affectsBuildInfo: true,
          affectsModuleResolution: true,
          // The checker emits an error when it sees JSX but this option is not set in compilerOptions.
          // This is effectively a semantic error, so mark this option as affecting semantic diagnostics
          // so we know to refresh errors when this option is changed.
          affectsSemanticDiagnostics: true,
          paramType: Diagnostics.KIND,
          showInSimplifiedHelpView: true,
          category: Diagnostics.Language_and_Environment,
          description: Diagnostics.Specify_what_JSX_code_is_generated,
          defaultValueDescription: void 0
        },
        {
          name: "outFile",
          type: "string",
          affectsEmit: true,
          affectsBuildInfo: true,
          affectsDeclarationPath: true,
          isFilePath: true,
          paramType: Diagnostics.FILE,
          showInSimplifiedHelpView: true,
          category: Diagnostics.Emit,
          description: Diagnostics.Specify_a_file_that_bundles_all_outputs_into_one_JavaScript_file_If_declaration_is_true_also_designates_a_file_that_bundles_all_d_ts_output,
          transpileOptionValue: void 0
        },
        {
          name: "outDir",
          type: "string",
          affectsEmit: true,
          affectsBuildInfo: true,
          affectsDeclarationPath: true,
          isFilePath: true,
          paramType: Diagnostics.DIRECTORY,
          showInSimplifiedHelpView: true,
          category: Diagnostics.Emit,
          description: Diagnostics.Specify_an_output_folder_for_all_emitted_files
        },
        {
          name: "rootDir",
          type: "string",
          affectsEmit: true,
          affectsBuildInfo: true,
          affectsDeclarationPath: true,
          isFilePath: true,
          paramType: Diagnostics.LOCATION,
          category: Diagnostics.Modules,
          description: Diagnostics.Specify_the_root_folder_within_your_source_files,
          defaultValueDescription: Diagnostics.Computed_from_the_list_of_input_files
        },
        {
          name: "composite",
          type: "boolean",
          // Not setting affectsEmit because we calculate this flag might not affect full emit
          affectsBuildInfo: true,
          isTSConfigOnly: true,
          category: Diagnostics.Projects,
          transpileOptionValue: void 0,
          defaultValueDescription: false,
          description: Diagnostics.Enable_constraints_that_allow_a_TypeScript_project_to_be_used_with_project_references
        },
        {
          name: "tsBuildInfoFile",
          type: "string",
          affectsEmit: true,
          affectsBuildInfo: true,
          isFilePath: true,
          paramType: Diagnostics.FILE,
          category: Diagnostics.Projects,
          transpileOptionValue: void 0,
          defaultValueDescription: ".tsbuildinfo",
          description: Diagnostics.Specify_the_path_to_tsbuildinfo_incremental_compilation_file
        },
        {
          name: "removeComments",
          type: "boolean",
          affectsEmit: true,
          affectsBuildInfo: true,
          showInSimplifiedHelpView: true,
          category: Diagnostics.Emit,
          defaultValueDescription: false,
          description: Diagnostics.Disable_emitting_comments
        },
        {
          name: "noCheck",
          type: "boolean",
          showInSimplifiedHelpView: false,
          category: Diagnostics.Compiler_Diagnostics,
          description: Diagnostics.Disable_full_type_checking_only_critical_parse_and_emit_errors_will_be_reported,
          transpileOptionValue: true,
          defaultValueDescription: false,
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          extraValidation() {
            return [Diagnostics.Unknown_compiler_option_0, "noCheck"];
          }
        },
        {
          name: "noEmit",
          type: "boolean",
          showInSimplifiedHelpView: true,
          category: Diagnostics.Emit,
          description: Diagnostics.Disable_emitting_files_from_a_compilation,
          transpileOptionValue: void 0,
          defaultValueDescription: false
        },
        {
          name: "importHelpers",
          type: "boolean",
          affectsEmit: true,
          affectsBuildInfo: true,
          affectsSourceFile: true,
          category: Diagnostics.Emit,
          description: Diagnostics.Allow_importing_helper_functions_from_tslib_once_per_project_instead_of_including_them_per_file,
          defaultValueDescription: false
        },
        {
          name: "importsNotUsedAsValues",
          type: new Map(Object.entries({
            remove: 0,
            preserve: 1,
            error: 2
            /* Error */
          })),
          affectsEmit: true,
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Backwards_Compatibility,
          description: Diagnostics.Specify_emit_Slashchecking_behavior_for_imports_that_are_only_used_for_types,
          defaultValueDescription: 0
          /* Remove */
        },
        {
          name: "downlevelIteration",
          type: "boolean",
          affectsEmit: true,
          affectsBuildInfo: true,
          category: Diagnostics.Emit,
          description: Diagnostics.Emit_more_compliant_but_verbose_and_less_performant_JavaScript_for_iteration,
          defaultValueDescription: false
        },
        {
          name: "isolatedModules",
          type: "boolean",
          category: Diagnostics.Interop_Constraints,
          description: Diagnostics.Ensure_that_each_file_can_be_safely_transpiled_without_relying_on_other_imports,
          transpileOptionValue: true,
          defaultValueDescription: false
        },
        {
          name: "verbatimModuleSyntax",
          type: "boolean",
          affectsEmit: true,
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Interop_Constraints,
          description: Diagnostics.Do_not_transform_or_elide_any_imports_or_exports_not_marked_as_type_only_ensuring_they_are_written_in_the_output_file_s_format_based_on_the_module_setting,
          defaultValueDescription: false
        },
        {
          name: "isolatedDeclarations",
          type: "boolean",
          category: Diagnostics.Interop_Constraints,
          description: Diagnostics.Require_sufficient_annotation_on_exports_so_other_tools_can_trivially_generate_declaration_files,
          defaultValueDescription: false,
          affectsBuildInfo: true,
          affectsSemanticDiagnostics: true
        },
        // Strict Type Checks
        {
          name: "strict",
          type: "boolean",
          // Though this affects semantic diagnostics, affectsSemanticDiagnostics is not set here
          // The value of each strictFlag depends on own strictFlag value or this and never accessed directly.
          // But we need to store `strict` in builf info, even though it won't be examined directly, so that the
          // flags it controls (e.g. `strictNullChecks`) will be retrieved correctly
          affectsBuildInfo: true,
          showInSimplifiedHelpView: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.Enable_all_strict_type_checking_options,
          defaultValueDescription: false
        },
        {
          name: "noImplicitAny",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          strictFlag: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.Enable_error_reporting_for_expressions_and_declarations_with_an_implied_any_type,
          defaultValueDescription: Diagnostics.false_unless_strict_is_set
        },
        {
          name: "strictNullChecks",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          strictFlag: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.When_type_checking_take_into_account_null_and_undefined,
          defaultValueDescription: Diagnostics.false_unless_strict_is_set
        },
        {
          name: "strictFunctionTypes",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          strictFlag: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.When_assigning_functions_check_to_ensure_parameters_and_the_return_values_are_subtype_compatible,
          defaultValueDescription: Diagnostics.false_unless_strict_is_set
        },
        {
          name: "strictBindCallApply",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          strictFlag: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.Check_that_the_arguments_for_bind_call_and_apply_methods_match_the_original_function,
          defaultValueDescription: Diagnostics.false_unless_strict_is_set
        },
        {
          name: "strictPropertyInitialization",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          strictFlag: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.Check_for_class_properties_that_are_declared_but_not_set_in_the_constructor,
          defaultValueDescription: Diagnostics.false_unless_strict_is_set
        },
        {
          name: "noImplicitThis",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          strictFlag: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.Enable_error_reporting_when_this_is_given_the_type_any,
          defaultValueDescription: Diagnostics.false_unless_strict_is_set
        },
        {
          name: "useUnknownInCatchVariables",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          strictFlag: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.Default_catch_clause_variables_as_unknown_instead_of_any,
          defaultValueDescription: Diagnostics.false_unless_strict_is_set
        },
        {
          name: "alwaysStrict",
          type: "boolean",
          affectsSourceFile: true,
          affectsEmit: true,
          affectsBuildInfo: true,
          strictFlag: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.Ensure_use_strict_is_always_emitted,
          defaultValueDescription: Diagnostics.false_unless_strict_is_set
        },
        // Additional Checks
        {
          name: "noUnusedLocals",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.Enable_error_reporting_when_local_variables_aren_t_read,
          defaultValueDescription: false
        },
        {
          name: "noUnusedParameters",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.Raise_an_error_when_a_function_parameter_isn_t_read,
          defaultValueDescription: false
        },
        {
          name: "exactOptionalPropertyTypes",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.Interpret_optional_property_types_as_written_rather_than_adding_undefined,
          defaultValueDescription: false
        },
        {
          name: "noImplicitReturns",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.Enable_error_reporting_for_codepaths_that_do_not_explicitly_return_in_a_function,
          defaultValueDescription: false
        },
        {
          name: "noFallthroughCasesInSwitch",
          type: "boolean",
          affectsBindDiagnostics: true,
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.Enable_error_reporting_for_fallthrough_cases_in_switch_statements,
          defaultValueDescription: false
        },
        {
          name: "noUncheckedIndexedAccess",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.Add_undefined_to_a_type_when_accessed_using_an_index,
          defaultValueDescription: false
        },
        {
          name: "noImplicitOverride",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.Ensure_overriding_members_in_derived_classes_are_marked_with_an_override_modifier,
          defaultValueDescription: false
        },
        {
          name: "noPropertyAccessFromIndexSignature",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          showInSimplifiedHelpView: false,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.Enforces_using_indexed_accessors_for_keys_declared_using_an_indexed_type,
          defaultValueDescription: false
        },
        // Module Resolution
        {
          name: "moduleResolution",
          type: new Map(Object.entries({
            // N.B. The first entry specifies the value shown in `tsc --init`
            node10: 2,
            node: 2,
            classic: 1,
            node16: 3,
            nodenext: 99,
            bundler: 100
            /* Bundler */
          })),
          deprecatedKeys: /* @__PURE__ */ new Set(["node"]),
          affectsSourceFile: true,
          affectsModuleResolution: true,
          paramType: Diagnostics.STRATEGY,
          category: Diagnostics.Modules,
          description: Diagnostics.Specify_how_TypeScript_looks_up_a_file_from_a_given_module_specifier,
          defaultValueDescription: Diagnostics.module_AMD_or_UMD_or_System_or_ES6_then_Classic_Otherwise_Node
        },
        {
          name: "baseUrl",
          type: "string",
          affectsModuleResolution: true,
          isFilePath: true,
          category: Diagnostics.Modules,
          description: Diagnostics.Specify_the_base_directory_to_resolve_non_relative_module_names
        },
        {
          // this option can only be specified in tsconfig.json
          // use type = object to copy the value as-is
          name: "paths",
          type: "object",
          affectsModuleResolution: true,
          allowConfigDirTemplateSubstitution: true,
          isTSConfigOnly: true,
          category: Diagnostics.Modules,
          description: Diagnostics.Specify_a_set_of_entries_that_re_map_imports_to_additional_lookup_locations,
          transpileOptionValue: void 0
        },
        {
          // this option can only be specified in tsconfig.json
          // use type = object to copy the value as-is
          name: "rootDirs",
          type: "list",
          isTSConfigOnly: true,
          element: {
            name: "rootDirs",
            type: "string",
            isFilePath: true
          },
          affectsModuleResolution: true,
          allowConfigDirTemplateSubstitution: true,
          category: Diagnostics.Modules,
          description: Diagnostics.Allow_multiple_folders_to_be_treated_as_one_when_resolving_modules,
          transpileOptionValue: void 0,
          defaultValueDescription: Diagnostics.Computed_from_the_list_of_input_files
        },
        {
          name: "typeRoots",
          type: "list",
          element: {
            name: "typeRoots",
            type: "string",
            isFilePath: true
          },
          affectsModuleResolution: true,
          allowConfigDirTemplateSubstitution: true,
          category: Diagnostics.Modules,
          description: Diagnostics.Specify_multiple_folders_that_act_like_Slashnode_modules_Slash_types
        },
        {
          name: "types",
          type: "list",
          element: {
            name: "types",
            type: "string"
          },
          affectsProgramStructure: true,
          showInSimplifiedHelpView: true,
          category: Diagnostics.Modules,
          description: Diagnostics.Specify_type_package_names_to_be_included_without_being_referenced_in_a_source_file,
          transpileOptionValue: void 0
        },
        {
          name: "allowSyntheticDefaultImports",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Interop_Constraints,
          description: Diagnostics.Allow_import_x_from_y_when_a_module_doesn_t_have_a_default_export,
          defaultValueDescription: Diagnostics.module_system_or_esModuleInterop
        },
        {
          name: "esModuleInterop",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsEmit: true,
          affectsBuildInfo: true,
          showInSimplifiedHelpView: true,
          category: Diagnostics.Interop_Constraints,
          description: Diagnostics.Emit_additional_JavaScript_to_ease_support_for_importing_CommonJS_modules_This_enables_allowSyntheticDefaultImports_for_type_compatibility,
          defaultValueDescription: false
        },
        {
          name: "preserveSymlinks",
          type: "boolean",
          category: Diagnostics.Interop_Constraints,
          description: Diagnostics.Disable_resolving_symlinks_to_their_realpath_This_correlates_to_the_same_flag_in_node,
          defaultValueDescription: false
        },
        {
          name: "allowUmdGlobalAccess",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Modules,
          description: Diagnostics.Allow_accessing_UMD_globals_from_modules,
          defaultValueDescription: false
        },
        {
          name: "moduleSuffixes",
          type: "list",
          element: {
            name: "suffix",
            type: "string"
          },
          listPreserveFalsyValues: true,
          affectsModuleResolution: true,
          category: Diagnostics.Modules,
          description: Diagnostics.List_of_file_name_suffixes_to_search_when_resolving_a_module
        },
        {
          name: "allowImportingTsExtensions",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Modules,
          description: Diagnostics.Allow_imports_to_include_TypeScript_file_extensions_Requires_moduleResolution_bundler_and_either_noEmit_or_emitDeclarationOnly_to_be_set,
          defaultValueDescription: false,
          transpileOptionValue: void 0
        },
        {
          name: "resolvePackageJsonExports",
          type: "boolean",
          affectsModuleResolution: true,
          category: Diagnostics.Modules,
          description: Diagnostics.Use_the_package_json_exports_field_when_resolving_package_imports,
          defaultValueDescription: Diagnostics.true_when_moduleResolution_is_node16_nodenext_or_bundler_otherwise_false
        },
        {
          name: "resolvePackageJsonImports",
          type: "boolean",
          affectsModuleResolution: true,
          category: Diagnostics.Modules,
          description: Diagnostics.Use_the_package_json_imports_field_when_resolving_imports,
          defaultValueDescription: Diagnostics.true_when_moduleResolution_is_node16_nodenext_or_bundler_otherwise_false
        },
        {
          name: "customConditions",
          type: "list",
          element: {
            name: "condition",
            type: "string"
          },
          affectsModuleResolution: true,
          category: Diagnostics.Modules,
          description: Diagnostics.Conditions_to_set_in_addition_to_the_resolver_specific_defaults_when_resolving_imports
        },
        // Source Maps
        {
          name: "sourceRoot",
          type: "string",
          affectsEmit: true,
          affectsBuildInfo: true,
          paramType: Diagnostics.LOCATION,
          category: Diagnostics.Emit,
          description: Diagnostics.Specify_the_root_path_for_debuggers_to_find_the_reference_source_code
        },
        {
          name: "mapRoot",
          type: "string",
          affectsEmit: true,
          affectsBuildInfo: true,
          paramType: Diagnostics.LOCATION,
          category: Diagnostics.Emit,
          description: Diagnostics.Specify_the_location_where_debugger_should_locate_map_files_instead_of_generated_locations
        },
        {
          name: "inlineSources",
          type: "boolean",
          affectsEmit: true,
          affectsBuildInfo: true,
          category: Diagnostics.Emit,
          description: Diagnostics.Include_source_code_in_the_sourcemaps_inside_the_emitted_JavaScript,
          defaultValueDescription: false
        },
        // Experimental
        {
          name: "experimentalDecorators",
          type: "boolean",
          affectsEmit: true,
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Language_and_Environment,
          description: Diagnostics.Enable_experimental_support_for_legacy_experimental_decorators,
          defaultValueDescription: false
        },
        {
          name: "emitDecoratorMetadata",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsEmit: true,
          affectsBuildInfo: true,
          category: Diagnostics.Language_and_Environment,
          description: Diagnostics.Emit_design_type_metadata_for_decorated_declarations_in_source_files,
          defaultValueDescription: false
        },
        // Advanced
        {
          name: "jsxFactory",
          type: "string",
          category: Diagnostics.Language_and_Environment,
          description: Diagnostics.Specify_the_JSX_factory_function_used_when_targeting_React_JSX_emit_e_g_React_createElement_or_h,
          defaultValueDescription: "`React.createElement`"
        },
        {
          name: "jsxFragmentFactory",
          type: "string",
          category: Diagnostics.Language_and_Environment,
          description: Diagnostics.Specify_the_JSX_Fragment_reference_used_for_fragments_when_targeting_React_JSX_emit_e_g_React_Fragment_or_Fragment,
          defaultValueDescription: "React.Fragment"
        },
        {
          name: "jsxImportSource",
          type: "string",
          affectsSemanticDiagnostics: true,
          affectsEmit: true,
          affectsBuildInfo: true,
          affectsModuleResolution: true,
          affectsSourceFile: true,
          category: Diagnostics.Language_and_Environment,
          description: Diagnostics.Specify_module_specifier_used_to_import_the_JSX_factory_functions_when_using_jsx_Colon_react_jsx_Asterisk,
          defaultValueDescription: "react"
        },
        {
          name: "resolveJsonModule",
          type: "boolean",
          affectsModuleResolution: true,
          category: Diagnostics.Modules,
          description: Diagnostics.Enable_importing_json_files,
          defaultValueDescription: false
        },
        {
          name: "allowArbitraryExtensions",
          type: "boolean",
          affectsProgramStructure: true,
          category: Diagnostics.Modules,
          description: Diagnostics.Enable_importing_files_with_any_extension_provided_a_declaration_file_is_present,
          defaultValueDescription: false
        },
        {
          name: "out",
          type: "string",
          affectsEmit: true,
          affectsBuildInfo: true,
          affectsDeclarationPath: true,
          isFilePath: false,
          // This is intentionally broken to support compatibility with existing tsconfig files
          // for correct behaviour, please use outFile
          category: Diagnostics.Backwards_Compatibility,
          paramType: Diagnostics.FILE,
          transpileOptionValue: void 0,
          description: Diagnostics.Deprecated_setting_Use_outFile_instead
        },
        {
          name: "reactNamespace",
          type: "string",
          affectsEmit: true,
          affectsBuildInfo: true,
          category: Diagnostics.Language_and_Environment,
          description: Diagnostics.Specify_the_object_invoked_for_createElement_This_only_applies_when_targeting_react_JSX_emit,
          defaultValueDescription: "`React`"
        },
        {
          name: "skipDefaultLibCheck",
          type: "boolean",
          // We need to store these to determine whether `lib` files need to be rechecked
          affectsBuildInfo: true,
          category: Diagnostics.Completeness,
          description: Diagnostics.Skip_type_checking_d_ts_files_that_are_included_with_TypeScript,
          defaultValueDescription: false
        },
        {
          name: "charset",
          type: "string",
          category: Diagnostics.Backwards_Compatibility,
          description: Diagnostics.No_longer_supported_In_early_versions_manually_set_the_text_encoding_for_reading_files,
          defaultValueDescription: "utf8"
        },
        {
          name: "emitBOM",
          type: "boolean",
          affectsEmit: true,
          affectsBuildInfo: true,
          category: Diagnostics.Emit,
          description: Diagnostics.Emit_a_UTF_8_Byte_Order_Mark_BOM_in_the_beginning_of_output_files,
          defaultValueDescription: false
        },
        {
          name: "newLine",
          type: new Map(Object.entries({
            crlf: 0,
            lf: 1
            /* LineFeed */
          })),
          affectsEmit: true,
          affectsBuildInfo: true,
          paramType: Diagnostics.NEWLINE,
          category: Diagnostics.Emit,
          description: Diagnostics.Set_the_newline_character_for_emitting_files,
          defaultValueDescription: "lf"
        },
        {
          name: "noErrorTruncation",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Output_Formatting,
          description: Diagnostics.Disable_truncating_types_in_error_messages,
          defaultValueDescription: false
        },
        {
          name: "noLib",
          type: "boolean",
          category: Diagnostics.Language_and_Environment,
          affectsProgramStructure: true,
          description: Diagnostics.Disable_including_any_library_files_including_the_default_lib_d_ts,
          // We are not returning a sourceFile for lib file when asked by the program,
          // so pass --noLib to avoid reporting a file not found error.
          transpileOptionValue: true,
          defaultValueDescription: false
        },
        {
          name: "noResolve",
          type: "boolean",
          affectsModuleResolution: true,
          category: Diagnostics.Modules,
          description: Diagnostics.Disallow_import_s_require_s_or_reference_s_from_expanding_the_number_of_files_TypeScript_should_add_to_a_project,
          // We are not doing a full typecheck, we are not resolving the whole context,
          // so pass --noResolve to avoid reporting missing file errors.
          transpileOptionValue: true,
          defaultValueDescription: false
        },
        {
          name: "stripInternal",
          type: "boolean",
          affectsEmit: true,
          affectsBuildInfo: true,
          category: Diagnostics.Emit,
          description: Diagnostics.Disable_emitting_declarations_that_have_internal_in_their_JSDoc_comments,
          defaultValueDescription: false
        },
        {
          name: "disableSizeLimit",
          type: "boolean",
          affectsProgramStructure: true,
          category: Diagnostics.Editor_Support,
          description: Diagnostics.Remove_the_20mb_cap_on_total_source_code_size_for_JavaScript_files_in_the_TypeScript_language_server,
          defaultValueDescription: false
        },
        {
          name: "disableSourceOfProjectReferenceRedirect",
          type: "boolean",
          isTSConfigOnly: true,
          category: Diagnostics.Projects,
          description: Diagnostics.Disable_preferring_source_files_instead_of_declaration_files_when_referencing_composite_projects,
          defaultValueDescription: false
        },
        {
          name: "disableSolutionSearching",
          type: "boolean",
          isTSConfigOnly: true,
          category: Diagnostics.Projects,
          description: Diagnostics.Opt_a_project_out_of_multi_project_reference_checking_when_editing,
          defaultValueDescription: false
        },
        {
          name: "disableReferencedProjectLoad",
          type: "boolean",
          isTSConfigOnly: true,
          category: Diagnostics.Projects,
          description: Diagnostics.Reduce_the_number_of_projects_loaded_automatically_by_TypeScript,
          defaultValueDescription: false
        },
        {
          name: "noImplicitUseStrict",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Backwards_Compatibility,
          description: Diagnostics.Disable_adding_use_strict_directives_in_emitted_JavaScript_files,
          defaultValueDescription: false
        },
        {
          name: "noEmitHelpers",
          type: "boolean",
          affectsEmit: true,
          affectsBuildInfo: true,
          category: Diagnostics.Emit,
          description: Diagnostics.Disable_generating_custom_helper_functions_like_extends_in_compiled_output,
          defaultValueDescription: false
        },
        {
          name: "noEmitOnError",
          type: "boolean",
          affectsEmit: true,
          affectsBuildInfo: true,
          category: Diagnostics.Emit,
          transpileOptionValue: void 0,
          description: Diagnostics.Disable_emitting_files_if_any_type_checking_errors_are_reported,
          defaultValueDescription: false
        },
        {
          name: "preserveConstEnums",
          type: "boolean",
          affectsEmit: true,
          affectsBuildInfo: true,
          category: Diagnostics.Emit,
          description: Diagnostics.Disable_erasing_const_enum_declarations_in_generated_code,
          defaultValueDescription: false
        },
        {
          name: "declarationDir",
          type: "string",
          affectsEmit: true,
          affectsBuildInfo: true,
          affectsDeclarationPath: true,
          isFilePath: true,
          paramType: Diagnostics.DIRECTORY,
          category: Diagnostics.Emit,
          transpileOptionValue: void 0,
          description: Diagnostics.Specify_the_output_directory_for_generated_declaration_files
        },
        {
          name: "skipLibCheck",
          type: "boolean",
          // We need to store these to determine whether `lib` files need to be rechecked
          affectsBuildInfo: true,
          category: Diagnostics.Completeness,
          description: Diagnostics.Skip_type_checking_all_d_ts_files,
          defaultValueDescription: false
        },
        {
          name: "allowUnusedLabels",
          type: "boolean",
          affectsBindDiagnostics: true,
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.Disable_error_reporting_for_unused_labels,
          defaultValueDescription: void 0
        },
        {
          name: "allowUnreachableCode",
          type: "boolean",
          affectsBindDiagnostics: true,
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Type_Checking,
          description: Diagnostics.Disable_error_reporting_for_unreachable_code,
          defaultValueDescription: void 0
        },
        {
          name: "suppressExcessPropertyErrors",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Backwards_Compatibility,
          description: Diagnostics.Disable_reporting_of_excess_property_errors_during_the_creation_of_object_literals,
          defaultValueDescription: false
        },
        {
          name: "suppressImplicitAnyIndexErrors",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Backwards_Compatibility,
          description: Diagnostics.Suppress_noImplicitAny_errors_when_indexing_objects_that_lack_index_signatures,
          defaultValueDescription: false
        },
        {
          name: "forceConsistentCasingInFileNames",
          type: "boolean",
          affectsModuleResolution: true,
          category: Diagnostics.Interop_Constraints,
          description: Diagnostics.Ensure_that_casing_is_correct_in_imports,
          defaultValueDescription: true
        },
        {
          name: "maxNodeModuleJsDepth",
          type: "number",
          affectsModuleResolution: true,
          category: Diagnostics.JavaScript_Support,
          description: Diagnostics.Specify_the_maximum_folder_depth_used_for_checking_JavaScript_files_from_node_modules_Only_applicable_with_allowJs,
          defaultValueDescription: 0
        },
        {
          name: "noStrictGenericChecks",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsBuildInfo: true,
          category: Diagnostics.Backwards_Compatibility,
          description: Diagnostics.Disable_strict_checking_of_generic_signatures_in_function_types,
          defaultValueDescription: false
        },
        {
          name: "useDefineForClassFields",
          type: "boolean",
          affectsSemanticDiagnostics: true,
          affectsEmit: true,
          affectsBuildInfo: true,
          category: Diagnostics.Language_and_Environment,
          description: Diagnostics.Emit_ECMAScript_standard_compliant_class_fields,
          defaultValueDescription: Diagnostics.true_for_ES2022_and_above_including_ESNext
        },
        {
          name: "preserveValueImports",
          type: "boolean",
          affectsEmit: true,
          affectsBuildInfo: true,
          category: Diagnostics.Backwards_Compatibility,
          description: Diagnostics.Preserve_unused_imported_values_in_the_JavaScript_output_that_would_otherwise_be_removed,
          defaultValueDescription: false
        },
        {
          name: "keyofStringsOnly",
          type: "boolean",
          category: Diagnostics.Backwards_Compatibility,
          description: Diagnostics.Make_keyof_only_return_strings_instead_of_string_numbers_or_symbols_Legacy_option,
          defaultValueDescription: false
        },
        {
          // A list of plugins to load in the language service
          name: "plugins",
          type: "list",
          isTSConfigOnly: true,
          element: {
            name: "plugin",
            type: "object"
          },
          description: Diagnostics.Specify_a_list_of_language_service_plugins_to_include,
          category: Diagnostics.Editor_Support
        },
        {
          name: "moduleDetection",
          type: new Map(Object.entries({
            auto: 2,
            legacy: 1,
            force: 3
            /* Force */
          })),
          affectsSourceFile: true,
          affectsModuleResolution: true,
          description: Diagnostics.Control_what_method_is_used_to_detect_module_format_JS_files,
          category: Diagnostics.Language_and_Environment,
          defaultValueDescription: Diagnostics.auto_Colon_Treat_files_with_imports_exports_import_meta_jsx_with_jsx_Colon_react_jsx_or_esm_format_with_module_Colon_node16_as_modules
        },
        {
          name: "ignoreDeprecations",
          type: "string",
          defaultValueDescription: void 0
        }
      ];
      var optionDeclarations = [
        ...commonOptionsWithBuild,
        ...commandOptionsWithoutBuild
      ];
      var semanticDiagnosticsOptionDeclarations = optionDeclarations.filter((option) => !!option.affectsSemanticDiagnostics);
      var affectsEmitOptionDeclarations = optionDeclarations.filter((option) => !!option.affectsEmit);
      var affectsDeclarationPathOptionDeclarations = optionDeclarations.filter((option) => !!option.affectsDeclarationPath);
      var moduleResolutionOptionDeclarations = optionDeclarations.filter((option) => !!option.affectsModuleResolution);
      var sourceFileAffectingCompilerOptions = optionDeclarations.filter((option) => !!option.affectsSourceFile || !!option.affectsBindDiagnostics);
      var optionsAffectingProgramStructure = optionDeclarations.filter((option) => !!option.affectsProgramStructure);
      var transpileOptionValueCompilerOptions = optionDeclarations.filter((option) => hasProperty(option, "transpileOptionValue"));
      var configDirTemplateSubstitutionOptions = optionDeclarations.filter(
        (option) => option.allowConfigDirTemplateSubstitution || !option.isCommandLineOnly && option.isFilePath
      );
      var configDirTemplateSubstitutionWatchOptions = optionsForWatch.filter(
        (option) => option.allowConfigDirTemplateSubstitution || !option.isCommandLineOnly && option.isFilePath
      );
      var commandLineOptionOfCustomType = optionDeclarations.filter(isCommandLineOptionOfCustomType);
      function isCommandLineOptionOfCustomType(option) {
        return !isString2(option.type);
      }
      var optionsForBuild = [
        {
          name: "verbose",
          shortName: "v",
          category: Diagnostics.Command_line_Options,
          description: Diagnostics.Enable_verbose_logging,
          type: "boolean",
          defaultValueDescription: false
        },
        {
          name: "dry",
          shortName: "d",
          category: Diagnostics.Command_line_Options,
          description: Diagnostics.Show_what_would_be_built_or_deleted_if_specified_with_clean,
          type: "boolean",
          defaultValueDescription: false
        },
        {
          name: "force",
          shortName: "f",
          category: Diagnostics.Command_line_Options,
          description: Diagnostics.Build_all_projects_including_those_that_appear_to_be_up_to_date,
          type: "boolean",
          defaultValueDescription: false
        },
        {
          name: "clean",
          category: Diagnostics.Command_line_Options,
          description: Diagnostics.Delete_the_outputs_of_all_projects,
          type: "boolean",
          defaultValueDescription: false
        }
      ];
      var buildOpts = [
        ...commonOptionsWithBuild,
        ...optionsForBuild
      ];
      var typeAcquisitionDeclarations = [
        {
          name: "enable",
          type: "boolean",
          defaultValueDescription: false
        },
        {
          name: "include",
          type: "list",
          element: {
            name: "include",
            type: "string"
          }
        },
        {
          name: "exclude",
          type: "list",
          element: {
            name: "exclude",
            type: "string"
          }
        },
        {
          name: "disableFilenameBasedTypeAcquisition",
          type: "boolean",
          defaultValueDescription: false
        }
      ];
      function createOptionNameMap(optionDeclarations2) {
        const optionsNameMap = /* @__PURE__ */ new Map();
        const shortOptionNames = /* @__PURE__ */ new Map();
        forEach(optionDeclarations2, (option) => {
          optionsNameMap.set(option.name.toLowerCase(), option);
          if (option.shortName) {
            shortOptionNames.set(option.shortName, option.name);
          }
        });
        return { optionsNameMap, shortOptionNames };
      }
      var optionsNameMapCache;
      function getOptionsNameMap() {
        return optionsNameMapCache || (optionsNameMapCache = createOptionNameMap(optionDeclarations));
      }
      var compilerOptionsAlternateMode = {
        diagnostic: Diagnostics.Compiler_option_0_may_only_be_used_with_build,
        getOptionsNameMap: getBuildOptionsNameMap
      };
      var defaultInitCompilerOptions = {
        module: 1,
        target: 3,
        strict: true,
        esModuleInterop: true,
        forceConsistentCasingInFileNames: true,
        skipLibCheck: true
      };
      function createCompilerDiagnosticForInvalidCustomType(opt) {
        return createDiagnosticForInvalidCustomType(opt, createCompilerDiagnostic);
      }
      function createDiagnosticForInvalidCustomType(opt, createDiagnostic) {
        const namesOfType = arrayFrom(opt.type.keys());
        const stringNames = (opt.deprecatedKeys ? namesOfType.filter((k) => !opt.deprecatedKeys.has(k)) : namesOfType).map((key) => `'${key}'`).join(", ");
        return createDiagnostic(Diagnostics.Argument_for_0_option_must_be_Colon_1, `--${opt.name}`, stringNames);
      }
      function parseCustomTypeOption(opt, value, errors) {
        return convertJsonOptionOfCustomType(opt, (value ?? "").trim(), errors);
      }
      function parseListTypeOption(opt, value = "", errors) {
        value = value.trim();
        if (startsWith2(value, "-")) {
          return void 0;
        }
        if (opt.type === "listOrElement" && !value.includes(",")) {
          return validateJsonOptionValue(opt, value, errors);
        }
        if (value === "") {
          return [];
        }
        const values = value.split(",");
        switch (opt.element.type) {
          case "number":
            return mapDefined(values, (v) => validateJsonOptionValue(opt.element, parseInt(v), errors));
          case "string":
            return mapDefined(values, (v) => validateJsonOptionValue(opt.element, v || "", errors));
          case "boolean":
          case "object":
            return Debug.fail(`List of ${opt.element.type} is not yet supported.`);
          default:
            return mapDefined(values, (v) => parseCustomTypeOption(opt.element, v, errors));
        }
      }
      function getOptionName(option) {
        return option.name;
      }
      function createUnknownOptionError(unknownOption, diagnostics, unknownOptionErrorText, node, sourceFile) {
        var _a;
        if ((_a = diagnostics.alternateMode) == null ? void 0 : _a.getOptionsNameMap().optionsNameMap.has(unknownOption.toLowerCase())) {
          return createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, node, diagnostics.alternateMode.diagnostic, unknownOption);
        }
        const possibleOption = getSpellingSuggestion(unknownOption, diagnostics.optionDeclarations, getOptionName);
        return possibleOption ? createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, node, diagnostics.unknownDidYouMeanDiagnostic, unknownOptionErrorText || unknownOption, possibleOption.name) : createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, node, diagnostics.unknownOptionDiagnostic, unknownOptionErrorText || unknownOption);
      }
      function parseCommandLineWorker(diagnostics, commandLine, readFile2) {
        const options = {};
        let watchOptions;
        const fileNames = [];
        const errors = [];
        parseStrings(commandLine);
        return {
          options,
          watchOptions,
          fileNames,
          errors
        };
        function parseStrings(args) {
          let i = 0;
          while (i < args.length) {
            const s = args[i];
            i++;
            if (s.charCodeAt(0) === 64) {
              parseResponseFile(s.slice(1));
            } else if (s.charCodeAt(0) === 45) {
              const inputOptionName = s.slice(s.charCodeAt(1) === 45 ? 2 : 1);
              const opt = getOptionDeclarationFromName(
                diagnostics.getOptionsNameMap,
                inputOptionName,
                /*allowShort*/
                true
              );
              if (opt) {
                i = parseOptionValue(args, i, diagnostics, opt, options, errors);
              } else {
                const watchOpt = getOptionDeclarationFromName(
                  watchOptionsDidYouMeanDiagnostics.getOptionsNameMap,
                  inputOptionName,
                  /*allowShort*/
                  true
                );
                if (watchOpt) {
                  i = parseOptionValue(args, i, watchOptionsDidYouMeanDiagnostics, watchOpt, watchOptions || (watchOptions = {}), errors);
                } else {
                  errors.push(createUnknownOptionError(inputOptionName, diagnostics, s));
                }
              }
            } else {
              fileNames.push(s);
            }
          }
        }
        function parseResponseFile(fileName) {
          const text = tryReadFile(fileName, readFile2 || ((fileName2) => sys.readFile(fileName2)));
          if (!isString2(text)) {
            errors.push(text);
            return;
          }
          const args = [];
          let pos = 0;
          while (true) {
            while (pos < text.length && text.charCodeAt(pos) <= 32) pos++;
            if (pos >= text.length) break;
            const start = pos;
            if (text.charCodeAt(start) === 34) {
              pos++;
              while (pos < text.length && text.charCodeAt(pos) !== 34) pos++;
              if (pos < text.length) {
                args.push(text.substring(start + 1, pos));
                pos++;
              } else {
                errors.push(createCompilerDiagnostic(Diagnostics.Unterminated_quoted_string_in_response_file_0, fileName));
              }
            } else {
              while (text.charCodeAt(pos) > 32) pos++;
              args.push(text.substring(start, pos));
            }
          }
          parseStrings(args);
        }
      }
      function parseOptionValue(args, i, diagnostics, opt, options, errors) {
        if (opt.isTSConfigOnly) {
          const optValue = args[i];
          if (optValue === "null") {
            options[opt.name] = void 0;
            i++;
          } else if (opt.type === "boolean") {
            if (optValue === "false") {
              options[opt.name] = validateJsonOptionValue(
                opt,
                /*value*/
                false,
                errors
              );
              i++;
            } else {
              if (optValue === "true") i++;
              errors.push(createCompilerDiagnostic(Diagnostics.Option_0_can_only_be_specified_in_tsconfig_json_file_or_set_to_false_or_null_on_command_line, opt.name));
            }
          } else {
            errors.push(createCompilerDiagnostic(Diagnostics.Option_0_can_only_be_specified_in_tsconfig_json_file_or_set_to_null_on_command_line, opt.name));
            if (optValue && !startsWith2(optValue, "-")) i++;
          }
        } else {
          if (!args[i] && opt.type !== "boolean") {
            errors.push(createCompilerDiagnostic(diagnostics.optionTypeMismatchDiagnostic, opt.name, getCompilerOptionValueTypeString(opt)));
          }
          if (args[i] !== "null") {
            switch (opt.type) {
              case "number":
                options[opt.name] = validateJsonOptionValue(opt, parseInt(args[i]), errors);
                i++;
                break;
              case "boolean":
                const optValue = args[i];
                options[opt.name] = validateJsonOptionValue(opt, optValue !== "false", errors);
                if (optValue === "false" || optValue === "true") {
                  i++;
                }
                break;
              case "string":
                options[opt.name] = validateJsonOptionValue(opt, args[i] || "", errors);
                i++;
                break;
              case "list":
                const result = parseListTypeOption(opt, args[i], errors);
                options[opt.name] = result || [];
                if (result) {
                  i++;
                }
                break;
              case "listOrElement":
                Debug.fail("listOrElement not supported here");
                break;
              default:
                options[opt.name] = parseCustomTypeOption(opt, args[i], errors);
                i++;
                break;
            }
          } else {
            options[opt.name] = void 0;
            i++;
          }
        }
        return i;
      }
      var compilerOptionsDidYouMeanDiagnostics = {
        alternateMode: compilerOptionsAlternateMode,
        getOptionsNameMap,
        optionDeclarations,
        unknownOptionDiagnostic: Diagnostics.Unknown_compiler_option_0,
        unknownDidYouMeanDiagnostic: Diagnostics.Unknown_compiler_option_0_Did_you_mean_1,
        optionTypeMismatchDiagnostic: Diagnostics.Compiler_option_0_expects_an_argument
      };
      function parseCommandLine(commandLine, readFile2) {
        return parseCommandLineWorker(compilerOptionsDidYouMeanDiagnostics, commandLine, readFile2);
      }
      function getOptionFromName(optionName, allowShort) {
        return getOptionDeclarationFromName(getOptionsNameMap, optionName, allowShort);
      }
      function getOptionDeclarationFromName(getOptionNameMap, optionName, allowShort = false) {
        optionName = optionName.toLowerCase();
        const { optionsNameMap, shortOptionNames } = getOptionNameMap();
        if (allowShort) {
          const short = shortOptionNames.get(optionName);
          if (short !== void 0) {
            optionName = short;
          }
        }
        return optionsNameMap.get(optionName);
      }
      var buildOptionsNameMapCache;
      function getBuildOptionsNameMap() {
        return buildOptionsNameMapCache || (buildOptionsNameMapCache = createOptionNameMap(buildOpts));
      }
      var buildOptionsAlternateMode = {
        diagnostic: Diagnostics.Compiler_option_0_may_not_be_used_with_build,
        getOptionsNameMap
      };
      var buildOptionsDidYouMeanDiagnostics = {
        alternateMode: buildOptionsAlternateMode,
        getOptionsNameMap: getBuildOptionsNameMap,
        optionDeclarations: buildOpts,
        unknownOptionDiagnostic: Diagnostics.Unknown_build_option_0,
        unknownDidYouMeanDiagnostic: Diagnostics.Unknown_build_option_0_Did_you_mean_1,
        optionTypeMismatchDiagnostic: Diagnostics.Build_option_0_requires_a_value_of_type_1
      };
      function parseBuildCommand(args) {
        const { options, watchOptions, fileNames: projects, errors } = parseCommandLineWorker(
          buildOptionsDidYouMeanDiagnostics,
          args
        );
        const buildOptions = options;
        if (projects.length === 0) {
          projects.push(".");
        }
        if (buildOptions.clean && buildOptions.force) {
          errors.push(createCompilerDiagnostic(Diagnostics.Options_0_and_1_cannot_be_combined, "clean", "force"));
        }
        if (buildOptions.clean && buildOptions.verbose) {
          errors.push(createCompilerDiagnostic(Diagnostics.Options_0_and_1_cannot_be_combined, "clean", "verbose"));
        }
        if (buildOptions.clean && buildOptions.watch) {
          errors.push(createCompilerDiagnostic(Diagnostics.Options_0_and_1_cannot_be_combined, "clean", "watch"));
        }
        if (buildOptions.watch && buildOptions.dry) {
          errors.push(createCompilerDiagnostic(Diagnostics.Options_0_and_1_cannot_be_combined, "watch", "dry"));
        }
        return { buildOptions, watchOptions, projects, errors };
      }
      function getDiagnosticText(message, ...args) {
        return cast(createCompilerDiagnostic(message, ...args).messageText, isString2);
      }
      function getParsedCommandLineOfConfigFile(configFileName, optionsToExtend, host, extendedConfigCache, watchOptionsToExtend, extraFileExtensions) {
        const configFileText = tryReadFile(configFileName, (fileName) => host.readFile(fileName));
        if (!isString2(configFileText)) {
          host.onUnRecoverableConfigFileDiagnostic(configFileText);
          return void 0;
        }
        const result = parseJsonText(configFileName, configFileText);
        const cwd = host.getCurrentDirectory();
        result.path = toPath3(configFileName, cwd, createGetCanonicalFileName(host.useCaseSensitiveFileNames));
        result.resolvedPath = result.path;
        result.originalFileName = result.fileName;
        return parseJsonSourceFileConfigFileContent(
          result,
          host,
          getNormalizedAbsolutePath(getDirectoryPath(configFileName), cwd),
          optionsToExtend,
          getNormalizedAbsolutePath(configFileName, cwd),
          /*resolutionStack*/
          void 0,
          extraFileExtensions,
          extendedConfigCache,
          watchOptionsToExtend
        );
      }
      function readConfigFile(fileName, readFile2) {
        const textOrDiagnostic = tryReadFile(fileName, readFile2);
        return isString2(textOrDiagnostic) ? parseConfigFileTextToJson(fileName, textOrDiagnostic) : { config: {}, error: textOrDiagnostic };
      }
      function parseConfigFileTextToJson(fileName, jsonText) {
        const jsonSourceFile = parseJsonText(fileName, jsonText);
        return {
          config: convertConfigFileToObject(
            jsonSourceFile,
            jsonSourceFile.parseDiagnostics,
            /*jsonConversionNotifier*/
            void 0
          ),
          error: jsonSourceFile.parseDiagnostics.length ? jsonSourceFile.parseDiagnostics[0] : void 0
        };
      }
      function readJsonConfigFile(fileName, readFile2) {
        const textOrDiagnostic = tryReadFile(fileName, readFile2);
        return isString2(textOrDiagnostic) ? parseJsonText(fileName, textOrDiagnostic) : { fileName, parseDiagnostics: [textOrDiagnostic] };
      }
      function tryReadFile(fileName, readFile2) {
        let text;
        try {
          text = readFile2(fileName);
        } catch (e) {
          return createCompilerDiagnostic(Diagnostics.Cannot_read_file_0_Colon_1, fileName, e.message);
        }
        return text === void 0 ? createCompilerDiagnostic(Diagnostics.Cannot_read_file_0, fileName) : text;
      }
      function commandLineOptionsToMap(options) {
        return arrayToMap(options, getOptionName);
      }
      var typeAcquisitionDidYouMeanDiagnostics = {
        optionDeclarations: typeAcquisitionDeclarations,
        unknownOptionDiagnostic: Diagnostics.Unknown_type_acquisition_option_0,
        unknownDidYouMeanDiagnostic: Diagnostics.Unknown_type_acquisition_option_0_Did_you_mean_1
      };
      var watchOptionsNameMapCache;
      function getWatchOptionsNameMap() {
        return watchOptionsNameMapCache || (watchOptionsNameMapCache = createOptionNameMap(optionsForWatch));
      }
      var watchOptionsDidYouMeanDiagnostics = {
        getOptionsNameMap: getWatchOptionsNameMap,
        optionDeclarations: optionsForWatch,
        unknownOptionDiagnostic: Diagnostics.Unknown_watch_option_0,
        unknownDidYouMeanDiagnostic: Diagnostics.Unknown_watch_option_0_Did_you_mean_1,
        optionTypeMismatchDiagnostic: Diagnostics.Watch_option_0_requires_a_value_of_type_1
      };
      var commandLineCompilerOptionsMapCache;
      function getCommandLineCompilerOptionsMap() {
        return commandLineCompilerOptionsMapCache || (commandLineCompilerOptionsMapCache = commandLineOptionsToMap(optionDeclarations));
      }
      var commandLineWatchOptionsMapCache;
      function getCommandLineWatchOptionsMap() {
        return commandLineWatchOptionsMapCache || (commandLineWatchOptionsMapCache = commandLineOptionsToMap(optionsForWatch));
      }
      var commandLineTypeAcquisitionMapCache;
      function getCommandLineTypeAcquisitionMap() {
        return commandLineTypeAcquisitionMapCache || (commandLineTypeAcquisitionMapCache = commandLineOptionsToMap(typeAcquisitionDeclarations));
      }
      var extendsOptionDeclaration = {
        name: "extends",
        type: "listOrElement",
        element: {
          name: "extends",
          type: "string"
        },
        category: Diagnostics.File_Management,
        disallowNullOrUndefined: true
      };
      var compilerOptionsDeclaration = {
        name: "compilerOptions",
        type: "object",
        elementOptions: getCommandLineCompilerOptionsMap(),
        extraKeyDiagnostics: compilerOptionsDidYouMeanDiagnostics
      };
      var watchOptionsDeclaration = {
        name: "watchOptions",
        type: "object",
        elementOptions: getCommandLineWatchOptionsMap(),
        extraKeyDiagnostics: watchOptionsDidYouMeanDiagnostics
      };
      var typeAcquisitionDeclaration = {
        name: "typeAcquisition",
        type: "object",
        elementOptions: getCommandLineTypeAcquisitionMap(),
        extraKeyDiagnostics: typeAcquisitionDidYouMeanDiagnostics
      };
      var _tsconfigRootOptions;
      function getTsconfigRootOptionsMap() {
        if (_tsconfigRootOptions === void 0) {
          _tsconfigRootOptions = {
            name: void 0,
            // should never be needed since this is root
            type: "object",
            elementOptions: commandLineOptionsToMap([
              compilerOptionsDeclaration,
              watchOptionsDeclaration,
              typeAcquisitionDeclaration,
              extendsOptionDeclaration,
              {
                name: "references",
                type: "list",
                element: {
                  name: "references",
                  type: "object"
                },
                category: Diagnostics.Projects
              },
              {
                name: "files",
                type: "list",
                element: {
                  name: "files",
                  type: "string"
                },
                category: Diagnostics.File_Management
              },
              {
                name: "include",
                type: "list",
                element: {
                  name: "include",
                  type: "string"
                },
                category: Diagnostics.File_Management,
                defaultValueDescription: Diagnostics.if_files_is_specified_otherwise_Asterisk_Asterisk_Slash_Asterisk
              },
              {
                name: "exclude",
                type: "list",
                element: {
                  name: "exclude",
                  type: "string"
                },
                category: Diagnostics.File_Management,
                defaultValueDescription: Diagnostics.node_modules_bower_components_jspm_packages_plus_the_value_of_outDir_if_one_is_specified
              },
              compileOnSaveCommandLineOption
            ])
          };
        }
        return _tsconfigRootOptions;
      }
      function convertConfigFileToObject(sourceFile, errors, jsonConversionNotifier) {
        var _a;
        const rootExpression = (_a = sourceFile.statements[0]) == null ? void 0 : _a.expression;
        if (rootExpression && rootExpression.kind !== 210) {
          errors.push(createDiagnosticForNodeInSourceFile(
            sourceFile,
            rootExpression,
            Diagnostics.The_root_value_of_a_0_file_must_be_an_object,
            getBaseFileName(sourceFile.fileName) === "jsconfig.json" ? "jsconfig.json" : "tsconfig.json"
          ));
          if (isArrayLiteralExpression(rootExpression)) {
            const firstObject = find(rootExpression.elements, isObjectLiteralExpression);
            if (firstObject) {
              return convertToJson(
                sourceFile,
                firstObject,
                errors,
                /*returnValue*/
                true,
                jsonConversionNotifier
              );
            }
          }
          return {};
        }
        return convertToJson(
          sourceFile,
          rootExpression,
          errors,
          /*returnValue*/
          true,
          jsonConversionNotifier
        );
      }
      function convertToObject(sourceFile, errors) {
        var _a;
        return convertToJson(
          sourceFile,
          (_a = sourceFile.statements[0]) == null ? void 0 : _a.expression,
          errors,
          /*returnValue*/
          true,
          /*jsonConversionNotifier*/
          void 0
        );
      }
      function convertToJson(sourceFile, rootExpression, errors, returnValue, jsonConversionNotifier) {
        if (!rootExpression) {
          return returnValue ? {} : void 0;
        }
        return convertPropertyValueToJson(rootExpression, jsonConversionNotifier == null ? void 0 : jsonConversionNotifier.rootOptions);
        function convertObjectLiteralExpressionToJson(node, objectOption) {
          var _a;
          const result = returnValue ? {} : void 0;
          for (const element of node.properties) {
            if (element.kind !== 303) {
              errors.push(createDiagnosticForNodeInSourceFile(sourceFile, element, Diagnostics.Property_assignment_expected));
              continue;
            }
            if (element.questionToken) {
              errors.push(createDiagnosticForNodeInSourceFile(sourceFile, element.questionToken, Diagnostics.The_0_modifier_can_only_be_used_in_TypeScript_files, "?"));
            }
            if (!isDoubleQuotedString(element.name)) {
              errors.push(createDiagnosticForNodeInSourceFile(sourceFile, element.name, Diagnostics.String_literal_with_double_quotes_expected));
            }
            const textOfKey = isComputedNonLiteralName(element.name) ? void 0 : getTextOfPropertyName(element.name);
            const keyText = textOfKey && unescapeLeadingUnderscores(textOfKey);
            const option = keyText ? (_a = objectOption == null ? void 0 : objectOption.elementOptions) == null ? void 0 : _a.get(keyText) : void 0;
            const value = convertPropertyValueToJson(element.initializer, option);
            if (typeof keyText !== "undefined") {
              if (returnValue) {
                result[keyText] = value;
              }
              jsonConversionNotifier == null ? void 0 : jsonConversionNotifier.onPropertySet(keyText, value, element, objectOption, option);
            }
          }
          return result;
        }
        function convertArrayLiteralExpressionToJson(elements, elementOption) {
          if (!returnValue) {
            elements.forEach((element) => convertPropertyValueToJson(element, elementOption));
            return void 0;
          }
          return filter(elements.map((element) => convertPropertyValueToJson(element, elementOption)), (v) => v !== void 0);
        }
        function convertPropertyValueToJson(valueExpression, option) {
          switch (valueExpression.kind) {
            case 112:
              return true;
            case 97:
              return false;
            case 106:
              return null;
            case 11:
              if (!isDoubleQuotedString(valueExpression)) {
                errors.push(createDiagnosticForNodeInSourceFile(sourceFile, valueExpression, Diagnostics.String_literal_with_double_quotes_expected));
              }
              return valueExpression.text;
            case 9:
              return Number(valueExpression.text);
            case 224:
              if (valueExpression.operator !== 41 || valueExpression.operand.kind !== 9) {
                break;
              }
              return -Number(valueExpression.operand.text);
            case 210:
              const objectLiteralExpression = valueExpression;
              return convertObjectLiteralExpressionToJson(objectLiteralExpression, option);
            case 209:
              return convertArrayLiteralExpressionToJson(
                valueExpression.elements,
                option && option.element
              );
          }
          if (option) {
            errors.push(createDiagnosticForNodeInSourceFile(sourceFile, valueExpression, Diagnostics.Compiler_option_0_requires_a_value_of_type_1, option.name, getCompilerOptionValueTypeString(option)));
          } else {
            errors.push(createDiagnosticForNodeInSourceFile(sourceFile, valueExpression, Diagnostics.Property_value_can_only_be_string_literal_numeric_literal_true_false_null_object_literal_or_array_literal));
          }
          return void 0;
        }
        function isDoubleQuotedString(node) {
          return isStringLiteral2(node) && isStringDoubleQuoted(node, sourceFile);
        }
      }
      function getCompilerOptionValueTypeString(option) {
        return option.type === "listOrElement" ? `${getCompilerOptionValueTypeString(option.element)} or Array` : option.type === "list" ? "Array" : isString2(option.type) ? option.type : "string";
      }
      function isCompilerOptionsValue(option, value) {
        if (option) {
          if (isNullOrUndefined(value)) return !option.disallowNullOrUndefined;
          if (option.type === "list") {
            return isArray3(value);
          }
          if (option.type === "listOrElement") {
            return isArray3(value) || isCompilerOptionsValue(option.element, value);
          }
          const expectedType = isString2(option.type) ? option.type : "string";
          return typeof value === expectedType;
        }
        return false;
      }
      function convertToTSConfig(configParseResult, configFileName, host) {
        var _a, _b, _c;
        const getCanonicalFileName = createGetCanonicalFileName(host.useCaseSensitiveFileNames);
        const files = map(
          filter(
            configParseResult.fileNames,
            !((_b = (_a = configParseResult.options.configFile) == null ? void 0 : _a.configFileSpecs) == null ? void 0 : _b.validatedIncludeSpecs) ? returnTrue : matchesSpecs(
              configFileName,
              configParseResult.options.configFile.configFileSpecs.validatedIncludeSpecs,
              configParseResult.options.configFile.configFileSpecs.validatedExcludeSpecs,
              host
            )
          ),
          (f) => getRelativePathFromFile(getNormalizedAbsolutePath(configFileName, host.getCurrentDirectory()), getNormalizedAbsolutePath(f, host.getCurrentDirectory()), getCanonicalFileName)
        );
        const pathOptions = { configFilePath: getNormalizedAbsolutePath(configFileName, host.getCurrentDirectory()), useCaseSensitiveFileNames: host.useCaseSensitiveFileNames };
        const optionMap = serializeCompilerOptions(configParseResult.options, pathOptions);
        const watchOptionMap = configParseResult.watchOptions && serializeWatchOptions(configParseResult.watchOptions);
        const config7 = {
          compilerOptions: {
            ...optionMapToObject(optionMap),
            showConfig: void 0,
            configFile: void 0,
            configFilePath: void 0,
            help: void 0,
            init: void 0,
            listFiles: void 0,
            listEmittedFiles: void 0,
            project: void 0,
            build: void 0,
            version: void 0
          },
          watchOptions: watchOptionMap && optionMapToObject(watchOptionMap),
          references: map(configParseResult.projectReferences, (r) => ({ ...r, path: r.originalPath ? r.originalPath : "", originalPath: void 0 })),
          files: length(files) ? files : void 0,
          ...((_c = configParseResult.options.configFile) == null ? void 0 : _c.configFileSpecs) ? {
            include: filterSameAsDefaultInclude(configParseResult.options.configFile.configFileSpecs.validatedIncludeSpecs),
            exclude: configParseResult.options.configFile.configFileSpecs.validatedExcludeSpecs
          } : {},
          compileOnSave: !!configParseResult.compileOnSave ? true : void 0
        };
        const providedKeys = new Set(optionMap.keys());
        const impliedCompilerOptions = {};
        for (const option in computedOptions) {
          if (!providedKeys.has(option) && some(computedOptions[option].dependencies, (dep) => providedKeys.has(dep))) {
            const implied = computedOptions[option].computeValue(configParseResult.options);
            const defaultValue = computedOptions[option].computeValue({});
            if (implied !== defaultValue) {
              impliedCompilerOptions[option] = computedOptions[option].computeValue(configParseResult.options);
            }
          }
        }
        assign(config7.compilerOptions, optionMapToObject(serializeCompilerOptions(impliedCompilerOptions, pathOptions)));
        return config7;
      }
      function optionMapToObject(optionMap) {
        return {
          ...arrayFrom(optionMap.entries()).reduce((prev, cur) => ({ ...prev, [cur[0]]: cur[1] }), {})
        };
      }
      function filterSameAsDefaultInclude(specs) {
        if (!length(specs)) return void 0;
        if (length(specs) !== 1) return specs;
        if (specs[0] === defaultIncludeSpec) return void 0;
        return specs;
      }
      function matchesSpecs(path17, includeSpecs, excludeSpecs, host) {
        if (!includeSpecs) return returnTrue;
        const patterns = getFileMatcherPatterns(path17, excludeSpecs, includeSpecs, host.useCaseSensitiveFileNames, host.getCurrentDirectory());
        const excludeRe = patterns.excludePattern && getRegexFromPattern(patterns.excludePattern, host.useCaseSensitiveFileNames);
        const includeRe = patterns.includeFilePattern && getRegexFromPattern(patterns.includeFilePattern, host.useCaseSensitiveFileNames);
        if (includeRe) {
          if (excludeRe) {
            return (path22) => !(includeRe.test(path22) && !excludeRe.test(path22));
          }
          return (path22) => !includeRe.test(path22);
        }
        if (excludeRe) {
          return (path22) => excludeRe.test(path22);
        }
        return returnTrue;
      }
      function getCustomTypeMapOfCommandLineOption(optionDefinition) {
        switch (optionDefinition.type) {
          case "string":
          case "number":
          case "boolean":
          case "object":
            return void 0;
          case "list":
          case "listOrElement":
            return getCustomTypeMapOfCommandLineOption(optionDefinition.element);
          default:
            return optionDefinition.type;
        }
      }
      function getNameOfCompilerOptionValue(value, customTypeMap) {
        return forEachEntry(customTypeMap, (mapValue, key) => {
          if (mapValue === value) {
            return key;
          }
        });
      }
      function serializeCompilerOptions(options, pathOptions) {
        return serializeOptionBaseObject(options, getOptionsNameMap(), pathOptions);
      }
      function serializeWatchOptions(options) {
        return serializeOptionBaseObject(options, getWatchOptionsNameMap());
      }
      function serializeOptionBaseObject(options, { optionsNameMap }, pathOptions) {
        const result = /* @__PURE__ */ new Map();
        const getCanonicalFileName = pathOptions && createGetCanonicalFileName(pathOptions.useCaseSensitiveFileNames);
        for (const name in options) {
          if (hasProperty(options, name)) {
            if (optionsNameMap.has(name) && (optionsNameMap.get(name).category === Diagnostics.Command_line_Options || optionsNameMap.get(name).category === Diagnostics.Output_Formatting)) {
              continue;
            }
            const value = options[name];
            const optionDefinition = optionsNameMap.get(name.toLowerCase());
            if (optionDefinition) {
              Debug.assert(optionDefinition.type !== "listOrElement");
              const customTypeMap = getCustomTypeMapOfCommandLineOption(optionDefinition);
              if (!customTypeMap) {
                if (pathOptions && optionDefinition.isFilePath) {
                  result.set(name, getRelativePathFromFile(pathOptions.configFilePath, getNormalizedAbsolutePath(value, getDirectoryPath(pathOptions.configFilePath)), getCanonicalFileName));
                } else if (pathOptions && optionDefinition.type === "list" && optionDefinition.element.isFilePath) {
                  result.set(name, value.map((v) => getRelativePathFromFile(pathOptions.configFilePath, getNormalizedAbsolutePath(v, getDirectoryPath(pathOptions.configFilePath)), getCanonicalFileName)));
                } else {
                  result.set(name, value);
                }
              } else {
                if (optionDefinition.type === "list") {
                  result.set(name, value.map((element) => getNameOfCompilerOptionValue(element, customTypeMap)));
                } else {
                  result.set(name, getNameOfCompilerOptionValue(value, customTypeMap));
                }
              }
            }
          }
        }
        return result;
      }
      function getCompilerOptionsDiffValue(options, newLine) {
        const compilerOptionsMap = getSerializedCompilerOption(options);
        return getOverwrittenDefaultOptions();
        function makePadding(paddingLength) {
          return Array(paddingLength + 1).join(" ");
        }
        function getOverwrittenDefaultOptions() {
          const result = [];
          const tab = makePadding(2);
          commandOptionsWithoutBuild.forEach((cmd) => {
            if (!compilerOptionsMap.has(cmd.name)) {
              return;
            }
            const newValue = compilerOptionsMap.get(cmd.name);
            const defaultValue = getDefaultValueForOption(cmd);
            if (newValue !== defaultValue) {
              result.push(`${tab}${cmd.name}: ${newValue}`);
            } else if (hasProperty(defaultInitCompilerOptions, cmd.name)) {
              result.push(`${tab}${cmd.name}: ${defaultValue}`);
            }
          });
          return result.join(newLine) + newLine;
        }
      }
      function getSerializedCompilerOption(options) {
        const compilerOptions = extend(options, defaultInitCompilerOptions);
        return serializeCompilerOptions(compilerOptions);
      }
      function generateTSConfig(options, fileNames, newLine) {
        const compilerOptionsMap = getSerializedCompilerOption(options);
        return writeConfigurations();
        function makePadding(paddingLength) {
          return Array(paddingLength + 1).join(" ");
        }
        function isAllowedOptionForOutput({ category, name, isCommandLineOnly }) {
          const categoriesToSkip = [Diagnostics.Command_line_Options, Diagnostics.Editor_Support, Diagnostics.Compiler_Diagnostics, Diagnostics.Backwards_Compatibility, Diagnostics.Watch_and_Build_Modes, Diagnostics.Output_Formatting];
          return !isCommandLineOnly && category !== void 0 && (!categoriesToSkip.includes(category) || compilerOptionsMap.has(name));
        }
        function writeConfigurations() {
          const categorizedOptions = /* @__PURE__ */ new Map();
          categorizedOptions.set(Diagnostics.Projects, []);
          categorizedOptions.set(Diagnostics.Language_and_Environment, []);
          categorizedOptions.set(Diagnostics.Modules, []);
          categorizedOptions.set(Diagnostics.JavaScript_Support, []);
          categorizedOptions.set(Diagnostics.Emit, []);
          categorizedOptions.set(Diagnostics.Interop_Constraints, []);
          categorizedOptions.set(Diagnostics.Type_Checking, []);
          categorizedOptions.set(Diagnostics.Completeness, []);
          for (const option of optionDeclarations) {
            if (isAllowedOptionForOutput(option)) {
              let listForCategory = categorizedOptions.get(option.category);
              if (!listForCategory) categorizedOptions.set(option.category, listForCategory = []);
              listForCategory.push(option);
            }
          }
          let marginLength = 0;
          let seenKnownKeys = 0;
          const entries = [];
          categorizedOptions.forEach((options2, category) => {
            if (entries.length !== 0) {
              entries.push({ value: "" });
            }
            entries.push({ value: `/* ${getLocaleSpecificMessage(category)} */` });
            for (const option of options2) {
              let optionName;
              if (compilerOptionsMap.has(option.name)) {
                optionName = `"${option.name}": ${JSON.stringify(compilerOptionsMap.get(option.name))}${(seenKnownKeys += 1) === compilerOptionsMap.size ? "" : ","}`;
              } else {
                optionName = `// "${option.name}": ${JSON.stringify(getDefaultValueForOption(option))},`;
              }
              entries.push({
                value: optionName,
                description: `/* ${option.description && getLocaleSpecificMessage(option.description) || option.name} */`
              });
              marginLength = Math.max(optionName.length, marginLength);
            }
          });
          const tab = makePadding(2);
          const result = [];
          result.push(`{`);
          result.push(`${tab}"compilerOptions": {`);
          result.push(`${tab}${tab}/* ${getLocaleSpecificMessage(Diagnostics.Visit_https_Colon_Slash_Slashaka_ms_Slashtsconfig_to_read_more_about_this_file)} */`);
          result.push("");
          for (const entry of entries) {
            const { value, description: description3 = "" } = entry;
            result.push(value && `${tab}${tab}${value}${description3 && makePadding(marginLength - value.length + 2) + description3}`);
          }
          if (fileNames.length) {
            result.push(`${tab}},`);
            result.push(`${tab}"files": [`);
            for (let i = 0; i < fileNames.length; i++) {
              result.push(`${tab}${tab}${JSON.stringify(fileNames[i])}${i === fileNames.length - 1 ? "" : ","}`);
            }
            result.push(`${tab}]`);
          } else {
            result.push(`${tab}}`);
          }
          result.push(`}`);
          return result.join(newLine) + newLine;
        }
      }
      function convertToOptionsWithAbsolutePaths(options, toAbsolutePath) {
        const result = {};
        const optionsNameMap = getOptionsNameMap().optionsNameMap;
        for (const name in options) {
          if (hasProperty(options, name)) {
            result[name] = convertToOptionValueWithAbsolutePaths(
              optionsNameMap.get(name.toLowerCase()),
              options[name],
              toAbsolutePath
            );
          }
        }
        if (result.configFilePath) {
          result.configFilePath = toAbsolutePath(result.configFilePath);
        }
        return result;
      }
      function convertToOptionValueWithAbsolutePaths(option, value, toAbsolutePath) {
        if (option && !isNullOrUndefined(value)) {
          if (option.type === "list") {
            const values = value;
            if (option.element.isFilePath && values.length) {
              return values.map(toAbsolutePath);
            }
          } else if (option.isFilePath) {
            return toAbsolutePath(value);
          }
          Debug.assert(option.type !== "listOrElement");
        }
        return value;
      }
      function parseJsonConfigFileContent(json, host, basePath, existingOptions, configFileName, resolutionStack, extraFileExtensions, extendedConfigCache, existingWatchOptions) {
        return parseJsonConfigFileContentWorker(
          json,
          /*sourceFile*/
          void 0,
          host,
          basePath,
          existingOptions,
          existingWatchOptions,
          configFileName,
          resolutionStack,
          extraFileExtensions,
          extendedConfigCache
        );
      }
      function parseJsonSourceFileConfigFileContent(sourceFile, host, basePath, existingOptions, configFileName, resolutionStack, extraFileExtensions, extendedConfigCache, existingWatchOptions) {
        var _a, _b;
        (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Parse, "parseJsonSourceFileConfigFileContent", { path: sourceFile.fileName });
        const result = parseJsonConfigFileContentWorker(
          /*json*/
          void 0,
          sourceFile,
          host,
          basePath,
          existingOptions,
          existingWatchOptions,
          configFileName,
          resolutionStack,
          extraFileExtensions,
          extendedConfigCache
        );
        (_b = tracing) == null ? void 0 : _b.pop();
        return result;
      }
      function setConfigFileInOptions(options, configFile) {
        if (configFile) {
          Object.defineProperty(options, "configFile", { enumerable: false, writable: false, value: configFile });
        }
      }
      function isNullOrUndefined(x) {
        return x === void 0 || x === null;
      }
      function directoryOfCombinedPath(fileName, basePath) {
        return getDirectoryPath(getNormalizedAbsolutePath(fileName, basePath));
      }
      var defaultIncludeSpec = "**/*";
      function parseJsonConfigFileContentWorker(json, sourceFile, host, basePath, existingOptions = {}, existingWatchOptions, configFileName, resolutionStack = [], extraFileExtensions = [], extendedConfigCache) {
        Debug.assert(json === void 0 && sourceFile !== void 0 || json !== void 0 && sourceFile === void 0);
        const errors = [];
        const parsedConfig = parseConfig(json, sourceFile, host, basePath, configFileName, resolutionStack, errors, extendedConfigCache);
        const { raw } = parsedConfig;
        const options = handleOptionConfigDirTemplateSubstitution(
          extend(existingOptions, parsedConfig.options || {}),
          configDirTemplateSubstitutionOptions,
          basePath
        );
        const watchOptions = handleWatchOptionsConfigDirTemplateSubstitution(
          existingWatchOptions && parsedConfig.watchOptions ? extend(existingWatchOptions, parsedConfig.watchOptions) : parsedConfig.watchOptions || existingWatchOptions,
          basePath
        );
        options.configFilePath = configFileName && normalizeSlashes(configFileName);
        const basePathForFileNames = normalizePath(configFileName ? directoryOfCombinedPath(configFileName, basePath) : basePath);
        const configFileSpecs = getConfigFileSpecs();
        if (sourceFile) sourceFile.configFileSpecs = configFileSpecs;
        setConfigFileInOptions(options, sourceFile);
        return {
          options,
          watchOptions,
          fileNames: getFileNames(basePathForFileNames),
          projectReferences: getProjectReferences(basePathForFileNames),
          typeAcquisition: parsedConfig.typeAcquisition || getDefaultTypeAcquisition(),
          raw,
          errors,
          // Wildcard directories (provided as part of a wildcard path) are stored in a
          // file map that marks whether it was a regular wildcard match (with a `*` or `?` token),
          // or a recursive directory. This information is used by filesystem watchers to monitor for
          // new entries in these paths.
          wildcardDirectories: getWildcardDirectories(configFileSpecs, basePathForFileNames, host.useCaseSensitiveFileNames),
          compileOnSave: !!raw.compileOnSave
        };
        function getConfigFileSpecs() {
          const referencesOfRaw = getPropFromRaw("references", (element) => typeof element === "object", "object");
          const filesSpecs = toPropValue(getSpecsFromRaw("files"));
          if (filesSpecs) {
            const hasZeroOrNoReferences = referencesOfRaw === "no-prop" || isArray3(referencesOfRaw) && referencesOfRaw.length === 0;
            const hasExtends = hasProperty(raw, "extends");
            if (filesSpecs.length === 0 && hasZeroOrNoReferences && !hasExtends) {
              if (sourceFile) {
                const fileName = configFileName || "tsconfig.json";
                const diagnosticMessage = Diagnostics.The_files_list_in_config_file_0_is_empty;
                const nodeValue = forEachTsConfigPropArray(sourceFile, "files", (property) => property.initializer);
                const error2 = createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, nodeValue, diagnosticMessage, fileName);
                errors.push(error2);
              } else {
                createCompilerDiagnosticOnlyIfJson(Diagnostics.The_files_list_in_config_file_0_is_empty, configFileName || "tsconfig.json");
              }
            }
          }
          let includeSpecs = toPropValue(getSpecsFromRaw("include"));
          const excludeOfRaw = getSpecsFromRaw("exclude");
          let isDefaultIncludeSpec = false;
          let excludeSpecs = toPropValue(excludeOfRaw);
          if (excludeOfRaw === "no-prop") {
            const outDir = options.outDir;
            const declarationDir = options.declarationDir;
            if (outDir || declarationDir) {
              excludeSpecs = filter([outDir, declarationDir], (d) => !!d);
            }
          }
          if (filesSpecs === void 0 && includeSpecs === void 0) {
            includeSpecs = [defaultIncludeSpec];
            isDefaultIncludeSpec = true;
          }
          let validatedIncludeSpecsBeforeSubstitution, validatedExcludeSpecsBeforeSubstitution;
          let validatedIncludeSpecs, validatedExcludeSpecs;
          if (includeSpecs) {
            validatedIncludeSpecsBeforeSubstitution = validateSpecs(
              includeSpecs,
              errors,
              /*disallowTrailingRecursion*/
              true,
              sourceFile,
              "include"
            );
            validatedIncludeSpecs = getSubstitutedStringArrayWithConfigDirTemplate(
              validatedIncludeSpecsBeforeSubstitution,
              basePathForFileNames
            ) || validatedIncludeSpecsBeforeSubstitution;
          }
          if (excludeSpecs) {
            validatedExcludeSpecsBeforeSubstitution = validateSpecs(
              excludeSpecs,
              errors,
              /*disallowTrailingRecursion*/
              false,
              sourceFile,
              "exclude"
            );
            validatedExcludeSpecs = getSubstitutedStringArrayWithConfigDirTemplate(
              validatedExcludeSpecsBeforeSubstitution,
              basePathForFileNames
            ) || validatedExcludeSpecsBeforeSubstitution;
          }
          const validatedFilesSpecBeforeSubstitution = filter(filesSpecs, isString2);
          const validatedFilesSpec = getSubstitutedStringArrayWithConfigDirTemplate(
            validatedFilesSpecBeforeSubstitution,
            basePathForFileNames
          ) || validatedFilesSpecBeforeSubstitution;
          return {
            filesSpecs,
            includeSpecs,
            excludeSpecs,
            validatedFilesSpec,
            validatedIncludeSpecs,
            validatedExcludeSpecs,
            validatedFilesSpecBeforeSubstitution,
            validatedIncludeSpecsBeforeSubstitution,
            validatedExcludeSpecsBeforeSubstitution,
            pathPatterns: void 0,
            // Initialized on first use
            isDefaultIncludeSpec
          };
        }
        function getFileNames(basePath2) {
          const fileNames = getFileNamesFromConfigSpecs(configFileSpecs, basePath2, options, host, extraFileExtensions);
          if (shouldReportNoInputFiles(fileNames, canJsonReportNoInputFiles(raw), resolutionStack)) {
            errors.push(getErrorForNoInputFiles(configFileSpecs, configFileName));
          }
          return fileNames;
        }
        function getProjectReferences(basePath2) {
          let projectReferences;
          const referencesOfRaw = getPropFromRaw("references", (element) => typeof element === "object", "object");
          if (isArray3(referencesOfRaw)) {
            for (const ref of referencesOfRaw) {
              if (typeof ref.path !== "string") {
                createCompilerDiagnosticOnlyIfJson(Diagnostics.Compiler_option_0_requires_a_value_of_type_1, "reference.path", "string");
              } else {
                (projectReferences || (projectReferences = [])).push({
                  path: getNormalizedAbsolutePath(ref.path, basePath2),
                  originalPath: ref.path,
                  prepend: ref.prepend,
                  circular: ref.circular
                });
              }
            }
          }
          return projectReferences;
        }
        function toPropValue(specResult) {
          return isArray3(specResult) ? specResult : void 0;
        }
        function getSpecsFromRaw(prop) {
          return getPropFromRaw(prop, isString2, "string");
        }
        function getPropFromRaw(prop, validateElement, elementTypeName) {
          if (hasProperty(raw, prop) && !isNullOrUndefined(raw[prop])) {
            if (isArray3(raw[prop])) {
              const result = raw[prop];
              if (!sourceFile && !every(result, validateElement)) {
                errors.push(createCompilerDiagnostic(Diagnostics.Compiler_option_0_requires_a_value_of_type_1, prop, elementTypeName));
              }
              return result;
            } else {
              createCompilerDiagnosticOnlyIfJson(Diagnostics.Compiler_option_0_requires_a_value_of_type_1, prop, "Array");
              return "not-array";
            }
          }
          return "no-prop";
        }
        function createCompilerDiagnosticOnlyIfJson(message, ...args) {
          if (!sourceFile) {
            errors.push(createCompilerDiagnostic(message, ...args));
          }
        }
      }
      function handleWatchOptionsConfigDirTemplateSubstitution(watchOptions, basePath) {
        return handleOptionConfigDirTemplateSubstitution(watchOptions, configDirTemplateSubstitutionWatchOptions, basePath);
      }
      function handleOptionConfigDirTemplateSubstitution(options, optionDeclarations2, basePath) {
        if (!options) return options;
        let result;
        for (const option of optionDeclarations2) {
          if (options[option.name] !== void 0) {
            const value = options[option.name];
            switch (option.type) {
              case "string":
                Debug.assert(option.isFilePath);
                if (startsWithConfigDirTemplate(value)) {
                  setOptionValue(option, getSubstitutedPathWithConfigDirTemplate(value, basePath));
                }
                break;
              case "list":
                Debug.assert(option.element.isFilePath);
                const listResult = getSubstitutedStringArrayWithConfigDirTemplate(value, basePath);
                if (listResult) setOptionValue(option, listResult);
                break;
              case "object":
                Debug.assert(option.name === "paths");
                const objectResult = getSubstitutedMapLikeOfStringArrayWithConfigDirTemplate(value, basePath);
                if (objectResult) setOptionValue(option, objectResult);
                break;
              default:
                Debug.fail("option type not supported");
            }
          }
        }
        return result || options;
        function setOptionValue(option, value) {
          (result ?? (result = assign({}, options)))[option.name] = value;
        }
      }
      var configDirTemplate = `\${configDir}`;
      function startsWithConfigDirTemplate(value) {
        return isString2(value) && startsWith2(
          value,
          configDirTemplate,
          /*ignoreCase*/
          true
        );
      }
      function getSubstitutedPathWithConfigDirTemplate(value, basePath) {
        return getNormalizedAbsolutePath(value.replace(configDirTemplate, "./"), basePath);
      }
      function getSubstitutedStringArrayWithConfigDirTemplate(list, basePath) {
        if (!list) return list;
        let result;
        list.forEach((element, index) => {
          if (!startsWithConfigDirTemplate(element)) return;
          (result ?? (result = list.slice()))[index] = getSubstitutedPathWithConfigDirTemplate(element, basePath);
        });
        return result;
      }
      function getSubstitutedMapLikeOfStringArrayWithConfigDirTemplate(mapLike, basePath) {
        let result;
        const ownKeys = getOwnKeys(mapLike);
        ownKeys.forEach((key) => {
          if (!isArray3(mapLike[key])) return;
          const subStitution = getSubstitutedStringArrayWithConfigDirTemplate(mapLike[key], basePath);
          if (!subStitution) return;
          (result ?? (result = assign({}, mapLike)))[key] = subStitution;
        });
        return result;
      }
      function isErrorNoInputFiles(error2) {
        return error2.code === Diagnostics.No_inputs_were_found_in_config_file_0_Specified_include_paths_were_1_and_exclude_paths_were_2.code;
      }
      function getErrorForNoInputFiles({ includeSpecs, excludeSpecs }, configFileName) {
        return createCompilerDiagnostic(
          Diagnostics.No_inputs_were_found_in_config_file_0_Specified_include_paths_were_1_and_exclude_paths_were_2,
          configFileName || "tsconfig.json",
          JSON.stringify(includeSpecs || []),
          JSON.stringify(excludeSpecs || [])
        );
      }
      function shouldReportNoInputFiles(fileNames, canJsonReportNoInutFiles, resolutionStack) {
        return fileNames.length === 0 && canJsonReportNoInutFiles && (!resolutionStack || resolutionStack.length === 0);
      }
      function canJsonReportNoInputFiles(raw) {
        return !hasProperty(raw, "files") && !hasProperty(raw, "references");
      }
      function updateErrorForNoInputFiles(fileNames, configFileName, configFileSpecs, configParseDiagnostics, canJsonReportNoInutFiles) {
        const existingErrors = configParseDiagnostics.length;
        if (shouldReportNoInputFiles(fileNames, canJsonReportNoInutFiles)) {
          configParseDiagnostics.push(getErrorForNoInputFiles(configFileSpecs, configFileName));
        } else {
          filterMutate(configParseDiagnostics, (error2) => !isErrorNoInputFiles(error2));
        }
        return existingErrors !== configParseDiagnostics.length;
      }
      function isSuccessfulParsedTsconfig(value) {
        return !!value.options;
      }
      function parseConfig(json, sourceFile, host, basePath, configFileName, resolutionStack, errors, extendedConfigCache) {
        var _a;
        basePath = normalizeSlashes(basePath);
        const resolvedPath = getNormalizedAbsolutePath(configFileName || "", basePath);
        if (resolutionStack.includes(resolvedPath)) {
          errors.push(createCompilerDiagnostic(Diagnostics.Circularity_detected_while_resolving_configuration_Colon_0, [...resolutionStack, resolvedPath].join(" -> ")));
          return { raw: json || convertToObject(sourceFile, errors) };
        }
        const ownConfig = json ? parseOwnConfigOfJson(json, host, basePath, configFileName, errors) : parseOwnConfigOfJsonSourceFile(sourceFile, host, basePath, configFileName, errors);
        if ((_a = ownConfig.options) == null ? void 0 : _a.paths) {
          ownConfig.options.pathsBasePath = basePath;
        }
        if (ownConfig.extendedConfigPath) {
          resolutionStack = resolutionStack.concat([resolvedPath]);
          const result = { options: {} };
          if (isString2(ownConfig.extendedConfigPath)) {
            applyExtendedConfig(result, ownConfig.extendedConfigPath);
          } else {
            ownConfig.extendedConfigPath.forEach((extendedConfigPath) => applyExtendedConfig(result, extendedConfigPath));
          }
          if (result.include) ownConfig.raw.include = result.include;
          if (result.exclude) ownConfig.raw.exclude = result.exclude;
          if (result.files) ownConfig.raw.files = result.files;
          if (ownConfig.raw.compileOnSave === void 0 && result.compileOnSave) ownConfig.raw.compileOnSave = result.compileOnSave;
          if (sourceFile && result.extendedSourceFiles) sourceFile.extendedSourceFiles = arrayFrom(result.extendedSourceFiles.keys());
          ownConfig.options = assign(result.options, ownConfig.options);
          ownConfig.watchOptions = ownConfig.watchOptions && result.watchOptions ? assign(result.watchOptions, ownConfig.watchOptions) : ownConfig.watchOptions || result.watchOptions;
        }
        return ownConfig;
        function applyExtendedConfig(result, extendedConfigPath) {
          const extendedConfig = getExtendedConfig(sourceFile, extendedConfigPath, host, resolutionStack, errors, extendedConfigCache, result);
          if (extendedConfig && isSuccessfulParsedTsconfig(extendedConfig)) {
            const extendsRaw = extendedConfig.raw;
            let relativeDifference;
            const setPropertyInResultIfNotUndefined = (propertyName) => {
              if (ownConfig.raw[propertyName]) return;
              if (extendsRaw[propertyName]) {
                result[propertyName] = map(extendsRaw[propertyName], (path17) => startsWithConfigDirTemplate(path17) || isRootedDiskPath(path17) ? path17 : combinePaths(
                  relativeDifference || (relativeDifference = convertToRelativePath(getDirectoryPath(extendedConfigPath), basePath, createGetCanonicalFileName(host.useCaseSensitiveFileNames))),
                  path17
                ));
              }
            };
            setPropertyInResultIfNotUndefined("include");
            setPropertyInResultIfNotUndefined("exclude");
            setPropertyInResultIfNotUndefined("files");
            if (extendsRaw.compileOnSave !== void 0) {
              result.compileOnSave = extendsRaw.compileOnSave;
            }
            assign(result.options, extendedConfig.options);
            result.watchOptions = result.watchOptions && extendedConfig.watchOptions ? assign({}, result.watchOptions, extendedConfig.watchOptions) : result.watchOptions || extendedConfig.watchOptions;
          }
        }
      }
      function parseOwnConfigOfJson(json, host, basePath, configFileName, errors) {
        if (hasProperty(json, "excludes")) {
          errors.push(createCompilerDiagnostic(Diagnostics.Unknown_option_excludes_Did_you_mean_exclude));
        }
        const options = convertCompilerOptionsFromJsonWorker(json.compilerOptions, basePath, errors, configFileName);
        const typeAcquisition = convertTypeAcquisitionFromJsonWorker(json.typeAcquisition, basePath, errors, configFileName);
        const watchOptions = convertWatchOptionsFromJsonWorker(json.watchOptions, basePath, errors);
        json.compileOnSave = convertCompileOnSaveOptionFromJson(json, basePath, errors);
        const extendedConfigPath = json.extends || json.extends === "" ? getExtendsConfigPathOrArray(json.extends, host, basePath, configFileName, errors) : void 0;
        return { raw: json, options, watchOptions, typeAcquisition, extendedConfigPath };
      }
      function getExtendsConfigPathOrArray(value, host, basePath, configFileName, errors, propertyAssignment, valueExpression, sourceFile) {
        let extendedConfigPath;
        const newBase = configFileName ? directoryOfCombinedPath(configFileName, basePath) : basePath;
        if (isString2(value)) {
          extendedConfigPath = getExtendsConfigPath(
            value,
            host,
            newBase,
            errors,
            valueExpression,
            sourceFile
          );
        } else if (isArray3(value)) {
          extendedConfigPath = [];
          for (let index = 0; index < value.length; index++) {
            const fileName = value[index];
            if (isString2(fileName)) {
              extendedConfigPath = append(
                extendedConfigPath,
                getExtendsConfigPath(
                  fileName,
                  host,
                  newBase,
                  errors,
                  valueExpression == null ? void 0 : valueExpression.elements[index],
                  sourceFile
                )
              );
            } else {
              convertJsonOption(extendsOptionDeclaration.element, value, basePath, errors, propertyAssignment, valueExpression == null ? void 0 : valueExpression.elements[index], sourceFile);
            }
          }
        } else {
          convertJsonOption(extendsOptionDeclaration, value, basePath, errors, propertyAssignment, valueExpression, sourceFile);
        }
        return extendedConfigPath;
      }
      function parseOwnConfigOfJsonSourceFile(sourceFile, host, basePath, configFileName, errors) {
        const options = getDefaultCompilerOptions(configFileName);
        let typeAcquisition;
        let watchOptions;
        let extendedConfigPath;
        let rootCompilerOptions;
        const rootOptions = getTsconfigRootOptionsMap();
        const json = convertConfigFileToObject(
          sourceFile,
          errors,
          { rootOptions, onPropertySet }
        );
        if (!typeAcquisition) {
          typeAcquisition = getDefaultTypeAcquisition(configFileName);
        }
        if (rootCompilerOptions && json && json.compilerOptions === void 0) {
          errors.push(createDiagnosticForNodeInSourceFile(sourceFile, rootCompilerOptions[0], Diagnostics._0_should_be_set_inside_the_compilerOptions_object_of_the_config_json_file, getTextOfPropertyName(rootCompilerOptions[0])));
        }
        return { raw: json, options, watchOptions, typeAcquisition, extendedConfigPath };
        function onPropertySet(keyText, value, propertyAssignment, parentOption, option) {
          if (option && option !== extendsOptionDeclaration) value = convertJsonOption(option, value, basePath, errors, propertyAssignment, propertyAssignment.initializer, sourceFile);
          if (parentOption == null ? void 0 : parentOption.name) {
            if (option) {
              let currentOption;
              if (parentOption === compilerOptionsDeclaration) currentOption = options;
              else if (parentOption === watchOptionsDeclaration) currentOption = watchOptions ?? (watchOptions = {});
              else if (parentOption === typeAcquisitionDeclaration) currentOption = typeAcquisition ?? (typeAcquisition = getDefaultTypeAcquisition(configFileName));
              else Debug.fail("Unknown option");
              currentOption[option.name] = value;
            } else if (keyText && (parentOption == null ? void 0 : parentOption.extraKeyDiagnostics)) {
              if (parentOption.elementOptions) {
                errors.push(createUnknownOptionError(
                  keyText,
                  parentOption.extraKeyDiagnostics,
                  /*unknownOptionErrorText*/
                  void 0,
                  propertyAssignment.name,
                  sourceFile
                ));
              } else {
                errors.push(createDiagnosticForNodeInSourceFile(sourceFile, propertyAssignment.name, parentOption.extraKeyDiagnostics.unknownOptionDiagnostic, keyText));
              }
            }
          } else if (parentOption === rootOptions) {
            if (option === extendsOptionDeclaration) {
              extendedConfigPath = getExtendsConfigPathOrArray(value, host, basePath, configFileName, errors, propertyAssignment, propertyAssignment.initializer, sourceFile);
            } else if (!option) {
              if (keyText === "excludes") {
                errors.push(createDiagnosticForNodeInSourceFile(sourceFile, propertyAssignment.name, Diagnostics.Unknown_option_excludes_Did_you_mean_exclude));
              }
              if (find(commandOptionsWithoutBuild, (opt) => opt.name === keyText)) {
                rootCompilerOptions = append(rootCompilerOptions, propertyAssignment.name);
              }
            }
          }
        }
      }
      function getExtendsConfigPath(extendedConfig, host, basePath, errors, valueExpression, sourceFile) {
        extendedConfig = normalizeSlashes(extendedConfig);
        if (isRootedDiskPath(extendedConfig) || startsWith2(extendedConfig, "./") || startsWith2(extendedConfig, "../")) {
          let extendedConfigPath = getNormalizedAbsolutePath(extendedConfig, basePath);
          if (!host.fileExists(extendedConfigPath) && !endsWith(
            extendedConfigPath,
            ".json"
            /* Json */
          )) {
            extendedConfigPath = `${extendedConfigPath}.json`;
            if (!host.fileExists(extendedConfigPath)) {
              errors.push(createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, valueExpression, Diagnostics.File_0_not_found, extendedConfig));
              return void 0;
            }
          }
          return extendedConfigPath;
        }
        const resolved = nodeNextJsonConfigResolver(extendedConfig, combinePaths(basePath, "tsconfig.json"), host);
        if (resolved.resolvedModule) {
          return resolved.resolvedModule.resolvedFileName;
        }
        if (extendedConfig === "") {
          errors.push(createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, valueExpression, Diagnostics.Compiler_option_0_cannot_be_given_an_empty_string, "extends"));
        } else {
          errors.push(createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, valueExpression, Diagnostics.File_0_not_found, extendedConfig));
        }
        return void 0;
      }
      function getExtendedConfig(sourceFile, extendedConfigPath, host, resolutionStack, errors, extendedConfigCache, result) {
        const path17 = host.useCaseSensitiveFileNames ? extendedConfigPath : toFileNameLowerCase(extendedConfigPath);
        let value;
        let extendedResult;
        let extendedConfig;
        if (extendedConfigCache && (value = extendedConfigCache.get(path17))) {
          ({ extendedResult, extendedConfig } = value);
        } else {
          extendedResult = readJsonConfigFile(extendedConfigPath, (path22) => host.readFile(path22));
          if (!extendedResult.parseDiagnostics.length) {
            extendedConfig = parseConfig(
              /*json*/
              void 0,
              extendedResult,
              host,
              getDirectoryPath(extendedConfigPath),
              getBaseFileName(extendedConfigPath),
              resolutionStack,
              errors,
              extendedConfigCache
            );
          }
          if (extendedConfigCache) {
            extendedConfigCache.set(path17, { extendedResult, extendedConfig });
          }
        }
        if (sourceFile) {
          (result.extendedSourceFiles ?? (result.extendedSourceFiles = /* @__PURE__ */ new Set())).add(extendedResult.fileName);
          if (extendedResult.extendedSourceFiles) {
            for (const extenedSourceFile of extendedResult.extendedSourceFiles) {
              result.extendedSourceFiles.add(extenedSourceFile);
            }
          }
        }
        if (extendedResult.parseDiagnostics.length) {
          errors.push(...extendedResult.parseDiagnostics);
          return void 0;
        }
        return extendedConfig;
      }
      function convertCompileOnSaveOptionFromJson(jsonOption, basePath, errors) {
        if (!hasProperty(jsonOption, compileOnSaveCommandLineOption.name)) {
          return false;
        }
        const result = convertJsonOption(compileOnSaveCommandLineOption, jsonOption.compileOnSave, basePath, errors);
        return typeof result === "boolean" && result;
      }
      function convertCompilerOptionsFromJson(jsonOptions, basePath, configFileName) {
        const errors = [];
        const options = convertCompilerOptionsFromJsonWorker(jsonOptions, basePath, errors, configFileName);
        return { options, errors };
      }
      function convertTypeAcquisitionFromJson(jsonOptions, basePath, configFileName) {
        const errors = [];
        const options = convertTypeAcquisitionFromJsonWorker(jsonOptions, basePath, errors, configFileName);
        return { options, errors };
      }
      function getDefaultCompilerOptions(configFileName) {
        const options = configFileName && getBaseFileName(configFileName) === "jsconfig.json" ? { allowJs: true, maxNodeModuleJsDepth: 2, allowSyntheticDefaultImports: true, skipLibCheck: true, noEmit: true } : {};
        return options;
      }
      function convertCompilerOptionsFromJsonWorker(jsonOptions, basePath, errors, configFileName) {
        const options = getDefaultCompilerOptions(configFileName);
        convertOptionsFromJson(getCommandLineCompilerOptionsMap(), jsonOptions, basePath, options, compilerOptionsDidYouMeanDiagnostics, errors);
        if (configFileName) {
          options.configFilePath = normalizeSlashes(configFileName);
        }
        return options;
      }
      function getDefaultTypeAcquisition(configFileName) {
        return { enable: !!configFileName && getBaseFileName(configFileName) === "jsconfig.json", include: [], exclude: [] };
      }
      function convertTypeAcquisitionFromJsonWorker(jsonOptions, basePath, errors, configFileName) {
        const options = getDefaultTypeAcquisition(configFileName);
        convertOptionsFromJson(getCommandLineTypeAcquisitionMap(), jsonOptions, basePath, options, typeAcquisitionDidYouMeanDiagnostics, errors);
        return options;
      }
      function convertWatchOptionsFromJsonWorker(jsonOptions, basePath, errors) {
        return convertOptionsFromJson(
          getCommandLineWatchOptionsMap(),
          jsonOptions,
          basePath,
          /*defaultOptions*/
          void 0,
          watchOptionsDidYouMeanDiagnostics,
          errors
        );
      }
      function convertOptionsFromJson(optionsNameMap, jsonOptions, basePath, defaultOptions2, diagnostics, errors) {
        if (!jsonOptions) {
          return;
        }
        for (const id in jsonOptions) {
          const opt = optionsNameMap.get(id);
          if (opt) {
            (defaultOptions2 || (defaultOptions2 = {}))[opt.name] = convertJsonOption(opt, jsonOptions[id], basePath, errors);
          } else {
            errors.push(createUnknownOptionError(id, diagnostics));
          }
        }
        return defaultOptions2;
      }
      function createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, node, message, ...args) {
        return sourceFile && node ? createDiagnosticForNodeInSourceFile(sourceFile, node, message, ...args) : createCompilerDiagnostic(message, ...args);
      }
      function convertJsonOption(opt, value, basePath, errors, propertyAssignment, valueExpression, sourceFile) {
        if (opt.isCommandLineOnly) {
          errors.push(createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, propertyAssignment == null ? void 0 : propertyAssignment.name, Diagnostics.Option_0_can_only_be_specified_on_command_line, opt.name));
          return void 0;
        }
        if (isCompilerOptionsValue(opt, value)) {
          const optType = opt.type;
          if (optType === "list" && isArray3(value)) {
            return convertJsonOptionOfListType(opt, value, basePath, errors, propertyAssignment, valueExpression, sourceFile);
          } else if (optType === "listOrElement") {
            return isArray3(value) ? convertJsonOptionOfListType(opt, value, basePath, errors, propertyAssignment, valueExpression, sourceFile) : convertJsonOption(opt.element, value, basePath, errors, propertyAssignment, valueExpression, sourceFile);
          } else if (!isString2(opt.type)) {
            return convertJsonOptionOfCustomType(opt, value, errors, valueExpression, sourceFile);
          }
          const validatedValue = validateJsonOptionValue(opt, value, errors, valueExpression, sourceFile);
          return isNullOrUndefined(validatedValue) ? validatedValue : normalizeNonListOptionValue(opt, basePath, validatedValue);
        } else {
          errors.push(createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, valueExpression, Diagnostics.Compiler_option_0_requires_a_value_of_type_1, opt.name, getCompilerOptionValueTypeString(opt)));
        }
      }
      function normalizeNonListOptionValue(option, basePath, value) {
        if (option.isFilePath) {
          value = normalizeSlashes(value);
          value = !startsWithConfigDirTemplate(value) ? getNormalizedAbsolutePath(value, basePath) : value;
          if (value === "") {
            value = ".";
          }
        }
        return value;
      }
      function validateJsonOptionValue(opt, value, errors, valueExpression, sourceFile) {
        var _a;
        if (isNullOrUndefined(value)) return void 0;
        const d = (_a = opt.extraValidation) == null ? void 0 : _a.call(opt, value);
        if (!d) return value;
        errors.push(createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, valueExpression, ...d));
        return void 0;
      }
      function convertJsonOptionOfCustomType(opt, value, errors, valueExpression, sourceFile) {
        if (isNullOrUndefined(value)) return void 0;
        const key = value.toLowerCase();
        const val = opt.type.get(key);
        if (val !== void 0) {
          return validateJsonOptionValue(opt, val, errors, valueExpression, sourceFile);
        } else {
          errors.push(createDiagnosticForInvalidCustomType(opt, (message, ...args) => createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(sourceFile, valueExpression, message, ...args)));
        }
      }
      function convertJsonOptionOfListType(option, values, basePath, errors, propertyAssignment, valueExpression, sourceFile) {
        return filter(map(values, (v, index) => convertJsonOption(option.element, v, basePath, errors, propertyAssignment, valueExpression == null ? void 0 : valueExpression.elements[index], sourceFile)), (v) => option.listPreserveFalsyValues ? true : !!v);
      }
      var invalidTrailingRecursionPattern = /(^|\/)\*\*\/?$/;
      var wildcardDirectoryPattern = /^[^*?]*(?=\/[^/]*[*?])/;
      function getFileNamesFromConfigSpecs(configFileSpecs, basePath, options, host, extraFileExtensions = emptyArray) {
        basePath = normalizePath(basePath);
        const keyMapper = createGetCanonicalFileName(host.useCaseSensitiveFileNames);
        const literalFileMap = /* @__PURE__ */ new Map();
        const wildcardFileMap = /* @__PURE__ */ new Map();
        const wildCardJsonFileMap = /* @__PURE__ */ new Map();
        const { validatedFilesSpec, validatedIncludeSpecs, validatedExcludeSpecs } = configFileSpecs;
        const supportedExtensions = getSupportedExtensions(options, extraFileExtensions);
        const supportedExtensionsWithJsonIfResolveJsonModule = getSupportedExtensionsWithJsonIfResolveJsonModule(options, supportedExtensions);
        if (validatedFilesSpec) {
          for (const fileName of validatedFilesSpec) {
            const file = getNormalizedAbsolutePath(fileName, basePath);
            literalFileMap.set(keyMapper(file), file);
          }
        }
        let jsonOnlyIncludeRegexes;
        if (validatedIncludeSpecs && validatedIncludeSpecs.length > 0) {
          for (const file of host.readDirectory(
            basePath,
            flatten(supportedExtensionsWithJsonIfResolveJsonModule),
            validatedExcludeSpecs,
            validatedIncludeSpecs,
            /*depth*/
            void 0
          )) {
            if (fileExtensionIs(
              file,
              ".json"
              /* Json */
            )) {
              if (!jsonOnlyIncludeRegexes) {
                const includes = validatedIncludeSpecs.filter((s) => endsWith(
                  s,
                  ".json"
                  /* Json */
                ));
                const includeFilePatterns = map(getRegularExpressionsForWildcards(includes, basePath, "files"), (pattern) => `^${pattern}$`);
                jsonOnlyIncludeRegexes = includeFilePatterns ? includeFilePatterns.map((pattern) => getRegexFromPattern(pattern, host.useCaseSensitiveFileNames)) : emptyArray;
              }
              const includeIndex = findIndex(jsonOnlyIncludeRegexes, (re) => re.test(file));
              if (includeIndex !== -1) {
                const key2 = keyMapper(file);
                if (!literalFileMap.has(key2) && !wildCardJsonFileMap.has(key2)) {
                  wildCardJsonFileMap.set(key2, file);
                }
              }
              continue;
            }
            if (hasFileWithHigherPriorityExtension(file, literalFileMap, wildcardFileMap, supportedExtensions, keyMapper)) {
              continue;
            }
            removeWildcardFilesWithLowerPriorityExtension(file, wildcardFileMap, supportedExtensions, keyMapper);
            const key = keyMapper(file);
            if (!literalFileMap.has(key) && !wildcardFileMap.has(key)) {
              wildcardFileMap.set(key, file);
            }
          }
        }
        const literalFiles = arrayFrom(literalFileMap.values());
        const wildcardFiles = arrayFrom(wildcardFileMap.values());
        return literalFiles.concat(wildcardFiles, arrayFrom(wildCardJsonFileMap.values()));
      }
      function isExcludedFile(pathToCheck, spec, basePath, useCaseSensitiveFileNames2, currentDirectory) {
        const { validatedFilesSpec, validatedIncludeSpecs, validatedExcludeSpecs } = spec;
        if (!length(validatedIncludeSpecs) || !length(validatedExcludeSpecs)) return false;
        basePath = normalizePath(basePath);
        const keyMapper = createGetCanonicalFileName(useCaseSensitiveFileNames2);
        if (validatedFilesSpec) {
          for (const fileName of validatedFilesSpec) {
            if (keyMapper(getNormalizedAbsolutePath(fileName, basePath)) === pathToCheck) return false;
          }
        }
        return matchesExcludeWorker(pathToCheck, validatedExcludeSpecs, useCaseSensitiveFileNames2, currentDirectory, basePath);
      }
      function invalidDotDotAfterRecursiveWildcard(s) {
        const wildcardIndex = startsWith2(s, "**/") ? 0 : s.indexOf("/**/");
        if (wildcardIndex === -1) {
          return false;
        }
        const lastDotIndex = endsWith(s, "/..") ? s.length : s.lastIndexOf("/../");
        return lastDotIndex > wildcardIndex;
      }
      function matchesExclude(pathToCheck, excludeSpecs, useCaseSensitiveFileNames2, currentDirectory) {
        return matchesExcludeWorker(
          pathToCheck,
          filter(excludeSpecs, (spec) => !invalidDotDotAfterRecursiveWildcard(spec)),
          useCaseSensitiveFileNames2,
          currentDirectory
        );
      }
      function matchesExcludeWorker(pathToCheck, excludeSpecs, useCaseSensitiveFileNames2, currentDirectory, basePath) {
        const excludePattern = getRegularExpressionForWildcard(excludeSpecs, combinePaths(normalizePath(currentDirectory), basePath), "exclude");
        const excludeRegex = excludePattern && getRegexFromPattern(excludePattern, useCaseSensitiveFileNames2);
        if (!excludeRegex) return false;
        if (excludeRegex.test(pathToCheck)) return true;
        return !hasExtension(pathToCheck) && excludeRegex.test(ensureTrailingDirectorySeparator(pathToCheck));
      }
      function validateSpecs(specs, errors, disallowTrailingRecursion, jsonSourceFile, specKey) {
        return specs.filter((spec) => {
          if (!isString2(spec)) return false;
          const diag2 = specToDiagnostic(spec, disallowTrailingRecursion);
          if (diag2 !== void 0) {
            errors.push(createDiagnostic(...diag2));
          }
          return diag2 === void 0;
        });
        function createDiagnostic(message, spec) {
          const element = getTsConfigPropArrayElementValue(jsonSourceFile, specKey, spec);
          return createDiagnosticForNodeInSourceFileOrCompilerDiagnostic(jsonSourceFile, element, message, spec);
        }
      }
      function specToDiagnostic(spec, disallowTrailingRecursion) {
        Debug.assert(typeof spec === "string");
        if (disallowTrailingRecursion && invalidTrailingRecursionPattern.test(spec)) {
          return [Diagnostics.File_specification_cannot_end_in_a_recursive_directory_wildcard_Asterisk_Asterisk_Colon_0, spec];
        } else if (invalidDotDotAfterRecursiveWildcard(spec)) {
          return [Diagnostics.File_specification_cannot_contain_a_parent_directory_that_appears_after_a_recursive_directory_wildcard_Asterisk_Asterisk_Colon_0, spec];
        }
      }
      function getWildcardDirectories({ validatedIncludeSpecs: include, validatedExcludeSpecs: exclude }, basePath, useCaseSensitiveFileNames2) {
        const rawExcludeRegex = getRegularExpressionForWildcard(exclude, basePath, "exclude");
        const excludeRegex = rawExcludeRegex && new RegExp(rawExcludeRegex, useCaseSensitiveFileNames2 ? "" : "i");
        const wildcardDirectories = {};
        const wildCardKeyToPath = /* @__PURE__ */ new Map();
        if (include !== void 0) {
          const recursiveKeys = [];
          for (const file of include) {
            const spec = normalizePath(combinePaths(basePath, file));
            if (excludeRegex && excludeRegex.test(spec)) {
              continue;
            }
            const match = getWildcardDirectoryFromSpec(spec, useCaseSensitiveFileNames2);
            if (match) {
              const { key, path: path17, flags } = match;
              const existingPath = wildCardKeyToPath.get(key);
              const existingFlags = existingPath !== void 0 ? wildcardDirectories[existingPath] : void 0;
              if (existingFlags === void 0 || existingFlags < flags) {
                wildcardDirectories[existingPath !== void 0 ? existingPath : path17] = flags;
                if (existingPath === void 0) wildCardKeyToPath.set(key, path17);
                if (flags === 1) {
                  recursiveKeys.push(key);
                }
              }
            }
          }
          for (const path17 in wildcardDirectories) {
            if (hasProperty(wildcardDirectories, path17)) {
              for (const recursiveKey of recursiveKeys) {
                const key = toCanonicalKey(path17, useCaseSensitiveFileNames2);
                if (key !== recursiveKey && containsPath(recursiveKey, key, basePath, !useCaseSensitiveFileNames2)) {
                  delete wildcardDirectories[path17];
                }
              }
            }
          }
        }
        return wildcardDirectories;
      }
      function toCanonicalKey(path17, useCaseSensitiveFileNames2) {
        return useCaseSensitiveFileNames2 ? path17 : toFileNameLowerCase(path17);
      }
      function getWildcardDirectoryFromSpec(spec, useCaseSensitiveFileNames2) {
        const match = wildcardDirectoryPattern.exec(spec);
        if (match) {
          const questionWildcardIndex = spec.indexOf("?");
          const starWildcardIndex = spec.indexOf("*");
          const lastDirectorySeperatorIndex = spec.lastIndexOf(directorySeparator);
          return {
            key: toCanonicalKey(match[0], useCaseSensitiveFileNames2),
            path: match[0],
            flags: questionWildcardIndex !== -1 && questionWildcardIndex < lastDirectorySeperatorIndex || starWildcardIndex !== -1 && starWildcardIndex < lastDirectorySeperatorIndex ? 1 : 0
            /* None */
          };
        }
        if (isImplicitGlob(spec.substring(spec.lastIndexOf(directorySeparator) + 1))) {
          const path17 = removeTrailingDirectorySeparator(spec);
          return {
            key: toCanonicalKey(path17, useCaseSensitiveFileNames2),
            path: path17,
            flags: 1
            /* Recursive */
          };
        }
        return void 0;
      }
      function hasFileWithHigherPriorityExtension(file, literalFiles, wildcardFiles, extensions, keyMapper) {
        const extensionGroup = forEach(extensions, (group2) => fileExtensionIsOneOf(file, group2) ? group2 : void 0);
        if (!extensionGroup) {
          return false;
        }
        for (const ext of extensionGroup) {
          if (fileExtensionIs(file, ext) && (ext !== ".ts" || !fileExtensionIs(
            file,
            ".d.ts"
            /* Dts */
          ))) {
            return false;
          }
          const higherPriorityPath = keyMapper(changeExtension(file, ext));
          if (literalFiles.has(higherPriorityPath) || wildcardFiles.has(higherPriorityPath)) {
            if (ext === ".d.ts" && (fileExtensionIs(
              file,
              ".js"
              /* Js */
            ) || fileExtensionIs(
              file,
              ".jsx"
              /* Jsx */
            ))) {
              continue;
            }
            return true;
          }
        }
        return false;
      }
      function removeWildcardFilesWithLowerPriorityExtension(file, wildcardFiles, extensions, keyMapper) {
        const extensionGroup = forEach(extensions, (group2) => fileExtensionIsOneOf(file, group2) ? group2 : void 0);
        if (!extensionGroup) {
          return;
        }
        for (let i = extensionGroup.length - 1; i >= 0; i--) {
          const ext = extensionGroup[i];
          if (fileExtensionIs(file, ext)) {
            return;
          }
          const lowerPriorityPath = keyMapper(changeExtension(file, ext));
          wildcardFiles.delete(lowerPriorityPath);
        }
      }
      function convertCompilerOptionsForTelemetry(opts) {
        const out = {};
        for (const key in opts) {
          if (hasProperty(opts, key)) {
            const type = getOptionFromName(key);
            if (type !== void 0) {
              out[key] = getOptionValueWithEmptyStrings(opts[key], type);
            }
          }
        }
        return out;
      }
      function getOptionValueWithEmptyStrings(value, option) {
        if (value === void 0) return value;
        switch (option.type) {
          case "object":
            return "";
          case "string":
            return "";
          case "number":
            return typeof value === "number" ? value : "";
          case "boolean":
            return typeof value === "boolean" ? value : "";
          case "listOrElement":
            if (!isArray3(value)) return getOptionValueWithEmptyStrings(value, option.element);
          case "list":
            const elementType = option.element;
            return isArray3(value) ? mapDefined(value, (v) => getOptionValueWithEmptyStrings(v, elementType)) : "";
          default:
            return forEachEntry(option.type, (optionEnumValue, optionStringValue) => {
              if (optionEnumValue === value) {
                return optionStringValue;
              }
            });
        }
      }
      function getDefaultValueForOption(option) {
        switch (option.type) {
          case "number":
            return 1;
          case "boolean":
            return true;
          case "string":
            const defaultValue = option.defaultValueDescription;
            return option.isFilePath ? `./${defaultValue && typeof defaultValue === "string" ? defaultValue : ""}` : "";
          case "list":
            return [];
          case "listOrElement":
            return getDefaultValueForOption(option.element);
          case "object":
            return {};
          default:
            const value = firstOrUndefinedIterator(option.type.keys());
            if (value !== void 0) return value;
            return Debug.fail("Expected 'option.type' to have entries.");
        }
      }
      function trace(host, message, ...args) {
        host.trace(formatMessage(message, ...args));
      }
      function isTraceEnabled(compilerOptions, host) {
        return !!compilerOptions.traceResolution && host.trace !== void 0;
      }
      function withPackageId(packageInfo, r, state) {
        let packageId;
        if (r && packageInfo) {
          const packageJsonContent = packageInfo.contents.packageJsonContent;
          if (typeof packageJsonContent.name === "string" && typeof packageJsonContent.version === "string") {
            packageId = {
              name: packageJsonContent.name,
              subModuleName: r.path.slice(packageInfo.packageDirectory.length + directorySeparator.length),
              version: packageJsonContent.version,
              peerDependencies: getPeerDependenciesOfPackageJsonInfo(packageInfo, state)
            };
          }
        }
        return r && { path: r.path, extension: r.ext, packageId, resolvedUsingTsExtension: r.resolvedUsingTsExtension };
      }
      function noPackageId(r) {
        return withPackageId(
          /*packageInfo*/
          void 0,
          r,
          /*state*/
          void 0
        );
      }
      function removeIgnoredPackageId(r) {
        if (r) {
          Debug.assert(r.packageId === void 0);
          return { path: r.path, ext: r.extension, resolvedUsingTsExtension: r.resolvedUsingTsExtension };
        }
      }
      function formatExtensions(extensions) {
        const result = [];
        if (extensions & 1) result.push("TypeScript");
        if (extensions & 2) result.push("JavaScript");
        if (extensions & 4) result.push("Declaration");
        if (extensions & 8) result.push("JSON");
        return result.join(", ");
      }
      function extensionsToExtensionsArray(extensions) {
        const result = [];
        if (extensions & 1) result.push(...supportedTSImplementationExtensions);
        if (extensions & 2) result.push(...supportedJSExtensionsFlat);
        if (extensions & 4) result.push(...supportedDeclarationExtensions);
        if (extensions & 8) result.push(
          ".json"
          /* Json */
        );
        return result;
      }
      function resolvedTypeScriptOnly(resolved) {
        if (!resolved) {
          return void 0;
        }
        Debug.assert(extensionIsTS(resolved.extension));
        return { fileName: resolved.path, packageId: resolved.packageId };
      }
      function createResolvedModuleWithFailedLookupLocationsHandlingSymlink(moduleName, resolved, isExternalLibraryImport, failedLookupLocations, affectingLocations, diagnostics, state, cache, alternateResult) {
        if (!state.resultFromCache && !state.compilerOptions.preserveSymlinks && resolved && isExternalLibraryImport && !resolved.originalPath && !isExternalModuleNameRelative(moduleName)) {
          const { resolvedFileName, originalPath } = getOriginalAndResolvedFileName(resolved.path, state.host, state.traceEnabled);
          if (originalPath) resolved = { ...resolved, path: resolvedFileName, originalPath };
        }
        return createResolvedModuleWithFailedLookupLocations(
          resolved,
          isExternalLibraryImport,
          failedLookupLocations,
          affectingLocations,
          diagnostics,
          state.resultFromCache,
          cache,
          alternateResult
        );
      }
      function createResolvedModuleWithFailedLookupLocations(resolved, isExternalLibraryImport, failedLookupLocations, affectingLocations, diagnostics, resultFromCache, cache, alternateResult) {
        if (resultFromCache) {
          if (!(cache == null ? void 0 : cache.isReadonly)) {
            resultFromCache.failedLookupLocations = updateResolutionField(resultFromCache.failedLookupLocations, failedLookupLocations);
            resultFromCache.affectingLocations = updateResolutionField(resultFromCache.affectingLocations, affectingLocations);
            resultFromCache.resolutionDiagnostics = updateResolutionField(resultFromCache.resolutionDiagnostics, diagnostics);
            return resultFromCache;
          } else {
            return {
              ...resultFromCache,
              failedLookupLocations: initializeResolutionFieldForReadonlyCache(resultFromCache.failedLookupLocations, failedLookupLocations),
              affectingLocations: initializeResolutionFieldForReadonlyCache(resultFromCache.affectingLocations, affectingLocations),
              resolutionDiagnostics: initializeResolutionFieldForReadonlyCache(resultFromCache.resolutionDiagnostics, diagnostics)
            };
          }
        }
        return {
          resolvedModule: resolved && {
            resolvedFileName: resolved.path,
            originalPath: resolved.originalPath === true ? void 0 : resolved.originalPath,
            extension: resolved.extension,
            isExternalLibraryImport,
            packageId: resolved.packageId,
            resolvedUsingTsExtension: !!resolved.resolvedUsingTsExtension
          },
          failedLookupLocations: initializeResolutionField(failedLookupLocations),
          affectingLocations: initializeResolutionField(affectingLocations),
          resolutionDiagnostics: initializeResolutionField(diagnostics),
          alternateResult
        };
      }
      function initializeResolutionField(value) {
        return value.length ? value : void 0;
      }
      function updateResolutionField(to, value) {
        if (!(value == null ? void 0 : value.length)) return to;
        if (!(to == null ? void 0 : to.length)) return value;
        to.push(...value);
        return to;
      }
      function initializeResolutionFieldForReadonlyCache(fromCache, value) {
        if (!(fromCache == null ? void 0 : fromCache.length)) return initializeResolutionField(value);
        if (!value.length) return fromCache.slice();
        return [...fromCache, ...value];
      }
      function readPackageJsonField(jsonContent, fieldName, typeOfTag, state) {
        if (!hasProperty(jsonContent, fieldName)) {
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.package_json_does_not_have_a_0_field, fieldName);
          }
          return;
        }
        const value = jsonContent[fieldName];
        if (typeof value !== typeOfTag || value === null) {
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.Expected_type_of_0_field_in_package_json_to_be_1_got_2, fieldName, typeOfTag, value === null ? "null" : typeof value);
          }
          return;
        }
        return value;
      }
      function readPackageJsonPathField(jsonContent, fieldName, baseDirectory, state) {
        const fileName = readPackageJsonField(jsonContent, fieldName, "string", state);
        if (fileName === void 0) {
          return;
        }
        if (!fileName) {
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.package_json_had_a_falsy_0_field, fieldName);
          }
          return;
        }
        const path17 = normalizePath(combinePaths(baseDirectory, fileName));
        if (state.traceEnabled) {
          trace(state.host, Diagnostics.package_json_has_0_field_1_that_references_2, fieldName, fileName, path17);
        }
        return path17;
      }
      function readPackageJsonTypesFields(jsonContent, baseDirectory, state) {
        return readPackageJsonPathField(jsonContent, "typings", baseDirectory, state) || readPackageJsonPathField(jsonContent, "types", baseDirectory, state);
      }
      function readPackageJsonTSConfigField(jsonContent, baseDirectory, state) {
        return readPackageJsonPathField(jsonContent, "tsconfig", baseDirectory, state);
      }
      function readPackageJsonMainField(jsonContent, baseDirectory, state) {
        return readPackageJsonPathField(jsonContent, "main", baseDirectory, state);
      }
      function readPackageJsonTypesVersionsField(jsonContent, state) {
        const typesVersions = readPackageJsonField(jsonContent, "typesVersions", "object", state);
        if (typesVersions === void 0) return;
        if (state.traceEnabled) {
          trace(state.host, Diagnostics.package_json_has_a_typesVersions_field_with_version_specific_path_mappings);
        }
        return typesVersions;
      }
      function readPackageJsonTypesVersionPaths(jsonContent, state) {
        const typesVersions = readPackageJsonTypesVersionsField(jsonContent, state);
        if (typesVersions === void 0) return;
        if (state.traceEnabled) {
          for (const key in typesVersions) {
            if (hasProperty(typesVersions, key) && !VersionRange.tryParse(key)) {
              trace(state.host, Diagnostics.package_json_has_a_typesVersions_entry_0_that_is_not_a_valid_semver_range, key);
            }
          }
        }
        const result = getPackageJsonTypesVersionsPaths(typesVersions);
        if (!result) {
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.package_json_does_not_have_a_typesVersions_entry_that_matches_version_0, versionMajorMinor);
          }
          return;
        }
        const { version: bestVersionKey, paths: bestVersionPaths } = result;
        if (typeof bestVersionPaths !== "object") {
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.Expected_type_of_0_field_in_package_json_to_be_1_got_2, `typesVersions['${bestVersionKey}']`, "object", typeof bestVersionPaths);
          }
          return;
        }
        return result;
      }
      var typeScriptVersion;
      function getPackageJsonTypesVersionsPaths(typesVersions) {
        if (!typeScriptVersion) typeScriptVersion = new Version(version);
        for (const key in typesVersions) {
          if (!hasProperty(typesVersions, key)) continue;
          const keyRange = VersionRange.tryParse(key);
          if (keyRange === void 0) {
            continue;
          }
          if (keyRange.test(typeScriptVersion)) {
            return { version: key, paths: typesVersions[key] };
          }
        }
      }
      function getEffectiveTypeRoots(options, host) {
        if (options.typeRoots) {
          return options.typeRoots;
        }
        let currentDirectory;
        if (options.configFilePath) {
          currentDirectory = getDirectoryPath(options.configFilePath);
        } else if (host.getCurrentDirectory) {
          currentDirectory = host.getCurrentDirectory();
        }
        if (currentDirectory !== void 0) {
          return getDefaultTypeRoots(currentDirectory);
        }
      }
      function getDefaultTypeRoots(currentDirectory) {
        let typeRoots;
        forEachAncestorDirectory(normalizePath(currentDirectory), (directory) => {
          const atTypes = combinePaths(directory, nodeModulesAtTypes);
          (typeRoots ?? (typeRoots = [])).push(atTypes);
        });
        return typeRoots;
      }
      var nodeModulesAtTypes = combinePaths("node_modules", "@types");
      function arePathsEqual(path1, path22, host) {
        const useCaseSensitiveFileNames2 = typeof host.useCaseSensitiveFileNames === "function" ? host.useCaseSensitiveFileNames() : host.useCaseSensitiveFileNames;
        return comparePaths(path1, path22, !useCaseSensitiveFileNames2) === 0;
      }
      function getOriginalAndResolvedFileName(fileName, host, traceEnabled) {
        const resolvedFileName = realPath(fileName, host, traceEnabled);
        const pathsAreEqual = arePathsEqual(fileName, resolvedFileName, host);
        return {
          // If the fileName and realpath are differing only in casing prefer fileName so that we can issue correct errors for casing under forceConsistentCasingInFileNames
          resolvedFileName: pathsAreEqual ? fileName : resolvedFileName,
          originalPath: pathsAreEqual ? void 0 : fileName
        };
      }
      function getCandidateFromTypeRoot(typeRoot, typeReferenceDirectiveName, moduleResolutionState) {
        const nameForLookup = endsWith(typeRoot, "/node_modules/@types") || endsWith(typeRoot, "/node_modules/@types/") ? mangleScopedPackageNameWithTrace(typeReferenceDirectiveName, moduleResolutionState) : typeReferenceDirectiveName;
        return combinePaths(typeRoot, nameForLookup);
      }
      function resolveTypeReferenceDirective(typeReferenceDirectiveName, containingFile, options, host, redirectedReference, cache, resolutionMode) {
        Debug.assert(typeof typeReferenceDirectiveName === "string", "Non-string value passed to `ts.resolveTypeReferenceDirective`, likely by a wrapping package working with an outdated `resolveTypeReferenceDirectives` signature. This is probably not a problem in TS itself.");
        const traceEnabled = isTraceEnabled(options, host);
        if (redirectedReference) {
          options = redirectedReference.commandLine.options;
        }
        const containingDirectory = containingFile ? getDirectoryPath(containingFile) : void 0;
        let result = containingDirectory ? cache == null ? void 0 : cache.getFromDirectoryCache(typeReferenceDirectiveName, resolutionMode, containingDirectory, redirectedReference) : void 0;
        if (!result && containingDirectory && !isExternalModuleNameRelative(typeReferenceDirectiveName)) {
          result = cache == null ? void 0 : cache.getFromNonRelativeNameCache(typeReferenceDirectiveName, resolutionMode, containingDirectory, redirectedReference);
        }
        if (result) {
          if (traceEnabled) {
            trace(host, Diagnostics.Resolving_type_reference_directive_0_containing_file_1, typeReferenceDirectiveName, containingFile);
            if (redirectedReference) trace(host, Diagnostics.Using_compiler_options_of_project_reference_redirect_0, redirectedReference.sourceFile.fileName);
            trace(host, Diagnostics.Resolution_for_type_reference_directive_0_was_found_in_cache_from_location_1, typeReferenceDirectiveName, containingDirectory);
            traceResult(result);
          }
          return result;
        }
        const typeRoots = getEffectiveTypeRoots(options, host);
        if (traceEnabled) {
          if (containingFile === void 0) {
            if (typeRoots === void 0) {
              trace(host, Diagnostics.Resolving_type_reference_directive_0_containing_file_not_set_root_directory_not_set, typeReferenceDirectiveName);
            } else {
              trace(host, Diagnostics.Resolving_type_reference_directive_0_containing_file_not_set_root_directory_1, typeReferenceDirectiveName, typeRoots);
            }
          } else {
            if (typeRoots === void 0) {
              trace(host, Diagnostics.Resolving_type_reference_directive_0_containing_file_1_root_directory_not_set, typeReferenceDirectiveName, containingFile);
            } else {
              trace(host, Diagnostics.Resolving_type_reference_directive_0_containing_file_1_root_directory_2, typeReferenceDirectiveName, containingFile, typeRoots);
            }
          }
          if (redirectedReference) {
            trace(host, Diagnostics.Using_compiler_options_of_project_reference_redirect_0, redirectedReference.sourceFile.fileName);
          }
        }
        const failedLookupLocations = [];
        const affectingLocations = [];
        let features = getNodeResolutionFeatures(options);
        if (resolutionMode !== void 0) {
          features |= 30;
        }
        const moduleResolution = getEmitModuleResolutionKind(options);
        if (resolutionMode === 99 && (3 <= moduleResolution && moduleResolution <= 99)) {
          features |= 32;
        }
        const conditions = features & 8 ? getConditions(options, resolutionMode) : [];
        const diagnostics = [];
        const moduleResolutionState = {
          compilerOptions: options,
          host,
          traceEnabled,
          failedLookupLocations,
          affectingLocations,
          packageJsonInfoCache: cache,
          features,
          conditions,
          requestContainingDirectory: containingDirectory,
          reportDiagnostic: (diag2) => void diagnostics.push(diag2),
          isConfigLookup: false,
          candidateIsFromPackageJsonField: false,
          resolvedPackageDirectory: false
        };
        let resolved = primaryLookup();
        let primary = true;
        if (!resolved) {
          resolved = secondaryLookup();
          primary = false;
        }
        let resolvedTypeReferenceDirective;
        if (resolved) {
          const { fileName, packageId } = resolved;
          let resolvedFileName = fileName, originalPath;
          if (!options.preserveSymlinks) ({ resolvedFileName, originalPath } = getOriginalAndResolvedFileName(fileName, host, traceEnabled));
          resolvedTypeReferenceDirective = {
            primary,
            resolvedFileName,
            originalPath,
            packageId,
            isExternalLibraryImport: pathContainsNodeModules(fileName)
          };
        }
        result = {
          resolvedTypeReferenceDirective,
          failedLookupLocations: initializeResolutionField(failedLookupLocations),
          affectingLocations: initializeResolutionField(affectingLocations),
          resolutionDiagnostics: initializeResolutionField(diagnostics)
        };
        if (containingDirectory && cache && !cache.isReadonly) {
          cache.getOrCreateCacheForDirectory(containingDirectory, redirectedReference).set(
            typeReferenceDirectiveName,
            /*mode*/
            resolutionMode,
            result
          );
          if (!isExternalModuleNameRelative(typeReferenceDirectiveName)) {
            cache.getOrCreateCacheForNonRelativeName(typeReferenceDirectiveName, resolutionMode, redirectedReference).set(containingDirectory, result);
          }
        }
        if (traceEnabled) traceResult(result);
        return result;
        function traceResult(result2) {
          var _a;
          if (!((_a = result2.resolvedTypeReferenceDirective) == null ? void 0 : _a.resolvedFileName)) {
            trace(host, Diagnostics.Type_reference_directive_0_was_not_resolved, typeReferenceDirectiveName);
          } else if (result2.resolvedTypeReferenceDirective.packageId) {
            trace(host, Diagnostics.Type_reference_directive_0_was_successfully_resolved_to_1_with_Package_ID_2_primary_Colon_3, typeReferenceDirectiveName, result2.resolvedTypeReferenceDirective.resolvedFileName, packageIdToString(result2.resolvedTypeReferenceDirective.packageId), result2.resolvedTypeReferenceDirective.primary);
          } else {
            trace(host, Diagnostics.Type_reference_directive_0_was_successfully_resolved_to_1_primary_Colon_2, typeReferenceDirectiveName, result2.resolvedTypeReferenceDirective.resolvedFileName, result2.resolvedTypeReferenceDirective.primary);
          }
        }
        function primaryLookup() {
          if (typeRoots && typeRoots.length) {
            if (traceEnabled) {
              trace(host, Diagnostics.Resolving_with_primary_search_path_0, typeRoots.join(", "));
            }
            return firstDefined(typeRoots, (typeRoot) => {
              const candidate = getCandidateFromTypeRoot(typeRoot, typeReferenceDirectiveName, moduleResolutionState);
              const directoryExists = directoryProbablyExists(typeRoot, host);
              if (!directoryExists && traceEnabled) {
                trace(host, Diagnostics.Directory_0_does_not_exist_skipping_all_lookups_in_it, typeRoot);
              }
              if (options.typeRoots) {
                const resolvedFromFile = loadModuleFromFile(4, candidate, !directoryExists, moduleResolutionState);
                if (resolvedFromFile) {
                  const packageDirectory = parseNodeModuleFromPath(resolvedFromFile.path);
                  const packageInfo = packageDirectory ? getPackageJsonInfo(
                    packageDirectory,
                    /*onlyRecordFailures*/
                    false,
                    moduleResolutionState
                  ) : void 0;
                  return resolvedTypeScriptOnly(withPackageId(packageInfo, resolvedFromFile, moduleResolutionState));
                }
              }
              return resolvedTypeScriptOnly(
                loadNodeModuleFromDirectory(4, candidate, !directoryExists, moduleResolutionState)
              );
            });
          } else {
            if (traceEnabled) {
              trace(host, Diagnostics.Root_directory_cannot_be_determined_skipping_primary_search_paths);
            }
          }
        }
        function secondaryLookup() {
          const initialLocationForSecondaryLookup = containingFile && getDirectoryPath(containingFile);
          if (initialLocationForSecondaryLookup !== void 0) {
            let result2;
            if (!options.typeRoots || !endsWith(containingFile, inferredTypesContainingFile)) {
              if (traceEnabled) {
                trace(host, Diagnostics.Looking_up_in_node_modules_folder_initial_location_0, initialLocationForSecondaryLookup);
              }
              if (!isExternalModuleNameRelative(typeReferenceDirectiveName)) {
                const searchResult = loadModuleFromNearestNodeModulesDirectory(
                  4,
                  typeReferenceDirectiveName,
                  initialLocationForSecondaryLookup,
                  moduleResolutionState,
                  /*cache*/
                  void 0,
                  /*redirectedReference*/
                  void 0
                );
                result2 = searchResult && searchResult.value;
              } else {
                const { path: candidate } = normalizePathForCJSResolution(initialLocationForSecondaryLookup, typeReferenceDirectiveName);
                result2 = nodeLoadModuleByRelativeName(
                  4,
                  candidate,
                  /*onlyRecordFailures*/
                  false,
                  moduleResolutionState,
                  /*considerPackageJson*/
                  true
                );
              }
            } else if (traceEnabled) {
              trace(host, Diagnostics.Resolving_type_reference_directive_for_program_that_specifies_custom_typeRoots_skipping_lookup_in_node_modules_folder);
            }
            return resolvedTypeScriptOnly(result2);
          } else {
            if (traceEnabled) {
              trace(host, Diagnostics.Containing_file_is_not_specified_and_root_directory_cannot_be_determined_skipping_lookup_in_node_modules_folder);
            }
          }
        }
      }
      function getNodeResolutionFeatures(options) {
        let features = 0;
        switch (getEmitModuleResolutionKind(options)) {
          case 3:
            features = 30;
            break;
          case 99:
            features = 30;
            break;
          case 100:
            features = 30;
            break;
        }
        if (options.resolvePackageJsonExports) {
          features |= 8;
        } else if (options.resolvePackageJsonExports === false) {
          features &= ~8;
        }
        if (options.resolvePackageJsonImports) {
          features |= 2;
        } else if (options.resolvePackageJsonImports === false) {
          features &= ~2;
        }
        return features;
      }
      function getConditions(options, resolutionMode) {
        const moduleResolution = getEmitModuleResolutionKind(options);
        if (resolutionMode === void 0) {
          if (moduleResolution === 100) {
            resolutionMode = 99;
          } else if (moduleResolution === 2) {
            return [];
          }
        }
        const conditions = resolutionMode === 99 ? ["import"] : ["require"];
        if (!options.noDtsResolution) {
          conditions.push("types");
        }
        if (moduleResolution !== 100) {
          conditions.push("node");
        }
        return concatenate(conditions, options.customConditions);
      }
      function resolvePackageNameToPackageJson(packageName, containingDirectory, options, host, cache) {
        const moduleResolutionState = getTemporaryModuleResolutionState(cache == null ? void 0 : cache.getPackageJsonInfoCache(), host, options);
        return forEachAncestorDirectory(containingDirectory, (ancestorDirectory) => {
          if (getBaseFileName(ancestorDirectory) !== "node_modules") {
            const nodeModulesFolder = combinePaths(ancestorDirectory, "node_modules");
            const candidate = combinePaths(nodeModulesFolder, packageName);
            return getPackageJsonInfo(
              candidate,
              /*onlyRecordFailures*/
              false,
              moduleResolutionState
            );
          }
        });
      }
      function getAutomaticTypeDirectiveNames(options, host) {
        if (options.types) {
          return options.types;
        }
        const result = [];
        if (host.directoryExists && host.getDirectories) {
          const typeRoots = getEffectiveTypeRoots(options, host);
          if (typeRoots) {
            for (const root2 of typeRoots) {
              if (host.directoryExists(root2)) {
                for (const typeDirectivePath of host.getDirectories(root2)) {
                  const normalized = normalizePath(typeDirectivePath);
                  const packageJsonPath = combinePaths(root2, normalized, "package.json");
                  const isNotNeededPackage = host.fileExists(packageJsonPath) && readJson(packageJsonPath, host).typings === null;
                  if (!isNotNeededPackage) {
                    const baseFileName = getBaseFileName(normalized);
                    if (baseFileName.charCodeAt(0) !== 46) {
                      result.push(baseFileName);
                    }
                  }
                }
              }
            }
          }
        }
        return result;
      }
      function isPackageJsonInfo(entry) {
        return !!(entry == null ? void 0 : entry.contents);
      }
      function isMissingPackageJsonInfo(entry) {
        return !!entry && !entry.contents;
      }
      function compilerOptionValueToString(value) {
        var _a;
        if (value === null || typeof value !== "object") {
          return "" + value;
        }
        if (isArray3(value)) {
          return `[${(_a = value.map((e) => compilerOptionValueToString(e))) == null ? void 0 : _a.join(",")}]`;
        }
        let str = "{";
        for (const key in value) {
          if (hasProperty(value, key)) {
            str += `${key}: ${compilerOptionValueToString(value[key])}`;
          }
        }
        return str + "}";
      }
      function getKeyForCompilerOptions(options, affectingOptionDeclarations) {
        return affectingOptionDeclarations.map((option) => compilerOptionValueToString(getCompilerOptionValue(options, option))).join("|") + `|${options.pathsBasePath}`;
      }
      function createCacheWithRedirects(ownOptions, optionsToRedirectsKey) {
        const redirectsMap = /* @__PURE__ */ new Map();
        const redirectsKeyToMap = /* @__PURE__ */ new Map();
        let ownMap = /* @__PURE__ */ new Map();
        if (ownOptions) redirectsMap.set(ownOptions, ownMap);
        return {
          getMapOfCacheRedirects,
          getOrCreateMapOfCacheRedirects,
          update,
          clear: clear2,
          getOwnMap: () => ownMap
        };
        function getMapOfCacheRedirects(redirectedReference) {
          return redirectedReference ? getOrCreateMap(
            redirectedReference.commandLine.options,
            /*create*/
            false
          ) : ownMap;
        }
        function getOrCreateMapOfCacheRedirects(redirectedReference) {
          return redirectedReference ? getOrCreateMap(
            redirectedReference.commandLine.options,
            /*create*/
            true
          ) : ownMap;
        }
        function update(newOptions) {
          if (ownOptions !== newOptions) {
            if (ownOptions) ownMap = getOrCreateMap(
              newOptions,
              /*create*/
              true
            );
            else redirectsMap.set(newOptions, ownMap);
            ownOptions = newOptions;
          }
        }
        function getOrCreateMap(redirectOptions, create119) {
          let result = redirectsMap.get(redirectOptions);
          if (result) return result;
          const key = getRedirectsCacheKey(redirectOptions);
          result = redirectsKeyToMap.get(key);
          if (!result) {
            if (ownOptions) {
              const ownKey = getRedirectsCacheKey(ownOptions);
              if (ownKey === key) result = ownMap;
              else if (!redirectsKeyToMap.has(ownKey)) redirectsKeyToMap.set(ownKey, ownMap);
            }
            if (create119) result ?? (result = /* @__PURE__ */ new Map());
            if (result) redirectsKeyToMap.set(key, result);
          }
          if (result) redirectsMap.set(redirectOptions, result);
          return result;
        }
        function clear2() {
          const ownKey = ownOptions && optionsToRedirectsKey.get(ownOptions);
          ownMap.clear();
          redirectsMap.clear();
          optionsToRedirectsKey.clear();
          redirectsKeyToMap.clear();
          if (ownOptions) {
            if (ownKey) optionsToRedirectsKey.set(ownOptions, ownKey);
            redirectsMap.set(ownOptions, ownMap);
          }
        }
        function getRedirectsCacheKey(options) {
          let result = optionsToRedirectsKey.get(options);
          if (!result) {
            optionsToRedirectsKey.set(options, result = getKeyForCompilerOptions(options, moduleResolutionOptionDeclarations));
          }
          return result;
        }
      }
      function createPackageJsonInfoCache(currentDirectory, getCanonicalFileName) {
        let cache;
        return { getPackageJsonInfo: getPackageJsonInfo2, setPackageJsonInfo, clear: clear2, getInternalMap };
        function getPackageJsonInfo2(packageJsonPath) {
          return cache == null ? void 0 : cache.get(toPath3(packageJsonPath, currentDirectory, getCanonicalFileName));
        }
        function setPackageJsonInfo(packageJsonPath, info) {
          (cache || (cache = /* @__PURE__ */ new Map())).set(toPath3(packageJsonPath, currentDirectory, getCanonicalFileName), info);
        }
        function clear2() {
          cache = void 0;
        }
        function getInternalMap() {
          return cache;
        }
      }
      function getOrCreateCache(cacheWithRedirects, redirectedReference, key, create119) {
        const cache = cacheWithRedirects.getOrCreateMapOfCacheRedirects(redirectedReference);
        let result = cache.get(key);
        if (!result) {
          result = create119();
          cache.set(key, result);
        }
        return result;
      }
      function createPerDirectoryResolutionCache(currentDirectory, getCanonicalFileName, options, optionsToRedirectsKey) {
        const directoryToModuleNameMap = createCacheWithRedirects(options, optionsToRedirectsKey);
        return {
          getFromDirectoryCache,
          getOrCreateCacheForDirectory,
          clear: clear2,
          update,
          directoryToModuleNameMap
        };
        function clear2() {
          directoryToModuleNameMap.clear();
        }
        function update(options2) {
          directoryToModuleNameMap.update(options2);
        }
        function getOrCreateCacheForDirectory(directoryName, redirectedReference) {
          const path17 = toPath3(directoryName, currentDirectory, getCanonicalFileName);
          return getOrCreateCache(directoryToModuleNameMap, redirectedReference, path17, () => createModeAwareCache());
        }
        function getFromDirectoryCache(name, mode, directoryName, redirectedReference) {
          var _a, _b;
          const path17 = toPath3(directoryName, currentDirectory, getCanonicalFileName);
          return (_b = (_a = directoryToModuleNameMap.getMapOfCacheRedirects(redirectedReference)) == null ? void 0 : _a.get(path17)) == null ? void 0 : _b.get(name, mode);
        }
      }
      function createModeAwareCacheKey(specifier, mode) {
        return mode === void 0 ? specifier : `${mode}|${specifier}`;
      }
      function createModeAwareCache() {
        const underlying = /* @__PURE__ */ new Map();
        const memoizedReverseKeys = /* @__PURE__ */ new Map();
        const cache = {
          get(specifier, mode) {
            return underlying.get(getUnderlyingCacheKey(specifier, mode));
          },
          set(specifier, mode, value) {
            underlying.set(getUnderlyingCacheKey(specifier, mode), value);
            return cache;
          },
          delete(specifier, mode) {
            underlying.delete(getUnderlyingCacheKey(specifier, mode));
            return cache;
          },
          has(specifier, mode) {
            return underlying.has(getUnderlyingCacheKey(specifier, mode));
          },
          forEach(cb) {
            return underlying.forEach((elem, key) => {
              const [specifier, mode] = memoizedReverseKeys.get(key);
              return cb(elem, specifier, mode);
            });
          },
          size() {
            return underlying.size;
          }
        };
        return cache;
        function getUnderlyingCacheKey(specifier, mode) {
          const result = createModeAwareCacheKey(specifier, mode);
          memoizedReverseKeys.set(result, [specifier, mode]);
          return result;
        }
      }
      function getOriginalOrResolvedModuleFileName(result) {
        return result.resolvedModule && (result.resolvedModule.originalPath || result.resolvedModule.resolvedFileName);
      }
      function getOriginalOrResolvedTypeReferenceFileName(result) {
        return result.resolvedTypeReferenceDirective && (result.resolvedTypeReferenceDirective.originalPath || result.resolvedTypeReferenceDirective.resolvedFileName);
      }
      function createNonRelativeNameResolutionCache(currentDirectory, getCanonicalFileName, options, getResolvedFileName, optionsToRedirectsKey) {
        const moduleNameToDirectoryMap = createCacheWithRedirects(options, optionsToRedirectsKey);
        return {
          getFromNonRelativeNameCache,
          getOrCreateCacheForNonRelativeName,
          clear: clear2,
          update
        };
        function clear2() {
          moduleNameToDirectoryMap.clear();
        }
        function update(options2) {
          moduleNameToDirectoryMap.update(options2);
        }
        function getFromNonRelativeNameCache(nonRelativeModuleName, mode, directoryName, redirectedReference) {
          var _a, _b;
          Debug.assert(!isExternalModuleNameRelative(nonRelativeModuleName));
          return (_b = (_a = moduleNameToDirectoryMap.getMapOfCacheRedirects(redirectedReference)) == null ? void 0 : _a.get(createModeAwareCacheKey(nonRelativeModuleName, mode))) == null ? void 0 : _b.get(directoryName);
        }
        function getOrCreateCacheForNonRelativeName(nonRelativeModuleName, mode, redirectedReference) {
          Debug.assert(!isExternalModuleNameRelative(nonRelativeModuleName));
          return getOrCreateCache(moduleNameToDirectoryMap, redirectedReference, createModeAwareCacheKey(nonRelativeModuleName, mode), createPerModuleNameCache);
        }
        function createPerModuleNameCache() {
          const directoryPathMap = /* @__PURE__ */ new Map();
          return { get, set };
          function get(directory) {
            return directoryPathMap.get(toPath3(directory, currentDirectory, getCanonicalFileName));
          }
          function set(directory, result) {
            const path17 = toPath3(directory, currentDirectory, getCanonicalFileName);
            if (directoryPathMap.has(path17)) {
              return;
            }
            directoryPathMap.set(path17, result);
            const resolvedFileName = getResolvedFileName(result);
            const commonPrefix = resolvedFileName && getCommonPrefix(path17, resolvedFileName);
            let current = path17;
            while (current !== commonPrefix) {
              const parent2 = getDirectoryPath(current);
              if (parent2 === current || directoryPathMap.has(parent2)) {
                break;
              }
              directoryPathMap.set(parent2, result);
              current = parent2;
            }
          }
          function getCommonPrefix(directory, resolution) {
            const resolutionDirectory = toPath3(getDirectoryPath(resolution), currentDirectory, getCanonicalFileName);
            let i = 0;
            const limit = Math.min(directory.length, resolutionDirectory.length);
            while (i < limit && directory.charCodeAt(i) === resolutionDirectory.charCodeAt(i)) {
              i++;
            }
            if (i === directory.length && (resolutionDirectory.length === i || resolutionDirectory[i] === directorySeparator)) {
              return directory;
            }
            const rootLength = getRootLength(directory);
            if (i < rootLength) {
              return void 0;
            }
            const sep = directory.lastIndexOf(directorySeparator, i - 1);
            if (sep === -1) {
              return void 0;
            }
            return directory.substr(0, Math.max(sep, rootLength));
          }
        }
      }
      function createModuleOrTypeReferenceResolutionCache(currentDirectory, getCanonicalFileName, options, packageJsonInfoCache, getResolvedFileName, optionsToRedirectsKey) {
        optionsToRedirectsKey ?? (optionsToRedirectsKey = /* @__PURE__ */ new Map());
        const perDirectoryResolutionCache = createPerDirectoryResolutionCache(
          currentDirectory,
          getCanonicalFileName,
          options,
          optionsToRedirectsKey
        );
        const nonRelativeNameResolutionCache = createNonRelativeNameResolutionCache(
          currentDirectory,
          getCanonicalFileName,
          options,
          getResolvedFileName,
          optionsToRedirectsKey
        );
        packageJsonInfoCache ?? (packageJsonInfoCache = createPackageJsonInfoCache(currentDirectory, getCanonicalFileName));
        return {
          ...packageJsonInfoCache,
          ...perDirectoryResolutionCache,
          ...nonRelativeNameResolutionCache,
          clear: clear2,
          update,
          getPackageJsonInfoCache: () => packageJsonInfoCache,
          clearAllExceptPackageJsonInfoCache,
          optionsToRedirectsKey
        };
        function clear2() {
          clearAllExceptPackageJsonInfoCache();
          packageJsonInfoCache.clear();
        }
        function clearAllExceptPackageJsonInfoCache() {
          perDirectoryResolutionCache.clear();
          nonRelativeNameResolutionCache.clear();
        }
        function update(options2) {
          perDirectoryResolutionCache.update(options2);
          nonRelativeNameResolutionCache.update(options2);
        }
      }
      function createModuleResolutionCache(currentDirectory, getCanonicalFileName, options, packageJsonInfoCache, optionsToRedirectsKey) {
        const result = createModuleOrTypeReferenceResolutionCache(
          currentDirectory,
          getCanonicalFileName,
          options,
          packageJsonInfoCache,
          getOriginalOrResolvedModuleFileName,
          optionsToRedirectsKey
        );
        result.getOrCreateCacheForModuleName = (nonRelativeName, mode, redirectedReference) => result.getOrCreateCacheForNonRelativeName(nonRelativeName, mode, redirectedReference);
        return result;
      }
      function createTypeReferenceDirectiveResolutionCache(currentDirectory, getCanonicalFileName, options, packageJsonInfoCache, optionsToRedirectsKey) {
        return createModuleOrTypeReferenceResolutionCache(
          currentDirectory,
          getCanonicalFileName,
          options,
          packageJsonInfoCache,
          getOriginalOrResolvedTypeReferenceFileName,
          optionsToRedirectsKey
        );
      }
      function getOptionsForLibraryResolution(options) {
        return { moduleResolution: 2, traceResolution: options.traceResolution };
      }
      function resolveLibrary(libraryName, resolveFrom, compilerOptions, host, cache) {
        return resolveModuleName(libraryName, resolveFrom, getOptionsForLibraryResolution(compilerOptions), host, cache);
      }
      function resolveModuleNameFromCache(moduleName, containingFile, cache, mode) {
        const containingDirectory = getDirectoryPath(containingFile);
        return cache.getFromDirectoryCache(
          moduleName,
          mode,
          containingDirectory,
          /*redirectedReference*/
          void 0
        );
      }
      function resolveModuleName(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode) {
        var _a, _b, _c;
        const traceEnabled = isTraceEnabled(compilerOptions, host);
        if (redirectedReference) {
          compilerOptions = redirectedReference.commandLine.options;
        }
        if (traceEnabled) {
          trace(host, Diagnostics.Resolving_module_0_from_1, moduleName, containingFile);
          if (redirectedReference) {
            trace(host, Diagnostics.Using_compiler_options_of_project_reference_redirect_0, redirectedReference.sourceFile.fileName);
          }
        }
        const containingDirectory = getDirectoryPath(containingFile);
        let result = cache == null ? void 0 : cache.getFromDirectoryCache(moduleName, resolutionMode, containingDirectory, redirectedReference);
        if (result) {
          if (traceEnabled) {
            trace(host, Diagnostics.Resolution_for_module_0_was_found_in_cache_from_location_1, moduleName, containingDirectory);
          }
        } else {
          let moduleResolution = compilerOptions.moduleResolution;
          if (moduleResolution === void 0) {
            moduleResolution = getEmitModuleResolutionKind(compilerOptions);
            if (traceEnabled) {
              trace(host, Diagnostics.Module_resolution_kind_is_not_specified_using_0, ModuleResolutionKind[moduleResolution]);
            }
          } else {
            if (traceEnabled) {
              trace(host, Diagnostics.Explicitly_specified_module_resolution_kind_Colon_0, ModuleResolutionKind[moduleResolution]);
            }
          }
          (_a = perfLogger) == null ? void 0 : _a.logStartResolveModule(moduleName);
          switch (moduleResolution) {
            case 3:
              result = node16ModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode);
              break;
            case 99:
              result = nodeNextModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode);
              break;
            case 2:
              result = nodeModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode ? getConditions(compilerOptions, resolutionMode) : void 0);
              break;
            case 1:
              result = classicNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference);
              break;
            case 100:
              result = bundlerModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode ? getConditions(compilerOptions, resolutionMode) : void 0);
              break;
            default:
              return Debug.fail(`Unexpected moduleResolution: ${moduleResolution}`);
          }
          if (result && result.resolvedModule) (_b = perfLogger) == null ? void 0 : _b.logInfoEvent(`Module "${moduleName}" resolved to "${result.resolvedModule.resolvedFileName}"`);
          (_c = perfLogger) == null ? void 0 : _c.logStopResolveModule(result && result.resolvedModule ? "" + result.resolvedModule.resolvedFileName : "null");
          if (cache && !cache.isReadonly) {
            cache.getOrCreateCacheForDirectory(containingDirectory, redirectedReference).set(moduleName, resolutionMode, result);
            if (!isExternalModuleNameRelative(moduleName)) {
              cache.getOrCreateCacheForNonRelativeName(moduleName, resolutionMode, redirectedReference).set(containingDirectory, result);
            }
          }
        }
        if (traceEnabled) {
          if (result.resolvedModule) {
            if (result.resolvedModule.packageId) {
              trace(host, Diagnostics.Module_name_0_was_successfully_resolved_to_1_with_Package_ID_2, moduleName, result.resolvedModule.resolvedFileName, packageIdToString(result.resolvedModule.packageId));
            } else {
              trace(host, Diagnostics.Module_name_0_was_successfully_resolved_to_1, moduleName, result.resolvedModule.resolvedFileName);
            }
          } else {
            trace(host, Diagnostics.Module_name_0_was_not_resolved, moduleName);
          }
        }
        return result;
      }
      function tryLoadModuleUsingOptionalResolutionSettings(extensions, moduleName, containingDirectory, loader, state) {
        const resolved = tryLoadModuleUsingPathsIfEligible(extensions, moduleName, loader, state);
        if (resolved) return resolved.value;
        if (!isExternalModuleNameRelative(moduleName)) {
          return tryLoadModuleUsingBaseUrl(extensions, moduleName, loader, state);
        } else {
          return tryLoadModuleUsingRootDirs(extensions, moduleName, containingDirectory, loader, state);
        }
      }
      function tryLoadModuleUsingPathsIfEligible(extensions, moduleName, loader, state) {
        var _a;
        const { baseUrl, paths, configFile } = state.compilerOptions;
        if (paths && !pathIsRelative(moduleName)) {
          if (state.traceEnabled) {
            if (baseUrl) {
              trace(state.host, Diagnostics.baseUrl_option_is_set_to_0_using_this_value_to_resolve_non_relative_module_name_1, baseUrl, moduleName);
            }
            trace(state.host, Diagnostics.paths_option_is_specified_looking_for_a_pattern_to_match_module_name_0, moduleName);
          }
          const baseDirectory = getPathsBasePath(state.compilerOptions, state.host);
          const pathPatterns = (configFile == null ? void 0 : configFile.configFileSpecs) ? (_a = configFile.configFileSpecs).pathPatterns || (_a.pathPatterns = tryParsePatterns(paths)) : void 0;
          return tryLoadModuleUsingPaths(
            extensions,
            moduleName,
            baseDirectory,
            paths,
            pathPatterns,
            loader,
            /*onlyRecordFailures*/
            false,
            state
          );
        }
      }
      function tryLoadModuleUsingRootDirs(extensions, moduleName, containingDirectory, loader, state) {
        if (!state.compilerOptions.rootDirs) {
          return void 0;
        }
        if (state.traceEnabled) {
          trace(state.host, Diagnostics.rootDirs_option_is_set_using_it_to_resolve_relative_module_name_0, moduleName);
        }
        const candidate = normalizePath(combinePaths(containingDirectory, moduleName));
        let matchedRootDir;
        let matchedNormalizedPrefix;
        for (const rootDir of state.compilerOptions.rootDirs) {
          let normalizedRoot = normalizePath(rootDir);
          if (!endsWith(normalizedRoot, directorySeparator)) {
            normalizedRoot += directorySeparator;
          }
          const isLongestMatchingPrefix = startsWith2(candidate, normalizedRoot) && (matchedNormalizedPrefix === void 0 || matchedNormalizedPrefix.length < normalizedRoot.length);
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.Checking_if_0_is_the_longest_matching_prefix_for_1_2, normalizedRoot, candidate, isLongestMatchingPrefix);
          }
          if (isLongestMatchingPrefix) {
            matchedNormalizedPrefix = normalizedRoot;
            matchedRootDir = rootDir;
          }
        }
        if (matchedNormalizedPrefix) {
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.Longest_matching_prefix_for_0_is_1, candidate, matchedNormalizedPrefix);
          }
          const suffix = candidate.substr(matchedNormalizedPrefix.length);
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.Loading_0_from_the_root_dir_1_candidate_location_2, suffix, matchedNormalizedPrefix, candidate);
          }
          const resolvedFileName = loader(extensions, candidate, !directoryProbablyExists(containingDirectory, state.host), state);
          if (resolvedFileName) {
            return resolvedFileName;
          }
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.Trying_other_entries_in_rootDirs);
          }
          for (const rootDir of state.compilerOptions.rootDirs) {
            if (rootDir === matchedRootDir) {
              continue;
            }
            const candidate2 = combinePaths(normalizePath(rootDir), suffix);
            if (state.traceEnabled) {
              trace(state.host, Diagnostics.Loading_0_from_the_root_dir_1_candidate_location_2, suffix, rootDir, candidate2);
            }
            const baseDirectory = getDirectoryPath(candidate2);
            const resolvedFileName2 = loader(extensions, candidate2, !directoryProbablyExists(baseDirectory, state.host), state);
            if (resolvedFileName2) {
              return resolvedFileName2;
            }
          }
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.Module_resolution_using_rootDirs_has_failed);
          }
        }
        return void 0;
      }
      function tryLoadModuleUsingBaseUrl(extensions, moduleName, loader, state) {
        const { baseUrl } = state.compilerOptions;
        if (!baseUrl) {
          return void 0;
        }
        if (state.traceEnabled) {
          trace(state.host, Diagnostics.baseUrl_option_is_set_to_0_using_this_value_to_resolve_non_relative_module_name_1, baseUrl, moduleName);
        }
        const candidate = normalizePath(combinePaths(baseUrl, moduleName));
        if (state.traceEnabled) {
          trace(state.host, Diagnostics.Resolving_module_name_0_relative_to_base_url_1_2, moduleName, baseUrl, candidate);
        }
        return loader(extensions, candidate, !directoryProbablyExists(getDirectoryPath(candidate), state.host), state);
      }
      function resolveJSModule(moduleName, initialDir, host) {
        const { resolvedModule, failedLookupLocations } = tryResolveJSModuleWorker(moduleName, initialDir, host);
        if (!resolvedModule) {
          throw new Error(`Could not resolve JS module '${moduleName}' starting at '${initialDir}'. Looked in: ${failedLookupLocations == null ? void 0 : failedLookupLocations.join(", ")}`);
        }
        return resolvedModule.resolvedFileName;
      }
      var NodeResolutionFeatures = /* @__PURE__ */ ((NodeResolutionFeatures2) => {
        NodeResolutionFeatures2[NodeResolutionFeatures2["None"] = 0] = "None";
        NodeResolutionFeatures2[NodeResolutionFeatures2["Imports"] = 2] = "Imports";
        NodeResolutionFeatures2[NodeResolutionFeatures2["SelfName"] = 4] = "SelfName";
        NodeResolutionFeatures2[NodeResolutionFeatures2["Exports"] = 8] = "Exports";
        NodeResolutionFeatures2[NodeResolutionFeatures2["ExportsPatternTrailers"] = 16] = "ExportsPatternTrailers";
        NodeResolutionFeatures2[NodeResolutionFeatures2["AllFeatures"] = 30] = "AllFeatures";
        NodeResolutionFeatures2[NodeResolutionFeatures2["Node16Default"] = 30] = "Node16Default";
        NodeResolutionFeatures2[
          NodeResolutionFeatures2["NodeNextDefault"] = 30
          /* AllFeatures */
        ] = "NodeNextDefault";
        NodeResolutionFeatures2[NodeResolutionFeatures2["BundlerDefault"] = 30] = "BundlerDefault";
        NodeResolutionFeatures2[NodeResolutionFeatures2["EsmMode"] = 32] = "EsmMode";
        return NodeResolutionFeatures2;
      })(NodeResolutionFeatures || {});
      function node16ModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode) {
        return nodeNextModuleNameResolverWorker(
          30,
          moduleName,
          containingFile,
          compilerOptions,
          host,
          cache,
          redirectedReference,
          resolutionMode
        );
      }
      function nodeNextModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode) {
        return nodeNextModuleNameResolverWorker(
          30,
          moduleName,
          containingFile,
          compilerOptions,
          host,
          cache,
          redirectedReference,
          resolutionMode
        );
      }
      function nodeNextModuleNameResolverWorker(features, moduleName, containingFile, compilerOptions, host, cache, redirectedReference, resolutionMode, conditions) {
        const containingDirectory = getDirectoryPath(containingFile);
        const esmMode = resolutionMode === 99 ? 32 : 0;
        let extensions = compilerOptions.noDtsResolution ? 3 : 1 | 2 | 4;
        if (getResolveJsonModule(compilerOptions)) {
          extensions |= 8;
        }
        return nodeModuleNameResolverWorker(
          features | esmMode,
          moduleName,
          containingDirectory,
          compilerOptions,
          host,
          cache,
          extensions,
          /*isConfigLookup*/
          false,
          redirectedReference,
          conditions
        );
      }
      function tryResolveJSModuleWorker(moduleName, initialDir, host) {
        return nodeModuleNameResolverWorker(
          0,
          moduleName,
          initialDir,
          { moduleResolution: 2, allowJs: true },
          host,
          /*cache*/
          void 0,
          2,
          /*isConfigLookup*/
          false,
          /*redirectedReference*/
          void 0,
          /*conditions*/
          void 0
        );
      }
      function bundlerModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, conditions) {
        const containingDirectory = getDirectoryPath(containingFile);
        let extensions = compilerOptions.noDtsResolution ? 3 : 1 | 2 | 4;
        if (getResolveJsonModule(compilerOptions)) {
          extensions |= 8;
        }
        return nodeModuleNameResolverWorker(
          getNodeResolutionFeatures(compilerOptions),
          moduleName,
          containingDirectory,
          compilerOptions,
          host,
          cache,
          extensions,
          /*isConfigLookup*/
          false,
          redirectedReference,
          conditions
        );
      }
      function nodeModuleNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference, conditions, isConfigLookup) {
        let extensions;
        if (isConfigLookup) {
          extensions = 8;
        } else if (compilerOptions.noDtsResolution) {
          extensions = 3;
          if (getResolveJsonModule(compilerOptions)) extensions |= 8;
        } else {
          extensions = getResolveJsonModule(compilerOptions) ? 1 | 2 | 4 | 8 : 1 | 2 | 4;
        }
        return nodeModuleNameResolverWorker(conditions ? 30 : 0, moduleName, getDirectoryPath(containingFile), compilerOptions, host, cache, extensions, !!isConfigLookup, redirectedReference, conditions);
      }
      function nodeNextJsonConfigResolver(moduleName, containingFile, host) {
        return nodeModuleNameResolverWorker(
          30,
          moduleName,
          getDirectoryPath(containingFile),
          {
            moduleResolution: 99
            /* NodeNext */
          },
          host,
          /*cache*/
          void 0,
          8,
          /*isConfigLookup*/
          true,
          /*redirectedReference*/
          void 0,
          /*conditions*/
          void 0
        );
      }
      function nodeModuleNameResolverWorker(features, moduleName, containingDirectory, compilerOptions, host, cache, extensions, isConfigLookup, redirectedReference, conditions) {
        var _a, _b, _c, _d, _e;
        const traceEnabled = isTraceEnabled(compilerOptions, host);
        const failedLookupLocations = [];
        const affectingLocations = [];
        const moduleResolution = getEmitModuleResolutionKind(compilerOptions);
        conditions ?? (conditions = getConditions(
          compilerOptions,
          moduleResolution === 100 || moduleResolution === 2 ? void 0 : features & 32 ? 99 : 1
          /* CommonJS */
        ));
        const diagnostics = [];
        const state = {
          compilerOptions,
          host,
          traceEnabled,
          failedLookupLocations,
          affectingLocations,
          packageJsonInfoCache: cache,
          features,
          conditions: conditions ?? emptyArray,
          requestContainingDirectory: containingDirectory,
          reportDiagnostic: (diag2) => void diagnostics.push(diag2),
          isConfigLookup,
          candidateIsFromPackageJsonField: false,
          resolvedPackageDirectory: false
        };
        if (traceEnabled && moduleResolutionSupportsPackageJsonExportsAndImports(moduleResolution)) {
          trace(host, Diagnostics.Resolving_in_0_mode_with_conditions_1, features & 32 ? "ESM" : "CJS", state.conditions.map((c) => `'${c}'`).join(", "));
        }
        let result;
        if (moduleResolution === 2) {
          const priorityExtensions = extensions & (1 | 4);
          const secondaryExtensions = extensions & ~(1 | 4);
          result = priorityExtensions && tryResolve(priorityExtensions, state) || secondaryExtensions && tryResolve(secondaryExtensions, state) || void 0;
        } else {
          result = tryResolve(extensions, state);
        }
        let alternateResult;
        if (state.resolvedPackageDirectory && !isConfigLookup && !isExternalModuleNameRelative(moduleName)) {
          const wantedTypesButGotJs = (result == null ? void 0 : result.value) && extensions & (1 | 4) && !extensionIsOk(1 | 4, result.value.resolved.extension);
          if (((_a = result == null ? void 0 : result.value) == null ? void 0 : _a.isExternalLibraryImport) && wantedTypesButGotJs && features & 8 && (conditions == null ? void 0 : conditions.includes("import"))) {
            traceIfEnabled(state, Diagnostics.Resolution_of_non_relative_name_failed_trying_with_modern_Node_resolution_features_disabled_to_see_if_npm_library_needs_configuration_update);
            const diagnosticState = {
              ...state,
              features: state.features & ~8,
              reportDiagnostic: noop2
            };
            const diagnosticResult = tryResolve(extensions & (1 | 4), diagnosticState);
            if ((_b = diagnosticResult == null ? void 0 : diagnosticResult.value) == null ? void 0 : _b.isExternalLibraryImport) {
              alternateResult = diagnosticResult.value.resolved.path;
            }
          } else if ((!(result == null ? void 0 : result.value) || wantedTypesButGotJs) && moduleResolution === 2) {
            traceIfEnabled(state, Diagnostics.Resolution_of_non_relative_name_failed_trying_with_moduleResolution_bundler_to_see_if_project_may_need_configuration_update);
            const diagnosticsCompilerOptions = {
              ...state.compilerOptions,
              moduleResolution: 100
              /* Bundler */
            };
            const diagnosticState = {
              ...state,
              compilerOptions: diagnosticsCompilerOptions,
              features: 30,
              conditions: getConditions(diagnosticsCompilerOptions),
              reportDiagnostic: noop2
            };
            const diagnosticResult = tryResolve(extensions & (1 | 4), diagnosticState);
            if ((_c = diagnosticResult == null ? void 0 : diagnosticResult.value) == null ? void 0 : _c.isExternalLibraryImport) {
              alternateResult = diagnosticResult.value.resolved.path;
            }
          }
        }
        return createResolvedModuleWithFailedLookupLocationsHandlingSymlink(
          moduleName,
          (_d = result == null ? void 0 : result.value) == null ? void 0 : _d.resolved,
          (_e = result == null ? void 0 : result.value) == null ? void 0 : _e.isExternalLibraryImport,
          failedLookupLocations,
          affectingLocations,
          diagnostics,
          state,
          cache,
          alternateResult
        );
        function tryResolve(extensions2, state2) {
          const loader = (extensions3, candidate, onlyRecordFailures, state3) => nodeLoadModuleByRelativeName(
            extensions3,
            candidate,
            onlyRecordFailures,
            state3,
            /*considerPackageJson*/
            true
          );
          const resolved = tryLoadModuleUsingOptionalResolutionSettings(extensions2, moduleName, containingDirectory, loader, state2);
          if (resolved) {
            return toSearchResult({ resolved, isExternalLibraryImport: pathContainsNodeModules(resolved.path) });
          }
          if (!isExternalModuleNameRelative(moduleName)) {
            let resolved2;
            if (features & 2 && startsWith2(moduleName, "#")) {
              resolved2 = loadModuleFromImports(extensions2, moduleName, containingDirectory, state2, cache, redirectedReference);
            }
            if (!resolved2 && features & 4) {
              resolved2 = loadModuleFromSelfNameReference(extensions2, moduleName, containingDirectory, state2, cache, redirectedReference);
            }
            if (!resolved2) {
              if (moduleName.includes(":")) {
                if (traceEnabled) {
                  trace(host, Diagnostics.Skipping_module_0_that_looks_like_an_absolute_URI_target_file_types_Colon_1, moduleName, formatExtensions(extensions2));
                }
                return void 0;
              }
              if (traceEnabled) {
                trace(host, Diagnostics.Loading_module_0_from_node_modules_folder_target_file_types_Colon_1, moduleName, formatExtensions(extensions2));
              }
              resolved2 = loadModuleFromNearestNodeModulesDirectory(extensions2, moduleName, containingDirectory, state2, cache, redirectedReference);
            }
            if (extensions2 & 4) {
              resolved2 ?? (resolved2 = resolveFromTypeRoot(moduleName, state2));
            }
            return resolved2 && { value: resolved2.value && { resolved: resolved2.value, isExternalLibraryImport: true } };
          } else {
            const { path: candidate, parts } = normalizePathForCJSResolution(containingDirectory, moduleName);
            const resolved2 = nodeLoadModuleByRelativeName(
              extensions2,
              candidate,
              /*onlyRecordFailures*/
              false,
              state2,
              /*considerPackageJson*/
              true
            );
            return resolved2 && toSearchResult({ resolved: resolved2, isExternalLibraryImport: contains(parts, "node_modules") });
          }
        }
      }
      function normalizePathForCJSResolution(containingDirectory, moduleName) {
        const combined = combinePaths(containingDirectory, moduleName);
        const parts = getPathComponents(combined);
        const lastPart = lastOrUndefined(parts);
        const path17 = lastPart === "." || lastPart === ".." ? ensureTrailingDirectorySeparator(normalizePath(combined)) : normalizePath(combined);
        return { path: path17, parts };
      }
      function realPath(path17, host, traceEnabled) {
        if (!host.realpath) {
          return path17;
        }
        const real = normalizePath(host.realpath(path17));
        if (traceEnabled) {
          trace(host, Diagnostics.Resolving_real_path_for_0_result_1, path17, real);
        }
        return real;
      }
      function nodeLoadModuleByRelativeName(extensions, candidate, onlyRecordFailures, state, considerPackageJson) {
        if (state.traceEnabled) {
          trace(state.host, Diagnostics.Loading_module_as_file_Slash_folder_candidate_module_location_0_target_file_types_Colon_1, candidate, formatExtensions(extensions));
        }
        if (!hasTrailingDirectorySeparator(candidate)) {
          if (!onlyRecordFailures) {
            const parentOfCandidate = getDirectoryPath(candidate);
            if (!directoryProbablyExists(parentOfCandidate, state.host)) {
              if (state.traceEnabled) {
                trace(state.host, Diagnostics.Directory_0_does_not_exist_skipping_all_lookups_in_it, parentOfCandidate);
              }
              onlyRecordFailures = true;
            }
          }
          const resolvedFromFile = loadModuleFromFile(extensions, candidate, onlyRecordFailures, state);
          if (resolvedFromFile) {
            const packageDirectory = considerPackageJson ? parseNodeModuleFromPath(resolvedFromFile.path) : void 0;
            const packageInfo = packageDirectory ? getPackageJsonInfo(
              packageDirectory,
              /*onlyRecordFailures*/
              false,
              state
            ) : void 0;
            return withPackageId(packageInfo, resolvedFromFile, state);
          }
        }
        if (!onlyRecordFailures) {
          const candidateExists = directoryProbablyExists(candidate, state.host);
          if (!candidateExists) {
            if (state.traceEnabled) {
              trace(state.host, Diagnostics.Directory_0_does_not_exist_skipping_all_lookups_in_it, candidate);
            }
            onlyRecordFailures = true;
          }
        }
        if (!(state.features & 32)) {
          return loadNodeModuleFromDirectory(extensions, candidate, onlyRecordFailures, state, considerPackageJson);
        }
        return void 0;
      }
      var nodeModulesPathPart = "/node_modules/";
      function pathContainsNodeModules(path17) {
        return path17.includes(nodeModulesPathPart);
      }
      function parseNodeModuleFromPath(resolved, isFolder) {
        const path17 = normalizePath(resolved);
        const idx = path17.lastIndexOf(nodeModulesPathPart);
        if (idx === -1) {
          return void 0;
        }
        const indexAfterNodeModules = idx + nodeModulesPathPart.length;
        let indexAfterPackageName = moveToNextDirectorySeparatorIfAvailable(path17, indexAfterNodeModules, isFolder);
        if (path17.charCodeAt(indexAfterNodeModules) === 64) {
          indexAfterPackageName = moveToNextDirectorySeparatorIfAvailable(path17, indexAfterPackageName, isFolder);
        }
        return path17.slice(0, indexAfterPackageName);
      }
      function moveToNextDirectorySeparatorIfAvailable(path17, prevSeparatorIndex, isFolder) {
        const nextSeparatorIndex = path17.indexOf(directorySeparator, prevSeparatorIndex + 1);
        return nextSeparatorIndex === -1 ? isFolder ? path17.length : prevSeparatorIndex : nextSeparatorIndex;
      }
      function loadModuleFromFileNoPackageId(extensions, candidate, onlyRecordFailures, state) {
        return noPackageId(loadModuleFromFile(extensions, candidate, onlyRecordFailures, state));
      }
      function loadModuleFromFile(extensions, candidate, onlyRecordFailures, state) {
        const resolvedByReplacingExtension = loadModuleFromFileNoImplicitExtensions(extensions, candidate, onlyRecordFailures, state);
        if (resolvedByReplacingExtension) {
          return resolvedByReplacingExtension;
        }
        if (!(state.features & 32)) {
          const resolvedByAddingExtension = tryAddingExtensions(candidate, extensions, "", onlyRecordFailures, state);
          if (resolvedByAddingExtension) {
            return resolvedByAddingExtension;
          }
        }
      }
      function loadModuleFromFileNoImplicitExtensions(extensions, candidate, onlyRecordFailures, state) {
        const filename = getBaseFileName(candidate);
        if (!filename.includes(".")) {
          return void 0;
        }
        let extensionless = removeFileExtension(candidate);
        if (extensionless === candidate) {
          extensionless = candidate.substring(0, candidate.lastIndexOf("."));
        }
        const extension = candidate.substring(extensionless.length);
        if (state.traceEnabled) {
          trace(state.host, Diagnostics.File_name_0_has_a_1_extension_stripping_it, candidate, extension);
        }
        return tryAddingExtensions(extensionless, extensions, extension, onlyRecordFailures, state);
      }
      function loadFileNameFromPackageJsonField(extensions, candidate, onlyRecordFailures, state) {
        if (extensions & 1 && fileExtensionIsOneOf(candidate, supportedTSImplementationExtensions) || extensions & 4 && fileExtensionIsOneOf(candidate, supportedDeclarationExtensions)) {
          const result = tryFile(candidate, onlyRecordFailures, state);
          return result !== void 0 ? { path: candidate, ext: tryExtractTSExtension(candidate), resolvedUsingTsExtension: void 0 } : void 0;
        }
        if (state.isConfigLookup && extensions === 8 && fileExtensionIs(
          candidate,
          ".json"
          /* Json */
        )) {
          const result = tryFile(candidate, onlyRecordFailures, state);
          return result !== void 0 ? { path: candidate, ext: ".json", resolvedUsingTsExtension: void 0 } : void 0;
        }
        return loadModuleFromFileNoImplicitExtensions(extensions, candidate, onlyRecordFailures, state);
      }
      function tryAddingExtensions(candidate, extensions, originalExtension, onlyRecordFailures, state) {
        if (!onlyRecordFailures) {
          const directory = getDirectoryPath(candidate);
          if (directory) {
            onlyRecordFailures = !directoryProbablyExists(directory, state.host);
          }
        }
        switch (originalExtension) {
          case ".mjs":
          case ".mts":
          case ".d.mts":
            return extensions & 1 && tryExtension(
              ".mts",
              originalExtension === ".mts" || originalExtension === ".d.mts"
              /* Dmts */
            ) || extensions & 4 && tryExtension(
              ".d.mts",
              originalExtension === ".mts" || originalExtension === ".d.mts"
              /* Dmts */
            ) || extensions & 2 && tryExtension(
              ".mjs"
              /* Mjs */
            ) || void 0;
          case ".cjs":
          case ".cts":
          case ".d.cts":
            return extensions & 1 && tryExtension(
              ".cts",
              originalExtension === ".cts" || originalExtension === ".d.cts"
              /* Dcts */
            ) || extensions & 4 && tryExtension(
              ".d.cts",
              originalExtension === ".cts" || originalExtension === ".d.cts"
              /* Dcts */
            ) || extensions & 2 && tryExtension(
              ".cjs"
              /* Cjs */
            ) || void 0;
          case ".json":
            return extensions & 4 && tryExtension(".d.json.ts") || extensions & 8 && tryExtension(
              ".json"
              /* Json */
            ) || void 0;
          case ".tsx":
          case ".jsx":
            return extensions & 1 && (tryExtension(
              ".tsx",
              originalExtension === ".tsx"
              /* Tsx */
            ) || tryExtension(
              ".ts",
              originalExtension === ".tsx"
              /* Tsx */
            )) || extensions & 4 && tryExtension(
              ".d.ts",
              originalExtension === ".tsx"
              /* Tsx */
            ) || extensions & 2 && (tryExtension(
              ".jsx"
              /* Jsx */
            ) || tryExtension(
              ".js"
              /* Js */
            )) || void 0;
          case ".ts":
          case ".d.ts":
          case ".js":
          case "":
            return extensions & 1 && (tryExtension(
              ".ts",
              originalExtension === ".ts" || originalExtension === ".d.ts"
              /* Dts */
            ) || tryExtension(
              ".tsx",
              originalExtension === ".ts" || originalExtension === ".d.ts"
              /* Dts */
            )) || extensions & 4 && tryExtension(
              ".d.ts",
              originalExtension === ".ts" || originalExtension === ".d.ts"
              /* Dts */
            ) || extensions & 2 && (tryExtension(
              ".js"
              /* Js */
            ) || tryExtension(
              ".jsx"
              /* Jsx */
            )) || state.isConfigLookup && tryExtension(
              ".json"
              /* Json */
            ) || void 0;
          default:
            return extensions & 4 && !isDeclarationFileName(candidate + originalExtension) && tryExtension(`.d${originalExtension}.ts`) || void 0;
        }
        function tryExtension(ext, resolvedUsingTsExtension) {
          const path17 = tryFile(candidate + ext, onlyRecordFailures, state);
          return path17 === void 0 ? void 0 : { path: path17, ext, resolvedUsingTsExtension: !state.candidateIsFromPackageJsonField && resolvedUsingTsExtension };
        }
      }
      function tryFile(fileName, onlyRecordFailures, state) {
        var _a;
        if (!((_a = state.compilerOptions.moduleSuffixes) == null ? void 0 : _a.length)) {
          return tryFileLookup(fileName, onlyRecordFailures, state);
        }
        const ext = tryGetExtensionFromPath2(fileName) ?? "";
        const fileNameNoExtension = ext ? removeExtension(fileName, ext) : fileName;
        return forEach(state.compilerOptions.moduleSuffixes, (suffix) => tryFileLookup(fileNameNoExtension + suffix + ext, onlyRecordFailures, state));
      }
      function tryFileLookup(fileName, onlyRecordFailures, state) {
        var _a;
        if (!onlyRecordFailures) {
          if (state.host.fileExists(fileName)) {
            if (state.traceEnabled) {
              trace(state.host, Diagnostics.File_0_exists_use_it_as_a_name_resolution_result, fileName);
            }
            return fileName;
          } else {
            if (state.traceEnabled) {
              trace(state.host, Diagnostics.File_0_does_not_exist, fileName);
            }
          }
        }
        (_a = state.failedLookupLocations) == null ? void 0 : _a.push(fileName);
        return void 0;
      }
      function loadNodeModuleFromDirectory(extensions, candidate, onlyRecordFailures, state, considerPackageJson = true) {
        const packageInfo = considerPackageJson ? getPackageJsonInfo(candidate, onlyRecordFailures, state) : void 0;
        const packageJsonContent = packageInfo && packageInfo.contents.packageJsonContent;
        const versionPaths = packageInfo && getVersionPathsOfPackageJsonInfo(packageInfo, state);
        return withPackageId(packageInfo, loadNodeModuleFromDirectoryWorker(extensions, candidate, onlyRecordFailures, state, packageJsonContent, versionPaths), state);
      }
      function getEntrypointsFromPackageJsonInfo(packageJsonInfo, options, host, cache, resolveJs) {
        if (!resolveJs && packageJsonInfo.contents.resolvedEntrypoints !== void 0) {
          return packageJsonInfo.contents.resolvedEntrypoints;
        }
        let entrypoints;
        const extensions = 1 | 4 | (resolveJs ? 2 : 0);
        const features = getNodeResolutionFeatures(options);
        const loadPackageJsonMainState = getTemporaryModuleResolutionState(cache == null ? void 0 : cache.getPackageJsonInfoCache(), host, options);
        loadPackageJsonMainState.conditions = getConditions(options);
        loadPackageJsonMainState.requestContainingDirectory = packageJsonInfo.packageDirectory;
        const mainResolution = loadNodeModuleFromDirectoryWorker(
          extensions,
          packageJsonInfo.packageDirectory,
          /*onlyRecordFailures*/
          false,
          loadPackageJsonMainState,
          packageJsonInfo.contents.packageJsonContent,
          getVersionPathsOfPackageJsonInfo(packageJsonInfo, loadPackageJsonMainState)
        );
        entrypoints = append(entrypoints, mainResolution == null ? void 0 : mainResolution.path);
        if (features & 8 && packageJsonInfo.contents.packageJsonContent.exports) {
          const conditionSets = deduplicate(
            [getConditions(
              options,
              99
              /* ESNext */
            ), getConditions(
              options,
              1
              /* CommonJS */
            )],
            arrayIsEqualTo
          );
          for (const conditions of conditionSets) {
            const loadPackageJsonExportsState = { ...loadPackageJsonMainState, failedLookupLocations: [], conditions, host };
            const exportResolutions = loadEntrypointsFromExportMap(
              packageJsonInfo,
              packageJsonInfo.contents.packageJsonContent.exports,
              loadPackageJsonExportsState,
              extensions
            );
            if (exportResolutions) {
              for (const resolution of exportResolutions) {
                entrypoints = appendIfUnique(entrypoints, resolution.path);
              }
            }
          }
        }
        return packageJsonInfo.contents.resolvedEntrypoints = entrypoints || false;
      }
      function loadEntrypointsFromExportMap(scope, exports22, state, extensions) {
        let entrypoints;
        if (isArray3(exports22)) {
          for (const target of exports22) {
            loadEntrypointsFromTargetExports(target);
          }
        } else if (typeof exports22 === "object" && exports22 !== null && allKeysStartWithDot(exports22)) {
          for (const key in exports22) {
            loadEntrypointsFromTargetExports(exports22[key]);
          }
        } else {
          loadEntrypointsFromTargetExports(exports22);
        }
        return entrypoints;
        function loadEntrypointsFromTargetExports(target) {
          var _a, _b;
          if (typeof target === "string" && startsWith2(target, "./")) {
            if (target.includes("*") && state.host.readDirectory) {
              if (target.indexOf("*") !== target.lastIndexOf("*")) {
                return false;
              }
              state.host.readDirectory(
                scope.packageDirectory,
                extensionsToExtensionsArray(extensions),
                /*excludes*/
                void 0,
                [
                  changeFullExtension(replaceFirstStar(target, "**/*"), ".*")
                ]
              ).forEach((entry) => {
                entrypoints = appendIfUnique(entrypoints, {
                  path: entry,
                  ext: getAnyExtensionFromPath(entry),
                  resolvedUsingTsExtension: void 0
                });
              });
            } else {
              const partsAfterFirst = getPathComponents(target).slice(2);
              if (partsAfterFirst.includes("..") || partsAfterFirst.includes(".") || partsAfterFirst.includes("node_modules")) {
                return false;
              }
              const resolvedTarget = combinePaths(scope.packageDirectory, target);
              const finalPath = getNormalizedAbsolutePath(resolvedTarget, (_b = (_a = state.host).getCurrentDirectory) == null ? void 0 : _b.call(_a));
              const result = loadFileNameFromPackageJsonField(
                extensions,
                finalPath,
                /*onlyRecordFailures*/
                false,
                state
              );
              if (result) {
                entrypoints = appendIfUnique(entrypoints, result, (a, b) => a.path === b.path);
                return true;
              }
            }
          } else if (Array.isArray(target)) {
            for (const t of target) {
              const success = loadEntrypointsFromTargetExports(t);
              if (success) {
                return true;
              }
            }
          } else if (typeof target === "object" && target !== null) {
            return forEach(getOwnKeys(target), (key) => {
              if (key === "default" || contains(state.conditions, key) || isApplicableVersionedTypesKey(state.conditions, key)) {
                loadEntrypointsFromTargetExports(target[key]);
                return true;
              }
            });
          }
        }
      }
      function getTemporaryModuleResolutionState(packageJsonInfoCache, host, options) {
        return {
          host,
          compilerOptions: options,
          traceEnabled: isTraceEnabled(options, host),
          failedLookupLocations: void 0,
          affectingLocations: void 0,
          packageJsonInfoCache,
          features: 0,
          conditions: emptyArray,
          requestContainingDirectory: void 0,
          reportDiagnostic: noop2,
          isConfigLookup: false,
          candidateIsFromPackageJsonField: false,
          resolvedPackageDirectory: false
        };
      }
      function getPackageScopeForPath(fileName, state) {
        const parts = getPathComponents(fileName);
        parts.pop();
        while (parts.length > 0) {
          const pkg = getPackageJsonInfo(
            getPathFromPathComponents(parts),
            /*onlyRecordFailures*/
            false,
            state
          );
          if (pkg) {
            return pkg;
          }
          parts.pop();
        }
        return void 0;
      }
      function getVersionPathsOfPackageJsonInfo(packageJsonInfo, state) {
        if (packageJsonInfo.contents.versionPaths === void 0) {
          packageJsonInfo.contents.versionPaths = readPackageJsonTypesVersionPaths(packageJsonInfo.contents.packageJsonContent, state) || false;
        }
        return packageJsonInfo.contents.versionPaths || void 0;
      }
      function getPeerDependenciesOfPackageJsonInfo(packageJsonInfo, state) {
        if (packageJsonInfo.contents.peerDependencies === void 0) {
          packageJsonInfo.contents.peerDependencies = readPackageJsonPeerDependencies(packageJsonInfo, state) || false;
        }
        return packageJsonInfo.contents.peerDependencies || void 0;
      }
      function readPackageJsonPeerDependencies(packageJsonInfo, state) {
        const peerDependencies = readPackageJsonField(packageJsonInfo.contents.packageJsonContent, "peerDependencies", "object", state);
        if (peerDependencies === void 0) return void 0;
        if (state.traceEnabled) trace(state.host, Diagnostics.package_json_has_a_peerDependencies_field);
        const packageDirectory = realPath(packageJsonInfo.packageDirectory, state.host, state.traceEnabled);
        const nodeModules = packageDirectory.substring(0, packageDirectory.lastIndexOf("node_modules") + "node_modules".length) + directorySeparator;
        let result = "";
        for (const key in peerDependencies) {
          if (hasProperty(peerDependencies, key)) {
            const peerPackageJson = getPackageJsonInfo(
              nodeModules + key,
              /*onlyRecordFailures*/
              false,
              state
            );
            if (peerPackageJson) {
              const version2 = peerPackageJson.contents.packageJsonContent.version;
              result += `+${key}@${version2}`;
              if (state.traceEnabled) trace(state.host, Diagnostics.Found_peerDependency_0_with_1_version, key, version2);
            } else {
              if (state.traceEnabled) trace(state.host, Diagnostics.Failed_to_find_peerDependency_0, key);
            }
          }
        }
        return result;
      }
      function getPackageJsonInfo(packageDirectory, onlyRecordFailures, state) {
        var _a, _b, _c, _d, _e, _f;
        const { host, traceEnabled } = state;
        const packageJsonPath = combinePaths(packageDirectory, "package.json");
        if (onlyRecordFailures) {
          (_a = state.failedLookupLocations) == null ? void 0 : _a.push(packageJsonPath);
          return void 0;
        }
        const existing = (_b = state.packageJsonInfoCache) == null ? void 0 : _b.getPackageJsonInfo(packageJsonPath);
        if (existing !== void 0) {
          if (isPackageJsonInfo(existing)) {
            if (traceEnabled) trace(host, Diagnostics.File_0_exists_according_to_earlier_cached_lookups, packageJsonPath);
            (_c = state.affectingLocations) == null ? void 0 : _c.push(packageJsonPath);
            return existing.packageDirectory === packageDirectory ? existing : { packageDirectory, contents: existing.contents };
          } else {
            if (existing.directoryExists && traceEnabled) trace(host, Diagnostics.File_0_does_not_exist_according_to_earlier_cached_lookups, packageJsonPath);
            (_d = state.failedLookupLocations) == null ? void 0 : _d.push(packageJsonPath);
            return void 0;
          }
        }
        const directoryExists = directoryProbablyExists(packageDirectory, host);
        if (directoryExists && host.fileExists(packageJsonPath)) {
          const packageJsonContent = readJson(packageJsonPath, host);
          if (traceEnabled) {
            trace(host, Diagnostics.Found_package_json_at_0, packageJsonPath);
          }
          const result = { packageDirectory, contents: { packageJsonContent, versionPaths: void 0, resolvedEntrypoints: void 0, peerDependencies: void 0 } };
          if (state.packageJsonInfoCache && !state.packageJsonInfoCache.isReadonly) state.packageJsonInfoCache.setPackageJsonInfo(packageJsonPath, result);
          (_e = state.affectingLocations) == null ? void 0 : _e.push(packageJsonPath);
          return result;
        } else {
          if (directoryExists && traceEnabled) {
            trace(host, Diagnostics.File_0_does_not_exist, packageJsonPath);
          }
          if (state.packageJsonInfoCache && !state.packageJsonInfoCache.isReadonly) state.packageJsonInfoCache.setPackageJsonInfo(packageJsonPath, { packageDirectory, directoryExists });
          (_f = state.failedLookupLocations) == null ? void 0 : _f.push(packageJsonPath);
        }
      }
      function loadNodeModuleFromDirectoryWorker(extensions, candidate, onlyRecordFailures, state, jsonContent, versionPaths) {
        let packageFile;
        if (jsonContent) {
          if (state.isConfigLookup) {
            packageFile = readPackageJsonTSConfigField(jsonContent, candidate, state);
          } else {
            packageFile = extensions & 4 && readPackageJsonTypesFields(jsonContent, candidate, state) || extensions & (3 | 4) && readPackageJsonMainField(jsonContent, candidate, state) || void 0;
          }
        }
        const loader = (extensions2, candidate2, onlyRecordFailures2, state2) => {
          const fromFile = loadFileNameFromPackageJsonField(extensions2, candidate2, onlyRecordFailures2, state2);
          if (fromFile) {
            return noPackageId(fromFile);
          }
          const expandedExtensions = extensions2 === 4 ? 1 | 4 : extensions2;
          const features = state2.features;
          const candidateIsFromPackageJsonField = state2.candidateIsFromPackageJsonField;
          state2.candidateIsFromPackageJsonField = true;
          if ((jsonContent == null ? void 0 : jsonContent.type) !== "module") {
            state2.features &= ~32;
          }
          const result = nodeLoadModuleByRelativeName(
            expandedExtensions,
            candidate2,
            onlyRecordFailures2,
            state2,
            /*considerPackageJson*/
            false
          );
          state2.features = features;
          state2.candidateIsFromPackageJsonField = candidateIsFromPackageJsonField;
          return result;
        };
        const onlyRecordFailuresForPackageFile = packageFile ? !directoryProbablyExists(getDirectoryPath(packageFile), state.host) : void 0;
        const onlyRecordFailuresForIndex = onlyRecordFailures || !directoryProbablyExists(candidate, state.host);
        const indexPath = combinePaths(candidate, state.isConfigLookup ? "tsconfig" : "index");
        if (versionPaths && (!packageFile || containsPath(candidate, packageFile))) {
          const moduleName = getRelativePathFromDirectory(
            candidate,
            packageFile || indexPath,
            /*ignoreCase*/
            false
          );
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.package_json_has_a_typesVersions_entry_0_that_matches_compiler_version_1_looking_for_a_pattern_to_match_module_name_2, versionPaths.version, version, moduleName);
          }
          const result = tryLoadModuleUsingPaths(
            extensions,
            moduleName,
            candidate,
            versionPaths.paths,
            /*pathPatterns*/
            void 0,
            loader,
            onlyRecordFailuresForPackageFile || onlyRecordFailuresForIndex,
            state
          );
          if (result) {
            return removeIgnoredPackageId(result.value);
          }
        }
        const packageFileResult = packageFile && removeIgnoredPackageId(loader(extensions, packageFile, onlyRecordFailuresForPackageFile, state));
        if (packageFileResult) return packageFileResult;
        if (!(state.features & 32)) {
          return loadModuleFromFile(extensions, indexPath, onlyRecordFailuresForIndex, state);
        }
      }
      function extensionIsOk(extensions, extension) {
        return extensions & 2 && (extension === ".js" || extension === ".jsx" || extension === ".mjs" || extension === ".cjs") || extensions & 1 && (extension === ".ts" || extension === ".tsx" || extension === ".mts" || extension === ".cts") || extensions & 4 && (extension === ".d.ts" || extension === ".d.mts" || extension === ".d.cts") || extensions & 8 && extension === ".json" || false;
      }
      function parsePackageName(moduleName) {
        let idx = moduleName.indexOf(directorySeparator);
        if (moduleName[0] === "@") {
          idx = moduleName.indexOf(directorySeparator, idx + 1);
        }
        return idx === -1 ? { packageName: moduleName, rest: "" } : { packageName: moduleName.slice(0, idx), rest: moduleName.slice(idx + 1) };
      }
      function allKeysStartWithDot(obj) {
        return every(getOwnKeys(obj), (k) => startsWith2(k, "."));
      }
      function noKeyStartsWithDot(obj) {
        return !some(getOwnKeys(obj), (k) => startsWith2(k, "."));
      }
      function loadModuleFromSelfNameReference(extensions, moduleName, directory, state, cache, redirectedReference) {
        var _a, _b;
        const directoryPath = getNormalizedAbsolutePath(combinePaths(directory, "dummy"), (_b = (_a = state.host).getCurrentDirectory) == null ? void 0 : _b.call(_a));
        const scope = getPackageScopeForPath(directoryPath, state);
        if (!scope || !scope.contents.packageJsonContent.exports) {
          return void 0;
        }
        if (typeof scope.contents.packageJsonContent.name !== "string") {
          return void 0;
        }
        const parts = getPathComponents(moduleName);
        const nameParts = getPathComponents(scope.contents.packageJsonContent.name);
        if (!every(nameParts, (p, i) => parts[i] === p)) {
          return void 0;
        }
        const trailingParts = parts.slice(nameParts.length);
        const subpath = !length(trailingParts) ? "." : `.${directorySeparator}${trailingParts.join(directorySeparator)}`;
        if (getAllowJSCompilerOption(state.compilerOptions) && !pathContainsNodeModules(directory)) {
          return loadModuleFromExports(scope, extensions, subpath, state, cache, redirectedReference);
        }
        const priorityExtensions = extensions & (1 | 4);
        const secondaryExtensions = extensions & ~(1 | 4);
        return loadModuleFromExports(scope, priorityExtensions, subpath, state, cache, redirectedReference) || loadModuleFromExports(scope, secondaryExtensions, subpath, state, cache, redirectedReference);
      }
      function loadModuleFromExports(scope, extensions, subpath, state, cache, redirectedReference) {
        if (!scope.contents.packageJsonContent.exports) {
          return void 0;
        }
        if (subpath === ".") {
          let mainExport;
          if (typeof scope.contents.packageJsonContent.exports === "string" || Array.isArray(scope.contents.packageJsonContent.exports) || typeof scope.contents.packageJsonContent.exports === "object" && noKeyStartsWithDot(scope.contents.packageJsonContent.exports)) {
            mainExport = scope.contents.packageJsonContent.exports;
          } else if (hasProperty(scope.contents.packageJsonContent.exports, ".")) {
            mainExport = scope.contents.packageJsonContent.exports["."];
          }
          if (mainExport) {
            const loadModuleFromTargetImportOrExport = getLoadModuleFromTargetImportOrExport(
              extensions,
              state,
              cache,
              redirectedReference,
              subpath,
              scope,
              /*isImports*/
              false
            );
            return loadModuleFromTargetImportOrExport(
              mainExport,
              "",
              /*pattern*/
              false,
              "."
            );
          }
        } else if (allKeysStartWithDot(scope.contents.packageJsonContent.exports)) {
          if (typeof scope.contents.packageJsonContent.exports !== "object") {
            if (state.traceEnabled) {
              trace(state.host, Diagnostics.Export_specifier_0_does_not_exist_in_package_json_scope_at_path_1, subpath, scope.packageDirectory);
            }
            return toSearchResult(
              /*value*/
              void 0
            );
          }
          const result = loadModuleFromImportsOrExports(
            extensions,
            state,
            cache,
            redirectedReference,
            subpath,
            scope.contents.packageJsonContent.exports,
            scope,
            /*isImports*/
            false
          );
          if (result) {
            return result;
          }
        }
        if (state.traceEnabled) {
          trace(state.host, Diagnostics.Export_specifier_0_does_not_exist_in_package_json_scope_at_path_1, subpath, scope.packageDirectory);
        }
        return toSearchResult(
          /*value*/
          void 0
        );
      }
      function loadModuleFromImports(extensions, moduleName, directory, state, cache, redirectedReference) {
        var _a, _b;
        if (moduleName === "#" || startsWith2(moduleName, "#/")) {
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.Invalid_import_specifier_0_has_no_possible_resolutions, moduleName);
          }
          return toSearchResult(
            /*value*/
            void 0
          );
        }
        const directoryPath = getNormalizedAbsolutePath(combinePaths(directory, "dummy"), (_b = (_a = state.host).getCurrentDirectory) == null ? void 0 : _b.call(_a));
        const scope = getPackageScopeForPath(directoryPath, state);
        if (!scope) {
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.Directory_0_has_no_containing_package_json_scope_Imports_will_not_resolve, directoryPath);
          }
          return toSearchResult(
            /*value*/
            void 0
          );
        }
        if (!scope.contents.packageJsonContent.imports) {
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.package_json_scope_0_has_no_imports_defined, scope.packageDirectory);
          }
          return toSearchResult(
            /*value*/
            void 0
          );
        }
        const result = loadModuleFromImportsOrExports(
          extensions,
          state,
          cache,
          redirectedReference,
          moduleName,
          scope.contents.packageJsonContent.imports,
          scope,
          /*isImports*/
          true
        );
        if (result) {
          return result;
        }
        if (state.traceEnabled) {
          trace(state.host, Diagnostics.Import_specifier_0_does_not_exist_in_package_json_scope_at_path_1, moduleName, scope.packageDirectory);
        }
        return toSearchResult(
          /*value*/
          void 0
        );
      }
      function comparePatternKeys(a, b) {
        const aPatternIndex = a.indexOf("*");
        const bPatternIndex = b.indexOf("*");
        const baseLenA = aPatternIndex === -1 ? a.length : aPatternIndex + 1;
        const baseLenB = bPatternIndex === -1 ? b.length : bPatternIndex + 1;
        if (baseLenA > baseLenB) return -1;
        if (baseLenB > baseLenA) return 1;
        if (aPatternIndex === -1) return 1;
        if (bPatternIndex === -1) return -1;
        if (a.length > b.length) return -1;
        if (b.length > a.length) return 1;
        return 0;
      }
      function loadModuleFromImportsOrExports(extensions, state, cache, redirectedReference, moduleName, lookupTable, scope, isImports) {
        const loadModuleFromTargetImportOrExport = getLoadModuleFromTargetImportOrExport(extensions, state, cache, redirectedReference, moduleName, scope, isImports);
        if (!endsWith(moduleName, directorySeparator) && !moduleName.includes("*") && hasProperty(lookupTable, moduleName)) {
          const target = lookupTable[moduleName];
          return loadModuleFromTargetImportOrExport(
            target,
            /*subpath*/
            "",
            /*pattern*/
            false,
            moduleName
          );
        }
        const expandingKeys = sort(filter(getOwnKeys(lookupTable), (k) => hasOneAsterisk(k) || endsWith(k, "/")), comparePatternKeys);
        for (const potentialTarget of expandingKeys) {
          if (state.features & 16 && matchesPatternWithTrailer(potentialTarget, moduleName)) {
            const target = lookupTable[potentialTarget];
            const starPos = potentialTarget.indexOf("*");
            const subpath = moduleName.substring(potentialTarget.substring(0, starPos).length, moduleName.length - (potentialTarget.length - 1 - starPos));
            return loadModuleFromTargetImportOrExport(
              target,
              subpath,
              /*pattern*/
              true,
              potentialTarget
            );
          } else if (endsWith(potentialTarget, "*") && startsWith2(moduleName, potentialTarget.substring(0, potentialTarget.length - 1))) {
            const target = lookupTable[potentialTarget];
            const subpath = moduleName.substring(potentialTarget.length - 1);
            return loadModuleFromTargetImportOrExport(
              target,
              subpath,
              /*pattern*/
              true,
              potentialTarget
            );
          } else if (startsWith2(moduleName, potentialTarget)) {
            const target = lookupTable[potentialTarget];
            const subpath = moduleName.substring(potentialTarget.length);
            return loadModuleFromTargetImportOrExport(
              target,
              subpath,
              /*pattern*/
              false,
              potentialTarget
            );
          }
        }
        function matchesPatternWithTrailer(target, name) {
          if (endsWith(target, "*")) return false;
          const starPos = target.indexOf("*");
          if (starPos === -1) return false;
          return startsWith2(name, target.substring(0, starPos)) && endsWith(name, target.substring(starPos + 1));
        }
      }
      function hasOneAsterisk(patternKey) {
        const firstStar = patternKey.indexOf("*");
        return firstStar !== -1 && firstStar === patternKey.lastIndexOf("*");
      }
      function getLoadModuleFromTargetImportOrExport(extensions, state, cache, redirectedReference, moduleName, scope, isImports) {
        return loadModuleFromTargetImportOrExport;
        function loadModuleFromTargetImportOrExport(target, subpath, pattern, key) {
          if (typeof target === "string") {
            if (!pattern && subpath.length > 0 && !endsWith(target, "/")) {
              if (state.traceEnabled) {
                trace(state.host, Diagnostics.package_json_scope_0_has_invalid_type_for_target_of_specifier_1, scope.packageDirectory, moduleName);
              }
              return toSearchResult(
                /*value*/
                void 0
              );
            }
            if (!startsWith2(target, "./")) {
              if (isImports && !startsWith2(target, "../") && !startsWith2(target, "/") && !isRootedDiskPath(target)) {
                const combinedLookup = pattern ? target.replace(/\*/g, subpath) : target + subpath;
                traceIfEnabled(state, Diagnostics.Using_0_subpath_1_with_target_2, "imports", key, combinedLookup);
                traceIfEnabled(state, Diagnostics.Resolving_module_0_from_1, combinedLookup, scope.packageDirectory + "/");
                const result = nodeModuleNameResolverWorker(
                  state.features,
                  combinedLookup,
                  scope.packageDirectory + "/",
                  state.compilerOptions,
                  state.host,
                  cache,
                  extensions,
                  /*isConfigLookup*/
                  false,
                  redirectedReference,
                  state.conditions
                );
                return toSearchResult(
                  result.resolvedModule ? {
                    path: result.resolvedModule.resolvedFileName,
                    extension: result.resolvedModule.extension,
                    packageId: result.resolvedModule.packageId,
                    originalPath: result.resolvedModule.originalPath,
                    resolvedUsingTsExtension: result.resolvedModule.resolvedUsingTsExtension
                  } : void 0
                );
              }
              if (state.traceEnabled) {
                trace(state.host, Diagnostics.package_json_scope_0_has_invalid_type_for_target_of_specifier_1, scope.packageDirectory, moduleName);
              }
              return toSearchResult(
                /*value*/
                void 0
              );
            }
            const parts = pathIsRelative(target) ? getPathComponents(target).slice(1) : getPathComponents(target);
            const partsAfterFirst = parts.slice(1);
            if (partsAfterFirst.includes("..") || partsAfterFirst.includes(".") || partsAfterFirst.includes("node_modules")) {
              if (state.traceEnabled) {
                trace(state.host, Diagnostics.package_json_scope_0_has_invalid_type_for_target_of_specifier_1, scope.packageDirectory, moduleName);
              }
              return toSearchResult(
                /*value*/
                void 0
              );
            }
            const resolvedTarget = combinePaths(scope.packageDirectory, target);
            const subpathParts = getPathComponents(subpath);
            if (subpathParts.includes("..") || subpathParts.includes(".") || subpathParts.includes("node_modules")) {
              if (state.traceEnabled) {
                trace(state.host, Diagnostics.package_json_scope_0_has_invalid_type_for_target_of_specifier_1, scope.packageDirectory, moduleName);
              }
              return toSearchResult(
                /*value*/
                void 0
              );
            }
            if (state.traceEnabled) {
              trace(state.host, Diagnostics.Using_0_subpath_1_with_target_2, isImports ? "imports" : "exports", key, pattern ? target.replace(/\*/g, subpath) : target + subpath);
            }
            const finalPath = toAbsolutePath(pattern ? resolvedTarget.replace(/\*/g, subpath) : resolvedTarget + subpath);
            const inputLink = tryLoadInputFileForPath(finalPath, subpath, combinePaths(scope.packageDirectory, "package.json"), isImports);
            if (inputLink) return inputLink;
            return toSearchResult(withPackageId(scope, loadFileNameFromPackageJsonField(
              extensions,
              finalPath,
              /*onlyRecordFailures*/
              false,
              state
            ), state));
          } else if (typeof target === "object" && target !== null) {
            if (!Array.isArray(target)) {
              traceIfEnabled(state, Diagnostics.Entering_conditional_exports);
              for (const condition of getOwnKeys(target)) {
                if (condition === "default" || state.conditions.includes(condition) || isApplicableVersionedTypesKey(state.conditions, condition)) {
                  traceIfEnabled(state, Diagnostics.Matched_0_condition_1, isImports ? "imports" : "exports", condition);
                  const subTarget = target[condition];
                  const result = loadModuleFromTargetImportOrExport(subTarget, subpath, pattern, key);
                  if (result) {
                    traceIfEnabled(state, Diagnostics.Resolved_under_condition_0, condition);
                    traceIfEnabled(state, Diagnostics.Exiting_conditional_exports);
                    return result;
                  } else {
                    traceIfEnabled(state, Diagnostics.Failed_to_resolve_under_condition_0, condition);
                  }
                } else {
                  traceIfEnabled(state, Diagnostics.Saw_non_matching_condition_0, condition);
                }
              }
              traceIfEnabled(state, Diagnostics.Exiting_conditional_exports);
              return void 0;
            } else {
              if (!length(target)) {
                if (state.traceEnabled) {
                  trace(state.host, Diagnostics.package_json_scope_0_has_invalid_type_for_target_of_specifier_1, scope.packageDirectory, moduleName);
                }
                return toSearchResult(
                  /*value*/
                  void 0
                );
              }
              for (const elem of target) {
                const result = loadModuleFromTargetImportOrExport(elem, subpath, pattern, key);
                if (result) {
                  return result;
                }
              }
            }
          } else if (target === null) {
            if (state.traceEnabled) {
              trace(state.host, Diagnostics.package_json_scope_0_explicitly_maps_specifier_1_to_null, scope.packageDirectory, moduleName);
            }
            return toSearchResult(
              /*value*/
              void 0
            );
          }
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.package_json_scope_0_has_invalid_type_for_target_of_specifier_1, scope.packageDirectory, moduleName);
          }
          return toSearchResult(
            /*value*/
            void 0
          );
          function toAbsolutePath(path17) {
            var _a, _b;
            if (path17 === void 0) return path17;
            return getNormalizedAbsolutePath(path17, (_b = (_a = state.host).getCurrentDirectory) == null ? void 0 : _b.call(_a));
          }
          function combineDirectoryPath(root2, dir) {
            return ensureTrailingDirectorySeparator(combinePaths(root2, dir));
          }
          function tryLoadInputFileForPath(finalPath, entry, packagePath, isImports2) {
            var _a, _b, _c, _d;
            if (!state.isConfigLookup && (state.compilerOptions.declarationDir || state.compilerOptions.outDir) && !finalPath.includes("/node_modules/") && (state.compilerOptions.configFile ? containsPath(scope.packageDirectory, toAbsolutePath(state.compilerOptions.configFile.fileName), !useCaseSensitiveFileNames(state)) : true)) {
              const getCanonicalFileName = hostGetCanonicalFileName({ useCaseSensitiveFileNames: () => useCaseSensitiveFileNames(state) });
              const commonSourceDirGuesses = [];
              if (state.compilerOptions.rootDir || state.compilerOptions.composite && state.compilerOptions.configFilePath) {
                const commonDir = toAbsolutePath(getCommonSourceDirectory(state.compilerOptions, () => [], ((_b = (_a = state.host).getCurrentDirectory) == null ? void 0 : _b.call(_a)) || "", getCanonicalFileName));
                commonSourceDirGuesses.push(commonDir);
              } else if (state.requestContainingDirectory) {
                const requestingFile = toAbsolutePath(combinePaths(state.requestContainingDirectory, "index.ts"));
                const commonDir = toAbsolutePath(getCommonSourceDirectory(state.compilerOptions, () => [requestingFile, toAbsolutePath(packagePath)], ((_d = (_c = state.host).getCurrentDirectory) == null ? void 0 : _d.call(_c)) || "", getCanonicalFileName));
                commonSourceDirGuesses.push(commonDir);
                let fragment = ensureTrailingDirectorySeparator(commonDir);
                while (fragment && fragment.length > 1) {
                  const parts = getPathComponents(fragment);
                  parts.pop();
                  const commonDir2 = getPathFromPathComponents(parts);
                  commonSourceDirGuesses.unshift(commonDir2);
                  fragment = ensureTrailingDirectorySeparator(commonDir2);
                }
              }
              if (commonSourceDirGuesses.length > 1) {
                state.reportDiagnostic(createCompilerDiagnostic(
                  isImports2 ? Diagnostics.The_project_root_is_ambiguous_but_is_required_to_resolve_import_map_entry_0_in_file_1_Supply_the_rootDir_compiler_option_to_disambiguate : Diagnostics.The_project_root_is_ambiguous_but_is_required_to_resolve_export_map_entry_0_in_file_1_Supply_the_rootDir_compiler_option_to_disambiguate,
                  entry === "" ? "." : entry,
                  // replace empty string with `.` - the reverse of the operation done when entries are built - so main entrypoint errors don't look weird
                  packagePath
                ));
              }
              for (const commonSourceDirGuess of commonSourceDirGuesses) {
                const candidateDirectories = getOutputDirectoriesForBaseDirectory(commonSourceDirGuess);
                for (const candidateDir of candidateDirectories) {
                  if (containsPath(candidateDir, finalPath, !useCaseSensitiveFileNames(state))) {
                    const pathFragment = finalPath.slice(candidateDir.length + 1);
                    const possibleInputBase = combinePaths(commonSourceDirGuess, pathFragment);
                    const jsAndDtsExtensions = [
                      ".mjs",
                      ".cjs",
                      ".js",
                      ".json",
                      ".d.mts",
                      ".d.cts",
                      ".d.ts"
                      /* Dts */
                    ];
                    for (const ext of jsAndDtsExtensions) {
                      if (fileExtensionIs(possibleInputBase, ext)) {
                        const inputExts = getPossibleOriginalInputExtensionForExtension(possibleInputBase);
                        for (const possibleExt of inputExts) {
                          if (!extensionIsOk(extensions, possibleExt)) continue;
                          const possibleInputWithInputExtension = changeAnyExtension(possibleInputBase, possibleExt, ext, !useCaseSensitiveFileNames(state));
                          if (state.host.fileExists(possibleInputWithInputExtension)) {
                            return toSearchResult(withPackageId(scope, loadFileNameFromPackageJsonField(
                              extensions,
                              possibleInputWithInputExtension,
                              /*onlyRecordFailures*/
                              false,
                              state
                            ), state));
                          }
                        }
                      }
                    }
                  }
                }
              }
            }
            return void 0;
            function getOutputDirectoriesForBaseDirectory(commonSourceDirGuess) {
              var _a2, _b2;
              const currentDir = state.compilerOptions.configFile ? ((_b2 = (_a2 = state.host).getCurrentDirectory) == null ? void 0 : _b2.call(_a2)) || "" : commonSourceDirGuess;
              const candidateDirectories = [];
              if (state.compilerOptions.declarationDir) {
                candidateDirectories.push(toAbsolutePath(combineDirectoryPath(currentDir, state.compilerOptions.declarationDir)));
              }
              if (state.compilerOptions.outDir && state.compilerOptions.outDir !== state.compilerOptions.declarationDir) {
                candidateDirectories.push(toAbsolutePath(combineDirectoryPath(currentDir, state.compilerOptions.outDir)));
              }
              return candidateDirectories;
            }
          }
        }
      }
      function isApplicableVersionedTypesKey(conditions, key) {
        if (!conditions.includes("types")) return false;
        if (!startsWith2(key, "types@")) return false;
        const range = VersionRange.tryParse(key.substring("types@".length));
        if (!range) return false;
        return range.test(version);
      }
      function loadModuleFromNearestNodeModulesDirectory(extensions, moduleName, directory, state, cache, redirectedReference) {
        return loadModuleFromNearestNodeModulesDirectoryWorker(
          extensions,
          moduleName,
          directory,
          state,
          /*typesScopeOnly*/
          false,
          cache,
          redirectedReference
        );
      }
      function loadModuleFromNearestNodeModulesDirectoryTypesScope(moduleName, directory, state) {
        return loadModuleFromNearestNodeModulesDirectoryWorker(
          4,
          moduleName,
          directory,
          state,
          /*typesScopeOnly*/
          true,
          /*cache*/
          void 0,
          /*redirectedReference*/
          void 0
        );
      }
      function loadModuleFromNearestNodeModulesDirectoryWorker(extensions, moduleName, directory, state, typesScopeOnly, cache, redirectedReference) {
        const mode = state.features === 0 ? void 0 : state.features & 32 ? 99 : 1;
        const priorityExtensions = extensions & (1 | 4);
        const secondaryExtensions = extensions & ~(1 | 4);
        if (priorityExtensions) {
          traceIfEnabled(state, Diagnostics.Searching_all_ancestor_node_modules_directories_for_preferred_extensions_Colon_0, formatExtensions(priorityExtensions));
          const result = lookup(priorityExtensions);
          if (result) return result;
        }
        if (secondaryExtensions && !typesScopeOnly) {
          traceIfEnabled(state, Diagnostics.Searching_all_ancestor_node_modules_directories_for_fallback_extensions_Colon_0, formatExtensions(secondaryExtensions));
          return lookup(secondaryExtensions);
        }
        function lookup(extensions2) {
          return forEachAncestorDirectory(normalizeSlashes(directory), (ancestorDirectory) => {
            if (getBaseFileName(ancestorDirectory) !== "node_modules") {
              const resolutionFromCache = tryFindNonRelativeModuleNameInCache(cache, moduleName, mode, ancestorDirectory, redirectedReference, state);
              if (resolutionFromCache) {
                return resolutionFromCache;
              }
              return toSearchResult(loadModuleFromImmediateNodeModulesDirectory(extensions2, moduleName, ancestorDirectory, state, typesScopeOnly, cache, redirectedReference));
            }
          });
        }
      }
      function loadModuleFromImmediateNodeModulesDirectory(extensions, moduleName, directory, state, typesScopeOnly, cache, redirectedReference) {
        const nodeModulesFolder = combinePaths(directory, "node_modules");
        const nodeModulesFolderExists = directoryProbablyExists(nodeModulesFolder, state.host);
        if (!nodeModulesFolderExists && state.traceEnabled) {
          trace(state.host, Diagnostics.Directory_0_does_not_exist_skipping_all_lookups_in_it, nodeModulesFolder);
        }
        if (!typesScopeOnly) {
          const packageResult = loadModuleFromSpecificNodeModulesDirectory(extensions, moduleName, nodeModulesFolder, nodeModulesFolderExists, state, cache, redirectedReference);
          if (packageResult) {
            return packageResult;
          }
        }
        if (extensions & 4) {
          const nodeModulesAtTypes2 = combinePaths(nodeModulesFolder, "@types");
          let nodeModulesAtTypesExists = nodeModulesFolderExists;
          if (nodeModulesFolderExists && !directoryProbablyExists(nodeModulesAtTypes2, state.host)) {
            if (state.traceEnabled) {
              trace(state.host, Diagnostics.Directory_0_does_not_exist_skipping_all_lookups_in_it, nodeModulesAtTypes2);
            }
            nodeModulesAtTypesExists = false;
          }
          return loadModuleFromSpecificNodeModulesDirectory(4, mangleScopedPackageNameWithTrace(moduleName, state), nodeModulesAtTypes2, nodeModulesAtTypesExists, state, cache, redirectedReference);
        }
      }
      function loadModuleFromSpecificNodeModulesDirectory(extensions, moduleName, nodeModulesDirectory, nodeModulesDirectoryExists, state, cache, redirectedReference) {
        var _a, _b;
        const candidate = normalizePath(combinePaths(nodeModulesDirectory, moduleName));
        const { packageName, rest } = parsePackageName(moduleName);
        const packageDirectory = combinePaths(nodeModulesDirectory, packageName);
        let rootPackageInfo;
        let packageInfo = getPackageJsonInfo(candidate, !nodeModulesDirectoryExists, state);
        if (rest !== "" && packageInfo && (!(state.features & 8) || !hasProperty(((_a = rootPackageInfo = getPackageJsonInfo(packageDirectory, !nodeModulesDirectoryExists, state)) == null ? void 0 : _a.contents.packageJsonContent) ?? emptyArray, "exports"))) {
          const fromFile = loadModuleFromFile(extensions, candidate, !nodeModulesDirectoryExists, state);
          if (fromFile) {
            return noPackageId(fromFile);
          }
          const fromDirectory = loadNodeModuleFromDirectoryWorker(
            extensions,
            candidate,
            !nodeModulesDirectoryExists,
            state,
            packageInfo.contents.packageJsonContent,
            getVersionPathsOfPackageJsonInfo(packageInfo, state)
          );
          return withPackageId(packageInfo, fromDirectory, state);
        }
        const loader = (extensions2, candidate2, onlyRecordFailures, state2) => {
          let pathAndExtension = (rest || !(state2.features & 32)) && loadModuleFromFile(extensions2, candidate2, onlyRecordFailures, state2) || loadNodeModuleFromDirectoryWorker(
            extensions2,
            candidate2,
            onlyRecordFailures,
            state2,
            packageInfo && packageInfo.contents.packageJsonContent,
            packageInfo && getVersionPathsOfPackageJsonInfo(packageInfo, state2)
          );
          if (!pathAndExtension && packageInfo && (packageInfo.contents.packageJsonContent.exports === void 0 || packageInfo.contents.packageJsonContent.exports === null) && state2.features & 32) {
            pathAndExtension = loadModuleFromFile(extensions2, combinePaths(candidate2, "index.js"), onlyRecordFailures, state2);
          }
          return withPackageId(packageInfo, pathAndExtension, state2);
        };
        if (rest !== "") {
          packageInfo = rootPackageInfo ?? getPackageJsonInfo(packageDirectory, !nodeModulesDirectoryExists, state);
        }
        if (packageInfo) {
          state.resolvedPackageDirectory = true;
        }
        if (packageInfo && packageInfo.contents.packageJsonContent.exports && state.features & 8) {
          return (_b = loadModuleFromExports(packageInfo, extensions, combinePaths(".", rest), state, cache, redirectedReference)) == null ? void 0 : _b.value;
        }
        const versionPaths = rest !== "" && packageInfo ? getVersionPathsOfPackageJsonInfo(packageInfo, state) : void 0;
        if (versionPaths) {
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.package_json_has_a_typesVersions_entry_0_that_matches_compiler_version_1_looking_for_a_pattern_to_match_module_name_2, versionPaths.version, version, rest);
          }
          const packageDirectoryExists = nodeModulesDirectoryExists && directoryProbablyExists(packageDirectory, state.host);
          const fromPaths = tryLoadModuleUsingPaths(
            extensions,
            rest,
            packageDirectory,
            versionPaths.paths,
            /*pathPatterns*/
            void 0,
            loader,
            !packageDirectoryExists,
            state
          );
          if (fromPaths) {
            return fromPaths.value;
          }
        }
        return loader(extensions, candidate, !nodeModulesDirectoryExists, state);
      }
      function tryLoadModuleUsingPaths(extensions, moduleName, baseDirectory, paths, pathPatterns, loader, onlyRecordFailures, state) {
        pathPatterns || (pathPatterns = tryParsePatterns(paths));
        const matchedPattern = matchPatternOrExact(pathPatterns, moduleName);
        if (matchedPattern) {
          const matchedStar = isString2(matchedPattern) ? void 0 : matchedText(matchedPattern, moduleName);
          const matchedPatternText = isString2(matchedPattern) ? matchedPattern : patternText(matchedPattern);
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.Module_name_0_matched_pattern_1, moduleName, matchedPatternText);
          }
          const resolved = forEach(paths[matchedPatternText], (subst) => {
            const path17 = matchedStar ? replaceFirstStar(subst, matchedStar) : subst;
            const candidate = normalizePath(combinePaths(baseDirectory, path17));
            if (state.traceEnabled) {
              trace(state.host, Diagnostics.Trying_substitution_0_candidate_module_location_Colon_1, subst, path17);
            }
            const extension = tryGetExtensionFromPath2(subst);
            if (extension !== void 0) {
              const path22 = tryFile(candidate, onlyRecordFailures, state);
              if (path22 !== void 0) {
                return noPackageId({ path: path22, ext: extension, resolvedUsingTsExtension: void 0 });
              }
            }
            return loader(extensions, candidate, onlyRecordFailures || !directoryProbablyExists(getDirectoryPath(candidate), state.host), state);
          });
          return { value: resolved };
        }
      }
      var mangledScopedPackageSeparator = "__";
      function mangleScopedPackageNameWithTrace(packageName, state) {
        const mangled = mangleScopedPackageName(packageName);
        if (state.traceEnabled && mangled !== packageName) {
          trace(state.host, Diagnostics.Scoped_package_detected_looking_in_0, mangled);
        }
        return mangled;
      }
      function getTypesPackageName(packageName) {
        return `@types/${mangleScopedPackageName(packageName)}`;
      }
      function mangleScopedPackageName(packageName) {
        if (startsWith2(packageName, "@")) {
          const replaceSlash = packageName.replace(directorySeparator, mangledScopedPackageSeparator);
          if (replaceSlash !== packageName) {
            return replaceSlash.slice(1);
          }
        }
        return packageName;
      }
      function getPackageNameFromTypesPackageName(mangledName) {
        const withoutAtTypePrefix = removePrefix(mangledName, "@types/");
        if (withoutAtTypePrefix !== mangledName) {
          return unmangleScopedPackageName(withoutAtTypePrefix);
        }
        return mangledName;
      }
      function unmangleScopedPackageName(typesPackageName) {
        return typesPackageName.includes(mangledScopedPackageSeparator) ? "@" + typesPackageName.replace(mangledScopedPackageSeparator, directorySeparator) : typesPackageName;
      }
      function tryFindNonRelativeModuleNameInCache(cache, moduleName, mode, containingDirectory, redirectedReference, state) {
        const result = cache && cache.getFromNonRelativeNameCache(moduleName, mode, containingDirectory, redirectedReference);
        if (result) {
          if (state.traceEnabled) {
            trace(state.host, Diagnostics.Resolution_for_module_0_was_found_in_cache_from_location_1, moduleName, containingDirectory);
          }
          state.resultFromCache = result;
          return {
            value: result.resolvedModule && {
              path: result.resolvedModule.resolvedFileName,
              originalPath: result.resolvedModule.originalPath || true,
              extension: result.resolvedModule.extension,
              packageId: result.resolvedModule.packageId,
              resolvedUsingTsExtension: result.resolvedModule.resolvedUsingTsExtension
            }
          };
        }
      }
      function classicNameResolver(moduleName, containingFile, compilerOptions, host, cache, redirectedReference) {
        const traceEnabled = isTraceEnabled(compilerOptions, host);
        const failedLookupLocations = [];
        const affectingLocations = [];
        const containingDirectory = getDirectoryPath(containingFile);
        const diagnostics = [];
        const state = {
          compilerOptions,
          host,
          traceEnabled,
          failedLookupLocations,
          affectingLocations,
          packageJsonInfoCache: cache,
          features: 0,
          conditions: [],
          requestContainingDirectory: containingDirectory,
          reportDiagnostic: (diag2) => void diagnostics.push(diag2),
          isConfigLookup: false,
          candidateIsFromPackageJsonField: false,
          resolvedPackageDirectory: false
        };
        const resolved = tryResolve(
          1 | 4
          /* Declaration */
        ) || tryResolve(2 | (compilerOptions.resolveJsonModule ? 8 : 0));
        return createResolvedModuleWithFailedLookupLocationsHandlingSymlink(
          moduleName,
          resolved && resolved.value,
          (resolved == null ? void 0 : resolved.value) && pathContainsNodeModules(resolved.value.path),
          failedLookupLocations,
          affectingLocations,
          diagnostics,
          state,
          cache
        );
        function tryResolve(extensions) {
          const resolvedUsingSettings = tryLoadModuleUsingOptionalResolutionSettings(extensions, moduleName, containingDirectory, loadModuleFromFileNoPackageId, state);
          if (resolvedUsingSettings) {
            return { value: resolvedUsingSettings };
          }
          if (!isExternalModuleNameRelative(moduleName)) {
            const resolved2 = forEachAncestorDirectory(containingDirectory, (directory) => {
              const resolutionFromCache = tryFindNonRelativeModuleNameInCache(
                cache,
                moduleName,
                /*mode*/
                void 0,
                directory,
                redirectedReference,
                state
              );
              if (resolutionFromCache) {
                return resolutionFromCache;
              }
              const searchName = normalizePath(combinePaths(directory, moduleName));
              return toSearchResult(loadModuleFromFileNoPackageId(
                extensions,
                searchName,
                /*onlyRecordFailures*/
                false,
                state
              ));
            });
            if (resolved2) return resolved2;
            if (extensions & (1 | 4)) {
              let resolved3 = loadModuleFromNearestNodeModulesDirectoryTypesScope(moduleName, containingDirectory, state);
              if (extensions & 4) resolved3 ?? (resolved3 = resolveFromTypeRoot(moduleName, state));
              return resolved3;
            }
          } else {
            const candidate = normalizePath(combinePaths(containingDirectory, moduleName));
            return toSearchResult(loadModuleFromFileNoPackageId(
              extensions,
              candidate,
              /*onlyRecordFailures*/
              false,
              state
            ));
          }
        }
      }
      function resolveFromTypeRoot(moduleName, state) {
        if (!state.compilerOptions.typeRoots) return;
        for (const typeRoot of state.compilerOptions.typeRoots) {
          const candidate = getCandidateFromTypeRoot(typeRoot, moduleName, state);
          const directoryExists = directoryProbablyExists(typeRoot, state.host);
          if (!directoryExists && state.traceEnabled) {
            trace(state.host, Diagnostics.Directory_0_does_not_exist_skipping_all_lookups_in_it, typeRoot);
          }
          const resolvedFromFile = loadModuleFromFile(4, candidate, !directoryExists, state);
          if (resolvedFromFile) {
            const packageDirectory = parseNodeModuleFromPath(resolvedFromFile.path);
            const packageInfo = packageDirectory ? getPackageJsonInfo(
              packageDirectory,
              /*onlyRecordFailures*/
              false,
              state
            ) : void 0;
            return toSearchResult(withPackageId(packageInfo, resolvedFromFile, state));
          }
          const resolved = loadNodeModuleFromDirectory(4, candidate, !directoryExists, state);
          if (resolved) return toSearchResult(resolved);
        }
      }
      function shouldAllowImportingTsExtension(compilerOptions, fromFileName) {
        return !!compilerOptions.allowImportingTsExtensions || fromFileName && isDeclarationFileName(fromFileName);
      }
      function loadModuleFromGlobalCache(moduleName, projectName, compilerOptions, host, globalCache, packageJsonInfoCache) {
        const traceEnabled = isTraceEnabled(compilerOptions, host);
        if (traceEnabled) {
          trace(host, Diagnostics.Auto_discovery_for_typings_is_enabled_in_project_0_Running_extra_resolution_pass_for_module_1_using_cache_location_2, projectName, moduleName, globalCache);
        }
        const failedLookupLocations = [];
        const affectingLocations = [];
        const diagnostics = [];
        const state = {
          compilerOptions,
          host,
          traceEnabled,
          failedLookupLocations,
          affectingLocations,
          packageJsonInfoCache,
          features: 0,
          conditions: [],
          requestContainingDirectory: void 0,
          reportDiagnostic: (diag2) => void diagnostics.push(diag2),
          isConfigLookup: false,
          candidateIsFromPackageJsonField: false,
          resolvedPackageDirectory: false
        };
        const resolved = loadModuleFromImmediateNodeModulesDirectory(
          4,
          moduleName,
          globalCache,
          state,
          /*typesScopeOnly*/
          false,
          /*cache*/
          void 0,
          /*redirectedReference*/
          void 0
        );
        return createResolvedModuleWithFailedLookupLocations(
          resolved,
          /*isExternalLibraryImport*/
          true,
          failedLookupLocations,
          affectingLocations,
          diagnostics,
          state.resultFromCache,
          /*cache*/
          void 0
        );
      }
      function toSearchResult(value) {
        return value !== void 0 ? { value } : void 0;
      }
      function traceIfEnabled(state, diagnostic, ...args) {
        if (state.traceEnabled) {
          trace(state.host, diagnostic, ...args);
        }
      }
      function useCaseSensitiveFileNames(state) {
        return !state.host.useCaseSensitiveFileNames ? true : typeof state.host.useCaseSensitiveFileNames === "boolean" ? state.host.useCaseSensitiveFileNames : state.host.useCaseSensitiveFileNames();
      }
      var ModuleInstanceState = /* @__PURE__ */ ((ModuleInstanceState2) => {
        ModuleInstanceState2[ModuleInstanceState2["NonInstantiated"] = 0] = "NonInstantiated";
        ModuleInstanceState2[ModuleInstanceState2["Instantiated"] = 1] = "Instantiated";
        ModuleInstanceState2[ModuleInstanceState2["ConstEnumOnly"] = 2] = "ConstEnumOnly";
        return ModuleInstanceState2;
      })(ModuleInstanceState || {});
      function getModuleInstanceState(node, visited) {
        if (node.body && !node.body.parent) {
          setParent(node.body, node);
          setParentRecursive(
            node.body,
            /*incremental*/
            false
          );
        }
        return node.body ? getModuleInstanceStateCached(node.body, visited) : 1;
      }
      function getModuleInstanceStateCached(node, visited = /* @__PURE__ */ new Map()) {
        const nodeId = getNodeId(node);
        if (visited.has(nodeId)) {
          return visited.get(nodeId) || 0;
        }
        visited.set(nodeId, void 0);
        const result = getModuleInstanceStateWorker(node, visited);
        visited.set(nodeId, result);
        return result;
      }
      function getModuleInstanceStateWorker(node, visited) {
        switch (node.kind) {
          case 264:
          case 265:
            return 0;
          case 266:
            if (isEnumConst(node)) {
              return 2;
            }
            break;
          case 272:
          case 271:
            if (!hasSyntacticModifier(
              node,
              32
              /* Export */
            )) {
              return 0;
            }
            break;
          case 278:
            const exportDeclaration = node;
            if (!exportDeclaration.moduleSpecifier && exportDeclaration.exportClause && exportDeclaration.exportClause.kind === 279) {
              let state = 0;
              for (const specifier of exportDeclaration.exportClause.elements) {
                const specifierState = getModuleInstanceStateForAliasTarget(specifier, visited);
                if (specifierState > state) {
                  state = specifierState;
                }
                if (state === 1) {
                  return state;
                }
              }
              return state;
            }
            break;
          case 268: {
            let state = 0;
            forEachChild(node, (n) => {
              const childState = getModuleInstanceStateCached(n, visited);
              switch (childState) {
                case 0:
                  return;
                case 2:
                  state = 2;
                  return;
                case 1:
                  state = 1;
                  return true;
                default:
                  Debug.assertNever(childState);
              }
            });
            return state;
          }
          case 267:
            return getModuleInstanceState(node, visited);
          case 80:
            if (node.flags & 4096) {
              return 0;
            }
        }
        return 1;
      }
      function getModuleInstanceStateForAliasTarget(specifier, visited) {
        const name = specifier.propertyName || specifier.name;
        let p = specifier.parent;
        while (p) {
          if (isBlock(p) || isModuleBlock(p) || isSourceFile(p)) {
            const statements = p.statements;
            let found;
            for (const statement of statements) {
              if (nodeHasName(statement, name)) {
                if (!statement.parent) {
                  setParent(statement, p);
                  setParentRecursive(
                    statement,
                    /*incremental*/
                    false
                  );
                }
                const state = getModuleInstanceStateCached(statement, visited);
                if (found === void 0 || state > found) {
                  found = state;
                }
                if (found === 1) {
                  return found;
                }
                if (statement.kind === 271) {
                  found = 1;
                }
              }
            }
            if (found !== void 0) {
              return found;
            }
          }
          p = p.parent;
        }
        return 1;
      }
      var ContainerFlags = /* @__PURE__ */ ((ContainerFlags2) => {
        ContainerFlags2[ContainerFlags2["None"] = 0] = "None";
        ContainerFlags2[ContainerFlags2["IsContainer"] = 1] = "IsContainer";
        ContainerFlags2[ContainerFlags2["IsBlockScopedContainer"] = 2] = "IsBlockScopedContainer";
        ContainerFlags2[ContainerFlags2["IsControlFlowContainer"] = 4] = "IsControlFlowContainer";
        ContainerFlags2[ContainerFlags2["IsFunctionLike"] = 8] = "IsFunctionLike";
        ContainerFlags2[ContainerFlags2["IsFunctionExpression"] = 16] = "IsFunctionExpression";
        ContainerFlags2[ContainerFlags2["HasLocals"] = 32] = "HasLocals";
        ContainerFlags2[ContainerFlags2["IsInterface"] = 64] = "IsInterface";
        ContainerFlags2[ContainerFlags2["IsObjectLiteralOrClassExpressionMethodOrAccessor"] = 128] = "IsObjectLiteralOrClassExpressionMethodOrAccessor";
        return ContainerFlags2;
      })(ContainerFlags || {});
      function createFlowNode(flags, node, antecedent) {
        return Debug.attachFlowNodeDebugInfo({ flags, id: 0, node, antecedent });
      }
      var binder = /* @__PURE__ */ createBinder();
      function bindSourceFile(file, options) {
        var _a, _b;
        mark("beforeBind");
        (_a = perfLogger) == null ? void 0 : _a.logStartBindFile("" + file.fileName);
        binder(file, options);
        (_b = perfLogger) == null ? void 0 : _b.logStopBindFile();
        mark("afterBind");
        measure("Bind", "beforeBind", "afterBind");
      }
      function createBinder() {
        var file;
        var options;
        var languageVersion;
        var parent2;
        var container;
        var thisParentContainer;
        var blockScopeContainer;
        var lastContainer;
        var delayedTypeAliases;
        var seenThisKeyword;
        var jsDocImports;
        var currentFlow;
        var currentBreakTarget;
        var currentContinueTarget;
        var currentReturnTarget;
        var currentTrueTarget;
        var currentFalseTarget;
        var currentExceptionTarget;
        var preSwitchCaseFlow;
        var activeLabelList;
        var hasExplicitReturn;
        var hasFlowEffects;
        var emitFlags;
        var inStrictMode;
        var inAssignmentPattern = false;
        var symbolCount = 0;
        var Symbol47;
        var classifiableNames;
        var unreachableFlow = createFlowNode(
          1,
          /*node*/
          void 0,
          /*antecedent*/
          void 0
        );
        var reportedUnreachableFlow = createFlowNode(
          1,
          /*node*/
          void 0,
          /*antecedent*/
          void 0
        );
        var bindBinaryExpressionFlow = createBindBinaryExpressionFlow();
        return bindSourceFile2;
        function createDiagnosticForNode2(node, message, ...args) {
          return createDiagnosticForNodeInSourceFile(getSourceFileOfNode(node) || file, node, message, ...args);
        }
        function bindSourceFile2(f, opts) {
          var _a, _b;
          file = f;
          options = opts;
          languageVersion = getEmitScriptTarget(options);
          inStrictMode = bindInStrictMode(file, opts);
          classifiableNames = /* @__PURE__ */ new Set();
          symbolCount = 0;
          Symbol47 = objectAllocator.getSymbolConstructor();
          Debug.attachFlowNodeDebugInfo(unreachableFlow);
          Debug.attachFlowNodeDebugInfo(reportedUnreachableFlow);
          if (!file.locals) {
            (_a = tracing) == null ? void 0 : _a.push(
              tracing.Phase.Bind,
              "bindSourceFile",
              { path: file.path },
              /*separateBeginAndEnd*/
              true
            );
            bind(file);
            (_b = tracing) == null ? void 0 : _b.pop();
            file.symbolCount = symbolCount;
            file.classifiableNames = classifiableNames;
            delayedBindJSDocTypedefTag();
            bindJSDocImports();
          }
          file = void 0;
          options = void 0;
          languageVersion = void 0;
          parent2 = void 0;
          container = void 0;
          thisParentContainer = void 0;
          blockScopeContainer = void 0;
          lastContainer = void 0;
          delayedTypeAliases = void 0;
          jsDocImports = void 0;
          seenThisKeyword = false;
          currentFlow = void 0;
          currentBreakTarget = void 0;
          currentContinueTarget = void 0;
          currentReturnTarget = void 0;
          currentTrueTarget = void 0;
          currentFalseTarget = void 0;
          currentExceptionTarget = void 0;
          activeLabelList = void 0;
          hasExplicitReturn = false;
          hasFlowEffects = false;
          inAssignmentPattern = false;
          emitFlags = 0;
        }
        function bindInStrictMode(file2, opts) {
          if (getStrictOptionValue(opts, "alwaysStrict") && !file2.isDeclarationFile) {
            return true;
          } else {
            return !!file2.externalModuleIndicator;
          }
        }
        function createSymbol(flags, name) {
          symbolCount++;
          return new Symbol47(flags, name);
        }
        function addDeclarationToSymbol(symbol, node, symbolFlags) {
          symbol.flags |= symbolFlags;
          node.symbol = symbol;
          symbol.declarations = appendIfUnique(symbol.declarations, node);
          if (symbolFlags & (32 | 384 | 1536 | 3) && !symbol.exports) {
            symbol.exports = createSymbolTable();
          }
          if (symbolFlags & (32 | 64 | 2048 | 4096) && !symbol.members) {
            symbol.members = createSymbolTable();
          }
          if (symbol.constEnumOnlyModule && symbol.flags & (16 | 32 | 256)) {
            symbol.constEnumOnlyModule = false;
          }
          if (symbolFlags & 111551) {
            setValueDeclaration(symbol, node);
          }
        }
        function getDeclarationName(node) {
          if (node.kind === 277) {
            return node.isExportEquals ? "export=" : "default";
          }
          const name = getNameOfDeclaration(node);
          if (name) {
            if (isAmbientModule(node)) {
              const moduleName = getTextOfIdentifierOrLiteral(name);
              return isGlobalScopeAugmentation(node) ? "__global" : `"${moduleName}"`;
            }
            if (name.kind === 167) {
              const nameExpression = name.expression;
              if (isStringOrNumericLiteralLike(nameExpression)) {
                return escapeLeadingUnderscores(nameExpression.text);
              }
              if (isSignedNumericLiteral(nameExpression)) {
                return tokenToString(nameExpression.operator) + nameExpression.operand.text;
              } else {
                Debug.fail("Only computed properties with literal names have declaration names");
              }
            }
            if (isPrivateIdentifier(name)) {
              const containingClass = getContainingClass(node);
              if (!containingClass) {
                return void 0;
              }
              const containingClassSymbol = containingClass.symbol;
              return getSymbolNameForPrivateIdentifier(containingClassSymbol, name.escapedText);
            }
            if (isJsxNamespacedName(name)) {
              return getEscapedTextOfJsxNamespacedName(name);
            }
            return isPropertyNameLiteral(name) ? getEscapedTextOfIdentifierOrLiteral(name) : void 0;
          }
          switch (node.kind) {
            case 176:
              return "__constructor";
            case 184:
            case 179:
            case 323:
              return "__call";
            case 185:
            case 180:
              return "__new";
            case 181:
              return "__index";
            case 278:
              return "__export";
            case 307:
              return "export=";
            case 226:
              if (getAssignmentDeclarationKind(node) === 2) {
                return "export=";
              }
              Debug.fail("Unknown binary declaration kind");
              break;
            case 317:
              return isJSDocConstructSignature(node) ? "__new" : "__call";
            case 169:
              Debug.assert(node.parent.kind === 317, "Impossible parameter parent kind", () => `parent is: ${Debug.formatSyntaxKind(node.parent.kind)}, expected JSDocFunctionType`);
              const functionType2 = node.parent;
              const index = functionType2.parameters.indexOf(node);
              return "arg" + index;
          }
        }
        function getDisplayName(node) {
          return isNamedDeclaration(node) ? declarationNameToString(node.name) : unescapeLeadingUnderscores(Debug.checkDefined(getDeclarationName(node)));
        }
        function declareSymbol(symbolTable, parent3, node, includes, excludes, isReplaceableByMethod, isComputedName) {
          Debug.assert(isComputedName || !hasDynamicName(node));
          const isDefaultExport = hasSyntacticModifier(
            node,
            2048
            /* Default */
          ) || isExportSpecifier(node) && node.name.escapedText === "default";
          const name = isComputedName ? "__computed" : isDefaultExport && parent3 ? "default" : getDeclarationName(node);
          let symbol;
          if (name === void 0) {
            symbol = createSymbol(
              0,
              "__missing"
              /* Missing */
            );
          } else {
            symbol = symbolTable.get(name);
            if (includes & 2885600) {
              classifiableNames.add(name);
            }
            if (!symbol) {
              symbolTable.set(name, symbol = createSymbol(0, name));
              if (isReplaceableByMethod) symbol.isReplaceableByMethod = true;
            } else if (isReplaceableByMethod && !symbol.isReplaceableByMethod) {
              return symbol;
            } else if (symbol.flags & excludes) {
              if (symbol.isReplaceableByMethod) {
                symbolTable.set(name, symbol = createSymbol(0, name));
              } else if (!(includes & 3 && symbol.flags & 67108864)) {
                if (isNamedDeclaration(node)) {
                  setParent(node.name, node);
                }
                let message = symbol.flags & 2 ? Diagnostics.Cannot_redeclare_block_scoped_variable_0 : Diagnostics.Duplicate_identifier_0;
                let messageNeedsName = true;
                if (symbol.flags & 384 || includes & 384) {
                  message = Diagnostics.Enum_declarations_can_only_merge_with_namespace_or_other_enum_declarations;
                  messageNeedsName = false;
                }
                let multipleDefaultExports = false;
                if (length(symbol.declarations)) {
                  if (isDefaultExport) {
                    message = Diagnostics.A_module_cannot_have_multiple_default_exports;
                    messageNeedsName = false;
                    multipleDefaultExports = true;
                  } else {
                    if (symbol.declarations && symbol.declarations.length && (node.kind === 277 && !node.isExportEquals)) {
                      message = Diagnostics.A_module_cannot_have_multiple_default_exports;
                      messageNeedsName = false;
                      multipleDefaultExports = true;
                    }
                  }
                }
                const relatedInformation = [];
                if (isTypeAliasDeclaration(node) && nodeIsMissing(node.type) && hasSyntacticModifier(
                  node,
                  32
                  /* Export */
                ) && symbol.flags & (2097152 | 788968 | 1920)) {
                  relatedInformation.push(createDiagnosticForNode2(node, Diagnostics.Did_you_mean_0, `export type { ${unescapeLeadingUnderscores(node.name.escapedText)} }`));
                }
                const declarationName = getNameOfDeclaration(node) || node;
                forEach(symbol.declarations, (declaration, index) => {
                  const decl = getNameOfDeclaration(declaration) || declaration;
                  const diag3 = messageNeedsName ? createDiagnosticForNode2(decl, message, getDisplayName(declaration)) : createDiagnosticForNode2(decl, message);
                  file.bindDiagnostics.push(
                    multipleDefaultExports ? addRelatedInfo(diag3, createDiagnosticForNode2(declarationName, index === 0 ? Diagnostics.Another_export_default_is_here : Diagnostics.and_here)) : diag3
                  );
                  if (multipleDefaultExports) {
                    relatedInformation.push(createDiagnosticForNode2(decl, Diagnostics.The_first_export_default_is_here));
                  }
                });
                const diag2 = messageNeedsName ? createDiagnosticForNode2(declarationName, message, getDisplayName(node)) : createDiagnosticForNode2(declarationName, message);
                file.bindDiagnostics.push(addRelatedInfo(diag2, ...relatedInformation));
                symbol = createSymbol(0, name);
              }
            }
          }
          addDeclarationToSymbol(symbol, node, includes);
          if (symbol.parent) {
            Debug.assert(symbol.parent === parent3, "Existing symbol parent should match new one");
          } else {
            symbol.parent = parent3;
          }
          return symbol;
        }
        function declareModuleMember(node, symbolFlags, symbolExcludes) {
          const hasExportModifier = !!(getCombinedModifierFlags(node) & 32) || jsdocTreatAsExported(node);
          if (symbolFlags & 2097152) {
            if (node.kind === 281 || node.kind === 271 && hasExportModifier) {
              return declareSymbol(container.symbol.exports, container.symbol, node, symbolFlags, symbolExcludes);
            } else {
              Debug.assertNode(container, canHaveLocals);
              return declareSymbol(
                container.locals,
                /*parent*/
                void 0,
                node,
                symbolFlags,
                symbolExcludes
              );
            }
          } else {
            if (isJSDocTypeAlias(node)) Debug.assert(isInJSFile(node));
            if (!isAmbientModule(node) && (hasExportModifier || container.flags & 128)) {
              if (!canHaveLocals(container) || !container.locals || hasSyntacticModifier(
                node,
                2048
                /* Default */
              ) && !getDeclarationName(node)) {
                return declareSymbol(container.symbol.exports, container.symbol, node, symbolFlags, symbolExcludes);
              }
              const exportKind = symbolFlags & 111551 ? 1048576 : 0;
              const local = declareSymbol(
                container.locals,
                /*parent*/
                void 0,
                node,
                exportKind,
                symbolExcludes
              );
              local.exportSymbol = declareSymbol(container.symbol.exports, container.symbol, node, symbolFlags, symbolExcludes);
              node.localSymbol = local;
              return local;
            } else {
              Debug.assertNode(container, canHaveLocals);
              return declareSymbol(
                container.locals,
                /*parent*/
                void 0,
                node,
                symbolFlags,
                symbolExcludes
              );
            }
          }
        }
        function jsdocTreatAsExported(node) {
          if (node.parent && isModuleDeclaration(node)) {
            node = node.parent;
          }
          if (!isJSDocTypeAlias(node)) return false;
          if (!isJSDocEnumTag(node) && !!node.fullName) return true;
          const declName = getNameOfDeclaration(node);
          if (!declName) return false;
          if (isPropertyAccessEntityNameExpression(declName.parent) && isTopLevelNamespaceAssignment(declName.parent)) return true;
          if (isDeclaration(declName.parent) && getCombinedModifierFlags(declName.parent) & 32) return true;
          return false;
        }
        function bindContainer(node, containerFlags) {
          const saveContainer = container;
          const saveThisParentContainer = thisParentContainer;
          const savedBlockScopeContainer = blockScopeContainer;
          if (containerFlags & 1) {
            if (node.kind !== 219) {
              thisParentContainer = container;
            }
            container = blockScopeContainer = node;
            if (containerFlags & 32) {
              container.locals = createSymbolTable();
              addToContainerChain(container);
            }
          } else if (containerFlags & 2) {
            blockScopeContainer = node;
            if (containerFlags & 32) {
              blockScopeContainer.locals = void 0;
            }
          }
          if (containerFlags & 4) {
            const saveCurrentFlow = currentFlow;
            const saveBreakTarget = currentBreakTarget;
            const saveContinueTarget = currentContinueTarget;
            const saveReturnTarget = currentReturnTarget;
            const saveExceptionTarget = currentExceptionTarget;
            const saveActiveLabelList = activeLabelList;
            const saveHasExplicitReturn = hasExplicitReturn;
            const isImmediatelyInvoked = containerFlags & 16 && !hasSyntacticModifier(
              node,
              1024
              /* Async */
            ) && !node.asteriskToken && !!getImmediatelyInvokedFunctionExpression(node) || node.kind === 175;
            if (!isImmediatelyInvoked) {
              currentFlow = createFlowNode(
                2,
                /*node*/
                void 0,
                /*antecedent*/
                void 0
              );
              if (containerFlags & (16 | 128)) {
                currentFlow.node = node;
              }
            }
            currentReturnTarget = isImmediatelyInvoked || node.kind === 176 || isInJSFile(node) && (node.kind === 262 || node.kind === 218) ? createBranchLabel() : void 0;
            currentExceptionTarget = void 0;
            currentBreakTarget = void 0;
            currentContinueTarget = void 0;
            activeLabelList = void 0;
            hasExplicitReturn = false;
            bindChildren(node);
            node.flags &= ~5632;
            if (!(currentFlow.flags & 1) && containerFlags & 8 && nodeIsPresent(node.body)) {
              node.flags |= 512;
              if (hasExplicitReturn) node.flags |= 1024;
              node.endFlowNode = currentFlow;
            }
            if (node.kind === 307) {
              node.flags |= emitFlags;
              node.endFlowNode = currentFlow;
            }
            if (currentReturnTarget) {
              addAntecedent(currentReturnTarget, currentFlow);
              currentFlow = finishFlowLabel(currentReturnTarget);
              if (node.kind === 176 || node.kind === 175 || isInJSFile(node) && (node.kind === 262 || node.kind === 218)) {
                node.returnFlowNode = currentFlow;
              }
            }
            if (!isImmediatelyInvoked) {
              currentFlow = saveCurrentFlow;
            }
            currentBreakTarget = saveBreakTarget;
            currentContinueTarget = saveContinueTarget;
            currentReturnTarget = saveReturnTarget;
            currentExceptionTarget = saveExceptionTarget;
            activeLabelList = saveActiveLabelList;
            hasExplicitReturn = saveHasExplicitReturn;
          } else if (containerFlags & 64) {
            seenThisKeyword = false;
            bindChildren(node);
            Debug.assertNotNode(node, isIdentifier);
            node.flags = seenThisKeyword ? node.flags | 256 : node.flags & ~256;
          } else {
            bindChildren(node);
          }
          container = saveContainer;
          thisParentContainer = saveThisParentContainer;
          blockScopeContainer = savedBlockScopeContainer;
        }
        function bindEachFunctionsFirst(nodes) {
          bindEach(nodes, (n) => n.kind === 262 ? bind(n) : void 0);
          bindEach(nodes, (n) => n.kind !== 262 ? bind(n) : void 0);
        }
        function bindEach(nodes, bindFunction = bind) {
          if (nodes === void 0) {
            return;
          }
          forEach(nodes, bindFunction);
        }
        function bindEachChild(node) {
          forEachChild(node, bind, bindEach);
        }
        function bindChildren(node) {
          const saveInAssignmentPattern = inAssignmentPattern;
          inAssignmentPattern = false;
          if (checkUnreachable(node)) {
            bindEachChild(node);
            bindJSDoc(node);
            inAssignmentPattern = saveInAssignmentPattern;
            return;
          }
          if (node.kind >= 243 && node.kind <= 259 && (!options.allowUnreachableCode || node.kind === 253)) {
            node.flowNode = currentFlow;
          }
          switch (node.kind) {
            case 247:
              bindWhileStatement(node);
              break;
            case 246:
              bindDoStatement(node);
              break;
            case 248:
              bindForStatement(node);
              break;
            case 249:
            case 250:
              bindForInOrForOfStatement(node);
              break;
            case 245:
              bindIfStatement(node);
              break;
            case 253:
            case 257:
              bindReturnOrThrow(node);
              break;
            case 252:
            case 251:
              bindBreakOrContinueStatement(node);
              break;
            case 258:
              bindTryStatement(node);
              break;
            case 255:
              bindSwitchStatement(node);
              break;
            case 269:
              bindCaseBlock(node);
              break;
            case 296:
              bindCaseClause(node);
              break;
            case 244:
              bindExpressionStatement(node);
              break;
            case 256:
              bindLabeledStatement(node);
              break;
            case 224:
              bindPrefixUnaryExpressionFlow(node);
              break;
            case 225:
              bindPostfixUnaryExpressionFlow(node);
              break;
            case 226:
              if (isDestructuringAssignment(node)) {
                inAssignmentPattern = saveInAssignmentPattern;
                bindDestructuringAssignmentFlow(node);
                return;
              }
              bindBinaryExpressionFlow(node);
              break;
            case 220:
              bindDeleteExpressionFlow(node);
              break;
            case 227:
              bindConditionalExpressionFlow(node);
              break;
            case 260:
              bindVariableDeclarationFlow(node);
              break;
            case 211:
            case 212:
              bindAccessExpressionFlow(node);
              break;
            case 213:
              bindCallExpressionFlow(node);
              break;
            case 235:
              bindNonNullExpressionFlow(node);
              break;
            case 346:
            case 338:
            case 340:
              bindJSDocTypeAlias(node);
              break;
            case 351:
              bindJSDocImportTag(node);
              break;
            case 307: {
              bindEachFunctionsFirst(node.statements);
              bind(node.endOfFileToken);
              break;
            }
            case 241:
            case 268:
              bindEachFunctionsFirst(node.statements);
              break;
            case 208:
              bindBindingElementFlow(node);
              break;
            case 169:
              bindParameterFlow(node);
              break;
            case 210:
            case 209:
            case 303:
            case 230:
              inAssignmentPattern = saveInAssignmentPattern;
            default:
              bindEachChild(node);
              break;
          }
          bindJSDoc(node);
          inAssignmentPattern = saveInAssignmentPattern;
        }
        function isNarrowingExpression(expr) {
          switch (expr.kind) {
            case 80:
            case 110:
              return true;
            case 211:
            case 212:
              return containsNarrowableReference(expr);
            case 213:
              return hasNarrowableArgument(expr);
            case 217:
              if (isJSDocTypeAssertion(expr)) {
                return false;
              }
            case 235:
              return isNarrowingExpression(expr.expression);
            case 226:
              return isNarrowingBinaryExpression(expr);
            case 224:
              return expr.operator === 54 && isNarrowingExpression(expr.operand);
            case 221:
              return isNarrowingExpression(expr.expression);
          }
          return false;
        }
        function isNarrowableReference(expr) {
          switch (expr.kind) {
            case 80:
            case 110:
            case 108:
            case 236:
              return true;
            case 211:
            case 217:
            case 235:
              return isNarrowableReference(expr.expression);
            case 212:
              return (isStringOrNumericLiteralLike(expr.argumentExpression) || isEntityNameExpression(expr.argumentExpression)) && isNarrowableReference(expr.expression);
            case 226:
              return expr.operatorToken.kind === 28 && isNarrowableReference(expr.right) || isAssignmentOperator(expr.operatorToken.kind) && isLeftHandSideExpression(expr.left);
          }
          return false;
        }
        function containsNarrowableReference(expr) {
          return isNarrowableReference(expr) || isOptionalChain(expr) && containsNarrowableReference(expr.expression);
        }
        function hasNarrowableArgument(expr) {
          if (expr.arguments) {
            for (const argument of expr.arguments) {
              if (containsNarrowableReference(argument)) {
                return true;
              }
            }
          }
          if (expr.expression.kind === 211 && containsNarrowableReference(expr.expression.expression)) {
            return true;
          }
          return false;
        }
        function isNarrowingTypeofOperands(expr1, expr2) {
          return isTypeOfExpression(expr1) && isNarrowableOperand(expr1.expression) && isStringLiteralLike(expr2);
        }
        function isNarrowingBinaryExpression(expr) {
          switch (expr.operatorToken.kind) {
            case 64:
            case 76:
            case 77:
            case 78:
              return containsNarrowableReference(expr.left);
            case 35:
            case 36:
            case 37:
            case 38:
              return isNarrowableOperand(expr.left) || isNarrowableOperand(expr.right) || isNarrowingTypeofOperands(expr.right, expr.left) || isNarrowingTypeofOperands(expr.left, expr.right) || (isBooleanLiteral(expr.right) && isNarrowingExpression(expr.left) || isBooleanLiteral(expr.left) && isNarrowingExpression(expr.right));
            case 104:
              return isNarrowableOperand(expr.left);
            case 103:
              return isNarrowingExpression(expr.right);
            case 28:
              return isNarrowingExpression(expr.right);
          }
          return false;
        }
        function isNarrowableOperand(expr) {
          switch (expr.kind) {
            case 217:
              return isNarrowableOperand(expr.expression);
            case 226:
              switch (expr.operatorToken.kind) {
                case 64:
                  return isNarrowableOperand(expr.left);
                case 28:
                  return isNarrowableOperand(expr.right);
              }
          }
          return containsNarrowableReference(expr);
        }
        function createBranchLabel() {
          return createFlowNode(
            4,
            /*node*/
            void 0,
            /*antecedent*/
            void 0
          );
        }
        function createLoopLabel() {
          return createFlowNode(
            8,
            /*node*/
            void 0,
            /*antecedent*/
            void 0
          );
        }
        function createReduceLabel(target, antecedents, antecedent) {
          return createFlowNode(1024, { target, antecedents }, antecedent);
        }
        function setFlowNodeReferenced(flow) {
          flow.flags |= flow.flags & 2048 ? 4096 : 2048;
        }
        function addAntecedent(label, antecedent) {
          if (!(antecedent.flags & 1) && !contains(label.antecedent, antecedent)) {
            (label.antecedent || (label.antecedent = [])).push(antecedent);
            setFlowNodeReferenced(antecedent);
          }
        }
        function createFlowCondition(flags, antecedent, expression) {
          if (antecedent.flags & 1) {
            return antecedent;
          }
          if (!expression) {
            return flags & 32 ? antecedent : unreachableFlow;
          }
          if ((expression.kind === 112 && flags & 64 || expression.kind === 97 && flags & 32) && !isExpressionOfOptionalChainRoot(expression) && !isNullishCoalesce(expression.parent)) {
            return unreachableFlow;
          }
          if (!isNarrowingExpression(expression)) {
            return antecedent;
          }
          setFlowNodeReferenced(antecedent);
          return createFlowNode(flags, expression, antecedent);
        }
        function createFlowSwitchClause(antecedent, switchStatement, clauseStart, clauseEnd) {
          setFlowNodeReferenced(antecedent);
          return createFlowNode(128, { switchStatement, clauseStart, clauseEnd }, antecedent);
        }
        function createFlowMutation(flags, antecedent, node) {
          setFlowNodeReferenced(antecedent);
          hasFlowEffects = true;
          const result = createFlowNode(flags, node, antecedent);
          if (currentExceptionTarget) {
            addAntecedent(currentExceptionTarget, result);
          }
          return result;
        }
        function createFlowCall(antecedent, node) {
          setFlowNodeReferenced(antecedent);
          hasFlowEffects = true;
          return createFlowNode(512, node, antecedent);
        }
        function finishFlowLabel(flow) {
          const antecedents = flow.antecedent;
          if (!antecedents) {
            return unreachableFlow;
          }
          if (antecedents.length === 1) {
            return antecedents[0];
          }
          return flow;
        }
        function isStatementCondition(node) {
          const parent3 = node.parent;
          switch (parent3.kind) {
            case 245:
            case 247:
            case 246:
              return parent3.expression === node;
            case 248:
            case 227:
              return parent3.condition === node;
          }
          return false;
        }
        function isLogicalExpression2(node) {
          while (true) {
            if (node.kind === 217) {
              node = node.expression;
            } else if (node.kind === 224 && node.operator === 54) {
              node = node.operand;
            } else {
              return isLogicalOrCoalescingBinaryExpression(node);
            }
          }
        }
        function isLogicalAssignmentExpression(node) {
          return isLogicalOrCoalescingAssignmentExpression(skipParentheses(node));
        }
        function isTopLevelLogicalExpression(node) {
          while (isParenthesizedExpression(node.parent) || isPrefixUnaryExpression(node.parent) && node.parent.operator === 54) {
            node = node.parent;
          }
          return !isStatementCondition(node) && !isLogicalExpression2(node.parent) && !(isOptionalChain(node.parent) && node.parent.expression === node);
        }
        function doWithConditionalBranches(action, value, trueTarget, falseTarget) {
          const savedTrueTarget = currentTrueTarget;
          const savedFalseTarget = currentFalseTarget;
          currentTrueTarget = trueTarget;
          currentFalseTarget = falseTarget;
          action(value);
          currentTrueTarget = savedTrueTarget;
          currentFalseTarget = savedFalseTarget;
        }
        function bindCondition(node, trueTarget, falseTarget) {
          doWithConditionalBranches(bind, node, trueTarget, falseTarget);
          if (!node || !isLogicalAssignmentExpression(node) && !isLogicalExpression2(node) && !(isOptionalChain(node) && isOutermostOptionalChain(node))) {
            addAntecedent(trueTarget, createFlowCondition(32, currentFlow, node));
            addAntecedent(falseTarget, createFlowCondition(64, currentFlow, node));
          }
        }
        function bindIterativeStatement(node, breakTarget, continueTarget) {
          const saveBreakTarget = currentBreakTarget;
          const saveContinueTarget = currentContinueTarget;
          currentBreakTarget = breakTarget;
          currentContinueTarget = continueTarget;
          bind(node);
          currentBreakTarget = saveBreakTarget;
          currentContinueTarget = saveContinueTarget;
        }
        function setContinueTarget(node, target) {
          let label = activeLabelList;
          while (label && node.parent.kind === 256) {
            label.continueTarget = target;
            label = label.next;
            node = node.parent;
          }
          return target;
        }
        function bindWhileStatement(node) {
          const preWhileLabel = setContinueTarget(node, createLoopLabel());
          const preBodyLabel = createBranchLabel();
          const postWhileLabel = createBranchLabel();
          addAntecedent(preWhileLabel, currentFlow);
          currentFlow = preWhileLabel;
          bindCondition(node.expression, preBodyLabel, postWhileLabel);
          currentFlow = finishFlowLabel(preBodyLabel);
          bindIterativeStatement(node.statement, postWhileLabel, preWhileLabel);
          addAntecedent(preWhileLabel, currentFlow);
          currentFlow = finishFlowLabel(postWhileLabel);
        }
        function bindDoStatement(node) {
          const preDoLabel = createLoopLabel();
          const preConditionLabel = setContinueTarget(node, createBranchLabel());
          const postDoLabel = createBranchLabel();
          addAntecedent(preDoLabel, currentFlow);
          currentFlow = preDoLabel;
          bindIterativeStatement(node.statement, postDoLabel, preConditionLabel);
          addAntecedent(preConditionLabel, currentFlow);
          currentFlow = finishFlowLabel(preConditionLabel);
          bindCondition(node.expression, preDoLabel, postDoLabel);
          currentFlow = finishFlowLabel(postDoLabel);
        }
        function bindForStatement(node) {
          const preLoopLabel = setContinueTarget(node, createLoopLabel());
          const preBodyLabel = createBranchLabel();
          const postLoopLabel = createBranchLabel();
          bind(node.initializer);
          addAntecedent(preLoopLabel, currentFlow);
          currentFlow = preLoopLabel;
          bindCondition(node.condition, preBodyLabel, postLoopLabel);
          currentFlow = finishFlowLabel(preBodyLabel);
          bindIterativeStatement(node.statement, postLoopLabel, preLoopLabel);
          bind(node.incrementor);
          addAntecedent(preLoopLabel, currentFlow);
          currentFlow = finishFlowLabel(postLoopLabel);
        }
        function bindForInOrForOfStatement(node) {
          const preLoopLabel = setContinueTarget(node, createLoopLabel());
          const postLoopLabel = createBranchLabel();
          bind(node.expression);
          addAntecedent(preLoopLabel, currentFlow);
          currentFlow = preLoopLabel;
          if (node.kind === 250) {
            bind(node.awaitModifier);
          }
          addAntecedent(postLoopLabel, currentFlow);
          bind(node.initializer);
          if (node.initializer.kind !== 261) {
            bindAssignmentTargetFlow(node.initializer);
          }
          bindIterativeStatement(node.statement, postLoopLabel, preLoopLabel);
          addAntecedent(preLoopLabel, currentFlow);
          currentFlow = finishFlowLabel(postLoopLabel);
        }
        function bindIfStatement(node) {
          const thenLabel = createBranchLabel();
          const elseLabel = createBranchLabel();
          const postIfLabel = createBranchLabel();
          bindCondition(node.expression, thenLabel, elseLabel);
          currentFlow = finishFlowLabel(thenLabel);
          bind(node.thenStatement);
          addAntecedent(postIfLabel, currentFlow);
          currentFlow = finishFlowLabel(elseLabel);
          bind(node.elseStatement);
          addAntecedent(postIfLabel, currentFlow);
          currentFlow = finishFlowLabel(postIfLabel);
        }
        function bindReturnOrThrow(node) {
          bind(node.expression);
          if (node.kind === 253) {
            hasExplicitReturn = true;
            if (currentReturnTarget) {
              addAntecedent(currentReturnTarget, currentFlow);
            }
          }
          currentFlow = unreachableFlow;
          hasFlowEffects = true;
        }
        function findActiveLabel(name) {
          for (let label = activeLabelList; label; label = label.next) {
            if (label.name === name) {
              return label;
            }
          }
          return void 0;
        }
        function bindBreakOrContinueFlow(node, breakTarget, continueTarget) {
          const flowLabel = node.kind === 252 ? breakTarget : continueTarget;
          if (flowLabel) {
            addAntecedent(flowLabel, currentFlow);
            currentFlow = unreachableFlow;
            hasFlowEffects = true;
          }
        }
        function bindBreakOrContinueStatement(node) {
          bind(node.label);
          if (node.label) {
            const activeLabel = findActiveLabel(node.label.escapedText);
            if (activeLabel) {
              activeLabel.referenced = true;
              bindBreakOrContinueFlow(node, activeLabel.breakTarget, activeLabel.continueTarget);
            }
          } else {
            bindBreakOrContinueFlow(node, currentBreakTarget, currentContinueTarget);
          }
        }
        function bindTryStatement(node) {
          const saveReturnTarget = currentReturnTarget;
          const saveExceptionTarget = currentExceptionTarget;
          const normalExitLabel = createBranchLabel();
          const returnLabel = createBranchLabel();
          let exceptionLabel = createBranchLabel();
          if (node.finallyBlock) {
            currentReturnTarget = returnLabel;
          }
          addAntecedent(exceptionLabel, currentFlow);
          currentExceptionTarget = exceptionLabel;
          bind(node.tryBlock);
          addAntecedent(normalExitLabel, currentFlow);
          if (node.catchClause) {
            currentFlow = finishFlowLabel(exceptionLabel);
            exceptionLabel = createBranchLabel();
            addAntecedent(exceptionLabel, currentFlow);
            currentExceptionTarget = exceptionLabel;
            bind(node.catchClause);
            addAntecedent(normalExitLabel, currentFlow);
          }
          currentReturnTarget = saveReturnTarget;
          currentExceptionTarget = saveExceptionTarget;
          if (node.finallyBlock) {
            const finallyLabel = createBranchLabel();
            finallyLabel.antecedent = concatenate(concatenate(normalExitLabel.antecedent, exceptionLabel.antecedent), returnLabel.antecedent);
            currentFlow = finallyLabel;
            bind(node.finallyBlock);
            if (currentFlow.flags & 1) {
              currentFlow = unreachableFlow;
            } else {
              if (currentReturnTarget && returnLabel.antecedent) {
                addAntecedent(currentReturnTarget, createReduceLabel(finallyLabel, returnLabel.antecedent, currentFlow));
              }
              if (currentExceptionTarget && exceptionLabel.antecedent) {
                addAntecedent(currentExceptionTarget, createReduceLabel(finallyLabel, exceptionLabel.antecedent, currentFlow));
              }
              currentFlow = normalExitLabel.antecedent ? createReduceLabel(finallyLabel, normalExitLabel.antecedent, currentFlow) : unreachableFlow;
            }
          } else {
            currentFlow = finishFlowLabel(normalExitLabel);
          }
        }
        function bindSwitchStatement(node) {
          const postSwitchLabel = createBranchLabel();
          bind(node.expression);
          const saveBreakTarget = currentBreakTarget;
          const savePreSwitchCaseFlow = preSwitchCaseFlow;
          currentBreakTarget = postSwitchLabel;
          preSwitchCaseFlow = currentFlow;
          bind(node.caseBlock);
          addAntecedent(postSwitchLabel, currentFlow);
          const hasDefault = forEach(
            node.caseBlock.clauses,
            (c) => c.kind === 297
            /* DefaultClause */
          );
          node.possiblyExhaustive = !hasDefault && !postSwitchLabel.antecedent;
          if (!hasDefault) {
            addAntecedent(postSwitchLabel, createFlowSwitchClause(preSwitchCaseFlow, node, 0, 0));
          }
          currentBreakTarget = saveBreakTarget;
          preSwitchCaseFlow = savePreSwitchCaseFlow;
          currentFlow = finishFlowLabel(postSwitchLabel);
        }
        function bindCaseBlock(node) {
          const clauses = node.clauses;
          const isNarrowingSwitch = node.parent.expression.kind === 112 || isNarrowingExpression(node.parent.expression);
          let fallthroughFlow = unreachableFlow;
          for (let i = 0; i < clauses.length; i++) {
            const clauseStart = i;
            while (!clauses[i].statements.length && i + 1 < clauses.length) {
              if (fallthroughFlow === unreachableFlow) {
                currentFlow = preSwitchCaseFlow;
              }
              bind(clauses[i]);
              i++;
            }
            const preCaseLabel = createBranchLabel();
            addAntecedent(preCaseLabel, isNarrowingSwitch ? createFlowSwitchClause(preSwitchCaseFlow, node.parent, clauseStart, i + 1) : preSwitchCaseFlow);
            addAntecedent(preCaseLabel, fallthroughFlow);
            currentFlow = finishFlowLabel(preCaseLabel);
            const clause = clauses[i];
            bind(clause);
            fallthroughFlow = currentFlow;
            if (!(currentFlow.flags & 1) && i !== clauses.length - 1 && options.noFallthroughCasesInSwitch) {
              clause.fallthroughFlowNode = currentFlow;
            }
          }
        }
        function bindCaseClause(node) {
          const saveCurrentFlow = currentFlow;
          currentFlow = preSwitchCaseFlow;
          bind(node.expression);
          currentFlow = saveCurrentFlow;
          bindEach(node.statements);
        }
        function bindExpressionStatement(node) {
          bind(node.expression);
          maybeBindExpressionFlowIfCall(node.expression);
        }
        function maybeBindExpressionFlowIfCall(node) {
          if (node.kind === 213) {
            const call = node;
            if (call.expression.kind !== 108 && isDottedName(call.expression)) {
              currentFlow = createFlowCall(currentFlow, call);
            }
          }
        }
        function bindLabeledStatement(node) {
          const postStatementLabel = createBranchLabel();
          activeLabelList = {
            next: activeLabelList,
            name: node.label.escapedText,
            breakTarget: postStatementLabel,
            continueTarget: void 0,
            referenced: false
          };
          bind(node.label);
          bind(node.statement);
          if (!activeLabelList.referenced && !options.allowUnusedLabels) {
            errorOrSuggestionOnNode(unusedLabelIsError(options), node.label, Diagnostics.Unused_label);
          }
          activeLabelList = activeLabelList.next;
          addAntecedent(postStatementLabel, currentFlow);
          currentFlow = finishFlowLabel(postStatementLabel);
        }
        function bindDestructuringTargetFlow(node) {
          if (node.kind === 226 && node.operatorToken.kind === 64) {
            bindAssignmentTargetFlow(node.left);
          } else {
            bindAssignmentTargetFlow(node);
          }
        }
        function bindAssignmentTargetFlow(node) {
          if (isNarrowableReference(node)) {
            currentFlow = createFlowMutation(16, currentFlow, node);
          } else if (node.kind === 209) {
            for (const e of node.elements) {
              if (e.kind === 230) {
                bindAssignmentTargetFlow(e.expression);
              } else {
                bindDestructuringTargetFlow(e);
              }
            }
          } else if (node.kind === 210) {
            for (const p of node.properties) {
              if (p.kind === 303) {
                bindDestructuringTargetFlow(p.initializer);
              } else if (p.kind === 304) {
                bindAssignmentTargetFlow(p.name);
              } else if (p.kind === 305) {
                bindAssignmentTargetFlow(p.expression);
              }
            }
          }
        }
        function bindLogicalLikeExpression(node, trueTarget, falseTarget) {
          const preRightLabel = createBranchLabel();
          if (node.operatorToken.kind === 56 || node.operatorToken.kind === 77) {
            bindCondition(node.left, preRightLabel, falseTarget);
          } else {
            bindCondition(node.left, trueTarget, preRightLabel);
          }
          currentFlow = finishFlowLabel(preRightLabel);
          bind(node.operatorToken);
          if (isLogicalOrCoalescingAssignmentOperator(node.operatorToken.kind)) {
            doWithConditionalBranches(bind, node.right, trueTarget, falseTarget);
            bindAssignmentTargetFlow(node.left);
            addAntecedent(trueTarget, createFlowCondition(32, currentFlow, node));
            addAntecedent(falseTarget, createFlowCondition(64, currentFlow, node));
          } else {
            bindCondition(node.right, trueTarget, falseTarget);
          }
        }
        function bindPrefixUnaryExpressionFlow(node) {
          if (node.operator === 54) {
            const saveTrueTarget = currentTrueTarget;
            currentTrueTarget = currentFalseTarget;
            currentFalseTarget = saveTrueTarget;
            bindEachChild(node);
            currentFalseTarget = currentTrueTarget;
            currentTrueTarget = saveTrueTarget;
          } else {
            bindEachChild(node);
            if (node.operator === 46 || node.operator === 47) {
              bindAssignmentTargetFlow(node.operand);
            }
          }
        }
        function bindPostfixUnaryExpressionFlow(node) {
          bindEachChild(node);
          if (node.operator === 46 || node.operator === 47) {
            bindAssignmentTargetFlow(node.operand);
          }
        }
        function bindDestructuringAssignmentFlow(node) {
          if (inAssignmentPattern) {
            inAssignmentPattern = false;
            bind(node.operatorToken);
            bind(node.right);
            inAssignmentPattern = true;
            bind(node.left);
          } else {
            inAssignmentPattern = true;
            bind(node.left);
            inAssignmentPattern = false;
            bind(node.operatorToken);
            bind(node.right);
          }
          bindAssignmentTargetFlow(node.left);
        }
        function createBindBinaryExpressionFlow() {
          return createBinaryExpressionTrampoline(
            onEnter,
            onLeft,
            onOperator,
            onRight,
            onExit,
            /*foldState*/
            void 0
          );
          function onEnter(node, state) {
            if (state) {
              state.stackIndex++;
              setParent(node, parent2);
              const saveInStrictMode = inStrictMode;
              bindWorker(node);
              const saveParent = parent2;
              parent2 = node;
              state.skip = false;
              state.inStrictModeStack[state.stackIndex] = saveInStrictMode;
              state.parentStack[state.stackIndex] = saveParent;
            } else {
              state = {
                stackIndex: 0,
                skip: false,
                inStrictModeStack: [void 0],
                parentStack: [void 0]
              };
            }
            const operator = node.operatorToken.kind;
            if (isLogicalOrCoalescingBinaryOperator(operator) || isLogicalOrCoalescingAssignmentOperator(operator)) {
              if (isTopLevelLogicalExpression(node)) {
                const postExpressionLabel = createBranchLabel();
                const saveCurrentFlow = currentFlow;
                const saveHasFlowEffects = hasFlowEffects;
                hasFlowEffects = false;
                bindLogicalLikeExpression(node, postExpressionLabel, postExpressionLabel);
                currentFlow = hasFlowEffects ? finishFlowLabel(postExpressionLabel) : saveCurrentFlow;
                hasFlowEffects || (hasFlowEffects = saveHasFlowEffects);
              } else {
                bindLogicalLikeExpression(node, currentTrueTarget, currentFalseTarget);
              }
              state.skip = true;
            }
            return state;
          }
          function onLeft(left, state, node) {
            if (!state.skip) {
              const maybeBound = maybeBind2(left);
              if (node.operatorToken.kind === 28) {
                maybeBindExpressionFlowIfCall(left);
              }
              return maybeBound;
            }
          }
          function onOperator(operatorToken, state, _node) {
            if (!state.skip) {
              bind(operatorToken);
            }
          }
          function onRight(right, state, node) {
            if (!state.skip) {
              const maybeBound = maybeBind2(right);
              if (node.operatorToken.kind === 28) {
                maybeBindExpressionFlowIfCall(right);
              }
              return maybeBound;
            }
          }
          function onExit(node, state) {
            if (!state.skip) {
              const operator = node.operatorToken.kind;
              if (isAssignmentOperator(operator) && !isAssignmentTarget(node)) {
                bindAssignmentTargetFlow(node.left);
                if (operator === 64 && node.left.kind === 212) {
                  const elementAccess = node.left;
                  if (isNarrowableOperand(elementAccess.expression)) {
                    currentFlow = createFlowMutation(256, currentFlow, node);
                  }
                }
              }
            }
            const savedInStrictMode = state.inStrictModeStack[state.stackIndex];
            const savedParent = state.parentStack[state.stackIndex];
            if (savedInStrictMode !== void 0) {
              inStrictMode = savedInStrictMode;
            }
            if (savedParent !== void 0) {
              parent2 = savedParent;
            }
            state.skip = false;
            state.stackIndex--;
          }
          function maybeBind2(node) {
            if (node && isBinaryExpression(node) && !isDestructuringAssignment(node)) {
              return node;
            }
            bind(node);
          }
        }
        function bindDeleteExpressionFlow(node) {
          bindEachChild(node);
          if (node.expression.kind === 211) {
            bindAssignmentTargetFlow(node.expression);
          }
        }
        function bindConditionalExpressionFlow(node) {
          const trueLabel = createBranchLabel();
          const falseLabel = createBranchLabel();
          const postExpressionLabel = createBranchLabel();
          const saveCurrentFlow = currentFlow;
          const saveHasFlowEffects = hasFlowEffects;
          hasFlowEffects = false;
          bindCondition(node.condition, trueLabel, falseLabel);
          currentFlow = finishFlowLabel(trueLabel);
          bind(node.questionToken);
          bind(node.whenTrue);
          addAntecedent(postExpressionLabel, currentFlow);
          currentFlow = finishFlowLabel(falseLabel);
          bind(node.colonToken);
          bind(node.whenFalse);
          addAntecedent(postExpressionLabel, currentFlow);
          currentFlow = hasFlowEffects ? finishFlowLabel(postExpressionLabel) : saveCurrentFlow;
          hasFlowEffects || (hasFlowEffects = saveHasFlowEffects);
        }
        function bindInitializedVariableFlow(node) {
          const name = !isOmittedExpression(node) ? node.name : void 0;
          if (isBindingPattern(name)) {
            for (const child of name.elements) {
              bindInitializedVariableFlow(child);
            }
          } else {
            currentFlow = createFlowMutation(16, currentFlow, node);
          }
        }
        function bindVariableDeclarationFlow(node) {
          bindEachChild(node);
          if (node.initializer || isForInOrOfStatement(node.parent.parent)) {
            bindInitializedVariableFlow(node);
          }
        }
        function bindBindingElementFlow(node) {
          bind(node.dotDotDotToken);
          bind(node.propertyName);
          bindInitializer(node.initializer);
          bind(node.name);
        }
        function bindParameterFlow(node) {
          bindEach(node.modifiers);
          bind(node.dotDotDotToken);
          bind(node.questionToken);
          bind(node.type);
          bindInitializer(node.initializer);
          bind(node.name);
        }
        function bindInitializer(node) {
          if (!node) {
            return;
          }
          const entryFlow = currentFlow;
          bind(node);
          if (entryFlow === unreachableFlow || entryFlow === currentFlow) {
            return;
          }
          const exitFlow = createBranchLabel();
          addAntecedent(exitFlow, entryFlow);
          addAntecedent(exitFlow, currentFlow);
          currentFlow = finishFlowLabel(exitFlow);
        }
        function bindJSDocTypeAlias(node) {
          bind(node.tagName);
          if (node.kind !== 340 && node.fullName) {
            setParent(node.fullName, node);
            setParentRecursive(
              node.fullName,
              /*incremental*/
              false
            );
          }
          if (typeof node.comment !== "string") {
            bindEach(node.comment);
          }
        }
        function bindJSDocClassTag(node) {
          bindEachChild(node);
          const host = getHostSignatureFromJSDoc(node);
          if (host && host.kind !== 174) {
            addDeclarationToSymbol(
              host.symbol,
              host,
              32
              /* Class */
            );
          }
        }
        function bindJSDocImportTag(node) {
          bind(node.tagName);
          if (typeof node.comment !== "string") {
            bindEach(node.comment);
          }
        }
        function bindOptionalExpression(node, trueTarget, falseTarget) {
          doWithConditionalBranches(bind, node, trueTarget, falseTarget);
          if (!isOptionalChain(node) || isOutermostOptionalChain(node)) {
            addAntecedent(trueTarget, createFlowCondition(32, currentFlow, node));
            addAntecedent(falseTarget, createFlowCondition(64, currentFlow, node));
          }
        }
        function bindOptionalChainRest(node) {
          switch (node.kind) {
            case 211:
              bind(node.questionDotToken);
              bind(node.name);
              break;
            case 212:
              bind(node.questionDotToken);
              bind(node.argumentExpression);
              break;
            case 213:
              bind(node.questionDotToken);
              bindEach(node.typeArguments);
              bindEach(node.arguments);
              break;
          }
        }
        function bindOptionalChain(node, trueTarget, falseTarget) {
          const preChainLabel = isOptionalChainRoot(node) ? createBranchLabel() : void 0;
          bindOptionalExpression(node.expression, preChainLabel || trueTarget, falseTarget);
          if (preChainLabel) {
            currentFlow = finishFlowLabel(preChainLabel);
          }
          doWithConditionalBranches(bindOptionalChainRest, node, trueTarget, falseTarget);
          if (isOutermostOptionalChain(node)) {
            addAntecedent(trueTarget, createFlowCondition(32, currentFlow, node));
            addAntecedent(falseTarget, createFlowCondition(64, currentFlow, node));
          }
        }
        function bindOptionalChainFlow(node) {
          if (isTopLevelLogicalExpression(node)) {
            const postExpressionLabel = createBranchLabel();
            const saveCurrentFlow = currentFlow;
            const saveHasFlowEffects = hasFlowEffects;
            bindOptionalChain(node, postExpressionLabel, postExpressionLabel);
            currentFlow = hasFlowEffects ? finishFlowLabel(postExpressionLabel) : saveCurrentFlow;
            hasFlowEffects || (hasFlowEffects = saveHasFlowEffects);
          } else {
            bindOptionalChain(node, currentTrueTarget, currentFalseTarget);
          }
        }
        function bindNonNullExpressionFlow(node) {
          if (isOptionalChain(node)) {
            bindOptionalChainFlow(node);
          } else {
            bindEachChild(node);
          }
        }
        function bindAccessExpressionFlow(node) {
          if (isOptionalChain(node)) {
            bindOptionalChainFlow(node);
          } else {
            bindEachChild(node);
          }
        }
        function bindCallExpressionFlow(node) {
          if (isOptionalChain(node)) {
            bindOptionalChainFlow(node);
          } else {
            const expr = skipParentheses(node.expression);
            if (expr.kind === 218 || expr.kind === 219) {
              bindEach(node.typeArguments);
              bindEach(node.arguments);
              bind(node.expression);
            } else {
              bindEachChild(node);
              if (node.expression.kind === 108) {
                currentFlow = createFlowCall(currentFlow, node);
              }
            }
          }
          if (node.expression.kind === 211) {
            const propertyAccess = node.expression;
            if (isIdentifier(propertyAccess.name) && isNarrowableOperand(propertyAccess.expression) && isPushOrUnshiftIdentifier(propertyAccess.name)) {
              currentFlow = createFlowMutation(256, currentFlow, node);
            }
          }
        }
        function addToContainerChain(next) {
          if (lastContainer) {
            lastContainer.nextContainer = next;
          }
          lastContainer = next;
        }
        function declareSymbolAndAddToSymbolTable(node, symbolFlags, symbolExcludes) {
          switch (container.kind) {
            case 267:
              return declareModuleMember(node, symbolFlags, symbolExcludes);
            case 307:
              return declareSourceFileMember(node, symbolFlags, symbolExcludes);
            case 231:
            case 263:
              return declareClassMember(node, symbolFlags, symbolExcludes);
            case 266:
              return declareSymbol(container.symbol.exports, container.symbol, node, symbolFlags, symbolExcludes);
            case 187:
            case 322:
            case 210:
            case 264:
            case 292:
              return declareSymbol(container.symbol.members, container.symbol, node, symbolFlags, symbolExcludes);
            case 184:
            case 185:
            case 179:
            case 180:
            case 323:
            case 181:
            case 174:
            case 173:
            case 176:
            case 177:
            case 178:
            case 262:
            case 218:
            case 219:
            case 317:
            case 175:
            case 265:
            case 200:
              if (container.locals) Debug.assertNode(container, canHaveLocals);
              return declareSymbol(
                container.locals,
                /*parent*/
                void 0,
                node,
                symbolFlags,
                symbolExcludes
              );
          }
        }
        function declareClassMember(node, symbolFlags, symbolExcludes) {
          return isStatic(node) ? declareSymbol(container.symbol.exports, container.symbol, node, symbolFlags, symbolExcludes) : declareSymbol(container.symbol.members, container.symbol, node, symbolFlags, symbolExcludes);
        }
        function declareSourceFileMember(node, symbolFlags, symbolExcludes) {
          return isExternalModule(file) ? declareModuleMember(node, symbolFlags, symbolExcludes) : declareSymbol(
            file.locals,
            /*parent*/
            void 0,
            node,
            symbolFlags,
            symbolExcludes
          );
        }
        function hasExportDeclarations(node) {
          const body = isSourceFile(node) ? node : tryCast(node.body, isModuleBlock);
          return !!body && body.statements.some((s) => isExportDeclaration(s) || isExportAssignment(s));
        }
        function setExportContextFlag(node) {
          if (node.flags & 33554432 && !hasExportDeclarations(node)) {
            node.flags |= 128;
          } else {
            node.flags &= ~128;
          }
        }
        function bindModuleDeclaration(node) {
          setExportContextFlag(node);
          if (isAmbientModule(node)) {
            if (hasSyntacticModifier(
              node,
              32
              /* Export */
            )) {
              errorOnFirstToken(node, Diagnostics.export_modifier_cannot_be_applied_to_ambient_modules_and_module_augmentations_since_they_are_always_visible);
            }
            if (isModuleAugmentationExternal(node)) {
              declareModuleSymbol(node);
            } else {
              let pattern;
              if (node.name.kind === 11) {
                const { text } = node.name;
                pattern = tryParsePattern(text);
                if (pattern === void 0) {
                  errorOnFirstToken(node.name, Diagnostics.Pattern_0_can_have_at_most_one_Asterisk_character, text);
                }
              }
              const symbol = declareSymbolAndAddToSymbolTable(
                node,
                512,
                110735
                /* ValueModuleExcludes */
              );
              file.patternAmbientModules = append(file.patternAmbientModules, pattern && !isString2(pattern) ? { pattern, symbol } : void 0);
            }
          } else {
            const state = declareModuleSymbol(node);
            if (state !== 0) {
              const { symbol } = node;
              symbol.constEnumOnlyModule = !(symbol.flags & (16 | 32 | 256)) && state === 2 && symbol.constEnumOnlyModule !== false;
            }
          }
        }
        function declareModuleSymbol(node) {
          const state = getModuleInstanceState(node);
          const instantiated = state !== 0;
          declareSymbolAndAddToSymbolTable(
            node,
            instantiated ? 512 : 1024,
            instantiated ? 110735 : 0
            /* NamespaceModuleExcludes */
          );
          return state;
        }
        function bindFunctionOrConstructorType(node) {
          const symbol = createSymbol(131072, getDeclarationName(node));
          addDeclarationToSymbol(
            symbol,
            node,
            131072
            /* Signature */
          );
          const typeLiteralSymbol = createSymbol(
            2048,
            "__type"
            /* Type */
          );
          addDeclarationToSymbol(
            typeLiteralSymbol,
            node,
            2048
            /* TypeLiteral */
          );
          typeLiteralSymbol.members = createSymbolTable();
          typeLiteralSymbol.members.set(symbol.escapedName, symbol);
        }
        function bindObjectLiteralExpression(node) {
          return bindAnonymousDeclaration(
            node,
            4096,
            "__object"
            /* Object */
          );
        }
        function bindJsxAttributes(node) {
          return bindAnonymousDeclaration(
            node,
            4096,
            "__jsxAttributes"
            /* JSXAttributes */
          );
        }
        function bindJsxAttribute(node, symbolFlags, symbolExcludes) {
          return declareSymbolAndAddToSymbolTable(node, symbolFlags, symbolExcludes);
        }
        function bindAnonymousDeclaration(node, symbolFlags, name) {
          const symbol = createSymbol(symbolFlags, name);
          if (symbolFlags & (8 | 106500)) {
            symbol.parent = container.symbol;
          }
          addDeclarationToSymbol(symbol, node, symbolFlags);
          return symbol;
        }
        function bindBlockScopedDeclaration(node, symbolFlags, symbolExcludes) {
          switch (blockScopeContainer.kind) {
            case 267:
              declareModuleMember(node, symbolFlags, symbolExcludes);
              break;
            case 307:
              if (isExternalOrCommonJsModule(container)) {
                declareModuleMember(node, symbolFlags, symbolExcludes);
                break;
              }
            default:
              Debug.assertNode(blockScopeContainer, canHaveLocals);
              if (!blockScopeContainer.locals) {
                blockScopeContainer.locals = createSymbolTable();
                addToContainerChain(blockScopeContainer);
              }
              declareSymbol(
                blockScopeContainer.locals,
                /*parent*/
                void 0,
                node,
                symbolFlags,
                symbolExcludes
              );
          }
        }
        function delayedBindJSDocTypedefTag() {
          if (!delayedTypeAliases) {
            return;
          }
          const saveContainer = container;
          const saveLastContainer = lastContainer;
          const saveBlockScopeContainer = blockScopeContainer;
          const saveParent = parent2;
          const saveCurrentFlow = currentFlow;
          for (const typeAlias of delayedTypeAliases) {
            const host = typeAlias.parent.parent;
            container = getEnclosingContainer(host) || file;
            blockScopeContainer = getEnclosingBlockScopeContainer(host) || file;
            currentFlow = createFlowNode(
              2,
              /*node*/
              void 0,
              /*antecedent*/
              void 0
            );
            parent2 = typeAlias;
            bind(typeAlias.typeExpression);
            const declName = getNameOfDeclaration(typeAlias);
            if ((isJSDocEnumTag(typeAlias) || !typeAlias.fullName) && declName && isPropertyAccessEntityNameExpression(declName.parent)) {
              const isTopLevel = isTopLevelNamespaceAssignment(declName.parent);
              if (isTopLevel) {
                bindPotentiallyMissingNamespaces(
                  file.symbol,
                  declName.parent,
                  isTopLevel,
                  !!findAncestor(declName, (d) => isPropertyAccessExpression(d) && d.name.escapedText === "prototype"),
                  /*containerIsClass*/
                  false
                );
                const oldContainer = container;
                switch (getAssignmentDeclarationPropertyAccessKind(declName.parent)) {
                  case 1:
                  case 2:
                    if (!isExternalOrCommonJsModule(file)) {
                      container = void 0;
                    } else {
                      container = file;
                    }
                    break;
                  case 4:
                    container = declName.parent.expression;
                    break;
                  case 3:
                    container = declName.parent.expression.name;
                    break;
                  case 5:
                    container = isExportsOrModuleExportsOrAlias(file, declName.parent.expression) ? file : isPropertyAccessExpression(declName.parent.expression) ? declName.parent.expression.name : declName.parent.expression;
                    break;
                  case 0:
                    return Debug.fail("Shouldn't have detected typedef or enum on non-assignment declaration");
                }
                if (container) {
                  declareModuleMember(
                    typeAlias,
                    524288,
                    788968
                    /* TypeAliasExcludes */
                  );
                }
                container = oldContainer;
              }
            } else if (isJSDocEnumTag(typeAlias) || !typeAlias.fullName || typeAlias.fullName.kind === 80) {
              parent2 = typeAlias.parent;
              bindBlockScopedDeclaration(
                typeAlias,
                524288,
                788968
                /* TypeAliasExcludes */
              );
            } else {
              bind(typeAlias.fullName);
            }
          }
          container = saveContainer;
          lastContainer = saveLastContainer;
          blockScopeContainer = saveBlockScopeContainer;
          parent2 = saveParent;
          currentFlow = saveCurrentFlow;
        }
        function bindJSDocImports() {
          if (jsDocImports === void 0) {
            return;
          }
          const saveContainer = container;
          const saveLastContainer = lastContainer;
          const saveBlockScopeContainer = blockScopeContainer;
          const saveParent = parent2;
          const saveCurrentFlow = currentFlow;
          for (const jsDocImportTag of jsDocImports) {
            const host = getJSDocHost(jsDocImportTag);
            const enclosingContainer = host ? getEnclosingContainer(host) : void 0;
            const enclosingBlockScopeContainer = host ? getEnclosingBlockScopeContainer(host) : void 0;
            container = enclosingContainer || file;
            blockScopeContainer = enclosingBlockScopeContainer || file;
            currentFlow = createFlowNode(
              2,
              /*node*/
              void 0,
              /*antecedent*/
              void 0
            );
            parent2 = jsDocImportTag;
            bind(jsDocImportTag.importClause);
          }
          container = saveContainer;
          lastContainer = saveLastContainer;
          blockScopeContainer = saveBlockScopeContainer;
          parent2 = saveParent;
          currentFlow = saveCurrentFlow;
        }
        function checkContextualIdentifier(node) {
          if (!file.parseDiagnostics.length && !(node.flags & 33554432) && !(node.flags & 16777216) && !isIdentifierName4(node)) {
            const originalKeywordKind = identifierToKeywordKind(node);
            if (originalKeywordKind === void 0) {
              return;
            }
            if (inStrictMode && originalKeywordKind >= 119 && originalKeywordKind <= 127) {
              file.bindDiagnostics.push(createDiagnosticForNode2(node, getStrictModeIdentifierMessage(node), declarationNameToString(node)));
            } else if (originalKeywordKind === 135) {
              if (isExternalModule(file) && isInTopLevelContext(node)) {
                file.bindDiagnostics.push(createDiagnosticForNode2(node, Diagnostics.Identifier_expected_0_is_a_reserved_word_at_the_top_level_of_a_module, declarationNameToString(node)));
              } else if (node.flags & 65536) {
                file.bindDiagnostics.push(createDiagnosticForNode2(node, Diagnostics.Identifier_expected_0_is_a_reserved_word_that_cannot_be_used_here, declarationNameToString(node)));
              }
            } else if (originalKeywordKind === 127 && node.flags & 16384) {
              file.bindDiagnostics.push(createDiagnosticForNode2(node, Diagnostics.Identifier_expected_0_is_a_reserved_word_that_cannot_be_used_here, declarationNameToString(node)));
            }
          }
        }
        function getStrictModeIdentifierMessage(node) {
          if (getContainingClass(node)) {
            return Diagnostics.Identifier_expected_0_is_a_reserved_word_in_strict_mode_Class_definitions_are_automatically_in_strict_mode;
          }
          if (file.externalModuleIndicator) {
            return Diagnostics.Identifier_expected_0_is_a_reserved_word_in_strict_mode_Modules_are_automatically_in_strict_mode;
          }
          return Diagnostics.Identifier_expected_0_is_a_reserved_word_in_strict_mode;
        }
        function checkPrivateIdentifier(node) {
          if (node.escapedText === "#constructor") {
            if (!file.parseDiagnostics.length) {
              file.bindDiagnostics.push(createDiagnosticForNode2(node, Diagnostics.constructor_is_a_reserved_word, declarationNameToString(node)));
            }
          }
        }
        function checkStrictModeBinaryExpression(node) {
          if (inStrictMode && isLeftHandSideExpression(node.left) && isAssignmentOperator(node.operatorToken.kind)) {
            checkStrictModeEvalOrArguments(node, node.left);
          }
        }
        function checkStrictModeCatchClause(node) {
          if (inStrictMode && node.variableDeclaration) {
            checkStrictModeEvalOrArguments(node, node.variableDeclaration.name);
          }
        }
        function checkStrictModeDeleteExpression(node) {
          if (inStrictMode && node.expression.kind === 80) {
            const span = getErrorSpanForNode(file, node.expression);
            file.bindDiagnostics.push(createFileDiagnostic(file, span.start, span.length, Diagnostics.delete_cannot_be_called_on_an_identifier_in_strict_mode));
          }
        }
        function isEvalOrArgumentsIdentifier(node) {
          return isIdentifier(node) && (node.escapedText === "eval" || node.escapedText === "arguments");
        }
        function checkStrictModeEvalOrArguments(contextNode, name) {
          if (name && name.kind === 80) {
            const identifier = name;
            if (isEvalOrArgumentsIdentifier(identifier)) {
              const span = getErrorSpanForNode(file, name);
              file.bindDiagnostics.push(createFileDiagnostic(file, span.start, span.length, getStrictModeEvalOrArgumentsMessage(contextNode), idText(identifier)));
            }
          }
        }
        function getStrictModeEvalOrArgumentsMessage(node) {
          if (getContainingClass(node)) {
            return Diagnostics.Code_contained_in_a_class_is_evaluated_in_JavaScript_s_strict_mode_which_does_not_allow_this_use_of_0_For_more_information_see_https_Colon_Slash_Slashdeveloper_mozilla_org_Slashen_US_Slashdocs_SlashWeb_SlashJavaScript_SlashReference_SlashStrict_mode;
          }
          if (file.externalModuleIndicator) {
            return Diagnostics.Invalid_use_of_0_Modules_are_automatically_in_strict_mode;
          }
          return Diagnostics.Invalid_use_of_0_in_strict_mode;
        }
        function checkStrictModeFunctionName(node) {
          if (inStrictMode && !(node.flags & 33554432)) {
            checkStrictModeEvalOrArguments(node, node.name);
          }
        }
        function getStrictModeBlockScopeFunctionDeclarationMessage(node) {
          if (getContainingClass(node)) {
            return Diagnostics.Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5_Class_definitions_are_automatically_in_strict_mode;
          }
          if (file.externalModuleIndicator) {
            return Diagnostics.Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5_Modules_are_automatically_in_strict_mode;
          }
          return Diagnostics.Function_declarations_are_not_allowed_inside_blocks_in_strict_mode_when_targeting_ES5;
        }
        function checkStrictModeFunctionDeclaration(node) {
          if (languageVersion < 2) {
            if (blockScopeContainer.kind !== 307 && blockScopeContainer.kind !== 267 && !isFunctionLikeOrClassStaticBlockDeclaration(blockScopeContainer)) {
              const errorSpan = getErrorSpanForNode(file, node);
              file.bindDiagnostics.push(createFileDiagnostic(file, errorSpan.start, errorSpan.length, getStrictModeBlockScopeFunctionDeclarationMessage(node)));
            }
          }
        }
        function checkStrictModePostfixUnaryExpression(node) {
          if (inStrictMode) {
            checkStrictModeEvalOrArguments(node, node.operand);
          }
        }
        function checkStrictModePrefixUnaryExpression(node) {
          if (inStrictMode) {
            if (node.operator === 46 || node.operator === 47) {
              checkStrictModeEvalOrArguments(node, node.operand);
            }
          }
        }
        function checkStrictModeWithStatement(node) {
          if (inStrictMode) {
            errorOnFirstToken(node, Diagnostics.with_statements_are_not_allowed_in_strict_mode);
          }
        }
        function checkStrictModeLabeledStatement(node) {
          if (inStrictMode && getEmitScriptTarget(options) >= 2) {
            if (isDeclarationStatement(node.statement) || isVariableStatement(node.statement)) {
              errorOnFirstToken(node.label, Diagnostics.A_label_is_not_allowed_here);
            }
          }
        }
        function errorOnFirstToken(node, message, ...args) {
          const span = getSpanOfTokenAtPosition(file, node.pos);
          file.bindDiagnostics.push(createFileDiagnostic(file, span.start, span.length, message, ...args));
        }
        function errorOrSuggestionOnNode(isError, node, message) {
          errorOrSuggestionOnRange(isError, node, node, message);
        }
        function errorOrSuggestionOnRange(isError, startNode2, endNode2, message) {
          addErrorOrSuggestionDiagnostic(isError, { pos: getTokenPosOfNode(startNode2, file), end: endNode2.end }, message);
        }
        function addErrorOrSuggestionDiagnostic(isError, range, message) {
          const diag2 = createFileDiagnostic(file, range.pos, range.end - range.pos, message);
          if (isError) {
            file.bindDiagnostics.push(diag2);
          } else {
            file.bindSuggestionDiagnostics = append(file.bindSuggestionDiagnostics, {
              ...diag2,
              category: 2
              /* Suggestion */
            });
          }
        }
        function bind(node) {
          if (!node) {
            return;
          }
          setParent(node, parent2);
          if (tracing) node.tracingPath = file.path;
          const saveInStrictMode = inStrictMode;
          bindWorker(node);
          if (node.kind > 165) {
            const saveParent = parent2;
            parent2 = node;
            const containerFlags = getContainerFlags(node);
            if (containerFlags === 0) {
              bindChildren(node);
            } else {
              bindContainer(node, containerFlags);
            }
            parent2 = saveParent;
          } else {
            const saveParent = parent2;
            if (node.kind === 1) parent2 = node;
            bindJSDoc(node);
            parent2 = saveParent;
          }
          inStrictMode = saveInStrictMode;
        }
        function bindJSDoc(node) {
          if (hasJSDocNodes(node)) {
            if (isInJSFile(node)) {
              for (const j of node.jsDoc) {
                bind(j);
              }
            } else {
              for (const j of node.jsDoc) {
                setParent(j, node);
                setParentRecursive(
                  j,
                  /*incremental*/
                  false
                );
              }
            }
          }
        }
        function updateStrictModeStatementList(statements) {
          if (!inStrictMode) {
            for (const statement of statements) {
              if (!isPrologueDirective(statement)) {
                return;
              }
              if (isUseStrictPrologueDirective(statement)) {
                inStrictMode = true;
                return;
              }
            }
          }
        }
        function isUseStrictPrologueDirective(node) {
          const nodeText2 = getSourceTextOfNodeFromSourceFile(file, node.expression);
          return nodeText2 === '"use strict"' || nodeText2 === "'use strict'";
        }
        function bindWorker(node) {
          switch (node.kind) {
            case 80:
              if (node.flags & 4096) {
                let parentNode = node.parent;
                while (parentNode && !isJSDocTypeAlias(parentNode)) {
                  parentNode = parentNode.parent;
                }
                bindBlockScopedDeclaration(
                  parentNode,
                  524288,
                  788968
                  /* TypeAliasExcludes */
                );
                break;
              }
            case 110:
              if (currentFlow && (isExpression(node) || parent2.kind === 304)) {
                node.flowNode = currentFlow;
              }
              return checkContextualIdentifier(node);
            case 166:
              if (currentFlow && isPartOfTypeQuery(node)) {
                node.flowNode = currentFlow;
              }
              break;
            case 236:
            case 108:
              node.flowNode = currentFlow;
              break;
            case 81:
              return checkPrivateIdentifier(node);
            case 211:
            case 212:
              const expr = node;
              if (currentFlow && isNarrowableReference(expr)) {
                expr.flowNode = currentFlow;
              }
              if (isSpecialPropertyDeclaration(expr)) {
                bindSpecialPropertyDeclaration(expr);
              }
              if (isInJSFile(expr) && file.commonJsModuleIndicator && isModuleExportsAccessExpression(expr) && !lookupSymbolForName(blockScopeContainer, "module")) {
                declareSymbol(
                  file.locals,
                  /*parent*/
                  void 0,
                  expr.expression,
                  1 | 134217728,
                  111550
                  /* FunctionScopedVariableExcludes */
                );
              }
              break;
            case 226:
              const specialKind = getAssignmentDeclarationKind(node);
              switch (specialKind) {
                case 1:
                  bindExportsPropertyAssignment(node);
                  break;
                case 2:
                  bindModuleExportsAssignment(node);
                  break;
                case 3:
                  bindPrototypePropertyAssignment(node.left, node);
                  break;
                case 6:
                  bindPrototypeAssignment(node);
                  break;
                case 4:
                  bindThisPropertyAssignment(node);
                  break;
                case 5:
                  const expression = node.left.expression;
                  if (isInJSFile(node) && isIdentifier(expression)) {
                    const symbol = lookupSymbolForName(blockScopeContainer, expression.escapedText);
                    if (isThisInitializedDeclaration(symbol == null ? void 0 : symbol.valueDeclaration)) {
                      bindThisPropertyAssignment(node);
                      break;
                    }
                  }
                  bindSpecialPropertyAssignment(node);
                  break;
                case 0:
                  break;
                default:
                  Debug.fail("Unknown binary expression special property assignment kind");
              }
              return checkStrictModeBinaryExpression(node);
            case 299:
              return checkStrictModeCatchClause(node);
            case 220:
              return checkStrictModeDeleteExpression(node);
            case 225:
              return checkStrictModePostfixUnaryExpression(node);
            case 224:
              return checkStrictModePrefixUnaryExpression(node);
            case 254:
              return checkStrictModeWithStatement(node);
            case 256:
              return checkStrictModeLabeledStatement(node);
            case 197:
              seenThisKeyword = true;
              return;
            case 182:
              break;
            case 168:
              return bindTypeParameter(node);
            case 169:
              return bindParameter(node);
            case 260:
              return bindVariableDeclarationOrBindingElement(node);
            case 208:
              node.flowNode = currentFlow;
              return bindVariableDeclarationOrBindingElement(node);
            case 172:
            case 171:
              return bindPropertyWorker(node);
            case 303:
            case 304:
              return bindPropertyOrMethodOrAccessor(
                node,
                4,
                0
                /* PropertyExcludes */
              );
            case 306:
              return bindPropertyOrMethodOrAccessor(
                node,
                8,
                900095
                /* EnumMemberExcludes */
              );
            case 179:
            case 180:
            case 181:
              return declareSymbolAndAddToSymbolTable(
                node,
                131072,
                0
                /* None */
              );
            case 174:
            case 173:
              return bindPropertyOrMethodOrAccessor(
                node,
                8192 | (node.questionToken ? 16777216 : 0),
                isObjectLiteralMethod(node) ? 0 : 103359
                /* MethodExcludes */
              );
            case 262:
              return bindFunctionDeclaration(node);
            case 176:
              return declareSymbolAndAddToSymbolTable(
                node,
                16384,
                /*symbolExcludes:*/
                0
                /* None */
              );
            case 177:
              return bindPropertyOrMethodOrAccessor(
                node,
                32768,
                46015
                /* GetAccessorExcludes */
              );
            case 178:
              return bindPropertyOrMethodOrAccessor(
                node,
                65536,
                78783
                /* SetAccessorExcludes */
              );
            case 184:
            case 317:
            case 323:
            case 185:
              return bindFunctionOrConstructorType(node);
            case 187:
            case 322:
            case 200:
              return bindAnonymousTypeWorker(node);
            case 332:
              return bindJSDocClassTag(node);
            case 210:
              return bindObjectLiteralExpression(node);
            case 218:
            case 219:
              return bindFunctionExpression(node);
            case 213:
              const assignmentKind = getAssignmentDeclarationKind(node);
              switch (assignmentKind) {
                case 7:
                  return bindObjectDefinePropertyAssignment(node);
                case 8:
                  return bindObjectDefinePropertyExport(node);
                case 9:
                  return bindObjectDefinePrototypeProperty(node);
                case 0:
                  break;
                default:
                  return Debug.fail("Unknown call expression assignment declaration kind");
              }
              if (isInJSFile(node)) {
                bindCallExpression(node);
              }
              break;
            case 231:
            case 263:
              inStrictMode = true;
              return bindClassLikeDeclaration(node);
            case 264:
              return bindBlockScopedDeclaration(
                node,
                64,
                788872
                /* InterfaceExcludes */
              );
            case 265:
              return bindBlockScopedDeclaration(
                node,
                524288,
                788968
                /* TypeAliasExcludes */
              );
            case 266:
              return bindEnumDeclaration(node);
            case 267:
              return bindModuleDeclaration(node);
            case 292:
              return bindJsxAttributes(node);
            case 291:
              return bindJsxAttribute(
                node,
                4,
                0
                /* PropertyExcludes */
              );
            case 271:
            case 274:
            case 276:
            case 281:
              return declareSymbolAndAddToSymbolTable(
                node,
                2097152,
                2097152
                /* AliasExcludes */
              );
            case 270:
              return bindNamespaceExportDeclaration(node);
            case 273:
              return bindImportClause(node);
            case 278:
              return bindExportDeclaration(node);
            case 277:
              return bindExportAssignment(node);
            case 307:
              updateStrictModeStatementList(node.statements);
              return bindSourceFileIfExternalModule();
            case 241:
              if (!isFunctionLikeOrClassStaticBlockDeclaration(node.parent)) {
                return;
              }
            case 268:
              return updateStrictModeStatementList(node.statements);
            case 341:
              if (node.parent.kind === 323) {
                return bindParameter(node);
              }
              if (node.parent.kind !== 322) {
                break;
              }
            case 348:
              const propTag = node;
              const flags = propTag.isBracketed || propTag.typeExpression && propTag.typeExpression.type.kind === 316 ? 4 | 16777216 : 4;
              return declareSymbolAndAddToSymbolTable(
                propTag,
                flags,
                0
                /* PropertyExcludes */
              );
            case 346:
            case 338:
            case 340:
              return (delayedTypeAliases || (delayedTypeAliases = [])).push(node);
            case 339:
              return bind(node.typeExpression);
            case 351:
              return (jsDocImports || (jsDocImports = [])).push(node);
          }
        }
        function bindPropertyWorker(node) {
          const isAutoAccessor = isAutoAccessorPropertyDeclaration(node);
          const includes = isAutoAccessor ? 98304 : 4;
          const excludes = isAutoAccessor ? 13247 : 0;
          return bindPropertyOrMethodOrAccessor(node, includes | (node.questionToken ? 16777216 : 0), excludes);
        }
        function bindAnonymousTypeWorker(node) {
          return bindAnonymousDeclaration(
            node,
            2048,
            "__type"
            /* Type */
          );
        }
        function bindSourceFileIfExternalModule() {
          setExportContextFlag(file);
          if (isExternalModule(file)) {
            bindSourceFileAsExternalModule();
          } else if (isJsonSourceFile(file)) {
            bindSourceFileAsExternalModule();
            const originalSymbol = file.symbol;
            declareSymbol(
              file.symbol.exports,
              file.symbol,
              file,
              4,
              -1
              /* All */
            );
            file.symbol = originalSymbol;
          }
        }
        function bindSourceFileAsExternalModule() {
          bindAnonymousDeclaration(file, 512, `"${removeFileExtension(file.fileName)}"`);
        }
        function bindExportAssignment(node) {
          if (!container.symbol || !container.symbol.exports) {
            bindAnonymousDeclaration(node, 111551, getDeclarationName(node));
          } else {
            const flags = exportAssignmentIsAlias(node) ? 2097152 : 4;
            const symbol = declareSymbol(
              container.symbol.exports,
              container.symbol,
              node,
              flags,
              -1
              /* All */
            );
            if (node.isExportEquals) {
              setValueDeclaration(symbol, node);
            }
          }
        }
        function bindNamespaceExportDeclaration(node) {
          if (some(node.modifiers)) {
            file.bindDiagnostics.push(createDiagnosticForNode2(node, Diagnostics.Modifiers_cannot_appear_here));
          }
          const diag2 = !isSourceFile(node.parent) ? Diagnostics.Global_module_exports_may_only_appear_at_top_level : !isExternalModule(node.parent) ? Diagnostics.Global_module_exports_may_only_appear_in_module_files : !node.parent.isDeclarationFile ? Diagnostics.Global_module_exports_may_only_appear_in_declaration_files : void 0;
          if (diag2) {
            file.bindDiagnostics.push(createDiagnosticForNode2(node, diag2));
          } else {
            file.symbol.globalExports = file.symbol.globalExports || createSymbolTable();
            declareSymbol(
              file.symbol.globalExports,
              file.symbol,
              node,
              2097152,
              2097152
              /* AliasExcludes */
            );
          }
        }
        function bindExportDeclaration(node) {
          if (!container.symbol || !container.symbol.exports) {
            bindAnonymousDeclaration(node, 8388608, getDeclarationName(node));
          } else if (!node.exportClause) {
            declareSymbol(
              container.symbol.exports,
              container.symbol,
              node,
              8388608,
              0
              /* None */
            );
          } else if (isNamespaceExport(node.exportClause)) {
            setParent(node.exportClause, node);
            declareSymbol(
              container.symbol.exports,
              container.symbol,
              node.exportClause,
              2097152,
              2097152
              /* AliasExcludes */
            );
          }
        }
        function bindImportClause(node) {
          if (node.name) {
            declareSymbolAndAddToSymbolTable(
              node,
              2097152,
              2097152
              /* AliasExcludes */
            );
          }
        }
        function setCommonJsModuleIndicator(node) {
          if (file.externalModuleIndicator && file.externalModuleIndicator !== true) {
            return false;
          }
          if (!file.commonJsModuleIndicator) {
            file.commonJsModuleIndicator = node;
            if (!file.externalModuleIndicator) {
              bindSourceFileAsExternalModule();
            }
          }
          return true;
        }
        function bindObjectDefinePropertyExport(node) {
          if (!setCommonJsModuleIndicator(node)) {
            return;
          }
          const symbol = forEachIdentifierInEntityName(
            node.arguments[0],
            /*parent*/
            void 0,
            (id, symbol2) => {
              if (symbol2) {
                addDeclarationToSymbol(
                  symbol2,
                  id,
                  1536 | 67108864
                  /* Assignment */
                );
              }
              return symbol2;
            }
          );
          if (symbol) {
            const flags = 4 | 1048576;
            declareSymbol(
              symbol.exports,
              symbol,
              node,
              flags,
              0
              /* None */
            );
          }
        }
        function bindExportsPropertyAssignment(node) {
          if (!setCommonJsModuleIndicator(node)) {
            return;
          }
          const symbol = forEachIdentifierInEntityName(
            node.left.expression,
            /*parent*/
            void 0,
            (id, symbol2) => {
              if (symbol2) {
                addDeclarationToSymbol(
                  symbol2,
                  id,
                  1536 | 67108864
                  /* Assignment */
                );
              }
              return symbol2;
            }
          );
          if (symbol) {
            const isAlias = isAliasableExpression(node.right) && (isExportsIdentifier(node.left.expression) || isModuleExportsAccessExpression(node.left.expression));
            const flags = isAlias ? 2097152 : 4 | 1048576;
            setParent(node.left, node);
            declareSymbol(
              symbol.exports,
              symbol,
              node.left,
              flags,
              0
              /* None */
            );
          }
        }
        function bindModuleExportsAssignment(node) {
          if (!setCommonJsModuleIndicator(node)) {
            return;
          }
          const assignedExpression = getRightMostAssignedExpression(node.right);
          if (isEmptyObjectLiteral(assignedExpression) || container === file && isExportsOrModuleExportsOrAlias(file, assignedExpression)) {
            return;
          }
          if (isObjectLiteralExpression(assignedExpression) && every(assignedExpression.properties, isShorthandPropertyAssignment)) {
            forEach(assignedExpression.properties, bindExportAssignedObjectMemberAlias);
            return;
          }
          const flags = exportAssignmentIsAlias(node) ? 2097152 : 4 | 1048576 | 512;
          const symbol = declareSymbol(
            file.symbol.exports,
            file.symbol,
            node,
            flags | 67108864,
            0
            /* None */
          );
          setValueDeclaration(symbol, node);
        }
        function bindExportAssignedObjectMemberAlias(node) {
          declareSymbol(
            file.symbol.exports,
            file.symbol,
            node,
            2097152 | 67108864,
            0
            /* None */
          );
        }
        function bindThisPropertyAssignment(node) {
          Debug.assert(isInJSFile(node));
          const hasPrivateIdentifier = isBinaryExpression(node) && isPropertyAccessExpression(node.left) && isPrivateIdentifier(node.left.name) || isPropertyAccessExpression(node) && isPrivateIdentifier(node.name);
          if (hasPrivateIdentifier) {
            return;
          }
          const thisContainer = getThisContainer(
            node,
            /*includeArrowFunctions*/
            false,
            /*includeClassComputedPropertyName*/
            false
          );
          switch (thisContainer.kind) {
            case 262:
            case 218:
              let constructorSymbol = thisContainer.symbol;
              if (isBinaryExpression(thisContainer.parent) && thisContainer.parent.operatorToken.kind === 64) {
                const l = thisContainer.parent.left;
                if (isBindableStaticAccessExpression(l) && isPrototypeAccess(l.expression)) {
                  constructorSymbol = lookupSymbolForPropertyAccess(l.expression.expression, thisParentContainer);
                }
              }
              if (constructorSymbol && constructorSymbol.valueDeclaration) {
                constructorSymbol.members = constructorSymbol.members || createSymbolTable();
                if (hasDynamicName(node)) {
                  bindDynamicallyNamedThisPropertyAssignment(node, constructorSymbol, constructorSymbol.members);
                } else {
                  declareSymbol(
                    constructorSymbol.members,
                    constructorSymbol,
                    node,
                    4 | 67108864,
                    0 & ~4
                    /* Property */
                  );
                }
                addDeclarationToSymbol(
                  constructorSymbol,
                  constructorSymbol.valueDeclaration,
                  32
                  /* Class */
                );
              }
              break;
            case 176:
            case 172:
            case 174:
            case 177:
            case 178:
            case 175:
              const containingClass = thisContainer.parent;
              const symbolTable = isStatic(thisContainer) ? containingClass.symbol.exports : containingClass.symbol.members;
              if (hasDynamicName(node)) {
                bindDynamicallyNamedThisPropertyAssignment(node, containingClass.symbol, symbolTable);
              } else {
                declareSymbol(
                  symbolTable,
                  containingClass.symbol,
                  node,
                  4 | 67108864,
                  0,
                  /*isReplaceableByMethod*/
                  true
                );
              }
              break;
            case 307:
              if (hasDynamicName(node)) {
                break;
              } else if (thisContainer.commonJsModuleIndicator) {
                declareSymbol(
                  thisContainer.symbol.exports,
                  thisContainer.symbol,
                  node,
                  4 | 1048576,
                  0
                  /* None */
                );
              } else {
                declareSymbolAndAddToSymbolTable(
                  node,
                  1,
                  111550
                  /* FunctionScopedVariableExcludes */
                );
              }
              break;
            case 267:
              break;
            default:
              Debug.failBadSyntaxKind(thisContainer);
          }
        }
        function bindDynamicallyNamedThisPropertyAssignment(node, symbol, symbolTable) {
          declareSymbol(
            symbolTable,
            symbol,
            node,
            4,
            0,
            /*isReplaceableByMethod*/
            true,
            /*isComputedName*/
            true
          );
          addLateBoundAssignmentDeclarationToSymbol(node, symbol);
        }
        function addLateBoundAssignmentDeclarationToSymbol(node, symbol) {
          if (symbol) {
            (symbol.assignmentDeclarationMembers || (symbol.assignmentDeclarationMembers = /* @__PURE__ */ new Map())).set(getNodeId(node), node);
          }
        }
        function bindSpecialPropertyDeclaration(node) {
          if (node.expression.kind === 110) {
            bindThisPropertyAssignment(node);
          } else if (isBindableStaticAccessExpression(node) && node.parent.parent.kind === 307) {
            if (isPrototypeAccess(node.expression)) {
              bindPrototypePropertyAssignment(node, node.parent);
            } else {
              bindStaticPropertyAssignment(node);
            }
          }
        }
        function bindPrototypeAssignment(node) {
          setParent(node.left, node);
          setParent(node.right, node);
          bindPropertyAssignment(
            node.left.expression,
            node.left,
            /*isPrototypeProperty*/
            false,
            /*containerIsClass*/
            true
          );
        }
        function bindObjectDefinePrototypeProperty(node) {
          const namespaceSymbol = lookupSymbolForPropertyAccess(node.arguments[0].expression);
          if (namespaceSymbol && namespaceSymbol.valueDeclaration) {
            addDeclarationToSymbol(
              namespaceSymbol,
              namespaceSymbol.valueDeclaration,
              32
              /* Class */
            );
          }
          bindPotentiallyNewExpandoMemberToNamespace(
            node,
            namespaceSymbol,
            /*isPrototypeProperty*/
            true
          );
        }
        function bindPrototypePropertyAssignment(lhs, parent3) {
          const classPrototype = lhs.expression;
          const constructorFunction = classPrototype.expression;
          setParent(constructorFunction, classPrototype);
          setParent(classPrototype, lhs);
          setParent(lhs, parent3);
          bindPropertyAssignment(
            constructorFunction,
            lhs,
            /*isPrototypeProperty*/
            true,
            /*containerIsClass*/
            true
          );
        }
        function bindObjectDefinePropertyAssignment(node) {
          let namespaceSymbol = lookupSymbolForPropertyAccess(node.arguments[0]);
          const isToplevel = node.parent.parent.kind === 307;
          namespaceSymbol = bindPotentiallyMissingNamespaces(
            namespaceSymbol,
            node.arguments[0],
            isToplevel,
            /*isPrototypeProperty*/
            false,
            /*containerIsClass*/
            false
          );
          bindPotentiallyNewExpandoMemberToNamespace(
            node,
            namespaceSymbol,
            /*isPrototypeProperty*/
            false
          );
        }
        function bindSpecialPropertyAssignment(node) {
          var _a;
          const parentSymbol = lookupSymbolForPropertyAccess(node.left.expression, blockScopeContainer) || lookupSymbolForPropertyAccess(node.left.expression, container);
          if (!isInJSFile(node) && !isFunctionSymbol(parentSymbol)) {
            return;
          }
          const rootExpr = getLeftmostAccessExpression(node.left);
          if (isIdentifier(rootExpr) && ((_a = lookupSymbolForName(container, rootExpr.escapedText)) == null ? void 0 : _a.flags) & 2097152) {
            return;
          }
          setParent(node.left, node);
          setParent(node.right, node);
          if (isIdentifier(node.left.expression) && container === file && isExportsOrModuleExportsOrAlias(file, node.left.expression)) {
            bindExportsPropertyAssignment(node);
          } else if (hasDynamicName(node)) {
            bindAnonymousDeclaration(
              node,
              4 | 67108864,
              "__computed"
              /* Computed */
            );
            const sym = bindPotentiallyMissingNamespaces(
              parentSymbol,
              node.left.expression,
              isTopLevelNamespaceAssignment(node.left),
              /*isPrototypeProperty*/
              false,
              /*containerIsClass*/
              false
            );
            addLateBoundAssignmentDeclarationToSymbol(node, sym);
          } else {
            bindStaticPropertyAssignment(cast(node.left, isBindableStaticNameExpression));
          }
        }
        function bindStaticPropertyAssignment(node) {
          Debug.assert(!isIdentifier(node));
          setParent(node.expression, node);
          bindPropertyAssignment(
            node.expression,
            node,
            /*isPrototypeProperty*/
            false,
            /*containerIsClass*/
            false
          );
        }
        function bindPotentiallyMissingNamespaces(namespaceSymbol, entityName, isToplevel, isPrototypeProperty2, containerIsClass) {
          if ((namespaceSymbol == null ? void 0 : namespaceSymbol.flags) & 2097152) {
            return namespaceSymbol;
          }
          if (isToplevel && !isPrototypeProperty2) {
            const flags = 1536 | 67108864;
            const excludeFlags = 110735 & ~67108864;
            namespaceSymbol = forEachIdentifierInEntityName(entityName, namespaceSymbol, (id, symbol, parent3) => {
              if (symbol) {
                addDeclarationToSymbol(symbol, id, flags);
                return symbol;
              } else {
                const table = parent3 ? parent3.exports : file.jsGlobalAugmentations || (file.jsGlobalAugmentations = createSymbolTable());
                return declareSymbol(table, parent3, id, flags, excludeFlags);
              }
            });
          }
          if (containerIsClass && namespaceSymbol && namespaceSymbol.valueDeclaration) {
            addDeclarationToSymbol(
              namespaceSymbol,
              namespaceSymbol.valueDeclaration,
              32
              /* Class */
            );
          }
          return namespaceSymbol;
        }
        function bindPotentiallyNewExpandoMemberToNamespace(declaration, namespaceSymbol, isPrototypeProperty2) {
          if (!namespaceSymbol || !isExpandoSymbol(namespaceSymbol)) {
            return;
          }
          const symbolTable = isPrototypeProperty2 ? namespaceSymbol.members || (namespaceSymbol.members = createSymbolTable()) : namespaceSymbol.exports || (namespaceSymbol.exports = createSymbolTable());
          let includes = 0;
          let excludes = 0;
          if (isFunctionLikeDeclaration(getAssignedExpandoInitializer(declaration))) {
            includes = 8192;
            excludes = 103359;
          } else if (isCallExpression2(declaration) && isBindableObjectDefinePropertyCall(declaration)) {
            if (some(declaration.arguments[2].properties, (p) => {
              const id = getNameOfDeclaration(p);
              return !!id && isIdentifier(id) && idText(id) === "set";
            })) {
              includes |= 65536 | 4;
              excludes |= 78783;
            }
            if (some(declaration.arguments[2].properties, (p) => {
              const id = getNameOfDeclaration(p);
              return !!id && isIdentifier(id) && idText(id) === "get";
            })) {
              includes |= 32768 | 4;
              excludes |= 46015;
            }
          }
          if (includes === 0) {
            includes = 4;
            excludes = 0;
          }
          declareSymbol(
            symbolTable,
            namespaceSymbol,
            declaration,
            includes | 67108864,
            excludes & ~67108864
            /* Assignment */
          );
        }
        function isTopLevelNamespaceAssignment(propertyAccess) {
          return isBinaryExpression(propertyAccess.parent) ? getParentOfBinaryExpression(propertyAccess.parent).parent.kind === 307 : propertyAccess.parent.parent.kind === 307;
        }
        function bindPropertyAssignment(name, propertyAccess, isPrototypeProperty2, containerIsClass) {
          let namespaceSymbol = lookupSymbolForPropertyAccess(name, blockScopeContainer) || lookupSymbolForPropertyAccess(name, container);
          const isToplevel = isTopLevelNamespaceAssignment(propertyAccess);
          namespaceSymbol = bindPotentiallyMissingNamespaces(namespaceSymbol, propertyAccess.expression, isToplevel, isPrototypeProperty2, containerIsClass);
          bindPotentiallyNewExpandoMemberToNamespace(propertyAccess, namespaceSymbol, isPrototypeProperty2);
        }
        function isExpandoSymbol(symbol) {
          if (symbol.flags & (16 | 32 | 1024)) {
            return true;
          }
          const node = symbol.valueDeclaration;
          if (node && isCallExpression2(node)) {
            return !!getAssignedExpandoInitializer(node);
          }
          let init = !node ? void 0 : isVariableDeclaration(node) ? node.initializer : isBinaryExpression(node) ? node.right : isPropertyAccessExpression(node) && isBinaryExpression(node.parent) ? node.parent.right : void 0;
          init = init && getRightMostAssignedExpression(init);
          if (init) {
            const isPrototypeAssignment = isPrototypeAccess(isVariableDeclaration(node) ? node.name : isBinaryExpression(node) ? node.left : node);
            return !!getExpandoInitializer(isBinaryExpression(init) && (init.operatorToken.kind === 57 || init.operatorToken.kind === 61) ? init.right : init, isPrototypeAssignment);
          }
          return false;
        }
        function getParentOfBinaryExpression(expr) {
          while (isBinaryExpression(expr.parent)) {
            expr = expr.parent;
          }
          return expr.parent;
        }
        function lookupSymbolForPropertyAccess(node, lookupContainer = container) {
          if (isIdentifier(node)) {
            return lookupSymbolForName(lookupContainer, node.escapedText);
          } else {
            const symbol = lookupSymbolForPropertyAccess(node.expression);
            return symbol && symbol.exports && symbol.exports.get(getElementOrPropertyAccessName(node));
          }
        }
        function forEachIdentifierInEntityName(e, parent3, action) {
          if (isExportsOrModuleExportsOrAlias(file, e)) {
            return file.symbol;
          } else if (isIdentifier(e)) {
            return action(e, lookupSymbolForPropertyAccess(e), parent3);
          } else {
            const s = forEachIdentifierInEntityName(e.expression, parent3, action);
            const name = getNameOrArgument(e);
            if (isPrivateIdentifier(name)) {
              Debug.fail("unexpected PrivateIdentifier");
            }
            return action(name, s && s.exports && s.exports.get(getElementOrPropertyAccessName(e)), s);
          }
        }
        function bindCallExpression(node) {
          if (!file.commonJsModuleIndicator && isRequireCall(
            node,
            /*requireStringLiteralLikeArgument*/
            false
          )) {
            setCommonJsModuleIndicator(node);
          }
        }
        function bindClassLikeDeclaration(node) {
          if (node.kind === 263) {
            bindBlockScopedDeclaration(
              node,
              32,
              899503
              /* ClassExcludes */
            );
          } else {
            const bindingName = node.name ? node.name.escapedText : "__class";
            bindAnonymousDeclaration(node, 32, bindingName);
            if (node.name) {
              classifiableNames.add(node.name.escapedText);
            }
          }
          const { symbol } = node;
          const prototypeSymbol = createSymbol(4 | 4194304, "prototype");
          const symbolExport = symbol.exports.get(prototypeSymbol.escapedName);
          if (symbolExport) {
            if (node.name) {
              setParent(node.name, node);
            }
            file.bindDiagnostics.push(createDiagnosticForNode2(symbolExport.declarations[0], Diagnostics.Duplicate_identifier_0, symbolName(prototypeSymbol)));
          }
          symbol.exports.set(prototypeSymbol.escapedName, prototypeSymbol);
          prototypeSymbol.parent = symbol;
        }
        function bindEnumDeclaration(node) {
          return isEnumConst(node) ? bindBlockScopedDeclaration(
            node,
            128,
            899967
            /* ConstEnumExcludes */
          ) : bindBlockScopedDeclaration(
            node,
            256,
            899327
            /* RegularEnumExcludes */
          );
        }
        function bindVariableDeclarationOrBindingElement(node) {
          if (inStrictMode) {
            checkStrictModeEvalOrArguments(node, node.name);
          }
          if (!isBindingPattern(node.name)) {
            const possibleVariableDecl = node.kind === 260 ? node : node.parent.parent;
            if (isInJSFile(node) && isVariableDeclarationInitializedToBareOrAccessedRequire(possibleVariableDecl) && !getJSDocTypeTag(node) && !(getCombinedModifierFlags(node) & 32)) {
              declareSymbolAndAddToSymbolTable(
                node,
                2097152,
                2097152
                /* AliasExcludes */
              );
            } else if (isBlockOrCatchScoped(node)) {
              bindBlockScopedDeclaration(
                node,
                2,
                111551
                /* BlockScopedVariableExcludes */
              );
            } else if (isPartOfParameterDeclaration(node)) {
              declareSymbolAndAddToSymbolTable(
                node,
                1,
                111551
                /* ParameterExcludes */
              );
            } else {
              declareSymbolAndAddToSymbolTable(
                node,
                1,
                111550
                /* FunctionScopedVariableExcludes */
              );
            }
          }
        }
        function bindParameter(node) {
          if (node.kind === 341 && container.kind !== 323) {
            return;
          }
          if (inStrictMode && !(node.flags & 33554432)) {
            checkStrictModeEvalOrArguments(node, node.name);
          }
          if (isBindingPattern(node.name)) {
            bindAnonymousDeclaration(node, 1, "__" + node.parent.parameters.indexOf(node));
          } else {
            declareSymbolAndAddToSymbolTable(
              node,
              1,
              111551
              /* ParameterExcludes */
            );
          }
          if (isParameterPropertyDeclaration(node, node.parent)) {
            const classDeclaration = node.parent.parent;
            declareSymbol(
              classDeclaration.symbol.members,
              classDeclaration.symbol,
              node,
              4 | (node.questionToken ? 16777216 : 0),
              0
              /* PropertyExcludes */
            );
          }
        }
        function bindFunctionDeclaration(node) {
          if (!file.isDeclarationFile && !(node.flags & 33554432)) {
            if (isAsyncFunction(node)) {
              emitFlags |= 4096;
            }
          }
          checkStrictModeFunctionName(node);
          if (inStrictMode) {
            checkStrictModeFunctionDeclaration(node);
            bindBlockScopedDeclaration(
              node,
              16,
              110991
              /* FunctionExcludes */
            );
          } else {
            declareSymbolAndAddToSymbolTable(
              node,
              16,
              110991
              /* FunctionExcludes */
            );
          }
        }
        function bindFunctionExpression(node) {
          if (!file.isDeclarationFile && !(node.flags & 33554432)) {
            if (isAsyncFunction(node)) {
              emitFlags |= 4096;
            }
          }
          if (currentFlow) {
            node.flowNode = currentFlow;
          }
          checkStrictModeFunctionName(node);
          const bindingName = node.name ? node.name.escapedText : "__function";
          return bindAnonymousDeclaration(node, 16, bindingName);
        }
        function bindPropertyOrMethodOrAccessor(node, symbolFlags, symbolExcludes) {
          if (!file.isDeclarationFile && !(node.flags & 33554432) && isAsyncFunction(node)) {
            emitFlags |= 4096;
          }
          if (currentFlow && isObjectLiteralOrClassExpressionMethodOrAccessor(node)) {
            node.flowNode = currentFlow;
          }
          return hasDynamicName(node) ? bindAnonymousDeclaration(
            node,
            symbolFlags,
            "__computed"
            /* Computed */
          ) : declareSymbolAndAddToSymbolTable(node, symbolFlags, symbolExcludes);
        }
        function getInferTypeContainer(node) {
          const extendsType = findAncestor(node, (n) => n.parent && isConditionalTypeNode(n.parent) && n.parent.extendsType === n);
          return extendsType && extendsType.parent;
        }
        function bindTypeParameter(node) {
          if (isJSDocTemplateTag(node.parent)) {
            const container2 = getEffectiveContainerForJSDocTemplateTag(node.parent);
            if (container2) {
              Debug.assertNode(container2, canHaveLocals);
              container2.locals ?? (container2.locals = createSymbolTable());
              declareSymbol(
                container2.locals,
                /*parent*/
                void 0,
                node,
                262144,
                526824
                /* TypeParameterExcludes */
              );
            } else {
              declareSymbolAndAddToSymbolTable(
                node,
                262144,
                526824
                /* TypeParameterExcludes */
              );
            }
          } else if (node.parent.kind === 195) {
            const container2 = getInferTypeContainer(node.parent);
            if (container2) {
              Debug.assertNode(container2, canHaveLocals);
              container2.locals ?? (container2.locals = createSymbolTable());
              declareSymbol(
                container2.locals,
                /*parent*/
                void 0,
                node,
                262144,
                526824
                /* TypeParameterExcludes */
              );
            } else {
              bindAnonymousDeclaration(node, 262144, getDeclarationName(node));
            }
          } else {
            declareSymbolAndAddToSymbolTable(
              node,
              262144,
              526824
              /* TypeParameterExcludes */
            );
          }
        }
        function shouldReportErrorOnModuleDeclaration(node) {
          const instanceState = getModuleInstanceState(node);
          return instanceState === 1 || instanceState === 2 && shouldPreserveConstEnums(options);
        }
        function checkUnreachable(node) {
          if (!(currentFlow.flags & 1)) {
            return false;
          }
          if (currentFlow === unreachableFlow) {
            const reportError = (
              // report error on all statements except empty ones
              isStatementButNotDeclaration(node) && node.kind !== 242 || // report error on class declarations
              node.kind === 263 || // report error on instantiated modules or const-enums only modules if preserveConstEnums is set
              node.kind === 267 && shouldReportErrorOnModuleDeclaration(node)
            );
            if (reportError) {
              currentFlow = reportedUnreachableFlow;
              if (!options.allowUnreachableCode) {
                const isError = unreachableCodeIsError(options) && !(node.flags & 33554432) && (!isVariableStatement(node) || !!(getCombinedNodeFlags(node.declarationList) & 7) || node.declarationList.declarations.some((d) => !!d.initializer));
                eachUnreachableRange(node, (start, end) => errorOrSuggestionOnRange(isError, start, end, Diagnostics.Unreachable_code_detected));
              }
            }
          }
          return true;
        }
      }
      function eachUnreachableRange(node, cb) {
        if (isStatement(node) && isExecutableStatement(node) && isBlock(node.parent)) {
          const { statements } = node.parent;
          const slice = sliceAfter(statements, node);
          getRangesWhere(slice, isExecutableStatement, (start, afterEnd) => cb(slice[start], slice[afterEnd - 1]));
        } else {
          cb(node, node);
        }
      }
      function isExecutableStatement(s) {
        return !isFunctionDeclaration(s) && !isPurelyTypeDeclaration(s) && !isEnumDeclaration(s) && // `var x;` may declare a variable used above
        !(isVariableStatement(s) && !(getCombinedNodeFlags(s) & 7) && s.declarationList.declarations.some((d) => !d.initializer));
      }
      function isPurelyTypeDeclaration(s) {
        switch (s.kind) {
          case 264:
          case 265:
            return true;
          case 267:
            return getModuleInstanceState(s) !== 1;
          case 266:
            return hasSyntacticModifier(
              s,
              4096
              /* Const */
            );
          default:
            return false;
        }
      }
      function isExportsOrModuleExportsOrAlias(sourceFile, node) {
        let i = 0;
        const q = createQueue();
        q.enqueue(node);
        while (!q.isEmpty() && i < 100) {
          i++;
          node = q.dequeue();
          if (isExportsIdentifier(node) || isModuleExportsAccessExpression(node)) {
            return true;
          } else if (isIdentifier(node)) {
            const symbol = lookupSymbolForName(sourceFile, node.escapedText);
            if (!!symbol && !!symbol.valueDeclaration && isVariableDeclaration(symbol.valueDeclaration) && !!symbol.valueDeclaration.initializer) {
              const init = symbol.valueDeclaration.initializer;
              q.enqueue(init);
              if (isAssignmentExpression2(
                init,
                /*excludeCompoundAssignment*/
                true
              )) {
                q.enqueue(init.left);
                q.enqueue(init.right);
              }
            }
          }
        }
        return false;
      }
      function getContainerFlags(node) {
        switch (node.kind) {
          case 231:
          case 263:
          case 266:
          case 210:
          case 187:
          case 322:
          case 292:
            return 1;
          case 264:
            return 1 | 64;
          case 267:
          case 265:
          case 200:
          case 181:
            return 1 | 32;
          case 307:
            return 1 | 4 | 32;
          case 177:
          case 178:
          case 174:
            if (isObjectLiteralOrClassExpressionMethodOrAccessor(node)) {
              return 1 | 4 | 32 | 8 | 128;
            }
          case 176:
          case 262:
          case 173:
          case 179:
          case 323:
          case 317:
          case 184:
          case 180:
          case 185:
          case 175:
            return 1 | 4 | 32 | 8;
          case 218:
          case 219:
            return 1 | 4 | 32 | 8 | 16;
          case 268:
            return 4;
          case 172:
            return node.initializer ? 4 : 0;
          case 299:
          case 248:
          case 249:
          case 250:
          case 269:
            return 2 | 32;
          case 241:
            return isFunctionLike(node.parent) || isClassStaticBlockDeclaration(node.parent) ? 0 : 2 | 32;
        }
        return 0;
      }
      function lookupSymbolForName(container, name) {
        var _a, _b, _c, _d;
        const local = (_b = (_a = tryCast(container, canHaveLocals)) == null ? void 0 : _a.locals) == null ? void 0 : _b.get(name);
        if (local) {
          return local.exportSymbol ?? local;
        }
        if (isSourceFile(container) && container.jsGlobalAugmentations && container.jsGlobalAugmentations.has(name)) {
          return container.jsGlobalAugmentations.get(name);
        }
        if (canHaveSymbol(container)) {
          return (_d = (_c = container.symbol) == null ? void 0 : _c.exports) == null ? void 0 : _d.get(name);
        }
      }
      function createGetSymbolWalker(getRestTypeOfSignature, getTypePredicateOfSignature, getReturnTypeOfSignature, getBaseTypes, resolveStructuredTypeMembers, getTypeOfSymbol, getResolvedSymbol, getConstraintOfTypeParameter, getFirstIdentifier2, getTypeArguments) {
        return getSymbolWalker;
        function getSymbolWalker(accept = () => true) {
          const visitedTypes = [];
          const visitedSymbols = [];
          return {
            walkType: (type) => {
              try {
                visitType(type);
                return { visitedTypes: getOwnValues(visitedTypes), visitedSymbols: getOwnValues(visitedSymbols) };
              } finally {
                clear(visitedTypes);
                clear(visitedSymbols);
              }
            },
            walkSymbol: (symbol) => {
              try {
                visitSymbol(symbol);
                return { visitedTypes: getOwnValues(visitedTypes), visitedSymbols: getOwnValues(visitedSymbols) };
              } finally {
                clear(visitedTypes);
                clear(visitedSymbols);
              }
            }
          };
          function visitType(type) {
            if (!type) {
              return;
            }
            if (visitedTypes[type.id]) {
              return;
            }
            visitedTypes[type.id] = type;
            const shouldBail = visitSymbol(type.symbol);
            if (shouldBail) return;
            if (type.flags & 524288) {
              const objectType2 = type;
              const objectFlags = objectType2.objectFlags;
              if (objectFlags & 4) {
                visitTypeReference(type);
              }
              if (objectFlags & 32) {
                visitMappedType(type);
              }
              if (objectFlags & (1 | 2)) {
                visitInterfaceType(type);
              }
              if (objectFlags & (8 | 16)) {
                visitObjectType(objectType2);
              }
            }
            if (type.flags & 262144) {
              visitTypeParameter(type);
            }
            if (type.flags & 3145728) {
              visitUnionOrIntersectionType(type);
            }
            if (type.flags & 4194304) {
              visitIndexType(type);
            }
            if (type.flags & 8388608) {
              visitIndexedAccessType(type);
            }
          }
          function visitTypeReference(type) {
            visitType(type.target);
            forEach(getTypeArguments(type), visitType);
          }
          function visitTypeParameter(type) {
            visitType(getConstraintOfTypeParameter(type));
          }
          function visitUnionOrIntersectionType(type) {
            forEach(type.types, visitType);
          }
          function visitIndexType(type) {
            visitType(type.type);
          }
          function visitIndexedAccessType(type) {
            visitType(type.objectType);
            visitType(type.indexType);
            visitType(type.constraint);
          }
          function visitMappedType(type) {
            visitType(type.typeParameter);
            visitType(type.constraintType);
            visitType(type.templateType);
            visitType(type.modifiersType);
          }
          function visitSignature(signature) {
            const typePredicate = getTypePredicateOfSignature(signature);
            if (typePredicate) {
              visitType(typePredicate.type);
            }
            forEach(signature.typeParameters, visitType);
            for (const parameter of signature.parameters) {
              visitSymbol(parameter);
            }
            visitType(getRestTypeOfSignature(signature));
            visitType(getReturnTypeOfSignature(signature));
          }
          function visitInterfaceType(interfaceT) {
            visitObjectType(interfaceT);
            forEach(interfaceT.typeParameters, visitType);
            forEach(getBaseTypes(interfaceT), visitType);
            visitType(interfaceT.thisType);
          }
          function visitObjectType(type) {
            const resolved = resolveStructuredTypeMembers(type);
            for (const info of resolved.indexInfos) {
              visitType(info.keyType);
              visitType(info.type);
            }
            for (const signature of resolved.callSignatures) {
              visitSignature(signature);
            }
            for (const signature of resolved.constructSignatures) {
              visitSignature(signature);
            }
            for (const p of resolved.properties) {
              visitSymbol(p);
            }
          }
          function visitSymbol(symbol) {
            if (!symbol) {
              return false;
            }
            const symbolId = getSymbolId(symbol);
            if (visitedSymbols[symbolId]) {
              return false;
            }
            visitedSymbols[symbolId] = symbol;
            if (!accept(symbol)) {
              return true;
            }
            const t = getTypeOfSymbol(symbol);
            visitType(t);
            if (symbol.exports) {
              symbol.exports.forEach(visitSymbol);
            }
            forEach(symbol.declarations, (d) => {
              if (d.type && d.type.kind === 186) {
                const query = d.type;
                const entity = getResolvedSymbol(getFirstIdentifier2(query.exprName));
                visitSymbol(entity);
              }
            });
            return false;
          }
        }
      }
      var ts_moduleSpecifiers_exports = {};
      __export2(ts_moduleSpecifiers_exports, {
        RelativePreference: () => RelativePreference,
        countPathComponents: () => countPathComponents,
        forEachFileNameOfModule: () => forEachFileNameOfModule,
        getLocalModuleSpecifierBetweenFileNames: () => getLocalModuleSpecifierBetweenFileNames,
        getModuleSpecifier: () => getModuleSpecifier,
        getModuleSpecifierPreferences: () => getModuleSpecifierPreferences,
        getModuleSpecifiers: () => getModuleSpecifiers,
        getModuleSpecifiersWithCacheInfo: () => getModuleSpecifiersWithCacheInfo,
        getNodeModulesPackageName: () => getNodeModulesPackageName,
        tryGetJSExtensionForFile: () => tryGetJSExtensionForFile,
        tryGetModuleSpecifiersFromCache: () => tryGetModuleSpecifiersFromCache,
        tryGetRealFileNameForNonJsDeclarationFileName: () => tryGetRealFileNameForNonJsDeclarationFileName,
        updateModuleSpecifier: () => updateModuleSpecifier
      });
      var RelativePreference = /* @__PURE__ */ ((RelativePreference2) => {
        RelativePreference2[RelativePreference2["Relative"] = 0] = "Relative";
        RelativePreference2[RelativePreference2["NonRelative"] = 1] = "NonRelative";
        RelativePreference2[RelativePreference2["Shortest"] = 2] = "Shortest";
        RelativePreference2[RelativePreference2["ExternalNonRelative"] = 3] = "ExternalNonRelative";
        return RelativePreference2;
      })(RelativePreference || {});
      function getModuleSpecifierPreferences({ importModuleSpecifierPreference, importModuleSpecifierEnding }, compilerOptions, importingSourceFile, oldImportSpecifier) {
        const filePreferredEnding = getPreferredEnding();
        return {
          relativePreference: oldImportSpecifier !== void 0 ? isExternalModuleNameRelative(oldImportSpecifier) ? 0 : 1 : importModuleSpecifierPreference === "relative" ? 0 : importModuleSpecifierPreference === "non-relative" ? 1 : importModuleSpecifierPreference === "project-relative" ? 3 : 2,
          getAllowedEndingsInPreferredOrder: (syntaxImpliedNodeFormat) => {
            const preferredEnding = syntaxImpliedNodeFormat !== importingSourceFile.impliedNodeFormat ? getPreferredEnding(syntaxImpliedNodeFormat) : filePreferredEnding;
            if ((syntaxImpliedNodeFormat ?? importingSourceFile.impliedNodeFormat) === 99) {
              if (shouldAllowImportingTsExtension(compilerOptions, importingSourceFile.fileName)) {
                return [
                  3,
                  2
                  /* JsExtension */
                ];
              }
              return [
                2
                /* JsExtension */
              ];
            }
            if (getEmitModuleResolutionKind(compilerOptions) === 1) {
              return preferredEnding === 2 ? [
                2,
                1
                /* Index */
              ] : [
                1,
                2
                /* JsExtension */
              ];
            }
            const allowImportingTsExtension = shouldAllowImportingTsExtension(compilerOptions, importingSourceFile.fileName);
            switch (preferredEnding) {
              case 2:
                return allowImportingTsExtension ? [
                  2,
                  3,
                  0,
                  1
                  /* Index */
                ] : [
                  2,
                  0,
                  1
                  /* Index */
                ];
              case 3:
                return [
                  3,
                  0,
                  2,
                  1
                  /* Index */
                ];
              case 1:
                return allowImportingTsExtension ? [
                  1,
                  0,
                  3,
                  2
                  /* JsExtension */
                ] : [
                  1,
                  0,
                  2
                  /* JsExtension */
                ];
              case 0:
                return allowImportingTsExtension ? [
                  0,
                  1,
                  3,
                  2
                  /* JsExtension */
                ] : [
                  0,
                  1,
                  2
                  /* JsExtension */
                ];
              default:
                Debug.assertNever(preferredEnding);
            }
          }
        };
        function getPreferredEnding(resolutionMode) {
          if (oldImportSpecifier !== void 0) {
            if (hasJSFileExtension(oldImportSpecifier)) return 2;
            if (endsWith(oldImportSpecifier, "/index")) return 1;
          }
          return getModuleSpecifierEndingPreference(
            importModuleSpecifierEnding,
            resolutionMode ?? importingSourceFile.impliedNodeFormat,
            compilerOptions,
            isFullSourceFile(importingSourceFile) ? importingSourceFile : void 0
          );
        }
      }
      function updateModuleSpecifier(compilerOptions, importingSourceFile, importingSourceFileName, toFileName2, host, oldImportSpecifier, options = {}) {
        const res = getModuleSpecifierWorker(compilerOptions, importingSourceFile, importingSourceFileName, toFileName2, host, getModuleSpecifierPreferences({}, compilerOptions, importingSourceFile, oldImportSpecifier), {}, options);
        if (res === oldImportSpecifier) return void 0;
        return res;
      }
      function getModuleSpecifier(compilerOptions, importingSourceFile, importingSourceFileName, toFileName2, host, options = {}) {
        return getModuleSpecifierWorker(compilerOptions, importingSourceFile, importingSourceFileName, toFileName2, host, getModuleSpecifierPreferences({}, compilerOptions, importingSourceFile), {}, options);
      }
      function getNodeModulesPackageName(compilerOptions, importingSourceFile, nodeModulesFileName, host, preferences, options = {}) {
        const info = getInfo(importingSourceFile.fileName, host);
        const modulePaths = getAllModulePaths(info, nodeModulesFileName, host, preferences, compilerOptions, options);
        return firstDefined(modulePaths, (modulePath) => tryGetModuleNameAsNodeModule(
          modulePath,
          info,
          importingSourceFile,
          host,
          compilerOptions,
          preferences,
          /*packageNameOnly*/
          true,
          options.overrideImportMode
        ));
      }
      function getModuleSpecifierWorker(compilerOptions, importingSourceFile, importingSourceFileName, toFileName2, host, preferences, userPreferences, options = {}) {
        const info = getInfo(importingSourceFileName, host);
        const modulePaths = getAllModulePaths(info, toFileName2, host, userPreferences, compilerOptions, options);
        return firstDefined(modulePaths, (modulePath) => tryGetModuleNameAsNodeModule(
          modulePath,
          info,
          importingSourceFile,
          host,
          compilerOptions,
          userPreferences,
          /*packageNameOnly*/
          void 0,
          options.overrideImportMode
        )) || getLocalModuleSpecifier(toFileName2, info, compilerOptions, host, options.overrideImportMode || importingSourceFile.impliedNodeFormat, preferences);
      }
      function tryGetModuleSpecifiersFromCache(moduleSymbol, importingSourceFile, host, userPreferences, options = {}) {
        const result = tryGetModuleSpecifiersFromCacheWorker(
          moduleSymbol,
          importingSourceFile,
          host,
          userPreferences,
          options
        );
        return result[1] && { kind: result[0], moduleSpecifiers: result[1], computedWithoutCache: false };
      }
      function tryGetModuleSpecifiersFromCacheWorker(moduleSymbol, importingSourceFile, host, userPreferences, options = {}) {
        var _a;
        const moduleSourceFile = getSourceFileOfModule(moduleSymbol);
        if (!moduleSourceFile) {
          return emptyArray;
        }
        const cache = (_a = host.getModuleSpecifierCache) == null ? void 0 : _a.call(host);
        const cached = cache == null ? void 0 : cache.get(importingSourceFile.path, moduleSourceFile.path, userPreferences, options);
        return [cached == null ? void 0 : cached.kind, cached == null ? void 0 : cached.moduleSpecifiers, moduleSourceFile, cached == null ? void 0 : cached.modulePaths, cache];
      }
      function getModuleSpecifiers(moduleSymbol, checker, compilerOptions, importingSourceFile, host, userPreferences, options = {}) {
        return getModuleSpecifiersWithCacheInfo(
          moduleSymbol,
          checker,
          compilerOptions,
          importingSourceFile,
          host,
          userPreferences,
          options,
          /*forAutoImport*/
          false
        ).moduleSpecifiers;
      }
      function getModuleSpecifiersWithCacheInfo(moduleSymbol, checker, compilerOptions, importingSourceFile, host, userPreferences, options = {}, forAutoImport) {
        let computedWithoutCache = false;
        const ambient = tryGetModuleNameFromAmbientModule(moduleSymbol, checker);
        if (ambient) return { kind: "ambient", moduleSpecifiers: [ambient], computedWithoutCache };
        let [kind, specifiers, moduleSourceFile, modulePaths, cache] = tryGetModuleSpecifiersFromCacheWorker(
          moduleSymbol,
          importingSourceFile,
          host,
          userPreferences,
          options
        );
        if (specifiers) return { kind, moduleSpecifiers: specifiers, computedWithoutCache };
        if (!moduleSourceFile) return { kind: void 0, moduleSpecifiers: emptyArray, computedWithoutCache };
        computedWithoutCache = true;
        modulePaths || (modulePaths = getAllModulePathsWorker(getInfo(importingSourceFile.fileName, host), moduleSourceFile.originalFileName, host, compilerOptions, options));
        const result = computeModuleSpecifiers(
          modulePaths,
          compilerOptions,
          importingSourceFile,
          host,
          userPreferences,
          options,
          forAutoImport
        );
        cache == null ? void 0 : cache.set(importingSourceFile.path, moduleSourceFile.path, userPreferences, options, result.kind, modulePaths, result.moduleSpecifiers);
        return result;
      }
      function getLocalModuleSpecifierBetweenFileNames(importingFile, targetFileName, compilerOptions, host, options = {}) {
        const info = getInfo(importingFile.fileName, host);
        const importMode = options.overrideImportMode ?? importingFile.impliedNodeFormat;
        return getLocalModuleSpecifier(
          targetFileName,
          info,
          compilerOptions,
          host,
          importMode,
          getModuleSpecifierPreferences({}, compilerOptions, importingFile)
        );
      }
      function computeModuleSpecifiers(modulePaths, compilerOptions, importingSourceFile, host, userPreferences, options = {}, forAutoImport) {
        const info = getInfo(importingSourceFile.fileName, host);
        const preferences = getModuleSpecifierPreferences(userPreferences, compilerOptions, importingSourceFile);
        const existingSpecifier = isFullSourceFile(importingSourceFile) && forEach(modulePaths, (modulePath) => forEach(
          host.getFileIncludeReasons().get(toPath3(modulePath.path, host.getCurrentDirectory(), info.getCanonicalFileName)),
          (reason) => {
            if (reason.kind !== 3 || reason.file !== importingSourceFile.path) return void 0;
            if (importingSourceFile.impliedNodeFormat && importingSourceFile.impliedNodeFormat !== getModeForResolutionAtIndex(importingSourceFile, reason.index, compilerOptions)) return void 0;
            const specifier = getModuleNameStringLiteralAt(importingSourceFile, reason.index).text;
            return preferences.relativePreference !== 1 || !pathIsRelative(specifier) ? specifier : void 0;
          }
        ));
        if (existingSpecifier) {
          return { kind: void 0, moduleSpecifiers: [existingSpecifier], computedWithoutCache: true };
        }
        const importedFileIsInNodeModules = some(modulePaths, (p) => p.isInNodeModules);
        let nodeModulesSpecifiers;
        let pathsSpecifiers;
        let redirectPathsSpecifiers;
        let relativeSpecifiers;
        for (const modulePath of modulePaths) {
          const specifier = modulePath.isInNodeModules ? tryGetModuleNameAsNodeModule(
            modulePath,
            info,
            importingSourceFile,
            host,
            compilerOptions,
            userPreferences,
            /*packageNameOnly*/
            void 0,
            options.overrideImportMode
          ) : void 0;
          nodeModulesSpecifiers = append(nodeModulesSpecifiers, specifier);
          if (specifier && modulePath.isRedirect) {
            return { kind: "node_modules", moduleSpecifiers: nodeModulesSpecifiers, computedWithoutCache: true };
          }
          if (!specifier) {
            const local = getLocalModuleSpecifier(
              modulePath.path,
              info,
              compilerOptions,
              host,
              options.overrideImportMode || importingSourceFile.impliedNodeFormat,
              preferences,
              /*pathsOnly*/
              modulePath.isRedirect
            );
            if (!local) {
              continue;
            }
            if (modulePath.isRedirect) {
              redirectPathsSpecifiers = append(redirectPathsSpecifiers, local);
            } else if (pathIsBareSpecifier(local)) {
              if (pathContainsNodeModules(local)) {
                relativeSpecifiers = append(relativeSpecifiers, local);
              } else {
                pathsSpecifiers = append(pathsSpecifiers, local);
              }
            } else if (forAutoImport || !importedFileIsInNodeModules || modulePath.isInNodeModules) {
              relativeSpecifiers = append(relativeSpecifiers, local);
            }
          }
        }
        return (pathsSpecifiers == null ? void 0 : pathsSpecifiers.length) ? { kind: "paths", moduleSpecifiers: pathsSpecifiers, computedWithoutCache: true } : (redirectPathsSpecifiers == null ? void 0 : redirectPathsSpecifiers.length) ? { kind: "redirect", moduleSpecifiers: redirectPathsSpecifiers, computedWithoutCache: true } : (nodeModulesSpecifiers == null ? void 0 : nodeModulesSpecifiers.length) ? { kind: "node_modules", moduleSpecifiers: nodeModulesSpecifiers, computedWithoutCache: true } : { kind: "relative", moduleSpecifiers: Debug.checkDefined(relativeSpecifiers), computedWithoutCache: true };
      }
      function getInfo(importingSourceFileName, host) {
        importingSourceFileName = getNormalizedAbsolutePath(importingSourceFileName, host.getCurrentDirectory());
        const getCanonicalFileName = createGetCanonicalFileName(host.useCaseSensitiveFileNames ? host.useCaseSensitiveFileNames() : true);
        const sourceDirectory = getDirectoryPath(importingSourceFileName);
        return {
          getCanonicalFileName,
          importingSourceFileName,
          sourceDirectory,
          canonicalSourceDirectory: getCanonicalFileName(sourceDirectory)
        };
      }
      function getLocalModuleSpecifier(moduleFileName, info, compilerOptions, host, importMode, { getAllowedEndingsInPreferredOrder: getAllowedEndingsInPrefererredOrder, relativePreference }, pathsOnly) {
        const { baseUrl, paths, rootDirs } = compilerOptions;
        if (pathsOnly && !paths) {
          return void 0;
        }
        const { sourceDirectory, canonicalSourceDirectory, getCanonicalFileName } = info;
        const allowedEndings = getAllowedEndingsInPrefererredOrder(importMode);
        const relativePath = rootDirs && tryGetModuleNameFromRootDirs(rootDirs, moduleFileName, sourceDirectory, getCanonicalFileName, allowedEndings, compilerOptions) || processEnding(ensurePathIsNonModuleName(getRelativePathFromDirectory(sourceDirectory, moduleFileName, getCanonicalFileName)), allowedEndings, compilerOptions);
        if (!baseUrl && !paths && !getResolvePackageJsonImports(compilerOptions) || relativePreference === 0) {
          return pathsOnly ? void 0 : relativePath;
        }
        const baseDirectory = getNormalizedAbsolutePath(getPathsBasePath(compilerOptions, host) || baseUrl, host.getCurrentDirectory());
        const relativeToBaseUrl = getRelativePathIfInSameVolume(moduleFileName, baseDirectory, getCanonicalFileName);
        if (!relativeToBaseUrl) {
          return pathsOnly ? void 0 : relativePath;
        }
        const fromPackageJsonImports = pathsOnly ? void 0 : tryGetModuleNameFromPackageJsonImports(moduleFileName, sourceDirectory, compilerOptions, host, importMode);
        const fromPaths = pathsOnly || fromPackageJsonImports === void 0 ? paths && tryGetModuleNameFromPaths(relativeToBaseUrl, paths, allowedEndings, host, compilerOptions) : void 0;
        if (pathsOnly) {
          return fromPaths;
        }
        const maybeNonRelative = fromPackageJsonImports ?? (fromPaths === void 0 && baseUrl !== void 0 ? processEnding(relativeToBaseUrl, allowedEndings, compilerOptions) : fromPaths);
        if (!maybeNonRelative) {
          return relativePath;
        }
        if (relativePreference === 1 && !pathIsRelative(maybeNonRelative)) {
          return maybeNonRelative;
        }
        if (relativePreference === 3 && !pathIsRelative(maybeNonRelative)) {
          const projectDirectory = compilerOptions.configFilePath ? toPath3(getDirectoryPath(compilerOptions.configFilePath), host.getCurrentDirectory(), info.getCanonicalFileName) : info.getCanonicalFileName(host.getCurrentDirectory());
          const modulePath = toPath3(moduleFileName, projectDirectory, getCanonicalFileName);
          const sourceIsInternal = startsWith2(canonicalSourceDirectory, projectDirectory);
          const targetIsInternal = startsWith2(modulePath, projectDirectory);
          if (sourceIsInternal && !targetIsInternal || !sourceIsInternal && targetIsInternal) {
            return maybeNonRelative;
          }
          const nearestTargetPackageJson = getNearestAncestorDirectoryWithPackageJson(host, getDirectoryPath(modulePath));
          const nearestSourcePackageJson = getNearestAncestorDirectoryWithPackageJson(host, sourceDirectory);
          const ignoreCase = !hostUsesCaseSensitiveFileNames(host);
          if (!packageJsonPathsAreEqual(nearestTargetPackageJson, nearestSourcePackageJson, ignoreCase)) {
            return maybeNonRelative;
          }
          return relativePath;
        }
        return isPathRelativeToParent(maybeNonRelative) || countPathComponents(relativePath) < countPathComponents(maybeNonRelative) ? relativePath : maybeNonRelative;
      }
      function packageJsonPathsAreEqual(a, b, ignoreCase) {
        if (a === b) return true;
        if (a === void 0 || b === void 0) return false;
        return comparePaths(a, b, ignoreCase) === 0;
      }
      function countPathComponents(path17) {
        let count = 0;
        for (let i = startsWith2(path17, "./") ? 2 : 0; i < path17.length; i++) {
          if (path17.charCodeAt(i) === 47) count++;
        }
        return count;
      }
      function comparePathsByRedirectAndNumberOfDirectorySeparators(a, b) {
        return compareBooleans(b.isRedirect, a.isRedirect) || compareNumberOfDirectorySeparators(a.path, b.path);
      }
      function getNearestAncestorDirectoryWithPackageJson(host, fileName) {
        if (host.getNearestAncestorDirectoryWithPackageJson) {
          return host.getNearestAncestorDirectoryWithPackageJson(fileName);
        }
        return forEachAncestorDirectory(fileName, (directory) => {
          return host.fileExists(combinePaths(directory, "package.json")) ? directory : void 0;
        });
      }
      function forEachFileNameOfModule(importingFileName, importedFileName, host, preferSymlinks, cb) {
        var _a;
        const getCanonicalFileName = hostGetCanonicalFileName(host);
        const cwd = host.getCurrentDirectory();
        const referenceRedirect = host.isSourceOfProjectReferenceRedirect(importedFileName) ? host.getProjectReferenceRedirect(importedFileName) : void 0;
        const importedPath = toPath3(importedFileName, cwd, getCanonicalFileName);
        const redirects = host.redirectTargetsMap.get(importedPath) || emptyArray;
        const importedFileNames = [...referenceRedirect ? [referenceRedirect] : emptyArray, importedFileName, ...redirects];
        const targets = importedFileNames.map((f) => getNormalizedAbsolutePath(f, cwd));
        let shouldFilterIgnoredPaths = !every(targets, containsIgnoredPath);
        if (!preferSymlinks) {
          const result2 = forEach(targets, (p) => !(shouldFilterIgnoredPaths && containsIgnoredPath(p)) && cb(p, referenceRedirect === p));
          if (result2) return result2;
        }
        const symlinkedDirectories = (_a = host.getSymlinkCache) == null ? void 0 : _a.call(host).getSymlinkedDirectoriesByRealpath();
        const fullImportedFileName = getNormalizedAbsolutePath(importedFileName, cwd);
        const result = symlinkedDirectories && forEachAncestorDirectory(getDirectoryPath(fullImportedFileName), (realPathDirectory) => {
          const symlinkDirectories = symlinkedDirectories.get(ensureTrailingDirectorySeparator(toPath3(realPathDirectory, cwd, getCanonicalFileName)));
          if (!symlinkDirectories) return void 0;
          if (startsWithDirectory(importingFileName, realPathDirectory, getCanonicalFileName)) {
            return false;
          }
          return forEach(targets, (target) => {
            if (!startsWithDirectory(target, realPathDirectory, getCanonicalFileName)) {
              return;
            }
            const relative2 = getRelativePathFromDirectory(realPathDirectory, target, getCanonicalFileName);
            for (const symlinkDirectory of symlinkDirectories) {
              const option = resolvePath(symlinkDirectory, relative2);
              const result2 = cb(option, target === referenceRedirect);
              shouldFilterIgnoredPaths = true;
              if (result2) return result2;
            }
          });
        });
        return result || (preferSymlinks ? forEach(targets, (p) => shouldFilterIgnoredPaths && containsIgnoredPath(p) ? void 0 : cb(p, p === referenceRedirect)) : void 0);
      }
      function getAllModulePaths(info, importedFileName, host, preferences, compilerOptions, options = {}) {
        var _a;
        const importingFilePath = toPath3(info.importingSourceFileName, host.getCurrentDirectory(), hostGetCanonicalFileName(host));
        const importedFilePath = toPath3(importedFileName, host.getCurrentDirectory(), hostGetCanonicalFileName(host));
        const cache = (_a = host.getModuleSpecifierCache) == null ? void 0 : _a.call(host);
        if (cache) {
          const cached = cache.get(importingFilePath, importedFilePath, preferences, options);
          if (cached == null ? void 0 : cached.modulePaths) return cached.modulePaths;
        }
        const modulePaths = getAllModulePathsWorker(info, importedFileName, host, compilerOptions, options);
        if (cache) {
          cache.setModulePaths(importingFilePath, importedFilePath, preferences, options, modulePaths);
        }
        return modulePaths;
      }
      var runtimeDependencyFields = ["dependencies", "peerDependencies", "optionalDependencies"];
      function getAllRuntimeDependencies(packageJson) {
        let result;
        for (const field of runtimeDependencyFields) {
          const deps = packageJson[field];
          if (deps && typeof deps === "object") {
            result = concatenate(result, getOwnKeys(deps));
          }
        }
        return result;
      }
      function getAllModulePathsWorker(info, importedFileName, host, compilerOptions, options) {
        var _a, _b;
        const cache = (_a = host.getModuleResolutionCache) == null ? void 0 : _a.call(host);
        const links = (_b = host.getSymlinkCache) == null ? void 0 : _b.call(host);
        if (cache && links && host.readFile && !pathContainsNodeModules(info.importingSourceFileName)) {
          Debug.type(host);
          const state = getTemporaryModuleResolutionState(cache.getPackageJsonInfoCache(), host, {});
          const packageJson = getPackageScopeForPath(info.importingSourceFileName, state);
          if (packageJson) {
            const toResolve = getAllRuntimeDependencies(packageJson.contents.packageJsonContent);
            for (const depName of toResolve || emptyArray) {
              const resolved = resolveModuleName(
                depName,
                combinePaths(packageJson.packageDirectory, "package.json"),
                compilerOptions,
                host,
                cache,
                /*redirectedReference*/
                void 0,
                options.overrideImportMode
              );
              links.setSymlinksFromResolution(resolved.resolvedModule);
            }
          }
        }
        const allFileNames = /* @__PURE__ */ new Map();
        let importedFileFromNodeModules = false;
        forEachFileNameOfModule(
          info.importingSourceFileName,
          importedFileName,
          host,
          /*preferSymlinks*/
          true,
          (path17, isRedirect) => {
            const isInNodeModules = pathContainsNodeModules(path17);
            allFileNames.set(path17, { path: info.getCanonicalFileName(path17), isRedirect, isInNodeModules });
            importedFileFromNodeModules = importedFileFromNodeModules || isInNodeModules;
          }
        );
        const sortedPaths = [];
        for (let directory = info.canonicalSourceDirectory; allFileNames.size !== 0; ) {
          const directoryStart = ensureTrailingDirectorySeparator(directory);
          let pathsInDirectory;
          allFileNames.forEach(({ path: path17, isRedirect, isInNodeModules }, fileName) => {
            if (startsWith2(path17, directoryStart)) {
              (pathsInDirectory || (pathsInDirectory = [])).push({ path: fileName, isRedirect, isInNodeModules });
              allFileNames.delete(fileName);
            }
          });
          if (pathsInDirectory) {
            if (pathsInDirectory.length > 1) {
              pathsInDirectory.sort(comparePathsByRedirectAndNumberOfDirectorySeparators);
            }
            sortedPaths.push(...pathsInDirectory);
          }
          const newDirectory = getDirectoryPath(directory);
          if (newDirectory === directory) break;
          directory = newDirectory;
        }
        if (allFileNames.size) {
          const remainingPaths = arrayFrom(
            allFileNames.entries(),
            ([fileName, { isRedirect, isInNodeModules }]) => ({ path: fileName, isRedirect, isInNodeModules })
          );
          if (remainingPaths.length > 1) remainingPaths.sort(comparePathsByRedirectAndNumberOfDirectorySeparators);
          sortedPaths.push(...remainingPaths);
        }
        return sortedPaths;
      }
      function tryGetModuleNameFromAmbientModule(moduleSymbol, checker) {
        var _a;
        const decl = (_a = moduleSymbol.declarations) == null ? void 0 : _a.find(
          (d) => isNonGlobalAmbientModule(d) && (!isExternalModuleAugmentation(d) || !isExternalModuleNameRelative(getTextOfIdentifierOrLiteral(d.name)))
        );
        if (decl) {
          return decl.name.text;
        }
        const ambientModuleDeclareCandidates = mapDefined(moduleSymbol.declarations, (d) => {
          var _a2, _b, _c, _d;
          if (!isModuleDeclaration(d)) return;
          const topNamespace = getTopNamespace(d);
          if (!(((_a2 = topNamespace == null ? void 0 : topNamespace.parent) == null ? void 0 : _a2.parent) && isModuleBlock(topNamespace.parent) && isAmbientModule(topNamespace.parent.parent) && isSourceFile(topNamespace.parent.parent.parent))) return;
          const exportAssignment = (_d = (_c = (_b = topNamespace.parent.parent.symbol.exports) == null ? void 0 : _b.get("export=")) == null ? void 0 : _c.valueDeclaration) == null ? void 0 : _d.expression;
          if (!exportAssignment) return;
          const exportSymbol = checker.getSymbolAtLocation(exportAssignment);
          if (!exportSymbol) return;
          const originalExportSymbol = (exportSymbol == null ? void 0 : exportSymbol.flags) & 2097152 ? checker.getAliasedSymbol(exportSymbol) : exportSymbol;
          if (originalExportSymbol === d.symbol) return topNamespace.parent.parent;
          function getTopNamespace(namespaceDeclaration) {
            while (namespaceDeclaration.flags & 8) {
              namespaceDeclaration = namespaceDeclaration.parent;
            }
            return namespaceDeclaration;
          }
        });
        const ambientModuleDeclare = ambientModuleDeclareCandidates[0];
        if (ambientModuleDeclare) {
          return ambientModuleDeclare.name.text;
        }
      }
      function tryGetModuleNameFromPaths(relativeToBaseUrl, paths, allowedEndings, host, compilerOptions) {
        for (const key in paths) {
          for (const patternText2 of paths[key]) {
            const pattern = normalizePath(patternText2);
            const indexOfStar = pattern.indexOf("*");
            const candidates = allowedEndings.map((ending) => ({
              ending,
              value: processEnding(relativeToBaseUrl, [ending], compilerOptions)
            }));
            if (tryGetExtensionFromPath2(pattern)) {
              candidates.push({ ending: void 0, value: relativeToBaseUrl });
            }
            if (indexOfStar !== -1) {
              const prefix = pattern.substring(0, indexOfStar);
              const suffix = pattern.substring(indexOfStar + 1);
              for (const { ending, value } of candidates) {
                if (value.length >= prefix.length + suffix.length && startsWith2(value, prefix) && endsWith(value, suffix) && validateEnding({ ending, value })) {
                  const matchedStar = value.substring(prefix.length, value.length - suffix.length);
                  if (!pathIsRelative(matchedStar)) {
                    return replaceFirstStar(key, matchedStar);
                  }
                }
              }
            } else if (some(candidates, (c) => c.ending !== 0 && pattern === c.value) || some(candidates, (c) => c.ending === 0 && pattern === c.value && validateEnding(c))) {
              return key;
            }
          }
        }
        function validateEnding({ ending, value }) {
          return ending !== 0 || value === processEnding(relativeToBaseUrl, [ending], compilerOptions, host);
        }
      }
      function tryGetModuleNameFromExportsOrImports(options, host, targetFilePath, packageDirectory, packageName, exports22, conditions, mode, isImports) {
        if (typeof exports22 === "string") {
          const ignoreCase = !hostUsesCaseSensitiveFileNames(host);
          const getCommonSourceDirectory2 = () => host.getCommonSourceDirectory();
          const outputFile = isImports && getOutputJSFileNameWorker(targetFilePath, options, ignoreCase, getCommonSourceDirectory2);
          const declarationFile = isImports && getOutputDeclarationFileNameWorker(targetFilePath, options, ignoreCase, getCommonSourceDirectory2);
          const pathOrPattern = getNormalizedAbsolutePath(
            combinePaths(packageDirectory, exports22),
            /*currentDirectory*/
            void 0
          );
          const extensionSwappedTarget = hasTSFileExtension(targetFilePath) ? removeFileExtension(targetFilePath) + tryGetJSExtensionForFile(targetFilePath, options) : void 0;
          switch (mode) {
            case 0:
              if (extensionSwappedTarget && comparePaths(extensionSwappedTarget, pathOrPattern, ignoreCase) === 0 || comparePaths(targetFilePath, pathOrPattern, ignoreCase) === 0 || outputFile && comparePaths(outputFile, pathOrPattern, ignoreCase) === 0 || declarationFile && comparePaths(declarationFile, pathOrPattern, ignoreCase) === 0) {
                return { moduleFileToTry: packageName };
              }
              break;
            case 1:
              if (extensionSwappedTarget && containsPath(pathOrPattern, extensionSwappedTarget, ignoreCase)) {
                const fragment = getRelativePathFromDirectory(
                  pathOrPattern,
                  extensionSwappedTarget,
                  /*ignoreCase*/
                  false
                );
                return { moduleFileToTry: getNormalizedAbsolutePath(
                  combinePaths(combinePaths(packageName, exports22), fragment),
                  /*currentDirectory*/
                  void 0
                ) };
              }
              if (containsPath(pathOrPattern, targetFilePath, ignoreCase)) {
                const fragment = getRelativePathFromDirectory(
                  pathOrPattern,
                  targetFilePath,
                  /*ignoreCase*/
                  false
                );
                return { moduleFileToTry: getNormalizedAbsolutePath(
                  combinePaths(combinePaths(packageName, exports22), fragment),
                  /*currentDirectory*/
                  void 0
                ) };
              }
              if (outputFile && containsPath(pathOrPattern, outputFile, ignoreCase)) {
                const fragment = getRelativePathFromDirectory(
                  pathOrPattern,
                  outputFile,
                  /*ignoreCase*/
                  false
                );
                return { moduleFileToTry: combinePaths(packageName, fragment) };
              }
              if (declarationFile && containsPath(pathOrPattern, declarationFile, ignoreCase)) {
                const fragment = getRelativePathFromDirectory(
                  pathOrPattern,
                  declarationFile,
                  /*ignoreCase*/
                  false
                );
                return { moduleFileToTry: combinePaths(packageName, fragment) };
              }
              break;
            case 2:
              const starPos = pathOrPattern.indexOf("*");
              const leadingSlice = pathOrPattern.slice(0, starPos);
              const trailingSlice = pathOrPattern.slice(starPos + 1);
              if (extensionSwappedTarget && startsWith2(extensionSwappedTarget, leadingSlice, ignoreCase) && endsWith(extensionSwappedTarget, trailingSlice, ignoreCase)) {
                const starReplacement = extensionSwappedTarget.slice(leadingSlice.length, extensionSwappedTarget.length - trailingSlice.length);
                return { moduleFileToTry: replaceFirstStar(packageName, starReplacement) };
              }
              if (startsWith2(targetFilePath, leadingSlice, ignoreCase) && endsWith(targetFilePath, trailingSlice, ignoreCase)) {
                const starReplacement = targetFilePath.slice(leadingSlice.length, targetFilePath.length - trailingSlice.length);
                return { moduleFileToTry: replaceFirstStar(packageName, starReplacement) };
              }
              if (outputFile && startsWith2(outputFile, leadingSlice, ignoreCase) && endsWith(outputFile, trailingSlice, ignoreCase)) {
                const starReplacement = outputFile.slice(leadingSlice.length, outputFile.length - trailingSlice.length);
                return { moduleFileToTry: replaceFirstStar(packageName, starReplacement) };
              }
              if (declarationFile && startsWith2(declarationFile, leadingSlice, ignoreCase) && endsWith(declarationFile, trailingSlice, ignoreCase)) {
                const starReplacement = declarationFile.slice(leadingSlice.length, declarationFile.length - trailingSlice.length);
                return { moduleFileToTry: replaceFirstStar(packageName, starReplacement) };
              }
              break;
          }
        } else if (Array.isArray(exports22)) {
          return forEach(exports22, (e) => tryGetModuleNameFromExportsOrImports(options, host, targetFilePath, packageDirectory, packageName, e, conditions, mode, isImports));
        } else if (typeof exports22 === "object" && exports22 !== null) {
          for (const key of getOwnKeys(exports22)) {
            if (key === "default" || conditions.indexOf(key) >= 0 || isApplicableVersionedTypesKey(conditions, key)) {
              const subTarget = exports22[key];
              const result = tryGetModuleNameFromExportsOrImports(options, host, targetFilePath, packageDirectory, packageName, subTarget, conditions, mode, isImports);
              if (result) {
                return result;
              }
            }
          }
        }
        return void 0;
      }
      function tryGetModuleNameFromExports(options, host, targetFilePath, packageDirectory, packageName, exports22, conditions) {
        if (typeof exports22 === "object" && exports22 !== null && !Array.isArray(exports22) && allKeysStartWithDot(exports22)) {
          return forEach(getOwnKeys(exports22), (k) => {
            const subPackageName = getNormalizedAbsolutePath(
              combinePaths(packageName, k),
              /*currentDirectory*/
              void 0
            );
            const mode = endsWith(k, "/") ? 1 : k.includes("*") ? 2 : 0;
            return tryGetModuleNameFromExportsOrImports(
              options,
              host,
              targetFilePath,
              packageDirectory,
              subPackageName,
              exports22[k],
              conditions,
              mode,
              /*isImports*/
              false
            );
          });
        }
        return tryGetModuleNameFromExportsOrImports(
          options,
          host,
          targetFilePath,
          packageDirectory,
          packageName,
          exports22,
          conditions,
          0,
          /*isImports*/
          false
        );
      }
      function tryGetModuleNameFromPackageJsonImports(moduleFileName, sourceDirectory, options, host, importMode) {
        var _a, _b, _c;
        if (!host.readFile || !getResolvePackageJsonImports(options)) {
          return void 0;
        }
        const ancestorDirectoryWithPackageJson = getNearestAncestorDirectoryWithPackageJson(host, sourceDirectory);
        if (!ancestorDirectoryWithPackageJson) {
          return void 0;
        }
        const packageJsonPath = combinePaths(ancestorDirectoryWithPackageJson, "package.json");
        const cachedPackageJson = (_b = (_a = host.getPackageJsonInfoCache) == null ? void 0 : _a.call(host)) == null ? void 0 : _b.getPackageJsonInfo(packageJsonPath);
        if (isMissingPackageJsonInfo(cachedPackageJson) || !host.fileExists(packageJsonPath)) {
          return void 0;
        }
        const packageJsonContent = (cachedPackageJson == null ? void 0 : cachedPackageJson.contents.packageJsonContent) || tryParseJson(host.readFile(packageJsonPath));
        const imports = packageJsonContent == null ? void 0 : packageJsonContent.imports;
        if (!imports) {
          return void 0;
        }
        const conditions = getConditions(options, importMode);
        return (_c = forEach(getOwnKeys(imports), (k) => {
          if (!startsWith2(k, "#") || k === "#" || startsWith2(k, "#/")) return void 0;
          const mode = endsWith(k, "/") ? 1 : k.includes("*") ? 2 : 0;
          return tryGetModuleNameFromExportsOrImports(
            options,
            host,
            moduleFileName,
            ancestorDirectoryWithPackageJson,
            k,
            imports[k],
            conditions,
            mode,
            /*isImports*/
            true
          );
        })) == null ? void 0 : _c.moduleFileToTry;
      }
      function tryGetModuleNameFromRootDirs(rootDirs, moduleFileName, sourceDirectory, getCanonicalFileName, allowedEndings, compilerOptions) {
        const normalizedTargetPaths = getPathsRelativeToRootDirs(moduleFileName, rootDirs, getCanonicalFileName);
        if (normalizedTargetPaths === void 0) {
          return void 0;
        }
        const normalizedSourcePaths = getPathsRelativeToRootDirs(sourceDirectory, rootDirs, getCanonicalFileName);
        const relativePaths = flatMap(normalizedSourcePaths, (sourcePath) => {
          return map(normalizedTargetPaths, (targetPath) => ensurePathIsNonModuleName(getRelativePathFromDirectory(sourcePath, targetPath, getCanonicalFileName)));
        });
        const shortest = min(relativePaths, compareNumberOfDirectorySeparators);
        if (!shortest) {
          return void 0;
        }
        return processEnding(shortest, allowedEndings, compilerOptions);
      }
      function tryGetModuleNameAsNodeModule({ path: path17, isRedirect }, { getCanonicalFileName, canonicalSourceDirectory }, importingSourceFile, host, options, userPreferences, packageNameOnly, overrideMode) {
        if (!host.fileExists || !host.readFile) {
          return void 0;
        }
        const parts = getNodeModulePathParts(path17);
        if (!parts) {
          return void 0;
        }
        const preferences = getModuleSpecifierPreferences(userPreferences, options, importingSourceFile);
        const allowedEndings = preferences.getAllowedEndingsInPreferredOrder();
        let moduleSpecifier = path17;
        let isPackageRootPath = false;
        if (!packageNameOnly) {
          let packageRootIndex = parts.packageRootIndex;
          let moduleFileName;
          while (true) {
            const { moduleFileToTry, packageRootPath, blockedByExports, verbatimFromExports } = tryDirectoryWithPackageJson(packageRootIndex);
            if (getEmitModuleResolutionKind(options) !== 1) {
              if (blockedByExports) {
                return void 0;
              }
              if (verbatimFromExports) {
                return moduleFileToTry;
              }
            }
            if (packageRootPath) {
              moduleSpecifier = packageRootPath;
              isPackageRootPath = true;
              break;
            }
            if (!moduleFileName) moduleFileName = moduleFileToTry;
            packageRootIndex = path17.indexOf(directorySeparator, packageRootIndex + 1);
            if (packageRootIndex === -1) {
              moduleSpecifier = processEnding(moduleFileName, allowedEndings, options, host);
              break;
            }
          }
        }
        if (isRedirect && !isPackageRootPath) {
          return void 0;
        }
        const globalTypingsCacheLocation = host.getGlobalTypingsCacheLocation && host.getGlobalTypingsCacheLocation();
        const pathToTopLevelNodeModules = getCanonicalFileName(moduleSpecifier.substring(0, parts.topLevelNodeModulesIndex));
        if (!(startsWith2(canonicalSourceDirectory, pathToTopLevelNodeModules) || globalTypingsCacheLocation && startsWith2(getCanonicalFileName(globalTypingsCacheLocation), pathToTopLevelNodeModules))) {
          return void 0;
        }
        const nodeModulesDirectoryName = moduleSpecifier.substring(parts.topLevelPackageNameIndex + 1);
        const packageName = getPackageNameFromTypesPackageName(nodeModulesDirectoryName);
        return getEmitModuleResolutionKind(options) === 1 && packageName === nodeModulesDirectoryName ? void 0 : packageName;
        function tryDirectoryWithPackageJson(packageRootIndex) {
          var _a, _b;
          const packageRootPath = path17.substring(0, packageRootIndex);
          const packageJsonPath = combinePaths(packageRootPath, "package.json");
          let moduleFileToTry = path17;
          let maybeBlockedByTypesVersions = false;
          const cachedPackageJson = (_b = (_a = host.getPackageJsonInfoCache) == null ? void 0 : _a.call(host)) == null ? void 0 : _b.getPackageJsonInfo(packageJsonPath);
          if (isPackageJsonInfo(cachedPackageJson) || cachedPackageJson === void 0 && host.fileExists(packageJsonPath)) {
            const packageJsonContent = (cachedPackageJson == null ? void 0 : cachedPackageJson.contents.packageJsonContent) || tryParseJson(host.readFile(packageJsonPath));
            const importMode = overrideMode || importingSourceFile.impliedNodeFormat;
            if (getResolvePackageJsonExports(options)) {
              const nodeModulesDirectoryName2 = packageRootPath.substring(parts.topLevelPackageNameIndex + 1);
              const packageName2 = getPackageNameFromTypesPackageName(nodeModulesDirectoryName2);
              const conditions = getConditions(options, importMode);
              const fromExports = (packageJsonContent == null ? void 0 : packageJsonContent.exports) ? tryGetModuleNameFromExports(options, host, path17, packageRootPath, packageName2, packageJsonContent.exports, conditions) : void 0;
              if (fromExports) {
                return { ...fromExports, verbatimFromExports: true };
              }
              if (packageJsonContent == null ? void 0 : packageJsonContent.exports) {
                return { moduleFileToTry: path17, blockedByExports: true };
              }
            }
            const versionPaths = (packageJsonContent == null ? void 0 : packageJsonContent.typesVersions) ? getPackageJsonTypesVersionsPaths(packageJsonContent.typesVersions) : void 0;
            if (versionPaths) {
              const subModuleName = path17.slice(packageRootPath.length + 1);
              const fromPaths = tryGetModuleNameFromPaths(
                subModuleName,
                versionPaths.paths,
                allowedEndings,
                host,
                options
              );
              if (fromPaths === void 0) {
                maybeBlockedByTypesVersions = true;
              } else {
                moduleFileToTry = combinePaths(packageRootPath, fromPaths);
              }
            }
            const mainFileRelative = (packageJsonContent == null ? void 0 : packageJsonContent.typings) || (packageJsonContent == null ? void 0 : packageJsonContent.types) || (packageJsonContent == null ? void 0 : packageJsonContent.main) || "index.js";
            if (isString2(mainFileRelative) && !(maybeBlockedByTypesVersions && matchPatternOrExact(tryParsePatterns(versionPaths.paths), mainFileRelative))) {
              const mainExportFile = toPath3(mainFileRelative, packageRootPath, getCanonicalFileName);
              const canonicalModuleFileToTry = getCanonicalFileName(moduleFileToTry);
              if (removeFileExtension(mainExportFile) === removeFileExtension(canonicalModuleFileToTry)) {
                return { packageRootPath, moduleFileToTry };
              } else if ((packageJsonContent == null ? void 0 : packageJsonContent.type) !== "module" && !fileExtensionIsOneOf(canonicalModuleFileToTry, extensionsNotSupportingExtensionlessResolution) && startsWith2(canonicalModuleFileToTry, mainExportFile) && getDirectoryPath(canonicalModuleFileToTry) === removeTrailingDirectorySeparator(mainExportFile) && removeFileExtension(getBaseFileName(canonicalModuleFileToTry)) === "index") {
                return { packageRootPath, moduleFileToTry };
              }
            }
          } else {
            const fileName = getCanonicalFileName(moduleFileToTry.substring(parts.packageRootIndex + 1));
            if (fileName === "index.d.ts" || fileName === "index.js" || fileName === "index.ts" || fileName === "index.tsx") {
              return { moduleFileToTry, packageRootPath };
            }
          }
          return { moduleFileToTry };
        }
      }
      function tryGetAnyFileFromPath(host, path17) {
        if (!host.fileExists) return;
        const extensions = flatten(getSupportedExtensions({ allowJs: true }, [{ extension: "node", isMixedContent: false }, {
          extension: "json",
          isMixedContent: false,
          scriptKind: 6
          /* JSON */
        }]));
        for (const e of extensions) {
          const fullPath = path17 + e;
          if (host.fileExists(fullPath)) {
            return fullPath;
          }
        }
      }
      function getPathsRelativeToRootDirs(path17, rootDirs, getCanonicalFileName) {
        return mapDefined(rootDirs, (rootDir) => {
          const relativePath = getRelativePathIfInSameVolume(path17, rootDir, getCanonicalFileName);
          return relativePath !== void 0 && isPathRelativeToParent(relativePath) ? void 0 : relativePath;
        });
      }
      function processEnding(fileName, allowedEndings, options, host) {
        if (fileExtensionIsOneOf(fileName, [
          ".json",
          ".mjs",
          ".cjs"
          /* Cjs */
        ])) {
          return fileName;
        }
        const noExtension = removeFileExtension(fileName);
        if (fileName === noExtension) {
          return fileName;
        }
        const jsPriority = allowedEndings.indexOf(
          2
          /* JsExtension */
        );
        const tsPriority = allowedEndings.indexOf(
          3
          /* TsExtension */
        );
        if (fileExtensionIsOneOf(fileName, [
          ".mts",
          ".cts"
          /* Cts */
        ]) && tsPriority !== -1 && tsPriority < jsPriority) {
          return fileName;
        } else if (fileExtensionIsOneOf(fileName, [
          ".d.mts",
          ".mts",
          ".d.cts",
          ".cts"
          /* Cts */
        ])) {
          return noExtension + getJSExtensionForFile(fileName, options);
        } else if (!fileExtensionIsOneOf(fileName, [
          ".d.ts"
          /* Dts */
        ]) && fileExtensionIsOneOf(fileName, [
          ".ts"
          /* Ts */
        ]) && fileName.includes(".d.")) {
          return tryGetRealFileNameForNonJsDeclarationFileName(fileName);
        }
        switch (allowedEndings[0]) {
          case 0:
            const withoutIndex = removeSuffix(noExtension, "/index");
            if (host && withoutIndex !== noExtension && tryGetAnyFileFromPath(host, withoutIndex)) {
              return noExtension;
            }
            return withoutIndex;
          case 1:
            return noExtension;
          case 2:
            return noExtension + getJSExtensionForFile(fileName, options);
          case 3:
            if (isDeclarationFileName(fileName)) {
              const extensionlessPriority = allowedEndings.findIndex(
                (e) => e === 0 || e === 1
                /* Index */
              );
              return extensionlessPriority !== -1 && extensionlessPriority < jsPriority ? noExtension : noExtension + getJSExtensionForFile(fileName, options);
            }
            return fileName;
          default:
            return Debug.assertNever(allowedEndings[0]);
        }
      }
      function tryGetRealFileNameForNonJsDeclarationFileName(fileName) {
        const baseName = getBaseFileName(fileName);
        if (!endsWith(
          fileName,
          ".ts"
          /* Ts */
        ) || !baseName.includes(".d.") || fileExtensionIsOneOf(baseName, [
          ".d.ts"
          /* Dts */
        ])) return void 0;
        const noExtension = removeExtension(
          fileName,
          ".ts"
          /* Ts */
        );
        const ext = noExtension.substring(noExtension.lastIndexOf("."));
        return noExtension.substring(0, noExtension.indexOf(".d.")) + ext;
      }
      function getJSExtensionForFile(fileName, options) {
        return tryGetJSExtensionForFile(fileName, options) ?? Debug.fail(`Extension ${extensionFromPath(fileName)} is unsupported:: FileName:: ${fileName}`);
      }
      function tryGetJSExtensionForFile(fileName, options) {
        const ext = tryGetExtensionFromPath2(fileName);
        switch (ext) {
          case ".ts":
          case ".d.ts":
            return ".js";
          case ".tsx":
            return options.jsx === 1 ? ".jsx" : ".js";
          case ".js":
          case ".jsx":
          case ".json":
            return ext;
          case ".d.mts":
          case ".mts":
          case ".mjs":
            return ".mjs";
          case ".d.cts":
          case ".cts":
          case ".cjs":
            return ".cjs";
          default:
            return void 0;
        }
      }
      function getRelativePathIfInSameVolume(path17, directoryPath, getCanonicalFileName) {
        const relativePath = getRelativePathToDirectoryOrUrl(
          directoryPath,
          path17,
          directoryPath,
          getCanonicalFileName,
          /*isAbsolutePathAnUrl*/
          false
        );
        return isRootedDiskPath(relativePath) ? void 0 : relativePath;
      }
      function isPathRelativeToParent(path17) {
        return startsWith2(path17, "..");
      }
      var ambientModuleSymbolRegex = /^".+"$/;
      var anon = "(anonymous)";
      var nextSymbolId = 1;
      var nextNodeId = 1;
      var nextMergeId = 1;
      var nextFlowId = 1;
      var TypeFacts = /* @__PURE__ */ ((TypeFacts3) => {
        TypeFacts3[TypeFacts3["None"] = 0] = "None";
        TypeFacts3[TypeFacts3["TypeofEQString"] = 1] = "TypeofEQString";
        TypeFacts3[TypeFacts3["TypeofEQNumber"] = 2] = "TypeofEQNumber";
        TypeFacts3[TypeFacts3["TypeofEQBigInt"] = 4] = "TypeofEQBigInt";
        TypeFacts3[TypeFacts3["TypeofEQBoolean"] = 8] = "TypeofEQBoolean";
        TypeFacts3[TypeFacts3["TypeofEQSymbol"] = 16] = "TypeofEQSymbol";
        TypeFacts3[TypeFacts3["TypeofEQObject"] = 32] = "TypeofEQObject";
        TypeFacts3[TypeFacts3["TypeofEQFunction"] = 64] = "TypeofEQFunction";
        TypeFacts3[TypeFacts3["TypeofEQHostObject"] = 128] = "TypeofEQHostObject";
        TypeFacts3[TypeFacts3["TypeofNEString"] = 256] = "TypeofNEString";
        TypeFacts3[TypeFacts3["TypeofNENumber"] = 512] = "TypeofNENumber";
        TypeFacts3[TypeFacts3["TypeofNEBigInt"] = 1024] = "TypeofNEBigInt";
        TypeFacts3[TypeFacts3["TypeofNEBoolean"] = 2048] = "TypeofNEBoolean";
        TypeFacts3[TypeFacts3["TypeofNESymbol"] = 4096] = "TypeofNESymbol";
        TypeFacts3[TypeFacts3["TypeofNEObject"] = 8192] = "TypeofNEObject";
        TypeFacts3[TypeFacts3["TypeofNEFunction"] = 16384] = "TypeofNEFunction";
        TypeFacts3[TypeFacts3["TypeofNEHostObject"] = 32768] = "TypeofNEHostObject";
        TypeFacts3[TypeFacts3["EQUndefined"] = 65536] = "EQUndefined";
        TypeFacts3[TypeFacts3["EQNull"] = 131072] = "EQNull";
        TypeFacts3[TypeFacts3["EQUndefinedOrNull"] = 262144] = "EQUndefinedOrNull";
        TypeFacts3[TypeFacts3["NEUndefined"] = 524288] = "NEUndefined";
        TypeFacts3[TypeFacts3["NENull"] = 1048576] = "NENull";
        TypeFacts3[TypeFacts3["NEUndefinedOrNull"] = 2097152] = "NEUndefinedOrNull";
        TypeFacts3[TypeFacts3["Truthy"] = 4194304] = "Truthy";
        TypeFacts3[TypeFacts3["Falsy"] = 8388608] = "Falsy";
        TypeFacts3[TypeFacts3["IsUndefined"] = 16777216] = "IsUndefined";
        TypeFacts3[TypeFacts3["IsNull"] = 33554432] = "IsNull";
        TypeFacts3[TypeFacts3["IsUndefinedOrNull"] = 50331648] = "IsUndefinedOrNull";
        TypeFacts3[TypeFacts3["All"] = 134217727] = "All";
        TypeFacts3[TypeFacts3["BaseStringStrictFacts"] = 3735041] = "BaseStringStrictFacts";
        TypeFacts3[TypeFacts3["BaseStringFacts"] = 12582401] = "BaseStringFacts";
        TypeFacts3[TypeFacts3["StringStrictFacts"] = 16317953] = "StringStrictFacts";
        TypeFacts3[TypeFacts3["StringFacts"] = 16776705] = "StringFacts";
        TypeFacts3[TypeFacts3["EmptyStringStrictFacts"] = 12123649] = "EmptyStringStrictFacts";
        TypeFacts3[
          TypeFacts3["EmptyStringFacts"] = 12582401
          /* BaseStringFacts */
        ] = "EmptyStringFacts";
        TypeFacts3[TypeFacts3["NonEmptyStringStrictFacts"] = 7929345] = "NonEmptyStringStrictFacts";
        TypeFacts3[TypeFacts3["NonEmptyStringFacts"] = 16776705] = "NonEmptyStringFacts";
        TypeFacts3[TypeFacts3["BaseNumberStrictFacts"] = 3734786] = "BaseNumberStrictFacts";
        TypeFacts3[TypeFacts3["BaseNumberFacts"] = 12582146] = "BaseNumberFacts";
        TypeFacts3[TypeFacts3["NumberStrictFacts"] = 16317698] = "NumberStrictFacts";
        TypeFacts3[TypeFacts3["NumberFacts"] = 16776450] = "NumberFacts";
        TypeFacts3[TypeFacts3["ZeroNumberStrictFacts"] = 12123394] = "ZeroNumberStrictFacts";
        TypeFacts3[
          TypeFacts3["ZeroNumberFacts"] = 12582146
          /* BaseNumberFacts */
        ] = "ZeroNumberFacts";
        TypeFacts3[TypeFacts3["NonZeroNumberStrictFacts"] = 7929090] = "NonZeroNumberStrictFacts";
        TypeFacts3[TypeFacts3["NonZeroNumberFacts"] = 16776450] = "NonZeroNumberFacts";
        TypeFacts3[TypeFacts3["BaseBigIntStrictFacts"] = 3734276] = "BaseBigIntStrictFacts";
        TypeFacts3[TypeFacts3["BaseBigIntFacts"] = 12581636] = "BaseBigIntFacts";
        TypeFacts3[TypeFacts3["BigIntStrictFacts"] = 16317188] = "BigIntStrictFacts";
        TypeFacts3[TypeFacts3["BigIntFacts"] = 16775940] = "BigIntFacts";
        TypeFacts3[TypeFacts3["ZeroBigIntStrictFacts"] = 12122884] = "ZeroBigIntStrictFacts";
        TypeFacts3[
          TypeFacts3["ZeroBigIntFacts"] = 12581636
          /* BaseBigIntFacts */
        ] = "ZeroBigIntFacts";
        TypeFacts3[TypeFacts3["NonZeroBigIntStrictFacts"] = 7928580] = "NonZeroBigIntStrictFacts";
        TypeFacts3[TypeFacts3["NonZeroBigIntFacts"] = 16775940] = "NonZeroBigIntFacts";
        TypeFacts3[TypeFacts3["BaseBooleanStrictFacts"] = 3733256] = "BaseBooleanStrictFacts";
        TypeFacts3[TypeFacts3["BaseBooleanFacts"] = 12580616] = "BaseBooleanFacts";
        TypeFacts3[TypeFacts3["BooleanStrictFacts"] = 16316168] = "BooleanStrictFacts";
        TypeFacts3[TypeFacts3["BooleanFacts"] = 16774920] = "BooleanFacts";
        TypeFacts3[TypeFacts3["FalseStrictFacts"] = 12121864] = "FalseStrictFacts";
        TypeFacts3[
          TypeFacts3["FalseFacts"] = 12580616
          /* BaseBooleanFacts */
        ] = "FalseFacts";
        TypeFacts3[TypeFacts3["TrueStrictFacts"] = 7927560] = "TrueStrictFacts";
        TypeFacts3[TypeFacts3["TrueFacts"] = 16774920] = "TrueFacts";
        TypeFacts3[TypeFacts3["SymbolStrictFacts"] = 7925520] = "SymbolStrictFacts";
        TypeFacts3[TypeFacts3["SymbolFacts"] = 16772880] = "SymbolFacts";
        TypeFacts3[TypeFacts3["ObjectStrictFacts"] = 7888800] = "ObjectStrictFacts";
        TypeFacts3[TypeFacts3["ObjectFacts"] = 16736160] = "ObjectFacts";
        TypeFacts3[TypeFacts3["FunctionStrictFacts"] = 7880640] = "FunctionStrictFacts";
        TypeFacts3[TypeFacts3["FunctionFacts"] = 16728e3] = "FunctionFacts";
        TypeFacts3[TypeFacts3["VoidFacts"] = 9830144] = "VoidFacts";
        TypeFacts3[TypeFacts3["UndefinedFacts"] = 26607360] = "UndefinedFacts";
        TypeFacts3[TypeFacts3["NullFacts"] = 42917664] = "NullFacts";
        TypeFacts3[TypeFacts3["EmptyObjectStrictFacts"] = 83427327] = "EmptyObjectStrictFacts";
        TypeFacts3[TypeFacts3["EmptyObjectFacts"] = 83886079] = "EmptyObjectFacts";
        TypeFacts3[TypeFacts3["UnknownFacts"] = 83886079] = "UnknownFacts";
        TypeFacts3[TypeFacts3["AllTypeofNE"] = 556800] = "AllTypeofNE";
        TypeFacts3[TypeFacts3["OrFactsMask"] = 8256] = "OrFactsMask";
        TypeFacts3[TypeFacts3["AndFactsMask"] = 134209471] = "AndFactsMask";
        return TypeFacts3;
      })(TypeFacts || {});
      var typeofNEFacts = new Map(Object.entries({
        string: 256,
        number: 512,
        bigint: 1024,
        boolean: 2048,
        symbol: 4096,
        undefined: 524288,
        object: 8192,
        function: 16384
        /* TypeofNEFunction */
      }));
      var CheckMode = /* @__PURE__ */ ((CheckMode3) => {
        CheckMode3[CheckMode3["Normal"] = 0] = "Normal";
        CheckMode3[CheckMode3["Contextual"] = 1] = "Contextual";
        CheckMode3[CheckMode3["Inferential"] = 2] = "Inferential";
        CheckMode3[CheckMode3["SkipContextSensitive"] = 4] = "SkipContextSensitive";
        CheckMode3[CheckMode3["SkipGenericFunctions"] = 8] = "SkipGenericFunctions";
        CheckMode3[CheckMode3["IsForSignatureHelp"] = 16] = "IsForSignatureHelp";
        CheckMode3[CheckMode3["RestBindingElement"] = 32] = "RestBindingElement";
        CheckMode3[CheckMode3["TypeOnly"] = 64] = "TypeOnly";
        return CheckMode3;
      })(CheckMode || {});
      var SignatureCheckMode = /* @__PURE__ */ ((SignatureCheckMode3) => {
        SignatureCheckMode3[SignatureCheckMode3["None"] = 0] = "None";
        SignatureCheckMode3[SignatureCheckMode3["BivariantCallback"] = 1] = "BivariantCallback";
        SignatureCheckMode3[SignatureCheckMode3["StrictCallback"] = 2] = "StrictCallback";
        SignatureCheckMode3[SignatureCheckMode3["IgnoreReturnTypes"] = 4] = "IgnoreReturnTypes";
        SignatureCheckMode3[SignatureCheckMode3["StrictArity"] = 8] = "StrictArity";
        SignatureCheckMode3[SignatureCheckMode3["StrictTopSignature"] = 16] = "StrictTopSignature";
        SignatureCheckMode3[SignatureCheckMode3["Callback"] = 3] = "Callback";
        return SignatureCheckMode3;
      })(SignatureCheckMode || {});
      var isNotOverloadAndNotAccessor = and(isNotOverload, isNotAccessor);
      var intrinsicTypeKinds = new Map(Object.entries({
        Uppercase: 0,
        Lowercase: 1,
        Capitalize: 2,
        Uncapitalize: 3,
        NoInfer: 4
        /* NoInfer */
      }));
      var SymbolLinks = class {
      };
      function NodeLinks() {
        this.flags = 0;
      }
      function getNodeId(node) {
        if (!node.id) {
          node.id = nextNodeId;
          nextNodeId++;
        }
        return node.id;
      }
      function getSymbolId(symbol) {
        if (!symbol.id) {
          symbol.id = nextSymbolId;
          nextSymbolId++;
        }
        return symbol.id;
      }
      function isInstantiatedModule(node, preserveConstEnums) {
        const moduleState = getModuleInstanceState(node);
        return moduleState === 1 || preserveConstEnums && moduleState === 2;
      }
      function createTypeChecker(host) {
        var deferredDiagnosticsCallbacks = [];
        var addLazyDiagnostic = (arg) => {
          deferredDiagnosticsCallbacks.push(arg);
        };
        var cancellationToken;
        var scanner2;
        var Symbol47 = objectAllocator.getSymbolConstructor();
        var Type29 = objectAllocator.getTypeConstructor();
        var Signature14 = objectAllocator.getSignatureConstructor();
        var typeCount = 0;
        var symbolCount = 0;
        var totalInstantiationCount = 0;
        var instantiationCount = 0;
        var instantiationDepth = 0;
        var inlineLevel = 0;
        var currentNode;
        var varianceTypeParameter;
        var isInferencePartiallyBlocked = false;
        var emptySymbols = createSymbolTable();
        var arrayVariances = [
          1
          /* Covariant */
        ];
        var compilerOptions = host.getCompilerOptions();
        var languageVersion = getEmitScriptTarget(compilerOptions);
        var moduleKind = getEmitModuleKind(compilerOptions);
        var legacyDecorators = !!compilerOptions.experimentalDecorators;
        var useDefineForClassFields = getUseDefineForClassFields(compilerOptions);
        var emitStandardClassFields = getEmitStandardClassFields(compilerOptions);
        var allowSyntheticDefaultImports = getAllowSyntheticDefaultImports(compilerOptions);
        var strictNullChecks = getStrictOptionValue(compilerOptions, "strictNullChecks");
        var strictFunctionTypes = getStrictOptionValue(compilerOptions, "strictFunctionTypes");
        var strictBindCallApply = getStrictOptionValue(compilerOptions, "strictBindCallApply");
        var strictPropertyInitialization = getStrictOptionValue(compilerOptions, "strictPropertyInitialization");
        var noImplicitAny = getStrictOptionValue(compilerOptions, "noImplicitAny");
        var noImplicitThis = getStrictOptionValue(compilerOptions, "noImplicitThis");
        var useUnknownInCatchVariables = getStrictOptionValue(compilerOptions, "useUnknownInCatchVariables");
        var exactOptionalPropertyTypes = compilerOptions.exactOptionalPropertyTypes;
        var checkBinaryExpression = createCheckBinaryExpression();
        var emitResolver = createResolver();
        var nodeBuilder = createNodeBuilder();
        var syntacticNodeBuilder = createSyntacticTypeNodeBuilder(compilerOptions, {
          isEntityNameVisible,
          isExpandoFunctionDeclaration,
          getAllAccessorDeclarations: getAllAccessorDeclarationsForDeclaration,
          requiresAddingImplicitUndefined,
          isUndefinedIdentifierExpression(node) {
            Debug.assert(isExpressionNode(node));
            return getSymbolAtLocation(node) === undefinedSymbol;
          },
          isDefinitelyReferenceToGlobalSymbolObject
        });
        var evaluate = createEvaluator({
          evaluateElementAccessExpression,
          evaluateEntityNameExpression
        });
        var globals2 = createSymbolTable();
        var undefinedSymbol = createSymbol(4, "undefined");
        undefinedSymbol.declarations = [];
        var globalThisSymbol = createSymbol(
          1536,
          "globalThis",
          8
          /* Readonly */
        );
        globalThisSymbol.exports = globals2;
        globalThisSymbol.declarations = [];
        globals2.set(globalThisSymbol.escapedName, globalThisSymbol);
        var argumentsSymbol = createSymbol(4, "arguments");
        var requireSymbol = createSymbol(4, "require");
        var isolatedModulesLikeFlagName = compilerOptions.verbatimModuleSyntax ? "verbatimModuleSyntax" : "isolatedModules";
        var canCollectSymbolAliasAccessabilityData = !compilerOptions.verbatimModuleSyntax;
        var apparentArgumentCount;
        var lastGetCombinedNodeFlagsNode;
        var lastGetCombinedNodeFlagsResult = 0;
        var lastGetCombinedModifierFlagsNode;
        var lastGetCombinedModifierFlagsResult = 0;
        var resolveName = createNameResolver({
          compilerOptions,
          requireSymbol,
          argumentsSymbol,
          globals: globals2,
          getSymbolOfDeclaration,
          error: error2,
          getRequiresScopeChangeCache,
          setRequiresScopeChangeCache,
          lookup: getSymbol2,
          onPropertyWithInvalidInitializer: checkAndReportErrorForInvalidInitializer,
          onFailedToResolveSymbol,
          onSuccessfullyResolvedSymbol
        });
        var resolveNameForSymbolSuggestion = createNameResolver({
          compilerOptions,
          requireSymbol,
          argumentsSymbol,
          globals: globals2,
          getSymbolOfDeclaration,
          error: error2,
          getRequiresScopeChangeCache,
          setRequiresScopeChangeCache,
          lookup: getSuggestionForSymbolNameLookup
        });
        const checker = {
          getNodeCount: () => reduceLeft(host.getSourceFiles(), (n, s) => n + s.nodeCount, 0),
          getIdentifierCount: () => reduceLeft(host.getSourceFiles(), (n, s) => n + s.identifierCount, 0),
          getSymbolCount: () => reduceLeft(host.getSourceFiles(), (n, s) => n + s.symbolCount, symbolCount),
          getTypeCount: () => typeCount,
          getInstantiationCount: () => totalInstantiationCount,
          getRelationCacheSizes: () => ({
            assignable: assignableRelation.size,
            identity: identityRelation.size,
            subtype: subtypeRelation.size,
            strictSubtype: strictSubtypeRelation.size
          }),
          isUndefinedSymbol: (symbol) => symbol === undefinedSymbol,
          isArgumentsSymbol: (symbol) => symbol === argumentsSymbol,
          isUnknownSymbol: (symbol) => symbol === unknownSymbol,
          getMergedSymbol,
          symbolIsValue,
          getDiagnostics: getDiagnostics2,
          getGlobalDiagnostics,
          getRecursionIdentity,
          getUnmatchedProperties,
          getTypeOfSymbolAtLocation: (symbol, locationIn) => {
            const location = getParseTreeNode(locationIn);
            return location ? getTypeOfSymbolAtLocation(symbol, location) : errorType;
          },
          getTypeOfSymbol,
          getSymbolsOfParameterPropertyDeclaration: (parameterIn, parameterName) => {
            const parameter = getParseTreeNode(parameterIn, isParameter);
            if (parameter === void 0) return Debug.fail("Cannot get symbols of a synthetic parameter that cannot be resolved to a parse-tree node.");
            Debug.assert(isParameterPropertyDeclaration(parameter, parameter.parent));
            return getSymbolsOfParameterPropertyDeclaration(parameter, escapeLeadingUnderscores(parameterName));
          },
          getDeclaredTypeOfSymbol,
          getPropertiesOfType,
          getPropertyOfType: (type, name) => getPropertyOfType(type, escapeLeadingUnderscores(name)),
          getPrivateIdentifierPropertyOfType: (leftType, name, location) => {
            const node = getParseTreeNode(location);
            if (!node) {
              return void 0;
            }
            const propName = escapeLeadingUnderscores(name);
            const lexicallyScopedIdentifier = lookupSymbolForPrivateIdentifierDeclaration(propName, node);
            return lexicallyScopedIdentifier ? getPrivateIdentifierPropertyOfType(leftType, lexicallyScopedIdentifier) : void 0;
          },
          getTypeOfPropertyOfType: (type, name) => getTypeOfPropertyOfType(type, escapeLeadingUnderscores(name)),
          getIndexInfoOfType: (type, kind) => getIndexInfoOfType(type, kind === 0 ? stringType2 : numberType2),
          getIndexInfosOfType,
          getIndexInfosOfIndexSymbol,
          getSignaturesOfType,
          getIndexTypeOfType: (type, kind) => getIndexTypeOfType(type, kind === 0 ? stringType2 : numberType2),
          getIndexType: (type) => getIndexType(type),
          getBaseTypes,
          getBaseTypeOfLiteralType,
          getWidenedType,
          getWidenedLiteralType,
          getTypeFromTypeNode: (nodeIn) => {
            const node = getParseTreeNode(nodeIn, isTypeNode);
            return node ? getTypeFromTypeNode(node) : errorType;
          },
          getParameterType: getTypeAtPosition,
          getParameterIdentifierInfoAtPosition,
          getPromisedTypeOfPromise,
          getAwaitedType: (type) => getAwaitedType(type),
          getReturnTypeOfSignature,
          isNullableType,
          getNullableType,
          getNonNullableType,
          getNonOptionalType: removeOptionalTypeMarker,
          getTypeArguments,
          typeToTypeNode: nodeBuilder.typeToTypeNode,
          indexInfoToIndexSignatureDeclaration: nodeBuilder.indexInfoToIndexSignatureDeclaration,
          signatureToSignatureDeclaration: nodeBuilder.signatureToSignatureDeclaration,
          symbolToEntityName: nodeBuilder.symbolToEntityName,
          symbolToExpression: nodeBuilder.symbolToExpression,
          symbolToNode: nodeBuilder.symbolToNode,
          symbolToTypeParameterDeclarations: nodeBuilder.symbolToTypeParameterDeclarations,
          symbolToParameterDeclaration: nodeBuilder.symbolToParameterDeclaration,
          typeParameterToDeclaration: nodeBuilder.typeParameterToDeclaration,
          getSymbolsInScope: (locationIn, meaning) => {
            const location = getParseTreeNode(locationIn);
            return location ? getSymbolsInScope(location, meaning) : [];
          },
          getSymbolAtLocation: (nodeIn) => {
            const node = getParseTreeNode(nodeIn);
            return node ? getSymbolAtLocation(
              node,
              /*ignoreErrors*/
              true
            ) : void 0;
          },
          getIndexInfosAtLocation: (nodeIn) => {
            const node = getParseTreeNode(nodeIn);
            return node ? getIndexInfosAtLocation(node) : void 0;
          },
          getShorthandAssignmentValueSymbol: (nodeIn) => {
            const node = getParseTreeNode(nodeIn);
            return node ? getShorthandAssignmentValueSymbol(node) : void 0;
          },
          getExportSpecifierLocalTargetSymbol: (nodeIn) => {
            const node = getParseTreeNode(nodeIn, isExportSpecifier);
            return node ? getExportSpecifierLocalTargetSymbol(node) : void 0;
          },
          getExportSymbolOfSymbol(symbol) {
            return getMergedSymbol(symbol.exportSymbol || symbol);
          },
          getTypeAtLocation: (nodeIn) => {
            const node = getParseTreeNode(nodeIn);
            return node ? getTypeOfNode(node) : errorType;
          },
          getTypeOfAssignmentPattern: (nodeIn) => {
            const node = getParseTreeNode(nodeIn, isAssignmentPattern);
            return node && getTypeOfAssignmentPattern(node) || errorType;
          },
          getPropertySymbolOfDestructuringAssignment: (locationIn) => {
            const location = getParseTreeNode(locationIn, isIdentifier);
            return location ? getPropertySymbolOfDestructuringAssignment(location) : void 0;
          },
          signatureToString: (signature, enclosingDeclaration, flags, kind) => {
            return signatureToString(signature, getParseTreeNode(enclosingDeclaration), flags, kind);
          },
          typeToString: (type, enclosingDeclaration, flags) => {
            return typeToString(type, getParseTreeNode(enclosingDeclaration), flags);
          },
          symbolToString: (symbol, enclosingDeclaration, meaning, flags) => {
            return symbolToString2(symbol, getParseTreeNode(enclosingDeclaration), meaning, flags);
          },
          typePredicateToString: (predicate, enclosingDeclaration, flags) => {
            return typePredicateToString(predicate, getParseTreeNode(enclosingDeclaration), flags);
          },
          writeSignature: (signature, enclosingDeclaration, flags, kind, writer) => {
            return signatureToString(signature, getParseTreeNode(enclosingDeclaration), flags, kind, writer);
          },
          writeType: (type, enclosingDeclaration, flags, writer) => {
            return typeToString(type, getParseTreeNode(enclosingDeclaration), flags, writer);
          },
          writeSymbol: (symbol, enclosingDeclaration, meaning, flags, writer) => {
            return symbolToString2(symbol, getParseTreeNode(enclosingDeclaration), meaning, flags, writer);
          },
          writeTypePredicate: (predicate, enclosingDeclaration, flags, writer) => {
            return typePredicateToString(predicate, getParseTreeNode(enclosingDeclaration), flags, writer);
          },
          getAugmentedPropertiesOfType,
          getRootSymbols,
          getSymbolOfExpando,
          getContextualType: (nodeIn, contextFlags) => {
            const node = getParseTreeNode(nodeIn, isExpression);
            if (!node) {
              return void 0;
            }
            if (contextFlags & 4) {
              return runWithInferenceBlockedFromSourceNode(node, () => getContextualType2(node, contextFlags));
            }
            return getContextualType2(node, contextFlags);
          },
          getContextualTypeForObjectLiteralElement: (nodeIn) => {
            const node = getParseTreeNode(nodeIn, isObjectLiteralElementLike);
            return node ? getContextualTypeForObjectLiteralElement(
              node,
              /*contextFlags*/
              void 0
            ) : void 0;
          },
          getContextualTypeForArgumentAtIndex: (nodeIn, argIndex) => {
            const node = getParseTreeNode(nodeIn, isCallLikeExpression);
            return node && getContextualTypeForArgumentAtIndex(node, argIndex);
          },
          getContextualTypeForJsxAttribute: (nodeIn) => {
            const node = getParseTreeNode(nodeIn, isJsxAttributeLike);
            return node && getContextualTypeForJsxAttribute(
              node,
              /*contextFlags*/
              void 0
            );
          },
          isContextSensitive,
          getTypeOfPropertyOfContextualType,
          getFullyQualifiedName,
          getResolvedSignature: (node, candidatesOutArray, argumentCount) => getResolvedSignatureWorker(
            node,
            candidatesOutArray,
            argumentCount,
            0
            /* Normal */
          ),
          getCandidateSignaturesForStringLiteralCompletions,
          getResolvedSignatureForSignatureHelp: (node, candidatesOutArray, argumentCount) => runWithoutResolvedSignatureCaching(node, () => getResolvedSignatureWorker(
            node,
            candidatesOutArray,
            argumentCount,
            16
            /* IsForSignatureHelp */
          )),
          getExpandedParameters,
          hasEffectiveRestParameter,
          containsArgumentsReference,
          getConstantValue: (nodeIn) => {
            const node = getParseTreeNode(nodeIn, canHaveConstantValue);
            return node ? getConstantValue2(node) : void 0;
          },
          isValidPropertyAccess: (nodeIn, propertyName) => {
            const node = getParseTreeNode(nodeIn, isPropertyAccessOrQualifiedNameOrImportTypeNode);
            return !!node && isValidPropertyAccess(node, escapeLeadingUnderscores(propertyName));
          },
          isValidPropertyAccessForCompletions: (nodeIn, type, property) => {
            const node = getParseTreeNode(nodeIn, isPropertyAccessExpression);
            return !!node && isValidPropertyAccessForCompletions(node, type, property);
          },
          getSignatureFromDeclaration: (declarationIn) => {
            const declaration = getParseTreeNode(declarationIn, isFunctionLike);
            return declaration ? getSignatureFromDeclaration(declaration) : void 0;
          },
          isImplementationOfOverload: (nodeIn) => {
            const node = getParseTreeNode(nodeIn, isFunctionLike);
            return node ? isImplementationOfOverload(node) : void 0;
          },
          getImmediateAliasedSymbol,
          getAliasedSymbol: resolveAlias,
          getEmitResolver,
          requiresAddingImplicitUndefined,
          getExportsOfModule: getExportsOfModuleAsArray,
          getExportsAndPropertiesOfModule,
          forEachExportAndPropertyOfModule,
          getSymbolWalker: createGetSymbolWalker(
            getRestTypeOfSignature,
            getTypePredicateOfSignature,
            getReturnTypeOfSignature,
            getBaseTypes,
            resolveStructuredTypeMembers,
            getTypeOfSymbol,
            getResolvedSymbol,
            getConstraintOfTypeParameter,
            getFirstIdentifier,
            getTypeArguments
          ),
          getAmbientModules,
          getJsxIntrinsicTagNamesAt,
          isOptionalParameter: (nodeIn) => {
            const node = getParseTreeNode(nodeIn, isParameter);
            return node ? isOptionalParameter(node) : false;
          },
          tryGetMemberInModuleExports: (name, symbol) => tryGetMemberInModuleExports(escapeLeadingUnderscores(name), symbol),
          tryGetMemberInModuleExportsAndProperties: (name, symbol) => tryGetMemberInModuleExportsAndProperties(escapeLeadingUnderscores(name), symbol),
          tryFindAmbientModule: (moduleName) => tryFindAmbientModule(
            moduleName,
            /*withAugmentations*/
            true
          ),
          tryFindAmbientModuleWithoutAugmentations: (moduleName) => {
            return tryFindAmbientModule(
              moduleName,
              /*withAugmentations*/
              false
            );
          },
          getApparentType,
          getUnionType,
          isTypeAssignableTo,
          createAnonymousType,
          createSignature,
          createSymbol,
          createIndexInfo,
          getAnyType: () => anyType2,
          getStringType: () => stringType2,
          getStringLiteralType,
          getNumberType: () => numberType2,
          getNumberLiteralType,
          getBigIntType: () => bigintType,
          createPromiseType,
          createArrayType,
          getElementTypeOfArrayType,
          getBooleanType: () => booleanType2,
          getFalseType: (fresh) => fresh ? falseType : regularFalseType,
          getTrueType: (fresh) => fresh ? trueType : regularTrueType,
          getVoidType: () => voidType2,
          getUndefinedType: () => undefinedType2,
          getNullType: () => nullType2,
          getESSymbolType: () => esSymbolType,
          getNeverType: () => neverType2,
          getOptionalType: () => optionalType2,
          getPromiseType: () => getGlobalPromiseType(
            /*reportErrors*/
            false
          ),
          getPromiseLikeType: () => getGlobalPromiseLikeType(
            /*reportErrors*/
            false
          ),
          getAsyncIterableType: () => {
            const type = getGlobalAsyncIterableType(
              /*reportErrors*/
              false
            );
            if (type === emptyGenericType) return void 0;
            return type;
          },
          isSymbolAccessible,
          isArrayType,
          isTupleType,
          isArrayLikeType,
          isEmptyAnonymousObjectType,
          isTypeInvalidDueToUnionDiscriminant,
          getExactOptionalProperties,
          getAllPossiblePropertiesOfTypes,
          getSuggestedSymbolForNonexistentProperty,
          getSuggestedSymbolForNonexistentJSXAttribute,
          getSuggestedSymbolForNonexistentSymbol: (location, name, meaning) => getSuggestedSymbolForNonexistentSymbol(location, escapeLeadingUnderscores(name), meaning),
          getSuggestedSymbolForNonexistentModule,
          getSuggestedSymbolForNonexistentClassMember,
          getBaseConstraintOfType,
          getDefaultFromTypeParameter: (type) => type && type.flags & 262144 ? getDefaultFromTypeParameter(type) : void 0,
          resolveName(name, location, meaning, excludeGlobals) {
            return resolveName(
              location,
              escapeLeadingUnderscores(name),
              meaning,
              /*nameNotFoundMessage*/
              void 0,
              /*isUse*/
              false,
              excludeGlobals
            );
          },
          getJsxNamespace: (n) => unescapeLeadingUnderscores(getJsxNamespace(n)),
          getJsxFragmentFactory: (n) => {
            const jsxFragmentFactory = getJsxFragmentFactoryEntity(n);
            return jsxFragmentFactory && unescapeLeadingUnderscores(getFirstIdentifier(jsxFragmentFactory).escapedText);
          },
          getAccessibleSymbolChain,
          getTypePredicateOfSignature,
          resolveExternalModuleName: (moduleSpecifierIn) => {
            const moduleSpecifier = getParseTreeNode(moduleSpecifierIn, isExpression);
            return moduleSpecifier && resolveExternalModuleName(
              moduleSpecifier,
              moduleSpecifier,
              /*ignoreErrors*/
              true
            );
          },
          resolveExternalModuleSymbol,
          tryGetThisTypeAt: (nodeIn, includeGlobalThis, container) => {
            const node = getParseTreeNode(nodeIn);
            return node && tryGetThisTypeAt(node, includeGlobalThis, container);
          },
          getTypeArgumentConstraint: (nodeIn) => {
            const node = getParseTreeNode(nodeIn, isTypeNode);
            return node && getTypeArgumentConstraint(node);
          },
          getSuggestionDiagnostics: (fileIn, ct) => {
            const file = getParseTreeNode(fileIn, isSourceFile) || Debug.fail("Could not determine parsed source file.");
            if (skipTypeChecking(file, compilerOptions, host)) {
              return emptyArray;
            }
            let diagnostics2;
            try {
              cancellationToken = ct;
              checkSourceFileWithEagerDiagnostics(file);
              Debug.assert(!!(getNodeLinks(file).flags & 1));
              diagnostics2 = addRange(diagnostics2, suggestionDiagnostics.getDiagnostics(file.fileName));
              checkUnusedIdentifiers(getPotentiallyUnusedIdentifiers(file), (containingNode, kind, diag2) => {
                if (!containsParseError(containingNode) && !unusedIsError(kind, !!(containingNode.flags & 33554432))) {
                  (diagnostics2 || (diagnostics2 = [])).push({
                    ...diag2,
                    category: 2
                    /* Suggestion */
                  });
                }
              });
              return diagnostics2 || emptyArray;
            } finally {
              cancellationToken = void 0;
            }
          },
          runWithCancellationToken: (token, callback) => {
            try {
              cancellationToken = token;
              return callback(checker);
            } finally {
              cancellationToken = void 0;
            }
          },
          getLocalTypeParametersOfClassOrInterfaceOrTypeAlias,
          isDeclarationVisible,
          isPropertyAccessible,
          getTypeOnlyAliasDeclaration,
          getMemberOverrideModifierStatus,
          isTypeParameterPossiblyReferenced,
          typeHasCallOrConstructSignatures,
          getSymbolFlags
        };
        function getCandidateSignaturesForStringLiteralCompletions(call, editingArgument) {
          const candidatesSet = /* @__PURE__ */ new Set();
          const candidates = [];
          runWithInferenceBlockedFromSourceNode(editingArgument, () => getResolvedSignatureWorker(
            call,
            candidates,
            /*argumentCount*/
            void 0,
            0
            /* Normal */
          ));
          for (const candidate of candidates) {
            candidatesSet.add(candidate);
          }
          candidates.length = 0;
          runWithoutResolvedSignatureCaching(editingArgument, () => getResolvedSignatureWorker(
            call,
            candidates,
            /*argumentCount*/
            void 0,
            0
            /* Normal */
          ));
          for (const candidate of candidates) {
            candidatesSet.add(candidate);
          }
          return arrayFrom(candidatesSet);
        }
        function runWithoutResolvedSignatureCaching(node, fn) {
          node = findAncestor(node, isCallLikeOrFunctionLikeExpression);
          if (node) {
            const cachedResolvedSignatures = [];
            const cachedTypes2 = [];
            while (node) {
              const nodeLinks2 = getNodeLinks(node);
              cachedResolvedSignatures.push([nodeLinks2, nodeLinks2.resolvedSignature]);
              nodeLinks2.resolvedSignature = void 0;
              if (isFunctionExpressionOrArrowFunction(node)) {
                const symbolLinks2 = getSymbolLinks(getSymbolOfDeclaration(node));
                const type = symbolLinks2.type;
                cachedTypes2.push([symbolLinks2, type]);
                symbolLinks2.type = void 0;
              }
              node = findAncestor(node.parent, isCallLikeOrFunctionLikeExpression);
            }
            const result = fn();
            for (const [nodeLinks2, resolvedSignature] of cachedResolvedSignatures) {
              nodeLinks2.resolvedSignature = resolvedSignature;
            }
            for (const [symbolLinks2, type] of cachedTypes2) {
              symbolLinks2.type = type;
            }
            return result;
          }
          return fn();
        }
        function runWithInferenceBlockedFromSourceNode(node, fn) {
          const containingCall = findAncestor(node, isCallLikeExpression);
          if (containingCall) {
            let toMarkSkip = node;
            do {
              getNodeLinks(toMarkSkip).skipDirectInference = true;
              toMarkSkip = toMarkSkip.parent;
            } while (toMarkSkip && toMarkSkip !== containingCall);
          }
          isInferencePartiallyBlocked = true;
          const result = runWithoutResolvedSignatureCaching(node, fn);
          isInferencePartiallyBlocked = false;
          if (containingCall) {
            let toMarkSkip = node;
            do {
              getNodeLinks(toMarkSkip).skipDirectInference = void 0;
              toMarkSkip = toMarkSkip.parent;
            } while (toMarkSkip && toMarkSkip !== containingCall);
          }
          return result;
        }
        function getResolvedSignatureWorker(nodeIn, candidatesOutArray, argumentCount, checkMode) {
          const node = getParseTreeNode(nodeIn, isCallLikeExpression);
          apparentArgumentCount = argumentCount;
          const res = !node ? void 0 : getResolvedSignature(node, candidatesOutArray, checkMode);
          apparentArgumentCount = void 0;
          return res;
        }
        var tupleTypes = /* @__PURE__ */ new Map();
        var unionTypes = /* @__PURE__ */ new Map();
        var unionOfUnionTypes = /* @__PURE__ */ new Map();
        var intersectionTypes = /* @__PURE__ */ new Map();
        var stringLiteralTypes = /* @__PURE__ */ new Map();
        var numberLiteralTypes = /* @__PURE__ */ new Map();
        var bigIntLiteralTypes = /* @__PURE__ */ new Map();
        var enumLiteralTypes = /* @__PURE__ */ new Map();
        var indexedAccessTypes = /* @__PURE__ */ new Map();
        var templateLiteralTypes = /* @__PURE__ */ new Map();
        var stringMappingTypes = /* @__PURE__ */ new Map();
        var substitutionTypes = /* @__PURE__ */ new Map();
        var subtypeReductionCache = /* @__PURE__ */ new Map();
        var decoratorContextOverrideTypeCache = /* @__PURE__ */ new Map();
        var cachedTypes = /* @__PURE__ */ new Map();
        var evolvingArrayTypes = [];
        var undefinedProperties = /* @__PURE__ */ new Map();
        var markerTypes = /* @__PURE__ */ new Set();
        var unknownSymbol = createSymbol(4, "unknown");
        var resolvingSymbol = createSymbol(
          0,
          "__resolving__"
          /* Resolving */
        );
        var unresolvedSymbols = /* @__PURE__ */ new Map();
        var errorTypes = /* @__PURE__ */ new Map();
        var seenIntrinsicNames = /* @__PURE__ */ new Set();
        var anyType2 = createIntrinsicType(1, "any");
        var autoType = createIntrinsicType(1, "any", 262144, "auto");
        var wildcardType = createIntrinsicType(
          1,
          "any",
          /*objectFlags*/
          void 0,
          "wildcard"
        );
        var blockedStringType = createIntrinsicType(
          1,
          "any",
          /*objectFlags*/
          void 0,
          "blocked string"
        );
        var errorType = createIntrinsicType(1, "error");
        var unresolvedType = createIntrinsicType(1, "unresolved");
        var nonInferrableAnyType = createIntrinsicType(1, "any", 65536, "non-inferrable");
        var intrinsicMarkerType = createIntrinsicType(1, "intrinsic");
        var unknownType2 = createIntrinsicType(2, "unknown");
        var undefinedType2 = createIntrinsicType(32768, "undefined");
        var undefinedWideningType = strictNullChecks ? undefinedType2 : createIntrinsicType(32768, "undefined", 65536, "widening");
        var missingType = createIntrinsicType(
          32768,
          "undefined",
          /*objectFlags*/
          void 0,
          "missing"
        );
        var undefinedOrMissingType = exactOptionalPropertyTypes ? missingType : undefinedType2;
        var optionalType2 = createIntrinsicType(
          32768,
          "undefined",
          /*objectFlags*/
          void 0,
          "optional"
        );
        var nullType2 = createIntrinsicType(65536, "null");
        var nullWideningType = strictNullChecks ? nullType2 : createIntrinsicType(65536, "null", 65536, "widening");
        var stringType2 = createIntrinsicType(4, "string");
        var numberType2 = createIntrinsicType(8, "number");
        var bigintType = createIntrinsicType(64, "bigint");
        var falseType = createIntrinsicType(
          512,
          "false",
          /*objectFlags*/
          void 0,
          "fresh"
        );
        var regularFalseType = createIntrinsicType(512, "false");
        var trueType = createIntrinsicType(
          512,
          "true",
          /*objectFlags*/
          void 0,
          "fresh"
        );
        var regularTrueType = createIntrinsicType(512, "true");
        trueType.regularType = regularTrueType;
        trueType.freshType = trueType;
        regularTrueType.regularType = regularTrueType;
        regularTrueType.freshType = trueType;
        falseType.regularType = regularFalseType;
        falseType.freshType = falseType;
        regularFalseType.regularType = regularFalseType;
        regularFalseType.freshType = falseType;
        var booleanType2 = getUnionType([regularFalseType, regularTrueType]);
        var esSymbolType = createIntrinsicType(4096, "symbol");
        var voidType2 = createIntrinsicType(16384, "void");
        var neverType2 = createIntrinsicType(131072, "never");
        var silentNeverType = createIntrinsicType(131072, "never", 262144, "silent");
        var implicitNeverType = createIntrinsicType(
          131072,
          "never",
          /*objectFlags*/
          void 0,
          "implicit"
        );
        var unreachableNeverType = createIntrinsicType(
          131072,
          "never",
          /*objectFlags*/
          void 0,
          "unreachable"
        );
        var nonPrimitiveType = createIntrinsicType(67108864, "object");
        var stringOrNumberType = getUnionType([stringType2, numberType2]);
        var stringNumberSymbolType = getUnionType([stringType2, numberType2, esSymbolType]);
        var numberOrBigIntType = getUnionType([numberType2, bigintType]);
        var templateConstraintType = getUnionType([stringType2, numberType2, booleanType2, bigintType, nullType2, undefinedType2]);
        var numericStringType = getTemplateLiteralType(["", ""], [numberType2]);
        var restrictiveMapper = makeFunctionTypeMapper((t) => t.flags & 262144 ? getRestrictiveTypeParameter(t) : t, () => "(restrictive mapper)");
        var permissiveMapper = makeFunctionTypeMapper((t) => t.flags & 262144 ? wildcardType : t, () => "(permissive mapper)");
        var uniqueLiteralType = createIntrinsicType(
          131072,
          "never",
          /*objectFlags*/
          void 0,
          "unique literal"
        );
        var uniqueLiteralMapper = makeFunctionTypeMapper((t) => t.flags & 262144 ? uniqueLiteralType : t, () => "(unique literal mapper)");
        var outofbandVarianceMarkerHandler;
        var reportUnreliableMapper = makeFunctionTypeMapper((t) => {
          if (outofbandVarianceMarkerHandler && (t === markerSuperType || t === markerSubType || t === markerOtherType)) {
            outofbandVarianceMarkerHandler(
              /*onlyUnreliable*/
              true
            );
          }
          return t;
        }, () => "(unmeasurable reporter)");
        var reportUnmeasurableMapper = makeFunctionTypeMapper((t) => {
          if (outofbandVarianceMarkerHandler && (t === markerSuperType || t === markerSubType || t === markerOtherType)) {
            outofbandVarianceMarkerHandler(
              /*onlyUnreliable*/
              false
            );
          }
          return t;
        }, () => "(unreliable reporter)");
        var emptyObjectType = createAnonymousType(
          /*symbol*/
          void 0,
          emptySymbols,
          emptyArray,
          emptyArray,
          emptyArray
        );
        var emptyJsxObjectType = createAnonymousType(
          /*symbol*/
          void 0,
          emptySymbols,
          emptyArray,
          emptyArray,
          emptyArray
        );
        emptyJsxObjectType.objectFlags |= 2048;
        var emptyTypeLiteralSymbol = createSymbol(
          2048,
          "__type"
          /* Type */
        );
        emptyTypeLiteralSymbol.members = createSymbolTable();
        var emptyTypeLiteralType = createAnonymousType(emptyTypeLiteralSymbol, emptySymbols, emptyArray, emptyArray, emptyArray);
        var unknownEmptyObjectType = createAnonymousType(
          /*symbol*/
          void 0,
          emptySymbols,
          emptyArray,
          emptyArray,
          emptyArray
        );
        var unknownUnionType = strictNullChecks ? getUnionType([undefinedType2, nullType2, unknownEmptyObjectType]) : unknownType2;
        var emptyGenericType = createAnonymousType(
          /*symbol*/
          void 0,
          emptySymbols,
          emptyArray,
          emptyArray,
          emptyArray
        );
        emptyGenericType.instantiations = /* @__PURE__ */ new Map();
        var anyFunctionType = createAnonymousType(
          /*symbol*/
          void 0,
          emptySymbols,
          emptyArray,
          emptyArray,
          emptyArray
        );
        anyFunctionType.objectFlags |= 262144;
        var noConstraintType = createAnonymousType(
          /*symbol*/
          void 0,
          emptySymbols,
          emptyArray,
          emptyArray,
          emptyArray
        );
        var circularConstraintType = createAnonymousType(
          /*symbol*/
          void 0,
          emptySymbols,
          emptyArray,
          emptyArray,
          emptyArray
        );
        var resolvingDefaultType = createAnonymousType(
          /*symbol*/
          void 0,
          emptySymbols,
          emptyArray,
          emptyArray,
          emptyArray
        );
        var markerSuperType = createTypeParameter();
        var markerSubType = createTypeParameter();
        markerSubType.constraint = markerSuperType;
        var markerOtherType = createTypeParameter();
        var markerSuperTypeForCheck = createTypeParameter();
        var markerSubTypeForCheck = createTypeParameter();
        markerSubTypeForCheck.constraint = markerSuperTypeForCheck;
        var noTypePredicate = createTypePredicate(1, "<>", 0, anyType2);
        var anySignature = createSignature(
          /*declaration*/
          void 0,
          /*typeParameters*/
          void 0,
          /*thisParameter*/
          void 0,
          emptyArray,
          anyType2,
          /*resolvedTypePredicate*/
          void 0,
          0,
          0
          /* None */
        );
        var unknownSignature = createSignature(
          /*declaration*/
          void 0,
          /*typeParameters*/
          void 0,
          /*thisParameter*/
          void 0,
          emptyArray,
          errorType,
          /*resolvedTypePredicate*/
          void 0,
          0,
          0
          /* None */
        );
        var resolvingSignature = createSignature(
          /*declaration*/
          void 0,
          /*typeParameters*/
          void 0,
          /*thisParameter*/
          void 0,
          emptyArray,
          anyType2,
          /*resolvedTypePredicate*/
          void 0,
          0,
          0
          /* None */
        );
        var silentNeverSignature = createSignature(
          /*declaration*/
          void 0,
          /*typeParameters*/
          void 0,
          /*thisParameter*/
          void 0,
          emptyArray,
          silentNeverType,
          /*resolvedTypePredicate*/
          void 0,
          0,
          0
          /* None */
        );
        var enumNumberIndexInfo = createIndexInfo(
          numberType2,
          stringType2,
          /*isReadonly*/
          true
        );
        var iterationTypesCache = /* @__PURE__ */ new Map();
        var noIterationTypes = {
          get yieldType() {
            return Debug.fail("Not supported");
          },
          get returnType() {
            return Debug.fail("Not supported");
          },
          get nextType() {
            return Debug.fail("Not supported");
          }
        };
        var anyIterationTypes = createIterationTypes(anyType2, anyType2, anyType2);
        var anyIterationTypesExceptNext = createIterationTypes(anyType2, anyType2, unknownType2);
        var defaultIterationTypes = createIterationTypes(neverType2, anyType2, undefinedType2);
        var asyncIterationTypesResolver = {
          iterableCacheKey: "iterationTypesOfAsyncIterable",
          iteratorCacheKey: "iterationTypesOfAsyncIterator",
          iteratorSymbolName: "asyncIterator",
          getGlobalIteratorType: getGlobalAsyncIteratorType,
          getGlobalIterableType: getGlobalAsyncIterableType,
          getGlobalIterableIteratorType: getGlobalAsyncIterableIteratorType,
          getGlobalGeneratorType: getGlobalAsyncGeneratorType,
          resolveIterationType: (type, errorNode) => getAwaitedType(type, errorNode, Diagnostics.Type_of_await_operand_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member),
          mustHaveANextMethodDiagnostic: Diagnostics.An_async_iterator_must_have_a_next_method,
          mustBeAMethodDiagnostic: Diagnostics.The_0_property_of_an_async_iterator_must_be_a_method,
          mustHaveAValueDiagnostic: Diagnostics.The_type_returned_by_the_0_method_of_an_async_iterator_must_be_a_promise_for_a_type_with_a_value_property
        };
        var syncIterationTypesResolver = {
          iterableCacheKey: "iterationTypesOfIterable",
          iteratorCacheKey: "iterationTypesOfIterator",
          iteratorSymbolName: "iterator",
          getGlobalIteratorType,
          getGlobalIterableType,
          getGlobalIterableIteratorType,
          getGlobalGeneratorType,
          resolveIterationType: (type, _errorNode) => type,
          mustHaveANextMethodDiagnostic: Diagnostics.An_iterator_must_have_a_next_method,
          mustBeAMethodDiagnostic: Diagnostics.The_0_property_of_an_iterator_must_be_a_method,
          mustHaveAValueDiagnostic: Diagnostics.The_type_returned_by_the_0_method_of_an_iterator_must_have_a_value_property
        };
        var amalgamatedDuplicates;
        var reverseMappedCache = /* @__PURE__ */ new Map();
        var reverseHomomorphicMappedCache = /* @__PURE__ */ new Map();
        var ambientModulesCache;
        var patternAmbientModules;
        var patternAmbientModuleAugmentations;
        var globalObjectType;
        var globalFunctionType;
        var globalCallableFunctionType;
        var globalNewableFunctionType;
        var globalArrayType;
        var globalReadonlyArrayType;
        var globalStringType;
        var globalNumberType;
        var globalBooleanType;
        var globalRegExpType;
        var globalThisType;
        var anyArrayType;
        var autoArrayType;
        var anyReadonlyArrayType;
        var deferredGlobalNonNullableTypeAlias;
        var deferredGlobalESSymbolConstructorSymbol;
        var deferredGlobalESSymbolConstructorTypeSymbol;
        var deferredGlobalESSymbolType;
        var deferredGlobalTypedPropertyDescriptorType;
        var deferredGlobalPromiseType;
        var deferredGlobalPromiseLikeType;
        var deferredGlobalPromiseConstructorSymbol;
        var deferredGlobalPromiseConstructorLikeType;
        var deferredGlobalIterableType;
        var deferredGlobalIteratorType;
        var deferredGlobalIterableIteratorType;
        var deferredGlobalGeneratorType;
        var deferredGlobalIteratorYieldResultType;
        var deferredGlobalIteratorReturnResultType;
        var deferredGlobalAsyncIterableType;
        var deferredGlobalAsyncIteratorType;
        var deferredGlobalAsyncIterableIteratorType;
        var deferredGlobalAsyncGeneratorType;
        var deferredGlobalTemplateStringsArrayType;
        var deferredGlobalImportMetaType;
        var deferredGlobalImportMetaExpressionType;
        var deferredGlobalImportCallOptionsType;
        var deferredGlobalImportAttributesType;
        var deferredGlobalDisposableType;
        var deferredGlobalAsyncDisposableType;
        var deferredGlobalExtractSymbol;
        var deferredGlobalOmitSymbol;
        var deferredGlobalAwaitedSymbol;
        var deferredGlobalBigIntType;
        var deferredGlobalNaNSymbol;
        var deferredGlobalRecordSymbol;
        var deferredGlobalClassDecoratorContextType;
        var deferredGlobalClassMethodDecoratorContextType;
        var deferredGlobalClassGetterDecoratorContextType;
        var deferredGlobalClassSetterDecoratorContextType;
        var deferredGlobalClassAccessorDecoratorContextType;
        var deferredGlobalClassAccessorDecoratorTargetType;
        var deferredGlobalClassAccessorDecoratorResultType;
        var deferredGlobalClassFieldDecoratorContextType;
        var allPotentiallyUnusedIdentifiers = /* @__PURE__ */ new Map();
        var flowLoopStart = 0;
        var flowLoopCount = 0;
        var sharedFlowCount = 0;
        var flowAnalysisDisabled = false;
        var flowInvocationCount = 0;
        var lastFlowNode;
        var lastFlowNodeReachable;
        var flowTypeCache;
        var contextualTypeNodes = [];
        var contextualTypes = [];
        var contextualIsCache = [];
        var contextualTypeCount = 0;
        var inferenceContextNodes = [];
        var inferenceContexts = [];
        var inferenceContextCount = 0;
        var emptyStringType = getStringLiteralType("");
        var zeroType = getNumberLiteralType(0);
        var zeroBigIntType = getBigIntLiteralType({ negative: false, base10Value: "0" });
        var resolutionTargets = [];
        var resolutionResults = [];
        var resolutionPropertyNames = [];
        var resolutionStart = 0;
        var inVarianceComputation = false;
        var suggestionCount = 0;
        var maximumSuggestionCount = 10;
        var mergedSymbols = [];
        var symbolLinks = [];
        var nodeLinks = [];
        var flowLoopCaches = [];
        var flowLoopNodes = [];
        var flowLoopKeys = [];
        var flowLoopTypes = [];
        var sharedFlowNodes = [];
        var sharedFlowTypes = [];
        var flowNodeReachable = [];
        var flowNodePostSuper = [];
        var potentialThisCollisions = [];
        var potentialNewTargetCollisions = [];
        var potentialWeakMapSetCollisions = [];
        var potentialReflectCollisions = [];
        var potentialUnusedRenamedBindingElementsInTypes = [];
        var awaitedTypeStack = [];
        var reverseMappedSourceStack = [];
        var reverseMappedTargetStack = [];
        var reverseExpandingFlags = 0;
        var diagnostics = createDiagnosticCollection();
        var suggestionDiagnostics = createDiagnosticCollection();
        var typeofType = createTypeofType();
        var _jsxNamespace;
        var _jsxFactoryEntity;
        var subtypeRelation = /* @__PURE__ */ new Map();
        var strictSubtypeRelation = /* @__PURE__ */ new Map();
        var assignableRelation = /* @__PURE__ */ new Map();
        var comparableRelation = /* @__PURE__ */ new Map();
        var identityRelation = /* @__PURE__ */ new Map();
        var enumRelation = /* @__PURE__ */ new Map();
        var suggestedExtensions = [
          [".mts", ".mjs"],
          [".ts", ".js"],
          [".cts", ".cjs"],
          [".mjs", ".mjs"],
          [".js", ".js"],
          [".cjs", ".cjs"],
          [".tsx", compilerOptions.jsx === 1 ? ".jsx" : ".js"],
          [".jsx", ".jsx"],
          [".json", ".json"]
        ];
        initializeTypeChecker();
        return checker;
        function isDefinitelyReferenceToGlobalSymbolObject(node) {
          if (!isPropertyAccessExpression(node)) return false;
          if (!isIdentifier(node.name)) return false;
          if (!isPropertyAccessExpression(node.expression) && !isIdentifier(node.expression)) return false;
          if (isIdentifier(node.expression)) {
            return idText(node.expression) === "Symbol" && getResolvedSymbol(node.expression) === (getGlobalSymbol(
              "Symbol",
              111551 | 1048576,
              /*diagnostic*/
              void 0
            ) || unknownSymbol);
          }
          if (!isIdentifier(node.expression.expression)) return false;
          return idText(node.expression.name) === "Symbol" && idText(node.expression.expression) === "globalThis" && getResolvedSymbol(node.expression.expression) === globalThisSymbol;
        }
        function getCachedType(key) {
          return key ? cachedTypes.get(key) : void 0;
        }
        function setCachedType(key, type) {
          if (key) cachedTypes.set(key, type);
          return type;
        }
        function getJsxNamespace(location) {
          if (location) {
            const file = getSourceFileOfNode(location);
            if (file) {
              if (isJsxOpeningFragment(location)) {
                if (file.localJsxFragmentNamespace) {
                  return file.localJsxFragmentNamespace;
                }
                const jsxFragmentPragma = file.pragmas.get("jsxfrag");
                if (jsxFragmentPragma) {
                  const chosenPragma = isArray3(jsxFragmentPragma) ? jsxFragmentPragma[0] : jsxFragmentPragma;
                  file.localJsxFragmentFactory = parseIsolatedEntityName(chosenPragma.arguments.factory, languageVersion);
                  visitNode(file.localJsxFragmentFactory, markAsSynthetic, isEntityName);
                  if (file.localJsxFragmentFactory) {
                    return file.localJsxFragmentNamespace = getFirstIdentifier(file.localJsxFragmentFactory).escapedText;
                  }
                }
                const entity = getJsxFragmentFactoryEntity(location);
                if (entity) {
                  file.localJsxFragmentFactory = entity;
                  return file.localJsxFragmentNamespace = getFirstIdentifier(entity).escapedText;
                }
              } else {
                const localJsxNamespace = getLocalJsxNamespace(file);
                if (localJsxNamespace) {
                  return file.localJsxNamespace = localJsxNamespace;
                }
              }
            }
          }
          if (!_jsxNamespace) {
            _jsxNamespace = "React";
            if (compilerOptions.jsxFactory) {
              _jsxFactoryEntity = parseIsolatedEntityName(compilerOptions.jsxFactory, languageVersion);
              visitNode(_jsxFactoryEntity, markAsSynthetic);
              if (_jsxFactoryEntity) {
                _jsxNamespace = getFirstIdentifier(_jsxFactoryEntity).escapedText;
              }
            } else if (compilerOptions.reactNamespace) {
              _jsxNamespace = escapeLeadingUnderscores(compilerOptions.reactNamespace);
            }
          }
          if (!_jsxFactoryEntity) {
            _jsxFactoryEntity = factory.createQualifiedName(factory.createIdentifier(unescapeLeadingUnderscores(_jsxNamespace)), "createElement");
          }
          return _jsxNamespace;
        }
        function getLocalJsxNamespace(file) {
          if (file.localJsxNamespace) {
            return file.localJsxNamespace;
          }
          const jsxPragma = file.pragmas.get("jsx");
          if (jsxPragma) {
            const chosenPragma = isArray3(jsxPragma) ? jsxPragma[0] : jsxPragma;
            file.localJsxFactory = parseIsolatedEntityName(chosenPragma.arguments.factory, languageVersion);
            visitNode(file.localJsxFactory, markAsSynthetic, isEntityName);
            if (file.localJsxFactory) {
              return file.localJsxNamespace = getFirstIdentifier(file.localJsxFactory).escapedText;
            }
          }
        }
        function markAsSynthetic(node) {
          setTextRangePosEnd(node, -1, -1);
          return visitEachChild(
            node,
            markAsSynthetic,
            /*context*/
            void 0
          );
        }
        function getEmitResolver(sourceFile, cancellationToken2, skipDiagnostics) {
          if (!skipDiagnostics) getDiagnostics2(sourceFile, cancellationToken2);
          return emitResolver;
        }
        function lookupOrIssueError(location, message, ...args) {
          const diagnostic = location ? createDiagnosticForNode(location, message, ...args) : createCompilerDiagnostic(message, ...args);
          const existing = diagnostics.lookup(diagnostic);
          if (existing) {
            return existing;
          } else {
            diagnostics.add(diagnostic);
            return diagnostic;
          }
        }
        function errorSkippedOn(key, location, message, ...args) {
          const diagnostic = error2(location, message, ...args);
          diagnostic.skippedOn = key;
          return diagnostic;
        }
        function createError(location, message, ...args) {
          return location ? createDiagnosticForNode(location, message, ...args) : createCompilerDiagnostic(message, ...args);
        }
        function error2(location, message, ...args) {
          const diagnostic = createError(location, message, ...args);
          diagnostics.add(diagnostic);
          return diagnostic;
        }
        function addErrorOrSuggestion(isError, diagnostic) {
          if (isError) {
            diagnostics.add(diagnostic);
          } else {
            suggestionDiagnostics.add({
              ...diagnostic,
              category: 2
              /* Suggestion */
            });
          }
        }
        function errorOrSuggestion(isError, location, message, ...args) {
          if (location.pos < 0 || location.end < 0) {
            if (!isError) {
              return;
            }
            const file = getSourceFileOfNode(location);
            addErrorOrSuggestion(isError, "message" in message ? createFileDiagnostic(file, 0, 0, message, ...args) : createDiagnosticForFileFromMessageChain(file, message));
            return;
          }
          addErrorOrSuggestion(isError, "message" in message ? createDiagnosticForNode(location, message, ...args) : createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(location), location, message));
        }
        function errorAndMaybeSuggestAwait(location, maybeMissingAwait, message, ...args) {
          const diagnostic = error2(location, message, ...args);
          if (maybeMissingAwait) {
            const related = createDiagnosticForNode(location, Diagnostics.Did_you_forget_to_use_await);
            addRelatedInfo(diagnostic, related);
          }
          return diagnostic;
        }
        function addDeprecatedSuggestionWorker(declarations, diagnostic) {
          const deprecatedTag = Array.isArray(declarations) ? forEach(declarations, getJSDocDeprecatedTag) : getJSDocDeprecatedTag(declarations);
          if (deprecatedTag) {
            addRelatedInfo(
              diagnostic,
              createDiagnosticForNode(deprecatedTag, Diagnostics.The_declaration_was_marked_as_deprecated_here)
            );
          }
          suggestionDiagnostics.add(diagnostic);
          return diagnostic;
        }
        function isDeprecatedSymbol(symbol) {
          const parentSymbol = getParentOfSymbol(symbol);
          if (parentSymbol && length(symbol.declarations) > 1) {
            return parentSymbol.flags & 64 ? some(symbol.declarations, isDeprecatedDeclaration2) : every(symbol.declarations, isDeprecatedDeclaration2);
          }
          return !!symbol.valueDeclaration && isDeprecatedDeclaration2(symbol.valueDeclaration) || length(symbol.declarations) && every(symbol.declarations, isDeprecatedDeclaration2);
        }
        function isDeprecatedDeclaration2(declaration) {
          return !!(getCombinedNodeFlagsCached(declaration) & 536870912);
        }
        function addDeprecatedSuggestion(location, declarations, deprecatedEntity) {
          const diagnostic = createDiagnosticForNode(location, Diagnostics._0_is_deprecated, deprecatedEntity);
          return addDeprecatedSuggestionWorker(declarations, diagnostic);
        }
        function addDeprecatedSuggestionWithSignature(location, declaration, deprecatedEntity, signatureString) {
          const diagnostic = deprecatedEntity ? createDiagnosticForNode(location, Diagnostics.The_signature_0_of_1_is_deprecated, signatureString, deprecatedEntity) : createDiagnosticForNode(location, Diagnostics._0_is_deprecated, signatureString);
          return addDeprecatedSuggestionWorker(declaration, diagnostic);
        }
        function createSymbol(flags, name, checkFlags) {
          symbolCount++;
          const symbol = new Symbol47(flags | 33554432, name);
          symbol.links = new SymbolLinks();
          symbol.links.checkFlags = checkFlags || 0;
          return symbol;
        }
        function createParameter2(name, type) {
          const symbol = createSymbol(1, name);
          symbol.links.type = type;
          return symbol;
        }
        function createProperty(name, type) {
          const symbol = createSymbol(4, name);
          symbol.links.type = type;
          return symbol;
        }
        function getExcludedSymbolFlags(flags) {
          let result = 0;
          if (flags & 2) result |= 111551;
          if (flags & 1) result |= 111550;
          if (flags & 4) result |= 0;
          if (flags & 8) result |= 900095;
          if (flags & 16) result |= 110991;
          if (flags & 32) result |= 899503;
          if (flags & 64) result |= 788872;
          if (flags & 256) result |= 899327;
          if (flags & 128) result |= 899967;
          if (flags & 512) result |= 110735;
          if (flags & 8192) result |= 103359;
          if (flags & 32768) result |= 46015;
          if (flags & 65536) result |= 78783;
          if (flags & 262144) result |= 526824;
          if (flags & 524288) result |= 788968;
          if (flags & 2097152) result |= 2097152;
          return result;
        }
        function recordMergedSymbol(target, source) {
          if (!source.mergeId) {
            source.mergeId = nextMergeId;
            nextMergeId++;
          }
          mergedSymbols[source.mergeId] = target;
        }
        function cloneSymbol(symbol) {
          const result = createSymbol(symbol.flags, symbol.escapedName);
          result.declarations = symbol.declarations ? symbol.declarations.slice() : [];
          result.parent = symbol.parent;
          if (symbol.valueDeclaration) result.valueDeclaration = symbol.valueDeclaration;
          if (symbol.constEnumOnlyModule) result.constEnumOnlyModule = true;
          if (symbol.members) result.members = new Map(symbol.members);
          if (symbol.exports) result.exports = new Map(symbol.exports);
          recordMergedSymbol(result, symbol);
          return result;
        }
        function mergeSymbol(target, source, unidirectional = false) {
          if (!(target.flags & getExcludedSymbolFlags(source.flags)) || (source.flags | target.flags) & 67108864) {
            if (source === target) {
              return target;
            }
            if (!(target.flags & 33554432)) {
              const resolvedTarget = resolveSymbol(target);
              if (resolvedTarget === unknownSymbol) {
                return source;
              }
              if (!(resolvedTarget.flags & getExcludedSymbolFlags(source.flags)) || (source.flags | resolvedTarget.flags) & 67108864) {
                target = cloneSymbol(resolvedTarget);
              } else {
                reportMergeSymbolError(target, source);
                return source;
              }
            }
            if (source.flags & 512 && target.flags & 512 && target.constEnumOnlyModule && !source.constEnumOnlyModule) {
              target.constEnumOnlyModule = false;
            }
            target.flags |= source.flags;
            if (source.valueDeclaration) {
              setValueDeclaration(target, source.valueDeclaration);
            }
            addRange(target.declarations, source.declarations);
            if (source.members) {
              if (!target.members) target.members = createSymbolTable();
              mergeSymbolTable(target.members, source.members, unidirectional);
            }
            if (source.exports) {
              if (!target.exports) target.exports = createSymbolTable();
              mergeSymbolTable(target.exports, source.exports, unidirectional);
            }
            if (!unidirectional) {
              recordMergedSymbol(target, source);
            }
          } else if (target.flags & 1024) {
            if (target !== globalThisSymbol) {
              error2(
                source.declarations && getNameOfDeclaration(source.declarations[0]),
                Diagnostics.Cannot_augment_module_0_with_value_exports_because_it_resolves_to_a_non_module_entity,
                symbolToString2(target)
              );
            }
          } else {
            reportMergeSymbolError(target, source);
          }
          return target;
          function reportMergeSymbolError(target2, source2) {
            const isEitherEnum = !!(target2.flags & 384 || source2.flags & 384);
            const isEitherBlockScoped = !!(target2.flags & 2 || source2.flags & 2);
            const message = isEitherEnum ? Diagnostics.Enum_declarations_can_only_merge_with_namespace_or_other_enum_declarations : isEitherBlockScoped ? Diagnostics.Cannot_redeclare_block_scoped_variable_0 : Diagnostics.Duplicate_identifier_0;
            const sourceSymbolFile = source2.declarations && getSourceFileOfNode(source2.declarations[0]);
            const targetSymbolFile = target2.declarations && getSourceFileOfNode(target2.declarations[0]);
            const isSourcePlainJs = isPlainJsFile(sourceSymbolFile, compilerOptions.checkJs);
            const isTargetPlainJs = isPlainJsFile(targetSymbolFile, compilerOptions.checkJs);
            const symbolName2 = symbolToString2(source2);
            if (sourceSymbolFile && targetSymbolFile && amalgamatedDuplicates && !isEitherEnum && sourceSymbolFile !== targetSymbolFile) {
              const firstFile = comparePaths(sourceSymbolFile.path, targetSymbolFile.path) === -1 ? sourceSymbolFile : targetSymbolFile;
              const secondFile = firstFile === sourceSymbolFile ? targetSymbolFile : sourceSymbolFile;
              const filesDuplicates = getOrUpdate(amalgamatedDuplicates, `${firstFile.path}|${secondFile.path}`, () => ({ firstFile, secondFile, conflictingSymbols: /* @__PURE__ */ new Map() }));
              const conflictingSymbolInfo = getOrUpdate(filesDuplicates.conflictingSymbols, symbolName2, () => ({ isBlockScoped: isEitherBlockScoped, firstFileLocations: [], secondFileLocations: [] }));
              if (!isSourcePlainJs) addDuplicateLocations(conflictingSymbolInfo.firstFileLocations, source2);
              if (!isTargetPlainJs) addDuplicateLocations(conflictingSymbolInfo.secondFileLocations, target2);
            } else {
              if (!isSourcePlainJs) addDuplicateDeclarationErrorsForSymbols(source2, message, symbolName2, target2);
              if (!isTargetPlainJs) addDuplicateDeclarationErrorsForSymbols(target2, message, symbolName2, source2);
            }
          }
          function addDuplicateLocations(locs, symbol) {
            if (symbol.declarations) {
              for (const decl of symbol.declarations) {
                pushIfUnique(locs, decl);
              }
            }
          }
        }
        function addDuplicateDeclarationErrorsForSymbols(target, message, symbolName2, source) {
          forEach(target.declarations, (node) => {
            addDuplicateDeclarationError(node, message, symbolName2, source.declarations);
          });
        }
        function addDuplicateDeclarationError(node, message, symbolName2, relatedNodes) {
          const errorNode = (getExpandoInitializer(
            node,
            /*isPrototypeAssignment*/
            false
          ) ? getNameOfExpando(node) : getNameOfDeclaration(node)) || node;
          const err = lookupOrIssueError(errorNode, message, symbolName2);
          for (const relatedNode of relatedNodes || emptyArray) {
            const adjustedNode = (getExpandoInitializer(
              relatedNode,
              /*isPrototypeAssignment*/
              false
            ) ? getNameOfExpando(relatedNode) : getNameOfDeclaration(relatedNode)) || relatedNode;
            if (adjustedNode === errorNode) continue;
            err.relatedInformation = err.relatedInformation || [];
            const leadingMessage = createDiagnosticForNode(adjustedNode, Diagnostics._0_was_also_declared_here, symbolName2);
            const followOnMessage = createDiagnosticForNode(adjustedNode, Diagnostics.and_here);
            if (length(err.relatedInformation) >= 5 || some(
              err.relatedInformation,
              (r) => compareDiagnostics(r, followOnMessage) === 0 || compareDiagnostics(r, leadingMessage) === 0
              /* EqualTo */
            )) continue;
            addRelatedInfo(err, !length(err.relatedInformation) ? leadingMessage : followOnMessage);
          }
        }
        function combineSymbolTables(first2, second) {
          if (!(first2 == null ? void 0 : first2.size)) return second;
          if (!(second == null ? void 0 : second.size)) return first2;
          const combined = createSymbolTable();
          mergeSymbolTable(combined, first2);
          mergeSymbolTable(combined, second);
          return combined;
        }
        function mergeSymbolTable(target, source, unidirectional = false) {
          source.forEach((sourceSymbol, id) => {
            const targetSymbol = target.get(id);
            target.set(id, targetSymbol ? mergeSymbol(targetSymbol, sourceSymbol, unidirectional) : getMergedSymbol(sourceSymbol));
          });
        }
        function mergeModuleAugmentation(moduleName) {
          var _a, _b, _c;
          const moduleAugmentation = moduleName.parent;
          if (((_a = moduleAugmentation.symbol.declarations) == null ? void 0 : _a[0]) !== moduleAugmentation) {
            Debug.assert(moduleAugmentation.symbol.declarations.length > 1);
            return;
          }
          if (isGlobalScopeAugmentation(moduleAugmentation)) {
            mergeSymbolTable(globals2, moduleAugmentation.symbol.exports);
          } else {
            const moduleNotFoundError = !(moduleName.parent.parent.flags & 33554432) ? Diagnostics.Invalid_module_name_in_augmentation_module_0_cannot_be_found : void 0;
            let mainModule = resolveExternalModuleNameWorker(
              moduleName,
              moduleName,
              moduleNotFoundError,
              /*isForAugmentation*/
              true
            );
            if (!mainModule) {
              return;
            }
            mainModule = resolveExternalModuleSymbol(mainModule);
            if (mainModule.flags & 1920) {
              if (some(patternAmbientModules, (module22) => mainModule === module22.symbol)) {
                const merged = mergeSymbol(
                  moduleAugmentation.symbol,
                  mainModule,
                  /*unidirectional*/
                  true
                );
                if (!patternAmbientModuleAugmentations) {
                  patternAmbientModuleAugmentations = /* @__PURE__ */ new Map();
                }
                patternAmbientModuleAugmentations.set(moduleName.text, merged);
              } else {
                if (((_b = mainModule.exports) == null ? void 0 : _b.get(
                  "__export"
                  /* ExportStar */
                )) && ((_c = moduleAugmentation.symbol.exports) == null ? void 0 : _c.size)) {
                  const resolvedExports = getResolvedMembersOrExportsOfSymbol(
                    mainModule,
                    "resolvedExports"
                    /* resolvedExports */
                  );
                  for (const [key, value] of arrayFrom(moduleAugmentation.symbol.exports.entries())) {
                    if (resolvedExports.has(key) && !mainModule.exports.has(key)) {
                      mergeSymbol(resolvedExports.get(key), value);
                    }
                  }
                }
                mergeSymbol(mainModule, moduleAugmentation.symbol);
              }
            } else {
              error2(moduleName, Diagnostics.Cannot_augment_module_0_because_it_resolves_to_a_non_module_entity, moduleName.text);
            }
          }
        }
        function addUndefinedToGlobalsOrErrorOnRedeclaration() {
          const name = undefinedSymbol.escapedName;
          const targetSymbol = globals2.get(name);
          if (targetSymbol) {
            forEach(targetSymbol.declarations, (declaration) => {
              if (!isTypeDeclaration(declaration)) {
                diagnostics.add(createDiagnosticForNode(declaration, Diagnostics.Declaration_name_conflicts_with_built_in_global_identifier_0, unescapeLeadingUnderscores(name)));
              }
            });
          } else {
            globals2.set(name, undefinedSymbol);
          }
        }
        function getSymbolLinks(symbol) {
          if (symbol.flags & 33554432) return symbol.links;
          const id = getSymbolId(symbol);
          return symbolLinks[id] ?? (symbolLinks[id] = new SymbolLinks());
        }
        function getNodeLinks(node) {
          const nodeId = getNodeId(node);
          return nodeLinks[nodeId] || (nodeLinks[nodeId] = new NodeLinks());
        }
        function getSymbol2(symbols, name, meaning) {
          if (meaning) {
            const symbol = getMergedSymbol(symbols.get(name));
            if (symbol) {
              if (symbol.flags & meaning) {
                return symbol;
              }
              if (symbol.flags & 2097152) {
                const targetFlags = getSymbolFlags(symbol);
                if (targetFlags & meaning) {
                  return symbol;
                }
              }
            }
          }
        }
        function getSymbolsOfParameterPropertyDeclaration(parameter, parameterName) {
          const constructorDeclaration = parameter.parent;
          const classDeclaration = parameter.parent.parent;
          const parameterSymbol = getSymbol2(
            constructorDeclaration.locals,
            parameterName,
            111551
            /* Value */
          );
          const propertySymbol = getSymbol2(
            getMembersOfSymbol(classDeclaration.symbol),
            parameterName,
            111551
            /* Value */
          );
          if (parameterSymbol && propertySymbol) {
            return [parameterSymbol, propertySymbol];
          }
          return Debug.fail("There should exist two symbols, one as property declaration and one as parameter declaration");
        }
        function isBlockScopedNameDeclaredBeforeUse(declaration, usage) {
          const declarationFile = getSourceFileOfNode(declaration);
          const useFile = getSourceFileOfNode(usage);
          const declContainer = getEnclosingBlockScopeContainer(declaration);
          if (declarationFile !== useFile) {
            if (moduleKind && (declarationFile.externalModuleIndicator || useFile.externalModuleIndicator) || !compilerOptions.outFile || isInTypeQuery(usage) || declaration.flags & 33554432) {
              return true;
            }
            if (isUsedInFunctionOrInstanceProperty(usage, declaration)) {
              return true;
            }
            const sourceFiles = host.getSourceFiles();
            return sourceFiles.indexOf(declarationFile) <= sourceFiles.indexOf(useFile);
          }
          if (!!(usage.flags & 16777216) || isInTypeQuery(usage) || isInAmbientOrTypeNode(usage)) {
            return true;
          }
          if (declaration.pos <= usage.pos && !(isPropertyDeclaration(declaration) && isThisProperty(usage.parent) && !declaration.initializer && !declaration.exclamationToken)) {
            if (declaration.kind === 208) {
              const errorBindingElement = getAncestor2(
                usage,
                208
                /* BindingElement */
              );
              if (errorBindingElement) {
                return findAncestor(errorBindingElement, isBindingElement) !== findAncestor(declaration, isBindingElement) || declaration.pos < errorBindingElement.pos;
              }
              return isBlockScopedNameDeclaredBeforeUse(getAncestor2(
                declaration,
                260
                /* VariableDeclaration */
              ), usage);
            } else if (declaration.kind === 260) {
              return !isImmediatelyUsedInInitializerOfBlockScopedVariable(declaration, usage);
            } else if (isClassLike(declaration)) {
              const container = findAncestor(usage, (n) => n === declaration ? "quit" : isComputedPropertyName(n) ? n.parent.parent === declaration : !legacyDecorators && isDecorator(n) && (n.parent === declaration || isMethodDeclaration(n.parent) && n.parent.parent === declaration || isGetOrSetAccessorDeclaration(n.parent) && n.parent.parent === declaration || isPropertyDeclaration(n.parent) && n.parent.parent === declaration || isParameter(n.parent) && n.parent.parent.parent === declaration));
              if (!container) {
                return true;
              }
              if (!legacyDecorators && isDecorator(container)) {
                return !!findAncestor(usage, (n) => n === container ? "quit" : isFunctionLike(n) && !getImmediatelyInvokedFunctionExpression(n));
              }
              return false;
            } else if (isPropertyDeclaration(declaration)) {
              return !isPropertyImmediatelyReferencedWithinDeclaration(
                declaration,
                usage,
                /*stopAtAnyPropertyDeclaration*/
                false
              );
            } else if (isParameterPropertyDeclaration(declaration, declaration.parent)) {
              return !(emitStandardClassFields && getContainingClass(declaration) === getContainingClass(usage) && isUsedInFunctionOrInstanceProperty(usage, declaration));
            }
            return true;
          }
          if (usage.parent.kind === 281 || usage.parent.kind === 277 && usage.parent.isExportEquals) {
            return true;
          }
          if (usage.kind === 277 && usage.isExportEquals) {
            return true;
          }
          if (isUsedInFunctionOrInstanceProperty(usage, declaration)) {
            if (emitStandardClassFields && getContainingClass(declaration) && (isPropertyDeclaration(declaration) || isParameterPropertyDeclaration(declaration, declaration.parent))) {
              return !isPropertyImmediatelyReferencedWithinDeclaration(
                declaration,
                usage,
                /*stopAtAnyPropertyDeclaration*/
                true
              );
            } else {
              return true;
            }
          }
          return false;
          function isImmediatelyUsedInInitializerOfBlockScopedVariable(declaration2, usage2) {
            switch (declaration2.parent.parent.kind) {
              case 243:
              case 248:
              case 250:
                if (isSameScopeDescendentOf(usage2, declaration2, declContainer)) {
                  return true;
                }
                break;
            }
            const grandparent = declaration2.parent.parent;
            return isForInOrOfStatement(grandparent) && isSameScopeDescendentOf(usage2, grandparent.expression, declContainer);
          }
          function isUsedInFunctionOrInstanceProperty(usage2, declaration2) {
            return !!findAncestor(usage2, (current) => {
              if (current === declContainer) {
                return "quit";
              }
              if (isFunctionLike(current)) {
                return true;
              }
              if (isClassStaticBlockDeclaration(current)) {
                return declaration2.pos < usage2.pos;
              }
              const propertyDeclaration = tryCast(current.parent, isPropertyDeclaration);
              if (propertyDeclaration) {
                const initializerOfProperty = propertyDeclaration.initializer === current;
                if (initializerOfProperty) {
                  if (isStatic(current.parent)) {
                    if (declaration2.kind === 174) {
                      return true;
                    }
                    if (isPropertyDeclaration(declaration2) && getContainingClass(usage2) === getContainingClass(declaration2)) {
                      const propName = declaration2.name;
                      if (isIdentifier(propName) || isPrivateIdentifier(propName)) {
                        const type = getTypeOfSymbol(getSymbolOfDeclaration(declaration2));
                        const staticBlocks = filter(declaration2.parent.members, isClassStaticBlockDeclaration);
                        if (isPropertyInitializedInStaticBlocks(propName, type, staticBlocks, declaration2.parent.pos, current.pos)) {
                          return true;
                        }
                      }
                    }
                  } else {
                    const isDeclarationInstanceProperty = declaration2.kind === 172 && !isStatic(declaration2);
                    if (!isDeclarationInstanceProperty || getContainingClass(usage2) !== getContainingClass(declaration2)) {
                      return true;
                    }
                  }
                }
              }
              return false;
            });
          }
          function isPropertyImmediatelyReferencedWithinDeclaration(declaration2, usage2, stopAtAnyPropertyDeclaration) {
            if (usage2.end > declaration2.end) {
              return false;
            }
            const ancestorChangingReferenceScope = findAncestor(usage2, (node) => {
              if (node === declaration2) {
                return "quit";
              }
              switch (node.kind) {
                case 219:
                  return true;
                case 172:
                  return stopAtAnyPropertyDeclaration && (isPropertyDeclaration(declaration2) && node.parent === declaration2.parent || isParameterPropertyDeclaration(declaration2, declaration2.parent) && node.parent === declaration2.parent.parent) ? "quit" : true;
                case 241:
                  switch (node.parent.kind) {
                    case 177:
                    case 174:
                    case 178:
                      return true;
                    default:
                      return false;
                  }
                default:
                  return false;
              }
            });
            return ancestorChangingReferenceScope === void 0;
          }
        }
        function getRequiresScopeChangeCache(node) {
          return getNodeLinks(node).declarationRequiresScopeChange;
        }
        function setRequiresScopeChangeCache(node, value) {
          getNodeLinks(node).declarationRequiresScopeChange = value;
        }
        function checkAndReportErrorForInvalidInitializer(errorLocation, name, propertyWithInvalidInitializer, result) {
          if (!emitStandardClassFields) {
            if (errorLocation && !result && checkAndReportErrorForMissingPrefix(errorLocation, name, name)) {
              return true;
            }
            error2(
              errorLocation,
              errorLocation && propertyWithInvalidInitializer.type && textRangeContainsPositionInclusive(propertyWithInvalidInitializer.type, errorLocation.pos) ? Diagnostics.Type_of_instance_member_variable_0_cannot_reference_identifier_1_declared_in_the_constructor : Diagnostics.Initializer_of_instance_member_variable_0_cannot_reference_identifier_1_declared_in_the_constructor,
              declarationNameToString(propertyWithInvalidInitializer.name),
              diagnosticName(name)
            );
            return true;
          }
          return false;
        }
        function onFailedToResolveSymbol(errorLocation, nameArg, meaning, nameNotFoundMessage) {
          const name = isString2(nameArg) ? nameArg : nameArg.escapedText;
          addLazyDiagnostic(() => {
            if (!errorLocation || errorLocation.parent.kind !== 324 && !checkAndReportErrorForMissingPrefix(errorLocation, name, nameArg) && !checkAndReportErrorForExtendingInterface(errorLocation) && !checkAndReportErrorForUsingTypeAsNamespace(errorLocation, name, meaning) && !checkAndReportErrorForExportingPrimitiveType(errorLocation, name) && !checkAndReportErrorForUsingNamespaceAsTypeOrValue(errorLocation, name, meaning) && !checkAndReportErrorForUsingTypeAsValue(errorLocation, name, meaning) && !checkAndReportErrorForUsingValueAsType(errorLocation, name, meaning)) {
              let suggestion;
              let suggestedLib;
              if (nameArg) {
                suggestedLib = getSuggestedLibForNonExistentName(nameArg);
                if (suggestedLib) {
                  error2(errorLocation, nameNotFoundMessage, diagnosticName(nameArg), suggestedLib);
                }
              }
              if (!suggestedLib && suggestionCount < maximumSuggestionCount) {
                suggestion = getSuggestedSymbolForNonexistentSymbol(errorLocation, name, meaning);
                const isGlobalScopeAugmentationDeclaration = (suggestion == null ? void 0 : suggestion.valueDeclaration) && isAmbientModule(suggestion.valueDeclaration) && isGlobalScopeAugmentation(suggestion.valueDeclaration);
                if (isGlobalScopeAugmentationDeclaration) {
                  suggestion = void 0;
                }
                if (suggestion) {
                  const suggestionName = symbolToString2(suggestion);
                  const isUncheckedJS = isUncheckedJSSuggestion(
                    errorLocation,
                    suggestion,
                    /*excludeClasses*/
                    false
                  );
                  const message = meaning === 1920 || nameArg && typeof nameArg !== "string" && nodeIsSynthesized(nameArg) ? Diagnostics.Cannot_find_namespace_0_Did_you_mean_1 : isUncheckedJS ? Diagnostics.Could_not_find_name_0_Did_you_mean_1 : Diagnostics.Cannot_find_name_0_Did_you_mean_1;
                  const diagnostic = createError(errorLocation, message, diagnosticName(nameArg), suggestionName);
                  diagnostic.canonicalHead = getCanonicalDiagnostic(nameNotFoundMessage, diagnosticName(nameArg));
                  addErrorOrSuggestion(!isUncheckedJS, diagnostic);
                  if (suggestion.valueDeclaration) {
                    addRelatedInfo(
                      diagnostic,
                      createDiagnosticForNode(suggestion.valueDeclaration, Diagnostics._0_is_declared_here, suggestionName)
                    );
                  }
                }
              }
              if (!suggestion && !suggestedLib && nameArg) {
                error2(errorLocation, nameNotFoundMessage, diagnosticName(nameArg));
              }
              suggestionCount++;
            }
          });
        }
        function onSuccessfullyResolvedSymbol(errorLocation, result, meaning, lastLocation, associatedDeclarationForContainingInitializerOrBindingName, withinDeferredContext) {
          addLazyDiagnostic(() => {
            var _a;
            const name = result.escapedName;
            const isInExternalModule = lastLocation && isSourceFile(lastLocation) && isExternalOrCommonJsModule(lastLocation);
            if (errorLocation && (meaning & 2 || (meaning & 32 || meaning & 384) && (meaning & 111551) === 111551)) {
              const exportOrLocalSymbol = getExportSymbolOfValueSymbolIfExported(result);
              if (exportOrLocalSymbol.flags & 2 || exportOrLocalSymbol.flags & 32 || exportOrLocalSymbol.flags & 384) {
                checkResolvedBlockScopedVariable(exportOrLocalSymbol, errorLocation);
              }
            }
            if (isInExternalModule && (meaning & 111551) === 111551 && !(errorLocation.flags & 16777216)) {
              const merged = getMergedSymbol(result);
              if (length(merged.declarations) && every(merged.declarations, (d) => isNamespaceExportDeclaration(d) || isSourceFile(d) && !!d.symbol.globalExports)) {
                errorOrSuggestion(!compilerOptions.allowUmdGlobalAccess, errorLocation, Diagnostics._0_refers_to_a_UMD_global_but_the_current_file_is_a_module_Consider_adding_an_import_instead, unescapeLeadingUnderscores(name));
              }
            }
            if (associatedDeclarationForContainingInitializerOrBindingName && !withinDeferredContext && (meaning & 111551) === 111551) {
              const candidate = getMergedSymbol(getLateBoundSymbol(result));
              const root2 = getRootDeclaration(associatedDeclarationForContainingInitializerOrBindingName);
              if (candidate === getSymbolOfDeclaration(associatedDeclarationForContainingInitializerOrBindingName)) {
                error2(errorLocation, Diagnostics.Parameter_0_cannot_reference_itself, declarationNameToString(associatedDeclarationForContainingInitializerOrBindingName.name));
              } else if (candidate.valueDeclaration && candidate.valueDeclaration.pos > associatedDeclarationForContainingInitializerOrBindingName.pos && root2.parent.locals && getSymbol2(root2.parent.locals, candidate.escapedName, meaning) === candidate) {
                error2(errorLocation, Diagnostics.Parameter_0_cannot_reference_identifier_1_declared_after_it, declarationNameToString(associatedDeclarationForContainingInitializerOrBindingName.name), declarationNameToString(errorLocation));
              }
            }
            if (errorLocation && meaning & 111551 && result.flags & 2097152 && !(result.flags & 111551) && !isValidTypeOnlyAliasUseSite(errorLocation)) {
              const typeOnlyDeclaration = getTypeOnlyAliasDeclaration(
                result,
                111551
                /* Value */
              );
              if (typeOnlyDeclaration) {
                const message = typeOnlyDeclaration.kind === 281 || typeOnlyDeclaration.kind === 278 || typeOnlyDeclaration.kind === 280 ? Diagnostics._0_cannot_be_used_as_a_value_because_it_was_exported_using_export_type : Diagnostics._0_cannot_be_used_as_a_value_because_it_was_imported_using_import_type;
                const unescapedName = unescapeLeadingUnderscores(name);
                addTypeOnlyDeclarationRelatedInfo(
                  error2(errorLocation, message, unescapedName),
                  typeOnlyDeclaration,
                  unescapedName
                );
              }
            }
            if (compilerOptions.isolatedModules && result && isInExternalModule && (meaning & 111551) === 111551) {
              const isGlobal = getSymbol2(globals2, name, meaning) === result;
              const nonValueSymbol = isGlobal && isSourceFile(lastLocation) && lastLocation.locals && getSymbol2(
                lastLocation.locals,
                name,
                ~111551
                /* Value */
              );
              if (nonValueSymbol) {
                const importDecl = (_a = nonValueSymbol.declarations) == null ? void 0 : _a.find(
                  (d) => d.kind === 276 || d.kind === 273 || d.kind === 274 || d.kind === 271
                  /* ImportEqualsDeclaration */
                );
                if (importDecl && !isTypeOnlyImportDeclaration(importDecl)) {
                  error2(importDecl, Diagnostics.Import_0_conflicts_with_global_value_used_in_this_file_so_must_be_declared_with_a_type_only_import_when_isolatedModules_is_enabled, unescapeLeadingUnderscores(name));
                }
              }
            }
          });
        }
        function addTypeOnlyDeclarationRelatedInfo(diagnostic, typeOnlyDeclaration, unescapedName) {
          if (!typeOnlyDeclaration) return diagnostic;
          return addRelatedInfo(
            diagnostic,
            createDiagnosticForNode(
              typeOnlyDeclaration,
              typeOnlyDeclaration.kind === 281 || typeOnlyDeclaration.kind === 278 || typeOnlyDeclaration.kind === 280 ? Diagnostics._0_was_exported_here : Diagnostics._0_was_imported_here,
              unescapedName
            )
          );
        }
        function diagnosticName(nameArg) {
          return isString2(nameArg) ? unescapeLeadingUnderscores(nameArg) : declarationNameToString(nameArg);
        }
        function checkAndReportErrorForMissingPrefix(errorLocation, name, nameArg) {
          if (!isIdentifier(errorLocation) || errorLocation.escapedText !== name || isTypeReferenceIdentifier(errorLocation) || isInTypeQuery(errorLocation)) {
            return false;
          }
          const container = getThisContainer(
            errorLocation,
            /*includeArrowFunctions*/
            false,
            /*includeClassComputedPropertyName*/
            false
          );
          let location = container;
          while (location) {
            if (isClassLike(location.parent)) {
              const classSymbol = getSymbolOfDeclaration(location.parent);
              if (!classSymbol) {
                break;
              }
              const constructorType = getTypeOfSymbol(classSymbol);
              if (getPropertyOfType(constructorType, name)) {
                error2(errorLocation, Diagnostics.Cannot_find_name_0_Did_you_mean_the_static_member_1_0, diagnosticName(nameArg), symbolToString2(classSymbol));
                return true;
              }
              if (location === container && !isStatic(location)) {
                const instanceType = getDeclaredTypeOfSymbol(classSymbol).thisType;
                if (getPropertyOfType(instanceType, name)) {
                  error2(errorLocation, Diagnostics.Cannot_find_name_0_Did_you_mean_the_instance_member_this_0, diagnosticName(nameArg));
                  return true;
                }
              }
            }
            location = location.parent;
          }
          return false;
        }
        function checkAndReportErrorForExtendingInterface(errorLocation) {
          const expression = getEntityNameForExtendingInterface(errorLocation);
          if (expression && resolveEntityName(
            expression,
            64,
            /*ignoreErrors*/
            true
          )) {
            error2(errorLocation, Diagnostics.Cannot_extend_an_interface_0_Did_you_mean_implements, getTextOfNode(expression));
            return true;
          }
          return false;
        }
        function getEntityNameForExtendingInterface(node) {
          switch (node.kind) {
            case 80:
            case 211:
              return node.parent ? getEntityNameForExtendingInterface(node.parent) : void 0;
            case 233:
              if (isEntityNameExpression(node.expression)) {
                return node.expression;
              }
            default:
              return void 0;
          }
        }
        function checkAndReportErrorForUsingTypeAsNamespace(errorLocation, name, meaning) {
          const namespaceMeaning = 1920 | (isInJSFile(errorLocation) ? 111551 : 0);
          if (meaning === namespaceMeaning) {
            const symbol = resolveSymbol(resolveName(
              errorLocation,
              name,
              788968 & ~namespaceMeaning,
              /*nameNotFoundMessage*/
              void 0,
              /*isUse*/
              false
            ));
            const parent2 = errorLocation.parent;
            if (symbol) {
              if (isQualifiedName(parent2)) {
                Debug.assert(parent2.left === errorLocation, "Should only be resolving left side of qualified name as a namespace");
                const propName = parent2.right.escapedText;
                const propType = getPropertyOfType(getDeclaredTypeOfSymbol(symbol), propName);
                if (propType) {
                  error2(
                    parent2,
                    Diagnostics.Cannot_access_0_1_because_0_is_a_type_but_not_a_namespace_Did_you_mean_to_retrieve_the_type_of_the_property_1_in_0_with_0_1,
                    unescapeLeadingUnderscores(name),
                    unescapeLeadingUnderscores(propName)
                  );
                  return true;
                }
              }
              error2(errorLocation, Diagnostics._0_only_refers_to_a_type_but_is_being_used_as_a_namespace_here, unescapeLeadingUnderscores(name));
              return true;
            }
          }
          return false;
        }
        function checkAndReportErrorForUsingValueAsType(errorLocation, name, meaning) {
          if (meaning & (788968 & ~1920)) {
            const symbol = resolveSymbol(resolveName(
              errorLocation,
              name,
              ~788968 & 111551,
              /*nameNotFoundMessage*/
              void 0,
              /*isUse*/
              false
            ));
            if (symbol && !(symbol.flags & 1920)) {
              error2(errorLocation, Diagnostics._0_refers_to_a_value_but_is_being_used_as_a_type_here_Did_you_mean_typeof_0, unescapeLeadingUnderscores(name));
              return true;
            }
          }
          return false;
        }
        function isPrimitiveTypeName(name) {
          return name === "any" || name === "string" || name === "number" || name === "boolean" || name === "never" || name === "unknown";
        }
        function checkAndReportErrorForExportingPrimitiveType(errorLocation, name) {
          if (isPrimitiveTypeName(name) && errorLocation.parent.kind === 281) {
            error2(errorLocation, Diagnostics.Cannot_export_0_Only_local_declarations_can_be_exported_from_a_module, name);
            return true;
          }
          return false;
        }
        function checkAndReportErrorForUsingTypeAsValue(errorLocation, name, meaning) {
          if (meaning & 111551) {
            if (isPrimitiveTypeName(name)) {
              const grandparent = errorLocation.parent.parent;
              if (grandparent && grandparent.parent && isHeritageClause(grandparent)) {
                const heritageKind = grandparent.token;
                const containerKind = grandparent.parent.kind;
                if (containerKind === 264 && heritageKind === 96) {
                  error2(errorLocation, Diagnostics.An_interface_cannot_extend_a_primitive_type_like_0_It_can_only_extend_other_named_object_types, unescapeLeadingUnderscores(name));
                } else if (containerKind === 263 && heritageKind === 96) {
                  error2(errorLocation, Diagnostics.A_class_cannot_extend_a_primitive_type_like_0_Classes_can_only_extend_constructable_values, unescapeLeadingUnderscores(name));
                } else if (containerKind === 263 && heritageKind === 119) {
                  error2(errorLocation, Diagnostics.A_class_cannot_implement_a_primitive_type_like_0_It_can_only_implement_other_named_object_types, unescapeLeadingUnderscores(name));
                }
              } else {
                error2(errorLocation, Diagnostics._0_only_refers_to_a_type_but_is_being_used_as_a_value_here, unescapeLeadingUnderscores(name));
              }
              return true;
            }
            const symbol = resolveSymbol(resolveName(
              errorLocation,
              name,
              788968 & ~111551,
              /*nameNotFoundMessage*/
              void 0,
              /*isUse*/
              false
            ));
            const allFlags = symbol && getSymbolFlags(symbol);
            if (symbol && allFlags !== void 0 && !(allFlags & 111551)) {
              const rawName = unescapeLeadingUnderscores(name);
              if (isES2015OrLaterConstructorName(name)) {
                error2(errorLocation, Diagnostics._0_only_refers_to_a_type_but_is_being_used_as_a_value_here_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_es2015_or_later, rawName);
              } else if (maybeMappedType(errorLocation, symbol)) {
                error2(errorLocation, Diagnostics._0_only_refers_to_a_type_but_is_being_used_as_a_value_here_Did_you_mean_to_use_1_in_0, rawName, rawName === "K" ? "P" : "K");
              } else {
                error2(errorLocation, Diagnostics._0_only_refers_to_a_type_but_is_being_used_as_a_value_here, rawName);
              }
              return true;
            }
          }
          return false;
        }
        function maybeMappedType(node, symbol) {
          const container = findAncestor(node.parent, (n) => isComputedPropertyName(n) || isPropertySignature(n) ? false : isTypeLiteralNode(n) || "quit");
          if (container && container.members.length === 1) {
            const type = getDeclaredTypeOfSymbol(symbol);
            return !!(type.flags & 1048576) && allTypesAssignableToKind(
              type,
              384,
              /*strict*/
              true
            );
          }
          return false;
        }
        function isES2015OrLaterConstructorName(n) {
          switch (n) {
            case "Promise":
            case "Symbol":
            case "Map":
            case "WeakMap":
            case "Set":
            case "WeakSet":
              return true;
          }
          return false;
        }
        function checkAndReportErrorForUsingNamespaceAsTypeOrValue(errorLocation, name, meaning) {
          if (meaning & (111551 & ~788968)) {
            const symbol = resolveSymbol(resolveName(
              errorLocation,
              name,
              1024,
              /*nameNotFoundMessage*/
              void 0,
              /*isUse*/
              false
            ));
            if (symbol) {
              error2(
                errorLocation,
                Diagnostics.Cannot_use_namespace_0_as_a_value,
                unescapeLeadingUnderscores(name)
              );
              return true;
            }
          } else if (meaning & (788968 & ~111551)) {
            const symbol = resolveSymbol(resolveName(
              errorLocation,
              name,
              1536,
              /*nameNotFoundMessage*/
              void 0,
              /*isUse*/
              false
            ));
            if (symbol) {
              error2(errorLocation, Diagnostics.Cannot_use_namespace_0_as_a_type, unescapeLeadingUnderscores(name));
              return true;
            }
          }
          return false;
        }
        function checkResolvedBlockScopedVariable(result, errorLocation) {
          var _a;
          Debug.assert(!!(result.flags & 2 || result.flags & 32 || result.flags & 384));
          if (result.flags & (16 | 1 | 67108864) && result.flags & 32) {
            return;
          }
          const declaration = (_a = result.declarations) == null ? void 0 : _a.find(
            (d) => isBlockOrCatchScoped(d) || isClassLike(d) || d.kind === 266
            /* EnumDeclaration */
          );
          if (declaration === void 0) return Debug.fail("checkResolvedBlockScopedVariable could not find block-scoped declaration");
          if (!(declaration.flags & 33554432) && !isBlockScopedNameDeclaredBeforeUse(declaration, errorLocation)) {
            let diagnosticMessage;
            const declarationName = declarationNameToString(getNameOfDeclaration(declaration));
            if (result.flags & 2) {
              diagnosticMessage = error2(errorLocation, Diagnostics.Block_scoped_variable_0_used_before_its_declaration, declarationName);
            } else if (result.flags & 32) {
              diagnosticMessage = error2(errorLocation, Diagnostics.Class_0_used_before_its_declaration, declarationName);
            } else if (result.flags & 256) {
              diagnosticMessage = error2(errorLocation, Diagnostics.Enum_0_used_before_its_declaration, declarationName);
            } else {
              Debug.assert(!!(result.flags & 128));
              if (getIsolatedModules(compilerOptions)) {
                diagnosticMessage = error2(errorLocation, Diagnostics.Enum_0_used_before_its_declaration, declarationName);
              }
            }
            if (diagnosticMessage) {
              addRelatedInfo(diagnosticMessage, createDiagnosticForNode(declaration, Diagnostics._0_is_declared_here, declarationName));
            }
          }
        }
        function isSameScopeDescendentOf(initial, parent2, stopAt) {
          return !!parent2 && !!findAncestor(initial, (n) => n === parent2 || (n === stopAt || isFunctionLike(n) && (!getImmediatelyInvokedFunctionExpression(n) || getFunctionFlags(n) & 3) ? "quit" : false));
        }
        function getAnyImportSyntax(node) {
          switch (node.kind) {
            case 271:
              return node;
            case 273:
              return node.parent;
            case 274:
              return node.parent.parent;
            case 276:
              return node.parent.parent.parent;
            default:
              return void 0;
          }
        }
        function getDeclarationOfAliasSymbol(symbol) {
          return symbol.declarations && findLast(symbol.declarations, isAliasSymbolDeclaration2);
        }
        function isAliasSymbolDeclaration2(node) {
          return node.kind === 271 || node.kind === 270 || node.kind === 273 && !!node.name || node.kind === 274 || node.kind === 280 || node.kind === 276 || node.kind === 281 || node.kind === 277 && exportAssignmentIsAlias(node) || isBinaryExpression(node) && getAssignmentDeclarationKind(node) === 2 && exportAssignmentIsAlias(node) || isAccessExpression(node) && isBinaryExpression(node.parent) && node.parent.left === node && node.parent.operatorToken.kind === 64 && isAliasableOrJsExpression(node.parent.right) || node.kind === 304 || node.kind === 303 && isAliasableOrJsExpression(node.initializer) || node.kind === 260 && isVariableDeclarationInitializedToBareOrAccessedRequire(node) || node.kind === 208 && isVariableDeclarationInitializedToBareOrAccessedRequire(node.parent.parent);
        }
        function isAliasableOrJsExpression(e) {
          return isAliasableExpression(e) || isFunctionExpression(e) && isJSConstructor(e);
        }
        function getTargetOfImportEqualsDeclaration(node, dontResolveAlias) {
          const commonJSPropertyAccess = getCommonJSPropertyAccess(node);
          if (commonJSPropertyAccess) {
            const name = getLeftmostAccessExpression(commonJSPropertyAccess.expression).arguments[0];
            return isIdentifier(commonJSPropertyAccess.name) ? resolveSymbol(getPropertyOfType(resolveExternalModuleTypeByLiteral(name), commonJSPropertyAccess.name.escapedText)) : void 0;
          }
          if (isVariableDeclaration(node) || node.moduleReference.kind === 283) {
            const immediate = resolveExternalModuleName(
              node,
              getExternalModuleRequireArgument(node) || getExternalModuleImportEqualsDeclarationExpression(node)
            );
            const resolved2 = resolveExternalModuleSymbol(immediate);
            markSymbolOfAliasDeclarationIfTypeOnly(
              node,
              immediate,
              resolved2,
              /*overwriteEmpty*/
              false
            );
            return resolved2;
          }
          const resolved = getSymbolOfPartOfRightHandSideOfImportEquals(node.moduleReference, dontResolveAlias);
          checkAndReportErrorForResolvingImportAliasToTypeOnlySymbol(node, resolved);
          return resolved;
        }
        function checkAndReportErrorForResolvingImportAliasToTypeOnlySymbol(node, resolved) {
          if (markSymbolOfAliasDeclarationIfTypeOnly(
            node,
            /*immediateTarget*/
            void 0,
            resolved,
            /*overwriteEmpty*/
            false
          ) && !node.isTypeOnly) {
            const typeOnlyDeclaration = getTypeOnlyAliasDeclaration(getSymbolOfDeclaration(node));
            const isExport = typeOnlyDeclaration.kind === 281 || typeOnlyDeclaration.kind === 278;
            const message = isExport ? Diagnostics.An_import_alias_cannot_reference_a_declaration_that_was_exported_using_export_type : Diagnostics.An_import_alias_cannot_reference_a_declaration_that_was_imported_using_import_type;
            const relatedMessage = isExport ? Diagnostics._0_was_exported_here : Diagnostics._0_was_imported_here;
            const name = typeOnlyDeclaration.kind === 278 ? "*" : unescapeLeadingUnderscores(typeOnlyDeclaration.name.escapedText);
            addRelatedInfo(error2(node.moduleReference, message), createDiagnosticForNode(typeOnlyDeclaration, relatedMessage, name));
          }
        }
        function resolveExportByName(moduleSymbol, name, sourceNode, dontResolveAlias) {
          const exportValue = moduleSymbol.exports.get(
            "export="
            /* ExportEquals */
          );
          const exportSymbol = exportValue ? getPropertyOfType(
            getTypeOfSymbol(exportValue),
            name,
            /*skipObjectFunctionPropertyAugment*/
            true
          ) : moduleSymbol.exports.get(name);
          const resolved = resolveSymbol(exportSymbol, dontResolveAlias);
          markSymbolOfAliasDeclarationIfTypeOnly(
            sourceNode,
            exportSymbol,
            resolved,
            /*overwriteEmpty*/
            false
          );
          return resolved;
        }
        function isSyntacticDefault(node) {
          return isExportAssignment(node) && !node.isExportEquals || hasSyntacticModifier(
            node,
            2048
            /* Default */
          ) || isExportSpecifier(node) || isNamespaceExport(node);
        }
        function getUsageModeForExpression(usage) {
          return isStringLiteralLike(usage) ? host.getModeForUsageLocation(getSourceFileOfNode(usage), usage) : void 0;
        }
        function isESMFormatImportImportingCommonjsFormatFile(usageMode, targetMode) {
          return usageMode === 99 && targetMode === 1;
        }
        function isOnlyImportedAsDefault(usage) {
          const usageMode = getUsageModeForExpression(usage);
          return usageMode === 99 && endsWith(
            usage.text,
            ".json"
            /* Json */
          );
        }
        function canHaveSyntheticDefault(file, moduleSymbol, dontResolveAlias, usage) {
          const usageMode = file && getUsageModeForExpression(usage);
          if (file && usageMode !== void 0 && 100 <= moduleKind && moduleKind <= 199) {
            const result = isESMFormatImportImportingCommonjsFormatFile(usageMode, file.impliedNodeFormat);
            if (usageMode === 99 || result) {
              return result;
            }
          }
          if (!allowSyntheticDefaultImports) {
            return false;
          }
          if (!file || file.isDeclarationFile) {
            const defaultExportSymbol = resolveExportByName(
              moduleSymbol,
              "default",
              /*sourceNode*/
              void 0,
              /*dontResolveAlias*/
              true
            );
            if (defaultExportSymbol && some(defaultExportSymbol.declarations, isSyntacticDefault)) {
              return false;
            }
            if (resolveExportByName(
              moduleSymbol,
              escapeLeadingUnderscores("__esModule"),
              /*sourceNode*/
              void 0,
              dontResolveAlias
            )) {
              return false;
            }
            return true;
          }
          if (!isSourceFileJS(file)) {
            return hasExportAssignmentSymbol(moduleSymbol);
          }
          return typeof file.externalModuleIndicator !== "object" && !resolveExportByName(
            moduleSymbol,
            escapeLeadingUnderscores("__esModule"),
            /*sourceNode*/
            void 0,
            dontResolveAlias
          );
        }
        function getTargetOfImportClause(node, dontResolveAlias) {
          const moduleSymbol = resolveExternalModuleName(node, node.parent.moduleSpecifier);
          if (moduleSymbol) {
            return getTargetofModuleDefault(moduleSymbol, node, dontResolveAlias);
          }
        }
        function getTargetofModuleDefault(moduleSymbol, node, dontResolveAlias) {
          var _a;
          let exportDefaultSymbol;
          if (isShorthandAmbientModuleSymbol(moduleSymbol)) {
            exportDefaultSymbol = moduleSymbol;
          } else {
            exportDefaultSymbol = resolveExportByName(moduleSymbol, "default", node, dontResolveAlias);
          }
          const file = (_a = moduleSymbol.declarations) == null ? void 0 : _a.find(isSourceFile);
          const specifier = getModuleSpecifierForImportOrExport(node);
          if (!specifier) {
            return exportDefaultSymbol;
          }
          const hasDefaultOnly = isOnlyImportedAsDefault(specifier);
          const hasSyntheticDefault = canHaveSyntheticDefault(file, moduleSymbol, dontResolveAlias, specifier);
          if (!exportDefaultSymbol && !hasSyntheticDefault && !hasDefaultOnly) {
            if (hasExportAssignmentSymbol(moduleSymbol) && !allowSyntheticDefaultImports) {
              const compilerOptionName = moduleKind >= 5 ? "allowSyntheticDefaultImports" : "esModuleInterop";
              const exportEqualsSymbol = moduleSymbol.exports.get(
                "export="
                /* ExportEquals */
              );
              const exportAssignment = exportEqualsSymbol.valueDeclaration;
              const err = error2(node.name, Diagnostics.Module_0_can_only_be_default_imported_using_the_1_flag, symbolToString2(moduleSymbol), compilerOptionName);
              if (exportAssignment) {
                addRelatedInfo(
                  err,
                  createDiagnosticForNode(
                    exportAssignment,
                    Diagnostics.This_module_is_declared_with_export_and_can_only_be_used_with_a_default_import_when_using_the_0_flag,
                    compilerOptionName
                  )
                );
              }
            } else if (isImportClause(node)) {
              reportNonDefaultExport(moduleSymbol, node);
            } else {
              errorNoModuleMemberSymbol(moduleSymbol, moduleSymbol, node, isImportOrExportSpecifier(node) && node.propertyName || node.name);
            }
          } else if (hasSyntheticDefault || hasDefaultOnly) {
            const resolved = resolveExternalModuleSymbol(moduleSymbol, dontResolveAlias) || resolveSymbol(moduleSymbol, dontResolveAlias);
            markSymbolOfAliasDeclarationIfTypeOnly(
              node,
              moduleSymbol,
              resolved,
              /*overwriteEmpty*/
              false
            );
            return resolved;
          }
          markSymbolOfAliasDeclarationIfTypeOnly(
            node,
            exportDefaultSymbol,
            /*finalTarget*/
            void 0,
            /*overwriteEmpty*/
            false
          );
          return exportDefaultSymbol;
        }
        function getModuleSpecifierForImportOrExport(node) {
          switch (node.kind) {
            case 273:
              return node.parent.moduleSpecifier;
            case 271:
              return isExternalModuleReference(node.moduleReference) ? node.moduleReference.expression : void 0;
            case 274:
              return node.parent.parent.moduleSpecifier;
            case 276:
              return node.parent.parent.parent.moduleSpecifier;
            case 281:
              return node.parent.parent.moduleSpecifier;
            default:
              return Debug.assertNever(node);
          }
        }
        function reportNonDefaultExport(moduleSymbol, node) {
          var _a, _b, _c;
          if ((_a = moduleSymbol.exports) == null ? void 0 : _a.has(node.symbol.escapedName)) {
            error2(
              node.name,
              Diagnostics.Module_0_has_no_default_export_Did_you_mean_to_use_import_1_from_0_instead,
              symbolToString2(moduleSymbol),
              symbolToString2(node.symbol)
            );
          } else {
            const diagnostic = error2(node.name, Diagnostics.Module_0_has_no_default_export, symbolToString2(moduleSymbol));
            const exportStar = (_b = moduleSymbol.exports) == null ? void 0 : _b.get(
              "__export"
              /* ExportStar */
            );
            if (exportStar) {
              const defaultExport = (_c = exportStar.declarations) == null ? void 0 : _c.find(
                (decl) => {
                  var _a2, _b2;
                  return !!(isExportDeclaration(decl) && decl.moduleSpecifier && ((_b2 = (_a2 = resolveExternalModuleName(decl, decl.moduleSpecifier)) == null ? void 0 : _a2.exports) == null ? void 0 : _b2.has(
                    "default"
                    /* Default */
                  )));
                }
              );
              if (defaultExport) {
                addRelatedInfo(diagnostic, createDiagnosticForNode(defaultExport, Diagnostics.export_Asterisk_does_not_re_export_a_default));
              }
            }
          }
        }
        function getTargetOfNamespaceImport(node, dontResolveAlias) {
          const moduleSpecifier = node.parent.parent.moduleSpecifier;
          const immediate = resolveExternalModuleName(node, moduleSpecifier);
          const resolved = resolveESModuleSymbol(
            immediate,
            moduleSpecifier,
            dontResolveAlias,
            /*suppressInteropError*/
            false
          );
          markSymbolOfAliasDeclarationIfTypeOnly(
            node,
            immediate,
            resolved,
            /*overwriteEmpty*/
            false
          );
          return resolved;
        }
        function getTargetOfNamespaceExport(node, dontResolveAlias) {
          const moduleSpecifier = node.parent.moduleSpecifier;
          const immediate = moduleSpecifier && resolveExternalModuleName(node, moduleSpecifier);
          const resolved = moduleSpecifier && resolveESModuleSymbol(
            immediate,
            moduleSpecifier,
            dontResolveAlias,
            /*suppressInteropError*/
            false
          );
          markSymbolOfAliasDeclarationIfTypeOnly(
            node,
            immediate,
            resolved,
            /*overwriteEmpty*/
            false
          );
          return resolved;
        }
        function combineValueAndTypeSymbols(valueSymbol, typeSymbol) {
          if (valueSymbol === unknownSymbol && typeSymbol === unknownSymbol) {
            return unknownSymbol;
          }
          if (valueSymbol.flags & (788968 | 1920)) {
            return valueSymbol;
          }
          const result = createSymbol(valueSymbol.flags | typeSymbol.flags, valueSymbol.escapedName);
          Debug.assert(valueSymbol.declarations || typeSymbol.declarations);
          result.declarations = deduplicate(concatenate(valueSymbol.declarations, typeSymbol.declarations), equateValues);
          result.parent = valueSymbol.parent || typeSymbol.parent;
          if (valueSymbol.valueDeclaration) result.valueDeclaration = valueSymbol.valueDeclaration;
          if (typeSymbol.members) result.members = new Map(typeSymbol.members);
          if (valueSymbol.exports) result.exports = new Map(valueSymbol.exports);
          return result;
        }
        function getExportOfModule(symbol, name, specifier, dontResolveAlias) {
          var _a;
          if (symbol.flags & 1536) {
            const exportSymbol = getExportsOfSymbol(symbol).get(name.escapedText);
            const resolved = resolveSymbol(exportSymbol, dontResolveAlias);
            const exportStarDeclaration = (_a = getSymbolLinks(symbol).typeOnlyExportStarMap) == null ? void 0 : _a.get(name.escapedText);
            markSymbolOfAliasDeclarationIfTypeOnly(
              specifier,
              exportSymbol,
              resolved,
              /*overwriteEmpty*/
              false,
              exportStarDeclaration,
              name.escapedText
            );
            return resolved;
          }
        }
        function getPropertyOfVariable(symbol, name) {
          if (symbol.flags & 3) {
            const typeAnnotation = symbol.valueDeclaration.type;
            if (typeAnnotation) {
              return resolveSymbol(getPropertyOfType(getTypeFromTypeNode(typeAnnotation), name));
            }
          }
        }
        function getExternalModuleMember(node, specifier, dontResolveAlias = false) {
          var _a;
          const moduleSpecifier = getExternalModuleRequireArgument(node) || node.moduleSpecifier;
          const moduleSymbol = resolveExternalModuleName(node, moduleSpecifier);
          const name = !isPropertyAccessExpression(specifier) && specifier.propertyName || specifier.name;
          if (!isIdentifier(name)) {
            return void 0;
          }
          const suppressInteropError = name.escapedText === "default" && allowSyntheticDefaultImports;
          const targetSymbol = resolveESModuleSymbol(
            moduleSymbol,
            moduleSpecifier,
            /*dontResolveAlias*/
            false,
            suppressInteropError
          );
          if (targetSymbol) {
            if (name.escapedText) {
              if (isShorthandAmbientModuleSymbol(moduleSymbol)) {
                return moduleSymbol;
              }
              let symbolFromVariable;
              if (moduleSymbol && moduleSymbol.exports && moduleSymbol.exports.get(
                "export="
                /* ExportEquals */
              )) {
                symbolFromVariable = getPropertyOfType(
                  getTypeOfSymbol(targetSymbol),
                  name.escapedText,
                  /*skipObjectFunctionPropertyAugment*/
                  true
                );
              } else {
                symbolFromVariable = getPropertyOfVariable(targetSymbol, name.escapedText);
              }
              symbolFromVariable = resolveSymbol(symbolFromVariable, dontResolveAlias);
              let symbolFromModule = getExportOfModule(targetSymbol, name, specifier, dontResolveAlias);
              if (symbolFromModule === void 0 && name.escapedText === "default") {
                const file = (_a = moduleSymbol.declarations) == null ? void 0 : _a.find(isSourceFile);
                if (isOnlyImportedAsDefault(moduleSpecifier) || canHaveSyntheticDefault(file, moduleSymbol, dontResolveAlias, moduleSpecifier)) {
                  symbolFromModule = resolveExternalModuleSymbol(moduleSymbol, dontResolveAlias) || resolveSymbol(moduleSymbol, dontResolveAlias);
                }
              }
              const symbol = symbolFromModule && symbolFromVariable && symbolFromModule !== symbolFromVariable ? combineValueAndTypeSymbols(symbolFromVariable, symbolFromModule) : symbolFromModule || symbolFromVariable;
              if (!symbol) {
                errorNoModuleMemberSymbol(moduleSymbol, targetSymbol, node, name);
              }
              return symbol;
            }
          }
        }
        function errorNoModuleMemberSymbol(moduleSymbol, targetSymbol, node, name) {
          var _a;
          const moduleName = getFullyQualifiedName(moduleSymbol, node);
          const declarationName = declarationNameToString(name);
          const suggestion = getSuggestedSymbolForNonexistentModule(name, targetSymbol);
          if (suggestion !== void 0) {
            const suggestionName = symbolToString2(suggestion);
            const diagnostic = error2(name, Diagnostics._0_has_no_exported_member_named_1_Did_you_mean_2, moduleName, declarationName, suggestionName);
            if (suggestion.valueDeclaration) {
              addRelatedInfo(diagnostic, createDiagnosticForNode(suggestion.valueDeclaration, Diagnostics._0_is_declared_here, suggestionName));
            }
          } else {
            if ((_a = moduleSymbol.exports) == null ? void 0 : _a.has(
              "default"
              /* Default */
            )) {
              error2(
                name,
                Diagnostics.Module_0_has_no_exported_member_1_Did_you_mean_to_use_import_1_from_0_instead,
                moduleName,
                declarationName
              );
            } else {
              reportNonExportedMember(node, name, declarationName, moduleSymbol, moduleName);
            }
          }
        }
        function reportNonExportedMember(node, name, declarationName, moduleSymbol, moduleName) {
          var _a, _b;
          const localSymbol = (_b = (_a = tryCast(moduleSymbol.valueDeclaration, canHaveLocals)) == null ? void 0 : _a.locals) == null ? void 0 : _b.get(name.escapedText);
          const exports22 = moduleSymbol.exports;
          if (localSymbol) {
            const exportedEqualsSymbol = exports22 == null ? void 0 : exports22.get(
              "export="
              /* ExportEquals */
            );
            if (exportedEqualsSymbol) {
              getSymbolIfSameReference(exportedEqualsSymbol, localSymbol) ? reportInvalidImportEqualsExportMember(node, name, declarationName, moduleName) : error2(name, Diagnostics.Module_0_has_no_exported_member_1, moduleName, declarationName);
            } else {
              const exportedSymbol = exports22 ? find(symbolsToArray(exports22), (symbol) => !!getSymbolIfSameReference(symbol, localSymbol)) : void 0;
              const diagnostic = exportedSymbol ? error2(name, Diagnostics.Module_0_declares_1_locally_but_it_is_exported_as_2, moduleName, declarationName, symbolToString2(exportedSymbol)) : error2(name, Diagnostics.Module_0_declares_1_locally_but_it_is_not_exported, moduleName, declarationName);
              if (localSymbol.declarations) {
                addRelatedInfo(diagnostic, ...map(localSymbol.declarations, (decl, index) => createDiagnosticForNode(decl, index === 0 ? Diagnostics._0_is_declared_here : Diagnostics.and_here, declarationName)));
              }
            }
          } else {
            error2(name, Diagnostics.Module_0_has_no_exported_member_1, moduleName, declarationName);
          }
        }
        function reportInvalidImportEqualsExportMember(node, name, declarationName, moduleName) {
          if (moduleKind >= 5) {
            const message = getESModuleInterop(compilerOptions) ? Diagnostics._0_can_only_be_imported_by_using_a_default_import : Diagnostics._0_can_only_be_imported_by_turning_on_the_esModuleInterop_flag_and_using_a_default_import;
            error2(name, message, declarationName);
          } else {
            if (isInJSFile(node)) {
              const message = getESModuleInterop(compilerOptions) ? Diagnostics._0_can_only_be_imported_by_using_a_require_call_or_by_using_a_default_import : Diagnostics._0_can_only_be_imported_by_using_a_require_call_or_by_turning_on_the_esModuleInterop_flag_and_using_a_default_import;
              error2(name, message, declarationName);
            } else {
              const message = getESModuleInterop(compilerOptions) ? Diagnostics._0_can_only_be_imported_by_using_import_1_require_2_or_a_default_import : Diagnostics._0_can_only_be_imported_by_using_import_1_require_2_or_by_turning_on_the_esModuleInterop_flag_and_using_a_default_import;
              error2(name, message, declarationName, declarationName, moduleName);
            }
          }
        }
        function getTargetOfImportSpecifier(node, dontResolveAlias) {
          if (isImportSpecifier(node) && idText(node.propertyName || node.name) === "default") {
            const specifier = getModuleSpecifierForImportOrExport(node);
            const moduleSymbol = specifier && resolveExternalModuleName(node, specifier);
            if (moduleSymbol) {
              return getTargetofModuleDefault(moduleSymbol, node, dontResolveAlias);
            }
          }
          const root2 = isBindingElement(node) ? getRootDeclaration(node) : node.parent.parent.parent;
          const commonJSPropertyAccess = getCommonJSPropertyAccess(root2);
          const resolved = getExternalModuleMember(root2, commonJSPropertyAccess || node, dontResolveAlias);
          const name = node.propertyName || node.name;
          if (commonJSPropertyAccess && resolved && isIdentifier(name)) {
            return resolveSymbol(getPropertyOfType(getTypeOfSymbol(resolved), name.escapedText), dontResolveAlias);
          }
          markSymbolOfAliasDeclarationIfTypeOnly(
            node,
            /*immediateTarget*/
            void 0,
            resolved,
            /*overwriteEmpty*/
            false
          );
          return resolved;
        }
        function getCommonJSPropertyAccess(node) {
          if (isVariableDeclaration(node) && node.initializer && isPropertyAccessExpression(node.initializer)) {
            return node.initializer;
          }
        }
        function getTargetOfNamespaceExportDeclaration(node, dontResolveAlias) {
          if (canHaveSymbol(node.parent)) {
            const resolved = resolveExternalModuleSymbol(node.parent.symbol, dontResolveAlias);
            markSymbolOfAliasDeclarationIfTypeOnly(
              node,
              /*immediateTarget*/
              void 0,
              resolved,
              /*overwriteEmpty*/
              false
            );
            return resolved;
          }
        }
        function getTargetOfExportSpecifier(node, meaning, dontResolveAlias) {
          if (idText(node.propertyName || node.name) === "default") {
            const specifier = getModuleSpecifierForImportOrExport(node);
            const moduleSymbol = specifier && resolveExternalModuleName(node, specifier);
            if (moduleSymbol) {
              return getTargetofModuleDefault(moduleSymbol, node, !!dontResolveAlias);
            }
          }
          const resolved = node.parent.parent.moduleSpecifier ? getExternalModuleMember(node.parent.parent, node, dontResolveAlias) : resolveEntityName(
            node.propertyName || node.name,
            meaning,
            /*ignoreErrors*/
            false,
            dontResolveAlias
          );
          markSymbolOfAliasDeclarationIfTypeOnly(
            node,
            /*immediateTarget*/
            void 0,
            resolved,
            /*overwriteEmpty*/
            false
          );
          return resolved;
        }
        function getTargetOfExportAssignment(node, dontResolveAlias) {
          const expression = isExportAssignment(node) ? node.expression : node.right;
          const resolved = getTargetOfAliasLikeExpression(expression, dontResolveAlias);
          markSymbolOfAliasDeclarationIfTypeOnly(
            node,
            /*immediateTarget*/
            void 0,
            resolved,
            /*overwriteEmpty*/
            false
          );
          return resolved;
        }
        function getTargetOfAliasLikeExpression(expression, dontResolveAlias) {
          if (isClassExpression(expression)) {
            return checkExpressionCached(expression).symbol;
          }
          if (!isEntityName(expression) && !isEntityNameExpression(expression)) {
            return void 0;
          }
          const aliasLike = resolveEntityName(
            expression,
            111551 | 788968 | 1920,
            /*ignoreErrors*/
            true,
            dontResolveAlias
          );
          if (aliasLike) {
            return aliasLike;
          }
          checkExpressionCached(expression);
          return getNodeLinks(expression).resolvedSymbol;
        }
        function getTargetOfAccessExpression(node, dontRecursivelyResolve) {
          if (!(isBinaryExpression(node.parent) && node.parent.left === node && node.parent.operatorToken.kind === 64)) {
            return void 0;
          }
          return getTargetOfAliasLikeExpression(node.parent.right, dontRecursivelyResolve);
        }
        function getTargetOfAliasDeclaration(node, dontRecursivelyResolve = false) {
          switch (node.kind) {
            case 271:
            case 260:
              return getTargetOfImportEqualsDeclaration(node, dontRecursivelyResolve);
            case 273:
              return getTargetOfImportClause(node, dontRecursivelyResolve);
            case 274:
              return getTargetOfNamespaceImport(node, dontRecursivelyResolve);
            case 280:
              return getTargetOfNamespaceExport(node, dontRecursivelyResolve);
            case 276:
            case 208:
              return getTargetOfImportSpecifier(node, dontRecursivelyResolve);
            case 281:
              return getTargetOfExportSpecifier(node, 111551 | 788968 | 1920, dontRecursivelyResolve);
            case 277:
            case 226:
              return getTargetOfExportAssignment(node, dontRecursivelyResolve);
            case 270:
              return getTargetOfNamespaceExportDeclaration(node, dontRecursivelyResolve);
            case 304:
              return resolveEntityName(
                node.name,
                111551 | 788968 | 1920,
                /*ignoreErrors*/
                true,
                dontRecursivelyResolve
              );
            case 303:
              return getTargetOfAliasLikeExpression(node.initializer, dontRecursivelyResolve);
            case 212:
            case 211:
              return getTargetOfAccessExpression(node, dontRecursivelyResolve);
            default:
              return Debug.fail();
          }
        }
        function isNonLocalAlias(symbol, excludes = 111551 | 788968 | 1920) {
          if (!symbol) return false;
          return (symbol.flags & (2097152 | excludes)) === 2097152 || !!(symbol.flags & 2097152 && symbol.flags & 67108864);
        }
        function resolveSymbol(symbol, dontResolveAlias) {
          return !dontResolveAlias && isNonLocalAlias(symbol) ? resolveAlias(symbol) : symbol;
        }
        function resolveAlias(symbol) {
          Debug.assert((symbol.flags & 2097152) !== 0, "Should only get Alias here.");
          const links = getSymbolLinks(symbol);
          if (!links.aliasTarget) {
            links.aliasTarget = resolvingSymbol;
            const node = getDeclarationOfAliasSymbol(symbol);
            if (!node) return Debug.fail();
            const target = getTargetOfAliasDeclaration(node);
            if (links.aliasTarget === resolvingSymbol) {
              links.aliasTarget = target || unknownSymbol;
            } else {
              error2(node, Diagnostics.Circular_definition_of_import_alias_0, symbolToString2(symbol));
            }
          } else if (links.aliasTarget === resolvingSymbol) {
            links.aliasTarget = unknownSymbol;
          }
          return links.aliasTarget;
        }
        function tryResolveAlias(symbol) {
          const links = getSymbolLinks(symbol);
          if (links.aliasTarget !== resolvingSymbol) {
            return resolveAlias(symbol);
          }
          return void 0;
        }
        function getSymbolFlags(symbol, excludeTypeOnlyMeanings, excludeLocalMeanings) {
          const typeOnlyDeclaration = excludeTypeOnlyMeanings && getTypeOnlyAliasDeclaration(symbol);
          const typeOnlyDeclarationIsExportStar = typeOnlyDeclaration && isExportDeclaration(typeOnlyDeclaration);
          const typeOnlyResolution = typeOnlyDeclaration && (typeOnlyDeclarationIsExportStar ? resolveExternalModuleName(
            typeOnlyDeclaration.moduleSpecifier,
            typeOnlyDeclaration.moduleSpecifier,
            /*ignoreErrors*/
            true
          ) : resolveAlias(typeOnlyDeclaration.symbol));
          const typeOnlyExportStarTargets = typeOnlyDeclarationIsExportStar && typeOnlyResolution ? getExportsOfModule(typeOnlyResolution) : void 0;
          let flags = excludeLocalMeanings ? 0 : symbol.flags;
          let seenSymbols;
          while (symbol.flags & 2097152) {
            const target = getExportSymbolOfValueSymbolIfExported(resolveAlias(symbol));
            if (!typeOnlyDeclarationIsExportStar && target === typeOnlyResolution || (typeOnlyExportStarTargets == null ? void 0 : typeOnlyExportStarTargets.get(target.escapedName)) === target) {
              break;
            }
            if (target === unknownSymbol) {
              return -1;
            }
            if (target === symbol || (seenSymbols == null ? void 0 : seenSymbols.has(target))) {
              break;
            }
            if (target.flags & 2097152) {
              if (seenSymbols) {
                seenSymbols.add(target);
              } else {
                seenSymbols = /* @__PURE__ */ new Set([symbol, target]);
              }
            }
            flags |= target.flags;
            symbol = target;
          }
          return flags;
        }
        function markSymbolOfAliasDeclarationIfTypeOnly(aliasDeclaration, immediateTarget, finalTarget, overwriteEmpty, exportStarDeclaration, exportStarName) {
          if (!aliasDeclaration || isPropertyAccessExpression(aliasDeclaration)) return false;
          const sourceSymbol = getSymbolOfDeclaration(aliasDeclaration);
          if (isTypeOnlyImportOrExportDeclaration(aliasDeclaration)) {
            const links2 = getSymbolLinks(sourceSymbol);
            links2.typeOnlyDeclaration = aliasDeclaration;
            return true;
          }
          if (exportStarDeclaration) {
            const links2 = getSymbolLinks(sourceSymbol);
            links2.typeOnlyDeclaration = exportStarDeclaration;
            if (sourceSymbol.escapedName !== exportStarName) {
              links2.typeOnlyExportStarName = exportStarName;
            }
            return true;
          }
          const links = getSymbolLinks(sourceSymbol);
          return markSymbolOfAliasDeclarationIfTypeOnlyWorker(links, immediateTarget, overwriteEmpty) || markSymbolOfAliasDeclarationIfTypeOnlyWorker(links, finalTarget, overwriteEmpty);
        }
        function markSymbolOfAliasDeclarationIfTypeOnlyWorker(aliasDeclarationLinks, target, overwriteEmpty) {
          var _a;
          if (target && (aliasDeclarationLinks.typeOnlyDeclaration === void 0 || overwriteEmpty && aliasDeclarationLinks.typeOnlyDeclaration === false)) {
            const exportSymbol = ((_a = target.exports) == null ? void 0 : _a.get(
              "export="
              /* ExportEquals */
            )) ?? target;
            const typeOnly = exportSymbol.declarations && find(exportSymbol.declarations, isTypeOnlyImportOrExportDeclaration);
            aliasDeclarationLinks.typeOnlyDeclaration = typeOnly ?? getSymbolLinks(exportSymbol).typeOnlyDeclaration ?? false;
          }
          return !!aliasDeclarationLinks.typeOnlyDeclaration;
        }
        function getTypeOnlyAliasDeclaration(symbol, include) {
          var _a;
          if (!(symbol.flags & 2097152)) {
            return void 0;
          }
          const links = getSymbolLinks(symbol);
          if (links.typeOnlyDeclaration === void 0) {
            links.typeOnlyDeclaration = false;
            const resolved = resolveSymbol(symbol);
            markSymbolOfAliasDeclarationIfTypeOnly(
              (_a = symbol.declarations) == null ? void 0 : _a[0],
              getDeclarationOfAliasSymbol(symbol) && getImmediateAliasedSymbol(symbol),
              resolved,
              /*overwriteEmpty*/
              true
            );
          }
          if (include === void 0) {
            return links.typeOnlyDeclaration || void 0;
          }
          if (links.typeOnlyDeclaration) {
            const resolved = links.typeOnlyDeclaration.kind === 278 ? resolveSymbol(getExportsOfModule(links.typeOnlyDeclaration.symbol.parent).get(links.typeOnlyExportStarName || symbol.escapedName)) : resolveAlias(links.typeOnlyDeclaration.symbol);
            return getSymbolFlags(resolved) & include ? links.typeOnlyDeclaration : void 0;
          }
          return void 0;
        }
        function getSymbolOfPartOfRightHandSideOfImportEquals(entityName, dontResolveAlias) {
          if (entityName.kind === 80 && isRightSideOfQualifiedNameOrPropertyAccess(entityName)) {
            entityName = entityName.parent;
          }
          if (entityName.kind === 80 || entityName.parent.kind === 166) {
            return resolveEntityName(
              entityName,
              1920,
              /*ignoreErrors*/
              false,
              dontResolveAlias
            );
          } else {
            Debug.assert(
              entityName.parent.kind === 271
              /* ImportEqualsDeclaration */
            );
            return resolveEntityName(
              entityName,
              111551 | 788968 | 1920,
              /*ignoreErrors*/
              false,
              dontResolveAlias
            );
          }
        }
        function getFullyQualifiedName(symbol, containingLocation) {
          return symbol.parent ? getFullyQualifiedName(symbol.parent, containingLocation) + "." + symbolToString2(symbol) : symbolToString2(
            symbol,
            containingLocation,
            /*meaning*/
            void 0,
            32 | 4
            /* AllowAnyNodeKind */
          );
        }
        function getContainingQualifiedNameNode(node) {
          while (isQualifiedName(node.parent)) {
            node = node.parent;
          }
          return node;
        }
        function tryGetQualifiedNameAsValue(node) {
          let left = getFirstIdentifier(node);
          let symbol = resolveName(
            left,
            left,
            111551,
            /*nameNotFoundMessage*/
            void 0,
            /*isUse*/
            true
          );
          if (!symbol) {
            return void 0;
          }
          while (isQualifiedName(left.parent)) {
            const type = getTypeOfSymbol(symbol);
            symbol = getPropertyOfType(type, left.parent.right.escapedText);
            if (!symbol) {
              return void 0;
            }
            left = left.parent;
          }
          return symbol;
        }
        function resolveEntityName(name, meaning, ignoreErrors, dontResolveAlias, location) {
          if (nodeIsMissing(name)) {
            return void 0;
          }
          const namespaceMeaning = 1920 | (isInJSFile(name) ? meaning & 111551 : 0);
          let symbol;
          if (name.kind === 80) {
            const message = meaning === namespaceMeaning || nodeIsSynthesized(name) ? Diagnostics.Cannot_find_namespace_0 : getCannotFindNameDiagnosticForName(getFirstIdentifier(name));
            const symbolFromJSPrototype = isInJSFile(name) && !nodeIsSynthesized(name) ? resolveEntityNameFromAssignmentDeclaration(name, meaning) : void 0;
            symbol = getMergedSymbol(resolveName(
              location || name,
              name,
              meaning,
              ignoreErrors || symbolFromJSPrototype ? void 0 : message,
              /*isUse*/
              true,
              /*excludeGlobals*/
              false
            ));
            if (!symbol) {
              return getMergedSymbol(symbolFromJSPrototype);
            }
          } else if (name.kind === 166 || name.kind === 211) {
            const left = name.kind === 166 ? name.left : name.expression;
            const right = name.kind === 166 ? name.right : name.name;
            let namespace = resolveEntityName(
              left,
              namespaceMeaning,
              ignoreErrors,
              /*dontResolveAlias*/
              false,
              location
            );
            if (!namespace || nodeIsMissing(right)) {
              return void 0;
            } else if (namespace === unknownSymbol) {
              return namespace;
            }
            if (namespace.valueDeclaration && isInJSFile(namespace.valueDeclaration) && getEmitModuleResolutionKind(compilerOptions) !== 100 && isVariableDeclaration(namespace.valueDeclaration) && namespace.valueDeclaration.initializer && isCommonJsRequire(namespace.valueDeclaration.initializer)) {
              const moduleName = namespace.valueDeclaration.initializer.arguments[0];
              const moduleSym = resolveExternalModuleName(moduleName, moduleName);
              if (moduleSym) {
                const resolvedModuleSymbol = resolveExternalModuleSymbol(moduleSym);
                if (resolvedModuleSymbol) {
                  namespace = resolvedModuleSymbol;
                }
              }
            }
            symbol = getMergedSymbol(getSymbol2(getExportsOfSymbol(namespace), right.escapedText, meaning));
            if (!symbol && namespace.flags & 2097152) {
              symbol = getMergedSymbol(getSymbol2(getExportsOfSymbol(resolveAlias(namespace)), right.escapedText, meaning));
            }
            if (!symbol) {
              if (!ignoreErrors) {
                const namespaceName = getFullyQualifiedName(namespace);
                const declarationName = declarationNameToString(right);
                const suggestionForNonexistentModule = getSuggestedSymbolForNonexistentModule(right, namespace);
                if (suggestionForNonexistentModule) {
                  error2(right, Diagnostics._0_has_no_exported_member_named_1_Did_you_mean_2, namespaceName, declarationName, symbolToString2(suggestionForNonexistentModule));
                  return void 0;
                }
                const containingQualifiedName = isQualifiedName(name) && getContainingQualifiedNameNode(name);
                const canSuggestTypeof = globalObjectType && meaning & 788968 && containingQualifiedName && !isTypeOfExpression(containingQualifiedName.parent) && tryGetQualifiedNameAsValue(containingQualifiedName);
                if (canSuggestTypeof) {
                  error2(
                    containingQualifiedName,
                    Diagnostics._0_refers_to_a_value_but_is_being_used_as_a_type_here_Did_you_mean_typeof_0,
                    entityNameToString(containingQualifiedName)
                  );
                  return void 0;
                }
                if (meaning & 1920 && isQualifiedName(name.parent)) {
                  const exportedTypeSymbol = getMergedSymbol(getSymbol2(
                    getExportsOfSymbol(namespace),
                    right.escapedText,
                    788968
                    /* Type */
                  ));
                  if (exportedTypeSymbol) {
                    error2(
                      name.parent.right,
                      Diagnostics.Cannot_access_0_1_because_0_is_a_type_but_not_a_namespace_Did_you_mean_to_retrieve_the_type_of_the_property_1_in_0_with_0_1,
                      symbolToString2(exportedTypeSymbol),
                      unescapeLeadingUnderscores(name.parent.right.escapedText)
                    );
                    return void 0;
                  }
                }
                error2(right, Diagnostics.Namespace_0_has_no_exported_member_1, namespaceName, declarationName);
              }
              return void 0;
            }
          } else {
            Debug.assertNever(name, "Unknown entity name kind.");
          }
          if (!nodeIsSynthesized(name) && isEntityName(name) && (symbol.flags & 2097152 || name.parent.kind === 277)) {
            markSymbolOfAliasDeclarationIfTypeOnly(
              getAliasDeclarationFromName(name),
              symbol,
              /*finalTarget*/
              void 0,
              /*overwriteEmpty*/
              true
            );
          }
          return symbol.flags & meaning || dontResolveAlias ? symbol : resolveAlias(symbol);
        }
        function resolveEntityNameFromAssignmentDeclaration(name, meaning) {
          if (isJSDocTypeReference(name.parent)) {
            const secondaryLocation = getAssignmentDeclarationLocation(name.parent);
            if (secondaryLocation) {
              return resolveName(
                secondaryLocation,
                name,
                meaning,
                /*nameNotFoundMessage*/
                void 0,
                /*isUse*/
                true
              );
            }
          }
        }
        function getAssignmentDeclarationLocation(node) {
          const typeAlias = findAncestor(node, (node2) => !(isJSDocNode(node2) || node2.flags & 16777216) ? "quit" : isJSDocTypeAlias(node2));
          if (typeAlias) {
            return;
          }
          const host2 = getJSDocHost(node);
          if (host2 && isExpressionStatement2(host2) && isPrototypePropertyAssignment(host2.expression)) {
            const symbol = getSymbolOfDeclaration(host2.expression.left);
            if (symbol) {
              return getDeclarationOfJSPrototypeContainer(symbol);
            }
          }
          if (host2 && isFunctionExpression(host2) && isPrototypePropertyAssignment(host2.parent) && isExpressionStatement2(host2.parent.parent)) {
            const symbol = getSymbolOfDeclaration(host2.parent.left);
            if (symbol) {
              return getDeclarationOfJSPrototypeContainer(symbol);
            }
          }
          if (host2 && (isObjectLiteralMethod(host2) || isPropertyAssignment(host2)) && isBinaryExpression(host2.parent.parent) && getAssignmentDeclarationKind(host2.parent.parent) === 6) {
            const symbol = getSymbolOfDeclaration(host2.parent.parent.left);
            if (symbol) {
              return getDeclarationOfJSPrototypeContainer(symbol);
            }
          }
          const sig = getEffectiveJSDocHost(node);
          if (sig && isFunctionLike(sig)) {
            const symbol = getSymbolOfDeclaration(sig);
            return symbol && symbol.valueDeclaration;
          }
        }
        function getDeclarationOfJSPrototypeContainer(symbol) {
          const decl = symbol.parent.valueDeclaration;
          if (!decl) {
            return void 0;
          }
          const initializer = isAssignmentDeclaration(decl) ? getAssignedExpandoInitializer(decl) : hasOnlyExpressionInitializer(decl) ? getDeclaredExpandoInitializer(decl) : void 0;
          return initializer || decl;
        }
        function getExpandoSymbol(symbol) {
          const decl = symbol.valueDeclaration;
          if (!decl || !isInJSFile(decl) || symbol.flags & 524288 || getExpandoInitializer(
            decl,
            /*isPrototypeAssignment*/
            false
          )) {
            return void 0;
          }
          const init = isVariableDeclaration(decl) ? getDeclaredExpandoInitializer(decl) : getAssignedExpandoInitializer(decl);
          if (init) {
            const initSymbol = getSymbolOfNode(init);
            if (initSymbol) {
              return mergeJSSymbols(initSymbol, symbol);
            }
          }
        }
        function resolveExternalModuleName(location, moduleReferenceExpression, ignoreErrors) {
          const isClassic = getEmitModuleResolutionKind(compilerOptions) === 1;
          const errorMessage = isClassic ? Diagnostics.Cannot_find_module_0_Did_you_mean_to_set_the_moduleResolution_option_to_nodenext_or_to_add_aliases_to_the_paths_option : Diagnostics.Cannot_find_module_0_or_its_corresponding_type_declarations;
          return resolveExternalModuleNameWorker(location, moduleReferenceExpression, ignoreErrors ? void 0 : errorMessage);
        }
        function resolveExternalModuleNameWorker(location, moduleReferenceExpression, moduleNotFoundError, isForAugmentation = false) {
          return isStringLiteralLike(moduleReferenceExpression) ? resolveExternalModule(location, moduleReferenceExpression.text, moduleNotFoundError, moduleReferenceExpression, isForAugmentation) : void 0;
        }
        function resolveExternalModule(location, moduleReference, moduleNotFoundError, errorNode, isForAugmentation = false) {
          var _a, _b, _c, _d, _e, _f, _g, _h, _i, _j, _k;
          if (startsWith2(moduleReference, "@types/")) {
            const diag2 = Diagnostics.Cannot_import_type_declaration_files_Consider_importing_0_instead_of_1;
            const withoutAtTypePrefix = removePrefix(moduleReference, "@types/");
            error2(errorNode, diag2, withoutAtTypePrefix, moduleReference);
          }
          const ambientModule = tryFindAmbientModule(
            moduleReference,
            /*withAugmentations*/
            true
          );
          if (ambientModule) {
            return ambientModule;
          }
          const currentSourceFile = getSourceFileOfNode(location);
          const contextSpecifier = isStringLiteralLike(location) ? location : ((_a = isModuleDeclaration(location) ? location : location.parent && isModuleDeclaration(location.parent) && location.parent.name === location ? location.parent : void 0) == null ? void 0 : _a.name) || ((_b = isLiteralImportTypeNode(location) ? location : void 0) == null ? void 0 : _b.argument.literal) || (isInJSFile(location) && isJSDocImportTag(location) ? location.moduleSpecifier : void 0) || (isVariableDeclaration(location) && location.initializer && isRequireCall(
            location.initializer,
            /*requireStringLiteralLikeArgument*/
            true
          ) ? location.initializer.arguments[0] : void 0) || ((_c = findAncestor(location, isImportCall)) == null ? void 0 : _c.arguments[0]) || ((_d = findAncestor(location, isImportDeclaration)) == null ? void 0 : _d.moduleSpecifier) || ((_e = findAncestor(location, isExternalModuleImportEqualsDeclaration)) == null ? void 0 : _e.moduleReference.expression) || ((_f = findAncestor(location, isExportDeclaration)) == null ? void 0 : _f.moduleSpecifier);
          const mode = contextSpecifier && isStringLiteralLike(contextSpecifier) ? host.getModeForUsageLocation(currentSourceFile, contextSpecifier) : currentSourceFile.impliedNodeFormat;
          const moduleResolutionKind = getEmitModuleResolutionKind(compilerOptions);
          const resolvedModule = (_g = host.getResolvedModule(currentSourceFile, moduleReference, mode)) == null ? void 0 : _g.resolvedModule;
          const resolutionDiagnostic = resolvedModule && getResolutionDiagnostic(compilerOptions, resolvedModule, currentSourceFile);
          const sourceFile = resolvedModule && (!resolutionDiagnostic || resolutionDiagnostic === Diagnostics.Module_0_was_resolved_to_1_but_jsx_is_not_set) && host.getSourceFile(resolvedModule.resolvedFileName);
          if (sourceFile) {
            if (resolutionDiagnostic) {
              error2(errorNode, resolutionDiagnostic, moduleReference, resolvedModule.resolvedFileName);
            }
            if (resolvedModule.resolvedUsingTsExtension && isDeclarationFileName(moduleReference)) {
              const importOrExport = ((_h = findAncestor(location, isImportDeclaration)) == null ? void 0 : _h.importClause) || findAncestor(location, or(isImportEqualsDeclaration, isExportDeclaration));
              if (importOrExport && !importOrExport.isTypeOnly || findAncestor(location, isImportCall)) {
                error2(
                  errorNode,
                  Diagnostics.A_declaration_file_cannot_be_imported_without_import_type_Did_you_mean_to_import_an_implementation_file_0_instead,
                  getSuggestedImportSource(Debug.checkDefined(tryExtractTSExtension(moduleReference)))
                );
              }
            } else if (resolvedModule.resolvedUsingTsExtension && !shouldAllowImportingTsExtension(compilerOptions, currentSourceFile.fileName)) {
              const importOrExport = ((_i = findAncestor(location, isImportDeclaration)) == null ? void 0 : _i.importClause) || findAncestor(location, or(isImportEqualsDeclaration, isExportDeclaration));
              if (!((importOrExport == null ? void 0 : importOrExport.isTypeOnly) || findAncestor(location, isImportTypeNode))) {
                const tsExtension = Debug.checkDefined(tryExtractTSExtension(moduleReference));
                error2(errorNode, Diagnostics.An_import_path_can_only_end_with_a_0_extension_when_allowImportingTsExtensions_is_enabled, tsExtension);
              }
            }
            if (sourceFile.symbol) {
              if (resolvedModule.isExternalLibraryImport && !resolutionExtensionIsTSOrJson(resolvedModule.extension)) {
                errorOnImplicitAnyModule(
                  /*isError*/
                  false,
                  errorNode,
                  currentSourceFile,
                  mode,
                  resolvedModule,
                  moduleReference
                );
              }
              if (moduleResolutionKind === 3 || moduleResolutionKind === 99) {
                const isSyncImport = currentSourceFile.impliedNodeFormat === 1 && !findAncestor(location, isImportCall) || !!findAncestor(location, isImportEqualsDeclaration);
                const overrideHost = findAncestor(location, (l) => isImportTypeNode(l) || isExportDeclaration(l) || isImportDeclaration(l) || isJSDocImportTag(l));
                if (isSyncImport && sourceFile.impliedNodeFormat === 99 && !hasResolutionModeOverride(overrideHost)) {
                  if (findAncestor(location, isImportEqualsDeclaration)) {
                    error2(errorNode, Diagnostics.Module_0_cannot_be_imported_using_this_construct_The_specifier_only_resolves_to_an_ES_module_which_cannot_be_imported_with_require_Use_an_ECMAScript_import_instead, moduleReference);
                  } else {
                    let diagnosticDetails;
                    const ext = tryGetExtensionFromPath2(currentSourceFile.fileName);
                    if (ext === ".ts" || ext === ".js" || ext === ".tsx" || ext === ".jsx") {
                      const scope = currentSourceFile.packageJsonScope;
                      const targetExt = ext === ".ts" ? ".mts" : ext === ".js" ? ".mjs" : void 0;
                      if (scope && !scope.contents.packageJsonContent.type) {
                        if (targetExt) {
                          diagnosticDetails = chainDiagnosticMessages(
                            /*details*/
                            void 0,
                            Diagnostics.To_convert_this_file_to_an_ECMAScript_module_change_its_file_extension_to_0_or_add_the_field_type_Colon_module_to_1,
                            targetExt,
                            combinePaths(scope.packageDirectory, "package.json")
                          );
                        } else {
                          diagnosticDetails = chainDiagnosticMessages(
                            /*details*/
                            void 0,
                            Diagnostics.To_convert_this_file_to_an_ECMAScript_module_add_the_field_type_Colon_module_to_0,
                            combinePaths(scope.packageDirectory, "package.json")
                          );
                        }
                      } else {
                        if (targetExt) {
                          diagnosticDetails = chainDiagnosticMessages(
                            /*details*/
                            void 0,
                            Diagnostics.To_convert_this_file_to_an_ECMAScript_module_change_its_file_extension_to_0_or_create_a_local_package_json_file_with_type_Colon_module,
                            targetExt
                          );
                        } else {
                          diagnosticDetails = chainDiagnosticMessages(
                            /*details*/
                            void 0,
                            Diagnostics.To_convert_this_file_to_an_ECMAScript_module_create_a_local_package_json_file_with_type_Colon_module
                          );
                        }
                      }
                    }
                    diagnostics.add(createDiagnosticForNodeFromMessageChain(
                      getSourceFileOfNode(errorNode),
                      errorNode,
                      chainDiagnosticMessages(
                        diagnosticDetails,
                        Diagnostics.The_current_file_is_a_CommonJS_module_whose_imports_will_produce_require_calls_however_the_referenced_file_is_an_ECMAScript_module_and_cannot_be_imported_with_require_Consider_writing_a_dynamic_import_0_call_instead,
                        moduleReference
                      )
                    ));
                  }
                }
              }
              return getMergedSymbol(sourceFile.symbol);
            }
            if (moduleNotFoundError) {
              error2(errorNode, Diagnostics.File_0_is_not_a_module, sourceFile.fileName);
            }
            return void 0;
          }
          if (patternAmbientModules) {
            const pattern = findBestPatternMatch(patternAmbientModules, (_) => _.pattern, moduleReference);
            if (pattern) {
              const augmentation = patternAmbientModuleAugmentations && patternAmbientModuleAugmentations.get(moduleReference);
              if (augmentation) {
                return getMergedSymbol(augmentation);
              }
              return getMergedSymbol(pattern.symbol);
            }
          }
          if (resolvedModule && !resolutionExtensionIsTSOrJson(resolvedModule.extension) && resolutionDiagnostic === void 0 || resolutionDiagnostic === Diagnostics.Could_not_find_a_declaration_file_for_module_0_1_implicitly_has_an_any_type) {
            if (isForAugmentation) {
              const diag2 = Diagnostics.Invalid_module_name_in_augmentation_Module_0_resolves_to_an_untyped_module_at_1_which_cannot_be_augmented;
              error2(errorNode, diag2, moduleReference, resolvedModule.resolvedFileName);
            } else {
              errorOnImplicitAnyModule(
                /*isError*/
                noImplicitAny && !!moduleNotFoundError,
                errorNode,
                currentSourceFile,
                mode,
                resolvedModule,
                moduleReference
              );
            }
            return void 0;
          }
          if (moduleNotFoundError) {
            if (resolvedModule) {
              const redirect = host.getProjectReferenceRedirect(resolvedModule.resolvedFileName);
              if (redirect) {
                error2(errorNode, Diagnostics.Output_file_0_has_not_been_built_from_source_file_1, redirect, resolvedModule.resolvedFileName);
                return void 0;
              }
            }
            if (resolutionDiagnostic) {
              error2(errorNode, resolutionDiagnostic, moduleReference, resolvedModule.resolvedFileName);
            } else {
              const isExtensionlessRelativePathImport = pathIsRelative(moduleReference) && !hasExtension(moduleReference);
              const resolutionIsNode16OrNext = moduleResolutionKind === 3 || moduleResolutionKind === 99;
              if (!getResolveJsonModule(compilerOptions) && fileExtensionIs(
                moduleReference,
                ".json"
                /* Json */
              ) && moduleResolutionKind !== 1 && hasJsonModuleEmitEnabled(compilerOptions)) {
                error2(errorNode, Diagnostics.Cannot_find_module_0_Consider_using_resolveJsonModule_to_import_module_with_json_extension, moduleReference);
              } else if (mode === 99 && resolutionIsNode16OrNext && isExtensionlessRelativePathImport) {
                const absoluteRef = getNormalizedAbsolutePath(moduleReference, getDirectoryPath(currentSourceFile.path));
                const suggestedExt = (_j = suggestedExtensions.find(([actualExt, _importExt]) => host.fileExists(absoluteRef + actualExt))) == null ? void 0 : _j[1];
                if (suggestedExt) {
                  error2(errorNode, Diagnostics.Relative_import_paths_need_explicit_file_extensions_in_ECMAScript_imports_when_moduleResolution_is_node16_or_nodenext_Did_you_mean_0, moduleReference + suggestedExt);
                } else {
                  error2(errorNode, Diagnostics.Relative_import_paths_need_explicit_file_extensions_in_ECMAScript_imports_when_moduleResolution_is_node16_or_nodenext_Consider_adding_an_extension_to_the_import_path);
                }
              } else {
                if ((_k = host.getResolvedModule(currentSourceFile, moduleReference, mode)) == null ? void 0 : _k.alternateResult) {
                  const errorInfo = createModuleNotFoundChain(currentSourceFile, host, moduleReference, mode, moduleReference);
                  errorOrSuggestion(
                    /*isError*/
                    true,
                    errorNode,
                    chainDiagnosticMessages(errorInfo, moduleNotFoundError, moduleReference)
                  );
                } else {
                  error2(errorNode, moduleNotFoundError, moduleReference);
                }
              }
            }
          }
          return void 0;
          function getSuggestedImportSource(tsExtension) {
            const importSourceWithoutExtension = removeExtension(moduleReference, tsExtension);
            if (emitModuleKindIsNonNodeESM(moduleKind) || mode === 99) {
              const preferTs = isDeclarationFileName(moduleReference) && shouldAllowImportingTsExtension(compilerOptions);
              const ext = tsExtension === ".mts" || tsExtension === ".d.mts" ? preferTs ? ".mts" : ".mjs" : tsExtension === ".cts" || tsExtension === ".d.mts" ? preferTs ? ".cts" : ".cjs" : preferTs ? ".ts" : ".js";
              return importSourceWithoutExtension + ext;
            }
            return importSourceWithoutExtension;
          }
        }
        function errorOnImplicitAnyModule(isError, errorNode, sourceFile, mode, { packageId, resolvedFileName }, moduleReference) {
          let errorInfo;
          if (!isExternalModuleNameRelative(moduleReference) && packageId) {
            errorInfo = createModuleNotFoundChain(sourceFile, host, moduleReference, mode, packageId.name);
          }
          errorOrSuggestion(
            isError,
            errorNode,
            chainDiagnosticMessages(
              errorInfo,
              Diagnostics.Could_not_find_a_declaration_file_for_module_0_1_implicitly_has_an_any_type,
              moduleReference,
              resolvedFileName
            )
          );
        }
        function resolveExternalModuleSymbol(moduleSymbol, dontResolveAlias) {
          if (moduleSymbol == null ? void 0 : moduleSymbol.exports) {
            const exportEquals = resolveSymbol(moduleSymbol.exports.get(
              "export="
              /* ExportEquals */
            ), dontResolveAlias);
            const exported = getCommonJsExportEquals(getMergedSymbol(exportEquals), getMergedSymbol(moduleSymbol));
            return getMergedSymbol(exported) || moduleSymbol;
          }
          return void 0;
        }
        function getCommonJsExportEquals(exported, moduleSymbol) {
          if (!exported || exported === unknownSymbol || exported === moduleSymbol || moduleSymbol.exports.size === 1 || exported.flags & 2097152) {
            return exported;
          }
          const links = getSymbolLinks(exported);
          if (links.cjsExportMerged) {
            return links.cjsExportMerged;
          }
          const merged = exported.flags & 33554432 ? exported : cloneSymbol(exported);
          merged.flags = merged.flags | 512;
          if (merged.exports === void 0) {
            merged.exports = createSymbolTable();
          }
          moduleSymbol.exports.forEach((s, name) => {
            if (name === "export=") return;
            merged.exports.set(name, merged.exports.has(name) ? mergeSymbol(merged.exports.get(name), s) : s);
          });
          if (merged === exported) {
            getSymbolLinks(merged).resolvedExports = void 0;
            getSymbolLinks(merged).resolvedMembers = void 0;
          }
          getSymbolLinks(merged).cjsExportMerged = merged;
          return links.cjsExportMerged = merged;
        }
        function resolveESModuleSymbol(moduleSymbol, referencingLocation, dontResolveAlias, suppressInteropError) {
          var _a;
          const symbol = resolveExternalModuleSymbol(moduleSymbol, dontResolveAlias);
          if (!dontResolveAlias && symbol) {
            if (!suppressInteropError && !(symbol.flags & (1536 | 3)) && !getDeclarationOfKind(
              symbol,
              307
              /* SourceFile */
            )) {
              const compilerOptionName = moduleKind >= 5 ? "allowSyntheticDefaultImports" : "esModuleInterop";
              error2(referencingLocation, Diagnostics.This_module_can_only_be_referenced_with_ECMAScript_imports_Slashexports_by_turning_on_the_0_flag_and_referencing_its_default_export, compilerOptionName);
              return symbol;
            }
            const referenceParent = referencingLocation.parent;
            if (isImportDeclaration(referenceParent) && getNamespaceDeclarationNode(referenceParent) || isImportCall(referenceParent)) {
              const reference = isImportCall(referenceParent) ? referenceParent.arguments[0] : referenceParent.moduleSpecifier;
              const type = getTypeOfSymbol(symbol);
              const defaultOnlyType = getTypeWithSyntheticDefaultOnly(type, symbol, moduleSymbol, reference);
              if (defaultOnlyType) {
                return cloneTypeAsModuleType(symbol, defaultOnlyType, referenceParent);
              }
              const targetFile = (_a = moduleSymbol == null ? void 0 : moduleSymbol.declarations) == null ? void 0 : _a.find(isSourceFile);
              const isEsmCjsRef = targetFile && isESMFormatImportImportingCommonjsFormatFile(getUsageModeForExpression(reference), targetFile.impliedNodeFormat);
              if (getESModuleInterop(compilerOptions) || isEsmCjsRef) {
                let sigs = getSignaturesOfStructuredType(
                  type,
                  0
                  /* Call */
                );
                if (!sigs || !sigs.length) {
                  sigs = getSignaturesOfStructuredType(
                    type,
                    1
                    /* Construct */
                  );
                }
                if (sigs && sigs.length || getPropertyOfType(
                  type,
                  "default",
                  /*skipObjectFunctionPropertyAugment*/
                  true
                ) || isEsmCjsRef) {
                  const moduleType = type.flags & 3670016 ? getTypeWithSyntheticDefaultImportType(type, symbol, moduleSymbol, reference) : createDefaultPropertyWrapperForModule(symbol, symbol.parent);
                  return cloneTypeAsModuleType(symbol, moduleType, referenceParent);
                }
              }
            }
          }
          return symbol;
        }
        function cloneTypeAsModuleType(symbol, moduleType, referenceParent) {
          const result = createSymbol(symbol.flags, symbol.escapedName);
          result.declarations = symbol.declarations ? symbol.declarations.slice() : [];
          result.parent = symbol.parent;
          result.links.target = symbol;
          result.links.originatingImport = referenceParent;
          if (symbol.valueDeclaration) result.valueDeclaration = symbol.valueDeclaration;
          if (symbol.constEnumOnlyModule) result.constEnumOnlyModule = true;
          if (symbol.members) result.members = new Map(symbol.members);
          if (symbol.exports) result.exports = new Map(symbol.exports);
          const resolvedModuleType = resolveStructuredTypeMembers(moduleType);
          result.links.type = createAnonymousType(result, resolvedModuleType.members, emptyArray, emptyArray, resolvedModuleType.indexInfos);
          return result;
        }
        function hasExportAssignmentSymbol(moduleSymbol) {
          return moduleSymbol.exports.get(
            "export="
            /* ExportEquals */
          ) !== void 0;
        }
        function getExportsOfModuleAsArray(moduleSymbol) {
          return symbolsToArray(getExportsOfModule(moduleSymbol));
        }
        function getExportsAndPropertiesOfModule(moduleSymbol) {
          const exports22 = getExportsOfModuleAsArray(moduleSymbol);
          const exportEquals = resolveExternalModuleSymbol(moduleSymbol);
          if (exportEquals !== moduleSymbol) {
            const type = getTypeOfSymbol(exportEquals);
            if (shouldTreatPropertiesOfExternalModuleAsExports(type)) {
              addRange(exports22, getPropertiesOfType(type));
            }
          }
          return exports22;
        }
        function forEachExportAndPropertyOfModule(moduleSymbol, cb) {
          const exports22 = getExportsOfModule(moduleSymbol);
          exports22.forEach((symbol, key) => {
            if (!isReservedMemberName(key)) {
              cb(symbol, key);
            }
          });
          const exportEquals = resolveExternalModuleSymbol(moduleSymbol);
          if (exportEquals !== moduleSymbol) {
            const type = getTypeOfSymbol(exportEquals);
            if (shouldTreatPropertiesOfExternalModuleAsExports(type)) {
              forEachPropertyOfType(type, (symbol, escapedName) => {
                cb(symbol, escapedName);
              });
            }
          }
        }
        function tryGetMemberInModuleExports(memberName, moduleSymbol) {
          const symbolTable = getExportsOfModule(moduleSymbol);
          if (symbolTable) {
            return symbolTable.get(memberName);
          }
        }
        function tryGetMemberInModuleExportsAndProperties(memberName, moduleSymbol) {
          const symbol = tryGetMemberInModuleExports(memberName, moduleSymbol);
          if (symbol) {
            return symbol;
          }
          const exportEquals = resolveExternalModuleSymbol(moduleSymbol);
          if (exportEquals === moduleSymbol) {
            return void 0;
          }
          const type = getTypeOfSymbol(exportEquals);
          return shouldTreatPropertiesOfExternalModuleAsExports(type) ? getPropertyOfType(type, memberName) : void 0;
        }
        function shouldTreatPropertiesOfExternalModuleAsExports(resolvedExternalModuleType) {
          return !(resolvedExternalModuleType.flags & 402784252 || getObjectFlags(resolvedExternalModuleType) & 1 || // `isArrayOrTupleLikeType` is too expensive to use in this auto-imports hot path
          isArrayType(resolvedExternalModuleType) || isTupleType(resolvedExternalModuleType));
        }
        function getExportsOfSymbol(symbol) {
          return symbol.flags & 6256 ? getResolvedMembersOrExportsOfSymbol(
            symbol,
            "resolvedExports"
            /* resolvedExports */
          ) : symbol.flags & 1536 ? getExportsOfModule(symbol) : symbol.exports || emptySymbols;
        }
        function getExportsOfModule(moduleSymbol) {
          const links = getSymbolLinks(moduleSymbol);
          if (!links.resolvedExports) {
            const { exports: exports22, typeOnlyExportStarMap } = getExportsOfModuleWorker(moduleSymbol);
            links.resolvedExports = exports22;
            links.typeOnlyExportStarMap = typeOnlyExportStarMap;
          }
          return links.resolvedExports;
        }
        function extendExportSymbols(target, source, lookupTable, exportNode) {
          if (!source) return;
          source.forEach((sourceSymbol, id) => {
            if (id === "default") return;
            const targetSymbol = target.get(id);
            if (!targetSymbol) {
              target.set(id, sourceSymbol);
              if (lookupTable && exportNode) {
                lookupTable.set(id, {
                  specifierText: getTextOfNode(exportNode.moduleSpecifier)
                });
              }
            } else if (lookupTable && exportNode && targetSymbol && resolveSymbol(targetSymbol) !== resolveSymbol(sourceSymbol)) {
              const collisionTracker = lookupTable.get(id);
              if (!collisionTracker.exportsWithDuplicate) {
                collisionTracker.exportsWithDuplicate = [exportNode];
              } else {
                collisionTracker.exportsWithDuplicate.push(exportNode);
              }
            }
          });
        }
        function getExportsOfModuleWorker(moduleSymbol) {
          const visitedSymbols = [];
          let typeOnlyExportStarMap;
          const nonTypeOnlyNames = /* @__PURE__ */ new Set();
          moduleSymbol = resolveExternalModuleSymbol(moduleSymbol);
          const exports22 = visit(moduleSymbol) || emptySymbols;
          if (typeOnlyExportStarMap) {
            nonTypeOnlyNames.forEach((name) => typeOnlyExportStarMap.delete(name));
          }
          return {
            exports: exports22,
            typeOnlyExportStarMap
          };
          function visit(symbol, exportStar, isTypeOnly) {
            if (!isTypeOnly && (symbol == null ? void 0 : symbol.exports)) {
              symbol.exports.forEach((_, name) => nonTypeOnlyNames.add(name));
            }
            if (!(symbol && symbol.exports && pushIfUnique(visitedSymbols, symbol))) {
              return;
            }
            const symbols = new Map(symbol.exports);
            const exportStars = symbol.exports.get(
              "__export"
              /* ExportStar */
            );
            if (exportStars) {
              const nestedSymbols = createSymbolTable();
              const lookupTable = /* @__PURE__ */ new Map();
              if (exportStars.declarations) {
                for (const node of exportStars.declarations) {
                  const resolvedModule = resolveExternalModuleName(node, node.moduleSpecifier);
                  const exportedSymbols = visit(resolvedModule, node, isTypeOnly || node.isTypeOnly);
                  extendExportSymbols(
                    nestedSymbols,
                    exportedSymbols,
                    lookupTable,
                    node
                  );
                }
              }
              lookupTable.forEach(({ exportsWithDuplicate }, id) => {
                if (id === "export=" || !(exportsWithDuplicate && exportsWithDuplicate.length) || symbols.has(id)) {
                  return;
                }
                for (const node of exportsWithDuplicate) {
                  diagnostics.add(createDiagnosticForNode(
                    node,
                    Diagnostics.Module_0_has_already_exported_a_member_named_1_Consider_explicitly_re_exporting_to_resolve_the_ambiguity,
                    lookupTable.get(id).specifierText,
                    unescapeLeadingUnderscores(id)
                  ));
                }
              });
              extendExportSymbols(symbols, nestedSymbols);
            }
            if (exportStar == null ? void 0 : exportStar.isTypeOnly) {
              typeOnlyExportStarMap ?? (typeOnlyExportStarMap = /* @__PURE__ */ new Map());
              symbols.forEach(
                (_, escapedName) => typeOnlyExportStarMap.set(
                  escapedName,
                  exportStar
                )
              );
            }
            return symbols;
          }
        }
        function getMergedSymbol(symbol) {
          let merged;
          return symbol && symbol.mergeId && (merged = mergedSymbols[symbol.mergeId]) ? merged : symbol;
        }
        function getSymbolOfDeclaration(node) {
          return getMergedSymbol(node.symbol && getLateBoundSymbol(node.symbol));
        }
        function getSymbolOfNode(node) {
          return canHaveSymbol(node) ? getSymbolOfDeclaration(node) : void 0;
        }
        function getParentOfSymbol(symbol) {
          return getMergedSymbol(symbol.parent && getLateBoundSymbol(symbol.parent));
        }
        function getFunctionExpressionParentSymbolOrSymbol(symbol) {
          var _a, _b;
          return ((_a = symbol.valueDeclaration) == null ? void 0 : _a.kind) === 219 || ((_b = symbol.valueDeclaration) == null ? void 0 : _b.kind) === 218 ? getSymbolOfNode(symbol.valueDeclaration.parent) || symbol : symbol;
        }
        function getAlternativeContainingModules(symbol, enclosingDeclaration) {
          const containingFile = getSourceFileOfNode(enclosingDeclaration);
          const id = getNodeId(containingFile);
          const links = getSymbolLinks(symbol);
          let results;
          if (links.extendedContainersByFile && (results = links.extendedContainersByFile.get(id))) {
            return results;
          }
          if (containingFile && containingFile.imports) {
            for (const importRef of containingFile.imports) {
              if (nodeIsSynthesized(importRef)) continue;
              const resolvedModule = resolveExternalModuleName(
                enclosingDeclaration,
                importRef,
                /*ignoreErrors*/
                true
              );
              if (!resolvedModule) continue;
              const ref = getAliasForSymbolInContainer(resolvedModule, symbol);
              if (!ref) continue;
              results = append(results, resolvedModule);
            }
            if (length(results)) {
              (links.extendedContainersByFile || (links.extendedContainersByFile = /* @__PURE__ */ new Map())).set(id, results);
              return results;
            }
          }
          if (links.extendedContainers) {
            return links.extendedContainers;
          }
          const otherFiles = host.getSourceFiles();
          for (const file of otherFiles) {
            if (!isExternalModule(file)) continue;
            const sym = getSymbolOfDeclaration(file);
            const ref = getAliasForSymbolInContainer(sym, symbol);
            if (!ref) continue;
            results = append(results, sym);
          }
          return links.extendedContainers = results || emptyArray;
        }
        function getContainersOfSymbol(symbol, enclosingDeclaration, meaning) {
          const container = getParentOfSymbol(symbol);
          if (container && !(symbol.flags & 262144)) {
            return getWithAlternativeContainers(container);
          }
          const candidates = mapDefined(symbol.declarations, (d) => {
            if (!isAmbientModule(d) && d.parent) {
              if (hasNonGlobalAugmentationExternalModuleSymbol(d.parent)) {
                return getSymbolOfDeclaration(d.parent);
              }
              if (isModuleBlock(d.parent) && d.parent.parent && resolveExternalModuleSymbol(getSymbolOfDeclaration(d.parent.parent)) === symbol) {
                return getSymbolOfDeclaration(d.parent.parent);
              }
            }
            if (isClassExpression(d) && isBinaryExpression(d.parent) && d.parent.operatorToken.kind === 64 && isAccessExpression(d.parent.left) && isEntityNameExpression(d.parent.left.expression)) {
              if (isModuleExportsAccessExpression(d.parent.left) || isExportsIdentifier(d.parent.left.expression)) {
                return getSymbolOfDeclaration(getSourceFileOfNode(d));
              }
              checkExpressionCached(d.parent.left.expression);
              return getNodeLinks(d.parent.left.expression).resolvedSymbol;
            }
          });
          if (!length(candidates)) {
            return void 0;
          }
          const containers = mapDefined(candidates, (candidate) => getAliasForSymbolInContainer(candidate, symbol) ? candidate : void 0);
          let bestContainers = [];
          let alternativeContainers = [];
          for (const container2 of containers) {
            const [bestMatch, ...rest] = getWithAlternativeContainers(container2);
            bestContainers = append(bestContainers, bestMatch);
            alternativeContainers = addRange(alternativeContainers, rest);
          }
          return concatenate(bestContainers, alternativeContainers);
          function getWithAlternativeContainers(container2) {
            const additionalContainers = mapDefined(container2.declarations, fileSymbolIfFileSymbolExportEqualsContainer);
            const reexportContainers = enclosingDeclaration && getAlternativeContainingModules(symbol, enclosingDeclaration);
            const objectLiteralContainer = getVariableDeclarationOfObjectLiteral(container2, meaning);
            if (enclosingDeclaration && container2.flags & getQualifiedLeftMeaning(meaning) && getAccessibleSymbolChain(
              container2,
              enclosingDeclaration,
              1920,
              /*useOnlyExternalAliasing*/
              false
            )) {
              return append(concatenate(concatenate([container2], additionalContainers), reexportContainers), objectLiteralContainer);
            }
            const firstVariableMatch = !(container2.flags & getQualifiedLeftMeaning(meaning)) && container2.flags & 788968 && getDeclaredTypeOfSymbol(container2).flags & 524288 && meaning === 111551 ? forEachSymbolTableInScope(enclosingDeclaration, (t) => {
              return forEachEntry(t, (s) => {
                if (s.flags & getQualifiedLeftMeaning(meaning) && getTypeOfSymbol(s) === getDeclaredTypeOfSymbol(container2)) {
                  return s;
                }
              });
            }) : void 0;
            let res = firstVariableMatch ? [firstVariableMatch, ...additionalContainers, container2] : [...additionalContainers, container2];
            res = append(res, objectLiteralContainer);
            res = addRange(res, reexportContainers);
            return res;
          }
          function fileSymbolIfFileSymbolExportEqualsContainer(d) {
            return container && getFileSymbolIfFileSymbolExportEqualsContainer(d, container);
          }
        }
        function getVariableDeclarationOfObjectLiteral(symbol, meaning) {
          const firstDecl = !!length(symbol.declarations) && first(symbol.declarations);
          if (meaning & 111551 && firstDecl && firstDecl.parent && isVariableDeclaration(firstDecl.parent)) {
            if (isObjectLiteralExpression(firstDecl) && firstDecl === firstDecl.parent.initializer || isTypeLiteralNode(firstDecl) && firstDecl === firstDecl.parent.type) {
              return getSymbolOfDeclaration(firstDecl.parent);
            }
          }
        }
        function getFileSymbolIfFileSymbolExportEqualsContainer(d, container) {
          const fileSymbol = getExternalModuleContainer(d);
          const exported = fileSymbol && fileSymbol.exports && fileSymbol.exports.get(
            "export="
            /* ExportEquals */
          );
          return exported && getSymbolIfSameReference(exported, container) ? fileSymbol : void 0;
        }
        function getAliasForSymbolInContainer(container, symbol) {
          if (container === getParentOfSymbol(symbol)) {
            return symbol;
          }
          const exportEquals = container.exports && container.exports.get(
            "export="
            /* ExportEquals */
          );
          if (exportEquals && getSymbolIfSameReference(exportEquals, symbol)) {
            return container;
          }
          const exports22 = getExportsOfSymbol(container);
          const quick = exports22.get(symbol.escapedName);
          if (quick && getSymbolIfSameReference(quick, symbol)) {
            return quick;
          }
          return forEachEntry(exports22, (exported) => {
            if (getSymbolIfSameReference(exported, symbol)) {
              return exported;
            }
          });
        }
        function getSymbolIfSameReference(s1, s2) {
          if (getMergedSymbol(resolveSymbol(getMergedSymbol(s1))) === getMergedSymbol(resolveSymbol(getMergedSymbol(s2)))) {
            return s1;
          }
        }
        function getExportSymbolOfValueSymbolIfExported(symbol) {
          return getMergedSymbol(symbol && (symbol.flags & 1048576) !== 0 && symbol.exportSymbol || symbol);
        }
        function symbolIsValue(symbol, includeTypeOnlyMembers) {
          return !!(symbol.flags & 111551 || symbol.flags & 2097152 && getSymbolFlags(symbol, !includeTypeOnlyMembers) & 111551);
        }
        function createType(flags) {
          var _a;
          const result = new Type29(checker, flags);
          typeCount++;
          result.id = typeCount;
          (_a = tracing) == null ? void 0 : _a.recordType(result);
          return result;
        }
        function createTypeWithSymbol(flags, symbol) {
          const result = createType(flags);
          result.symbol = symbol;
          return result;
        }
        function createOriginType(flags) {
          return new Type29(checker, flags);
        }
        function createIntrinsicType(kind, intrinsicName, objectFlags = 0, debugIntrinsicName) {
          checkIntrinsicName(intrinsicName, debugIntrinsicName);
          const type = createType(kind);
          type.intrinsicName = intrinsicName;
          type.debugIntrinsicName = debugIntrinsicName;
          type.objectFlags = objectFlags | 524288 | 2097152 | 33554432 | 16777216;
          return type;
        }
        function checkIntrinsicName(name, debug5) {
          const key = `${name},${debug5 ?? ""}`;
          if (seenIntrinsicNames.has(key)) {
            Debug.fail(`Duplicate intrinsic type name ${name}${debug5 ? ` (${debug5})` : ""}; you may need to pass a name to createIntrinsicType.`);
          }
          seenIntrinsicNames.add(key);
        }
        function createObjectType(objectFlags, symbol) {
          const type = createTypeWithSymbol(524288, symbol);
          type.objectFlags = objectFlags;
          type.members = void 0;
          type.properties = void 0;
          type.callSignatures = void 0;
          type.constructSignatures = void 0;
          type.indexInfos = void 0;
          return type;
        }
        function createTypeofType() {
          return getUnionType(arrayFrom(typeofNEFacts.keys(), getStringLiteralType));
        }
        function createTypeParameter(symbol) {
          return createTypeWithSymbol(262144, symbol);
        }
        function isReservedMemberName(name) {
          return name.charCodeAt(0) === 95 && name.charCodeAt(1) === 95 && name.charCodeAt(2) !== 95 && name.charCodeAt(2) !== 64 && name.charCodeAt(2) !== 35;
        }
        function getNamedMembers(members) {
          let result;
          members.forEach((symbol, id) => {
            if (isNamedMember(symbol, id)) {
              (result || (result = [])).push(symbol);
            }
          });
          return result || emptyArray;
        }
        function isNamedMember(member, escapedName) {
          return !isReservedMemberName(escapedName) && symbolIsValue(member);
        }
        function getNamedOrIndexSignatureMembers(members) {
          const result = getNamedMembers(members);
          const index = getIndexSymbolFromSymbolTable(members);
          return index ? concatenate(result, [index]) : result;
        }
        function setStructuredTypeMembers(type, members, callSignatures, constructSignatures, indexInfos) {
          const resolved = type;
          resolved.members = members;
          resolved.properties = emptyArray;
          resolved.callSignatures = callSignatures;
          resolved.constructSignatures = constructSignatures;
          resolved.indexInfos = indexInfos;
          if (members !== emptySymbols) resolved.properties = getNamedMembers(members);
          return resolved;
        }
        function createAnonymousType(symbol, members, callSignatures, constructSignatures, indexInfos) {
          return setStructuredTypeMembers(createObjectType(16, symbol), members, callSignatures, constructSignatures, indexInfos);
        }
        function getResolvedTypeWithoutAbstractConstructSignatures(type) {
          if (type.constructSignatures.length === 0) return type;
          if (type.objectTypeWithoutAbstractConstructSignatures) return type.objectTypeWithoutAbstractConstructSignatures;
          const constructSignatures = filter(type.constructSignatures, (signature) => !(signature.flags & 4));
          if (type.constructSignatures === constructSignatures) return type;
          const typeCopy = createAnonymousType(
            type.symbol,
            type.members,
            type.callSignatures,
            some(constructSignatures) ? constructSignatures : emptyArray,
            type.indexInfos
          );
          type.objectTypeWithoutAbstractConstructSignatures = typeCopy;
          typeCopy.objectTypeWithoutAbstractConstructSignatures = typeCopy;
          return typeCopy;
        }
        function forEachSymbolTableInScope(enclosingDeclaration, callback) {
          let result;
          for (let location = enclosingDeclaration; location; location = location.parent) {
            if (canHaveLocals(location) && location.locals && !isGlobalSourceFile(location)) {
              if (result = callback(
                location.locals,
                /*ignoreQualification*/
                void 0,
                /*isLocalNameLookup*/
                true,
                location
              )) {
                return result;
              }
            }
            switch (location.kind) {
              case 307:
                if (!isExternalOrCommonJsModule(location)) {
                  break;
                }
              case 267:
                const sym = getSymbolOfDeclaration(location);
                if (result = callback(
                  (sym == null ? void 0 : sym.exports) || emptySymbols,
                  /*ignoreQualification*/
                  void 0,
                  /*isLocalNameLookup*/
                  true,
                  location
                )) {
                  return result;
                }
                break;
              case 263:
              case 231:
              case 264:
                let table;
                (getSymbolOfDeclaration(location).members || emptySymbols).forEach((memberSymbol, key) => {
                  if (memberSymbol.flags & (788968 & ~67108864)) {
                    (table || (table = createSymbolTable())).set(key, memberSymbol);
                  }
                });
                if (table && (result = callback(
                  table,
                  /*ignoreQualification*/
                  void 0,
                  /*isLocalNameLookup*/
                  false,
                  location
                ))) {
                  return result;
                }
                break;
            }
          }
          return callback(
            globals2,
            /*ignoreQualification*/
            void 0,
            /*isLocalNameLookup*/
            true
          );
        }
        function getQualifiedLeftMeaning(rightMeaning) {
          return rightMeaning === 111551 ? 111551 : 1920;
        }
        function getAccessibleSymbolChain(symbol, enclosingDeclaration, meaning, useOnlyExternalAliasing, visitedSymbolTablesMap = /* @__PURE__ */ new Map()) {
          if (!(symbol && !isPropertyOrMethodDeclarationSymbol(symbol))) {
            return void 0;
          }
          const links = getSymbolLinks(symbol);
          const cache = links.accessibleChainCache || (links.accessibleChainCache = /* @__PURE__ */ new Map());
          const firstRelevantLocation = forEachSymbolTableInScope(enclosingDeclaration, (_, __, ___, node) => node);
          const key = `${useOnlyExternalAliasing ? 0 : 1}|${firstRelevantLocation && getNodeId(firstRelevantLocation)}|${meaning}`;
          if (cache.has(key)) {
            return cache.get(key);
          }
          const id = getSymbolId(symbol);
          let visitedSymbolTables = visitedSymbolTablesMap.get(id);
          if (!visitedSymbolTables) {
            visitedSymbolTablesMap.set(id, visitedSymbolTables = []);
          }
          const result = forEachSymbolTableInScope(enclosingDeclaration, getAccessibleSymbolChainFromSymbolTable);
          cache.set(key, result);
          return result;
          function getAccessibleSymbolChainFromSymbolTable(symbols, ignoreQualification, isLocalNameLookup) {
            if (!pushIfUnique(visitedSymbolTables, symbols)) {
              return void 0;
            }
            const result2 = trySymbolTable(symbols, ignoreQualification, isLocalNameLookup);
            visitedSymbolTables.pop();
            return result2;
          }
          function canQualifySymbol(symbolFromSymbolTable, meaning2) {
            return !needsQualification(symbolFromSymbolTable, enclosingDeclaration, meaning2) || // If symbol needs qualification, make sure that parent is accessible, if it is then this symbol is accessible too
            !!getAccessibleSymbolChain(symbolFromSymbolTable.parent, enclosingDeclaration, getQualifiedLeftMeaning(meaning2), useOnlyExternalAliasing, visitedSymbolTablesMap);
          }
          function isAccessible(symbolFromSymbolTable, resolvedAliasSymbol, ignoreQualification) {
            return (symbol === (resolvedAliasSymbol || symbolFromSymbolTable) || getMergedSymbol(symbol) === getMergedSymbol(resolvedAliasSymbol || symbolFromSymbolTable)) && // if the symbolFromSymbolTable is not external module (it could be if it was determined as ambient external module and would be in globals table)
            // and if symbolFromSymbolTable or alias resolution matches the symbol,
            // check the symbol can be qualified, it is only then this symbol is accessible
            !some(symbolFromSymbolTable.declarations, hasNonGlobalAugmentationExternalModuleSymbol) && (ignoreQualification || canQualifySymbol(getMergedSymbol(symbolFromSymbolTable), meaning));
          }
          function trySymbolTable(symbols, ignoreQualification, isLocalNameLookup) {
            if (isAccessible(
              symbols.get(symbol.escapedName),
              /*resolvedAliasSymbol*/
              void 0,
              ignoreQualification
            )) {
              return [symbol];
            }
            const result2 = forEachEntry(symbols, (symbolFromSymbolTable) => {
              if (symbolFromSymbolTable.flags & 2097152 && symbolFromSymbolTable.escapedName !== "export=" && symbolFromSymbolTable.escapedName !== "default" && !(isUMDExportSymbol(symbolFromSymbolTable) && enclosingDeclaration && isExternalModule(getSourceFileOfNode(enclosingDeclaration))) && (!useOnlyExternalAliasing || some(symbolFromSymbolTable.declarations, isExternalModuleImportEqualsDeclaration)) && (isLocalNameLookup ? !some(symbolFromSymbolTable.declarations, isNamespaceReexportDeclaration) : true) && (ignoreQualification || !getDeclarationOfKind(
                symbolFromSymbolTable,
                281
                /* ExportSpecifier */
              ))) {
                const resolvedImportedSymbol = resolveAlias(symbolFromSymbolTable);
                const candidate = getCandidateListForSymbol(symbolFromSymbolTable, resolvedImportedSymbol, ignoreQualification);
                if (candidate) {
                  return candidate;
                }
              }
              if (symbolFromSymbolTable.escapedName === symbol.escapedName && symbolFromSymbolTable.exportSymbol) {
                if (isAccessible(
                  getMergedSymbol(symbolFromSymbolTable.exportSymbol),
                  /*resolvedAliasSymbol*/
                  void 0,
                  ignoreQualification
                )) {
                  return [symbol];
                }
              }
            });
            return result2 || (symbols === globals2 ? getCandidateListForSymbol(globalThisSymbol, globalThisSymbol, ignoreQualification) : void 0);
          }
          function getCandidateListForSymbol(symbolFromSymbolTable, resolvedImportedSymbol, ignoreQualification) {
            if (isAccessible(symbolFromSymbolTable, resolvedImportedSymbol, ignoreQualification)) {
              return [symbolFromSymbolTable];
            }
            const candidateTable = getExportsOfSymbol(resolvedImportedSymbol);
            const accessibleSymbolsFromExports = candidateTable && getAccessibleSymbolChainFromSymbolTable(
              candidateTable,
              /*ignoreQualification*/
              true
            );
            if (accessibleSymbolsFromExports && canQualifySymbol(symbolFromSymbolTable, getQualifiedLeftMeaning(meaning))) {
              return [symbolFromSymbolTable].concat(accessibleSymbolsFromExports);
            }
          }
        }
        function needsQualification(symbol, enclosingDeclaration, meaning) {
          let qualify = false;
          forEachSymbolTableInScope(enclosingDeclaration, (symbolTable) => {
            let symbolFromSymbolTable = getMergedSymbol(symbolTable.get(symbol.escapedName));
            if (!symbolFromSymbolTable) {
              return false;
            }
            if (symbolFromSymbolTable === symbol) {
              return true;
            }
            const shouldResolveAlias = symbolFromSymbolTable.flags & 2097152 && !getDeclarationOfKind(
              symbolFromSymbolTable,
              281
              /* ExportSpecifier */
            );
            symbolFromSymbolTable = shouldResolveAlias ? resolveAlias(symbolFromSymbolTable) : symbolFromSymbolTable;
            const flags = shouldResolveAlias ? getSymbolFlags(symbolFromSymbolTable) : symbolFromSymbolTable.flags;
            if (flags & meaning) {
              qualify = true;
              return true;
            }
            return false;
          });
          return qualify;
        }
        function isPropertyOrMethodDeclarationSymbol(symbol) {
          if (symbol.declarations && symbol.declarations.length) {
            for (const declaration of symbol.declarations) {
              switch (declaration.kind) {
                case 172:
                case 174:
                case 177:
                case 178:
                  continue;
                default:
                  return false;
              }
            }
            return true;
          }
          return false;
        }
        function isTypeSymbolAccessible(typeSymbol, enclosingDeclaration) {
          const access = isSymbolAccessibleWorker(
            typeSymbol,
            enclosingDeclaration,
            788968,
            /*shouldComputeAliasesToMakeVisible*/
            false,
            /*allowModules*/
            true
          );
          return access.accessibility === 0;
        }
        function isValueSymbolAccessible(typeSymbol, enclosingDeclaration) {
          const access = isSymbolAccessibleWorker(
            typeSymbol,
            enclosingDeclaration,
            111551,
            /*shouldComputeAliasesToMakeVisible*/
            false,
            /*allowModules*/
            true
          );
          return access.accessibility === 0;
        }
        function isSymbolAccessibleByFlags(typeSymbol, enclosingDeclaration, flags) {
          const access = isSymbolAccessibleWorker(
            typeSymbol,
            enclosingDeclaration,
            flags,
            /*shouldComputeAliasesToMakeVisible*/
            false,
            /*allowModules*/
            false
          );
          return access.accessibility === 0;
        }
        function isAnySymbolAccessible(symbols, enclosingDeclaration, initialSymbol, meaning, shouldComputeAliasesToMakeVisible, allowModules) {
          if (!length(symbols)) return;
          let hadAccessibleChain;
          let earlyModuleBail = false;
          for (const symbol of symbols) {
            const accessibleSymbolChain = getAccessibleSymbolChain(
              symbol,
              enclosingDeclaration,
              meaning,
              /*useOnlyExternalAliasing*/
              false
            );
            if (accessibleSymbolChain) {
              hadAccessibleChain = symbol;
              const hasAccessibleDeclarations = hasVisibleDeclarations(accessibleSymbolChain[0], shouldComputeAliasesToMakeVisible);
              if (hasAccessibleDeclarations) {
                return hasAccessibleDeclarations;
              }
            }
            if (allowModules) {
              if (some(symbol.declarations, hasNonGlobalAugmentationExternalModuleSymbol)) {
                if (shouldComputeAliasesToMakeVisible) {
                  earlyModuleBail = true;
                  continue;
                }
                return {
                  accessibility: 0
                  /* Accessible */
                };
              }
            }
            const containers = getContainersOfSymbol(symbol, enclosingDeclaration, meaning);
            const parentResult = isAnySymbolAccessible(containers, enclosingDeclaration, initialSymbol, initialSymbol === symbol ? getQualifiedLeftMeaning(meaning) : meaning, shouldComputeAliasesToMakeVisible, allowModules);
            if (parentResult) {
              return parentResult;
            }
          }
          if (earlyModuleBail) {
            return {
              accessibility: 0
              /* Accessible */
            };
          }
          if (hadAccessibleChain) {
            return {
              accessibility: 1,
              errorSymbolName: symbolToString2(initialSymbol, enclosingDeclaration, meaning),
              errorModuleName: hadAccessibleChain !== initialSymbol ? symbolToString2(
                hadAccessibleChain,
                enclosingDeclaration,
                1920
                /* Namespace */
              ) : void 0
            };
          }
        }
        function isSymbolAccessible(symbol, enclosingDeclaration, meaning, shouldComputeAliasesToMakeVisible) {
          return isSymbolAccessibleWorker(
            symbol,
            enclosingDeclaration,
            meaning,
            shouldComputeAliasesToMakeVisible,
            /*allowModules*/
            true
          );
        }
        function isSymbolAccessibleWorker(symbol, enclosingDeclaration, meaning, shouldComputeAliasesToMakeVisible, allowModules) {
          if (symbol && enclosingDeclaration) {
            const result = isAnySymbolAccessible([symbol], enclosingDeclaration, symbol, meaning, shouldComputeAliasesToMakeVisible, allowModules);
            if (result) {
              return result;
            }
            const symbolExternalModule = forEach(symbol.declarations, getExternalModuleContainer);
            if (symbolExternalModule) {
              const enclosingExternalModule = getExternalModuleContainer(enclosingDeclaration);
              if (symbolExternalModule !== enclosingExternalModule) {
                return {
                  accessibility: 2,
                  errorSymbolName: symbolToString2(symbol, enclosingDeclaration, meaning),
                  errorModuleName: symbolToString2(symbolExternalModule),
                  errorNode: isInJSFile(enclosingDeclaration) ? enclosingDeclaration : void 0
                };
              }
            }
            return {
              accessibility: 1,
              errorSymbolName: symbolToString2(symbol, enclosingDeclaration, meaning)
            };
          }
          return {
            accessibility: 0
            /* Accessible */
          };
        }
        function getExternalModuleContainer(declaration) {
          const node = findAncestor(declaration, hasExternalModuleSymbol);
          return node && getSymbolOfDeclaration(node);
        }
        function hasExternalModuleSymbol(declaration) {
          return isAmbientModule(declaration) || declaration.kind === 307 && isExternalOrCommonJsModule(declaration);
        }
        function hasNonGlobalAugmentationExternalModuleSymbol(declaration) {
          return isModuleWithStringLiteralName(declaration) || declaration.kind === 307 && isExternalOrCommonJsModule(declaration);
        }
        function hasVisibleDeclarations(symbol, shouldComputeAliasToMakeVisible) {
          let aliasesToMakeVisible;
          if (!every(filter(
            symbol.declarations,
            (d) => d.kind !== 80
            /* Identifier */
          ), getIsDeclarationVisible)) {
            return void 0;
          }
          return { accessibility: 0, aliasesToMakeVisible };
          function getIsDeclarationVisible(declaration) {
            var _a, _b;
            if (!isDeclarationVisible(declaration)) {
              const anyImportSyntax = getAnyImportSyntax(declaration);
              if (anyImportSyntax && !hasSyntacticModifier(
                anyImportSyntax,
                32
                /* Export */
              ) && // import clause without export
              isDeclarationVisible(anyImportSyntax.parent)) {
                return addVisibleAlias(declaration, anyImportSyntax);
              } else if (isVariableDeclaration(declaration) && isVariableStatement(declaration.parent.parent) && !hasSyntacticModifier(
                declaration.parent.parent,
                32
                /* Export */
              ) && // unexported variable statement
              isDeclarationVisible(declaration.parent.parent.parent)) {
                return addVisibleAlias(declaration, declaration.parent.parent);
              } else if (isLateVisibilityPaintedStatement(declaration) && !hasSyntacticModifier(
                declaration,
                32
                /* Export */
              ) && isDeclarationVisible(declaration.parent)) {
                return addVisibleAlias(declaration, declaration);
              } else if (isBindingElement(declaration)) {
                if (symbol.flags & 2097152 && isInJSFile(declaration) && ((_a = declaration.parent) == null ? void 0 : _a.parent) && isVariableDeclaration(declaration.parent.parent) && ((_b = declaration.parent.parent.parent) == null ? void 0 : _b.parent) && isVariableStatement(declaration.parent.parent.parent.parent) && !hasSyntacticModifier(
                  declaration.parent.parent.parent.parent,
                  32
                  /* Export */
                ) && declaration.parent.parent.parent.parent.parent && isDeclarationVisible(declaration.parent.parent.parent.parent.parent)) {
                  return addVisibleAlias(declaration, declaration.parent.parent.parent.parent);
                } else if (symbol.flags & 2) {
                  const variableStatement = findAncestor(declaration, isVariableStatement);
                  if (hasSyntacticModifier(
                    variableStatement,
                    32
                    /* Export */
                  )) {
                    return true;
                  }
                  if (!isDeclarationVisible(variableStatement.parent)) {
                    return false;
                  }
                  return addVisibleAlias(declaration, variableStatement);
                }
              }
              return false;
            }
            return true;
          }
          function addVisibleAlias(declaration, aliasingStatement) {
            if (shouldComputeAliasToMakeVisible) {
              getNodeLinks(declaration).isVisible = true;
              aliasesToMakeVisible = appendIfUnique(aliasesToMakeVisible, aliasingStatement);
            }
            return true;
          }
        }
        function getMeaningOfEntityNameReference(entityName) {
          let meaning;
          if (entityName.parent.kind === 186 || entityName.parent.kind === 233 && !isPartOfTypeNode(entityName.parent) || entityName.parent.kind === 167 || entityName.parent.kind === 182 && entityName.parent.parameterName === entityName) {
            meaning = 111551 | 1048576;
          } else if (entityName.kind === 166 || entityName.kind === 211 || entityName.parent.kind === 271 || entityName.parent.kind === 166 && entityName.parent.left === entityName || entityName.parent.kind === 211 && entityName.parent.expression === entityName || entityName.parent.kind === 212 && entityName.parent.expression === entityName) {
            meaning = 1920;
          } else {
            meaning = 788968;
          }
          return meaning;
        }
        function isEntityNameVisible(entityName, enclosingDeclaration, shouldComputeAliasToMakeVisible = true) {
          const meaning = getMeaningOfEntityNameReference(entityName);
          const firstIdentifier = getFirstIdentifier(entityName);
          const symbol = resolveName(
            enclosingDeclaration,
            firstIdentifier.escapedText,
            meaning,
            /*nameNotFoundMessage*/
            void 0,
            /*isUse*/
            false
          );
          if (symbol && symbol.flags & 262144 && meaning & 788968) {
            return {
              accessibility: 0
              /* Accessible */
            };
          }
          if (!symbol && isThisIdentifier(firstIdentifier) && isSymbolAccessible(
            getSymbolOfDeclaration(getThisContainer(
              firstIdentifier,
              /*includeArrowFunctions*/
              false,
              /*includeClassComputedPropertyName*/
              false
            )),
            firstIdentifier,
            meaning,
            /*shouldComputeAliasesToMakeVisible*/
            false
          ).accessibility === 0) {
            return {
              accessibility: 0
              /* Accessible */
            };
          }
          if (!symbol) {
            return {
              accessibility: 3,
              errorSymbolName: getTextOfNode(firstIdentifier),
              errorNode: firstIdentifier
            };
          }
          return hasVisibleDeclarations(symbol, shouldComputeAliasToMakeVisible) || {
            accessibility: 1,
            errorSymbolName: getTextOfNode(firstIdentifier),
            errorNode: firstIdentifier
          };
        }
        function symbolToString2(symbol, enclosingDeclaration, meaning, flags = 4, writer) {
          let nodeFlags = 70221824;
          if (flags & 2) {
            nodeFlags |= 128;
          }
          if (flags & 1) {
            nodeFlags |= 512;
          }
          if (flags & 8) {
            nodeFlags |= 16384;
          }
          if (flags & 32) {
            nodeFlags |= 134217728;
          }
          if (flags & 16) {
            nodeFlags |= 1073741824;
          }
          const builder = flags & 4 ? nodeBuilder.symbolToNode : nodeBuilder.symbolToEntityName;
          return writer ? symbolToStringWorker(writer).getText() : usingSingleLineStringWriter(symbolToStringWorker);
          function symbolToStringWorker(writer2) {
            const entity = builder(symbol, meaning, enclosingDeclaration, nodeFlags);
            const printer = (enclosingDeclaration == null ? void 0 : enclosingDeclaration.kind) === 307 ? createPrinterWithRemoveCommentsNeverAsciiEscape() : createPrinterWithRemoveComments();
            const sourceFile = enclosingDeclaration && getSourceFileOfNode(enclosingDeclaration);
            printer.writeNode(
              4,
              entity,
              /*sourceFile*/
              sourceFile,
              writer2
            );
            return writer2;
          }
        }
        function signatureToString(signature, enclosingDeclaration, flags = 0, kind, writer) {
          return writer ? signatureToStringWorker(writer).getText() : usingSingleLineStringWriter(signatureToStringWorker);
          function signatureToStringWorker(writer2) {
            let sigOutput;
            if (flags & 262144) {
              sigOutput = kind === 1 ? 185 : 184;
            } else {
              sigOutput = kind === 1 ? 180 : 179;
            }
            const sig = nodeBuilder.signatureToSignatureDeclaration(
              signature,
              sigOutput,
              enclosingDeclaration,
              toNodeBuilderFlags(flags) | 70221824 | 512
              /* WriteTypeParametersInQualifiedName */
            );
            const printer = createPrinterWithRemoveCommentsOmitTrailingSemicolon();
            const sourceFile = enclosingDeclaration && getSourceFileOfNode(enclosingDeclaration);
            printer.writeNode(
              4,
              sig,
              /*sourceFile*/
              sourceFile,
              getTrailingSemicolonDeferringWriter(writer2)
            );
            return writer2;
          }
        }
        function typeToString(type, enclosingDeclaration, flags = 1048576 | 16384, writer = createTextWriter("")) {
          const noTruncation = compilerOptions.noErrorTruncation || flags & 1;
          const typeNode = nodeBuilder.typeToTypeNode(type, enclosingDeclaration, toNodeBuilderFlags(flags) | 70221824 | (noTruncation ? 1 : 0));
          if (typeNode === void 0) return Debug.fail("should always get typenode");
          const printer = type !== unresolvedType ? createPrinterWithRemoveComments() : createPrinterWithDefaults();
          const sourceFile = enclosingDeclaration && getSourceFileOfNode(enclosingDeclaration);
          printer.writeNode(
            4,
            typeNode,
            /*sourceFile*/
            sourceFile,
            writer
          );
          const result = writer.getText();
          const maxLength2 = noTruncation ? noTruncationMaximumTruncationLength * 2 : defaultMaximumTruncationLength * 2;
          if (maxLength2 && result && result.length >= maxLength2) {
            return result.substr(0, maxLength2 - "...".length) + "...";
          }
          return result;
        }
        function getTypeNamesForErrorDisplay(left, right) {
          let leftStr = symbolValueDeclarationIsContextSensitive(left.symbol) ? typeToString(left, left.symbol.valueDeclaration) : typeToString(left);
          let rightStr = symbolValueDeclarationIsContextSensitive(right.symbol) ? typeToString(right, right.symbol.valueDeclaration) : typeToString(right);
          if (leftStr === rightStr) {
            leftStr = getTypeNameForErrorDisplay(left);
            rightStr = getTypeNameForErrorDisplay(right);
          }
          return [leftStr, rightStr];
        }
        function getTypeNameForErrorDisplay(type) {
          return typeToString(
            type,
            /*enclosingDeclaration*/
            void 0,
            64
            /* UseFullyQualifiedType */
          );
        }
        function symbolValueDeclarationIsContextSensitive(symbol) {
          return symbol && !!symbol.valueDeclaration && isExpression(symbol.valueDeclaration) && !isContextSensitive(symbol.valueDeclaration);
        }
        function toNodeBuilderFlags(flags = 0) {
          return flags & 848330095;
        }
        function isClassInstanceSide(type) {
          return !!type.symbol && !!(type.symbol.flags & 32) && (type === getDeclaredTypeOfClassOrInterface(type.symbol) || !!(type.flags & 524288) && !!(getObjectFlags(type) & 16777216));
        }
        function getTypeFromTypeNodeWithoutContext(node) {
          return getTypeFromTypeNode(node);
        }
        function createNodeBuilder() {
          return {
            typeToTypeNode: (type, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => typeToTypeNodeHelper(type, context)),
            typePredicateToTypePredicateNode: (typePredicate, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => typePredicateToTypePredicateNodeHelper(typePredicate, context)),
            expressionOrTypeToTypeNode: (expr, type, addUndefined, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => expressionOrTypeToTypeNode(context, expr, type, addUndefined)),
            serializeTypeForDeclaration: (declaration, type, symbol, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => serializeTypeForDeclaration(context, declaration, type, symbol)),
            serializeReturnTypeForSignature: (signature, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => serializeReturnTypeForSignature(context, signature)),
            indexInfoToIndexSignatureDeclaration: (indexInfo, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => indexInfoToIndexSignatureDeclarationHelper(
              indexInfo,
              context,
              /*typeNode*/
              void 0
            )),
            signatureToSignatureDeclaration: (signature, kind, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => signatureToSignatureDeclarationHelper(signature, kind, context)),
            symbolToEntityName: (symbol, meaning, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => symbolToName(
              symbol,
              context,
              meaning,
              /*expectsIdentifier*/
              false
            )),
            symbolToExpression: (symbol, meaning, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => symbolToExpression(symbol, context, meaning)),
            symbolToTypeParameterDeclarations: (symbol, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => typeParametersToTypeParameterDeclarations(symbol, context)),
            symbolToParameterDeclaration: (symbol, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => symbolToParameterDeclaration(symbol, context)),
            typeParameterToDeclaration: (parameter, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => typeParameterToDeclaration(parameter, context)),
            symbolTableToDeclarationStatements: (symbolTable, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => symbolTableToDeclarationStatements(symbolTable, context)),
            symbolToNode: (symbol, meaning, enclosingDeclaration, flags, tracker2) => withContext2(enclosingDeclaration, flags, tracker2, (context) => symbolToNode(symbol, context, meaning))
          };
          function getTypeFromTypeNode2(context, node, noMappedTypes) {
            const type = getTypeFromTypeNodeWithoutContext(node);
            if (!context.mapper) return type;
            const mappedType = instantiateType(type, context.mapper);
            return noMappedTypes && mappedType !== type ? void 0 : mappedType;
          }
          function setTextRange2(context, range, location) {
            if (!nodeIsSynthesized(range) || !(range.flags & 16) || !context.enclosingFile || context.enclosingFile !== getSourceFileOfNode(getOriginalNode(range))) {
              range = factory.cloneNode(range);
            }
            if (range === location) return range;
            if (!location) {
              return range;
            }
            if (!context.enclosingFile || context.enclosingFile !== getSourceFileOfNode(getOriginalNode(location))) {
              return setOriginalNode(range, location);
            }
            return setTextRange(setOriginalNode(range, location), location);
          }
          function expressionOrTypeToTypeNode(context, expr, type, addUndefined) {
            const oldFlags = context.flags;
            if (expr && !(context.flags & -2147483648)) {
              syntacticNodeBuilder.serializeTypeOfExpression(expr, context, addUndefined);
            }
            context.flags |= -2147483648;
            const result = expressionOrTypeToTypeNodeHelper(context, expr, type, addUndefined);
            context.flags = oldFlags;
            return result;
          }
          function expressionOrTypeToTypeNodeHelper(context, expr, type, addUndefined) {
            if (expr) {
              const typeNode = isAssertionExpression(expr) ? expr.type : isJSDocTypeAssertion(expr) ? getJSDocTypeAssertionType(expr) : void 0;
              if (typeNode && !isConstTypeReference(typeNode)) {
                const result = tryReuseExistingTypeNode(context, typeNode, type, expr.parent, addUndefined);
                if (result) {
                  return result;
                }
              }
            }
            if (addUndefined) {
              type = getOptionalType(type);
            }
            return typeToTypeNodeHelper(type, context);
          }
          function tryReuseExistingTypeNode(context, typeNode, type, host2, addUndefined) {
            const originalType = type;
            if (addUndefined) {
              type = getOptionalType(type, !isParameter(host2));
            }
            const clone2 = tryReuseExistingNonParameterTypeNode(context, typeNode, type, host2);
            if (clone2) {
              if (addUndefined && containsNonMissingUndefinedType(type) && !someType(getTypeFromTypeNode2(context, typeNode), (t) => !!(t.flags & 32768))) {
                return factory.createUnionTypeNode([clone2, factory.createKeywordTypeNode(
                  157
                  /* UndefinedKeyword */
                )]);
              }
              return clone2;
            }
            if (addUndefined && originalType !== type) {
              const cloneMissingUndefined = tryReuseExistingNonParameterTypeNode(context, typeNode, originalType, host2);
              if (cloneMissingUndefined) {
                return factory.createUnionTypeNode([cloneMissingUndefined, factory.createKeywordTypeNode(
                  157
                  /* UndefinedKeyword */
                )]);
              }
            }
            return void 0;
          }
          function tryReuseExistingNonParameterTypeNode(context, existing, type, host2 = context.enclosingDeclaration, annotationType = getTypeFromTypeNode2(
            context,
            existing,
            /*noMappedTypes*/
            true
          )) {
            if (annotationType && typeNodeIsEquivalentToType(host2, type, annotationType) && existingTypeNodeIsNotReferenceOrIsReferenceWithCompatibleTypeArgumentCount(existing, type)) {
              const result = tryReuseExistingTypeNodeHelper(context, existing);
              if (result) {
                return result;
              }
            }
            return void 0;
          }
          function symbolToNode(symbol, context, meaning) {
            if (context.flags & 1073741824) {
              if (symbol.valueDeclaration) {
                const name = getNameOfDeclaration(symbol.valueDeclaration);
                if (name && isComputedPropertyName(name)) return name;
              }
              const nameType = getSymbolLinks(symbol).nameType;
              if (nameType && nameType.flags & (1024 | 8192)) {
                context.enclosingDeclaration = nameType.symbol.valueDeclaration;
                return factory.createComputedPropertyName(symbolToExpression(nameType.symbol, context, meaning));
              }
            }
            return symbolToExpression(symbol, context, meaning);
          }
          function withContext2(enclosingDeclaration, flags, tracker2, cb) {
            const moduleResolverHost = (tracker2 == null ? void 0 : tracker2.trackSymbol) ? tracker2.moduleResolverHost : flags & 134217728 ? createBasicNodeBuilderModuleSpecifierResolutionHost(host) : void 0;
            const context = {
              enclosingDeclaration,
              enclosingFile: enclosingDeclaration && getSourceFileOfNode(enclosingDeclaration),
              flags: flags || 0,
              tracker: void 0,
              encounteredError: false,
              reportedDiagnostic: false,
              visitedTypes: void 0,
              symbolDepth: void 0,
              inferTypeParameters: void 0,
              approximateLength: 0,
              trackedSymbols: void 0,
              bundled: !!compilerOptions.outFile && !!enclosingDeclaration && isExternalOrCommonJsModule(getSourceFileOfNode(enclosingDeclaration)),
              truncating: false,
              usedSymbolNames: void 0,
              remappedSymbolNames: void 0,
              remappedSymbolReferences: void 0,
              reverseMappedStack: void 0,
              mustCreateTypeParameterSymbolList: true,
              typeParameterSymbolList: void 0,
              mustCreateTypeParametersNamesLookups: true,
              typeParameterNames: void 0,
              typeParameterNamesByText: void 0,
              typeParameterNamesByTextNextNameCount: void 0,
              mapper: void 0
            };
            context.tracker = new SymbolTrackerImpl(context, tracker2, moduleResolverHost);
            const resultingNode = cb(context);
            if (context.truncating && context.flags & 1) {
              context.tracker.reportTruncationError();
            }
            return context.encounteredError ? void 0 : resultingNode;
          }
          function checkTruncationLength(context) {
            if (context.truncating) return context.truncating;
            return context.truncating = context.approximateLength > (context.flags & 1 ? noTruncationMaximumTruncationLength : defaultMaximumTruncationLength);
          }
          function typeToTypeNodeHelper(type, context) {
            const savedFlags = context.flags;
            const typeNode = typeToTypeNodeWorker(type, context);
            context.flags = savedFlags;
            return typeNode;
          }
          function typeToTypeNodeWorker(type, context) {
            var _a, _b;
            if (cancellationToken && cancellationToken.throwIfCancellationRequested) {
              cancellationToken.throwIfCancellationRequested();
            }
            const inTypeAlias = context.flags & 8388608;
            context.flags &= ~8388608;
            if (!type) {
              if (!(context.flags & 262144)) {
                context.encounteredError = true;
                return void 0;
              }
              context.approximateLength += 3;
              return factory.createKeywordTypeNode(
                133
                /* AnyKeyword */
              );
            }
            if (!(context.flags & 536870912)) {
              type = getReducedType(type);
            }
            if (type.flags & 1) {
              if (type.aliasSymbol) {
                return factory.createTypeReferenceNode(symbolToEntityNameNode(type.aliasSymbol), mapToTypeNodes(type.aliasTypeArguments, context));
              }
              if (type === unresolvedType) {
                return addSyntheticLeadingComment(factory.createKeywordTypeNode(
                  133
                  /* AnyKeyword */
                ), 3, "unresolved");
              }
              context.approximateLength += 3;
              return factory.createKeywordTypeNode(
                type === intrinsicMarkerType ? 141 : 133
                /* AnyKeyword */
              );
            }
            if (type.flags & 2) {
              return factory.createKeywordTypeNode(
                159
                /* UnknownKeyword */
              );
            }
            if (type.flags & 4) {
              context.approximateLength += 6;
              return factory.createKeywordTypeNode(
                154
                /* StringKeyword */
              );
            }
            if (type.flags & 8) {
              context.approximateLength += 6;
              return factory.createKeywordTypeNode(
                150
                /* NumberKeyword */
              );
            }
            if (type.flags & 64) {
              context.approximateLength += 6;
              return factory.createKeywordTypeNode(
                163
                /* BigIntKeyword */
              );
            }
            if (type.flags & 16 && !type.aliasSymbol) {
              context.approximateLength += 7;
              return factory.createKeywordTypeNode(
                136
                /* BooleanKeyword */
              );
            }
            if (type.flags & 1056) {
              if (type.symbol.flags & 8) {
                const parentSymbol = getParentOfSymbol(type.symbol);
                const parentName = symbolToTypeNode(
                  parentSymbol,
                  context,
                  788968
                  /* Type */
                );
                if (getDeclaredTypeOfSymbol(parentSymbol) === type) {
                  return parentName;
                }
                const memberName = symbolName(type.symbol);
                if (isIdentifierText(
                  memberName,
                  1
                  /* ES5 */
                )) {
                  return appendReferenceToType(
                    parentName,
                    factory.createTypeReferenceNode(
                      memberName,
                      /*typeArguments*/
                      void 0
                    )
                  );
                }
                if (isImportTypeNode(parentName)) {
                  parentName.isTypeOf = true;
                  return factory.createIndexedAccessTypeNode(parentName, factory.createLiteralTypeNode(factory.createStringLiteral(memberName)));
                } else if (isTypeReferenceNode(parentName)) {
                  return factory.createIndexedAccessTypeNode(factory.createTypeQueryNode(parentName.typeName), factory.createLiteralTypeNode(factory.createStringLiteral(memberName)));
                } else {
                  return Debug.fail("Unhandled type node kind returned from `symbolToTypeNode`.");
                }
              }
              return symbolToTypeNode(
                type.symbol,
                context,
                788968
                /* Type */
              );
            }
            if (type.flags & 128) {
              context.approximateLength += type.value.length + 2;
              return factory.createLiteralTypeNode(setEmitFlags(
                factory.createStringLiteral(type.value, !!(context.flags & 268435456)),
                16777216
                /* NoAsciiEscaping */
              ));
            }
            if (type.flags & 256) {
              const value = type.value;
              context.approximateLength += ("" + value).length;
              return factory.createLiteralTypeNode(value < 0 ? factory.createPrefixUnaryExpression(41, factory.createNumericLiteral(-value)) : factory.createNumericLiteral(value));
            }
            if (type.flags & 2048) {
              context.approximateLength += pseudoBigIntToString(type.value).length + 1;
              return factory.createLiteralTypeNode(factory.createBigIntLiteral(type.value));
            }
            if (type.flags & 512) {
              context.approximateLength += type.intrinsicName.length;
              return factory.createLiteralTypeNode(type.intrinsicName === "true" ? factory.createTrue() : factory.createFalse());
            }
            if (type.flags & 8192) {
              if (!(context.flags & 1048576)) {
                if (isValueSymbolAccessible(type.symbol, context.enclosingDeclaration)) {
                  context.approximateLength += 6;
                  return symbolToTypeNode(
                    type.symbol,
                    context,
                    111551
                    /* Value */
                  );
                }
                if (context.tracker.reportInaccessibleUniqueSymbolError) {
                  context.tracker.reportInaccessibleUniqueSymbolError();
                }
              }
              context.approximateLength += 13;
              return factory.createTypeOperatorNode(158, factory.createKeywordTypeNode(
                155
                /* SymbolKeyword */
              ));
            }
            if (type.flags & 16384) {
              context.approximateLength += 4;
              return factory.createKeywordTypeNode(
                116
                /* VoidKeyword */
              );
            }
            if (type.flags & 32768) {
              context.approximateLength += 9;
              return factory.createKeywordTypeNode(
                157
                /* UndefinedKeyword */
              );
            }
            if (type.flags & 65536) {
              context.approximateLength += 4;
              return factory.createLiteralTypeNode(factory.createNull());
            }
            if (type.flags & 131072) {
              context.approximateLength += 5;
              return factory.createKeywordTypeNode(
                146
                /* NeverKeyword */
              );
            }
            if (type.flags & 4096) {
              context.approximateLength += 6;
              return factory.createKeywordTypeNode(
                155
                /* SymbolKeyword */
              );
            }
            if (type.flags & 67108864) {
              context.approximateLength += 6;
              return factory.createKeywordTypeNode(
                151
                /* ObjectKeyword */
              );
            }
            if (isThisTypeParameter(type)) {
              if (context.flags & 4194304) {
                if (!context.encounteredError && !(context.flags & 32768)) {
                  context.encounteredError = true;
                }
                (_b = (_a = context.tracker).reportInaccessibleThisError) == null ? void 0 : _b.call(_a);
              }
              context.approximateLength += 4;
              return factory.createThisTypeNode();
            }
            if (!inTypeAlias && type.aliasSymbol && (context.flags & 16384 || isTypeSymbolAccessible(type.aliasSymbol, context.enclosingDeclaration))) {
              const typeArgumentNodes = mapToTypeNodes(type.aliasTypeArguments, context);
              if (isReservedMemberName(type.aliasSymbol.escapedName) && !(type.aliasSymbol.flags & 32)) return factory.createTypeReferenceNode(factory.createIdentifier(""), typeArgumentNodes);
              if (length(typeArgumentNodes) === 1 && type.aliasSymbol === globalArrayType.symbol) {
                return factory.createArrayTypeNode(typeArgumentNodes[0]);
              }
              return symbolToTypeNode(type.aliasSymbol, context, 788968, typeArgumentNodes);
            }
            const objectFlags = getObjectFlags(type);
            if (objectFlags & 4) {
              Debug.assert(!!(type.flags & 524288));
              return type.node ? visitAndTransformType(type, typeReferenceToTypeNode) : typeReferenceToTypeNode(type);
            }
            if (type.flags & 262144 || objectFlags & 3) {
              if (type.flags & 262144 && contains(context.inferTypeParameters, type)) {
                context.approximateLength += symbolName(type.symbol).length + 6;
                let constraintNode;
                const constraint = getConstraintOfTypeParameter(type);
                if (constraint) {
                  const inferredConstraint = getInferredTypeParameterConstraint(
                    type,
                    /*omitTypeReferences*/
                    true
                  );
                  if (!(inferredConstraint && isTypeIdenticalTo(constraint, inferredConstraint))) {
                    context.approximateLength += 9;
                    constraintNode = constraint && typeToTypeNodeHelper(constraint, context);
                  }
                }
                return factory.createInferTypeNode(typeParameterToDeclarationWithConstraint(type, context, constraintNode));
              }
              if (context.flags & 4 && type.flags & 262144) {
                const name2 = typeParameterToName(type, context);
                context.approximateLength += idText(name2).length;
                return factory.createTypeReferenceNode(
                  factory.createIdentifier(idText(name2)),
                  /*typeArguments*/
                  void 0
                );
              }
              if (type.symbol) {
                return symbolToTypeNode(
                  type.symbol,
                  context,
                  788968
                  /* Type */
                );
              }
              const name = (type === markerSuperTypeForCheck || type === markerSubTypeForCheck) && varianceTypeParameter && varianceTypeParameter.symbol ? (type === markerSubTypeForCheck ? "sub-" : "super-") + symbolName(varianceTypeParameter.symbol) : "?";
              return factory.createTypeReferenceNode(
                factory.createIdentifier(name),
                /*typeArguments*/
                void 0
              );
            }
            if (type.flags & 1048576 && type.origin) {
              type = type.origin;
            }
            if (type.flags & (1048576 | 2097152)) {
              const types = type.flags & 1048576 ? formatUnionTypes(type.types) : type.types;
              if (length(types) === 1) {
                return typeToTypeNodeHelper(types[0], context);
              }
              const typeNodes = mapToTypeNodes(
                types,
                context,
                /*isBareList*/
                true
              );
              if (typeNodes && typeNodes.length > 0) {
                return type.flags & 1048576 ? factory.createUnionTypeNode(typeNodes) : factory.createIntersectionTypeNode(typeNodes);
              } else {
                if (!context.encounteredError && !(context.flags & 262144)) {
                  context.encounteredError = true;
                }
                return void 0;
              }
            }
            if (objectFlags & (16 | 32)) {
              Debug.assert(!!(type.flags & 524288));
              return createAnonymousTypeNode(type);
            }
            if (type.flags & 4194304) {
              const indexedType = type.type;
              context.approximateLength += 6;
              const indexTypeNode = typeToTypeNodeHelper(indexedType, context);
              return factory.createTypeOperatorNode(143, indexTypeNode);
            }
            if (type.flags & 134217728) {
              const texts = type.texts;
              const types = type.types;
              const templateHead = factory.createTemplateHead(texts[0]);
              const templateSpans = factory.createNodeArray(
                map(types, (t, i) => factory.createTemplateLiteralTypeSpan(
                  typeToTypeNodeHelper(t, context),
                  (i < types.length - 1 ? factory.createTemplateMiddle : factory.createTemplateTail)(texts[i + 1])
                ))
              );
              context.approximateLength += 2;
              return factory.createTemplateLiteralType(templateHead, templateSpans);
            }
            if (type.flags & 268435456) {
              const typeNode = typeToTypeNodeHelper(type.type, context);
              return symbolToTypeNode(type.symbol, context, 788968, [typeNode]);
            }
            if (type.flags & 8388608) {
              const objectTypeNode = typeToTypeNodeHelper(type.objectType, context);
              const indexTypeNode = typeToTypeNodeHelper(type.indexType, context);
              context.approximateLength += 2;
              return factory.createIndexedAccessTypeNode(objectTypeNode, indexTypeNode);
            }
            if (type.flags & 16777216) {
              return visitAndTransformType(type, (type2) => conditionalTypeToTypeNode(type2));
            }
            if (type.flags & 33554432) {
              const typeNode = typeToTypeNodeHelper(type.baseType, context);
              const noInferSymbol = isNoInferType(type) && getGlobalTypeSymbol(
                "NoInfer",
                /*reportErrors*/
                false
              );
              return noInferSymbol ? symbolToTypeNode(noInferSymbol, context, 788968, [typeNode]) : typeNode;
            }
            return Debug.fail("Should be unreachable.");
            function conditionalTypeToTypeNode(type2) {
              const checkTypeNode = typeToTypeNodeHelper(type2.checkType, context);
              context.approximateLength += 15;
              if (context.flags & 4 && type2.root.isDistributive && !(type2.checkType.flags & 262144)) {
                const newParam = createTypeParameter(createSymbol(262144, "T"));
                const name = typeParameterToName(newParam, context);
                const newTypeVariable = factory.createTypeReferenceNode(name);
                context.approximateLength += 37;
                const newMapper = prependTypeMapping(type2.root.checkType, newParam, type2.mapper);
                const saveInferTypeParameters2 = context.inferTypeParameters;
                context.inferTypeParameters = type2.root.inferTypeParameters;
                const extendsTypeNode2 = typeToTypeNodeHelper(instantiateType(type2.root.extendsType, newMapper), context);
                context.inferTypeParameters = saveInferTypeParameters2;
                const trueTypeNode2 = typeToTypeNodeOrCircularityElision(instantiateType(getTypeFromTypeNode2(context, type2.root.node.trueType), newMapper));
                const falseTypeNode2 = typeToTypeNodeOrCircularityElision(instantiateType(getTypeFromTypeNode2(context, type2.root.node.falseType), newMapper));
                return factory.createConditionalTypeNode(
                  checkTypeNode,
                  factory.createInferTypeNode(factory.createTypeParameterDeclaration(
                    /*modifiers*/
                    void 0,
                    factory.cloneNode(newTypeVariable.typeName)
                  )),
                  factory.createConditionalTypeNode(
                    factory.createTypeReferenceNode(factory.cloneNode(name)),
                    typeToTypeNodeHelper(type2.checkType, context),
                    factory.createConditionalTypeNode(newTypeVariable, extendsTypeNode2, trueTypeNode2, falseTypeNode2),
                    factory.createKeywordTypeNode(
                      146
                      /* NeverKeyword */
                    )
                  ),
                  factory.createKeywordTypeNode(
                    146
                    /* NeverKeyword */
                  )
                );
              }
              const saveInferTypeParameters = context.inferTypeParameters;
              context.inferTypeParameters = type2.root.inferTypeParameters;
              const extendsTypeNode = typeToTypeNodeHelper(type2.extendsType, context);
              context.inferTypeParameters = saveInferTypeParameters;
              const trueTypeNode = typeToTypeNodeOrCircularityElision(getTrueTypeFromConditionalType(type2));
              const falseTypeNode = typeToTypeNodeOrCircularityElision(getFalseTypeFromConditionalType(type2));
              return factory.createConditionalTypeNode(checkTypeNode, extendsTypeNode, trueTypeNode, falseTypeNode);
            }
            function typeToTypeNodeOrCircularityElision(type2) {
              var _a2, _b2, _c;
              if (type2.flags & 1048576) {
                if ((_a2 = context.visitedTypes) == null ? void 0 : _a2.has(getTypeId(type2))) {
                  if (!(context.flags & 131072)) {
                    context.encounteredError = true;
                    (_c = (_b2 = context.tracker) == null ? void 0 : _b2.reportCyclicStructureError) == null ? void 0 : _c.call(_b2);
                  }
                  return createElidedInformationPlaceholder(context);
                }
                return visitAndTransformType(type2, (type3) => typeToTypeNodeHelper(type3, context));
              }
              return typeToTypeNodeHelper(type2, context);
            }
            function isMappedTypeHomomorphic(type2) {
              return !!getHomomorphicTypeVariable(type2);
            }
            function isHomomorphicMappedTypeWithNonHomomorphicInstantiation(type2) {
              return !!type2.target && isMappedTypeHomomorphic(type2.target) && !isMappedTypeHomomorphic(type2);
            }
            function createMappedTypeNodeFromType(type2) {
              var _a2;
              Debug.assert(!!(type2.flags & 524288));
              const readonlyToken = type2.declaration.readonlyToken ? factory.createToken(type2.declaration.readonlyToken.kind) : void 0;
              const questionToken = type2.declaration.questionToken ? factory.createToken(type2.declaration.questionToken.kind) : void 0;
              let appropriateConstraintTypeNode;
              let newTypeVariable;
              const needsModifierPreservingWrapper = !isMappedTypeWithKeyofConstraintDeclaration(type2) && !(getModifiersTypeFromMappedType(type2).flags & 2) && context.flags & 4 && !(getConstraintTypeFromMappedType(type2).flags & 262144 && ((_a2 = getConstraintOfTypeParameter(getConstraintTypeFromMappedType(type2))) == null ? void 0 : _a2.flags) & 4194304);
              if (isMappedTypeWithKeyofConstraintDeclaration(type2)) {
                if (isHomomorphicMappedTypeWithNonHomomorphicInstantiation(type2) && context.flags & 4) {
                  const newParam = createTypeParameter(createSymbol(262144, "T"));
                  const name = typeParameterToName(newParam, context);
                  newTypeVariable = factory.createTypeReferenceNode(name);
                }
                appropriateConstraintTypeNode = factory.createTypeOperatorNode(143, newTypeVariable || typeToTypeNodeHelper(getModifiersTypeFromMappedType(type2), context));
              } else if (needsModifierPreservingWrapper) {
                const newParam = createTypeParameter(createSymbol(262144, "T"));
                const name = typeParameterToName(newParam, context);
                newTypeVariable = factory.createTypeReferenceNode(name);
                appropriateConstraintTypeNode = newTypeVariable;
              } else {
                appropriateConstraintTypeNode = typeToTypeNodeHelper(getConstraintTypeFromMappedType(type2), context);
              }
              const typeParameterNode = typeParameterToDeclarationWithConstraint(getTypeParameterFromMappedType(type2), context, appropriateConstraintTypeNode);
              const nameTypeNode = type2.declaration.nameType ? typeToTypeNodeHelper(getNameTypeFromMappedType(type2), context) : void 0;
              const templateTypeNode = typeToTypeNodeHelper(removeMissingType(getTemplateTypeFromMappedType(type2), !!(getMappedTypeModifiers(type2) & 4)), context);
              const mappedTypeNode = factory.createMappedTypeNode(
                readonlyToken,
                typeParameterNode,
                nameTypeNode,
                questionToken,
                templateTypeNode,
                /*members*/
                void 0
              );
              context.approximateLength += 10;
              const result = setEmitFlags(
                mappedTypeNode,
                1
                /* SingleLine */
              );
              if (isHomomorphicMappedTypeWithNonHomomorphicInstantiation(type2) && context.flags & 4) {
                const originalConstraint = instantiateType(getConstraintOfTypeParameter(getTypeFromTypeNode2(context, type2.declaration.typeParameter.constraint.type)) || unknownType2, type2.mapper);
                return factory.createConditionalTypeNode(
                  typeToTypeNodeHelper(getModifiersTypeFromMappedType(type2), context),
                  factory.createInferTypeNode(factory.createTypeParameterDeclaration(
                    /*modifiers*/
                    void 0,
                    factory.cloneNode(newTypeVariable.typeName),
                    originalConstraint.flags & 2 ? void 0 : typeToTypeNodeHelper(originalConstraint, context)
                  )),
                  result,
                  factory.createKeywordTypeNode(
                    146
                    /* NeverKeyword */
                  )
                );
              } else if (needsModifierPreservingWrapper) {
                return factory.createConditionalTypeNode(
                  typeToTypeNodeHelper(getConstraintTypeFromMappedType(type2), context),
                  factory.createInferTypeNode(factory.createTypeParameterDeclaration(
                    /*modifiers*/
                    void 0,
                    factory.cloneNode(newTypeVariable.typeName),
                    factory.createTypeOperatorNode(143, typeToTypeNodeHelper(getModifiersTypeFromMappedType(type2), context))
                  )),
                  result,
                  factory.createKeywordTypeNode(
                    146
                    /* NeverKeyword */
                  )
                );
              }
              return result;
            }
            function createAnonymousTypeNode(type2) {
              var _a2, _b2;
              const typeId = type2.id;
              const symbol = type2.symbol;
              if (symbol) {
                const isInstantiationExpressionType = !!(getObjectFlags(type2) & 8388608);
                if (isInstantiationExpressionType) {
                  const instantiationExpressionType = type2;
                  const existing = instantiationExpressionType.node;
                  if (isTypeQueryNode(existing)) {
                    const typeNode = tryReuseExistingNonParameterTypeNode(context, existing, type2);
                    if (typeNode) {
                      return typeNode;
                    }
                  }
                  if ((_a2 = context.visitedTypes) == null ? void 0 : _a2.has(typeId)) {
                    return createElidedInformationPlaceholder(context);
                  }
                  return visitAndTransformType(type2, createTypeNodeFromObjectType);
                }
                const isInstanceType = isClassInstanceSide(type2) ? 788968 : 111551;
                if (isJSConstructor(symbol.valueDeclaration)) {
                  return symbolToTypeNode(symbol, context, isInstanceType);
                } else if (symbol.flags & 32 && !getBaseTypeVariableOfClass(symbol) && !(symbol.valueDeclaration && isClassLike(symbol.valueDeclaration) && context.flags & 2048 && (!isClassDeclaration(symbol.valueDeclaration) || isSymbolAccessible(
                  symbol,
                  context.enclosingDeclaration,
                  isInstanceType,
                  /*shouldComputeAliasesToMakeVisible*/
                  false
                ).accessibility !== 0)) || symbol.flags & (384 | 512) || shouldWriteTypeOfFunctionSymbol()) {
                  return symbolToTypeNode(symbol, context, isInstanceType);
                } else if ((_b2 = context.visitedTypes) == null ? void 0 : _b2.has(typeId)) {
                  const typeAlias = getTypeAliasForTypeLiteral(type2);
                  if (typeAlias) {
                    return symbolToTypeNode(
                      typeAlias,
                      context,
                      788968
                      /* Type */
                    );
                  } else {
                    return createElidedInformationPlaceholder(context);
                  }
                } else {
                  return visitAndTransformType(type2, createTypeNodeFromObjectType);
                }
              } else {
                return createTypeNodeFromObjectType(type2);
              }
              function shouldWriteTypeOfFunctionSymbol() {
                var _a3;
                const isStaticMethodSymbol = !!(symbol.flags & 8192) && // typeof static method
                some(symbol.declarations, (declaration) => isStatic(declaration));
                const isNonLocalFunctionSymbol = !!(symbol.flags & 16) && (symbol.parent || // is exported function symbol
                forEach(
                  symbol.declarations,
                  (declaration) => declaration.parent.kind === 307 || declaration.parent.kind === 268
                  /* ModuleBlock */
                ));
                if (isStaticMethodSymbol || isNonLocalFunctionSymbol) {
                  return (!!(context.flags & 4096) || ((_a3 = context.visitedTypes) == null ? void 0 : _a3.has(typeId))) && // it is type of the symbol uses itself recursively
                  (!(context.flags & 8) || isValueSymbolAccessible(symbol, context.enclosingDeclaration));
                }
              }
            }
            function visitAndTransformType(type2, transform2) {
              var _a2, _b2, _c;
              const typeId = type2.id;
              const isConstructorObject = getObjectFlags(type2) & 16 && type2.symbol && type2.symbol.flags & 32;
              const id = getObjectFlags(type2) & 4 && type2.node ? "N" + getNodeId(type2.node) : type2.flags & 16777216 ? "N" + getNodeId(type2.root.node) : type2.symbol ? (isConstructorObject ? "+" : "") + getSymbolId(type2.symbol) : void 0;
              if (!context.visitedTypes) {
                context.visitedTypes = /* @__PURE__ */ new Set();
              }
              if (id && !context.symbolDepth) {
                context.symbolDepth = /* @__PURE__ */ new Map();
              }
              const links = context.enclosingDeclaration && getNodeLinks(context.enclosingDeclaration);
              const key = `${getTypeId(type2)}|${context.flags}`;
              if (links) {
                links.serializedTypes || (links.serializedTypes = /* @__PURE__ */ new Map());
              }
              const cachedResult = (_a2 = links == null ? void 0 : links.serializedTypes) == null ? void 0 : _a2.get(key);
              if (cachedResult) {
                (_b2 = cachedResult.trackedSymbols) == null ? void 0 : _b2.forEach(
                  ([symbol, enclosingDeclaration, meaning]) => context.tracker.trackSymbol(
                    symbol,
                    enclosingDeclaration,
                    meaning
                  )
                );
                if (cachedResult.truncating) {
                  context.truncating = true;
                }
                context.approximateLength += cachedResult.addedLength;
                return deepCloneOrReuseNode(cachedResult.node);
              }
              let depth2;
              if (id) {
                depth2 = context.symbolDepth.get(id) || 0;
                if (depth2 > 10) {
                  return createElidedInformationPlaceholder(context);
                }
                context.symbolDepth.set(id, depth2 + 1);
              }
              context.visitedTypes.add(typeId);
              const prevTrackedSymbols = context.trackedSymbols;
              context.trackedSymbols = void 0;
              const startLength = context.approximateLength;
              const result = transform2(type2);
              const addedLength = context.approximateLength - startLength;
              if (!context.reportedDiagnostic && !context.encounteredError) {
                (_c = links == null ? void 0 : links.serializedTypes) == null ? void 0 : _c.set(key, {
                  node: result,
                  truncating: context.truncating,
                  addedLength,
                  trackedSymbols: context.trackedSymbols
                });
              }
              context.visitedTypes.delete(typeId);
              if (id) {
                context.symbolDepth.set(id, depth2);
              }
              context.trackedSymbols = prevTrackedSymbols;
              return result;
              function deepCloneOrReuseNode(node) {
                if (!nodeIsSynthesized(node) && getParseTreeNode(node) === node) {
                  return node;
                }
                return setTextRange2(context, factory.cloneNode(visitEachChild(
                  node,
                  deepCloneOrReuseNode,
                  /*context*/
                  void 0,
                  deepCloneOrReuseNodes,
                  deepCloneOrReuseNode
                )), node);
              }
              function deepCloneOrReuseNodes(nodes, visitor2, test, start, count) {
                if (nodes && nodes.length === 0) {
                  return setTextRange(factory.createNodeArray(
                    /*elements*/
                    void 0,
                    nodes.hasTrailingComma
                  ), nodes);
                }
                return visitNodes2(nodes, visitor2, test, start, count);
              }
            }
            function createTypeNodeFromObjectType(type2) {
              if (isGenericMappedType(type2) || type2.containsError) {
                return createMappedTypeNodeFromType(type2);
              }
              const resolved = resolveStructuredTypeMembers(type2);
              if (!resolved.properties.length && !resolved.indexInfos.length) {
                if (!resolved.callSignatures.length && !resolved.constructSignatures.length) {
                  context.approximateLength += 2;
                  return setEmitFlags(
                    factory.createTypeLiteralNode(
                      /*members*/
                      void 0
                    ),
                    1
                    /* SingleLine */
                  );
                }
                if (resolved.callSignatures.length === 1 && !resolved.constructSignatures.length) {
                  const signature = resolved.callSignatures[0];
                  const signatureNode = signatureToSignatureDeclarationHelper(signature, 184, context);
                  return signatureNode;
                }
                if (resolved.constructSignatures.length === 1 && !resolved.callSignatures.length) {
                  const signature = resolved.constructSignatures[0];
                  const signatureNode = signatureToSignatureDeclarationHelper(signature, 185, context);
                  return signatureNode;
                }
              }
              const abstractSignatures = filter(resolved.constructSignatures, (signature) => !!(signature.flags & 4));
              if (some(abstractSignatures)) {
                const types = map(abstractSignatures, (s) => getOrCreateTypeFromSignature(s));
                const typeElementCount = resolved.callSignatures.length + (resolved.constructSignatures.length - abstractSignatures.length) + resolved.indexInfos.length + // exclude `prototype` when writing a class expression as a type literal, as per
                // the logic in `createTypeNodesFromResolvedType`.
                (context.flags & 2048 ? countWhere(resolved.properties, (p) => !(p.flags & 4194304)) : length(resolved.properties));
                if (typeElementCount) {
                  types.push(getResolvedTypeWithoutAbstractConstructSignatures(resolved));
                }
                return typeToTypeNodeHelper(getIntersectionType(types), context);
              }
              const savedFlags = context.flags;
              context.flags |= 4194304;
              const members = createTypeNodesFromResolvedType(resolved);
              context.flags = savedFlags;
              const typeLiteralNode = factory.createTypeLiteralNode(members);
              context.approximateLength += 2;
              setEmitFlags(
                typeLiteralNode,
                context.flags & 1024 ? 0 : 1
                /* SingleLine */
              );
              return typeLiteralNode;
            }
            function typeReferenceToTypeNode(type2) {
              let typeArguments = getTypeArguments(type2);
              if (type2.target === globalArrayType || type2.target === globalReadonlyArrayType) {
                if (context.flags & 2) {
                  const typeArgumentNode = typeToTypeNodeHelper(typeArguments[0], context);
                  return factory.createTypeReferenceNode(type2.target === globalArrayType ? "Array" : "ReadonlyArray", [typeArgumentNode]);
                }
                const elementType = typeToTypeNodeHelper(typeArguments[0], context);
                const arrayType2 = factory.createArrayTypeNode(elementType);
                return type2.target === globalArrayType ? arrayType2 : factory.createTypeOperatorNode(148, arrayType2);
              } else if (type2.target.objectFlags & 8) {
                typeArguments = sameMap(typeArguments, (t, i) => removeMissingType(t, !!(type2.target.elementFlags[i] & 2)));
                if (typeArguments.length > 0) {
                  const arity = getTypeReferenceArity(type2);
                  const tupleConstituentNodes = mapToTypeNodes(typeArguments.slice(0, arity), context);
                  if (tupleConstituentNodes) {
                    const { labeledElementDeclarations } = type2.target;
                    for (let i = 0; i < tupleConstituentNodes.length; i++) {
                      const flags = type2.target.elementFlags[i];
                      const labeledElementDeclaration = labeledElementDeclarations == null ? void 0 : labeledElementDeclarations[i];
                      if (labeledElementDeclaration) {
                        tupleConstituentNodes[i] = factory.createNamedTupleMember(
                          flags & 12 ? factory.createToken(
                            26
                            /* DotDotDotToken */
                          ) : void 0,
                          factory.createIdentifier(unescapeLeadingUnderscores(getTupleElementLabel(labeledElementDeclaration))),
                          flags & 2 ? factory.createToken(
                            58
                            /* QuestionToken */
                          ) : void 0,
                          flags & 4 ? factory.createArrayTypeNode(tupleConstituentNodes[i]) : tupleConstituentNodes[i]
                        );
                      } else {
                        tupleConstituentNodes[i] = flags & 12 ? factory.createRestTypeNode(flags & 4 ? factory.createArrayTypeNode(tupleConstituentNodes[i]) : tupleConstituentNodes[i]) : flags & 2 ? factory.createOptionalTypeNode(tupleConstituentNodes[i]) : tupleConstituentNodes[i];
                      }
                    }
                    const tupleTypeNode = setEmitFlags(
                      factory.createTupleTypeNode(tupleConstituentNodes),
                      1
                      /* SingleLine */
                    );
                    return type2.target.readonly ? factory.createTypeOperatorNode(148, tupleTypeNode) : tupleTypeNode;
                  }
                }
                if (context.encounteredError || context.flags & 524288) {
                  const tupleTypeNode = setEmitFlags(
                    factory.createTupleTypeNode([]),
                    1
                    /* SingleLine */
                  );
                  return type2.target.readonly ? factory.createTypeOperatorNode(148, tupleTypeNode) : tupleTypeNode;
                }
                context.encounteredError = true;
                return void 0;
              } else if (context.flags & 2048 && type2.symbol.valueDeclaration && isClassLike(type2.symbol.valueDeclaration) && !isValueSymbolAccessible(type2.symbol, context.enclosingDeclaration)) {
                return createAnonymousTypeNode(type2);
              } else {
                const outerTypeParameters = type2.target.outerTypeParameters;
                let i = 0;
                let resultType;
                if (outerTypeParameters) {
                  const length2 = outerTypeParameters.length;
                  while (i < length2) {
                    const start = i;
                    const parent2 = getParentSymbolOfTypeParameter(outerTypeParameters[i]);
                    do {
                      i++;
                    } while (i < length2 && getParentSymbolOfTypeParameter(outerTypeParameters[i]) === parent2);
                    if (!rangeEquals(outerTypeParameters, typeArguments, start, i)) {
                      const typeArgumentSlice = mapToTypeNodes(typeArguments.slice(start, i), context);
                      const flags2 = context.flags;
                      context.flags |= 16;
                      const ref = symbolToTypeNode(parent2, context, 788968, typeArgumentSlice);
                      context.flags = flags2;
                      resultType = !resultType ? ref : appendReferenceToType(resultType, ref);
                    }
                  }
                }
                let typeArgumentNodes;
                if (typeArguments.length > 0) {
                  const typeParameterCount = (type2.target.typeParameters || emptyArray).length;
                  typeArgumentNodes = mapToTypeNodes(typeArguments.slice(i, typeParameterCount), context);
                }
                const flags = context.flags;
                context.flags |= 16;
                const finalRef = symbolToTypeNode(type2.symbol, context, 788968, typeArgumentNodes);
                context.flags = flags;
                return !resultType ? finalRef : appendReferenceToType(resultType, finalRef);
              }
            }
            function appendReferenceToType(root2, ref) {
              if (isImportTypeNode(root2)) {
                let typeArguments = root2.typeArguments;
                let qualifier = root2.qualifier;
                if (qualifier) {
                  if (isIdentifier(qualifier)) {
                    if (typeArguments !== getIdentifierTypeArguments(qualifier)) {
                      qualifier = setIdentifierTypeArguments(factory.cloneNode(qualifier), typeArguments);
                    }
                  } else {
                    if (typeArguments !== getIdentifierTypeArguments(qualifier.right)) {
                      qualifier = factory.updateQualifiedName(qualifier, qualifier.left, setIdentifierTypeArguments(factory.cloneNode(qualifier.right), typeArguments));
                    }
                  }
                }
                typeArguments = ref.typeArguments;
                const ids = getAccessStack(ref);
                for (const id of ids) {
                  qualifier = qualifier ? factory.createQualifiedName(qualifier, id) : id;
                }
                return factory.updateImportTypeNode(
                  root2,
                  root2.argument,
                  root2.attributes,
                  qualifier,
                  typeArguments,
                  root2.isTypeOf
                );
              } else {
                let typeArguments = root2.typeArguments;
                let typeName = root2.typeName;
                if (isIdentifier(typeName)) {
                  if (typeArguments !== getIdentifierTypeArguments(typeName)) {
                    typeName = setIdentifierTypeArguments(factory.cloneNode(typeName), typeArguments);
                  }
                } else {
                  if (typeArguments !== getIdentifierTypeArguments(typeName.right)) {
                    typeName = factory.updateQualifiedName(typeName, typeName.left, setIdentifierTypeArguments(factory.cloneNode(typeName.right), typeArguments));
                  }
                }
                typeArguments = ref.typeArguments;
                const ids = getAccessStack(ref);
                for (const id of ids) {
                  typeName = factory.createQualifiedName(typeName, id);
                }
                return factory.updateTypeReferenceNode(
                  root2,
                  typeName,
                  typeArguments
                );
              }
            }
            function getAccessStack(ref) {
              let state = ref.typeName;
              const ids = [];
              while (!isIdentifier(state)) {
                ids.unshift(state.right);
                state = state.left;
              }
              ids.unshift(state);
              return ids;
            }
            function createTypeNodesFromResolvedType(resolvedType) {
              if (checkTruncationLength(context)) {
                return [factory.createPropertySignature(
                  /*modifiers*/
                  void 0,
                  "...",
                  /*questionToken*/
                  void 0,
                  /*type*/
                  void 0
                )];
              }
              const typeElements = [];
              for (const signature of resolvedType.callSignatures) {
                typeElements.push(signatureToSignatureDeclarationHelper(signature, 179, context));
              }
              for (const signature of resolvedType.constructSignatures) {
                if (signature.flags & 4) continue;
                typeElements.push(signatureToSignatureDeclarationHelper(signature, 180, context));
              }
              for (const info of resolvedType.indexInfos) {
                typeElements.push(indexInfoToIndexSignatureDeclarationHelper(info, context, resolvedType.objectFlags & 1024 ? createElidedInformationPlaceholder(context) : void 0));
              }
              const properties = resolvedType.properties;
              if (!properties) {
                return typeElements;
              }
              let i = 0;
              for (const propertySymbol of properties) {
                i++;
                if (context.flags & 2048) {
                  if (propertySymbol.flags & 4194304) {
                    continue;
                  }
                  if (getDeclarationModifierFlagsFromSymbol(propertySymbol) & (2 | 4) && context.tracker.reportPrivateInBaseOfClassExpression) {
                    context.tracker.reportPrivateInBaseOfClassExpression(unescapeLeadingUnderscores(propertySymbol.escapedName));
                  }
                }
                if (checkTruncationLength(context) && i + 2 < properties.length - 1) {
                  typeElements.push(factory.createPropertySignature(
                    /*modifiers*/
                    void 0,
                    `... ${properties.length - i} more ...`,
                    /*questionToken*/
                    void 0,
                    /*type*/
                    void 0
                  ));
                  addPropertyToElementList(properties[properties.length - 1], context, typeElements);
                  break;
                }
                addPropertyToElementList(propertySymbol, context, typeElements);
              }
              return typeElements.length ? typeElements : void 0;
            }
          }
          function createElidedInformationPlaceholder(context) {
            context.approximateLength += 3;
            if (!(context.flags & 1)) {
              return factory.createTypeReferenceNode(
                factory.createIdentifier("..."),
                /*typeArguments*/
                void 0
              );
            }
            return factory.createKeywordTypeNode(
              133
              /* AnyKeyword */
            );
          }
          function shouldUsePlaceholderForProperty(propertySymbol, context) {
            var _a;
            const depth2 = 3;
            return !!(getCheckFlags(propertySymbol) & 8192) && (contains(context.reverseMappedStack, propertySymbol) || ((_a = context.reverseMappedStack) == null ? void 0 : _a[0]) && !(getObjectFlags(last(context.reverseMappedStack).links.propertyType) & 16) || isDeeplyNestedReverseMappedTypeProperty());
            function isDeeplyNestedReverseMappedTypeProperty() {
              var _a2;
              if ((((_a2 = context.reverseMappedStack) == null ? void 0 : _a2.length) ?? 0) < depth2) {
                return false;
              }
              for (let i = 0; i < depth2; i++) {
                const prop = context.reverseMappedStack[context.reverseMappedStack.length - 1 - i];
                if (prop.links.mappedType.symbol !== propertySymbol.links.mappedType.symbol) {
                  return false;
                }
              }
              return true;
            }
          }
          function addPropertyToElementList(propertySymbol, context, typeElements) {
            var _a;
            const propertyIsReverseMapped = !!(getCheckFlags(propertySymbol) & 8192);
            const propertyType = shouldUsePlaceholderForProperty(propertySymbol, context) ? anyType2 : getNonMissingTypeOfSymbol(propertySymbol);
            const saveEnclosingDeclaration = context.enclosingDeclaration;
            context.enclosingDeclaration = void 0;
            if (context.tracker.canTrackSymbol && isLateBoundName(propertySymbol.escapedName)) {
              if (propertySymbol.declarations) {
                const decl = first(propertySymbol.declarations);
                if (hasLateBindableName(decl)) {
                  if (isBinaryExpression(decl)) {
                    const name = getNameOfDeclaration(decl);
                    if (name && isElementAccessExpression(name) && isPropertyAccessEntityNameExpression(name.argumentExpression)) {
                      trackComputedName(name.argumentExpression, saveEnclosingDeclaration, context);
                    }
                  } else {
                    trackComputedName(decl.name.expression, saveEnclosingDeclaration, context);
                  }
                }
              } else {
                context.tracker.reportNonSerializableProperty(symbolToString2(propertySymbol));
              }
            }
            context.enclosingDeclaration = propertySymbol.valueDeclaration || ((_a = propertySymbol.declarations) == null ? void 0 : _a[0]) || saveEnclosingDeclaration;
            const propertyName = getPropertyNameNodeForSymbol(propertySymbol, context);
            context.enclosingDeclaration = saveEnclosingDeclaration;
            context.approximateLength += symbolName(propertySymbol).length + 1;
            if (propertySymbol.flags & 98304) {
              const writeType = getWriteTypeOfSymbol(propertySymbol);
              if (propertyType !== writeType && !isErrorType(propertyType) && !isErrorType(writeType)) {
                const getterDeclaration = getDeclarationOfKind(
                  propertySymbol,
                  177
                  /* GetAccessor */
                );
                const getterSignature = getSignatureFromDeclaration(getterDeclaration);
                typeElements.push(
                  setCommentRange2(
                    context,
                    signatureToSignatureDeclarationHelper(getterSignature, 177, context, { name: propertyName }),
                    getterDeclaration
                  )
                );
                const setterDeclaration = getDeclarationOfKind(
                  propertySymbol,
                  178
                  /* SetAccessor */
                );
                const setterSignature = getSignatureFromDeclaration(setterDeclaration);
                typeElements.push(
                  setCommentRange2(
                    context,
                    signatureToSignatureDeclarationHelper(setterSignature, 178, context, { name: propertyName }),
                    setterDeclaration
                  )
                );
                return;
              }
            }
            const optionalToken = propertySymbol.flags & 16777216 ? factory.createToken(
              58
              /* QuestionToken */
            ) : void 0;
            if (propertySymbol.flags & (16 | 8192) && !getPropertiesOfObjectType(propertyType).length && !isReadonlySymbol(propertySymbol)) {
              const signatures = getSignaturesOfType(
                filterType(propertyType, (t) => !(t.flags & 32768)),
                0
                /* Call */
              );
              for (const signature of signatures) {
                const methodDeclaration = signatureToSignatureDeclarationHelper(signature, 173, context, { name: propertyName, questionToken: optionalToken });
                typeElements.push(preserveCommentsOn(methodDeclaration));
              }
              if (signatures.length || !optionalToken) {
                return;
              }
            }
            let propertyTypeNode;
            if (shouldUsePlaceholderForProperty(propertySymbol, context)) {
              propertyTypeNode = createElidedInformationPlaceholder(context);
            } else {
              if (propertyIsReverseMapped) {
                context.reverseMappedStack || (context.reverseMappedStack = []);
                context.reverseMappedStack.push(propertySymbol);
              }
              propertyTypeNode = propertyType ? serializeTypeForDeclaration(
                context,
                /*declaration*/
                void 0,
                propertyType,
                propertySymbol
              ) : factory.createKeywordTypeNode(
                133
                /* AnyKeyword */
              );
              if (propertyIsReverseMapped) {
                context.reverseMappedStack.pop();
              }
            }
            const modifiers = isReadonlySymbol(propertySymbol) ? [factory.createToken(
              148
              /* ReadonlyKeyword */
            )] : void 0;
            if (modifiers) {
              context.approximateLength += 9;
            }
            const propertySignature = factory.createPropertySignature(
              modifiers,
              propertyName,
              optionalToken,
              propertyTypeNode
            );
            typeElements.push(preserveCommentsOn(propertySignature));
            function preserveCommentsOn(node) {
              var _a2;
              const jsdocPropertyTag = (_a2 = propertySymbol.declarations) == null ? void 0 : _a2.find(
                (d) => d.kind === 348
                /* JSDocPropertyTag */
              );
              if (jsdocPropertyTag) {
                const commentText = getTextOfJSDocComment(jsdocPropertyTag.comment);
                if (commentText) {
                  setSyntheticLeadingComments(node, [{ kind: 3, text: "*\n * " + commentText.replace(/\n/g, "\n * ") + "\n ", pos: -1, end: -1, hasTrailingNewLine: true }]);
                }
              } else if (propertySymbol.valueDeclaration) {
                setCommentRange2(context, node, propertySymbol.valueDeclaration);
              }
              return node;
            }
          }
          function setCommentRange2(context, node, range) {
            if (context.enclosingFile && context.enclosingFile === getSourceFileOfNode(range)) {
              return setCommentRange(node, range);
            }
            return node;
          }
          function mapToTypeNodes(types, context, isBareList) {
            if (some(types)) {
              if (checkTruncationLength(context)) {
                if (!isBareList) {
                  return [factory.createTypeReferenceNode(
                    "...",
                    /*typeArguments*/
                    void 0
                  )];
                } else if (types.length > 2) {
                  return [
                    typeToTypeNodeHelper(types[0], context),
                    factory.createTypeReferenceNode(
                      `... ${types.length - 2} more ...`,
                      /*typeArguments*/
                      void 0
                    ),
                    typeToTypeNodeHelper(types[types.length - 1], context)
                  ];
                }
              }
              const mayHaveNameCollisions = !(context.flags & 64);
              const seenNames = mayHaveNameCollisions ? createMultiMap() : void 0;
              const result = [];
              let i = 0;
              for (const type of types) {
                i++;
                if (checkTruncationLength(context) && i + 2 < types.length - 1) {
                  result.push(factory.createTypeReferenceNode(
                    `... ${types.length - i} more ...`,
                    /*typeArguments*/
                    void 0
                  ));
                  const typeNode2 = typeToTypeNodeHelper(types[types.length - 1], context);
                  if (typeNode2) {
                    result.push(typeNode2);
                  }
                  break;
                }
                context.approximateLength += 2;
                const typeNode = typeToTypeNodeHelper(type, context);
                if (typeNode) {
                  result.push(typeNode);
                  if (seenNames && isIdentifierTypeReference(typeNode)) {
                    seenNames.add(typeNode.typeName.escapedText, [type, result.length - 1]);
                  }
                }
              }
              if (seenNames) {
                const saveContextFlags = context.flags;
                context.flags |= 64;
                seenNames.forEach((types2) => {
                  if (!arrayIsHomogeneous(types2, ([a], [b]) => typesAreSameReference(a, b))) {
                    for (const [type, resultIndex] of types2) {
                      result[resultIndex] = typeToTypeNodeHelper(type, context);
                    }
                  }
                });
                context.flags = saveContextFlags;
              }
              return result;
            }
          }
          function typesAreSameReference(a, b) {
            return a === b || !!a.symbol && a.symbol === b.symbol || !!a.aliasSymbol && a.aliasSymbol === b.aliasSymbol;
          }
          function indexInfoToIndexSignatureDeclarationHelper(indexInfo, context, typeNode) {
            const name = getNameFromIndexInfo(indexInfo) || "x";
            const indexerTypeNode = typeToTypeNodeHelper(indexInfo.keyType, context);
            const indexingParameter = factory.createParameterDeclaration(
              /*modifiers*/
              void 0,
              /*dotDotDotToken*/
              void 0,
              name,
              /*questionToken*/
              void 0,
              indexerTypeNode,
              /*initializer*/
              void 0
            );
            if (!typeNode) {
              typeNode = typeToTypeNodeHelper(indexInfo.type || anyType2, context);
            }
            if (!indexInfo.type && !(context.flags & 2097152)) {
              context.encounteredError = true;
            }
            context.approximateLength += name.length + 4;
            return factory.createIndexSignature(
              indexInfo.isReadonly ? [factory.createToken(
                148
                /* ReadonlyKeyword */
              )] : void 0,
              [indexingParameter],
              typeNode
            );
          }
          function signatureToSignatureDeclarationHelper(signature, kind, context, options) {
            var _a;
            let typeParameters;
            let typeArguments;
            const expandedParams = getExpandedParameters(
              signature,
              /*skipUnionExpanding*/
              true
            )[0];
            const cleanup = enterNewScope(context, signature.declaration, expandedParams, signature.typeParameters, signature.parameters, signature.mapper);
            context.approximateLength += 3;
            if (context.flags & 32 && signature.target && signature.mapper && signature.target.typeParameters) {
              typeArguments = signature.target.typeParameters.map((parameter) => typeToTypeNodeHelper(instantiateType(parameter, signature.mapper), context));
            } else {
              typeParameters = signature.typeParameters && signature.typeParameters.map((parameter) => typeParameterToDeclaration(parameter, context));
            }
            const flags = context.flags;
            context.flags &= ~256;
            const parameters = (some(expandedParams, (p) => p !== expandedParams[expandedParams.length - 1] && !!(getCheckFlags(p) & 32768)) ? signature.parameters : expandedParams).map((parameter) => symbolToParameterDeclaration(
              parameter,
              context,
              kind === 176
              /* Constructor */
            ));
            const thisParameter = context.flags & 33554432 ? void 0 : tryGetThisParameterDeclaration(signature, context);
            if (thisParameter) {
              parameters.unshift(thisParameter);
            }
            context.flags = flags;
            const returnTypeNode = serializeReturnTypeForSignature(context, signature);
            let modifiers = options == null ? void 0 : options.modifiers;
            if (kind === 185 && signature.flags & 4) {
              const flags2 = modifiersToFlags(modifiers);
              modifiers = factory.createModifiersFromModifierFlags(
                flags2 | 64
                /* Abstract */
              );
            }
            const node = kind === 179 ? factory.createCallSignature(typeParameters, parameters, returnTypeNode) : kind === 180 ? factory.createConstructSignature(typeParameters, parameters, returnTypeNode) : kind === 173 ? factory.createMethodSignature(modifiers, (options == null ? void 0 : options.name) ?? factory.createIdentifier(""), options == null ? void 0 : options.questionToken, typeParameters, parameters, returnTypeNode) : kind === 174 ? factory.createMethodDeclaration(
              modifiers,
              /*asteriskToken*/
              void 0,
              (options == null ? void 0 : options.name) ?? factory.createIdentifier(""),
              /*questionToken*/
              void 0,
              typeParameters,
              parameters,
              returnTypeNode,
              /*body*/
              void 0
            ) : kind === 176 ? factory.createConstructorDeclaration(
              modifiers,
              parameters,
              /*body*/
              void 0
            ) : kind === 177 ? factory.createGetAccessorDeclaration(
              modifiers,
              (options == null ? void 0 : options.name) ?? factory.createIdentifier(""),
              parameters,
              returnTypeNode,
              /*body*/
              void 0
            ) : kind === 178 ? factory.createSetAccessorDeclaration(
              modifiers,
              (options == null ? void 0 : options.name) ?? factory.createIdentifier(""),
              parameters,
              /*body*/
              void 0
            ) : kind === 181 ? factory.createIndexSignature(modifiers, parameters, returnTypeNode) : kind === 317 ? factory.createJSDocFunctionType(parameters, returnTypeNode) : kind === 184 ? factory.createFunctionTypeNode(typeParameters, parameters, returnTypeNode ?? factory.createTypeReferenceNode(factory.createIdentifier(""))) : kind === 185 ? factory.createConstructorTypeNode(modifiers, typeParameters, parameters, returnTypeNode ?? factory.createTypeReferenceNode(factory.createIdentifier(""))) : kind === 262 ? factory.createFunctionDeclaration(
              modifiers,
              /*asteriskToken*/
              void 0,
              (options == null ? void 0 : options.name) ? cast(options.name, isIdentifier) : factory.createIdentifier(""),
              typeParameters,
              parameters,
              returnTypeNode,
              /*body*/
              void 0
            ) : kind === 218 ? factory.createFunctionExpression(
              modifiers,
              /*asteriskToken*/
              void 0,
              (options == null ? void 0 : options.name) ? cast(options.name, isIdentifier) : factory.createIdentifier(""),
              typeParameters,
              parameters,
              returnTypeNode,
              factory.createBlock([])
            ) : kind === 219 ? factory.createArrowFunction(
              modifiers,
              typeParameters,
              parameters,
              returnTypeNode,
              /*equalsGreaterThanToken*/
              void 0,
              factory.createBlock([])
            ) : Debug.assertNever(kind);
            if (typeArguments) {
              node.typeArguments = factory.createNodeArray(typeArguments);
            }
            if (((_a = signature.declaration) == null ? void 0 : _a.kind) === 323 && signature.declaration.parent.kind === 339) {
              const comment = getTextOfNode(
                signature.declaration.parent.parent,
                /*includeTrivia*/
                true
              ).slice(2, -2).split(/\r\n|\n|\r/).map((line) => line.replace(/^\s+/, " ")).join("\n");
              addSyntheticLeadingComment(
                node,
                3,
                comment,
                /*hasTrailingNewLine*/
                true
              );
            }
            cleanup == null ? void 0 : cleanup();
            return node;
          }
          function isNewScopeNode(node) {
            return isFunctionLike(node) || isJSDocSignature(node) || isMappedTypeNode(node);
          }
          function getTypeParametersInScope(node) {
            return isFunctionLike(node) || isJSDocSignature(node) ? getSignatureFromDeclaration(node).typeParameters : isConditionalTypeNode(node) ? getInferTypeParameters(node) : [getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(node.typeParameter))];
          }
          function getParametersInScope(node) {
            return isFunctionLike(node) || isJSDocSignature(node) ? getSignatureFromDeclaration(node).parameters : void 0;
          }
          function enterNewScope(context, declaration, expandedParams, typeParameters, originalParameters, mapper) {
            const cleanupContext = cloneNodeBuilderContext(context);
            let cleanupParams;
            let cleanupTypeParams;
            const oldEnclosingDecl = context.enclosingDeclaration;
            const oldMapper = context.mapper;
            if (mapper) {
              context.mapper = mapper;
            }
            if (context.enclosingDeclaration && declaration) {
              let pushFakeScope2 = function(kind, addAll) {
                Debug.assert(context.enclosingDeclaration);
                let existingFakeScope;
                if (getNodeLinks(context.enclosingDeclaration).fakeScopeForSignatureDeclaration === kind) {
                  existingFakeScope = context.enclosingDeclaration;
                } else if (context.enclosingDeclaration.parent && getNodeLinks(context.enclosingDeclaration.parent).fakeScopeForSignatureDeclaration === kind) {
                  existingFakeScope = context.enclosingDeclaration.parent;
                }
                Debug.assertOptionalNode(existingFakeScope, isBlock);
                const locals = (existingFakeScope == null ? void 0 : existingFakeScope.locals) ?? createSymbolTable();
                let newLocals;
                let oldLocals;
                addAll((name, symbol) => {
                  if (existingFakeScope) {
                    const oldSymbol = locals.get(name);
                    if (!oldSymbol) {
                      newLocals = append(newLocals, name);
                    } else {
                      oldLocals = append(oldLocals, { name, oldSymbol });
                    }
                  }
                  locals.set(name, symbol);
                });
                if (!existingFakeScope) {
                  const fakeScope = factory.createBlock(emptyArray);
                  getNodeLinks(fakeScope).fakeScopeForSignatureDeclaration = kind;
                  fakeScope.locals = locals;
                  setParent(fakeScope, context.enclosingDeclaration);
                  context.enclosingDeclaration = fakeScope;
                } else {
                  return function undo() {
                    forEach(newLocals, (s) => locals.delete(s));
                    forEach(oldLocals, (s) => locals.set(s.name, s.oldSymbol));
                  };
                }
              };
              var pushFakeScope = pushFakeScope2;
              cleanupParams = !some(expandedParams) ? void 0 : pushFakeScope2(
                "params",
                (add) => {
                  if (!expandedParams) return;
                  for (let pIndex = 0; pIndex < expandedParams.length; pIndex++) {
                    const param = expandedParams[pIndex];
                    const originalParam = originalParameters == null ? void 0 : originalParameters[pIndex];
                    if (originalParameters && originalParam !== param) {
                      add(param.escapedName, unknownSymbol);
                      if (originalParam) {
                        add(originalParam.escapedName, unknownSymbol);
                      }
                    } else if (!forEach(param.declarations, (d) => {
                      if (isParameter(d) && isBindingPattern(d.name)) {
                        bindPattern(d.name);
                        return true;
                      }
                      return void 0;
                      function bindPattern(p) {
                        forEach(p.elements, (e) => {
                          switch (e.kind) {
                            case 232:
                              return;
                            case 208:
                              return bindElement(e);
                            default:
                              return Debug.assertNever(e);
                          }
                        });
                      }
                      function bindElement(e) {
                        if (isBindingPattern(e.name)) {
                          return bindPattern(e.name);
                        }
                        const symbol = getSymbolOfDeclaration(e);
                        add(symbol.escapedName, symbol);
                      }
                    })) {
                      add(param.escapedName, param);
                    }
                  }
                }
              );
              if (context.flags & 4 && some(typeParameters)) {
                cleanupTypeParams = pushFakeScope2(
                  "typeParams",
                  (add) => {
                    for (const typeParam of typeParameters ?? emptyArray) {
                      const typeParamName = typeParameterToName(typeParam, context).escapedText;
                      add(typeParamName, typeParam.symbol);
                    }
                  }
                );
              }
            }
            return () => {
              cleanupParams == null ? void 0 : cleanupParams();
              cleanupTypeParams == null ? void 0 : cleanupTypeParams();
              cleanupContext();
              context.enclosingDeclaration = oldEnclosingDecl;
              context.mapper = oldMapper;
            };
          }
          function tryGetThisParameterDeclaration(signature, context) {
            if (signature.thisParameter) {
              return symbolToParameterDeclaration(signature.thisParameter, context);
            }
            if (signature.declaration && isInJSFile(signature.declaration)) {
              const thisTag = getJSDocThisTag(signature.declaration);
              if (thisTag && thisTag.typeExpression) {
                return factory.createParameterDeclaration(
                  /*modifiers*/
                  void 0,
                  /*dotDotDotToken*/
                  void 0,
                  "this",
                  /*questionToken*/
                  void 0,
                  typeToTypeNodeHelper(getTypeFromTypeNode2(context, thisTag.typeExpression), context)
                );
              }
            }
          }
          function typeParameterToDeclarationWithConstraint(type, context, constraintNode) {
            const savedContextFlags = context.flags;
            context.flags &= ~512;
            const modifiers = factory.createModifiersFromModifierFlags(getTypeParameterModifiers(type));
            const name = typeParameterToName(type, context);
            const defaultParameter = getDefaultFromTypeParameter(type);
            const defaultParameterNode = defaultParameter && typeToTypeNodeHelper(defaultParameter, context);
            context.flags = savedContextFlags;
            return factory.createTypeParameterDeclaration(modifiers, name, constraintNode, defaultParameterNode);
          }
          function typeToTypeNodeHelperWithPossibleReusableTypeNode(type, typeNode, context) {
            return typeNode && tryReuseExistingNonParameterTypeNode(context, typeNode, type) || typeToTypeNodeHelper(type, context);
          }
          function typeParameterToDeclaration(type, context, constraint = getConstraintOfTypeParameter(type)) {
            const constraintNode = constraint && typeToTypeNodeHelperWithPossibleReusableTypeNode(constraint, getConstraintDeclaration(type), context);
            return typeParameterToDeclarationWithConstraint(type, context, constraintNode);
          }
          function typePredicateToTypePredicateNodeHelper(typePredicate, context) {
            const assertsModifier = typePredicate.kind === 2 || typePredicate.kind === 3 ? factory.createToken(
              131
              /* AssertsKeyword */
            ) : void 0;
            const parameterName = typePredicate.kind === 1 || typePredicate.kind === 3 ? setEmitFlags(
              factory.createIdentifier(typePredicate.parameterName),
              16777216
              /* NoAsciiEscaping */
            ) : factory.createThisTypeNode();
            const typeNode = typePredicate.type && typeToTypeNodeHelper(typePredicate.type, context);
            return factory.createTypePredicateNode(assertsModifier, parameterName, typeNode);
          }
          function getEffectiveParameterDeclaration(parameterSymbol) {
            const parameterDeclaration = getDeclarationOfKind(
              parameterSymbol,
              169
              /* Parameter */
            );
            if (parameterDeclaration) {
              return parameterDeclaration;
            }
            if (!isTransientSymbol(parameterSymbol)) {
              return getDeclarationOfKind(
                parameterSymbol,
                341
                /* JSDocParameterTag */
              );
            }
          }
          function symbolToParameterDeclaration(parameterSymbol, context, preserveModifierFlags) {
            const parameterDeclaration = getEffectiveParameterDeclaration(parameterSymbol);
            const parameterType = getTypeOfSymbol(parameterSymbol);
            const parameterTypeNode = serializeTypeForDeclaration(context, parameterDeclaration, parameterType, parameterSymbol);
            const modifiers = !(context.flags & 8192) && preserveModifierFlags && parameterDeclaration && canHaveModifiers(parameterDeclaration) ? map(getModifiers(parameterDeclaration), factory.cloneNode) : void 0;
            const isRest = parameterDeclaration && isRestParameter(parameterDeclaration) || getCheckFlags(parameterSymbol) & 32768;
            const dotDotDotToken = isRest ? factory.createToken(
              26
              /* DotDotDotToken */
            ) : void 0;
            const name = parameterToParameterDeclarationName(parameterSymbol, parameterDeclaration, context);
            const isOptional = parameterDeclaration && isOptionalParameter(parameterDeclaration) || getCheckFlags(parameterSymbol) & 16384;
            const questionToken = isOptional ? factory.createToken(
              58
              /* QuestionToken */
            ) : void 0;
            const parameterNode = factory.createParameterDeclaration(
              modifiers,
              dotDotDotToken,
              name,
              questionToken,
              parameterTypeNode,
              /*initializer*/
              void 0
            );
            context.approximateLength += symbolName(parameterSymbol).length + 3;
            return parameterNode;
          }
          function parameterToParameterDeclarationName(parameterSymbol, parameterDeclaration, context) {
            return parameterDeclaration ? parameterDeclaration.name ? parameterDeclaration.name.kind === 80 ? setEmitFlags(
              factory.cloneNode(parameterDeclaration.name),
              16777216
              /* NoAsciiEscaping */
            ) : parameterDeclaration.name.kind === 166 ? setEmitFlags(
              factory.cloneNode(parameterDeclaration.name.right),
              16777216
              /* NoAsciiEscaping */
            ) : cloneBindingName(parameterDeclaration.name) : symbolName(parameterSymbol) : symbolName(parameterSymbol);
            function cloneBindingName(node) {
              return elideInitializerAndSetEmitFlags(node);
              function elideInitializerAndSetEmitFlags(node2) {
                if (context.tracker.canTrackSymbol && isComputedPropertyName(node2) && isLateBindableName(node2)) {
                  trackComputedName(node2.expression, context.enclosingDeclaration, context);
                }
                let visited = visitEachChild(
                  node2,
                  elideInitializerAndSetEmitFlags,
                  /*context*/
                  void 0,
                  /*nodesVisitor*/
                  void 0,
                  elideInitializerAndSetEmitFlags
                );
                if (isBindingElement(visited)) {
                  visited = factory.updateBindingElement(
                    visited,
                    visited.dotDotDotToken,
                    visited.propertyName,
                    visited.name,
                    /*initializer*/
                    void 0
                  );
                }
                if (!nodeIsSynthesized(visited)) {
                  visited = factory.cloneNode(visited);
                }
                return setEmitFlags(
                  visited,
                  1 | 16777216
                  /* NoAsciiEscaping */
                );
              }
            }
          }
          function trackComputedName(accessExpression, enclosingDeclaration, context) {
            if (!context.tracker.canTrackSymbol) return;
            const firstIdentifier = getFirstIdentifier(accessExpression);
            const name = resolveName(
              firstIdentifier,
              firstIdentifier.escapedText,
              111551 | 1048576,
              /*nameNotFoundMessage*/
              void 0,
              /*isUse*/
              true
            );
            if (name) {
              context.tracker.trackSymbol(
                name,
                enclosingDeclaration,
                111551
                /* Value */
              );
            }
          }
          function lookupSymbolChain(symbol, context, meaning, yieldModuleSymbol) {
            context.tracker.trackSymbol(symbol, context.enclosingDeclaration, meaning);
            return lookupSymbolChainWorker(symbol, context, meaning, yieldModuleSymbol);
          }
          function lookupSymbolChainWorker(symbol, context, meaning, yieldModuleSymbol) {
            let chain;
            const isTypeParameter = symbol.flags & 262144;
            if (!isTypeParameter && (context.enclosingDeclaration || context.flags & 64) && !(context.flags & 134217728)) {
              chain = Debug.checkDefined(getSymbolChain(
                symbol,
                meaning,
                /*endOfChain*/
                true
              ));
              Debug.assert(chain && chain.length > 0);
            } else {
              chain = [symbol];
            }
            return chain;
            function getSymbolChain(symbol2, meaning2, endOfChain) {
              let accessibleSymbolChain = getAccessibleSymbolChain(symbol2, context.enclosingDeclaration, meaning2, !!(context.flags & 128));
              let parentSpecifiers;
              if (!accessibleSymbolChain || needsQualification(accessibleSymbolChain[0], context.enclosingDeclaration, accessibleSymbolChain.length === 1 ? meaning2 : getQualifiedLeftMeaning(meaning2))) {
                const parents = getContainersOfSymbol(accessibleSymbolChain ? accessibleSymbolChain[0] : symbol2, context.enclosingDeclaration, meaning2);
                if (length(parents)) {
                  parentSpecifiers = parents.map(
                    (symbol3) => some(symbol3.declarations, hasNonGlobalAugmentationExternalModuleSymbol) ? getSpecifierForModuleSymbol(symbol3, context) : void 0
                  );
                  const indices = parents.map((_, i) => i);
                  indices.sort(sortByBestName);
                  const sortedParents = indices.map((i) => parents[i]);
                  for (const parent2 of sortedParents) {
                    const parentChain = getSymbolChain(
                      parent2,
                      getQualifiedLeftMeaning(meaning2),
                      /*endOfChain*/
                      false
                    );
                    if (parentChain) {
                      if (parent2.exports && parent2.exports.get(
                        "export="
                        /* ExportEquals */
                      ) && getSymbolIfSameReference(parent2.exports.get(
                        "export="
                        /* ExportEquals */
                      ), symbol2)) {
                        accessibleSymbolChain = parentChain;
                        break;
                      }
                      accessibleSymbolChain = parentChain.concat(accessibleSymbolChain || [getAliasForSymbolInContainer(parent2, symbol2) || symbol2]);
                      break;
                    }
                  }
                }
              }
              if (accessibleSymbolChain) {
                return accessibleSymbolChain;
              }
              if (
                // If this is the last part of outputting the symbol, always output. The cases apply only to parent symbols.
                endOfChain || // If a parent symbol is an anonymous type, don't write it.
                !(symbol2.flags & (2048 | 4096))
              ) {
                if (!endOfChain && !yieldModuleSymbol && !!forEach(symbol2.declarations, hasNonGlobalAugmentationExternalModuleSymbol)) {
                  return;
                }
                return [symbol2];
              }
              function sortByBestName(a, b) {
                const specifierA = parentSpecifiers[a];
                const specifierB = parentSpecifiers[b];
                if (specifierA && specifierB) {
                  const isBRelative = pathIsRelative(specifierB);
                  if (pathIsRelative(specifierA) === isBRelative) {
                    return countPathComponents(specifierA) - countPathComponents(specifierB);
                  }
                  if (isBRelative) {
                    return -1;
                  }
                  return 1;
                }
                return 0;
              }
            }
          }
          function typeParametersToTypeParameterDeclarations(symbol, context) {
            let typeParameterNodes;
            const targetSymbol = getTargetSymbol(symbol);
            if (targetSymbol.flags & (32 | 64 | 524288)) {
              typeParameterNodes = factory.createNodeArray(map(getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol), (tp) => typeParameterToDeclaration(tp, context)));
            }
            return typeParameterNodes;
          }
          function lookupTypeParameterNodes(chain, index, context) {
            var _a;
            Debug.assert(chain && 0 <= index && index < chain.length);
            const symbol = chain[index];
            const symbolId = getSymbolId(symbol);
            if ((_a = context.typeParameterSymbolList) == null ? void 0 : _a.has(symbolId)) {
              return void 0;
            }
            if (context.mustCreateTypeParameterSymbolList) {
              context.mustCreateTypeParameterSymbolList = false;
              context.typeParameterSymbolList = new Set(context.typeParameterSymbolList);
            }
            context.typeParameterSymbolList.add(symbolId);
            let typeParameterNodes;
            if (context.flags & 512 && index < chain.length - 1) {
              const parentSymbol = symbol;
              const nextSymbol = chain[index + 1];
              if (getCheckFlags(nextSymbol) & 1) {
                const params = getTypeParametersOfClassOrInterface(
                  parentSymbol.flags & 2097152 ? resolveAlias(parentSymbol) : parentSymbol
                );
                typeParameterNodes = mapToTypeNodes(map(params, (t) => getMappedType(t, nextSymbol.links.mapper)), context);
              } else {
                typeParameterNodes = typeParametersToTypeParameterDeclarations(symbol, context);
              }
            }
            return typeParameterNodes;
          }
          function getTopmostIndexedAccessType(top) {
            if (isIndexedAccessTypeNode(top.objectType)) {
              return getTopmostIndexedAccessType(top.objectType);
            }
            return top;
          }
          function getSpecifierForModuleSymbol(symbol, context, overrideImportMode) {
            let file = getDeclarationOfKind(
              symbol,
              307
              /* SourceFile */
            );
            if (!file) {
              const equivalentFileSymbol = firstDefined(symbol.declarations, (d) => getFileSymbolIfFileSymbolExportEqualsContainer(d, symbol));
              if (equivalentFileSymbol) {
                file = getDeclarationOfKind(
                  equivalentFileSymbol,
                  307
                  /* SourceFile */
                );
              }
            }
            if (file && file.moduleName !== void 0) {
              return file.moduleName;
            }
            if (!file) {
              if (ambientModuleSymbolRegex.test(symbol.escapedName)) {
                return symbol.escapedName.substring(1, symbol.escapedName.length - 1);
              }
            }
            if (!context.enclosingFile || !context.tracker.moduleResolverHost) {
              if (ambientModuleSymbolRegex.test(symbol.escapedName)) {
                return symbol.escapedName.substring(1, symbol.escapedName.length - 1);
              }
              return getSourceFileOfNode(getNonAugmentationDeclaration(symbol)).fileName;
            }
            const contextFile = context.enclosingFile;
            const resolutionMode = overrideImportMode || (contextFile == null ? void 0 : contextFile.impliedNodeFormat);
            const cacheKey = createModeAwareCacheKey(contextFile.path, resolutionMode);
            const links = getSymbolLinks(symbol);
            let specifier = links.specifierCache && links.specifierCache.get(cacheKey);
            if (!specifier) {
              const isBundle2 = !!compilerOptions.outFile;
              const { moduleResolverHost } = context.tracker;
              const specifierCompilerOptions = isBundle2 ? { ...compilerOptions, baseUrl: moduleResolverHost.getCommonSourceDirectory() } : compilerOptions;
              specifier = first(getModuleSpecifiers(
                symbol,
                checker,
                specifierCompilerOptions,
                contextFile,
                moduleResolverHost,
                {
                  importModuleSpecifierPreference: isBundle2 ? "non-relative" : "project-relative",
                  importModuleSpecifierEnding: isBundle2 ? "minimal" : resolutionMode === 99 ? "js" : void 0
                },
                { overrideImportMode }
              ));
              links.specifierCache ?? (links.specifierCache = /* @__PURE__ */ new Map());
              links.specifierCache.set(cacheKey, specifier);
            }
            return specifier;
          }
          function symbolToEntityNameNode(symbol) {
            const identifier = factory.createIdentifier(unescapeLeadingUnderscores(symbol.escapedName));
            return symbol.parent ? factory.createQualifiedName(symbolToEntityNameNode(symbol.parent), identifier) : identifier;
          }
          function symbolToTypeNode(symbol, context, meaning, overrideTypeArguments) {
            const chain = lookupSymbolChain(symbol, context, meaning, !(context.flags & 16384));
            const isTypeOf = meaning === 111551;
            if (some(chain[0].declarations, hasNonGlobalAugmentationExternalModuleSymbol)) {
              const nonRootParts = chain.length > 1 ? createAccessFromSymbolChain(chain, chain.length - 1, 1) : void 0;
              const typeParameterNodes = overrideTypeArguments || lookupTypeParameterNodes(chain, 0, context);
              const contextFile = getSourceFileOfNode(getOriginalNode(context.enclosingDeclaration));
              const targetFile = getSourceFileOfModule(chain[0]);
              let specifier;
              let attributes;
              if (getEmitModuleResolutionKind(compilerOptions) === 3 || getEmitModuleResolutionKind(compilerOptions) === 99) {
                if ((targetFile == null ? void 0 : targetFile.impliedNodeFormat) === 99 && targetFile.impliedNodeFormat !== (contextFile == null ? void 0 : contextFile.impliedNodeFormat)) {
                  specifier = getSpecifierForModuleSymbol(
                    chain[0],
                    context,
                    99
                    /* ESNext */
                  );
                  attributes = factory.createImportAttributes(
                    factory.createNodeArray([
                      factory.createImportAttribute(
                        factory.createStringLiteral("resolution-mode"),
                        factory.createStringLiteral("import")
                      )
                    ])
                  );
                }
              }
              if (!specifier) {
                specifier = getSpecifierForModuleSymbol(chain[0], context);
              }
              if (!(context.flags & 67108864) && getEmitModuleResolutionKind(compilerOptions) !== 1 && specifier.includes("/node_modules/")) {
                const oldSpecifier = specifier;
                if (getEmitModuleResolutionKind(compilerOptions) === 3 || getEmitModuleResolutionKind(compilerOptions) === 99) {
                  const swappedMode = (contextFile == null ? void 0 : contextFile.impliedNodeFormat) === 99 ? 1 : 99;
                  specifier = getSpecifierForModuleSymbol(chain[0], context, swappedMode);
                  if (specifier.includes("/node_modules/")) {
                    specifier = oldSpecifier;
                  } else {
                    attributes = factory.createImportAttributes(
                      factory.createNodeArray([
                        factory.createImportAttribute(
                          factory.createStringLiteral("resolution-mode"),
                          factory.createStringLiteral(swappedMode === 99 ? "import" : "require")
                        )
                      ])
                    );
                  }
                }
                if (!attributes) {
                  context.encounteredError = true;
                  if (context.tracker.reportLikelyUnsafeImportRequiredError) {
                    context.tracker.reportLikelyUnsafeImportRequiredError(oldSpecifier);
                  }
                }
              }
              const lit = factory.createLiteralTypeNode(factory.createStringLiteral(specifier));
              context.approximateLength += specifier.length + 10;
              if (!nonRootParts || isEntityName(nonRootParts)) {
                if (nonRootParts) {
                  const lastId = isIdentifier(nonRootParts) ? nonRootParts : nonRootParts.right;
                  setIdentifierTypeArguments(
                    lastId,
                    /*typeArguments*/
                    void 0
                  );
                }
                return factory.createImportTypeNode(lit, attributes, nonRootParts, typeParameterNodes, isTypeOf);
              } else {
                const splitNode = getTopmostIndexedAccessType(nonRootParts);
                const qualifier = splitNode.objectType.typeName;
                return factory.createIndexedAccessTypeNode(factory.createImportTypeNode(lit, attributes, qualifier, typeParameterNodes, isTypeOf), splitNode.indexType);
              }
            }
            const entityName = createAccessFromSymbolChain(chain, chain.length - 1, 0);
            if (isIndexedAccessTypeNode(entityName)) {
              return entityName;
            }
            if (isTypeOf) {
              return factory.createTypeQueryNode(entityName);
            } else {
              const lastId = isIdentifier(entityName) ? entityName : entityName.right;
              const lastTypeArgs = getIdentifierTypeArguments(lastId);
              setIdentifierTypeArguments(
                lastId,
                /*typeArguments*/
                void 0
              );
              return factory.createTypeReferenceNode(entityName, lastTypeArgs);
            }
            function createAccessFromSymbolChain(chain2, index, stopper) {
              const typeParameterNodes = index === chain2.length - 1 ? overrideTypeArguments : lookupTypeParameterNodes(chain2, index, context);
              const symbol2 = chain2[index];
              const parent2 = chain2[index - 1];
              let symbolName2;
              if (index === 0) {
                context.flags |= 16777216;
                symbolName2 = getNameOfSymbolAsWritten(symbol2, context);
                context.approximateLength += (symbolName2 ? symbolName2.length : 0) + 1;
                context.flags ^= 16777216;
              } else {
                if (parent2 && getExportsOfSymbol(parent2)) {
                  const exports22 = getExportsOfSymbol(parent2);
                  forEachEntry(exports22, (ex, name) => {
                    if (getSymbolIfSameReference(ex, symbol2) && !isLateBoundName(name) && name !== "export=") {
                      symbolName2 = unescapeLeadingUnderscores(name);
                      return true;
                    }
                  });
                }
              }
              if (symbolName2 === void 0) {
                const name = firstDefined(symbol2.declarations, getNameOfDeclaration);
                if (name && isComputedPropertyName(name) && isEntityName(name.expression)) {
                  const LHS = createAccessFromSymbolChain(chain2, index - 1, stopper);
                  if (isEntityName(LHS)) {
                    return factory.createIndexedAccessTypeNode(factory.createParenthesizedType(factory.createTypeQueryNode(LHS)), factory.createTypeQueryNode(name.expression));
                  }
                  return LHS;
                }
                symbolName2 = getNameOfSymbolAsWritten(symbol2, context);
              }
              context.approximateLength += symbolName2.length + 1;
              if (!(context.flags & 16) && parent2 && getMembersOfSymbol(parent2) && getMembersOfSymbol(parent2).get(symbol2.escapedName) && getSymbolIfSameReference(getMembersOfSymbol(parent2).get(symbol2.escapedName), symbol2)) {
                const LHS = createAccessFromSymbolChain(chain2, index - 1, stopper);
                if (isIndexedAccessTypeNode(LHS)) {
                  return factory.createIndexedAccessTypeNode(LHS, factory.createLiteralTypeNode(factory.createStringLiteral(symbolName2)));
                } else {
                  return factory.createIndexedAccessTypeNode(factory.createTypeReferenceNode(LHS, typeParameterNodes), factory.createLiteralTypeNode(factory.createStringLiteral(symbolName2)));
                }
              }
              const identifier = setEmitFlags(
                factory.createIdentifier(symbolName2),
                16777216
                /* NoAsciiEscaping */
              );
              if (typeParameterNodes) setIdentifierTypeArguments(identifier, factory.createNodeArray(typeParameterNodes));
              identifier.symbol = symbol2;
              if (index > stopper) {
                const LHS = createAccessFromSymbolChain(chain2, index - 1, stopper);
                if (!isEntityName(LHS)) {
                  return Debug.fail("Impossible construct - an export of an indexed access cannot be reachable");
                }
                return factory.createQualifiedName(LHS, identifier);
              }
              return identifier;
            }
          }
          function typeParameterShadowsOtherTypeParameterInScope(escapedName, context, type) {
            const result = resolveName(
              context.enclosingDeclaration,
              escapedName,
              788968,
              /*nameNotFoundMessage*/
              void 0,
              /*isUse*/
              false
            );
            if (result && result.flags & 262144) {
              return result !== type.symbol;
            }
            return false;
          }
          function typeParameterToName(type, context) {
            var _a, _b, _c, _d;
            if (context.flags & 4 && context.typeParameterNames) {
              const cached = context.typeParameterNames.get(getTypeId(type));
              if (cached) {
                return cached;
              }
            }
            let result = symbolToName(
              type.symbol,
              context,
              788968,
              /*expectsIdentifier*/
              true
            );
            if (!(result.kind & 80)) {
              return factory.createIdentifier("(Missing type parameter)");
            }
            const decl = (_b = (_a = type.symbol) == null ? void 0 : _a.declarations) == null ? void 0 : _b[0];
            if (decl && isTypeParameterDeclaration(decl)) {
              result = setTextRange2(context, result, decl.name);
            }
            if (context.flags & 4) {
              const rawtext = result.escapedText;
              let i = ((_c = context.typeParameterNamesByTextNextNameCount) == null ? void 0 : _c.get(rawtext)) || 0;
              let text = rawtext;
              while (((_d = context.typeParameterNamesByText) == null ? void 0 : _d.has(text)) || typeParameterShadowsOtherTypeParameterInScope(text, context, type)) {
                i++;
                text = `${rawtext}_${i}`;
              }
              if (text !== rawtext) {
                const typeArguments = getIdentifierTypeArguments(result);
                result = factory.createIdentifier(text);
                setIdentifierTypeArguments(result, typeArguments);
              }
              if (context.mustCreateTypeParametersNamesLookups) {
                context.mustCreateTypeParametersNamesLookups = false;
                context.typeParameterNames = new Map(context.typeParameterNames);
                context.typeParameterNamesByTextNextNameCount = new Map(context.typeParameterNamesByTextNextNameCount);
                context.typeParameterNamesByText = new Set(context.typeParameterNamesByText);
              }
              context.typeParameterNamesByTextNextNameCount.set(rawtext, i);
              context.typeParameterNames.set(getTypeId(type), result);
              context.typeParameterNamesByText.add(text);
            }
            return result;
          }
          function symbolToName(symbol, context, meaning, expectsIdentifier) {
            const chain = lookupSymbolChain(symbol, context, meaning);
            if (expectsIdentifier && chain.length !== 1 && !context.encounteredError && !(context.flags & 65536)) {
              context.encounteredError = true;
            }
            return createEntityNameFromSymbolChain(chain, chain.length - 1);
            function createEntityNameFromSymbolChain(chain2, index) {
              const typeParameterNodes = lookupTypeParameterNodes(chain2, index, context);
              const symbol2 = chain2[index];
              if (index === 0) {
                context.flags |= 16777216;
              }
              const symbolName2 = getNameOfSymbolAsWritten(symbol2, context);
              if (index === 0) {
                context.flags ^= 16777216;
              }
              const identifier = setEmitFlags(
                factory.createIdentifier(symbolName2),
                16777216
                /* NoAsciiEscaping */
              );
              if (typeParameterNodes) setIdentifierTypeArguments(identifier, factory.createNodeArray(typeParameterNodes));
              identifier.symbol = symbol2;
              return index > 0 ? factory.createQualifiedName(createEntityNameFromSymbolChain(chain2, index - 1), identifier) : identifier;
            }
          }
          function symbolToExpression(symbol, context, meaning) {
            const chain = lookupSymbolChain(symbol, context, meaning);
            return createExpressionFromSymbolChain(chain, chain.length - 1);
            function createExpressionFromSymbolChain(chain2, index) {
              const typeParameterNodes = lookupTypeParameterNodes(chain2, index, context);
              const symbol2 = chain2[index];
              if (index === 0) {
                context.flags |= 16777216;
              }
              let symbolName2 = getNameOfSymbolAsWritten(symbol2, context);
              if (index === 0) {
                context.flags ^= 16777216;
              }
              let firstChar = symbolName2.charCodeAt(0);
              if (isSingleOrDoubleQuote(firstChar) && some(symbol2.declarations, hasNonGlobalAugmentationExternalModuleSymbol)) {
                return factory.createStringLiteral(getSpecifierForModuleSymbol(symbol2, context));
              }
              if (index === 0 || canUsePropertyAccess(symbolName2, languageVersion)) {
                const identifier = setEmitFlags(
                  factory.createIdentifier(symbolName2),
                  16777216
                  /* NoAsciiEscaping */
                );
                if (typeParameterNodes) setIdentifierTypeArguments(identifier, factory.createNodeArray(typeParameterNodes));
                identifier.symbol = symbol2;
                return index > 0 ? factory.createPropertyAccessExpression(createExpressionFromSymbolChain(chain2, index - 1), identifier) : identifier;
              } else {
                if (firstChar === 91) {
                  symbolName2 = symbolName2.substring(1, symbolName2.length - 1);
                  firstChar = symbolName2.charCodeAt(0);
                }
                let expression;
                if (isSingleOrDoubleQuote(firstChar) && !(symbol2.flags & 8)) {
                  expression = factory.createStringLiteral(
                    stripQuotes(symbolName2).replace(/\\./g, (s) => s.substring(1)),
                    firstChar === 39
                    /* singleQuote */
                  );
                } else if ("" + +symbolName2 === symbolName2) {
                  expression = factory.createNumericLiteral(+symbolName2);
                }
                if (!expression) {
                  const identifier = setEmitFlags(
                    factory.createIdentifier(symbolName2),
                    16777216
                    /* NoAsciiEscaping */
                  );
                  if (typeParameterNodes) setIdentifierTypeArguments(identifier, factory.createNodeArray(typeParameterNodes));
                  identifier.symbol = symbol2;
                  expression = identifier;
                }
                return factory.createElementAccessExpression(createExpressionFromSymbolChain(chain2, index - 1), expression);
              }
            }
          }
          function isStringNamed(d) {
            const name = getNameOfDeclaration(d);
            if (!name) {
              return false;
            }
            if (isComputedPropertyName(name)) {
              const type = checkExpression(name.expression);
              return !!(type.flags & 402653316);
            }
            if (isElementAccessExpression(name)) {
              const type = checkExpression(name.argumentExpression);
              return !!(type.flags & 402653316);
            }
            return isStringLiteral2(name);
          }
          function isSingleQuotedStringNamed(d) {
            const name = getNameOfDeclaration(d);
            return !!(name && isStringLiteral2(name) && (name.singleQuote || !nodeIsSynthesized(name) && startsWith2(getTextOfNode(
              name,
              /*includeTrivia*/
              false
            ), "'")));
          }
          function getPropertyNameNodeForSymbol(symbol, context) {
            const stringNamed = !!length(symbol.declarations) && every(symbol.declarations, isStringNamed);
            const singleQuote = !!length(symbol.declarations) && every(symbol.declarations, isSingleQuotedStringNamed);
            const isMethod = !!(symbol.flags & 8192);
            const fromNameType = getPropertyNameNodeForSymbolFromNameType(symbol, context, singleQuote, stringNamed, isMethod);
            if (fromNameType) {
              return fromNameType;
            }
            const rawName = unescapeLeadingUnderscores(symbol.escapedName);
            return createPropertyNameNodeForIdentifierOrLiteral(rawName, getEmitScriptTarget(compilerOptions), singleQuote, stringNamed, isMethod);
          }
          function getPropertyNameNodeForSymbolFromNameType(symbol, context, singleQuote, stringNamed, isMethod) {
            const nameType = getSymbolLinks(symbol).nameType;
            if (nameType) {
              if (nameType.flags & 384) {
                const name = "" + nameType.value;
                if (!isIdentifierText(name, getEmitScriptTarget(compilerOptions)) && (stringNamed || !isNumericLiteralName(name))) {
                  return factory.createStringLiteral(name, !!singleQuote);
                }
                if (isNumericLiteralName(name) && startsWith2(name, "-")) {
                  return factory.createComputedPropertyName(factory.createPrefixUnaryExpression(41, factory.createNumericLiteral(-name)));
                }
                return createPropertyNameNodeForIdentifierOrLiteral(name, getEmitScriptTarget(compilerOptions), singleQuote, stringNamed, isMethod);
              }
              if (nameType.flags & 8192) {
                return factory.createComputedPropertyName(symbolToExpression(
                  nameType.symbol,
                  context,
                  111551
                  /* Value */
                ));
              }
            }
          }
          function cloneNodeBuilderContext(context) {
            const oldMustCreateTypeParameterSymbolList = context.mustCreateTypeParameterSymbolList;
            const oldMustCreateTypeParametersNamesLookups = context.mustCreateTypeParametersNamesLookups;
            context.mustCreateTypeParameterSymbolList = true;
            context.mustCreateTypeParametersNamesLookups = true;
            const oldTypeParameterNames = context.typeParameterNames;
            const oldTypeParameterNamesByText = context.typeParameterNamesByText;
            const oldTypeParameterNamesByTextNextNameCount = context.typeParameterNamesByTextNextNameCount;
            const oldTypeParameterSymbolList = context.typeParameterSymbolList;
            return () => {
              context.typeParameterNames = oldTypeParameterNames;
              context.typeParameterNamesByText = oldTypeParameterNamesByText;
              context.typeParameterNamesByTextNextNameCount = oldTypeParameterNamesByTextNextNameCount;
              context.typeParameterSymbolList = oldTypeParameterSymbolList;
              context.mustCreateTypeParameterSymbolList = oldMustCreateTypeParameterSymbolList;
              context.mustCreateTypeParametersNamesLookups = oldMustCreateTypeParametersNamesLookups;
            };
          }
          function getDeclarationWithTypeAnnotation(symbol, enclosingDeclaration) {
            return symbol.declarations && find(symbol.declarations, (s) => !!getNonlocalEffectiveTypeAnnotationNode(s) && (!enclosingDeclaration || !!findAncestor(s, (n) => n === enclosingDeclaration)));
          }
          function existingTypeNodeIsNotReferenceOrIsReferenceWithCompatibleTypeArgumentCount(existing, type) {
            if (!(getObjectFlags(type) & 4)) return true;
            if (!isTypeReferenceNode(existing)) return true;
            void getTypeFromTypeReference(existing);
            const symbol = getNodeLinks(existing).resolvedSymbol;
            const existingTarget = symbol && getDeclaredTypeOfSymbol(symbol);
            if (!existingTarget || existingTarget !== type.target) return true;
            return length(existing.typeArguments) >= getMinTypeArgumentCount(type.target.typeParameters);
          }
          function getEnclosingDeclarationIgnoringFakeScope(enclosingDeclaration) {
            while (getNodeLinks(enclosingDeclaration).fakeScopeForSignatureDeclaration) {
              enclosingDeclaration = enclosingDeclaration.parent;
            }
            return enclosingDeclaration;
          }
          function serializeTypeForDeclaration(context, declaration, type, symbol) {
            var _a, _b;
            const addUndefinedForParameter = declaration && (isParameter(declaration) || isJSDocParameterTag(declaration)) && requiresAddingImplicitUndefined(declaration);
            const enclosingDeclaration = context.enclosingDeclaration;
            const oldFlags = context.flags;
            if (declaration && hasInferredType(declaration) && !(context.flags & -2147483648)) {
              syntacticNodeBuilder.serializeTypeOfDeclaration(declaration, context);
            }
            context.flags |= -2147483648;
            if (enclosingDeclaration && (!isErrorType(type) || context.flags & 1)) {
              const declWithExistingAnnotation = declaration && getNonlocalEffectiveTypeAnnotationNode(declaration) ? declaration : getDeclarationWithTypeAnnotation(symbol);
              if (declWithExistingAnnotation && !isFunctionLikeDeclaration(declWithExistingAnnotation) && !isGetAccessorDeclaration(declWithExistingAnnotation)) {
                const existing = getNonlocalEffectiveTypeAnnotationNode(declWithExistingAnnotation);
                const addUndefined = addUndefinedForParameter || !!(symbol.flags & 4 && symbol.flags & 16777216 && isOptionalDeclaration(declWithExistingAnnotation) && ((_a = symbol.links) == null ? void 0 : _a.mappedType) && containsNonMissingUndefinedType(type));
                const result2 = !isTypePredicateNode(existing) && tryReuseExistingTypeNode(context, existing, type, declWithExistingAnnotation, addUndefined);
                if (result2) {
                  context.flags = oldFlags;
                  return result2;
                }
              }
            }
            if (type.flags & 8192 && type.symbol === symbol && (!context.enclosingDeclaration || some(symbol.declarations, (d) => getSourceFileOfNode(d) === getSourceFileOfNode(context.enclosingDeclaration)))) {
              context.flags |= 1048576;
            }
            const decl = declaration ?? symbol.valueDeclaration ?? ((_b = symbol.declarations) == null ? void 0 : _b[0]);
            const expr = decl && isDeclarationWithPossibleInnerTypeNodeReuse(decl) ? getPossibleTypeNodeReuseExpression(decl) : void 0;
            const result = expressionOrTypeToTypeNode(context, expr, type, addUndefinedForParameter);
            context.flags = oldFlags;
            return result;
          }
          function typeNodeIsEquivalentToType(annotatedDeclaration, type, typeFromTypeNode) {
            if (typeFromTypeNode === type) {
              return true;
            }
            if (annotatedDeclaration && (isParameter(annotatedDeclaration) || isPropertySignature(annotatedDeclaration) || isPropertyDeclaration(annotatedDeclaration)) && annotatedDeclaration.questionToken) {
              return getTypeWithFacts(
                type,
                524288
                /* NEUndefined */
              ) === typeFromTypeNode;
            }
            return false;
          }
          function serializeReturnTypeForSignature(context, signature) {
            const suppressAny = context.flags & 256;
            const flags = context.flags;
            if (suppressAny) context.flags &= ~256;
            let returnTypeNode;
            const returnType = getReturnTypeOfSignature(signature);
            if (returnType && !(suppressAny && isTypeAny(returnType))) {
              if (signature.declaration && !(context.flags & -2147483648)) {
                syntacticNodeBuilder.serializeReturnTypeForSignature(signature.declaration, context);
              }
              context.flags |= -2147483648;
              returnTypeNode = serializeReturnTypeForSignatureWorker(context, signature);
            } else if (!suppressAny) {
              returnTypeNode = factory.createKeywordTypeNode(
                133
                /* AnyKeyword */
              );
            }
            context.flags = flags;
            return returnTypeNode;
          }
          function serializeReturnTypeForSignatureWorker(context, signature) {
            const typePredicate = getTypePredicateOfSignature(signature);
            const type = getReturnTypeOfSignature(signature);
            if (context.enclosingDeclaration && (!isErrorType(type) || context.flags & 1) && signature.declaration && !nodeIsSynthesized(signature.declaration)) {
              const annotation = getNonlocalEffectiveReturnTypeAnnotationNode(signature.declaration);
              if (annotation) {
                const result = tryReuseExistingTypeNode(context, annotation, type, context.enclosingDeclaration);
                if (result) {
                  return result;
                }
              }
            }
            if (typePredicate) {
              return typePredicateToTypePredicateNodeHelper(typePredicate, context);
            }
            const expr = signature.declaration && getPossibleTypeNodeReuseExpression(signature.declaration);
            return expressionOrTypeToTypeNode(context, expr, type);
          }
          function trackExistingEntityName(node, context) {
            let introducesError = false;
            const leftmost = getFirstIdentifier(node);
            if (isInJSFile(node) && (isExportsIdentifier(leftmost) || isModuleExportsAccessExpression(leftmost.parent) || isQualifiedName(leftmost.parent) && isModuleIdentifier(leftmost.parent.left) && isExportsIdentifier(leftmost.parent.right))) {
              introducesError = true;
              return { introducesError, node };
            }
            const meaning = getMeaningOfEntityNameReference(node);
            let sym;
            if (isThisIdentifier(leftmost)) {
              sym = getSymbolOfDeclaration(getThisContainer(
                leftmost,
                /*includeArrowFunctions*/
                false,
                /*includeClassComputedPropertyName*/
                false
              ));
              if (isSymbolAccessible(
                sym,
                leftmost,
                meaning,
                /*shouldComputeAliasesToMakeVisible*/
                false
              ).accessibility !== 0) {
                introducesError = true;
                context.tracker.reportInaccessibleThisError();
              }
              return { introducesError, node: attachSymbolToLeftmostIdentifier(node) };
            }
            sym = resolveEntityName(
              leftmost,
              meaning,
              /*ignoreErrors*/
              true,
              /*dontResolveAlias*/
              true
            );
            if (context.enclosingDeclaration && !(sym && sym.flags & 262144)) {
              sym = getExportSymbolOfValueSymbolIfExported(sym);
              const symAtLocation = resolveEntityName(
                leftmost,
                meaning,
                /*ignoreErrors*/
                true,
                /*dontResolveAlias*/
                true,
                context.enclosingDeclaration
              );
              if (
                // Check for unusable parameters symbols
                symAtLocation === unknownSymbol || // If the symbol is not found, but was not found in the original scope either we probably have an error, don't reuse the node
                symAtLocation === void 0 && sym !== void 0 || // If the symbol is found both in declaration scope and in current scope then it shoudl point to the same reference
                symAtLocation && sym && !getSymbolIfSameReference(getExportSymbolOfValueSymbolIfExported(symAtLocation), sym)
              ) {
                if (symAtLocation !== unknownSymbol) {
                  context.tracker.reportInferenceFallback(node);
                }
                introducesError = true;
                return { introducesError, node, sym };
              }
            }
            if (sym) {
              if (sym.flags & 1 && sym.valueDeclaration) {
                if (isPartOfParameterDeclaration(sym.valueDeclaration) || isJSDocParameterTag(sym.valueDeclaration)) {
                  return { introducesError, node: attachSymbolToLeftmostIdentifier(node) };
                }
              }
              if (!(sym.flags & 262144) && // Type parameters are visible in the current context if they are are resolvable
              !isDeclarationName(node) && isSymbolAccessible(
                sym,
                context.enclosingDeclaration,
                meaning,
                /*shouldComputeAliasesToMakeVisible*/
                false
              ).accessibility !== 0) {
                context.tracker.reportInferenceFallback(node);
                introducesError = true;
              } else {
                context.tracker.trackSymbol(sym, context.enclosingDeclaration, meaning);
              }
              return { introducesError, node: attachSymbolToLeftmostIdentifier(node) };
            }
            return { introducesError, node };
            function attachSymbolToLeftmostIdentifier(node2) {
              if (node2 === leftmost) {
                const type = getDeclaredTypeOfSymbol(sym);
                const name = sym.flags & 262144 ? typeParameterToName(type, context) : factory.cloneNode(node2);
                name.symbol = sym;
                return setTextRange2(context, setEmitFlags(
                  name,
                  16777216
                  /* NoAsciiEscaping */
                ), node2);
              }
              const updated = visitEachChild(
                node2,
                (c) => attachSymbolToLeftmostIdentifier(c),
                /*context*/
                void 0
              );
              if (updated !== node2) {
                setTextRange2(context, updated, node2);
              }
              return updated;
            }
          }
          function serializeTypeName(context, node, isTypeOf, typeArguments) {
            const meaning = isTypeOf ? 111551 : 788968;
            const symbol = resolveEntityName(
              node,
              meaning,
              /*ignoreErrors*/
              true
            );
            if (!symbol) return void 0;
            const resolvedSymbol = symbol.flags & 2097152 ? resolveAlias(symbol) : symbol;
            if (isSymbolAccessible(
              symbol,
              context.enclosingDeclaration,
              meaning,
              /*shouldComputeAliasesToMakeVisible*/
              false
            ).accessibility !== 0) return void 0;
            return symbolToTypeNode(resolvedSymbol, context, meaning, typeArguments);
          }
          function canReuseTypeNode(context, existing) {
            if (isInJSFile(existing)) {
              if (isLiteralImportTypeNode(existing)) {
                void getTypeFromImportTypeNode(existing);
                const nodeSymbol = getNodeLinks(existing).resolvedSymbol;
                return !nodeSymbol || !// The import type resolved using jsdoc fallback logic
                (!existing.isTypeOf && !(nodeSymbol.flags & 788968) || // The import type had type arguments autofilled by js fallback logic
                !(length(existing.typeArguments) >= getMinTypeArgumentCount(getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(nodeSymbol))));
              }
            }
            if (isThisTypeNode(existing)) {
              if (context.mapper === void 0) return true;
              const type = getTypeFromTypeNode2(
                context,
                existing,
                /*noMappedTypes*/
                true
              );
              return !!type;
            }
            if (isTypeReferenceNode(existing)) {
              if (isConstTypeReference(existing)) return false;
              const type = getTypeFromTypeReference(existing);
              const symbol = getNodeLinks(existing).resolvedSymbol;
              if (!symbol) return false;
              if (symbol.flags & 262144) {
                const type2 = getDeclaredTypeOfSymbol(symbol);
                if (context.mapper && getMappedType(type2, context.mapper) !== type2) {
                  return false;
                }
              }
              if (isInJSDoc(existing)) {
                return existingTypeNodeIsNotReferenceOrIsReferenceWithCompatibleTypeArgumentCount(existing, type) && !getIntendedTypeFromJSDocTypeReference(existing) && symbol.flags & 788968;
              }
            }
            if (isTypeOperatorNode(existing) && existing.operator === 158 && existing.type.kind === 155) {
              const effectiveEnclosingContext = context.enclosingDeclaration && getEnclosingDeclarationIgnoringFakeScope(context.enclosingDeclaration);
              return !!findAncestor(existing, (n) => n === effectiveEnclosingContext);
            }
            return true;
          }
          function serializeExistingTypeNode(context, typeNode) {
            const type = getTypeFromTypeNode2(context, typeNode);
            return typeToTypeNodeHelper(type, context);
          }
          function tryReuseExistingTypeNodeHelper(context, existing) {
            if (cancellationToken && cancellationToken.throwIfCancellationRequested) {
              cancellationToken.throwIfCancellationRequested();
            }
            let hadError = false;
            const { finalizeBoundary, startRecoveryScope } = createRecoveryBoundary();
            const transformed = visitNode(existing, visitExistingNodeTreeSymbols, isTypeNode);
            if (!finalizeBoundary()) {
              return void 0;
            }
            context.approximateLength += existing.end - existing.pos;
            return transformed;
            function visitExistingNodeTreeSymbols(node) {
              if (hadError) return node;
              const recover = startRecoveryScope();
              const onExitNewScope = isNewScopeNode(node) ? onEnterNewScope(node) : void 0;
              const result = visitExistingNodeTreeSymbolsWorker(node);
              onExitNewScope == null ? void 0 : onExitNewScope();
              if (hadError) {
                if (isTypeNode(node) && !isTypePredicateNode(node)) {
                  recover();
                  return serializeExistingTypeNode(context, node);
                }
                return node;
              }
              return result ? setTextRange2(context, result, node) : void 0;
            }
            function createRecoveryBoundary() {
              let trackedSymbols;
              let unreportedErrors;
              const oldTracker = context.tracker;
              const oldTrackedSymbols = context.trackedSymbols;
              context.trackedSymbols = void 0;
              const oldEncounteredError = context.encounteredError;
              context.tracker = new SymbolTrackerImpl(context, {
                ...oldTracker.inner,
                reportCyclicStructureError() {
                  markError(() => oldTracker.reportCyclicStructureError());
                },
                reportInaccessibleThisError() {
                  markError(() => oldTracker.reportInaccessibleThisError());
                },
                reportInaccessibleUniqueSymbolError() {
                  markError(() => oldTracker.reportInaccessibleUniqueSymbolError());
                },
                reportLikelyUnsafeImportRequiredError(specifier) {
                  markError(() => oldTracker.reportLikelyUnsafeImportRequiredError(specifier));
                },
                reportNonSerializableProperty(name) {
                  markError(() => oldTracker.reportNonSerializableProperty(name));
                },
                trackSymbol(sym, decl, meaning) {
                  (trackedSymbols ?? (trackedSymbols = [])).push([sym, decl, meaning]);
                  return false;
                },
                moduleResolverHost: context.tracker.moduleResolverHost
              }, context.tracker.moduleResolverHost);
              return {
                startRecoveryScope: startRecoveryScope2,
                finalizeBoundary: finalizeBoundary2
              };
              function markError(unreportedError) {
                hadError = true;
                (unreportedErrors ?? (unreportedErrors = [])).push(unreportedError);
              }
              function startRecoveryScope2() {
                const trackedSymbolsTop = (trackedSymbols == null ? void 0 : trackedSymbols.length) ?? 0;
                const unreportedErrorsTop = (unreportedErrors == null ? void 0 : unreportedErrors.length) ?? 0;
                return () => {
                  hadError = false;
                  if (trackedSymbols) {
                    trackedSymbols.length = trackedSymbolsTop;
                  }
                  if (unreportedErrors) {
                    unreportedErrors.length = unreportedErrorsTop;
                  }
                };
              }
              function finalizeBoundary2() {
                context.tracker = oldTracker;
                context.trackedSymbols = oldTrackedSymbols;
                context.encounteredError = oldEncounteredError;
                unreportedErrors == null ? void 0 : unreportedErrors.forEach((fn) => fn());
                if (hadError) {
                  return false;
                }
                trackedSymbols == null ? void 0 : trackedSymbols.forEach(
                  ([symbol, enclosingDeclaration, meaning]) => context.tracker.trackSymbol(
                    symbol,
                    enclosingDeclaration,
                    meaning
                  )
                );
                return true;
              }
            }
            function onEnterNewScope(node) {
              return enterNewScope(context, node, getParametersInScope(node), getTypeParametersInScope(node));
            }
            function tryVisitSimpleTypeNode(node) {
              const innerNode = skipTypeParentheses(node);
              switch (innerNode.kind) {
                case 183:
                  return tryVisitTypeReference(innerNode);
                case 186:
                  return tryVisitTypeQuery(innerNode);
                case 199:
                  return tryVisitIndexedAccess(innerNode);
                case 198:
                  const typeOperatorNode = innerNode;
                  if (typeOperatorNode.operator === 143) {
                    return tryVisitKeyOf(typeOperatorNode);
                  }
              }
              return visitNode(node, visitExistingNodeTreeSymbols, isTypeNode);
            }
            function tryVisitIndexedAccess(node) {
              const resultObjectType = tryVisitSimpleTypeNode(node.objectType);
              if (resultObjectType === void 0) {
                return void 0;
              }
              return factory.updateIndexedAccessTypeNode(node, resultObjectType, visitNode(node.indexType, visitExistingNodeTreeSymbols, isTypeNode));
            }
            function tryVisitKeyOf(node) {
              Debug.assertEqual(
                node.operator,
                143
                /* KeyOfKeyword */
              );
              const type = tryVisitSimpleTypeNode(node.type);
              if (type === void 0) {
                return void 0;
              }
              return factory.updateTypeOperatorNode(node, type);
            }
            function tryVisitTypeQuery(node) {
              const { introducesError, node: exprName } = trackExistingEntityName(node.exprName, context);
              if (!introducesError) {
                return factory.updateTypeQueryNode(
                  node,
                  exprName,
                  visitNodes2(node.typeArguments, visitExistingNodeTreeSymbols, isTypeNode)
                );
              }
              const serializedName = serializeTypeName(
                context,
                node.exprName,
                /*isTypeOf*/
                true
              );
              if (serializedName) {
                return setTextRange2(context, serializedName, node.exprName);
              }
            }
            function tryVisitTypeReference(node) {
              if (canReuseTypeNode(context, node)) {
                const { introducesError, node: newName } = trackExistingEntityName(node.typeName, context);
                const typeArguments = visitNodes2(node.typeArguments, visitExistingNodeTreeSymbols, isTypeNode);
                if (!introducesError) {
                  const updated = factory.updateTypeReferenceNode(
                    node,
                    newName,
                    typeArguments
                  );
                  return setTextRange2(context, updated, node);
                } else {
                  const serializedName = serializeTypeName(
                    context,
                    node.typeName,
                    /*isTypeOf*/
                    false,
                    typeArguments
                  );
                  if (serializedName) {
                    return setTextRange2(context, serializedName, node.typeName);
                  }
                }
              }
            }
            function visitExistingNodeTreeSymbolsWorker(node) {
              if (isJSDocTypeExpression(node)) {
                return visitNode(node.type, visitExistingNodeTreeSymbols, isTypeNode);
              }
              if (isJSDocAllType(node) || node.kind === 319) {
                return factory.createKeywordTypeNode(
                  133
                  /* AnyKeyword */
                );
              }
              if (isJSDocUnknownType(node)) {
                return factory.createKeywordTypeNode(
                  159
                  /* UnknownKeyword */
                );
              }
              if (isJSDocNullableType(node)) {
                return factory.createUnionTypeNode([visitNode(node.type, visitExistingNodeTreeSymbols, isTypeNode), factory.createLiteralTypeNode(factory.createNull())]);
              }
              if (isJSDocOptionalType(node)) {
                return factory.createUnionTypeNode([visitNode(node.type, visitExistingNodeTreeSymbols, isTypeNode), factory.createKeywordTypeNode(
                  157
                  /* UndefinedKeyword */
                )]);
              }
              if (isJSDocNonNullableType(node)) {
                return visitNode(node.type, visitExistingNodeTreeSymbols);
              }
              if (isJSDocVariadicType(node)) {
                return factory.createArrayTypeNode(visitNode(node.type, visitExistingNodeTreeSymbols, isTypeNode));
              }
              if (isJSDocTypeLiteral(node)) {
                return factory.createTypeLiteralNode(map(node.jsDocPropertyTags, (t) => {
                  const name = visitNode(isIdentifier(t.name) ? t.name : t.name.right, visitExistingNodeTreeSymbols, isIdentifier);
                  const typeViaParent = getTypeOfPropertyOfType(getTypeFromTypeNode2(context, node), name.escapedText);
                  const overrideTypeNode = typeViaParent && t.typeExpression && getTypeFromTypeNode2(context, t.typeExpression.type) !== typeViaParent ? typeToTypeNodeHelper(typeViaParent, context) : void 0;
                  return factory.createPropertySignature(
                    /*modifiers*/
                    void 0,
                    name,
                    t.isBracketed || t.typeExpression && isJSDocOptionalType(t.typeExpression.type) ? factory.createToken(
                      58
                      /* QuestionToken */
                    ) : void 0,
                    overrideTypeNode || t.typeExpression && visitNode(t.typeExpression.type, visitExistingNodeTreeSymbols, isTypeNode) || factory.createKeywordTypeNode(
                      133
                      /* AnyKeyword */
                    )
                  );
                }));
              }
              if (isTypeReferenceNode(node) && isIdentifier(node.typeName) && node.typeName.escapedText === "") {
                return setOriginalNode(factory.createKeywordTypeNode(
                  133
                  /* AnyKeyword */
                ), node);
              }
              if ((isExpressionWithTypeArguments(node) || isTypeReferenceNode(node)) && isJSDocIndexSignature(node)) {
                return factory.createTypeLiteralNode([factory.createIndexSignature(
                  /*modifiers*/
                  void 0,
                  [factory.createParameterDeclaration(
                    /*modifiers*/
                    void 0,
                    /*dotDotDotToken*/
                    void 0,
                    "x",
                    /*questionToken*/
                    void 0,
                    visitNode(node.typeArguments[0], visitExistingNodeTreeSymbols, isTypeNode)
                  )],
                  visitNode(node.typeArguments[1], visitExistingNodeTreeSymbols, isTypeNode)
                )]);
              }
              if (isJSDocFunctionType(node)) {
                if (isJSDocConstructSignature(node)) {
                  let newTypeNode;
                  return factory.createConstructorTypeNode(
                    /*modifiers*/
                    void 0,
                    visitNodes2(node.typeParameters, visitExistingNodeTreeSymbols, isTypeParameterDeclaration),
                    mapDefined(node.parameters, (p, i) => p.name && isIdentifier(p.name) && p.name.escapedText === "new" ? (newTypeNode = p.type, void 0) : factory.createParameterDeclaration(
                      /*modifiers*/
                      void 0,
                      getEffectiveDotDotDotForParameter(p),
                      setTextRange2(context, factory.createIdentifier(getNameForJSDocFunctionParameter(p, i)), p),
                      factory.cloneNode(p.questionToken),
                      visitNode(p.type, visitExistingNodeTreeSymbols, isTypeNode),
                      /*initializer*/
                      void 0
                    )),
                    visitNode(newTypeNode || node.type, visitExistingNodeTreeSymbols, isTypeNode) || factory.createKeywordTypeNode(
                      133
                      /* AnyKeyword */
                    )
                  );
                } else {
                  return factory.createFunctionTypeNode(
                    visitNodes2(node.typeParameters, visitExistingNodeTreeSymbols, isTypeParameterDeclaration),
                    map(node.parameters, (p, i) => factory.createParameterDeclaration(
                      /*modifiers*/
                      void 0,
                      getEffectiveDotDotDotForParameter(p),
                      setTextRange2(context, factory.createIdentifier(getNameForJSDocFunctionParameter(p, i)), p),
                      factory.cloneNode(p.questionToken),
                      visitNode(p.type, visitExistingNodeTreeSymbols, isTypeNode),
                      /*initializer*/
                      void 0
                    )),
                    visitNode(node.type, visitExistingNodeTreeSymbols, isTypeNode) || factory.createKeywordTypeNode(
                      133
                      /* AnyKeyword */
                    )
                  );
                }
              }
              if (isThisTypeNode(node)) {
                if (canReuseTypeNode(context, node)) {
                  return node;
                }
                hadError = true;
                return node;
              }
              if (isTypeParameterDeclaration(node)) {
                return factory.updateTypeParameterDeclaration(
                  node,
                  visitNodes2(node.modifiers, visitExistingNodeTreeSymbols, isModifier),
                  setTextRange2(context, typeParameterToName(getDeclaredTypeOfSymbol(getSymbolOfDeclaration(node)), context), node),
                  visitNode(node.constraint, visitExistingNodeTreeSymbols, isTypeNode),
                  visitNode(node.default, visitExistingNodeTreeSymbols, isTypeNode)
                );
              }
              if (isIndexedAccessTypeNode(node)) {
                const result = tryVisitIndexedAccess(node);
                if (!result) {
                  hadError = true;
                  return node;
                }
                return result;
              }
              if (isTypeReferenceNode(node)) {
                const result = tryVisitTypeReference(node);
                if (result) {
                  return result;
                }
                hadError = true;
                return node;
              }
              if (isLiteralImportTypeNode(node)) {
                const nodeSymbol = getNodeLinks(node).resolvedSymbol;
                if (isInJSDoc(node) && nodeSymbol && // The import type resolved using jsdoc fallback logic
                (!node.isTypeOf && !(nodeSymbol.flags & 788968) || // The import type had type arguments autofilled by js fallback logic
                !(length(node.typeArguments) >= getMinTypeArgumentCount(getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(nodeSymbol))))) {
                  return setTextRange2(context, typeToTypeNodeHelper(getTypeFromTypeNode2(context, node), context), node);
                }
                return factory.updateImportTypeNode(
                  node,
                  factory.updateLiteralTypeNode(node.argument, rewriteModuleSpecifier(node, node.argument.literal)),
                  visitNode(node.attributes, visitExistingNodeTreeSymbols, isImportAttributes),
                  visitNode(node.qualifier, visitExistingNodeTreeSymbols, isEntityName),
                  visitNodes2(node.typeArguments, visitExistingNodeTreeSymbols, isTypeNode),
                  node.isTypeOf
                );
              }
              if (isNamedDeclaration(node) && node.name.kind === 167 && !isLateBindableName(node.name)) {
                if (!hasDynamicName(node)) {
                  return visitEachChild2(node, visitExistingNodeTreeSymbols);
                }
                if (!(context.flags & 1 && isEntityNameExpression(node.name.expression) && checkComputedPropertyName(node.name).flags & 1)) {
                  return void 0;
                }
              }
              if (isFunctionLike(node) && !node.type || isPropertyDeclaration(node) && !node.type && !node.initializer || isPropertySignature(node) && !node.type && !node.initializer || isParameter(node) && !node.type && !node.initializer) {
                let visited = visitEachChild2(node, visitExistingNodeTreeSymbols);
                if (visited === node) {
                  visited = setTextRange2(context, factory.cloneNode(node), node);
                }
                visited.type = factory.createKeywordTypeNode(
                  133
                  /* AnyKeyword */
                );
                if (isParameter(node)) {
                  visited.modifiers = void 0;
                }
                return visited;
              }
              if (isTypeQueryNode(node)) {
                const result = tryVisitTypeQuery(node);
                if (!result) {
                  hadError = true;
                  return node;
                }
                return result;
              }
              if (isComputedPropertyName(node) && isEntityNameExpression(node.expression)) {
                const { node: result, introducesError } = trackExistingEntityName(node.expression, context);
                if (!introducesError) {
                  return factory.updateComputedPropertyName(node, result);
                } else {
                  const type = getWidenedType(getRegularTypeOfExpression(node.expression));
                  const computedPropertyNameType = typeToTypeNodeHelper(type, context);
                  let literal;
                  if (isLiteralTypeNode(computedPropertyNameType)) {
                    literal = computedPropertyNameType.literal;
                  } else {
                    const evaluated = evaluateEntityNameExpression(node.expression);
                    const literalNode = typeof evaluated.value === "string" ? factory.createStringLiteral(
                      evaluated.value,
                      /*isSingleQuote*/
                      void 0
                    ) : typeof evaluated.value === "number" ? factory.createNumericLiteral(
                      evaluated.value,
                      /*numericLiteralFlags*/
                      0
                    ) : void 0;
                    if (!literalNode) {
                      if (isImportTypeNode(computedPropertyNameType)) {
                        trackComputedName(node.expression, context.enclosingDeclaration, context);
                      }
                      return node;
                    }
                    literal = literalNode;
                  }
                  if (literal.kind === 11 && isIdentifierText(literal.text, getEmitScriptTarget(compilerOptions))) {
                    return factory.createIdentifier(literal.text);
                  }
                  if (literal.kind === 9 && !literal.text.startsWith("-")) {
                    return literal;
                  }
                  return factory.updateComputedPropertyName(node, literal);
                }
              }
              if (isTypePredicateNode(node)) {
                let parameterName;
                if (isIdentifier(node.parameterName)) {
                  const { node: result, introducesError } = trackExistingEntityName(node.parameterName, context);
                  hadError = hadError || introducesError;
                  parameterName = result;
                } else {
                  parameterName = factory.cloneNode(node.parameterName);
                }
                return factory.updateTypePredicateNode(node, factory.cloneNode(node.assertsModifier), parameterName, visitNode(node.type, visitExistingNodeTreeSymbols, isTypeNode));
              }
              if (isTupleTypeNode(node) || isTypeLiteralNode(node) || isMappedTypeNode(node)) {
                const visited = visitEachChild2(node, visitExistingNodeTreeSymbols);
                const clone2 = setTextRange2(context, visited === node ? factory.cloneNode(node) : visited, node);
                const flags = getEmitFlags(clone2);
                setEmitFlags(clone2, flags | (context.flags & 1024 && isTypeLiteralNode(node) ? 0 : 1));
                return clone2;
              }
              if (isStringLiteral2(node) && !!(context.flags & 268435456) && !node.singleQuote) {
                const clone2 = factory.cloneNode(node);
                clone2.singleQuote = true;
                return clone2;
              }
              if (isConditionalTypeNode(node)) {
                const checkType = visitNode(node.checkType, visitExistingNodeTreeSymbols, isTypeNode);
                const disposeScope = onEnterNewScope(node);
                const extendType = visitNode(node.extendsType, visitExistingNodeTreeSymbols, isTypeNode);
                const trueType2 = visitNode(node.trueType, visitExistingNodeTreeSymbols, isTypeNode);
                disposeScope();
                const falseType2 = visitNode(node.falseType, visitExistingNodeTreeSymbols, isTypeNode);
                return factory.updateConditionalTypeNode(
                  node,
                  checkType,
                  extendType,
                  trueType2,
                  falseType2
                );
              }
              if (isTypeOperatorNode(node)) {
                if (node.operator === 158 && node.type.kind === 155) {
                  if (!canReuseTypeNode(context, node)) {
                    hadError = true;
                    return node;
                  }
                } else if (node.operator === 143) {
                  const result = tryVisitKeyOf(node);
                  if (!result) {
                    hadError = true;
                    return node;
                  }
                  return result;
                }
              }
              return visitEachChild2(node, visitExistingNodeTreeSymbols);
              function visitEachChild2(node2, visitor2) {
                const nonlocalNode = !context.enclosingFile || context.enclosingFile !== getSourceFileOfNode(node2);
                return visitEachChild(
                  node2,
                  visitor2,
                  /*context*/
                  void 0,
                  nonlocalNode ? visitNodesWithoutCopyingPositions : void 0
                );
              }
              function visitNodesWithoutCopyingPositions(nodes, visitor2, test, start, count) {
                let result = visitNodes2(nodes, visitor2, test, start, count);
                if (result) {
                  if (result.pos !== -1 || result.end !== -1) {
                    if (result === nodes) {
                      result = factory.createNodeArray(nodes.slice(), nodes.hasTrailingComma);
                    }
                    setTextRangePosEnd(result, -1, -1);
                  }
                }
                return result;
              }
              function getEffectiveDotDotDotForParameter(p) {
                return p.dotDotDotToken || (p.type && isJSDocVariadicType(p.type) ? factory.createToken(
                  26
                  /* DotDotDotToken */
                ) : void 0);
              }
              function getNameForJSDocFunctionParameter(p, index) {
                return p.name && isIdentifier(p.name) && p.name.escapedText === "this" ? "this" : getEffectiveDotDotDotForParameter(p) ? `args` : `arg${index}`;
              }
              function rewriteModuleSpecifier(parent2, lit) {
                if (context.bundled || context.enclosingFile !== getSourceFileOfNode(lit)) {
                  let name = lit.text;
                  const nodeSymbol = getNodeLinks(node).resolvedSymbol;
                  const meaning = parent2.isTypeOf ? 111551 : 788968;
                  const parentSymbol = nodeSymbol && isSymbolAccessible(
                    nodeSymbol,
                    context.enclosingDeclaration,
                    meaning,
                    /*shouldComputeAliasesToMakeVisible*/
                    false
                  ).accessibility === 0 && lookupSymbolChain(
                    nodeSymbol,
                    context,
                    meaning,
                    /*yieldModuleSymbol*/
                    true
                  )[0];
                  if (parentSymbol && isExternalModuleSymbol(parentSymbol)) {
                    name = getSpecifierForModuleSymbol(parentSymbol, context);
                  } else {
                    const targetFile = getExternalModuleFileFromDeclaration(parent2);
                    if (targetFile) {
                      name = getSpecifierForModuleSymbol(targetFile.symbol, context);
                    }
                  }
                  if (name.includes("/node_modules/")) {
                    context.encounteredError = true;
                    if (context.tracker.reportLikelyUnsafeImportRequiredError) {
                      context.tracker.reportLikelyUnsafeImportRequiredError(name);
                    }
                  }
                  if (name !== lit.text) {
                    return setOriginalNode(factory.createStringLiteral(name), lit);
                  }
                }
                return visitNode(lit, visitExistingNodeTreeSymbols, isStringLiteral2);
              }
            }
          }
          function symbolTableToDeclarationStatements(symbolTable, context) {
            var _a;
            const serializePropertySymbolForClass = makeSerializePropertySymbol(
              factory.createPropertyDeclaration,
              174,
              /*useAccessors*/
              true
            );
            const serializePropertySymbolForInterfaceWorker = makeSerializePropertySymbol(
              (mods, name, question, type) => factory.createPropertySignature(mods, name, question, type),
              173,
              /*useAccessors*/
              false
            );
            const enclosingDeclaration = context.enclosingDeclaration;
            let results = [];
            const visitedSymbols = /* @__PURE__ */ new Set();
            const deferredPrivatesStack = [];
            const oldcontext = context;
            context = {
              ...oldcontext,
              usedSymbolNames: new Set(oldcontext.usedSymbolNames),
              remappedSymbolNames: /* @__PURE__ */ new Map(),
              remappedSymbolReferences: new Map((_a = oldcontext.remappedSymbolReferences) == null ? void 0 : _a.entries()),
              tracker: void 0
            };
            const tracker2 = {
              ...oldcontext.tracker.inner,
              trackSymbol: (sym, decl, meaning) => {
                var _a2, _b;
                if ((_a2 = context.remappedSymbolNames) == null ? void 0 : _a2.has(getSymbolId(sym))) return false;
                const accessibleResult = isSymbolAccessible(
                  sym,
                  decl,
                  meaning,
                  /*shouldComputeAliasesToMakeVisible*/
                  false
                );
                if (accessibleResult.accessibility === 0) {
                  const chain = lookupSymbolChainWorker(sym, context, meaning);
                  if (!(sym.flags & 4)) {
                    const root2 = chain[0];
                    const contextFile = getSourceFileOfNode(oldcontext.enclosingDeclaration);
                    if (some(root2.declarations, (d) => getSourceFileOfNode(d) === contextFile)) {
                      includePrivateSymbol(root2);
                    }
                  }
                } else if ((_b = oldcontext.tracker.inner) == null ? void 0 : _b.trackSymbol) {
                  return oldcontext.tracker.inner.trackSymbol(sym, decl, meaning);
                }
                return false;
              }
            };
            context.tracker = new SymbolTrackerImpl(context, tracker2, oldcontext.tracker.moduleResolverHost);
            forEachEntry(symbolTable, (symbol, name) => {
              const baseName = unescapeLeadingUnderscores(name);
              void getInternalSymbolName(symbol, baseName);
            });
            let addingDeclare = !context.bundled;
            const exportEquals = symbolTable.get(
              "export="
              /* ExportEquals */
            );
            if (exportEquals && symbolTable.size > 1 && exportEquals.flags & (2097152 | 1536)) {
              symbolTable = createSymbolTable();
              symbolTable.set("export=", exportEquals);
            }
            visitSymbolTable(symbolTable);
            return mergeRedundantStatements(results);
            function isIdentifierAndNotUndefined(node) {
              return !!node && node.kind === 80;
            }
            function getNamesOfDeclaration(statement) {
              if (isVariableStatement(statement)) {
                return filter(map(statement.declarationList.declarations, getNameOfDeclaration), isIdentifierAndNotUndefined);
              }
              return filter([getNameOfDeclaration(statement)], isIdentifierAndNotUndefined);
            }
            function flattenExportAssignedNamespace(statements) {
              const exportAssignment = find(statements, isExportAssignment);
              const nsIndex = findIndex(statements, isModuleDeclaration);
              let ns = nsIndex !== -1 ? statements[nsIndex] : void 0;
              if (ns && exportAssignment && exportAssignment.isExportEquals && isIdentifier(exportAssignment.expression) && isIdentifier(ns.name) && idText(ns.name) === idText(exportAssignment.expression) && ns.body && isModuleBlock(ns.body)) {
                const excessExports = filter(statements, (s) => !!(getEffectiveModifierFlags(s) & 32));
                const name = ns.name;
                let body = ns.body;
                if (length(excessExports)) {
                  ns = factory.updateModuleDeclaration(
                    ns,
                    ns.modifiers,
                    ns.name,
                    body = factory.updateModuleBlock(
                      body,
                      factory.createNodeArray([
                        ...ns.body.statements,
                        factory.createExportDeclaration(
                          /*modifiers*/
                          void 0,
                          /*isTypeOnly*/
                          false,
                          factory.createNamedExports(map(flatMap(excessExports, (e) => getNamesOfDeclaration(e)), (id) => factory.createExportSpecifier(
                            /*isTypeOnly*/
                            false,
                            /*propertyName*/
                            void 0,
                            id
                          ))),
                          /*moduleSpecifier*/
                          void 0
                        )
                      ])
                    )
                  );
                  statements = [...statements.slice(0, nsIndex), ns, ...statements.slice(nsIndex + 1)];
                }
                if (!find(statements, (s) => s !== ns && nodeHasName(s, name))) {
                  results = [];
                  const mixinExportFlag = !some(body.statements, (s) => hasSyntacticModifier(
                    s,
                    32
                    /* Export */
                  ) || isExportAssignment(s) || isExportDeclaration(s));
                  forEach(body.statements, (s) => {
                    addResult(
                      s,
                      mixinExportFlag ? 32 : 0
                      /* None */
                    );
                  });
                  statements = [...filter(statements, (s) => s !== ns && s !== exportAssignment), ...results];
                }
              }
              return statements;
            }
            function mergeExportDeclarations(statements) {
              const exports22 = filter(statements, (d) => isExportDeclaration(d) && !d.moduleSpecifier && !!d.exportClause && isNamedExports(d.exportClause));
              if (length(exports22) > 1) {
                const nonExports = filter(statements, (d) => !isExportDeclaration(d) || !!d.moduleSpecifier || !d.exportClause);
                statements = [
                  ...nonExports,
                  factory.createExportDeclaration(
                    /*modifiers*/
                    void 0,
                    /*isTypeOnly*/
                    false,
                    factory.createNamedExports(flatMap(exports22, (e) => cast(e.exportClause, isNamedExports).elements)),
                    /*moduleSpecifier*/
                    void 0
                  )
                ];
              }
              const reexports = filter(statements, (d) => isExportDeclaration(d) && !!d.moduleSpecifier && !!d.exportClause && isNamedExports(d.exportClause));
              if (length(reexports) > 1) {
                const groups = group(reexports, (decl) => isStringLiteral2(decl.moduleSpecifier) ? ">" + decl.moduleSpecifier.text : ">");
                if (groups.length !== reexports.length) {
                  for (const group2 of groups) {
                    if (group2.length > 1) {
                      statements = [
                        ...filter(statements, (s) => !group2.includes(s)),
                        factory.createExportDeclaration(
                          /*modifiers*/
                          void 0,
                          /*isTypeOnly*/
                          false,
                          factory.createNamedExports(flatMap(group2, (e) => cast(e.exportClause, isNamedExports).elements)),
                          group2[0].moduleSpecifier
                        )
                      ];
                    }
                  }
                }
              }
              return statements;
            }
            function inlineExportModifiers(statements) {
              const index = findIndex(statements, (d) => isExportDeclaration(d) && !d.moduleSpecifier && !d.attributes && !!d.exportClause && isNamedExports(d.exportClause));
              if (index >= 0) {
                const exportDecl = statements[index];
                const replacements = mapDefined(exportDecl.exportClause.elements, (e) => {
                  if (!e.propertyName) {
                    const indices = indicesOf(statements);
                    const associatedIndices = filter(indices, (i) => nodeHasName(statements[i], e.name));
                    if (length(associatedIndices) && every(associatedIndices, (i) => canHaveExportModifier(statements[i]))) {
                      for (const index2 of associatedIndices) {
                        statements[index2] = addExportModifier(statements[index2]);
                      }
                      return void 0;
                    }
                  }
                  return e;
                });
                if (!length(replacements)) {
                  orderedRemoveItemAt(statements, index);
                } else {
                  statements[index] = factory.updateExportDeclaration(
                    exportDecl,
                    exportDecl.modifiers,
                    exportDecl.isTypeOnly,
                    factory.updateNamedExports(
                      exportDecl.exportClause,
                      replacements
                    ),
                    exportDecl.moduleSpecifier,
                    exportDecl.attributes
                  );
                }
              }
              return statements;
            }
            function mergeRedundantStatements(statements) {
              statements = flattenExportAssignedNamespace(statements);
              statements = mergeExportDeclarations(statements);
              statements = inlineExportModifiers(statements);
              if (enclosingDeclaration && (isSourceFile(enclosingDeclaration) && isExternalOrCommonJsModule(enclosingDeclaration) || isModuleDeclaration(enclosingDeclaration)) && (!some(statements, isExternalModuleIndicator) || !hasScopeMarker(statements) && some(statements, needsScopeMarker))) {
                statements.push(createEmptyExports(factory));
              }
              return statements;
            }
            function addExportModifier(node) {
              const flags = (getEffectiveModifierFlags(node) | 32) & ~128;
              return factory.replaceModifiers(node, flags);
            }
            function removeExportModifier(node) {
              const flags = getEffectiveModifierFlags(node) & ~32;
              return factory.replaceModifiers(node, flags);
            }
            function visitSymbolTable(symbolTable2, suppressNewPrivateContext, propertyAsAlias) {
              if (!suppressNewPrivateContext) {
                deferredPrivatesStack.push(/* @__PURE__ */ new Map());
              }
              symbolTable2.forEach((symbol) => {
                serializeSymbol(
                  symbol,
                  /*isPrivate*/
                  false,
                  !!propertyAsAlias
                );
              });
              if (!suppressNewPrivateContext) {
                deferredPrivatesStack[deferredPrivatesStack.length - 1].forEach((symbol) => {
                  serializeSymbol(
                    symbol,
                    /*isPrivate*/
                    true,
                    !!propertyAsAlias
                  );
                });
                deferredPrivatesStack.pop();
              }
            }
            function serializeSymbol(symbol, isPrivate, propertyAsAlias) {
              void getPropertiesOfType(getTypeOfSymbol(symbol));
              const visitedSym = getMergedSymbol(symbol);
              if (visitedSymbols.has(getSymbolId(visitedSym))) {
                return;
              }
              visitedSymbols.add(getSymbolId(visitedSym));
              const skipMembershipCheck = !isPrivate;
              if (skipMembershipCheck || !!length(symbol.declarations) && some(symbol.declarations, (d) => !!findAncestor(d, (n) => n === enclosingDeclaration))) {
                const scopeCleanup = cloneNodeBuilderContext(context);
                serializeSymbolWorker(symbol, isPrivate, propertyAsAlias);
                scopeCleanup();
              }
            }
            function serializeSymbolWorker(symbol, isPrivate, propertyAsAlias, escapedSymbolName = symbol.escapedName) {
              var _a2, _b, _c, _d, _e, _f;
              const symbolName2 = unescapeLeadingUnderscores(escapedSymbolName);
              const isDefault = escapedSymbolName === "default";
              if (isPrivate && !(context.flags & 131072) && isStringANonContextualKeyword(symbolName2) && !isDefault) {
                context.encounteredError = true;
                return;
              }
              let needsPostExportDefault = isDefault && !!(symbol.flags & -113 || symbol.flags & 16 && length(getPropertiesOfType(getTypeOfSymbol(symbol)))) && !(symbol.flags & 2097152);
              let needsExportDeclaration = !needsPostExportDefault && !isPrivate && isStringANonContextualKeyword(symbolName2) && !isDefault;
              if (needsPostExportDefault || needsExportDeclaration) {
                isPrivate = true;
              }
              const modifierFlags = (!isPrivate ? 32 : 0) | (isDefault && !needsPostExportDefault ? 2048 : 0);
              const isConstMergedWithNS = symbol.flags & 1536 && symbol.flags & (2 | 1 | 4) && escapedSymbolName !== "export=";
              const isConstMergedWithNSPrintableAsSignatureMerge = isConstMergedWithNS && isTypeRepresentableAsFunctionNamespaceMerge(getTypeOfSymbol(symbol), symbol);
              if (symbol.flags & (16 | 8192) || isConstMergedWithNSPrintableAsSignatureMerge) {
                serializeAsFunctionNamespaceMerge(getTypeOfSymbol(symbol), symbol, getInternalSymbolName(symbol, symbolName2), modifierFlags);
              }
              if (symbol.flags & 524288) {
                serializeTypeAlias(symbol, symbolName2, modifierFlags);
              }
              if (symbol.flags & (2 | 1 | 4 | 98304) && escapedSymbolName !== "export=" && !(symbol.flags & 4194304) && !(symbol.flags & 32) && !(symbol.flags & 8192) && !isConstMergedWithNSPrintableAsSignatureMerge) {
                if (propertyAsAlias) {
                  const createdExport = serializeMaybeAliasAssignment(symbol);
                  if (createdExport) {
                    needsExportDeclaration = false;
                    needsPostExportDefault = false;
                  }
                } else {
                  const type = getTypeOfSymbol(symbol);
                  const localName = getInternalSymbolName(symbol, symbolName2);
                  if (type.symbol && type.symbol !== symbol && type.symbol.flags & 16 && some(type.symbol.declarations, isFunctionExpressionOrArrowFunction) && (((_a2 = type.symbol.members) == null ? void 0 : _a2.size) || ((_b = type.symbol.exports) == null ? void 0 : _b.size))) {
                    if (!context.remappedSymbolReferences) {
                      context.remappedSymbolReferences = /* @__PURE__ */ new Map();
                    }
                    context.remappedSymbolReferences.set(getSymbolId(type.symbol), symbol);
                    serializeSymbolWorker(type.symbol, isPrivate, propertyAsAlias, escapedSymbolName);
                    context.remappedSymbolReferences.delete(getSymbolId(type.symbol));
                  } else if (!(symbol.flags & 16) && isTypeRepresentableAsFunctionNamespaceMerge(type, symbol)) {
                    serializeAsFunctionNamespaceMerge(type, symbol, localName, modifierFlags);
                  } else {
                    const flags = !(symbol.flags & 2) ? ((_c = symbol.parent) == null ? void 0 : _c.valueDeclaration) && isSourceFile((_d = symbol.parent) == null ? void 0 : _d.valueDeclaration) ? 2 : void 0 : isConstantVariable(symbol) ? 2 : 1;
                    const name = needsPostExportDefault || !(symbol.flags & 4) ? localName : getUnusedName(localName, symbol);
                    let textRange = symbol.declarations && find(symbol.declarations, (d) => isVariableDeclaration(d));
                    if (textRange && isVariableDeclarationList(textRange.parent) && textRange.parent.declarations.length === 1) {
                      textRange = textRange.parent.parent;
                    }
                    const propertyAccessRequire = (_e = symbol.declarations) == null ? void 0 : _e.find(isPropertyAccessExpression);
                    if (propertyAccessRequire && isBinaryExpression(propertyAccessRequire.parent) && isIdentifier(propertyAccessRequire.parent.right) && ((_f = type.symbol) == null ? void 0 : _f.valueDeclaration) && isSourceFile(type.symbol.valueDeclaration)) {
                      const alias = localName === propertyAccessRequire.parent.right.escapedText ? void 0 : propertyAccessRequire.parent.right;
                      addResult(
                        factory.createExportDeclaration(
                          /*modifiers*/
                          void 0,
                          /*isTypeOnly*/
                          false,
                          factory.createNamedExports([factory.createExportSpecifier(
                            /*isTypeOnly*/
                            false,
                            alias,
                            localName
                          )])
                        ),
                        0
                        /* None */
                      );
                      context.tracker.trackSymbol(
                        type.symbol,
                        context.enclosingDeclaration,
                        111551
                        /* Value */
                      );
                    } else {
                      const statement = setTextRange2(
                        context,
                        factory.createVariableStatement(
                          /*modifiers*/
                          void 0,
                          factory.createVariableDeclarationList([
                            factory.createVariableDeclaration(
                              name,
                              /*exclamationToken*/
                              void 0,
                              serializeTypeForDeclaration(
                                context,
                                /*declaration*/
                                void 0,
                                type,
                                symbol
                              )
                            )
                          ], flags)
                        ),
                        textRange
                      );
                      addResult(statement, name !== localName ? modifierFlags & ~32 : modifierFlags);
                      if (name !== localName && !isPrivate) {
                        addResult(
                          factory.createExportDeclaration(
                            /*modifiers*/
                            void 0,
                            /*isTypeOnly*/
                            false,
                            factory.createNamedExports([factory.createExportSpecifier(
                              /*isTypeOnly*/
                              false,
                              name,
                              localName
                            )])
                          ),
                          0
                          /* None */
                        );
                        needsExportDeclaration = false;
                        needsPostExportDefault = false;
                      }
                    }
                  }
                }
              }
              if (symbol.flags & 384) {
                serializeEnum(symbol, symbolName2, modifierFlags);
              }
              if (symbol.flags & 32) {
                if (symbol.flags & 4 && symbol.valueDeclaration && isBinaryExpression(symbol.valueDeclaration.parent) && isClassExpression(symbol.valueDeclaration.parent.right)) {
                  serializeAsAlias(symbol, getInternalSymbolName(symbol, symbolName2), modifierFlags);
                } else {
                  serializeAsClass(symbol, getInternalSymbolName(symbol, symbolName2), modifierFlags);
                }
              }
              if (symbol.flags & (512 | 1024) && (!isConstMergedWithNS || isTypeOnlyNamespace(symbol)) || isConstMergedWithNSPrintableAsSignatureMerge) {
                serializeModule(symbol, symbolName2, modifierFlags);
              }
              if (symbol.flags & 64 && !(symbol.flags & 32)) {
                serializeInterface(symbol, symbolName2, modifierFlags);
              }
              if (symbol.flags & 2097152) {
                serializeAsAlias(symbol, getInternalSymbolName(symbol, symbolName2), modifierFlags);
              }
              if (symbol.flags & 4 && symbol.escapedName === "export=") {
                serializeMaybeAliasAssignment(symbol);
              }
              if (symbol.flags & 8388608) {
                if (symbol.declarations) {
                  for (const node of symbol.declarations) {
                    const resolvedModule = resolveExternalModuleName(node, node.moduleSpecifier);
                    if (!resolvedModule) continue;
                    addResult(
                      factory.createExportDeclaration(
                        /*modifiers*/
                        void 0,
                        /*isTypeOnly*/
                        node.isTypeOnly,
                        /*exportClause*/
                        void 0,
                        factory.createStringLiteral(getSpecifierForModuleSymbol(resolvedModule, context))
                      ),
                      0
                      /* None */
                    );
                  }
                }
              }
              if (needsPostExportDefault) {
                addResult(
                  factory.createExportAssignment(
                    /*modifiers*/
                    void 0,
                    /*isExportEquals*/
                    false,
                    factory.createIdentifier(getInternalSymbolName(symbol, symbolName2))
                  ),
                  0
                  /* None */
                );
              } else if (needsExportDeclaration) {
                addResult(
                  factory.createExportDeclaration(
                    /*modifiers*/
                    void 0,
                    /*isTypeOnly*/
                    false,
                    factory.createNamedExports([factory.createExportSpecifier(
                      /*isTypeOnly*/
                      false,
                      getInternalSymbolName(symbol, symbolName2),
                      symbolName2
                    )])
                  ),
                  0
                  /* None */
                );
              }
            }
            function includePrivateSymbol(symbol) {
              if (some(symbol.declarations, isPartOfParameterDeclaration)) return;
              Debug.assertIsDefined(deferredPrivatesStack[deferredPrivatesStack.length - 1]);
              getUnusedName(unescapeLeadingUnderscores(symbol.escapedName), symbol);
              const isExternalImportAlias = !!(symbol.flags & 2097152) && !some(symbol.declarations, (d) => !!findAncestor(d, isExportDeclaration) || isNamespaceExport(d) || isImportEqualsDeclaration(d) && !isExternalModuleReference(d.moduleReference));
              deferredPrivatesStack[isExternalImportAlias ? 0 : deferredPrivatesStack.length - 1].set(getSymbolId(symbol), symbol);
            }
            function isExportingScope(enclosingDeclaration2) {
              return isSourceFile(enclosingDeclaration2) && (isExternalOrCommonJsModule(enclosingDeclaration2) || isJsonSourceFile(enclosingDeclaration2)) || isAmbientModule(enclosingDeclaration2) && !isGlobalScopeAugmentation(enclosingDeclaration2);
            }
            function addResult(node, additionalModifierFlags) {
              if (canHaveModifiers(node)) {
                let newModifierFlags = 0;
                const enclosingDeclaration2 = context.enclosingDeclaration && (isJSDocTypeAlias(context.enclosingDeclaration) ? getSourceFileOfNode(context.enclosingDeclaration) : context.enclosingDeclaration);
                if (additionalModifierFlags & 32 && enclosingDeclaration2 && (isExportingScope(enclosingDeclaration2) || isModuleDeclaration(enclosingDeclaration2)) && canHaveExportModifier(node)) {
                  newModifierFlags |= 32;
                }
                if (addingDeclare && !(newModifierFlags & 32) && (!enclosingDeclaration2 || !(enclosingDeclaration2.flags & 33554432)) && (isEnumDeclaration(node) || isVariableStatement(node) || isFunctionDeclaration(node) || isClassDeclaration(node) || isModuleDeclaration(node))) {
                  newModifierFlags |= 128;
                }
                if (additionalModifierFlags & 2048 && (isClassDeclaration(node) || isInterfaceDeclaration(node) || isFunctionDeclaration(node))) {
                  newModifierFlags |= 2048;
                }
                if (newModifierFlags) {
                  node = factory.replaceModifiers(node, newModifierFlags | getEffectiveModifierFlags(node));
                }
              }
              results.push(node);
            }
            function serializeTypeAlias(symbol, symbolName2, modifierFlags) {
              var _a2;
              const aliasType = getDeclaredTypeOfTypeAlias(symbol);
              const typeParams = getSymbolLinks(symbol).typeParameters;
              const typeParamDecls = map(typeParams, (p) => typeParameterToDeclaration(p, context));
              const jsdocAliasDecl = (_a2 = symbol.declarations) == null ? void 0 : _a2.find(isJSDocTypeAlias);
              const commentText = getTextOfJSDocComment(jsdocAliasDecl ? jsdocAliasDecl.comment || jsdocAliasDecl.parent.comment : void 0);
              const oldFlags = context.flags;
              context.flags |= 8388608;
              const oldEnclosingDecl = context.enclosingDeclaration;
              context.enclosingDeclaration = jsdocAliasDecl;
              const typeNode = jsdocAliasDecl && jsdocAliasDecl.typeExpression && isJSDocTypeExpression(jsdocAliasDecl.typeExpression) && tryReuseExistingNonParameterTypeNode(
                context,
                jsdocAliasDecl.typeExpression.type,
                aliasType,
                /*host*/
                void 0
              ) || typeToTypeNodeHelper(aliasType, context);
              addResult(
                setSyntheticLeadingComments(
                  factory.createTypeAliasDeclaration(
                    /*modifiers*/
                    void 0,
                    getInternalSymbolName(symbol, symbolName2),
                    typeParamDecls,
                    typeNode
                  ),
                  !commentText ? [] : [{ kind: 3, text: "*\n * " + commentText.replace(/\n/g, "\n * ") + "\n ", pos: -1, end: -1, hasTrailingNewLine: true }]
                ),
                modifierFlags
              );
              context.flags = oldFlags;
              context.enclosingDeclaration = oldEnclosingDecl;
            }
            function serializeInterface(symbol, symbolName2, modifierFlags) {
              const interfaceType = getDeclaredTypeOfClassOrInterface(symbol);
              const localParams = getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol);
              const typeParamDecls = map(localParams, (p) => typeParameterToDeclaration(p, context));
              const baseTypes = getBaseTypes(interfaceType);
              const baseType = length(baseTypes) ? getIntersectionType(baseTypes) : void 0;
              const members = flatMap(getPropertiesOfType(interfaceType), (p) => serializePropertySymbolForInterface(p, baseType));
              const callSignatures = serializeSignatures(
                0,
                interfaceType,
                baseType,
                179
                /* CallSignature */
              );
              const constructSignatures = serializeSignatures(
                1,
                interfaceType,
                baseType,
                180
                /* ConstructSignature */
              );
              const indexSignatures = serializeIndexSignatures(interfaceType, baseType);
              const heritageClauses = !length(baseTypes) ? void 0 : [factory.createHeritageClause(96, mapDefined(baseTypes, (b) => trySerializeAsTypeReference(
                b,
                111551
                /* Value */
              )))];
              addResult(
                factory.createInterfaceDeclaration(
                  /*modifiers*/
                  void 0,
                  getInternalSymbolName(symbol, symbolName2),
                  typeParamDecls,
                  heritageClauses,
                  [...indexSignatures, ...constructSignatures, ...callSignatures, ...members]
                ),
                modifierFlags
              );
            }
            function getNamespaceMembersForSerialization(symbol) {
              let exports22 = arrayFrom(getExportsOfSymbol(symbol).values());
              const merged = getMergedSymbol(symbol);
              if (merged !== symbol) {
                const membersSet = new Set(exports22);
                for (const exported of getExportsOfSymbol(merged).values()) {
                  if (!(getSymbolFlags(resolveSymbol(exported)) & 111551)) {
                    membersSet.add(exported);
                  }
                }
                exports22 = arrayFrom(membersSet);
              }
              return filter(exports22, (m) => isNamespaceMember(m) && isIdentifierText(
                m.escapedName,
                99
                /* ESNext */
              ));
            }
            function isTypeOnlyNamespace(symbol) {
              return every(getNamespaceMembersForSerialization(symbol), (m) => !(getSymbolFlags(resolveSymbol(m)) & 111551));
            }
            function serializeModule(symbol, symbolName2, modifierFlags) {
              const members = getNamespaceMembersForSerialization(symbol);
              const locationMap = arrayToMultiMap(members, (m) => m.parent && m.parent === symbol ? "real" : "merged");
              const realMembers = locationMap.get("real") || emptyArray;
              const mergedMembers = locationMap.get("merged") || emptyArray;
              if (length(realMembers)) {
                const localName = getInternalSymbolName(symbol, symbolName2);
                serializeAsNamespaceDeclaration(realMembers, localName, modifierFlags, !!(symbol.flags & (16 | 67108864)));
              }
              if (length(mergedMembers)) {
                const containingFile = getSourceFileOfNode(context.enclosingDeclaration);
                const localName = getInternalSymbolName(symbol, symbolName2);
                const nsBody = factory.createModuleBlock([factory.createExportDeclaration(
                  /*modifiers*/
                  void 0,
                  /*isTypeOnly*/
                  false,
                  factory.createNamedExports(mapDefined(filter(
                    mergedMembers,
                    (n) => n.escapedName !== "export="
                    /* ExportEquals */
                  ), (s) => {
                    var _a2, _b;
                    const name = unescapeLeadingUnderscores(s.escapedName);
                    const localName2 = getInternalSymbolName(s, name);
                    const aliasDecl = s.declarations && getDeclarationOfAliasSymbol(s);
                    if (containingFile && (aliasDecl ? containingFile !== getSourceFileOfNode(aliasDecl) : !some(s.declarations, (d) => getSourceFileOfNode(d) === containingFile))) {
                      (_b = (_a2 = context.tracker) == null ? void 0 : _a2.reportNonlocalAugmentation) == null ? void 0 : _b.call(_a2, containingFile, symbol, s);
                      return void 0;
                    }
                    const target = aliasDecl && getTargetOfAliasDeclaration(
                      aliasDecl,
                      /*dontRecursivelyResolve*/
                      true
                    );
                    includePrivateSymbol(target || s);
                    const targetName = target ? getInternalSymbolName(target, unescapeLeadingUnderscores(target.escapedName)) : localName2;
                    return factory.createExportSpecifier(
                      /*isTypeOnly*/
                      false,
                      name === targetName ? void 0 : targetName,
                      name
                    );
                  }))
                )]);
                addResult(
                  factory.createModuleDeclaration(
                    /*modifiers*/
                    void 0,
                    factory.createIdentifier(localName),
                    nsBody,
                    32
                    /* Namespace */
                  ),
                  0
                  /* None */
                );
              }
            }
            function serializeEnum(symbol, symbolName2, modifierFlags) {
              addResult(
                factory.createEnumDeclaration(
                  factory.createModifiersFromModifierFlags(isConstEnumSymbol(symbol) ? 4096 : 0),
                  getInternalSymbolName(symbol, symbolName2),
                  map(filter(getPropertiesOfType(getTypeOfSymbol(symbol)), (p) => !!(p.flags & 8)), (p) => {
                    const initializedValue = p.declarations && p.declarations[0] && isEnumMember(p.declarations[0]) ? getConstantValue2(p.declarations[0]) : void 0;
                    return factory.createEnumMember(
                      unescapeLeadingUnderscores(p.escapedName),
                      initializedValue === void 0 ? void 0 : typeof initializedValue === "string" ? factory.createStringLiteral(initializedValue) : factory.createNumericLiteral(initializedValue)
                    );
                  })
                ),
                modifierFlags
              );
            }
            function serializeAsFunctionNamespaceMerge(type, symbol, localName, modifierFlags) {
              const signatures = getSignaturesOfType(
                type,
                0
                /* Call */
              );
              for (const sig of signatures) {
                const decl = signatureToSignatureDeclarationHelper(sig, 262, context, { name: factory.createIdentifier(localName) });
                addResult(setTextRange2(context, decl, getSignatureTextRangeLocation(sig)), modifierFlags);
              }
              if (!(symbol.flags & (512 | 1024) && !!symbol.exports && !!symbol.exports.size)) {
                const props = filter(getPropertiesOfType(type), isNamespaceMember);
                serializeAsNamespaceDeclaration(
                  props,
                  localName,
                  modifierFlags,
                  /*suppressNewPrivateContext*/
                  true
                );
              }
            }
            function getSignatureTextRangeLocation(signature) {
              if (signature.declaration && signature.declaration.parent) {
                if (isBinaryExpression(signature.declaration.parent) && getAssignmentDeclarationKind(signature.declaration.parent) === 5) {
                  return signature.declaration.parent;
                }
                if (isVariableDeclaration(signature.declaration.parent) && signature.declaration.parent.parent) {
                  return signature.declaration.parent.parent;
                }
              }
              return signature.declaration;
            }
            function serializeAsNamespaceDeclaration(props, localName, modifierFlags, suppressNewPrivateContext) {
              if (length(props)) {
                const localVsRemoteMap = arrayToMultiMap(props, (p) => !length(p.declarations) || some(p.declarations, (d) => getSourceFileOfNode(d) === getSourceFileOfNode(context.enclosingDeclaration)) ? "local" : "remote");
                const localProps = localVsRemoteMap.get("local") || emptyArray;
                let fakespace = parseNodeFactory.createModuleDeclaration(
                  /*modifiers*/
                  void 0,
                  factory.createIdentifier(localName),
                  factory.createModuleBlock([]),
                  32
                  /* Namespace */
                );
                setParent(fakespace, enclosingDeclaration);
                fakespace.locals = createSymbolTable(props);
                fakespace.symbol = props[0].parent;
                const oldResults = results;
                results = [];
                const oldAddingDeclare = addingDeclare;
                addingDeclare = false;
                const subcontext = { ...context, enclosingDeclaration: fakespace };
                const oldContext = context;
                context = subcontext;
                visitSymbolTable(
                  createSymbolTable(localProps),
                  suppressNewPrivateContext,
                  /*propertyAsAlias*/
                  true
                );
                context = oldContext;
                addingDeclare = oldAddingDeclare;
                const declarations = results;
                results = oldResults;
                const defaultReplaced = map(declarations, (d) => isExportAssignment(d) && !d.isExportEquals && isIdentifier(d.expression) ? factory.createExportDeclaration(
                  /*modifiers*/
                  void 0,
                  /*isTypeOnly*/
                  false,
                  factory.createNamedExports([factory.createExportSpecifier(
                    /*isTypeOnly*/
                    false,
                    d.expression,
                    factory.createIdentifier(
                      "default"
                      /* Default */
                    )
                  )])
                ) : d);
                const exportModifierStripped = every(defaultReplaced, (d) => hasSyntacticModifier(
                  d,
                  32
                  /* Export */
                )) ? map(defaultReplaced, removeExportModifier) : defaultReplaced;
                fakespace = factory.updateModuleDeclaration(
                  fakespace,
                  fakespace.modifiers,
                  fakespace.name,
                  factory.createModuleBlock(exportModifierStripped)
                );
                addResult(fakespace, modifierFlags);
              }
            }
            function isNamespaceMember(p) {
              return !!(p.flags & (788968 | 1920 | 2097152)) || !(p.flags & 4194304 || p.escapedName === "prototype" || p.valueDeclaration && isStatic(p.valueDeclaration) && isClassLike(p.valueDeclaration.parent));
            }
            function sanitizeJSDocImplements(clauses) {
              const result = mapDefined(clauses, (e) => {
                const oldEnclosing = context.enclosingDeclaration;
                context.enclosingDeclaration = e;
                let expr = e.expression;
                if (isEntityNameExpression(expr)) {
                  if (isIdentifier(expr) && idText(expr) === "") {
                    return cleanup(
                      /*result*/
                      void 0
                    );
                  }
                  let introducesError;
                  ({ introducesError, node: expr } = trackExistingEntityName(expr, context));
                  if (introducesError) {
                    return cleanup(
                      /*result*/
                      void 0
                    );
                  }
                }
                return cleanup(factory.createExpressionWithTypeArguments(
                  expr,
                  map(e.typeArguments, (a) => tryReuseExistingNonParameterTypeNode(context, a, getTypeFromTypeNode2(context, a)) || typeToTypeNodeHelper(getTypeFromTypeNode2(context, a), context))
                ));
                function cleanup(result2) {
                  context.enclosingDeclaration = oldEnclosing;
                  return result2;
                }
              });
              if (result.length === clauses.length) {
                return result;
              }
              return void 0;
            }
            function serializeAsClass(symbol, localName, modifierFlags) {
              var _a2, _b;
              const originalDecl = (_a2 = symbol.declarations) == null ? void 0 : _a2.find(isClassLike);
              const oldEnclosing = context.enclosingDeclaration;
              context.enclosingDeclaration = originalDecl || oldEnclosing;
              const localParams = getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol);
              const typeParamDecls = map(localParams, (p) => typeParameterToDeclaration(p, context));
              const classType = getTypeWithThisArgument(getDeclaredTypeOfClassOrInterface(symbol));
              const baseTypes = getBaseTypes(classType);
              const originalImplements = originalDecl && getEffectiveImplementsTypeNodes(originalDecl);
              const implementsExpressions = originalImplements && sanitizeJSDocImplements(originalImplements) || mapDefined(getImplementsTypes(classType), serializeImplementedType);
              const staticType = getTypeOfSymbol(symbol);
              const isClass = !!((_b = staticType.symbol) == null ? void 0 : _b.valueDeclaration) && isClassLike(staticType.symbol.valueDeclaration);
              const staticBaseType = isClass ? getBaseConstructorTypeOfClass(staticType) : anyType2;
              const heritageClauses = [
                ...!length(baseTypes) ? [] : [factory.createHeritageClause(96, map(baseTypes, (b) => serializeBaseType(b, staticBaseType, localName)))],
                ...!length(implementsExpressions) ? [] : [factory.createHeritageClause(119, implementsExpressions)]
              ];
              const symbolProps = getNonInheritedProperties(classType, baseTypes, getPropertiesOfType(classType));
              const publicSymbolProps = filter(symbolProps, (s) => {
                const valueDecl = s.valueDeclaration;
                return !!valueDecl && !(isNamedDeclaration(valueDecl) && isPrivateIdentifier(valueDecl.name));
              });
              const hasPrivateIdentifier = some(symbolProps, (s) => {
                const valueDecl = s.valueDeclaration;
                return !!valueDecl && isNamedDeclaration(valueDecl) && isPrivateIdentifier(valueDecl.name);
              });
              const privateProperties = hasPrivateIdentifier ? [factory.createPropertyDeclaration(
                /*modifiers*/
                void 0,
                factory.createPrivateIdentifier("#private"),
                /*questionOrExclamationToken*/
                void 0,
                /*type*/
                void 0,
                /*initializer*/
                void 0
              )] : emptyArray;
              const publicProperties = flatMap(publicSymbolProps, (p) => serializePropertySymbolForClass(
                p,
                /*isStatic*/
                false,
                baseTypes[0]
              ));
              const staticMembers = flatMap(
                filter(getPropertiesOfType(staticType), (p) => !(p.flags & 4194304) && p.escapedName !== "prototype" && !isNamespaceMember(p)),
                (p) => serializePropertySymbolForClass(
                  p,
                  /*isStatic*/
                  true,
                  staticBaseType
                )
              );
              const isNonConstructableClassLikeInJsFile = !isClass && !!symbol.valueDeclaration && isInJSFile(symbol.valueDeclaration) && !some(getSignaturesOfType(
                staticType,
                1
                /* Construct */
              ));
              const constructors = isNonConstructableClassLikeInJsFile ? [factory.createConstructorDeclaration(
                factory.createModifiersFromModifierFlags(
                  2
                  /* Private */
                ),
                [],
                /*body*/
                void 0
              )] : serializeSignatures(
                1,
                staticType,
                staticBaseType,
                176
                /* Constructor */
              );
              const indexSignatures = serializeIndexSignatures(classType, baseTypes[0]);
              context.enclosingDeclaration = oldEnclosing;
              addResult(
                setTextRange2(
                  context,
                  factory.createClassDeclaration(
                    /*modifiers*/
                    void 0,
                    localName,
                    typeParamDecls,
                    heritageClauses,
                    [...indexSignatures, ...staticMembers, ...constructors, ...publicProperties, ...privateProperties]
                  ),
                  symbol.declarations && filter(symbol.declarations, (d) => isClassDeclaration(d) || isClassExpression(d))[0]
                ),
                modifierFlags
              );
            }
            function getSomeTargetNameFromDeclarations(declarations) {
              return firstDefined(declarations, (d) => {
                if (isImportSpecifier(d) || isExportSpecifier(d)) {
                  return idText(d.propertyName || d.name);
                }
                if (isBinaryExpression(d) || isExportAssignment(d)) {
                  const expression = isExportAssignment(d) ? d.expression : d.right;
                  if (isPropertyAccessExpression(expression)) {
                    return idText(expression.name);
                  }
                }
                if (isAliasSymbolDeclaration2(d)) {
                  const name = getNameOfDeclaration(d);
                  if (name && isIdentifier(name)) {
                    return idText(name);
                  }
                }
                return void 0;
              });
            }
            function serializeAsAlias(symbol, localName, modifierFlags) {
              var _a2, _b, _c, _d, _e, _f;
              const node = getDeclarationOfAliasSymbol(symbol);
              if (!node) return Debug.fail();
              const target = getMergedSymbol(getTargetOfAliasDeclaration(
                node,
                /*dontRecursivelyResolve*/
                true
              ));
              if (!target) {
                return;
              }
              let verbatimTargetName = isShorthandAmbientModuleSymbol(target) && getSomeTargetNameFromDeclarations(symbol.declarations) || unescapeLeadingUnderscores(target.escapedName);
              if (verbatimTargetName === "export=" && allowSyntheticDefaultImports) {
                verbatimTargetName = "default";
              }
              const targetName = getInternalSymbolName(target, verbatimTargetName);
              includePrivateSymbol(target);
              switch (node.kind) {
                case 208:
                  if (((_b = (_a2 = node.parent) == null ? void 0 : _a2.parent) == null ? void 0 : _b.kind) === 260) {
                    const specifier2 = getSpecifierForModuleSymbol(target.parent || target, context);
                    const { propertyName } = node;
                    addResult(
                      factory.createImportDeclaration(
                        /*modifiers*/
                        void 0,
                        factory.createImportClause(
                          /*isTypeOnly*/
                          false,
                          /*name*/
                          void 0,
                          factory.createNamedImports([factory.createImportSpecifier(
                            /*isTypeOnly*/
                            false,
                            propertyName && isIdentifier(propertyName) ? factory.createIdentifier(idText(propertyName)) : void 0,
                            factory.createIdentifier(localName)
                          )])
                        ),
                        factory.createStringLiteral(specifier2),
                        /*attributes*/
                        void 0
                      ),
                      0
                      /* None */
                    );
                    break;
                  }
                  Debug.failBadSyntaxKind(((_c = node.parent) == null ? void 0 : _c.parent) || node, "Unhandled binding element grandparent kind in declaration serialization");
                  break;
                case 304:
                  if (((_e = (_d = node.parent) == null ? void 0 : _d.parent) == null ? void 0 : _e.kind) === 226) {
                    serializeExportSpecifier(
                      unescapeLeadingUnderscores(symbol.escapedName),
                      targetName
                    );
                  }
                  break;
                case 260:
                  if (isPropertyAccessExpression(node.initializer)) {
                    const initializer = node.initializer;
                    const uniqueName = factory.createUniqueName(localName);
                    const specifier2 = getSpecifierForModuleSymbol(target.parent || target, context);
                    addResult(
                      factory.createImportEqualsDeclaration(
                        /*modifiers*/
                        void 0,
                        /*isTypeOnly*/
                        false,
                        uniqueName,
                        factory.createExternalModuleReference(factory.createStringLiteral(specifier2))
                      ),
                      0
                      /* None */
                    );
                    addResult(
                      factory.createImportEqualsDeclaration(
                        /*modifiers*/
                        void 0,
                        /*isTypeOnly*/
                        false,
                        factory.createIdentifier(localName),
                        factory.createQualifiedName(uniqueName, initializer.name)
                      ),
                      modifierFlags
                    );
                    break;
                  }
                case 271:
                  if (target.escapedName === "export=" && some(target.declarations, (d) => isSourceFile(d) && isJsonSourceFile(d))) {
                    serializeMaybeAliasAssignment(symbol);
                    break;
                  }
                  const isLocalImport = !(target.flags & 512) && !isVariableDeclaration(node);
                  addResult(
                    factory.createImportEqualsDeclaration(
                      /*modifiers*/
                      void 0,
                      /*isTypeOnly*/
                      false,
                      factory.createIdentifier(localName),
                      isLocalImport ? symbolToName(
                        target,
                        context,
                        -1,
                        /*expectsIdentifier*/
                        false
                      ) : factory.createExternalModuleReference(factory.createStringLiteral(getSpecifierForModuleSymbol(target, context)))
                    ),
                    isLocalImport ? modifierFlags : 0
                    /* None */
                  );
                  break;
                case 270:
                  addResult(
                    factory.createNamespaceExportDeclaration(idText(node.name)),
                    0
                    /* None */
                  );
                  break;
                case 273: {
                  const generatedSpecifier = getSpecifierForModuleSymbol(target.parent || target, context);
                  const specifier2 = context.bundled ? factory.createStringLiteral(generatedSpecifier) : node.parent.moduleSpecifier;
                  const attributes = isImportDeclaration(node.parent) ? node.parent.attributes : void 0;
                  const isTypeOnly = isJSDocImportTag(node.parent);
                  addResult(
                    factory.createImportDeclaration(
                      /*modifiers*/
                      void 0,
                      factory.createImportClause(
                        isTypeOnly,
                        factory.createIdentifier(localName),
                        /*namedBindings*/
                        void 0
                      ),
                      specifier2,
                      attributes
                    ),
                    0
                    /* None */
                  );
                  break;
                }
                case 274: {
                  const generatedSpecifier = getSpecifierForModuleSymbol(target.parent || target, context);
                  const specifier2 = context.bundled ? factory.createStringLiteral(generatedSpecifier) : node.parent.parent.moduleSpecifier;
                  const isTypeOnly = isJSDocImportTag(node.parent.parent);
                  addResult(
                    factory.createImportDeclaration(
                      /*modifiers*/
                      void 0,
                      factory.createImportClause(
                        isTypeOnly,
                        /*name*/
                        void 0,
                        factory.createNamespaceImport(factory.createIdentifier(localName))
                      ),
                      specifier2,
                      node.parent.attributes
                    ),
                    0
                    /* None */
                  );
                  break;
                }
                case 280:
                  addResult(
                    factory.createExportDeclaration(
                      /*modifiers*/
                      void 0,
                      /*isTypeOnly*/
                      false,
                      factory.createNamespaceExport(factory.createIdentifier(localName)),
                      factory.createStringLiteral(getSpecifierForModuleSymbol(target, context))
                    ),
                    0
                    /* None */
                  );
                  break;
                case 276: {
                  const generatedSpecifier = getSpecifierForModuleSymbol(target.parent || target, context);
                  const specifier2 = context.bundled ? factory.createStringLiteral(generatedSpecifier) : node.parent.parent.parent.moduleSpecifier;
                  const isTypeOnly = isJSDocImportTag(node.parent.parent.parent);
                  addResult(
                    factory.createImportDeclaration(
                      /*modifiers*/
                      void 0,
                      factory.createImportClause(
                        isTypeOnly,
                        /*name*/
                        void 0,
                        factory.createNamedImports([
                          factory.createImportSpecifier(
                            /*isTypeOnly*/
                            false,
                            localName !== verbatimTargetName ? factory.createIdentifier(verbatimTargetName) : void 0,
                            factory.createIdentifier(localName)
                          )
                        ])
                      ),
                      specifier2,
                      node.parent.parent.parent.attributes
                    ),
                    0
                    /* None */
                  );
                  break;
                }
                case 281:
                  const specifier = node.parent.parent.moduleSpecifier;
                  if (specifier && ((_f = node.propertyName) == null ? void 0 : _f.escapedText) === "default") {
                    verbatimTargetName = "default";
                  }
                  serializeExportSpecifier(
                    unescapeLeadingUnderscores(symbol.escapedName),
                    specifier ? verbatimTargetName : targetName,
                    specifier && isStringLiteralLike(specifier) ? factory.createStringLiteral(specifier.text) : void 0
                  );
                  break;
                case 277:
                  serializeMaybeAliasAssignment(symbol);
                  break;
                case 226:
                case 211:
                case 212:
                  if (symbol.escapedName === "default" || symbol.escapedName === "export=") {
                    serializeMaybeAliasAssignment(symbol);
                  } else {
                    serializeExportSpecifier(localName, targetName);
                  }
                  break;
                default:
                  return Debug.failBadSyntaxKind(node, "Unhandled alias declaration kind in symbol serializer!");
              }
            }
            function serializeExportSpecifier(localName, targetName, specifier) {
              addResult(
                factory.createExportDeclaration(
                  /*modifiers*/
                  void 0,
                  /*isTypeOnly*/
                  false,
                  factory.createNamedExports([factory.createExportSpecifier(
                    /*isTypeOnly*/
                    false,
                    localName !== targetName ? targetName : void 0,
                    localName
                  )]),
                  specifier
                ),
                0
                /* None */
              );
            }
            function serializeMaybeAliasAssignment(symbol) {
              var _a2;
              if (symbol.flags & 4194304) {
                return false;
              }
              const name = unescapeLeadingUnderscores(symbol.escapedName);
              const isExportEquals = name === "export=";
              const isDefault = name === "default";
              const isExportAssignmentCompatibleSymbolName = isExportEquals || isDefault;
              const aliasDecl = symbol.declarations && getDeclarationOfAliasSymbol(symbol);
              const target = aliasDecl && getTargetOfAliasDeclaration(
                aliasDecl,
                /*dontRecursivelyResolve*/
                true
              );
              if (target && length(target.declarations) && some(target.declarations, (d) => getSourceFileOfNode(d) === getSourceFileOfNode(enclosingDeclaration))) {
                const expr = aliasDecl && (isExportAssignment(aliasDecl) || isBinaryExpression(aliasDecl) ? getExportAssignmentExpression(aliasDecl) : getPropertyAssignmentAliasLikeExpression(aliasDecl));
                const first2 = expr && isEntityNameExpression(expr) ? getFirstNonModuleExportsIdentifier(expr) : void 0;
                const referenced = first2 && resolveEntityName(
                  first2,
                  -1,
                  /*ignoreErrors*/
                  true,
                  /*dontResolveAlias*/
                  true,
                  enclosingDeclaration
                );
                if (referenced || target) {
                  includePrivateSymbol(referenced || target);
                }
                const prevDisableTrackSymbol = context.tracker.disableTrackSymbol;
                context.tracker.disableTrackSymbol = true;
                if (isExportAssignmentCompatibleSymbolName) {
                  results.push(factory.createExportAssignment(
                    /*modifiers*/
                    void 0,
                    isExportEquals,
                    symbolToExpression(
                      target,
                      context,
                      -1
                      /* All */
                    )
                  ));
                } else {
                  if (first2 === expr && first2) {
                    serializeExportSpecifier(name, idText(first2));
                  } else if (expr && isClassExpression(expr)) {
                    serializeExportSpecifier(name, getInternalSymbolName(target, symbolName(target)));
                  } else {
                    const varName = getUnusedName(name, symbol);
                    addResult(
                      factory.createImportEqualsDeclaration(
                        /*modifiers*/
                        void 0,
                        /*isTypeOnly*/
                        false,
                        factory.createIdentifier(varName),
                        symbolToName(
                          target,
                          context,
                          -1,
                          /*expectsIdentifier*/
                          false
                        )
                      ),
                      0
                      /* None */
                    );
                    serializeExportSpecifier(name, varName);
                  }
                }
                context.tracker.disableTrackSymbol = prevDisableTrackSymbol;
                return true;
              } else {
                const varName = getUnusedName(name, symbol);
                const typeToSerialize = getWidenedType(getTypeOfSymbol(getMergedSymbol(symbol)));
                if (isTypeRepresentableAsFunctionNamespaceMerge(typeToSerialize, symbol)) {
                  serializeAsFunctionNamespaceMerge(
                    typeToSerialize,
                    symbol,
                    varName,
                    isExportAssignmentCompatibleSymbolName ? 0 : 32
                    /* Export */
                  );
                } else {
                  const flags = ((_a2 = context.enclosingDeclaration) == null ? void 0 : _a2.kind) === 267 && (!(symbol.flags & 98304) || symbol.flags & 65536) ? 1 : 2;
                  const statement = factory.createVariableStatement(
                    /*modifiers*/
                    void 0,
                    factory.createVariableDeclarationList([
                      factory.createVariableDeclaration(
                        varName,
                        /*exclamationToken*/
                        void 0,
                        serializeTypeForDeclaration(
                          context,
                          /*declaration*/
                          void 0,
                          typeToSerialize,
                          symbol
                        )
                      )
                    ], flags)
                  );
                  addResult(
                    statement,
                    target && target.flags & 4 && target.escapedName === "export=" ? 128 : name === varName ? 32 : 0
                    /* None */
                  );
                }
                if (isExportAssignmentCompatibleSymbolName) {
                  results.push(factory.createExportAssignment(
                    /*modifiers*/
                    void 0,
                    isExportEquals,
                    factory.createIdentifier(varName)
                  ));
                  return true;
                } else if (name !== varName) {
                  serializeExportSpecifier(name, varName);
                  return true;
                }
                return false;
              }
            }
            function isTypeRepresentableAsFunctionNamespaceMerge(typeToSerialize, hostSymbol) {
              var _a2;
              const ctxSrc = getSourceFileOfNode(context.enclosingDeclaration);
              return getObjectFlags(typeToSerialize) & (16 | 32) && !some((_a2 = typeToSerialize.symbol) == null ? void 0 : _a2.declarations, isTypeNode) && // If the type comes straight from a type node, we shouldn't try to break it up
              !length(getIndexInfosOfType(typeToSerialize)) && !isClassInstanceSide(typeToSerialize) && // While a class instance is potentially representable as a NS, prefer printing a reference to the instance type and serializing the class
              !!(length(filter(getPropertiesOfType(typeToSerialize), isNamespaceMember)) || length(getSignaturesOfType(
                typeToSerialize,
                0
                /* Call */
              ))) && !length(getSignaturesOfType(
                typeToSerialize,
                1
                /* Construct */
              )) && // TODO: could probably serialize as function + ns + class, now that that's OK
              !getDeclarationWithTypeAnnotation(hostSymbol, enclosingDeclaration) && !(typeToSerialize.symbol && some(typeToSerialize.symbol.declarations, (d) => getSourceFileOfNode(d) !== ctxSrc)) && !some(getPropertiesOfType(typeToSerialize), (p) => isLateBoundName(p.escapedName)) && !some(getPropertiesOfType(typeToSerialize), (p) => some(p.declarations, (d) => getSourceFileOfNode(d) !== ctxSrc)) && every(getPropertiesOfType(typeToSerialize), (p) => {
                if (!isIdentifierText(symbolName(p), languageVersion)) {
                  return false;
                }
                if (!(p.flags & 98304)) {
                  return true;
                }
                return getNonMissingTypeOfSymbol(p) === getWriteTypeOfSymbol(p);
              });
            }
            function makeSerializePropertySymbol(createProperty2, methodKind, useAccessors) {
              return function serializePropertySymbol(p, isStatic2, baseType) {
                var _a2, _b, _c, _d, _e;
                const modifierFlags = getDeclarationModifierFlagsFromSymbol(p);
                const isPrivate = !!(modifierFlags & 2);
                if (isStatic2 && p.flags & (788968 | 1920 | 2097152)) {
                  return [];
                }
                if (p.flags & 4194304 || p.escapedName === "constructor" || baseType && getPropertyOfType(baseType, p.escapedName) && isReadonlySymbol(getPropertyOfType(baseType, p.escapedName)) === isReadonlySymbol(p) && (p.flags & 16777216) === (getPropertyOfType(baseType, p.escapedName).flags & 16777216) && isTypeIdenticalTo(getTypeOfSymbol(p), getTypeOfPropertyOfType(baseType, p.escapedName))) {
                  return [];
                }
                const flag = modifierFlags & ~1024 | (isStatic2 ? 256 : 0);
                const name = getPropertyNameNodeForSymbol(p, context);
                const firstPropertyLikeDecl = (_a2 = p.declarations) == null ? void 0 : _a2.find(or(isPropertyDeclaration, isAccessor, isVariableDeclaration, isPropertySignature, isBinaryExpression, isPropertyAccessExpression));
                if (p.flags & 98304 && useAccessors) {
                  const result = [];
                  if (p.flags & 65536) {
                    const setter = p.declarations && forEach(p.declarations, (d) => {
                      if (d.kind === 178) {
                        return d;
                      }
                      if (isCallExpression2(d) && isBindableObjectDefinePropertyCall(d)) {
                        return forEach(d.arguments[2].properties, (propDecl) => {
                          const id = getNameOfDeclaration(propDecl);
                          if (!!id && isIdentifier(id) && idText(id) === "set") {
                            return propDecl;
                          }
                        });
                      }
                    });
                    Debug.assert(!!setter);
                    const paramSymbol = isFunctionLikeDeclaration(setter) ? getSignatureFromDeclaration(setter).parameters[0] : void 0;
                    result.push(setTextRange2(
                      context,
                      factory.createSetAccessorDeclaration(
                        factory.createModifiersFromModifierFlags(flag),
                        name,
                        [factory.createParameterDeclaration(
                          /*modifiers*/
                          void 0,
                          /*dotDotDotToken*/
                          void 0,
                          paramSymbol ? parameterToParameterDeclarationName(paramSymbol, getEffectiveParameterDeclaration(paramSymbol), context) : "value",
                          /*questionToken*/
                          void 0,
                          isPrivate ? void 0 : serializeTypeForDeclaration(
                            context,
                            /*declaration*/
                            void 0,
                            getWriteTypeOfSymbol(p),
                            p
                          )
                        )],
                        /*body*/
                        void 0
                      ),
                      ((_b = p.declarations) == null ? void 0 : _b.find(isSetAccessor)) || firstPropertyLikeDecl
                    ));
                  }
                  if (p.flags & 32768) {
                    const isPrivate2 = modifierFlags & 2;
                    result.push(setTextRange2(
                      context,
                      factory.createGetAccessorDeclaration(
                        factory.createModifiersFromModifierFlags(flag),
                        name,
                        [],
                        isPrivate2 ? void 0 : serializeTypeForDeclaration(
                          context,
                          /*declaration*/
                          void 0,
                          getTypeOfSymbol(p),
                          p
                        ),
                        /*body*/
                        void 0
                      ),
                      ((_c = p.declarations) == null ? void 0 : _c.find(isGetAccessor)) || firstPropertyLikeDecl
                    ));
                  }
                  return result;
                } else if (p.flags & (4 | 3 | 98304)) {
                  return setTextRange2(
                    context,
                    createProperty2(
                      factory.createModifiersFromModifierFlags((isReadonlySymbol(p) ? 8 : 0) | flag),
                      name,
                      p.flags & 16777216 ? factory.createToken(
                        58
                        /* QuestionToken */
                      ) : void 0,
                      isPrivate ? void 0 : serializeTypeForDeclaration(
                        context,
                        /*declaration*/
                        void 0,
                        getWriteTypeOfSymbol(p),
                        p
                      ),
                      // TODO: https://github.com/microsoft/TypeScript/pull/32372#discussion_r328386357
                      // interface members can't have initializers, however class members _can_
                      /*initializer*/
                      void 0
                    ),
                    ((_d = p.declarations) == null ? void 0 : _d.find(or(isPropertyDeclaration, isVariableDeclaration))) || firstPropertyLikeDecl
                  );
                }
                if (p.flags & (8192 | 16)) {
                  const type = getTypeOfSymbol(p);
                  const signatures = getSignaturesOfType(
                    type,
                    0
                    /* Call */
                  );
                  if (flag & 2) {
                    return setTextRange2(
                      context,
                      createProperty2(
                        factory.createModifiersFromModifierFlags((isReadonlySymbol(p) ? 8 : 0) | flag),
                        name,
                        p.flags & 16777216 ? factory.createToken(
                          58
                          /* QuestionToken */
                        ) : void 0,
                        /*type*/
                        void 0,
                        /*initializer*/
                        void 0
                      ),
                      ((_e = p.declarations) == null ? void 0 : _e.find(isFunctionLikeDeclaration)) || signatures[0] && signatures[0].declaration || p.declarations && p.declarations[0]
                    );
                  }
                  const results2 = [];
                  for (const sig of signatures) {
                    const decl = signatureToSignatureDeclarationHelper(
                      sig,
                      methodKind,
                      context,
                      {
                        name,
                        questionToken: p.flags & 16777216 ? factory.createToken(
                          58
                          /* QuestionToken */
                        ) : void 0,
                        modifiers: flag ? factory.createModifiersFromModifierFlags(flag) : void 0
                      }
                    );
                    const location = sig.declaration && isPrototypePropertyAssignment(sig.declaration.parent) ? sig.declaration.parent : sig.declaration;
                    results2.push(setTextRange2(context, decl, location));
                  }
                  return results2;
                }
                return Debug.fail(`Unhandled class member kind! ${p.__debugFlags || p.flags}`);
              };
            }
            function serializePropertySymbolForInterface(p, baseType) {
              return serializePropertySymbolForInterfaceWorker(
                p,
                /*isStatic*/
                false,
                baseType
              );
            }
            function serializeSignatures(kind, input, baseType, outputKind) {
              const signatures = getSignaturesOfType(input, kind);
              if (kind === 1) {
                if (!baseType && every(signatures, (s) => length(s.parameters) === 0)) {
                  return [];
                }
                if (baseType) {
                  const baseSigs = getSignaturesOfType(
                    baseType,
                    1
                    /* Construct */
                  );
                  if (!length(baseSigs) && every(signatures, (s) => length(s.parameters) === 0)) {
                    return [];
                  }
                  if (baseSigs.length === signatures.length) {
                    let failed = false;
                    for (let i = 0; i < baseSigs.length; i++) {
                      if (!compareSignaturesIdentical(
                        signatures[i],
                        baseSigs[i],
                        /*partialMatch*/
                        false,
                        /*ignoreThisTypes*/
                        false,
                        /*ignoreReturnTypes*/
                        true,
                        compareTypesIdentical
                      )) {
                        failed = true;
                        break;
                      }
                    }
                    if (!failed) {
                      return [];
                    }
                  }
                }
                let privateProtected = 0;
                for (const s of signatures) {
                  if (s.declaration) {
                    privateProtected |= getSelectedEffectiveModifierFlags(
                      s.declaration,
                      2 | 4
                      /* Protected */
                    );
                  }
                }
                if (privateProtected) {
                  return [setTextRange2(
                    context,
                    factory.createConstructorDeclaration(
                      factory.createModifiersFromModifierFlags(privateProtected),
                      /*parameters*/
                      [],
                      /*body*/
                      void 0
                    ),
                    signatures[0].declaration
                  )];
                }
              }
              const results2 = [];
              for (const sig of signatures) {
                const decl = signatureToSignatureDeclarationHelper(sig, outputKind, context);
                results2.push(setTextRange2(context, decl, sig.declaration));
              }
              return results2;
            }
            function serializeIndexSignatures(input, baseType) {
              const results2 = [];
              for (const info of getIndexInfosOfType(input)) {
                if (baseType) {
                  const baseInfo = getIndexInfoOfType(baseType, info.keyType);
                  if (baseInfo) {
                    if (isTypeIdenticalTo(info.type, baseInfo.type)) {
                      continue;
                    }
                  }
                }
                results2.push(indexInfoToIndexSignatureDeclarationHelper(
                  info,
                  context,
                  /*typeNode*/
                  void 0
                ));
              }
              return results2;
            }
            function serializeBaseType(t, staticType, rootName) {
              const ref = trySerializeAsTypeReference(
                t,
                111551
                /* Value */
              );
              if (ref) {
                return ref;
              }
              const tempName = getUnusedName(`${rootName}_base`);
              const statement = factory.createVariableStatement(
                /*modifiers*/
                void 0,
                factory.createVariableDeclarationList(
                  [
                    factory.createVariableDeclaration(
                      tempName,
                      /*exclamationToken*/
                      void 0,
                      typeToTypeNodeHelper(staticType, context)
                    )
                  ],
                  2
                  /* Const */
                )
              );
              addResult(
                statement,
                0
                /* None */
              );
              return factory.createExpressionWithTypeArguments(
                factory.createIdentifier(tempName),
                /*typeArguments*/
                void 0
              );
            }
            function trySerializeAsTypeReference(t, flags) {
              let typeArgs;
              let reference;
              if (t.target && isSymbolAccessibleByFlags(t.target.symbol, enclosingDeclaration, flags)) {
                typeArgs = map(getTypeArguments(t), (t2) => typeToTypeNodeHelper(t2, context));
                reference = symbolToExpression(
                  t.target.symbol,
                  context,
                  788968
                  /* Type */
                );
              } else if (t.symbol && isSymbolAccessibleByFlags(t.symbol, enclosingDeclaration, flags)) {
                reference = symbolToExpression(
                  t.symbol,
                  context,
                  788968
                  /* Type */
                );
              }
              if (reference) {
                return factory.createExpressionWithTypeArguments(reference, typeArgs);
              }
            }
            function serializeImplementedType(t) {
              const ref = trySerializeAsTypeReference(
                t,
                788968
                /* Type */
              );
              if (ref) {
                return ref;
              }
              if (t.symbol) {
                return factory.createExpressionWithTypeArguments(
                  symbolToExpression(
                    t.symbol,
                    context,
                    788968
                    /* Type */
                  ),
                  /*typeArguments*/
                  void 0
                );
              }
            }
            function getUnusedName(input, symbol) {
              var _a2, _b;
              const id = symbol ? getSymbolId(symbol) : void 0;
              if (id) {
                if (context.remappedSymbolNames.has(id)) {
                  return context.remappedSymbolNames.get(id);
                }
              }
              if (symbol) {
                input = getNameCandidateWorker(symbol, input);
              }
              let i = 0;
              const original = input;
              while ((_a2 = context.usedSymbolNames) == null ? void 0 : _a2.has(input)) {
                i++;
                input = `${original}_${i}`;
              }
              (_b = context.usedSymbolNames) == null ? void 0 : _b.add(input);
              if (id) {
                context.remappedSymbolNames.set(id, input);
              }
              return input;
            }
            function getNameCandidateWorker(symbol, localName) {
              if (localName === "default" || localName === "__class" || localName === "__function") {
                const flags = context.flags;
                context.flags |= 16777216;
                const nameCandidate = getNameOfSymbolAsWritten(symbol, context);
                context.flags = flags;
                localName = nameCandidate.length > 0 && isSingleOrDoubleQuote(nameCandidate.charCodeAt(0)) ? stripQuotes(nameCandidate) : nameCandidate;
              }
              if (localName === "default") {
                localName = "_default";
              } else if (localName === "export=") {
                localName = "_exports";
              }
              localName = isIdentifierText(localName, languageVersion) && !isStringANonContextualKeyword(localName) ? localName : "_" + localName.replace(/[^a-zA-Z0-9]/g, "_");
              return localName;
            }
            function getInternalSymbolName(symbol, localName) {
              const id = getSymbolId(symbol);
              if (context.remappedSymbolNames.has(id)) {
                return context.remappedSymbolNames.get(id);
              }
              localName = getNameCandidateWorker(symbol, localName);
              context.remappedSymbolNames.set(id, localName);
              return localName;
            }
          }
        }
        function typePredicateToString(typePredicate, enclosingDeclaration, flags = 16384, writer) {
          return writer ? typePredicateToStringWorker(writer).getText() : usingSingleLineStringWriter(typePredicateToStringWorker);
          function typePredicateToStringWorker(writer2) {
            const nodeBuilderFlags = toNodeBuilderFlags(flags) | 70221824 | 512;
            const predicate = nodeBuilder.typePredicateToTypePredicateNode(typePredicate, enclosingDeclaration, nodeBuilderFlags);
            const printer = createPrinterWithRemoveComments();
            const sourceFile = enclosingDeclaration && getSourceFileOfNode(enclosingDeclaration);
            printer.writeNode(
              4,
              predicate,
              /*sourceFile*/
              sourceFile,
              writer2
            );
            return writer2;
          }
        }
        function formatUnionTypes(types) {
          const result = [];
          let flags = 0;
          for (let i = 0; i < types.length; i++) {
            const t = types[i];
            flags |= t.flags;
            if (!(t.flags & 98304)) {
              if (t.flags & (512 | 1056)) {
                const baseType = t.flags & 512 ? booleanType2 : getBaseTypeOfEnumLikeType(t);
                if (baseType.flags & 1048576) {
                  const count = baseType.types.length;
                  if (i + count <= types.length && getRegularTypeOfLiteralType(types[i + count - 1]) === getRegularTypeOfLiteralType(baseType.types[count - 1])) {
                    result.push(baseType);
                    i += count - 1;
                    continue;
                  }
                }
              }
              result.push(t);
            }
          }
          if (flags & 65536) result.push(nullType2);
          if (flags & 32768) result.push(undefinedType2);
          return result || types;
        }
        function visibilityToString(flags) {
          if (flags === 2) {
            return "private";
          }
          if (flags === 4) {
            return "protected";
          }
          return "public";
        }
        function getTypeAliasForTypeLiteral(type) {
          if (type.symbol && type.symbol.flags & 2048 && type.symbol.declarations) {
            const node = walkUpParenthesizedTypes(type.symbol.declarations[0].parent);
            if (isTypeAliasDeclaration(node)) {
              return getSymbolOfDeclaration(node);
            }
          }
          return void 0;
        }
        function isTopLevelInExternalModuleAugmentation(node) {
          return node && node.parent && node.parent.kind === 268 && isExternalModuleAugmentation(node.parent.parent);
        }
        function isDefaultBindingContext(location) {
          return location.kind === 307 || isAmbientModule(location);
        }
        function getNameOfSymbolFromNameType(symbol, context) {
          const nameType = getSymbolLinks(symbol).nameType;
          if (nameType) {
            if (nameType.flags & 384) {
              const name = "" + nameType.value;
              if (!isIdentifierText(name, getEmitScriptTarget(compilerOptions)) && !isNumericLiteralName(name)) {
                return `"${escapeString2(
                  name,
                  34
                  /* doubleQuote */
                )}"`;
              }
              if (isNumericLiteralName(name) && startsWith2(name, "-")) {
                return `[${name}]`;
              }
              return name;
            }
            if (nameType.flags & 8192) {
              return `[${getNameOfSymbolAsWritten(nameType.symbol, context)}]`;
            }
          }
        }
        function getNameOfSymbolAsWritten(symbol, context) {
          var _a;
          if ((_a = context == null ? void 0 : context.remappedSymbolReferences) == null ? void 0 : _a.has(getSymbolId(symbol))) {
            symbol = context.remappedSymbolReferences.get(getSymbolId(symbol));
          }
          if (context && symbol.escapedName === "default" && !(context.flags & 16384) && // If it's not the first part of an entity name, it must print as `default`
          (!(context.flags & 16777216) || // if the symbol is synthesized, it will only be referenced externally it must print as `default`
          !symbol.declarations || // if not in the same binding context (source file, module declaration), it must print as `default`
          context.enclosingDeclaration && findAncestor(symbol.declarations[0], isDefaultBindingContext) !== findAncestor(context.enclosingDeclaration, isDefaultBindingContext))) {
            return "default";
          }
          if (symbol.declarations && symbol.declarations.length) {
            let declaration = firstDefined(symbol.declarations, (d) => getNameOfDeclaration(d) ? d : void 0);
            const name2 = declaration && getNameOfDeclaration(declaration);
            if (declaration && name2) {
              if (isCallExpression2(declaration) && isBindableObjectDefinePropertyCall(declaration)) {
                return symbolName(symbol);
              }
              if (isComputedPropertyName(name2) && !(getCheckFlags(symbol) & 4096)) {
                const nameType = getSymbolLinks(symbol).nameType;
                if (nameType && nameType.flags & 384) {
                  const result = getNameOfSymbolFromNameType(symbol, context);
                  if (result !== void 0) {
                    return result;
                  }
                }
              }
              return declarationNameToString(name2);
            }
            if (!declaration) {
              declaration = symbol.declarations[0];
            }
            if (declaration.parent && declaration.parent.kind === 260) {
              return declarationNameToString(declaration.parent.name);
            }
            switch (declaration.kind) {
              case 231:
              case 218:
              case 219:
                if (context && !context.encounteredError && !(context.flags & 131072)) {
                  context.encounteredError = true;
                }
                return declaration.kind === 231 ? "(Anonymous class)" : "(Anonymous function)";
            }
          }
          const name = getNameOfSymbolFromNameType(symbol, context);
          return name !== void 0 ? name : symbolName(symbol);
        }
        function isDeclarationVisible(node) {
          if (node) {
            const links = getNodeLinks(node);
            if (links.isVisible === void 0) {
              links.isVisible = !!determineIfDeclarationIsVisible();
            }
            return links.isVisible;
          }
          return false;
          function determineIfDeclarationIsVisible() {
            switch (node.kind) {
              case 338:
              case 346:
              case 340:
                return !!(node.parent && node.parent.parent && node.parent.parent.parent && isSourceFile(node.parent.parent.parent));
              case 208:
                return isDeclarationVisible(node.parent.parent);
              case 260:
                if (isBindingPattern(node.name) && !node.name.elements.length) {
                  return false;
                }
              case 267:
              case 263:
              case 264:
              case 265:
              case 262:
              case 266:
              case 271:
                if (isExternalModuleAugmentation(node)) {
                  return true;
                }
                const parent2 = getDeclarationContainer(node);
                if (!(getCombinedModifierFlagsCached(node) & 32) && !(node.kind !== 271 && parent2.kind !== 307 && parent2.flags & 33554432)) {
                  return isGlobalSourceFile(parent2);
                }
                return isDeclarationVisible(parent2);
              case 172:
              case 171:
              case 177:
              case 178:
              case 174:
              case 173:
                if (hasEffectiveModifier(
                  node,
                  2 | 4
                  /* Protected */
                )) {
                  return false;
                }
              case 176:
              case 180:
              case 179:
              case 181:
              case 169:
              case 268:
              case 184:
              case 185:
              case 187:
              case 183:
              case 188:
              case 189:
              case 192:
              case 193:
              case 196:
              case 202:
                return isDeclarationVisible(node.parent);
              case 273:
              case 274:
              case 276:
                return false;
              case 168:
              case 307:
              case 270:
                return true;
              case 277:
                return false;
              default:
                return false;
            }
          }
        }
        function collectLinkedAliases(node, setVisibility) {
          let exportSymbol;
          if (node.parent && node.parent.kind === 277) {
            exportSymbol = resolveName(
              node,
              node,
              111551 | 788968 | 1920 | 2097152,
              /*nameNotFoundMessage*/
              void 0,
              /*isUse*/
              false
            );
          } else if (node.parent.kind === 281) {
            exportSymbol = getTargetOfExportSpecifier(
              node.parent,
              111551 | 788968 | 1920 | 2097152
              /* Alias */
            );
          }
          let result;
          let visited;
          if (exportSymbol) {
            visited = /* @__PURE__ */ new Set();
            visited.add(getSymbolId(exportSymbol));
            buildVisibleNodeList(exportSymbol.declarations);
          }
          return result;
          function buildVisibleNodeList(declarations) {
            forEach(declarations, (declaration) => {
              const resultNode = getAnyImportSyntax(declaration) || declaration;
              if (setVisibility) {
                getNodeLinks(declaration).isVisible = true;
              } else {
                result = result || [];
                pushIfUnique(result, resultNode);
              }
              if (isInternalModuleImportEqualsDeclaration(declaration)) {
                const internalModuleReference = declaration.moduleReference;
                const firstIdentifier = getFirstIdentifier(internalModuleReference);
                const importSymbol = resolveName(
                  declaration,
                  firstIdentifier.escapedText,
                  111551 | 788968 | 1920,
                  /*nameNotFoundMessage*/
                  void 0,
                  /*isUse*/
                  false
                );
                if (importSymbol && visited) {
                  if (tryAddToSet(visited, getSymbolId(importSymbol))) {
                    buildVisibleNodeList(importSymbol.declarations);
                  }
                }
              }
            });
          }
        }
        function pushTypeResolution(target, propertyName) {
          const resolutionCycleStartIndex = findResolutionCycleStartIndex(target, propertyName);
          if (resolutionCycleStartIndex >= 0) {
            const { length: length2 } = resolutionTargets;
            for (let i = resolutionCycleStartIndex; i < length2; i++) {
              resolutionResults[i] = false;
            }
            return false;
          }
          resolutionTargets.push(target);
          resolutionResults.push(
            /*items*/
            true
          );
          resolutionPropertyNames.push(propertyName);
          return true;
        }
        function findResolutionCycleStartIndex(target, propertyName) {
          for (let i = resolutionTargets.length - 1; i >= resolutionStart; i--) {
            if (resolutionTargetHasProperty(resolutionTargets[i], resolutionPropertyNames[i])) {
              return -1;
            }
            if (resolutionTargets[i] === target && resolutionPropertyNames[i] === propertyName) {
              return i;
            }
          }
          return -1;
        }
        function resolutionTargetHasProperty(target, propertyName) {
          switch (propertyName) {
            case 0:
              return !!getSymbolLinks(target).type;
            case 2:
              return !!getSymbolLinks(target).declaredType;
            case 1:
              return !!target.resolvedBaseConstructorType;
            case 3:
              return !!target.resolvedReturnType;
            case 4:
              return !!target.immediateBaseConstraint;
            case 5:
              return !!target.resolvedTypeArguments;
            case 6:
              return !!target.baseTypesResolved;
            case 7:
              return !!getSymbolLinks(target).writeType;
            case 8:
              return getNodeLinks(target).parameterInitializerContainsUndefined !== void 0;
          }
          return Debug.assertNever(propertyName);
        }
        function popTypeResolution() {
          resolutionTargets.pop();
          resolutionPropertyNames.pop();
          return resolutionResults.pop();
        }
        function getDeclarationContainer(node) {
          return findAncestor(getRootDeclaration(node), (node2) => {
            switch (node2.kind) {
              case 260:
              case 261:
              case 276:
              case 275:
              case 274:
              case 273:
                return false;
              default:
                return true;
            }
          }).parent;
        }
        function getTypeOfPrototypeProperty(prototype) {
          const classType = getDeclaredTypeOfSymbol(getParentOfSymbol(prototype));
          return classType.typeParameters ? createTypeReference(classType, map(classType.typeParameters, (_) => anyType2)) : classType;
        }
        function getTypeOfPropertyOfType(type, name) {
          const prop = getPropertyOfType(type, name);
          return prop ? getTypeOfSymbol(prop) : void 0;
        }
        function getTypeOfPropertyOrIndexSignatureOfType(type, name) {
          var _a;
          let propType;
          return getTypeOfPropertyOfType(type, name) || (propType = (_a = getApplicableIndexInfoForName(type, name)) == null ? void 0 : _a.type) && addOptionality(
            propType,
            /*isProperty*/
            true,
            /*isOptional*/
            true
          );
        }
        function isTypeAny(type) {
          return type && (type.flags & 1) !== 0;
        }
        function isErrorType(type) {
          return type === errorType || !!(type.flags & 1 && type.aliasSymbol);
        }
        function getTypeForBindingElementParent(node, checkMode) {
          if (checkMode !== 0) {
            return getTypeForVariableLikeDeclaration(
              node,
              /*includeOptionality*/
              false,
              checkMode
            );
          }
          const symbol = getSymbolOfDeclaration(node);
          return symbol && getSymbolLinks(symbol).type || getTypeForVariableLikeDeclaration(
            node,
            /*includeOptionality*/
            false,
            checkMode
          );
        }
        function getRestType(source, properties, symbol) {
          source = filterType(source, (t) => !(t.flags & 98304));
          if (source.flags & 131072) {
            return emptyObjectType;
          }
          if (source.flags & 1048576) {
            return mapType2(source, (t) => getRestType(t, properties, symbol));
          }
          let omitKeyType = getUnionType(map(properties, getLiteralTypeFromPropertyName));
          const spreadableProperties = [];
          const unspreadableToRestKeys = [];
          for (const prop of getPropertiesOfType(source)) {
            const literalTypeFromProperty = getLiteralTypeFromProperty(
              prop,
              8576
              /* StringOrNumberLiteralOrUnique */
            );
            if (!isTypeAssignableTo(literalTypeFromProperty, omitKeyType) && !(getDeclarationModifierFlagsFromSymbol(prop) & (2 | 4)) && isSpreadableProperty(prop)) {
              spreadableProperties.push(prop);
            } else {
              unspreadableToRestKeys.push(literalTypeFromProperty);
            }
          }
          if (isGenericObjectType(source) || isGenericIndexType(omitKeyType)) {
            if (unspreadableToRestKeys.length) {
              omitKeyType = getUnionType([omitKeyType, ...unspreadableToRestKeys]);
            }
            if (omitKeyType.flags & 131072) {
              return source;
            }
            const omitTypeAlias = getGlobalOmitSymbol();
            if (!omitTypeAlias) {
              return errorType;
            }
            return getTypeAliasInstantiation(omitTypeAlias, [source, omitKeyType]);
          }
          const members = createSymbolTable();
          for (const prop of spreadableProperties) {
            members.set(prop.escapedName, getSpreadSymbol(
              prop,
              /*readonly*/
              false
            ));
          }
          const result = createAnonymousType(symbol, members, emptyArray, emptyArray, getIndexInfosOfType(source));
          result.objectFlags |= 4194304;
          return result;
        }
        function isGenericTypeWithUndefinedConstraint(type) {
          return !!(type.flags & 465829888) && maybeTypeOfKind(
            getBaseConstraintOfType(type) || unknownType2,
            32768
            /* Undefined */
          );
        }
        function getNonUndefinedType(type) {
          const typeOrConstraint = someType(type, isGenericTypeWithUndefinedConstraint) ? mapType2(type, (t) => t.flags & 465829888 ? getBaseConstraintOrType(t) : t) : type;
          return getTypeWithFacts(
            typeOrConstraint,
            524288
            /* NEUndefined */
          );
        }
        function getFlowTypeOfDestructuring(node, declaredType) {
          const reference = getSyntheticElementAccess(node);
          return reference ? getFlowTypeOfReference(reference, declaredType) : declaredType;
        }
        function getSyntheticElementAccess(node) {
          const parentAccess = getParentElementAccess(node);
          if (parentAccess && canHaveFlowNode(parentAccess) && parentAccess.flowNode) {
            const propName = getDestructuringPropertyName(node);
            if (propName) {
              const literal = setTextRange(parseNodeFactory.createStringLiteral(propName), node);
              const lhsExpr = isLeftHandSideExpression(parentAccess) ? parentAccess : parseNodeFactory.createParenthesizedExpression(parentAccess);
              const result = setTextRange(parseNodeFactory.createElementAccessExpression(lhsExpr, literal), node);
              setParent(literal, result);
              setParent(result, node);
              if (lhsExpr !== parentAccess) {
                setParent(lhsExpr, result);
              }
              result.flowNode = parentAccess.flowNode;
              return result;
            }
          }
        }
        function getParentElementAccess(node) {
          const ancestor = node.parent.parent;
          switch (ancestor.kind) {
            case 208:
            case 303:
              return getSyntheticElementAccess(ancestor);
            case 209:
              return getSyntheticElementAccess(node.parent);
            case 260:
              return ancestor.initializer;
            case 226:
              return ancestor.right;
          }
        }
        function getDestructuringPropertyName(node) {
          const parent2 = node.parent;
          if (node.kind === 208 && parent2.kind === 206) {
            return getLiteralPropertyNameText(node.propertyName || node.name);
          }
          if (node.kind === 303 || node.kind === 304) {
            return getLiteralPropertyNameText(node.name);
          }
          return "" + parent2.elements.indexOf(node);
        }
        function getLiteralPropertyNameText(name) {
          const type = getLiteralTypeFromPropertyName(name);
          return type.flags & (128 | 256) ? "" + type.value : void 0;
        }
        function getTypeForBindingElement(declaration) {
          const checkMode = declaration.dotDotDotToken ? 32 : 0;
          const parentType = getTypeForBindingElementParent(declaration.parent.parent, checkMode);
          return parentType && getBindingElementTypeFromParentType(
            declaration,
            parentType,
            /*noTupleBoundsCheck*/
            false
          );
        }
        function getBindingElementTypeFromParentType(declaration, parentType, noTupleBoundsCheck) {
          if (isTypeAny(parentType)) {
            return parentType;
          }
          const pattern = declaration.parent;
          if (strictNullChecks && declaration.flags & 33554432 && isPartOfParameterDeclaration(declaration)) {
            parentType = getNonNullableType(parentType);
          } else if (strictNullChecks && pattern.parent.initializer && !hasTypeFacts(
            getTypeOfInitializer(pattern.parent.initializer),
            65536
            /* EQUndefined */
          )) {
            parentType = getTypeWithFacts(
              parentType,
              524288
              /* NEUndefined */
            );
          }
          let type;
          if (pattern.kind === 206) {
            if (declaration.dotDotDotToken) {
              parentType = getReducedType(parentType);
              if (parentType.flags & 2 || !isValidSpreadType(parentType)) {
                error2(declaration, Diagnostics.Rest_types_may_only_be_created_from_object_types);
                return errorType;
              }
              const literalMembers = [];
              for (const element of pattern.elements) {
                if (!element.dotDotDotToken) {
                  literalMembers.push(element.propertyName || element.name);
                }
              }
              type = getRestType(parentType, literalMembers, declaration.symbol);
            } else {
              const name = declaration.propertyName || declaration.name;
              const indexType = getLiteralTypeFromPropertyName(name);
              const declaredType = getIndexedAccessType(parentType, indexType, 32, name);
              type = getFlowTypeOfDestructuring(declaration, declaredType);
            }
          } else {
            const elementType = checkIteratedTypeOrElementType(65 | (declaration.dotDotDotToken ? 0 : 128), parentType, undefinedType2, pattern);
            const index = pattern.elements.indexOf(declaration);
            if (declaration.dotDotDotToken) {
              const baseConstraint = mapType2(parentType, (t) => t.flags & 58982400 ? getBaseConstraintOrType(t) : t);
              type = everyType(baseConstraint, isTupleType) ? mapType2(baseConstraint, (t) => sliceTupleType(t, index)) : createArrayType(elementType);
            } else if (isArrayLikeType(parentType)) {
              const indexType = getNumberLiteralType(index);
              const accessFlags = 32 | (noTupleBoundsCheck || hasDefaultValue2(declaration) ? 16 : 0);
              const declaredType = getIndexedAccessTypeOrUndefined(parentType, indexType, accessFlags, declaration.name) || errorType;
              type = getFlowTypeOfDestructuring(declaration, declaredType);
            } else {
              type = elementType;
            }
          }
          if (!declaration.initializer) {
            return type;
          }
          if (getEffectiveTypeAnnotationNode(walkUpBindingElementsAndPatterns(declaration))) {
            return strictNullChecks && !hasTypeFacts(
              checkDeclarationInitializer(
                declaration,
                0
                /* Normal */
              ),
              16777216
              /* IsUndefined */
            ) ? getNonUndefinedType(type) : type;
          }
          return widenTypeInferredFromInitializer(declaration, getUnionType(
            [getNonUndefinedType(type), checkDeclarationInitializer(
              declaration,
              0
              /* Normal */
            )],
            2
            /* Subtype */
          ));
        }
        function getTypeForDeclarationFromJSDocComment(declaration) {
          const jsdocType = getJSDocType(declaration);
          if (jsdocType) {
            return getTypeFromTypeNode(jsdocType);
          }
          return void 0;
        }
        function isNullOrUndefined3(node) {
          const expr = skipParentheses(
            node,
            /*excludeJSDocTypeAssertions*/
            true
          );
          return expr.kind === 106 || expr.kind === 80 && getResolvedSymbol(expr) === undefinedSymbol;
        }
        function isEmptyArrayLiteral2(node) {
          const expr = skipParentheses(
            node,
            /*excludeJSDocTypeAssertions*/
            true
          );
          return expr.kind === 209 && expr.elements.length === 0;
        }
        function addOptionality(type, isProperty2 = false, isOptional = true) {
          return strictNullChecks && isOptional ? getOptionalType(type, isProperty2) : type;
        }
        function getTypeForVariableLikeDeclaration(declaration, includeOptionality, checkMode) {
          if (isVariableDeclaration(declaration) && declaration.parent.parent.kind === 249) {
            const indexType = getIndexType(getNonNullableTypeIfNeeded(checkExpression(
              declaration.parent.parent.expression,
              /*checkMode*/
              checkMode
            )));
            return indexType.flags & (262144 | 4194304) ? getExtractStringType(indexType) : stringType2;
          }
          if (isVariableDeclaration(declaration) && declaration.parent.parent.kind === 250) {
            const forOfStatement = declaration.parent.parent;
            return checkRightHandSideOfForOf(forOfStatement) || anyType2;
          }
          if (isBindingPattern(declaration.parent)) {
            return getTypeForBindingElement(declaration);
          }
          const isProperty2 = isPropertyDeclaration(declaration) && !hasAccessorModifier(declaration) || isPropertySignature(declaration) || isJSDocPropertyTag(declaration);
          const isOptional = includeOptionality && isOptionalDeclaration(declaration);
          const declaredType = tryGetTypeFromEffectiveTypeNode(declaration);
          if (isCatchClauseVariableDeclarationOrBindingElement(declaration)) {
            if (declaredType) {
              return isTypeAny(declaredType) || declaredType === unknownType2 ? declaredType : errorType;
            }
            return useUnknownInCatchVariables ? unknownType2 : anyType2;
          }
          if (declaredType) {
            return addOptionality(declaredType, isProperty2, isOptional);
          }
          if ((noImplicitAny || isInJSFile(declaration)) && isVariableDeclaration(declaration) && !isBindingPattern(declaration.name) && !(getCombinedModifierFlagsCached(declaration) & 32) && !(declaration.flags & 33554432)) {
            if (!(getCombinedNodeFlagsCached(declaration) & 6) && (!declaration.initializer || isNullOrUndefined3(declaration.initializer))) {
              return autoType;
            }
            if (declaration.initializer && isEmptyArrayLiteral2(declaration.initializer)) {
              return autoArrayType;
            }
          }
          if (isParameter(declaration)) {
            if (!declaration.symbol) {
              return;
            }
            const func = declaration.parent;
            if (func.kind === 178 && hasBindableName(func)) {
              const getter = getDeclarationOfKind(
                getSymbolOfDeclaration(declaration.parent),
                177
                /* GetAccessor */
              );
              if (getter) {
                const getterSignature = getSignatureFromDeclaration(getter);
                const thisParameter = getAccessorThisParameter(func);
                if (thisParameter && declaration === thisParameter) {
                  Debug.assert(!thisParameter.type);
                  return getTypeOfSymbol(getterSignature.thisParameter);
                }
                return getReturnTypeOfSignature(getterSignature);
              }
            }
            const parameterTypeOfTypeTag = getParameterTypeOfTypeTag(func, declaration);
            if (parameterTypeOfTypeTag) return parameterTypeOfTypeTag;
            const type = declaration.symbol.escapedName === "this" ? getContextualThisParameterType(func) : getContextuallyTypedParameterType(declaration);
            if (type) {
              return addOptionality(
                type,
                /*isProperty*/
                false,
                isOptional
              );
            }
          }
          if (hasOnlyExpressionInitializer(declaration) && !!declaration.initializer) {
            if (isInJSFile(declaration) && !isParameter(declaration)) {
              const containerObjectType = getJSContainerObjectType(declaration, getSymbolOfDeclaration(declaration), getDeclaredExpandoInitializer(declaration));
              if (containerObjectType) {
                return containerObjectType;
              }
            }
            const type = widenTypeInferredFromInitializer(declaration, checkDeclarationInitializer(declaration, checkMode));
            return addOptionality(type, isProperty2, isOptional);
          }
          if (isPropertyDeclaration(declaration) && (noImplicitAny || isInJSFile(declaration))) {
            if (!hasStaticModifier(declaration)) {
              const constructor = findConstructorDeclaration(declaration.parent);
              const type = constructor ? getFlowTypeInConstructor(declaration.symbol, constructor) : getEffectiveModifierFlags(declaration) & 128 ? getTypeOfPropertyInBaseClass(declaration.symbol) : void 0;
              return type && addOptionality(
                type,
                /*isProperty*/
                true,
                isOptional
              );
            } else {
              const staticBlocks = filter(declaration.parent.members, isClassStaticBlockDeclaration);
              const type = staticBlocks.length ? getFlowTypeInStaticBlocks(declaration.symbol, staticBlocks) : getEffectiveModifierFlags(declaration) & 128 ? getTypeOfPropertyInBaseClass(declaration.symbol) : void 0;
              return type && addOptionality(
                type,
                /*isProperty*/
                true,
                isOptional
              );
            }
          }
          if (isJsxAttribute(declaration)) {
            return trueType;
          }
          if (isBindingPattern(declaration.name)) {
            return getTypeFromBindingPattern(
              declaration.name,
              /*includePatternInType*/
              false,
              /*reportErrors*/
              true
            );
          }
          return void 0;
        }
        function isConstructorDeclaredProperty(symbol) {
          if (symbol.valueDeclaration && isBinaryExpression(symbol.valueDeclaration)) {
            const links = getSymbolLinks(symbol);
            if (links.isConstructorDeclaredProperty === void 0) {
              links.isConstructorDeclaredProperty = false;
              links.isConstructorDeclaredProperty = !!getDeclaringConstructor(symbol) && every(symbol.declarations, (declaration) => isBinaryExpression(declaration) && isPossiblyAliasedThisProperty(declaration) && (declaration.left.kind !== 212 || isStringOrNumericLiteralLike(declaration.left.argumentExpression)) && !getAnnotatedTypeForAssignmentDeclaration(
                /*declaredType*/
                void 0,
                declaration,
                symbol,
                declaration
              ));
            }
            return links.isConstructorDeclaredProperty;
          }
          return false;
        }
        function isAutoTypedProperty(symbol) {
          const declaration = symbol.valueDeclaration;
          return declaration && isPropertyDeclaration(declaration) && !getEffectiveTypeAnnotationNode(declaration) && !declaration.initializer && (noImplicitAny || isInJSFile(declaration));
        }
        function getDeclaringConstructor(symbol) {
          if (!symbol.declarations) {
            return;
          }
          for (const declaration of symbol.declarations) {
            const container = getThisContainer(
              declaration,
              /*includeArrowFunctions*/
              false,
              /*includeClassComputedPropertyName*/
              false
            );
            if (container && (container.kind === 176 || isJSConstructor(container))) {
              return container;
            }
          }
        }
        function getFlowTypeFromCommonJSExport(symbol) {
          const file = getSourceFileOfNode(symbol.declarations[0]);
          const accessName = unescapeLeadingUnderscores(symbol.escapedName);
          const areAllModuleExports = symbol.declarations.every((d) => isInJSFile(d) && isAccessExpression(d) && isModuleExportsAccessExpression(d.expression));
          const reference = areAllModuleExports ? factory.createPropertyAccessExpression(factory.createPropertyAccessExpression(factory.createIdentifier("module"), factory.createIdentifier("exports")), accessName) : factory.createPropertyAccessExpression(factory.createIdentifier("exports"), accessName);
          if (areAllModuleExports) {
            setParent(reference.expression.expression, reference.expression);
          }
          setParent(reference.expression, reference);
          setParent(reference, file);
          reference.flowNode = file.endFlowNode;
          return getFlowTypeOfReference(reference, autoType, undefinedType2);
        }
        function getFlowTypeInStaticBlocks(symbol, staticBlocks) {
          const accessName = startsWith2(symbol.escapedName, "__#") ? factory.createPrivateIdentifier(symbol.escapedName.split("@")[1]) : unescapeLeadingUnderscores(symbol.escapedName);
          for (const staticBlock of staticBlocks) {
            const reference = factory.createPropertyAccessExpression(factory.createThis(), accessName);
            setParent(reference.expression, reference);
            setParent(reference, staticBlock);
            reference.flowNode = staticBlock.returnFlowNode;
            const flowType = getFlowTypeOfProperty(reference, symbol);
            if (noImplicitAny && (flowType === autoType || flowType === autoArrayType)) {
              error2(symbol.valueDeclaration, Diagnostics.Member_0_implicitly_has_an_1_type, symbolToString2(symbol), typeToString(flowType));
            }
            if (everyType(flowType, isNullableType)) {
              continue;
            }
            return convertAutoToAny(flowType);
          }
        }
        function getFlowTypeInConstructor(symbol, constructor) {
          const accessName = startsWith2(symbol.escapedName, "__#") ? factory.createPrivateIdentifier(symbol.escapedName.split("@")[1]) : unescapeLeadingUnderscores(symbol.escapedName);
          const reference = factory.createPropertyAccessExpression(factory.createThis(), accessName);
          setParent(reference.expression, reference);
          setParent(reference, constructor);
          reference.flowNode = constructor.returnFlowNode;
          const flowType = getFlowTypeOfProperty(reference, symbol);
          if (noImplicitAny && (flowType === autoType || flowType === autoArrayType)) {
            error2(symbol.valueDeclaration, Diagnostics.Member_0_implicitly_has_an_1_type, symbolToString2(symbol), typeToString(flowType));
          }
          return everyType(flowType, isNullableType) ? void 0 : convertAutoToAny(flowType);
        }
        function getFlowTypeOfProperty(reference, prop) {
          const initialType = (prop == null ? void 0 : prop.valueDeclaration) && (!isAutoTypedProperty(prop) || getEffectiveModifierFlags(prop.valueDeclaration) & 128) && getTypeOfPropertyInBaseClass(prop) || undefinedType2;
          return getFlowTypeOfReference(reference, autoType, initialType);
        }
        function getWidenedTypeForAssignmentDeclaration(symbol, resolvedSymbol) {
          const container = getAssignedExpandoInitializer(symbol.valueDeclaration);
          if (container) {
            const tag = isInJSFile(container) ? getJSDocTypeTag(container) : void 0;
            if (tag && tag.typeExpression) {
              return getTypeFromTypeNode(tag.typeExpression);
            }
            const containerObjectType = symbol.valueDeclaration && getJSContainerObjectType(symbol.valueDeclaration, symbol, container);
            return containerObjectType || getWidenedLiteralType(checkExpressionCached(container));
          }
          let type;
          let definedInConstructor = false;
          let definedInMethod = false;
          if (isConstructorDeclaredProperty(symbol)) {
            type = getFlowTypeInConstructor(symbol, getDeclaringConstructor(symbol));
          }
          if (!type) {
            let types;
            if (symbol.declarations) {
              let jsdocType;
              for (const declaration of symbol.declarations) {
                const expression = isBinaryExpression(declaration) || isCallExpression2(declaration) ? declaration : isAccessExpression(declaration) ? isBinaryExpression(declaration.parent) ? declaration.parent : declaration : void 0;
                if (!expression) {
                  continue;
                }
                const kind = isAccessExpression(expression) ? getAssignmentDeclarationPropertyAccessKind(expression) : getAssignmentDeclarationKind(expression);
                if (kind === 4 || isBinaryExpression(expression) && isPossiblyAliasedThisProperty(expression, kind)) {
                  if (isDeclarationInConstructor(expression)) {
                    definedInConstructor = true;
                  } else {
                    definedInMethod = true;
                  }
                }
                if (!isCallExpression2(expression)) {
                  jsdocType = getAnnotatedTypeForAssignmentDeclaration(jsdocType, expression, symbol, declaration);
                }
                if (!jsdocType) {
                  (types || (types = [])).push(isBinaryExpression(expression) || isCallExpression2(expression) ? getInitializerTypeFromAssignmentDeclaration(symbol, resolvedSymbol, expression, kind) : neverType2);
                }
              }
              type = jsdocType;
            }
            if (!type) {
              if (!length(types)) {
                return errorType;
              }
              let constructorTypes = definedInConstructor && symbol.declarations ? getConstructorDefinedThisAssignmentTypes(types, symbol.declarations) : void 0;
              if (definedInMethod) {
                const propType = getTypeOfPropertyInBaseClass(symbol);
                if (propType) {
                  (constructorTypes || (constructorTypes = [])).push(propType);
                  definedInConstructor = true;
                }
              }
              const sourceTypes = some(constructorTypes, (t) => !!(t.flags & ~98304)) ? constructorTypes : types;
              type = getUnionType(sourceTypes);
            }
          }
          const widened = getWidenedType(addOptionality(
            type,
            /*isProperty*/
            false,
            definedInMethod && !definedInConstructor
          ));
          if (symbol.valueDeclaration && isInJSFile(symbol.valueDeclaration) && filterType(widened, (t) => !!(t.flags & ~98304)) === neverType2) {
            reportImplicitAny(symbol.valueDeclaration, anyType2);
            return anyType2;
          }
          return widened;
        }
        function getJSContainerObjectType(decl, symbol, init) {
          var _a, _b;
          if (!isInJSFile(decl) || !init || !isObjectLiteralExpression(init) || init.properties.length) {
            return void 0;
          }
          const exports22 = createSymbolTable();
          while (isBinaryExpression(decl) || isPropertyAccessExpression(decl)) {
            const s2 = getSymbolOfNode(decl);
            if ((_a = s2 == null ? void 0 : s2.exports) == null ? void 0 : _a.size) {
              mergeSymbolTable(exports22, s2.exports);
            }
            decl = isBinaryExpression(decl) ? decl.parent : decl.parent.parent;
          }
          const s = getSymbolOfNode(decl);
          if ((_b = s == null ? void 0 : s.exports) == null ? void 0 : _b.size) {
            mergeSymbolTable(exports22, s.exports);
          }
          const type = createAnonymousType(symbol, exports22, emptyArray, emptyArray, emptyArray);
          type.objectFlags |= 4096;
          return type;
        }
        function getAnnotatedTypeForAssignmentDeclaration(declaredType, expression, symbol, declaration) {
          var _a;
          const typeNode = getEffectiveTypeAnnotationNode(expression.parent);
          if (typeNode) {
            const type = getWidenedType(getTypeFromTypeNode(typeNode));
            if (!declaredType) {
              return type;
            } else if (!isErrorType(declaredType) && !isErrorType(type) && !isTypeIdenticalTo(declaredType, type)) {
              errorNextVariableOrPropertyDeclarationMustHaveSameType(
                /*firstDeclaration*/
                void 0,
                declaredType,
                declaration,
                type
              );
            }
          }
          if ((_a = symbol.parent) == null ? void 0 : _a.valueDeclaration) {
            const possiblyAnnotatedSymbol = getFunctionExpressionParentSymbolOrSymbol(symbol.parent);
            if (possiblyAnnotatedSymbol.valueDeclaration) {
              const typeNode2 = getEffectiveTypeAnnotationNode(possiblyAnnotatedSymbol.valueDeclaration);
              if (typeNode2) {
                const annotationSymbol = getPropertyOfType(getTypeFromTypeNode(typeNode2), symbol.escapedName);
                if (annotationSymbol) {
                  return getNonMissingTypeOfSymbol(annotationSymbol);
                }
              }
            }
          }
          return declaredType;
        }
        function getInitializerTypeFromAssignmentDeclaration(symbol, resolvedSymbol, expression, kind) {
          if (isCallExpression2(expression)) {
            if (resolvedSymbol) {
              return getTypeOfSymbol(resolvedSymbol);
            }
            const objectLitType = checkExpressionCached(expression.arguments[2]);
            const valueType = getTypeOfPropertyOfType(objectLitType, "value");
            if (valueType) {
              return valueType;
            }
            const getFunc = getTypeOfPropertyOfType(objectLitType, "get");
            if (getFunc) {
              const getSig = getSingleCallSignature(getFunc);
              if (getSig) {
                return getReturnTypeOfSignature(getSig);
              }
            }
            const setFunc = getTypeOfPropertyOfType(objectLitType, "set");
            if (setFunc) {
              const setSig = getSingleCallSignature(setFunc);
              if (setSig) {
                return getTypeOfFirstParameterOfSignature(setSig);
              }
            }
            return anyType2;
          }
          if (containsSameNamedThisProperty(expression.left, expression.right)) {
            return anyType2;
          }
          const isDirectExport = kind === 1 && (isPropertyAccessExpression(expression.left) || isElementAccessExpression(expression.left)) && (isModuleExportsAccessExpression(expression.left.expression) || isIdentifier(expression.left.expression) && isExportsIdentifier(expression.left.expression));
          const type = resolvedSymbol ? getTypeOfSymbol(resolvedSymbol) : isDirectExport ? getRegularTypeOfLiteralType(checkExpressionCached(expression.right)) : getWidenedLiteralType(checkExpressionCached(expression.right));
          if (type.flags & 524288 && kind === 2 && symbol.escapedName === "export=") {
            const exportedType = resolveStructuredTypeMembers(type);
            const members = createSymbolTable();
            copyEntries(exportedType.members, members);
            const initialSize = members.size;
            if (resolvedSymbol && !resolvedSymbol.exports) {
              resolvedSymbol.exports = createSymbolTable();
            }
            (resolvedSymbol || symbol).exports.forEach((s, name) => {
              var _a;
              const exportedMember = members.get(name);
              if (exportedMember && exportedMember !== s && !(s.flags & 2097152)) {
                if (s.flags & 111551 && exportedMember.flags & 111551) {
                  if (s.valueDeclaration && exportedMember.valueDeclaration && getSourceFileOfNode(s.valueDeclaration) !== getSourceFileOfNode(exportedMember.valueDeclaration)) {
                    const unescapedName = unescapeLeadingUnderscores(s.escapedName);
                    const exportedMemberName = ((_a = tryCast(exportedMember.valueDeclaration, isNamedDeclaration)) == null ? void 0 : _a.name) || exportedMember.valueDeclaration;
                    addRelatedInfo(
                      error2(s.valueDeclaration, Diagnostics.Duplicate_identifier_0, unescapedName),
                      createDiagnosticForNode(exportedMemberName, Diagnostics._0_was_also_declared_here, unescapedName)
                    );
                    addRelatedInfo(
                      error2(exportedMemberName, Diagnostics.Duplicate_identifier_0, unescapedName),
                      createDiagnosticForNode(s.valueDeclaration, Diagnostics._0_was_also_declared_here, unescapedName)
                    );
                  }
                  const union = createSymbol(s.flags | exportedMember.flags, name);
                  union.links.type = getUnionType([getTypeOfSymbol(s), getTypeOfSymbol(exportedMember)]);
                  union.valueDeclaration = exportedMember.valueDeclaration;
                  union.declarations = concatenate(exportedMember.declarations, s.declarations);
                  members.set(name, union);
                } else {
                  members.set(name, mergeSymbol(s, exportedMember));
                }
              } else {
                members.set(name, s);
              }
            });
            const result = createAnonymousType(
              initialSize !== members.size ? void 0 : exportedType.symbol,
              // Only set the type's symbol if it looks to be the same as the original type
              members,
              exportedType.callSignatures,
              exportedType.constructSignatures,
              exportedType.indexInfos
            );
            if (initialSize === members.size) {
              if (type.aliasSymbol) {
                result.aliasSymbol = type.aliasSymbol;
                result.aliasTypeArguments = type.aliasTypeArguments;
              }
              if (getObjectFlags(type) & 4) {
                result.aliasSymbol = type.symbol;
                const args = getTypeArguments(type);
                result.aliasTypeArguments = length(args) ? args : void 0;
              }
            }
            result.objectFlags |= getPropagatingFlagsOfTypes([type]) | getObjectFlags(type) & (4096 | 16384 | 128);
            if (result.symbol && result.symbol.flags & 32 && type === getDeclaredTypeOfClassOrInterface(result.symbol)) {
              result.objectFlags |= 16777216;
            }
            return result;
          }
          if (isEmptyArrayLiteralType(type)) {
            reportImplicitAny(expression, anyArrayType);
            return anyArrayType;
          }
          return type;
        }
        function containsSameNamedThisProperty(thisProperty, expression) {
          return isPropertyAccessExpression(thisProperty) && thisProperty.expression.kind === 110 && forEachChildRecursively(expression, (n) => isMatchingReference(thisProperty, n));
        }
        function isDeclarationInConstructor(expression) {
          const thisContainer = getThisContainer(
            expression,
            /*includeArrowFunctions*/
            false,
            /*includeClassComputedPropertyName*/
            false
          );
          return thisContainer.kind === 176 || thisContainer.kind === 262 || thisContainer.kind === 218 && !isPrototypePropertyAssignment(thisContainer.parent);
        }
        function getConstructorDefinedThisAssignmentTypes(types, declarations) {
          Debug.assert(types.length === declarations.length);
          return types.filter((_, i) => {
            const declaration = declarations[i];
            const expression = isBinaryExpression(declaration) ? declaration : isBinaryExpression(declaration.parent) ? declaration.parent : void 0;
            return expression && isDeclarationInConstructor(expression);
          });
        }
        function getTypeFromBindingElement(element, includePatternInType, reportErrors2) {
          if (element.initializer) {
            const contextualType = isBindingPattern(element.name) ? getTypeFromBindingPattern(
              element.name,
              /*includePatternInType*/
              true,
              /*reportErrors*/
              false
            ) : unknownType2;
            return addOptionality(widenTypeInferredFromInitializer(element, checkDeclarationInitializer(element, reportErrors2 ? 0 : 1, contextualType)));
          }
          if (isBindingPattern(element.name)) {
            return getTypeFromBindingPattern(element.name, includePatternInType, reportErrors2);
          }
          if (reportErrors2 && !declarationBelongsToPrivateAmbientMember(element)) {
            reportImplicitAny(element, anyType2);
          }
          return includePatternInType ? nonInferrableAnyType : anyType2;
        }
        function getTypeFromObjectBindingPattern(pattern, includePatternInType, reportErrors2) {
          const members = createSymbolTable();
          let stringIndexInfo;
          let objectFlags = 128 | 131072;
          forEach(pattern.elements, (e) => {
            const name = e.propertyName || e.name;
            if (e.dotDotDotToken) {
              stringIndexInfo = createIndexInfo(
                stringType2,
                anyType2,
                /*isReadonly*/
                false
              );
              return;
            }
            const exprType = getLiteralTypeFromPropertyName(name);
            if (!isTypeUsableAsPropertyName(exprType)) {
              objectFlags |= 512;
              return;
            }
            const text = getPropertyNameFromType(exprType);
            const flags = 4 | (e.initializer ? 16777216 : 0);
            const symbol = createSymbol(flags, text);
            symbol.links.type = getTypeFromBindingElement(e, includePatternInType, reportErrors2);
            symbol.links.bindingElement = e;
            members.set(symbol.escapedName, symbol);
          });
          const result = createAnonymousType(
            /*symbol*/
            void 0,
            members,
            emptyArray,
            emptyArray,
            stringIndexInfo ? [stringIndexInfo] : emptyArray
          );
          result.objectFlags |= objectFlags;
          if (includePatternInType) {
            result.pattern = pattern;
            result.objectFlags |= 131072;
          }
          return result;
        }
        function getTypeFromArrayBindingPattern(pattern, includePatternInType, reportErrors2) {
          const elements = pattern.elements;
          const lastElement = lastOrUndefined(elements);
          const restElement = lastElement && lastElement.kind === 208 && lastElement.dotDotDotToken ? lastElement : void 0;
          if (elements.length === 0 || elements.length === 1 && restElement) {
            return languageVersion >= 2 ? createIterableType(anyType2) : anyArrayType;
          }
          const elementTypes = map(elements, (e) => isOmittedExpression(e) ? anyType2 : getTypeFromBindingElement(e, includePatternInType, reportErrors2));
          const minLength = findLastIndex(elements, (e) => !(e === restElement || isOmittedExpression(e) || hasDefaultValue2(e)), elements.length - 1) + 1;
          const elementFlags = map(
            elements,
            (e, i) => e === restElement ? 4 : i >= minLength ? 2 : 1
            /* Required */
          );
          let result = createTupleType(elementTypes, elementFlags);
          if (includePatternInType) {
            result = cloneTypeReference(result);
            result.pattern = pattern;
            result.objectFlags |= 131072;
          }
          return result;
        }
        function getTypeFromBindingPattern(pattern, includePatternInType = false, reportErrors2 = false) {
          return pattern.kind === 206 ? getTypeFromObjectBindingPattern(pattern, includePatternInType, reportErrors2) : getTypeFromArrayBindingPattern(pattern, includePatternInType, reportErrors2);
        }
        function getWidenedTypeForVariableLikeDeclaration(declaration, reportErrors2) {
          return widenTypeForVariableLikeDeclaration(getTypeForVariableLikeDeclaration(
            declaration,
            /*includeOptionality*/
            true,
            0
            /* Normal */
          ), declaration, reportErrors2);
        }
        function getTypeFromImportAttributes(node) {
          const links = getNodeLinks(node);
          if (!links.resolvedType) {
            const symbol = createSymbol(
              4096,
              "__importAttributes"
              /* ImportAttributes */
            );
            const members = createSymbolTable();
            forEach(node.elements, (attr) => {
              const member = createSymbol(4, getNameFromImportAttribute(attr));
              member.parent = symbol;
              member.links.type = checkImportAttribute(attr);
              member.links.target = member;
              members.set(member.escapedName, member);
            });
            const type = createAnonymousType(symbol, members, emptyArray, emptyArray, emptyArray);
            type.objectFlags |= 128 | 262144;
            links.resolvedType = type;
          }
          return links.resolvedType;
        }
        function isGlobalSymbolConstructor(node) {
          const symbol = getSymbolOfNode(node);
          const globalSymbol = getGlobalESSymbolConstructorTypeSymbol(
            /*reportErrors*/
            false
          );
          return globalSymbol && symbol && symbol === globalSymbol;
        }
        function widenTypeForVariableLikeDeclaration(type, declaration, reportErrors2) {
          if (type) {
            if (type.flags & 4096 && isGlobalSymbolConstructor(declaration.parent)) {
              type = getESSymbolLikeTypeForNode(declaration);
            }
            if (reportErrors2) {
              reportErrorsFromWidening(declaration, type);
            }
            if (type.flags & 8192 && (isBindingElement(declaration) || !declaration.type) && type.symbol !== getSymbolOfDeclaration(declaration)) {
              type = esSymbolType;
            }
            return getWidenedType(type);
          }
          type = isParameter(declaration) && declaration.dotDotDotToken ? anyArrayType : anyType2;
          if (reportErrors2) {
            if (!declarationBelongsToPrivateAmbientMember(declaration)) {
              reportImplicitAny(declaration, type);
            }
          }
          return type;
        }
        function declarationBelongsToPrivateAmbientMember(declaration) {
          const root2 = getRootDeclaration(declaration);
          const memberDeclaration = root2.kind === 169 ? root2.parent : root2;
          return isPrivateWithinAmbient(memberDeclaration);
        }
        function tryGetTypeFromEffectiveTypeNode(node) {
          const typeNode = getEffectiveTypeAnnotationNode(node);
          if (typeNode) {
            return getTypeFromTypeNode(typeNode);
          }
        }
        function isParameterOfContextSensitiveSignature(symbol) {
          let decl = symbol.valueDeclaration;
          if (!decl) {
            return false;
          }
          if (isBindingElement(decl)) {
            decl = walkUpBindingElementsAndPatterns(decl);
          }
          if (isParameter(decl)) {
            return isContextSensitiveFunctionOrObjectLiteralMethod(decl.parent);
          }
          return false;
        }
        function getTypeOfVariableOrParameterOrProperty(symbol, checkMode) {
          const links = getSymbolLinks(symbol);
          if (!links.type) {
            const type = getTypeOfVariableOrParameterOrPropertyWorker(symbol, checkMode);
            if (!links.type && !isParameterOfContextSensitiveSignature(symbol) && !checkMode) {
              links.type = type;
            }
            return type;
          }
          return links.type;
        }
        function getTypeOfVariableOrParameterOrPropertyWorker(symbol, checkMode) {
          if (symbol.flags & 4194304) {
            return getTypeOfPrototypeProperty(symbol);
          }
          if (symbol === requireSymbol) {
            return anyType2;
          }
          if (symbol.flags & 134217728 && symbol.valueDeclaration) {
            const fileSymbol = getSymbolOfDeclaration(getSourceFileOfNode(symbol.valueDeclaration));
            const result = createSymbol(fileSymbol.flags, "exports");
            result.declarations = fileSymbol.declarations ? fileSymbol.declarations.slice() : [];
            result.parent = symbol;
            result.links.target = fileSymbol;
            if (fileSymbol.valueDeclaration) result.valueDeclaration = fileSymbol.valueDeclaration;
            if (fileSymbol.members) result.members = new Map(fileSymbol.members);
            if (fileSymbol.exports) result.exports = new Map(fileSymbol.exports);
            const members = createSymbolTable();
            members.set("exports", result);
            return createAnonymousType(symbol, members, emptyArray, emptyArray, emptyArray);
          }
          Debug.assertIsDefined(symbol.valueDeclaration);
          const declaration = symbol.valueDeclaration;
          if (isSourceFile(declaration) && isJsonSourceFile(declaration)) {
            if (!declaration.statements.length) {
              return emptyObjectType;
            }
            return getWidenedType(getWidenedLiteralType(checkExpression(declaration.statements[0].expression)));
          }
          if (isAccessor(declaration)) {
            return getTypeOfAccessors(symbol);
          }
          if (!pushTypeResolution(
            symbol,
            0
            /* Type */
          )) {
            if (symbol.flags & 512 && !(symbol.flags & 67108864)) {
              return getTypeOfFuncClassEnumModule(symbol);
            }
            if (isBindingElement(declaration) && checkMode === 1) {
              return errorType;
            }
            return reportCircularityError(symbol);
          }
          let type;
          if (declaration.kind === 277) {
            type = widenTypeForVariableLikeDeclaration(tryGetTypeFromEffectiveTypeNode(declaration) || checkExpressionCached(declaration.expression), declaration);
          } else if (isBinaryExpression(declaration) || isInJSFile(declaration) && (isCallExpression2(declaration) || (isPropertyAccessExpression(declaration) || isBindableStaticElementAccessExpression(declaration)) && isBinaryExpression(declaration.parent))) {
            type = getWidenedTypeForAssignmentDeclaration(symbol);
          } else if (isPropertyAccessExpression(declaration) || isElementAccessExpression(declaration) || isIdentifier(declaration) || isStringLiteralLike(declaration) || isNumericLiteral(declaration) || isClassDeclaration(declaration) || isFunctionDeclaration(declaration) || isMethodDeclaration(declaration) && !isObjectLiteralMethod(declaration) || isMethodSignature(declaration) || isSourceFile(declaration)) {
            if (symbol.flags & (16 | 8192 | 32 | 384 | 512)) {
              return getTypeOfFuncClassEnumModule(symbol);
            }
            type = isBinaryExpression(declaration.parent) ? getWidenedTypeForAssignmentDeclaration(symbol) : tryGetTypeFromEffectiveTypeNode(declaration) || anyType2;
          } else if (isPropertyAssignment(declaration)) {
            type = tryGetTypeFromEffectiveTypeNode(declaration) || checkPropertyAssignment(declaration);
          } else if (isJsxAttribute(declaration)) {
            type = tryGetTypeFromEffectiveTypeNode(declaration) || checkJsxAttribute(declaration);
          } else if (isShorthandPropertyAssignment(declaration)) {
            type = tryGetTypeFromEffectiveTypeNode(declaration) || checkExpressionForMutableLocation(
              declaration.name,
              0
              /* Normal */
            );
          } else if (isObjectLiteralMethod(declaration)) {
            type = tryGetTypeFromEffectiveTypeNode(declaration) || checkObjectLiteralMethod(
              declaration,
              0
              /* Normal */
            );
          } else if (isParameter(declaration) || isPropertyDeclaration(declaration) || isPropertySignature(declaration) || isVariableDeclaration(declaration) || isBindingElement(declaration) || isJSDocPropertyLikeTag(declaration)) {
            type = getWidenedTypeForVariableLikeDeclaration(
              declaration,
              /*reportErrors*/
              true
            );
          } else if (isEnumDeclaration(declaration)) {
            type = getTypeOfFuncClassEnumModule(symbol);
          } else if (isEnumMember(declaration)) {
            type = getTypeOfEnumMember(symbol);
          } else {
            return Debug.fail("Unhandled declaration kind! " + Debug.formatSyntaxKind(declaration.kind) + " for " + Debug.formatSymbol(symbol));
          }
          if (!popTypeResolution()) {
            if (symbol.flags & 512 && !(symbol.flags & 67108864)) {
              return getTypeOfFuncClassEnumModule(symbol);
            }
            if (isBindingElement(declaration) && checkMode === 1) {
              return type;
            }
            return reportCircularityError(symbol);
          }
          return type;
        }
        function getAnnotatedAccessorTypeNode(accessor) {
          if (accessor) {
            switch (accessor.kind) {
              case 177:
                const getterTypeAnnotation = getEffectiveReturnTypeNode(accessor);
                return getterTypeAnnotation;
              case 178:
                const setterTypeAnnotation = getEffectiveSetAccessorTypeAnnotationNode(accessor);
                return setterTypeAnnotation;
              case 172:
                Debug.assert(hasAccessorModifier(accessor));
                const accessorTypeAnnotation = getEffectiveTypeAnnotationNode(accessor);
                return accessorTypeAnnotation;
            }
          }
          return void 0;
        }
        function getAnnotatedAccessorType(accessor) {
          const node = getAnnotatedAccessorTypeNode(accessor);
          return node && getTypeFromTypeNode(node);
        }
        function getAnnotatedAccessorThisParameter(accessor) {
          const parameter = getAccessorThisParameter(accessor);
          return parameter && parameter.symbol;
        }
        function getThisTypeOfDeclaration(declaration) {
          return getThisTypeOfSignature(getSignatureFromDeclaration(declaration));
        }
        function getTypeOfAccessors(symbol) {
          const links = getSymbolLinks(symbol);
          if (!links.type) {
            if (!pushTypeResolution(
              symbol,
              0
              /* Type */
            )) {
              return errorType;
            }
            const getter = getDeclarationOfKind(
              symbol,
              177
              /* GetAccessor */
            );
            const setter = getDeclarationOfKind(
              symbol,
              178
              /* SetAccessor */
            );
            const accessor = tryCast(getDeclarationOfKind(
              symbol,
              172
              /* PropertyDeclaration */
            ), isAutoAccessorPropertyDeclaration);
            let type = getter && isInJSFile(getter) && getTypeForDeclarationFromJSDocComment(getter) || getAnnotatedAccessorType(getter) || getAnnotatedAccessorType(setter) || getAnnotatedAccessorType(accessor) || getter && getter.body && getReturnTypeFromBody(getter) || accessor && accessor.initializer && getWidenedTypeForVariableLikeDeclaration(
              accessor,
              /*reportErrors*/
              true
            );
            if (!type) {
              if (setter && !isPrivateWithinAmbient(setter)) {
                errorOrSuggestion(noImplicitAny, setter, Diagnostics.Property_0_implicitly_has_type_any_because_its_set_accessor_lacks_a_parameter_type_annotation, symbolToString2(symbol));
              } else if (getter && !isPrivateWithinAmbient(getter)) {
                errorOrSuggestion(noImplicitAny, getter, Diagnostics.Property_0_implicitly_has_type_any_because_its_get_accessor_lacks_a_return_type_annotation, symbolToString2(symbol));
              } else if (accessor && !isPrivateWithinAmbient(accessor)) {
                errorOrSuggestion(noImplicitAny, accessor, Diagnostics.Member_0_implicitly_has_an_1_type, symbolToString2(symbol), "any");
              }
              type = anyType2;
            }
            if (!popTypeResolution()) {
              if (getAnnotatedAccessorTypeNode(getter)) {
                error2(getter, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_type_annotation, symbolToString2(symbol));
              } else if (getAnnotatedAccessorTypeNode(setter)) {
                error2(setter, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_type_annotation, symbolToString2(symbol));
              } else if (getAnnotatedAccessorTypeNode(accessor)) {
                error2(setter, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_type_annotation, symbolToString2(symbol));
              } else if (getter && noImplicitAny) {
                error2(getter, Diagnostics._0_implicitly_has_return_type_any_because_it_does_not_have_a_return_type_annotation_and_is_referenced_directly_or_indirectly_in_one_of_its_return_expressions, symbolToString2(symbol));
              }
              type = anyType2;
            }
            links.type ?? (links.type = type);
          }
          return links.type;
        }
        function getWriteTypeOfAccessors(symbol) {
          const links = getSymbolLinks(symbol);
          if (!links.writeType) {
            if (!pushTypeResolution(
              symbol,
              7
              /* WriteType */
            )) {
              return errorType;
            }
            const setter = getDeclarationOfKind(
              symbol,
              178
              /* SetAccessor */
            ) ?? tryCast(getDeclarationOfKind(
              symbol,
              172
              /* PropertyDeclaration */
            ), isAutoAccessorPropertyDeclaration);
            let writeType = getAnnotatedAccessorType(setter);
            if (!popTypeResolution()) {
              if (getAnnotatedAccessorTypeNode(setter)) {
                error2(setter, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_type_annotation, symbolToString2(symbol));
              }
              writeType = anyType2;
            }
            links.writeType ?? (links.writeType = writeType || getTypeOfAccessors(symbol));
          }
          return links.writeType;
        }
        function getBaseTypeVariableOfClass(symbol) {
          const baseConstructorType = getBaseConstructorTypeOfClass(getDeclaredTypeOfClassOrInterface(symbol));
          return baseConstructorType.flags & 8650752 ? baseConstructorType : baseConstructorType.flags & 2097152 ? find(baseConstructorType.types, (t) => !!(t.flags & 8650752)) : void 0;
        }
        function getTypeOfFuncClassEnumModule(symbol) {
          let links = getSymbolLinks(symbol);
          const originalLinks = links;
          if (!links.type) {
            const expando = symbol.valueDeclaration && getSymbolOfExpando(
              symbol.valueDeclaration,
              /*allowDeclaration*/
              false
            );
            if (expando) {
              const merged = mergeJSSymbols(symbol, expando);
              if (merged) {
                symbol = merged;
                links = merged.links;
              }
            }
            originalLinks.type = links.type = getTypeOfFuncClassEnumModuleWorker(symbol);
          }
          return links.type;
        }
        function getTypeOfFuncClassEnumModuleWorker(symbol) {
          const declaration = symbol.valueDeclaration;
          if (symbol.flags & 1536 && isShorthandAmbientModuleSymbol(symbol)) {
            return anyType2;
          } else if (declaration && (declaration.kind === 226 || isAccessExpression(declaration) && declaration.parent.kind === 226)) {
            return getWidenedTypeForAssignmentDeclaration(symbol);
          } else if (symbol.flags & 512 && declaration && isSourceFile(declaration) && declaration.commonJsModuleIndicator) {
            const resolvedModule = resolveExternalModuleSymbol(symbol);
            if (resolvedModule !== symbol) {
              if (!pushTypeResolution(
                symbol,
                0
                /* Type */
              )) {
                return errorType;
              }
              const exportEquals = getMergedSymbol(symbol.exports.get(
                "export="
                /* ExportEquals */
              ));
              const type2 = getWidenedTypeForAssignmentDeclaration(exportEquals, exportEquals === resolvedModule ? void 0 : resolvedModule);
              if (!popTypeResolution()) {
                return reportCircularityError(symbol);
              }
              return type2;
            }
          }
          const type = createObjectType(16, symbol);
          if (symbol.flags & 32) {
            const baseTypeVariable = getBaseTypeVariableOfClass(symbol);
            return baseTypeVariable ? getIntersectionType([type, baseTypeVariable]) : type;
          } else {
            return strictNullChecks && symbol.flags & 16777216 ? getOptionalType(
              type,
              /*isProperty*/
              true
            ) : type;
          }
        }
        function getTypeOfEnumMember(symbol) {
          const links = getSymbolLinks(symbol);
          return links.type || (links.type = getDeclaredTypeOfEnumMember(symbol));
        }
        function getTypeOfAlias(symbol) {
          const links = getSymbolLinks(symbol);
          if (!links.type) {
            if (!pushTypeResolution(
              symbol,
              0
              /* Type */
            )) {
              return errorType;
            }
            const targetSymbol = resolveAlias(symbol);
            const exportSymbol = symbol.declarations && getTargetOfAliasDeclaration(
              getDeclarationOfAliasSymbol(symbol),
              /*dontRecursivelyResolve*/
              true
            );
            const declaredType = firstDefined(exportSymbol == null ? void 0 : exportSymbol.declarations, (d) => isExportAssignment(d) ? tryGetTypeFromEffectiveTypeNode(d) : void 0);
            links.type ?? (links.type = (exportSymbol == null ? void 0 : exportSymbol.declarations) && isDuplicatedCommonJSExport(exportSymbol.declarations) && symbol.declarations.length ? getFlowTypeFromCommonJSExport(exportSymbol) : isDuplicatedCommonJSExport(symbol.declarations) ? autoType : declaredType ? declaredType : getSymbolFlags(targetSymbol) & 111551 ? getTypeOfSymbol(targetSymbol) : errorType);
            if (!popTypeResolution()) {
              reportCircularityError(exportSymbol ?? symbol);
              return links.type ?? (links.type = errorType);
            }
          }
          return links.type;
        }
        function getTypeOfInstantiatedSymbol(symbol) {
          const links = getSymbolLinks(symbol);
          return links.type || (links.type = instantiateType(getTypeOfSymbol(links.target), links.mapper));
        }
        function getWriteTypeOfInstantiatedSymbol(symbol) {
          const links = getSymbolLinks(symbol);
          return links.writeType || (links.writeType = instantiateType(getWriteTypeOfSymbol(links.target), links.mapper));
        }
        function reportCircularityError(symbol) {
          const declaration = symbol.valueDeclaration;
          if (declaration) {
            if (getEffectiveTypeAnnotationNode(declaration)) {
              error2(symbol.valueDeclaration, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_type_annotation, symbolToString2(symbol));
              return errorType;
            }
            if (noImplicitAny && (declaration.kind !== 169 || declaration.initializer)) {
              error2(symbol.valueDeclaration, Diagnostics._0_implicitly_has_type_any_because_it_does_not_have_a_type_annotation_and_is_referenced_directly_or_indirectly_in_its_own_initializer, symbolToString2(symbol));
            }
          } else if (symbol.flags & 2097152) {
            const node = getDeclarationOfAliasSymbol(symbol);
            if (node) {
              error2(node, Diagnostics.Circular_definition_of_import_alias_0, symbolToString2(symbol));
            }
          }
          return anyType2;
        }
        function getTypeOfSymbolWithDeferredType(symbol) {
          const links = getSymbolLinks(symbol);
          if (!links.type) {
            Debug.assertIsDefined(links.deferralParent);
            Debug.assertIsDefined(links.deferralConstituents);
            links.type = links.deferralParent.flags & 1048576 ? getUnionType(links.deferralConstituents) : getIntersectionType(links.deferralConstituents);
          }
          return links.type;
        }
        function getWriteTypeOfSymbolWithDeferredType(symbol) {
          const links = getSymbolLinks(symbol);
          if (!links.writeType && links.deferralWriteConstituents) {
            Debug.assertIsDefined(links.deferralParent);
            Debug.assertIsDefined(links.deferralConstituents);
            links.writeType = links.deferralParent.flags & 1048576 ? getUnionType(links.deferralWriteConstituents) : getIntersectionType(links.deferralWriteConstituents);
          }
          return links.writeType;
        }
        function getWriteTypeOfSymbol(symbol) {
          const checkFlags = getCheckFlags(symbol);
          if (symbol.flags & 4) {
            return checkFlags & 2 ? checkFlags & 65536 ? getWriteTypeOfSymbolWithDeferredType(symbol) || getTypeOfSymbolWithDeferredType(symbol) : (
              // NOTE: cast to TransientSymbol should be safe because only TransientSymbols can have CheckFlags.SyntheticProperty
              symbol.links.writeType || symbol.links.type
            ) : removeMissingType(getTypeOfSymbol(symbol), !!(symbol.flags & 16777216));
          }
          if (symbol.flags & 98304) {
            return checkFlags & 1 ? getWriteTypeOfInstantiatedSymbol(symbol) : getWriteTypeOfAccessors(symbol);
          }
          return getTypeOfSymbol(symbol);
        }
        function getTypeOfSymbol(symbol, checkMode) {
          const checkFlags = getCheckFlags(symbol);
          if (checkFlags & 65536) {
            return getTypeOfSymbolWithDeferredType(symbol);
          }
          if (checkFlags & 1) {
            return getTypeOfInstantiatedSymbol(symbol);
          }
          if (checkFlags & 262144) {
            return getTypeOfMappedSymbol(symbol);
          }
          if (checkFlags & 8192) {
            return getTypeOfReverseMappedSymbol(symbol);
          }
          if (symbol.flags & (3 | 4)) {
            return getTypeOfVariableOrParameterOrProperty(symbol, checkMode);
          }
          if (symbol.flags & (16 | 8192 | 32 | 384 | 512)) {
            return getTypeOfFuncClassEnumModule(symbol);
          }
          if (symbol.flags & 8) {
            return getTypeOfEnumMember(symbol);
          }
          if (symbol.flags & 98304) {
            return getTypeOfAccessors(symbol);
          }
          if (symbol.flags & 2097152) {
            return getTypeOfAlias(symbol);
          }
          return errorType;
        }
        function getNonMissingTypeOfSymbol(symbol) {
          return removeMissingType(getTypeOfSymbol(symbol), !!(symbol.flags & 16777216));
        }
        function isReferenceToType2(type, target) {
          return type !== void 0 && target !== void 0 && (getObjectFlags(type) & 4) !== 0 && type.target === target;
        }
        function getTargetType(type) {
          return getObjectFlags(type) & 4 ? type.target : type;
        }
        function hasBaseType(type, checkBase) {
          return check(type);
          function check(type2) {
            if (getObjectFlags(type2) & (3 | 4)) {
              const target = getTargetType(type2);
              return target === checkBase || some(getBaseTypes(target), check);
            } else if (type2.flags & 2097152) {
              return some(type2.types, check);
            }
            return false;
          }
        }
        function appendTypeParameters(typeParameters, declarations) {
          for (const declaration of declarations) {
            typeParameters = appendIfUnique(typeParameters, getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(declaration)));
          }
          return typeParameters;
        }
        function getOuterTypeParameters(node, includeThisTypes) {
          while (true) {
            node = node.parent;
            if (node && isBinaryExpression(node)) {
              const assignmentKind = getAssignmentDeclarationKind(node);
              if (assignmentKind === 6 || assignmentKind === 3) {
                const symbol = getSymbolOfDeclaration(node.left);
                if (symbol && symbol.parent && !findAncestor(symbol.parent.valueDeclaration, (d) => node === d)) {
                  node = symbol.parent.valueDeclaration;
                }
              }
            }
            if (!node) {
              return void 0;
            }
            switch (node.kind) {
              case 263:
              case 231:
              case 264:
              case 179:
              case 180:
              case 173:
              case 184:
              case 185:
              case 317:
              case 262:
              case 174:
              case 218:
              case 219:
              case 265:
              case 345:
              case 346:
              case 340:
              case 338:
              case 200:
              case 194: {
                const outerTypeParameters = getOuterTypeParameters(node, includeThisTypes);
                if (node.kind === 200) {
                  return append(outerTypeParameters, getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(node.typeParameter)));
                } else if (node.kind === 194) {
                  return concatenate(outerTypeParameters, getInferTypeParameters(node));
                }
                const outerAndOwnTypeParameters = appendTypeParameters(outerTypeParameters, getEffectiveTypeParameterDeclarations(node));
                const thisType = includeThisTypes && (node.kind === 263 || node.kind === 231 || node.kind === 264 || isJSConstructor(node)) && getDeclaredTypeOfClassOrInterface(getSymbolOfDeclaration(node)).thisType;
                return thisType ? append(outerAndOwnTypeParameters, thisType) : outerAndOwnTypeParameters;
              }
              case 341:
                const paramSymbol = getParameterSymbolFromJSDoc(node);
                if (paramSymbol) {
                  node = paramSymbol.valueDeclaration;
                }
                break;
              case 320: {
                const outerTypeParameters = getOuterTypeParameters(node, includeThisTypes);
                return node.tags ? appendTypeParameters(outerTypeParameters, flatMap(node.tags, (t) => isJSDocTemplateTag(t) ? t.typeParameters : void 0)) : outerTypeParameters;
              }
            }
          }
        }
        function getOuterTypeParametersOfClassOrInterface(symbol) {
          var _a;
          const declaration = symbol.flags & 32 || symbol.flags & 16 ? symbol.valueDeclaration : (_a = symbol.declarations) == null ? void 0 : _a.find((decl) => {
            if (decl.kind === 264) {
              return true;
            }
            if (decl.kind !== 260) {
              return false;
            }
            const initializer = decl.initializer;
            return !!initializer && (initializer.kind === 218 || initializer.kind === 219);
          });
          Debug.assert(!!declaration, "Class was missing valueDeclaration -OR- non-class had no interface declarations");
          return getOuterTypeParameters(declaration);
        }
        function getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol) {
          if (!symbol.declarations) {
            return;
          }
          let result;
          for (const node of symbol.declarations) {
            if (node.kind === 264 || node.kind === 263 || node.kind === 231 || isJSConstructor(node) || isTypeAlias(node)) {
              const declaration = node;
              result = appendTypeParameters(result, getEffectiveTypeParameterDeclarations(declaration));
            }
          }
          return result;
        }
        function getTypeParametersOfClassOrInterface(symbol) {
          return concatenate(getOuterTypeParametersOfClassOrInterface(symbol), getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol));
        }
        function isMixinConstructorType(type) {
          const signatures = getSignaturesOfType(
            type,
            1
            /* Construct */
          );
          if (signatures.length === 1) {
            const s = signatures[0];
            if (!s.typeParameters && s.parameters.length === 1 && signatureHasRestParameter(s)) {
              const paramType = getTypeOfParameter(s.parameters[0]);
              return isTypeAny(paramType) || getElementTypeOfArrayType(paramType) === anyType2;
            }
          }
          return false;
        }
        function isConstructorType(type) {
          if (getSignaturesOfType(
            type,
            1
            /* Construct */
          ).length > 0) {
            return true;
          }
          if (type.flags & 8650752) {
            const constraint = getBaseConstraintOfType(type);
            return !!constraint && isMixinConstructorType(constraint);
          }
          return false;
        }
        function getBaseTypeNodeOfClass(type) {
          const decl = getClassLikeDeclarationOfSymbol(type.symbol);
          return decl && getEffectiveBaseTypeNode(decl);
        }
        function getConstructorsForTypeArguments(type, typeArgumentNodes, location) {
          const typeArgCount = length(typeArgumentNodes);
          const isJavascript = isInJSFile(location);
          return filter(getSignaturesOfType(
            type,
            1
            /* Construct */
          ), (sig) => (isJavascript || typeArgCount >= getMinTypeArgumentCount(sig.typeParameters)) && typeArgCount <= length(sig.typeParameters));
        }
        function getInstantiatedConstructorsForTypeArguments(type, typeArgumentNodes, location) {
          const signatures = getConstructorsForTypeArguments(type, typeArgumentNodes, location);
          const typeArguments = map(typeArgumentNodes, getTypeFromTypeNode);
          return sameMap(signatures, (sig) => some(sig.typeParameters) ? getSignatureInstantiation(sig, typeArguments, isInJSFile(location)) : sig);
        }
        function getBaseConstructorTypeOfClass(type) {
          if (!type.resolvedBaseConstructorType) {
            const decl = getClassLikeDeclarationOfSymbol(type.symbol);
            const extended = decl && getEffectiveBaseTypeNode(decl);
            const baseTypeNode = getBaseTypeNodeOfClass(type);
            if (!baseTypeNode) {
              return type.resolvedBaseConstructorType = undefinedType2;
            }
            if (!pushTypeResolution(
              type,
              1
              /* ResolvedBaseConstructorType */
            )) {
              return errorType;
            }
            const baseConstructorType = checkExpression(baseTypeNode.expression);
            if (extended && baseTypeNode !== extended) {
              Debug.assert(!extended.typeArguments);
              checkExpression(extended.expression);
            }
            if (baseConstructorType.flags & (524288 | 2097152)) {
              resolveStructuredTypeMembers(baseConstructorType);
            }
            if (!popTypeResolution()) {
              error2(type.symbol.valueDeclaration, Diagnostics._0_is_referenced_directly_or_indirectly_in_its_own_base_expression, symbolToString2(type.symbol));
              return type.resolvedBaseConstructorType ?? (type.resolvedBaseConstructorType = errorType);
            }
            if (!(baseConstructorType.flags & 1) && baseConstructorType !== nullWideningType && !isConstructorType(baseConstructorType)) {
              const err = error2(baseTypeNode.expression, Diagnostics.Type_0_is_not_a_constructor_function_type, typeToString(baseConstructorType));
              if (baseConstructorType.flags & 262144) {
                const constraint = getConstraintFromTypeParameter(baseConstructorType);
                let ctorReturn = unknownType2;
                if (constraint) {
                  const ctorSig = getSignaturesOfType(
                    constraint,
                    1
                    /* Construct */
                  );
                  if (ctorSig[0]) {
                    ctorReturn = getReturnTypeOfSignature(ctorSig[0]);
                  }
                }
                if (baseConstructorType.symbol.declarations) {
                  addRelatedInfo(err, createDiagnosticForNode(baseConstructorType.symbol.declarations[0], Diagnostics.Did_you_mean_for_0_to_be_constrained_to_type_new_args_Colon_any_1, symbolToString2(baseConstructorType.symbol), typeToString(ctorReturn)));
                }
              }
              return type.resolvedBaseConstructorType ?? (type.resolvedBaseConstructorType = errorType);
            }
            type.resolvedBaseConstructorType ?? (type.resolvedBaseConstructorType = baseConstructorType);
          }
          return type.resolvedBaseConstructorType;
        }
        function getImplementsTypes(type) {
          let resolvedImplementsTypes = emptyArray;
          if (type.symbol.declarations) {
            for (const declaration of type.symbol.declarations) {
              const implementsTypeNodes = getEffectiveImplementsTypeNodes(declaration);
              if (!implementsTypeNodes) continue;
              for (const node of implementsTypeNodes) {
                const implementsType = getTypeFromTypeNode(node);
                if (!isErrorType(implementsType)) {
                  if (resolvedImplementsTypes === emptyArray) {
                    resolvedImplementsTypes = [implementsType];
                  } else {
                    resolvedImplementsTypes.push(implementsType);
                  }
                }
              }
            }
          }
          return resolvedImplementsTypes;
        }
        function reportCircularBaseType(node, type) {
          error2(node, Diagnostics.Type_0_recursively_references_itself_as_a_base_type, typeToString(
            type,
            /*enclosingDeclaration*/
            void 0,
            2
            /* WriteArrayAsGenericType */
          ));
        }
        function getBaseTypes(type) {
          if (!type.baseTypesResolved) {
            if (pushTypeResolution(
              type,
              6
              /* ResolvedBaseTypes */
            )) {
              if (type.objectFlags & 8) {
                type.resolvedBaseTypes = [getTupleBaseType(type)];
              } else if (type.symbol.flags & (32 | 64)) {
                if (type.symbol.flags & 32) {
                  resolveBaseTypesOfClass(type);
                }
                if (type.symbol.flags & 64) {
                  resolveBaseTypesOfInterface(type);
                }
              } else {
                Debug.fail("type must be class or interface");
              }
              if (!popTypeResolution() && type.symbol.declarations) {
                for (const declaration of type.symbol.declarations) {
                  if (declaration.kind === 263 || declaration.kind === 264) {
                    reportCircularBaseType(declaration, type);
                  }
                }
              }
            }
            type.baseTypesResolved = true;
          }
          return type.resolvedBaseTypes;
        }
        function getTupleBaseType(type) {
          const elementTypes = sameMap(type.typeParameters, (t, i) => type.elementFlags[i] & 8 ? getIndexedAccessType(t, numberType2) : t);
          return createArrayType(getUnionType(elementTypes || emptyArray), type.readonly);
        }
        function resolveBaseTypesOfClass(type) {
          type.resolvedBaseTypes = resolvingEmptyArray;
          const baseConstructorType = getApparentType(getBaseConstructorTypeOfClass(type));
          if (!(baseConstructorType.flags & (524288 | 2097152 | 1))) {
            return type.resolvedBaseTypes = emptyArray;
          }
          const baseTypeNode = getBaseTypeNodeOfClass(type);
          let baseType;
          const originalBaseType = baseConstructorType.symbol ? getDeclaredTypeOfSymbol(baseConstructorType.symbol) : void 0;
          if (baseConstructorType.symbol && baseConstructorType.symbol.flags & 32 && areAllOuterTypeParametersApplied(originalBaseType)) {
            baseType = getTypeFromClassOrInterfaceReference(baseTypeNode, baseConstructorType.symbol);
          } else if (baseConstructorType.flags & 1) {
            baseType = baseConstructorType;
          } else {
            const constructors = getInstantiatedConstructorsForTypeArguments(baseConstructorType, baseTypeNode.typeArguments, baseTypeNode);
            if (!constructors.length) {
              error2(baseTypeNode.expression, Diagnostics.No_base_constructor_has_the_specified_number_of_type_arguments);
              return type.resolvedBaseTypes = emptyArray;
            }
            baseType = getReturnTypeOfSignature(constructors[0]);
          }
          if (isErrorType(baseType)) {
            return type.resolvedBaseTypes = emptyArray;
          }
          const reducedBaseType = getReducedType(baseType);
          if (!isValidBaseType(reducedBaseType)) {
            const elaboration = elaborateNeverIntersection(
              /*errorInfo*/
              void 0,
              baseType
            );
            const diagnostic = chainDiagnosticMessages(elaboration, Diagnostics.Base_constructor_return_type_0_is_not_an_object_type_or_intersection_of_object_types_with_statically_known_members, typeToString(reducedBaseType));
            diagnostics.add(createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(baseTypeNode.expression), baseTypeNode.expression, diagnostic));
            return type.resolvedBaseTypes = emptyArray;
          }
          if (type === reducedBaseType || hasBaseType(reducedBaseType, type)) {
            error2(type.symbol.valueDeclaration, Diagnostics.Type_0_recursively_references_itself_as_a_base_type, typeToString(
              type,
              /*enclosingDeclaration*/
              void 0,
              2
              /* WriteArrayAsGenericType */
            ));
            return type.resolvedBaseTypes = emptyArray;
          }
          if (type.resolvedBaseTypes === resolvingEmptyArray) {
            type.members = void 0;
          }
          return type.resolvedBaseTypes = [reducedBaseType];
        }
        function areAllOuterTypeParametersApplied(type) {
          const outerTypeParameters = type.outerTypeParameters;
          if (outerTypeParameters) {
            const last2 = outerTypeParameters.length - 1;
            const typeArguments = getTypeArguments(type);
            return outerTypeParameters[last2].symbol !== typeArguments[last2].symbol;
          }
          return true;
        }
        function isValidBaseType(type) {
          if (type.flags & 262144) {
            const constraint = getBaseConstraintOfType(type);
            if (constraint) {
              return isValidBaseType(constraint);
            }
          }
          return !!(type.flags & (524288 | 67108864 | 1) && !isGenericMappedType(type) || type.flags & 2097152 && every(type.types, isValidBaseType));
        }
        function resolveBaseTypesOfInterface(type) {
          type.resolvedBaseTypes = type.resolvedBaseTypes || emptyArray;
          if (type.symbol.declarations) {
            for (const declaration of type.symbol.declarations) {
              if (declaration.kind === 264 && getInterfaceBaseTypeNodes(declaration)) {
                for (const node of getInterfaceBaseTypeNodes(declaration)) {
                  const baseType = getReducedType(getTypeFromTypeNode(node));
                  if (!isErrorType(baseType)) {
                    if (isValidBaseType(baseType)) {
                      if (type !== baseType && !hasBaseType(baseType, type)) {
                        if (type.resolvedBaseTypes === emptyArray) {
                          type.resolvedBaseTypes = [baseType];
                        } else {
                          type.resolvedBaseTypes.push(baseType);
                        }
                      } else {
                        reportCircularBaseType(declaration, type);
                      }
                    } else {
                      error2(node, Diagnostics.An_interface_can_only_extend_an_object_type_or_intersection_of_object_types_with_statically_known_members);
                    }
                  }
                }
              }
            }
          }
        }
        function isThislessInterface(symbol) {
          if (!symbol.declarations) {
            return true;
          }
          for (const declaration of symbol.declarations) {
            if (declaration.kind === 264) {
              if (declaration.flags & 256) {
                return false;
              }
              const baseTypeNodes = getInterfaceBaseTypeNodes(declaration);
              if (baseTypeNodes) {
                for (const node of baseTypeNodes) {
                  if (isEntityNameExpression(node.expression)) {
                    const baseSymbol = resolveEntityName(
                      node.expression,
                      788968,
                      /*ignoreErrors*/
                      true
                    );
                    if (!baseSymbol || !(baseSymbol.flags & 64) || getDeclaredTypeOfClassOrInterface(baseSymbol).thisType) {
                      return false;
                    }
                  }
                }
              }
            }
          }
          return true;
        }
        function getDeclaredTypeOfClassOrInterface(symbol) {
          let links = getSymbolLinks(symbol);
          const originalLinks = links;
          if (!links.declaredType) {
            const kind = symbol.flags & 32 ? 1 : 2;
            const merged = mergeJSSymbols(symbol, symbol.valueDeclaration && getAssignedClassSymbol(symbol.valueDeclaration));
            if (merged) {
              symbol = merged;
              links = merged.links;
            }
            const type = originalLinks.declaredType = links.declaredType = createObjectType(kind, symbol);
            const outerTypeParameters = getOuterTypeParametersOfClassOrInterface(symbol);
            const localTypeParameters = getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol);
            if (outerTypeParameters || localTypeParameters || kind === 1 || !isThislessInterface(symbol)) {
              type.objectFlags |= 4;
              type.typeParameters = concatenate(outerTypeParameters, localTypeParameters);
              type.outerTypeParameters = outerTypeParameters;
              type.localTypeParameters = localTypeParameters;
              type.instantiations = /* @__PURE__ */ new Map();
              type.instantiations.set(getTypeListId(type.typeParameters), type);
              type.target = type;
              type.resolvedTypeArguments = type.typeParameters;
              type.thisType = createTypeParameter(symbol);
              type.thisType.isThisType = true;
              type.thisType.constraint = type;
            }
          }
          return links.declaredType;
        }
        function getDeclaredTypeOfTypeAlias(symbol) {
          var _a;
          const links = getSymbolLinks(symbol);
          if (!links.declaredType) {
            if (!pushTypeResolution(
              symbol,
              2
              /* DeclaredType */
            )) {
              return errorType;
            }
            const declaration = Debug.checkDefined((_a = symbol.declarations) == null ? void 0 : _a.find(isTypeAlias), "Type alias symbol with no valid declaration found");
            const typeNode = isJSDocTypeAlias(declaration) ? declaration.typeExpression : declaration.type;
            let type = typeNode ? getTypeFromTypeNode(typeNode) : errorType;
            if (popTypeResolution()) {
              const typeParameters = getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol);
              if (typeParameters) {
                links.typeParameters = typeParameters;
                links.instantiations = /* @__PURE__ */ new Map();
                links.instantiations.set(getTypeListId(typeParameters), type);
              }
            } else {
              type = errorType;
              if (declaration.kind === 340) {
                error2(declaration.typeExpression.type, Diagnostics.Type_alias_0_circularly_references_itself, symbolToString2(symbol));
              } else {
                error2(isNamedDeclaration(declaration) ? declaration.name || declaration : declaration, Diagnostics.Type_alias_0_circularly_references_itself, symbolToString2(symbol));
              }
            }
            links.declaredType ?? (links.declaredType = type);
          }
          return links.declaredType;
        }
        function getBaseTypeOfEnumLikeType(type) {
          return type.flags & 1056 && type.symbol.flags & 8 ? getDeclaredTypeOfSymbol(getParentOfSymbol(type.symbol)) : type;
        }
        function getDeclaredTypeOfEnum(symbol) {
          const links = getSymbolLinks(symbol);
          if (!links.declaredType) {
            const memberTypeList = [];
            if (symbol.declarations) {
              for (const declaration of symbol.declarations) {
                if (declaration.kind === 266) {
                  for (const member of declaration.members) {
                    if (hasBindableName(member)) {
                      const memberSymbol = getSymbolOfDeclaration(member);
                      const value = getEnumMemberValue(member).value;
                      const memberType = getFreshTypeOfLiteralType(
                        value !== void 0 ? getEnumLiteralType(value, getSymbolId(symbol), memberSymbol) : createComputedEnumType(memberSymbol)
                      );
                      getSymbolLinks(memberSymbol).declaredType = memberType;
                      memberTypeList.push(getRegularTypeOfLiteralType(memberType));
                    }
                  }
                }
              }
            }
            const enumType2 = memberTypeList.length ? getUnionType(
              memberTypeList,
              1,
              symbol,
              /*aliasTypeArguments*/
              void 0
            ) : createComputedEnumType(symbol);
            if (enumType2.flags & 1048576) {
              enumType2.flags |= 1024;
              enumType2.symbol = symbol;
            }
            links.declaredType = enumType2;
          }
          return links.declaredType;
        }
        function createComputedEnumType(symbol) {
          const regularType = createTypeWithSymbol(32, symbol);
          const freshType = createTypeWithSymbol(32, symbol);
          regularType.regularType = regularType;
          regularType.freshType = freshType;
          freshType.regularType = regularType;
          freshType.freshType = freshType;
          return regularType;
        }
        function getDeclaredTypeOfEnumMember(symbol) {
          const links = getSymbolLinks(symbol);
          if (!links.declaredType) {
            const enumType2 = getDeclaredTypeOfEnum(getParentOfSymbol(symbol));
            if (!links.declaredType) {
              links.declaredType = enumType2;
            }
          }
          return links.declaredType;
        }
        function getDeclaredTypeOfTypeParameter(symbol) {
          const links = getSymbolLinks(symbol);
          return links.declaredType || (links.declaredType = createTypeParameter(symbol));
        }
        function getDeclaredTypeOfAlias(symbol) {
          const links = getSymbolLinks(symbol);
          return links.declaredType || (links.declaredType = getDeclaredTypeOfSymbol(resolveAlias(symbol)));
        }
        function getDeclaredTypeOfSymbol(symbol) {
          return tryGetDeclaredTypeOfSymbol(symbol) || errorType;
        }
        function tryGetDeclaredTypeOfSymbol(symbol) {
          if (symbol.flags & (32 | 64)) {
            return getDeclaredTypeOfClassOrInterface(symbol);
          }
          if (symbol.flags & 524288) {
            return getDeclaredTypeOfTypeAlias(symbol);
          }
          if (symbol.flags & 262144) {
            return getDeclaredTypeOfTypeParameter(symbol);
          }
          if (symbol.flags & 384) {
            return getDeclaredTypeOfEnum(symbol);
          }
          if (symbol.flags & 8) {
            return getDeclaredTypeOfEnumMember(symbol);
          }
          if (symbol.flags & 2097152) {
            return getDeclaredTypeOfAlias(symbol);
          }
          return void 0;
        }
        function isThislessType(node) {
          switch (node.kind) {
            case 133:
            case 159:
            case 154:
            case 150:
            case 163:
            case 136:
            case 155:
            case 151:
            case 116:
            case 157:
            case 146:
            case 201:
              return true;
            case 188:
              return isThislessType(node.elementType);
            case 183:
              return !node.typeArguments || node.typeArguments.every(isThislessType);
          }
          return false;
        }
        function isThislessTypeParameter(node) {
          const constraint = getEffectiveConstraintOfTypeParameter(node);
          return !constraint || isThislessType(constraint);
        }
        function isThislessVariableLikeDeclaration(node) {
          const typeNode = getEffectiveTypeAnnotationNode(node);
          return typeNode ? isThislessType(typeNode) : !hasInitializer(node);
        }
        function isThislessFunctionLikeDeclaration(node) {
          const returnType = getEffectiveReturnTypeNode(node);
          const typeParameters = getEffectiveTypeParameterDeclarations(node);
          return (node.kind === 176 || !!returnType && isThislessType(returnType)) && node.parameters.every(isThislessVariableLikeDeclaration) && typeParameters.every(isThislessTypeParameter);
        }
        function isThisless(symbol) {
          if (symbol.declarations && symbol.declarations.length === 1) {
            const declaration = symbol.declarations[0];
            if (declaration) {
              switch (declaration.kind) {
                case 172:
                case 171:
                  return isThislessVariableLikeDeclaration(declaration);
                case 174:
                case 173:
                case 176:
                case 177:
                case 178:
                  return isThislessFunctionLikeDeclaration(declaration);
              }
            }
          }
          return false;
        }
        function createInstantiatedSymbolTable(symbols, mapper, mappingThisOnly) {
          const result = createSymbolTable();
          for (const symbol of symbols) {
            result.set(symbol.escapedName, mappingThisOnly && isThisless(symbol) ? symbol : instantiateSymbol(symbol, mapper));
          }
          return result;
        }
        function addInheritedMembers(symbols, baseSymbols) {
          for (const base of baseSymbols) {
            if (isStaticPrivateIdentifierProperty(base)) {
              continue;
            }
            const derived = symbols.get(base.escapedName);
            if (!derived || derived.valueDeclaration && isBinaryExpression(derived.valueDeclaration) && !isConstructorDeclaredProperty(derived) && !getContainingClassStaticBlock(derived.valueDeclaration)) {
              symbols.set(base.escapedName, base);
              symbols.set(base.escapedName, base);
            }
          }
        }
        function isStaticPrivateIdentifierProperty(s) {
          return !!s.valueDeclaration && isPrivateIdentifierClassElementDeclaration(s.valueDeclaration) && isStatic(s.valueDeclaration);
        }
        function resolveDeclaredMembers(type) {
          if (!type.declaredProperties) {
            const symbol = type.symbol;
            const members = getMembersOfSymbol(symbol);
            type.declaredProperties = getNamedMembers(members);
            type.declaredCallSignatures = emptyArray;
            type.declaredConstructSignatures = emptyArray;
            type.declaredIndexInfos = emptyArray;
            type.declaredCallSignatures = getSignaturesOfSymbol(members.get(
              "__call"
              /* Call */
            ));
            type.declaredConstructSignatures = getSignaturesOfSymbol(members.get(
              "__new"
              /* New */
            ));
            type.declaredIndexInfos = getIndexInfosOfSymbol(symbol);
          }
          return type;
        }
        function isLateBindableName(node) {
          if (!isComputedPropertyName(node) && !isElementAccessExpression(node)) {
            return false;
          }
          const expr = isComputedPropertyName(node) ? node.expression : node.argumentExpression;
          return isEntityNameExpression(expr) && isTypeUsableAsPropertyName(isComputedPropertyName(node) ? checkComputedPropertyName(node) : checkExpressionCached(expr));
        }
        function isLateBoundName(name) {
          return name.charCodeAt(0) === 95 && name.charCodeAt(1) === 95 && name.charCodeAt(2) === 64;
        }
        function hasLateBindableName(node) {
          const name = getNameOfDeclaration(node);
          return !!name && isLateBindableName(name);
        }
        function hasBindableName(node) {
          return !hasDynamicName(node) || hasLateBindableName(node);
        }
        function isNonBindableDynamicName(node) {
          return isDynamicName(node) && !isLateBindableName(node);
        }
        function addDeclarationToLateBoundSymbol(symbol, member, symbolFlags) {
          Debug.assert(!!(getCheckFlags(symbol) & 4096), "Expected a late-bound symbol.");
          symbol.flags |= symbolFlags;
          getSymbolLinks(member.symbol).lateSymbol = symbol;
          if (!symbol.declarations) {
            symbol.declarations = [member];
          } else if (!member.symbol.isReplaceableByMethod) {
            symbol.declarations.push(member);
          }
          if (symbolFlags & 111551) {
            if (!symbol.valueDeclaration || symbol.valueDeclaration.kind !== member.kind) {
              symbol.valueDeclaration = member;
            }
          }
        }
        function lateBindMember(parent2, earlySymbols, lateSymbols, decl) {
          Debug.assert(!!decl.symbol, "The member is expected to have a symbol.");
          const links = getNodeLinks(decl);
          if (!links.resolvedSymbol) {
            links.resolvedSymbol = decl.symbol;
            const declName = isBinaryExpression(decl) ? decl.left : decl.name;
            const type = isElementAccessExpression(declName) ? checkExpressionCached(declName.argumentExpression) : checkComputedPropertyName(declName);
            if (isTypeUsableAsPropertyName(type)) {
              const memberName = getPropertyNameFromType(type);
              const symbolFlags = decl.symbol.flags;
              let lateSymbol = lateSymbols.get(memberName);
              if (!lateSymbol) lateSymbols.set(memberName, lateSymbol = createSymbol(
                0,
                memberName,
                4096
                /* Late */
              ));
              const earlySymbol = earlySymbols && earlySymbols.get(memberName);
              if (!(parent2.flags & 32) && lateSymbol.flags & getExcludedSymbolFlags(symbolFlags)) {
                const declarations = earlySymbol ? concatenate(earlySymbol.declarations, lateSymbol.declarations) : lateSymbol.declarations;
                const name = !(type.flags & 8192) && unescapeLeadingUnderscores(memberName) || declarationNameToString(declName);
                forEach(declarations, (declaration) => error2(getNameOfDeclaration(declaration) || declaration, Diagnostics.Property_0_was_also_declared_here, name));
                error2(declName || decl, Diagnostics.Duplicate_property_0, name);
                lateSymbol = createSymbol(
                  0,
                  memberName,
                  4096
                  /* Late */
                );
              }
              lateSymbol.links.nameType = type;
              addDeclarationToLateBoundSymbol(lateSymbol, decl, symbolFlags);
              if (lateSymbol.parent) {
                Debug.assert(lateSymbol.parent === parent2, "Existing symbol parent should match new one");
              } else {
                lateSymbol.parent = parent2;
              }
              return links.resolvedSymbol = lateSymbol;
            }
          }
          return links.resolvedSymbol;
        }
        function getResolvedMembersOrExportsOfSymbol(symbol, resolutionKind) {
          const links = getSymbolLinks(symbol);
          if (!links[resolutionKind]) {
            const isStatic2 = resolutionKind === "resolvedExports";
            const earlySymbols = !isStatic2 ? symbol.members : symbol.flags & 1536 ? getExportsOfModuleWorker(symbol).exports : symbol.exports;
            links[resolutionKind] = earlySymbols || emptySymbols;
            const lateSymbols = createSymbolTable();
            for (const decl of symbol.declarations || emptyArray) {
              const members = getMembersOfDeclaration(decl);
              if (members) {
                for (const member of members) {
                  if (isStatic2 === hasStaticModifier(member)) {
                    if (hasLateBindableName(member)) {
                      lateBindMember(symbol, earlySymbols, lateSymbols, member);
                    }
                  }
                }
              }
            }
            const assignments = getFunctionExpressionParentSymbolOrSymbol(symbol).assignmentDeclarationMembers;
            if (assignments) {
              const decls = arrayFrom(assignments.values());
              for (const member of decls) {
                const assignmentKind = getAssignmentDeclarationKind(member);
                const isInstanceMember = assignmentKind === 3 || isBinaryExpression(member) && isPossiblyAliasedThisProperty(member, assignmentKind) || assignmentKind === 9 || assignmentKind === 6;
                if (isStatic2 === !isInstanceMember) {
                  if (hasLateBindableName(member)) {
                    lateBindMember(symbol, earlySymbols, lateSymbols, member);
                  }
                }
              }
            }
            let resolved = combineSymbolTables(earlySymbols, lateSymbols);
            if (symbol.flags & 33554432 && links.cjsExportMerged && symbol.declarations) {
              for (const decl of symbol.declarations) {
                const original = getSymbolLinks(decl.symbol)[resolutionKind];
                if (!resolved) {
                  resolved = original;
                  continue;
                }
                if (!original) continue;
                original.forEach((s, name) => {
                  const existing = resolved.get(name);
                  if (!existing) resolved.set(name, s);
                  else if (existing === s) return;
                  else resolved.set(name, mergeSymbol(existing, s));
                });
              }
            }
            links[resolutionKind] = resolved || emptySymbols;
          }
          return links[resolutionKind];
        }
        function getMembersOfSymbol(symbol) {
          return symbol.flags & 6256 ? getResolvedMembersOrExportsOfSymbol(
            symbol,
            "resolvedMembers"
            /* resolvedMembers */
          ) : symbol.members || emptySymbols;
        }
        function getLateBoundSymbol(symbol) {
          if (symbol.flags & 106500 && symbol.escapedName === "__computed") {
            const links = getSymbolLinks(symbol);
            if (!links.lateSymbol && some(symbol.declarations, hasLateBindableName)) {
              const parent2 = getMergedSymbol(symbol.parent);
              if (some(symbol.declarations, hasStaticModifier)) {
                getExportsOfSymbol(parent2);
              } else {
                getMembersOfSymbol(parent2);
              }
            }
            return links.lateSymbol || (links.lateSymbol = symbol);
          }
          return symbol;
        }
        function getTypeWithThisArgument(type, thisArgument, needApparentType) {
          if (getObjectFlags(type) & 4) {
            const target = type.target;
            const typeArguments = getTypeArguments(type);
            return length(target.typeParameters) === length(typeArguments) ? createTypeReference(target, concatenate(typeArguments, [thisArgument || target.thisType])) : type;
          } else if (type.flags & 2097152) {
            const types = sameMap(type.types, (t) => getTypeWithThisArgument(t, thisArgument, needApparentType));
            return types !== type.types ? getIntersectionType(types) : type;
          }
          return needApparentType ? getApparentType(type) : type;
        }
        function resolveObjectTypeMembers(type, source, typeParameters, typeArguments) {
          let mapper;
          let members;
          let callSignatures;
          let constructSignatures;
          let indexInfos;
          if (rangeEquals(typeParameters, typeArguments, 0, typeParameters.length)) {
            members = source.symbol ? getMembersOfSymbol(source.symbol) : createSymbolTable(source.declaredProperties);
            callSignatures = source.declaredCallSignatures;
            constructSignatures = source.declaredConstructSignatures;
            indexInfos = source.declaredIndexInfos;
          } else {
            mapper = createTypeMapper(typeParameters, typeArguments);
            members = createInstantiatedSymbolTable(
              source.declaredProperties,
              mapper,
              /*mappingThisOnly*/
              typeParameters.length === 1
            );
            callSignatures = instantiateSignatures(source.declaredCallSignatures, mapper);
            constructSignatures = instantiateSignatures(source.declaredConstructSignatures, mapper);
            indexInfos = instantiateIndexInfos(source.declaredIndexInfos, mapper);
          }
          const baseTypes = getBaseTypes(source);
          if (baseTypes.length) {
            if (source.symbol && members === getMembersOfSymbol(source.symbol)) {
              const symbolTable = createSymbolTable(source.declaredProperties);
              const sourceIndex = getIndexSymbol(source.symbol);
              if (sourceIndex) {
                symbolTable.set("__index", sourceIndex);
              }
              members = symbolTable;
            }
            setStructuredTypeMembers(type, members, callSignatures, constructSignatures, indexInfos);
            const thisArgument = lastOrUndefined(typeArguments);
            for (const baseType of baseTypes) {
              const instantiatedBaseType = thisArgument ? getTypeWithThisArgument(instantiateType(baseType, mapper), thisArgument) : baseType;
              addInheritedMembers(members, getPropertiesOfType(instantiatedBaseType));
              callSignatures = concatenate(callSignatures, getSignaturesOfType(
                instantiatedBaseType,
                0
                /* Call */
              ));
              constructSignatures = concatenate(constructSignatures, getSignaturesOfType(
                instantiatedBaseType,
                1
                /* Construct */
              ));
              const inheritedIndexInfos = instantiatedBaseType !== anyType2 ? getIndexInfosOfType(instantiatedBaseType) : [createIndexInfo(
                stringType2,
                anyType2,
                /*isReadonly*/
                false
              )];
              indexInfos = concatenate(indexInfos, filter(inheritedIndexInfos, (info) => !findIndexInfo(indexInfos, info.keyType)));
            }
          }
          setStructuredTypeMembers(type, members, callSignatures, constructSignatures, indexInfos);
        }
        function resolveClassOrInterfaceMembers(type) {
          resolveObjectTypeMembers(type, resolveDeclaredMembers(type), emptyArray, emptyArray);
        }
        function resolveTypeReferenceMembers(type) {
          const source = resolveDeclaredMembers(type.target);
          const typeParameters = concatenate(source.typeParameters, [source.thisType]);
          const typeArguments = getTypeArguments(type);
          const paddedTypeArguments = typeArguments.length === typeParameters.length ? typeArguments : concatenate(typeArguments, [type]);
          resolveObjectTypeMembers(type, source, typeParameters, paddedTypeArguments);
        }
        function createSignature(declaration, typeParameters, thisParameter, parameters, resolvedReturnType, resolvedTypePredicate, minArgumentCount, flags) {
          const sig = new Signature14(checker, flags);
          sig.declaration = declaration;
          sig.typeParameters = typeParameters;
          sig.parameters = parameters;
          sig.thisParameter = thisParameter;
          sig.resolvedReturnType = resolvedReturnType;
          sig.resolvedTypePredicate = resolvedTypePredicate;
          sig.minArgumentCount = minArgumentCount;
          sig.resolvedMinArgumentCount = void 0;
          sig.target = void 0;
          sig.mapper = void 0;
          sig.compositeSignatures = void 0;
          sig.compositeKind = void 0;
          return sig;
        }
        function cloneSignature(sig) {
          const result = createSignature(
            sig.declaration,
            sig.typeParameters,
            sig.thisParameter,
            sig.parameters,
            /*resolvedReturnType*/
            void 0,
            /*resolvedTypePredicate*/
            void 0,
            sig.minArgumentCount,
            sig.flags & 167
            /* PropagatingFlags */
          );
          result.target = sig.target;
          result.mapper = sig.mapper;
          result.compositeSignatures = sig.compositeSignatures;
          result.compositeKind = sig.compositeKind;
          return result;
        }
        function createUnionSignature(signature, unionSignatures) {
          const result = cloneSignature(signature);
          result.compositeSignatures = unionSignatures;
          result.compositeKind = 1048576;
          result.target = void 0;
          result.mapper = void 0;
          return result;
        }
        function getOptionalCallSignature(signature, callChainFlags) {
          if ((signature.flags & 24) === callChainFlags) {
            return signature;
          }
          if (!signature.optionalCallSignatureCache) {
            signature.optionalCallSignatureCache = {};
          }
          const key = callChainFlags === 8 ? "inner" : "outer";
          return signature.optionalCallSignatureCache[key] || (signature.optionalCallSignatureCache[key] = createOptionalCallSignature(signature, callChainFlags));
        }
        function createOptionalCallSignature(signature, callChainFlags) {
          Debug.assert(callChainFlags === 8 || callChainFlags === 16, "An optional call signature can either be for an inner call chain or an outer call chain, but not both.");
          const result = cloneSignature(signature);
          result.flags |= callChainFlags;
          return result;
        }
        function getExpandedParameters(sig, skipUnionExpanding) {
          if (signatureHasRestParameter(sig)) {
            const restIndex = sig.parameters.length - 1;
            const restName = sig.parameters[restIndex].escapedName;
            const restType = getTypeOfSymbol(sig.parameters[restIndex]);
            if (isTupleType(restType)) {
              return [expandSignatureParametersWithTupleMembers(restType, restIndex, restName)];
            } else if (!skipUnionExpanding && restType.flags & 1048576 && every(restType.types, isTupleType)) {
              return map(restType.types, (t) => expandSignatureParametersWithTupleMembers(t, restIndex, restName));
            }
          }
          return [sig.parameters];
          function expandSignatureParametersWithTupleMembers(restType, restIndex, restName) {
            const elementTypes = getTypeArguments(restType);
            const associatedNames = getUniqAssociatedNamesFromTupleType(restType, restName);
            const restParams = map(elementTypes, (t, i) => {
              const name = associatedNames && associatedNames[i] ? associatedNames[i] : getParameterNameAtPosition(sig, restIndex + i, restType);
              const flags = restType.target.elementFlags[i];
              const checkFlags = flags & 12 ? 32768 : flags & 2 ? 16384 : 0;
              const symbol = createSymbol(1, name, checkFlags);
              symbol.links.type = flags & 4 ? createArrayType(t) : t;
              return symbol;
            });
            return concatenate(sig.parameters.slice(0, restIndex), restParams);
          }
          function getUniqAssociatedNamesFromTupleType(type, restName) {
            const associatedNamesMap = /* @__PURE__ */ new Map();
            return map(type.target.labeledElementDeclarations, (labeledElement, i) => {
              const name = getTupleElementLabel(labeledElement, i, restName);
              const prevCounter = associatedNamesMap.get(name);
              if (prevCounter === void 0) {
                associatedNamesMap.set(name, 1);
                return name;
              } else {
                associatedNamesMap.set(name, prevCounter + 1);
                return `${name}_${prevCounter}`;
              }
            });
          }
        }
        function getDefaultConstructSignatures(classType) {
          const baseConstructorType = getBaseConstructorTypeOfClass(classType);
          const baseSignatures = getSignaturesOfType(
            baseConstructorType,
            1
            /* Construct */
          );
          const declaration = getClassLikeDeclarationOfSymbol(classType.symbol);
          const isAbstract = !!declaration && hasSyntacticModifier(
            declaration,
            64
            /* Abstract */
          );
          if (baseSignatures.length === 0) {
            return [createSignature(
              /*declaration*/
              void 0,
              classType.localTypeParameters,
              /*thisParameter*/
              void 0,
              emptyArray,
              classType,
              /*resolvedTypePredicate*/
              void 0,
              0,
              isAbstract ? 4 : 0
              /* None */
            )];
          }
          const baseTypeNode = getBaseTypeNodeOfClass(classType);
          const isJavaScript = isInJSFile(baseTypeNode);
          const typeArguments = typeArgumentsFromTypeReferenceNode(baseTypeNode);
          const typeArgCount = length(typeArguments);
          const result = [];
          for (const baseSig of baseSignatures) {
            const minTypeArgumentCount = getMinTypeArgumentCount(baseSig.typeParameters);
            const typeParamCount = length(baseSig.typeParameters);
            if (isJavaScript || typeArgCount >= minTypeArgumentCount && typeArgCount <= typeParamCount) {
              const sig = typeParamCount ? createSignatureInstantiation(baseSig, fillMissingTypeArguments(typeArguments, baseSig.typeParameters, minTypeArgumentCount, isJavaScript)) : cloneSignature(baseSig);
              sig.typeParameters = classType.localTypeParameters;
              sig.resolvedReturnType = classType;
              sig.flags = isAbstract ? sig.flags | 4 : sig.flags & ~4;
              result.push(sig);
            }
          }
          return result;
        }
        function findMatchingSignature(signatureList, signature, partialMatch, ignoreThisTypes, ignoreReturnTypes) {
          for (const s of signatureList) {
            if (compareSignaturesIdentical(s, signature, partialMatch, ignoreThisTypes, ignoreReturnTypes, partialMatch ? compareTypesSubtypeOf : compareTypesIdentical)) {
              return s;
            }
          }
        }
        function findMatchingSignatures(signatureLists, signature, listIndex) {
          if (signature.typeParameters) {
            if (listIndex > 0) {
              return void 0;
            }
            for (let i = 1; i < signatureLists.length; i++) {
              if (!findMatchingSignature(
                signatureLists[i],
                signature,
                /*partialMatch*/
                false,
                /*ignoreThisTypes*/
                false,
                /*ignoreReturnTypes*/
                false
              )) {
                return void 0;
              }
            }
            return [signature];
          }
          let result;
          for (let i = 0; i < signatureLists.length; i++) {
            const match = i === listIndex ? signature : findMatchingSignature(
              signatureLists[i],
              signature,
              /*partialMatch*/
              false,
              /*ignoreThisTypes*/
              false,
              /*ignoreReturnTypes*/
              true
            ) || findMatchingSignature(
              signatureLists[i],
              signature,
              /*partialMatch*/
              true,
              /*ignoreThisTypes*/
              false,
              /*ignoreReturnTypes*/
              true
            );
            if (!match) {
              return void 0;
            }
            result = appendIfUnique(result, match);
          }
          return result;
        }
        function getUnionSignatures(signatureLists) {
          let result;
          let indexWithLengthOverOne;
          for (let i = 0; i < signatureLists.length; i++) {
            if (signatureLists[i].length === 0) return emptyArray;
            if (signatureLists[i].length > 1) {
              indexWithLengthOverOne = indexWithLengthOverOne === void 0 ? i : -1;
            }
            for (const signature of signatureLists[i]) {
              if (!result || !findMatchingSignature(
                result,
                signature,
                /*partialMatch*/
                false,
                /*ignoreThisTypes*/
                false,
                /*ignoreReturnTypes*/
                true
              )) {
                const unionSignatures = findMatchingSignatures(signatureLists, signature, i);
                if (unionSignatures) {
                  let s = signature;
                  if (unionSignatures.length > 1) {
                    let thisParameter = signature.thisParameter;
                    const firstThisParameterOfUnionSignatures = forEach(unionSignatures, (sig) => sig.thisParameter);
                    if (firstThisParameterOfUnionSignatures) {
                      const thisType = getIntersectionType(mapDefined(unionSignatures, (sig) => sig.thisParameter && getTypeOfSymbol(sig.thisParameter)));
                      thisParameter = createSymbolWithType(firstThisParameterOfUnionSignatures, thisType);
                    }
                    s = createUnionSignature(signature, unionSignatures);
                    s.thisParameter = thisParameter;
                  }
                  (result || (result = [])).push(s);
                }
              }
            }
          }
          if (!length(result) && indexWithLengthOverOne !== -1) {
            const masterList = signatureLists[indexWithLengthOverOne !== void 0 ? indexWithLengthOverOne : 0];
            let results = masterList.slice();
            for (const signatures of signatureLists) {
              if (signatures !== masterList) {
                const signature = signatures[0];
                Debug.assert(!!signature, "getUnionSignatures bails early on empty signature lists and should not have empty lists on second pass");
                results = !!signature.typeParameters && some(results, (s) => !!s.typeParameters && !compareTypeParametersIdentical(signature.typeParameters, s.typeParameters)) ? void 0 : map(results, (sig) => combineSignaturesOfUnionMembers(sig, signature));
                if (!results) {
                  break;
                }
              }
            }
            result = results;
          }
          return result || emptyArray;
        }
        function compareTypeParametersIdentical(sourceParams, targetParams) {
          if (length(sourceParams) !== length(targetParams)) {
            return false;
          }
          if (!sourceParams || !targetParams) {
            return true;
          }
          const mapper = createTypeMapper(targetParams, sourceParams);
          for (let i = 0; i < sourceParams.length; i++) {
            const source = sourceParams[i];
            const target = targetParams[i];
            if (source === target) continue;
            if (!isTypeIdenticalTo(getConstraintFromTypeParameter(source) || unknownType2, instantiateType(getConstraintFromTypeParameter(target) || unknownType2, mapper))) return false;
          }
          return true;
        }
        function combineUnionThisParam(left, right, mapper) {
          if (!left || !right) {
            return left || right;
          }
          const thisType = getIntersectionType([getTypeOfSymbol(left), instantiateType(getTypeOfSymbol(right), mapper)]);
          return createSymbolWithType(left, thisType);
        }
        function combineUnionParameters(left, right, mapper) {
          const leftCount = getParameterCount(left);
          const rightCount = getParameterCount(right);
          const longest = leftCount >= rightCount ? left : right;
          const shorter = longest === left ? right : left;
          const longestCount = longest === left ? leftCount : rightCount;
          const eitherHasEffectiveRest = hasEffectiveRestParameter(left) || hasEffectiveRestParameter(right);
          const needsExtraRestElement = eitherHasEffectiveRest && !hasEffectiveRestParameter(longest);
          const params = new Array(longestCount + (needsExtraRestElement ? 1 : 0));
          for (let i = 0; i < longestCount; i++) {
            let longestParamType = tryGetTypeAtPosition(longest, i);
            if (longest === right) {
              longestParamType = instantiateType(longestParamType, mapper);
            }
            let shorterParamType = tryGetTypeAtPosition(shorter, i) || unknownType2;
            if (shorter === right) {
              shorterParamType = instantiateType(shorterParamType, mapper);
            }
            const unionParamType = getIntersectionType([longestParamType, shorterParamType]);
            const isRestParam = eitherHasEffectiveRest && !needsExtraRestElement && i === longestCount - 1;
            const isOptional = i >= getMinArgumentCount(longest) && i >= getMinArgumentCount(shorter);
            const leftName = i >= leftCount ? void 0 : getParameterNameAtPosition(left, i);
            const rightName = i >= rightCount ? void 0 : getParameterNameAtPosition(right, i);
            const paramName = leftName === rightName ? leftName : !leftName ? rightName : !rightName ? leftName : void 0;
            const paramSymbol = createSymbol(
              1 | (isOptional && !isRestParam ? 16777216 : 0),
              paramName || `arg${i}`,
              isRestParam ? 32768 : isOptional ? 16384 : 0
            );
            paramSymbol.links.type = isRestParam ? createArrayType(unionParamType) : unionParamType;
            params[i] = paramSymbol;
          }
          if (needsExtraRestElement) {
            const restParamSymbol = createSymbol(
              1,
              "args",
              32768
              /* RestParameter */
            );
            restParamSymbol.links.type = createArrayType(getTypeAtPosition(shorter, longestCount));
            if (shorter === right) {
              restParamSymbol.links.type = instantiateType(restParamSymbol.links.type, mapper);
            }
            params[longestCount] = restParamSymbol;
          }
          return params;
        }
        function combineSignaturesOfUnionMembers(left, right) {
          const typeParams = left.typeParameters || right.typeParameters;
          let paramMapper;
          if (left.typeParameters && right.typeParameters) {
            paramMapper = createTypeMapper(right.typeParameters, left.typeParameters);
          }
          const declaration = left.declaration;
          const params = combineUnionParameters(left, right, paramMapper);
          const thisParam = combineUnionThisParam(left.thisParameter, right.thisParameter, paramMapper);
          const minArgCount = Math.max(left.minArgumentCount, right.minArgumentCount);
          const result = createSignature(
            declaration,
            typeParams,
            thisParam,
            params,
            /*resolvedReturnType*/
            void 0,
            /*resolvedTypePredicate*/
            void 0,
            minArgCount,
            (left.flags | right.flags) & 167
            /* PropagatingFlags */
          );
          result.compositeKind = 1048576;
          result.compositeSignatures = concatenate(left.compositeKind !== 2097152 && left.compositeSignatures || [left], [right]);
          if (paramMapper) {
            result.mapper = left.compositeKind !== 2097152 && left.mapper && left.compositeSignatures ? combineTypeMappers(left.mapper, paramMapper) : paramMapper;
          } else if (left.compositeKind !== 2097152 && left.mapper && left.compositeSignatures) {
            result.mapper = left.mapper;
          }
          return result;
        }
        function getUnionIndexInfos(types) {
          const sourceInfos = getIndexInfosOfType(types[0]);
          if (sourceInfos) {
            const result = [];
            for (const info of sourceInfos) {
              const indexType = info.keyType;
              if (every(types, (t) => !!getIndexInfoOfType(t, indexType))) {
                result.push(createIndexInfo(indexType, getUnionType(map(types, (t) => getIndexTypeOfType(t, indexType))), some(types, (t) => getIndexInfoOfType(t, indexType).isReadonly)));
              }
            }
            return result;
          }
          return emptyArray;
        }
        function resolveUnionTypeMembers(type) {
          const callSignatures = getUnionSignatures(map(type.types, (t) => t === globalFunctionType ? [unknownSignature] : getSignaturesOfType(
            t,
            0
            /* Call */
          )));
          const constructSignatures = getUnionSignatures(map(type.types, (t) => getSignaturesOfType(
            t,
            1
            /* Construct */
          )));
          const indexInfos = getUnionIndexInfos(type.types);
          setStructuredTypeMembers(type, emptySymbols, callSignatures, constructSignatures, indexInfos);
        }
        function intersectTypes(type1, type2) {
          return !type1 ? type2 : !type2 ? type1 : getIntersectionType([type1, type2]);
        }
        function findMixins(types) {
          const constructorTypeCount = countWhere(types, (t) => getSignaturesOfType(
            t,
            1
            /* Construct */
          ).length > 0);
          const mixinFlags = map(types, isMixinConstructorType);
          if (constructorTypeCount > 0 && constructorTypeCount === countWhere(mixinFlags, (b) => b)) {
            const firstMixinIndex = mixinFlags.indexOf(
              /*searchElement*/
              true
            );
            mixinFlags[firstMixinIndex] = false;
          }
          return mixinFlags;
        }
        function includeMixinType(type, types, mixinFlags, index) {
          const mixedTypes = [];
          for (let i = 0; i < types.length; i++) {
            if (i === index) {
              mixedTypes.push(type);
            } else if (mixinFlags[i]) {
              mixedTypes.push(getReturnTypeOfSignature(getSignaturesOfType(
                types[i],
                1
                /* Construct */
              )[0]));
            }
          }
          return getIntersectionType(mixedTypes);
        }
        function resolveIntersectionTypeMembers(type) {
          let callSignatures;
          let constructSignatures;
          let indexInfos;
          const types = type.types;
          const mixinFlags = findMixins(types);
          const mixinCount = countWhere(mixinFlags, (b) => b);
          for (let i = 0; i < types.length; i++) {
            const t = type.types[i];
            if (!mixinFlags[i]) {
              let signatures = getSignaturesOfType(
                t,
                1
                /* Construct */
              );
              if (signatures.length && mixinCount > 0) {
                signatures = map(signatures, (s) => {
                  const clone2 = cloneSignature(s);
                  clone2.resolvedReturnType = includeMixinType(getReturnTypeOfSignature(s), types, mixinFlags, i);
                  return clone2;
                });
              }
              constructSignatures = appendSignatures(constructSignatures, signatures);
            }
            callSignatures = appendSignatures(callSignatures, getSignaturesOfType(
              t,
              0
              /* Call */
            ));
            indexInfos = reduceLeft(getIndexInfosOfType(t), (infos, newInfo) => appendIndexInfo(
              infos,
              newInfo,
              /*union*/
              false
            ), indexInfos);
          }
          setStructuredTypeMembers(type, emptySymbols, callSignatures || emptyArray, constructSignatures || emptyArray, indexInfos || emptyArray);
        }
        function appendSignatures(signatures, newSignatures) {
          for (const sig of newSignatures) {
            if (!signatures || every(signatures, (s) => !compareSignaturesIdentical(
              s,
              sig,
              /*partialMatch*/
              false,
              /*ignoreThisTypes*/
              false,
              /*ignoreReturnTypes*/
              false,
              compareTypesIdentical
            ))) {
              signatures = append(signatures, sig);
            }
          }
          return signatures;
        }
        function appendIndexInfo(indexInfos, newInfo, union) {
          if (indexInfos) {
            for (let i = 0; i < indexInfos.length; i++) {
              const info = indexInfos[i];
              if (info.keyType === newInfo.keyType) {
                indexInfos[i] = createIndexInfo(info.keyType, union ? getUnionType([info.type, newInfo.type]) : getIntersectionType([info.type, newInfo.type]), union ? info.isReadonly || newInfo.isReadonly : info.isReadonly && newInfo.isReadonly);
                return indexInfos;
              }
            }
          }
          return append(indexInfos, newInfo);
        }
        function resolveAnonymousTypeMembers(type) {
          if (type.target) {
            setStructuredTypeMembers(type, emptySymbols, emptyArray, emptyArray, emptyArray);
            const members2 = createInstantiatedSymbolTable(
              getPropertiesOfObjectType(type.target),
              type.mapper,
              /*mappingThisOnly*/
              false
            );
            const callSignatures = instantiateSignatures(getSignaturesOfType(
              type.target,
              0
              /* Call */
            ), type.mapper);
            const constructSignatures = instantiateSignatures(getSignaturesOfType(
              type.target,
              1
              /* Construct */
            ), type.mapper);
            const indexInfos2 = instantiateIndexInfos(getIndexInfosOfType(type.target), type.mapper);
            setStructuredTypeMembers(type, members2, callSignatures, constructSignatures, indexInfos2);
            return;
          }
          const symbol = getMergedSymbol(type.symbol);
          if (symbol.flags & 2048) {
            setStructuredTypeMembers(type, emptySymbols, emptyArray, emptyArray, emptyArray);
            const members2 = getMembersOfSymbol(symbol);
            const callSignatures = getSignaturesOfSymbol(members2.get(
              "__call"
              /* Call */
            ));
            const constructSignatures = getSignaturesOfSymbol(members2.get(
              "__new"
              /* New */
            ));
            const indexInfos2 = getIndexInfosOfSymbol(symbol);
            setStructuredTypeMembers(type, members2, callSignatures, constructSignatures, indexInfos2);
            return;
          }
          let members = getExportsOfSymbol(symbol);
          let indexInfos;
          if (symbol === globalThisSymbol) {
            const varsOnly = /* @__PURE__ */ new Map();
            members.forEach((p) => {
              var _a;
              if (!(p.flags & 418) && !(p.flags & 512 && ((_a = p.declarations) == null ? void 0 : _a.length) && every(p.declarations, isAmbientModule))) {
                varsOnly.set(p.escapedName, p);
              }
            });
            members = varsOnly;
          }
          let baseConstructorIndexInfo;
          setStructuredTypeMembers(type, members, emptyArray, emptyArray, emptyArray);
          if (symbol.flags & 32) {
            const classType = getDeclaredTypeOfClassOrInterface(symbol);
            const baseConstructorType = getBaseConstructorTypeOfClass(classType);
            if (baseConstructorType.flags & (524288 | 2097152 | 8650752)) {
              members = createSymbolTable(getNamedOrIndexSignatureMembers(members));
              addInheritedMembers(members, getPropertiesOfType(baseConstructorType));
            } else if (baseConstructorType === anyType2) {
              baseConstructorIndexInfo = createIndexInfo(
                stringType2,
                anyType2,
                /*isReadonly*/
                false
              );
            }
          }
          const indexSymbol = getIndexSymbolFromSymbolTable(members);
          if (indexSymbol) {
            indexInfos = getIndexInfosOfIndexSymbol(indexSymbol);
          } else {
            if (baseConstructorIndexInfo) {
              indexInfos = append(indexInfos, baseConstructorIndexInfo);
            }
            if (symbol.flags & 384 && (getDeclaredTypeOfSymbol(symbol).flags & 32 || some(type.properties, (prop) => !!(getTypeOfSymbol(prop).flags & 296)))) {
              indexInfos = append(indexInfos, enumNumberIndexInfo);
            }
          }
          setStructuredTypeMembers(type, members, emptyArray, emptyArray, indexInfos || emptyArray);
          if (symbol.flags & (16 | 8192)) {
            type.callSignatures = getSignaturesOfSymbol(symbol);
          }
          if (symbol.flags & 32) {
            const classType = getDeclaredTypeOfClassOrInterface(symbol);
            let constructSignatures = symbol.members ? getSignaturesOfSymbol(symbol.members.get(
              "__constructor"
              /* Constructor */
            )) : emptyArray;
            if (symbol.flags & 16) {
              constructSignatures = addRange(
                constructSignatures.slice(),
                mapDefined(
                  type.callSignatures,
                  (sig) => isJSConstructor(sig.declaration) ? createSignature(
                    sig.declaration,
                    sig.typeParameters,
                    sig.thisParameter,
                    sig.parameters,
                    classType,
                    /*resolvedTypePredicate*/
                    void 0,
                    sig.minArgumentCount,
                    sig.flags & 167
                    /* PropagatingFlags */
                  ) : void 0
                )
              );
            }
            if (!constructSignatures.length) {
              constructSignatures = getDefaultConstructSignatures(classType);
            }
            type.constructSignatures = constructSignatures;
          }
        }
        function replaceIndexedAccess(instantiable, type, replacement) {
          return instantiateType(instantiable, createTypeMapper([type.indexType, type.objectType], [getNumberLiteralType(0), createTupleType([replacement])]));
        }
        function getLimitedConstraint(type) {
          const constraint = getConstraintTypeFromMappedType(type.mappedType);
          if (!(constraint.flags & 1048576 || constraint.flags & 2097152)) {
            return;
          }
          const origin = constraint.flags & 1048576 ? constraint.origin : constraint;
          if (!origin || !(origin.flags & 2097152)) {
            return;
          }
          const limitedConstraint = getIntersectionType(origin.types.filter((t) => t !== type.constraintType));
          return limitedConstraint !== neverType2 ? limitedConstraint : void 0;
        }
        function resolveReverseMappedTypeMembers(type) {
          const indexInfo = getIndexInfoOfType(type.source, stringType2);
          const modifiers = getMappedTypeModifiers(type.mappedType);
          const readonlyMask = modifiers & 1 ? false : true;
          const optionalMask = modifiers & 4 ? 0 : 16777216;
          const indexInfos = indexInfo ? [createIndexInfo(stringType2, inferReverseMappedType(indexInfo.type, type.mappedType, type.constraintType) || unknownType2, readonlyMask && indexInfo.isReadonly)] : emptyArray;
          const members = createSymbolTable();
          const limitedConstraint = getLimitedConstraint(type);
          for (const prop of getPropertiesOfType(type.source)) {
            if (limitedConstraint) {
              const propertyNameType = getLiteralTypeFromProperty(
                prop,
                8576
                /* StringOrNumberLiteralOrUnique */
              );
              if (!isTypeAssignableTo(propertyNameType, limitedConstraint)) {
                continue;
              }
            }
            const checkFlags = 8192 | (readonlyMask && isReadonlySymbol(prop) ? 8 : 0);
            const inferredProp = createSymbol(4 | prop.flags & optionalMask, prop.escapedName, checkFlags);
            inferredProp.declarations = prop.declarations;
            inferredProp.links.nameType = getSymbolLinks(prop).nameType;
            inferredProp.links.propertyType = getTypeOfSymbol(prop);
            if (type.constraintType.type.flags & 8388608 && type.constraintType.type.objectType.flags & 262144 && type.constraintType.type.indexType.flags & 262144) {
              const newTypeParam = type.constraintType.type.objectType;
              const newMappedType = replaceIndexedAccess(type.mappedType, type.constraintType.type, newTypeParam);
              inferredProp.links.mappedType = newMappedType;
              inferredProp.links.constraintType = getIndexType(newTypeParam);
            } else {
              inferredProp.links.mappedType = type.mappedType;
              inferredProp.links.constraintType = type.constraintType;
            }
            members.set(prop.escapedName, inferredProp);
          }
          setStructuredTypeMembers(type, members, emptyArray, emptyArray, indexInfos);
        }
        function getLowerBoundOfKeyType(type) {
          if (type.flags & 4194304) {
            const t = getApparentType(type.type);
            return isGenericTupleType(t) ? getKnownKeysOfTupleType(t) : getIndexType(t);
          }
          if (type.flags & 16777216) {
            if (type.root.isDistributive) {
              const checkType = type.checkType;
              const constraint = getLowerBoundOfKeyType(checkType);
              if (constraint !== checkType) {
                return getConditionalTypeInstantiation(
                  type,
                  prependTypeMapping(type.root.checkType, constraint, type.mapper),
                  /*forConstraint*/
                  false
                );
              }
            }
            return type;
          }
          if (type.flags & 1048576) {
            return mapType2(
              type,
              getLowerBoundOfKeyType,
              /*noReductions*/
              true
            );
          }
          if (type.flags & 2097152) {
            const types = type.types;
            if (types.length === 2 && !!(types[0].flags & (4 | 8 | 64)) && types[1] === emptyTypeLiteralType) {
              return type;
            }
            return getIntersectionType(sameMap(type.types, getLowerBoundOfKeyType));
          }
          return type;
        }
        function getIsLateCheckFlag(s) {
          return getCheckFlags(s) & 4096;
        }
        function forEachMappedTypePropertyKeyTypeAndIndexSignatureKeyType(type, include, stringsOnly, cb) {
          for (const prop of getPropertiesOfType(type)) {
            cb(getLiteralTypeFromProperty(prop, include));
          }
          if (type.flags & 1) {
            cb(stringType2);
          } else {
            for (const info of getIndexInfosOfType(type)) {
              if (!stringsOnly || info.keyType.flags & (4 | 134217728)) {
                cb(info.keyType);
              }
            }
          }
        }
        function resolveMappedTypeMembers(type) {
          const members = createSymbolTable();
          let indexInfos;
          setStructuredTypeMembers(type, emptySymbols, emptyArray, emptyArray, emptyArray);
          const typeParameter = getTypeParameterFromMappedType(type);
          const constraintType = getConstraintTypeFromMappedType(type);
          const mappedType = type.target || type;
          const nameType = getNameTypeFromMappedType(mappedType);
          const shouldLinkPropDeclarations = getMappedTypeNameTypeKind(mappedType) !== 2;
          const templateType = getTemplateTypeFromMappedType(mappedType);
          const modifiersType = getApparentType(getModifiersTypeFromMappedType(type));
          const templateModifiers = getMappedTypeModifiers(type);
          const include = 8576;
          if (isMappedTypeWithKeyofConstraintDeclaration(type)) {
            forEachMappedTypePropertyKeyTypeAndIndexSignatureKeyType(
              modifiersType,
              include,
              /*stringsOnly*/
              false,
              addMemberForKeyType
            );
          } else {
            forEachType(getLowerBoundOfKeyType(constraintType), addMemberForKeyType);
          }
          setStructuredTypeMembers(type, members, emptyArray, emptyArray, indexInfos || emptyArray);
          function addMemberForKeyType(keyType) {
            const propNameType = nameType ? instantiateType(nameType, appendTypeMapping(type.mapper, typeParameter, keyType)) : keyType;
            forEachType(propNameType, (t) => addMemberForKeyTypeWorker(keyType, t));
          }
          function addMemberForKeyTypeWorker(keyType, propNameType) {
            if (isTypeUsableAsPropertyName(propNameType)) {
              const propName = getPropertyNameFromType(propNameType);
              const existingProp = members.get(propName);
              if (existingProp) {
                existingProp.links.nameType = getUnionType([existingProp.links.nameType, propNameType]);
                existingProp.links.keyType = getUnionType([existingProp.links.keyType, keyType]);
              } else {
                const modifiersProp = isTypeUsableAsPropertyName(keyType) ? getPropertyOfType(modifiersType, getPropertyNameFromType(keyType)) : void 0;
                const isOptional = !!(templateModifiers & 4 || !(templateModifiers & 8) && modifiersProp && modifiersProp.flags & 16777216);
                const isReadonly = !!(templateModifiers & 1 || !(templateModifiers & 2) && modifiersProp && isReadonlySymbol(modifiersProp));
                const stripOptional = strictNullChecks && !isOptional && modifiersProp && modifiersProp.flags & 16777216;
                const lateFlag = modifiersProp ? getIsLateCheckFlag(modifiersProp) : 0;
                const prop = createSymbol(4 | (isOptional ? 16777216 : 0), propName, lateFlag | 262144 | (isReadonly ? 8 : 0) | (stripOptional ? 524288 : 0));
                prop.links.mappedType = type;
                prop.links.nameType = propNameType;
                prop.links.keyType = keyType;
                if (modifiersProp) {
                  prop.links.syntheticOrigin = modifiersProp;
                  prop.declarations = shouldLinkPropDeclarations ? modifiersProp.declarations : void 0;
                }
                members.set(propName, prop);
              }
            } else if (isValidIndexKeyType(propNameType) || propNameType.flags & (1 | 32)) {
              const indexKeyType = propNameType.flags & (1 | 4) ? stringType2 : propNameType.flags & (8 | 32) ? numberType2 : propNameType;
              const propType = instantiateType(templateType, appendTypeMapping(type.mapper, typeParameter, keyType));
              const modifiersIndexInfo = getApplicableIndexInfo(modifiersType, propNameType);
              const isReadonly = !!(templateModifiers & 1 || !(templateModifiers & 2) && (modifiersIndexInfo == null ? void 0 : modifiersIndexInfo.isReadonly));
              const indexInfo = createIndexInfo(indexKeyType, propType, isReadonly);
              indexInfos = appendIndexInfo(
                indexInfos,
                indexInfo,
                /*union*/
                true
              );
            }
          }
        }
        function getTypeOfMappedSymbol(symbol) {
          var _a;
          if (!symbol.links.type) {
            const mappedType = symbol.links.mappedType;
            if (!pushTypeResolution(
              symbol,
              0
              /* Type */
            )) {
              mappedType.containsError = true;
              return errorType;
            }
            const templateType = getTemplateTypeFromMappedType(mappedType.target || mappedType);
            const mapper = appendTypeMapping(mappedType.mapper, getTypeParameterFromMappedType(mappedType), symbol.links.keyType);
            const propType = instantiateType(templateType, mapper);
            let type = strictNullChecks && symbol.flags & 16777216 && !maybeTypeOfKind(
              propType,
              32768 | 16384
              /* Void */
            ) ? getOptionalType(
              propType,
              /*isProperty*/
              true
            ) : symbol.links.checkFlags & 524288 ? removeMissingOrUndefinedType(propType) : propType;
            if (!popTypeResolution()) {
              error2(currentNode, Diagnostics.Type_of_property_0_circularly_references_itself_in_mapped_type_1, symbolToString2(symbol), typeToString(mappedType));
              type = errorType;
            }
            (_a = symbol.links).type ?? (_a.type = type);
          }
          return symbol.links.type;
        }
        function getTypeParameterFromMappedType(type) {
          return type.typeParameter || (type.typeParameter = getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(type.declaration.typeParameter)));
        }
        function getConstraintTypeFromMappedType(type) {
          return type.constraintType || (type.constraintType = getConstraintOfTypeParameter(getTypeParameterFromMappedType(type)) || errorType);
        }
        function getNameTypeFromMappedType(type) {
          return type.declaration.nameType ? type.nameType || (type.nameType = instantiateType(getTypeFromTypeNode(type.declaration.nameType), type.mapper)) : void 0;
        }
        function getTemplateTypeFromMappedType(type) {
          return type.templateType || (type.templateType = type.declaration.type ? instantiateType(addOptionality(
            getTypeFromTypeNode(type.declaration.type),
            /*isProperty*/
            true,
            !!(getMappedTypeModifiers(type) & 4)
          ), type.mapper) : errorType);
        }
        function getConstraintDeclarationForMappedType(type) {
          return getEffectiveConstraintOfTypeParameter(type.declaration.typeParameter);
        }
        function isMappedTypeWithKeyofConstraintDeclaration(type) {
          const constraintDeclaration = getConstraintDeclarationForMappedType(type);
          return constraintDeclaration.kind === 198 && constraintDeclaration.operator === 143;
        }
        function getModifiersTypeFromMappedType(type) {
          if (!type.modifiersType) {
            if (isMappedTypeWithKeyofConstraintDeclaration(type)) {
              type.modifiersType = instantiateType(getTypeFromTypeNode(getConstraintDeclarationForMappedType(type).type), type.mapper);
            } else {
              const declaredType = getTypeFromMappedTypeNode(type.declaration);
              const constraint = getConstraintTypeFromMappedType(declaredType);
              const extendedConstraint = constraint && constraint.flags & 262144 ? getConstraintOfTypeParameter(constraint) : constraint;
              type.modifiersType = extendedConstraint && extendedConstraint.flags & 4194304 ? instantiateType(extendedConstraint.type, type.mapper) : unknownType2;
            }
          }
          return type.modifiersType;
        }
        function getMappedTypeModifiers(type) {
          const declaration = type.declaration;
          return (declaration.readonlyToken ? declaration.readonlyToken.kind === 41 ? 2 : 1 : 0) | (declaration.questionToken ? declaration.questionToken.kind === 41 ? 8 : 4 : 0);
        }
        function getMappedTypeOptionality(type) {
          const modifiers = getMappedTypeModifiers(type);
          return modifiers & 8 ? -1 : modifiers & 4 ? 1 : 0;
        }
        function getCombinedMappedTypeOptionality(type) {
          if (getObjectFlags(type) & 32) {
            return getMappedTypeOptionality(type) || getCombinedMappedTypeOptionality(getModifiersTypeFromMappedType(type));
          }
          if (type.flags & 2097152) {
            const optionality = getCombinedMappedTypeOptionality(type.types[0]);
            return every(type.types, (t, i) => i === 0 || getCombinedMappedTypeOptionality(t) === optionality) ? optionality : 0;
          }
          return 0;
        }
        function isPartialMappedType(type) {
          return !!(getObjectFlags(type) & 32 && getMappedTypeModifiers(type) & 4);
        }
        function isGenericMappedType(type) {
          if (getObjectFlags(type) & 32) {
            const constraint = getConstraintTypeFromMappedType(type);
            if (isGenericIndexType(constraint)) {
              return true;
            }
            const nameType = getNameTypeFromMappedType(type);
            if (nameType && isGenericIndexType(instantiateType(nameType, makeUnaryTypeMapper(getTypeParameterFromMappedType(type), constraint)))) {
              return true;
            }
          }
          return false;
        }
        function getMappedTypeNameTypeKind(type) {
          const nameType = getNameTypeFromMappedType(type);
          if (!nameType) {
            return 0;
          }
          return isTypeAssignableTo(nameType, getTypeParameterFromMappedType(type)) ? 1 : 2;
        }
        function resolveStructuredTypeMembers(type) {
          if (!type.members) {
            if (type.flags & 524288) {
              if (type.objectFlags & 4) {
                resolveTypeReferenceMembers(type);
              } else if (type.objectFlags & 3) {
                resolveClassOrInterfaceMembers(type);
              } else if (type.objectFlags & 1024) {
                resolveReverseMappedTypeMembers(type);
              } else if (type.objectFlags & 16) {
                resolveAnonymousTypeMembers(type);
              } else if (type.objectFlags & 32) {
                resolveMappedTypeMembers(type);
              } else {
                Debug.fail("Unhandled object type " + Debug.formatObjectFlags(type.objectFlags));
              }
            } else if (type.flags & 1048576) {
              resolveUnionTypeMembers(type);
            } else if (type.flags & 2097152) {
              resolveIntersectionTypeMembers(type);
            } else {
              Debug.fail("Unhandled type " + Debug.formatTypeFlags(type.flags));
            }
          }
          return type;
        }
        function getPropertiesOfObjectType(type) {
          if (type.flags & 524288) {
            return resolveStructuredTypeMembers(type).properties;
          }
          return emptyArray;
        }
        function getPropertyOfObjectType(type, name) {
          if (type.flags & 524288) {
            const resolved = resolveStructuredTypeMembers(type);
            const symbol = resolved.members.get(name);
            if (symbol && symbolIsValue(symbol)) {
              return symbol;
            }
          }
        }
        function getPropertiesOfUnionOrIntersectionType(type) {
          if (!type.resolvedProperties) {
            const members = createSymbolTable();
            for (const current of type.types) {
              for (const prop of getPropertiesOfType(current)) {
                if (!members.has(prop.escapedName)) {
                  const combinedProp = getPropertyOfUnionOrIntersectionType(
                    type,
                    prop.escapedName,
                    /*skipObjectFunctionPropertyAugment*/
                    !!(type.flags & 2097152)
                  );
                  if (combinedProp) {
                    members.set(prop.escapedName, combinedProp);
                  }
                }
              }
              if (type.flags & 1048576 && getIndexInfosOfType(current).length === 0) {
                break;
              }
            }
            type.resolvedProperties = getNamedMembers(members);
          }
          return type.resolvedProperties;
        }
        function getPropertiesOfType(type) {
          type = getReducedApparentType(type);
          return type.flags & 3145728 ? getPropertiesOfUnionOrIntersectionType(type) : getPropertiesOfObjectType(type);
        }
        function forEachPropertyOfType(type, action) {
          type = getReducedApparentType(type);
          if (type.flags & 3670016) {
            resolveStructuredTypeMembers(type).members.forEach((symbol, escapedName) => {
              if (isNamedMember(symbol, escapedName)) {
                action(symbol, escapedName);
              }
            });
          }
        }
        function isTypeInvalidDueToUnionDiscriminant(contextualType, obj) {
          const list = obj.properties;
          return list.some((property) => {
            const nameType = property.name && (isJsxNamespacedName(property.name) ? getStringLiteralType(getTextOfJsxAttributeName(property.name)) : getLiteralTypeFromPropertyName(property.name));
            const name = nameType && isTypeUsableAsPropertyName(nameType) ? getPropertyNameFromType(nameType) : void 0;
            const expected = name === void 0 ? void 0 : getTypeOfPropertyOfType(contextualType, name);
            return !!expected && isLiteralType(expected) && !isTypeAssignableTo(getTypeOfNode(property), expected);
          });
        }
        function getAllPossiblePropertiesOfTypes(types) {
          const unionType2 = getUnionType(types);
          if (!(unionType2.flags & 1048576)) {
            return getAugmentedPropertiesOfType(unionType2);
          }
          const props = createSymbolTable();
          for (const memberType of types) {
            for (const { escapedName } of getAugmentedPropertiesOfType(memberType)) {
              if (!props.has(escapedName)) {
                const prop = createUnionOrIntersectionProperty(unionType2, escapedName);
                if (prop) props.set(escapedName, prop);
              }
            }
          }
          return arrayFrom(props.values());
        }
        function getConstraintOfType(type) {
          return type.flags & 262144 ? getConstraintOfTypeParameter(type) : type.flags & 8388608 ? getConstraintOfIndexedAccess(type) : type.flags & 16777216 ? getConstraintOfConditionalType(type) : getBaseConstraintOfType(type);
        }
        function getConstraintOfTypeParameter(typeParameter) {
          return hasNonCircularBaseConstraint(typeParameter) ? getConstraintFromTypeParameter(typeParameter) : void 0;
        }
        function isConstMappedType(type, depth2) {
          const typeVariable = getHomomorphicTypeVariable(type);
          return !!typeVariable && isConstTypeVariable(typeVariable, depth2);
        }
        function isConstTypeVariable(type, depth2 = 0) {
          var _a;
          return depth2 < 5 && !!(type && (type.flags & 262144 && some((_a = type.symbol) == null ? void 0 : _a.declarations, (d) => hasSyntacticModifier(
            d,
            4096
            /* Const */
          )) || type.flags & 3145728 && some(type.types, (t) => isConstTypeVariable(t, depth2)) || type.flags & 8388608 && isConstTypeVariable(type.objectType, depth2 + 1) || type.flags & 16777216 && isConstTypeVariable(getConstraintOfConditionalType(type), depth2 + 1) || type.flags & 33554432 && isConstTypeVariable(type.baseType, depth2) || getObjectFlags(type) & 32 && isConstMappedType(type, depth2) || isGenericTupleType(type) && findIndex(getElementTypes(type), (t, i) => !!(type.target.elementFlags[i] & 8) && isConstTypeVariable(t, depth2)) >= 0));
        }
        function getConstraintOfIndexedAccess(type) {
          return hasNonCircularBaseConstraint(type) ? getConstraintFromIndexedAccess(type) : void 0;
        }
        function getSimplifiedTypeOrConstraint(type) {
          const simplified = getSimplifiedType(
            type,
            /*writing*/
            false
          );
          return simplified !== type ? simplified : getConstraintOfType(type);
        }
        function getConstraintFromIndexedAccess(type) {
          if (isMappedTypeGenericIndexedAccess(type)) {
            return substituteIndexedMappedType(type.objectType, type.indexType);
          }
          const indexConstraint = getSimplifiedTypeOrConstraint(type.indexType);
          if (indexConstraint && indexConstraint !== type.indexType) {
            const indexedAccess = getIndexedAccessTypeOrUndefined(type.objectType, indexConstraint, type.accessFlags);
            if (indexedAccess) {
              return indexedAccess;
            }
          }
          const objectConstraint = getSimplifiedTypeOrConstraint(type.objectType);
          if (objectConstraint && objectConstraint !== type.objectType) {
            return getIndexedAccessTypeOrUndefined(objectConstraint, type.indexType, type.accessFlags);
          }
          return void 0;
        }
        function getDefaultConstraintOfConditionalType(type) {
          if (!type.resolvedDefaultConstraint) {
            const trueConstraint = getInferredTrueTypeFromConditionalType(type);
            const falseConstraint = getFalseTypeFromConditionalType(type);
            type.resolvedDefaultConstraint = isTypeAny(trueConstraint) ? falseConstraint : isTypeAny(falseConstraint) ? trueConstraint : getUnionType([trueConstraint, falseConstraint]);
          }
          return type.resolvedDefaultConstraint;
        }
        function getConstraintOfDistributiveConditionalType(type) {
          if (type.resolvedConstraintOfDistributive !== void 0) {
            return type.resolvedConstraintOfDistributive || void 0;
          }
          if (type.root.isDistributive && type.restrictiveInstantiation !== type) {
            const simplified = getSimplifiedType(
              type.checkType,
              /*writing*/
              false
            );
            const constraint = simplified === type.checkType ? getConstraintOfType(simplified) : simplified;
            if (constraint && constraint !== type.checkType) {
              const instantiated = getConditionalTypeInstantiation(
                type,
                prependTypeMapping(type.root.checkType, constraint, type.mapper),
                /*forConstraint*/
                true
              );
              if (!(instantiated.flags & 131072)) {
                type.resolvedConstraintOfDistributive = instantiated;
                return instantiated;
              }
            }
          }
          type.resolvedConstraintOfDistributive = false;
          return void 0;
        }
        function getConstraintFromConditionalType(type) {
          return getConstraintOfDistributiveConditionalType(type) || getDefaultConstraintOfConditionalType(type);
        }
        function getConstraintOfConditionalType(type) {
          return hasNonCircularBaseConstraint(type) ? getConstraintFromConditionalType(type) : void 0;
        }
        function getEffectiveConstraintOfIntersection(types, targetIsUnion) {
          let constraints;
          let hasDisjointDomainType = false;
          for (const t of types) {
            if (t.flags & 465829888) {
              let constraint = getConstraintOfType(t);
              while (constraint && constraint.flags & (262144 | 4194304 | 16777216)) {
                constraint = getConstraintOfType(constraint);
              }
              if (constraint) {
                constraints = append(constraints, constraint);
                if (targetIsUnion) {
                  constraints = append(constraints, t);
                }
              }
            } else if (t.flags & 469892092 || isEmptyAnonymousObjectType(t)) {
              hasDisjointDomainType = true;
            }
          }
          if (constraints && (targetIsUnion || hasDisjointDomainType)) {
            if (hasDisjointDomainType) {
              for (const t of types) {
                if (t.flags & 469892092 || isEmptyAnonymousObjectType(t)) {
                  constraints = append(constraints, t);
                }
              }
            }
            return getNormalizedType(
              getIntersectionType(
                constraints,
                2
                /* NoConstraintReduction */
              ),
              /*writing*/
              false
            );
          }
          return void 0;
        }
        function getBaseConstraintOfType(type) {
          if (type.flags & (58982400 | 3145728 | 134217728 | 268435456) || isGenericTupleType(type)) {
            const constraint = getResolvedBaseConstraint(type);
            return constraint !== noConstraintType && constraint !== circularConstraintType ? constraint : void 0;
          }
          return type.flags & 4194304 ? stringNumberSymbolType : void 0;
        }
        function getBaseConstraintOrType(type) {
          return getBaseConstraintOfType(type) || type;
        }
        function hasNonCircularBaseConstraint(type) {
          return getResolvedBaseConstraint(type) !== circularConstraintType;
        }
        function getResolvedBaseConstraint(type) {
          if (type.resolvedBaseConstraint) {
            return type.resolvedBaseConstraint;
          }
          const stack = [];
          return type.resolvedBaseConstraint = getImmediateBaseConstraint(type);
          function getImmediateBaseConstraint(t) {
            if (!t.immediateBaseConstraint) {
              if (!pushTypeResolution(
                t,
                4
                /* ImmediateBaseConstraint */
              )) {
                return circularConstraintType;
              }
              let result;
              const identity22 = getRecursionIdentity(t);
              if (stack.length < 10 || stack.length < 50 && !contains(stack, identity22)) {
                stack.push(identity22);
                result = computeBaseConstraint(getSimplifiedType(
                  t,
                  /*writing*/
                  false
                ));
                stack.pop();
              }
              if (!popTypeResolution()) {
                if (t.flags & 262144) {
                  const errorNode = getConstraintDeclaration(t);
                  if (errorNode) {
                    const diagnostic = error2(errorNode, Diagnostics.Type_parameter_0_has_a_circular_constraint, typeToString(t));
                    if (currentNode && !isNodeDescendantOf(errorNode, currentNode) && !isNodeDescendantOf(currentNode, errorNode)) {
                      addRelatedInfo(diagnostic, createDiagnosticForNode(currentNode, Diagnostics.Circularity_originates_in_type_at_this_location));
                    }
                  }
                }
                result = circularConstraintType;
              }
              t.immediateBaseConstraint ?? (t.immediateBaseConstraint = result || noConstraintType);
            }
            return t.immediateBaseConstraint;
          }
          function getBaseConstraint(t) {
            const c = getImmediateBaseConstraint(t);
            return c !== noConstraintType && c !== circularConstraintType ? c : void 0;
          }
          function computeBaseConstraint(t) {
            if (t.flags & 262144) {
              const constraint = getConstraintFromTypeParameter(t);
              return t.isThisType || !constraint ? constraint : getBaseConstraint(constraint);
            }
            if (t.flags & 3145728) {
              const types = t.types;
              const baseTypes = [];
              let different = false;
              for (const type2 of types) {
                const baseType = getBaseConstraint(type2);
                if (baseType) {
                  if (baseType !== type2) {
                    different = true;
                  }
                  baseTypes.push(baseType);
                } else {
                  different = true;
                }
              }
              if (!different) {
                return t;
              }
              return t.flags & 1048576 && baseTypes.length === types.length ? getUnionType(baseTypes) : t.flags & 2097152 && baseTypes.length ? getIntersectionType(baseTypes) : void 0;
            }
            if (t.flags & 4194304) {
              return stringNumberSymbolType;
            }
            if (t.flags & 134217728) {
              const types = t.types;
              const constraints = mapDefined(types, getBaseConstraint);
              return constraints.length === types.length ? getTemplateLiteralType(t.texts, constraints) : stringType2;
            }
            if (t.flags & 268435456) {
              const constraint = getBaseConstraint(t.type);
              return constraint && constraint !== t.type ? getStringMappingType(t.symbol, constraint) : stringType2;
            }
            if (t.flags & 8388608) {
              if (isMappedTypeGenericIndexedAccess(t)) {
                return getBaseConstraint(substituteIndexedMappedType(t.objectType, t.indexType));
              }
              const baseObjectType = getBaseConstraint(t.objectType);
              const baseIndexType = getBaseConstraint(t.indexType);
              const baseIndexedAccess = baseObjectType && baseIndexType && getIndexedAccessTypeOrUndefined(baseObjectType, baseIndexType, t.accessFlags);
              return baseIndexedAccess && getBaseConstraint(baseIndexedAccess);
            }
            if (t.flags & 16777216) {
              const constraint = getConstraintFromConditionalType(t);
              return constraint && getBaseConstraint(constraint);
            }
            if (t.flags & 33554432) {
              return getBaseConstraint(getSubstitutionIntersection(t));
            }
            if (isGenericTupleType(t)) {
              const newElements = map(getElementTypes(t), (v, i) => {
                const constraint = v.flags & 262144 && t.target.elementFlags[i] & 8 && getBaseConstraint(v) || v;
                return constraint !== v && everyType(constraint, (c) => isArrayOrTupleType(c) && !isGenericTupleType(c)) ? constraint : v;
              });
              return createTupleType(newElements, t.target.elementFlags, t.target.readonly, t.target.labeledElementDeclarations);
            }
            return t;
          }
        }
        function getApparentTypeOfIntersectionType(type, thisArgument) {
          if (type === thisArgument) {
            return type.resolvedApparentType || (type.resolvedApparentType = getTypeWithThisArgument(
              type,
              thisArgument,
              /*needApparentType*/
              true
            ));
          }
          const key = `I${getTypeId(type)},${getTypeId(thisArgument)}`;
          return getCachedType(key) ?? setCachedType(key, getTypeWithThisArgument(
            type,
            thisArgument,
            /*needApparentType*/
            true
          ));
        }
        function getResolvedTypeParameterDefault(typeParameter) {
          if (!typeParameter.default) {
            if (typeParameter.target) {
              const targetDefault = getResolvedTypeParameterDefault(typeParameter.target);
              typeParameter.default = targetDefault ? instantiateType(targetDefault, typeParameter.mapper) : noConstraintType;
            } else {
              typeParameter.default = resolvingDefaultType;
              const defaultDeclaration = typeParameter.symbol && forEach(typeParameter.symbol.declarations, (decl) => isTypeParameterDeclaration(decl) && decl.default);
              const defaultType = defaultDeclaration ? getTypeFromTypeNode(defaultDeclaration) : noConstraintType;
              if (typeParameter.default === resolvingDefaultType) {
                typeParameter.default = defaultType;
              }
            }
          } else if (typeParameter.default === resolvingDefaultType) {
            typeParameter.default = circularConstraintType;
          }
          return typeParameter.default;
        }
        function getDefaultFromTypeParameter(typeParameter) {
          const defaultType = getResolvedTypeParameterDefault(typeParameter);
          return defaultType !== noConstraintType && defaultType !== circularConstraintType ? defaultType : void 0;
        }
        function hasNonCircularTypeParameterDefault(typeParameter) {
          return getResolvedTypeParameterDefault(typeParameter) !== circularConstraintType;
        }
        function hasTypeParameterDefault(typeParameter) {
          return !!(typeParameter.symbol && forEach(typeParameter.symbol.declarations, (decl) => isTypeParameterDeclaration(decl) && decl.default));
        }
        function getApparentTypeOfMappedType(type) {
          return type.resolvedApparentType || (type.resolvedApparentType = getResolvedApparentTypeOfMappedType(type));
        }
        function getResolvedApparentTypeOfMappedType(type) {
          const target = type.target ?? type;
          const typeVariable = getHomomorphicTypeVariable(target);
          if (typeVariable && !target.declaration.nameType) {
            const modifiersType = getModifiersTypeFromMappedType(type);
            const baseConstraint = isGenericMappedType(modifiersType) ? getApparentTypeOfMappedType(modifiersType) : getBaseConstraintOfType(modifiersType);
            if (baseConstraint && everyType(baseConstraint, (t) => isArrayOrTupleType(t) || isArrayOrTupleOrIntersection(t))) {
              return instantiateType(target, prependTypeMapping(typeVariable, baseConstraint, type.mapper));
            }
          }
          return type;
        }
        function isArrayOrTupleOrIntersection(type) {
          return !!(type.flags & 2097152) && every(type.types, isArrayOrTupleType);
        }
        function isMappedTypeGenericIndexedAccess(type) {
          let objectType2;
          return !!(type.flags & 8388608 && getObjectFlags(objectType2 = type.objectType) & 32 && !isGenericMappedType(objectType2) && isGenericIndexType(type.indexType) && !(getMappedTypeModifiers(objectType2) & 8) && !objectType2.declaration.nameType);
        }
        function getApparentType(type) {
          const t = type.flags & 465829888 ? getBaseConstraintOfType(type) || unknownType2 : type;
          const objectFlags = getObjectFlags(t);
          return objectFlags & 32 ? getApparentTypeOfMappedType(t) : objectFlags & 4 && t !== type ? getTypeWithThisArgument(t, type) : t.flags & 2097152 ? getApparentTypeOfIntersectionType(t, type) : t.flags & 402653316 ? globalStringType : t.flags & 296 ? globalNumberType : t.flags & 2112 ? getGlobalBigIntType() : t.flags & 528 ? globalBooleanType : t.flags & 12288 ? getGlobalESSymbolType() : t.flags & 67108864 ? emptyObjectType : t.flags & 4194304 ? stringNumberSymbolType : t.flags & 2 && !strictNullChecks ? emptyObjectType : t;
        }
        function getReducedApparentType(type) {
          return getReducedType(getApparentType(getReducedType(type)));
        }
        function createUnionOrIntersectionProperty(containingType, name, skipObjectFunctionPropertyAugment) {
          var _a, _b, _c;
          let singleProp;
          let propSet;
          let indexTypes;
          const isUnion = containingType.flags & 1048576;
          let optionalFlag;
          let syntheticFlag = 4;
          let checkFlags = isUnion ? 0 : 8;
          let mergedInstantiations = false;
          for (const current of containingType.types) {
            const type = getApparentType(current);
            if (!(isErrorType(type) || type.flags & 131072)) {
              const prop = getPropertyOfType(type, name, skipObjectFunctionPropertyAugment);
              const modifiers = prop ? getDeclarationModifierFlagsFromSymbol(prop) : 0;
              if (prop) {
                if (prop.flags & 106500) {
                  optionalFlag ?? (optionalFlag = isUnion ? 0 : 16777216);
                  if (isUnion) {
                    optionalFlag |= prop.flags & 16777216;
                  } else {
                    optionalFlag &= prop.flags;
                  }
                }
                if (!singleProp) {
                  singleProp = prop;
                } else if (prop !== singleProp) {
                  const isInstantiation = (getTargetSymbol(prop) || prop) === (getTargetSymbol(singleProp) || singleProp);
                  if (isInstantiation && compareProperties2(
                    singleProp,
                    prop,
                    (a, b) => a === b ? -1 : 0
                    /* False */
                  ) === -1) {
                    mergedInstantiations = !!singleProp.parent && !!length(getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(singleProp.parent));
                  } else {
                    if (!propSet) {
                      propSet = /* @__PURE__ */ new Map();
                      propSet.set(getSymbolId(singleProp), singleProp);
                    }
                    const id = getSymbolId(prop);
                    if (!propSet.has(id)) {
                      propSet.set(id, prop);
                    }
                  }
                }
                if (isUnion && isReadonlySymbol(prop)) {
                  checkFlags |= 8;
                } else if (!isUnion && !isReadonlySymbol(prop)) {
                  checkFlags &= ~8;
                }
                checkFlags |= (!(modifiers & 6) ? 256 : 0) | (modifiers & 4 ? 512 : 0) | (modifiers & 2 ? 1024 : 0) | (modifiers & 256 ? 2048 : 0);
                if (!isPrototypeProperty2(prop)) {
                  syntheticFlag = 2;
                }
              } else if (isUnion) {
                const indexInfo = !isLateBoundName(name) && getApplicableIndexInfoForName(type, name);
                if (indexInfo) {
                  checkFlags |= 32 | (indexInfo.isReadonly ? 8 : 0);
                  indexTypes = append(indexTypes, isTupleType(type) ? getRestTypeOfTupleType(type) || undefinedType2 : indexInfo.type);
                } else if (isObjectLiteralType2(type) && !(getObjectFlags(type) & 2097152)) {
                  checkFlags |= 32;
                  indexTypes = append(indexTypes, undefinedType2);
                } else {
                  checkFlags |= 16;
                }
              }
            }
          }
          if (!singleProp || isUnion && (propSet || checkFlags & 48) && checkFlags & (1024 | 512) && !(propSet && getCommonDeclarationsOfSymbols(propSet.values()))) {
            return void 0;
          }
          if (!propSet && !(checkFlags & 16) && !indexTypes) {
            if (mergedInstantiations) {
              const links = (_a = tryCast(singleProp, isTransientSymbol)) == null ? void 0 : _a.links;
              const clone2 = createSymbolWithType(singleProp, links == null ? void 0 : links.type);
              clone2.parent = (_c = (_b = singleProp.valueDeclaration) == null ? void 0 : _b.symbol) == null ? void 0 : _c.parent;
              clone2.links.containingType = containingType;
              clone2.links.mapper = links == null ? void 0 : links.mapper;
              clone2.links.writeType = getWriteTypeOfSymbol(singleProp);
              return clone2;
            } else {
              return singleProp;
            }
          }
          const props = propSet ? arrayFrom(propSet.values()) : [singleProp];
          let declarations;
          let firstType;
          let nameType;
          const propTypes = [];
          let writeTypes;
          let firstValueDeclaration;
          let hasNonUniformValueDeclaration = false;
          for (const prop of props) {
            if (!firstValueDeclaration) {
              firstValueDeclaration = prop.valueDeclaration;
            } else if (prop.valueDeclaration && prop.valueDeclaration !== firstValueDeclaration) {
              hasNonUniformValueDeclaration = true;
            }
            declarations = addRange(declarations, prop.declarations);
            const type = getTypeOfSymbol(prop);
            if (!firstType) {
              firstType = type;
              nameType = getSymbolLinks(prop).nameType;
            }
            const writeType = getWriteTypeOfSymbol(prop);
            if (writeTypes || writeType !== type) {
              writeTypes = append(!writeTypes ? propTypes.slice() : writeTypes, writeType);
            }
            if (type !== firstType) {
              checkFlags |= 64;
            }
            if (isLiteralType(type) || isPatternLiteralType(type)) {
              checkFlags |= 128;
            }
            if (type.flags & 131072 && type !== uniqueLiteralType) {
              checkFlags |= 131072;
            }
            propTypes.push(type);
          }
          addRange(propTypes, indexTypes);
          const result = createSymbol(4 | (optionalFlag ?? 0), name, syntheticFlag | checkFlags);
          result.links.containingType = containingType;
          if (!hasNonUniformValueDeclaration && firstValueDeclaration) {
            result.valueDeclaration = firstValueDeclaration;
            if (firstValueDeclaration.symbol.parent) {
              result.parent = firstValueDeclaration.symbol.parent;
            }
          }
          result.declarations = declarations;
          result.links.nameType = nameType;
          if (propTypes.length > 2) {
            result.links.checkFlags |= 65536;
            result.links.deferralParent = containingType;
            result.links.deferralConstituents = propTypes;
            result.links.deferralWriteConstituents = writeTypes;
          } else {
            result.links.type = isUnion ? getUnionType(propTypes) : getIntersectionType(propTypes);
            if (writeTypes) {
              result.links.writeType = isUnion ? getUnionType(writeTypes) : getIntersectionType(writeTypes);
            }
          }
          return result;
        }
        function getUnionOrIntersectionProperty(type, name, skipObjectFunctionPropertyAugment) {
          var _a, _b, _c;
          let property = skipObjectFunctionPropertyAugment ? (_a = type.propertyCacheWithoutObjectFunctionPropertyAugment) == null ? void 0 : _a.get(name) : (_b = type.propertyCache) == null ? void 0 : _b.get(name);
          if (!property) {
            property = createUnionOrIntersectionProperty(type, name, skipObjectFunctionPropertyAugment);
            if (property) {
              const properties = skipObjectFunctionPropertyAugment ? type.propertyCacheWithoutObjectFunctionPropertyAugment || (type.propertyCacheWithoutObjectFunctionPropertyAugment = createSymbolTable()) : type.propertyCache || (type.propertyCache = createSymbolTable());
              properties.set(name, property);
              if (skipObjectFunctionPropertyAugment && !(getCheckFlags(property) & 48) && !((_c = type.propertyCache) == null ? void 0 : _c.get(name))) {
                const properties2 = type.propertyCache || (type.propertyCache = createSymbolTable());
                properties2.set(name, property);
              }
            }
          }
          return property;
        }
        function getCommonDeclarationsOfSymbols(symbols) {
          let commonDeclarations;
          for (const symbol of symbols) {
            if (!symbol.declarations) {
              return void 0;
            }
            if (!commonDeclarations) {
              commonDeclarations = new Set(symbol.declarations);
              continue;
            }
            commonDeclarations.forEach((declaration) => {
              if (!contains(symbol.declarations, declaration)) {
                commonDeclarations.delete(declaration);
              }
            });
            if (commonDeclarations.size === 0) {
              return void 0;
            }
          }
          return commonDeclarations;
        }
        function getPropertyOfUnionOrIntersectionType(type, name, skipObjectFunctionPropertyAugment) {
          const property = getUnionOrIntersectionProperty(type, name, skipObjectFunctionPropertyAugment);
          return property && !(getCheckFlags(property) & 16) ? property : void 0;
        }
        function getReducedType(type) {
          if (type.flags & 1048576 && type.objectFlags & 16777216) {
            return type.resolvedReducedType || (type.resolvedReducedType = getReducedUnionType(type));
          } else if (type.flags & 2097152) {
            if (!(type.objectFlags & 16777216)) {
              type.objectFlags |= 16777216 | (some(getPropertiesOfUnionOrIntersectionType(type), isNeverReducedProperty) ? 33554432 : 0);
            }
            return type.objectFlags & 33554432 ? neverType2 : type;
          }
          return type;
        }
        function getReducedUnionType(unionType2) {
          const reducedTypes = sameMap(unionType2.types, getReducedType);
          if (reducedTypes === unionType2.types) {
            return unionType2;
          }
          const reduced = getUnionType(reducedTypes);
          if (reduced.flags & 1048576) {
            reduced.resolvedReducedType = reduced;
          }
          return reduced;
        }
        function isNeverReducedProperty(prop) {
          return isDiscriminantWithNeverType(prop) || isConflictingPrivateProperty(prop);
        }
        function isDiscriminantWithNeverType(prop) {
          return !(prop.flags & 16777216) && (getCheckFlags(prop) & (192 | 131072)) === 192 && !!(getTypeOfSymbol(prop).flags & 131072);
        }
        function isConflictingPrivateProperty(prop) {
          return !prop.valueDeclaration && !!(getCheckFlags(prop) & 1024);
        }
        function isGenericReducibleType(type) {
          return !!(type.flags & 1048576 && type.objectFlags & 16777216 && some(type.types, isGenericReducibleType) || type.flags & 2097152 && isReducibleIntersection(type));
        }
        function isReducibleIntersection(type) {
          const uniqueFilled = type.uniqueLiteralFilledInstantiation || (type.uniqueLiteralFilledInstantiation = instantiateType(type, uniqueLiteralMapper));
          return getReducedType(uniqueFilled) !== uniqueFilled;
        }
        function elaborateNeverIntersection(errorInfo, type) {
          if (type.flags & 2097152 && getObjectFlags(type) & 33554432) {
            const neverProp = find(getPropertiesOfUnionOrIntersectionType(type), isDiscriminantWithNeverType);
            if (neverProp) {
              return chainDiagnosticMessages(errorInfo, Diagnostics.The_intersection_0_was_reduced_to_never_because_property_1_has_conflicting_types_in_some_constituents, typeToString(
                type,
                /*enclosingDeclaration*/
                void 0,
                536870912
                /* NoTypeReduction */
              ), symbolToString2(neverProp));
            }
            const privateProp = find(getPropertiesOfUnionOrIntersectionType(type), isConflictingPrivateProperty);
            if (privateProp) {
              return chainDiagnosticMessages(errorInfo, Diagnostics.The_intersection_0_was_reduced_to_never_because_property_1_exists_in_multiple_constituents_and_is_private_in_some, typeToString(
                type,
                /*enclosingDeclaration*/
                void 0,
                536870912
                /* NoTypeReduction */
              ), symbolToString2(privateProp));
            }
          }
          return errorInfo;
        }
        function getPropertyOfType(type, name, skipObjectFunctionPropertyAugment, includeTypeOnlyMembers) {
          var _a, _b;
          type = getReducedApparentType(type);
          if (type.flags & 524288) {
            const resolved = resolveStructuredTypeMembers(type);
            const symbol = resolved.members.get(name);
            if (symbol && !includeTypeOnlyMembers && ((_a = type.symbol) == null ? void 0 : _a.flags) & 512 && ((_b = getSymbolLinks(type.symbol).typeOnlyExportStarMap) == null ? void 0 : _b.has(name))) {
              return void 0;
            }
            if (symbol && symbolIsValue(symbol, includeTypeOnlyMembers)) {
              return symbol;
            }
            if (skipObjectFunctionPropertyAugment) return void 0;
            const functionType2 = resolved === anyFunctionType ? globalFunctionType : resolved.callSignatures.length ? globalCallableFunctionType : resolved.constructSignatures.length ? globalNewableFunctionType : void 0;
            if (functionType2) {
              const symbol2 = getPropertyOfObjectType(functionType2, name);
              if (symbol2) {
                return symbol2;
              }
            }
            return getPropertyOfObjectType(globalObjectType, name);
          }
          if (type.flags & 2097152) {
            const prop = getPropertyOfUnionOrIntersectionType(
              type,
              name,
              /*skipObjectFunctionPropertyAugment*/
              true
            );
            if (prop) {
              return prop;
            }
            if (!skipObjectFunctionPropertyAugment) {
              return getPropertyOfUnionOrIntersectionType(type, name, skipObjectFunctionPropertyAugment);
            }
            return void 0;
          }
          if (type.flags & 1048576) {
            return getPropertyOfUnionOrIntersectionType(type, name, skipObjectFunctionPropertyAugment);
          }
          return void 0;
        }
        function getSignaturesOfStructuredType(type, kind) {
          if (type.flags & 3670016) {
            const resolved = resolveStructuredTypeMembers(type);
            return kind === 0 ? resolved.callSignatures : resolved.constructSignatures;
          }
          return emptyArray;
        }
        function getSignaturesOfType(type, kind) {
          const result = getSignaturesOfStructuredType(getReducedApparentType(type), kind);
          if (kind === 0 && !length(result) && type.flags & 1048576) {
            if (type.arrayFallbackSignatures) {
              return type.arrayFallbackSignatures;
            }
            let memberName;
            if (everyType(type, (t) => {
              var _a;
              return !!((_a = t.symbol) == null ? void 0 : _a.parent) && isArrayOrTupleSymbol(t.symbol.parent) && (!memberName ? (memberName = t.symbol.escapedName, true) : memberName === t.symbol.escapedName);
            })) {
              const arrayArg = mapType2(type, (t) => getMappedType((isReadonlyArraySymbol(t.symbol.parent) ? globalReadonlyArrayType : globalArrayType).typeParameters[0], t.mapper));
              const arrayType2 = createArrayType(arrayArg, someType(type, (t) => isReadonlyArraySymbol(t.symbol.parent)));
              return type.arrayFallbackSignatures = getSignaturesOfType(getTypeOfPropertyOfType(arrayType2, memberName), kind);
            }
            type.arrayFallbackSignatures = result;
          }
          return result;
        }
        function isArrayOrTupleSymbol(symbol) {
          if (!symbol || !globalArrayType.symbol || !globalReadonlyArrayType.symbol) {
            return false;
          }
          return !!getSymbolIfSameReference(symbol, globalArrayType.symbol) || !!getSymbolIfSameReference(symbol, globalReadonlyArrayType.symbol);
        }
        function isReadonlyArraySymbol(symbol) {
          if (!symbol || !globalReadonlyArrayType.symbol) {
            return false;
          }
          return !!getSymbolIfSameReference(symbol, globalReadonlyArrayType.symbol);
        }
        function findIndexInfo(indexInfos, keyType) {
          return find(indexInfos, (info) => info.keyType === keyType);
        }
        function findApplicableIndexInfo(indexInfos, keyType) {
          let stringIndexInfo;
          let applicableInfo;
          let applicableInfos;
          for (const info of indexInfos) {
            if (info.keyType === stringType2) {
              stringIndexInfo = info;
            } else if (isApplicableIndexType(keyType, info.keyType)) {
              if (!applicableInfo) {
                applicableInfo = info;
              } else {
                (applicableInfos || (applicableInfos = [applicableInfo])).push(info);
              }
            }
          }
          return applicableInfos ? createIndexInfo(unknownType2, getIntersectionType(map(applicableInfos, (info) => info.type)), reduceLeft(
            applicableInfos,
            (isReadonly, info) => isReadonly && info.isReadonly,
            /*initial*/
            true
          )) : applicableInfo ? applicableInfo : stringIndexInfo && isApplicableIndexType(keyType, stringType2) ? stringIndexInfo : void 0;
        }
        function isApplicableIndexType(source, target) {
          return isTypeAssignableTo(source, target) || target === stringType2 && isTypeAssignableTo(source, numberType2) || target === numberType2 && (source === numericStringType || !!(source.flags & 128) && isNumericLiteralName(source.value));
        }
        function getIndexInfosOfStructuredType(type) {
          if (type.flags & 3670016) {
            const resolved = resolveStructuredTypeMembers(type);
            return resolved.indexInfos;
          }
          return emptyArray;
        }
        function getIndexInfosOfType(type) {
          return getIndexInfosOfStructuredType(getReducedApparentType(type));
        }
        function getIndexInfoOfType(type, keyType) {
          return findIndexInfo(getIndexInfosOfType(type), keyType);
        }
        function getIndexTypeOfType(type, keyType) {
          var _a;
          return (_a = getIndexInfoOfType(type, keyType)) == null ? void 0 : _a.type;
        }
        function getApplicableIndexInfos(type, keyType) {
          return getIndexInfosOfType(type).filter((info) => isApplicableIndexType(keyType, info.keyType));
        }
        function getApplicableIndexInfo(type, keyType) {
          return findApplicableIndexInfo(getIndexInfosOfType(type), keyType);
        }
        function getApplicableIndexInfoForName(type, name) {
          return getApplicableIndexInfo(type, isLateBoundName(name) ? esSymbolType : getStringLiteralType(unescapeLeadingUnderscores(name)));
        }
        function getTypeParametersFromDeclaration(declaration) {
          var _a;
          let result;
          for (const node of getEffectiveTypeParameterDeclarations(declaration)) {
            result = appendIfUnique(result, getDeclaredTypeOfTypeParameter(node.symbol));
          }
          return (result == null ? void 0 : result.length) ? result : isFunctionDeclaration(declaration) ? (_a = getSignatureOfTypeTag(declaration)) == null ? void 0 : _a.typeParameters : void 0;
        }
        function symbolsToArray(symbols) {
          const result = [];
          symbols.forEach((symbol, id) => {
            if (!isReservedMemberName(id)) {
              result.push(symbol);
            }
          });
          return result;
        }
        function tryFindAmbientModule(moduleName, withAugmentations) {
          if (isExternalModuleNameRelative(moduleName)) {
            return void 0;
          }
          const symbol = getSymbol2(
            globals2,
            '"' + moduleName + '"',
            512
            /* ValueModule */
          );
          return symbol && withAugmentations ? getMergedSymbol(symbol) : symbol;
        }
        function hasEffectiveQuestionToken(node) {
          return hasQuestionToken(node) || isOptionalJSDocPropertyLikeTag(node) || isParameter(node) && isJSDocOptionalParameter(node);
        }
        function isOptionalParameter(node) {
          if (hasEffectiveQuestionToken(node)) {
            return true;
          }
          if (!isParameter(node)) {
            return false;
          }
          if (node.initializer) {
            const signature = getSignatureFromDeclaration(node.parent);
            const parameterIndex = node.parent.parameters.indexOf(node);
            Debug.assert(parameterIndex >= 0);
            return parameterIndex >= getMinArgumentCount(
              signature,
              1 | 2
              /* VoidIsNonOptional */
            );
          }
          const iife = getImmediatelyInvokedFunctionExpression(node.parent);
          if (iife) {
            return !node.type && !node.dotDotDotToken && node.parent.parameters.indexOf(node) >= getEffectiveCallArguments(iife).length;
          }
          return false;
        }
        function isOptionalPropertyDeclaration(node) {
          return isPropertyDeclaration(node) && !hasAccessorModifier(node) && node.questionToken;
        }
        function createTypePredicate(kind, parameterName, parameterIndex, type) {
          return { kind, parameterName, parameterIndex, type };
        }
        function getMinTypeArgumentCount(typeParameters) {
          let minTypeArgumentCount = 0;
          if (typeParameters) {
            for (let i = 0; i < typeParameters.length; i++) {
              if (!hasTypeParameterDefault(typeParameters[i])) {
                minTypeArgumentCount = i + 1;
              }
            }
          }
          return minTypeArgumentCount;
        }
        function fillMissingTypeArguments(typeArguments, typeParameters, minTypeArgumentCount, isJavaScriptImplicitAny) {
          const numTypeParameters = length(typeParameters);
          if (!numTypeParameters) {
            return [];
          }
          const numTypeArguments = length(typeArguments);
          if (isJavaScriptImplicitAny || numTypeArguments >= minTypeArgumentCount && numTypeArguments <= numTypeParameters) {
            const result = typeArguments ? typeArguments.slice() : [];
            for (let i = numTypeArguments; i < numTypeParameters; i++) {
              result[i] = errorType;
            }
            const baseDefaultType = getDefaultTypeArgumentType(isJavaScriptImplicitAny);
            for (let i = numTypeArguments; i < numTypeParameters; i++) {
              let defaultType = getDefaultFromTypeParameter(typeParameters[i]);
              if (isJavaScriptImplicitAny && defaultType && (isTypeIdenticalTo(defaultType, unknownType2) || isTypeIdenticalTo(defaultType, emptyObjectType))) {
                defaultType = anyType2;
              }
              result[i] = defaultType ? instantiateType(defaultType, createTypeMapper(typeParameters, result)) : baseDefaultType;
            }
            result.length = typeParameters.length;
            return result;
          }
          return typeArguments && typeArguments.slice();
        }
        function getSignatureFromDeclaration(declaration) {
          const links = getNodeLinks(declaration);
          if (!links.resolvedSignature) {
            const parameters = [];
            let flags = 0;
            let minArgumentCount = 0;
            let thisParameter;
            let thisTag = isInJSFile(declaration) ? getJSDocThisTag(declaration) : void 0;
            let hasThisParameter2 = false;
            const iife = getImmediatelyInvokedFunctionExpression(declaration);
            const isJSConstructSignature = isJSDocConstructSignature(declaration);
            const isUntypedSignatureInJSFile = !iife && isInJSFile(declaration) && isValueSignatureDeclaration(declaration) && !hasJSDocParameterTags(declaration) && !getJSDocType(declaration);
            if (isUntypedSignatureInJSFile) {
              flags |= 32;
            }
            for (let i = isJSConstructSignature ? 1 : 0; i < declaration.parameters.length; i++) {
              const param = declaration.parameters[i];
              if (isInJSFile(param) && isJSDocThisTag(param)) {
                thisTag = param;
                continue;
              }
              let paramSymbol = param.symbol;
              const type = isJSDocParameterTag(param) ? param.typeExpression && param.typeExpression.type : param.type;
              if (paramSymbol && !!(paramSymbol.flags & 4) && !isBindingPattern(param.name)) {
                const resolvedSymbol = resolveName(
                  param,
                  paramSymbol.escapedName,
                  111551,
                  /*nameNotFoundMessage*/
                  void 0,
                  /*isUse*/
                  false
                );
                paramSymbol = resolvedSymbol;
              }
              if (i === 0 && paramSymbol.escapedName === "this") {
                hasThisParameter2 = true;
                thisParameter = param.symbol;
              } else {
                parameters.push(paramSymbol);
              }
              if (type && type.kind === 201) {
                flags |= 2;
              }
              const isOptionalParameter2 = hasEffectiveQuestionToken(param) || isParameter(param) && param.initializer || isRestParameter(param) || iife && parameters.length > iife.arguments.length && !type;
              if (!isOptionalParameter2) {
                minArgumentCount = parameters.length;
              }
            }
            if ((declaration.kind === 177 || declaration.kind === 178) && hasBindableName(declaration) && (!hasThisParameter2 || !thisParameter)) {
              const otherKind = declaration.kind === 177 ? 178 : 177;
              const other = getDeclarationOfKind(getSymbolOfDeclaration(declaration), otherKind);
              if (other) {
                thisParameter = getAnnotatedAccessorThisParameter(other);
              }
            }
            if (thisTag && thisTag.typeExpression) {
              thisParameter = createSymbolWithType(createSymbol(
                1,
                "this"
                /* This */
              ), getTypeFromTypeNode(thisTag.typeExpression));
            }
            const hostDeclaration = isJSDocSignature(declaration) ? getEffectiveJSDocHost(declaration) : declaration;
            const classType = hostDeclaration && isConstructorDeclaration(hostDeclaration) ? getDeclaredTypeOfClassOrInterface(getMergedSymbol(hostDeclaration.parent.symbol)) : void 0;
            const typeParameters = classType ? classType.localTypeParameters : getTypeParametersFromDeclaration(declaration);
            if (hasRestParameter(declaration) || isInJSFile(declaration) && maybeAddJsSyntheticRestParameter(declaration, parameters)) {
              flags |= 1;
            }
            if (isConstructorTypeNode(declaration) && hasSyntacticModifier(
              declaration,
              64
              /* Abstract */
            ) || isConstructorDeclaration(declaration) && hasSyntacticModifier(
              declaration.parent,
              64
              /* Abstract */
            )) {
              flags |= 4;
            }
            links.resolvedSignature = createSignature(
              declaration,
              typeParameters,
              thisParameter,
              parameters,
              /*resolvedReturnType*/
              void 0,
              /*resolvedTypePredicate*/
              void 0,
              minArgumentCount,
              flags
            );
          }
          return links.resolvedSignature;
        }
        function maybeAddJsSyntheticRestParameter(declaration, parameters) {
          if (isJSDocSignature(declaration) || !containsArgumentsReference(declaration)) {
            return false;
          }
          const lastParam = lastOrUndefined(declaration.parameters);
          const lastParamTags = lastParam ? getJSDocParameterTags(lastParam) : getJSDocTags(declaration).filter(isJSDocParameterTag);
          const lastParamVariadicType = firstDefined(lastParamTags, (p) => p.typeExpression && isJSDocVariadicType(p.typeExpression.type) ? p.typeExpression.type : void 0);
          const syntheticArgsSymbol = createSymbol(
            3,
            "args",
            32768
            /* RestParameter */
          );
          if (lastParamVariadicType) {
            syntheticArgsSymbol.links.type = createArrayType(getTypeFromTypeNode(lastParamVariadicType.type));
          } else {
            syntheticArgsSymbol.links.checkFlags |= 65536;
            syntheticArgsSymbol.links.deferralParent = neverType2;
            syntheticArgsSymbol.links.deferralConstituents = [anyArrayType];
            syntheticArgsSymbol.links.deferralWriteConstituents = [anyArrayType];
          }
          if (lastParamVariadicType) {
            parameters.pop();
          }
          parameters.push(syntheticArgsSymbol);
          return true;
        }
        function getSignatureOfTypeTag(node) {
          if (!(isInJSFile(node) && isFunctionLikeDeclaration(node))) return void 0;
          const typeTag = getJSDocTypeTag(node);
          return (typeTag == null ? void 0 : typeTag.typeExpression) && getSingleCallSignature(getTypeFromTypeNode(typeTag.typeExpression));
        }
        function getParameterTypeOfTypeTag(func, parameter) {
          const signature = getSignatureOfTypeTag(func);
          if (!signature) return void 0;
          const pos = func.parameters.indexOf(parameter);
          return parameter.dotDotDotToken ? getRestTypeAtPosition(signature, pos) : getTypeAtPosition(signature, pos);
        }
        function getReturnTypeOfTypeTag(node) {
          const signature = getSignatureOfTypeTag(node);
          return signature && getReturnTypeOfSignature(signature);
        }
        function containsArgumentsReference(declaration) {
          const links = getNodeLinks(declaration);
          if (links.containsArgumentsReference === void 0) {
            if (links.flags & 512) {
              links.containsArgumentsReference = true;
            } else {
              links.containsArgumentsReference = traverse(declaration.body);
            }
          }
          return links.containsArgumentsReference;
          function traverse(node) {
            if (!node) return false;
            switch (node.kind) {
              case 80:
                return node.escapedText === argumentsSymbol.escapedName && getReferencedValueSymbol(node) === argumentsSymbol;
              case 172:
              case 174:
              case 177:
              case 178:
                return node.name.kind === 167 && traverse(node.name);
              case 211:
              case 212:
                return traverse(node.expression);
              case 303:
                return traverse(node.initializer);
              default:
                return !nodeStartsNewLexicalEnvironment(node) && !isPartOfTypeNode(node) && !!forEachChild(node, traverse);
            }
          }
        }
        function getSignaturesOfSymbol(symbol) {
          if (!symbol || !symbol.declarations) return emptyArray;
          const result = [];
          for (let i = 0; i < symbol.declarations.length; i++) {
            const decl = symbol.declarations[i];
            if (!isFunctionLike(decl)) continue;
            if (i > 0 && decl.body) {
              const previous = symbol.declarations[i - 1];
              if (decl.parent === previous.parent && decl.kind === previous.kind && decl.pos === previous.end) {
                continue;
              }
            }
            if (isInJSFile(decl) && decl.jsDoc) {
              const tags = getJSDocOverloadTags(decl);
              if (length(tags)) {
                for (const tag of tags) {
                  const jsDocSignature = tag.typeExpression;
                  if (jsDocSignature.type === void 0 && !isConstructorDeclaration(decl)) {
                    reportImplicitAny(jsDocSignature, anyType2);
                  }
                  result.push(getSignatureFromDeclaration(jsDocSignature));
                }
                continue;
              }
            }
            result.push(
              !isFunctionExpressionOrArrowFunction(decl) && !isObjectLiteralMethod(decl) && getSignatureOfTypeTag(decl) || getSignatureFromDeclaration(decl)
            );
          }
          return result;
        }
        function resolveExternalModuleTypeByLiteral(name) {
          const moduleSym = resolveExternalModuleName(name, name);
          if (moduleSym) {
            const resolvedModuleSymbol = resolveExternalModuleSymbol(moduleSym);
            if (resolvedModuleSymbol) {
              return getTypeOfSymbol(resolvedModuleSymbol);
            }
          }
          return anyType2;
        }
        function getThisTypeOfSignature(signature) {
          if (signature.thisParameter) {
            return getTypeOfSymbol(signature.thisParameter);
          }
        }
        function getTypePredicateOfSignature(signature) {
          if (!signature.resolvedTypePredicate) {
            if (signature.target) {
              const targetTypePredicate = getTypePredicateOfSignature(signature.target);
              signature.resolvedTypePredicate = targetTypePredicate ? instantiateTypePredicate(targetTypePredicate, signature.mapper) : noTypePredicate;
            } else if (signature.compositeSignatures) {
              signature.resolvedTypePredicate = getUnionOrIntersectionTypePredicate(signature.compositeSignatures, signature.compositeKind) || noTypePredicate;
            } else {
              const type = signature.declaration && getEffectiveReturnTypeNode(signature.declaration);
              let jsdocPredicate;
              if (!type) {
                const jsdocSignature = getSignatureOfTypeTag(signature.declaration);
                if (jsdocSignature && signature !== jsdocSignature) {
                  jsdocPredicate = getTypePredicateOfSignature(jsdocSignature);
                }
              }
              if (type || jsdocPredicate) {
                signature.resolvedTypePredicate = type && isTypePredicateNode(type) ? createTypePredicateFromTypePredicateNode(type, signature) : jsdocPredicate || noTypePredicate;
              } else if (signature.declaration && isFunctionLikeDeclaration(signature.declaration) && (!signature.resolvedReturnType || signature.resolvedReturnType.flags & 16) && getParameterCount(signature) > 0) {
                const { declaration } = signature;
                signature.resolvedTypePredicate = noTypePredicate;
                signature.resolvedTypePredicate = getTypePredicateFromBody(declaration) || noTypePredicate;
              } else {
                signature.resolvedTypePredicate = noTypePredicate;
              }
            }
            Debug.assert(!!signature.resolvedTypePredicate);
          }
          return signature.resolvedTypePredicate === noTypePredicate ? void 0 : signature.resolvedTypePredicate;
        }
        function createTypePredicateFromTypePredicateNode(node, signature) {
          const parameterName = node.parameterName;
          const type = node.type && getTypeFromTypeNode(node.type);
          return parameterName.kind === 197 ? createTypePredicate(
            node.assertsModifier ? 2 : 0,
            /*parameterName*/
            void 0,
            /*parameterIndex*/
            void 0,
            type
          ) : createTypePredicate(node.assertsModifier ? 3 : 1, parameterName.escapedText, findIndex(signature.parameters, (p) => p.escapedName === parameterName.escapedText), type);
        }
        function getUnionOrIntersectionType(types, kind, unionReduction) {
          return kind !== 2097152 ? getUnionType(types, unionReduction) : getIntersectionType(types);
        }
        function getReturnTypeOfSignature(signature) {
          if (!signature.resolvedReturnType) {
            if (!pushTypeResolution(
              signature,
              3
              /* ResolvedReturnType */
            )) {
              return errorType;
            }
            let type = signature.target ? instantiateType(getReturnTypeOfSignature(signature.target), signature.mapper) : signature.compositeSignatures ? instantiateType(getUnionOrIntersectionType(
              map(signature.compositeSignatures, getReturnTypeOfSignature),
              signature.compositeKind,
              2
              /* Subtype */
            ), signature.mapper) : getReturnTypeFromAnnotation(signature.declaration) || (nodeIsMissing(signature.declaration.body) ? anyType2 : getReturnTypeFromBody(signature.declaration));
            if (signature.flags & 8) {
              type = addOptionalTypeMarker(type);
            } else if (signature.flags & 16) {
              type = getOptionalType(type);
            }
            if (!popTypeResolution()) {
              if (signature.declaration) {
                const typeNode = getEffectiveReturnTypeNode(signature.declaration);
                if (typeNode) {
                  error2(typeNode, Diagnostics.Return_type_annotation_circularly_references_itself);
                } else if (noImplicitAny) {
                  const declaration = signature.declaration;
                  const name = getNameOfDeclaration(declaration);
                  if (name) {
                    error2(name, Diagnostics._0_implicitly_has_return_type_any_because_it_does_not_have_a_return_type_annotation_and_is_referenced_directly_or_indirectly_in_one_of_its_return_expressions, declarationNameToString(name));
                  } else {
                    error2(declaration, Diagnostics.Function_implicitly_has_return_type_any_because_it_does_not_have_a_return_type_annotation_and_is_referenced_directly_or_indirectly_in_one_of_its_return_expressions);
                  }
                }
              }
              type = anyType2;
            }
            signature.resolvedReturnType ?? (signature.resolvedReturnType = type);
          }
          return signature.resolvedReturnType;
        }
        function getReturnTypeFromAnnotation(declaration) {
          if (declaration.kind === 176) {
            return getDeclaredTypeOfClassOrInterface(getMergedSymbol(declaration.parent.symbol));
          }
          const typeNode = getEffectiveReturnTypeNode(declaration);
          if (isJSDocSignature(declaration)) {
            const root2 = getJSDocRoot(declaration);
            if (root2 && isConstructorDeclaration(root2.parent) && !typeNode) {
              return getDeclaredTypeOfClassOrInterface(getMergedSymbol(root2.parent.parent.symbol));
            }
          }
          if (isJSDocConstructSignature(declaration)) {
            return getTypeFromTypeNode(declaration.parameters[0].type);
          }
          if (typeNode) {
            return getTypeFromTypeNode(typeNode);
          }
          if (declaration.kind === 177 && hasBindableName(declaration)) {
            const jsDocType = isInJSFile(declaration) && getTypeForDeclarationFromJSDocComment(declaration);
            if (jsDocType) {
              return jsDocType;
            }
            const setter = getDeclarationOfKind(
              getSymbolOfDeclaration(declaration),
              178
              /* SetAccessor */
            );
            const setterType = getAnnotatedAccessorType(setter);
            if (setterType) {
              return setterType;
            }
          }
          return getReturnTypeOfTypeTag(declaration);
        }
        function isResolvingReturnTypeOfSignature(signature) {
          return signature.compositeSignatures && some(signature.compositeSignatures, isResolvingReturnTypeOfSignature) || !signature.resolvedReturnType && findResolutionCycleStartIndex(
            signature,
            3
            /* ResolvedReturnType */
          ) >= 0;
        }
        function getRestTypeOfSignature(signature) {
          return tryGetRestTypeOfSignature(signature) || anyType2;
        }
        function tryGetRestTypeOfSignature(signature) {
          if (signatureHasRestParameter(signature)) {
            const sigRestType = getTypeOfSymbol(signature.parameters[signature.parameters.length - 1]);
            const restType = isTupleType(sigRestType) ? getRestTypeOfTupleType(sigRestType) : sigRestType;
            return restType && getIndexTypeOfType(restType, numberType2);
          }
          return void 0;
        }
        function getSignatureInstantiation(signature, typeArguments, isJavascript, inferredTypeParameters) {
          const instantiatedSignature = getSignatureInstantiationWithoutFillingInTypeArguments(signature, fillMissingTypeArguments(typeArguments, signature.typeParameters, getMinTypeArgumentCount(signature.typeParameters), isJavascript));
          if (inferredTypeParameters) {
            const returnSignature = getSingleCallOrConstructSignature(getReturnTypeOfSignature(instantiatedSignature));
            if (returnSignature) {
              const newReturnSignature = cloneSignature(returnSignature);
              newReturnSignature.typeParameters = inferredTypeParameters;
              const newInstantiatedSignature = cloneSignature(instantiatedSignature);
              newInstantiatedSignature.resolvedReturnType = getOrCreateTypeFromSignature(newReturnSignature);
              return newInstantiatedSignature;
            }
          }
          return instantiatedSignature;
        }
        function getSignatureInstantiationWithoutFillingInTypeArguments(signature, typeArguments) {
          const instantiations = signature.instantiations || (signature.instantiations = /* @__PURE__ */ new Map());
          const id = getTypeListId(typeArguments);
          let instantiation = instantiations.get(id);
          if (!instantiation) {
            instantiations.set(id, instantiation = createSignatureInstantiation(signature, typeArguments));
          }
          return instantiation;
        }
        function createSignatureInstantiation(signature, typeArguments) {
          return instantiateSignature(
            signature,
            createSignatureTypeMapper(signature, typeArguments),
            /*eraseTypeParameters*/
            true
          );
        }
        function createSignatureTypeMapper(signature, typeArguments) {
          return createTypeMapper(sameMap(signature.typeParameters, (tp) => tp.mapper ? instantiateType(tp, tp.mapper) : tp), typeArguments);
        }
        function getErasedSignature(signature) {
          return signature.typeParameters ? signature.erasedSignatureCache || (signature.erasedSignatureCache = createErasedSignature(signature)) : signature;
        }
        function createErasedSignature(signature) {
          return instantiateSignature(
            signature,
            createTypeEraser(signature.typeParameters),
            /*eraseTypeParameters*/
            true
          );
        }
        function getCanonicalSignature(signature) {
          return signature.typeParameters ? signature.canonicalSignatureCache || (signature.canonicalSignatureCache = createCanonicalSignature(signature)) : signature;
        }
        function createCanonicalSignature(signature) {
          return getSignatureInstantiation(
            signature,
            map(signature.typeParameters, (tp) => tp.target && !getConstraintOfTypeParameter(tp.target) ? tp.target : tp),
            isInJSFile(signature.declaration)
          );
        }
        function getImplementationSignature(signature) {
          return signature.typeParameters ? signature.implementationSignatureCache || (signature.implementationSignatureCache = createImplementationSignature(signature)) : signature;
        }
        function createImplementationSignature(signature) {
          return signature.typeParameters ? instantiateSignature(signature, createTypeMapper([], [])) : signature;
        }
        function getBaseSignature(signature) {
          const typeParameters = signature.typeParameters;
          if (typeParameters) {
            if (signature.baseSignatureCache) {
              return signature.baseSignatureCache;
            }
            const typeEraser = createTypeEraser(typeParameters);
            const baseConstraintMapper = createTypeMapper(typeParameters, map(typeParameters, (tp) => getConstraintOfTypeParameter(tp) || unknownType2));
            let baseConstraints = map(typeParameters, (tp) => instantiateType(tp, baseConstraintMapper) || unknownType2);
            for (let i = 0; i < typeParameters.length - 1; i++) {
              baseConstraints = instantiateTypes(baseConstraints, baseConstraintMapper);
            }
            baseConstraints = instantiateTypes(baseConstraints, typeEraser);
            return signature.baseSignatureCache = instantiateSignature(
              signature,
              createTypeMapper(typeParameters, baseConstraints),
              /*eraseTypeParameters*/
              true
            );
          }
          return signature;
        }
        function getOrCreateTypeFromSignature(signature, outerTypeParameters) {
          var _a;
          if (!signature.isolatedSignatureType) {
            const kind = (_a = signature.declaration) == null ? void 0 : _a.kind;
            const isConstructor = kind === void 0 || kind === 176 || kind === 180 || kind === 185;
            const type = createObjectType(16 | 134217728, createSymbol(
              16,
              "__function"
              /* Function */
            ));
            if (signature.declaration && !nodeIsSynthesized(signature.declaration)) {
              type.symbol.declarations = [signature.declaration];
              type.symbol.valueDeclaration = signature.declaration;
            }
            outerTypeParameters || (outerTypeParameters = signature.declaration && getOuterTypeParameters(
              signature.declaration,
              /*includeThisTypes*/
              true
            ));
            type.outerTypeParameters = outerTypeParameters;
            type.members = emptySymbols;
            type.properties = emptyArray;
            type.callSignatures = !isConstructor ? [signature] : emptyArray;
            type.constructSignatures = isConstructor ? [signature] : emptyArray;
            type.indexInfos = emptyArray;
            signature.isolatedSignatureType = type;
          }
          return signature.isolatedSignatureType;
        }
        function getIndexSymbol(symbol) {
          return symbol.members ? getIndexSymbolFromSymbolTable(symbol.members) : void 0;
        }
        function getIndexSymbolFromSymbolTable(symbolTable) {
          return symbolTable.get(
            "__index"
            /* Index */
          );
        }
        function createIndexInfo(keyType, type, isReadonly, declaration) {
          return { keyType, type, isReadonly, declaration };
        }
        function getIndexInfosOfSymbol(symbol) {
          const indexSymbol = getIndexSymbol(symbol);
          return indexSymbol ? getIndexInfosOfIndexSymbol(indexSymbol) : emptyArray;
        }
        function getIndexInfosOfIndexSymbol(indexSymbol) {
          if (indexSymbol.declarations) {
            const indexInfos = [];
            for (const declaration of indexSymbol.declarations) {
              if (declaration.parameters.length === 1) {
                const parameter = declaration.parameters[0];
                if (parameter.type) {
                  forEachType(getTypeFromTypeNode(parameter.type), (keyType) => {
                    if (isValidIndexKeyType(keyType) && !findIndexInfo(indexInfos, keyType)) {
                      indexInfos.push(createIndexInfo(keyType, declaration.type ? getTypeFromTypeNode(declaration.type) : anyType2, hasEffectiveModifier(
                        declaration,
                        8
                        /* Readonly */
                      ), declaration));
                    }
                  });
                }
              }
            }
            return indexInfos;
          }
          return emptyArray;
        }
        function isValidIndexKeyType(type) {
          return !!(type.flags & (4 | 8 | 4096)) || isPatternLiteralType(type) || !!(type.flags & 2097152) && !isGenericType(type) && some(type.types, isValidIndexKeyType);
        }
        function getConstraintDeclaration(type) {
          return mapDefined(filter(type.symbol && type.symbol.declarations, isTypeParameterDeclaration), getEffectiveConstraintOfTypeParameter)[0];
        }
        function getInferredTypeParameterConstraint(typeParameter, omitTypeReferences) {
          var _a;
          let inferences;
          if ((_a = typeParameter.symbol) == null ? void 0 : _a.declarations) {
            for (const declaration of typeParameter.symbol.declarations) {
              if (declaration.parent.kind === 195) {
                const [childTypeParameter = declaration.parent, grandParent] = walkUpParenthesizedTypesAndGetParentAndChild(declaration.parent.parent);
                if (grandParent.kind === 183 && !omitTypeReferences) {
                  const typeReference = grandParent;
                  const typeParameters = getTypeParametersForTypeReferenceOrImport(typeReference);
                  if (typeParameters) {
                    const index = typeReference.typeArguments.indexOf(childTypeParameter);
                    if (index < typeParameters.length) {
                      const declaredConstraint = getConstraintOfTypeParameter(typeParameters[index]);
                      if (declaredConstraint) {
                        const mapper = makeDeferredTypeMapper(
                          typeParameters,
                          typeParameters.map((_, index2) => () => {
                            return getEffectiveTypeArgumentAtIndex(typeReference, typeParameters, index2);
                          })
                        );
                        const constraint = instantiateType(declaredConstraint, mapper);
                        if (constraint !== typeParameter) {
                          inferences = append(inferences, constraint);
                        }
                      }
                    }
                  }
                } else if (grandParent.kind === 169 && grandParent.dotDotDotToken || grandParent.kind === 191 || grandParent.kind === 202 && grandParent.dotDotDotToken) {
                  inferences = append(inferences, createArrayType(unknownType2));
                } else if (grandParent.kind === 204) {
                  inferences = append(inferences, stringType2);
                } else if (grandParent.kind === 168 && grandParent.parent.kind === 200) {
                  inferences = append(inferences, stringNumberSymbolType);
                } else if (grandParent.kind === 200 && grandParent.type && skipParentheses(grandParent.type) === declaration.parent && grandParent.parent.kind === 194 && grandParent.parent.extendsType === grandParent && grandParent.parent.checkType.kind === 200 && grandParent.parent.checkType.type) {
                  const checkMappedType2 = grandParent.parent.checkType;
                  const nodeType = getTypeFromTypeNode(checkMappedType2.type);
                  inferences = append(inferences, instantiateType(nodeType, makeUnaryTypeMapper(getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(checkMappedType2.typeParameter)), checkMappedType2.typeParameter.constraint ? getTypeFromTypeNode(checkMappedType2.typeParameter.constraint) : stringNumberSymbolType)));
                }
              }
            }
          }
          return inferences && getIntersectionType(inferences);
        }
        function getConstraintFromTypeParameter(typeParameter) {
          if (!typeParameter.constraint) {
            if (typeParameter.target) {
              const targetConstraint = getConstraintOfTypeParameter(typeParameter.target);
              typeParameter.constraint = targetConstraint ? instantiateType(targetConstraint, typeParameter.mapper) : noConstraintType;
            } else {
              const constraintDeclaration = getConstraintDeclaration(typeParameter);
              if (!constraintDeclaration) {
                typeParameter.constraint = getInferredTypeParameterConstraint(typeParameter) || noConstraintType;
              } else {
                let type = getTypeFromTypeNode(constraintDeclaration);
                if (type.flags & 1 && !isErrorType(type)) {
                  type = constraintDeclaration.parent.parent.kind === 200 ? stringNumberSymbolType : unknownType2;
                }
                typeParameter.constraint = type;
              }
            }
          }
          return typeParameter.constraint === noConstraintType ? void 0 : typeParameter.constraint;
        }
        function getParentSymbolOfTypeParameter(typeParameter) {
          const tp = getDeclarationOfKind(
            typeParameter.symbol,
            168
            /* TypeParameter */
          );
          const host2 = isJSDocTemplateTag(tp.parent) ? getEffectiveContainerForJSDocTemplateTag(tp.parent) : tp.parent;
          return host2 && getSymbolOfNode(host2);
        }
        function getTypeListId(types) {
          let result = "";
          if (types) {
            const length2 = types.length;
            let i = 0;
            while (i < length2) {
              const startId = types[i].id;
              let count = 1;
              while (i + count < length2 && types[i + count].id === startId + count) {
                count++;
              }
              if (result.length) {
                result += ",";
              }
              result += startId;
              if (count > 1) {
                result += ":" + count;
              }
              i += count;
            }
          }
          return result;
        }
        function getAliasId(aliasSymbol, aliasTypeArguments) {
          return aliasSymbol ? `@${getSymbolId(aliasSymbol)}` + (aliasTypeArguments ? `:${getTypeListId(aliasTypeArguments)}` : "") : "";
        }
        function getPropagatingFlagsOfTypes(types, excludeKinds) {
          let result = 0;
          for (const type of types) {
            if (excludeKinds === void 0 || !(type.flags & excludeKinds)) {
              result |= getObjectFlags(type);
            }
          }
          return result & 458752;
        }
        function tryCreateTypeReference(target, typeArguments) {
          if (some(typeArguments) && target === emptyGenericType) {
            return unknownType2;
          }
          return createTypeReference(target, typeArguments);
        }
        function createTypeReference(target, typeArguments) {
          const id = getTypeListId(typeArguments);
          let type = target.instantiations.get(id);
          if (!type) {
            type = createObjectType(4, target.symbol);
            target.instantiations.set(id, type);
            type.objectFlags |= typeArguments ? getPropagatingFlagsOfTypes(typeArguments) : 0;
            type.target = target;
            type.resolvedTypeArguments = typeArguments;
          }
          return type;
        }
        function cloneTypeReference(source) {
          const type = createTypeWithSymbol(source.flags, source.symbol);
          type.objectFlags = source.objectFlags;
          type.target = source.target;
          type.resolvedTypeArguments = source.resolvedTypeArguments;
          return type;
        }
        function createDeferredTypeReference(target, node, mapper, aliasSymbol, aliasTypeArguments) {
          if (!aliasSymbol) {
            aliasSymbol = getAliasSymbolForTypeNode(node);
            const localAliasTypeArguments = getTypeArgumentsForAliasSymbol(aliasSymbol);
            aliasTypeArguments = mapper ? instantiateTypes(localAliasTypeArguments, mapper) : localAliasTypeArguments;
          }
          const type = createObjectType(4, target.symbol);
          type.target = target;
          type.node = node;
          type.mapper = mapper;
          type.aliasSymbol = aliasSymbol;
          type.aliasTypeArguments = aliasTypeArguments;
          return type;
        }
        function getTypeArguments(type) {
          var _a, _b;
          if (!type.resolvedTypeArguments) {
            if (!pushTypeResolution(
              type,
              5
              /* ResolvedTypeArguments */
            )) {
              return ((_a = type.target.localTypeParameters) == null ? void 0 : _a.map(() => errorType)) || emptyArray;
            }
            const node = type.node;
            const typeArguments = !node ? emptyArray : node.kind === 183 ? concatenate(type.target.outerTypeParameters, getEffectiveTypeArguments2(node, type.target.localTypeParameters)) : node.kind === 188 ? [getTypeFromTypeNode(node.elementType)] : map(node.elements, getTypeFromTypeNode);
            if (popTypeResolution()) {
              type.resolvedTypeArguments ?? (type.resolvedTypeArguments = type.mapper ? instantiateTypes(typeArguments, type.mapper) : typeArguments);
            } else {
              type.resolvedTypeArguments ?? (type.resolvedTypeArguments = ((_b = type.target.localTypeParameters) == null ? void 0 : _b.map(() => errorType)) || emptyArray);
              error2(
                type.node || currentNode,
                type.target.symbol ? Diagnostics.Type_arguments_for_0_circularly_reference_themselves : Diagnostics.Tuple_type_arguments_circularly_reference_themselves,
                type.target.symbol && symbolToString2(type.target.symbol)
              );
            }
          }
          return type.resolvedTypeArguments;
        }
        function getTypeReferenceArity(type) {
          return length(type.target.typeParameters);
        }
        function getTypeFromClassOrInterfaceReference(node, symbol) {
          const type = getDeclaredTypeOfSymbol(getMergedSymbol(symbol));
          const typeParameters = type.localTypeParameters;
          if (typeParameters) {
            const numTypeArguments = length(node.typeArguments);
            const minTypeArgumentCount = getMinTypeArgumentCount(typeParameters);
            const isJs = isInJSFile(node);
            const isJsImplicitAny = !noImplicitAny && isJs;
            if (!isJsImplicitAny && (numTypeArguments < minTypeArgumentCount || numTypeArguments > typeParameters.length)) {
              const missingAugmentsTag = isJs && isExpressionWithTypeArguments(node) && !isJSDocAugmentsTag(node.parent);
              const diag2 = minTypeArgumentCount === typeParameters.length ? missingAugmentsTag ? Diagnostics.Expected_0_type_arguments_provide_these_with_an_extends_tag : Diagnostics.Generic_type_0_requires_1_type_argument_s : missingAugmentsTag ? Diagnostics.Expected_0_1_type_arguments_provide_these_with_an_extends_tag : Diagnostics.Generic_type_0_requires_between_1_and_2_type_arguments;
              const typeStr = typeToString(
                type,
                /*enclosingDeclaration*/
                void 0,
                2
                /* WriteArrayAsGenericType */
              );
              error2(node, diag2, typeStr, minTypeArgumentCount, typeParameters.length);
              if (!isJs) {
                return errorType;
              }
            }
            if (node.kind === 183 && isDeferredTypeReferenceNode(node, length(node.typeArguments) !== typeParameters.length)) {
              return createDeferredTypeReference(
                type,
                node,
                /*mapper*/
                void 0
              );
            }
            const typeArguments = concatenate(type.outerTypeParameters, fillMissingTypeArguments(typeArgumentsFromTypeReferenceNode(node), typeParameters, minTypeArgumentCount, isJs));
            return createTypeReference(type, typeArguments);
          }
          return checkNoTypeArguments(node, symbol) ? type : errorType;
        }
        function getTypeAliasInstantiation(symbol, typeArguments, aliasSymbol, aliasTypeArguments) {
          const type = getDeclaredTypeOfSymbol(symbol);
          if (type === intrinsicMarkerType) {
            const typeKind = intrinsicTypeKinds.get(symbol.escapedName);
            if (typeKind !== void 0 && typeArguments && typeArguments.length === 1) {
              return typeKind === 4 ? getNoInferType(typeArguments[0]) : getStringMappingType(symbol, typeArguments[0]);
            }
          }
          const links = getSymbolLinks(symbol);
          const typeParameters = links.typeParameters;
          const id = getTypeListId(typeArguments) + getAliasId(aliasSymbol, aliasTypeArguments);
          let instantiation = links.instantiations.get(id);
          if (!instantiation) {
            links.instantiations.set(id, instantiation = instantiateTypeWithAlias(type, createTypeMapper(typeParameters, fillMissingTypeArguments(typeArguments, typeParameters, getMinTypeArgumentCount(typeParameters), isInJSFile(symbol.valueDeclaration))), aliasSymbol, aliasTypeArguments));
          }
          return instantiation;
        }
        function getTypeFromTypeAliasReference(node, symbol) {
          if (getCheckFlags(symbol) & 1048576) {
            const typeArguments = typeArgumentsFromTypeReferenceNode(node);
            const id = getAliasId(symbol, typeArguments);
            let errorType2 = errorTypes.get(id);
            if (!errorType2) {
              errorType2 = createIntrinsicType(
                1,
                "error",
                /*objectFlags*/
                void 0,
                `alias ${id}`
              );
              errorType2.aliasSymbol = symbol;
              errorType2.aliasTypeArguments = typeArguments;
              errorTypes.set(id, errorType2);
            }
            return errorType2;
          }
          const type = getDeclaredTypeOfSymbol(symbol);
          const typeParameters = getSymbolLinks(symbol).typeParameters;
          if (typeParameters) {
            const numTypeArguments = length(node.typeArguments);
            const minTypeArgumentCount = getMinTypeArgumentCount(typeParameters);
            if (numTypeArguments < minTypeArgumentCount || numTypeArguments > typeParameters.length) {
              error2(
                node,
                minTypeArgumentCount === typeParameters.length ? Diagnostics.Generic_type_0_requires_1_type_argument_s : Diagnostics.Generic_type_0_requires_between_1_and_2_type_arguments,
                symbolToString2(symbol),
                minTypeArgumentCount,
                typeParameters.length
              );
              return errorType;
            }
            const aliasSymbol = getAliasSymbolForTypeNode(node);
            let newAliasSymbol = aliasSymbol && (isLocalTypeAlias(symbol) || !isLocalTypeAlias(aliasSymbol)) ? aliasSymbol : void 0;
            let aliasTypeArguments;
            if (newAliasSymbol) {
              aliasTypeArguments = getTypeArgumentsForAliasSymbol(newAliasSymbol);
            } else if (isTypeReferenceType(node)) {
              const aliasSymbol2 = resolveTypeReferenceName(
                node,
                2097152,
                /*ignoreErrors*/
                true
              );
              if (aliasSymbol2 && aliasSymbol2 !== unknownSymbol) {
                const resolved = resolveAlias(aliasSymbol2);
                if (resolved && resolved.flags & 524288) {
                  newAliasSymbol = resolved;
                  aliasTypeArguments = typeArgumentsFromTypeReferenceNode(node) || (typeParameters ? [] : void 0);
                }
              }
            }
            return getTypeAliasInstantiation(symbol, typeArgumentsFromTypeReferenceNode(node), newAliasSymbol, aliasTypeArguments);
          }
          return checkNoTypeArguments(node, symbol) ? type : errorType;
        }
        function isLocalTypeAlias(symbol) {
          var _a;
          const declaration = (_a = symbol.declarations) == null ? void 0 : _a.find(isTypeAlias);
          return !!(declaration && getContainingFunction(declaration));
        }
        function getTypeReferenceName(node) {
          switch (node.kind) {
            case 183:
              return node.typeName;
            case 233:
              const expr = node.expression;
              if (isEntityNameExpression(expr)) {
                return expr;
              }
          }
          return void 0;
        }
        function getSymbolPath(symbol) {
          return symbol.parent ? `${getSymbolPath(symbol.parent)}.${symbol.escapedName}` : symbol.escapedName;
        }
        function getUnresolvedSymbolForEntityName(name) {
          const identifier = name.kind === 166 ? name.right : name.kind === 211 ? name.name : name;
          const text = identifier.escapedText;
          if (text) {
            const parentSymbol = name.kind === 166 ? getUnresolvedSymbolForEntityName(name.left) : name.kind === 211 ? getUnresolvedSymbolForEntityName(name.expression) : void 0;
            const path17 = parentSymbol ? `${getSymbolPath(parentSymbol)}.${text}` : text;
            let result = unresolvedSymbols.get(path17);
            if (!result) {
              unresolvedSymbols.set(path17, result = createSymbol(
                524288,
                text,
                1048576
                /* Unresolved */
              ));
              result.parent = parentSymbol;
              result.links.declaredType = unresolvedType;
            }
            return result;
          }
          return unknownSymbol;
        }
        function resolveTypeReferenceName(typeReference, meaning, ignoreErrors) {
          const name = getTypeReferenceName(typeReference);
          if (!name) {
            return unknownSymbol;
          }
          const symbol = resolveEntityName(name, meaning, ignoreErrors);
          return symbol && symbol !== unknownSymbol ? symbol : ignoreErrors ? unknownSymbol : getUnresolvedSymbolForEntityName(name);
        }
        function getTypeReferenceType(node, symbol) {
          if (symbol === unknownSymbol) {
            return errorType;
          }
          symbol = getExpandoSymbol(symbol) || symbol;
          if (symbol.flags & (32 | 64)) {
            return getTypeFromClassOrInterfaceReference(node, symbol);
          }
          if (symbol.flags & 524288) {
            return getTypeFromTypeAliasReference(node, symbol);
          }
          const res = tryGetDeclaredTypeOfSymbol(symbol);
          if (res) {
            return checkNoTypeArguments(node, symbol) ? getRegularTypeOfLiteralType(res) : errorType;
          }
          if (symbol.flags & 111551 && isJSDocTypeReference(node)) {
            const jsdocType = getTypeFromJSDocValueReference(node, symbol);
            if (jsdocType) {
              return jsdocType;
            } else {
              resolveTypeReferenceName(
                node,
                788968
                /* Type */
              );
              return getTypeOfSymbol(symbol);
            }
          }
          return errorType;
        }
        function getTypeFromJSDocValueReference(node, symbol) {
          const links = getNodeLinks(node);
          if (!links.resolvedJSDocType) {
            const valueType = getTypeOfSymbol(symbol);
            let typeType = valueType;
            if (symbol.valueDeclaration) {
              const isImportTypeWithQualifier = node.kind === 205 && node.qualifier;
              if (valueType.symbol && valueType.symbol !== symbol && isImportTypeWithQualifier) {
                typeType = getTypeReferenceType(node, valueType.symbol);
              }
            }
            links.resolvedJSDocType = typeType;
          }
          return links.resolvedJSDocType;
        }
        function getNoInferType(type) {
          return isNoInferTargetType(type) ? getOrCreateSubstitutionType(type, unknownType2) : type;
        }
        function isNoInferTargetType(type) {
          return !!(type.flags & 3145728 && some(type.types, isNoInferTargetType) || type.flags & 33554432 && !isNoInferType(type) && isNoInferTargetType(type.baseType) || type.flags & 524288 && !isEmptyAnonymousObjectType(type) || type.flags & (465829888 & ~33554432) && !isPatternLiteralType(type));
        }
        function isNoInferType(type) {
          return !!(type.flags & 33554432 && type.constraint.flags & 2);
        }
        function getSubstitutionType(baseType, constraint) {
          return constraint.flags & 3 || constraint === baseType || baseType.flags & 1 ? baseType : getOrCreateSubstitutionType(baseType, constraint);
        }
        function getOrCreateSubstitutionType(baseType, constraint) {
          const id = `${getTypeId(baseType)}>${getTypeId(constraint)}`;
          const cached = substitutionTypes.get(id);
          if (cached) {
            return cached;
          }
          const result = createType(
            33554432
            /* Substitution */
          );
          result.baseType = baseType;
          result.constraint = constraint;
          substitutionTypes.set(id, result);
          return result;
        }
        function getSubstitutionIntersection(substitutionType) {
          return isNoInferType(substitutionType) ? substitutionType.baseType : getIntersectionType([substitutionType.constraint, substitutionType.baseType]);
        }
        function isUnaryTupleTypeNode(node) {
          return node.kind === 189 && node.elements.length === 1;
        }
        function getImpliedConstraint(type, checkNode2, extendsNode) {
          return isUnaryTupleTypeNode(checkNode2) && isUnaryTupleTypeNode(extendsNode) ? getImpliedConstraint(type, checkNode2.elements[0], extendsNode.elements[0]) : getActualTypeVariable(getTypeFromTypeNode(checkNode2)) === getActualTypeVariable(type) ? getTypeFromTypeNode(extendsNode) : void 0;
        }
        function getConditionalFlowTypeOfType(type, node) {
          let constraints;
          let covariant = true;
          while (node && !isStatement(node) && node.kind !== 320) {
            const parent2 = node.parent;
            if (parent2.kind === 169) {
              covariant = !covariant;
            }
            if ((covariant || type.flags & 8650752) && parent2.kind === 194 && node === parent2.trueType) {
              const constraint = getImpliedConstraint(type, parent2.checkType, parent2.extendsType);
              if (constraint) {
                constraints = append(constraints, constraint);
              }
            } else if (type.flags & 262144 && parent2.kind === 200 && !parent2.nameType && node === parent2.type) {
              const mappedType = getTypeFromTypeNode(parent2);
              if (getTypeParameterFromMappedType(mappedType) === getActualTypeVariable(type)) {
                const typeParameter = getHomomorphicTypeVariable(mappedType);
                if (typeParameter) {
                  const constraint = getConstraintOfTypeParameter(typeParameter);
                  if (constraint && everyType(constraint, isArrayOrTupleType)) {
                    constraints = append(constraints, getUnionType([numberType2, numericStringType]));
                  }
                }
              }
            }
            node = parent2;
          }
          return constraints ? getSubstitutionType(type, getIntersectionType(constraints)) : type;
        }
        function isJSDocTypeReference(node) {
          return !!(node.flags & 16777216) && (node.kind === 183 || node.kind === 205);
        }
        function checkNoTypeArguments(node, symbol) {
          if (node.typeArguments) {
            error2(node, Diagnostics.Type_0_is_not_generic, symbol ? symbolToString2(symbol) : node.typeName ? declarationNameToString(node.typeName) : anon);
            return false;
          }
          return true;
        }
        function getIntendedTypeFromJSDocTypeReference(node) {
          if (isIdentifier(node.typeName)) {
            const typeArgs = node.typeArguments;
            switch (node.typeName.escapedText) {
              case "String":
                checkNoTypeArguments(node);
                return stringType2;
              case "Number":
                checkNoTypeArguments(node);
                return numberType2;
              case "Boolean":
                checkNoTypeArguments(node);
                return booleanType2;
              case "Void":
                checkNoTypeArguments(node);
                return voidType2;
              case "Undefined":
                checkNoTypeArguments(node);
                return undefinedType2;
              case "Null":
                checkNoTypeArguments(node);
                return nullType2;
              case "Function":
              case "function":
                checkNoTypeArguments(node);
                return globalFunctionType;
              case "array":
                return (!typeArgs || !typeArgs.length) && !noImplicitAny ? anyArrayType : void 0;
              case "promise":
                return (!typeArgs || !typeArgs.length) && !noImplicitAny ? createPromiseType(anyType2) : void 0;
              case "Object":
                if (typeArgs && typeArgs.length === 2) {
                  if (isJSDocIndexSignature(node)) {
                    const indexed = getTypeFromTypeNode(typeArgs[0]);
                    const target = getTypeFromTypeNode(typeArgs[1]);
                    const indexInfo = indexed === stringType2 || indexed === numberType2 ? [createIndexInfo(
                      indexed,
                      target,
                      /*isReadonly*/
                      false
                    )] : emptyArray;
                    return createAnonymousType(
                      /*symbol*/
                      void 0,
                      emptySymbols,
                      emptyArray,
                      emptyArray,
                      indexInfo
                    );
                  }
                  return anyType2;
                }
                checkNoTypeArguments(node);
                return !noImplicitAny ? anyType2 : void 0;
            }
          }
        }
        function getTypeFromJSDocNullableTypeNode(node) {
          const type = getTypeFromTypeNode(node.type);
          return strictNullChecks ? getNullableType(
            type,
            65536
            /* Null */
          ) : type;
        }
        function getTypeFromTypeReference(node) {
          const links = getNodeLinks(node);
          if (!links.resolvedType) {
            if (isConstTypeReference(node) && isAssertionExpression(node.parent)) {
              links.resolvedSymbol = unknownSymbol;
              return links.resolvedType = checkExpressionCached(node.parent.expression);
            }
            let symbol;
            let type;
            const meaning = 788968;
            if (isJSDocTypeReference(node)) {
              type = getIntendedTypeFromJSDocTypeReference(node);
              if (!type) {
                symbol = resolveTypeReferenceName(
                  node,
                  meaning,
                  /*ignoreErrors*/
                  true
                );
                if (symbol === unknownSymbol) {
                  symbol = resolveTypeReferenceName(
                    node,
                    meaning | 111551
                    /* Value */
                  );
                } else {
                  resolveTypeReferenceName(node, meaning);
                }
                type = getTypeReferenceType(node, symbol);
              }
            }
            if (!type) {
              symbol = resolveTypeReferenceName(node, meaning);
              type = getTypeReferenceType(node, symbol);
            }
            links.resolvedSymbol = symbol;
            links.resolvedType = type;
          }
          return links.resolvedType;
        }
        function typeArgumentsFromTypeReferenceNode(node) {
          return map(node.typeArguments, getTypeFromTypeNode);
        }
        function getTypeFromTypeQueryNode(node) {
          const links = getNodeLinks(node);
          if (!links.resolvedType) {
            const type = checkExpressionWithTypeArguments(node);
            links.resolvedType = getRegularTypeOfLiteralType(getWidenedType(type));
          }
          return links.resolvedType;
        }
        function getTypeOfGlobalSymbol(symbol, arity) {
          function getTypeDeclaration(symbol2) {
            const declarations = symbol2.declarations;
            if (declarations) {
              for (const declaration of declarations) {
                switch (declaration.kind) {
                  case 263:
                  case 264:
                  case 266:
                    return declaration;
                }
              }
            }
          }
          if (!symbol) {
            return arity ? emptyGenericType : emptyObjectType;
          }
          const type = getDeclaredTypeOfSymbol(symbol);
          if (!(type.flags & 524288)) {
            error2(getTypeDeclaration(symbol), Diagnostics.Global_type_0_must_be_a_class_or_interface_type, symbolName(symbol));
            return arity ? emptyGenericType : emptyObjectType;
          }
          if (length(type.typeParameters) !== arity) {
            error2(getTypeDeclaration(symbol), Diagnostics.Global_type_0_must_have_1_type_parameter_s, symbolName(symbol), arity);
            return arity ? emptyGenericType : emptyObjectType;
          }
          return type;
        }
        function getGlobalValueSymbol(name, reportErrors2) {
          return getGlobalSymbol(name, 111551, reportErrors2 ? Diagnostics.Cannot_find_global_value_0 : void 0);
        }
        function getGlobalTypeSymbol(name, reportErrors2) {
          return getGlobalSymbol(name, 788968, reportErrors2 ? Diagnostics.Cannot_find_global_type_0 : void 0);
        }
        function getGlobalTypeAliasSymbol(name, arity, reportErrors2) {
          const symbol = getGlobalSymbol(name, 788968, reportErrors2 ? Diagnostics.Cannot_find_global_type_0 : void 0);
          if (symbol) {
            getDeclaredTypeOfSymbol(symbol);
            if (length(getSymbolLinks(symbol).typeParameters) !== arity) {
              const decl = symbol.declarations && find(symbol.declarations, isTypeAliasDeclaration);
              error2(decl, Diagnostics.Global_type_0_must_have_1_type_parameter_s, symbolName(symbol), arity);
              return void 0;
            }
          }
          return symbol;
        }
        function getGlobalSymbol(name, meaning, diagnostic) {
          return resolveName(
            /*location*/
            void 0,
            name,
            meaning,
            diagnostic,
            /*isUse*/
            false,
            /*excludeGlobals*/
            false
          );
        }
        function getGlobalType(name, arity, reportErrors2) {
          const symbol = getGlobalTypeSymbol(name, reportErrors2);
          return symbol || reportErrors2 ? getTypeOfGlobalSymbol(symbol, arity) : void 0;
        }
        function getGlobalTypedPropertyDescriptorType() {
          return deferredGlobalTypedPropertyDescriptorType || (deferredGlobalTypedPropertyDescriptorType = getGlobalType(
            "TypedPropertyDescriptor",
            /*arity*/
            1,
            /*reportErrors*/
            true
          ) || emptyGenericType);
        }
        function getGlobalTemplateStringsArrayType() {
          return deferredGlobalTemplateStringsArrayType || (deferredGlobalTemplateStringsArrayType = getGlobalType(
            "TemplateStringsArray",
            /*arity*/
            0,
            /*reportErrors*/
            true
          ) || emptyObjectType);
        }
        function getGlobalImportMetaType() {
          return deferredGlobalImportMetaType || (deferredGlobalImportMetaType = getGlobalType(
            "ImportMeta",
            /*arity*/
            0,
            /*reportErrors*/
            true
          ) || emptyObjectType);
        }
        function getGlobalImportMetaExpressionType() {
          if (!deferredGlobalImportMetaExpressionType) {
            const symbol = createSymbol(0, "ImportMetaExpression");
            const importMetaType = getGlobalImportMetaType();
            const metaPropertySymbol = createSymbol(
              4,
              "meta",
              8
              /* Readonly */
            );
            metaPropertySymbol.parent = symbol;
            metaPropertySymbol.links.type = importMetaType;
            const members = createSymbolTable([metaPropertySymbol]);
            symbol.members = members;
            deferredGlobalImportMetaExpressionType = createAnonymousType(symbol, members, emptyArray, emptyArray, emptyArray);
          }
          return deferredGlobalImportMetaExpressionType;
        }
        function getGlobalImportCallOptionsType(reportErrors2) {
          return deferredGlobalImportCallOptionsType || (deferredGlobalImportCallOptionsType = getGlobalType(
            "ImportCallOptions",
            /*arity*/
            0,
            reportErrors2
          )) || emptyObjectType;
        }
        function getGlobalImportAttributesType(reportErrors2) {
          return deferredGlobalImportAttributesType || (deferredGlobalImportAttributesType = getGlobalType(
            "ImportAttributes",
            /*arity*/
            0,
            reportErrors2
          )) || emptyObjectType;
        }
        function getGlobalESSymbolConstructorSymbol(reportErrors2) {
          return deferredGlobalESSymbolConstructorSymbol || (deferredGlobalESSymbolConstructorSymbol = getGlobalValueSymbol("Symbol", reportErrors2));
        }
        function getGlobalESSymbolConstructorTypeSymbol(reportErrors2) {
          return deferredGlobalESSymbolConstructorTypeSymbol || (deferredGlobalESSymbolConstructorTypeSymbol = getGlobalTypeSymbol("SymbolConstructor", reportErrors2));
        }
        function getGlobalESSymbolType() {
          return deferredGlobalESSymbolType || (deferredGlobalESSymbolType = getGlobalType(
            "Symbol",
            /*arity*/
            0,
            /*reportErrors*/
            false
          )) || emptyObjectType;
        }
        function getGlobalPromiseType(reportErrors2) {
          return deferredGlobalPromiseType || (deferredGlobalPromiseType = getGlobalType(
            "Promise",
            /*arity*/
            1,
            reportErrors2
          )) || emptyGenericType;
        }
        function getGlobalPromiseLikeType(reportErrors2) {
          return deferredGlobalPromiseLikeType || (deferredGlobalPromiseLikeType = getGlobalType(
            "PromiseLike",
            /*arity*/
            1,
            reportErrors2
          )) || emptyGenericType;
        }
        function getGlobalPromiseConstructorSymbol(reportErrors2) {
          return deferredGlobalPromiseConstructorSymbol || (deferredGlobalPromiseConstructorSymbol = getGlobalValueSymbol("Promise", reportErrors2));
        }
        function getGlobalPromiseConstructorLikeType(reportErrors2) {
          return deferredGlobalPromiseConstructorLikeType || (deferredGlobalPromiseConstructorLikeType = getGlobalType(
            "PromiseConstructorLike",
            /*arity*/
            0,
            reportErrors2
          )) || emptyObjectType;
        }
        function getGlobalAsyncIterableType(reportErrors2) {
          return deferredGlobalAsyncIterableType || (deferredGlobalAsyncIterableType = getGlobalType(
            "AsyncIterable",
            /*arity*/
            1,
            reportErrors2
          )) || emptyGenericType;
        }
        function getGlobalAsyncIteratorType(reportErrors2) {
          return deferredGlobalAsyncIteratorType || (deferredGlobalAsyncIteratorType = getGlobalType(
            "AsyncIterator",
            /*arity*/
            3,
            reportErrors2
          )) || emptyGenericType;
        }
        function getGlobalAsyncIterableIteratorType(reportErrors2) {
          return deferredGlobalAsyncIterableIteratorType || (deferredGlobalAsyncIterableIteratorType = getGlobalType(
            "AsyncIterableIterator",
            /*arity*/
            1,
            reportErrors2
          )) || emptyGenericType;
        }
        function getGlobalAsyncGeneratorType(reportErrors2) {
          return deferredGlobalAsyncGeneratorType || (deferredGlobalAsyncGeneratorType = getGlobalType(
            "AsyncGenerator",
            /*arity*/
            3,
            reportErrors2
          )) || emptyGenericType;
        }
        function getGlobalIterableType(reportErrors2) {
          return deferredGlobalIterableType || (deferredGlobalIterableType = getGlobalType(
            "Iterable",
            /*arity*/
            1,
            reportErrors2
          )) || emptyGenericType;
        }
        function getGlobalIteratorType(reportErrors2) {
          return deferredGlobalIteratorType || (deferredGlobalIteratorType = getGlobalType(
            "Iterator",
            /*arity*/
            3,
            reportErrors2
          )) || emptyGenericType;
        }
        function getGlobalIterableIteratorType(reportErrors2) {
          return deferredGlobalIterableIteratorType || (deferredGlobalIterableIteratorType = getGlobalType(
            "IterableIterator",
            /*arity*/
            1,
            reportErrors2
          )) || emptyGenericType;
        }
        function getGlobalGeneratorType(reportErrors2) {
          return deferredGlobalGeneratorType || (deferredGlobalGeneratorType = getGlobalType(
            "Generator",
            /*arity*/
            3,
            reportErrors2
          )) || emptyGenericType;
        }
        function getGlobalIteratorYieldResultType(reportErrors2) {
          return deferredGlobalIteratorYieldResultType || (deferredGlobalIteratorYieldResultType = getGlobalType(
            "IteratorYieldResult",
            /*arity*/
            1,
            reportErrors2
          )) || emptyGenericType;
        }
        function getGlobalIteratorReturnResultType(reportErrors2) {
          return deferredGlobalIteratorReturnResultType || (deferredGlobalIteratorReturnResultType = getGlobalType(
            "IteratorReturnResult",
            /*arity*/
            1,
            reportErrors2
          )) || emptyGenericType;
        }
        function getGlobalDisposableType(reportErrors2) {
          return deferredGlobalDisposableType || (deferredGlobalDisposableType = getGlobalType(
            "Disposable",
            /*arity*/
            0,
            reportErrors2
          )) || emptyObjectType;
        }
        function getGlobalAsyncDisposableType(reportErrors2) {
          return deferredGlobalAsyncDisposableType || (deferredGlobalAsyncDisposableType = getGlobalType(
            "AsyncDisposable",
            /*arity*/
            0,
            reportErrors2
          )) || emptyObjectType;
        }
        function getGlobalTypeOrUndefined(name, arity = 0) {
          const symbol = getGlobalSymbol(
            name,
            788968,
            /*diagnostic*/
            void 0
          );
          return symbol && getTypeOfGlobalSymbol(symbol, arity);
        }
        function getGlobalExtractSymbol() {
          deferredGlobalExtractSymbol || (deferredGlobalExtractSymbol = getGlobalTypeAliasSymbol(
            "Extract",
            /*arity*/
            2,
            /*reportErrors*/
            true
          ) || unknownSymbol);
          return deferredGlobalExtractSymbol === unknownSymbol ? void 0 : deferredGlobalExtractSymbol;
        }
        function getGlobalOmitSymbol() {
          deferredGlobalOmitSymbol || (deferredGlobalOmitSymbol = getGlobalTypeAliasSymbol(
            "Omit",
            /*arity*/
            2,
            /*reportErrors*/
            true
          ) || unknownSymbol);
          return deferredGlobalOmitSymbol === unknownSymbol ? void 0 : deferredGlobalOmitSymbol;
        }
        function getGlobalAwaitedSymbol(reportErrors2) {
          deferredGlobalAwaitedSymbol || (deferredGlobalAwaitedSymbol = getGlobalTypeAliasSymbol(
            "Awaited",
            /*arity*/
            1,
            reportErrors2
          ) || (reportErrors2 ? unknownSymbol : void 0));
          return deferredGlobalAwaitedSymbol === unknownSymbol ? void 0 : deferredGlobalAwaitedSymbol;
        }
        function getGlobalBigIntType() {
          return deferredGlobalBigIntType || (deferredGlobalBigIntType = getGlobalType(
            "BigInt",
            /*arity*/
            0,
            /*reportErrors*/
            false
          )) || emptyObjectType;
        }
        function getGlobalClassDecoratorContextType(reportErrors2) {
          return deferredGlobalClassDecoratorContextType ?? (deferredGlobalClassDecoratorContextType = getGlobalType(
            "ClassDecoratorContext",
            /*arity*/
            1,
            reportErrors2
          )) ?? emptyGenericType;
        }
        function getGlobalClassMethodDecoratorContextType(reportErrors2) {
          return deferredGlobalClassMethodDecoratorContextType ?? (deferredGlobalClassMethodDecoratorContextType = getGlobalType(
            "ClassMethodDecoratorContext",
            /*arity*/
            2,
            reportErrors2
          )) ?? emptyGenericType;
        }
        function getGlobalClassGetterDecoratorContextType(reportErrors2) {
          return deferredGlobalClassGetterDecoratorContextType ?? (deferredGlobalClassGetterDecoratorContextType = getGlobalType(
            "ClassGetterDecoratorContext",
            /*arity*/
            2,
            reportErrors2
          )) ?? emptyGenericType;
        }
        function getGlobalClassSetterDecoratorContextType(reportErrors2) {
          return deferredGlobalClassSetterDecoratorContextType ?? (deferredGlobalClassSetterDecoratorContextType = getGlobalType(
            "ClassSetterDecoratorContext",
            /*arity*/
            2,
            reportErrors2
          )) ?? emptyGenericType;
        }
        function getGlobalClassAccessorDecoratorContextType(reportErrors2) {
          return deferredGlobalClassAccessorDecoratorContextType ?? (deferredGlobalClassAccessorDecoratorContextType = getGlobalType(
            "ClassAccessorDecoratorContext",
            /*arity*/
            2,
            reportErrors2
          )) ?? emptyGenericType;
        }
        function getGlobalClassAccessorDecoratorTargetType(reportErrors2) {
          return deferredGlobalClassAccessorDecoratorTargetType ?? (deferredGlobalClassAccessorDecoratorTargetType = getGlobalType(
            "ClassAccessorDecoratorTarget",
            /*arity*/
            2,
            reportErrors2
          )) ?? emptyGenericType;
        }
        function getGlobalClassAccessorDecoratorResultType(reportErrors2) {
          return deferredGlobalClassAccessorDecoratorResultType ?? (deferredGlobalClassAccessorDecoratorResultType = getGlobalType(
            "ClassAccessorDecoratorResult",
            /*arity*/
            2,
            reportErrors2
          )) ?? emptyGenericType;
        }
        function getGlobalClassFieldDecoratorContextType(reportErrors2) {
          return deferredGlobalClassFieldDecoratorContextType ?? (deferredGlobalClassFieldDecoratorContextType = getGlobalType(
            "ClassFieldDecoratorContext",
            /*arity*/
            2,
            reportErrors2
          )) ?? emptyGenericType;
        }
        function getGlobalNaNSymbol() {
          return deferredGlobalNaNSymbol || (deferredGlobalNaNSymbol = getGlobalValueSymbol(
            "NaN",
            /*reportErrors*/
            false
          ));
        }
        function getGlobalRecordSymbol() {
          deferredGlobalRecordSymbol || (deferredGlobalRecordSymbol = getGlobalTypeAliasSymbol(
            "Record",
            /*arity*/
            2,
            /*reportErrors*/
            true
          ) || unknownSymbol);
          return deferredGlobalRecordSymbol === unknownSymbol ? void 0 : deferredGlobalRecordSymbol;
        }
        function createTypeFromGenericGlobalType(genericGlobalType, typeArguments) {
          return genericGlobalType !== emptyGenericType ? createTypeReference(genericGlobalType, typeArguments) : emptyObjectType;
        }
        function createTypedPropertyDescriptorType(propertyType) {
          return createTypeFromGenericGlobalType(getGlobalTypedPropertyDescriptorType(), [propertyType]);
        }
        function createIterableType(iteratedType) {
          return createTypeFromGenericGlobalType(getGlobalIterableType(
            /*reportErrors*/
            true
          ), [iteratedType]);
        }
        function createArrayType(elementType, readonly) {
          return createTypeFromGenericGlobalType(readonly ? globalReadonlyArrayType : globalArrayType, [elementType]);
        }
        function getTupleElementFlags(node) {
          switch (node.kind) {
            case 190:
              return 2;
            case 191:
              return getRestTypeElementFlags(node);
            case 202:
              return node.questionToken ? 2 : node.dotDotDotToken ? getRestTypeElementFlags(node) : 1;
            default:
              return 1;
          }
        }
        function getRestTypeElementFlags(node) {
          return getArrayElementTypeNode(node.type) ? 4 : 8;
        }
        function getArrayOrTupleTargetType(node) {
          const readonly = isReadonlyTypeOperator(node.parent);
          const elementType = getArrayElementTypeNode(node);
          if (elementType) {
            return readonly ? globalReadonlyArrayType : globalArrayType;
          }
          const elementFlags = map(node.elements, getTupleElementFlags);
          return getTupleTargetType(elementFlags, readonly, map(node.elements, memberIfLabeledElementDeclaration));
        }
        function memberIfLabeledElementDeclaration(member) {
          return isNamedTupleMember(member) || isParameter(member) ? member : void 0;
        }
        function isDeferredTypeReferenceNode(node, hasDefaultTypeArguments) {
          return !!getAliasSymbolForTypeNode(node) || isResolvedByTypeAlias(node) && (node.kind === 188 ? mayResolveTypeAlias(node.elementType) : node.kind === 189 ? some(node.elements, mayResolveTypeAlias) : hasDefaultTypeArguments || some(node.typeArguments, mayResolveTypeAlias));
        }
        function isResolvedByTypeAlias(node) {
          const parent2 = node.parent;
          switch (parent2.kind) {
            case 196:
            case 202:
            case 183:
            case 192:
            case 193:
            case 199:
            case 194:
            case 198:
            case 188:
            case 189:
              return isResolvedByTypeAlias(parent2);
            case 265:
              return true;
          }
          return false;
        }
        function mayResolveTypeAlias(node) {
          switch (node.kind) {
            case 183:
              return isJSDocTypeReference(node) || !!(resolveTypeReferenceName(
                node,
                788968
                /* Type */
              ).flags & 524288);
            case 186:
              return true;
            case 198:
              return node.operator !== 158 && mayResolveTypeAlias(node.type);
            case 196:
            case 190:
            case 202:
            case 316:
            case 314:
            case 315:
            case 309:
              return mayResolveTypeAlias(node.type);
            case 191:
              return node.type.kind !== 188 || mayResolveTypeAlias(node.type.elementType);
            case 192:
            case 193:
              return some(node.types, mayResolveTypeAlias);
            case 199:
              return mayResolveTypeAlias(node.objectType) || mayResolveTypeAlias(node.indexType);
            case 194:
              return mayResolveTypeAlias(node.checkType) || mayResolveTypeAlias(node.extendsType) || mayResolveTypeAlias(node.trueType) || mayResolveTypeAlias(node.falseType);
          }
          return false;
        }
        function getTypeFromArrayOrTupleTypeNode(node) {
          const links = getNodeLinks(node);
          if (!links.resolvedType) {
            const target = getArrayOrTupleTargetType(node);
            if (target === emptyGenericType) {
              links.resolvedType = emptyObjectType;
            } else if (!(node.kind === 189 && some(node.elements, (e) => !!(getTupleElementFlags(e) & 8))) && isDeferredTypeReferenceNode(node)) {
              links.resolvedType = node.kind === 189 && node.elements.length === 0 ? target : createDeferredTypeReference(
                target,
                node,
                /*mapper*/
                void 0
              );
            } else {
              const elementTypes = node.kind === 188 ? [getTypeFromTypeNode(node.elementType)] : map(node.elements, getTypeFromTypeNode);
              links.resolvedType = createNormalizedTypeReference(target, elementTypes);
            }
          }
          return links.resolvedType;
        }
        function isReadonlyTypeOperator(node) {
          return isTypeOperatorNode(node) && node.operator === 148;
        }
        function createTupleType(elementTypes, elementFlags, readonly = false, namedMemberDeclarations = []) {
          const tupleTarget = getTupleTargetType(elementFlags || map(
            elementTypes,
            (_) => 1
            /* Required */
          ), readonly, namedMemberDeclarations);
          return tupleTarget === emptyGenericType ? emptyObjectType : elementTypes.length ? createNormalizedTypeReference(tupleTarget, elementTypes) : tupleTarget;
        }
        function getTupleTargetType(elementFlags, readonly, namedMemberDeclarations) {
          if (elementFlags.length === 1 && elementFlags[0] & 4) {
            return readonly ? globalReadonlyArrayType : globalArrayType;
          }
          const key = map(elementFlags, (f) => f & 1 ? "#" : f & 2 ? "?" : f & 4 ? "." : "*").join() + (readonly ? "R" : "") + (some(namedMemberDeclarations, (node) => !!node) ? "," + map(namedMemberDeclarations, (node) => node ? getNodeId(node) : "_").join(",") : "");
          let type = tupleTypes.get(key);
          if (!type) {
            tupleTypes.set(key, type = createTupleTargetType(elementFlags, readonly, namedMemberDeclarations));
          }
          return type;
        }
        function createTupleTargetType(elementFlags, readonly, namedMemberDeclarations) {
          const arity = elementFlags.length;
          const minLength = countWhere(elementFlags, (f) => !!(f & (1 | 8)));
          let typeParameters;
          const properties = [];
          let combinedFlags = 0;
          if (arity) {
            typeParameters = new Array(arity);
            for (let i = 0; i < arity; i++) {
              const typeParameter = typeParameters[i] = createTypeParameter();
              const flags = elementFlags[i];
              combinedFlags |= flags;
              if (!(combinedFlags & 12)) {
                const property = createSymbol(4 | (flags & 2 ? 16777216 : 0), "" + i, readonly ? 8 : 0);
                property.links.tupleLabelDeclaration = namedMemberDeclarations == null ? void 0 : namedMemberDeclarations[i];
                property.links.type = typeParameter;
                properties.push(property);
              }
            }
          }
          const fixedLength = properties.length;
          const lengthSymbol = createSymbol(4, "length", readonly ? 8 : 0);
          if (combinedFlags & 12) {
            lengthSymbol.links.type = numberType2;
          } else {
            const literalTypes = [];
            for (let i = minLength; i <= arity; i++) literalTypes.push(getNumberLiteralType(i));
            lengthSymbol.links.type = getUnionType(literalTypes);
          }
          properties.push(lengthSymbol);
          const type = createObjectType(
            8 | 4
            /* Reference */
          );
          type.typeParameters = typeParameters;
          type.outerTypeParameters = void 0;
          type.localTypeParameters = typeParameters;
          type.instantiations = /* @__PURE__ */ new Map();
          type.instantiations.set(getTypeListId(type.typeParameters), type);
          type.target = type;
          type.resolvedTypeArguments = type.typeParameters;
          type.thisType = createTypeParameter();
          type.thisType.isThisType = true;
          type.thisType.constraint = type;
          type.declaredProperties = properties;
          type.declaredCallSignatures = emptyArray;
          type.declaredConstructSignatures = emptyArray;
          type.declaredIndexInfos = emptyArray;
          type.elementFlags = elementFlags;
          type.minLength = minLength;
          type.fixedLength = fixedLength;
          type.hasRestElement = !!(combinedFlags & 12);
          type.combinedFlags = combinedFlags;
          type.readonly = readonly;
          type.labeledElementDeclarations = namedMemberDeclarations;
          return type;
        }
        function createNormalizedTypeReference(target, typeArguments) {
          return target.objectFlags & 8 ? createNormalizedTupleType(target, typeArguments) : createTypeReference(target, typeArguments);
        }
        function createNormalizedTupleType(target, elementTypes) {
          var _a, _b, _c, _d;
          if (!(target.combinedFlags & 14)) {
            return createTypeReference(target, elementTypes);
          }
          if (target.combinedFlags & 8) {
            const unionIndex = findIndex(elementTypes, (t, i) => !!(target.elementFlags[i] & 8 && t.flags & (131072 | 1048576)));
            if (unionIndex >= 0) {
              return checkCrossProductUnion(map(elementTypes, (t, i) => target.elementFlags[i] & 8 ? t : unknownType2)) ? mapType2(elementTypes[unionIndex], (t) => createNormalizedTupleType(target, replaceElement(elementTypes, unionIndex, t))) : errorType;
            }
          }
          const expandedTypes = [];
          const expandedFlags = [];
          const expandedDeclarations = [];
          let lastRequiredIndex = -1;
          let firstRestIndex = -1;
          let lastOptionalOrRestIndex = -1;
          for (let i = 0; i < elementTypes.length; i++) {
            const type = elementTypes[i];
            const flags = target.elementFlags[i];
            if (flags & 8) {
              if (type.flags & 1) {
                addElement(type, 4, (_a = target.labeledElementDeclarations) == null ? void 0 : _a[i]);
              } else if (type.flags & 58982400 || isGenericMappedType(type)) {
                addElement(type, 8, (_b = target.labeledElementDeclarations) == null ? void 0 : _b[i]);
              } else if (isTupleType(type)) {
                const elements = getElementTypes(type);
                if (elements.length + expandedTypes.length >= 1e4) {
                  error2(
                    currentNode,
                    isPartOfTypeNode(currentNode) ? Diagnostics.Type_produces_a_tuple_type_that_is_too_large_to_represent : Diagnostics.Expression_produces_a_tuple_type_that_is_too_large_to_represent
                  );
                  return errorType;
                }
                forEach(elements, (t, n) => {
                  var _a2;
                  return addElement(t, type.target.elementFlags[n], (_a2 = type.target.labeledElementDeclarations) == null ? void 0 : _a2[n]);
                });
              } else {
                addElement(isArrayLikeType(type) && getIndexTypeOfType(type, numberType2) || errorType, 4, (_c = target.labeledElementDeclarations) == null ? void 0 : _c[i]);
              }
            } else {
              addElement(type, flags, (_d = target.labeledElementDeclarations) == null ? void 0 : _d[i]);
            }
          }
          for (let i = 0; i < lastRequiredIndex; i++) {
            if (expandedFlags[i] & 2) expandedFlags[i] = 1;
          }
          if (firstRestIndex >= 0 && firstRestIndex < lastOptionalOrRestIndex) {
            expandedTypes[firstRestIndex] = getUnionType(sameMap(expandedTypes.slice(firstRestIndex, lastOptionalOrRestIndex + 1), (t, i) => expandedFlags[firstRestIndex + i] & 8 ? getIndexedAccessType(t, numberType2) : t));
            expandedTypes.splice(firstRestIndex + 1, lastOptionalOrRestIndex - firstRestIndex);
            expandedFlags.splice(firstRestIndex + 1, lastOptionalOrRestIndex - firstRestIndex);
            expandedDeclarations.splice(firstRestIndex + 1, lastOptionalOrRestIndex - firstRestIndex);
          }
          const tupleTarget = getTupleTargetType(expandedFlags, target.readonly, expandedDeclarations);
          return tupleTarget === emptyGenericType ? emptyObjectType : expandedFlags.length ? createTypeReference(tupleTarget, expandedTypes) : tupleTarget;
          function addElement(type, flags, declaration) {
            if (flags & 1) {
              lastRequiredIndex = expandedFlags.length;
            }
            if (flags & 4 && firstRestIndex < 0) {
              firstRestIndex = expandedFlags.length;
            }
            if (flags & (2 | 4)) {
              lastOptionalOrRestIndex = expandedFlags.length;
            }
            expandedTypes.push(flags & 2 ? addOptionality(
              type,
              /*isProperty*/
              true
            ) : type);
            expandedFlags.push(flags);
            expandedDeclarations.push(declaration);
          }
        }
        function sliceTupleType(type, index, endSkipCount = 0) {
          const target = type.target;
          const endIndex = getTypeReferenceArity(type) - endSkipCount;
          return index > target.fixedLength ? getRestArrayTypeOfTupleType(type) || createTupleType(emptyArray) : createTupleType(
            getTypeArguments(type).slice(index, endIndex),
            target.elementFlags.slice(index, endIndex),
            /*readonly*/
            false,
            target.labeledElementDeclarations && target.labeledElementDeclarations.slice(index, endIndex)
          );
        }
        function getKnownKeysOfTupleType(type) {
          return getUnionType(append(arrayOf(type.target.fixedLength, (i) => getStringLiteralType("" + i)), getIndexType(type.target.readonly ? globalReadonlyArrayType : globalArrayType)));
        }
        function getStartElementCount(type, flags) {
          const index = findIndex(type.elementFlags, (f) => !(f & flags));
          return index >= 0 ? index : type.elementFlags.length;
        }
        function getEndElementCount(type, flags) {
          return type.elementFlags.length - findLastIndex(type.elementFlags, (f) => !(f & flags)) - 1;
        }
        function getTotalFixedElementCount(type) {
          return type.fixedLength + getEndElementCount(
            type,
            3
            /* Fixed */
          );
        }
        function getElementTypes(type) {
          const typeArguments = getTypeArguments(type);
          const arity = getTypeReferenceArity(type);
          return typeArguments.length === arity ? typeArguments : typeArguments.slice(0, arity);
        }
        function getTypeFromOptionalTypeNode(node) {
          return addOptionality(
            getTypeFromTypeNode(node.type),
            /*isProperty*/
            true
          );
        }
        function getTypeId(type) {
          return type.id;
        }
        function containsType(types, type) {
          return binarySearch(types, type, getTypeId, compareValues) >= 0;
        }
        function insertType(types, type) {
          const index = binarySearch(types, type, getTypeId, compareValues);
          if (index < 0) {
            types.splice(~index, 0, type);
            return true;
          }
          return false;
        }
        function addTypeToUnion(typeSet, includes, type) {
          const flags = type.flags;
          if (!(flags & 131072)) {
            includes |= flags & 473694207;
            if (flags & 465829888) includes |= 33554432;
            if (flags & 2097152 && getObjectFlags(type) & 67108864) includes |= 536870912;
            if (type === wildcardType) includes |= 8388608;
            if (isErrorType(type)) includes |= 1073741824;
            if (!strictNullChecks && flags & 98304) {
              if (!(getObjectFlags(type) & 65536)) includes |= 4194304;
            } else {
              const len = typeSet.length;
              const index = len && type.id > typeSet[len - 1].id ? ~len : binarySearch(typeSet, type, getTypeId, compareValues);
              if (index < 0) {
                typeSet.splice(~index, 0, type);
              }
            }
          }
          return includes;
        }
        function addTypesToUnion(typeSet, includes, types) {
          let lastType;
          for (const type of types) {
            if (type !== lastType) {
              includes = type.flags & 1048576 ? addTypesToUnion(typeSet, includes | (isNamedUnionType(type) ? 1048576 : 0), type.types) : addTypeToUnion(typeSet, includes, type);
              lastType = type;
            }
          }
          return includes;
        }
        function removeSubtypes(types, hasObjectTypes) {
          var _a;
          if (types.length < 2) {
            return types;
          }
          const id = getTypeListId(types);
          const match = subtypeReductionCache.get(id);
          if (match) {
            return match;
          }
          const hasEmptyObject = hasObjectTypes && some(types, (t) => !!(t.flags & 524288) && !isGenericMappedType(t) && isEmptyResolvedType(resolveStructuredTypeMembers(t)));
          const len = types.length;
          let i = len;
          let count = 0;
          while (i > 0) {
            i--;
            const source = types[i];
            if (hasEmptyObject || source.flags & 469499904) {
              if (source.flags & 262144 && getBaseConstraintOrType(source).flags & 1048576) {
                if (isTypeRelatedTo(source, getUnionType(map(types, (t) => t === source ? neverType2 : t)), strictSubtypeRelation)) {
                  orderedRemoveItemAt(types, i);
                }
                continue;
              }
              const keyProperty = source.flags & (524288 | 2097152 | 58982400) ? find(getPropertiesOfType(source), (p) => isUnitType(getTypeOfSymbol(p))) : void 0;
              const keyPropertyType = keyProperty && getRegularTypeOfLiteralType(getTypeOfSymbol(keyProperty));
              for (const target of types) {
                if (source !== target) {
                  if (count === 1e5) {
                    const estimatedCount = count / (len - i) * len;
                    if (estimatedCount > 1e6) {
                      (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.CheckTypes, "removeSubtypes_DepthLimit", { typeIds: types.map((t) => t.id) });
                      error2(currentNode, Diagnostics.Expression_produces_a_union_type_that_is_too_complex_to_represent);
                      return void 0;
                    }
                  }
                  count++;
                  if (keyProperty && target.flags & (524288 | 2097152 | 58982400)) {
                    const t = getTypeOfPropertyOfType(target, keyProperty.escapedName);
                    if (t && isUnitType(t) && getRegularTypeOfLiteralType(t) !== keyPropertyType) {
                      continue;
                    }
                  }
                  if (isTypeRelatedTo(source, target, strictSubtypeRelation) && (!(getObjectFlags(getTargetType(source)) & 1) || !(getObjectFlags(getTargetType(target)) & 1) || isTypeDerivedFrom(source, target))) {
                    orderedRemoveItemAt(types, i);
                    break;
                  }
                }
              }
            }
          }
          subtypeReductionCache.set(id, types);
          return types;
        }
        function removeRedundantLiteralTypes(types, includes, reduceVoidUndefined) {
          let i = types.length;
          while (i > 0) {
            i--;
            const t = types[i];
            const flags = t.flags;
            const remove = flags & (128 | 134217728 | 268435456) && includes & 4 || flags & 256 && includes & 8 || flags & 2048 && includes & 64 || flags & 8192 && includes & 4096 || reduceVoidUndefined && flags & 32768 && includes & 16384 || isFreshLiteralType(t) && containsType(types, t.regularType);
            if (remove) {
              orderedRemoveItemAt(types, i);
            }
          }
        }
        function removeStringLiteralsMatchedByTemplateLiterals(types) {
          const templates = filter(types, isPatternLiteralType);
          if (templates.length) {
            let i = types.length;
            while (i > 0) {
              i--;
              const t = types[i];
              if (t.flags & 128 && some(templates, (template) => isTypeMatchedByTemplateLiteralOrStringMapping(t, template))) {
                orderedRemoveItemAt(types, i);
              }
            }
          }
        }
        function isTypeMatchedByTemplateLiteralOrStringMapping(type, template) {
          return template.flags & 134217728 ? isTypeMatchedByTemplateLiteralType(type, template) : isMemberOfStringMapping(type, template);
        }
        function removeConstrainedTypeVariables(types) {
          const typeVariables = [];
          for (const type of types) {
            if (type.flags & 2097152 && getObjectFlags(type) & 67108864) {
              const index = type.types[0].flags & 8650752 ? 0 : 1;
              pushIfUnique(typeVariables, type.types[index]);
            }
          }
          for (const typeVariable of typeVariables) {
            const primitives = [];
            for (const type of types) {
              if (type.flags & 2097152 && getObjectFlags(type) & 67108864) {
                const index = type.types[0].flags & 8650752 ? 0 : 1;
                if (type.types[index] === typeVariable) {
                  insertType(primitives, type.types[1 - index]);
                }
              }
            }
            const constraint = getBaseConstraintOfType(typeVariable);
            if (everyType(constraint, (t) => containsType(primitives, t))) {
              let i = types.length;
              while (i > 0) {
                i--;
                const type = types[i];
                if (type.flags & 2097152 && getObjectFlags(type) & 67108864) {
                  const index = type.types[0].flags & 8650752 ? 0 : 1;
                  if (type.types[index] === typeVariable && containsType(primitives, type.types[1 - index])) {
                    orderedRemoveItemAt(types, i);
                  }
                }
              }
              insertType(types, typeVariable);
            }
          }
        }
        function isNamedUnionType(type) {
          return !!(type.flags & 1048576 && (type.aliasSymbol || type.origin));
        }
        function addNamedUnions(namedUnions, types) {
          for (const t of types) {
            if (t.flags & 1048576) {
              const origin = t.origin;
              if (t.aliasSymbol || origin && !(origin.flags & 1048576)) {
                pushIfUnique(namedUnions, t);
              } else if (origin && origin.flags & 1048576) {
                addNamedUnions(namedUnions, origin.types);
              }
            }
          }
        }
        function createOriginUnionOrIntersectionType(flags, types) {
          const result = createOriginType(flags);
          result.types = types;
          return result;
        }
        function getUnionType(types, unionReduction = 1, aliasSymbol, aliasTypeArguments, origin) {
          if (types.length === 0) {
            return neverType2;
          }
          if (types.length === 1) {
            return types[0];
          }
          if (types.length === 2 && !origin && (types[0].flags & 1048576 || types[1].flags & 1048576)) {
            const infix = unionReduction === 0 ? "N" : unionReduction === 2 ? "S" : "L";
            const index = types[0].id < types[1].id ? 0 : 1;
            const id = types[index].id + infix + types[1 - index].id + getAliasId(aliasSymbol, aliasTypeArguments);
            let type = unionOfUnionTypes.get(id);
            if (!type) {
              type = getUnionTypeWorker(
                types,
                unionReduction,
                aliasSymbol,
                aliasTypeArguments,
                /*origin*/
                void 0
              );
              unionOfUnionTypes.set(id, type);
            }
            return type;
          }
          return getUnionTypeWorker(types, unionReduction, aliasSymbol, aliasTypeArguments, origin);
        }
        function getUnionTypeWorker(types, unionReduction, aliasSymbol, aliasTypeArguments, origin) {
          let typeSet = [];
          const includes = addTypesToUnion(typeSet, 0, types);
          if (unionReduction !== 0) {
            if (includes & 3) {
              return includes & 1 ? includes & 8388608 ? wildcardType : includes & 1073741824 ? errorType : anyType2 : unknownType2;
            }
            if (includes & 32768) {
              if (typeSet.length >= 2 && typeSet[0] === undefinedType2 && typeSet[1] === missingType) {
                orderedRemoveItemAt(typeSet, 1);
              }
            }
            if (includes & (32 | 2944 | 8192 | 134217728 | 268435456) || includes & 16384 && includes & 32768) {
              removeRedundantLiteralTypes(typeSet, includes, !!(unionReduction & 2));
            }
            if (includes & 128 && includes & (134217728 | 268435456)) {
              removeStringLiteralsMatchedByTemplateLiterals(typeSet);
            }
            if (includes & 536870912) {
              removeConstrainedTypeVariables(typeSet);
            }
            if (unionReduction === 2) {
              typeSet = removeSubtypes(typeSet, !!(includes & 524288));
              if (!typeSet) {
                return errorType;
              }
            }
            if (typeSet.length === 0) {
              return includes & 65536 ? includes & 4194304 ? nullType2 : nullWideningType : includes & 32768 ? includes & 4194304 ? undefinedType2 : undefinedWideningType : neverType2;
            }
          }
          if (!origin && includes & 1048576) {
            const namedUnions = [];
            addNamedUnions(namedUnions, types);
            const reducedTypes = [];
            for (const t of typeSet) {
              if (!some(namedUnions, (union) => containsType(union.types, t))) {
                reducedTypes.push(t);
              }
            }
            if (!aliasSymbol && namedUnions.length === 1 && reducedTypes.length === 0) {
              return namedUnions[0];
            }
            const namedTypesCount = reduceLeft(namedUnions, (sum, union) => sum + union.types.length, 0);
            if (namedTypesCount + reducedTypes.length === typeSet.length) {
              for (const t of namedUnions) {
                insertType(reducedTypes, t);
              }
              origin = createOriginUnionOrIntersectionType(1048576, reducedTypes);
            }
          }
          const objectFlags = (includes & 36323331 ? 0 : 32768) | (includes & 2097152 ? 16777216 : 0);
          return getUnionTypeFromSortedList(typeSet, objectFlags, aliasSymbol, aliasTypeArguments, origin);
        }
        function getUnionOrIntersectionTypePredicate(signatures, kind) {
          let last2;
          const types = [];
          for (const sig of signatures) {
            const pred = getTypePredicateOfSignature(sig);
            if (pred) {
              if (pred.kind !== 0 && pred.kind !== 1 || last2 && !typePredicateKindsMatch(last2, pred)) {
                return void 0;
              }
              last2 = pred;
              types.push(pred.type);
            } else {
              const returnType = kind !== 2097152 ? getReturnTypeOfSignature(sig) : void 0;
              if (returnType !== falseType && returnType !== regularFalseType) {
                return void 0;
              }
            }
          }
          if (!last2) {
            return void 0;
          }
          const compositeType = getUnionOrIntersectionType(types, kind);
          return createTypePredicate(last2.kind, last2.parameterName, last2.parameterIndex, compositeType);
        }
        function typePredicateKindsMatch(a, b) {
          return a.kind === b.kind && a.parameterIndex === b.parameterIndex;
        }
        function getUnionTypeFromSortedList(types, precomputedObjectFlags, aliasSymbol, aliasTypeArguments, origin) {
          if (types.length === 0) {
            return neverType2;
          }
          if (types.length === 1) {
            return types[0];
          }
          const typeKey = !origin ? getTypeListId(types) : origin.flags & 1048576 ? `|${getTypeListId(origin.types)}` : origin.flags & 2097152 ? `&${getTypeListId(origin.types)}` : `#${origin.type.id}|${getTypeListId(types)}`;
          const id = typeKey + getAliasId(aliasSymbol, aliasTypeArguments);
          let type = unionTypes.get(id);
          if (!type) {
            type = createType(
              1048576
              /* Union */
            );
            type.objectFlags = precomputedObjectFlags | getPropagatingFlagsOfTypes(
              types,
              /*excludeKinds*/
              98304
              /* Nullable */
            );
            type.types = types;
            type.origin = origin;
            type.aliasSymbol = aliasSymbol;
            type.aliasTypeArguments = aliasTypeArguments;
            if (types.length === 2 && types[0].flags & 512 && types[1].flags & 512) {
              type.flags |= 16;
              type.intrinsicName = "boolean";
            }
            unionTypes.set(id, type);
          }
          return type;
        }
        function getTypeFromUnionTypeNode(node) {
          const links = getNodeLinks(node);
          if (!links.resolvedType) {
            const aliasSymbol = getAliasSymbolForTypeNode(node);
            links.resolvedType = getUnionType(map(node.types, getTypeFromTypeNode), 1, aliasSymbol, getTypeArgumentsForAliasSymbol(aliasSymbol));
          }
          return links.resolvedType;
        }
        function addTypeToIntersection(typeSet, includes, type) {
          const flags = type.flags;
          if (flags & 2097152) {
            return addTypesToIntersection(typeSet, includes, type.types);
          }
          if (isEmptyAnonymousObjectType(type)) {
            if (!(includes & 16777216)) {
              includes |= 16777216;
              typeSet.set(type.id.toString(), type);
            }
          } else {
            if (flags & 3) {
              if (type === wildcardType) includes |= 8388608;
              if (isErrorType(type)) includes |= 1073741824;
            } else if (strictNullChecks || !(flags & 98304)) {
              if (type === missingType) {
                includes |= 262144;
                type = undefinedType2;
              }
              if (!typeSet.has(type.id.toString())) {
                if (type.flags & 109472 && includes & 109472) {
                  includes |= 67108864;
                }
                typeSet.set(type.id.toString(), type);
              }
            }
            includes |= flags & 473694207;
          }
          return includes;
        }
        function addTypesToIntersection(typeSet, includes, types) {
          for (const type of types) {
            includes = addTypeToIntersection(typeSet, includes, getRegularTypeOfLiteralType(type));
          }
          return includes;
        }
        function removeRedundantSupertypes(types, includes) {
          let i = types.length;
          while (i > 0) {
            i--;
            const t = types[i];
            const remove = t.flags & 4 && includes & (128 | 134217728 | 268435456) || t.flags & 8 && includes & 256 || t.flags & 64 && includes & 2048 || t.flags & 4096 && includes & 8192 || t.flags & 16384 && includes & 32768 || isEmptyAnonymousObjectType(t) && includes & 470302716;
            if (remove) {
              orderedRemoveItemAt(types, i);
            }
          }
        }
        function eachUnionContains(unionTypes2, type) {
          for (const u of unionTypes2) {
            if (!containsType(u.types, type)) {
              const primitive = type.flags & 128 ? stringType2 : type.flags & (32 | 256) ? numberType2 : type.flags & 2048 ? bigintType : type.flags & 8192 ? esSymbolType : void 0;
              if (!primitive || !containsType(u.types, primitive)) {
                return false;
              }
            }
          }
          return true;
        }
        function extractRedundantTemplateLiterals(types) {
          let i = types.length;
          const literals = filter(types, (t) => !!(t.flags & 128));
          while (i > 0) {
            i--;
            const t = types[i];
            if (!(t.flags & (134217728 | 268435456))) continue;
            for (const t2 of literals) {
              if (isTypeSubtypeOf(t2, t)) {
                orderedRemoveItemAt(types, i);
                break;
              } else if (isPatternLiteralType(t)) {
                return true;
              }
            }
          }
          return false;
        }
        function removeFromEach(types, flag) {
          for (let i = 0; i < types.length; i++) {
            types[i] = filterType(types[i], (t) => !(t.flags & flag));
          }
        }
        function intersectUnionsOfPrimitiveTypes(types) {
          let unionTypes2;
          const index = findIndex(types, (t) => !!(getObjectFlags(t) & 32768));
          if (index < 0) {
            return false;
          }
          let i = index + 1;
          while (i < types.length) {
            const t = types[i];
            if (getObjectFlags(t) & 32768) {
              (unionTypes2 || (unionTypes2 = [types[index]])).push(t);
              orderedRemoveItemAt(types, i);
            } else {
              i++;
            }
          }
          if (!unionTypes2) {
            return false;
          }
          const checked = [];
          const result = [];
          for (const u of unionTypes2) {
            for (const t of u.types) {
              if (insertType(checked, t)) {
                if (eachUnionContains(unionTypes2, t)) {
                  insertType(result, t);
                }
              }
            }
          }
          types[index] = getUnionTypeFromSortedList(
            result,
            32768
            /* PrimitiveUnion */
          );
          return true;
        }
        function createIntersectionType(types, objectFlags, aliasSymbol, aliasTypeArguments) {
          const result = createType(
            2097152
            /* Intersection */
          );
          result.objectFlags = objectFlags | getPropagatingFlagsOfTypes(
            types,
            /*excludeKinds*/
            98304
            /* Nullable */
          );
          result.types = types;
          result.aliasSymbol = aliasSymbol;
          result.aliasTypeArguments = aliasTypeArguments;
          return result;
        }
        function getIntersectionType(types, flags = 0, aliasSymbol, aliasTypeArguments) {
          const typeMembershipMap = /* @__PURE__ */ new Map();
          const includes = addTypesToIntersection(typeMembershipMap, 0, types);
          const typeSet = arrayFrom(typeMembershipMap.values());
          let objectFlags = 0;
          if (includes & 131072) {
            return contains(typeSet, silentNeverType) ? silentNeverType : neverType2;
          }
          if (strictNullChecks && includes & 98304 && includes & (524288 | 67108864 | 16777216) || includes & 67108864 && includes & (469892092 & ~67108864) || includes & 402653316 && includes & (469892092 & ~402653316) || includes & 296 && includes & (469892092 & ~296) || includes & 2112 && includes & (469892092 & ~2112) || includes & 12288 && includes & (469892092 & ~12288) || includes & 49152 && includes & (469892092 & ~49152)) {
            return neverType2;
          }
          if (includes & (134217728 | 268435456) && includes & 128 && extractRedundantTemplateLiterals(typeSet)) {
            return neverType2;
          }
          if (includes & 1) {
            return includes & 8388608 ? wildcardType : includes & 1073741824 ? errorType : anyType2;
          }
          if (!strictNullChecks && includes & 98304) {
            return includes & 16777216 ? neverType2 : includes & 32768 ? undefinedType2 : nullType2;
          }
          if (includes & 4 && includes & (128 | 134217728 | 268435456) || includes & 8 && includes & 256 || includes & 64 && includes & 2048 || includes & 4096 && includes & 8192 || includes & 16384 && includes & 32768 || includes & 16777216 && includes & 470302716) {
            if (!(flags & 1)) removeRedundantSupertypes(typeSet, includes);
          }
          if (includes & 262144) {
            typeSet[typeSet.indexOf(undefinedType2)] = missingType;
          }
          if (typeSet.length === 0) {
            return unknownType2;
          }
          if (typeSet.length === 1) {
            return typeSet[0];
          }
          if (typeSet.length === 2 && !(flags & 2)) {
            const typeVarIndex = typeSet[0].flags & 8650752 ? 0 : 1;
            const typeVariable = typeSet[typeVarIndex];
            const primitiveType = typeSet[1 - typeVarIndex];
            if (typeVariable.flags & 8650752 && (primitiveType.flags & (402784252 | 67108864) && !isGenericStringLikeType(primitiveType) || includes & 16777216)) {
              const constraint = getBaseConstraintOfType(typeVariable);
              if (constraint && everyType(constraint, (t) => !!(t.flags & (402784252 | 67108864)) || isEmptyAnonymousObjectType(t))) {
                if (isTypeStrictSubtypeOf(constraint, primitiveType)) {
                  return typeVariable;
                }
                if (!(constraint.flags & 1048576 && someType(constraint, (c) => isTypeStrictSubtypeOf(c, primitiveType)))) {
                  if (!isTypeStrictSubtypeOf(primitiveType, constraint)) {
                    return neverType2;
                  }
                }
                objectFlags = 67108864;
              }
            }
          }
          const id = getTypeListId(typeSet) + (flags & 2 ? "*" : getAliasId(aliasSymbol, aliasTypeArguments));
          let result = intersectionTypes.get(id);
          if (!result) {
            if (includes & 1048576) {
              if (intersectUnionsOfPrimitiveTypes(typeSet)) {
                result = getIntersectionType(typeSet, flags, aliasSymbol, aliasTypeArguments);
              } else if (every(typeSet, (t) => !!(t.flags & 1048576 && t.types[0].flags & 32768))) {
                const containedUndefinedType = some(typeSet, containsMissingType) ? missingType : undefinedType2;
                removeFromEach(
                  typeSet,
                  32768
                  /* Undefined */
                );
                result = getUnionType([getIntersectionType(typeSet, flags), containedUndefinedType], 1, aliasSymbol, aliasTypeArguments);
              } else if (every(typeSet, (t) => !!(t.flags & 1048576 && (t.types[0].flags & 65536 || t.types[1].flags & 65536)))) {
                removeFromEach(
                  typeSet,
                  65536
                  /* Null */
                );
                result = getUnionType([getIntersectionType(typeSet, flags), nullType2], 1, aliasSymbol, aliasTypeArguments);
              } else if (typeSet.length >= 4) {
                const middle = Math.floor(typeSet.length / 2);
                result = getIntersectionType([getIntersectionType(typeSet.slice(0, middle), flags), getIntersectionType(typeSet.slice(middle), flags)], flags, aliasSymbol, aliasTypeArguments);
              } else {
                if (!checkCrossProductUnion(typeSet)) {
                  return errorType;
                }
                const constituents = getCrossProductIntersections(typeSet, flags);
                const origin = some(constituents, (t) => !!(t.flags & 2097152)) && getConstituentCountOfTypes(constituents) > getConstituentCountOfTypes(typeSet) ? createOriginUnionOrIntersectionType(2097152, typeSet) : void 0;
                result = getUnionType(constituents, 1, aliasSymbol, aliasTypeArguments, origin);
              }
            } else {
              result = createIntersectionType(typeSet, objectFlags, aliasSymbol, aliasTypeArguments);
            }
            intersectionTypes.set(id, result);
          }
          return result;
        }
        function getCrossProductUnionSize(types) {
          return reduceLeft(types, (n, t) => t.flags & 1048576 ? n * t.types.length : t.flags & 131072 ? 0 : n, 1);
        }
        function checkCrossProductUnion(types) {
          var _a;
          const size = getCrossProductUnionSize(types);
          if (size >= 1e5) {
            (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.CheckTypes, "checkCrossProductUnion_DepthLimit", { typeIds: types.map((t) => t.id), size });
            error2(currentNode, Diagnostics.Expression_produces_a_union_type_that_is_too_complex_to_represent);
            return false;
          }
          return true;
        }
        function getCrossProductIntersections(types, flags) {
          const count = getCrossProductUnionSize(types);
          const intersections = [];
          for (let i = 0; i < count; i++) {
            const constituents = types.slice();
            let n = i;
            for (let j = types.length - 1; j >= 0; j--) {
              if (types[j].flags & 1048576) {
                const sourceTypes = types[j].types;
                const length2 = sourceTypes.length;
                constituents[j] = sourceTypes[n % length2];
                n = Math.floor(n / length2);
              }
            }
            const t = getIntersectionType(constituents, flags);
            if (!(t.flags & 131072)) intersections.push(t);
          }
          return intersections;
        }
        function getConstituentCount(type) {
          return !(type.flags & 3145728) || type.aliasSymbol ? 1 : type.flags & 1048576 && type.origin ? getConstituentCount(type.origin) : getConstituentCountOfTypes(type.types);
        }
        function getConstituentCountOfTypes(types) {
          return reduceLeft(types, (n, t) => n + getConstituentCount(t), 0);
        }
        function getTypeFromIntersectionTypeNode(node) {
          const links = getNodeLinks(node);
          if (!links.resolvedType) {
            const aliasSymbol = getAliasSymbolForTypeNode(node);
            const types = map(node.types, getTypeFromTypeNode);
            const emptyIndex = types.length === 2 ? types.indexOf(emptyTypeLiteralType) : -1;
            const t = emptyIndex >= 0 ? types[1 - emptyIndex] : unknownType2;
            const noSupertypeReduction = !!(t.flags & (4 | 8 | 64) || t.flags & 134217728 && isPatternLiteralType(t));
            links.resolvedType = getIntersectionType(types, noSupertypeReduction ? 1 : 0, aliasSymbol, getTypeArgumentsForAliasSymbol(aliasSymbol));
          }
          return links.resolvedType;
        }
        function createIndexType(type, indexFlags) {
          const result = createType(
            4194304
            /* Index */
          );
          result.type = type;
          result.indexFlags = indexFlags;
          return result;
        }
        function createOriginIndexType(type) {
          const result = createOriginType(
            4194304
            /* Index */
          );
          result.type = type;
          return result;
        }
        function getIndexTypeForGenericType(type, indexFlags) {
          return indexFlags & 1 ? type.resolvedStringIndexType || (type.resolvedStringIndexType = createIndexType(
            type,
            1
            /* StringsOnly */
          )) : type.resolvedIndexType || (type.resolvedIndexType = createIndexType(
            type,
            0
            /* None */
          ));
        }
        function getIndexTypeForMappedType(type, indexFlags) {
          const typeParameter = getTypeParameterFromMappedType(type);
          const constraintType = getConstraintTypeFromMappedType(type);
          const nameType = getNameTypeFromMappedType(type.target || type);
          if (!nameType && !(indexFlags & 2)) {
            return constraintType;
          }
          const keyTypes = [];
          if (isGenericIndexType(constraintType)) {
            if (isMappedTypeWithKeyofConstraintDeclaration(type)) {
              return getIndexTypeForGenericType(type, indexFlags);
            }
            forEachType(constraintType, addMemberForKeyType);
          } else if (isMappedTypeWithKeyofConstraintDeclaration(type)) {
            const modifiersType = getApparentType(getModifiersTypeFromMappedType(type));
            forEachMappedTypePropertyKeyTypeAndIndexSignatureKeyType(modifiersType, 8576, !!(indexFlags & 1), addMemberForKeyType);
          } else {
            forEachType(getLowerBoundOfKeyType(constraintType), addMemberForKeyType);
          }
          const result = indexFlags & 2 ? filterType(getUnionType(keyTypes), (t) => !(t.flags & (1 | 4))) : getUnionType(keyTypes);
          if (result.flags & 1048576 && constraintType.flags & 1048576 && getTypeListId(result.types) === getTypeListId(constraintType.types)) {
            return constraintType;
          }
          return result;
          function addMemberForKeyType(keyType) {
            const propNameType = nameType ? instantiateType(nameType, appendTypeMapping(type.mapper, typeParameter, keyType)) : keyType;
            keyTypes.push(propNameType === stringType2 ? stringOrNumberType : propNameType);
          }
        }
        function hasDistributiveNameType(mappedType) {
          const typeVariable = getTypeParameterFromMappedType(mappedType);
          return isDistributive(getNameTypeFromMappedType(mappedType) || typeVariable);
          function isDistributive(type) {
            return type.flags & (3 | 402784252 | 131072 | 262144 | 524288 | 67108864) ? true : type.flags & 16777216 ? type.root.isDistributive && type.checkType === typeVariable : type.flags & (3145728 | 134217728) ? every(type.types, isDistributive) : type.flags & 8388608 ? isDistributive(type.objectType) && isDistributive(type.indexType) : type.flags & 33554432 ? isDistributive(type.baseType) && isDistributive(type.constraint) : type.flags & 268435456 ? isDistributive(type.type) : false;
          }
        }
        function getLiteralTypeFromPropertyName(name) {
          if (isPrivateIdentifier(name)) {
            return neverType2;
          }
          if (isNumericLiteral(name)) {
            return getRegularTypeOfLiteralType(checkExpression(name));
          }
          if (isComputedPropertyName(name)) {
            return getRegularTypeOfLiteralType(checkComputedPropertyName(name));
          }
          const propertyName = getPropertyNameForPropertyNameNode(name);
          if (propertyName !== void 0) {
            return getStringLiteralType(unescapeLeadingUnderscores(propertyName));
          }
          if (isExpression(name)) {
            return getRegularTypeOfLiteralType(checkExpression(name));
          }
          return neverType2;
        }
        function getLiteralTypeFromProperty(prop, include, includeNonPublic) {
          if (includeNonPublic || !(getDeclarationModifierFlagsFromSymbol(prop) & 6)) {
            let type = getSymbolLinks(getLateBoundSymbol(prop)).nameType;
            if (!type) {
              const name = getNameOfDeclaration(prop.valueDeclaration);
              type = prop.escapedName === "default" ? getStringLiteralType("default") : name && getLiteralTypeFromPropertyName(name) || (!isKnownSymbol(prop) ? getStringLiteralType(symbolName(prop)) : void 0);
            }
            if (type && type.flags & include) {
              return type;
            }
          }
          return neverType2;
        }
        function isKeyTypeIncluded(keyType, include) {
          return !!(keyType.flags & include || keyType.flags & 2097152 && some(keyType.types, (t) => isKeyTypeIncluded(t, include)));
        }
        function getLiteralTypeFromProperties(type, include, includeOrigin) {
          const origin = includeOrigin && (getObjectFlags(type) & (3 | 4) || type.aliasSymbol) ? createOriginIndexType(type) : void 0;
          const propertyTypes = map(getPropertiesOfType(type), (prop) => getLiteralTypeFromProperty(prop, include));
          const indexKeyTypes = map(getIndexInfosOfType(type), (info) => info !== enumNumberIndexInfo && isKeyTypeIncluded(info.keyType, include) ? info.keyType === stringType2 && include & 8 ? stringOrNumberType : info.keyType : neverType2);
          return getUnionType(
            concatenate(propertyTypes, indexKeyTypes),
            1,
            /*aliasSymbol*/
            void 0,
            /*aliasTypeArguments*/
            void 0,
            origin
          );
        }
        function shouldDeferIndexType(type, indexFlags = 0) {
          return !!(type.flags & 58982400 || isGenericTupleType(type) || isGenericMappedType(type) && (!hasDistributiveNameType(type) || getMappedTypeNameTypeKind(type) === 2) || type.flags & 1048576 && !(indexFlags & 4) && isGenericReducibleType(type) || type.flags & 2097152 && maybeTypeOfKind(
            type,
            465829888
            /* Instantiable */
          ) && some(type.types, isEmptyAnonymousObjectType));
        }
        function getIndexType(type, indexFlags = 0) {
          type = getReducedType(type);
          return isNoInferType(type) ? getNoInferType(getIndexType(type.baseType, indexFlags)) : shouldDeferIndexType(type, indexFlags) ? getIndexTypeForGenericType(type, indexFlags) : type.flags & 1048576 ? getIntersectionType(map(type.types, (t) => getIndexType(t, indexFlags))) : type.flags & 2097152 ? getUnionType(map(type.types, (t) => getIndexType(t, indexFlags))) : getObjectFlags(type) & 32 ? getIndexTypeForMappedType(type, indexFlags) : type === wildcardType ? wildcardType : type.flags & 2 ? neverType2 : type.flags & (1 | 131072) ? stringNumberSymbolType : getLiteralTypeFromProperties(
            type,
            (indexFlags & 2 ? 128 : 402653316) | (indexFlags & 1 ? 0 : 296 | 12288),
            indexFlags === 0
            /* None */
          );
        }
        function getExtractStringType(type) {
          const extractTypeAlias = getGlobalExtractSymbol();
          return extractTypeAlias ? getTypeAliasInstantiation(extractTypeAlias, [type, stringType2]) : stringType2;
        }
        function getIndexTypeOrString(type) {
          const indexType = getExtractStringType(getIndexType(type));
          return indexType.flags & 131072 ? stringType2 : indexType;
        }
        function getTypeFromTypeOperatorNode(node) {
          const links = getNodeLinks(node);
          if (!links.resolvedType) {
            switch (node.operator) {
              case 143:
                links.resolvedType = getIndexType(getTypeFromTypeNode(node.type));
                break;
              case 158:
                links.resolvedType = node.type.kind === 155 ? getESSymbolLikeTypeForNode(walkUpParenthesizedTypes(node.parent)) : errorType;
                break;
              case 148:
                links.resolvedType = getTypeFromTypeNode(node.type);
                break;
              default:
                Debug.assertNever(node.operator);
            }
          }
          return links.resolvedType;
        }
        function getTypeFromTemplateTypeNode(node) {
          const links = getNodeLinks(node);
          if (!links.resolvedType) {
            links.resolvedType = getTemplateLiteralType(
              [node.head.text, ...map(node.templateSpans, (span) => span.literal.text)],
              map(node.templateSpans, (span) => getTypeFromTypeNode(span.type))
            );
          }
          return links.resolvedType;
        }
        function getTemplateLiteralType(texts, types) {
          const unionIndex = findIndex(types, (t) => !!(t.flags & (131072 | 1048576)));
          if (unionIndex >= 0) {
            return checkCrossProductUnion(types) ? mapType2(types[unionIndex], (t) => getTemplateLiteralType(texts, replaceElement(types, unionIndex, t))) : errorType;
          }
          if (contains(types, wildcardType)) {
            return wildcardType;
          }
          const newTypes = [];
          const newTexts = [];
          let text = texts[0];
          if (!addSpans(texts, types)) {
            return stringType2;
          }
          if (newTypes.length === 0) {
            return getStringLiteralType(text);
          }
          newTexts.push(text);
          if (every(newTexts, (t) => t === "")) {
            if (every(newTypes, (t) => !!(t.flags & 4))) {
              return stringType2;
            }
            if (newTypes.length === 1 && isPatternLiteralType(newTypes[0])) {
              return newTypes[0];
            }
          }
          const id = `${getTypeListId(newTypes)}|${map(newTexts, (t) => t.length).join(",")}|${newTexts.join("")}`;
          let type = templateLiteralTypes.get(id);
          if (!type) {
            templateLiteralTypes.set(id, type = createTemplateLiteralType(newTexts, newTypes));
          }
          return type;
          function addSpans(texts2, types2) {
            for (let i = 0; i < types2.length; i++) {
              const t = types2[i];
              if (t.flags & (2944 | 65536 | 32768)) {
                text += getTemplateStringForType(t) || "";
                text += texts2[i + 1];
              } else if (t.flags & 134217728) {
                text += t.texts[0];
                if (!addSpans(t.texts, t.types)) return false;
                text += texts2[i + 1];
              } else if (isGenericIndexType(t) || isPatternLiteralPlaceholderType(t)) {
                newTypes.push(t);
                newTexts.push(text);
                text = texts2[i + 1];
              } else {
                return false;
              }
            }
            return true;
          }
        }
        function getTemplateStringForType(type) {
          return type.flags & 128 ? type.value : type.flags & 256 ? "" + type.value : type.flags & 2048 ? pseudoBigIntToString(type.value) : type.flags & (512 | 98304) ? type.intrinsicName : void 0;
        }
        function createTemplateLiteralType(texts, types) {
          const type = createType(
            134217728
            /* TemplateLiteral */
          );
          type.texts = texts;
          type.types = types;
          return type;
        }
        function getStringMappingType(symbol, type) {
          return type.flags & (1048576 | 131072) ? mapType2(type, (t) => getStringMappingType(symbol, t)) : type.flags & 128 ? getStringLiteralType(applyStringMapping(symbol, type.value)) : type.flags & 134217728 ? getTemplateLiteralType(...applyTemplateStringMapping(symbol, type.texts, type.types)) : (
            // Mapping> === Mapping
            type.flags & 268435456 && symbol === type.symbol ? type : type.flags & (1 | 4 | 268435456) || isGenericIndexType(type) ? getStringMappingTypeForGenericType(symbol, type) : (
              // This handles Mapping<`${number}`> and Mapping<`${bigint}`>
              isPatternLiteralPlaceholderType(type) ? getStringMappingTypeForGenericType(symbol, getTemplateLiteralType(["", ""], [type])) : type
            )
          );
        }
        function applyStringMapping(symbol, str) {
          switch (intrinsicTypeKinds.get(symbol.escapedName)) {
            case 0:
              return str.toUpperCase();
            case 1:
              return str.toLowerCase();
            case 2:
              return str.charAt(0).toUpperCase() + str.slice(1);
            case 3:
              return str.charAt(0).toLowerCase() + str.slice(1);
          }
          return str;
        }
        function applyTemplateStringMapping(symbol, texts, types) {
          switch (intrinsicTypeKinds.get(symbol.escapedName)) {
            case 0:
              return [texts.map((t) => t.toUpperCase()), types.map((t) => getStringMappingType(symbol, t))];
            case 1:
              return [texts.map((t) => t.toLowerCase()), types.map((t) => getStringMappingType(symbol, t))];
            case 2:
              return [texts[0] === "" ? texts : [texts[0].charAt(0).toUpperCase() + texts[0].slice(1), ...texts.slice(1)], texts[0] === "" ? [getStringMappingType(symbol, types[0]), ...types.slice(1)] : types];
            case 3:
              return [texts[0] === "" ? texts : [texts[0].charAt(0).toLowerCase() + texts[0].slice(1), ...texts.slice(1)], texts[0] === "" ? [getStringMappingType(symbol, types[0]), ...types.slice(1)] : types];
          }
          return [texts, types];
        }
        function getStringMappingTypeForGenericType(symbol, type) {
          const id = `${getSymbolId(symbol)},${getTypeId(type)}`;
          let result = stringMappingTypes.get(id);
          if (!result) {
            stringMappingTypes.set(id, result = createStringMappingType(symbol, type));
          }
          return result;
        }
        function createStringMappingType(symbol, type) {
          const result = createTypeWithSymbol(268435456, symbol);
          result.type = type;
          return result;
        }
        function createIndexedAccessType(objectType2, indexType, accessFlags, aliasSymbol, aliasTypeArguments) {
          const type = createType(
            8388608
            /* IndexedAccess */
          );
          type.objectType = objectType2;
          type.indexType = indexType;
          type.accessFlags = accessFlags;
          type.aliasSymbol = aliasSymbol;
          type.aliasTypeArguments = aliasTypeArguments;
          return type;
        }
        function isJSLiteralType(type) {
          if (noImplicitAny) {
            return false;
          }
          if (getObjectFlags(type) & 4096) {
            return true;
          }
          if (type.flags & 1048576) {
            return every(type.types, isJSLiteralType);
          }
          if (type.flags & 2097152) {
            return some(type.types, isJSLiteralType);
          }
          if (type.flags & 465829888) {
            const constraint = getResolvedBaseConstraint(type);
            return constraint !== type && isJSLiteralType(constraint);
          }
          return false;
        }
        function getPropertyNameFromIndex(indexType, accessNode) {
          return isTypeUsableAsPropertyName(indexType) ? getPropertyNameFromType(indexType) : accessNode && isPropertyName(accessNode) ? (
            // late bound names are handled in the first branch, so here we only need to handle normal names
            getPropertyNameForPropertyNameNode(accessNode)
          ) : void 0;
        }
        function isUncalledFunctionReference(node, symbol) {
          if (symbol.flags & (16 | 8192)) {
            const parent2 = findAncestor(node.parent, (n) => !isAccessExpression(n)) || node.parent;
            if (isCallLikeExpression(parent2)) {
              return isCallOrNewExpression2(parent2) && isIdentifier(node) && hasMatchingArgument(parent2, node);
            }
            return every(symbol.declarations, (d) => !isFunctionLike(d) || isDeprecatedDeclaration2(d));
          }
          return true;
        }
        function getPropertyTypeForIndexType(originalObjectType, objectType2, indexType, fullIndexType, accessNode, accessFlags) {
          const accessExpression = accessNode && accessNode.kind === 212 ? accessNode : void 0;
          const propName = accessNode && isPrivateIdentifier(accessNode) ? void 0 : getPropertyNameFromIndex(indexType, accessNode);
          if (propName !== void 0) {
            if (accessFlags & 256) {
              return getTypeOfPropertyOfContextualType(objectType2, propName) || anyType2;
            }
            const prop = getPropertyOfType(objectType2, propName);
            if (prop) {
              if (accessFlags & 64 && accessNode && prop.declarations && isDeprecatedSymbol(prop) && isUncalledFunctionReference(accessNode, prop)) {
                const deprecatedNode = (accessExpression == null ? void 0 : accessExpression.argumentExpression) ?? (isIndexedAccessTypeNode(accessNode) ? accessNode.indexType : accessNode);
                addDeprecatedSuggestion(deprecatedNode, prop.declarations, propName);
              }
              if (accessExpression) {
                markPropertyAsReferenced(prop, accessExpression, isSelfTypeAccess(accessExpression.expression, objectType2.symbol));
                if (isAssignmentToReadonlyEntity(accessExpression, prop, getAssignmentTargetKind(accessExpression))) {
                  error2(accessExpression.argumentExpression, Diagnostics.Cannot_assign_to_0_because_it_is_a_read_only_property, symbolToString2(prop));
                  return void 0;
                }
                if (accessFlags & 8) {
                  getNodeLinks(accessNode).resolvedSymbol = prop;
                }
                if (isThisPropertyAccessInConstructor(accessExpression, prop)) {
                  return autoType;
                }
              }
              const propType = accessFlags & 4 ? getWriteTypeOfSymbol(prop) : getTypeOfSymbol(prop);
              return accessExpression && getAssignmentTargetKind(accessExpression) !== 1 ? getFlowTypeOfReference(accessExpression, propType) : accessNode && isIndexedAccessTypeNode(accessNode) && containsMissingType(propType) ? getUnionType([propType, undefinedType2]) : propType;
            }
            if (everyType(objectType2, isTupleType) && isNumericLiteralName(propName)) {
              const index = +propName;
              if (accessNode && everyType(objectType2, (t) => !t.target.hasRestElement) && !(accessFlags & 16)) {
                const indexNode = getIndexNodeForAccessExpression(accessNode);
                if (isTupleType(objectType2)) {
                  if (index < 0) {
                    error2(indexNode, Diagnostics.A_tuple_type_cannot_be_indexed_with_a_negative_value);
                    return undefinedType2;
                  }
                  error2(indexNode, Diagnostics.Tuple_type_0_of_length_1_has_no_element_at_index_2, typeToString(objectType2), getTypeReferenceArity(objectType2), unescapeLeadingUnderscores(propName));
                } else {
                  error2(indexNode, Diagnostics.Property_0_does_not_exist_on_type_1, unescapeLeadingUnderscores(propName), typeToString(objectType2));
                }
              }
              if (index >= 0) {
                errorIfWritingToReadonlyIndex(getIndexInfoOfType(objectType2, numberType2));
                return getTupleElementTypeOutOfStartCount(objectType2, index, accessFlags & 1 ? missingType : void 0);
              }
            }
          }
          if (!(indexType.flags & 98304) && isTypeAssignableToKind(
            indexType,
            402653316 | 296 | 12288
            /* ESSymbolLike */
          )) {
            if (objectType2.flags & (1 | 131072)) {
              return objectType2;
            }
            const indexInfo = getApplicableIndexInfo(objectType2, indexType) || getIndexInfoOfType(objectType2, stringType2);
            if (indexInfo) {
              if (accessFlags & 2 && indexInfo.keyType !== numberType2) {
                if (accessExpression) {
                  if (accessFlags & 4) {
                    error2(accessExpression, Diagnostics.Type_0_is_generic_and_can_only_be_indexed_for_reading, typeToString(originalObjectType));
                  } else {
                    error2(accessExpression, Diagnostics.Type_0_cannot_be_used_to_index_type_1, typeToString(indexType), typeToString(originalObjectType));
                  }
                }
                return void 0;
              }
              if (accessNode && indexInfo.keyType === stringType2 && !isTypeAssignableToKind(
                indexType,
                4 | 8
                /* Number */
              )) {
                const indexNode = getIndexNodeForAccessExpression(accessNode);
                error2(indexNode, Diagnostics.Type_0_cannot_be_used_as_an_index_type, typeToString(indexType));
                return accessFlags & 1 ? getUnionType([indexInfo.type, missingType]) : indexInfo.type;
              }
              errorIfWritingToReadonlyIndex(indexInfo);
              if (accessFlags & 1 && !(objectType2.symbol && objectType2.symbol.flags & (256 | 128) && (indexType.symbol && indexType.flags & 1024 && getParentOfSymbol(indexType.symbol) === objectType2.symbol))) {
                return getUnionType([indexInfo.type, missingType]);
              }
              return indexInfo.type;
            }
            if (indexType.flags & 131072) {
              return neverType2;
            }
            if (isJSLiteralType(objectType2)) {
              return anyType2;
            }
            if (accessExpression && !isConstEnumObjectType(objectType2)) {
              if (isObjectLiteralType2(objectType2)) {
                if (noImplicitAny && indexType.flags & (128 | 256)) {
                  diagnostics.add(createDiagnosticForNode(accessExpression, Diagnostics.Property_0_does_not_exist_on_type_1, indexType.value, typeToString(objectType2)));
                  return undefinedType2;
                } else if (indexType.flags & (8 | 4)) {
                  const types = map(objectType2.properties, (property) => {
                    return getTypeOfSymbol(property);
                  });
                  return getUnionType(append(types, undefinedType2));
                }
              }
              if (objectType2.symbol === globalThisSymbol && propName !== void 0 && globalThisSymbol.exports.has(propName) && globalThisSymbol.exports.get(propName).flags & 418) {
                error2(accessExpression, Diagnostics.Property_0_does_not_exist_on_type_1, unescapeLeadingUnderscores(propName), typeToString(objectType2));
              } else if (noImplicitAny && !(accessFlags & 128)) {
                if (propName !== void 0 && typeHasStaticProperty(propName, objectType2)) {
                  const typeName = typeToString(objectType2);
                  error2(accessExpression, Diagnostics.Property_0_does_not_exist_on_type_1_Did_you_mean_to_access_the_static_member_2_instead, propName, typeName, typeName + "[" + getTextOfNode(accessExpression.argumentExpression) + "]");
                } else if (getIndexTypeOfType(objectType2, numberType2)) {
                  error2(accessExpression.argumentExpression, Diagnostics.Element_implicitly_has_an_any_type_because_index_expression_is_not_of_type_number);
                } else {
                  let suggestion;
                  if (propName !== void 0 && (suggestion = getSuggestionForNonexistentProperty(propName, objectType2))) {
                    if (suggestion !== void 0) {
                      error2(accessExpression.argumentExpression, Diagnostics.Property_0_does_not_exist_on_type_1_Did_you_mean_2, propName, typeToString(objectType2), suggestion);
                    }
                  } else {
                    const suggestion2 = getSuggestionForNonexistentIndexSignature(objectType2, accessExpression, indexType);
                    if (suggestion2 !== void 0) {
                      error2(accessExpression, Diagnostics.Element_implicitly_has_an_any_type_because_type_0_has_no_index_signature_Did_you_mean_to_call_1, typeToString(objectType2), suggestion2);
                    } else {
                      let errorInfo;
                      if (indexType.flags & 1024) {
                        errorInfo = chainDiagnosticMessages(
                          /*details*/
                          void 0,
                          Diagnostics.Property_0_does_not_exist_on_type_1,
                          "[" + typeToString(indexType) + "]",
                          typeToString(objectType2)
                        );
                      } else if (indexType.flags & 8192) {
                        const symbolName2 = getFullyQualifiedName(indexType.symbol, accessExpression);
                        errorInfo = chainDiagnosticMessages(
                          /*details*/
                          void 0,
                          Diagnostics.Property_0_does_not_exist_on_type_1,
                          "[" + symbolName2 + "]",
                          typeToString(objectType2)
                        );
                      } else if (indexType.flags & 128) {
                        errorInfo = chainDiagnosticMessages(
                          /*details*/
                          void 0,
                          Diagnostics.Property_0_does_not_exist_on_type_1,
                          indexType.value,
                          typeToString(objectType2)
                        );
                      } else if (indexType.flags & 256) {
                        errorInfo = chainDiagnosticMessages(
                          /*details*/
                          void 0,
                          Diagnostics.Property_0_does_not_exist_on_type_1,
                          indexType.value,
                          typeToString(objectType2)
                        );
                      } else if (indexType.flags & (8 | 4)) {
                        errorInfo = chainDiagnosticMessages(
                          /*details*/
                          void 0,
                          Diagnostics.No_index_signature_with_a_parameter_of_type_0_was_found_on_type_1,
                          typeToString(indexType),
                          typeToString(objectType2)
                        );
                      }
                      errorInfo = chainDiagnosticMessages(
                        errorInfo,
                        Diagnostics.Element_implicitly_has_an_any_type_because_expression_of_type_0_can_t_be_used_to_index_type_1,
                        typeToString(fullIndexType),
                        typeToString(objectType2)
                      );
                      diagnostics.add(createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(accessExpression), accessExpression, errorInfo));
                    }
                  }
                }
              }
              return void 0;
            }
          }
          if (isJSLiteralType(objectType2)) {
            return anyType2;
          }
          if (accessNode) {
            const indexNode = getIndexNodeForAccessExpression(accessNode);
            if (indexType.flags & (128 | 256)) {
              error2(indexNode, Diagnostics.Property_0_does_not_exist_on_type_1, "" + indexType.value, typeToString(objectType2));
            } else if (indexType.flags & (4 | 8)) {
              error2(indexNode, Diagnostics.Type_0_has_no_matching_index_signature_for_type_1, typeToString(objectType2), typeToString(indexType));
            } else {
              error2(indexNode, Diagnostics.Type_0_cannot_be_used_as_an_index_type, typeToString(indexType));
            }
          }
          if (isTypeAny(indexType)) {
            return indexType;
          }
          return void 0;
          function errorIfWritingToReadonlyIndex(indexInfo) {
            if (indexInfo && indexInfo.isReadonly && accessExpression && (isAssignmentTarget(accessExpression) || isDeleteTarget(accessExpression))) {
              error2(accessExpression, Diagnostics.Index_signature_in_type_0_only_permits_reading, typeToString(objectType2));
            }
          }
        }
        function getIndexNodeForAccessExpression(accessNode) {
          return accessNode.kind === 212 ? accessNode.argumentExpression : accessNode.kind === 199 ? accessNode.indexType : accessNode.kind === 167 ? accessNode.expression : accessNode;
        }
        function isPatternLiteralPlaceholderType(type) {
          if (type.flags & 2097152) {
            let seenPlaceholder = false;
            for (const t of type.types) {
              if (t.flags & (2944 | 98304) || isPatternLiteralPlaceholderType(t)) {
                seenPlaceholder = true;
              } else if (!(t.flags & 524288)) {
                return false;
              }
            }
            return seenPlaceholder;
          }
          return !!(type.flags & (1 | 4 | 8 | 64)) || isPatternLiteralType(type);
        }
        function isPatternLiteralType(type) {
          return !!(type.flags & 134217728) && every(type.types, isPatternLiteralPlaceholderType) || !!(type.flags & 268435456) && isPatternLiteralPlaceholderType(type.type);
        }
        function isGenericStringLikeType(type) {
          return !!(type.flags & (134217728 | 268435456)) && !isPatternLiteralType(type);
        }
        function isGenericType(type) {
          return !!getGenericObjectFlags(type);
        }
        function isGenericObjectType(type) {
          return !!(getGenericObjectFlags(type) & 4194304);
        }
        function isGenericIndexType(type) {
          return !!(getGenericObjectFlags(type) & 8388608);
        }
        function getGenericObjectFlags(type) {
          if (type.flags & 3145728) {
            if (!(type.objectFlags & 2097152)) {
              type.objectFlags |= 2097152 | reduceLeft(type.types, (flags, t) => flags | getGenericObjectFlags(t), 0);
            }
            return type.objectFlags & 12582912;
          }
          if (type.flags & 33554432) {
            if (!(type.objectFlags & 2097152)) {
              type.objectFlags |= 2097152 | getGenericObjectFlags(type.baseType) | getGenericObjectFlags(type.constraint);
            }
            return type.objectFlags & 12582912;
          }
          return (type.flags & 58982400 || isGenericMappedType(type) || isGenericTupleType(type) ? 4194304 : 0) | (type.flags & (58982400 | 4194304) || isGenericStringLikeType(type) ? 8388608 : 0);
        }
        function getSimplifiedType(type, writing) {
          return type.flags & 8388608 ? getSimplifiedIndexedAccessType(type, writing) : type.flags & 16777216 ? getSimplifiedConditionalType(type, writing) : type;
        }
        function distributeIndexOverObjectType(objectType2, indexType, writing) {
          if (objectType2.flags & 1048576 || objectType2.flags & 2097152 && !shouldDeferIndexType(objectType2)) {
            const types = map(objectType2.types, (t) => getSimplifiedType(getIndexedAccessType(t, indexType), writing));
            return objectType2.flags & 2097152 || writing ? getIntersectionType(types) : getUnionType(types);
          }
        }
        function distributeObjectOverIndexType(objectType2, indexType, writing) {
          if (indexType.flags & 1048576) {
            const types = map(indexType.types, (t) => getSimplifiedType(getIndexedAccessType(objectType2, t), writing));
            return writing ? getIntersectionType(types) : getUnionType(types);
          }
        }
        function getSimplifiedIndexedAccessType(type, writing) {
          const cache = writing ? "simplifiedForWriting" : "simplifiedForReading";
          if (type[cache]) {
            return type[cache] === circularConstraintType ? type : type[cache];
          }
          type[cache] = circularConstraintType;
          const objectType2 = getSimplifiedType(type.objectType, writing);
          const indexType = getSimplifiedType(type.indexType, writing);
          const distributedOverIndex = distributeObjectOverIndexType(objectType2, indexType, writing);
          if (distributedOverIndex) {
            return type[cache] = distributedOverIndex;
          }
          if (!(indexType.flags & 465829888)) {
            const distributedOverObject = distributeIndexOverObjectType(objectType2, indexType, writing);
            if (distributedOverObject) {
              return type[cache] = distributedOverObject;
            }
          }
          if (isGenericTupleType(objectType2) && indexType.flags & 296) {
            const elementType = getElementTypeOfSliceOfTupleType(
              objectType2,
              indexType.flags & 8 ? 0 : objectType2.target.fixedLength,
              /*endSkipCount*/
              0,
              writing
            );
            if (elementType) {
              return type[cache] = elementType;
            }
          }
          if (isGenericMappedType(objectType2)) {
            if (getMappedTypeNameTypeKind(objectType2) !== 2) {
              return type[cache] = mapType2(substituteIndexedMappedType(objectType2, type.indexType), (t) => getSimplifiedType(t, writing));
            }
          }
          return type[cache] = type;
        }
        function getSimplifiedConditionalType(type, writing) {
          const checkType = type.checkType;
          const extendsType = type.extendsType;
          const trueType2 = getTrueTypeFromConditionalType(type);
          const falseType2 = getFalseTypeFromConditionalType(type);
          if (falseType2.flags & 131072 && getActualTypeVariable(trueType2) === getActualTypeVariable(checkType)) {
            if (checkType.flags & 1 || isTypeAssignableTo(getRestrictiveInstantiation(checkType), getRestrictiveInstantiation(extendsType))) {
              return getSimplifiedType(trueType2, writing);
            } else if (isIntersectionEmpty(checkType, extendsType)) {
              return neverType2;
            }
          } else if (trueType2.flags & 131072 && getActualTypeVariable(falseType2) === getActualTypeVariable(checkType)) {
            if (!(checkType.flags & 1) && isTypeAssignableTo(getRestrictiveInstantiation(checkType), getRestrictiveInstantiation(extendsType))) {
              return neverType2;
            } else if (checkType.flags & 1 || isIntersectionEmpty(checkType, extendsType)) {
              return getSimplifiedType(falseType2, writing);
            }
          }
          return type;
        }
        function isIntersectionEmpty(type1, type2) {
          return !!(getUnionType([intersectTypes(type1, type2), neverType2]).flags & 131072);
        }
        function substituteIndexedMappedType(objectType2, index) {
          const mapper = createTypeMapper([getTypeParameterFromMappedType(objectType2)], [index]);
          const templateMapper = combineTypeMappers(objectType2.mapper, mapper);
          const instantiatedTemplateType = instantiateType(getTemplateTypeFromMappedType(objectType2.target || objectType2), templateMapper);
          const isOptional = getMappedTypeOptionality(objectType2) > 0 || (isGenericType(objectType2) ? getCombinedMappedTypeOptionality(getModifiersTypeFromMappedType(objectType2)) > 0 : couldAccessOptionalProperty(objectType2, index));
          return addOptionality(
            instantiatedTemplateType,
            /*isProperty*/
            true,
            isOptional
          );
        }
        function couldAccessOptionalProperty(objectType2, indexType) {
          const indexConstraint = getBaseConstraintOfType(indexType);
          return !!indexConstraint && some(getPropertiesOfType(objectType2), (p) => !!(p.flags & 16777216) && isTypeAssignableTo(getLiteralTypeFromProperty(
            p,
            8576
            /* StringOrNumberLiteralOrUnique */
          ), indexConstraint));
        }
        function getIndexedAccessType(objectType2, indexType, accessFlags = 0, accessNode, aliasSymbol, aliasTypeArguments) {
          return getIndexedAccessTypeOrUndefined(objectType2, indexType, accessFlags, accessNode, aliasSymbol, aliasTypeArguments) || (accessNode ? errorType : unknownType2);
        }
        function indexTypeLessThan(indexType, limit) {
          return everyType(indexType, (t) => {
            if (t.flags & 384) {
              const propName = getPropertyNameFromType(t);
              if (isNumericLiteralName(propName)) {
                const index = +propName;
                return index >= 0 && index < limit;
              }
            }
            return false;
          });
        }
        function getIndexedAccessTypeOrUndefined(objectType2, indexType, accessFlags = 0, accessNode, aliasSymbol, aliasTypeArguments) {
          if (objectType2 === wildcardType || indexType === wildcardType) {
            return wildcardType;
          }
          objectType2 = getReducedType(objectType2);
          if (isStringIndexSignatureOnlyType(objectType2) && !(indexType.flags & 98304) && isTypeAssignableToKind(
            indexType,
            4 | 8
            /* Number */
          )) {
            indexType = stringType2;
          }
          if (compilerOptions.noUncheckedIndexedAccess && accessFlags & 32) accessFlags |= 1;
          if (isGenericIndexType(indexType) || (accessNode && accessNode.kind !== 199 ? isGenericTupleType(objectType2) && !indexTypeLessThan(indexType, getTotalFixedElementCount(objectType2.target)) : isGenericObjectType(objectType2) && !(isTupleType(objectType2) && indexTypeLessThan(indexType, getTotalFixedElementCount(objectType2.target))) || isGenericReducibleType(objectType2))) {
            if (objectType2.flags & 3) {
              return objectType2;
            }
            const persistentAccessFlags = accessFlags & 1;
            const id = objectType2.id + "," + indexType.id + "," + persistentAccessFlags + getAliasId(aliasSymbol, aliasTypeArguments);
            let type = indexedAccessTypes.get(id);
            if (!type) {
              indexedAccessTypes.set(id, type = createIndexedAccessType(objectType2, indexType, persistentAccessFlags, aliasSymbol, aliasTypeArguments));
            }
            return type;
          }
          const apparentObjectType = getReducedApparentType(objectType2);
          if (indexType.flags & 1048576 && !(indexType.flags & 16)) {
            const propTypes = [];
            let wasMissingProp = false;
            for (const t of indexType.types) {
              const propType = getPropertyTypeForIndexType(objectType2, apparentObjectType, t, indexType, accessNode, accessFlags | (wasMissingProp ? 128 : 0));
              if (propType) {
                propTypes.push(propType);
              } else if (!accessNode) {
                return void 0;
              } else {
                wasMissingProp = true;
              }
            }
            if (wasMissingProp) {
              return void 0;
            }
            return accessFlags & 4 ? getIntersectionType(propTypes, 0, aliasSymbol, aliasTypeArguments) : getUnionType(propTypes, 1, aliasSymbol, aliasTypeArguments);
          }
          return getPropertyTypeForIndexType(
            objectType2,
            apparentObjectType,
            indexType,
            indexType,
            accessNode,
            accessFlags | 8 | 64
            /* ReportDeprecated */
          );
        }
        function getTypeFromIndexedAccessTypeNode(node) {
          const links = getNodeLinks(node);
          if (!links.resolvedType) {
            const objectType2 = getTypeFromTypeNode(node.objectType);
            const indexType = getTypeFromTypeNode(node.indexType);
            const potentialAlias = getAliasSymbolForTypeNode(node);
            links.resolvedType = getIndexedAccessType(objectType2, indexType, 0, node, potentialAlias, getTypeArgumentsForAliasSymbol(potentialAlias));
          }
          return links.resolvedType;
        }
        function getTypeFromMappedTypeNode(node) {
          const links = getNodeLinks(node);
          if (!links.resolvedType) {
            const type = createObjectType(32, node.symbol);
            type.declaration = node;
            type.aliasSymbol = getAliasSymbolForTypeNode(node);
            type.aliasTypeArguments = getTypeArgumentsForAliasSymbol(type.aliasSymbol);
            links.resolvedType = type;
            getConstraintTypeFromMappedType(type);
          }
          return links.resolvedType;
        }
        function getActualTypeVariable(type) {
          if (type.flags & 33554432) {
            return getActualTypeVariable(type.baseType);
          }
          if (type.flags & 8388608 && (type.objectType.flags & 33554432 || type.indexType.flags & 33554432)) {
            return getIndexedAccessType(getActualTypeVariable(type.objectType), getActualTypeVariable(type.indexType));
          }
          return type;
        }
        function isSimpleTupleType(node) {
          return isTupleTypeNode(node) && length(node.elements) > 0 && !some(node.elements, (e) => isOptionalTypeNode(e) || isRestTypeNode(e) || isNamedTupleMember(e) && !!(e.questionToken || e.dotDotDotToken));
        }
        function isDeferredType(type, checkTuples) {
          return isGenericType(type) || checkTuples && isTupleType(type) && some(getElementTypes(type), isGenericType);
        }
        function getConditionalType(root2, mapper, forConstraint, aliasSymbol, aliasTypeArguments) {
          let result;
          let extraTypes;
          let tailCount = 0;
          while (true) {
            if (tailCount === 1e3) {
              error2(currentNode, Diagnostics.Type_instantiation_is_excessively_deep_and_possibly_infinite);
              return errorType;
            }
            const checkType = instantiateType(getActualTypeVariable(root2.checkType), mapper);
            const extendsType = instantiateType(root2.extendsType, mapper);
            if (checkType === errorType || extendsType === errorType) {
              return errorType;
            }
            if (checkType === wildcardType || extendsType === wildcardType) {
              return wildcardType;
            }
            const checkTypeNode = skipTypeParentheses(root2.node.checkType);
            const extendsTypeNode = skipTypeParentheses(root2.node.extendsType);
            const checkTuples = isSimpleTupleType(checkTypeNode) && isSimpleTupleType(extendsTypeNode) && length(checkTypeNode.elements) === length(extendsTypeNode.elements);
            const checkTypeDeferred = isDeferredType(checkType, checkTuples);
            let combinedMapper;
            if (root2.inferTypeParameters) {
              const context = createInferenceContext(
                root2.inferTypeParameters,
                /*signature*/
                void 0,
                0
                /* None */
              );
              if (mapper) {
                context.nonFixingMapper = combineTypeMappers(context.nonFixingMapper, mapper);
              }
              if (!checkTypeDeferred) {
                inferTypes(
                  context.inferences,
                  checkType,
                  extendsType,
                  512 | 1024
                  /* AlwaysStrict */
                );
              }
              combinedMapper = mapper ? combineTypeMappers(context.mapper, mapper) : context.mapper;
            }
            const inferredExtendsType = combinedMapper ? instantiateType(root2.extendsType, combinedMapper) : extendsType;
            if (!checkTypeDeferred && !isDeferredType(inferredExtendsType, checkTuples)) {
              if (!(inferredExtendsType.flags & 3) && (checkType.flags & 1 || !isTypeAssignableTo(getPermissiveInstantiation(checkType), getPermissiveInstantiation(inferredExtendsType)))) {
                if (checkType.flags & 1 || forConstraint && !(inferredExtendsType.flags & 131072) && someType(getPermissiveInstantiation(inferredExtendsType), (t) => isTypeAssignableTo(t, getPermissiveInstantiation(checkType)))) {
                  (extraTypes || (extraTypes = [])).push(instantiateType(getTypeFromTypeNode(root2.node.trueType), combinedMapper || mapper));
                }
                const falseType2 = getTypeFromTypeNode(root2.node.falseType);
                if (falseType2.flags & 16777216) {
                  const newRoot = falseType2.root;
                  if (newRoot.node.parent === root2.node && (!newRoot.isDistributive || newRoot.checkType === root2.checkType)) {
                    root2 = newRoot;
                    continue;
                  }
                  if (canTailRecurse(falseType2, mapper)) {
                    continue;
                  }
                }
                result = instantiateType(falseType2, mapper);
                break;
              }
              if (inferredExtendsType.flags & 3 || isTypeAssignableTo(getRestrictiveInstantiation(checkType), getRestrictiveInstantiation(inferredExtendsType))) {
                const trueType2 = getTypeFromTypeNode(root2.node.trueType);
                const trueMapper = combinedMapper || mapper;
                if (canTailRecurse(trueType2, trueMapper)) {
                  continue;
                }
                result = instantiateType(trueType2, trueMapper);
                break;
              }
            }
            result = createType(
              16777216
              /* Conditional */
            );
            result.root = root2;
            result.checkType = instantiateType(root2.checkType, mapper);
            result.extendsType = instantiateType(root2.extendsType, mapper);
            result.mapper = mapper;
            result.combinedMapper = combinedMapper;
            result.aliasSymbol = aliasSymbol || root2.aliasSymbol;
            result.aliasTypeArguments = aliasSymbol ? aliasTypeArguments : instantiateTypes(root2.aliasTypeArguments, mapper);
            break;
          }
          return extraTypes ? getUnionType(append(extraTypes, result)) : result;
          function canTailRecurse(newType, newMapper) {
            if (newType.flags & 16777216 && newMapper) {
              const newRoot = newType.root;
              if (newRoot.outerTypeParameters) {
                const typeParamMapper = combineTypeMappers(newType.mapper, newMapper);
                const typeArguments = map(newRoot.outerTypeParameters, (t) => getMappedType(t, typeParamMapper));
                const newRootMapper = createTypeMapper(newRoot.outerTypeParameters, typeArguments);
                const newCheckType = newRoot.isDistributive ? getMappedType(newRoot.checkType, newRootMapper) : void 0;
                if (!newCheckType || newCheckType === newRoot.checkType || !(newCheckType.flags & (1048576 | 131072))) {
                  root2 = newRoot;
                  mapper = newRootMapper;
                  aliasSymbol = void 0;
                  aliasTypeArguments = void 0;
                  if (newRoot.aliasSymbol) {
                    tailCount++;
                  }
                  return true;
                }
              }
            }
            return false;
          }
        }
        function getTrueTypeFromConditionalType(type) {
          return type.resolvedTrueType || (type.resolvedTrueType = instantiateType(getTypeFromTypeNode(type.root.node.trueType), type.mapper));
        }
        function getFalseTypeFromConditionalType(type) {
          return type.resolvedFalseType || (type.resolvedFalseType = instantiateType(getTypeFromTypeNode(type.root.node.falseType), type.mapper));
        }
        function getInferredTrueTypeFromConditionalType(type) {
          return type.resolvedInferredTrueType || (type.resolvedInferredTrueType = type.combinedMapper ? instantiateType(getTypeFromTypeNode(type.root.node.trueType), type.combinedMapper) : getTrueTypeFromConditionalType(type));
        }
        function getInferTypeParameters(node) {
          let result;
          if (node.locals) {
            node.locals.forEach((symbol) => {
              if (symbol.flags & 262144) {
                result = append(result, getDeclaredTypeOfSymbol(symbol));
              }
            });
          }
          return result;
        }
        function isDistributionDependent(root2) {
          return root2.isDistributive && (isTypeParameterPossiblyReferenced(root2.checkType, root2.node.trueType) || isTypeParameterPossiblyReferenced(root2.checkType, root2.node.falseType));
        }
        function getTypeFromConditionalTypeNode(node) {
          const links = getNodeLinks(node);
          if (!links.resolvedType) {
            const checkType = getTypeFromTypeNode(node.checkType);
            const aliasSymbol = getAliasSymbolForTypeNode(node);
            const aliasTypeArguments = getTypeArgumentsForAliasSymbol(aliasSymbol);
            const allOuterTypeParameters = getOuterTypeParameters(
              node,
              /*includeThisTypes*/
              true
            );
            const outerTypeParameters = aliasTypeArguments ? allOuterTypeParameters : filter(allOuterTypeParameters, (tp) => isTypeParameterPossiblyReferenced(tp, node));
            const root2 = {
              node,
              checkType,
              extendsType: getTypeFromTypeNode(node.extendsType),
              isDistributive: !!(checkType.flags & 262144),
              inferTypeParameters: getInferTypeParameters(node),
              outerTypeParameters,
              instantiations: void 0,
              aliasSymbol,
              aliasTypeArguments
            };
            links.resolvedType = getConditionalType(
              root2,
              /*mapper*/
              void 0,
              /*forConstraint*/
              false
            );
            if (outerTypeParameters) {
              root2.instantiations = /* @__PURE__ */ new Map();
              root2.instantiations.set(getTypeListId(outerTypeParameters), links.resolvedType);
            }
          }
          return links.resolvedType;
        }
        function getTypeFromInferTypeNode(node) {
          const links = getNodeLinks(node);
          if (!links.resolvedType) {
            links.resolvedType = getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(node.typeParameter));
          }
          return links.resolvedType;
        }
        function getIdentifierChain(node) {
          if (isIdentifier(node)) {
            return [node];
          } else {
            return append(getIdentifierChain(node.left), node.right);
          }
        }
        function getTypeFromImportTypeNode(node) {
          var _a;
          const links = getNodeLinks(node);
          if (!links.resolvedType) {
            if (!isLiteralImportTypeNode(node)) {
              error2(node.argument, Diagnostics.String_literal_expected);
              links.resolvedSymbol = unknownSymbol;
              return links.resolvedType = errorType;
            }
            const targetMeaning = node.isTypeOf ? 111551 : node.flags & 16777216 ? 111551 | 788968 : 788968;
            const innerModuleSymbol = resolveExternalModuleName(node, node.argument.literal);
            if (!innerModuleSymbol) {
              links.resolvedSymbol = unknownSymbol;
              return links.resolvedType = errorType;
            }
            const isExportEquals = !!((_a = innerModuleSymbol.exports) == null ? void 0 : _a.get(
              "export="
              /* ExportEquals */
            ));
            const moduleSymbol = resolveExternalModuleSymbol(
              innerModuleSymbol,
              /*dontResolveAlias*/
              false
            );
            if (!nodeIsMissing(node.qualifier)) {
              const nameStack = getIdentifierChain(node.qualifier);
              let currentNamespace = moduleSymbol;
              let current;
              while (current = nameStack.shift()) {
                const meaning = nameStack.length ? 1920 : targetMeaning;
                const mergedResolvedSymbol = getMergedSymbol(resolveSymbol(currentNamespace));
                const symbolFromVariable = node.isTypeOf || isInJSFile(node) && isExportEquals ? getPropertyOfType(
                  getTypeOfSymbol(mergedResolvedSymbol),
                  current.escapedText,
                  /*skipObjectFunctionPropertyAugment*/
                  false,
                  /*includeTypeOnlyMembers*/
                  true
                ) : void 0;
                const symbolFromModule = node.isTypeOf ? void 0 : getSymbol2(getExportsOfSymbol(mergedResolvedSymbol), current.escapedText, meaning);
                const next = symbolFromModule ?? symbolFromVariable;
                if (!next) {
                  error2(current, Diagnostics.Namespace_0_has_no_exported_member_1, getFullyQualifiedName(currentNamespace), declarationNameToString(current));
                  return links.resolvedType = errorType;
                }
                getNodeLinks(current).resolvedSymbol = next;
                getNodeLinks(current.parent).resolvedSymbol = next;
                currentNamespace = next;
              }
              links.resolvedType = resolveImportSymbolType(node, links, currentNamespace, targetMeaning);
            } else {
              if (moduleSymbol.flags & targetMeaning) {
                links.resolvedType = resolveImportSymbolType(node, links, moduleSymbol, targetMeaning);
              } else {
                const errorMessage = targetMeaning === 111551 ? Diagnostics.Module_0_does_not_refer_to_a_value_but_is_used_as_a_value_here : Diagnostics.Module_0_does_not_refer_to_a_type_but_is_used_as_a_type_here_Did_you_mean_typeof_import_0;
                error2(node, errorMessage, node.argument.literal.text);
                links.resolvedSymbol = unknownSymbol;
                links.resolvedType = errorType;
              }
            }
          }
          return links.resolvedType;
        }
        function resolveImportSymbolType(node, links, symbol, meaning) {
          const resolvedSymbol = resolveSymbol(symbol);
          links.resolvedSymbol = resolvedSymbol;
          if (meaning === 111551) {
            return getInstantiationExpressionType(getTypeOfSymbol(symbol), node);
          } else {
            return getTypeReferenceType(node, resolvedSymbol);
          }
        }
        function getTypeFromTypeLiteralOrFunctionOrConstructorTypeNode(node) {
          const links = getNodeLinks(node);
          if (!links.resolvedType) {
            const aliasSymbol = getAliasSymbolForTypeNode(node);
            if (getMembersOfSymbol(node.symbol).size === 0 && !aliasSymbol) {
              links.resolvedType = emptyTypeLiteralType;
            } else {
              let type = createObjectType(16, node.symbol);
              type.aliasSymbol = aliasSymbol;
              type.aliasTypeArguments = getTypeArgumentsForAliasSymbol(aliasSymbol);
              if (isJSDocTypeLiteral(node) && node.isArrayType) {
                type = createArrayType(type);
              }
              links.resolvedType = type;
            }
          }
          return links.resolvedType;
        }
        function getAliasSymbolForTypeNode(node) {
          let host2 = node.parent;
          while (isParenthesizedTypeNode(host2) || isJSDocTypeExpression(host2) || isTypeOperatorNode(host2) && host2.operator === 148) {
            host2 = host2.parent;
          }
          return isTypeAlias(host2) ? getSymbolOfDeclaration(host2) : void 0;
        }
        function getTypeArgumentsForAliasSymbol(symbol) {
          return symbol ? getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol) : void 0;
        }
        function isNonGenericObjectType(type) {
          return !!(type.flags & 524288) && !isGenericMappedType(type);
        }
        function isEmptyObjectTypeOrSpreadsIntoEmptyObject(type) {
          return isEmptyObjectType(type) || !!(type.flags & (65536 | 32768 | 528 | 296 | 2112 | 402653316 | 1056 | 67108864 | 4194304));
        }
        function tryMergeUnionOfObjectTypeAndEmptyObject(type, readonly) {
          if (!(type.flags & 1048576)) {
            return type;
          }
          if (every(type.types, isEmptyObjectTypeOrSpreadsIntoEmptyObject)) {
            return find(type.types, isEmptyObjectType) || emptyObjectType;
          }
          const firstType = find(type.types, (t) => !isEmptyObjectTypeOrSpreadsIntoEmptyObject(t));
          if (!firstType) {
            return type;
          }
          const secondType = find(type.types, (t) => t !== firstType && !isEmptyObjectTypeOrSpreadsIntoEmptyObject(t));
          if (secondType) {
            return type;
          }
          return getAnonymousPartialType(firstType);
          function getAnonymousPartialType(type2) {
            const members = createSymbolTable();
            for (const prop of getPropertiesOfType(type2)) {
              if (getDeclarationModifierFlagsFromSymbol(prop) & (2 | 4)) {
              } else if (isSpreadableProperty(prop)) {
                const isSetonlyAccessor = prop.flags & 65536 && !(prop.flags & 32768);
                const flags = 4 | 16777216;
                const result = createSymbol(flags, prop.escapedName, getIsLateCheckFlag(prop) | (readonly ? 8 : 0));
                result.links.type = isSetonlyAccessor ? undefinedType2 : addOptionality(
                  getTypeOfSymbol(prop),
                  /*isProperty*/
                  true
                );
                result.declarations = prop.declarations;
                result.links.nameType = getSymbolLinks(prop).nameType;
                result.links.syntheticOrigin = prop;
                members.set(prop.escapedName, result);
              }
            }
            const spread = createAnonymousType(type2.symbol, members, emptyArray, emptyArray, getIndexInfosOfType(type2));
            spread.objectFlags |= 128 | 131072;
            return spread;
          }
        }
        function getSpreadType(left, right, symbol, objectFlags, readonly) {
          if (left.flags & 1 || right.flags & 1) {
            return anyType2;
          }
          if (left.flags & 2 || right.flags & 2) {
            return unknownType2;
          }
          if (left.flags & 131072) {
            return right;
          }
          if (right.flags & 131072) {
            return left;
          }
          left = tryMergeUnionOfObjectTypeAndEmptyObject(left, readonly);
          if (left.flags & 1048576) {
            return checkCrossProductUnion([left, right]) ? mapType2(left, (t) => getSpreadType(t, right, symbol, objectFlags, readonly)) : errorType;
          }
          right = tryMergeUnionOfObjectTypeAndEmptyObject(right, readonly);
          if (right.flags & 1048576) {
            return checkCrossProductUnion([left, right]) ? mapType2(right, (t) => getSpreadType(left, t, symbol, objectFlags, readonly)) : errorType;
          }
          if (right.flags & (528 | 296 | 2112 | 402653316 | 1056 | 67108864 | 4194304)) {
            return left;
          }
          if (isGenericObjectType(left) || isGenericObjectType(right)) {
            if (isEmptyObjectType(left)) {
              return right;
            }
            if (left.flags & 2097152) {
              const types = left.types;
              const lastLeft = types[types.length - 1];
              if (isNonGenericObjectType(lastLeft) && isNonGenericObjectType(right)) {
                return getIntersectionType(concatenate(types.slice(0, types.length - 1), [getSpreadType(lastLeft, right, symbol, objectFlags, readonly)]));
              }
            }
            return getIntersectionType([left, right]);
          }
          const members = createSymbolTable();
          const skippedPrivateMembers = /* @__PURE__ */ new Set();
          const indexInfos = left === emptyObjectType ? getIndexInfosOfType(right) : getUnionIndexInfos([left, right]);
          for (const rightProp of getPropertiesOfType(right)) {
            if (getDeclarationModifierFlagsFromSymbol(rightProp) & (2 | 4)) {
              skippedPrivateMembers.add(rightProp.escapedName);
            } else if (isSpreadableProperty(rightProp)) {
              members.set(rightProp.escapedName, getSpreadSymbol(rightProp, readonly));
            }
          }
          for (const leftProp of getPropertiesOfType(left)) {
            if (skippedPrivateMembers.has(leftProp.escapedName) || !isSpreadableProperty(leftProp)) {
              continue;
            }
            if (members.has(leftProp.escapedName)) {
              const rightProp = members.get(leftProp.escapedName);
              const rightType = getTypeOfSymbol(rightProp);
              if (rightProp.flags & 16777216) {
                const declarations = concatenate(leftProp.declarations, rightProp.declarations);
                const flags = 4 | leftProp.flags & 16777216;
                const result = createSymbol(flags, leftProp.escapedName);
                const leftType = getTypeOfSymbol(leftProp);
                const leftTypeWithoutUndefined = removeMissingOrUndefinedType(leftType);
                const rightTypeWithoutUndefined = removeMissingOrUndefinedType(rightType);
                result.links.type = leftTypeWithoutUndefined === rightTypeWithoutUndefined ? leftType : getUnionType(
                  [leftType, rightTypeWithoutUndefined],
                  2
                  /* Subtype */
                );
                result.links.leftSpread = leftProp;
                result.links.rightSpread = rightProp;
                result.declarations = declarations;
                result.links.nameType = getSymbolLinks(leftProp).nameType;
                members.set(leftProp.escapedName, result);
              }
            } else {
              members.set(leftProp.escapedName, getSpreadSymbol(leftProp, readonly));
            }
          }
          const spread = createAnonymousType(symbol, members, emptyArray, emptyArray, sameMap(indexInfos, (info) => getIndexInfoWithReadonly(info, readonly)));
          spread.objectFlags |= 128 | 131072 | 2097152 | objectFlags;
          return spread;
        }
        function isSpreadableProperty(prop) {
          var _a;
          return !some(prop.declarations, isPrivateIdentifierClassElementDeclaration) && (!(prop.flags & (8192 | 32768 | 65536)) || !((_a = prop.declarations) == null ? void 0 : _a.some((decl) => isClassLike(decl.parent))));
        }
        function getSpreadSymbol(prop, readonly) {
          const isSetonlyAccessor = prop.flags & 65536 && !(prop.flags & 32768);
          if (!isSetonlyAccessor && readonly === isReadonlySymbol(prop)) {
            return prop;
          }
          const flags = 4 | prop.flags & 16777216;
          const result = createSymbol(flags, prop.escapedName, getIsLateCheckFlag(prop) | (readonly ? 8 : 0));
          result.links.type = isSetonlyAccessor ? undefinedType2 : getTypeOfSymbol(prop);
          result.declarations = prop.declarations;
          result.links.nameType = getSymbolLinks(prop).nameType;
          result.links.syntheticOrigin = prop;
          return result;
        }
        function getIndexInfoWithReadonly(info, readonly) {
          return info.isReadonly !== readonly ? createIndexInfo(info.keyType, info.type, readonly, info.declaration) : info;
        }
        function createLiteralType(flags, value, symbol, regularType) {
          const type = createTypeWithSymbol(flags, symbol);
          type.value = value;
          type.regularType = regularType || type;
          return type;
        }
        function getFreshTypeOfLiteralType(type) {
          if (type.flags & 2976) {
            if (!type.freshType) {
              const freshType = createLiteralType(type.flags, type.value, type.symbol, type);
              freshType.freshType = freshType;
              type.freshType = freshType;
            }
            return type.freshType;
          }
          return type;
        }
        function getRegularTypeOfLiteralType(type) {
          return type.flags & 2976 ? type.regularType : type.flags & 1048576 ? type.regularType || (type.regularType = mapType2(type, getRegularTypeOfLiteralType)) : type;
        }
        function isFreshLiteralType(type) {
          return !!(type.flags & 2976) && type.freshType === type;
        }
        function getStringLiteralType(value) {
          let type;
          return stringLiteralTypes.get(value) || (stringLiteralTypes.set(value, type = createLiteralType(128, value)), type);
        }
        function getNumberLiteralType(value) {
          let type;
          return numberLiteralTypes.get(value) || (numberLiteralTypes.set(value, type = createLiteralType(256, value)), type);
        }
        function getBigIntLiteralType(value) {
          let type;
          const key = pseudoBigIntToString(value);
          return bigIntLiteralTypes.get(key) || (bigIntLiteralTypes.set(key, type = createLiteralType(2048, value)), type);
        }
        function getEnumLiteralType(value, enumId, symbol) {
          let type;
          const key = `${enumId}${typeof value === "string" ? "@" : "#"}${value}`;
          const flags = 1024 | (typeof value === "string" ? 128 : 256);
          return enumLiteralTypes.get(key) || (enumLiteralTypes.set(key, type = createLiteralType(flags, value, symbol)), type);
        }
        function getTypeFromLiteralTypeNode(node) {
          if (node.literal.kind === 106) {
            return nullType2;
          }
          const links = getNodeLinks(node);
          if (!links.resolvedType) {
            links.resolvedType = getRegularTypeOfLiteralType(checkExpression(node.literal));
          }
          return links.resolvedType;
        }
        function createUniqueESSymbolType(symbol) {
          const type = createTypeWithSymbol(8192, symbol);
          type.escapedName = `__@${type.symbol.escapedName}@${getSymbolId(type.symbol)}`;
          return type;
        }
        function getESSymbolLikeTypeForNode(node) {
          if (isInJSFile(node) && isJSDocTypeExpression(node)) {
            const host2 = getJSDocHost(node);
            if (host2) {
              node = getSingleVariableOfVariableStatement(host2) || host2;
            }
          }
          if (isValidESSymbolDeclaration(node)) {
            const symbol = isCommonJsExportPropertyAssignment(node) ? getSymbolOfNode(node.left) : getSymbolOfNode(node);
            if (symbol) {
              const links = getSymbolLinks(symbol);
              return links.uniqueESSymbolType || (links.uniqueESSymbolType = createUniqueESSymbolType(symbol));
            }
          }
          return esSymbolType;
        }
        function getThisType(node) {
          const container = getThisContainer(
            node,
            /*includeArrowFunctions*/
            false,
            /*includeClassComputedPropertyName*/
            false
          );
          const parent2 = container && container.parent;
          if (parent2 && (isClassLike(parent2) || parent2.kind === 264)) {
            if (!isStatic(container) && (!isConstructorDeclaration(container) || isNodeDescendantOf(node, container.body))) {
              return getDeclaredTypeOfClassOrInterface(getSymbolOfDeclaration(parent2)).thisType;
            }
          }
          if (parent2 && isObjectLiteralExpression(parent2) && isBinaryExpression(parent2.parent) && getAssignmentDeclarationKind(parent2.parent) === 6) {
            return getDeclaredTypeOfClassOrInterface(getSymbolOfNode(parent2.parent.left).parent).thisType;
          }
          const host2 = node.flags & 16777216 ? getHostSignatureFromJSDoc(node) : void 0;
          if (host2 && isFunctionExpression(host2) && isBinaryExpression(host2.parent) && getAssignmentDeclarationKind(host2.parent) === 3) {
            return getDeclaredTypeOfClassOrInterface(getSymbolOfNode(host2.parent.left).parent).thisType;
          }
          if (isJSConstructor(container) && isNodeDescendantOf(node, container.body)) {
            return getDeclaredTypeOfClassOrInterface(getSymbolOfDeclaration(container)).thisType;
          }
          error2(node, Diagnostics.A_this_type_is_available_only_in_a_non_static_member_of_a_class_or_interface);
          return errorType;
        }
        function getTypeFromThisTypeNode(node) {
          const links = getNodeLinks(node);
          if (!links.resolvedType) {
            links.resolvedType = getThisType(node);
          }
          return links.resolvedType;
        }
        function getTypeFromRestTypeNode(node) {
          return getTypeFromTypeNode(getArrayElementTypeNode(node.type) || node.type);
        }
        function getArrayElementTypeNode(node) {
          switch (node.kind) {
            case 196:
              return getArrayElementTypeNode(node.type);
            case 189:
              if (node.elements.length === 1) {
                node = node.elements[0];
                if (node.kind === 191 || node.kind === 202 && node.dotDotDotToken) {
                  return getArrayElementTypeNode(node.type);
                }
              }
              break;
            case 188:
              return node.elementType;
          }
          return void 0;
        }
        function getTypeFromNamedTupleTypeNode(node) {
          const links = getNodeLinks(node);
          return links.resolvedType || (links.resolvedType = node.dotDotDotToken ? getTypeFromRestTypeNode(node) : addOptionality(
            getTypeFromTypeNode(node.type),
            /*isProperty*/
            true,
            !!node.questionToken
          ));
        }
        function getTypeFromTypeNode(node) {
          return getConditionalFlowTypeOfType(getTypeFromTypeNodeWorker(node), node);
        }
        function getTypeFromTypeNodeWorker(node) {
          switch (node.kind) {
            case 133:
            case 312:
            case 313:
              return anyType2;
            case 159:
              return unknownType2;
            case 154:
              return stringType2;
            case 150:
              return numberType2;
            case 163:
              return bigintType;
            case 136:
              return booleanType2;
            case 155:
              return esSymbolType;
            case 116:
              return voidType2;
            case 157:
              return undefinedType2;
            case 106:
              return nullType2;
            case 146:
              return neverType2;
            case 151:
              return node.flags & 524288 && !noImplicitAny ? anyType2 : nonPrimitiveType;
            case 141:
              return intrinsicMarkerType;
            case 197:
            case 110:
              return getTypeFromThisTypeNode(node);
            case 201:
              return getTypeFromLiteralTypeNode(node);
            case 183:
              return getTypeFromTypeReference(node);
            case 182:
              return node.assertsModifier ? voidType2 : booleanType2;
            case 233:
              return getTypeFromTypeReference(node);
            case 186:
              return getTypeFromTypeQueryNode(node);
            case 188:
            case 189:
              return getTypeFromArrayOrTupleTypeNode(node);
            case 190:
              return getTypeFromOptionalTypeNode(node);
            case 192:
              return getTypeFromUnionTypeNode(node);
            case 193:
              return getTypeFromIntersectionTypeNode(node);
            case 314:
              return getTypeFromJSDocNullableTypeNode(node);
            case 316:
              return addOptionality(getTypeFromTypeNode(node.type));
            case 202:
              return getTypeFromNamedTupleTypeNode(node);
            case 196:
            case 315:
            case 309:
              return getTypeFromTypeNode(node.type);
            case 191:
              return getTypeFromRestTypeNode(node);
            case 318:
              return getTypeFromJSDocVariadicType(node);
            case 184:
            case 185:
            case 187:
            case 322:
            case 317:
            case 323:
              return getTypeFromTypeLiteralOrFunctionOrConstructorTypeNode(node);
            case 198:
              return getTypeFromTypeOperatorNode(node);
            case 199:
              return getTypeFromIndexedAccessTypeNode(node);
            case 200:
              return getTypeFromMappedTypeNode(node);
            case 194:
              return getTypeFromConditionalTypeNode(node);
            case 195:
              return getTypeFromInferTypeNode(node);
            case 203:
              return getTypeFromTemplateTypeNode(node);
            case 205:
              return getTypeFromImportTypeNode(node);
            case 80:
            case 166:
            case 211:
              const symbol = getSymbolAtLocation(node);
              return symbol ? getDeclaredTypeOfSymbol(symbol) : errorType;
            default:
              return errorType;
          }
        }
        function instantiateList(items, mapper, instantiator) {
          if (items && items.length) {
            for (let i = 0; i < items.length; i++) {
              const item = items[i];
              const mapped = instantiator(item, mapper);
              if (item !== mapped) {
                const result = i === 0 ? [] : items.slice(0, i);
                result.push(mapped);
                for (i++; i < items.length; i++) {
                  result.push(instantiator(items[i], mapper));
                }
                return result;
              }
            }
          }
          return items;
        }
        function instantiateTypes(types, mapper) {
          return instantiateList(types, mapper, instantiateType);
        }
        function instantiateSignatures(signatures, mapper) {
          return instantiateList(signatures, mapper, instantiateSignature);
        }
        function instantiateIndexInfos(indexInfos, mapper) {
          return instantiateList(indexInfos, mapper, instantiateIndexInfo);
        }
        function createTypeMapper(sources, targets) {
          return sources.length === 1 ? makeUnaryTypeMapper(sources[0], targets ? targets[0] : anyType2) : makeArrayTypeMapper(sources, targets);
        }
        function getMappedType(type, mapper) {
          switch (mapper.kind) {
            case 0:
              return type === mapper.source ? mapper.target : type;
            case 1: {
              const sources = mapper.sources;
              const targets = mapper.targets;
              for (let i = 0; i < sources.length; i++) {
                if (type === sources[i]) {
                  return targets ? targets[i] : anyType2;
                }
              }
              return type;
            }
            case 2: {
              const sources = mapper.sources;
              const targets = mapper.targets;
              for (let i = 0; i < sources.length; i++) {
                if (type === sources[i]) {
                  return targets[i]();
                }
              }
              return type;
            }
            case 3:
              return mapper.func(type);
            case 4:
            case 5:
              const t1 = getMappedType(type, mapper.mapper1);
              return t1 !== type && mapper.kind === 4 ? instantiateType(t1, mapper.mapper2) : getMappedType(t1, mapper.mapper2);
          }
        }
        function makeUnaryTypeMapper(source, target) {
          return Debug.attachDebugPrototypeIfDebug({ kind: 0, source, target });
        }
        function makeArrayTypeMapper(sources, targets) {
          return Debug.attachDebugPrototypeIfDebug({ kind: 1, sources, targets });
        }
        function makeFunctionTypeMapper(func, debugInfo) {
          return Debug.attachDebugPrototypeIfDebug({ kind: 3, func, debugInfo: Debug.isDebugging ? debugInfo : void 0 });
        }
        function makeDeferredTypeMapper(sources, targets) {
          return Debug.attachDebugPrototypeIfDebug({ kind: 2, sources, targets });
        }
        function makeCompositeTypeMapper(kind, mapper1, mapper2) {
          return Debug.attachDebugPrototypeIfDebug({ kind, mapper1, mapper2 });
        }
        function createTypeEraser(sources) {
          return createTypeMapper(
            sources,
            /*targets*/
            void 0
          );
        }
        function createBackreferenceMapper(context, index) {
          const forwardInferences = context.inferences.slice(index);
          return createTypeMapper(map(forwardInferences, (i) => i.typeParameter), map(forwardInferences, () => unknownType2));
        }
        function combineTypeMappers(mapper1, mapper2) {
          return mapper1 ? makeCompositeTypeMapper(4, mapper1, mapper2) : mapper2;
        }
        function mergeTypeMappers(mapper1, mapper2) {
          return mapper1 ? makeCompositeTypeMapper(5, mapper1, mapper2) : mapper2;
        }
        function prependTypeMapping(source, target, mapper) {
          return !mapper ? makeUnaryTypeMapper(source, target) : makeCompositeTypeMapper(5, makeUnaryTypeMapper(source, target), mapper);
        }
        function appendTypeMapping(mapper, source, target) {
          return !mapper ? makeUnaryTypeMapper(source, target) : makeCompositeTypeMapper(5, mapper, makeUnaryTypeMapper(source, target));
        }
        function getRestrictiveTypeParameter(tp) {
          return !tp.constraint && !getConstraintDeclaration(tp) || tp.constraint === noConstraintType ? tp : tp.restrictiveInstantiation || (tp.restrictiveInstantiation = createTypeParameter(tp.symbol), tp.restrictiveInstantiation.constraint = noConstraintType, tp.restrictiveInstantiation);
        }
        function cloneTypeParameter(typeParameter) {
          const result = createTypeParameter(typeParameter.symbol);
          result.target = typeParameter;
          return result;
        }
        function instantiateTypePredicate(predicate, mapper) {
          return createTypePredicate(predicate.kind, predicate.parameterName, predicate.parameterIndex, instantiateType(predicate.type, mapper));
        }
        function instantiateSignature(signature, mapper, eraseTypeParameters) {
          let freshTypeParameters;
          if (signature.typeParameters && !eraseTypeParameters) {
            freshTypeParameters = map(signature.typeParameters, cloneTypeParameter);
            mapper = combineTypeMappers(createTypeMapper(signature.typeParameters, freshTypeParameters), mapper);
            for (const tp of freshTypeParameters) {
              tp.mapper = mapper;
            }
          }
          const result = createSignature(
            signature.declaration,
            freshTypeParameters,
            signature.thisParameter && instantiateSymbol(signature.thisParameter, mapper),
            instantiateList(signature.parameters, mapper, instantiateSymbol),
            /*resolvedReturnType*/
            void 0,
            /*resolvedTypePredicate*/
            void 0,
            signature.minArgumentCount,
            signature.flags & 167
            /* PropagatingFlags */
          );
          result.target = signature;
          result.mapper = mapper;
          return result;
        }
        function instantiateSymbol(symbol, mapper) {
          const links = getSymbolLinks(symbol);
          if (links.type && !couldContainTypeVariables(links.type)) {
            if (!(symbol.flags & 65536)) {
              return symbol;
            }
            if (links.writeType && !couldContainTypeVariables(links.writeType)) {
              return symbol;
            }
          }
          if (getCheckFlags(symbol) & 1) {
            symbol = links.target;
            mapper = combineTypeMappers(links.mapper, mapper);
          }
          const result = createSymbol(symbol.flags, symbol.escapedName, 1 | getCheckFlags(symbol) & (8 | 4096 | 16384 | 32768));
          result.declarations = symbol.declarations;
          result.parent = symbol.parent;
          result.links.target = symbol;
          result.links.mapper = mapper;
          if (symbol.valueDeclaration) {
            result.valueDeclaration = symbol.valueDeclaration;
          }
          if (links.nameType) {
            result.links.nameType = links.nameType;
          }
          return result;
        }
        function getObjectTypeInstantiation(type, mapper, aliasSymbol, aliasTypeArguments) {
          const declaration = type.objectFlags & 4 ? type.node : type.objectFlags & 8388608 ? type.node : type.symbol.declarations[0];
          const links = getNodeLinks(declaration);
          const target = type.objectFlags & 4 ? links.resolvedType : type.objectFlags & 64 ? type.target : type;
          let typeParameters = type.objectFlags & 134217728 ? type.outerTypeParameters : links.outerTypeParameters;
          if (!typeParameters) {
            let outerTypeParameters = getOuterTypeParameters(
              declaration,
              /*includeThisTypes*/
              true
            );
            if (isJSConstructor(declaration)) {
              const templateTagParameters = getTypeParametersFromDeclaration(declaration);
              outerTypeParameters = addRange(outerTypeParameters, templateTagParameters);
            }
            typeParameters = outerTypeParameters || emptyArray;
            const allDeclarations = type.objectFlags & (4 | 8388608) ? [declaration] : type.symbol.declarations;
            typeParameters = (target.objectFlags & (4 | 8388608) || target.symbol.flags & 8192 || target.symbol.flags & 2048) && !target.aliasTypeArguments ? filter(typeParameters, (tp) => some(allDeclarations, (d) => isTypeParameterPossiblyReferenced(tp, d))) : typeParameters;
            links.outerTypeParameters = typeParameters;
          }
          if (typeParameters.length) {
            const combinedMapper = combineTypeMappers(type.mapper, mapper);
            const typeArguments = map(typeParameters, (t) => getMappedType(t, combinedMapper));
            const newAliasSymbol = aliasSymbol || type.aliasSymbol;
            const newAliasTypeArguments = aliasSymbol ? aliasTypeArguments : instantiateTypes(type.aliasTypeArguments, mapper);
            const id = (type.objectFlags & 134217728 ? "S" : "") + getTypeListId(typeArguments) + getAliasId(newAliasSymbol, newAliasTypeArguments);
            if (!target.instantiations) {
              target.instantiations = /* @__PURE__ */ new Map();
              target.instantiations.set(getTypeListId(typeParameters) + getAliasId(target.aliasSymbol, target.aliasTypeArguments), target);
            }
            let result = target.instantiations.get(id);
            if (!result) {
              if (type.objectFlags & 134217728) {
                result = instantiateAnonymousType(type, mapper);
                target.instantiations.set(id, result);
                return result;
              }
              const newMapper = createTypeMapper(typeParameters, typeArguments);
              result = target.objectFlags & 4 ? createDeferredTypeReference(type.target, type.node, newMapper, newAliasSymbol, newAliasTypeArguments) : target.objectFlags & 32 ? instantiateMappedType(target, newMapper, newAliasSymbol, newAliasTypeArguments) : instantiateAnonymousType(target, newMapper, newAliasSymbol, newAliasTypeArguments);
              target.instantiations.set(id, result);
              const resultObjectFlags = getObjectFlags(result);
              if (result.flags & 3899393 && !(resultObjectFlags & 524288)) {
                const resultCouldContainTypeVariables = some(typeArguments, couldContainTypeVariables);
                if (!(getObjectFlags(result) & 524288)) {
                  if (resultObjectFlags & (32 | 16 | 4)) {
                    result.objectFlags |= 524288 | (resultCouldContainTypeVariables ? 1048576 : 0);
                  } else {
                    result.objectFlags |= !resultCouldContainTypeVariables ? 524288 : 0;
                  }
                }
              }
            }
            return result;
          }
          return type;
        }
        function maybeTypeParameterReference(node) {
          return !(node.parent.kind === 183 && node.parent.typeArguments && node === node.parent.typeName || node.parent.kind === 205 && node.parent.typeArguments && node === node.parent.qualifier);
        }
        function isTypeParameterPossiblyReferenced(tp, node) {
          if (tp.symbol && tp.symbol.declarations && tp.symbol.declarations.length === 1) {
            const container = tp.symbol.declarations[0].parent;
            for (let n = node; n !== container; n = n.parent) {
              if (!n || n.kind === 241 || n.kind === 194 && forEachChild(n.extendsType, containsReference)) {
                return true;
              }
            }
            return containsReference(node);
          }
          return true;
          function containsReference(node2) {
            switch (node2.kind) {
              case 197:
                return !!tp.isThisType;
              case 80:
                return !tp.isThisType && isPartOfTypeNode(node2) && maybeTypeParameterReference(node2) && getTypeFromTypeNodeWorker(node2) === tp;
              case 186:
                const entityName = node2.exprName;
                const firstIdentifier = getFirstIdentifier(entityName);
                if (!isThisIdentifier(firstIdentifier)) {
                  const firstIdentifierSymbol = getResolvedSymbol(firstIdentifier);
                  const tpDeclaration = tp.symbol.declarations[0];
                  const tpScope = tpDeclaration.kind === 168 ? tpDeclaration.parent : (
                    // Type parameter is a regular type parameter, e.g. foo
                    tp.isThisType ? tpDeclaration : (
                      // Type parameter is the this type, and its declaration is the class declaration.
                      void 0
                    )
                  );
                  if (firstIdentifierSymbol.declarations && tpScope) {
                    return some(firstIdentifierSymbol.declarations, (idDecl) => isNodeDescendantOf(idDecl, tpScope)) || some(node2.typeArguments, containsReference);
                  }
                }
                return true;
              case 174:
              case 173:
                return !node2.type && !!node2.body || some(node2.typeParameters, containsReference) || some(node2.parameters, containsReference) || !!node2.type && containsReference(node2.type);
            }
            return !!forEachChild(node2, containsReference);
          }
        }
        function getHomomorphicTypeVariable(type) {
          const constraintType = getConstraintTypeFromMappedType(type);
          if (constraintType.flags & 4194304) {
            const typeVariable = getActualTypeVariable(constraintType.type);
            if (typeVariable.flags & 262144) {
              return typeVariable;
            }
          }
          return void 0;
        }
        function instantiateMappedType(type, mapper, aliasSymbol, aliasTypeArguments) {
          const typeVariable = getHomomorphicTypeVariable(type);
          if (typeVariable) {
            const mappedTypeVariable = instantiateType(typeVariable, mapper);
            if (typeVariable !== mappedTypeVariable) {
              return mapTypeWithAlias(getReducedType(mappedTypeVariable), instantiateConstituent, aliasSymbol, aliasTypeArguments);
            }
          }
          return instantiateType(getConstraintTypeFromMappedType(type), mapper) === wildcardType ? wildcardType : instantiateAnonymousType(type, mapper, aliasSymbol, aliasTypeArguments);
          function instantiateConstituent(t) {
            if (t.flags & (3 | 58982400 | 524288 | 2097152) && t !== wildcardType && !isErrorType(t)) {
              if (!type.declaration.nameType) {
                let constraint;
                if (isArrayType(t) || t.flags & 1 && findResolutionCycleStartIndex(
                  typeVariable,
                  4
                  /* ImmediateBaseConstraint */
                ) < 0 && (constraint = getConstraintOfTypeParameter(typeVariable)) && everyType(constraint, isArrayOrTupleType)) {
                  return instantiateMappedArrayType(t, type, prependTypeMapping(typeVariable, t, mapper));
                }
                if (isTupleType(t)) {
                  return instantiateMappedTupleType(t, type, typeVariable, mapper);
                }
                if (isArrayOrTupleOrIntersection(t)) {
                  return getIntersectionType(map(t.types, instantiateConstituent));
                }
              }
              return instantiateAnonymousType(type, prependTypeMapping(typeVariable, t, mapper));
            }
            return t;
          }
        }
        function getModifiedReadonlyState(state, modifiers) {
          return modifiers & 1 ? true : modifiers & 2 ? false : state;
        }
        function instantiateMappedTupleType(tupleType2, mappedType, typeVariable, mapper) {
          const elementFlags = tupleType2.target.elementFlags;
          const fixedLength = tupleType2.target.fixedLength;
          const fixedMapper = fixedLength ? prependTypeMapping(typeVariable, tupleType2, mapper) : mapper;
          const newElementTypes = map(getElementTypes(tupleType2), (type, i) => {
            const flags = elementFlags[i];
            return i < fixedLength ? instantiateMappedTypeTemplate(mappedType, getStringLiteralType("" + i), !!(flags & 2), fixedMapper) : flags & 8 ? instantiateType(mappedType, prependTypeMapping(typeVariable, type, mapper)) : getElementTypeOfArrayType(instantiateType(mappedType, prependTypeMapping(typeVariable, createArrayType(type), mapper))) ?? unknownType2;
          });
          const modifiers = getMappedTypeModifiers(mappedType);
          const newElementFlags = modifiers & 4 ? map(elementFlags, (f) => f & 1 ? 2 : f) : modifiers & 8 ? map(elementFlags, (f) => f & 2 ? 1 : f) : elementFlags;
          const newReadonly = getModifiedReadonlyState(tupleType2.target.readonly, getMappedTypeModifiers(mappedType));
          return contains(newElementTypes, errorType) ? errorType : createTupleType(newElementTypes, newElementFlags, newReadonly, tupleType2.target.labeledElementDeclarations);
        }
        function instantiateMappedArrayType(arrayType2, mappedType, mapper) {
          const elementType = instantiateMappedTypeTemplate(
            mappedType,
            numberType2,
            /*isOptional*/
            true,
            mapper
          );
          return isErrorType(elementType) ? errorType : createArrayType(elementType, getModifiedReadonlyState(isReadonlyArrayType(arrayType2), getMappedTypeModifiers(mappedType)));
        }
        function instantiateMappedTypeTemplate(type, key, isOptional, mapper) {
          const templateMapper = appendTypeMapping(mapper, getTypeParameterFromMappedType(type), key);
          const propType = instantiateType(getTemplateTypeFromMappedType(type.target || type), templateMapper);
          const modifiers = getMappedTypeModifiers(type);
          return strictNullChecks && modifiers & 4 && !maybeTypeOfKind(
            propType,
            32768 | 16384
            /* Void */
          ) ? getOptionalType(
            propType,
            /*isProperty*/
            true
          ) : strictNullChecks && modifiers & 8 && isOptional ? getTypeWithFacts(
            propType,
            524288
            /* NEUndefined */
          ) : propType;
        }
        function instantiateAnonymousType(type, mapper, aliasSymbol, aliasTypeArguments) {
          Debug.assert(type.symbol, "anonymous type must have symbol to be instantiated");
          const result = createObjectType(type.objectFlags & ~(524288 | 1048576) | 64, type.symbol);
          if (type.objectFlags & 32) {
            result.declaration = type.declaration;
            const origTypeParameter = getTypeParameterFromMappedType(type);
            const freshTypeParameter = cloneTypeParameter(origTypeParameter);
            result.typeParameter = freshTypeParameter;
            mapper = combineTypeMappers(makeUnaryTypeMapper(origTypeParameter, freshTypeParameter), mapper);
            freshTypeParameter.mapper = mapper;
          }
          if (type.objectFlags & 8388608) {
            result.node = type.node;
          }
          if (type.objectFlags & 134217728) {
            result.outerTypeParameters = type.outerTypeParameters;
          }
          result.target = type;
          result.mapper = mapper;
          result.aliasSymbol = aliasSymbol || type.aliasSymbol;
          result.aliasTypeArguments = aliasSymbol ? aliasTypeArguments : instantiateTypes(type.aliasTypeArguments, mapper);
          result.objectFlags |= result.aliasTypeArguments ? getPropagatingFlagsOfTypes(result.aliasTypeArguments) : 0;
          return result;
        }
        function getConditionalTypeInstantiation(type, mapper, forConstraint, aliasSymbol, aliasTypeArguments) {
          const root2 = type.root;
          if (root2.outerTypeParameters) {
            const typeArguments = map(root2.outerTypeParameters, (t) => getMappedType(t, mapper));
            const id = (forConstraint ? "C" : "") + getTypeListId(typeArguments) + getAliasId(aliasSymbol, aliasTypeArguments);
            let result = root2.instantiations.get(id);
            if (!result) {
              const newMapper = createTypeMapper(root2.outerTypeParameters, typeArguments);
              const checkType = root2.checkType;
              const distributionType = root2.isDistributive ? getReducedType(getMappedType(checkType, newMapper)) : void 0;
              result = distributionType && checkType !== distributionType && distributionType.flags & (1048576 | 131072) ? mapTypeWithAlias(distributionType, (t) => getConditionalType(root2, prependTypeMapping(checkType, t, newMapper), forConstraint), aliasSymbol, aliasTypeArguments) : getConditionalType(root2, newMapper, forConstraint, aliasSymbol, aliasTypeArguments);
              root2.instantiations.set(id, result);
            }
            return result;
          }
          return type;
        }
        function instantiateType(type, mapper) {
          return type && mapper ? instantiateTypeWithAlias(
            type,
            mapper,
            /*aliasSymbol*/
            void 0,
            /*aliasTypeArguments*/
            void 0
          ) : type;
        }
        function instantiateTypeWithAlias(type, mapper, aliasSymbol, aliasTypeArguments) {
          var _a;
          if (!couldContainTypeVariables(type)) {
            return type;
          }
          if (instantiationDepth === 100 || instantiationCount >= 5e6) {
            (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.CheckTypes, "instantiateType_DepthLimit", { typeId: type.id, instantiationDepth, instantiationCount });
            error2(currentNode, Diagnostics.Type_instantiation_is_excessively_deep_and_possibly_infinite);
            return errorType;
          }
          totalInstantiationCount++;
          instantiationCount++;
          instantiationDepth++;
          const result = instantiateTypeWorker(type, mapper, aliasSymbol, aliasTypeArguments);
          instantiationDepth--;
          return result;
        }
        function instantiateTypeWorker(type, mapper, aliasSymbol, aliasTypeArguments) {
          const flags = type.flags;
          if (flags & 262144) {
            return getMappedType(type, mapper);
          }
          if (flags & 524288) {
            const objectFlags = type.objectFlags;
            if (objectFlags & (4 | 16 | 32)) {
              if (objectFlags & 4 && !type.node) {
                const resolvedTypeArguments = type.resolvedTypeArguments;
                const newTypeArguments = instantiateTypes(resolvedTypeArguments, mapper);
                return newTypeArguments !== resolvedTypeArguments ? createNormalizedTypeReference(type.target, newTypeArguments) : type;
              }
              if (objectFlags & 1024) {
                return instantiateReverseMappedType(type, mapper);
              }
              return getObjectTypeInstantiation(type, mapper, aliasSymbol, aliasTypeArguments);
            }
            return type;
          }
          if (flags & 3145728) {
            const origin = type.flags & 1048576 ? type.origin : void 0;
            const types = origin && origin.flags & 3145728 ? origin.types : type.types;
            const newTypes = instantiateTypes(types, mapper);
            if (newTypes === types && aliasSymbol === type.aliasSymbol) {
              return type;
            }
            const newAliasSymbol = aliasSymbol || type.aliasSymbol;
            const newAliasTypeArguments = aliasSymbol ? aliasTypeArguments : instantiateTypes(type.aliasTypeArguments, mapper);
            return flags & 2097152 || origin && origin.flags & 2097152 ? getIntersectionType(newTypes, 0, newAliasSymbol, newAliasTypeArguments) : getUnionType(newTypes, 1, newAliasSymbol, newAliasTypeArguments);
          }
          if (flags & 4194304) {
            return getIndexType(instantiateType(type.type, mapper));
          }
          if (flags & 134217728) {
            return getTemplateLiteralType(type.texts, instantiateTypes(type.types, mapper));
          }
          if (flags & 268435456) {
            return getStringMappingType(type.symbol, instantiateType(type.type, mapper));
          }
          if (flags & 8388608) {
            const newAliasSymbol = aliasSymbol || type.aliasSymbol;
            const newAliasTypeArguments = aliasSymbol ? aliasTypeArguments : instantiateTypes(type.aliasTypeArguments, mapper);
            return getIndexedAccessType(
              instantiateType(type.objectType, mapper),
              instantiateType(type.indexType, mapper),
              type.accessFlags,
              /*accessNode*/
              void 0,
              newAliasSymbol,
              newAliasTypeArguments
            );
          }
          if (flags & 16777216) {
            return getConditionalTypeInstantiation(
              type,
              combineTypeMappers(type.mapper, mapper),
              /*forConstraint*/
              false,
              aliasSymbol,
              aliasTypeArguments
            );
          }
          if (flags & 33554432) {
            const newBaseType = instantiateType(type.baseType, mapper);
            if (isNoInferType(type)) {
              return getNoInferType(newBaseType);
            }
            const newConstraint = instantiateType(type.constraint, mapper);
            if (newBaseType.flags & 8650752 && isGenericType(newConstraint)) {
              return getSubstitutionType(newBaseType, newConstraint);
            }
            if (newConstraint.flags & 3 || isTypeAssignableTo(getRestrictiveInstantiation(newBaseType), getRestrictiveInstantiation(newConstraint))) {
              return newBaseType;
            }
            return newBaseType.flags & 8650752 ? getSubstitutionType(newBaseType, newConstraint) : getIntersectionType([newConstraint, newBaseType]);
          }
          return type;
        }
        function instantiateReverseMappedType(type, mapper) {
          const innerMappedType = instantiateType(type.mappedType, mapper);
          if (!(getObjectFlags(innerMappedType) & 32)) {
            return type;
          }
          const innerIndexType = instantiateType(type.constraintType, mapper);
          if (!(innerIndexType.flags & 4194304)) {
            return type;
          }
          const instantiated = inferTypeForHomomorphicMappedType(
            instantiateType(type.source, mapper),
            innerMappedType,
            innerIndexType
          );
          if (instantiated) {
            return instantiated;
          }
          return type;
        }
        function getPermissiveInstantiation(type) {
          return type.flags & (402784252 | 3 | 131072) ? type : type.permissiveInstantiation || (type.permissiveInstantiation = instantiateType(type, permissiveMapper));
        }
        function getRestrictiveInstantiation(type) {
          if (type.flags & (402784252 | 3 | 131072)) {
            return type;
          }
          if (type.restrictiveInstantiation) {
            return type.restrictiveInstantiation;
          }
          type.restrictiveInstantiation = instantiateType(type, restrictiveMapper);
          type.restrictiveInstantiation.restrictiveInstantiation = type.restrictiveInstantiation;
          return type.restrictiveInstantiation;
        }
        function instantiateIndexInfo(info, mapper) {
          return createIndexInfo(info.keyType, instantiateType(info.type, mapper), info.isReadonly, info.declaration);
        }
        function isContextSensitive(node) {
          Debug.assert(node.kind !== 174 || isObjectLiteralMethod(node));
          switch (node.kind) {
            case 218:
            case 219:
            case 174:
            case 262:
              return isContextSensitiveFunctionLikeDeclaration(node);
            case 210:
              return some(node.properties, isContextSensitive);
            case 209:
              return some(node.elements, isContextSensitive);
            case 227:
              return isContextSensitive(node.whenTrue) || isContextSensitive(node.whenFalse);
            case 226:
              return (node.operatorToken.kind === 57 || node.operatorToken.kind === 61) && (isContextSensitive(node.left) || isContextSensitive(node.right));
            case 303:
              return isContextSensitive(node.initializer);
            case 217:
              return isContextSensitive(node.expression);
            case 292:
              return some(node.properties, isContextSensitive) || isJsxOpeningElement(node.parent) && some(node.parent.parent.children, isContextSensitive);
            case 291: {
              const { initializer } = node;
              return !!initializer && isContextSensitive(initializer);
            }
            case 294: {
              const { expression } = node;
              return !!expression && isContextSensitive(expression);
            }
          }
          return false;
        }
        function isContextSensitiveFunctionLikeDeclaration(node) {
          return hasContextSensitiveParameters(node) || hasContextSensitiveReturnExpression(node);
        }
        function hasContextSensitiveReturnExpression(node) {
          if (node.typeParameters || getEffectiveReturnTypeNode(node) || !node.body) {
            return false;
          }
          if (node.body.kind !== 241) {
            return isContextSensitive(node.body);
          }
          return !!forEachReturnStatement(node.body, (statement) => !!statement.expression && isContextSensitive(statement.expression));
        }
        function isContextSensitiveFunctionOrObjectLiteralMethod(func) {
          return (isFunctionExpressionOrArrowFunction(func) || isObjectLiteralMethod(func)) && isContextSensitiveFunctionLikeDeclaration(func);
        }
        function getTypeWithoutSignatures(type) {
          if (type.flags & 524288) {
            const resolved = resolveStructuredTypeMembers(type);
            if (resolved.constructSignatures.length || resolved.callSignatures.length) {
              const result = createObjectType(16, type.symbol);
              result.members = resolved.members;
              result.properties = resolved.properties;
              result.callSignatures = emptyArray;
              result.constructSignatures = emptyArray;
              result.indexInfos = emptyArray;
              return result;
            }
          } else if (type.flags & 2097152) {
            return getIntersectionType(map(type.types, getTypeWithoutSignatures));
          }
          return type;
        }
        function isTypeIdenticalTo(source, target) {
          return isTypeRelatedTo(source, target, identityRelation);
        }
        function compareTypesIdentical(source, target) {
          return isTypeRelatedTo(source, target, identityRelation) ? -1 : 0;
        }
        function compareTypesAssignable(source, target) {
          return isTypeRelatedTo(source, target, assignableRelation) ? -1 : 0;
        }
        function compareTypesSubtypeOf(source, target) {
          return isTypeRelatedTo(source, target, subtypeRelation) ? -1 : 0;
        }
        function isTypeSubtypeOf(source, target) {
          return isTypeRelatedTo(source, target, subtypeRelation);
        }
        function isTypeStrictSubtypeOf(source, target) {
          return isTypeRelatedTo(source, target, strictSubtypeRelation);
        }
        function isTypeAssignableTo(source, target) {
          return isTypeRelatedTo(source, target, assignableRelation);
        }
        function isTypeDerivedFrom(source, target) {
          return source.flags & 1048576 ? every(source.types, (t) => isTypeDerivedFrom(t, target)) : target.flags & 1048576 ? some(target.types, (t) => isTypeDerivedFrom(source, t)) : source.flags & 2097152 ? some(source.types, (t) => isTypeDerivedFrom(t, target)) : source.flags & 58982400 ? isTypeDerivedFrom(getBaseConstraintOfType(source) || unknownType2, target) : isEmptyAnonymousObjectType(target) ? !!(source.flags & (524288 | 67108864)) : target === globalObjectType ? !!(source.flags & (524288 | 67108864)) && !isEmptyAnonymousObjectType(source) : target === globalFunctionType ? !!(source.flags & 524288) && isFunctionObjectType(source) : hasBaseType(source, getTargetType(target)) || isArrayType(target) && !isReadonlyArrayType(target) && isTypeDerivedFrom(source, globalReadonlyArrayType);
        }
        function isTypeComparableTo(source, target) {
          return isTypeRelatedTo(source, target, comparableRelation);
        }
        function areTypesComparable(type1, type2) {
          return isTypeComparableTo(type1, type2) || isTypeComparableTo(type2, type1);
        }
        function checkTypeAssignableTo(source, target, errorNode, headMessage, containingMessageChain, errorOutputObject) {
          return checkTypeRelatedTo(source, target, assignableRelation, errorNode, headMessage, containingMessageChain, errorOutputObject);
        }
        function checkTypeAssignableToAndOptionallyElaborate(source, target, errorNode, expr, headMessage, containingMessageChain) {
          return checkTypeRelatedToAndOptionallyElaborate(
            source,
            target,
            assignableRelation,
            errorNode,
            expr,
            headMessage,
            containingMessageChain,
            /*errorOutputContainer*/
            void 0
          );
        }
        function checkTypeRelatedToAndOptionallyElaborate(source, target, relation, errorNode, expr, headMessage, containingMessageChain, errorOutputContainer) {
          if (isTypeRelatedTo(source, target, relation)) return true;
          if (!errorNode || !elaborateError(expr, source, target, relation, headMessage, containingMessageChain, errorOutputContainer)) {
            return checkTypeRelatedTo(source, target, relation, errorNode, headMessage, containingMessageChain, errorOutputContainer);
          }
          return false;
        }
        function isOrHasGenericConditional(type) {
          return !!(type.flags & 16777216 || type.flags & 2097152 && some(type.types, isOrHasGenericConditional));
        }
        function elaborateError(node, source, target, relation, headMessage, containingMessageChain, errorOutputContainer) {
          if (!node || isOrHasGenericConditional(target)) return false;
          if (!checkTypeRelatedTo(
            source,
            target,
            relation,
            /*errorNode*/
            void 0
          ) && elaborateDidYouMeanToCallOrConstruct(node, source, target, relation, headMessage, containingMessageChain, errorOutputContainer)) {
            return true;
          }
          switch (node.kind) {
            case 234:
              if (!isConstAssertion(node)) {
                break;
              }
            case 294:
            case 217:
              return elaborateError(node.expression, source, target, relation, headMessage, containingMessageChain, errorOutputContainer);
            case 226:
              switch (node.operatorToken.kind) {
                case 64:
                case 28:
                  return elaborateError(node.right, source, target, relation, headMessage, containingMessageChain, errorOutputContainer);
              }
              break;
            case 210:
              return elaborateObjectLiteral(node, source, target, relation, containingMessageChain, errorOutputContainer);
            case 209:
              return elaborateArrayLiteral(node, source, target, relation, containingMessageChain, errorOutputContainer);
            case 292:
              return elaborateJsxComponents(node, source, target, relation, containingMessageChain, errorOutputContainer);
            case 219:
              return elaborateArrowFunction(node, source, target, relation, containingMessageChain, errorOutputContainer);
          }
          return false;
        }
        function elaborateDidYouMeanToCallOrConstruct(node, source, target, relation, headMessage, containingMessageChain, errorOutputContainer) {
          const callSignatures = getSignaturesOfType(
            source,
            0
            /* Call */
          );
          const constructSignatures = getSignaturesOfType(
            source,
            1
            /* Construct */
          );
          for (const signatures of [constructSignatures, callSignatures]) {
            if (some(signatures, (s) => {
              const returnType = getReturnTypeOfSignature(s);
              return !(returnType.flags & (1 | 131072)) && checkTypeRelatedTo(
                returnType,
                target,
                relation,
                /*errorNode*/
                void 0
              );
            })) {
              const resultObj = errorOutputContainer || {};
              checkTypeAssignableTo(source, target, node, headMessage, containingMessageChain, resultObj);
              const diagnostic = resultObj.errors[resultObj.errors.length - 1];
              addRelatedInfo(
                diagnostic,
                createDiagnosticForNode(
                  node,
                  signatures === constructSignatures ? Diagnostics.Did_you_mean_to_use_new_with_this_expression : Diagnostics.Did_you_mean_to_call_this_expression
                )
              );
              return true;
            }
          }
          return false;
        }
        function elaborateArrowFunction(node, source, target, relation, containingMessageChain, errorOutputContainer) {
          if (isBlock(node.body)) {
            return false;
          }
          if (some(node.parameters, hasType)) {
            return false;
          }
          const sourceSig = getSingleCallSignature(source);
          if (!sourceSig) {
            return false;
          }
          const targetSignatures = getSignaturesOfType(
            target,
            0
            /* Call */
          );
          if (!length(targetSignatures)) {
            return false;
          }
          const returnExpression = node.body;
          const sourceReturn = getReturnTypeOfSignature(sourceSig);
          const targetReturn = getUnionType(map(targetSignatures, getReturnTypeOfSignature));
          if (!checkTypeRelatedTo(
            sourceReturn,
            targetReturn,
            relation,
            /*errorNode*/
            void 0
          )) {
            const elaborated = returnExpression && elaborateError(
              returnExpression,
              sourceReturn,
              targetReturn,
              relation,
              /*headMessage*/
              void 0,
              containingMessageChain,
              errorOutputContainer
            );
            if (elaborated) {
              return elaborated;
            }
            const resultObj = errorOutputContainer || {};
            checkTypeRelatedTo(
              sourceReturn,
              targetReturn,
              relation,
              returnExpression,
              /*headMessage*/
              void 0,
              containingMessageChain,
              resultObj
            );
            if (resultObj.errors) {
              if (target.symbol && length(target.symbol.declarations)) {
                addRelatedInfo(
                  resultObj.errors[resultObj.errors.length - 1],
                  createDiagnosticForNode(
                    target.symbol.declarations[0],
                    Diagnostics.The_expected_type_comes_from_the_return_type_of_this_signature
                  )
                );
              }
              if ((getFunctionFlags(node) & 2) === 0 && !getTypeOfPropertyOfType(sourceReturn, "then") && checkTypeRelatedTo(
                createPromiseType(sourceReturn),
                targetReturn,
                relation,
                /*errorNode*/
                void 0
              )) {
                addRelatedInfo(
                  resultObj.errors[resultObj.errors.length - 1],
                  createDiagnosticForNode(
                    node,
                    Diagnostics.Did_you_mean_to_mark_this_function_as_async
                  )
                );
              }
              return true;
            }
          }
          return false;
        }
        function getBestMatchIndexedAccessTypeOrUndefined(source, target, nameType) {
          const idx = getIndexedAccessTypeOrUndefined(target, nameType);
          if (idx) {
            return idx;
          }
          if (target.flags & 1048576) {
            const best = getBestMatchingType(source, target);
            if (best) {
              return getIndexedAccessTypeOrUndefined(best, nameType);
            }
          }
        }
        function checkExpressionForMutableLocationWithContextualType(next, sourcePropType) {
          pushContextualType(
            next,
            sourcePropType,
            /*isCache*/
            false
          );
          const result = checkExpressionForMutableLocation(
            next,
            1
            /* Contextual */
          );
          popContextualType();
          return result;
        }
        function elaborateElementwise(iterator, source, target, relation, containingMessageChain, errorOutputContainer) {
          let reportedError = false;
          for (const value of iterator) {
            const { errorNode: prop, innerExpression: next, nameType, errorMessage } = value;
            let targetPropType = getBestMatchIndexedAccessTypeOrUndefined(source, target, nameType);
            if (!targetPropType || targetPropType.flags & 8388608) continue;
            let sourcePropType = getIndexedAccessTypeOrUndefined(source, nameType);
            if (!sourcePropType) continue;
            const propName = getPropertyNameFromIndex(
              nameType,
              /*accessNode*/
              void 0
            );
            if (!checkTypeRelatedTo(
              sourcePropType,
              targetPropType,
              relation,
              /*errorNode*/
              void 0
            )) {
              const elaborated = next && elaborateError(
                next,
                sourcePropType,
                targetPropType,
                relation,
                /*headMessage*/
                void 0,
                containingMessageChain,
                errorOutputContainer
              );
              reportedError = true;
              if (!elaborated) {
                const resultObj = errorOutputContainer || {};
                const specificSource = next ? checkExpressionForMutableLocationWithContextualType(next, sourcePropType) : sourcePropType;
                if (exactOptionalPropertyTypes && isExactOptionalPropertyMismatch(specificSource, targetPropType)) {
                  const diag2 = createDiagnosticForNode(prop, Diagnostics.Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_type_of_the_target, typeToString(specificSource), typeToString(targetPropType));
                  diagnostics.add(diag2);
                  resultObj.errors = [diag2];
                } else {
                  const targetIsOptional = !!(propName && (getPropertyOfType(target, propName) || unknownSymbol).flags & 16777216);
                  const sourceIsOptional = !!(propName && (getPropertyOfType(source, propName) || unknownSymbol).flags & 16777216);
                  targetPropType = removeMissingType(targetPropType, targetIsOptional);
                  sourcePropType = removeMissingType(sourcePropType, targetIsOptional && sourceIsOptional);
                  const result = checkTypeRelatedTo(specificSource, targetPropType, relation, prop, errorMessage, containingMessageChain, resultObj);
                  if (result && specificSource !== sourcePropType) {
                    checkTypeRelatedTo(sourcePropType, targetPropType, relation, prop, errorMessage, containingMessageChain, resultObj);
                  }
                }
                if (resultObj.errors) {
                  const reportedDiag = resultObj.errors[resultObj.errors.length - 1];
                  const propertyName = isTypeUsableAsPropertyName(nameType) ? getPropertyNameFromType(nameType) : void 0;
                  const targetProp = propertyName !== void 0 ? getPropertyOfType(target, propertyName) : void 0;
                  let issuedElaboration = false;
                  if (!targetProp) {
                    const indexInfo = getApplicableIndexInfo(target, nameType);
                    if (indexInfo && indexInfo.declaration && !getSourceFileOfNode(indexInfo.declaration).hasNoDefaultLib) {
                      issuedElaboration = true;
                      addRelatedInfo(reportedDiag, createDiagnosticForNode(indexInfo.declaration, Diagnostics.The_expected_type_comes_from_this_index_signature));
                    }
                  }
                  if (!issuedElaboration && (targetProp && length(targetProp.declarations) || target.symbol && length(target.symbol.declarations))) {
                    const targetNode = targetProp && length(targetProp.declarations) ? targetProp.declarations[0] : target.symbol.declarations[0];
                    if (!getSourceFileOfNode(targetNode).hasNoDefaultLib) {
                      addRelatedInfo(
                        reportedDiag,
                        createDiagnosticForNode(
                          targetNode,
                          Diagnostics.The_expected_type_comes_from_property_0_which_is_declared_here_on_type_1,
                          propertyName && !(nameType.flags & 8192) ? unescapeLeadingUnderscores(propertyName) : typeToString(nameType),
                          typeToString(target)
                        )
                      );
                    }
                  }
                }
              }
            }
          }
          return reportedError;
        }
        function elaborateIterableOrArrayLikeTargetElementwise(iterator, source, target, relation, containingMessageChain, errorOutputContainer) {
          const tupleOrArrayLikeTargetParts = filterType(target, isArrayOrTupleLikeType);
          const nonTupleOrArrayLikeTargetParts = filterType(target, (t) => !isArrayOrTupleLikeType(t));
          const iterationType = nonTupleOrArrayLikeTargetParts !== neverType2 ? getIterationTypeOfIterable(
            13,
            0,
            nonTupleOrArrayLikeTargetParts,
            /*errorNode*/
            void 0
          ) : void 0;
          let reportedError = false;
          for (let status = iterator.next(); !status.done; status = iterator.next()) {
            const { errorNode: prop, innerExpression: next, nameType, errorMessage } = status.value;
            let targetPropType = iterationType;
            const targetIndexedPropType = tupleOrArrayLikeTargetParts !== neverType2 ? getBestMatchIndexedAccessTypeOrUndefined(source, tupleOrArrayLikeTargetParts, nameType) : void 0;
            if (targetIndexedPropType && !(targetIndexedPropType.flags & 8388608)) {
              targetPropType = iterationType ? getUnionType([iterationType, targetIndexedPropType]) : targetIndexedPropType;
            }
            if (!targetPropType) continue;
            let sourcePropType = getIndexedAccessTypeOrUndefined(source, nameType);
            if (!sourcePropType) continue;
            const propName = getPropertyNameFromIndex(
              nameType,
              /*accessNode*/
              void 0
            );
            if (!checkTypeRelatedTo(
              sourcePropType,
              targetPropType,
              relation,
              /*errorNode*/
              void 0
            )) {
              const elaborated = next && elaborateError(
                next,
                sourcePropType,
                targetPropType,
                relation,
                /*headMessage*/
                void 0,
                containingMessageChain,
                errorOutputContainer
              );
              reportedError = true;
              if (!elaborated) {
                const resultObj = errorOutputContainer || {};
                const specificSource = next ? checkExpressionForMutableLocationWithContextualType(next, sourcePropType) : sourcePropType;
                if (exactOptionalPropertyTypes && isExactOptionalPropertyMismatch(specificSource, targetPropType)) {
                  const diag2 = createDiagnosticForNode(prop, Diagnostics.Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_type_of_the_target, typeToString(specificSource), typeToString(targetPropType));
                  diagnostics.add(diag2);
                  resultObj.errors = [diag2];
                } else {
                  const targetIsOptional = !!(propName && (getPropertyOfType(tupleOrArrayLikeTargetParts, propName) || unknownSymbol).flags & 16777216);
                  const sourceIsOptional = !!(propName && (getPropertyOfType(source, propName) || unknownSymbol).flags & 16777216);
                  targetPropType = removeMissingType(targetPropType, targetIsOptional);
                  sourcePropType = removeMissingType(sourcePropType, targetIsOptional && sourceIsOptional);
                  const result = checkTypeRelatedTo(specificSource, targetPropType, relation, prop, errorMessage, containingMessageChain, resultObj);
                  if (result && specificSource !== sourcePropType) {
                    checkTypeRelatedTo(sourcePropType, targetPropType, relation, prop, errorMessage, containingMessageChain, resultObj);
                  }
                }
              }
            }
          }
          return reportedError;
        }
        function* generateJsxAttributes(node) {
          if (!length(node.properties)) return;
          for (const prop of node.properties) {
            if (isJsxSpreadAttribute(prop) || isHyphenatedJsxName(getTextOfJsxAttributeName(prop.name))) continue;
            yield { errorNode: prop.name, innerExpression: prop.initializer, nameType: getStringLiteralType(getTextOfJsxAttributeName(prop.name)) };
          }
        }
        function* generateJsxChildren(node, getInvalidTextDiagnostic) {
          if (!length(node.children)) return;
          let memberOffset = 0;
          for (let i = 0; i < node.children.length; i++) {
            const child = node.children[i];
            const nameType = getNumberLiteralType(i - memberOffset);
            const elem = getElaborationElementForJsxChild(child, nameType, getInvalidTextDiagnostic);
            if (elem) {
              yield elem;
            } else {
              memberOffset++;
            }
          }
        }
        function getElaborationElementForJsxChild(child, nameType, getInvalidTextDiagnostic) {
          switch (child.kind) {
            case 294:
              return { errorNode: child, innerExpression: child.expression, nameType };
            case 12:
              if (child.containsOnlyTriviaWhiteSpaces) {
                break;
              }
              return { errorNode: child, innerExpression: void 0, nameType, errorMessage: getInvalidTextDiagnostic() };
            case 284:
            case 285:
            case 288:
              return { errorNode: child, innerExpression: child, nameType };
            default:
              return Debug.assertNever(child, "Found invalid jsx child");
          }
        }
        function elaborateJsxComponents(node, source, target, relation, containingMessageChain, errorOutputContainer) {
          let result = elaborateElementwise(generateJsxAttributes(node), source, target, relation, containingMessageChain, errorOutputContainer);
          let invalidTextDiagnostic;
          if (isJsxOpeningElement(node.parent) && isJsxElement(node.parent.parent)) {
            const containingElement = node.parent.parent;
            const childPropName = getJsxElementChildrenPropertyName(getJsxNamespaceAt(node));
            const childrenPropName = childPropName === void 0 ? "children" : unescapeLeadingUnderscores(childPropName);
            const childrenNameType = getStringLiteralType(childrenPropName);
            const childrenTargetType = getIndexedAccessType(target, childrenNameType);
            const validChildren = getSemanticJsxChildren(containingElement.children);
            if (!length(validChildren)) {
              return result;
            }
            const moreThanOneRealChildren = length(validChildren) > 1;
            let arrayLikeTargetParts;
            let nonArrayLikeTargetParts;
            const iterableType = getGlobalIterableType(
              /*reportErrors*/
              false
            );
            if (iterableType !== emptyGenericType) {
              const anyIterable = createIterableType(anyType2);
              arrayLikeTargetParts = filterType(childrenTargetType, (t) => isTypeAssignableTo(t, anyIterable));
              nonArrayLikeTargetParts = filterType(childrenTargetType, (t) => !isTypeAssignableTo(t, anyIterable));
            } else {
              arrayLikeTargetParts = filterType(childrenTargetType, isArrayOrTupleLikeType);
              nonArrayLikeTargetParts = filterType(childrenTargetType, (t) => !isArrayOrTupleLikeType(t));
            }
            if (moreThanOneRealChildren) {
              if (arrayLikeTargetParts !== neverType2) {
                const realSource = createTupleType(checkJsxChildren(
                  containingElement,
                  0
                  /* Normal */
                ));
                const children = generateJsxChildren(containingElement, getInvalidTextualChildDiagnostic);
                result = elaborateIterableOrArrayLikeTargetElementwise(children, realSource, arrayLikeTargetParts, relation, containingMessageChain, errorOutputContainer) || result;
              } else if (!isTypeRelatedTo(getIndexedAccessType(source, childrenNameType), childrenTargetType, relation)) {
                result = true;
                const diag2 = error2(
                  containingElement.openingElement.tagName,
                  Diagnostics.This_JSX_tag_s_0_prop_expects_a_single_child_of_type_1_but_multiple_children_were_provided,
                  childrenPropName,
                  typeToString(childrenTargetType)
                );
                if (errorOutputContainer && errorOutputContainer.skipLogging) {
                  (errorOutputContainer.errors || (errorOutputContainer.errors = [])).push(diag2);
                }
              }
            } else {
              if (nonArrayLikeTargetParts !== neverType2) {
                const child = validChildren[0];
                const elem = getElaborationElementForJsxChild(child, childrenNameType, getInvalidTextualChildDiagnostic);
                if (elem) {
                  result = elaborateElementwise(
                    function* () {
                      yield elem;
                    }(),
                    source,
                    target,
                    relation,
                    containingMessageChain,
                    errorOutputContainer
                  ) || result;
                }
              } else if (!isTypeRelatedTo(getIndexedAccessType(source, childrenNameType), childrenTargetType, relation)) {
                result = true;
                const diag2 = error2(
                  containingElement.openingElement.tagName,
                  Diagnostics.This_JSX_tag_s_0_prop_expects_type_1_which_requires_multiple_children_but_only_a_single_child_was_provided,
                  childrenPropName,
                  typeToString(childrenTargetType)
                );
                if (errorOutputContainer && errorOutputContainer.skipLogging) {
                  (errorOutputContainer.errors || (errorOutputContainer.errors = [])).push(diag2);
                }
              }
            }
          }
          return result;
          function getInvalidTextualChildDiagnostic() {
            if (!invalidTextDiagnostic) {
              const tagNameText = getTextOfNode(node.parent.tagName);
              const childPropName = getJsxElementChildrenPropertyName(getJsxNamespaceAt(node));
              const childrenPropName = childPropName === void 0 ? "children" : unescapeLeadingUnderscores(childPropName);
              const childrenTargetType = getIndexedAccessType(target, getStringLiteralType(childrenPropName));
              const diagnostic = Diagnostics._0_components_don_t_accept_text_as_child_elements_Text_in_JSX_has_the_type_string_but_the_expected_type_of_1_is_2;
              invalidTextDiagnostic = { ...diagnostic, key: "!!ALREADY FORMATTED!!", message: formatMessage(diagnostic, tagNameText, childrenPropName, typeToString(childrenTargetType)) };
            }
            return invalidTextDiagnostic;
          }
        }
        function* generateLimitedTupleElements(node, target) {
          const len = length(node.elements);
          if (!len) return;
          for (let i = 0; i < len; i++) {
            if (isTupleLikeType(target) && !getPropertyOfType(target, "" + i)) continue;
            const elem = node.elements[i];
            if (isOmittedExpression(elem)) continue;
            const nameType = getNumberLiteralType(i);
            const checkNode2 = getEffectiveCheckNode(elem);
            yield { errorNode: checkNode2, innerExpression: checkNode2, nameType };
          }
        }
        function elaborateArrayLiteral(node, source, target, relation, containingMessageChain, errorOutputContainer) {
          if (target.flags & (402784252 | 131072)) return false;
          if (isTupleLikeType(source)) {
            return elaborateElementwise(generateLimitedTupleElements(node, target), source, target, relation, containingMessageChain, errorOutputContainer);
          }
          pushContextualType(
            node,
            target,
            /*isCache*/
            false
          );
          const tupleizedType = checkArrayLiteral(
            node,
            1,
            /*forceTuple*/
            true
          );
          popContextualType();
          if (isTupleLikeType(tupleizedType)) {
            return elaborateElementwise(generateLimitedTupleElements(node, target), tupleizedType, target, relation, containingMessageChain, errorOutputContainer);
          }
          return false;
        }
        function* generateObjectLiteralElements(node) {
          if (!length(node.properties)) return;
          for (const prop of node.properties) {
            if (isSpreadAssignment(prop)) continue;
            const type = getLiteralTypeFromProperty(
              getSymbolOfDeclaration(prop),
              8576
              /* StringOrNumberLiteralOrUnique */
            );
            if (!type || type.flags & 131072) {
              continue;
            }
            switch (prop.kind) {
              case 178:
              case 177:
              case 174:
              case 304:
                yield { errorNode: prop.name, innerExpression: void 0, nameType: type };
                break;
              case 303:
                yield { errorNode: prop.name, innerExpression: prop.initializer, nameType: type, errorMessage: isComputedNonLiteralName(prop.name) ? Diagnostics.Type_of_computed_property_s_value_is_0_which_is_not_assignable_to_type_1 : void 0 };
                break;
              default:
                Debug.assertNever(prop);
            }
          }
        }
        function elaborateObjectLiteral(node, source, target, relation, containingMessageChain, errorOutputContainer) {
          if (target.flags & (402784252 | 131072)) return false;
          return elaborateElementwise(generateObjectLiteralElements(node), source, target, relation, containingMessageChain, errorOutputContainer);
        }
        function checkTypeComparableTo(source, target, errorNode, headMessage, containingMessageChain) {
          return checkTypeRelatedTo(source, target, comparableRelation, errorNode, headMessage, containingMessageChain);
        }
        function isSignatureAssignableTo(source, target, ignoreReturnTypes) {
          return compareSignaturesRelated(
            source,
            target,
            ignoreReturnTypes ? 4 : 0,
            /*reportErrors*/
            false,
            /*errorReporter*/
            void 0,
            /*incompatibleErrorReporter*/
            void 0,
            compareTypesAssignable,
            /*reportUnreliableMarkers*/
            void 0
          ) !== 0;
        }
        function isTopSignature(s) {
          if (!s.typeParameters && (!s.thisParameter || isTypeAny(getTypeOfParameter(s.thisParameter))) && s.parameters.length === 1 && signatureHasRestParameter(s)) {
            const paramType = getTypeOfParameter(s.parameters[0]);
            const restType = isArrayType(paramType) ? getTypeArguments(paramType)[0] : paramType;
            return !!(restType.flags & (1 | 131072) && getReturnTypeOfSignature(s).flags & 3);
          }
          return false;
        }
        function compareSignaturesRelated(source, target, checkMode, reportErrors2, errorReporter, incompatibleErrorReporter, compareTypes, reportUnreliableMarkers) {
          if (source === target) {
            return -1;
          }
          if (!(checkMode & 16 && isTopSignature(source)) && isTopSignature(target)) {
            return -1;
          }
          if (checkMode & 16 && isTopSignature(source) && !isTopSignature(target)) {
            return 0;
          }
          const targetCount = getParameterCount(target);
          const sourceHasMoreParameters = !hasEffectiveRestParameter(target) && (checkMode & 8 ? hasEffectiveRestParameter(source) || getParameterCount(source) > targetCount : getMinArgumentCount(source) > targetCount);
          if (sourceHasMoreParameters) {
            if (reportErrors2 && !(checkMode & 8)) {
              errorReporter(Diagnostics.Target_signature_provides_too_few_arguments_Expected_0_or_more_but_got_1, getMinArgumentCount(source), targetCount);
            }
            return 0;
          }
          if (source.typeParameters && source.typeParameters !== target.typeParameters) {
            target = getCanonicalSignature(target);
            source = instantiateSignatureInContextOf(
              source,
              target,
              /*inferenceContext*/
              void 0,
              compareTypes
            );
          }
          const sourceCount = getParameterCount(source);
          const sourceRestType = getNonArrayRestType(source);
          const targetRestType = getNonArrayRestType(target);
          if (sourceRestType || targetRestType) {
            void instantiateType(sourceRestType || targetRestType, reportUnreliableMarkers);
          }
          const kind = target.declaration ? target.declaration.kind : 0;
          const strictVariance = !(checkMode & 3) && strictFunctionTypes && kind !== 174 && kind !== 173 && kind !== 176;
          let result = -1;
          const sourceThisType = getThisTypeOfSignature(source);
          if (sourceThisType && sourceThisType !== voidType2) {
            const targetThisType = getThisTypeOfSignature(target);
            if (targetThisType) {
              const related = !strictVariance && compareTypes(
                sourceThisType,
                targetThisType,
                /*reportErrors*/
                false
              ) || compareTypes(targetThisType, sourceThisType, reportErrors2);
              if (!related) {
                if (reportErrors2) {
                  errorReporter(Diagnostics.The_this_types_of_each_signature_are_incompatible);
                }
                return 0;
              }
              result &= related;
            }
          }
          const paramCount = sourceRestType || targetRestType ? Math.min(sourceCount, targetCount) : Math.max(sourceCount, targetCount);
          const restIndex = sourceRestType || targetRestType ? paramCount - 1 : -1;
          for (let i = 0; i < paramCount; i++) {
            const sourceType = i === restIndex ? getRestOrAnyTypeAtPosition(source, i) : tryGetTypeAtPosition(source, i);
            const targetType = i === restIndex ? getRestOrAnyTypeAtPosition(target, i) : tryGetTypeAtPosition(target, i);
            if (sourceType && targetType && (sourceType !== targetType || checkMode & 8)) {
              const sourceSig = checkMode & 3 || isInstantiatedGenericParameter(source, i) ? void 0 : getSingleCallSignature(getNonNullableType(sourceType));
              const targetSig = checkMode & 3 || isInstantiatedGenericParameter(target, i) ? void 0 : getSingleCallSignature(getNonNullableType(targetType));
              const callbacks = sourceSig && targetSig && !getTypePredicateOfSignature(sourceSig) && !getTypePredicateOfSignature(targetSig) && getTypeFacts(
                sourceType,
                50331648
                /* IsUndefinedOrNull */
              ) === getTypeFacts(
                targetType,
                50331648
                /* IsUndefinedOrNull */
              );
              let related = callbacks ? compareSignaturesRelated(targetSig, sourceSig, checkMode & 8 | (strictVariance ? 2 : 1), reportErrors2, errorReporter, incompatibleErrorReporter, compareTypes, reportUnreliableMarkers) : !(checkMode & 3) && !strictVariance && compareTypes(
                sourceType,
                targetType,
                /*reportErrors*/
                false
              ) || compareTypes(targetType, sourceType, reportErrors2);
              if (related && checkMode & 8 && i >= getMinArgumentCount(source) && i < getMinArgumentCount(target) && compareTypes(
                sourceType,
                targetType,
                /*reportErrors*/
                false
              )) {
                related = 0;
              }
              if (!related) {
                if (reportErrors2) {
                  errorReporter(Diagnostics.Types_of_parameters_0_and_1_are_incompatible, unescapeLeadingUnderscores(getParameterNameAtPosition(source, i)), unescapeLeadingUnderscores(getParameterNameAtPosition(target, i)));
                }
                return 0;
              }
              result &= related;
            }
          }
          if (!(checkMode & 4)) {
            const targetReturnType = isResolvingReturnTypeOfSignature(target) ? anyType2 : target.declaration && isJSConstructor(target.declaration) ? getDeclaredTypeOfClassOrInterface(getMergedSymbol(target.declaration.symbol)) : getReturnTypeOfSignature(target);
            if (targetReturnType === voidType2 || targetReturnType === anyType2) {
              return result;
            }
            const sourceReturnType = isResolvingReturnTypeOfSignature(source) ? anyType2 : source.declaration && isJSConstructor(source.declaration) ? getDeclaredTypeOfClassOrInterface(getMergedSymbol(source.declaration.symbol)) : getReturnTypeOfSignature(source);
            const targetTypePredicate = getTypePredicateOfSignature(target);
            if (targetTypePredicate) {
              const sourceTypePredicate = getTypePredicateOfSignature(source);
              if (sourceTypePredicate) {
                result &= compareTypePredicateRelatedTo(sourceTypePredicate, targetTypePredicate, reportErrors2, errorReporter, compareTypes);
              } else if (isIdentifierTypePredicate(targetTypePredicate) || isThisTypePredicate(targetTypePredicate)) {
                if (reportErrors2) {
                  errorReporter(Diagnostics.Signature_0_must_be_a_type_predicate, signatureToString(source));
                }
                return 0;
              }
            } else {
              result &= checkMode & 1 && compareTypes(
                targetReturnType,
                sourceReturnType,
                /*reportErrors*/
                false
              ) || compareTypes(sourceReturnType, targetReturnType, reportErrors2);
              if (!result && reportErrors2 && incompatibleErrorReporter) {
                incompatibleErrorReporter(sourceReturnType, targetReturnType);
              }
            }
          }
          return result;
        }
        function compareTypePredicateRelatedTo(source, target, reportErrors2, errorReporter, compareTypes) {
          if (source.kind !== target.kind) {
            if (reportErrors2) {
              errorReporter(Diagnostics.A_this_based_type_guard_is_not_compatible_with_a_parameter_based_type_guard);
              errorReporter(Diagnostics.Type_predicate_0_is_not_assignable_to_1, typePredicateToString(source), typePredicateToString(target));
            }
            return 0;
          }
          if (source.kind === 1 || source.kind === 3) {
            if (source.parameterIndex !== target.parameterIndex) {
              if (reportErrors2) {
                errorReporter(Diagnostics.Parameter_0_is_not_in_the_same_position_as_parameter_1, source.parameterName, target.parameterName);
                errorReporter(Diagnostics.Type_predicate_0_is_not_assignable_to_1, typePredicateToString(source), typePredicateToString(target));
              }
              return 0;
            }
          }
          const related = source.type === target.type ? -1 : source.type && target.type ? compareTypes(source.type, target.type, reportErrors2) : 0;
          if (related === 0 && reportErrors2) {
            errorReporter(Diagnostics.Type_predicate_0_is_not_assignable_to_1, typePredicateToString(source), typePredicateToString(target));
          }
          return related;
        }
        function isImplementationCompatibleWithOverload(implementation, overload) {
          const erasedSource = getErasedSignature(implementation);
          const erasedTarget = getErasedSignature(overload);
          const sourceReturnType = getReturnTypeOfSignature(erasedSource);
          const targetReturnType = getReturnTypeOfSignature(erasedTarget);
          if (targetReturnType === voidType2 || isTypeRelatedTo(targetReturnType, sourceReturnType, assignableRelation) || isTypeRelatedTo(sourceReturnType, targetReturnType, assignableRelation)) {
            return isSignatureAssignableTo(
              erasedSource,
              erasedTarget,
              /*ignoreReturnTypes*/
              true
            );
          }
          return false;
        }
        function isEmptyResolvedType(t) {
          return t !== anyFunctionType && t.properties.length === 0 && t.callSignatures.length === 0 && t.constructSignatures.length === 0 && t.indexInfos.length === 0;
        }
        function isEmptyObjectType(type) {
          return type.flags & 524288 ? !isGenericMappedType(type) && isEmptyResolvedType(resolveStructuredTypeMembers(type)) : type.flags & 67108864 ? true : type.flags & 1048576 ? some(type.types, isEmptyObjectType) : type.flags & 2097152 ? every(type.types, isEmptyObjectType) : false;
        }
        function isEmptyAnonymousObjectType(type) {
          return !!(getObjectFlags(type) & 16 && (type.members && isEmptyResolvedType(type) || type.symbol && type.symbol.flags & 2048 && getMembersOfSymbol(type.symbol).size === 0));
        }
        function isUnknownLikeUnionType(type) {
          if (strictNullChecks && type.flags & 1048576) {
            if (!(type.objectFlags & 33554432)) {
              const types = type.types;
              type.objectFlags |= 33554432 | (types.length >= 3 && types[0].flags & 32768 && types[1].flags & 65536 && some(types, isEmptyAnonymousObjectType) ? 67108864 : 0);
            }
            return !!(type.objectFlags & 67108864);
          }
          return false;
        }
        function containsUndefinedType(type) {
          return !!((type.flags & 1048576 ? type.types[0] : type).flags & 32768);
        }
        function containsNonMissingUndefinedType(type) {
          const candidate = type.flags & 1048576 ? type.types[0] : type;
          return !!(candidate.flags & 32768) && candidate !== missingType;
        }
        function isStringIndexSignatureOnlyType(type) {
          return type.flags & 524288 && !isGenericMappedType(type) && getPropertiesOfType(type).length === 0 && getIndexInfosOfType(type).length === 1 && !!getIndexInfoOfType(type, stringType2) || type.flags & 3145728 && every(type.types, isStringIndexSignatureOnlyType) || false;
        }
        function isEnumTypeRelatedTo(source, target, errorReporter) {
          const sourceSymbol = source.flags & 8 ? getParentOfSymbol(source) : source;
          const targetSymbol = target.flags & 8 ? getParentOfSymbol(target) : target;
          if (sourceSymbol === targetSymbol) {
            return true;
          }
          if (sourceSymbol.escapedName !== targetSymbol.escapedName || !(sourceSymbol.flags & 256) || !(targetSymbol.flags & 256)) {
            return false;
          }
          const id = getSymbolId(sourceSymbol) + "," + getSymbolId(targetSymbol);
          const entry = enumRelation.get(id);
          if (entry !== void 0 && !(!(entry & 4) && entry & 2 && errorReporter)) {
            return !!(entry & 1);
          }
          const targetEnumType = getTypeOfSymbol(targetSymbol);
          for (const sourceProperty of getPropertiesOfType(getTypeOfSymbol(sourceSymbol))) {
            if (sourceProperty.flags & 8) {
              const targetProperty = getPropertyOfType(targetEnumType, sourceProperty.escapedName);
              if (!targetProperty || !(targetProperty.flags & 8)) {
                if (errorReporter) {
                  errorReporter(Diagnostics.Property_0_is_missing_in_type_1, symbolName(sourceProperty), typeToString(
                    getDeclaredTypeOfSymbol(targetSymbol),
                    /*enclosingDeclaration*/
                    void 0,
                    64
                    /* UseFullyQualifiedType */
                  ));
                  enumRelation.set(
                    id,
                    2 | 4
                    /* Reported */
                  );
                } else {
                  enumRelation.set(
                    id,
                    2
                    /* Failed */
                  );
                }
                return false;
              }
              const sourceValue = getEnumMemberValue(getDeclarationOfKind(
                sourceProperty,
                306
                /* EnumMember */
              )).value;
              const targetValue = getEnumMemberValue(getDeclarationOfKind(
                targetProperty,
                306
                /* EnumMember */
              )).value;
              if (sourceValue !== targetValue) {
                const sourceIsString = typeof sourceValue === "string";
                const targetIsString = typeof targetValue === "string";
                if (sourceValue !== void 0 && targetValue !== void 0) {
                  if (!errorReporter) {
                    enumRelation.set(
                      id,
                      2
                      /* Failed */
                    );
                  } else {
                    const escapedSource = sourceIsString ? `"${escapeString2(sourceValue)}"` : sourceValue;
                    const escapedTarget = targetIsString ? `"${escapeString2(targetValue)}"` : targetValue;
                    errorReporter(Diagnostics.Each_declaration_of_0_1_differs_in_its_value_where_2_was_expected_but_3_was_given, symbolName(targetSymbol), symbolName(targetProperty), escapedTarget, escapedSource);
                    enumRelation.set(
                      id,
                      2 | 4
                      /* Reported */
                    );
                  }
                  return false;
                }
                if (sourceIsString || targetIsString) {
                  if (!errorReporter) {
                    enumRelation.set(
                      id,
                      2
                      /* Failed */
                    );
                  } else {
                    const knownStringValue = sourceValue ?? targetValue;
                    Debug.assert(typeof knownStringValue === "string");
                    const escapedValue = `"${escapeString2(knownStringValue)}"`;
                    errorReporter(Diagnostics.One_value_of_0_1_is_the_string_2_and_the_other_is_assumed_to_be_an_unknown_numeric_value, symbolName(targetSymbol), symbolName(targetProperty), escapedValue);
                    enumRelation.set(
                      id,
                      2 | 4
                      /* Reported */
                    );
                  }
                  return false;
                }
              }
            }
          }
          enumRelation.set(
            id,
            1
            /* Succeeded */
          );
          return true;
        }
        function isSimpleTypeRelatedTo(source, target, relation, errorReporter) {
          const s = source.flags;
          const t = target.flags;
          if (t & 1 || s & 131072 || source === wildcardType) return true;
          if (t & 2 && !(relation === strictSubtypeRelation && s & 1)) return true;
          if (t & 131072) return false;
          if (s & 402653316 && t & 4) return true;
          if (s & 128 && s & 1024 && t & 128 && !(t & 1024) && source.value === target.value) return true;
          if (s & 296 && t & 8) return true;
          if (s & 256 && s & 1024 && t & 256 && !(t & 1024) && source.value === target.value) return true;
          if (s & 2112 && t & 64) return true;
          if (s & 528 && t & 16) return true;
          if (s & 12288 && t & 4096) return true;
          if (s & 32 && t & 32 && source.symbol.escapedName === target.symbol.escapedName && isEnumTypeRelatedTo(source.symbol, target.symbol, errorReporter)) return true;
          if (s & 1024 && t & 1024) {
            if (s & 1048576 && t & 1048576 && isEnumTypeRelatedTo(source.symbol, target.symbol, errorReporter)) return true;
            if (s & 2944 && t & 2944 && source.value === target.value && isEnumTypeRelatedTo(source.symbol, target.symbol, errorReporter)) return true;
          }
          if (s & 32768 && (!strictNullChecks && !(t & 3145728) || t & (32768 | 16384))) return true;
          if (s & 65536 && (!strictNullChecks && !(t & 3145728) || t & 65536)) return true;
          if (s & 524288 && t & 67108864 && !(relation === strictSubtypeRelation && isEmptyAnonymousObjectType(source) && !(getObjectFlags(source) & 8192))) return true;
          if (relation === assignableRelation || relation === comparableRelation) {
            if (s & 1) return true;
            if (s & 8 && (t & 32 || t & 256 && t & 1024)) return true;
            if (s & 256 && !(s & 1024) && (t & 32 || t & 256 && t & 1024 && source.value === target.value)) return true;
            if (isUnknownLikeUnionType(target)) return true;
          }
          return false;
        }
        function isTypeRelatedTo(source, target, relation) {
          if (isFreshLiteralType(source)) {
            source = source.regularType;
          }
          if (isFreshLiteralType(target)) {
            target = target.regularType;
          }
          if (source === target) {
            return true;
          }
          if (relation !== identityRelation) {
            if (relation === comparableRelation && !(target.flags & 131072) && isSimpleTypeRelatedTo(target, source, relation) || isSimpleTypeRelatedTo(source, target, relation)) {
              return true;
            }
          } else if (!((source.flags | target.flags) & (3145728 | 8388608 | 16777216 | 33554432))) {
            if (source.flags !== target.flags) return false;
            if (source.flags & 67358815) return true;
          }
          if (source.flags & 524288 && target.flags & 524288) {
            const related = relation.get(getRelationKey(
              source,
              target,
              0,
              relation,
              /*ignoreConstraints*/
              false
            ));
            if (related !== void 0) {
              return !!(related & 1);
            }
          }
          if (source.flags & 469499904 || target.flags & 469499904) {
            return checkTypeRelatedTo(
              source,
              target,
              relation,
              /*errorNode*/
              void 0
            );
          }
          return false;
        }
        function isIgnoredJsxProperty(source, sourceProp) {
          return getObjectFlags(source) & 2048 && isHyphenatedJsxName(sourceProp.escapedName);
        }
        function getNormalizedType(type, writing) {
          while (true) {
            const t = isFreshLiteralType(type) ? type.regularType : isGenericTupleType(type) ? getNormalizedTupleType(type, writing) : getObjectFlags(type) & 4 ? type.node ? createTypeReference(type.target, getTypeArguments(type)) : getSingleBaseForNonAugmentingSubtype(type) || type : type.flags & 3145728 ? getNormalizedUnionOrIntersectionType(type, writing) : type.flags & 33554432 ? writing ? type.baseType : getSubstitutionIntersection(type) : type.flags & 25165824 ? getSimplifiedType(type, writing) : type;
            if (t === type) return t;
            type = t;
          }
        }
        function getNormalizedUnionOrIntersectionType(type, writing) {
          const reduced = getReducedType(type);
          if (reduced !== type) {
            return reduced;
          }
          if (type.flags & 2097152 && shouldNormalizeIntersection(type)) {
            const normalizedTypes = sameMap(type.types, (t) => getNormalizedType(t, writing));
            if (normalizedTypes !== type.types) {
              return getIntersectionType(normalizedTypes);
            }
          }
          return type;
        }
        function shouldNormalizeIntersection(type) {
          let hasInstantiable = false;
          let hasNullableOrEmpty = false;
          for (const t of type.types) {
            hasInstantiable || (hasInstantiable = !!(t.flags & 465829888));
            hasNullableOrEmpty || (hasNullableOrEmpty = !!(t.flags & 98304) || isEmptyAnonymousObjectType(t));
            if (hasInstantiable && hasNullableOrEmpty) return true;
          }
          return false;
        }
        function getNormalizedTupleType(type, writing) {
          const elements = getElementTypes(type);
          const normalizedElements = sameMap(elements, (t) => t.flags & 25165824 ? getSimplifiedType(t, writing) : t);
          return elements !== normalizedElements ? createNormalizedTupleType(type.target, normalizedElements) : type;
        }
        function checkTypeRelatedTo(source, target, relation, errorNode, headMessage, containingMessageChain, errorOutputContainer) {
          var _a;
          let errorInfo;
          let relatedInfo;
          let maybeKeys;
          let maybeKeysSet;
          let sourceStack;
          let targetStack;
          let maybeCount = 0;
          let sourceDepth = 0;
          let targetDepth = 0;
          let expandingFlags = 0;
          let overflow = false;
          let overrideNextErrorInfo = 0;
          let skipParentCounter = 0;
          let lastSkippedInfo;
          let incompatibleStack;
          let relationCount = 16e6 - relation.size >> 3;
          Debug.assert(relation !== identityRelation || !errorNode, "no error reporting in identity checking");
          const result = isRelatedTo(
            source,
            target,
            3,
            /*reportErrors*/
            !!errorNode,
            headMessage
          );
          if (incompatibleStack) {
            reportIncompatibleStack();
          }
          if (overflow) {
            const id = getRelationKey(
              source,
              target,
              /*intersectionState*/
              0,
              relation,
              /*ignoreConstraints*/
              false
            );
            relation.set(
              id,
              4 | 2
              /* Failed */
            );
            (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.CheckTypes, "checkTypeRelatedTo_DepthLimit", { sourceId: source.id, targetId: target.id, depth: sourceDepth, targetDepth });
            const message = relationCount <= 0 ? Diagnostics.Excessive_complexity_comparing_types_0_and_1 : Diagnostics.Excessive_stack_depth_comparing_types_0_and_1;
            const diag2 = error2(errorNode || currentNode, message, typeToString(source), typeToString(target));
            if (errorOutputContainer) {
              (errorOutputContainer.errors || (errorOutputContainer.errors = [])).push(diag2);
            }
          } else if (errorInfo) {
            if (containingMessageChain) {
              const chain = containingMessageChain();
              if (chain) {
                concatenateDiagnosticMessageChains(chain, errorInfo);
                errorInfo = chain;
              }
            }
            let relatedInformation;
            if (headMessage && errorNode && !result && source.symbol) {
              const links = getSymbolLinks(source.symbol);
              if (links.originatingImport && !isImportCall(links.originatingImport)) {
                const helpfulRetry = checkTypeRelatedTo(
                  getTypeOfSymbol(links.target),
                  target,
                  relation,
                  /*errorNode*/
                  void 0
                );
                if (helpfulRetry) {
                  const diag3 = createDiagnosticForNode(links.originatingImport, Diagnostics.Type_originates_at_this_import_A_namespace_style_import_cannot_be_called_or_constructed_and_will_cause_a_failure_at_runtime_Consider_using_a_default_import_or_import_require_here_instead);
                  relatedInformation = append(relatedInformation, diag3);
                }
              }
            }
            const diag2 = createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(errorNode), errorNode, errorInfo, relatedInformation);
            if (relatedInfo) {
              addRelatedInfo(diag2, ...relatedInfo);
            }
            if (errorOutputContainer) {
              (errorOutputContainer.errors || (errorOutputContainer.errors = [])).push(diag2);
            }
            if (!errorOutputContainer || !errorOutputContainer.skipLogging) {
              diagnostics.add(diag2);
            }
          }
          if (errorNode && errorOutputContainer && errorOutputContainer.skipLogging && result === 0) {
            Debug.assert(!!errorOutputContainer.errors, "missed opportunity to interact with error.");
          }
          return result !== 0;
          function resetErrorInfo(saved) {
            errorInfo = saved.errorInfo;
            lastSkippedInfo = saved.lastSkippedInfo;
            incompatibleStack = saved.incompatibleStack;
            overrideNextErrorInfo = saved.overrideNextErrorInfo;
            skipParentCounter = saved.skipParentCounter;
            relatedInfo = saved.relatedInfo;
          }
          function captureErrorCalculationState() {
            return {
              errorInfo,
              lastSkippedInfo,
              incompatibleStack: incompatibleStack == null ? void 0 : incompatibleStack.slice(),
              overrideNextErrorInfo,
              skipParentCounter,
              relatedInfo: relatedInfo == null ? void 0 : relatedInfo.slice()
            };
          }
          function reportIncompatibleError(message, ...args) {
            overrideNextErrorInfo++;
            lastSkippedInfo = void 0;
            (incompatibleStack || (incompatibleStack = [])).push([message, ...args]);
          }
          function reportIncompatibleStack() {
            const stack = incompatibleStack || [];
            incompatibleStack = void 0;
            const info = lastSkippedInfo;
            lastSkippedInfo = void 0;
            if (stack.length === 1) {
              reportError(...stack[0]);
              if (info) {
                reportRelationError(
                  /*message*/
                  void 0,
                  ...info
                );
              }
              return;
            }
            let path17 = "";
            const secondaryRootErrors = [];
            while (stack.length) {
              const [msg, ...args] = stack.pop();
              switch (msg.code) {
                case Diagnostics.Types_of_property_0_are_incompatible.code: {
                  if (path17.indexOf("new ") === 0) {
                    path17 = `(${path17})`;
                  }
                  const str = "" + args[0];
                  if (path17.length === 0) {
                    path17 = `${str}`;
                  } else if (isIdentifierText(str, getEmitScriptTarget(compilerOptions))) {
                    path17 = `${path17}.${str}`;
                  } else if (str[0] === "[" && str[str.length - 1] === "]") {
                    path17 = `${path17}${str}`;
                  } else {
                    path17 = `${path17}[${str}]`;
                  }
                  break;
                }
                case Diagnostics.Call_signature_return_types_0_and_1_are_incompatible.code:
                case Diagnostics.Construct_signature_return_types_0_and_1_are_incompatible.code:
                case Diagnostics.Call_signatures_with_no_arguments_have_incompatible_return_types_0_and_1.code:
                case Diagnostics.Construct_signatures_with_no_arguments_have_incompatible_return_types_0_and_1.code: {
                  if (path17.length === 0) {
                    let mappedMsg = msg;
                    if (msg.code === Diagnostics.Call_signatures_with_no_arguments_have_incompatible_return_types_0_and_1.code) {
                      mappedMsg = Diagnostics.Call_signature_return_types_0_and_1_are_incompatible;
                    } else if (msg.code === Diagnostics.Construct_signatures_with_no_arguments_have_incompatible_return_types_0_and_1.code) {
                      mappedMsg = Diagnostics.Construct_signature_return_types_0_and_1_are_incompatible;
                    }
                    secondaryRootErrors.unshift([mappedMsg, args[0], args[1]]);
                  } else {
                    const prefix = msg.code === Diagnostics.Construct_signature_return_types_0_and_1_are_incompatible.code || msg.code === Diagnostics.Construct_signatures_with_no_arguments_have_incompatible_return_types_0_and_1.code ? "new " : "";
                    const params = msg.code === Diagnostics.Call_signatures_with_no_arguments_have_incompatible_return_types_0_and_1.code || msg.code === Diagnostics.Construct_signatures_with_no_arguments_have_incompatible_return_types_0_and_1.code ? "" : "...";
                    path17 = `${prefix}${path17}(${params})`;
                  }
                  break;
                }
                case Diagnostics.Type_at_position_0_in_source_is_not_compatible_with_type_at_position_1_in_target.code: {
                  secondaryRootErrors.unshift([Diagnostics.Type_at_position_0_in_source_is_not_compatible_with_type_at_position_1_in_target, args[0], args[1]]);
                  break;
                }
                case Diagnostics.Type_at_positions_0_through_1_in_source_is_not_compatible_with_type_at_position_2_in_target.code: {
                  secondaryRootErrors.unshift([Diagnostics.Type_at_positions_0_through_1_in_source_is_not_compatible_with_type_at_position_2_in_target, args[0], args[1], args[2]]);
                  break;
                }
                default:
                  return Debug.fail(`Unhandled Diagnostic: ${msg.code}`);
              }
            }
            if (path17) {
              reportError(
                path17[path17.length - 1] === ")" ? Diagnostics.The_types_returned_by_0_are_incompatible_between_these_types : Diagnostics.The_types_of_0_are_incompatible_between_these_types,
                path17
              );
            } else {
              secondaryRootErrors.shift();
            }
            for (const [msg, ...args] of secondaryRootErrors) {
              const originalValue = msg.elidedInCompatabilityPyramid;
              msg.elidedInCompatabilityPyramid = false;
              reportError(msg, ...args);
              msg.elidedInCompatabilityPyramid = originalValue;
            }
            if (info) {
              reportRelationError(
                /*message*/
                void 0,
                ...info
              );
            }
          }
          function reportError(message, ...args) {
            Debug.assert(!!errorNode);
            if (incompatibleStack) reportIncompatibleStack();
            if (message.elidedInCompatabilityPyramid) return;
            if (skipParentCounter === 0) {
              errorInfo = chainDiagnosticMessages(errorInfo, message, ...args);
            } else {
              skipParentCounter--;
            }
          }
          function reportParentSkippedError(message, ...args) {
            reportError(message, ...args);
            skipParentCounter++;
          }
          function associateRelatedInfo(info) {
            Debug.assert(!!errorInfo);
            if (!relatedInfo) {
              relatedInfo = [info];
            } else {
              relatedInfo.push(info);
            }
          }
          function reportRelationError(message, source2, target2) {
            if (incompatibleStack) reportIncompatibleStack();
            const [sourceType, targetType] = getTypeNamesForErrorDisplay(source2, target2);
            let generalizedSource = source2;
            let generalizedSourceType = sourceType;
            if (isLiteralType(source2) && !typeCouldHaveTopLevelSingletonTypes(target2)) {
              generalizedSource = getBaseTypeOfLiteralType(source2);
              Debug.assert(!isTypeAssignableTo(generalizedSource, target2), "generalized source shouldn't be assignable");
              generalizedSourceType = getTypeNameForErrorDisplay(generalizedSource);
            }
            const targetFlags = target2.flags & 8388608 && !(source2.flags & 8388608) ? target2.objectType.flags : target2.flags;
            if (targetFlags & 262144 && target2 !== markerSuperTypeForCheck && target2 !== markerSubTypeForCheck) {
              const constraint = getBaseConstraintOfType(target2);
              let needsOriginalSource;
              if (constraint && (isTypeAssignableTo(generalizedSource, constraint) || (needsOriginalSource = isTypeAssignableTo(source2, constraint)))) {
                reportError(
                  Diagnostics._0_is_assignable_to_the_constraint_of_type_1_but_1_could_be_instantiated_with_a_different_subtype_of_constraint_2,
                  needsOriginalSource ? sourceType : generalizedSourceType,
                  targetType,
                  typeToString(constraint)
                );
              } else {
                errorInfo = void 0;
                reportError(
                  Diagnostics._0_could_be_instantiated_with_an_arbitrary_type_which_could_be_unrelated_to_1,
                  targetType,
                  generalizedSourceType
                );
              }
            }
            if (!message) {
              if (relation === comparableRelation) {
                message = Diagnostics.Type_0_is_not_comparable_to_type_1;
              } else if (sourceType === targetType) {
                message = Diagnostics.Type_0_is_not_assignable_to_type_1_Two_different_types_with_this_name_exist_but_they_are_unrelated;
              } else if (exactOptionalPropertyTypes && getExactOptionalUnassignableProperties(source2, target2).length) {
                message = Diagnostics.Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_types_of_the_target_s_properties;
              } else {
                if (source2.flags & 128 && target2.flags & 1048576) {
                  const suggestedType = getSuggestedTypeForNonexistentStringLiteralType(source2, target2);
                  if (suggestedType) {
                    reportError(Diagnostics.Type_0_is_not_assignable_to_type_1_Did_you_mean_2, generalizedSourceType, targetType, typeToString(suggestedType));
                    return;
                  }
                }
                message = Diagnostics.Type_0_is_not_assignable_to_type_1;
              }
            } else if (message === Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1 && exactOptionalPropertyTypes && getExactOptionalUnassignableProperties(source2, target2).length) {
              message = Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_types_of_the_target_s_properties;
            }
            reportError(message, generalizedSourceType, targetType);
          }
          function tryElaborateErrorsForPrimitivesAndObjects(source2, target2) {
            const sourceType = symbolValueDeclarationIsContextSensitive(source2.symbol) ? typeToString(source2, source2.symbol.valueDeclaration) : typeToString(source2);
            const targetType = symbolValueDeclarationIsContextSensitive(target2.symbol) ? typeToString(target2, target2.symbol.valueDeclaration) : typeToString(target2);
            if (globalStringType === source2 && stringType2 === target2 || globalNumberType === source2 && numberType2 === target2 || globalBooleanType === source2 && booleanType2 === target2 || getGlobalESSymbolType() === source2 && esSymbolType === target2) {
              reportError(Diagnostics._0_is_a_primitive_but_1_is_a_wrapper_object_Prefer_using_0_when_possible, targetType, sourceType);
            }
          }
          function tryElaborateArrayLikeErrors(source2, target2, reportErrors2) {
            if (isTupleType(source2)) {
              if (source2.target.readonly && isMutableArrayOrTuple(target2)) {
                if (reportErrors2) {
                  reportError(Diagnostics.The_type_0_is_readonly_and_cannot_be_assigned_to_the_mutable_type_1, typeToString(source2), typeToString(target2));
                }
                return false;
              }
              return isArrayOrTupleType(target2);
            }
            if (isReadonlyArrayType(source2) && isMutableArrayOrTuple(target2)) {
              if (reportErrors2) {
                reportError(Diagnostics.The_type_0_is_readonly_and_cannot_be_assigned_to_the_mutable_type_1, typeToString(source2), typeToString(target2));
              }
              return false;
            }
            if (isTupleType(target2)) {
              return isArrayType(source2);
            }
            return true;
          }
          function isRelatedToWorker(source2, target2, reportErrors2) {
            return isRelatedTo(source2, target2, 3, reportErrors2);
          }
          function isRelatedTo(originalSource, originalTarget, recursionFlags = 3, reportErrors2 = false, headMessage2, intersectionState = 0) {
            if (originalSource === originalTarget) return -1;
            if (originalSource.flags & 524288 && originalTarget.flags & 402784252) {
              if (relation === comparableRelation && !(originalTarget.flags & 131072) && isSimpleTypeRelatedTo(originalTarget, originalSource, relation) || isSimpleTypeRelatedTo(originalSource, originalTarget, relation, reportErrors2 ? reportError : void 0)) {
                return -1;
              }
              if (reportErrors2) {
                reportErrorResults(originalSource, originalTarget, originalSource, originalTarget, headMessage2);
              }
              return 0;
            }
            const source2 = getNormalizedType(
              originalSource,
              /*writing*/
              false
            );
            let target2 = getNormalizedType(
              originalTarget,
              /*writing*/
              true
            );
            if (source2 === target2) return -1;
            if (relation === identityRelation) {
              if (source2.flags !== target2.flags) return 0;
              if (source2.flags & 67358815) return -1;
              traceUnionsOrIntersectionsTooLarge(source2, target2);
              return recursiveTypeRelatedTo(
                source2,
                target2,
                /*reportErrors*/
                false,
                0,
                recursionFlags
              );
            }
            if (source2.flags & 262144 && getConstraintOfType(source2) === target2) {
              return -1;
            }
            if (source2.flags & 470302716 && target2.flags & 1048576) {
              const types = target2.types;
              const candidate = types.length === 2 && types[0].flags & 98304 ? types[1] : types.length === 3 && types[0].flags & 98304 && types[1].flags & 98304 ? types[2] : void 0;
              if (candidate && !(candidate.flags & 98304)) {
                target2 = getNormalizedType(
                  candidate,
                  /*writing*/
                  true
                );
                if (source2 === target2) return -1;
              }
            }
            if (relation === comparableRelation && !(target2.flags & 131072) && isSimpleTypeRelatedTo(target2, source2, relation) || isSimpleTypeRelatedTo(source2, target2, relation, reportErrors2 ? reportError : void 0)) return -1;
            if (source2.flags & 469499904 || target2.flags & 469499904) {
              const isPerformingExcessPropertyChecks = !(intersectionState & 2) && (isObjectLiteralType2(source2) && getObjectFlags(source2) & 8192);
              if (isPerformingExcessPropertyChecks) {
                if (hasExcessProperties(source2, target2, reportErrors2)) {
                  if (reportErrors2) {
                    reportRelationError(headMessage2, source2, originalTarget.aliasSymbol ? originalTarget : target2);
                  }
                  return 0;
                }
              }
              const isPerformingCommonPropertyChecks = (relation !== comparableRelation || isUnitType(source2)) && !(intersectionState & 2) && source2.flags & (402784252 | 524288 | 2097152) && source2 !== globalObjectType && target2.flags & (524288 | 2097152) && isWeakType(target2) && (getPropertiesOfType(source2).length > 0 || typeHasCallOrConstructSignatures(source2));
              const isComparingJsxAttributes = !!(getObjectFlags(source2) & 2048);
              if (isPerformingCommonPropertyChecks && !hasCommonProperties(source2, target2, isComparingJsxAttributes)) {
                if (reportErrors2) {
                  const sourceString = typeToString(originalSource.aliasSymbol ? originalSource : source2);
                  const targetString = typeToString(originalTarget.aliasSymbol ? originalTarget : target2);
                  const calls = getSignaturesOfType(
                    source2,
                    0
                    /* Call */
                  );
                  const constructs = getSignaturesOfType(
                    source2,
                    1
                    /* Construct */
                  );
                  if (calls.length > 0 && isRelatedTo(
                    getReturnTypeOfSignature(calls[0]),
                    target2,
                    1,
                    /*reportErrors*/
                    false
                  ) || constructs.length > 0 && isRelatedTo(
                    getReturnTypeOfSignature(constructs[0]),
                    target2,
                    1,
                    /*reportErrors*/
                    false
                  )) {
                    reportError(Diagnostics.Value_of_type_0_has_no_properties_in_common_with_type_1_Did_you_mean_to_call_it, sourceString, targetString);
                  } else {
                    reportError(Diagnostics.Type_0_has_no_properties_in_common_with_type_1, sourceString, targetString);
                  }
                }
                return 0;
              }
              traceUnionsOrIntersectionsTooLarge(source2, target2);
              const skipCaching = source2.flags & 1048576 && source2.types.length < 4 && !(target2.flags & 1048576) || target2.flags & 1048576 && target2.types.length < 4 && !(source2.flags & 469499904);
              const result2 = skipCaching ? unionOrIntersectionRelatedTo(source2, target2, reportErrors2, intersectionState) : recursiveTypeRelatedTo(source2, target2, reportErrors2, intersectionState, recursionFlags);
              if (result2) {
                return result2;
              }
            }
            if (reportErrors2) {
              reportErrorResults(originalSource, originalTarget, source2, target2, headMessage2);
            }
            return 0;
          }
          function reportErrorResults(originalSource, originalTarget, source2, target2, headMessage2) {
            var _a2, _b;
            const sourceHasBase = !!getSingleBaseForNonAugmentingSubtype(originalSource);
            const targetHasBase = !!getSingleBaseForNonAugmentingSubtype(originalTarget);
            source2 = originalSource.aliasSymbol || sourceHasBase ? originalSource : source2;
            target2 = originalTarget.aliasSymbol || targetHasBase ? originalTarget : target2;
            let maybeSuppress = overrideNextErrorInfo > 0;
            if (maybeSuppress) {
              overrideNextErrorInfo--;
            }
            if (source2.flags & 524288 && target2.flags & 524288) {
              const currentError = errorInfo;
              tryElaborateArrayLikeErrors(
                source2,
                target2,
                /*reportErrors*/
                true
              );
              if (errorInfo !== currentError) {
                maybeSuppress = !!errorInfo;
              }
            }
            if (source2.flags & 524288 && target2.flags & 402784252) {
              tryElaborateErrorsForPrimitivesAndObjects(source2, target2);
            } else if (source2.symbol && source2.flags & 524288 && globalObjectType === source2) {
              reportError(Diagnostics.The_Object_type_is_assignable_to_very_few_other_types_Did_you_mean_to_use_the_any_type_instead);
            } else if (getObjectFlags(source2) & 2048 && target2.flags & 2097152) {
              const targetTypes = target2.types;
              const intrinsicAttributes = getJsxType(JsxNames.IntrinsicAttributes, errorNode);
              const intrinsicClassAttributes = getJsxType(JsxNames.IntrinsicClassAttributes, errorNode);
              if (!isErrorType(intrinsicAttributes) && !isErrorType(intrinsicClassAttributes) && (contains(targetTypes, intrinsicAttributes) || contains(targetTypes, intrinsicClassAttributes))) {
                return;
              }
            } else {
              errorInfo = elaborateNeverIntersection(errorInfo, originalTarget);
            }
            if (!headMessage2 && maybeSuppress) {
              const savedErrorState = captureErrorCalculationState();
              reportRelationError(headMessage2, source2, target2);
              let canonical;
              if (errorInfo && errorInfo !== savedErrorState.errorInfo) {
                canonical = { code: errorInfo.code, messageText: errorInfo.messageText };
              }
              resetErrorInfo(savedErrorState);
              if (canonical && errorInfo) {
                errorInfo.canonicalHead = canonical;
              }
              lastSkippedInfo = [source2, target2];
              return;
            }
            reportRelationError(headMessage2, source2, target2);
            if (source2.flags & 262144 && ((_b = (_a2 = source2.symbol) == null ? void 0 : _a2.declarations) == null ? void 0 : _b[0]) && !getConstraintOfType(source2)) {
              const syntheticParam = cloneTypeParameter(source2);
              syntheticParam.constraint = instantiateType(target2, makeUnaryTypeMapper(source2, syntheticParam));
              if (hasNonCircularBaseConstraint(syntheticParam)) {
                const targetConstraintString = typeToString(target2, source2.symbol.declarations[0]);
                associateRelatedInfo(createDiagnosticForNode(source2.symbol.declarations[0], Diagnostics.This_type_parameter_might_need_an_extends_0_constraint, targetConstraintString));
              }
            }
          }
          function traceUnionsOrIntersectionsTooLarge(source2, target2) {
            if (!tracing) {
              return;
            }
            if (source2.flags & 3145728 && target2.flags & 3145728) {
              const sourceUnionOrIntersection = source2;
              const targetUnionOrIntersection = target2;
              if (sourceUnionOrIntersection.objectFlags & targetUnionOrIntersection.objectFlags & 32768) {
                return;
              }
              const sourceSize = sourceUnionOrIntersection.types.length;
              const targetSize = targetUnionOrIntersection.types.length;
              if (sourceSize * targetSize > 1e6) {
                tracing.instant(tracing.Phase.CheckTypes, "traceUnionsOrIntersectionsTooLarge_DepthLimit", {
                  sourceId: source2.id,
                  sourceSize,
                  targetId: target2.id,
                  targetSize,
                  pos: errorNode == null ? void 0 : errorNode.pos,
                  end: errorNode == null ? void 0 : errorNode.end
                });
              }
            }
          }
          function getTypeOfPropertyInTypes(types, name) {
            const appendPropType = (propTypes, type) => {
              var _a2;
              type = getApparentType(type);
              const prop = type.flags & 3145728 ? getPropertyOfUnionOrIntersectionType(type, name) : getPropertyOfObjectType(type, name);
              const propType = prop && getTypeOfSymbol(prop) || ((_a2 = getApplicableIndexInfoForName(type, name)) == null ? void 0 : _a2.type) || undefinedType2;
              return append(propTypes, propType);
            };
            return getUnionType(reduceLeft(
              types,
              appendPropType,
              /*initial*/
              void 0
            ) || emptyArray);
          }
          function hasExcessProperties(source2, target2, reportErrors2) {
            var _a2;
            if (!isExcessPropertyCheckTarget(target2) || !noImplicitAny && getObjectFlags(target2) & 4096) {
              return false;
            }
            const isComparingJsxAttributes = !!(getObjectFlags(source2) & 2048);
            if ((relation === assignableRelation || relation === comparableRelation) && (isTypeSubsetOf(globalObjectType, target2) || !isComparingJsxAttributes && isEmptyObjectType(target2))) {
              return false;
            }
            let reducedTarget = target2;
            let checkTypes;
            if (target2.flags & 1048576) {
              reducedTarget = findMatchingDiscriminantType(source2, target2, isRelatedTo) || filterPrimitivesIfContainsNonPrimitive(target2);
              checkTypes = reducedTarget.flags & 1048576 ? reducedTarget.types : [reducedTarget];
            }
            for (const prop of getPropertiesOfType(source2)) {
              if (shouldCheckAsExcessProperty(prop, source2.symbol) && !isIgnoredJsxProperty(source2, prop)) {
                if (!isKnownProperty(reducedTarget, prop.escapedName, isComparingJsxAttributes)) {
                  if (reportErrors2) {
                    const errorTarget = filterType(reducedTarget, isExcessPropertyCheckTarget);
                    if (!errorNode) return Debug.fail();
                    if (isJsxAttributes(errorNode) || isJsxOpeningLikeElement(errorNode) || isJsxOpeningLikeElement(errorNode.parent)) {
                      if (prop.valueDeclaration && isJsxAttribute(prop.valueDeclaration) && getSourceFileOfNode(errorNode) === getSourceFileOfNode(prop.valueDeclaration.name)) {
                        errorNode = prop.valueDeclaration.name;
                      }
                      const propName = symbolToString2(prop);
                      const suggestionSymbol = getSuggestedSymbolForNonexistentJSXAttribute(propName, errorTarget);
                      const suggestion = suggestionSymbol ? symbolToString2(suggestionSymbol) : void 0;
                      if (suggestion) {
                        reportError(Diagnostics.Property_0_does_not_exist_on_type_1_Did_you_mean_2, propName, typeToString(errorTarget), suggestion);
                      } else {
                        reportError(Diagnostics.Property_0_does_not_exist_on_type_1, propName, typeToString(errorTarget));
                      }
                    } else {
                      const objectLiteralDeclaration = ((_a2 = source2.symbol) == null ? void 0 : _a2.declarations) && firstOrUndefined(source2.symbol.declarations);
                      let suggestion;
                      if (prop.valueDeclaration && findAncestor(prop.valueDeclaration, (d) => d === objectLiteralDeclaration) && getSourceFileOfNode(objectLiteralDeclaration) === getSourceFileOfNode(errorNode)) {
                        const propDeclaration = prop.valueDeclaration;
                        Debug.assertNode(propDeclaration, isObjectLiteralElementLike);
                        const name = propDeclaration.name;
                        errorNode = name;
                        if (isIdentifier(name)) {
                          suggestion = getSuggestionForNonexistentProperty(name, errorTarget);
                        }
                      }
                      if (suggestion !== void 0) {
                        reportParentSkippedError(Diagnostics.Object_literal_may_only_specify_known_properties_but_0_does_not_exist_in_type_1_Did_you_mean_to_write_2, symbolToString2(prop), typeToString(errorTarget), suggestion);
                      } else {
                        reportParentSkippedError(Diagnostics.Object_literal_may_only_specify_known_properties_and_0_does_not_exist_in_type_1, symbolToString2(prop), typeToString(errorTarget));
                      }
                    }
                  }
                  return true;
                }
                if (checkTypes && !isRelatedTo(getTypeOfSymbol(prop), getTypeOfPropertyInTypes(checkTypes, prop.escapedName), 3, reportErrors2)) {
                  if (reportErrors2) {
                    reportIncompatibleError(Diagnostics.Types_of_property_0_are_incompatible, symbolToString2(prop));
                  }
                  return true;
                }
              }
            }
            return false;
          }
          function shouldCheckAsExcessProperty(prop, container) {
            return prop.valueDeclaration && container.valueDeclaration && prop.valueDeclaration.parent === container.valueDeclaration;
          }
          function unionOrIntersectionRelatedTo(source2, target2, reportErrors2, intersectionState) {
            if (source2.flags & 1048576) {
              if (target2.flags & 1048576) {
                const sourceOrigin = source2.origin;
                if (sourceOrigin && sourceOrigin.flags & 2097152 && target2.aliasSymbol && contains(sourceOrigin.types, target2)) {
                  return -1;
                }
                const targetOrigin = target2.origin;
                if (targetOrigin && targetOrigin.flags & 1048576 && source2.aliasSymbol && contains(targetOrigin.types, source2)) {
                  return -1;
                }
              }
              return relation === comparableRelation ? someTypeRelatedToType(source2, target2, reportErrors2 && !(source2.flags & 402784252), intersectionState) : eachTypeRelatedToType(source2, target2, reportErrors2 && !(source2.flags & 402784252), intersectionState);
            }
            if (target2.flags & 1048576) {
              return typeRelatedToSomeType(getRegularTypeOfObjectLiteral(source2), target2, reportErrors2 && !(source2.flags & 402784252) && !(target2.flags & 402784252), intersectionState);
            }
            if (target2.flags & 2097152) {
              return typeRelatedToEachType(
                source2,
                target2,
                reportErrors2,
                2
                /* Target */
              );
            }
            if (relation === comparableRelation && target2.flags & 402784252) {
              const constraints = sameMap(source2.types, (t) => t.flags & 465829888 ? getBaseConstraintOfType(t) || unknownType2 : t);
              if (constraints !== source2.types) {
                source2 = getIntersectionType(constraints);
                if (source2.flags & 131072) {
                  return 0;
                }
                if (!(source2.flags & 2097152)) {
                  return isRelatedTo(
                    source2,
                    target2,
                    1,
                    /*reportErrors*/
                    false
                  ) || isRelatedTo(
                    target2,
                    source2,
                    1,
                    /*reportErrors*/
                    false
                  );
                }
              }
            }
            return someTypeRelatedToType(
              source2,
              target2,
              /*reportErrors*/
              false,
              1
              /* Source */
            );
          }
          function eachTypeRelatedToSomeType(source2, target2) {
            let result2 = -1;
            const sourceTypes = source2.types;
            for (const sourceType of sourceTypes) {
              const related = typeRelatedToSomeType(
                sourceType,
                target2,
                /*reportErrors*/
                false,
                0
                /* None */
              );
              if (!related) {
                return 0;
              }
              result2 &= related;
            }
            return result2;
          }
          function typeRelatedToSomeType(source2, target2, reportErrors2, intersectionState) {
            const targetTypes = target2.types;
            if (target2.flags & 1048576) {
              if (containsType(targetTypes, source2)) {
                return -1;
              }
              if (relation !== comparableRelation && getObjectFlags(target2) & 32768 && !(source2.flags & 1024) && (source2.flags & (128 | 512 | 2048) || (relation === subtypeRelation || relation === strictSubtypeRelation) && source2.flags & 256)) {
                const alternateForm = source2 === source2.regularType ? source2.freshType : source2.regularType;
                const primitive = source2.flags & 128 ? stringType2 : source2.flags & 256 ? numberType2 : source2.flags & 2048 ? bigintType : void 0;
                return primitive && containsType(targetTypes, primitive) || alternateForm && containsType(targetTypes, alternateForm) ? -1 : 0;
              }
              const match = getMatchingUnionConstituentForType(target2, source2);
              if (match) {
                const related = isRelatedTo(
                  source2,
                  match,
                  2,
                  /*reportErrors*/
                  false,
                  /*headMessage*/
                  void 0,
                  intersectionState
                );
                if (related) {
                  return related;
                }
              }
            }
            for (const type of targetTypes) {
              const related = isRelatedTo(
                source2,
                type,
                2,
                /*reportErrors*/
                false,
                /*headMessage*/
                void 0,
                intersectionState
              );
              if (related) {
                return related;
              }
            }
            if (reportErrors2) {
              const bestMatchingType = getBestMatchingType(source2, target2, isRelatedTo);
              if (bestMatchingType) {
                isRelatedTo(
                  source2,
                  bestMatchingType,
                  2,
                  /*reportErrors*/
                  true,
                  /*headMessage*/
                  void 0,
                  intersectionState
                );
              }
            }
            return 0;
          }
          function typeRelatedToEachType(source2, target2, reportErrors2, intersectionState) {
            let result2 = -1;
            const targetTypes = target2.types;
            for (const targetType of targetTypes) {
              const related = isRelatedTo(
                source2,
                targetType,
                2,
                reportErrors2,
                /*headMessage*/
                void 0,
                intersectionState
              );
              if (!related) {
                return 0;
              }
              result2 &= related;
            }
            return result2;
          }
          function someTypeRelatedToType(source2, target2, reportErrors2, intersectionState) {
            const sourceTypes = source2.types;
            if (source2.flags & 1048576 && containsType(sourceTypes, target2)) {
              return -1;
            }
            const len = sourceTypes.length;
            for (let i = 0; i < len; i++) {
              const related = isRelatedTo(
                sourceTypes[i],
                target2,
                1,
                reportErrors2 && i === len - 1,
                /*headMessage*/
                void 0,
                intersectionState
              );
              if (related) {
                return related;
              }
            }
            return 0;
          }
          function getUndefinedStrippedTargetIfNeeded(source2, target2) {
            if (source2.flags & 1048576 && target2.flags & 1048576 && !(source2.types[0].flags & 32768) && target2.types[0].flags & 32768) {
              return extractTypesOfKind(
                target2,
                ~32768
                /* Undefined */
              );
            }
            return target2;
          }
          function eachTypeRelatedToType(source2, target2, reportErrors2, intersectionState) {
            let result2 = -1;
            const sourceTypes = source2.types;
            const undefinedStrippedTarget = getUndefinedStrippedTargetIfNeeded(source2, target2);
            for (let i = 0; i < sourceTypes.length; i++) {
              const sourceType = sourceTypes[i];
              if (undefinedStrippedTarget.flags & 1048576 && sourceTypes.length >= undefinedStrippedTarget.types.length && sourceTypes.length % undefinedStrippedTarget.types.length === 0) {
                const related2 = isRelatedTo(
                  sourceType,
                  undefinedStrippedTarget.types[i % undefinedStrippedTarget.types.length],
                  3,
                  /*reportErrors*/
                  false,
                  /*headMessage*/
                  void 0,
                  intersectionState
                );
                if (related2) {
                  result2 &= related2;
                  continue;
                }
              }
              const related = isRelatedTo(
                sourceType,
                target2,
                1,
                reportErrors2,
                /*headMessage*/
                void 0,
                intersectionState
              );
              if (!related) {
                return 0;
              }
              result2 &= related;
            }
            return result2;
          }
          function typeArgumentsRelatedTo(sources = emptyArray, targets = emptyArray, variances = emptyArray, reportErrors2, intersectionState) {
            if (sources.length !== targets.length && relation === identityRelation) {
              return 0;
            }
            const length2 = sources.length <= targets.length ? sources.length : targets.length;
            let result2 = -1;
            for (let i = 0; i < length2; i++) {
              const varianceFlags = i < variances.length ? variances[i] : 1;
              const variance = varianceFlags & 7;
              if (variance !== 4) {
                const s = sources[i];
                const t = targets[i];
                let related = -1;
                if (varianceFlags & 8) {
                  related = relation === identityRelation ? isRelatedTo(
                    s,
                    t,
                    3,
                    /*reportErrors*/
                    false
                  ) : compareTypesIdentical(s, t);
                } else if (variance === 1) {
                  related = isRelatedTo(
                    s,
                    t,
                    3,
                    reportErrors2,
                    /*headMessage*/
                    void 0,
                    intersectionState
                  );
                } else if (variance === 2) {
                  related = isRelatedTo(
                    t,
                    s,
                    3,
                    reportErrors2,
                    /*headMessage*/
                    void 0,
                    intersectionState
                  );
                } else if (variance === 3) {
                  related = isRelatedTo(
                    t,
                    s,
                    3,
                    /*reportErrors*/
                    false
                  );
                  if (!related) {
                    related = isRelatedTo(
                      s,
                      t,
                      3,
                      reportErrors2,
                      /*headMessage*/
                      void 0,
                      intersectionState
                    );
                  }
                } else {
                  related = isRelatedTo(
                    s,
                    t,
                    3,
                    reportErrors2,
                    /*headMessage*/
                    void 0,
                    intersectionState
                  );
                  if (related) {
                    related &= isRelatedTo(
                      t,
                      s,
                      3,
                      reportErrors2,
                      /*headMessage*/
                      void 0,
                      intersectionState
                    );
                  }
                }
                if (!related) {
                  return 0;
                }
                result2 &= related;
              }
            }
            return result2;
          }
          function recursiveTypeRelatedTo(source2, target2, reportErrors2, intersectionState, recursionFlags) {
            var _a2, _b, _c;
            if (overflow) {
              return 0;
            }
            const id = getRelationKey(
              source2,
              target2,
              intersectionState,
              relation,
              /*ignoreConstraints*/
              false
            );
            const entry = relation.get(id);
            if (entry !== void 0) {
              if (reportErrors2 && entry & 2 && !(entry & 4)) {
              } else {
                if (outofbandVarianceMarkerHandler) {
                  const saved = entry & 24;
                  if (saved & 8) {
                    instantiateType(source2, reportUnmeasurableMapper);
                  }
                  if (saved & 16) {
                    instantiateType(source2, reportUnreliableMapper);
                  }
                }
                return entry & 1 ? -1 : 0;
              }
            }
            if (relationCount <= 0) {
              overflow = true;
              return 0;
            }
            if (!maybeKeys) {
              maybeKeys = [];
              maybeKeysSet = /* @__PURE__ */ new Set();
              sourceStack = [];
              targetStack = [];
            } else {
              if (maybeKeysSet.has(id)) {
                return 3;
              }
              const broadestEquivalentId = id.startsWith("*") ? getRelationKey(
                source2,
                target2,
                intersectionState,
                relation,
                /*ignoreConstraints*/
                true
              ) : void 0;
              if (broadestEquivalentId && maybeKeysSet.has(broadestEquivalentId)) {
                return 3;
              }
              if (sourceDepth === 100 || targetDepth === 100) {
                overflow = true;
                return 0;
              }
            }
            const maybeStart = maybeCount;
            maybeKeys[maybeCount] = id;
            maybeKeysSet.add(id);
            maybeCount++;
            const saveExpandingFlags = expandingFlags;
            if (recursionFlags & 1) {
              sourceStack[sourceDepth] = source2;
              sourceDepth++;
              if (!(expandingFlags & 1) && isDeeplyNestedType(source2, sourceStack, sourceDepth)) expandingFlags |= 1;
            }
            if (recursionFlags & 2) {
              targetStack[targetDepth] = target2;
              targetDepth++;
              if (!(expandingFlags & 2) && isDeeplyNestedType(target2, targetStack, targetDepth)) expandingFlags |= 2;
            }
            let originalHandler;
            let propagatingVarianceFlags = 0;
            if (outofbandVarianceMarkerHandler) {
              originalHandler = outofbandVarianceMarkerHandler;
              outofbandVarianceMarkerHandler = (onlyUnreliable) => {
                propagatingVarianceFlags |= onlyUnreliable ? 16 : 8;
                return originalHandler(onlyUnreliable);
              };
            }
            let result2;
            if (expandingFlags === 3) {
              (_a2 = tracing) == null ? void 0 : _a2.instant(tracing.Phase.CheckTypes, "recursiveTypeRelatedTo_DepthLimit", {
                sourceId: source2.id,
                sourceIdStack: sourceStack.map((t) => t.id),
                targetId: target2.id,
                targetIdStack: targetStack.map((t) => t.id),
                depth: sourceDepth,
                targetDepth
              });
              result2 = 3;
            } else {
              (_b = tracing) == null ? void 0 : _b.push(tracing.Phase.CheckTypes, "structuredTypeRelatedTo", { sourceId: source2.id, targetId: target2.id });
              result2 = structuredTypeRelatedTo(source2, target2, reportErrors2, intersectionState);
              (_c = tracing) == null ? void 0 : _c.pop();
            }
            if (outofbandVarianceMarkerHandler) {
              outofbandVarianceMarkerHandler = originalHandler;
            }
            if (recursionFlags & 1) {
              sourceDepth--;
            }
            if (recursionFlags & 2) {
              targetDepth--;
            }
            expandingFlags = saveExpandingFlags;
            if (result2) {
              if (result2 === -1 || sourceDepth === 0 && targetDepth === 0) {
                if (result2 === -1 || result2 === 3) {
                  resetMaybeStack(
                    /*markAllAsSucceeded*/
                    true
                  );
                } else {
                  resetMaybeStack(
                    /*markAllAsSucceeded*/
                    false
                  );
                }
              }
            } else {
              relation.set(id, (reportErrors2 ? 4 : 0) | 2 | propagatingVarianceFlags);
              relationCount--;
              resetMaybeStack(
                /*markAllAsSucceeded*/
                false
              );
            }
            return result2;
            function resetMaybeStack(markAllAsSucceeded) {
              for (let i = maybeStart; i < maybeCount; i++) {
                maybeKeysSet.delete(maybeKeys[i]);
                if (markAllAsSucceeded) {
                  relation.set(maybeKeys[i], 1 | propagatingVarianceFlags);
                  relationCount--;
                }
              }
              maybeCount = maybeStart;
            }
          }
          function structuredTypeRelatedTo(source2, target2, reportErrors2, intersectionState) {
            const saveErrorInfo = captureErrorCalculationState();
            let result2 = structuredTypeRelatedToWorker(source2, target2, reportErrors2, intersectionState, saveErrorInfo);
            if (relation !== identityRelation) {
              if (!result2 && (source2.flags & 2097152 || source2.flags & 262144 && target2.flags & 1048576)) {
                const constraint = getEffectiveConstraintOfIntersection(source2.flags & 2097152 ? source2.types : [source2], !!(target2.flags & 1048576));
                if (constraint && everyType(constraint, (c) => c !== source2)) {
                  result2 = isRelatedTo(
                    constraint,
                    target2,
                    1,
                    /*reportErrors*/
                    false,
                    /*headMessage*/
                    void 0,
                    intersectionState
                  );
                }
              }
              if (result2 && !(intersectionState & 2) && target2.flags & 2097152 && !isGenericObjectType(target2) && source2.flags & (524288 | 2097152)) {
                result2 &= propertiesRelatedTo(
                  source2,
                  target2,
                  reportErrors2,
                  /*excludedProperties*/
                  void 0,
                  /*optionalsOnly*/
                  false,
                  0
                  /* None */
                );
                if (result2 && isObjectLiteralType2(source2) && getObjectFlags(source2) & 8192) {
                  result2 &= indexSignaturesRelatedTo(
                    source2,
                    target2,
                    /*sourceIsPrimitive*/
                    false,
                    reportErrors2,
                    0
                    /* None */
                  );
                }
              } else if (result2 && isNonGenericObjectType(target2) && !isArrayOrTupleType(target2) && source2.flags & 2097152 && getApparentType(source2).flags & 3670016 && !some(source2.types, (t) => t === target2 || !!(getObjectFlags(t) & 262144))) {
                result2 &= propertiesRelatedTo(
                  source2,
                  target2,
                  reportErrors2,
                  /*excludedProperties*/
                  void 0,
                  /*optionalsOnly*/
                  true,
                  intersectionState
                );
              }
            }
            if (result2) {
              resetErrorInfo(saveErrorInfo);
            }
            return result2;
          }
          function getApparentMappedTypeKeys(nameType, targetType) {
            const modifiersType = getApparentType(getModifiersTypeFromMappedType(targetType));
            const mappedKeys = [];
            forEachMappedTypePropertyKeyTypeAndIndexSignatureKeyType(
              modifiersType,
              8576,
              /*stringsOnly*/
              false,
              (t) => void mappedKeys.push(instantiateType(nameType, appendTypeMapping(targetType.mapper, getTypeParameterFromMappedType(targetType), t)))
            );
            return getUnionType(mappedKeys);
          }
          function structuredTypeRelatedToWorker(source2, target2, reportErrors2, intersectionState, saveErrorInfo) {
            let result2;
            let originalErrorInfo;
            let varianceCheckFailed = false;
            let sourceFlags = source2.flags;
            const targetFlags = target2.flags;
            if (relation === identityRelation) {
              if (sourceFlags & 3145728) {
                let result3 = eachTypeRelatedToSomeType(source2, target2);
                if (result3) {
                  result3 &= eachTypeRelatedToSomeType(target2, source2);
                }
                return result3;
              }
              if (sourceFlags & 4194304) {
                return isRelatedTo(
                  source2.type,
                  target2.type,
                  3,
                  /*reportErrors*/
                  false
                );
              }
              if (sourceFlags & 8388608) {
                if (result2 = isRelatedTo(
                  source2.objectType,
                  target2.objectType,
                  3,
                  /*reportErrors*/
                  false
                )) {
                  if (result2 &= isRelatedTo(
                    source2.indexType,
                    target2.indexType,
                    3,
                    /*reportErrors*/
                    false
                  )) {
                    return result2;
                  }
                }
              }
              if (sourceFlags & 16777216) {
                if (source2.root.isDistributive === target2.root.isDistributive) {
                  if (result2 = isRelatedTo(
                    source2.checkType,
                    target2.checkType,
                    3,
                    /*reportErrors*/
                    false
                  )) {
                    if (result2 &= isRelatedTo(
                      source2.extendsType,
                      target2.extendsType,
                      3,
                      /*reportErrors*/
                      false
                    )) {
                      if (result2 &= isRelatedTo(
                        getTrueTypeFromConditionalType(source2),
                        getTrueTypeFromConditionalType(target2),
                        3,
                        /*reportErrors*/
                        false
                      )) {
                        if (result2 &= isRelatedTo(
                          getFalseTypeFromConditionalType(source2),
                          getFalseTypeFromConditionalType(target2),
                          3,
                          /*reportErrors*/
                          false
                        )) {
                          return result2;
                        }
                      }
                    }
                  }
                }
              }
              if (sourceFlags & 33554432) {
                if (result2 = isRelatedTo(
                  source2.baseType,
                  target2.baseType,
                  3,
                  /*reportErrors*/
                  false
                )) {
                  if (result2 &= isRelatedTo(
                    source2.constraint,
                    target2.constraint,
                    3,
                    /*reportErrors*/
                    false
                  )) {
                    return result2;
                  }
                }
              }
              if (!(sourceFlags & 524288)) {
                return 0;
              }
            } else if (sourceFlags & 3145728 || targetFlags & 3145728) {
              if (result2 = unionOrIntersectionRelatedTo(source2, target2, reportErrors2, intersectionState)) {
                return result2;
              }
              if (!(sourceFlags & 465829888 || sourceFlags & 524288 && targetFlags & 1048576 || sourceFlags & 2097152 && targetFlags & (524288 | 1048576 | 465829888))) {
                return 0;
              }
            }
            if (sourceFlags & (524288 | 16777216) && source2.aliasSymbol && source2.aliasTypeArguments && source2.aliasSymbol === target2.aliasSymbol && !(isMarkerType(source2) || isMarkerType(target2))) {
              const variances = getAliasVariances(source2.aliasSymbol);
              if (variances === emptyArray) {
                return 1;
              }
              const params = getSymbolLinks(source2.aliasSymbol).typeParameters;
              const minParams = getMinTypeArgumentCount(params);
              const sourceTypes = fillMissingTypeArguments(source2.aliasTypeArguments, params, minParams, isInJSFile(source2.aliasSymbol.valueDeclaration));
              const targetTypes = fillMissingTypeArguments(target2.aliasTypeArguments, params, minParams, isInJSFile(source2.aliasSymbol.valueDeclaration));
              const varianceResult = relateVariances(sourceTypes, targetTypes, variances, intersectionState);
              if (varianceResult !== void 0) {
                return varianceResult;
              }
            }
            if (isSingleElementGenericTupleType(source2) && !source2.target.readonly && (result2 = isRelatedTo(
              getTypeArguments(source2)[0],
              target2,
              1
              /* Source */
            )) || isSingleElementGenericTupleType(target2) && (target2.target.readonly || isMutableArrayOrTuple(getBaseConstraintOfType(source2) || source2)) && (result2 = isRelatedTo(
              source2,
              getTypeArguments(target2)[0],
              2
              /* Target */
            ))) {
              return result2;
            }
            if (targetFlags & 262144) {
              if (getObjectFlags(source2) & 32 && !source2.declaration.nameType && isRelatedTo(
                getIndexType(target2),
                getConstraintTypeFromMappedType(source2),
                3
                /* Both */
              )) {
                if (!(getMappedTypeModifiers(source2) & 4)) {
                  const templateType = getTemplateTypeFromMappedType(source2);
                  const indexedAccessType = getIndexedAccessType(target2, getTypeParameterFromMappedType(source2));
                  if (result2 = isRelatedTo(templateType, indexedAccessType, 3, reportErrors2)) {
                    return result2;
                  }
                }
              }
              if (relation === comparableRelation && sourceFlags & 262144) {
                let constraint = getConstraintOfTypeParameter(source2);
                if (constraint) {
                  while (constraint && someType(constraint, (c) => !!(c.flags & 262144))) {
                    if (result2 = isRelatedTo(
                      constraint,
                      target2,
                      1,
                      /*reportErrors*/
                      false
                    )) {
                      return result2;
                    }
                    constraint = getConstraintOfTypeParameter(constraint);
                  }
                }
                return 0;
              }
            } else if (targetFlags & 4194304) {
              const targetType = target2.type;
              if (sourceFlags & 4194304) {
                if (result2 = isRelatedTo(
                  targetType,
                  source2.type,
                  3,
                  /*reportErrors*/
                  false
                )) {
                  return result2;
                }
              }
              if (isTupleType(targetType)) {
                if (result2 = isRelatedTo(source2, getKnownKeysOfTupleType(targetType), 2, reportErrors2)) {
                  return result2;
                }
              } else {
                const constraint = getSimplifiedTypeOrConstraint(targetType);
                if (constraint) {
                  if (isRelatedTo(source2, getIndexType(
                    constraint,
                    target2.indexFlags | 4
                    /* NoReducibleCheck */
                  ), 2, reportErrors2) === -1) {
                    return -1;
                  }
                } else if (isGenericMappedType(targetType)) {
                  const nameType = getNameTypeFromMappedType(targetType);
                  const constraintType = getConstraintTypeFromMappedType(targetType);
                  let targetKeys;
                  if (nameType && isMappedTypeWithKeyofConstraintDeclaration(targetType)) {
                    const mappedKeys = getApparentMappedTypeKeys(nameType, targetType);
                    targetKeys = getUnionType([mappedKeys, nameType]);
                  } else {
                    targetKeys = nameType || constraintType;
                  }
                  if (isRelatedTo(source2, targetKeys, 2, reportErrors2) === -1) {
                    return -1;
                  }
                }
              }
            } else if (targetFlags & 8388608) {
              if (sourceFlags & 8388608) {
                if (result2 = isRelatedTo(source2.objectType, target2.objectType, 3, reportErrors2)) {
                  result2 &= isRelatedTo(source2.indexType, target2.indexType, 3, reportErrors2);
                }
                if (result2) {
                  return result2;
                }
                if (reportErrors2) {
                  originalErrorInfo = errorInfo;
                }
              }
              if (relation === assignableRelation || relation === comparableRelation) {
                const objectType2 = target2.objectType;
                const indexType = target2.indexType;
                const baseObjectType = getBaseConstraintOfType(objectType2) || objectType2;
                const baseIndexType = getBaseConstraintOfType(indexType) || indexType;
                if (!isGenericObjectType(baseObjectType) && !isGenericIndexType(baseIndexType)) {
                  const accessFlags = 4 | (baseObjectType !== objectType2 ? 2 : 0);
                  const constraint = getIndexedAccessTypeOrUndefined(baseObjectType, baseIndexType, accessFlags);
                  if (constraint) {
                    if (reportErrors2 && originalErrorInfo) {
                      resetErrorInfo(saveErrorInfo);
                    }
                    if (result2 = isRelatedTo(
                      source2,
                      constraint,
                      2,
                      reportErrors2,
                      /*headMessage*/
                      void 0,
                      intersectionState
                    )) {
                      return result2;
                    }
                    if (reportErrors2 && originalErrorInfo && errorInfo) {
                      errorInfo = countMessageChainBreadth([originalErrorInfo]) <= countMessageChainBreadth([errorInfo]) ? originalErrorInfo : errorInfo;
                    }
                  }
                }
              }
              if (reportErrors2) {
                originalErrorInfo = void 0;
              }
            } else if (isGenericMappedType(target2) && relation !== identityRelation) {
              const keysRemapped = !!target2.declaration.nameType;
              const templateType = getTemplateTypeFromMappedType(target2);
              const modifiers = getMappedTypeModifiers(target2);
              if (!(modifiers & 8)) {
                if (!keysRemapped && templateType.flags & 8388608 && templateType.objectType === source2 && templateType.indexType === getTypeParameterFromMappedType(target2)) {
                  return -1;
                }
                if (!isGenericMappedType(source2)) {
                  const targetKeys = keysRemapped ? getNameTypeFromMappedType(target2) : getConstraintTypeFromMappedType(target2);
                  const sourceKeys = getIndexType(
                    source2,
                    2
                    /* NoIndexSignatures */
                  );
                  const includeOptional = modifiers & 4;
                  const filteredByApplicability = includeOptional ? intersectTypes(targetKeys, sourceKeys) : void 0;
                  if (includeOptional ? !(filteredByApplicability.flags & 131072) : isRelatedTo(
                    targetKeys,
                    sourceKeys,
                    3
                    /* Both */
                  )) {
                    const templateType2 = getTemplateTypeFromMappedType(target2);
                    const typeParameter = getTypeParameterFromMappedType(target2);
                    const nonNullComponent = extractTypesOfKind(
                      templateType2,
                      ~98304
                      /* Nullable */
                    );
                    if (!keysRemapped && nonNullComponent.flags & 8388608 && nonNullComponent.indexType === typeParameter) {
                      if (result2 = isRelatedTo(source2, nonNullComponent.objectType, 2, reportErrors2)) {
                        return result2;
                      }
                    } else {
                      const indexingType = keysRemapped ? filteredByApplicability || targetKeys : filteredByApplicability ? getIntersectionType([filteredByApplicability, typeParameter]) : typeParameter;
                      const indexedAccessType = getIndexedAccessType(source2, indexingType);
                      if (result2 = isRelatedTo(indexedAccessType, templateType2, 3, reportErrors2)) {
                        return result2;
                      }
                    }
                  }
                  originalErrorInfo = errorInfo;
                  resetErrorInfo(saveErrorInfo);
                }
              }
            } else if (targetFlags & 16777216) {
              if (isDeeplyNestedType(target2, targetStack, targetDepth, 10)) {
                return 3;
              }
              const c = target2;
              if (!c.root.inferTypeParameters && !isDistributionDependent(c.root) && !(source2.flags & 16777216 && source2.root === c.root)) {
                const skipTrue = !isTypeAssignableTo(getPermissiveInstantiation(c.checkType), getPermissiveInstantiation(c.extendsType));
                const skipFalse = !skipTrue && isTypeAssignableTo(getRestrictiveInstantiation(c.checkType), getRestrictiveInstantiation(c.extendsType));
                if (result2 = skipTrue ? -1 : isRelatedTo(
                  source2,
                  getTrueTypeFromConditionalType(c),
                  2,
                  /*reportErrors*/
                  false,
                  /*headMessage*/
                  void 0,
                  intersectionState
                )) {
                  result2 &= skipFalse ? -1 : isRelatedTo(
                    source2,
                    getFalseTypeFromConditionalType(c),
                    2,
                    /*reportErrors*/
                    false,
                    /*headMessage*/
                    void 0,
                    intersectionState
                  );
                  if (result2) {
                    return result2;
                  }
                }
              }
            } else if (targetFlags & 134217728) {
              if (sourceFlags & 134217728) {
                if (relation === comparableRelation) {
                  return templateLiteralTypesDefinitelyUnrelated(source2, target2) ? 0 : -1;
                }
                instantiateType(source2, reportUnreliableMapper);
              }
              if (isTypeMatchedByTemplateLiteralType(source2, target2)) {
                return -1;
              }
            } else if (target2.flags & 268435456) {
              if (!(source2.flags & 268435456)) {
                if (isMemberOfStringMapping(source2, target2)) {
                  return -1;
                }
              }
            }
            if (sourceFlags & 8650752) {
              if (!(sourceFlags & 8388608 && targetFlags & 8388608)) {
                const constraint = getConstraintOfType(source2) || unknownType2;
                if (result2 = isRelatedTo(
                  constraint,
                  target2,
                  1,
                  /*reportErrors*/
                  false,
                  /*headMessage*/
                  void 0,
                  intersectionState
                )) {
                  return result2;
                } else if (result2 = isRelatedTo(
                  getTypeWithThisArgument(constraint, source2),
                  target2,
                  1,
                  reportErrors2 && constraint !== unknownType2 && !(targetFlags & sourceFlags & 262144),
                  /*headMessage*/
                  void 0,
                  intersectionState
                )) {
                  return result2;
                }
                if (isMappedTypeGenericIndexedAccess(source2)) {
                  const indexConstraint = getConstraintOfType(source2.indexType);
                  if (indexConstraint) {
                    if (result2 = isRelatedTo(getIndexedAccessType(source2.objectType, indexConstraint), target2, 1, reportErrors2)) {
                      return result2;
                    }
                  }
                }
              }
            } else if (sourceFlags & 4194304) {
              const isDeferredMappedIndex = shouldDeferIndexType(source2.type, source2.indexFlags) && getObjectFlags(source2.type) & 32;
              if (result2 = isRelatedTo(stringNumberSymbolType, target2, 1, reportErrors2 && !isDeferredMappedIndex)) {
                return result2;
              }
              if (isDeferredMappedIndex) {
                const mappedType = source2.type;
                const nameType = getNameTypeFromMappedType(mappedType);
                const sourceMappedKeys = nameType && isMappedTypeWithKeyofConstraintDeclaration(mappedType) ? getApparentMappedTypeKeys(nameType, mappedType) : nameType || getConstraintTypeFromMappedType(mappedType);
                if (result2 = isRelatedTo(sourceMappedKeys, target2, 1, reportErrors2)) {
                  return result2;
                }
              }
            } else if (sourceFlags & 134217728 && !(targetFlags & 524288)) {
              if (!(targetFlags & 134217728)) {
                const constraint = getBaseConstraintOfType(source2);
                if (constraint && constraint !== source2 && (result2 = isRelatedTo(constraint, target2, 1, reportErrors2))) {
                  return result2;
                }
              }
            } else if (sourceFlags & 268435456) {
              if (targetFlags & 268435456) {
                if (source2.symbol !== target2.symbol) {
                  return 0;
                }
                if (result2 = isRelatedTo(source2.type, target2.type, 3, reportErrors2)) {
                  return result2;
                }
              } else {
                const constraint = getBaseConstraintOfType(source2);
                if (constraint && (result2 = isRelatedTo(constraint, target2, 1, reportErrors2))) {
                  return result2;
                }
              }
            } else if (sourceFlags & 16777216) {
              if (isDeeplyNestedType(source2, sourceStack, sourceDepth, 10)) {
                return 3;
              }
              if (targetFlags & 16777216) {
                const sourceParams = source2.root.inferTypeParameters;
                let sourceExtends = source2.extendsType;
                let mapper;
                if (sourceParams) {
                  const ctx = createInferenceContext(
                    sourceParams,
                    /*signature*/
                    void 0,
                    0,
                    isRelatedToWorker
                  );
                  inferTypes(
                    ctx.inferences,
                    target2.extendsType,
                    sourceExtends,
                    512 | 1024
                    /* AlwaysStrict */
                  );
                  sourceExtends = instantiateType(sourceExtends, ctx.mapper);
                  mapper = ctx.mapper;
                }
                if (isTypeIdenticalTo(sourceExtends, target2.extendsType) && (isRelatedTo(
                  source2.checkType,
                  target2.checkType,
                  3
                  /* Both */
                ) || isRelatedTo(
                  target2.checkType,
                  source2.checkType,
                  3
                  /* Both */
                ))) {
                  if (result2 = isRelatedTo(instantiateType(getTrueTypeFromConditionalType(source2), mapper), getTrueTypeFromConditionalType(target2), 3, reportErrors2)) {
                    result2 &= isRelatedTo(getFalseTypeFromConditionalType(source2), getFalseTypeFromConditionalType(target2), 3, reportErrors2);
                  }
                  if (result2) {
                    return result2;
                  }
                }
              }
              const defaultConstraint = getDefaultConstraintOfConditionalType(source2);
              if (defaultConstraint) {
                if (result2 = isRelatedTo(defaultConstraint, target2, 1, reportErrors2)) {
                  return result2;
                }
              }
              const distributiveConstraint = !(targetFlags & 16777216) && hasNonCircularBaseConstraint(source2) ? getConstraintOfDistributiveConditionalType(source2) : void 0;
              if (distributiveConstraint) {
                resetErrorInfo(saveErrorInfo);
                if (result2 = isRelatedTo(distributiveConstraint, target2, 1, reportErrors2)) {
                  return result2;
                }
              }
            } else {
              if (relation !== subtypeRelation && relation !== strictSubtypeRelation && isPartialMappedType(target2) && isEmptyObjectType(source2)) {
                return -1;
              }
              if (isGenericMappedType(target2)) {
                if (isGenericMappedType(source2)) {
                  if (result2 = mappedTypeRelatedTo(source2, target2, reportErrors2)) {
                    return result2;
                  }
                }
                return 0;
              }
              const sourceIsPrimitive = !!(sourceFlags & 402784252);
              if (relation !== identityRelation) {
                source2 = getApparentType(source2);
                sourceFlags = source2.flags;
              } else if (isGenericMappedType(source2)) {
                return 0;
              }
              if (getObjectFlags(source2) & 4 && getObjectFlags(target2) & 4 && source2.target === target2.target && !isTupleType(source2) && !(isMarkerType(source2) || isMarkerType(target2))) {
                if (isEmptyArrayLiteralType(source2)) {
                  return -1;
                }
                const variances = getVariances(source2.target);
                if (variances === emptyArray) {
                  return 1;
                }
                const varianceResult = relateVariances(getTypeArguments(source2), getTypeArguments(target2), variances, intersectionState);
                if (varianceResult !== void 0) {
                  return varianceResult;
                }
              } else if (isReadonlyArrayType(target2) ? everyType(source2, isArrayOrTupleType) : isArrayType(target2) && everyType(source2, (t) => isTupleType(t) && !t.target.readonly)) {
                if (relation !== identityRelation) {
                  return isRelatedTo(getIndexTypeOfType(source2, numberType2) || anyType2, getIndexTypeOfType(target2, numberType2) || anyType2, 3, reportErrors2);
                } else {
                  return 0;
                }
              } else if (isGenericTupleType(source2) && isTupleType(target2) && !isGenericTupleType(target2)) {
                const constraint = getBaseConstraintOrType(source2);
                if (constraint !== source2) {
                  return isRelatedTo(constraint, target2, 1, reportErrors2);
                }
              } else if ((relation === subtypeRelation || relation === strictSubtypeRelation) && isEmptyObjectType(target2) && getObjectFlags(target2) & 8192 && !isEmptyObjectType(source2)) {
                return 0;
              }
              if (sourceFlags & (524288 | 2097152) && targetFlags & 524288) {
                const reportStructuralErrors = reportErrors2 && errorInfo === saveErrorInfo.errorInfo && !sourceIsPrimitive;
                result2 = propertiesRelatedTo(
                  source2,
                  target2,
                  reportStructuralErrors,
                  /*excludedProperties*/
                  void 0,
                  /*optionalsOnly*/
                  false,
                  intersectionState
                );
                if (result2) {
                  result2 &= signaturesRelatedTo(source2, target2, 0, reportStructuralErrors, intersectionState);
                  if (result2) {
                    result2 &= signaturesRelatedTo(source2, target2, 1, reportStructuralErrors, intersectionState);
                    if (result2) {
                      result2 &= indexSignaturesRelatedTo(source2, target2, sourceIsPrimitive, reportStructuralErrors, intersectionState);
                    }
                  }
                }
                if (varianceCheckFailed && result2) {
                  errorInfo = originalErrorInfo || errorInfo || saveErrorInfo.errorInfo;
                } else if (result2) {
                  return result2;
                }
              }
              if (sourceFlags & (524288 | 2097152) && targetFlags & 1048576) {
                const objectOnlyTarget = extractTypesOfKind(
                  target2,
                  524288 | 2097152 | 33554432
                  /* Substitution */
                );
                if (objectOnlyTarget.flags & 1048576) {
                  const result3 = typeRelatedToDiscriminatedType(source2, objectOnlyTarget);
                  if (result3) {
                    return result3;
                  }
                }
              }
            }
            return 0;
            function countMessageChainBreadth(info) {
              if (!info) return 0;
              return reduceLeft(info, (value, chain) => value + 1 + countMessageChainBreadth(chain.next), 0);
            }
            function relateVariances(sourceTypeArguments, targetTypeArguments, variances, intersectionState2) {
              if (result2 = typeArgumentsRelatedTo(sourceTypeArguments, targetTypeArguments, variances, reportErrors2, intersectionState2)) {
                return result2;
              }
              if (some(variances, (v) => !!(v & 24))) {
                originalErrorInfo = void 0;
                resetErrorInfo(saveErrorInfo);
                return void 0;
              }
              const allowStructuralFallback = targetTypeArguments && hasCovariantVoidArgument(targetTypeArguments, variances);
              varianceCheckFailed = !allowStructuralFallback;
              if (variances !== emptyArray && !allowStructuralFallback) {
                if (varianceCheckFailed && !(reportErrors2 && some(
                  variances,
                  (v) => (v & 7) === 0
                  /* Invariant */
                ))) {
                  return 0;
                }
                originalErrorInfo = errorInfo;
                resetErrorInfo(saveErrorInfo);
              }
            }
          }
          function mappedTypeRelatedTo(source2, target2, reportErrors2) {
            const modifiersRelated = relation === comparableRelation || (relation === identityRelation ? getMappedTypeModifiers(source2) === getMappedTypeModifiers(target2) : getCombinedMappedTypeOptionality(source2) <= getCombinedMappedTypeOptionality(target2));
            if (modifiersRelated) {
              let result2;
              const targetConstraint = getConstraintTypeFromMappedType(target2);
              const sourceConstraint = instantiateType(getConstraintTypeFromMappedType(source2), getCombinedMappedTypeOptionality(source2) < 0 ? reportUnmeasurableMapper : reportUnreliableMapper);
              if (result2 = isRelatedTo(targetConstraint, sourceConstraint, 3, reportErrors2)) {
                const mapper = createTypeMapper([getTypeParameterFromMappedType(source2)], [getTypeParameterFromMappedType(target2)]);
                if (instantiateType(getNameTypeFromMappedType(source2), mapper) === instantiateType(getNameTypeFromMappedType(target2), mapper)) {
                  return result2 & isRelatedTo(instantiateType(getTemplateTypeFromMappedType(source2), mapper), getTemplateTypeFromMappedType(target2), 3, reportErrors2);
                }
              }
            }
            return 0;
          }
          function typeRelatedToDiscriminatedType(source2, target2) {
            var _a2;
            const sourceProperties = getPropertiesOfType(source2);
            const sourcePropertiesFiltered = findDiscriminantProperties(sourceProperties, target2);
            if (!sourcePropertiesFiltered) return 0;
            let numCombinations = 1;
            for (const sourceProperty of sourcePropertiesFiltered) {
              numCombinations *= countTypes(getNonMissingTypeOfSymbol(sourceProperty));
              if (numCombinations > 25) {
                (_a2 = tracing) == null ? void 0 : _a2.instant(tracing.Phase.CheckTypes, "typeRelatedToDiscriminatedType_DepthLimit", { sourceId: source2.id, targetId: target2.id, numCombinations });
                return 0;
              }
            }
            const sourceDiscriminantTypes = new Array(sourcePropertiesFiltered.length);
            const excludedProperties = /* @__PURE__ */ new Set();
            for (let i = 0; i < sourcePropertiesFiltered.length; i++) {
              const sourceProperty = sourcePropertiesFiltered[i];
              const sourcePropertyType = getNonMissingTypeOfSymbol(sourceProperty);
              sourceDiscriminantTypes[i] = sourcePropertyType.flags & 1048576 ? sourcePropertyType.types : [sourcePropertyType];
              excludedProperties.add(sourceProperty.escapedName);
            }
            const discriminantCombinations = cartesianProduct(sourceDiscriminantTypes);
            const matchingTypes = [];
            for (const combination of discriminantCombinations) {
              let hasMatch = false;
              outer:
                for (const type of target2.types) {
                  for (let i = 0; i < sourcePropertiesFiltered.length; i++) {
                    const sourceProperty = sourcePropertiesFiltered[i];
                    const targetProperty = getPropertyOfType(type, sourceProperty.escapedName);
                    if (!targetProperty) continue outer;
                    if (sourceProperty === targetProperty) continue;
                    const related = propertyRelatedTo(
                      source2,
                      target2,
                      sourceProperty,
                      targetProperty,
                      (_) => combination[i],
                      /*reportErrors*/
                      false,
                      0,
                      /*skipOptional*/
                      strictNullChecks || relation === comparableRelation
                    );
                    if (!related) {
                      continue outer;
                    }
                  }
                  pushIfUnique(matchingTypes, type, equateValues);
                  hasMatch = true;
                }
              if (!hasMatch) {
                return 0;
              }
            }
            let result2 = -1;
            for (const type of matchingTypes) {
              result2 &= propertiesRelatedTo(
                source2,
                type,
                /*reportErrors*/
                false,
                excludedProperties,
                /*optionalsOnly*/
                false,
                0
                /* None */
              );
              if (result2) {
                result2 &= signaturesRelatedTo(
                  source2,
                  type,
                  0,
                  /*reportErrors*/
                  false,
                  0
                  /* None */
                );
                if (result2) {
                  result2 &= signaturesRelatedTo(
                    source2,
                    type,
                    1,
                    /*reportErrors*/
                    false,
                    0
                    /* None */
                  );
                  if (result2 && !(isTupleType(source2) && isTupleType(type))) {
                    result2 &= indexSignaturesRelatedTo(
                      source2,
                      type,
                      /*sourceIsPrimitive*/
                      false,
                      /*reportErrors*/
                      false,
                      0
                      /* None */
                    );
                  }
                }
              }
              if (!result2) {
                return result2;
              }
            }
            return result2;
          }
          function excludeProperties(properties, excludedProperties) {
            if (!excludedProperties || properties.length === 0) return properties;
            let result2;
            for (let i = 0; i < properties.length; i++) {
              if (!excludedProperties.has(properties[i].escapedName)) {
                if (result2) {
                  result2.push(properties[i]);
                }
              } else if (!result2) {
                result2 = properties.slice(0, i);
              }
            }
            return result2 || properties;
          }
          function isPropertySymbolTypeRelated(sourceProp, targetProp, getTypeOfSourceProperty, reportErrors2, intersectionState) {
            const targetIsOptional = strictNullChecks && !!(getCheckFlags(targetProp) & 48);
            const effectiveTarget = addOptionality(
              getNonMissingTypeOfSymbol(targetProp),
              /*isProperty*/
              false,
              targetIsOptional
            );
            const effectiveSource = getTypeOfSourceProperty(sourceProp);
            return isRelatedTo(
              effectiveSource,
              effectiveTarget,
              3,
              reportErrors2,
              /*headMessage*/
              void 0,
              intersectionState
            );
          }
          function propertyRelatedTo(source2, target2, sourceProp, targetProp, getTypeOfSourceProperty, reportErrors2, intersectionState, skipOptional) {
            const sourcePropFlags = getDeclarationModifierFlagsFromSymbol(sourceProp);
            const targetPropFlags = getDeclarationModifierFlagsFromSymbol(targetProp);
            if (sourcePropFlags & 2 || targetPropFlags & 2) {
              if (sourceProp.valueDeclaration !== targetProp.valueDeclaration) {
                if (reportErrors2) {
                  if (sourcePropFlags & 2 && targetPropFlags & 2) {
                    reportError(Diagnostics.Types_have_separate_declarations_of_a_private_property_0, symbolToString2(targetProp));
                  } else {
                    reportError(Diagnostics.Property_0_is_private_in_type_1_but_not_in_type_2, symbolToString2(targetProp), typeToString(sourcePropFlags & 2 ? source2 : target2), typeToString(sourcePropFlags & 2 ? target2 : source2));
                  }
                }
                return 0;
              }
            } else if (targetPropFlags & 4) {
              if (!isValidOverrideOf(sourceProp, targetProp)) {
                if (reportErrors2) {
                  reportError(Diagnostics.Property_0_is_protected_but_type_1_is_not_a_class_derived_from_2, symbolToString2(targetProp), typeToString(getDeclaringClass(sourceProp) || source2), typeToString(getDeclaringClass(targetProp) || target2));
                }
                return 0;
              }
            } else if (sourcePropFlags & 4) {
              if (reportErrors2) {
                reportError(Diagnostics.Property_0_is_protected_in_type_1_but_public_in_type_2, symbolToString2(targetProp), typeToString(source2), typeToString(target2));
              }
              return 0;
            }
            if (relation === strictSubtypeRelation && isReadonlySymbol(sourceProp) && !isReadonlySymbol(targetProp)) {
              return 0;
            }
            const related = isPropertySymbolTypeRelated(sourceProp, targetProp, getTypeOfSourceProperty, reportErrors2, intersectionState);
            if (!related) {
              if (reportErrors2) {
                reportIncompatibleError(Diagnostics.Types_of_property_0_are_incompatible, symbolToString2(targetProp));
              }
              return 0;
            }
            if (!skipOptional && sourceProp.flags & 16777216 && targetProp.flags & 106500 && !(targetProp.flags & 16777216)) {
              if (reportErrors2) {
                reportError(Diagnostics.Property_0_is_optional_in_type_1_but_required_in_type_2, symbolToString2(targetProp), typeToString(source2), typeToString(target2));
              }
              return 0;
            }
            return related;
          }
          function reportUnmatchedProperty(source2, target2, unmatchedProperty, requireOptionalProperties) {
            let shouldSkipElaboration = false;
            if (unmatchedProperty.valueDeclaration && isNamedDeclaration(unmatchedProperty.valueDeclaration) && isPrivateIdentifier(unmatchedProperty.valueDeclaration.name) && source2.symbol && source2.symbol.flags & 32) {
              const privateIdentifierDescription = unmatchedProperty.valueDeclaration.name.escapedText;
              const symbolTableKey = getSymbolNameForPrivateIdentifier(source2.symbol, privateIdentifierDescription);
              if (symbolTableKey && getPropertyOfType(source2, symbolTableKey)) {
                const sourceName = factory.getDeclarationName(source2.symbol.valueDeclaration);
                const targetName = factory.getDeclarationName(target2.symbol.valueDeclaration);
                reportError(
                  Diagnostics.Property_0_in_type_1_refers_to_a_different_member_that_cannot_be_accessed_from_within_type_2,
                  diagnosticName(privateIdentifierDescription),
                  diagnosticName(sourceName.escapedText === "" ? anon : sourceName),
                  diagnosticName(targetName.escapedText === "" ? anon : targetName)
                );
                return;
              }
            }
            const props = arrayFrom(getUnmatchedProperties(
              source2,
              target2,
              requireOptionalProperties,
              /*matchDiscriminantProperties*/
              false
            ));
            if (!headMessage || headMessage.code !== Diagnostics.Class_0_incorrectly_implements_interface_1.code && headMessage.code !== Diagnostics.Class_0_incorrectly_implements_class_1_Did_you_mean_to_extend_1_and_inherit_its_members_as_a_subclass.code) {
              shouldSkipElaboration = true;
            }
            if (props.length === 1) {
              const propName = symbolToString2(
                unmatchedProperty,
                /*enclosingDeclaration*/
                void 0,
                0,
                4 | 16
                /* WriteComputedProps */
              );
              reportError(Diagnostics.Property_0_is_missing_in_type_1_but_required_in_type_2, propName, ...getTypeNamesForErrorDisplay(source2, target2));
              if (length(unmatchedProperty.declarations)) {
                associateRelatedInfo(createDiagnosticForNode(unmatchedProperty.declarations[0], Diagnostics._0_is_declared_here, propName));
              }
              if (shouldSkipElaboration && errorInfo) {
                overrideNextErrorInfo++;
              }
            } else if (tryElaborateArrayLikeErrors(
              source2,
              target2,
              /*reportErrors*/
              false
            )) {
              if (props.length > 5) {
                reportError(Diagnostics.Type_0_is_missing_the_following_properties_from_type_1_Colon_2_and_3_more, typeToString(source2), typeToString(target2), map(props.slice(0, 4), (p) => symbolToString2(p)).join(", "), props.length - 4);
              } else {
                reportError(Diagnostics.Type_0_is_missing_the_following_properties_from_type_1_Colon_2, typeToString(source2), typeToString(target2), map(props, (p) => symbolToString2(p)).join(", "));
              }
              if (shouldSkipElaboration && errorInfo) {
                overrideNextErrorInfo++;
              }
            }
          }
          function propertiesRelatedTo(source2, target2, reportErrors2, excludedProperties, optionalsOnly, intersectionState) {
            if (relation === identityRelation) {
              return propertiesIdenticalTo(source2, target2, excludedProperties);
            }
            let result2 = -1;
            if (isTupleType(target2)) {
              if (isArrayOrTupleType(source2)) {
                if (!target2.target.readonly && (isReadonlyArrayType(source2) || isTupleType(source2) && source2.target.readonly)) {
                  return 0;
                }
                const sourceArity = getTypeReferenceArity(source2);
                const targetArity = getTypeReferenceArity(target2);
                const sourceRestFlag = isTupleType(source2) ? source2.target.combinedFlags & 4 : 4;
                const targetRestFlag = target2.target.combinedFlags & 4;
                const sourceMinLength = isTupleType(source2) ? source2.target.minLength : 0;
                const targetMinLength = target2.target.minLength;
                if (!sourceRestFlag && sourceArity < targetMinLength) {
                  if (reportErrors2) {
                    reportError(Diagnostics.Source_has_0_element_s_but_target_requires_1, sourceArity, targetMinLength);
                  }
                  return 0;
                }
                if (!targetRestFlag && targetArity < sourceMinLength) {
                  if (reportErrors2) {
                    reportError(Diagnostics.Source_has_0_element_s_but_target_allows_only_1, sourceMinLength, targetArity);
                  }
                  return 0;
                }
                if (!targetRestFlag && (sourceRestFlag || targetArity < sourceArity)) {
                  if (reportErrors2) {
                    if (sourceMinLength < targetMinLength) {
                      reportError(Diagnostics.Target_requires_0_element_s_but_source_may_have_fewer, targetMinLength);
                    } else {
                      reportError(Diagnostics.Target_allows_only_0_element_s_but_source_may_have_more, targetArity);
                    }
                  }
                  return 0;
                }
                const sourceTypeArguments = getTypeArguments(source2);
                const targetTypeArguments = getTypeArguments(target2);
                const targetStartCount = getStartElementCount(
                  target2.target,
                  11
                  /* NonRest */
                );
                const targetEndCount = getEndElementCount(
                  target2.target,
                  11
                  /* NonRest */
                );
                const targetHasRestElement = target2.target.hasRestElement;
                let canExcludeDiscriminants = !!excludedProperties;
                for (let sourcePosition = 0; sourcePosition < sourceArity; sourcePosition++) {
                  const sourceFlags = isTupleType(source2) ? source2.target.elementFlags[sourcePosition] : 4;
                  const sourcePositionFromEnd = sourceArity - 1 - sourcePosition;
                  const targetPosition = targetHasRestElement && sourcePosition >= targetStartCount ? targetArity - 1 - Math.min(sourcePositionFromEnd, targetEndCount) : sourcePosition;
                  const targetFlags = target2.target.elementFlags[targetPosition];
                  if (targetFlags & 8 && !(sourceFlags & 8)) {
                    if (reportErrors2) {
                      reportError(Diagnostics.Source_provides_no_match_for_variadic_element_at_position_0_in_target, targetPosition);
                    }
                    return 0;
                  }
                  if (sourceFlags & 8 && !(targetFlags & 12)) {
                    if (reportErrors2) {
                      reportError(Diagnostics.Variadic_element_at_position_0_in_source_does_not_match_element_at_position_1_in_target, sourcePosition, targetPosition);
                    }
                    return 0;
                  }
                  if (targetFlags & 1 && !(sourceFlags & 1)) {
                    if (reportErrors2) {
                      reportError(Diagnostics.Source_provides_no_match_for_required_element_at_position_0_in_target, targetPosition);
                    }
                    return 0;
                  }
                  if (canExcludeDiscriminants) {
                    if (sourceFlags & 12 || targetFlags & 12) {
                      canExcludeDiscriminants = false;
                    }
                    if (canExcludeDiscriminants && (excludedProperties == null ? void 0 : excludedProperties.has("" + sourcePosition))) {
                      continue;
                    }
                  }
                  const sourceType = removeMissingType(sourceTypeArguments[sourcePosition], !!(sourceFlags & targetFlags & 2));
                  const targetType = targetTypeArguments[targetPosition];
                  const targetCheckType = sourceFlags & 8 && targetFlags & 4 ? createArrayType(targetType) : removeMissingType(targetType, !!(targetFlags & 2));
                  const related = isRelatedTo(
                    sourceType,
                    targetCheckType,
                    3,
                    reportErrors2,
                    /*headMessage*/
                    void 0,
                    intersectionState
                  );
                  if (!related) {
                    if (reportErrors2 && (targetArity > 1 || sourceArity > 1)) {
                      if (targetHasRestElement && sourcePosition >= targetStartCount && sourcePositionFromEnd >= targetEndCount && targetStartCount !== sourceArity - targetEndCount - 1) {
                        reportIncompatibleError(Diagnostics.Type_at_positions_0_through_1_in_source_is_not_compatible_with_type_at_position_2_in_target, targetStartCount, sourceArity - targetEndCount - 1, targetPosition);
                      } else {
                        reportIncompatibleError(Diagnostics.Type_at_position_0_in_source_is_not_compatible_with_type_at_position_1_in_target, sourcePosition, targetPosition);
                      }
                    }
                    return 0;
                  }
                  result2 &= related;
                }
                return result2;
              }
              if (target2.target.combinedFlags & 12) {
                return 0;
              }
            }
            const requireOptionalProperties = (relation === subtypeRelation || relation === strictSubtypeRelation) && !isObjectLiteralType2(source2) && !isEmptyArrayLiteralType(source2) && !isTupleType(source2);
            const unmatchedProperty = getUnmatchedProperty(
              source2,
              target2,
              requireOptionalProperties,
              /*matchDiscriminantProperties*/
              false
            );
            if (unmatchedProperty) {
              if (reportErrors2 && shouldReportUnmatchedPropertyError(source2, target2)) {
                reportUnmatchedProperty(source2, target2, unmatchedProperty, requireOptionalProperties);
              }
              return 0;
            }
            if (isObjectLiteralType2(target2)) {
              for (const sourceProp of excludeProperties(getPropertiesOfType(source2), excludedProperties)) {
                if (!getPropertyOfObjectType(target2, sourceProp.escapedName)) {
                  const sourceType = getTypeOfSymbol(sourceProp);
                  if (!(sourceType.flags & 32768)) {
                    if (reportErrors2) {
                      reportError(Diagnostics.Property_0_does_not_exist_on_type_1, symbolToString2(sourceProp), typeToString(target2));
                    }
                    return 0;
                  }
                }
              }
            }
            const properties = getPropertiesOfType(target2);
            const numericNamesOnly = isTupleType(source2) && isTupleType(target2);
            for (const targetProp of excludeProperties(properties, excludedProperties)) {
              const name = targetProp.escapedName;
              if (!(targetProp.flags & 4194304) && (!numericNamesOnly || isNumericLiteralName(name) || name === "length") && (!optionalsOnly || targetProp.flags & 16777216)) {
                const sourceProp = getPropertyOfType(source2, name);
                if (sourceProp && sourceProp !== targetProp) {
                  const related = propertyRelatedTo(source2, target2, sourceProp, targetProp, getNonMissingTypeOfSymbol, reportErrors2, intersectionState, relation === comparableRelation);
                  if (!related) {
                    return 0;
                  }
                  result2 &= related;
                }
              }
            }
            return result2;
          }
          function propertiesIdenticalTo(source2, target2, excludedProperties) {
            if (!(source2.flags & 524288 && target2.flags & 524288)) {
              return 0;
            }
            const sourceProperties = excludeProperties(getPropertiesOfObjectType(source2), excludedProperties);
            const targetProperties = excludeProperties(getPropertiesOfObjectType(target2), excludedProperties);
            if (sourceProperties.length !== targetProperties.length) {
              return 0;
            }
            let result2 = -1;
            for (const sourceProp of sourceProperties) {
              const targetProp = getPropertyOfObjectType(target2, sourceProp.escapedName);
              if (!targetProp) {
                return 0;
              }
              const related = compareProperties2(sourceProp, targetProp, isRelatedTo);
              if (!related) {
                return 0;
              }
              result2 &= related;
            }
            return result2;
          }
          function signaturesRelatedTo(source2, target2, kind, reportErrors2, intersectionState) {
            var _a2, _b;
            if (relation === identityRelation) {
              return signaturesIdenticalTo(source2, target2, kind);
            }
            if (target2 === anyFunctionType || source2 === anyFunctionType) {
              return -1;
            }
            const sourceIsJSConstructor = source2.symbol && isJSConstructor(source2.symbol.valueDeclaration);
            const targetIsJSConstructor = target2.symbol && isJSConstructor(target2.symbol.valueDeclaration);
            const sourceSignatures = getSignaturesOfType(
              source2,
              sourceIsJSConstructor && kind === 1 ? 0 : kind
            );
            const targetSignatures = getSignaturesOfType(
              target2,
              targetIsJSConstructor && kind === 1 ? 0 : kind
            );
            if (kind === 1 && sourceSignatures.length && targetSignatures.length) {
              const sourceIsAbstract = !!(sourceSignatures[0].flags & 4);
              const targetIsAbstract = !!(targetSignatures[0].flags & 4);
              if (sourceIsAbstract && !targetIsAbstract) {
                if (reportErrors2) {
                  reportError(Diagnostics.Cannot_assign_an_abstract_constructor_type_to_a_non_abstract_constructor_type);
                }
                return 0;
              }
              if (!constructorVisibilitiesAreCompatible(sourceSignatures[0], targetSignatures[0], reportErrors2)) {
                return 0;
              }
            }
            let result2 = -1;
            const incompatibleReporter = kind === 1 ? reportIncompatibleConstructSignatureReturn : reportIncompatibleCallSignatureReturn;
            const sourceObjectFlags = getObjectFlags(source2);
            const targetObjectFlags = getObjectFlags(target2);
            if (sourceObjectFlags & 64 && targetObjectFlags & 64 && source2.symbol === target2.symbol || sourceObjectFlags & 4 && targetObjectFlags & 4 && source2.target === target2.target) {
              Debug.assertEqual(sourceSignatures.length, targetSignatures.length);
              for (let i = 0; i < targetSignatures.length; i++) {
                const related = signatureRelatedTo(
                  sourceSignatures[i],
                  targetSignatures[i],
                  /*erase*/
                  true,
                  reportErrors2,
                  intersectionState,
                  incompatibleReporter(sourceSignatures[i], targetSignatures[i])
                );
                if (!related) {
                  return 0;
                }
                result2 &= related;
              }
            } else if (sourceSignatures.length === 1 && targetSignatures.length === 1) {
              const eraseGenerics = relation === comparableRelation;
              const sourceSignature = first(sourceSignatures);
              const targetSignature = first(targetSignatures);
              result2 = signatureRelatedTo(sourceSignature, targetSignature, eraseGenerics, reportErrors2, intersectionState, incompatibleReporter(sourceSignature, targetSignature));
              if (!result2 && reportErrors2 && kind === 1 && sourceObjectFlags & targetObjectFlags && (((_a2 = targetSignature.declaration) == null ? void 0 : _a2.kind) === 176 || ((_b = sourceSignature.declaration) == null ? void 0 : _b.kind) === 176)) {
                const constructSignatureToString = (signature) => signatureToString(
                  signature,
                  /*enclosingDeclaration*/
                  void 0,
                  262144,
                  kind
                );
                reportError(Diagnostics.Type_0_is_not_assignable_to_type_1, constructSignatureToString(sourceSignature), constructSignatureToString(targetSignature));
                reportError(Diagnostics.Types_of_construct_signatures_are_incompatible);
                return result2;
              }
            } else {
              outer:
                for (const t of targetSignatures) {
                  const saveErrorInfo = captureErrorCalculationState();
                  let shouldElaborateErrors = reportErrors2;
                  for (const s of sourceSignatures) {
                    const related = signatureRelatedTo(
                      s,
                      t,
                      /*erase*/
                      true,
                      shouldElaborateErrors,
                      intersectionState,
                      incompatibleReporter(s, t)
                    );
                    if (related) {
                      result2 &= related;
                      resetErrorInfo(saveErrorInfo);
                      continue outer;
                    }
                    shouldElaborateErrors = false;
                  }
                  if (shouldElaborateErrors) {
                    reportError(Diagnostics.Type_0_provides_no_match_for_the_signature_1, typeToString(source2), signatureToString(
                      t,
                      /*enclosingDeclaration*/
                      void 0,
                      /*flags*/
                      void 0,
                      kind
                    ));
                  }
                  return 0;
                }
            }
            return result2;
          }
          function shouldReportUnmatchedPropertyError(source2, target2) {
            const typeCallSignatures = getSignaturesOfStructuredType(
              source2,
              0
              /* Call */
            );
            const typeConstructSignatures = getSignaturesOfStructuredType(
              source2,
              1
              /* Construct */
            );
            const typeProperties = getPropertiesOfObjectType(source2);
            if ((typeCallSignatures.length || typeConstructSignatures.length) && !typeProperties.length) {
              if (getSignaturesOfType(
                target2,
                0
                /* Call */
              ).length && typeCallSignatures.length || getSignaturesOfType(
                target2,
                1
                /* Construct */
              ).length && typeConstructSignatures.length) {
                return true;
              }
              return false;
            }
            return true;
          }
          function reportIncompatibleCallSignatureReturn(siga, sigb) {
            if (siga.parameters.length === 0 && sigb.parameters.length === 0) {
              return (source2, target2) => reportIncompatibleError(Diagnostics.Call_signatures_with_no_arguments_have_incompatible_return_types_0_and_1, typeToString(source2), typeToString(target2));
            }
            return (source2, target2) => reportIncompatibleError(Diagnostics.Call_signature_return_types_0_and_1_are_incompatible, typeToString(source2), typeToString(target2));
          }
          function reportIncompatibleConstructSignatureReturn(siga, sigb) {
            if (siga.parameters.length === 0 && sigb.parameters.length === 0) {
              return (source2, target2) => reportIncompatibleError(Diagnostics.Construct_signatures_with_no_arguments_have_incompatible_return_types_0_and_1, typeToString(source2), typeToString(target2));
            }
            return (source2, target2) => reportIncompatibleError(Diagnostics.Construct_signature_return_types_0_and_1_are_incompatible, typeToString(source2), typeToString(target2));
          }
          function signatureRelatedTo(source2, target2, erase, reportErrors2, intersectionState, incompatibleReporter) {
            const checkMode = relation === subtypeRelation ? 16 : relation === strictSubtypeRelation ? 16 | 8 : 0;
            return compareSignaturesRelated(erase ? getErasedSignature(source2) : source2, erase ? getErasedSignature(target2) : target2, checkMode, reportErrors2, reportError, incompatibleReporter, isRelatedToWorker2, reportUnreliableMapper);
            function isRelatedToWorker2(source3, target3, reportErrors3) {
              return isRelatedTo(
                source3,
                target3,
                3,
                reportErrors3,
                /*headMessage*/
                void 0,
                intersectionState
              );
            }
          }
          function signaturesIdenticalTo(source2, target2, kind) {
            const sourceSignatures = getSignaturesOfType(source2, kind);
            const targetSignatures = getSignaturesOfType(target2, kind);
            if (sourceSignatures.length !== targetSignatures.length) {
              return 0;
            }
            let result2 = -1;
            for (let i = 0; i < sourceSignatures.length; i++) {
              const related = compareSignaturesIdentical(
                sourceSignatures[i],
                targetSignatures[i],
                /*partialMatch*/
                false,
                /*ignoreThisTypes*/
                false,
                /*ignoreReturnTypes*/
                false,
                isRelatedTo
              );
              if (!related) {
                return 0;
              }
              result2 &= related;
            }
            return result2;
          }
          function membersRelatedToIndexInfo(source2, targetInfo, reportErrors2, intersectionState) {
            let result2 = -1;
            const keyType = targetInfo.keyType;
            const props = source2.flags & 2097152 ? getPropertiesOfUnionOrIntersectionType(source2) : getPropertiesOfObjectType(source2);
            for (const prop of props) {
              if (isIgnoredJsxProperty(source2, prop)) {
                continue;
              }
              if (isApplicableIndexType(getLiteralTypeFromProperty(
                prop,
                8576
                /* StringOrNumberLiteralOrUnique */
              ), keyType)) {
                const propType = getNonMissingTypeOfSymbol(prop);
                const type = exactOptionalPropertyTypes || propType.flags & 32768 || keyType === numberType2 || !(prop.flags & 16777216) ? propType : getTypeWithFacts(
                  propType,
                  524288
                  /* NEUndefined */
                );
                const related = isRelatedTo(
                  type,
                  targetInfo.type,
                  3,
                  reportErrors2,
                  /*headMessage*/
                  void 0,
                  intersectionState
                );
                if (!related) {
                  if (reportErrors2) {
                    reportError(Diagnostics.Property_0_is_incompatible_with_index_signature, symbolToString2(prop));
                  }
                  return 0;
                }
                result2 &= related;
              }
            }
            for (const info of getIndexInfosOfType(source2)) {
              if (isApplicableIndexType(info.keyType, keyType)) {
                const related = indexInfoRelatedTo(info, targetInfo, reportErrors2, intersectionState);
                if (!related) {
                  return 0;
                }
                result2 &= related;
              }
            }
            return result2;
          }
          function indexInfoRelatedTo(sourceInfo, targetInfo, reportErrors2, intersectionState) {
            const related = isRelatedTo(
              sourceInfo.type,
              targetInfo.type,
              3,
              reportErrors2,
              /*headMessage*/
              void 0,
              intersectionState
            );
            if (!related && reportErrors2) {
              if (sourceInfo.keyType === targetInfo.keyType) {
                reportError(Diagnostics._0_index_signatures_are_incompatible, typeToString(sourceInfo.keyType));
              } else {
                reportError(Diagnostics._0_and_1_index_signatures_are_incompatible, typeToString(sourceInfo.keyType), typeToString(targetInfo.keyType));
              }
            }
            return related;
          }
          function indexSignaturesRelatedTo(source2, target2, sourceIsPrimitive, reportErrors2, intersectionState) {
            if (relation === identityRelation) {
              return indexSignaturesIdenticalTo(source2, target2);
            }
            const indexInfos = getIndexInfosOfType(target2);
            const targetHasStringIndex = some(indexInfos, (info) => info.keyType === stringType2);
            let result2 = -1;
            for (const targetInfo of indexInfos) {
              const related = relation !== strictSubtypeRelation && !sourceIsPrimitive && targetHasStringIndex && targetInfo.type.flags & 1 ? -1 : isGenericMappedType(source2) && targetHasStringIndex ? isRelatedTo(getTemplateTypeFromMappedType(source2), targetInfo.type, 3, reportErrors2) : typeRelatedToIndexInfo(source2, targetInfo, reportErrors2, intersectionState);
              if (!related) {
                return 0;
              }
              result2 &= related;
            }
            return result2;
          }
          function typeRelatedToIndexInfo(source2, targetInfo, reportErrors2, intersectionState) {
            const sourceInfo = getApplicableIndexInfo(source2, targetInfo.keyType);
            if (sourceInfo) {
              return indexInfoRelatedTo(sourceInfo, targetInfo, reportErrors2, intersectionState);
            }
            if (!(intersectionState & 1) && (relation !== strictSubtypeRelation || getObjectFlags(source2) & 8192) && isObjectTypeWithInferableIndex(source2)) {
              return membersRelatedToIndexInfo(source2, targetInfo, reportErrors2, intersectionState);
            }
            if (reportErrors2) {
              reportError(Diagnostics.Index_signature_for_type_0_is_missing_in_type_1, typeToString(targetInfo.keyType), typeToString(source2));
            }
            return 0;
          }
          function indexSignaturesIdenticalTo(source2, target2) {
            const sourceInfos = getIndexInfosOfType(source2);
            const targetInfos = getIndexInfosOfType(target2);
            if (sourceInfos.length !== targetInfos.length) {
              return 0;
            }
            for (const targetInfo of targetInfos) {
              const sourceInfo = getIndexInfoOfType(source2, targetInfo.keyType);
              if (!(sourceInfo && isRelatedTo(
                sourceInfo.type,
                targetInfo.type,
                3
                /* Both */
              ) && sourceInfo.isReadonly === targetInfo.isReadonly)) {
                return 0;
              }
            }
            return -1;
          }
          function constructorVisibilitiesAreCompatible(sourceSignature, targetSignature, reportErrors2) {
            if (!sourceSignature.declaration || !targetSignature.declaration) {
              return true;
            }
            const sourceAccessibility = getSelectedEffectiveModifierFlags(
              sourceSignature.declaration,
              6
              /* NonPublicAccessibilityModifier */
            );
            const targetAccessibility = getSelectedEffectiveModifierFlags(
              targetSignature.declaration,
              6
              /* NonPublicAccessibilityModifier */
            );
            if (targetAccessibility === 2) {
              return true;
            }
            if (targetAccessibility === 4 && sourceAccessibility !== 2) {
              return true;
            }
            if (targetAccessibility !== 4 && !sourceAccessibility) {
              return true;
            }
            if (reportErrors2) {
              reportError(Diagnostics.Cannot_assign_a_0_constructor_type_to_a_1_constructor_type, visibilityToString(sourceAccessibility), visibilityToString(targetAccessibility));
            }
            return false;
          }
        }
        function typeCouldHaveTopLevelSingletonTypes(type) {
          if (type.flags & 16) {
            return false;
          }
          if (type.flags & 3145728) {
            return !!forEach(type.types, typeCouldHaveTopLevelSingletonTypes);
          }
          if (type.flags & 465829888) {
            const constraint = getConstraintOfType(type);
            if (constraint && constraint !== type) {
              return typeCouldHaveTopLevelSingletonTypes(constraint);
            }
          }
          return isUnitType(type) || !!(type.flags & 134217728) || !!(type.flags & 268435456);
        }
        function getExactOptionalUnassignableProperties(source, target) {
          if (isTupleType(source) && isTupleType(target)) return emptyArray;
          return getPropertiesOfType(target).filter((targetProp) => isExactOptionalPropertyMismatch(getTypeOfPropertyOfType(source, targetProp.escapedName), getTypeOfSymbol(targetProp)));
        }
        function isExactOptionalPropertyMismatch(source, target) {
          return !!source && !!target && maybeTypeOfKind(
            source,
            32768
            /* Undefined */
          ) && !!containsMissingType(target);
        }
        function getExactOptionalProperties(type) {
          return getPropertiesOfType(type).filter((targetProp) => containsMissingType(getTypeOfSymbol(targetProp)));
        }
        function getBestMatchingType(source, target, isRelatedTo = compareTypesAssignable) {
          return findMatchingDiscriminantType(source, target, isRelatedTo) || findMatchingTypeReferenceOrTypeAliasReference(source, target) || findBestTypeForObjectLiteral(source, target) || findBestTypeForInvokable(source, target) || findMostOverlappyType(source, target);
        }
        function discriminateTypeByDiscriminableItems(target, discriminators, related) {
          const types = target.types;
          const include = types.map(
            (t) => t.flags & 402784252 ? 0 : -1
            /* True */
          );
          for (const [getDiscriminatingType, propertyName] of discriminators) {
            let matched = false;
            for (let i = 0; i < types.length; i++) {
              if (include[i]) {
                const targetType = getTypeOfPropertyOrIndexSignatureOfType(types[i], propertyName);
                if (targetType && related(getDiscriminatingType(), targetType)) {
                  matched = true;
                } else {
                  include[i] = 3;
                }
              }
            }
            for (let i = 0; i < types.length; i++) {
              if (include[i] === 3) {
                include[i] = matched ? 0 : -1;
              }
            }
          }
          const filtered = contains(
            include,
            0
            /* False */
          ) ? getUnionType(
            types.filter((_, i) => include[i]),
            0
            /* None */
          ) : target;
          return filtered.flags & 131072 ? target : filtered;
        }
        function isWeakType(type) {
          if (type.flags & 524288) {
            const resolved = resolveStructuredTypeMembers(type);
            return resolved.callSignatures.length === 0 && resolved.constructSignatures.length === 0 && resolved.indexInfos.length === 0 && resolved.properties.length > 0 && every(resolved.properties, (p) => !!(p.flags & 16777216));
          }
          if (type.flags & 33554432) {
            return isWeakType(type.baseType);
          }
          if (type.flags & 2097152) {
            return every(type.types, isWeakType);
          }
          return false;
        }
        function hasCommonProperties(source, target, isComparingJsxAttributes) {
          for (const prop of getPropertiesOfType(source)) {
            if (isKnownProperty(target, prop.escapedName, isComparingJsxAttributes)) {
              return true;
            }
          }
          return false;
        }
        function getVariances(type) {
          return type === globalArrayType || type === globalReadonlyArrayType || type.objectFlags & 8 ? arrayVariances : getVariancesWorker(type.symbol, type.typeParameters);
        }
        function getAliasVariances(symbol) {
          return getVariancesWorker(symbol, getSymbolLinks(symbol).typeParameters);
        }
        function getVariancesWorker(symbol, typeParameters = emptyArray) {
          var _a, _b;
          const links = getSymbolLinks(symbol);
          if (!links.variances) {
            (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.CheckTypes, "getVariancesWorker", { arity: typeParameters.length, id: getTypeId(getDeclaredTypeOfSymbol(symbol)) });
            const oldVarianceComputation = inVarianceComputation;
            const saveResolutionStart = resolutionStart;
            if (!inVarianceComputation) {
              inVarianceComputation = true;
              resolutionStart = resolutionTargets.length;
            }
            links.variances = emptyArray;
            const variances = [];
            for (const tp of typeParameters) {
              const modifiers = getTypeParameterModifiers(tp);
              let variance = modifiers & 16384 ? modifiers & 8192 ? 0 : 1 : modifiers & 8192 ? 2 : void 0;
              if (variance === void 0) {
                let unmeasurable = false;
                let unreliable = false;
                const oldHandler = outofbandVarianceMarkerHandler;
                outofbandVarianceMarkerHandler = (onlyUnreliable) => onlyUnreliable ? unreliable = true : unmeasurable = true;
                const typeWithSuper = createMarkerType(symbol, tp, markerSuperType);
                const typeWithSub = createMarkerType(symbol, tp, markerSubType);
                variance = (isTypeAssignableTo(typeWithSub, typeWithSuper) ? 1 : 0) | (isTypeAssignableTo(typeWithSuper, typeWithSub) ? 2 : 0);
                if (variance === 3 && isTypeAssignableTo(createMarkerType(symbol, tp, markerOtherType), typeWithSuper)) {
                  variance = 4;
                }
                outofbandVarianceMarkerHandler = oldHandler;
                if (unmeasurable || unreliable) {
                  if (unmeasurable) {
                    variance |= 8;
                  }
                  if (unreliable) {
                    variance |= 16;
                  }
                }
              }
              variances.push(variance);
            }
            if (!oldVarianceComputation) {
              inVarianceComputation = false;
              resolutionStart = saveResolutionStart;
            }
            links.variances = variances;
            (_b = tracing) == null ? void 0 : _b.pop({ variances: variances.map(Debug.formatVariance) });
          }
          return links.variances;
        }
        function createMarkerType(symbol, source, target) {
          const mapper = makeUnaryTypeMapper(source, target);
          const type = getDeclaredTypeOfSymbol(symbol);
          if (isErrorType(type)) {
            return type;
          }
          const result = symbol.flags & 524288 ? getTypeAliasInstantiation(symbol, instantiateTypes(getSymbolLinks(symbol).typeParameters, mapper)) : createTypeReference(type, instantiateTypes(type.typeParameters, mapper));
          markerTypes.add(getTypeId(result));
          return result;
        }
        function isMarkerType(type) {
          return markerTypes.has(getTypeId(type));
        }
        function getTypeParameterModifiers(tp) {
          var _a;
          return reduceLeft(
            (_a = tp.symbol) == null ? void 0 : _a.declarations,
            (modifiers, d) => modifiers | getEffectiveModifierFlags(d),
            0
            /* None */
          ) & (8192 | 16384 | 4096);
        }
        function hasCovariantVoidArgument(typeArguments, variances) {
          for (let i = 0; i < variances.length; i++) {
            if ((variances[i] & 7) === 1 && typeArguments[i].flags & 16384) {
              return true;
            }
          }
          return false;
        }
        function isUnconstrainedTypeParameter(type) {
          return type.flags & 262144 && !getConstraintOfTypeParameter(type);
        }
        function isNonDeferredTypeReference(type) {
          return !!(getObjectFlags(type) & 4) && !type.node;
        }
        function isTypeReferenceWithGenericArguments(type) {
          return isNonDeferredTypeReference(type) && some(getTypeArguments(type), (t) => !!(t.flags & 262144) || isTypeReferenceWithGenericArguments(t));
        }
        function getGenericTypeReferenceRelationKey(source, target, postFix, ignoreConstraints) {
          const typeParameters = [];
          let constraintMarker = "";
          const sourceId = getTypeReferenceId(source, 0);
          const targetId = getTypeReferenceId(target, 0);
          return `${constraintMarker}${sourceId},${targetId}${postFix}`;
          function getTypeReferenceId(type, depth2 = 0) {
            let result = "" + type.target.id;
            for (const t of getTypeArguments(type)) {
              if (t.flags & 262144) {
                if (ignoreConstraints || isUnconstrainedTypeParameter(t)) {
                  let index = typeParameters.indexOf(t);
                  if (index < 0) {
                    index = typeParameters.length;
                    typeParameters.push(t);
                  }
                  result += "=" + index;
                  continue;
                }
                constraintMarker = "*";
              } else if (depth2 < 4 && isTypeReferenceWithGenericArguments(t)) {
                result += "<" + getTypeReferenceId(t, depth2 + 1) + ">";
                continue;
              }
              result += "-" + t.id;
            }
            return result;
          }
        }
        function getRelationKey(source, target, intersectionState, relation, ignoreConstraints) {
          if (relation === identityRelation && source.id > target.id) {
            const temp = source;
            source = target;
            target = temp;
          }
          const postFix = intersectionState ? ":" + intersectionState : "";
          return isTypeReferenceWithGenericArguments(source) && isTypeReferenceWithGenericArguments(target) ? getGenericTypeReferenceRelationKey(source, target, postFix, ignoreConstraints) : `${source.id},${target.id}${postFix}`;
        }
        function forEachProperty2(prop, callback) {
          if (getCheckFlags(prop) & 6) {
            for (const t of prop.links.containingType.types) {
              const p = getPropertyOfType(t, prop.escapedName);
              const result = p && forEachProperty2(p, callback);
              if (result) {
                return result;
              }
            }
            return void 0;
          }
          return callback(prop);
        }
        function getDeclaringClass(prop) {
          return prop.parent && prop.parent.flags & 32 ? getDeclaredTypeOfSymbol(getParentOfSymbol(prop)) : void 0;
        }
        function getTypeOfPropertyInBaseClass(property) {
          const classType = getDeclaringClass(property);
          const baseClassType = classType && getBaseTypes(classType)[0];
          return baseClassType && getTypeOfPropertyOfType(baseClassType, property.escapedName);
        }
        function isPropertyInClassDerivedFrom(prop, baseClass) {
          return forEachProperty2(prop, (sp) => {
            const sourceClass = getDeclaringClass(sp);
            return sourceClass ? hasBaseType(sourceClass, baseClass) : false;
          });
        }
        function isValidOverrideOf(sourceProp, targetProp) {
          return !forEachProperty2(targetProp, (tp) => getDeclarationModifierFlagsFromSymbol(tp) & 4 ? !isPropertyInClassDerivedFrom(sourceProp, getDeclaringClass(tp)) : false);
        }
        function isClassDerivedFromDeclaringClasses(checkClass, prop, writing) {
          return forEachProperty2(prop, (p) => getDeclarationModifierFlagsFromSymbol(p, writing) & 4 ? !hasBaseType(checkClass, getDeclaringClass(p)) : false) ? void 0 : checkClass;
        }
        function isDeeplyNestedType(type, stack, depth2, maxDepth = 3) {
          if (depth2 >= maxDepth) {
            if ((getObjectFlags(type) & 96) === 96) {
              type = getMappedTargetWithSymbol(type);
            }
            if (type.flags & 2097152) {
              return some(type.types, (t) => isDeeplyNestedType(t, stack, depth2, maxDepth));
            }
            const identity22 = getRecursionIdentity(type);
            let count = 0;
            let lastTypeId = 0;
            for (let i = 0; i < depth2; i++) {
              const t = stack[i];
              if (hasMatchingRecursionIdentity(t, identity22)) {
                if (t.id >= lastTypeId) {
                  count++;
                  if (count >= maxDepth) {
                    return true;
                  }
                }
                lastTypeId = t.id;
              }
            }
          }
          return false;
        }
        function getMappedTargetWithSymbol(type) {
          let target;
          while ((getObjectFlags(type) & 96) === 96 && (target = getModifiersTypeFromMappedType(type)) && (target.symbol || target.flags & 2097152 && some(target.types, (t) => !!t.symbol))) {
            type = target;
          }
          return type;
        }
        function hasMatchingRecursionIdentity(type, identity22) {
          if ((getObjectFlags(type) & 96) === 96) {
            type = getMappedTargetWithSymbol(type);
          }
          if (type.flags & 2097152) {
            return some(type.types, (t) => hasMatchingRecursionIdentity(t, identity22));
          }
          return getRecursionIdentity(type) === identity22;
        }
        function getRecursionIdentity(type) {
          if (type.flags & 524288 && !isObjectOrArrayLiteralType(type)) {
            if (getObjectFlags(type) & 4 && type.node) {
              return type.node;
            }
            if (type.symbol && !(getObjectFlags(type) & 16 && type.symbol.flags & 32)) {
              return type.symbol;
            }
            if (isTupleType(type)) {
              return type.target;
            }
          }
          if (type.flags & 262144) {
            return type.symbol;
          }
          if (type.flags & 8388608) {
            do {
              type = type.objectType;
            } while (type.flags & 8388608);
            return type;
          }
          if (type.flags & 16777216) {
            return type.root;
          }
          return type;
        }
        function isPropertyIdenticalTo(sourceProp, targetProp) {
          return compareProperties2(sourceProp, targetProp, compareTypesIdentical) !== 0;
        }
        function compareProperties2(sourceProp, targetProp, compareTypes) {
          if (sourceProp === targetProp) {
            return -1;
          }
          const sourcePropAccessibility = getDeclarationModifierFlagsFromSymbol(sourceProp) & 6;
          const targetPropAccessibility = getDeclarationModifierFlagsFromSymbol(targetProp) & 6;
          if (sourcePropAccessibility !== targetPropAccessibility) {
            return 0;
          }
          if (sourcePropAccessibility) {
            if (getTargetSymbol(sourceProp) !== getTargetSymbol(targetProp)) {
              return 0;
            }
          } else {
            if ((sourceProp.flags & 16777216) !== (targetProp.flags & 16777216)) {
              return 0;
            }
          }
          if (isReadonlySymbol(sourceProp) !== isReadonlySymbol(targetProp)) {
            return 0;
          }
          return compareTypes(getTypeOfSymbol(sourceProp), getTypeOfSymbol(targetProp));
        }
        function isMatchingSignature(source, target, partialMatch) {
          const sourceParameterCount = getParameterCount(source);
          const targetParameterCount = getParameterCount(target);
          const sourceMinArgumentCount = getMinArgumentCount(source);
          const targetMinArgumentCount = getMinArgumentCount(target);
          const sourceHasRestParameter = hasEffectiveRestParameter(source);
          const targetHasRestParameter = hasEffectiveRestParameter(target);
          if (sourceParameterCount === targetParameterCount && sourceMinArgumentCount === targetMinArgumentCount && sourceHasRestParameter === targetHasRestParameter) {
            return true;
          }
          if (partialMatch && sourceMinArgumentCount <= targetMinArgumentCount) {
            return true;
          }
          return false;
        }
        function compareSignaturesIdentical(source, target, partialMatch, ignoreThisTypes, ignoreReturnTypes, compareTypes) {
          if (source === target) {
            return -1;
          }
          if (!isMatchingSignature(source, target, partialMatch)) {
            return 0;
          }
          if (length(source.typeParameters) !== length(target.typeParameters)) {
            return 0;
          }
          if (target.typeParameters) {
            const mapper = createTypeMapper(source.typeParameters, target.typeParameters);
            for (let i = 0; i < target.typeParameters.length; i++) {
              const s = source.typeParameters[i];
              const t = target.typeParameters[i];
              if (!(s === t || compareTypes(instantiateType(getConstraintFromTypeParameter(s), mapper) || unknownType2, getConstraintFromTypeParameter(t) || unknownType2) && compareTypes(instantiateType(getDefaultFromTypeParameter(s), mapper) || unknownType2, getDefaultFromTypeParameter(t) || unknownType2))) {
                return 0;
              }
            }
            source = instantiateSignature(
              source,
              mapper,
              /*eraseTypeParameters*/
              true
            );
          }
          let result = -1;
          if (!ignoreThisTypes) {
            const sourceThisType = getThisTypeOfSignature(source);
            if (sourceThisType) {
              const targetThisType = getThisTypeOfSignature(target);
              if (targetThisType) {
                const related = compareTypes(sourceThisType, targetThisType);
                if (!related) {
                  return 0;
                }
                result &= related;
              }
            }
          }
          const targetLen = getParameterCount(target);
          for (let i = 0; i < targetLen; i++) {
            const s = getTypeAtPosition(source, i);
            const t = getTypeAtPosition(target, i);
            const related = compareTypes(t, s);
            if (!related) {
              return 0;
            }
            result &= related;
          }
          if (!ignoreReturnTypes) {
            const sourceTypePredicate = getTypePredicateOfSignature(source);
            const targetTypePredicate = getTypePredicateOfSignature(target);
            result &= sourceTypePredicate || targetTypePredicate ? compareTypePredicatesIdentical(sourceTypePredicate, targetTypePredicate, compareTypes) : compareTypes(getReturnTypeOfSignature(source), getReturnTypeOfSignature(target));
          }
          return result;
        }
        function compareTypePredicatesIdentical(source, target, compareTypes) {
          return !(source && target && typePredicateKindsMatch(source, target)) ? 0 : source.type === target.type ? -1 : source.type && target.type ? compareTypes(source.type, target.type) : 0;
        }
        function literalTypesWithSameBaseType(types) {
          let commonBaseType;
          for (const t of types) {
            if (!(t.flags & 131072)) {
              const baseType = getBaseTypeOfLiteralType(t);
              commonBaseType ?? (commonBaseType = baseType);
              if (baseType === t || baseType !== commonBaseType) {
                return false;
              }
            }
          }
          return true;
        }
        function getCombinedTypeFlags(types) {
          return reduceLeft(types, (flags, t) => flags | (t.flags & 1048576 ? getCombinedTypeFlags(t.types) : t.flags), 0);
        }
        function getCommonSupertype(types) {
          if (types.length === 1) {
            return types[0];
          }
          const primaryTypes = strictNullChecks ? sameMap(types, (t) => filterType(t, (u) => !(u.flags & 98304))) : types;
          const superTypeOrUnion = literalTypesWithSameBaseType(primaryTypes) ? getUnionType(primaryTypes) : reduceLeft(primaryTypes, (s, t) => isTypeSubtypeOf(s, t) ? t : s);
          return primaryTypes === types ? superTypeOrUnion : getNullableType(
            superTypeOrUnion,
            getCombinedTypeFlags(types) & 98304
            /* Nullable */
          );
        }
        function getCommonSubtype(types) {
          return reduceLeft(types, (s, t) => isTypeSubtypeOf(t, s) ? t : s);
        }
        function isArrayType(type) {
          return !!(getObjectFlags(type) & 4) && (type.target === globalArrayType || type.target === globalReadonlyArrayType);
        }
        function isReadonlyArrayType(type) {
          return !!(getObjectFlags(type) & 4) && type.target === globalReadonlyArrayType;
        }
        function isArrayOrTupleType(type) {
          return isArrayType(type) || isTupleType(type);
        }
        function isMutableArrayOrTuple(type) {
          return isArrayType(type) && !isReadonlyArrayType(type) || isTupleType(type) && !type.target.readonly;
        }
        function getElementTypeOfArrayType(type) {
          return isArrayType(type) ? getTypeArguments(type)[0] : void 0;
        }
        function isArrayLikeType(type) {
          return isArrayType(type) || !(type.flags & 98304) && isTypeAssignableTo(type, anyReadonlyArrayType);
        }
        function isMutableArrayLikeType(type) {
          return isMutableArrayOrTuple(type) || !(type.flags & (1 | 98304)) && isTypeAssignableTo(type, anyArrayType);
        }
        function getSingleBaseForNonAugmentingSubtype(type) {
          if (!(getObjectFlags(type) & 4) || !(getObjectFlags(type.target) & 3)) {
            return void 0;
          }
          if (getObjectFlags(type) & 33554432) {
            return getObjectFlags(type) & 67108864 ? type.cachedEquivalentBaseType : void 0;
          }
          type.objectFlags |= 33554432;
          const target = type.target;
          if (getObjectFlags(target) & 1) {
            const baseTypeNode = getBaseTypeNodeOfClass(target);
            if (baseTypeNode && baseTypeNode.expression.kind !== 80 && baseTypeNode.expression.kind !== 211) {
              return void 0;
            }
          }
          const bases = getBaseTypes(target);
          if (bases.length !== 1) {
            return void 0;
          }
          if (getMembersOfSymbol(type.symbol).size) {
            return void 0;
          }
          let instantiatedBase = !length(target.typeParameters) ? bases[0] : instantiateType(bases[0], createTypeMapper(target.typeParameters, getTypeArguments(type).slice(0, target.typeParameters.length)));
          if (length(getTypeArguments(type)) > length(target.typeParameters)) {
            instantiatedBase = getTypeWithThisArgument(instantiatedBase, last(getTypeArguments(type)));
          }
          type.objectFlags |= 67108864;
          return type.cachedEquivalentBaseType = instantiatedBase;
        }
        function isEmptyLiteralType(type) {
          return strictNullChecks ? type === implicitNeverType : type === undefinedWideningType;
        }
        function isEmptyArrayLiteralType(type) {
          const elementType = getElementTypeOfArrayType(type);
          return !!elementType && isEmptyLiteralType(elementType);
        }
        function isTupleLikeType(type) {
          let lengthType;
          return isTupleType(type) || !!getPropertyOfType(type, "0") || isArrayLikeType(type) && !!(lengthType = getTypeOfPropertyOfType(type, "length")) && everyType(lengthType, (t) => !!(t.flags & 256));
        }
        function isArrayOrTupleLikeType(type) {
          return isArrayLikeType(type) || isTupleLikeType(type);
        }
        function getTupleElementType(type, index) {
          const propType = getTypeOfPropertyOfType(type, "" + index);
          if (propType) {
            return propType;
          }
          if (everyType(type, isTupleType)) {
            return getTupleElementTypeOutOfStartCount(type, index, compilerOptions.noUncheckedIndexedAccess ? undefinedType2 : void 0);
          }
          return void 0;
        }
        function isNeitherUnitTypeNorNever(type) {
          return !(type.flags & (109472 | 131072));
        }
        function isUnitType(type) {
          return !!(type.flags & 109472);
        }
        function isUnitLikeType(type) {
          const t = getBaseConstraintOrType(type);
          return t.flags & 2097152 ? some(t.types, isUnitType) : isUnitType(t);
        }
        function extractUnitType(type) {
          return type.flags & 2097152 ? find(type.types, isUnitType) || type : type;
        }
        function isLiteralType(type) {
          return type.flags & 16 ? true : type.flags & 1048576 ? type.flags & 1024 ? true : every(type.types, isUnitType) : isUnitType(type);
        }
        function getBaseTypeOfLiteralType(type) {
          return type.flags & 1056 ? getBaseTypeOfEnumLikeType(type) : type.flags & (128 | 134217728 | 268435456) ? stringType2 : type.flags & 256 ? numberType2 : type.flags & 2048 ? bigintType : type.flags & 512 ? booleanType2 : type.flags & 1048576 ? getBaseTypeOfLiteralTypeUnion(type) : type;
        }
        function getBaseTypeOfLiteralTypeUnion(type) {
          const key = `B${getTypeId(type)}`;
          return getCachedType(key) ?? setCachedType(key, mapType2(type, getBaseTypeOfLiteralType));
        }
        function getBaseTypeOfLiteralTypeForComparison(type) {
          return type.flags & (128 | 134217728 | 268435456) ? stringType2 : type.flags & (256 | 32) ? numberType2 : type.flags & 2048 ? bigintType : type.flags & 512 ? booleanType2 : type.flags & 1048576 ? mapType2(type, getBaseTypeOfLiteralTypeForComparison) : type;
        }
        function getWidenedLiteralType(type) {
          return type.flags & 1056 && isFreshLiteralType(type) ? getBaseTypeOfEnumLikeType(type) : type.flags & 128 && isFreshLiteralType(type) ? stringType2 : type.flags & 256 && isFreshLiteralType(type) ? numberType2 : type.flags & 2048 && isFreshLiteralType(type) ? bigintType : type.flags & 512 && isFreshLiteralType(type) ? booleanType2 : type.flags & 1048576 ? mapType2(type, getWidenedLiteralType) : type;
        }
        function getWidenedUniqueESSymbolType(type) {
          return type.flags & 8192 ? esSymbolType : type.flags & 1048576 ? mapType2(type, getWidenedUniqueESSymbolType) : type;
        }
        function getWidenedLiteralLikeTypeForContextualType(type, contextualType) {
          if (!isLiteralOfContextualType(type, contextualType)) {
            type = getWidenedUniqueESSymbolType(getWidenedLiteralType(type));
          }
          return getRegularTypeOfLiteralType(type);
        }
        function getWidenedLiteralLikeTypeForContextualReturnTypeIfNeeded(type, contextualSignatureReturnType, isAsync2) {
          if (type && isUnitType(type)) {
            const contextualType = !contextualSignatureReturnType ? void 0 : isAsync2 ? getPromisedTypeOfPromise(contextualSignatureReturnType) : contextualSignatureReturnType;
            type = getWidenedLiteralLikeTypeForContextualType(type, contextualType);
          }
          return type;
        }
        function getWidenedLiteralLikeTypeForContextualIterationTypeIfNeeded(type, contextualSignatureReturnType, kind, isAsyncGenerator) {
          if (type && isUnitType(type)) {
            const contextualType = !contextualSignatureReturnType ? void 0 : getIterationTypeOfGeneratorFunctionReturnType(kind, contextualSignatureReturnType, isAsyncGenerator);
            type = getWidenedLiteralLikeTypeForContextualType(type, contextualType);
          }
          return type;
        }
        function isTupleType(type) {
          return !!(getObjectFlags(type) & 4 && type.target.objectFlags & 8);
        }
        function isGenericTupleType(type) {
          return isTupleType(type) && !!(type.target.combinedFlags & 8);
        }
        function isSingleElementGenericTupleType(type) {
          return isGenericTupleType(type) && type.target.elementFlags.length === 1;
        }
        function getRestTypeOfTupleType(type) {
          return getElementTypeOfSliceOfTupleType(type, type.target.fixedLength);
        }
        function getTupleElementTypeOutOfStartCount(type, index, undefinedOrMissingType2) {
          return mapType2(type, (t) => {
            const tupleType2 = t;
            const restType = getRestTypeOfTupleType(tupleType2);
            if (!restType) {
              return undefinedType2;
            }
            if (undefinedOrMissingType2 && index >= getTotalFixedElementCount(tupleType2.target)) {
              return getUnionType([restType, undefinedOrMissingType2]);
            }
            return restType;
          });
        }
        function getRestArrayTypeOfTupleType(type) {
          const restType = getRestTypeOfTupleType(type);
          return restType && createArrayType(restType);
        }
        function getElementTypeOfSliceOfTupleType(type, index, endSkipCount = 0, writing = false, noReductions = false) {
          const length2 = getTypeReferenceArity(type) - endSkipCount;
          if (index < length2) {
            const typeArguments = getTypeArguments(type);
            const elementTypes = [];
            for (let i = index; i < length2; i++) {
              const t = typeArguments[i];
              elementTypes.push(type.target.elementFlags[i] & 8 ? getIndexedAccessType(t, numberType2) : t);
            }
            return writing ? getIntersectionType(elementTypes) : getUnionType(
              elementTypes,
              noReductions ? 0 : 1
              /* Literal */
            );
          }
          return void 0;
        }
        function isTupleTypeStructureMatching(t1, t2) {
          return getTypeReferenceArity(t1) === getTypeReferenceArity(t2) && every(t1.target.elementFlags, (f, i) => (f & 12) === (t2.target.elementFlags[i] & 12));
        }
        function isZeroBigInt({ value }) {
          return value.base10Value === "0";
        }
        function removeDefinitelyFalsyTypes(type) {
          return filterType(type, (t) => hasTypeFacts(
            t,
            4194304
            /* Truthy */
          ));
        }
        function extractDefinitelyFalsyTypes(type) {
          return mapType2(type, getDefinitelyFalsyPartOfType);
        }
        function getDefinitelyFalsyPartOfType(type) {
          return type.flags & 4 ? emptyStringType : type.flags & 8 ? zeroType : type.flags & 64 ? zeroBigIntType : type === regularFalseType || type === falseType || type.flags & (16384 | 32768 | 65536 | 3) || type.flags & 128 && type.value === "" || type.flags & 256 && type.value === 0 || type.flags & 2048 && isZeroBigInt(type) ? type : neverType2;
        }
        function getNullableType(type, flags) {
          const missing = flags & ~type.flags & (32768 | 65536);
          return missing === 0 ? type : missing === 32768 ? getUnionType([type, undefinedType2]) : missing === 65536 ? getUnionType([type, nullType2]) : getUnionType([type, undefinedType2, nullType2]);
        }
        function getOptionalType(type, isProperty2 = false) {
          Debug.assert(strictNullChecks);
          const missingOrUndefined = isProperty2 ? undefinedOrMissingType : undefinedType2;
          return type === missingOrUndefined || type.flags & 1048576 && type.types[0] === missingOrUndefined ? type : getUnionType([type, missingOrUndefined]);
        }
        function getGlobalNonNullableTypeInstantiation(type) {
          if (!deferredGlobalNonNullableTypeAlias) {
            deferredGlobalNonNullableTypeAlias = getGlobalSymbol(
              "NonNullable",
              524288,
              /*diagnostic*/
              void 0
            ) || unknownSymbol;
          }
          return deferredGlobalNonNullableTypeAlias !== unknownSymbol ? getTypeAliasInstantiation(deferredGlobalNonNullableTypeAlias, [type]) : getIntersectionType([type, emptyObjectType]);
        }
        function getNonNullableType(type) {
          return strictNullChecks ? getAdjustedTypeWithFacts(
            type,
            2097152
            /* NEUndefinedOrNull */
          ) : type;
        }
        function addOptionalTypeMarker(type) {
          return strictNullChecks ? getUnionType([type, optionalType2]) : type;
        }
        function removeOptionalTypeMarker(type) {
          return strictNullChecks ? removeType(type, optionalType2) : type;
        }
        function propagateOptionalTypeMarker(type, node, wasOptional) {
          return wasOptional ? isOutermostOptionalChain(node) ? getOptionalType(type) : addOptionalTypeMarker(type) : type;
        }
        function getOptionalExpressionType(exprType, expression) {
          return isExpressionOfOptionalChainRoot(expression) ? getNonNullableType(exprType) : isOptionalChain(expression) ? removeOptionalTypeMarker(exprType) : exprType;
        }
        function removeMissingType(type, isOptional) {
          return exactOptionalPropertyTypes && isOptional ? removeType(type, missingType) : type;
        }
        function containsMissingType(type) {
          return type === missingType || !!(type.flags & 1048576) && type.types[0] === missingType;
        }
        function removeMissingOrUndefinedType(type) {
          return exactOptionalPropertyTypes ? removeType(type, missingType) : getTypeWithFacts(
            type,
            524288
            /* NEUndefined */
          );
        }
        function isCoercibleUnderDoubleEquals(source, target) {
          return (source.flags & (8 | 4 | 512)) !== 0 && (target.flags & (8 | 4 | 16)) !== 0;
        }
        function isObjectTypeWithInferableIndex(type) {
          const objectFlags = getObjectFlags(type);
          return type.flags & 2097152 ? every(type.types, isObjectTypeWithInferableIndex) : !!(type.symbol && (type.symbol.flags & (4096 | 2048 | 384 | 512)) !== 0 && !(type.symbol.flags & 32) && !typeHasCallOrConstructSignatures(type)) || !!(objectFlags & 4194304) || !!(objectFlags & 1024 && isObjectTypeWithInferableIndex(type.source));
        }
        function createSymbolWithType(source, type) {
          const symbol = createSymbol(
            source.flags,
            source.escapedName,
            getCheckFlags(source) & 8
            /* Readonly */
          );
          symbol.declarations = source.declarations;
          symbol.parent = source.parent;
          symbol.links.type = type;
          symbol.links.target = source;
          if (source.valueDeclaration) {
            symbol.valueDeclaration = source.valueDeclaration;
          }
          const nameType = getSymbolLinks(source).nameType;
          if (nameType) {
            symbol.links.nameType = nameType;
          }
          return symbol;
        }
        function transformTypeOfMembers(type, f) {
          const members = createSymbolTable();
          for (const property of getPropertiesOfObjectType(type)) {
            const original = getTypeOfSymbol(property);
            const updated = f(original);
            members.set(property.escapedName, updated === original ? property : createSymbolWithType(property, updated));
          }
          return members;
        }
        function getRegularTypeOfObjectLiteral(type) {
          if (!(isObjectLiteralType2(type) && getObjectFlags(type) & 8192)) {
            return type;
          }
          const regularType = type.regularType;
          if (regularType) {
            return regularType;
          }
          const resolved = type;
          const members = transformTypeOfMembers(type, getRegularTypeOfObjectLiteral);
          const regularNew = createAnonymousType(resolved.symbol, members, resolved.callSignatures, resolved.constructSignatures, resolved.indexInfos);
          regularNew.flags = resolved.flags;
          regularNew.objectFlags |= resolved.objectFlags & ~8192;
          type.regularType = regularNew;
          return regularNew;
        }
        function createWideningContext(parent2, propertyName, siblings) {
          return { parent: parent2, propertyName, siblings, resolvedProperties: void 0 };
        }
        function getSiblingsOfContext(context) {
          if (!context.siblings) {
            const siblings = [];
            for (const type of getSiblingsOfContext(context.parent)) {
              if (isObjectLiteralType2(type)) {
                const prop = getPropertyOfObjectType(type, context.propertyName);
                if (prop) {
                  forEachType(getTypeOfSymbol(prop), (t) => {
                    siblings.push(t);
                  });
                }
              }
            }
            context.siblings = siblings;
          }
          return context.siblings;
        }
        function getPropertiesOfContext(context) {
          if (!context.resolvedProperties) {
            const names = /* @__PURE__ */ new Map();
            for (const t of getSiblingsOfContext(context)) {
              if (isObjectLiteralType2(t) && !(getObjectFlags(t) & 2097152)) {
                for (const prop of getPropertiesOfType(t)) {
                  names.set(prop.escapedName, prop);
                }
              }
            }
            context.resolvedProperties = arrayFrom(names.values());
          }
          return context.resolvedProperties;
        }
        function getWidenedProperty(prop, context) {
          if (!(prop.flags & 4)) {
            return prop;
          }
          const original = getTypeOfSymbol(prop);
          const propContext = context && createWideningContext(
            context,
            prop.escapedName,
            /*siblings*/
            void 0
          );
          const widened = getWidenedTypeWithContext(original, propContext);
          return widened === original ? prop : createSymbolWithType(prop, widened);
        }
        function getUndefinedProperty(prop) {
          const cached = undefinedProperties.get(prop.escapedName);
          if (cached) {
            return cached;
          }
          const result = createSymbolWithType(prop, undefinedOrMissingType);
          result.flags |= 16777216;
          undefinedProperties.set(prop.escapedName, result);
          return result;
        }
        function getWidenedTypeOfObjectLiteral(type, context) {
          const members = createSymbolTable();
          for (const prop of getPropertiesOfObjectType(type)) {
            members.set(prop.escapedName, getWidenedProperty(prop, context));
          }
          if (context) {
            for (const prop of getPropertiesOfContext(context)) {
              if (!members.has(prop.escapedName)) {
                members.set(prop.escapedName, getUndefinedProperty(prop));
              }
            }
          }
          const result = createAnonymousType(type.symbol, members, emptyArray, emptyArray, sameMap(getIndexInfosOfType(type), (info) => createIndexInfo(info.keyType, getWidenedType(info.type), info.isReadonly)));
          result.objectFlags |= getObjectFlags(type) & (4096 | 262144);
          return result;
        }
        function getWidenedType(type) {
          return getWidenedTypeWithContext(
            type,
            /*context*/
            void 0
          );
        }
        function getWidenedTypeWithContext(type, context) {
          if (getObjectFlags(type) & 196608) {
            if (context === void 0 && type.widened) {
              return type.widened;
            }
            let result;
            if (type.flags & (1 | 98304)) {
              result = anyType2;
            } else if (isObjectLiteralType2(type)) {
              result = getWidenedTypeOfObjectLiteral(type, context);
            } else if (type.flags & 1048576) {
              const unionContext = context || createWideningContext(
                /*parent*/
                void 0,
                /*propertyName*/
                void 0,
                type.types
              );
              const widenedTypes = sameMap(type.types, (t) => t.flags & 98304 ? t : getWidenedTypeWithContext(t, unionContext));
              result = getUnionType(
                widenedTypes,
                some(widenedTypes, isEmptyObjectType) ? 2 : 1
                /* Literal */
              );
            } else if (type.flags & 2097152) {
              result = getIntersectionType(sameMap(type.types, getWidenedType));
            } else if (isArrayOrTupleType(type)) {
              result = createTypeReference(type.target, sameMap(getTypeArguments(type), getWidenedType));
            }
            if (result && context === void 0) {
              type.widened = result;
            }
            return result || type;
          }
          return type;
        }
        function reportWideningErrorsInType(type) {
          let errorReported = false;
          if (getObjectFlags(type) & 65536) {
            if (type.flags & 1048576) {
              if (some(type.types, isEmptyObjectType)) {
                errorReported = true;
              } else {
                for (const t of type.types) {
                  if (reportWideningErrorsInType(t)) {
                    errorReported = true;
                  }
                }
              }
            }
            if (isArrayOrTupleType(type)) {
              for (const t of getTypeArguments(type)) {
                if (reportWideningErrorsInType(t)) {
                  errorReported = true;
                }
              }
            }
            if (isObjectLiteralType2(type)) {
              for (const p of getPropertiesOfObjectType(type)) {
                const t = getTypeOfSymbol(p);
                if (getObjectFlags(t) & 65536) {
                  if (!reportWideningErrorsInType(t)) {
                    error2(p.valueDeclaration, Diagnostics.Object_literal_s_property_0_implicitly_has_an_1_type, symbolToString2(p), typeToString(getWidenedType(t)));
                  }
                  errorReported = true;
                }
              }
            }
          }
          return errorReported;
        }
        function reportImplicitAny(declaration, type, wideningKind) {
          const typeAsString = typeToString(getWidenedType(type));
          if (isInJSFile(declaration) && !isCheckJsEnabledForFile(getSourceFileOfNode(declaration), compilerOptions)) {
            return;
          }
          let diagnostic;
          switch (declaration.kind) {
            case 226:
            case 172:
            case 171:
              diagnostic = noImplicitAny ? Diagnostics.Member_0_implicitly_has_an_1_type : Diagnostics.Member_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage;
              break;
            case 169:
              const param = declaration;
              if (isIdentifier(param.name)) {
                const originalKeywordKind = identifierToKeywordKind(param.name);
                if ((isCallSignatureDeclaration(param.parent) || isMethodSignature(param.parent) || isFunctionTypeNode(param.parent)) && param.parent.parameters.includes(param) && (resolveName(
                  param,
                  param.name.escapedText,
                  788968,
                  /*nameNotFoundMessage*/
                  void 0,
                  /*isUse*/
                  true
                ) || originalKeywordKind && isTypeNodeKind(originalKeywordKind))) {
                  const newName = "arg" + param.parent.parameters.indexOf(param);
                  const typeName = declarationNameToString(param.name) + (param.dotDotDotToken ? "[]" : "");
                  errorOrSuggestion(noImplicitAny, declaration, Diagnostics.Parameter_has_a_name_but_no_type_Did_you_mean_0_Colon_1, newName, typeName);
                  return;
                }
              }
              diagnostic = declaration.dotDotDotToken ? noImplicitAny ? Diagnostics.Rest_parameter_0_implicitly_has_an_any_type : Diagnostics.Rest_parameter_0_implicitly_has_an_any_type_but_a_better_type_may_be_inferred_from_usage : noImplicitAny ? Diagnostics.Parameter_0_implicitly_has_an_1_type : Diagnostics.Parameter_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage;
              break;
            case 208:
              diagnostic = Diagnostics.Binding_element_0_implicitly_has_an_1_type;
              if (!noImplicitAny) {
                return;
              }
              break;
            case 317:
              error2(declaration, Diagnostics.Function_type_which_lacks_return_type_annotation_implicitly_has_an_0_return_type, typeAsString);
              return;
            case 323:
              if (noImplicitAny && isJSDocOverloadTag(declaration.parent)) {
                error2(declaration.parent.tagName, Diagnostics.This_overload_implicitly_returns_the_type_0_because_it_lacks_a_return_type_annotation, typeAsString);
              }
              return;
            case 262:
            case 174:
            case 173:
            case 177:
            case 178:
            case 218:
            case 219:
              if (noImplicitAny && !declaration.name) {
                if (wideningKind === 3) {
                  error2(declaration, Diagnostics.Generator_implicitly_has_yield_type_0_because_it_does_not_yield_any_values_Consider_supplying_a_return_type_annotation, typeAsString);
                } else {
                  error2(declaration, Diagnostics.Function_expression_which_lacks_return_type_annotation_implicitly_has_an_0_return_type, typeAsString);
                }
                return;
              }
              diagnostic = !noImplicitAny ? Diagnostics._0_implicitly_has_an_1_return_type_but_a_better_type_may_be_inferred_from_usage : wideningKind === 3 ? Diagnostics._0_which_lacks_return_type_annotation_implicitly_has_an_1_yield_type : Diagnostics._0_which_lacks_return_type_annotation_implicitly_has_an_1_return_type;
              break;
            case 200:
              if (noImplicitAny) {
                error2(declaration, Diagnostics.Mapped_object_type_implicitly_has_an_any_template_type);
              }
              return;
            default:
              diagnostic = noImplicitAny ? Diagnostics.Variable_0_implicitly_has_an_1_type : Diagnostics.Variable_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage;
          }
          errorOrSuggestion(noImplicitAny, declaration, diagnostic, declarationNameToString(getNameOfDeclaration(declaration)), typeAsString);
        }
        function reportErrorsFromWidening(declaration, type, wideningKind) {
          addLazyDiagnostic(() => {
            if (noImplicitAny && getObjectFlags(type) & 65536 && (!wideningKind || !getContextualSignatureForFunctionLikeDeclaration(declaration))) {
              if (!reportWideningErrorsInType(type)) {
                reportImplicitAny(declaration, type, wideningKind);
              }
            }
          });
        }
        function applyToParameterTypes(source, target, callback) {
          const sourceCount = getParameterCount(source);
          const targetCount = getParameterCount(target);
          const sourceRestType = getEffectiveRestType(source);
          const targetRestType = getEffectiveRestType(target);
          const targetNonRestCount = targetRestType ? targetCount - 1 : targetCount;
          const paramCount = sourceRestType ? targetNonRestCount : Math.min(sourceCount, targetNonRestCount);
          const sourceThisType = getThisTypeOfSignature(source);
          if (sourceThisType) {
            const targetThisType = getThisTypeOfSignature(target);
            if (targetThisType) {
              callback(sourceThisType, targetThisType);
            }
          }
          for (let i = 0; i < paramCount; i++) {
            callback(getTypeAtPosition(source, i), getTypeAtPosition(target, i));
          }
          if (targetRestType) {
            callback(getRestTypeAtPosition(
              source,
              paramCount,
              /*readonly*/
              isConstTypeVariable(targetRestType) && !someType(targetRestType, isMutableArrayLikeType)
            ), targetRestType);
          }
        }
        function applyToReturnTypes(source, target, callback) {
          const targetTypePredicate = getTypePredicateOfSignature(target);
          if (targetTypePredicate) {
            const sourceTypePredicate = getTypePredicateOfSignature(source);
            if (sourceTypePredicate && typePredicateKindsMatch(sourceTypePredicate, targetTypePredicate) && sourceTypePredicate.type && targetTypePredicate.type) {
              callback(sourceTypePredicate.type, targetTypePredicate.type);
              return;
            }
          }
          const targetReturnType = getReturnTypeOfSignature(target);
          if (couldContainTypeVariables(targetReturnType)) {
            callback(getReturnTypeOfSignature(source), targetReturnType);
          }
        }
        function createInferenceContext(typeParameters, signature, flags, compareTypes) {
          return createInferenceContextWorker(typeParameters.map(createInferenceInfo), signature, flags, compareTypes || compareTypesAssignable);
        }
        function cloneInferenceContext(context, extraFlags = 0) {
          return context && createInferenceContextWorker(map(context.inferences, cloneInferenceInfo), context.signature, context.flags | extraFlags, context.compareTypes);
        }
        function createInferenceContextWorker(inferences, signature, flags, compareTypes) {
          const context = {
            inferences,
            signature,
            flags,
            compareTypes,
            mapper: reportUnmeasurableMapper,
            // initialize to a noop mapper so the context object is available, but the underlying object shape is right upon construction
            nonFixingMapper: reportUnmeasurableMapper
          };
          context.mapper = makeFixingMapperForContext(context);
          context.nonFixingMapper = makeNonFixingMapperForContext(context);
          return context;
        }
        function makeFixingMapperForContext(context) {
          return makeDeferredTypeMapper(
            map(context.inferences, (i) => i.typeParameter),
            map(context.inferences, (inference, i) => () => {
              if (!inference.isFixed) {
                inferFromIntraExpressionSites(context);
                clearCachedInferences(context.inferences);
                inference.isFixed = true;
              }
              return getInferredType(context, i);
            })
          );
        }
        function makeNonFixingMapperForContext(context) {
          return makeDeferredTypeMapper(
            map(context.inferences, (i) => i.typeParameter),
            map(context.inferences, (_, i) => () => {
              return getInferredType(context, i);
            })
          );
        }
        function clearCachedInferences(inferences) {
          for (const inference of inferences) {
            if (!inference.isFixed) {
              inference.inferredType = void 0;
            }
          }
        }
        function addIntraExpressionInferenceSite(context, node, type) {
          (context.intraExpressionInferenceSites ?? (context.intraExpressionInferenceSites = [])).push({ node, type });
        }
        function inferFromIntraExpressionSites(context) {
          if (context.intraExpressionInferenceSites) {
            for (const { node, type } of context.intraExpressionInferenceSites) {
              const contextualType = node.kind === 174 ? getContextualTypeForObjectLiteralMethod(
                node,
                2
                /* NoConstraints */
              ) : getContextualType2(
                node,
                2
                /* NoConstraints */
              );
              if (contextualType) {
                inferTypes(context.inferences, type, contextualType);
              }
            }
            context.intraExpressionInferenceSites = void 0;
          }
        }
        function createInferenceInfo(typeParameter) {
          return {
            typeParameter,
            candidates: void 0,
            contraCandidates: void 0,
            inferredType: void 0,
            priority: void 0,
            topLevel: true,
            isFixed: false,
            impliedArity: void 0
          };
        }
        function cloneInferenceInfo(inference) {
          return {
            typeParameter: inference.typeParameter,
            candidates: inference.candidates && inference.candidates.slice(),
            contraCandidates: inference.contraCandidates && inference.contraCandidates.slice(),
            inferredType: inference.inferredType,
            priority: inference.priority,
            topLevel: inference.topLevel,
            isFixed: inference.isFixed,
            impliedArity: inference.impliedArity
          };
        }
        function cloneInferredPartOfContext(context) {
          const inferences = filter(context.inferences, hasInferenceCandidates);
          return inferences.length ? createInferenceContextWorker(map(inferences, cloneInferenceInfo), context.signature, context.flags, context.compareTypes) : void 0;
        }
        function getMapperFromContext(context) {
          return context && context.mapper;
        }
        function couldContainTypeVariables(type) {
          const objectFlags = getObjectFlags(type);
          if (objectFlags & 524288) {
            return !!(objectFlags & 1048576);
          }
          const result = !!(type.flags & 465829888 || type.flags & 524288 && !isNonGenericTopLevelType(type) && (objectFlags & 4 && (type.node || some(getTypeArguments(type), couldContainTypeVariables)) || objectFlags & 134217728 && !!length(type.outerTypeParameters) || objectFlags & 16 && type.symbol && type.symbol.flags & (16 | 8192 | 32 | 2048 | 4096) && type.symbol.declarations || objectFlags & (32 | 1024 | 4194304 | 8388608)) || type.flags & 3145728 && !(type.flags & 1024) && !isNonGenericTopLevelType(type) && some(type.types, couldContainTypeVariables));
          if (type.flags & 3899393) {
            type.objectFlags |= 524288 | (result ? 1048576 : 0);
          }
          return result;
        }
        function isNonGenericTopLevelType(type) {
          if (type.aliasSymbol && !type.aliasTypeArguments) {
            const declaration = getDeclarationOfKind(
              type.aliasSymbol,
              265
              /* TypeAliasDeclaration */
            );
            return !!(declaration && findAncestor(declaration.parent, (n) => n.kind === 307 ? true : n.kind === 267 ? false : "quit"));
          }
          return false;
        }
        function isTypeParameterAtTopLevel(type, tp, depth2 = 0) {
          return !!(type === tp || type.flags & 3145728 && some(type.types, (t) => isTypeParameterAtTopLevel(t, tp, depth2)) || depth2 < 3 && type.flags & 16777216 && (isTypeParameterAtTopLevel(getTrueTypeFromConditionalType(type), tp, depth2 + 1) || isTypeParameterAtTopLevel(getFalseTypeFromConditionalType(type), tp, depth2 + 1)));
        }
        function isTypeParameterAtTopLevelInReturnType(signature, typeParameter) {
          const typePredicate = getTypePredicateOfSignature(signature);
          return typePredicate ? !!typePredicate.type && isTypeParameterAtTopLevel(typePredicate.type, typeParameter) : isTypeParameterAtTopLevel(getReturnTypeOfSignature(signature), typeParameter);
        }
        function createEmptyObjectTypeFromStringLiteral(type) {
          const members = createSymbolTable();
          forEachType(type, (t) => {
            if (!(t.flags & 128)) {
              return;
            }
            const name = escapeLeadingUnderscores(t.value);
            const literalProp = createSymbol(4, name);
            literalProp.links.type = anyType2;
            if (t.symbol) {
              literalProp.declarations = t.symbol.declarations;
              literalProp.valueDeclaration = t.symbol.valueDeclaration;
            }
            members.set(name, literalProp);
          });
          const indexInfos = type.flags & 4 ? [createIndexInfo(
            stringType2,
            emptyObjectType,
            /*isReadonly*/
            false
          )] : emptyArray;
          return createAnonymousType(
            /*symbol*/
            void 0,
            members,
            emptyArray,
            emptyArray,
            indexInfos
          );
        }
        function inferTypeForHomomorphicMappedType(source, target, constraint) {
          const cacheKey = source.id + "," + target.id + "," + constraint.id;
          if (reverseHomomorphicMappedCache.has(cacheKey)) {
            return reverseHomomorphicMappedCache.get(cacheKey);
          }
          const type = createReverseMappedType(source, target, constraint);
          reverseHomomorphicMappedCache.set(cacheKey, type);
          return type;
        }
        function isPartiallyInferableType(type) {
          return !(getObjectFlags(type) & 262144) || isObjectLiteralType2(type) && some(getPropertiesOfType(type), (prop) => isPartiallyInferableType(getTypeOfSymbol(prop))) || isTupleType(type) && some(getElementTypes(type), isPartiallyInferableType);
        }
        function createReverseMappedType(source, target, constraint) {
          if (!(getIndexInfoOfType(source, stringType2) || getPropertiesOfType(source).length !== 0 && isPartiallyInferableType(source))) {
            return void 0;
          }
          if (isArrayType(source)) {
            const elementType = inferReverseMappedType(getTypeArguments(source)[0], target, constraint);
            if (!elementType) {
              return void 0;
            }
            return createArrayType(elementType, isReadonlyArrayType(source));
          }
          if (isTupleType(source)) {
            const elementTypes = map(getElementTypes(source), (t) => inferReverseMappedType(t, target, constraint));
            if (!every(elementTypes, (t) => !!t)) {
              return void 0;
            }
            const elementFlags = getMappedTypeModifiers(target) & 4 ? sameMap(source.target.elementFlags, (f) => f & 2 ? 1 : f) : source.target.elementFlags;
            return createTupleType(elementTypes, elementFlags, source.target.readonly, source.target.labeledElementDeclarations);
          }
          const reversed = createObjectType(
            1024 | 16,
            /*symbol*/
            void 0
          );
          reversed.source = source;
          reversed.mappedType = target;
          reversed.constraintType = constraint;
          return reversed;
        }
        function getTypeOfReverseMappedSymbol(symbol) {
          const links = getSymbolLinks(symbol);
          if (!links.type) {
            links.type = inferReverseMappedType(symbol.links.propertyType, symbol.links.mappedType, symbol.links.constraintType) || unknownType2;
          }
          return links.type;
        }
        function inferReverseMappedTypeWorker(sourceType, target, constraint) {
          const typeParameter = getIndexedAccessType(constraint.type, getTypeParameterFromMappedType(target));
          const templateType = getTemplateTypeFromMappedType(target);
          const inference = createInferenceInfo(typeParameter);
          inferTypes([inference], sourceType, templateType);
          return getTypeFromInference(inference) || unknownType2;
        }
        function inferReverseMappedType(source, target, constraint) {
          const cacheKey = source.id + "," + target.id + "," + constraint.id;
          if (reverseMappedCache.has(cacheKey)) {
            return reverseMappedCache.get(cacheKey) || unknownType2;
          }
          reverseMappedSourceStack.push(source);
          reverseMappedTargetStack.push(target);
          const saveExpandingFlags = reverseExpandingFlags;
          if (isDeeplyNestedType(source, reverseMappedSourceStack, reverseMappedSourceStack.length, 2)) reverseExpandingFlags |= 1;
          if (isDeeplyNestedType(target, reverseMappedTargetStack, reverseMappedTargetStack.length, 2)) reverseExpandingFlags |= 2;
          let type;
          if (reverseExpandingFlags !== 3) {
            type = inferReverseMappedTypeWorker(source, target, constraint);
          }
          reverseMappedSourceStack.pop();
          reverseMappedTargetStack.pop();
          reverseExpandingFlags = saveExpandingFlags;
          reverseMappedCache.set(cacheKey, type);
          return type;
        }
        function* getUnmatchedProperties(source, target, requireOptionalProperties, matchDiscriminantProperties) {
          const properties = getPropertiesOfType(target);
          for (const targetProp of properties) {
            if (isStaticPrivateIdentifierProperty(targetProp)) {
              continue;
            }
            if (requireOptionalProperties || !(targetProp.flags & 16777216 || getCheckFlags(targetProp) & 48)) {
              const sourceProp = getPropertyOfType(source, targetProp.escapedName);
              if (!sourceProp) {
                yield targetProp;
              } else if (matchDiscriminantProperties) {
                const targetType = getTypeOfSymbol(targetProp);
                if (targetType.flags & 109472) {
                  const sourceType = getTypeOfSymbol(sourceProp);
                  if (!(sourceType.flags & 1 || getRegularTypeOfLiteralType(sourceType) === getRegularTypeOfLiteralType(targetType))) {
                    yield targetProp;
                  }
                }
              }
            }
          }
        }
        function getUnmatchedProperty(source, target, requireOptionalProperties, matchDiscriminantProperties) {
          return firstOrUndefinedIterator(getUnmatchedProperties(source, target, requireOptionalProperties, matchDiscriminantProperties));
        }
        function tupleTypesDefinitelyUnrelated(source, target) {
          return !(target.target.combinedFlags & 8) && target.target.minLength > source.target.minLength || !target.target.hasRestElement && (source.target.hasRestElement || target.target.fixedLength < source.target.fixedLength);
        }
        function typesDefinitelyUnrelated(source, target) {
          return isTupleType(source) && isTupleType(target) ? tupleTypesDefinitelyUnrelated(source, target) : !!getUnmatchedProperty(
            source,
            target,
            /*requireOptionalProperties*/
            false,
            /*matchDiscriminantProperties*/
            true
          ) && !!getUnmatchedProperty(
            target,
            source,
            /*requireOptionalProperties*/
            false,
            /*matchDiscriminantProperties*/
            false
          );
        }
        function getTypeFromInference(inference) {
          return inference.candidates ? getUnionType(
            inference.candidates,
            2
            /* Subtype */
          ) : inference.contraCandidates ? getIntersectionType(inference.contraCandidates) : void 0;
        }
        function hasSkipDirectInferenceFlag(node) {
          return !!getNodeLinks(node).skipDirectInference;
        }
        function isFromInferenceBlockedSource(type) {
          return !!(type.symbol && some(type.symbol.declarations, hasSkipDirectInferenceFlag));
        }
        function templateLiteralTypesDefinitelyUnrelated(source, target) {
          const sourceStart = source.texts[0];
          const targetStart = target.texts[0];
          const sourceEnd = source.texts[source.texts.length - 1];
          const targetEnd = target.texts[target.texts.length - 1];
          const startLen = Math.min(sourceStart.length, targetStart.length);
          const endLen = Math.min(sourceEnd.length, targetEnd.length);
          return sourceStart.slice(0, startLen) !== targetStart.slice(0, startLen) || sourceEnd.slice(sourceEnd.length - endLen) !== targetEnd.slice(targetEnd.length - endLen);
        }
        function isValidNumberString(s, roundTripOnly) {
          if (s === "") return false;
          const n = +s;
          return isFinite(n) && (!roundTripOnly || "" + n === s);
        }
        function parseBigIntLiteralType(text) {
          return getBigIntLiteralType(parseValidBigInt(text));
        }
        function isMemberOfStringMapping(source, target) {
          if (target.flags & 1) {
            return true;
          }
          if (target.flags & (4 | 134217728)) {
            return isTypeAssignableTo(source, target);
          }
          if (target.flags & 268435456) {
            const mappingStack = [];
            while (target.flags & 268435456) {
              mappingStack.unshift(target.symbol);
              target = target.type;
            }
            const mappedSource = reduceLeft(mappingStack, (memo, value) => getStringMappingType(value, memo), source);
            return mappedSource === source && isMemberOfStringMapping(source, target);
          }
          return false;
        }
        function isValidTypeForTemplateLiteralPlaceholder(source, target) {
          if (target.flags & 2097152) {
            return every(target.types, (t) => t === emptyTypeLiteralType || isValidTypeForTemplateLiteralPlaceholder(source, t));
          }
          if (target.flags & 4 || isTypeAssignableTo(source, target)) {
            return true;
          }
          if (source.flags & 128) {
            const value = source.value;
            return !!(target.flags & 8 && isValidNumberString(
              value,
              /*roundTripOnly*/
              false
            ) || target.flags & 64 && isValidBigIntString(
              value,
              /*roundTripOnly*/
              false
            ) || target.flags & (512 | 98304) && value === target.intrinsicName || target.flags & 268435456 && isMemberOfStringMapping(getStringLiteralType(value), target) || target.flags & 134217728 && isTypeMatchedByTemplateLiteralType(source, target));
          }
          if (source.flags & 134217728) {
            const texts = source.texts;
            return texts.length === 2 && texts[0] === "" && texts[1] === "" && isTypeAssignableTo(source.types[0], target);
          }
          return false;
        }
        function inferTypesFromTemplateLiteralType(source, target) {
          return source.flags & 128 ? inferFromLiteralPartsToTemplateLiteral([source.value], emptyArray, target) : source.flags & 134217728 ? arraysEqual(source.texts, target.texts) ? map(source.types, (s, i) => {
            return isTypeAssignableTo(getBaseConstraintOrType(s), getBaseConstraintOrType(target.types[i])) ? s : getStringLikeTypeForType(s);
          }) : inferFromLiteralPartsToTemplateLiteral(source.texts, source.types, target) : void 0;
        }
        function isTypeMatchedByTemplateLiteralType(source, target) {
          const inferences = inferTypesFromTemplateLiteralType(source, target);
          return !!inferences && every(inferences, (r, i) => isValidTypeForTemplateLiteralPlaceholder(r, target.types[i]));
        }
        function getStringLikeTypeForType(type) {
          return type.flags & (1 | 402653316) ? type : getTemplateLiteralType(["", ""], [type]);
        }
        function inferFromLiteralPartsToTemplateLiteral(sourceTexts, sourceTypes, target) {
          const lastSourceIndex = sourceTexts.length - 1;
          const sourceStartText = sourceTexts[0];
          const sourceEndText = sourceTexts[lastSourceIndex];
          const targetTexts = target.texts;
          const lastTargetIndex = targetTexts.length - 1;
          const targetStartText = targetTexts[0];
          const targetEndText = targetTexts[lastTargetIndex];
          if (lastSourceIndex === 0 && sourceStartText.length < targetStartText.length + targetEndText.length || !sourceStartText.startsWith(targetStartText) || !sourceEndText.endsWith(targetEndText)) return void 0;
          const remainingEndText = sourceEndText.slice(0, sourceEndText.length - targetEndText.length);
          const matches = [];
          let seg = 0;
          let pos = targetStartText.length;
          for (let i = 1; i < lastTargetIndex; i++) {
            const delim = targetTexts[i];
            if (delim.length > 0) {
              let s = seg;
              let p = pos;
              while (true) {
                p = getSourceText(s).indexOf(delim, p);
                if (p >= 0) break;
                s++;
                if (s === sourceTexts.length) return void 0;
                p = 0;
              }
              addMatch(s, p);
              pos += delim.length;
            } else if (pos < getSourceText(seg).length) {
              addMatch(seg, pos + 1);
            } else if (seg < lastSourceIndex) {
              addMatch(seg + 1, 0);
            } else {
              return void 0;
            }
          }
          addMatch(lastSourceIndex, getSourceText(lastSourceIndex).length);
          return matches;
          function getSourceText(index) {
            return index < lastSourceIndex ? sourceTexts[index] : remainingEndText;
          }
          function addMatch(s, p) {
            const matchType = s === seg ? getStringLiteralType(getSourceText(s).slice(pos, p)) : getTemplateLiteralType(
              [sourceTexts[seg].slice(pos), ...sourceTexts.slice(seg + 1, s), getSourceText(s).slice(0, p)],
              sourceTypes.slice(seg, s)
            );
            matches.push(matchType);
            seg = s;
            pos = p;
          }
        }
        function isTupleOfSelf(typeParameter, type) {
          return isTupleType(type) && getTupleElementType(type, 0) === getIndexedAccessType(typeParameter, getNumberLiteralType(0)) && !getTypeOfPropertyOfType(type, "1");
        }
        function inferTypes(inferences, originalSource, originalTarget, priority = 0, contravariant = false) {
          let bivariant = false;
          let propagationType;
          let inferencePriority = 2048;
          let visited;
          let sourceStack;
          let targetStack;
          let expandingFlags = 0;
          inferFromTypes(originalSource, originalTarget);
          function inferFromTypes(source, target) {
            if (!couldContainTypeVariables(target) || isNoInferType(target)) {
              return;
            }
            if (source === wildcardType || source === blockedStringType) {
              const savePropagationType = propagationType;
              propagationType = source;
              inferFromTypes(target, target);
              propagationType = savePropagationType;
              return;
            }
            if (source.aliasSymbol && source.aliasSymbol === target.aliasSymbol) {
              if (source.aliasTypeArguments) {
                const params = getSymbolLinks(source.aliasSymbol).typeParameters;
                const minParams = getMinTypeArgumentCount(params);
                const sourceTypes = fillMissingTypeArguments(source.aliasTypeArguments, params, minParams, isInJSFile(source.aliasSymbol.valueDeclaration));
                const targetTypes = fillMissingTypeArguments(target.aliasTypeArguments, params, minParams, isInJSFile(source.aliasSymbol.valueDeclaration));
                inferFromTypeArguments(sourceTypes, targetTypes, getAliasVariances(source.aliasSymbol));
              }
              return;
            }
            if (source === target && source.flags & 3145728) {
              for (const t of source.types) {
                inferFromTypes(t, t);
              }
              return;
            }
            if (target.flags & 1048576) {
              const [tempSources, tempTargets] = inferFromMatchingTypes(source.flags & 1048576 ? source.types : [source], target.types, isTypeOrBaseIdenticalTo);
              const [sources, targets] = inferFromMatchingTypes(tempSources, tempTargets, isTypeCloselyMatchedBy);
              if (targets.length === 0) {
                return;
              }
              target = getUnionType(targets);
              if (sources.length === 0) {
                inferWithPriority(
                  source,
                  target,
                  1
                  /* NakedTypeVariable */
                );
                return;
              }
              source = getUnionType(sources);
            } else if (target.flags & 2097152 && !every(target.types, isNonGenericObjectType)) {
              if (!(source.flags & 1048576)) {
                const [sources, targets] = inferFromMatchingTypes(source.flags & 2097152 ? source.types : [source], target.types, isTypeIdenticalTo);
                if (sources.length === 0 || targets.length === 0) {
                  return;
                }
                source = getIntersectionType(sources);
                target = getIntersectionType(targets);
              }
            }
            if (target.flags & (8388608 | 33554432)) {
              if (isNoInferType(target)) {
                return;
              }
              target = getActualTypeVariable(target);
            }
            if (target.flags & 8650752) {
              if (isFromInferenceBlockedSource(source)) {
                return;
              }
              const inference = getInferenceInfoForType(target);
              if (inference) {
                if (getObjectFlags(source) & 262144 || source === nonInferrableAnyType) {
                  return;
                }
                if (!inference.isFixed) {
                  const candidate = propagationType || source;
                  if (candidate === blockedStringType) {
                    return;
                  }
                  if (inference.priority === void 0 || priority < inference.priority) {
                    inference.candidates = void 0;
                    inference.contraCandidates = void 0;
                    inference.topLevel = true;
                    inference.priority = priority;
                  }
                  if (priority === inference.priority) {
                    if (isTupleOfSelf(inference.typeParameter, candidate)) {
                      return;
                    }
                    if (contravariant && !bivariant) {
                      if (!contains(inference.contraCandidates, candidate)) {
                        inference.contraCandidates = append(inference.contraCandidates, candidate);
                        clearCachedInferences(inferences);
                      }
                    } else if (!contains(inference.candidates, candidate)) {
                      inference.candidates = append(inference.candidates, candidate);
                      clearCachedInferences(inferences);
                    }
                  }
                  if (!(priority & 128) && target.flags & 262144 && inference.topLevel && !isTypeParameterAtTopLevel(originalTarget, target)) {
                    inference.topLevel = false;
                    clearCachedInferences(inferences);
                  }
                }
                inferencePriority = Math.min(inferencePriority, priority);
                return;
              }
              const simplified = getSimplifiedType(
                target,
                /*writing*/
                false
              );
              if (simplified !== target) {
                inferFromTypes(source, simplified);
              } else if (target.flags & 8388608) {
                const indexType = getSimplifiedType(
                  target.indexType,
                  /*writing*/
                  false
                );
                if (indexType.flags & 465829888) {
                  const simplified2 = distributeIndexOverObjectType(
                    getSimplifiedType(
                      target.objectType,
                      /*writing*/
                      false
                    ),
                    indexType,
                    /*writing*/
                    false
                  );
                  if (simplified2 && simplified2 !== target) {
                    inferFromTypes(source, simplified2);
                  }
                }
              }
            }
            if (getObjectFlags(source) & 4 && getObjectFlags(target) & 4 && (source.target === target.target || isArrayType(source) && isArrayType(target)) && !(source.node && target.node)) {
              inferFromTypeArguments(getTypeArguments(source), getTypeArguments(target), getVariances(source.target));
            } else if (source.flags & 4194304 && target.flags & 4194304) {
              inferFromContravariantTypes(source.type, target.type);
            } else if ((isLiteralType(source) || source.flags & 4) && target.flags & 4194304) {
              const empty = createEmptyObjectTypeFromStringLiteral(source);
              inferFromContravariantTypesWithPriority(
                empty,
                target.type,
                256
                /* LiteralKeyof */
              );
            } else if (source.flags & 8388608 && target.flags & 8388608) {
              inferFromTypes(source.objectType, target.objectType);
              inferFromTypes(source.indexType, target.indexType);
            } else if (source.flags & 268435456 && target.flags & 268435456) {
              if (source.symbol === target.symbol) {
                inferFromTypes(source.type, target.type);
              }
            } else if (source.flags & 33554432) {
              inferFromTypes(source.baseType, target);
              inferWithPriority(
                getSubstitutionIntersection(source),
                target,
                4
                /* SubstituteSource */
              );
            } else if (target.flags & 16777216) {
              invokeOnce(source, target, inferToConditionalType);
            } else if (target.flags & 3145728) {
              inferToMultipleTypes(source, target.types, target.flags);
            } else if (source.flags & 1048576) {
              const sourceTypes = source.types;
              for (const sourceType of sourceTypes) {
                inferFromTypes(sourceType, target);
              }
            } else if (target.flags & 134217728) {
              inferToTemplateLiteralType(source, target);
            } else {
              source = getReducedType(source);
              if (isGenericMappedType(source) && isGenericMappedType(target)) {
                invokeOnce(source, target, inferFromGenericMappedTypes);
              }
              if (!(priority & 512 && source.flags & (2097152 | 465829888))) {
                const apparentSource = getApparentType(source);
                if (apparentSource !== source && !(apparentSource.flags & (524288 | 2097152))) {
                  return inferFromTypes(apparentSource, target);
                }
                source = apparentSource;
              }
              if (source.flags & (524288 | 2097152)) {
                invokeOnce(source, target, inferFromObjectTypes);
              }
            }
          }
          function inferWithPriority(source, target, newPriority) {
            const savePriority = priority;
            priority |= newPriority;
            inferFromTypes(source, target);
            priority = savePriority;
          }
          function inferFromContravariantTypesWithPriority(source, target, newPriority) {
            const savePriority = priority;
            priority |= newPriority;
            inferFromContravariantTypes(source, target);
            priority = savePriority;
          }
          function inferToMultipleTypesWithPriority(source, targets, targetFlags, newPriority) {
            const savePriority = priority;
            priority |= newPriority;
            inferToMultipleTypes(source, targets, targetFlags);
            priority = savePriority;
          }
          function invokeOnce(source, target, action) {
            const key = source.id + "," + target.id;
            const status = visited && visited.get(key);
            if (status !== void 0) {
              inferencePriority = Math.min(inferencePriority, status);
              return;
            }
            (visited || (visited = /* @__PURE__ */ new Map())).set(
              key,
              -1
              /* Circularity */
            );
            const saveInferencePriority = inferencePriority;
            inferencePriority = 2048;
            const saveExpandingFlags = expandingFlags;
            (sourceStack ?? (sourceStack = [])).push(source);
            (targetStack ?? (targetStack = [])).push(target);
            if (isDeeplyNestedType(source, sourceStack, sourceStack.length, 2)) expandingFlags |= 1;
            if (isDeeplyNestedType(target, targetStack, targetStack.length, 2)) expandingFlags |= 2;
            if (expandingFlags !== 3) {
              action(source, target);
            } else {
              inferencePriority = -1;
            }
            targetStack.pop();
            sourceStack.pop();
            expandingFlags = saveExpandingFlags;
            visited.set(key, inferencePriority);
            inferencePriority = Math.min(inferencePriority, saveInferencePriority);
          }
          function inferFromMatchingTypes(sources, targets, matches) {
            let matchedSources;
            let matchedTargets;
            for (const t of targets) {
              for (const s of sources) {
                if (matches(s, t)) {
                  inferFromTypes(s, t);
                  matchedSources = appendIfUnique(matchedSources, s);
                  matchedTargets = appendIfUnique(matchedTargets, t);
                }
              }
            }
            return [
              matchedSources ? filter(sources, (t) => !contains(matchedSources, t)) : sources,
              matchedTargets ? filter(targets, (t) => !contains(matchedTargets, t)) : targets
            ];
          }
          function inferFromTypeArguments(sourceTypes, targetTypes, variances) {
            const count = sourceTypes.length < targetTypes.length ? sourceTypes.length : targetTypes.length;
            for (let i = 0; i < count; i++) {
              if (i < variances.length && (variances[i] & 7) === 2) {
                inferFromContravariantTypes(sourceTypes[i], targetTypes[i]);
              } else {
                inferFromTypes(sourceTypes[i], targetTypes[i]);
              }
            }
          }
          function inferFromContravariantTypes(source, target) {
            contravariant = !contravariant;
            inferFromTypes(source, target);
            contravariant = !contravariant;
          }
          function inferFromContravariantTypesIfStrictFunctionTypes(source, target) {
            if (strictFunctionTypes || priority & 1024) {
              inferFromContravariantTypes(source, target);
            } else {
              inferFromTypes(source, target);
            }
          }
          function getInferenceInfoForType(type) {
            if (type.flags & 8650752) {
              for (const inference of inferences) {
                if (type === inference.typeParameter) {
                  return inference;
                }
              }
            }
            return void 0;
          }
          function getSingleTypeVariableFromIntersectionTypes(types) {
            let typeVariable;
            for (const type of types) {
              const t = type.flags & 2097152 && find(type.types, (t2) => !!getInferenceInfoForType(t2));
              if (!t || typeVariable && t !== typeVariable) {
                return void 0;
              }
              typeVariable = t;
            }
            return typeVariable;
          }
          function inferToMultipleTypes(source, targets, targetFlags) {
            let typeVariableCount = 0;
            if (targetFlags & 1048576) {
              let nakedTypeVariable;
              const sources = source.flags & 1048576 ? source.types : [source];
              const matched = new Array(sources.length);
              let inferenceCircularity = false;
              for (const t of targets) {
                if (getInferenceInfoForType(t)) {
                  nakedTypeVariable = t;
                  typeVariableCount++;
                } else {
                  for (let i = 0; i < sources.length; i++) {
                    const saveInferencePriority = inferencePriority;
                    inferencePriority = 2048;
                    inferFromTypes(sources[i], t);
                    if (inferencePriority === priority) matched[i] = true;
                    inferenceCircularity = inferenceCircularity || inferencePriority === -1;
                    inferencePriority = Math.min(inferencePriority, saveInferencePriority);
                  }
                }
              }
              if (typeVariableCount === 0) {
                const intersectionTypeVariable = getSingleTypeVariableFromIntersectionTypes(targets);
                if (intersectionTypeVariable) {
                  inferWithPriority(
                    source,
                    intersectionTypeVariable,
                    1
                    /* NakedTypeVariable */
                  );
                }
                return;
              }
              if (typeVariableCount === 1 && !inferenceCircularity) {
                const unmatched = flatMap(sources, (s, i) => matched[i] ? void 0 : s);
                if (unmatched.length) {
                  inferFromTypes(getUnionType(unmatched), nakedTypeVariable);
                  return;
                }
              }
            } else {
              for (const t of targets) {
                if (getInferenceInfoForType(t)) {
                  typeVariableCount++;
                } else {
                  inferFromTypes(source, t);
                }
              }
            }
            if (targetFlags & 2097152 ? typeVariableCount === 1 : typeVariableCount > 0) {
              for (const t of targets) {
                if (getInferenceInfoForType(t)) {
                  inferWithPriority(
                    source,
                    t,
                    1
                    /* NakedTypeVariable */
                  );
                }
              }
            }
          }
          function inferToMappedType(source, target, constraintType) {
            if (constraintType.flags & 1048576 || constraintType.flags & 2097152) {
              let result = false;
              for (const type of constraintType.types) {
                result = inferToMappedType(source, target, type) || result;
              }
              return result;
            }
            if (constraintType.flags & 4194304) {
              const inference = getInferenceInfoForType(constraintType.type);
              if (inference && !inference.isFixed && !isFromInferenceBlockedSource(source)) {
                const inferredType = inferTypeForHomomorphicMappedType(source, target, constraintType);
                if (inferredType) {
                  inferWithPriority(
                    inferredType,
                    inference.typeParameter,
                    getObjectFlags(source) & 262144 ? 16 : 8
                    /* HomomorphicMappedType */
                  );
                }
              }
              return true;
            }
            if (constraintType.flags & 262144) {
              inferWithPriority(
                getIndexType(
                  source,
                  /*indexFlags*/
                  !!source.pattern ? 2 : 0
                  /* None */
                ),
                constraintType,
                32
                /* MappedTypeConstraint */
              );
              const extendedConstraint = getConstraintOfType(constraintType);
              if (extendedConstraint && inferToMappedType(source, target, extendedConstraint)) {
                return true;
              }
              const propTypes = map(getPropertiesOfType(source), getTypeOfSymbol);
              const indexTypes = map(getIndexInfosOfType(source), (info) => info !== enumNumberIndexInfo ? info.type : neverType2);
              inferFromTypes(getUnionType(concatenate(propTypes, indexTypes)), getTemplateTypeFromMappedType(target));
              return true;
            }
            return false;
          }
          function inferToConditionalType(source, target) {
            if (source.flags & 16777216) {
              inferFromTypes(source.checkType, target.checkType);
              inferFromTypes(source.extendsType, target.extendsType);
              inferFromTypes(getTrueTypeFromConditionalType(source), getTrueTypeFromConditionalType(target));
              inferFromTypes(getFalseTypeFromConditionalType(source), getFalseTypeFromConditionalType(target));
            } else {
              const targetTypes = [getTrueTypeFromConditionalType(target), getFalseTypeFromConditionalType(target)];
              inferToMultipleTypesWithPriority(source, targetTypes, target.flags, contravariant ? 64 : 0);
            }
          }
          function inferToTemplateLiteralType(source, target) {
            const matches = inferTypesFromTemplateLiteralType(source, target);
            const types = target.types;
            if (matches || every(target.texts, (s) => s.length === 0)) {
              for (let i = 0; i < types.length; i++) {
                const source2 = matches ? matches[i] : neverType2;
                const target2 = types[i];
                if (source2.flags & 128 && target2.flags & 8650752) {
                  const inferenceContext = getInferenceInfoForType(target2);
                  const constraint = inferenceContext ? getBaseConstraintOfType(inferenceContext.typeParameter) : void 0;
                  if (constraint && !isTypeAny(constraint)) {
                    const constraintTypes = constraint.flags & 1048576 ? constraint.types : [constraint];
                    let allTypeFlags = reduceLeft(constraintTypes, (flags, t) => flags | t.flags, 0);
                    if (!(allTypeFlags & 4)) {
                      const str = source2.value;
                      if (allTypeFlags & 296 && !isValidNumberString(
                        str,
                        /*roundTripOnly*/
                        true
                      )) {
                        allTypeFlags &= ~296;
                      }
                      if (allTypeFlags & 2112 && !isValidBigIntString(
                        str,
                        /*roundTripOnly*/
                        true
                      )) {
                        allTypeFlags &= ~2112;
                      }
                      const matchingType = reduceLeft(constraintTypes, (left, right) => !(right.flags & allTypeFlags) ? left : left.flags & 4 ? left : right.flags & 4 ? source2 : left.flags & 134217728 ? left : right.flags & 134217728 && isTypeMatchedByTemplateLiteralType(source2, right) ? source2 : left.flags & 268435456 ? left : right.flags & 268435456 && str === applyStringMapping(right.symbol, str) ? source2 : left.flags & 128 ? left : right.flags & 128 && right.value === str ? right : left.flags & 8 ? left : right.flags & 8 ? getNumberLiteralType(+str) : left.flags & 32 ? left : right.flags & 32 ? getNumberLiteralType(+str) : left.flags & 256 ? left : right.flags & 256 && right.value === +str ? right : left.flags & 64 ? left : right.flags & 64 ? parseBigIntLiteralType(str) : left.flags & 2048 ? left : right.flags & 2048 && pseudoBigIntToString(right.value) === str ? right : left.flags & 16 ? left : right.flags & 16 ? str === "true" ? trueType : str === "false" ? falseType : booleanType2 : left.flags & 512 ? left : right.flags & 512 && right.intrinsicName === str ? right : left.flags & 32768 ? left : right.flags & 32768 && right.intrinsicName === str ? right : left.flags & 65536 ? left : right.flags & 65536 && right.intrinsicName === str ? right : left, neverType2);
                      if (!(matchingType.flags & 131072)) {
                        inferFromTypes(matchingType, target2);
                        continue;
                      }
                    }
                  }
                }
                inferFromTypes(source2, target2);
              }
            }
          }
          function inferFromGenericMappedTypes(source, target) {
            inferFromTypes(getConstraintTypeFromMappedType(source), getConstraintTypeFromMappedType(target));
            inferFromTypes(getTemplateTypeFromMappedType(source), getTemplateTypeFromMappedType(target));
            const sourceNameType = getNameTypeFromMappedType(source);
            const targetNameType = getNameTypeFromMappedType(target);
            if (sourceNameType && targetNameType) inferFromTypes(sourceNameType, targetNameType);
          }
          function inferFromObjectTypes(source, target) {
            var _a, _b;
            if (getObjectFlags(source) & 4 && getObjectFlags(target) & 4 && (source.target === target.target || isArrayType(source) && isArrayType(target))) {
              inferFromTypeArguments(getTypeArguments(source), getTypeArguments(target), getVariances(source.target));
              return;
            }
            if (isGenericMappedType(source) && isGenericMappedType(target)) {
              inferFromGenericMappedTypes(source, target);
            }
            if (getObjectFlags(target) & 32 && !target.declaration.nameType) {
              const constraintType = getConstraintTypeFromMappedType(target);
              if (inferToMappedType(source, target, constraintType)) {
                return;
              }
            }
            if (!typesDefinitelyUnrelated(source, target)) {
              if (isArrayOrTupleType(source)) {
                if (isTupleType(target)) {
                  const sourceArity = getTypeReferenceArity(source);
                  const targetArity = getTypeReferenceArity(target);
                  const elementTypes = getTypeArguments(target);
                  const elementFlags = target.target.elementFlags;
                  if (isTupleType(source) && isTupleTypeStructureMatching(source, target)) {
                    for (let i = 0; i < targetArity; i++) {
                      inferFromTypes(getTypeArguments(source)[i], elementTypes[i]);
                    }
                    return;
                  }
                  const startLength = isTupleType(source) ? Math.min(source.target.fixedLength, target.target.fixedLength) : 0;
                  const endLength = Math.min(isTupleType(source) ? getEndElementCount(
                    source.target,
                    3
                    /* Fixed */
                  ) : 0, target.target.hasRestElement ? getEndElementCount(
                    target.target,
                    3
                    /* Fixed */
                  ) : 0);
                  for (let i = 0; i < startLength; i++) {
                    inferFromTypes(getTypeArguments(source)[i], elementTypes[i]);
                  }
                  if (!isTupleType(source) || sourceArity - startLength - endLength === 1 && source.target.elementFlags[startLength] & 4) {
                    const restType = getTypeArguments(source)[startLength];
                    for (let i = startLength; i < targetArity - endLength; i++) {
                      inferFromTypes(elementFlags[i] & 8 ? createArrayType(restType) : restType, elementTypes[i]);
                    }
                  } else {
                    const middleLength = targetArity - startLength - endLength;
                    if (middleLength === 2) {
                      if (elementFlags[startLength] & elementFlags[startLength + 1] & 8) {
                        const targetInfo = getInferenceInfoForType(elementTypes[startLength]);
                        if (targetInfo && targetInfo.impliedArity !== void 0) {
                          inferFromTypes(sliceTupleType(source, startLength, endLength + sourceArity - targetInfo.impliedArity), elementTypes[startLength]);
                          inferFromTypes(sliceTupleType(source, startLength + targetInfo.impliedArity, endLength), elementTypes[startLength + 1]);
                        }
                      } else if (elementFlags[startLength] & 8 && elementFlags[startLength + 1] & 4) {
                        const param = (_a = getInferenceInfoForType(elementTypes[startLength])) == null ? void 0 : _a.typeParameter;
                        const constraint = param && getBaseConstraintOfType(param);
                        if (constraint && isTupleType(constraint) && !constraint.target.hasRestElement) {
                          const impliedArity = constraint.target.fixedLength;
                          inferFromTypes(sliceTupleType(source, startLength, sourceArity - (startLength + impliedArity)), elementTypes[startLength]);
                          inferFromTypes(getElementTypeOfSliceOfTupleType(source, startLength + impliedArity, endLength), elementTypes[startLength + 1]);
                        }
                      } else if (elementFlags[startLength] & 4 && elementFlags[startLength + 1] & 8) {
                        const param = (_b = getInferenceInfoForType(elementTypes[startLength + 1])) == null ? void 0 : _b.typeParameter;
                        const constraint = param && getBaseConstraintOfType(param);
                        if (constraint && isTupleType(constraint) && !constraint.target.hasRestElement) {
                          const impliedArity = constraint.target.fixedLength;
                          const endIndex = sourceArity - getEndElementCount(
                            target.target,
                            3
                            /* Fixed */
                          );
                          const startIndex = endIndex - impliedArity;
                          const trailingSlice = createTupleType(
                            getTypeArguments(source).slice(startIndex, endIndex),
                            source.target.elementFlags.slice(startIndex, endIndex),
                            /*readonly*/
                            false,
                            source.target.labeledElementDeclarations && source.target.labeledElementDeclarations.slice(startIndex, endIndex)
                          );
                          inferFromTypes(getElementTypeOfSliceOfTupleType(source, startLength, endLength + impliedArity), elementTypes[startLength]);
                          inferFromTypes(trailingSlice, elementTypes[startLength + 1]);
                        }
                      }
                    } else if (middleLength === 1 && elementFlags[startLength] & 8) {
                      const endsInOptional = target.target.elementFlags[targetArity - 1] & 2;
                      const sourceSlice = sliceTupleType(source, startLength, endLength);
                      inferWithPriority(sourceSlice, elementTypes[startLength], endsInOptional ? 2 : 0);
                    } else if (middleLength === 1 && elementFlags[startLength] & 4) {
                      const restType = getElementTypeOfSliceOfTupleType(source, startLength, endLength);
                      if (restType) {
                        inferFromTypes(restType, elementTypes[startLength]);
                      }
                    }
                  }
                  for (let i = 0; i < endLength; i++) {
                    inferFromTypes(getTypeArguments(source)[sourceArity - i - 1], elementTypes[targetArity - i - 1]);
                  }
                  return;
                }
                if (isArrayType(target)) {
                  inferFromIndexTypes(source, target);
                  return;
                }
              }
              inferFromProperties(source, target);
              inferFromSignatures(
                source,
                target,
                0
                /* Call */
              );
              inferFromSignatures(
                source,
                target,
                1
                /* Construct */
              );
              inferFromIndexTypes(source, target);
            }
          }
          function inferFromProperties(source, target) {
            const properties = getPropertiesOfObjectType(target);
            for (const targetProp of properties) {
              const sourceProp = getPropertyOfType(source, targetProp.escapedName);
              if (sourceProp && !some(sourceProp.declarations, hasSkipDirectInferenceFlag)) {
                inferFromTypes(
                  removeMissingType(getTypeOfSymbol(sourceProp), !!(sourceProp.flags & 16777216)),
                  removeMissingType(getTypeOfSymbol(targetProp), !!(targetProp.flags & 16777216))
                );
              }
            }
          }
          function inferFromSignatures(source, target, kind) {
            const sourceSignatures = getSignaturesOfType(source, kind);
            const sourceLen = sourceSignatures.length;
            if (sourceLen > 0) {
              const targetSignatures = getSignaturesOfType(target, kind);
              const targetLen = targetSignatures.length;
              for (let i = 0; i < targetLen; i++) {
                const sourceIndex = Math.max(sourceLen - targetLen + i, 0);
                inferFromSignature(getBaseSignature(sourceSignatures[sourceIndex]), getErasedSignature(targetSignatures[i]));
              }
            }
          }
          function inferFromSignature(source, target) {
            if (!(source.flags & 64)) {
              const saveBivariant = bivariant;
              const kind = target.declaration ? target.declaration.kind : 0;
              bivariant = bivariant || kind === 174 || kind === 173 || kind === 176;
              applyToParameterTypes(source, target, inferFromContravariantTypesIfStrictFunctionTypes);
              bivariant = saveBivariant;
            }
            applyToReturnTypes(source, target, inferFromTypes);
          }
          function inferFromIndexTypes(source, target) {
            const priority2 = getObjectFlags(source) & getObjectFlags(target) & 32 ? 8 : 0;
            const indexInfos = getIndexInfosOfType(target);
            if (isObjectTypeWithInferableIndex(source)) {
              for (const targetInfo of indexInfos) {
                const propTypes = [];
                for (const prop of getPropertiesOfType(source)) {
                  if (isApplicableIndexType(getLiteralTypeFromProperty(
                    prop,
                    8576
                    /* StringOrNumberLiteralOrUnique */
                  ), targetInfo.keyType)) {
                    const propType = getTypeOfSymbol(prop);
                    propTypes.push(prop.flags & 16777216 ? removeMissingOrUndefinedType(propType) : propType);
                  }
                }
                for (const info of getIndexInfosOfType(source)) {
                  if (isApplicableIndexType(info.keyType, targetInfo.keyType)) {
                    propTypes.push(info.type);
                  }
                }
                if (propTypes.length) {
                  inferWithPriority(getUnionType(propTypes), targetInfo.type, priority2);
                }
              }
            }
            for (const targetInfo of indexInfos) {
              const sourceInfo = getApplicableIndexInfo(source, targetInfo.keyType);
              if (sourceInfo) {
                inferWithPriority(sourceInfo.type, targetInfo.type, priority2);
              }
            }
          }
        }
        function isTypeOrBaseIdenticalTo(s, t) {
          return t === missingType ? s === t : isTypeIdenticalTo(s, t) || !!(t.flags & 4 && s.flags & 128 || t.flags & 8 && s.flags & 256);
        }
        function isTypeCloselyMatchedBy(s, t) {
          return !!(s.flags & 524288 && t.flags & 524288 && s.symbol && s.symbol === t.symbol || s.aliasSymbol && s.aliasTypeArguments && s.aliasSymbol === t.aliasSymbol);
        }
        function hasPrimitiveConstraint(type) {
          const constraint = getConstraintOfTypeParameter(type);
          return !!constraint && maybeTypeOfKind(
            constraint.flags & 16777216 ? getDefaultConstraintOfConditionalType(constraint) : constraint,
            402784252 | 4194304 | 134217728 | 268435456
            /* StringMapping */
          );
        }
        function isObjectLiteralType2(type) {
          return !!(getObjectFlags(type) & 128);
        }
        function isObjectOrArrayLiteralType(type) {
          return !!(getObjectFlags(type) & (128 | 16384));
        }
        function unionObjectAndArrayLiteralCandidates(candidates) {
          if (candidates.length > 1) {
            const objectLiterals = filter(candidates, isObjectOrArrayLiteralType);
            if (objectLiterals.length) {
              const literalsType = getUnionType(
                objectLiterals,
                2
                /* Subtype */
              );
              return concatenate(filter(candidates, (t) => !isObjectOrArrayLiteralType(t)), [literalsType]);
            }
          }
          return candidates;
        }
        function getContravariantInference(inference) {
          return inference.priority & 416 ? getIntersectionType(inference.contraCandidates) : getCommonSubtype(inference.contraCandidates);
        }
        function getCovariantInference(inference, signature) {
          const candidates = unionObjectAndArrayLiteralCandidates(inference.candidates);
          const primitiveConstraint = hasPrimitiveConstraint(inference.typeParameter) || isConstTypeVariable(inference.typeParameter);
          const widenLiteralTypes = !primitiveConstraint && inference.topLevel && (inference.isFixed || !isTypeParameterAtTopLevelInReturnType(signature, inference.typeParameter));
          const baseCandidates = primitiveConstraint ? sameMap(candidates, getRegularTypeOfLiteralType) : widenLiteralTypes ? sameMap(candidates, getWidenedLiteralType) : candidates;
          const unwidenedType = inference.priority & 416 ? getUnionType(
            baseCandidates,
            2
            /* Subtype */
          ) : getCommonSupertype(baseCandidates);
          return getWidenedType(unwidenedType);
        }
        function getInferredType(context, index) {
          const inference = context.inferences[index];
          if (!inference.inferredType) {
            let inferredType;
            let fallbackType;
            if (context.signature) {
              const inferredCovariantType = inference.candidates ? getCovariantInference(inference, context.signature) : void 0;
              const inferredContravariantType = inference.contraCandidates ? getContravariantInference(inference) : void 0;
              if (inferredCovariantType || inferredContravariantType) {
                const preferCovariantType = inferredCovariantType && (!inferredContravariantType || !(inferredCovariantType.flags & 131072) && some(inference.contraCandidates, (t) => isTypeSubtypeOf(inferredCovariantType, t)) && every(context.inferences, (other) => other !== inference && getConstraintOfTypeParameter(other.typeParameter) !== inference.typeParameter || every(other.candidates, (t) => isTypeSubtypeOf(t, inferredCovariantType))));
                inferredType = preferCovariantType ? inferredCovariantType : inferredContravariantType;
                fallbackType = preferCovariantType ? inferredContravariantType : inferredCovariantType;
              } else if (context.flags & 1) {
                inferredType = silentNeverType;
              } else {
                const defaultType = getDefaultFromTypeParameter(inference.typeParameter);
                if (defaultType) {
                  inferredType = instantiateType(defaultType, mergeTypeMappers(createBackreferenceMapper(context, index), context.nonFixingMapper));
                }
              }
            } else {
              inferredType = getTypeFromInference(inference);
            }
            inference.inferredType = inferredType || getDefaultTypeArgumentType(!!(context.flags & 2));
            const constraint = getConstraintOfTypeParameter(inference.typeParameter);
            if (constraint) {
              const instantiatedConstraint = instantiateType(constraint, context.nonFixingMapper);
              if (!inferredType || !context.compareTypes(inferredType, getTypeWithThisArgument(instantiatedConstraint, inferredType))) {
                inference.inferredType = fallbackType && context.compareTypes(fallbackType, getTypeWithThisArgument(instantiatedConstraint, fallbackType)) ? fallbackType : instantiatedConstraint;
              }
            }
          }
          return inference.inferredType;
        }
        function getDefaultTypeArgumentType(isInJavaScriptFile) {
          return isInJavaScriptFile ? anyType2 : unknownType2;
        }
        function getInferredTypes(context) {
          const result = [];
          for (let i = 0; i < context.inferences.length; i++) {
            result.push(getInferredType(context, i));
          }
          return result;
        }
        function getCannotFindNameDiagnosticForName(node) {
          switch (node.escapedText) {
            case "document":
            case "console":
              return Diagnostics.Cannot_find_name_0_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_include_dom;
            case "$":
              return compilerOptions.types ? Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_jQuery_Try_npm_i_save_dev_types_Slashjquery_and_then_add_jquery_to_the_types_field_in_your_tsconfig : Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_jQuery_Try_npm_i_save_dev_types_Slashjquery;
            case "describe":
            case "suite":
            case "it":
            case "test":
              return compilerOptions.types ? Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_a_test_runner_Try_npm_i_save_dev_types_Slashjest_or_npm_i_save_dev_types_Slashmocha_and_then_add_jest_or_mocha_to_the_types_field_in_your_tsconfig : Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_a_test_runner_Try_npm_i_save_dev_types_Slashjest_or_npm_i_save_dev_types_Slashmocha;
            case "process":
            case "require":
            case "Buffer":
            case "module":
              return compilerOptions.types ? Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_node_Try_npm_i_save_dev_types_Slashnode_and_then_add_node_to_the_types_field_in_your_tsconfig : Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_node_Try_npm_i_save_dev_types_Slashnode;
            case "Bun":
              return compilerOptions.types ? Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_Bun_Try_npm_i_save_dev_types_Slashbun_and_then_add_bun_to_the_types_field_in_your_tsconfig : Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_Bun_Try_npm_i_save_dev_types_Slashbun;
            case "Map":
            case "Set":
            case "Promise":
            case "Symbol":
            case "WeakMap":
            case "WeakSet":
            case "Iterator":
            case "AsyncIterator":
            case "SharedArrayBuffer":
            case "Atomics":
            case "AsyncIterable":
            case "AsyncIterableIterator":
            case "AsyncGenerator":
            case "AsyncGeneratorFunction":
            case "BigInt":
            case "Reflect":
            case "BigInt64Array":
            case "BigUint64Array":
              return Diagnostics.Cannot_find_name_0_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_1_or_later;
            case "await":
              if (isCallExpression2(node.parent)) {
                return Diagnostics.Cannot_find_name_0_Did_you_mean_to_write_this_in_an_async_function;
              }
            default:
              if (node.parent.kind === 304) {
                return Diagnostics.No_value_exists_in_scope_for_the_shorthand_property_0_Either_declare_one_or_provide_an_initializer;
              } else {
                return Diagnostics.Cannot_find_name_0;
              }
          }
        }
        function getResolvedSymbol(node) {
          const links = getNodeLinks(node);
          if (!links.resolvedSymbol) {
            links.resolvedSymbol = !nodeIsMissing(node) && resolveName(
              node,
              node,
              111551 | 1048576,
              getCannotFindNameDiagnosticForName(node),
              !isWriteOnlyAccess(node),
              /*excludeGlobals*/
              false
            ) || unknownSymbol;
          }
          return links.resolvedSymbol;
        }
        function isInAmbientOrTypeNode(node) {
          return !!(node.flags & 33554432 || findAncestor(node, (n) => isInterfaceDeclaration(n) || isTypeAliasDeclaration(n) || isTypeLiteralNode(n)));
        }
        function getFlowCacheKey(node, declaredType, initialType, flowContainer) {
          switch (node.kind) {
            case 80:
              if (!isThisInTypeQuery(node)) {
                const symbol = getResolvedSymbol(node);
                return symbol !== unknownSymbol ? `${flowContainer ? getNodeId(flowContainer) : "-1"}|${getTypeId(declaredType)}|${getTypeId(initialType)}|${getSymbolId(symbol)}` : void 0;
              }
            case 110:
              return `0|${flowContainer ? getNodeId(flowContainer) : "-1"}|${getTypeId(declaredType)}|${getTypeId(initialType)}`;
            case 235:
            case 217:
              return getFlowCacheKey(node.expression, declaredType, initialType, flowContainer);
            case 166:
              const left = getFlowCacheKey(node.left, declaredType, initialType, flowContainer);
              return left && `${left}.${node.right.escapedText}`;
            case 211:
            case 212:
              const propName = getAccessedPropertyName(node);
              if (propName !== void 0) {
                const key = getFlowCacheKey(node.expression, declaredType, initialType, flowContainer);
                return key && `${key}.${propName}`;
              }
              if (isElementAccessExpression(node) && isIdentifier(node.argumentExpression)) {
                const symbol = getResolvedSymbol(node.argumentExpression);
                if (isConstantVariable(symbol) || isParameterOrMutableLocalVariable(symbol) && !isSymbolAssigned(symbol)) {
                  const key = getFlowCacheKey(node.expression, declaredType, initialType, flowContainer);
                  return key && `${key}.@${getSymbolId(symbol)}`;
                }
              }
              break;
            case 206:
            case 207:
            case 262:
            case 218:
            case 219:
            case 174:
              return `${getNodeId(node)}#${getTypeId(declaredType)}`;
          }
          return void 0;
        }
        function isMatchingReference(source, target) {
          switch (target.kind) {
            case 217:
            case 235:
              return isMatchingReference(source, target.expression);
            case 226:
              return isAssignmentExpression2(target) && isMatchingReference(source, target.left) || isBinaryExpression(target) && target.operatorToken.kind === 28 && isMatchingReference(source, target.right);
          }
          switch (source.kind) {
            case 236:
              return target.kind === 236 && source.keywordToken === target.keywordToken && source.name.escapedText === target.name.escapedText;
            case 80:
            case 81:
              return isThisInTypeQuery(source) ? target.kind === 110 : target.kind === 80 && getResolvedSymbol(source) === getResolvedSymbol(target) || (isVariableDeclaration(target) || isBindingElement(target)) && getExportSymbolOfValueSymbolIfExported(getResolvedSymbol(source)) === getSymbolOfDeclaration(target);
            case 110:
              return target.kind === 110;
            case 108:
              return target.kind === 108;
            case 235:
            case 217:
              return isMatchingReference(source.expression, target);
            case 211:
            case 212:
              const sourcePropertyName = getAccessedPropertyName(source);
              if (sourcePropertyName !== void 0) {
                const targetPropertyName = isAccessExpression(target) ? getAccessedPropertyName(target) : void 0;
                if (targetPropertyName !== void 0) {
                  return targetPropertyName === sourcePropertyName && isMatchingReference(source.expression, target.expression);
                }
              }
              if (isElementAccessExpression(source) && isElementAccessExpression(target) && isIdentifier(source.argumentExpression) && isIdentifier(target.argumentExpression)) {
                const symbol = getResolvedSymbol(source.argumentExpression);
                if (symbol === getResolvedSymbol(target.argumentExpression) && (isConstantVariable(symbol) || isParameterOrMutableLocalVariable(symbol) && !isSymbolAssigned(symbol))) {
                  return isMatchingReference(source.expression, target.expression);
                }
              }
              break;
            case 166:
              return isAccessExpression(target) && source.right.escapedText === getAccessedPropertyName(target) && isMatchingReference(source.left, target.expression);
            case 226:
              return isBinaryExpression(source) && source.operatorToken.kind === 28 && isMatchingReference(source.right, target);
          }
          return false;
        }
        function getAccessedPropertyName(access) {
          if (isPropertyAccessExpression(access)) {
            return access.name.escapedText;
          }
          if (isElementAccessExpression(access)) {
            return tryGetElementAccessExpressionName(access);
          }
          if (isBindingElement(access)) {
            const name = getDestructuringPropertyName(access);
            return name ? escapeLeadingUnderscores(name) : void 0;
          }
          if (isParameter(access)) {
            return "" + access.parent.parameters.indexOf(access);
          }
          return void 0;
        }
        function tryGetNameFromType(type) {
          return type.flags & 8192 ? type.escapedName : type.flags & 384 ? escapeLeadingUnderscores("" + type.value) : void 0;
        }
        function tryGetElementAccessExpressionName(node) {
          return isStringOrNumericLiteralLike(node.argumentExpression) ? escapeLeadingUnderscores(node.argumentExpression.text) : isEntityNameExpression(node.argumentExpression) ? tryGetNameFromEntityNameExpression(node.argumentExpression) : void 0;
        }
        function tryGetNameFromEntityNameExpression(node) {
          const symbol = resolveEntityName(
            node,
            111551,
            /*ignoreErrors*/
            true
          );
          if (!symbol || !(isConstantVariable(symbol) || symbol.flags & 8)) return void 0;
          const declaration = symbol.valueDeclaration;
          if (declaration === void 0) return void 0;
          const type = tryGetTypeFromEffectiveTypeNode(declaration);
          if (type) {
            const name = tryGetNameFromType(type);
            if (name !== void 0) {
              return name;
            }
          }
          if (hasOnlyExpressionInitializer(declaration) && isBlockScopedNameDeclaredBeforeUse(declaration, node)) {
            const initializer = getEffectiveInitializer(declaration);
            if (initializer) {
              const initializerType = isBindingPattern(declaration.parent) ? getTypeForBindingElement(declaration) : getTypeOfExpression(initializer);
              return initializerType && tryGetNameFromType(initializerType);
            }
            if (isEnumMember(declaration)) {
              return getTextOfPropertyName(declaration.name);
            }
          }
          return void 0;
        }
        function containsMatchingReference(source, target) {
          while (isAccessExpression(source)) {
            source = source.expression;
            if (isMatchingReference(source, target)) {
              return true;
            }
          }
          return false;
        }
        function optionalChainContainsReference(source, target) {
          while (isOptionalChain(source)) {
            source = source.expression;
            if (isMatchingReference(source, target)) {
              return true;
            }
          }
          return false;
        }
        function isDiscriminantProperty(type, name) {
          if (type && type.flags & 1048576) {
            const prop = getUnionOrIntersectionProperty(type, name);
            if (prop && getCheckFlags(prop) & 2) {
              if (prop.links.isDiscriminantProperty === void 0) {
                prop.links.isDiscriminantProperty = (prop.links.checkFlags & 192) === 192 && !isGenericType(getTypeOfSymbol(prop));
              }
              return !!prop.links.isDiscriminantProperty;
            }
          }
          return false;
        }
        function findDiscriminantProperties(sourceProperties, target) {
          let result;
          for (const sourceProperty of sourceProperties) {
            if (isDiscriminantProperty(target, sourceProperty.escapedName)) {
              if (result) {
                result.push(sourceProperty);
                continue;
              }
              result = [sourceProperty];
            }
          }
          return result;
        }
        function mapTypesByKeyProperty(types, name) {
          const map2 = /* @__PURE__ */ new Map();
          let count = 0;
          for (const type of types) {
            if (type.flags & (524288 | 2097152 | 58982400)) {
              const discriminant = getTypeOfPropertyOfType(type, name);
              if (discriminant) {
                if (!isLiteralType(discriminant)) {
                  return void 0;
                }
                let duplicate = false;
                forEachType(discriminant, (t) => {
                  const id = getTypeId(getRegularTypeOfLiteralType(t));
                  const existing = map2.get(id);
                  if (!existing) {
                    map2.set(id, type);
                  } else if (existing !== unknownType2) {
                    map2.set(id, unknownType2);
                    duplicate = true;
                  }
                });
                if (!duplicate) count++;
              }
            }
          }
          return count >= 10 && count * 2 >= types.length ? map2 : void 0;
        }
        function getKeyPropertyName(unionType2) {
          const types = unionType2.types;
          if (types.length < 10 || getObjectFlags(unionType2) & 32768 || countWhere(types, (t) => !!(t.flags & (524288 | 58982400))) < 10) {
            return void 0;
          }
          if (unionType2.keyPropertyName === void 0) {
            const keyPropertyName = forEach(types, (t) => t.flags & (524288 | 58982400) ? forEach(getPropertiesOfType(t), (p) => isUnitType(getTypeOfSymbol(p)) ? p.escapedName : void 0) : void 0);
            const mapByKeyProperty = keyPropertyName && mapTypesByKeyProperty(types, keyPropertyName);
            unionType2.keyPropertyName = mapByKeyProperty ? keyPropertyName : "";
            unionType2.constituentMap = mapByKeyProperty;
          }
          return unionType2.keyPropertyName.length ? unionType2.keyPropertyName : void 0;
        }
        function getConstituentTypeForKeyType(unionType2, keyType) {
          var _a;
          const result = (_a = unionType2.constituentMap) == null ? void 0 : _a.get(getTypeId(getRegularTypeOfLiteralType(keyType)));
          return result !== unknownType2 ? result : void 0;
        }
        function getMatchingUnionConstituentForType(unionType2, type) {
          const keyPropertyName = getKeyPropertyName(unionType2);
          const propType = keyPropertyName && getTypeOfPropertyOfType(type, keyPropertyName);
          return propType && getConstituentTypeForKeyType(unionType2, propType);
        }
        function getMatchingUnionConstituentForObjectLiteral(unionType2, node) {
          const keyPropertyName = getKeyPropertyName(unionType2);
          const propNode = keyPropertyName && find(node.properties, (p) => p.symbol && p.kind === 303 && p.symbol.escapedName === keyPropertyName && isPossiblyDiscriminantValue(p.initializer));
          const propType = propNode && getContextFreeTypeOfExpression(propNode.initializer);
          return propType && getConstituentTypeForKeyType(unionType2, propType);
        }
        function isOrContainsMatchingReference(source, target) {
          return isMatchingReference(source, target) || containsMatchingReference(source, target);
        }
        function hasMatchingArgument(expression, reference) {
          if (expression.arguments) {
            for (const argument of expression.arguments) {
              if (isOrContainsMatchingReference(reference, argument) || optionalChainContainsReference(argument, reference)) {
                return true;
              }
            }
          }
          if (expression.expression.kind === 211 && isOrContainsMatchingReference(reference, expression.expression.expression)) {
            return true;
          }
          return false;
        }
        function getFlowNodeId(flow) {
          if (flow.id <= 0) {
            flow.id = nextFlowId;
            nextFlowId++;
          }
          return flow.id;
        }
        function typeMaybeAssignableTo(source, target) {
          if (!(source.flags & 1048576)) {
            return isTypeAssignableTo(source, target);
          }
          for (const t of source.types) {
            if (isTypeAssignableTo(t, target)) {
              return true;
            }
          }
          return false;
        }
        function getAssignmentReducedType(declaredType, assignedType) {
          if (declaredType === assignedType) {
            return declaredType;
          }
          if (assignedType.flags & 131072) {
            return assignedType;
          }
          const key = `A${getTypeId(declaredType)},${getTypeId(assignedType)}`;
          return getCachedType(key) ?? setCachedType(key, getAssignmentReducedTypeWorker(declaredType, assignedType));
        }
        function getAssignmentReducedTypeWorker(declaredType, assignedType) {
          const filteredType = filterType(declaredType, (t) => typeMaybeAssignableTo(assignedType, t));
          const reducedType = assignedType.flags & 512 && isFreshLiteralType(assignedType) ? mapType2(filteredType, getFreshTypeOfLiteralType) : filteredType;
          return isTypeAssignableTo(assignedType, reducedType) ? reducedType : declaredType;
        }
        function isFunctionObjectType(type) {
          const resolved = resolveStructuredTypeMembers(type);
          return !!(resolved.callSignatures.length || resolved.constructSignatures.length || resolved.members.get("bind") && isTypeSubtypeOf(type, globalFunctionType));
        }
        function getTypeFacts(type, mask2) {
          return getTypeFactsWorker(type, mask2) & mask2;
        }
        function hasTypeFacts(type, mask2) {
          return getTypeFacts(type, mask2) !== 0;
        }
        function getTypeFactsWorker(type, callerOnlyNeeds) {
          if (type.flags & (2097152 | 465829888)) {
            type = getBaseConstraintOfType(type) || unknownType2;
          }
          const flags = type.flags;
          if (flags & (4 | 268435456)) {
            return strictNullChecks ? 16317953 : 16776705;
          }
          if (flags & (128 | 134217728)) {
            const isEmpty2 = flags & 128 && type.value === "";
            return strictNullChecks ? isEmpty2 ? 12123649 : 7929345 : isEmpty2 ? 12582401 : 16776705;
          }
          if (flags & (8 | 32)) {
            return strictNullChecks ? 16317698 : 16776450;
          }
          if (flags & 256) {
            const isZero = type.value === 0;
            return strictNullChecks ? isZero ? 12123394 : 7929090 : isZero ? 12582146 : 16776450;
          }
          if (flags & 64) {
            return strictNullChecks ? 16317188 : 16775940;
          }
          if (flags & 2048) {
            const isZero = isZeroBigInt(type);
            return strictNullChecks ? isZero ? 12122884 : 7928580 : isZero ? 12581636 : 16775940;
          }
          if (flags & 16) {
            return strictNullChecks ? 16316168 : 16774920;
          }
          if (flags & 528) {
            return strictNullChecks ? type === falseType || type === regularFalseType ? 12121864 : 7927560 : type === falseType || type === regularFalseType ? 12580616 : 16774920;
          }
          if (flags & 524288) {
            const possibleFacts = strictNullChecks ? 83427327 | 7880640 | 7888800 : 83886079 | 16728e3 | 16736160;
            if ((callerOnlyNeeds & possibleFacts) === 0) {
              return 0;
            }
            return getObjectFlags(type) & 16 && isEmptyObjectType(type) ? strictNullChecks ? 83427327 : 83886079 : isFunctionObjectType(type) ? strictNullChecks ? 7880640 : 16728e3 : strictNullChecks ? 7888800 : 16736160;
          }
          if (flags & 16384) {
            return 9830144;
          }
          if (flags & 32768) {
            return 26607360;
          }
          if (flags & 65536) {
            return 42917664;
          }
          if (flags & 12288) {
            return strictNullChecks ? 7925520 : 16772880;
          }
          if (flags & 67108864) {
            return strictNullChecks ? 7888800 : 16736160;
          }
          if (flags & 131072) {
            return 0;
          }
          if (flags & 1048576) {
            return reduceLeft(
              type.types,
              (facts, t) => facts | getTypeFactsWorker(t, callerOnlyNeeds),
              0
              /* None */
            );
          }
          if (flags & 2097152) {
            return getIntersectionTypeFacts(type, callerOnlyNeeds);
          }
          return 83886079;
        }
        function getIntersectionTypeFacts(type, callerOnlyNeeds) {
          const ignoreObjects = maybeTypeOfKind(
            type,
            402784252
            /* Primitive */
          );
          let oredFacts = 0;
          let andedFacts = 134217727;
          for (const t of type.types) {
            if (!(ignoreObjects && t.flags & 524288)) {
              const f = getTypeFactsWorker(t, callerOnlyNeeds);
              oredFacts |= f;
              andedFacts &= f;
            }
          }
          return oredFacts & 8256 | andedFacts & 134209471;
        }
        function getTypeWithFacts(type, include) {
          return filterType(type, (t) => hasTypeFacts(t, include));
        }
        function getAdjustedTypeWithFacts(type, facts) {
          const reduced = recombineUnknownType(getTypeWithFacts(strictNullChecks && type.flags & 2 ? unknownUnionType : type, facts));
          if (strictNullChecks) {
            switch (facts) {
              case 524288:
                return removeNullableByIntersection(reduced, 65536, 131072, 33554432, nullType2);
              case 1048576:
                return removeNullableByIntersection(reduced, 131072, 65536, 16777216, undefinedType2);
              case 2097152:
              case 4194304:
                return mapType2(reduced, (t) => hasTypeFacts(
                  t,
                  262144
                  /* EQUndefinedOrNull */
                ) ? getGlobalNonNullableTypeInstantiation(t) : t);
            }
          }
          return reduced;
        }
        function removeNullableByIntersection(type, targetFacts, otherFacts, otherIncludesFacts, otherType) {
          const facts = getTypeFacts(
            type,
            65536 | 131072 | 16777216 | 33554432
            /* IsNull */
          );
          if (!(facts & targetFacts)) {
            return type;
          }
          const emptyAndOtherUnion = getUnionType([emptyObjectType, otherType]);
          return mapType2(type, (t) => hasTypeFacts(t, targetFacts) ? getIntersectionType([t, !(facts & otherIncludesFacts) && hasTypeFacts(t, otherFacts) ? emptyAndOtherUnion : emptyObjectType]) : t);
        }
        function recombineUnknownType(type) {
          return type === unknownUnionType ? unknownType2 : type;
        }
        function getTypeWithDefault(type, defaultExpression) {
          return defaultExpression ? getUnionType([getNonUndefinedType(type), getTypeOfExpression(defaultExpression)]) : type;
        }
        function getTypeOfDestructuredProperty(type, name) {
          var _a;
          const nameType = getLiteralTypeFromPropertyName(name);
          if (!isTypeUsableAsPropertyName(nameType)) return errorType;
          const text = getPropertyNameFromType(nameType);
          return getTypeOfPropertyOfType(type, text) || includeUndefinedInIndexSignature((_a = getApplicableIndexInfoForName(type, text)) == null ? void 0 : _a.type) || errorType;
        }
        function getTypeOfDestructuredArrayElement(type, index) {
          return everyType(type, isTupleLikeType) && getTupleElementType(type, index) || includeUndefinedInIndexSignature(checkIteratedTypeOrElementType(
            65,
            type,
            undefinedType2,
            /*errorNode*/
            void 0
          )) || errorType;
        }
        function includeUndefinedInIndexSignature(type) {
          if (!type) return type;
          return compilerOptions.noUncheckedIndexedAccess ? getUnionType([type, missingType]) : type;
        }
        function getTypeOfDestructuredSpreadExpression(type) {
          return createArrayType(checkIteratedTypeOrElementType(
            65,
            type,
            undefinedType2,
            /*errorNode*/
            void 0
          ) || errorType);
        }
        function getAssignedTypeOfBinaryExpression(node) {
          const isDestructuringDefaultAssignment = node.parent.kind === 209 && isDestructuringAssignmentTarget(node.parent) || node.parent.kind === 303 && isDestructuringAssignmentTarget(node.parent.parent);
          return isDestructuringDefaultAssignment ? getTypeWithDefault(getAssignedType(node), node.right) : getTypeOfExpression(node.right);
        }
        function isDestructuringAssignmentTarget(parent2) {
          return parent2.parent.kind === 226 && parent2.parent.left === parent2 || parent2.parent.kind === 250 && parent2.parent.initializer === parent2;
        }
        function getAssignedTypeOfArrayLiteralElement(node, element) {
          return getTypeOfDestructuredArrayElement(getAssignedType(node), node.elements.indexOf(element));
        }
        function getAssignedTypeOfSpreadExpression(node) {
          return getTypeOfDestructuredSpreadExpression(getAssignedType(node.parent));
        }
        function getAssignedTypeOfPropertyAssignment(node) {
          return getTypeOfDestructuredProperty(getAssignedType(node.parent), node.name);
        }
        function getAssignedTypeOfShorthandPropertyAssignment(node) {
          return getTypeWithDefault(getAssignedTypeOfPropertyAssignment(node), node.objectAssignmentInitializer);
        }
        function getAssignedType(node) {
          const { parent: parent2 } = node;
          switch (parent2.kind) {
            case 249:
              return stringType2;
            case 250:
              return checkRightHandSideOfForOf(parent2) || errorType;
            case 226:
              return getAssignedTypeOfBinaryExpression(parent2);
            case 220:
              return undefinedType2;
            case 209:
              return getAssignedTypeOfArrayLiteralElement(parent2, node);
            case 230:
              return getAssignedTypeOfSpreadExpression(parent2);
            case 303:
              return getAssignedTypeOfPropertyAssignment(parent2);
            case 304:
              return getAssignedTypeOfShorthandPropertyAssignment(parent2);
          }
          return errorType;
        }
        function getInitialTypeOfBindingElement(node) {
          const pattern = node.parent;
          const parentType = getInitialType(pattern.parent);
          const type = pattern.kind === 206 ? getTypeOfDestructuredProperty(parentType, node.propertyName || node.name) : !node.dotDotDotToken ? getTypeOfDestructuredArrayElement(parentType, pattern.elements.indexOf(node)) : getTypeOfDestructuredSpreadExpression(parentType);
          return getTypeWithDefault(type, node.initializer);
        }
        function getTypeOfInitializer(node) {
          const links = getNodeLinks(node);
          return links.resolvedType || getTypeOfExpression(node);
        }
        function getInitialTypeOfVariableDeclaration(node) {
          if (node.initializer) {
            return getTypeOfInitializer(node.initializer);
          }
          if (node.parent.parent.kind === 249) {
            return stringType2;
          }
          if (node.parent.parent.kind === 250) {
            return checkRightHandSideOfForOf(node.parent.parent) || errorType;
          }
          return errorType;
        }
        function getInitialType(node) {
          return node.kind === 260 ? getInitialTypeOfVariableDeclaration(node) : getInitialTypeOfBindingElement(node);
        }
        function isEmptyArrayAssignment(node) {
          return node.kind === 260 && node.initializer && isEmptyArrayLiteral2(node.initializer) || node.kind !== 208 && node.parent.kind === 226 && isEmptyArrayLiteral2(node.parent.right);
        }
        function getReferenceCandidate(node) {
          switch (node.kind) {
            case 217:
              return getReferenceCandidate(node.expression);
            case 226:
              switch (node.operatorToken.kind) {
                case 64:
                case 76:
                case 77:
                case 78:
                  return getReferenceCandidate(node.left);
                case 28:
                  return getReferenceCandidate(node.right);
              }
          }
          return node;
        }
        function getReferenceRoot(node) {
          const { parent: parent2 } = node;
          return parent2.kind === 217 || parent2.kind === 226 && parent2.operatorToken.kind === 64 && parent2.left === node || parent2.kind === 226 && parent2.operatorToken.kind === 28 && parent2.right === node ? getReferenceRoot(parent2) : node;
        }
        function getTypeOfSwitchClause(clause) {
          if (clause.kind === 296) {
            return getRegularTypeOfLiteralType(getTypeOfExpression(clause.expression));
          }
          return neverType2;
        }
        function getSwitchClauseTypes(switchStatement) {
          const links = getNodeLinks(switchStatement);
          if (!links.switchTypes) {
            links.switchTypes = [];
            for (const clause of switchStatement.caseBlock.clauses) {
              links.switchTypes.push(getTypeOfSwitchClause(clause));
            }
          }
          return links.switchTypes;
        }
        function getSwitchClauseTypeOfWitnesses(switchStatement) {
          if (some(switchStatement.caseBlock.clauses, (clause) => clause.kind === 296 && !isStringLiteralLike(clause.expression))) {
            return void 0;
          }
          const witnesses = [];
          for (const clause of switchStatement.caseBlock.clauses) {
            const text = clause.kind === 296 ? clause.expression.text : void 0;
            witnesses.push(text && !contains(witnesses, text) ? text : void 0);
          }
          return witnesses;
        }
        function eachTypeContainedIn(source, types) {
          return source.flags & 1048576 ? !forEach(source.types, (t) => !contains(types, t)) : contains(types, source);
        }
        function isTypeSubsetOf(source, target) {
          return !!(source === target || source.flags & 131072 || target.flags & 1048576 && isTypeSubsetOfUnion(source, target));
        }
        function isTypeSubsetOfUnion(source, target) {
          if (source.flags & 1048576) {
            for (const t of source.types) {
              if (!containsType(target.types, t)) {
                return false;
              }
            }
            return true;
          }
          if (source.flags & 1056 && getBaseTypeOfEnumLikeType(source) === target) {
            return true;
          }
          return containsType(target.types, source);
        }
        function forEachType(type, f) {
          return type.flags & 1048576 ? forEach(type.types, f) : f(type);
        }
        function someType(type, f) {
          return type.flags & 1048576 ? some(type.types, f) : f(type);
        }
        function everyType(type, f) {
          return type.flags & 1048576 ? every(type.types, f) : f(type);
        }
        function everyContainedType(type, f) {
          return type.flags & 3145728 ? every(type.types, f) : f(type);
        }
        function filterType(type, f) {
          if (type.flags & 1048576) {
            const types = type.types;
            const filtered = filter(types, f);
            if (filtered === types) {
              return type;
            }
            const origin = type.origin;
            let newOrigin;
            if (origin && origin.flags & 1048576) {
              const originTypes = origin.types;
              const originFiltered = filter(originTypes, (t) => !!(t.flags & 1048576) || f(t));
              if (originTypes.length - originFiltered.length === types.length - filtered.length) {
                if (originFiltered.length === 1) {
                  return originFiltered[0];
                }
                newOrigin = createOriginUnionOrIntersectionType(1048576, originFiltered);
              }
            }
            return getUnionTypeFromSortedList(
              filtered,
              type.objectFlags & (32768 | 16777216),
              /*aliasSymbol*/
              void 0,
              /*aliasTypeArguments*/
              void 0,
              newOrigin
            );
          }
          return type.flags & 131072 || f(type) ? type : neverType2;
        }
        function removeType(type, targetType) {
          return filterType(type, (t) => t !== targetType);
        }
        function countTypes(type) {
          return type.flags & 1048576 ? type.types.length : 1;
        }
        function mapType2(type, mapper, noReductions) {
          if (type.flags & 131072) {
            return type;
          }
          if (!(type.flags & 1048576)) {
            return mapper(type);
          }
          const origin = type.origin;
          const types = origin && origin.flags & 1048576 ? origin.types : type.types;
          let mappedTypes;
          let changed = false;
          for (const t of types) {
            const mapped = t.flags & 1048576 ? mapType2(t, mapper, noReductions) : mapper(t);
            changed || (changed = t !== mapped);
            if (mapped) {
              if (!mappedTypes) {
                mappedTypes = [mapped];
              } else {
                mappedTypes.push(mapped);
              }
            }
          }
          return changed ? mappedTypes && getUnionType(
            mappedTypes,
            noReductions ? 0 : 1
            /* Literal */
          ) : type;
        }
        function mapTypeWithAlias(type, mapper, aliasSymbol, aliasTypeArguments) {
          return type.flags & 1048576 && aliasSymbol ? getUnionType(map(type.types, mapper), 1, aliasSymbol, aliasTypeArguments) : mapType2(type, mapper);
        }
        function extractTypesOfKind(type, kind) {
          return filterType(type, (t) => (t.flags & kind) !== 0);
        }
        function replacePrimitivesWithLiterals(typeWithPrimitives, typeWithLiterals) {
          if (maybeTypeOfKind(
            typeWithPrimitives,
            4 | 134217728 | 8 | 64
            /* BigInt */
          ) && maybeTypeOfKind(
            typeWithLiterals,
            128 | 134217728 | 268435456 | 256 | 2048
            /* BigIntLiteral */
          )) {
            return mapType2(typeWithPrimitives, (t) => t.flags & 4 ? extractTypesOfKind(
              typeWithLiterals,
              4 | 128 | 134217728 | 268435456
              /* StringMapping */
            ) : isPatternLiteralType(t) && !maybeTypeOfKind(
              typeWithLiterals,
              4 | 134217728 | 268435456
              /* StringMapping */
            ) ? extractTypesOfKind(
              typeWithLiterals,
              128
              /* StringLiteral */
            ) : t.flags & 8 ? extractTypesOfKind(
              typeWithLiterals,
              8 | 256
              /* NumberLiteral */
            ) : t.flags & 64 ? extractTypesOfKind(
              typeWithLiterals,
              64 | 2048
              /* BigIntLiteral */
            ) : t);
          }
          return typeWithPrimitives;
        }
        function isIncomplete(flowType) {
          return flowType.flags === 0;
        }
        function getTypeFromFlowType(flowType) {
          return flowType.flags === 0 ? flowType.type : flowType;
        }
        function createFlowType(type, incomplete) {
          return incomplete ? { flags: 0, type: type.flags & 131072 ? silentNeverType : type } : type;
        }
        function createEvolvingArrayType(elementType) {
          const result = createObjectType(
            256
            /* EvolvingArray */
          );
          result.elementType = elementType;
          return result;
        }
        function getEvolvingArrayType(elementType) {
          return evolvingArrayTypes[elementType.id] || (evolvingArrayTypes[elementType.id] = createEvolvingArrayType(elementType));
        }
        function addEvolvingArrayElementType(evolvingArrayType, node) {
          const elementType = getRegularTypeOfObjectLiteral(getBaseTypeOfLiteralType(getContextFreeTypeOfExpression(node)));
          return isTypeSubsetOf(elementType, evolvingArrayType.elementType) ? evolvingArrayType : getEvolvingArrayType(getUnionType([evolvingArrayType.elementType, elementType]));
        }
        function createFinalArrayType(elementType) {
          return elementType.flags & 131072 ? autoArrayType : createArrayType(
            elementType.flags & 1048576 ? getUnionType(
              elementType.types,
              2
              /* Subtype */
            ) : elementType
          );
        }
        function getFinalArrayType(evolvingArrayType) {
          return evolvingArrayType.finalArrayType || (evolvingArrayType.finalArrayType = createFinalArrayType(evolvingArrayType.elementType));
        }
        function finalizeEvolvingArrayType(type) {
          return getObjectFlags(type) & 256 ? getFinalArrayType(type) : type;
        }
        function getElementTypeOfEvolvingArrayType(type) {
          return getObjectFlags(type) & 256 ? type.elementType : neverType2;
        }
        function isEvolvingArrayTypeList(types) {
          let hasEvolvingArrayType = false;
          for (const t of types) {
            if (!(t.flags & 131072)) {
              if (!(getObjectFlags(t) & 256)) {
                return false;
              }
              hasEvolvingArrayType = true;
            }
          }
          return hasEvolvingArrayType;
        }
        function isEvolvingArrayOperationTarget(node) {
          const root2 = getReferenceRoot(node);
          const parent2 = root2.parent;
          const isLengthPushOrUnshift = isPropertyAccessExpression(parent2) && (parent2.name.escapedText === "length" || parent2.parent.kind === 213 && isIdentifier(parent2.name) && isPushOrUnshiftIdentifier(parent2.name));
          const isElementAssignment = parent2.kind === 212 && parent2.expression === root2 && parent2.parent.kind === 226 && parent2.parent.operatorToken.kind === 64 && parent2.parent.left === parent2 && !isAssignmentTarget(parent2.parent) && isTypeAssignableToKind(
            getTypeOfExpression(parent2.argumentExpression),
            296
            /* NumberLike */
          );
          return isLengthPushOrUnshift || isElementAssignment;
        }
        function isDeclarationWithExplicitTypeAnnotation(node) {
          return (isVariableDeclaration(node) || isPropertyDeclaration(node) || isPropertySignature(node) || isParameter(node)) && !!(getEffectiveTypeAnnotationNode(node) || isInJSFile(node) && hasInitializer(node) && node.initializer && isFunctionExpressionOrArrowFunction(node.initializer) && getEffectiveReturnTypeNode(node.initializer));
        }
        function getExplicitTypeOfSymbol(symbol, diagnostic) {
          symbol = resolveSymbol(symbol);
          if (symbol.flags & (16 | 8192 | 32 | 512)) {
            return getTypeOfSymbol(symbol);
          }
          if (symbol.flags & (3 | 4)) {
            if (getCheckFlags(symbol) & 262144) {
              const origin = symbol.links.syntheticOrigin;
              if (origin && getExplicitTypeOfSymbol(origin)) {
                return getTypeOfSymbol(symbol);
              }
            }
            const declaration = symbol.valueDeclaration;
            if (declaration) {
              if (isDeclarationWithExplicitTypeAnnotation(declaration)) {
                return getTypeOfSymbol(symbol);
              }
              if (isVariableDeclaration(declaration) && declaration.parent.parent.kind === 250) {
                const statement = declaration.parent.parent;
                const expressionType = getTypeOfDottedName(
                  statement.expression,
                  /*diagnostic*/
                  void 0
                );
                if (expressionType) {
                  const use = statement.awaitModifier ? 15 : 13;
                  return checkIteratedTypeOrElementType(
                    use,
                    expressionType,
                    undefinedType2,
                    /*errorNode*/
                    void 0
                  );
                }
              }
              if (diagnostic) {
                addRelatedInfo(diagnostic, createDiagnosticForNode(declaration, Diagnostics._0_needs_an_explicit_type_annotation, symbolToString2(symbol)));
              }
            }
          }
        }
        function getTypeOfDottedName(node, diagnostic) {
          if (!(node.flags & 67108864)) {
            switch (node.kind) {
              case 80:
                const symbol = getExportSymbolOfValueSymbolIfExported(getResolvedSymbol(node));
                return getExplicitTypeOfSymbol(symbol, diagnostic);
              case 110:
                return getExplicitThisType(node);
              case 108:
                return checkSuperExpression(node);
              case 211: {
                const type = getTypeOfDottedName(node.expression, diagnostic);
                if (type) {
                  const name = node.name;
                  let prop;
                  if (isPrivateIdentifier(name)) {
                    if (!type.symbol) {
                      return void 0;
                    }
                    prop = getPropertyOfType(type, getSymbolNameForPrivateIdentifier(type.symbol, name.escapedText));
                  } else {
                    prop = getPropertyOfType(type, name.escapedText);
                  }
                  return prop && getExplicitTypeOfSymbol(prop, diagnostic);
                }
                return void 0;
              }
              case 217:
                return getTypeOfDottedName(node.expression, diagnostic);
            }
          }
        }
        function getEffectsSignature(node) {
          const links = getNodeLinks(node);
          let signature = links.effectsSignature;
          if (signature === void 0) {
            let funcType;
            if (isBinaryExpression(node)) {
              const rightType = checkNonNullExpression(node.right);
              funcType = getSymbolHasInstanceMethodOfObjectType(rightType);
            } else if (node.parent.kind === 244) {
              funcType = getTypeOfDottedName(
                node.expression,
                /*diagnostic*/
                void 0
              );
            } else if (node.expression.kind !== 108) {
              if (isOptionalChain(node)) {
                funcType = checkNonNullType(
                  getOptionalExpressionType(checkExpression(node.expression), node.expression),
                  node.expression
                );
              } else {
                funcType = checkNonNullExpression(node.expression);
              }
            }
            const signatures = getSignaturesOfType(
              funcType && getApparentType(funcType) || unknownType2,
              0
              /* Call */
            );
            const candidate = signatures.length === 1 && !signatures[0].typeParameters ? signatures[0] : some(signatures, hasTypePredicateOrNeverReturnType) ? getResolvedSignature(node) : void 0;
            signature = links.effectsSignature = candidate && hasTypePredicateOrNeverReturnType(candidate) ? candidate : unknownSignature;
          }
          return signature === unknownSignature ? void 0 : signature;
        }
        function hasTypePredicateOrNeverReturnType(signature) {
          return !!(getTypePredicateOfSignature(signature) || signature.declaration && (getReturnTypeFromAnnotation(signature.declaration) || unknownType2).flags & 131072);
        }
        function getTypePredicateArgument(predicate, callExpression) {
          if (predicate.kind === 1 || predicate.kind === 3) {
            return callExpression.arguments[predicate.parameterIndex];
          }
          const invokedExpression = skipParentheses(callExpression.expression);
          return isAccessExpression(invokedExpression) ? skipParentheses(invokedExpression.expression) : void 0;
        }
        function reportFlowControlError(node) {
          const block = findAncestor(node, isFunctionOrModuleBlock);
          const sourceFile = getSourceFileOfNode(node);
          const span = getSpanOfTokenAtPosition(sourceFile, block.statements.pos);
          diagnostics.add(createFileDiagnostic(sourceFile, span.start, span.length, Diagnostics.The_containing_function_or_module_body_is_too_large_for_control_flow_analysis));
        }
        function isReachableFlowNode(flow) {
          const result = isReachableFlowNodeWorker(
            flow,
            /*noCacheCheck*/
            false
          );
          lastFlowNode = flow;
          lastFlowNodeReachable = result;
          return result;
        }
        function isFalseExpression(expr) {
          const node = skipParentheses(
            expr,
            /*excludeJSDocTypeAssertions*/
            true
          );
          return node.kind === 97 || node.kind === 226 && (node.operatorToken.kind === 56 && (isFalseExpression(node.left) || isFalseExpression(node.right)) || node.operatorToken.kind === 57 && isFalseExpression(node.left) && isFalseExpression(node.right));
        }
        function isReachableFlowNodeWorker(flow, noCacheCheck) {
          while (true) {
            if (flow === lastFlowNode) {
              return lastFlowNodeReachable;
            }
            const flags = flow.flags;
            if (flags & 4096) {
              if (!noCacheCheck) {
                const id = getFlowNodeId(flow);
                const reachable = flowNodeReachable[id];
                return reachable !== void 0 ? reachable : flowNodeReachable[id] = isReachableFlowNodeWorker(
                  flow,
                  /*noCacheCheck*/
                  true
                );
              }
              noCacheCheck = false;
            }
            if (flags & (16 | 96 | 256)) {
              flow = flow.antecedent;
            } else if (flags & 512) {
              const signature = getEffectsSignature(flow.node);
              if (signature) {
                const predicate = getTypePredicateOfSignature(signature);
                if (predicate && predicate.kind === 3 && !predicate.type) {
                  const predicateArgument = flow.node.arguments[predicate.parameterIndex];
                  if (predicateArgument && isFalseExpression(predicateArgument)) {
                    return false;
                  }
                }
                if (getReturnTypeOfSignature(signature).flags & 131072) {
                  return false;
                }
              }
              flow = flow.antecedent;
            } else if (flags & 4) {
              return some(flow.antecedent, (f) => isReachableFlowNodeWorker(
                f,
                /*noCacheCheck*/
                false
              ));
            } else if (flags & 8) {
              const antecedents = flow.antecedent;
              if (antecedents === void 0 || antecedents.length === 0) {
                return false;
              }
              flow = antecedents[0];
            } else if (flags & 128) {
              const data = flow.node;
              if (data.clauseStart === data.clauseEnd && isExhaustiveSwitchStatement(data.switchStatement)) {
                return false;
              }
              flow = flow.antecedent;
            } else if (flags & 1024) {
              lastFlowNode = void 0;
              const target = flow.node.target;
              const saveAntecedents = target.antecedent;
              target.antecedent = flow.node.antecedents;
              const result = isReachableFlowNodeWorker(
                flow.antecedent,
                /*noCacheCheck*/
                false
              );
              target.antecedent = saveAntecedents;
              return result;
            } else {
              return !(flags & 1);
            }
          }
        }
        function isPostSuperFlowNode(flow, noCacheCheck) {
          while (true) {
            const flags = flow.flags;
            if (flags & 4096) {
              if (!noCacheCheck) {
                const id = getFlowNodeId(flow);
                const postSuper = flowNodePostSuper[id];
                return postSuper !== void 0 ? postSuper : flowNodePostSuper[id] = isPostSuperFlowNode(
                  flow,
                  /*noCacheCheck*/
                  true
                );
              }
              noCacheCheck = false;
            }
            if (flags & (16 | 96 | 256 | 128)) {
              flow = flow.antecedent;
            } else if (flags & 512) {
              if (flow.node.expression.kind === 108) {
                return true;
              }
              flow = flow.antecedent;
            } else if (flags & 4) {
              return every(flow.antecedent, (f) => isPostSuperFlowNode(
                f,
                /*noCacheCheck*/
                false
              ));
            } else if (flags & 8) {
              flow = flow.antecedent[0];
            } else if (flags & 1024) {
              const target = flow.node.target;
              const saveAntecedents = target.antecedent;
              target.antecedent = flow.node.antecedents;
              const result = isPostSuperFlowNode(
                flow.antecedent,
                /*noCacheCheck*/
                false
              );
              target.antecedent = saveAntecedents;
              return result;
            } else {
              return !!(flags & 1);
            }
          }
        }
        function isConstantReference(node) {
          switch (node.kind) {
            case 110:
              return true;
            case 80:
              if (!isThisInTypeQuery(node)) {
                const symbol = getResolvedSymbol(node);
                return isConstantVariable(symbol) || isParameterOrMutableLocalVariable(symbol) && !isSymbolAssigned(symbol) || !!symbol.valueDeclaration && isFunctionExpression(symbol.valueDeclaration);
              }
              break;
            case 211:
            case 212:
              return isConstantReference(node.expression) && isReadonlySymbol(getNodeLinks(node).resolvedSymbol || unknownSymbol);
            case 206:
            case 207:
              const rootDeclaration = getRootDeclaration(node.parent);
              return isParameter(rootDeclaration) || isCatchClauseVariableDeclaration(rootDeclaration) ? !isSomeSymbolAssigned(rootDeclaration) : isVariableDeclaration(rootDeclaration) && isVarConstLike2(rootDeclaration);
          }
          return false;
        }
        function getFlowTypeOfReference(reference, declaredType, initialType = declaredType, flowContainer, flowNode = ((_a) => (_a = tryCast(reference, canHaveFlowNode)) == null ? void 0 : _a.flowNode)()) {
          let key;
          let isKeySet = false;
          let flowDepth = 0;
          if (flowAnalysisDisabled) {
            return errorType;
          }
          if (!flowNode) {
            return declaredType;
          }
          flowInvocationCount++;
          const sharedFlowStart = sharedFlowCount;
          const evolvedType = getTypeFromFlowType(getTypeAtFlowNode(flowNode));
          sharedFlowCount = sharedFlowStart;
          const resultType = getObjectFlags(evolvedType) & 256 && isEvolvingArrayOperationTarget(reference) ? autoArrayType : finalizeEvolvingArrayType(evolvedType);
          if (resultType === unreachableNeverType || reference.parent && reference.parent.kind === 235 && !(resultType.flags & 131072) && getTypeWithFacts(
            resultType,
            2097152
            /* NEUndefinedOrNull */
          ).flags & 131072) {
            return declaredType;
          }
          return resultType;
          function getOrSetCacheKey() {
            if (isKeySet) {
              return key;
            }
            isKeySet = true;
            return key = getFlowCacheKey(reference, declaredType, initialType, flowContainer);
          }
          function getTypeAtFlowNode(flow) {
            var _a2;
            if (flowDepth === 2e3) {
              (_a2 = tracing) == null ? void 0 : _a2.instant(tracing.Phase.CheckTypes, "getTypeAtFlowNode_DepthLimit", { flowId: flow.id });
              flowAnalysisDisabled = true;
              reportFlowControlError(reference);
              return errorType;
            }
            flowDepth++;
            let sharedFlow;
            while (true) {
              const flags = flow.flags;
              if (flags & 4096) {
                for (let i = sharedFlowStart; i < sharedFlowCount; i++) {
                  if (sharedFlowNodes[i] === flow) {
                    flowDepth--;
                    return sharedFlowTypes[i];
                  }
                }
                sharedFlow = flow;
              }
              let type;
              if (flags & 16) {
                type = getTypeAtFlowAssignment(flow);
                if (!type) {
                  flow = flow.antecedent;
                  continue;
                }
              } else if (flags & 512) {
                type = getTypeAtFlowCall(flow);
                if (!type) {
                  flow = flow.antecedent;
                  continue;
                }
              } else if (flags & 96) {
                type = getTypeAtFlowCondition(flow);
              } else if (flags & 128) {
                type = getTypeAtSwitchClause(flow);
              } else if (flags & 12) {
                if (flow.antecedent.length === 1) {
                  flow = flow.antecedent[0];
                  continue;
                }
                type = flags & 4 ? getTypeAtFlowBranchLabel(flow) : getTypeAtFlowLoopLabel(flow);
              } else if (flags & 256) {
                type = getTypeAtFlowArrayMutation(flow);
                if (!type) {
                  flow = flow.antecedent;
                  continue;
                }
              } else if (flags & 1024) {
                const target = flow.node.target;
                const saveAntecedents = target.antecedent;
                target.antecedent = flow.node.antecedents;
                type = getTypeAtFlowNode(flow.antecedent);
                target.antecedent = saveAntecedents;
              } else if (flags & 2) {
                const container = flow.node;
                if (container && container !== flowContainer && reference.kind !== 211 && reference.kind !== 212 && !(reference.kind === 110 && container.kind !== 219)) {
                  flow = container.flowNode;
                  continue;
                }
                type = initialType;
              } else {
                type = convertAutoToAny(declaredType);
              }
              if (sharedFlow) {
                sharedFlowNodes[sharedFlowCount] = sharedFlow;
                sharedFlowTypes[sharedFlowCount] = type;
                sharedFlowCount++;
              }
              flowDepth--;
              return type;
            }
          }
          function getInitialOrAssignedType(flow) {
            const node = flow.node;
            return getNarrowableTypeForReference(
              node.kind === 260 || node.kind === 208 ? getInitialType(node) : getAssignedType(node),
              reference
            );
          }
          function getTypeAtFlowAssignment(flow) {
            const node = flow.node;
            if (isMatchingReference(reference, node)) {
              if (!isReachableFlowNode(flow)) {
                return unreachableNeverType;
              }
              if (getAssignmentTargetKind(node) === 2) {
                const flowType = getTypeAtFlowNode(flow.antecedent);
                return createFlowType(getBaseTypeOfLiteralType(getTypeFromFlowType(flowType)), isIncomplete(flowType));
              }
              if (declaredType === autoType || declaredType === autoArrayType) {
                if (isEmptyArrayAssignment(node)) {
                  return getEvolvingArrayType(neverType2);
                }
                const assignedType = getWidenedLiteralType(getInitialOrAssignedType(flow));
                return isTypeAssignableTo(assignedType, declaredType) ? assignedType : anyArrayType;
              }
              const t = isInCompoundLikeAssignment(node) ? getBaseTypeOfLiteralType(declaredType) : declaredType;
              if (t.flags & 1048576) {
                return getAssignmentReducedType(t, getInitialOrAssignedType(flow));
              }
              return t;
            }
            if (containsMatchingReference(reference, node)) {
              if (!isReachableFlowNode(flow)) {
                return unreachableNeverType;
              }
              if (isVariableDeclaration(node) && (isInJSFile(node) || isVarConstLike2(node))) {
                const init = getDeclaredExpandoInitializer(node);
                if (init && (init.kind === 218 || init.kind === 219)) {
                  return getTypeAtFlowNode(flow.antecedent);
                }
              }
              return declaredType;
            }
            if (isVariableDeclaration(node) && node.parent.parent.kind === 249 && (isMatchingReference(reference, node.parent.parent.expression) || optionalChainContainsReference(node.parent.parent.expression, reference))) {
              return getNonNullableTypeIfNeeded(finalizeEvolvingArrayType(getTypeFromFlowType(getTypeAtFlowNode(flow.antecedent))));
            }
            return void 0;
          }
          function narrowTypeByAssertion(type, expr) {
            const node = skipParentheses(
              expr,
              /*excludeJSDocTypeAssertions*/
              true
            );
            if (node.kind === 97) {
              return unreachableNeverType;
            }
            if (node.kind === 226) {
              if (node.operatorToken.kind === 56) {
                return narrowTypeByAssertion(narrowTypeByAssertion(type, node.left), node.right);
              }
              if (node.operatorToken.kind === 57) {
                return getUnionType([narrowTypeByAssertion(type, node.left), narrowTypeByAssertion(type, node.right)]);
              }
            }
            return narrowType(
              type,
              node,
              /*assumeTrue*/
              true
            );
          }
          function getTypeAtFlowCall(flow) {
            const signature = getEffectsSignature(flow.node);
            if (signature) {
              const predicate = getTypePredicateOfSignature(signature);
              if (predicate && (predicate.kind === 2 || predicate.kind === 3)) {
                const flowType = getTypeAtFlowNode(flow.antecedent);
                const type = finalizeEvolvingArrayType(getTypeFromFlowType(flowType));
                const narrowedType = predicate.type ? narrowTypeByTypePredicate(
                  type,
                  predicate,
                  flow.node,
                  /*assumeTrue*/
                  true
                ) : predicate.kind === 3 && predicate.parameterIndex >= 0 && predicate.parameterIndex < flow.node.arguments.length ? narrowTypeByAssertion(type, flow.node.arguments[predicate.parameterIndex]) : type;
                return narrowedType === type ? flowType : createFlowType(narrowedType, isIncomplete(flowType));
              }
              if (getReturnTypeOfSignature(signature).flags & 131072) {
                return unreachableNeverType;
              }
            }
            return void 0;
          }
          function getTypeAtFlowArrayMutation(flow) {
            if (declaredType === autoType || declaredType === autoArrayType) {
              const node = flow.node;
              const expr = node.kind === 213 ? node.expression.expression : node.left.expression;
              if (isMatchingReference(reference, getReferenceCandidate(expr))) {
                const flowType = getTypeAtFlowNode(flow.antecedent);
                const type = getTypeFromFlowType(flowType);
                if (getObjectFlags(type) & 256) {
                  let evolvedType2 = type;
                  if (node.kind === 213) {
                    for (const arg of node.arguments) {
                      evolvedType2 = addEvolvingArrayElementType(evolvedType2, arg);
                    }
                  } else {
                    const indexType = getContextFreeTypeOfExpression(node.left.argumentExpression);
                    if (isTypeAssignableToKind(
                      indexType,
                      296
                      /* NumberLike */
                    )) {
                      evolvedType2 = addEvolvingArrayElementType(evolvedType2, node.right);
                    }
                  }
                  return evolvedType2 === type ? flowType : createFlowType(evolvedType2, isIncomplete(flowType));
                }
                return flowType;
              }
            }
            return void 0;
          }
          function getTypeAtFlowCondition(flow) {
            const flowType = getTypeAtFlowNode(flow.antecedent);
            const type = getTypeFromFlowType(flowType);
            if (type.flags & 131072) {
              return flowType;
            }
            const assumeTrue = (flow.flags & 32) !== 0;
            const nonEvolvingType = finalizeEvolvingArrayType(type);
            const narrowedType = narrowType(nonEvolvingType, flow.node, assumeTrue);
            if (narrowedType === nonEvolvingType) {
              return flowType;
            }
            return createFlowType(narrowedType, isIncomplete(flowType));
          }
          function getTypeAtSwitchClause(flow) {
            const expr = skipParentheses(flow.node.switchStatement.expression);
            const flowType = getTypeAtFlowNode(flow.antecedent);
            let type = getTypeFromFlowType(flowType);
            if (isMatchingReference(reference, expr)) {
              type = narrowTypeBySwitchOnDiscriminant(type, flow.node);
            } else if (expr.kind === 221 && isMatchingReference(reference, expr.expression)) {
              type = narrowTypeBySwitchOnTypeOf(type, flow.node);
            } else if (expr.kind === 112) {
              type = narrowTypeBySwitchOnTrue(type, flow.node);
            } else {
              if (strictNullChecks) {
                if (optionalChainContainsReference(expr, reference)) {
                  type = narrowTypeBySwitchOptionalChainContainment(type, flow.node, (t) => !(t.flags & (32768 | 131072)));
                } else if (expr.kind === 221 && optionalChainContainsReference(expr.expression, reference)) {
                  type = narrowTypeBySwitchOptionalChainContainment(type, flow.node, (t) => !(t.flags & 131072 || t.flags & 128 && t.value === "undefined"));
                }
              }
              const access = getDiscriminantPropertyAccess(expr, type);
              if (access) {
                type = narrowTypeBySwitchOnDiscriminantProperty(type, access, flow.node);
              }
            }
            return createFlowType(type, isIncomplete(flowType));
          }
          function getTypeAtFlowBranchLabel(flow) {
            const antecedentTypes = [];
            let subtypeReduction = false;
            let seenIncomplete = false;
            let bypassFlow;
            for (const antecedent of flow.antecedent) {
              if (!bypassFlow && antecedent.flags & 128 && antecedent.node.clauseStart === antecedent.node.clauseEnd) {
                bypassFlow = antecedent;
                continue;
              }
              const flowType = getTypeAtFlowNode(antecedent);
              const type = getTypeFromFlowType(flowType);
              if (type === declaredType && declaredType === initialType) {
                return type;
              }
              pushIfUnique(antecedentTypes, type);
              if (!isTypeSubsetOf(type, initialType)) {
                subtypeReduction = true;
              }
              if (isIncomplete(flowType)) {
                seenIncomplete = true;
              }
            }
            if (bypassFlow) {
              const flowType = getTypeAtFlowNode(bypassFlow);
              const type = getTypeFromFlowType(flowType);
              if (!(type.flags & 131072) && !contains(antecedentTypes, type) && !isExhaustiveSwitchStatement(bypassFlow.node.switchStatement)) {
                if (type === declaredType && declaredType === initialType) {
                  return type;
                }
                antecedentTypes.push(type);
                if (!isTypeSubsetOf(type, initialType)) {
                  subtypeReduction = true;
                }
                if (isIncomplete(flowType)) {
                  seenIncomplete = true;
                }
              }
            }
            return createFlowType(getUnionOrEvolvingArrayType(
              antecedentTypes,
              subtypeReduction ? 2 : 1
              /* Literal */
            ), seenIncomplete);
          }
          function getTypeAtFlowLoopLabel(flow) {
            const id = getFlowNodeId(flow);
            const cache = flowLoopCaches[id] || (flowLoopCaches[id] = /* @__PURE__ */ new Map());
            const key2 = getOrSetCacheKey();
            if (!key2) {
              return declaredType;
            }
            const cached = cache.get(key2);
            if (cached) {
              return cached;
            }
            for (let i = flowLoopStart; i < flowLoopCount; i++) {
              if (flowLoopNodes[i] === flow && flowLoopKeys[i] === key2 && flowLoopTypes[i].length) {
                return createFlowType(
                  getUnionOrEvolvingArrayType(
                    flowLoopTypes[i],
                    1
                    /* Literal */
                  ),
                  /*incomplete*/
                  true
                );
              }
            }
            const antecedentTypes = [];
            let subtypeReduction = false;
            let firstAntecedentType;
            for (const antecedent of flow.antecedent) {
              let flowType;
              if (!firstAntecedentType) {
                flowType = firstAntecedentType = getTypeAtFlowNode(antecedent);
              } else {
                flowLoopNodes[flowLoopCount] = flow;
                flowLoopKeys[flowLoopCount] = key2;
                flowLoopTypes[flowLoopCount] = antecedentTypes;
                flowLoopCount++;
                const saveFlowTypeCache = flowTypeCache;
                flowTypeCache = void 0;
                flowType = getTypeAtFlowNode(antecedent);
                flowTypeCache = saveFlowTypeCache;
                flowLoopCount--;
                const cached2 = cache.get(key2);
                if (cached2) {
                  return cached2;
                }
              }
              const type = getTypeFromFlowType(flowType);
              pushIfUnique(antecedentTypes, type);
              if (!isTypeSubsetOf(type, initialType)) {
                subtypeReduction = true;
              }
              if (type === declaredType) {
                break;
              }
            }
            const result = getUnionOrEvolvingArrayType(
              antecedentTypes,
              subtypeReduction ? 2 : 1
              /* Literal */
            );
            if (isIncomplete(firstAntecedentType)) {
              return createFlowType(
                result,
                /*incomplete*/
                true
              );
            }
            cache.set(key2, result);
            return result;
          }
          function getUnionOrEvolvingArrayType(types, subtypeReduction) {
            if (isEvolvingArrayTypeList(types)) {
              return getEvolvingArrayType(getUnionType(map(types, getElementTypeOfEvolvingArrayType)));
            }
            const result = recombineUnknownType(getUnionType(sameMap(types, finalizeEvolvingArrayType), subtypeReduction));
            if (result !== declaredType && result.flags & declaredType.flags & 1048576 && arraysEqual(result.types, declaredType.types)) {
              return declaredType;
            }
            return result;
          }
          function getCandidateDiscriminantPropertyAccess(expr) {
            if (isBindingPattern(reference) || isFunctionExpressionOrArrowFunction(reference) || isObjectLiteralMethod(reference)) {
              if (isIdentifier(expr)) {
                const symbol = getResolvedSymbol(expr);
                const declaration = symbol.valueDeclaration;
                if (declaration && (isBindingElement(declaration) || isParameter(declaration)) && reference === declaration.parent && !declaration.initializer && !declaration.dotDotDotToken) {
                  return declaration;
                }
              }
            } else if (isAccessExpression(expr)) {
              if (isMatchingReference(reference, expr.expression)) {
                return expr;
              }
            } else if (isIdentifier(expr)) {
              const symbol = getResolvedSymbol(expr);
              if (isConstantVariable(symbol)) {
                const declaration = symbol.valueDeclaration;
                if (isVariableDeclaration(declaration) && !declaration.type && declaration.initializer && isAccessExpression(declaration.initializer) && isMatchingReference(reference, declaration.initializer.expression)) {
                  return declaration.initializer;
                }
                if (isBindingElement(declaration) && !declaration.initializer) {
                  const parent2 = declaration.parent.parent;
                  if (isVariableDeclaration(parent2) && !parent2.type && parent2.initializer && (isIdentifier(parent2.initializer) || isAccessExpression(parent2.initializer)) && isMatchingReference(reference, parent2.initializer)) {
                    return declaration;
                  }
                }
              }
            }
            return void 0;
          }
          function getDiscriminantPropertyAccess(expr, computedType) {
            if (declaredType.flags & 1048576 || computedType.flags & 1048576) {
              const access = getCandidateDiscriminantPropertyAccess(expr);
              if (access) {
                const name = getAccessedPropertyName(access);
                if (name) {
                  const type = declaredType.flags & 1048576 && isTypeSubsetOf(computedType, declaredType) ? declaredType : computedType;
                  if (isDiscriminantProperty(type, name)) {
                    return access;
                  }
                }
              }
            }
            return void 0;
          }
          function narrowTypeByDiscriminant(type, access, narrowType2) {
            const propName = getAccessedPropertyName(access);
            if (propName === void 0) {
              return type;
            }
            const optionalChain = isOptionalChain(access);
            const removeNullable = strictNullChecks && (optionalChain || isNonNullAccess(access)) && maybeTypeOfKind(
              type,
              98304
              /* Nullable */
            );
            let propType = getTypeOfPropertyOfType(removeNullable ? getTypeWithFacts(
              type,
              2097152
              /* NEUndefinedOrNull */
            ) : type, propName);
            if (!propType) {
              return type;
            }
            propType = removeNullable && optionalChain ? getOptionalType(propType) : propType;
            const narrowedPropType = narrowType2(propType);
            return filterType(type, (t) => {
              const discriminantType = getTypeOfPropertyOrIndexSignatureOfType(t, propName) || unknownType2;
              return !(discriminantType.flags & 131072) && !(narrowedPropType.flags & 131072) && areTypesComparable(narrowedPropType, discriminantType);
            });
          }
          function narrowTypeByDiscriminantProperty(type, access, operator, value, assumeTrue) {
            if ((operator === 37 || operator === 38) && type.flags & 1048576) {
              const keyPropertyName = getKeyPropertyName(type);
              if (keyPropertyName && keyPropertyName === getAccessedPropertyName(access)) {
                const candidate = getConstituentTypeForKeyType(type, getTypeOfExpression(value));
                if (candidate) {
                  return operator === (assumeTrue ? 37 : 38) ? candidate : isUnitType(getTypeOfPropertyOfType(candidate, keyPropertyName) || unknownType2) ? removeType(type, candidate) : type;
                }
              }
            }
            return narrowTypeByDiscriminant(type, access, (t) => narrowTypeByEquality(t, operator, value, assumeTrue));
          }
          function narrowTypeBySwitchOnDiscriminantProperty(type, access, data) {
            if (data.clauseStart < data.clauseEnd && type.flags & 1048576 && getKeyPropertyName(type) === getAccessedPropertyName(access)) {
              const clauseTypes = getSwitchClauseTypes(data.switchStatement).slice(data.clauseStart, data.clauseEnd);
              const candidate = getUnionType(map(clauseTypes, (t) => getConstituentTypeForKeyType(type, t) || unknownType2));
              if (candidate !== unknownType2) {
                return candidate;
              }
            }
            return narrowTypeByDiscriminant(type, access, (t) => narrowTypeBySwitchOnDiscriminant(t, data));
          }
          function narrowTypeByTruthiness(type, expr, assumeTrue) {
            if (isMatchingReference(reference, expr)) {
              return getAdjustedTypeWithFacts(
                type,
                assumeTrue ? 4194304 : 8388608
                /* Falsy */
              );
            }
            if (strictNullChecks && assumeTrue && optionalChainContainsReference(expr, reference)) {
              type = getAdjustedTypeWithFacts(
                type,
                2097152
                /* NEUndefinedOrNull */
              );
            }
            const access = getDiscriminantPropertyAccess(expr, type);
            if (access) {
              return narrowTypeByDiscriminant(type, access, (t) => getTypeWithFacts(
                t,
                assumeTrue ? 4194304 : 8388608
                /* Falsy */
              ));
            }
            return type;
          }
          function isTypePresencePossible(type, propName, assumeTrue) {
            const prop = getPropertyOfType(type, propName);
            return prop ? !!(prop.flags & 16777216 || getCheckFlags(prop) & 48) || assumeTrue : !!getApplicableIndexInfoForName(type, propName) || !assumeTrue;
          }
          function narrowTypeByInKeyword(type, nameType, assumeTrue) {
            const name = getPropertyNameFromType(nameType);
            const isKnownProperty2 = someType(type, (t) => isTypePresencePossible(
              t,
              name,
              /*assumeTrue*/
              true
            ));
            if (isKnownProperty2) {
              return filterType(type, (t) => isTypePresencePossible(t, name, assumeTrue));
            }
            if (assumeTrue) {
              const recordSymbol = getGlobalRecordSymbol();
              if (recordSymbol) {
                return getIntersectionType([type, getTypeAliasInstantiation(recordSymbol, [nameType, unknownType2])]);
              }
            }
            return type;
          }
          function narrowTypeByBooleanComparison(type, expr, bool, operator, assumeTrue) {
            assumeTrue = assumeTrue !== (bool.kind === 112) !== (operator !== 38 && operator !== 36);
            return narrowType(type, expr, assumeTrue);
          }
          function narrowTypeByBinaryExpression(type, expr, assumeTrue) {
            switch (expr.operatorToken.kind) {
              case 64:
              case 76:
              case 77:
              case 78:
                return narrowTypeByTruthiness(narrowType(type, expr.right, assumeTrue), expr.left, assumeTrue);
              case 35:
              case 36:
              case 37:
              case 38:
                const operator = expr.operatorToken.kind;
                const left = getReferenceCandidate(expr.left);
                const right = getReferenceCandidate(expr.right);
                if (left.kind === 221 && isStringLiteralLike(right)) {
                  return narrowTypeByTypeof(type, left, operator, right, assumeTrue);
                }
                if (right.kind === 221 && isStringLiteralLike(left)) {
                  return narrowTypeByTypeof(type, right, operator, left, assumeTrue);
                }
                if (isMatchingReference(reference, left)) {
                  return narrowTypeByEquality(type, operator, right, assumeTrue);
                }
                if (isMatchingReference(reference, right)) {
                  return narrowTypeByEquality(type, operator, left, assumeTrue);
                }
                if (strictNullChecks) {
                  if (optionalChainContainsReference(left, reference)) {
                    type = narrowTypeByOptionalChainContainment(type, operator, right, assumeTrue);
                  } else if (optionalChainContainsReference(right, reference)) {
                    type = narrowTypeByOptionalChainContainment(type, operator, left, assumeTrue);
                  }
                }
                const leftAccess = getDiscriminantPropertyAccess(left, type);
                if (leftAccess) {
                  return narrowTypeByDiscriminantProperty(type, leftAccess, operator, right, assumeTrue);
                }
                const rightAccess = getDiscriminantPropertyAccess(right, type);
                if (rightAccess) {
                  return narrowTypeByDiscriminantProperty(type, rightAccess, operator, left, assumeTrue);
                }
                if (isMatchingConstructorReference(left)) {
                  return narrowTypeByConstructor(type, operator, right, assumeTrue);
                }
                if (isMatchingConstructorReference(right)) {
                  return narrowTypeByConstructor(type, operator, left, assumeTrue);
                }
                if (isBooleanLiteral(right) && !isAccessExpression(left)) {
                  return narrowTypeByBooleanComparison(type, left, right, operator, assumeTrue);
                }
                if (isBooleanLiteral(left) && !isAccessExpression(right)) {
                  return narrowTypeByBooleanComparison(type, right, left, operator, assumeTrue);
                }
                break;
              case 104:
                return narrowTypeByInstanceof(type, expr, assumeTrue);
              case 103:
                if (isPrivateIdentifier(expr.left)) {
                  return narrowTypeByPrivateIdentifierInInExpression(type, expr, assumeTrue);
                }
                const target = getReferenceCandidate(expr.right);
                if (containsMissingType(type) && isAccessExpression(reference) && isMatchingReference(reference.expression, target)) {
                  const leftType = getTypeOfExpression(expr.left);
                  if (isTypeUsableAsPropertyName(leftType) && getAccessedPropertyName(reference) === getPropertyNameFromType(leftType)) {
                    return getTypeWithFacts(
                      type,
                      assumeTrue ? 524288 : 65536
                      /* EQUndefined */
                    );
                  }
                }
                if (isMatchingReference(reference, target)) {
                  const leftType = getTypeOfExpression(expr.left);
                  if (isTypeUsableAsPropertyName(leftType)) {
                    return narrowTypeByInKeyword(type, leftType, assumeTrue);
                  }
                }
                break;
              case 28:
                return narrowType(type, expr.right, assumeTrue);
              case 56:
                return assumeTrue ? narrowType(
                  narrowType(
                    type,
                    expr.left,
                    /*assumeTrue*/
                    true
                  ),
                  expr.right,
                  /*assumeTrue*/
                  true
                ) : getUnionType([narrowType(
                  type,
                  expr.left,
                  /*assumeTrue*/
                  false
                ), narrowType(
                  type,
                  expr.right,
                  /*assumeTrue*/
                  false
                )]);
              case 57:
                return assumeTrue ? getUnionType([narrowType(
                  type,
                  expr.left,
                  /*assumeTrue*/
                  true
                ), narrowType(
                  type,
                  expr.right,
                  /*assumeTrue*/
                  true
                )]) : narrowType(
                  narrowType(
                    type,
                    expr.left,
                    /*assumeTrue*/
                    false
                  ),
                  expr.right,
                  /*assumeTrue*/
                  false
                );
            }
            return type;
          }
          function narrowTypeByPrivateIdentifierInInExpression(type, expr, assumeTrue) {
            const target = getReferenceCandidate(expr.right);
            if (!isMatchingReference(reference, target)) {
              return type;
            }
            Debug.assertNode(expr.left, isPrivateIdentifier);
            const symbol = getSymbolForPrivateIdentifierExpression(expr.left);
            if (symbol === void 0) {
              return type;
            }
            const classSymbol = symbol.parent;
            const targetType = hasStaticModifier(Debug.checkDefined(symbol.valueDeclaration, "should always have a declaration")) ? getTypeOfSymbol(classSymbol) : getDeclaredTypeOfSymbol(classSymbol);
            return getNarrowedType(
              type,
              targetType,
              assumeTrue,
              /*checkDerived*/
              true
            );
          }
          function narrowTypeByOptionalChainContainment(type, operator, value, assumeTrue) {
            const equalsOperator = operator === 35 || operator === 37;
            const nullableFlags = operator === 35 || operator === 36 ? 98304 : 32768;
            const valueType = getTypeOfExpression(value);
            const removeNullable = equalsOperator !== assumeTrue && everyType(valueType, (t) => !!(t.flags & nullableFlags)) || equalsOperator === assumeTrue && everyType(valueType, (t) => !(t.flags & (3 | nullableFlags)));
            return removeNullable ? getAdjustedTypeWithFacts(
              type,
              2097152
              /* NEUndefinedOrNull */
            ) : type;
          }
          function narrowTypeByEquality(type, operator, value, assumeTrue) {
            if (type.flags & 1) {
              return type;
            }
            if (operator === 36 || operator === 38) {
              assumeTrue = !assumeTrue;
            }
            const valueType = getTypeOfExpression(value);
            const doubleEquals = operator === 35 || operator === 36;
            if (valueType.flags & 98304) {
              if (!strictNullChecks) {
                return type;
              }
              const facts = doubleEquals ? assumeTrue ? 262144 : 2097152 : valueType.flags & 65536 ? assumeTrue ? 131072 : 1048576 : assumeTrue ? 65536 : 524288;
              return getAdjustedTypeWithFacts(type, facts);
            }
            if (assumeTrue) {
              if (!doubleEquals && (type.flags & 2 || someType(type, isEmptyAnonymousObjectType))) {
                if (valueType.flags & (402784252 | 67108864) || isEmptyAnonymousObjectType(valueType)) {
                  return valueType;
                }
                if (valueType.flags & 524288) {
                  return nonPrimitiveType;
                }
              }
              const filteredType = filterType(type, (t) => areTypesComparable(t, valueType) || doubleEquals && isCoercibleUnderDoubleEquals(t, valueType));
              return replacePrimitivesWithLiterals(filteredType, valueType);
            }
            if (isUnitType(valueType)) {
              return filterType(type, (t) => !(isUnitLikeType(t) && areTypesComparable(t, valueType)));
            }
            return type;
          }
          function narrowTypeByTypeof(type, typeOfExpr, operator, literal, assumeTrue) {
            if (operator === 36 || operator === 38) {
              assumeTrue = !assumeTrue;
            }
            const target = getReferenceCandidate(typeOfExpr.expression);
            if (!isMatchingReference(reference, target)) {
              if (strictNullChecks && optionalChainContainsReference(target, reference) && assumeTrue === (literal.text !== "undefined")) {
                type = getAdjustedTypeWithFacts(
                  type,
                  2097152
                  /* NEUndefinedOrNull */
                );
              }
              const propertyAccess = getDiscriminantPropertyAccess(target, type);
              if (propertyAccess) {
                return narrowTypeByDiscriminant(type, propertyAccess, (t) => narrowTypeByLiteralExpression(t, literal, assumeTrue));
              }
              return type;
            }
            return narrowTypeByLiteralExpression(type, literal, assumeTrue);
          }
          function narrowTypeByLiteralExpression(type, literal, assumeTrue) {
            return assumeTrue ? narrowTypeByTypeName(type, literal.text) : getAdjustedTypeWithFacts(
              type,
              typeofNEFacts.get(literal.text) || 32768
              /* TypeofNEHostObject */
            );
          }
          function narrowTypeBySwitchOptionalChainContainment(type, { switchStatement, clauseStart, clauseEnd }, clauseCheck) {
            const everyClauseChecks = clauseStart !== clauseEnd && every(getSwitchClauseTypes(switchStatement).slice(clauseStart, clauseEnd), clauseCheck);
            return everyClauseChecks ? getTypeWithFacts(
              type,
              2097152
              /* NEUndefinedOrNull */
            ) : type;
          }
          function narrowTypeBySwitchOnDiscriminant(type, { switchStatement, clauseStart, clauseEnd }) {
            const switchTypes = getSwitchClauseTypes(switchStatement);
            if (!switchTypes.length) {
              return type;
            }
            const clauseTypes = switchTypes.slice(clauseStart, clauseEnd);
            const hasDefaultClause = clauseStart === clauseEnd || contains(clauseTypes, neverType2);
            if (type.flags & 2 && !hasDefaultClause) {
              let groundClauseTypes;
              for (let i = 0; i < clauseTypes.length; i += 1) {
                const t = clauseTypes[i];
                if (t.flags & (402784252 | 67108864)) {
                  if (groundClauseTypes !== void 0) {
                    groundClauseTypes.push(t);
                  }
                } else if (t.flags & 524288) {
                  if (groundClauseTypes === void 0) {
                    groundClauseTypes = clauseTypes.slice(0, i);
                  }
                  groundClauseTypes.push(nonPrimitiveType);
                } else {
                  return type;
                }
              }
              return getUnionType(groundClauseTypes === void 0 ? clauseTypes : groundClauseTypes);
            }
            const discriminantType = getUnionType(clauseTypes);
            const caseType = discriminantType.flags & 131072 ? neverType2 : replacePrimitivesWithLiterals(filterType(type, (t) => areTypesComparable(discriminantType, t)), discriminantType);
            if (!hasDefaultClause) {
              return caseType;
            }
            const defaultType = filterType(type, (t) => !(isUnitLikeType(t) && contains(switchTypes, t.flags & 32768 ? undefinedType2 : getRegularTypeOfLiteralType(extractUnitType(t)))));
            return caseType.flags & 131072 ? defaultType : getUnionType([caseType, defaultType]);
          }
          function narrowTypeByTypeName(type, typeName) {
            switch (typeName) {
              case "string":
                return narrowTypeByTypeFacts(
                  type,
                  stringType2,
                  1
                  /* TypeofEQString */
                );
              case "number":
                return narrowTypeByTypeFacts(
                  type,
                  numberType2,
                  2
                  /* TypeofEQNumber */
                );
              case "bigint":
                return narrowTypeByTypeFacts(
                  type,
                  bigintType,
                  4
                  /* TypeofEQBigInt */
                );
              case "boolean":
                return narrowTypeByTypeFacts(
                  type,
                  booleanType2,
                  8
                  /* TypeofEQBoolean */
                );
              case "symbol":
                return narrowTypeByTypeFacts(
                  type,
                  esSymbolType,
                  16
                  /* TypeofEQSymbol */
                );
              case "object":
                return type.flags & 1 ? type : getUnionType([narrowTypeByTypeFacts(
                  type,
                  nonPrimitiveType,
                  32
                  /* TypeofEQObject */
                ), narrowTypeByTypeFacts(
                  type,
                  nullType2,
                  131072
                  /* EQNull */
                )]);
              case "function":
                return type.flags & 1 ? type : narrowTypeByTypeFacts(
                  type,
                  globalFunctionType,
                  64
                  /* TypeofEQFunction */
                );
              case "undefined":
                return narrowTypeByTypeFacts(
                  type,
                  undefinedType2,
                  65536
                  /* EQUndefined */
                );
            }
            return narrowTypeByTypeFacts(
              type,
              nonPrimitiveType,
              128
              /* TypeofEQHostObject */
            );
          }
          function narrowTypeByTypeFacts(type, impliedType, facts) {
            return mapType2(type, (t) => (
              // We first check if a constituent is a subtype of the implied type. If so, we either keep or eliminate
              // the constituent based on its type facts. We use the strict subtype relation because it treats `object`
              // as a subtype of `{}`, and we need the type facts check because function types are subtypes of `object`,
              // but are classified as "function" according to `typeof`.
              isTypeRelatedTo(t, impliedType, strictSubtypeRelation) ? hasTypeFacts(t, facts) ? t : neverType2 : (
                // We next check if the consituent is a supertype of the implied type. If so, we substitute the implied
                // type. This handles top types like `unknown` and `{}`, and supertypes like `{ toString(): string }`.
                isTypeSubtypeOf(impliedType, t) ? impliedType : (
                  // Neither the constituent nor the implied type is a subtype of the other, however their domains may still
                  // overlap. For example, an unconstrained type parameter and type `string`. If the type facts indicate
                  // possible overlap, we form an intersection. Otherwise, we eliminate the constituent.
                  hasTypeFacts(t, facts) ? getIntersectionType([t, impliedType]) : neverType2
                )
              )
            ));
          }
          function narrowTypeBySwitchOnTypeOf(type, { switchStatement, clauseStart, clauseEnd }) {
            const witnesses = getSwitchClauseTypeOfWitnesses(switchStatement);
            if (!witnesses) {
              return type;
            }
            const defaultIndex = findIndex(
              switchStatement.caseBlock.clauses,
              (clause) => clause.kind === 297
              /* DefaultClause */
            );
            const hasDefaultClause = clauseStart === clauseEnd || defaultIndex >= clauseStart && defaultIndex < clauseEnd;
            if (hasDefaultClause) {
              const notEqualFacts = getNotEqualFactsFromTypeofSwitch(clauseStart, clauseEnd, witnesses);
              return filterType(type, (t) => getTypeFacts(t, notEqualFacts) === notEqualFacts);
            }
            const clauseWitnesses = witnesses.slice(clauseStart, clauseEnd);
            return getUnionType(map(clauseWitnesses, (text) => text ? narrowTypeByTypeName(type, text) : neverType2));
          }
          function narrowTypeBySwitchOnTrue(type, { switchStatement, clauseStart, clauseEnd }) {
            const defaultIndex = findIndex(
              switchStatement.caseBlock.clauses,
              (clause) => clause.kind === 297
              /* DefaultClause */
            );
            const hasDefaultClause = clauseStart === clauseEnd || defaultIndex >= clauseStart && defaultIndex < clauseEnd;
            for (let i = 0; i < clauseStart; i++) {
              const clause = switchStatement.caseBlock.clauses[i];
              if (clause.kind === 296) {
                type = narrowType(
                  type,
                  clause.expression,
                  /*assumeTrue*/
                  false
                );
              }
            }
            if (hasDefaultClause) {
              for (let i = clauseEnd; i < switchStatement.caseBlock.clauses.length; i++) {
                const clause = switchStatement.caseBlock.clauses[i];
                if (clause.kind === 296) {
                  type = narrowType(
                    type,
                    clause.expression,
                    /*assumeTrue*/
                    false
                  );
                }
              }
              return type;
            }
            const clauses = switchStatement.caseBlock.clauses.slice(clauseStart, clauseEnd);
            return getUnionType(map(clauses, (clause) => clause.kind === 296 ? narrowType(
              type,
              clause.expression,
              /*assumeTrue*/
              true
            ) : neverType2));
          }
          function isMatchingConstructorReference(expr) {
            return (isPropertyAccessExpression(expr) && idText(expr.name) === "constructor" || isElementAccessExpression(expr) && isStringLiteralLike(expr.argumentExpression) && expr.argumentExpression.text === "constructor") && isMatchingReference(reference, expr.expression);
          }
          function narrowTypeByConstructor(type, operator, identifier, assumeTrue) {
            if (assumeTrue ? operator !== 35 && operator !== 37 : operator !== 36 && operator !== 38) {
              return type;
            }
            const identifierType = getTypeOfExpression(identifier);
            if (!isFunctionType(identifierType) && !isConstructorType(identifierType)) {
              return type;
            }
            const prototypeProperty = getPropertyOfType(identifierType, "prototype");
            if (!prototypeProperty) {
              return type;
            }
            const prototypeType = getTypeOfSymbol(prototypeProperty);
            const candidate = !isTypeAny(prototypeType) ? prototypeType : void 0;
            if (!candidate || candidate === globalObjectType || candidate === globalFunctionType) {
              return type;
            }
            if (isTypeAny(type)) {
              return candidate;
            }
            return filterType(type, (t) => isConstructedBy(t, candidate));
            function isConstructedBy(source, target) {
              if (source.flags & 524288 && getObjectFlags(source) & 1 || target.flags & 524288 && getObjectFlags(target) & 1) {
                return source.symbol === target.symbol;
              }
              return isTypeSubtypeOf(source, target);
            }
          }
          function narrowTypeByInstanceof(type, expr, assumeTrue) {
            const left = getReferenceCandidate(expr.left);
            if (!isMatchingReference(reference, left)) {
              if (assumeTrue && strictNullChecks && optionalChainContainsReference(left, reference)) {
                return getAdjustedTypeWithFacts(
                  type,
                  2097152
                  /* NEUndefinedOrNull */
                );
              }
              return type;
            }
            const right = expr.right;
            const rightType = getTypeOfExpression(right);
            if (!isTypeDerivedFrom(rightType, globalObjectType)) {
              return type;
            }
            const signature = getEffectsSignature(expr);
            const predicate = signature && getTypePredicateOfSignature(signature);
            if (predicate && predicate.kind === 1 && predicate.parameterIndex === 0) {
              return getNarrowedType(
                type,
                predicate.type,
                assumeTrue,
                /*checkDerived*/
                true
              );
            }
            if (!isTypeDerivedFrom(rightType, globalFunctionType)) {
              return type;
            }
            const instanceType = mapType2(rightType, getInstanceType);
            if (isTypeAny(type) && (instanceType === globalObjectType || instanceType === globalFunctionType) || !assumeTrue && !(instanceType.flags & 524288 && !isEmptyAnonymousObjectType(instanceType))) {
              return type;
            }
            return getNarrowedType(
              type,
              instanceType,
              assumeTrue,
              /*checkDerived*/
              true
            );
          }
          function getInstanceType(constructorType) {
            const prototypePropertyType = getTypeOfPropertyOfType(constructorType, "prototype");
            if (prototypePropertyType && !isTypeAny(prototypePropertyType)) {
              return prototypePropertyType;
            }
            const constructSignatures = getSignaturesOfType(
              constructorType,
              1
              /* Construct */
            );
            if (constructSignatures.length) {
              return getUnionType(map(constructSignatures, (signature) => getReturnTypeOfSignature(getErasedSignature(signature))));
            }
            return emptyObjectType;
          }
          function getNarrowedType(type, candidate, assumeTrue, checkDerived) {
            const key2 = type.flags & 1048576 ? `N${getTypeId(type)},${getTypeId(candidate)},${(assumeTrue ? 1 : 0) | (checkDerived ? 2 : 0)}` : void 0;
            return getCachedType(key2) ?? setCachedType(key2, getNarrowedTypeWorker(type, candidate, assumeTrue, checkDerived));
          }
          function getNarrowedTypeWorker(type, candidate, assumeTrue, checkDerived) {
            if (!assumeTrue) {
              if (type === candidate) {
                return neverType2;
              }
              if (checkDerived) {
                return filterType(type, (t) => !isTypeDerivedFrom(t, candidate));
              }
              const trueType2 = getNarrowedType(
                type,
                candidate,
                /*assumeTrue*/
                true,
                /*checkDerived*/
                false
              );
              return filterType(type, (t) => !isTypeSubsetOf(t, trueType2));
            }
            if (type.flags & 3) {
              return candidate;
            }
            if (type === candidate) {
              return candidate;
            }
            const isRelated = checkDerived ? isTypeDerivedFrom : isTypeSubtypeOf;
            const keyPropertyName = type.flags & 1048576 ? getKeyPropertyName(type) : void 0;
            const narrowedType = mapType2(candidate, (c) => {
              const discriminant = keyPropertyName && getTypeOfPropertyOfType(c, keyPropertyName);
              const matching = discriminant && getConstituentTypeForKeyType(type, discriminant);
              const directlyRelated = mapType2(
                matching || type,
                checkDerived ? (t) => isTypeDerivedFrom(t, c) ? t : isTypeDerivedFrom(c, t) ? c : neverType2 : (t) => isTypeStrictSubtypeOf(t, c) ? t : isTypeStrictSubtypeOf(c, t) ? c : isTypeSubtypeOf(t, c) ? t : isTypeSubtypeOf(c, t) ? c : neverType2
              );
              return directlyRelated.flags & 131072 ? mapType2(type, (t) => maybeTypeOfKind(
                t,
                465829888
                /* Instantiable */
              ) && isRelated(c, getBaseConstraintOfType(t) || unknownType2) ? getIntersectionType([t, c]) : neverType2) : directlyRelated;
            });
            return !(narrowedType.flags & 131072) ? narrowedType : isTypeSubtypeOf(candidate, type) ? candidate : isTypeAssignableTo(type, candidate) ? type : isTypeAssignableTo(candidate, type) ? candidate : getIntersectionType([type, candidate]);
          }
          function narrowTypeByCallExpression(type, callExpression, assumeTrue) {
            if (hasMatchingArgument(callExpression, reference)) {
              const signature = assumeTrue || !isCallChain(callExpression) ? getEffectsSignature(callExpression) : void 0;
              const predicate = signature && getTypePredicateOfSignature(signature);
              if (predicate && (predicate.kind === 0 || predicate.kind === 1)) {
                return narrowTypeByTypePredicate(type, predicate, callExpression, assumeTrue);
              }
            }
            if (containsMissingType(type) && isAccessExpression(reference) && isPropertyAccessExpression(callExpression.expression)) {
              const callAccess = callExpression.expression;
              if (isMatchingReference(reference.expression, getReferenceCandidate(callAccess.expression)) && isIdentifier(callAccess.name) && callAccess.name.escapedText === "hasOwnProperty" && callExpression.arguments.length === 1) {
                const argument = callExpression.arguments[0];
                if (isStringLiteralLike(argument) && getAccessedPropertyName(reference) === escapeLeadingUnderscores(argument.text)) {
                  return getTypeWithFacts(
                    type,
                    assumeTrue ? 524288 : 65536
                    /* EQUndefined */
                  );
                }
              }
            }
            return type;
          }
          function narrowTypeByTypePredicate(type, predicate, callExpression, assumeTrue) {
            if (predicate.type && !(isTypeAny(type) && (predicate.type === globalObjectType || predicate.type === globalFunctionType))) {
              const predicateArgument = getTypePredicateArgument(predicate, callExpression);
              if (predicateArgument) {
                if (isMatchingReference(reference, predicateArgument)) {
                  return getNarrowedType(
                    type,
                    predicate.type,
                    assumeTrue,
                    /*checkDerived*/
                    false
                  );
                }
                if (strictNullChecks && optionalChainContainsReference(predicateArgument, reference) && (assumeTrue && !hasTypeFacts(
                  predicate.type,
                  65536
                  /* EQUndefined */
                ) || !assumeTrue && everyType(predicate.type, isNullableType))) {
                  type = getAdjustedTypeWithFacts(
                    type,
                    2097152
                    /* NEUndefinedOrNull */
                  );
                }
                const access = getDiscriminantPropertyAccess(predicateArgument, type);
                if (access) {
                  return narrowTypeByDiscriminant(type, access, (t) => getNarrowedType(
                    t,
                    predicate.type,
                    assumeTrue,
                    /*checkDerived*/
                    false
                  ));
                }
              }
            }
            return type;
          }
          function narrowType(type, expr, assumeTrue) {
            if (isExpressionOfOptionalChainRoot(expr) || isBinaryExpression(expr.parent) && (expr.parent.operatorToken.kind === 61 || expr.parent.operatorToken.kind === 78) && expr.parent.left === expr) {
              return narrowTypeByOptionality(type, expr, assumeTrue);
            }
            switch (expr.kind) {
              case 80:
                if (!isMatchingReference(reference, expr) && inlineLevel < 5) {
                  const symbol = getResolvedSymbol(expr);
                  if (isConstantVariable(symbol)) {
                    const declaration = symbol.valueDeclaration;
                    if (declaration && isVariableDeclaration(declaration) && !declaration.type && declaration.initializer && isConstantReference(reference)) {
                      inlineLevel++;
                      const result = narrowType(type, declaration.initializer, assumeTrue);
                      inlineLevel--;
                      return result;
                    }
                  }
                }
              case 110:
              case 108:
              case 211:
              case 212:
                return narrowTypeByTruthiness(type, expr, assumeTrue);
              case 213:
                return narrowTypeByCallExpression(type, expr, assumeTrue);
              case 217:
              case 235:
                return narrowType(type, expr.expression, assumeTrue);
              case 226:
                return narrowTypeByBinaryExpression(type, expr, assumeTrue);
              case 224:
                if (expr.operator === 54) {
                  return narrowType(type, expr.operand, !assumeTrue);
                }
                break;
            }
            return type;
          }
          function narrowTypeByOptionality(type, expr, assumePresent) {
            if (isMatchingReference(reference, expr)) {
              return getAdjustedTypeWithFacts(
                type,
                assumePresent ? 2097152 : 262144
                /* EQUndefinedOrNull */
              );
            }
            const access = getDiscriminantPropertyAccess(expr, type);
            if (access) {
              return narrowTypeByDiscriminant(type, access, (t) => getTypeWithFacts(
                t,
                assumePresent ? 2097152 : 262144
                /* EQUndefinedOrNull */
              ));
            }
            return type;
          }
        }
        function getTypeOfSymbolAtLocation(symbol, location) {
          symbol = getExportSymbolOfValueSymbolIfExported(symbol);
          if (location.kind === 80 || location.kind === 81) {
            if (isRightSideOfQualifiedNameOrPropertyAccess(location)) {
              location = location.parent;
            }
            if (isExpressionNode(location) && (!isAssignmentTarget(location) || isWriteAccess(location))) {
              const type = removeOptionalTypeMarker(
                isWriteAccess(location) && location.kind === 211 ? checkPropertyAccessExpression(
                  location,
                  /*checkMode*/
                  void 0,
                  /*writeOnly*/
                  true
                ) : getTypeOfExpression(location)
              );
              if (getExportSymbolOfValueSymbolIfExported(getNodeLinks(location).resolvedSymbol) === symbol) {
                return type;
              }
            }
          }
          if (isDeclarationName(location) && isSetAccessor(location.parent) && getAnnotatedAccessorTypeNode(location.parent)) {
            return getWriteTypeOfAccessors(location.parent.symbol);
          }
          return isRightSideOfAccessExpression(location) && isWriteAccess(location.parent) ? getWriteTypeOfSymbol(symbol) : getNonMissingTypeOfSymbol(symbol);
        }
        function getControlFlowContainer(node) {
          return findAncestor(
            node.parent,
            (node2) => isFunctionLike(node2) && !getImmediatelyInvokedFunctionExpression(node2) || node2.kind === 268 || node2.kind === 307 || node2.kind === 172
            /* PropertyDeclaration */
          );
        }
        function isSymbolAssigned(symbol) {
          return !isPastLastAssignment(
            symbol,
            /*location*/
            void 0
          );
        }
        function isPastLastAssignment(symbol, location) {
          const parent2 = findAncestor(symbol.valueDeclaration, isFunctionOrSourceFile);
          if (!parent2) {
            return false;
          }
          const links = getNodeLinks(parent2);
          if (!(links.flags & 131072)) {
            links.flags |= 131072;
            if (!hasParentWithAssignmentsMarked(parent2)) {
              markNodeAssignments(parent2);
            }
          }
          return !symbol.lastAssignmentPos || location && symbol.lastAssignmentPos < location.pos;
        }
        function isSomeSymbolAssigned(rootDeclaration) {
          Debug.assert(isVariableDeclaration(rootDeclaration) || isParameter(rootDeclaration));
          return isSomeSymbolAssignedWorker(rootDeclaration.name);
        }
        function isSomeSymbolAssignedWorker(node) {
          if (node.kind === 80) {
            return isSymbolAssigned(getSymbolOfDeclaration(node.parent));
          }
          return some(node.elements, (e) => e.kind !== 232 && isSomeSymbolAssignedWorker(e.name));
        }
        function hasParentWithAssignmentsMarked(node) {
          return !!findAncestor(node.parent, (node2) => isFunctionOrSourceFile(node2) && !!(getNodeLinks(node2).flags & 131072));
        }
        function isFunctionOrSourceFile(node) {
          return isFunctionLikeDeclaration(node) || isSourceFile(node);
        }
        function markNodeAssignments(node) {
          switch (node.kind) {
            case 80:
              if (isAssignmentTarget(node)) {
                const symbol = getResolvedSymbol(node);
                if (isParameterOrMutableLocalVariable(symbol) && symbol.lastAssignmentPos !== Number.MAX_VALUE) {
                  const referencingFunction = findAncestor(node, isFunctionOrSourceFile);
                  const declaringFunction = findAncestor(symbol.valueDeclaration, isFunctionOrSourceFile);
                  symbol.lastAssignmentPos = referencingFunction === declaringFunction ? extendAssignmentPosition(node, symbol.valueDeclaration) : Number.MAX_VALUE;
                }
              }
              return;
            case 281:
              const exportDeclaration = node.parent.parent;
              if (!node.isTypeOnly && !exportDeclaration.isTypeOnly && !exportDeclaration.moduleSpecifier) {
                const symbol = resolveEntityName(
                  node.propertyName || node.name,
                  111551,
                  /*ignoreErrors*/
                  true,
                  /*dontResolveAlias*/
                  true
                );
                if (symbol && isParameterOrMutableLocalVariable(symbol)) {
                  symbol.lastAssignmentPos = Number.MAX_VALUE;
                }
              }
              return;
            case 264:
            case 265:
            case 266:
              return;
          }
          if (isTypeNode(node)) {
            return;
          }
          forEachChild(node, markNodeAssignments);
        }
        function extendAssignmentPosition(node, declaration) {
          let pos = node.pos;
          while (node && node.pos > declaration.pos) {
            switch (node.kind) {
              case 243:
              case 244:
              case 245:
              case 246:
              case 247:
              case 248:
              case 249:
              case 250:
              case 254:
              case 255:
              case 258:
              case 263:
                pos = node.end;
            }
            node = node.parent;
          }
          return pos;
        }
        function isConstantVariable(symbol) {
          return symbol.flags & 3 && (getDeclarationNodeFlagsFromSymbol(symbol) & 6) !== 0;
        }
        function isParameterOrMutableLocalVariable(symbol) {
          const declaration = symbol.valueDeclaration && getRootDeclaration(symbol.valueDeclaration);
          return !!declaration && (isParameter(declaration) || isVariableDeclaration(declaration) && (isCatchClause(declaration.parent) || isMutableLocalVariableDeclaration(declaration)));
        }
        function isMutableLocalVariableDeclaration(declaration) {
          return !!(declaration.parent.flags & 1) && !(getCombinedModifierFlags(declaration) & 32 || declaration.parent.parent.kind === 243 && isGlobalSourceFile(declaration.parent.parent.parent));
        }
        function parameterInitializerContainsUndefined(declaration) {
          const links = getNodeLinks(declaration);
          if (links.parameterInitializerContainsUndefined === void 0) {
            if (!pushTypeResolution(
              declaration,
              8
              /* ParameterInitializerContainsUndefined */
            )) {
              reportCircularityError(declaration.symbol);
              return true;
            }
            const containsUndefined = !!hasTypeFacts(
              checkDeclarationInitializer(
                declaration,
                0
                /* Normal */
              ),
              16777216
              /* IsUndefined */
            );
            if (!popTypeResolution()) {
              reportCircularityError(declaration.symbol);
              return true;
            }
            links.parameterInitializerContainsUndefined ?? (links.parameterInitializerContainsUndefined = containsUndefined);
          }
          return links.parameterInitializerContainsUndefined;
        }
        function removeOptionalityFromDeclaredType(declaredType, declaration) {
          const removeUndefined = strictNullChecks && declaration.kind === 169 && declaration.initializer && hasTypeFacts(
            declaredType,
            16777216
            /* IsUndefined */
          ) && !parameterInitializerContainsUndefined(declaration);
          return removeUndefined ? getTypeWithFacts(
            declaredType,
            524288
            /* NEUndefined */
          ) : declaredType;
        }
        function isConstraintPosition(type, node) {
          const parent2 = node.parent;
          return parent2.kind === 211 || parent2.kind === 166 || parent2.kind === 213 && parent2.expression === node || parent2.kind === 214 && parent2.expression === node || parent2.kind === 212 && parent2.expression === node && !(someType(type, isGenericTypeWithoutNullableConstraint) && isGenericIndexType(getTypeOfExpression(parent2.argumentExpression)));
        }
        function isGenericTypeWithUnionConstraint(type) {
          return type.flags & 2097152 ? some(type.types, isGenericTypeWithUnionConstraint) : !!(type.flags & 465829888 && getBaseConstraintOrType(type).flags & (98304 | 1048576));
        }
        function isGenericTypeWithoutNullableConstraint(type) {
          return type.flags & 2097152 ? some(type.types, isGenericTypeWithoutNullableConstraint) : !!(type.flags & 465829888 && !maybeTypeOfKind(
            getBaseConstraintOrType(type),
            98304
            /* Nullable */
          ));
        }
        function hasContextualTypeWithNoGenericTypes(node, checkMode) {
          const contextualType = (isIdentifier(node) || isPropertyAccessExpression(node) || isElementAccessExpression(node)) && !((isJsxOpeningElement(node.parent) || isJsxSelfClosingElement(node.parent)) && node.parent.tagName === node) && (checkMode && checkMode & 32 ? getContextualType2(
            node,
            8
            /* SkipBindingPatterns */
          ) : getContextualType2(
            node,
            /*contextFlags*/
            void 0
          ));
          return contextualType && !isGenericType(contextualType);
        }
        function getNarrowableTypeForReference(type, reference, checkMode) {
          if (isNoInferType(type)) {
            type = type.baseType;
          }
          const substituteConstraints = !(checkMode && checkMode & 2) && someType(type, isGenericTypeWithUnionConstraint) && (isConstraintPosition(type, reference) || hasContextualTypeWithNoGenericTypes(reference, checkMode));
          return substituteConstraints ? mapType2(type, getBaseConstraintOrType) : type;
        }
        function isExportOrExportExpression(location) {
          return !!findAncestor(location, (n) => {
            const parent2 = n.parent;
            if (parent2 === void 0) {
              return "quit";
            }
            if (isExportAssignment(parent2)) {
              return parent2.expression === n && isEntityNameExpression(n);
            }
            if (isExportSpecifier(parent2)) {
              return parent2.name === n || parent2.propertyName === n;
            }
            return false;
          });
        }
        function markLinkedReferences(location, hint, propSymbol, parentType) {
          if (!canCollectSymbolAliasAccessabilityData) {
            return;
          }
          if (location.flags & 33554432 && !isPropertySignature(location) && !isPropertyDeclaration(location)) {
            return;
          }
          switch (hint) {
            case 1:
              return markIdentifierAliasReferenced(location);
            case 2:
              return markPropertyAliasReferenced(location, propSymbol, parentType);
            case 3:
              return markExportAssignmentAliasReferenced(location);
            case 4:
              return markJsxAliasReferenced(location);
            case 5:
              return markAsyncFunctionAliasReferenced(location);
            case 6:
              return markImportEqualsAliasReferenced(location);
            case 7:
              return markExportSpecifierAliasReferenced(location);
            case 8:
              return markDecoratorAliasReferenced(location);
            case 0: {
              if (isIdentifier(location) && (isExpressionNode(location) || isShorthandPropertyAssignment(location.parent) || isImportEqualsDeclaration(location.parent) && location.parent.moduleReference === location) && shouldMarkIdentifierAliasReferenced(location)) {
                if (isPropertyAccessOrQualifiedName(location.parent)) {
                  const left = isPropertyAccessExpression(location.parent) ? location.parent.expression : location.parent.left;
                  if (left !== location) return;
                }
                markIdentifierAliasReferenced(location);
                return;
              }
              if (isPropertyAccessOrQualifiedName(location)) {
                let topProp = location;
                while (isPropertyAccessOrQualifiedName(topProp)) {
                  if (isPartOfTypeNode(topProp)) return;
                  topProp = topProp.parent;
                }
                return markPropertyAliasReferenced(location);
              }
              if (isExportAssignment(location)) {
                return markExportAssignmentAliasReferenced(location);
              }
              if (isJsxOpeningLikeElement(location) || isJsxOpeningFragment(location)) {
                return markJsxAliasReferenced(location);
              }
              if (isImportEqualsDeclaration(location)) {
                if (isInternalModuleImportEqualsDeclaration(location) || checkExternalImportOrExportDeclaration(location)) {
                  return markImportEqualsAliasReferenced(location);
                }
                return;
              }
              if (isExportSpecifier(location)) {
                return markExportSpecifierAliasReferenced(location);
              }
              if (isFunctionLikeDeclaration(location) || isMethodSignature(location)) {
                markAsyncFunctionAliasReferenced(location);
              }
              if (!compilerOptions.emitDecoratorMetadata) {
                return;
              }
              if (!canHaveDecorators(location) || !hasDecorators(location) || !location.modifiers || !nodeCanBeDecorated(legacyDecorators, location, location.parent, location.parent.parent)) {
                return;
              }
              return markDecoratorAliasReferenced(location);
            }
            default:
              Debug.assertNever(hint, `Unhandled reference hint: ${hint}`);
          }
        }
        function markIdentifierAliasReferenced(location) {
          const symbol = getResolvedSymbol(location);
          if (symbol && symbol !== argumentsSymbol && symbol !== unknownSymbol && !isThisInTypeQuery(location)) {
            markAliasReferenced(symbol, location);
          }
        }
        function markPropertyAliasReferenced(location, propSymbol, parentType) {
          const left = isPropertyAccessExpression(location) ? location.expression : location.left;
          if (isThisIdentifier(left) || !isIdentifier(left)) {
            return;
          }
          const parentSymbol = getResolvedSymbol(left);
          if (!parentSymbol || parentSymbol === unknownSymbol) {
            return;
          }
          if (getIsolatedModules(compilerOptions) || shouldPreserveConstEnums(compilerOptions) && isExportOrExportExpression(location)) {
            markAliasReferenced(parentSymbol, location);
            return;
          }
          const leftType = parentType || checkExpressionCached(left);
          if (isTypeAny(leftType) || leftType === silentNeverType) {
            markAliasReferenced(parentSymbol, location);
            return;
          }
          let prop = propSymbol;
          if (!prop && !parentType) {
            const right = isPropertyAccessExpression(location) ? location.name : location.right;
            const lexicallyScopedSymbol = isPrivateIdentifier(right) && lookupSymbolForPrivateIdentifierDeclaration(right.escapedText, right);
            const assignmentKind = getAssignmentTargetKind(location);
            const apparentType = getApparentType(assignmentKind !== 0 || isMethodAccessForCall(location) ? getWidenedType(leftType) : leftType);
            prop = isPrivateIdentifier(right) ? lexicallyScopedSymbol && getPrivateIdentifierPropertyOfType(apparentType, lexicallyScopedSymbol) || void 0 : getPropertyOfType(apparentType, right.escapedText);
          }
          if (!(prop && (isConstEnumOrConstEnumOnlyModule(prop) || prop.flags & 8 && location.parent.kind === 306))) {
            markAliasReferenced(parentSymbol, location);
          }
          return;
        }
        function markExportAssignmentAliasReferenced(location) {
          if (isIdentifier(location.expression)) {
            const id = location.expression;
            const sym = getExportSymbolOfValueSymbolIfExported(resolveEntityName(
              id,
              -1,
              /*ignoreErrors*/
              true,
              /*dontResolveAlias*/
              true,
              location
            ));
            if (sym) {
              markAliasReferenced(sym, id);
            }
          }
        }
        function markJsxAliasReferenced(node) {
          if (!getJsxNamespaceContainerForImplicitImport(node)) {
            const jsxFactoryRefErr = diagnostics && compilerOptions.jsx === 2 ? Diagnostics.Cannot_find_name_0 : void 0;
            const jsxFactoryNamespace = getJsxNamespace(node);
            const jsxFactoryLocation = isJsxOpeningLikeElement(node) ? node.tagName : node;
            let jsxFactorySym;
            if (!(isJsxOpeningFragment(node) && jsxFactoryNamespace === "null")) {
              jsxFactorySym = resolveName(
                jsxFactoryLocation,
                jsxFactoryNamespace,
                111551,
                jsxFactoryRefErr,
                /*isUse*/
                true
              );
            }
            if (jsxFactorySym) {
              jsxFactorySym.isReferenced = -1;
              if (canCollectSymbolAliasAccessabilityData && jsxFactorySym.flags & 2097152 && !getTypeOnlyAliasDeclaration(jsxFactorySym)) {
                markAliasSymbolAsReferenced(jsxFactorySym);
              }
            }
            if (isJsxOpeningFragment(node)) {
              const file = getSourceFileOfNode(node);
              const localJsxNamespace = getLocalJsxNamespace(file);
              if (localJsxNamespace) {
                resolveName(
                  jsxFactoryLocation,
                  localJsxNamespace,
                  111551,
                  jsxFactoryRefErr,
                  /*isUse*/
                  true
                );
              }
            }
          }
          return;
        }
        function markAsyncFunctionAliasReferenced(location) {
          if (languageVersion < 2) {
            if (getFunctionFlags(location) & 2) {
              const returnTypeNode = getEffectiveReturnTypeNode(location);
              markTypeNodeAsReferenced(returnTypeNode);
            }
          }
        }
        function markImportEqualsAliasReferenced(location) {
          if (hasSyntacticModifier(
            location,
            32
            /* Export */
          )) {
            markExportAsReferenced(location);
          }
        }
        function markExportSpecifierAliasReferenced(location) {
          if (!location.parent.parent.moduleSpecifier && !location.isTypeOnly && !location.parent.parent.isTypeOnly) {
            const exportedName = location.propertyName || location.name;
            const symbol = resolveName(
              exportedName,
              exportedName.escapedText,
              111551 | 788968 | 1920 | 2097152,
              /*nameNotFoundMessage*/
              void 0,
              /*isUse*/
              true
            );
            if (symbol && (symbol === undefinedSymbol || symbol === globalThisSymbol || symbol.declarations && isGlobalSourceFile(getDeclarationContainer(symbol.declarations[0])))) {
            } else {
              const target = symbol && (symbol.flags & 2097152 ? resolveAlias(symbol) : symbol);
              if (!target || getSymbolFlags(target) & 111551) {
                markExportAsReferenced(location);
                markIdentifierAliasReferenced(location.propertyName || location.name);
              }
            }
            return;
          }
        }
        function markDecoratorAliasReferenced(node) {
          if (compilerOptions.emitDecoratorMetadata) {
            const firstDecorator = find(node.modifiers, isDecorator);
            if (!firstDecorator) {
              return;
            }
            checkExternalEmitHelpers(
              firstDecorator,
              16
              /* Metadata */
            );
            switch (node.kind) {
              case 263:
                const constructor = getFirstConstructorWithBody(node);
                if (constructor) {
                  for (const parameter of constructor.parameters) {
                    markDecoratorMedataDataTypeNodeAsReferenced(getParameterTypeNodeForDecoratorCheck(parameter));
                  }
                }
                break;
              case 177:
              case 178:
                const otherKind = node.kind === 177 ? 178 : 177;
                const otherAccessor = getDeclarationOfKind(getSymbolOfDeclaration(node), otherKind);
                markDecoratorMedataDataTypeNodeAsReferenced(getAnnotatedAccessorTypeNode(node) || otherAccessor && getAnnotatedAccessorTypeNode(otherAccessor));
                break;
              case 174:
                for (const parameter of node.parameters) {
                  markDecoratorMedataDataTypeNodeAsReferenced(getParameterTypeNodeForDecoratorCheck(parameter));
                }
                markDecoratorMedataDataTypeNodeAsReferenced(getEffectiveReturnTypeNode(node));
                break;
              case 172:
                markDecoratorMedataDataTypeNodeAsReferenced(getEffectiveTypeAnnotationNode(node));
                break;
              case 169:
                markDecoratorMedataDataTypeNodeAsReferenced(getParameterTypeNodeForDecoratorCheck(node));
                const containingSignature = node.parent;
                for (const parameter of containingSignature.parameters) {
                  markDecoratorMedataDataTypeNodeAsReferenced(getParameterTypeNodeForDecoratorCheck(parameter));
                }
                markDecoratorMedataDataTypeNodeAsReferenced(getEffectiveReturnTypeNode(containingSignature));
                break;
            }
          }
        }
        function markAliasReferenced(symbol, location) {
          if (!canCollectSymbolAliasAccessabilityData) {
            return;
          }
          if (isNonLocalAlias(
            symbol,
            /*excludes*/
            111551
            /* Value */
          ) && !isInTypeQuery(location)) {
            const target = resolveAlias(symbol);
            if (getSymbolFlags(
              symbol,
              /*excludeTypeOnlyMeanings*/
              true
            ) & (111551 | 1048576)) {
              if (getIsolatedModules(compilerOptions) || shouldPreserveConstEnums(compilerOptions) && isExportOrExportExpression(location) || !isConstEnumOrConstEnumOnlyModule(getExportSymbolOfValueSymbolIfExported(target))) {
                markAliasSymbolAsReferenced(symbol);
              }
            }
          }
        }
        function markAliasSymbolAsReferenced(symbol) {
          Debug.assert(canCollectSymbolAliasAccessabilityData);
          const links = getSymbolLinks(symbol);
          if (!links.referenced) {
            links.referenced = true;
            const node = getDeclarationOfAliasSymbol(symbol);
            if (!node) return Debug.fail();
            if (isInternalModuleImportEqualsDeclaration(node)) {
              if (getSymbolFlags(resolveSymbol(symbol)) & 111551) {
                const left = getFirstIdentifier(node.moduleReference);
                markIdentifierAliasReferenced(left);
              }
            }
          }
        }
        function markExportAsReferenced(node) {
          const symbol = getSymbolOfDeclaration(node);
          const target = resolveAlias(symbol);
          if (target) {
            const markAlias = target === unknownSymbol || getSymbolFlags(
              symbol,
              /*excludeTypeOnlyMeanings*/
              true
            ) & 111551 && !isConstEnumOrConstEnumOnlyModule(target);
            if (markAlias) {
              markAliasSymbolAsReferenced(symbol);
            }
          }
        }
        function markEntityNameOrEntityExpressionAsReference(typeName, forDecoratorMetadata) {
          if (!typeName) return;
          const rootName = getFirstIdentifier(typeName);
          const meaning = (typeName.kind === 80 ? 788968 : 1920) | 2097152;
          const rootSymbol = resolveName(
            rootName,
            rootName.escapedText,
            meaning,
            /*nameNotFoundMessage*/
            void 0,
            /*isUse*/
            true
          );
          if (rootSymbol && rootSymbol.flags & 2097152) {
            if (canCollectSymbolAliasAccessabilityData && symbolIsValue(rootSymbol) && !isConstEnumOrConstEnumOnlyModule(resolveAlias(rootSymbol)) && !getTypeOnlyAliasDeclaration(rootSymbol)) {
              markAliasSymbolAsReferenced(rootSymbol);
            } else if (forDecoratorMetadata && getIsolatedModules(compilerOptions) && getEmitModuleKind(compilerOptions) >= 5 && !symbolIsValue(rootSymbol) && !some(rootSymbol.declarations, isTypeOnlyImportOrExportDeclaration)) {
              const diag2 = error2(typeName, Diagnostics.A_type_referenced_in_a_decorated_signature_must_be_imported_with_import_type_or_a_namespace_import_when_isolatedModules_and_emitDecoratorMetadata_are_enabled);
              const aliasDeclaration = find(rootSymbol.declarations || emptyArray, isAliasSymbolDeclaration2);
              if (aliasDeclaration) {
                addRelatedInfo(diag2, createDiagnosticForNode(aliasDeclaration, Diagnostics._0_was_imported_here, idText(rootName)));
              }
            }
          }
        }
        function markTypeNodeAsReferenced(node) {
          markEntityNameOrEntityExpressionAsReference(
            node && getEntityNameFromTypeNode(node),
            /*forDecoratorMetadata*/
            false
          );
        }
        function markDecoratorMedataDataTypeNodeAsReferenced(node) {
          const entityName = getEntityNameForDecoratorMetadata(node);
          if (entityName && isEntityName(entityName)) {
            markEntityNameOrEntityExpressionAsReference(
              entityName,
              /*forDecoratorMetadata*/
              true
            );
          }
        }
        function getNarrowedTypeOfSymbol(symbol, location, checkMode) {
          var _a;
          const type = getTypeOfSymbol(symbol, checkMode);
          const declaration = symbol.valueDeclaration;
          if (declaration) {
            if (isBindingElement(declaration) && !declaration.initializer && !declaration.dotDotDotToken && declaration.parent.elements.length >= 2) {
              const parent2 = declaration.parent.parent;
              const rootDeclaration = getRootDeclaration(parent2);
              if (rootDeclaration.kind === 260 && getCombinedNodeFlagsCached(rootDeclaration) & 6 || rootDeclaration.kind === 169) {
                const links = getNodeLinks(parent2);
                if (!(links.flags & 4194304)) {
                  links.flags |= 4194304;
                  const parentType = getTypeForBindingElementParent(
                    parent2,
                    0
                    /* Normal */
                  );
                  const parentTypeConstraint = parentType && mapType2(parentType, getBaseConstraintOrType);
                  links.flags &= ~4194304;
                  if (parentTypeConstraint && parentTypeConstraint.flags & 1048576 && !(rootDeclaration.kind === 169 && isSomeSymbolAssigned(rootDeclaration))) {
                    const pattern = declaration.parent;
                    const narrowedType = getFlowTypeOfReference(
                      pattern,
                      parentTypeConstraint,
                      parentTypeConstraint,
                      /*flowContainer*/
                      void 0,
                      location.flowNode
                    );
                    if (narrowedType.flags & 131072) {
                      return neverType2;
                    }
                    return getBindingElementTypeFromParentType(
                      declaration,
                      narrowedType,
                      /*noTupleBoundsCheck*/
                      true
                    );
                  }
                }
              }
            }
            if (isParameter(declaration) && !declaration.type && !declaration.initializer && !declaration.dotDotDotToken) {
              const func = declaration.parent;
              if (func.parameters.length >= 2 && isContextSensitiveFunctionOrObjectLiteralMethod(func)) {
                const contextualSignature = getContextualSignature(func);
                if (contextualSignature && contextualSignature.parameters.length === 1 && signatureHasRestParameter(contextualSignature)) {
                  const restType = getReducedApparentType(instantiateType(getTypeOfSymbol(contextualSignature.parameters[0]), (_a = getInferenceContext(func)) == null ? void 0 : _a.nonFixingMapper));
                  if (restType.flags & 1048576 && everyType(restType, isTupleType) && !some(func.parameters, isSomeSymbolAssigned)) {
                    const narrowedType = getFlowTypeOfReference(
                      func,
                      restType,
                      restType,
                      /*flowContainer*/
                      void 0,
                      location.flowNode
                    );
                    const index = func.parameters.indexOf(declaration) - (getThisParameter(func) ? 1 : 0);
                    return getIndexedAccessType(narrowedType, getNumberLiteralType(index));
                  }
                }
              }
            }
          }
          return type;
        }
        function checkIdentifierCalculateNodeCheckFlags(node, symbol) {
          if (isThisInTypeQuery(node)) return;
          if (symbol === argumentsSymbol) {
            if (isInPropertyInitializerOrClassStaticBlock(node)) {
              error2(node, Diagnostics.arguments_cannot_be_referenced_in_property_initializers);
              return;
            }
            let container = getContainingFunction(node);
            if (container) {
              if (languageVersion < 2) {
                if (container.kind === 219) {
                  error2(node, Diagnostics.The_arguments_object_cannot_be_referenced_in_an_arrow_function_in_ES5_Consider_using_a_standard_function_expression);
                } else if (hasSyntacticModifier(
                  container,
                  1024
                  /* Async */
                )) {
                  error2(node, Diagnostics.The_arguments_object_cannot_be_referenced_in_an_async_function_or_method_in_ES5_Consider_using_a_standard_function_or_method);
                }
              }
              getNodeLinks(container).flags |= 512;
              while (container && isArrowFunction(container)) {
                container = getContainingFunction(container);
                if (container) {
                  getNodeLinks(container).flags |= 512;
                }
              }
            }
            return;
          }
          const localOrExportSymbol = getExportSymbolOfValueSymbolIfExported(symbol);
          const targetSymbol = resolveAliasWithDeprecationCheck(localOrExportSymbol, node);
          if (isDeprecatedSymbol(targetSymbol) && isUncalledFunctionReference(node, targetSymbol) && targetSymbol.declarations) {
            addDeprecatedSuggestion(node, targetSymbol.declarations, node.escapedText);
          }
          const declaration = localOrExportSymbol.valueDeclaration;
          if (declaration && localOrExportSymbol.flags & 32) {
            if (isClassLike(declaration) && declaration.name !== node) {
              let container = getThisContainer(
                node,
                /*includeArrowFunctions*/
                false,
                /*includeClassComputedPropertyName*/
                false
              );
              while (container.kind !== 307 && container.parent !== declaration) {
                container = getThisContainer(
                  container,
                  /*includeArrowFunctions*/
                  false,
                  /*includeClassComputedPropertyName*/
                  false
                );
              }
              if (container.kind !== 307) {
                getNodeLinks(declaration).flags |= 262144;
                getNodeLinks(container).flags |= 262144;
                getNodeLinks(node).flags |= 536870912;
              }
            }
          }
          checkNestedBlockScopedBinding(node, symbol);
        }
        function checkIdentifier(node, checkMode) {
          if (isThisInTypeQuery(node)) {
            return checkThisExpression(node);
          }
          const symbol = getResolvedSymbol(node);
          if (symbol === unknownSymbol) {
            return errorType;
          }
          checkIdentifierCalculateNodeCheckFlags(node, symbol);
          if (symbol === argumentsSymbol) {
            if (isInPropertyInitializerOrClassStaticBlock(node)) {
              return errorType;
            }
            return getTypeOfSymbol(symbol);
          }
          if (shouldMarkIdentifierAliasReferenced(node)) {
            markLinkedReferences(
              node,
              1
              /* Identifier */
            );
          }
          const localOrExportSymbol = getExportSymbolOfValueSymbolIfExported(symbol);
          let declaration = localOrExportSymbol.valueDeclaration;
          let type = getNarrowedTypeOfSymbol(localOrExportSymbol, node, checkMode);
          const assignmentKind = getAssignmentTargetKind(node);
          if (assignmentKind) {
            if (!(localOrExportSymbol.flags & 3) && !(isInJSFile(node) && localOrExportSymbol.flags & 512)) {
              const assignmentError = localOrExportSymbol.flags & 384 ? Diagnostics.Cannot_assign_to_0_because_it_is_an_enum : localOrExportSymbol.flags & 32 ? Diagnostics.Cannot_assign_to_0_because_it_is_a_class : localOrExportSymbol.flags & 1536 ? Diagnostics.Cannot_assign_to_0_because_it_is_a_namespace : localOrExportSymbol.flags & 16 ? Diagnostics.Cannot_assign_to_0_because_it_is_a_function : localOrExportSymbol.flags & 2097152 ? Diagnostics.Cannot_assign_to_0_because_it_is_an_import : Diagnostics.Cannot_assign_to_0_because_it_is_not_a_variable;
              error2(node, assignmentError, symbolToString2(symbol));
              return errorType;
            }
            if (isReadonlySymbol(localOrExportSymbol)) {
              if (localOrExportSymbol.flags & 3) {
                error2(node, Diagnostics.Cannot_assign_to_0_because_it_is_a_constant, symbolToString2(symbol));
              } else {
                error2(node, Diagnostics.Cannot_assign_to_0_because_it_is_a_read_only_property, symbolToString2(symbol));
              }
              return errorType;
            }
          }
          const isAlias = localOrExportSymbol.flags & 2097152;
          if (localOrExportSymbol.flags & 3) {
            if (assignmentKind === 1) {
              return isInCompoundLikeAssignment(node) ? getBaseTypeOfLiteralType(type) : type;
            }
          } else if (isAlias) {
            declaration = getDeclarationOfAliasSymbol(symbol);
          } else {
            return type;
          }
          if (!declaration) {
            return type;
          }
          type = getNarrowableTypeForReference(type, node, checkMode);
          const isParameter2 = getRootDeclaration(declaration).kind === 169;
          const declarationContainer = getControlFlowContainer(declaration);
          let flowContainer = getControlFlowContainer(node);
          const isOuterVariable = flowContainer !== declarationContainer;
          const isSpreadDestructuringAssignmentTarget = node.parent && node.parent.parent && isSpreadAssignment(node.parent) && isDestructuringAssignmentTarget(node.parent.parent);
          const isModuleExports2 = symbol.flags & 134217728;
          const typeIsAutomatic = type === autoType || type === autoArrayType;
          const isAutomaticTypeInNonNull = typeIsAutomatic && node.parent.kind === 235;
          while (flowContainer !== declarationContainer && (flowContainer.kind === 218 || flowContainer.kind === 219 || isObjectLiteralOrClassExpressionMethodOrAccessor(flowContainer)) && (isConstantVariable(localOrExportSymbol) && type !== autoArrayType || isParameterOrMutableLocalVariable(localOrExportSymbol) && isPastLastAssignment(localOrExportSymbol, node))) {
            flowContainer = getControlFlowContainer(flowContainer);
          }
          const assumeInitialized = isParameter2 || isAlias || isOuterVariable || isSpreadDestructuringAssignmentTarget || isModuleExports2 || isSameScopedBindingElement(node, declaration) || type !== autoType && type !== autoArrayType && (!strictNullChecks || (type.flags & (3 | 16384)) !== 0 || isInTypeQuery(node) || isInAmbientOrTypeNode(node) || node.parent.kind === 281) || node.parent.kind === 235 || declaration.kind === 260 && declaration.exclamationToken || declaration.flags & 33554432;
          const initialType = isAutomaticTypeInNonNull ? undefinedType2 : assumeInitialized ? isParameter2 ? removeOptionalityFromDeclaredType(type, declaration) : type : typeIsAutomatic ? undefinedType2 : getOptionalType(type);
          const flowType = isAutomaticTypeInNonNull ? getNonNullableType(getFlowTypeOfReference(node, type, initialType, flowContainer)) : getFlowTypeOfReference(node, type, initialType, flowContainer);
          if (!isEvolvingArrayOperationTarget(node) && (type === autoType || type === autoArrayType)) {
            if (flowType === autoType || flowType === autoArrayType) {
              if (noImplicitAny) {
                error2(getNameOfDeclaration(declaration), Diagnostics.Variable_0_implicitly_has_type_1_in_some_locations_where_its_type_cannot_be_determined, symbolToString2(symbol), typeToString(flowType));
                error2(node, Diagnostics.Variable_0_implicitly_has_an_1_type, symbolToString2(symbol), typeToString(flowType));
              }
              return convertAutoToAny(flowType);
            }
          } else if (!assumeInitialized && !containsUndefinedType(type) && containsUndefinedType(flowType)) {
            error2(node, Diagnostics.Variable_0_is_used_before_being_assigned, symbolToString2(symbol));
            return type;
          }
          return assignmentKind ? getBaseTypeOfLiteralType(flowType) : flowType;
        }
        function isSameScopedBindingElement(node, declaration) {
          if (isBindingElement(declaration)) {
            const bindingElement = findAncestor(node, isBindingElement);
            return bindingElement && getRootDeclaration(bindingElement) === getRootDeclaration(declaration);
          }
        }
        function shouldMarkIdentifierAliasReferenced(node) {
          var _a;
          const parent2 = node.parent;
          if (parent2) {
            if (isPropertyAccessExpression(parent2) && parent2.expression === node) {
              return false;
            }
            if (isExportSpecifier(parent2) && parent2.isTypeOnly) {
              return false;
            }
            const greatGrandparent = (_a = parent2.parent) == null ? void 0 : _a.parent;
            if (greatGrandparent && isExportDeclaration(greatGrandparent) && greatGrandparent.isTypeOnly) {
              return false;
            }
          }
          return true;
        }
        function isInsideFunctionOrInstancePropertyInitializer(node, threshold) {
          return !!findAncestor(node, (n) => n === threshold ? "quit" : isFunctionLike(n) || n.parent && isPropertyDeclaration(n.parent) && !hasStaticModifier(n.parent) && n.parent.initializer === n);
        }
        function getPartOfForStatementContainingNode(node, container) {
          return findAncestor(node, (n) => n === container ? "quit" : n === container.initializer || n === container.condition || n === container.incrementor || n === container.statement);
        }
        function getEnclosingIterationStatement(node) {
          return findAncestor(node, (n) => !n || nodeStartsNewLexicalEnvironment(n) ? "quit" : isIterationStatement(
            n,
            /*lookInLabeledStatements*/
            false
          ));
        }
        function checkNestedBlockScopedBinding(node, symbol) {
          if (languageVersion >= 2 || (symbol.flags & (2 | 32)) === 0 || !symbol.valueDeclaration || isSourceFile(symbol.valueDeclaration) || symbol.valueDeclaration.parent.kind === 299) {
            return;
          }
          const container = getEnclosingBlockScopeContainer(symbol.valueDeclaration);
          const isCaptured = isInsideFunctionOrInstancePropertyInitializer(node, container);
          const enclosingIterationStatement = getEnclosingIterationStatement(container);
          if (enclosingIterationStatement) {
            if (isCaptured) {
              let capturesBlockScopeBindingInLoopBody = true;
              if (isForStatement(container)) {
                const varDeclList = getAncestor2(
                  symbol.valueDeclaration,
                  261
                  /* VariableDeclarationList */
                );
                if (varDeclList && varDeclList.parent === container) {
                  const part = getPartOfForStatementContainingNode(node.parent, container);
                  if (part) {
                    const links = getNodeLinks(part);
                    links.flags |= 8192;
                    const capturedBindings = links.capturedBlockScopeBindings || (links.capturedBlockScopeBindings = []);
                    pushIfUnique(capturedBindings, symbol);
                    if (part === container.initializer) {
                      capturesBlockScopeBindingInLoopBody = false;
                    }
                  }
                }
              }
              if (capturesBlockScopeBindingInLoopBody) {
                getNodeLinks(enclosingIterationStatement).flags |= 4096;
              }
            }
            if (isForStatement(container)) {
              const varDeclList = getAncestor2(
                symbol.valueDeclaration,
                261
                /* VariableDeclarationList */
              );
              if (varDeclList && varDeclList.parent === container && isAssignedInBodyOfForStatement(node, container)) {
                getNodeLinks(symbol.valueDeclaration).flags |= 65536;
              }
            }
            getNodeLinks(symbol.valueDeclaration).flags |= 32768;
          }
          if (isCaptured) {
            getNodeLinks(symbol.valueDeclaration).flags |= 16384;
          }
        }
        function isBindingCapturedByNode(node, decl) {
          const links = getNodeLinks(node);
          return !!links && contains(links.capturedBlockScopeBindings, getSymbolOfDeclaration(decl));
        }
        function isAssignedInBodyOfForStatement(node, container) {
          let current = node;
          while (current.parent.kind === 217) {
            current = current.parent;
          }
          let isAssigned = false;
          if (isAssignmentTarget(current)) {
            isAssigned = true;
          } else if (current.parent.kind === 224 || current.parent.kind === 225) {
            const expr = current.parent;
            isAssigned = expr.operator === 46 || expr.operator === 47;
          }
          if (!isAssigned) {
            return false;
          }
          return !!findAncestor(current, (n) => n === container ? "quit" : n === container.statement);
        }
        function captureLexicalThis(node, container) {
          getNodeLinks(node).flags |= 2;
          if (container.kind === 172 || container.kind === 176) {
            const classNode = container.parent;
            getNodeLinks(classNode).flags |= 4;
          } else {
            getNodeLinks(container).flags |= 4;
          }
        }
        function findFirstSuperCall(node) {
          return isSuperCall(node) ? node : isFunctionLike(node) ? void 0 : forEachChild(node, findFirstSuperCall);
        }
        function classDeclarationExtendsNull(classDecl) {
          const classSymbol = getSymbolOfDeclaration(classDecl);
          const classInstanceType = getDeclaredTypeOfSymbol(classSymbol);
          const baseConstructorType = getBaseConstructorTypeOfClass(classInstanceType);
          return baseConstructorType === nullWideningType;
        }
        function checkThisBeforeSuper(node, container, diagnosticMessage) {
          const containingClassDecl = container.parent;
          const baseTypeNode = getClassExtendsHeritageElement(containingClassDecl);
          if (baseTypeNode && !classDeclarationExtendsNull(containingClassDecl)) {
            if (canHaveFlowNode(node) && node.flowNode && !isPostSuperFlowNode(
              node.flowNode,
              /*noCacheCheck*/
              false
            )) {
              error2(node, diagnosticMessage);
            }
          }
        }
        function checkThisInStaticClassFieldInitializerInDecoratedClass(thisExpression, container) {
          if (isPropertyDeclaration(container) && hasStaticModifier(container) && legacyDecorators && container.initializer && textRangeContainsPositionInclusive(container.initializer, thisExpression.pos) && hasDecorators(container.parent)) {
            error2(thisExpression, Diagnostics.Cannot_use_this_in_a_static_property_initializer_of_a_decorated_class);
          }
        }
        function checkThisExpression(node) {
          const isNodeInTypeQuery = isInTypeQuery(node);
          let container = getThisContainer(
            node,
            /*includeArrowFunctions*/
            true,
            /*includeClassComputedPropertyName*/
            true
          );
          let capturedByArrowFunction = false;
          let thisInComputedPropertyName = false;
          if (container.kind === 176) {
            checkThisBeforeSuper(node, container, Diagnostics.super_must_be_called_before_accessing_this_in_the_constructor_of_a_derived_class);
          }
          while (true) {
            if (container.kind === 219) {
              container = getThisContainer(
                container,
                /*includeArrowFunctions*/
                false,
                !thisInComputedPropertyName
              );
              capturedByArrowFunction = true;
            }
            if (container.kind === 167) {
              container = getThisContainer(
                container,
                !capturedByArrowFunction,
                /*includeClassComputedPropertyName*/
                false
              );
              thisInComputedPropertyName = true;
              continue;
            }
            break;
          }
          checkThisInStaticClassFieldInitializerInDecoratedClass(node, container);
          if (thisInComputedPropertyName) {
            error2(node, Diagnostics.this_cannot_be_referenced_in_a_computed_property_name);
          } else {
            switch (container.kind) {
              case 267:
                error2(node, Diagnostics.this_cannot_be_referenced_in_a_module_or_namespace_body);
                break;
              case 266:
                error2(node, Diagnostics.this_cannot_be_referenced_in_current_location);
                break;
            }
          }
          if (!isNodeInTypeQuery && capturedByArrowFunction && languageVersion < 2) {
            captureLexicalThis(node, container);
          }
          const type = tryGetThisTypeAt(
            node,
            /*includeGlobalThis*/
            true,
            container
          );
          if (noImplicitThis) {
            const globalThisType2 = getTypeOfSymbol(globalThisSymbol);
            if (type === globalThisType2 && capturedByArrowFunction) {
              error2(node, Diagnostics.The_containing_arrow_function_captures_the_global_value_of_this);
            } else if (!type) {
              const diag2 = error2(node, Diagnostics.this_implicitly_has_type_any_because_it_does_not_have_a_type_annotation);
              if (!isSourceFile(container)) {
                const outsideThis = tryGetThisTypeAt(container);
                if (outsideThis && outsideThis !== globalThisType2) {
                  addRelatedInfo(diag2, createDiagnosticForNode(container, Diagnostics.An_outer_value_of_this_is_shadowed_by_this_container));
                }
              }
            }
          }
          return type || anyType2;
        }
        function tryGetThisTypeAt(node, includeGlobalThis = true, container = getThisContainer(
          node,
          /*includeArrowFunctions*/
          false,
          /*includeClassComputedPropertyName*/
          false
        )) {
          const isInJS = isInJSFile(node);
          if (isFunctionLike(container) && (!isInParameterInitializerBeforeContainingFunction(node) || getThisParameter(container))) {
            let thisType = getThisTypeOfDeclaration(container) || isInJS && getTypeForThisExpressionFromJSDoc(container);
            if (!thisType) {
              const className = getClassNameFromPrototypeMethod(container);
              if (isInJS && className) {
                const classSymbol = checkExpression(className).symbol;
                if (classSymbol && classSymbol.members && classSymbol.flags & 16) {
                  thisType = getDeclaredTypeOfSymbol(classSymbol).thisType;
                }
              } else if (isJSConstructor(container)) {
                thisType = getDeclaredTypeOfSymbol(getMergedSymbol(container.symbol)).thisType;
              }
              thisType || (thisType = getContextualThisParameterType(container));
            }
            if (thisType) {
              return getFlowTypeOfReference(node, thisType);
            }
          }
          if (isClassLike(container.parent)) {
            const symbol = getSymbolOfDeclaration(container.parent);
            const type = isStatic(container) ? getTypeOfSymbol(symbol) : getDeclaredTypeOfSymbol(symbol).thisType;
            return getFlowTypeOfReference(node, type);
          }
          if (isSourceFile(container)) {
            if (container.commonJsModuleIndicator) {
              const fileSymbol = getSymbolOfDeclaration(container);
              return fileSymbol && getTypeOfSymbol(fileSymbol);
            } else if (container.externalModuleIndicator) {
              return undefinedType2;
            } else if (includeGlobalThis) {
              return getTypeOfSymbol(globalThisSymbol);
            }
          }
        }
        function getExplicitThisType(node) {
          const container = getThisContainer(
            node,
            /*includeArrowFunctions*/
            false,
            /*includeClassComputedPropertyName*/
            false
          );
          if (isFunctionLike(container)) {
            const signature = getSignatureFromDeclaration(container);
            if (signature.thisParameter) {
              return getExplicitTypeOfSymbol(signature.thisParameter);
            }
          }
          if (isClassLike(container.parent)) {
            const symbol = getSymbolOfDeclaration(container.parent);
            return isStatic(container) ? getTypeOfSymbol(symbol) : getDeclaredTypeOfSymbol(symbol).thisType;
          }
        }
        function getClassNameFromPrototypeMethod(container) {
          if (container.kind === 218 && isBinaryExpression(container.parent) && getAssignmentDeclarationKind(container.parent) === 3) {
            return container.parent.left.expression.expression;
          } else if (container.kind === 174 && container.parent.kind === 210 && isBinaryExpression(container.parent.parent) && getAssignmentDeclarationKind(container.parent.parent) === 6) {
            return container.parent.parent.left.expression;
          } else if (container.kind === 218 && container.parent.kind === 303 && container.parent.parent.kind === 210 && isBinaryExpression(container.parent.parent.parent) && getAssignmentDeclarationKind(container.parent.parent.parent) === 6) {
            return container.parent.parent.parent.left.expression;
          } else if (container.kind === 218 && isPropertyAssignment(container.parent) && isIdentifier(container.parent.name) && (container.parent.name.escapedText === "value" || container.parent.name.escapedText === "get" || container.parent.name.escapedText === "set") && isObjectLiteralExpression(container.parent.parent) && isCallExpression2(container.parent.parent.parent) && container.parent.parent.parent.arguments[2] === container.parent.parent && getAssignmentDeclarationKind(container.parent.parent.parent) === 9) {
            return container.parent.parent.parent.arguments[0].expression;
          } else if (isMethodDeclaration(container) && isIdentifier(container.name) && (container.name.escapedText === "value" || container.name.escapedText === "get" || container.name.escapedText === "set") && isObjectLiteralExpression(container.parent) && isCallExpression2(container.parent.parent) && container.parent.parent.arguments[2] === container.parent && getAssignmentDeclarationKind(container.parent.parent) === 9) {
            return container.parent.parent.arguments[0].expression;
          }
        }
        function getTypeForThisExpressionFromJSDoc(node) {
          const thisTag = getJSDocThisTag(node);
          if (thisTag && thisTag.typeExpression) {
            return getTypeFromTypeNode(thisTag.typeExpression);
          }
          const signature = getSignatureOfTypeTag(node);
          if (signature) {
            return getThisTypeOfSignature(signature);
          }
        }
        function isInConstructorArgumentInitializer(node, constructorDecl) {
          return !!findAncestor(node, (n) => isFunctionLikeDeclaration(n) ? "quit" : n.kind === 169 && n.parent === constructorDecl);
        }
        function checkSuperExpression(node) {
          const isCallExpression22 = node.parent.kind === 213 && node.parent.expression === node;
          const immediateContainer = getSuperContainer(
            node,
            /*stopOnFunctions*/
            true
          );
          let container = immediateContainer;
          let needToCaptureLexicalThis = false;
          let inAsyncFunction = false;
          if (!isCallExpression22) {
            while (container && container.kind === 219) {
              if (hasSyntacticModifier(
                container,
                1024
                /* Async */
              )) inAsyncFunction = true;
              container = getSuperContainer(
                container,
                /*stopOnFunctions*/
                true
              );
              needToCaptureLexicalThis = languageVersion < 2;
            }
            if (container && hasSyntacticModifier(
              container,
              1024
              /* Async */
            )) inAsyncFunction = true;
          }
          let nodeCheckFlag = 0;
          if (!container || !isLegalUsageOfSuperExpression(container)) {
            const current = findAncestor(
              node,
              (n) => n === container ? "quit" : n.kind === 167
              /* ComputedPropertyName */
            );
            if (current && current.kind === 167) {
              error2(node, Diagnostics.super_cannot_be_referenced_in_a_computed_property_name);
            } else if (isCallExpression22) {
              error2(node, Diagnostics.Super_calls_are_not_permitted_outside_constructors_or_in_nested_functions_inside_constructors);
            } else if (!container || !container.parent || !(isClassLike(container.parent) || container.parent.kind === 210)) {
              error2(node, Diagnostics.super_can_only_be_referenced_in_members_of_derived_classes_or_object_literal_expressions);
            } else {
              error2(node, Diagnostics.super_property_access_is_permitted_only_in_a_constructor_member_function_or_member_accessor_of_a_derived_class);
            }
            return errorType;
          }
          if (!isCallExpression22 && immediateContainer.kind === 176) {
            checkThisBeforeSuper(node, container, Diagnostics.super_must_be_called_before_accessing_a_property_of_super_in_the_constructor_of_a_derived_class);
          }
          if (isStatic(container) || isCallExpression22) {
            nodeCheckFlag = 32;
            if (!isCallExpression22 && languageVersion >= 2 && languageVersion <= 8 && (isPropertyDeclaration(container) || isClassStaticBlockDeclaration(container))) {
              forEachEnclosingBlockScopeContainer(node.parent, (current) => {
                if (!isSourceFile(current) || isExternalOrCommonJsModule(current)) {
                  getNodeLinks(current).flags |= 2097152;
                }
              });
            }
          } else {
            nodeCheckFlag = 16;
          }
          getNodeLinks(node).flags |= nodeCheckFlag;
          if (container.kind === 174 && inAsyncFunction) {
            if (isSuperProperty(node.parent) && isAssignmentTarget(node.parent)) {
              getNodeLinks(container).flags |= 256;
            } else {
              getNodeLinks(container).flags |= 128;
            }
          }
          if (needToCaptureLexicalThis) {
            captureLexicalThis(node.parent, container);
          }
          if (container.parent.kind === 210) {
            if (languageVersion < 2) {
              error2(node, Diagnostics.super_is_only_allowed_in_members_of_object_literal_expressions_when_option_target_is_ES2015_or_higher);
              return errorType;
            } else {
              return anyType2;
            }
          }
          const classLikeDeclaration = container.parent;
          if (!getClassExtendsHeritageElement(classLikeDeclaration)) {
            error2(node, Diagnostics.super_can_only_be_referenced_in_a_derived_class);
            return errorType;
          }
          if (classDeclarationExtendsNull(classLikeDeclaration)) {
            return isCallExpression22 ? errorType : nullWideningType;
          }
          const classType = getDeclaredTypeOfSymbol(getSymbolOfDeclaration(classLikeDeclaration));
          const baseClassType = classType && getBaseTypes(classType)[0];
          if (!baseClassType) {
            return errorType;
          }
          if (container.kind === 176 && isInConstructorArgumentInitializer(node, container)) {
            error2(node, Diagnostics.super_cannot_be_referenced_in_constructor_arguments);
            return errorType;
          }
          return nodeCheckFlag === 32 ? getBaseConstructorTypeOfClass(classType) : getTypeWithThisArgument(baseClassType, classType.thisType);
          function isLegalUsageOfSuperExpression(container2) {
            if (isCallExpression22) {
              return container2.kind === 176;
            } else {
              if (isClassLike(container2.parent) || container2.parent.kind === 210) {
                if (isStatic(container2)) {
                  return container2.kind === 174 || container2.kind === 173 || container2.kind === 177 || container2.kind === 178 || container2.kind === 172 || container2.kind === 175;
                } else {
                  return container2.kind === 174 || container2.kind === 173 || container2.kind === 177 || container2.kind === 178 || container2.kind === 172 || container2.kind === 171 || container2.kind === 176;
                }
              }
            }
            return false;
          }
        }
        function getContainingObjectLiteral(func) {
          return (func.kind === 174 || func.kind === 177 || func.kind === 178) && func.parent.kind === 210 ? func.parent : func.kind === 218 && func.parent.kind === 303 ? func.parent.parent : void 0;
        }
        function getThisTypeArgument(type) {
          return getObjectFlags(type) & 4 && type.target === globalThisType ? getTypeArguments(type)[0] : void 0;
        }
        function getThisTypeFromContextualType(type) {
          return mapType2(type, (t) => {
            return t.flags & 2097152 ? forEach(t.types, getThisTypeArgument) : getThisTypeArgument(t);
          });
        }
        function getThisTypeOfObjectLiteralFromContextualType(containingLiteral, contextualType) {
          let literal = containingLiteral;
          let type = contextualType;
          while (type) {
            const thisType = getThisTypeFromContextualType(type);
            if (thisType) {
              return thisType;
            }
            if (literal.parent.kind !== 303) {
              break;
            }
            literal = literal.parent.parent;
            type = getApparentTypeOfContextualType(
              literal,
              /*contextFlags*/
              void 0
            );
          }
        }
        function getContextualThisParameterType(func) {
          if (func.kind === 219) {
            return void 0;
          }
          if (isContextSensitiveFunctionOrObjectLiteralMethod(func)) {
            const contextualSignature = getContextualSignature(func);
            if (contextualSignature) {
              const thisParameter = contextualSignature.thisParameter;
              if (thisParameter) {
                return getTypeOfSymbol(thisParameter);
              }
            }
          }
          const inJs = isInJSFile(func);
          if (noImplicitThis || inJs) {
            const containingLiteral = getContainingObjectLiteral(func);
            if (containingLiteral) {
              const contextualType = getApparentTypeOfContextualType(
                containingLiteral,
                /*contextFlags*/
                void 0
              );
              const thisType = getThisTypeOfObjectLiteralFromContextualType(containingLiteral, contextualType);
              if (thisType) {
                return instantiateType(thisType, getMapperFromContext(getInferenceContext(containingLiteral)));
              }
              return getWidenedType(contextualType ? getNonNullableType(contextualType) : checkExpressionCached(containingLiteral));
            }
            const parent2 = walkUpParenthesizedExpressions(func.parent);
            if (isAssignmentExpression2(parent2)) {
              const target = parent2.left;
              if (isAccessExpression(target)) {
                const { expression } = target;
                if (inJs && isIdentifier(expression)) {
                  const sourceFile = getSourceFileOfNode(parent2);
                  if (sourceFile.commonJsModuleIndicator && getResolvedSymbol(expression) === sourceFile.symbol) {
                    return void 0;
                  }
                }
                return getWidenedType(checkExpressionCached(expression));
              }
            }
          }
          return void 0;
        }
        function getContextuallyTypedParameterType(parameter) {
          const func = parameter.parent;
          if (!isContextSensitiveFunctionOrObjectLiteralMethod(func)) {
            return void 0;
          }
          const iife = getImmediatelyInvokedFunctionExpression(func);
          if (iife && iife.arguments) {
            const args = getEffectiveCallArguments(iife);
            const indexOfParameter = func.parameters.indexOf(parameter);
            if (parameter.dotDotDotToken) {
              return getSpreadArgumentType(
                args,
                indexOfParameter,
                args.length,
                anyType2,
                /*context*/
                void 0,
                0
                /* Normal */
              );
            }
            const links = getNodeLinks(iife);
            const cached = links.resolvedSignature;
            links.resolvedSignature = anySignature;
            const type = indexOfParameter < args.length ? getWidenedLiteralType(checkExpression(args[indexOfParameter])) : parameter.initializer ? void 0 : undefinedWideningType;
            links.resolvedSignature = cached;
            return type;
          }
          const contextualSignature = getContextualSignature(func);
          if (contextualSignature) {
            const index = func.parameters.indexOf(parameter) - (getThisParameter(func) ? 1 : 0);
            return parameter.dotDotDotToken && lastOrUndefined(func.parameters) === parameter ? getRestTypeAtPosition(contextualSignature, index) : tryGetTypeAtPosition(contextualSignature, index);
          }
        }
        function getContextualTypeForVariableLikeDeclaration(declaration, contextFlags) {
          const typeNode = getEffectiveTypeAnnotationNode(declaration) || (isInJSFile(declaration) ? tryGetJSDocSatisfiesTypeNode(declaration) : void 0);
          if (typeNode) {
            return getTypeFromTypeNode(typeNode);
          }
          switch (declaration.kind) {
            case 169:
              return getContextuallyTypedParameterType(declaration);
            case 208:
              return getContextualTypeForBindingElement(declaration, contextFlags);
            case 172:
              if (isStatic(declaration)) {
                return getContextualTypeForStaticPropertyDeclaration(declaration, contextFlags);
              }
          }
        }
        function getContextualTypeForBindingElement(declaration, contextFlags) {
          const parent2 = declaration.parent.parent;
          const name = declaration.propertyName || declaration.name;
          const parentType = getContextualTypeForVariableLikeDeclaration(parent2, contextFlags) || parent2.kind !== 208 && parent2.initializer && checkDeclarationInitializer(
            parent2,
            declaration.dotDotDotToken ? 32 : 0
            /* Normal */
          );
          if (!parentType || isBindingPattern(name) || isComputedNonLiteralName(name)) return void 0;
          if (parent2.name.kind === 207) {
            const index = indexOfNode(declaration.parent.elements, declaration);
            if (index < 0) return void 0;
            return getContextualTypeForElementExpression(parentType, index);
          }
          const nameType = getLiteralTypeFromPropertyName(name);
          if (isTypeUsableAsPropertyName(nameType)) {
            const text = getPropertyNameFromType(nameType);
            return getTypeOfPropertyOfType(parentType, text);
          }
        }
        function getContextualTypeForStaticPropertyDeclaration(declaration, contextFlags) {
          const parentType = isExpression(declaration.parent) && getContextualType2(declaration.parent, contextFlags);
          if (!parentType) return void 0;
          return getTypeOfPropertyOfContextualType(parentType, getSymbolOfDeclaration(declaration).escapedName);
        }
        function getContextualTypeForInitializerExpression(node, contextFlags) {
          const declaration = node.parent;
          if (hasInitializer(declaration) && node === declaration.initializer) {
            const result = getContextualTypeForVariableLikeDeclaration(declaration, contextFlags);
            if (result) {
              return result;
            }
            if (!(contextFlags & 8) && isBindingPattern(declaration.name) && declaration.name.elements.length > 0) {
              return getTypeFromBindingPattern(
                declaration.name,
                /*includePatternInType*/
                true,
                /*reportErrors*/
                false
              );
            }
          }
          return void 0;
        }
        function getContextualTypeForReturnExpression(node, contextFlags) {
          const func = getContainingFunction(node);
          if (func) {
            let contextualReturnType = getContextualReturnType(func, contextFlags);
            if (contextualReturnType) {
              const functionFlags = getFunctionFlags(func);
              if (functionFlags & 1) {
                const isAsyncGenerator = (functionFlags & 2) !== 0;
                if (contextualReturnType.flags & 1048576) {
                  contextualReturnType = filterType(contextualReturnType, (type) => !!getIterationTypeOfGeneratorFunctionReturnType(1, type, isAsyncGenerator));
                }
                const iterationReturnType = getIterationTypeOfGeneratorFunctionReturnType(1, contextualReturnType, (functionFlags & 2) !== 0);
                if (!iterationReturnType) {
                  return void 0;
                }
                contextualReturnType = iterationReturnType;
              }
              if (functionFlags & 2) {
                const contextualAwaitedType = mapType2(contextualReturnType, getAwaitedTypeNoAlias);
                return contextualAwaitedType && getUnionType([contextualAwaitedType, createPromiseLikeType(contextualAwaitedType)]);
              }
              return contextualReturnType;
            }
          }
          return void 0;
        }
        function getContextualTypeForAwaitOperand(node, contextFlags) {
          const contextualType = getContextualType2(node, contextFlags);
          if (contextualType) {
            const contextualAwaitedType = getAwaitedTypeNoAlias(contextualType);
            return contextualAwaitedType && getUnionType([contextualAwaitedType, createPromiseLikeType(contextualAwaitedType)]);
          }
          return void 0;
        }
        function getContextualTypeForYieldOperand(node, contextFlags) {
          const func = getContainingFunction(node);
          if (func) {
            const functionFlags = getFunctionFlags(func);
            let contextualReturnType = getContextualReturnType(func, contextFlags);
            if (contextualReturnType) {
              const isAsyncGenerator = (functionFlags & 2) !== 0;
              if (!node.asteriskToken && contextualReturnType.flags & 1048576) {
                contextualReturnType = filterType(contextualReturnType, (type) => !!getIterationTypeOfGeneratorFunctionReturnType(1, type, isAsyncGenerator));
              }
              if (node.asteriskToken) {
                const iterationTypes = getIterationTypesOfGeneratorFunctionReturnType(contextualReturnType, isAsyncGenerator);
                const yieldType = (iterationTypes == null ? void 0 : iterationTypes.yieldType) ?? silentNeverType;
                const returnType = getContextualType2(node, contextFlags) ?? silentNeverType;
                const nextType = (iterationTypes == null ? void 0 : iterationTypes.nextType) ?? unknownType2;
                const generatorType = createGeneratorType(
                  yieldType,
                  returnType,
                  nextType,
                  /*isAsyncGenerator*/
                  false
                );
                if (isAsyncGenerator) {
                  const asyncGeneratorType = createGeneratorType(
                    yieldType,
                    returnType,
                    nextType,
                    /*isAsyncGenerator*/
                    true
                  );
                  return getUnionType([generatorType, asyncGeneratorType]);
                }
                return generatorType;
              }
              return getIterationTypeOfGeneratorFunctionReturnType(0, contextualReturnType, isAsyncGenerator);
            }
          }
          return void 0;
        }
        function isInParameterInitializerBeforeContainingFunction(node) {
          let inBindingInitializer = false;
          while (node.parent && !isFunctionLike(node.parent)) {
            if (isParameter(node.parent) && (inBindingInitializer || node.parent.initializer === node)) {
              return true;
            }
            if (isBindingElement(node.parent) && node.parent.initializer === node) {
              inBindingInitializer = true;
            }
            node = node.parent;
          }
          return false;
        }
        function getContextualIterationType(kind, functionDecl) {
          const isAsync2 = !!(getFunctionFlags(functionDecl) & 2);
          const contextualReturnType = getContextualReturnType(
            functionDecl,
            /*contextFlags*/
            void 0
          );
          if (contextualReturnType) {
            return getIterationTypeOfGeneratorFunctionReturnType(kind, contextualReturnType, isAsync2) || void 0;
          }
          return void 0;
        }
        function getContextualReturnType(functionDecl, contextFlags) {
          const returnType = getReturnTypeFromAnnotation(functionDecl);
          if (returnType) {
            return returnType;
          }
          const signature = getContextualSignatureForFunctionLikeDeclaration(functionDecl);
          if (signature && !isResolvingReturnTypeOfSignature(signature)) {
            const returnType2 = getReturnTypeOfSignature(signature);
            const functionFlags = getFunctionFlags(functionDecl);
            if (functionFlags & 1) {
              return filterType(returnType2, (t) => {
                return !!(t.flags & (3 | 16384 | 58982400)) || checkGeneratorInstantiationAssignabilityToReturnType(
                  t,
                  functionFlags,
                  /*errorNode*/
                  void 0
                );
              });
            }
            if (functionFlags & 2) {
              return filterType(returnType2, (t) => {
                return !!(t.flags & (3 | 16384 | 58982400)) || !!getAwaitedTypeOfPromise(t);
              });
            }
            return returnType2;
          }
          const iife = getImmediatelyInvokedFunctionExpression(functionDecl);
          if (iife) {
            return getContextualType2(iife, contextFlags);
          }
          return void 0;
        }
        function getContextualTypeForArgument(callTarget, arg) {
          const args = getEffectiveCallArguments(callTarget);
          const argIndex = args.indexOf(arg);
          return argIndex === -1 ? void 0 : getContextualTypeForArgumentAtIndex(callTarget, argIndex);
        }
        function getContextualTypeForArgumentAtIndex(callTarget, argIndex) {
          if (isImportCall(callTarget)) {
            return argIndex === 0 ? stringType2 : argIndex === 1 ? getGlobalImportCallOptionsType(
              /*reportErrors*/
              false
            ) : anyType2;
          }
          const signature = getNodeLinks(callTarget).resolvedSignature === resolvingSignature ? resolvingSignature : getResolvedSignature(callTarget);
          if (isJsxOpeningLikeElement(callTarget) && argIndex === 0) {
            return getEffectiveFirstArgumentForJsxSignature(signature, callTarget);
          }
          const restIndex = signature.parameters.length - 1;
          return signatureHasRestParameter(signature) && argIndex >= restIndex ? getIndexedAccessType(
            getTypeOfSymbol(signature.parameters[restIndex]),
            getNumberLiteralType(argIndex - restIndex),
            256
            /* Contextual */
          ) : getTypeAtPosition(signature, argIndex);
        }
        function getContextualTypeForDecorator(decorator) {
          const signature = getDecoratorCallSignature(decorator);
          return signature ? getOrCreateTypeFromSignature(signature) : void 0;
        }
        function getContextualTypeForSubstitutionExpression(template, substitutionExpression) {
          if (template.parent.kind === 215) {
            return getContextualTypeForArgument(template.parent, substitutionExpression);
          }
          return void 0;
        }
        function getContextualTypeForBinaryOperand(node, contextFlags) {
          const binaryExpression = node.parent;
          const { left, operatorToken, right } = binaryExpression;
          switch (operatorToken.kind) {
            case 64:
            case 77:
            case 76:
            case 78:
              return node === right ? getContextualTypeForAssignmentDeclaration(binaryExpression) : void 0;
            case 57:
            case 61:
              const type = getContextualType2(binaryExpression, contextFlags);
              return node === right && (type && type.pattern || !type && !isDefaultedExpandoInitializer(binaryExpression)) ? getTypeOfExpression(left) : type;
            case 56:
            case 28:
              return node === right ? getContextualType2(binaryExpression, contextFlags) : void 0;
            default:
              return void 0;
          }
        }
        function getSymbolForExpression(e) {
          if (canHaveSymbol(e) && e.symbol) {
            return e.symbol;
          }
          if (isIdentifier(e)) {
            return getResolvedSymbol(e);
          }
          if (isPropertyAccessExpression(e)) {
            const lhsType = getTypeOfExpression(e.expression);
            return isPrivateIdentifier(e.name) ? tryGetPrivateIdentifierPropertyOfType(lhsType, e.name) : getPropertyOfType(lhsType, e.name.escapedText);
          }
          if (isElementAccessExpression(e)) {
            const propType = checkExpressionCached(e.argumentExpression);
            if (!isTypeUsableAsPropertyName(propType)) {
              return void 0;
            }
            const lhsType = getTypeOfExpression(e.expression);
            return getPropertyOfType(lhsType, getPropertyNameFromType(propType));
          }
          return void 0;
          function tryGetPrivateIdentifierPropertyOfType(type, id) {
            const lexicallyScopedSymbol = lookupSymbolForPrivateIdentifierDeclaration(id.escapedText, id);
            return lexicallyScopedSymbol && getPrivateIdentifierPropertyOfType(type, lexicallyScopedSymbol);
          }
        }
        function getContextualTypeForAssignmentDeclaration(binaryExpression) {
          var _a, _b;
          const kind = getAssignmentDeclarationKind(binaryExpression);
          switch (kind) {
            case 0:
            case 4:
              const lhsSymbol = getSymbolForExpression(binaryExpression.left);
              const decl = lhsSymbol && lhsSymbol.valueDeclaration;
              if (decl && (isPropertyDeclaration(decl) || isPropertySignature(decl))) {
                const overallAnnotation = getEffectiveTypeAnnotationNode(decl);
                return overallAnnotation && instantiateType(getTypeFromTypeNode(overallAnnotation), getSymbolLinks(lhsSymbol).mapper) || (isPropertyDeclaration(decl) ? decl.initializer && getTypeOfExpression(binaryExpression.left) : void 0);
              }
              if (kind === 0) {
                return getTypeOfExpression(binaryExpression.left);
              }
              return getContextualTypeForThisPropertyAssignment(binaryExpression);
            case 5:
              if (isPossiblyAliasedThisProperty(binaryExpression, kind)) {
                return getContextualTypeForThisPropertyAssignment(binaryExpression);
              } else if (!canHaveSymbol(binaryExpression.left) || !binaryExpression.left.symbol) {
                return getTypeOfExpression(binaryExpression.left);
              } else {
                const decl2 = binaryExpression.left.symbol.valueDeclaration;
                if (!decl2) {
                  return void 0;
                }
                const lhs = cast(binaryExpression.left, isAccessExpression);
                const overallAnnotation = getEffectiveTypeAnnotationNode(decl2);
                if (overallAnnotation) {
                  return getTypeFromTypeNode(overallAnnotation);
                } else if (isIdentifier(lhs.expression)) {
                  const id = lhs.expression;
                  const parentSymbol = resolveName(
                    id,
                    id.escapedText,
                    111551,
                    /*nameNotFoundMessage*/
                    void 0,
                    /*isUse*/
                    true
                  );
                  if (parentSymbol) {
                    const annotated2 = parentSymbol.valueDeclaration && getEffectiveTypeAnnotationNode(parentSymbol.valueDeclaration);
                    if (annotated2) {
                      const nameStr = getElementOrPropertyAccessName(lhs);
                      if (nameStr !== void 0) {
                        return getTypeOfPropertyOfContextualType(getTypeFromTypeNode(annotated2), nameStr);
                      }
                    }
                    return void 0;
                  }
                }
                return isInJSFile(decl2) || decl2 === binaryExpression.left ? void 0 : getTypeOfExpression(binaryExpression.left);
              }
            case 1:
            case 6:
            case 3:
            case 2:
              let valueDeclaration;
              if (kind !== 2) {
                valueDeclaration = canHaveSymbol(binaryExpression.left) ? (_a = binaryExpression.left.symbol) == null ? void 0 : _a.valueDeclaration : void 0;
              }
              valueDeclaration || (valueDeclaration = (_b = binaryExpression.symbol) == null ? void 0 : _b.valueDeclaration);
              const annotated = valueDeclaration && getEffectiveTypeAnnotationNode(valueDeclaration);
              return annotated ? getTypeFromTypeNode(annotated) : void 0;
            case 7:
            case 8:
            case 9:
              return Debug.fail("Does not apply");
            default:
              return Debug.assertNever(kind);
          }
        }
        function isPossiblyAliasedThisProperty(declaration, kind = getAssignmentDeclarationKind(declaration)) {
          if (kind === 4) {
            return true;
          }
          if (!isInJSFile(declaration) || kind !== 5 || !isIdentifier(declaration.left.expression)) {
            return false;
          }
          const name = declaration.left.expression.escapedText;
          const symbol = resolveName(
            declaration.left,
            name,
            111551,
            /*nameNotFoundMessage*/
            void 0,
            /*isUse*/
            true,
            /*excludeGlobals*/
            true
          );
          return isThisInitializedDeclaration(symbol == null ? void 0 : symbol.valueDeclaration);
        }
        function getContextualTypeForThisPropertyAssignment(binaryExpression) {
          if (!binaryExpression.symbol) return getTypeOfExpression(binaryExpression.left);
          if (binaryExpression.symbol.valueDeclaration) {
            const annotated = getEffectiveTypeAnnotationNode(binaryExpression.symbol.valueDeclaration);
            if (annotated) {
              const type = getTypeFromTypeNode(annotated);
              if (type) {
                return type;
              }
            }
          }
          const thisAccess = cast(binaryExpression.left, isAccessExpression);
          if (!isObjectLiteralMethod(getThisContainer(
            thisAccess.expression,
            /*includeArrowFunctions*/
            false,
            /*includeClassComputedPropertyName*/
            false
          ))) {
            return void 0;
          }
          const thisType = checkThisExpression(thisAccess.expression);
          const nameStr = getElementOrPropertyAccessName(thisAccess);
          return nameStr !== void 0 && getTypeOfPropertyOfContextualType(thisType, nameStr) || void 0;
        }
        function isCircularMappedProperty(symbol) {
          return !!(getCheckFlags(symbol) & 262144 && !symbol.links.type && findResolutionCycleStartIndex(
            symbol,
            0
            /* Type */
          ) >= 0);
        }
        function getTypeOfPropertyOfContextualType(type, name, nameType) {
          return mapType2(
            type,
            (t) => {
              var _a;
              if (isGenericMappedType(t) && !t.declaration.nameType) {
                const constraint = getConstraintTypeFromMappedType(t);
                const constraintOfConstraint = getBaseConstraintOfType(constraint) || constraint;
                const propertyNameType = nameType || getStringLiteralType(unescapeLeadingUnderscores(name));
                if (isTypeAssignableTo(propertyNameType, constraintOfConstraint)) {
                  return substituteIndexedMappedType(t, propertyNameType);
                }
              } else if (t.flags & 3670016) {
                const prop = getPropertyOfType(t, name);
                if (prop) {
                  return isCircularMappedProperty(prop) ? void 0 : removeMissingType(getTypeOfSymbol(prop), !!(prop.flags & 16777216));
                }
                if (isTupleType(t) && isNumericLiteralName(name) && +name >= 0) {
                  const restType = getElementTypeOfSliceOfTupleType(
                    t,
                    t.target.fixedLength,
                    /*endSkipCount*/
                    0,
                    /*writing*/
                    false,
                    /*noReductions*/
                    true
                  );
                  if (restType) {
                    return restType;
                  }
                }
                return (_a = findApplicableIndexInfo(getIndexInfosOfStructuredType(t), nameType || getStringLiteralType(unescapeLeadingUnderscores(name)))) == null ? void 0 : _a.type;
              }
              return void 0;
            },
            /*noReductions*/
            true
          );
        }
        function getContextualTypeForObjectLiteralMethod(node, contextFlags) {
          Debug.assert(isObjectLiteralMethod(node));
          if (node.flags & 67108864) {
            return void 0;
          }
          return getContextualTypeForObjectLiteralElement(node, contextFlags);
        }
        function getContextualTypeForObjectLiteralElement(element, contextFlags) {
          const objectLiteral = element.parent;
          const propertyAssignmentType = isPropertyAssignment(element) && getContextualTypeForVariableLikeDeclaration(element, contextFlags);
          if (propertyAssignmentType) {
            return propertyAssignmentType;
          }
          const type = getApparentTypeOfContextualType(objectLiteral, contextFlags);
          if (type) {
            if (hasBindableName(element)) {
              const symbol = getSymbolOfDeclaration(element);
              return getTypeOfPropertyOfContextualType(type, symbol.escapedName, getSymbolLinks(symbol).nameType);
            }
            if (hasDynamicName(element)) {
              const name = getNameOfDeclaration(element);
              if (name && isComputedPropertyName(name)) {
                const exprType = checkExpression(name.expression);
                const propType = isTypeUsableAsPropertyName(exprType) && getTypeOfPropertyOfContextualType(type, getPropertyNameFromType(exprType));
                if (propType) {
                  return propType;
                }
              }
            }
            if (element.name) {
              const nameType = getLiteralTypeFromPropertyName(element.name);
              return mapType2(
                type,
                (t) => {
                  var _a;
                  return (_a = findApplicableIndexInfo(getIndexInfosOfStructuredType(t), nameType)) == null ? void 0 : _a.type;
                },
                /*noReductions*/
                true
              );
            }
          }
          return void 0;
        }
        function getSpreadIndices(elements) {
          let first2, last2;
          for (let i = 0; i < elements.length; i++) {
            if (isSpreadElement(elements[i])) {
              first2 ?? (first2 = i);
              last2 = i;
            }
          }
          return { first: first2, last: last2 };
        }
        function getContextualTypeForElementExpression(type, index, length2, firstSpreadIndex, lastSpreadIndex) {
          return type && mapType2(
            type,
            (t) => {
              if (isTupleType(t)) {
                if ((firstSpreadIndex === void 0 || index < firstSpreadIndex) && index < t.target.fixedLength) {
                  return removeMissingType(getTypeArguments(t)[index], !!(t.target.elementFlags[index] && 2));
                }
                const offset = length2 !== void 0 && (lastSpreadIndex === void 0 || index > lastSpreadIndex) ? length2 - index : 0;
                const fixedEndLength = offset > 0 && t.target.hasRestElement ? getEndElementCount(
                  t.target,
                  3
                  /* Fixed */
                ) : 0;
                if (offset > 0 && offset <= fixedEndLength) {
                  return getTypeArguments(t)[getTypeReferenceArity(t) - offset];
                }
                return getElementTypeOfSliceOfTupleType(
                  t,
                  firstSpreadIndex === void 0 ? t.target.fixedLength : Math.min(t.target.fixedLength, firstSpreadIndex),
                  length2 === void 0 || lastSpreadIndex === void 0 ? fixedEndLength : Math.min(fixedEndLength, length2 - lastSpreadIndex),
                  /*writing*/
                  false,
                  /*noReductions*/
                  true
                );
              }
              return (!firstSpreadIndex || index < firstSpreadIndex) && getTypeOfPropertyOfContextualType(t, "" + index) || getIteratedTypeOrElementType(
                1,
                t,
                undefinedType2,
                /*errorNode*/
                void 0,
                /*checkAssignability*/
                false
              );
            },
            /*noReductions*/
            true
          );
        }
        function getContextualTypeForConditionalOperand(node, contextFlags) {
          const conditional = node.parent;
          return node === conditional.whenTrue || node === conditional.whenFalse ? getContextualType2(conditional, contextFlags) : void 0;
        }
        function getContextualTypeForChildJsxExpression(node, child, contextFlags) {
          const attributesType = getApparentTypeOfContextualType(node.openingElement.attributes, contextFlags);
          const jsxChildrenPropertyName = getJsxElementChildrenPropertyName(getJsxNamespaceAt(node));
          if (!(attributesType && !isTypeAny(attributesType) && jsxChildrenPropertyName && jsxChildrenPropertyName !== "")) {
            return void 0;
          }
          const realChildren = getSemanticJsxChildren(node.children);
          const childIndex = realChildren.indexOf(child);
          const childFieldType = getTypeOfPropertyOfContextualType(attributesType, jsxChildrenPropertyName);
          return childFieldType && (realChildren.length === 1 ? childFieldType : mapType2(
            childFieldType,
            (t) => {
              if (isArrayLikeType(t)) {
                return getIndexedAccessType(t, getNumberLiteralType(childIndex));
              } else {
                return t;
              }
            },
            /*noReductions*/
            true
          ));
        }
        function getContextualTypeForJsxExpression(node, contextFlags) {
          const exprParent = node.parent;
          return isJsxAttributeLike(exprParent) ? getContextualType2(node, contextFlags) : isJsxElement(exprParent) ? getContextualTypeForChildJsxExpression(exprParent, node, contextFlags) : void 0;
        }
        function getContextualTypeForJsxAttribute(attribute, contextFlags) {
          if (isJsxAttribute(attribute)) {
            const attributesType = getApparentTypeOfContextualType(attribute.parent, contextFlags);
            if (!attributesType || isTypeAny(attributesType)) {
              return void 0;
            }
            return getTypeOfPropertyOfContextualType(attributesType, getEscapedTextOfJsxAttributeName(attribute.name));
          } else {
            return getContextualType2(attribute.parent, contextFlags);
          }
        }
        function isPossiblyDiscriminantValue(node) {
          switch (node.kind) {
            case 11:
            case 9:
            case 10:
            case 15:
            case 228:
            case 112:
            case 97:
            case 106:
            case 80:
            case 157:
              return true;
            case 211:
            case 217:
              return isPossiblyDiscriminantValue(node.expression);
            case 294:
              return !node.expression || isPossiblyDiscriminantValue(node.expression);
          }
          return false;
        }
        function discriminateContextualTypeByObjectMembers(node, contextualType) {
          const key = `D${getNodeId(node)},${getTypeId(contextualType)}`;
          return getCachedType(key) ?? setCachedType(
            key,
            getMatchingUnionConstituentForObjectLiteral(contextualType, node) ?? discriminateTypeByDiscriminableItems(
              contextualType,
              concatenate(
                map(
                  filter(node.properties, (p) => {
                    if (!p.symbol) {
                      return false;
                    }
                    if (p.kind === 303) {
                      return isPossiblyDiscriminantValue(p.initializer) && isDiscriminantProperty(contextualType, p.symbol.escapedName);
                    }
                    if (p.kind === 304) {
                      return isDiscriminantProperty(contextualType, p.symbol.escapedName);
                    }
                    return false;
                  }),
                  (prop) => [() => getContextFreeTypeOfExpression(prop.kind === 303 ? prop.initializer : prop.name), prop.symbol.escapedName]
                ),
                map(
                  filter(getPropertiesOfType(contextualType), (s) => {
                    var _a;
                    return !!(s.flags & 16777216) && !!((_a = node == null ? void 0 : node.symbol) == null ? void 0 : _a.members) && !node.symbol.members.has(s.escapedName) && isDiscriminantProperty(contextualType, s.escapedName);
                  }),
                  (s) => [() => undefinedType2, s.escapedName]
                )
              ),
              isTypeAssignableTo
            )
          );
        }
        function discriminateContextualTypeByJSXAttributes(node, contextualType) {
          const key = `D${getNodeId(node)},${getTypeId(contextualType)}`;
          const cached = getCachedType(key);
          if (cached) return cached;
          const jsxChildrenPropertyName = getJsxElementChildrenPropertyName(getJsxNamespaceAt(node));
          return setCachedType(
            key,
            discriminateTypeByDiscriminableItems(
              contextualType,
              concatenate(
                map(
                  filter(node.properties, (p) => !!p.symbol && p.kind === 291 && isDiscriminantProperty(contextualType, p.symbol.escapedName) && (!p.initializer || isPossiblyDiscriminantValue(p.initializer))),
                  (prop) => [!prop.initializer ? () => trueType : () => getContextFreeTypeOfExpression(prop.initializer), prop.symbol.escapedName]
                ),
                map(
                  filter(getPropertiesOfType(contextualType), (s) => {
                    var _a;
                    if (!(s.flags & 16777216) || !((_a = node == null ? void 0 : node.symbol) == null ? void 0 : _a.members)) {
                      return false;
                    }
                    const element = node.parent.parent;
                    if (s.escapedName === jsxChildrenPropertyName && isJsxElement(element) && getSemanticJsxChildren(element.children).length) {
                      return false;
                    }
                    return !node.symbol.members.has(s.escapedName) && isDiscriminantProperty(contextualType, s.escapedName);
                  }),
                  (s) => [() => undefinedType2, s.escapedName]
                )
              ),
              isTypeAssignableTo
            )
          );
        }
        function getApparentTypeOfContextualType(node, contextFlags) {
          const contextualType = isObjectLiteralMethod(node) ? getContextualTypeForObjectLiteralMethod(node, contextFlags) : getContextualType2(node, contextFlags);
          const instantiatedType = instantiateContextualType(contextualType, node, contextFlags);
          if (instantiatedType && !(contextFlags && contextFlags & 2 && instantiatedType.flags & 8650752)) {
            const apparentType = mapType2(
              instantiatedType,
              // When obtaining apparent type of *contextual* type we don't want to get apparent type of mapped types.
              // That would evaluate mapped types with array or tuple type constraints too eagerly
              // and thus it would prevent `getTypeOfPropertyOfContextualType` from obtaining per-position contextual type for elements of array literal expressions.
              // Apparent type of other mapped types is already the mapped type itself so we can just avoid calling `getApparentType` here for all mapped types.
              (t) => getObjectFlags(t) & 32 ? t : getApparentType(t),
              /*noReductions*/
              true
            );
            return apparentType.flags & 1048576 && isObjectLiteralExpression(node) ? discriminateContextualTypeByObjectMembers(node, apparentType) : apparentType.flags & 1048576 && isJsxAttributes(node) ? discriminateContextualTypeByJSXAttributes(node, apparentType) : apparentType;
          }
        }
        function instantiateContextualType(contextualType, node, contextFlags) {
          if (contextualType && maybeTypeOfKind(
            contextualType,
            465829888
            /* Instantiable */
          )) {
            const inferenceContext = getInferenceContext(node);
            if (inferenceContext && contextFlags & 1 && some(inferenceContext.inferences, hasInferenceCandidatesOrDefault)) {
              return instantiateInstantiableTypes(contextualType, inferenceContext.nonFixingMapper);
            }
            if (inferenceContext == null ? void 0 : inferenceContext.returnMapper) {
              const type = instantiateInstantiableTypes(contextualType, inferenceContext.returnMapper);
              return type.flags & 1048576 && containsType(type.types, regularFalseType) && containsType(type.types, regularTrueType) ? filterType(type, (t) => t !== regularFalseType && t !== regularTrueType) : type;
            }
          }
          return contextualType;
        }
        function instantiateInstantiableTypes(type, mapper) {
          if (type.flags & 465829888) {
            return instantiateType(type, mapper);
          }
          if (type.flags & 1048576) {
            return getUnionType(
              map(type.types, (t) => instantiateInstantiableTypes(t, mapper)),
              0
              /* None */
            );
          }
          if (type.flags & 2097152) {
            return getIntersectionType(map(type.types, (t) => instantiateInstantiableTypes(t, mapper)));
          }
          return type;
        }
        function getContextualType2(node, contextFlags) {
          var _a;
          if (node.flags & 67108864) {
            return void 0;
          }
          const index = findContextualNode(
            node,
            /*includeCaches*/
            !contextFlags
          );
          if (index >= 0) {
            return contextualTypes[index];
          }
          const { parent: parent2 } = node;
          switch (parent2.kind) {
            case 260:
            case 169:
            case 172:
            case 171:
            case 208:
              return getContextualTypeForInitializerExpression(node, contextFlags);
            case 219:
            case 253:
              return getContextualTypeForReturnExpression(node, contextFlags);
            case 229:
              return getContextualTypeForYieldOperand(parent2, contextFlags);
            case 223:
              return getContextualTypeForAwaitOperand(parent2, contextFlags);
            case 213:
            case 214:
              return getContextualTypeForArgument(parent2, node);
            case 170:
              return getContextualTypeForDecorator(parent2);
            case 216:
            case 234:
              return isConstTypeReference(parent2.type) ? getContextualType2(parent2, contextFlags) : getTypeFromTypeNode(parent2.type);
            case 226:
              return getContextualTypeForBinaryOperand(node, contextFlags);
            case 303:
            case 304:
              return getContextualTypeForObjectLiteralElement(parent2, contextFlags);
            case 305:
              return getContextualType2(parent2.parent, contextFlags);
            case 209: {
              const arrayLiteral = parent2;
              const type = getApparentTypeOfContextualType(arrayLiteral, contextFlags);
              const elementIndex = indexOfNode(arrayLiteral.elements, node);
              const spreadIndices = (_a = getNodeLinks(arrayLiteral)).spreadIndices ?? (_a.spreadIndices = getSpreadIndices(arrayLiteral.elements));
              return getContextualTypeForElementExpression(type, elementIndex, arrayLiteral.elements.length, spreadIndices.first, spreadIndices.last);
            }
            case 227:
              return getContextualTypeForConditionalOperand(node, contextFlags);
            case 239:
              Debug.assert(
                parent2.parent.kind === 228
                /* TemplateExpression */
              );
              return getContextualTypeForSubstitutionExpression(parent2.parent, node);
            case 217: {
              if (isInJSFile(parent2)) {
                if (isJSDocSatisfiesExpression(parent2)) {
                  return getTypeFromTypeNode(getJSDocSatisfiesExpressionType(parent2));
                }
                const typeTag = getJSDocTypeTag(parent2);
                if (typeTag && !isConstTypeReference(typeTag.typeExpression.type)) {
                  return getTypeFromTypeNode(typeTag.typeExpression.type);
                }
              }
              return getContextualType2(parent2, contextFlags);
            }
            case 235:
              return getContextualType2(parent2, contextFlags);
            case 238:
              return getTypeFromTypeNode(parent2.type);
            case 277:
              return tryGetTypeFromEffectiveTypeNode(parent2);
            case 294:
              return getContextualTypeForJsxExpression(parent2, contextFlags);
            case 291:
            case 293:
              return getContextualTypeForJsxAttribute(parent2, contextFlags);
            case 286:
            case 285:
              return getContextualJsxElementAttributesType(parent2, contextFlags);
            case 301:
              return getContextualImportAttributeType(parent2);
          }
          return void 0;
        }
        function pushCachedContextualType(node) {
          pushContextualType(
            node,
            getContextualType2(
              node,
              /*contextFlags*/
              void 0
            ),
            /*isCache*/
            true
          );
        }
        function pushContextualType(node, type, isCache) {
          contextualTypeNodes[contextualTypeCount] = node;
          contextualTypes[contextualTypeCount] = type;
          contextualIsCache[contextualTypeCount] = isCache;
          contextualTypeCount++;
        }
        function popContextualType() {
          contextualTypeCount--;
        }
        function findContextualNode(node, includeCaches) {
          for (let i = contextualTypeCount - 1; i >= 0; i--) {
            if (node === contextualTypeNodes[i] && (includeCaches || !contextualIsCache[i])) {
              return i;
            }
          }
          return -1;
        }
        function pushInferenceContext(node, inferenceContext) {
          inferenceContextNodes[inferenceContextCount] = node;
          inferenceContexts[inferenceContextCount] = inferenceContext;
          inferenceContextCount++;
        }
        function popInferenceContext() {
          inferenceContextCount--;
        }
        function getInferenceContext(node) {
          for (let i = inferenceContextCount - 1; i >= 0; i--) {
            if (isNodeDescendantOf(node, inferenceContextNodes[i])) {
              return inferenceContexts[i];
            }
          }
        }
        function getContextualImportAttributeType(node) {
          return getTypeOfPropertyOfContextualType(getGlobalImportAttributesType(
            /*reportErrors*/
            false
          ), getNameFromImportAttribute(node));
        }
        function getContextualJsxElementAttributesType(node, contextFlags) {
          if (isJsxOpeningElement(node) && contextFlags !== 4) {
            const index = findContextualNode(
              node.parent,
              /*includeCaches*/
              !contextFlags
            );
            if (index >= 0) {
              return contextualTypes[index];
            }
          }
          return getContextualTypeForArgumentAtIndex(node, 0);
        }
        function getEffectiveFirstArgumentForJsxSignature(signature, node) {
          return getJsxReferenceKind(node) !== 0 ? getJsxPropsTypeFromCallSignature(signature, node) : getJsxPropsTypeFromClassType(signature, node);
        }
        function getJsxPropsTypeFromCallSignature(sig, context) {
          let propsType = getTypeOfFirstParameterOfSignatureWithFallback(sig, unknownType2);
          propsType = getJsxManagedAttributesFromLocatedAttributes(context, getJsxNamespaceAt(context), propsType);
          const intrinsicAttribs = getJsxType(JsxNames.IntrinsicAttributes, context);
          if (!isErrorType(intrinsicAttribs)) {
            propsType = intersectTypes(intrinsicAttribs, propsType);
          }
          return propsType;
        }
        function getJsxPropsTypeForSignatureFromMember(sig, forcedLookupLocation) {
          if (sig.compositeSignatures) {
            const results = [];
            for (const signature of sig.compositeSignatures) {
              const instance = getReturnTypeOfSignature(signature);
              if (isTypeAny(instance)) {
                return instance;
              }
              const propType = getTypeOfPropertyOfType(instance, forcedLookupLocation);
              if (!propType) {
                return;
              }
              results.push(propType);
            }
            return getIntersectionType(results);
          }
          const instanceType = getReturnTypeOfSignature(sig);
          return isTypeAny(instanceType) ? instanceType : getTypeOfPropertyOfType(instanceType, forcedLookupLocation);
        }
        function getStaticTypeOfReferencedJsxConstructor(context) {
          if (isJsxIntrinsicTagName(context.tagName)) {
            const result = getIntrinsicAttributesTypeFromJsxOpeningLikeElement(context);
            const fakeSignature = createSignatureForJSXIntrinsic(context, result);
            return getOrCreateTypeFromSignature(fakeSignature);
          }
          const tagType = checkExpressionCached(context.tagName);
          if (tagType.flags & 128) {
            const result = getIntrinsicAttributesTypeFromStringLiteralType(tagType, context);
            if (!result) {
              return errorType;
            }
            const fakeSignature = createSignatureForJSXIntrinsic(context, result);
            return getOrCreateTypeFromSignature(fakeSignature);
          }
          return tagType;
        }
        function getJsxManagedAttributesFromLocatedAttributes(context, ns, attributesType) {
          const managedSym = getJsxLibraryManagedAttributes(ns);
          if (managedSym) {
            const ctorType = getStaticTypeOfReferencedJsxConstructor(context);
            const result = instantiateAliasOrInterfaceWithDefaults(managedSym, isInJSFile(context), ctorType, attributesType);
            if (result) {
              return result;
            }
          }
          return attributesType;
        }
        function getJsxPropsTypeFromClassType(sig, context) {
          const ns = getJsxNamespaceAt(context);
          const forcedLookupLocation = getJsxElementPropertiesName(ns);
          let attributesType = forcedLookupLocation === void 0 ? getTypeOfFirstParameterOfSignatureWithFallback(sig, unknownType2) : forcedLookupLocation === "" ? getReturnTypeOfSignature(sig) : getJsxPropsTypeForSignatureFromMember(sig, forcedLookupLocation);
          if (!attributesType) {
            if (!!forcedLookupLocation && !!length(context.attributes.properties)) {
              error2(context, Diagnostics.JSX_element_class_does_not_support_attributes_because_it_does_not_have_a_0_property, unescapeLeadingUnderscores(forcedLookupLocation));
            }
            return unknownType2;
          }
          attributesType = getJsxManagedAttributesFromLocatedAttributes(context, ns, attributesType);
          if (isTypeAny(attributesType)) {
            return attributesType;
          } else {
            let apparentAttributesType = attributesType;
            const intrinsicClassAttribs = getJsxType(JsxNames.IntrinsicClassAttributes, context);
            if (!isErrorType(intrinsicClassAttribs)) {
              const typeParams = getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(intrinsicClassAttribs.symbol);
              const hostClassType = getReturnTypeOfSignature(sig);
              let libraryManagedAttributeType;
              if (typeParams) {
                const inferredArgs = fillMissingTypeArguments([hostClassType], typeParams, getMinTypeArgumentCount(typeParams), isInJSFile(context));
                libraryManagedAttributeType = instantiateType(intrinsicClassAttribs, createTypeMapper(typeParams, inferredArgs));
              } else libraryManagedAttributeType = intrinsicClassAttribs;
              apparentAttributesType = intersectTypes(libraryManagedAttributeType, apparentAttributesType);
            }
            const intrinsicAttribs = getJsxType(JsxNames.IntrinsicAttributes, context);
            if (!isErrorType(intrinsicAttribs)) {
              apparentAttributesType = intersectTypes(intrinsicAttribs, apparentAttributesType);
            }
            return apparentAttributesType;
          }
        }
        function getIntersectedSignatures(signatures) {
          return getStrictOptionValue(compilerOptions, "noImplicitAny") ? reduceLeft(
            signatures,
            (left, right) => left === right || !left ? left : compareTypeParametersIdentical(left.typeParameters, right.typeParameters) ? combineSignaturesOfIntersectionMembers(left, right) : void 0
          ) : void 0;
        }
        function combineIntersectionThisParam(left, right, mapper) {
          if (!left || !right) {
            return left || right;
          }
          const thisType = getUnionType([getTypeOfSymbol(left), instantiateType(getTypeOfSymbol(right), mapper)]);
          return createSymbolWithType(left, thisType);
        }
        function combineIntersectionParameters(left, right, mapper) {
          const leftCount = getParameterCount(left);
          const rightCount = getParameterCount(right);
          const longest = leftCount >= rightCount ? left : right;
          const shorter = longest === left ? right : left;
          const longestCount = longest === left ? leftCount : rightCount;
          const eitherHasEffectiveRest = hasEffectiveRestParameter(left) || hasEffectiveRestParameter(right);
          const needsExtraRestElement = eitherHasEffectiveRest && !hasEffectiveRestParameter(longest);
          const params = new Array(longestCount + (needsExtraRestElement ? 1 : 0));
          for (let i = 0; i < longestCount; i++) {
            let longestParamType = tryGetTypeAtPosition(longest, i);
            if (longest === right) {
              longestParamType = instantiateType(longestParamType, mapper);
            }
            let shorterParamType = tryGetTypeAtPosition(shorter, i) || unknownType2;
            if (shorter === right) {
              shorterParamType = instantiateType(shorterParamType, mapper);
            }
            const unionParamType = getUnionType([longestParamType, shorterParamType]);
            const isRestParam = eitherHasEffectiveRest && !needsExtraRestElement && i === longestCount - 1;
            const isOptional = i >= getMinArgumentCount(longest) && i >= getMinArgumentCount(shorter);
            const leftName = i >= leftCount ? void 0 : getParameterNameAtPosition(left, i);
            const rightName = i >= rightCount ? void 0 : getParameterNameAtPosition(right, i);
            const paramName = leftName === rightName ? leftName : !leftName ? rightName : !rightName ? leftName : void 0;
            const paramSymbol = createSymbol(
              1 | (isOptional && !isRestParam ? 16777216 : 0),
              paramName || `arg${i}`
            );
            paramSymbol.links.type = isRestParam ? createArrayType(unionParamType) : unionParamType;
            params[i] = paramSymbol;
          }
          if (needsExtraRestElement) {
            const restParamSymbol = createSymbol(1, "args");
            restParamSymbol.links.type = createArrayType(getTypeAtPosition(shorter, longestCount));
            if (shorter === right) {
              restParamSymbol.links.type = instantiateType(restParamSymbol.links.type, mapper);
            }
            params[longestCount] = restParamSymbol;
          }
          return params;
        }
        function combineSignaturesOfIntersectionMembers(left, right) {
          const typeParams = left.typeParameters || right.typeParameters;
          let paramMapper;
          if (left.typeParameters && right.typeParameters) {
            paramMapper = createTypeMapper(right.typeParameters, left.typeParameters);
          }
          const declaration = left.declaration;
          const params = combineIntersectionParameters(left, right, paramMapper);
          const thisParam = combineIntersectionThisParam(left.thisParameter, right.thisParameter, paramMapper);
          const minArgCount = Math.max(left.minArgumentCount, right.minArgumentCount);
          const result = createSignature(
            declaration,
            typeParams,
            thisParam,
            params,
            /*resolvedReturnType*/
            void 0,
            /*resolvedTypePredicate*/
            void 0,
            minArgCount,
            (left.flags | right.flags) & 167
            /* PropagatingFlags */
          );
          result.compositeKind = 2097152;
          result.compositeSignatures = concatenate(left.compositeKind === 2097152 && left.compositeSignatures || [left], [right]);
          if (paramMapper) {
            result.mapper = left.compositeKind === 2097152 && left.mapper && left.compositeSignatures ? combineTypeMappers(left.mapper, paramMapper) : paramMapper;
          }
          return result;
        }
        function getContextualCallSignature(type, node) {
          const signatures = getSignaturesOfType(
            type,
            0
            /* Call */
          );
          const applicableByArity = filter(signatures, (s) => !isAritySmaller(s, node));
          return applicableByArity.length === 1 ? applicableByArity[0] : getIntersectedSignatures(applicableByArity);
        }
        function isAritySmaller(signature, target) {
          let targetParameterCount = 0;
          for (; targetParameterCount < target.parameters.length; targetParameterCount++) {
            const param = target.parameters[targetParameterCount];
            if (param.initializer || param.questionToken || param.dotDotDotToken || isJSDocOptionalParameter(param)) {
              break;
            }
          }
          if (target.parameters.length && parameterIsThisKeyword(target.parameters[0])) {
            targetParameterCount--;
          }
          return !hasEffectiveRestParameter(signature) && getParameterCount(signature) < targetParameterCount;
        }
        function getContextualSignatureForFunctionLikeDeclaration(node) {
          return isFunctionExpressionOrArrowFunction(node) || isObjectLiteralMethod(node) ? getContextualSignature(node) : void 0;
        }
        function getContextualSignature(node) {
          Debug.assert(node.kind !== 174 || isObjectLiteralMethod(node));
          const typeTagSignature = getSignatureOfTypeTag(node);
          if (typeTagSignature) {
            return typeTagSignature;
          }
          const type = getApparentTypeOfContextualType(
            node,
            1
            /* Signature */
          );
          if (!type) {
            return void 0;
          }
          if (!(type.flags & 1048576)) {
            return getContextualCallSignature(type, node);
          }
          let signatureList;
          const types = type.types;
          for (const current of types) {
            const signature = getContextualCallSignature(current, node);
            if (signature) {
              if (!signatureList) {
                signatureList = [signature];
              } else if (!compareSignaturesIdentical(
                signatureList[0],
                signature,
                /*partialMatch*/
                false,
                /*ignoreThisTypes*/
                true,
                /*ignoreReturnTypes*/
                true,
                compareTypesIdentical
              )) {
                return void 0;
              } else {
                signatureList.push(signature);
              }
            }
          }
          if (signatureList) {
            return signatureList.length === 1 ? signatureList[0] : createUnionSignature(signatureList[0], signatureList);
          }
        }
        function checkGrammarRegularExpressionLiteral(node) {
          const sourceFile = getSourceFileOfNode(node);
          if (!hasParseDiagnostics(sourceFile) && !node.isUnterminated) {
            let lastError;
            scanner2 ?? (scanner2 = createScanner(
              99,
              /*skipTrivia*/
              true
            ));
            scanner2.setScriptTarget(sourceFile.languageVersion);
            scanner2.setLanguageVariant(sourceFile.languageVariant);
            scanner2.setOnError((message, length2, arg0) => {
              const start = scanner2.getTokenEnd();
              if (message.category === 3 && lastError && start === lastError.start && length2 === lastError.length) {
                const error3 = createDetachedDiagnostic(sourceFile.fileName, sourceFile.text, start, length2, message, arg0);
                addRelatedInfo(lastError, error3);
              } else if (!lastError || start !== lastError.start) {
                lastError = createFileDiagnostic(sourceFile, start, length2, message, arg0);
                diagnostics.add(lastError);
              }
            });
            scanner2.setText(sourceFile.text, node.pos, node.end - node.pos);
            try {
              scanner2.scan();
              Debug.assert(scanner2.reScanSlashToken(
                /*reportErrors*/
                true
              ) === 14, "Expected scanner to rescan RegularExpressionLiteral");
              return !!lastError;
            } finally {
              scanner2.setText("");
              scanner2.setOnError(
                /*onError*/
                void 0
              );
            }
          }
          return false;
        }
        function checkRegularExpressionLiteral(node) {
          const nodeLinks2 = getNodeLinks(node);
          if (!(nodeLinks2.flags & 1)) {
            nodeLinks2.flags |= 1;
            addLazyDiagnostic(() => checkGrammarRegularExpressionLiteral(node));
          }
          return globalRegExpType;
        }
        function checkSpreadExpression(node, checkMode) {
          if (languageVersion < 2) {
            checkExternalEmitHelpers(
              node,
              compilerOptions.downlevelIteration ? 1536 : 1024
              /* SpreadArray */
            );
          }
          const arrayOrIterableType = checkExpression(node.expression, checkMode);
          return checkIteratedTypeOrElementType(33, arrayOrIterableType, undefinedType2, node.expression);
        }
        function checkSyntheticExpression(node) {
          return node.isSpread ? getIndexedAccessType(node.type, numberType2) : node.type;
        }
        function hasDefaultValue2(node) {
          return node.kind === 208 && !!node.initializer || node.kind === 226 && node.operatorToken.kind === 64;
        }
        function isSpreadIntoCallOrNew(node) {
          const parent2 = walkUpParenthesizedExpressions(node.parent);
          return isSpreadElement(parent2) && isCallOrNewExpression2(parent2.parent);
        }
        function checkArrayLiteral(node, checkMode, forceTuple) {
          const elements = node.elements;
          const elementCount = elements.length;
          const elementTypes = [];
          const elementFlags = [];
          pushCachedContextualType(node);
          const inDestructuringPattern = isAssignmentTarget(node);
          const inConstContext = isConstContext(node);
          const contextualType = getApparentTypeOfContextualType(
            node,
            /*contextFlags*/
            void 0
          );
          const inTupleContext = isSpreadIntoCallOrNew(node) || !!contextualType && someType(contextualType, (t) => isTupleLikeType(t) || isGenericMappedType(t) && !t.nameType && !!getHomomorphicTypeVariable(t.target || t));
          let hasOmittedExpression = false;
          for (let i = 0; i < elementCount; i++) {
            const e = elements[i];
            if (e.kind === 230) {
              if (languageVersion < 2) {
                checkExternalEmitHelpers(
                  e,
                  compilerOptions.downlevelIteration ? 1536 : 1024
                  /* SpreadArray */
                );
              }
              const spreadType = checkExpression(e.expression, checkMode, forceTuple);
              if (isArrayLikeType(spreadType)) {
                elementTypes.push(spreadType);
                elementFlags.push(
                  8
                  /* Variadic */
                );
              } else if (inDestructuringPattern) {
                const restElementType = getIndexTypeOfType(spreadType, numberType2) || getIteratedTypeOrElementType(
                  65,
                  spreadType,
                  undefinedType2,
                  /*errorNode*/
                  void 0,
                  /*checkAssignability*/
                  false
                ) || unknownType2;
                elementTypes.push(restElementType);
                elementFlags.push(
                  4
                  /* Rest */
                );
              } else {
                elementTypes.push(checkIteratedTypeOrElementType(33, spreadType, undefinedType2, e.expression));
                elementFlags.push(
                  4
                  /* Rest */
                );
              }
            } else if (exactOptionalPropertyTypes && e.kind === 232) {
              hasOmittedExpression = true;
              elementTypes.push(undefinedOrMissingType);
              elementFlags.push(
                2
                /* Optional */
              );
            } else {
              const type = checkExpressionForMutableLocation(e, checkMode, forceTuple);
              elementTypes.push(addOptionality(
                type,
                /*isProperty*/
                true,
                hasOmittedExpression
              ));
              elementFlags.push(
                hasOmittedExpression ? 2 : 1
                /* Required */
              );
              if (inTupleContext && checkMode && checkMode & 2 && !(checkMode & 4) && isContextSensitive(e)) {
                const inferenceContext = getInferenceContext(node);
                Debug.assert(inferenceContext);
                addIntraExpressionInferenceSite(inferenceContext, e, type);
              }
            }
          }
          popContextualType();
          if (inDestructuringPattern) {
            return createTupleType(elementTypes, elementFlags);
          }
          if (forceTuple || inConstContext || inTupleContext) {
            return createArrayLiteralType(createTupleType(
              elementTypes,
              elementFlags,
              /*readonly*/
              inConstContext && !(contextualType && someType(contextualType, isMutableArrayLikeType))
            ));
          }
          return createArrayLiteralType(createArrayType(
            elementTypes.length ? getUnionType(
              sameMap(elementTypes, (t, i) => elementFlags[i] & 8 ? getIndexedAccessTypeOrUndefined(t, numberType2) || anyType2 : t),
              2
              /* Subtype */
            ) : strictNullChecks ? implicitNeverType : undefinedWideningType,
            inConstContext
          ));
        }
        function createArrayLiteralType(type) {
          if (!(getObjectFlags(type) & 4)) {
            return type;
          }
          let literalType2 = type.literalType;
          if (!literalType2) {
            literalType2 = type.literalType = cloneTypeReference(type);
            literalType2.objectFlags |= 16384 | 131072;
          }
          return literalType2;
        }
        function isNumericName(name) {
          switch (name.kind) {
            case 167:
              return isNumericComputedName(name);
            case 80:
              return isNumericLiteralName(name.escapedText);
            case 9:
            case 11:
              return isNumericLiteralName(name.text);
            default:
              return false;
          }
        }
        function isNumericComputedName(name) {
          return isTypeAssignableToKind(
            checkComputedPropertyName(name),
            296
            /* NumberLike */
          );
        }
        function checkComputedPropertyName(node) {
          const links = getNodeLinks(node.expression);
          if (!links.resolvedType) {
            if ((isTypeLiteralNode(node.parent.parent) || isClassLike(node.parent.parent) || isInterfaceDeclaration(node.parent.parent)) && isBinaryExpression(node.expression) && node.expression.operatorToken.kind === 103 && node.parent.kind !== 177 && node.parent.kind !== 178) {
              return links.resolvedType = errorType;
            }
            links.resolvedType = checkExpression(node.expression);
            if (isPropertyDeclaration(node.parent) && !hasStaticModifier(node.parent) && isClassExpression(node.parent.parent)) {
              const container = getEnclosingBlockScopeContainer(node.parent.parent);
              const enclosingIterationStatement = getEnclosingIterationStatement(container);
              if (enclosingIterationStatement) {
                getNodeLinks(enclosingIterationStatement).flags |= 4096;
                getNodeLinks(node).flags |= 32768;
                getNodeLinks(node.parent.parent).flags |= 32768;
              }
            }
            if (links.resolvedType.flags & 98304 || !isTypeAssignableToKind(
              links.resolvedType,
              402653316 | 296 | 12288
              /* ESSymbolLike */
            ) && !isTypeAssignableTo(links.resolvedType, stringNumberSymbolType)) {
              error2(node, Diagnostics.A_computed_property_name_must_be_of_type_string_number_symbol_or_any);
            }
          }
          return links.resolvedType;
        }
        function isSymbolWithNumericName(symbol) {
          var _a;
          const firstDecl = (_a = symbol.declarations) == null ? void 0 : _a[0];
          return isNumericLiteralName(symbol.escapedName) || firstDecl && isNamedDeclaration(firstDecl) && isNumericName(firstDecl.name);
        }
        function isSymbolWithSymbolName(symbol) {
          var _a;
          const firstDecl = (_a = symbol.declarations) == null ? void 0 : _a[0];
          return isKnownSymbol(symbol) || firstDecl && isNamedDeclaration(firstDecl) && isComputedPropertyName(firstDecl.name) && isTypeAssignableToKind(
            checkComputedPropertyName(firstDecl.name),
            4096
            /* ESSymbol */
          );
        }
        function getObjectLiteralIndexInfo(node, offset, properties, keyType) {
          const propTypes = [];
          for (let i = offset; i < properties.length; i++) {
            const prop = properties[i];
            if (keyType === stringType2 && !isSymbolWithSymbolName(prop) || keyType === numberType2 && isSymbolWithNumericName(prop) || keyType === esSymbolType && isSymbolWithSymbolName(prop)) {
              propTypes.push(getTypeOfSymbol(properties[i]));
            }
          }
          const unionType2 = propTypes.length ? getUnionType(
            propTypes,
            2
            /* Subtype */
          ) : undefinedType2;
          return createIndexInfo(keyType, unionType2, isConstContext(node));
        }
        function getImmediateAliasedSymbol(symbol) {
          Debug.assert((symbol.flags & 2097152) !== 0, "Should only get Alias here.");
          const links = getSymbolLinks(symbol);
          if (!links.immediateTarget) {
            const node = getDeclarationOfAliasSymbol(symbol);
            if (!node) return Debug.fail();
            links.immediateTarget = getTargetOfAliasDeclaration(
              node,
              /*dontRecursivelyResolve*/
              true
            );
          }
          return links.immediateTarget;
        }
        function checkObjectLiteral(node, checkMode = 0) {
          var _a;
          const inDestructuringPattern = isAssignmentTarget(node);
          checkGrammarObjectLiteralExpression(node, inDestructuringPattern);
          const allPropertiesTable = strictNullChecks ? createSymbolTable() : void 0;
          let propertiesTable = createSymbolTable();
          let propertiesArray = [];
          let spread = emptyObjectType;
          pushCachedContextualType(node);
          const contextualType = getApparentTypeOfContextualType(
            node,
            /*contextFlags*/
            void 0
          );
          const contextualTypeHasPattern = contextualType && contextualType.pattern && (contextualType.pattern.kind === 206 || contextualType.pattern.kind === 210);
          const inConstContext = isConstContext(node);
          const checkFlags = inConstContext ? 8 : 0;
          const isInJavascript = isInJSFile(node) && !isInJsonFile(node);
          const enumTag = isInJavascript ? getJSDocEnumTag(node) : void 0;
          const isJSObjectLiteral = !contextualType && isInJavascript && !enumTag;
          let objectFlags = 8192;
          let patternWithComputedProperties = false;
          let hasComputedStringProperty = false;
          let hasComputedNumberProperty = false;
          let hasComputedSymbolProperty = false;
          for (const elem of node.properties) {
            if (elem.name && isComputedPropertyName(elem.name)) {
              checkComputedPropertyName(elem.name);
            }
          }
          let offset = 0;
          for (const memberDecl of node.properties) {
            let member = getSymbolOfDeclaration(memberDecl);
            const computedNameType = memberDecl.name && memberDecl.name.kind === 167 ? checkComputedPropertyName(memberDecl.name) : void 0;
            if (memberDecl.kind === 303 || memberDecl.kind === 304 || isObjectLiteralMethod(memberDecl)) {
              let type = memberDecl.kind === 303 ? checkPropertyAssignment(memberDecl, checkMode) : (
                // avoid resolving the left side of the ShorthandPropertyAssignment outside of the destructuring
                // for error recovery purposes. For example, if a user wrote `{ a = 100 }` instead of `{ a: 100 }`.
                // we don't want to say "could not find 'a'".
                memberDecl.kind === 304 ? checkExpressionForMutableLocation(!inDestructuringPattern && memberDecl.objectAssignmentInitializer ? memberDecl.objectAssignmentInitializer : memberDecl.name, checkMode) : checkObjectLiteralMethod(memberDecl, checkMode)
              );
              if (isInJavascript) {
                const jsDocType = getTypeForDeclarationFromJSDocComment(memberDecl);
                if (jsDocType) {
                  checkTypeAssignableTo(type, jsDocType, memberDecl);
                  type = jsDocType;
                } else if (enumTag && enumTag.typeExpression) {
                  checkTypeAssignableTo(type, getTypeFromTypeNode(enumTag.typeExpression), memberDecl);
                }
              }
              objectFlags |= getObjectFlags(type) & 458752;
              const nameType = computedNameType && isTypeUsableAsPropertyName(computedNameType) ? computedNameType : void 0;
              const prop = nameType ? createSymbol(
                4 | member.flags,
                getPropertyNameFromType(nameType),
                checkFlags | 4096
                /* Late */
              ) : createSymbol(4 | member.flags, member.escapedName, checkFlags);
              if (nameType) {
                prop.links.nameType = nameType;
              }
              if (inDestructuringPattern) {
                const isOptional = memberDecl.kind === 303 && hasDefaultValue2(memberDecl.initializer) || memberDecl.kind === 304 && memberDecl.objectAssignmentInitializer;
                if (isOptional) {
                  prop.flags |= 16777216;
                }
              } else if (contextualTypeHasPattern && !(getObjectFlags(contextualType) & 512)) {
                const impliedProp = getPropertyOfType(contextualType, member.escapedName);
                if (impliedProp) {
                  prop.flags |= impliedProp.flags & 16777216;
                } else if (!getIndexInfoOfType(contextualType, stringType2)) {
                  error2(memberDecl.name, Diagnostics.Object_literal_may_only_specify_known_properties_and_0_does_not_exist_in_type_1, symbolToString2(member), typeToString(contextualType));
                }
              }
              prop.declarations = member.declarations;
              prop.parent = member.parent;
              if (member.valueDeclaration) {
                prop.valueDeclaration = member.valueDeclaration;
              }
              prop.links.type = type;
              prop.links.target = member;
              member = prop;
              allPropertiesTable == null ? void 0 : allPropertiesTable.set(prop.escapedName, prop);
              if (contextualType && checkMode & 2 && !(checkMode & 4) && (memberDecl.kind === 303 || memberDecl.kind === 174) && isContextSensitive(memberDecl)) {
                const inferenceContext = getInferenceContext(node);
                Debug.assert(inferenceContext);
                const inferenceNode = memberDecl.kind === 303 ? memberDecl.initializer : memberDecl;
                addIntraExpressionInferenceSite(inferenceContext, inferenceNode, type);
              }
            } else if (memberDecl.kind === 305) {
              if (languageVersion < 2) {
                checkExternalEmitHelpers(
                  memberDecl,
                  2
                  /* Assign */
                );
              }
              if (propertiesArray.length > 0) {
                spread = getSpreadType(spread, createObjectLiteralType(), node.symbol, objectFlags, inConstContext);
                propertiesArray = [];
                propertiesTable = createSymbolTable();
                hasComputedStringProperty = false;
                hasComputedNumberProperty = false;
                hasComputedSymbolProperty = false;
              }
              const type = getReducedType(checkExpression(
                memberDecl.expression,
                checkMode & 2
                /* Inferential */
              ));
              if (isValidSpreadType(type)) {
                const mergedType = tryMergeUnionOfObjectTypeAndEmptyObject(type, inConstContext);
                if (allPropertiesTable) {
                  checkSpreadPropOverrides(mergedType, allPropertiesTable, memberDecl);
                }
                offset = propertiesArray.length;
                if (isErrorType(spread)) {
                  continue;
                }
                spread = getSpreadType(spread, mergedType, node.symbol, objectFlags, inConstContext);
              } else {
                error2(memberDecl, Diagnostics.Spread_types_may_only_be_created_from_object_types);
                spread = errorType;
              }
              continue;
            } else {
              Debug.assert(
                memberDecl.kind === 177 || memberDecl.kind === 178
                /* SetAccessor */
              );
              checkNodeDeferred(memberDecl);
            }
            if (computedNameType && !(computedNameType.flags & 8576)) {
              if (isTypeAssignableTo(computedNameType, stringNumberSymbolType)) {
                if (isTypeAssignableTo(computedNameType, numberType2)) {
                  hasComputedNumberProperty = true;
                } else if (isTypeAssignableTo(computedNameType, esSymbolType)) {
                  hasComputedSymbolProperty = true;
                } else {
                  hasComputedStringProperty = true;
                }
                if (inDestructuringPattern) {
                  patternWithComputedProperties = true;
                }
              }
            } else {
              propertiesTable.set(member.escapedName, member);
            }
            propertiesArray.push(member);
          }
          popContextualType();
          if (contextualTypeHasPattern) {
            const rootPatternParent = findAncestor(
              contextualType.pattern.parent,
              (n) => n.kind === 260 || n.kind === 226 || n.kind === 169
              /* Parameter */
            );
            const spreadOrOutsideRootObject = findAncestor(
              node,
              (n) => n === rootPatternParent || n.kind === 305
              /* SpreadAssignment */
            );
            if (spreadOrOutsideRootObject.kind !== 305) {
              for (const prop of getPropertiesOfType(contextualType)) {
                if (!propertiesTable.get(prop.escapedName) && !getPropertyOfType(spread, prop.escapedName)) {
                  if (!(prop.flags & 16777216)) {
                    error2(prop.valueDeclaration || ((_a = tryCast(prop, isTransientSymbol)) == null ? void 0 : _a.links.bindingElement), Diagnostics.Initializer_provides_no_value_for_this_binding_element_and_the_binding_element_has_no_default_value);
                  }
                  propertiesTable.set(prop.escapedName, prop);
                  propertiesArray.push(prop);
                }
              }
            }
          }
          if (isErrorType(spread)) {
            return errorType;
          }
          if (spread !== emptyObjectType) {
            if (propertiesArray.length > 0) {
              spread = getSpreadType(spread, createObjectLiteralType(), node.symbol, objectFlags, inConstContext);
              propertiesArray = [];
              propertiesTable = createSymbolTable();
              hasComputedStringProperty = false;
              hasComputedNumberProperty = false;
            }
            return mapType2(spread, (t) => t === emptyObjectType ? createObjectLiteralType() : t);
          }
          return createObjectLiteralType();
          function createObjectLiteralType() {
            const indexInfos = [];
            if (hasComputedStringProperty) indexInfos.push(getObjectLiteralIndexInfo(node, offset, propertiesArray, stringType2));
            if (hasComputedNumberProperty) indexInfos.push(getObjectLiteralIndexInfo(node, offset, propertiesArray, numberType2));
            if (hasComputedSymbolProperty) indexInfos.push(getObjectLiteralIndexInfo(node, offset, propertiesArray, esSymbolType));
            const result = createAnonymousType(node.symbol, propertiesTable, emptyArray, emptyArray, indexInfos);
            result.objectFlags |= objectFlags | 128 | 131072;
            if (isJSObjectLiteral) {
              result.objectFlags |= 4096;
            }
            if (patternWithComputedProperties) {
              result.objectFlags |= 512;
            }
            if (inDestructuringPattern) {
              result.pattern = node;
            }
            return result;
          }
        }
        function isValidSpreadType(type) {
          const t = removeDefinitelyFalsyTypes(mapType2(type, getBaseConstraintOrType));
          return !!(t.flags & (1 | 67108864 | 524288 | 58982400) || t.flags & 3145728 && every(t.types, isValidSpreadType));
        }
        function checkJsxSelfClosingElementDeferred(node) {
          checkJsxOpeningLikeElementOrOpeningFragment(node);
        }
        function checkJsxSelfClosingElement(node, _checkMode) {
          checkNodeDeferred(node);
          return getJsxElementTypeAt(node) || anyType2;
        }
        function checkJsxElementDeferred(node) {
          checkJsxOpeningLikeElementOrOpeningFragment(node.openingElement);
          if (isJsxIntrinsicTagName(node.closingElement.tagName)) {
            getIntrinsicTagSymbol(node.closingElement);
          } else {
            checkExpression(node.closingElement.tagName);
          }
          checkJsxChildren(node);
        }
        function checkJsxElement(node, _checkMode) {
          checkNodeDeferred(node);
          return getJsxElementTypeAt(node) || anyType2;
        }
        function checkJsxFragment(node) {
          checkJsxOpeningLikeElementOrOpeningFragment(node.openingFragment);
          const nodeSourceFile = getSourceFileOfNode(node);
          if (getJSXTransformEnabled(compilerOptions) && (compilerOptions.jsxFactory || nodeSourceFile.pragmas.has("jsx")) && !compilerOptions.jsxFragmentFactory && !nodeSourceFile.pragmas.has("jsxfrag")) {
            error2(
              node,
              compilerOptions.jsxFactory ? Diagnostics.The_jsxFragmentFactory_compiler_option_must_be_provided_to_use_JSX_fragments_with_the_jsxFactory_compiler_option : Diagnostics.An_jsxFrag_pragma_is_required_when_using_an_jsx_pragma_with_JSX_fragments
            );
          }
          checkJsxChildren(node);
          return getJsxElementTypeAt(node) || anyType2;
        }
        function isHyphenatedJsxName(name) {
          return name.includes("-");
        }
        function isJsxIntrinsicTagName(tagName) {
          return isIdentifier(tagName) && isIntrinsicJsxName(tagName.escapedText) || isJsxNamespacedName(tagName);
        }
        function checkJsxAttribute(node, checkMode) {
          return node.initializer ? checkExpressionForMutableLocation(node.initializer, checkMode) : trueType;
        }
        function createJsxAttributesTypeFromAttributesProperty(openingLikeElement, checkMode = 0) {
          const attributes = openingLikeElement.attributes;
          const contextualType = getContextualType2(
            attributes,
            0
            /* None */
          );
          const allAttributesTable = strictNullChecks ? createSymbolTable() : void 0;
          let attributesTable = createSymbolTable();
          let spread = emptyJsxObjectType;
          let hasSpreadAnyType = false;
          let typeToIntersect;
          let explicitlySpecifyChildrenAttribute = false;
          let objectFlags = 2048;
          const jsxChildrenPropertyName = getJsxElementChildrenPropertyName(getJsxNamespaceAt(openingLikeElement));
          for (const attributeDecl of attributes.properties) {
            const member = attributeDecl.symbol;
            if (isJsxAttribute(attributeDecl)) {
              const exprType = checkJsxAttribute(attributeDecl, checkMode);
              objectFlags |= getObjectFlags(exprType) & 458752;
              const attributeSymbol = createSymbol(4 | member.flags, member.escapedName);
              attributeSymbol.declarations = member.declarations;
              attributeSymbol.parent = member.parent;
              if (member.valueDeclaration) {
                attributeSymbol.valueDeclaration = member.valueDeclaration;
              }
              attributeSymbol.links.type = exprType;
              attributeSymbol.links.target = member;
              attributesTable.set(attributeSymbol.escapedName, attributeSymbol);
              allAttributesTable == null ? void 0 : allAttributesTable.set(attributeSymbol.escapedName, attributeSymbol);
              if (getEscapedTextOfJsxAttributeName(attributeDecl.name) === jsxChildrenPropertyName) {
                explicitlySpecifyChildrenAttribute = true;
              }
              if (contextualType) {
                const prop = getPropertyOfType(contextualType, member.escapedName);
                if (prop && prop.declarations && isDeprecatedSymbol(prop) && isIdentifier(attributeDecl.name)) {
                  addDeprecatedSuggestion(attributeDecl.name, prop.declarations, attributeDecl.name.escapedText);
                }
              }
              if (contextualType && checkMode & 2 && !(checkMode & 4) && isContextSensitive(attributeDecl)) {
                const inferenceContext = getInferenceContext(attributes);
                Debug.assert(inferenceContext);
                const inferenceNode = attributeDecl.initializer.expression;
                addIntraExpressionInferenceSite(inferenceContext, inferenceNode, exprType);
              }
            } else {
              Debug.assert(
                attributeDecl.kind === 293
                /* JsxSpreadAttribute */
              );
              if (attributesTable.size > 0) {
                spread = getSpreadType(
                  spread,
                  createJsxAttributesType(),
                  attributes.symbol,
                  objectFlags,
                  /*readonly*/
                  false
                );
                attributesTable = createSymbolTable();
              }
              const exprType = getReducedType(checkExpression(
                attributeDecl.expression,
                checkMode & 2
                /* Inferential */
              ));
              if (isTypeAny(exprType)) {
                hasSpreadAnyType = true;
              }
              if (isValidSpreadType(exprType)) {
                spread = getSpreadType(
                  spread,
                  exprType,
                  attributes.symbol,
                  objectFlags,
                  /*readonly*/
                  false
                );
                if (allAttributesTable) {
                  checkSpreadPropOverrides(exprType, allAttributesTable, attributeDecl);
                }
              } else {
                error2(attributeDecl.expression, Diagnostics.Spread_types_may_only_be_created_from_object_types);
                typeToIntersect = typeToIntersect ? getIntersectionType([typeToIntersect, exprType]) : exprType;
              }
            }
          }
          if (!hasSpreadAnyType) {
            if (attributesTable.size > 0) {
              spread = getSpreadType(
                spread,
                createJsxAttributesType(),
                attributes.symbol,
                objectFlags,
                /*readonly*/
                false
              );
            }
          }
          const parent2 = openingLikeElement.parent.kind === 284 ? openingLikeElement.parent : void 0;
          if (parent2 && parent2.openingElement === openingLikeElement && getSemanticJsxChildren(parent2.children).length > 0) {
            const childrenTypes = checkJsxChildren(parent2, checkMode);
            if (!hasSpreadAnyType && jsxChildrenPropertyName && jsxChildrenPropertyName !== "") {
              if (explicitlySpecifyChildrenAttribute) {
                error2(attributes, Diagnostics._0_are_specified_twice_The_attribute_named_0_will_be_overwritten, unescapeLeadingUnderscores(jsxChildrenPropertyName));
              }
              const contextualType2 = getApparentTypeOfContextualType(
                openingLikeElement.attributes,
                /*contextFlags*/
                void 0
              );
              const childrenContextualType = contextualType2 && getTypeOfPropertyOfContextualType(contextualType2, jsxChildrenPropertyName);
              const childrenPropSymbol = createSymbol(4, jsxChildrenPropertyName);
              childrenPropSymbol.links.type = childrenTypes.length === 1 ? childrenTypes[0] : childrenContextualType && someType(childrenContextualType, isTupleLikeType) ? createTupleType(childrenTypes) : createArrayType(getUnionType(childrenTypes));
              childrenPropSymbol.valueDeclaration = factory.createPropertySignature(
                /*modifiers*/
                void 0,
                unescapeLeadingUnderscores(jsxChildrenPropertyName),
                /*questionToken*/
                void 0,
                /*type*/
                void 0
              );
              setParent(childrenPropSymbol.valueDeclaration, attributes);
              childrenPropSymbol.valueDeclaration.symbol = childrenPropSymbol;
              const childPropMap = createSymbolTable();
              childPropMap.set(jsxChildrenPropertyName, childrenPropSymbol);
              spread = getSpreadType(
                spread,
                createAnonymousType(attributes.symbol, childPropMap, emptyArray, emptyArray, emptyArray),
                attributes.symbol,
                objectFlags,
                /*readonly*/
                false
              );
            }
          }
          if (hasSpreadAnyType) {
            return anyType2;
          }
          if (typeToIntersect && spread !== emptyJsxObjectType) {
            return getIntersectionType([typeToIntersect, spread]);
          }
          return typeToIntersect || (spread === emptyJsxObjectType ? createJsxAttributesType() : spread);
          function createJsxAttributesType() {
            objectFlags |= 8192;
            const result = createAnonymousType(attributes.symbol, attributesTable, emptyArray, emptyArray, emptyArray);
            result.objectFlags |= objectFlags | 128 | 131072;
            return result;
          }
        }
        function checkJsxChildren(node, checkMode) {
          const childrenTypes = [];
          for (const child of node.children) {
            if (child.kind === 12) {
              if (!child.containsOnlyTriviaWhiteSpaces) {
                childrenTypes.push(stringType2);
              }
            } else if (child.kind === 294 && !child.expression) {
              continue;
            } else {
              childrenTypes.push(checkExpressionForMutableLocation(child, checkMode));
            }
          }
          return childrenTypes;
        }
        function checkSpreadPropOverrides(type, props, spread) {
          for (const right of getPropertiesOfType(type)) {
            if (!(right.flags & 16777216)) {
              const left = props.get(right.escapedName);
              if (left) {
                const diagnostic = error2(left.valueDeclaration, Diagnostics._0_is_specified_more_than_once_so_this_usage_will_be_overwritten, unescapeLeadingUnderscores(left.escapedName));
                addRelatedInfo(diagnostic, createDiagnosticForNode(spread, Diagnostics.This_spread_always_overwrites_this_property));
              }
            }
          }
        }
        function checkJsxAttributes(node, checkMode) {
          return createJsxAttributesTypeFromAttributesProperty(node.parent, checkMode);
        }
        function getJsxType(name, location) {
          const namespace = getJsxNamespaceAt(location);
          const exports22 = namespace && getExportsOfSymbol(namespace);
          const typeSymbol = exports22 && getSymbol2(
            exports22,
            name,
            788968
            /* Type */
          );
          return typeSymbol ? getDeclaredTypeOfSymbol(typeSymbol) : errorType;
        }
        function getIntrinsicTagSymbol(node) {
          const links = getNodeLinks(node);
          if (!links.resolvedSymbol) {
            const intrinsicElementsType = getJsxType(JsxNames.IntrinsicElements, node);
            if (!isErrorType(intrinsicElementsType)) {
              if (!isIdentifier(node.tagName) && !isJsxNamespacedName(node.tagName)) return Debug.fail();
              const propName = isJsxNamespacedName(node.tagName) ? getEscapedTextOfJsxNamespacedName(node.tagName) : node.tagName.escapedText;
              const intrinsicProp = getPropertyOfType(intrinsicElementsType, propName);
              if (intrinsicProp) {
                links.jsxFlags |= 1;
                return links.resolvedSymbol = intrinsicProp;
              }
              const indexSymbol = getApplicableIndexSymbol(intrinsicElementsType, getStringLiteralType(unescapeLeadingUnderscores(propName)));
              if (indexSymbol) {
                links.jsxFlags |= 2;
                return links.resolvedSymbol = indexSymbol;
              }
              if (getTypeOfPropertyOrIndexSignatureOfType(intrinsicElementsType, propName)) {
                links.jsxFlags |= 2;
                return links.resolvedSymbol = intrinsicElementsType.symbol;
              }
              error2(node, Diagnostics.Property_0_does_not_exist_on_type_1, intrinsicTagNameToString(node.tagName), "JSX." + JsxNames.IntrinsicElements);
              return links.resolvedSymbol = unknownSymbol;
            } else {
              if (noImplicitAny) {
                error2(node, Diagnostics.JSX_element_implicitly_has_type_any_because_no_interface_JSX_0_exists, unescapeLeadingUnderscores(JsxNames.IntrinsicElements));
              }
              return links.resolvedSymbol = unknownSymbol;
            }
          }
          return links.resolvedSymbol;
        }
        function getJsxNamespaceContainerForImplicitImport(location) {
          const file = location && getSourceFileOfNode(location);
          const links = file && getNodeLinks(file);
          if (links && links.jsxImplicitImportContainer === false) {
            return void 0;
          }
          if (links && links.jsxImplicitImportContainer) {
            return links.jsxImplicitImportContainer;
          }
          const runtimeImportSpecifier = getJSXRuntimeImport(getJSXImplicitImportBase(compilerOptions, file), compilerOptions);
          if (!runtimeImportSpecifier) {
            return void 0;
          }
          const isClassic = getEmitModuleResolutionKind(compilerOptions) === 1;
          const errorMessage = isClassic ? Diagnostics.Cannot_find_module_0_Did_you_mean_to_set_the_moduleResolution_option_to_nodenext_or_to_add_aliases_to_the_paths_option : Diagnostics.Cannot_find_module_0_or_its_corresponding_type_declarations;
          const specifier = getJSXRuntimeImportSpecifier(file, runtimeImportSpecifier);
          const mod = resolveExternalModule(specifier || location, runtimeImportSpecifier, errorMessage, location);
          const result = mod && mod !== unknownSymbol ? getMergedSymbol(resolveSymbol(mod)) : void 0;
          if (links) {
            links.jsxImplicitImportContainer = result || false;
          }
          return result;
        }
        function getJsxNamespaceAt(location) {
          const links = location && getNodeLinks(location);
          if (links && links.jsxNamespace) {
            return links.jsxNamespace;
          }
          if (!links || links.jsxNamespace !== false) {
            let resolvedNamespace = getJsxNamespaceContainerForImplicitImport(location);
            if (!resolvedNamespace || resolvedNamespace === unknownSymbol) {
              const namespaceName = getJsxNamespace(location);
              resolvedNamespace = resolveName(
                location,
                namespaceName,
                1920,
                /*nameNotFoundMessage*/
                void 0,
                /*isUse*/
                false
              );
            }
            if (resolvedNamespace) {
              const candidate = resolveSymbol(getSymbol2(
                getExportsOfSymbol(resolveSymbol(resolvedNamespace)),
                JsxNames.JSX,
                1920
                /* Namespace */
              ));
              if (candidate && candidate !== unknownSymbol) {
                if (links) {
                  links.jsxNamespace = candidate;
                }
                return candidate;
              }
            }
            if (links) {
              links.jsxNamespace = false;
            }
          }
          const s = resolveSymbol(getGlobalSymbol(
            JsxNames.JSX,
            1920,
            /*diagnostic*/
            void 0
          ));
          if (s === unknownSymbol) {
            return void 0;
          }
          return s;
        }
        function getNameFromJsxElementAttributesContainer(nameOfAttribPropContainer, jsxNamespace) {
          const jsxElementAttribPropInterfaceSym = jsxNamespace && getSymbol2(
            jsxNamespace.exports,
            nameOfAttribPropContainer,
            788968
            /* Type */
          );
          const jsxElementAttribPropInterfaceType = jsxElementAttribPropInterfaceSym && getDeclaredTypeOfSymbol(jsxElementAttribPropInterfaceSym);
          const propertiesOfJsxElementAttribPropInterface = jsxElementAttribPropInterfaceType && getPropertiesOfType(jsxElementAttribPropInterfaceType);
          if (propertiesOfJsxElementAttribPropInterface) {
            if (propertiesOfJsxElementAttribPropInterface.length === 0) {
              return "";
            } else if (propertiesOfJsxElementAttribPropInterface.length === 1) {
              return propertiesOfJsxElementAttribPropInterface[0].escapedName;
            } else if (propertiesOfJsxElementAttribPropInterface.length > 1 && jsxElementAttribPropInterfaceSym.declarations) {
              error2(jsxElementAttribPropInterfaceSym.declarations[0], Diagnostics.The_global_type_JSX_0_may_not_have_more_than_one_property, unescapeLeadingUnderscores(nameOfAttribPropContainer));
            }
          }
          return void 0;
        }
        function getJsxLibraryManagedAttributes(jsxNamespace) {
          return jsxNamespace && getSymbol2(
            jsxNamespace.exports,
            JsxNames.LibraryManagedAttributes,
            788968
            /* Type */
          );
        }
        function getJsxElementTypeSymbol(jsxNamespace) {
          return jsxNamespace && getSymbol2(
            jsxNamespace.exports,
            JsxNames.ElementType,
            788968
            /* Type */
          );
        }
        function getJsxElementPropertiesName(jsxNamespace) {
          return getNameFromJsxElementAttributesContainer(JsxNames.ElementAttributesPropertyNameContainer, jsxNamespace);
        }
        function getJsxElementChildrenPropertyName(jsxNamespace) {
          return getNameFromJsxElementAttributesContainer(JsxNames.ElementChildrenAttributeNameContainer, jsxNamespace);
        }
        function getUninstantiatedJsxSignaturesOfType(elementType, caller) {
          if (elementType.flags & 4) {
            return [anySignature];
          } else if (elementType.flags & 128) {
            const intrinsicType = getIntrinsicAttributesTypeFromStringLiteralType(elementType, caller);
            if (!intrinsicType) {
              error2(caller, Diagnostics.Property_0_does_not_exist_on_type_1, elementType.value, "JSX." + JsxNames.IntrinsicElements);
              return emptyArray;
            } else {
              const fakeSignature = createSignatureForJSXIntrinsic(caller, intrinsicType);
              return [fakeSignature];
            }
          }
          const apparentElemType = getApparentType(elementType);
          let signatures = getSignaturesOfType(
            apparentElemType,
            1
            /* Construct */
          );
          if (signatures.length === 0) {
            signatures = getSignaturesOfType(
              apparentElemType,
              0
              /* Call */
            );
          }
          if (signatures.length === 0 && apparentElemType.flags & 1048576) {
            signatures = getUnionSignatures(map(apparentElemType.types, (t) => getUninstantiatedJsxSignaturesOfType(t, caller)));
          }
          return signatures;
        }
        function getIntrinsicAttributesTypeFromStringLiteralType(type, location) {
          const intrinsicElementsType = getJsxType(JsxNames.IntrinsicElements, location);
          if (!isErrorType(intrinsicElementsType)) {
            const stringLiteralTypeName = type.value;
            const intrinsicProp = getPropertyOfType(intrinsicElementsType, escapeLeadingUnderscores(stringLiteralTypeName));
            if (intrinsicProp) {
              return getTypeOfSymbol(intrinsicProp);
            }
            const indexSignatureType = getIndexTypeOfType(intrinsicElementsType, stringType2);
            if (indexSignatureType) {
              return indexSignatureType;
            }
            return void 0;
          }
          return anyType2;
        }
        function checkJsxReturnAssignableToAppropriateBound(refKind, elemInstanceType, openingLikeElement) {
          if (refKind === 1) {
            const sfcReturnConstraint = getJsxStatelessElementTypeAt(openingLikeElement);
            if (sfcReturnConstraint) {
              checkTypeRelatedTo(elemInstanceType, sfcReturnConstraint, assignableRelation, openingLikeElement.tagName, Diagnostics.Its_return_type_0_is_not_a_valid_JSX_element, generateInitialErrorChain);
            }
          } else if (refKind === 0) {
            const classConstraint = getJsxElementClassTypeAt(openingLikeElement);
            if (classConstraint) {
              checkTypeRelatedTo(elemInstanceType, classConstraint, assignableRelation, openingLikeElement.tagName, Diagnostics.Its_instance_type_0_is_not_a_valid_JSX_element, generateInitialErrorChain);
            }
          } else {
            const sfcReturnConstraint = getJsxStatelessElementTypeAt(openingLikeElement);
            const classConstraint = getJsxElementClassTypeAt(openingLikeElement);
            if (!sfcReturnConstraint || !classConstraint) {
              return;
            }
            const combined = getUnionType([sfcReturnConstraint, classConstraint]);
            checkTypeRelatedTo(elemInstanceType, combined, assignableRelation, openingLikeElement.tagName, Diagnostics.Its_element_type_0_is_not_a_valid_JSX_element, generateInitialErrorChain);
          }
          function generateInitialErrorChain() {
            const componentName = getTextOfNode(openingLikeElement.tagName);
            return chainDiagnosticMessages(
              /*details*/
              void 0,
              Diagnostics._0_cannot_be_used_as_a_JSX_component,
              componentName
            );
          }
        }
        function getIntrinsicAttributesTypeFromJsxOpeningLikeElement(node) {
          var _a;
          Debug.assert(isJsxIntrinsicTagName(node.tagName));
          const links = getNodeLinks(node);
          if (!links.resolvedJsxElementAttributesType) {
            const symbol = getIntrinsicTagSymbol(node);
            if (links.jsxFlags & 1) {
              return links.resolvedJsxElementAttributesType = getTypeOfSymbol(symbol) || errorType;
            } else if (links.jsxFlags & 2) {
              const propName = isJsxNamespacedName(node.tagName) ? getEscapedTextOfJsxNamespacedName(node.tagName) : node.tagName.escapedText;
              return links.resolvedJsxElementAttributesType = ((_a = getApplicableIndexInfoForName(getJsxType(JsxNames.IntrinsicElements, node), propName)) == null ? void 0 : _a.type) || errorType;
            } else {
              return links.resolvedJsxElementAttributesType = errorType;
            }
          }
          return links.resolvedJsxElementAttributesType;
        }
        function getJsxElementClassTypeAt(location) {
          const type = getJsxType(JsxNames.ElementClass, location);
          if (isErrorType(type)) return void 0;
          return type;
        }
        function getJsxElementTypeAt(location) {
          return getJsxType(JsxNames.Element, location);
        }
        function getJsxStatelessElementTypeAt(location) {
          const jsxElementType = getJsxElementTypeAt(location);
          if (jsxElementType) {
            return getUnionType([jsxElementType, nullType2]);
          }
        }
        function getJsxElementTypeTypeAt(location) {
          const ns = getJsxNamespaceAt(location);
          if (!ns) return void 0;
          const sym = getJsxElementTypeSymbol(ns);
          if (!sym) return void 0;
          const type = instantiateAliasOrInterfaceWithDefaults(sym, isInJSFile(location));
          if (!type || isErrorType(type)) return void 0;
          return type;
        }
        function instantiateAliasOrInterfaceWithDefaults(managedSym, inJs, ...typeArguments) {
          const declaredManagedType = getDeclaredTypeOfSymbol(managedSym);
          if (managedSym.flags & 524288) {
            const params = getSymbolLinks(managedSym).typeParameters;
            if (length(params) >= typeArguments.length) {
              const args = fillMissingTypeArguments(typeArguments, params, typeArguments.length, inJs);
              return length(args) === 0 ? declaredManagedType : getTypeAliasInstantiation(managedSym, args);
            }
          }
          if (length(declaredManagedType.typeParameters) >= typeArguments.length) {
            const args = fillMissingTypeArguments(typeArguments, declaredManagedType.typeParameters, typeArguments.length, inJs);
            return createTypeReference(declaredManagedType, args);
          }
          return void 0;
        }
        function getJsxIntrinsicTagNamesAt(location) {
          const intrinsics = getJsxType(JsxNames.IntrinsicElements, location);
          return intrinsics ? getPropertiesOfType(intrinsics) : emptyArray;
        }
        function checkJsxPreconditions(errorNode) {
          if ((compilerOptions.jsx || 0) === 0) {
            error2(errorNode, Diagnostics.Cannot_use_JSX_unless_the_jsx_flag_is_provided);
          }
          if (getJsxElementTypeAt(errorNode) === void 0) {
            if (noImplicitAny) {
              error2(errorNode, Diagnostics.JSX_element_implicitly_has_type_any_because_the_global_type_JSX_Element_does_not_exist);
            }
          }
        }
        function checkJsxOpeningLikeElementOrOpeningFragment(node) {
          const isNodeOpeningLikeElement = isJsxOpeningLikeElement(node);
          if (isNodeOpeningLikeElement) {
            checkGrammarJsxElement(node);
          }
          checkJsxPreconditions(node);
          markJsxAliasReferenced(node);
          if (isNodeOpeningLikeElement) {
            const jsxOpeningLikeNode = node;
            const sig = getResolvedSignature(jsxOpeningLikeNode);
            checkDeprecatedSignature(sig, node);
            const elementTypeConstraint = getJsxElementTypeTypeAt(jsxOpeningLikeNode);
            if (elementTypeConstraint !== void 0) {
              const tagName = jsxOpeningLikeNode.tagName;
              const tagType = isJsxIntrinsicTagName(tagName) ? getStringLiteralType(intrinsicTagNameToString(tagName)) : checkExpression(tagName);
              checkTypeRelatedTo(tagType, elementTypeConstraint, assignableRelation, tagName, Diagnostics.Its_type_0_is_not_a_valid_JSX_element_type, () => {
                const componentName = getTextOfNode(tagName);
                return chainDiagnosticMessages(
                  /*details*/
                  void 0,
                  Diagnostics._0_cannot_be_used_as_a_JSX_component,
                  componentName
                );
              });
            } else {
              checkJsxReturnAssignableToAppropriateBound(getJsxReferenceKind(jsxOpeningLikeNode), getReturnTypeOfSignature(sig), jsxOpeningLikeNode);
            }
          }
        }
        function isKnownProperty(targetType, name, isComparingJsxAttributes) {
          if (targetType.flags & 524288) {
            if (getPropertyOfObjectType(targetType, name) || getApplicableIndexInfoForName(targetType, name) || isLateBoundName(name) && getIndexInfoOfType(targetType, stringType2) || isComparingJsxAttributes && isHyphenatedJsxName(name)) {
              return true;
            }
          }
          if (targetType.flags & 33554432) {
            return isKnownProperty(targetType.baseType, name, isComparingJsxAttributes);
          }
          if (targetType.flags & 3145728 && isExcessPropertyCheckTarget(targetType)) {
            for (const t of targetType.types) {
              if (isKnownProperty(t, name, isComparingJsxAttributes)) {
                return true;
              }
            }
          }
          return false;
        }
        function isExcessPropertyCheckTarget(type) {
          return !!(type.flags & 524288 && !(getObjectFlags(type) & 512) || type.flags & 67108864 || type.flags & 33554432 && isExcessPropertyCheckTarget(type.baseType) || type.flags & 1048576 && some(type.types, isExcessPropertyCheckTarget) || type.flags & 2097152 && every(type.types, isExcessPropertyCheckTarget));
        }
        function checkJsxExpression(node, checkMode) {
          checkGrammarJsxExpression(node);
          if (node.expression) {
            const type = checkExpression(node.expression, checkMode);
            if (node.dotDotDotToken && type !== anyType2 && !isArrayType(type)) {
              error2(node, Diagnostics.JSX_spread_child_must_be_an_array_type);
            }
            return type;
          } else {
            return errorType;
          }
        }
        function getDeclarationNodeFlagsFromSymbol(s) {
          return s.valueDeclaration ? getCombinedNodeFlagsCached(s.valueDeclaration) : 0;
        }
        function isPrototypeProperty2(symbol) {
          if (symbol.flags & 8192 || getCheckFlags(symbol) & 4) {
            return true;
          }
          if (isInJSFile(symbol.valueDeclaration)) {
            const parent2 = symbol.valueDeclaration.parent;
            return parent2 && isBinaryExpression(parent2) && getAssignmentDeclarationKind(parent2) === 3;
          }
        }
        function checkPropertyAccessibility(node, isSuper, writing, type, prop, reportError = true) {
          const errorNode = !reportError ? void 0 : node.kind === 166 ? node.right : node.kind === 205 ? node : node.kind === 208 && node.propertyName ? node.propertyName : node.name;
          return checkPropertyAccessibilityAtLocation(node, isSuper, writing, type, prop, errorNode);
        }
        function checkPropertyAccessibilityAtLocation(location, isSuper, writing, containingType, prop, errorNode) {
          var _a;
          const flags = getDeclarationModifierFlagsFromSymbol(prop, writing);
          if (isSuper) {
            if (languageVersion < 2) {
              if (symbolHasNonMethodDeclaration(prop)) {
                if (errorNode) {
                  error2(errorNode, Diagnostics.Only_public_and_protected_methods_of_the_base_class_are_accessible_via_the_super_keyword);
                }
                return false;
              }
            }
            if (flags & 64) {
              if (errorNode) {
                error2(errorNode, Diagnostics.Abstract_method_0_in_class_1_cannot_be_accessed_via_super_expression, symbolToString2(prop), typeToString(getDeclaringClass(prop)));
              }
              return false;
            }
            if (!(flags & 256) && ((_a = prop.declarations) == null ? void 0 : _a.some(isClassInstanceProperty))) {
              if (errorNode) {
                error2(errorNode, Diagnostics.Class_field_0_defined_by_the_parent_class_is_not_accessible_in_the_child_class_via_super, symbolToString2(prop));
              }
              return false;
            }
          }
          if (flags & 64 && symbolHasNonMethodDeclaration(prop) && (isThisProperty(location) || isThisInitializedObjectBindingExpression(location) || isObjectBindingPattern(location.parent) && isThisInitializedDeclaration(location.parent.parent))) {
            const declaringClassDeclaration = getClassLikeDeclarationOfSymbol(getParentOfSymbol(prop));
            if (declaringClassDeclaration && isNodeUsedDuringClassInitialization(location)) {
              if (errorNode) {
                error2(errorNode, Diagnostics.Abstract_property_0_in_class_1_cannot_be_accessed_in_the_constructor, symbolToString2(prop), getTextOfIdentifierOrLiteral(declaringClassDeclaration.name));
              }
              return false;
            }
          }
          if (!(flags & 6)) {
            return true;
          }
          if (flags & 2) {
            const declaringClassDeclaration = getClassLikeDeclarationOfSymbol(getParentOfSymbol(prop));
            if (!isNodeWithinClass(location, declaringClassDeclaration)) {
              if (errorNode) {
                error2(errorNode, Diagnostics.Property_0_is_private_and_only_accessible_within_class_1, symbolToString2(prop), typeToString(getDeclaringClass(prop)));
              }
              return false;
            }
            return true;
          }
          if (isSuper) {
            return true;
          }
          let enclosingClass = forEachEnclosingClass(location, (enclosingDeclaration) => {
            const enclosingClass2 = getDeclaredTypeOfSymbol(getSymbolOfDeclaration(enclosingDeclaration));
            return isClassDerivedFromDeclaringClasses(enclosingClass2, prop, writing);
          });
          if (!enclosingClass) {
            enclosingClass = getEnclosingClassFromThisParameter(location);
            enclosingClass = enclosingClass && isClassDerivedFromDeclaringClasses(enclosingClass, prop, writing);
            if (flags & 256 || !enclosingClass) {
              if (errorNode) {
                error2(errorNode, Diagnostics.Property_0_is_protected_and_only_accessible_within_class_1_and_its_subclasses, symbolToString2(prop), typeToString(getDeclaringClass(prop) || containingType));
              }
              return false;
            }
          }
          if (flags & 256) {
            return true;
          }
          if (containingType.flags & 262144) {
            containingType = containingType.isThisType ? getConstraintOfTypeParameter(containingType) : getBaseConstraintOfType(containingType);
          }
          if (!containingType || !hasBaseType(containingType, enclosingClass)) {
            if (errorNode) {
              error2(errorNode, Diagnostics.Property_0_is_protected_and_only_accessible_through_an_instance_of_class_1_This_is_an_instance_of_class_2, symbolToString2(prop), typeToString(enclosingClass), typeToString(containingType));
            }
            return false;
          }
          return true;
        }
        function getEnclosingClassFromThisParameter(node) {
          const thisParameter = getThisParameterFromNodeContext(node);
          let thisType = (thisParameter == null ? void 0 : thisParameter.type) && getTypeFromTypeNode(thisParameter.type);
          if (thisType && thisType.flags & 262144) {
            thisType = getConstraintOfTypeParameter(thisType);
          }
          if (thisType && getObjectFlags(thisType) & (3 | 4)) {
            return getTargetType(thisType);
          }
          return void 0;
        }
        function getThisParameterFromNodeContext(node) {
          const thisContainer = getThisContainer(
            node,
            /*includeArrowFunctions*/
            false,
            /*includeClassComputedPropertyName*/
            false
          );
          return thisContainer && isFunctionLike(thisContainer) ? getThisParameter(thisContainer) : void 0;
        }
        function symbolHasNonMethodDeclaration(symbol) {
          return !!forEachProperty2(symbol, (prop) => !(prop.flags & 8192));
        }
        function checkNonNullExpression(node) {
          return checkNonNullType(checkExpression(node), node);
        }
        function isNullableType(type) {
          return hasTypeFacts(
            type,
            50331648
            /* IsUndefinedOrNull */
          );
        }
        function getNonNullableTypeIfNeeded(type) {
          return isNullableType(type) ? getNonNullableType(type) : type;
        }
        function reportObjectPossiblyNullOrUndefinedError(node, facts) {
          const nodeText2 = isEntityNameExpression(node) ? entityNameToString(node) : void 0;
          if (node.kind === 106) {
            error2(node, Diagnostics.The_value_0_cannot_be_used_here, "null");
            return;
          }
          if (nodeText2 !== void 0 && nodeText2.length < 100) {
            if (isIdentifier(node) && nodeText2 === "undefined") {
              error2(node, Diagnostics.The_value_0_cannot_be_used_here, "undefined");
              return;
            }
            error2(
              node,
              facts & 16777216 ? facts & 33554432 ? Diagnostics._0_is_possibly_null_or_undefined : Diagnostics._0_is_possibly_undefined : Diagnostics._0_is_possibly_null,
              nodeText2
            );
          } else {
            error2(
              node,
              facts & 16777216 ? facts & 33554432 ? Diagnostics.Object_is_possibly_null_or_undefined : Diagnostics.Object_is_possibly_undefined : Diagnostics.Object_is_possibly_null
            );
          }
        }
        function reportCannotInvokePossiblyNullOrUndefinedError(node, facts) {
          error2(
            node,
            facts & 16777216 ? facts & 33554432 ? Diagnostics.Cannot_invoke_an_object_which_is_possibly_null_or_undefined : Diagnostics.Cannot_invoke_an_object_which_is_possibly_undefined : Diagnostics.Cannot_invoke_an_object_which_is_possibly_null
          );
        }
        function checkNonNullTypeWithReporter(type, node, reportError) {
          if (strictNullChecks && type.flags & 2) {
            if (isEntityNameExpression(node)) {
              const nodeText2 = entityNameToString(node);
              if (nodeText2.length < 100) {
                error2(node, Diagnostics._0_is_of_type_unknown, nodeText2);
                return errorType;
              }
            }
            error2(node, Diagnostics.Object_is_of_type_unknown);
            return errorType;
          }
          const facts = getTypeFacts(
            type,
            50331648
            /* IsUndefinedOrNull */
          );
          if (facts & 50331648) {
            reportError(node, facts);
            const t = getNonNullableType(type);
            return t.flags & (98304 | 131072) ? errorType : t;
          }
          return type;
        }
        function checkNonNullType(type, node) {
          return checkNonNullTypeWithReporter(type, node, reportObjectPossiblyNullOrUndefinedError);
        }
        function checkNonNullNonVoidType(type, node) {
          const nonNullType = checkNonNullType(type, node);
          if (nonNullType.flags & 16384) {
            if (isEntityNameExpression(node)) {
              const nodeText2 = entityNameToString(node);
              if (isIdentifier(node) && nodeText2 === "undefined") {
                error2(node, Diagnostics.The_value_0_cannot_be_used_here, nodeText2);
                return nonNullType;
              }
              if (nodeText2.length < 100) {
                error2(node, Diagnostics._0_is_possibly_undefined, nodeText2);
                return nonNullType;
              }
            }
            error2(node, Diagnostics.Object_is_possibly_undefined);
          }
          return nonNullType;
        }
        function checkPropertyAccessExpression(node, checkMode, writeOnly) {
          return node.flags & 64 ? checkPropertyAccessChain(node, checkMode) : checkPropertyAccessExpressionOrQualifiedName(node, node.expression, checkNonNullExpression(node.expression), node.name, checkMode, writeOnly);
        }
        function checkPropertyAccessChain(node, checkMode) {
          const leftType = checkExpression(node.expression);
          const nonOptionalType = getOptionalExpressionType(leftType, node.expression);
          return propagateOptionalTypeMarker(checkPropertyAccessExpressionOrQualifiedName(node, node.expression, checkNonNullType(nonOptionalType, node.expression), node.name, checkMode), node, nonOptionalType !== leftType);
        }
        function checkQualifiedName(node, checkMode) {
          const leftType = isPartOfTypeQuery(node) && isThisIdentifier(node.left) ? checkNonNullType(checkThisExpression(node.left), node.left) : checkNonNullExpression(node.left);
          return checkPropertyAccessExpressionOrQualifiedName(node, node.left, leftType, node.right, checkMode);
        }
        function isMethodAccessForCall(node) {
          while (node.parent.kind === 217) {
            node = node.parent;
          }
          return isCallOrNewExpression2(node.parent) && node.parent.expression === node;
        }
        function lookupSymbolForPrivateIdentifierDeclaration(propName, location) {
          for (let containingClass = getContainingClassExcludingClassDecorators(location); !!containingClass; containingClass = getContainingClass(containingClass)) {
            const { symbol } = containingClass;
            const name = getSymbolNameForPrivateIdentifier(symbol, propName);
            const prop = symbol.members && symbol.members.get(name) || symbol.exports && symbol.exports.get(name);
            if (prop) {
              return prop;
            }
          }
        }
        function checkGrammarPrivateIdentifierExpression(privId) {
          if (!getContainingClass(privId)) {
            return grammarErrorOnNode(privId, Diagnostics.Private_identifiers_are_not_allowed_outside_class_bodies);
          }
          if (!isForInStatement(privId.parent)) {
            if (!isExpressionNode(privId)) {
              return grammarErrorOnNode(privId, Diagnostics.Private_identifiers_are_only_allowed_in_class_bodies_and_may_only_be_used_as_part_of_a_class_member_declaration_property_access_or_on_the_left_hand_side_of_an_in_expression);
            }
            const isInOperation = isBinaryExpression(privId.parent) && privId.parent.operatorToken.kind === 103;
            if (!getSymbolForPrivateIdentifierExpression(privId) && !isInOperation) {
              return grammarErrorOnNode(privId, Diagnostics.Cannot_find_name_0, idText(privId));
            }
          }
          return false;
        }
        function checkPrivateIdentifierExpression(privId) {
          checkGrammarPrivateIdentifierExpression(privId);
          const symbol = getSymbolForPrivateIdentifierExpression(privId);
          if (symbol) {
            markPropertyAsReferenced(
              symbol,
              /*nodeForCheckWriteOnly*/
              void 0,
              /*isSelfTypeAccess*/
              false
            );
          }
          return anyType2;
        }
        function getSymbolForPrivateIdentifierExpression(privId) {
          if (!isExpressionNode(privId)) {
            return void 0;
          }
          const links = getNodeLinks(privId);
          if (links.resolvedSymbol === void 0) {
            links.resolvedSymbol = lookupSymbolForPrivateIdentifierDeclaration(privId.escapedText, privId);
          }
          return links.resolvedSymbol;
        }
        function getPrivateIdentifierPropertyOfType(leftType, lexicallyScopedIdentifier) {
          return getPropertyOfType(leftType, lexicallyScopedIdentifier.escapedName);
        }
        function checkPrivateIdentifierPropertyAccess(leftType, right, lexicallyScopedIdentifier) {
          let propertyOnType;
          const properties = getPropertiesOfType(leftType);
          if (properties) {
            forEach(properties, (symbol) => {
              const decl = symbol.valueDeclaration;
              if (decl && isNamedDeclaration(decl) && isPrivateIdentifier(decl.name) && decl.name.escapedText === right.escapedText) {
                propertyOnType = symbol;
                return true;
              }
            });
          }
          const diagName = diagnosticName(right);
          if (propertyOnType) {
            const typeValueDecl = Debug.checkDefined(propertyOnType.valueDeclaration);
            const typeClass = Debug.checkDefined(getContainingClass(typeValueDecl));
            if (lexicallyScopedIdentifier == null ? void 0 : lexicallyScopedIdentifier.valueDeclaration) {
              const lexicalValueDecl = lexicallyScopedIdentifier.valueDeclaration;
              const lexicalClass = getContainingClass(lexicalValueDecl);
              Debug.assert(!!lexicalClass);
              if (findAncestor(lexicalClass, (n) => typeClass === n)) {
                const diagnostic = error2(
                  right,
                  Diagnostics.The_property_0_cannot_be_accessed_on_type_1_within_this_class_because_it_is_shadowed_by_another_private_identifier_with_the_same_spelling,
                  diagName,
                  typeToString(leftType)
                );
                addRelatedInfo(
                  diagnostic,
                  createDiagnosticForNode(
                    lexicalValueDecl,
                    Diagnostics.The_shadowing_declaration_of_0_is_defined_here,
                    diagName
                  ),
                  createDiagnosticForNode(
                    typeValueDecl,
                    Diagnostics.The_declaration_of_0_that_you_probably_intended_to_use_is_defined_here,
                    diagName
                  )
                );
                return true;
              }
            }
            error2(
              right,
              Diagnostics.Property_0_is_not_accessible_outside_class_1_because_it_has_a_private_identifier,
              diagName,
              diagnosticName(typeClass.name || anon)
            );
            return true;
          }
          return false;
        }
        function isThisPropertyAccessInConstructor(node, prop) {
          return (isConstructorDeclaredProperty(prop) || isThisProperty(node) && isAutoTypedProperty(prop)) && getThisContainer(
            node,
            /*includeArrowFunctions*/
            true,
            /*includeClassComputedPropertyName*/
            false
          ) === getDeclaringConstructor(prop);
        }
        function checkPropertyAccessExpressionOrQualifiedName(node, left, leftType, right, checkMode, writeOnly) {
          const parentSymbol = getNodeLinks(left).resolvedSymbol;
          const assignmentKind = getAssignmentTargetKind(node);
          const apparentType = getApparentType(assignmentKind !== 0 || isMethodAccessForCall(node) ? getWidenedType(leftType) : leftType);
          const isAnyLike = isTypeAny(apparentType) || apparentType === silentNeverType;
          let prop;
          if (isPrivateIdentifier(right)) {
            if (languageVersion < 9 || languageVersion < 99 || !useDefineForClassFields) {
              if (assignmentKind !== 0) {
                checkExternalEmitHelpers(
                  node,
                  1048576
                  /* ClassPrivateFieldSet */
                );
              }
              if (assignmentKind !== 1) {
                checkExternalEmitHelpers(
                  node,
                  524288
                  /* ClassPrivateFieldGet */
                );
              }
            }
            const lexicallyScopedSymbol = lookupSymbolForPrivateIdentifierDeclaration(right.escapedText, right);
            if (assignmentKind && lexicallyScopedSymbol && lexicallyScopedSymbol.valueDeclaration && isMethodDeclaration(lexicallyScopedSymbol.valueDeclaration)) {
              grammarErrorOnNode(right, Diagnostics.Cannot_assign_to_private_method_0_Private_methods_are_not_writable, idText(right));
            }
            if (isAnyLike) {
              if (lexicallyScopedSymbol) {
                return isErrorType(apparentType) ? errorType : apparentType;
              }
              if (getContainingClassExcludingClassDecorators(right) === void 0) {
                grammarErrorOnNode(right, Diagnostics.Private_identifiers_are_not_allowed_outside_class_bodies);
                return anyType2;
              }
            }
            prop = lexicallyScopedSymbol && getPrivateIdentifierPropertyOfType(leftType, lexicallyScopedSymbol);
            if (prop === void 0) {
              if (checkPrivateIdentifierPropertyAccess(leftType, right, lexicallyScopedSymbol)) {
                return errorType;
              }
              const containingClass = getContainingClassExcludingClassDecorators(right);
              if (containingClass && isPlainJsFile(getSourceFileOfNode(containingClass), compilerOptions.checkJs)) {
                grammarErrorOnNode(right, Diagnostics.Private_field_0_must_be_declared_in_an_enclosing_class, idText(right));
              }
            } else {
              const isSetonlyAccessor = prop.flags & 65536 && !(prop.flags & 32768);
              if (isSetonlyAccessor && assignmentKind !== 1) {
                error2(node, Diagnostics.Private_accessor_was_defined_without_a_getter);
              }
            }
          } else {
            if (isAnyLike) {
              if (isIdentifier(left) && parentSymbol) {
                markLinkedReferences(
                  node,
                  2,
                  /*propSymbol*/
                  void 0,
                  leftType
                );
              }
              return isErrorType(apparentType) ? errorType : apparentType;
            }
            prop = getPropertyOfType(
              apparentType,
              right.escapedText,
              /*skipObjectFunctionPropertyAugment*/
              isConstEnumObjectType(apparentType),
              /*includeTypeOnlyMembers*/
              node.kind === 166
              /* QualifiedName */
            );
          }
          markLinkedReferences(node, 2, prop, leftType);
          let propType;
          if (!prop) {
            const indexInfo = !isPrivateIdentifier(right) && (assignmentKind === 0 || !isGenericObjectType(leftType) || isThisTypeParameter(leftType)) ? getApplicableIndexInfoForName(apparentType, right.escapedText) : void 0;
            if (!(indexInfo && indexInfo.type)) {
              const isUncheckedJS = isUncheckedJSSuggestion(
                node,
                leftType.symbol,
                /*excludeClasses*/
                true
              );
              if (!isUncheckedJS && isJSLiteralType(leftType)) {
                return anyType2;
              }
              if (leftType.symbol === globalThisSymbol) {
                if (globalThisSymbol.exports.has(right.escapedText) && globalThisSymbol.exports.get(right.escapedText).flags & 418) {
                  error2(right, Diagnostics.Property_0_does_not_exist_on_type_1, unescapeLeadingUnderscores(right.escapedText), typeToString(leftType));
                } else if (noImplicitAny) {
                  error2(right, Diagnostics.Element_implicitly_has_an_any_type_because_type_0_has_no_index_signature, typeToString(leftType));
                }
                return anyType2;
              }
              if (right.escapedText && !checkAndReportErrorForExtendingInterface(node)) {
                reportNonexistentProperty(right, isThisTypeParameter(leftType) ? apparentType : leftType, isUncheckedJS);
              }
              return errorType;
            }
            if (indexInfo.isReadonly && (isAssignmentTarget(node) || isDeleteTarget(node))) {
              error2(node, Diagnostics.Index_signature_in_type_0_only_permits_reading, typeToString(apparentType));
            }
            propType = indexInfo.type;
            if (compilerOptions.noUncheckedIndexedAccess && getAssignmentTargetKind(node) !== 1) {
              propType = getUnionType([propType, missingType]);
            }
            if (compilerOptions.noPropertyAccessFromIndexSignature && isPropertyAccessExpression(node)) {
              error2(right, Diagnostics.Property_0_comes_from_an_index_signature_so_it_must_be_accessed_with_0, unescapeLeadingUnderscores(right.escapedText));
            }
            if (indexInfo.declaration && isDeprecatedDeclaration2(indexInfo.declaration)) {
              addDeprecatedSuggestion(right, [indexInfo.declaration], right.escapedText);
            }
          } else {
            const targetPropSymbol = resolveAliasWithDeprecationCheck(prop, right);
            if (isDeprecatedSymbol(targetPropSymbol) && isUncalledFunctionReference(node, targetPropSymbol) && targetPropSymbol.declarations) {
              addDeprecatedSuggestion(right, targetPropSymbol.declarations, right.escapedText);
            }
            checkPropertyNotUsedBeforeDeclaration(prop, node, right);
            markPropertyAsReferenced(prop, node, isSelfTypeAccess(left, parentSymbol));
            getNodeLinks(node).resolvedSymbol = prop;
            checkPropertyAccessibility(node, left.kind === 108, isWriteAccess(node), apparentType, prop);
            if (isAssignmentToReadonlyEntity(node, prop, assignmentKind)) {
              error2(right, Diagnostics.Cannot_assign_to_0_because_it_is_a_read_only_property, idText(right));
              return errorType;
            }
            propType = isThisPropertyAccessInConstructor(node, prop) ? autoType : writeOnly || isWriteOnlyAccess(node) ? getWriteTypeOfSymbol(prop) : getTypeOfSymbol(prop);
          }
          return getFlowTypeOfAccessExpression(node, prop, propType, right, checkMode);
        }
        function isUncheckedJSSuggestion(node, suggestion, excludeClasses) {
          var _a;
          const file = getSourceFileOfNode(node);
          if (file) {
            if (compilerOptions.checkJs === void 0 && file.checkJsDirective === void 0 && (file.scriptKind === 1 || file.scriptKind === 2)) {
              const declarationFile = forEach(suggestion == null ? void 0 : suggestion.declarations, getSourceFileOfNode);
              const suggestionHasNoExtendsOrDecorators = !(suggestion == null ? void 0 : suggestion.valueDeclaration) || !isClassLike(suggestion.valueDeclaration) || ((_a = suggestion.valueDeclaration.heritageClauses) == null ? void 0 : _a.length) || classOrConstructorParameterIsDecorated(
                /*useLegacyDecorators*/
                false,
                suggestion.valueDeclaration
              );
              return !(file !== declarationFile && !!declarationFile && isGlobalSourceFile(declarationFile)) && !(excludeClasses && suggestion && suggestion.flags & 32 && suggestionHasNoExtendsOrDecorators) && !(!!node && excludeClasses && isPropertyAccessExpression(node) && node.expression.kind === 110 && suggestionHasNoExtendsOrDecorators);
            }
          }
          return false;
        }
        function getFlowTypeOfAccessExpression(node, prop, propType, errorNode, checkMode) {
          const assignmentKind = getAssignmentTargetKind(node);
          if (assignmentKind === 1) {
            return removeMissingType(propType, !!(prop && prop.flags & 16777216));
          }
          if (prop && !(prop.flags & (3 | 4 | 98304)) && !(prop.flags & 8192 && propType.flags & 1048576) && !isDuplicatedCommonJSExport(prop.declarations)) {
            return propType;
          }
          if (propType === autoType) {
            return getFlowTypeOfProperty(node, prop);
          }
          propType = getNarrowableTypeForReference(propType, node, checkMode);
          let assumeUninitialized = false;
          if (strictNullChecks && strictPropertyInitialization && isAccessExpression(node) && node.expression.kind === 110) {
            const declaration = prop && prop.valueDeclaration;
            if (declaration && isPropertyWithoutInitializer(declaration)) {
              if (!isStatic(declaration)) {
                const flowContainer = getControlFlowContainer(node);
                if (flowContainer.kind === 176 && flowContainer.parent === declaration.parent && !(declaration.flags & 33554432)) {
                  assumeUninitialized = true;
                }
              }
            }
          } else if (strictNullChecks && prop && prop.valueDeclaration && isPropertyAccessExpression(prop.valueDeclaration) && getAssignmentDeclarationPropertyAccessKind(prop.valueDeclaration) && getControlFlowContainer(node) === getControlFlowContainer(prop.valueDeclaration)) {
            assumeUninitialized = true;
          }
          const flowType = getFlowTypeOfReference(node, propType, assumeUninitialized ? getOptionalType(propType) : propType);
          if (assumeUninitialized && !containsUndefinedType(propType) && containsUndefinedType(flowType)) {
            error2(errorNode, Diagnostics.Property_0_is_used_before_being_assigned, symbolToString2(prop));
            return propType;
          }
          return assignmentKind ? getBaseTypeOfLiteralType(flowType) : flowType;
        }
        function checkPropertyNotUsedBeforeDeclaration(prop, node, right) {
          const { valueDeclaration } = prop;
          if (!valueDeclaration || getSourceFileOfNode(node).isDeclarationFile) {
            return;
          }
          let diagnosticMessage;
          const declarationName = idText(right);
          if (isInPropertyInitializerOrClassStaticBlock(node) && !isOptionalPropertyDeclaration(valueDeclaration) && !(isAccessExpression(node) && isAccessExpression(node.expression)) && !isBlockScopedNameDeclaredBeforeUse(valueDeclaration, right) && !(isMethodDeclaration(valueDeclaration) && getCombinedModifierFlagsCached(valueDeclaration) & 256) && (useDefineForClassFields || !isPropertyDeclaredInAncestorClass(prop))) {
            diagnosticMessage = error2(right, Diagnostics.Property_0_is_used_before_its_initialization, declarationName);
          } else if (valueDeclaration.kind === 263 && node.parent.kind !== 183 && !(valueDeclaration.flags & 33554432) && !isBlockScopedNameDeclaredBeforeUse(valueDeclaration, right)) {
            diagnosticMessage = error2(right, Diagnostics.Class_0_used_before_its_declaration, declarationName);
          }
          if (diagnosticMessage) {
            addRelatedInfo(diagnosticMessage, createDiagnosticForNode(valueDeclaration, Diagnostics._0_is_declared_here, declarationName));
          }
        }
        function isInPropertyInitializerOrClassStaticBlock(node) {
          return !!findAncestor(node, (node2) => {
            switch (node2.kind) {
              case 172:
                return true;
              case 303:
              case 174:
              case 177:
              case 178:
              case 305:
              case 167:
              case 239:
              case 294:
              case 291:
              case 292:
              case 293:
              case 286:
              case 233:
              case 298:
                return false;
              case 219:
              case 244:
                return isBlock(node2.parent) && isClassStaticBlockDeclaration(node2.parent.parent) ? true : "quit";
              default:
                return isExpressionNode(node2) ? false : "quit";
            }
          });
        }
        function isPropertyDeclaredInAncestorClass(prop) {
          if (!(prop.parent.flags & 32)) {
            return false;
          }
          let classType = getTypeOfSymbol(prop.parent);
          while (true) {
            classType = classType.symbol && getSuperClass(classType);
            if (!classType) {
              return false;
            }
            const superProperty = getPropertyOfType(classType, prop.escapedName);
            if (superProperty && superProperty.valueDeclaration) {
              return true;
            }
          }
        }
        function getSuperClass(classType) {
          const x = getBaseTypes(classType);
          if (x.length === 0) {
            return void 0;
          }
          return getIntersectionType(x);
        }
        function reportNonexistentProperty(propNode, containingType, isUncheckedJS) {
          let errorInfo;
          let relatedInfo;
          if (!isPrivateIdentifier(propNode) && containingType.flags & 1048576 && !(containingType.flags & 402784252)) {
            for (const subtype of containingType.types) {
              if (!getPropertyOfType(subtype, propNode.escapedText) && !getApplicableIndexInfoForName(subtype, propNode.escapedText)) {
                errorInfo = chainDiagnosticMessages(errorInfo, Diagnostics.Property_0_does_not_exist_on_type_1, declarationNameToString(propNode), typeToString(subtype));
                break;
              }
            }
          }
          if (typeHasStaticProperty(propNode.escapedText, containingType)) {
            const propName = declarationNameToString(propNode);
            const typeName = typeToString(containingType);
            errorInfo = chainDiagnosticMessages(errorInfo, Diagnostics.Property_0_does_not_exist_on_type_1_Did_you_mean_to_access_the_static_member_2_instead, propName, typeName, typeName + "." + propName);
          } else {
            const promisedType = getPromisedTypeOfPromise(containingType);
            if (promisedType && getPropertyOfType(promisedType, propNode.escapedText)) {
              errorInfo = chainDiagnosticMessages(errorInfo, Diagnostics.Property_0_does_not_exist_on_type_1, declarationNameToString(propNode), typeToString(containingType));
              relatedInfo = createDiagnosticForNode(propNode, Diagnostics.Did_you_forget_to_use_await);
            } else {
              const missingProperty = declarationNameToString(propNode);
              const container = typeToString(containingType);
              const libSuggestion = getSuggestedLibForNonExistentProperty(missingProperty, containingType);
              if (libSuggestion !== void 0) {
                errorInfo = chainDiagnosticMessages(errorInfo, Diagnostics.Property_0_does_not_exist_on_type_1_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_2_or_later, missingProperty, container, libSuggestion);
              } else {
                const suggestion = getSuggestedSymbolForNonexistentProperty(propNode, containingType);
                if (suggestion !== void 0) {
                  const suggestedName = symbolName(suggestion);
                  const message = isUncheckedJS ? Diagnostics.Property_0_may_not_exist_on_type_1_Did_you_mean_2 : Diagnostics.Property_0_does_not_exist_on_type_1_Did_you_mean_2;
                  errorInfo = chainDiagnosticMessages(errorInfo, message, missingProperty, container, suggestedName);
                  relatedInfo = suggestion.valueDeclaration && createDiagnosticForNode(suggestion.valueDeclaration, Diagnostics._0_is_declared_here, suggestedName);
                } else {
                  const diagnostic = containerSeemsToBeEmptyDomElement(containingType) ? Diagnostics.Property_0_does_not_exist_on_type_1_Try_changing_the_lib_compiler_option_to_include_dom : Diagnostics.Property_0_does_not_exist_on_type_1;
                  errorInfo = chainDiagnosticMessages(elaborateNeverIntersection(errorInfo, containingType), diagnostic, missingProperty, container);
                }
              }
            }
          }
          const resultDiagnostic = createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(propNode), propNode, errorInfo);
          if (relatedInfo) {
            addRelatedInfo(resultDiagnostic, relatedInfo);
          }
          addErrorOrSuggestion(!isUncheckedJS || errorInfo.code !== Diagnostics.Property_0_may_not_exist_on_type_1_Did_you_mean_2.code, resultDiagnostic);
        }
        function containerSeemsToBeEmptyDomElement(containingType) {
          return compilerOptions.lib && !compilerOptions.lib.includes("dom") && everyContainedType(containingType, (type) => type.symbol && /^(EventTarget|Node|((HTML[a-zA-Z]*)?Element))$/.test(unescapeLeadingUnderscores(type.symbol.escapedName))) && isEmptyObjectType(containingType);
        }
        function typeHasStaticProperty(propName, containingType) {
          const prop = containingType.symbol && getPropertyOfType(getTypeOfSymbol(containingType.symbol), propName);
          return prop !== void 0 && !!prop.valueDeclaration && isStatic(prop.valueDeclaration);
        }
        function getSuggestedLibForNonExistentName(name) {
          const missingName = diagnosticName(name);
          const allFeatures = getScriptTargetFeatures();
          const typeFeatures = allFeatures.get(missingName);
          return typeFeatures && firstIterator(typeFeatures.keys());
        }
        function getSuggestedLibForNonExistentProperty(missingProperty, containingType) {
          const container = getApparentType(containingType).symbol;
          if (!container) {
            return void 0;
          }
          const containingTypeName = symbolName(container);
          const allFeatures = getScriptTargetFeatures();
          const typeFeatures = allFeatures.get(containingTypeName);
          if (typeFeatures) {
            for (const [libTarget, featuresOfType] of typeFeatures) {
              if (contains(featuresOfType, missingProperty)) {
                return libTarget;
              }
            }
          }
        }
        function getSuggestedSymbolForNonexistentClassMember(name, baseType) {
          return getSpellingSuggestionForName(
            name,
            getPropertiesOfType(baseType),
            106500
            /* ClassMember */
          );
        }
        function getSuggestedSymbolForNonexistentProperty(name, containingType) {
          let props = getPropertiesOfType(containingType);
          if (typeof name !== "string") {
            const parent2 = name.parent;
            if (isPropertyAccessExpression(parent2)) {
              props = filter(props, (prop) => isValidPropertyAccessForCompletions(parent2, containingType, prop));
            }
            name = idText(name);
          }
          return getSpellingSuggestionForName(
            name,
            props,
            111551
            /* Value */
          );
        }
        function getSuggestedSymbolForNonexistentJSXAttribute(name, containingType) {
          const strName = isString2(name) ? name : idText(name);
          const properties = getPropertiesOfType(containingType);
          const jsxSpecific = strName === "for" ? find(properties, (x) => symbolName(x) === "htmlFor") : strName === "class" ? find(properties, (x) => symbolName(x) === "className") : void 0;
          return jsxSpecific ?? getSpellingSuggestionForName(
            strName,
            properties,
            111551
            /* Value */
          );
        }
        function getSuggestionForNonexistentProperty(name, containingType) {
          const suggestion = getSuggestedSymbolForNonexistentProperty(name, containingType);
          return suggestion && symbolName(suggestion);
        }
        function getSuggestionForSymbolNameLookup(symbols, name, meaning) {
          const symbol = getSymbol2(symbols, name, meaning);
          if (symbol) return symbol;
          let candidates;
          if (symbols === globals2) {
            const primitives = mapDefined(
              ["string", "number", "boolean", "object", "bigint", "symbol"],
              (s) => symbols.has(s.charAt(0).toUpperCase() + s.slice(1)) ? createSymbol(524288, s) : void 0
            );
            candidates = primitives.concat(arrayFrom(symbols.values()));
          } else {
            candidates = arrayFrom(symbols.values());
          }
          return getSpellingSuggestionForName(unescapeLeadingUnderscores(name), candidates, meaning);
        }
        function getSuggestedSymbolForNonexistentSymbol(location, outerName, meaning) {
          Debug.assert(outerName !== void 0, "outername should always be defined");
          const result = resolveNameForSymbolSuggestion(
            location,
            outerName,
            meaning,
            /*nameNotFoundMessage*/
            void 0,
            /*isUse*/
            false,
            /*excludeGlobals*/
            false
          );
          return result;
        }
        function getSuggestedSymbolForNonexistentModule(name, targetModule) {
          return targetModule.exports && getSpellingSuggestionForName(
            idText(name),
            getExportsOfModuleAsArray(targetModule),
            2623475
            /* ModuleMember */
          );
        }
        function getSuggestionForNonexistentIndexSignature(objectType2, expr, keyedType) {
          function hasProp(name) {
            const prop = getPropertyOfObjectType(objectType2, name);
            if (prop) {
              const s = getSingleCallSignature(getTypeOfSymbol(prop));
              return !!s && getMinArgumentCount(s) >= 1 && isTypeAssignableTo(keyedType, getTypeAtPosition(s, 0));
            }
            return false;
          }
          const suggestedMethod = isAssignmentTarget(expr) ? "set" : "get";
          if (!hasProp(suggestedMethod)) {
            return void 0;
          }
          let suggestion = tryGetPropertyAccessOrIdentifierToString(expr.expression);
          if (suggestion === void 0) {
            suggestion = suggestedMethod;
          } else {
            suggestion += "." + suggestedMethod;
          }
          return suggestion;
        }
        function getSuggestedTypeForNonexistentStringLiteralType(source, target) {
          const candidates = target.types.filter((type) => !!(type.flags & 128));
          return getSpellingSuggestion(source.value, candidates, (type) => type.value);
        }
        function getSpellingSuggestionForName(name, symbols, meaning) {
          return getSpellingSuggestion(name, symbols, getCandidateName);
          function getCandidateName(candidate) {
            const candidateName = symbolName(candidate);
            if (startsWith2(candidateName, '"')) {
              return void 0;
            }
            if (candidate.flags & meaning) {
              return candidateName;
            }
            if (candidate.flags & 2097152) {
              const alias = tryResolveAlias(candidate);
              if (alias && alias.flags & meaning) {
                return candidateName;
              }
            }
            return void 0;
          }
        }
        function markPropertyAsReferenced(prop, nodeForCheckWriteOnly, isSelfTypeAccess2) {
          const valueDeclaration = prop && prop.flags & 106500 && prop.valueDeclaration;
          if (!valueDeclaration) {
            return;
          }
          const hasPrivateModifier = hasEffectiveModifier(
            valueDeclaration,
            2
            /* Private */
          );
          const hasPrivateIdentifier = prop.valueDeclaration && isNamedDeclaration(prop.valueDeclaration) && isPrivateIdentifier(prop.valueDeclaration.name);
          if (!hasPrivateModifier && !hasPrivateIdentifier) {
            return;
          }
          if (nodeForCheckWriteOnly && isWriteOnlyAccess(nodeForCheckWriteOnly) && !(prop.flags & 65536)) {
            return;
          }
          if (isSelfTypeAccess2) {
            const containingMethod = findAncestor(nodeForCheckWriteOnly, isFunctionLikeDeclaration);
            if (containingMethod && containingMethod.symbol === prop) {
              return;
            }
          }
          (getCheckFlags(prop) & 1 ? getSymbolLinks(prop).target : prop).isReferenced = -1;
        }
        function isSelfTypeAccess(name, parent2) {
          return name.kind === 110 || !!parent2 && isEntityNameExpression(name) && parent2 === getResolvedSymbol(getFirstIdentifier(name));
        }
        function isValidPropertyAccess(node, propertyName) {
          switch (node.kind) {
            case 211:
              return isValidPropertyAccessWithType(node, node.expression.kind === 108, propertyName, getWidenedType(checkExpression(node.expression)));
            case 166:
              return isValidPropertyAccessWithType(
                node,
                /*isSuper*/
                false,
                propertyName,
                getWidenedType(checkExpression(node.left))
              );
            case 205:
              return isValidPropertyAccessWithType(
                node,
                /*isSuper*/
                false,
                propertyName,
                getTypeFromTypeNode(node)
              );
          }
        }
        function isValidPropertyAccessForCompletions(node, type, property) {
          return isPropertyAccessible(
            node,
            node.kind === 211 && node.expression.kind === 108,
            /*isWrite*/
            false,
            type,
            property
          );
        }
        function isValidPropertyAccessWithType(node, isSuper, propertyName, type) {
          if (isTypeAny(type)) {
            return true;
          }
          const prop = getPropertyOfType(type, propertyName);
          return !!prop && isPropertyAccessible(
            node,
            isSuper,
            /*isWrite*/
            false,
            type,
            prop
          );
        }
        function isPropertyAccessible(node, isSuper, isWrite, containingType, property) {
          if (isTypeAny(containingType)) {
            return true;
          }
          if (property.valueDeclaration && isPrivateIdentifierClassElementDeclaration(property.valueDeclaration)) {
            const declClass = getContainingClass(property.valueDeclaration);
            return !isOptionalChain(node) && !!findAncestor(node, (parent2) => parent2 === declClass);
          }
          return checkPropertyAccessibilityAtLocation(node, isSuper, isWrite, containingType, property);
        }
        function getForInVariableSymbol(node) {
          const initializer = node.initializer;
          if (initializer.kind === 261) {
            const variable = initializer.declarations[0];
            if (variable && !isBindingPattern(variable.name)) {
              return getSymbolOfDeclaration(variable);
            }
          } else if (initializer.kind === 80) {
            return getResolvedSymbol(initializer);
          }
          return void 0;
        }
        function hasNumericPropertyNames(type) {
          return getIndexInfosOfType(type).length === 1 && !!getIndexInfoOfType(type, numberType2);
        }
        function isForInVariableForNumericPropertyNames(expr) {
          const e = skipParentheses(expr);
          if (e.kind === 80) {
            const symbol = getResolvedSymbol(e);
            if (symbol.flags & 3) {
              let child = expr;
              let node = expr.parent;
              while (node) {
                if (node.kind === 249 && child === node.statement && getForInVariableSymbol(node) === symbol && hasNumericPropertyNames(getTypeOfExpression(node.expression))) {
                  return true;
                }
                child = node;
                node = node.parent;
              }
            }
          }
          return false;
        }
        function checkIndexedAccess(node, checkMode) {
          return node.flags & 64 ? checkElementAccessChain(node, checkMode) : checkElementAccessExpression(node, checkNonNullExpression(node.expression), checkMode);
        }
        function checkElementAccessChain(node, checkMode) {
          const exprType = checkExpression(node.expression);
          const nonOptionalType = getOptionalExpressionType(exprType, node.expression);
          return propagateOptionalTypeMarker(checkElementAccessExpression(node, checkNonNullType(nonOptionalType, node.expression), checkMode), node, nonOptionalType !== exprType);
        }
        function checkElementAccessExpression(node, exprType, checkMode) {
          const objectType2 = getAssignmentTargetKind(node) !== 0 || isMethodAccessForCall(node) ? getWidenedType(exprType) : exprType;
          const indexExpression = node.argumentExpression;
          const indexType = checkExpression(indexExpression);
          if (isErrorType(objectType2) || objectType2 === silentNeverType) {
            return objectType2;
          }
          if (isConstEnumObjectType(objectType2) && !isStringLiteralLike(indexExpression)) {
            error2(indexExpression, Diagnostics.A_const_enum_member_can_only_be_accessed_using_a_string_literal);
            return errorType;
          }
          const effectiveIndexType = isForInVariableForNumericPropertyNames(indexExpression) ? numberType2 : indexType;
          const assignmentTargetKind = getAssignmentTargetKind(node);
          let accessFlags;
          if (assignmentTargetKind === 0) {
            accessFlags = 32;
          } else {
            accessFlags = 4 | (isGenericObjectType(objectType2) && !isThisTypeParameter(objectType2) ? 2 : 0);
            if (assignmentTargetKind === 2) {
              accessFlags |= 32;
            }
          }
          const indexedAccessType = getIndexedAccessTypeOrUndefined(objectType2, effectiveIndexType, accessFlags, node) || errorType;
          return checkIndexedAccessIndexType(getFlowTypeOfAccessExpression(node, getNodeLinks(node).resolvedSymbol, indexedAccessType, indexExpression, checkMode), node);
        }
        function callLikeExpressionMayHaveTypeArguments(node) {
          return isCallOrNewExpression2(node) || isTaggedTemplateExpression(node) || isJsxOpeningLikeElement(node);
        }
        function resolveUntypedCall(node) {
          if (callLikeExpressionMayHaveTypeArguments(node)) {
            forEach(node.typeArguments, checkSourceElement);
          }
          if (node.kind === 215) {
            checkExpression(node.template);
          } else if (isJsxOpeningLikeElement(node)) {
            checkExpression(node.attributes);
          } else if (isBinaryExpression(node)) {
            checkExpression(node.left);
          } else if (isCallOrNewExpression2(node)) {
            forEach(node.arguments, (argument) => {
              checkExpression(argument);
            });
          }
          return anySignature;
        }
        function resolveErrorCall(node) {
          resolveUntypedCall(node);
          return unknownSignature;
        }
        function reorderCandidates(signatures, result, callChainFlags) {
          let lastParent;
          let lastSymbol;
          let cutoffIndex = 0;
          let index;
          let specializedIndex = -1;
          let spliceIndex;
          Debug.assert(!result.length);
          for (const signature of signatures) {
            const symbol = signature.declaration && getSymbolOfDeclaration(signature.declaration);
            const parent2 = signature.declaration && signature.declaration.parent;
            if (!lastSymbol || symbol === lastSymbol) {
              if (lastParent && parent2 === lastParent) {
                index = index + 1;
              } else {
                lastParent = parent2;
                index = cutoffIndex;
              }
            } else {
              index = cutoffIndex = result.length;
              lastParent = parent2;
            }
            lastSymbol = symbol;
            if (signatureHasLiteralTypes(signature)) {
              specializedIndex++;
              spliceIndex = specializedIndex;
              cutoffIndex++;
            } else {
              spliceIndex = index;
            }
            result.splice(spliceIndex, 0, callChainFlags ? getOptionalCallSignature(signature, callChainFlags) : signature);
          }
        }
        function isSpreadArgument(arg) {
          return !!arg && (arg.kind === 230 || arg.kind === 237 && arg.isSpread);
        }
        function getSpreadArgumentIndex(args) {
          return findIndex(args, isSpreadArgument);
        }
        function acceptsVoid(t) {
          return !!(t.flags & 16384);
        }
        function acceptsVoidUndefinedUnknownOrAny(t) {
          return !!(t.flags & (16384 | 32768 | 2 | 1));
        }
        function hasCorrectArity(node, args, signature, signatureHelpTrailingComma = false) {
          let argCount;
          let callIsIncomplete = false;
          let effectiveParameterCount = getParameterCount(signature);
          let effectiveMinimumArguments = getMinArgumentCount(signature);
          if (node.kind === 215) {
            argCount = args.length;
            if (node.template.kind === 228) {
              const lastSpan = last(node.template.templateSpans);
              callIsIncomplete = nodeIsMissing(lastSpan.literal) || !!lastSpan.literal.isUnterminated;
            } else {
              const templateLiteral = node.template;
              Debug.assert(
                templateLiteral.kind === 15
                /* NoSubstitutionTemplateLiteral */
              );
              callIsIncomplete = !!templateLiteral.isUnterminated;
            }
          } else if (node.kind === 170) {
            argCount = getDecoratorArgumentCount(node, signature);
          } else if (node.kind === 226) {
            argCount = 1;
          } else if (isJsxOpeningLikeElement(node)) {
            callIsIncomplete = node.attributes.end === node.end;
            if (callIsIncomplete) {
              return true;
            }
            argCount = effectiveMinimumArguments === 0 ? args.length : 1;
            effectiveParameterCount = args.length === 0 ? effectiveParameterCount : 1;
            effectiveMinimumArguments = Math.min(effectiveMinimumArguments, 1);
          } else if (!node.arguments) {
            Debug.assert(
              node.kind === 214
              /* NewExpression */
            );
            return getMinArgumentCount(signature) === 0;
          } else {
            argCount = signatureHelpTrailingComma ? args.length + 1 : args.length;
            callIsIncomplete = node.arguments.end === node.end;
            const spreadArgIndex = getSpreadArgumentIndex(args);
            if (spreadArgIndex >= 0) {
              return spreadArgIndex >= getMinArgumentCount(signature) && (hasEffectiveRestParameter(signature) || spreadArgIndex < getParameterCount(signature));
            }
          }
          if (!hasEffectiveRestParameter(signature) && argCount > effectiveParameterCount) {
            return false;
          }
          if (callIsIncomplete || argCount >= effectiveMinimumArguments) {
            return true;
          }
          for (let i = argCount; i < effectiveMinimumArguments; i++) {
            const type = getTypeAtPosition(signature, i);
            if (filterType(type, isInJSFile(node) && !strictNullChecks ? acceptsVoidUndefinedUnknownOrAny : acceptsVoid).flags & 131072) {
              return false;
            }
          }
          return true;
        }
        function hasCorrectTypeArgumentArity(signature, typeArguments) {
          const numTypeParameters = length(signature.typeParameters);
          const minTypeArgumentCount = getMinTypeArgumentCount(signature.typeParameters);
          return !some(typeArguments) || typeArguments.length >= minTypeArgumentCount && typeArguments.length <= numTypeParameters;
        }
        function isInstantiatedGenericParameter(signature, pos) {
          let type;
          return !!(signature.target && (type = tryGetTypeAtPosition(signature.target, pos)) && isGenericType(type));
        }
        function getSingleCallSignature(type) {
          return getSingleSignature(
            type,
            0,
            /*allowMembers*/
            false
          );
        }
        function getSingleCallOrConstructSignature(type) {
          return getSingleSignature(
            type,
            0,
            /*allowMembers*/
            false
          ) || getSingleSignature(
            type,
            1,
            /*allowMembers*/
            false
          );
        }
        function getSingleSignature(type, kind, allowMembers) {
          if (type.flags & 524288) {
            const resolved = resolveStructuredTypeMembers(type);
            if (allowMembers || resolved.properties.length === 0 && resolved.indexInfos.length === 0) {
              if (kind === 0 && resolved.callSignatures.length === 1 && resolved.constructSignatures.length === 0) {
                return resolved.callSignatures[0];
              }
              if (kind === 1 && resolved.constructSignatures.length === 1 && resolved.callSignatures.length === 0) {
                return resolved.constructSignatures[0];
              }
            }
          }
          return void 0;
        }
        function instantiateSignatureInContextOf(signature, contextualSignature, inferenceContext, compareTypes) {
          const context = createInferenceContext(signature.typeParameters, signature, 0, compareTypes);
          const restType = getEffectiveRestType(contextualSignature);
          const mapper = inferenceContext && (restType && restType.flags & 262144 ? inferenceContext.nonFixingMapper : inferenceContext.mapper);
          const sourceSignature = mapper ? instantiateSignature(contextualSignature, mapper) : contextualSignature;
          applyToParameterTypes(sourceSignature, signature, (source, target) => {
            inferTypes(context.inferences, source, target);
          });
          if (!inferenceContext) {
            applyToReturnTypes(contextualSignature, signature, (source, target) => {
              inferTypes(
                context.inferences,
                source,
                target,
                128
                /* ReturnType */
              );
            });
          }
          return getSignatureInstantiation(signature, getInferredTypes(context), isInJSFile(contextualSignature.declaration));
        }
        function inferJsxTypeArguments(node, signature, checkMode, context) {
          const paramType = getEffectiveFirstArgumentForJsxSignature(signature, node);
          const checkAttrType = checkExpressionWithContextualType(node.attributes, paramType, context, checkMode);
          inferTypes(context.inferences, checkAttrType, paramType);
          return getInferredTypes(context);
        }
        function getThisArgumentType(thisArgumentNode) {
          if (!thisArgumentNode) {
            return voidType2;
          }
          const thisArgumentType = checkExpression(thisArgumentNode);
          return isRightSideOfInstanceofExpression(thisArgumentNode) ? thisArgumentType : isOptionalChainRoot(thisArgumentNode.parent) ? getNonNullableType(thisArgumentType) : isOptionalChain(thisArgumentNode.parent) ? removeOptionalTypeMarker(thisArgumentType) : thisArgumentType;
        }
        function inferTypeArguments(node, signature, args, checkMode, context) {
          if (isJsxOpeningLikeElement(node)) {
            return inferJsxTypeArguments(node, signature, checkMode, context);
          }
          if (node.kind !== 170 && node.kind !== 226) {
            const skipBindingPatterns = every(signature.typeParameters, (p) => !!getDefaultFromTypeParameter(p));
            const contextualType = getContextualType2(
              node,
              skipBindingPatterns ? 8 : 0
              /* None */
            );
            if (contextualType) {
              const inferenceTargetType = getReturnTypeOfSignature(signature);
              if (couldContainTypeVariables(inferenceTargetType)) {
                const outerContext = getInferenceContext(node);
                const isFromBindingPattern = !skipBindingPatterns && getContextualType2(
                  node,
                  8
                  /* SkipBindingPatterns */
                ) !== contextualType;
                if (!isFromBindingPattern) {
                  const outerMapper = getMapperFromContext(cloneInferenceContext(
                    outerContext,
                    1
                    /* NoDefault */
                  ));
                  const instantiatedType = instantiateType(contextualType, outerMapper);
                  const contextualSignature = getSingleCallSignature(instantiatedType);
                  const inferenceSourceType = contextualSignature && contextualSignature.typeParameters ? getOrCreateTypeFromSignature(getSignatureInstantiationWithoutFillingInTypeArguments(contextualSignature, contextualSignature.typeParameters)) : instantiatedType;
                  inferTypes(
                    context.inferences,
                    inferenceSourceType,
                    inferenceTargetType,
                    128
                    /* ReturnType */
                  );
                }
                const returnContext = createInferenceContext(signature.typeParameters, signature, context.flags);
                const returnSourceType = instantiateType(contextualType, outerContext && outerContext.returnMapper);
                inferTypes(returnContext.inferences, returnSourceType, inferenceTargetType);
                context.returnMapper = some(returnContext.inferences, hasInferenceCandidates) ? getMapperFromContext(cloneInferredPartOfContext(returnContext)) : void 0;
              }
            }
          }
          const restType = getNonArrayRestType(signature);
          const argCount = restType ? Math.min(getParameterCount(signature) - 1, args.length) : args.length;
          if (restType && restType.flags & 262144) {
            const info = find(context.inferences, (info2) => info2.typeParameter === restType);
            if (info) {
              info.impliedArity = findIndex(args, isSpreadArgument, argCount) < 0 ? args.length - argCount : void 0;
            }
          }
          const thisType = getThisTypeOfSignature(signature);
          if (thisType && couldContainTypeVariables(thisType)) {
            const thisArgumentNode = getThisArgumentOfCall(node);
            inferTypes(context.inferences, getThisArgumentType(thisArgumentNode), thisType);
          }
          for (let i = 0; i < argCount; i++) {
            const arg = args[i];
            if (arg.kind !== 232) {
              const paramType = getTypeAtPosition(signature, i);
              if (couldContainTypeVariables(paramType)) {
                const argType = checkExpressionWithContextualType(arg, paramType, context, checkMode);
                inferTypes(context.inferences, argType, paramType);
              }
            }
          }
          if (restType && couldContainTypeVariables(restType)) {
            const spreadType = getSpreadArgumentType(args, argCount, args.length, restType, context, checkMode);
            inferTypes(context.inferences, spreadType, restType);
          }
          return getInferredTypes(context);
        }
        function getMutableArrayOrTupleType(type) {
          return type.flags & 1048576 ? mapType2(type, getMutableArrayOrTupleType) : type.flags & 1 || isMutableArrayOrTuple(getBaseConstraintOfType(type) || type) ? type : isTupleType(type) ? createTupleType(
            getElementTypes(type),
            type.target.elementFlags,
            /*readonly*/
            false,
            type.target.labeledElementDeclarations
          ) : createTupleType([type], [
            8
            /* Variadic */
          ]);
        }
        function getSpreadArgumentType(args, index, argCount, restType, context, checkMode) {
          const inConstContext = isConstTypeVariable(restType);
          if (index >= argCount - 1) {
            const arg = args[argCount - 1];
            if (isSpreadArgument(arg)) {
              const spreadType = arg.kind === 237 ? arg.type : checkExpressionWithContextualType(arg.expression, restType, context, checkMode);
              if (isArrayLikeType(spreadType)) {
                return getMutableArrayOrTupleType(spreadType);
              }
              return createArrayType(checkIteratedTypeOrElementType(33, spreadType, undefinedType2, arg.kind === 230 ? arg.expression : arg), inConstContext);
            }
          }
          const types = [];
          const flags = [];
          const names = [];
          for (let i = index; i < argCount; i++) {
            const arg = args[i];
            if (isSpreadArgument(arg)) {
              const spreadType = arg.kind === 237 ? arg.type : checkExpression(arg.expression);
              if (isArrayLikeType(spreadType)) {
                types.push(spreadType);
                flags.push(
                  8
                  /* Variadic */
                );
              } else {
                types.push(checkIteratedTypeOrElementType(33, spreadType, undefinedType2, arg.kind === 230 ? arg.expression : arg));
                flags.push(
                  4
                  /* Rest */
                );
              }
            } else {
              const contextualType = isTupleType(restType) ? getContextualTypeForElementExpression(restType, i - index, argCount - index) || unknownType2 : getIndexedAccessType(
                restType,
                getNumberLiteralType(i - index),
                256
                /* Contextual */
              );
              const argType = checkExpressionWithContextualType(arg, contextualType, context, checkMode);
              const hasPrimitiveContextualType = inConstContext || maybeTypeOfKind(
                contextualType,
                402784252 | 4194304 | 134217728 | 268435456
                /* StringMapping */
              );
              types.push(hasPrimitiveContextualType ? getRegularTypeOfLiteralType(argType) : getWidenedLiteralType(argType));
              flags.push(
                1
                /* Required */
              );
            }
            if (arg.kind === 237 && arg.tupleNameSource) {
              names.push(arg.tupleNameSource);
            } else {
              names.push(void 0);
            }
          }
          return createTupleType(types, flags, inConstContext && !someType(restType, isMutableArrayLikeType), names);
        }
        function checkTypeArguments(signature, typeArgumentNodes, reportErrors2, headMessage) {
          const isJavascript = isInJSFile(signature.declaration);
          const typeParameters = signature.typeParameters;
          const typeArgumentTypes = fillMissingTypeArguments(map(typeArgumentNodes, getTypeFromTypeNode), typeParameters, getMinTypeArgumentCount(typeParameters), isJavascript);
          let mapper;
          for (let i = 0; i < typeArgumentNodes.length; i++) {
            Debug.assert(typeParameters[i] !== void 0, "Should not call checkTypeArguments with too many type arguments");
            const constraint = getConstraintOfTypeParameter(typeParameters[i]);
            if (constraint) {
              const errorInfo = reportErrors2 && headMessage ? () => chainDiagnosticMessages(
                /*details*/
                void 0,
                Diagnostics.Type_0_does_not_satisfy_the_constraint_1
              ) : void 0;
              const typeArgumentHeadMessage = headMessage || Diagnostics.Type_0_does_not_satisfy_the_constraint_1;
              if (!mapper) {
                mapper = createTypeMapper(typeParameters, typeArgumentTypes);
              }
              const typeArgument = typeArgumentTypes[i];
              if (!checkTypeAssignableTo(
                typeArgument,
                getTypeWithThisArgument(instantiateType(constraint, mapper), typeArgument),
                reportErrors2 ? typeArgumentNodes[i] : void 0,
                typeArgumentHeadMessage,
                errorInfo
              )) {
                return void 0;
              }
            }
          }
          return typeArgumentTypes;
        }
        function getJsxReferenceKind(node) {
          if (isJsxIntrinsicTagName(node.tagName)) {
            return 2;
          }
          const tagType = getApparentType(checkExpression(node.tagName));
          if (length(getSignaturesOfType(
            tagType,
            1
            /* Construct */
          ))) {
            return 0;
          }
          if (length(getSignaturesOfType(
            tagType,
            0
            /* Call */
          ))) {
            return 1;
          }
          return 2;
        }
        function checkApplicableSignatureForJsxOpeningLikeElement(node, signature, relation, checkMode, reportErrors2, containingMessageChain, errorOutputContainer) {
          const paramType = getEffectiveFirstArgumentForJsxSignature(signature, node);
          const attributesType = checkExpressionWithContextualType(
            node.attributes,
            paramType,
            /*inferenceContext*/
            void 0,
            checkMode
          );
          const checkAttributesType = checkMode & 4 ? getRegularTypeOfObjectLiteral(attributesType) : attributesType;
          return checkTagNameDoesNotExpectTooManyArguments() && checkTypeRelatedToAndOptionallyElaborate(
            checkAttributesType,
            paramType,
            relation,
            reportErrors2 ? node.tagName : void 0,
            node.attributes,
            /*headMessage*/
            void 0,
            containingMessageChain,
            errorOutputContainer
          );
          function checkTagNameDoesNotExpectTooManyArguments() {
            var _a;
            if (getJsxNamespaceContainerForImplicitImport(node)) {
              return true;
            }
            const tagType = (isJsxOpeningElement(node) || isJsxSelfClosingElement(node)) && !(isJsxIntrinsicTagName(node.tagName) || isJsxNamespacedName(node.tagName)) ? checkExpression(node.tagName) : void 0;
            if (!tagType) {
              return true;
            }
            const tagCallSignatures = getSignaturesOfType(
              tagType,
              0
              /* Call */
            );
            if (!length(tagCallSignatures)) {
              return true;
            }
            const factory2 = getJsxFactoryEntity(node);
            if (!factory2) {
              return true;
            }
            const factorySymbol = resolveEntityName(
              factory2,
              111551,
              /*ignoreErrors*/
              true,
              /*dontResolveAlias*/
              false,
              node
            );
            if (!factorySymbol) {
              return true;
            }
            const factoryType = getTypeOfSymbol(factorySymbol);
            const callSignatures = getSignaturesOfType(
              factoryType,
              0
              /* Call */
            );
            if (!length(callSignatures)) {
              return true;
            }
            let hasFirstParamSignatures = false;
            let maxParamCount = 0;
            for (const sig of callSignatures) {
              const firstparam = getTypeAtPosition(sig, 0);
              const signaturesOfParam = getSignaturesOfType(
                firstparam,
                0
                /* Call */
              );
              if (!length(signaturesOfParam)) continue;
              for (const paramSig of signaturesOfParam) {
                hasFirstParamSignatures = true;
                if (hasEffectiveRestParameter(paramSig)) {
                  return true;
                }
                const paramCount = getParameterCount(paramSig);
                if (paramCount > maxParamCount) {
                  maxParamCount = paramCount;
                }
              }
            }
            if (!hasFirstParamSignatures) {
              return true;
            }
            let absoluteMinArgCount = Infinity;
            for (const tagSig of tagCallSignatures) {
              const tagRequiredArgCount = getMinArgumentCount(tagSig);
              if (tagRequiredArgCount < absoluteMinArgCount) {
                absoluteMinArgCount = tagRequiredArgCount;
              }
            }
            if (absoluteMinArgCount <= maxParamCount) {
              return true;
            }
            if (reportErrors2) {
              const diag2 = createDiagnosticForNode(node.tagName, Diagnostics.Tag_0_expects_at_least_1_arguments_but_the_JSX_factory_2_provides_at_most_3, entityNameToString(node.tagName), absoluteMinArgCount, entityNameToString(factory2), maxParamCount);
              const tagNameDeclaration = (_a = getSymbolAtLocation(node.tagName)) == null ? void 0 : _a.valueDeclaration;
              if (tagNameDeclaration) {
                addRelatedInfo(diag2, createDiagnosticForNode(tagNameDeclaration, Diagnostics._0_is_declared_here, entityNameToString(node.tagName)));
              }
              if (errorOutputContainer && errorOutputContainer.skipLogging) {
                (errorOutputContainer.errors || (errorOutputContainer.errors = [])).push(diag2);
              }
              if (!errorOutputContainer.skipLogging) {
                diagnostics.add(diag2);
              }
            }
            return false;
          }
        }
        function getEffectiveCheckNode(argument) {
          argument = skipParentheses(argument);
          return isSatisfiesExpression(argument) ? skipParentheses(argument.expression) : argument;
        }
        function getSignatureApplicabilityError(node, args, signature, relation, checkMode, reportErrors2, containingMessageChain, inferenceContext) {
          const errorOutputContainer = { errors: void 0, skipLogging: true };
          if (isJsxOpeningLikeElement(node)) {
            if (!checkApplicableSignatureForJsxOpeningLikeElement(node, signature, relation, checkMode, reportErrors2, containingMessageChain, errorOutputContainer)) {
              Debug.assert(!reportErrors2 || !!errorOutputContainer.errors, "jsx should have errors when reporting errors");
              return errorOutputContainer.errors || emptyArray;
            }
            return void 0;
          }
          const thisType = getThisTypeOfSignature(signature);
          if (thisType && thisType !== voidType2 && !(isNewExpression2(node) || isCallExpression2(node) && isSuperProperty(node.expression))) {
            const thisArgumentNode = getThisArgumentOfCall(node);
            const thisArgumentType = getThisArgumentType(thisArgumentNode);
            const errorNode = reportErrors2 ? thisArgumentNode || node : void 0;
            const headMessage2 = Diagnostics.The_this_context_of_type_0_is_not_assignable_to_method_s_this_of_type_1;
            if (!checkTypeRelatedTo(thisArgumentType, thisType, relation, errorNode, headMessage2, containingMessageChain, errorOutputContainer)) {
              Debug.assert(!reportErrors2 || !!errorOutputContainer.errors, "this parameter should have errors when reporting errors");
              return errorOutputContainer.errors || emptyArray;
            }
          }
          const headMessage = Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1;
          const restType = getNonArrayRestType(signature);
          const argCount = restType ? Math.min(getParameterCount(signature) - 1, args.length) : args.length;
          for (let i = 0; i < argCount; i++) {
            const arg = args[i];
            if (arg.kind !== 232) {
              const paramType = getTypeAtPosition(signature, i);
              const argType = checkExpressionWithContextualType(
                arg,
                paramType,
                /*inferenceContext*/
                void 0,
                checkMode
              );
              const regularArgType = checkMode & 4 ? getRegularTypeOfObjectLiteral(argType) : argType;
              const checkArgType = inferenceContext ? instantiateType(regularArgType, inferenceContext.nonFixingMapper) : regularArgType;
              const effectiveCheckArgumentNode = getEffectiveCheckNode(arg);
              if (!checkTypeRelatedToAndOptionallyElaborate(checkArgType, paramType, relation, reportErrors2 ? effectiveCheckArgumentNode : void 0, effectiveCheckArgumentNode, headMessage, containingMessageChain, errorOutputContainer)) {
                Debug.assert(!reportErrors2 || !!errorOutputContainer.errors, "parameter should have errors when reporting errors");
                maybeAddMissingAwaitInfo(arg, checkArgType, paramType);
                return errorOutputContainer.errors || emptyArray;
              }
            }
          }
          if (restType) {
            const spreadType = getSpreadArgumentType(
              args,
              argCount,
              args.length,
              restType,
              /*context*/
              void 0,
              checkMode
            );
            const restArgCount = args.length - argCount;
            const errorNode = !reportErrors2 ? void 0 : restArgCount === 0 ? node : restArgCount === 1 ? getEffectiveCheckNode(args[argCount]) : setTextRangePosEnd(createSyntheticExpression(node, spreadType), args[argCount].pos, args[args.length - 1].end);
            if (!checkTypeRelatedTo(
              spreadType,
              restType,
              relation,
              errorNode,
              headMessage,
              /*containingMessageChain*/
              void 0,
              errorOutputContainer
            )) {
              Debug.assert(!reportErrors2 || !!errorOutputContainer.errors, "rest parameter should have errors when reporting errors");
              maybeAddMissingAwaitInfo(errorNode, spreadType, restType);
              return errorOutputContainer.errors || emptyArray;
            }
          }
          return void 0;
          function maybeAddMissingAwaitInfo(errorNode, source, target) {
            if (errorNode && reportErrors2 && errorOutputContainer.errors && errorOutputContainer.errors.length) {
              if (getAwaitedTypeOfPromise(target)) {
                return;
              }
              const awaitedTypeOfSource = getAwaitedTypeOfPromise(source);
              if (awaitedTypeOfSource && isTypeRelatedTo(awaitedTypeOfSource, target, relation)) {
                addRelatedInfo(errorOutputContainer.errors[0], createDiagnosticForNode(errorNode, Diagnostics.Did_you_forget_to_use_await));
              }
            }
          }
        }
        function getThisArgumentOfCall(node) {
          if (node.kind === 226) {
            return node.right;
          }
          const expression = node.kind === 213 ? node.expression : node.kind === 215 ? node.tag : node.kind === 170 && !legacyDecorators ? node.expression : void 0;
          if (expression) {
            const callee = skipOuterExpressions(expression);
            if (isAccessExpression(callee)) {
              return callee.expression;
            }
          }
        }
        function createSyntheticExpression(parent2, type, isSpread, tupleNameSource) {
          const result = parseNodeFactory.createSyntheticExpression(type, isSpread, tupleNameSource);
          setTextRange(result, parent2);
          setParent(result, parent2);
          return result;
        }
        function getEffectiveCallArguments(node) {
          if (node.kind === 215) {
            const template = node.template;
            const args2 = [createSyntheticExpression(template, getGlobalTemplateStringsArrayType())];
            if (template.kind === 228) {
              forEach(template.templateSpans, (span) => {
                args2.push(span.expression);
              });
            }
            return args2;
          }
          if (node.kind === 170) {
            return getEffectiveDecoratorArguments(node);
          }
          if (node.kind === 226) {
            return [node.left];
          }
          if (isJsxOpeningLikeElement(node)) {
            return node.attributes.properties.length > 0 || isJsxOpeningElement(node) && node.parent.children.length > 0 ? [node.attributes] : emptyArray;
          }
          const args = node.arguments || emptyArray;
          const spreadIndex = getSpreadArgumentIndex(args);
          if (spreadIndex >= 0) {
            const effectiveArgs = args.slice(0, spreadIndex);
            for (let i = spreadIndex; i < args.length; i++) {
              const arg = args[i];
              const spreadType = arg.kind === 230 && (flowLoopCount ? checkExpression(arg.expression) : checkExpressionCached(arg.expression));
              if (spreadType && isTupleType(spreadType)) {
                forEach(getElementTypes(spreadType), (t, i2) => {
                  var _a;
                  const flags = spreadType.target.elementFlags[i2];
                  const syntheticArg = createSyntheticExpression(arg, flags & 4 ? createArrayType(t) : t, !!(flags & 12), (_a = spreadType.target.labeledElementDeclarations) == null ? void 0 : _a[i2]);
                  effectiveArgs.push(syntheticArg);
                });
              } else {
                effectiveArgs.push(arg);
              }
            }
            return effectiveArgs;
          }
          return args;
        }
        function getEffectiveDecoratorArguments(node) {
          const expr = node.expression;
          const signature = getDecoratorCallSignature(node);
          if (signature) {
            const args = [];
            for (const param of signature.parameters) {
              const type = getTypeOfSymbol(param);
              args.push(createSyntheticExpression(expr, type));
            }
            return args;
          }
          return Debug.fail();
        }
        function getDecoratorArgumentCount(node, signature) {
          return compilerOptions.experimentalDecorators ? getLegacyDecoratorArgumentCount(node, signature) : (
            // Allow the runtime to oversupply arguments to an ES decorator as long as there's at least one parameter.
            Math.min(Math.max(getParameterCount(signature), 1), 2)
          );
        }
        function getLegacyDecoratorArgumentCount(node, signature) {
          switch (node.parent.kind) {
            case 263:
            case 231:
              return 1;
            case 172:
              return hasAccessorModifier(node.parent) ? 3 : 2;
            case 174:
            case 177:
            case 178:
              return signature.parameters.length <= 2 ? 2 : 3;
            case 169:
              return 3;
            default:
              return Debug.fail();
          }
        }
        function getDiagnosticSpanForCallNode(node) {
          const sourceFile = getSourceFileOfNode(node);
          const { start, length: length2 } = getErrorSpanForNode(sourceFile, isPropertyAccessExpression(node.expression) ? node.expression.name : node.expression);
          return { start, length: length2, sourceFile };
        }
        function getDiagnosticForCallNode(node, message, ...args) {
          if (isCallExpression2(node)) {
            const { sourceFile, start, length: length2 } = getDiagnosticSpanForCallNode(node);
            if ("message" in message) {
              return createFileDiagnostic(sourceFile, start, length2, message, ...args);
            }
            return createDiagnosticForFileFromMessageChain(sourceFile, message);
          } else {
            if ("message" in message) {
              return createDiagnosticForNode(node, message, ...args);
            }
            return createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(node), node, message);
          }
        }
        function getErrorNodeForCallNode(callLike) {
          if (isCallOrNewExpression2(callLike)) {
            return isPropertyAccessExpression(callLike.expression) ? callLike.expression.name : callLike.expression;
          }
          if (isTaggedTemplateExpression(callLike)) {
            return isPropertyAccessExpression(callLike.tag) ? callLike.tag.name : callLike.tag;
          }
          if (isJsxOpeningLikeElement(callLike)) {
            return callLike.tagName;
          }
          return callLike;
        }
        function isPromiseResolveArityError(node) {
          if (!isCallExpression2(node) || !isIdentifier(node.expression)) return false;
          const symbol = resolveName(
            node.expression,
            node.expression.escapedText,
            111551,
            /*nameNotFoundMessage*/
            void 0,
            /*isUse*/
            false
          );
          const decl = symbol == null ? void 0 : symbol.valueDeclaration;
          if (!decl || !isParameter(decl) || !isFunctionExpressionOrArrowFunction(decl.parent) || !isNewExpression2(decl.parent.parent) || !isIdentifier(decl.parent.parent.expression)) {
            return false;
          }
          const globalPromiseSymbol = getGlobalPromiseConstructorSymbol(
            /*reportErrors*/
            false
          );
          if (!globalPromiseSymbol) return false;
          const constructorSymbol = getSymbolAtLocation(
            decl.parent.parent.expression,
            /*ignoreErrors*/
            true
          );
          return constructorSymbol === globalPromiseSymbol;
        }
        function getArgumentArityError(node, signatures, args, headMessage) {
          var _a;
          const spreadIndex = getSpreadArgumentIndex(args);
          if (spreadIndex > -1) {
            return createDiagnosticForNode(args[spreadIndex], Diagnostics.A_spread_argument_must_either_have_a_tuple_type_or_be_passed_to_a_rest_parameter);
          }
          let min2 = Number.POSITIVE_INFINITY;
          let max = Number.NEGATIVE_INFINITY;
          let maxBelow = Number.NEGATIVE_INFINITY;
          let minAbove = Number.POSITIVE_INFINITY;
          let closestSignature;
          for (const sig of signatures) {
            const minParameter = getMinArgumentCount(sig);
            const maxParameter = getParameterCount(sig);
            if (minParameter < min2) {
              min2 = minParameter;
              closestSignature = sig;
            }
            max = Math.max(max, maxParameter);
            if (minParameter < args.length && minParameter > maxBelow) maxBelow = minParameter;
            if (args.length < maxParameter && maxParameter < minAbove) minAbove = maxParameter;
          }
          const hasRestParameter2 = some(signatures, hasEffectiveRestParameter);
          const parameterRange = hasRestParameter2 ? min2 : min2 < max ? min2 + "-" + max : min2;
          const isVoidPromiseError = !hasRestParameter2 && parameterRange === 1 && args.length === 0 && isPromiseResolveArityError(node);
          if (isVoidPromiseError && isInJSFile(node)) {
            return getDiagnosticForCallNode(node, Diagnostics.Expected_1_argument_but_got_0_new_Promise_needs_a_JSDoc_hint_to_produce_a_resolve_that_can_be_called_without_arguments);
          }
          const error3 = isDecorator(node) ? hasRestParameter2 ? Diagnostics.The_runtime_will_invoke_the_decorator_with_1_arguments_but_the_decorator_expects_at_least_0 : Diagnostics.The_runtime_will_invoke_the_decorator_with_1_arguments_but_the_decorator_expects_0 : hasRestParameter2 ? Diagnostics.Expected_at_least_0_arguments_but_got_1 : isVoidPromiseError ? Diagnostics.Expected_0_arguments_but_got_1_Did_you_forget_to_include_void_in_your_type_argument_to_Promise : Diagnostics.Expected_0_arguments_but_got_1;
          if (min2 < args.length && args.length < max) {
            if (headMessage) {
              let chain = chainDiagnosticMessages(
                /*details*/
                void 0,
                Diagnostics.No_overload_expects_0_arguments_but_overloads_do_exist_that_expect_either_1_or_2_arguments,
                args.length,
                maxBelow,
                minAbove
              );
              chain = chainDiagnosticMessages(chain, headMessage);
              return getDiagnosticForCallNode(node, chain);
            }
            return getDiagnosticForCallNode(node, Diagnostics.No_overload_expects_0_arguments_but_overloads_do_exist_that_expect_either_1_or_2_arguments, args.length, maxBelow, minAbove);
          } else if (args.length < min2) {
            let diagnostic;
            if (headMessage) {
              let chain = chainDiagnosticMessages(
                /*details*/
                void 0,
                error3,
                parameterRange,
                args.length
              );
              chain = chainDiagnosticMessages(chain, headMessage);
              diagnostic = getDiagnosticForCallNode(node, chain);
            } else {
              diagnostic = getDiagnosticForCallNode(node, error3, parameterRange, args.length);
            }
            const parameter = (_a = closestSignature == null ? void 0 : closestSignature.declaration) == null ? void 0 : _a.parameters[closestSignature.thisParameter ? args.length + 1 : args.length];
            if (parameter) {
              const messageAndArgs = isBindingPattern(parameter.name) ? [Diagnostics.An_argument_matching_this_binding_pattern_was_not_provided] : isRestParameter(parameter) ? [Diagnostics.Arguments_for_the_rest_parameter_0_were_not_provided, idText(getFirstIdentifier(parameter.name))] : [Diagnostics.An_argument_for_0_was_not_provided, !parameter.name ? args.length : idText(getFirstIdentifier(parameter.name))];
              const parameterError = createDiagnosticForNode(parameter, ...messageAndArgs);
              return addRelatedInfo(diagnostic, parameterError);
            }
            return diagnostic;
          } else {
            const errorSpan = factory.createNodeArray(args.slice(max));
            const pos = first(errorSpan).pos;
            let end = last(errorSpan).end;
            if (end === pos) {
              end++;
            }
            setTextRangePosEnd(errorSpan, pos, end);
            if (headMessage) {
              let chain = chainDiagnosticMessages(
                /*details*/
                void 0,
                error3,
                parameterRange,
                args.length
              );
              chain = chainDiagnosticMessages(chain, headMessage);
              return createDiagnosticForNodeArrayFromMessageChain(getSourceFileOfNode(node), errorSpan, chain);
            }
            return createDiagnosticForNodeArray(getSourceFileOfNode(node), errorSpan, error3, parameterRange, args.length);
          }
        }
        function getTypeArgumentArityError(node, signatures, typeArguments, headMessage) {
          const argCount = typeArguments.length;
          if (signatures.length === 1) {
            const sig = signatures[0];
            const min2 = getMinTypeArgumentCount(sig.typeParameters);
            const max = length(sig.typeParameters);
            if (headMessage) {
              let chain = chainDiagnosticMessages(
                /*details*/
                void 0,
                Diagnostics.Expected_0_type_arguments_but_got_1,
                min2 < max ? min2 + "-" + max : min2,
                argCount
              );
              chain = chainDiagnosticMessages(chain, headMessage);
              return createDiagnosticForNodeArrayFromMessageChain(getSourceFileOfNode(node), typeArguments, chain);
            }
            return createDiagnosticForNodeArray(getSourceFileOfNode(node), typeArguments, Diagnostics.Expected_0_type_arguments_but_got_1, min2 < max ? min2 + "-" + max : min2, argCount);
          }
          let belowArgCount = -Infinity;
          let aboveArgCount = Infinity;
          for (const sig of signatures) {
            const min2 = getMinTypeArgumentCount(sig.typeParameters);
            const max = length(sig.typeParameters);
            if (min2 > argCount) {
              aboveArgCount = Math.min(aboveArgCount, min2);
            } else if (max < argCount) {
              belowArgCount = Math.max(belowArgCount, max);
            }
          }
          if (belowArgCount !== -Infinity && aboveArgCount !== Infinity) {
            if (headMessage) {
              let chain = chainDiagnosticMessages(
                /*details*/
                void 0,
                Diagnostics.No_overload_expects_0_type_arguments_but_overloads_do_exist_that_expect_either_1_or_2_type_arguments,
                argCount,
                belowArgCount,
                aboveArgCount
              );
              chain = chainDiagnosticMessages(chain, headMessage);
              return createDiagnosticForNodeArrayFromMessageChain(getSourceFileOfNode(node), typeArguments, chain);
            }
            return createDiagnosticForNodeArray(getSourceFileOfNode(node), typeArguments, Diagnostics.No_overload_expects_0_type_arguments_but_overloads_do_exist_that_expect_either_1_or_2_type_arguments, argCount, belowArgCount, aboveArgCount);
          }
          if (headMessage) {
            let chain = chainDiagnosticMessages(
              /*details*/
              void 0,
              Diagnostics.Expected_0_type_arguments_but_got_1,
              belowArgCount === -Infinity ? aboveArgCount : belowArgCount,
              argCount
            );
            chain = chainDiagnosticMessages(chain, headMessage);
            return createDiagnosticForNodeArrayFromMessageChain(getSourceFileOfNode(node), typeArguments, chain);
          }
          return createDiagnosticForNodeArray(getSourceFileOfNode(node), typeArguments, Diagnostics.Expected_0_type_arguments_but_got_1, belowArgCount === -Infinity ? aboveArgCount : belowArgCount, argCount);
        }
        function resolveCall(node, signatures, candidatesOutArray, checkMode, callChainFlags, headMessage) {
          const isTaggedTemplate = node.kind === 215;
          const isDecorator2 = node.kind === 170;
          const isJsxOpeningOrSelfClosingElement = isJsxOpeningLikeElement(node);
          const isInstanceof = node.kind === 226;
          const reportErrors2 = !isInferencePartiallyBlocked && !candidatesOutArray;
          let typeArguments;
          if (!isDecorator2 && !isInstanceof && !isSuperCall(node)) {
            typeArguments = node.typeArguments;
            if (isTaggedTemplate || isJsxOpeningOrSelfClosingElement || node.expression.kind !== 108) {
              forEach(typeArguments, checkSourceElement);
            }
          }
          const candidates = candidatesOutArray || [];
          reorderCandidates(signatures, candidates, callChainFlags);
          Debug.assert(candidates.length, "Revert #54442 and add a testcase with whatever triggered this");
          const args = getEffectiveCallArguments(node);
          const isSingleNonGenericCandidate = candidates.length === 1 && !candidates[0].typeParameters;
          let argCheckMode = !isDecorator2 && !isSingleNonGenericCandidate && some(args, isContextSensitive) ? 4 : 0;
          let candidatesForArgumentError;
          let candidateForArgumentArityError;
          let candidateForTypeArgumentError;
          let result;
          const signatureHelpTrailingComma = !!(checkMode & 16) && node.kind === 213 && node.arguments.hasTrailingComma;
          if (candidates.length > 1) {
            result = chooseOverload(candidates, subtypeRelation, isSingleNonGenericCandidate, signatureHelpTrailingComma);
          }
          if (!result) {
            result = chooseOverload(candidates, assignableRelation, isSingleNonGenericCandidate, signatureHelpTrailingComma);
          }
          if (result) {
            return result;
          }
          result = getCandidateForOverloadFailure(node, candidates, args, !!candidatesOutArray, checkMode);
          getNodeLinks(node).resolvedSignature = result;
          if (reportErrors2) {
            if (!headMessage && isInstanceof) {
              headMessage = Diagnostics.The_left_hand_side_of_an_instanceof_expression_must_be_assignable_to_the_first_argument_of_the_right_hand_side_s_Symbol_hasInstance_method;
            }
            if (candidatesForArgumentError) {
              if (candidatesForArgumentError.length === 1 || candidatesForArgumentError.length > 3) {
                const last2 = candidatesForArgumentError[candidatesForArgumentError.length - 1];
                let chain;
                if (candidatesForArgumentError.length > 3) {
                  chain = chainDiagnosticMessages(chain, Diagnostics.The_last_overload_gave_the_following_error);
                  chain = chainDiagnosticMessages(chain, Diagnostics.No_overload_matches_this_call);
                }
                if (headMessage) {
                  chain = chainDiagnosticMessages(chain, headMessage);
                }
                const diags = getSignatureApplicabilityError(
                  node,
                  args,
                  last2,
                  assignableRelation,
                  0,
                  /*reportErrors*/
                  true,
                  () => chain,
                  /*inferenceContext*/
                  void 0
                );
                if (diags) {
                  for (const d of diags) {
                    if (last2.declaration && candidatesForArgumentError.length > 3) {
                      addRelatedInfo(d, createDiagnosticForNode(last2.declaration, Diagnostics.The_last_overload_is_declared_here));
                    }
                    addImplementationSuccessElaboration(last2, d);
                    diagnostics.add(d);
                  }
                } else {
                  Debug.fail("No error for last overload signature");
                }
              } else {
                const allDiagnostics = [];
                let max = 0;
                let min2 = Number.MAX_VALUE;
                let minIndex = 0;
                let i = 0;
                for (const c of candidatesForArgumentError) {
                  const chain2 = () => chainDiagnosticMessages(
                    /*details*/
                    void 0,
                    Diagnostics.Overload_0_of_1_2_gave_the_following_error,
                    i + 1,
                    candidates.length,
                    signatureToString(c)
                  );
                  const diags2 = getSignatureApplicabilityError(
                    node,
                    args,
                    c,
                    assignableRelation,
                    0,
                    /*reportErrors*/
                    true,
                    chain2,
                    /*inferenceContext*/
                    void 0
                  );
                  if (diags2) {
                    if (diags2.length <= min2) {
                      min2 = diags2.length;
                      minIndex = i;
                    }
                    max = Math.max(max, diags2.length);
                    allDiagnostics.push(diags2);
                  } else {
                    Debug.fail("No error for 3 or fewer overload signatures");
                  }
                  i++;
                }
                const diags = max > 1 ? allDiagnostics[minIndex] : flatten(allDiagnostics);
                Debug.assert(diags.length > 0, "No errors reported for 3 or fewer overload signatures");
                let chain = chainDiagnosticMessages(
                  map(diags, createDiagnosticMessageChainFromDiagnostic),
                  Diagnostics.No_overload_matches_this_call
                );
                if (headMessage) {
                  chain = chainDiagnosticMessages(chain, headMessage);
                }
                const related = [...flatMap(diags, (d) => d.relatedInformation)];
                let diag2;
                if (every(diags, (d) => d.start === diags[0].start && d.length === diags[0].length && d.file === diags[0].file)) {
                  const { file, start, length: length2 } = diags[0];
                  diag2 = { file, start, length: length2, code: chain.code, category: chain.category, messageText: chain, relatedInformation: related };
                } else {
                  diag2 = createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(node), getErrorNodeForCallNode(node), chain, related);
                }
                addImplementationSuccessElaboration(candidatesForArgumentError[0], diag2);
                diagnostics.add(diag2);
              }
            } else if (candidateForArgumentArityError) {
              diagnostics.add(getArgumentArityError(node, [candidateForArgumentArityError], args, headMessage));
            } else if (candidateForTypeArgumentError) {
              checkTypeArguments(
                candidateForTypeArgumentError,
                node.typeArguments,
                /*reportErrors*/
                true,
                headMessage
              );
            } else {
              const signaturesWithCorrectTypeArgumentArity = filter(signatures, (s) => hasCorrectTypeArgumentArity(s, typeArguments));
              if (signaturesWithCorrectTypeArgumentArity.length === 0) {
                diagnostics.add(getTypeArgumentArityError(node, signatures, typeArguments, headMessage));
              } else {
                diagnostics.add(getArgumentArityError(node, signaturesWithCorrectTypeArgumentArity, args, headMessage));
              }
            }
          }
          return result;
          function addImplementationSuccessElaboration(failed, diagnostic) {
            var _a, _b;
            const oldCandidatesForArgumentError = candidatesForArgumentError;
            const oldCandidateForArgumentArityError = candidateForArgumentArityError;
            const oldCandidateForTypeArgumentError = candidateForTypeArgumentError;
            const failedSignatureDeclarations = ((_b = (_a = failed.declaration) == null ? void 0 : _a.symbol) == null ? void 0 : _b.declarations) || emptyArray;
            const isOverload2 = failedSignatureDeclarations.length > 1;
            const implDecl = isOverload2 ? find(failedSignatureDeclarations, (d) => isFunctionLikeDeclaration(d) && nodeIsPresent(d.body)) : void 0;
            if (implDecl) {
              const candidate = getSignatureFromDeclaration(implDecl);
              const isSingleNonGenericCandidate2 = !candidate.typeParameters;
              if (chooseOverload([candidate], assignableRelation, isSingleNonGenericCandidate2)) {
                addRelatedInfo(diagnostic, createDiagnosticForNode(implDecl, Diagnostics.The_call_would_have_succeeded_against_this_implementation_but_implementation_signatures_of_overloads_are_not_externally_visible));
              }
            }
            candidatesForArgumentError = oldCandidatesForArgumentError;
            candidateForArgumentArityError = oldCandidateForArgumentArityError;
            candidateForTypeArgumentError = oldCandidateForTypeArgumentError;
          }
          function chooseOverload(candidates2, relation, isSingleNonGenericCandidate2, signatureHelpTrailingComma2 = false) {
            var _a, _b;
            candidatesForArgumentError = void 0;
            candidateForArgumentArityError = void 0;
            candidateForTypeArgumentError = void 0;
            if (isSingleNonGenericCandidate2) {
              const candidate = candidates2[0];
              if (some(typeArguments) || !hasCorrectArity(node, args, candidate, signatureHelpTrailingComma2)) {
                return void 0;
              }
              if (getSignatureApplicabilityError(
                node,
                args,
                candidate,
                relation,
                0,
                /*reportErrors*/
                false,
                /*containingMessageChain*/
                void 0,
                /*inferenceContext*/
                void 0
              )) {
                candidatesForArgumentError = [candidate];
                return void 0;
              }
              return candidate;
            }
            for (let candidateIndex = 0; candidateIndex < candidates2.length; candidateIndex++) {
              let candidate = candidates2[candidateIndex];
              if (!hasCorrectTypeArgumentArity(candidate, typeArguments) || !hasCorrectArity(node, args, candidate, signatureHelpTrailingComma2)) {
                continue;
              }
              let checkCandidate;
              let inferenceContext;
              if (candidate.typeParameters) {
                const paramLocation = (_b = (_a = candidate.typeParameters[0].symbol.declarations) == null ? void 0 : _a[0]) == null ? void 0 : _b.parent;
                const candidateParameterContext = paramLocation || (candidate.declaration && isConstructorDeclaration(candidate.declaration) ? candidate.declaration.parent : candidate.declaration);
                if (candidateParameterContext && findAncestor(node, (a) => a === candidateParameterContext)) {
                  candidate = getImplementationSignature(candidate);
                }
                let typeArgumentTypes;
                if (some(typeArguments)) {
                  typeArgumentTypes = checkTypeArguments(
                    candidate,
                    typeArguments,
                    /*reportErrors*/
                    false
                  );
                  if (!typeArgumentTypes) {
                    candidateForTypeArgumentError = candidate;
                    continue;
                  }
                } else {
                  inferenceContext = createInferenceContext(
                    candidate.typeParameters,
                    candidate,
                    /*flags*/
                    isInJSFile(node) ? 2 : 0
                    /* None */
                  );
                  typeArgumentTypes = instantiateTypes(inferTypeArguments(node, candidate, args, argCheckMode | 8, inferenceContext), inferenceContext.nonFixingMapper);
                  argCheckMode |= inferenceContext.flags & 4 ? 8 : 0;
                }
                checkCandidate = getSignatureInstantiation(candidate, typeArgumentTypes, isInJSFile(candidate.declaration), inferenceContext && inferenceContext.inferredTypeParameters);
                if (getNonArrayRestType(candidate) && !hasCorrectArity(node, args, checkCandidate, signatureHelpTrailingComma2)) {
                  candidateForArgumentArityError = checkCandidate;
                  continue;
                }
              } else {
                checkCandidate = candidate;
              }
              if (getSignatureApplicabilityError(
                node,
                args,
                checkCandidate,
                relation,
                argCheckMode,
                /*reportErrors*/
                false,
                /*containingMessageChain*/
                void 0,
                inferenceContext
              )) {
                (candidatesForArgumentError || (candidatesForArgumentError = [])).push(checkCandidate);
                continue;
              }
              if (argCheckMode) {
                argCheckMode = 0;
                if (inferenceContext) {
                  const typeArgumentTypes = instantiateTypes(inferTypeArguments(node, candidate, args, argCheckMode, inferenceContext), inferenceContext.mapper);
                  checkCandidate = getSignatureInstantiation(candidate, typeArgumentTypes, isInJSFile(candidate.declaration), inferenceContext.inferredTypeParameters);
                  if (getNonArrayRestType(candidate) && !hasCorrectArity(node, args, checkCandidate, signatureHelpTrailingComma2)) {
                    candidateForArgumentArityError = checkCandidate;
                    continue;
                  }
                }
                if (getSignatureApplicabilityError(
                  node,
                  args,
                  checkCandidate,
                  relation,
                  argCheckMode,
                  /*reportErrors*/
                  false,
                  /*containingMessageChain*/
                  void 0,
                  inferenceContext
                )) {
                  (candidatesForArgumentError || (candidatesForArgumentError = [])).push(checkCandidate);
                  continue;
                }
              }
              candidates2[candidateIndex] = checkCandidate;
              return checkCandidate;
            }
            return void 0;
          }
        }
        function getCandidateForOverloadFailure(node, candidates, args, hasCandidatesOutArray, checkMode) {
          Debug.assert(candidates.length > 0);
          checkNodeDeferred(node);
          return hasCandidatesOutArray || candidates.length === 1 || candidates.some((c) => !!c.typeParameters) ? pickLongestCandidateSignature(node, candidates, args, checkMode) : createUnionOfSignaturesForOverloadFailure(candidates);
        }
        function createUnionOfSignaturesForOverloadFailure(candidates) {
          const thisParameters = mapDefined(candidates, (c) => c.thisParameter);
          let thisParameter;
          if (thisParameters.length) {
            thisParameter = createCombinedSymbolFromTypes(thisParameters, thisParameters.map(getTypeOfParameter));
          }
          const { min: minArgumentCount, max: maxNonRestParam } = minAndMax(candidates, getNumNonRestParameters);
          const parameters = [];
          for (let i = 0; i < maxNonRestParam; i++) {
            const symbols = mapDefined(candidates, (s) => signatureHasRestParameter(s) ? i < s.parameters.length - 1 ? s.parameters[i] : last(s.parameters) : i < s.parameters.length ? s.parameters[i] : void 0);
            Debug.assert(symbols.length !== 0);
            parameters.push(createCombinedSymbolFromTypes(symbols, mapDefined(candidates, (candidate) => tryGetTypeAtPosition(candidate, i))));
          }
          const restParameterSymbols = mapDefined(candidates, (c) => signatureHasRestParameter(c) ? last(c.parameters) : void 0);
          let flags = 128;
          if (restParameterSymbols.length !== 0) {
            const type = createArrayType(getUnionType(
              mapDefined(candidates, tryGetRestTypeOfSignature),
              2
              /* Subtype */
            ));
            parameters.push(createCombinedSymbolForOverloadFailure(restParameterSymbols, type));
            flags |= 1;
          }
          if (candidates.some(signatureHasLiteralTypes)) {
            flags |= 2;
          }
          return createSignature(
            candidates[0].declaration,
            /*typeParameters*/
            void 0,
            // Before calling this we tested for `!candidates.some(c => !!c.typeParameters)`.
            thisParameter,
            parameters,
            /*resolvedReturnType*/
            getIntersectionType(candidates.map(getReturnTypeOfSignature)),
            /*resolvedTypePredicate*/
            void 0,
            minArgumentCount,
            flags
          );
        }
        function getNumNonRestParameters(signature) {
          const numParams = signature.parameters.length;
          return signatureHasRestParameter(signature) ? numParams - 1 : numParams;
        }
        function createCombinedSymbolFromTypes(sources, types) {
          return createCombinedSymbolForOverloadFailure(sources, getUnionType(
            types,
            2
            /* Subtype */
          ));
        }
        function createCombinedSymbolForOverloadFailure(sources, type) {
          return createSymbolWithType(first(sources), type);
        }
        function pickLongestCandidateSignature(node, candidates, args, checkMode) {
          const bestIndex = getLongestCandidateIndex(candidates, apparentArgumentCount === void 0 ? args.length : apparentArgumentCount);
          const candidate = candidates[bestIndex];
          const { typeParameters } = candidate;
          if (!typeParameters) {
            return candidate;
          }
          const typeArgumentNodes = callLikeExpressionMayHaveTypeArguments(node) ? node.typeArguments : void 0;
          const instantiated = typeArgumentNodes ? createSignatureInstantiation(candidate, getTypeArgumentsFromNodes(typeArgumentNodes, typeParameters, isInJSFile(node))) : inferSignatureInstantiationForOverloadFailure(node, typeParameters, candidate, args, checkMode);
          candidates[bestIndex] = instantiated;
          return instantiated;
        }
        function getTypeArgumentsFromNodes(typeArgumentNodes, typeParameters, isJs) {
          const typeArguments = typeArgumentNodes.map(getTypeOfNode);
          while (typeArguments.length > typeParameters.length) {
            typeArguments.pop();
          }
          while (typeArguments.length < typeParameters.length) {
            typeArguments.push(getDefaultFromTypeParameter(typeParameters[typeArguments.length]) || getConstraintOfTypeParameter(typeParameters[typeArguments.length]) || getDefaultTypeArgumentType(isJs));
          }
          return typeArguments;
        }
        function inferSignatureInstantiationForOverloadFailure(node, typeParameters, candidate, args, checkMode) {
          const inferenceContext = createInferenceContext(
            typeParameters,
            candidate,
            /*flags*/
            isInJSFile(node) ? 2 : 0
            /* None */
          );
          const typeArgumentTypes = inferTypeArguments(node, candidate, args, checkMode | 4 | 8, inferenceContext);
          return createSignatureInstantiation(candidate, typeArgumentTypes);
        }
        function getLongestCandidateIndex(candidates, argsCount) {
          let maxParamsIndex = -1;
          let maxParams = -1;
          for (let i = 0; i < candidates.length; i++) {
            const candidate = candidates[i];
            const paramCount = getParameterCount(candidate);
            if (hasEffectiveRestParameter(candidate) || paramCount >= argsCount) {
              return i;
            }
            if (paramCount > maxParams) {
              maxParams = paramCount;
              maxParamsIndex = i;
            }
          }
          return maxParamsIndex;
        }
        function resolveCallExpression(node, candidatesOutArray, checkMode) {
          if (node.expression.kind === 108) {
            const superType = checkSuperExpression(node.expression);
            if (isTypeAny(superType)) {
              for (const arg of node.arguments) {
                checkExpression(arg);
              }
              return anySignature;
            }
            if (!isErrorType(superType)) {
              const baseTypeNode = getEffectiveBaseTypeNode(getContainingClass(node));
              if (baseTypeNode) {
                const baseConstructors = getInstantiatedConstructorsForTypeArguments(superType, baseTypeNode.typeArguments, baseTypeNode);
                return resolveCall(
                  node,
                  baseConstructors,
                  candidatesOutArray,
                  checkMode,
                  0
                  /* None */
                );
              }
            }
            return resolveUntypedCall(node);
          }
          let callChainFlags;
          let funcType = checkExpression(node.expression);
          if (isCallChain(node)) {
            const nonOptionalType = getOptionalExpressionType(funcType, node.expression);
            callChainFlags = nonOptionalType === funcType ? 0 : isOutermostOptionalChain(node) ? 16 : 8;
            funcType = nonOptionalType;
          } else {
            callChainFlags = 0;
          }
          funcType = checkNonNullTypeWithReporter(
            funcType,
            node.expression,
            reportCannotInvokePossiblyNullOrUndefinedError
          );
          if (funcType === silentNeverType) {
            return silentNeverSignature;
          }
          const apparentType = getApparentType(funcType);
          if (isErrorType(apparentType)) {
            return resolveErrorCall(node);
          }
          const callSignatures = getSignaturesOfType(
            apparentType,
            0
            /* Call */
          );
          const numConstructSignatures = getSignaturesOfType(
            apparentType,
            1
            /* Construct */
          ).length;
          if (isUntypedFunctionCall(funcType, apparentType, callSignatures.length, numConstructSignatures)) {
            if (!isErrorType(funcType) && node.typeArguments) {
              error2(node, Diagnostics.Untyped_function_calls_may_not_accept_type_arguments);
            }
            return resolveUntypedCall(node);
          }
          if (!callSignatures.length) {
            if (numConstructSignatures) {
              error2(node, Diagnostics.Value_of_type_0_is_not_callable_Did_you_mean_to_include_new, typeToString(funcType));
            } else {
              let relatedInformation;
              if (node.arguments.length === 1) {
                const text = getSourceFileOfNode(node).text;
                if (isLineBreak(text.charCodeAt(skipTrivia(
                  text,
                  node.expression.end,
                  /*stopAfterLineBreak*/
                  true
                ) - 1))) {
                  relatedInformation = createDiagnosticForNode(node.expression, Diagnostics.Are_you_missing_a_semicolon);
                }
              }
              invocationError(node.expression, apparentType, 0, relatedInformation);
            }
            return resolveErrorCall(node);
          }
          if (checkMode & 8 && !node.typeArguments && callSignatures.some(isGenericFunctionReturningFunction)) {
            skippedGenericFunction(node, checkMode);
            return resolvingSignature;
          }
          if (callSignatures.some((sig) => isInJSFile(sig.declaration) && !!getJSDocClassTag(sig.declaration))) {
            error2(node, Diagnostics.Value_of_type_0_is_not_callable_Did_you_mean_to_include_new, typeToString(funcType));
            return resolveErrorCall(node);
          }
          return resolveCall(node, callSignatures, candidatesOutArray, checkMode, callChainFlags);
        }
        function isGenericFunctionReturningFunction(signature) {
          return !!(signature.typeParameters && isFunctionType(getReturnTypeOfSignature(signature)));
        }
        function isUntypedFunctionCall(funcType, apparentFuncType, numCallSignatures, numConstructSignatures) {
          return isTypeAny(funcType) || isTypeAny(apparentFuncType) && !!(funcType.flags & 262144) || !numCallSignatures && !numConstructSignatures && !(apparentFuncType.flags & 1048576) && !(getReducedType(apparentFuncType).flags & 131072) && isTypeAssignableTo(funcType, globalFunctionType);
        }
        function resolveNewExpression(node, candidatesOutArray, checkMode) {
          let expressionType = checkNonNullExpression(node.expression);
          if (expressionType === silentNeverType) {
            return silentNeverSignature;
          }
          expressionType = getApparentType(expressionType);
          if (isErrorType(expressionType)) {
            return resolveErrorCall(node);
          }
          if (isTypeAny(expressionType)) {
            if (node.typeArguments) {
              error2(node, Diagnostics.Untyped_function_calls_may_not_accept_type_arguments);
            }
            return resolveUntypedCall(node);
          }
          const constructSignatures = getSignaturesOfType(
            expressionType,
            1
            /* Construct */
          );
          if (constructSignatures.length) {
            if (!isConstructorAccessible(node, constructSignatures[0])) {
              return resolveErrorCall(node);
            }
            if (someSignature(constructSignatures, (signature) => !!(signature.flags & 4))) {
              error2(node, Diagnostics.Cannot_create_an_instance_of_an_abstract_class);
              return resolveErrorCall(node);
            }
            const valueDecl = expressionType.symbol && getClassLikeDeclarationOfSymbol(expressionType.symbol);
            if (valueDecl && hasSyntacticModifier(
              valueDecl,
              64
              /* Abstract */
            )) {
              error2(node, Diagnostics.Cannot_create_an_instance_of_an_abstract_class);
              return resolveErrorCall(node);
            }
            return resolveCall(
              node,
              constructSignatures,
              candidatesOutArray,
              checkMode,
              0
              /* None */
            );
          }
          const callSignatures = getSignaturesOfType(
            expressionType,
            0
            /* Call */
          );
          if (callSignatures.length) {
            const signature = resolveCall(
              node,
              callSignatures,
              candidatesOutArray,
              checkMode,
              0
              /* None */
            );
            if (!noImplicitAny) {
              if (signature.declaration && !isJSConstructor(signature.declaration) && getReturnTypeOfSignature(signature) !== voidType2) {
                error2(node, Diagnostics.Only_a_void_function_can_be_called_with_the_new_keyword);
              }
              if (getThisTypeOfSignature(signature) === voidType2) {
                error2(node, Diagnostics.A_function_that_is_called_with_the_new_keyword_cannot_have_a_this_type_that_is_void);
              }
            }
            return signature;
          }
          invocationError(
            node.expression,
            expressionType,
            1
            /* Construct */
          );
          return resolveErrorCall(node);
        }
        function someSignature(signatures, f) {
          if (isArray3(signatures)) {
            return some(signatures, (signature) => someSignature(signature, f));
          }
          return signatures.compositeKind === 1048576 ? some(signatures.compositeSignatures, f) : f(signatures);
        }
        function typeHasProtectedAccessibleBase(target, type) {
          const baseTypes = getBaseTypes(type);
          if (!length(baseTypes)) {
            return false;
          }
          const firstBase = baseTypes[0];
          if (firstBase.flags & 2097152) {
            const types = firstBase.types;
            const mixinFlags = findMixins(types);
            let i = 0;
            for (const intersectionMember of firstBase.types) {
              if (!mixinFlags[i]) {
                if (getObjectFlags(intersectionMember) & (1 | 2)) {
                  if (intersectionMember.symbol === target) {
                    return true;
                  }
                  if (typeHasProtectedAccessibleBase(target, intersectionMember)) {
                    return true;
                  }
                }
              }
              i++;
            }
            return false;
          }
          if (firstBase.symbol === target) {
            return true;
          }
          return typeHasProtectedAccessibleBase(target, firstBase);
        }
        function isConstructorAccessible(node, signature) {
          if (!signature || !signature.declaration) {
            return true;
          }
          const declaration = signature.declaration;
          const modifiers = getSelectedEffectiveModifierFlags(
            declaration,
            6
            /* NonPublicAccessibilityModifier */
          );
          if (!modifiers || declaration.kind !== 176) {
            return true;
          }
          const declaringClassDeclaration = getClassLikeDeclarationOfSymbol(declaration.parent.symbol);
          const declaringClass = getDeclaredTypeOfSymbol(declaration.parent.symbol);
          if (!isNodeWithinClass(node, declaringClassDeclaration)) {
            const containingClass = getContainingClass(node);
            if (containingClass && modifiers & 4) {
              const containingType = getTypeOfNode(containingClass);
              if (typeHasProtectedAccessibleBase(declaration.parent.symbol, containingType)) {
                return true;
              }
            }
            if (modifiers & 2) {
              error2(node, Diagnostics.Constructor_of_class_0_is_private_and_only_accessible_within_the_class_declaration, typeToString(declaringClass));
            }
            if (modifiers & 4) {
              error2(node, Diagnostics.Constructor_of_class_0_is_protected_and_only_accessible_within_the_class_declaration, typeToString(declaringClass));
            }
            return false;
          }
          return true;
        }
        function invocationErrorDetails(errorTarget, apparentType, kind) {
          let errorInfo;
          const isCall = kind === 0;
          const awaitedType = getAwaitedType(apparentType);
          const maybeMissingAwait = awaitedType && getSignaturesOfType(awaitedType, kind).length > 0;
          if (apparentType.flags & 1048576) {
            const types = apparentType.types;
            let hasSignatures = false;
            for (const constituent of types) {
              const signatures = getSignaturesOfType(constituent, kind);
              if (signatures.length !== 0) {
                hasSignatures = true;
                if (errorInfo) {
                  break;
                }
              } else {
                if (!errorInfo) {
                  errorInfo = chainDiagnosticMessages(
                    errorInfo,
                    isCall ? Diagnostics.Type_0_has_no_call_signatures : Diagnostics.Type_0_has_no_construct_signatures,
                    typeToString(constituent)
                  );
                  errorInfo = chainDiagnosticMessages(
                    errorInfo,
                    isCall ? Diagnostics.Not_all_constituents_of_type_0_are_callable : Diagnostics.Not_all_constituents_of_type_0_are_constructable,
                    typeToString(apparentType)
                  );
                }
                if (hasSignatures) {
                  break;
                }
              }
            }
            if (!hasSignatures) {
              errorInfo = chainDiagnosticMessages(
                /*details*/
                void 0,
                isCall ? Diagnostics.No_constituent_of_type_0_is_callable : Diagnostics.No_constituent_of_type_0_is_constructable,
                typeToString(apparentType)
              );
            }
            if (!errorInfo) {
              errorInfo = chainDiagnosticMessages(
                errorInfo,
                isCall ? Diagnostics.Each_member_of_the_union_type_0_has_signatures_but_none_of_those_signatures_are_compatible_with_each_other : Diagnostics.Each_member_of_the_union_type_0_has_construct_signatures_but_none_of_those_signatures_are_compatible_with_each_other,
                typeToString(apparentType)
              );
            }
          } else {
            errorInfo = chainDiagnosticMessages(
              errorInfo,
              isCall ? Diagnostics.Type_0_has_no_call_signatures : Diagnostics.Type_0_has_no_construct_signatures,
              typeToString(apparentType)
            );
          }
          let headMessage = isCall ? Diagnostics.This_expression_is_not_callable : Diagnostics.This_expression_is_not_constructable;
          if (isCallExpression2(errorTarget.parent) && errorTarget.parent.arguments.length === 0) {
            const { resolvedSymbol } = getNodeLinks(errorTarget);
            if (resolvedSymbol && resolvedSymbol.flags & 32768) {
              headMessage = Diagnostics.This_expression_is_not_callable_because_it_is_a_get_accessor_Did_you_mean_to_use_it_without;
            }
          }
          return {
            messageChain: chainDiagnosticMessages(errorInfo, headMessage),
            relatedMessage: maybeMissingAwait ? Diagnostics.Did_you_forget_to_use_await : void 0
          };
        }
        function invocationError(errorTarget, apparentType, kind, relatedInformation) {
          const { messageChain, relatedMessage: relatedInfo } = invocationErrorDetails(errorTarget, apparentType, kind);
          const diagnostic = createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(errorTarget), errorTarget, messageChain);
          if (relatedInfo) {
            addRelatedInfo(diagnostic, createDiagnosticForNode(errorTarget, relatedInfo));
          }
          if (isCallExpression2(errorTarget.parent)) {
            const { start, length: length2 } = getDiagnosticSpanForCallNode(errorTarget.parent);
            diagnostic.start = start;
            diagnostic.length = length2;
          }
          diagnostics.add(diagnostic);
          invocationErrorRecovery(apparentType, kind, relatedInformation ? addRelatedInfo(diagnostic, relatedInformation) : diagnostic);
        }
        function invocationErrorRecovery(apparentType, kind, diagnostic) {
          if (!apparentType.symbol) {
            return;
          }
          const importNode = getSymbolLinks(apparentType.symbol).originatingImport;
          if (importNode && !isImportCall(importNode)) {
            const sigs = getSignaturesOfType(getTypeOfSymbol(getSymbolLinks(apparentType.symbol).target), kind);
            if (!sigs || !sigs.length) return;
            addRelatedInfo(diagnostic, createDiagnosticForNode(importNode, Diagnostics.Type_originates_at_this_import_A_namespace_style_import_cannot_be_called_or_constructed_and_will_cause_a_failure_at_runtime_Consider_using_a_default_import_or_import_require_here_instead));
          }
        }
        function resolveTaggedTemplateExpression(node, candidatesOutArray, checkMode) {
          const tagType = checkExpression(node.tag);
          const apparentType = getApparentType(tagType);
          if (isErrorType(apparentType)) {
            return resolveErrorCall(node);
          }
          const callSignatures = getSignaturesOfType(
            apparentType,
            0
            /* Call */
          );
          const numConstructSignatures = getSignaturesOfType(
            apparentType,
            1
            /* Construct */
          ).length;
          if (isUntypedFunctionCall(tagType, apparentType, callSignatures.length, numConstructSignatures)) {
            return resolveUntypedCall(node);
          }
          if (!callSignatures.length) {
            if (isArrayLiteralExpression(node.parent)) {
              const diagnostic = createDiagnosticForNode(node.tag, Diagnostics.It_is_likely_that_you_are_missing_a_comma_to_separate_these_two_template_expressions_They_form_a_tagged_template_expression_which_cannot_be_invoked);
              diagnostics.add(diagnostic);
              return resolveErrorCall(node);
            }
            invocationError(
              node.tag,
              apparentType,
              0
              /* Call */
            );
            return resolveErrorCall(node);
          }
          return resolveCall(
            node,
            callSignatures,
            candidatesOutArray,
            checkMode,
            0
            /* None */
          );
        }
        function getDiagnosticHeadMessageForDecoratorResolution(node) {
          switch (node.parent.kind) {
            case 263:
            case 231:
              return Diagnostics.Unable_to_resolve_signature_of_class_decorator_when_called_as_an_expression;
            case 169:
              return Diagnostics.Unable_to_resolve_signature_of_parameter_decorator_when_called_as_an_expression;
            case 172:
              return Diagnostics.Unable_to_resolve_signature_of_property_decorator_when_called_as_an_expression;
            case 174:
            case 177:
            case 178:
              return Diagnostics.Unable_to_resolve_signature_of_method_decorator_when_called_as_an_expression;
            default:
              return Debug.fail();
          }
        }
        function resolveDecorator(node, candidatesOutArray, checkMode) {
          const funcType = checkExpression(node.expression);
          const apparentType = getApparentType(funcType);
          if (isErrorType(apparentType)) {
            return resolveErrorCall(node);
          }
          const callSignatures = getSignaturesOfType(
            apparentType,
            0
            /* Call */
          );
          const numConstructSignatures = getSignaturesOfType(
            apparentType,
            1
            /* Construct */
          ).length;
          if (isUntypedFunctionCall(funcType, apparentType, callSignatures.length, numConstructSignatures)) {
            return resolveUntypedCall(node);
          }
          if (isPotentiallyUncalledDecorator(node, callSignatures) && !isParenthesizedExpression(node.expression)) {
            const nodeStr = getTextOfNode(
              node.expression,
              /*includeTrivia*/
              false
            );
            error2(node, Diagnostics._0_accepts_too_few_arguments_to_be_used_as_a_decorator_here_Did_you_mean_to_call_it_first_and_write_0, nodeStr);
            return resolveErrorCall(node);
          }
          const headMessage = getDiagnosticHeadMessageForDecoratorResolution(node);
          if (!callSignatures.length) {
            const errorDetails = invocationErrorDetails(
              node.expression,
              apparentType,
              0
              /* Call */
            );
            const messageChain = chainDiagnosticMessages(errorDetails.messageChain, headMessage);
            const diag2 = createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(node.expression), node.expression, messageChain);
            if (errorDetails.relatedMessage) {
              addRelatedInfo(diag2, createDiagnosticForNode(node.expression, errorDetails.relatedMessage));
            }
            diagnostics.add(diag2);
            invocationErrorRecovery(apparentType, 0, diag2);
            return resolveErrorCall(node);
          }
          return resolveCall(node, callSignatures, candidatesOutArray, checkMode, 0, headMessage);
        }
        function createSignatureForJSXIntrinsic(node, result) {
          const namespace = getJsxNamespaceAt(node);
          const exports22 = namespace && getExportsOfSymbol(namespace);
          const typeSymbol = exports22 && getSymbol2(
            exports22,
            JsxNames.Element,
            788968
            /* Type */
          );
          const returnNode = typeSymbol && nodeBuilder.symbolToEntityName(typeSymbol, 788968, node);
          const declaration = factory.createFunctionTypeNode(
            /*typeParameters*/
            void 0,
            [factory.createParameterDeclaration(
              /*modifiers*/
              void 0,
              /*dotDotDotToken*/
              void 0,
              "props",
              /*questionToken*/
              void 0,
              nodeBuilder.typeToTypeNode(result, node)
            )],
            returnNode ? factory.createTypeReferenceNode(
              returnNode,
              /*typeArguments*/
              void 0
            ) : factory.createKeywordTypeNode(
              133
              /* AnyKeyword */
            )
          );
          const parameterSymbol = createSymbol(1, "props");
          parameterSymbol.links.type = result;
          return createSignature(
            declaration,
            /*typeParameters*/
            void 0,
            /*thisParameter*/
            void 0,
            [parameterSymbol],
            typeSymbol ? getDeclaredTypeOfSymbol(typeSymbol) : errorType,
            /*resolvedTypePredicate*/
            void 0,
            1,
            0
            /* None */
          );
        }
        function resolveJsxOpeningLikeElement(node, candidatesOutArray, checkMode) {
          if (isJsxIntrinsicTagName(node.tagName)) {
            const result = getIntrinsicAttributesTypeFromJsxOpeningLikeElement(node);
            const fakeSignature = createSignatureForJSXIntrinsic(node, result);
            checkTypeAssignableToAndOptionallyElaborate(checkExpressionWithContextualType(
              node.attributes,
              getEffectiveFirstArgumentForJsxSignature(fakeSignature, node),
              /*inferenceContext*/
              void 0,
              0
              /* Normal */
            ), result, node.tagName, node.attributes);
            if (length(node.typeArguments)) {
              forEach(node.typeArguments, checkSourceElement);
              diagnostics.add(createDiagnosticForNodeArray(getSourceFileOfNode(node), node.typeArguments, Diagnostics.Expected_0_type_arguments_but_got_1, 0, length(node.typeArguments)));
            }
            return fakeSignature;
          }
          const exprTypes = checkExpression(node.tagName);
          const apparentType = getApparentType(exprTypes);
          if (isErrorType(apparentType)) {
            return resolveErrorCall(node);
          }
          const signatures = getUninstantiatedJsxSignaturesOfType(exprTypes, node);
          if (isUntypedFunctionCall(
            exprTypes,
            apparentType,
            signatures.length,
            /*constructSignatures*/
            0
          )) {
            return resolveUntypedCall(node);
          }
          if (signatures.length === 0) {
            error2(node.tagName, Diagnostics.JSX_element_type_0_does_not_have_any_construct_or_call_signatures, getTextOfNode(node.tagName));
            return resolveErrorCall(node);
          }
          return resolveCall(
            node,
            signatures,
            candidatesOutArray,
            checkMode,
            0
            /* None */
          );
        }
        function resolveInstanceofExpression(node, candidatesOutArray, checkMode) {
          const rightType = checkExpression(node.right);
          if (!isTypeAny(rightType)) {
            const hasInstanceMethodType = getSymbolHasInstanceMethodOfObjectType(rightType);
            if (hasInstanceMethodType) {
              const apparentType = getApparentType(hasInstanceMethodType);
              if (isErrorType(apparentType)) {
                return resolveErrorCall(node);
              }
              const callSignatures = getSignaturesOfType(
                apparentType,
                0
                /* Call */
              );
              const constructSignatures = getSignaturesOfType(
                apparentType,
                1
                /* Construct */
              );
              if (isUntypedFunctionCall(hasInstanceMethodType, apparentType, callSignatures.length, constructSignatures.length)) {
                return resolveUntypedCall(node);
              }
              if (callSignatures.length) {
                return resolveCall(
                  node,
                  callSignatures,
                  candidatesOutArray,
                  checkMode,
                  0
                  /* None */
                );
              }
            } else if (!(typeHasCallOrConstructSignatures(rightType) || isTypeSubtypeOf(rightType, globalFunctionType))) {
              error2(node.right, Diagnostics.The_right_hand_side_of_an_instanceof_expression_must_be_either_of_type_any_a_class_function_or_other_type_assignable_to_the_Function_interface_type_or_an_object_type_with_a_Symbol_hasInstance_method);
              return resolveErrorCall(node);
            }
          }
          return anySignature;
        }
        function isPotentiallyUncalledDecorator(decorator, signatures) {
          return signatures.length && every(signatures, (signature) => signature.minArgumentCount === 0 && !signatureHasRestParameter(signature) && signature.parameters.length < getDecoratorArgumentCount(decorator, signature));
        }
        function resolveSignature(node, candidatesOutArray, checkMode) {
          switch (node.kind) {
            case 213:
              return resolveCallExpression(node, candidatesOutArray, checkMode);
            case 214:
              return resolveNewExpression(node, candidatesOutArray, checkMode);
            case 215:
              return resolveTaggedTemplateExpression(node, candidatesOutArray, checkMode);
            case 170:
              return resolveDecorator(node, candidatesOutArray, checkMode);
            case 286:
            case 285:
              return resolveJsxOpeningLikeElement(node, candidatesOutArray, checkMode);
            case 226:
              return resolveInstanceofExpression(node, candidatesOutArray, checkMode);
          }
          Debug.assertNever(node, "Branch in 'resolveSignature' should be unreachable.");
        }
        function getResolvedSignature(node, candidatesOutArray, checkMode) {
          const links = getNodeLinks(node);
          const cached = links.resolvedSignature;
          if (cached && cached !== resolvingSignature && !candidatesOutArray) {
            return cached;
          }
          const saveResolutionStart = resolutionStart;
          if (!cached) {
            resolutionStart = resolutionTargets.length;
          }
          links.resolvedSignature = resolvingSignature;
          let result = resolveSignature(
            node,
            candidatesOutArray,
            checkMode || 0
            /* Normal */
          );
          resolutionStart = saveResolutionStart;
          if (result !== resolvingSignature) {
            if (links.resolvedSignature !== resolvingSignature) {
              result = links.resolvedSignature;
            }
            links.resolvedSignature = flowLoopStart === flowLoopCount ? result : cached;
          }
          return result;
        }
        function isJSConstructor(node) {
          var _a;
          if (!node || !isInJSFile(node)) {
            return false;
          }
          const func = isFunctionDeclaration(node) || isFunctionExpression(node) ? node : (isVariableDeclaration(node) || isPropertyAssignment(node)) && node.initializer && isFunctionExpression(node.initializer) ? node.initializer : void 0;
          if (func) {
            if (getJSDocClassTag(node)) return true;
            if (isPropertyAssignment(walkUpParenthesizedExpressions(func.parent))) return false;
            const symbol = getSymbolOfDeclaration(func);
            return !!((_a = symbol == null ? void 0 : symbol.members) == null ? void 0 : _a.size);
          }
          return false;
        }
        function mergeJSSymbols(target, source) {
          var _a, _b;
          if (source) {
            const links = getSymbolLinks(source);
            if (!links.inferredClassSymbol || !links.inferredClassSymbol.has(getSymbolId(target))) {
              const inferred = isTransientSymbol(target) ? target : cloneSymbol(target);
              inferred.exports = inferred.exports || createSymbolTable();
              inferred.members = inferred.members || createSymbolTable();
              inferred.flags |= source.flags & 32;
              if ((_a = source.exports) == null ? void 0 : _a.size) {
                mergeSymbolTable(inferred.exports, source.exports);
              }
              if ((_b = source.members) == null ? void 0 : _b.size) {
                mergeSymbolTable(inferred.members, source.members);
              }
              (links.inferredClassSymbol || (links.inferredClassSymbol = /* @__PURE__ */ new Map())).set(getSymbolId(inferred), inferred);
              return inferred;
            }
            return links.inferredClassSymbol.get(getSymbolId(target));
          }
        }
        function getAssignedClassSymbol(decl) {
          var _a;
          const assignmentSymbol = decl && getSymbolOfExpando(
            decl,
            /*allowDeclaration*/
            true
          );
          const prototype = (_a = assignmentSymbol == null ? void 0 : assignmentSymbol.exports) == null ? void 0 : _a.get("prototype");
          const init = (prototype == null ? void 0 : prototype.valueDeclaration) && getAssignedJSPrototype(prototype.valueDeclaration);
          return init ? getSymbolOfDeclaration(init) : void 0;
        }
        function getSymbolOfExpando(node, allowDeclaration) {
          if (!node.parent) {
            return void 0;
          }
          let name;
          let decl;
          if (isVariableDeclaration(node.parent) && node.parent.initializer === node) {
            if (!isInJSFile(node) && !(isVarConstLike2(node.parent) && isFunctionLikeDeclaration(node))) {
              return void 0;
            }
            name = node.parent.name;
            decl = node.parent;
          } else if (isBinaryExpression(node.parent)) {
            const parentNode = node.parent;
            const parentNodeOperator = node.parent.operatorToken.kind;
            if (parentNodeOperator === 64 && (allowDeclaration || parentNode.right === node)) {
              name = parentNode.left;
              decl = name;
            } else if (parentNodeOperator === 57 || parentNodeOperator === 61) {
              if (isVariableDeclaration(parentNode.parent) && parentNode.parent.initializer === parentNode) {
                name = parentNode.parent.name;
                decl = parentNode.parent;
              } else if (isBinaryExpression(parentNode.parent) && parentNode.parent.operatorToken.kind === 64 && (allowDeclaration || parentNode.parent.right === parentNode)) {
                name = parentNode.parent.left;
                decl = name;
              }
              if (!name || !isBindableStaticNameExpression(name) || !isSameEntityName(name, parentNode.left)) {
                return void 0;
              }
            }
          } else if (allowDeclaration && isFunctionDeclaration(node)) {
            name = node.name;
            decl = node;
          }
          if (!decl || !name || !allowDeclaration && !getExpandoInitializer(node, isPrototypeAccess(name))) {
            return void 0;
          }
          return getSymbolOfNode(decl);
        }
        function getAssignedJSPrototype(node) {
          if (!node.parent) {
            return false;
          }
          let parent2 = node.parent;
          while (parent2 && parent2.kind === 211) {
            parent2 = parent2.parent;
          }
          if (parent2 && isBinaryExpression(parent2) && isPrototypeAccess(parent2.left) && parent2.operatorToken.kind === 64) {
            const right = getInitializerOfBinaryExpression(parent2);
            return isObjectLiteralExpression(right) && right;
          }
        }
        function checkCallExpression(node, checkMode) {
          var _a, _b, _c;
          checkGrammarTypeArguments(node, node.typeArguments);
          const signature = getResolvedSignature(
            node,
            /*candidatesOutArray*/
            void 0,
            checkMode
          );
          if (signature === resolvingSignature) {
            return silentNeverType;
          }
          checkDeprecatedSignature(signature, node);
          if (node.expression.kind === 108) {
            return voidType2;
          }
          if (node.kind === 214) {
            const declaration = signature.declaration;
            if (declaration && declaration.kind !== 176 && declaration.kind !== 180 && declaration.kind !== 185 && !(isJSDocSignature(declaration) && ((_b = (_a = getJSDocRoot(declaration)) == null ? void 0 : _a.parent) == null ? void 0 : _b.kind) === 176) && !isJSDocConstructSignature(declaration) && !isJSConstructor(declaration)) {
              if (noImplicitAny) {
                error2(node, Diagnostics.new_expression_whose_target_lacks_a_construct_signature_implicitly_has_an_any_type);
              }
              return anyType2;
            }
          }
          if (isInJSFile(node) && isCommonJsRequire(node)) {
            return resolveExternalModuleTypeByLiteral(node.arguments[0]);
          }
          const returnType = getReturnTypeOfSignature(signature);
          if (returnType.flags & 12288 && isSymbolOrSymbolForCall(node)) {
            return getESSymbolLikeTypeForNode(walkUpParenthesizedExpressions(node.parent));
          }
          if (node.kind === 213 && !node.questionDotToken && node.parent.kind === 244 && returnType.flags & 16384 && getTypePredicateOfSignature(signature)) {
            if (!isDottedName(node.expression)) {
              error2(node.expression, Diagnostics.Assertions_require_the_call_target_to_be_an_identifier_or_qualified_name);
            } else if (!getEffectsSignature(node)) {
              const diagnostic = error2(node.expression, Diagnostics.Assertions_require_every_name_in_the_call_target_to_be_declared_with_an_explicit_type_annotation);
              getTypeOfDottedName(node.expression, diagnostic);
            }
          }
          if (isInJSFile(node)) {
            const jsSymbol = getSymbolOfExpando(
              node,
              /*allowDeclaration*/
              false
            );
            if ((_c = jsSymbol == null ? void 0 : jsSymbol.exports) == null ? void 0 : _c.size) {
              const jsAssignmentType = createAnonymousType(jsSymbol, jsSymbol.exports, emptyArray, emptyArray, emptyArray);
              jsAssignmentType.objectFlags |= 4096;
              return getIntersectionType([returnType, jsAssignmentType]);
            }
          }
          return returnType;
        }
        function checkDeprecatedSignature(signature, node) {
          if (signature.flags & 128) return;
          if (signature.declaration && signature.declaration.flags & 536870912) {
            const suggestionNode = getDeprecatedSuggestionNode(node);
            const name = tryGetPropertyAccessOrIdentifierToString(getInvokedExpression(node));
            addDeprecatedSuggestionWithSignature(suggestionNode, signature.declaration, name, signatureToString(signature));
          }
        }
        function getDeprecatedSuggestionNode(node) {
          node = skipParentheses(node);
          switch (node.kind) {
            case 213:
            case 170:
            case 214:
              return getDeprecatedSuggestionNode(node.expression);
            case 215:
              return getDeprecatedSuggestionNode(node.tag);
            case 286:
            case 285:
              return getDeprecatedSuggestionNode(node.tagName);
            case 212:
              return node.argumentExpression;
            case 211:
              return node.name;
            case 183:
              const typeReference = node;
              return isQualifiedName(typeReference.typeName) ? typeReference.typeName.right : typeReference;
            default:
              return node;
          }
        }
        function isSymbolOrSymbolForCall(node) {
          if (!isCallExpression2(node)) return false;
          let left = node.expression;
          if (isPropertyAccessExpression(left) && left.name.escapedText === "for") {
            left = left.expression;
          }
          if (!isIdentifier(left) || left.escapedText !== "Symbol") {
            return false;
          }
          const globalESSymbol = getGlobalESSymbolConstructorSymbol(
            /*reportErrors*/
            false
          );
          if (!globalESSymbol) {
            return false;
          }
          return globalESSymbol === resolveName(
            left,
            "Symbol",
            111551,
            /*nameNotFoundMessage*/
            void 0,
            /*isUse*/
            false
          );
        }
        function checkImportCallExpression(node) {
          checkGrammarImportCallExpression(node);
          if (node.arguments.length === 0) {
            return createPromiseReturnType(node, anyType2);
          }
          const specifier = node.arguments[0];
          const specifierType = checkExpressionCached(specifier);
          const optionsType = node.arguments.length > 1 ? checkExpressionCached(node.arguments[1]) : void 0;
          for (let i = 2; i < node.arguments.length; ++i) {
            checkExpressionCached(node.arguments[i]);
          }
          if (specifierType.flags & 32768 || specifierType.flags & 65536 || !isTypeAssignableTo(specifierType, stringType2)) {
            error2(specifier, Diagnostics.Dynamic_import_s_specifier_must_be_of_type_string_but_here_has_type_0, typeToString(specifierType));
          }
          if (optionsType) {
            const importCallOptionsType = getGlobalImportCallOptionsType(
              /*reportErrors*/
              true
            );
            if (importCallOptionsType !== emptyObjectType) {
              checkTypeAssignableTo(optionsType, getNullableType(
                importCallOptionsType,
                32768
                /* Undefined */
              ), node.arguments[1]);
            }
          }
          const moduleSymbol = resolveExternalModuleName(node, specifier);
          if (moduleSymbol) {
            const esModuleSymbol = resolveESModuleSymbol(
              moduleSymbol,
              specifier,
              /*dontResolveAlias*/
              true,
              /*suppressInteropError*/
              false
            );
            if (esModuleSymbol) {
              return createPromiseReturnType(
                node,
                getTypeWithSyntheticDefaultOnly(getTypeOfSymbol(esModuleSymbol), esModuleSymbol, moduleSymbol, specifier) || getTypeWithSyntheticDefaultImportType(getTypeOfSymbol(esModuleSymbol), esModuleSymbol, moduleSymbol, specifier)
              );
            }
          }
          return createPromiseReturnType(node, anyType2);
        }
        function createDefaultPropertyWrapperForModule(symbol, originalSymbol, anonymousSymbol) {
          const memberTable = createSymbolTable();
          const newSymbol = createSymbol(
            2097152,
            "default"
            /* Default */
          );
          newSymbol.parent = originalSymbol;
          newSymbol.links.nameType = getStringLiteralType("default");
          newSymbol.links.aliasTarget = resolveSymbol(symbol);
          memberTable.set("default", newSymbol);
          return createAnonymousType(anonymousSymbol, memberTable, emptyArray, emptyArray, emptyArray);
        }
        function getTypeWithSyntheticDefaultOnly(type, symbol, originalSymbol, moduleSpecifier) {
          const hasDefaultOnly = isOnlyImportedAsDefault(moduleSpecifier);
          if (hasDefaultOnly && type && !isErrorType(type)) {
            const synthType = type;
            if (!synthType.defaultOnlyType) {
              const type2 = createDefaultPropertyWrapperForModule(symbol, originalSymbol);
              synthType.defaultOnlyType = type2;
            }
            return synthType.defaultOnlyType;
          }
          return void 0;
        }
        function getTypeWithSyntheticDefaultImportType(type, symbol, originalSymbol, moduleSpecifier) {
          var _a;
          if (allowSyntheticDefaultImports && type && !isErrorType(type)) {
            const synthType = type;
            if (!synthType.syntheticType) {
              const file = (_a = originalSymbol.declarations) == null ? void 0 : _a.find(isSourceFile);
              const hasSyntheticDefault = canHaveSyntheticDefault(
                file,
                originalSymbol,
                /*dontResolveAlias*/
                false,
                moduleSpecifier
              );
              if (hasSyntheticDefault) {
                const anonymousSymbol = createSymbol(
                  2048,
                  "__type"
                  /* Type */
                );
                const defaultContainingObject = createDefaultPropertyWrapperForModule(symbol, originalSymbol, anonymousSymbol);
                anonymousSymbol.links.type = defaultContainingObject;
                synthType.syntheticType = isValidSpreadType(type) ? getSpreadType(
                  type,
                  defaultContainingObject,
                  anonymousSymbol,
                  /*objectFlags*/
                  0,
                  /*readonly*/
                  false
                ) : defaultContainingObject;
              } else {
                synthType.syntheticType = type;
              }
            }
            return synthType.syntheticType;
          }
          return type;
        }
        function isCommonJsRequire(node) {
          if (!isRequireCall(
            node,
            /*requireStringLiteralLikeArgument*/
            true
          )) {
            return false;
          }
          if (!isIdentifier(node.expression)) return Debug.fail();
          const resolvedRequire = resolveName(
            node.expression,
            node.expression.escapedText,
            111551,
            /*nameNotFoundMessage*/
            void 0,
            /*isUse*/
            true
          );
          if (resolvedRequire === requireSymbol) {
            return true;
          }
          if (resolvedRequire.flags & 2097152) {
            return false;
          }
          const targetDeclarationKind = resolvedRequire.flags & 16 ? 262 : resolvedRequire.flags & 3 ? 260 : 0;
          if (targetDeclarationKind !== 0) {
            const decl = getDeclarationOfKind(resolvedRequire, targetDeclarationKind);
            return !!decl && !!(decl.flags & 33554432);
          }
          return false;
        }
        function checkTaggedTemplateExpression(node) {
          if (!checkGrammarTaggedTemplateChain(node)) checkGrammarTypeArguments(node, node.typeArguments);
          if (languageVersion < 2) {
            checkExternalEmitHelpers(
              node,
              262144
              /* MakeTemplateObject */
            );
          }
          const signature = getResolvedSignature(node);
          checkDeprecatedSignature(signature, node);
          return getReturnTypeOfSignature(signature);
        }
        function checkAssertion(node, checkMode) {
          if (node.kind === 216) {
            const file = getSourceFileOfNode(node);
            if (file && fileExtensionIsOneOf(file.fileName, [
              ".cts",
              ".mts"
              /* Mts */
            ])) {
              grammarErrorOnNode(node, Diagnostics.This_syntax_is_reserved_in_files_with_the_mts_or_cts_extension_Use_an_as_expression_instead);
            }
          }
          return checkAssertionWorker(node, checkMode);
        }
        function isValidConstAssertionArgument(node) {
          switch (node.kind) {
            case 11:
            case 15:
            case 9:
            case 10:
            case 112:
            case 97:
            case 209:
            case 210:
            case 228:
              return true;
            case 217:
              return isValidConstAssertionArgument(node.expression);
            case 224:
              const op = node.operator;
              const arg = node.operand;
              return op === 41 && (arg.kind === 9 || arg.kind === 10) || op === 40 && arg.kind === 9;
            case 211:
            case 212:
              const expr = skipParentheses(node.expression);
              const symbol = isEntityNameExpression(expr) ? resolveEntityName(
                expr,
                111551,
                /*ignoreErrors*/
                true
              ) : void 0;
              return !!(symbol && symbol.flags & 384);
          }
          return false;
        }
        function checkAssertionWorker(node, checkMode) {
          const { type, expression } = getAssertionTypeAndExpression(node);
          const exprType = checkExpression(expression, checkMode);
          if (isConstTypeReference(type)) {
            if (!isValidConstAssertionArgument(expression)) {
              error2(expression, Diagnostics.A_const_assertions_can_only_be_applied_to_references_to_enum_members_or_string_number_boolean_array_or_object_literals);
            }
            return getRegularTypeOfLiteralType(exprType);
          }
          const links = getNodeLinks(node);
          links.assertionExpressionType = exprType;
          checkSourceElement(type);
          checkNodeDeferred(node);
          return getTypeFromTypeNode(type);
        }
        function getAssertionTypeAndExpression(node) {
          let type;
          let expression;
          switch (node.kind) {
            case 234:
            case 216:
              type = node.type;
              expression = node.expression;
              break;
            case 217:
              type = getJSDocTypeAssertionType(node);
              expression = node.expression;
              break;
          }
          return { type, expression };
        }
        function checkAssertionDeferred(node) {
          const { type } = getAssertionTypeAndExpression(node);
          const errNode = isParenthesizedExpression(node) ? type : node;
          const links = getNodeLinks(node);
          Debug.assertIsDefined(links.assertionExpressionType);
          const exprType = getRegularTypeOfObjectLiteral(getBaseTypeOfLiteralType(links.assertionExpressionType));
          const targetType = getTypeFromTypeNode(type);
          if (!isErrorType(targetType)) {
            addLazyDiagnostic(() => {
              const widenedType = getWidenedType(exprType);
              if (!isTypeComparableTo(targetType, widenedType)) {
                checkTypeComparableTo(exprType, targetType, errNode, Diagnostics.Conversion_of_type_0_to_type_1_may_be_a_mistake_because_neither_type_sufficiently_overlaps_with_the_other_If_this_was_intentional_convert_the_expression_to_unknown_first);
              }
            });
          }
        }
        function checkNonNullChain(node) {
          const leftType = checkExpression(node.expression);
          const nonOptionalType = getOptionalExpressionType(leftType, node.expression);
          return propagateOptionalTypeMarker(getNonNullableType(nonOptionalType), node, nonOptionalType !== leftType);
        }
        function checkNonNullAssertion(node) {
          return node.flags & 64 ? checkNonNullChain(node) : getNonNullableType(checkExpression(node.expression));
        }
        function checkExpressionWithTypeArguments(node) {
          checkGrammarExpressionWithTypeArguments(node);
          forEach(node.typeArguments, checkSourceElement);
          if (node.kind === 233) {
            const parent2 = walkUpParenthesizedExpressions(node.parent);
            if (parent2.kind === 226 && parent2.operatorToken.kind === 104 && isNodeDescendantOf(node, parent2.right)) {
              error2(node, Diagnostics.The_right_hand_side_of_an_instanceof_expression_must_not_be_an_instantiation_expression);
            }
          }
          const exprType = node.kind === 233 ? checkExpression(node.expression) : isThisIdentifier(node.exprName) ? checkThisExpression(node.exprName) : checkExpression(node.exprName);
          return getInstantiationExpressionType(exprType, node);
        }
        function getInstantiationExpressionType(exprType, node) {
          const typeArguments = node.typeArguments;
          if (exprType === silentNeverType || isErrorType(exprType) || !some(typeArguments)) {
            return exprType;
          }
          let hasSomeApplicableSignature = false;
          let nonApplicableType;
          const result = getInstantiatedType(exprType);
          const errorType2 = hasSomeApplicableSignature ? nonApplicableType : exprType;
          if (errorType2) {
            diagnostics.add(createDiagnosticForNodeArray(getSourceFileOfNode(node), typeArguments, Diagnostics.Type_0_has_no_signatures_for_which_the_type_argument_list_is_applicable, typeToString(errorType2)));
          }
          return result;
          function getInstantiatedType(type) {
            let hasSignatures = false;
            let hasApplicableSignature = false;
            const result2 = getInstantiatedTypePart(type);
            hasSomeApplicableSignature || (hasSomeApplicableSignature = hasApplicableSignature);
            if (hasSignatures && !hasApplicableSignature) {
              nonApplicableType ?? (nonApplicableType = type);
            }
            return result2;
            function getInstantiatedTypePart(type2) {
              if (type2.flags & 524288) {
                const resolved = resolveStructuredTypeMembers(type2);
                const callSignatures = getInstantiatedSignatures(resolved.callSignatures);
                const constructSignatures = getInstantiatedSignatures(resolved.constructSignatures);
                hasSignatures || (hasSignatures = resolved.callSignatures.length !== 0 || resolved.constructSignatures.length !== 0);
                hasApplicableSignature || (hasApplicableSignature = callSignatures.length !== 0 || constructSignatures.length !== 0);
                if (callSignatures !== resolved.callSignatures || constructSignatures !== resolved.constructSignatures) {
                  const result3 = createAnonymousType(createSymbol(
                    0,
                    "__instantiationExpression"
                    /* InstantiationExpression */
                  ), resolved.members, callSignatures, constructSignatures, resolved.indexInfos);
                  result3.objectFlags |= 8388608;
                  result3.node = node;
                  return result3;
                }
              } else if (type2.flags & 58982400) {
                const constraint = getBaseConstraintOfType(type2);
                if (constraint) {
                  const instantiated = getInstantiatedTypePart(constraint);
                  if (instantiated !== constraint) {
                    return instantiated;
                  }
                }
              } else if (type2.flags & 1048576) {
                return mapType2(type2, getInstantiatedType);
              } else if (type2.flags & 2097152) {
                return getIntersectionType(sameMap(type2.types, getInstantiatedTypePart));
              }
              return type2;
            }
          }
          function getInstantiatedSignatures(signatures) {
            const applicableSignatures = filter(signatures, (sig) => !!sig.typeParameters && hasCorrectTypeArgumentArity(sig, typeArguments));
            return sameMap(applicableSignatures, (sig) => {
              const typeArgumentTypes = checkTypeArguments(
                sig,
                typeArguments,
                /*reportErrors*/
                true
              );
              return typeArgumentTypes ? getSignatureInstantiation(sig, typeArgumentTypes, isInJSFile(sig.declaration)) : sig;
            });
          }
        }
        function checkSatisfiesExpression(node) {
          checkSourceElement(node.type);
          return checkSatisfiesExpressionWorker(node.expression, node.type);
        }
        function checkSatisfiesExpressionWorker(expression, target, checkMode) {
          const exprType = checkExpression(expression, checkMode);
          const targetType = getTypeFromTypeNode(target);
          if (isErrorType(targetType)) {
            return targetType;
          }
          const errorNode = findAncestor(
            target.parent,
            (n) => n.kind === 238 || n.kind === 350
            /* JSDocSatisfiesTag */
          );
          checkTypeAssignableToAndOptionallyElaborate(exprType, targetType, errorNode, expression, Diagnostics.Type_0_does_not_satisfy_the_expected_type_1);
          return exprType;
        }
        function checkMetaProperty(node) {
          checkGrammarMetaProperty(node);
          if (node.keywordToken === 105) {
            return checkNewTargetMetaProperty(node);
          }
          if (node.keywordToken === 102) {
            return checkImportMetaProperty(node);
          }
          return Debug.assertNever(node.keywordToken);
        }
        function checkMetaPropertyKeyword(node) {
          switch (node.keywordToken) {
            case 102:
              return getGlobalImportMetaExpressionType();
            case 105:
              const type = checkNewTargetMetaProperty(node);
              return isErrorType(type) ? errorType : createNewTargetExpressionType(type);
            default:
              Debug.assertNever(node.keywordToken);
          }
        }
        function checkNewTargetMetaProperty(node) {
          const container = getNewTargetContainer(node);
          if (!container) {
            error2(node, Diagnostics.Meta_property_0_is_only_allowed_in_the_body_of_a_function_declaration_function_expression_or_constructor, "new.target");
            return errorType;
          } else if (container.kind === 176) {
            const symbol = getSymbolOfDeclaration(container.parent);
            return getTypeOfSymbol(symbol);
          } else {
            const symbol = getSymbolOfDeclaration(container);
            return getTypeOfSymbol(symbol);
          }
        }
        function checkImportMetaProperty(node) {
          if (moduleKind === 100 || moduleKind === 199) {
            if (getSourceFileOfNode(node).impliedNodeFormat !== 99) {
              error2(node, Diagnostics.The_import_meta_meta_property_is_not_allowed_in_files_which_will_build_into_CommonJS_output);
            }
          } else if (moduleKind < 6 && moduleKind !== 4) {
            error2(node, Diagnostics.The_import_meta_meta_property_is_only_allowed_when_the_module_option_is_es2020_es2022_esnext_system_node16_or_nodenext);
          }
          const file = getSourceFileOfNode(node);
          Debug.assert(!!(file.flags & 8388608), "Containing file is missing import meta node flag.");
          return node.name.escapedText === "meta" ? getGlobalImportMetaType() : errorType;
        }
        function getTypeOfParameter(symbol) {
          const declaration = symbol.valueDeclaration;
          return addOptionality(
            getTypeOfSymbol(symbol),
            /*isProperty*/
            false,
            /*isOptional*/
            !!declaration && (hasInitializer(declaration) || isOptionalDeclaration(declaration))
          );
        }
        function getTupleElementLabel(d, index, restParameterName = "arg") {
          if (!d) {
            return `${restParameterName}_${index}`;
          }
          Debug.assert(isIdentifier(d.name));
          return d.name.escapedText;
        }
        function getParameterNameAtPosition(signature, pos, overrideRestType) {
          const paramCount = signature.parameters.length - (signatureHasRestParameter(signature) ? 1 : 0);
          if (pos < paramCount) {
            return signature.parameters[pos].escapedName;
          }
          const restParameter = signature.parameters[paramCount] || unknownSymbol;
          const restType = overrideRestType || getTypeOfSymbol(restParameter);
          if (isTupleType(restType)) {
            const associatedNames = restType.target.labeledElementDeclarations;
            const index = pos - paramCount;
            return getTupleElementLabel(associatedNames == null ? void 0 : associatedNames[index], index, restParameter.escapedName);
          }
          return restParameter.escapedName;
        }
        function getParameterIdentifierInfoAtPosition(signature, pos) {
          var _a;
          if (((_a = signature.declaration) == null ? void 0 : _a.kind) === 317) {
            return void 0;
          }
          const paramCount = signature.parameters.length - (signatureHasRestParameter(signature) ? 1 : 0);
          if (pos < paramCount) {
            const param = signature.parameters[pos];
            const paramIdent = getParameterDeclarationIdentifier(param);
            return paramIdent ? {
              parameter: paramIdent,
              parameterName: param.escapedName,
              isRestParameter: false
            } : void 0;
          }
          const restParameter = signature.parameters[paramCount] || unknownSymbol;
          const restIdent = getParameterDeclarationIdentifier(restParameter);
          if (!restIdent) {
            return void 0;
          }
          const restType = getTypeOfSymbol(restParameter);
          if (isTupleType(restType)) {
            const associatedNames = restType.target.labeledElementDeclarations;
            const index = pos - paramCount;
            const associatedName = associatedNames == null ? void 0 : associatedNames[index];
            const isRestTupleElement = !!(associatedName == null ? void 0 : associatedName.dotDotDotToken);
            if (associatedName) {
              Debug.assert(isIdentifier(associatedName.name));
              return { parameter: associatedName.name, parameterName: associatedName.name.escapedText, isRestParameter: isRestTupleElement };
            }
            return void 0;
          }
          if (pos === paramCount) {
            return { parameter: restIdent, parameterName: restParameter.escapedName, isRestParameter: true };
          }
          return void 0;
        }
        function getParameterDeclarationIdentifier(symbol) {
          return symbol.valueDeclaration && isParameter(symbol.valueDeclaration) && isIdentifier(symbol.valueDeclaration.name) && symbol.valueDeclaration.name;
        }
        function isValidDeclarationForTupleLabel(d) {
          return d.kind === 202 || isParameter(d) && d.name && isIdentifier(d.name);
        }
        function getNameableDeclarationAtPosition(signature, pos) {
          const paramCount = signature.parameters.length - (signatureHasRestParameter(signature) ? 1 : 0);
          if (pos < paramCount) {
            const decl = signature.parameters[pos].valueDeclaration;
            return decl && isValidDeclarationForTupleLabel(decl) ? decl : void 0;
          }
          const restParameter = signature.parameters[paramCount] || unknownSymbol;
          const restType = getTypeOfSymbol(restParameter);
          if (isTupleType(restType)) {
            const associatedNames = restType.target.labeledElementDeclarations;
            const index = pos - paramCount;
            return associatedNames && associatedNames[index];
          }
          return restParameter.valueDeclaration && isValidDeclarationForTupleLabel(restParameter.valueDeclaration) ? restParameter.valueDeclaration : void 0;
        }
        function getTypeAtPosition(signature, pos) {
          return tryGetTypeAtPosition(signature, pos) || anyType2;
        }
        function tryGetTypeAtPosition(signature, pos) {
          const paramCount = signature.parameters.length - (signatureHasRestParameter(signature) ? 1 : 0);
          if (pos < paramCount) {
            return getTypeOfParameter(signature.parameters[pos]);
          }
          if (signatureHasRestParameter(signature)) {
            const restType = getTypeOfSymbol(signature.parameters[paramCount]);
            const index = pos - paramCount;
            if (!isTupleType(restType) || restType.target.hasRestElement || index < restType.target.fixedLength) {
              return getIndexedAccessType(restType, getNumberLiteralType(index));
            }
          }
          return void 0;
        }
        function getRestTypeAtPosition(source, pos, readonly) {
          const parameterCount = getParameterCount(source);
          const minArgumentCount = getMinArgumentCount(source);
          const restType = getEffectiveRestType(source);
          if (restType && pos >= parameterCount - 1) {
            return pos === parameterCount - 1 ? restType : createArrayType(getIndexedAccessType(restType, numberType2));
          }
          const types = [];
          const flags = [];
          const names = [];
          for (let i = pos; i < parameterCount; i++) {
            if (!restType || i < parameterCount - 1) {
              types.push(getTypeAtPosition(source, i));
              flags.push(
                i < minArgumentCount ? 1 : 2
                /* Optional */
              );
            } else {
              types.push(restType);
              flags.push(
                8
                /* Variadic */
              );
            }
            names.push(getNameableDeclarationAtPosition(source, i));
          }
          return createTupleType(types, flags, readonly, names);
        }
        function getRestOrAnyTypeAtPosition(source, pos) {
          const restType = getRestTypeAtPosition(source, pos);
          const elementType = restType && getElementTypeOfArrayType(restType);
          return elementType && isTypeAny(elementType) ? anyType2 : restType;
        }
        function getParameterCount(signature) {
          const length2 = signature.parameters.length;
          if (signatureHasRestParameter(signature)) {
            const restType = getTypeOfSymbol(signature.parameters[length2 - 1]);
            if (isTupleType(restType)) {
              return length2 + restType.target.fixedLength - (restType.target.hasRestElement ? 0 : 1);
            }
          }
          return length2;
        }
        function getMinArgumentCount(signature, flags) {
          const strongArityForUntypedJS = flags & 1;
          const voidIsNonOptional = flags & 2;
          if (voidIsNonOptional || signature.resolvedMinArgumentCount === void 0) {
            let minArgumentCount;
            if (signatureHasRestParameter(signature)) {
              const restType = getTypeOfSymbol(signature.parameters[signature.parameters.length - 1]);
              if (isTupleType(restType)) {
                const firstOptionalIndex = findIndex(restType.target.elementFlags, (f) => !(f & 1));
                const requiredCount = firstOptionalIndex < 0 ? restType.target.fixedLength : firstOptionalIndex;
                if (requiredCount > 0) {
                  minArgumentCount = signature.parameters.length - 1 + requiredCount;
                }
              }
            }
            if (minArgumentCount === void 0) {
              if (!strongArityForUntypedJS && signature.flags & 32) {
                return 0;
              }
              minArgumentCount = signature.minArgumentCount;
            }
            if (voidIsNonOptional) {
              return minArgumentCount;
            }
            for (let i = minArgumentCount - 1; i >= 0; i--) {
              const type = getTypeAtPosition(signature, i);
              if (filterType(type, acceptsVoid).flags & 131072) {
                break;
              }
              minArgumentCount = i;
            }
            signature.resolvedMinArgumentCount = minArgumentCount;
          }
          return signature.resolvedMinArgumentCount;
        }
        function hasEffectiveRestParameter(signature) {
          if (signatureHasRestParameter(signature)) {
            const restType = getTypeOfSymbol(signature.parameters[signature.parameters.length - 1]);
            return !isTupleType(restType) || restType.target.hasRestElement;
          }
          return false;
        }
        function getEffectiveRestType(signature) {
          if (signatureHasRestParameter(signature)) {
            const restType = getTypeOfSymbol(signature.parameters[signature.parameters.length - 1]);
            if (!isTupleType(restType)) {
              return isTypeAny(restType) ? anyArrayType : restType;
            }
            if (restType.target.hasRestElement) {
              return sliceTupleType(restType, restType.target.fixedLength);
            }
          }
          return void 0;
        }
        function getNonArrayRestType(signature) {
          const restType = getEffectiveRestType(signature);
          return restType && !isArrayType(restType) && !isTypeAny(restType) ? restType : void 0;
        }
        function getTypeOfFirstParameterOfSignature(signature) {
          return getTypeOfFirstParameterOfSignatureWithFallback(signature, neverType2);
        }
        function getTypeOfFirstParameterOfSignatureWithFallback(signature, fallbackType) {
          return signature.parameters.length > 0 ? getTypeAtPosition(signature, 0) : fallbackType;
        }
        function inferFromAnnotatedParameters(signature, context, inferenceContext) {
          const len = signature.parameters.length - (signatureHasRestParameter(signature) ? 1 : 0);
          for (let i = 0; i < len; i++) {
            const declaration = signature.parameters[i].valueDeclaration;
            const typeNode = getEffectiveTypeAnnotationNode(declaration);
            if (typeNode) {
              const source = addOptionality(
                getTypeFromTypeNode(typeNode),
                /*isProperty*/
                false,
                isOptionalDeclaration(declaration)
              );
              const target = getTypeAtPosition(context, i);
              inferTypes(inferenceContext.inferences, source, target);
            }
          }
        }
        function assignContextualParameterTypes(signature, context) {
          if (context.typeParameters) {
            if (!signature.typeParameters) {
              signature.typeParameters = context.typeParameters;
            } else {
              return;
            }
          }
          if (context.thisParameter) {
            const parameter = signature.thisParameter;
            if (!parameter || parameter.valueDeclaration && !parameter.valueDeclaration.type) {
              if (!parameter) {
                signature.thisParameter = createSymbolWithType(
                  context.thisParameter,
                  /*type*/
                  void 0
                );
              }
              assignParameterType(signature.thisParameter, getTypeOfSymbol(context.thisParameter));
            }
          }
          const len = signature.parameters.length - (signatureHasRestParameter(signature) ? 1 : 0);
          for (let i = 0; i < len; i++) {
            const parameter = signature.parameters[i];
            const declaration = parameter.valueDeclaration;
            if (!getEffectiveTypeAnnotationNode(declaration)) {
              let type = tryGetTypeAtPosition(context, i);
              if (type && declaration.initializer) {
                let initializerType = checkDeclarationInitializer(
                  declaration,
                  0
                  /* Normal */
                );
                if (!isTypeAssignableTo(initializerType, type) && isTypeAssignableTo(type, initializerType = widenTypeInferredFromInitializer(declaration, initializerType))) {
                  type = initializerType;
                }
              }
              assignParameterType(parameter, type);
            }
          }
          if (signatureHasRestParameter(signature)) {
            const parameter = last(signature.parameters);
            if (parameter.valueDeclaration ? !getEffectiveTypeAnnotationNode(parameter.valueDeclaration) : !!(getCheckFlags(parameter) & 65536)) {
              const contextualParameterType = getRestTypeAtPosition(context, len);
              assignParameterType(parameter, contextualParameterType);
            }
          }
        }
        function assignNonContextualParameterTypes(signature) {
          if (signature.thisParameter) {
            assignParameterType(signature.thisParameter);
          }
          for (const parameter of signature.parameters) {
            assignParameterType(parameter);
          }
        }
        function assignParameterType(parameter, contextualType) {
          const links = getSymbolLinks(parameter);
          if (!links.type) {
            const declaration = parameter.valueDeclaration;
            links.type = addOptionality(
              contextualType || (declaration ? getWidenedTypeForVariableLikeDeclaration(
                declaration,
                /*reportErrors*/
                true
              ) : getTypeOfSymbol(parameter)),
              /*isProperty*/
              false,
              /*isOptional*/
              !!declaration && !declaration.initializer && isOptionalDeclaration(declaration)
            );
            if (declaration && declaration.name.kind !== 80) {
              if (links.type === unknownType2) {
                links.type = getTypeFromBindingPattern(declaration.name);
              }
              assignBindingElementTypes(declaration.name, links.type);
            }
          } else if (contextualType) {
            Debug.assertEqual(links.type, contextualType, "Parameter symbol already has a cached type which differs from newly assigned type");
          }
        }
        function assignBindingElementTypes(pattern, parentType) {
          for (const element of pattern.elements) {
            if (!isOmittedExpression(element)) {
              const type = getBindingElementTypeFromParentType(
                element,
                parentType,
                /*noTupleBoundsCheck*/
                false
              );
              if (element.name.kind === 80) {
                getSymbolLinks(getSymbolOfDeclaration(element)).type = type;
              } else {
                assignBindingElementTypes(element.name, type);
              }
            }
          }
        }
        function createClassDecoratorContextType(classType) {
          return tryCreateTypeReference(getGlobalClassDecoratorContextType(
            /*reportErrors*/
            true
          ), [classType]);
        }
        function createClassMethodDecoratorContextType(thisType, valueType) {
          return tryCreateTypeReference(getGlobalClassMethodDecoratorContextType(
            /*reportErrors*/
            true
          ), [thisType, valueType]);
        }
        function createClassGetterDecoratorContextType(thisType, valueType) {
          return tryCreateTypeReference(getGlobalClassGetterDecoratorContextType(
            /*reportErrors*/
            true
          ), [thisType, valueType]);
        }
        function createClassSetterDecoratorContextType(thisType, valueType) {
          return tryCreateTypeReference(getGlobalClassSetterDecoratorContextType(
            /*reportErrors*/
            true
          ), [thisType, valueType]);
        }
        function createClassAccessorDecoratorContextType(thisType, valueType) {
          return tryCreateTypeReference(getGlobalClassAccessorDecoratorContextType(
            /*reportErrors*/
            true
          ), [thisType, valueType]);
        }
        function createClassFieldDecoratorContextType(thisType, valueType) {
          return tryCreateTypeReference(getGlobalClassFieldDecoratorContextType(
            /*reportErrors*/
            true
          ), [thisType, valueType]);
        }
        function getClassMemberDecoratorContextOverrideType(nameType, isPrivate, isStatic2) {
          const key = `${isPrivate ? "p" : "P"}${isStatic2 ? "s" : "S"}${nameType.id}`;
          let overrideType = decoratorContextOverrideTypeCache.get(key);
          if (!overrideType) {
            const members = createSymbolTable();
            members.set("name", createProperty("name", nameType));
            members.set("private", createProperty("private", isPrivate ? trueType : falseType));
            members.set("static", createProperty("static", isStatic2 ? trueType : falseType));
            overrideType = createAnonymousType(
              /*symbol*/
              void 0,
              members,
              emptyArray,
              emptyArray,
              emptyArray
            );
            decoratorContextOverrideTypeCache.set(key, overrideType);
          }
          return overrideType;
        }
        function createClassMemberDecoratorContextTypeForNode(node, thisType, valueType) {
          const isStatic2 = hasStaticModifier(node);
          const isPrivate = isPrivateIdentifier(node.name);
          const nameType = isPrivate ? getStringLiteralType(idText(node.name)) : getLiteralTypeFromPropertyName(node.name);
          const contextType = isMethodDeclaration(node) ? createClassMethodDecoratorContextType(thisType, valueType) : isGetAccessorDeclaration(node) ? createClassGetterDecoratorContextType(thisType, valueType) : isSetAccessorDeclaration(node) ? createClassSetterDecoratorContextType(thisType, valueType) : isAutoAccessorPropertyDeclaration(node) ? createClassAccessorDecoratorContextType(thisType, valueType) : isPropertyDeclaration(node) ? createClassFieldDecoratorContextType(thisType, valueType) : Debug.failBadSyntaxKind(node);
          const overrideType = getClassMemberDecoratorContextOverrideType(nameType, isPrivate, isStatic2);
          return getIntersectionType([contextType, overrideType]);
        }
        function createClassAccessorDecoratorTargetType(thisType, valueType) {
          return tryCreateTypeReference(getGlobalClassAccessorDecoratorTargetType(
            /*reportErrors*/
            true
          ), [thisType, valueType]);
        }
        function createClassAccessorDecoratorResultType(thisType, valueType) {
          return tryCreateTypeReference(getGlobalClassAccessorDecoratorResultType(
            /*reportErrors*/
            true
          ), [thisType, valueType]);
        }
        function createClassFieldDecoratorInitializerMutatorType(thisType, valueType) {
          const thisParam = createParameter2("this", thisType);
          const valueParam = createParameter2("value", valueType);
          return createFunctionType(
            /*typeParameters*/
            void 0,
            thisParam,
            [valueParam],
            valueType,
            /*typePredicate*/
            void 0,
            1
          );
        }
        function createESDecoratorCallSignature(targetType, contextType, nonOptionalReturnType) {
          const targetParam = createParameter2("target", targetType);
          const contextParam = createParameter2("context", contextType);
          const returnType = getUnionType([nonOptionalReturnType, voidType2]);
          return createCallSignature(
            /*typeParameters*/
            void 0,
            /*thisParameter*/
            void 0,
            [targetParam, contextParam],
            returnType
          );
        }
        function getESDecoratorCallSignature(decorator) {
          const { parent: parent2 } = decorator;
          const links = getNodeLinks(parent2);
          if (!links.decoratorSignature) {
            links.decoratorSignature = anySignature;
            switch (parent2.kind) {
              case 263:
              case 231: {
                const node = parent2;
                const targetType = getTypeOfSymbol(getSymbolOfDeclaration(node));
                const contextType = createClassDecoratorContextType(targetType);
                links.decoratorSignature = createESDecoratorCallSignature(targetType, contextType, targetType);
                break;
              }
              case 174:
              case 177:
              case 178: {
                const node = parent2;
                if (!isClassLike(node.parent)) break;
                const valueType = isMethodDeclaration(node) ? getOrCreateTypeFromSignature(getSignatureFromDeclaration(node)) : getTypeOfNode(node);
                const thisType = hasStaticModifier(node) ? getTypeOfSymbol(getSymbolOfDeclaration(node.parent)) : getDeclaredTypeOfClassOrInterface(getSymbolOfDeclaration(node.parent));
                const targetType = isGetAccessorDeclaration(node) ? createGetterFunctionType(valueType) : isSetAccessorDeclaration(node) ? createSetterFunctionType(valueType) : valueType;
                const contextType = createClassMemberDecoratorContextTypeForNode(node, thisType, valueType);
                const returnType = isGetAccessorDeclaration(node) ? createGetterFunctionType(valueType) : isSetAccessorDeclaration(node) ? createSetterFunctionType(valueType) : valueType;
                links.decoratorSignature = createESDecoratorCallSignature(targetType, contextType, returnType);
                break;
              }
              case 172: {
                const node = parent2;
                if (!isClassLike(node.parent)) break;
                const valueType = getTypeOfNode(node);
                const thisType = hasStaticModifier(node) ? getTypeOfSymbol(getSymbolOfDeclaration(node.parent)) : getDeclaredTypeOfClassOrInterface(getSymbolOfDeclaration(node.parent));
                const targetType = hasAccessorModifier(node) ? createClassAccessorDecoratorTargetType(thisType, valueType) : undefinedType2;
                const contextType = createClassMemberDecoratorContextTypeForNode(node, thisType, valueType);
                const returnType = hasAccessorModifier(node) ? createClassAccessorDecoratorResultType(thisType, valueType) : createClassFieldDecoratorInitializerMutatorType(thisType, valueType);
                links.decoratorSignature = createESDecoratorCallSignature(targetType, contextType, returnType);
                break;
              }
            }
          }
          return links.decoratorSignature === anySignature ? void 0 : links.decoratorSignature;
        }
        function getLegacyDecoratorCallSignature(decorator) {
          const { parent: parent2 } = decorator;
          const links = getNodeLinks(parent2);
          if (!links.decoratorSignature) {
            links.decoratorSignature = anySignature;
            switch (parent2.kind) {
              case 263:
              case 231: {
                const node = parent2;
                const targetType = getTypeOfSymbol(getSymbolOfDeclaration(node));
                const targetParam = createParameter2("target", targetType);
                links.decoratorSignature = createCallSignature(
                  /*typeParameters*/
                  void 0,
                  /*thisParameter*/
                  void 0,
                  [targetParam],
                  getUnionType([targetType, voidType2])
                );
                break;
              }
              case 169: {
                const node = parent2;
                if (!isConstructorDeclaration(node.parent) && !(isMethodDeclaration(node.parent) || isSetAccessorDeclaration(node.parent) && isClassLike(node.parent.parent))) {
                  break;
                }
                if (getThisParameter(node.parent) === node) {
                  break;
                }
                const index = getThisParameter(node.parent) ? node.parent.parameters.indexOf(node) - 1 : node.parent.parameters.indexOf(node);
                Debug.assert(index >= 0);
                const targetType = isConstructorDeclaration(node.parent) ? getTypeOfSymbol(getSymbolOfDeclaration(node.parent.parent)) : getParentTypeOfClassElement(node.parent);
                const keyType = isConstructorDeclaration(node.parent) ? undefinedType2 : getClassElementPropertyKeyType(node.parent);
                const indexType = getNumberLiteralType(index);
                const targetParam = createParameter2("target", targetType);
                const keyParam = createParameter2("propertyKey", keyType);
                const indexParam = createParameter2("parameterIndex", indexType);
                links.decoratorSignature = createCallSignature(
                  /*typeParameters*/
                  void 0,
                  /*thisParameter*/
                  void 0,
                  [targetParam, keyParam, indexParam],
                  voidType2
                );
                break;
              }
              case 174:
              case 177:
              case 178:
              case 172: {
                const node = parent2;
                if (!isClassLike(node.parent)) break;
                const targetType = getParentTypeOfClassElement(node);
                const targetParam = createParameter2("target", targetType);
                const keyType = getClassElementPropertyKeyType(node);
                const keyParam = createParameter2("propertyKey", keyType);
                const returnType = isPropertyDeclaration(node) ? voidType2 : createTypedPropertyDescriptorType(getTypeOfNode(node));
                const hasPropDesc = !isPropertyDeclaration(parent2) || hasAccessorModifier(parent2);
                if (hasPropDesc) {
                  const descriptorType = createTypedPropertyDescriptorType(getTypeOfNode(node));
                  const descriptorParam = createParameter2("descriptor", descriptorType);
                  links.decoratorSignature = createCallSignature(
                    /*typeParameters*/
                    void 0,
                    /*thisParameter*/
                    void 0,
                    [targetParam, keyParam, descriptorParam],
                    getUnionType([returnType, voidType2])
                  );
                } else {
                  links.decoratorSignature = createCallSignature(
                    /*typeParameters*/
                    void 0,
                    /*thisParameter*/
                    void 0,
                    [targetParam, keyParam],
                    getUnionType([returnType, voidType2])
                  );
                }
                break;
              }
            }
          }
          return links.decoratorSignature === anySignature ? void 0 : links.decoratorSignature;
        }
        function getDecoratorCallSignature(decorator) {
          return legacyDecorators ? getLegacyDecoratorCallSignature(decorator) : getESDecoratorCallSignature(decorator);
        }
        function createPromiseType(promisedType) {
          const globalPromiseType = getGlobalPromiseType(
            /*reportErrors*/
            true
          );
          if (globalPromiseType !== emptyGenericType) {
            promisedType = getAwaitedTypeNoAlias(unwrapAwaitedType(promisedType)) || unknownType2;
            return createTypeReference(globalPromiseType, [promisedType]);
          }
          return unknownType2;
        }
        function createPromiseLikeType(promisedType) {
          const globalPromiseLikeType = getGlobalPromiseLikeType(
            /*reportErrors*/
            true
          );
          if (globalPromiseLikeType !== emptyGenericType) {
            promisedType = getAwaitedTypeNoAlias(unwrapAwaitedType(promisedType)) || unknownType2;
            return createTypeReference(globalPromiseLikeType, [promisedType]);
          }
          return unknownType2;
        }
        function createPromiseReturnType(func, promisedType) {
          const promiseType2 = createPromiseType(promisedType);
          if (promiseType2 === unknownType2) {
            error2(
              func,
              isImportCall(func) ? Diagnostics.A_dynamic_import_call_returns_a_Promise_Make_sure_you_have_a_declaration_for_Promise_or_include_ES2015_in_your_lib_option : Diagnostics.An_async_function_or_method_must_return_a_Promise_Make_sure_you_have_a_declaration_for_Promise_or_include_ES2015_in_your_lib_option
            );
            return errorType;
          } else if (!getGlobalPromiseConstructorSymbol(
            /*reportErrors*/
            true
          )) {
            error2(
              func,
              isImportCall(func) ? Diagnostics.A_dynamic_import_call_in_ES5_requires_the_Promise_constructor_Make_sure_you_have_a_declaration_for_the_Promise_constructor_or_include_ES2015_in_your_lib_option : Diagnostics.An_async_function_or_method_in_ES5_requires_the_Promise_constructor_Make_sure_you_have_a_declaration_for_the_Promise_constructor_or_include_ES2015_in_your_lib_option
            );
          }
          return promiseType2;
        }
        function createNewTargetExpressionType(targetType) {
          const symbol = createSymbol(0, "NewTargetExpression");
          const targetPropertySymbol = createSymbol(
            4,
            "target",
            8
            /* Readonly */
          );
          targetPropertySymbol.parent = symbol;
          targetPropertySymbol.links.type = targetType;
          const members = createSymbolTable([targetPropertySymbol]);
          symbol.members = members;
          return createAnonymousType(symbol, members, emptyArray, emptyArray, emptyArray);
        }
        function getReturnTypeFromBody(func, checkMode) {
          if (!func.body) {
            return errorType;
          }
          const functionFlags = getFunctionFlags(func);
          const isAsync2 = (functionFlags & 2) !== 0;
          const isGenerator = (functionFlags & 1) !== 0;
          let returnType;
          let yieldType;
          let nextType;
          let fallbackReturnType = voidType2;
          if (func.body.kind !== 241) {
            returnType = checkExpressionCached(
              func.body,
              checkMode && checkMode & ~8
              /* SkipGenericFunctions */
            );
            if (isAsync2) {
              returnType = unwrapAwaitedType(checkAwaitedType(
                returnType,
                /*withAlias*/
                false,
                /*errorNode*/
                func,
                Diagnostics.The_return_type_of_an_async_function_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member
              ));
            }
          } else if (isGenerator) {
            const returnTypes = checkAndAggregateReturnExpressionTypes(func, checkMode);
            if (!returnTypes) {
              fallbackReturnType = neverType2;
            } else if (returnTypes.length > 0) {
              returnType = getUnionType(
                returnTypes,
                2
                /* Subtype */
              );
            }
            const { yieldTypes, nextTypes } = checkAndAggregateYieldOperandTypes(func, checkMode);
            yieldType = some(yieldTypes) ? getUnionType(
              yieldTypes,
              2
              /* Subtype */
            ) : void 0;
            nextType = some(nextTypes) ? getIntersectionType(nextTypes) : void 0;
          } else {
            const types = checkAndAggregateReturnExpressionTypes(func, checkMode);
            if (!types) {
              return functionFlags & 2 ? createPromiseReturnType(func, neverType2) : neverType2;
            }
            if (types.length === 0) {
              const contextualReturnType = getContextualReturnType(
                func,
                /*contextFlags*/
                void 0
              );
              const returnType2 = contextualReturnType && (unwrapReturnType(contextualReturnType, functionFlags) || voidType2).flags & 32768 ? undefinedType2 : voidType2;
              return functionFlags & 2 ? createPromiseReturnType(func, returnType2) : (
                // Async function
                returnType2
              );
            }
            returnType = getUnionType(
              types,
              2
              /* Subtype */
            );
          }
          if (returnType || yieldType || nextType) {
            if (yieldType) reportErrorsFromWidening(
              func,
              yieldType,
              3
              /* GeneratorYield */
            );
            if (returnType) reportErrorsFromWidening(
              func,
              returnType,
              1
              /* FunctionReturn */
            );
            if (nextType) reportErrorsFromWidening(
              func,
              nextType,
              2
              /* GeneratorNext */
            );
            if (returnType && isUnitType(returnType) || yieldType && isUnitType(yieldType) || nextType && isUnitType(nextType)) {
              const contextualSignature = getContextualSignatureForFunctionLikeDeclaration(func);
              const contextualType = !contextualSignature ? void 0 : contextualSignature === getSignatureFromDeclaration(func) ? isGenerator ? void 0 : returnType : instantiateContextualType(
                getReturnTypeOfSignature(contextualSignature),
                func,
                /*contextFlags*/
                void 0
              );
              if (isGenerator) {
                yieldType = getWidenedLiteralLikeTypeForContextualIterationTypeIfNeeded(yieldType, contextualType, 0, isAsync2);
                returnType = getWidenedLiteralLikeTypeForContextualIterationTypeIfNeeded(returnType, contextualType, 1, isAsync2);
                nextType = getWidenedLiteralLikeTypeForContextualIterationTypeIfNeeded(nextType, contextualType, 2, isAsync2);
              } else {
                returnType = getWidenedLiteralLikeTypeForContextualReturnTypeIfNeeded(returnType, contextualType, isAsync2);
              }
            }
            if (yieldType) yieldType = getWidenedType(yieldType);
            if (returnType) returnType = getWidenedType(returnType);
            if (nextType) nextType = getWidenedType(nextType);
          }
          if (isGenerator) {
            return createGeneratorType(
              yieldType || neverType2,
              returnType || fallbackReturnType,
              nextType || getContextualIterationType(2, func) || unknownType2,
              isAsync2
            );
          } else {
            return isAsync2 ? createPromiseType(returnType || fallbackReturnType) : returnType || fallbackReturnType;
          }
        }
        function createGeneratorType(yieldType, returnType, nextType, isAsyncGenerator) {
          const resolver = isAsyncGenerator ? asyncIterationTypesResolver : syncIterationTypesResolver;
          const globalGeneratorType = resolver.getGlobalGeneratorType(
            /*reportErrors*/
            false
          );
          yieldType = resolver.resolveIterationType(
            yieldType,
            /*errorNode*/
            void 0
          ) || unknownType2;
          returnType = resolver.resolveIterationType(
            returnType,
            /*errorNode*/
            void 0
          ) || unknownType2;
          nextType = resolver.resolveIterationType(
            nextType,
            /*errorNode*/
            void 0
          ) || unknownType2;
          if (globalGeneratorType === emptyGenericType) {
            const globalType = resolver.getGlobalIterableIteratorType(
              /*reportErrors*/
              false
            );
            const iterationTypes = globalType !== emptyGenericType ? getIterationTypesOfGlobalIterableType(globalType, resolver) : void 0;
            const iterableIteratorReturnType = iterationTypes ? iterationTypes.returnType : anyType2;
            const iterableIteratorNextType = iterationTypes ? iterationTypes.nextType : undefinedType2;
            if (isTypeAssignableTo(returnType, iterableIteratorReturnType) && isTypeAssignableTo(iterableIteratorNextType, nextType)) {
              if (globalType !== emptyGenericType) {
                return createTypeFromGenericGlobalType(globalType, [yieldType]);
              }
              resolver.getGlobalIterableIteratorType(
                /*reportErrors*/
                true
              );
              return emptyObjectType;
            }
            resolver.getGlobalGeneratorType(
              /*reportErrors*/
              true
            );
            return emptyObjectType;
          }
          return createTypeFromGenericGlobalType(globalGeneratorType, [yieldType, returnType, nextType]);
        }
        function checkAndAggregateYieldOperandTypes(func, checkMode) {
          const yieldTypes = [];
          const nextTypes = [];
          const isAsync2 = (getFunctionFlags(func) & 2) !== 0;
          forEachYieldExpression(func.body, (yieldExpression) => {
            const yieldExpressionType = yieldExpression.expression ? checkExpression(yieldExpression.expression, checkMode) : undefinedWideningType;
            pushIfUnique(yieldTypes, getYieldedTypeOfYieldExpression(yieldExpression, yieldExpressionType, anyType2, isAsync2));
            let nextType;
            if (yieldExpression.asteriskToken) {
              const iterationTypes = getIterationTypesOfIterable(
                yieldExpressionType,
                isAsync2 ? 19 : 17,
                yieldExpression.expression
              );
              nextType = iterationTypes && iterationTypes.nextType;
            } else {
              nextType = getContextualType2(
                yieldExpression,
                /*contextFlags*/
                void 0
              );
            }
            if (nextType) pushIfUnique(nextTypes, nextType);
          });
          return { yieldTypes, nextTypes };
        }
        function getYieldedTypeOfYieldExpression(node, expressionType, sentType, isAsync2) {
          const errorNode = node.expression || node;
          const yieldedType = node.asteriskToken ? checkIteratedTypeOrElementType(isAsync2 ? 19 : 17, expressionType, sentType, errorNode) : expressionType;
          return !isAsync2 ? yieldedType : getAwaitedType(
            yieldedType,
            errorNode,
            node.asteriskToken ? Diagnostics.Type_of_iterated_elements_of_a_yield_Asterisk_operand_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member : Diagnostics.Type_of_yield_operand_in_an_async_generator_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member
          );
        }
        function getNotEqualFactsFromTypeofSwitch(start, end, witnesses) {
          let facts = 0;
          for (let i = 0; i < witnesses.length; i++) {
            const witness = i < start || i >= end ? witnesses[i] : void 0;
            facts |= witness !== void 0 ? typeofNEFacts.get(witness) || 32768 : 0;
          }
          return facts;
        }
        function isExhaustiveSwitchStatement(node) {
          const links = getNodeLinks(node);
          if (links.isExhaustive === void 0) {
            links.isExhaustive = 0;
            const exhaustive = computeExhaustiveSwitchStatement(node);
            if (links.isExhaustive === 0) {
              links.isExhaustive = exhaustive;
            }
          } else if (links.isExhaustive === 0) {
            links.isExhaustive = false;
          }
          return links.isExhaustive;
        }
        function computeExhaustiveSwitchStatement(node) {
          if (node.expression.kind === 221) {
            const witnesses = getSwitchClauseTypeOfWitnesses(node);
            if (!witnesses) {
              return false;
            }
            const operandConstraint = getBaseConstraintOrType(checkExpressionCached(node.expression.expression));
            const notEqualFacts = getNotEqualFactsFromTypeofSwitch(0, 0, witnesses);
            if (operandConstraint.flags & 3) {
              return (556800 & notEqualFacts) === 556800;
            }
            return !someType(operandConstraint, (t) => getTypeFacts(t, notEqualFacts) === notEqualFacts);
          }
          const type = checkExpressionCached(node.expression);
          if (!isLiteralType(type)) {
            return false;
          }
          const switchTypes = getSwitchClauseTypes(node);
          if (!switchTypes.length || some(switchTypes, isNeitherUnitTypeNorNever)) {
            return false;
          }
          return eachTypeContainedIn(mapType2(type, getRegularTypeOfLiteralType), switchTypes);
        }
        function functionHasImplicitReturn(func) {
          return func.endFlowNode && isReachableFlowNode(func.endFlowNode);
        }
        function checkAndAggregateReturnExpressionTypes(func, checkMode) {
          const functionFlags = getFunctionFlags(func);
          const aggregatedTypes = [];
          let hasReturnWithNoExpression = functionHasImplicitReturn(func);
          let hasReturnOfTypeNever = false;
          forEachReturnStatement(func.body, (returnStatement) => {
            let expr = returnStatement.expression;
            if (expr) {
              expr = skipParentheses(
                expr,
                /*excludeJSDocTypeAssertions*/
                true
              );
              if (functionFlags & 2 && expr.kind === 223) {
                expr = skipParentheses(
                  expr.expression,
                  /*excludeJSDocTypeAssertions*/
                  true
                );
              }
              if (expr.kind === 213 && expr.expression.kind === 80 && checkExpressionCached(expr.expression).symbol === getMergedSymbol(func.symbol) && (!isFunctionExpressionOrArrowFunction(func.symbol.valueDeclaration) || isConstantReference(expr.expression))) {
                hasReturnOfTypeNever = true;
                return;
              }
              let type = checkExpressionCached(
                expr,
                checkMode && checkMode & ~8
                /* SkipGenericFunctions */
              );
              if (functionFlags & 2) {
                type = unwrapAwaitedType(checkAwaitedType(
                  type,
                  /*withAlias*/
                  false,
                  func,
                  Diagnostics.The_return_type_of_an_async_function_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member
                ));
              }
              if (type.flags & 131072) {
                hasReturnOfTypeNever = true;
              }
              pushIfUnique(aggregatedTypes, type);
            } else {
              hasReturnWithNoExpression = true;
            }
          });
          if (aggregatedTypes.length === 0 && !hasReturnWithNoExpression && (hasReturnOfTypeNever || mayReturnNever(func))) {
            return void 0;
          }
          if (strictNullChecks && aggregatedTypes.length && hasReturnWithNoExpression && !(isJSConstructor(func) && aggregatedTypes.some((t) => t.symbol === func.symbol))) {
            pushIfUnique(aggregatedTypes, undefinedType2);
          }
          return aggregatedTypes;
        }
        function mayReturnNever(func) {
          switch (func.kind) {
            case 218:
            case 219:
              return true;
            case 174:
              return func.parent.kind === 210;
            default:
              return false;
          }
        }
        function getTypePredicateFromBody(func) {
          switch (func.kind) {
            case 176:
            case 177:
            case 178:
              return void 0;
          }
          const functionFlags = getFunctionFlags(func);
          if (functionFlags !== 0) return void 0;
          let singleReturn;
          if (func.body && func.body.kind !== 241) {
            singleReturn = func.body;
          } else {
            const bailedEarly = forEachReturnStatement(func.body, (returnStatement) => {
              if (singleReturn || !returnStatement.expression) return true;
              singleReturn = returnStatement.expression;
            });
            if (bailedEarly || !singleReturn || functionHasImplicitReturn(func)) return void 0;
          }
          return checkIfExpressionRefinesAnyParameter(func, singleReturn);
        }
        function checkIfExpressionRefinesAnyParameter(func, expr) {
          expr = skipParentheses(
            expr,
            /*excludeJSDocTypeAssertions*/
            true
          );
          const returnType = checkExpressionCached(expr);
          if (!(returnType.flags & 16)) return void 0;
          return forEach(func.parameters, (param, i) => {
            const initType = getTypeOfSymbol(param.symbol);
            if (!initType || initType.flags & 16 || !isIdentifier(param.name) || isSymbolAssigned(param.symbol) || isRestParameter(param)) {
              return;
            }
            const trueType2 = checkIfExpressionRefinesParameter(func, expr, param, initType);
            if (trueType2) {
              return createTypePredicate(1, unescapeLeadingUnderscores(param.name.escapedText), i, trueType2);
            }
          });
        }
        function checkIfExpressionRefinesParameter(func, expr, param, initType) {
          const antecedent = expr.flowNode || expr.parent.kind === 253 && expr.parent.flowNode || createFlowNode(
            2,
            /*node*/
            void 0,
            /*antecedent*/
            void 0
          );
          const trueCondition = createFlowNode(32, expr, antecedent);
          const trueType2 = getFlowTypeOfReference(param.name, initType, initType, func, trueCondition);
          if (trueType2 === initType) return void 0;
          const falseCondition = createFlowNode(64, expr, antecedent);
          const falseSubtype = getFlowTypeOfReference(param.name, initType, trueType2, func, falseCondition);
          return falseSubtype.flags & 131072 ? trueType2 : void 0;
        }
        function checkAllCodePathsInNonVoidFunctionReturnOrThrow(func, returnType) {
          addLazyDiagnostic(checkAllCodePathsInNonVoidFunctionReturnOrThrowDiagnostics);
          return;
          function checkAllCodePathsInNonVoidFunctionReturnOrThrowDiagnostics() {
            const functionFlags = getFunctionFlags(func);
            const type = returnType && unwrapReturnType(returnType, functionFlags);
            if (type && (maybeTypeOfKind(
              type,
              16384
              /* Void */
            ) || type.flags & (1 | 32768))) {
              return;
            }
            if (func.kind === 173 || nodeIsMissing(func.body) || func.body.kind !== 241 || !functionHasImplicitReturn(func)) {
              return;
            }
            const hasExplicitReturn = func.flags & 1024;
            const errorNode = getEffectiveReturnTypeNode(func) || func;
            if (type && type.flags & 131072) {
              error2(errorNode, Diagnostics.A_function_returning_never_cannot_have_a_reachable_end_point);
            } else if (type && !hasExplicitReturn) {
              error2(errorNode, Diagnostics.A_function_whose_declared_type_is_neither_undefined_void_nor_any_must_return_a_value);
            } else if (type && strictNullChecks && !isTypeAssignableTo(undefinedType2, type)) {
              error2(errorNode, Diagnostics.Function_lacks_ending_return_statement_and_return_type_does_not_include_undefined);
            } else if (compilerOptions.noImplicitReturns) {
              if (!type) {
                if (!hasExplicitReturn) {
                  return;
                }
                const inferredReturnType = getReturnTypeOfSignature(getSignatureFromDeclaration(func));
                if (isUnwrappedReturnTypeUndefinedVoidOrAny(func, inferredReturnType)) {
                  return;
                }
              }
              error2(errorNode, Diagnostics.Not_all_code_paths_return_a_value);
            }
          }
        }
        function checkFunctionExpressionOrObjectLiteralMethod(node, checkMode) {
          Debug.assert(node.kind !== 174 || isObjectLiteralMethod(node));
          checkNodeDeferred(node);
          if (isFunctionExpression(node)) {
            checkCollisionsForDeclarationName(node, node.name);
          }
          if (checkMode && checkMode & 4 && isContextSensitive(node)) {
            if (!getEffectiveReturnTypeNode(node) && !hasContextSensitiveParameters(node)) {
              const contextualSignature = getContextualSignature(node);
              if (contextualSignature && couldContainTypeVariables(getReturnTypeOfSignature(contextualSignature))) {
                const links = getNodeLinks(node);
                if (links.contextFreeType) {
                  return links.contextFreeType;
                }
                const returnType = getReturnTypeFromBody(node, checkMode);
                const returnOnlySignature = createSignature(
                  /*declaration*/
                  void 0,
                  /*typeParameters*/
                  void 0,
                  /*thisParameter*/
                  void 0,
                  emptyArray,
                  returnType,
                  /*resolvedTypePredicate*/
                  void 0,
                  0,
                  64
                  /* IsNonInferrable */
                );
                const returnOnlyType = createAnonymousType(node.symbol, emptySymbols, [returnOnlySignature], emptyArray, emptyArray);
                returnOnlyType.objectFlags |= 262144;
                return links.contextFreeType = returnOnlyType;
              }
            }
            return anyFunctionType;
          }
          const hasGrammarError = checkGrammarFunctionLikeDeclaration(node);
          if (!hasGrammarError && node.kind === 218) {
            checkGrammarForGenerator(node);
          }
          contextuallyCheckFunctionExpressionOrObjectLiteralMethod(node, checkMode);
          return getTypeOfSymbol(getSymbolOfDeclaration(node));
        }
        function contextuallyCheckFunctionExpressionOrObjectLiteralMethod(node, checkMode) {
          const links = getNodeLinks(node);
          if (!(links.flags & 64)) {
            const contextualSignature = getContextualSignature(node);
            if (!(links.flags & 64)) {
              links.flags |= 64;
              const signature = firstOrUndefined(getSignaturesOfType(
                getTypeOfSymbol(getSymbolOfDeclaration(node)),
                0
                /* Call */
              ));
              if (!signature) {
                return;
              }
              if (isContextSensitive(node)) {
                if (contextualSignature) {
                  const inferenceContext = getInferenceContext(node);
                  let instantiatedContextualSignature;
                  if (checkMode && checkMode & 2) {
                    inferFromAnnotatedParameters(signature, contextualSignature, inferenceContext);
                    const restType = getEffectiveRestType(contextualSignature);
                    if (restType && restType.flags & 262144) {
                      instantiatedContextualSignature = instantiateSignature(contextualSignature, inferenceContext.nonFixingMapper);
                    }
                  }
                  instantiatedContextualSignature || (instantiatedContextualSignature = inferenceContext ? instantiateSignature(contextualSignature, inferenceContext.mapper) : contextualSignature);
                  assignContextualParameterTypes(signature, instantiatedContextualSignature);
                } else {
                  assignNonContextualParameterTypes(signature);
                }
              } else if (contextualSignature && !node.typeParameters && contextualSignature.parameters.length > node.parameters.length) {
                const inferenceContext = getInferenceContext(node);
                if (checkMode && checkMode & 2) {
                  inferFromAnnotatedParameters(signature, contextualSignature, inferenceContext);
                }
              }
              if (contextualSignature && !getReturnTypeFromAnnotation(node) && !signature.resolvedReturnType) {
                const returnType = getReturnTypeFromBody(node, checkMode);
                if (!signature.resolvedReturnType) {
                  signature.resolvedReturnType = returnType;
                }
              }
              checkSignatureDeclaration(node);
            }
          }
        }
        function checkFunctionExpressionOrObjectLiteralMethodDeferred(node) {
          Debug.assert(node.kind !== 174 || isObjectLiteralMethod(node));
          const functionFlags = getFunctionFlags(node);
          const returnType = getReturnTypeFromAnnotation(node);
          checkAllCodePathsInNonVoidFunctionReturnOrThrow(node, returnType);
          if (node.body) {
            if (!getEffectiveReturnTypeNode(node)) {
              getReturnTypeOfSignature(getSignatureFromDeclaration(node));
            }
            if (node.body.kind === 241) {
              checkSourceElement(node.body);
            } else {
              const exprType = checkExpression(node.body);
              const returnOrPromisedType = returnType && unwrapReturnType(returnType, functionFlags);
              if (returnOrPromisedType) {
                const effectiveCheckNode = getEffectiveCheckNode(node.body);
                if ((functionFlags & 3) === 2) {
                  const awaitedType = checkAwaitedType(
                    exprType,
                    /*withAlias*/
                    false,
                    effectiveCheckNode,
                    Diagnostics.The_return_type_of_an_async_function_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member
                  );
                  checkTypeAssignableToAndOptionallyElaborate(awaitedType, returnOrPromisedType, effectiveCheckNode, effectiveCheckNode);
                } else {
                  checkTypeAssignableToAndOptionallyElaborate(exprType, returnOrPromisedType, effectiveCheckNode, effectiveCheckNode);
                }
              }
            }
          }
        }
        function checkArithmeticOperandType(operand, type, diagnostic, isAwaitValid = false) {
          if (!isTypeAssignableTo(type, numberOrBigIntType)) {
            const awaitedType = isAwaitValid && getAwaitedTypeOfPromise(type);
            errorAndMaybeSuggestAwait(
              operand,
              !!awaitedType && isTypeAssignableTo(awaitedType, numberOrBigIntType),
              diagnostic
            );
            return false;
          }
          return true;
        }
        function isReadonlyAssignmentDeclaration(d) {
          if (!isCallExpression2(d)) {
            return false;
          }
          if (!isBindableObjectDefinePropertyCall(d)) {
            return false;
          }
          const objectLitType = checkExpressionCached(d.arguments[2]);
          const valueType = getTypeOfPropertyOfType(objectLitType, "value");
          if (valueType) {
            const writableProp = getPropertyOfType(objectLitType, "writable");
            const writableType = writableProp && getTypeOfSymbol(writableProp);
            if (!writableType || writableType === falseType || writableType === regularFalseType) {
              return true;
            }
            if (writableProp && writableProp.valueDeclaration && isPropertyAssignment(writableProp.valueDeclaration)) {
              const initializer = writableProp.valueDeclaration.initializer;
              const rawOriginalType = checkExpression(initializer);
              if (rawOriginalType === falseType || rawOriginalType === regularFalseType) {
                return true;
              }
            }
            return false;
          }
          const setProp = getPropertyOfType(objectLitType, "set");
          return !setProp;
        }
        function isReadonlySymbol(symbol) {
          return !!(getCheckFlags(symbol) & 8 || symbol.flags & 4 && getDeclarationModifierFlagsFromSymbol(symbol) & 8 || symbol.flags & 3 && getDeclarationNodeFlagsFromSymbol(symbol) & 6 || symbol.flags & 98304 && !(symbol.flags & 65536) || symbol.flags & 8 || some(symbol.declarations, isReadonlyAssignmentDeclaration));
        }
        function isAssignmentToReadonlyEntity(expr, symbol, assignmentKind) {
          var _a, _b;
          if (assignmentKind === 0) {
            return false;
          }
          if (isReadonlySymbol(symbol)) {
            if (symbol.flags & 4 && isAccessExpression(expr) && expr.expression.kind === 110) {
              const ctor = getContainingFunction(expr);
              if (!(ctor && (ctor.kind === 176 || isJSConstructor(ctor)))) {
                return true;
              }
              if (symbol.valueDeclaration) {
                const isAssignmentDeclaration2 = isBinaryExpression(symbol.valueDeclaration);
                const isLocalPropertyDeclaration = ctor.parent === symbol.valueDeclaration.parent;
                const isLocalParameterProperty = ctor === symbol.valueDeclaration.parent;
                const isLocalThisPropertyAssignment = isAssignmentDeclaration2 && ((_a = symbol.parent) == null ? void 0 : _a.valueDeclaration) === ctor.parent;
                const isLocalThisPropertyAssignmentConstructorFunction = isAssignmentDeclaration2 && ((_b = symbol.parent) == null ? void 0 : _b.valueDeclaration) === ctor;
                const isWriteableSymbol = isLocalPropertyDeclaration || isLocalParameterProperty || isLocalThisPropertyAssignment || isLocalThisPropertyAssignmentConstructorFunction;
                return !isWriteableSymbol;
              }
            }
            return true;
          }
          if (isAccessExpression(expr)) {
            const node = skipParentheses(expr.expression);
            if (node.kind === 80) {
              const symbol2 = getNodeLinks(node).resolvedSymbol;
              if (symbol2.flags & 2097152) {
                const declaration = getDeclarationOfAliasSymbol(symbol2);
                return !!declaration && declaration.kind === 274;
              }
            }
          }
          return false;
        }
        function checkReferenceExpression(expr, invalidReferenceMessage, invalidOptionalChainMessage) {
          const node = skipOuterExpressions(
            expr,
            6 | 1
            /* Parentheses */
          );
          if (node.kind !== 80 && !isAccessExpression(node)) {
            error2(expr, invalidReferenceMessage);
            return false;
          }
          if (node.flags & 64) {
            error2(expr, invalidOptionalChainMessage);
            return false;
          }
          return true;
        }
        function checkDeleteExpression(node) {
          checkExpression(node.expression);
          const expr = skipParentheses(node.expression);
          if (!isAccessExpression(expr)) {
            error2(expr, Diagnostics.The_operand_of_a_delete_operator_must_be_a_property_reference);
            return booleanType2;
          }
          if (isPropertyAccessExpression(expr) && isPrivateIdentifier(expr.name)) {
            error2(expr, Diagnostics.The_operand_of_a_delete_operator_cannot_be_a_private_identifier);
          }
          const links = getNodeLinks(expr);
          const symbol = getExportSymbolOfValueSymbolIfExported(links.resolvedSymbol);
          if (symbol) {
            if (isReadonlySymbol(symbol)) {
              error2(expr, Diagnostics.The_operand_of_a_delete_operator_cannot_be_a_read_only_property);
            } else {
              checkDeleteExpressionMustBeOptional(expr, symbol);
            }
          }
          return booleanType2;
        }
        function checkDeleteExpressionMustBeOptional(expr, symbol) {
          const type = getTypeOfSymbol(symbol);
          if (strictNullChecks && !(type.flags & (3 | 131072)) && !(exactOptionalPropertyTypes ? symbol.flags & 16777216 : hasTypeFacts(
            type,
            16777216
            /* IsUndefined */
          ))) {
            error2(expr, Diagnostics.The_operand_of_a_delete_operator_must_be_optional);
          }
        }
        function checkTypeOfExpression(node) {
          checkExpression(node.expression);
          return typeofType;
        }
        function checkVoidExpression(node) {
          checkNodeDeferred(node);
          return undefinedWideningType;
        }
        function checkAwaitGrammar(node) {
          let hasError = false;
          const container = getContainingFunctionOrClassStaticBlock(node);
          if (container && isClassStaticBlockDeclaration(container)) {
            const message = isAwaitExpression(node) ? Diagnostics.await_expression_cannot_be_used_inside_a_class_static_block : Diagnostics.await_using_statements_cannot_be_used_inside_a_class_static_block;
            error2(node, message);
            hasError = true;
          } else if (!(node.flags & 65536)) {
            if (isInTopLevelContext(node)) {
              const sourceFile = getSourceFileOfNode(node);
              if (!hasParseDiagnostics(sourceFile)) {
                let span;
                if (!isEffectiveExternalModule(sourceFile, compilerOptions)) {
                  span ?? (span = getSpanOfTokenAtPosition(sourceFile, node.pos));
                  const message = isAwaitExpression(node) ? Diagnostics.await_expressions_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module : Diagnostics.await_using_statements_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module;
                  const diagnostic = createFileDiagnostic(sourceFile, span.start, span.length, message);
                  diagnostics.add(diagnostic);
                  hasError = true;
                }
                switch (moduleKind) {
                  case 100:
                  case 199:
                    if (sourceFile.impliedNodeFormat === 1) {
                      span ?? (span = getSpanOfTokenAtPosition(sourceFile, node.pos));
                      diagnostics.add(
                        createFileDiagnostic(sourceFile, span.start, span.length, Diagnostics.The_current_file_is_a_CommonJS_module_and_cannot_use_await_at_the_top_level)
                      );
                      hasError = true;
                      break;
                    }
                  case 7:
                  case 99:
                  case 200:
                  case 4:
                    if (languageVersion >= 4) {
                      break;
                    }
                  default:
                    span ?? (span = getSpanOfTokenAtPosition(sourceFile, node.pos));
                    const message = isAwaitExpression(node) ? Diagnostics.Top_level_await_expressions_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher : Diagnostics.Top_level_await_using_statements_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher;
                    diagnostics.add(createFileDiagnostic(sourceFile, span.start, span.length, message));
                    hasError = true;
                    break;
                }
              }
            } else {
              const sourceFile = getSourceFileOfNode(node);
              if (!hasParseDiagnostics(sourceFile)) {
                const span = getSpanOfTokenAtPosition(sourceFile, node.pos);
                const message = isAwaitExpression(node) ? Diagnostics.await_expressions_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules : Diagnostics.await_using_statements_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules;
                const diagnostic = createFileDiagnostic(sourceFile, span.start, span.length, message);
                if (container && container.kind !== 176 && (getFunctionFlags(container) & 2) === 0) {
                  const relatedInfo = createDiagnosticForNode(container, Diagnostics.Did_you_mean_to_mark_this_function_as_async);
                  addRelatedInfo(diagnostic, relatedInfo);
                }
                diagnostics.add(diagnostic);
                hasError = true;
              }
            }
          }
          if (isAwaitExpression(node) && isInParameterInitializerBeforeContainingFunction(node)) {
            error2(node, Diagnostics.await_expressions_cannot_be_used_in_a_parameter_initializer);
            hasError = true;
          }
          return hasError;
        }
        function checkAwaitExpression(node) {
          addLazyDiagnostic(() => checkAwaitGrammar(node));
          const operandType = checkExpression(node.expression);
          const awaitedType = checkAwaitedType(
            operandType,
            /*withAlias*/
            true,
            node,
            Diagnostics.Type_of_await_operand_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member
          );
          if (awaitedType === operandType && !isErrorType(awaitedType) && !(operandType.flags & 3)) {
            addErrorOrSuggestion(
              /*isError*/
              false,
              createDiagnosticForNode(node, Diagnostics.await_has_no_effect_on_the_type_of_this_expression)
            );
          }
          return awaitedType;
        }
        function checkPrefixUnaryExpression(node) {
          const operandType = checkExpression(node.operand);
          if (operandType === silentNeverType) {
            return silentNeverType;
          }
          switch (node.operand.kind) {
            case 9:
              switch (node.operator) {
                case 41:
                  return getFreshTypeOfLiteralType(getNumberLiteralType(-node.operand.text));
                case 40:
                  return getFreshTypeOfLiteralType(getNumberLiteralType(+node.operand.text));
              }
              break;
            case 10:
              if (node.operator === 41) {
                return getFreshTypeOfLiteralType(getBigIntLiteralType({
                  negative: true,
                  base10Value: parsePseudoBigInt(node.operand.text)
                }));
              }
          }
          switch (node.operator) {
            case 40:
            case 41:
            case 55:
              checkNonNullType(operandType, node.operand);
              if (maybeTypeOfKindConsideringBaseConstraint(
                operandType,
                12288
                /* ESSymbolLike */
              )) {
                error2(node.operand, Diagnostics.The_0_operator_cannot_be_applied_to_type_symbol, tokenToString(node.operator));
              }
              if (node.operator === 40) {
                if (maybeTypeOfKindConsideringBaseConstraint(
                  operandType,
                  2112
                  /* BigIntLike */
                )) {
                  error2(node.operand, Diagnostics.Operator_0_cannot_be_applied_to_type_1, tokenToString(node.operator), typeToString(getBaseTypeOfLiteralType(operandType)));
                }
                return numberType2;
              }
              return getUnaryResultType(operandType);
            case 54:
              checkTruthinessOfType(operandType, node.operand);
              const facts = getTypeFacts(
                operandType,
                4194304 | 8388608
                /* Falsy */
              );
              return facts === 4194304 ? falseType : facts === 8388608 ? trueType : booleanType2;
            case 46:
            case 47:
              const ok = checkArithmeticOperandType(node.operand, checkNonNullType(operandType, node.operand), Diagnostics.An_arithmetic_operand_must_be_of_type_any_number_bigint_or_an_enum_type);
              if (ok) {
                checkReferenceExpression(
                  node.operand,
                  Diagnostics.The_operand_of_an_increment_or_decrement_operator_must_be_a_variable_or_a_property_access,
                  Diagnostics.The_operand_of_an_increment_or_decrement_operator_may_not_be_an_optional_property_access
                );
              }
              return getUnaryResultType(operandType);
          }
          return errorType;
        }
        function checkPostfixUnaryExpression(node) {
          const operandType = checkExpression(node.operand);
          if (operandType === silentNeverType) {
            return silentNeverType;
          }
          const ok = checkArithmeticOperandType(
            node.operand,
            checkNonNullType(operandType, node.operand),
            Diagnostics.An_arithmetic_operand_must_be_of_type_any_number_bigint_or_an_enum_type
          );
          if (ok) {
            checkReferenceExpression(
              node.operand,
              Diagnostics.The_operand_of_an_increment_or_decrement_operator_must_be_a_variable_or_a_property_access,
              Diagnostics.The_operand_of_an_increment_or_decrement_operator_may_not_be_an_optional_property_access
            );
          }
          return getUnaryResultType(operandType);
        }
        function getUnaryResultType(operandType) {
          if (maybeTypeOfKind(
            operandType,
            2112
            /* BigIntLike */
          )) {
            return isTypeAssignableToKind(
              operandType,
              3
              /* AnyOrUnknown */
            ) || maybeTypeOfKind(
              operandType,
              296
              /* NumberLike */
            ) ? numberOrBigIntType : bigintType;
          }
          return numberType2;
        }
        function maybeTypeOfKindConsideringBaseConstraint(type, kind) {
          if (maybeTypeOfKind(type, kind)) {
            return true;
          }
          const baseConstraint = getBaseConstraintOrType(type);
          return !!baseConstraint && maybeTypeOfKind(baseConstraint, kind);
        }
        function maybeTypeOfKind(type, kind) {
          if (type.flags & kind) {
            return true;
          }
          if (type.flags & 3145728) {
            const types = type.types;
            for (const t of types) {
              if (maybeTypeOfKind(t, kind)) {
                return true;
              }
            }
          }
          return false;
        }
        function isTypeAssignableToKind(source, kind, strict) {
          if (source.flags & kind) {
            return true;
          }
          if (strict && source.flags & (3 | 16384 | 32768 | 65536)) {
            return false;
          }
          return !!(kind & 296) && isTypeAssignableTo(source, numberType2) || !!(kind & 2112) && isTypeAssignableTo(source, bigintType) || !!(kind & 402653316) && isTypeAssignableTo(source, stringType2) || !!(kind & 528) && isTypeAssignableTo(source, booleanType2) || !!(kind & 16384) && isTypeAssignableTo(source, voidType2) || !!(kind & 131072) && isTypeAssignableTo(source, neverType2) || !!(kind & 65536) && isTypeAssignableTo(source, nullType2) || !!(kind & 32768) && isTypeAssignableTo(source, undefinedType2) || !!(kind & 4096) && isTypeAssignableTo(source, esSymbolType) || !!(kind & 67108864) && isTypeAssignableTo(source, nonPrimitiveType);
        }
        function allTypesAssignableToKind(source, kind, strict) {
          return source.flags & 1048576 ? every(source.types, (subType) => allTypesAssignableToKind(subType, kind, strict)) : isTypeAssignableToKind(source, kind, strict);
        }
        function isConstEnumObjectType(type) {
          return !!(getObjectFlags(type) & 16) && !!type.symbol && isConstEnumSymbol(type.symbol);
        }
        function isConstEnumSymbol(symbol) {
          return (symbol.flags & 128) !== 0;
        }
        function getSymbolHasInstanceMethodOfObjectType(type) {
          const hasInstancePropertyName = getPropertyNameForKnownSymbolName("hasInstance");
          if (allTypesAssignableToKind(
            type,
            67108864
            /* NonPrimitive */
          )) {
            const hasInstanceProperty = getPropertyOfType(type, hasInstancePropertyName);
            if (hasInstanceProperty) {
              const hasInstancePropertyType = getTypeOfSymbol(hasInstanceProperty);
              if (hasInstancePropertyType && getSignaturesOfType(
                hasInstancePropertyType,
                0
                /* Call */
              ).length !== 0) {
                return hasInstancePropertyType;
              }
            }
          }
        }
        function checkInstanceOfExpression(left, right, leftType, rightType, checkMode) {
          if (leftType === silentNeverType || rightType === silentNeverType) {
            return silentNeverType;
          }
          if (!isTypeAny(leftType) && allTypesAssignableToKind(
            leftType,
            402784252
            /* Primitive */
          )) {
            error2(left, Diagnostics.The_left_hand_side_of_an_instanceof_expression_must_be_of_type_any_an_object_type_or_a_type_parameter);
          }
          Debug.assert(isInstanceOfExpression(left.parent));
          const signature = getResolvedSignature(
            left.parent,
            /*candidatesOutArray*/
            void 0,
            checkMode
          );
          if (signature === resolvingSignature) {
            return silentNeverType;
          }
          const returnType = getReturnTypeOfSignature(signature);
          checkTypeAssignableTo(returnType, booleanType2, right, Diagnostics.An_object_s_Symbol_hasInstance_method_must_return_a_boolean_value_for_it_to_be_used_on_the_right_hand_side_of_an_instanceof_expression);
          return booleanType2;
        }
        function hasEmptyObjectIntersection(type) {
          return someType(type, (t) => t === unknownEmptyObjectType || !!(t.flags & 2097152) && isEmptyAnonymousObjectType(getBaseConstraintOrType(t)));
        }
        function checkInExpression(left, right, leftType, rightType) {
          if (leftType === silentNeverType || rightType === silentNeverType) {
            return silentNeverType;
          }
          if (isPrivateIdentifier(left)) {
            if (languageVersion < 9 || languageVersion < 99 || !useDefineForClassFields) {
              checkExternalEmitHelpers(
                left,
                2097152
                /* ClassPrivateFieldIn */
              );
            }
            if (!getNodeLinks(left).resolvedSymbol && getContainingClass(left)) {
              const isUncheckedJS = isUncheckedJSSuggestion(
                left,
                rightType.symbol,
                /*excludeClasses*/
                true
              );
              reportNonexistentProperty(left, rightType, isUncheckedJS);
            }
          } else {
            checkTypeAssignableTo(checkNonNullType(leftType, left), stringNumberSymbolType, left);
          }
          if (checkTypeAssignableTo(checkNonNullType(rightType, right), nonPrimitiveType, right)) {
            if (hasEmptyObjectIntersection(rightType)) {
              error2(right, Diagnostics.Type_0_may_represent_a_primitive_value_which_is_not_permitted_as_the_right_operand_of_the_in_operator, typeToString(rightType));
            }
          }
          return booleanType2;
        }
        function checkObjectLiteralAssignment(node, sourceType, rightIsThis) {
          const properties = node.properties;
          if (strictNullChecks && properties.length === 0) {
            return checkNonNullType(sourceType, node);
          }
          for (let i = 0; i < properties.length; i++) {
            checkObjectLiteralDestructuringPropertyAssignment(node, sourceType, i, properties, rightIsThis);
          }
          return sourceType;
        }
        function checkObjectLiteralDestructuringPropertyAssignment(node, objectLiteralType, propertyIndex, allProperties, rightIsThis = false) {
          const properties = node.properties;
          const property = properties[propertyIndex];
          if (property.kind === 303 || property.kind === 304) {
            const name = property.name;
            const exprType = getLiteralTypeFromPropertyName(name);
            if (isTypeUsableAsPropertyName(exprType)) {
              const text = getPropertyNameFromType(exprType);
              const prop = getPropertyOfType(objectLiteralType, text);
              if (prop) {
                markPropertyAsReferenced(prop, property, rightIsThis);
                checkPropertyAccessibility(
                  property,
                  /*isSuper*/
                  false,
                  /*writing*/
                  true,
                  objectLiteralType,
                  prop
                );
              }
            }
            const elementType = getIndexedAccessType(objectLiteralType, exprType, 32, name);
            const type = getFlowTypeOfDestructuring(property, elementType);
            return checkDestructuringAssignment(property.kind === 304 ? property : property.initializer, type);
          } else if (property.kind === 305) {
            if (propertyIndex < properties.length - 1) {
              error2(property, Diagnostics.A_rest_element_must_be_last_in_a_destructuring_pattern);
            } else {
              if (languageVersion < 5) {
                checkExternalEmitHelpers(
                  property,
                  4
                  /* Rest */
                );
              }
              const nonRestNames = [];
              if (allProperties) {
                for (const otherProperty of allProperties) {
                  if (!isSpreadAssignment(otherProperty)) {
                    nonRestNames.push(otherProperty.name);
                  }
                }
              }
              const type = getRestType(objectLiteralType, nonRestNames, objectLiteralType.symbol);
              checkGrammarForDisallowedTrailingComma(allProperties, Diagnostics.A_rest_parameter_or_binding_pattern_may_not_have_a_trailing_comma);
              return checkDestructuringAssignment(property.expression, type);
            }
          } else {
            error2(property, Diagnostics.Property_assignment_expected);
          }
        }
        function checkArrayLiteralAssignment(node, sourceType, checkMode) {
          const elements = node.elements;
          if (languageVersion < 2 && compilerOptions.downlevelIteration) {
            checkExternalEmitHelpers(
              node,
              512
              /* Read */
            );
          }
          const possiblyOutOfBoundsType = checkIteratedTypeOrElementType(65 | 128, sourceType, undefinedType2, node) || errorType;
          let inBoundsType = compilerOptions.noUncheckedIndexedAccess ? void 0 : possiblyOutOfBoundsType;
          for (let i = 0; i < elements.length; i++) {
            let type = possiblyOutOfBoundsType;
            if (node.elements[i].kind === 230) {
              type = inBoundsType = inBoundsType ?? (checkIteratedTypeOrElementType(65, sourceType, undefinedType2, node) || errorType);
            }
            checkArrayLiteralDestructuringElementAssignment(node, sourceType, i, type, checkMode);
          }
          return sourceType;
        }
        function checkArrayLiteralDestructuringElementAssignment(node, sourceType, elementIndex, elementType, checkMode) {
          const elements = node.elements;
          const element = elements[elementIndex];
          if (element.kind !== 232) {
            if (element.kind !== 230) {
              const indexType = getNumberLiteralType(elementIndex);
              if (isArrayLikeType(sourceType)) {
                const accessFlags = 32 | (hasDefaultValue2(element) ? 16 : 0);
                const elementType2 = getIndexedAccessTypeOrUndefined(sourceType, indexType, accessFlags, createSyntheticExpression(element, indexType)) || errorType;
                const assignedType = hasDefaultValue2(element) ? getTypeWithFacts(
                  elementType2,
                  524288
                  /* NEUndefined */
                ) : elementType2;
                const type = getFlowTypeOfDestructuring(element, assignedType);
                return checkDestructuringAssignment(element, type, checkMode);
              }
              return checkDestructuringAssignment(element, elementType, checkMode);
            }
            if (elementIndex < elements.length - 1) {
              error2(element, Diagnostics.A_rest_element_must_be_last_in_a_destructuring_pattern);
            } else {
              const restExpression = element.expression;
              if (restExpression.kind === 226 && restExpression.operatorToken.kind === 64) {
                error2(restExpression.operatorToken, Diagnostics.A_rest_element_cannot_have_an_initializer);
              } else {
                checkGrammarForDisallowedTrailingComma(node.elements, Diagnostics.A_rest_parameter_or_binding_pattern_may_not_have_a_trailing_comma);
                const type = everyType(sourceType, isTupleType) ? mapType2(sourceType, (t) => sliceTupleType(t, elementIndex)) : createArrayType(elementType);
                return checkDestructuringAssignment(restExpression, type, checkMode);
              }
            }
          }
          return void 0;
        }
        function checkDestructuringAssignment(exprOrAssignment, sourceType, checkMode, rightIsThis) {
          let target;
          if (exprOrAssignment.kind === 304) {
            const prop = exprOrAssignment;
            if (prop.objectAssignmentInitializer) {
              if (strictNullChecks && !hasTypeFacts(
                checkExpression(prop.objectAssignmentInitializer),
                16777216
                /* IsUndefined */
              )) {
                sourceType = getTypeWithFacts(
                  sourceType,
                  524288
                  /* NEUndefined */
                );
              }
              checkBinaryLikeExpression(prop.name, prop.equalsToken, prop.objectAssignmentInitializer, checkMode);
            }
            target = exprOrAssignment.name;
          } else {
            target = exprOrAssignment;
          }
          if (target.kind === 226 && target.operatorToken.kind === 64) {
            checkBinaryExpression(target, checkMode);
            target = target.left;
            if (strictNullChecks) {
              sourceType = getTypeWithFacts(
                sourceType,
                524288
                /* NEUndefined */
              );
            }
          }
          if (target.kind === 210) {
            return checkObjectLiteralAssignment(target, sourceType, rightIsThis);
          }
          if (target.kind === 209) {
            return checkArrayLiteralAssignment(target, sourceType, checkMode);
          }
          return checkReferenceAssignment(target, sourceType, checkMode);
        }
        function checkReferenceAssignment(target, sourceType, checkMode) {
          const targetType = checkExpression(target, checkMode);
          const error3 = target.parent.kind === 305 ? Diagnostics.The_target_of_an_object_rest_assignment_must_be_a_variable_or_a_property_access : Diagnostics.The_left_hand_side_of_an_assignment_expression_must_be_a_variable_or_a_property_access;
          const optionalError = target.parent.kind === 305 ? Diagnostics.The_target_of_an_object_rest_assignment_may_not_be_an_optional_property_access : Diagnostics.The_left_hand_side_of_an_assignment_expression_may_not_be_an_optional_property_access;
          if (checkReferenceExpression(target, error3, optionalError)) {
            checkTypeAssignableToAndOptionallyElaborate(sourceType, targetType, target, target);
          }
          if (isPrivateIdentifierPropertyAccessExpression(target)) {
            checkExternalEmitHelpers(
              target.parent,
              1048576
              /* ClassPrivateFieldSet */
            );
          }
          return sourceType;
        }
        function isSideEffectFree(node) {
          node = skipParentheses(node);
          switch (node.kind) {
            case 80:
            case 11:
            case 14:
            case 215:
            case 228:
            case 15:
            case 9:
            case 10:
            case 112:
            case 97:
            case 106:
            case 157:
            case 218:
            case 231:
            case 219:
            case 209:
            case 210:
            case 221:
            case 235:
            case 285:
            case 284:
              return true;
            case 227:
              return isSideEffectFree(node.whenTrue) && isSideEffectFree(node.whenFalse);
            case 226:
              if (isAssignmentOperator(node.operatorToken.kind)) {
                return false;
              }
              return isSideEffectFree(node.left) && isSideEffectFree(node.right);
            case 224:
            case 225:
              switch (node.operator) {
                case 54:
                case 40:
                case 41:
                case 55:
                  return true;
              }
              return false;
            case 222:
            case 216:
            case 234:
            default:
              return false;
          }
        }
        function isTypeEqualityComparableTo(source, target) {
          return (target.flags & 98304) !== 0 || isTypeComparableTo(source, target);
        }
        function createCheckBinaryExpression() {
          const trampoline = createBinaryExpressionTrampoline(onEnter, onLeft, onOperator, onRight, onExit, foldState);
          return (node, checkMode) => {
            const result = trampoline(node, checkMode);
            Debug.assertIsDefined(result);
            return result;
          };
          function onEnter(node, state, checkMode) {
            if (state) {
              state.stackIndex++;
              state.skip = false;
              setLeftType(
                state,
                /*type*/
                void 0
              );
              setLastResult(
                state,
                /*type*/
                void 0
              );
            } else {
              state = {
                checkMode,
                skip: false,
                stackIndex: 0,
                typeStack: [void 0, void 0]
              };
            }
            if (isInJSFile(node) && getAssignedExpandoInitializer(node)) {
              state.skip = true;
              setLastResult(state, checkExpression(node.right, checkMode));
              return state;
            }
            checkGrammarNullishCoalesceWithLogicalExpression(node);
            const operator = node.operatorToken.kind;
            if (operator === 64 && (node.left.kind === 210 || node.left.kind === 209)) {
              state.skip = true;
              setLastResult(state, checkDestructuringAssignment(
                node.left,
                checkExpression(node.right, checkMode),
                checkMode,
                node.right.kind === 110
                /* ThisKeyword */
              ));
              return state;
            }
            return state;
          }
          function onLeft(left, state, _node) {
            if (!state.skip) {
              return maybeCheckExpression(state, left);
            }
          }
          function onOperator(operatorToken, state, node) {
            if (!state.skip) {
              const leftType = getLastResult(state);
              Debug.assertIsDefined(leftType);
              setLeftType(state, leftType);
              setLastResult(
                state,
                /*type*/
                void 0
              );
              const operator = operatorToken.kind;
              if (isLogicalOrCoalescingBinaryOperator(operator)) {
                let parent2 = node.parent;
                while (parent2.kind === 217 || isLogicalOrCoalescingBinaryExpression(parent2)) {
                  parent2 = parent2.parent;
                }
                if (operator === 56 || isIfStatement(parent2)) {
                  checkTestingKnownTruthyCallableOrAwaitableOrEnumMemberType(node.left, leftType, isIfStatement(parent2) ? parent2.thenStatement : void 0);
                }
                checkTruthinessOfType(leftType, node.left);
              }
            }
          }
          function onRight(right, state, _node) {
            if (!state.skip) {
              return maybeCheckExpression(state, right);
            }
          }
          function onExit(node, state) {
            let result;
            if (state.skip) {
              result = getLastResult(state);
            } else {
              const leftType = getLeftType(state);
              Debug.assertIsDefined(leftType);
              const rightType = getLastResult(state);
              Debug.assertIsDefined(rightType);
              result = checkBinaryLikeExpressionWorker(node.left, node.operatorToken, node.right, leftType, rightType, state.checkMode, node);
            }
            state.skip = false;
            setLeftType(
              state,
              /*type*/
              void 0
            );
            setLastResult(
              state,
              /*type*/
              void 0
            );
            state.stackIndex--;
            return result;
          }
          function foldState(state, result, _side) {
            setLastResult(state, result);
            return state;
          }
          function maybeCheckExpression(state, node) {
            if (isBinaryExpression(node)) {
              return node;
            }
            setLastResult(state, checkExpression(node, state.checkMode));
          }
          function getLeftType(state) {
            return state.typeStack[state.stackIndex];
          }
          function setLeftType(state, type) {
            state.typeStack[state.stackIndex] = type;
          }
          function getLastResult(state) {
            return state.typeStack[state.stackIndex + 1];
          }
          function setLastResult(state, type) {
            state.typeStack[state.stackIndex + 1] = type;
          }
        }
        function checkGrammarNullishCoalesceWithLogicalExpression(node) {
          const { left, operatorToken, right } = node;
          if (operatorToken.kind === 61) {
            if (isBinaryExpression(left) && (left.operatorToken.kind === 57 || left.operatorToken.kind === 56)) {
              grammarErrorOnNode(left, Diagnostics._0_and_1_operations_cannot_be_mixed_without_parentheses, tokenToString(left.operatorToken.kind), tokenToString(operatorToken.kind));
            }
            if (isBinaryExpression(right) && (right.operatorToken.kind === 57 || right.operatorToken.kind === 56)) {
              grammarErrorOnNode(right, Diagnostics._0_and_1_operations_cannot_be_mixed_without_parentheses, tokenToString(right.operatorToken.kind), tokenToString(operatorToken.kind));
            }
          }
        }
        function checkBinaryLikeExpression(left, operatorToken, right, checkMode, errorNode) {
          const operator = operatorToken.kind;
          if (operator === 64 && (left.kind === 210 || left.kind === 209)) {
            return checkDestructuringAssignment(
              left,
              checkExpression(right, checkMode),
              checkMode,
              right.kind === 110
              /* ThisKeyword */
            );
          }
          let leftType;
          if (isLogicalOrCoalescingBinaryOperator(operator)) {
            leftType = checkTruthinessExpression(left, checkMode);
          } else {
            leftType = checkExpression(left, checkMode);
          }
          const rightType = checkExpression(right, checkMode);
          return checkBinaryLikeExpressionWorker(left, operatorToken, right, leftType, rightType, checkMode, errorNode);
        }
        function checkBinaryLikeExpressionWorker(left, operatorToken, right, leftType, rightType, checkMode, errorNode) {
          const operator = operatorToken.kind;
          switch (operator) {
            case 42:
            case 43:
            case 67:
            case 68:
            case 44:
            case 69:
            case 45:
            case 70:
            case 41:
            case 66:
            case 48:
            case 71:
            case 49:
            case 72:
            case 50:
            case 73:
            case 52:
            case 75:
            case 53:
            case 79:
            case 51:
            case 74:
              if (leftType === silentNeverType || rightType === silentNeverType) {
                return silentNeverType;
              }
              leftType = checkNonNullType(leftType, left);
              rightType = checkNonNullType(rightType, right);
              let suggestedOperator;
              if (leftType.flags & 528 && rightType.flags & 528 && (suggestedOperator = getSuggestedBooleanOperator(operatorToken.kind)) !== void 0) {
                error2(errorNode || operatorToken, Diagnostics.The_0_operator_is_not_allowed_for_boolean_types_Consider_using_1_instead, tokenToString(operatorToken.kind), tokenToString(suggestedOperator));
                return numberType2;
              } else {
                const leftOk = checkArithmeticOperandType(
                  left,
                  leftType,
                  Diagnostics.The_left_hand_side_of_an_arithmetic_operation_must_be_of_type_any_number_bigint_or_an_enum_type,
                  /*isAwaitValid*/
                  true
                );
                const rightOk = checkArithmeticOperandType(
                  right,
                  rightType,
                  Diagnostics.The_right_hand_side_of_an_arithmetic_operation_must_be_of_type_any_number_bigint_or_an_enum_type,
                  /*isAwaitValid*/
                  true
                );
                let resultType2;
                if (isTypeAssignableToKind(
                  leftType,
                  3
                  /* AnyOrUnknown */
                ) && isTypeAssignableToKind(
                  rightType,
                  3
                  /* AnyOrUnknown */
                ) || // Or, if neither could be bigint, implicit coercion results in a number result
                !(maybeTypeOfKind(
                  leftType,
                  2112
                  /* BigIntLike */
                ) || maybeTypeOfKind(
                  rightType,
                  2112
                  /* BigIntLike */
                ))) {
                  resultType2 = numberType2;
                } else if (bothAreBigIntLike(leftType, rightType)) {
                  switch (operator) {
                    case 50:
                    case 73:
                      reportOperatorError();
                      break;
                    case 43:
                    case 68:
                      if (languageVersion < 3) {
                        error2(errorNode, Diagnostics.Exponentiation_cannot_be_performed_on_bigint_values_unless_the_target_option_is_set_to_es2016_or_later);
                      }
                  }
                  resultType2 = bigintType;
                } else {
                  reportOperatorError(bothAreBigIntLike);
                  resultType2 = errorType;
                }
                if (leftOk && rightOk) {
                  checkAssignmentOperator(resultType2);
                }
                return resultType2;
              }
            case 40:
            case 65:
              if (leftType === silentNeverType || rightType === silentNeverType) {
                return silentNeverType;
              }
              if (!isTypeAssignableToKind(
                leftType,
                402653316
                /* StringLike */
              ) && !isTypeAssignableToKind(
                rightType,
                402653316
                /* StringLike */
              )) {
                leftType = checkNonNullType(leftType, left);
                rightType = checkNonNullType(rightType, right);
              }
              let resultType;
              if (isTypeAssignableToKind(
                leftType,
                296,
                /*strict*/
                true
              ) && isTypeAssignableToKind(
                rightType,
                296,
                /*strict*/
                true
              )) {
                resultType = numberType2;
              } else if (isTypeAssignableToKind(
                leftType,
                2112,
                /*strict*/
                true
              ) && isTypeAssignableToKind(
                rightType,
                2112,
                /*strict*/
                true
              )) {
                resultType = bigintType;
              } else if (isTypeAssignableToKind(
                leftType,
                402653316,
                /*strict*/
                true
              ) || isTypeAssignableToKind(
                rightType,
                402653316,
                /*strict*/
                true
              )) {
                resultType = stringType2;
              } else if (isTypeAny(leftType) || isTypeAny(rightType)) {
                resultType = isErrorType(leftType) || isErrorType(rightType) ? errorType : anyType2;
              }
              if (resultType && !checkForDisallowedESSymbolOperand(operator)) {
                return resultType;
              }
              if (!resultType) {
                const closeEnoughKind = 296 | 2112 | 402653316 | 3;
                reportOperatorError(
                  (left2, right2) => isTypeAssignableToKind(left2, closeEnoughKind) && isTypeAssignableToKind(right2, closeEnoughKind)
                );
                return anyType2;
              }
              if (operator === 65) {
                checkAssignmentOperator(resultType);
              }
              return resultType;
            case 30:
            case 32:
            case 33:
            case 34:
              if (checkForDisallowedESSymbolOperand(operator)) {
                leftType = getBaseTypeOfLiteralTypeForComparison(checkNonNullType(leftType, left));
                rightType = getBaseTypeOfLiteralTypeForComparison(checkNonNullType(rightType, right));
                reportOperatorErrorUnless((left2, right2) => {
                  if (isTypeAny(left2) || isTypeAny(right2)) {
                    return true;
                  }
                  const leftAssignableToNumber = isTypeAssignableTo(left2, numberOrBigIntType);
                  const rightAssignableToNumber = isTypeAssignableTo(right2, numberOrBigIntType);
                  return leftAssignableToNumber && rightAssignableToNumber || !leftAssignableToNumber && !rightAssignableToNumber && areTypesComparable(left2, right2);
                });
              }
              return booleanType2;
            case 35:
            case 36:
            case 37:
            case 38:
              if (!(checkMode && checkMode & 64)) {
                if ((isLiteralExpressionOfObject(left) || isLiteralExpressionOfObject(right)) && // only report for === and !== in JS, not == or !=
                (!isInJSFile(left) || (operator === 37 || operator === 38))) {
                  const eqType = operator === 35 || operator === 37;
                  error2(errorNode, Diagnostics.This_condition_will_always_return_0_since_JavaScript_compares_objects_by_reference_not_value, eqType ? "false" : "true");
                }
                checkNaNEquality(errorNode, operator, left, right);
                reportOperatorErrorUnless((left2, right2) => isTypeEqualityComparableTo(left2, right2) || isTypeEqualityComparableTo(right2, left2));
              }
              return booleanType2;
            case 104:
              return checkInstanceOfExpression(left, right, leftType, rightType, checkMode);
            case 103:
              return checkInExpression(left, right, leftType, rightType);
            case 56:
            case 77: {
              const resultType2 = hasTypeFacts(
                leftType,
                4194304
                /* Truthy */
              ) ? getUnionType([extractDefinitelyFalsyTypes(strictNullChecks ? leftType : getBaseTypeOfLiteralType(rightType)), rightType]) : leftType;
              if (operator === 77) {
                checkAssignmentOperator(rightType);
              }
              return resultType2;
            }
            case 57:
            case 76: {
              const resultType2 = hasTypeFacts(
                leftType,
                8388608
                /* Falsy */
              ) ? getUnionType(
                [getNonNullableType(removeDefinitelyFalsyTypes(leftType)), rightType],
                2
                /* Subtype */
              ) : leftType;
              if (operator === 76) {
                checkAssignmentOperator(rightType);
              }
              return resultType2;
            }
            case 61:
            case 78: {
              const resultType2 = hasTypeFacts(
                leftType,
                262144
                /* EQUndefinedOrNull */
              ) ? getUnionType(
                [getNonNullableType(leftType), rightType],
                2
                /* Subtype */
              ) : leftType;
              if (operator === 78) {
                checkAssignmentOperator(rightType);
              }
              return resultType2;
            }
            case 64:
              const declKind = isBinaryExpression(left.parent) ? getAssignmentDeclarationKind(left.parent) : 0;
              checkAssignmentDeclaration(declKind, rightType);
              if (isAssignmentDeclaration2(declKind)) {
                if (!(rightType.flags & 524288) || declKind !== 2 && declKind !== 6 && !isEmptyObjectType(rightType) && !isFunctionObjectType(rightType) && !(getObjectFlags(rightType) & 1)) {
                  checkAssignmentOperator(rightType);
                }
                return leftType;
              } else {
                checkAssignmentOperator(rightType);
                return rightType;
              }
            case 28:
              if (!compilerOptions.allowUnreachableCode && isSideEffectFree(left) && !isIndirectCall(left.parent)) {
                const sf = getSourceFileOfNode(left);
                const sourceText = sf.text;
                const start = skipTrivia(sourceText, left.pos);
                const isInDiag2657 = sf.parseDiagnostics.some((diag2) => {
                  if (diag2.code !== Diagnostics.JSX_expressions_must_have_one_parent_element.code) return false;
                  return textSpanContainsPosition(diag2, start);
                });
                if (!isInDiag2657) error2(left, Diagnostics.Left_side_of_comma_operator_is_unused_and_has_no_side_effects);
              }
              return rightType;
            default:
              return Debug.fail();
          }
          function bothAreBigIntLike(left2, right2) {
            return isTypeAssignableToKind(
              left2,
              2112
              /* BigIntLike */
            ) && isTypeAssignableToKind(
              right2,
              2112
              /* BigIntLike */
            );
          }
          function checkAssignmentDeclaration(kind, rightType2) {
            if (kind === 2) {
              for (const prop of getPropertiesOfObjectType(rightType2)) {
                const propType = getTypeOfSymbol(prop);
                if (propType.symbol && propType.symbol.flags & 32) {
                  const name = prop.escapedName;
                  const symbol = resolveName(
                    prop.valueDeclaration,
                    name,
                    788968,
                    /*nameNotFoundMessage*/
                    void 0,
                    /*isUse*/
                    false
                  );
                  if ((symbol == null ? void 0 : symbol.declarations) && symbol.declarations.some(isJSDocTypedefTag)) {
                    addDuplicateDeclarationErrorsForSymbols(symbol, Diagnostics.Duplicate_identifier_0, unescapeLeadingUnderscores(name), prop);
                    addDuplicateDeclarationErrorsForSymbols(prop, Diagnostics.Duplicate_identifier_0, unescapeLeadingUnderscores(name), symbol);
                  }
                }
              }
            }
          }
          function isIndirectCall(node) {
            return node.parent.kind === 217 && isNumericLiteral(node.left) && node.left.text === "0" && (isCallExpression2(node.parent.parent) && node.parent.parent.expression === node.parent || node.parent.parent.kind === 215) && // special-case for "eval" because it's the only non-access case where an indirect call actually affects behavior.
            (isAccessExpression(node.right) || isIdentifier(node.right) && node.right.escapedText === "eval");
          }
          function checkForDisallowedESSymbolOperand(operator2) {
            const offendingSymbolOperand = maybeTypeOfKindConsideringBaseConstraint(
              leftType,
              12288
              /* ESSymbolLike */
            ) ? left : maybeTypeOfKindConsideringBaseConstraint(
              rightType,
              12288
              /* ESSymbolLike */
            ) ? right : void 0;
            if (offendingSymbolOperand) {
              error2(offendingSymbolOperand, Diagnostics.The_0_operator_cannot_be_applied_to_type_symbol, tokenToString(operator2));
              return false;
            }
            return true;
          }
          function getSuggestedBooleanOperator(operator2) {
            switch (operator2) {
              case 52:
              case 75:
                return 57;
              case 53:
              case 79:
                return 38;
              case 51:
              case 74:
                return 56;
              default:
                return void 0;
            }
          }
          function checkAssignmentOperator(valueType) {
            if (isAssignmentOperator(operator)) {
              addLazyDiagnostic(checkAssignmentOperatorWorker);
            }
            function checkAssignmentOperatorWorker() {
              let assigneeType = leftType;
              if (isCompoundAssignment(operatorToken.kind) && left.kind === 211) {
                assigneeType = checkPropertyAccessExpression(
                  left,
                  /*checkMode*/
                  void 0,
                  /*writeOnly*/
                  true
                );
              }
              if (checkReferenceExpression(left, Diagnostics.The_left_hand_side_of_an_assignment_expression_must_be_a_variable_or_a_property_access, Diagnostics.The_left_hand_side_of_an_assignment_expression_may_not_be_an_optional_property_access)) {
                let headMessage;
                if (exactOptionalPropertyTypes && isPropertyAccessExpression(left) && maybeTypeOfKind(
                  valueType,
                  32768
                  /* Undefined */
                )) {
                  const target = getTypeOfPropertyOfType(getTypeOfExpression(left.expression), left.name.escapedText);
                  if (isExactOptionalPropertyMismatch(valueType, target)) {
                    headMessage = Diagnostics.Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_type_of_the_target;
                  }
                }
                checkTypeAssignableToAndOptionallyElaborate(valueType, assigneeType, left, right, headMessage);
              }
            }
          }
          function isAssignmentDeclaration2(kind) {
            var _a;
            switch (kind) {
              case 2:
                return true;
              case 1:
              case 5:
              case 6:
              case 3:
              case 4:
                const symbol = getSymbolOfNode(left);
                const init = getAssignedExpandoInitializer(right);
                return !!init && isObjectLiteralExpression(init) && !!((_a = symbol == null ? void 0 : symbol.exports) == null ? void 0 : _a.size);
              default:
                return false;
            }
          }
          function reportOperatorErrorUnless(typesAreCompatible) {
            if (!typesAreCompatible(leftType, rightType)) {
              reportOperatorError(typesAreCompatible);
              return true;
            }
            return false;
          }
          function reportOperatorError(isRelated) {
            let wouldWorkWithAwait = false;
            const errNode = errorNode || operatorToken;
            if (isRelated) {
              const awaitedLeftType = getAwaitedTypeNoAlias(leftType);
              const awaitedRightType = getAwaitedTypeNoAlias(rightType);
              wouldWorkWithAwait = !(awaitedLeftType === leftType && awaitedRightType === rightType) && !!(awaitedLeftType && awaitedRightType) && isRelated(awaitedLeftType, awaitedRightType);
            }
            let effectiveLeft = leftType;
            let effectiveRight = rightType;
            if (!wouldWorkWithAwait && isRelated) {
              [effectiveLeft, effectiveRight] = getBaseTypesIfUnrelated(leftType, rightType, isRelated);
            }
            const [leftStr, rightStr] = getTypeNamesForErrorDisplay(effectiveLeft, effectiveRight);
            if (!tryGiveBetterPrimaryError(errNode, wouldWorkWithAwait, leftStr, rightStr)) {
              errorAndMaybeSuggestAwait(
                errNode,
                wouldWorkWithAwait,
                Diagnostics.Operator_0_cannot_be_applied_to_types_1_and_2,
                tokenToString(operatorToken.kind),
                leftStr,
                rightStr
              );
            }
          }
          function tryGiveBetterPrimaryError(errNode, maybeMissingAwait, leftStr, rightStr) {
            switch (operatorToken.kind) {
              case 37:
              case 35:
              case 38:
              case 36:
                return errorAndMaybeSuggestAwait(
                  errNode,
                  maybeMissingAwait,
                  Diagnostics.This_comparison_appears_to_be_unintentional_because_the_types_0_and_1_have_no_overlap,
                  leftStr,
                  rightStr
                );
              default:
                return void 0;
            }
          }
          function checkNaNEquality(errorNode2, operator2, left2, right2) {
            const isLeftNaN = isGlobalNaN(skipParentheses(left2));
            const isRightNaN = isGlobalNaN(skipParentheses(right2));
            if (isLeftNaN || isRightNaN) {
              const err = error2(errorNode2, Diagnostics.This_condition_will_always_return_0, tokenToString(
                operator2 === 37 || operator2 === 35 ? 97 : 112
                /* TrueKeyword */
              ));
              if (isLeftNaN && isRightNaN) return;
              const operatorString = operator2 === 38 || operator2 === 36 ? tokenToString(
                54
                /* ExclamationToken */
              ) : "";
              const location = isLeftNaN ? right2 : left2;
              const expression = skipParentheses(location);
              addRelatedInfo(err, createDiagnosticForNode(location, Diagnostics.Did_you_mean_0, `${operatorString}Number.isNaN(${isEntityNameExpression(expression) ? entityNameToString(expression) : "..."})`));
            }
          }
          function isGlobalNaN(expr) {
            if (isIdentifier(expr) && expr.escapedText === "NaN") {
              const globalNaNSymbol = getGlobalNaNSymbol();
              return !!globalNaNSymbol && globalNaNSymbol === getResolvedSymbol(expr);
            }
            return false;
          }
        }
        function getBaseTypesIfUnrelated(leftType, rightType, isRelated) {
          let effectiveLeft = leftType;
          let effectiveRight = rightType;
          const leftBase = getBaseTypeOfLiteralType(leftType);
          const rightBase = getBaseTypeOfLiteralType(rightType);
          if (!isRelated(leftBase, rightBase)) {
            effectiveLeft = leftBase;
            effectiveRight = rightBase;
          }
          return [effectiveLeft, effectiveRight];
        }
        function checkYieldExpression(node) {
          addLazyDiagnostic(checkYieldExpressionGrammar);
          const func = getContainingFunction(node);
          if (!func) return anyType2;
          const functionFlags = getFunctionFlags(func);
          if (!(functionFlags & 1)) {
            return anyType2;
          }
          const isAsync2 = (functionFlags & 2) !== 0;
          if (node.asteriskToken) {
            if (isAsync2 && languageVersion < 5) {
              checkExternalEmitHelpers(
                node,
                26624
                /* AsyncDelegatorIncludes */
              );
            }
            if (!isAsync2 && languageVersion < 2 && compilerOptions.downlevelIteration) {
              checkExternalEmitHelpers(
                node,
                256
                /* Values */
              );
            }
          }
          let returnType = getReturnTypeFromAnnotation(func);
          if (returnType && returnType.flags & 1048576) {
            returnType = filterType(returnType, (t) => checkGeneratorInstantiationAssignabilityToReturnType(
              t,
              functionFlags,
              /*errorNode*/
              void 0
            ));
          }
          const iterationTypes = returnType && getIterationTypesOfGeneratorFunctionReturnType(returnType, isAsync2);
          const signatureYieldType = iterationTypes && iterationTypes.yieldType || anyType2;
          const signatureNextType = iterationTypes && iterationTypes.nextType || anyType2;
          const resolvedSignatureNextType = isAsync2 ? getAwaitedType(signatureNextType) || anyType2 : signatureNextType;
          const yieldExpressionType = node.expression ? checkExpression(node.expression) : undefinedWideningType;
          const yieldedType = getYieldedTypeOfYieldExpression(node, yieldExpressionType, resolvedSignatureNextType, isAsync2);
          if (returnType && yieldedType) {
            checkTypeAssignableToAndOptionallyElaborate(yieldedType, signatureYieldType, node.expression || node, node.expression);
          }
          if (node.asteriskToken) {
            const use = isAsync2 ? 19 : 17;
            return getIterationTypeOfIterable(use, 1, yieldExpressionType, node.expression) || anyType2;
          } else if (returnType) {
            return getIterationTypeOfGeneratorFunctionReturnType(2, returnType, isAsync2) || anyType2;
          }
          let type = getContextualIterationType(2, func);
          if (!type) {
            type = anyType2;
            addLazyDiagnostic(() => {
              if (noImplicitAny && !expressionResultIsUnused(node)) {
                const contextualType = getContextualType2(
                  node,
                  /*contextFlags*/
                  void 0
                );
                if (!contextualType || isTypeAny(contextualType)) {
                  error2(node, Diagnostics.yield_expression_implicitly_results_in_an_any_type_because_its_containing_generator_lacks_a_return_type_annotation);
                }
              }
            });
          }
          return type;
          function checkYieldExpressionGrammar() {
            if (!(node.flags & 16384)) {
              grammarErrorOnFirstToken(node, Diagnostics.A_yield_expression_is_only_allowed_in_a_generator_body);
            }
            if (isInParameterInitializerBeforeContainingFunction(node)) {
              error2(node, Diagnostics.yield_expressions_cannot_be_used_in_a_parameter_initializer);
            }
          }
        }
        function checkConditionalExpression(node, checkMode) {
          const type = checkTruthinessExpression(node.condition, checkMode);
          checkTestingKnownTruthyCallableOrAwaitableOrEnumMemberType(node.condition, type, node.whenTrue);
          const type1 = checkExpression(node.whenTrue, checkMode);
          const type2 = checkExpression(node.whenFalse, checkMode);
          return getUnionType(
            [type1, type2],
            2
            /* Subtype */
          );
        }
        function isTemplateLiteralContext(node) {
          const parent2 = node.parent;
          return isParenthesizedExpression(parent2) && isTemplateLiteralContext(parent2) || isElementAccessExpression(parent2) && parent2.argumentExpression === node;
        }
        function checkTemplateExpression(node) {
          const texts = [node.head.text];
          const types = [];
          for (const span of node.templateSpans) {
            const type = checkExpression(span.expression);
            if (maybeTypeOfKindConsideringBaseConstraint(
              type,
              12288
              /* ESSymbolLike */
            )) {
              error2(span.expression, Diagnostics.Implicit_conversion_of_a_symbol_to_a_string_will_fail_at_runtime_Consider_wrapping_this_expression_in_String);
            }
            texts.push(span.literal.text);
            types.push(isTypeAssignableTo(type, templateConstraintType) ? type : stringType2);
          }
          const evaluated = node.parent.kind !== 215 && evaluate(node).value;
          if (evaluated) {
            return getFreshTypeOfLiteralType(getStringLiteralType(evaluated));
          }
          if (isConstContext(node) || isTemplateLiteralContext(node) || someType(getContextualType2(
            node,
            /*contextFlags*/
            void 0
          ) || unknownType2, isTemplateLiteralContextualType)) {
            return getTemplateLiteralType(texts, types);
          }
          return stringType2;
        }
        function isTemplateLiteralContextualType(type) {
          return !!(type.flags & (128 | 134217728) || type.flags & 58982400 && maybeTypeOfKind(
            getBaseConstraintOfType(type) || unknownType2,
            402653316
            /* StringLike */
          ));
        }
        function getContextNode2(node) {
          if (isJsxAttributes(node) && !isJsxSelfClosingElement(node.parent)) {
            return node.parent.parent;
          }
          return node;
        }
        function checkExpressionWithContextualType(node, contextualType, inferenceContext, checkMode) {
          const contextNode = getContextNode2(node);
          pushContextualType(
            contextNode,
            contextualType,
            /*isCache*/
            false
          );
          pushInferenceContext(contextNode, inferenceContext);
          const type = checkExpression(node, checkMode | 1 | (inferenceContext ? 2 : 0));
          if (inferenceContext && inferenceContext.intraExpressionInferenceSites) {
            inferenceContext.intraExpressionInferenceSites = void 0;
          }
          const result = maybeTypeOfKind(
            type,
            2944
            /* Literal */
          ) && isLiteralOfContextualType(type, instantiateContextualType(
            contextualType,
            node,
            /*contextFlags*/
            void 0
          )) ? getRegularTypeOfLiteralType(type) : type;
          popInferenceContext();
          popContextualType();
          return result;
        }
        function checkExpressionCached(node, checkMode) {
          if (checkMode) {
            return checkExpression(node, checkMode);
          }
          const links = getNodeLinks(node);
          if (!links.resolvedType) {
            const saveFlowLoopStart = flowLoopStart;
            const saveFlowTypeCache = flowTypeCache;
            flowLoopStart = flowLoopCount;
            flowTypeCache = void 0;
            links.resolvedType = checkExpression(node, checkMode);
            flowTypeCache = saveFlowTypeCache;
            flowLoopStart = saveFlowLoopStart;
          }
          return links.resolvedType;
        }
        function isTypeAssertion(node) {
          node = skipParentheses(
            node,
            /*excludeJSDocTypeAssertions*/
            true
          );
          return node.kind === 216 || node.kind === 234 || isJSDocTypeAssertion(node);
        }
        function checkDeclarationInitializer(declaration, checkMode, contextualType) {
          const initializer = getEffectiveInitializer(declaration);
          if (isInJSFile(declaration)) {
            const typeNode = tryGetJSDocSatisfiesTypeNode(declaration);
            if (typeNode) {
              return checkSatisfiesExpressionWorker(initializer, typeNode, checkMode);
            }
          }
          const type = getQuickTypeOfExpression(initializer) || (contextualType ? checkExpressionWithContextualType(
            initializer,
            contextualType,
            /*inferenceContext*/
            void 0,
            checkMode || 0
            /* Normal */
          ) : checkExpressionCached(initializer, checkMode));
          return isParameter(declaration) && declaration.name.kind === 207 && isTupleType(type) && !type.target.hasRestElement && getTypeReferenceArity(type) < declaration.name.elements.length ? padTupleType(type, declaration.name) : type;
        }
        function padTupleType(type, pattern) {
          const patternElements = pattern.elements;
          const elementTypes = getElementTypes(type).slice();
          const elementFlags = type.target.elementFlags.slice();
          for (let i = getTypeReferenceArity(type); i < patternElements.length; i++) {
            const e = patternElements[i];
            if (i < patternElements.length - 1 || !(e.kind === 208 && e.dotDotDotToken)) {
              elementTypes.push(!isOmittedExpression(e) && hasDefaultValue2(e) ? getTypeFromBindingElement(
                e,
                /*includePatternInType*/
                false,
                /*reportErrors*/
                false
              ) : anyType2);
              elementFlags.push(
                2
                /* Optional */
              );
              if (!isOmittedExpression(e) && !hasDefaultValue2(e)) {
                reportImplicitAny(e, anyType2);
              }
            }
          }
          return createTupleType(elementTypes, elementFlags, type.target.readonly);
        }
        function widenTypeInferredFromInitializer(declaration, type) {
          const widened = getCombinedNodeFlagsCached(declaration) & 6 || isDeclarationReadonly(declaration) ? type : getWidenedLiteralType(type);
          if (isInJSFile(declaration)) {
            if (isEmptyLiteralType(widened)) {
              reportImplicitAny(declaration, anyType2);
              return anyType2;
            } else if (isEmptyArrayLiteralType(widened)) {
              reportImplicitAny(declaration, anyArrayType);
              return anyArrayType;
            }
          }
          return widened;
        }
        function isLiteralOfContextualType(candidateType, contextualType) {
          if (contextualType) {
            if (contextualType.flags & 3145728) {
              const types = contextualType.types;
              return some(types, (t) => isLiteralOfContextualType(candidateType, t));
            }
            if (contextualType.flags & 58982400) {
              const constraint = getBaseConstraintOfType(contextualType) || unknownType2;
              return maybeTypeOfKind(
                constraint,
                4
                /* String */
              ) && maybeTypeOfKind(
                candidateType,
                128
                /* StringLiteral */
              ) || maybeTypeOfKind(
                constraint,
                8
                /* Number */
              ) && maybeTypeOfKind(
                candidateType,
                256
                /* NumberLiteral */
              ) || maybeTypeOfKind(
                constraint,
                64
                /* BigInt */
              ) && maybeTypeOfKind(
                candidateType,
                2048
                /* BigIntLiteral */
              ) || maybeTypeOfKind(
                constraint,
                4096
                /* ESSymbol */
              ) && maybeTypeOfKind(
                candidateType,
                8192
                /* UniqueESSymbol */
              ) || isLiteralOfContextualType(candidateType, constraint);
            }
            return !!(contextualType.flags & (128 | 4194304 | 134217728 | 268435456) && maybeTypeOfKind(
              candidateType,
              128
              /* StringLiteral */
            ) || contextualType.flags & 256 && maybeTypeOfKind(
              candidateType,
              256
              /* NumberLiteral */
            ) || contextualType.flags & 2048 && maybeTypeOfKind(
              candidateType,
              2048
              /* BigIntLiteral */
            ) || contextualType.flags & 512 && maybeTypeOfKind(
              candidateType,
              512
              /* BooleanLiteral */
            ) || contextualType.flags & 8192 && maybeTypeOfKind(
              candidateType,
              8192
              /* UniqueESSymbol */
            ));
          }
          return false;
        }
        function isConstContext(node) {
          const parent2 = node.parent;
          return isAssertionExpression(parent2) && isConstTypeReference(parent2.type) || isJSDocTypeAssertion(parent2) && isConstTypeReference(getJSDocTypeAssertionType(parent2)) || isValidConstAssertionArgument(node) && isConstTypeVariable(getContextualType2(
            node,
            0
            /* None */
          )) || (isParenthesizedExpression(parent2) || isArrayLiteralExpression(parent2) || isSpreadElement(parent2)) && isConstContext(parent2) || (isPropertyAssignment(parent2) || isShorthandPropertyAssignment(parent2) || isTemplateSpan(parent2)) && isConstContext(parent2.parent);
        }
        function checkExpressionForMutableLocation(node, checkMode, forceTuple) {
          const type = checkExpression(node, checkMode, forceTuple);
          return isConstContext(node) || isCommonJsExportedExpression(node) ? getRegularTypeOfLiteralType(type) : isTypeAssertion(node) ? type : getWidenedLiteralLikeTypeForContextualType(type, instantiateContextualType(
            getContextualType2(
              node,
              /*contextFlags*/
              void 0
            ),
            node,
            /*contextFlags*/
            void 0
          ));
        }
        function checkPropertyAssignment(node, checkMode) {
          if (node.name.kind === 167) {
            checkComputedPropertyName(node.name);
          }
          return checkExpressionForMutableLocation(node.initializer, checkMode);
        }
        function checkObjectLiteralMethod(node, checkMode) {
          checkGrammarMethod(node);
          if (node.name.kind === 167) {
            checkComputedPropertyName(node.name);
          }
          const uninstantiatedType = checkFunctionExpressionOrObjectLiteralMethod(node, checkMode);
          return instantiateTypeWithSingleGenericCallSignature(node, uninstantiatedType, checkMode);
        }
        function instantiateTypeWithSingleGenericCallSignature(node, type, checkMode) {
          if (checkMode && checkMode & (2 | 8)) {
            const callSignature = getSingleSignature(
              type,
              0,
              /*allowMembers*/
              true
            );
            const constructSignature = getSingleSignature(
              type,
              1,
              /*allowMembers*/
              true
            );
            const signature = callSignature || constructSignature;
            if (signature && signature.typeParameters) {
              const contextualType = getApparentTypeOfContextualType(
                node,
                2
                /* NoConstraints */
              );
              if (contextualType) {
                const contextualSignature = getSingleSignature(
                  getNonNullableType(contextualType),
                  callSignature ? 0 : 1,
                  /*allowMembers*/
                  false
                );
                if (contextualSignature && !contextualSignature.typeParameters) {
                  if (checkMode & 8) {
                    skippedGenericFunction(node, checkMode);
                    return anyFunctionType;
                  }
                  const context = getInferenceContext(node);
                  const returnType = context.signature && getReturnTypeOfSignature(context.signature);
                  const returnSignature = returnType && getSingleCallOrConstructSignature(returnType);
                  if (returnSignature && !returnSignature.typeParameters && !every(context.inferences, hasInferenceCandidates)) {
                    const uniqueTypeParameters = getUniqueTypeParameters(context, signature.typeParameters);
                    const instantiatedSignature = getSignatureInstantiationWithoutFillingInTypeArguments(signature, uniqueTypeParameters);
                    const inferences = map(context.inferences, (info) => createInferenceInfo(info.typeParameter));
                    applyToParameterTypes(instantiatedSignature, contextualSignature, (source, target) => {
                      inferTypes(
                        inferences,
                        source,
                        target,
                        /*priority*/
                        0,
                        /*contravariant*/
                        true
                      );
                    });
                    if (some(inferences, hasInferenceCandidates)) {
                      applyToReturnTypes(instantiatedSignature, contextualSignature, (source, target) => {
                        inferTypes(inferences, source, target);
                      });
                      if (!hasOverlappingInferences(context.inferences, inferences)) {
                        mergeInferences(context.inferences, inferences);
                        context.inferredTypeParameters = concatenate(context.inferredTypeParameters, uniqueTypeParameters);
                        return getOrCreateTypeFromSignature(instantiatedSignature);
                      }
                    }
                  }
                  return getOrCreateTypeFromSignature(instantiateSignatureInContextOf(signature, contextualSignature, context), flatMap(inferenceContexts, (c) => c && map(c.inferences, (i) => i.typeParameter)).slice());
                }
              }
            }
          }
          return type;
        }
        function skippedGenericFunction(node, checkMode) {
          if (checkMode & 2) {
            const context = getInferenceContext(node);
            context.flags |= 4;
          }
        }
        function hasInferenceCandidates(info) {
          return !!(info.candidates || info.contraCandidates);
        }
        function hasInferenceCandidatesOrDefault(info) {
          return !!(info.candidates || info.contraCandidates || hasTypeParameterDefault(info.typeParameter));
        }
        function hasOverlappingInferences(a, b) {
          for (let i = 0; i < a.length; i++) {
            if (hasInferenceCandidates(a[i]) && hasInferenceCandidates(b[i])) {
              return true;
            }
          }
          return false;
        }
        function mergeInferences(target, source) {
          for (let i = 0; i < target.length; i++) {
            if (!hasInferenceCandidates(target[i]) && hasInferenceCandidates(source[i])) {
              target[i] = source[i];
            }
          }
        }
        function getUniqueTypeParameters(context, typeParameters) {
          const result = [];
          let oldTypeParameters;
          let newTypeParameters;
          for (const tp of typeParameters) {
            const name = tp.symbol.escapedName;
            if (hasTypeParameterByName(context.inferredTypeParameters, name) || hasTypeParameterByName(result, name)) {
              const newName = getUniqueTypeParameterName(concatenate(context.inferredTypeParameters, result), name);
              const symbol = createSymbol(262144, newName);
              const newTypeParameter = createTypeParameter(symbol);
              newTypeParameter.target = tp;
              oldTypeParameters = append(oldTypeParameters, tp);
              newTypeParameters = append(newTypeParameters, newTypeParameter);
              result.push(newTypeParameter);
            } else {
              result.push(tp);
            }
          }
          if (newTypeParameters) {
            const mapper = createTypeMapper(oldTypeParameters, newTypeParameters);
            for (const tp of newTypeParameters) {
              tp.mapper = mapper;
            }
          }
          return result;
        }
        function hasTypeParameterByName(typeParameters, name) {
          return some(typeParameters, (tp) => tp.symbol.escapedName === name);
        }
        function getUniqueTypeParameterName(typeParameters, baseName) {
          let len = baseName.length;
          while (len > 1 && baseName.charCodeAt(len - 1) >= 48 && baseName.charCodeAt(len - 1) <= 57) len--;
          const s = baseName.slice(0, len);
          for (let index = 1; true; index++) {
            const augmentedName = s + index;
            if (!hasTypeParameterByName(typeParameters, augmentedName)) {
              return augmentedName;
            }
          }
        }
        function getReturnTypeOfSingleNonGenericCallSignature(funcType) {
          const signature = getSingleCallSignature(funcType);
          if (signature && !signature.typeParameters) {
            return getReturnTypeOfSignature(signature);
          }
        }
        function getReturnTypeOfSingleNonGenericSignatureOfCallChain(expr) {
          const funcType = checkExpression(expr.expression);
          const nonOptionalType = getOptionalExpressionType(funcType, expr.expression);
          const returnType = getReturnTypeOfSingleNonGenericCallSignature(funcType);
          return returnType && propagateOptionalTypeMarker(returnType, expr, nonOptionalType !== funcType);
        }
        function getTypeOfExpression(node) {
          const quickType = getQuickTypeOfExpression(node);
          if (quickType) {
            return quickType;
          }
          if (node.flags & 268435456 && flowTypeCache) {
            const cachedType = flowTypeCache[getNodeId(node)];
            if (cachedType) {
              return cachedType;
            }
          }
          const startInvocationCount = flowInvocationCount;
          const type = checkExpression(
            node,
            64
            /* TypeOnly */
          );
          if (flowInvocationCount !== startInvocationCount) {
            const cache = flowTypeCache || (flowTypeCache = []);
            cache[getNodeId(node)] = type;
            setNodeFlags(
              node,
              node.flags | 268435456
              /* TypeCached */
            );
          }
          return type;
        }
        function getQuickTypeOfExpression(node) {
          let expr = skipParentheses(
            node,
            /*excludeJSDocTypeAssertions*/
            true
          );
          if (isJSDocTypeAssertion(expr)) {
            const type = getJSDocTypeAssertionType(expr);
            if (!isConstTypeReference(type)) {
              return getTypeFromTypeNode(type);
            }
          }
          expr = skipParentheses(node);
          if (isAwaitExpression(expr)) {
            const type = getQuickTypeOfExpression(expr.expression);
            return type ? getAwaitedType(type) : void 0;
          }
          if (isCallExpression2(expr) && expr.expression.kind !== 108 && !isRequireCall(
            expr,
            /*requireStringLiteralLikeArgument*/
            true
          ) && !isSymbolOrSymbolForCall(expr)) {
            return isCallChain(expr) ? getReturnTypeOfSingleNonGenericSignatureOfCallChain(expr) : getReturnTypeOfSingleNonGenericCallSignature(checkNonNullExpression(expr.expression));
          } else if (isAssertionExpression(expr) && !isConstTypeReference(expr.type)) {
            return getTypeFromTypeNode(expr.type);
          } else if (isLiteralExpression(node) || isBooleanLiteral(node)) {
            return checkExpression(node);
          }
          return void 0;
        }
        function getContextFreeTypeOfExpression(node) {
          const links = getNodeLinks(node);
          if (links.contextFreeType) {
            return links.contextFreeType;
          }
          pushContextualType(
            node,
            anyType2,
            /*isCache*/
            false
          );
          const type = links.contextFreeType = checkExpression(
            node,
            4
            /* SkipContextSensitive */
          );
          popContextualType();
          return type;
        }
        function checkExpression(node, checkMode, forceTuple) {
          var _a, _b;
          (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Check, "checkExpression", { kind: node.kind, pos: node.pos, end: node.end, path: node.tracingPath });
          const saveCurrentNode = currentNode;
          currentNode = node;
          instantiationCount = 0;
          const uninstantiatedType = checkExpressionWorker(node, checkMode, forceTuple);
          const type = instantiateTypeWithSingleGenericCallSignature(node, uninstantiatedType, checkMode);
          if (isConstEnumObjectType(type)) {
            checkConstEnumAccess(node, type);
          }
          currentNode = saveCurrentNode;
          (_b = tracing) == null ? void 0 : _b.pop();
          return type;
        }
        function checkConstEnumAccess(node, type) {
          const ok = node.parent.kind === 211 && node.parent.expression === node || node.parent.kind === 212 && node.parent.expression === node || ((node.kind === 80 || node.kind === 166) && isInRightSideOfImportOrExportAssignment(node) || node.parent.kind === 186 && node.parent.exprName === node) || node.parent.kind === 281;
          if (!ok) {
            error2(node, Diagnostics.const_enums_can_only_be_used_in_property_or_index_access_expressions_or_the_right_hand_side_of_an_import_declaration_or_export_assignment_or_type_query);
          }
          if (getIsolatedModules(compilerOptions)) {
            Debug.assert(!!(type.symbol.flags & 128));
            const constEnumDeclaration = type.symbol.valueDeclaration;
            const redirect = host.getRedirectReferenceForResolutionFromSourceOfProject(getSourceFileOfNode(constEnumDeclaration).resolvedPath);
            if (constEnumDeclaration.flags & 33554432 && !isValidTypeOnlyAliasUseSite(node) && (!redirect || !shouldPreserveConstEnums(redirect.commandLine.options))) {
              error2(node, Diagnostics.Cannot_access_ambient_const_enums_when_0_is_enabled, isolatedModulesLikeFlagName);
            }
          }
        }
        function checkParenthesizedExpression(node, checkMode) {
          if (hasJSDocNodes(node)) {
            if (isJSDocSatisfiesExpression(node)) {
              return checkSatisfiesExpressionWorker(node.expression, getJSDocSatisfiesExpressionType(node), checkMode);
            }
            if (isJSDocTypeAssertion(node)) {
              return checkAssertionWorker(node, checkMode);
            }
          }
          return checkExpression(node.expression, checkMode);
        }
        function checkExpressionWorker(node, checkMode, forceTuple) {
          const kind = node.kind;
          if (cancellationToken) {
            switch (kind) {
              case 231:
              case 218:
              case 219:
                cancellationToken.throwIfCancellationRequested();
            }
          }
          switch (kind) {
            case 80:
              return checkIdentifier(node, checkMode);
            case 81:
              return checkPrivateIdentifierExpression(node);
            case 110:
              return checkThisExpression(node);
            case 108:
              return checkSuperExpression(node);
            case 106:
              return nullWideningType;
            case 15:
            case 11:
              return hasSkipDirectInferenceFlag(node) ? blockedStringType : getFreshTypeOfLiteralType(getStringLiteralType(node.text));
            case 9:
              checkGrammarNumericLiteral(node);
              return getFreshTypeOfLiteralType(getNumberLiteralType(+node.text));
            case 10:
              checkGrammarBigIntLiteral(node);
              return getFreshTypeOfLiteralType(getBigIntLiteralType({
                negative: false,
                base10Value: parsePseudoBigInt(node.text)
              }));
            case 112:
              return trueType;
            case 97:
              return falseType;
            case 228:
              return checkTemplateExpression(node);
            case 14:
              return checkRegularExpressionLiteral(node);
            case 209:
              return checkArrayLiteral(node, checkMode, forceTuple);
            case 210:
              return checkObjectLiteral(node, checkMode);
            case 211:
              return checkPropertyAccessExpression(node, checkMode);
            case 166:
              return checkQualifiedName(node, checkMode);
            case 212:
              return checkIndexedAccess(node, checkMode);
            case 213:
              if (node.expression.kind === 102) {
                return checkImportCallExpression(node);
              }
            case 214:
              return checkCallExpression(node, checkMode);
            case 215:
              return checkTaggedTemplateExpression(node);
            case 217:
              return checkParenthesizedExpression(node, checkMode);
            case 231:
              return checkClassExpression(node);
            case 218:
            case 219:
              return checkFunctionExpressionOrObjectLiteralMethod(node, checkMode);
            case 221:
              return checkTypeOfExpression(node);
            case 216:
            case 234:
              return checkAssertion(node, checkMode);
            case 235:
              return checkNonNullAssertion(node);
            case 233:
              return checkExpressionWithTypeArguments(node);
            case 238:
              return checkSatisfiesExpression(node);
            case 236:
              return checkMetaProperty(node);
            case 220:
              return checkDeleteExpression(node);
            case 222:
              return checkVoidExpression(node);
            case 223:
              return checkAwaitExpression(node);
            case 224:
              return checkPrefixUnaryExpression(node);
            case 225:
              return checkPostfixUnaryExpression(node);
            case 226:
              return checkBinaryExpression(node, checkMode);
            case 227:
              return checkConditionalExpression(node, checkMode);
            case 230:
              return checkSpreadExpression(node, checkMode);
            case 232:
              return undefinedWideningType;
            case 229:
              return checkYieldExpression(node);
            case 237:
              return checkSyntheticExpression(node);
            case 294:
              return checkJsxExpression(node, checkMode);
            case 284:
              return checkJsxElement(node, checkMode);
            case 285:
              return checkJsxSelfClosingElement(node, checkMode);
            case 288:
              return checkJsxFragment(node);
            case 292:
              return checkJsxAttributes(node, checkMode);
            case 286:
              Debug.fail("Shouldn't ever directly check a JsxOpeningElement");
          }
          return errorType;
        }
        function checkTypeParameter(node) {
          checkGrammarModifiers(node);
          if (node.expression) {
            grammarErrorOnFirstToken(node.expression, Diagnostics.Type_expected);
          }
          checkSourceElement(node.constraint);
          checkSourceElement(node.default);
          const typeParameter = getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(node));
          getBaseConstraintOfType(typeParameter);
          if (!hasNonCircularTypeParameterDefault(typeParameter)) {
            error2(node.default, Diagnostics.Type_parameter_0_has_a_circular_default, typeToString(typeParameter));
          }
          const constraintType = getConstraintOfTypeParameter(typeParameter);
          const defaultType = getDefaultFromTypeParameter(typeParameter);
          if (constraintType && defaultType) {
            checkTypeAssignableTo(defaultType, getTypeWithThisArgument(instantiateType(constraintType, makeUnaryTypeMapper(typeParameter, defaultType)), defaultType), node.default, Diagnostics.Type_0_does_not_satisfy_the_constraint_1);
          }
          checkNodeDeferred(node);
          addLazyDiagnostic(() => checkTypeNameIsReserved(node.name, Diagnostics.Type_parameter_name_cannot_be_0));
        }
        function checkTypeParameterDeferred(node) {
          var _a, _b;
          if (isInterfaceDeclaration(node.parent) || isClassLike(node.parent) || isTypeAliasDeclaration(node.parent)) {
            const typeParameter = getDeclaredTypeOfTypeParameter(getSymbolOfDeclaration(node));
            const modifiers = getTypeParameterModifiers(typeParameter) & (8192 | 16384);
            if (modifiers) {
              const symbol = getSymbolOfDeclaration(node.parent);
              if (isTypeAliasDeclaration(node.parent) && !(getObjectFlags(getDeclaredTypeOfSymbol(symbol)) & (4 | 16 | 32))) {
                error2(node, Diagnostics.Variance_annotations_are_only_supported_in_type_aliases_for_object_function_constructor_and_mapped_types);
              } else if (modifiers === 8192 || modifiers === 16384) {
                (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.CheckTypes, "checkTypeParameterDeferred", { parent: getTypeId(getDeclaredTypeOfSymbol(symbol)), id: getTypeId(typeParameter) });
                const source = createMarkerType(symbol, typeParameter, modifiers === 16384 ? markerSubTypeForCheck : markerSuperTypeForCheck);
                const target = createMarkerType(symbol, typeParameter, modifiers === 16384 ? markerSuperTypeForCheck : markerSubTypeForCheck);
                const saveVarianceTypeParameter = typeParameter;
                varianceTypeParameter = typeParameter;
                checkTypeAssignableTo(source, target, node, Diagnostics.Type_0_is_not_assignable_to_type_1_as_implied_by_variance_annotation);
                varianceTypeParameter = saveVarianceTypeParameter;
                (_b = tracing) == null ? void 0 : _b.pop();
              }
            }
          }
        }
        function checkParameter(node) {
          checkGrammarModifiers(node);
          checkVariableLikeDeclaration(node);
          const func = getContainingFunction(node);
          if (hasSyntacticModifier(
            node,
            31
            /* ParameterPropertyModifier */
          )) {
            if (!(func.kind === 176 && nodeIsPresent(func.body))) {
              error2(node, Diagnostics.A_parameter_property_is_only_allowed_in_a_constructor_implementation);
            }
            if (func.kind === 176 && isIdentifier(node.name) && node.name.escapedText === "constructor") {
              error2(node.name, Diagnostics.constructor_cannot_be_used_as_a_parameter_property_name);
            }
          }
          if (!node.initializer && isOptionalDeclaration(node) && isBindingPattern(node.name) && func.body) {
            error2(node, Diagnostics.A_binding_pattern_parameter_cannot_be_optional_in_an_implementation_signature);
          }
          if (node.name && isIdentifier(node.name) && (node.name.escapedText === "this" || node.name.escapedText === "new")) {
            if (func.parameters.indexOf(node) !== 0) {
              error2(node, Diagnostics.A_0_parameter_must_be_the_first_parameter, node.name.escapedText);
            }
            if (func.kind === 176 || func.kind === 180 || func.kind === 185) {
              error2(node, Diagnostics.A_constructor_cannot_have_a_this_parameter);
            }
            if (func.kind === 219) {
              error2(node, Diagnostics.An_arrow_function_cannot_have_a_this_parameter);
            }
            if (func.kind === 177 || func.kind === 178) {
              error2(node, Diagnostics.get_and_set_accessors_cannot_declare_this_parameters);
            }
          }
          if (node.dotDotDotToken && !isBindingPattern(node.name) && !isTypeAssignableTo(getReducedType(getTypeOfSymbol(node.symbol)), anyReadonlyArrayType)) {
            error2(node, Diagnostics.A_rest_parameter_must_be_of_an_array_type);
          }
        }
        function checkTypePredicate(node) {
          const parent2 = getTypePredicateParent(node);
          if (!parent2) {
            error2(node, Diagnostics.A_type_predicate_is_only_allowed_in_return_type_position_for_functions_and_methods);
            return;
          }
          const signature = getSignatureFromDeclaration(parent2);
          const typePredicate = getTypePredicateOfSignature(signature);
          if (!typePredicate) {
            return;
          }
          checkSourceElement(node.type);
          const { parameterName } = node;
          if (typePredicate.kind === 0 || typePredicate.kind === 2) {
            getTypeFromThisTypeNode(parameterName);
          } else {
            if (typePredicate.parameterIndex >= 0) {
              if (signatureHasRestParameter(signature) && typePredicate.parameterIndex === signature.parameters.length - 1) {
                error2(parameterName, Diagnostics.A_type_predicate_cannot_reference_a_rest_parameter);
              } else {
                if (typePredicate.type) {
                  const leadingError = () => chainDiagnosticMessages(
                    /*details*/
                    void 0,
                    Diagnostics.A_type_predicate_s_type_must_be_assignable_to_its_parameter_s_type
                  );
                  checkTypeAssignableTo(
                    typePredicate.type,
                    getTypeOfSymbol(signature.parameters[typePredicate.parameterIndex]),
                    node.type,
                    /*headMessage*/
                    void 0,
                    leadingError
                  );
                }
              }
            } else if (parameterName) {
              let hasReportedError = false;
              for (const { name } of parent2.parameters) {
                if (isBindingPattern(name) && checkIfTypePredicateVariableIsDeclaredInBindingPattern(name, parameterName, typePredicate.parameterName)) {
                  hasReportedError = true;
                  break;
                }
              }
              if (!hasReportedError) {
                error2(node.parameterName, Diagnostics.Cannot_find_parameter_0, typePredicate.parameterName);
              }
            }
          }
        }
        function getTypePredicateParent(node) {
          switch (node.parent.kind) {
            case 219:
            case 179:
            case 262:
            case 218:
            case 184:
            case 174:
            case 173:
              const parent2 = node.parent;
              if (node === parent2.type) {
                return parent2;
              }
          }
        }
        function checkIfTypePredicateVariableIsDeclaredInBindingPattern(pattern, predicateVariableNode, predicateVariableName) {
          for (const element of pattern.elements) {
            if (isOmittedExpression(element)) {
              continue;
            }
            const name = element.name;
            if (name.kind === 80 && name.escapedText === predicateVariableName) {
              error2(predicateVariableNode, Diagnostics.A_type_predicate_cannot_reference_element_0_in_a_binding_pattern, predicateVariableName);
              return true;
            } else if (name.kind === 207 || name.kind === 206) {
              if (checkIfTypePredicateVariableIsDeclaredInBindingPattern(
                name,
                predicateVariableNode,
                predicateVariableName
              )) {
                return true;
              }
            }
          }
        }
        function checkSignatureDeclaration(node) {
          if (node.kind === 181) {
            checkGrammarIndexSignature(node);
          } else if (node.kind === 184 || node.kind === 262 || node.kind === 185 || node.kind === 179 || node.kind === 176 || node.kind === 180) {
            checkGrammarFunctionLikeDeclaration(node);
          }
          const functionFlags = getFunctionFlags(node);
          if (!(functionFlags & 4)) {
            if ((functionFlags & 3) === 3 && languageVersion < 5) {
              checkExternalEmitHelpers(
                node,
                6144
                /* AsyncGeneratorIncludes */
              );
            }
            if ((functionFlags & 3) === 2 && languageVersion < 4) {
              checkExternalEmitHelpers(
                node,
                64
                /* Awaiter */
              );
            }
            if ((functionFlags & 3) !== 0 && languageVersion < 2) {
              checkExternalEmitHelpers(
                node,
                128
                /* Generator */
              );
            }
          }
          checkTypeParameters(getEffectiveTypeParameterDeclarations(node));
          checkUnmatchedJSDocParameters(node);
          forEach(node.parameters, checkParameter);
          if (node.type) {
            checkSourceElement(node.type);
          }
          addLazyDiagnostic(checkSignatureDeclarationDiagnostics);
          function checkSignatureDeclarationDiagnostics() {
            checkCollisionWithArgumentsInGeneratedCode(node);
            let returnTypeNode = getEffectiveReturnTypeNode(node);
            let returnTypeErrorLocation = returnTypeNode;
            if (isInJSFile(node)) {
              const typeTag = getJSDocTypeTag(node);
              if (typeTag && typeTag.typeExpression && isTypeReferenceNode(typeTag.typeExpression.type)) {
                const signature = getSingleCallSignature(getTypeFromTypeNode(typeTag.typeExpression));
                if (signature && signature.declaration) {
                  returnTypeNode = getEffectiveReturnTypeNode(signature.declaration);
                  returnTypeErrorLocation = typeTag.typeExpression.type;
                }
              }
            }
            if (noImplicitAny && !returnTypeNode) {
              switch (node.kind) {
                case 180:
                  error2(node, Diagnostics.Construct_signature_which_lacks_return_type_annotation_implicitly_has_an_any_return_type);
                  break;
                case 179:
                  error2(node, Diagnostics.Call_signature_which_lacks_return_type_annotation_implicitly_has_an_any_return_type);
                  break;
              }
            }
            if (returnTypeNode && returnTypeErrorLocation) {
              const functionFlags2 = getFunctionFlags(node);
              if ((functionFlags2 & (4 | 1)) === 1) {
                const returnType = getTypeFromTypeNode(returnTypeNode);
                if (returnType === voidType2) {
                  error2(returnTypeErrorLocation, Diagnostics.A_generator_cannot_have_a_void_type_annotation);
                } else {
                  checkGeneratorInstantiationAssignabilityToReturnType(returnType, functionFlags2, returnTypeErrorLocation);
                }
              } else if ((functionFlags2 & 3) === 2) {
                checkAsyncFunctionReturnType(node, returnTypeNode, returnTypeErrorLocation);
              }
            }
            if (node.kind !== 181 && node.kind !== 317) {
              registerForUnusedIdentifiersCheck(node);
            }
          }
        }
        function checkGeneratorInstantiationAssignabilityToReturnType(returnType, functionFlags, errorNode) {
          const generatorYieldType = getIterationTypeOfGeneratorFunctionReturnType(0, returnType, (functionFlags & 2) !== 0) || anyType2;
          const generatorReturnType = getIterationTypeOfGeneratorFunctionReturnType(1, returnType, (functionFlags & 2) !== 0) || generatorYieldType;
          const generatorNextType = getIterationTypeOfGeneratorFunctionReturnType(2, returnType, (functionFlags & 2) !== 0) || unknownType2;
          const generatorInstantiation = createGeneratorType(generatorYieldType, generatorReturnType, generatorNextType, !!(functionFlags & 2));
          return checkTypeAssignableTo(generatorInstantiation, returnType, errorNode);
        }
        function checkClassForDuplicateDeclarations(node) {
          const instanceNames = /* @__PURE__ */ new Map();
          const staticNames = /* @__PURE__ */ new Map();
          const privateIdentifiers = /* @__PURE__ */ new Map();
          for (const member of node.members) {
            if (member.kind === 176) {
              for (const param of member.parameters) {
                if (isParameterPropertyDeclaration(param, member) && !isBindingPattern(param.name)) {
                  addName2(
                    instanceNames,
                    param.name,
                    param.name.escapedText,
                    3
                    /* GetOrSetAccessor */
                  );
                }
              }
            } else {
              const isStaticMember2 = isStatic(member);
              const name = member.name;
              if (!name) {
                continue;
              }
              const isPrivate = isPrivateIdentifier(name);
              const privateStaticFlags = isPrivate && isStaticMember2 ? 16 : 0;
              const names = isPrivate ? privateIdentifiers : isStaticMember2 ? staticNames : instanceNames;
              const memberName = name && getEffectivePropertyNameForPropertyNameNode(name);
              if (memberName) {
                switch (member.kind) {
                  case 177:
                    addName2(names, name, memberName, 1 | privateStaticFlags);
                    break;
                  case 178:
                    addName2(names, name, memberName, 2 | privateStaticFlags);
                    break;
                  case 172:
                    addName2(names, name, memberName, 3 | privateStaticFlags);
                    break;
                  case 174:
                    addName2(names, name, memberName, 8 | privateStaticFlags);
                    break;
                }
              }
            }
          }
          function addName2(names, location, name, meaning) {
            const prev = names.get(name);
            if (prev) {
              if ((prev & 16) !== (meaning & 16)) {
                error2(location, Diagnostics.Duplicate_identifier_0_Static_and_instance_elements_cannot_share_the_same_private_name, getTextOfNode(location));
              } else {
                const prevIsMethod = !!(prev & 8);
                const isMethod = !!(meaning & 8);
                if (prevIsMethod || isMethod) {
                  if (prevIsMethod !== isMethod) {
                    error2(location, Diagnostics.Duplicate_identifier_0, getTextOfNode(location));
                  }
                } else if (prev & meaning & ~16) {
                  error2(location, Diagnostics.Duplicate_identifier_0, getTextOfNode(location));
                } else {
                  names.set(name, prev | meaning);
                }
              }
            } else {
              names.set(name, meaning);
            }
          }
        }
        function checkClassForStaticPropertyNameConflicts(node) {
          for (const member of node.members) {
            const memberNameNode = member.name;
            const isStaticMember2 = isStatic(member);
            if (isStaticMember2 && memberNameNode) {
              const memberName = getEffectivePropertyNameForPropertyNameNode(memberNameNode);
              switch (memberName) {
                case "name":
                case "length":
                case "caller":
                case "arguments":
                  if (useDefineForClassFields) {
                    break;
                  }
                case "prototype":
                  const message = Diagnostics.Static_property_0_conflicts_with_built_in_property_Function_0_of_constructor_function_1;
                  const className = getNameOfSymbolAsWritten(getSymbolOfDeclaration(node));
                  error2(memberNameNode, message, memberName, className);
                  break;
              }
            }
          }
        }
        function checkObjectTypeForDuplicateDeclarations(node) {
          const names = /* @__PURE__ */ new Map();
          for (const member of node.members) {
            if (member.kind === 171) {
              let memberName;
              const name = member.name;
              switch (name.kind) {
                case 11:
                case 9:
                  memberName = name.text;
                  break;
                case 80:
                  memberName = idText(name);
                  break;
                default:
                  continue;
              }
              if (names.get(memberName)) {
                error2(getNameOfDeclaration(member.symbol.valueDeclaration), Diagnostics.Duplicate_identifier_0, memberName);
                error2(member.name, Diagnostics.Duplicate_identifier_0, memberName);
              } else {
                names.set(memberName, true);
              }
            }
          }
        }
        function checkTypeForDuplicateIndexSignatures(node) {
          if (node.kind === 264) {
            const nodeSymbol = getSymbolOfDeclaration(node);
            if (nodeSymbol.declarations && nodeSymbol.declarations.length > 0 && nodeSymbol.declarations[0] !== node) {
              return;
            }
          }
          const indexSymbol = getIndexSymbol(getSymbolOfDeclaration(node));
          if (indexSymbol == null ? void 0 : indexSymbol.declarations) {
            const indexSignatureMap = /* @__PURE__ */ new Map();
            for (const declaration of indexSymbol.declarations) {
              if (declaration.parameters.length === 1 && declaration.parameters[0].type) {
                forEachType(getTypeFromTypeNode(declaration.parameters[0].type), (type) => {
                  const entry = indexSignatureMap.get(getTypeId(type));
                  if (entry) {
                    entry.declarations.push(declaration);
                  } else {
                    indexSignatureMap.set(getTypeId(type), { type, declarations: [declaration] });
                  }
                });
              }
            }
            indexSignatureMap.forEach((entry) => {
              if (entry.declarations.length > 1) {
                for (const declaration of entry.declarations) {
                  error2(declaration, Diagnostics.Duplicate_index_signature_for_type_0, typeToString(entry.type));
                }
              }
            });
          }
        }
        function checkPropertyDeclaration(node) {
          if (!checkGrammarModifiers(node) && !checkGrammarProperty(node)) checkGrammarComputedPropertyName(node.name);
          checkVariableLikeDeclaration(node);
          setNodeLinksForPrivateIdentifierScope(node);
          if (hasSyntacticModifier(
            node,
            64
            /* Abstract */
          ) && node.kind === 172 && node.initializer) {
            error2(node, Diagnostics.Property_0_cannot_have_an_initializer_because_it_is_marked_abstract, declarationNameToString(node.name));
          }
        }
        function checkPropertySignature(node) {
          if (isPrivateIdentifier(node.name)) {
            error2(node, Diagnostics.Private_identifiers_are_not_allowed_outside_class_bodies);
          }
          return checkPropertyDeclaration(node);
        }
        function checkMethodDeclaration(node) {
          if (!checkGrammarMethod(node)) checkGrammarComputedPropertyName(node.name);
          if (isMethodDeclaration(node) && node.asteriskToken && isIdentifier(node.name) && idText(node.name) === "constructor") {
            error2(node.name, Diagnostics.Class_constructor_may_not_be_a_generator);
          }
          checkFunctionOrMethodDeclaration(node);
          if (hasSyntacticModifier(
            node,
            64
            /* Abstract */
          ) && node.kind === 174 && node.body) {
            error2(node, Diagnostics.Method_0_cannot_have_an_implementation_because_it_is_marked_abstract, declarationNameToString(node.name));
          }
          if (isPrivateIdentifier(node.name) && !getContainingClass(node)) {
            error2(node, Diagnostics.Private_identifiers_are_not_allowed_outside_class_bodies);
          }
          setNodeLinksForPrivateIdentifierScope(node);
        }
        function setNodeLinksForPrivateIdentifierScope(node) {
          if (isPrivateIdentifier(node.name)) {
            if (languageVersion < 9 || languageVersion < 99 || !useDefineForClassFields) {
              for (let lexicalScope = getEnclosingBlockScopeContainer(node); !!lexicalScope; lexicalScope = getEnclosingBlockScopeContainer(lexicalScope)) {
                getNodeLinks(lexicalScope).flags |= 1048576;
              }
              if (isClassExpression(node.parent)) {
                const enclosingIterationStatement = getEnclosingIterationStatement(node.parent);
                if (enclosingIterationStatement) {
                  getNodeLinks(node.name).flags |= 32768;
                  getNodeLinks(enclosingIterationStatement).flags |= 4096;
                }
              }
            }
          }
        }
        function checkClassStaticBlockDeclaration(node) {
          checkGrammarModifiers(node);
          forEachChild(node, checkSourceElement);
        }
        function checkConstructorDeclaration(node) {
          checkSignatureDeclaration(node);
          if (!checkGrammarConstructorTypeParameters(node)) checkGrammarConstructorTypeAnnotation(node);
          checkSourceElement(node.body);
          const symbol = getSymbolOfDeclaration(node);
          const firstDeclaration = getDeclarationOfKind(symbol, node.kind);
          if (node === firstDeclaration) {
            checkFunctionOrConstructorSymbol(symbol);
          }
          if (nodeIsMissing(node.body)) {
            return;
          }
          addLazyDiagnostic(checkConstructorDeclarationDiagnostics);
          return;
          function isInstancePropertyWithInitializerOrPrivateIdentifierProperty(n) {
            if (isPrivateIdentifierClassElementDeclaration(n)) {
              return true;
            }
            return n.kind === 172 && !isStatic(n) && !!n.initializer;
          }
          function checkConstructorDeclarationDiagnostics() {
            const containingClassDecl = node.parent;
            if (getClassExtendsHeritageElement(containingClassDecl)) {
              captureLexicalThis(node.parent, containingClassDecl);
              const classExtendsNull = classDeclarationExtendsNull(containingClassDecl);
              const superCall = findFirstSuperCall(node.body);
              if (superCall) {
                if (classExtendsNull) {
                  error2(superCall, Diagnostics.A_constructor_cannot_contain_a_super_call_when_its_class_extends_null);
                }
                const superCallShouldBeRootLevel = !emitStandardClassFields && (some(node.parent.members, isInstancePropertyWithInitializerOrPrivateIdentifierProperty) || some(node.parameters, (p) => hasSyntacticModifier(
                  p,
                  31
                  /* ParameterPropertyModifier */
                )));
                if (superCallShouldBeRootLevel) {
                  if (!superCallIsRootLevelInConstructor(superCall, node.body)) {
                    error2(superCall, Diagnostics.A_super_call_must_be_a_root_level_statement_within_a_constructor_of_a_derived_class_that_contains_initialized_properties_parameter_properties_or_private_identifiers);
                  } else {
                    let superCallStatement;
                    for (const statement of node.body.statements) {
                      if (isExpressionStatement2(statement) && isSuperCall(skipOuterExpressions(statement.expression))) {
                        superCallStatement = statement;
                        break;
                      }
                      if (nodeImmediatelyReferencesSuperOrThis(statement)) {
                        break;
                      }
                    }
                    if (superCallStatement === void 0) {
                      error2(node, Diagnostics.A_super_call_must_be_the_first_statement_in_the_constructor_to_refer_to_super_or_this_when_a_derived_class_contains_initialized_properties_parameter_properties_or_private_identifiers);
                    }
                  }
                }
              } else if (!classExtendsNull) {
                error2(node, Diagnostics.Constructors_for_derived_classes_must_contain_a_super_call);
              }
            }
          }
        }
        function superCallIsRootLevelInConstructor(superCall, body) {
          const superCallParent = walkUpParenthesizedExpressions(superCall.parent);
          return isExpressionStatement2(superCallParent) && superCallParent.parent === body;
        }
        function nodeImmediatelyReferencesSuperOrThis(node) {
          if (node.kind === 108 || node.kind === 110) {
            return true;
          }
          if (isThisContainerOrFunctionBlock(node)) {
            return false;
          }
          return !!forEachChild(node, nodeImmediatelyReferencesSuperOrThis);
        }
        function checkAccessorDeclaration(node) {
          if (isIdentifier(node.name) && idText(node.name) === "constructor" && isClassLike(node.parent)) {
            error2(node.name, Diagnostics.Class_constructor_may_not_be_an_accessor);
          }
          addLazyDiagnostic(checkAccessorDeclarationDiagnostics);
          checkSourceElement(node.body);
          setNodeLinksForPrivateIdentifierScope(node);
          function checkAccessorDeclarationDiagnostics() {
            if (!checkGrammarFunctionLikeDeclaration(node) && !checkGrammarAccessor(node)) checkGrammarComputedPropertyName(node.name);
            checkDecorators(node);
            checkSignatureDeclaration(node);
            if (node.kind === 177) {
              if (!(node.flags & 33554432) && nodeIsPresent(node.body) && node.flags & 512) {
                if (!(node.flags & 1024)) {
                  error2(node.name, Diagnostics.A_get_accessor_must_return_a_value);
                }
              }
            }
            if (node.name.kind === 167) {
              checkComputedPropertyName(node.name);
            }
            if (hasBindableName(node)) {
              const symbol = getSymbolOfDeclaration(node);
              const getter = getDeclarationOfKind(
                symbol,
                177
                /* GetAccessor */
              );
              const setter = getDeclarationOfKind(
                symbol,
                178
                /* SetAccessor */
              );
              if (getter && setter && !(getNodeCheckFlags(getter) & 1)) {
                getNodeLinks(getter).flags |= 1;
                const getterFlags = getEffectiveModifierFlags(getter);
                const setterFlags = getEffectiveModifierFlags(setter);
                if ((getterFlags & 64) !== (setterFlags & 64)) {
                  error2(getter.name, Diagnostics.Accessors_must_both_be_abstract_or_non_abstract);
                  error2(setter.name, Diagnostics.Accessors_must_both_be_abstract_or_non_abstract);
                }
                if (getterFlags & 4 && !(setterFlags & (4 | 2)) || getterFlags & 2 && !(setterFlags & 2)) {
                  error2(getter.name, Diagnostics.A_get_accessor_must_be_at_least_as_accessible_as_the_setter);
                  error2(setter.name, Diagnostics.A_get_accessor_must_be_at_least_as_accessible_as_the_setter);
                }
              }
            }
            const returnType = getTypeOfAccessors(getSymbolOfDeclaration(node));
            if (node.kind === 177) {
              checkAllCodePathsInNonVoidFunctionReturnOrThrow(node, returnType);
            }
          }
        }
        function checkMissingDeclaration(node) {
          checkDecorators(node);
        }
        function getEffectiveTypeArgumentAtIndex(node, typeParameters, index) {
          if (node.typeArguments && index < node.typeArguments.length) {
            return getTypeFromTypeNode(node.typeArguments[index]);
          }
          return getEffectiveTypeArguments2(node, typeParameters)[index];
        }
        function getEffectiveTypeArguments2(node, typeParameters) {
          return fillMissingTypeArguments(map(node.typeArguments, getTypeFromTypeNode), typeParameters, getMinTypeArgumentCount(typeParameters), isInJSFile(node));
        }
        function checkTypeArgumentConstraints(node, typeParameters) {
          let typeArguments;
          let mapper;
          let result = true;
          for (let i = 0; i < typeParameters.length; i++) {
            const constraint = getConstraintOfTypeParameter(typeParameters[i]);
            if (constraint) {
              if (!typeArguments) {
                typeArguments = getEffectiveTypeArguments2(node, typeParameters);
                mapper = createTypeMapper(typeParameters, typeArguments);
              }
              result = result && checkTypeAssignableTo(
                typeArguments[i],
                instantiateType(constraint, mapper),
                node.typeArguments[i],
                Diagnostics.Type_0_does_not_satisfy_the_constraint_1
              );
            }
          }
          return result;
        }
        function getTypeParametersForTypeAndSymbol(type, symbol) {
          if (!isErrorType(type)) {
            return symbol.flags & 524288 && getSymbolLinks(symbol).typeParameters || (getObjectFlags(type) & 4 ? type.target.localTypeParameters : void 0);
          }
          return void 0;
        }
        function getTypeParametersForTypeReferenceOrImport(node) {
          const type = getTypeFromTypeNode(node);
          if (!isErrorType(type)) {
            const symbol = getNodeLinks(node).resolvedSymbol;
            if (symbol) {
              return getTypeParametersForTypeAndSymbol(type, symbol);
            }
          }
          return void 0;
        }
        function checkTypeReferenceNode(node) {
          checkGrammarTypeArguments(node, node.typeArguments);
          if (node.kind === 183 && !isInJSFile(node) && !isInJSDoc(node) && node.typeArguments && node.typeName.end !== node.typeArguments.pos) {
            const sourceFile = getSourceFileOfNode(node);
            if (scanTokenAtPosition(sourceFile, node.typeName.end) === 25) {
              grammarErrorAtPos(node, skipTrivia(sourceFile.text, node.typeName.end), 1, Diagnostics.JSDoc_types_can_only_be_used_inside_documentation_comments);
            }
          }
          forEach(node.typeArguments, checkSourceElement);
          checkTypeReferenceOrImport(node);
        }
        function checkTypeReferenceOrImport(node) {
          const type = getTypeFromTypeNode(node);
          if (!isErrorType(type)) {
            if (node.typeArguments) {
              addLazyDiagnostic(() => {
                const typeParameters = getTypeParametersForTypeReferenceOrImport(node);
                if (typeParameters) {
                  checkTypeArgumentConstraints(node, typeParameters);
                }
              });
            }
            const symbol = getNodeLinks(node).resolvedSymbol;
            if (symbol) {
              if (some(symbol.declarations, (d) => isTypeDeclaration(d) && !!(d.flags & 536870912))) {
                addDeprecatedSuggestion(
                  getDeprecatedSuggestionNode(node),
                  symbol.declarations,
                  symbol.escapedName
                );
              }
            }
          }
        }
        function getTypeArgumentConstraint(node) {
          const typeReferenceNode = tryCast(node.parent, isTypeReferenceType);
          if (!typeReferenceNode) return void 0;
          const typeParameters = getTypeParametersForTypeReferenceOrImport(typeReferenceNode);
          if (!typeParameters) return void 0;
          const constraint = getConstraintOfTypeParameter(typeParameters[typeReferenceNode.typeArguments.indexOf(node)]);
          return constraint && instantiateType(constraint, createTypeMapper(typeParameters, getEffectiveTypeArguments2(typeReferenceNode, typeParameters)));
        }
        function checkTypeQuery(node) {
          getTypeFromTypeQueryNode(node);
        }
        function checkTypeLiteral(node) {
          forEach(node.members, checkSourceElement);
          addLazyDiagnostic(checkTypeLiteralDiagnostics);
          function checkTypeLiteralDiagnostics() {
            const type = getTypeFromTypeLiteralOrFunctionOrConstructorTypeNode(node);
            checkIndexConstraints(type, type.symbol);
            checkTypeForDuplicateIndexSignatures(node);
            checkObjectTypeForDuplicateDeclarations(node);
          }
        }
        function checkArrayType(node) {
          checkSourceElement(node.elementType);
        }
        function checkTupleType(node) {
          let seenOptionalElement = false;
          let seenRestElement = false;
          for (const e of node.elements) {
            let flags = getTupleElementFlags(e);
            if (flags & 8) {
              const type = getTypeFromTypeNode(e.type);
              if (!isArrayLikeType(type)) {
                error2(e, Diagnostics.A_rest_element_type_must_be_an_array_type);
                break;
              }
              if (isArrayType(type) || isTupleType(type) && type.target.combinedFlags & 4) {
                flags |= 4;
              }
            }
            if (flags & 4) {
              if (seenRestElement) {
                grammarErrorOnNode(e, Diagnostics.A_rest_element_cannot_follow_another_rest_element);
                break;
              }
              seenRestElement = true;
            } else if (flags & 2) {
              if (seenRestElement) {
                grammarErrorOnNode(e, Diagnostics.An_optional_element_cannot_follow_a_rest_element);
                break;
              }
              seenOptionalElement = true;
            } else if (flags & 1 && seenOptionalElement) {
              grammarErrorOnNode(e, Diagnostics.A_required_element_cannot_follow_an_optional_element);
              break;
            }
          }
          forEach(node.elements, checkSourceElement);
          getTypeFromTypeNode(node);
        }
        function checkUnionOrIntersectionType(node) {
          forEach(node.types, checkSourceElement);
          getTypeFromTypeNode(node);
        }
        function checkIndexedAccessIndexType(type, accessNode) {
          if (!(type.flags & 8388608)) {
            return type;
          }
          const objectType2 = type.objectType;
          const indexType = type.indexType;
          const objectIndexType = isGenericMappedType(objectType2) && getMappedTypeNameTypeKind(objectType2) === 2 ? getIndexTypeForMappedType(
            objectType2,
            0
            /* None */
          ) : getIndexType(
            objectType2,
            0
            /* None */
          );
          const hasNumberIndexInfo = !!getIndexInfoOfType(objectType2, numberType2);
          if (everyType(indexType, (t) => isTypeAssignableTo(t, objectIndexType) || hasNumberIndexInfo && isApplicableIndexType(t, numberType2))) {
            if (accessNode.kind === 212 && isAssignmentTarget(accessNode) && getObjectFlags(objectType2) & 32 && getMappedTypeModifiers(objectType2) & 1) {
              error2(accessNode, Diagnostics.Index_signature_in_type_0_only_permits_reading, typeToString(objectType2));
            }
            return type;
          }
          if (isGenericObjectType(objectType2)) {
            const propertyName = getPropertyNameFromIndex(indexType, accessNode);
            if (propertyName) {
              const propertySymbol = forEachType(getApparentType(objectType2), (t) => getPropertyOfType(t, propertyName));
              if (propertySymbol && getDeclarationModifierFlagsFromSymbol(propertySymbol) & 6) {
                error2(accessNode, Diagnostics.Private_or_protected_member_0_cannot_be_accessed_on_a_type_parameter, unescapeLeadingUnderscores(propertyName));
                return errorType;
              }
            }
          }
          error2(accessNode, Diagnostics.Type_0_cannot_be_used_to_index_type_1, typeToString(indexType), typeToString(objectType2));
          return errorType;
        }
        function checkIndexedAccessType(node) {
          checkSourceElement(node.objectType);
          checkSourceElement(node.indexType);
          checkIndexedAccessIndexType(getTypeFromIndexedAccessTypeNode(node), node);
        }
        function checkMappedType(node) {
          checkGrammarMappedType(node);
          checkSourceElement(node.typeParameter);
          checkSourceElement(node.nameType);
          checkSourceElement(node.type);
          if (!node.type) {
            reportImplicitAny(node, anyType2);
          }
          const type = getTypeFromMappedTypeNode(node);
          const nameType = getNameTypeFromMappedType(type);
          if (nameType) {
            checkTypeAssignableTo(nameType, stringNumberSymbolType, node.nameType);
          } else {
            const constraintType = getConstraintTypeFromMappedType(type);
            checkTypeAssignableTo(constraintType, stringNumberSymbolType, getEffectiveConstraintOfTypeParameter(node.typeParameter));
          }
        }
        function checkGrammarMappedType(node) {
          var _a;
          if ((_a = node.members) == null ? void 0 : _a.length) {
            return grammarErrorOnNode(node.members[0], Diagnostics.A_mapped_type_may_not_declare_properties_or_methods);
          }
        }
        function checkThisType(node) {
          getTypeFromThisTypeNode(node);
        }
        function checkTypeOperator(node) {
          checkGrammarTypeOperatorNode(node);
          checkSourceElement(node.type);
        }
        function checkConditionalType(node) {
          forEachChild(node, checkSourceElement);
        }
        function checkInferType(node) {
          if (!findAncestor(node, (n) => n.parent && n.parent.kind === 194 && n.parent.extendsType === n)) {
            grammarErrorOnNode(node, Diagnostics.infer_declarations_are_only_permitted_in_the_extends_clause_of_a_conditional_type);
          }
          checkSourceElement(node.typeParameter);
          const symbol = getSymbolOfDeclaration(node.typeParameter);
          if (symbol.declarations && symbol.declarations.length > 1) {
            const links = getSymbolLinks(symbol);
            if (!links.typeParametersChecked) {
              links.typeParametersChecked = true;
              const typeParameter = getDeclaredTypeOfTypeParameter(symbol);
              const declarations = getDeclarationsOfKind(
                symbol,
                168
                /* TypeParameter */
              );
              if (!areTypeParametersIdentical(declarations, [typeParameter], (decl) => [decl])) {
                const name = symbolToString2(symbol);
                for (const declaration of declarations) {
                  error2(declaration.name, Diagnostics.All_declarations_of_0_must_have_identical_constraints, name);
                }
              }
            }
          }
          registerForUnusedIdentifiersCheck(node);
        }
        function checkTemplateLiteralType(node) {
          for (const span of node.templateSpans) {
            checkSourceElement(span.type);
            const type = getTypeFromTypeNode(span.type);
            checkTypeAssignableTo(type, templateConstraintType, span.type);
          }
          getTypeFromTypeNode(node);
        }
        function checkImportType(node) {
          checkSourceElement(node.argument);
          if (node.attributes) {
            getResolutionModeOverride(node.attributes, grammarErrorOnNode);
          }
          checkTypeReferenceOrImport(node);
        }
        function checkNamedTupleMember(node) {
          if (node.dotDotDotToken && node.questionToken) {
            grammarErrorOnNode(node, Diagnostics.A_tuple_member_cannot_be_both_optional_and_rest);
          }
          if (node.type.kind === 190) {
            grammarErrorOnNode(node.type, Diagnostics.A_labeled_tuple_element_is_declared_as_optional_with_a_question_mark_after_the_name_and_before_the_colon_rather_than_after_the_type);
          }
          if (node.type.kind === 191) {
            grammarErrorOnNode(node.type, Diagnostics.A_labeled_tuple_element_is_declared_as_rest_with_a_before_the_name_rather_than_before_the_type);
          }
          checkSourceElement(node.type);
          getTypeFromTypeNode(node);
        }
        function isPrivateWithinAmbient(node) {
          return (hasEffectiveModifier(
            node,
            2
            /* Private */
          ) || isPrivateIdentifierClassElementDeclaration(node)) && !!(node.flags & 33554432);
        }
        function getEffectiveDeclarationFlags(n, flagsToCheck) {
          let flags = getCombinedModifierFlagsCached(n);
          if (n.parent.kind !== 264 && n.parent.kind !== 263 && n.parent.kind !== 231 && n.flags & 33554432) {
            const container = getEnclosingContainer(n);
            if (container && container.flags & 128 && !(flags & 128) && !(isModuleBlock(n.parent) && isModuleDeclaration(n.parent.parent) && isGlobalScopeAugmentation(n.parent.parent))) {
              flags |= 32;
            }
            flags |= 128;
          }
          return flags & flagsToCheck;
        }
        function checkFunctionOrConstructorSymbol(symbol) {
          addLazyDiagnostic(() => checkFunctionOrConstructorSymbolWorker(symbol));
        }
        function checkFunctionOrConstructorSymbolWorker(symbol) {
          function getCanonicalOverload(overloads, implementation) {
            const implementationSharesContainerWithFirstOverload = implementation !== void 0 && implementation.parent === overloads[0].parent;
            return implementationSharesContainerWithFirstOverload ? implementation : overloads[0];
          }
          function checkFlagAgreementBetweenOverloads(overloads, implementation, flagsToCheck2, someOverloadFlags, allOverloadFlags) {
            const someButNotAllOverloadFlags = someOverloadFlags ^ allOverloadFlags;
            if (someButNotAllOverloadFlags !== 0) {
              const canonicalFlags = getEffectiveDeclarationFlags(getCanonicalOverload(overloads, implementation), flagsToCheck2);
              forEach(overloads, (o) => {
                const deviation = getEffectiveDeclarationFlags(o, flagsToCheck2) ^ canonicalFlags;
                if (deviation & 32) {
                  error2(getNameOfDeclaration(o), Diagnostics.Overload_signatures_must_all_be_exported_or_non_exported);
                } else if (deviation & 128) {
                  error2(getNameOfDeclaration(o), Diagnostics.Overload_signatures_must_all_be_ambient_or_non_ambient);
                } else if (deviation & (2 | 4)) {
                  error2(getNameOfDeclaration(o) || o, Diagnostics.Overload_signatures_must_all_be_public_private_or_protected);
                } else if (deviation & 64) {
                  error2(getNameOfDeclaration(o), Diagnostics.Overload_signatures_must_all_be_abstract_or_non_abstract);
                }
              });
            }
          }
          function checkQuestionTokenAgreementBetweenOverloads(overloads, implementation, someHaveQuestionToken2, allHaveQuestionToken2) {
            if (someHaveQuestionToken2 !== allHaveQuestionToken2) {
              const canonicalHasQuestionToken = hasQuestionToken(getCanonicalOverload(overloads, implementation));
              forEach(overloads, (o) => {
                const deviation = hasQuestionToken(o) !== canonicalHasQuestionToken;
                if (deviation) {
                  error2(getNameOfDeclaration(o), Diagnostics.Overload_signatures_must_all_be_optional_or_required);
                }
              });
            }
          }
          const flagsToCheck = 32 | 128 | 2 | 4 | 64;
          let someNodeFlags = 0;
          let allNodeFlags = flagsToCheck;
          let someHaveQuestionToken = false;
          let allHaveQuestionToken = true;
          let hasOverloads = false;
          let bodyDeclaration;
          let lastSeenNonAmbientDeclaration;
          let previousDeclaration;
          const declarations = symbol.declarations;
          const isConstructor = (symbol.flags & 16384) !== 0;
          function reportImplementationExpectedError(node) {
            if (node.name && nodeIsMissing(node.name)) {
              return;
            }
            let seen = false;
            const subsequentNode = forEachChild(node.parent, (c) => {
              if (seen) {
                return c;
              } else {
                seen = c === node;
              }
            });
            if (subsequentNode && subsequentNode.pos === node.end) {
              if (subsequentNode.kind === node.kind) {
                const errorNode2 = subsequentNode.name || subsequentNode;
                const subsequentName = subsequentNode.name;
                if (node.name && subsequentName && // both are private identifiers
                (isPrivateIdentifier(node.name) && isPrivateIdentifier(subsequentName) && node.name.escapedText === subsequentName.escapedText || // Both are computed property names
                isComputedPropertyName(node.name) && isComputedPropertyName(subsequentName) && isTypeIdenticalTo(checkComputedPropertyName(node.name), checkComputedPropertyName(subsequentName)) || // Both are literal property names that are the same.
                isPropertyNameLiteral(node.name) && isPropertyNameLiteral(subsequentName) && getEscapedTextOfIdentifierOrLiteral(node.name) === getEscapedTextOfIdentifierOrLiteral(subsequentName))) {
                  const reportError = (node.kind === 174 || node.kind === 173) && isStatic(node) !== isStatic(subsequentNode);
                  if (reportError) {
                    const diagnostic = isStatic(node) ? Diagnostics.Function_overload_must_be_static : Diagnostics.Function_overload_must_not_be_static;
                    error2(errorNode2, diagnostic);
                  }
                  return;
                }
                if (nodeIsPresent(subsequentNode.body)) {
                  error2(errorNode2, Diagnostics.Function_implementation_name_must_be_0, declarationNameToString(node.name));
                  return;
                }
              }
            }
            const errorNode = node.name || node;
            if (isConstructor) {
              error2(errorNode, Diagnostics.Constructor_implementation_is_missing);
            } else {
              if (hasSyntacticModifier(
                node,
                64
                /* Abstract */
              )) {
                error2(errorNode, Diagnostics.All_declarations_of_an_abstract_method_must_be_consecutive);
              } else {
                error2(errorNode, Diagnostics.Function_implementation_is_missing_or_not_immediately_following_the_declaration);
              }
            }
          }
          let duplicateFunctionDeclaration = false;
          let multipleConstructorImplementation = false;
          let hasNonAmbientClass = false;
          const functionDeclarations = [];
          if (declarations) {
            for (const current of declarations) {
              const node = current;
              const inAmbientContext = node.flags & 33554432;
              const inAmbientContextOrInterface = node.parent && (node.parent.kind === 264 || node.parent.kind === 187) || inAmbientContext;
              if (inAmbientContextOrInterface) {
                previousDeclaration = void 0;
              }
              if ((node.kind === 263 || node.kind === 231) && !inAmbientContext) {
                hasNonAmbientClass = true;
              }
              if (node.kind === 262 || node.kind === 174 || node.kind === 173 || node.kind === 176) {
                functionDeclarations.push(node);
                const currentNodeFlags = getEffectiveDeclarationFlags(node, flagsToCheck);
                someNodeFlags |= currentNodeFlags;
                allNodeFlags &= currentNodeFlags;
                someHaveQuestionToken = someHaveQuestionToken || hasQuestionToken(node);
                allHaveQuestionToken = allHaveQuestionToken && hasQuestionToken(node);
                const bodyIsPresent = nodeIsPresent(node.body);
                if (bodyIsPresent && bodyDeclaration) {
                  if (isConstructor) {
                    multipleConstructorImplementation = true;
                  } else {
                    duplicateFunctionDeclaration = true;
                  }
                } else if ((previousDeclaration == null ? void 0 : previousDeclaration.parent) === node.parent && previousDeclaration.end !== node.pos) {
                  reportImplementationExpectedError(previousDeclaration);
                }
                if (bodyIsPresent) {
                  if (!bodyDeclaration) {
                    bodyDeclaration = node;
                  }
                } else {
                  hasOverloads = true;
                }
                previousDeclaration = node;
                if (!inAmbientContextOrInterface) {
                  lastSeenNonAmbientDeclaration = node;
                }
              }
              if (isInJSFile(current) && isFunctionLike(current) && current.jsDoc) {
                hasOverloads = length(getJSDocOverloadTags(current)) > 0;
              }
            }
          }
          if (multipleConstructorImplementation) {
            forEach(functionDeclarations, (declaration) => {
              error2(declaration, Diagnostics.Multiple_constructor_implementations_are_not_allowed);
            });
          }
          if (duplicateFunctionDeclaration) {
            forEach(functionDeclarations, (declaration) => {
              error2(getNameOfDeclaration(declaration) || declaration, Diagnostics.Duplicate_function_implementation);
            });
          }
          if (hasNonAmbientClass && !isConstructor && symbol.flags & 16 && declarations) {
            const relatedDiagnostics = filter(
              declarations,
              (d) => d.kind === 263
              /* ClassDeclaration */
            ).map((d) => createDiagnosticForNode(d, Diagnostics.Consider_adding_a_declare_modifier_to_this_class));
            forEach(declarations, (declaration) => {
              const diagnostic = declaration.kind === 263 ? Diagnostics.Class_declaration_cannot_implement_overload_list_for_0 : declaration.kind === 262 ? Diagnostics.Function_with_bodies_can_only_merge_with_classes_that_are_ambient : void 0;
              if (diagnostic) {
                addRelatedInfo(
                  error2(getNameOfDeclaration(declaration) || declaration, diagnostic, symbolName(symbol)),
                  ...relatedDiagnostics
                );
              }
            });
          }
          if (lastSeenNonAmbientDeclaration && !lastSeenNonAmbientDeclaration.body && !hasSyntacticModifier(
            lastSeenNonAmbientDeclaration,
            64
            /* Abstract */
          ) && !lastSeenNonAmbientDeclaration.questionToken) {
            reportImplementationExpectedError(lastSeenNonAmbientDeclaration);
          }
          if (hasOverloads) {
            if (declarations) {
              checkFlagAgreementBetweenOverloads(declarations, bodyDeclaration, flagsToCheck, someNodeFlags, allNodeFlags);
              checkQuestionTokenAgreementBetweenOverloads(declarations, bodyDeclaration, someHaveQuestionToken, allHaveQuestionToken);
            }
            if (bodyDeclaration) {
              const signatures = getSignaturesOfSymbol(symbol);
              const bodySignature = getSignatureFromDeclaration(bodyDeclaration);
              for (const signature of signatures) {
                if (!isImplementationCompatibleWithOverload(bodySignature, signature)) {
                  const errorNode = signature.declaration && isJSDocSignature(signature.declaration) ? signature.declaration.parent.tagName : signature.declaration;
                  addRelatedInfo(
                    error2(errorNode, Diagnostics.This_overload_signature_is_not_compatible_with_its_implementation_signature),
                    createDiagnosticForNode(bodyDeclaration, Diagnostics.The_implementation_signature_is_declared_here)
                  );
                  break;
                }
              }
            }
          }
        }
        function checkExportsOnMergedDeclarations(node) {
          addLazyDiagnostic(() => checkExportsOnMergedDeclarationsWorker(node));
        }
        function checkExportsOnMergedDeclarationsWorker(node) {
          let symbol = node.localSymbol;
          if (!symbol) {
            symbol = getSymbolOfDeclaration(node);
            if (!symbol.exportSymbol) {
              return;
            }
          }
          if (getDeclarationOfKind(symbol, node.kind) !== node) {
            return;
          }
          let exportedDeclarationSpaces = 0;
          let nonExportedDeclarationSpaces = 0;
          let defaultExportedDeclarationSpaces = 0;
          for (const d of symbol.declarations) {
            const declarationSpaces = getDeclarationSpaces(d);
            const effectiveDeclarationFlags = getEffectiveDeclarationFlags(
              d,
              32 | 2048
              /* Default */
            );
            if (effectiveDeclarationFlags & 32) {
              if (effectiveDeclarationFlags & 2048) {
                defaultExportedDeclarationSpaces |= declarationSpaces;
              } else {
                exportedDeclarationSpaces |= declarationSpaces;
              }
            } else {
              nonExportedDeclarationSpaces |= declarationSpaces;
            }
          }
          const nonDefaultExportedDeclarationSpaces = exportedDeclarationSpaces | nonExportedDeclarationSpaces;
          const commonDeclarationSpacesForExportsAndLocals = exportedDeclarationSpaces & nonExportedDeclarationSpaces;
          const commonDeclarationSpacesForDefaultAndNonDefault = defaultExportedDeclarationSpaces & nonDefaultExportedDeclarationSpaces;
          if (commonDeclarationSpacesForExportsAndLocals || commonDeclarationSpacesForDefaultAndNonDefault) {
            for (const d of symbol.declarations) {
              const declarationSpaces = getDeclarationSpaces(d);
              const name = getNameOfDeclaration(d);
              if (declarationSpaces & commonDeclarationSpacesForDefaultAndNonDefault) {
                error2(name, Diagnostics.Merged_declaration_0_cannot_include_a_default_export_declaration_Consider_adding_a_separate_export_default_0_declaration_instead, declarationNameToString(name));
              } else if (declarationSpaces & commonDeclarationSpacesForExportsAndLocals) {
                error2(name, Diagnostics.Individual_declarations_in_merged_declaration_0_must_be_all_exported_or_all_local, declarationNameToString(name));
              }
            }
          }
          function getDeclarationSpaces(decl) {
            let d = decl;
            switch (d.kind) {
              case 264:
              case 265:
              case 346:
              case 338:
              case 340:
                return 2;
              case 267:
                return isAmbientModule(d) || getModuleInstanceState(d) !== 0 ? 4 | 1 : 4;
              case 263:
              case 266:
              case 306:
                return 2 | 1;
              case 307:
                return 2 | 1 | 4;
              case 277:
              case 226:
                const node2 = d;
                const expression = isExportAssignment(node2) ? node2.expression : node2.right;
                if (!isEntityNameExpression(expression)) {
                  return 1;
                }
                d = expression;
              case 271:
              case 274:
              case 273:
                let result = 0;
                const target = resolveAlias(getSymbolOfDeclaration(d));
                forEach(target.declarations, (d2) => {
                  result |= getDeclarationSpaces(d2);
                });
                return result;
              case 260:
              case 208:
              case 262:
              case 276:
              case 80:
                return 1;
              case 173:
              case 171:
                return 2;
              default:
                return Debug.failBadSyntaxKind(d);
            }
          }
        }
        function getAwaitedTypeOfPromise(type, errorNode, diagnosticMessage, ...args) {
          const promisedType = getPromisedTypeOfPromise(type, errorNode);
          return promisedType && getAwaitedType(promisedType, errorNode, diagnosticMessage, ...args);
        }
        function getPromisedTypeOfPromise(type, errorNode, thisTypeForErrorOut) {
          if (isTypeAny(type)) {
            return void 0;
          }
          const typeAsPromise = type;
          if (typeAsPromise.promisedTypeOfPromise) {
            return typeAsPromise.promisedTypeOfPromise;
          }
          if (isReferenceToType2(type, getGlobalPromiseType(
            /*reportErrors*/
            false
          ))) {
            return typeAsPromise.promisedTypeOfPromise = getTypeArguments(type)[0];
          }
          if (allTypesAssignableToKind(
            getBaseConstraintOrType(type),
            402784252 | 131072
            /* Never */
          )) {
            return void 0;
          }
          const thenFunction = getTypeOfPropertyOfType(type, "then");
          if (isTypeAny(thenFunction)) {
            return void 0;
          }
          const thenSignatures = thenFunction ? getSignaturesOfType(
            thenFunction,
            0
            /* Call */
          ) : emptyArray;
          if (thenSignatures.length === 0) {
            if (errorNode) {
              error2(errorNode, Diagnostics.A_promise_must_have_a_then_method);
            }
            return void 0;
          }
          let thisTypeForError;
          let candidates;
          for (const thenSignature of thenSignatures) {
            const thisType = getThisTypeOfSignature(thenSignature);
            if (thisType && thisType !== voidType2 && !isTypeRelatedTo(type, thisType, subtypeRelation)) {
              thisTypeForError = thisType;
            } else {
              candidates = append(candidates, thenSignature);
            }
          }
          if (!candidates) {
            Debug.assertIsDefined(thisTypeForError);
            if (thisTypeForErrorOut) {
              thisTypeForErrorOut.value = thisTypeForError;
            }
            if (errorNode) {
              error2(errorNode, Diagnostics.The_this_context_of_type_0_is_not_assignable_to_method_s_this_of_type_1, typeToString(type), typeToString(thisTypeForError));
            }
            return void 0;
          }
          const onfulfilledParameterType = getTypeWithFacts(
            getUnionType(map(candidates, getTypeOfFirstParameterOfSignature)),
            2097152
            /* NEUndefinedOrNull */
          );
          if (isTypeAny(onfulfilledParameterType)) {
            return void 0;
          }
          const onfulfilledParameterSignatures = getSignaturesOfType(
            onfulfilledParameterType,
            0
            /* Call */
          );
          if (onfulfilledParameterSignatures.length === 0) {
            if (errorNode) {
              error2(errorNode, Diagnostics.The_first_parameter_of_the_then_method_of_a_promise_must_be_a_callback);
            }
            return void 0;
          }
          return typeAsPromise.promisedTypeOfPromise = getUnionType(
            map(onfulfilledParameterSignatures, getTypeOfFirstParameterOfSignature),
            2
            /* Subtype */
          );
        }
        function checkAwaitedType(type, withAlias, errorNode, diagnosticMessage, ...args) {
          const awaitedType = withAlias ? getAwaitedType(type, errorNode, diagnosticMessage, ...args) : getAwaitedTypeNoAlias(type, errorNode, diagnosticMessage, ...args);
          return awaitedType || errorType;
        }
        function isThenableType(type) {
          if (allTypesAssignableToKind(
            getBaseConstraintOrType(type),
            402784252 | 131072
            /* Never */
          )) {
            return false;
          }
          const thenFunction = getTypeOfPropertyOfType(type, "then");
          return !!thenFunction && getSignaturesOfType(
            getTypeWithFacts(
              thenFunction,
              2097152
              /* NEUndefinedOrNull */
            ),
            0
            /* Call */
          ).length > 0;
        }
        function isAwaitedTypeInstantiation(type) {
          var _a;
          if (type.flags & 16777216) {
            const awaitedSymbol = getGlobalAwaitedSymbol(
              /*reportErrors*/
              false
            );
            return !!awaitedSymbol && type.aliasSymbol === awaitedSymbol && ((_a = type.aliasTypeArguments) == null ? void 0 : _a.length) === 1;
          }
          return false;
        }
        function unwrapAwaitedType(type) {
          return type.flags & 1048576 ? mapType2(type, unwrapAwaitedType) : isAwaitedTypeInstantiation(type) ? type.aliasTypeArguments[0] : type;
        }
        function isAwaitedTypeNeeded(type) {
          if (isTypeAny(type) || isAwaitedTypeInstantiation(type)) {
            return false;
          }
          if (isGenericObjectType(type)) {
            const baseConstraint = getBaseConstraintOfType(type);
            if (baseConstraint ? baseConstraint.flags & 3 || isEmptyObjectType(baseConstraint) || someType(baseConstraint, isThenableType) : maybeTypeOfKind(
              type,
              8650752
              /* TypeVariable */
            )) {
              return true;
            }
          }
          return false;
        }
        function tryCreateAwaitedType(type) {
          const awaitedSymbol = getGlobalAwaitedSymbol(
            /*reportErrors*/
            true
          );
          if (awaitedSymbol) {
            return getTypeAliasInstantiation(awaitedSymbol, [unwrapAwaitedType(type)]);
          }
          return void 0;
        }
        function createAwaitedTypeIfNeeded(type) {
          if (isAwaitedTypeNeeded(type)) {
            return tryCreateAwaitedType(type) ?? type;
          }
          Debug.assert(isAwaitedTypeInstantiation(type) || getPromisedTypeOfPromise(type) === void 0, "type provided should not be a non-generic 'promise'-like.");
          return type;
        }
        function getAwaitedType(type, errorNode, diagnosticMessage, ...args) {
          const awaitedType = getAwaitedTypeNoAlias(type, errorNode, diagnosticMessage, ...args);
          return awaitedType && createAwaitedTypeIfNeeded(awaitedType);
        }
        function getAwaitedTypeNoAlias(type, errorNode, diagnosticMessage, ...args) {
          if (isTypeAny(type)) {
            return type;
          }
          if (isAwaitedTypeInstantiation(type)) {
            return type;
          }
          const typeAsAwaitable = type;
          if (typeAsAwaitable.awaitedTypeOfType) {
            return typeAsAwaitable.awaitedTypeOfType;
          }
          if (type.flags & 1048576) {
            if (awaitedTypeStack.lastIndexOf(type.id) >= 0) {
              if (errorNode) {
                error2(errorNode, Diagnostics.Type_is_referenced_directly_or_indirectly_in_the_fulfillment_callback_of_its_own_then_method);
              }
              return void 0;
            }
            const mapper = errorNode ? (constituentType) => getAwaitedTypeNoAlias(constituentType, errorNode, diagnosticMessage, ...args) : getAwaitedTypeNoAlias;
            awaitedTypeStack.push(type.id);
            const mapped = mapType2(type, mapper);
            awaitedTypeStack.pop();
            return typeAsAwaitable.awaitedTypeOfType = mapped;
          }
          if (isAwaitedTypeNeeded(type)) {
            return typeAsAwaitable.awaitedTypeOfType = type;
          }
          const thisTypeForErrorOut = { value: void 0 };
          const promisedType = getPromisedTypeOfPromise(
            type,
            /*errorNode*/
            void 0,
            thisTypeForErrorOut
          );
          if (promisedType) {
            if (type.id === promisedType.id || awaitedTypeStack.lastIndexOf(promisedType.id) >= 0) {
              if (errorNode) {
                error2(errorNode, Diagnostics.Type_is_referenced_directly_or_indirectly_in_the_fulfillment_callback_of_its_own_then_method);
              }
              return void 0;
            }
            awaitedTypeStack.push(type.id);
            const awaitedType = getAwaitedTypeNoAlias(promisedType, errorNode, diagnosticMessage, ...args);
            awaitedTypeStack.pop();
            if (!awaitedType) {
              return void 0;
            }
            return typeAsAwaitable.awaitedTypeOfType = awaitedType;
          }
          if (isThenableType(type)) {
            if (errorNode) {
              Debug.assertIsDefined(diagnosticMessage);
              let chain;
              if (thisTypeForErrorOut.value) {
                chain = chainDiagnosticMessages(chain, Diagnostics.The_this_context_of_type_0_is_not_assignable_to_method_s_this_of_type_1, typeToString(type), typeToString(thisTypeForErrorOut.value));
              }
              chain = chainDiagnosticMessages(chain, diagnosticMessage, ...args);
              diagnostics.add(createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(errorNode), errorNode, chain));
            }
            return void 0;
          }
          return typeAsAwaitable.awaitedTypeOfType = type;
        }
        function checkAsyncFunctionReturnType(node, returnTypeNode, returnTypeErrorLocation) {
          const returnType = getTypeFromTypeNode(returnTypeNode);
          if (languageVersion >= 2) {
            if (isErrorType(returnType)) {
              return;
            }
            const globalPromiseType = getGlobalPromiseType(
              /*reportErrors*/
              true
            );
            if (globalPromiseType !== emptyGenericType && !isReferenceToType2(returnType, globalPromiseType)) {
              reportErrorForInvalidReturnType(Diagnostics.The_return_type_of_an_async_function_or_method_must_be_the_global_Promise_T_type_Did_you_mean_to_write_Promise_0, returnTypeNode, returnTypeErrorLocation, typeToString(getAwaitedTypeNoAlias(returnType) || voidType2));
              return;
            }
          } else {
            markLinkedReferences(
              node,
              5
              /* AsyncFunction */
            );
            if (isErrorType(returnType)) {
              return;
            }
            const promiseConstructorName = getEntityNameFromTypeNode(returnTypeNode);
            if (promiseConstructorName === void 0) {
              reportErrorForInvalidReturnType(Diagnostics.Type_0_is_not_a_valid_async_function_return_type_in_ES5_because_it_does_not_refer_to_a_Promise_compatible_constructor_value, returnTypeNode, returnTypeErrorLocation, typeToString(returnType));
              return;
            }
            const promiseConstructorSymbol = resolveEntityName(
              promiseConstructorName,
              111551,
              /*ignoreErrors*/
              true
            );
            const promiseConstructorType = promiseConstructorSymbol ? getTypeOfSymbol(promiseConstructorSymbol) : errorType;
            if (isErrorType(promiseConstructorType)) {
              if (promiseConstructorName.kind === 80 && promiseConstructorName.escapedText === "Promise" && getTargetType(returnType) === getGlobalPromiseType(
                /*reportErrors*/
                false
              )) {
                error2(returnTypeErrorLocation, Diagnostics.An_async_function_or_method_in_ES5_requires_the_Promise_constructor_Make_sure_you_have_a_declaration_for_the_Promise_constructor_or_include_ES2015_in_your_lib_option);
              } else {
                reportErrorForInvalidReturnType(Diagnostics.Type_0_is_not_a_valid_async_function_return_type_in_ES5_because_it_does_not_refer_to_a_Promise_compatible_constructor_value, returnTypeNode, returnTypeErrorLocation, entityNameToString(promiseConstructorName));
              }
              return;
            }
            const globalPromiseConstructorLikeType = getGlobalPromiseConstructorLikeType(
              /*reportErrors*/
              true
            );
            if (globalPromiseConstructorLikeType === emptyObjectType) {
              reportErrorForInvalidReturnType(Diagnostics.Type_0_is_not_a_valid_async_function_return_type_in_ES5_because_it_does_not_refer_to_a_Promise_compatible_constructor_value, returnTypeNode, returnTypeErrorLocation, entityNameToString(promiseConstructorName));
              return;
            }
            const headMessage = Diagnostics.Type_0_is_not_a_valid_async_function_return_type_in_ES5_because_it_does_not_refer_to_a_Promise_compatible_constructor_value;
            const errorInfo = () => returnTypeNode === returnTypeErrorLocation ? void 0 : chainDiagnosticMessages(
              /*details*/
              void 0,
              Diagnostics.The_return_type_of_an_async_function_or_method_must_be_the_global_Promise_T_type
            );
            if (!checkTypeAssignableTo(promiseConstructorType, globalPromiseConstructorLikeType, returnTypeErrorLocation, headMessage, errorInfo)) {
              return;
            }
            const rootName = promiseConstructorName && getFirstIdentifier(promiseConstructorName);
            const collidingSymbol = getSymbol2(
              node.locals,
              rootName.escapedText,
              111551
              /* Value */
            );
            if (collidingSymbol) {
              error2(collidingSymbol.valueDeclaration, Diagnostics.Duplicate_identifier_0_Compiler_uses_declaration_1_to_support_async_functions, idText(rootName), entityNameToString(promiseConstructorName));
              return;
            }
          }
          checkAwaitedType(
            returnType,
            /*withAlias*/
            false,
            node,
            Diagnostics.The_return_type_of_an_async_function_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member
          );
          function reportErrorForInvalidReturnType(message, returnTypeNode2, returnTypeErrorLocation2, typeName) {
            if (returnTypeNode2 === returnTypeErrorLocation2) {
              error2(returnTypeErrorLocation2, message, typeName);
            } else {
              const diag2 = error2(returnTypeErrorLocation2, Diagnostics.The_return_type_of_an_async_function_or_method_must_be_the_global_Promise_T_type);
              addRelatedInfo(diag2, createDiagnosticForNode(returnTypeNode2, message, typeName));
            }
          }
        }
        function checkGrammarDecorator(decorator) {
          const sourceFile = getSourceFileOfNode(decorator);
          if (!hasParseDiagnostics(sourceFile)) {
            let node = decorator.expression;
            if (isParenthesizedExpression(node)) {
              return false;
            }
            let canHaveCallExpression = true;
            let errorNode;
            while (true) {
              if (isExpressionWithTypeArguments(node) || isNonNullExpression(node)) {
                node = node.expression;
                continue;
              }
              if (isCallExpression2(node)) {
                if (!canHaveCallExpression) {
                  errorNode = node;
                }
                if (node.questionDotToken) {
                  errorNode = node.questionDotToken;
                }
                node = node.expression;
                canHaveCallExpression = false;
                continue;
              }
              if (isPropertyAccessExpression(node)) {
                if (node.questionDotToken) {
                  errorNode = node.questionDotToken;
                }
                node = node.expression;
                canHaveCallExpression = false;
                continue;
              }
              if (!isIdentifier(node)) {
                errorNode = node;
              }
              break;
            }
            if (errorNode) {
              addRelatedInfo(
                error2(decorator.expression, Diagnostics.Expression_must_be_enclosed_in_parentheses_to_be_used_as_a_decorator),
                createDiagnosticForNode(errorNode, Diagnostics.Invalid_syntax_in_decorator)
              );
              return true;
            }
          }
          return false;
        }
        function checkDecorator(node) {
          checkGrammarDecorator(node);
          const signature = getResolvedSignature(node);
          checkDeprecatedSignature(signature, node);
          const returnType = getReturnTypeOfSignature(signature);
          if (returnType.flags & 1) {
            return;
          }
          const decoratorSignature = getDecoratorCallSignature(node);
          if (!(decoratorSignature == null ? void 0 : decoratorSignature.resolvedReturnType)) return;
          let headMessage;
          const expectedReturnType = decoratorSignature.resolvedReturnType;
          switch (node.parent.kind) {
            case 263:
            case 231:
              headMessage = Diagnostics.Decorator_function_return_type_0_is_not_assignable_to_type_1;
              break;
            case 172:
              if (!legacyDecorators) {
                headMessage = Diagnostics.Decorator_function_return_type_0_is_not_assignable_to_type_1;
                break;
              }
            case 169:
              headMessage = Diagnostics.Decorator_function_return_type_is_0_but_is_expected_to_be_void_or_any;
              break;
            case 174:
            case 177:
            case 178:
              headMessage = Diagnostics.Decorator_function_return_type_0_is_not_assignable_to_type_1;
              break;
            default:
              return Debug.failBadSyntaxKind(node.parent);
          }
          checkTypeAssignableTo(returnType, expectedReturnType, node.expression, headMessage);
        }
        function createCallSignature(typeParameters, thisParameter, parameters, returnType, typePredicate, minArgumentCount = parameters.length, flags = 0) {
          const decl = factory.createFunctionTypeNode(
            /*typeParameters*/
            void 0,
            emptyArray,
            factory.createKeywordTypeNode(
              133
              /* AnyKeyword */
            )
          );
          return createSignature(decl, typeParameters, thisParameter, parameters, returnType, typePredicate, minArgumentCount, flags);
        }
        function createFunctionType(typeParameters, thisParameter, parameters, returnType, typePredicate, minArgumentCount, flags) {
          const signature = createCallSignature(typeParameters, thisParameter, parameters, returnType, typePredicate, minArgumentCount, flags);
          return getOrCreateTypeFromSignature(signature);
        }
        function createGetterFunctionType(type) {
          return createFunctionType(
            /*typeParameters*/
            void 0,
            /*thisParameter*/
            void 0,
            emptyArray,
            type
          );
        }
        function createSetterFunctionType(type) {
          const valueParam = createParameter2("value", type);
          return createFunctionType(
            /*typeParameters*/
            void 0,
            /*thisParameter*/
            void 0,
            [valueParam],
            voidType2
          );
        }
        function getEntityNameForDecoratorMetadata(node) {
          if (node) {
            switch (node.kind) {
              case 193:
              case 192:
                return getEntityNameForDecoratorMetadataFromTypeList(node.types);
              case 194:
                return getEntityNameForDecoratorMetadataFromTypeList([node.trueType, node.falseType]);
              case 196:
              case 202:
                return getEntityNameForDecoratorMetadata(node.type);
              case 183:
                return node.typeName;
            }
          }
        }
        function getEntityNameForDecoratorMetadataFromTypeList(types) {
          let commonEntityName;
          for (let typeNode of types) {
            while (typeNode.kind === 196 || typeNode.kind === 202) {
              typeNode = typeNode.type;
            }
            if (typeNode.kind === 146) {
              continue;
            }
            if (!strictNullChecks && (typeNode.kind === 201 && typeNode.literal.kind === 106 || typeNode.kind === 157)) {
              continue;
            }
            const individualEntityName = getEntityNameForDecoratorMetadata(typeNode);
            if (!individualEntityName) {
              return void 0;
            }
            if (commonEntityName) {
              if (!isIdentifier(commonEntityName) || !isIdentifier(individualEntityName) || commonEntityName.escapedText !== individualEntityName.escapedText) {
                return void 0;
              }
            } else {
              commonEntityName = individualEntityName;
            }
          }
          return commonEntityName;
        }
        function getParameterTypeNodeForDecoratorCheck(node) {
          const typeNode = getEffectiveTypeAnnotationNode(node);
          return isRestParameter(node) ? getRestParameterElementType(typeNode) : typeNode;
        }
        function checkDecorators(node) {
          if (!canHaveDecorators(node) || !hasDecorators(node) || !node.modifiers || !nodeCanBeDecorated(legacyDecorators, node, node.parent, node.parent.parent)) {
            return;
          }
          const firstDecorator = find(node.modifiers, isDecorator);
          if (!firstDecorator) {
            return;
          }
          if (legacyDecorators) {
            checkExternalEmitHelpers(
              firstDecorator,
              8
              /* Decorate */
            );
            if (node.kind === 169) {
              checkExternalEmitHelpers(
                firstDecorator,
                32
                /* Param */
              );
            }
          } else if (languageVersion < 99) {
            checkExternalEmitHelpers(
              firstDecorator,
              8
              /* ESDecorateAndRunInitializers */
            );
            if (isClassDeclaration(node)) {
              if (!node.name) {
                checkExternalEmitHelpers(
                  firstDecorator,
                  4194304
                  /* SetFunctionName */
                );
              } else {
                const member = getFirstTransformableStaticClassElement(node);
                if (member) {
                  checkExternalEmitHelpers(
                    firstDecorator,
                    4194304
                    /* SetFunctionName */
                  );
                }
              }
            } else if (!isClassExpression(node)) {
              if (isPrivateIdentifier(node.name) && (isMethodDeclaration(node) || isAccessor(node) || isAutoAccessorPropertyDeclaration(node))) {
                checkExternalEmitHelpers(
                  firstDecorator,
                  4194304
                  /* SetFunctionName */
                );
              }
              if (isComputedPropertyName(node.name)) {
                checkExternalEmitHelpers(
                  firstDecorator,
                  8388608
                  /* PropKey */
                );
              }
            }
          }
          markLinkedReferences(
            node,
            8
            /* Decorator */
          );
          for (const modifier of node.modifiers) {
            if (isDecorator(modifier)) {
              checkDecorator(modifier);
            }
          }
        }
        function checkFunctionDeclaration(node) {
          addLazyDiagnostic(checkFunctionDeclarationDiagnostics);
          function checkFunctionDeclarationDiagnostics() {
            checkFunctionOrMethodDeclaration(node);
            checkGrammarForGenerator(node);
            checkCollisionsForDeclarationName(node, node.name);
          }
        }
        function checkJSDocTypeAliasTag(node) {
          if (!node.typeExpression) {
            error2(node.name, Diagnostics.JSDoc_typedef_tag_should_either_have_a_type_annotation_or_be_followed_by_property_or_member_tags);
          }
          if (node.name) {
            checkTypeNameIsReserved(node.name, Diagnostics.Type_alias_name_cannot_be_0);
          }
          checkSourceElement(node.typeExpression);
          checkTypeParameters(getEffectiveTypeParameterDeclarations(node));
        }
        function checkJSDocTemplateTag(node) {
          checkSourceElement(node.constraint);
          for (const tp of node.typeParameters) {
            checkSourceElement(tp);
          }
        }
        function checkJSDocTypeTag(node) {
          checkSourceElement(node.typeExpression);
        }
        function checkJSDocSatisfiesTag(node) {
          checkSourceElement(node.typeExpression);
          const host2 = getEffectiveJSDocHost(node);
          if (host2) {
            const tags = getAllJSDocTags(host2, isJSDocSatisfiesTag);
            if (length(tags) > 1) {
              for (let i = 1; i < length(tags); i++) {
                const tagName = tags[i].tagName;
                error2(tagName, Diagnostics._0_tag_already_specified, idText(tagName));
              }
            }
          }
        }
        function checkJSDocLinkLikeTag(node) {
          if (node.name) {
            resolveJSDocMemberName(
              node.name,
              /*ignoreErrors*/
              true
            );
          }
        }
        function checkJSDocParameterTag(node) {
          checkSourceElement(node.typeExpression);
        }
        function checkJSDocPropertyTag(node) {
          checkSourceElement(node.typeExpression);
        }
        function checkJSDocFunctionType(node) {
          addLazyDiagnostic(checkJSDocFunctionTypeImplicitAny);
          checkSignatureDeclaration(node);
          function checkJSDocFunctionTypeImplicitAny() {
            if (!node.type && !isJSDocConstructSignature(node)) {
              reportImplicitAny(node, anyType2);
            }
          }
        }
        function checkJSDocThisTag(node) {
          const host2 = getEffectiveJSDocHost(node);
          if (host2 && isArrowFunction(host2)) {
            error2(node.tagName, Diagnostics.An_arrow_function_cannot_have_a_this_parameter);
          }
        }
        function checkJSDocImportTag(node) {
          checkImportAttributes(node);
        }
        function checkJSDocImplementsTag(node) {
          const classLike = getEffectiveJSDocHost(node);
          if (!classLike || !isClassDeclaration(classLike) && !isClassExpression(classLike)) {
            error2(classLike, Diagnostics.JSDoc_0_is_not_attached_to_a_class, idText(node.tagName));
          }
        }
        function checkJSDocAugmentsTag(node) {
          const classLike = getEffectiveJSDocHost(node);
          if (!classLike || !isClassDeclaration(classLike) && !isClassExpression(classLike)) {
            error2(classLike, Diagnostics.JSDoc_0_is_not_attached_to_a_class, idText(node.tagName));
            return;
          }
          const augmentsTags = getJSDocTags(classLike).filter(isJSDocAugmentsTag);
          Debug.assert(augmentsTags.length > 0);
          if (augmentsTags.length > 1) {
            error2(augmentsTags[1], Diagnostics.Class_declarations_cannot_have_more_than_one_augments_or_extends_tag);
          }
          const name = getIdentifierFromEntityNameExpression(node.class.expression);
          const extend2 = getClassExtendsHeritageElement(classLike);
          if (extend2) {
            const className = getIdentifierFromEntityNameExpression(extend2.expression);
            if (className && name.escapedText !== className.escapedText) {
              error2(name, Diagnostics.JSDoc_0_1_does_not_match_the_extends_2_clause, idText(node.tagName), idText(name), idText(className));
            }
          }
        }
        function checkJSDocAccessibilityModifiers(node) {
          const host2 = getJSDocHost(node);
          if (host2 && isPrivateIdentifierClassElementDeclaration(host2)) {
            error2(node, Diagnostics.An_accessibility_modifier_cannot_be_used_with_a_private_identifier);
          }
        }
        function getIdentifierFromEntityNameExpression(node) {
          switch (node.kind) {
            case 80:
              return node;
            case 211:
              return node.name;
            default:
              return void 0;
          }
        }
        function checkFunctionOrMethodDeclaration(node) {
          var _a;
          checkDecorators(node);
          checkSignatureDeclaration(node);
          const functionFlags = getFunctionFlags(node);
          if (node.name && node.name.kind === 167) {
            checkComputedPropertyName(node.name);
          }
          if (hasBindableName(node)) {
            const symbol = getSymbolOfDeclaration(node);
            const localSymbol = node.localSymbol || symbol;
            const firstDeclaration = (_a = localSymbol.declarations) == null ? void 0 : _a.find(
              // Get first non javascript function declaration
              (declaration) => declaration.kind === node.kind && !(declaration.flags & 524288)
            );
            if (node === firstDeclaration) {
              checkFunctionOrConstructorSymbol(localSymbol);
            }
            if (symbol.parent) {
              checkFunctionOrConstructorSymbol(symbol);
            }
          }
          const body = node.kind === 173 ? void 0 : node.body;
          checkSourceElement(body);
          checkAllCodePathsInNonVoidFunctionReturnOrThrow(node, getReturnTypeFromAnnotation(node));
          addLazyDiagnostic(checkFunctionOrMethodDeclarationDiagnostics);
          if (isInJSFile(node)) {
            const typeTag = getJSDocTypeTag(node);
            if (typeTag && typeTag.typeExpression && !getContextualCallSignature(getTypeFromTypeNode(typeTag.typeExpression), node)) {
              error2(typeTag.typeExpression.type, Diagnostics.The_type_of_a_function_declaration_must_match_the_function_s_signature);
            }
          }
          function checkFunctionOrMethodDeclarationDiagnostics() {
            if (!getEffectiveReturnTypeNode(node)) {
              if (nodeIsMissing(body) && !isPrivateWithinAmbient(node)) {
                reportImplicitAny(node, anyType2);
              }
              if (functionFlags & 1 && nodeIsPresent(body)) {
                getReturnTypeOfSignature(getSignatureFromDeclaration(node));
              }
            }
          }
        }
        function registerForUnusedIdentifiersCheck(node) {
          addLazyDiagnostic(registerForUnusedIdentifiersCheckDiagnostics);
          function registerForUnusedIdentifiersCheckDiagnostics() {
            const sourceFile = getSourceFileOfNode(node);
            let potentiallyUnusedIdentifiers = allPotentiallyUnusedIdentifiers.get(sourceFile.path);
            if (!potentiallyUnusedIdentifiers) {
              potentiallyUnusedIdentifiers = [];
              allPotentiallyUnusedIdentifiers.set(sourceFile.path, potentiallyUnusedIdentifiers);
            }
            potentiallyUnusedIdentifiers.push(node);
          }
        }
        function checkUnusedIdentifiers(potentiallyUnusedIdentifiers, addDiagnostic) {
          for (const node of potentiallyUnusedIdentifiers) {
            switch (node.kind) {
              case 263:
              case 231:
                checkUnusedClassMembers(node, addDiagnostic);
                checkUnusedTypeParameters(node, addDiagnostic);
                break;
              case 307:
              case 267:
              case 241:
              case 269:
              case 248:
              case 249:
              case 250:
                checkUnusedLocalsAndParameters(node, addDiagnostic);
                break;
              case 176:
              case 218:
              case 262:
              case 219:
              case 174:
              case 177:
              case 178:
                if (node.body) {
                  checkUnusedLocalsAndParameters(node, addDiagnostic);
                }
                checkUnusedTypeParameters(node, addDiagnostic);
                break;
              case 173:
              case 179:
              case 180:
              case 184:
              case 185:
              case 265:
              case 264:
                checkUnusedTypeParameters(node, addDiagnostic);
                break;
              case 195:
                checkUnusedInferTypeParameter(node, addDiagnostic);
                break;
              default:
                Debug.assertNever(node, "Node should not have been registered for unused identifiers check");
            }
          }
        }
        function errorUnusedLocal(declaration, name, addDiagnostic) {
          const node = getNameOfDeclaration(declaration) || declaration;
          const message = isTypeDeclaration(declaration) ? Diagnostics._0_is_declared_but_never_used : Diagnostics._0_is_declared_but_its_value_is_never_read;
          addDiagnostic(declaration, 0, createDiagnosticForNode(node, message, name));
        }
        function isIdentifierThatStartsWithUnderscore(node) {
          return isIdentifier(node) && idText(node).charCodeAt(0) === 95;
        }
        function checkUnusedClassMembers(node, addDiagnostic) {
          for (const member of node.members) {
            switch (member.kind) {
              case 174:
              case 172:
              case 177:
              case 178:
                if (member.kind === 178 && member.symbol.flags & 32768) {
                  break;
                }
                const symbol = getSymbolOfDeclaration(member);
                if (!symbol.isReferenced && (hasEffectiveModifier(
                  member,
                  2
                  /* Private */
                ) || isNamedDeclaration(member) && isPrivateIdentifier(member.name)) && !(member.flags & 33554432)) {
                  addDiagnostic(member, 0, createDiagnosticForNode(member.name, Diagnostics._0_is_declared_but_its_value_is_never_read, symbolToString2(symbol)));
                }
                break;
              case 176:
                for (const parameter of member.parameters) {
                  if (!parameter.symbol.isReferenced && hasSyntacticModifier(
                    parameter,
                    2
                    /* Private */
                  )) {
                    addDiagnostic(parameter, 0, createDiagnosticForNode(parameter.name, Diagnostics.Property_0_is_declared_but_its_value_is_never_read, symbolName(parameter.symbol)));
                  }
                }
                break;
              case 181:
              case 240:
              case 175:
                break;
              default:
                Debug.fail("Unexpected class member");
            }
          }
        }
        function checkUnusedInferTypeParameter(node, addDiagnostic) {
          const { typeParameter } = node;
          if (isTypeParameterUnused(typeParameter)) {
            addDiagnostic(node, 1, createDiagnosticForNode(node, Diagnostics._0_is_declared_but_its_value_is_never_read, idText(typeParameter.name)));
          }
        }
        function checkUnusedTypeParameters(node, addDiagnostic) {
          const declarations = getSymbolOfDeclaration(node).declarations;
          if (!declarations || last(declarations) !== node) return;
          const typeParameters = getEffectiveTypeParameterDeclarations(node);
          const seenParentsWithEveryUnused = /* @__PURE__ */ new Set();
          for (const typeParameter of typeParameters) {
            if (!isTypeParameterUnused(typeParameter)) continue;
            const name = idText(typeParameter.name);
            const { parent: parent2 } = typeParameter;
            if (parent2.kind !== 195 && parent2.typeParameters.every(isTypeParameterUnused)) {
              if (tryAddToSet(seenParentsWithEveryUnused, parent2)) {
                const sourceFile = getSourceFileOfNode(parent2);
                const range = isJSDocTemplateTag(parent2) ? rangeOfNode(parent2) : rangeOfTypeParameters(sourceFile, parent2.typeParameters);
                const only = parent2.typeParameters.length === 1;
                const messageAndArg = only ? [Diagnostics._0_is_declared_but_its_value_is_never_read, name] : [Diagnostics.All_type_parameters_are_unused];
                addDiagnostic(typeParameter, 1, createFileDiagnostic(sourceFile, range.pos, range.end - range.pos, ...messageAndArg));
              }
            } else {
              addDiagnostic(typeParameter, 1, createDiagnosticForNode(typeParameter, Diagnostics._0_is_declared_but_its_value_is_never_read, name));
            }
          }
        }
        function isTypeParameterUnused(typeParameter) {
          return !(getMergedSymbol(typeParameter.symbol).isReferenced & 262144) && !isIdentifierThatStartsWithUnderscore(typeParameter.name);
        }
        function addToGroup(map2, key, value, getKey) {
          const keyString = String(getKey(key));
          const group2 = map2.get(keyString);
          if (group2) {
            group2[1].push(value);
          } else {
            map2.set(keyString, [key, [value]]);
          }
        }
        function tryGetRootParameterDeclaration(node) {
          return tryCast(getRootDeclaration(node), isParameter);
        }
        function isValidUnusedLocalDeclaration(declaration) {
          if (isBindingElement(declaration)) {
            if (isObjectBindingPattern(declaration.parent)) {
              return !!(declaration.propertyName && isIdentifierThatStartsWithUnderscore(declaration.name));
            }
            return isIdentifierThatStartsWithUnderscore(declaration.name);
          }
          return isAmbientModule(declaration) || (isVariableDeclaration(declaration) && isForInOrOfStatement(declaration.parent.parent) || isImportedDeclaration(declaration)) && isIdentifierThatStartsWithUnderscore(declaration.name);
        }
        function checkUnusedLocalsAndParameters(nodeWithLocals, addDiagnostic) {
          const unusedImports = /* @__PURE__ */ new Map();
          const unusedDestructures = /* @__PURE__ */ new Map();
          const unusedVariables = /* @__PURE__ */ new Map();
          nodeWithLocals.locals.forEach((local) => {
            if (local.flags & 262144 ? !(local.flags & 3 && !(local.isReferenced & 3)) : local.isReferenced || local.exportSymbol) {
              return;
            }
            if (local.declarations) {
              for (const declaration of local.declarations) {
                if (isValidUnusedLocalDeclaration(declaration)) {
                  continue;
                }
                if (isImportedDeclaration(declaration)) {
                  addToGroup(unusedImports, importClauseFromImported(declaration), declaration, getNodeId);
                } else if (isBindingElement(declaration) && isObjectBindingPattern(declaration.parent)) {
                  const lastElement = last(declaration.parent.elements);
                  if (declaration === lastElement || !last(declaration.parent.elements).dotDotDotToken) {
                    addToGroup(unusedDestructures, declaration.parent, declaration, getNodeId);
                  }
                } else if (isVariableDeclaration(declaration)) {
                  const blockScopeKind = getCombinedNodeFlagsCached(declaration) & 7;
                  const name = getNameOfDeclaration(declaration);
                  if (blockScopeKind !== 4 && blockScopeKind !== 6 || !name || !isIdentifierThatStartsWithUnderscore(name)) {
                    addToGroup(unusedVariables, declaration.parent, declaration, getNodeId);
                  }
                } else {
                  const parameter = local.valueDeclaration && tryGetRootParameterDeclaration(local.valueDeclaration);
                  const name = local.valueDeclaration && getNameOfDeclaration(local.valueDeclaration);
                  if (parameter && name) {
                    if (!isParameterPropertyDeclaration(parameter, parameter.parent) && !parameterIsThisKeyword(parameter) && !isIdentifierThatStartsWithUnderscore(name)) {
                      if (isBindingElement(declaration) && isArrayBindingPattern(declaration.parent)) {
                        addToGroup(unusedDestructures, declaration.parent, declaration, getNodeId);
                      } else {
                        addDiagnostic(parameter, 1, createDiagnosticForNode(name, Diagnostics._0_is_declared_but_its_value_is_never_read, symbolName(local)));
                      }
                    }
                  } else {
                    errorUnusedLocal(declaration, symbolName(local), addDiagnostic);
                  }
                }
              }
            }
          });
          unusedImports.forEach(([importClause, unuseds]) => {
            const importDecl = importClause.parent;
            const nDeclarations = (importClause.name ? 1 : 0) + (importClause.namedBindings ? importClause.namedBindings.kind === 274 ? 1 : importClause.namedBindings.elements.length : 0);
            if (nDeclarations === unuseds.length) {
              addDiagnostic(
                importDecl,
                0,
                unuseds.length === 1 ? createDiagnosticForNode(importDecl, Diagnostics._0_is_declared_but_its_value_is_never_read, idText(first(unuseds).name)) : createDiagnosticForNode(importDecl, Diagnostics.All_imports_in_import_declaration_are_unused)
              );
            } else {
              for (const unused of unuseds) errorUnusedLocal(unused, idText(unused.name), addDiagnostic);
            }
          });
          unusedDestructures.forEach(([bindingPattern, bindingElements]) => {
            const kind = tryGetRootParameterDeclaration(bindingPattern.parent) ? 1 : 0;
            if (bindingPattern.elements.length === bindingElements.length) {
              if (bindingElements.length === 1 && bindingPattern.parent.kind === 260 && bindingPattern.parent.parent.kind === 261) {
                addToGroup(unusedVariables, bindingPattern.parent.parent, bindingPattern.parent, getNodeId);
              } else {
                addDiagnostic(
                  bindingPattern,
                  kind,
                  bindingElements.length === 1 ? createDiagnosticForNode(bindingPattern, Diagnostics._0_is_declared_but_its_value_is_never_read, bindingNameText(first(bindingElements).name)) : createDiagnosticForNode(bindingPattern, Diagnostics.All_destructured_elements_are_unused)
                );
              }
            } else {
              for (const e of bindingElements) {
                addDiagnostic(e, kind, createDiagnosticForNode(e, Diagnostics._0_is_declared_but_its_value_is_never_read, bindingNameText(e.name)));
              }
            }
          });
          unusedVariables.forEach(([declarationList, declarations]) => {
            if (declarationList.declarations.length === declarations.length) {
              addDiagnostic(
                declarationList,
                0,
                declarations.length === 1 ? createDiagnosticForNode(first(declarations).name, Diagnostics._0_is_declared_but_its_value_is_never_read, bindingNameText(first(declarations).name)) : createDiagnosticForNode(declarationList.parent.kind === 243 ? declarationList.parent : declarationList, Diagnostics.All_variables_are_unused)
              );
            } else {
              for (const decl of declarations) {
                addDiagnostic(decl, 0, createDiagnosticForNode(decl, Diagnostics._0_is_declared_but_its_value_is_never_read, bindingNameText(decl.name)));
              }
            }
          });
        }
        function checkPotentialUncheckedRenamedBindingElementsInTypes() {
          var _a;
          for (const node of potentialUnusedRenamedBindingElementsInTypes) {
            if (!((_a = getSymbolOfDeclaration(node)) == null ? void 0 : _a.isReferenced)) {
              const wrappingDeclaration = walkUpBindingElementsAndPatterns(node);
              Debug.assert(isPartOfParameterDeclaration(wrappingDeclaration), "Only parameter declaration should be checked here");
              const diagnostic = createDiagnosticForNode(node.name, Diagnostics._0_is_an_unused_renaming_of_1_Did_you_intend_to_use_it_as_a_type_annotation, declarationNameToString(node.name), declarationNameToString(node.propertyName));
              if (!wrappingDeclaration.type) {
                addRelatedInfo(
                  diagnostic,
                  createFileDiagnostic(getSourceFileOfNode(wrappingDeclaration), wrappingDeclaration.end, 1, Diagnostics.We_can_only_write_a_type_for_0_by_adding_a_type_for_the_entire_parameter_here, declarationNameToString(node.propertyName))
                );
              }
              diagnostics.add(diagnostic);
            }
          }
        }
        function bindingNameText(name) {
          switch (name.kind) {
            case 80:
              return idText(name);
            case 207:
            case 206:
              return bindingNameText(cast(first(name.elements), isBindingElement).name);
            default:
              return Debug.assertNever(name);
          }
        }
        function isImportedDeclaration(node) {
          return node.kind === 273 || node.kind === 276 || node.kind === 274;
        }
        function importClauseFromImported(decl) {
          return decl.kind === 273 ? decl : decl.kind === 274 ? decl.parent : decl.parent.parent;
        }
        function checkBlock(node) {
          if (node.kind === 241) {
            checkGrammarStatementInAmbientContext(node);
          }
          if (isFunctionOrModuleBlock(node)) {
            const saveFlowAnalysisDisabled = flowAnalysisDisabled;
            forEach(node.statements, checkSourceElement);
            flowAnalysisDisabled = saveFlowAnalysisDisabled;
          } else {
            forEach(node.statements, checkSourceElement);
          }
          if (node.locals) {
            registerForUnusedIdentifiersCheck(node);
          }
        }
        function checkCollisionWithArgumentsInGeneratedCode(node) {
          if (languageVersion >= 2 || !hasRestParameter(node) || node.flags & 33554432 || nodeIsMissing(node.body)) {
            return;
          }
          forEach(node.parameters, (p) => {
            if (p.name && !isBindingPattern(p.name) && p.name.escapedText === argumentsSymbol.escapedName) {
              errorSkippedOn("noEmit", p, Diagnostics.Duplicate_identifier_arguments_Compiler_uses_arguments_to_initialize_rest_parameters);
            }
          });
        }
        function needCollisionCheckForIdentifier(node, identifier, name) {
          if ((identifier == null ? void 0 : identifier.escapedText) !== name) {
            return false;
          }
          if (node.kind === 172 || node.kind === 171 || node.kind === 174 || node.kind === 173 || node.kind === 177 || node.kind === 178 || node.kind === 303) {
            return false;
          }
          if (node.flags & 33554432) {
            return false;
          }
          if (isImportClause(node) || isImportEqualsDeclaration(node) || isImportSpecifier(node)) {
            if (isTypeOnlyImportOrExportDeclaration(node)) {
              return false;
            }
          }
          const root2 = getRootDeclaration(node);
          if (isParameter(root2) && nodeIsMissing(root2.parent.body)) {
            return false;
          }
          return true;
        }
        function checkIfThisIsCapturedInEnclosingScope(node) {
          findAncestor(node, (current) => {
            if (getNodeCheckFlags(current) & 4) {
              const isDeclaration2 = node.kind !== 80;
              if (isDeclaration2) {
                error2(getNameOfDeclaration(node), Diagnostics.Duplicate_identifier_this_Compiler_uses_variable_declaration_this_to_capture_this_reference);
              } else {
                error2(node, Diagnostics.Expression_resolves_to_variable_declaration_this_that_compiler_uses_to_capture_this_reference);
              }
              return true;
            }
            return false;
          });
        }
        function checkIfNewTargetIsCapturedInEnclosingScope(node) {
          findAncestor(node, (current) => {
            if (getNodeCheckFlags(current) & 8) {
              const isDeclaration2 = node.kind !== 80;
              if (isDeclaration2) {
                error2(getNameOfDeclaration(node), Diagnostics.Duplicate_identifier_newTarget_Compiler_uses_variable_declaration_newTarget_to_capture_new_target_meta_property_reference);
              } else {
                error2(node, Diagnostics.Expression_resolves_to_variable_declaration_newTarget_that_compiler_uses_to_capture_new_target_meta_property_reference);
              }
              return true;
            }
            return false;
          });
        }
        function checkCollisionWithRequireExportsInGeneratedCode(node, name) {
          if (moduleKind >= 5 && !(moduleKind >= 100 && getSourceFileOfNode(node).impliedNodeFormat === 1)) {
            return;
          }
          if (!name || !needCollisionCheckForIdentifier(node, name, "require") && !needCollisionCheckForIdentifier(node, name, "exports")) {
            return;
          }
          if (isModuleDeclaration(node) && getModuleInstanceState(node) !== 1) {
            return;
          }
          const parent2 = getDeclarationContainer(node);
          if (parent2.kind === 307 && isExternalOrCommonJsModule(parent2)) {
            errorSkippedOn("noEmit", name, Diagnostics.Duplicate_identifier_0_Compiler_reserves_name_1_in_top_level_scope_of_a_module, declarationNameToString(name), declarationNameToString(name));
          }
        }
        function checkCollisionWithGlobalPromiseInGeneratedCode(node, name) {
          if (!name || languageVersion >= 4 || !needCollisionCheckForIdentifier(node, name, "Promise")) {
            return;
          }
          if (isModuleDeclaration(node) && getModuleInstanceState(node) !== 1) {
            return;
          }
          const parent2 = getDeclarationContainer(node);
          if (parent2.kind === 307 && isExternalOrCommonJsModule(parent2) && parent2.flags & 4096) {
            errorSkippedOn("noEmit", name, Diagnostics.Duplicate_identifier_0_Compiler_reserves_name_1_in_top_level_scope_of_a_module_containing_async_functions, declarationNameToString(name), declarationNameToString(name));
          }
        }
        function recordPotentialCollisionWithWeakMapSetInGeneratedCode(node, name) {
          if (languageVersion <= 8 && (needCollisionCheckForIdentifier(node, name, "WeakMap") || needCollisionCheckForIdentifier(node, name, "WeakSet"))) {
            potentialWeakMapSetCollisions.push(node);
          }
        }
        function checkWeakMapSetCollision(node) {
          const enclosingBlockScope = getEnclosingBlockScopeContainer(node);
          if (getNodeCheckFlags(enclosingBlockScope) & 1048576) {
            Debug.assert(isNamedDeclaration(node) && isIdentifier(node.name) && typeof node.name.escapedText === "string", "The target of a WeakMap/WeakSet collision check should be an identifier");
            errorSkippedOn("noEmit", node, Diagnostics.Compiler_reserves_name_0_when_emitting_private_identifier_downlevel, node.name.escapedText);
          }
        }
        function recordPotentialCollisionWithReflectInGeneratedCode(node, name) {
          if (name && languageVersion >= 2 && languageVersion <= 8 && needCollisionCheckForIdentifier(node, name, "Reflect")) {
            potentialReflectCollisions.push(node);
          }
        }
        function checkReflectCollision(node) {
          let hasCollision = false;
          if (isClassExpression(node)) {
            for (const member of node.members) {
              if (getNodeCheckFlags(member) & 2097152) {
                hasCollision = true;
                break;
              }
            }
          } else if (isFunctionExpression(node)) {
            if (getNodeCheckFlags(node) & 2097152) {
              hasCollision = true;
            }
          } else {
            const container = getEnclosingBlockScopeContainer(node);
            if (container && getNodeCheckFlags(container) & 2097152) {
              hasCollision = true;
            }
          }
          if (hasCollision) {
            Debug.assert(isNamedDeclaration(node) && isIdentifier(node.name), "The target of a Reflect collision check should be an identifier");
            errorSkippedOn("noEmit", node, Diagnostics.Duplicate_identifier_0_Compiler_reserves_name_1_when_emitting_super_references_in_static_initializers, declarationNameToString(node.name), "Reflect");
          }
        }
        function checkCollisionsForDeclarationName(node, name) {
          if (!name) return;
          checkCollisionWithRequireExportsInGeneratedCode(node, name);
          checkCollisionWithGlobalPromiseInGeneratedCode(node, name);
          recordPotentialCollisionWithWeakMapSetInGeneratedCode(node, name);
          recordPotentialCollisionWithReflectInGeneratedCode(node, name);
          if (isClassLike(node)) {
            checkTypeNameIsReserved(name, Diagnostics.Class_name_cannot_be_0);
            if (!(node.flags & 33554432)) {
              checkClassNameCollisionWithObject(name);
            }
          } else if (isEnumDeclaration(node)) {
            checkTypeNameIsReserved(name, Diagnostics.Enum_name_cannot_be_0);
          }
        }
        function checkVarDeclaredNamesNotShadowed(node) {
          if ((getCombinedNodeFlagsCached(node) & 7) !== 0 || isPartOfParameterDeclaration(node)) {
            return;
          }
          const symbol = getSymbolOfDeclaration(node);
          if (symbol.flags & 1) {
            if (!isIdentifier(node.name)) return Debug.fail();
            const localDeclarationSymbol = resolveName(
              node,
              node.name.escapedText,
              3,
              /*nameNotFoundMessage*/
              void 0,
              /*isUse*/
              false
            );
            if (localDeclarationSymbol && localDeclarationSymbol !== symbol && localDeclarationSymbol.flags & 2) {
              if (getDeclarationNodeFlagsFromSymbol(localDeclarationSymbol) & 7) {
                const varDeclList = getAncestor2(
                  localDeclarationSymbol.valueDeclaration,
                  261
                  /* VariableDeclarationList */
                );
                const container = varDeclList.parent.kind === 243 && varDeclList.parent.parent ? varDeclList.parent.parent : void 0;
                const namesShareScope = container && (container.kind === 241 && isFunctionLike(container.parent) || container.kind === 268 || container.kind === 267 || container.kind === 307);
                if (!namesShareScope) {
                  const name = symbolToString2(localDeclarationSymbol);
                  error2(node, Diagnostics.Cannot_initialize_outer_scoped_variable_0_in_the_same_scope_as_block_scoped_declaration_1, name, name);
                }
              }
            }
          }
        }
        function convertAutoToAny(type) {
          return type === autoType ? anyType2 : type === autoArrayType ? anyArrayType : type;
        }
        function checkVariableLikeDeclaration(node) {
          var _a;
          checkDecorators(node);
          if (!isBindingElement(node)) {
            checkSourceElement(node.type);
          }
          if (!node.name) {
            return;
          }
          if (node.name.kind === 167) {
            checkComputedPropertyName(node.name);
            if (hasOnlyExpressionInitializer(node) && node.initializer) {
              checkExpressionCached(node.initializer);
            }
          }
          if (isBindingElement(node)) {
            if (node.propertyName && isIdentifier(node.name) && isPartOfParameterDeclaration(node) && nodeIsMissing(getContainingFunction(node).body)) {
              potentialUnusedRenamedBindingElementsInTypes.push(node);
              return;
            }
            if (isObjectBindingPattern(node.parent) && node.dotDotDotToken && languageVersion < 5) {
              checkExternalEmitHelpers(
                node,
                4
                /* Rest */
              );
            }
            if (node.propertyName && node.propertyName.kind === 167) {
              checkComputedPropertyName(node.propertyName);
            }
            const parent2 = node.parent.parent;
            const parentCheckMode = node.dotDotDotToken ? 32 : 0;
            const parentType = getTypeForBindingElementParent(parent2, parentCheckMode);
            const name = node.propertyName || node.name;
            if (parentType && !isBindingPattern(name)) {
              const exprType = getLiteralTypeFromPropertyName(name);
              if (isTypeUsableAsPropertyName(exprType)) {
                const nameText = getPropertyNameFromType(exprType);
                const property = getPropertyOfType(parentType, nameText);
                if (property) {
                  markPropertyAsReferenced(
                    property,
                    /*nodeForCheckWriteOnly*/
                    void 0,
                    /*isSelfTypeAccess*/
                    false
                  );
                  checkPropertyAccessibility(
                    node,
                    !!parent2.initializer && parent2.initializer.kind === 108,
                    /*writing*/
                    false,
                    parentType,
                    property
                  );
                }
              }
            }
          }
          if (isBindingPattern(node.name)) {
            if (node.name.kind === 207 && languageVersion < 2 && compilerOptions.downlevelIteration) {
              checkExternalEmitHelpers(
                node,
                512
                /* Read */
              );
            }
            forEach(node.name.elements, checkSourceElement);
          }
          if (node.initializer && isPartOfParameterDeclaration(node) && nodeIsMissing(getContainingFunction(node).body)) {
            error2(node, Diagnostics.A_parameter_initializer_is_only_allowed_in_a_function_or_constructor_implementation);
            return;
          }
          if (isBindingPattern(node.name)) {
            if (isInAmbientOrTypeNode(node)) {
              return;
            }
            const needCheckInitializer = hasOnlyExpressionInitializer(node) && node.initializer && node.parent.parent.kind !== 249;
            const needCheckWidenedType = !some(node.name.elements, not(isOmittedExpression));
            if (needCheckInitializer || needCheckWidenedType) {
              const widenedType = getWidenedTypeForVariableLikeDeclaration(node);
              if (needCheckInitializer) {
                const initializerType = checkExpressionCached(node.initializer);
                if (strictNullChecks && needCheckWidenedType) {
                  checkNonNullNonVoidType(initializerType, node);
                } else {
                  checkTypeAssignableToAndOptionallyElaborate(initializerType, getWidenedTypeForVariableLikeDeclaration(node), node, node.initializer);
                }
              }
              if (needCheckWidenedType) {
                if (isArrayBindingPattern(node.name)) {
                  checkIteratedTypeOrElementType(65, widenedType, undefinedType2, node);
                } else if (strictNullChecks) {
                  checkNonNullNonVoidType(widenedType, node);
                }
              }
            }
            return;
          }
          const symbol = getSymbolOfDeclaration(node);
          if (symbol.flags & 2097152 && (isVariableDeclarationInitializedToBareOrAccessedRequire(node) || isBindingElementOfBareOrAccessedRequire(node))) {
            checkAliasSymbol(node);
            return;
          }
          const type = convertAutoToAny(getTypeOfSymbol(symbol));
          if (node === symbol.valueDeclaration) {
            const initializer = hasOnlyExpressionInitializer(node) && getEffectiveInitializer(node);
            if (initializer) {
              const isJSObjectLiteralInitializer = isInJSFile(node) && isObjectLiteralExpression(initializer) && (initializer.properties.length === 0 || isPrototypeAccess(node.name)) && !!((_a = symbol.exports) == null ? void 0 : _a.size);
              if (!isJSObjectLiteralInitializer && node.parent.parent.kind !== 249) {
                const initializerType = checkExpressionCached(initializer);
                checkTypeAssignableToAndOptionallyElaborate(
                  initializerType,
                  type,
                  node,
                  initializer,
                  /*headMessage*/
                  void 0
                );
                const blockScopeKind = getCombinedNodeFlagsCached(node) & 7;
                if (blockScopeKind === 6) {
                  const globalAsyncDisposableType = getGlobalAsyncDisposableType(
                    /*reportErrors*/
                    true
                  );
                  const globalDisposableType = getGlobalDisposableType(
                    /*reportErrors*/
                    true
                  );
                  if (globalAsyncDisposableType !== emptyObjectType && globalDisposableType !== emptyObjectType) {
                    const optionalDisposableType = getUnionType([globalAsyncDisposableType, globalDisposableType, nullType2, undefinedType2]);
                    checkTypeAssignableTo(initializerType, optionalDisposableType, initializer, Diagnostics.The_initializer_of_an_await_using_declaration_must_be_either_an_object_with_a_Symbol_asyncDispose_or_Symbol_dispose_method_or_be_null_or_undefined);
                  }
                } else if (blockScopeKind === 4) {
                  const globalDisposableType = getGlobalDisposableType(
                    /*reportErrors*/
                    true
                  );
                  if (globalDisposableType !== emptyObjectType) {
                    const optionalDisposableType = getUnionType([globalDisposableType, nullType2, undefinedType2]);
                    checkTypeAssignableTo(initializerType, optionalDisposableType, initializer, Diagnostics.The_initializer_of_a_using_declaration_must_be_either_an_object_with_a_Symbol_dispose_method_or_be_null_or_undefined);
                  }
                }
              }
            }
            if (symbol.declarations && symbol.declarations.length > 1) {
              if (some(symbol.declarations, (d) => d !== node && isVariableLike(d) && !areDeclarationFlagsIdentical(d, node))) {
                error2(node.name, Diagnostics.All_declarations_of_0_must_have_identical_modifiers, declarationNameToString(node.name));
              }
            }
          } else {
            const declarationType = convertAutoToAny(getWidenedTypeForVariableLikeDeclaration(node));
            if (!isErrorType(type) && !isErrorType(declarationType) && !isTypeIdenticalTo(type, declarationType) && !(symbol.flags & 67108864)) {
              errorNextVariableOrPropertyDeclarationMustHaveSameType(symbol.valueDeclaration, type, node, declarationType);
            }
            if (hasOnlyExpressionInitializer(node) && node.initializer) {
              checkTypeAssignableToAndOptionallyElaborate(
                checkExpressionCached(node.initializer),
                declarationType,
                node,
                node.initializer,
                /*headMessage*/
                void 0
              );
            }
            if (symbol.valueDeclaration && !areDeclarationFlagsIdentical(node, symbol.valueDeclaration)) {
              error2(node.name, Diagnostics.All_declarations_of_0_must_have_identical_modifiers, declarationNameToString(node.name));
            }
          }
          if (node.kind !== 172 && node.kind !== 171) {
            checkExportsOnMergedDeclarations(node);
            if (node.kind === 260 || node.kind === 208) {
              checkVarDeclaredNamesNotShadowed(node);
            }
            checkCollisionsForDeclarationName(node, node.name);
          }
        }
        function errorNextVariableOrPropertyDeclarationMustHaveSameType(firstDeclaration, firstType, nextDeclaration, nextType) {
          const nextDeclarationName = getNameOfDeclaration(nextDeclaration);
          const message = nextDeclaration.kind === 172 || nextDeclaration.kind === 171 ? Diagnostics.Subsequent_property_declarations_must_have_the_same_type_Property_0_must_be_of_type_1_but_here_has_type_2 : Diagnostics.Subsequent_variable_declarations_must_have_the_same_type_Variable_0_must_be_of_type_1_but_here_has_type_2;
          const declName = declarationNameToString(nextDeclarationName);
          const err = error2(
            nextDeclarationName,
            message,
            declName,
            typeToString(firstType),
            typeToString(nextType)
          );
          if (firstDeclaration) {
            addRelatedInfo(err, createDiagnosticForNode(firstDeclaration, Diagnostics._0_was_also_declared_here, declName));
          }
        }
        function areDeclarationFlagsIdentical(left, right) {
          if (left.kind === 169 && right.kind === 260 || left.kind === 260 && right.kind === 169) {
            return true;
          }
          if (hasQuestionToken(left) !== hasQuestionToken(right)) {
            return false;
          }
          const interestingFlags = 2 | 4 | 1024 | 64 | 8 | 256;
          return getSelectedEffectiveModifierFlags(left, interestingFlags) === getSelectedEffectiveModifierFlags(right, interestingFlags);
        }
        function checkVariableDeclaration(node) {
          var _a, _b;
          (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Check, "checkVariableDeclaration", { kind: node.kind, pos: node.pos, end: node.end, path: node.tracingPath });
          checkGrammarVariableDeclaration(node);
          checkVariableLikeDeclaration(node);
          (_b = tracing) == null ? void 0 : _b.pop();
        }
        function checkBindingElement(node) {
          checkGrammarBindingElement(node);
          return checkVariableLikeDeclaration(node);
        }
        function checkVariableDeclarationList(node) {
          const blockScopeKind = getCombinedNodeFlags(node) & 7;
          if ((blockScopeKind === 4 || blockScopeKind === 6) && languageVersion < 99) {
            checkExternalEmitHelpers(
              node,
              16777216
              /* AddDisposableResourceAndDisposeResources */
            );
          }
          forEach(node.declarations, checkSourceElement);
        }
        function checkVariableStatement(node) {
          if (!checkGrammarModifiers(node) && !checkGrammarVariableDeclarationList(node.declarationList)) checkGrammarForDisallowedBlockScopedVariableStatement(node);
          checkVariableDeclarationList(node.declarationList);
        }
        function checkExpressionStatement(node) {
          checkGrammarStatementInAmbientContext(node);
          checkExpression(node.expression);
        }
        function checkIfStatement(node) {
          checkGrammarStatementInAmbientContext(node);
          const type = checkTruthinessExpression(node.expression);
          checkTestingKnownTruthyCallableOrAwaitableOrEnumMemberType(node.expression, type, node.thenStatement);
          checkSourceElement(node.thenStatement);
          if (node.thenStatement.kind === 242) {
            error2(node.thenStatement, Diagnostics.The_body_of_an_if_statement_cannot_be_the_empty_statement);
          }
          checkSourceElement(node.elseStatement);
        }
        function checkTestingKnownTruthyCallableOrAwaitableOrEnumMemberType(condExpr, condType, body) {
          if (!strictNullChecks) return;
          bothHelper(condExpr, body);
          function bothHelper(condExpr2, body2) {
            condExpr2 = skipParentheses(condExpr2);
            helper(condExpr2, body2);
            while (isBinaryExpression(condExpr2) && (condExpr2.operatorToken.kind === 57 || condExpr2.operatorToken.kind === 61)) {
              condExpr2 = skipParentheses(condExpr2.left);
              helper(condExpr2, body2);
            }
          }
          function helper(condExpr2, body2) {
            const location = isLogicalOrCoalescingBinaryExpression(condExpr2) ? skipParentheses(condExpr2.right) : condExpr2;
            if (isModuleExportsAccessExpression(location)) {
              return;
            }
            if (isLogicalOrCoalescingBinaryExpression(location)) {
              bothHelper(location, body2);
              return;
            }
            const type = location === condExpr2 ? condType : checkTruthinessExpression(location);
            if (type.flags & 1024 && isPropertyAccessExpression(location) && (getNodeLinks(location.expression).resolvedSymbol ?? unknownSymbol).flags & 384) {
              error2(location, Diagnostics.This_condition_will_always_return_0, !!type.value ? "true" : "false");
              return;
            }
            const isPropertyExpressionCast = isPropertyAccessExpression(location) && isTypeAssertion(location.expression);
            if (!hasTypeFacts(
              type,
              4194304
              /* Truthy */
            ) || isPropertyExpressionCast) return;
            const callSignatures = getSignaturesOfType(
              type,
              0
              /* Call */
            );
            const isPromise = !!getAwaitedTypeOfPromise(type);
            if (callSignatures.length === 0 && !isPromise) {
              return;
            }
            const testedNode = isIdentifier(location) ? location : isPropertyAccessExpression(location) ? location.name : void 0;
            const testedSymbol = testedNode && getSymbolAtLocation(testedNode);
            if (!testedSymbol && !isPromise) {
              return;
            }
            const isUsed = testedSymbol && isBinaryExpression(condExpr2.parent) && isSymbolUsedInBinaryExpressionChain(condExpr2.parent, testedSymbol) || testedSymbol && body2 && isSymbolUsedInConditionBody(condExpr2, body2, testedNode, testedSymbol);
            if (!isUsed) {
              if (isPromise) {
                errorAndMaybeSuggestAwait(
                  location,
                  /*maybeMissingAwait*/
                  true,
                  Diagnostics.This_condition_will_always_return_true_since_this_0_is_always_defined,
                  getTypeNameForErrorDisplay(type)
                );
              } else {
                error2(location, Diagnostics.This_condition_will_always_return_true_since_this_function_is_always_defined_Did_you_mean_to_call_it_instead);
              }
            }
          }
        }
        function isSymbolUsedInConditionBody(expr, body, testedNode, testedSymbol) {
          return !!forEachChild(body, function check(childNode) {
            if (isIdentifier(childNode)) {
              const childSymbol = getSymbolAtLocation(childNode);
              if (childSymbol && childSymbol === testedSymbol) {
                if (isIdentifier(expr) || isIdentifier(testedNode) && isBinaryExpression(testedNode.parent)) {
                  return true;
                }
                let testedExpression = testedNode.parent;
                let childExpression = childNode.parent;
                while (testedExpression && childExpression) {
                  if (isIdentifier(testedExpression) && isIdentifier(childExpression) || testedExpression.kind === 110 && childExpression.kind === 110) {
                    return getSymbolAtLocation(testedExpression) === getSymbolAtLocation(childExpression);
                  } else if (isPropertyAccessExpression(testedExpression) && isPropertyAccessExpression(childExpression)) {
                    if (getSymbolAtLocation(testedExpression.name) !== getSymbolAtLocation(childExpression.name)) {
                      return false;
                    }
                    childExpression = childExpression.expression;
                    testedExpression = testedExpression.expression;
                  } else if (isCallExpression2(testedExpression) && isCallExpression2(childExpression)) {
                    childExpression = childExpression.expression;
                    testedExpression = testedExpression.expression;
                  } else {
                    return false;
                  }
                }
              }
            }
            return forEachChild(childNode, check);
          });
        }
        function isSymbolUsedInBinaryExpressionChain(node, testedSymbol) {
          while (isBinaryExpression(node) && node.operatorToken.kind === 56) {
            const isUsed = forEachChild(node.right, function visit(child) {
              if (isIdentifier(child)) {
                const symbol = getSymbolAtLocation(child);
                if (symbol && symbol === testedSymbol) {
                  return true;
                }
              }
              return forEachChild(child, visit);
            });
            if (isUsed) {
              return true;
            }
            node = node.parent;
          }
          return false;
        }
        function checkDoStatement(node) {
          checkGrammarStatementInAmbientContext(node);
          checkSourceElement(node.statement);
          checkTruthinessExpression(node.expression);
        }
        function checkWhileStatement(node) {
          checkGrammarStatementInAmbientContext(node);
          checkTruthinessExpression(node.expression);
          checkSourceElement(node.statement);
        }
        function checkTruthinessOfType(type, node) {
          if (type.flags & 16384) {
            error2(node, Diagnostics.An_expression_of_type_void_cannot_be_tested_for_truthiness);
          }
          return type;
        }
        function checkTruthinessExpression(node, checkMode) {
          return checkTruthinessOfType(checkExpression(node, checkMode), node);
        }
        function checkForStatement(node) {
          if (!checkGrammarStatementInAmbientContext(node)) {
            if (node.initializer && node.initializer.kind === 261) {
              checkGrammarVariableDeclarationList(node.initializer);
            }
          }
          if (node.initializer) {
            if (node.initializer.kind === 261) {
              checkVariableDeclarationList(node.initializer);
            } else {
              checkExpression(node.initializer);
            }
          }
          if (node.condition) checkTruthinessExpression(node.condition);
          if (node.incrementor) checkExpression(node.incrementor);
          checkSourceElement(node.statement);
          if (node.locals) {
            registerForUnusedIdentifiersCheck(node);
          }
        }
        function checkForOfStatement(node) {
          checkGrammarForInOrForOfStatement(node);
          const container = getContainingFunctionOrClassStaticBlock(node);
          if (node.awaitModifier) {
            if (container && isClassStaticBlockDeclaration(container)) {
              grammarErrorOnNode(node.awaitModifier, Diagnostics.for_await_loops_cannot_be_used_inside_a_class_static_block);
            } else {
              const functionFlags = getFunctionFlags(container);
              if ((functionFlags & (4 | 2)) === 2 && languageVersion < 5) {
                checkExternalEmitHelpers(
                  node,
                  16384
                  /* ForAwaitOfIncludes */
                );
              }
            }
          } else if (compilerOptions.downlevelIteration && languageVersion < 2) {
            checkExternalEmitHelpers(
              node,
              256
              /* ForOfIncludes */
            );
          }
          if (node.initializer.kind === 261) {
            checkVariableDeclarationList(node.initializer);
          } else {
            const varExpr = node.initializer;
            const iteratedType = checkRightHandSideOfForOf(node);
            if (varExpr.kind === 209 || varExpr.kind === 210) {
              checkDestructuringAssignment(varExpr, iteratedType || errorType);
            } else {
              const leftType = checkExpression(varExpr);
              checkReferenceExpression(
                varExpr,
                Diagnostics.The_left_hand_side_of_a_for_of_statement_must_be_a_variable_or_a_property_access,
                Diagnostics.The_left_hand_side_of_a_for_of_statement_may_not_be_an_optional_property_access
              );
              if (iteratedType) {
                checkTypeAssignableToAndOptionallyElaborate(iteratedType, leftType, varExpr, node.expression);
              }
            }
          }
          checkSourceElement(node.statement);
          if (node.locals) {
            registerForUnusedIdentifiersCheck(node);
          }
        }
        function checkForInStatement(node) {
          checkGrammarForInOrForOfStatement(node);
          const rightType = getNonNullableTypeIfNeeded(checkExpression(node.expression));
          if (node.initializer.kind === 261) {
            const variable = node.initializer.declarations[0];
            if (variable && isBindingPattern(variable.name)) {
              error2(variable.name, Diagnostics.The_left_hand_side_of_a_for_in_statement_cannot_be_a_destructuring_pattern);
            }
            checkVariableDeclarationList(node.initializer);
          } else {
            const varExpr = node.initializer;
            const leftType = checkExpression(varExpr);
            if (varExpr.kind === 209 || varExpr.kind === 210) {
              error2(varExpr, Diagnostics.The_left_hand_side_of_a_for_in_statement_cannot_be_a_destructuring_pattern);
            } else if (!isTypeAssignableTo(getIndexTypeOrString(rightType), leftType)) {
              error2(varExpr, Diagnostics.The_left_hand_side_of_a_for_in_statement_must_be_of_type_string_or_any);
            } else {
              checkReferenceExpression(
                varExpr,
                Diagnostics.The_left_hand_side_of_a_for_in_statement_must_be_a_variable_or_a_property_access,
                Diagnostics.The_left_hand_side_of_a_for_in_statement_may_not_be_an_optional_property_access
              );
            }
          }
          if (rightType === neverType2 || !isTypeAssignableToKind(
            rightType,
            67108864 | 58982400
            /* InstantiableNonPrimitive */
          )) {
            error2(node.expression, Diagnostics.The_right_hand_side_of_a_for_in_statement_must_be_of_type_any_an_object_type_or_a_type_parameter_but_here_has_type_0, typeToString(rightType));
          }
          checkSourceElement(node.statement);
          if (node.locals) {
            registerForUnusedIdentifiersCheck(node);
          }
        }
        function checkRightHandSideOfForOf(statement) {
          const use = statement.awaitModifier ? 15 : 13;
          return checkIteratedTypeOrElementType(use, checkNonNullExpression(statement.expression), undefinedType2, statement.expression);
        }
        function checkIteratedTypeOrElementType(use, inputType, sentType, errorNode) {
          if (isTypeAny(inputType)) {
            return inputType;
          }
          return getIteratedTypeOrElementType(
            use,
            inputType,
            sentType,
            errorNode,
            /*checkAssignability*/
            true
          ) || anyType2;
        }
        function getIteratedTypeOrElementType(use, inputType, sentType, errorNode, checkAssignability) {
          const allowAsyncIterables = (use & 2) !== 0;
          if (inputType === neverType2) {
            if (errorNode) {
              reportTypeNotIterableError(errorNode, inputType, allowAsyncIterables);
            }
            return void 0;
          }
          const uplevelIteration = languageVersion >= 2;
          const downlevelIteration = !uplevelIteration && compilerOptions.downlevelIteration;
          const possibleOutOfBounds = compilerOptions.noUncheckedIndexedAccess && !!(use & 128);
          if (uplevelIteration || downlevelIteration || allowAsyncIterables) {
            const iterationTypes = getIterationTypesOfIterable(inputType, use, uplevelIteration ? errorNode : void 0);
            if (checkAssignability) {
              if (iterationTypes) {
                const diagnostic = use & 8 ? Diagnostics.Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_for_of_will_always_send_0 : use & 32 ? Diagnostics.Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_array_spread_will_always_send_0 : use & 64 ? Diagnostics.Cannot_iterate_value_because_the_next_method_of_its_iterator_expects_type_1_but_array_destructuring_will_always_send_0 : use & 16 ? Diagnostics.Cannot_delegate_iteration_to_value_because_the_next_method_of_its_iterator_expects_type_1_but_the_containing_generator_will_always_send_0 : void 0;
                if (diagnostic) {
                  checkTypeAssignableTo(sentType, iterationTypes.nextType, errorNode, diagnostic);
                }
              }
            }
            if (iterationTypes || uplevelIteration) {
              return possibleOutOfBounds ? includeUndefinedInIndexSignature(iterationTypes && iterationTypes.yieldType) : iterationTypes && iterationTypes.yieldType;
            }
          }
          let arrayType2 = inputType;
          let hasStringConstituent = false;
          if (use & 4) {
            if (arrayType2.flags & 1048576) {
              const arrayTypes = inputType.types;
              const filteredTypes = filter(arrayTypes, (t) => !(t.flags & 402653316));
              if (filteredTypes !== arrayTypes) {
                arrayType2 = getUnionType(
                  filteredTypes,
                  2
                  /* Subtype */
                );
              }
            } else if (arrayType2.flags & 402653316) {
              arrayType2 = neverType2;
            }
            hasStringConstituent = arrayType2 !== inputType;
            if (hasStringConstituent) {
              if (arrayType2.flags & 131072) {
                return possibleOutOfBounds ? includeUndefinedInIndexSignature(stringType2) : stringType2;
              }
            }
          }
          if (!isArrayLikeType(arrayType2)) {
            if (errorNode) {
              const allowsStrings = !!(use & 4) && !hasStringConstituent;
              const [defaultDiagnostic, maybeMissingAwait] = getIterationDiagnosticDetails(allowsStrings, downlevelIteration);
              errorAndMaybeSuggestAwait(
                errorNode,
                maybeMissingAwait && !!getAwaitedTypeOfPromise(arrayType2),
                defaultDiagnostic,
                typeToString(arrayType2)
              );
            }
            return hasStringConstituent ? possibleOutOfBounds ? includeUndefinedInIndexSignature(stringType2) : stringType2 : void 0;
          }
          const arrayElementType = getIndexTypeOfType(arrayType2, numberType2);
          if (hasStringConstituent && arrayElementType) {
            if (arrayElementType.flags & 402653316 && !compilerOptions.noUncheckedIndexedAccess) {
              return stringType2;
            }
            return getUnionType(
              possibleOutOfBounds ? [arrayElementType, stringType2, undefinedType2] : [arrayElementType, stringType2],
              2
              /* Subtype */
            );
          }
          return use & 128 ? includeUndefinedInIndexSignature(arrayElementType) : arrayElementType;
          function getIterationDiagnosticDetails(allowsStrings, downlevelIteration2) {
            var _a;
            if (downlevelIteration2) {
              return allowsStrings ? [Diagnostics.Type_0_is_not_an_array_type_or_a_string_type_or_does_not_have_a_Symbol_iterator_method_that_returns_an_iterator, true] : [Diagnostics.Type_0_is_not_an_array_type_or_does_not_have_a_Symbol_iterator_method_that_returns_an_iterator, true];
            }
            const yieldType = getIterationTypeOfIterable(
              use,
              0,
              inputType,
              /*errorNode*/
              void 0
            );
            if (yieldType) {
              return [Diagnostics.Type_0_can_only_be_iterated_through_when_using_the_downlevelIteration_flag_or_with_a_target_of_es2015_or_higher, false];
            }
            if (isES2015OrLaterIterable((_a = inputType.symbol) == null ? void 0 : _a.escapedName)) {
              return [Diagnostics.Type_0_can_only_be_iterated_through_when_using_the_downlevelIteration_flag_or_with_a_target_of_es2015_or_higher, true];
            }
            return allowsStrings ? [Diagnostics.Type_0_is_not_an_array_type_or_a_string_type, true] : [Diagnostics.Type_0_is_not_an_array_type, true];
          }
        }
        function isES2015OrLaterIterable(n) {
          switch (n) {
            case "Float32Array":
            case "Float64Array":
            case "Int16Array":
            case "Int32Array":
            case "Int8Array":
            case "NodeList":
            case "Uint16Array":
            case "Uint32Array":
            case "Uint8Array":
            case "Uint8ClampedArray":
              return true;
          }
          return false;
        }
        function getIterationTypeOfIterable(use, typeKind, inputType, errorNode) {
          if (isTypeAny(inputType)) {
            return void 0;
          }
          const iterationTypes = getIterationTypesOfIterable(inputType, use, errorNode);
          return iterationTypes && iterationTypes[getIterationTypesKeyFromIterationTypeKind(typeKind)];
        }
        function createIterationTypes(yieldType = neverType2, returnType = neverType2, nextType = unknownType2) {
          if (yieldType.flags & 67359327 && returnType.flags & (1 | 131072 | 2 | 16384 | 32768) && nextType.flags & (1 | 131072 | 2 | 16384 | 32768)) {
            const id = getTypeListId([yieldType, returnType, nextType]);
            let iterationTypes = iterationTypesCache.get(id);
            if (!iterationTypes) {
              iterationTypes = { yieldType, returnType, nextType };
              iterationTypesCache.set(id, iterationTypes);
            }
            return iterationTypes;
          }
          return { yieldType, returnType, nextType };
        }
        function combineIterationTypes(array) {
          let yieldTypes;
          let returnTypes;
          let nextTypes;
          for (const iterationTypes of array) {
            if (iterationTypes === void 0 || iterationTypes === noIterationTypes) {
              continue;
            }
            if (iterationTypes === anyIterationTypes) {
              return anyIterationTypes;
            }
            yieldTypes = append(yieldTypes, iterationTypes.yieldType);
            returnTypes = append(returnTypes, iterationTypes.returnType);
            nextTypes = append(nextTypes, iterationTypes.nextType);
          }
          if (yieldTypes || returnTypes || nextTypes) {
            return createIterationTypes(
              yieldTypes && getUnionType(yieldTypes),
              returnTypes && getUnionType(returnTypes),
              nextTypes && getIntersectionType(nextTypes)
            );
          }
          return noIterationTypes;
        }
        function getCachedIterationTypes(type, cacheKey) {
          return type[cacheKey];
        }
        function setCachedIterationTypes(type, cacheKey, cachedTypes2) {
          return type[cacheKey] = cachedTypes2;
        }
        function getIterationTypesOfIterable(type, use, errorNode) {
          var _a, _b;
          if (isTypeAny(type)) {
            return anyIterationTypes;
          }
          if (!(type.flags & 1048576)) {
            const errorOutputContainer = errorNode ? { errors: void 0 } : void 0;
            const iterationTypes2 = getIterationTypesOfIterableWorker(type, use, errorNode, errorOutputContainer);
            if (iterationTypes2 === noIterationTypes) {
              if (errorNode) {
                const rootDiag = reportTypeNotIterableError(errorNode, type, !!(use & 2));
                if (errorOutputContainer == null ? void 0 : errorOutputContainer.errors) {
                  addRelatedInfo(rootDiag, ...errorOutputContainer.errors);
                }
              }
              return void 0;
            } else if ((_a = errorOutputContainer == null ? void 0 : errorOutputContainer.errors) == null ? void 0 : _a.length) {
              for (const diag2 of errorOutputContainer.errors) {
                diagnostics.add(diag2);
              }
            }
            return iterationTypes2;
          }
          const cacheKey = use & 2 ? "iterationTypesOfAsyncIterable" : "iterationTypesOfIterable";
          const cachedTypes2 = getCachedIterationTypes(type, cacheKey);
          if (cachedTypes2) return cachedTypes2 === noIterationTypes ? void 0 : cachedTypes2;
          let allIterationTypes;
          for (const constituent of type.types) {
            const errorOutputContainer = errorNode ? { errors: void 0 } : void 0;
            const iterationTypes2 = getIterationTypesOfIterableWorker(constituent, use, errorNode, errorOutputContainer);
            if (iterationTypes2 === noIterationTypes) {
              if (errorNode) {
                const rootDiag = reportTypeNotIterableError(errorNode, type, !!(use & 2));
                if (errorOutputContainer == null ? void 0 : errorOutputContainer.errors) {
                  addRelatedInfo(rootDiag, ...errorOutputContainer.errors);
                }
              }
              setCachedIterationTypes(type, cacheKey, noIterationTypes);
              return void 0;
            } else if ((_b = errorOutputContainer == null ? void 0 : errorOutputContainer.errors) == null ? void 0 : _b.length) {
              for (const diag2 of errorOutputContainer.errors) {
                diagnostics.add(diag2);
              }
            }
            allIterationTypes = append(allIterationTypes, iterationTypes2);
          }
          const iterationTypes = allIterationTypes ? combineIterationTypes(allIterationTypes) : noIterationTypes;
          setCachedIterationTypes(type, cacheKey, iterationTypes);
          return iterationTypes === noIterationTypes ? void 0 : iterationTypes;
        }
        function getAsyncFromSyncIterationTypes(iterationTypes, errorNode) {
          if (iterationTypes === noIterationTypes) return noIterationTypes;
          if (iterationTypes === anyIterationTypes) return anyIterationTypes;
          const { yieldType, returnType, nextType } = iterationTypes;
          if (errorNode) {
            getGlobalAwaitedSymbol(
              /*reportErrors*/
              true
            );
          }
          return createIterationTypes(
            getAwaitedType(yieldType, errorNode) || anyType2,
            getAwaitedType(returnType, errorNode) || anyType2,
            nextType
          );
        }
        function getIterationTypesOfIterableWorker(type, use, errorNode, errorOutputContainer) {
          if (isTypeAny(type)) {
            return anyIterationTypes;
          }
          let noCache = false;
          if (use & 2) {
            const iterationTypes = getIterationTypesOfIterableCached(type, asyncIterationTypesResolver) || getIterationTypesOfIterableFast(type, asyncIterationTypesResolver);
            if (iterationTypes) {
              if (iterationTypes === noIterationTypes && errorNode) {
                noCache = true;
              } else {
                return use & 8 ? getAsyncFromSyncIterationTypes(iterationTypes, errorNode) : iterationTypes;
              }
            }
          }
          if (use & 1) {
            let iterationTypes = getIterationTypesOfIterableCached(type, syncIterationTypesResolver) || getIterationTypesOfIterableFast(type, syncIterationTypesResolver);
            if (iterationTypes) {
              if (iterationTypes === noIterationTypes && errorNode) {
                noCache = true;
              } else {
                if (use & 2) {
                  if (iterationTypes !== noIterationTypes) {
                    iterationTypes = getAsyncFromSyncIterationTypes(iterationTypes, errorNode);
                    return noCache ? iterationTypes : setCachedIterationTypes(type, "iterationTypesOfAsyncIterable", iterationTypes);
                  }
                } else {
                  return iterationTypes;
                }
              }
            }
          }
          if (use & 2) {
            const iterationTypes = getIterationTypesOfIterableSlow(type, asyncIterationTypesResolver, errorNode, errorOutputContainer, noCache);
            if (iterationTypes !== noIterationTypes) {
              return iterationTypes;
            }
          }
          if (use & 1) {
            let iterationTypes = getIterationTypesOfIterableSlow(type, syncIterationTypesResolver, errorNode, errorOutputContainer, noCache);
            if (iterationTypes !== noIterationTypes) {
              if (use & 2) {
                iterationTypes = getAsyncFromSyncIterationTypes(iterationTypes, errorNode);
                return noCache ? iterationTypes : setCachedIterationTypes(type, "iterationTypesOfAsyncIterable", iterationTypes);
              } else {
                return iterationTypes;
              }
            }
          }
          return noIterationTypes;
        }
        function getIterationTypesOfIterableCached(type, resolver) {
          return getCachedIterationTypes(type, resolver.iterableCacheKey);
        }
        function getIterationTypesOfGlobalIterableType(globalType, resolver) {
          const globalIterationTypes = getIterationTypesOfIterableCached(globalType, resolver) || getIterationTypesOfIterableSlow(
            globalType,
            resolver,
            /*errorNode*/
            void 0,
            /*errorOutputContainer*/
            void 0,
            /*noCache*/
            false
          );
          return globalIterationTypes === noIterationTypes ? defaultIterationTypes : globalIterationTypes;
        }
        function getIterationTypesOfIterableFast(type, resolver) {
          let globalType;
          if (isReferenceToType2(type, globalType = resolver.getGlobalIterableType(
            /*reportErrors*/
            false
          )) || isReferenceToType2(type, globalType = resolver.getGlobalIterableIteratorType(
            /*reportErrors*/
            false
          ))) {
            const [yieldType] = getTypeArguments(type);
            const { returnType, nextType } = getIterationTypesOfGlobalIterableType(globalType, resolver);
            return setCachedIterationTypes(type, resolver.iterableCacheKey, createIterationTypes(resolver.resolveIterationType(
              yieldType,
              /*errorNode*/
              void 0
            ) || yieldType, resolver.resolveIterationType(
              returnType,
              /*errorNode*/
              void 0
            ) || returnType, nextType));
          }
          if (isReferenceToType2(type, resolver.getGlobalGeneratorType(
            /*reportErrors*/
            false
          ))) {
            const [yieldType, returnType, nextType] = getTypeArguments(type);
            return setCachedIterationTypes(type, resolver.iterableCacheKey, createIterationTypes(resolver.resolveIterationType(
              yieldType,
              /*errorNode*/
              void 0
            ) || yieldType, resolver.resolveIterationType(
              returnType,
              /*errorNode*/
              void 0
            ) || returnType, nextType));
          }
        }
        function getPropertyNameForKnownSymbolName(symbolName2) {
          const ctorType = getGlobalESSymbolConstructorSymbol(
            /*reportErrors*/
            false
          );
          const uniqueType = ctorType && getTypeOfPropertyOfType(getTypeOfSymbol(ctorType), escapeLeadingUnderscores(symbolName2));
          return uniqueType && isTypeUsableAsPropertyName(uniqueType) ? getPropertyNameFromType(uniqueType) : `__@${symbolName2}`;
        }
        function getIterationTypesOfIterableSlow(type, resolver, errorNode, errorOutputContainer, noCache) {
          const method = getPropertyOfType(type, getPropertyNameForKnownSymbolName(resolver.iteratorSymbolName));
          const methodType = method && !(method.flags & 16777216) ? getTypeOfSymbol(method) : void 0;
          if (isTypeAny(methodType)) {
            return noCache ? anyIterationTypes : setCachedIterationTypes(type, resolver.iterableCacheKey, anyIterationTypes);
          }
          const signatures = methodType ? getSignaturesOfType(
            methodType,
            0
            /* Call */
          ) : void 0;
          if (!some(signatures)) {
            return noCache ? noIterationTypes : setCachedIterationTypes(type, resolver.iterableCacheKey, noIterationTypes);
          }
          const iteratorType = getIntersectionType(map(signatures, getReturnTypeOfSignature));
          const iterationTypes = getIterationTypesOfIteratorWorker(iteratorType, resolver, errorNode, errorOutputContainer, noCache) ?? noIterationTypes;
          return noCache ? iterationTypes : setCachedIterationTypes(type, resolver.iterableCacheKey, iterationTypes);
        }
        function reportTypeNotIterableError(errorNode, type, allowAsyncIterables) {
          const message = allowAsyncIterables ? Diagnostics.Type_0_must_have_a_Symbol_asyncIterator_method_that_returns_an_async_iterator : Diagnostics.Type_0_must_have_a_Symbol_iterator_method_that_returns_an_iterator;
          const suggestAwait = (
            // for (const x of Promise<...>) or [...Promise<...>]
            !!getAwaitedTypeOfPromise(type) || !allowAsyncIterables && isForOfStatement(errorNode.parent) && errorNode.parent.expression === errorNode && getGlobalAsyncIterableType(
              /*reportErrors*/
              false
            ) !== emptyGenericType && isTypeAssignableTo(type, getGlobalAsyncIterableType(
              /*reportErrors*/
              false
            ))
          );
          return errorAndMaybeSuggestAwait(errorNode, suggestAwait, message, typeToString(type));
        }
        function getIterationTypesOfIterator(type, resolver, errorNode, errorOutputContainer) {
          return getIterationTypesOfIteratorWorker(
            type,
            resolver,
            errorNode,
            errorOutputContainer,
            /*noCache*/
            false
          );
        }
        function getIterationTypesOfIteratorWorker(type, resolver, errorNode, errorOutputContainer, noCache) {
          if (isTypeAny(type)) {
            return anyIterationTypes;
          }
          let iterationTypes = getIterationTypesOfIteratorCached(type, resolver) || getIterationTypesOfIteratorFast(type, resolver);
          if (iterationTypes === noIterationTypes && errorNode) {
            iterationTypes = void 0;
            noCache = true;
          }
          iterationTypes ?? (iterationTypes = getIterationTypesOfIteratorSlow(type, resolver, errorNode, errorOutputContainer, noCache));
          return iterationTypes === noIterationTypes ? void 0 : iterationTypes;
        }
        function getIterationTypesOfIteratorCached(type, resolver) {
          return getCachedIterationTypes(type, resolver.iteratorCacheKey);
        }
        function getIterationTypesOfIteratorFast(type, resolver) {
          const globalType = resolver.getGlobalIterableIteratorType(
            /*reportErrors*/
            false
          );
          if (isReferenceToType2(type, globalType)) {
            const [yieldType] = getTypeArguments(type);
            const globalIterationTypes = getIterationTypesOfIteratorCached(globalType, resolver) || getIterationTypesOfIteratorSlow(
              globalType,
              resolver,
              /*errorNode*/
              void 0,
              /*errorOutputContainer*/
              void 0,
              /*noCache*/
              false
            );
            const { returnType, nextType } = globalIterationTypes === noIterationTypes ? defaultIterationTypes : globalIterationTypes;
            return setCachedIterationTypes(type, resolver.iteratorCacheKey, createIterationTypes(yieldType, returnType, nextType));
          }
          if (isReferenceToType2(type, resolver.getGlobalIteratorType(
            /*reportErrors*/
            false
          )) || isReferenceToType2(type, resolver.getGlobalGeneratorType(
            /*reportErrors*/
            false
          ))) {
            const [yieldType, returnType, nextType] = getTypeArguments(type);
            return setCachedIterationTypes(type, resolver.iteratorCacheKey, createIterationTypes(yieldType, returnType, nextType));
          }
        }
        function isIteratorResult(type, kind) {
          const doneType = getTypeOfPropertyOfType(type, "done") || falseType;
          return isTypeAssignableTo(kind === 0 ? falseType : trueType, doneType);
        }
        function isYieldIteratorResult(type) {
          return isIteratorResult(
            type,
            0
            /* Yield */
          );
        }
        function isReturnIteratorResult(type) {
          return isIteratorResult(
            type,
            1
            /* Return */
          );
        }
        function getIterationTypesOfIteratorResult(type) {
          if (isTypeAny(type)) {
            return anyIterationTypes;
          }
          const cachedTypes2 = getCachedIterationTypes(type, "iterationTypesOfIteratorResult");
          if (cachedTypes2) {
            return cachedTypes2;
          }
          if (isReferenceToType2(type, getGlobalIteratorYieldResultType(
            /*reportErrors*/
            false
          ))) {
            const yieldType2 = getTypeArguments(type)[0];
            return setCachedIterationTypes(type, "iterationTypesOfIteratorResult", createIterationTypes(
              yieldType2,
              /*returnType*/
              void 0,
              /*nextType*/
              void 0
            ));
          }
          if (isReferenceToType2(type, getGlobalIteratorReturnResultType(
            /*reportErrors*/
            false
          ))) {
            const returnType2 = getTypeArguments(type)[0];
            return setCachedIterationTypes(type, "iterationTypesOfIteratorResult", createIterationTypes(
              /*yieldType*/
              void 0,
              returnType2,
              /*nextType*/
              void 0
            ));
          }
          const yieldIteratorResult = filterType(type, isYieldIteratorResult);
          const yieldType = yieldIteratorResult !== neverType2 ? getTypeOfPropertyOfType(yieldIteratorResult, "value") : void 0;
          const returnIteratorResult = filterType(type, isReturnIteratorResult);
          const returnType = returnIteratorResult !== neverType2 ? getTypeOfPropertyOfType(returnIteratorResult, "value") : void 0;
          if (!yieldType && !returnType) {
            return setCachedIterationTypes(type, "iterationTypesOfIteratorResult", noIterationTypes);
          }
          return setCachedIterationTypes(type, "iterationTypesOfIteratorResult", createIterationTypes(
            yieldType,
            returnType || voidType2,
            /*nextType*/
            void 0
          ));
        }
        function getIterationTypesOfMethod(type, resolver, methodName, errorNode, errorOutputContainer) {
          var _a, _b, _c, _d;
          const method = getPropertyOfType(type, methodName);
          if (!method && methodName !== "next") {
            return void 0;
          }
          const methodType = method && !(methodName === "next" && method.flags & 16777216) ? methodName === "next" ? getTypeOfSymbol(method) : getTypeWithFacts(
            getTypeOfSymbol(method),
            2097152
            /* NEUndefinedOrNull */
          ) : void 0;
          if (isTypeAny(methodType)) {
            return methodName === "next" ? anyIterationTypes : anyIterationTypesExceptNext;
          }
          const methodSignatures = methodType ? getSignaturesOfType(
            methodType,
            0
            /* Call */
          ) : emptyArray;
          if (methodSignatures.length === 0) {
            if (errorNode) {
              const diagnostic = methodName === "next" ? resolver.mustHaveANextMethodDiagnostic : resolver.mustBeAMethodDiagnostic;
              if (errorOutputContainer) {
                errorOutputContainer.errors ?? (errorOutputContainer.errors = []);
                errorOutputContainer.errors.push(createDiagnosticForNode(errorNode, diagnostic, methodName));
              } else {
                error2(errorNode, diagnostic, methodName);
              }
            }
            return methodName === "next" ? noIterationTypes : void 0;
          }
          if ((methodType == null ? void 0 : methodType.symbol) && methodSignatures.length === 1) {
            const globalGeneratorType = resolver.getGlobalGeneratorType(
              /*reportErrors*/
              false
            );
            const globalIteratorType = resolver.getGlobalIteratorType(
              /*reportErrors*/
              false
            );
            const isGeneratorMethod = ((_b = (_a = globalGeneratorType.symbol) == null ? void 0 : _a.members) == null ? void 0 : _b.get(methodName)) === methodType.symbol;
            const isIteratorMethod = !isGeneratorMethod && ((_d = (_c = globalIteratorType.symbol) == null ? void 0 : _c.members) == null ? void 0 : _d.get(methodName)) === methodType.symbol;
            if (isGeneratorMethod || isIteratorMethod) {
              const globalType = isGeneratorMethod ? globalGeneratorType : globalIteratorType;
              const { mapper } = methodType;
              return createIterationTypes(
                getMappedType(globalType.typeParameters[0], mapper),
                getMappedType(globalType.typeParameters[1], mapper),
                methodName === "next" ? getMappedType(globalType.typeParameters[2], mapper) : void 0
              );
            }
          }
          let methodParameterTypes;
          let methodReturnTypes;
          for (const signature of methodSignatures) {
            if (methodName !== "throw" && some(signature.parameters)) {
              methodParameterTypes = append(methodParameterTypes, getTypeAtPosition(signature, 0));
            }
            methodReturnTypes = append(methodReturnTypes, getReturnTypeOfSignature(signature));
          }
          let returnTypes;
          let nextType;
          if (methodName !== "throw") {
            const methodParameterType = methodParameterTypes ? getUnionType(methodParameterTypes) : unknownType2;
            if (methodName === "next") {
              nextType = methodParameterType;
            } else if (methodName === "return") {
              const resolvedMethodParameterType = resolver.resolveIterationType(methodParameterType, errorNode) || anyType2;
              returnTypes = append(returnTypes, resolvedMethodParameterType);
            }
          }
          let yieldType;
          const methodReturnType = methodReturnTypes ? getIntersectionType(methodReturnTypes) : neverType2;
          const resolvedMethodReturnType = resolver.resolveIterationType(methodReturnType, errorNode) || anyType2;
          const iterationTypes = getIterationTypesOfIteratorResult(resolvedMethodReturnType);
          if (iterationTypes === noIterationTypes) {
            if (errorNode) {
              if (errorOutputContainer) {
                errorOutputContainer.errors ?? (errorOutputContainer.errors = []);
                errorOutputContainer.errors.push(createDiagnosticForNode(errorNode, resolver.mustHaveAValueDiagnostic, methodName));
              } else {
                error2(errorNode, resolver.mustHaveAValueDiagnostic, methodName);
              }
            }
            yieldType = anyType2;
            returnTypes = append(returnTypes, anyType2);
          } else {
            yieldType = iterationTypes.yieldType;
            returnTypes = append(returnTypes, iterationTypes.returnType);
          }
          return createIterationTypes(yieldType, getUnionType(returnTypes), nextType);
        }
        function getIterationTypesOfIteratorSlow(type, resolver, errorNode, errorOutputContainer, noCache) {
          const iterationTypes = combineIterationTypes([
            getIterationTypesOfMethod(type, resolver, "next", errorNode, errorOutputContainer),
            getIterationTypesOfMethod(type, resolver, "return", errorNode, errorOutputContainer),
            getIterationTypesOfMethod(type, resolver, "throw", errorNode, errorOutputContainer)
          ]);
          return noCache ? iterationTypes : setCachedIterationTypes(type, resolver.iteratorCacheKey, iterationTypes);
        }
        function getIterationTypeOfGeneratorFunctionReturnType(kind, returnType, isAsyncGenerator) {
          if (isTypeAny(returnType)) {
            return void 0;
          }
          const iterationTypes = getIterationTypesOfGeneratorFunctionReturnType(returnType, isAsyncGenerator);
          return iterationTypes && iterationTypes[getIterationTypesKeyFromIterationTypeKind(kind)];
        }
        function getIterationTypesOfGeneratorFunctionReturnType(type, isAsyncGenerator) {
          if (isTypeAny(type)) {
            return anyIterationTypes;
          }
          const use = isAsyncGenerator ? 2 : 1;
          const resolver = isAsyncGenerator ? asyncIterationTypesResolver : syncIterationTypesResolver;
          return getIterationTypesOfIterable(
            type,
            use,
            /*errorNode*/
            void 0
          ) || getIterationTypesOfIterator(
            type,
            resolver,
            /*errorNode*/
            void 0,
            /*errorOutputContainer*/
            void 0
          );
        }
        function checkBreakOrContinueStatement(node) {
          if (!checkGrammarStatementInAmbientContext(node)) checkGrammarBreakOrContinueStatement(node);
        }
        function unwrapReturnType(returnType, functionFlags) {
          const isGenerator = !!(functionFlags & 1);
          const isAsync2 = !!(functionFlags & 2);
          if (isGenerator) {
            const returnIterationType = getIterationTypeOfGeneratorFunctionReturnType(1, returnType, isAsync2);
            if (!returnIterationType) {
              return errorType;
            }
            return isAsync2 ? getAwaitedTypeNoAlias(unwrapAwaitedType(returnIterationType)) : returnIterationType;
          }
          return isAsync2 ? getAwaitedTypeNoAlias(returnType) || errorType : returnType;
        }
        function isUnwrappedReturnTypeUndefinedVoidOrAny(func, returnType) {
          const type = unwrapReturnType(returnType, getFunctionFlags(func));
          return !!(type && (maybeTypeOfKind(
            type,
            16384
            /* Void */
          ) || type.flags & (1 | 32768)));
        }
        function checkReturnStatement(node) {
          if (checkGrammarStatementInAmbientContext(node)) {
            return;
          }
          const container = getContainingFunctionOrClassStaticBlock(node);
          if (container && isClassStaticBlockDeclaration(container)) {
            grammarErrorOnFirstToken(node, Diagnostics.A_return_statement_cannot_be_used_inside_a_class_static_block);
            return;
          }
          if (!container) {
            grammarErrorOnFirstToken(node, Diagnostics.A_return_statement_can_only_be_used_within_a_function_body);
            return;
          }
          const signature = getSignatureFromDeclaration(container);
          const returnType = getReturnTypeOfSignature(signature);
          const functionFlags = getFunctionFlags(container);
          if (strictNullChecks || node.expression || returnType.flags & 131072) {
            const exprType = node.expression ? checkExpressionCached(node.expression) : undefinedType2;
            if (container.kind === 178) {
              if (node.expression) {
                error2(node, Diagnostics.Setters_cannot_return_a_value);
              }
            } else if (container.kind === 176) {
              if (node.expression && !checkTypeAssignableToAndOptionallyElaborate(exprType, returnType, node, node.expression)) {
                error2(node, Diagnostics.Return_type_of_constructor_signature_must_be_assignable_to_the_instance_type_of_the_class);
              }
            } else if (getReturnTypeFromAnnotation(container)) {
              const unwrappedReturnType = unwrapReturnType(returnType, functionFlags) ?? returnType;
              const unwrappedExprType = functionFlags & 2 ? checkAwaitedType(
                exprType,
                /*withAlias*/
                false,
                node,
                Diagnostics.The_return_type_of_an_async_function_must_either_be_a_valid_promise_or_must_not_contain_a_callable_then_member
              ) : exprType;
              if (unwrappedReturnType) {
                checkTypeAssignableToAndOptionallyElaborate(unwrappedExprType, unwrappedReturnType, node, node.expression);
              }
            }
          } else if (container.kind !== 176 && compilerOptions.noImplicitReturns && !isUnwrappedReturnTypeUndefinedVoidOrAny(container, returnType)) {
            error2(node, Diagnostics.Not_all_code_paths_return_a_value);
          }
        }
        function checkWithStatement(node) {
          if (!checkGrammarStatementInAmbientContext(node)) {
            if (node.flags & 65536) {
              grammarErrorOnFirstToken(node, Diagnostics.with_statements_are_not_allowed_in_an_async_function_block);
            }
          }
          checkExpression(node.expression);
          const sourceFile = getSourceFileOfNode(node);
          if (!hasParseDiagnostics(sourceFile)) {
            const start = getSpanOfTokenAtPosition(sourceFile, node.pos).start;
            const end = node.statement.pos;
            grammarErrorAtPos(sourceFile, start, end - start, Diagnostics.The_with_statement_is_not_supported_All_symbols_in_a_with_block_will_have_type_any);
          }
        }
        function checkSwitchStatement(node) {
          checkGrammarStatementInAmbientContext(node);
          let firstDefaultClause;
          let hasDuplicateDefaultClause = false;
          const expressionType = checkExpression(node.expression);
          forEach(node.caseBlock.clauses, (clause) => {
            if (clause.kind === 297 && !hasDuplicateDefaultClause) {
              if (firstDefaultClause === void 0) {
                firstDefaultClause = clause;
              } else {
                grammarErrorOnNode(clause, Diagnostics.A_default_clause_cannot_appear_more_than_once_in_a_switch_statement);
                hasDuplicateDefaultClause = true;
              }
            }
            if (clause.kind === 296) {
              addLazyDiagnostic(createLazyCaseClauseDiagnostics(clause));
            }
            forEach(clause.statements, checkSourceElement);
            if (compilerOptions.noFallthroughCasesInSwitch && clause.fallthroughFlowNode && isReachableFlowNode(clause.fallthroughFlowNode)) {
              error2(clause, Diagnostics.Fallthrough_case_in_switch);
            }
            function createLazyCaseClauseDiagnostics(clause2) {
              return () => {
                const caseType = checkExpression(clause2.expression);
                if (!isTypeEqualityComparableTo(expressionType, caseType)) {
                  checkTypeComparableTo(
                    caseType,
                    expressionType,
                    clause2.expression,
                    /*headMessage*/
                    void 0
                  );
                }
              };
            }
          });
          if (node.caseBlock.locals) {
            registerForUnusedIdentifiersCheck(node.caseBlock);
          }
        }
        function checkLabeledStatement(node) {
          if (!checkGrammarStatementInAmbientContext(node)) {
            findAncestor(node.parent, (current) => {
              if (isFunctionLike(current)) {
                return "quit";
              }
              if (current.kind === 256 && current.label.escapedText === node.label.escapedText) {
                grammarErrorOnNode(node.label, Diagnostics.Duplicate_label_0, getTextOfNode(node.label));
                return true;
              }
              return false;
            });
          }
          checkSourceElement(node.statement);
        }
        function checkThrowStatement(node) {
          if (!checkGrammarStatementInAmbientContext(node)) {
            if (isIdentifier(node.expression) && !node.expression.escapedText) {
              grammarErrorAfterFirstToken(node, Diagnostics.Line_break_not_permitted_here);
            }
          }
          if (node.expression) {
            checkExpression(node.expression);
          }
        }
        function checkTryStatement(node) {
          checkGrammarStatementInAmbientContext(node);
          checkBlock(node.tryBlock);
          const catchClause = node.catchClause;
          if (catchClause) {
            if (catchClause.variableDeclaration) {
              const declaration = catchClause.variableDeclaration;
              checkVariableLikeDeclaration(declaration);
              const typeNode = getEffectiveTypeAnnotationNode(declaration);
              if (typeNode) {
                const type = getTypeFromTypeNode(typeNode);
                if (type && !(type.flags & 3)) {
                  grammarErrorOnFirstToken(typeNode, Diagnostics.Catch_clause_variable_type_annotation_must_be_any_or_unknown_if_specified);
                }
              } else if (declaration.initializer) {
                grammarErrorOnFirstToken(declaration.initializer, Diagnostics.Catch_clause_variable_cannot_have_an_initializer);
              } else {
                const blockLocals = catchClause.block.locals;
                if (blockLocals) {
                  forEachKey(catchClause.locals, (caughtName) => {
                    const blockLocal = blockLocals.get(caughtName);
                    if ((blockLocal == null ? void 0 : blockLocal.valueDeclaration) && (blockLocal.flags & 2) !== 0) {
                      grammarErrorOnNode(blockLocal.valueDeclaration, Diagnostics.Cannot_redeclare_identifier_0_in_catch_clause, unescapeLeadingUnderscores(caughtName));
                    }
                  });
                }
              }
            }
            checkBlock(catchClause.block);
          }
          if (node.finallyBlock) {
            checkBlock(node.finallyBlock);
          }
        }
        function checkIndexConstraints(type, symbol, isStaticIndex) {
          const indexInfos = getIndexInfosOfType(type);
          if (indexInfos.length === 0) {
            return;
          }
          for (const prop of getPropertiesOfObjectType(type)) {
            if (!(isStaticIndex && prop.flags & 4194304)) {
              checkIndexConstraintForProperty(type, prop, getLiteralTypeFromProperty(
                prop,
                8576,
                /*includeNonPublic*/
                true
              ), getNonMissingTypeOfSymbol(prop));
            }
          }
          const typeDeclaration = symbol.valueDeclaration;
          if (typeDeclaration && isClassLike(typeDeclaration)) {
            for (const member of typeDeclaration.members) {
              if (!isStatic(member) && !hasBindableName(member)) {
                const symbol2 = getSymbolOfDeclaration(member);
                checkIndexConstraintForProperty(type, symbol2, getTypeOfExpression(member.name.expression), getNonMissingTypeOfSymbol(symbol2));
              }
            }
          }
          if (indexInfos.length > 1) {
            for (const info of indexInfos) {
              checkIndexConstraintForIndexSignature(type, info);
            }
          }
        }
        function checkIndexConstraintForProperty(type, prop, propNameType, propType) {
          const declaration = prop.valueDeclaration;
          const name = getNameOfDeclaration(declaration);
          if (name && isPrivateIdentifier(name)) {
            return;
          }
          const indexInfos = getApplicableIndexInfos(type, propNameType);
          const interfaceDeclaration = getObjectFlags(type) & 2 ? getDeclarationOfKind(
            type.symbol,
            264
            /* InterfaceDeclaration */
          ) : void 0;
          const propDeclaration = declaration && declaration.kind === 226 || name && name.kind === 167 ? declaration : void 0;
          const localPropDeclaration = getParentOfSymbol(prop) === type.symbol ? declaration : void 0;
          for (const info of indexInfos) {
            const localIndexDeclaration = info.declaration && getParentOfSymbol(getSymbolOfDeclaration(info.declaration)) === type.symbol ? info.declaration : void 0;
            const errorNode = localPropDeclaration || localIndexDeclaration || (interfaceDeclaration && !some(getBaseTypes(type), (base) => !!getPropertyOfObjectType(base, prop.escapedName) && !!getIndexTypeOfType(base, info.keyType)) ? interfaceDeclaration : void 0);
            if (errorNode && !isTypeAssignableTo(propType, info.type)) {
              const diagnostic = createError(errorNode, Diagnostics.Property_0_of_type_1_is_not_assignable_to_2_index_type_3, symbolToString2(prop), typeToString(propType), typeToString(info.keyType), typeToString(info.type));
              if (propDeclaration && errorNode !== propDeclaration) {
                addRelatedInfo(diagnostic, createDiagnosticForNode(propDeclaration, Diagnostics._0_is_declared_here, symbolToString2(prop)));
              }
              diagnostics.add(diagnostic);
            }
          }
        }
        function checkIndexConstraintForIndexSignature(type, checkInfo) {
          const declaration = checkInfo.declaration;
          const indexInfos = getApplicableIndexInfos(type, checkInfo.keyType);
          const interfaceDeclaration = getObjectFlags(type) & 2 ? getDeclarationOfKind(
            type.symbol,
            264
            /* InterfaceDeclaration */
          ) : void 0;
          const localCheckDeclaration = declaration && getParentOfSymbol(getSymbolOfDeclaration(declaration)) === type.symbol ? declaration : void 0;
          for (const info of indexInfos) {
            if (info === checkInfo) continue;
            const localIndexDeclaration = info.declaration && getParentOfSymbol(getSymbolOfDeclaration(info.declaration)) === type.symbol ? info.declaration : void 0;
            const errorNode = localCheckDeclaration || localIndexDeclaration || (interfaceDeclaration && !some(getBaseTypes(type), (base) => !!getIndexInfoOfType(base, checkInfo.keyType) && !!getIndexTypeOfType(base, info.keyType)) ? interfaceDeclaration : void 0);
            if (errorNode && !isTypeAssignableTo(checkInfo.type, info.type)) {
              error2(errorNode, Diagnostics._0_index_type_1_is_not_assignable_to_2_index_type_3, typeToString(checkInfo.keyType), typeToString(checkInfo.type), typeToString(info.keyType), typeToString(info.type));
            }
          }
        }
        function checkTypeNameIsReserved(name, message) {
          switch (name.escapedText) {
            case "any":
            case "unknown":
            case "never":
            case "number":
            case "bigint":
            case "boolean":
            case "string":
            case "symbol":
            case "void":
            case "object":
            case "undefined":
              error2(name, message, name.escapedText);
          }
        }
        function checkClassNameCollisionWithObject(name) {
          if (languageVersion >= 1 && name.escapedText === "Object" && (moduleKind < 5 || getSourceFileOfNode(name).impliedNodeFormat === 1)) {
            error2(name, Diagnostics.Class_name_cannot_be_Object_when_targeting_ES5_with_module_0, ModuleKind[moduleKind]);
          }
        }
        function checkUnmatchedJSDocParameters(node) {
          const jsdocParameters = filter(getJSDocTags(node), isJSDocParameterTag);
          if (!length(jsdocParameters)) return;
          const isJs = isInJSFile(node);
          const parameters = /* @__PURE__ */ new Set();
          const excludedParameters = /* @__PURE__ */ new Set();
          forEach(node.parameters, ({ name }, index) => {
            if (isIdentifier(name)) {
              parameters.add(name.escapedText);
            }
            if (isBindingPattern(name)) {
              excludedParameters.add(index);
            }
          });
          const containsArguments = containsArgumentsReference(node);
          if (containsArguments) {
            const lastJSDocParamIndex = jsdocParameters.length - 1;
            const lastJSDocParam = jsdocParameters[lastJSDocParamIndex];
            if (isJs && lastJSDocParam && isIdentifier(lastJSDocParam.name) && lastJSDocParam.typeExpression && lastJSDocParam.typeExpression.type && !parameters.has(lastJSDocParam.name.escapedText) && !excludedParameters.has(lastJSDocParamIndex) && !isArrayType(getTypeFromTypeNode(lastJSDocParam.typeExpression.type))) {
              error2(lastJSDocParam.name, Diagnostics.JSDoc_param_tag_has_name_0_but_there_is_no_parameter_with_that_name_It_would_match_arguments_if_it_had_an_array_type, idText(lastJSDocParam.name));
            }
          } else {
            forEach(jsdocParameters, ({ name, isNameFirst }, index) => {
              if (excludedParameters.has(index) || isIdentifier(name) && parameters.has(name.escapedText)) {
                return;
              }
              if (isQualifiedName(name)) {
                if (isJs) {
                  error2(name, Diagnostics.Qualified_name_0_is_not_allowed_without_a_leading_param_object_1, entityNameToString(name), entityNameToString(name.left));
                }
              } else {
                if (!isNameFirst) {
                  errorOrSuggestion(isJs, name, Diagnostics.JSDoc_param_tag_has_name_0_but_there_is_no_parameter_with_that_name, idText(name));
                }
              }
            });
          }
        }
        function checkTypeParameters(typeParameterDeclarations) {
          let seenDefault = false;
          if (typeParameterDeclarations) {
            for (let i = 0; i < typeParameterDeclarations.length; i++) {
              const node = typeParameterDeclarations[i];
              checkTypeParameter(node);
              addLazyDiagnostic(createCheckTypeParameterDiagnostic(node, i));
            }
          }
          function createCheckTypeParameterDiagnostic(node, i) {
            return () => {
              if (node.default) {
                seenDefault = true;
                checkTypeParametersNotReferenced(node.default, typeParameterDeclarations, i);
              } else if (seenDefault) {
                error2(node, Diagnostics.Required_type_parameters_may_not_follow_optional_type_parameters);
              }
              for (let j = 0; j < i; j++) {
                if (typeParameterDeclarations[j].symbol === node.symbol) {
                  error2(node.name, Diagnostics.Duplicate_identifier_0, declarationNameToString(node.name));
                }
              }
            };
          }
        }
        function checkTypeParametersNotReferenced(root2, typeParameters, index) {
          visit(root2);
          function visit(node) {
            if (node.kind === 183) {
              const type = getTypeFromTypeReference(node);
              if (type.flags & 262144) {
                for (let i = index; i < typeParameters.length; i++) {
                  if (type.symbol === getSymbolOfDeclaration(typeParameters[i])) {
                    error2(node, Diagnostics.Type_parameter_defaults_can_only_reference_previously_declared_type_parameters);
                  }
                }
              }
            }
            forEachChild(node, visit);
          }
        }
        function checkTypeParameterListsIdentical(symbol) {
          if (symbol.declarations && symbol.declarations.length === 1) {
            return;
          }
          const links = getSymbolLinks(symbol);
          if (!links.typeParametersChecked) {
            links.typeParametersChecked = true;
            const declarations = getClassOrInterfaceDeclarationsOfSymbol(symbol);
            if (!declarations || declarations.length <= 1) {
              return;
            }
            const type = getDeclaredTypeOfSymbol(symbol);
            if (!areTypeParametersIdentical(declarations, type.localTypeParameters, getEffectiveTypeParameterDeclarations)) {
              const name = symbolToString2(symbol);
              for (const declaration of declarations) {
                error2(declaration.name, Diagnostics.All_declarations_of_0_must_have_identical_type_parameters, name);
              }
            }
          }
        }
        function areTypeParametersIdentical(declarations, targetParameters, getTypeParameterDeclarations) {
          const maxTypeArgumentCount = length(targetParameters);
          const minTypeArgumentCount = getMinTypeArgumentCount(targetParameters);
          for (const declaration of declarations) {
            const sourceParameters = getTypeParameterDeclarations(declaration);
            const numTypeParameters = sourceParameters.length;
            if (numTypeParameters < minTypeArgumentCount || numTypeParameters > maxTypeArgumentCount) {
              return false;
            }
            for (let i = 0; i < numTypeParameters; i++) {
              const source = sourceParameters[i];
              const target = targetParameters[i];
              if (source.name.escapedText !== target.symbol.escapedName) {
                return false;
              }
              const constraint = getEffectiveConstraintOfTypeParameter(source);
              const sourceConstraint = constraint && getTypeFromTypeNode(constraint);
              const targetConstraint = getConstraintOfTypeParameter(target);
              if (sourceConstraint && targetConstraint && !isTypeIdenticalTo(sourceConstraint, targetConstraint)) {
                return false;
              }
              const sourceDefault = source.default && getTypeFromTypeNode(source.default);
              const targetDefault = getDefaultFromTypeParameter(target);
              if (sourceDefault && targetDefault && !isTypeIdenticalTo(sourceDefault, targetDefault)) {
                return false;
              }
            }
          }
          return true;
        }
        function getFirstTransformableStaticClassElement(node) {
          const willTransformStaticElementsOfDecoratedClass = !legacyDecorators && languageVersion < 99 && classOrConstructorParameterIsDecorated(
            /*useLegacyDecorators*/
            false,
            node
          );
          const willTransformPrivateElementsOrClassStaticBlocks = languageVersion < 9 || languageVersion < 99;
          const willTransformInitializers = !emitStandardClassFields;
          if (willTransformStaticElementsOfDecoratedClass || willTransformPrivateElementsOrClassStaticBlocks) {
            for (const member of node.members) {
              if (willTransformStaticElementsOfDecoratedClass && classElementOrClassElementParameterIsDecorated(
                /*useLegacyDecorators*/
                false,
                member,
                node
              )) {
                return firstOrUndefined(getDecorators(node)) ?? node;
              } else if (willTransformPrivateElementsOrClassStaticBlocks) {
                if (isClassStaticBlockDeclaration(member)) {
                  return member;
                } else if (isStatic(member)) {
                  if (isPrivateIdentifierClassElementDeclaration(member) || willTransformInitializers && isInitializedProperty(member)) {
                    return member;
                  }
                }
              }
            }
          }
        }
        function checkClassExpressionExternalHelpers(node) {
          if (node.name) return;
          const parent2 = walkUpOuterExpressions(node);
          if (!isNamedEvaluationSource(parent2)) return;
          const willTransformESDecorators = !legacyDecorators && languageVersion < 99;
          let location;
          if (willTransformESDecorators && classOrConstructorParameterIsDecorated(
            /*useLegacyDecorators*/
            false,
            node
          )) {
            location = firstOrUndefined(getDecorators(node)) ?? node;
          } else {
            location = getFirstTransformableStaticClassElement(node);
          }
          if (location) {
            checkExternalEmitHelpers(
              location,
              4194304
              /* SetFunctionName */
            );
            if ((isPropertyAssignment(parent2) || isPropertyDeclaration(parent2) || isBindingElement(parent2)) && isComputedPropertyName(parent2.name)) {
              checkExternalEmitHelpers(
                location,
                8388608
                /* PropKey */
              );
            }
          }
        }
        function checkClassExpression(node) {
          checkClassLikeDeclaration(node);
          checkNodeDeferred(node);
          checkClassExpressionExternalHelpers(node);
          return getTypeOfSymbol(getSymbolOfDeclaration(node));
        }
        function checkClassExpressionDeferred(node) {
          forEach(node.members, checkSourceElement);
          registerForUnusedIdentifiersCheck(node);
        }
        function checkClassDeclaration(node) {
          const firstDecorator = find(node.modifiers, isDecorator);
          if (legacyDecorators && firstDecorator && some(node.members, (p) => hasStaticModifier(p) && isPrivateIdentifierClassElementDeclaration(p))) {
            grammarErrorOnNode(firstDecorator, Diagnostics.Class_decorators_can_t_be_used_with_static_private_identifier_Consider_removing_the_experimental_decorator);
          }
          if (!node.name && !hasSyntacticModifier(
            node,
            2048
            /* Default */
          )) {
            grammarErrorOnFirstToken(node, Diagnostics.A_class_declaration_without_the_default_modifier_must_have_a_name);
          }
          checkClassLikeDeclaration(node);
          forEach(node.members, checkSourceElement);
          registerForUnusedIdentifiersCheck(node);
        }
        function checkClassLikeDeclaration(node) {
          checkGrammarClassLikeDeclaration(node);
          checkDecorators(node);
          checkCollisionsForDeclarationName(node, node.name);
          checkTypeParameters(getEffectiveTypeParameterDeclarations(node));
          checkExportsOnMergedDeclarations(node);
          const symbol = getSymbolOfDeclaration(node);
          const type = getDeclaredTypeOfSymbol(symbol);
          const typeWithThis = getTypeWithThisArgument(type);
          const staticType = getTypeOfSymbol(symbol);
          checkTypeParameterListsIdentical(symbol);
          checkFunctionOrConstructorSymbol(symbol);
          checkClassForDuplicateDeclarations(node);
          const nodeInAmbientContext = !!(node.flags & 33554432);
          if (!nodeInAmbientContext) {
            checkClassForStaticPropertyNameConflicts(node);
          }
          const baseTypeNode = getEffectiveBaseTypeNode(node);
          if (baseTypeNode) {
            forEach(baseTypeNode.typeArguments, checkSourceElement);
            if (languageVersion < 2) {
              checkExternalEmitHelpers(
                baseTypeNode.parent,
                1
                /* Extends */
              );
            }
            const extendsNode = getClassExtendsHeritageElement(node);
            if (extendsNode && extendsNode !== baseTypeNode) {
              checkExpression(extendsNode.expression);
            }
            const baseTypes = getBaseTypes(type);
            if (baseTypes.length) {
              addLazyDiagnostic(() => {
                const baseType = baseTypes[0];
                const baseConstructorType = getBaseConstructorTypeOfClass(type);
                const staticBaseType = getApparentType(baseConstructorType);
                checkBaseTypeAccessibility(staticBaseType, baseTypeNode);
                checkSourceElement(baseTypeNode.expression);
                if (some(baseTypeNode.typeArguments)) {
                  forEach(baseTypeNode.typeArguments, checkSourceElement);
                  for (const constructor of getConstructorsForTypeArguments(staticBaseType, baseTypeNode.typeArguments, baseTypeNode)) {
                    if (!checkTypeArgumentConstraints(baseTypeNode, constructor.typeParameters)) {
                      break;
                    }
                  }
                }
                const baseWithThis = getTypeWithThisArgument(baseType, type.thisType);
                if (!checkTypeAssignableTo(
                  typeWithThis,
                  baseWithThis,
                  /*errorNode*/
                  void 0
                )) {
                  issueMemberSpecificError(node, typeWithThis, baseWithThis, Diagnostics.Class_0_incorrectly_extends_base_class_1);
                } else {
                  checkTypeAssignableTo(staticType, getTypeWithoutSignatures(staticBaseType), node.name || node, Diagnostics.Class_static_side_0_incorrectly_extends_base_class_static_side_1);
                }
                if (baseConstructorType.flags & 8650752) {
                  if (!isMixinConstructorType(staticType)) {
                    error2(node.name || node, Diagnostics.A_mixin_class_must_have_a_constructor_with_a_single_rest_parameter_of_type_any);
                  } else {
                    const constructSignatures = getSignaturesOfType(
                      baseConstructorType,
                      1
                      /* Construct */
                    );
                    if (constructSignatures.some(
                      (signature) => signature.flags & 4
                      /* Abstract */
                    ) && !hasSyntacticModifier(
                      node,
                      64
                      /* Abstract */
                    )) {
                      error2(node.name || node, Diagnostics.A_mixin_class_that_extends_from_a_type_variable_containing_an_abstract_construct_signature_must_also_be_declared_abstract);
                    }
                  }
                }
                if (!(staticBaseType.symbol && staticBaseType.symbol.flags & 32) && !(baseConstructorType.flags & 8650752)) {
                  const constructors = getInstantiatedConstructorsForTypeArguments(staticBaseType, baseTypeNode.typeArguments, baseTypeNode);
                  if (forEach(constructors, (sig) => !isJSConstructor(sig.declaration) && !isTypeIdenticalTo(getReturnTypeOfSignature(sig), baseType))) {
                    error2(baseTypeNode.expression, Diagnostics.Base_constructors_must_all_have_the_same_return_type);
                  }
                }
                checkKindsOfPropertyMemberOverrides(type, baseType);
              });
            }
          }
          checkMembersForOverrideModifier(node, type, typeWithThis, staticType);
          const implementedTypeNodes = getEffectiveImplementsTypeNodes(node);
          if (implementedTypeNodes) {
            for (const typeRefNode of implementedTypeNodes) {
              if (!isEntityNameExpression(typeRefNode.expression) || isOptionalChain(typeRefNode.expression)) {
                error2(typeRefNode.expression, Diagnostics.A_class_can_only_implement_an_identifier_Slashqualified_name_with_optional_type_arguments);
              }
              checkTypeReferenceNode(typeRefNode);
              addLazyDiagnostic(createImplementsDiagnostics(typeRefNode));
            }
          }
          addLazyDiagnostic(() => {
            checkIndexConstraints(type, symbol);
            checkIndexConstraints(
              staticType,
              symbol,
              /*isStaticIndex*/
              true
            );
            checkTypeForDuplicateIndexSignatures(node);
            checkPropertyInitialization(node);
          });
          function createImplementsDiagnostics(typeRefNode) {
            return () => {
              const t = getReducedType(getTypeFromTypeNode(typeRefNode));
              if (!isErrorType(t)) {
                if (isValidBaseType(t)) {
                  const genericDiag = t.symbol && t.symbol.flags & 32 ? Diagnostics.Class_0_incorrectly_implements_class_1_Did_you_mean_to_extend_1_and_inherit_its_members_as_a_subclass : Diagnostics.Class_0_incorrectly_implements_interface_1;
                  const baseWithThis = getTypeWithThisArgument(t, type.thisType);
                  if (!checkTypeAssignableTo(
                    typeWithThis,
                    baseWithThis,
                    /*errorNode*/
                    void 0
                  )) {
                    issueMemberSpecificError(node, typeWithThis, baseWithThis, genericDiag);
                  }
                } else {
                  error2(typeRefNode, Diagnostics.A_class_can_only_implement_an_object_type_or_intersection_of_object_types_with_statically_known_members);
                }
              }
            };
          }
        }
        function checkMembersForOverrideModifier(node, type, typeWithThis, staticType) {
          const baseTypeNode = getEffectiveBaseTypeNode(node);
          const baseTypes = baseTypeNode && getBaseTypes(type);
          const baseWithThis = (baseTypes == null ? void 0 : baseTypes.length) ? getTypeWithThisArgument(first(baseTypes), type.thisType) : void 0;
          const baseStaticType = getBaseConstructorTypeOfClass(type);
          for (const member of node.members) {
            if (hasAmbientModifier(member)) {
              continue;
            }
            if (isConstructorDeclaration(member)) {
              forEach(member.parameters, (param) => {
                if (isParameterPropertyDeclaration(param, member)) {
                  checkExistingMemberForOverrideModifier(
                    node,
                    staticType,
                    baseStaticType,
                    baseWithThis,
                    type,
                    typeWithThis,
                    param,
                    /*memberIsParameterProperty*/
                    true
                  );
                }
              });
            }
            checkExistingMemberForOverrideModifier(
              node,
              staticType,
              baseStaticType,
              baseWithThis,
              type,
              typeWithThis,
              member,
              /*memberIsParameterProperty*/
              false
            );
          }
        }
        function checkExistingMemberForOverrideModifier(node, staticType, baseStaticType, baseWithThis, type, typeWithThis, member, memberIsParameterProperty, reportErrors2 = true) {
          const declaredProp = member.name && getSymbolAtLocation(member.name) || getSymbolAtLocation(member);
          if (!declaredProp) {
            return 0;
          }
          return checkMemberForOverrideModifier(
            node,
            staticType,
            baseStaticType,
            baseWithThis,
            type,
            typeWithThis,
            hasOverrideModifier(member),
            hasAbstractModifier(member),
            isStatic(member),
            memberIsParameterProperty,
            symbolName(declaredProp),
            reportErrors2 ? member : void 0
          );
        }
        function checkMemberForOverrideModifier(node, staticType, baseStaticType, baseWithThis, type, typeWithThis, memberHasOverrideModifier, memberHasAbstractModifier, memberIsStatic, memberIsParameterProperty, memberName, errorNode) {
          const isJs = isInJSFile(node);
          const nodeInAmbientContext = !!(node.flags & 33554432);
          if (baseWithThis && (memberHasOverrideModifier || compilerOptions.noImplicitOverride)) {
            const memberEscapedName = escapeLeadingUnderscores(memberName);
            const thisType = memberIsStatic ? staticType : typeWithThis;
            const baseType = memberIsStatic ? baseStaticType : baseWithThis;
            const prop = getPropertyOfType(thisType, memberEscapedName);
            const baseProp = getPropertyOfType(baseType, memberEscapedName);
            const baseClassName = typeToString(baseWithThis);
            if (prop && !baseProp && memberHasOverrideModifier) {
              if (errorNode) {
                const suggestion = getSuggestedSymbolForNonexistentClassMember(memberName, baseType);
                suggestion ? error2(
                  errorNode,
                  isJs ? Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base_class_0_Did_you_mean_1 : Diagnostics.This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0_Did_you_mean_1,
                  baseClassName,
                  symbolToString2(suggestion)
                ) : error2(
                  errorNode,
                  isJs ? Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base_class_0 : Diagnostics.This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0,
                  baseClassName
                );
              }
              return 2;
            } else if (prop && (baseProp == null ? void 0 : baseProp.declarations) && compilerOptions.noImplicitOverride && !nodeInAmbientContext) {
              const baseHasAbstract = some(baseProp.declarations, hasAbstractModifier);
              if (memberHasOverrideModifier) {
                return 0;
              }
              if (!baseHasAbstract) {
                if (errorNode) {
                  const diag2 = memberIsParameterProperty ? isJs ? Diagnostics.This_parameter_property_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0 : Diagnostics.This_parameter_property_must_have_an_override_modifier_because_it_overrides_a_member_in_base_class_0 : isJs ? Diagnostics.This_member_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0 : Diagnostics.This_member_must_have_an_override_modifier_because_it_overrides_a_member_in_the_base_class_0;
                  error2(errorNode, diag2, baseClassName);
                }
                return 1;
              } else if (memberHasAbstractModifier && baseHasAbstract) {
                if (errorNode) {
                  error2(errorNode, Diagnostics.This_member_must_have_an_override_modifier_because_it_overrides_an_abstract_method_that_is_declared_in_the_base_class_0, baseClassName);
                }
                return 1;
              }
            }
          } else if (memberHasOverrideModifier) {
            if (errorNode) {
              const className = typeToString(type);
              error2(
                errorNode,
                isJs ? Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_its_containing_class_0_does_not_extend_another_class : Diagnostics.This_member_cannot_have_an_override_modifier_because_its_containing_class_0_does_not_extend_another_class,
                className
              );
            }
            return 2;
          }
          return 0;
        }
        function issueMemberSpecificError(node, typeWithThis, baseWithThis, broadDiag) {
          let issuedMemberError = false;
          for (const member of node.members) {
            if (isStatic(member)) {
              continue;
            }
            const declaredProp = member.name && getSymbolAtLocation(member.name) || getSymbolAtLocation(member);
            if (declaredProp) {
              const prop = getPropertyOfType(typeWithThis, declaredProp.escapedName);
              const baseProp = getPropertyOfType(baseWithThis, declaredProp.escapedName);
              if (prop && baseProp) {
                const rootChain = () => chainDiagnosticMessages(
                  /*details*/
                  void 0,
                  Diagnostics.Property_0_in_type_1_is_not_assignable_to_the_same_property_in_base_type_2,
                  symbolToString2(declaredProp),
                  typeToString(typeWithThis),
                  typeToString(baseWithThis)
                );
                if (!checkTypeAssignableTo(
                  getTypeOfSymbol(prop),
                  getTypeOfSymbol(baseProp),
                  member.name || member,
                  /*headMessage*/
                  void 0,
                  rootChain
                )) {
                  issuedMemberError = true;
                }
              }
            }
          }
          if (!issuedMemberError) {
            checkTypeAssignableTo(typeWithThis, baseWithThis, node.name || node, broadDiag);
          }
        }
        function checkBaseTypeAccessibility(type, node) {
          const signatures = getSignaturesOfType(
            type,
            1
            /* Construct */
          );
          if (signatures.length) {
            const declaration = signatures[0].declaration;
            if (declaration && hasEffectiveModifier(
              declaration,
              2
              /* Private */
            )) {
              const typeClassDeclaration = getClassLikeDeclarationOfSymbol(type.symbol);
              if (!isNodeWithinClass(node, typeClassDeclaration)) {
                error2(node, Diagnostics.Cannot_extend_a_class_0_Class_constructor_is_marked_as_private, getFullyQualifiedName(type.symbol));
              }
            }
          }
        }
        function getMemberOverrideModifierStatus(node, member, memberSymbol) {
          if (!member.name) {
            return 0;
          }
          const classSymbol = getSymbolOfDeclaration(node);
          const type = getDeclaredTypeOfSymbol(classSymbol);
          const typeWithThis = getTypeWithThisArgument(type);
          const staticType = getTypeOfSymbol(classSymbol);
          const baseTypeNode = getEffectiveBaseTypeNode(node);
          const baseTypes = baseTypeNode && getBaseTypes(type);
          const baseWithThis = (baseTypes == null ? void 0 : baseTypes.length) ? getTypeWithThisArgument(first(baseTypes), type.thisType) : void 0;
          const baseStaticType = getBaseConstructorTypeOfClass(type);
          const memberHasOverrideModifier = member.parent ? hasOverrideModifier(member) : hasSyntacticModifier(
            member,
            16
            /* Override */
          );
          return checkMemberForOverrideModifier(
            node,
            staticType,
            baseStaticType,
            baseWithThis,
            type,
            typeWithThis,
            memberHasOverrideModifier,
            hasAbstractModifier(member),
            isStatic(member),
            /*memberIsParameterProperty*/
            false,
            symbolName(memberSymbol)
          );
        }
        function getTargetSymbol(s) {
          return getCheckFlags(s) & 1 ? s.links.target : s;
        }
        function getClassOrInterfaceDeclarationsOfSymbol(symbol) {
          return filter(
            symbol.declarations,
            (d) => d.kind === 263 || d.kind === 264
            /* InterfaceDeclaration */
          );
        }
        function checkKindsOfPropertyMemberOverrides(type, baseType) {
          var _a, _b, _c, _d, _e;
          const baseProperties = getPropertiesOfType(baseType);
          const notImplementedInfo = /* @__PURE__ */ new Map();
          basePropertyCheck: for (const baseProperty of baseProperties) {
            const base = getTargetSymbol(baseProperty);
            if (base.flags & 4194304) {
              continue;
            }
            const baseSymbol = getPropertyOfObjectType(type, base.escapedName);
            if (!baseSymbol) {
              continue;
            }
            const derived = getTargetSymbol(baseSymbol);
            const baseDeclarationFlags = getDeclarationModifierFlagsFromSymbol(base);
            Debug.assert(!!derived, "derived should point to something, even if it is the base class' declaration.");
            if (derived === base) {
              const derivedClassDecl = getClassLikeDeclarationOfSymbol(type.symbol);
              if (baseDeclarationFlags & 64 && (!derivedClassDecl || !hasSyntacticModifier(
                derivedClassDecl,
                64
                /* Abstract */
              ))) {
                for (const otherBaseType of getBaseTypes(type)) {
                  if (otherBaseType === baseType) continue;
                  const baseSymbol2 = getPropertyOfObjectType(otherBaseType, base.escapedName);
                  const derivedElsewhere = baseSymbol2 && getTargetSymbol(baseSymbol2);
                  if (derivedElsewhere && derivedElsewhere !== base) {
                    continue basePropertyCheck;
                  }
                }
                const baseTypeName = typeToString(baseType);
                const typeName = typeToString(type);
                const basePropertyName = symbolToString2(baseProperty);
                const missedProperties = append((_a = notImplementedInfo.get(derivedClassDecl)) == null ? void 0 : _a.missedProperties, basePropertyName);
                notImplementedInfo.set(derivedClassDecl, { baseTypeName, typeName, missedProperties });
              }
            } else {
              const derivedDeclarationFlags = getDeclarationModifierFlagsFromSymbol(derived);
              if (baseDeclarationFlags & 2 || derivedDeclarationFlags & 2) {
                continue;
              }
              let errorMessage;
              const basePropertyFlags = base.flags & 98308;
              const derivedPropertyFlags = derived.flags & 98308;
              if (basePropertyFlags && derivedPropertyFlags) {
                if ((getCheckFlags(base) & 6 ? (_b = base.declarations) == null ? void 0 : _b.some((d) => isPropertyAbstractOrInterface(d, baseDeclarationFlags)) : (_c = base.declarations) == null ? void 0 : _c.every((d) => isPropertyAbstractOrInterface(d, baseDeclarationFlags))) || getCheckFlags(base) & 262144 || derived.valueDeclaration && isBinaryExpression(derived.valueDeclaration)) {
                  continue;
                }
                const overriddenInstanceProperty = basePropertyFlags !== 4 && derivedPropertyFlags === 4;
                const overriddenInstanceAccessor = basePropertyFlags === 4 && derivedPropertyFlags !== 4;
                if (overriddenInstanceProperty || overriddenInstanceAccessor) {
                  const errorMessage2 = overriddenInstanceProperty ? Diagnostics._0_is_defined_as_an_accessor_in_class_1_but_is_overridden_here_in_2_as_an_instance_property : Diagnostics._0_is_defined_as_a_property_in_class_1_but_is_overridden_here_in_2_as_an_accessor;
                  error2(getNameOfDeclaration(derived.valueDeclaration) || derived.valueDeclaration, errorMessage2, symbolToString2(base), typeToString(baseType), typeToString(type));
                } else if (useDefineForClassFields) {
                  const uninitialized = (_d = derived.declarations) == null ? void 0 : _d.find((d) => d.kind === 172 && !d.initializer);
                  if (uninitialized && !(derived.flags & 33554432) && !(baseDeclarationFlags & 64) && !(derivedDeclarationFlags & 64) && !((_e = derived.declarations) == null ? void 0 : _e.some((d) => !!(d.flags & 33554432)))) {
                    const constructor = findConstructorDeclaration(getClassLikeDeclarationOfSymbol(type.symbol));
                    const propName = uninitialized.name;
                    if (uninitialized.exclamationToken || !constructor || !isIdentifier(propName) || !strictNullChecks || !isPropertyInitializedInConstructor(propName, type, constructor)) {
                      const errorMessage2 = Diagnostics.Property_0_will_overwrite_the_base_property_in_1_If_this_is_intentional_add_an_initializer_Otherwise_add_a_declare_modifier_or_remove_the_redundant_declaration;
                      error2(getNameOfDeclaration(derived.valueDeclaration) || derived.valueDeclaration, errorMessage2, symbolToString2(base), typeToString(baseType));
                    }
                  }
                }
                continue;
              } else if (isPrototypeProperty2(base)) {
                if (isPrototypeProperty2(derived) || derived.flags & 4) {
                  continue;
                } else {
                  Debug.assert(!!(derived.flags & 98304));
                  errorMessage = Diagnostics.Class_0_defines_instance_member_function_1_but_extended_class_2_defines_it_as_instance_member_accessor;
                }
              } else if (base.flags & 98304) {
                errorMessage = Diagnostics.Class_0_defines_instance_member_accessor_1_but_extended_class_2_defines_it_as_instance_member_function;
              } else {
                errorMessage = Diagnostics.Class_0_defines_instance_member_property_1_but_extended_class_2_defines_it_as_instance_member_function;
              }
              error2(getNameOfDeclaration(derived.valueDeclaration) || derived.valueDeclaration, errorMessage, typeToString(baseType), symbolToString2(base), typeToString(type));
            }
          }
          for (const [errorNode, memberInfo] of notImplementedInfo) {
            if (length(memberInfo.missedProperties) === 1) {
              if (isClassExpression(errorNode)) {
                error2(errorNode, Diagnostics.Non_abstract_class_expression_does_not_implement_inherited_abstract_member_0_from_class_1, first(memberInfo.missedProperties), memberInfo.baseTypeName);
              } else {
                error2(errorNode, Diagnostics.Non_abstract_class_0_does_not_implement_inherited_abstract_member_1_from_class_2, memberInfo.typeName, first(memberInfo.missedProperties), memberInfo.baseTypeName);
              }
            } else if (length(memberInfo.missedProperties) > 5) {
              const missedProperties = map(memberInfo.missedProperties.slice(0, 4), (prop) => `'${prop}'`).join(", ");
              const remainingMissedProperties = length(memberInfo.missedProperties) - 4;
              if (isClassExpression(errorNode)) {
                error2(errorNode, Diagnostics.Non_abstract_class_expression_is_missing_implementations_for_the_following_members_of_0_Colon_1_and_2_more, memberInfo.baseTypeName, missedProperties, remainingMissedProperties);
              } else {
                error2(errorNode, Diagnostics.Non_abstract_class_0_is_missing_implementations_for_the_following_members_of_1_Colon_2_and_3_more, memberInfo.typeName, memberInfo.baseTypeName, missedProperties, remainingMissedProperties);
              }
            } else {
              const missedProperties = map(memberInfo.missedProperties, (prop) => `'${prop}'`).join(", ");
              if (isClassExpression(errorNode)) {
                error2(errorNode, Diagnostics.Non_abstract_class_expression_is_missing_implementations_for_the_following_members_of_0_Colon_1, memberInfo.baseTypeName, missedProperties);
              } else {
                error2(errorNode, Diagnostics.Non_abstract_class_0_is_missing_implementations_for_the_following_members_of_1_Colon_2, memberInfo.typeName, memberInfo.baseTypeName, missedProperties);
              }
            }
          }
        }
        function isPropertyAbstractOrInterface(declaration, baseDeclarationFlags) {
          return baseDeclarationFlags & 64 && (!isPropertyDeclaration(declaration) || !declaration.initializer) || isInterfaceDeclaration(declaration.parent);
        }
        function getNonInheritedProperties(type, baseTypes, properties) {
          if (!length(baseTypes)) {
            return properties;
          }
          const seen = /* @__PURE__ */ new Map();
          forEach(properties, (p) => {
            seen.set(p.escapedName, p);
          });
          for (const base of baseTypes) {
            const properties2 = getPropertiesOfType(getTypeWithThisArgument(base, type.thisType));
            for (const prop of properties2) {
              const existing = seen.get(prop.escapedName);
              if (existing && prop.parent === existing.parent) {
                seen.delete(prop.escapedName);
              }
            }
          }
          return arrayFrom(seen.values());
        }
        function checkInheritedPropertiesAreIdentical(type, typeNode) {
          const baseTypes = getBaseTypes(type);
          if (baseTypes.length < 2) {
            return true;
          }
          const seen = /* @__PURE__ */ new Map();
          forEach(resolveDeclaredMembers(type).declaredProperties, (p) => {
            seen.set(p.escapedName, { prop: p, containingType: type });
          });
          let ok = true;
          for (const base of baseTypes) {
            const properties = getPropertiesOfType(getTypeWithThisArgument(base, type.thisType));
            for (const prop of properties) {
              const existing = seen.get(prop.escapedName);
              if (!existing) {
                seen.set(prop.escapedName, { prop, containingType: base });
              } else {
                const isInheritedProperty = existing.containingType !== type;
                if (isInheritedProperty && !isPropertyIdenticalTo(existing.prop, prop)) {
                  ok = false;
                  const typeName1 = typeToString(existing.containingType);
                  const typeName2 = typeToString(base);
                  let errorInfo = chainDiagnosticMessages(
                    /*details*/
                    void 0,
                    Diagnostics.Named_property_0_of_types_1_and_2_are_not_identical,
                    symbolToString2(prop),
                    typeName1,
                    typeName2
                  );
                  errorInfo = chainDiagnosticMessages(errorInfo, Diagnostics.Interface_0_cannot_simultaneously_extend_types_1_and_2, typeToString(type), typeName1, typeName2);
                  diagnostics.add(createDiagnosticForNodeFromMessageChain(getSourceFileOfNode(typeNode), typeNode, errorInfo));
                }
              }
            }
          }
          return ok;
        }
        function checkPropertyInitialization(node) {
          if (!strictNullChecks || !strictPropertyInitialization || node.flags & 33554432) {
            return;
          }
          const constructor = findConstructorDeclaration(node);
          for (const member of node.members) {
            if (getEffectiveModifierFlags(member) & 128) {
              continue;
            }
            if (!isStatic(member) && isPropertyWithoutInitializer(member)) {
              const propName = member.name;
              if (isIdentifier(propName) || isPrivateIdentifier(propName) || isComputedPropertyName(propName)) {
                const type = getTypeOfSymbol(getSymbolOfDeclaration(member));
                if (!(type.flags & 3 || containsUndefinedType(type))) {
                  if (!constructor || !isPropertyInitializedInConstructor(propName, type, constructor)) {
                    error2(member.name, Diagnostics.Property_0_has_no_initializer_and_is_not_definitely_assigned_in_the_constructor, declarationNameToString(propName));
                  }
                }
              }
            }
          }
        }
        function isPropertyWithoutInitializer(node) {
          return node.kind === 172 && !hasAbstractModifier(node) && !node.exclamationToken && !node.initializer;
        }
        function isPropertyInitializedInStaticBlocks(propName, propType, staticBlocks, startPos, endPos) {
          for (const staticBlock of staticBlocks) {
            if (staticBlock.pos >= startPos && staticBlock.pos <= endPos) {
              const reference = factory.createPropertyAccessExpression(factory.createThis(), propName);
              setParent(reference.expression, reference);
              setParent(reference, staticBlock);
              reference.flowNode = staticBlock.returnFlowNode;
              const flowType = getFlowTypeOfReference(reference, propType, getOptionalType(propType));
              if (!containsUndefinedType(flowType)) {
                return true;
              }
            }
          }
          return false;
        }
        function isPropertyInitializedInConstructor(propName, propType, constructor) {
          const reference = isComputedPropertyName(propName) ? factory.createElementAccessExpression(factory.createThis(), propName.expression) : factory.createPropertyAccessExpression(factory.createThis(), propName);
          setParent(reference.expression, reference);
          setParent(reference, constructor);
          reference.flowNode = constructor.returnFlowNode;
          const flowType = getFlowTypeOfReference(reference, propType, getOptionalType(propType));
          return !containsUndefinedType(flowType);
        }
        function checkInterfaceDeclaration(node) {
          if (!checkGrammarModifiers(node)) checkGrammarInterfaceDeclaration(node);
          checkTypeParameters(node.typeParameters);
          addLazyDiagnostic(() => {
            checkTypeNameIsReserved(node.name, Diagnostics.Interface_name_cannot_be_0);
            checkExportsOnMergedDeclarations(node);
            const symbol = getSymbolOfDeclaration(node);
            checkTypeParameterListsIdentical(symbol);
            const firstInterfaceDecl = getDeclarationOfKind(
              symbol,
              264
              /* InterfaceDeclaration */
            );
            if (node === firstInterfaceDecl) {
              const type = getDeclaredTypeOfSymbol(symbol);
              const typeWithThis = getTypeWithThisArgument(type);
              if (checkInheritedPropertiesAreIdentical(type, node.name)) {
                for (const baseType of getBaseTypes(type)) {
                  checkTypeAssignableTo(typeWithThis, getTypeWithThisArgument(baseType, type.thisType), node.name, Diagnostics.Interface_0_incorrectly_extends_interface_1);
                }
                checkIndexConstraints(type, symbol);
              }
            }
            checkObjectTypeForDuplicateDeclarations(node);
          });
          forEach(getInterfaceBaseTypeNodes(node), (heritageElement) => {
            if (!isEntityNameExpression(heritageElement.expression) || isOptionalChain(heritageElement.expression)) {
              error2(heritageElement.expression, Diagnostics.An_interface_can_only_extend_an_identifier_Slashqualified_name_with_optional_type_arguments);
            }
            checkTypeReferenceNode(heritageElement);
          });
          forEach(node.members, checkSourceElement);
          addLazyDiagnostic(() => {
            checkTypeForDuplicateIndexSignatures(node);
            registerForUnusedIdentifiersCheck(node);
          });
        }
        function checkTypeAliasDeclaration(node) {
          checkGrammarModifiers(node);
          checkTypeNameIsReserved(node.name, Diagnostics.Type_alias_name_cannot_be_0);
          checkExportsOnMergedDeclarations(node);
          checkTypeParameters(node.typeParameters);
          if (node.type.kind === 141) {
            if (!intrinsicTypeKinds.has(node.name.escapedText) || length(node.typeParameters) !== 1) {
              error2(node.type, Diagnostics.The_intrinsic_keyword_can_only_be_used_to_declare_compiler_provided_intrinsic_types);
            }
          } else {
            checkSourceElement(node.type);
            registerForUnusedIdentifiersCheck(node);
          }
        }
        function computeEnumMemberValues(node) {
          const nodeLinks2 = getNodeLinks(node);
          if (!(nodeLinks2.flags & 1024)) {
            nodeLinks2.flags |= 1024;
            let autoValue = 0;
            let previous;
            for (const member of node.members) {
              const result = computeEnumMemberValue(member, autoValue, previous);
              getNodeLinks(member).enumMemberValue = result;
              autoValue = typeof result.value === "number" ? result.value + 1 : void 0;
              previous = member;
            }
          }
        }
        function computeEnumMemberValue(member, autoValue, previous) {
          if (isComputedNonLiteralName(member.name)) {
            error2(member.name, Diagnostics.Computed_property_names_are_not_allowed_in_enums);
          } else {
            const text = getTextOfPropertyName(member.name);
            if (isNumericLiteralName(text) && !isInfinityOrNaNString(text)) {
              error2(member.name, Diagnostics.An_enum_member_cannot_have_a_numeric_name);
            }
          }
          if (member.initializer) {
            return computeConstantEnumMemberValue(member);
          }
          if (member.parent.flags & 33554432 && !isEnumConst(member.parent)) {
            return evaluatorResult(
              /*value*/
              void 0
            );
          }
          if (autoValue === void 0) {
            error2(member.name, Diagnostics.Enum_member_must_have_initializer);
            return evaluatorResult(
              /*value*/
              void 0
            );
          }
          if (getIsolatedModules(compilerOptions) && (previous == null ? void 0 : previous.initializer)) {
            const prevValue = getEnumMemberValue(previous);
            if (!(typeof prevValue.value === "number" && !prevValue.resolvedOtherFiles)) {
              error2(
                member.name,
                Diagnostics.Enum_member_following_a_non_literal_numeric_member_must_have_an_initializer_when_isolatedModules_is_enabled
              );
            }
          }
          return evaluatorResult(autoValue);
        }
        function computeConstantEnumMemberValue(member) {
          const isConstEnum = isEnumConst(member.parent);
          const initializer = member.initializer;
          const result = evaluate(initializer, member);
          if (result.value !== void 0) {
            if (isConstEnum && typeof result.value === "number" && !isFinite(result.value)) {
              error2(
                initializer,
                isNaN(result.value) ? Diagnostics.const_enum_member_initializer_was_evaluated_to_disallowed_value_NaN : Diagnostics.const_enum_member_initializer_was_evaluated_to_a_non_finite_value
              );
            } else if (getIsolatedModules(compilerOptions) && typeof result.value === "string" && !result.isSyntacticallyString) {
              error2(
                initializer,
                Diagnostics._0_has_a_string_type_but_must_have_syntactically_recognizable_string_syntax_when_isolatedModules_is_enabled,
                `${idText(member.parent.name)}.${getTextOfPropertyName(member.name)}`
              );
            }
          } else if (isConstEnum) {
            error2(initializer, Diagnostics.const_enum_member_initializers_must_be_constant_expressions);
          } else if (member.parent.flags & 33554432) {
            error2(initializer, Diagnostics.In_ambient_enum_declarations_member_initializer_must_be_constant_expression);
          } else {
            checkTypeAssignableTo(checkExpression(initializer), numberType2, initializer, Diagnostics.Type_0_is_not_assignable_to_type_1_as_required_for_computed_enum_member_values);
          }
          return result;
        }
        function evaluateEntityNameExpression(expr, location) {
          const symbol = resolveEntityName(
            expr,
            111551,
            /*ignoreErrors*/
            true
          );
          if (!symbol) return evaluatorResult(
            /*value*/
            void 0
          );
          if (expr.kind === 80) {
            const identifier = expr;
            if (isInfinityOrNaNString(identifier.escapedText) && symbol === getGlobalSymbol(
              identifier.escapedText,
              111551,
              /*diagnostic*/
              void 0
            )) {
              return evaluatorResult(
                +identifier.escapedText,
                /*isSyntacticallyString*/
                false
              );
            }
          }
          if (symbol.flags & 8) {
            return location ? evaluateEnumMember(expr, symbol, location) : getEnumMemberValue(symbol.valueDeclaration);
          }
          if (isConstantVariable(symbol)) {
            const declaration = symbol.valueDeclaration;
            if (declaration && isVariableDeclaration(declaration) && !declaration.type && declaration.initializer && (!location || declaration !== location && isBlockScopedNameDeclaredBeforeUse(declaration, location))) {
              const result = evaluate(declaration.initializer, declaration);
              if (location && getSourceFileOfNode(location) !== getSourceFileOfNode(declaration)) {
                return evaluatorResult(
                  result.value,
                  /*isSyntacticallyString*/
                  false,
                  /*resolvedOtherFiles*/
                  true,
                  /*hasExternalReferences*/
                  true
                );
              }
              return evaluatorResult(
                result.value,
                result.isSyntacticallyString,
                result.resolvedOtherFiles,
                /*hasExternalReferences*/
                true
              );
            }
          }
          return evaluatorResult(
            /*value*/
            void 0
          );
        }
        function evaluateElementAccessExpression(expr, location) {
          const root2 = expr.expression;
          if (isEntityNameExpression(root2) && isStringLiteralLike(expr.argumentExpression)) {
            const rootSymbol = resolveEntityName(
              root2,
              111551,
              /*ignoreErrors*/
              true
            );
            if (rootSymbol && rootSymbol.flags & 384) {
              const name = escapeLeadingUnderscores(expr.argumentExpression.text);
              const member = rootSymbol.exports.get(name);
              if (member) {
                Debug.assert(getSourceFileOfNode(member.valueDeclaration) === getSourceFileOfNode(rootSymbol.valueDeclaration));
                return location ? evaluateEnumMember(expr, member, location) : getEnumMemberValue(member.valueDeclaration);
              }
            }
          }
          return evaluatorResult(
            /*value*/
            void 0
          );
        }
        function evaluateEnumMember(expr, symbol, location) {
          const declaration = symbol.valueDeclaration;
          if (!declaration || declaration === location) {
            error2(expr, Diagnostics.Property_0_is_used_before_being_assigned, symbolToString2(symbol));
            return evaluatorResult(
              /*value*/
              void 0
            );
          }
          if (!isBlockScopedNameDeclaredBeforeUse(declaration, location)) {
            error2(expr, Diagnostics.A_member_initializer_in_a_enum_declaration_cannot_reference_members_declared_after_it_including_members_defined_in_other_enums);
            return evaluatorResult(
              /*value*/
              0
            );
          }
          const value = getEnumMemberValue(declaration);
          if (location.parent !== declaration.parent) {
            return evaluatorResult(
              value.value,
              value.isSyntacticallyString,
              value.resolvedOtherFiles,
              /*hasExternalReferences*/
              true
            );
          }
          return value;
        }
        function checkEnumDeclaration(node) {
          addLazyDiagnostic(() => checkEnumDeclarationWorker(node));
        }
        function checkEnumDeclarationWorker(node) {
          checkGrammarModifiers(node);
          checkCollisionsForDeclarationName(node, node.name);
          checkExportsOnMergedDeclarations(node);
          node.members.forEach(checkEnumMember);
          computeEnumMemberValues(node);
          const enumSymbol = getSymbolOfDeclaration(node);
          const firstDeclaration = getDeclarationOfKind(enumSymbol, node.kind);
          if (node === firstDeclaration) {
            if (enumSymbol.declarations && enumSymbol.declarations.length > 1) {
              const enumIsConst = isEnumConst(node);
              forEach(enumSymbol.declarations, (decl) => {
                if (isEnumDeclaration(decl) && isEnumConst(decl) !== enumIsConst) {
                  error2(getNameOfDeclaration(decl), Diagnostics.Enum_declarations_must_all_be_const_or_non_const);
                }
              });
            }
            let seenEnumMissingInitialInitializer = false;
            forEach(enumSymbol.declarations, (declaration) => {
              if (declaration.kind !== 266) {
                return false;
              }
              const enumDeclaration = declaration;
              if (!enumDeclaration.members.length) {
                return false;
              }
              const firstEnumMember = enumDeclaration.members[0];
              if (!firstEnumMember.initializer) {
                if (seenEnumMissingInitialInitializer) {
                  error2(firstEnumMember.name, Diagnostics.In_an_enum_with_multiple_declarations_only_one_declaration_can_omit_an_initializer_for_its_first_enum_element);
                } else {
                  seenEnumMissingInitialInitializer = true;
                }
              }
            });
          }
        }
        function checkEnumMember(node) {
          if (isPrivateIdentifier(node.name)) {
            error2(node, Diagnostics.An_enum_member_cannot_be_named_with_a_private_identifier);
          }
          if (node.initializer) {
            checkExpression(node.initializer);
          }
        }
        function getFirstNonAmbientClassOrFunctionDeclaration(symbol) {
          const declarations = symbol.declarations;
          if (declarations) {
            for (const declaration of declarations) {
              if ((declaration.kind === 263 || declaration.kind === 262 && nodeIsPresent(declaration.body)) && !(declaration.flags & 33554432)) {
                return declaration;
              }
            }
          }
          return void 0;
        }
        function inSameLexicalScope(node1, node2) {
          const container1 = getEnclosingBlockScopeContainer(node1);
          const container2 = getEnclosingBlockScopeContainer(node2);
          if (isGlobalSourceFile(container1)) {
            return isGlobalSourceFile(container2);
          } else if (isGlobalSourceFile(container2)) {
            return false;
          } else {
            return container1 === container2;
          }
        }
        function checkModuleDeclaration(node) {
          if (node.body) {
            checkSourceElement(node.body);
            if (!isGlobalScopeAugmentation(node)) {
              registerForUnusedIdentifiersCheck(node);
            }
          }
          addLazyDiagnostic(checkModuleDeclarationDiagnostics);
          function checkModuleDeclarationDiagnostics() {
            var _a, _b;
            const isGlobalAugmentation = isGlobalScopeAugmentation(node);
            const inAmbientContext = node.flags & 33554432;
            if (isGlobalAugmentation && !inAmbientContext) {
              error2(node.name, Diagnostics.Augmentations_for_the_global_scope_should_have_declare_modifier_unless_they_appear_in_already_ambient_context);
            }
            const isAmbientExternalModule = isAmbientModule(node);
            const contextErrorMessage = isAmbientExternalModule ? Diagnostics.An_ambient_module_declaration_is_only_allowed_at_the_top_level_in_a_file : Diagnostics.A_namespace_declaration_is_only_allowed_at_the_top_level_of_a_namespace_or_module;
            if (checkGrammarModuleElementContext(node, contextErrorMessage)) {
              return;
            }
            if (!checkGrammarModifiers(node)) {
              if (!inAmbientContext && node.name.kind === 11) {
                grammarErrorOnNode(node.name, Diagnostics.Only_ambient_modules_can_use_quoted_names);
              }
            }
            if (isIdentifier(node.name)) {
              checkCollisionsForDeclarationName(node, node.name);
            }
            checkExportsOnMergedDeclarations(node);
            const symbol = getSymbolOfDeclaration(node);
            if (symbol.flags & 512 && !inAmbientContext && isInstantiatedModule(node, shouldPreserveConstEnums(compilerOptions))) {
              if (getIsolatedModules(compilerOptions) && !getSourceFileOfNode(node).externalModuleIndicator) {
                error2(node.name, Diagnostics.Namespaces_are_not_allowed_in_global_script_files_when_0_is_enabled_If_this_file_is_not_intended_to_be_a_global_script_set_moduleDetection_to_force_or_add_an_empty_export_statement, isolatedModulesLikeFlagName);
              }
              if (((_a = symbol.declarations) == null ? void 0 : _a.length) > 1) {
                const firstNonAmbientClassOrFunc = getFirstNonAmbientClassOrFunctionDeclaration(symbol);
                if (firstNonAmbientClassOrFunc) {
                  if (getSourceFileOfNode(node) !== getSourceFileOfNode(firstNonAmbientClassOrFunc)) {
                    error2(node.name, Diagnostics.A_namespace_declaration_cannot_be_in_a_different_file_from_a_class_or_function_with_which_it_is_merged);
                  } else if (node.pos < firstNonAmbientClassOrFunc.pos) {
                    error2(node.name, Diagnostics.A_namespace_declaration_cannot_be_located_prior_to_a_class_or_function_with_which_it_is_merged);
                  }
                }
                const mergedClass = getDeclarationOfKind(
                  symbol,
                  263
                  /* ClassDeclaration */
                );
                if (mergedClass && inSameLexicalScope(node, mergedClass)) {
                  getNodeLinks(node).flags |= 2048;
                }
              }
              if (compilerOptions.verbatimModuleSyntax && node.parent.kind === 307 && (moduleKind === 1 || node.parent.impliedNodeFormat === 1)) {
                const exportModifier = (_b = node.modifiers) == null ? void 0 : _b.find(
                  (m) => m.kind === 95
                  /* ExportKeyword */
                );
                if (exportModifier) {
                  error2(exportModifier, Diagnostics.A_top_level_export_modifier_cannot_be_used_on_value_declarations_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled);
                }
              }
            }
            if (isAmbientExternalModule) {
              if (isExternalModuleAugmentation(node)) {
                const checkBody = isGlobalAugmentation || getSymbolOfDeclaration(node).flags & 33554432;
                if (checkBody && node.body) {
                  for (const statement of node.body.statements) {
                    checkModuleAugmentationElement(statement, isGlobalAugmentation);
                  }
                }
              } else if (isGlobalSourceFile(node.parent)) {
                if (isGlobalAugmentation) {
                  error2(node.name, Diagnostics.Augmentations_for_the_global_scope_can_only_be_directly_nested_in_external_modules_or_ambient_module_declarations);
                } else if (isExternalModuleNameRelative(getTextOfIdentifierOrLiteral(node.name))) {
                  error2(node.name, Diagnostics.Ambient_module_declaration_cannot_specify_relative_module_name);
                }
              } else {
                if (isGlobalAugmentation) {
                  error2(node.name, Diagnostics.Augmentations_for_the_global_scope_can_only_be_directly_nested_in_external_modules_or_ambient_module_declarations);
                } else {
                  error2(node.name, Diagnostics.Ambient_modules_cannot_be_nested_in_other_modules_or_namespaces);
                }
              }
            }
          }
        }
        function checkModuleAugmentationElement(node, isGlobalAugmentation) {
          switch (node.kind) {
            case 243:
              for (const decl of node.declarationList.declarations) {
                checkModuleAugmentationElement(decl, isGlobalAugmentation);
              }
              break;
            case 277:
            case 278:
              grammarErrorOnFirstToken(node, Diagnostics.Exports_and_export_assignments_are_not_permitted_in_module_augmentations);
              break;
            case 271:
            case 272:
              grammarErrorOnFirstToken(node, Diagnostics.Imports_are_not_permitted_in_module_augmentations_Consider_moving_them_to_the_enclosing_external_module);
              break;
            case 208:
            case 260:
              const name = node.name;
              if (isBindingPattern(name)) {
                for (const el of name.elements) {
                  checkModuleAugmentationElement(el, isGlobalAugmentation);
                }
                break;
              }
            case 263:
            case 266:
            case 262:
            case 264:
            case 267:
            case 265:
              if (isGlobalAugmentation) {
                return;
              }
              break;
          }
        }
        function getFirstNonModuleExportsIdentifier(node) {
          switch (node.kind) {
            case 80:
              return node;
            case 166:
              do {
                node = node.left;
              } while (node.kind !== 80);
              return node;
            case 211:
              do {
                if (isModuleExportsAccessExpression(node.expression) && !isPrivateIdentifier(node.name)) {
                  return node.name;
                }
                node = node.expression;
              } while (node.kind !== 80);
              return node;
          }
        }
        function checkExternalImportOrExportDeclaration(node) {
          const moduleName = getExternalModuleName(node);
          if (!moduleName || nodeIsMissing(moduleName)) {
            return false;
          }
          if (!isStringLiteral2(moduleName)) {
            error2(moduleName, Diagnostics.String_literal_expected);
            return false;
          }
          const inAmbientExternalModule = node.parent.kind === 268 && isAmbientModule(node.parent.parent);
          if (node.parent.kind !== 307 && !inAmbientExternalModule) {
            error2(
              moduleName,
              node.kind === 278 ? Diagnostics.Export_declarations_are_not_permitted_in_a_namespace : Diagnostics.Import_declarations_in_a_namespace_cannot_reference_a_module
            );
            return false;
          }
          if (inAmbientExternalModule && isExternalModuleNameRelative(moduleName.text)) {
            if (!isTopLevelInExternalModuleAugmentation(node)) {
              error2(node, Diagnostics.Import_or_export_declaration_in_an_ambient_module_declaration_cannot_reference_module_through_relative_module_name);
              return false;
            }
          }
          if (!isImportEqualsDeclaration(node) && node.attributes) {
            const diagnostic = node.attributes.token === 118 ? Diagnostics.Import_attribute_values_must_be_string_literal_expressions : Diagnostics.Import_assertion_values_must_be_string_literal_expressions;
            let hasError = false;
            for (const attr of node.attributes.elements) {
              if (!isStringLiteral2(attr.value)) {
                hasError = true;
                error2(attr.value, diagnostic);
              }
            }
            return !hasError;
          }
          return true;
        }
        function checkAliasSymbol(node) {
          var _a, _b, _c, _d;
          let symbol = getSymbolOfDeclaration(node);
          const target = resolveAlias(symbol);
          if (target !== unknownSymbol) {
            symbol = getMergedSymbol(symbol.exportSymbol || symbol);
            if (isInJSFile(node) && !(target.flags & 111551) && !isTypeOnlyImportOrExportDeclaration(node)) {
              const errorNode = isImportOrExportSpecifier(node) ? node.propertyName || node.name : isNamedDeclaration(node) ? node.name : node;
              Debug.assert(
                node.kind !== 280
                /* NamespaceExport */
              );
              if (node.kind === 281) {
                const diag2 = error2(errorNode, Diagnostics.Types_cannot_appear_in_export_declarations_in_JavaScript_files);
                const alreadyExportedSymbol = (_b = (_a = getSourceFileOfNode(node).symbol) == null ? void 0 : _a.exports) == null ? void 0 : _b.get((node.propertyName || node.name).escapedText);
                if (alreadyExportedSymbol === target) {
                  const exportingDeclaration = (_c = alreadyExportedSymbol.declarations) == null ? void 0 : _c.find(isJSDocNode);
                  if (exportingDeclaration) {
                    addRelatedInfo(
                      diag2,
                      createDiagnosticForNode(
                        exportingDeclaration,
                        Diagnostics._0_is_automatically_exported_here,
                        unescapeLeadingUnderscores(alreadyExportedSymbol.escapedName)
                      )
                    );
                  }
                }
              } else {
                Debug.assert(
                  node.kind !== 260
                  /* VariableDeclaration */
                );
                const importDeclaration = findAncestor(node, or(isImportDeclaration, isImportEqualsDeclaration));
                const moduleSpecifier = (importDeclaration && ((_d = tryGetModuleSpecifierFromDeclaration(importDeclaration)) == null ? void 0 : _d.text)) ?? "...";
                const importedIdentifier = unescapeLeadingUnderscores(isIdentifier(errorNode) ? errorNode.escapedText : symbol.escapedName);
                error2(
                  errorNode,
                  Diagnostics._0_is_a_type_and_cannot_be_imported_in_JavaScript_files_Use_1_in_a_JSDoc_type_annotation,
                  importedIdentifier,
                  `import("${moduleSpecifier}").${importedIdentifier}`
                );
              }
              return;
            }
            const targetFlags = getSymbolFlags(target);
            const excludedMeanings = (symbol.flags & (111551 | 1048576) ? 111551 : 0) | (symbol.flags & 788968 ? 788968 : 0) | (symbol.flags & 1920 ? 1920 : 0);
            if (targetFlags & excludedMeanings) {
              const message = node.kind === 281 ? Diagnostics.Export_declaration_conflicts_with_exported_declaration_of_0 : Diagnostics.Import_declaration_conflicts_with_local_declaration_of_0;
              error2(node, message, symbolToString2(symbol));
            } else if (node.kind !== 281) {
              const appearsValueyToTranspiler = compilerOptions.isolatedModules && !findAncestor(node, isTypeOnlyImportOrExportDeclaration);
              if (appearsValueyToTranspiler && symbol.flags & (111551 | 1048576)) {
                error2(
                  node,
                  Diagnostics.Import_0_conflicts_with_local_value_so_must_be_declared_with_a_type_only_import_when_isolatedModules_is_enabled,
                  symbolToString2(symbol),
                  isolatedModulesLikeFlagName
                );
              }
            }
            if (getIsolatedModules(compilerOptions) && !isTypeOnlyImportOrExportDeclaration(node) && !(node.flags & 33554432)) {
              const typeOnlyAlias = getTypeOnlyAliasDeclaration(symbol);
              const isType = !(targetFlags & 111551);
              if (isType || typeOnlyAlias) {
                switch (node.kind) {
                  case 273:
                  case 276:
                  case 271: {
                    if (compilerOptions.verbatimModuleSyntax) {
                      Debug.assertIsDefined(node.name, "An ImportClause with a symbol should have a name");
                      const message = compilerOptions.verbatimModuleSyntax && isInternalModuleImportEqualsDeclaration(node) ? Diagnostics.An_import_alias_cannot_resolve_to_a_type_or_type_only_declaration_when_verbatimModuleSyntax_is_enabled : isType ? Diagnostics._0_is_a_type_and_must_be_imported_using_a_type_only_import_when_verbatimModuleSyntax_is_enabled : Diagnostics._0_resolves_to_a_type_only_declaration_and_must_be_imported_using_a_type_only_import_when_verbatimModuleSyntax_is_enabled;
                      const name = idText(node.kind === 276 ? node.propertyName || node.name : node.name);
                      addTypeOnlyDeclarationRelatedInfo(
                        error2(node, message, name),
                        isType ? void 0 : typeOnlyAlias,
                        name
                      );
                    }
                    if (isType && node.kind === 271 && hasEffectiveModifier(
                      node,
                      32
                      /* Export */
                    )) {
                      error2(node, Diagnostics.Cannot_use_export_import_on_a_type_or_type_only_namespace_when_0_is_enabled, isolatedModulesLikeFlagName);
                    }
                    break;
                  }
                  case 281: {
                    if (compilerOptions.verbatimModuleSyntax || getSourceFileOfNode(typeOnlyAlias) !== getSourceFileOfNode(node)) {
                      const name = idText(node.propertyName || node.name);
                      const diagnostic = isType ? error2(node, Diagnostics.Re_exporting_a_type_when_0_is_enabled_requires_using_export_type, isolatedModulesLikeFlagName) : error2(node, Diagnostics._0_resolves_to_a_type_only_declaration_and_must_be_re_exported_using_a_type_only_re_export_when_1_is_enabled, name, isolatedModulesLikeFlagName);
                      addTypeOnlyDeclarationRelatedInfo(diagnostic, isType ? void 0 : typeOnlyAlias, name);
                      break;
                    }
                  }
                }
              }
              if (compilerOptions.verbatimModuleSyntax && node.kind !== 271 && !isInJSFile(node) && (moduleKind === 1 || getSourceFileOfNode(node).impliedNodeFormat === 1)) {
                error2(node, Diagnostics.ESM_syntax_is_not_allowed_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled);
              }
            }
            if (isImportSpecifier(node)) {
              const targetSymbol = resolveAliasWithDeprecationCheck(symbol, node);
              if (isDeprecatedSymbol(targetSymbol) && targetSymbol.declarations) {
                addDeprecatedSuggestion(node, targetSymbol.declarations, targetSymbol.escapedName);
              }
            }
          }
        }
        function resolveAliasWithDeprecationCheck(symbol, location) {
          if (!(symbol.flags & 2097152) || isDeprecatedSymbol(symbol) || !getDeclarationOfAliasSymbol(symbol)) {
            return symbol;
          }
          const targetSymbol = resolveAlias(symbol);
          if (targetSymbol === unknownSymbol) return targetSymbol;
          while (symbol.flags & 2097152) {
            const target = getImmediateAliasedSymbol(symbol);
            if (target) {
              if (target === targetSymbol) break;
              if (target.declarations && length(target.declarations)) {
                if (isDeprecatedSymbol(target)) {
                  addDeprecatedSuggestion(location, target.declarations, target.escapedName);
                  break;
                } else {
                  if (symbol === targetSymbol) break;
                  symbol = target;
                }
              }
            } else {
              break;
            }
          }
          return targetSymbol;
        }
        function checkImportBinding(node) {
          checkCollisionsForDeclarationName(node, node.name);
          checkAliasSymbol(node);
          if (node.kind === 276 && idText(node.propertyName || node.name) === "default" && getESModuleInterop(compilerOptions) && moduleKind !== 4 && (moduleKind < 5 || getSourceFileOfNode(node).impliedNodeFormat === 1)) {
            checkExternalEmitHelpers(
              node,
              131072
              /* ImportDefault */
            );
          }
        }
        function checkImportAttributes(declaration) {
          var _a;
          const node = declaration.attributes;
          if (node) {
            const importAttributesType = getGlobalImportAttributesType(
              /*reportErrors*/
              true
            );
            if (importAttributesType !== emptyObjectType) {
              checkTypeAssignableTo(getTypeFromImportAttributes(node), getNullableType(
                importAttributesType,
                32768
                /* Undefined */
              ), node);
            }
            const validForTypeAttributes = isExclusivelyTypeOnlyImportOrExport(declaration);
            const override = getResolutionModeOverride(node, validForTypeAttributes ? grammarErrorOnNode : void 0);
            const isImportAttributes2 = declaration.attributes.token === 118;
            if (validForTypeAttributes && override) {
              return;
            }
            const mode = moduleKind === 199 && declaration.moduleSpecifier && getUsageModeForExpression(declaration.moduleSpecifier);
            if (mode !== 99 && moduleKind !== 99 && moduleKind !== 200) {
              const message = isImportAttributes2 ? moduleKind === 199 ? Diagnostics.Import_attributes_are_not_allowed_on_statements_that_compile_to_CommonJS_require_calls : Diagnostics.Import_attributes_are_only_supported_when_the_module_option_is_set_to_esnext_nodenext_or_preserve : moduleKind === 199 ? Diagnostics.Import_assertions_are_not_allowed_on_statements_that_compile_to_CommonJS_require_calls : Diagnostics.Import_assertions_are_only_supported_when_the_module_option_is_set_to_esnext_nodenext_or_preserve;
              return grammarErrorOnNode(node, message);
            }
            const isTypeOnly = isJSDocImportTag(declaration) || (isImportDeclaration(declaration) ? (_a = declaration.importClause) == null ? void 0 : _a.isTypeOnly : declaration.isTypeOnly);
            if (isTypeOnly) {
              return grammarErrorOnNode(node, isImportAttributes2 ? Diagnostics.Import_attributes_cannot_be_used_with_type_only_imports_or_exports : Diagnostics.Import_assertions_cannot_be_used_with_type_only_imports_or_exports);
            }
            if (override) {
              return grammarErrorOnNode(node, Diagnostics.resolution_mode_can_only_be_set_for_type_only_imports);
            }
          }
        }
        function checkImportAttribute(node) {
          return getRegularTypeOfLiteralType(checkExpressionCached(node.value));
        }
        function checkImportDeclaration(node) {
          if (checkGrammarModuleElementContext(node, isInJSFile(node) ? Diagnostics.An_import_declaration_can_only_be_used_at_the_top_level_of_a_module : Diagnostics.An_import_declaration_can_only_be_used_at_the_top_level_of_a_namespace_or_module)) {
            return;
          }
          if (!checkGrammarModifiers(node) && node.modifiers) {
            grammarErrorOnFirstToken(node, Diagnostics.An_import_declaration_cannot_have_modifiers);
          }
          if (checkExternalImportOrExportDeclaration(node)) {
            const importClause = node.importClause;
            if (importClause && !checkGrammarImportClause(importClause)) {
              if (importClause.name) {
                checkImportBinding(importClause);
              }
              if (importClause.namedBindings) {
                if (importClause.namedBindings.kind === 274) {
                  checkImportBinding(importClause.namedBindings);
                  if (moduleKind !== 4 && (moduleKind < 5 || getSourceFileOfNode(node).impliedNodeFormat === 1) && getESModuleInterop(compilerOptions)) {
                    checkExternalEmitHelpers(
                      node,
                      65536
                      /* ImportStar */
                    );
                  }
                } else {
                  const moduleExisted = resolveExternalModuleName(node, node.moduleSpecifier);
                  if (moduleExisted) {
                    forEach(importClause.namedBindings.elements, checkImportBinding);
                  }
                }
              }
            }
          }
          checkImportAttributes(node);
        }
        function checkImportEqualsDeclaration(node) {
          if (checkGrammarModuleElementContext(node, isInJSFile(node) ? Diagnostics.An_import_declaration_can_only_be_used_at_the_top_level_of_a_module : Diagnostics.An_import_declaration_can_only_be_used_at_the_top_level_of_a_namespace_or_module)) {
            return;
          }
          checkGrammarModifiers(node);
          if (isInternalModuleImportEqualsDeclaration(node) || checkExternalImportOrExportDeclaration(node)) {
            checkImportBinding(node);
            markLinkedReferences(
              node,
              6
              /* ExportImportEquals */
            );
            if (node.moduleReference.kind !== 283) {
              const target = resolveAlias(getSymbolOfDeclaration(node));
              if (target !== unknownSymbol) {
                const targetFlags = getSymbolFlags(target);
                if (targetFlags & 111551) {
                  const moduleName = getFirstIdentifier(node.moduleReference);
                  if (!(resolveEntityName(
                    moduleName,
                    111551 | 1920
                    /* Namespace */
                  ).flags & 1920)) {
                    error2(moduleName, Diagnostics.Module_0_is_hidden_by_a_local_declaration_with_the_same_name, declarationNameToString(moduleName));
                  }
                }
                if (targetFlags & 788968) {
                  checkTypeNameIsReserved(node.name, Diagnostics.Import_name_cannot_be_0);
                }
              }
              if (node.isTypeOnly) {
                grammarErrorOnNode(node, Diagnostics.An_import_alias_cannot_use_import_type);
              }
            } else {
              if (moduleKind >= 5 && moduleKind !== 200 && getSourceFileOfNode(node).impliedNodeFormat === void 0 && !node.isTypeOnly && !(node.flags & 33554432)) {
                grammarErrorOnNode(node, Diagnostics.Import_assignment_cannot_be_used_when_targeting_ECMAScript_modules_Consider_using_import_Asterisk_as_ns_from_mod_import_a_from_mod_import_d_from_mod_or_another_module_format_instead);
              }
            }
          }
        }
        function checkExportDeclaration(node) {
          if (checkGrammarModuleElementContext(node, isInJSFile(node) ? Diagnostics.An_export_declaration_can_only_be_used_at_the_top_level_of_a_module : Diagnostics.An_export_declaration_can_only_be_used_at_the_top_level_of_a_namespace_or_module)) {
            return;
          }
          if (!checkGrammarModifiers(node) && hasSyntacticModifiers(node)) {
            grammarErrorOnFirstToken(node, Diagnostics.An_export_declaration_cannot_have_modifiers);
          }
          checkGrammarExportDeclaration(node);
          if (!node.moduleSpecifier || checkExternalImportOrExportDeclaration(node)) {
            if (node.exportClause && !isNamespaceExport(node.exportClause)) {
              forEach(node.exportClause.elements, checkExportSpecifier);
              const inAmbientExternalModule = node.parent.kind === 268 && isAmbientModule(node.parent.parent);
              const inAmbientNamespaceDeclaration = !inAmbientExternalModule && node.parent.kind === 268 && !node.moduleSpecifier && node.flags & 33554432;
              if (node.parent.kind !== 307 && !inAmbientExternalModule && !inAmbientNamespaceDeclaration) {
                error2(node, Diagnostics.Export_declarations_are_not_permitted_in_a_namespace);
              }
            } else {
              const moduleSymbol = resolveExternalModuleName(node, node.moduleSpecifier);
              if (moduleSymbol && hasExportAssignmentSymbol(moduleSymbol)) {
                error2(node.moduleSpecifier, Diagnostics.Module_0_uses_export_and_cannot_be_used_with_export_Asterisk, symbolToString2(moduleSymbol));
              } else if (node.exportClause) {
                checkAliasSymbol(node.exportClause);
              }
              if (moduleKind !== 4 && (moduleKind < 5 || getSourceFileOfNode(node).impliedNodeFormat === 1)) {
                if (node.exportClause) {
                  if (getESModuleInterop(compilerOptions)) {
                    checkExternalEmitHelpers(
                      node,
                      65536
                      /* ImportStar */
                    );
                  }
                } else {
                  checkExternalEmitHelpers(
                    node,
                    32768
                    /* ExportStar */
                  );
                }
              }
            }
          }
          checkImportAttributes(node);
        }
        function checkGrammarExportDeclaration(node) {
          var _a;
          if (node.isTypeOnly && ((_a = node.exportClause) == null ? void 0 : _a.kind) === 279) {
            return checkGrammarNamedImportsOrExports(node.exportClause);
          }
          return false;
        }
        function checkGrammarModuleElementContext(node, errorMessage) {
          const isInAppropriateContext = node.parent.kind === 307 || node.parent.kind === 268 || node.parent.kind === 267;
          if (!isInAppropriateContext) {
            grammarErrorOnFirstToken(node, errorMessage);
          }
          return !isInAppropriateContext;
        }
        function checkExportSpecifier(node) {
          checkAliasSymbol(node);
          if (getEmitDeclarations(compilerOptions)) {
            collectLinkedAliases(
              node.propertyName || node.name,
              /*setVisibility*/
              true
            );
          }
          if (!node.parent.parent.moduleSpecifier) {
            const exportedName = node.propertyName || node.name;
            const symbol = resolveName(
              exportedName,
              exportedName.escapedText,
              111551 | 788968 | 1920 | 2097152,
              /*nameNotFoundMessage*/
              void 0,
              /*isUse*/
              true
            );
            if (symbol && (symbol === undefinedSymbol || symbol === globalThisSymbol || symbol.declarations && isGlobalSourceFile(getDeclarationContainer(symbol.declarations[0])))) {
              error2(exportedName, Diagnostics.Cannot_export_0_Only_local_declarations_can_be_exported_from_a_module, idText(exportedName));
            } else {
              markLinkedReferences(
                node,
                7
                /* ExportSpecifier */
              );
            }
          } else {
            if (getESModuleInterop(compilerOptions) && moduleKind !== 4 && (moduleKind < 5 || getSourceFileOfNode(node).impliedNodeFormat === 1) && idText(node.propertyName || node.name) === "default") {
              checkExternalEmitHelpers(
                node,
                131072
                /* ImportDefault */
              );
            }
          }
        }
        function checkExportAssignment(node) {
          const illegalContextMessage = node.isExportEquals ? Diagnostics.An_export_assignment_must_be_at_the_top_level_of_a_file_or_module_declaration : Diagnostics.A_default_export_must_be_at_the_top_level_of_a_file_or_module_declaration;
          if (checkGrammarModuleElementContext(node, illegalContextMessage)) {
            return;
          }
          const container = node.parent.kind === 307 ? node.parent : node.parent.parent;
          if (container.kind === 267 && !isAmbientModule(container)) {
            if (node.isExportEquals) {
              error2(node, Diagnostics.An_export_assignment_cannot_be_used_in_a_namespace);
            } else {
              error2(node, Diagnostics.A_default_export_can_only_be_used_in_an_ECMAScript_style_module);
            }
            return;
          }
          if (!checkGrammarModifiers(node) && hasEffectiveModifiers(node)) {
            grammarErrorOnFirstToken(node, Diagnostics.An_export_assignment_cannot_have_modifiers);
          }
          const typeAnnotationNode = getEffectiveTypeAnnotationNode(node);
          if (typeAnnotationNode) {
            checkTypeAssignableTo(checkExpressionCached(node.expression), getTypeFromTypeNode(typeAnnotationNode), node.expression);
          }
          const isIllegalExportDefaultInCJS = !node.isExportEquals && !(node.flags & 33554432) && compilerOptions.verbatimModuleSyntax && (moduleKind === 1 || getSourceFileOfNode(node).impliedNodeFormat === 1);
          if (node.expression.kind === 80) {
            const id = node.expression;
            const sym = getExportSymbolOfValueSymbolIfExported(resolveEntityName(
              id,
              -1,
              /*ignoreErrors*/
              true,
              /*dontResolveAlias*/
              true,
              node
            ));
            if (sym) {
              markLinkedReferences(
                node,
                3
                /* ExportAssignment */
              );
              const typeOnlyDeclaration = getTypeOnlyAliasDeclaration(
                sym,
                111551
                /* Value */
              );
              if (getSymbolFlags(sym) & 111551) {
                checkExpressionCached(id);
                if (!isIllegalExportDefaultInCJS && !(node.flags & 33554432) && compilerOptions.verbatimModuleSyntax && typeOnlyDeclaration) {
                  error2(
                    id,
                    node.isExportEquals ? Diagnostics.An_export_declaration_must_reference_a_real_value_when_verbatimModuleSyntax_is_enabled_but_0_resolves_to_a_type_only_declaration : Diagnostics.An_export_default_must_reference_a_real_value_when_verbatimModuleSyntax_is_enabled_but_0_resolves_to_a_type_only_declaration,
                    idText(id)
                  );
                }
              } else if (!isIllegalExportDefaultInCJS && !(node.flags & 33554432) && compilerOptions.verbatimModuleSyntax) {
                error2(
                  id,
                  node.isExportEquals ? Diagnostics.An_export_declaration_must_reference_a_value_when_verbatimModuleSyntax_is_enabled_but_0_only_refers_to_a_type : Diagnostics.An_export_default_must_reference_a_value_when_verbatimModuleSyntax_is_enabled_but_0_only_refers_to_a_type,
                  idText(id)
                );
              }
              if (!isIllegalExportDefaultInCJS && !(node.flags & 33554432) && getIsolatedModules(compilerOptions) && !(sym.flags & 111551)) {
                const nonLocalMeanings = getSymbolFlags(
                  sym,
                  /*excludeTypeOnlyMeanings*/
                  false,
                  /*excludeLocalMeanings*/
                  true
                );
                if (sym.flags & 2097152 && nonLocalMeanings & 788968 && !(nonLocalMeanings & 111551) && (!typeOnlyDeclaration || getSourceFileOfNode(typeOnlyDeclaration) !== getSourceFileOfNode(node))) {
                  error2(
                    id,
                    node.isExportEquals ? Diagnostics._0_resolves_to_a_type_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enabled_Consider_using_import_type_where_0_is_imported : Diagnostics._0_resolves_to_a_type_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enabled_Consider_using_export_type_0_as_default,
                    idText(id),
                    isolatedModulesLikeFlagName
                  );
                } else if (typeOnlyDeclaration && getSourceFileOfNode(typeOnlyDeclaration) !== getSourceFileOfNode(node)) {
                  addTypeOnlyDeclarationRelatedInfo(
                    error2(
                      id,
                      node.isExportEquals ? Diagnostics._0_resolves_to_a_type_only_declaration_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enabled_Consider_using_import_type_where_0_is_imported : Diagnostics._0_resolves_to_a_type_only_declaration_and_must_be_marked_type_only_in_this_file_before_re_exporting_when_1_is_enabled_Consider_using_export_type_0_as_default,
                      idText(id),
                      isolatedModulesLikeFlagName
                    ),
                    typeOnlyDeclaration,
                    idText(id)
                  );
                }
              }
            } else {
              checkExpressionCached(id);
            }
            if (getEmitDeclarations(compilerOptions)) {
              collectLinkedAliases(
                id,
                /*setVisibility*/
                true
              );
            }
          } else {
            checkExpressionCached(node.expression);
          }
          if (isIllegalExportDefaultInCJS) {
            error2(node, Diagnostics.ESM_syntax_is_not_allowed_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled);
          }
          checkExternalModuleExports(container);
          if (node.flags & 33554432 && !isEntityNameExpression(node.expression)) {
            grammarErrorOnNode(node.expression, Diagnostics.The_expression_of_an_export_assignment_must_be_an_identifier_or_qualified_name_in_an_ambient_context);
          }
          if (node.isExportEquals) {
            if (moduleKind >= 5 && moduleKind !== 200 && (node.flags & 33554432 && getSourceFileOfNode(node).impliedNodeFormat === 99 || !(node.flags & 33554432) && getSourceFileOfNode(node).impliedNodeFormat !== 1)) {
              grammarErrorOnNode(node, Diagnostics.Export_assignment_cannot_be_used_when_targeting_ECMAScript_modules_Consider_using_export_default_or_another_module_format_instead);
            } else if (moduleKind === 4 && !(node.flags & 33554432)) {
              grammarErrorOnNode(node, Diagnostics.Export_assignment_is_not_supported_when_module_flag_is_system);
            }
          }
        }
        function hasExportedMembers(moduleSymbol) {
          return forEachEntry(moduleSymbol.exports, (_, id) => id !== "export=");
        }
        function checkExternalModuleExports(node) {
          const moduleSymbol = getSymbolOfDeclaration(node);
          const links = getSymbolLinks(moduleSymbol);
          if (!links.exportsChecked) {
            const exportEqualsSymbol = moduleSymbol.exports.get("export=");
            if (exportEqualsSymbol && hasExportedMembers(moduleSymbol)) {
              const declaration = getDeclarationOfAliasSymbol(exportEqualsSymbol) || exportEqualsSymbol.valueDeclaration;
              if (declaration && !isTopLevelInExternalModuleAugmentation(declaration) && !isInJSFile(declaration)) {
                error2(declaration, Diagnostics.An_export_assignment_cannot_be_used_in_a_module_with_other_exported_elements);
              }
            }
            const exports22 = getExportsOfModule(moduleSymbol);
            if (exports22) {
              exports22.forEach(({ declarations, flags }, id) => {
                if (id === "__export") {
                  return;
                }
                if (flags & (1920 | 384)) {
                  return;
                }
                const exportedDeclarationsCount = countWhere(declarations, and(isNotOverloadAndNotAccessor, not(isInterfaceDeclaration)));
                if (flags & 524288 && exportedDeclarationsCount <= 2) {
                  return;
                }
                if (exportedDeclarationsCount > 1) {
                  if (!isDuplicatedCommonJSExport(declarations)) {
                    for (const declaration of declarations) {
                      if (isNotOverload(declaration)) {
                        diagnostics.add(createDiagnosticForNode(declaration, Diagnostics.Cannot_redeclare_exported_variable_0, unescapeLeadingUnderscores(id)));
                      }
                    }
                  }
                }
              });
            }
            links.exportsChecked = true;
          }
        }
        function isDuplicatedCommonJSExport(declarations) {
          return declarations && declarations.length > 1 && declarations.every((d) => isInJSFile(d) && isAccessExpression(d) && (isExportsIdentifier(d.expression) || isModuleExportsAccessExpression(d.expression)));
        }
        function checkSourceElement(node) {
          if (node) {
            const saveCurrentNode = currentNode;
            currentNode = node;
            instantiationCount = 0;
            checkSourceElementWorker(node);
            currentNode = saveCurrentNode;
          }
        }
        function checkSourceElementWorker(node) {
          if (canHaveJSDoc(node)) {
            forEach(node.jsDoc, ({ comment, tags }) => {
              checkJSDocCommentWorker(comment);
              forEach(tags, (tag) => {
                checkJSDocCommentWorker(tag.comment);
                if (isInJSFile(node)) {
                  checkSourceElement(tag);
                }
              });
            });
          }
          const kind = node.kind;
          if (cancellationToken) {
            switch (kind) {
              case 267:
              case 263:
              case 264:
              case 262:
                cancellationToken.throwIfCancellationRequested();
            }
          }
          if (kind >= 243 && kind <= 259 && canHaveFlowNode(node) && node.flowNode && !isReachableFlowNode(node.flowNode)) {
            errorOrSuggestion(compilerOptions.allowUnreachableCode === false, node, Diagnostics.Unreachable_code_detected);
          }
          switch (kind) {
            case 168:
              return checkTypeParameter(node);
            case 169:
              return checkParameter(node);
            case 172:
              return checkPropertyDeclaration(node);
            case 171:
              return checkPropertySignature(node);
            case 185:
            case 184:
            case 179:
            case 180:
            case 181:
              return checkSignatureDeclaration(node);
            case 174:
            case 173:
              return checkMethodDeclaration(node);
            case 175:
              return checkClassStaticBlockDeclaration(node);
            case 176:
              return checkConstructorDeclaration(node);
            case 177:
            case 178:
              return checkAccessorDeclaration(node);
            case 183:
              return checkTypeReferenceNode(node);
            case 182:
              return checkTypePredicate(node);
            case 186:
              return checkTypeQuery(node);
            case 187:
              return checkTypeLiteral(node);
            case 188:
              return checkArrayType(node);
            case 189:
              return checkTupleType(node);
            case 192:
            case 193:
              return checkUnionOrIntersectionType(node);
            case 196:
            case 190:
            case 191:
              return checkSourceElement(node.type);
            case 197:
              return checkThisType(node);
            case 198:
              return checkTypeOperator(node);
            case 194:
              return checkConditionalType(node);
            case 195:
              return checkInferType(node);
            case 203:
              return checkTemplateLiteralType(node);
            case 205:
              return checkImportType(node);
            case 202:
              return checkNamedTupleMember(node);
            case 328:
              return checkJSDocAugmentsTag(node);
            case 329:
              return checkJSDocImplementsTag(node);
            case 346:
            case 338:
            case 340:
              return checkJSDocTypeAliasTag(node);
            case 345:
              return checkJSDocTemplateTag(node);
            case 344:
              return checkJSDocTypeTag(node);
            case 324:
            case 325:
            case 326:
              return checkJSDocLinkLikeTag(node);
            case 341:
              return checkJSDocParameterTag(node);
            case 348:
              return checkJSDocPropertyTag(node);
            case 317:
              checkJSDocFunctionType(node);
            case 315:
            case 314:
            case 312:
            case 313:
            case 322:
              checkJSDocTypeIsInJsFile(node);
              forEachChild(node, checkSourceElement);
              return;
            case 318:
              checkJSDocVariadicType(node);
              return;
            case 309:
              return checkSourceElement(node.type);
            case 333:
            case 335:
            case 334:
              return checkJSDocAccessibilityModifiers(node);
            case 350:
              return checkJSDocSatisfiesTag(node);
            case 343:
              return checkJSDocThisTag(node);
            case 351:
              return checkJSDocImportTag(node);
            case 199:
              return checkIndexedAccessType(node);
            case 200:
              return checkMappedType(node);
            case 262:
              return checkFunctionDeclaration(node);
            case 241:
            case 268:
              return checkBlock(node);
            case 243:
              return checkVariableStatement(node);
            case 244:
              return checkExpressionStatement(node);
            case 245:
              return checkIfStatement(node);
            case 246:
              return checkDoStatement(node);
            case 247:
              return checkWhileStatement(node);
            case 248:
              return checkForStatement(node);
            case 249:
              return checkForInStatement(node);
            case 250:
              return checkForOfStatement(node);
            case 251:
            case 252:
              return checkBreakOrContinueStatement(node);
            case 253:
              return checkReturnStatement(node);
            case 254:
              return checkWithStatement(node);
            case 255:
              return checkSwitchStatement(node);
            case 256:
              return checkLabeledStatement(node);
            case 257:
              return checkThrowStatement(node);
            case 258:
              return checkTryStatement(node);
            case 260:
              return checkVariableDeclaration(node);
            case 208:
              return checkBindingElement(node);
            case 263:
              return checkClassDeclaration(node);
            case 264:
              return checkInterfaceDeclaration(node);
            case 265:
              return checkTypeAliasDeclaration(node);
            case 266:
              return checkEnumDeclaration(node);
            case 267:
              return checkModuleDeclaration(node);
            case 272:
              return checkImportDeclaration(node);
            case 271:
              return checkImportEqualsDeclaration(node);
            case 278:
              return checkExportDeclaration(node);
            case 277:
              return checkExportAssignment(node);
            case 242:
            case 259:
              checkGrammarStatementInAmbientContext(node);
              return;
            case 282:
              return checkMissingDeclaration(node);
          }
        }
        function checkJSDocCommentWorker(node) {
          if (isArray3(node)) {
            forEach(node, (tag) => {
              if (isJSDocLinkLike(tag)) {
                checkSourceElement(tag);
              }
            });
          }
        }
        function checkJSDocTypeIsInJsFile(node) {
          if (!isInJSFile(node)) {
            if (isJSDocNonNullableType(node) || isJSDocNullableType(node)) {
              const token = tokenToString(
                isJSDocNonNullableType(node) ? 54 : 58
                /* QuestionToken */
              );
              const diagnostic = node.postfix ? Diagnostics._0_at_the_end_of_a_type_is_not_valid_TypeScript_syntax_Did_you_mean_to_write_1 : Diagnostics._0_at_the_start_of_a_type_is_not_valid_TypeScript_syntax_Did_you_mean_to_write_1;
              const typeNode = node.type;
              const type = getTypeFromTypeNode(typeNode);
              grammarErrorOnNode(
                node,
                diagnostic,
                token,
                typeToString(
                  isJSDocNullableType(node) && !(type === neverType2 || type === voidType2) ? getUnionType(append([type, undefinedType2], node.postfix ? void 0 : nullType2)) : type
                )
              );
            } else {
              grammarErrorOnNode(node, Diagnostics.JSDoc_types_can_only_be_used_inside_documentation_comments);
            }
          }
        }
        function checkJSDocVariadicType(node) {
          checkJSDocTypeIsInJsFile(node);
          checkSourceElement(node.type);
          const { parent: parent2 } = node;
          if (isParameter(parent2) && isJSDocFunctionType(parent2.parent)) {
            if (last(parent2.parent.parameters) !== parent2) {
              error2(node, Diagnostics.A_rest_parameter_must_be_last_in_a_parameter_list);
            }
            return;
          }
          if (!isJSDocTypeExpression(parent2)) {
            error2(node, Diagnostics.JSDoc_may_only_appear_in_the_last_parameter_of_a_signature);
          }
          const paramTag = node.parent.parent;
          if (!isJSDocParameterTag(paramTag)) {
            error2(node, Diagnostics.JSDoc_may_only_appear_in_the_last_parameter_of_a_signature);
            return;
          }
          const param = getParameterSymbolFromJSDoc(paramTag);
          if (!param) {
            return;
          }
          const host2 = getHostSignatureFromJSDoc(paramTag);
          if (!host2 || last(host2.parameters).symbol !== param) {
            error2(node, Diagnostics.A_rest_parameter_must_be_last_in_a_parameter_list);
          }
        }
        function getTypeFromJSDocVariadicType(node) {
          const type = getTypeFromTypeNode(node.type);
          const { parent: parent2 } = node;
          const paramTag = node.parent.parent;
          if (isJSDocTypeExpression(node.parent) && isJSDocParameterTag(paramTag)) {
            const host2 = getHostSignatureFromJSDoc(paramTag);
            const isCallbackTag = isJSDocCallbackTag(paramTag.parent.parent);
            if (host2 || isCallbackTag) {
              const lastParamDeclaration = isCallbackTag ? lastOrUndefined(paramTag.parent.parent.typeExpression.parameters) : lastOrUndefined(host2.parameters);
              const symbol = getParameterSymbolFromJSDoc(paramTag);
              if (!lastParamDeclaration || symbol && lastParamDeclaration.symbol === symbol && isRestParameter(lastParamDeclaration)) {
                return createArrayType(type);
              }
            }
          }
          if (isParameter(parent2) && isJSDocFunctionType(parent2.parent)) {
            return createArrayType(type);
          }
          return addOptionality(type);
        }
        function checkNodeDeferred(node) {
          const enclosingFile = getSourceFileOfNode(node);
          const links = getNodeLinks(enclosingFile);
          if (!(links.flags & 1)) {
            links.deferredNodes || (links.deferredNodes = /* @__PURE__ */ new Set());
            links.deferredNodes.add(node);
          } else {
            Debug.assert(!links.deferredNodes, "A type-checked file should have no deferred nodes.");
          }
        }
        function checkDeferredNodes(context) {
          const links = getNodeLinks(context);
          if (links.deferredNodes) {
            links.deferredNodes.forEach(checkDeferredNode);
          }
          links.deferredNodes = void 0;
        }
        function checkDeferredNode(node) {
          var _a, _b;
          (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Check, "checkDeferredNode", { kind: node.kind, pos: node.pos, end: node.end, path: node.tracingPath });
          const saveCurrentNode = currentNode;
          currentNode = node;
          instantiationCount = 0;
          switch (node.kind) {
            case 213:
            case 214:
            case 215:
            case 170:
            case 286:
              resolveUntypedCall(node);
              break;
            case 218:
            case 219:
            case 174:
            case 173:
              checkFunctionExpressionOrObjectLiteralMethodDeferred(node);
              break;
            case 177:
            case 178:
              checkAccessorDeclaration(node);
              break;
            case 231:
              checkClassExpressionDeferred(node);
              break;
            case 168:
              checkTypeParameterDeferred(node);
              break;
            case 285:
              checkJsxSelfClosingElementDeferred(node);
              break;
            case 284:
              checkJsxElementDeferred(node);
              break;
            case 216:
            case 234:
            case 217:
              checkAssertionDeferred(node);
              break;
            case 222:
              checkExpression(node.expression);
              break;
            case 226:
              if (isInstanceOfExpression(node)) {
                resolveUntypedCall(node);
              }
              break;
          }
          currentNode = saveCurrentNode;
          (_b = tracing) == null ? void 0 : _b.pop();
        }
        function checkSourceFile(node) {
          var _a, _b;
          (_a = tracing) == null ? void 0 : _a.push(
            tracing.Phase.Check,
            "checkSourceFile",
            { path: node.path },
            /*separateBeginAndEnd*/
            true
          );
          mark("beforeCheck");
          checkSourceFileWorker(node);
          mark("afterCheck");
          measure("Check", "beforeCheck", "afterCheck");
          (_b = tracing) == null ? void 0 : _b.pop();
        }
        function unusedIsError(kind, isAmbient) {
          if (isAmbient) {
            return false;
          }
          switch (kind) {
            case 0:
              return !!compilerOptions.noUnusedLocals;
            case 1:
              return !!compilerOptions.noUnusedParameters;
            default:
              return Debug.assertNever(kind);
          }
        }
        function getPotentiallyUnusedIdentifiers(sourceFile) {
          return allPotentiallyUnusedIdentifiers.get(sourceFile.path) || emptyArray;
        }
        function checkSourceFileWorker(node) {
          const links = getNodeLinks(node);
          if (!(links.flags & 1)) {
            if (skipTypeChecking(node, compilerOptions, host)) {
              return;
            }
            checkGrammarSourceFile(node);
            clear(potentialThisCollisions);
            clear(potentialNewTargetCollisions);
            clear(potentialWeakMapSetCollisions);
            clear(potentialReflectCollisions);
            clear(potentialUnusedRenamedBindingElementsInTypes);
            forEach(node.statements, checkSourceElement);
            checkSourceElement(node.endOfFileToken);
            checkDeferredNodes(node);
            if (isExternalOrCommonJsModule(node)) {
              registerForUnusedIdentifiersCheck(node);
            }
            addLazyDiagnostic(() => {
              if (!node.isDeclarationFile && (compilerOptions.noUnusedLocals || compilerOptions.noUnusedParameters)) {
                checkUnusedIdentifiers(getPotentiallyUnusedIdentifiers(node), (containingNode, kind, diag2) => {
                  if (!containsParseError(containingNode) && unusedIsError(kind, !!(containingNode.flags & 33554432))) {
                    diagnostics.add(diag2);
                  }
                });
              }
              if (!node.isDeclarationFile) {
                checkPotentialUncheckedRenamedBindingElementsInTypes();
              }
            });
            if (isExternalOrCommonJsModule(node)) {
              checkExternalModuleExports(node);
            }
            if (potentialThisCollisions.length) {
              forEach(potentialThisCollisions, checkIfThisIsCapturedInEnclosingScope);
              clear(potentialThisCollisions);
            }
            if (potentialNewTargetCollisions.length) {
              forEach(potentialNewTargetCollisions, checkIfNewTargetIsCapturedInEnclosingScope);
              clear(potentialNewTargetCollisions);
            }
            if (potentialWeakMapSetCollisions.length) {
              forEach(potentialWeakMapSetCollisions, checkWeakMapSetCollision);
              clear(potentialWeakMapSetCollisions);
            }
            if (potentialReflectCollisions.length) {
              forEach(potentialReflectCollisions, checkReflectCollision);
              clear(potentialReflectCollisions);
            }
            links.flags |= 1;
          }
        }
        function getDiagnostics2(sourceFile, ct) {
          try {
            cancellationToken = ct;
            return getDiagnosticsWorker(sourceFile);
          } finally {
            cancellationToken = void 0;
          }
        }
        function ensurePendingDiagnosticWorkComplete() {
          for (const cb of deferredDiagnosticsCallbacks) {
            cb();
          }
          deferredDiagnosticsCallbacks = [];
        }
        function checkSourceFileWithEagerDiagnostics(sourceFile) {
          ensurePendingDiagnosticWorkComplete();
          const oldAddLazyDiagnostics = addLazyDiagnostic;
          addLazyDiagnostic = (cb) => cb();
          checkSourceFile(sourceFile);
          addLazyDiagnostic = oldAddLazyDiagnostics;
        }
        function getDiagnosticsWorker(sourceFile) {
          if (sourceFile) {
            ensurePendingDiagnosticWorkComplete();
            const previousGlobalDiagnostics = diagnostics.getGlobalDiagnostics();
            const previousGlobalDiagnosticsSize = previousGlobalDiagnostics.length;
            checkSourceFileWithEagerDiagnostics(sourceFile);
            const semanticDiagnostics = diagnostics.getDiagnostics(sourceFile.fileName);
            const currentGlobalDiagnostics = diagnostics.getGlobalDiagnostics();
            if (currentGlobalDiagnostics !== previousGlobalDiagnostics) {
              const deferredGlobalDiagnostics = relativeComplement(previousGlobalDiagnostics, currentGlobalDiagnostics, compareDiagnostics);
              return concatenate(deferredGlobalDiagnostics, semanticDiagnostics);
            } else if (previousGlobalDiagnosticsSize === 0 && currentGlobalDiagnostics.length > 0) {
              return concatenate(currentGlobalDiagnostics, semanticDiagnostics);
            }
            return semanticDiagnostics;
          }
          forEach(host.getSourceFiles(), checkSourceFileWithEagerDiagnostics);
          return diagnostics.getDiagnostics();
        }
        function getGlobalDiagnostics() {
          ensurePendingDiagnosticWorkComplete();
          return diagnostics.getGlobalDiagnostics();
        }
        function getSymbolsInScope(location, meaning) {
          if (location.flags & 67108864) {
            return [];
          }
          const symbols = createSymbolTable();
          let isStaticSymbol = false;
          populateSymbols();
          symbols.delete(
            "this"
            /* This */
          );
          return symbolsToArray(symbols);
          function populateSymbols() {
            while (location) {
              if (canHaveLocals(location) && location.locals && !isGlobalSourceFile(location)) {
                copySymbols(location.locals, meaning);
              }
              switch (location.kind) {
                case 307:
                  if (!isExternalModule(location)) break;
                case 267:
                  copyLocallyVisibleExportSymbols(
                    getSymbolOfDeclaration(location).exports,
                    meaning & 2623475
                    /* ModuleMember */
                  );
                  break;
                case 266:
                  copySymbols(
                    getSymbolOfDeclaration(location).exports,
                    meaning & 8
                    /* EnumMember */
                  );
                  break;
                case 231:
                  const className = location.name;
                  if (className) {
                    copySymbol(location.symbol, meaning);
                  }
                case 263:
                case 264:
                  if (!isStaticSymbol) {
                    copySymbols(
                      getMembersOfSymbol(getSymbolOfDeclaration(location)),
                      meaning & 788968
                      /* Type */
                    );
                  }
                  break;
                case 218:
                  const funcName = location.name;
                  if (funcName) {
                    copySymbol(location.symbol, meaning);
                  }
                  break;
              }
              if (introducesArgumentsExoticObject(location)) {
                copySymbol(argumentsSymbol, meaning);
              }
              isStaticSymbol = isStatic(location);
              location = location.parent;
            }
            copySymbols(globals2, meaning);
          }
          function copySymbol(symbol, meaning2) {
            if (getCombinedLocalAndExportSymbolFlags(symbol) & meaning2) {
              const id = symbol.escapedName;
              if (!symbols.has(id)) {
                symbols.set(id, symbol);
              }
            }
          }
          function copySymbols(source, meaning2) {
            if (meaning2) {
              source.forEach((symbol) => {
                copySymbol(symbol, meaning2);
              });
            }
          }
          function copyLocallyVisibleExportSymbols(source, meaning2) {
            if (meaning2) {
              source.forEach((symbol) => {
                if (!getDeclarationOfKind(
                  symbol,
                  281
                  /* ExportSpecifier */
                ) && !getDeclarationOfKind(
                  symbol,
                  280
                  /* NamespaceExport */
                ) && symbol.escapedName !== "default") {
                  copySymbol(symbol, meaning2);
                }
              });
            }
          }
        }
        function isTypeDeclarationName(name) {
          return name.kind === 80 && isTypeDeclaration(name.parent) && getNameOfDeclaration(name.parent) === name;
        }
        function isTypeReferenceIdentifier(node) {
          while (node.parent.kind === 166) {
            node = node.parent;
          }
          return node.parent.kind === 183;
        }
        function isInNameOfExpressionWithTypeArguments(node) {
          while (node.parent.kind === 211) {
            node = node.parent;
          }
          return node.parent.kind === 233;
        }
        function forEachEnclosingClass(node, callback) {
          let result;
          let containingClass = getContainingClass(node);
          while (containingClass) {
            if (result = callback(containingClass)) break;
            containingClass = getContainingClass(containingClass);
          }
          return result;
        }
        function isNodeUsedDuringClassInitialization(node) {
          return !!findAncestor(node, (element) => {
            if (isConstructorDeclaration(element) && nodeIsPresent(element.body) || isPropertyDeclaration(element)) {
              return true;
            } else if (isClassLike(element) || isFunctionLikeDeclaration(element)) {
              return "quit";
            }
            return false;
          });
        }
        function isNodeWithinClass(node, classDeclaration) {
          return !!forEachEnclosingClass(node, (n) => n === classDeclaration);
        }
        function getLeftSideOfImportEqualsOrExportAssignment(nodeOnRightSide) {
          while (nodeOnRightSide.parent.kind === 166) {
            nodeOnRightSide = nodeOnRightSide.parent;
          }
          if (nodeOnRightSide.parent.kind === 271) {
            return nodeOnRightSide.parent.moduleReference === nodeOnRightSide ? nodeOnRightSide.parent : void 0;
          }
          if (nodeOnRightSide.parent.kind === 277) {
            return nodeOnRightSide.parent.expression === nodeOnRightSide ? nodeOnRightSide.parent : void 0;
          }
          return void 0;
        }
        function isInRightSideOfImportOrExportAssignment(node) {
          return getLeftSideOfImportEqualsOrExportAssignment(node) !== void 0;
        }
        function getSpecialPropertyAssignmentSymbolFromEntityName(entityName) {
          const specialPropertyAssignmentKind = getAssignmentDeclarationKind(entityName.parent.parent);
          switch (specialPropertyAssignmentKind) {
            case 1:
            case 3:
              return getSymbolOfNode(entityName.parent);
            case 5:
              if (isPropertyAccessExpression(entityName.parent) && getLeftmostAccessExpression(entityName.parent) === entityName) {
                return void 0;
              }
            case 4:
            case 2:
              return getSymbolOfDeclaration(entityName.parent.parent);
          }
        }
        function isImportTypeQualifierPart(node) {
          let parent2 = node.parent;
          while (isQualifiedName(parent2)) {
            node = parent2;
            parent2 = parent2.parent;
          }
          if (parent2 && parent2.kind === 205 && parent2.qualifier === node) {
            return parent2;
          }
          return void 0;
        }
        function isThisPropertyAndThisTyped(node) {
          if (node.expression.kind === 110) {
            const container = getThisContainer(
              node,
              /*includeArrowFunctions*/
              false,
              /*includeClassComputedPropertyName*/
              false
            );
            if (isFunctionLike(container)) {
              const containingLiteral = getContainingObjectLiteral(container);
              if (containingLiteral) {
                const contextualType = getApparentTypeOfContextualType(
                  containingLiteral,
                  /*contextFlags*/
                  void 0
                );
                const type = getThisTypeOfObjectLiteralFromContextualType(containingLiteral, contextualType);
                return type && !isTypeAny(type);
              }
            }
          }
        }
        function getSymbolOfNameOrPropertyAccessExpression(name) {
          if (isDeclarationName(name)) {
            return getSymbolOfNode(name.parent);
          }
          if (isInJSFile(name) && name.parent.kind === 211 && name.parent === name.parent.parent.left) {
            if (!isPrivateIdentifier(name) && !isJSDocMemberName(name) && !isThisPropertyAndThisTyped(name.parent)) {
              const specialPropertyAssignmentSymbol = getSpecialPropertyAssignmentSymbolFromEntityName(name);
              if (specialPropertyAssignmentSymbol) {
                return specialPropertyAssignmentSymbol;
              }
            }
          }
          if (name.parent.kind === 277 && isEntityNameExpression(name)) {
            const success = resolveEntityName(
              name,
              /*all meanings*/
              111551 | 788968 | 1920 | 2097152,
              /*ignoreErrors*/
              true
            );
            if (success && success !== unknownSymbol) {
              return success;
            }
          } else if (isEntityName(name) && isInRightSideOfImportOrExportAssignment(name)) {
            const importEqualsDeclaration = getAncestor2(
              name,
              271
              /* ImportEqualsDeclaration */
            );
            Debug.assert(importEqualsDeclaration !== void 0);
            return getSymbolOfPartOfRightHandSideOfImportEquals(
              name,
              /*dontResolveAlias*/
              true
            );
          }
          if (isEntityName(name)) {
            const possibleImportNode = isImportTypeQualifierPart(name);
            if (possibleImportNode) {
              getTypeFromTypeNode(possibleImportNode);
              const sym = getNodeLinks(name).resolvedSymbol;
              return sym === unknownSymbol ? void 0 : sym;
            }
          }
          while (isRightSideOfQualifiedNameOrPropertyAccessOrJSDocMemberName(name)) {
            name = name.parent;
          }
          if (isInNameOfExpressionWithTypeArguments(name)) {
            let meaning = 0;
            if (name.parent.kind === 233) {
              meaning = isPartOfTypeNode(name) ? 788968 : 111551;
              if (isExpressionWithTypeArgumentsInClassExtendsClause(name.parent)) {
                meaning |= 111551;
              }
            } else {
              meaning = 1920;
            }
            meaning |= 2097152;
            const entityNameSymbol = isEntityNameExpression(name) ? resolveEntityName(
              name,
              meaning,
              /*ignoreErrors*/
              true
            ) : void 0;
            if (entityNameSymbol) {
              return entityNameSymbol;
            }
          }
          if (name.parent.kind === 341) {
            return getParameterSymbolFromJSDoc(name.parent);
          }
          if (name.parent.kind === 168 && name.parent.parent.kind === 345) {
            Debug.assert(!isInJSFile(name));
            const typeParameter = getTypeParameterFromJsDoc(name.parent);
            return typeParameter && typeParameter.symbol;
          }
          if (isExpressionNode(name)) {
            if (nodeIsMissing(name)) {
              return void 0;
            }
            const isJSDoc2 = findAncestor(name, or(isJSDocLinkLike, isJSDocNameReference, isJSDocMemberName));
            const meaning = isJSDoc2 ? 788968 | 1920 | 111551 : 111551;
            if (name.kind === 80) {
              if (isJSXTagName(name) && isJsxIntrinsicTagName(name)) {
                const symbol = getIntrinsicTagSymbol(name.parent);
                return symbol === unknownSymbol ? void 0 : symbol;
              }
              const result = resolveEntityName(
                name,
                meaning,
                /*ignoreErrors*/
                true,
                /*dontResolveAlias*/
                true,
                getHostSignatureFromJSDoc(name)
              );
              if (!result && isJSDoc2) {
                const container = findAncestor(name, or(isClassLike, isInterfaceDeclaration));
                if (container) {
                  return resolveJSDocMemberName(
                    name,
                    /*ignoreErrors*/
                    true,
                    getSymbolOfDeclaration(container)
                  );
                }
              }
              if (result && isJSDoc2) {
                const container = getJSDocHost(name);
                if (container && isEnumMember(container) && container === result.valueDeclaration) {
                  return resolveEntityName(
                    name,
                    meaning,
                    /*ignoreErrors*/
                    true,
                    /*dontResolveAlias*/
                    true,
                    getSourceFileOfNode(container)
                  ) || result;
                }
              }
              return result;
            } else if (isPrivateIdentifier(name)) {
              return getSymbolForPrivateIdentifierExpression(name);
            } else if (name.kind === 211 || name.kind === 166) {
              const links = getNodeLinks(name);
              if (links.resolvedSymbol) {
                return links.resolvedSymbol;
              }
              if (name.kind === 211) {
                checkPropertyAccessExpression(
                  name,
                  0
                  /* Normal */
                );
                if (!links.resolvedSymbol) {
                  links.resolvedSymbol = getApplicableIndexSymbol(checkExpressionCached(name.expression), getLiteralTypeFromPropertyName(name.name));
                }
              } else {
                checkQualifiedName(
                  name,
                  0
                  /* Normal */
                );
              }
              if (!links.resolvedSymbol && isJSDoc2 && isQualifiedName(name)) {
                return resolveJSDocMemberName(name);
              }
              return links.resolvedSymbol;
            } else if (isJSDocMemberName(name)) {
              return resolveJSDocMemberName(name);
            }
          } else if (isTypeReferenceIdentifier(name)) {
            const meaning = name.parent.kind === 183 ? 788968 : 1920;
            const symbol = resolveEntityName(
              name,
              meaning,
              /*ignoreErrors*/
              false,
              /*dontResolveAlias*/
              true
            );
            return symbol && symbol !== unknownSymbol ? symbol : getUnresolvedSymbolForEntityName(name);
          }
          if (name.parent.kind === 182) {
            return resolveEntityName(
              name,
              /*meaning*/
              1
              /* FunctionScopedVariable */
            );
          }
          return void 0;
        }
        function getApplicableIndexSymbol(type, keyType) {
          const infos = getApplicableIndexInfos(type, keyType);
          if (infos.length && type.members) {
            const symbol = getIndexSymbolFromSymbolTable(resolveStructuredTypeMembers(type).members);
            if (infos === getIndexInfosOfType(type)) {
              return symbol;
            } else if (symbol) {
              const symbolLinks2 = getSymbolLinks(symbol);
              const declarationList = mapDefined(infos, (i) => i.declaration);
              const nodeListId = map(declarationList, getNodeId).join(",");
              if (!symbolLinks2.filteredIndexSymbolCache) {
                symbolLinks2.filteredIndexSymbolCache = /* @__PURE__ */ new Map();
              }
              if (symbolLinks2.filteredIndexSymbolCache.has(nodeListId)) {
                return symbolLinks2.filteredIndexSymbolCache.get(nodeListId);
              } else {
                const copy = createSymbol(
                  131072,
                  "__index"
                  /* Index */
                );
                copy.declarations = mapDefined(infos, (i) => i.declaration);
                copy.parent = type.aliasSymbol ? type.aliasSymbol : type.symbol ? type.symbol : getSymbolAtLocation(copy.declarations[0].parent);
                symbolLinks2.filteredIndexSymbolCache.set(nodeListId, copy);
                return copy;
              }
            }
          }
        }
        function resolveJSDocMemberName(name, ignoreErrors, container) {
          if (isEntityName(name)) {
            const meaning = 788968 | 1920 | 111551;
            let symbol = resolveEntityName(
              name,
              meaning,
              ignoreErrors,
              /*dontResolveAlias*/
              true,
              getHostSignatureFromJSDoc(name)
            );
            if (!symbol && isIdentifier(name) && container) {
              symbol = getMergedSymbol(getSymbol2(getExportsOfSymbol(container), name.escapedText, meaning));
            }
            if (symbol) {
              return symbol;
            }
          }
          const left = isIdentifier(name) ? container : resolveJSDocMemberName(name.left, ignoreErrors, container);
          const right = isIdentifier(name) ? name.escapedText : name.right.escapedText;
          if (left) {
            const proto = left.flags & 111551 && getPropertyOfType(getTypeOfSymbol(left), "prototype");
            const t = proto ? getTypeOfSymbol(proto) : getDeclaredTypeOfSymbol(left);
            return getPropertyOfType(t, right);
          }
        }
        function getSymbolAtLocation(node, ignoreErrors) {
          if (isSourceFile(node)) {
            return isExternalModule(node) ? getMergedSymbol(node.symbol) : void 0;
          }
          const { parent: parent2 } = node;
          const grandParent = parent2.parent;
          if (node.flags & 67108864) {
            return void 0;
          }
          if (isDeclarationNameOrImportPropertyName(node)) {
            const parentSymbol = getSymbolOfDeclaration(parent2);
            return isImportOrExportSpecifier(node.parent) && node.parent.propertyName === node ? getImmediateAliasedSymbol(parentSymbol) : parentSymbol;
          } else if (isLiteralComputedPropertyDeclarationName(node)) {
            return getSymbolOfDeclaration(parent2.parent);
          }
          if (node.kind === 80) {
            if (isInRightSideOfImportOrExportAssignment(node)) {
              return getSymbolOfNameOrPropertyAccessExpression(node);
            } else if (parent2.kind === 208 && grandParent.kind === 206 && node === parent2.propertyName) {
              const typeOfPattern = getTypeOfNode(grandParent);
              const propertyDeclaration = getPropertyOfType(typeOfPattern, node.escapedText);
              if (propertyDeclaration) {
                return propertyDeclaration;
              }
            } else if (isMetaProperty(parent2) && parent2.name === node) {
              if (parent2.keywordToken === 105 && idText(node) === "target") {
                return checkNewTargetMetaProperty(parent2).symbol;
              }
              if (parent2.keywordToken === 102 && idText(node) === "meta") {
                return getGlobalImportMetaExpressionType().members.get("meta");
              }
              return void 0;
            }
          }
          switch (node.kind) {
            case 80:
            case 81:
            case 211:
            case 166:
              if (!isThisInTypeQuery(node)) {
                return getSymbolOfNameOrPropertyAccessExpression(node);
              }
            case 110:
              const container = getThisContainer(
                node,
                /*includeArrowFunctions*/
                false,
                /*includeClassComputedPropertyName*/
                false
              );
              if (isFunctionLike(container)) {
                const sig = getSignatureFromDeclaration(container);
                if (sig.thisParameter) {
                  return sig.thisParameter;
                }
              }
              if (isInExpressionContext(node)) {
                return checkExpression(node).symbol;
              }
            case 197:
              return getTypeFromThisTypeNode(node).symbol;
            case 108:
              return checkExpression(node).symbol;
            case 137:
              const constructorDeclaration = node.parent;
              if (constructorDeclaration && constructorDeclaration.kind === 176) {
                return constructorDeclaration.parent.symbol;
              }
              return void 0;
            case 11:
            case 15:
              if (isExternalModuleImportEqualsDeclaration(node.parent.parent) && getExternalModuleImportEqualsDeclarationExpression(node.parent.parent) === node || (node.parent.kind === 272 || node.parent.kind === 278) && node.parent.moduleSpecifier === node || isInJSFile(node) && isJSDocImportTag(node.parent) && node.parent.moduleSpecifier === node || (isInJSFile(node) && isRequireCall(
                node.parent,
                /*requireStringLiteralLikeArgument*/
                false
              ) || isImportCall(node.parent)) || isLiteralTypeNode(node.parent) && isLiteralImportTypeNode(node.parent.parent) && node.parent.parent.argument === node.parent) {
                return resolveExternalModuleName(node, node, ignoreErrors);
              }
              if (isCallExpression2(parent2) && isBindableObjectDefinePropertyCall(parent2) && parent2.arguments[1] === node) {
                return getSymbolOfDeclaration(parent2);
              }
            case 9:
              const objectType2 = isElementAccessExpression(parent2) ? parent2.argumentExpression === node ? getTypeOfExpression(parent2.expression) : void 0 : isLiteralTypeNode(parent2) && isIndexedAccessTypeNode(grandParent) ? getTypeFromTypeNode(grandParent.objectType) : void 0;
              return objectType2 && getPropertyOfType(objectType2, escapeLeadingUnderscores(node.text));
            case 90:
            case 100:
            case 39:
            case 86:
              return getSymbolOfNode(node.parent);
            case 205:
              return isLiteralImportTypeNode(node) ? getSymbolAtLocation(node.argument.literal, ignoreErrors) : void 0;
            case 95:
              return isExportAssignment(node.parent) ? Debug.checkDefined(node.parent.symbol) : void 0;
            case 102:
            case 105:
              return isMetaProperty(node.parent) ? checkMetaPropertyKeyword(node.parent).symbol : void 0;
            case 104:
              if (isBinaryExpression(node.parent)) {
                const type = getTypeOfExpression(node.parent.right);
                const hasInstanceMethodType = getSymbolHasInstanceMethodOfObjectType(type);
                return (hasInstanceMethodType == null ? void 0 : hasInstanceMethodType.symbol) ?? type.symbol;
              }
              return void 0;
            case 236:
              return checkExpression(node).symbol;
            case 295:
              if (isJSXTagName(node) && isJsxIntrinsicTagName(node)) {
                const symbol = getIntrinsicTagSymbol(node.parent);
                return symbol === unknownSymbol ? void 0 : symbol;
              }
            default:
              return void 0;
          }
        }
        function getIndexInfosAtLocation(node) {
          if (isIdentifier(node) && isPropertyAccessExpression(node.parent) && node.parent.name === node) {
            const keyType = getLiteralTypeFromPropertyName(node);
            const objectType2 = getTypeOfExpression(node.parent.expression);
            const objectTypes = objectType2.flags & 1048576 ? objectType2.types : [objectType2];
            return flatMap(objectTypes, (t) => filter(getIndexInfosOfType(t), (info) => isApplicableIndexType(keyType, info.keyType)));
          }
          return void 0;
        }
        function getShorthandAssignmentValueSymbol(location) {
          if (location && location.kind === 304) {
            return resolveEntityName(
              location.name,
              111551 | 2097152
              /* Alias */
            );
          }
          return void 0;
        }
        function getExportSpecifierLocalTargetSymbol(node) {
          if (isExportSpecifier(node)) {
            return node.parent.parent.moduleSpecifier ? getExternalModuleMember(node.parent.parent, node) : resolveEntityName(
              node.propertyName || node.name,
              111551 | 788968 | 1920 | 2097152
              /* Alias */
            );
          } else {
            return resolveEntityName(
              node,
              111551 | 788968 | 1920 | 2097152
              /* Alias */
            );
          }
        }
        function getTypeOfNode(node) {
          if (isSourceFile(node) && !isExternalModule(node)) {
            return errorType;
          }
          if (node.flags & 67108864) {
            return errorType;
          }
          const classDecl = tryGetClassImplementingOrExtendingExpressionWithTypeArguments(node);
          const classType = classDecl && getDeclaredTypeOfClassOrInterface(getSymbolOfDeclaration(classDecl.class));
          if (isPartOfTypeNode(node)) {
            const typeFromTypeNode = getTypeFromTypeNode(node);
            return classType ? getTypeWithThisArgument(typeFromTypeNode, classType.thisType) : typeFromTypeNode;
          }
          if (isExpressionNode(node)) {
            return getRegularTypeOfExpression(node);
          }
          if (classType && !classDecl.isImplements) {
            const baseType = firstOrUndefined(getBaseTypes(classType));
            return baseType ? getTypeWithThisArgument(baseType, classType.thisType) : errorType;
          }
          if (isTypeDeclaration(node)) {
            const symbol = getSymbolOfDeclaration(node);
            return getDeclaredTypeOfSymbol(symbol);
          }
          if (isTypeDeclarationName(node)) {
            const symbol = getSymbolAtLocation(node);
            return symbol ? getDeclaredTypeOfSymbol(symbol) : errorType;
          }
          if (isBindingElement(node)) {
            return getTypeForVariableLikeDeclaration(
              node,
              /*includeOptionality*/
              true,
              0
              /* Normal */
            ) || errorType;
          }
          if (isDeclaration(node)) {
            const symbol = getSymbolOfDeclaration(node);
            return symbol ? getTypeOfSymbol(symbol) : errorType;
          }
          if (isDeclarationNameOrImportPropertyName(node)) {
            const symbol = getSymbolAtLocation(node);
            if (symbol) {
              return getTypeOfSymbol(symbol);
            }
            return errorType;
          }
          if (isBindingPattern(node)) {
            return getTypeForVariableLikeDeclaration(
              node.parent,
              /*includeOptionality*/
              true,
              0
              /* Normal */
            ) || errorType;
          }
          if (isInRightSideOfImportOrExportAssignment(node)) {
            const symbol = getSymbolAtLocation(node);
            if (symbol) {
              const declaredType = getDeclaredTypeOfSymbol(symbol);
              return !isErrorType(declaredType) ? declaredType : getTypeOfSymbol(symbol);
            }
          }
          if (isMetaProperty(node.parent) && node.parent.keywordToken === node.kind) {
            return checkMetaPropertyKeyword(node.parent);
          }
          if (isImportAttributes(node)) {
            return getGlobalImportAttributesType(
              /*reportErrors*/
              false
            );
          }
          return errorType;
        }
        function getTypeOfAssignmentPattern(expr) {
          Debug.assert(
            expr.kind === 210 || expr.kind === 209
            /* ArrayLiteralExpression */
          );
          if (expr.parent.kind === 250) {
            const iteratedType = checkRightHandSideOfForOf(expr.parent);
            return checkDestructuringAssignment(expr, iteratedType || errorType);
          }
          if (expr.parent.kind === 226) {
            const iteratedType = getTypeOfExpression(expr.parent.right);
            return checkDestructuringAssignment(expr, iteratedType || errorType);
          }
          if (expr.parent.kind === 303) {
            const node2 = cast(expr.parent.parent, isObjectLiteralExpression);
            const typeOfParentObjectLiteral = getTypeOfAssignmentPattern(node2) || errorType;
            const propertyIndex = indexOfNode(node2.properties, expr.parent);
            return checkObjectLiteralDestructuringPropertyAssignment(node2, typeOfParentObjectLiteral, propertyIndex);
          }
          const node = cast(expr.parent, isArrayLiteralExpression);
          const typeOfArrayLiteral = getTypeOfAssignmentPattern(node) || errorType;
          const elementType = checkIteratedTypeOrElementType(65, typeOfArrayLiteral, undefinedType2, expr.parent) || errorType;
          return checkArrayLiteralDestructuringElementAssignment(node, typeOfArrayLiteral, node.elements.indexOf(expr), elementType);
        }
        function getPropertySymbolOfDestructuringAssignment(location) {
          const typeOfObjectLiteral = getTypeOfAssignmentPattern(cast(location.parent.parent, isAssignmentPattern));
          return typeOfObjectLiteral && getPropertyOfType(typeOfObjectLiteral, location.escapedText);
        }
        function getRegularTypeOfExpression(expr) {
          if (isRightSideOfQualifiedNameOrPropertyAccess(expr)) {
            expr = expr.parent;
          }
          return getRegularTypeOfLiteralType(getTypeOfExpression(expr));
        }
        function getParentTypeOfClassElement(node) {
          const classSymbol = getSymbolOfNode(node.parent);
          return isStatic(node) ? getTypeOfSymbol(classSymbol) : getDeclaredTypeOfSymbol(classSymbol);
        }
        function getClassElementPropertyKeyType(element) {
          const name = element.name;
          switch (name.kind) {
            case 80:
              return getStringLiteralType(idText(name));
            case 9:
            case 11:
              return getStringLiteralType(name.text);
            case 167:
              const nameType = checkComputedPropertyName(name);
              return isTypeAssignableToKind(
                nameType,
                12288
                /* ESSymbolLike */
              ) ? nameType : stringType2;
            default:
              return Debug.fail("Unsupported property name.");
          }
        }
        function getAugmentedPropertiesOfType(type) {
          type = getApparentType(type);
          const propsByName = createSymbolTable(getPropertiesOfType(type));
          const functionType2 = getSignaturesOfType(
            type,
            0
            /* Call */
          ).length ? globalCallableFunctionType : getSignaturesOfType(
            type,
            1
            /* Construct */
          ).length ? globalNewableFunctionType : void 0;
          if (functionType2) {
            forEach(getPropertiesOfType(functionType2), (p) => {
              if (!propsByName.has(p.escapedName)) {
                propsByName.set(p.escapedName, p);
              }
            });
          }
          return getNamedMembers(propsByName);
        }
        function typeHasCallOrConstructSignatures(type) {
          return getSignaturesOfType(
            type,
            0
            /* Call */
          ).length !== 0 || getSignaturesOfType(
            type,
            1
            /* Construct */
          ).length !== 0;
        }
        function getRootSymbols(symbol) {
          const roots = getImmediateRootSymbols(symbol);
          return roots ? flatMap(roots, getRootSymbols) : [symbol];
        }
        function getImmediateRootSymbols(symbol) {
          if (getCheckFlags(symbol) & 6) {
            return mapDefined(getSymbolLinks(symbol).containingType.types, (type) => getPropertyOfType(type, symbol.escapedName));
          } else if (symbol.flags & 33554432) {
            const { links: { leftSpread, rightSpread, syntheticOrigin } } = symbol;
            return leftSpread ? [leftSpread, rightSpread] : syntheticOrigin ? [syntheticOrigin] : singleElementArray(tryGetTarget(symbol));
          }
          return void 0;
        }
        function tryGetTarget(symbol) {
          let target;
          let next = symbol;
          while (next = getSymbolLinks(next).target) {
            target = next;
          }
          return target;
        }
        function isArgumentsLocalBinding(nodeIn) {
          if (isGeneratedIdentifier(nodeIn)) return false;
          const node = getParseTreeNode(nodeIn, isIdentifier);
          if (!node) return false;
          const parent2 = node.parent;
          if (!parent2) return false;
          const isPropertyName2 = (isPropertyAccessExpression(parent2) || isPropertyAssignment(parent2)) && parent2.name === node;
          return !isPropertyName2 && getReferencedValueSymbol(node) === argumentsSymbol;
        }
        function isNameOfModuleOrEnumDeclaration(node) {
          return isModuleOrEnumDeclaration(node.parent) && node === node.parent.name;
        }
        function getReferencedExportContainer(nodeIn, prefixLocals) {
          var _a;
          const node = getParseTreeNode(nodeIn, isIdentifier);
          if (node) {
            let symbol = getReferencedValueSymbol(
              node,
              /*startInDeclarationContainer*/
              isNameOfModuleOrEnumDeclaration(node)
            );
            if (symbol) {
              if (symbol.flags & 1048576) {
                const exportSymbol = getMergedSymbol(symbol.exportSymbol);
                if (!prefixLocals && exportSymbol.flags & 944 && !(exportSymbol.flags & 3)) {
                  return void 0;
                }
                symbol = exportSymbol;
              }
              const parentSymbol = getParentOfSymbol(symbol);
              if (parentSymbol) {
                if (parentSymbol.flags & 512 && ((_a = parentSymbol.valueDeclaration) == null ? void 0 : _a.kind) === 307) {
                  const symbolFile = parentSymbol.valueDeclaration;
                  const referenceFile = getSourceFileOfNode(node);
                  const symbolIsUmdExport = symbolFile !== referenceFile;
                  return symbolIsUmdExport ? void 0 : symbolFile;
                }
                return findAncestor(node.parent, (n) => isModuleOrEnumDeclaration(n) && getSymbolOfDeclaration(n) === parentSymbol);
              }
            }
          }
        }
        function getReferencedImportDeclaration(nodeIn) {
          const specifier = getIdentifierGeneratedImportReference(nodeIn);
          if (specifier) {
            return specifier;
          }
          const node = getParseTreeNode(nodeIn, isIdentifier);
          if (node) {
            const symbol = getReferencedValueOrAliasSymbol(node);
            if (isNonLocalAlias(
              symbol,
              /*excludes*/
              111551
              /* Value */
            ) && !getTypeOnlyAliasDeclaration(
              symbol,
              111551
              /* Value */
            )) {
              return getDeclarationOfAliasSymbol(symbol);
            }
          }
          return void 0;
        }
        function isSymbolOfDestructuredElementOfCatchBinding(symbol) {
          return symbol.valueDeclaration && isBindingElement(symbol.valueDeclaration) && walkUpBindingElementsAndPatterns(symbol.valueDeclaration).parent.kind === 299;
        }
        function isSymbolOfDeclarationWithCollidingName(symbol) {
          if (symbol.flags & 418 && symbol.valueDeclaration && !isSourceFile(symbol.valueDeclaration)) {
            const links = getSymbolLinks(symbol);
            if (links.isDeclarationWithCollidingName === void 0) {
              const container = getEnclosingBlockScopeContainer(symbol.valueDeclaration);
              if (isStatementWithLocals(container) || isSymbolOfDestructuredElementOfCatchBinding(symbol)) {
                if (resolveName(
                  container.parent,
                  symbol.escapedName,
                  111551,
                  /*nameNotFoundMessage*/
                  void 0,
                  /*isUse*/
                  false
                )) {
                  links.isDeclarationWithCollidingName = true;
                } else if (hasNodeCheckFlag(
                  symbol.valueDeclaration,
                  16384
                  /* CapturedBlockScopedBinding */
                )) {
                  const isDeclaredInLoop = hasNodeCheckFlag(
                    symbol.valueDeclaration,
                    32768
                    /* BlockScopedBindingInLoop */
                  );
                  const inLoopInitializer = isIterationStatement(
                    container,
                    /*lookInLabeledStatements*/
                    false
                  );
                  const inLoopBodyBlock = container.kind === 241 && isIterationStatement(
                    container.parent,
                    /*lookInLabeledStatements*/
                    false
                  );
                  links.isDeclarationWithCollidingName = !isBlockScopedContainerTopLevel(container) && (!isDeclaredInLoop || !inLoopInitializer && !inLoopBodyBlock);
                } else {
                  links.isDeclarationWithCollidingName = false;
                }
              }
            }
            return links.isDeclarationWithCollidingName;
          }
          return false;
        }
        function getReferencedDeclarationWithCollidingName(nodeIn) {
          if (!isGeneratedIdentifier(nodeIn)) {
            const node = getParseTreeNode(nodeIn, isIdentifier);
            if (node) {
              const symbol = getReferencedValueSymbol(node);
              if (symbol && isSymbolOfDeclarationWithCollidingName(symbol)) {
                return symbol.valueDeclaration;
              }
            }
          }
          return void 0;
        }
        function isDeclarationWithCollidingName(nodeIn) {
          const node = getParseTreeNode(nodeIn, isDeclaration);
          if (node) {
            const symbol = getSymbolOfDeclaration(node);
            if (symbol) {
              return isSymbolOfDeclarationWithCollidingName(symbol);
            }
          }
          return false;
        }
        function isValueAliasDeclaration(node) {
          Debug.assert(canCollectSymbolAliasAccessabilityData);
          switch (node.kind) {
            case 271:
              return isAliasResolvedToValue(getSymbolOfDeclaration(node));
            case 273:
            case 274:
            case 276:
            case 281:
              const symbol = getSymbolOfDeclaration(node);
              return !!symbol && isAliasResolvedToValue(
                symbol,
                /*excludeTypeOnlyValues*/
                true
              );
            case 278:
              const exportClause = node.exportClause;
              return !!exportClause && (isNamespaceExport(exportClause) || some(exportClause.elements, isValueAliasDeclaration));
            case 277:
              return node.expression && node.expression.kind === 80 ? isAliasResolvedToValue(
                getSymbolOfDeclaration(node),
                /*excludeTypeOnlyValues*/
                true
              ) : true;
          }
          return false;
        }
        function isTopLevelValueImportEqualsWithEntityName(nodeIn) {
          const node = getParseTreeNode(nodeIn, isImportEqualsDeclaration);
          if (node === void 0 || node.parent.kind !== 307 || !isInternalModuleImportEqualsDeclaration(node)) {
            return false;
          }
          const isValue = isAliasResolvedToValue(getSymbolOfDeclaration(node));
          return isValue && node.moduleReference && !nodeIsMissing(node.moduleReference);
        }
        function isAliasResolvedToValue(symbol, excludeTypeOnlyValues) {
          if (!symbol) {
            return false;
          }
          const container = getSourceFileOfNode(symbol.valueDeclaration);
          const fileSymbol = container && getSymbolOfDeclaration(container);
          void resolveExternalModuleSymbol(fileSymbol);
          const target = getExportSymbolOfValueSymbolIfExported(resolveAlias(symbol));
          if (target === unknownSymbol) {
            return !excludeTypeOnlyValues || !getTypeOnlyAliasDeclaration(symbol);
          }
          return !!(getSymbolFlags(
            symbol,
            excludeTypeOnlyValues,
            /*excludeLocalMeanings*/
            true
          ) & 111551) && (shouldPreserveConstEnums(compilerOptions) || !isConstEnumOrConstEnumOnlyModule(target));
        }
        function isConstEnumOrConstEnumOnlyModule(s) {
          return isConstEnumSymbol(s) || !!s.constEnumOnlyModule;
        }
        function isReferencedAliasDeclaration(node, checkChildren) {
          Debug.assert(canCollectSymbolAliasAccessabilityData);
          if (isAliasSymbolDeclaration2(node)) {
            const symbol = getSymbolOfDeclaration(node);
            const links = symbol && getSymbolLinks(symbol);
            if (links == null ? void 0 : links.referenced) {
              return true;
            }
            const target = getSymbolLinks(symbol).aliasTarget;
            if (target && getEffectiveModifierFlags(node) & 32 && getSymbolFlags(target) & 111551 && (shouldPreserveConstEnums(compilerOptions) || !isConstEnumOrConstEnumOnlyModule(target))) {
              return true;
            }
          }
          if (checkChildren) {
            return !!forEachChild(node, (node2) => isReferencedAliasDeclaration(node2, checkChildren));
          }
          return false;
        }
        function isImplementationOfOverload(node) {
          if (nodeIsPresent(node.body)) {
            if (isGetAccessor(node) || isSetAccessor(node)) return false;
            const symbol = getSymbolOfDeclaration(node);
            const signaturesOfSymbol = getSignaturesOfSymbol(symbol);
            return signaturesOfSymbol.length > 1 || // If there is single signature for the symbol, it is overload if that signature isn't coming from the node
            // e.g.: function foo(a: string): string;
            //       function foo(a: any) { // This is implementation of the overloads
            //           return a;
            //       }
            signaturesOfSymbol.length === 1 && signaturesOfSymbol[0].declaration !== node;
          }
          return false;
        }
        function declaredParameterTypeContainsUndefined(parameter) {
          const typeNode = getNonlocalEffectiveTypeAnnotationNode(parameter);
          if (!typeNode) return false;
          const type = getTypeFromTypeNode(typeNode);
          return containsUndefinedType(type);
        }
        function requiresAddingImplicitUndefined(parameter) {
          return (isRequiredInitializedParameter(parameter) || isOptionalUninitializedParameterProperty(parameter)) && !declaredParameterTypeContainsUndefined(parameter);
        }
        function isRequiredInitializedParameter(parameter) {
          return !!strictNullChecks && !isOptionalParameter(parameter) && !isJSDocParameterTag(parameter) && !!parameter.initializer && !hasSyntacticModifier(
            parameter,
            31
            /* ParameterPropertyModifier */
          );
        }
        function isOptionalUninitializedParameterProperty(parameter) {
          return strictNullChecks && isOptionalParameter(parameter) && (isJSDocParameterTag(parameter) || !parameter.initializer) && hasSyntacticModifier(
            parameter,
            31
            /* ParameterPropertyModifier */
          );
        }
        function isExpandoFunctionDeclaration(node) {
          const declaration = getParseTreeNode(node, (n) => isFunctionDeclaration(n) || isVariableDeclaration(n));
          if (!declaration) {
            return false;
          }
          let symbol;
          if (isVariableDeclaration(declaration)) {
            if (declaration.type || !isInJSFile(declaration) && !isVarConstLike2(declaration)) {
              return false;
            }
            const initializer = getDeclaredExpandoInitializer(declaration);
            if (!initializer || !canHaveSymbol(initializer)) {
              return false;
            }
            symbol = getSymbolOfDeclaration(initializer);
          } else {
            symbol = getSymbolOfDeclaration(declaration);
          }
          if (!symbol || !(symbol.flags & 16 | 3)) {
            return false;
          }
          return !!forEachEntry(getExportsOfSymbol(symbol), (p) => p.flags & 111551 && isExpandoPropertyDeclaration(p.valueDeclaration));
        }
        function getPropertiesOfContainerFunction(node) {
          const declaration = getParseTreeNode(node, isFunctionDeclaration);
          if (!declaration) {
            return emptyArray;
          }
          const symbol = getSymbolOfDeclaration(declaration);
          return symbol && getPropertiesOfType(getTypeOfSymbol(symbol)) || emptyArray;
        }
        function getNodeCheckFlags(node) {
          var _a;
          const nodeId = node.id || 0;
          if (nodeId < 0 || nodeId >= nodeLinks.length) return 0;
          return ((_a = nodeLinks[nodeId]) == null ? void 0 : _a.flags) || 0;
        }
        function hasNodeCheckFlag(node, flag) {
          calculateNodeCheckFlagWorker(node, flag);
          return !!(getNodeCheckFlags(node) & flag);
        }
        function calculateNodeCheckFlagWorker(node, flag) {
          if (!compilerOptions.noCheck && canIncludeBindAndCheckDiagnsotics(getSourceFileOfNode(node), compilerOptions)) {
            return;
          }
          const links = getNodeLinks(node);
          if (links.calculatedFlags & flag) {
            return;
          }
          switch (flag) {
            case 16:
            case 32:
              return checkSingleSuperExpression(node);
            case 128:
            case 256:
            case 2097152:
              return checkChildSuperExpressions(node);
            case 512:
            case 8192:
            case 65536:
            case 262144:
              return checkChildIdentifiers(node);
            case 536870912:
              return checkSingleIdentifier(node);
            case 4096:
            case 32768:
            case 16384:
              return checkContainingBlockScopeBindingUses(node);
            default:
              return Debug.assertNever(flag, `Unhandled node check flag calculation: ${Debug.formatNodeCheckFlags(flag)}`);
          }
          function forEachNodeRecursively(root2, cb) {
            const rootResult = cb(root2, root2.parent);
            if (rootResult === "skip") return void 0;
            if (rootResult) return rootResult;
            return forEachChildRecursively(root2, cb);
          }
          function checkSuperExpressions(node2) {
            const links2 = getNodeLinks(node2);
            if (links2.calculatedFlags & flag) return "skip";
            links2.calculatedFlags |= 128 | 256 | 2097152;
            checkSingleSuperExpression(node2);
            return void 0;
          }
          function checkChildSuperExpressions(node2) {
            forEachNodeRecursively(node2, checkSuperExpressions);
          }
          function checkSingleSuperExpression(node2) {
            const nodeLinks2 = getNodeLinks(node2);
            nodeLinks2.calculatedFlags |= 16 | 32;
            if (node2.kind === 108) {
              checkSuperExpression(node2);
            }
          }
          function checkIdentifiers(node2) {
            const links2 = getNodeLinks(node2);
            if (links2.calculatedFlags & flag) return "skip";
            links2.calculatedFlags |= 512 | 8192 | 65536 | 262144;
            checkSingleIdentifier(node2);
            return void 0;
          }
          function checkChildIdentifiers(node2) {
            forEachNodeRecursively(node2, checkIdentifiers);
          }
          function isExpressionNodeOrShorthandPropertyAssignmentName(node2) {
            return isExpressionNode(node2) || isShorthandPropertyAssignment(node2.parent) && (node2.parent.objectAssignmentInitializer ?? node2.parent.name) === node2;
          }
          function checkSingleIdentifier(node2) {
            const nodeLinks2 = getNodeLinks(node2);
            nodeLinks2.calculatedFlags |= 536870912 | 16384 | 32768;
            if (isIdentifier(node2) && isExpressionNodeOrShorthandPropertyAssignmentName(node2) && !(isPropertyAccessExpression(node2.parent) && node2.parent.name === node2)) {
              const s = getResolvedSymbol(node2);
              if (s && s !== unknownSymbol) {
                checkIdentifierCalculateNodeCheckFlags(node2, s);
              }
            }
          }
          function checkBlockScopeBindings(node2) {
            const links2 = getNodeLinks(node2);
            if (links2.calculatedFlags & flag) return "skip";
            links2.calculatedFlags |= 4096 | 32768 | 16384;
            checkSingleBlockScopeBinding(node2);
            return void 0;
          }
          function checkContainingBlockScopeBindingUses(node2) {
            const scope = getEnclosingBlockScopeContainer(isDeclarationName(node2) ? node2.parent : node2);
            forEachNodeRecursively(scope, checkBlockScopeBindings);
          }
          function checkSingleBlockScopeBinding(node2) {
            checkSingleIdentifier(node2);
            if (isComputedPropertyName(node2)) {
              checkComputedPropertyName(node2);
            }
            if (isPrivateIdentifier(node2) && isClassElement(node2.parent)) {
              setNodeLinksForPrivateIdentifierScope(node2.parent);
            }
          }
        }
        function getEnumMemberValue(node) {
          computeEnumMemberValues(node.parent);
          return getNodeLinks(node).enumMemberValue ?? evaluatorResult(
            /*value*/
            void 0
          );
        }
        function canHaveConstantValue(node) {
          switch (node.kind) {
            case 306:
            case 211:
            case 212:
              return true;
          }
          return false;
        }
        function getConstantValue2(node) {
          if (node.kind === 306) {
            return getEnumMemberValue(node).value;
          }
          if (!getNodeLinks(node).resolvedSymbol) {
            void checkExpressionCached(node);
          }
          const symbol = getNodeLinks(node).resolvedSymbol || (isEntityNameExpression(node) ? resolveEntityName(
            node,
            111551,
            /*ignoreErrors*/
            true
          ) : void 0);
          if (symbol && symbol.flags & 8) {
            const member = symbol.valueDeclaration;
            if (isEnumConst(member.parent)) {
              return getEnumMemberValue(member).value;
            }
          }
          return void 0;
        }
        function isFunctionType(type) {
          return !!(type.flags & 524288) && getSignaturesOfType(
            type,
            0
            /* Call */
          ).length > 0;
        }
        function getTypeReferenceSerializationKind(typeNameIn, location) {
          var _a;
          const typeName = getParseTreeNode(typeNameIn, isEntityName);
          if (!typeName) return 0;
          if (location) {
            location = getParseTreeNode(location);
            if (!location) return 0;
          }
          let isTypeOnly = false;
          if (isQualifiedName(typeName)) {
            const rootValueSymbol = resolveEntityName(
              getFirstIdentifier(typeName),
              111551,
              /*ignoreErrors*/
              true,
              /*dontResolveAlias*/
              true,
              location
            );
            isTypeOnly = !!((_a = rootValueSymbol == null ? void 0 : rootValueSymbol.declarations) == null ? void 0 : _a.every(isTypeOnlyImportOrExportDeclaration));
          }
          const valueSymbol = resolveEntityName(
            typeName,
            111551,
            /*ignoreErrors*/
            true,
            /*dontResolveAlias*/
            true,
            location
          );
          const resolvedValueSymbol = valueSymbol && valueSymbol.flags & 2097152 ? resolveAlias(valueSymbol) : valueSymbol;
          isTypeOnly || (isTypeOnly = !!(valueSymbol && getTypeOnlyAliasDeclaration(
            valueSymbol,
            111551
            /* Value */
          )));
          const typeSymbol = resolveEntityName(
            typeName,
            788968,
            /*ignoreErrors*/
            true,
            /*dontResolveAlias*/
            true,
            location
          );
          const resolvedTypeSymbol = typeSymbol && typeSymbol.flags & 2097152 ? resolveAlias(typeSymbol) : typeSymbol;
          if (!valueSymbol) {
            isTypeOnly || (isTypeOnly = !!(typeSymbol && getTypeOnlyAliasDeclaration(
              typeSymbol,
              788968
              /* Type */
            )));
          }
          if (resolvedValueSymbol && resolvedValueSymbol === resolvedTypeSymbol) {
            const globalPromiseSymbol = getGlobalPromiseConstructorSymbol(
              /*reportErrors*/
              false
            );
            if (globalPromiseSymbol && resolvedValueSymbol === globalPromiseSymbol) {
              return 9;
            }
            const constructorType = getTypeOfSymbol(resolvedValueSymbol);
            if (constructorType && isConstructorType(constructorType)) {
              return isTypeOnly ? 10 : 1;
            }
          }
          if (!resolvedTypeSymbol) {
            return isTypeOnly ? 11 : 0;
          }
          const type = getDeclaredTypeOfSymbol(resolvedTypeSymbol);
          if (isErrorType(type)) {
            return isTypeOnly ? 11 : 0;
          } else if (type.flags & 3) {
            return 11;
          } else if (isTypeAssignableToKind(
            type,
            16384 | 98304 | 131072
            /* Never */
          )) {
            return 2;
          } else if (isTypeAssignableToKind(
            type,
            528
            /* BooleanLike */
          )) {
            return 6;
          } else if (isTypeAssignableToKind(
            type,
            296
            /* NumberLike */
          )) {
            return 3;
          } else if (isTypeAssignableToKind(
            type,
            2112
            /* BigIntLike */
          )) {
            return 4;
          } else if (isTypeAssignableToKind(
            type,
            402653316
            /* StringLike */
          )) {
            return 5;
          } else if (isTupleType(type)) {
            return 7;
          } else if (isTypeAssignableToKind(
            type,
            12288
            /* ESSymbolLike */
          )) {
            return 8;
          } else if (isFunctionType(type)) {
            return 10;
          } else if (isArrayType(type)) {
            return 7;
          } else {
            return 11;
          }
        }
        function createTypeOfDeclaration(declarationIn, enclosingDeclaration, flags, tracker2) {
          const declaration = getParseTreeNode(declarationIn, isVariableLikeOrAccessor);
          if (!declaration) {
            return factory.createToken(
              133
              /* AnyKeyword */
            );
          }
          const symbol = getSymbolOfDeclaration(declaration);
          const type = symbol && !(symbol.flags & (2048 | 131072)) ? getWidenedLiteralType(getTypeOfSymbol(symbol)) : errorType;
          return nodeBuilder.serializeTypeForDeclaration(declaration, type, symbol, enclosingDeclaration, flags | 1024, tracker2);
        }
        function isDeclarationWithPossibleInnerTypeNodeReuse(declaration) {
          return isFunctionLike(declaration) || isExportAssignment(declaration) || isVariableLike(declaration);
        }
        function getAllAccessorDeclarationsForDeclaration(accessor) {
          accessor = getParseTreeNode(accessor, isGetOrSetAccessorDeclaration);
          const otherKind = accessor.kind === 178 ? 177 : 178;
          const otherAccessor = getDeclarationOfKind(getSymbolOfDeclaration(accessor), otherKind);
          const firstAccessor = otherAccessor && otherAccessor.pos < accessor.pos ? otherAccessor : accessor;
          const secondAccessor = otherAccessor && otherAccessor.pos < accessor.pos ? accessor : otherAccessor;
          const setAccessor = accessor.kind === 178 ? accessor : otherAccessor;
          const getAccessor = accessor.kind === 177 ? accessor : otherAccessor;
          return {
            firstAccessor,
            secondAccessor,
            setAccessor,
            getAccessor
          };
        }
        function getPossibleTypeNodeReuseExpression(declaration) {
          return isFunctionLike(declaration) && !isSetAccessor(declaration) ? getSingleReturnExpression(declaration) : isExportAssignment(declaration) ? declaration.expression : !!declaration.initializer ? declaration.initializer : isParameter(declaration) && isSetAccessor(declaration.parent) ? getSingleReturnExpression(getAllAccessorDeclarationsForDeclaration(declaration.parent).getAccessor) : void 0;
        }
        function getSingleReturnExpression(declaration) {
          let candidateExpr;
          if (declaration && !nodeIsMissing(declaration.body)) {
            if (getFunctionFlags(declaration) & 3) return void 0;
            const body = declaration.body;
            if (body && isBlock(body)) {
              forEachReturnStatement(body, (s) => {
                if (!candidateExpr) {
                  candidateExpr = s.expression;
                } else {
                  candidateExpr = void 0;
                  return true;
                }
              });
            } else {
              candidateExpr = body;
            }
          }
          return candidateExpr;
        }
        function createReturnTypeOfSignatureDeclaration(signatureDeclarationIn, enclosingDeclaration, flags, tracker2) {
          const signatureDeclaration = getParseTreeNode(signatureDeclarationIn, isFunctionLike);
          if (!signatureDeclaration) {
            return factory.createToken(
              133
              /* AnyKeyword */
            );
          }
          return nodeBuilder.serializeReturnTypeForSignature(getSignatureFromDeclaration(signatureDeclaration), enclosingDeclaration, flags | 1024, tracker2);
        }
        function createTypeOfExpression(exprIn, enclosingDeclaration, flags, tracker2) {
          const expr = getParseTreeNode(exprIn, isExpression);
          if (!expr) {
            return factory.createToken(
              133
              /* AnyKeyword */
            );
          }
          const type = getWidenedType(getRegularTypeOfExpression(expr));
          return nodeBuilder.expressionOrTypeToTypeNode(
            expr,
            type,
            /*addUndefined*/
            void 0,
            enclosingDeclaration,
            flags | 1024,
            tracker2
          );
        }
        function hasGlobalName(name) {
          return globals2.has(escapeLeadingUnderscores(name));
        }
        function getReferencedValueSymbol(reference, startInDeclarationContainer) {
          const resolvedSymbol = getNodeLinks(reference).resolvedSymbol;
          if (resolvedSymbol) {
            return resolvedSymbol;
          }
          let location = reference;
          if (startInDeclarationContainer) {
            const parent2 = reference.parent;
            if (isDeclaration(parent2) && reference === parent2.name) {
              location = getDeclarationContainer(parent2);
            }
          }
          return resolveName(
            location,
            reference.escapedText,
            111551 | 1048576 | 2097152,
            /*nameNotFoundMessage*/
            void 0,
            /*isUse*/
            true
          );
        }
        function getReferencedValueOrAliasSymbol(reference) {
          const resolvedSymbol = getNodeLinks(reference).resolvedSymbol;
          if (resolvedSymbol && resolvedSymbol !== unknownSymbol) {
            return resolvedSymbol;
          }
          return resolveName(
            reference,
            reference.escapedText,
            111551 | 1048576 | 2097152,
            /*nameNotFoundMessage*/
            void 0,
            /*isUse*/
            true,
            /*excludeGlobals*/
            void 0
          );
        }
        function getReferencedValueDeclaration(referenceIn) {
          if (!isGeneratedIdentifier(referenceIn)) {
            const reference = getParseTreeNode(referenceIn, isIdentifier);
            if (reference) {
              const symbol = getReferencedValueSymbol(reference);
              if (symbol) {
                return getExportSymbolOfValueSymbolIfExported(symbol).valueDeclaration;
              }
            }
          }
          return void 0;
        }
        function getReferencedValueDeclarations(referenceIn) {
          if (!isGeneratedIdentifier(referenceIn)) {
            const reference = getParseTreeNode(referenceIn, isIdentifier);
            if (reference) {
              const symbol = getReferencedValueSymbol(reference);
              if (symbol) {
                return filter(getExportSymbolOfValueSymbolIfExported(symbol).declarations, (declaration) => {
                  switch (declaration.kind) {
                    case 260:
                    case 169:
                    case 208:
                    case 172:
                    case 303:
                    case 304:
                    case 306:
                    case 210:
                    case 262:
                    case 218:
                    case 219:
                    case 263:
                    case 231:
                    case 266:
                    case 174:
                    case 177:
                    case 178:
                    case 267:
                      return true;
                  }
                  return false;
                });
              }
            }
          }
          return void 0;
        }
        function isLiteralConstDeclaration(node) {
          if (isDeclarationReadonly(node) || isVariableDeclaration(node) && isVarConstLike2(node)) {
            return isFreshLiteralType(getTypeOfSymbol(getSymbolOfDeclaration(node)));
          }
          return false;
        }
        function literalTypeToNode(type, enclosing, tracker2) {
          const enumResult = type.flags & 1056 ? nodeBuilder.symbolToExpression(
            type.symbol,
            111551,
            enclosing,
            /*flags*/
            void 0,
            tracker2
          ) : type === trueType ? factory.createTrue() : type === falseType && factory.createFalse();
          if (enumResult) return enumResult;
          const literalValue = type.value;
          return typeof literalValue === "object" ? factory.createBigIntLiteral(literalValue) : typeof literalValue === "string" ? factory.createStringLiteral(literalValue) : literalValue < 0 ? factory.createPrefixUnaryExpression(41, factory.createNumericLiteral(-literalValue)) : factory.createNumericLiteral(literalValue);
        }
        function createLiteralConstValue(node, tracker2) {
          const type = getTypeOfSymbol(getSymbolOfDeclaration(node));
          return literalTypeToNode(type, node, tracker2);
        }
        function getJsxFactoryEntity(location) {
          return location ? (getJsxNamespace(location), getSourceFileOfNode(location).localJsxFactory || _jsxFactoryEntity) : _jsxFactoryEntity;
        }
        function getJsxFragmentFactoryEntity(location) {
          if (location) {
            const file = getSourceFileOfNode(location);
            if (file) {
              if (file.localJsxFragmentFactory) {
                return file.localJsxFragmentFactory;
              }
              const jsxFragPragmas = file.pragmas.get("jsxfrag");
              const jsxFragPragma = isArray3(jsxFragPragmas) ? jsxFragPragmas[0] : jsxFragPragmas;
              if (jsxFragPragma) {
                file.localJsxFragmentFactory = parseIsolatedEntityName(jsxFragPragma.arguments.factory, languageVersion);
                return file.localJsxFragmentFactory;
              }
            }
          }
          if (compilerOptions.jsxFragmentFactory) {
            return parseIsolatedEntityName(compilerOptions.jsxFragmentFactory, languageVersion);
          }
        }
        function getNonlocalEffectiveTypeAnnotationNode(node) {
          const direct = getEffectiveTypeAnnotationNode(node);
          if (direct) {
            return direct;
          }
          if (node.kind === 169 && node.parent.kind === 178) {
            const other = getAllAccessorDeclarationsForDeclaration(node.parent).getAccessor;
            if (other) {
              return getEffectiveReturnTypeNode(other);
            }
          }
          return void 0;
        }
        function getNonlocalEffectiveReturnTypeAnnotationNode(node) {
          const direct = getEffectiveReturnTypeNode(node);
          if (direct) {
            return direct;
          }
          if (node.kind === 177) {
            const other = getAllAccessorDeclarationsForDeclaration(node).setAccessor;
            if (other) {
              const param = getSetAccessorValueParameter(other);
              if (param) {
                return getEffectiveTypeAnnotationNode(param);
              }
            }
          }
          return void 0;
        }
        function createResolver() {
          return {
            getReferencedExportContainer,
            getReferencedImportDeclaration,
            getReferencedDeclarationWithCollidingName,
            isDeclarationWithCollidingName,
            isValueAliasDeclaration: (nodeIn) => {
              const node = getParseTreeNode(nodeIn);
              return node && canCollectSymbolAliasAccessabilityData ? isValueAliasDeclaration(node) : true;
            },
            hasGlobalName,
            isReferencedAliasDeclaration: (nodeIn, checkChildren) => {
              const node = getParseTreeNode(nodeIn);
              return node && canCollectSymbolAliasAccessabilityData ? isReferencedAliasDeclaration(node, checkChildren) : true;
            },
            hasNodeCheckFlag: (nodeIn, flag) => {
              const node = getParseTreeNode(nodeIn);
              if (!node) return false;
              return hasNodeCheckFlag(node, flag);
            },
            isTopLevelValueImportEqualsWithEntityName,
            isDeclarationVisible,
            isImplementationOfOverload,
            requiresAddingImplicitUndefined,
            isExpandoFunctionDeclaration,
            getPropertiesOfContainerFunction,
            createTypeOfDeclaration,
            createReturnTypeOfSignatureDeclaration,
            createTypeOfExpression,
            createLiteralConstValue,
            isSymbolAccessible,
            isEntityNameVisible,
            getConstantValue: (nodeIn) => {
              const node = getParseTreeNode(nodeIn, canHaveConstantValue);
              return node ? getConstantValue2(node) : void 0;
            },
            getEnumMemberValue: (nodeIn) => {
              const node = getParseTreeNode(nodeIn, isEnumMember);
              return node ? getEnumMemberValue(node) : void 0;
            },
            collectLinkedAliases,
            markLinkedReferences: (nodeIn) => {
              const node = getParseTreeNode(nodeIn);
              return node && markLinkedReferences(
                node,
                0
                /* Unspecified */
              );
            },
            getReferencedValueDeclaration,
            getReferencedValueDeclarations,
            getTypeReferenceSerializationKind,
            isOptionalParameter,
            isArgumentsLocalBinding,
            getExternalModuleFileFromDeclaration: (nodeIn) => {
              const node = getParseTreeNode(nodeIn, hasPossibleExternalModuleReference);
              return node && getExternalModuleFileFromDeclaration(node);
            },
            isLiteralConstDeclaration,
            isLateBound: (nodeIn) => {
              const node = getParseTreeNode(nodeIn, isDeclaration);
              const symbol = node && getSymbolOfDeclaration(node);
              return !!(symbol && getCheckFlags(symbol) & 4096);
            },
            getJsxFactoryEntity,
            getJsxFragmentFactoryEntity,
            isBindingCapturedByNode: (node, decl) => {
              const parseNode = getParseTreeNode(node);
              const parseDecl = getParseTreeNode(decl);
              return !!parseNode && !!parseDecl && (isVariableDeclaration(parseDecl) || isBindingElement(parseDecl)) && isBindingCapturedByNode(parseNode, parseDecl);
            },
            getDeclarationStatementsForSourceFile: (node, flags, tracker2) => {
              const n = getParseTreeNode(node);
              Debug.assert(n && n.kind === 307, "Non-sourcefile node passed into getDeclarationsForSourceFile");
              const sym = getSymbolOfDeclaration(node);
              if (!sym) {
                return !node.locals ? [] : nodeBuilder.symbolTableToDeclarationStatements(node.locals, node, flags, tracker2);
              }
              resolveExternalModuleSymbol(sym);
              return !sym.exports ? [] : nodeBuilder.symbolTableToDeclarationStatements(sym.exports, node, flags, tracker2);
            },
            isImportRequiredByAugmentation,
            isDefinitelyReferenceToGlobalSymbolObject
          };
          function isImportRequiredByAugmentation(node) {
            const file = getSourceFileOfNode(node);
            if (!file.symbol) return false;
            const importTarget = getExternalModuleFileFromDeclaration(node);
            if (!importTarget) return false;
            if (importTarget === file) return false;
            const exports22 = getExportsOfModule(file.symbol);
            for (const s of arrayFrom(exports22.values())) {
              if (s.mergeId) {
                const merged = getMergedSymbol(s);
                if (merged.declarations) {
                  for (const d of merged.declarations) {
                    const declFile = getSourceFileOfNode(d);
                    if (declFile === importTarget) {
                      return true;
                    }
                  }
                }
              }
            }
            return false;
          }
        }
        function getExternalModuleFileFromDeclaration(declaration) {
          const specifier = declaration.kind === 267 ? tryCast(declaration.name, isStringLiteral2) : getExternalModuleName(declaration);
          const moduleSymbol = resolveExternalModuleNameWorker(
            specifier,
            specifier,
            /*moduleNotFoundError*/
            void 0
          );
          if (!moduleSymbol) {
            return void 0;
          }
          return getDeclarationOfKind(
            moduleSymbol,
            307
            /* SourceFile */
          );
        }
        function initializeTypeChecker() {
          for (const file of host.getSourceFiles()) {
            bindSourceFile(file, compilerOptions);
          }
          amalgamatedDuplicates = /* @__PURE__ */ new Map();
          let augmentations;
          for (const file of host.getSourceFiles()) {
            if (file.redirectInfo) {
              continue;
            }
            if (!isExternalOrCommonJsModule(file)) {
              const fileGlobalThisSymbol = file.locals.get("globalThis");
              if (fileGlobalThisSymbol == null ? void 0 : fileGlobalThisSymbol.declarations) {
                for (const declaration of fileGlobalThisSymbol.declarations) {
                  diagnostics.add(createDiagnosticForNode(declaration, Diagnostics.Declaration_name_conflicts_with_built_in_global_identifier_0, "globalThis"));
                }
              }
              mergeSymbolTable(globals2, file.locals);
            }
            if (file.jsGlobalAugmentations) {
              mergeSymbolTable(globals2, file.jsGlobalAugmentations);
            }
            if (file.patternAmbientModules && file.patternAmbientModules.length) {
              patternAmbientModules = concatenate(patternAmbientModules, file.patternAmbientModules);
            }
            if (file.moduleAugmentations.length) {
              (augmentations || (augmentations = [])).push(file.moduleAugmentations);
            }
            if (file.symbol && file.symbol.globalExports) {
              const source = file.symbol.globalExports;
              source.forEach((sourceSymbol, id) => {
                if (!globals2.has(id)) {
                  globals2.set(id, sourceSymbol);
                }
              });
            }
          }
          if (augmentations) {
            for (const list of augmentations) {
              for (const augmentation of list) {
                if (!isGlobalScopeAugmentation(augmentation.parent)) continue;
                mergeModuleAugmentation(augmentation);
              }
            }
          }
          addUndefinedToGlobalsOrErrorOnRedeclaration();
          getSymbolLinks(undefinedSymbol).type = undefinedWideningType;
          getSymbolLinks(argumentsSymbol).type = getGlobalType(
            "IArguments",
            /*arity*/
            0,
            /*reportErrors*/
            true
          );
          getSymbolLinks(unknownSymbol).type = errorType;
          getSymbolLinks(globalThisSymbol).type = createObjectType(16, globalThisSymbol);
          globalArrayType = getGlobalType(
            "Array",
            /*arity*/
            1,
            /*reportErrors*/
            true
          );
          globalObjectType = getGlobalType(
            "Object",
            /*arity*/
            0,
            /*reportErrors*/
            true
          );
          globalFunctionType = getGlobalType(
            "Function",
            /*arity*/
            0,
            /*reportErrors*/
            true
          );
          globalCallableFunctionType = strictBindCallApply && getGlobalType(
            "CallableFunction",
            /*arity*/
            0,
            /*reportErrors*/
            true
          ) || globalFunctionType;
          globalNewableFunctionType = strictBindCallApply && getGlobalType(
            "NewableFunction",
            /*arity*/
            0,
            /*reportErrors*/
            true
          ) || globalFunctionType;
          globalStringType = getGlobalType(
            "String",
            /*arity*/
            0,
            /*reportErrors*/
            true
          );
          globalNumberType = getGlobalType(
            "Number",
            /*arity*/
            0,
            /*reportErrors*/
            true
          );
          globalBooleanType = getGlobalType(
            "Boolean",
            /*arity*/
            0,
            /*reportErrors*/
            true
          );
          globalRegExpType = getGlobalType(
            "RegExp",
            /*arity*/
            0,
            /*reportErrors*/
            true
          );
          anyArrayType = createArrayType(anyType2);
          autoArrayType = createArrayType(autoType);
          if (autoArrayType === emptyObjectType) {
            autoArrayType = createAnonymousType(
              /*symbol*/
              void 0,
              emptySymbols,
              emptyArray,
              emptyArray,
              emptyArray
            );
          }
          globalReadonlyArrayType = getGlobalTypeOrUndefined(
            "ReadonlyArray",
            /*arity*/
            1
          ) || globalArrayType;
          anyReadonlyArrayType = globalReadonlyArrayType ? createTypeFromGenericGlobalType(globalReadonlyArrayType, [anyType2]) : anyArrayType;
          globalThisType = getGlobalTypeOrUndefined(
            "ThisType",
            /*arity*/
            1
          );
          if (augmentations) {
            for (const list of augmentations) {
              for (const augmentation of list) {
                if (isGlobalScopeAugmentation(augmentation.parent)) continue;
                mergeModuleAugmentation(augmentation);
              }
            }
          }
          amalgamatedDuplicates.forEach(({ firstFile, secondFile, conflictingSymbols }) => {
            if (conflictingSymbols.size < 8) {
              conflictingSymbols.forEach(({ isBlockScoped, firstFileLocations, secondFileLocations }, symbolName2) => {
                const message = isBlockScoped ? Diagnostics.Cannot_redeclare_block_scoped_variable_0 : Diagnostics.Duplicate_identifier_0;
                for (const node of firstFileLocations) {
                  addDuplicateDeclarationError(node, message, symbolName2, secondFileLocations);
                }
                for (const node of secondFileLocations) {
                  addDuplicateDeclarationError(node, message, symbolName2, firstFileLocations);
                }
              });
            } else {
              const list = arrayFrom(conflictingSymbols.keys()).join(", ");
              diagnostics.add(addRelatedInfo(
                createDiagnosticForNode(firstFile, Diagnostics.Definitions_of_the_following_identifiers_conflict_with_those_in_another_file_Colon_0, list),
                createDiagnosticForNode(secondFile, Diagnostics.Conflicts_are_in_this_file)
              ));
              diagnostics.add(addRelatedInfo(
                createDiagnosticForNode(secondFile, Diagnostics.Definitions_of_the_following_identifiers_conflict_with_those_in_another_file_Colon_0, list),
                createDiagnosticForNode(firstFile, Diagnostics.Conflicts_are_in_this_file)
              ));
            }
          });
          amalgamatedDuplicates = void 0;
        }
        function checkExternalEmitHelpers(location, helpers) {
          if (compilerOptions.importHelpers) {
            const sourceFile = getSourceFileOfNode(location);
            if (isEffectiveExternalModule(sourceFile, compilerOptions) && !(location.flags & 33554432)) {
              const helpersModule = resolveHelpersModule(sourceFile, location);
              if (helpersModule !== unknownSymbol) {
                const links = getSymbolLinks(helpersModule);
                links.requestedExternalEmitHelpers ?? (links.requestedExternalEmitHelpers = 0);
                if ((links.requestedExternalEmitHelpers & helpers) !== helpers) {
                  const uncheckedHelpers = helpers & ~links.requestedExternalEmitHelpers;
                  for (let helper = 1; helper <= 16777216; helper <<= 1) {
                    if (uncheckedHelpers & helper) {
                      for (const name of getHelperNames(helper)) {
                        const symbol = resolveSymbol(getSymbol2(
                          getExportsOfModule(helpersModule),
                          escapeLeadingUnderscores(name),
                          111551
                          /* Value */
                        ));
                        if (!symbol) {
                          error2(location, Diagnostics.This_syntax_requires_an_imported_helper_named_1_which_does_not_exist_in_0_Consider_upgrading_your_version_of_0, externalHelpersModuleNameText, name);
                        } else if (helper & 524288) {
                          if (!some(getSignaturesOfSymbol(symbol), (signature) => getParameterCount(signature) > 3)) {
                            error2(location, Diagnostics.This_syntax_requires_an_imported_helper_named_1_with_2_parameters_which_is_not_compatible_with_the_one_in_0_Consider_upgrading_your_version_of_0, externalHelpersModuleNameText, name, 4);
                          }
                        } else if (helper & 1048576) {
                          if (!some(getSignaturesOfSymbol(symbol), (signature) => getParameterCount(signature) > 4)) {
                            error2(location, Diagnostics.This_syntax_requires_an_imported_helper_named_1_with_2_parameters_which_is_not_compatible_with_the_one_in_0_Consider_upgrading_your_version_of_0, externalHelpersModuleNameText, name, 5);
                          }
                        } else if (helper & 1024) {
                          if (!some(getSignaturesOfSymbol(symbol), (signature) => getParameterCount(signature) > 2)) {
                            error2(location, Diagnostics.This_syntax_requires_an_imported_helper_named_1_with_2_parameters_which_is_not_compatible_with_the_one_in_0_Consider_upgrading_your_version_of_0, externalHelpersModuleNameText, name, 3);
                          }
                        }
                      }
                    }
                  }
                }
                links.requestedExternalEmitHelpers |= helpers;
              }
            }
          }
        }
        function getHelperNames(helper) {
          switch (helper) {
            case 1:
              return ["__extends"];
            case 2:
              return ["__assign"];
            case 4:
              return ["__rest"];
            case 8:
              return legacyDecorators ? ["__decorate"] : ["__esDecorate", "__runInitializers"];
            case 16:
              return ["__metadata"];
            case 32:
              return ["__param"];
            case 64:
              return ["__awaiter"];
            case 128:
              return ["__generator"];
            case 256:
              return ["__values"];
            case 512:
              return ["__read"];
            case 1024:
              return ["__spreadArray"];
            case 2048:
              return ["__await"];
            case 4096:
              return ["__asyncGenerator"];
            case 8192:
              return ["__asyncDelegator"];
            case 16384:
              return ["__asyncValues"];
            case 32768:
              return ["__exportStar"];
            case 65536:
              return ["__importStar"];
            case 131072:
              return ["__importDefault"];
            case 262144:
              return ["__makeTemplateObject"];
            case 524288:
              return ["__classPrivateFieldGet"];
            case 1048576:
              return ["__classPrivateFieldSet"];
            case 2097152:
              return ["__classPrivateFieldIn"];
            case 4194304:
              return ["__setFunctionName"];
            case 8388608:
              return ["__propKey"];
            case 16777216:
              return ["__addDisposableResource", "__disposeResources"];
            default:
              return Debug.fail("Unrecognized helper");
          }
        }
        function resolveHelpersModule(file, errorNode) {
          const links = getNodeLinks(file);
          if (!links.externalHelpersModule) {
            links.externalHelpersModule = resolveExternalModule(getImportHelpersImportSpecifier(file), externalHelpersModuleNameText, Diagnostics.This_syntax_requires_an_imported_helper_but_module_0_cannot_be_found, errorNode) || unknownSymbol;
          }
          return links.externalHelpersModule;
        }
        function checkGrammarModifiers(node) {
          var _a;
          const quickResult = reportObviousDecoratorErrors(node) || reportObviousModifierErrors(node);
          if (quickResult !== void 0) {
            return quickResult;
          }
          if (isParameter(node) && parameterIsThisKeyword(node)) {
            return grammarErrorOnFirstToken(node, Diagnostics.Neither_decorators_nor_modifiers_may_be_applied_to_this_parameters);
          }
          const blockScopeKind = isVariableStatement(node) ? node.declarationList.flags & 7 : 0;
          let lastStatic, lastDeclare, lastAsync, lastOverride, firstDecorator;
          let flags = 0;
          let sawExportBeforeDecorators = false;
          let hasLeadingDecorators = false;
          for (const modifier of node.modifiers) {
            if (isDecorator(modifier)) {
              if (!nodeCanBeDecorated(legacyDecorators, node, node.parent, node.parent.parent)) {
                if (node.kind === 174 && !nodeIsPresent(node.body)) {
                  return grammarErrorOnFirstToken(node, Diagnostics.A_decorator_can_only_decorate_a_method_implementation_not_an_overload);
                } else {
                  return grammarErrorOnFirstToken(node, Diagnostics.Decorators_are_not_valid_here);
                }
              } else if (legacyDecorators && (node.kind === 177 || node.kind === 178)) {
                const accessors = getAllAccessorDeclarationsForDeclaration(node);
                if (hasDecorators(accessors.firstAccessor) && node === accessors.secondAccessor) {
                  return grammarErrorOnFirstToken(node, Diagnostics.Decorators_cannot_be_applied_to_multiple_get_Slashset_accessors_of_the_same_name);
                }
              }
              if (flags & ~(2080 | 32768)) {
                return grammarErrorOnNode(modifier, Diagnostics.Decorators_are_not_valid_here);
              }
              if (hasLeadingDecorators && flags & 98303) {
                Debug.assertIsDefined(firstDecorator);
                const sourceFile = getSourceFileOfNode(modifier);
                if (!hasParseDiagnostics(sourceFile)) {
                  addRelatedInfo(
                    error2(modifier, Diagnostics.Decorators_may_not_appear_after_export_or_export_default_if_they_also_appear_before_export),
                    createDiagnosticForNode(firstDecorator, Diagnostics.Decorator_used_before_export_here)
                  );
                  return true;
                }
                return false;
              }
              flags |= 32768;
              if (!(flags & 98303)) {
                hasLeadingDecorators = true;
              } else if (flags & 32) {
                sawExportBeforeDecorators = true;
              }
              firstDecorator ?? (firstDecorator = modifier);
            } else {
              if (modifier.kind !== 148) {
                if (node.kind === 171 || node.kind === 173) {
                  return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_type_member, tokenToString(modifier.kind));
                }
                if (node.kind === 181 && (modifier.kind !== 126 || !isClassLike(node.parent))) {
                  return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_an_index_signature, tokenToString(modifier.kind));
                }
              }
              if (modifier.kind !== 103 && modifier.kind !== 147 && modifier.kind !== 87) {
                if (node.kind === 168) {
                  return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_type_parameter, tokenToString(modifier.kind));
                }
              }
              switch (modifier.kind) {
                case 87: {
                  if (node.kind !== 266 && node.kind !== 168) {
                    return grammarErrorOnNode(node, Diagnostics.A_class_member_cannot_have_the_0_keyword, tokenToString(
                      87
                      /* ConstKeyword */
                    ));
                  }
                  const parent2 = isJSDocTemplateTag(node.parent) && getEffectiveJSDocHost(node.parent) || node.parent;
                  if (node.kind === 168 && !(isFunctionLikeDeclaration(parent2) || isClassLike(parent2) || isFunctionTypeNode(parent2) || isConstructorTypeNode(parent2) || isCallSignatureDeclaration(parent2) || isConstructSignatureDeclaration(parent2) || isMethodSignature(parent2))) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_can_only_appear_on_a_type_parameter_of_a_function_method_or_class, tokenToString(modifier.kind));
                  }
                  break;
                }
                case 164:
                  if (flags & 16) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "override");
                  } else if (flags & 128) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "override", "declare");
                  } else if (flags & 8) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "override", "readonly");
                  } else if (flags & 512) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "override", "accessor");
                  } else if (flags & 1024) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "override", "async");
                  }
                  flags |= 16;
                  lastOverride = modifier;
                  break;
                case 125:
                case 124:
                case 123:
                  const text = visibilityToString(modifierToFlag(modifier.kind));
                  if (flags & 7) {
                    return grammarErrorOnNode(modifier, Diagnostics.Accessibility_modifier_already_seen);
                  } else if (flags & 16) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, text, "override");
                  } else if (flags & 256) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, text, "static");
                  } else if (flags & 512) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, text, "accessor");
                  } else if (flags & 8) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, text, "readonly");
                  } else if (flags & 1024) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, text, "async");
                  } else if (node.parent.kind === 268 || node.parent.kind === 307) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_module_or_namespace_element, text);
                  } else if (flags & 64) {
                    if (modifier.kind === 123) {
                      return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, text, "abstract");
                    } else {
                      return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, text, "abstract");
                    }
                  } else if (isPrivateIdentifierClassElementDeclaration(node)) {
                    return grammarErrorOnNode(modifier, Diagnostics.An_accessibility_modifier_cannot_be_used_with_a_private_identifier);
                  }
                  flags |= modifierToFlag(modifier.kind);
                  break;
                case 126:
                  if (flags & 256) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "static");
                  } else if (flags & 8) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "static", "readonly");
                  } else if (flags & 1024) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "static", "async");
                  } else if (flags & 512) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "static", "accessor");
                  } else if (node.parent.kind === 268 || node.parent.kind === 307) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_module_or_namespace_element, "static");
                  } else if (node.kind === 169) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_parameter, "static");
                  } else if (flags & 64) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "static", "abstract");
                  } else if (flags & 16) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "static", "override");
                  }
                  flags |= 256;
                  lastStatic = modifier;
                  break;
                case 129:
                  if (flags & 512) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "accessor");
                  } else if (flags & 8) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "accessor", "readonly");
                  } else if (flags & 128) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "accessor", "declare");
                  } else if (node.kind !== 172) {
                    return grammarErrorOnNode(modifier, Diagnostics.accessor_modifier_can_only_appear_on_a_property_declaration);
                  }
                  flags |= 512;
                  break;
                case 148:
                  if (flags & 8) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "readonly");
                  } else if (node.kind !== 172 && node.kind !== 171 && node.kind !== 181 && node.kind !== 169) {
                    return grammarErrorOnNode(modifier, Diagnostics.readonly_modifier_can_only_appear_on_a_property_declaration_or_index_signature);
                  } else if (flags & 512) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "readonly", "accessor");
                  }
                  flags |= 8;
                  break;
                case 95:
                  if (compilerOptions.verbatimModuleSyntax && !(node.flags & 33554432) && node.kind !== 265 && node.kind !== 264 && // ModuleDeclaration needs to be checked that it is uninstantiated later
                  node.kind !== 267 && node.parent.kind === 307 && (moduleKind === 1 || getSourceFileOfNode(node).impliedNodeFormat === 1)) {
                    return grammarErrorOnNode(modifier, Diagnostics.A_top_level_export_modifier_cannot_be_used_on_value_declarations_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled);
                  }
                  if (flags & 32) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "export");
                  } else if (flags & 128) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "export", "declare");
                  } else if (flags & 64) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "export", "abstract");
                  } else if (flags & 1024) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "export", "async");
                  } else if (isClassLike(node.parent)) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_class_elements_of_this_kind, "export");
                  } else if (node.kind === 169) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_parameter, "export");
                  } else if (blockScopeKind === 4) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_using_declaration, "export");
                  } else if (blockScopeKind === 6) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_an_await_using_declaration, "export");
                  }
                  flags |= 32;
                  break;
                case 90:
                  const container = node.parent.kind === 307 ? node.parent : node.parent.parent;
                  if (container.kind === 267 && !isAmbientModule(container)) {
                    return grammarErrorOnNode(modifier, Diagnostics.A_default_export_can_only_be_used_in_an_ECMAScript_style_module);
                  } else if (blockScopeKind === 4) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_using_declaration, "default");
                  } else if (blockScopeKind === 6) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_an_await_using_declaration, "default");
                  } else if (!(flags & 32)) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "export", "default");
                  } else if (sawExportBeforeDecorators) {
                    return grammarErrorOnNode(firstDecorator, Diagnostics.Decorators_are_not_valid_here);
                  }
                  flags |= 2048;
                  break;
                case 138:
                  if (flags & 128) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "declare");
                  } else if (flags & 1024) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_in_an_ambient_context, "async");
                  } else if (flags & 16) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_in_an_ambient_context, "override");
                  } else if (isClassLike(node.parent) && !isPropertyDeclaration(node)) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_class_elements_of_this_kind, "declare");
                  } else if (node.kind === 169) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_parameter, "declare");
                  } else if (blockScopeKind === 4) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_using_declaration, "declare");
                  } else if (blockScopeKind === 6) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_an_await_using_declaration, "declare");
                  } else if (node.parent.flags & 33554432 && node.parent.kind === 268) {
                    return grammarErrorOnNode(modifier, Diagnostics.A_declare_modifier_cannot_be_used_in_an_already_ambient_context);
                  } else if (isPrivateIdentifierClassElementDeclaration(node)) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_a_private_identifier, "declare");
                  } else if (flags & 512) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "declare", "accessor");
                  }
                  flags |= 128;
                  lastDeclare = modifier;
                  break;
                case 128:
                  if (flags & 64) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "abstract");
                  }
                  if (node.kind !== 263 && node.kind !== 185) {
                    if (node.kind !== 174 && node.kind !== 172 && node.kind !== 177 && node.kind !== 178) {
                      return grammarErrorOnNode(modifier, Diagnostics.abstract_modifier_can_only_appear_on_a_class_method_or_property_declaration);
                    }
                    if (!(node.parent.kind === 263 && hasSyntacticModifier(
                      node.parent,
                      64
                      /* Abstract */
                    ))) {
                      const message = node.kind === 172 ? Diagnostics.Abstract_properties_can_only_appear_within_an_abstract_class : Diagnostics.Abstract_methods_can_only_appear_within_an_abstract_class;
                      return grammarErrorOnNode(modifier, message);
                    }
                    if (flags & 256) {
                      return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "static", "abstract");
                    }
                    if (flags & 2) {
                      return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "private", "abstract");
                    }
                    if (flags & 1024 && lastAsync) {
                      return grammarErrorOnNode(lastAsync, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "async", "abstract");
                    }
                    if (flags & 16) {
                      return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "abstract", "override");
                    }
                    if (flags & 512) {
                      return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "abstract", "accessor");
                    }
                  }
                  if (isNamedDeclaration(node) && node.name.kind === 81) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_a_private_identifier, "abstract");
                  }
                  flags |= 64;
                  break;
                case 134:
                  if (flags & 1024) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, "async");
                  } else if (flags & 128 || node.parent.flags & 33554432) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_in_an_ambient_context, "async");
                  } else if (node.kind === 169) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_appear_on_a_parameter, "async");
                  }
                  if (flags & 64) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_cannot_be_used_with_1_modifier, "async", "abstract");
                  }
                  flags |= 1024;
                  lastAsync = modifier;
                  break;
                case 103:
                case 147: {
                  const inOutFlag = modifier.kind === 103 ? 8192 : 16384;
                  const inOutText = modifier.kind === 103 ? "in" : "out";
                  const parent2 = isJSDocTemplateTag(node.parent) && (getEffectiveJSDocHost(node.parent) || find((_a = getJSDocRoot(node.parent)) == null ? void 0 : _a.tags, isJSDocTypedefTag)) || node.parent;
                  if (node.kind !== 168 || parent2 && !(isInterfaceDeclaration(parent2) || isClassLike(parent2) || isTypeAliasDeclaration(parent2) || isJSDocTypedefTag(parent2))) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_can_only_appear_on_a_type_parameter_of_a_class_interface_or_type_alias, inOutText);
                  }
                  if (flags & inOutFlag) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_already_seen, inOutText);
                  }
                  if (inOutFlag & 8192 && flags & 16384) {
                    return grammarErrorOnNode(modifier, Diagnostics._0_modifier_must_precede_1_modifier, "in", "out");
                  }
                  flags |= inOutFlag;
                  break;
                }
              }
            }
          }
          if (node.kind === 176) {
            if (flags & 256) {
              return grammarErrorOnNode(lastStatic, Diagnostics._0_modifier_cannot_appear_on_a_constructor_declaration, "static");
            }
            if (flags & 16) {
              return grammarErrorOnNode(lastOverride, Diagnostics._0_modifier_cannot_appear_on_a_constructor_declaration, "override");
            }
            if (flags & 1024) {
              return grammarErrorOnNode(lastAsync, Diagnostics._0_modifier_cannot_appear_on_a_constructor_declaration, "async");
            }
            return false;
          } else if ((node.kind === 272 || node.kind === 271) && flags & 128) {
            return grammarErrorOnNode(lastDeclare, Diagnostics.A_0_modifier_cannot_be_used_with_an_import_declaration, "declare");
          } else if (node.kind === 169 && flags & 31 && isBindingPattern(node.name)) {
            return grammarErrorOnNode(node, Diagnostics.A_parameter_property_may_not_be_declared_using_a_binding_pattern);
          } else if (node.kind === 169 && flags & 31 && node.dotDotDotToken) {
            return grammarErrorOnNode(node, Diagnostics.A_parameter_property_cannot_be_declared_using_a_rest_parameter);
          }
          if (flags & 1024) {
            return checkGrammarAsyncModifier(node, lastAsync);
          }
          return false;
        }
        function reportObviousModifierErrors(node) {
          if (!node.modifiers) return false;
          const modifier = findFirstIllegalModifier(node);
          return modifier && grammarErrorOnFirstToken(modifier, Diagnostics.Modifiers_cannot_appear_here);
        }
        function findFirstModifierExcept(node, allowedModifier) {
          const modifier = find(node.modifiers, isModifier);
          return modifier && modifier.kind !== allowedModifier ? modifier : void 0;
        }
        function findFirstIllegalModifier(node) {
          switch (node.kind) {
            case 177:
            case 178:
            case 176:
            case 172:
            case 171:
            case 174:
            case 173:
            case 181:
            case 267:
            case 272:
            case 271:
            case 278:
            case 277:
            case 218:
            case 219:
            case 169:
            case 168:
              return void 0;
            case 175:
            case 303:
            case 304:
            case 270:
            case 282:
              return find(node.modifiers, isModifier);
            default:
              if (node.parent.kind === 268 || node.parent.kind === 307) {
                return void 0;
              }
              switch (node.kind) {
                case 262:
                  return findFirstModifierExcept(
                    node,
                    134
                    /* AsyncKeyword */
                  );
                case 263:
                case 185:
                  return findFirstModifierExcept(
                    node,
                    128
                    /* AbstractKeyword */
                  );
                case 231:
                case 264:
                case 265:
                  return find(node.modifiers, isModifier);
                case 243:
                  return node.declarationList.flags & 4 ? findFirstModifierExcept(
                    node,
                    135
                    /* AwaitKeyword */
                  ) : find(node.modifiers, isModifier);
                case 266:
                  return findFirstModifierExcept(
                    node,
                    87
                    /* ConstKeyword */
                  );
                default:
                  Debug.assertNever(node);
              }
          }
        }
        function reportObviousDecoratorErrors(node) {
          const decorator = findFirstIllegalDecorator(node);
          return decorator && grammarErrorOnFirstToken(decorator, Diagnostics.Decorators_are_not_valid_here);
        }
        function findFirstIllegalDecorator(node) {
          return canHaveIllegalDecorators(node) ? find(node.modifiers, isDecorator) : void 0;
        }
        function checkGrammarAsyncModifier(node, asyncModifier) {
          switch (node.kind) {
            case 174:
            case 262:
            case 218:
            case 219:
              return false;
          }
          return grammarErrorOnNode(asyncModifier, Diagnostics._0_modifier_cannot_be_used_here, "async");
        }
        function checkGrammarForDisallowedTrailingComma(list, diag2 = Diagnostics.Trailing_comma_not_allowed) {
          if (list && list.hasTrailingComma) {
            return grammarErrorAtPos(list[0], list.end - ",".length, ",".length, diag2);
          }
          return false;
        }
        function checkGrammarTypeParameterList(typeParameters, file) {
          if (typeParameters && typeParameters.length === 0) {
            const start = typeParameters.pos - "<".length;
            const end = skipTrivia(file.text, typeParameters.end) + ">".length;
            return grammarErrorAtPos(file, start, end - start, Diagnostics.Type_parameter_list_cannot_be_empty);
          }
          return false;
        }
        function checkGrammarParameterList(parameters) {
          let seenOptionalParameter = false;
          const parameterCount = parameters.length;
          for (let i = 0; i < parameterCount; i++) {
            const parameter = parameters[i];
            if (parameter.dotDotDotToken) {
              if (i !== parameterCount - 1) {
                return grammarErrorOnNode(parameter.dotDotDotToken, Diagnostics.A_rest_parameter_must_be_last_in_a_parameter_list);
              }
              if (!(parameter.flags & 33554432)) {
                checkGrammarForDisallowedTrailingComma(parameters, Diagnostics.A_rest_parameter_or_binding_pattern_may_not_have_a_trailing_comma);
              }
              if (parameter.questionToken) {
                return grammarErrorOnNode(parameter.questionToken, Diagnostics.A_rest_parameter_cannot_be_optional);
              }
              if (parameter.initializer) {
                return grammarErrorOnNode(parameter.name, Diagnostics.A_rest_parameter_cannot_have_an_initializer);
              }
            } else if (hasEffectiveQuestionToken(parameter)) {
              seenOptionalParameter = true;
              if (parameter.questionToken && parameter.initializer) {
                return grammarErrorOnNode(parameter.name, Diagnostics.Parameter_cannot_have_question_mark_and_initializer);
              }
            } else if (seenOptionalParameter && !parameter.initializer) {
              return grammarErrorOnNode(parameter.name, Diagnostics.A_required_parameter_cannot_follow_an_optional_parameter);
            }
          }
        }
        function getNonSimpleParameters(parameters) {
          return filter(parameters, (parameter) => !!parameter.initializer || isBindingPattern(parameter.name) || isRestParameter(parameter));
        }
        function checkGrammarForUseStrictSimpleParameterList(node) {
          if (languageVersion >= 3) {
            const useStrictDirective = node.body && isBlock(node.body) && findUseStrictPrologue(node.body.statements);
            if (useStrictDirective) {
              const nonSimpleParameters = getNonSimpleParameters(node.parameters);
              if (length(nonSimpleParameters)) {
                forEach(nonSimpleParameters, (parameter) => {
                  addRelatedInfo(
                    error2(parameter, Diagnostics.This_parameter_is_not_allowed_with_use_strict_directive),
                    createDiagnosticForNode(useStrictDirective, Diagnostics.use_strict_directive_used_here)
                  );
                });
                const diagnostics2 = nonSimpleParameters.map((parameter, index) => index === 0 ? createDiagnosticForNode(parameter, Diagnostics.Non_simple_parameter_declared_here) : createDiagnosticForNode(parameter, Diagnostics.and_here));
                addRelatedInfo(error2(useStrictDirective, Diagnostics.use_strict_directive_cannot_be_used_with_non_simple_parameter_list), ...diagnostics2);
                return true;
              }
            }
          }
          return false;
        }
        function checkGrammarFunctionLikeDeclaration(node) {
          const file = getSourceFileOfNode(node);
          return checkGrammarModifiers(node) || checkGrammarTypeParameterList(node.typeParameters, file) || checkGrammarParameterList(node.parameters) || checkGrammarArrowFunction(node, file) || isFunctionLikeDeclaration(node) && checkGrammarForUseStrictSimpleParameterList(node);
        }
        function checkGrammarClassLikeDeclaration(node) {
          const file = getSourceFileOfNode(node);
          return checkGrammarClassDeclarationHeritageClauses(node) || checkGrammarTypeParameterList(node.typeParameters, file);
        }
        function checkGrammarArrowFunction(node, file) {
          if (!isArrowFunction(node)) {
            return false;
          }
          if (node.typeParameters && !(length(node.typeParameters) > 1 || node.typeParameters.hasTrailingComma || node.typeParameters[0].constraint)) {
            if (file && fileExtensionIsOneOf(file.fileName, [
              ".mts",
              ".cts"
              /* Cts */
            ])) {
              grammarErrorOnNode(node.typeParameters[0], Diagnostics.This_syntax_is_reserved_in_files_with_the_mts_or_cts_extension_Add_a_trailing_comma_or_explicit_constraint);
            }
          }
          const { equalsGreaterThanToken } = node;
          const startLine = getLineAndCharacterOfPosition(file, equalsGreaterThanToken.pos).line;
          const endLine = getLineAndCharacterOfPosition(file, equalsGreaterThanToken.end).line;
          return startLine !== endLine && grammarErrorOnNode(equalsGreaterThanToken, Diagnostics.Line_terminator_not_permitted_before_arrow);
        }
        function checkGrammarIndexSignatureParameters(node) {
          const parameter = node.parameters[0];
          if (node.parameters.length !== 1) {
            if (parameter) {
              return grammarErrorOnNode(parameter.name, Diagnostics.An_index_signature_must_have_exactly_one_parameter);
            } else {
              return grammarErrorOnNode(node, Diagnostics.An_index_signature_must_have_exactly_one_parameter);
            }
          }
          checkGrammarForDisallowedTrailingComma(node.parameters, Diagnostics.An_index_signature_cannot_have_a_trailing_comma);
          if (parameter.dotDotDotToken) {
            return grammarErrorOnNode(parameter.dotDotDotToken, Diagnostics.An_index_signature_cannot_have_a_rest_parameter);
          }
          if (hasEffectiveModifiers(parameter)) {
            return grammarErrorOnNode(parameter.name, Diagnostics.An_index_signature_parameter_cannot_have_an_accessibility_modifier);
          }
          if (parameter.questionToken) {
            return grammarErrorOnNode(parameter.questionToken, Diagnostics.An_index_signature_parameter_cannot_have_a_question_mark);
          }
          if (parameter.initializer) {
            return grammarErrorOnNode(parameter.name, Diagnostics.An_index_signature_parameter_cannot_have_an_initializer);
          }
          if (!parameter.type) {
            return grammarErrorOnNode(parameter.name, Diagnostics.An_index_signature_parameter_must_have_a_type_annotation);
          }
          const type = getTypeFromTypeNode(parameter.type);
          if (someType(type, (t) => !!(t.flags & 8576)) || isGenericType(type)) {
            return grammarErrorOnNode(parameter.name, Diagnostics.An_index_signature_parameter_type_cannot_be_a_literal_type_or_generic_type_Consider_using_a_mapped_object_type_instead);
          }
          if (!everyType(type, isValidIndexKeyType)) {
            return grammarErrorOnNode(parameter.name, Diagnostics.An_index_signature_parameter_type_must_be_string_number_symbol_or_a_template_literal_type);
          }
          if (!node.type) {
            return grammarErrorOnNode(node, Diagnostics.An_index_signature_must_have_a_type_annotation);
          }
          return false;
        }
        function checkGrammarIndexSignature(node) {
          return checkGrammarModifiers(node) || checkGrammarIndexSignatureParameters(node);
        }
        function checkGrammarForAtLeastOneTypeArgument(node, typeArguments) {
          if (typeArguments && typeArguments.length === 0) {
            const sourceFile = getSourceFileOfNode(node);
            const start = typeArguments.pos - "<".length;
            const end = skipTrivia(sourceFile.text, typeArguments.end) + ">".length;
            return grammarErrorAtPos(sourceFile, start, end - start, Diagnostics.Type_argument_list_cannot_be_empty);
          }
          return false;
        }
        function checkGrammarTypeArguments(node, typeArguments) {
          return checkGrammarForDisallowedTrailingComma(typeArguments) || checkGrammarForAtLeastOneTypeArgument(node, typeArguments);
        }
        function checkGrammarTaggedTemplateChain(node) {
          if (node.questionDotToken || node.flags & 64) {
            return grammarErrorOnNode(node.template, Diagnostics.Tagged_template_expressions_are_not_permitted_in_an_optional_chain);
          }
          return false;
        }
        function checkGrammarHeritageClause(node) {
          const types = node.types;
          if (checkGrammarForDisallowedTrailingComma(types)) {
            return true;
          }
          if (types && types.length === 0) {
            const listType = tokenToString(node.token);
            return grammarErrorAtPos(node, types.pos, 0, Diagnostics._0_list_cannot_be_empty, listType);
          }
          return some(types, checkGrammarExpressionWithTypeArguments);
        }
        function checkGrammarExpressionWithTypeArguments(node) {
          if (isExpressionWithTypeArguments(node) && isImportKeyword(node.expression) && node.typeArguments) {
            return grammarErrorOnNode(node, Diagnostics.This_use_of_import_is_invalid_import_calls_can_be_written_but_they_must_have_parentheses_and_cannot_have_type_arguments);
          }
          return checkGrammarTypeArguments(node, node.typeArguments);
        }
        function checkGrammarClassDeclarationHeritageClauses(node) {
          let seenExtendsClause = false;
          let seenImplementsClause = false;
          if (!checkGrammarModifiers(node) && node.heritageClauses) {
            for (const heritageClause of node.heritageClauses) {
              if (heritageClause.token === 96) {
                if (seenExtendsClause) {
                  return grammarErrorOnFirstToken(heritageClause, Diagnostics.extends_clause_already_seen);
                }
                if (seenImplementsClause) {
                  return grammarErrorOnFirstToken(heritageClause, Diagnostics.extends_clause_must_precede_implements_clause);
                }
                if (heritageClause.types.length > 1) {
                  return grammarErrorOnFirstToken(heritageClause.types[1], Diagnostics.Classes_can_only_extend_a_single_class);
                }
                seenExtendsClause = true;
              } else {
                Debug.assert(
                  heritageClause.token === 119
                  /* ImplementsKeyword */
                );
                if (seenImplementsClause) {
                  return grammarErrorOnFirstToken(heritageClause, Diagnostics.implements_clause_already_seen);
                }
                seenImplementsClause = true;
              }
              checkGrammarHeritageClause(heritageClause);
            }
          }
        }
        function checkGrammarInterfaceDeclaration(node) {
          let seenExtendsClause = false;
          if (node.heritageClauses) {
            for (const heritageClause of node.heritageClauses) {
              if (heritageClause.token === 96) {
                if (seenExtendsClause) {
                  return grammarErrorOnFirstToken(heritageClause, Diagnostics.extends_clause_already_seen);
                }
                seenExtendsClause = true;
              } else {
                Debug.assert(
                  heritageClause.token === 119
                  /* ImplementsKeyword */
                );
                return grammarErrorOnFirstToken(heritageClause, Diagnostics.Interface_declaration_cannot_have_implements_clause);
              }
              checkGrammarHeritageClause(heritageClause);
            }
          }
          return false;
        }
        function checkGrammarComputedPropertyName(node) {
          if (node.kind !== 167) {
            return false;
          }
          const computedPropertyName = node;
          if (computedPropertyName.expression.kind === 226 && computedPropertyName.expression.operatorToken.kind === 28) {
            return grammarErrorOnNode(computedPropertyName.expression, Diagnostics.A_comma_expression_is_not_allowed_in_a_computed_property_name);
          }
          return false;
        }
        function checkGrammarForGenerator(node) {
          if (node.asteriskToken) {
            Debug.assert(
              node.kind === 262 || node.kind === 218 || node.kind === 174
              /* MethodDeclaration */
            );
            if (node.flags & 33554432) {
              return grammarErrorOnNode(node.asteriskToken, Diagnostics.Generators_are_not_allowed_in_an_ambient_context);
            }
            if (!node.body) {
              return grammarErrorOnNode(node.asteriskToken, Diagnostics.An_overload_signature_cannot_be_declared_as_a_generator);
            }
          }
        }
        function checkGrammarForInvalidQuestionMark(questionToken, message) {
          return !!questionToken && grammarErrorOnNode(questionToken, message);
        }
        function checkGrammarForInvalidExclamationToken(exclamationToken, message) {
          return !!exclamationToken && grammarErrorOnNode(exclamationToken, message);
        }
        function checkGrammarObjectLiteralExpression(node, inDestructuring) {
          const seen = /* @__PURE__ */ new Map();
          for (const prop of node.properties) {
            if (prop.kind === 305) {
              if (inDestructuring) {
                const expression = skipParentheses(prop.expression);
                if (isArrayLiteralExpression(expression) || isObjectLiteralExpression(expression)) {
                  return grammarErrorOnNode(prop.expression, Diagnostics.A_rest_element_cannot_contain_a_binding_pattern);
                }
              }
              continue;
            }
            const name = prop.name;
            if (name.kind === 167) {
              checkGrammarComputedPropertyName(name);
            }
            if (prop.kind === 304 && !inDestructuring && prop.objectAssignmentInitializer) {
              grammarErrorOnNode(prop.equalsToken, Diagnostics.Did_you_mean_to_use_a_Colon_An_can_only_follow_a_property_name_when_the_containing_object_literal_is_part_of_a_destructuring_pattern);
            }
            if (name.kind === 81) {
              grammarErrorOnNode(name, Diagnostics.Private_identifiers_are_not_allowed_outside_class_bodies);
            }
            if (canHaveModifiers(prop) && prop.modifiers) {
              for (const mod of prop.modifiers) {
                if (isModifier(mod) && (mod.kind !== 134 || prop.kind !== 174)) {
                  grammarErrorOnNode(mod, Diagnostics._0_modifier_cannot_be_used_here, getTextOfNode(mod));
                }
              }
            } else if (canHaveIllegalModifiers(prop) && prop.modifiers) {
              for (const mod of prop.modifiers) {
                if (isModifier(mod)) {
                  grammarErrorOnNode(mod, Diagnostics._0_modifier_cannot_be_used_here, getTextOfNode(mod));
                }
              }
            }
            let currentKind;
            switch (prop.kind) {
              case 304:
              case 303:
                checkGrammarForInvalidExclamationToken(prop.exclamationToken, Diagnostics.A_definite_assignment_assertion_is_not_permitted_in_this_context);
                checkGrammarForInvalidQuestionMark(prop.questionToken, Diagnostics.An_object_member_cannot_be_declared_optional);
                if (name.kind === 9) {
                  checkGrammarNumericLiteral(name);
                }
                currentKind = 4;
                break;
              case 174:
                currentKind = 8;
                break;
              case 177:
                currentKind = 1;
                break;
              case 178:
                currentKind = 2;
                break;
              default:
                Debug.assertNever(prop, "Unexpected syntax kind:" + prop.kind);
            }
            if (!inDestructuring) {
              const effectiveName = getEffectivePropertyNameForPropertyNameNode(name);
              if (effectiveName === void 0) {
                continue;
              }
              const existingKind = seen.get(effectiveName);
              if (!existingKind) {
                seen.set(effectiveName, currentKind);
              } else {
                if (currentKind & 8 && existingKind & 8) {
                  grammarErrorOnNode(name, Diagnostics.Duplicate_identifier_0, getTextOfNode(name));
                } else if (currentKind & 4 && existingKind & 4) {
                  grammarErrorOnNode(name, Diagnostics.An_object_literal_cannot_have_multiple_properties_with_the_same_name, getTextOfNode(name));
                } else if (currentKind & 3 && existingKind & 3) {
                  if (existingKind !== 3 && currentKind !== existingKind) {
                    seen.set(effectiveName, currentKind | existingKind);
                  } else {
                    return grammarErrorOnNode(name, Diagnostics.An_object_literal_cannot_have_multiple_get_Slashset_accessors_with_the_same_name);
                  }
                } else {
                  return grammarErrorOnNode(name, Diagnostics.An_object_literal_cannot_have_property_and_accessor_with_the_same_name);
                }
              }
            }
          }
        }
        function checkGrammarJsxElement(node) {
          checkGrammarJsxName(node.tagName);
          checkGrammarTypeArguments(node, node.typeArguments);
          const seen = /* @__PURE__ */ new Map();
          for (const attr of node.attributes.properties) {
            if (attr.kind === 293) {
              continue;
            }
            const { name, initializer } = attr;
            const escapedText = getEscapedTextOfJsxAttributeName(name);
            if (!seen.get(escapedText)) {
              seen.set(escapedText, true);
            } else {
              return grammarErrorOnNode(name, Diagnostics.JSX_elements_cannot_have_multiple_attributes_with_the_same_name);
            }
            if (initializer && initializer.kind === 294 && !initializer.expression) {
              return grammarErrorOnNode(initializer, Diagnostics.JSX_attributes_must_only_be_assigned_a_non_empty_expression);
            }
          }
        }
        function checkGrammarJsxName(node) {
          if (isPropertyAccessExpression(node) && isJsxNamespacedName(node.expression)) {
            return grammarErrorOnNode(node.expression, Diagnostics.JSX_property_access_expressions_cannot_include_JSX_namespace_names);
          }
          if (isJsxNamespacedName(node) && getJSXTransformEnabled(compilerOptions) && !isIntrinsicJsxName(node.namespace.escapedText)) {
            return grammarErrorOnNode(node, Diagnostics.React_components_cannot_include_JSX_namespace_names);
          }
        }
        function checkGrammarJsxExpression(node) {
          if (node.expression && isCommaSequence(node.expression)) {
            return grammarErrorOnNode(node.expression, Diagnostics.JSX_expressions_may_not_use_the_comma_operator_Did_you_mean_to_write_an_array);
          }
        }
        function checkGrammarForInOrForOfStatement(forInOrOfStatement) {
          if (checkGrammarStatementInAmbientContext(forInOrOfStatement)) {
            return true;
          }
          if (forInOrOfStatement.kind === 250 && forInOrOfStatement.awaitModifier) {
            if (!(forInOrOfStatement.flags & 65536)) {
              const sourceFile = getSourceFileOfNode(forInOrOfStatement);
              if (isInTopLevelContext(forInOrOfStatement)) {
                if (!hasParseDiagnostics(sourceFile)) {
                  if (!isEffectiveExternalModule(sourceFile, compilerOptions)) {
                    diagnostics.add(createDiagnosticForNode(forInOrOfStatement.awaitModifier, Diagnostics.for_await_loops_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module));
                  }
                  switch (moduleKind) {
                    case 100:
                    case 199:
                      if (sourceFile.impliedNodeFormat === 1) {
                        diagnostics.add(
                          createDiagnosticForNode(forInOrOfStatement.awaitModifier, Diagnostics.The_current_file_is_a_CommonJS_module_and_cannot_use_await_at_the_top_level)
                        );
                        break;
                      }
                    case 7:
                    case 99:
                    case 4:
                      if (languageVersion >= 4) {
                        break;
                      }
                    default:
                      diagnostics.add(
                        createDiagnosticForNode(forInOrOfStatement.awaitModifier, Diagnostics.Top_level_for_await_loops_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher)
                      );
                      break;
                  }
                }
              } else {
                if (!hasParseDiagnostics(sourceFile)) {
                  const diagnostic = createDiagnosticForNode(forInOrOfStatement.awaitModifier, Diagnostics.for_await_loops_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules);
                  const func = getContainingFunction(forInOrOfStatement);
                  if (func && func.kind !== 176) {
                    Debug.assert((getFunctionFlags(func) & 2) === 0, "Enclosing function should never be an async function.");
                    const relatedInfo = createDiagnosticForNode(func, Diagnostics.Did_you_mean_to_mark_this_function_as_async);
                    addRelatedInfo(diagnostic, relatedInfo);
                  }
                  diagnostics.add(diagnostic);
                  return true;
                }
              }
            }
          }
          if (isForOfStatement(forInOrOfStatement) && !(forInOrOfStatement.flags & 65536) && isIdentifier(forInOrOfStatement.initializer) && forInOrOfStatement.initializer.escapedText === "async") {
            grammarErrorOnNode(forInOrOfStatement.initializer, Diagnostics.The_left_hand_side_of_a_for_of_statement_may_not_be_async);
            return false;
          }
          if (forInOrOfStatement.initializer.kind === 261) {
            const variableList = forInOrOfStatement.initializer;
            if (!checkGrammarVariableDeclarationList(variableList)) {
              const declarations = variableList.declarations;
              if (!declarations.length) {
                return false;
              }
              if (declarations.length > 1) {
                const diagnostic = forInOrOfStatement.kind === 249 ? Diagnostics.Only_a_single_variable_declaration_is_allowed_in_a_for_in_statement : Diagnostics.Only_a_single_variable_declaration_is_allowed_in_a_for_of_statement;
                return grammarErrorOnFirstToken(variableList.declarations[1], diagnostic);
              }
              const firstDeclaration = declarations[0];
              if (firstDeclaration.initializer) {
                const diagnostic = forInOrOfStatement.kind === 249 ? Diagnostics.The_variable_declaration_of_a_for_in_statement_cannot_have_an_initializer : Diagnostics.The_variable_declaration_of_a_for_of_statement_cannot_have_an_initializer;
                return grammarErrorOnNode(firstDeclaration.name, diagnostic);
              }
              if (firstDeclaration.type) {
                const diagnostic = forInOrOfStatement.kind === 249 ? Diagnostics.The_left_hand_side_of_a_for_in_statement_cannot_use_a_type_annotation : Diagnostics.The_left_hand_side_of_a_for_of_statement_cannot_use_a_type_annotation;
                return grammarErrorOnNode(firstDeclaration, diagnostic);
              }
            }
          }
          return false;
        }
        function checkGrammarAccessor(accessor) {
          if (!(accessor.flags & 33554432) && accessor.parent.kind !== 187 && accessor.parent.kind !== 264) {
            if (languageVersion < 2 && isPrivateIdentifier(accessor.name)) {
              return grammarErrorOnNode(accessor.name, Diagnostics.Private_identifiers_are_only_available_when_targeting_ECMAScript_2015_and_higher);
            }
            if (accessor.body === void 0 && !hasSyntacticModifier(
              accessor,
              64
              /* Abstract */
            )) {
              return grammarErrorAtPos(accessor, accessor.end - 1, ";".length, Diagnostics._0_expected, "{");
            }
          }
          if (accessor.body) {
            if (hasSyntacticModifier(
              accessor,
              64
              /* Abstract */
            )) {
              return grammarErrorOnNode(accessor, Diagnostics.An_abstract_accessor_cannot_have_an_implementation);
            }
            if (accessor.parent.kind === 187 || accessor.parent.kind === 264) {
              return grammarErrorOnNode(accessor.body, Diagnostics.An_implementation_cannot_be_declared_in_ambient_contexts);
            }
          }
          if (accessor.typeParameters) {
            return grammarErrorOnNode(accessor.name, Diagnostics.An_accessor_cannot_have_type_parameters);
          }
          if (!doesAccessorHaveCorrectParameterCount(accessor)) {
            return grammarErrorOnNode(
              accessor.name,
              accessor.kind === 177 ? Diagnostics.A_get_accessor_cannot_have_parameters : Diagnostics.A_set_accessor_must_have_exactly_one_parameter
            );
          }
          if (accessor.kind === 178) {
            if (accessor.type) {
              return grammarErrorOnNode(accessor.name, Diagnostics.A_set_accessor_cannot_have_a_return_type_annotation);
            }
            const parameter = Debug.checkDefined(getSetAccessorValueParameter(accessor), "Return value does not match parameter count assertion.");
            if (parameter.dotDotDotToken) {
              return grammarErrorOnNode(parameter.dotDotDotToken, Diagnostics.A_set_accessor_cannot_have_rest_parameter);
            }
            if (parameter.questionToken) {
              return grammarErrorOnNode(parameter.questionToken, Diagnostics.A_set_accessor_cannot_have_an_optional_parameter);
            }
            if (parameter.initializer) {
              return grammarErrorOnNode(accessor.name, Diagnostics.A_set_accessor_parameter_cannot_have_an_initializer);
            }
          }
          return false;
        }
        function doesAccessorHaveCorrectParameterCount(accessor) {
          return getAccessorThisParameter(accessor) || accessor.parameters.length === (accessor.kind === 177 ? 0 : 1);
        }
        function getAccessorThisParameter(accessor) {
          if (accessor.parameters.length === (accessor.kind === 177 ? 1 : 2)) {
            return getThisParameter(accessor);
          }
        }
        function checkGrammarTypeOperatorNode(node) {
          if (node.operator === 158) {
            if (node.type.kind !== 155) {
              return grammarErrorOnNode(node.type, Diagnostics._0_expected, tokenToString(
                155
                /* SymbolKeyword */
              ));
            }
            let parent2 = walkUpParenthesizedTypes(node.parent);
            if (isInJSFile(parent2) && isJSDocTypeExpression(parent2)) {
              const host2 = getJSDocHost(parent2);
              if (host2) {
                parent2 = getSingleVariableOfVariableStatement(host2) || host2;
              }
            }
            switch (parent2.kind) {
              case 260:
                const decl = parent2;
                if (decl.name.kind !== 80) {
                  return grammarErrorOnNode(node, Diagnostics.unique_symbol_types_may_not_be_used_on_a_variable_declaration_with_a_binding_name);
                }
                if (!isVariableDeclarationInVariableStatement(decl)) {
                  return grammarErrorOnNode(node, Diagnostics.unique_symbol_types_are_only_allowed_on_variables_in_a_variable_statement);
                }
                if (!(decl.parent.flags & 2)) {
                  return grammarErrorOnNode(parent2.name, Diagnostics.A_variable_whose_type_is_a_unique_symbol_type_must_be_const);
                }
                break;
              case 172:
                if (!isStatic(parent2) || !hasEffectiveReadonlyModifier(parent2)) {
                  return grammarErrorOnNode(parent2.name, Diagnostics.A_property_of_a_class_whose_type_is_a_unique_symbol_type_must_be_both_static_and_readonly);
                }
                break;
              case 171:
                if (!hasSyntacticModifier(
                  parent2,
                  8
                  /* Readonly */
                )) {
                  return grammarErrorOnNode(parent2.name, Diagnostics.A_property_of_an_interface_or_type_literal_whose_type_is_a_unique_symbol_type_must_be_readonly);
                }
                break;
              default:
                return grammarErrorOnNode(node, Diagnostics.unique_symbol_types_are_not_allowed_here);
            }
          } else if (node.operator === 148) {
            if (node.type.kind !== 188 && node.type.kind !== 189) {
              return grammarErrorOnFirstToken(node, Diagnostics.readonly_type_modifier_is_only_permitted_on_array_and_tuple_literal_types, tokenToString(
                155
                /* SymbolKeyword */
              ));
            }
          }
        }
        function checkGrammarForInvalidDynamicName(node, message) {
          if (isNonBindableDynamicName(node)) {
            return grammarErrorOnNode(node, message);
          }
        }
        function checkGrammarMethod(node) {
          if (checkGrammarFunctionLikeDeclaration(node)) {
            return true;
          }
          if (node.kind === 174) {
            if (node.parent.kind === 210) {
              if (node.modifiers && !(node.modifiers.length === 1 && first(node.modifiers).kind === 134)) {
                return grammarErrorOnFirstToken(node, Diagnostics.Modifiers_cannot_appear_here);
              } else if (checkGrammarForInvalidQuestionMark(node.questionToken, Diagnostics.An_object_member_cannot_be_declared_optional)) {
                return true;
              } else if (checkGrammarForInvalidExclamationToken(node.exclamationToken, Diagnostics.A_definite_assignment_assertion_is_not_permitted_in_this_context)) {
                return true;
              } else if (node.body === void 0) {
                return grammarErrorAtPos(node, node.end - 1, ";".length, Diagnostics._0_expected, "{");
              }
            }
            if (checkGrammarForGenerator(node)) {
              return true;
            }
          }
          if (isClassLike(node.parent)) {
            if (languageVersion < 2 && isPrivateIdentifier(node.name)) {
              return grammarErrorOnNode(node.name, Diagnostics.Private_identifiers_are_only_available_when_targeting_ECMAScript_2015_and_higher);
            }
            if (node.flags & 33554432) {
              return checkGrammarForInvalidDynamicName(node.name, Diagnostics.A_computed_property_name_in_an_ambient_context_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type);
            } else if (node.kind === 174 && !node.body) {
              return checkGrammarForInvalidDynamicName(node.name, Diagnostics.A_computed_property_name_in_a_method_overload_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type);
            }
          } else if (node.parent.kind === 264) {
            return checkGrammarForInvalidDynamicName(node.name, Diagnostics.A_computed_property_name_in_an_interface_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type);
          } else if (node.parent.kind === 187) {
            return checkGrammarForInvalidDynamicName(node.name, Diagnostics.A_computed_property_name_in_a_type_literal_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type);
          }
        }
        function checkGrammarBreakOrContinueStatement(node) {
          let current = node;
          while (current) {
            if (isFunctionLikeOrClassStaticBlockDeclaration(current)) {
              return grammarErrorOnNode(node, Diagnostics.Jump_target_cannot_cross_function_boundary);
            }
            switch (current.kind) {
              case 256:
                if (node.label && current.label.escapedText === node.label.escapedText) {
                  const isMisplacedContinueLabel = node.kind === 251 && !isIterationStatement(
                    current.statement,
                    /*lookInLabeledStatements*/
                    true
                  );
                  if (isMisplacedContinueLabel) {
                    return grammarErrorOnNode(node, Diagnostics.A_continue_statement_can_only_jump_to_a_label_of_an_enclosing_iteration_statement);
                  }
                  return false;
                }
                break;
              case 255:
                if (node.kind === 252 && !node.label) {
                  return false;
                }
                break;
              default:
                if (isIterationStatement(
                  current,
                  /*lookInLabeledStatements*/
                  false
                ) && !node.label) {
                  return false;
                }
                break;
            }
            current = current.parent;
          }
          if (node.label) {
            const message = node.kind === 252 ? Diagnostics.A_break_statement_can_only_jump_to_a_label_of_an_enclosing_statement : Diagnostics.A_continue_statement_can_only_jump_to_a_label_of_an_enclosing_iteration_statement;
            return grammarErrorOnNode(node, message);
          } else {
            const message = node.kind === 252 ? Diagnostics.A_break_statement_can_only_be_used_within_an_enclosing_iteration_or_switch_statement : Diagnostics.A_continue_statement_can_only_be_used_within_an_enclosing_iteration_statement;
            return grammarErrorOnNode(node, message);
          }
        }
        function checkGrammarBindingElement(node) {
          if (node.dotDotDotToken) {
            const elements = node.parent.elements;
            if (node !== last(elements)) {
              return grammarErrorOnNode(node, Diagnostics.A_rest_element_must_be_last_in_a_destructuring_pattern);
            }
            checkGrammarForDisallowedTrailingComma(elements, Diagnostics.A_rest_parameter_or_binding_pattern_may_not_have_a_trailing_comma);
            if (node.propertyName) {
              return grammarErrorOnNode(node.name, Diagnostics.A_rest_element_cannot_have_a_property_name);
            }
          }
          if (node.dotDotDotToken && node.initializer) {
            return grammarErrorAtPos(node, node.initializer.pos - 1, 1, Diagnostics.A_rest_element_cannot_have_an_initializer);
          }
        }
        function isStringOrNumberLiteralExpression(expr) {
          return isStringOrNumericLiteralLike(expr) || expr.kind === 224 && expr.operator === 41 && expr.operand.kind === 9;
        }
        function isBigIntLiteralExpression(expr) {
          return expr.kind === 10 || expr.kind === 224 && expr.operator === 41 && expr.operand.kind === 10;
        }
        function isSimpleLiteralEnumReference(expr) {
          if ((isPropertyAccessExpression(expr) || isElementAccessExpression(expr) && isStringOrNumberLiteralExpression(expr.argumentExpression)) && isEntityNameExpression(expr.expression)) {
            return !!(checkExpressionCached(expr).flags & 1056);
          }
        }
        function checkAmbientInitializer(node) {
          const initializer = node.initializer;
          if (initializer) {
            const isInvalidInitializer = !(isStringOrNumberLiteralExpression(initializer) || isSimpleLiteralEnumReference(initializer) || initializer.kind === 112 || initializer.kind === 97 || isBigIntLiteralExpression(initializer));
            const isConstOrReadonly = isDeclarationReadonly(node) || isVariableDeclaration(node) && isVarConstLike2(node);
            if (isConstOrReadonly && !node.type) {
              if (isInvalidInitializer) {
                return grammarErrorOnNode(initializer, Diagnostics.A_const_initializer_in_an_ambient_context_must_be_a_string_or_numeric_literal_or_literal_enum_reference);
              }
            } else {
              return grammarErrorOnNode(initializer, Diagnostics.Initializers_are_not_allowed_in_ambient_contexts);
            }
          }
        }
        function checkGrammarVariableDeclaration(node) {
          const nodeFlags = getCombinedNodeFlagsCached(node);
          const blockScopeKind = nodeFlags & 7;
          if (isBindingPattern(node.name)) {
            switch (blockScopeKind) {
              case 6:
                return grammarErrorOnNode(node, Diagnostics._0_declarations_may_not_have_binding_patterns, "await using");
              case 4:
                return grammarErrorOnNode(node, Diagnostics._0_declarations_may_not_have_binding_patterns, "using");
            }
          }
          if (node.parent.parent.kind !== 249 && node.parent.parent.kind !== 250) {
            if (nodeFlags & 33554432) {
              checkAmbientInitializer(node);
            } else if (!node.initializer) {
              if (isBindingPattern(node.name) && !isBindingPattern(node.parent)) {
                return grammarErrorOnNode(node, Diagnostics.A_destructuring_declaration_must_have_an_initializer);
              }
              switch (blockScopeKind) {
                case 6:
                  return grammarErrorOnNode(node, Diagnostics._0_declarations_must_be_initialized, "await using");
                case 4:
                  return grammarErrorOnNode(node, Diagnostics._0_declarations_must_be_initialized, "using");
                case 2:
                  return grammarErrorOnNode(node, Diagnostics._0_declarations_must_be_initialized, "const");
              }
            }
          }
          if (node.exclamationToken && (node.parent.parent.kind !== 243 || !node.type || node.initializer || nodeFlags & 33554432)) {
            const message = node.initializer ? Diagnostics.Declarations_with_initializers_cannot_also_have_definite_assignment_assertions : !node.type ? Diagnostics.Declarations_with_definite_assignment_assertions_must_also_have_type_annotations : Diagnostics.A_definite_assignment_assertion_is_not_permitted_in_this_context;
            return grammarErrorOnNode(node.exclamationToken, message);
          }
          if ((moduleKind < 5 || getSourceFileOfNode(node).impliedNodeFormat === 1) && moduleKind !== 4 && !(node.parent.parent.flags & 33554432) && hasSyntacticModifier(
            node.parent.parent,
            32
            /* Export */
          )) {
            checkESModuleMarker(node.name);
          }
          return !!blockScopeKind && checkGrammarNameInLetOrConstDeclarations(node.name);
        }
        function checkESModuleMarker(name) {
          if (name.kind === 80) {
            if (idText(name) === "__esModule") {
              return grammarErrorOnNodeSkippedOn("noEmit", name, Diagnostics.Identifier_expected_esModule_is_reserved_as_an_exported_marker_when_transforming_ECMAScript_modules);
            }
          } else {
            const elements = name.elements;
            for (const element of elements) {
              if (!isOmittedExpression(element)) {
                return checkESModuleMarker(element.name);
              }
            }
          }
          return false;
        }
        function checkGrammarNameInLetOrConstDeclarations(name) {
          if (name.kind === 80) {
            if (name.escapedText === "let") {
              return grammarErrorOnNode(name, Diagnostics.let_is_not_allowed_to_be_used_as_a_name_in_let_or_const_declarations);
            }
          } else {
            const elements = name.elements;
            for (const element of elements) {
              if (!isOmittedExpression(element)) {
                checkGrammarNameInLetOrConstDeclarations(element.name);
              }
            }
          }
          return false;
        }
        function checkGrammarVariableDeclarationList(declarationList) {
          const declarations = declarationList.declarations;
          if (checkGrammarForDisallowedTrailingComma(declarationList.declarations)) {
            return true;
          }
          if (!declarationList.declarations.length) {
            return grammarErrorAtPos(declarationList, declarations.pos, declarations.end - declarations.pos, Diagnostics.Variable_declaration_list_cannot_be_empty);
          }
          const blockScopeFlags = declarationList.flags & 7;
          if ((blockScopeFlags === 4 || blockScopeFlags === 6) && isForInStatement(declarationList.parent)) {
            return grammarErrorOnNode(
              declarationList,
              blockScopeFlags === 4 ? Diagnostics.The_left_hand_side_of_a_for_in_statement_cannot_be_a_using_declaration : Diagnostics.The_left_hand_side_of_a_for_in_statement_cannot_be_an_await_using_declaration
            );
          }
          if (blockScopeFlags === 6) {
            return checkAwaitGrammar(declarationList);
          }
          return false;
        }
        function allowLetAndConstDeclarations(parent2) {
          switch (parent2.kind) {
            case 245:
            case 246:
            case 247:
            case 254:
            case 248:
            case 249:
            case 250:
              return false;
            case 256:
              return allowLetAndConstDeclarations(parent2.parent);
          }
          return true;
        }
        function checkGrammarForDisallowedBlockScopedVariableStatement(node) {
          if (!allowLetAndConstDeclarations(node.parent)) {
            const blockScopeKind = getCombinedNodeFlagsCached(node.declarationList) & 7;
            if (blockScopeKind) {
              const keyword = blockScopeKind === 1 ? "let" : blockScopeKind === 2 ? "const" : blockScopeKind === 4 ? "using" : blockScopeKind === 6 ? "await using" : Debug.fail("Unknown BlockScope flag");
              return grammarErrorOnNode(node, Diagnostics._0_declarations_can_only_be_declared_inside_a_block, keyword);
            }
          }
        }
        function checkGrammarMetaProperty(node) {
          const escapedText = node.name.escapedText;
          switch (node.keywordToken) {
            case 105:
              if (escapedText !== "target") {
                return grammarErrorOnNode(node.name, Diagnostics._0_is_not_a_valid_meta_property_for_keyword_1_Did_you_mean_2, unescapeLeadingUnderscores(node.name.escapedText), tokenToString(node.keywordToken), "target");
              }
              break;
            case 102:
              if (escapedText !== "meta") {
                return grammarErrorOnNode(node.name, Diagnostics._0_is_not_a_valid_meta_property_for_keyword_1_Did_you_mean_2, unescapeLeadingUnderscores(node.name.escapedText), tokenToString(node.keywordToken), "meta");
              }
              break;
          }
        }
        function hasParseDiagnostics(sourceFile) {
          return sourceFile.parseDiagnostics.length > 0;
        }
        function grammarErrorOnFirstToken(node, message, ...args) {
          const sourceFile = getSourceFileOfNode(node);
          if (!hasParseDiagnostics(sourceFile)) {
            const span = getSpanOfTokenAtPosition(sourceFile, node.pos);
            diagnostics.add(createFileDiagnostic(sourceFile, span.start, span.length, message, ...args));
            return true;
          }
          return false;
        }
        function grammarErrorAtPos(nodeForSourceFile, start, length2, message, ...args) {
          const sourceFile = getSourceFileOfNode(nodeForSourceFile);
          if (!hasParseDiagnostics(sourceFile)) {
            diagnostics.add(createFileDiagnostic(sourceFile, start, length2, message, ...args));
            return true;
          }
          return false;
        }
        function grammarErrorOnNodeSkippedOn(key, node, message, ...args) {
          const sourceFile = getSourceFileOfNode(node);
          if (!hasParseDiagnostics(sourceFile)) {
            errorSkippedOn(key, node, message, ...args);
            return true;
          }
          return false;
        }
        function grammarErrorOnNode(node, message, ...args) {
          const sourceFile = getSourceFileOfNode(node);
          if (!hasParseDiagnostics(sourceFile)) {
            diagnostics.add(createDiagnosticForNode(node, message, ...args));
            return true;
          }
          return false;
        }
        function checkGrammarConstructorTypeParameters(node) {
          const jsdocTypeParameters = isInJSFile(node) ? getJSDocTypeParameterDeclarations(node) : void 0;
          const range = node.typeParameters || jsdocTypeParameters && firstOrUndefined(jsdocTypeParameters);
          if (range) {
            const pos = range.pos === range.end ? range.pos : skipTrivia(getSourceFileOfNode(node).text, range.pos);
            return grammarErrorAtPos(node, pos, range.end - pos, Diagnostics.Type_parameters_cannot_appear_on_a_constructor_declaration);
          }
        }
        function checkGrammarConstructorTypeAnnotation(node) {
          const type = node.type || getEffectiveReturnTypeNode(node);
          if (type) {
            return grammarErrorOnNode(type, Diagnostics.Type_annotation_cannot_appear_on_a_constructor_declaration);
          }
        }
        function checkGrammarProperty(node) {
          if (isComputedPropertyName(node.name) && isBinaryExpression(node.name.expression) && node.name.expression.operatorToken.kind === 103) {
            return grammarErrorOnNode(node.parent.members[0], Diagnostics.A_mapped_type_may_not_declare_properties_or_methods);
          }
          if (isClassLike(node.parent)) {
            if (isStringLiteral2(node.name) && node.name.text === "constructor") {
              return grammarErrorOnNode(node.name, Diagnostics.Classes_may_not_have_a_field_named_constructor);
            }
            if (checkGrammarForInvalidDynamicName(node.name, Diagnostics.A_computed_property_name_in_a_class_property_declaration_must_have_a_simple_literal_type_or_a_unique_symbol_type)) {
              return true;
            }
            if (languageVersion < 2 && isPrivateIdentifier(node.name)) {
              return grammarErrorOnNode(node.name, Diagnostics.Private_identifiers_are_only_available_when_targeting_ECMAScript_2015_and_higher);
            }
            if (languageVersion < 2 && isAutoAccessorPropertyDeclaration(node)) {
              return grammarErrorOnNode(node.name, Diagnostics.Properties_with_the_accessor_modifier_are_only_available_when_targeting_ECMAScript_2015_and_higher);
            }
            if (isAutoAccessorPropertyDeclaration(node) && checkGrammarForInvalidQuestionMark(node.questionToken, Diagnostics.An_accessor_property_cannot_be_declared_optional)) {
              return true;
            }
          } else if (node.parent.kind === 264) {
            if (checkGrammarForInvalidDynamicName(node.name, Diagnostics.A_computed_property_name_in_an_interface_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type)) {
              return true;
            }
            Debug.assertNode(node, isPropertySignature);
            if (node.initializer) {
              return grammarErrorOnNode(node.initializer, Diagnostics.An_interface_property_cannot_have_an_initializer);
            }
          } else if (isTypeLiteralNode(node.parent)) {
            if (checkGrammarForInvalidDynamicName(node.name, Diagnostics.A_computed_property_name_in_a_type_literal_must_refer_to_an_expression_whose_type_is_a_literal_type_or_a_unique_symbol_type)) {
              return true;
            }
            Debug.assertNode(node, isPropertySignature);
            if (node.initializer) {
              return grammarErrorOnNode(node.initializer, Diagnostics.A_type_literal_property_cannot_have_an_initializer);
            }
          }
          if (node.flags & 33554432) {
            checkAmbientInitializer(node);
          }
          if (isPropertyDeclaration(node) && node.exclamationToken && (!isClassLike(node.parent) || !node.type || node.initializer || node.flags & 33554432 || isStatic(node) || hasAbstractModifier(node))) {
            const message = node.initializer ? Diagnostics.Declarations_with_initializers_cannot_also_have_definite_assignment_assertions : !node.type ? Diagnostics.Declarations_with_definite_assignment_assertions_must_also_have_type_annotations : Diagnostics.A_definite_assignment_assertion_is_not_permitted_in_this_context;
            return grammarErrorOnNode(node.exclamationToken, message);
          }
        }
        function checkGrammarTopLevelElementForRequiredDeclareModifier(node) {
          if (node.kind === 264 || node.kind === 265 || node.kind === 272 || node.kind === 271 || node.kind === 278 || node.kind === 277 || node.kind === 270 || hasSyntacticModifier(
            node,
            128 | 32 | 2048
            /* Default */
          )) {
            return false;
          }
          return grammarErrorOnFirstToken(node, Diagnostics.Top_level_declarations_in_d_ts_files_must_start_with_either_a_declare_or_export_modifier);
        }
        function checkGrammarTopLevelElementsForRequiredDeclareModifier(file) {
          for (const decl of file.statements) {
            if (isDeclaration(decl) || decl.kind === 243) {
              if (checkGrammarTopLevelElementForRequiredDeclareModifier(decl)) {
                return true;
              }
            }
          }
          return false;
        }
        function checkGrammarSourceFile(node) {
          return !!(node.flags & 33554432) && checkGrammarTopLevelElementsForRequiredDeclareModifier(node);
        }
        function checkGrammarStatementInAmbientContext(node) {
          if (node.flags & 33554432) {
            const links = getNodeLinks(node);
            if (!links.hasReportedStatementInAmbientContext && (isFunctionLike(node.parent) || isAccessor(node.parent))) {
              return getNodeLinks(node).hasReportedStatementInAmbientContext = grammarErrorOnFirstToken(node, Diagnostics.An_implementation_cannot_be_declared_in_ambient_contexts);
            }
            if (node.parent.kind === 241 || node.parent.kind === 268 || node.parent.kind === 307) {
              const links2 = getNodeLinks(node.parent);
              if (!links2.hasReportedStatementInAmbientContext) {
                return links2.hasReportedStatementInAmbientContext = grammarErrorOnFirstToken(node, Diagnostics.Statements_are_not_allowed_in_ambient_contexts);
              }
            } else {
            }
          }
          return false;
        }
        function checkGrammarNumericLiteral(node) {
          const isFractional = getTextOfNode(node).includes(".");
          const isScientific = node.numericLiteralFlags & 16;
          if (isFractional || isScientific) {
            return;
          }
          const value = +node.text;
          if (value <= 2 ** 53 - 1) {
            return;
          }
          addErrorOrSuggestion(
            /*isError*/
            false,
            createDiagnosticForNode(node, Diagnostics.Numeric_literals_with_absolute_values_equal_to_2_53_or_greater_are_too_large_to_be_represented_accurately_as_integers)
          );
        }
        function checkGrammarBigIntLiteral(node) {
          const literalType2 = isLiteralTypeNode(node.parent) || isPrefixUnaryExpression(node.parent) && isLiteralTypeNode(node.parent.parent);
          if (!literalType2) {
            if (languageVersion < 7) {
              if (grammarErrorOnNode(node, Diagnostics.BigInt_literals_are_not_available_when_targeting_lower_than_ES2020)) {
                return true;
              }
            }
          }
          return false;
        }
        function grammarErrorAfterFirstToken(node, message, ...args) {
          const sourceFile = getSourceFileOfNode(node);
          if (!hasParseDiagnostics(sourceFile)) {
            const span = getSpanOfTokenAtPosition(sourceFile, node.pos);
            diagnostics.add(createFileDiagnostic(
              sourceFile,
              textSpanEnd(span),
              /*length*/
              0,
              message,
              ...args
            ));
            return true;
          }
          return false;
        }
        function getAmbientModules() {
          if (!ambientModulesCache) {
            ambientModulesCache = [];
            globals2.forEach((global2, sym) => {
              if (ambientModuleSymbolRegex.test(sym)) {
                ambientModulesCache.push(global2);
              }
            });
          }
          return ambientModulesCache;
        }
        function checkGrammarImportClause(node) {
          var _a;
          if (node.isTypeOnly && node.name && node.namedBindings) {
            return grammarErrorOnNode(node, Diagnostics.A_type_only_import_can_specify_a_default_import_or_named_bindings_but_not_both);
          }
          if (node.isTypeOnly && ((_a = node.namedBindings) == null ? void 0 : _a.kind) === 275) {
            return checkGrammarNamedImportsOrExports(node.namedBindings);
          }
          return false;
        }
        function checkGrammarNamedImportsOrExports(namedBindings) {
          return !!forEach(namedBindings.elements, (specifier) => {
            if (specifier.isTypeOnly) {
              return grammarErrorOnFirstToken(
                specifier,
                specifier.kind === 276 ? Diagnostics.The_type_modifier_cannot_be_used_on_a_named_import_when_import_type_is_used_on_its_import_statement : Diagnostics.The_type_modifier_cannot_be_used_on_a_named_export_when_export_type_is_used_on_its_export_statement
              );
            }
          });
        }
        function checkGrammarImportCallExpression(node) {
          if (compilerOptions.verbatimModuleSyntax && moduleKind === 1) {
            return grammarErrorOnNode(node, Diagnostics.ESM_syntax_is_not_allowed_in_a_CommonJS_module_when_verbatimModuleSyntax_is_enabled);
          }
          if (moduleKind === 5) {
            return grammarErrorOnNode(node, Diagnostics.Dynamic_imports_are_only_supported_when_the_module_flag_is_set_to_es2020_es2022_esnext_commonjs_amd_system_umd_node16_or_nodenext);
          }
          if (node.typeArguments) {
            return grammarErrorOnNode(node, Diagnostics.This_use_of_import_is_invalid_import_calls_can_be_written_but_they_must_have_parentheses_and_cannot_have_type_arguments);
          }
          const nodeArguments = node.arguments;
          if (moduleKind !== 99 && moduleKind !== 199 && moduleKind !== 100) {
            checkGrammarForDisallowedTrailingComma(nodeArguments);
            if (nodeArguments.length > 1) {
              const importAttributesArgument = nodeArguments[1];
              return grammarErrorOnNode(importAttributesArgument, Diagnostics.Dynamic_imports_only_support_a_second_argument_when_the_module_option_is_set_to_esnext_node16_or_nodenext);
            }
          }
          if (nodeArguments.length === 0 || nodeArguments.length > 2) {
            return grammarErrorOnNode(node, Diagnostics.Dynamic_imports_can_only_accept_a_module_specifier_and_an_optional_set_of_attributes_as_arguments);
          }
          const spreadElement = find(nodeArguments, isSpreadElement);
          if (spreadElement) {
            return grammarErrorOnNode(spreadElement, Diagnostics.Argument_of_dynamic_import_cannot_be_spread_element);
          }
          return false;
        }
        function findMatchingTypeReferenceOrTypeAliasReference(source, unionTarget) {
          const sourceObjectFlags = getObjectFlags(source);
          if (sourceObjectFlags & (4 | 16) && unionTarget.flags & 1048576) {
            return find(unionTarget.types, (target) => {
              if (target.flags & 524288) {
                const overlapObjFlags = sourceObjectFlags & getObjectFlags(target);
                if (overlapObjFlags & 4) {
                  return source.target === target.target;
                }
                if (overlapObjFlags & 16) {
                  return !!source.aliasSymbol && source.aliasSymbol === target.aliasSymbol;
                }
              }
              return false;
            });
          }
        }
        function findBestTypeForObjectLiteral(source, unionTarget) {
          if (getObjectFlags(source) & 128 && someType(unionTarget, isArrayLikeType)) {
            return find(unionTarget.types, (t) => !isArrayLikeType(t));
          }
        }
        function findBestTypeForInvokable(source, unionTarget) {
          let signatureKind = 0;
          const hasSignatures = getSignaturesOfType(source, signatureKind).length > 0 || (signatureKind = 1, getSignaturesOfType(source, signatureKind).length > 0);
          if (hasSignatures) {
            return find(unionTarget.types, (t) => getSignaturesOfType(t, signatureKind).length > 0);
          }
        }
        function findMostOverlappyType(source, unionTarget) {
          let bestMatch;
          if (!(source.flags & (402784252 | 406847488))) {
            let matchingCount = 0;
            for (const target of unionTarget.types) {
              if (!(target.flags & (402784252 | 406847488))) {
                const overlap = getIntersectionType([getIndexType(source), getIndexType(target)]);
                if (overlap.flags & 4194304) {
                  return target;
                } else if (isUnitType(overlap) || overlap.flags & 1048576) {
                  const len = overlap.flags & 1048576 ? countWhere(overlap.types, isUnitType) : 1;
                  if (len >= matchingCount) {
                    bestMatch = target;
                    matchingCount = len;
                  }
                }
              }
            }
          }
          return bestMatch;
        }
        function filterPrimitivesIfContainsNonPrimitive(type) {
          if (maybeTypeOfKind(
            type,
            67108864
            /* NonPrimitive */
          )) {
            const result = filterType(type, (t) => !(t.flags & 402784252));
            if (!(result.flags & 131072)) {
              return result;
            }
          }
          return type;
        }
        function findMatchingDiscriminantType(source, target, isRelatedTo) {
          if (target.flags & 1048576 && source.flags & (2097152 | 524288)) {
            const match = getMatchingUnionConstituentForType(target, source);
            if (match) {
              return match;
            }
            const sourceProperties = getPropertiesOfType(source);
            if (sourceProperties) {
              const sourcePropertiesFiltered = findDiscriminantProperties(sourceProperties, target);
              if (sourcePropertiesFiltered) {
                const discriminated = discriminateTypeByDiscriminableItems(target, map(sourcePropertiesFiltered, (p) => [() => getTypeOfSymbol(p), p.escapedName]), isRelatedTo);
                if (discriminated !== target) {
                  return discriminated;
                }
              }
            }
          }
          return void 0;
        }
        function getEffectivePropertyNameForPropertyNameNode(node) {
          const name = getPropertyNameForPropertyNameNode(node);
          return name ? name : isComputedPropertyName(node) ? tryGetNameFromType(getTypeOfExpression(node.expression)) : void 0;
        }
        function getCombinedModifierFlagsCached(node) {
          if (lastGetCombinedModifierFlagsNode === node) {
            return lastGetCombinedModifierFlagsResult;
          }
          lastGetCombinedModifierFlagsNode = node;
          lastGetCombinedModifierFlagsResult = getCombinedModifierFlags(node);
          return lastGetCombinedModifierFlagsResult;
        }
        function getCombinedNodeFlagsCached(node) {
          if (lastGetCombinedNodeFlagsNode === node) {
            return lastGetCombinedNodeFlagsResult;
          }
          lastGetCombinedNodeFlagsNode = node;
          lastGetCombinedNodeFlagsResult = getCombinedNodeFlags(node);
          return lastGetCombinedNodeFlagsResult;
        }
        function isVarConstLike2(node) {
          const blockScopeKind = getCombinedNodeFlagsCached(node) & 7;
          return blockScopeKind === 2 || blockScopeKind === 4 || blockScopeKind === 6;
        }
        function getJSXRuntimeImportSpecifier(file, specifierText) {
          const jsxImportIndex = compilerOptions.importHelpers ? 1 : 0;
          const specifier = file == null ? void 0 : file.imports[jsxImportIndex];
          if (specifier) {
            Debug.assert(nodeIsSynthesized(specifier) && specifier.text === specifierText, `Expected sourceFile.imports[${jsxImportIndex}] to be the synthesized JSX runtime import`);
          }
          return specifier;
        }
        function getImportHelpersImportSpecifier(file) {
          Debug.assert(compilerOptions.importHelpers, "Expected importHelpers to be enabled");
          const specifier = file.imports[0];
          Debug.assert(specifier && nodeIsSynthesized(specifier) && specifier.text === "tslib", `Expected sourceFile.imports[0] to be the synthesized tslib import`);
          return specifier;
        }
      }
      function isNotAccessor(declaration) {
        return !isAccessor(declaration);
      }
      function isNotOverload(declaration) {
        return declaration.kind !== 262 && declaration.kind !== 174 || !!declaration.body;
      }
      function isDeclarationNameOrImportPropertyName(name) {
        switch (name.parent.kind) {
          case 276:
          case 281:
            return isIdentifier(name);
          default:
            return isDeclarationName(name);
        }
      }
      var JsxNames;
      ((JsxNames2) => {
        JsxNames2.JSX = "JSX";
        JsxNames2.IntrinsicElements = "IntrinsicElements";
        JsxNames2.ElementClass = "ElementClass";
        JsxNames2.ElementAttributesPropertyNameContainer = "ElementAttributesProperty";
        JsxNames2.ElementChildrenAttributeNameContainer = "ElementChildrenAttribute";
        JsxNames2.Element = "Element";
        JsxNames2.ElementType = "ElementType";
        JsxNames2.IntrinsicAttributes = "IntrinsicAttributes";
        JsxNames2.IntrinsicClassAttributes = "IntrinsicClassAttributes";
        JsxNames2.LibraryManagedAttributes = "LibraryManagedAttributes";
      })(JsxNames || (JsxNames = {}));
      function getIterationTypesKeyFromIterationTypeKind(typeKind) {
        switch (typeKind) {
          case 0:
            return "yieldType";
          case 1:
            return "returnType";
          case 2:
            return "nextType";
        }
      }
      function signatureHasRestParameter(s) {
        return !!(s.flags & 1);
      }
      function signatureHasLiteralTypes(s) {
        return !!(s.flags & 2);
      }
      function createBasicNodeBuilderModuleSpecifierResolutionHost(host) {
        return {
          getCommonSourceDirectory: !!host.getCommonSourceDirectory ? () => host.getCommonSourceDirectory() : () => "",
          getCurrentDirectory: () => host.getCurrentDirectory(),
          getSymlinkCache: maybeBind(host, host.getSymlinkCache),
          getPackageJsonInfoCache: () => {
            var _a;
            return (_a = host.getPackageJsonInfoCache) == null ? void 0 : _a.call(host);
          },
          useCaseSensitiveFileNames: maybeBind(host, host.useCaseSensitiveFileNames),
          redirectTargetsMap: host.redirectTargetsMap,
          getProjectReferenceRedirect: (fileName) => host.getProjectReferenceRedirect(fileName),
          isSourceOfProjectReferenceRedirect: (fileName) => host.isSourceOfProjectReferenceRedirect(fileName),
          fileExists: (fileName) => host.fileExists(fileName),
          getFileIncludeReasons: () => host.getFileIncludeReasons(),
          readFile: host.readFile ? (fileName) => host.readFile(fileName) : void 0
        };
      }
      var SymbolTrackerImpl = class _SymbolTrackerImpl {
        constructor(context, tracker2, moduleResolverHost) {
          this.moduleResolverHost = void 0;
          this.inner = void 0;
          this.disableTrackSymbol = false;
          var _a;
          while (tracker2 instanceof _SymbolTrackerImpl) {
            tracker2 = tracker2.inner;
          }
          this.inner = tracker2;
          this.moduleResolverHost = moduleResolverHost;
          this.context = context;
          this.canTrackSymbol = !!((_a = this.inner) == null ? void 0 : _a.trackSymbol);
        }
        trackSymbol(symbol, enclosingDeclaration, meaning) {
          var _a, _b;
          if (((_a = this.inner) == null ? void 0 : _a.trackSymbol) && !this.disableTrackSymbol) {
            if (this.inner.trackSymbol(symbol, enclosingDeclaration, meaning)) {
              this.onDiagnosticReported();
              return true;
            }
            if (!(symbol.flags & 262144)) ((_b = this.context).trackedSymbols ?? (_b.trackedSymbols = [])).push([symbol, enclosingDeclaration, meaning]);
          }
          return false;
        }
        reportInaccessibleThisError() {
          var _a;
          if ((_a = this.inner) == null ? void 0 : _a.reportInaccessibleThisError) {
            this.onDiagnosticReported();
            this.inner.reportInaccessibleThisError();
          }
        }
        reportPrivateInBaseOfClassExpression(propertyName) {
          var _a;
          if ((_a = this.inner) == null ? void 0 : _a.reportPrivateInBaseOfClassExpression) {
            this.onDiagnosticReported();
            this.inner.reportPrivateInBaseOfClassExpression(propertyName);
          }
        }
        reportInaccessibleUniqueSymbolError() {
          var _a;
          if ((_a = this.inner) == null ? void 0 : _a.reportInaccessibleUniqueSymbolError) {
            this.onDiagnosticReported();
            this.inner.reportInaccessibleUniqueSymbolError();
          }
        }
        reportCyclicStructureError() {
          var _a;
          if ((_a = this.inner) == null ? void 0 : _a.reportCyclicStructureError) {
            this.onDiagnosticReported();
            this.inner.reportCyclicStructureError();
          }
        }
        reportLikelyUnsafeImportRequiredError(specifier) {
          var _a;
          if ((_a = this.inner) == null ? void 0 : _a.reportLikelyUnsafeImportRequiredError) {
            this.onDiagnosticReported();
            this.inner.reportLikelyUnsafeImportRequiredError(specifier);
          }
        }
        reportTruncationError() {
          var _a;
          if ((_a = this.inner) == null ? void 0 : _a.reportTruncationError) {
            this.onDiagnosticReported();
            this.inner.reportTruncationError();
          }
        }
        reportNonlocalAugmentation(containingFile, parentSymbol, augmentingSymbol) {
          var _a;
          if ((_a = this.inner) == null ? void 0 : _a.reportNonlocalAugmentation) {
            this.onDiagnosticReported();
            this.inner.reportNonlocalAugmentation(containingFile, parentSymbol, augmentingSymbol);
          }
        }
        reportNonSerializableProperty(propertyName) {
          var _a;
          if ((_a = this.inner) == null ? void 0 : _a.reportNonSerializableProperty) {
            this.onDiagnosticReported();
            this.inner.reportNonSerializableProperty(propertyName);
          }
        }
        onDiagnosticReported() {
          this.context.reportedDiagnostic = true;
        }
        reportInferenceFallback(node) {
          var _a;
          if ((_a = this.inner) == null ? void 0 : _a.reportInferenceFallback) {
            this.inner.reportInferenceFallback(node);
          }
        }
      };
      function visitNode(node, visitor2, test, lift) {
        if (node === void 0) {
          return node;
        }
        const visited = visitor2(node);
        let visitedNode;
        if (visited === void 0) {
          return void 0;
        } else if (isArray3(visited)) {
          visitedNode = (lift || extractSingleNode)(visited);
        } else {
          visitedNode = visited;
        }
        Debug.assertNode(visitedNode, test);
        return visitedNode;
      }
      function visitNodes2(nodes, visitor2, test, start, count) {
        if (nodes === void 0) {
          return nodes;
        }
        const length2 = nodes.length;
        if (start === void 0 || start < 0) {
          start = 0;
        }
        if (count === void 0 || count > length2 - start) {
          count = length2 - start;
        }
        let hasTrailingComma;
        let pos = -1;
        let end = -1;
        if (start > 0 || count < length2) {
          hasTrailingComma = nodes.hasTrailingComma && start + count === length2;
        } else {
          pos = nodes.pos;
          end = nodes.end;
          hasTrailingComma = nodes.hasTrailingComma;
        }
        const updated = visitArrayWorker(nodes, visitor2, test, start, count);
        if (updated !== nodes) {
          const updatedArray = factory.createNodeArray(updated, hasTrailingComma);
          setTextRangePosEnd(updatedArray, pos, end);
          return updatedArray;
        }
        return nodes;
      }
      function visitArray(nodes, visitor2, test, start, count) {
        if (nodes === void 0) {
          return nodes;
        }
        const length2 = nodes.length;
        if (start === void 0 || start < 0) {
          start = 0;
        }
        if (count === void 0 || count > length2 - start) {
          count = length2 - start;
        }
        return visitArrayWorker(nodes, visitor2, test, start, count);
      }
      function visitArrayWorker(nodes, visitor2, test, start, count) {
        let updated;
        const length2 = nodes.length;
        if (start > 0 || count < length2) {
          updated = [];
        }
        for (let i = 0; i < count; i++) {
          const node = nodes[i + start];
          const visited = node !== void 0 ? visitor2 ? visitor2(node) : node : void 0;
          if (updated !== void 0 || visited === void 0 || visited !== node) {
            if (updated === void 0) {
              updated = nodes.slice(0, i);
              Debug.assertEachNode(updated, test);
            }
            if (visited) {
              if (isArray3(visited)) {
                for (const visitedNode of visited) {
                  Debug.assertNode(visitedNode, test);
                  updated.push(visitedNode);
                }
              } else {
                Debug.assertNode(visited, test);
                updated.push(visited);
              }
            }
          }
        }
        if (updated) {
          return updated;
        }
        Debug.assertEachNode(nodes, test);
        return nodes;
      }
      function visitLexicalEnvironment(statements, visitor2, context, start, ensureUseStrict, nodesVisitor = visitNodes2) {
        context.startLexicalEnvironment();
        statements = nodesVisitor(statements, visitor2, isStatement, start);
        if (ensureUseStrict) statements = context.factory.ensureUseStrict(statements);
        return factory.mergeLexicalEnvironment(statements, context.endLexicalEnvironment());
      }
      function visitParameterList(nodes, visitor2, context, nodesVisitor = visitNodes2) {
        let updated;
        context.startLexicalEnvironment();
        if (nodes) {
          context.setLexicalEnvironmentFlags(1, true);
          updated = nodesVisitor(nodes, visitor2, isParameter);
          if (context.getLexicalEnvironmentFlags() & 2 && getEmitScriptTarget(context.getCompilerOptions()) >= 2) {
            updated = addDefaultValueAssignmentsIfNeeded(updated, context);
          }
          context.setLexicalEnvironmentFlags(1, false);
        }
        context.suspendLexicalEnvironment();
        return updated;
      }
      function addDefaultValueAssignmentsIfNeeded(parameters, context) {
        let result;
        for (let i = 0; i < parameters.length; i++) {
          const parameter = parameters[i];
          const updated = addDefaultValueAssignmentIfNeeded(parameter, context);
          if (result || updated !== parameter) {
            if (!result) result = parameters.slice(0, i);
            result[i] = updated;
          }
        }
        if (result) {
          return setTextRange(context.factory.createNodeArray(result, parameters.hasTrailingComma), parameters);
        }
        return parameters;
      }
      function addDefaultValueAssignmentIfNeeded(parameter, context) {
        return parameter.dotDotDotToken ? parameter : isBindingPattern(parameter.name) ? addDefaultValueAssignmentForBindingPattern(parameter, context) : parameter.initializer ? addDefaultValueAssignmentForInitializer(parameter, parameter.name, parameter.initializer, context) : parameter;
      }
      function addDefaultValueAssignmentForBindingPattern(parameter, context) {
        const { factory: factory2 } = context;
        context.addInitializationStatement(
          factory2.createVariableStatement(
            /*modifiers*/
            void 0,
            factory2.createVariableDeclarationList([
              factory2.createVariableDeclaration(
                parameter.name,
                /*exclamationToken*/
                void 0,
                parameter.type,
                parameter.initializer ? factory2.createConditionalExpression(
                  factory2.createStrictEquality(
                    factory2.getGeneratedNameForNode(parameter),
                    factory2.createVoidZero()
                  ),
                  /*questionToken*/
                  void 0,
                  parameter.initializer,
                  /*colonToken*/
                  void 0,
                  factory2.getGeneratedNameForNode(parameter)
                ) : factory2.getGeneratedNameForNode(parameter)
              )
            ])
          )
        );
        return factory2.updateParameterDeclaration(
          parameter,
          parameter.modifiers,
          parameter.dotDotDotToken,
          factory2.getGeneratedNameForNode(parameter),
          parameter.questionToken,
          parameter.type,
          /*initializer*/
          void 0
        );
      }
      function addDefaultValueAssignmentForInitializer(parameter, name, initializer, context) {
        const factory2 = context.factory;
        context.addInitializationStatement(
          factory2.createIfStatement(
            factory2.createTypeCheck(factory2.cloneNode(name), "undefined"),
            setEmitFlags(
              setTextRange(
                factory2.createBlock([
                  factory2.createExpressionStatement(
                    setEmitFlags(
                      setTextRange(
                        factory2.createAssignment(
                          setEmitFlags(
                            factory2.cloneNode(name),
                            96
                            /* NoSourceMap */
                          ),
                          setEmitFlags(
                            initializer,
                            96 | getEmitFlags(initializer) | 3072
                            /* NoComments */
                          )
                        ),
                        parameter
                      ),
                      3072
                      /* NoComments */
                    )
                  )
                ]),
                parameter
              ),
              1 | 64 | 768 | 3072
              /* NoComments */
            )
          )
        );
        return factory2.updateParameterDeclaration(
          parameter,
          parameter.modifiers,
          parameter.dotDotDotToken,
          parameter.name,
          parameter.questionToken,
          parameter.type,
          /*initializer*/
          void 0
        );
      }
      function visitFunctionBody(node, visitor2, context, nodeVisitor = visitNode) {
        context.resumeLexicalEnvironment();
        const updated = nodeVisitor(node, visitor2, isConciseBody);
        const declarations = context.endLexicalEnvironment();
        if (some(declarations)) {
          if (!updated) {
            return context.factory.createBlock(declarations);
          }
          const block = context.factory.converters.convertToFunctionBlock(updated);
          const statements = factory.mergeLexicalEnvironment(block.statements, declarations);
          return context.factory.updateBlock(block, statements);
        }
        return updated;
      }
      function visitIterationBody(body, visitor2, context, nodeVisitor = visitNode) {
        context.startBlockScope();
        const updated = nodeVisitor(body, visitor2, isStatement, context.factory.liftToBlock);
        Debug.assert(updated);
        const declarations = context.endBlockScope();
        if (some(declarations)) {
          if (isBlock(updated)) {
            declarations.push(...updated.statements);
            return context.factory.updateBlock(updated, declarations);
          }
          declarations.push(updated);
          return context.factory.createBlock(declarations);
        }
        return updated;
      }
      function visitCommaListElements(elements, visitor2, discardVisitor = visitor2) {
        if (discardVisitor === visitor2 || elements.length <= 1) {
          return visitNodes2(elements, visitor2, isExpression);
        }
        let i = 0;
        const length2 = elements.length;
        return visitNodes2(elements, (node) => {
          const discarded = i < length2 - 1;
          i++;
          return discarded ? discardVisitor(node) : visitor2(node);
        }, isExpression);
      }
      function visitEachChild(node, visitor2, context = nullTransformationContext, nodesVisitor = visitNodes2, tokenVisitor, nodeVisitor = visitNode) {
        if (node === void 0) {
          return void 0;
        }
        const fn = visitEachChildTable[node.kind];
        return fn === void 0 ? node : fn(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor);
      }
      var visitEachChildTable = {
        [
          166
          /* QualifiedName */
        ]: function visitEachChildOfQualifiedName(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateQualifiedName(
            node,
            Debug.checkDefined(nodeVisitor(node.left, visitor2, isEntityName)),
            Debug.checkDefined(nodeVisitor(node.right, visitor2, isIdentifier))
          );
        },
        [
          167
          /* ComputedPropertyName */
        ]: function visitEachChildOfComputedPropertyName(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateComputedPropertyName(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        // Signature elements
        [
          168
          /* TypeParameter */
        ]: function visitEachChildOfTypeParameterDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateTypeParameterDeclaration(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifier),
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)),
            nodeVisitor(node.constraint, visitor2, isTypeNode),
            nodeVisitor(node.default, visitor2, isTypeNode)
          );
        },
        [
          169
          /* Parameter */
        ]: function visitEachChildOfParameterDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) {
          return context.factory.updateParameterDeclaration(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            tokenVisitor ? nodeVisitor(node.dotDotDotToken, tokenVisitor, isDotDotDotToken) : node.dotDotDotToken,
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isBindingName)),
            tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken) : node.questionToken,
            nodeVisitor(node.type, visitor2, isTypeNode),
            nodeVisitor(node.initializer, visitor2, isExpression)
          );
        },
        [
          170
          /* Decorator */
        ]: function visitEachChildOfDecorator(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateDecorator(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        // Type elements
        [
          171
          /* PropertySignature */
        ]: function visitEachChildOfPropertySignature(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) {
          return context.factory.updatePropertySignature(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifier),
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isPropertyName)),
            tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken) : node.questionToken,
            nodeVisitor(node.type, visitor2, isTypeNode)
          );
        },
        [
          172
          /* PropertyDeclaration */
        ]: function visitEachChildOfPropertyDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) {
          return context.factory.updatePropertyDeclaration(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isPropertyName)),
            // QuestionToken and ExclamationToken are mutually exclusive in PropertyDeclaration
            tokenVisitor ? nodeVisitor(node.questionToken ?? node.exclamationToken, tokenVisitor, isQuestionOrExclamationToken) : node.questionToken ?? node.exclamationToken,
            nodeVisitor(node.type, visitor2, isTypeNode),
            nodeVisitor(node.initializer, visitor2, isExpression)
          );
        },
        [
          173
          /* MethodSignature */
        ]: function visitEachChildOfMethodSignature(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) {
          return context.factory.updateMethodSignature(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifier),
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isPropertyName)),
            tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken) : node.questionToken,
            nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration),
            nodesVisitor(node.parameters, visitor2, isParameter),
            nodeVisitor(node.type, visitor2, isTypeNode)
          );
        },
        [
          174
          /* MethodDeclaration */
        ]: function visitEachChildOfMethodDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) {
          return context.factory.updateMethodDeclaration(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            tokenVisitor ? nodeVisitor(node.asteriskToken, tokenVisitor, isAsteriskToken) : node.asteriskToken,
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isPropertyName)),
            tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken) : node.questionToken,
            nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration),
            visitParameterList(node.parameters, visitor2, context, nodesVisitor),
            nodeVisitor(node.type, visitor2, isTypeNode),
            visitFunctionBody(node.body, visitor2, context, nodeVisitor)
          );
        },
        [
          176
          /* Constructor */
        ]: function visitEachChildOfConstructorDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateConstructorDeclaration(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            visitParameterList(node.parameters, visitor2, context, nodesVisitor),
            visitFunctionBody(node.body, visitor2, context, nodeVisitor)
          );
        },
        [
          177
          /* GetAccessor */
        ]: function visitEachChildOfGetAccessorDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateGetAccessorDeclaration(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isPropertyName)),
            visitParameterList(node.parameters, visitor2, context, nodesVisitor),
            nodeVisitor(node.type, visitor2, isTypeNode),
            visitFunctionBody(node.body, visitor2, context, nodeVisitor)
          );
        },
        [
          178
          /* SetAccessor */
        ]: function visitEachChildOfSetAccessorDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateSetAccessorDeclaration(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isPropertyName)),
            visitParameterList(node.parameters, visitor2, context, nodesVisitor),
            visitFunctionBody(node.body, visitor2, context, nodeVisitor)
          );
        },
        [
          175
          /* ClassStaticBlockDeclaration */
        ]: function visitEachChildOfClassStaticBlockDeclaration(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          context.startLexicalEnvironment();
          context.suspendLexicalEnvironment();
          return context.factory.updateClassStaticBlockDeclaration(
            node,
            visitFunctionBody(node.body, visitor2, context, nodeVisitor)
          );
        },
        [
          179
          /* CallSignature */
        ]: function visitEachChildOfCallSignatureDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateCallSignature(
            node,
            nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration),
            nodesVisitor(node.parameters, visitor2, isParameter),
            nodeVisitor(node.type, visitor2, isTypeNode)
          );
        },
        [
          180
          /* ConstructSignature */
        ]: function visitEachChildOfConstructSignatureDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateConstructSignature(
            node,
            nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration),
            nodesVisitor(node.parameters, visitor2, isParameter),
            nodeVisitor(node.type, visitor2, isTypeNode)
          );
        },
        [
          181
          /* IndexSignature */
        ]: function visitEachChildOfIndexSignatureDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateIndexSignature(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            nodesVisitor(node.parameters, visitor2, isParameter),
            Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode))
          );
        },
        // Types
        [
          182
          /* TypePredicate */
        ]: function visitEachChildOfTypePredicateNode(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateTypePredicateNode(
            node,
            nodeVisitor(node.assertsModifier, visitor2, isAssertsKeyword),
            Debug.checkDefined(nodeVisitor(node.parameterName, visitor2, isIdentifierOrThisTypeNode)),
            nodeVisitor(node.type, visitor2, isTypeNode)
          );
        },
        [
          183
          /* TypeReference */
        ]: function visitEachChildOfTypeReferenceNode(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateTypeReferenceNode(
            node,
            Debug.checkDefined(nodeVisitor(node.typeName, visitor2, isEntityName)),
            nodesVisitor(node.typeArguments, visitor2, isTypeNode)
          );
        },
        [
          184
          /* FunctionType */
        ]: function visitEachChildOfFunctionTypeNode(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateFunctionTypeNode(
            node,
            nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration),
            nodesVisitor(node.parameters, visitor2, isParameter),
            Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode))
          );
        },
        [
          185
          /* ConstructorType */
        ]: function visitEachChildOfConstructorTypeNode(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateConstructorTypeNode(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifier),
            nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration),
            nodesVisitor(node.parameters, visitor2, isParameter),
            Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode))
          );
        },
        [
          186
          /* TypeQuery */
        ]: function visitEachChildOfTypeQueryNode(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateTypeQueryNode(
            node,
            Debug.checkDefined(nodeVisitor(node.exprName, visitor2, isEntityName)),
            nodesVisitor(node.typeArguments, visitor2, isTypeNode)
          );
        },
        [
          187
          /* TypeLiteral */
        ]: function visitEachChildOfTypeLiteralNode(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateTypeLiteralNode(
            node,
            nodesVisitor(node.members, visitor2, isTypeElement)
          );
        },
        [
          188
          /* ArrayType */
        ]: function visitEachChildOfArrayTypeNode(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateArrayTypeNode(
            node,
            Debug.checkDefined(nodeVisitor(node.elementType, visitor2, isTypeNode))
          );
        },
        [
          189
          /* TupleType */
        ]: function visitEachChildOfTupleTypeNode(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateTupleTypeNode(
            node,
            nodesVisitor(node.elements, visitor2, isTypeNode)
          );
        },
        [
          190
          /* OptionalType */
        ]: function visitEachChildOfOptionalTypeNode(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateOptionalTypeNode(
            node,
            Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode))
          );
        },
        [
          191
          /* RestType */
        ]: function visitEachChildOfRestTypeNode(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateRestTypeNode(
            node,
            Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode))
          );
        },
        [
          192
          /* UnionType */
        ]: function visitEachChildOfUnionTypeNode(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateUnionTypeNode(
            node,
            nodesVisitor(node.types, visitor2, isTypeNode)
          );
        },
        [
          193
          /* IntersectionType */
        ]: function visitEachChildOfIntersectionTypeNode(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateIntersectionTypeNode(
            node,
            nodesVisitor(node.types, visitor2, isTypeNode)
          );
        },
        [
          194
          /* ConditionalType */
        ]: function visitEachChildOfConditionalTypeNode(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateConditionalTypeNode(
            node,
            Debug.checkDefined(nodeVisitor(node.checkType, visitor2, isTypeNode)),
            Debug.checkDefined(nodeVisitor(node.extendsType, visitor2, isTypeNode)),
            Debug.checkDefined(nodeVisitor(node.trueType, visitor2, isTypeNode)),
            Debug.checkDefined(nodeVisitor(node.falseType, visitor2, isTypeNode))
          );
        },
        [
          195
          /* InferType */
        ]: function visitEachChildOfInferTypeNode(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateInferTypeNode(
            node,
            Debug.checkDefined(nodeVisitor(node.typeParameter, visitor2, isTypeParameterDeclaration))
          );
        },
        [
          205
          /* ImportType */
        ]: function visitEachChildOfImportTypeNode(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateImportTypeNode(
            node,
            Debug.checkDefined(nodeVisitor(node.argument, visitor2, isTypeNode)),
            nodeVisitor(node.attributes, visitor2, isImportAttributes),
            nodeVisitor(node.qualifier, visitor2, isEntityName),
            nodesVisitor(node.typeArguments, visitor2, isTypeNode),
            node.isTypeOf
          );
        },
        [
          302
          /* ImportTypeAssertionContainer */
        ]: function visitEachChildOfImportTypeAssertionContainer(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateImportTypeAssertionContainer(
            node,
            Debug.checkDefined(nodeVisitor(node.assertClause, visitor2, isAssertClause)),
            node.multiLine
          );
        },
        [
          202
          /* NamedTupleMember */
        ]: function visitEachChildOfNamedTupleMember(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) {
          return context.factory.updateNamedTupleMember(
            node,
            tokenVisitor ? nodeVisitor(node.dotDotDotToken, tokenVisitor, isDotDotDotToken) : node.dotDotDotToken,
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)),
            tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken) : node.questionToken,
            Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode))
          );
        },
        [
          196
          /* ParenthesizedType */
        ]: function visitEachChildOfParenthesizedType(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateParenthesizedType(
            node,
            Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode))
          );
        },
        [
          198
          /* TypeOperator */
        ]: function visitEachChildOfTypeOperatorNode(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateTypeOperatorNode(
            node,
            Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode))
          );
        },
        [
          199
          /* IndexedAccessType */
        ]: function visitEachChildOfIndexedAccessType(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateIndexedAccessTypeNode(
            node,
            Debug.checkDefined(nodeVisitor(node.objectType, visitor2, isTypeNode)),
            Debug.checkDefined(nodeVisitor(node.indexType, visitor2, isTypeNode))
          );
        },
        [
          200
          /* MappedType */
        ]: function visitEachChildOfMappedType(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) {
          return context.factory.updateMappedTypeNode(
            node,
            tokenVisitor ? nodeVisitor(node.readonlyToken, tokenVisitor, isReadonlyKeywordOrPlusOrMinusToken) : node.readonlyToken,
            Debug.checkDefined(nodeVisitor(node.typeParameter, visitor2, isTypeParameterDeclaration)),
            nodeVisitor(node.nameType, visitor2, isTypeNode),
            tokenVisitor ? nodeVisitor(node.questionToken, tokenVisitor, isQuestionOrPlusOrMinusToken) : node.questionToken,
            nodeVisitor(node.type, visitor2, isTypeNode),
            nodesVisitor(node.members, visitor2, isTypeElement)
          );
        },
        [
          201
          /* LiteralType */
        ]: function visitEachChildOfLiteralTypeNode(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateLiteralTypeNode(
            node,
            Debug.checkDefined(nodeVisitor(node.literal, visitor2, isLiteralTypeLiteral))
          );
        },
        [
          203
          /* TemplateLiteralType */
        ]: function visitEachChildOfTemplateLiteralType(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateTemplateLiteralType(
            node,
            Debug.checkDefined(nodeVisitor(node.head, visitor2, isTemplateHead)),
            nodesVisitor(node.templateSpans, visitor2, isTemplateLiteralTypeSpan)
          );
        },
        [
          204
          /* TemplateLiteralTypeSpan */
        ]: function visitEachChildOfTemplateLiteralTypeSpan(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateTemplateLiteralTypeSpan(
            node,
            Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode)),
            Debug.checkDefined(nodeVisitor(node.literal, visitor2, isTemplateMiddleOrTemplateTail))
          );
        },
        // Binding patterns
        [
          206
          /* ObjectBindingPattern */
        ]: function visitEachChildOfObjectBindingPattern(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateObjectBindingPattern(
            node,
            nodesVisitor(node.elements, visitor2, isBindingElement)
          );
        },
        [
          207
          /* ArrayBindingPattern */
        ]: function visitEachChildOfArrayBindingPattern(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateArrayBindingPattern(
            node,
            nodesVisitor(node.elements, visitor2, isArrayBindingElement)
          );
        },
        [
          208
          /* BindingElement */
        ]: function visitEachChildOfBindingElement(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) {
          return context.factory.updateBindingElement(
            node,
            tokenVisitor ? nodeVisitor(node.dotDotDotToken, tokenVisitor, isDotDotDotToken) : node.dotDotDotToken,
            nodeVisitor(node.propertyName, visitor2, isPropertyName),
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isBindingName)),
            nodeVisitor(node.initializer, visitor2, isExpression)
          );
        },
        // Expression
        [
          209
          /* ArrayLiteralExpression */
        ]: function visitEachChildOfArrayLiteralExpression(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateArrayLiteralExpression(
            node,
            nodesVisitor(node.elements, visitor2, isExpression)
          );
        },
        [
          210
          /* ObjectLiteralExpression */
        ]: function visitEachChildOfObjectLiteralExpression(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateObjectLiteralExpression(
            node,
            nodesVisitor(node.properties, visitor2, isObjectLiteralElementLike)
          );
        },
        [
          211
          /* PropertyAccessExpression */
        ]: function visitEachChildOfPropertyAccessExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) {
          return isPropertyAccessChain(node) ? context.factory.updatePropertyAccessChain(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            tokenVisitor ? nodeVisitor(node.questionDotToken, tokenVisitor, isQuestionDotToken) : node.questionDotToken,
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isMemberName))
          ) : context.factory.updatePropertyAccessExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isMemberName))
          );
        },
        [
          212
          /* ElementAccessExpression */
        ]: function visitEachChildOfElementAccessExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) {
          return isElementAccessChain(node) ? context.factory.updateElementAccessChain(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            tokenVisitor ? nodeVisitor(node.questionDotToken, tokenVisitor, isQuestionDotToken) : node.questionDotToken,
            Debug.checkDefined(nodeVisitor(node.argumentExpression, visitor2, isExpression))
          ) : context.factory.updateElementAccessExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            Debug.checkDefined(nodeVisitor(node.argumentExpression, visitor2, isExpression))
          );
        },
        [
          213
          /* CallExpression */
        ]: function visitEachChildOfCallExpression(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) {
          return isCallChain(node) ? context.factory.updateCallChain(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            tokenVisitor ? nodeVisitor(node.questionDotToken, tokenVisitor, isQuestionDotToken) : node.questionDotToken,
            nodesVisitor(node.typeArguments, visitor2, isTypeNode),
            nodesVisitor(node.arguments, visitor2, isExpression)
          ) : context.factory.updateCallExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            nodesVisitor(node.typeArguments, visitor2, isTypeNode),
            nodesVisitor(node.arguments, visitor2, isExpression)
          );
        },
        [
          214
          /* NewExpression */
        ]: function visitEachChildOfNewExpression(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateNewExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            nodesVisitor(node.typeArguments, visitor2, isTypeNode),
            nodesVisitor(node.arguments, visitor2, isExpression)
          );
        },
        [
          215
          /* TaggedTemplateExpression */
        ]: function visitEachChildOfTaggedTemplateExpression(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateTaggedTemplateExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.tag, visitor2, isExpression)),
            nodesVisitor(node.typeArguments, visitor2, isTypeNode),
            Debug.checkDefined(nodeVisitor(node.template, visitor2, isTemplateLiteral))
          );
        },
        [
          216
          /* TypeAssertionExpression */
        ]: function visitEachChildOfTypeAssertionExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateTypeAssertion(
            node,
            Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode)),
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        [
          217
          /* ParenthesizedExpression */
        ]: function visitEachChildOfParenthesizedExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateParenthesizedExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        [
          218
          /* FunctionExpression */
        ]: function visitEachChildOfFunctionExpression(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) {
          return context.factory.updateFunctionExpression(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifier),
            tokenVisitor ? nodeVisitor(node.asteriskToken, tokenVisitor, isAsteriskToken) : node.asteriskToken,
            nodeVisitor(node.name, visitor2, isIdentifier),
            nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration),
            visitParameterList(node.parameters, visitor2, context, nodesVisitor),
            nodeVisitor(node.type, visitor2, isTypeNode),
            visitFunctionBody(node.body, visitor2, context, nodeVisitor)
          );
        },
        [
          219
          /* ArrowFunction */
        ]: function visitEachChildOfArrowFunction(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) {
          return context.factory.updateArrowFunction(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifier),
            nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration),
            visitParameterList(node.parameters, visitor2, context, nodesVisitor),
            nodeVisitor(node.type, visitor2, isTypeNode),
            tokenVisitor ? Debug.checkDefined(nodeVisitor(node.equalsGreaterThanToken, tokenVisitor, isEqualsGreaterThanToken)) : node.equalsGreaterThanToken,
            visitFunctionBody(node.body, visitor2, context, nodeVisitor)
          );
        },
        [
          220
          /* DeleteExpression */
        ]: function visitEachChildOfDeleteExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateDeleteExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        [
          221
          /* TypeOfExpression */
        ]: function visitEachChildOfTypeOfExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateTypeOfExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        [
          222
          /* VoidExpression */
        ]: function visitEachChildOfVoidExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateVoidExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        [
          223
          /* AwaitExpression */
        ]: function visitEachChildOfAwaitExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateAwaitExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        [
          224
          /* PrefixUnaryExpression */
        ]: function visitEachChildOfPrefixUnaryExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updatePrefixUnaryExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.operand, visitor2, isExpression))
          );
        },
        [
          225
          /* PostfixUnaryExpression */
        ]: function visitEachChildOfPostfixUnaryExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updatePostfixUnaryExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.operand, visitor2, isExpression))
          );
        },
        [
          226
          /* BinaryExpression */
        ]: function visitEachChildOfBinaryExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) {
          return context.factory.updateBinaryExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.left, visitor2, isExpression)),
            tokenVisitor ? Debug.checkDefined(nodeVisitor(node.operatorToken, tokenVisitor, isBinaryOperatorToken)) : node.operatorToken,
            Debug.checkDefined(nodeVisitor(node.right, visitor2, isExpression))
          );
        },
        [
          227
          /* ConditionalExpression */
        ]: function visitEachChildOfConditionalExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) {
          return context.factory.updateConditionalExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.condition, visitor2, isExpression)),
            tokenVisitor ? Debug.checkDefined(nodeVisitor(node.questionToken, tokenVisitor, isQuestionToken)) : node.questionToken,
            Debug.checkDefined(nodeVisitor(node.whenTrue, visitor2, isExpression)),
            tokenVisitor ? Debug.checkDefined(nodeVisitor(node.colonToken, tokenVisitor, isColonToken2)) : node.colonToken,
            Debug.checkDefined(nodeVisitor(node.whenFalse, visitor2, isExpression))
          );
        },
        [
          228
          /* TemplateExpression */
        ]: function visitEachChildOfTemplateExpression(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateTemplateExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.head, visitor2, isTemplateHead)),
            nodesVisitor(node.templateSpans, visitor2, isTemplateSpan)
          );
        },
        [
          229
          /* YieldExpression */
        ]: function visitEachChildOfYieldExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) {
          return context.factory.updateYieldExpression(
            node,
            tokenVisitor ? nodeVisitor(node.asteriskToken, tokenVisitor, isAsteriskToken) : node.asteriskToken,
            nodeVisitor(node.expression, visitor2, isExpression)
          );
        },
        [
          230
          /* SpreadElement */
        ]: function visitEachChildOfSpreadElement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateSpreadElement(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        [
          231
          /* ClassExpression */
        ]: function visitEachChildOfClassExpression(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateClassExpression(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            nodeVisitor(node.name, visitor2, isIdentifier),
            nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration),
            nodesVisitor(node.heritageClauses, visitor2, isHeritageClause),
            nodesVisitor(node.members, visitor2, isClassElement)
          );
        },
        [
          233
          /* ExpressionWithTypeArguments */
        ]: function visitEachChildOfExpressionWithTypeArguments(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateExpressionWithTypeArguments(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            nodesVisitor(node.typeArguments, visitor2, isTypeNode)
          );
        },
        [
          234
          /* AsExpression */
        ]: function visitEachChildOfAsExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateAsExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode))
          );
        },
        [
          238
          /* SatisfiesExpression */
        ]: function visitEachChildOfSatisfiesExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateSatisfiesExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode))
          );
        },
        [
          235
          /* NonNullExpression */
        ]: function visitEachChildOfNonNullExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return isOptionalChain(node) ? context.factory.updateNonNullChain(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          ) : context.factory.updateNonNullExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        [
          236
          /* MetaProperty */
        ]: function visitEachChildOfMetaProperty(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateMetaProperty(
            node,
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier))
          );
        },
        // Misc
        [
          239
          /* TemplateSpan */
        ]: function visitEachChildOfTemplateSpan(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateTemplateSpan(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            Debug.checkDefined(nodeVisitor(node.literal, visitor2, isTemplateMiddleOrTemplateTail))
          );
        },
        // Element
        [
          241
          /* Block */
        ]: function visitEachChildOfBlock(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateBlock(
            node,
            nodesVisitor(node.statements, visitor2, isStatement)
          );
        },
        [
          243
          /* VariableStatement */
        ]: function visitEachChildOfVariableStatement(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateVariableStatement(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            Debug.checkDefined(nodeVisitor(node.declarationList, visitor2, isVariableDeclarationList))
          );
        },
        [
          244
          /* ExpressionStatement */
        ]: function visitEachChildOfExpressionStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateExpressionStatement(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        [
          245
          /* IfStatement */
        ]: function visitEachChildOfIfStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateIfStatement(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            Debug.checkDefined(nodeVisitor(node.thenStatement, visitor2, isStatement, context.factory.liftToBlock)),
            nodeVisitor(node.elseStatement, visitor2, isStatement, context.factory.liftToBlock)
          );
        },
        [
          246
          /* DoStatement */
        ]: function visitEachChildOfDoStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateDoStatement(
            node,
            visitIterationBody(node.statement, visitor2, context, nodeVisitor),
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        [
          247
          /* WhileStatement */
        ]: function visitEachChildOfWhileStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateWhileStatement(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            visitIterationBody(node.statement, visitor2, context, nodeVisitor)
          );
        },
        [
          248
          /* ForStatement */
        ]: function visitEachChildOfForStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateForStatement(
            node,
            nodeVisitor(node.initializer, visitor2, isForInitializer),
            nodeVisitor(node.condition, visitor2, isExpression),
            nodeVisitor(node.incrementor, visitor2, isExpression),
            visitIterationBody(node.statement, visitor2, context, nodeVisitor)
          );
        },
        [
          249
          /* ForInStatement */
        ]: function visitEachChildOfForInStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateForInStatement(
            node,
            Debug.checkDefined(nodeVisitor(node.initializer, visitor2, isForInitializer)),
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            visitIterationBody(node.statement, visitor2, context, nodeVisitor)
          );
        },
        [
          250
          /* ForOfStatement */
        ]: function visitEachChildOfForOfStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) {
          return context.factory.updateForOfStatement(
            node,
            tokenVisitor ? nodeVisitor(node.awaitModifier, tokenVisitor, isAwaitKeyword) : node.awaitModifier,
            Debug.checkDefined(nodeVisitor(node.initializer, visitor2, isForInitializer)),
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            visitIterationBody(node.statement, visitor2, context, nodeVisitor)
          );
        },
        [
          251
          /* ContinueStatement */
        ]: function visitEachChildOfContinueStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateContinueStatement(
            node,
            nodeVisitor(node.label, visitor2, isIdentifier)
          );
        },
        [
          252
          /* BreakStatement */
        ]: function visitEachChildOfBreakStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateBreakStatement(
            node,
            nodeVisitor(node.label, visitor2, isIdentifier)
          );
        },
        [
          253
          /* ReturnStatement */
        ]: function visitEachChildOfReturnStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateReturnStatement(
            node,
            nodeVisitor(node.expression, visitor2, isExpression)
          );
        },
        [
          254
          /* WithStatement */
        ]: function visitEachChildOfWithStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateWithStatement(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            Debug.checkDefined(nodeVisitor(node.statement, visitor2, isStatement, context.factory.liftToBlock))
          );
        },
        [
          255
          /* SwitchStatement */
        ]: function visitEachChildOfSwitchStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateSwitchStatement(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            Debug.checkDefined(nodeVisitor(node.caseBlock, visitor2, isCaseBlock))
          );
        },
        [
          256
          /* LabeledStatement */
        ]: function visitEachChildOfLabeledStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateLabeledStatement(
            node,
            Debug.checkDefined(nodeVisitor(node.label, visitor2, isIdentifier)),
            Debug.checkDefined(nodeVisitor(node.statement, visitor2, isStatement, context.factory.liftToBlock))
          );
        },
        [
          257
          /* ThrowStatement */
        ]: function visitEachChildOfThrowStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateThrowStatement(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        [
          258
          /* TryStatement */
        ]: function visitEachChildOfTryStatement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateTryStatement(
            node,
            Debug.checkDefined(nodeVisitor(node.tryBlock, visitor2, isBlock)),
            nodeVisitor(node.catchClause, visitor2, isCatchClause),
            nodeVisitor(node.finallyBlock, visitor2, isBlock)
          );
        },
        [
          260
          /* VariableDeclaration */
        ]: function visitEachChildOfVariableDeclaration(node, visitor2, context, _nodesVisitor, nodeVisitor, tokenVisitor) {
          return context.factory.updateVariableDeclaration(
            node,
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isBindingName)),
            tokenVisitor ? nodeVisitor(node.exclamationToken, tokenVisitor, isExclamationToken) : node.exclamationToken,
            nodeVisitor(node.type, visitor2, isTypeNode),
            nodeVisitor(node.initializer, visitor2, isExpression)
          );
        },
        [
          261
          /* VariableDeclarationList */
        ]: function visitEachChildOfVariableDeclarationList(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateVariableDeclarationList(
            node,
            nodesVisitor(node.declarations, visitor2, isVariableDeclaration)
          );
        },
        [
          262
          /* FunctionDeclaration */
        ]: function visitEachChildOfFunctionDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, tokenVisitor) {
          return context.factory.updateFunctionDeclaration(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifier),
            tokenVisitor ? nodeVisitor(node.asteriskToken, tokenVisitor, isAsteriskToken) : node.asteriskToken,
            nodeVisitor(node.name, visitor2, isIdentifier),
            nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration),
            visitParameterList(node.parameters, visitor2, context, nodesVisitor),
            nodeVisitor(node.type, visitor2, isTypeNode),
            visitFunctionBody(node.body, visitor2, context, nodeVisitor)
          );
        },
        [
          263
          /* ClassDeclaration */
        ]: function visitEachChildOfClassDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateClassDeclaration(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            nodeVisitor(node.name, visitor2, isIdentifier),
            nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration),
            nodesVisitor(node.heritageClauses, visitor2, isHeritageClause),
            nodesVisitor(node.members, visitor2, isClassElement)
          );
        },
        [
          264
          /* InterfaceDeclaration */
        ]: function visitEachChildOfInterfaceDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateInterfaceDeclaration(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)),
            nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration),
            nodesVisitor(node.heritageClauses, visitor2, isHeritageClause),
            nodesVisitor(node.members, visitor2, isTypeElement)
          );
        },
        [
          265
          /* TypeAliasDeclaration */
        ]: function visitEachChildOfTypeAliasDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateTypeAliasDeclaration(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)),
            nodesVisitor(node.typeParameters, visitor2, isTypeParameterDeclaration),
            Debug.checkDefined(nodeVisitor(node.type, visitor2, isTypeNode))
          );
        },
        [
          266
          /* EnumDeclaration */
        ]: function visitEachChildOfEnumDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateEnumDeclaration(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)),
            nodesVisitor(node.members, visitor2, isEnumMember)
          );
        },
        [
          267
          /* ModuleDeclaration */
        ]: function visitEachChildOfModuleDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateModuleDeclaration(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isModuleName)),
            nodeVisitor(node.body, visitor2, isModuleBody)
          );
        },
        [
          268
          /* ModuleBlock */
        ]: function visitEachChildOfModuleBlock(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateModuleBlock(
            node,
            nodesVisitor(node.statements, visitor2, isStatement)
          );
        },
        [
          269
          /* CaseBlock */
        ]: function visitEachChildOfCaseBlock(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateCaseBlock(
            node,
            nodesVisitor(node.clauses, visitor2, isCaseOrDefaultClause)
          );
        },
        [
          270
          /* NamespaceExportDeclaration */
        ]: function visitEachChildOfNamespaceExportDeclaration(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateNamespaceExportDeclaration(
            node,
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier))
          );
        },
        [
          271
          /* ImportEqualsDeclaration */
        ]: function visitEachChildOfImportEqualsDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateImportEqualsDeclaration(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            node.isTypeOnly,
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)),
            Debug.checkDefined(nodeVisitor(node.moduleReference, visitor2, isModuleReference))
          );
        },
        [
          272
          /* ImportDeclaration */
        ]: function visitEachChildOfImportDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateImportDeclaration(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            nodeVisitor(node.importClause, visitor2, isImportClause),
            Debug.checkDefined(nodeVisitor(node.moduleSpecifier, visitor2, isExpression)),
            nodeVisitor(node.attributes, visitor2, isImportAttributes)
          );
        },
        [
          300
          /* ImportAttributes */
        ]: function visitEachChildOfImportAttributes(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateImportAttributes(
            node,
            nodesVisitor(node.elements, visitor2, isImportAttribute),
            node.multiLine
          );
        },
        [
          301
          /* ImportAttribute */
        ]: function visitEachChildOfImportAttribute(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateImportAttribute(
            node,
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isImportAttributeName)),
            Debug.checkDefined(nodeVisitor(node.value, visitor2, isExpression))
          );
        },
        [
          273
          /* ImportClause */
        ]: function visitEachChildOfImportClause(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateImportClause(
            node,
            node.isTypeOnly,
            nodeVisitor(node.name, visitor2, isIdentifier),
            nodeVisitor(node.namedBindings, visitor2, isNamedImportBindings)
          );
        },
        [
          274
          /* NamespaceImport */
        ]: function visitEachChildOfNamespaceImport(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateNamespaceImport(
            node,
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier))
          );
        },
        [
          280
          /* NamespaceExport */
        ]: function visitEachChildOfNamespaceExport(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateNamespaceExport(
            node,
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier))
          );
        },
        [
          275
          /* NamedImports */
        ]: function visitEachChildOfNamedImports(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateNamedImports(
            node,
            nodesVisitor(node.elements, visitor2, isImportSpecifier)
          );
        },
        [
          276
          /* ImportSpecifier */
        ]: function visitEachChildOfImportSpecifier(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateImportSpecifier(
            node,
            node.isTypeOnly,
            nodeVisitor(node.propertyName, visitor2, isIdentifier),
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier))
          );
        },
        [
          277
          /* ExportAssignment */
        ]: function visitEachChildOfExportAssignment(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateExportAssignment(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        [
          278
          /* ExportDeclaration */
        ]: function visitEachChildOfExportDeclaration(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateExportDeclaration(
            node,
            nodesVisitor(node.modifiers, visitor2, isModifierLike),
            node.isTypeOnly,
            nodeVisitor(node.exportClause, visitor2, isNamedExportBindings),
            nodeVisitor(node.moduleSpecifier, visitor2, isExpression),
            nodeVisitor(node.attributes, visitor2, isImportAttributes)
          );
        },
        [
          279
          /* NamedExports */
        ]: function visitEachChildOfNamedExports(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateNamedExports(
            node,
            nodesVisitor(node.elements, visitor2, isExportSpecifier)
          );
        },
        [
          281
          /* ExportSpecifier */
        ]: function visitEachChildOfExportSpecifier(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateExportSpecifier(
            node,
            node.isTypeOnly,
            nodeVisitor(node.propertyName, visitor2, isIdentifier),
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier))
          );
        },
        // Module references
        [
          283
          /* ExternalModuleReference */
        ]: function visitEachChildOfExternalModuleReference(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateExternalModuleReference(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        // JSX
        [
          284
          /* JsxElement */
        ]: function visitEachChildOfJsxElement(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateJsxElement(
            node,
            Debug.checkDefined(nodeVisitor(node.openingElement, visitor2, isJsxOpeningElement)),
            nodesVisitor(node.children, visitor2, isJsxChild),
            Debug.checkDefined(nodeVisitor(node.closingElement, visitor2, isJsxClosingElement))
          );
        },
        [
          285
          /* JsxSelfClosingElement */
        ]: function visitEachChildOfJsxSelfClosingElement(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateJsxSelfClosingElement(
            node,
            Debug.checkDefined(nodeVisitor(node.tagName, visitor2, isJsxTagNameExpression)),
            nodesVisitor(node.typeArguments, visitor2, isTypeNode),
            Debug.checkDefined(nodeVisitor(node.attributes, visitor2, isJsxAttributes))
          );
        },
        [
          286
          /* JsxOpeningElement */
        ]: function visitEachChildOfJsxOpeningElement(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateJsxOpeningElement(
            node,
            Debug.checkDefined(nodeVisitor(node.tagName, visitor2, isJsxTagNameExpression)),
            nodesVisitor(node.typeArguments, visitor2, isTypeNode),
            Debug.checkDefined(nodeVisitor(node.attributes, visitor2, isJsxAttributes))
          );
        },
        [
          287
          /* JsxClosingElement */
        ]: function visitEachChildOfJsxClosingElement(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateJsxClosingElement(
            node,
            Debug.checkDefined(nodeVisitor(node.tagName, visitor2, isJsxTagNameExpression))
          );
        },
        [
          295
          /* JsxNamespacedName */
        ]: function forEachChildInJsxNamespacedName2(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateJsxNamespacedName(
            node,
            Debug.checkDefined(nodeVisitor(node.namespace, visitor2, isIdentifier)),
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier))
          );
        },
        [
          288
          /* JsxFragment */
        ]: function visitEachChildOfJsxFragment(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateJsxFragment(
            node,
            Debug.checkDefined(nodeVisitor(node.openingFragment, visitor2, isJsxOpeningFragment)),
            nodesVisitor(node.children, visitor2, isJsxChild),
            Debug.checkDefined(nodeVisitor(node.closingFragment, visitor2, isJsxClosingFragment))
          );
        },
        [
          291
          /* JsxAttribute */
        ]: function visitEachChildOfJsxAttribute(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateJsxAttribute(
            node,
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isJsxAttributeName)),
            nodeVisitor(node.initializer, visitor2, isStringLiteralOrJsxExpression)
          );
        },
        [
          292
          /* JsxAttributes */
        ]: function visitEachChildOfJsxAttributes(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateJsxAttributes(
            node,
            nodesVisitor(node.properties, visitor2, isJsxAttributeLike)
          );
        },
        [
          293
          /* JsxSpreadAttribute */
        ]: function visitEachChildOfJsxSpreadAttribute(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateJsxSpreadAttribute(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        [
          294
          /* JsxExpression */
        ]: function visitEachChildOfJsxExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateJsxExpression(
            node,
            nodeVisitor(node.expression, visitor2, isExpression)
          );
        },
        // Clauses
        [
          296
          /* CaseClause */
        ]: function visitEachChildOfCaseClause(node, visitor2, context, nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateCaseClause(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression)),
            nodesVisitor(node.statements, visitor2, isStatement)
          );
        },
        [
          297
          /* DefaultClause */
        ]: function visitEachChildOfDefaultClause(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateDefaultClause(
            node,
            nodesVisitor(node.statements, visitor2, isStatement)
          );
        },
        [
          298
          /* HeritageClause */
        ]: function visitEachChildOfHeritageClause(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateHeritageClause(
            node,
            nodesVisitor(node.types, visitor2, isExpressionWithTypeArguments)
          );
        },
        [
          299
          /* CatchClause */
        ]: function visitEachChildOfCatchClause(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateCatchClause(
            node,
            nodeVisitor(node.variableDeclaration, visitor2, isVariableDeclaration),
            Debug.checkDefined(nodeVisitor(node.block, visitor2, isBlock))
          );
        },
        // Property assignments
        [
          303
          /* PropertyAssignment */
        ]: function visitEachChildOfPropertyAssignment(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updatePropertyAssignment(
            node,
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isPropertyName)),
            Debug.checkDefined(nodeVisitor(node.initializer, visitor2, isExpression))
          );
        },
        [
          304
          /* ShorthandPropertyAssignment */
        ]: function visitEachChildOfShorthandPropertyAssignment(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateShorthandPropertyAssignment(
            node,
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isIdentifier)),
            nodeVisitor(node.objectAssignmentInitializer, visitor2, isExpression)
          );
        },
        [
          305
          /* SpreadAssignment */
        ]: function visitEachChildOfSpreadAssignment(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateSpreadAssignment(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        // Enum
        [
          306
          /* EnumMember */
        ]: function visitEachChildOfEnumMember(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updateEnumMember(
            node,
            Debug.checkDefined(nodeVisitor(node.name, visitor2, isPropertyName)),
            nodeVisitor(node.initializer, visitor2, isExpression)
          );
        },
        // Top-level nodes
        [
          307
          /* SourceFile */
        ]: function visitEachChildOfSourceFile(node, visitor2, context, _nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateSourceFile(
            node,
            visitLexicalEnvironment(node.statements, visitor2, context)
          );
        },
        // Transformation nodes
        [
          354
          /* PartiallyEmittedExpression */
        ]: function visitEachChildOfPartiallyEmittedExpression(node, visitor2, context, _nodesVisitor, nodeVisitor, _tokenVisitor) {
          return context.factory.updatePartiallyEmittedExpression(
            node,
            Debug.checkDefined(nodeVisitor(node.expression, visitor2, isExpression))
          );
        },
        [
          355
          /* CommaListExpression */
        ]: function visitEachChildOfCommaListExpression(node, visitor2, context, nodesVisitor, _nodeVisitor, _tokenVisitor) {
          return context.factory.updateCommaListExpression(
            node,
            nodesVisitor(node.elements, visitor2, isExpression)
          );
        }
      };
      function extractSingleNode(nodes) {
        Debug.assert(nodes.length <= 1, "Too many nodes written to output.");
        return singleOrUndefined(nodes);
      }
      function createSourceMapGenerator(host, file, sourceRoot, sourcesDirectoryPath, generatorOptions) {
        var { enter, exit } = generatorOptions.extendedDiagnostics ? createTimer("Source Map", "beforeSourcemap", "afterSourcemap") : nullTimer;
        var rawSources = [];
        var sources = [];
        var sourceToSourceIndexMap = /* @__PURE__ */ new Map();
        var sourcesContent;
        var names = [];
        var nameToNameIndexMap;
        var mappingCharCodes = [];
        var mappings = "";
        var lastGeneratedLine = 0;
        var lastGeneratedCharacter = 0;
        var lastSourceIndex = 0;
        var lastSourceLine = 0;
        var lastSourceCharacter = 0;
        var lastNameIndex = 0;
        var hasLast = false;
        var pendingGeneratedLine = 0;
        var pendingGeneratedCharacter = 0;
        var pendingSourceIndex = 0;
        var pendingSourceLine = 0;
        var pendingSourceCharacter = 0;
        var pendingNameIndex = 0;
        var hasPending = false;
        var hasPendingSource = false;
        var hasPendingName = false;
        return {
          getSources: () => rawSources,
          addSource,
          setSourceContent,
          addName: addName2,
          addMapping,
          appendSourceMap,
          toJSON,
          toString: () => JSON.stringify(toJSON())
        };
        function addSource(fileName) {
          enter();
          const source = getRelativePathToDirectoryOrUrl(
            sourcesDirectoryPath,
            fileName,
            host.getCurrentDirectory(),
            host.getCanonicalFileName,
            /*isAbsolutePathAnUrl*/
            true
          );
          let sourceIndex = sourceToSourceIndexMap.get(source);
          if (sourceIndex === void 0) {
            sourceIndex = sources.length;
            sources.push(source);
            rawSources.push(fileName);
            sourceToSourceIndexMap.set(source, sourceIndex);
          }
          exit();
          return sourceIndex;
        }
        function setSourceContent(sourceIndex, content) {
          enter();
          if (content !== null) {
            if (!sourcesContent) sourcesContent = [];
            while (sourcesContent.length < sourceIndex) {
              sourcesContent.push(null);
            }
            sourcesContent[sourceIndex] = content;
          }
          exit();
        }
        function addName2(name) {
          enter();
          if (!nameToNameIndexMap) nameToNameIndexMap = /* @__PURE__ */ new Map();
          let nameIndex = nameToNameIndexMap.get(name);
          if (nameIndex === void 0) {
            nameIndex = names.length;
            names.push(name);
            nameToNameIndexMap.set(name, nameIndex);
          }
          exit();
          return nameIndex;
        }
        function isNewGeneratedPosition(generatedLine, generatedCharacter) {
          return !hasPending || pendingGeneratedLine !== generatedLine || pendingGeneratedCharacter !== generatedCharacter;
        }
        function isBacktrackingSourcePosition(sourceIndex, sourceLine, sourceCharacter) {
          return sourceIndex !== void 0 && sourceLine !== void 0 && sourceCharacter !== void 0 && pendingSourceIndex === sourceIndex && (pendingSourceLine > sourceLine || pendingSourceLine === sourceLine && pendingSourceCharacter > sourceCharacter);
        }
        function addMapping(generatedLine, generatedCharacter, sourceIndex, sourceLine, sourceCharacter, nameIndex) {
          Debug.assert(generatedLine >= pendingGeneratedLine, "generatedLine cannot backtrack");
          Debug.assert(generatedCharacter >= 0, "generatedCharacter cannot be negative");
          Debug.assert(sourceIndex === void 0 || sourceIndex >= 0, "sourceIndex cannot be negative");
          Debug.assert(sourceLine === void 0 || sourceLine >= 0, "sourceLine cannot be negative");
          Debug.assert(sourceCharacter === void 0 || sourceCharacter >= 0, "sourceCharacter cannot be negative");
          enter();
          if (isNewGeneratedPosition(generatedLine, generatedCharacter) || isBacktrackingSourcePosition(sourceIndex, sourceLine, sourceCharacter)) {
            commitPendingMapping();
            pendingGeneratedLine = generatedLine;
            pendingGeneratedCharacter = generatedCharacter;
            hasPendingSource = false;
            hasPendingName = false;
            hasPending = true;
          }
          if (sourceIndex !== void 0 && sourceLine !== void 0 && sourceCharacter !== void 0) {
            pendingSourceIndex = sourceIndex;
            pendingSourceLine = sourceLine;
            pendingSourceCharacter = sourceCharacter;
            hasPendingSource = true;
            if (nameIndex !== void 0) {
              pendingNameIndex = nameIndex;
              hasPendingName = true;
            }
          }
          exit();
        }
        function appendSourceMap(generatedLine, generatedCharacter, map2, sourceMapPath, start, end) {
          Debug.assert(generatedLine >= pendingGeneratedLine, "generatedLine cannot backtrack");
          Debug.assert(generatedCharacter >= 0, "generatedCharacter cannot be negative");
          enter();
          const sourceIndexToNewSourceIndexMap = [];
          let nameIndexToNewNameIndexMap;
          const mappingIterator = decodeMappings(map2.mappings);
          for (const raw of mappingIterator) {
            if (end && (raw.generatedLine > end.line || raw.generatedLine === end.line && raw.generatedCharacter > end.character)) {
              break;
            }
            if (start && (raw.generatedLine < start.line || start.line === raw.generatedLine && raw.generatedCharacter < start.character)) {
              continue;
            }
            let newSourceIndex;
            let newSourceLine;
            let newSourceCharacter;
            let newNameIndex;
            if (raw.sourceIndex !== void 0) {
              newSourceIndex = sourceIndexToNewSourceIndexMap[raw.sourceIndex];
              if (newSourceIndex === void 0) {
                const rawPath = map2.sources[raw.sourceIndex];
                const relativePath = map2.sourceRoot ? combinePaths(map2.sourceRoot, rawPath) : rawPath;
                const combinedPath = combinePaths(getDirectoryPath(sourceMapPath), relativePath);
                sourceIndexToNewSourceIndexMap[raw.sourceIndex] = newSourceIndex = addSource(combinedPath);
                if (map2.sourcesContent && typeof map2.sourcesContent[raw.sourceIndex] === "string") {
                  setSourceContent(newSourceIndex, map2.sourcesContent[raw.sourceIndex]);
                }
              }
              newSourceLine = raw.sourceLine;
              newSourceCharacter = raw.sourceCharacter;
              if (map2.names && raw.nameIndex !== void 0) {
                if (!nameIndexToNewNameIndexMap) nameIndexToNewNameIndexMap = [];
                newNameIndex = nameIndexToNewNameIndexMap[raw.nameIndex];
                if (newNameIndex === void 0) {
                  nameIndexToNewNameIndexMap[raw.nameIndex] = newNameIndex = addName2(map2.names[raw.nameIndex]);
                }
              }
            }
            const rawGeneratedLine = raw.generatedLine - (start ? start.line : 0);
            const newGeneratedLine = rawGeneratedLine + generatedLine;
            const rawGeneratedCharacter = start && start.line === raw.generatedLine ? raw.generatedCharacter - start.character : raw.generatedCharacter;
            const newGeneratedCharacter = rawGeneratedLine === 0 ? rawGeneratedCharacter + generatedCharacter : rawGeneratedCharacter;
            addMapping(newGeneratedLine, newGeneratedCharacter, newSourceIndex, newSourceLine, newSourceCharacter, newNameIndex);
          }
          exit();
        }
        function shouldCommitMapping() {
          return !hasLast || lastGeneratedLine !== pendingGeneratedLine || lastGeneratedCharacter !== pendingGeneratedCharacter || lastSourceIndex !== pendingSourceIndex || lastSourceLine !== pendingSourceLine || lastSourceCharacter !== pendingSourceCharacter || lastNameIndex !== pendingNameIndex;
        }
        function appendMappingCharCode(charCode) {
          mappingCharCodes.push(charCode);
          if (mappingCharCodes.length >= 1024) {
            flushMappingBuffer();
          }
        }
        function commitPendingMapping() {
          if (!hasPending || !shouldCommitMapping()) {
            return;
          }
          enter();
          if (lastGeneratedLine < pendingGeneratedLine) {
            do {
              appendMappingCharCode(
                59
                /* semicolon */
              );
              lastGeneratedLine++;
            } while (lastGeneratedLine < pendingGeneratedLine);
            lastGeneratedCharacter = 0;
          } else {
            Debug.assertEqual(lastGeneratedLine, pendingGeneratedLine, "generatedLine cannot backtrack");
            if (hasLast) {
              appendMappingCharCode(
                44
                /* comma */
              );
            }
          }
          appendBase64VLQ(pendingGeneratedCharacter - lastGeneratedCharacter);
          lastGeneratedCharacter = pendingGeneratedCharacter;
          if (hasPendingSource) {
            appendBase64VLQ(pendingSourceIndex - lastSourceIndex);
            lastSourceIndex = pendingSourceIndex;
            appendBase64VLQ(pendingSourceLine - lastSourceLine);
            lastSourceLine = pendingSourceLine;
            appendBase64VLQ(pendingSourceCharacter - lastSourceCharacter);
            lastSourceCharacter = pendingSourceCharacter;
            if (hasPendingName) {
              appendBase64VLQ(pendingNameIndex - lastNameIndex);
              lastNameIndex = pendingNameIndex;
            }
          }
          hasLast = true;
          exit();
        }
        function flushMappingBuffer() {
          if (mappingCharCodes.length > 0) {
            mappings += String.fromCharCode.apply(void 0, mappingCharCodes);
            mappingCharCodes.length = 0;
          }
        }
        function toJSON() {
          commitPendingMapping();
          flushMappingBuffer();
          return {
            version: 3,
            file,
            sourceRoot,
            sources,
            names,
            mappings,
            sourcesContent
          };
        }
        function appendBase64VLQ(inValue) {
          if (inValue < 0) {
            inValue = (-inValue << 1) + 1;
          } else {
            inValue = inValue << 1;
          }
          do {
            let currentDigit = inValue & 31;
            inValue = inValue >> 5;
            if (inValue > 0) {
              currentDigit = currentDigit | 32;
            }
            appendMappingCharCode(base64FormatEncode(currentDigit));
          } while (inValue > 0);
        }
      }
      var sourceMapCommentRegExpDontCareLineStart = /\/\/[@#] source[M]appingURL=(.+)\r?\n?$/;
      var sourceMapCommentRegExp = /^\/\/[@#] source[M]appingURL=(.+)\r?\n?$/;
      var whitespaceOrMapCommentRegExp = /^\s*(\/\/[@#] .*)?$/;
      function getLineInfo(text, lineStarts) {
        return {
          getLineCount: () => lineStarts.length,
          getLineText: (line) => text.substring(lineStarts[line], lineStarts[line + 1])
        };
      }
      function tryGetSourceMappingURL(lineInfo) {
        for (let index = lineInfo.getLineCount() - 1; index >= 0; index--) {
          const line = lineInfo.getLineText(index);
          const comment = sourceMapCommentRegExp.exec(line);
          if (comment) {
            return comment[1].trimEnd();
          } else if (!line.match(whitespaceOrMapCommentRegExp)) {
            break;
          }
        }
      }
      function isStringOrNull(x) {
        return typeof x === "string" || x === null;
      }
      function isRawSourceMap(x) {
        return x !== null && typeof x === "object" && x.version === 3 && typeof x.file === "string" && typeof x.mappings === "string" && isArray3(x.sources) && every(x.sources, isString2) && (x.sourceRoot === void 0 || x.sourceRoot === null || typeof x.sourceRoot === "string") && (x.sourcesContent === void 0 || x.sourcesContent === null || isArray3(x.sourcesContent) && every(x.sourcesContent, isStringOrNull)) && (x.names === void 0 || x.names === null || isArray3(x.names) && every(x.names, isString2));
      }
      function tryParseRawSourceMap(text) {
        try {
          const parsed = JSON.parse(text);
          if (isRawSourceMap(parsed)) {
            return parsed;
          }
        } catch {
        }
        return void 0;
      }
      function decodeMappings(mappings) {
        let done = false;
        let pos = 0;
        let generatedLine = 0;
        let generatedCharacter = 0;
        let sourceIndex = 0;
        let sourceLine = 0;
        let sourceCharacter = 0;
        let nameIndex = 0;
        let error2;
        return {
          get pos() {
            return pos;
          },
          get error() {
            return error2;
          },
          get state() {
            return captureMapping(
              /*hasSource*/
              true,
              /*hasName*/
              true
            );
          },
          next() {
            while (!done && pos < mappings.length) {
              const ch = mappings.charCodeAt(pos);
              if (ch === 59) {
                generatedLine++;
                generatedCharacter = 0;
                pos++;
                continue;
              }
              if (ch === 44) {
                pos++;
                continue;
              }
              let hasSource = false;
              let hasName = false;
              generatedCharacter += base64VLQFormatDecode();
              if (hasReportedError()) return stopIterating();
              if (generatedCharacter < 0) return setErrorAndStopIterating("Invalid generatedCharacter found");
              if (!isSourceMappingSegmentEnd()) {
                hasSource = true;
                sourceIndex += base64VLQFormatDecode();
                if (hasReportedError()) return stopIterating();
                if (sourceIndex < 0) return setErrorAndStopIterating("Invalid sourceIndex found");
                if (isSourceMappingSegmentEnd()) return setErrorAndStopIterating("Unsupported Format: No entries after sourceIndex");
                sourceLine += base64VLQFormatDecode();
                if (hasReportedError()) return stopIterating();
                if (sourceLine < 0) return setErrorAndStopIterating("Invalid sourceLine found");
                if (isSourceMappingSegmentEnd()) return setErrorAndStopIterating("Unsupported Format: No entries after sourceLine");
                sourceCharacter += base64VLQFormatDecode();
                if (hasReportedError()) return stopIterating();
                if (sourceCharacter < 0) return setErrorAndStopIterating("Invalid sourceCharacter found");
                if (!isSourceMappingSegmentEnd()) {
                  hasName = true;
                  nameIndex += base64VLQFormatDecode();
                  if (hasReportedError()) return stopIterating();
                  if (nameIndex < 0) return setErrorAndStopIterating("Invalid nameIndex found");
                  if (!isSourceMappingSegmentEnd()) return setErrorAndStopIterating("Unsupported Error Format: Entries after nameIndex");
                }
              }
              return { value: captureMapping(hasSource, hasName), done };
            }
            return stopIterating();
          },
          [Symbol.iterator]() {
            return this;
          }
        };
        function captureMapping(hasSource, hasName) {
          return {
            generatedLine,
            generatedCharacter,
            sourceIndex: hasSource ? sourceIndex : void 0,
            sourceLine: hasSource ? sourceLine : void 0,
            sourceCharacter: hasSource ? sourceCharacter : void 0,
            nameIndex: hasName ? nameIndex : void 0
          };
        }
        function stopIterating() {
          done = true;
          return { value: void 0, done: true };
        }
        function setError(message) {
          if (error2 === void 0) {
            error2 = message;
          }
        }
        function setErrorAndStopIterating(message) {
          setError(message);
          return stopIterating();
        }
        function hasReportedError() {
          return error2 !== void 0;
        }
        function isSourceMappingSegmentEnd() {
          return pos === mappings.length || mappings.charCodeAt(pos) === 44 || mappings.charCodeAt(pos) === 59;
        }
        function base64VLQFormatDecode() {
          let moreDigits = true;
          let shiftCount = 0;
          let value = 0;
          for (; moreDigits; pos++) {
            if (pos >= mappings.length) return setError("Error in decoding base64VLQFormatDecode, past the mapping string"), -1;
            const currentByte = base64FormatDecode(mappings.charCodeAt(pos));
            if (currentByte === -1) return setError("Invalid character in VLQ"), -1;
            moreDigits = (currentByte & 32) !== 0;
            value = value | (currentByte & 31) << shiftCount;
            shiftCount += 5;
          }
          if ((value & 1) === 0) {
            value = value >> 1;
          } else {
            value = value >> 1;
            value = -value;
          }
          return value;
        }
      }
      function sameMapping(left, right) {
        return left === right || left.generatedLine === right.generatedLine && left.generatedCharacter === right.generatedCharacter && left.sourceIndex === right.sourceIndex && left.sourceLine === right.sourceLine && left.sourceCharacter === right.sourceCharacter && left.nameIndex === right.nameIndex;
      }
      function isSourceMapping(mapping) {
        return mapping.sourceIndex !== void 0 && mapping.sourceLine !== void 0 && mapping.sourceCharacter !== void 0;
      }
      function base64FormatEncode(value) {
        return value >= 0 && value < 26 ? 65 + value : value >= 26 && value < 52 ? 97 + value - 26 : value >= 52 && value < 62 ? 48 + value - 52 : value === 62 ? 43 : value === 63 ? 47 : Debug.fail(`${value}: not a base64 value`);
      }
      function base64FormatDecode(ch) {
        return ch >= 65 && ch <= 90 ? ch - 65 : ch >= 97 && ch <= 122 ? ch - 97 + 26 : ch >= 48 && ch <= 57 ? ch - 48 + 52 : ch === 43 ? 62 : ch === 47 ? 63 : -1;
      }
      function isSourceMappedPosition(value) {
        return value.sourceIndex !== void 0 && value.sourcePosition !== void 0;
      }
      function sameMappedPosition(left, right) {
        return left.generatedPosition === right.generatedPosition && left.sourceIndex === right.sourceIndex && left.sourcePosition === right.sourcePosition;
      }
      function compareSourcePositions(left, right) {
        Debug.assert(left.sourceIndex === right.sourceIndex);
        return compareValues(left.sourcePosition, right.sourcePosition);
      }
      function compareGeneratedPositions(left, right) {
        return compareValues(left.generatedPosition, right.generatedPosition);
      }
      function getSourcePositionOfMapping(value) {
        return value.sourcePosition;
      }
      function getGeneratedPositionOfMapping(value) {
        return value.generatedPosition;
      }
      function createDocumentPositionMapper(host, map2, mapPath) {
        const mapDirectory = getDirectoryPath(mapPath);
        const sourceRoot = map2.sourceRoot ? getNormalizedAbsolutePath(map2.sourceRoot, mapDirectory) : mapDirectory;
        const generatedAbsoluteFilePath = getNormalizedAbsolutePath(map2.file, mapDirectory);
        const generatedFile = host.getSourceFileLike(generatedAbsoluteFilePath);
        const sourceFileAbsolutePaths = map2.sources.map((source) => getNormalizedAbsolutePath(source, sourceRoot));
        const sourceToSourceIndexMap = new Map(sourceFileAbsolutePaths.map((source, i) => [host.getCanonicalFileName(source), i]));
        let decodedMappings;
        let generatedMappings;
        let sourceMappings;
        return {
          getSourcePosition,
          getGeneratedPosition
        };
        function processMapping(mapping) {
          const generatedPosition = generatedFile !== void 0 ? getPositionOfLineAndCharacter(
            generatedFile,
            mapping.generatedLine,
            mapping.generatedCharacter,
            /*allowEdits*/
            true
          ) : -1;
          let source;
          let sourcePosition;
          if (isSourceMapping(mapping)) {
            const sourceFile = host.getSourceFileLike(sourceFileAbsolutePaths[mapping.sourceIndex]);
            source = map2.sources[mapping.sourceIndex];
            sourcePosition = sourceFile !== void 0 ? getPositionOfLineAndCharacter(
              sourceFile,
              mapping.sourceLine,
              mapping.sourceCharacter,
              /*allowEdits*/
              true
            ) : -1;
          }
          return {
            generatedPosition,
            source,
            sourceIndex: mapping.sourceIndex,
            sourcePosition,
            nameIndex: mapping.nameIndex
          };
        }
        function getDecodedMappings() {
          if (decodedMappings === void 0) {
            const decoder = decodeMappings(map2.mappings);
            const mappings = arrayFrom(decoder, processMapping);
            if (decoder.error !== void 0) {
              if (host.log) {
                host.log(`Encountered error while decoding sourcemap: ${decoder.error}`);
              }
              decodedMappings = emptyArray;
            } else {
              decodedMappings = mappings;
            }
          }
          return decodedMappings;
        }
        function getSourceMappings(sourceIndex) {
          if (sourceMappings === void 0) {
            const lists = [];
            for (const mapping of getDecodedMappings()) {
              if (!isSourceMappedPosition(mapping)) continue;
              let list = lists[mapping.sourceIndex];
              if (!list) lists[mapping.sourceIndex] = list = [];
              list.push(mapping);
            }
            sourceMappings = lists.map((list) => sortAndDeduplicate(list, compareSourcePositions, sameMappedPosition));
          }
          return sourceMappings[sourceIndex];
        }
        function getGeneratedMappings() {
          if (generatedMappings === void 0) {
            const list = [];
            for (const mapping of getDecodedMappings()) {
              list.push(mapping);
            }
            generatedMappings = sortAndDeduplicate(list, compareGeneratedPositions, sameMappedPosition);
          }
          return generatedMappings;
        }
        function getGeneratedPosition(loc) {
          const sourceIndex = sourceToSourceIndexMap.get(host.getCanonicalFileName(loc.fileName));
          if (sourceIndex === void 0) return loc;
          const sourceMappings2 = getSourceMappings(sourceIndex);
          if (!some(sourceMappings2)) return loc;
          let targetIndex = binarySearchKey(sourceMappings2, loc.pos, getSourcePositionOfMapping, compareValues);
          if (targetIndex < 0) {
            targetIndex = ~targetIndex;
          }
          const mapping = sourceMappings2[targetIndex];
          if (mapping === void 0 || mapping.sourceIndex !== sourceIndex) {
            return loc;
          }
          return { fileName: generatedAbsoluteFilePath, pos: mapping.generatedPosition };
        }
        function getSourcePosition(loc) {
          const generatedMappings2 = getGeneratedMappings();
          if (!some(generatedMappings2)) return loc;
          let targetIndex = binarySearchKey(generatedMappings2, loc.pos, getGeneratedPositionOfMapping, compareValues);
          if (targetIndex < 0) {
            targetIndex = ~targetIndex;
          }
          const mapping = generatedMappings2[targetIndex];
          if (mapping === void 0 || !isSourceMappedPosition(mapping)) {
            return loc;
          }
          return { fileName: sourceFileAbsolutePaths[mapping.sourceIndex], pos: mapping.sourcePosition };
        }
      }
      var identitySourceMapConsumer = {
        getSourcePosition: identity2,
        getGeneratedPosition: identity2
      };
      function getOriginalNodeId(node) {
        node = getOriginalNode(node);
        return node ? getNodeId(node) : 0;
      }
      function containsDefaultReference(node) {
        if (!node) return false;
        if (!isNamedImports(node) && !isNamedExports(node)) return false;
        return some(node.elements, isNamedDefaultReference);
      }
      function isNamedDefaultReference(e) {
        return e.propertyName !== void 0 ? e.propertyName.escapedText === "default" : e.name.escapedText === "default";
      }
      function chainBundle(context, transformSourceFile) {
        return transformSourceFileOrBundle;
        function transformSourceFileOrBundle(node) {
          return node.kind === 307 ? transformSourceFile(node) : transformBundle(node);
        }
        function transformBundle(node) {
          return context.factory.createBundle(map(node.sourceFiles, transformSourceFile));
        }
      }
      function getExportNeedsImportStarHelper(node) {
        return !!getNamespaceDeclarationNode(node);
      }
      function getImportNeedsImportStarHelper(node) {
        if (!!getNamespaceDeclarationNode(node)) {
          return true;
        }
        const bindings = node.importClause && node.importClause.namedBindings;
        if (!bindings) {
          return false;
        }
        if (!isNamedImports(bindings)) return false;
        let defaultRefCount = 0;
        for (const binding of bindings.elements) {
          if (isNamedDefaultReference(binding)) {
            defaultRefCount++;
          }
        }
        return defaultRefCount > 0 && defaultRefCount !== bindings.elements.length || !!(bindings.elements.length - defaultRefCount) && isDefaultImport(node);
      }
      function getImportNeedsImportDefaultHelper(node) {
        return !getImportNeedsImportStarHelper(node) && (isDefaultImport(node) || !!node.importClause && isNamedImports(node.importClause.namedBindings) && containsDefaultReference(node.importClause.namedBindings));
      }
      function collectExternalModuleInfo(context, sourceFile) {
        const resolver = context.getEmitResolver();
        const compilerOptions = context.getCompilerOptions();
        const externalImports = [];
        const exportSpecifiers = new IdentifierNameMultiMap();
        const exportedBindings = [];
        const uniqueExports = /* @__PURE__ */ new Map();
        const exportedFunctions = /* @__PURE__ */ new Set();
        let exportedNames;
        let hasExportDefault = false;
        let exportEquals;
        let hasExportStarsToExportValues = false;
        let hasImportStar = false;
        let hasImportDefault = false;
        for (const node of sourceFile.statements) {
          switch (node.kind) {
            case 272:
              externalImports.push(node);
              if (!hasImportStar && getImportNeedsImportStarHelper(node)) {
                hasImportStar = true;
              }
              if (!hasImportDefault && getImportNeedsImportDefaultHelper(node)) {
                hasImportDefault = true;
              }
              break;
            case 271:
              if (node.moduleReference.kind === 283) {
                externalImports.push(node);
              }
              break;
            case 278:
              if (node.moduleSpecifier) {
                if (!node.exportClause) {
                  externalImports.push(node);
                  hasExportStarsToExportValues = true;
                } else {
                  externalImports.push(node);
                  if (isNamedExports(node.exportClause)) {
                    addExportedNamesForExportDeclaration(node);
                    hasImportDefault || (hasImportDefault = containsDefaultReference(node.exportClause));
                  } else {
                    const name = node.exportClause.name;
                    if (!uniqueExports.get(idText(name))) {
                      multiMapSparseArrayAdd(exportedBindings, getOriginalNodeId(node), name);
                      uniqueExports.set(idText(name), true);
                      exportedNames = append(exportedNames, name);
                    }
                    hasImportStar = true;
                  }
                }
              } else {
                addExportedNamesForExportDeclaration(node);
              }
              break;
            case 277:
              if (node.isExportEquals && !exportEquals) {
                exportEquals = node;
              }
              break;
            case 243:
              if (hasSyntacticModifier(
                node,
                32
                /* Export */
              )) {
                for (const decl of node.declarationList.declarations) {
                  exportedNames = collectExportedVariableInfo(decl, uniqueExports, exportedNames, exportedBindings);
                }
              }
              break;
            case 262:
              if (hasSyntacticModifier(
                node,
                32
                /* Export */
              )) {
                addExportedFunctionDeclaration(
                  node,
                  /*name*/
                  void 0,
                  hasSyntacticModifier(
                    node,
                    2048
                    /* Default */
                  )
                );
              }
              break;
            case 263:
              if (hasSyntacticModifier(
                node,
                32
                /* Export */
              )) {
                if (hasSyntacticModifier(
                  node,
                  2048
                  /* Default */
                )) {
                  if (!hasExportDefault) {
                    multiMapSparseArrayAdd(exportedBindings, getOriginalNodeId(node), context.factory.getDeclarationName(node));
                    hasExportDefault = true;
                  }
                } else {
                  const name = node.name;
                  if (name && !uniqueExports.get(idText(name))) {
                    multiMapSparseArrayAdd(exportedBindings, getOriginalNodeId(node), name);
                    uniqueExports.set(idText(name), true);
                    exportedNames = append(exportedNames, name);
                  }
                }
              }
              break;
          }
        }
        const externalHelpersImportDeclaration = createExternalHelpersImportDeclarationIfNeeded(context.factory, context.getEmitHelperFactory(), sourceFile, compilerOptions, hasExportStarsToExportValues, hasImportStar, hasImportDefault);
        if (externalHelpersImportDeclaration) {
          externalImports.unshift(externalHelpersImportDeclaration);
        }
        return { externalImports, exportSpecifiers, exportEquals, hasExportStarsToExportValues, exportedBindings, exportedNames, exportedFunctions, externalHelpersImportDeclaration };
        function addExportedNamesForExportDeclaration(node) {
          for (const specifier of cast(node.exportClause, isNamedExports).elements) {
            if (!uniqueExports.get(idText(specifier.name))) {
              const name = specifier.propertyName || specifier.name;
              if (!node.moduleSpecifier) {
                exportSpecifiers.add(name, specifier);
              }
              const decl = resolver.getReferencedImportDeclaration(name) || resolver.getReferencedValueDeclaration(name);
              if (decl) {
                if (decl.kind === 262) {
                  addExportedFunctionDeclaration(
                    decl,
                    specifier.name,
                    specifier.name.escapedText === "default"
                    /* Default */
                  );
                  continue;
                }
                multiMapSparseArrayAdd(exportedBindings, getOriginalNodeId(decl), specifier.name);
              }
              uniqueExports.set(idText(specifier.name), true);
              exportedNames = append(exportedNames, specifier.name);
            }
          }
        }
        function addExportedFunctionDeclaration(node, name, isDefault) {
          exportedFunctions.add(node);
          if (isDefault) {
            if (!hasExportDefault) {
              multiMapSparseArrayAdd(exportedBindings, getOriginalNodeId(node), name ?? context.factory.getDeclarationName(node));
              hasExportDefault = true;
            }
          } else {
            name ?? (name = node.name);
            if (!uniqueExports.get(idText(name))) {
              multiMapSparseArrayAdd(exportedBindings, getOriginalNodeId(node), name);
              uniqueExports.set(idText(name), true);
            }
          }
        }
      }
      function collectExportedVariableInfo(decl, uniqueExports, exportedNames, exportedBindings) {
        if (isBindingPattern(decl.name)) {
          for (const element of decl.name.elements) {
            if (!isOmittedExpression(element)) {
              exportedNames = collectExportedVariableInfo(element, uniqueExports, exportedNames, exportedBindings);
            }
          }
        } else if (!isGeneratedIdentifier(decl.name)) {
          const text = idText(decl.name);
          if (!uniqueExports.get(text)) {
            uniqueExports.set(text, true);
            exportedNames = append(exportedNames, decl.name);
            if (isLocalName(decl.name)) {
              multiMapSparseArrayAdd(exportedBindings, getOriginalNodeId(decl), decl.name);
            }
          }
        }
        return exportedNames;
      }
      function multiMapSparseArrayAdd(map2, key, value) {
        let values = map2[key];
        if (values) {
          values.push(value);
        } else {
          map2[key] = values = [value];
        }
        return values;
      }
      var IdentifierNameMap = class _IdentifierNameMap {
        constructor() {
          this._map = /* @__PURE__ */ new Map();
        }
        get size() {
          return this._map.size;
        }
        has(key) {
          return this._map.has(_IdentifierNameMap.toKey(key));
        }
        get(key) {
          return this._map.get(_IdentifierNameMap.toKey(key));
        }
        set(key, value) {
          this._map.set(_IdentifierNameMap.toKey(key), value);
          return this;
        }
        delete(key) {
          var _a;
          return ((_a = this._map) == null ? void 0 : _a.delete(_IdentifierNameMap.toKey(key))) ?? false;
        }
        clear() {
          this._map.clear();
        }
        values() {
          return this._map.values();
        }
        static toKey(name) {
          if (isGeneratedPrivateIdentifier(name) || isGeneratedIdentifier(name)) {
            const autoGenerate = name.emitNode.autoGenerate;
            if ((autoGenerate.flags & 7) === 4) {
              const node = getNodeForGeneratedName(name);
              const baseName = isMemberName(node) && node !== name ? _IdentifierNameMap.toKey(node) : `(generated@${getNodeId(node)})`;
              return formatGeneratedName(
                /*privateName*/
                false,
                autoGenerate.prefix,
                baseName,
                autoGenerate.suffix,
                _IdentifierNameMap.toKey
              );
            } else {
              const baseName = `(auto@${autoGenerate.id})`;
              return formatGeneratedName(
                /*privateName*/
                false,
                autoGenerate.prefix,
                baseName,
                autoGenerate.suffix,
                _IdentifierNameMap.toKey
              );
            }
          }
          if (isPrivateIdentifier(name)) {
            return idText(name).slice(1);
          }
          return idText(name);
        }
      };
      var IdentifierNameMultiMap = class extends IdentifierNameMap {
        add(key, value) {
          let values = this.get(key);
          if (values) {
            values.push(value);
          } else {
            this.set(key, values = [value]);
          }
          return values;
        }
        remove(key, value) {
          const values = this.get(key);
          if (values) {
            unorderedRemoveItem(values, value);
            if (!values.length) {
              this.delete(key);
            }
          }
        }
      };
      function isSimpleCopiableExpression(expression) {
        return isStringLiteralLike(expression) || expression.kind === 9 || isKeyword2(expression.kind) || isIdentifier(expression);
      }
      function isSimpleInlineableExpression(expression) {
        return !isIdentifier(expression) && isSimpleCopiableExpression(expression);
      }
      function isCompoundAssignment(kind) {
        return kind >= 65 && kind <= 79;
      }
      function getNonAssignmentOperatorForCompoundAssignment(kind) {
        switch (kind) {
          case 65:
            return 40;
          case 66:
            return 41;
          case 67:
            return 42;
          case 68:
            return 43;
          case 69:
            return 44;
          case 70:
            return 45;
          case 71:
            return 48;
          case 72:
            return 49;
          case 73:
            return 50;
          case 74:
            return 51;
          case 75:
            return 52;
          case 79:
            return 53;
          case 76:
            return 57;
          case 77:
            return 56;
          case 78:
            return 61;
        }
      }
      function getSuperCallFromStatement(statement) {
        if (!isExpressionStatement2(statement)) {
          return void 0;
        }
        const expression = skipParentheses(statement.expression);
        return isSuperCall(expression) ? expression : void 0;
      }
      function findSuperStatementIndexPathWorker(statements, start, indices) {
        for (let i = start; i < statements.length; i += 1) {
          const statement = statements[i];
          if (getSuperCallFromStatement(statement)) {
            indices.unshift(i);
            return true;
          } else if (isTryStatement(statement) && findSuperStatementIndexPathWorker(statement.tryBlock.statements, 0, indices)) {
            indices.unshift(i);
            return true;
          }
        }
        return false;
      }
      function findSuperStatementIndexPath(statements, start) {
        const indices = [];
        findSuperStatementIndexPathWorker(statements, start, indices);
        return indices;
      }
      function getProperties(node, requireInitializer, isStatic2) {
        return filter(node.members, (m) => isInitializedOrStaticProperty(m, requireInitializer, isStatic2));
      }
      function isStaticPropertyDeclarationOrClassStaticBlockDeclaration(element) {
        return isStaticPropertyDeclaration(element) || isClassStaticBlockDeclaration(element);
      }
      function getStaticPropertiesAndClassStaticBlock(node) {
        return filter(node.members, isStaticPropertyDeclarationOrClassStaticBlockDeclaration);
      }
      function isInitializedOrStaticProperty(member, requireInitializer, isStatic2) {
        return isPropertyDeclaration(member) && (!!member.initializer || !requireInitializer) && hasStaticModifier(member) === isStatic2;
      }
      function isStaticPropertyDeclaration(member) {
        return isPropertyDeclaration(member) && hasStaticModifier(member);
      }
      function isInitializedProperty(member) {
        return member.kind === 172 && member.initializer !== void 0;
      }
      function isNonStaticMethodOrAccessorWithPrivateName(member) {
        return !isStatic(member) && (isMethodOrAccessor(member) || isAutoAccessorPropertyDeclaration(member)) && isPrivateIdentifier(member.name);
      }
      function getDecoratorsOfParameters(node) {
        let decorators;
        if (node) {
          const parameters = node.parameters;
          const firstParameterIsThis = parameters.length > 0 && parameterIsThisKeyword(parameters[0]);
          const firstParameterOffset = firstParameterIsThis ? 1 : 0;
          const numParameters = firstParameterIsThis ? parameters.length - 1 : parameters.length;
          for (let i = 0; i < numParameters; i++) {
            const parameter = parameters[i + firstParameterOffset];
            if (decorators || hasDecorators(parameter)) {
              if (!decorators) {
                decorators = new Array(numParameters);
              }
              decorators[i] = getDecorators(parameter);
            }
          }
        }
        return decorators;
      }
      function getAllDecoratorsOfClass(node) {
        const decorators = getDecorators(node);
        const parameters = getDecoratorsOfParameters(getFirstConstructorWithBody(node));
        if (!some(decorators) && !some(parameters)) {
          return void 0;
        }
        return {
          decorators,
          parameters
        };
      }
      function getAllDecoratorsOfClassElement(member, parent2, useLegacyDecorators) {
        switch (member.kind) {
          case 177:
          case 178:
            if (!useLegacyDecorators) {
              return getAllDecoratorsOfMethod(member);
            }
            return getAllDecoratorsOfAccessors(member, parent2);
          case 174:
            return getAllDecoratorsOfMethod(member);
          case 172:
            return getAllDecoratorsOfProperty(member);
          default:
            return void 0;
        }
      }
      function getAllDecoratorsOfAccessors(accessor, parent2) {
        if (!accessor.body) {
          return void 0;
        }
        const { firstAccessor, secondAccessor, getAccessor, setAccessor } = getAllAccessorDeclarations(parent2.members, accessor);
        const firstAccessorWithDecorators = hasDecorators(firstAccessor) ? firstAccessor : secondAccessor && hasDecorators(secondAccessor) ? secondAccessor : void 0;
        if (!firstAccessorWithDecorators || accessor !== firstAccessorWithDecorators) {
          return void 0;
        }
        const decorators = getDecorators(firstAccessorWithDecorators);
        const parameters = getDecoratorsOfParameters(setAccessor);
        if (!some(decorators) && !some(parameters)) {
          return void 0;
        }
        return {
          decorators,
          parameters,
          getDecorators: getAccessor && getDecorators(getAccessor),
          setDecorators: setAccessor && getDecorators(setAccessor)
        };
      }
      function getAllDecoratorsOfMethod(method) {
        if (!method.body) {
          return void 0;
        }
        const decorators = getDecorators(method);
        const parameters = getDecoratorsOfParameters(method);
        if (!some(decorators) && !some(parameters)) {
          return void 0;
        }
        return { decorators, parameters };
      }
      function getAllDecoratorsOfProperty(property) {
        const decorators = getDecorators(property);
        if (!some(decorators)) {
          return void 0;
        }
        return { decorators };
      }
      function walkUpLexicalEnvironments(env, cb) {
        while (env) {
          const result = cb(env);
          if (result !== void 0) return result;
          env = env.previous;
        }
      }
      function newPrivateEnvironment(data) {
        return { data };
      }
      function getPrivateIdentifier(privateEnv, name) {
        var _a, _b;
        return isGeneratedPrivateIdentifier(name) ? (_a = privateEnv == null ? void 0 : privateEnv.generatedIdentifiers) == null ? void 0 : _a.get(getNodeForGeneratedName(name)) : (_b = privateEnv == null ? void 0 : privateEnv.identifiers) == null ? void 0 : _b.get(name.escapedText);
      }
      function setPrivateIdentifier(privateEnv, name, entry) {
        if (isGeneratedPrivateIdentifier(name)) {
          privateEnv.generatedIdentifiers ?? (privateEnv.generatedIdentifiers = /* @__PURE__ */ new Map());
          privateEnv.generatedIdentifiers.set(getNodeForGeneratedName(name), entry);
        } else {
          privateEnv.identifiers ?? (privateEnv.identifiers = /* @__PURE__ */ new Map());
          privateEnv.identifiers.set(name.escapedText, entry);
        }
      }
      function accessPrivateIdentifier(env, name) {
        return walkUpLexicalEnvironments(env, (env2) => getPrivateIdentifier(env2.privateEnv, name));
      }
      function isSimpleParameter(node) {
        return !node.initializer && isIdentifier(node.name);
      }
      function isSimpleParameterList(nodes) {
        return every(nodes, isSimpleParameter);
      }
      var FlattenLevel = /* @__PURE__ */ ((FlattenLevel2) => {
        FlattenLevel2[FlattenLevel2["All"] = 0] = "All";
        FlattenLevel2[FlattenLevel2["ObjectRest"] = 1] = "ObjectRest";
        return FlattenLevel2;
      })(FlattenLevel || {});
      function flattenDestructuringAssignment(node, visitor2, context, level, needsValue, createAssignmentCallback) {
        let location = node;
        let value;
        if (isDestructuringAssignment(node)) {
          value = node.right;
          while (isEmptyArrayLiteral(node.left) || isEmptyObjectLiteral(node.left)) {
            if (isDestructuringAssignment(value)) {
              location = node = value;
              value = node.right;
            } else {
              return Debug.checkDefined(visitNode(value, visitor2, isExpression));
            }
          }
        }
        let expressions;
        const flattenContext = {
          context,
          level,
          downlevelIteration: !!context.getCompilerOptions().downlevelIteration,
          hoistTempVariables: true,
          emitExpression,
          emitBindingOrAssignment,
          createArrayBindingOrAssignmentPattern: (elements) => makeArrayAssignmentPattern(context.factory, elements),
          createObjectBindingOrAssignmentPattern: (elements) => makeObjectAssignmentPattern(context.factory, elements),
          createArrayBindingOrAssignmentElement: makeAssignmentElement,
          visitor: visitor2
        };
        if (value) {
          value = visitNode(value, visitor2, isExpression);
          Debug.assert(value);
          if (isIdentifier(value) && bindingOrAssignmentElementAssignsToName(node, value.escapedText) || bindingOrAssignmentElementContainsNonLiteralComputedName(node)) {
            value = ensureIdentifier(
              flattenContext,
              value,
              /*reuseIdentifierExpressions*/
              false,
              location
            );
          } else if (needsValue) {
            value = ensureIdentifier(
              flattenContext,
              value,
              /*reuseIdentifierExpressions*/
              true,
              location
            );
          } else if (nodeIsSynthesized(node)) {
            location = value;
          }
        }
        flattenBindingOrAssignmentElement(
          flattenContext,
          node,
          value,
          location,
          /*skipInitializer*/
          isDestructuringAssignment(node)
        );
        if (value && needsValue) {
          if (!some(expressions)) {
            return value;
          }
          expressions.push(value);
        }
        return context.factory.inlineExpressions(expressions) || context.factory.createOmittedExpression();
        function emitExpression(expression) {
          expressions = append(expressions, expression);
        }
        function emitBindingOrAssignment(target, value2, location2, original) {
          Debug.assertNode(target, createAssignmentCallback ? isIdentifier : isExpression);
          const expression = createAssignmentCallback ? createAssignmentCallback(target, value2, location2) : setTextRange(
            context.factory.createAssignment(Debug.checkDefined(visitNode(target, visitor2, isExpression)), value2),
            location2
          );
          expression.original = original;
          emitExpression(expression);
        }
      }
      function bindingOrAssignmentElementAssignsToName(element, escapedName) {
        const target = getTargetOfBindingOrAssignmentElement(element);
        if (isBindingOrAssignmentPattern(target)) {
          return bindingOrAssignmentPatternAssignsToName(target, escapedName);
        } else if (isIdentifier(target)) {
          return target.escapedText === escapedName;
        }
        return false;
      }
      function bindingOrAssignmentPatternAssignsToName(pattern, escapedName) {
        const elements = getElementsOfBindingOrAssignmentPattern(pattern);
        for (const element of elements) {
          if (bindingOrAssignmentElementAssignsToName(element, escapedName)) {
            return true;
          }
        }
        return false;
      }
      function bindingOrAssignmentElementContainsNonLiteralComputedName(element) {
        const propertyName = tryGetPropertyNameOfBindingOrAssignmentElement(element);
        if (propertyName && isComputedPropertyName(propertyName) && !isLiteralExpression(propertyName.expression)) {
          return true;
        }
        const target = getTargetOfBindingOrAssignmentElement(element);
        return !!target && isBindingOrAssignmentPattern(target) && bindingOrAssignmentPatternContainsNonLiteralComputedName(target);
      }
      function bindingOrAssignmentPatternContainsNonLiteralComputedName(pattern) {
        return !!forEach(getElementsOfBindingOrAssignmentPattern(pattern), bindingOrAssignmentElementContainsNonLiteralComputedName);
      }
      function flattenDestructuringBinding(node, visitor2, context, level, rval, hoistTempVariables = false, skipInitializer) {
        let pendingExpressions;
        const pendingDeclarations = [];
        const declarations = [];
        const flattenContext = {
          context,
          level,
          downlevelIteration: !!context.getCompilerOptions().downlevelIteration,
          hoistTempVariables,
          emitExpression,
          emitBindingOrAssignment,
          createArrayBindingOrAssignmentPattern: (elements) => makeArrayBindingPattern(context.factory, elements),
          createObjectBindingOrAssignmentPattern: (elements) => makeObjectBindingPattern(context.factory, elements),
          createArrayBindingOrAssignmentElement: (name) => makeBindingElement(context.factory, name),
          visitor: visitor2
        };
        if (isVariableDeclaration(node)) {
          let initializer = getInitializerOfBindingOrAssignmentElement(node);
          if (initializer && (isIdentifier(initializer) && bindingOrAssignmentElementAssignsToName(node, initializer.escapedText) || bindingOrAssignmentElementContainsNonLiteralComputedName(node))) {
            initializer = ensureIdentifier(
              flattenContext,
              Debug.checkDefined(visitNode(initializer, flattenContext.visitor, isExpression)),
              /*reuseIdentifierExpressions*/
              false,
              initializer
            );
            node = context.factory.updateVariableDeclaration(
              node,
              node.name,
              /*exclamationToken*/
              void 0,
              /*type*/
              void 0,
              initializer
            );
          }
        }
        flattenBindingOrAssignmentElement(flattenContext, node, rval, node, skipInitializer);
        if (pendingExpressions) {
          const temp = context.factory.createTempVariable(
            /*recordTempVariable*/
            void 0
          );
          if (hoistTempVariables) {
            const value = context.factory.inlineExpressions(pendingExpressions);
            pendingExpressions = void 0;
            emitBindingOrAssignment(
              temp,
              value,
              /*location*/
              void 0,
              /*original*/
              void 0
            );
          } else {
            context.hoistVariableDeclaration(temp);
            const pendingDeclaration = last(pendingDeclarations);
            pendingDeclaration.pendingExpressions = append(
              pendingDeclaration.pendingExpressions,
              context.factory.createAssignment(temp, pendingDeclaration.value)
            );
            addRange(pendingDeclaration.pendingExpressions, pendingExpressions);
            pendingDeclaration.value = temp;
          }
        }
        for (const { pendingExpressions: pendingExpressions2, name, value, location, original } of pendingDeclarations) {
          const variable = context.factory.createVariableDeclaration(
            name,
            /*exclamationToken*/
            void 0,
            /*type*/
            void 0,
            pendingExpressions2 ? context.factory.inlineExpressions(append(pendingExpressions2, value)) : value
          );
          variable.original = original;
          setTextRange(variable, location);
          declarations.push(variable);
        }
        return declarations;
        function emitExpression(value) {
          pendingExpressions = append(pendingExpressions, value);
        }
        function emitBindingOrAssignment(target, value, location, original) {
          Debug.assertNode(target, isBindingName);
          if (pendingExpressions) {
            value = context.factory.inlineExpressions(append(pendingExpressions, value));
            pendingExpressions = void 0;
          }
          pendingDeclarations.push({ pendingExpressions, name: target, value, location, original });
        }
      }
      function flattenBindingOrAssignmentElement(flattenContext, element, value, location, skipInitializer) {
        const bindingTarget = getTargetOfBindingOrAssignmentElement(element);
        if (!skipInitializer) {
          const initializer = visitNode(getInitializerOfBindingOrAssignmentElement(element), flattenContext.visitor, isExpression);
          if (initializer) {
            if (value) {
              value = createDefaultValueCheck(flattenContext, value, initializer, location);
              if (!isSimpleInlineableExpression(initializer) && isBindingOrAssignmentPattern(bindingTarget)) {
                value = ensureIdentifier(
                  flattenContext,
                  value,
                  /*reuseIdentifierExpressions*/
                  true,
                  location
                );
              }
            } else {
              value = initializer;
            }
          } else if (!value) {
            value = flattenContext.context.factory.createVoidZero();
          }
        }
        if (isObjectBindingOrAssignmentPattern(bindingTarget)) {
          flattenObjectBindingOrAssignmentPattern(flattenContext, element, bindingTarget, value, location);
        } else if (isArrayBindingOrAssignmentPattern(bindingTarget)) {
          flattenArrayBindingOrAssignmentPattern(flattenContext, element, bindingTarget, value, location);
        } else {
          flattenContext.emitBindingOrAssignment(
            bindingTarget,
            value,
            location,
            /*original*/
            element
          );
        }
      }
      function flattenObjectBindingOrAssignmentPattern(flattenContext, parent2, pattern, value, location) {
        const elements = getElementsOfBindingOrAssignmentPattern(pattern);
        const numElements = elements.length;
        if (numElements !== 1) {
          const reuseIdentifierExpressions = !isDeclarationBindingElement(parent2) || numElements !== 0;
          value = ensureIdentifier(flattenContext, value, reuseIdentifierExpressions, location);
        }
        let bindingElements;
        let computedTempVariables;
        for (let i = 0; i < numElements; i++) {
          const element = elements[i];
          if (!getRestIndicatorOfBindingOrAssignmentElement(element)) {
            const propertyName = getPropertyNameOfBindingOrAssignmentElement(element);
            if (flattenContext.level >= 1 && !(element.transformFlags & (32768 | 65536)) && !(getTargetOfBindingOrAssignmentElement(element).transformFlags & (32768 | 65536)) && !isComputedPropertyName(propertyName)) {
              bindingElements = append(bindingElements, visitNode(element, flattenContext.visitor, isBindingOrAssignmentElement));
            } else {
              if (bindingElements) {
                flattenContext.emitBindingOrAssignment(flattenContext.createObjectBindingOrAssignmentPattern(bindingElements), value, location, pattern);
                bindingElements = void 0;
              }
              const rhsValue = createDestructuringPropertyAccess(flattenContext, value, propertyName);
              if (isComputedPropertyName(propertyName)) {
                computedTempVariables = append(computedTempVariables, rhsValue.argumentExpression);
              }
              flattenBindingOrAssignmentElement(
                flattenContext,
                element,
                rhsValue,
                /*location*/
                element
              );
            }
          } else if (i === numElements - 1) {
            if (bindingElements) {
              flattenContext.emitBindingOrAssignment(flattenContext.createObjectBindingOrAssignmentPattern(bindingElements), value, location, pattern);
              bindingElements = void 0;
            }
            const rhsValue = flattenContext.context.getEmitHelperFactory().createRestHelper(value, elements, computedTempVariables, pattern);
            flattenBindingOrAssignmentElement(flattenContext, element, rhsValue, element);
          }
        }
        if (bindingElements) {
          flattenContext.emitBindingOrAssignment(flattenContext.createObjectBindingOrAssignmentPattern(bindingElements), value, location, pattern);
        }
      }
      function flattenArrayBindingOrAssignmentPattern(flattenContext, parent2, pattern, value, location) {
        const elements = getElementsOfBindingOrAssignmentPattern(pattern);
        const numElements = elements.length;
        if (flattenContext.level < 1 && flattenContext.downlevelIteration) {
          value = ensureIdentifier(
            flattenContext,
            setTextRange(
              flattenContext.context.getEmitHelperFactory().createReadHelper(
                value,
                numElements > 0 && getRestIndicatorOfBindingOrAssignmentElement(elements[numElements - 1]) ? void 0 : numElements
              ),
              location
            ),
            /*reuseIdentifierExpressions*/
            false,
            location
          );
        } else if (numElements !== 1 && (flattenContext.level < 1 || numElements === 0) || every(elements, isOmittedExpression)) {
          const reuseIdentifierExpressions = !isDeclarationBindingElement(parent2) || numElements !== 0;
          value = ensureIdentifier(flattenContext, value, reuseIdentifierExpressions, location);
        }
        let bindingElements;
        let restContainingElements;
        for (let i = 0; i < numElements; i++) {
          const element = elements[i];
          if (flattenContext.level >= 1) {
            if (element.transformFlags & 65536 || flattenContext.hasTransformedPriorElement && !isSimpleBindingOrAssignmentElement(element)) {
              flattenContext.hasTransformedPriorElement = true;
              const temp = flattenContext.context.factory.createTempVariable(
                /*recordTempVariable*/
                void 0
              );
              if (flattenContext.hoistTempVariables) {
                flattenContext.context.hoistVariableDeclaration(temp);
              }
              restContainingElements = append(restContainingElements, [temp, element]);
              bindingElements = append(bindingElements, flattenContext.createArrayBindingOrAssignmentElement(temp));
            } else {
              bindingElements = append(bindingElements, element);
            }
          } else if (isOmittedExpression(element)) {
            continue;
          } else if (!getRestIndicatorOfBindingOrAssignmentElement(element)) {
            const rhsValue = flattenContext.context.factory.createElementAccessExpression(value, i);
            flattenBindingOrAssignmentElement(
              flattenContext,
              element,
              rhsValue,
              /*location*/
              element
            );
          } else if (i === numElements - 1) {
            const rhsValue = flattenContext.context.factory.createArraySliceCall(value, i);
            flattenBindingOrAssignmentElement(
              flattenContext,
              element,
              rhsValue,
              /*location*/
              element
            );
          }
        }
        if (bindingElements) {
          flattenContext.emitBindingOrAssignment(flattenContext.createArrayBindingOrAssignmentPattern(bindingElements), value, location, pattern);
        }
        if (restContainingElements) {
          for (const [id, element] of restContainingElements) {
            flattenBindingOrAssignmentElement(flattenContext, element, id, element);
          }
        }
      }
      function isSimpleBindingOrAssignmentElement(element) {
        const target = getTargetOfBindingOrAssignmentElement(element);
        if (!target || isOmittedExpression(target)) return true;
        const propertyName = tryGetPropertyNameOfBindingOrAssignmentElement(element);
        if (propertyName && !isPropertyNameLiteral(propertyName)) return false;
        const initializer = getInitializerOfBindingOrAssignmentElement(element);
        if (initializer && !isSimpleInlineableExpression(initializer)) return false;
        if (isBindingOrAssignmentPattern(target)) return every(getElementsOfBindingOrAssignmentPattern(target), isSimpleBindingOrAssignmentElement);
        return isIdentifier(target);
      }
      function createDefaultValueCheck(flattenContext, value, defaultValue, location) {
        value = ensureIdentifier(
          flattenContext,
          value,
          /*reuseIdentifierExpressions*/
          true,
          location
        );
        return flattenContext.context.factory.createConditionalExpression(
          flattenContext.context.factory.createTypeCheck(value, "undefined"),
          /*questionToken*/
          void 0,
          defaultValue,
          /*colonToken*/
          void 0,
          value
        );
      }
      function createDestructuringPropertyAccess(flattenContext, value, propertyName) {
        const { factory: factory2 } = flattenContext.context;
        if (isComputedPropertyName(propertyName)) {
          const argumentExpression = ensureIdentifier(
            flattenContext,
            Debug.checkDefined(visitNode(propertyName.expression, flattenContext.visitor, isExpression)),
            /*reuseIdentifierExpressions*/
            false,
            /*location*/
            propertyName
          );
          return flattenContext.context.factory.createElementAccessExpression(value, argumentExpression);
        } else if (isStringOrNumericLiteralLike(propertyName)) {
          const argumentExpression = factory2.cloneNode(propertyName);
          return flattenContext.context.factory.createElementAccessExpression(value, argumentExpression);
        } else {
          const name = flattenContext.context.factory.createIdentifier(idText(propertyName));
          return flattenContext.context.factory.createPropertyAccessExpression(value, name);
        }
      }
      function ensureIdentifier(flattenContext, value, reuseIdentifierExpressions, location) {
        if (isIdentifier(value) && reuseIdentifierExpressions) {
          return value;
        } else {
          const temp = flattenContext.context.factory.createTempVariable(
            /*recordTempVariable*/
            void 0
          );
          if (flattenContext.hoistTempVariables) {
            flattenContext.context.hoistVariableDeclaration(temp);
            flattenContext.emitExpression(setTextRange(flattenContext.context.factory.createAssignment(temp, value), location));
          } else {
            flattenContext.emitBindingOrAssignment(
              temp,
              value,
              location,
              /*original*/
              void 0
            );
          }
          return temp;
        }
      }
      function makeArrayBindingPattern(factory2, elements) {
        Debug.assertEachNode(elements, isArrayBindingElement);
        return factory2.createArrayBindingPattern(elements);
      }
      function makeArrayAssignmentPattern(factory2, elements) {
        Debug.assertEachNode(elements, isArrayBindingOrAssignmentElement);
        return factory2.createArrayLiteralExpression(map(elements, factory2.converters.convertToArrayAssignmentElement));
      }
      function makeObjectBindingPattern(factory2, elements) {
        Debug.assertEachNode(elements, isBindingElement);
        return factory2.createObjectBindingPattern(elements);
      }
      function makeObjectAssignmentPattern(factory2, elements) {
        Debug.assertEachNode(elements, isObjectBindingOrAssignmentElement);
        return factory2.createObjectLiteralExpression(map(elements, factory2.converters.convertToObjectAssignmentElement));
      }
      function makeBindingElement(factory2, name) {
        return factory2.createBindingElement(
          /*dotDotDotToken*/
          void 0,
          /*propertyName*/
          void 0,
          name
        );
      }
      function makeAssignmentElement(name) {
        return name;
      }
      function createClassThisAssignmentBlock(factory2, classThis, thisExpression = factory2.createThis()) {
        const expression = factory2.createAssignment(classThis, thisExpression);
        const statement = factory2.createExpressionStatement(expression);
        const body = factory2.createBlock(
          [statement],
          /*multiLine*/
          false
        );
        const block = factory2.createClassStaticBlockDeclaration(body);
        getOrCreateEmitNode(block).classThis = classThis;
        return block;
      }
      function isClassThisAssignmentBlock(node) {
        var _a;
        if (!isClassStaticBlockDeclaration(node) || node.body.statements.length !== 1) {
          return false;
        }
        const statement = node.body.statements[0];
        return isExpressionStatement2(statement) && isAssignmentExpression2(
          statement.expression,
          /*excludeCompoundAssignment*/
          true
        ) && isIdentifier(statement.expression.left) && ((_a = node.emitNode) == null ? void 0 : _a.classThis) === statement.expression.left && statement.expression.right.kind === 110;
      }
      function classHasClassThisAssignment(node) {
        var _a;
        return !!((_a = node.emitNode) == null ? void 0 : _a.classThis) && some(node.members, isClassThisAssignmentBlock);
      }
      function injectClassThisAssignmentIfMissing(factory2, node, classThis, thisExpression) {
        if (classHasClassThisAssignment(node)) {
          return node;
        }
        const staticBlock = createClassThisAssignmentBlock(factory2, classThis, thisExpression);
        if (node.name) {
          setSourceMapRange(staticBlock.body.statements[0], node.name);
        }
        const members = factory2.createNodeArray([staticBlock, ...node.members]);
        setTextRange(members, node.members);
        const updatedNode = isClassDeclaration(node) ? factory2.updateClassDeclaration(
          node,
          node.modifiers,
          node.name,
          node.typeParameters,
          node.heritageClauses,
          members
        ) : factory2.updateClassExpression(
          node,
          node.modifiers,
          node.name,
          node.typeParameters,
          node.heritageClauses,
          members
        );
        getOrCreateEmitNode(updatedNode).classThis = classThis;
        return updatedNode;
      }
      function getAssignedNameOfIdentifier(factory2, name, expression) {
        const original = getOriginalNode(skipOuterExpressions(expression));
        if ((isClassDeclaration(original) || isFunctionDeclaration(original)) && !original.name && hasSyntacticModifier(
          original,
          2048
          /* Default */
        )) {
          return factory2.createStringLiteral("default");
        }
        return factory2.createStringLiteralFromNode(name);
      }
      function getAssignedNameOfPropertyName(context, name, assignedNameText) {
        const { factory: factory2 } = context;
        if (assignedNameText !== void 0) {
          const assignedName2 = factory2.createStringLiteral(assignedNameText);
          return { assignedName: assignedName2, name };
        }
        if (isPropertyNameLiteral(name) || isPrivateIdentifier(name)) {
          const assignedName2 = factory2.createStringLiteralFromNode(name);
          return { assignedName: assignedName2, name };
        }
        if (isPropertyNameLiteral(name.expression) && !isIdentifier(name.expression)) {
          const assignedName2 = factory2.createStringLiteralFromNode(name.expression);
          return { assignedName: assignedName2, name };
        }
        const assignedName = factory2.getGeneratedNameForNode(name);
        context.hoistVariableDeclaration(assignedName);
        const key = context.getEmitHelperFactory().createPropKeyHelper(name.expression);
        const assignment = factory2.createAssignment(assignedName, key);
        const updatedName = factory2.updateComputedPropertyName(name, assignment);
        return { assignedName, name: updatedName };
      }
      function createClassNamedEvaluationHelperBlock(context, assignedName, thisExpression = context.factory.createThis()) {
        const { factory: factory2 } = context;
        const expression = context.getEmitHelperFactory().createSetFunctionNameHelper(thisExpression, assignedName);
        const statement = factory2.createExpressionStatement(expression);
        const body = factory2.createBlock(
          [statement],
          /*multiLine*/
          false
        );
        const block = factory2.createClassStaticBlockDeclaration(body);
        getOrCreateEmitNode(block).assignedName = assignedName;
        return block;
      }
      function isClassNamedEvaluationHelperBlock(node) {
        var _a;
        if (!isClassStaticBlockDeclaration(node) || node.body.statements.length !== 1) {
          return false;
        }
        const statement = node.body.statements[0];
        return isExpressionStatement2(statement) && isCallToHelper(statement.expression, "___setFunctionName") && statement.expression.arguments.length >= 2 && statement.expression.arguments[1] === ((_a = node.emitNode) == null ? void 0 : _a.assignedName);
      }
      function classHasExplicitlyAssignedName(node) {
        var _a;
        return !!((_a = node.emitNode) == null ? void 0 : _a.assignedName) && some(node.members, isClassNamedEvaluationHelperBlock);
      }
      function classHasDeclaredOrExplicitlyAssignedName(node) {
        return !!node.name || classHasExplicitlyAssignedName(node);
      }
      function injectClassNamedEvaluationHelperBlockIfMissing(context, node, assignedName, thisExpression) {
        if (classHasExplicitlyAssignedName(node)) {
          return node;
        }
        const { factory: factory2 } = context;
        const namedEvaluationBlock = createClassNamedEvaluationHelperBlock(context, assignedName, thisExpression);
        if (node.name) {
          setSourceMapRange(namedEvaluationBlock.body.statements[0], node.name);
        }
        const insertionIndex = findIndex(node.members, isClassThisAssignmentBlock) + 1;
        const leading = node.members.slice(0, insertionIndex);
        const trailing = node.members.slice(insertionIndex);
        const members = factory2.createNodeArray([...leading, namedEvaluationBlock, ...trailing]);
        setTextRange(members, node.members);
        node = isClassDeclaration(node) ? factory2.updateClassDeclaration(
          node,
          node.modifiers,
          node.name,
          node.typeParameters,
          node.heritageClauses,
          members
        ) : factory2.updateClassExpression(
          node,
          node.modifiers,
          node.name,
          node.typeParameters,
          node.heritageClauses,
          members
        );
        getOrCreateEmitNode(node).assignedName = assignedName;
        return node;
      }
      function finishTransformNamedEvaluation(context, expression, assignedName, ignoreEmptyStringLiteral) {
        if (ignoreEmptyStringLiteral && isStringLiteral2(assignedName) && isEmptyStringLiteral2(assignedName)) {
          return expression;
        }
        const { factory: factory2 } = context;
        const innerExpression = skipOuterExpressions(expression);
        const updatedExpression = isClassExpression(innerExpression) ? cast(injectClassNamedEvaluationHelperBlockIfMissing(context, innerExpression, assignedName), isClassExpression) : context.getEmitHelperFactory().createSetFunctionNameHelper(innerExpression, assignedName);
        return factory2.restoreOuterExpressions(expression, updatedExpression);
      }
      function transformNamedEvaluationOfPropertyAssignment(context, node, ignoreEmptyStringLiteral, assignedNameText) {
        const { factory: factory2 } = context;
        const { assignedName, name } = getAssignedNameOfPropertyName(context, node.name, assignedNameText);
        const initializer = finishTransformNamedEvaluation(context, node.initializer, assignedName, ignoreEmptyStringLiteral);
        return factory2.updatePropertyAssignment(
          node,
          name,
          initializer
        );
      }
      function transformNamedEvaluationOfShorthandAssignmentProperty(context, node, ignoreEmptyStringLiteral, assignedNameText) {
        const { factory: factory2 } = context;
        const assignedName = assignedNameText !== void 0 ? factory2.createStringLiteral(assignedNameText) : getAssignedNameOfIdentifier(factory2, node.name, node.objectAssignmentInitializer);
        const objectAssignmentInitializer = finishTransformNamedEvaluation(context, node.objectAssignmentInitializer, assignedName, ignoreEmptyStringLiteral);
        return factory2.updateShorthandPropertyAssignment(
          node,
          node.name,
          objectAssignmentInitializer
        );
      }
      function transformNamedEvaluationOfVariableDeclaration(context, node, ignoreEmptyStringLiteral, assignedNameText) {
        const { factory: factory2 } = context;
        const assignedName = assignedNameText !== void 0 ? factory2.createStringLiteral(assignedNameText) : getAssignedNameOfIdentifier(factory2, node.name, node.initializer);
        const initializer = finishTransformNamedEvaluation(context, node.initializer, assignedName, ignoreEmptyStringLiteral);
        return factory2.updateVariableDeclaration(
          node,
          node.name,
          node.exclamationToken,
          node.type,
          initializer
        );
      }
      function transformNamedEvaluationOfParameterDeclaration(context, node, ignoreEmptyStringLiteral, assignedNameText) {
        const { factory: factory2 } = context;
        const assignedName = assignedNameText !== void 0 ? factory2.createStringLiteral(assignedNameText) : getAssignedNameOfIdentifier(factory2, node.name, node.initializer);
        const initializer = finishTransformNamedEvaluation(context, node.initializer, assignedName, ignoreEmptyStringLiteral);
        return factory2.updateParameterDeclaration(
          node,
          node.modifiers,
          node.dotDotDotToken,
          node.name,
          node.questionToken,
          node.type,
          initializer
        );
      }
      function transformNamedEvaluationOfBindingElement(context, node, ignoreEmptyStringLiteral, assignedNameText) {
        const { factory: factory2 } = context;
        const assignedName = assignedNameText !== void 0 ? factory2.createStringLiteral(assignedNameText) : getAssignedNameOfIdentifier(factory2, node.name, node.initializer);
        const initializer = finishTransformNamedEvaluation(context, node.initializer, assignedName, ignoreEmptyStringLiteral);
        return factory2.updateBindingElement(
          node,
          node.dotDotDotToken,
          node.propertyName,
          node.name,
          initializer
        );
      }
      function transformNamedEvaluationOfPropertyDeclaration(context, node, ignoreEmptyStringLiteral, assignedNameText) {
        const { factory: factory2 } = context;
        const { assignedName, name } = getAssignedNameOfPropertyName(context, node.name, assignedNameText);
        const initializer = finishTransformNamedEvaluation(context, node.initializer, assignedName, ignoreEmptyStringLiteral);
        return factory2.updatePropertyDeclaration(
          node,
          node.modifiers,
          name,
          node.questionToken ?? node.exclamationToken,
          node.type,
          initializer
        );
      }
      function transformNamedEvaluationOfAssignmentExpression(context, node, ignoreEmptyStringLiteral, assignedNameText) {
        const { factory: factory2 } = context;
        const assignedName = assignedNameText !== void 0 ? factory2.createStringLiteral(assignedNameText) : getAssignedNameOfIdentifier(factory2, node.left, node.right);
        const right = finishTransformNamedEvaluation(context, node.right, assignedName, ignoreEmptyStringLiteral);
        return factory2.updateBinaryExpression(
          node,
          node.left,
          node.operatorToken,
          right
        );
      }
      function transformNamedEvaluationOfExportAssignment(context, node, ignoreEmptyStringLiteral, assignedNameText) {
        const { factory: factory2 } = context;
        const assignedName = assignedNameText !== void 0 ? factory2.createStringLiteral(assignedNameText) : factory2.createStringLiteral(node.isExportEquals ? "" : "default");
        const expression = finishTransformNamedEvaluation(context, node.expression, assignedName, ignoreEmptyStringLiteral);
        return factory2.updateExportAssignment(
          node,
          node.modifiers,
          expression
        );
      }
      function transformNamedEvaluation(context, node, ignoreEmptyStringLiteral, assignedName) {
        switch (node.kind) {
          case 303:
            return transformNamedEvaluationOfPropertyAssignment(context, node, ignoreEmptyStringLiteral, assignedName);
          case 304:
            return transformNamedEvaluationOfShorthandAssignmentProperty(context, node, ignoreEmptyStringLiteral, assignedName);
          case 260:
            return transformNamedEvaluationOfVariableDeclaration(context, node, ignoreEmptyStringLiteral, assignedName);
          case 169:
            return transformNamedEvaluationOfParameterDeclaration(context, node, ignoreEmptyStringLiteral, assignedName);
          case 208:
            return transformNamedEvaluationOfBindingElement(context, node, ignoreEmptyStringLiteral, assignedName);
          case 172:
            return transformNamedEvaluationOfPropertyDeclaration(context, node, ignoreEmptyStringLiteral, assignedName);
          case 226:
            return transformNamedEvaluationOfAssignmentExpression(context, node, ignoreEmptyStringLiteral, assignedName);
          case 277:
            return transformNamedEvaluationOfExportAssignment(context, node, ignoreEmptyStringLiteral, assignedName);
        }
      }
      var ProcessLevel = /* @__PURE__ */ ((ProcessLevel2) => {
        ProcessLevel2[ProcessLevel2["LiftRestriction"] = 0] = "LiftRestriction";
        ProcessLevel2[ProcessLevel2["All"] = 1] = "All";
        return ProcessLevel2;
      })(ProcessLevel || {});
      function processTaggedTemplateExpression(context, node, visitor2, currentSourceFile, recordTaggedTemplateString, level) {
        const tag = visitNode(node.tag, visitor2, isExpression);
        Debug.assert(tag);
        const templateArguments = [void 0];
        const cookedStrings = [];
        const rawStrings = [];
        const template = node.template;
        if (level === 0 && !hasInvalidEscape(template)) {
          return visitEachChild(node, visitor2, context);
        }
        const { factory: factory2 } = context;
        if (isNoSubstitutionTemplateLiteral(template)) {
          cookedStrings.push(createTemplateCooked(factory2, template));
          rawStrings.push(getRawLiteral(factory2, template, currentSourceFile));
        } else {
          cookedStrings.push(createTemplateCooked(factory2, template.head));
          rawStrings.push(getRawLiteral(factory2, template.head, currentSourceFile));
          for (const templateSpan of template.templateSpans) {
            cookedStrings.push(createTemplateCooked(factory2, templateSpan.literal));
            rawStrings.push(getRawLiteral(factory2, templateSpan.literal, currentSourceFile));
            templateArguments.push(Debug.checkDefined(visitNode(templateSpan.expression, visitor2, isExpression)));
          }
        }
        const helperCall = context.getEmitHelperFactory().createTemplateObjectHelper(
          factory2.createArrayLiteralExpression(cookedStrings),
          factory2.createArrayLiteralExpression(rawStrings)
        );
        if (isExternalModule(currentSourceFile)) {
          const tempVar = factory2.createUniqueName("templateObject");
          recordTaggedTemplateString(tempVar);
          templateArguments[0] = factory2.createLogicalOr(
            tempVar,
            factory2.createAssignment(
              tempVar,
              helperCall
            )
          );
        } else {
          templateArguments[0] = helperCall;
        }
        return factory2.createCallExpression(
          tag,
          /*typeArguments*/
          void 0,
          templateArguments
        );
      }
      function createTemplateCooked(factory2, template) {
        return template.templateFlags & 26656 ? factory2.createVoidZero() : factory2.createStringLiteral(template.text);
      }
      function getRawLiteral(factory2, node, currentSourceFile) {
        let text = node.rawText;
        if (text === void 0) {
          Debug.assertIsDefined(currentSourceFile, "Template literal node is missing 'rawText' and does not have a source file. Possibly bad transform.");
          text = getSourceTextOfNodeFromSourceFile(currentSourceFile, node);
          const isLast = node.kind === 15 || node.kind === 18;
          text = text.substring(1, text.length - (isLast ? 1 : 2));
        }
        text = text.replace(/\r\n?/g, "\n");
        return setTextRange(factory2.createStringLiteral(text), node);
      }
      var USE_NEW_TYPE_METADATA_FORMAT = false;
      function transformTypeScript(context) {
        const {
          factory: factory2,
          getEmitHelperFactory: emitHelpers,
          startLexicalEnvironment,
          resumeLexicalEnvironment,
          endLexicalEnvironment,
          hoistVariableDeclaration
        } = context;
        const resolver = context.getEmitResolver();
        const compilerOptions = context.getCompilerOptions();
        const languageVersion = getEmitScriptTarget(compilerOptions);
        const moduleKind = getEmitModuleKind(compilerOptions);
        const legacyDecorators = !!compilerOptions.experimentalDecorators;
        const typeSerializer = compilerOptions.emitDecoratorMetadata ? createRuntimeTypeSerializer(context) : void 0;
        const previousOnEmitNode = context.onEmitNode;
        const previousOnSubstituteNode = context.onSubstituteNode;
        context.onEmitNode = onEmitNode;
        context.onSubstituteNode = onSubstituteNode;
        context.enableSubstitution(
          211
          /* PropertyAccessExpression */
        );
        context.enableSubstitution(
          212
          /* ElementAccessExpression */
        );
        let currentSourceFile;
        let currentNamespace;
        let currentNamespaceContainerName;
        let currentLexicalScope;
        let currentScopeFirstDeclarationsOfName;
        let currentClassHasParameterProperties;
        let enabledSubstitutions;
        let applicableSubstitutions;
        return transformSourceFileOrBundle;
        function transformSourceFileOrBundle(node) {
          if (node.kind === 308) {
            return transformBundle(node);
          }
          return transformSourceFile(node);
        }
        function transformBundle(node) {
          return factory2.createBundle(
            node.sourceFiles.map(transformSourceFile)
          );
        }
        function transformSourceFile(node) {
          if (node.isDeclarationFile) {
            return node;
          }
          currentSourceFile = node;
          const visited = saveStateAndInvoke(node, visitSourceFile);
          addEmitHelpers(visited, context.readEmitHelpers());
          currentSourceFile = void 0;
          return visited;
        }
        function saveStateAndInvoke(node, f) {
          const savedCurrentScope = currentLexicalScope;
          const savedCurrentScopeFirstDeclarationsOfName = currentScopeFirstDeclarationsOfName;
          const savedCurrentClassHasParameterProperties = currentClassHasParameterProperties;
          onBeforeVisitNode(node);
          const visited = f(node);
          if (currentLexicalScope !== savedCurrentScope) {
            currentScopeFirstDeclarationsOfName = savedCurrentScopeFirstDeclarationsOfName;
          }
          currentLexicalScope = savedCurrentScope;
          currentClassHasParameterProperties = savedCurrentClassHasParameterProperties;
          return visited;
        }
        function onBeforeVisitNode(node) {
          switch (node.kind) {
            case 307:
            case 269:
            case 268:
            case 241:
              currentLexicalScope = node;
              currentScopeFirstDeclarationsOfName = void 0;
              break;
            case 263:
            case 262:
              if (hasSyntacticModifier(
                node,
                128
                /* Ambient */
              )) {
                break;
              }
              if (node.name) {
                recordEmittedDeclarationInScope(node);
              } else {
                Debug.assert(node.kind === 263 || hasSyntacticModifier(
                  node,
                  2048
                  /* Default */
                ));
              }
              break;
          }
        }
        function visitor2(node) {
          return saveStateAndInvoke(node, visitorWorker);
        }
        function visitorWorker(node) {
          if (node.transformFlags & 1) {
            return visitTypeScript(node);
          }
          return node;
        }
        function sourceElementVisitor(node) {
          return saveStateAndInvoke(node, sourceElementVisitorWorker);
        }
        function sourceElementVisitorWorker(node) {
          switch (node.kind) {
            case 272:
            case 271:
            case 277:
            case 278:
              return visitElidableStatement(node);
            default:
              return visitorWorker(node);
          }
        }
        function isElisionBlocked(node) {
          const parsed = getParseTreeNode(node);
          if (parsed === node || isExportAssignment(node)) {
            return false;
          }
          if (!parsed || parsed.kind !== node.kind) {
            return true;
          }
          switch (node.kind) {
            case 272:
              Debug.assertNode(parsed, isImportDeclaration);
              if (node.importClause !== parsed.importClause) {
                return true;
              }
              if (node.attributes !== parsed.attributes) {
                return true;
              }
              break;
            case 271:
              Debug.assertNode(parsed, isImportEqualsDeclaration);
              if (node.name !== parsed.name) {
                return true;
              }
              if (node.isTypeOnly !== parsed.isTypeOnly) {
                return true;
              }
              if (node.moduleReference !== parsed.moduleReference && (isEntityName(node.moduleReference) || isEntityName(parsed.moduleReference))) {
                return true;
              }
              break;
            case 278:
              Debug.assertNode(parsed, isExportDeclaration);
              if (node.exportClause !== parsed.exportClause) {
                return true;
              }
              if (node.attributes !== parsed.attributes) {
                return true;
              }
              break;
          }
          return false;
        }
        function visitElidableStatement(node) {
          if (isElisionBlocked(node)) {
            if (node.transformFlags & 1) {
              return visitEachChild(node, visitor2, context);
            }
            return node;
          }
          switch (node.kind) {
            case 272:
              return visitImportDeclaration(node);
            case 271:
              return visitImportEqualsDeclaration(node);
            case 277:
              return visitExportAssignment(node);
            case 278:
              return visitExportDeclaration(node);
            default:
              Debug.fail("Unhandled ellided statement");
          }
        }
        function namespaceElementVisitor(node) {
          return saveStateAndInvoke(node, namespaceElementVisitorWorker);
        }
        function namespaceElementVisitorWorker(node) {
          if (node.kind === 278 || node.kind === 272 || node.kind === 273 || node.kind === 271 && node.moduleReference.kind === 283) {
            return void 0;
          } else if (node.transformFlags & 1 || hasSyntacticModifier(
            node,
            32
            /* Export */
          )) {
            return visitTypeScript(node);
          }
          return node;
        }
        function getClassElementVisitor(parent2) {
          return (node) => saveStateAndInvoke(node, (n) => classElementVisitorWorker(n, parent2));
        }
        function classElementVisitorWorker(node, parent2) {
          switch (node.kind) {
            case 176:
              return visitConstructor(node);
            case 172:
              return visitPropertyDeclaration(node, parent2);
            case 177:
              return visitGetAccessor(node, parent2);
            case 178:
              return visitSetAccessor(node, parent2);
            case 174:
              return visitMethodDeclaration(node, parent2);
            case 175:
              return visitEachChild(node, visitor2, context);
            case 240:
              return node;
            case 181:
              return;
            default:
              return Debug.failBadSyntaxKind(node);
          }
        }
        function getObjectLiteralElementVisitor(parent2) {
          return (node) => saveStateAndInvoke(node, (n) => objectLiteralElementVisitorWorker(n, parent2));
        }
        function objectLiteralElementVisitorWorker(node, parent2) {
          switch (node.kind) {
            case 303:
            case 304:
            case 305:
              return visitor2(node);
            case 177:
              return visitGetAccessor(node, parent2);
            case 178:
              return visitSetAccessor(node, parent2);
            case 174:
              return visitMethodDeclaration(node, parent2);
            default:
              return Debug.failBadSyntaxKind(node);
          }
        }
        function decoratorElidingVisitor(node) {
          return isDecorator(node) ? void 0 : visitor2(node);
        }
        function modifierElidingVisitor(node) {
          return isModifier(node) ? void 0 : visitor2(node);
        }
        function modifierVisitor(node) {
          if (isDecorator(node)) return void 0;
          if (modifierToFlag(node.kind) & 28895) {
            return void 0;
          } else if (currentNamespace && node.kind === 95) {
            return void 0;
          }
          return node;
        }
        function visitTypeScript(node) {
          if (isStatement(node) && hasSyntacticModifier(
            node,
            128
            /* Ambient */
          )) {
            return factory2.createNotEmittedStatement(node);
          }
          switch (node.kind) {
            case 95:
            case 90:
              return currentNamespace ? void 0 : node;
            case 125:
            case 123:
            case 124:
            case 128:
            case 164:
            case 87:
            case 138:
            case 148:
            case 103:
            case 147:
            case 188:
            case 189:
            case 190:
            case 191:
            case 187:
            case 182:
            case 168:
            case 133:
            case 159:
            case 136:
            case 154:
            case 150:
            case 146:
            case 116:
            case 155:
            case 185:
            case 184:
            case 186:
            case 183:
            case 192:
            case 193:
            case 194:
            case 196:
            case 197:
            case 198:
            case 199:
            case 200:
            case 201:
            case 181:
              return void 0;
            case 265:
              return factory2.createNotEmittedStatement(node);
            case 270:
              return void 0;
            case 264:
              return factory2.createNotEmittedStatement(node);
            case 263:
              return visitClassDeclaration(node);
            case 231:
              return visitClassExpression(node);
            case 298:
              return visitHeritageClause(node);
            case 233:
              return visitExpressionWithTypeArguments(node);
            case 210:
              return visitObjectLiteralExpression(node);
            case 176:
            case 172:
            case 174:
            case 177:
            case 178:
            case 175:
              return Debug.fail("Class and object literal elements must be visited with their respective visitors");
            case 262:
              return visitFunctionDeclaration(node);
            case 218:
              return visitFunctionExpression(node);
            case 219:
              return visitArrowFunction(node);
            case 169:
              return visitParameter(node);
            case 217:
              return visitParenthesizedExpression(node);
            case 216:
            case 234:
              return visitAssertionExpression(node);
            case 238:
              return visitSatisfiesExpression(node);
            case 213:
              return visitCallExpression(node);
            case 214:
              return visitNewExpression(node);
            case 215:
              return visitTaggedTemplateExpression(node);
            case 235:
              return visitNonNullExpression(node);
            case 266:
              return visitEnumDeclaration(node);
            case 243:
              return visitVariableStatement(node);
            case 260:
              return visitVariableDeclaration(node);
            case 267:
              return visitModuleDeclaration(node);
            case 271:
              return visitImportEqualsDeclaration(node);
            case 285:
              return visitJsxSelfClosingElement(node);
            case 286:
              return visitJsxJsxOpeningElement(node);
            default:
              return visitEachChild(node, visitor2, context);
          }
        }
        function visitSourceFile(node) {
          const alwaysStrict = getStrictOptionValue(compilerOptions, "alwaysStrict") && !(isExternalModule(node) && moduleKind >= 5) && !isJsonSourceFile(node);
          return factory2.updateSourceFile(
            node,
            visitLexicalEnvironment(
              node.statements,
              sourceElementVisitor,
              context,
              /*start*/
              0,
              alwaysStrict
            )
          );
        }
        function visitObjectLiteralExpression(node) {
          return factory2.updateObjectLiteralExpression(
            node,
            visitNodes2(node.properties, getObjectLiteralElementVisitor(node), isObjectLiteralElementLike)
          );
        }
        function getClassFacts(node) {
          let facts = 0;
          if (some(getProperties(
            node,
            /*requireInitializer*/
            true,
            /*isStatic*/
            true
          ))) facts |= 1;
          const extendsClauseElement = getEffectiveBaseTypeNode(node);
          if (extendsClauseElement && skipOuterExpressions(extendsClauseElement.expression).kind !== 106) facts |= 64;
          if (classOrConstructorParameterIsDecorated(legacyDecorators, node)) facts |= 2;
          if (childIsDecorated(legacyDecorators, node)) facts |= 4;
          if (isExportOfNamespace(node)) facts |= 8;
          else if (isDefaultExternalModuleExport(node)) facts |= 32;
          else if (isNamedExternalModuleExport(node)) facts |= 16;
          return facts;
        }
        function hasTypeScriptClassSyntax(node) {
          return !!(node.transformFlags & 8192);
        }
        function isClassLikeDeclarationWithTypeScriptSyntax(node) {
          return hasDecorators(node) || some(node.typeParameters) || some(node.heritageClauses, hasTypeScriptClassSyntax) || some(node.members, hasTypeScriptClassSyntax);
        }
        function visitClassDeclaration(node) {
          const facts = getClassFacts(node);
          const promoteToIIFE = languageVersion <= 1 && !!(facts & 7);
          if (!isClassLikeDeclarationWithTypeScriptSyntax(node) && !classOrConstructorParameterIsDecorated(legacyDecorators, node) && !isExportOfNamespace(node)) {
            return factory2.updateClassDeclaration(
              node,
              visitNodes2(node.modifiers, modifierVisitor, isModifier),
              node.name,
              /*typeParameters*/
              void 0,
              visitNodes2(node.heritageClauses, visitor2, isHeritageClause),
              visitNodes2(node.members, getClassElementVisitor(node), isClassElement)
            );
          }
          if (promoteToIIFE) {
            context.startLexicalEnvironment();
          }
          const moveModifiers = promoteToIIFE || facts & 8;
          let modifiers = moveModifiers ? visitNodes2(node.modifiers, modifierElidingVisitor, isModifierLike) : visitNodes2(node.modifiers, visitor2, isModifierLike);
          if (facts & 2) {
            modifiers = injectClassTypeMetadata(modifiers, node);
          }
          const needsName = moveModifiers && !node.name || facts & 4 || facts & 1;
          const name = needsName ? node.name ?? factory2.getGeneratedNameForNode(node) : node.name;
          const classDeclaration = factory2.updateClassDeclaration(
            node,
            modifiers,
            name,
            /*typeParameters*/
            void 0,
            visitNodes2(node.heritageClauses, visitor2, isHeritageClause),
            transformClassMembers(node)
          );
          let emitFlags = getEmitFlags(node);
          if (facts & 1) {
            emitFlags |= 64;
          }
          setEmitFlags(classDeclaration, emitFlags);
          let statement;
          if (promoteToIIFE) {
            const statements = [classDeclaration];
            const closingBraceLocation = createTokenRange(
              skipTrivia(currentSourceFile.text, node.members.end),
              20
              /* CloseBraceToken */
            );
            const localName = factory2.getInternalName(node);
            const outer = factory2.createPartiallyEmittedExpression(localName);
            setTextRangeEnd(outer, closingBraceLocation.end);
            setEmitFlags(
              outer,
              3072
              /* NoComments */
            );
            const returnStatement = factory2.createReturnStatement(outer);
            setTextRangePos(returnStatement, closingBraceLocation.pos);
            setEmitFlags(
              returnStatement,
              3072 | 768
              /* NoTokenSourceMaps */
            );
            statements.push(returnStatement);
            insertStatementsAfterStandardPrologue(statements, context.endLexicalEnvironment());
            const iife = factory2.createImmediatelyInvokedArrowFunction(statements);
            setInternalEmitFlags(
              iife,
              1
              /* TypeScriptClassWrapper */
            );
            const varDecl = factory2.createVariableDeclaration(
              factory2.getLocalName(
                node,
                /*allowComments*/
                false,
                /*allowSourceMaps*/
                false
              ),
              /*exclamationToken*/
              void 0,
              /*type*/
              void 0,
              iife
            );
            setOriginalNode(varDecl, node);
            const varStatement = factory2.createVariableStatement(
              /*modifiers*/
              void 0,
              factory2.createVariableDeclarationList(
                [varDecl],
                1
                /* Let */
              )
            );
            setOriginalNode(varStatement, node);
            setCommentRange(varStatement, node);
            setSourceMapRange(varStatement, moveRangePastDecorators(node));
            startOnNewLine(varStatement);
            statement = varStatement;
          } else {
            statement = classDeclaration;
          }
          if (moveModifiers) {
            if (facts & 8) {
              return [
                statement,
                createExportMemberAssignmentStatement(node)
              ];
            }
            if (facts & 32) {
              return [
                statement,
                factory2.createExportDefault(factory2.getLocalName(
                  node,
                  /*allowComments*/
                  false,
                  /*allowSourceMaps*/
                  true
                ))
              ];
            }
            if (facts & 16) {
              return [
                statement,
                factory2.createExternalModuleExport(factory2.getDeclarationName(
                  node,
                  /*allowComments*/
                  false,
                  /*allowSourceMaps*/
                  true
                ))
              ];
            }
          }
          return statement;
        }
        function visitClassExpression(node) {
          let modifiers = visitNodes2(node.modifiers, modifierElidingVisitor, isModifierLike);
          if (classOrConstructorParameterIsDecorated(legacyDecorators, node)) {
            modifiers = injectClassTypeMetadata(modifiers, node);
          }
          return factory2.updateClassExpression(
            node,
            modifiers,
            node.name,
            /*typeParameters*/
            void 0,
            visitNodes2(node.heritageClauses, visitor2, isHeritageClause),
            transformClassMembers(node)
          );
        }
        function transformClassMembers(node) {
          const members = visitNodes2(node.members, getClassElementVisitor(node), isClassElement);
          let newMembers;
          const constructor = getFirstConstructorWithBody(node);
          const parametersWithPropertyAssignments = constructor && filter(constructor.parameters, (p) => isParameterPropertyDeclaration(p, constructor));
          if (parametersWithPropertyAssignments) {
            for (const parameter of parametersWithPropertyAssignments) {
              const parameterProperty = factory2.createPropertyDeclaration(
                /*modifiers*/
                void 0,
                parameter.name,
                /*questionOrExclamationToken*/
                void 0,
                /*type*/
                void 0,
                /*initializer*/
                void 0
              );
              setOriginalNode(parameterProperty, parameter);
              newMembers = append(newMembers, parameterProperty);
            }
          }
          if (newMembers) {
            newMembers = addRange(newMembers, members);
            return setTextRange(
              factory2.createNodeArray(newMembers),
              /*location*/
              node.members
            );
          }
          return members;
        }
        function injectClassTypeMetadata(modifiers, node) {
          const metadata = getTypeMetadata(node, node);
          if (some(metadata)) {
            const modifiersArray = [];
            addRange(modifiersArray, takeWhile(modifiers, isExportOrDefaultModifier));
            addRange(modifiersArray, filter(modifiers, isDecorator));
            addRange(modifiersArray, metadata);
            addRange(modifiersArray, filter(skipWhile(modifiers, isExportOrDefaultModifier), isModifier));
            modifiers = setTextRange(factory2.createNodeArray(modifiersArray), modifiers);
          }
          return modifiers;
        }
        function injectClassElementTypeMetadata(modifiers, node, container) {
          if (isClassLike(container) && classElementOrClassElementParameterIsDecorated(legacyDecorators, node, container)) {
            const metadata = getTypeMetadata(node, container);
            if (some(metadata)) {
              const modifiersArray = [];
              addRange(modifiersArray, filter(modifiers, isDecorator));
              addRange(modifiersArray, metadata);
              addRange(modifiersArray, filter(modifiers, isModifier));
              modifiers = setTextRange(factory2.createNodeArray(modifiersArray), modifiers);
            }
          }
          return modifiers;
        }
        function getTypeMetadata(node, container) {
          if (!legacyDecorators) return void 0;
          return USE_NEW_TYPE_METADATA_FORMAT ? getNewTypeMetadata(node, container) : getOldTypeMetadata(node, container);
        }
        function getOldTypeMetadata(node, container) {
          if (typeSerializer) {
            let decorators;
            if (shouldAddTypeMetadata(node)) {
              const typeMetadata = emitHelpers().createMetadataHelper("design:type", typeSerializer.serializeTypeOfNode({ currentLexicalScope, currentNameScope: container }, node, container));
              decorators = append(decorators, factory2.createDecorator(typeMetadata));
            }
            if (shouldAddParamTypesMetadata(node)) {
              const paramTypesMetadata = emitHelpers().createMetadataHelper("design:paramtypes", typeSerializer.serializeParameterTypesOfNode({ currentLexicalScope, currentNameScope: container }, node, container));
              decorators = append(decorators, factory2.createDecorator(paramTypesMetadata));
            }
            if (shouldAddReturnTypeMetadata(node)) {
              const returnTypeMetadata = emitHelpers().createMetadataHelper("design:returntype", typeSerializer.serializeReturnTypeOfNode({ currentLexicalScope, currentNameScope: container }, node));
              decorators = append(decorators, factory2.createDecorator(returnTypeMetadata));
            }
            return decorators;
          }
        }
        function getNewTypeMetadata(node, container) {
          if (typeSerializer) {
            let properties;
            if (shouldAddTypeMetadata(node)) {
              const typeProperty = factory2.createPropertyAssignment("type", factory2.createArrowFunction(
                /*modifiers*/
                void 0,
                /*typeParameters*/
                void 0,
                [],
                /*type*/
                void 0,
                factory2.createToken(
                  39
                  /* EqualsGreaterThanToken */
                ),
                typeSerializer.serializeTypeOfNode({ currentLexicalScope, currentNameScope: container }, node, container)
              ));
              properties = append(properties, typeProperty);
            }
            if (shouldAddParamTypesMetadata(node)) {
              const paramTypeProperty = factory2.createPropertyAssignment("paramTypes", factory2.createArrowFunction(
                /*modifiers*/
                void 0,
                /*typeParameters*/
                void 0,
                [],
                /*type*/
                void 0,
                factory2.createToken(
                  39
                  /* EqualsGreaterThanToken */
                ),
                typeSerializer.serializeParameterTypesOfNode({ currentLexicalScope, currentNameScope: container }, node, container)
              ));
              properties = append(properties, paramTypeProperty);
            }
            if (shouldAddReturnTypeMetadata(node)) {
              const returnTypeProperty = factory2.createPropertyAssignment("returnType", factory2.createArrowFunction(
                /*modifiers*/
                void 0,
                /*typeParameters*/
                void 0,
                [],
                /*type*/
                void 0,
                factory2.createToken(
                  39
                  /* EqualsGreaterThanToken */
                ),
                typeSerializer.serializeReturnTypeOfNode({ currentLexicalScope, currentNameScope: container }, node)
              ));
              properties = append(properties, returnTypeProperty);
            }
            if (properties) {
              const typeInfoMetadata = emitHelpers().createMetadataHelper("design:typeinfo", factory2.createObjectLiteralExpression(
                properties,
                /*multiLine*/
                true
              ));
              return [factory2.createDecorator(typeInfoMetadata)];
            }
          }
        }
        function shouldAddTypeMetadata(node) {
          const kind = node.kind;
          return kind === 174 || kind === 177 || kind === 178 || kind === 172;
        }
        function shouldAddReturnTypeMetadata(node) {
          return node.kind === 174;
        }
        function shouldAddParamTypesMetadata(node) {
          switch (node.kind) {
            case 263:
            case 231:
              return getFirstConstructorWithBody(node) !== void 0;
            case 174:
            case 177:
            case 178:
              return true;
          }
          return false;
        }
        function getExpressionForPropertyName(member, generateNameForComputedPropertyName) {
          const name = member.name;
          if (isPrivateIdentifier(name)) {
            return factory2.createIdentifier("");
          } else if (isComputedPropertyName(name)) {
            return generateNameForComputedPropertyName && !isSimpleInlineableExpression(name.expression) ? factory2.getGeneratedNameForNode(name) : name.expression;
          } else if (isIdentifier(name)) {
            return factory2.createStringLiteral(idText(name));
          } else {
            return factory2.cloneNode(name);
          }
        }
        function visitPropertyNameOfClassElement(member) {
          const name = member.name;
          if (isComputedPropertyName(name) && (!hasStaticModifier(member) && currentClassHasParameterProperties || hasDecorators(member) && legacyDecorators)) {
            const expression = visitNode(name.expression, visitor2, isExpression);
            Debug.assert(expression);
            const innerExpression = skipPartiallyEmittedExpressions(expression);
            if (!isSimpleInlineableExpression(innerExpression)) {
              const generatedName = factory2.getGeneratedNameForNode(name);
              hoistVariableDeclaration(generatedName);
              return factory2.updateComputedPropertyName(name, factory2.createAssignment(generatedName, expression));
            }
          }
          return Debug.checkDefined(visitNode(name, visitor2, isPropertyName));
        }
        function visitHeritageClause(node) {
          if (node.token === 119) {
            return void 0;
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitExpressionWithTypeArguments(node) {
          return factory2.updateExpressionWithTypeArguments(
            node,
            Debug.checkDefined(visitNode(node.expression, visitor2, isLeftHandSideExpression)),
            /*typeArguments*/
            void 0
          );
        }
        function shouldEmitFunctionLikeDeclaration(node) {
          return !nodeIsMissing(node.body);
        }
        function visitPropertyDeclaration(node, parent2) {
          const isAmbient = node.flags & 33554432 || hasSyntacticModifier(
            node,
            64
            /* Abstract */
          );
          if (isAmbient && !(legacyDecorators && hasDecorators(node))) {
            return void 0;
          }
          let modifiers = isClassLike(parent2) ? !isAmbient ? visitNodes2(node.modifiers, visitor2, isModifierLike) : visitNodes2(node.modifiers, modifierElidingVisitor, isModifierLike) : visitNodes2(node.modifiers, decoratorElidingVisitor, isModifierLike);
          modifiers = injectClassElementTypeMetadata(modifiers, node, parent2);
          if (isAmbient) {
            return factory2.updatePropertyDeclaration(
              node,
              concatenate(modifiers, factory2.createModifiersFromModifierFlags(
                128
                /* Ambient */
              )),
              Debug.checkDefined(visitNode(node.name, visitor2, isPropertyName)),
              /*questionOrExclamationToken*/
              void 0,
              /*type*/
              void 0,
              /*initializer*/
              void 0
            );
          }
          return factory2.updatePropertyDeclaration(
            node,
            modifiers,
            visitPropertyNameOfClassElement(node),
            /*questionOrExclamationToken*/
            void 0,
            /*type*/
            void 0,
            visitNode(node.initializer, visitor2, isExpression)
          );
        }
        function visitConstructor(node) {
          if (!shouldEmitFunctionLikeDeclaration(node)) {
            return void 0;
          }
          return factory2.updateConstructorDeclaration(
            node,
            /*modifiers*/
            void 0,
            visitParameterList(node.parameters, visitor2, context),
            transformConstructorBody(node.body, node)
          );
        }
        function transformConstructorBodyWorker(statementsOut, statementsIn, statementOffset, superPath, superPathDepth, initializerStatements) {
          const superStatementIndex = superPath[superPathDepth];
          const superStatement = statementsIn[superStatementIndex];
          addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, statementOffset, superStatementIndex - statementOffset));
          if (isTryStatement(superStatement)) {
            const tryBlockStatements = [];
            transformConstructorBodyWorker(
              tryBlockStatements,
              superStatement.tryBlock.statements,
              /*statementOffset*/
              0,
              superPath,
              superPathDepth + 1,
              initializerStatements
            );
            const tryBlockStatementsArray = factory2.createNodeArray(tryBlockStatements);
            setTextRange(tryBlockStatementsArray, superStatement.tryBlock.statements);
            statementsOut.push(factory2.updateTryStatement(
              superStatement,
              factory2.updateBlock(superStatement.tryBlock, tryBlockStatements),
              visitNode(superStatement.catchClause, visitor2, isCatchClause),
              visitNode(superStatement.finallyBlock, visitor2, isBlock)
            ));
          } else {
            addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, superStatementIndex, 1));
            addRange(statementsOut, initializerStatements);
          }
          addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, superStatementIndex + 1));
        }
        function transformConstructorBody(body, constructor) {
          const parametersWithPropertyAssignments = constructor && filter(constructor.parameters, (p) => isParameterPropertyDeclaration(p, constructor));
          if (!some(parametersWithPropertyAssignments)) {
            return visitFunctionBody(body, visitor2, context);
          }
          let statements = [];
          resumeLexicalEnvironment();
          const prologueStatementCount = factory2.copyPrologue(
            body.statements,
            statements,
            /*ensureUseStrict*/
            false,
            visitor2
          );
          const superPath = findSuperStatementIndexPath(body.statements, prologueStatementCount);
          const parameterPropertyAssignments = mapDefined(parametersWithPropertyAssignments, transformParameterWithPropertyAssignment);
          if (superPath.length) {
            transformConstructorBodyWorker(
              statements,
              body.statements,
              prologueStatementCount,
              superPath,
              /*superPathDepth*/
              0,
              parameterPropertyAssignments
            );
          } else {
            addRange(statements, parameterPropertyAssignments);
            addRange(statements, visitNodes2(body.statements, visitor2, isStatement, prologueStatementCount));
          }
          statements = factory2.mergeLexicalEnvironment(statements, endLexicalEnvironment());
          const block = factory2.createBlock(
            setTextRange(factory2.createNodeArray(statements), body.statements),
            /*multiLine*/
            true
          );
          setTextRange(
            block,
            /*location*/
            body
          );
          setOriginalNode(block, body);
          return block;
        }
        function transformParameterWithPropertyAssignment(node) {
          const name = node.name;
          if (!isIdentifier(name)) {
            return void 0;
          }
          const propertyName = setParent(setTextRange(factory2.cloneNode(name), name), name.parent);
          setEmitFlags(
            propertyName,
            3072 | 96
            /* NoSourceMap */
          );
          const localName = setParent(setTextRange(factory2.cloneNode(name), name), name.parent);
          setEmitFlags(
            localName,
            3072
            /* NoComments */
          );
          return startOnNewLine(
            removeAllComments(
              setTextRange(
                setOriginalNode(
                  factory2.createExpressionStatement(
                    factory2.createAssignment(
                      setTextRange(
                        factory2.createPropertyAccessExpression(
                          factory2.createThis(),
                          propertyName
                        ),
                        node.name
                      ),
                      localName
                    )
                  ),
                  node
                ),
                moveRangePos(node, -1)
              )
            )
          );
        }
        function visitMethodDeclaration(node, parent2) {
          if (!(node.transformFlags & 1)) {
            return node;
          }
          if (!shouldEmitFunctionLikeDeclaration(node)) {
            return void 0;
          }
          let modifiers = isClassLike(parent2) ? visitNodes2(node.modifiers, visitor2, isModifierLike) : visitNodes2(node.modifiers, decoratorElidingVisitor, isModifierLike);
          modifiers = injectClassElementTypeMetadata(modifiers, node, parent2);
          return factory2.updateMethodDeclaration(
            node,
            modifiers,
            node.asteriskToken,
            visitPropertyNameOfClassElement(node),
            /*questionToken*/
            void 0,
            /*typeParameters*/
            void 0,
            visitParameterList(node.parameters, visitor2, context),
            /*type*/
            void 0,
            visitFunctionBody(node.body, visitor2, context)
          );
        }
        function shouldEmitAccessorDeclaration(node) {
          return !(nodeIsMissing(node.body) && hasSyntacticModifier(
            node,
            64
            /* Abstract */
          ));
        }
        function visitGetAccessor(node, parent2) {
          if (!(node.transformFlags & 1)) {
            return node;
          }
          if (!shouldEmitAccessorDeclaration(node)) {
            return void 0;
          }
          let modifiers = isClassLike(parent2) ? visitNodes2(node.modifiers, visitor2, isModifierLike) : visitNodes2(node.modifiers, decoratorElidingVisitor, isModifierLike);
          modifiers = injectClassElementTypeMetadata(modifiers, node, parent2);
          return factory2.updateGetAccessorDeclaration(
            node,
            modifiers,
            visitPropertyNameOfClassElement(node),
            visitParameterList(node.parameters, visitor2, context),
            /*type*/
            void 0,
            visitFunctionBody(node.body, visitor2, context) || factory2.createBlock([])
          );
        }
        function visitSetAccessor(node, parent2) {
          if (!(node.transformFlags & 1)) {
            return node;
          }
          if (!shouldEmitAccessorDeclaration(node)) {
            return void 0;
          }
          let modifiers = isClassLike(parent2) ? visitNodes2(node.modifiers, visitor2, isModifierLike) : visitNodes2(node.modifiers, decoratorElidingVisitor, isModifierLike);
          modifiers = injectClassElementTypeMetadata(modifiers, node, parent2);
          return factory2.updateSetAccessorDeclaration(
            node,
            modifiers,
            visitPropertyNameOfClassElement(node),
            visitParameterList(node.parameters, visitor2, context),
            visitFunctionBody(node.body, visitor2, context) || factory2.createBlock([])
          );
        }
        function visitFunctionDeclaration(node) {
          if (!shouldEmitFunctionLikeDeclaration(node)) {
            return factory2.createNotEmittedStatement(node);
          }
          const updated = factory2.updateFunctionDeclaration(
            node,
            visitNodes2(node.modifiers, modifierVisitor, isModifier),
            node.asteriskToken,
            node.name,
            /*typeParameters*/
            void 0,
            visitParameterList(node.parameters, visitor2, context),
            /*type*/
            void 0,
            visitFunctionBody(node.body, visitor2, context) || factory2.createBlock([])
          );
          if (isExportOfNamespace(node)) {
            const statements = [updated];
            addExportMemberAssignment(statements, node);
            return statements;
          }
          return updated;
        }
        function visitFunctionExpression(node) {
          if (!shouldEmitFunctionLikeDeclaration(node)) {
            return factory2.createOmittedExpression();
          }
          const updated = factory2.updateFunctionExpression(
            node,
            visitNodes2(node.modifiers, modifierVisitor, isModifier),
            node.asteriskToken,
            node.name,
            /*typeParameters*/
            void 0,
            visitParameterList(node.parameters, visitor2, context),
            /*type*/
            void 0,
            visitFunctionBody(node.body, visitor2, context) || factory2.createBlock([])
          );
          return updated;
        }
        function visitArrowFunction(node) {
          const updated = factory2.updateArrowFunction(
            node,
            visitNodes2(node.modifiers, modifierVisitor, isModifier),
            /*typeParameters*/
            void 0,
            visitParameterList(node.parameters, visitor2, context),
            /*type*/
            void 0,
            node.equalsGreaterThanToken,
            visitFunctionBody(node.body, visitor2, context)
          );
          return updated;
        }
        function visitParameter(node) {
          if (parameterIsThisKeyword(node)) {
            return void 0;
          }
          const updated = factory2.updateParameterDeclaration(
            node,
            visitNodes2(node.modifiers, (node2) => isDecorator(node2) ? visitor2(node2) : void 0, isModifierLike),
            node.dotDotDotToken,
            Debug.checkDefined(visitNode(node.name, visitor2, isBindingName)),
            /*questionToken*/
            void 0,
            /*type*/
            void 0,
            visitNode(node.initializer, visitor2, isExpression)
          );
          if (updated !== node) {
            setCommentRange(updated, node);
            setTextRange(updated, moveRangePastModifiers(node));
            setSourceMapRange(updated, moveRangePastModifiers(node));
            setEmitFlags(
              updated.name,
              64
              /* NoTrailingSourceMap */
            );
          }
          return updated;
        }
        function visitVariableStatement(node) {
          if (isExportOfNamespace(node)) {
            const variables = getInitializedVariables(node.declarationList);
            if (variables.length === 0) {
              return void 0;
            }
            return setTextRange(
              factory2.createExpressionStatement(
                factory2.inlineExpressions(
                  map(variables, transformInitializedVariable)
                )
              ),
              node
            );
          } else {
            return visitEachChild(node, visitor2, context);
          }
        }
        function transformInitializedVariable(node) {
          const name = node.name;
          if (isBindingPattern(name)) {
            return flattenDestructuringAssignment(
              node,
              visitor2,
              context,
              0,
              /*needsValue*/
              false,
              createNamespaceExportExpression
            );
          } else {
            return setTextRange(
              factory2.createAssignment(
                getNamespaceMemberNameWithSourceMapsAndWithoutComments(name),
                Debug.checkDefined(visitNode(node.initializer, visitor2, isExpression))
              ),
              /*location*/
              node
            );
          }
        }
        function visitVariableDeclaration(node) {
          const updated = factory2.updateVariableDeclaration(
            node,
            Debug.checkDefined(visitNode(node.name, visitor2, isBindingName)),
            /*exclamationToken*/
            void 0,
            /*type*/
            void 0,
            visitNode(node.initializer, visitor2, isExpression)
          );
          if (node.type) {
            setTypeNode(updated.name, node.type);
          }
          return updated;
        }
        function visitParenthesizedExpression(node) {
          const innerExpression = skipOuterExpressions(
            node.expression,
            ~6
            /* Assertions */
          );
          if (isAssertionExpression(innerExpression) || isSatisfiesExpression(innerExpression)) {
            const expression = visitNode(node.expression, visitor2, isExpression);
            Debug.assert(expression);
            return factory2.createPartiallyEmittedExpression(expression, node);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitAssertionExpression(node) {
          const expression = visitNode(node.expression, visitor2, isExpression);
          Debug.assert(expression);
          return factory2.createPartiallyEmittedExpression(expression, node);
        }
        function visitNonNullExpression(node) {
          const expression = visitNode(node.expression, visitor2, isLeftHandSideExpression);
          Debug.assert(expression);
          return factory2.createPartiallyEmittedExpression(expression, node);
        }
        function visitSatisfiesExpression(node) {
          const expression = visitNode(node.expression, visitor2, isExpression);
          Debug.assert(expression);
          return factory2.createPartiallyEmittedExpression(expression, node);
        }
        function visitCallExpression(node) {
          return factory2.updateCallExpression(
            node,
            Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)),
            /*typeArguments*/
            void 0,
            visitNodes2(node.arguments, visitor2, isExpression)
          );
        }
        function visitNewExpression(node) {
          return factory2.updateNewExpression(
            node,
            Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)),
            /*typeArguments*/
            void 0,
            visitNodes2(node.arguments, visitor2, isExpression)
          );
        }
        function visitTaggedTemplateExpression(node) {
          return factory2.updateTaggedTemplateExpression(
            node,
            Debug.checkDefined(visitNode(node.tag, visitor2, isExpression)),
            /*typeArguments*/
            void 0,
            Debug.checkDefined(visitNode(node.template, visitor2, isTemplateLiteral))
          );
        }
        function visitJsxSelfClosingElement(node) {
          return factory2.updateJsxSelfClosingElement(
            node,
            Debug.checkDefined(visitNode(node.tagName, visitor2, isJsxTagNameExpression)),
            /*typeArguments*/
            void 0,
            Debug.checkDefined(visitNode(node.attributes, visitor2, isJsxAttributes))
          );
        }
        function visitJsxJsxOpeningElement(node) {
          return factory2.updateJsxOpeningElement(
            node,
            Debug.checkDefined(visitNode(node.tagName, visitor2, isJsxTagNameExpression)),
            /*typeArguments*/
            void 0,
            Debug.checkDefined(visitNode(node.attributes, visitor2, isJsxAttributes))
          );
        }
        function shouldEmitEnumDeclaration(node) {
          return !isEnumConst(node) || shouldPreserveConstEnums(compilerOptions);
        }
        function visitEnumDeclaration(node) {
          if (!shouldEmitEnumDeclaration(node)) {
            return factory2.createNotEmittedStatement(node);
          }
          const statements = [];
          let emitFlags = 4;
          const varAdded = addVarForEnumOrModuleDeclaration(statements, node);
          if (varAdded) {
            if (moduleKind !== 4 || currentLexicalScope !== currentSourceFile) {
              emitFlags |= 1024;
            }
          }
          const parameterName = getNamespaceParameterName(node);
          const containerName = getNamespaceContainerName(node);
          const exportName = isExportOfNamespace(node) ? factory2.getExternalModuleOrNamespaceExportName(
            currentNamespaceContainerName,
            node,
            /*allowComments*/
            false,
            /*allowSourceMaps*/
            true
          ) : factory2.getDeclarationName(
            node,
            /*allowComments*/
            false,
            /*allowSourceMaps*/
            true
          );
          let moduleArg = factory2.createLogicalOr(
            exportName,
            factory2.createAssignment(
              exportName,
              factory2.createObjectLiteralExpression()
            )
          );
          if (isExportOfNamespace(node)) {
            const localName = factory2.getLocalName(
              node,
              /*allowComments*/
              false,
              /*allowSourceMaps*/
              true
            );
            moduleArg = factory2.createAssignment(localName, moduleArg);
          }
          const enumStatement = factory2.createExpressionStatement(
            factory2.createCallExpression(
              factory2.createFunctionExpression(
                /*modifiers*/
                void 0,
                /*asteriskToken*/
                void 0,
                /*name*/
                void 0,
                /*typeParameters*/
                void 0,
                [factory2.createParameterDeclaration(
                  /*modifiers*/
                  void 0,
                  /*dotDotDotToken*/
                  void 0,
                  parameterName
                )],
                /*type*/
                void 0,
                transformEnumBody(node, containerName)
              ),
              /*typeArguments*/
              void 0,
              [moduleArg]
            )
          );
          setOriginalNode(enumStatement, node);
          if (varAdded) {
            setSyntheticLeadingComments(enumStatement, void 0);
            setSyntheticTrailingComments(enumStatement, void 0);
          }
          setTextRange(enumStatement, node);
          addEmitFlags(enumStatement, emitFlags);
          statements.push(enumStatement);
          return statements;
        }
        function transformEnumBody(node, localName) {
          const savedCurrentNamespaceLocalName = currentNamespaceContainerName;
          currentNamespaceContainerName = localName;
          const statements = [];
          startLexicalEnvironment();
          const members = map(node.members, transformEnumMember);
          insertStatementsAfterStandardPrologue(statements, endLexicalEnvironment());
          addRange(statements, members);
          currentNamespaceContainerName = savedCurrentNamespaceLocalName;
          return factory2.createBlock(
            setTextRange(
              factory2.createNodeArray(statements),
              /*location*/
              node.members
            ),
            /*multiLine*/
            true
          );
        }
        function transformEnumMember(member) {
          const name = getExpressionForPropertyName(
            member,
            /*generateNameForComputedPropertyName*/
            false
          );
          const evaluated = resolver.getEnumMemberValue(member);
          const valueExpression = transformEnumMemberDeclarationValue(member, evaluated == null ? void 0 : evaluated.value);
          const innerAssignment = factory2.createAssignment(
            factory2.createElementAccessExpression(
              currentNamespaceContainerName,
              name
            ),
            valueExpression
          );
          const outerAssignment = typeof (evaluated == null ? void 0 : evaluated.value) === "string" || (evaluated == null ? void 0 : evaluated.isSyntacticallyString) ? innerAssignment : factory2.createAssignment(
            factory2.createElementAccessExpression(
              currentNamespaceContainerName,
              innerAssignment
            ),
            name
          );
          return setTextRange(
            factory2.createExpressionStatement(
              setTextRange(
                outerAssignment,
                member
              )
            ),
            member
          );
        }
        function transformEnumMemberDeclarationValue(member, constantValue) {
          if (constantValue !== void 0) {
            return typeof constantValue === "string" ? factory2.createStringLiteral(constantValue) : constantValue < 0 ? factory2.createPrefixUnaryExpression(41, factory2.createNumericLiteral(-constantValue)) : factory2.createNumericLiteral(constantValue);
          } else {
            enableSubstitutionForNonQualifiedEnumMembers();
            if (member.initializer) {
              return Debug.checkDefined(visitNode(member.initializer, visitor2, isExpression));
            } else {
              return factory2.createVoidZero();
            }
          }
        }
        function shouldEmitModuleDeclaration(nodeIn) {
          const node = getParseTreeNode(nodeIn, isModuleDeclaration);
          if (!node) {
            return true;
          }
          return isInstantiatedModule(node, shouldPreserveConstEnums(compilerOptions));
        }
        function recordEmittedDeclarationInScope(node) {
          if (!currentScopeFirstDeclarationsOfName) {
            currentScopeFirstDeclarationsOfName = /* @__PURE__ */ new Map();
          }
          const name = declaredNameInScope(node);
          if (!currentScopeFirstDeclarationsOfName.has(name)) {
            currentScopeFirstDeclarationsOfName.set(name, node);
          }
        }
        function isFirstEmittedDeclarationInScope(node) {
          if (currentScopeFirstDeclarationsOfName) {
            const name = declaredNameInScope(node);
            return currentScopeFirstDeclarationsOfName.get(name) === node;
          }
          return true;
        }
        function declaredNameInScope(node) {
          Debug.assertNode(node.name, isIdentifier);
          return node.name.escapedText;
        }
        function addVarForEnumOrModuleDeclaration(statements, node) {
          const varDecl = factory2.createVariableDeclaration(factory2.getLocalName(
            node,
            /*allowComments*/
            false,
            /*allowSourceMaps*/
            true
          ));
          const varFlags = currentLexicalScope.kind === 307 ? 0 : 1;
          const statement = factory2.createVariableStatement(
            visitNodes2(node.modifiers, modifierVisitor, isModifier),
            factory2.createVariableDeclarationList([varDecl], varFlags)
          );
          setOriginalNode(varDecl, node);
          setSyntheticLeadingComments(varDecl, void 0);
          setSyntheticTrailingComments(varDecl, void 0);
          setOriginalNode(statement, node);
          recordEmittedDeclarationInScope(node);
          if (isFirstEmittedDeclarationInScope(node)) {
            if (node.kind === 266) {
              setSourceMapRange(statement.declarationList, node);
            } else {
              setSourceMapRange(statement, node);
            }
            setCommentRange(statement, node);
            addEmitFlags(
              statement,
              2048
              /* NoTrailingComments */
            );
            statements.push(statement);
            return true;
          }
          return false;
        }
        function visitModuleDeclaration(node) {
          if (!shouldEmitModuleDeclaration(node)) {
            return factory2.createNotEmittedStatement(node);
          }
          Debug.assertNode(node.name, isIdentifier, "A TypeScript namespace should have an Identifier name.");
          enableSubstitutionForNamespaceExports();
          const statements = [];
          let emitFlags = 4;
          const varAdded = addVarForEnumOrModuleDeclaration(statements, node);
          if (varAdded) {
            if (moduleKind !== 4 || currentLexicalScope !== currentSourceFile) {
              emitFlags |= 1024;
            }
          }
          const parameterName = getNamespaceParameterName(node);
          const containerName = getNamespaceContainerName(node);
          const exportName = isExportOfNamespace(node) ? factory2.getExternalModuleOrNamespaceExportName(
            currentNamespaceContainerName,
            node,
            /*allowComments*/
            false,
            /*allowSourceMaps*/
            true
          ) : factory2.getDeclarationName(
            node,
            /*allowComments*/
            false,
            /*allowSourceMaps*/
            true
          );
          let moduleArg = factory2.createLogicalOr(
            exportName,
            factory2.createAssignment(
              exportName,
              factory2.createObjectLiteralExpression()
            )
          );
          if (isExportOfNamespace(node)) {
            const localName = factory2.getLocalName(
              node,
              /*allowComments*/
              false,
              /*allowSourceMaps*/
              true
            );
            moduleArg = factory2.createAssignment(localName, moduleArg);
          }
          const moduleStatement = factory2.createExpressionStatement(
            factory2.createCallExpression(
              factory2.createFunctionExpression(
                /*modifiers*/
                void 0,
                /*asteriskToken*/
                void 0,
                /*name*/
                void 0,
                /*typeParameters*/
                void 0,
                [factory2.createParameterDeclaration(
                  /*modifiers*/
                  void 0,
                  /*dotDotDotToken*/
                  void 0,
                  parameterName
                )],
                /*type*/
                void 0,
                transformModuleBody(node, containerName)
              ),
              /*typeArguments*/
              void 0,
              [moduleArg]
            )
          );
          setOriginalNode(moduleStatement, node);
          if (varAdded) {
            setSyntheticLeadingComments(moduleStatement, void 0);
            setSyntheticTrailingComments(moduleStatement, void 0);
          }
          setTextRange(moduleStatement, node);
          addEmitFlags(moduleStatement, emitFlags);
          statements.push(moduleStatement);
          return statements;
        }
        function transformModuleBody(node, namespaceLocalName) {
          const savedCurrentNamespaceContainerName = currentNamespaceContainerName;
          const savedCurrentNamespace = currentNamespace;
          const savedCurrentScopeFirstDeclarationsOfName = currentScopeFirstDeclarationsOfName;
          currentNamespaceContainerName = namespaceLocalName;
          currentNamespace = node;
          currentScopeFirstDeclarationsOfName = void 0;
          const statements = [];
          startLexicalEnvironment();
          let statementsLocation;
          let blockLocation;
          if (node.body) {
            if (node.body.kind === 268) {
              saveStateAndInvoke(node.body, (body) => addRange(statements, visitNodes2(body.statements, namespaceElementVisitor, isStatement)));
              statementsLocation = node.body.statements;
              blockLocation = node.body;
            } else {
              const result = visitModuleDeclaration(node.body);
              if (result) {
                if (isArray3(result)) {
                  addRange(statements, result);
                } else {
                  statements.push(result);
                }
              }
              const moduleBlock = getInnerMostModuleDeclarationFromDottedModule(node).body;
              statementsLocation = moveRangePos(moduleBlock.statements, -1);
            }
          }
          insertStatementsAfterStandardPrologue(statements, endLexicalEnvironment());
          currentNamespaceContainerName = savedCurrentNamespaceContainerName;
          currentNamespace = savedCurrentNamespace;
          currentScopeFirstDeclarationsOfName = savedCurrentScopeFirstDeclarationsOfName;
          const block = factory2.createBlock(
            setTextRange(
              factory2.createNodeArray(statements),
              /*location*/
              statementsLocation
            ),
            /*multiLine*/
            true
          );
          setTextRange(block, blockLocation);
          if (!node.body || node.body.kind !== 268) {
            setEmitFlags(
              block,
              getEmitFlags(block) | 3072
              /* NoComments */
            );
          }
          return block;
        }
        function getInnerMostModuleDeclarationFromDottedModule(moduleDeclaration) {
          if (moduleDeclaration.body.kind === 267) {
            const recursiveInnerModule = getInnerMostModuleDeclarationFromDottedModule(moduleDeclaration.body);
            return recursiveInnerModule || moduleDeclaration.body;
          }
        }
        function visitImportDeclaration(node) {
          if (!node.importClause) {
            return node;
          }
          if (node.importClause.isTypeOnly) {
            return void 0;
          }
          const importClause = visitNode(node.importClause, visitImportClause, isImportClause);
          return importClause ? factory2.updateImportDeclaration(
            node,
            /*modifiers*/
            void 0,
            importClause,
            node.moduleSpecifier,
            node.attributes
          ) : void 0;
        }
        function visitImportClause(node) {
          Debug.assert(!node.isTypeOnly);
          const name = shouldEmitAliasDeclaration(node) ? node.name : void 0;
          const namedBindings = visitNode(node.namedBindings, visitNamedImportBindings, isNamedImportBindings);
          return name || namedBindings ? factory2.updateImportClause(
            node,
            /*isTypeOnly*/
            false,
            name,
            namedBindings
          ) : void 0;
        }
        function visitNamedImportBindings(node) {
          if (node.kind === 274) {
            return shouldEmitAliasDeclaration(node) ? node : void 0;
          } else {
            const allowEmpty = compilerOptions.verbatimModuleSyntax;
            const elements = visitNodes2(node.elements, visitImportSpecifier, isImportSpecifier);
            return allowEmpty || some(elements) ? factory2.updateNamedImports(node, elements) : void 0;
          }
        }
        function visitImportSpecifier(node) {
          return !node.isTypeOnly && shouldEmitAliasDeclaration(node) ? node : void 0;
        }
        function visitExportAssignment(node) {
          return compilerOptions.verbatimModuleSyntax || resolver.isValueAliasDeclaration(node) ? visitEachChild(node, visitor2, context) : void 0;
        }
        function visitExportDeclaration(node) {
          if (node.isTypeOnly) {
            return void 0;
          }
          if (!node.exportClause || isNamespaceExport(node.exportClause)) {
            return node;
          }
          const allowEmpty = !!compilerOptions.verbatimModuleSyntax;
          const exportClause = visitNode(
            node.exportClause,
            (bindings) => visitNamedExportBindings(bindings, allowEmpty),
            isNamedExportBindings
          );
          return exportClause ? factory2.updateExportDeclaration(
            node,
            /*modifiers*/
            void 0,
            node.isTypeOnly,
            exportClause,
            node.moduleSpecifier,
            node.attributes
          ) : void 0;
        }
        function visitNamedExports(node, allowEmpty) {
          const elements = visitNodes2(node.elements, visitExportSpecifier, isExportSpecifier);
          return allowEmpty || some(elements) ? factory2.updateNamedExports(node, elements) : void 0;
        }
        function visitNamespaceExports(node) {
          return factory2.updateNamespaceExport(node, Debug.checkDefined(visitNode(node.name, visitor2, isIdentifier)));
        }
        function visitNamedExportBindings(node, allowEmpty) {
          return isNamespaceExport(node) ? visitNamespaceExports(node) : visitNamedExports(node, allowEmpty);
        }
        function visitExportSpecifier(node) {
          return !node.isTypeOnly && (compilerOptions.verbatimModuleSyntax || resolver.isValueAliasDeclaration(node)) ? node : void 0;
        }
        function shouldEmitImportEqualsDeclaration(node) {
          return shouldEmitAliasDeclaration(node) || !isExternalModule(currentSourceFile) && resolver.isTopLevelValueImportEqualsWithEntityName(node);
        }
        function visitImportEqualsDeclaration(node) {
          if (node.isTypeOnly) {
            return void 0;
          }
          if (isExternalModuleImportEqualsDeclaration(node)) {
            const isReferenced = shouldEmitAliasDeclaration(node);
            return isReferenced ? visitEachChild(node, visitor2, context) : void 0;
          }
          if (!shouldEmitImportEqualsDeclaration(node)) {
            return void 0;
          }
          const moduleReference = createExpressionFromEntityName(factory2, node.moduleReference);
          setEmitFlags(
            moduleReference,
            3072 | 4096
            /* NoNestedComments */
          );
          if (isNamedExternalModuleExport(node) || !isExportOfNamespace(node)) {
            return setOriginalNode(
              setTextRange(
                factory2.createVariableStatement(
                  visitNodes2(node.modifiers, modifierVisitor, isModifier),
                  factory2.createVariableDeclarationList([
                    setOriginalNode(
                      factory2.createVariableDeclaration(
                        node.name,
                        /*exclamationToken*/
                        void 0,
                        /*type*/
                        void 0,
                        moduleReference
                      ),
                      node
                    )
                  ])
                ),
                node
              ),
              node
            );
          } else {
            return setOriginalNode(
              createNamespaceExport(
                node.name,
                moduleReference,
                node
              ),
              node
            );
          }
        }
        function isExportOfNamespace(node) {
          return currentNamespace !== void 0 && hasSyntacticModifier(
            node,
            32
            /* Export */
          );
        }
        function isExternalModuleExport(node) {
          return currentNamespace === void 0 && hasSyntacticModifier(
            node,
            32
            /* Export */
          );
        }
        function isNamedExternalModuleExport(node) {
          return isExternalModuleExport(node) && !hasSyntacticModifier(
            node,
            2048
            /* Default */
          );
        }
        function isDefaultExternalModuleExport(node) {
          return isExternalModuleExport(node) && hasSyntacticModifier(
            node,
            2048
            /* Default */
          );
        }
        function createExportMemberAssignmentStatement(node) {
          const expression = factory2.createAssignment(
            factory2.getExternalModuleOrNamespaceExportName(
              currentNamespaceContainerName,
              node,
              /*allowComments*/
              false,
              /*allowSourceMaps*/
              true
            ),
            factory2.getLocalName(node)
          );
          setSourceMapRange(expression, createRange(node.name ? node.name.pos : node.pos, node.end));
          const statement = factory2.createExpressionStatement(expression);
          setSourceMapRange(statement, createRange(-1, node.end));
          return statement;
        }
        function addExportMemberAssignment(statements, node) {
          statements.push(createExportMemberAssignmentStatement(node));
        }
        function createNamespaceExport(exportName, exportValue, location) {
          return setTextRange(
            factory2.createExpressionStatement(
              factory2.createAssignment(
                factory2.getNamespaceMemberName(
                  currentNamespaceContainerName,
                  exportName,
                  /*allowComments*/
                  false,
                  /*allowSourceMaps*/
                  true
                ),
                exportValue
              )
            ),
            location
          );
        }
        function createNamespaceExportExpression(exportName, exportValue, location) {
          return setTextRange(factory2.createAssignment(getNamespaceMemberNameWithSourceMapsAndWithoutComments(exportName), exportValue), location);
        }
        function getNamespaceMemberNameWithSourceMapsAndWithoutComments(name) {
          return factory2.getNamespaceMemberName(
            currentNamespaceContainerName,
            name,
            /*allowComments*/
            false,
            /*allowSourceMaps*/
            true
          );
        }
        function getNamespaceParameterName(node) {
          const name = factory2.getGeneratedNameForNode(node);
          setSourceMapRange(name, node.name);
          return name;
        }
        function getNamespaceContainerName(node) {
          return factory2.getGeneratedNameForNode(node);
        }
        function enableSubstitutionForNonQualifiedEnumMembers() {
          if ((enabledSubstitutions & 8) === 0) {
            enabledSubstitutions |= 8;
            context.enableSubstitution(
              80
              /* Identifier */
            );
          }
        }
        function enableSubstitutionForNamespaceExports() {
          if ((enabledSubstitutions & 2) === 0) {
            enabledSubstitutions |= 2;
            context.enableSubstitution(
              80
              /* Identifier */
            );
            context.enableSubstitution(
              304
              /* ShorthandPropertyAssignment */
            );
            context.enableEmitNotification(
              267
              /* ModuleDeclaration */
            );
          }
        }
        function isTransformedModuleDeclaration(node) {
          return getOriginalNode(node).kind === 267;
        }
        function isTransformedEnumDeclaration(node) {
          return getOriginalNode(node).kind === 266;
        }
        function onEmitNode(hint, node, emitCallback) {
          const savedApplicableSubstitutions = applicableSubstitutions;
          const savedCurrentSourceFile = currentSourceFile;
          if (isSourceFile(node)) {
            currentSourceFile = node;
          }
          if (enabledSubstitutions & 2 && isTransformedModuleDeclaration(node)) {
            applicableSubstitutions |= 2;
          }
          if (enabledSubstitutions & 8 && isTransformedEnumDeclaration(node)) {
            applicableSubstitutions |= 8;
          }
          previousOnEmitNode(hint, node, emitCallback);
          applicableSubstitutions = savedApplicableSubstitutions;
          currentSourceFile = savedCurrentSourceFile;
        }
        function onSubstituteNode(hint, node) {
          node = previousOnSubstituteNode(hint, node);
          if (hint === 1) {
            return substituteExpression(node);
          } else if (isShorthandPropertyAssignment(node)) {
            return substituteShorthandPropertyAssignment(node);
          }
          return node;
        }
        function substituteShorthandPropertyAssignment(node) {
          if (enabledSubstitutions & 2) {
            const name = node.name;
            const exportedName = trySubstituteNamespaceExportedName(name);
            if (exportedName) {
              if (node.objectAssignmentInitializer) {
                const initializer = factory2.createAssignment(exportedName, node.objectAssignmentInitializer);
                return setTextRange(factory2.createPropertyAssignment(name, initializer), node);
              }
              return setTextRange(factory2.createPropertyAssignment(name, exportedName), node);
            }
          }
          return node;
        }
        function substituteExpression(node) {
          switch (node.kind) {
            case 80:
              return substituteExpressionIdentifier(node);
            case 211:
              return substitutePropertyAccessExpression(node);
            case 212:
              return substituteElementAccessExpression(node);
          }
          return node;
        }
        function substituteExpressionIdentifier(node) {
          return trySubstituteNamespaceExportedName(node) || node;
        }
        function trySubstituteNamespaceExportedName(node) {
          if (enabledSubstitutions & applicableSubstitutions && !isGeneratedIdentifier(node) && !isLocalName(node)) {
            const container = resolver.getReferencedExportContainer(
              node,
              /*prefixLocals*/
              false
            );
            if (container && container.kind !== 307) {
              const substitute = applicableSubstitutions & 2 && container.kind === 267 || applicableSubstitutions & 8 && container.kind === 266;
              if (substitute) {
                return setTextRange(
                  factory2.createPropertyAccessExpression(factory2.getGeneratedNameForNode(container), node),
                  /*location*/
                  node
                );
              }
            }
          }
          return void 0;
        }
        function substitutePropertyAccessExpression(node) {
          return substituteConstantValue(node);
        }
        function substituteElementAccessExpression(node) {
          return substituteConstantValue(node);
        }
        function safeMultiLineComment(value) {
          return value.replace(/\*\//g, "*_/");
        }
        function substituteConstantValue(node) {
          const constantValue = tryGetConstEnumValue(node);
          if (constantValue !== void 0) {
            setConstantValue(node, constantValue);
            const substitute = typeof constantValue === "string" ? factory2.createStringLiteral(constantValue) : constantValue < 0 ? factory2.createPrefixUnaryExpression(41, factory2.createNumericLiteral(-constantValue)) : factory2.createNumericLiteral(constantValue);
            if (!compilerOptions.removeComments) {
              const originalNode = getOriginalNode(node, isAccessExpression);
              addSyntheticTrailingComment(substitute, 3, ` ${safeMultiLineComment(getTextOfNode(originalNode))} `);
            }
            return substitute;
          }
          return node;
        }
        function tryGetConstEnumValue(node) {
          if (getIsolatedModules(compilerOptions)) {
            return void 0;
          }
          return isPropertyAccessExpression(node) || isElementAccessExpression(node) ? resolver.getConstantValue(node) : void 0;
        }
        function shouldEmitAliasDeclaration(node) {
          return compilerOptions.verbatimModuleSyntax || isInJSFile(node) || resolver.isReferencedAliasDeclaration(node);
        }
      }
      function transformClassFields(context) {
        const {
          factory: factory2,
          getEmitHelperFactory: emitHelpers,
          hoistVariableDeclaration,
          endLexicalEnvironment,
          startLexicalEnvironment,
          resumeLexicalEnvironment,
          addBlockScopedVariable
        } = context;
        const resolver = context.getEmitResolver();
        const compilerOptions = context.getCompilerOptions();
        const languageVersion = getEmitScriptTarget(compilerOptions);
        const useDefineForClassFields = getUseDefineForClassFields(compilerOptions);
        const legacyDecorators = !!compilerOptions.experimentalDecorators;
        const shouldTransformInitializersUsingSet = !useDefineForClassFields;
        const shouldTransformInitializersUsingDefine = useDefineForClassFields && languageVersion < 9;
        const shouldTransformInitializers = shouldTransformInitializersUsingSet || shouldTransformInitializersUsingDefine;
        const shouldTransformPrivateElementsOrClassStaticBlocks = languageVersion < 9;
        const shouldTransformAutoAccessors = languageVersion < 99 ? -1 : !useDefineForClassFields ? 3 : 0;
        const shouldTransformThisInStaticInitializers = languageVersion < 9;
        const shouldTransformSuperInStaticInitializers = shouldTransformThisInStaticInitializers && languageVersion >= 2;
        const shouldTransformAnything = shouldTransformInitializers || shouldTransformPrivateElementsOrClassStaticBlocks || shouldTransformAutoAccessors === -1;
        const previousOnSubstituteNode = context.onSubstituteNode;
        context.onSubstituteNode = onSubstituteNode;
        const previousOnEmitNode = context.onEmitNode;
        context.onEmitNode = onEmitNode;
        let shouldTransformPrivateStaticElementsInFile = false;
        let enabledSubstitutions;
        let classAliases;
        let pendingExpressions;
        let pendingStatements;
        let lexicalEnvironment;
        const lexicalEnvironmentMap = /* @__PURE__ */ new Map();
        const noSubstitution = /* @__PURE__ */ new Set();
        let currentClassContainer;
        let currentClassElement;
        let shouldSubstituteThisWithClassThis = false;
        let previousShouldSubstituteThisWithClassThis = false;
        return chainBundle(context, transformSourceFile);
        function transformSourceFile(node) {
          if (node.isDeclarationFile) {
            return node;
          }
          lexicalEnvironment = void 0;
          shouldTransformPrivateStaticElementsInFile = !!(getInternalEmitFlags(node) & 32);
          if (!shouldTransformAnything && !shouldTransformPrivateStaticElementsInFile) {
            return node;
          }
          const visited = visitEachChild(node, visitor2, context);
          addEmitHelpers(visited, context.readEmitHelpers());
          return visited;
        }
        function modifierVisitor(node) {
          switch (node.kind) {
            case 129:
              return shouldTransformAutoAccessorsInCurrentClass() ? void 0 : node;
            default:
              return tryCast(node, isModifier);
          }
        }
        function visitor2(node) {
          if (!(node.transformFlags & 16777216) && !(node.transformFlags & 134234112)) {
            return node;
          }
          switch (node.kind) {
            case 129:
              return Debug.fail("Use `modifierVisitor` instead.");
            case 263:
              return visitClassDeclaration(node);
            case 231:
              return visitClassExpression(node);
            case 175:
            case 172:
              return Debug.fail("Use `classElementVisitor` instead.");
            case 303:
              return visitPropertyAssignment(node);
            case 243:
              return visitVariableStatement(node);
            case 260:
              return visitVariableDeclaration(node);
            case 169:
              return visitParameterDeclaration(node);
            case 208:
              return visitBindingElement(node);
            case 277:
              return visitExportAssignment(node);
            case 81:
              return visitPrivateIdentifier(node);
            case 211:
              return visitPropertyAccessExpression(node);
            case 212:
              return visitElementAccessExpression(node);
            case 224:
            case 225:
              return visitPreOrPostfixUnaryExpression(
                node,
                /*discarded*/
                false
              );
            case 226:
              return visitBinaryExpression(
                node,
                /*discarded*/
                false
              );
            case 217:
              return visitParenthesizedExpression(
                node,
                /*discarded*/
                false
              );
            case 213:
              return visitCallExpression(node);
            case 244:
              return visitExpressionStatement(node);
            case 215:
              return visitTaggedTemplateExpression(node);
            case 248:
              return visitForStatement(node);
            case 110:
              return visitThisExpression(node);
            case 262:
            case 218:
              return setCurrentClassElementAnd(
                /*classElement*/
                void 0,
                fallbackVisitor,
                node
              );
            case 176:
            case 174:
            case 177:
            case 178: {
              return setCurrentClassElementAnd(
                node,
                fallbackVisitor,
                node
              );
            }
            default:
              return fallbackVisitor(node);
          }
        }
        function fallbackVisitor(node) {
          return visitEachChild(node, visitor2, context);
        }
        function discardedValueVisitor(node) {
          switch (node.kind) {
            case 224:
            case 225:
              return visitPreOrPostfixUnaryExpression(
                node,
                /*discarded*/
                true
              );
            case 226:
              return visitBinaryExpression(
                node,
                /*discarded*/
                true
              );
            case 355:
              return visitCommaListExpression(
                node,
                /*discarded*/
                true
              );
            case 217:
              return visitParenthesizedExpression(
                node,
                /*discarded*/
                true
              );
            default:
              return visitor2(node);
          }
        }
        function heritageClauseVisitor(node) {
          switch (node.kind) {
            case 298:
              return visitEachChild(node, heritageClauseVisitor, context);
            case 233:
              return visitExpressionWithTypeArgumentsInHeritageClause(node);
            default:
              return visitor2(node);
          }
        }
        function assignmentTargetVisitor(node) {
          switch (node.kind) {
            case 210:
            case 209:
              return visitAssignmentPattern(node);
            default:
              return visitor2(node);
          }
        }
        function classElementVisitor(node) {
          switch (node.kind) {
            case 176:
              return setCurrentClassElementAnd(
                node,
                visitConstructorDeclaration,
                node
              );
            case 177:
            case 178:
            case 174:
              return setCurrentClassElementAnd(
                node,
                visitMethodOrAccessorDeclaration,
                node
              );
            case 172:
              return setCurrentClassElementAnd(
                node,
                visitPropertyDeclaration,
                node
              );
            case 175:
              return setCurrentClassElementAnd(
                node,
                visitClassStaticBlockDeclaration,
                node
              );
            case 167:
              return visitComputedPropertyName(node);
            case 240:
              return node;
            default:
              return isModifierLike(node) ? modifierVisitor(node) : visitor2(node);
          }
        }
        function propertyNameVisitor(node) {
          switch (node.kind) {
            case 167:
              return visitComputedPropertyName(node);
            default:
              return visitor2(node);
          }
        }
        function accessorFieldResultVisitor(node) {
          switch (node.kind) {
            case 172:
              return transformFieldInitializer(node);
            case 177:
            case 178:
              return classElementVisitor(node);
            default:
              Debug.assertMissingNode(node, "Expected node to either be a PropertyDeclaration, GetAccessorDeclaration, or SetAccessorDeclaration");
              break;
          }
        }
        function visitPrivateIdentifier(node) {
          if (!shouldTransformPrivateElementsOrClassStaticBlocks) {
            return node;
          }
          if (isStatement(node.parent)) {
            return node;
          }
          return setOriginalNode(factory2.createIdentifier(""), node);
        }
        function transformPrivateIdentifierInInExpression(node) {
          const info = accessPrivateIdentifier2(node.left);
          if (info) {
            const receiver = visitNode(node.right, visitor2, isExpression);
            return setOriginalNode(
              emitHelpers().createClassPrivateFieldInHelper(info.brandCheckIdentifier, receiver),
              node
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitPropertyAssignment(node) {
          if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
            node = transformNamedEvaluation(context, node);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitVariableStatement(node) {
          const savedPendingStatements = pendingStatements;
          pendingStatements = [];
          const visitedNode = visitEachChild(node, visitor2, context);
          const statement = some(pendingStatements) ? [visitedNode, ...pendingStatements] : visitedNode;
          pendingStatements = savedPendingStatements;
          return statement;
        }
        function visitVariableDeclaration(node) {
          if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
            node = transformNamedEvaluation(context, node);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitParameterDeclaration(node) {
          if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
            node = transformNamedEvaluation(context, node);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitBindingElement(node) {
          if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
            node = transformNamedEvaluation(context, node);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitExportAssignment(node) {
          if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
            node = transformNamedEvaluation(
              context,
              node,
              /*ignoreEmptyStringLiteral*/
              true,
              node.isExportEquals ? "" : "default"
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function injectPendingExpressions(expression) {
          if (some(pendingExpressions)) {
            if (isParenthesizedExpression(expression)) {
              pendingExpressions.push(expression.expression);
              expression = factory2.updateParenthesizedExpression(expression, factory2.inlineExpressions(pendingExpressions));
            } else {
              pendingExpressions.push(expression);
              expression = factory2.inlineExpressions(pendingExpressions);
            }
            pendingExpressions = void 0;
          }
          return expression;
        }
        function visitComputedPropertyName(node) {
          const expression = visitNode(node.expression, visitor2, isExpression);
          return factory2.updateComputedPropertyName(node, injectPendingExpressions(expression));
        }
        function visitConstructorDeclaration(node) {
          if (currentClassContainer) {
            return transformConstructor(node, currentClassContainer);
          }
          return fallbackVisitor(node);
        }
        function shouldTransformClassElementToWeakMap(node) {
          if (shouldTransformPrivateElementsOrClassStaticBlocks) return true;
          if (hasStaticModifier(node) && getInternalEmitFlags(node) & 32) return true;
          return false;
        }
        function visitMethodOrAccessorDeclaration(node) {
          Debug.assert(!hasDecorators(node));
          if (!isPrivateIdentifierClassElementDeclaration(node) || !shouldTransformClassElementToWeakMap(node)) {
            return visitEachChild(node, classElementVisitor, context);
          }
          const info = accessPrivateIdentifier2(node.name);
          Debug.assert(info, "Undeclared private name for property declaration.");
          if (!info.isValid) {
            return node;
          }
          const functionName = getHoistedFunctionName(node);
          if (functionName) {
            getPendingExpressions().push(
              factory2.createAssignment(
                functionName,
                factory2.createFunctionExpression(
                  filter(node.modifiers, (m) => isModifier(m) && !isStaticModifier(m) && !isAccessorModifier(m)),
                  node.asteriskToken,
                  functionName,
                  /*typeParameters*/
                  void 0,
                  visitParameterList(node.parameters, visitor2, context),
                  /*type*/
                  void 0,
                  visitFunctionBody(node.body, visitor2, context)
                )
              )
            );
          }
          return void 0;
        }
        function setCurrentClassElementAnd(classElement, visitor22, arg) {
          if (classElement !== currentClassElement) {
            const savedCurrentClassElement = currentClassElement;
            currentClassElement = classElement;
            const result = visitor22(arg);
            currentClassElement = savedCurrentClassElement;
            return result;
          }
          return visitor22(arg);
        }
        function getHoistedFunctionName(node) {
          Debug.assert(isPrivateIdentifier(node.name));
          const info = accessPrivateIdentifier2(node.name);
          Debug.assert(info, "Undeclared private name for property declaration.");
          if (info.kind === "m") {
            return info.methodName;
          }
          if (info.kind === "a") {
            if (isGetAccessor(node)) {
              return info.getterName;
            }
            if (isSetAccessor(node)) {
              return info.setterName;
            }
          }
        }
        function tryGetClassThis() {
          const lex = getClassLexicalEnvironment();
          return lex.classThis ?? lex.classConstructor ?? (currentClassContainer == null ? void 0 : currentClassContainer.name);
        }
        function transformAutoAccessor(node) {
          const commentRange = getCommentRange(node);
          const sourceMapRange = getSourceMapRange(node);
          const name = node.name;
          let getterName = name;
          let setterName = name;
          if (isComputedPropertyName(name) && !isSimpleInlineableExpression(name.expression)) {
            const cacheAssignment = findComputedPropertyNameCacheAssignment(name);
            if (cacheAssignment) {
              getterName = factory2.updateComputedPropertyName(name, visitNode(name.expression, visitor2, isExpression));
              setterName = factory2.updateComputedPropertyName(name, cacheAssignment.left);
            } else {
              const temp = factory2.createTempVariable(hoistVariableDeclaration);
              setSourceMapRange(temp, name.expression);
              const expression = visitNode(name.expression, visitor2, isExpression);
              const assignment = factory2.createAssignment(temp, expression);
              setSourceMapRange(assignment, name.expression);
              getterName = factory2.updateComputedPropertyName(name, assignment);
              setterName = factory2.updateComputedPropertyName(name, temp);
            }
          }
          const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier);
          const backingField = createAccessorPropertyBackingField(factory2, node, modifiers, node.initializer);
          setOriginalNode(backingField, node);
          setEmitFlags(
            backingField,
            3072
            /* NoComments */
          );
          setSourceMapRange(backingField, sourceMapRange);
          const receiver = isStatic(node) ? tryGetClassThis() ?? factory2.createThis() : factory2.createThis();
          const getter = createAccessorPropertyGetRedirector(factory2, node, modifiers, getterName, receiver);
          setOriginalNode(getter, node);
          setCommentRange(getter, commentRange);
          setSourceMapRange(getter, sourceMapRange);
          const setterModifiers = factory2.createModifiersFromModifierFlags(modifiersToFlags(modifiers));
          const setter = createAccessorPropertySetRedirector(factory2, node, setterModifiers, setterName, receiver);
          setOriginalNode(setter, node);
          setEmitFlags(
            setter,
            3072
            /* NoComments */
          );
          setSourceMapRange(setter, sourceMapRange);
          return visitArray([backingField, getter, setter], accessorFieldResultVisitor, isClassElement);
        }
        function transformPrivateFieldInitializer(node) {
          if (shouldTransformClassElementToWeakMap(node)) {
            const info = accessPrivateIdentifier2(node.name);
            Debug.assert(info, "Undeclared private name for property declaration.");
            if (!info.isValid) {
              return node;
            }
            if (info.isStatic && !shouldTransformPrivateElementsOrClassStaticBlocks) {
              const statement = transformPropertyOrClassStaticBlock(node, factory2.createThis());
              if (statement) {
                return factory2.createClassStaticBlockDeclaration(factory2.createBlock(
                  [statement],
                  /*multiLine*/
                  true
                ));
              }
            }
            return void 0;
          }
          if (shouldTransformInitializersUsingSet && !isStatic(node) && (lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) && lexicalEnvironment.data.facts & 16) {
            return factory2.updatePropertyDeclaration(
              node,
              visitNodes2(node.modifiers, visitor2, isModifierLike),
              node.name,
              /*questionOrExclamationToken*/
              void 0,
              /*type*/
              void 0,
              /*initializer*/
              void 0
            );
          }
          if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
            node = transformNamedEvaluation(context, node);
          }
          return factory2.updatePropertyDeclaration(
            node,
            visitNodes2(node.modifiers, modifierVisitor, isModifier),
            visitNode(node.name, propertyNameVisitor, isPropertyName),
            /*questionOrExclamationToken*/
            void 0,
            /*type*/
            void 0,
            visitNode(node.initializer, visitor2, isExpression)
          );
        }
        function transformPublicFieldInitializer(node) {
          if (shouldTransformInitializers && !isAutoAccessorPropertyDeclaration(node)) {
            const expr = getPropertyNameExpressionIfNeeded(
              node.name,
              /*shouldHoist*/
              !!node.initializer || useDefineForClassFields
            );
            if (expr) {
              getPendingExpressions().push(...flattenCommaList(expr));
            }
            if (isStatic(node) && !shouldTransformPrivateElementsOrClassStaticBlocks) {
              const initializerStatement = transformPropertyOrClassStaticBlock(node, factory2.createThis());
              if (initializerStatement) {
                const staticBlock = factory2.createClassStaticBlockDeclaration(
                  factory2.createBlock([initializerStatement])
                );
                setOriginalNode(staticBlock, node);
                setCommentRange(staticBlock, node);
                setCommentRange(initializerStatement, { pos: -1, end: -1 });
                setSyntheticLeadingComments(initializerStatement, void 0);
                setSyntheticTrailingComments(initializerStatement, void 0);
                return staticBlock;
              }
            }
            return void 0;
          }
          return factory2.updatePropertyDeclaration(
            node,
            visitNodes2(node.modifiers, modifierVisitor, isModifier),
            visitNode(node.name, propertyNameVisitor, isPropertyName),
            /*questionOrExclamationToken*/
            void 0,
            /*type*/
            void 0,
            visitNode(node.initializer, visitor2, isExpression)
          );
        }
        function transformFieldInitializer(node) {
          Debug.assert(!hasDecorators(node), "Decorators should already have been transformed and elided.");
          return isPrivateIdentifierClassElementDeclaration(node) ? transformPrivateFieldInitializer(node) : transformPublicFieldInitializer(node);
        }
        function shouldTransformAutoAccessorsInCurrentClass() {
          return shouldTransformAutoAccessors === -1 || shouldTransformAutoAccessors === 3 && !!(lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) && !!(lexicalEnvironment.data.facts & 16);
        }
        function visitPropertyDeclaration(node) {
          if (isAutoAccessorPropertyDeclaration(node) && (shouldTransformAutoAccessorsInCurrentClass() || hasStaticModifier(node) && getInternalEmitFlags(node) & 32)) {
            return transformAutoAccessor(node);
          }
          return transformFieldInitializer(node);
        }
        function shouldForceDynamicThis() {
          return !!currentClassElement && hasStaticModifier(currentClassElement) && isAccessor(currentClassElement) && isAutoAccessorPropertyDeclaration(getOriginalNode(currentClassElement));
        }
        function ensureDynamicThisIfNeeded(node) {
          if (shouldForceDynamicThis()) {
            const innerExpression = skipOuterExpressions(node);
            if (innerExpression.kind === 110) {
              noSubstitution.add(innerExpression);
            }
          }
        }
        function createPrivateIdentifierAccess(info, receiver) {
          receiver = visitNode(receiver, visitor2, isExpression);
          ensureDynamicThisIfNeeded(receiver);
          return createPrivateIdentifierAccessHelper(info, receiver);
        }
        function createPrivateIdentifierAccessHelper(info, receiver) {
          setCommentRange(receiver, moveRangePos(receiver, -1));
          switch (info.kind) {
            case "a":
              return emitHelpers().createClassPrivateFieldGetHelper(
                receiver,
                info.brandCheckIdentifier,
                info.kind,
                info.getterName
              );
            case "m":
              return emitHelpers().createClassPrivateFieldGetHelper(
                receiver,
                info.brandCheckIdentifier,
                info.kind,
                info.methodName
              );
            case "f":
              return emitHelpers().createClassPrivateFieldGetHelper(
                receiver,
                info.brandCheckIdentifier,
                info.kind,
                info.isStatic ? info.variableName : void 0
              );
            case "untransformed":
              return Debug.fail("Access helpers should not be created for untransformed private elements");
            default:
              Debug.assertNever(info, "Unknown private element type");
          }
        }
        function visitPropertyAccessExpression(node) {
          if (isPrivateIdentifier(node.name)) {
            const privateIdentifierInfo = accessPrivateIdentifier2(node.name);
            if (privateIdentifierInfo) {
              return setTextRange(
                setOriginalNode(
                  createPrivateIdentifierAccess(privateIdentifierInfo, node.expression),
                  node
                ),
                node
              );
            }
          }
          if (shouldTransformSuperInStaticInitializers && currentClassElement && isSuperProperty(node) && isIdentifier(node.name) && isStaticPropertyDeclarationOrClassStaticBlock(currentClassElement) && (lexicalEnvironment == null ? void 0 : lexicalEnvironment.data)) {
            const { classConstructor, superClassReference, facts } = lexicalEnvironment.data;
            if (facts & 1) {
              return visitInvalidSuperProperty(node);
            }
            if (classConstructor && superClassReference) {
              const superProperty = factory2.createReflectGetCall(
                superClassReference,
                factory2.createStringLiteralFromNode(node.name),
                classConstructor
              );
              setOriginalNode(superProperty, node.expression);
              setTextRange(superProperty, node.expression);
              return superProperty;
            }
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitElementAccessExpression(node) {
          if (shouldTransformSuperInStaticInitializers && currentClassElement && isSuperProperty(node) && isStaticPropertyDeclarationOrClassStaticBlock(currentClassElement) && (lexicalEnvironment == null ? void 0 : lexicalEnvironment.data)) {
            const { classConstructor, superClassReference, facts } = lexicalEnvironment.data;
            if (facts & 1) {
              return visitInvalidSuperProperty(node);
            }
            if (classConstructor && superClassReference) {
              const superProperty = factory2.createReflectGetCall(
                superClassReference,
                visitNode(node.argumentExpression, visitor2, isExpression),
                classConstructor
              );
              setOriginalNode(superProperty, node.expression);
              setTextRange(superProperty, node.expression);
              return superProperty;
            }
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitPreOrPostfixUnaryExpression(node, discarded) {
          if (node.operator === 46 || node.operator === 47) {
            const operand = skipParentheses(node.operand);
            if (isPrivateIdentifierPropertyAccessExpression(operand)) {
              let info;
              if (info = accessPrivateIdentifier2(operand.name)) {
                const receiver = visitNode(operand.expression, visitor2, isExpression);
                ensureDynamicThisIfNeeded(receiver);
                const { readExpression, initializeExpression } = createCopiableReceiverExpr(receiver);
                let expression = createPrivateIdentifierAccess(info, readExpression);
                const temp = isPrefixUnaryExpression(node) || discarded ? void 0 : factory2.createTempVariable(hoistVariableDeclaration);
                expression = expandPreOrPostfixIncrementOrDecrementExpression(factory2, node, expression, hoistVariableDeclaration, temp);
                expression = createPrivateIdentifierAssignment(
                  info,
                  initializeExpression || readExpression,
                  expression,
                  64
                  /* EqualsToken */
                );
                setOriginalNode(expression, node);
                setTextRange(expression, node);
                if (temp) {
                  expression = factory2.createComma(expression, temp);
                  setTextRange(expression, node);
                }
                return expression;
              }
            } else if (shouldTransformSuperInStaticInitializers && currentClassElement && isSuperProperty(operand) && isStaticPropertyDeclarationOrClassStaticBlock(currentClassElement) && (lexicalEnvironment == null ? void 0 : lexicalEnvironment.data)) {
              const { classConstructor, superClassReference, facts } = lexicalEnvironment.data;
              if (facts & 1) {
                const expression = visitInvalidSuperProperty(operand);
                return isPrefixUnaryExpression(node) ? factory2.updatePrefixUnaryExpression(node, expression) : factory2.updatePostfixUnaryExpression(node, expression);
              }
              if (classConstructor && superClassReference) {
                let setterName;
                let getterName;
                if (isPropertyAccessExpression(operand)) {
                  if (isIdentifier(operand.name)) {
                    getterName = setterName = factory2.createStringLiteralFromNode(operand.name);
                  }
                } else {
                  if (isSimpleInlineableExpression(operand.argumentExpression)) {
                    getterName = setterName = operand.argumentExpression;
                  } else {
                    getterName = factory2.createTempVariable(hoistVariableDeclaration);
                    setterName = factory2.createAssignment(getterName, visitNode(operand.argumentExpression, visitor2, isExpression));
                  }
                }
                if (setterName && getterName) {
                  let expression = factory2.createReflectGetCall(superClassReference, getterName, classConstructor);
                  setTextRange(expression, operand);
                  const temp = discarded ? void 0 : factory2.createTempVariable(hoistVariableDeclaration);
                  expression = expandPreOrPostfixIncrementOrDecrementExpression(factory2, node, expression, hoistVariableDeclaration, temp);
                  expression = factory2.createReflectSetCall(superClassReference, setterName, expression, classConstructor);
                  setOriginalNode(expression, node);
                  setTextRange(expression, node);
                  if (temp) {
                    expression = factory2.createComma(expression, temp);
                    setTextRange(expression, node);
                  }
                  return expression;
                }
              }
            }
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitForStatement(node) {
          return factory2.updateForStatement(
            node,
            visitNode(node.initializer, discardedValueVisitor, isForInitializer),
            visitNode(node.condition, visitor2, isExpression),
            visitNode(node.incrementor, discardedValueVisitor, isExpression),
            visitIterationBody(node.statement, visitor2, context)
          );
        }
        function visitExpressionStatement(node) {
          return factory2.updateExpressionStatement(
            node,
            visitNode(node.expression, discardedValueVisitor, isExpression)
          );
        }
        function createCopiableReceiverExpr(receiver) {
          const clone2 = nodeIsSynthesized(receiver) ? receiver : factory2.cloneNode(receiver);
          if (receiver.kind === 110 && noSubstitution.has(receiver)) {
            noSubstitution.add(clone2);
          }
          if (isSimpleInlineableExpression(receiver)) {
            return { readExpression: clone2, initializeExpression: void 0 };
          }
          const readExpression = factory2.createTempVariable(hoistVariableDeclaration);
          const initializeExpression = factory2.createAssignment(readExpression, clone2);
          return { readExpression, initializeExpression };
        }
        function visitCallExpression(node) {
          var _a;
          if (isPrivateIdentifierPropertyAccessExpression(node.expression) && accessPrivateIdentifier2(node.expression.name)) {
            const { thisArg, target } = factory2.createCallBinding(node.expression, hoistVariableDeclaration, languageVersion);
            if (isCallChain(node)) {
              return factory2.updateCallChain(
                node,
                factory2.createPropertyAccessChain(visitNode(target, visitor2, isExpression), node.questionDotToken, "call"),
                /*questionDotToken*/
                void 0,
                /*typeArguments*/
                void 0,
                [visitNode(thisArg, visitor2, isExpression), ...visitNodes2(node.arguments, visitor2, isExpression)]
              );
            }
            return factory2.updateCallExpression(
              node,
              factory2.createPropertyAccessExpression(visitNode(target, visitor2, isExpression), "call"),
              /*typeArguments*/
              void 0,
              [visitNode(thisArg, visitor2, isExpression), ...visitNodes2(node.arguments, visitor2, isExpression)]
            );
          }
          if (shouldTransformSuperInStaticInitializers && currentClassElement && isSuperProperty(node.expression) && isStaticPropertyDeclarationOrClassStaticBlock(currentClassElement) && ((_a = lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) == null ? void 0 : _a.classConstructor)) {
            const invocation = factory2.createFunctionCallCall(
              visitNode(node.expression, visitor2, isExpression),
              lexicalEnvironment.data.classConstructor,
              visitNodes2(node.arguments, visitor2, isExpression)
            );
            setOriginalNode(invocation, node);
            setTextRange(invocation, node);
            return invocation;
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitTaggedTemplateExpression(node) {
          var _a;
          if (isPrivateIdentifierPropertyAccessExpression(node.tag) && accessPrivateIdentifier2(node.tag.name)) {
            const { thisArg, target } = factory2.createCallBinding(node.tag, hoistVariableDeclaration, languageVersion);
            return factory2.updateTaggedTemplateExpression(
              node,
              factory2.createCallExpression(
                factory2.createPropertyAccessExpression(visitNode(target, visitor2, isExpression), "bind"),
                /*typeArguments*/
                void 0,
                [visitNode(thisArg, visitor2, isExpression)]
              ),
              /*typeArguments*/
              void 0,
              visitNode(node.template, visitor2, isTemplateLiteral)
            );
          }
          if (shouldTransformSuperInStaticInitializers && currentClassElement && isSuperProperty(node.tag) && isStaticPropertyDeclarationOrClassStaticBlock(currentClassElement) && ((_a = lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) == null ? void 0 : _a.classConstructor)) {
            const invocation = factory2.createFunctionBindCall(
              visitNode(node.tag, visitor2, isExpression),
              lexicalEnvironment.data.classConstructor,
              []
            );
            setOriginalNode(invocation, node);
            setTextRange(invocation, node);
            return factory2.updateTaggedTemplateExpression(
              node,
              invocation,
              /*typeArguments*/
              void 0,
              visitNode(node.template, visitor2, isTemplateLiteral)
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function transformClassStaticBlockDeclaration(node) {
          if (lexicalEnvironment) {
            lexicalEnvironmentMap.set(getOriginalNode(node), lexicalEnvironment);
          }
          if (shouldTransformPrivateElementsOrClassStaticBlocks) {
            if (isClassThisAssignmentBlock(node)) {
              const result = visitNode(node.body.statements[0].expression, visitor2, isExpression);
              if (isAssignmentExpression2(
                result,
                /*excludeCompoundAssignment*/
                true
              ) && result.left === result.right) {
                return void 0;
              }
              return result;
            }
            if (isClassNamedEvaluationHelperBlock(node)) {
              return visitNode(node.body.statements[0].expression, visitor2, isExpression);
            }
            startLexicalEnvironment();
            let statements = setCurrentClassElementAnd(
              node,
              (statements2) => visitNodes2(statements2, visitor2, isStatement),
              node.body.statements
            );
            statements = factory2.mergeLexicalEnvironment(statements, endLexicalEnvironment());
            const iife = factory2.createImmediatelyInvokedArrowFunction(statements);
            setOriginalNode(skipParentheses(iife.expression), node);
            addEmitFlags(
              skipParentheses(iife.expression),
              4
              /* AdviseOnEmitNode */
            );
            setOriginalNode(iife, node);
            setTextRange(iife, node);
            return iife;
          }
        }
        function isAnonymousClassNeedingAssignedName(node) {
          if (isClassExpression(node) && !node.name) {
            const staticPropertiesOrClassStaticBlocks = getStaticPropertiesAndClassStaticBlock(node);
            if (some(staticPropertiesOrClassStaticBlocks, isClassNamedEvaluationHelperBlock)) {
              return false;
            }
            const hasTransformableStatics = (shouldTransformPrivateElementsOrClassStaticBlocks || !!(getInternalEmitFlags(node) && 32)) && some(staticPropertiesOrClassStaticBlocks, (node2) => isClassStaticBlockDeclaration(node2) || isPrivateIdentifierClassElementDeclaration(node2) || shouldTransformInitializers && isInitializedProperty(node2));
            return hasTransformableStatics;
          }
          return false;
        }
        function visitBinaryExpression(node, discarded) {
          if (isDestructuringAssignment(node)) {
            const savedPendingExpressions = pendingExpressions;
            pendingExpressions = void 0;
            node = factory2.updateBinaryExpression(
              node,
              visitNode(node.left, assignmentTargetVisitor, isExpression),
              node.operatorToken,
              visitNode(node.right, visitor2, isExpression)
            );
            const expr = some(pendingExpressions) ? factory2.inlineExpressions(compact([...pendingExpressions, node])) : node;
            pendingExpressions = savedPendingExpressions;
            return expr;
          }
          if (isAssignmentExpression2(node)) {
            if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
              node = transformNamedEvaluation(context, node);
              Debug.assertNode(node, isAssignmentExpression2);
            }
            const left = skipOuterExpressions(
              node.left,
              8 | 1
              /* Parentheses */
            );
            if (isPrivateIdentifierPropertyAccessExpression(left)) {
              const info = accessPrivateIdentifier2(left.name);
              if (info) {
                return setTextRange(
                  setOriginalNode(
                    createPrivateIdentifierAssignment(info, left.expression, node.right, node.operatorToken.kind),
                    node
                  ),
                  node
                );
              }
            } else if (shouldTransformSuperInStaticInitializers && currentClassElement && isSuperProperty(node.left) && isStaticPropertyDeclarationOrClassStaticBlock(currentClassElement) && (lexicalEnvironment == null ? void 0 : lexicalEnvironment.data)) {
              const { classConstructor, superClassReference, facts } = lexicalEnvironment.data;
              if (facts & 1) {
                return factory2.updateBinaryExpression(
                  node,
                  visitInvalidSuperProperty(node.left),
                  node.operatorToken,
                  visitNode(node.right, visitor2, isExpression)
                );
              }
              if (classConstructor && superClassReference) {
                let setterName = isElementAccessExpression(node.left) ? visitNode(node.left.argumentExpression, visitor2, isExpression) : isIdentifier(node.left.name) ? factory2.createStringLiteralFromNode(node.left.name) : void 0;
                if (setterName) {
                  let expression = visitNode(node.right, visitor2, isExpression);
                  if (isCompoundAssignment(node.operatorToken.kind)) {
                    let getterName = setterName;
                    if (!isSimpleInlineableExpression(setterName)) {
                      getterName = factory2.createTempVariable(hoistVariableDeclaration);
                      setterName = factory2.createAssignment(getterName, setterName);
                    }
                    const superPropertyGet = factory2.createReflectGetCall(
                      superClassReference,
                      getterName,
                      classConstructor
                    );
                    setOriginalNode(superPropertyGet, node.left);
                    setTextRange(superPropertyGet, node.left);
                    expression = factory2.createBinaryExpression(
                      superPropertyGet,
                      getNonAssignmentOperatorForCompoundAssignment(node.operatorToken.kind),
                      expression
                    );
                    setTextRange(expression, node);
                  }
                  const temp = discarded ? void 0 : factory2.createTempVariable(hoistVariableDeclaration);
                  if (temp) {
                    expression = factory2.createAssignment(temp, expression);
                    setTextRange(temp, node);
                  }
                  expression = factory2.createReflectSetCall(
                    superClassReference,
                    setterName,
                    expression,
                    classConstructor
                  );
                  setOriginalNode(expression, node);
                  setTextRange(expression, node);
                  if (temp) {
                    expression = factory2.createComma(expression, temp);
                    setTextRange(expression, node);
                  }
                  return expression;
                }
              }
            }
          }
          if (isPrivateIdentifierInExpression(node)) {
            return transformPrivateIdentifierInInExpression(node);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitCommaListExpression(node, discarded) {
          const elements = discarded ? visitCommaListElements(node.elements, discardedValueVisitor) : visitCommaListElements(node.elements, visitor2, discardedValueVisitor);
          return factory2.updateCommaListExpression(node, elements);
        }
        function visitParenthesizedExpression(node, discarded) {
          const visitorFunc = discarded ? discardedValueVisitor : visitor2;
          const expression = visitNode(node.expression, visitorFunc, isExpression);
          return factory2.updateParenthesizedExpression(node, expression);
        }
        function createPrivateIdentifierAssignment(info, receiver, right, operator) {
          receiver = visitNode(receiver, visitor2, isExpression);
          right = visitNode(right, visitor2, isExpression);
          ensureDynamicThisIfNeeded(receiver);
          if (isCompoundAssignment(operator)) {
            const { readExpression, initializeExpression } = createCopiableReceiverExpr(receiver);
            receiver = initializeExpression || readExpression;
            right = factory2.createBinaryExpression(
              createPrivateIdentifierAccessHelper(info, readExpression),
              getNonAssignmentOperatorForCompoundAssignment(operator),
              right
            );
          }
          setCommentRange(receiver, moveRangePos(receiver, -1));
          switch (info.kind) {
            case "a":
              return emitHelpers().createClassPrivateFieldSetHelper(
                receiver,
                info.brandCheckIdentifier,
                right,
                info.kind,
                info.setterName
              );
            case "m":
              return emitHelpers().createClassPrivateFieldSetHelper(
                receiver,
                info.brandCheckIdentifier,
                right,
                info.kind,
                /*f*/
                void 0
              );
            case "f":
              return emitHelpers().createClassPrivateFieldSetHelper(
                receiver,
                info.brandCheckIdentifier,
                right,
                info.kind,
                info.isStatic ? info.variableName : void 0
              );
            case "untransformed":
              return Debug.fail("Access helpers should not be created for untransformed private elements");
            default:
              Debug.assertNever(info, "Unknown private element type");
          }
        }
        function getPrivateInstanceMethodsAndAccessors(node) {
          return filter(node.members, isNonStaticMethodOrAccessorWithPrivateName);
        }
        function getClassFacts(node) {
          var _a;
          let facts = 0;
          const original = getOriginalNode(node);
          if (isClassLike(original) && classOrConstructorParameterIsDecorated(legacyDecorators, original)) {
            facts |= 1;
          }
          if (shouldTransformPrivateElementsOrClassStaticBlocks && (classHasClassThisAssignment(node) || classHasExplicitlyAssignedName(node))) {
            facts |= 2;
          }
          let containsPublicInstanceFields = false;
          let containsInitializedPublicInstanceFields = false;
          let containsInstancePrivateElements = false;
          let containsInstanceAutoAccessors = false;
          for (const member of node.members) {
            if (isStatic(member)) {
              if (member.name && (isPrivateIdentifier(member.name) || isAutoAccessorPropertyDeclaration(member)) && shouldTransformPrivateElementsOrClassStaticBlocks) {
                facts |= 2;
              } else if (isAutoAccessorPropertyDeclaration(member) && shouldTransformAutoAccessors === -1 && !node.name && !((_a = node.emitNode) == null ? void 0 : _a.classThis)) {
                facts |= 2;
              }
              if (isPropertyDeclaration(member) || isClassStaticBlockDeclaration(member)) {
                if (shouldTransformThisInStaticInitializers && member.transformFlags & 16384) {
                  facts |= 8;
                  if (!(facts & 1)) {
                    facts |= 2;
                  }
                }
                if (shouldTransformSuperInStaticInitializers && member.transformFlags & 134217728) {
                  if (!(facts & 1)) {
                    facts |= 2 | 4;
                  }
                }
              }
            } else if (!hasAbstractModifier(getOriginalNode(member))) {
              if (isAutoAccessorPropertyDeclaration(member)) {
                containsInstanceAutoAccessors = true;
                containsInstancePrivateElements || (containsInstancePrivateElements = isPrivateIdentifierClassElementDeclaration(member));
              } else if (isPrivateIdentifierClassElementDeclaration(member)) {
                containsInstancePrivateElements = true;
                if (resolver.hasNodeCheckFlag(
                  member,
                  262144
                  /* ContainsConstructorReference */
                )) {
                  facts |= 2;
                }
              } else if (isPropertyDeclaration(member)) {
                containsPublicInstanceFields = true;
                containsInitializedPublicInstanceFields || (containsInitializedPublicInstanceFields = !!member.initializer);
              }
            }
          }
          const willHoistInitializersToConstructor = shouldTransformInitializersUsingDefine && containsPublicInstanceFields || shouldTransformInitializersUsingSet && containsInitializedPublicInstanceFields || shouldTransformPrivateElementsOrClassStaticBlocks && containsInstancePrivateElements || shouldTransformPrivateElementsOrClassStaticBlocks && containsInstanceAutoAccessors && shouldTransformAutoAccessors === -1;
          if (willHoistInitializersToConstructor) {
            facts |= 16;
          }
          return facts;
        }
        function visitExpressionWithTypeArgumentsInHeritageClause(node) {
          var _a;
          const facts = ((_a = lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) == null ? void 0 : _a.facts) || 0;
          if (facts & 4) {
            const temp = factory2.createTempVariable(
              hoistVariableDeclaration,
              /*reservedInNestedScopes*/
              true
            );
            getClassLexicalEnvironment().superClassReference = temp;
            return factory2.updateExpressionWithTypeArguments(
              node,
              factory2.createAssignment(
                temp,
                visitNode(node.expression, visitor2, isExpression)
              ),
              /*typeArguments*/
              void 0
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitInNewClassLexicalEnvironment(node, visitor22) {
          var _a;
          const savedCurrentClassContainer = currentClassContainer;
          const savedPendingExpressions = pendingExpressions;
          const savedLexicalEnvironment = lexicalEnvironment;
          currentClassContainer = node;
          pendingExpressions = void 0;
          startClassLexicalEnvironment();
          const shouldAlwaysTransformPrivateStaticElements = getInternalEmitFlags(node) & 32;
          if (shouldTransformPrivateElementsOrClassStaticBlocks || shouldAlwaysTransformPrivateStaticElements) {
            const name = getNameOfDeclaration(node);
            if (name && isIdentifier(name)) {
              getPrivateIdentifierEnvironment().data.className = name;
            } else if ((_a = node.emitNode) == null ? void 0 : _a.assignedName) {
              if (isStringLiteral2(node.emitNode.assignedName)) {
                if (node.emitNode.assignedName.textSourceNode && isIdentifier(node.emitNode.assignedName.textSourceNode)) {
                  getPrivateIdentifierEnvironment().data.className = node.emitNode.assignedName.textSourceNode;
                } else if (isIdentifierText(node.emitNode.assignedName.text, languageVersion)) {
                  const prefixName = factory2.createIdentifier(node.emitNode.assignedName.text);
                  getPrivateIdentifierEnvironment().data.className = prefixName;
                }
              }
            }
          }
          if (shouldTransformPrivateElementsOrClassStaticBlocks) {
            const privateInstanceMethodsAndAccessors = getPrivateInstanceMethodsAndAccessors(node);
            if (some(privateInstanceMethodsAndAccessors)) {
              getPrivateIdentifierEnvironment().data.weakSetName = createHoistedVariableForClass(
                "instances",
                privateInstanceMethodsAndAccessors[0].name
              );
            }
          }
          const facts = getClassFacts(node);
          if (facts) {
            getClassLexicalEnvironment().facts = facts;
          }
          if (facts & 8) {
            enableSubstitutionForClassStaticThisOrSuperReference();
          }
          const result = visitor22(node, facts);
          endClassLexicalEnvironment();
          Debug.assert(lexicalEnvironment === savedLexicalEnvironment);
          currentClassContainer = savedCurrentClassContainer;
          pendingExpressions = savedPendingExpressions;
          return result;
        }
        function visitClassDeclaration(node) {
          return visitInNewClassLexicalEnvironment(node, visitClassDeclarationInNewClassLexicalEnvironment);
        }
        function visitClassDeclarationInNewClassLexicalEnvironment(node, facts) {
          var _a, _b;
          let pendingClassReferenceAssignment;
          if (facts & 2) {
            if (shouldTransformPrivateElementsOrClassStaticBlocks && ((_a = node.emitNode) == null ? void 0 : _a.classThis)) {
              getClassLexicalEnvironment().classConstructor = node.emitNode.classThis;
              pendingClassReferenceAssignment = factory2.createAssignment(node.emitNode.classThis, factory2.getInternalName(node));
            } else {
              const temp = factory2.createTempVariable(
                hoistVariableDeclaration,
                /*reservedInNestedScopes*/
                true
              );
              getClassLexicalEnvironment().classConstructor = factory2.cloneNode(temp);
              pendingClassReferenceAssignment = factory2.createAssignment(temp, factory2.getInternalName(node));
            }
          }
          if ((_b = node.emitNode) == null ? void 0 : _b.classThis) {
            getClassLexicalEnvironment().classThis = node.emitNode.classThis;
          }
          const isClassWithConstructorReference = resolver.hasNodeCheckFlag(
            node,
            262144
            /* ContainsConstructorReference */
          );
          const isExport = hasSyntacticModifier(
            node,
            32
            /* Export */
          );
          const isDefault = hasSyntacticModifier(
            node,
            2048
            /* Default */
          );
          let modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier);
          const heritageClauses = visitNodes2(node.heritageClauses, heritageClauseVisitor, isHeritageClause);
          const { members, prologue } = transformClassMembers(node);
          const statements = [];
          if (pendingClassReferenceAssignment) {
            getPendingExpressions().unshift(pendingClassReferenceAssignment);
          }
          if (some(pendingExpressions)) {
            statements.push(factory2.createExpressionStatement(factory2.inlineExpressions(pendingExpressions)));
          }
          if (shouldTransformInitializersUsingSet || shouldTransformPrivateElementsOrClassStaticBlocks || getInternalEmitFlags(node) & 32) {
            const staticProperties = getStaticPropertiesAndClassStaticBlock(node);
            if (some(staticProperties)) {
              addPropertyOrClassStaticBlockStatements(statements, staticProperties, factory2.getInternalName(node));
            }
          }
          if (statements.length > 0 && isExport && isDefault) {
            modifiers = visitNodes2(modifiers, (node2) => isExportOrDefaultModifier(node2) ? void 0 : node2, isModifier);
            statements.push(factory2.createExportAssignment(
              /*modifiers*/
              void 0,
              /*isExportEquals*/
              false,
              factory2.getLocalName(
                node,
                /*allowComments*/
                false,
                /*allowSourceMaps*/
                true
              )
            ));
          }
          const alias = getClassLexicalEnvironment().classConstructor;
          if (isClassWithConstructorReference && alias) {
            enableSubstitutionForClassAliases();
            classAliases[getOriginalNodeId(node)] = alias;
          }
          const classDecl = factory2.updateClassDeclaration(
            node,
            modifiers,
            node.name,
            /*typeParameters*/
            void 0,
            heritageClauses,
            members
          );
          statements.unshift(classDecl);
          if (prologue) {
            statements.unshift(factory2.createExpressionStatement(prologue));
          }
          return statements;
        }
        function visitClassExpression(node) {
          return visitInNewClassLexicalEnvironment(node, visitClassExpressionInNewClassLexicalEnvironment);
        }
        function visitClassExpressionInNewClassLexicalEnvironment(node, facts) {
          var _a, _b, _c;
          const isDecoratedClassDeclaration = !!(facts & 1);
          const staticPropertiesOrClassStaticBlocks = getStaticPropertiesAndClassStaticBlock(node);
          const isClassWithConstructorReference = resolver.hasNodeCheckFlag(
            node,
            262144
            /* ContainsConstructorReference */
          );
          const requiresBlockScopedVar = resolver.hasNodeCheckFlag(
            node,
            32768
            /* BlockScopedBindingInLoop */
          );
          let temp;
          function createClassTempVar() {
            var _a2;
            if (shouldTransformPrivateElementsOrClassStaticBlocks && ((_a2 = node.emitNode) == null ? void 0 : _a2.classThis)) {
              return getClassLexicalEnvironment().classConstructor = node.emitNode.classThis;
            }
            const temp2 = factory2.createTempVariable(
              requiresBlockScopedVar ? addBlockScopedVariable : hoistVariableDeclaration,
              /*reservedInNestedScopes*/
              true
            );
            getClassLexicalEnvironment().classConstructor = factory2.cloneNode(temp2);
            return temp2;
          }
          if ((_a = node.emitNode) == null ? void 0 : _a.classThis) {
            getClassLexicalEnvironment().classThis = node.emitNode.classThis;
          }
          if (facts & 2) {
            temp ?? (temp = createClassTempVar());
          }
          const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier);
          const heritageClauses = visitNodes2(node.heritageClauses, heritageClauseVisitor, isHeritageClause);
          const { members, prologue } = transformClassMembers(node);
          const classExpression = factory2.updateClassExpression(
            node,
            modifiers,
            node.name,
            /*typeParameters*/
            void 0,
            heritageClauses,
            members
          );
          const expressions = [];
          if (prologue) {
            expressions.push(prologue);
          }
          const hasTransformableStatics = (shouldTransformPrivateElementsOrClassStaticBlocks || getInternalEmitFlags(node) & 32) && some(staticPropertiesOrClassStaticBlocks, (node2) => isClassStaticBlockDeclaration(node2) || isPrivateIdentifierClassElementDeclaration(node2) || shouldTransformInitializers && isInitializedProperty(node2));
          if (hasTransformableStatics || some(pendingExpressions)) {
            if (isDecoratedClassDeclaration) {
              Debug.assertIsDefined(pendingStatements, "Decorated classes transformed by TypeScript are expected to be within a variable declaration.");
              if (some(pendingExpressions)) {
                addRange(pendingStatements, map(pendingExpressions, factory2.createExpressionStatement));
              }
              if (some(staticPropertiesOrClassStaticBlocks)) {
                addPropertyOrClassStaticBlockStatements(pendingStatements, staticPropertiesOrClassStaticBlocks, ((_b = node.emitNode) == null ? void 0 : _b.classThis) ?? factory2.getInternalName(node));
              }
              if (temp) {
                expressions.push(factory2.createAssignment(temp, classExpression));
              } else if (shouldTransformPrivateElementsOrClassStaticBlocks && ((_c = node.emitNode) == null ? void 0 : _c.classThis)) {
                expressions.push(factory2.createAssignment(node.emitNode.classThis, classExpression));
              } else {
                expressions.push(classExpression);
              }
            } else {
              temp ?? (temp = createClassTempVar());
              if (isClassWithConstructorReference) {
                enableSubstitutionForClassAliases();
                const alias = factory2.cloneNode(temp);
                alias.emitNode.autoGenerate.flags &= ~8;
                classAliases[getOriginalNodeId(node)] = alias;
              }
              expressions.push(factory2.createAssignment(temp, classExpression));
              addRange(expressions, pendingExpressions);
              addRange(expressions, generateInitializedPropertyExpressionsOrClassStaticBlock(staticPropertiesOrClassStaticBlocks, temp));
              expressions.push(factory2.cloneNode(temp));
            }
          } else {
            expressions.push(classExpression);
          }
          if (expressions.length > 1) {
            addEmitFlags(
              classExpression,
              131072
              /* Indented */
            );
            expressions.forEach(startOnNewLine);
          }
          return factory2.inlineExpressions(expressions);
        }
        function visitClassStaticBlockDeclaration(node) {
          if (!shouldTransformPrivateElementsOrClassStaticBlocks) {
            return visitEachChild(node, visitor2, context);
          }
          return void 0;
        }
        function visitThisExpression(node) {
          if (shouldTransformThisInStaticInitializers && currentClassElement && isClassStaticBlockDeclaration(currentClassElement) && (lexicalEnvironment == null ? void 0 : lexicalEnvironment.data)) {
            const { classThis, classConstructor } = lexicalEnvironment.data;
            return classThis ?? classConstructor ?? node;
          }
          return node;
        }
        function transformClassMembers(node) {
          const shouldTransformPrivateStaticElementsInClass = !!(getInternalEmitFlags(node) & 32);
          if (shouldTransformPrivateElementsOrClassStaticBlocks || shouldTransformPrivateStaticElementsInFile) {
            for (const member of node.members) {
              if (isPrivateIdentifierClassElementDeclaration(member)) {
                if (shouldTransformClassElementToWeakMap(member)) {
                  addPrivateIdentifierToEnvironment(member, member.name, addPrivateIdentifierClassElementToEnvironment);
                } else {
                  const privateEnv = getPrivateIdentifierEnvironment();
                  setPrivateIdentifier(privateEnv, member.name, { kind: "untransformed" });
                }
              }
            }
            if (shouldTransformPrivateElementsOrClassStaticBlocks) {
              if (some(getPrivateInstanceMethodsAndAccessors(node))) {
                createBrandCheckWeakSetForPrivateMethods();
              }
            }
            if (shouldTransformAutoAccessorsInCurrentClass()) {
              for (const member of node.members) {
                if (isAutoAccessorPropertyDeclaration(member)) {
                  const storageName = factory2.getGeneratedPrivateNameForNode(
                    member.name,
                    /*prefix*/
                    void 0,
                    "_accessor_storage"
                  );
                  if (shouldTransformPrivateElementsOrClassStaticBlocks || shouldTransformPrivateStaticElementsInClass && hasStaticModifier(member)) {
                    addPrivateIdentifierToEnvironment(member, storageName, addPrivateIdentifierPropertyDeclarationToEnvironment);
                  } else {
                    const privateEnv = getPrivateIdentifierEnvironment();
                    setPrivateIdentifier(privateEnv, storageName, { kind: "untransformed" });
                  }
                }
              }
            }
          }
          let members = visitNodes2(node.members, classElementVisitor, isClassElement);
          let syntheticConstructor;
          if (!some(members, isConstructorDeclaration)) {
            syntheticConstructor = transformConstructor(
              /*constructor*/
              void 0,
              node
            );
          }
          let prologue;
          let syntheticStaticBlock;
          if (!shouldTransformPrivateElementsOrClassStaticBlocks && some(pendingExpressions)) {
            let statement = factory2.createExpressionStatement(factory2.inlineExpressions(pendingExpressions));
            if (statement.transformFlags & 134234112) {
              const temp = factory2.createTempVariable(hoistVariableDeclaration);
              const arrow = factory2.createArrowFunction(
                /*modifiers*/
                void 0,
                /*typeParameters*/
                void 0,
                /*parameters*/
                [],
                /*type*/
                void 0,
                /*equalsGreaterThanToken*/
                void 0,
                factory2.createBlock([statement])
              );
              prologue = factory2.createAssignment(temp, arrow);
              statement = factory2.createExpressionStatement(factory2.createCallExpression(
                temp,
                /*typeArguments*/
                void 0,
                []
              ));
            }
            const block = factory2.createBlock([statement]);
            syntheticStaticBlock = factory2.createClassStaticBlockDeclaration(block);
            pendingExpressions = void 0;
          }
          if (syntheticConstructor || syntheticStaticBlock) {
            let membersArray;
            const classThisAssignmentBlock = find(members, isClassThisAssignmentBlock);
            const classNamedEvaluationHelperBlock = find(members, isClassNamedEvaluationHelperBlock);
            membersArray = append(membersArray, classThisAssignmentBlock);
            membersArray = append(membersArray, classNamedEvaluationHelperBlock);
            membersArray = append(membersArray, syntheticConstructor);
            membersArray = append(membersArray, syntheticStaticBlock);
            const remainingMembers = classThisAssignmentBlock || classNamedEvaluationHelperBlock ? filter(members, (member) => member !== classThisAssignmentBlock && member !== classNamedEvaluationHelperBlock) : members;
            membersArray = addRange(membersArray, remainingMembers);
            members = setTextRange(
              factory2.createNodeArray(membersArray),
              /*location*/
              node.members
            );
          }
          return { members, prologue };
        }
        function createBrandCheckWeakSetForPrivateMethods() {
          const { weakSetName } = getPrivateIdentifierEnvironment().data;
          Debug.assert(weakSetName, "weakSetName should be set in private identifier environment");
          getPendingExpressions().push(
            factory2.createAssignment(
              weakSetName,
              factory2.createNewExpression(
                factory2.createIdentifier("WeakSet"),
                /*typeArguments*/
                void 0,
                []
              )
            )
          );
        }
        function transformConstructor(constructor, container) {
          constructor = visitNode(constructor, visitor2, isConstructorDeclaration);
          if (!(lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) || !(lexicalEnvironment.data.facts & 16)) {
            return constructor;
          }
          const extendsClauseElement = getEffectiveBaseTypeNode(container);
          const isDerivedClass = !!(extendsClauseElement && skipOuterExpressions(extendsClauseElement.expression).kind !== 106);
          const parameters = visitParameterList(constructor ? constructor.parameters : void 0, visitor2, context);
          const body = transformConstructorBody(container, constructor, isDerivedClass);
          if (!body) {
            return constructor;
          }
          if (constructor) {
            Debug.assert(parameters);
            return factory2.updateConstructorDeclaration(
              constructor,
              /*modifiers*/
              void 0,
              parameters,
              body
            );
          }
          return startOnNewLine(
            setOriginalNode(
              setTextRange(
                factory2.createConstructorDeclaration(
                  /*modifiers*/
                  void 0,
                  parameters ?? [],
                  body
                ),
                constructor || container
              ),
              constructor
            )
          );
        }
        function transformConstructorBodyWorker(statementsOut, statementsIn, statementOffset, superPath, superPathDepth, initializerStatements, constructor) {
          const superStatementIndex = superPath[superPathDepth];
          const superStatement = statementsIn[superStatementIndex];
          addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, statementOffset, superStatementIndex - statementOffset));
          statementOffset = superStatementIndex + 1;
          if (isTryStatement(superStatement)) {
            const tryBlockStatements = [];
            transformConstructorBodyWorker(
              tryBlockStatements,
              superStatement.tryBlock.statements,
              /*statementOffset*/
              0,
              superPath,
              superPathDepth + 1,
              initializerStatements,
              constructor
            );
            const tryBlockStatementsArray = factory2.createNodeArray(tryBlockStatements);
            setTextRange(tryBlockStatementsArray, superStatement.tryBlock.statements);
            statementsOut.push(factory2.updateTryStatement(
              superStatement,
              factory2.updateBlock(superStatement.tryBlock, tryBlockStatements),
              visitNode(superStatement.catchClause, visitor2, isCatchClause),
              visitNode(superStatement.finallyBlock, visitor2, isBlock)
            ));
          } else {
            addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, superStatementIndex, 1));
            while (statementOffset < statementsIn.length) {
              const statement = statementsIn[statementOffset];
              if (isParameterPropertyDeclaration(getOriginalNode(statement), constructor)) {
                statementOffset++;
              } else {
                break;
              }
            }
            addRange(statementsOut, initializerStatements);
          }
          addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, statementOffset));
        }
        function transformConstructorBody(node, constructor, isDerivedClass) {
          const instanceProperties = getProperties(
            node,
            /*requireInitializer*/
            false,
            /*isStatic*/
            false
          );
          let properties = instanceProperties;
          if (!useDefineForClassFields) {
            properties = filter(properties, (property) => !!property.initializer || isPrivateIdentifier(property.name) || hasAccessorModifier(property));
          }
          const privateMethodsAndAccessors = getPrivateInstanceMethodsAndAccessors(node);
          const needsConstructorBody = some(properties) || some(privateMethodsAndAccessors);
          if (!constructor && !needsConstructorBody) {
            return visitFunctionBody(
              /*node*/
              void 0,
              visitor2,
              context
            );
          }
          resumeLexicalEnvironment();
          const needsSyntheticConstructor = !constructor && isDerivedClass;
          let statementOffset = 0;
          let statements = [];
          const initializerStatements = [];
          const receiver = factory2.createThis();
          addInstanceMethodStatements(initializerStatements, privateMethodsAndAccessors, receiver);
          if (constructor) {
            const parameterProperties = filter(instanceProperties, (prop) => isParameterPropertyDeclaration(getOriginalNode(prop), constructor));
            const nonParameterProperties = filter(properties, (prop) => !isParameterPropertyDeclaration(getOriginalNode(prop), constructor));
            addPropertyOrClassStaticBlockStatements(initializerStatements, parameterProperties, receiver);
            addPropertyOrClassStaticBlockStatements(initializerStatements, nonParameterProperties, receiver);
          } else {
            addPropertyOrClassStaticBlockStatements(initializerStatements, properties, receiver);
          }
          if (constructor == null ? void 0 : constructor.body) {
            statementOffset = factory2.copyPrologue(
              constructor.body.statements,
              statements,
              /*ensureUseStrict*/
              false,
              visitor2
            );
            const superStatementIndices = findSuperStatementIndexPath(constructor.body.statements, statementOffset);
            if (superStatementIndices.length) {
              transformConstructorBodyWorker(
                statements,
                constructor.body.statements,
                statementOffset,
                superStatementIndices,
                /*superPathDepth*/
                0,
                initializerStatements,
                constructor
              );
            } else {
              while (statementOffset < constructor.body.statements.length) {
                const statement = constructor.body.statements[statementOffset];
                if (isParameterPropertyDeclaration(getOriginalNode(statement), constructor)) {
                  statementOffset++;
                } else {
                  break;
                }
              }
              addRange(statements, initializerStatements);
              addRange(statements, visitNodes2(constructor.body.statements, visitor2, isStatement, statementOffset));
            }
          } else {
            if (needsSyntheticConstructor) {
              statements.push(
                factory2.createExpressionStatement(
                  factory2.createCallExpression(
                    factory2.createSuper(),
                    /*typeArguments*/
                    void 0,
                    [factory2.createSpreadElement(factory2.createIdentifier("arguments"))]
                  )
                )
              );
            }
            addRange(statements, initializerStatements);
          }
          statements = factory2.mergeLexicalEnvironment(statements, endLexicalEnvironment());
          if (statements.length === 0 && !constructor) {
            return void 0;
          }
          const multiLine = (constructor == null ? void 0 : constructor.body) && constructor.body.statements.length >= statements.length ? constructor.body.multiLine ?? statements.length > 0 : statements.length > 0;
          return setTextRange(
            factory2.createBlock(
              setTextRange(
                factory2.createNodeArray(statements),
                /*location*/
                constructor ? constructor.body.statements : node.members
              ),
              multiLine
            ),
            /*location*/
            constructor ? constructor.body : void 0
          );
        }
        function addPropertyOrClassStaticBlockStatements(statements, properties, receiver) {
          for (const property of properties) {
            if (isStatic(property) && !shouldTransformPrivateElementsOrClassStaticBlocks) {
              continue;
            }
            const statement = transformPropertyOrClassStaticBlock(property, receiver);
            if (!statement) {
              continue;
            }
            statements.push(statement);
          }
        }
        function transformPropertyOrClassStaticBlock(property, receiver) {
          const expression = isClassStaticBlockDeclaration(property) ? setCurrentClassElementAnd(property, transformClassStaticBlockDeclaration, property) : transformProperty(property, receiver);
          if (!expression) {
            return void 0;
          }
          const statement = factory2.createExpressionStatement(expression);
          setOriginalNode(statement, property);
          addEmitFlags(
            statement,
            getEmitFlags(property) & 3072
            /* NoComments */
          );
          setCommentRange(statement, property);
          const propertyOriginalNode = getOriginalNode(property);
          if (isParameter(propertyOriginalNode)) {
            setSourceMapRange(statement, propertyOriginalNode);
            removeAllComments(statement);
          } else {
            setSourceMapRange(statement, moveRangePastModifiers(property));
          }
          setSyntheticLeadingComments(expression, void 0);
          setSyntheticTrailingComments(expression, void 0);
          if (hasAccessorModifier(propertyOriginalNode)) {
            addEmitFlags(
              statement,
              3072
              /* NoComments */
            );
          }
          return statement;
        }
        function generateInitializedPropertyExpressionsOrClassStaticBlock(propertiesOrClassStaticBlocks, receiver) {
          const expressions = [];
          for (const property of propertiesOrClassStaticBlocks) {
            const expression = isClassStaticBlockDeclaration(property) ? setCurrentClassElementAnd(property, transformClassStaticBlockDeclaration, property) : setCurrentClassElementAnd(
              property,
              () => transformProperty(property, receiver),
              /*arg*/
              void 0
            );
            if (!expression) {
              continue;
            }
            startOnNewLine(expression);
            setOriginalNode(expression, property);
            addEmitFlags(
              expression,
              getEmitFlags(property) & 3072
              /* NoComments */
            );
            setSourceMapRange(expression, moveRangePastModifiers(property));
            setCommentRange(expression, property);
            expressions.push(expression);
          }
          return expressions;
        }
        function transformProperty(property, receiver) {
          var _a;
          const savedCurrentClassElement = currentClassElement;
          const transformed = transformPropertyWorker(property, receiver);
          if (transformed && hasStaticModifier(property) && ((_a = lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) == null ? void 0 : _a.facts)) {
            setOriginalNode(transformed, property);
            addEmitFlags(
              transformed,
              4
              /* AdviseOnEmitNode */
            );
            setSourceMapRange(transformed, getSourceMapRange(property.name));
            lexicalEnvironmentMap.set(getOriginalNode(property), lexicalEnvironment);
          }
          currentClassElement = savedCurrentClassElement;
          return transformed;
        }
        function transformPropertyWorker(property, receiver) {
          const emitAssignment = !useDefineForClassFields;
          if (isNamedEvaluation(property, isAnonymousClassNeedingAssignedName)) {
            property = transformNamedEvaluation(context, property);
          }
          const propertyName = hasAccessorModifier(property) ? factory2.getGeneratedPrivateNameForNode(property.name) : isComputedPropertyName(property.name) && !isSimpleInlineableExpression(property.name.expression) ? factory2.updateComputedPropertyName(property.name, factory2.getGeneratedNameForNode(property.name)) : property.name;
          if (hasStaticModifier(property)) {
            currentClassElement = property;
          }
          if (isPrivateIdentifier(propertyName) && shouldTransformClassElementToWeakMap(property)) {
            const privateIdentifierInfo = accessPrivateIdentifier2(propertyName);
            if (privateIdentifierInfo) {
              if (privateIdentifierInfo.kind === "f") {
                if (!privateIdentifierInfo.isStatic) {
                  return createPrivateInstanceFieldInitializer(
                    factory2,
                    receiver,
                    visitNode(property.initializer, visitor2, isExpression),
                    privateIdentifierInfo.brandCheckIdentifier
                  );
                } else {
                  return createPrivateStaticFieldInitializer(
                    factory2,
                    privateIdentifierInfo.variableName,
                    visitNode(property.initializer, visitor2, isExpression)
                  );
                }
              } else {
                return void 0;
              }
            } else {
              Debug.fail("Undeclared private name for property declaration.");
            }
          }
          if ((isPrivateIdentifier(propertyName) || hasStaticModifier(property)) && !property.initializer) {
            return void 0;
          }
          const propertyOriginalNode = getOriginalNode(property);
          if (hasSyntacticModifier(
            propertyOriginalNode,
            64
            /* Abstract */
          )) {
            return void 0;
          }
          let initializer = visitNode(property.initializer, visitor2, isExpression);
          if (isParameterPropertyDeclaration(propertyOriginalNode, propertyOriginalNode.parent) && isIdentifier(propertyName)) {
            const localName = factory2.cloneNode(propertyName);
            if (initializer) {
              if (isParenthesizedExpression(initializer) && isCommaExpression(initializer.expression) && isCallToHelper(initializer.expression.left, "___runInitializers") && isVoidExpression(initializer.expression.right) && isNumericLiteral(initializer.expression.right.expression)) {
                initializer = initializer.expression.left;
              }
              initializer = factory2.inlineExpressions([initializer, localName]);
            } else {
              initializer = localName;
            }
            setEmitFlags(
              propertyName,
              3072 | 96
              /* NoSourceMap */
            );
            setSourceMapRange(localName, propertyOriginalNode.name);
            setEmitFlags(
              localName,
              3072
              /* NoComments */
            );
          } else {
            initializer ?? (initializer = factory2.createVoidZero());
          }
          if (emitAssignment || isPrivateIdentifier(propertyName)) {
            const memberAccess = createMemberAccessForPropertyName(
              factory2,
              receiver,
              propertyName,
              /*location*/
              propertyName
            );
            addEmitFlags(
              memberAccess,
              1024
              /* NoLeadingComments */
            );
            const expression = factory2.createAssignment(memberAccess, initializer);
            return expression;
          } else {
            const name = isComputedPropertyName(propertyName) ? propertyName.expression : isIdentifier(propertyName) ? factory2.createStringLiteral(unescapeLeadingUnderscores(propertyName.escapedText)) : propertyName;
            const descriptor = factory2.createPropertyDescriptor({ value: initializer, configurable: true, writable: true, enumerable: true });
            return factory2.createObjectDefinePropertyCall(receiver, name, descriptor);
          }
        }
        function enableSubstitutionForClassAliases() {
          if ((enabledSubstitutions & 1) === 0) {
            enabledSubstitutions |= 1;
            context.enableSubstitution(
              80
              /* Identifier */
            );
            classAliases = [];
          }
        }
        function enableSubstitutionForClassStaticThisOrSuperReference() {
          if ((enabledSubstitutions & 2) === 0) {
            enabledSubstitutions |= 2;
            context.enableSubstitution(
              110
              /* ThisKeyword */
            );
            context.enableEmitNotification(
              262
              /* FunctionDeclaration */
            );
            context.enableEmitNotification(
              218
              /* FunctionExpression */
            );
            context.enableEmitNotification(
              176
              /* Constructor */
            );
            context.enableEmitNotification(
              177
              /* GetAccessor */
            );
            context.enableEmitNotification(
              178
              /* SetAccessor */
            );
            context.enableEmitNotification(
              174
              /* MethodDeclaration */
            );
            context.enableEmitNotification(
              172
              /* PropertyDeclaration */
            );
            context.enableEmitNotification(
              167
              /* ComputedPropertyName */
            );
          }
        }
        function addInstanceMethodStatements(statements, methods2, receiver) {
          if (!shouldTransformPrivateElementsOrClassStaticBlocks || !some(methods2)) {
            return;
          }
          const { weakSetName } = getPrivateIdentifierEnvironment().data;
          Debug.assert(weakSetName, "weakSetName should be set in private identifier environment");
          statements.push(
            factory2.createExpressionStatement(
              createPrivateInstanceMethodInitializer(factory2, receiver, weakSetName)
            )
          );
        }
        function visitInvalidSuperProperty(node) {
          return isPropertyAccessExpression(node) ? factory2.updatePropertyAccessExpression(
            node,
            factory2.createVoidZero(),
            node.name
          ) : factory2.updateElementAccessExpression(
            node,
            factory2.createVoidZero(),
            visitNode(node.argumentExpression, visitor2, isExpression)
          );
        }
        function getPropertyNameExpressionIfNeeded(name, shouldHoist) {
          if (isComputedPropertyName(name)) {
            const cacheAssignment = findComputedPropertyNameCacheAssignment(name);
            const expression = visitNode(name.expression, visitor2, isExpression);
            const innerExpression = skipPartiallyEmittedExpressions(expression);
            const inlinable = isSimpleInlineableExpression(innerExpression);
            const alreadyTransformed = !!cacheAssignment || isAssignmentExpression2(innerExpression) && isGeneratedIdentifier(innerExpression.left);
            if (!alreadyTransformed && !inlinable && shouldHoist) {
              const generatedName = factory2.getGeneratedNameForNode(name);
              if (resolver.hasNodeCheckFlag(
                name,
                32768
                /* BlockScopedBindingInLoop */
              )) {
                addBlockScopedVariable(generatedName);
              } else {
                hoistVariableDeclaration(generatedName);
              }
              return factory2.createAssignment(generatedName, expression);
            }
            return inlinable || isIdentifier(innerExpression) ? void 0 : expression;
          }
        }
        function startClassLexicalEnvironment() {
          lexicalEnvironment = { previous: lexicalEnvironment, data: void 0 };
        }
        function endClassLexicalEnvironment() {
          lexicalEnvironment = lexicalEnvironment == null ? void 0 : lexicalEnvironment.previous;
        }
        function getClassLexicalEnvironment() {
          Debug.assert(lexicalEnvironment);
          return lexicalEnvironment.data ?? (lexicalEnvironment.data = {
            facts: 0,
            classConstructor: void 0,
            classThis: void 0,
            superClassReference: void 0
            // privateIdentifierEnvironment: undefined,
          });
        }
        function getPrivateIdentifierEnvironment() {
          Debug.assert(lexicalEnvironment);
          return lexicalEnvironment.privateEnv ?? (lexicalEnvironment.privateEnv = newPrivateEnvironment({
            className: void 0,
            weakSetName: void 0
          }));
        }
        function getPendingExpressions() {
          return pendingExpressions ?? (pendingExpressions = []);
        }
        function addPrivateIdentifierClassElementToEnvironment(node, name, lex, privateEnv, isStatic2, isValid2, previousInfo) {
          if (isAutoAccessorPropertyDeclaration(node)) {
            addPrivateIdentifierAutoAccessorPropertyDeclarationToEnvironment(node, name, lex, privateEnv, isStatic2, isValid2, previousInfo);
          } else if (isPropertyDeclaration(node)) {
            addPrivateIdentifierPropertyDeclarationToEnvironment(node, name, lex, privateEnv, isStatic2, isValid2, previousInfo);
          } else if (isMethodDeclaration(node)) {
            addPrivateIdentifierMethodDeclarationToEnvironment(node, name, lex, privateEnv, isStatic2, isValid2, previousInfo);
          } else if (isGetAccessorDeclaration(node)) {
            addPrivateIdentifierGetAccessorDeclarationToEnvironment(node, name, lex, privateEnv, isStatic2, isValid2, previousInfo);
          } else if (isSetAccessorDeclaration(node)) {
            addPrivateIdentifierSetAccessorDeclarationToEnvironment(node, name, lex, privateEnv, isStatic2, isValid2, previousInfo);
          }
        }
        function addPrivateIdentifierPropertyDeclarationToEnvironment(_node, name, lex, privateEnv, isStatic2, isValid2, _previousInfo) {
          if (isStatic2) {
            const brandCheckIdentifier = Debug.checkDefined(lex.classThis ?? lex.classConstructor, "classConstructor should be set in private identifier environment");
            const variableName = createHoistedVariableForPrivateName(name);
            setPrivateIdentifier(privateEnv, name, {
              kind: "f",
              isStatic: true,
              brandCheckIdentifier,
              variableName,
              isValid: isValid2
            });
          } else {
            const weakMapName = createHoistedVariableForPrivateName(name);
            setPrivateIdentifier(privateEnv, name, {
              kind: "f",
              isStatic: false,
              brandCheckIdentifier: weakMapName,
              isValid: isValid2
            });
            getPendingExpressions().push(factory2.createAssignment(
              weakMapName,
              factory2.createNewExpression(
                factory2.createIdentifier("WeakMap"),
                /*typeArguments*/
                void 0,
                []
              )
            ));
          }
        }
        function addPrivateIdentifierMethodDeclarationToEnvironment(_node, name, lex, privateEnv, isStatic2, isValid2, _previousInfo) {
          const methodName = createHoistedVariableForPrivateName(name);
          const brandCheckIdentifier = isStatic2 ? Debug.checkDefined(lex.classThis ?? lex.classConstructor, "classConstructor should be set in private identifier environment") : Debug.checkDefined(privateEnv.data.weakSetName, "weakSetName should be set in private identifier environment");
          setPrivateIdentifier(privateEnv, name, {
            kind: "m",
            methodName,
            brandCheckIdentifier,
            isStatic: isStatic2,
            isValid: isValid2
          });
        }
        function addPrivateIdentifierGetAccessorDeclarationToEnvironment(_node, name, lex, privateEnv, isStatic2, isValid2, previousInfo) {
          const getterName = createHoistedVariableForPrivateName(name, "_get");
          const brandCheckIdentifier = isStatic2 ? Debug.checkDefined(lex.classThis ?? lex.classConstructor, "classConstructor should be set in private identifier environment") : Debug.checkDefined(privateEnv.data.weakSetName, "weakSetName should be set in private identifier environment");
          if ((previousInfo == null ? void 0 : previousInfo.kind) === "a" && previousInfo.isStatic === isStatic2 && !previousInfo.getterName) {
            previousInfo.getterName = getterName;
          } else {
            setPrivateIdentifier(privateEnv, name, {
              kind: "a",
              getterName,
              setterName: void 0,
              brandCheckIdentifier,
              isStatic: isStatic2,
              isValid: isValid2
            });
          }
        }
        function addPrivateIdentifierSetAccessorDeclarationToEnvironment(_node, name, lex, privateEnv, isStatic2, isValid2, previousInfo) {
          const setterName = createHoistedVariableForPrivateName(name, "_set");
          const brandCheckIdentifier = isStatic2 ? Debug.checkDefined(lex.classThis ?? lex.classConstructor, "classConstructor should be set in private identifier environment") : Debug.checkDefined(privateEnv.data.weakSetName, "weakSetName should be set in private identifier environment");
          if ((previousInfo == null ? void 0 : previousInfo.kind) === "a" && previousInfo.isStatic === isStatic2 && !previousInfo.setterName) {
            previousInfo.setterName = setterName;
          } else {
            setPrivateIdentifier(privateEnv, name, {
              kind: "a",
              getterName: void 0,
              setterName,
              brandCheckIdentifier,
              isStatic: isStatic2,
              isValid: isValid2
            });
          }
        }
        function addPrivateIdentifierAutoAccessorPropertyDeclarationToEnvironment(_node, name, lex, privateEnv, isStatic2, isValid2, _previousInfo) {
          const getterName = createHoistedVariableForPrivateName(name, "_get");
          const setterName = createHoistedVariableForPrivateName(name, "_set");
          const brandCheckIdentifier = isStatic2 ? Debug.checkDefined(lex.classThis ?? lex.classConstructor, "classConstructor should be set in private identifier environment") : Debug.checkDefined(privateEnv.data.weakSetName, "weakSetName should be set in private identifier environment");
          setPrivateIdentifier(privateEnv, name, {
            kind: "a",
            getterName,
            setterName,
            brandCheckIdentifier,
            isStatic: isStatic2,
            isValid: isValid2
          });
        }
        function addPrivateIdentifierToEnvironment(node, name, addDeclaration) {
          const lex = getClassLexicalEnvironment();
          const privateEnv = getPrivateIdentifierEnvironment();
          const previousInfo = getPrivateIdentifier(privateEnv, name);
          const isStatic2 = hasStaticModifier(node);
          const isValid2 = !isReservedPrivateName(name) && previousInfo === void 0;
          addDeclaration(node, name, lex, privateEnv, isStatic2, isValid2, previousInfo);
        }
        function createHoistedVariableForClass(name, node, suffix) {
          const { className } = getPrivateIdentifierEnvironment().data;
          const prefix = className ? { prefix: "_", node: className, suffix: "_" } : "_";
          const identifier = typeof name === "object" ? factory2.getGeneratedNameForNode(name, 16 | 8, prefix, suffix) : typeof name === "string" ? factory2.createUniqueName(name, 16, prefix, suffix) : factory2.createTempVariable(
            /*recordTempVariable*/
            void 0,
            /*reservedInNestedScopes*/
            true,
            prefix,
            suffix
          );
          if (resolver.hasNodeCheckFlag(
            node,
            32768
            /* BlockScopedBindingInLoop */
          )) {
            addBlockScopedVariable(identifier);
          } else {
            hoistVariableDeclaration(identifier);
          }
          return identifier;
        }
        function createHoistedVariableForPrivateName(name, suffix) {
          const text = tryGetTextOfPropertyName(name);
          return createHoistedVariableForClass((text == null ? void 0 : text.substring(1)) ?? name, name, suffix);
        }
        function accessPrivateIdentifier2(name) {
          const info = accessPrivateIdentifier(lexicalEnvironment, name);
          return (info == null ? void 0 : info.kind) === "untransformed" ? void 0 : info;
        }
        function wrapPrivateIdentifierForDestructuringTarget(node) {
          const parameter = factory2.getGeneratedNameForNode(node);
          const info = accessPrivateIdentifier2(node.name);
          if (!info) {
            return visitEachChild(node, visitor2, context);
          }
          let receiver = node.expression;
          if (isThisProperty(node) || isSuperProperty(node) || !isSimpleCopiableExpression(node.expression)) {
            receiver = factory2.createTempVariable(
              hoistVariableDeclaration,
              /*reservedInNestedScopes*/
              true
            );
            getPendingExpressions().push(factory2.createBinaryExpression(receiver, 64, visitNode(node.expression, visitor2, isExpression)));
          }
          return factory2.createAssignmentTargetWrapper(
            parameter,
            createPrivateIdentifierAssignment(
              info,
              receiver,
              parameter,
              64
              /* EqualsToken */
            )
          );
        }
        function visitDestructuringAssignmentTarget(node) {
          if (isObjectLiteralExpression(node) || isArrayLiteralExpression(node)) {
            return visitAssignmentPattern(node);
          }
          if (isPrivateIdentifierPropertyAccessExpression(node)) {
            return wrapPrivateIdentifierForDestructuringTarget(node);
          } else if (shouldTransformSuperInStaticInitializers && currentClassElement && isSuperProperty(node) && isStaticPropertyDeclarationOrClassStaticBlock(currentClassElement) && (lexicalEnvironment == null ? void 0 : lexicalEnvironment.data)) {
            const { classConstructor, superClassReference, facts } = lexicalEnvironment.data;
            if (facts & 1) {
              return visitInvalidSuperProperty(node);
            } else if (classConstructor && superClassReference) {
              const name = isElementAccessExpression(node) ? visitNode(node.argumentExpression, visitor2, isExpression) : isIdentifier(node.name) ? factory2.createStringLiteralFromNode(node.name) : void 0;
              if (name) {
                const temp = factory2.createTempVariable(
                  /*recordTempVariable*/
                  void 0
                );
                return factory2.createAssignmentTargetWrapper(
                  temp,
                  factory2.createReflectSetCall(
                    superClassReference,
                    name,
                    temp,
                    classConstructor
                  )
                );
              }
            }
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitAssignmentElement(node) {
          if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
            node = transformNamedEvaluation(context, node);
          }
          if (isAssignmentExpression2(
            node,
            /*excludeCompoundAssignment*/
            true
          )) {
            const left = visitDestructuringAssignmentTarget(node.left);
            const right = visitNode(node.right, visitor2, isExpression);
            return factory2.updateBinaryExpression(node, left, node.operatorToken, right);
          }
          return visitDestructuringAssignmentTarget(node);
        }
        function visitAssignmentRestElement(node) {
          if (isLeftHandSideExpression(node.expression)) {
            const expression = visitDestructuringAssignmentTarget(node.expression);
            return factory2.updateSpreadElement(node, expression);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitArrayAssignmentElement(node) {
          if (isArrayBindingOrAssignmentElement(node)) {
            if (isSpreadElement(node)) return visitAssignmentRestElement(node);
            if (!isOmittedExpression(node)) return visitAssignmentElement(node);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitAssignmentProperty(node) {
          const name = visitNode(node.name, visitor2, isPropertyName);
          if (isAssignmentExpression2(
            node.initializer,
            /*excludeCompoundAssignment*/
            true
          )) {
            const assignmentElement = visitAssignmentElement(node.initializer);
            return factory2.updatePropertyAssignment(node, name, assignmentElement);
          }
          if (isLeftHandSideExpression(node.initializer)) {
            const assignmentElement = visitDestructuringAssignmentTarget(node.initializer);
            return factory2.updatePropertyAssignment(node, name, assignmentElement);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitShorthandAssignmentProperty(node) {
          if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
            node = transformNamedEvaluation(context, node);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitAssignmentRestProperty(node) {
          if (isLeftHandSideExpression(node.expression)) {
            const expression = visitDestructuringAssignmentTarget(node.expression);
            return factory2.updateSpreadAssignment(node, expression);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitObjectAssignmentElement(node) {
          Debug.assertNode(node, isObjectBindingOrAssignmentElement);
          if (isSpreadAssignment(node)) return visitAssignmentRestProperty(node);
          if (isShorthandPropertyAssignment(node)) return visitShorthandAssignmentProperty(node);
          if (isPropertyAssignment(node)) return visitAssignmentProperty(node);
          return visitEachChild(node, visitor2, context);
        }
        function visitAssignmentPattern(node) {
          if (isArrayLiteralExpression(node)) {
            return factory2.updateArrayLiteralExpression(
              node,
              visitNodes2(node.elements, visitArrayAssignmentElement, isExpression)
            );
          } else {
            return factory2.updateObjectLiteralExpression(
              node,
              visitNodes2(node.properties, visitObjectAssignmentElement, isObjectLiteralElementLike)
            );
          }
        }
        function onEmitNode(hint, node, emitCallback) {
          const original = getOriginalNode(node);
          const lex = lexicalEnvironmentMap.get(original);
          if (lex) {
            const savedLexicalEnvironment = lexicalEnvironment;
            const savedPreviousShouldSubstituteThisWithClassThis = previousShouldSubstituteThisWithClassThis;
            lexicalEnvironment = lex;
            previousShouldSubstituteThisWithClassThis = shouldSubstituteThisWithClassThis;
            shouldSubstituteThisWithClassThis = !isClassStaticBlockDeclaration(original) || !(getInternalEmitFlags(original) & 32);
            previousOnEmitNode(hint, node, emitCallback);
            shouldSubstituteThisWithClassThis = previousShouldSubstituteThisWithClassThis;
            previousShouldSubstituteThisWithClassThis = savedPreviousShouldSubstituteThisWithClassThis;
            lexicalEnvironment = savedLexicalEnvironment;
            return;
          }
          switch (node.kind) {
            case 218:
              if (isArrowFunction(original) || getEmitFlags(node) & 524288) {
                break;
              }
            case 262:
            case 176:
            case 177:
            case 178:
            case 174:
            case 172: {
              const savedLexicalEnvironment = lexicalEnvironment;
              const savedPreviousShouldSubstituteThisWithClassThis = previousShouldSubstituteThisWithClassThis;
              lexicalEnvironment = void 0;
              previousShouldSubstituteThisWithClassThis = shouldSubstituteThisWithClassThis;
              shouldSubstituteThisWithClassThis = false;
              previousOnEmitNode(hint, node, emitCallback);
              shouldSubstituteThisWithClassThis = previousShouldSubstituteThisWithClassThis;
              previousShouldSubstituteThisWithClassThis = savedPreviousShouldSubstituteThisWithClassThis;
              lexicalEnvironment = savedLexicalEnvironment;
              return;
            }
            case 167: {
              const savedLexicalEnvironment = lexicalEnvironment;
              const savedShouldSubstituteThisWithClassThis = shouldSubstituteThisWithClassThis;
              lexicalEnvironment = lexicalEnvironment == null ? void 0 : lexicalEnvironment.previous;
              shouldSubstituteThisWithClassThis = previousShouldSubstituteThisWithClassThis;
              previousOnEmitNode(hint, node, emitCallback);
              shouldSubstituteThisWithClassThis = savedShouldSubstituteThisWithClassThis;
              lexicalEnvironment = savedLexicalEnvironment;
              return;
            }
          }
          previousOnEmitNode(hint, node, emitCallback);
        }
        function onSubstituteNode(hint, node) {
          node = previousOnSubstituteNode(hint, node);
          if (hint === 1) {
            return substituteExpression(node);
          }
          return node;
        }
        function substituteExpression(node) {
          switch (node.kind) {
            case 80:
              return substituteExpressionIdentifier(node);
            case 110:
              return substituteThisExpression(node);
          }
          return node;
        }
        function substituteThisExpression(node) {
          if (enabledSubstitutions & 2 && (lexicalEnvironment == null ? void 0 : lexicalEnvironment.data) && !noSubstitution.has(node)) {
            const { facts, classConstructor, classThis } = lexicalEnvironment.data;
            const substituteThis = shouldSubstituteThisWithClassThis ? classThis ?? classConstructor : classConstructor;
            if (substituteThis) {
              return setTextRange(
                setOriginalNode(
                  factory2.cloneNode(substituteThis),
                  node
                ),
                node
              );
            }
            if (facts & 1 && legacyDecorators) {
              return factory2.createParenthesizedExpression(factory2.createVoidZero());
            }
          }
          return node;
        }
        function substituteExpressionIdentifier(node) {
          return trySubstituteClassAlias(node) || node;
        }
        function trySubstituteClassAlias(node) {
          if (enabledSubstitutions & 1) {
            if (resolver.hasNodeCheckFlag(
              node,
              536870912
              /* ConstructorReference */
            )) {
              const declaration = resolver.getReferencedValueDeclaration(node);
              if (declaration) {
                const classAlias = classAliases[declaration.id];
                if (classAlias) {
                  const clone2 = factory2.cloneNode(classAlias);
                  setSourceMapRange(clone2, node);
                  setCommentRange(clone2, node);
                  return clone2;
                }
              }
            }
          }
          return void 0;
        }
      }
      function createPrivateStaticFieldInitializer(factory2, variableName, initializer) {
        return factory2.createAssignment(
          variableName,
          factory2.createObjectLiteralExpression([
            factory2.createPropertyAssignment("value", initializer || factory2.createVoidZero())
          ])
        );
      }
      function createPrivateInstanceFieldInitializer(factory2, receiver, initializer, weakMapName) {
        return factory2.createCallExpression(
          factory2.createPropertyAccessExpression(weakMapName, "set"),
          /*typeArguments*/
          void 0,
          [receiver, initializer || factory2.createVoidZero()]
        );
      }
      function createPrivateInstanceMethodInitializer(factory2, receiver, weakSetName) {
        return factory2.createCallExpression(
          factory2.createPropertyAccessExpression(weakSetName, "add"),
          /*typeArguments*/
          void 0,
          [receiver]
        );
      }
      function isReservedPrivateName(node) {
        return !isGeneratedPrivateIdentifier(node) && node.escapedText === "#constructor";
      }
      function isPrivateIdentifierInExpression(node) {
        return isPrivateIdentifier(node.left) && node.operatorToken.kind === 103;
      }
      function isStaticPropertyDeclaration2(node) {
        return isPropertyDeclaration(node) && hasStaticModifier(node);
      }
      function isStaticPropertyDeclarationOrClassStaticBlock(node) {
        return isClassStaticBlockDeclaration(node) || isStaticPropertyDeclaration2(node);
      }
      function createRuntimeTypeSerializer(context) {
        const {
          factory: factory2,
          hoistVariableDeclaration
        } = context;
        const resolver = context.getEmitResolver();
        const compilerOptions = context.getCompilerOptions();
        const languageVersion = getEmitScriptTarget(compilerOptions);
        const strictNullChecks = getStrictOptionValue(compilerOptions, "strictNullChecks");
        let currentLexicalScope;
        let currentNameScope;
        return {
          serializeTypeNode: (serializerContext, node) => setSerializerContextAnd(serializerContext, serializeTypeNode, node),
          serializeTypeOfNode: (serializerContext, node, container) => setSerializerContextAnd(serializerContext, serializeTypeOfNode, node, container),
          serializeParameterTypesOfNode: (serializerContext, node, container) => setSerializerContextAnd(serializerContext, serializeParameterTypesOfNode, node, container),
          serializeReturnTypeOfNode: (serializerContext, node) => setSerializerContextAnd(serializerContext, serializeReturnTypeOfNode, node)
        };
        function setSerializerContextAnd(serializerContext, cb, node, arg) {
          const savedCurrentLexicalScope = currentLexicalScope;
          const savedCurrentNameScope = currentNameScope;
          currentLexicalScope = serializerContext.currentLexicalScope;
          currentNameScope = serializerContext.currentNameScope;
          const result = arg === void 0 ? cb(node) : cb(node, arg);
          currentLexicalScope = savedCurrentLexicalScope;
          currentNameScope = savedCurrentNameScope;
          return result;
        }
        function getAccessorTypeNode(node, container) {
          const accessors = getAllAccessorDeclarations(container.members, node);
          return accessors.setAccessor && getSetAccessorTypeAnnotationNode(accessors.setAccessor) || accessors.getAccessor && getEffectiveReturnTypeNode(accessors.getAccessor);
        }
        function serializeTypeOfNode(node, container) {
          switch (node.kind) {
            case 172:
            case 169:
              return serializeTypeNode(node.type);
            case 178:
            case 177:
              return serializeTypeNode(getAccessorTypeNode(node, container));
            case 263:
            case 231:
            case 174:
              return factory2.createIdentifier("Function");
            default:
              return factory2.createVoidZero();
          }
        }
        function serializeParameterTypesOfNode(node, container) {
          const valueDeclaration = isClassLike(node) ? getFirstConstructorWithBody(node) : isFunctionLike(node) && nodeIsPresent(node.body) ? node : void 0;
          const expressions = [];
          if (valueDeclaration) {
            const parameters = getParametersOfDecoratedDeclaration(valueDeclaration, container);
            const numParameters = parameters.length;
            for (let i = 0; i < numParameters; i++) {
              const parameter = parameters[i];
              if (i === 0 && isIdentifier(parameter.name) && parameter.name.escapedText === "this") {
                continue;
              }
              if (parameter.dotDotDotToken) {
                expressions.push(serializeTypeNode(getRestParameterElementType(parameter.type)));
              } else {
                expressions.push(serializeTypeOfNode(parameter, container));
              }
            }
          }
          return factory2.createArrayLiteralExpression(expressions);
        }
        function getParametersOfDecoratedDeclaration(node, container) {
          if (container && node.kind === 177) {
            const { setAccessor } = getAllAccessorDeclarations(container.members, node);
            if (setAccessor) {
              return setAccessor.parameters;
            }
          }
          return node.parameters;
        }
        function serializeReturnTypeOfNode(node) {
          if (isFunctionLike(node) && node.type) {
            return serializeTypeNode(node.type);
          } else if (isAsyncFunction(node)) {
            return factory2.createIdentifier("Promise");
          }
          return factory2.createVoidZero();
        }
        function serializeTypeNode(node) {
          if (node === void 0) {
            return factory2.createIdentifier("Object");
          }
          node = skipTypeParentheses(node);
          switch (node.kind) {
            case 116:
            case 157:
            case 146:
              return factory2.createVoidZero();
            case 184:
            case 185:
              return factory2.createIdentifier("Function");
            case 188:
            case 189:
              return factory2.createIdentifier("Array");
            case 182:
              return node.assertsModifier ? factory2.createVoidZero() : factory2.createIdentifier("Boolean");
            case 136:
              return factory2.createIdentifier("Boolean");
            case 203:
            case 154:
              return factory2.createIdentifier("String");
            case 151:
              return factory2.createIdentifier("Object");
            case 201:
              return serializeLiteralOfLiteralTypeNode(node.literal);
            case 150:
              return factory2.createIdentifier("Number");
            case 163:
              return getGlobalConstructor(
                "BigInt",
                7
                /* ES2020 */
              );
            case 155:
              return getGlobalConstructor(
                "Symbol",
                2
                /* ES2015 */
              );
            case 183:
              return serializeTypeReferenceNode(node);
            case 193:
              return serializeUnionOrIntersectionConstituents(
                node.types,
                /*isIntersection*/
                true
              );
            case 192:
              return serializeUnionOrIntersectionConstituents(
                node.types,
                /*isIntersection*/
                false
              );
            case 194:
              return serializeUnionOrIntersectionConstituents(
                [node.trueType, node.falseType],
                /*isIntersection*/
                false
              );
            case 198:
              if (node.operator === 148) {
                return serializeTypeNode(node.type);
              }
              break;
            case 186:
            case 199:
            case 200:
            case 187:
            case 133:
            case 159:
            case 197:
            case 205:
              break;
            case 312:
            case 313:
            case 317:
            case 318:
            case 319:
              break;
            case 314:
            case 315:
            case 316:
              return serializeTypeNode(node.type);
            default:
              return Debug.failBadSyntaxKind(node);
          }
          return factory2.createIdentifier("Object");
        }
        function serializeLiteralOfLiteralTypeNode(node) {
          switch (node.kind) {
            case 11:
            case 15:
              return factory2.createIdentifier("String");
            case 224: {
              const operand = node.operand;
              switch (operand.kind) {
                case 9:
                case 10:
                  return serializeLiteralOfLiteralTypeNode(operand);
                default:
                  return Debug.failBadSyntaxKind(operand);
              }
            }
            case 9:
              return factory2.createIdentifier("Number");
            case 10:
              return getGlobalConstructor(
                "BigInt",
                7
                /* ES2020 */
              );
            case 112:
            case 97:
              return factory2.createIdentifier("Boolean");
            case 106:
              return factory2.createVoidZero();
            default:
              return Debug.failBadSyntaxKind(node);
          }
        }
        function serializeUnionOrIntersectionConstituents(types, isIntersection) {
          let serializedType;
          for (let typeNode of types) {
            typeNode = skipTypeParentheses(typeNode);
            if (typeNode.kind === 146) {
              if (isIntersection) return factory2.createVoidZero();
              continue;
            }
            if (typeNode.kind === 159) {
              if (!isIntersection) return factory2.createIdentifier("Object");
              continue;
            }
            if (typeNode.kind === 133) {
              return factory2.createIdentifier("Object");
            }
            if (!strictNullChecks && (isLiteralTypeNode(typeNode) && typeNode.literal.kind === 106 || typeNode.kind === 157)) {
              continue;
            }
            const serializedConstituent = serializeTypeNode(typeNode);
            if (isIdentifier(serializedConstituent) && serializedConstituent.escapedText === "Object") {
              return serializedConstituent;
            }
            if (serializedType) {
              if (!equateSerializedTypeNodes(serializedType, serializedConstituent)) {
                return factory2.createIdentifier("Object");
              }
            } else {
              serializedType = serializedConstituent;
            }
          }
          return serializedType ?? factory2.createVoidZero();
        }
        function equateSerializedTypeNodes(left, right) {
          return (
            // temp vars used in fallback
            isGeneratedIdentifier(left) ? isGeneratedIdentifier(right) : (
              // entity names
              isIdentifier(left) ? isIdentifier(right) && left.escapedText === right.escapedText : isPropertyAccessExpression(left) ? isPropertyAccessExpression(right) && equateSerializedTypeNodes(left.expression, right.expression) && equateSerializedTypeNodes(left.name, right.name) : (
                // `void 0`
                isVoidExpression(left) ? isVoidExpression(right) && isNumericLiteral(left.expression) && left.expression.text === "0" && isNumericLiteral(right.expression) && right.expression.text === "0" : (
                  // `"undefined"` or `"function"` in `typeof` checks
                  isStringLiteral2(left) ? isStringLiteral2(right) && left.text === right.text : (
                    // used in `typeof` checks for fallback
                    isTypeOfExpression(left) ? isTypeOfExpression(right) && equateSerializedTypeNodes(left.expression, right.expression) : (
                      // parens in `typeof` checks with temps
                      isParenthesizedExpression(left) ? isParenthesizedExpression(right) && equateSerializedTypeNodes(left.expression, right.expression) : (
                        // conditionals used in fallback
                        isConditionalExpression(left) ? isConditionalExpression(right) && equateSerializedTypeNodes(left.condition, right.condition) && equateSerializedTypeNodes(left.whenTrue, right.whenTrue) && equateSerializedTypeNodes(left.whenFalse, right.whenFalse) : (
                          // logical binary and assignments used in fallback
                          isBinaryExpression(left) ? isBinaryExpression(right) && left.operatorToken.kind === right.operatorToken.kind && equateSerializedTypeNodes(left.left, right.left) && equateSerializedTypeNodes(left.right, right.right) : false
                        )
                      )
                    )
                  )
                )
              )
            )
          );
        }
        function serializeTypeReferenceNode(node) {
          const kind = resolver.getTypeReferenceSerializationKind(node.typeName, currentNameScope ?? currentLexicalScope);
          switch (kind) {
            case 0:
              if (findAncestor(node, (n) => n.parent && isConditionalTypeNode(n.parent) && (n.parent.trueType === n || n.parent.falseType === n))) {
                return factory2.createIdentifier("Object");
              }
              const serialized = serializeEntityNameAsExpressionFallback(node.typeName);
              const temp = factory2.createTempVariable(hoistVariableDeclaration);
              return factory2.createConditionalExpression(
                factory2.createTypeCheck(factory2.createAssignment(temp, serialized), "function"),
                /*questionToken*/
                void 0,
                temp,
                /*colonToken*/
                void 0,
                factory2.createIdentifier("Object")
              );
            case 1:
              return serializeEntityNameAsExpression(node.typeName);
            case 2:
              return factory2.createVoidZero();
            case 4:
              return getGlobalConstructor(
                "BigInt",
                7
                /* ES2020 */
              );
            case 6:
              return factory2.createIdentifier("Boolean");
            case 3:
              return factory2.createIdentifier("Number");
            case 5:
              return factory2.createIdentifier("String");
            case 7:
              return factory2.createIdentifier("Array");
            case 8:
              return getGlobalConstructor(
                "Symbol",
                2
                /* ES2015 */
              );
            case 10:
              return factory2.createIdentifier("Function");
            case 9:
              return factory2.createIdentifier("Promise");
            case 11:
              return factory2.createIdentifier("Object");
            default:
              return Debug.assertNever(kind);
          }
        }
        function createCheckedValue(left, right) {
          return factory2.createLogicalAnd(
            factory2.createStrictInequality(factory2.createTypeOfExpression(left), factory2.createStringLiteral("undefined")),
            right
          );
        }
        function serializeEntityNameAsExpressionFallback(node) {
          if (node.kind === 80) {
            const copied = serializeEntityNameAsExpression(node);
            return createCheckedValue(copied, copied);
          }
          if (node.left.kind === 80) {
            return createCheckedValue(serializeEntityNameAsExpression(node.left), serializeEntityNameAsExpression(node));
          }
          const left = serializeEntityNameAsExpressionFallback(node.left);
          const temp = factory2.createTempVariable(hoistVariableDeclaration);
          return factory2.createLogicalAnd(
            factory2.createLogicalAnd(
              left.left,
              factory2.createStrictInequality(factory2.createAssignment(temp, left.right), factory2.createVoidZero())
            ),
            factory2.createPropertyAccessExpression(temp, node.right)
          );
        }
        function serializeEntityNameAsExpression(node) {
          switch (node.kind) {
            case 80:
              const name = setParent(setTextRange(parseNodeFactory.cloneNode(node), node), node.parent);
              name.original = void 0;
              setParent(name, getParseTreeNode(currentLexicalScope));
              return name;
            case 166:
              return serializeQualifiedNameAsExpression(node);
          }
        }
        function serializeQualifiedNameAsExpression(node) {
          return factory2.createPropertyAccessExpression(serializeEntityNameAsExpression(node.left), node.right);
        }
        function getGlobalConstructorWithFallback(name) {
          return factory2.createConditionalExpression(
            factory2.createTypeCheck(factory2.createIdentifier(name), "function"),
            /*questionToken*/
            void 0,
            factory2.createIdentifier(name),
            /*colonToken*/
            void 0,
            factory2.createIdentifier("Object")
          );
        }
        function getGlobalConstructor(name, minLanguageVersion) {
          return languageVersion < minLanguageVersion ? getGlobalConstructorWithFallback(name) : factory2.createIdentifier(name);
        }
      }
      function transformLegacyDecorators(context) {
        const {
          factory: factory2,
          getEmitHelperFactory: emitHelpers,
          hoistVariableDeclaration
        } = context;
        const resolver = context.getEmitResolver();
        const compilerOptions = context.getCompilerOptions();
        const languageVersion = getEmitScriptTarget(compilerOptions);
        const previousOnSubstituteNode = context.onSubstituteNode;
        context.onSubstituteNode = onSubstituteNode;
        let classAliases;
        return chainBundle(context, transformSourceFile);
        function transformSourceFile(node) {
          const visited = visitEachChild(node, visitor2, context);
          addEmitHelpers(visited, context.readEmitHelpers());
          return visited;
        }
        function modifierVisitor(node) {
          return isDecorator(node) ? void 0 : node;
        }
        function visitor2(node) {
          if (!(node.transformFlags & 33554432)) {
            return node;
          }
          switch (node.kind) {
            case 170:
              return void 0;
            case 263:
              return visitClassDeclaration(node);
            case 231:
              return visitClassExpression(node);
            case 176:
              return visitConstructorDeclaration(node);
            case 174:
              return visitMethodDeclaration(node);
            case 178:
              return visitSetAccessorDeclaration(node);
            case 177:
              return visitGetAccessorDeclaration(node);
            case 172:
              return visitPropertyDeclaration(node);
            case 169:
              return visitParameterDeclaration(node);
            default:
              return visitEachChild(node, visitor2, context);
          }
        }
        function visitClassDeclaration(node) {
          if (!(classOrConstructorParameterIsDecorated(
            /*useLegacyDecorators*/
            true,
            node
          ) || childIsDecorated(
            /*useLegacyDecorators*/
            true,
            node
          ))) {
            return visitEachChild(node, visitor2, context);
          }
          const statements = classOrConstructorParameterIsDecorated(
            /*useLegacyDecorators*/
            true,
            node
          ) ? transformClassDeclarationWithClassDecorators(node, node.name) : transformClassDeclarationWithoutClassDecorators(node, node.name);
          return singleOrMany(statements);
        }
        function decoratorContainsPrivateIdentifierInExpression(decorator) {
          return !!(decorator.transformFlags & 536870912);
        }
        function parameterDecoratorsContainPrivateIdentifierInExpression(parameterDecorators) {
          return some(parameterDecorators, decoratorContainsPrivateIdentifierInExpression);
        }
        function hasClassElementWithDecoratorContainingPrivateIdentifierInExpression(node) {
          for (const member of node.members) {
            if (!canHaveDecorators(member)) continue;
            const allDecorators = getAllDecoratorsOfClassElement(
              member,
              node,
              /*useLegacyDecorators*/
              true
            );
            if (some(allDecorators == null ? void 0 : allDecorators.decorators, decoratorContainsPrivateIdentifierInExpression)) return true;
            if (some(allDecorators == null ? void 0 : allDecorators.parameters, parameterDecoratorsContainPrivateIdentifierInExpression)) return true;
          }
          return false;
        }
        function transformDecoratorsOfClassElements(node, members) {
          let decorationStatements = [];
          addClassElementDecorationStatements(
            decorationStatements,
            node,
            /*isStatic*/
            false
          );
          addClassElementDecorationStatements(
            decorationStatements,
            node,
            /*isStatic*/
            true
          );
          if (hasClassElementWithDecoratorContainingPrivateIdentifierInExpression(node)) {
            members = setTextRange(
              factory2.createNodeArray([
                ...members,
                factory2.createClassStaticBlockDeclaration(
                  factory2.createBlock(
                    decorationStatements,
                    /*multiLine*/
                    true
                  )
                )
              ]),
              members
            );
            decorationStatements = void 0;
          }
          return { decorationStatements, members };
        }
        function transformClassDeclarationWithoutClassDecorators(node, name) {
          const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier);
          const heritageClauses = visitNodes2(node.heritageClauses, visitor2, isHeritageClause);
          let members = visitNodes2(node.members, visitor2, isClassElement);
          let decorationStatements = [];
          ({ members, decorationStatements } = transformDecoratorsOfClassElements(node, members));
          const updated = factory2.updateClassDeclaration(
            node,
            modifiers,
            name,
            /*typeParameters*/
            void 0,
            heritageClauses,
            members
          );
          return addRange([updated], decorationStatements);
        }
        function transformClassDeclarationWithClassDecorators(node, name) {
          const isExport = hasSyntacticModifier(
            node,
            32
            /* Export */
          );
          const isDefault = hasSyntacticModifier(
            node,
            2048
            /* Default */
          );
          const modifiers = visitNodes2(node.modifiers, (node2) => isExportOrDefaultModifier(node2) || isDecorator(node2) ? void 0 : node2, isModifierLike);
          const location = moveRangePastModifiers(node);
          const classAlias = getClassAliasIfNeeded(node);
          const declName = languageVersion < 2 ? factory2.getInternalName(
            node,
            /*allowComments*/
            false,
            /*allowSourceMaps*/
            true
          ) : factory2.getLocalName(
            node,
            /*allowComments*/
            false,
            /*allowSourceMaps*/
            true
          );
          const heritageClauses = visitNodes2(node.heritageClauses, visitor2, isHeritageClause);
          let members = visitNodes2(node.members, visitor2, isClassElement);
          let decorationStatements = [];
          ({ members, decorationStatements } = transformDecoratorsOfClassElements(node, members));
          const assignClassAliasInStaticBlock = languageVersion >= 9 && !!classAlias && some(members, (member) => isPropertyDeclaration(member) && hasSyntacticModifier(
            member,
            256
            /* Static */
          ) || isClassStaticBlockDeclaration(member));
          if (assignClassAliasInStaticBlock) {
            members = setTextRange(
              factory2.createNodeArray([
                factory2.createClassStaticBlockDeclaration(
                  factory2.createBlock([
                    factory2.createExpressionStatement(
                      factory2.createAssignment(classAlias, factory2.createThis())
                    )
                  ])
                ),
                ...members
              ]),
              members
            );
          }
          const classExpression = factory2.createClassExpression(
            modifiers,
            name && isGeneratedIdentifier(name) ? void 0 : name,
            /*typeParameters*/
            void 0,
            heritageClauses,
            members
          );
          setOriginalNode(classExpression, node);
          setTextRange(classExpression, location);
          const varInitializer = classAlias && !assignClassAliasInStaticBlock ? factory2.createAssignment(classAlias, classExpression) : classExpression;
          const varDecl = factory2.createVariableDeclaration(
            declName,
            /*exclamationToken*/
            void 0,
            /*type*/
            void 0,
            varInitializer
          );
          setOriginalNode(varDecl, node);
          const varDeclList = factory2.createVariableDeclarationList(
            [varDecl],
            1
            /* Let */
          );
          const varStatement = factory2.createVariableStatement(
            /*modifiers*/
            void 0,
            varDeclList
          );
          setOriginalNode(varStatement, node);
          setTextRange(varStatement, location);
          setCommentRange(varStatement, node);
          const statements = [varStatement];
          addRange(statements, decorationStatements);
          addConstructorDecorationStatement(statements, node);
          if (isExport) {
            if (isDefault) {
              const exportStatement = factory2.createExportDefault(declName);
              statements.push(exportStatement);
            } else {
              const exportStatement = factory2.createExternalModuleExport(factory2.getDeclarationName(node));
              statements.push(exportStatement);
            }
          }
          return statements;
        }
        function visitClassExpression(node) {
          return factory2.updateClassExpression(
            node,
            visitNodes2(node.modifiers, modifierVisitor, isModifier),
            node.name,
            /*typeParameters*/
            void 0,
            visitNodes2(node.heritageClauses, visitor2, isHeritageClause),
            visitNodes2(node.members, visitor2, isClassElement)
          );
        }
        function visitConstructorDeclaration(node) {
          return factory2.updateConstructorDeclaration(
            node,
            visitNodes2(node.modifiers, modifierVisitor, isModifier),
            visitNodes2(node.parameters, visitor2, isParameter),
            visitNode(node.body, visitor2, isBlock)
          );
        }
        function finishClassElement(updated, original) {
          if (updated !== original) {
            setCommentRange(updated, original);
            setSourceMapRange(updated, moveRangePastModifiers(original));
          }
          return updated;
        }
        function visitMethodDeclaration(node) {
          return finishClassElement(
            factory2.updateMethodDeclaration(
              node,
              visitNodes2(node.modifiers, modifierVisitor, isModifier),
              node.asteriskToken,
              Debug.checkDefined(visitNode(node.name, visitor2, isPropertyName)),
              /*questionToken*/
              void 0,
              /*typeParameters*/
              void 0,
              visitNodes2(node.parameters, visitor2, isParameter),
              /*type*/
              void 0,
              visitNode(node.body, visitor2, isBlock)
            ),
            node
          );
        }
        function visitGetAccessorDeclaration(node) {
          return finishClassElement(
            factory2.updateGetAccessorDeclaration(
              node,
              visitNodes2(node.modifiers, modifierVisitor, isModifier),
              Debug.checkDefined(visitNode(node.name, visitor2, isPropertyName)),
              visitNodes2(node.parameters, visitor2, isParameter),
              /*type*/
              void 0,
              visitNode(node.body, visitor2, isBlock)
            ),
            node
          );
        }
        function visitSetAccessorDeclaration(node) {
          return finishClassElement(
            factory2.updateSetAccessorDeclaration(
              node,
              visitNodes2(node.modifiers, modifierVisitor, isModifier),
              Debug.checkDefined(visitNode(node.name, visitor2, isPropertyName)),
              visitNodes2(node.parameters, visitor2, isParameter),
              visitNode(node.body, visitor2, isBlock)
            ),
            node
          );
        }
        function visitPropertyDeclaration(node) {
          if (node.flags & 33554432 || hasSyntacticModifier(
            node,
            128
            /* Ambient */
          )) {
            return void 0;
          }
          return finishClassElement(
            factory2.updatePropertyDeclaration(
              node,
              visitNodes2(node.modifiers, modifierVisitor, isModifier),
              Debug.checkDefined(visitNode(node.name, visitor2, isPropertyName)),
              /*questionOrExclamationToken*/
              void 0,
              /*type*/
              void 0,
              visitNode(node.initializer, visitor2, isExpression)
            ),
            node
          );
        }
        function visitParameterDeclaration(node) {
          const updated = factory2.updateParameterDeclaration(
            node,
            elideNodes(factory2, node.modifiers),
            node.dotDotDotToken,
            Debug.checkDefined(visitNode(node.name, visitor2, isBindingName)),
            /*questionToken*/
            void 0,
            /*type*/
            void 0,
            visitNode(node.initializer, visitor2, isExpression)
          );
          if (updated !== node) {
            setCommentRange(updated, node);
            setTextRange(updated, moveRangePastModifiers(node));
            setSourceMapRange(updated, moveRangePastModifiers(node));
            setEmitFlags(
              updated.name,
              64
              /* NoTrailingSourceMap */
            );
          }
          return updated;
        }
        function isSyntheticMetadataDecorator(node) {
          return isCallToHelper(node.expression, "___metadata");
        }
        function transformAllDecoratorsOfDeclaration(allDecorators) {
          if (!allDecorators) {
            return void 0;
          }
          const { false: decorators, true: metadata } = groupBy(allDecorators.decorators, isSyntheticMetadataDecorator);
          const decoratorExpressions = [];
          addRange(decoratorExpressions, map(decorators, transformDecorator));
          addRange(decoratorExpressions, flatMap(allDecorators.parameters, transformDecoratorsOfParameter));
          addRange(decoratorExpressions, map(metadata, transformDecorator));
          return decoratorExpressions;
        }
        function addClassElementDecorationStatements(statements, node, isStatic2) {
          addRange(statements, map(generateClassElementDecorationExpressions(node, isStatic2), (expr) => factory2.createExpressionStatement(expr)));
        }
        function isDecoratedClassElement(member, isStaticElement, parent2) {
          return nodeOrChildIsDecorated(
            /*useLegacyDecorators*/
            true,
            member,
            parent2
          ) && isStaticElement === isStatic(member);
        }
        function getDecoratedClassElements(node, isStatic2) {
          return filter(node.members, (m) => isDecoratedClassElement(m, isStatic2, node));
        }
        function generateClassElementDecorationExpressions(node, isStatic2) {
          const members = getDecoratedClassElements(node, isStatic2);
          let expressions;
          for (const member of members) {
            expressions = append(expressions, generateClassElementDecorationExpression(node, member));
          }
          return expressions;
        }
        function generateClassElementDecorationExpression(node, member) {
          const allDecorators = getAllDecoratorsOfClassElement(
            member,
            node,
            /*useLegacyDecorators*/
            true
          );
          const decoratorExpressions = transformAllDecoratorsOfDeclaration(allDecorators);
          if (!decoratorExpressions) {
            return void 0;
          }
          const prefix = getClassMemberPrefix(node, member);
          const memberName = getExpressionForPropertyName(
            member,
            /*generateNameForComputedPropertyName*/
            !hasSyntacticModifier(
              member,
              128
              /* Ambient */
            )
          );
          const descriptor = isPropertyDeclaration(member) && !hasAccessorModifier(member) ? factory2.createVoidZero() : factory2.createNull();
          const helper = emitHelpers().createDecorateHelper(
            decoratorExpressions,
            prefix,
            memberName,
            descriptor
          );
          setEmitFlags(
            helper,
            3072
            /* NoComments */
          );
          setSourceMapRange(helper, moveRangePastModifiers(member));
          return helper;
        }
        function addConstructorDecorationStatement(statements, node) {
          const expression = generateConstructorDecorationExpression(node);
          if (expression) {
            statements.push(setOriginalNode(factory2.createExpressionStatement(expression), node));
          }
        }
        function generateConstructorDecorationExpression(node) {
          const allDecorators = getAllDecoratorsOfClass(node);
          const decoratorExpressions = transformAllDecoratorsOfDeclaration(allDecorators);
          if (!decoratorExpressions) {
            return void 0;
          }
          const classAlias = classAliases && classAliases[getOriginalNodeId(node)];
          const localName = languageVersion < 2 ? factory2.getInternalName(
            node,
            /*allowComments*/
            false,
            /*allowSourceMaps*/
            true
          ) : factory2.getDeclarationName(
            node,
            /*allowComments*/
            false,
            /*allowSourceMaps*/
            true
          );
          const decorate = emitHelpers().createDecorateHelper(decoratorExpressions, localName);
          const expression = factory2.createAssignment(localName, classAlias ? factory2.createAssignment(classAlias, decorate) : decorate);
          setEmitFlags(
            expression,
            3072
            /* NoComments */
          );
          setSourceMapRange(expression, moveRangePastModifiers(node));
          return expression;
        }
        function transformDecorator(decorator) {
          return Debug.checkDefined(visitNode(decorator.expression, visitor2, isExpression));
        }
        function transformDecoratorsOfParameter(decorators, parameterOffset) {
          let expressions;
          if (decorators) {
            expressions = [];
            for (const decorator of decorators) {
              const helper = emitHelpers().createParamHelper(
                transformDecorator(decorator),
                parameterOffset
              );
              setTextRange(helper, decorator.expression);
              setEmitFlags(
                helper,
                3072
                /* NoComments */
              );
              expressions.push(helper);
            }
          }
          return expressions;
        }
        function getExpressionForPropertyName(member, generateNameForComputedPropertyName) {
          const name = member.name;
          if (isPrivateIdentifier(name)) {
            return factory2.createIdentifier("");
          } else if (isComputedPropertyName(name)) {
            return generateNameForComputedPropertyName && !isSimpleInlineableExpression(name.expression) ? factory2.getGeneratedNameForNode(name) : name.expression;
          } else if (isIdentifier(name)) {
            return factory2.createStringLiteral(idText(name));
          } else {
            return factory2.cloneNode(name);
          }
        }
        function enableSubstitutionForClassAliases() {
          if (!classAliases) {
            context.enableSubstitution(
              80
              /* Identifier */
            );
            classAliases = [];
          }
        }
        function getClassAliasIfNeeded(node) {
          if (resolver.hasNodeCheckFlag(
            node,
            262144
            /* ContainsConstructorReference */
          )) {
            enableSubstitutionForClassAliases();
            const classAlias = factory2.createUniqueName(node.name && !isGeneratedIdentifier(node.name) ? idText(node.name) : "default");
            classAliases[getOriginalNodeId(node)] = classAlias;
            hoistVariableDeclaration(classAlias);
            return classAlias;
          }
        }
        function getClassPrototype(node) {
          return factory2.createPropertyAccessExpression(factory2.getDeclarationName(node), "prototype");
        }
        function getClassMemberPrefix(node, member) {
          return isStatic(member) ? factory2.getDeclarationName(node) : getClassPrototype(node);
        }
        function onSubstituteNode(hint, node) {
          node = previousOnSubstituteNode(hint, node);
          if (hint === 1) {
            return substituteExpression(node);
          }
          return node;
        }
        function substituteExpression(node) {
          switch (node.kind) {
            case 80:
              return substituteExpressionIdentifier(node);
          }
          return node;
        }
        function substituteExpressionIdentifier(node) {
          return trySubstituteClassAlias(node) ?? node;
        }
        function trySubstituteClassAlias(node) {
          if (classAliases) {
            if (resolver.hasNodeCheckFlag(
              node,
              536870912
              /* ConstructorReference */
            )) {
              const declaration = resolver.getReferencedValueDeclaration(node);
              if (declaration) {
                const classAlias = classAliases[declaration.id];
                if (classAlias) {
                  const clone2 = factory2.cloneNode(classAlias);
                  setSourceMapRange(clone2, node);
                  setCommentRange(clone2, node);
                  return clone2;
                }
              }
            }
          }
          return void 0;
        }
      }
      function transformESDecorators(context) {
        const {
          factory: factory2,
          getEmitHelperFactory: emitHelpers,
          startLexicalEnvironment,
          endLexicalEnvironment,
          hoistVariableDeclaration
        } = context;
        const languageVersion = getEmitScriptTarget(context.getCompilerOptions());
        let top;
        let classInfo;
        let classThis;
        let classSuper;
        let pendingExpressions;
        let shouldTransformPrivateStaticElementsInFile;
        return chainBundle(context, transformSourceFile);
        function transformSourceFile(node) {
          top = void 0;
          shouldTransformPrivateStaticElementsInFile = false;
          const visited = visitEachChild(node, visitor2, context);
          addEmitHelpers(visited, context.readEmitHelpers());
          if (shouldTransformPrivateStaticElementsInFile) {
            addInternalEmitFlags(
              visited,
              32
              /* TransformPrivateStaticElements */
            );
            shouldTransformPrivateStaticElementsInFile = false;
          }
          return visited;
        }
        function updateState() {
          classInfo = void 0;
          classThis = void 0;
          classSuper = void 0;
          switch (top == null ? void 0 : top.kind) {
            case "class":
              classInfo = top.classInfo;
              break;
            case "class-element":
              classInfo = top.next.classInfo;
              classThis = top.classThis;
              classSuper = top.classSuper;
              break;
            case "name":
              const grandparent = top.next.next.next;
              if ((grandparent == null ? void 0 : grandparent.kind) === "class-element") {
                classInfo = grandparent.next.classInfo;
                classThis = grandparent.classThis;
                classSuper = grandparent.classSuper;
              }
              break;
          }
        }
        function enterClass(classInfo2) {
          top = { kind: "class", next: top, classInfo: classInfo2, savedPendingExpressions: pendingExpressions };
          pendingExpressions = void 0;
          updateState();
        }
        function exitClass() {
          Debug.assert((top == null ? void 0 : top.kind) === "class", "Incorrect value for top.kind.", () => `Expected top.kind to be 'class' but got '${top == null ? void 0 : top.kind}' instead.`);
          pendingExpressions = top.savedPendingExpressions;
          top = top.next;
          updateState();
        }
        function enterClassElement(node) {
          var _a, _b;
          Debug.assert((top == null ? void 0 : top.kind) === "class", "Incorrect value for top.kind.", () => `Expected top.kind to be 'class' but got '${top == null ? void 0 : top.kind}' instead.`);
          top = { kind: "class-element", next: top };
          if (isClassStaticBlockDeclaration(node) || isPropertyDeclaration(node) && hasStaticModifier(node)) {
            top.classThis = (_a = top.next.classInfo) == null ? void 0 : _a.classThis;
            top.classSuper = (_b = top.next.classInfo) == null ? void 0 : _b.classSuper;
          }
          updateState();
        }
        function exitClassElement() {
          var _a;
          Debug.assert((top == null ? void 0 : top.kind) === "class-element", "Incorrect value for top.kind.", () => `Expected top.kind to be 'class-element' but got '${top == null ? void 0 : top.kind}' instead.`);
          Debug.assert(((_a = top.next) == null ? void 0 : _a.kind) === "class", "Incorrect value for top.next.kind.", () => {
            var _a2;
            return `Expected top.next.kind to be 'class' but got '${(_a2 = top.next) == null ? void 0 : _a2.kind}' instead.`;
          });
          top = top.next;
          updateState();
        }
        function enterName() {
          Debug.assert((top == null ? void 0 : top.kind) === "class-element", "Incorrect value for top.kind.", () => `Expected top.kind to be 'class-element' but got '${top == null ? void 0 : top.kind}' instead.`);
          top = { kind: "name", next: top };
          updateState();
        }
        function exitName() {
          Debug.assert((top == null ? void 0 : top.kind) === "name", "Incorrect value for top.kind.", () => `Expected top.kind to be 'name' but got '${top == null ? void 0 : top.kind}' instead.`);
          top = top.next;
          updateState();
        }
        function enterOther() {
          if ((top == null ? void 0 : top.kind) === "other") {
            Debug.assert(!pendingExpressions);
            top.depth++;
          } else {
            top = { kind: "other", next: top, depth: 0, savedPendingExpressions: pendingExpressions };
            pendingExpressions = void 0;
            updateState();
          }
        }
        function exitOther() {
          Debug.assert((top == null ? void 0 : top.kind) === "other", "Incorrect value for top.kind.", () => `Expected top.kind to be 'other' but got '${top == null ? void 0 : top.kind}' instead.`);
          if (top.depth > 0) {
            Debug.assert(!pendingExpressions);
            top.depth--;
          } else {
            pendingExpressions = top.savedPendingExpressions;
            top = top.next;
            updateState();
          }
        }
        function shouldVisitNode(node) {
          return !!(node.transformFlags & 33554432) || !!classThis && !!(node.transformFlags & 16384) || !!classThis && !!classSuper && !!(node.transformFlags & 134217728);
        }
        function visitor2(node) {
          if (!shouldVisitNode(node)) {
            return node;
          }
          switch (node.kind) {
            case 170:
              return Debug.fail("Use `modifierVisitor` instead.");
            case 263:
              return visitClassDeclaration(node);
            case 231:
              return visitClassExpression(node);
            case 176:
            case 172:
            case 175:
              return Debug.fail("Not supported outside of a class. Use 'classElementVisitor' instead.");
            case 169:
              return visitParameterDeclaration(node);
            case 226:
              return visitBinaryExpression(
                node,
                /*discarded*/
                false
              );
            case 303:
              return visitPropertyAssignment(node);
            case 260:
              return visitVariableDeclaration(node);
            case 208:
              return visitBindingElement(node);
            case 277:
              return visitExportAssignment(node);
            case 110:
              return visitThisExpression(node);
            case 248:
              return visitForStatement(node);
            case 244:
              return visitExpressionStatement(node);
            case 355:
              return visitCommaListExpression(
                node,
                /*discarded*/
                false
              );
            case 217:
              return visitParenthesizedExpression(
                node,
                /*discarded*/
                false
              );
            case 354:
              return visitPartiallyEmittedExpression(
                node,
                /*discarded*/
                false
              );
            case 213:
              return visitCallExpression(node);
            case 215:
              return visitTaggedTemplateExpression(node);
            case 224:
            case 225:
              return visitPreOrPostfixUnaryExpression(
                node,
                /*discarded*/
                false
              );
            case 211:
              return visitPropertyAccessExpression(node);
            case 212:
              return visitElementAccessExpression(node);
            case 167:
              return visitComputedPropertyName(node);
            case 174:
            case 178:
            case 177:
            case 218:
            case 262: {
              enterOther();
              const result = visitEachChild(node, fallbackVisitor, context);
              exitOther();
              return result;
            }
            default:
              return visitEachChild(node, fallbackVisitor, context);
          }
        }
        function fallbackVisitor(node) {
          switch (node.kind) {
            case 170:
              return void 0;
            default:
              return visitor2(node);
          }
        }
        function modifierVisitor(node) {
          switch (node.kind) {
            case 170:
              return void 0;
            default:
              return node;
          }
        }
        function classElementVisitor(node) {
          switch (node.kind) {
            case 176:
              return visitConstructorDeclaration(node);
            case 174:
              return visitMethodDeclaration(node);
            case 177:
              return visitGetAccessorDeclaration(node);
            case 178:
              return visitSetAccessorDeclaration(node);
            case 172:
              return visitPropertyDeclaration(node);
            case 175:
              return visitClassStaticBlockDeclaration(node);
            default:
              return visitor2(node);
          }
        }
        function discardedValueVisitor(node) {
          switch (node.kind) {
            case 224:
            case 225:
              return visitPreOrPostfixUnaryExpression(
                node,
                /*discarded*/
                true
              );
            case 226:
              return visitBinaryExpression(
                node,
                /*discarded*/
                true
              );
            case 355:
              return visitCommaListExpression(
                node,
                /*discarded*/
                true
              );
            case 217:
              return visitParenthesizedExpression(
                node,
                /*discarded*/
                true
              );
            default:
              return visitor2(node);
          }
        }
        function getHelperVariableName(node) {
          let declarationName = node.name && isIdentifier(node.name) && !isGeneratedIdentifier(node.name) ? idText(node.name) : node.name && isPrivateIdentifier(node.name) && !isGeneratedIdentifier(node.name) ? idText(node.name).slice(1) : node.name && isStringLiteral2(node.name) && isIdentifierText(
            node.name.text,
            99
            /* ESNext */
          ) ? node.name.text : isClassLike(node) ? "class" : "member";
          if (isGetAccessor(node)) declarationName = `get_${declarationName}`;
          if (isSetAccessor(node)) declarationName = `set_${declarationName}`;
          if (node.name && isPrivateIdentifier(node.name)) declarationName = `private_${declarationName}`;
          if (isStatic(node)) declarationName = `static_${declarationName}`;
          return "_" + declarationName;
        }
        function createHelperVariable(node, suffix) {
          return factory2.createUniqueName(
            `${getHelperVariableName(node)}_${suffix}`,
            16 | 8
            /* ReservedInNestedScopes */
          );
        }
        function createLet(name, initializer) {
          return factory2.createVariableStatement(
            /*modifiers*/
            void 0,
            factory2.createVariableDeclarationList(
              [
                factory2.createVariableDeclaration(
                  name,
                  /*exclamationToken*/
                  void 0,
                  /*type*/
                  void 0,
                  initializer
                )
              ],
              1
              /* Let */
            )
          );
        }
        function createClassInfo(node) {
          const metadataReference = factory2.createUniqueName(
            "_metadata",
            16 | 32
            /* FileLevel */
          );
          let instanceMethodExtraInitializersName;
          let staticMethodExtraInitializersName;
          let hasStaticInitializers = false;
          let hasNonAmbientInstanceFields = false;
          let hasStaticPrivateClassElements = false;
          let classThis2;
          let pendingStaticInitializers;
          let pendingInstanceInitializers;
          if (nodeIsDecorated(
            /*useLegacyDecorators*/
            false,
            node
          )) {
            const needsUniqueClassThis = some(node.members, (member) => (isPrivateIdentifierClassElementDeclaration(member) || isAutoAccessorPropertyDeclaration(member)) && hasStaticModifier(member));
            classThis2 = factory2.createUniqueName(
              "_classThis",
              needsUniqueClassThis ? 16 | 8 : 16 | 32
              /* FileLevel */
            );
          }
          for (const member of node.members) {
            if (isMethodOrAccessor(member) && nodeOrChildIsDecorated(
              /*useLegacyDecorators*/
              false,
              member,
              node
            )) {
              if (hasStaticModifier(member)) {
                if (!staticMethodExtraInitializersName) {
                  staticMethodExtraInitializersName = factory2.createUniqueName(
                    "_staticExtraInitializers",
                    16 | 32
                    /* FileLevel */
                  );
                  const initializer = emitHelpers().createRunInitializersHelper(classThis2 ?? factory2.createThis(), staticMethodExtraInitializersName);
                  setSourceMapRange(initializer, node.name ?? moveRangePastDecorators(node));
                  pendingStaticInitializers ?? (pendingStaticInitializers = []);
                  pendingStaticInitializers.push(initializer);
                }
              } else {
                if (!instanceMethodExtraInitializersName) {
                  instanceMethodExtraInitializersName = factory2.createUniqueName(
                    "_instanceExtraInitializers",
                    16 | 32
                    /* FileLevel */
                  );
                  const initializer = emitHelpers().createRunInitializersHelper(factory2.createThis(), instanceMethodExtraInitializersName);
                  setSourceMapRange(initializer, node.name ?? moveRangePastDecorators(node));
                  pendingInstanceInitializers ?? (pendingInstanceInitializers = []);
                  pendingInstanceInitializers.push(initializer);
                }
                instanceMethodExtraInitializersName ?? (instanceMethodExtraInitializersName = factory2.createUniqueName(
                  "_instanceExtraInitializers",
                  16 | 32
                  /* FileLevel */
                ));
              }
            }
            if (isClassStaticBlockDeclaration(member)) {
              if (!isClassNamedEvaluationHelperBlock(member)) {
                hasStaticInitializers = true;
              }
            } else if (isPropertyDeclaration(member)) {
              if (hasStaticModifier(member)) {
                hasStaticInitializers || (hasStaticInitializers = !!member.initializer || hasDecorators(member));
              } else {
                hasNonAmbientInstanceFields || (hasNonAmbientInstanceFields = !isAmbientPropertyDeclaration(member));
              }
            }
            if ((isPrivateIdentifierClassElementDeclaration(member) || isAutoAccessorPropertyDeclaration(member)) && hasStaticModifier(member)) {
              hasStaticPrivateClassElements = true;
            }
            if (staticMethodExtraInitializersName && instanceMethodExtraInitializersName && hasStaticInitializers && hasNonAmbientInstanceFields && hasStaticPrivateClassElements) {
              break;
            }
          }
          return {
            class: node,
            classThis: classThis2,
            metadataReference,
            instanceMethodExtraInitializersName,
            staticMethodExtraInitializersName,
            hasStaticInitializers,
            hasNonAmbientInstanceFields,
            hasStaticPrivateClassElements,
            pendingStaticInitializers,
            pendingInstanceInitializers
          };
        }
        function transformClassLike(node) {
          startLexicalEnvironment();
          if (!classHasDeclaredOrExplicitlyAssignedName(node) && classOrConstructorParameterIsDecorated(
            /*useLegacyDecorators*/
            false,
            node
          )) {
            node = injectClassNamedEvaluationHelperBlockIfMissing(context, node, factory2.createStringLiteral(""));
          }
          const classReference = factory2.getLocalName(
            node,
            /*allowComments*/
            false,
            /*allowSourceMaps*/
            false,
            /*ignoreAssignedName*/
            true
          );
          const classInfo2 = createClassInfo(node);
          const classDefinitionStatements = [];
          let leadingBlockStatements;
          let trailingBlockStatements;
          let syntheticConstructor;
          let heritageClauses;
          let shouldTransformPrivateStaticElementsInClass = false;
          const classDecorators = transformAllDecoratorsOfDeclaration(getAllDecoratorsOfClass(node));
          if (classDecorators) {
            classInfo2.classDecoratorsName = factory2.createUniqueName(
              "_classDecorators",
              16 | 32
              /* FileLevel */
            );
            classInfo2.classDescriptorName = factory2.createUniqueName(
              "_classDescriptor",
              16 | 32
              /* FileLevel */
            );
            classInfo2.classExtraInitializersName = factory2.createUniqueName(
              "_classExtraInitializers",
              16 | 32
              /* FileLevel */
            );
            Debug.assertIsDefined(classInfo2.classThis);
            classDefinitionStatements.push(
              createLet(classInfo2.classDecoratorsName, factory2.createArrayLiteralExpression(classDecorators)),
              createLet(classInfo2.classDescriptorName),
              createLet(classInfo2.classExtraInitializersName, factory2.createArrayLiteralExpression()),
              createLet(classInfo2.classThis)
            );
            if (classInfo2.hasStaticPrivateClassElements) {
              shouldTransformPrivateStaticElementsInClass = true;
              shouldTransformPrivateStaticElementsInFile = true;
            }
          }
          const extendsClause = getHeritageClause(
            node.heritageClauses,
            96
            /* ExtendsKeyword */
          );
          const extendsElement = extendsClause && firstOrUndefined(extendsClause.types);
          const extendsExpression = extendsElement && visitNode(extendsElement.expression, visitor2, isExpression);
          if (extendsExpression) {
            classInfo2.classSuper = factory2.createUniqueName(
              "_classSuper",
              16 | 32
              /* FileLevel */
            );
            const unwrapped = skipOuterExpressions(extendsExpression);
            const safeExtendsExpression = isClassExpression(unwrapped) && !unwrapped.name || isFunctionExpression(unwrapped) && !unwrapped.name || isArrowFunction(unwrapped) ? factory2.createComma(factory2.createNumericLiteral(0), extendsExpression) : extendsExpression;
            classDefinitionStatements.push(createLet(classInfo2.classSuper, safeExtendsExpression));
            const updatedExtendsElement = factory2.updateExpressionWithTypeArguments(
              extendsElement,
              classInfo2.classSuper,
              /*typeArguments*/
              void 0
            );
            const updatedExtendsClause = factory2.updateHeritageClause(extendsClause, [updatedExtendsElement]);
            heritageClauses = factory2.createNodeArray([updatedExtendsClause]);
          }
          const renamedClassThis = classInfo2.classThis ?? factory2.createThis();
          enterClass(classInfo2);
          leadingBlockStatements = append(leadingBlockStatements, createMetadata(classInfo2.metadataReference, classInfo2.classSuper));
          let members = node.members;
          members = visitNodes2(members, (node2) => isConstructorDeclaration(node2) ? node2 : classElementVisitor(node2), isClassElement);
          members = visitNodes2(members, (node2) => isConstructorDeclaration(node2) ? classElementVisitor(node2) : node2, isClassElement);
          if (pendingExpressions) {
            let outerThis;
            for (let expression of pendingExpressions) {
              expression = visitNode(expression, function thisVisitor(node2) {
                if (!(node2.transformFlags & 16384)) {
                  return node2;
                }
                switch (node2.kind) {
                  case 110:
                    if (!outerThis) {
                      outerThis = factory2.createUniqueName(
                        "_outerThis",
                        16
                        /* Optimistic */
                      );
                      classDefinitionStatements.unshift(createLet(outerThis, factory2.createThis()));
                    }
                    return outerThis;
                  default:
                    return visitEachChild(node2, thisVisitor, context);
                }
              }, isExpression);
              const statement = factory2.createExpressionStatement(expression);
              leadingBlockStatements = append(leadingBlockStatements, statement);
            }
            pendingExpressions = void 0;
          }
          exitClass();
          if (some(classInfo2.pendingInstanceInitializers) && !getFirstConstructorWithBody(node)) {
            const initializerStatements = prepareConstructor(node, classInfo2);
            if (initializerStatements) {
              const extendsClauseElement = getEffectiveBaseTypeNode(node);
              const isDerivedClass = !!(extendsClauseElement && skipOuterExpressions(extendsClauseElement.expression).kind !== 106);
              const constructorStatements = [];
              if (isDerivedClass) {
                const spreadArguments = factory2.createSpreadElement(factory2.createIdentifier("arguments"));
                const superCall = factory2.createCallExpression(
                  factory2.createSuper(),
                  /*typeArguments*/
                  void 0,
                  [spreadArguments]
                );
                constructorStatements.push(factory2.createExpressionStatement(superCall));
              }
              addRange(constructorStatements, initializerStatements);
              const constructorBody = factory2.createBlock(
                constructorStatements,
                /*multiLine*/
                true
              );
              syntheticConstructor = factory2.createConstructorDeclaration(
                /*modifiers*/
                void 0,
                [],
                constructorBody
              );
            }
          }
          if (classInfo2.staticMethodExtraInitializersName) {
            classDefinitionStatements.push(
              createLet(classInfo2.staticMethodExtraInitializersName, factory2.createArrayLiteralExpression())
            );
          }
          if (classInfo2.instanceMethodExtraInitializersName) {
            classDefinitionStatements.push(
              createLet(classInfo2.instanceMethodExtraInitializersName, factory2.createArrayLiteralExpression())
            );
          }
          if (classInfo2.memberInfos) {
            forEachEntry(classInfo2.memberInfos, (memberInfo, member) => {
              if (isStatic(member)) {
                classDefinitionStatements.push(createLet(memberInfo.memberDecoratorsName));
                if (memberInfo.memberInitializersName) {
                  classDefinitionStatements.push(createLet(memberInfo.memberInitializersName, factory2.createArrayLiteralExpression()));
                }
                if (memberInfo.memberExtraInitializersName) {
                  classDefinitionStatements.push(createLet(memberInfo.memberExtraInitializersName, factory2.createArrayLiteralExpression()));
                }
                if (memberInfo.memberDescriptorName) {
                  classDefinitionStatements.push(createLet(memberInfo.memberDescriptorName));
                }
              }
            });
          }
          if (classInfo2.memberInfos) {
            forEachEntry(classInfo2.memberInfos, (memberInfo, member) => {
              if (!isStatic(member)) {
                classDefinitionStatements.push(createLet(memberInfo.memberDecoratorsName));
                if (memberInfo.memberInitializersName) {
                  classDefinitionStatements.push(createLet(memberInfo.memberInitializersName, factory2.createArrayLiteralExpression()));
                }
                if (memberInfo.memberExtraInitializersName) {
                  classDefinitionStatements.push(createLet(memberInfo.memberExtraInitializersName, factory2.createArrayLiteralExpression()));
                }
                if (memberInfo.memberDescriptorName) {
                  classDefinitionStatements.push(createLet(memberInfo.memberDescriptorName));
                }
              }
            });
          }
          leadingBlockStatements = addRange(leadingBlockStatements, classInfo2.staticNonFieldDecorationStatements);
          leadingBlockStatements = addRange(leadingBlockStatements, classInfo2.nonStaticNonFieldDecorationStatements);
          leadingBlockStatements = addRange(leadingBlockStatements, classInfo2.staticFieldDecorationStatements);
          leadingBlockStatements = addRange(leadingBlockStatements, classInfo2.nonStaticFieldDecorationStatements);
          if (classInfo2.classDescriptorName && classInfo2.classDecoratorsName && classInfo2.classExtraInitializersName && classInfo2.classThis) {
            leadingBlockStatements ?? (leadingBlockStatements = []);
            const valueProperty = factory2.createPropertyAssignment("value", renamedClassThis);
            const classDescriptor = factory2.createObjectLiteralExpression([valueProperty]);
            const classDescriptorAssignment = factory2.createAssignment(classInfo2.classDescriptorName, classDescriptor);
            const classNameReference = factory2.createPropertyAccessExpression(renamedClassThis, "name");
            const esDecorateHelper2 = emitHelpers().createESDecorateHelper(
              factory2.createNull(),
              classDescriptorAssignment,
              classInfo2.classDecoratorsName,
              { kind: "class", name: classNameReference, metadata: classInfo2.metadataReference },
              factory2.createNull(),
              classInfo2.classExtraInitializersName
            );
            const esDecorateStatement = factory2.createExpressionStatement(esDecorateHelper2);
            setSourceMapRange(esDecorateStatement, moveRangePastDecorators(node));
            leadingBlockStatements.push(esDecorateStatement);
            const classDescriptorValueReference = factory2.createPropertyAccessExpression(classInfo2.classDescriptorName, "value");
            const classThisAssignment = factory2.createAssignment(classInfo2.classThis, classDescriptorValueReference);
            const classReferenceAssignment = factory2.createAssignment(classReference, classThisAssignment);
            leadingBlockStatements.push(factory2.createExpressionStatement(classReferenceAssignment));
          }
          leadingBlockStatements.push(createSymbolMetadata(renamedClassThis, classInfo2.metadataReference));
          if (some(classInfo2.pendingStaticInitializers)) {
            for (const initializer of classInfo2.pendingStaticInitializers) {
              const initializerStatement = factory2.createExpressionStatement(initializer);
              setSourceMapRange(initializerStatement, getSourceMapRange(initializer));
              trailingBlockStatements = append(trailingBlockStatements, initializerStatement);
            }
            classInfo2.pendingStaticInitializers = void 0;
          }
          if (classInfo2.classExtraInitializersName) {
            const runClassInitializersHelper = emitHelpers().createRunInitializersHelper(renamedClassThis, classInfo2.classExtraInitializersName);
            const runClassInitializersStatement = factory2.createExpressionStatement(runClassInitializersHelper);
            setSourceMapRange(runClassInitializersStatement, node.name ?? moveRangePastDecorators(node));
            trailingBlockStatements = append(trailingBlockStatements, runClassInitializersStatement);
          }
          if (leadingBlockStatements && trailingBlockStatements && !classInfo2.hasStaticInitializers) {
            addRange(leadingBlockStatements, trailingBlockStatements);
            trailingBlockStatements = void 0;
          }
          const leadingStaticBlock = leadingBlockStatements && factory2.createClassStaticBlockDeclaration(factory2.createBlock(
            leadingBlockStatements,
            /*multiLine*/
            true
          ));
          if (leadingStaticBlock && shouldTransformPrivateStaticElementsInClass) {
            setInternalEmitFlags(
              leadingStaticBlock,
              32
              /* TransformPrivateStaticElements */
            );
          }
          const trailingStaticBlock = trailingBlockStatements && factory2.createClassStaticBlockDeclaration(factory2.createBlock(
            trailingBlockStatements,
            /*multiLine*/
            true
          ));
          if (leadingStaticBlock || syntheticConstructor || trailingStaticBlock) {
            const newMembers = [];
            const existingNamedEvaluationHelperBlockIndex = members.findIndex(isClassNamedEvaluationHelperBlock);
            if (leadingStaticBlock) {
              addRange(newMembers, members, 0, existingNamedEvaluationHelperBlockIndex + 1);
              newMembers.push(leadingStaticBlock);
              addRange(newMembers, members, existingNamedEvaluationHelperBlockIndex + 1);
            } else {
              addRange(newMembers, members);
            }
            if (syntheticConstructor) {
              newMembers.push(syntheticConstructor);
            }
            if (trailingStaticBlock) {
              newMembers.push(trailingStaticBlock);
            }
            members = setTextRange(factory2.createNodeArray(newMembers), members);
          }
          const lexicalEnvironment = endLexicalEnvironment();
          let classExpression;
          if (classDecorators) {
            classExpression = factory2.createClassExpression(
              /*modifiers*/
              void 0,
              /*name*/
              void 0,
              /*typeParameters*/
              void 0,
              heritageClauses,
              members
            );
            if (classInfo2.classThis) {
              classExpression = injectClassThisAssignmentIfMissing(factory2, classExpression, classInfo2.classThis);
            }
            const classReferenceDeclaration = factory2.createVariableDeclaration(
              classReference,
              /*exclamationToken*/
              void 0,
              /*type*/
              void 0,
              classExpression
            );
            const classReferenceVarDeclList = factory2.createVariableDeclarationList([classReferenceDeclaration]);
            const returnExpr = classInfo2.classThis ? factory2.createAssignment(classReference, classInfo2.classThis) : classReference;
            classDefinitionStatements.push(
              factory2.createVariableStatement(
                /*modifiers*/
                void 0,
                classReferenceVarDeclList
              ),
              factory2.createReturnStatement(returnExpr)
            );
          } else {
            classExpression = factory2.createClassExpression(
              /*modifiers*/
              void 0,
              node.name,
              /*typeParameters*/
              void 0,
              heritageClauses,
              members
            );
            classDefinitionStatements.push(factory2.createReturnStatement(classExpression));
          }
          if (shouldTransformPrivateStaticElementsInClass) {
            addInternalEmitFlags(
              classExpression,
              32
              /* TransformPrivateStaticElements */
            );
            for (const member of classExpression.members) {
              if ((isPrivateIdentifierClassElementDeclaration(member) || isAutoAccessorPropertyDeclaration(member)) && hasStaticModifier(member)) {
                addInternalEmitFlags(
                  member,
                  32
                  /* TransformPrivateStaticElements */
                );
              }
            }
          }
          setOriginalNode(classExpression, node);
          return factory2.createImmediatelyInvokedArrowFunction(factory2.mergeLexicalEnvironment(classDefinitionStatements, lexicalEnvironment));
        }
        function isDecoratedClassLike(node) {
          return classOrConstructorParameterIsDecorated(
            /*useLegacyDecorators*/
            false,
            node
          ) || childIsDecorated(
            /*useLegacyDecorators*/
            false,
            node
          );
        }
        function visitClassDeclaration(node) {
          if (isDecoratedClassLike(node)) {
            const statements = [];
            const originalClass = getOriginalNode(node, isClassLike) ?? node;
            const className = originalClass.name ? factory2.createStringLiteralFromNode(originalClass.name) : factory2.createStringLiteral("default");
            const isExport = hasSyntacticModifier(
              node,
              32
              /* Export */
            );
            const isDefault = hasSyntacticModifier(
              node,
              2048
              /* Default */
            );
            if (!node.name) {
              node = injectClassNamedEvaluationHelperBlockIfMissing(context, node, className);
            }
            if (isExport && isDefault) {
              const iife = transformClassLike(node);
              if (node.name) {
                const varDecl = factory2.createVariableDeclaration(
                  factory2.getLocalName(node),
                  /*exclamationToken*/
                  void 0,
                  /*type*/
                  void 0,
                  iife
                );
                setOriginalNode(varDecl, node);
                const varDecls = factory2.createVariableDeclarationList(
                  [varDecl],
                  1
                  /* Let */
                );
                const varStatement = factory2.createVariableStatement(
                  /*modifiers*/
                  void 0,
                  varDecls
                );
                statements.push(varStatement);
                const exportStatement = factory2.createExportDefault(factory2.getDeclarationName(node));
                setOriginalNode(exportStatement, node);
                setCommentRange(exportStatement, getCommentRange(node));
                setSourceMapRange(exportStatement, moveRangePastDecorators(node));
                statements.push(exportStatement);
              } else {
                const exportStatement = factory2.createExportDefault(iife);
                setOriginalNode(exportStatement, node);
                setCommentRange(exportStatement, getCommentRange(node));
                setSourceMapRange(exportStatement, moveRangePastDecorators(node));
                statements.push(exportStatement);
              }
            } else {
              Debug.assertIsDefined(node.name, "A class declaration that is not a default export must have a name.");
              const iife = transformClassLike(node);
              const modifierVisitorNoExport = isExport ? (node2) => isExportModifier(node2) ? void 0 : modifierVisitor(node2) : modifierVisitor;
              const modifiers = visitNodes2(node.modifiers, modifierVisitorNoExport, isModifier);
              const declName = factory2.getLocalName(
                node,
                /*allowComments*/
                false,
                /*allowSourceMaps*/
                true
              );
              const varDecl = factory2.createVariableDeclaration(
                declName,
                /*exclamationToken*/
                void 0,
                /*type*/
                void 0,
                iife
              );
              setOriginalNode(varDecl, node);
              const varDecls = factory2.createVariableDeclarationList(
                [varDecl],
                1
                /* Let */
              );
              const varStatement = factory2.createVariableStatement(modifiers, varDecls);
              setOriginalNode(varStatement, node);
              setCommentRange(varStatement, getCommentRange(node));
              statements.push(varStatement);
              if (isExport) {
                const exportStatement = factory2.createExternalModuleExport(declName);
                setOriginalNode(exportStatement, node);
                statements.push(exportStatement);
              }
            }
            return singleOrMany(statements);
          } else {
            const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier);
            const heritageClauses = visitNodes2(node.heritageClauses, visitor2, isHeritageClause);
            enterClass(
              /*classInfo*/
              void 0
            );
            const members = visitNodes2(node.members, classElementVisitor, isClassElement);
            exitClass();
            return factory2.updateClassDeclaration(
              node,
              modifiers,
              node.name,
              /*typeParameters*/
              void 0,
              heritageClauses,
              members
            );
          }
        }
        function visitClassExpression(node) {
          if (isDecoratedClassLike(node)) {
            const iife = transformClassLike(node);
            setOriginalNode(iife, node);
            return iife;
          } else {
            const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier);
            const heritageClauses = visitNodes2(node.heritageClauses, visitor2, isHeritageClause);
            enterClass(
              /*classInfo*/
              void 0
            );
            const members = visitNodes2(node.members, classElementVisitor, isClassElement);
            exitClass();
            return factory2.updateClassExpression(
              node,
              modifiers,
              node.name,
              /*typeParameters*/
              void 0,
              heritageClauses,
              members
            );
          }
        }
        function prepareConstructor(_parent, classInfo2) {
          if (some(classInfo2.pendingInstanceInitializers)) {
            const statements = [];
            statements.push(
              factory2.createExpressionStatement(
                factory2.inlineExpressions(classInfo2.pendingInstanceInitializers)
              )
            );
            classInfo2.pendingInstanceInitializers = void 0;
            return statements;
          }
        }
        function transformConstructorBodyWorker(statementsOut, statementsIn, statementOffset, superPath, superPathDepth, initializerStatements) {
          const superStatementIndex = superPath[superPathDepth];
          const superStatement = statementsIn[superStatementIndex];
          addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, statementOffset, superStatementIndex - statementOffset));
          if (isTryStatement(superStatement)) {
            const tryBlockStatements = [];
            transformConstructorBodyWorker(
              tryBlockStatements,
              superStatement.tryBlock.statements,
              /*statementOffset*/
              0,
              superPath,
              superPathDepth + 1,
              initializerStatements
            );
            const tryBlockStatementsArray = factory2.createNodeArray(tryBlockStatements);
            setTextRange(tryBlockStatementsArray, superStatement.tryBlock.statements);
            statementsOut.push(factory2.updateTryStatement(
              superStatement,
              factory2.updateBlock(superStatement.tryBlock, tryBlockStatements),
              visitNode(superStatement.catchClause, visitor2, isCatchClause),
              visitNode(superStatement.finallyBlock, visitor2, isBlock)
            ));
          } else {
            addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, superStatementIndex, 1));
            addRange(statementsOut, initializerStatements);
          }
          addRange(statementsOut, visitNodes2(statementsIn, visitor2, isStatement, superStatementIndex + 1));
        }
        function visitConstructorDeclaration(node) {
          enterClassElement(node);
          const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier);
          const parameters = visitNodes2(node.parameters, visitor2, isParameter);
          let body;
          if (node.body && classInfo) {
            const initializerStatements = prepareConstructor(classInfo.class, classInfo);
            if (initializerStatements) {
              const statements = [];
              const nonPrologueStart = factory2.copyPrologue(
                node.body.statements,
                statements,
                /*ensureUseStrict*/
                false,
                visitor2
              );
              const superStatementIndices = findSuperStatementIndexPath(node.body.statements, nonPrologueStart);
              if (superStatementIndices.length > 0) {
                transformConstructorBodyWorker(statements, node.body.statements, nonPrologueStart, superStatementIndices, 0, initializerStatements);
              } else {
                addRange(statements, initializerStatements);
                addRange(statements, visitNodes2(node.body.statements, visitor2, isStatement));
              }
              body = factory2.createBlock(
                statements,
                /*multiLine*/
                true
              );
              setOriginalNode(body, node.body);
              setTextRange(body, node.body);
            }
          }
          body ?? (body = visitNode(node.body, visitor2, isBlock));
          exitClassElement();
          return factory2.updateConstructorDeclaration(node, modifiers, parameters, body);
        }
        function finishClassElement(updated, original) {
          if (updated !== original) {
            setCommentRange(updated, original);
            setSourceMapRange(updated, moveRangePastDecorators(original));
          }
          return updated;
        }
        function partialTransformClassElement(member, classInfo2, createDescriptor) {
          let referencedName;
          let name;
          let initializersName;
          let extraInitializersName;
          let thisArg;
          let descriptorName;
          if (!classInfo2) {
            const modifiers2 = visitNodes2(member.modifiers, modifierVisitor, isModifier);
            enterName();
            name = visitPropertyName(member.name);
            exitName();
            return { modifiers: modifiers2, referencedName, name, initializersName, descriptorName, thisArg };
          }
          const memberDecorators = transformAllDecoratorsOfDeclaration(getAllDecoratorsOfClassElement(
            member,
            classInfo2.class,
            /*useLegacyDecorators*/
            false
          ));
          const modifiers = visitNodes2(member.modifiers, modifierVisitor, isModifier);
          if (memberDecorators) {
            const memberDecoratorsName = createHelperVariable(member, "decorators");
            const memberDecoratorsArray = factory2.createArrayLiteralExpression(memberDecorators);
            const memberDecoratorsAssignment = factory2.createAssignment(memberDecoratorsName, memberDecoratorsArray);
            const memberInfo = { memberDecoratorsName };
            classInfo2.memberInfos ?? (classInfo2.memberInfos = /* @__PURE__ */ new Map());
            classInfo2.memberInfos.set(member, memberInfo);
            pendingExpressions ?? (pendingExpressions = []);
            pendingExpressions.push(memberDecoratorsAssignment);
            const statements = isMethodOrAccessor(member) || isAutoAccessorPropertyDeclaration(member) ? isStatic(member) ? classInfo2.staticNonFieldDecorationStatements ?? (classInfo2.staticNonFieldDecorationStatements = []) : classInfo2.nonStaticNonFieldDecorationStatements ?? (classInfo2.nonStaticNonFieldDecorationStatements = []) : isPropertyDeclaration(member) && !isAutoAccessorPropertyDeclaration(member) ? isStatic(member) ? classInfo2.staticFieldDecorationStatements ?? (classInfo2.staticFieldDecorationStatements = []) : classInfo2.nonStaticFieldDecorationStatements ?? (classInfo2.nonStaticFieldDecorationStatements = []) : Debug.fail();
            const kind = isGetAccessorDeclaration(member) ? "getter" : isSetAccessorDeclaration(member) ? "setter" : isMethodDeclaration(member) ? "method" : isAutoAccessorPropertyDeclaration(member) ? "accessor" : isPropertyDeclaration(member) ? "field" : Debug.fail();
            let propertyName;
            if (isIdentifier(member.name) || isPrivateIdentifier(member.name)) {
              propertyName = { computed: false, name: member.name };
            } else if (isPropertyNameLiteral(member.name)) {
              propertyName = { computed: true, name: factory2.createStringLiteralFromNode(member.name) };
            } else {
              const expression = member.name.expression;
              if (isPropertyNameLiteral(expression) && !isIdentifier(expression)) {
                propertyName = { computed: true, name: factory2.createStringLiteralFromNode(expression) };
              } else {
                enterName();
                ({ referencedName, name } = visitReferencedPropertyName(member.name));
                propertyName = { computed: true, name: referencedName };
                exitName();
              }
            }
            const context2 = {
              kind,
              name: propertyName,
              static: isStatic(member),
              private: isPrivateIdentifier(member.name),
              access: {
                // 15.7.3 CreateDecoratorAccessObject (kind, name)
                // 2. If _kind_ is ~field~, ~method~, ~accessor~, or ~getter~, then ...
                get: isPropertyDeclaration(member) || isGetAccessorDeclaration(member) || isMethodDeclaration(member),
                // 3. If _kind_ is ~field~, ~accessor~, or ~setter~, then ...
                set: isPropertyDeclaration(member) || isSetAccessorDeclaration(member)
              },
              metadata: classInfo2.metadataReference
            };
            if (isMethodOrAccessor(member)) {
              const methodExtraInitializersName = isStatic(member) ? classInfo2.staticMethodExtraInitializersName : classInfo2.instanceMethodExtraInitializersName;
              Debug.assertIsDefined(methodExtraInitializersName);
              let descriptor;
              if (isPrivateIdentifierClassElementDeclaration(member) && createDescriptor) {
                descriptor = createDescriptor(member, visitNodes2(modifiers, (node) => tryCast(node, isAsyncModifier), isModifier));
                memberInfo.memberDescriptorName = descriptorName = createHelperVariable(member, "descriptor");
                descriptor = factory2.createAssignment(descriptorName, descriptor);
              }
              const esDecorateExpression = emitHelpers().createESDecorateHelper(factory2.createThis(), descriptor ?? factory2.createNull(), memberDecoratorsName, context2, factory2.createNull(), methodExtraInitializersName);
              const esDecorateStatement = factory2.createExpressionStatement(esDecorateExpression);
              setSourceMapRange(esDecorateStatement, moveRangePastDecorators(member));
              statements.push(esDecorateStatement);
            } else if (isPropertyDeclaration(member)) {
              initializersName = memberInfo.memberInitializersName ?? (memberInfo.memberInitializersName = createHelperVariable(member, "initializers"));
              extraInitializersName = memberInfo.memberExtraInitializersName ?? (memberInfo.memberExtraInitializersName = createHelperVariable(member, "extraInitializers"));
              if (isStatic(member)) {
                thisArg = classInfo2.classThis;
              }
              let descriptor;
              if (isPrivateIdentifierClassElementDeclaration(member) && hasAccessorModifier(member) && createDescriptor) {
                descriptor = createDescriptor(
                  member,
                  /*modifiers*/
                  void 0
                );
                memberInfo.memberDescriptorName = descriptorName = createHelperVariable(member, "descriptor");
                descriptor = factory2.createAssignment(descriptorName, descriptor);
              }
              const esDecorateExpression = emitHelpers().createESDecorateHelper(
                isAutoAccessorPropertyDeclaration(member) ? factory2.createThis() : factory2.createNull(),
                descriptor ?? factory2.createNull(),
                memberDecoratorsName,
                context2,
                initializersName,
                extraInitializersName
              );
              const esDecorateStatement = factory2.createExpressionStatement(esDecorateExpression);
              setSourceMapRange(esDecorateStatement, moveRangePastDecorators(member));
              statements.push(esDecorateStatement);
            }
          }
          if (name === void 0) {
            enterName();
            name = visitPropertyName(member.name);
            exitName();
          }
          if (!some(modifiers) && (isMethodDeclaration(member) || isPropertyDeclaration(member))) {
            setEmitFlags(
              name,
              1024
              /* NoLeadingComments */
            );
          }
          return { modifiers, referencedName, name, initializersName, extraInitializersName, descriptorName, thisArg };
        }
        function visitMethodDeclaration(node) {
          enterClassElement(node);
          const { modifiers, name, descriptorName } = partialTransformClassElement(node, classInfo, createMethodDescriptorObject);
          if (descriptorName) {
            exitClassElement();
            return finishClassElement(createMethodDescriptorForwarder(modifiers, name, descriptorName), node);
          } else {
            const parameters = visitNodes2(node.parameters, visitor2, isParameter);
            const body = visitNode(node.body, visitor2, isBlock);
            exitClassElement();
            return finishClassElement(factory2.updateMethodDeclaration(
              node,
              modifiers,
              node.asteriskToken,
              name,
              /*questionToken*/
              void 0,
              /*typeParameters*/
              void 0,
              parameters,
              /*type*/
              void 0,
              body
            ), node);
          }
        }
        function visitGetAccessorDeclaration(node) {
          enterClassElement(node);
          const { modifiers, name, descriptorName } = partialTransformClassElement(node, classInfo, createGetAccessorDescriptorObject);
          if (descriptorName) {
            exitClassElement();
            return finishClassElement(createGetAccessorDescriptorForwarder(modifiers, name, descriptorName), node);
          } else {
            const parameters = visitNodes2(node.parameters, visitor2, isParameter);
            const body = visitNode(node.body, visitor2, isBlock);
            exitClassElement();
            return finishClassElement(factory2.updateGetAccessorDeclaration(
              node,
              modifiers,
              name,
              parameters,
              /*type*/
              void 0,
              body
            ), node);
          }
        }
        function visitSetAccessorDeclaration(node) {
          enterClassElement(node);
          const { modifiers, name, descriptorName } = partialTransformClassElement(node, classInfo, createSetAccessorDescriptorObject);
          if (descriptorName) {
            exitClassElement();
            return finishClassElement(createSetAccessorDescriptorForwarder(modifiers, name, descriptorName), node);
          } else {
            const parameters = visitNodes2(node.parameters, visitor2, isParameter);
            const body = visitNode(node.body, visitor2, isBlock);
            exitClassElement();
            return finishClassElement(factory2.updateSetAccessorDeclaration(node, modifiers, name, parameters, body), node);
          }
        }
        function visitClassStaticBlockDeclaration(node) {
          enterClassElement(node);
          let result;
          if (isClassNamedEvaluationHelperBlock(node)) {
            result = visitEachChild(node, visitor2, context);
          } else if (isClassThisAssignmentBlock(node)) {
            const savedClassThis = classThis;
            classThis = void 0;
            result = visitEachChild(node, visitor2, context);
            classThis = savedClassThis;
          } else {
            node = visitEachChild(node, visitor2, context);
            result = node;
            if (classInfo) {
              classInfo.hasStaticInitializers = true;
              if (some(classInfo.pendingStaticInitializers)) {
                const statements = [];
                for (const initializer of classInfo.pendingStaticInitializers) {
                  const initializerStatement = factory2.createExpressionStatement(initializer);
                  setSourceMapRange(initializerStatement, getSourceMapRange(initializer));
                  statements.push(initializerStatement);
                }
                const body = factory2.createBlock(
                  statements,
                  /*multiLine*/
                  true
                );
                const staticBlock = factory2.createClassStaticBlockDeclaration(body);
                result = [staticBlock, result];
                classInfo.pendingStaticInitializers = void 0;
              }
            }
          }
          exitClassElement();
          return result;
        }
        function visitPropertyDeclaration(node) {
          if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
            node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.initializer));
          }
          enterClassElement(node);
          Debug.assert(!isAmbientPropertyDeclaration(node), "Not yet implemented.");
          const { modifiers, name, initializersName, extraInitializersName, descriptorName, thisArg } = partialTransformClassElement(node, classInfo, hasAccessorModifier(node) ? createAccessorPropertyDescriptorObject : void 0);
          startLexicalEnvironment();
          let initializer = visitNode(node.initializer, visitor2, isExpression);
          if (initializersName) {
            initializer = emitHelpers().createRunInitializersHelper(
              thisArg ?? factory2.createThis(),
              initializersName,
              initializer ?? factory2.createVoidZero()
            );
          }
          if (isStatic(node) && classInfo && initializer) {
            classInfo.hasStaticInitializers = true;
          }
          const declarations = endLexicalEnvironment();
          if (some(declarations)) {
            initializer = factory2.createImmediatelyInvokedArrowFunction([
              ...declarations,
              factory2.createReturnStatement(initializer)
            ]);
          }
          if (classInfo) {
            if (isStatic(node)) {
              initializer = injectPendingInitializers(
                classInfo,
                /*isStatic*/
                true,
                initializer
              );
              if (extraInitializersName) {
                classInfo.pendingStaticInitializers ?? (classInfo.pendingStaticInitializers = []);
                classInfo.pendingStaticInitializers.push(
                  emitHelpers().createRunInitializersHelper(
                    classInfo.classThis ?? factory2.createThis(),
                    extraInitializersName
                  )
                );
              }
            } else {
              initializer = injectPendingInitializers(
                classInfo,
                /*isStatic*/
                false,
                initializer
              );
              if (extraInitializersName) {
                classInfo.pendingInstanceInitializers ?? (classInfo.pendingInstanceInitializers = []);
                classInfo.pendingInstanceInitializers.push(
                  emitHelpers().createRunInitializersHelper(
                    factory2.createThis(),
                    extraInitializersName
                  )
                );
              }
            }
          }
          exitClassElement();
          if (hasAccessorModifier(node) && descriptorName) {
            const commentRange = getCommentRange(node);
            const sourceMapRange = getSourceMapRange(node);
            const name2 = node.name;
            let getterName = name2;
            let setterName = name2;
            if (isComputedPropertyName(name2) && !isSimpleInlineableExpression(name2.expression)) {
              const cacheAssignment = findComputedPropertyNameCacheAssignment(name2);
              if (cacheAssignment) {
                getterName = factory2.updateComputedPropertyName(name2, visitNode(name2.expression, visitor2, isExpression));
                setterName = factory2.updateComputedPropertyName(name2, cacheAssignment.left);
              } else {
                const temp = factory2.createTempVariable(hoistVariableDeclaration);
                setSourceMapRange(temp, name2.expression);
                const expression = visitNode(name2.expression, visitor2, isExpression);
                const assignment = factory2.createAssignment(temp, expression);
                setSourceMapRange(assignment, name2.expression);
                getterName = factory2.updateComputedPropertyName(name2, assignment);
                setterName = factory2.updateComputedPropertyName(name2, temp);
              }
            }
            const modifiersWithoutAccessor = visitNodes2(modifiers, (node2) => node2.kind !== 129 ? node2 : void 0, isModifier);
            const backingField = createAccessorPropertyBackingField(factory2, node, modifiersWithoutAccessor, initializer);
            setOriginalNode(backingField, node);
            setEmitFlags(
              backingField,
              3072
              /* NoComments */
            );
            setSourceMapRange(backingField, sourceMapRange);
            setSourceMapRange(backingField.name, node.name);
            const getter = createGetAccessorDescriptorForwarder(modifiersWithoutAccessor, getterName, descriptorName);
            setOriginalNode(getter, node);
            setCommentRange(getter, commentRange);
            setSourceMapRange(getter, sourceMapRange);
            const setter = createSetAccessorDescriptorForwarder(modifiersWithoutAccessor, setterName, descriptorName);
            setOriginalNode(setter, node);
            setEmitFlags(
              setter,
              3072
              /* NoComments */
            );
            setSourceMapRange(setter, sourceMapRange);
            return [backingField, getter, setter];
          }
          return finishClassElement(factory2.updatePropertyDeclaration(
            node,
            modifiers,
            name,
            /*questionOrExclamationToken*/
            void 0,
            /*type*/
            void 0,
            initializer
          ), node);
        }
        function visitThisExpression(node) {
          return classThis ?? node;
        }
        function visitCallExpression(node) {
          if (isSuperProperty(node.expression) && classThis) {
            const expression = visitNode(node.expression, visitor2, isExpression);
            const argumentsList = visitNodes2(node.arguments, visitor2, isExpression);
            const invocation = factory2.createFunctionCallCall(expression, classThis, argumentsList);
            setOriginalNode(invocation, node);
            setTextRange(invocation, node);
            return invocation;
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitTaggedTemplateExpression(node) {
          if (isSuperProperty(node.tag) && classThis) {
            const tag = visitNode(node.tag, visitor2, isExpression);
            const boundTag = factory2.createFunctionBindCall(tag, classThis, []);
            setOriginalNode(boundTag, node);
            setTextRange(boundTag, node);
            const template = visitNode(node.template, visitor2, isTemplateLiteral);
            return factory2.updateTaggedTemplateExpression(
              node,
              boundTag,
              /*typeArguments*/
              void 0,
              template
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitPropertyAccessExpression(node) {
          if (isSuperProperty(node) && isIdentifier(node.name) && classThis && classSuper) {
            const propertyName = factory2.createStringLiteralFromNode(node.name);
            const superProperty = factory2.createReflectGetCall(classSuper, propertyName, classThis);
            setOriginalNode(superProperty, node.expression);
            setTextRange(superProperty, node.expression);
            return superProperty;
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitElementAccessExpression(node) {
          if (isSuperProperty(node) && classThis && classSuper) {
            const propertyName = visitNode(node.argumentExpression, visitor2, isExpression);
            const superProperty = factory2.createReflectGetCall(classSuper, propertyName, classThis);
            setOriginalNode(superProperty, node.expression);
            setTextRange(superProperty, node.expression);
            return superProperty;
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitParameterDeclaration(node) {
          if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
            node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.initializer));
          }
          const updated = factory2.updateParameterDeclaration(
            node,
            /*modifiers*/
            void 0,
            node.dotDotDotToken,
            visitNode(node.name, visitor2, isBindingName),
            /*questionToken*/
            void 0,
            /*type*/
            void 0,
            visitNode(node.initializer, visitor2, isExpression)
          );
          if (updated !== node) {
            setCommentRange(updated, node);
            setTextRange(updated, moveRangePastModifiers(node));
            setSourceMapRange(updated, moveRangePastModifiers(node));
            setEmitFlags(
              updated.name,
              64
              /* NoTrailingSourceMap */
            );
          }
          return updated;
        }
        function isAnonymousClassNeedingAssignedName(node) {
          return isClassExpression(node) && !node.name && isDecoratedClassLike(node);
        }
        function canIgnoreEmptyStringLiteralInAssignedName(node) {
          const innerExpression = skipOuterExpressions(node);
          return isClassExpression(innerExpression) && !innerExpression.name && !classOrConstructorParameterIsDecorated(
            /*useLegacyDecorators*/
            false,
            innerExpression
          );
        }
        function visitForStatement(node) {
          return factory2.updateForStatement(
            node,
            visitNode(node.initializer, discardedValueVisitor, isForInitializer),
            visitNode(node.condition, visitor2, isExpression),
            visitNode(node.incrementor, discardedValueVisitor, isExpression),
            visitIterationBody(node.statement, visitor2, context)
          );
        }
        function visitExpressionStatement(node) {
          return visitEachChild(node, discardedValueVisitor, context);
        }
        function visitBinaryExpression(node, discarded) {
          if (isDestructuringAssignment(node)) {
            const left = visitAssignmentPattern(node.left);
            const right = visitNode(node.right, visitor2, isExpression);
            return factory2.updateBinaryExpression(node, left, node.operatorToken, right);
          }
          if (isAssignmentExpression2(node)) {
            if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
              node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.right));
              return visitEachChild(node, visitor2, context);
            }
            if (isSuperProperty(node.left) && classThis && classSuper) {
              let setterName = isElementAccessExpression(node.left) ? visitNode(node.left.argumentExpression, visitor2, isExpression) : isIdentifier(node.left.name) ? factory2.createStringLiteralFromNode(node.left.name) : void 0;
              if (setterName) {
                let expression = visitNode(node.right, visitor2, isExpression);
                if (isCompoundAssignment(node.operatorToken.kind)) {
                  let getterName = setterName;
                  if (!isSimpleInlineableExpression(setterName)) {
                    getterName = factory2.createTempVariable(hoistVariableDeclaration);
                    setterName = factory2.createAssignment(getterName, setterName);
                  }
                  const superPropertyGet = factory2.createReflectGetCall(
                    classSuper,
                    getterName,
                    classThis
                  );
                  setOriginalNode(superPropertyGet, node.left);
                  setTextRange(superPropertyGet, node.left);
                  expression = factory2.createBinaryExpression(
                    superPropertyGet,
                    getNonAssignmentOperatorForCompoundAssignment(node.operatorToken.kind),
                    expression
                  );
                  setTextRange(expression, node);
                }
                const temp = discarded ? void 0 : factory2.createTempVariable(hoistVariableDeclaration);
                if (temp) {
                  expression = factory2.createAssignment(temp, expression);
                  setTextRange(temp, node);
                }
                expression = factory2.createReflectSetCall(
                  classSuper,
                  setterName,
                  expression,
                  classThis
                );
                setOriginalNode(expression, node);
                setTextRange(expression, node);
                if (temp) {
                  expression = factory2.createComma(expression, temp);
                  setTextRange(expression, node);
                }
                return expression;
              }
            }
          }
          if (node.operatorToken.kind === 28) {
            const left = visitNode(node.left, discardedValueVisitor, isExpression);
            const right = visitNode(node.right, discarded ? discardedValueVisitor : visitor2, isExpression);
            return factory2.updateBinaryExpression(node, left, node.operatorToken, right);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitPreOrPostfixUnaryExpression(node, discarded) {
          if (node.operator === 46 || node.operator === 47) {
            const operand = skipParentheses(node.operand);
            if (isSuperProperty(operand) && classThis && classSuper) {
              let setterName = isElementAccessExpression(operand) ? visitNode(operand.argumentExpression, visitor2, isExpression) : isIdentifier(operand.name) ? factory2.createStringLiteralFromNode(operand.name) : void 0;
              if (setterName) {
                let getterName = setterName;
                if (!isSimpleInlineableExpression(setterName)) {
                  getterName = factory2.createTempVariable(hoistVariableDeclaration);
                  setterName = factory2.createAssignment(getterName, setterName);
                }
                let expression = factory2.createReflectGetCall(classSuper, getterName, classThis);
                setOriginalNode(expression, node);
                setTextRange(expression, node);
                const temp = discarded ? void 0 : factory2.createTempVariable(hoistVariableDeclaration);
                expression = expandPreOrPostfixIncrementOrDecrementExpression(factory2, node, expression, hoistVariableDeclaration, temp);
                expression = factory2.createReflectSetCall(classSuper, setterName, expression, classThis);
                setOriginalNode(expression, node);
                setTextRange(expression, node);
                if (temp) {
                  expression = factory2.createComma(expression, temp);
                  setTextRange(expression, node);
                }
                return expression;
              }
            }
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitCommaListExpression(node, discarded) {
          const elements = discarded ? visitCommaListElements(node.elements, discardedValueVisitor) : visitCommaListElements(node.elements, visitor2, discardedValueVisitor);
          return factory2.updateCommaListExpression(node, elements);
        }
        function visitReferencedPropertyName(node) {
          if (isPropertyNameLiteral(node) || isPrivateIdentifier(node)) {
            const referencedName2 = factory2.createStringLiteralFromNode(node);
            const name2 = visitNode(node, visitor2, isPropertyName);
            return { referencedName: referencedName2, name: name2 };
          }
          if (isPropertyNameLiteral(node.expression) && !isIdentifier(node.expression)) {
            const referencedName2 = factory2.createStringLiteralFromNode(node.expression);
            const name2 = visitNode(node, visitor2, isPropertyName);
            return { referencedName: referencedName2, name: name2 };
          }
          const referencedName = factory2.getGeneratedNameForNode(node);
          hoistVariableDeclaration(referencedName);
          const key = emitHelpers().createPropKeyHelper(visitNode(node.expression, visitor2, isExpression));
          const assignment = factory2.createAssignment(referencedName, key);
          const name = factory2.updateComputedPropertyName(node, injectPendingExpressions(assignment));
          return { referencedName, name };
        }
        function visitPropertyName(node) {
          if (isComputedPropertyName(node)) {
            return visitComputedPropertyName(node);
          }
          return visitNode(node, visitor2, isPropertyName);
        }
        function visitComputedPropertyName(node) {
          let expression = visitNode(node.expression, visitor2, isExpression);
          if (!isSimpleInlineableExpression(expression)) {
            expression = injectPendingExpressions(expression);
          }
          return factory2.updateComputedPropertyName(node, expression);
        }
        function visitPropertyAssignment(node) {
          if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
            node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.initializer));
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitVariableDeclaration(node) {
          if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
            node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.initializer));
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitBindingElement(node) {
          if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
            node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.initializer));
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitDestructuringAssignmentTarget(node) {
          if (isObjectLiteralExpression(node) || isArrayLiteralExpression(node)) {
            return visitAssignmentPattern(node);
          }
          if (isSuperProperty(node) && classThis && classSuper) {
            const propertyName = isElementAccessExpression(node) ? visitNode(node.argumentExpression, visitor2, isExpression) : isIdentifier(node.name) ? factory2.createStringLiteralFromNode(node.name) : void 0;
            if (propertyName) {
              const paramName = factory2.createTempVariable(
                /*recordTempVariable*/
                void 0
              );
              const expression = factory2.createAssignmentTargetWrapper(
                paramName,
                factory2.createReflectSetCall(
                  classSuper,
                  propertyName,
                  paramName,
                  classThis
                )
              );
              setOriginalNode(expression, node);
              setTextRange(expression, node);
              return expression;
            }
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitAssignmentElement(node) {
          if (isAssignmentExpression2(
            node,
            /*excludeCompoundAssignment*/
            true
          )) {
            if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
              node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.right));
            }
            const assignmentTarget = visitDestructuringAssignmentTarget(node.left);
            const initializer = visitNode(node.right, visitor2, isExpression);
            return factory2.updateBinaryExpression(node, assignmentTarget, node.operatorToken, initializer);
          } else {
            return visitDestructuringAssignmentTarget(node);
          }
        }
        function visitAssignmentRestElement(node) {
          if (isLeftHandSideExpression(node.expression)) {
            const expression = visitDestructuringAssignmentTarget(node.expression);
            return factory2.updateSpreadElement(node, expression);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitArrayAssignmentElement(node) {
          Debug.assertNode(node, isArrayBindingOrAssignmentElement);
          if (isSpreadElement(node)) return visitAssignmentRestElement(node);
          if (!isOmittedExpression(node)) return visitAssignmentElement(node);
          return visitEachChild(node, visitor2, context);
        }
        function visitAssignmentProperty(node) {
          const name = visitNode(node.name, visitor2, isPropertyName);
          if (isAssignmentExpression2(
            node.initializer,
            /*excludeCompoundAssignment*/
            true
          )) {
            const assignmentElement = visitAssignmentElement(node.initializer);
            return factory2.updatePropertyAssignment(node, name, assignmentElement);
          }
          if (isLeftHandSideExpression(node.initializer)) {
            const assignmentElement = visitDestructuringAssignmentTarget(node.initializer);
            return factory2.updatePropertyAssignment(node, name, assignmentElement);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitShorthandAssignmentProperty(node) {
          if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
            node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.objectAssignmentInitializer));
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitAssignmentRestProperty(node) {
          if (isLeftHandSideExpression(node.expression)) {
            const expression = visitDestructuringAssignmentTarget(node.expression);
            return factory2.updateSpreadAssignment(node, expression);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitObjectAssignmentElement(node) {
          Debug.assertNode(node, isObjectBindingOrAssignmentElement);
          if (isSpreadAssignment(node)) return visitAssignmentRestProperty(node);
          if (isShorthandPropertyAssignment(node)) return visitShorthandAssignmentProperty(node);
          if (isPropertyAssignment(node)) return visitAssignmentProperty(node);
          return visitEachChild(node, visitor2, context);
        }
        function visitAssignmentPattern(node) {
          if (isArrayLiteralExpression(node)) {
            const elements = visitNodes2(node.elements, visitArrayAssignmentElement, isExpression);
            return factory2.updateArrayLiteralExpression(node, elements);
          } else {
            const properties = visitNodes2(node.properties, visitObjectAssignmentElement, isObjectLiteralElementLike);
            return factory2.updateObjectLiteralExpression(node, properties);
          }
        }
        function visitExportAssignment(node) {
          if (isNamedEvaluation(node, isAnonymousClassNeedingAssignedName)) {
            node = transformNamedEvaluation(context, node, canIgnoreEmptyStringLiteralInAssignedName(node.expression));
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitParenthesizedExpression(node, discarded) {
          const visitorFunc = discarded ? discardedValueVisitor : visitor2;
          const expression = visitNode(node.expression, visitorFunc, isExpression);
          return factory2.updateParenthesizedExpression(node, expression);
        }
        function visitPartiallyEmittedExpression(node, discarded) {
          const visitorFunc = discarded ? discardedValueVisitor : visitor2;
          const expression = visitNode(node.expression, visitorFunc, isExpression);
          return factory2.updatePartiallyEmittedExpression(node, expression);
        }
        function injectPendingExpressionsCommon(pendingExpressions2, expression) {
          if (some(pendingExpressions2)) {
            if (expression) {
              if (isParenthesizedExpression(expression)) {
                pendingExpressions2.push(expression.expression);
                expression = factory2.updateParenthesizedExpression(expression, factory2.inlineExpressions(pendingExpressions2));
              } else {
                pendingExpressions2.push(expression);
                expression = factory2.inlineExpressions(pendingExpressions2);
              }
            } else {
              expression = factory2.inlineExpressions(pendingExpressions2);
            }
          }
          return expression;
        }
        function injectPendingExpressions(expression) {
          const result = injectPendingExpressionsCommon(pendingExpressions, expression);
          Debug.assertIsDefined(result);
          if (result !== expression) {
            pendingExpressions = void 0;
          }
          return result;
        }
        function injectPendingInitializers(classInfo2, isStatic2, expression) {
          const result = injectPendingExpressionsCommon(isStatic2 ? classInfo2.pendingStaticInitializers : classInfo2.pendingInstanceInitializers, expression);
          if (result !== expression) {
            if (isStatic2) {
              classInfo2.pendingStaticInitializers = void 0;
            } else {
              classInfo2.pendingInstanceInitializers = void 0;
            }
          }
          return result;
        }
        function transformAllDecoratorsOfDeclaration(allDecorators) {
          if (!allDecorators) {
            return void 0;
          }
          const decoratorExpressions = [];
          addRange(decoratorExpressions, map(allDecorators.decorators, transformDecorator));
          return decoratorExpressions;
        }
        function transformDecorator(decorator) {
          const expression = visitNode(decorator.expression, visitor2, isExpression);
          setEmitFlags(
            expression,
            3072
            /* NoComments */
          );
          const innerExpression = skipOuterExpressions(expression);
          if (isAccessExpression(innerExpression)) {
            const { target, thisArg } = factory2.createCallBinding(
              expression,
              hoistVariableDeclaration,
              languageVersion,
              /*cacheIdentifiers*/
              true
            );
            return factory2.restoreOuterExpressions(expression, factory2.createFunctionBindCall(target, thisArg, []));
          }
          return expression;
        }
        function createDescriptorMethod(original, name, modifiers, asteriskToken, kind, parameters, body) {
          const func = factory2.createFunctionExpression(
            modifiers,
            asteriskToken,
            /*name*/
            void 0,
            /*typeParameters*/
            void 0,
            parameters,
            /*type*/
            void 0,
            body ?? factory2.createBlock([])
          );
          setOriginalNode(func, original);
          setSourceMapRange(func, moveRangePastDecorators(original));
          setEmitFlags(
            func,
            3072
            /* NoComments */
          );
          const prefix = kind === "get" || kind === "set" ? kind : void 0;
          const functionName = factory2.createStringLiteralFromNode(
            name,
            /*isSingleQuote*/
            void 0
          );
          const namedFunction = emitHelpers().createSetFunctionNameHelper(func, functionName, prefix);
          const method = factory2.createPropertyAssignment(factory2.createIdentifier(kind), namedFunction);
          setOriginalNode(method, original);
          setSourceMapRange(method, moveRangePastDecorators(original));
          setEmitFlags(
            method,
            3072
            /* NoComments */
          );
          return method;
        }
        function createMethodDescriptorObject(node, modifiers) {
          return factory2.createObjectLiteralExpression([
            createDescriptorMethod(
              node,
              node.name,
              modifiers,
              node.asteriskToken,
              "value",
              visitNodes2(node.parameters, visitor2, isParameter),
              visitNode(node.body, visitor2, isBlock)
            )
          ]);
        }
        function createGetAccessorDescriptorObject(node, modifiers) {
          return factory2.createObjectLiteralExpression([
            createDescriptorMethod(
              node,
              node.name,
              modifiers,
              /*asteriskToken*/
              void 0,
              "get",
              [],
              visitNode(node.body, visitor2, isBlock)
            )
          ]);
        }
        function createSetAccessorDescriptorObject(node, modifiers) {
          return factory2.createObjectLiteralExpression([
            createDescriptorMethod(
              node,
              node.name,
              modifiers,
              /*asteriskToken*/
              void 0,
              "set",
              visitNodes2(node.parameters, visitor2, isParameter),
              visitNode(node.body, visitor2, isBlock)
            )
          ]);
        }
        function createAccessorPropertyDescriptorObject(node, modifiers) {
          return factory2.createObjectLiteralExpression([
            createDescriptorMethod(
              node,
              node.name,
              modifiers,
              /*asteriskToken*/
              void 0,
              "get",
              [],
              factory2.createBlock([
                factory2.createReturnStatement(
                  factory2.createPropertyAccessExpression(
                    factory2.createThis(),
                    factory2.getGeneratedPrivateNameForNode(node.name)
                  )
                )
              ])
            ),
            createDescriptorMethod(
              node,
              node.name,
              modifiers,
              /*asteriskToken*/
              void 0,
              "set",
              [factory2.createParameterDeclaration(
                /*modifiers*/
                void 0,
                /*dotDotDotToken*/
                void 0,
                "value"
              )],
              factory2.createBlock([
                factory2.createExpressionStatement(
                  factory2.createAssignment(
                    factory2.createPropertyAccessExpression(
                      factory2.createThis(),
                      factory2.getGeneratedPrivateNameForNode(node.name)
                    ),
                    factory2.createIdentifier("value")
                  )
                )
              ])
            )
          ]);
        }
        function createMethodDescriptorForwarder(modifiers, name, descriptorName) {
          modifiers = visitNodes2(modifiers, (node) => isStaticModifier(node) ? node : void 0, isModifier);
          return factory2.createGetAccessorDeclaration(
            modifiers,
            name,
            [],
            /*type*/
            void 0,
            factory2.createBlock([
              factory2.createReturnStatement(
                factory2.createPropertyAccessExpression(
                  descriptorName,
                  factory2.createIdentifier("value")
                )
              )
            ])
          );
        }
        function createGetAccessorDescriptorForwarder(modifiers, name, descriptorName) {
          modifiers = visitNodes2(modifiers, (node) => isStaticModifier(node) ? node : void 0, isModifier);
          return factory2.createGetAccessorDeclaration(
            modifiers,
            name,
            [],
            /*type*/
            void 0,
            factory2.createBlock([
              factory2.createReturnStatement(
                factory2.createFunctionCallCall(
                  factory2.createPropertyAccessExpression(
                    descriptorName,
                    factory2.createIdentifier("get")
                  ),
                  factory2.createThis(),
                  []
                )
              )
            ])
          );
        }
        function createSetAccessorDescriptorForwarder(modifiers, name, descriptorName) {
          modifiers = visitNodes2(modifiers, (node) => isStaticModifier(node) ? node : void 0, isModifier);
          return factory2.createSetAccessorDeclaration(
            modifiers,
            name,
            [factory2.createParameterDeclaration(
              /*modifiers*/
              void 0,
              /*dotDotDotToken*/
              void 0,
              "value"
            )],
            factory2.createBlock([
              factory2.createReturnStatement(
                factory2.createFunctionCallCall(
                  factory2.createPropertyAccessExpression(
                    descriptorName,
                    factory2.createIdentifier("set")
                  ),
                  factory2.createThis(),
                  [factory2.createIdentifier("value")]
                )
              )
            ])
          );
        }
        function createMetadata(name, classSuper2) {
          const varDecl = factory2.createVariableDeclaration(
            name,
            /*exclamationToken*/
            void 0,
            /*type*/
            void 0,
            factory2.createConditionalExpression(
              factory2.createLogicalAnd(
                factory2.createTypeCheck(factory2.createIdentifier("Symbol"), "function"),
                factory2.createPropertyAccessExpression(factory2.createIdentifier("Symbol"), "metadata")
              ),
              factory2.createToken(
                58
                /* QuestionToken */
              ),
              factory2.createCallExpression(
                factory2.createPropertyAccessExpression(factory2.createIdentifier("Object"), "create"),
                /*typeArguments*/
                void 0,
                [classSuper2 ? createSymbolMetadataReference(classSuper2) : factory2.createNull()]
              ),
              factory2.createToken(
                59
                /* ColonToken */
              ),
              factory2.createVoidZero()
            )
          );
          return factory2.createVariableStatement(
            /*modifiers*/
            void 0,
            factory2.createVariableDeclarationList(
              [varDecl],
              2
              /* Const */
            )
          );
        }
        function createSymbolMetadata(target, value) {
          const defineProperty2 = factory2.createObjectDefinePropertyCall(
            target,
            factory2.createPropertyAccessExpression(factory2.createIdentifier("Symbol"), "metadata"),
            factory2.createPropertyDescriptor(
              { configurable: true, writable: true, enumerable: true, value },
              /*singleLine*/
              true
            )
          );
          return setEmitFlags(
            factory2.createIfStatement(value, factory2.createExpressionStatement(defineProperty2)),
            1
            /* SingleLine */
          );
        }
        function createSymbolMetadataReference(classSuper2) {
          return factory2.createBinaryExpression(
            factory2.createElementAccessExpression(
              classSuper2,
              factory2.createPropertyAccessExpression(factory2.createIdentifier("Symbol"), "metadata")
            ),
            61,
            factory2.createNull()
          );
        }
      }
      function transformES2017(context) {
        const {
          factory: factory2,
          getEmitHelperFactory: emitHelpers,
          resumeLexicalEnvironment,
          endLexicalEnvironment,
          hoistVariableDeclaration
        } = context;
        const resolver = context.getEmitResolver();
        const compilerOptions = context.getCompilerOptions();
        const languageVersion = getEmitScriptTarget(compilerOptions);
        let enabledSubstitutions;
        let enclosingSuperContainerFlags = 0;
        let enclosingFunctionParameterNames;
        let capturedSuperProperties;
        let hasSuperElementAccess;
        let lexicalArgumentsBinding;
        const substitutedSuperAccessors = [];
        let contextFlags = 0;
        const previousOnEmitNode = context.onEmitNode;
        const previousOnSubstituteNode = context.onSubstituteNode;
        context.onEmitNode = onEmitNode;
        context.onSubstituteNode = onSubstituteNode;
        return chainBundle(context, transformSourceFile);
        function transformSourceFile(node) {
          if (node.isDeclarationFile) {
            return node;
          }
          setContextFlag(1, false);
          setContextFlag(2, !isEffectiveStrictModeSourceFile(node, compilerOptions));
          const visited = visitEachChild(node, visitor2, context);
          addEmitHelpers(visited, context.readEmitHelpers());
          return visited;
        }
        function setContextFlag(flag, val) {
          contextFlags = val ? contextFlags | flag : contextFlags & ~flag;
        }
        function inContext(flags) {
          return (contextFlags & flags) !== 0;
        }
        function inTopLevelContext() {
          return !inContext(
            1
            /* NonTopLevel */
          );
        }
        function inHasLexicalThisContext() {
          return inContext(
            2
            /* HasLexicalThis */
          );
        }
        function doWithContext(flags, cb, value) {
          const contextFlagsToSet = flags & ~contextFlags;
          if (contextFlagsToSet) {
            setContextFlag(
              contextFlagsToSet,
              /*val*/
              true
            );
            const result = cb(value);
            setContextFlag(
              contextFlagsToSet,
              /*val*/
              false
            );
            return result;
          }
          return cb(value);
        }
        function visitDefault(node) {
          return visitEachChild(node, visitor2, context);
        }
        function argumentsVisitor(node) {
          switch (node.kind) {
            case 218:
            case 262:
            case 174:
            case 177:
            case 178:
            case 176:
              return node;
            case 169:
            case 208:
            case 260:
              break;
            case 80:
              if (lexicalArgumentsBinding && resolver.isArgumentsLocalBinding(node)) {
                return lexicalArgumentsBinding;
              }
              break;
          }
          return visitEachChild(node, argumentsVisitor, context);
        }
        function visitor2(node) {
          if ((node.transformFlags & 256) === 0) {
            return lexicalArgumentsBinding ? argumentsVisitor(node) : node;
          }
          switch (node.kind) {
            case 134:
              return void 0;
            case 223:
              return visitAwaitExpression(node);
            case 174:
              return doWithContext(1 | 2, visitMethodDeclaration, node);
            case 262:
              return doWithContext(1 | 2, visitFunctionDeclaration, node);
            case 218:
              return doWithContext(1 | 2, visitFunctionExpression, node);
            case 219:
              return doWithContext(1, visitArrowFunction, node);
            case 211:
              if (capturedSuperProperties && isPropertyAccessExpression(node) && node.expression.kind === 108) {
                capturedSuperProperties.add(node.name.escapedText);
              }
              return visitEachChild(node, visitor2, context);
            case 212:
              if (capturedSuperProperties && node.expression.kind === 108) {
                hasSuperElementAccess = true;
              }
              return visitEachChild(node, visitor2, context);
            case 177:
              return doWithContext(1 | 2, visitGetAccessorDeclaration, node);
            case 178:
              return doWithContext(1 | 2, visitSetAccessorDeclaration, node);
            case 176:
              return doWithContext(1 | 2, visitConstructorDeclaration, node);
            case 263:
            case 231:
              return doWithContext(1 | 2, visitDefault, node);
            default:
              return visitEachChild(node, visitor2, context);
          }
        }
        function asyncBodyVisitor(node) {
          if (isNodeWithPossibleHoistedDeclaration(node)) {
            switch (node.kind) {
              case 243:
                return visitVariableStatementInAsyncBody(node);
              case 248:
                return visitForStatementInAsyncBody(node);
              case 249:
                return visitForInStatementInAsyncBody(node);
              case 250:
                return visitForOfStatementInAsyncBody(node);
              case 299:
                return visitCatchClauseInAsyncBody(node);
              case 241:
              case 255:
              case 269:
              case 296:
              case 297:
              case 258:
              case 246:
              case 247:
              case 245:
              case 254:
              case 256:
                return visitEachChild(node, asyncBodyVisitor, context);
              default:
                return Debug.assertNever(node, "Unhandled node.");
            }
          }
          return visitor2(node);
        }
        function visitCatchClauseInAsyncBody(node) {
          const catchClauseNames = /* @__PURE__ */ new Set();
          recordDeclarationName(node.variableDeclaration, catchClauseNames);
          let catchClauseUnshadowedNames;
          catchClauseNames.forEach((_, escapedName) => {
            if (enclosingFunctionParameterNames.has(escapedName)) {
              if (!catchClauseUnshadowedNames) {
                catchClauseUnshadowedNames = new Set(enclosingFunctionParameterNames);
              }
              catchClauseUnshadowedNames.delete(escapedName);
            }
          });
          if (catchClauseUnshadowedNames) {
            const savedEnclosingFunctionParameterNames = enclosingFunctionParameterNames;
            enclosingFunctionParameterNames = catchClauseUnshadowedNames;
            const result = visitEachChild(node, asyncBodyVisitor, context);
            enclosingFunctionParameterNames = savedEnclosingFunctionParameterNames;
            return result;
          } else {
            return visitEachChild(node, asyncBodyVisitor, context);
          }
        }
        function visitVariableStatementInAsyncBody(node) {
          if (isVariableDeclarationListWithCollidingName(node.declarationList)) {
            const expression = visitVariableDeclarationListWithCollidingNames(
              node.declarationList,
              /*hasReceiver*/
              false
            );
            return expression ? factory2.createExpressionStatement(expression) : void 0;
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitForInStatementInAsyncBody(node) {
          return factory2.updateForInStatement(
            node,
            isVariableDeclarationListWithCollidingName(node.initializer) ? visitVariableDeclarationListWithCollidingNames(
              node.initializer,
              /*hasReceiver*/
              true
            ) : Debug.checkDefined(visitNode(node.initializer, visitor2, isForInitializer)),
            Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)),
            visitIterationBody(node.statement, asyncBodyVisitor, context)
          );
        }
        function visitForOfStatementInAsyncBody(node) {
          return factory2.updateForOfStatement(
            node,
            visitNode(node.awaitModifier, visitor2, isAwaitKeyword),
            isVariableDeclarationListWithCollidingName(node.initializer) ? visitVariableDeclarationListWithCollidingNames(
              node.initializer,
              /*hasReceiver*/
              true
            ) : Debug.checkDefined(visitNode(node.initializer, visitor2, isForInitializer)),
            Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)),
            visitIterationBody(node.statement, asyncBodyVisitor, context)
          );
        }
        function visitForStatementInAsyncBody(node) {
          const initializer = node.initializer;
          return factory2.updateForStatement(
            node,
            isVariableDeclarationListWithCollidingName(initializer) ? visitVariableDeclarationListWithCollidingNames(
              initializer,
              /*hasReceiver*/
              false
            ) : visitNode(node.initializer, visitor2, isForInitializer),
            visitNode(node.condition, visitor2, isExpression),
            visitNode(node.incrementor, visitor2, isExpression),
            visitIterationBody(node.statement, asyncBodyVisitor, context)
          );
        }
        function visitAwaitExpression(node) {
          if (inTopLevelContext()) {
            return visitEachChild(node, visitor2, context);
          }
          return setOriginalNode(
            setTextRange(
              factory2.createYieldExpression(
                /*asteriskToken*/
                void 0,
                visitNode(node.expression, visitor2, isExpression)
              ),
              node
            ),
            node
          );
        }
        function visitConstructorDeclaration(node) {
          const savedLexicalArgumentsBinding = lexicalArgumentsBinding;
          lexicalArgumentsBinding = void 0;
          const updated = factory2.updateConstructorDeclaration(
            node,
            visitNodes2(node.modifiers, visitor2, isModifier),
            visitParameterList(node.parameters, visitor2, context),
            transformMethodBody(node)
          );
          lexicalArgumentsBinding = savedLexicalArgumentsBinding;
          return updated;
        }
        function visitMethodDeclaration(node) {
          let parameters;
          const functionFlags = getFunctionFlags(node);
          const savedLexicalArgumentsBinding = lexicalArgumentsBinding;
          lexicalArgumentsBinding = void 0;
          const updated = factory2.updateMethodDeclaration(
            node,
            visitNodes2(node.modifiers, visitor2, isModifierLike),
            node.asteriskToken,
            node.name,
            /*questionToken*/
            void 0,
            /*typeParameters*/
            void 0,
            parameters = functionFlags & 2 ? transformAsyncFunctionParameterList(node) : visitParameterList(node.parameters, visitor2, context),
            /*type*/
            void 0,
            functionFlags & 2 ? transformAsyncFunctionBody(node, parameters) : transformMethodBody(node)
          );
          lexicalArgumentsBinding = savedLexicalArgumentsBinding;
          return updated;
        }
        function visitGetAccessorDeclaration(node) {
          const savedLexicalArgumentsBinding = lexicalArgumentsBinding;
          lexicalArgumentsBinding = void 0;
          const updated = factory2.updateGetAccessorDeclaration(
            node,
            visitNodes2(node.modifiers, visitor2, isModifierLike),
            node.name,
            visitParameterList(node.parameters, visitor2, context),
            /*type*/
            void 0,
            transformMethodBody(node)
          );
          lexicalArgumentsBinding = savedLexicalArgumentsBinding;
          return updated;
        }
        function visitSetAccessorDeclaration(node) {
          const savedLexicalArgumentsBinding = lexicalArgumentsBinding;
          lexicalArgumentsBinding = void 0;
          const updated = factory2.updateSetAccessorDeclaration(
            node,
            visitNodes2(node.modifiers, visitor2, isModifierLike),
            node.name,
            visitParameterList(node.parameters, visitor2, context),
            transformMethodBody(node)
          );
          lexicalArgumentsBinding = savedLexicalArgumentsBinding;
          return updated;
        }
        function visitFunctionDeclaration(node) {
          let parameters;
          const savedLexicalArgumentsBinding = lexicalArgumentsBinding;
          lexicalArgumentsBinding = void 0;
          const functionFlags = getFunctionFlags(node);
          const updated = factory2.updateFunctionDeclaration(
            node,
            visitNodes2(node.modifiers, visitor2, isModifierLike),
            node.asteriskToken,
            node.name,
            /*typeParameters*/
            void 0,
            parameters = functionFlags & 2 ? transformAsyncFunctionParameterList(node) : visitParameterList(node.parameters, visitor2, context),
            /*type*/
            void 0,
            functionFlags & 2 ? transformAsyncFunctionBody(node, parameters) : visitFunctionBody(node.body, visitor2, context)
          );
          lexicalArgumentsBinding = savedLexicalArgumentsBinding;
          return updated;
        }
        function visitFunctionExpression(node) {
          let parameters;
          const savedLexicalArgumentsBinding = lexicalArgumentsBinding;
          lexicalArgumentsBinding = void 0;
          const functionFlags = getFunctionFlags(node);
          const updated = factory2.updateFunctionExpression(
            node,
            visitNodes2(node.modifiers, visitor2, isModifier),
            node.asteriskToken,
            node.name,
            /*typeParameters*/
            void 0,
            parameters = functionFlags & 2 ? transformAsyncFunctionParameterList(node) : visitParameterList(node.parameters, visitor2, context),
            /*type*/
            void 0,
            functionFlags & 2 ? transformAsyncFunctionBody(node, parameters) : visitFunctionBody(node.body, visitor2, context)
          );
          lexicalArgumentsBinding = savedLexicalArgumentsBinding;
          return updated;
        }
        function visitArrowFunction(node) {
          let parameters;
          const functionFlags = getFunctionFlags(node);
          return factory2.updateArrowFunction(
            node,
            visitNodes2(node.modifiers, visitor2, isModifier),
            /*typeParameters*/
            void 0,
            parameters = functionFlags & 2 ? transformAsyncFunctionParameterList(node) : visitParameterList(node.parameters, visitor2, context),
            /*type*/
            void 0,
            node.equalsGreaterThanToken,
            functionFlags & 2 ? transformAsyncFunctionBody(node, parameters) : visitFunctionBody(node.body, visitor2, context)
          );
        }
        function recordDeclarationName({ name }, names) {
          if (isIdentifier(name)) {
            names.add(name.escapedText);
          } else {
            for (const element of name.elements) {
              if (!isOmittedExpression(element)) {
                recordDeclarationName(element, names);
              }
            }
          }
        }
        function isVariableDeclarationListWithCollidingName(node) {
          return !!node && isVariableDeclarationList(node) && !(node.flags & 7) && node.declarations.some(collidesWithParameterName);
        }
        function visitVariableDeclarationListWithCollidingNames(node, hasReceiver) {
          hoistVariableDeclarationList(node);
          const variables = getInitializedVariables(node);
          if (variables.length === 0) {
            if (hasReceiver) {
              return visitNode(factory2.converters.convertToAssignmentElementTarget(node.declarations[0].name), visitor2, isExpression);
            }
            return void 0;
          }
          return factory2.inlineExpressions(map(variables, transformInitializedVariable));
        }
        function hoistVariableDeclarationList(node) {
          forEach(node.declarations, hoistVariable);
        }
        function hoistVariable({ name }) {
          if (isIdentifier(name)) {
            hoistVariableDeclaration(name);
          } else {
            for (const element of name.elements) {
              if (!isOmittedExpression(element)) {
                hoistVariable(element);
              }
            }
          }
        }
        function transformInitializedVariable(node) {
          const converted = setSourceMapRange(
            factory2.createAssignment(
              factory2.converters.convertToAssignmentElementTarget(node.name),
              node.initializer
            ),
            node
          );
          return Debug.checkDefined(visitNode(converted, visitor2, isExpression));
        }
        function collidesWithParameterName({ name }) {
          if (isIdentifier(name)) {
            return enclosingFunctionParameterNames.has(name.escapedText);
          } else {
            for (const element of name.elements) {
              if (!isOmittedExpression(element) && collidesWithParameterName(element)) {
                return true;
              }
            }
          }
          return false;
        }
        function transformMethodBody(node) {
          Debug.assertIsDefined(node.body);
          const savedCapturedSuperProperties = capturedSuperProperties;
          const savedHasSuperElementAccess = hasSuperElementAccess;
          capturedSuperProperties = /* @__PURE__ */ new Set();
          hasSuperElementAccess = false;
          let updated = visitFunctionBody(node.body, visitor2, context);
          const originalMethod = getOriginalNode(node, isFunctionLikeDeclaration);
          const emitSuperHelpers = languageVersion >= 2 && (resolver.hasNodeCheckFlag(
            node,
            256
            /* MethodWithSuperPropertyAssignmentInAsync */
          ) || resolver.hasNodeCheckFlag(
            node,
            128
            /* MethodWithSuperPropertyAccessInAsync */
          )) && (getFunctionFlags(originalMethod) & 3) !== 3;
          if (emitSuperHelpers) {
            enableSubstitutionForAsyncMethodsWithSuper();
            if (capturedSuperProperties.size) {
              const variableStatement = createSuperAccessVariableStatement(factory2, resolver, node, capturedSuperProperties);
              substitutedSuperAccessors[getNodeId(variableStatement)] = true;
              const statements = updated.statements.slice();
              insertStatementsAfterStandardPrologue(statements, [variableStatement]);
              updated = factory2.updateBlock(updated, statements);
            }
            if (hasSuperElementAccess) {
              if (resolver.hasNodeCheckFlag(
                node,
                256
                /* MethodWithSuperPropertyAssignmentInAsync */
              )) {
                addEmitHelper(updated, advancedAsyncSuperHelper);
              } else if (resolver.hasNodeCheckFlag(
                node,
                128
                /* MethodWithSuperPropertyAccessInAsync */
              )) {
                addEmitHelper(updated, asyncSuperHelper);
              }
            }
          }
          capturedSuperProperties = savedCapturedSuperProperties;
          hasSuperElementAccess = savedHasSuperElementAccess;
          return updated;
        }
        function createCaptureArgumentsStatement() {
          Debug.assert(lexicalArgumentsBinding);
          const variable = factory2.createVariableDeclaration(
            lexicalArgumentsBinding,
            /*exclamationToken*/
            void 0,
            /*type*/
            void 0,
            factory2.createIdentifier("arguments")
          );
          const statement = factory2.createVariableStatement(
            /*modifiers*/
            void 0,
            [variable]
          );
          startOnNewLine(statement);
          addEmitFlags(
            statement,
            2097152
            /* CustomPrologue */
          );
          return statement;
        }
        function transformAsyncFunctionParameterList(node) {
          if (isSimpleParameterList(node.parameters)) {
            return visitParameterList(node.parameters, visitor2, context);
          }
          const newParameters = [];
          for (const parameter of node.parameters) {
            if (parameter.initializer || parameter.dotDotDotToken) {
              if (node.kind === 219) {
                const restParameter = factory2.createParameterDeclaration(
                  /*modifiers*/
                  void 0,
                  factory2.createToken(
                    26
                    /* DotDotDotToken */
                  ),
                  factory2.createUniqueName(
                    "args",
                    8
                    /* ReservedInNestedScopes */
                  )
                );
                newParameters.push(restParameter);
              }
              break;
            }
            const newParameter = factory2.createParameterDeclaration(
              /*modifiers*/
              void 0,
              /*dotDotDotToken*/
              void 0,
              factory2.getGeneratedNameForNode(
                parameter.name,
                8
                /* ReservedInNestedScopes */
              )
            );
            newParameters.push(newParameter);
          }
          const newParametersArray = factory2.createNodeArray(newParameters);
          setTextRange(newParametersArray, node.parameters);
          return newParametersArray;
        }
        function transformAsyncFunctionBody(node, outerParameters) {
          const innerParameters = !isSimpleParameterList(node.parameters) ? visitParameterList(node.parameters, visitor2, context) : void 0;
          resumeLexicalEnvironment();
          const original = getOriginalNode(node, isFunctionLike);
          const nodeType = original.type;
          const promiseConstructor = languageVersion < 2 ? getPromiseConstructor(nodeType) : void 0;
          const isArrowFunction2 = node.kind === 219;
          const savedLexicalArgumentsBinding = lexicalArgumentsBinding;
          const hasLexicalArguments = resolver.hasNodeCheckFlag(
            node,
            512
            /* CaptureArguments */
          );
          const captureLexicalArguments = hasLexicalArguments && !lexicalArgumentsBinding;
          if (captureLexicalArguments) {
            lexicalArgumentsBinding = factory2.createUniqueName("arguments");
          }
          let argumentsExpression;
          if (innerParameters) {
            if (isArrowFunction2) {
              const parameterBindings = [];
              Debug.assert(outerParameters.length <= node.parameters.length);
              for (let i = 0; i < node.parameters.length; i++) {
                Debug.assert(i < outerParameters.length);
                const originalParameter = node.parameters[i];
                const outerParameter = outerParameters[i];
                Debug.assertNode(outerParameter.name, isIdentifier);
                if (originalParameter.initializer || originalParameter.dotDotDotToken) {
                  Debug.assert(i === outerParameters.length - 1);
                  parameterBindings.push(factory2.createSpreadElement(outerParameter.name));
                  break;
                }
                parameterBindings.push(outerParameter.name);
              }
              argumentsExpression = factory2.createArrayLiteralExpression(parameterBindings);
            } else {
              argumentsExpression = factory2.createIdentifier("arguments");
            }
          }
          const savedEnclosingFunctionParameterNames = enclosingFunctionParameterNames;
          enclosingFunctionParameterNames = /* @__PURE__ */ new Set();
          for (const parameter of node.parameters) {
            recordDeclarationName(parameter, enclosingFunctionParameterNames);
          }
          const savedCapturedSuperProperties = capturedSuperProperties;
          const savedHasSuperElementAccess = hasSuperElementAccess;
          if (!isArrowFunction2) {
            capturedSuperProperties = /* @__PURE__ */ new Set();
            hasSuperElementAccess = false;
          }
          const hasLexicalThis = inHasLexicalThisContext();
          let asyncBody = transformAsyncFunctionBodyWorker(node.body);
          asyncBody = factory2.updateBlock(asyncBody, factory2.mergeLexicalEnvironment(asyncBody.statements, endLexicalEnvironment()));
          let result;
          if (!isArrowFunction2) {
            const statements = [];
            statements.push(
              factory2.createReturnStatement(
                emitHelpers().createAwaiterHelper(
                  hasLexicalThis,
                  argumentsExpression,
                  promiseConstructor,
                  innerParameters,
                  asyncBody
                )
              )
            );
            const emitSuperHelpers = languageVersion >= 2 && (resolver.hasNodeCheckFlag(
              node,
              256
              /* MethodWithSuperPropertyAssignmentInAsync */
            ) || resolver.hasNodeCheckFlag(
              node,
              128
              /* MethodWithSuperPropertyAccessInAsync */
            ));
            if (emitSuperHelpers) {
              enableSubstitutionForAsyncMethodsWithSuper();
              if (capturedSuperProperties.size) {
                const variableStatement = createSuperAccessVariableStatement(factory2, resolver, node, capturedSuperProperties);
                substitutedSuperAccessors[getNodeId(variableStatement)] = true;
                insertStatementsAfterStandardPrologue(statements, [variableStatement]);
              }
            }
            if (captureLexicalArguments) {
              insertStatementsAfterStandardPrologue(statements, [createCaptureArgumentsStatement()]);
            }
            const block = factory2.createBlock(
              statements,
              /*multiLine*/
              true
            );
            setTextRange(block, node.body);
            if (emitSuperHelpers && hasSuperElementAccess) {
              if (resolver.hasNodeCheckFlag(
                node,
                256
                /* MethodWithSuperPropertyAssignmentInAsync */
              )) {
                addEmitHelper(block, advancedAsyncSuperHelper);
              } else if (resolver.hasNodeCheckFlag(
                node,
                128
                /* MethodWithSuperPropertyAccessInAsync */
              )) {
                addEmitHelper(block, asyncSuperHelper);
              }
            }
            result = block;
          } else {
            result = emitHelpers().createAwaiterHelper(
              hasLexicalThis,
              argumentsExpression,
              promiseConstructor,
              innerParameters,
              asyncBody
            );
            if (captureLexicalArguments) {
              const block = factory2.converters.convertToFunctionBlock(result);
              result = factory2.updateBlock(block, factory2.mergeLexicalEnvironment(block.statements, [createCaptureArgumentsStatement()]));
            }
          }
          enclosingFunctionParameterNames = savedEnclosingFunctionParameterNames;
          if (!isArrowFunction2) {
            capturedSuperProperties = savedCapturedSuperProperties;
            hasSuperElementAccess = savedHasSuperElementAccess;
            lexicalArgumentsBinding = savedLexicalArgumentsBinding;
          }
          return result;
        }
        function transformAsyncFunctionBodyWorker(body, start) {
          if (isBlock(body)) {
            return factory2.updateBlock(body, visitNodes2(body.statements, asyncBodyVisitor, isStatement, start));
          } else {
            return factory2.converters.convertToFunctionBlock(Debug.checkDefined(visitNode(body, asyncBodyVisitor, isConciseBody)));
          }
        }
        function getPromiseConstructor(type) {
          const typeName = type && getEntityNameFromTypeNode(type);
          if (typeName && isEntityName(typeName)) {
            const serializationKind = resolver.getTypeReferenceSerializationKind(typeName);
            if (serializationKind === 1 || serializationKind === 0) {
              return typeName;
            }
          }
          return void 0;
        }
        function enableSubstitutionForAsyncMethodsWithSuper() {
          if ((enabledSubstitutions & 1) === 0) {
            enabledSubstitutions |= 1;
            context.enableSubstitution(
              213
              /* CallExpression */
            );
            context.enableSubstitution(
              211
              /* PropertyAccessExpression */
            );
            context.enableSubstitution(
              212
              /* ElementAccessExpression */
            );
            context.enableEmitNotification(
              263
              /* ClassDeclaration */
            );
            context.enableEmitNotification(
              174
              /* MethodDeclaration */
            );
            context.enableEmitNotification(
              177
              /* GetAccessor */
            );
            context.enableEmitNotification(
              178
              /* SetAccessor */
            );
            context.enableEmitNotification(
              176
              /* Constructor */
            );
            context.enableEmitNotification(
              243
              /* VariableStatement */
            );
          }
        }
        function onEmitNode(hint, node, emitCallback) {
          if (enabledSubstitutions & 1 && isSuperContainer(node)) {
            const superContainerFlags = (resolver.hasNodeCheckFlag(
              node,
              128
              /* MethodWithSuperPropertyAccessInAsync */
            ) ? 128 : 0) | (resolver.hasNodeCheckFlag(
              node,
              256
              /* MethodWithSuperPropertyAssignmentInAsync */
            ) ? 256 : 0);
            if (superContainerFlags !== enclosingSuperContainerFlags) {
              const savedEnclosingSuperContainerFlags = enclosingSuperContainerFlags;
              enclosingSuperContainerFlags = superContainerFlags;
              previousOnEmitNode(hint, node, emitCallback);
              enclosingSuperContainerFlags = savedEnclosingSuperContainerFlags;
              return;
            }
          } else if (enabledSubstitutions && substitutedSuperAccessors[getNodeId(node)]) {
            const savedEnclosingSuperContainerFlags = enclosingSuperContainerFlags;
            enclosingSuperContainerFlags = 0;
            previousOnEmitNode(hint, node, emitCallback);
            enclosingSuperContainerFlags = savedEnclosingSuperContainerFlags;
            return;
          }
          previousOnEmitNode(hint, node, emitCallback);
        }
        function onSubstituteNode(hint, node) {
          node = previousOnSubstituteNode(hint, node);
          if (hint === 1 && enclosingSuperContainerFlags) {
            return substituteExpression(node);
          }
          return node;
        }
        function substituteExpression(node) {
          switch (node.kind) {
            case 211:
              return substitutePropertyAccessExpression(node);
            case 212:
              return substituteElementAccessExpression(node);
            case 213:
              return substituteCallExpression(node);
          }
          return node;
        }
        function substitutePropertyAccessExpression(node) {
          if (node.expression.kind === 108) {
            return setTextRange(
              factory2.createPropertyAccessExpression(
                factory2.createUniqueName(
                  "_super",
                  16 | 32
                  /* FileLevel */
                ),
                node.name
              ),
              node
            );
          }
          return node;
        }
        function substituteElementAccessExpression(node) {
          if (node.expression.kind === 108) {
            return createSuperElementAccessInAsyncMethod(
              node.argumentExpression,
              node
            );
          }
          return node;
        }
        function substituteCallExpression(node) {
          const expression = node.expression;
          if (isSuperProperty(expression)) {
            const argumentExpression = isPropertyAccessExpression(expression) ? substitutePropertyAccessExpression(expression) : substituteElementAccessExpression(expression);
            return factory2.createCallExpression(
              factory2.createPropertyAccessExpression(argumentExpression, "call"),
              /*typeArguments*/
              void 0,
              [
                factory2.createThis(),
                ...node.arguments
              ]
            );
          }
          return node;
        }
        function isSuperContainer(node) {
          const kind = node.kind;
          return kind === 263 || kind === 176 || kind === 174 || kind === 177 || kind === 178;
        }
        function createSuperElementAccessInAsyncMethod(argumentExpression, location) {
          if (enclosingSuperContainerFlags & 256) {
            return setTextRange(
              factory2.createPropertyAccessExpression(
                factory2.createCallExpression(
                  factory2.createUniqueName(
                    "_superIndex",
                    16 | 32
                    /* FileLevel */
                  ),
                  /*typeArguments*/
                  void 0,
                  [argumentExpression]
                ),
                "value"
              ),
              location
            );
          } else {
            return setTextRange(
              factory2.createCallExpression(
                factory2.createUniqueName(
                  "_superIndex",
                  16 | 32
                  /* FileLevel */
                ),
                /*typeArguments*/
                void 0,
                [argumentExpression]
              ),
              location
            );
          }
        }
      }
      function createSuperAccessVariableStatement(factory2, resolver, node, names) {
        const hasBinding = resolver.hasNodeCheckFlag(
          node,
          256
          /* MethodWithSuperPropertyAssignmentInAsync */
        );
        const accessors = [];
        names.forEach((_, key) => {
          const name = unescapeLeadingUnderscores(key);
          const getterAndSetter = [];
          getterAndSetter.push(factory2.createPropertyAssignment(
            "get",
            factory2.createArrowFunction(
              /*modifiers*/
              void 0,
              /*typeParameters*/
              void 0,
              /* parameters */
              [],
              /*type*/
              void 0,
              /*equalsGreaterThanToken*/
              void 0,
              setEmitFlags(
                factory2.createPropertyAccessExpression(
                  setEmitFlags(
                    factory2.createSuper(),
                    8
                    /* NoSubstitution */
                  ),
                  name
                ),
                8
                /* NoSubstitution */
              )
            )
          ));
          if (hasBinding) {
            getterAndSetter.push(
              factory2.createPropertyAssignment(
                "set",
                factory2.createArrowFunction(
                  /*modifiers*/
                  void 0,
                  /*typeParameters*/
                  void 0,
                  /* parameters */
                  [
                    factory2.createParameterDeclaration(
                      /*modifiers*/
                      void 0,
                      /*dotDotDotToken*/
                      void 0,
                      "v",
                      /*questionToken*/
                      void 0,
                      /*type*/
                      void 0,
                      /*initializer*/
                      void 0
                    )
                  ],
                  /*type*/
                  void 0,
                  /*equalsGreaterThanToken*/
                  void 0,
                  factory2.createAssignment(
                    setEmitFlags(
                      factory2.createPropertyAccessExpression(
                        setEmitFlags(
                          factory2.createSuper(),
                          8
                          /* NoSubstitution */
                        ),
                        name
                      ),
                      8
                      /* NoSubstitution */
                    ),
                    factory2.createIdentifier("v")
                  )
                )
              )
            );
          }
          accessors.push(
            factory2.createPropertyAssignment(
              name,
              factory2.createObjectLiteralExpression(getterAndSetter)
            )
          );
        });
        return factory2.createVariableStatement(
          /*modifiers*/
          void 0,
          factory2.createVariableDeclarationList(
            [
              factory2.createVariableDeclaration(
                factory2.createUniqueName(
                  "_super",
                  16 | 32
                  /* FileLevel */
                ),
                /*exclamationToken*/
                void 0,
                /*type*/
                void 0,
                factory2.createCallExpression(
                  factory2.createPropertyAccessExpression(
                    factory2.createIdentifier("Object"),
                    "create"
                  ),
                  /*typeArguments*/
                  void 0,
                  [
                    factory2.createNull(),
                    factory2.createObjectLiteralExpression(
                      accessors,
                      /*multiLine*/
                      true
                    )
                  ]
                )
              )
            ],
            2
            /* Const */
          )
        );
      }
      function transformES2018(context) {
        const {
          factory: factory2,
          getEmitHelperFactory: emitHelpers,
          resumeLexicalEnvironment,
          endLexicalEnvironment,
          hoistVariableDeclaration
        } = context;
        const resolver = context.getEmitResolver();
        const compilerOptions = context.getCompilerOptions();
        const languageVersion = getEmitScriptTarget(compilerOptions);
        const previousOnEmitNode = context.onEmitNode;
        context.onEmitNode = onEmitNode;
        const previousOnSubstituteNode = context.onSubstituteNode;
        context.onSubstituteNode = onSubstituteNode;
        let exportedVariableStatement = false;
        let enabledSubstitutions;
        let enclosingFunctionFlags;
        let parametersWithPrecedingObjectRestOrSpread;
        let enclosingSuperContainerFlags = 0;
        let hierarchyFacts = 0;
        let currentSourceFile;
        let taggedTemplateStringDeclarations;
        let capturedSuperProperties;
        let hasSuperElementAccess;
        const substitutedSuperAccessors = [];
        return chainBundle(context, transformSourceFile);
        function affectsSubtree(excludeFacts, includeFacts) {
          return hierarchyFacts !== (hierarchyFacts & ~excludeFacts | includeFacts);
        }
        function enterSubtree(excludeFacts, includeFacts) {
          const ancestorFacts = hierarchyFacts;
          hierarchyFacts = (hierarchyFacts & ~excludeFacts | includeFacts) & 3;
          return ancestorFacts;
        }
        function exitSubtree(ancestorFacts) {
          hierarchyFacts = ancestorFacts;
        }
        function recordTaggedTemplateString(temp) {
          taggedTemplateStringDeclarations = append(
            taggedTemplateStringDeclarations,
            factory2.createVariableDeclaration(temp)
          );
        }
        function transformSourceFile(node) {
          if (node.isDeclarationFile) {
            return node;
          }
          currentSourceFile = node;
          const visited = visitSourceFile(node);
          addEmitHelpers(visited, context.readEmitHelpers());
          currentSourceFile = void 0;
          taggedTemplateStringDeclarations = void 0;
          return visited;
        }
        function visitor2(node) {
          return visitorWorker(
            node,
            /*expressionResultIsUnused*/
            false
          );
        }
        function visitorWithUnusedExpressionResult(node) {
          return visitorWorker(
            node,
            /*expressionResultIsUnused*/
            true
          );
        }
        function visitorNoAsyncModifier(node) {
          if (node.kind === 134) {
            return void 0;
          }
          return node;
        }
        function doWithHierarchyFacts(cb, value, excludeFacts, includeFacts) {
          if (affectsSubtree(excludeFacts, includeFacts)) {
            const ancestorFacts = enterSubtree(excludeFacts, includeFacts);
            const result = cb(value);
            exitSubtree(ancestorFacts);
            return result;
          }
          return cb(value);
        }
        function visitDefault(node) {
          return visitEachChild(node, visitor2, context);
        }
        function visitorWorker(node, expressionResultIsUnused2) {
          if ((node.transformFlags & 128) === 0) {
            return node;
          }
          switch (node.kind) {
            case 223:
              return visitAwaitExpression(node);
            case 229:
              return visitYieldExpression(node);
            case 253:
              return visitReturnStatement(node);
            case 256:
              return visitLabeledStatement(node);
            case 210:
              return visitObjectLiteralExpression(node);
            case 226:
              return visitBinaryExpression(node, expressionResultIsUnused2);
            case 355:
              return visitCommaListExpression(node, expressionResultIsUnused2);
            case 299:
              return visitCatchClause(node);
            case 243:
              return visitVariableStatement(node);
            case 260:
              return visitVariableDeclaration(node);
            case 246:
            case 247:
            case 249:
              return doWithHierarchyFacts(
                visitDefault,
                node,
                0,
                2
                /* IterationStatementIncludes */
              );
            case 250:
              return visitForOfStatement(
                node,
                /*outermostLabeledStatement*/
                void 0
              );
            case 248:
              return doWithHierarchyFacts(
                visitForStatement,
                node,
                0,
                2
                /* IterationStatementIncludes */
              );
            case 222:
              return visitVoidExpression(node);
            case 176:
              return doWithHierarchyFacts(
                visitConstructorDeclaration,
                node,
                2,
                1
                /* ClassOrFunctionIncludes */
              );
            case 174:
              return doWithHierarchyFacts(
                visitMethodDeclaration,
                node,
                2,
                1
                /* ClassOrFunctionIncludes */
              );
            case 177:
              return doWithHierarchyFacts(
                visitGetAccessorDeclaration,
                node,
                2,
                1
                /* ClassOrFunctionIncludes */
              );
            case 178:
              return doWithHierarchyFacts(
                visitSetAccessorDeclaration,
                node,
                2,
                1
                /* ClassOrFunctionIncludes */
              );
            case 262:
              return doWithHierarchyFacts(
                visitFunctionDeclaration,
                node,
                2,
                1
                /* ClassOrFunctionIncludes */
              );
            case 218:
              return doWithHierarchyFacts(
                visitFunctionExpression,
                node,
                2,
                1
                /* ClassOrFunctionIncludes */
              );
            case 219:
              return doWithHierarchyFacts(
                visitArrowFunction,
                node,
                2,
                0
                /* ArrowFunctionIncludes */
              );
            case 169:
              return visitParameter(node);
            case 244:
              return visitExpressionStatement(node);
            case 217:
              return visitParenthesizedExpression(node, expressionResultIsUnused2);
            case 215:
              return visitTaggedTemplateExpression(node);
            case 211:
              if (capturedSuperProperties && isPropertyAccessExpression(node) && node.expression.kind === 108) {
                capturedSuperProperties.add(node.name.escapedText);
              }
              return visitEachChild(node, visitor2, context);
            case 212:
              if (capturedSuperProperties && node.expression.kind === 108) {
                hasSuperElementAccess = true;
              }
              return visitEachChild(node, visitor2, context);
            case 263:
            case 231:
              return doWithHierarchyFacts(
                visitDefault,
                node,
                2,
                1
                /* ClassOrFunctionIncludes */
              );
            default:
              return visitEachChild(node, visitor2, context);
          }
        }
        function visitAwaitExpression(node) {
          if (enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1) {
            return setOriginalNode(
              setTextRange(
                factory2.createYieldExpression(
                  /*asteriskToken*/
                  void 0,
                  emitHelpers().createAwaitHelper(visitNode(node.expression, visitor2, isExpression))
                ),
                /*location*/
                node
              ),
              node
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitYieldExpression(node) {
          if (enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1) {
            if (node.asteriskToken) {
              const expression = visitNode(Debug.checkDefined(node.expression), visitor2, isExpression);
              return setOriginalNode(
                setTextRange(
                  factory2.createYieldExpression(
                    /*asteriskToken*/
                    void 0,
                    emitHelpers().createAwaitHelper(
                      factory2.updateYieldExpression(
                        node,
                        node.asteriskToken,
                        setTextRange(
                          emitHelpers().createAsyncDelegatorHelper(
                            setTextRange(
                              emitHelpers().createAsyncValuesHelper(expression),
                              expression
                            )
                          ),
                          expression
                        )
                      )
                    )
                  ),
                  node
                ),
                node
              );
            }
            return setOriginalNode(
              setTextRange(
                factory2.createYieldExpression(
                  /*asteriskToken*/
                  void 0,
                  createDownlevelAwait(
                    node.expression ? visitNode(node.expression, visitor2, isExpression) : factory2.createVoidZero()
                  )
                ),
                node
              ),
              node
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitReturnStatement(node) {
          if (enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1) {
            return factory2.updateReturnStatement(
              node,
              createDownlevelAwait(
                node.expression ? visitNode(node.expression, visitor2, isExpression) : factory2.createVoidZero()
              )
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitLabeledStatement(node) {
          if (enclosingFunctionFlags & 2) {
            const statement = unwrapInnermostStatementOfLabel(node);
            if (statement.kind === 250 && statement.awaitModifier) {
              return visitForOfStatement(statement, node);
            }
            return factory2.restoreEnclosingLabel(visitNode(statement, visitor2, isStatement, factory2.liftToBlock), node);
          }
          return visitEachChild(node, visitor2, context);
        }
        function chunkObjectLiteralElements(elements) {
          let chunkObject;
          const objects = [];
          for (const e of elements) {
            if (e.kind === 305) {
              if (chunkObject) {
                objects.push(factory2.createObjectLiteralExpression(chunkObject));
                chunkObject = void 0;
              }
              const target = e.expression;
              objects.push(visitNode(target, visitor2, isExpression));
            } else {
              chunkObject = append(
                chunkObject,
                e.kind === 303 ? factory2.createPropertyAssignment(e.name, visitNode(e.initializer, visitor2, isExpression)) : visitNode(e, visitor2, isObjectLiteralElementLike)
              );
            }
          }
          if (chunkObject) {
            objects.push(factory2.createObjectLiteralExpression(chunkObject));
          }
          return objects;
        }
        function visitObjectLiteralExpression(node) {
          if (node.transformFlags & 65536) {
            const objects = chunkObjectLiteralElements(node.properties);
            if (objects.length && objects[0].kind !== 210) {
              objects.unshift(factory2.createObjectLiteralExpression());
            }
            let expression = objects[0];
            if (objects.length > 1) {
              for (let i = 1; i < objects.length; i++) {
                expression = emitHelpers().createAssignHelper([expression, objects[i]]);
              }
              return expression;
            } else {
              return emitHelpers().createAssignHelper(objects);
            }
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitExpressionStatement(node) {
          return visitEachChild(node, visitorWithUnusedExpressionResult, context);
        }
        function visitParenthesizedExpression(node, expressionResultIsUnused2) {
          return visitEachChild(node, expressionResultIsUnused2 ? visitorWithUnusedExpressionResult : visitor2, context);
        }
        function visitSourceFile(node) {
          const ancestorFacts = enterSubtree(
            2,
            isEffectiveStrictModeSourceFile(node, compilerOptions) ? 0 : 1
            /* SourceFileIncludes */
          );
          exportedVariableStatement = false;
          const visited = visitEachChild(node, visitor2, context);
          const statement = concatenate(
            visited.statements,
            taggedTemplateStringDeclarations && [
              factory2.createVariableStatement(
                /*modifiers*/
                void 0,
                factory2.createVariableDeclarationList(taggedTemplateStringDeclarations)
              )
            ]
          );
          const result = factory2.updateSourceFile(visited, setTextRange(factory2.createNodeArray(statement), node.statements));
          exitSubtree(ancestorFacts);
          return result;
        }
        function visitTaggedTemplateExpression(node) {
          return processTaggedTemplateExpression(
            context,
            node,
            visitor2,
            currentSourceFile,
            recordTaggedTemplateString,
            0
            /* LiftRestriction */
          );
        }
        function visitBinaryExpression(node, expressionResultIsUnused2) {
          if (isDestructuringAssignment(node) && containsObjectRestOrSpread(node.left)) {
            return flattenDestructuringAssignment(
              node,
              visitor2,
              context,
              1,
              !expressionResultIsUnused2
            );
          }
          if (node.operatorToken.kind === 28) {
            return factory2.updateBinaryExpression(
              node,
              visitNode(node.left, visitorWithUnusedExpressionResult, isExpression),
              node.operatorToken,
              visitNode(node.right, expressionResultIsUnused2 ? visitorWithUnusedExpressionResult : visitor2, isExpression)
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitCommaListExpression(node, expressionResultIsUnused2) {
          if (expressionResultIsUnused2) {
            return visitEachChild(node, visitorWithUnusedExpressionResult, context);
          }
          let result;
          for (let i = 0; i < node.elements.length; i++) {
            const element = node.elements[i];
            const visited = visitNode(element, i < node.elements.length - 1 ? visitorWithUnusedExpressionResult : visitor2, isExpression);
            if (result || visited !== element) {
              result || (result = node.elements.slice(0, i));
              result.push(visited);
            }
          }
          const elements = result ? setTextRange(factory2.createNodeArray(result), node.elements) : node.elements;
          return factory2.updateCommaListExpression(node, elements);
        }
        function visitCatchClause(node) {
          if (node.variableDeclaration && isBindingPattern(node.variableDeclaration.name) && node.variableDeclaration.name.transformFlags & 65536) {
            const name = factory2.getGeneratedNameForNode(node.variableDeclaration.name);
            const updatedDecl = factory2.updateVariableDeclaration(
              node.variableDeclaration,
              node.variableDeclaration.name,
              /*exclamationToken*/
              void 0,
              /*type*/
              void 0,
              name
            );
            const visitedBindings = flattenDestructuringBinding(
              updatedDecl,
              visitor2,
              context,
              1
              /* ObjectRest */
            );
            let block = visitNode(node.block, visitor2, isBlock);
            if (some(visitedBindings)) {
              block = factory2.updateBlock(block, [
                factory2.createVariableStatement(
                  /*modifiers*/
                  void 0,
                  visitedBindings
                ),
                ...block.statements
              ]);
            }
            return factory2.updateCatchClause(
              node,
              factory2.updateVariableDeclaration(
                node.variableDeclaration,
                name,
                /*exclamationToken*/
                void 0,
                /*type*/
                void 0,
                /*initializer*/
                void 0
              ),
              block
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitVariableStatement(node) {
          if (hasSyntacticModifier(
            node,
            32
            /* Export */
          )) {
            const savedExportedVariableStatement = exportedVariableStatement;
            exportedVariableStatement = true;
            const visited = visitEachChild(node, visitor2, context);
            exportedVariableStatement = savedExportedVariableStatement;
            return visited;
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitVariableDeclaration(node) {
          if (exportedVariableStatement) {
            const savedExportedVariableStatement = exportedVariableStatement;
            exportedVariableStatement = false;
            const visited = visitVariableDeclarationWorker(
              node,
              /*exportedVariableStatement*/
              true
            );
            exportedVariableStatement = savedExportedVariableStatement;
            return visited;
          }
          return visitVariableDeclarationWorker(
            node,
            /*exportedVariableStatement*/
            false
          );
        }
        function visitVariableDeclarationWorker(node, exportedVariableStatement2) {
          if (isBindingPattern(node.name) && node.name.transformFlags & 65536) {
            return flattenDestructuringBinding(
              node,
              visitor2,
              context,
              1,
              /*rval*/
              void 0,
              exportedVariableStatement2
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitForStatement(node) {
          return factory2.updateForStatement(
            node,
            visitNode(node.initializer, visitorWithUnusedExpressionResult, isForInitializer),
            visitNode(node.condition, visitor2, isExpression),
            visitNode(node.incrementor, visitorWithUnusedExpressionResult, isExpression),
            visitIterationBody(node.statement, visitor2, context)
          );
        }
        function visitVoidExpression(node) {
          return visitEachChild(node, visitorWithUnusedExpressionResult, context);
        }
        function visitForOfStatement(node, outermostLabeledStatement) {
          const ancestorFacts = enterSubtree(
            0,
            2
            /* IterationStatementIncludes */
          );
          if (node.initializer.transformFlags & 65536 || isAssignmentPattern(node.initializer) && containsObjectRestOrSpread(node.initializer)) {
            node = transformForOfStatementWithObjectRest(node);
          }
          const result = node.awaitModifier ? transformForAwaitOfStatement(node, outermostLabeledStatement, ancestorFacts) : factory2.restoreEnclosingLabel(visitEachChild(node, visitor2, context), outermostLabeledStatement);
          exitSubtree(ancestorFacts);
          return result;
        }
        function transformForOfStatementWithObjectRest(node) {
          const initializerWithoutParens = skipParentheses(node.initializer);
          if (isVariableDeclarationList(initializerWithoutParens) || isAssignmentPattern(initializerWithoutParens)) {
            let bodyLocation;
            let statementsLocation;
            const temp = factory2.createTempVariable(
              /*recordTempVariable*/
              void 0
            );
            const statements = [createForOfBindingStatement(factory2, initializerWithoutParens, temp)];
            if (isBlock(node.statement)) {
              addRange(statements, node.statement.statements);
              bodyLocation = node.statement;
              statementsLocation = node.statement.statements;
            } else if (node.statement) {
              append(statements, node.statement);
              bodyLocation = node.statement;
              statementsLocation = node.statement;
            }
            return factory2.updateForOfStatement(
              node,
              node.awaitModifier,
              setTextRange(
                factory2.createVariableDeclarationList(
                  [
                    setTextRange(factory2.createVariableDeclaration(temp), node.initializer)
                  ],
                  1
                  /* Let */
                ),
                node.initializer
              ),
              node.expression,
              setTextRange(
                factory2.createBlock(
                  setTextRange(factory2.createNodeArray(statements), statementsLocation),
                  /*multiLine*/
                  true
                ),
                bodyLocation
              )
            );
          }
          return node;
        }
        function convertForOfStatementHead(node, boundValue, nonUserCode) {
          const value = factory2.createTempVariable(hoistVariableDeclaration);
          const iteratorValueExpression = factory2.createAssignment(value, boundValue);
          const iteratorValueStatement = factory2.createExpressionStatement(iteratorValueExpression);
          setSourceMapRange(iteratorValueStatement, node.expression);
          const exitNonUserCodeExpression = factory2.createAssignment(nonUserCode, factory2.createFalse());
          const exitNonUserCodeStatement = factory2.createExpressionStatement(exitNonUserCodeExpression);
          setSourceMapRange(exitNonUserCodeStatement, node.expression);
          const statements = [iteratorValueStatement, exitNonUserCodeStatement];
          const binding = createForOfBindingStatement(factory2, node.initializer, value);
          statements.push(visitNode(binding, visitor2, isStatement));
          let bodyLocation;
          let statementsLocation;
          const statement = visitIterationBody(node.statement, visitor2, context);
          if (isBlock(statement)) {
            addRange(statements, statement.statements);
            bodyLocation = statement;
            statementsLocation = statement.statements;
          } else {
            statements.push(statement);
          }
          return setTextRange(
            factory2.createBlock(
              setTextRange(factory2.createNodeArray(statements), statementsLocation),
              /*multiLine*/
              true
            ),
            bodyLocation
          );
        }
        function createDownlevelAwait(expression) {
          return enclosingFunctionFlags & 1 ? factory2.createYieldExpression(
            /*asteriskToken*/
            void 0,
            emitHelpers().createAwaitHelper(expression)
          ) : factory2.createAwaitExpression(expression);
        }
        function transformForAwaitOfStatement(node, outermostLabeledStatement, ancestorFacts) {
          const expression = visitNode(node.expression, visitor2, isExpression);
          const iterator = isIdentifier(expression) ? factory2.getGeneratedNameForNode(expression) : factory2.createTempVariable(
            /*recordTempVariable*/
            void 0
          );
          const result = isIdentifier(expression) ? factory2.getGeneratedNameForNode(iterator) : factory2.createTempVariable(
            /*recordTempVariable*/
            void 0
          );
          const nonUserCode = factory2.createTempVariable(
            /*recordTempVariable*/
            void 0
          );
          const done = factory2.createTempVariable(hoistVariableDeclaration);
          const errorRecord = factory2.createUniqueName("e");
          const catchVariable = factory2.getGeneratedNameForNode(errorRecord);
          const returnMethod = factory2.createTempVariable(
            /*recordTempVariable*/
            void 0
          );
          const callValues = setTextRange(emitHelpers().createAsyncValuesHelper(expression), node.expression);
          const callNext = factory2.createCallExpression(
            factory2.createPropertyAccessExpression(iterator, "next"),
            /*typeArguments*/
            void 0,
            []
          );
          const getDone = factory2.createPropertyAccessExpression(result, "done");
          const getValue2 = factory2.createPropertyAccessExpression(result, "value");
          const callReturn = factory2.createFunctionCallCall(returnMethod, iterator, []);
          hoistVariableDeclaration(errorRecord);
          hoistVariableDeclaration(returnMethod);
          const initializer = ancestorFacts & 2 ? factory2.inlineExpressions([factory2.createAssignment(errorRecord, factory2.createVoidZero()), callValues]) : callValues;
          const forStatement = setEmitFlags(
            setTextRange(
              factory2.createForStatement(
                /*initializer*/
                setEmitFlags(
                  setTextRange(
                    factory2.createVariableDeclarationList([
                      factory2.createVariableDeclaration(
                        nonUserCode,
                        /*exclamationToken*/
                        void 0,
                        /*type*/
                        void 0,
                        factory2.createTrue()
                      ),
                      setTextRange(factory2.createVariableDeclaration(
                        iterator,
                        /*exclamationToken*/
                        void 0,
                        /*type*/
                        void 0,
                        initializer
                      ), node.expression),
                      factory2.createVariableDeclaration(result)
                    ]),
                    node.expression
                  ),
                  4194304
                  /* NoHoisting */
                ),
                /*condition*/
                factory2.inlineExpressions([
                  factory2.createAssignment(result, createDownlevelAwait(callNext)),
                  factory2.createAssignment(done, getDone),
                  factory2.createLogicalNot(done)
                ]),
                /*incrementor*/
                factory2.createAssignment(nonUserCode, factory2.createTrue()),
                /*statement*/
                convertForOfStatementHead(node, getValue2, nonUserCode)
              ),
              /*location*/
              node
            ),
            512
            /* NoTokenTrailingSourceMaps */
          );
          setOriginalNode(forStatement, node);
          return factory2.createTryStatement(
            factory2.createBlock([
              factory2.restoreEnclosingLabel(
                forStatement,
                outermostLabeledStatement
              )
            ]),
            factory2.createCatchClause(
              factory2.createVariableDeclaration(catchVariable),
              setEmitFlags(
                factory2.createBlock([
                  factory2.createExpressionStatement(
                    factory2.createAssignment(
                      errorRecord,
                      factory2.createObjectLiteralExpression([
                        factory2.createPropertyAssignment("error", catchVariable)
                      ])
                    )
                  )
                ]),
                1
                /* SingleLine */
              )
            ),
            factory2.createBlock([
              factory2.createTryStatement(
                /*tryBlock*/
                factory2.createBlock([
                  setEmitFlags(
                    factory2.createIfStatement(
                      factory2.createLogicalAnd(
                        factory2.createLogicalAnd(
                          factory2.createLogicalNot(nonUserCode),
                          factory2.createLogicalNot(done)
                        ),
                        factory2.createAssignment(
                          returnMethod,
                          factory2.createPropertyAccessExpression(iterator, "return")
                        )
                      ),
                      factory2.createExpressionStatement(createDownlevelAwait(callReturn))
                    ),
                    1
                    /* SingleLine */
                  )
                ]),
                /*catchClause*/
                void 0,
                /*finallyBlock*/
                setEmitFlags(
                  factory2.createBlock([
                    setEmitFlags(
                      factory2.createIfStatement(
                        errorRecord,
                        factory2.createThrowStatement(
                          factory2.createPropertyAccessExpression(errorRecord, "error")
                        )
                      ),
                      1
                      /* SingleLine */
                    )
                  ]),
                  1
                  /* SingleLine */
                )
              )
            ])
          );
        }
        function parameterVisitor(node) {
          Debug.assertNode(node, isParameter);
          return visitParameter(node);
        }
        function visitParameter(node) {
          if (parametersWithPrecedingObjectRestOrSpread == null ? void 0 : parametersWithPrecedingObjectRestOrSpread.has(node)) {
            return factory2.updateParameterDeclaration(
              node,
              /*modifiers*/
              void 0,
              node.dotDotDotToken,
              isBindingPattern(node.name) ? factory2.getGeneratedNameForNode(node) : node.name,
              /*questionToken*/
              void 0,
              /*type*/
              void 0,
              /*initializer*/
              void 0
            );
          }
          if (node.transformFlags & 65536) {
            return factory2.updateParameterDeclaration(
              node,
              /*modifiers*/
              void 0,
              node.dotDotDotToken,
              factory2.getGeneratedNameForNode(node),
              /*questionToken*/
              void 0,
              /*type*/
              void 0,
              visitNode(node.initializer, visitor2, isExpression)
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function collectParametersWithPrecedingObjectRestOrSpread(node) {
          let parameters;
          for (const parameter of node.parameters) {
            if (parameters) {
              parameters.add(parameter);
            } else if (parameter.transformFlags & 65536) {
              parameters = /* @__PURE__ */ new Set();
            }
          }
          return parameters;
        }
        function visitConstructorDeclaration(node) {
          const savedEnclosingFunctionFlags = enclosingFunctionFlags;
          const savedParametersWithPrecedingObjectRestOrSpread = parametersWithPrecedingObjectRestOrSpread;
          enclosingFunctionFlags = getFunctionFlags(node);
          parametersWithPrecedingObjectRestOrSpread = collectParametersWithPrecedingObjectRestOrSpread(node);
          const updated = factory2.updateConstructorDeclaration(
            node,
            node.modifiers,
            visitParameterList(node.parameters, parameterVisitor, context),
            transformFunctionBody2(node)
          );
          enclosingFunctionFlags = savedEnclosingFunctionFlags;
          parametersWithPrecedingObjectRestOrSpread = savedParametersWithPrecedingObjectRestOrSpread;
          return updated;
        }
        function visitGetAccessorDeclaration(node) {
          const savedEnclosingFunctionFlags = enclosingFunctionFlags;
          const savedParametersWithPrecedingObjectRestOrSpread = parametersWithPrecedingObjectRestOrSpread;
          enclosingFunctionFlags = getFunctionFlags(node);
          parametersWithPrecedingObjectRestOrSpread = collectParametersWithPrecedingObjectRestOrSpread(node);
          const updated = factory2.updateGetAccessorDeclaration(
            node,
            node.modifiers,
            visitNode(node.name, visitor2, isPropertyName),
            visitParameterList(node.parameters, parameterVisitor, context),
            /*type*/
            void 0,
            transformFunctionBody2(node)
          );
          enclosingFunctionFlags = savedEnclosingFunctionFlags;
          parametersWithPrecedingObjectRestOrSpread = savedParametersWithPrecedingObjectRestOrSpread;
          return updated;
        }
        function visitSetAccessorDeclaration(node) {
          const savedEnclosingFunctionFlags = enclosingFunctionFlags;
          const savedParametersWithPrecedingObjectRestOrSpread = parametersWithPrecedingObjectRestOrSpread;
          enclosingFunctionFlags = getFunctionFlags(node);
          parametersWithPrecedingObjectRestOrSpread = collectParametersWithPrecedingObjectRestOrSpread(node);
          const updated = factory2.updateSetAccessorDeclaration(
            node,
            node.modifiers,
            visitNode(node.name, visitor2, isPropertyName),
            visitParameterList(node.parameters, parameterVisitor, context),
            transformFunctionBody2(node)
          );
          enclosingFunctionFlags = savedEnclosingFunctionFlags;
          parametersWithPrecedingObjectRestOrSpread = savedParametersWithPrecedingObjectRestOrSpread;
          return updated;
        }
        function visitMethodDeclaration(node) {
          const savedEnclosingFunctionFlags = enclosingFunctionFlags;
          const savedParametersWithPrecedingObjectRestOrSpread = parametersWithPrecedingObjectRestOrSpread;
          enclosingFunctionFlags = getFunctionFlags(node);
          parametersWithPrecedingObjectRestOrSpread = collectParametersWithPrecedingObjectRestOrSpread(node);
          const updated = factory2.updateMethodDeclaration(
            node,
            enclosingFunctionFlags & 1 ? visitNodes2(node.modifiers, visitorNoAsyncModifier, isModifierLike) : node.modifiers,
            enclosingFunctionFlags & 2 ? void 0 : node.asteriskToken,
            visitNode(node.name, visitor2, isPropertyName),
            visitNode(
              /*node*/
              void 0,
              visitor2,
              isQuestionToken
            ),
            /*typeParameters*/
            void 0,
            enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1 ? transformAsyncGeneratorFunctionParameterList(node) : visitParameterList(node.parameters, parameterVisitor, context),
            /*type*/
            void 0,
            enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1 ? transformAsyncGeneratorFunctionBody(node) : transformFunctionBody2(node)
          );
          enclosingFunctionFlags = savedEnclosingFunctionFlags;
          parametersWithPrecedingObjectRestOrSpread = savedParametersWithPrecedingObjectRestOrSpread;
          return updated;
        }
        function visitFunctionDeclaration(node) {
          const savedEnclosingFunctionFlags = enclosingFunctionFlags;
          const savedParametersWithPrecedingObjectRestOrSpread = parametersWithPrecedingObjectRestOrSpread;
          enclosingFunctionFlags = getFunctionFlags(node);
          parametersWithPrecedingObjectRestOrSpread = collectParametersWithPrecedingObjectRestOrSpread(node);
          const updated = factory2.updateFunctionDeclaration(
            node,
            enclosingFunctionFlags & 1 ? visitNodes2(node.modifiers, visitorNoAsyncModifier, isModifier) : node.modifiers,
            enclosingFunctionFlags & 2 ? void 0 : node.asteriskToken,
            node.name,
            /*typeParameters*/
            void 0,
            enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1 ? transformAsyncGeneratorFunctionParameterList(node) : visitParameterList(node.parameters, parameterVisitor, context),
            /*type*/
            void 0,
            enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1 ? transformAsyncGeneratorFunctionBody(node) : transformFunctionBody2(node)
          );
          enclosingFunctionFlags = savedEnclosingFunctionFlags;
          parametersWithPrecedingObjectRestOrSpread = savedParametersWithPrecedingObjectRestOrSpread;
          return updated;
        }
        function visitArrowFunction(node) {
          const savedEnclosingFunctionFlags = enclosingFunctionFlags;
          const savedParametersWithPrecedingObjectRestOrSpread = parametersWithPrecedingObjectRestOrSpread;
          enclosingFunctionFlags = getFunctionFlags(node);
          parametersWithPrecedingObjectRestOrSpread = collectParametersWithPrecedingObjectRestOrSpread(node);
          const updated = factory2.updateArrowFunction(
            node,
            node.modifiers,
            /*typeParameters*/
            void 0,
            visitParameterList(node.parameters, parameterVisitor, context),
            /*type*/
            void 0,
            node.equalsGreaterThanToken,
            transformFunctionBody2(node)
          );
          enclosingFunctionFlags = savedEnclosingFunctionFlags;
          parametersWithPrecedingObjectRestOrSpread = savedParametersWithPrecedingObjectRestOrSpread;
          return updated;
        }
        function visitFunctionExpression(node) {
          const savedEnclosingFunctionFlags = enclosingFunctionFlags;
          const savedParametersWithPrecedingObjectRestOrSpread = parametersWithPrecedingObjectRestOrSpread;
          enclosingFunctionFlags = getFunctionFlags(node);
          parametersWithPrecedingObjectRestOrSpread = collectParametersWithPrecedingObjectRestOrSpread(node);
          const updated = factory2.updateFunctionExpression(
            node,
            enclosingFunctionFlags & 1 ? visitNodes2(node.modifiers, visitorNoAsyncModifier, isModifier) : node.modifiers,
            enclosingFunctionFlags & 2 ? void 0 : node.asteriskToken,
            node.name,
            /*typeParameters*/
            void 0,
            enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1 ? transformAsyncGeneratorFunctionParameterList(node) : visitParameterList(node.parameters, parameterVisitor, context),
            /*type*/
            void 0,
            enclosingFunctionFlags & 2 && enclosingFunctionFlags & 1 ? transformAsyncGeneratorFunctionBody(node) : transformFunctionBody2(node)
          );
          enclosingFunctionFlags = savedEnclosingFunctionFlags;
          parametersWithPrecedingObjectRestOrSpread = savedParametersWithPrecedingObjectRestOrSpread;
          return updated;
        }
        function transformAsyncGeneratorFunctionParameterList(node) {
          if (isSimpleParameterList(node.parameters)) {
            return visitParameterList(node.parameters, visitor2, context);
          }
          const newParameters = [];
          for (const parameter of node.parameters) {
            if (parameter.initializer || parameter.dotDotDotToken) {
              break;
            }
            const newParameter = factory2.createParameterDeclaration(
              /*modifiers*/
              void 0,
              /*dotDotDotToken*/
              void 0,
              factory2.getGeneratedNameForNode(
                parameter.name,
                8
                /* ReservedInNestedScopes */
              )
            );
            newParameters.push(newParameter);
          }
          const newParametersArray = factory2.createNodeArray(newParameters);
          setTextRange(newParametersArray, node.parameters);
          return newParametersArray;
        }
        function transformAsyncGeneratorFunctionBody(node) {
          const innerParameters = !isSimpleParameterList(node.parameters) ? visitParameterList(node.parameters, visitor2, context) : void 0;
          resumeLexicalEnvironment();
          const savedCapturedSuperProperties = capturedSuperProperties;
          const savedHasSuperElementAccess = hasSuperElementAccess;
          capturedSuperProperties = /* @__PURE__ */ new Set();
          hasSuperElementAccess = false;
          const outerStatements = [];
          let asyncBody = factory2.updateBlock(node.body, visitNodes2(node.body.statements, visitor2, isStatement));
          asyncBody = factory2.updateBlock(asyncBody, factory2.mergeLexicalEnvironment(asyncBody.statements, appendObjectRestAssignmentsIfNeeded(endLexicalEnvironment(), node)));
          const returnStatement = factory2.createReturnStatement(
            emitHelpers().createAsyncGeneratorHelper(
              factory2.createFunctionExpression(
                /*modifiers*/
                void 0,
                factory2.createToken(
                  42
                  /* AsteriskToken */
                ),
                node.name && factory2.getGeneratedNameForNode(node.name),
                /*typeParameters*/
                void 0,
                innerParameters ?? [],
                /*type*/
                void 0,
                asyncBody
              ),
              !!(hierarchyFacts & 1)
            )
          );
          const emitSuperHelpers = languageVersion >= 2 && (resolver.hasNodeCheckFlag(
            node,
            256
            /* MethodWithSuperPropertyAssignmentInAsync */
          ) || resolver.hasNodeCheckFlag(
            node,
            128
            /* MethodWithSuperPropertyAccessInAsync */
          ));
          if (emitSuperHelpers) {
            enableSubstitutionForAsyncMethodsWithSuper();
            const variableStatement = createSuperAccessVariableStatement(factory2, resolver, node, capturedSuperProperties);
            substitutedSuperAccessors[getNodeId(variableStatement)] = true;
            insertStatementsAfterStandardPrologue(outerStatements, [variableStatement]);
          }
          outerStatements.push(returnStatement);
          const block = factory2.updateBlock(node.body, outerStatements);
          if (emitSuperHelpers && hasSuperElementAccess) {
            if (resolver.hasNodeCheckFlag(
              node,
              256
              /* MethodWithSuperPropertyAssignmentInAsync */
            )) {
              addEmitHelper(block, advancedAsyncSuperHelper);
            } else if (resolver.hasNodeCheckFlag(
              node,
              128
              /* MethodWithSuperPropertyAccessInAsync */
            )) {
              addEmitHelper(block, asyncSuperHelper);
            }
          }
          capturedSuperProperties = savedCapturedSuperProperties;
          hasSuperElementAccess = savedHasSuperElementAccess;
          return block;
        }
        function transformFunctionBody2(node) {
          resumeLexicalEnvironment();
          let statementOffset = 0;
          const statements = [];
          const body = visitNode(node.body, visitor2, isConciseBody) ?? factory2.createBlock([]);
          if (isBlock(body)) {
            statementOffset = factory2.copyPrologue(
              body.statements,
              statements,
              /*ensureUseStrict*/
              false,
              visitor2
            );
          }
          addRange(statements, appendObjectRestAssignmentsIfNeeded(
            /*statements*/
            void 0,
            node
          ));
          const leadingStatements = endLexicalEnvironment();
          if (statementOffset > 0 || some(statements) || some(leadingStatements)) {
            const block = factory2.converters.convertToFunctionBlock(
              body,
              /*multiLine*/
              true
            );
            insertStatementsAfterStandardPrologue(statements, leadingStatements);
            addRange(statements, block.statements.slice(statementOffset));
            return factory2.updateBlock(block, setTextRange(factory2.createNodeArray(statements), block.statements));
          }
          return body;
        }
        function appendObjectRestAssignmentsIfNeeded(statements, node) {
          let containsPrecedingObjectRestOrSpread = false;
          for (const parameter of node.parameters) {
            if (containsPrecedingObjectRestOrSpread) {
              if (isBindingPattern(parameter.name)) {
                if (parameter.name.elements.length > 0) {
                  const declarations = flattenDestructuringBinding(
                    parameter,
                    visitor2,
                    context,
                    0,
                    factory2.getGeneratedNameForNode(parameter)
                  );
                  if (some(declarations)) {
                    const declarationList = factory2.createVariableDeclarationList(declarations);
                    const statement = factory2.createVariableStatement(
                      /*modifiers*/
                      void 0,
                      declarationList
                    );
                    setEmitFlags(
                      statement,
                      2097152
                      /* CustomPrologue */
                    );
                    statements = append(statements, statement);
                  }
                } else if (parameter.initializer) {
                  const name = factory2.getGeneratedNameForNode(parameter);
                  const initializer = visitNode(parameter.initializer, visitor2, isExpression);
                  const assignment = factory2.createAssignment(name, initializer);
                  const statement = factory2.createExpressionStatement(assignment);
                  setEmitFlags(
                    statement,
                    2097152
                    /* CustomPrologue */
                  );
                  statements = append(statements, statement);
                }
              } else if (parameter.initializer) {
                const name = factory2.cloneNode(parameter.name);
                setTextRange(name, parameter.name);
                setEmitFlags(
                  name,
                  96
                  /* NoSourceMap */
                );
                const initializer = visitNode(parameter.initializer, visitor2, isExpression);
                addEmitFlags(
                  initializer,
                  96 | 3072
                  /* NoComments */
                );
                const assignment = factory2.createAssignment(name, initializer);
                setTextRange(assignment, parameter);
                setEmitFlags(
                  assignment,
                  3072
                  /* NoComments */
                );
                const block = factory2.createBlock([factory2.createExpressionStatement(assignment)]);
                setTextRange(block, parameter);
                setEmitFlags(
                  block,
                  1 | 64 | 768 | 3072
                  /* NoComments */
                );
                const typeCheck = factory2.createTypeCheck(factory2.cloneNode(parameter.name), "undefined");
                const statement = factory2.createIfStatement(typeCheck, block);
                startOnNewLine(statement);
                setTextRange(statement, parameter);
                setEmitFlags(
                  statement,
                  768 | 64 | 2097152 | 3072
                  /* NoComments */
                );
                statements = append(statements, statement);
              }
            } else if (parameter.transformFlags & 65536) {
              containsPrecedingObjectRestOrSpread = true;
              const declarations = flattenDestructuringBinding(
                parameter,
                visitor2,
                context,
                1,
                factory2.getGeneratedNameForNode(parameter),
                /*hoistTempVariables*/
                false,
                /*skipInitializer*/
                true
              );
              if (some(declarations)) {
                const declarationList = factory2.createVariableDeclarationList(declarations);
                const statement = factory2.createVariableStatement(
                  /*modifiers*/
                  void 0,
                  declarationList
                );
                setEmitFlags(
                  statement,
                  2097152
                  /* CustomPrologue */
                );
                statements = append(statements, statement);
              }
            }
          }
          return statements;
        }
        function enableSubstitutionForAsyncMethodsWithSuper() {
          if ((enabledSubstitutions & 1) === 0) {
            enabledSubstitutions |= 1;
            context.enableSubstitution(
              213
              /* CallExpression */
            );
            context.enableSubstitution(
              211
              /* PropertyAccessExpression */
            );
            context.enableSubstitution(
              212
              /* ElementAccessExpression */
            );
            context.enableEmitNotification(
              263
              /* ClassDeclaration */
            );
            context.enableEmitNotification(
              174
              /* MethodDeclaration */
            );
            context.enableEmitNotification(
              177
              /* GetAccessor */
            );
            context.enableEmitNotification(
              178
              /* SetAccessor */
            );
            context.enableEmitNotification(
              176
              /* Constructor */
            );
            context.enableEmitNotification(
              243
              /* VariableStatement */
            );
          }
        }
        function onEmitNode(hint, node, emitCallback) {
          if (enabledSubstitutions & 1 && isSuperContainer(node)) {
            const superContainerFlags = (resolver.hasNodeCheckFlag(
              node,
              128
              /* MethodWithSuperPropertyAccessInAsync */
            ) ? 128 : 0) | (resolver.hasNodeCheckFlag(
              node,
              256
              /* MethodWithSuperPropertyAssignmentInAsync */
            ) ? 256 : 0);
            if (superContainerFlags !== enclosingSuperContainerFlags) {
              const savedEnclosingSuperContainerFlags = enclosingSuperContainerFlags;
              enclosingSuperContainerFlags = superContainerFlags;
              previousOnEmitNode(hint, node, emitCallback);
              enclosingSuperContainerFlags = savedEnclosingSuperContainerFlags;
              return;
            }
          } else if (enabledSubstitutions && substitutedSuperAccessors[getNodeId(node)]) {
            const savedEnclosingSuperContainerFlags = enclosingSuperContainerFlags;
            enclosingSuperContainerFlags = 0;
            previousOnEmitNode(hint, node, emitCallback);
            enclosingSuperContainerFlags = savedEnclosingSuperContainerFlags;
            return;
          }
          previousOnEmitNode(hint, node, emitCallback);
        }
        function onSubstituteNode(hint, node) {
          node = previousOnSubstituteNode(hint, node);
          if (hint === 1 && enclosingSuperContainerFlags) {
            return substituteExpression(node);
          }
          return node;
        }
        function substituteExpression(node) {
          switch (node.kind) {
            case 211:
              return substitutePropertyAccessExpression(node);
            case 212:
              return substituteElementAccessExpression(node);
            case 213:
              return substituteCallExpression(node);
          }
          return node;
        }
        function substitutePropertyAccessExpression(node) {
          if (node.expression.kind === 108) {
            return setTextRange(
              factory2.createPropertyAccessExpression(
                factory2.createUniqueName(
                  "_super",
                  16 | 32
                  /* FileLevel */
                ),
                node.name
              ),
              node
            );
          }
          return node;
        }
        function substituteElementAccessExpression(node) {
          if (node.expression.kind === 108) {
            return createSuperElementAccessInAsyncMethod(
              node.argumentExpression,
              node
            );
          }
          return node;
        }
        function substituteCallExpression(node) {
          const expression = node.expression;
          if (isSuperProperty(expression)) {
            const argumentExpression = isPropertyAccessExpression(expression) ? substitutePropertyAccessExpression(expression) : substituteElementAccessExpression(expression);
            return factory2.createCallExpression(
              factory2.createPropertyAccessExpression(argumentExpression, "call"),
              /*typeArguments*/
              void 0,
              [
                factory2.createThis(),
                ...node.arguments
              ]
            );
          }
          return node;
        }
        function isSuperContainer(node) {
          const kind = node.kind;
          return kind === 263 || kind === 176 || kind === 174 || kind === 177 || kind === 178;
        }
        function createSuperElementAccessInAsyncMethod(argumentExpression, location) {
          if (enclosingSuperContainerFlags & 256) {
            return setTextRange(
              factory2.createPropertyAccessExpression(
                factory2.createCallExpression(
                  factory2.createIdentifier("_superIndex"),
                  /*typeArguments*/
                  void 0,
                  [argumentExpression]
                ),
                "value"
              ),
              location
            );
          } else {
            return setTextRange(
              factory2.createCallExpression(
                factory2.createIdentifier("_superIndex"),
                /*typeArguments*/
                void 0,
                [argumentExpression]
              ),
              location
            );
          }
        }
      }
      function transformES2019(context) {
        const factory2 = context.factory;
        return chainBundle(context, transformSourceFile);
        function transformSourceFile(node) {
          if (node.isDeclarationFile) {
            return node;
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitor2(node) {
          if ((node.transformFlags & 64) === 0) {
            return node;
          }
          switch (node.kind) {
            case 299:
              return visitCatchClause(node);
            default:
              return visitEachChild(node, visitor2, context);
          }
        }
        function visitCatchClause(node) {
          if (!node.variableDeclaration) {
            return factory2.updateCatchClause(
              node,
              factory2.createVariableDeclaration(factory2.createTempVariable(
                /*recordTempVariable*/
                void 0
              )),
              visitNode(node.block, visitor2, isBlock)
            );
          }
          return visitEachChild(node, visitor2, context);
        }
      }
      function transformES2020(context) {
        const {
          factory: factory2,
          hoistVariableDeclaration
        } = context;
        return chainBundle(context, transformSourceFile);
        function transformSourceFile(node) {
          if (node.isDeclarationFile) {
            return node;
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitor2(node) {
          if ((node.transformFlags & 32) === 0) {
            return node;
          }
          switch (node.kind) {
            case 213: {
              const updated = visitNonOptionalCallExpression(
                node,
                /*captureThisArg*/
                false
              );
              Debug.assertNotNode(updated, isSyntheticReference);
              return updated;
            }
            case 211:
            case 212:
              if (isOptionalChain(node)) {
                const updated = visitOptionalExpression(
                  node,
                  /*captureThisArg*/
                  false,
                  /*isDelete*/
                  false
                );
                Debug.assertNotNode(updated, isSyntheticReference);
                return updated;
              }
              return visitEachChild(node, visitor2, context);
            case 226:
              if (node.operatorToken.kind === 61) {
                return transformNullishCoalescingExpression(node);
              }
              return visitEachChild(node, visitor2, context);
            case 220:
              return visitDeleteExpression(node);
            default:
              return visitEachChild(node, visitor2, context);
          }
        }
        function flattenChain(chain) {
          Debug.assertNotNode(chain, isNonNullChain);
          const links = [chain];
          while (!chain.questionDotToken && !isTaggedTemplateExpression(chain)) {
            chain = cast(skipPartiallyEmittedExpressions(chain.expression), isOptionalChain);
            Debug.assertNotNode(chain, isNonNullChain);
            links.unshift(chain);
          }
          return { expression: chain.expression, chain: links };
        }
        function visitNonOptionalParenthesizedExpression(node, captureThisArg, isDelete) {
          const expression = visitNonOptionalExpression(node.expression, captureThisArg, isDelete);
          if (isSyntheticReference(expression)) {
            return factory2.createSyntheticReferenceExpression(factory2.updateParenthesizedExpression(node, expression.expression), expression.thisArg);
          }
          return factory2.updateParenthesizedExpression(node, expression);
        }
        function visitNonOptionalPropertyOrElementAccessExpression(node, captureThisArg, isDelete) {
          if (isOptionalChain(node)) {
            return visitOptionalExpression(node, captureThisArg, isDelete);
          }
          let expression = visitNode(node.expression, visitor2, isExpression);
          Debug.assertNotNode(expression, isSyntheticReference);
          let thisArg;
          if (captureThisArg) {
            if (!isSimpleCopiableExpression(expression)) {
              thisArg = factory2.createTempVariable(hoistVariableDeclaration);
              expression = factory2.createAssignment(thisArg, expression);
            } else {
              thisArg = expression;
            }
          }
          expression = node.kind === 211 ? factory2.updatePropertyAccessExpression(node, expression, visitNode(node.name, visitor2, isIdentifier)) : factory2.updateElementAccessExpression(node, expression, visitNode(node.argumentExpression, visitor2, isExpression));
          return thisArg ? factory2.createSyntheticReferenceExpression(expression, thisArg) : expression;
        }
        function visitNonOptionalCallExpression(node, captureThisArg) {
          if (isOptionalChain(node)) {
            return visitOptionalExpression(
              node,
              captureThisArg,
              /*isDelete*/
              false
            );
          }
          if (isParenthesizedExpression(node.expression) && isOptionalChain(skipParentheses(node.expression))) {
            const expression = visitNonOptionalParenthesizedExpression(
              node.expression,
              /*captureThisArg*/
              true,
              /*isDelete*/
              false
            );
            const args = visitNodes2(node.arguments, visitor2, isExpression);
            if (isSyntheticReference(expression)) {
              return setTextRange(factory2.createFunctionCallCall(expression.expression, expression.thisArg, args), node);
            }
            return factory2.updateCallExpression(
              node,
              expression,
              /*typeArguments*/
              void 0,
              args
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitNonOptionalExpression(node, captureThisArg, isDelete) {
          switch (node.kind) {
            case 217:
              return visitNonOptionalParenthesizedExpression(node, captureThisArg, isDelete);
            case 211:
            case 212:
              return visitNonOptionalPropertyOrElementAccessExpression(node, captureThisArg, isDelete);
            case 213:
              return visitNonOptionalCallExpression(node, captureThisArg);
            default:
              return visitNode(node, visitor2, isExpression);
          }
        }
        function visitOptionalExpression(node, captureThisArg, isDelete) {
          const { expression, chain } = flattenChain(node);
          const left = visitNonOptionalExpression(
            skipPartiallyEmittedExpressions(expression),
            isCallChain(chain[0]),
            /*isDelete*/
            false
          );
          let leftThisArg = isSyntheticReference(left) ? left.thisArg : void 0;
          let capturedLeft = isSyntheticReference(left) ? left.expression : left;
          let leftExpression = factory2.restoreOuterExpressions(
            expression,
            capturedLeft,
            8
            /* PartiallyEmittedExpressions */
          );
          if (!isSimpleCopiableExpression(capturedLeft)) {
            capturedLeft = factory2.createTempVariable(hoistVariableDeclaration);
            leftExpression = factory2.createAssignment(capturedLeft, leftExpression);
          }
          let rightExpression = capturedLeft;
          let thisArg;
          for (let i = 0; i < chain.length; i++) {
            const segment = chain[i];
            switch (segment.kind) {
              case 211:
              case 212:
                if (i === chain.length - 1 && captureThisArg) {
                  if (!isSimpleCopiableExpression(rightExpression)) {
                    thisArg = factory2.createTempVariable(hoistVariableDeclaration);
                    rightExpression = factory2.createAssignment(thisArg, rightExpression);
                  } else {
                    thisArg = rightExpression;
                  }
                }
                rightExpression = segment.kind === 211 ? factory2.createPropertyAccessExpression(rightExpression, visitNode(segment.name, visitor2, isIdentifier)) : factory2.createElementAccessExpression(rightExpression, visitNode(segment.argumentExpression, visitor2, isExpression));
                break;
              case 213:
                if (i === 0 && leftThisArg) {
                  if (!isGeneratedIdentifier(leftThisArg)) {
                    leftThisArg = factory2.cloneNode(leftThisArg);
                    addEmitFlags(
                      leftThisArg,
                      3072
                      /* NoComments */
                    );
                  }
                  rightExpression = factory2.createFunctionCallCall(
                    rightExpression,
                    leftThisArg.kind === 108 ? factory2.createThis() : leftThisArg,
                    visitNodes2(segment.arguments, visitor2, isExpression)
                  );
                } else {
                  rightExpression = factory2.createCallExpression(
                    rightExpression,
                    /*typeArguments*/
                    void 0,
                    visitNodes2(segment.arguments, visitor2, isExpression)
                  );
                }
                break;
            }
            setOriginalNode(rightExpression, segment);
          }
          const target = isDelete ? factory2.createConditionalExpression(
            createNotNullCondition(
              leftExpression,
              capturedLeft,
              /*invert*/
              true
            ),
            /*questionToken*/
            void 0,
            factory2.createTrue(),
            /*colonToken*/
            void 0,
            factory2.createDeleteExpression(rightExpression)
          ) : factory2.createConditionalExpression(
            createNotNullCondition(
              leftExpression,
              capturedLeft,
              /*invert*/
              true
            ),
            /*questionToken*/
            void 0,
            factory2.createVoidZero(),
            /*colonToken*/
            void 0,
            rightExpression
          );
          setTextRange(target, node);
          return thisArg ? factory2.createSyntheticReferenceExpression(target, thisArg) : target;
        }
        function createNotNullCondition(left, right, invert) {
          return factory2.createBinaryExpression(
            factory2.createBinaryExpression(
              left,
              factory2.createToken(
                invert ? 37 : 38
                /* ExclamationEqualsEqualsToken */
              ),
              factory2.createNull()
            ),
            factory2.createToken(
              invert ? 57 : 56
              /* AmpersandAmpersandToken */
            ),
            factory2.createBinaryExpression(
              right,
              factory2.createToken(
                invert ? 37 : 38
                /* ExclamationEqualsEqualsToken */
              ),
              factory2.createVoidZero()
            )
          );
        }
        function transformNullishCoalescingExpression(node) {
          let left = visitNode(node.left, visitor2, isExpression);
          let right = left;
          if (!isSimpleCopiableExpression(left)) {
            right = factory2.createTempVariable(hoistVariableDeclaration);
            left = factory2.createAssignment(right, left);
          }
          return setTextRange(
            factory2.createConditionalExpression(
              createNotNullCondition(left, right),
              /*questionToken*/
              void 0,
              right,
              /*colonToken*/
              void 0,
              visitNode(node.right, visitor2, isExpression)
            ),
            node
          );
        }
        function visitDeleteExpression(node) {
          return isOptionalChain(skipParentheses(node.expression)) ? setOriginalNode(visitNonOptionalExpression(
            node.expression,
            /*captureThisArg*/
            false,
            /*isDelete*/
            true
          ), node) : factory2.updateDeleteExpression(node, visitNode(node.expression, visitor2, isExpression));
        }
      }
      function transformES2021(context) {
        const {
          hoistVariableDeclaration,
          factory: factory2
        } = context;
        return chainBundle(context, transformSourceFile);
        function transformSourceFile(node) {
          if (node.isDeclarationFile) {
            return node;
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitor2(node) {
          if ((node.transformFlags & 16) === 0) {
            return node;
          }
          if (isLogicalOrCoalescingAssignmentExpression(node)) {
            return transformLogicalAssignment(node);
          }
          return visitEachChild(node, visitor2, context);
        }
        function transformLogicalAssignment(binaryExpression) {
          const operator = binaryExpression.operatorToken;
          const nonAssignmentOperator = getNonAssignmentOperatorForCompoundAssignment(operator.kind);
          let left = skipParentheses(visitNode(binaryExpression.left, visitor2, isLeftHandSideExpression));
          let assignmentTarget = left;
          const right = skipParentheses(visitNode(binaryExpression.right, visitor2, isExpression));
          if (isAccessExpression(left)) {
            const propertyAccessTargetSimpleCopiable = isSimpleCopiableExpression(left.expression);
            const propertyAccessTarget = propertyAccessTargetSimpleCopiable ? left.expression : factory2.createTempVariable(hoistVariableDeclaration);
            const propertyAccessTargetAssignment = propertyAccessTargetSimpleCopiable ? left.expression : factory2.createAssignment(
              propertyAccessTarget,
              left.expression
            );
            if (isPropertyAccessExpression(left)) {
              assignmentTarget = factory2.createPropertyAccessExpression(
                propertyAccessTarget,
                left.name
              );
              left = factory2.createPropertyAccessExpression(
                propertyAccessTargetAssignment,
                left.name
              );
            } else {
              const elementAccessArgumentSimpleCopiable = isSimpleCopiableExpression(left.argumentExpression);
              const elementAccessArgument = elementAccessArgumentSimpleCopiable ? left.argumentExpression : factory2.createTempVariable(hoistVariableDeclaration);
              assignmentTarget = factory2.createElementAccessExpression(
                propertyAccessTarget,
                elementAccessArgument
              );
              left = factory2.createElementAccessExpression(
                propertyAccessTargetAssignment,
                elementAccessArgumentSimpleCopiable ? left.argumentExpression : factory2.createAssignment(
                  elementAccessArgument,
                  left.argumentExpression
                )
              );
            }
          }
          return factory2.createBinaryExpression(
            left,
            nonAssignmentOperator,
            factory2.createParenthesizedExpression(
              factory2.createAssignment(
                assignmentTarget,
                right
              )
            )
          );
        }
      }
      function transformESNext(context) {
        const {
          factory: factory2,
          getEmitHelperFactory: emitHelpers,
          hoistVariableDeclaration,
          startLexicalEnvironment,
          endLexicalEnvironment
        } = context;
        let exportBindings;
        let exportVars;
        let defaultExportBinding;
        let exportEqualsBinding;
        return chainBundle(context, transformSourceFile);
        function transformSourceFile(node) {
          if (node.isDeclarationFile) {
            return node;
          }
          const visited = visitNode(node, visitor2, isSourceFile);
          addEmitHelpers(visited, context.readEmitHelpers());
          exportVars = void 0;
          exportBindings = void 0;
          defaultExportBinding = void 0;
          return visited;
        }
        function visitor2(node) {
          if ((node.transformFlags & 4) === 0) {
            return node;
          }
          switch (node.kind) {
            case 307:
              return visitSourceFile(node);
            case 241:
              return visitBlock(node);
            case 248:
              return visitForStatement(node);
            case 250:
              return visitForOfStatement(node);
            case 255:
              return visitSwitchStatement(node);
            default:
              return visitEachChild(node, visitor2, context);
          }
        }
        function visitSourceFile(node) {
          const usingKind = getUsingKindOfStatements(node.statements);
          if (usingKind) {
            startLexicalEnvironment();
            exportBindings = new IdentifierNameMap();
            exportVars = [];
            const prologueCount = countPrologueStatements(node.statements);
            const topLevelStatements = [];
            addRange(topLevelStatements, visitArray(node.statements, visitor2, isStatement, 0, prologueCount));
            let pos = prologueCount;
            while (pos < node.statements.length) {
              const statement = node.statements[pos];
              if (getUsingKind(statement) !== 0) {
                if (pos > prologueCount) {
                  addRange(topLevelStatements, visitNodes2(node.statements, visitor2, isStatement, prologueCount, pos - prologueCount));
                }
                break;
              }
              pos++;
            }
            Debug.assert(pos < node.statements.length, "Should have encountered at least one 'using' statement.");
            const envBinding = createEnvBinding();
            const bodyStatements = transformUsingDeclarations(node.statements, pos, node.statements.length, envBinding, topLevelStatements);
            if (exportBindings.size) {
              append(
                topLevelStatements,
                factory2.createExportDeclaration(
                  /*modifiers*/
                  void 0,
                  /*isTypeOnly*/
                  false,
                  factory2.createNamedExports(arrayFrom(exportBindings.values()))
                )
              );
            }
            addRange(topLevelStatements, endLexicalEnvironment());
            if (exportVars.length) {
              topLevelStatements.push(factory2.createVariableStatement(
                factory2.createModifiersFromModifierFlags(
                  32
                  /* Export */
                ),
                factory2.createVariableDeclarationList(
                  exportVars,
                  1
                  /* Let */
                )
              ));
            }
            addRange(topLevelStatements, createDownlevelUsingStatements(
              bodyStatements,
              envBinding,
              usingKind === 2
              /* Async */
            ));
            if (exportEqualsBinding) {
              topLevelStatements.push(factory2.createExportAssignment(
                /*modifiers*/
                void 0,
                /*isExportEquals*/
                true,
                exportEqualsBinding
              ));
            }
            return factory2.updateSourceFile(node, topLevelStatements);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitBlock(node) {
          const usingKind = getUsingKindOfStatements(node.statements);
          if (usingKind) {
            const prologueCount = countPrologueStatements(node.statements);
            const envBinding = createEnvBinding();
            return factory2.updateBlock(
              node,
              [
                ...visitArray(node.statements, visitor2, isStatement, 0, prologueCount),
                ...createDownlevelUsingStatements(
                  transformUsingDeclarations(
                    node.statements,
                    prologueCount,
                    node.statements.length,
                    envBinding,
                    /*topLevelStatements*/
                    void 0
                  ),
                  envBinding,
                  usingKind === 2
                  /* Async */
                )
              ]
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitForStatement(node) {
          if (node.initializer && isUsingVariableDeclarationList(node.initializer)) {
            return visitNode(
              factory2.createBlock([
                factory2.createVariableStatement(
                  /*modifiers*/
                  void 0,
                  node.initializer
                ),
                factory2.updateForStatement(
                  node,
                  /*initializer*/
                  void 0,
                  node.condition,
                  node.incrementor,
                  node.statement
                )
              ]),
              visitor2,
              isStatement
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitForOfStatement(node) {
          if (isUsingVariableDeclarationList(node.initializer)) {
            const forInitializer = node.initializer;
            const forDecl = firstOrUndefined(forInitializer.declarations) || factory2.createVariableDeclaration(factory2.createTempVariable(
              /*recordTempVariable*/
              void 0
            ));
            const isAwaitUsing = getUsingKindOfVariableDeclarationList(forInitializer) === 2;
            const temp = factory2.getGeneratedNameForNode(forDecl.name);
            const usingVar = factory2.updateVariableDeclaration(
              forDecl,
              forDecl.name,
              /*exclamationToken*/
              void 0,
              /*type*/
              void 0,
              temp
            );
            const usingVarList = factory2.createVariableDeclarationList(
              [usingVar],
              isAwaitUsing ? 6 : 4
              /* Using */
            );
            const usingVarStatement = factory2.createVariableStatement(
              /*modifiers*/
              void 0,
              usingVarList
            );
            return visitNode(
              factory2.updateForOfStatement(
                node,
                node.awaitModifier,
                factory2.createVariableDeclarationList(
                  [
                    factory2.createVariableDeclaration(temp)
                  ],
                  2
                  /* Const */
                ),
                node.expression,
                isBlock(node.statement) ? factory2.updateBlock(node.statement, [
                  usingVarStatement,
                  ...node.statement.statements
                ]) : factory2.createBlock(
                  [
                    usingVarStatement,
                    node.statement
                  ],
                  /*multiLine*/
                  true
                )
              ),
              visitor2,
              isStatement
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitCaseOrDefaultClause(node, envBinding) {
          if (getUsingKindOfStatements(node.statements) !== 0) {
            if (isCaseClause(node)) {
              return factory2.updateCaseClause(
                node,
                visitNode(node.expression, visitor2, isExpression),
                transformUsingDeclarations(
                  node.statements,
                  /*start*/
                  0,
                  node.statements.length,
                  envBinding,
                  /*topLevelStatements*/
                  void 0
                )
              );
            } else {
              return factory2.updateDefaultClause(
                node,
                transformUsingDeclarations(
                  node.statements,
                  /*start*/
                  0,
                  node.statements.length,
                  envBinding,
                  /*topLevelStatements*/
                  void 0
                )
              );
            }
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitSwitchStatement(node) {
          const usingKind = getUsingKindOfCaseOrDefaultClauses(node.caseBlock.clauses);
          if (usingKind) {
            const envBinding = createEnvBinding();
            return createDownlevelUsingStatements(
              [
                factory2.updateSwitchStatement(
                  node,
                  visitNode(node.expression, visitor2, isExpression),
                  factory2.updateCaseBlock(
                    node.caseBlock,
                    node.caseBlock.clauses.map((clause) => visitCaseOrDefaultClause(clause, envBinding))
                  )
                )
              ],
              envBinding,
              usingKind === 2
              /* Async */
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function transformUsingDeclarations(statementsIn, start, end, envBinding, topLevelStatements) {
          const statements = [];
          for (let i = start; i < end; i++) {
            const statement = statementsIn[i];
            const usingKind = getUsingKind(statement);
            if (usingKind) {
              Debug.assertNode(statement, isVariableStatement);
              const declarations = [];
              for (let declaration of statement.declarationList.declarations) {
                if (!isIdentifier(declaration.name)) {
                  declarations.length = 0;
                  break;
                }
                if (isNamedEvaluation(declaration)) {
                  declaration = transformNamedEvaluation(context, declaration);
                }
                const initializer = visitNode(declaration.initializer, visitor2, isExpression) ?? factory2.createVoidZero();
                declarations.push(factory2.updateVariableDeclaration(
                  declaration,
                  declaration.name,
                  /*exclamationToken*/
                  void 0,
                  /*type*/
                  void 0,
                  emitHelpers().createAddDisposableResourceHelper(
                    envBinding,
                    initializer,
                    usingKind === 2
                    /* Async */
                  )
                ));
              }
              if (declarations.length) {
                const varList = factory2.createVariableDeclarationList(
                  declarations,
                  2
                  /* Const */
                );
                setOriginalNode(varList, statement.declarationList);
                setTextRange(varList, statement.declarationList);
                hoistOrAppendNode(factory2.updateVariableStatement(
                  statement,
                  /*modifiers*/
                  void 0,
                  varList
                ));
                continue;
              }
            }
            const result = visitor2(statement);
            if (isArray3(result)) {
              result.forEach(hoistOrAppendNode);
            } else if (result) {
              hoistOrAppendNode(result);
            }
          }
          return statements;
          function hoistOrAppendNode(node) {
            Debug.assertNode(node, isStatement);
            append(statements, hoist(node));
          }
          function hoist(node) {
            if (!topLevelStatements) return node;
            switch (node.kind) {
              case 272:
              case 271:
              case 278:
              case 262:
                return hoistImportOrExportOrHoistedDeclaration(node, topLevelStatements);
              case 277:
                return hoistExportAssignment(node);
              case 263:
                return hoistClassDeclaration(node);
              case 243:
                return hoistVariableStatement(node);
            }
            return node;
          }
        }
        function hoistImportOrExportOrHoistedDeclaration(node, topLevelStatements) {
          topLevelStatements.push(node);
          return void 0;
        }
        function hoistExportAssignment(node) {
          return node.isExportEquals ? hoistExportEquals(node) : hoistExportDefault(node);
        }
        function hoistExportDefault(node) {
          if (defaultExportBinding) {
            return node;
          }
          defaultExportBinding = factory2.createUniqueName(
            "_default",
            8 | 32 | 16
            /* Optimistic */
          );
          hoistBindingIdentifier(
            defaultExportBinding,
            /*isExport*/
            true,
            "default",
            node
          );
          let expression = node.expression;
          let innerExpression = skipOuterExpressions(expression);
          if (isNamedEvaluation(innerExpression)) {
            innerExpression = transformNamedEvaluation(
              context,
              innerExpression,
              /*ignoreEmptyStringLiteral*/
              false,
              "default"
            );
            expression = factory2.restoreOuterExpressions(expression, innerExpression);
          }
          const assignment = factory2.createAssignment(defaultExportBinding, expression);
          return factory2.createExpressionStatement(assignment);
        }
        function hoistExportEquals(node) {
          if (exportEqualsBinding) {
            return node;
          }
          exportEqualsBinding = factory2.createUniqueName(
            "_default",
            8 | 32 | 16
            /* Optimistic */
          );
          hoistVariableDeclaration(exportEqualsBinding);
          const assignment = factory2.createAssignment(exportEqualsBinding, node.expression);
          return factory2.createExpressionStatement(assignment);
        }
        function hoistClassDeclaration(node) {
          if (!node.name && defaultExportBinding) {
            return node;
          }
          const isExported2 = hasSyntacticModifier(
            node,
            32
            /* Export */
          );
          const isDefault = hasSyntacticModifier(
            node,
            2048
            /* Default */
          );
          let expression = factory2.converters.convertToClassExpression(node);
          if (node.name) {
            hoistBindingIdentifier(
              factory2.getLocalName(node),
              isExported2 && !isDefault,
              /*exportAlias*/
              void 0,
              node
            );
            expression = factory2.createAssignment(factory2.getDeclarationName(node), expression);
            if (isNamedEvaluation(expression)) {
              expression = transformNamedEvaluation(
                context,
                expression,
                /*ignoreEmptyStringLiteral*/
                false
              );
            }
            setOriginalNode(expression, node);
            setSourceMapRange(expression, node);
            setCommentRange(expression, node);
          }
          if (isDefault && !defaultExportBinding) {
            defaultExportBinding = factory2.createUniqueName(
              "_default",
              8 | 32 | 16
              /* Optimistic */
            );
            hoistBindingIdentifier(
              defaultExportBinding,
              /*isExport*/
              true,
              "default",
              node
            );
            expression = factory2.createAssignment(defaultExportBinding, expression);
            if (isNamedEvaluation(expression)) {
              expression = transformNamedEvaluation(
                context,
                expression,
                /*ignoreEmptyStringLiteral*/
                false,
                "default"
              );
            }
            setOriginalNode(expression, node);
          }
          return factory2.createExpressionStatement(expression);
        }
        function hoistVariableStatement(node) {
          let expressions;
          const isExported2 = hasSyntacticModifier(
            node,
            32
            /* Export */
          );
          for (const variable of node.declarationList.declarations) {
            hoistBindingElement(variable, isExported2, variable);
            if (variable.initializer) {
              expressions = append(expressions, hoistInitializedVariable(variable));
            }
          }
          if (expressions) {
            const statement = factory2.createExpressionStatement(factory2.inlineExpressions(expressions));
            setOriginalNode(statement, node);
            setCommentRange(statement, node);
            setSourceMapRange(statement, node);
            return statement;
          }
          return void 0;
        }
        function hoistInitializedVariable(node) {
          Debug.assertIsDefined(node.initializer);
          let target;
          if (isIdentifier(node.name)) {
            target = factory2.cloneNode(node.name);
            setEmitFlags(target, getEmitFlags(target) & ~(32768 | 16384 | 65536));
          } else {
            target = factory2.converters.convertToAssignmentPattern(node.name);
          }
          const assignment = factory2.createAssignment(target, node.initializer);
          setOriginalNode(assignment, node);
          setCommentRange(assignment, node);
          setSourceMapRange(assignment, node);
          return assignment;
        }
        function hoistBindingElement(node, isExportedDeclaration, original) {
          if (isBindingPattern(node.name)) {
            for (const element of node.name.elements) {
              if (!isOmittedExpression(element)) {
                hoistBindingElement(element, isExportedDeclaration, original);
              }
            }
          } else {
            hoistBindingIdentifier(
              node.name,
              isExportedDeclaration,
              /*exportAlias*/
              void 0,
              original
            );
          }
        }
        function hoistBindingIdentifier(node, isExport, exportAlias, original) {
          const name = isGeneratedIdentifier(node) ? node : factory2.cloneNode(node);
          if (isExport) {
            if (exportAlias === void 0 && !isLocalName(name)) {
              const varDecl = factory2.createVariableDeclaration(name);
              if (original) {
                setOriginalNode(varDecl, original);
              }
              exportVars.push(varDecl);
              return;
            }
            const localName = exportAlias !== void 0 ? name : void 0;
            const exportName = exportAlias !== void 0 ? exportAlias : name;
            const specifier = factory2.createExportSpecifier(
              /*isTypeOnly*/
              false,
              localName,
              exportName
            );
            if (original) {
              setOriginalNode(specifier, original);
            }
            exportBindings.set(name, specifier);
          }
          hoistVariableDeclaration(name);
        }
        function createEnvBinding() {
          return factory2.createUniqueName("env");
        }
        function createDownlevelUsingStatements(bodyStatements, envBinding, async) {
          const statements = [];
          const envObject = factory2.createObjectLiteralExpression([
            factory2.createPropertyAssignment("stack", factory2.createArrayLiteralExpression()),
            factory2.createPropertyAssignment("error", factory2.createVoidZero()),
            factory2.createPropertyAssignment("hasError", factory2.createFalse())
          ]);
          const envVar = factory2.createVariableDeclaration(
            envBinding,
            /*exclamationToken*/
            void 0,
            /*type*/
            void 0,
            envObject
          );
          const envVarList = factory2.createVariableDeclarationList(
            [envVar],
            2
            /* Const */
          );
          const envVarStatement = factory2.createVariableStatement(
            /*modifiers*/
            void 0,
            envVarList
          );
          statements.push(envVarStatement);
          const tryBlock = factory2.createBlock(
            bodyStatements,
            /*multiLine*/
            true
          );
          const bodyCatchBinding = factory2.createUniqueName("e");
          const catchClause = factory2.createCatchClause(
            bodyCatchBinding,
            factory2.createBlock(
              [
                factory2.createExpressionStatement(
                  factory2.createAssignment(
                    factory2.createPropertyAccessExpression(envBinding, "error"),
                    bodyCatchBinding
                  )
                ),
                factory2.createExpressionStatement(
                  factory2.createAssignment(
                    factory2.createPropertyAccessExpression(envBinding, "hasError"),
                    factory2.createTrue()
                  )
                )
              ],
              /*multiLine*/
              true
            )
          );
          let finallyBlock;
          if (async) {
            const result = factory2.createUniqueName("result");
            finallyBlock = factory2.createBlock(
              [
                factory2.createVariableStatement(
                  /*modifiers*/
                  void 0,
                  factory2.createVariableDeclarationList(
                    [
                      factory2.createVariableDeclaration(
                        result,
                        /*exclamationToken*/
                        void 0,
                        /*type*/
                        void 0,
                        emitHelpers().createDisposeResourcesHelper(envBinding)
                      )
                    ],
                    2
                    /* Const */
                  )
                ),
                factory2.createIfStatement(result, factory2.createExpressionStatement(factory2.createAwaitExpression(result)))
              ],
              /*multiLine*/
              true
            );
          } else {
            finallyBlock = factory2.createBlock(
              [
                factory2.createExpressionStatement(
                  emitHelpers().createDisposeResourcesHelper(envBinding)
                )
              ],
              /*multiLine*/
              true
            );
          }
          const tryStatement = factory2.createTryStatement(tryBlock, catchClause, finallyBlock);
          statements.push(tryStatement);
          return statements;
        }
      }
      function countPrologueStatements(statements) {
        for (let i = 0; i < statements.length; i++) {
          if (!isPrologueDirective(statements[i]) && !isCustomPrologue(statements[i])) {
            return i;
          }
        }
        return 0;
      }
      function isUsingVariableDeclarationList(node) {
        return isVariableDeclarationList(node) && getUsingKindOfVariableDeclarationList(node) !== 0;
      }
      function getUsingKindOfVariableDeclarationList(node) {
        return (node.flags & 7) === 6 ? 2 : (node.flags & 7) === 4 ? 1 : 0;
      }
      function getUsingKindOfVariableStatement(node) {
        return getUsingKindOfVariableDeclarationList(node.declarationList);
      }
      function getUsingKind(statement) {
        return isVariableStatement(statement) ? getUsingKindOfVariableStatement(statement) : 0;
      }
      function getUsingKindOfStatements(statements) {
        let result = 0;
        for (const statement of statements) {
          const usingKind = getUsingKind(statement);
          if (usingKind === 2) return 2;
          if (usingKind > result) result = usingKind;
        }
        return result;
      }
      function getUsingKindOfCaseOrDefaultClauses(clauses) {
        let result = 0;
        for (const clause of clauses) {
          const usingKind = getUsingKindOfStatements(clause.statements);
          if (usingKind === 2) return 2;
          if (usingKind > result) result = usingKind;
        }
        return result;
      }
      function transformJsx(context) {
        const {
          factory: factory2,
          getEmitHelperFactory: emitHelpers
        } = context;
        const compilerOptions = context.getCompilerOptions();
        let currentSourceFile;
        let currentFileState;
        return chainBundle(context, transformSourceFile);
        function getCurrentFileNameExpression() {
          if (currentFileState.filenameDeclaration) {
            return currentFileState.filenameDeclaration.name;
          }
          const declaration = factory2.createVariableDeclaration(
            factory2.createUniqueName(
              "_jsxFileName",
              16 | 32
              /* FileLevel */
            ),
            /*exclamationToken*/
            void 0,
            /*type*/
            void 0,
            factory2.createStringLiteral(currentSourceFile.fileName)
          );
          currentFileState.filenameDeclaration = declaration;
          return currentFileState.filenameDeclaration.name;
        }
        function getJsxFactoryCalleePrimitive(isStaticChildren) {
          return compilerOptions.jsx === 5 ? "jsxDEV" : isStaticChildren ? "jsxs" : "jsx";
        }
        function getJsxFactoryCallee(isStaticChildren) {
          const type = getJsxFactoryCalleePrimitive(isStaticChildren);
          return getImplicitImportForName(type);
        }
        function getImplicitJsxFragmentReference() {
          return getImplicitImportForName("Fragment");
        }
        function getImplicitImportForName(name) {
          var _a, _b;
          const importSource = name === "createElement" ? currentFileState.importSpecifier : getJSXRuntimeImport(currentFileState.importSpecifier, compilerOptions);
          const existing = (_b = (_a = currentFileState.utilizedImplicitRuntimeImports) == null ? void 0 : _a.get(importSource)) == null ? void 0 : _b.get(name);
          if (existing) {
            return existing.name;
          }
          if (!currentFileState.utilizedImplicitRuntimeImports) {
            currentFileState.utilizedImplicitRuntimeImports = /* @__PURE__ */ new Map();
          }
          let specifierSourceImports = currentFileState.utilizedImplicitRuntimeImports.get(importSource);
          if (!specifierSourceImports) {
            specifierSourceImports = /* @__PURE__ */ new Map();
            currentFileState.utilizedImplicitRuntimeImports.set(importSource, specifierSourceImports);
          }
          const generatedName = factory2.createUniqueName(
            `_${name}`,
            16 | 32 | 64
            /* AllowNameSubstitution */
          );
          const specifier = factory2.createImportSpecifier(
            /*isTypeOnly*/
            false,
            factory2.createIdentifier(name),
            generatedName
          );
          setIdentifierGeneratedImportReference(generatedName, specifier);
          specifierSourceImports.set(name, specifier);
          return generatedName;
        }
        function transformSourceFile(node) {
          if (node.isDeclarationFile) {
            return node;
          }
          currentSourceFile = node;
          currentFileState = {};
          currentFileState.importSpecifier = getJSXImplicitImportBase(compilerOptions, node);
          let visited = visitEachChild(node, visitor2, context);
          addEmitHelpers(visited, context.readEmitHelpers());
          let statements = visited.statements;
          if (currentFileState.filenameDeclaration) {
            statements = insertStatementAfterCustomPrologue(statements.slice(), factory2.createVariableStatement(
              /*modifiers*/
              void 0,
              factory2.createVariableDeclarationList(
                [currentFileState.filenameDeclaration],
                2
                /* Const */
              )
            ));
          }
          if (currentFileState.utilizedImplicitRuntimeImports) {
            for (const [importSource, importSpecifiersMap] of arrayFrom(currentFileState.utilizedImplicitRuntimeImports.entries())) {
              if (isExternalModule(node)) {
                const importStatement = factory2.createImportDeclaration(
                  /*modifiers*/
                  void 0,
                  factory2.createImportClause(
                    /*isTypeOnly*/
                    false,
                    /*name*/
                    void 0,
                    factory2.createNamedImports(arrayFrom(importSpecifiersMap.values()))
                  ),
                  factory2.createStringLiteral(importSource),
                  /*attributes*/
                  void 0
                );
                setParentRecursive(
                  importStatement,
                  /*incremental*/
                  false
                );
                statements = insertStatementAfterCustomPrologue(statements.slice(), importStatement);
              } else if (isExternalOrCommonJsModule(node)) {
                const requireStatement = factory2.createVariableStatement(
                  /*modifiers*/
                  void 0,
                  factory2.createVariableDeclarationList(
                    [
                      factory2.createVariableDeclaration(
                        factory2.createObjectBindingPattern(arrayFrom(importSpecifiersMap.values(), (s) => factory2.createBindingElement(
                          /*dotDotDotToken*/
                          void 0,
                          s.propertyName,
                          s.name
                        ))),
                        /*exclamationToken*/
                        void 0,
                        /*type*/
                        void 0,
                        factory2.createCallExpression(
                          factory2.createIdentifier("require"),
                          /*typeArguments*/
                          void 0,
                          [factory2.createStringLiteral(importSource)]
                        )
                      )
                    ],
                    2
                    /* Const */
                  )
                );
                setParentRecursive(
                  requireStatement,
                  /*incremental*/
                  false
                );
                statements = insertStatementAfterCustomPrologue(statements.slice(), requireStatement);
              } else {
              }
            }
          }
          if (statements !== visited.statements) {
            visited = factory2.updateSourceFile(visited, statements);
          }
          currentFileState = void 0;
          return visited;
        }
        function visitor2(node) {
          if (node.transformFlags & 2) {
            return visitorWorker(node);
          } else {
            return node;
          }
        }
        function visitorWorker(node) {
          switch (node.kind) {
            case 284:
              return visitJsxElement(
                node,
                /*isChild*/
                false
              );
            case 285:
              return visitJsxSelfClosingElement(
                node,
                /*isChild*/
                false
              );
            case 288:
              return visitJsxFragment(
                node,
                /*isChild*/
                false
              );
            case 294:
              return visitJsxExpression(node);
            default:
              return visitEachChild(node, visitor2, context);
          }
        }
        function transformJsxChildToExpression(node) {
          switch (node.kind) {
            case 12:
              return visitJsxText(node);
            case 294:
              return visitJsxExpression(node);
            case 284:
              return visitJsxElement(
                node,
                /*isChild*/
                true
              );
            case 285:
              return visitJsxSelfClosingElement(
                node,
                /*isChild*/
                true
              );
            case 288:
              return visitJsxFragment(
                node,
                /*isChild*/
                true
              );
            default:
              return Debug.failBadSyntaxKind(node);
          }
        }
        function hasProto(obj) {
          return obj.properties.some(
            (p) => isPropertyAssignment(p) && (isIdentifier(p.name) && idText(p.name) === "__proto__" || isStringLiteral2(p.name) && p.name.text === "__proto__")
          );
        }
        function hasKeyAfterPropsSpread(node) {
          let spread = false;
          for (const elem of node.attributes.properties) {
            if (isJsxSpreadAttribute(elem) && (!isObjectLiteralExpression(elem.expression) || elem.expression.properties.some(isSpreadAssignment))) {
              spread = true;
            } else if (spread && isJsxAttribute(elem) && isIdentifier(elem.name) && elem.name.escapedText === "key") {
              return true;
            }
          }
          return false;
        }
        function shouldUseCreateElement(node) {
          return currentFileState.importSpecifier === void 0 || hasKeyAfterPropsSpread(node);
        }
        function visitJsxElement(node, isChild) {
          const tagTransform = shouldUseCreateElement(node.openingElement) ? visitJsxOpeningLikeElementCreateElement : visitJsxOpeningLikeElementJSX;
          return tagTransform(
            node.openingElement,
            node.children,
            isChild,
            /*location*/
            node
          );
        }
        function visitJsxSelfClosingElement(node, isChild) {
          const tagTransform = shouldUseCreateElement(node) ? visitJsxOpeningLikeElementCreateElement : visitJsxOpeningLikeElementJSX;
          return tagTransform(
            node,
            /*children*/
            void 0,
            isChild,
            /*location*/
            node
          );
        }
        function visitJsxFragment(node, isChild) {
          const tagTransform = currentFileState.importSpecifier === void 0 ? visitJsxOpeningFragmentCreateElement : visitJsxOpeningFragmentJSX;
          return tagTransform(
            node.openingFragment,
            node.children,
            isChild,
            /*location*/
            node
          );
        }
        function convertJsxChildrenToChildrenPropObject(children) {
          const prop = convertJsxChildrenToChildrenPropAssignment(children);
          return prop && factory2.createObjectLiteralExpression([prop]);
        }
        function convertJsxChildrenToChildrenPropAssignment(children) {
          const nonWhitespaceChildren = getSemanticJsxChildren(children);
          if (length(nonWhitespaceChildren) === 1 && !nonWhitespaceChildren[0].dotDotDotToken) {
            const result2 = transformJsxChildToExpression(nonWhitespaceChildren[0]);
            return result2 && factory2.createPropertyAssignment("children", result2);
          }
          const result = mapDefined(children, transformJsxChildToExpression);
          return length(result) ? factory2.createPropertyAssignment("children", factory2.createArrayLiteralExpression(result)) : void 0;
        }
        function visitJsxOpeningLikeElementJSX(node, children, isChild, location) {
          const tagName = getTagName(node);
          const childrenProp = children && children.length ? convertJsxChildrenToChildrenPropAssignment(children) : void 0;
          const keyAttr = find(node.attributes.properties, (p) => !!p.name && isIdentifier(p.name) && p.name.escapedText === "key");
          const attrs = keyAttr ? filter(node.attributes.properties, (p) => p !== keyAttr) : node.attributes.properties;
          const objectProperties = length(attrs) ? transformJsxAttributesToObjectProps(attrs, childrenProp) : factory2.createObjectLiteralExpression(childrenProp ? [childrenProp] : emptyArray);
          return visitJsxOpeningLikeElementOrFragmentJSX(
            tagName,
            objectProperties,
            keyAttr,
            children || emptyArray,
            isChild,
            location
          );
        }
        function visitJsxOpeningLikeElementOrFragmentJSX(tagName, objectProperties, keyAttr, children, isChild, location) {
          var _a;
          const nonWhitespaceChildren = getSemanticJsxChildren(children);
          const isStaticChildren = length(nonWhitespaceChildren) > 1 || !!((_a = nonWhitespaceChildren[0]) == null ? void 0 : _a.dotDotDotToken);
          const args = [tagName, objectProperties];
          if (keyAttr) {
            args.push(transformJsxAttributeInitializer(keyAttr.initializer));
          }
          if (compilerOptions.jsx === 5) {
            const originalFile = getOriginalNode(currentSourceFile);
            if (originalFile && isSourceFile(originalFile)) {
              if (keyAttr === void 0) {
                args.push(factory2.createVoidZero());
              }
              args.push(isStaticChildren ? factory2.createTrue() : factory2.createFalse());
              const lineCol = getLineAndCharacterOfPosition(originalFile, location.pos);
              args.push(factory2.createObjectLiteralExpression([
                factory2.createPropertyAssignment("fileName", getCurrentFileNameExpression()),
                factory2.createPropertyAssignment("lineNumber", factory2.createNumericLiteral(lineCol.line + 1)),
                factory2.createPropertyAssignment("columnNumber", factory2.createNumericLiteral(lineCol.character + 1))
              ]));
              args.push(factory2.createThis());
            }
          }
          const element = setTextRange(
            factory2.createCallExpression(
              getJsxFactoryCallee(isStaticChildren),
              /*typeArguments*/
              void 0,
              args
            ),
            location
          );
          if (isChild) {
            startOnNewLine(element);
          }
          return element;
        }
        function visitJsxOpeningLikeElementCreateElement(node, children, isChild, location) {
          const tagName = getTagName(node);
          const attrs = node.attributes.properties;
          const objectProperties = length(attrs) ? transformJsxAttributesToObjectProps(attrs) : factory2.createNull();
          const callee = currentFileState.importSpecifier === void 0 ? createJsxFactoryExpression(
            factory2,
            context.getEmitResolver().getJsxFactoryEntity(currentSourceFile),
            compilerOptions.reactNamespace,
            // TODO: GH#18217
            node
          ) : getImplicitImportForName("createElement");
          const element = createExpressionForJsxElement(
            factory2,
            callee,
            tagName,
            objectProperties,
            mapDefined(children, transformJsxChildToExpression),
            location
          );
          if (isChild) {
            startOnNewLine(element);
          }
          return element;
        }
        function visitJsxOpeningFragmentJSX(_node, children, isChild, location) {
          let childrenProps;
          if (children && children.length) {
            const result = convertJsxChildrenToChildrenPropObject(children);
            if (result) {
              childrenProps = result;
            }
          }
          return visitJsxOpeningLikeElementOrFragmentJSX(
            getImplicitJsxFragmentReference(),
            childrenProps || factory2.createObjectLiteralExpression([]),
            /*keyAttr*/
            void 0,
            children,
            isChild,
            location
          );
        }
        function visitJsxOpeningFragmentCreateElement(node, children, isChild, location) {
          const element = createExpressionForJsxFragment(
            factory2,
            context.getEmitResolver().getJsxFactoryEntity(currentSourceFile),
            context.getEmitResolver().getJsxFragmentFactoryEntity(currentSourceFile),
            compilerOptions.reactNamespace,
            // TODO: GH#18217
            mapDefined(children, transformJsxChildToExpression),
            node,
            location
          );
          if (isChild) {
            startOnNewLine(element);
          }
          return element;
        }
        function transformJsxSpreadAttributeToProps(node) {
          if (isObjectLiteralExpression(node.expression) && !hasProto(node.expression)) {
            return sameMap(node.expression.properties, (p) => Debug.checkDefined(visitNode(p, visitor2, isObjectLiteralElementLike)));
          }
          return factory2.createSpreadAssignment(Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)));
        }
        function transformJsxAttributesToObjectProps(attrs, children) {
          const target = getEmitScriptTarget(compilerOptions);
          return target && target >= 5 ? factory2.createObjectLiteralExpression(transformJsxAttributesToProps(attrs, children)) : transformJsxAttributesToExpression(attrs, children);
        }
        function transformJsxAttributesToProps(attrs, children) {
          const props = flatten(spanMap(attrs, isJsxSpreadAttribute, (attrs2, isSpread) => flatten(map(attrs2, (attr) => isSpread ? transformJsxSpreadAttributeToProps(attr) : transformJsxAttributeToObjectLiteralElement(attr)))));
          if (children) {
            props.push(children);
          }
          return props;
        }
        function transformJsxAttributesToExpression(attrs, children) {
          const expressions = [];
          let properties = [];
          for (const attr of attrs) {
            if (isJsxSpreadAttribute(attr)) {
              if (isObjectLiteralExpression(attr.expression) && !hasProto(attr.expression)) {
                for (const prop of attr.expression.properties) {
                  if (isSpreadAssignment(prop)) {
                    finishObjectLiteralIfNeeded();
                    expressions.push(Debug.checkDefined(visitNode(prop.expression, visitor2, isExpression)));
                    continue;
                  }
                  properties.push(Debug.checkDefined(visitNode(prop, visitor2)));
                }
                continue;
              }
              finishObjectLiteralIfNeeded();
              expressions.push(Debug.checkDefined(visitNode(attr.expression, visitor2, isExpression)));
              continue;
            }
            properties.push(transformJsxAttributeToObjectLiteralElement(attr));
          }
          if (children) {
            properties.push(children);
          }
          finishObjectLiteralIfNeeded();
          if (expressions.length && !isObjectLiteralExpression(expressions[0])) {
            expressions.unshift(factory2.createObjectLiteralExpression());
          }
          return singleOrUndefined(expressions) || emitHelpers().createAssignHelper(expressions);
          function finishObjectLiteralIfNeeded() {
            if (properties.length) {
              expressions.push(factory2.createObjectLiteralExpression(properties));
              properties = [];
            }
          }
        }
        function transformJsxAttributeToObjectLiteralElement(node) {
          const name = getAttributeName(node);
          const expression = transformJsxAttributeInitializer(node.initializer);
          return factory2.createPropertyAssignment(name, expression);
        }
        function transformJsxAttributeInitializer(node) {
          if (node === void 0) {
            return factory2.createTrue();
          }
          if (node.kind === 11) {
            const singleQuote = node.singleQuote !== void 0 ? node.singleQuote : !isStringDoubleQuoted(node, currentSourceFile);
            const literal = factory2.createStringLiteral(tryDecodeEntities(node.text) || node.text, singleQuote);
            return setTextRange(literal, node);
          }
          if (node.kind === 294) {
            if (node.expression === void 0) {
              return factory2.createTrue();
            }
            return Debug.checkDefined(visitNode(node.expression, visitor2, isExpression));
          }
          if (isJsxElement(node)) {
            return visitJsxElement(
              node,
              /*isChild*/
              false
            );
          }
          if (isJsxSelfClosingElement(node)) {
            return visitJsxSelfClosingElement(
              node,
              /*isChild*/
              false
            );
          }
          if (isJsxFragment(node)) {
            return visitJsxFragment(
              node,
              /*isChild*/
              false
            );
          }
          return Debug.failBadSyntaxKind(node);
        }
        function visitJsxText(node) {
          const fixed = fixupWhitespaceAndDecodeEntities(node.text);
          return fixed === void 0 ? void 0 : factory2.createStringLiteral(fixed);
        }
        function fixupWhitespaceAndDecodeEntities(text) {
          let acc;
          let firstNonWhitespace = 0;
          let lastNonWhitespace = -1;
          for (let i = 0; i < text.length; i++) {
            const c = text.charCodeAt(i);
            if (isLineBreak(c)) {
              if (firstNonWhitespace !== -1 && lastNonWhitespace !== -1) {
                acc = addLineOfJsxText(acc, text.substr(firstNonWhitespace, lastNonWhitespace - firstNonWhitespace + 1));
              }
              firstNonWhitespace = -1;
            } else if (!isWhiteSpaceSingleLine(c)) {
              lastNonWhitespace = i;
              if (firstNonWhitespace === -1) {
                firstNonWhitespace = i;
              }
            }
          }
          return firstNonWhitespace !== -1 ? addLineOfJsxText(acc, text.substr(firstNonWhitespace)) : acc;
        }
        function addLineOfJsxText(acc, trimmedLine) {
          const decoded = decodeEntities(trimmedLine);
          return acc === void 0 ? decoded : acc + " " + decoded;
        }
        function decodeEntities(text) {
          return text.replace(/&((#((\d+)|x([\da-fA-F]+)))|(\w+));/g, (match, _all, _number, _digits, decimal, hex, word) => {
            if (decimal) {
              return utf16EncodeAsString(parseInt(decimal, 10));
            } else if (hex) {
              return utf16EncodeAsString(parseInt(hex, 16));
            } else {
              const ch = entities.get(word);
              return ch ? utf16EncodeAsString(ch) : match;
            }
          });
        }
        function tryDecodeEntities(text) {
          const decoded = decodeEntities(text);
          return decoded === text ? void 0 : decoded;
        }
        function getTagName(node) {
          if (node.kind === 284) {
            return getTagName(node.openingElement);
          } else {
            const tagName = node.tagName;
            if (isIdentifier(tagName) && isIntrinsicJsxName(tagName.escapedText)) {
              return factory2.createStringLiteral(idText(tagName));
            } else if (isJsxNamespacedName(tagName)) {
              return factory2.createStringLiteral(idText(tagName.namespace) + ":" + idText(tagName.name));
            } else {
              return createExpressionFromEntityName(factory2, tagName);
            }
          }
        }
        function getAttributeName(node) {
          const name = node.name;
          if (isIdentifier(name)) {
            const text = idText(name);
            return /^[A-Za-z_]\w*$/.test(text) ? name : factory2.createStringLiteral(text);
          }
          return factory2.createStringLiteral(idText(name.namespace) + ":" + idText(name.name));
        }
        function visitJsxExpression(node) {
          const expression = visitNode(node.expression, visitor2, isExpression);
          return node.dotDotDotToken ? factory2.createSpreadElement(expression) : expression;
        }
      }
      var entities = new Map(Object.entries({
        quot: 34,
        amp: 38,
        apos: 39,
        lt: 60,
        gt: 62,
        nbsp: 160,
        iexcl: 161,
        cent: 162,
        pound: 163,
        curren: 164,
        yen: 165,
        brvbar: 166,
        sect: 167,
        uml: 168,
        copy: 169,
        ordf: 170,
        laquo: 171,
        not: 172,
        shy: 173,
        reg: 174,
        macr: 175,
        deg: 176,
        plusmn: 177,
        sup2: 178,
        sup3: 179,
        acute: 180,
        micro: 181,
        para: 182,
        middot: 183,
        cedil: 184,
        sup1: 185,
        ordm: 186,
        raquo: 187,
        frac14: 188,
        frac12: 189,
        frac34: 190,
        iquest: 191,
        Agrave: 192,
        Aacute: 193,
        Acirc: 194,
        Atilde: 195,
        Auml: 196,
        Aring: 197,
        AElig: 198,
        Ccedil: 199,
        Egrave: 200,
        Eacute: 201,
        Ecirc: 202,
        Euml: 203,
        Igrave: 204,
        Iacute: 205,
        Icirc: 206,
        Iuml: 207,
        ETH: 208,
        Ntilde: 209,
        Ograve: 210,
        Oacute: 211,
        Ocirc: 212,
        Otilde: 213,
        Ouml: 214,
        times: 215,
        Oslash: 216,
        Ugrave: 217,
        Uacute: 218,
        Ucirc: 219,
        Uuml: 220,
        Yacute: 221,
        THORN: 222,
        szlig: 223,
        agrave: 224,
        aacute: 225,
        acirc: 226,
        atilde: 227,
        auml: 228,
        aring: 229,
        aelig: 230,
        ccedil: 231,
        egrave: 232,
        eacute: 233,
        ecirc: 234,
        euml: 235,
        igrave: 236,
        iacute: 237,
        icirc: 238,
        iuml: 239,
        eth: 240,
        ntilde: 241,
        ograve: 242,
        oacute: 243,
        ocirc: 244,
        otilde: 245,
        ouml: 246,
        divide: 247,
        oslash: 248,
        ugrave: 249,
        uacute: 250,
        ucirc: 251,
        uuml: 252,
        yacute: 253,
        thorn: 254,
        yuml: 255,
        OElig: 338,
        oelig: 339,
        Scaron: 352,
        scaron: 353,
        Yuml: 376,
        fnof: 402,
        circ: 710,
        tilde: 732,
        Alpha: 913,
        Beta: 914,
        Gamma: 915,
        Delta: 916,
        Epsilon: 917,
        Zeta: 918,
        Eta: 919,
        Theta: 920,
        Iota: 921,
        Kappa: 922,
        Lambda: 923,
        Mu: 924,
        Nu: 925,
        Xi: 926,
        Omicron: 927,
        Pi: 928,
        Rho: 929,
        Sigma: 931,
        Tau: 932,
        Upsilon: 933,
        Phi: 934,
        Chi: 935,
        Psi: 936,
        Omega: 937,
        alpha: 945,
        beta: 946,
        gamma: 947,
        delta: 948,
        epsilon: 949,
        zeta: 950,
        eta: 951,
        theta: 952,
        iota: 953,
        kappa: 954,
        lambda: 955,
        mu: 956,
        nu: 957,
        xi: 958,
        omicron: 959,
        pi: 960,
        rho: 961,
        sigmaf: 962,
        sigma: 963,
        tau: 964,
        upsilon: 965,
        phi: 966,
        chi: 967,
        psi: 968,
        omega: 969,
        thetasym: 977,
        upsih: 978,
        piv: 982,
        ensp: 8194,
        emsp: 8195,
        thinsp: 8201,
        zwnj: 8204,
        zwj: 8205,
        lrm: 8206,
        rlm: 8207,
        ndash: 8211,
        mdash: 8212,
        lsquo: 8216,
        rsquo: 8217,
        sbquo: 8218,
        ldquo: 8220,
        rdquo: 8221,
        bdquo: 8222,
        dagger: 8224,
        Dagger: 8225,
        bull: 8226,
        hellip: 8230,
        permil: 8240,
        prime: 8242,
        Prime: 8243,
        lsaquo: 8249,
        rsaquo: 8250,
        oline: 8254,
        frasl: 8260,
        euro: 8364,
        image: 8465,
        weierp: 8472,
        real: 8476,
        trade: 8482,
        alefsym: 8501,
        larr: 8592,
        uarr: 8593,
        rarr: 8594,
        darr: 8595,
        harr: 8596,
        crarr: 8629,
        lArr: 8656,
        uArr: 8657,
        rArr: 8658,
        dArr: 8659,
        hArr: 8660,
        forall: 8704,
        part: 8706,
        exist: 8707,
        empty: 8709,
        nabla: 8711,
        isin: 8712,
        notin: 8713,
        ni: 8715,
        prod: 8719,
        sum: 8721,
        minus: 8722,
        lowast: 8727,
        radic: 8730,
        prop: 8733,
        infin: 8734,
        ang: 8736,
        and: 8743,
        or: 8744,
        cap: 8745,
        cup: 8746,
        int: 8747,
        there4: 8756,
        sim: 8764,
        cong: 8773,
        asymp: 8776,
        ne: 8800,
        equiv: 8801,
        le: 8804,
        ge: 8805,
        sub: 8834,
        sup: 8835,
        nsub: 8836,
        sube: 8838,
        supe: 8839,
        oplus: 8853,
        otimes: 8855,
        perp: 8869,
        sdot: 8901,
        lceil: 8968,
        rceil: 8969,
        lfloor: 8970,
        rfloor: 8971,
        lang: 9001,
        rang: 9002,
        loz: 9674,
        spades: 9824,
        clubs: 9827,
        hearts: 9829,
        diams: 9830
      }));
      function transformES2016(context) {
        const {
          factory: factory2,
          hoistVariableDeclaration
        } = context;
        return chainBundle(context, transformSourceFile);
        function transformSourceFile(node) {
          if (node.isDeclarationFile) {
            return node;
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitor2(node) {
          if ((node.transformFlags & 512) === 0) {
            return node;
          }
          switch (node.kind) {
            case 226:
              return visitBinaryExpression(node);
            default:
              return visitEachChild(node, visitor2, context);
          }
        }
        function visitBinaryExpression(node) {
          switch (node.operatorToken.kind) {
            case 68:
              return visitExponentiationAssignmentExpression(node);
            case 43:
              return visitExponentiationExpression(node);
            default:
              return visitEachChild(node, visitor2, context);
          }
        }
        function visitExponentiationAssignmentExpression(node) {
          let target;
          let value;
          const left = visitNode(node.left, visitor2, isExpression);
          const right = visitNode(node.right, visitor2, isExpression);
          if (isElementAccessExpression(left)) {
            const expressionTemp = factory2.createTempVariable(hoistVariableDeclaration);
            const argumentExpressionTemp = factory2.createTempVariable(hoistVariableDeclaration);
            target = setTextRange(
              factory2.createElementAccessExpression(
                setTextRange(factory2.createAssignment(expressionTemp, left.expression), left.expression),
                setTextRange(factory2.createAssignment(argumentExpressionTemp, left.argumentExpression), left.argumentExpression)
              ),
              left
            );
            value = setTextRange(
              factory2.createElementAccessExpression(
                expressionTemp,
                argumentExpressionTemp
              ),
              left
            );
          } else if (isPropertyAccessExpression(left)) {
            const expressionTemp = factory2.createTempVariable(hoistVariableDeclaration);
            target = setTextRange(
              factory2.createPropertyAccessExpression(
                setTextRange(factory2.createAssignment(expressionTemp, left.expression), left.expression),
                left.name
              ),
              left
            );
            value = setTextRange(
              factory2.createPropertyAccessExpression(
                expressionTemp,
                left.name
              ),
              left
            );
          } else {
            target = left;
            value = left;
          }
          return setTextRange(
            factory2.createAssignment(
              target,
              setTextRange(factory2.createGlobalMethodCall("Math", "pow", [value, right]), node)
            ),
            node
          );
        }
        function visitExponentiationExpression(node) {
          const left = visitNode(node.left, visitor2, isExpression);
          const right = visitNode(node.right, visitor2, isExpression);
          return setTextRange(factory2.createGlobalMethodCall("Math", "pow", [left, right]), node);
        }
      }
      function createSpreadSegment(kind, expression) {
        return { kind, expression };
      }
      function transformES2015(context) {
        const {
          factory: factory2,
          getEmitHelperFactory: emitHelpers,
          startLexicalEnvironment,
          resumeLexicalEnvironment,
          endLexicalEnvironment,
          hoistVariableDeclaration
        } = context;
        const compilerOptions = context.getCompilerOptions();
        const resolver = context.getEmitResolver();
        const previousOnSubstituteNode = context.onSubstituteNode;
        const previousOnEmitNode = context.onEmitNode;
        context.onEmitNode = onEmitNode;
        context.onSubstituteNode = onSubstituteNode;
        let currentSourceFile;
        let currentText;
        let hierarchyFacts;
        let taggedTemplateStringDeclarations;
        function recordTaggedTemplateString(temp) {
          taggedTemplateStringDeclarations = append(
            taggedTemplateStringDeclarations,
            factory2.createVariableDeclaration(temp)
          );
        }
        let convertedLoopState;
        let enabledSubstitutions;
        return chainBundle(context, transformSourceFile);
        function transformSourceFile(node) {
          if (node.isDeclarationFile) {
            return node;
          }
          currentSourceFile = node;
          currentText = node.text;
          const visited = visitSourceFile(node);
          addEmitHelpers(visited, context.readEmitHelpers());
          currentSourceFile = void 0;
          currentText = void 0;
          taggedTemplateStringDeclarations = void 0;
          hierarchyFacts = 0;
          return visited;
        }
        function enterSubtree(excludeFacts, includeFacts) {
          const ancestorFacts = hierarchyFacts;
          hierarchyFacts = (hierarchyFacts & ~excludeFacts | includeFacts) & 32767;
          return ancestorFacts;
        }
        function exitSubtree(ancestorFacts, excludeFacts, includeFacts) {
          hierarchyFacts = (hierarchyFacts & ~excludeFacts | includeFacts) & -32768 | ancestorFacts;
        }
        function isReturnVoidStatementInConstructorWithCapturedSuper(node) {
          return (hierarchyFacts & 8192) !== 0 && node.kind === 253 && !node.expression;
        }
        function isOrMayContainReturnCompletion(node) {
          return node.transformFlags & 4194304 && (isReturnStatement(node) || isIfStatement(node) || isWithStatement(node) || isSwitchStatement(node) || isCaseBlock(node) || isCaseClause(node) || isDefaultClause(node) || isTryStatement(node) || isCatchClause(node) || isLabeledStatement(node) || isIterationStatement(
            node,
            /*lookInLabeledStatements*/
            false
          ) || isBlock(node));
        }
        function shouldVisitNode(node) {
          return (node.transformFlags & 1024) !== 0 || convertedLoopState !== void 0 || hierarchyFacts & 8192 && isOrMayContainReturnCompletion(node) || isIterationStatement(
            node,
            /*lookInLabeledStatements*/
            false
          ) && shouldConvertIterationStatement(node) || (getInternalEmitFlags(node) & 1) !== 0;
        }
        function visitor2(node) {
          return shouldVisitNode(node) ? visitorWorker(
            node,
            /*expressionResultIsUnused*/
            false
          ) : node;
        }
        function visitorWithUnusedExpressionResult(node) {
          return shouldVisitNode(node) ? visitorWorker(
            node,
            /*expressionResultIsUnused*/
            true
          ) : node;
        }
        function classWrapperStatementVisitor(node) {
          if (shouldVisitNode(node)) {
            const original = getOriginalNode(node);
            if (isPropertyDeclaration(original) && hasStaticModifier(original)) {
              const ancestorFacts = enterSubtree(
                32670,
                16449
                /* StaticInitializerIncludes */
              );
              const result = visitorWorker(
                node,
                /*expressionResultIsUnused*/
                false
              );
              exitSubtree(
                ancestorFacts,
                229376,
                0
                /* None */
              );
              return result;
            }
            return visitorWorker(
              node,
              /*expressionResultIsUnused*/
              false
            );
          }
          return node;
        }
        function callExpressionVisitor(node) {
          if (node.kind === 108) {
            return visitSuperKeyword(
              node,
              /*isExpressionOfCall*/
              true
            );
          }
          return visitor2(node);
        }
        function visitorWorker(node, expressionResultIsUnused2) {
          switch (node.kind) {
            case 126:
              return void 0;
            case 263:
              return visitClassDeclaration(node);
            case 231:
              return visitClassExpression(node);
            case 169:
              return visitParameter(node);
            case 262:
              return visitFunctionDeclaration(node);
            case 219:
              return visitArrowFunction(node);
            case 218:
              return visitFunctionExpression(node);
            case 260:
              return visitVariableDeclaration(node);
            case 80:
              return visitIdentifier(node);
            case 261:
              return visitVariableDeclarationList(node);
            case 255:
              return visitSwitchStatement(node);
            case 269:
              return visitCaseBlock(node);
            case 241:
              return visitBlock(
                node,
                /*isFunctionBody*/
                false
              );
            case 252:
            case 251:
              return visitBreakOrContinueStatement(node);
            case 256:
              return visitLabeledStatement(node);
            case 246:
            case 247:
              return visitDoOrWhileStatement(
                node,
                /*outermostLabeledStatement*/
                void 0
              );
            case 248:
              return visitForStatement(
                node,
                /*outermostLabeledStatement*/
                void 0
              );
            case 249:
              return visitForInStatement(
                node,
                /*outermostLabeledStatement*/
                void 0
              );
            case 250:
              return visitForOfStatement(
                node,
                /*outermostLabeledStatement*/
                void 0
              );
            case 244:
              return visitExpressionStatement(node);
            case 210:
              return visitObjectLiteralExpression(node);
            case 299:
              return visitCatchClause(node);
            case 304:
              return visitShorthandPropertyAssignment(node);
            case 167:
              return visitComputedPropertyName(node);
            case 209:
              return visitArrayLiteralExpression(node);
            case 213:
              return visitCallExpression(node);
            case 214:
              return visitNewExpression(node);
            case 217:
              return visitParenthesizedExpression(node, expressionResultIsUnused2);
            case 226:
              return visitBinaryExpression(node, expressionResultIsUnused2);
            case 355:
              return visitCommaListExpression(node, expressionResultIsUnused2);
            case 15:
            case 16:
            case 17:
            case 18:
              return visitTemplateLiteral(node);
            case 11:
              return visitStringLiteral(node);
            case 9:
              return visitNumericLiteral(node);
            case 215:
              return visitTaggedTemplateExpression(node);
            case 228:
              return visitTemplateExpression(node);
            case 229:
              return visitYieldExpression(node);
            case 230:
              return visitSpreadElement(node);
            case 108:
              return visitSuperKeyword(
                node,
                /*isExpressionOfCall*/
                false
              );
            case 110:
              return visitThisKeyword(node);
            case 236:
              return visitMetaProperty(node);
            case 174:
              return visitMethodDeclaration(node);
            case 177:
            case 178:
              return visitAccessorDeclaration(node);
            case 243:
              return visitVariableStatement(node);
            case 253:
              return visitReturnStatement(node);
            case 222:
              return visitVoidExpression(node);
            default:
              return visitEachChild(node, visitor2, context);
          }
        }
        function visitSourceFile(node) {
          const ancestorFacts = enterSubtree(
            8064,
            64
            /* SourceFileIncludes */
          );
          const prologue = [];
          const statements = [];
          startLexicalEnvironment();
          const statementOffset = factory2.copyPrologue(
            node.statements,
            prologue,
            /*ensureUseStrict*/
            false,
            visitor2
          );
          addRange(statements, visitNodes2(node.statements, visitor2, isStatement, statementOffset));
          if (taggedTemplateStringDeclarations) {
            statements.push(
              factory2.createVariableStatement(
                /*modifiers*/
                void 0,
                factory2.createVariableDeclarationList(taggedTemplateStringDeclarations)
              )
            );
          }
          factory2.mergeLexicalEnvironment(prologue, endLexicalEnvironment());
          insertCaptureThisForNodeIfNeeded(prologue, node);
          exitSubtree(
            ancestorFacts,
            0,
            0
            /* None */
          );
          return factory2.updateSourceFile(
            node,
            setTextRange(factory2.createNodeArray(concatenate(prologue, statements)), node.statements)
          );
        }
        function visitSwitchStatement(node) {
          if (convertedLoopState !== void 0) {
            const savedAllowedNonLabeledJumps = convertedLoopState.allowedNonLabeledJumps;
            convertedLoopState.allowedNonLabeledJumps |= 2;
            const result = visitEachChild(node, visitor2, context);
            convertedLoopState.allowedNonLabeledJumps = savedAllowedNonLabeledJumps;
            return result;
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitCaseBlock(node) {
          const ancestorFacts = enterSubtree(
            7104,
            0
            /* BlockScopeIncludes */
          );
          const updated = visitEachChild(node, visitor2, context);
          exitSubtree(
            ancestorFacts,
            0,
            0
            /* None */
          );
          return updated;
        }
        function returnCapturedThis(node) {
          return setOriginalNode(factory2.createReturnStatement(createCapturedThis()), node);
        }
        function createCapturedThis() {
          return factory2.createUniqueName(
            "_this",
            16 | 32
            /* FileLevel */
          );
        }
        function visitReturnStatement(node) {
          if (convertedLoopState) {
            convertedLoopState.nonLocalJumps |= 8;
            if (isReturnVoidStatementInConstructorWithCapturedSuper(node)) {
              node = returnCapturedThis(node);
            }
            return factory2.createReturnStatement(
              factory2.createObjectLiteralExpression(
                [
                  factory2.createPropertyAssignment(
                    factory2.createIdentifier("value"),
                    node.expression ? Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)) : factory2.createVoidZero()
                  )
                ]
              )
            );
          } else if (isReturnVoidStatementInConstructorWithCapturedSuper(node)) {
            return returnCapturedThis(node);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitThisKeyword(node) {
          hierarchyFacts |= 65536;
          if (hierarchyFacts & 2 && !(hierarchyFacts & 16384)) {
            hierarchyFacts |= 131072;
          }
          if (convertedLoopState) {
            if (hierarchyFacts & 2) {
              convertedLoopState.containsLexicalThis = true;
              return node;
            }
            return convertedLoopState.thisName || (convertedLoopState.thisName = factory2.createUniqueName("this"));
          }
          return node;
        }
        function visitVoidExpression(node) {
          return visitEachChild(node, visitorWithUnusedExpressionResult, context);
        }
        function visitIdentifier(node) {
          if (convertedLoopState) {
            if (resolver.isArgumentsLocalBinding(node)) {
              return convertedLoopState.argumentsName || (convertedLoopState.argumentsName = factory2.createUniqueName("arguments"));
            }
          }
          if (node.flags & 256) {
            return setOriginalNode(
              setTextRange(
                factory2.createIdentifier(unescapeLeadingUnderscores(node.escapedText)),
                node
              ),
              node
            );
          }
          return node;
        }
        function visitBreakOrContinueStatement(node) {
          if (convertedLoopState) {
            const jump = node.kind === 252 ? 2 : 4;
            const canUseBreakOrContinue = node.label && convertedLoopState.labels && convertedLoopState.labels.get(idText(node.label)) || !node.label && convertedLoopState.allowedNonLabeledJumps & jump;
            if (!canUseBreakOrContinue) {
              let labelMarker;
              const label = node.label;
              if (!label) {
                if (node.kind === 252) {
                  convertedLoopState.nonLocalJumps |= 2;
                  labelMarker = "break";
                } else {
                  convertedLoopState.nonLocalJumps |= 4;
                  labelMarker = "continue";
                }
              } else {
                if (node.kind === 252) {
                  labelMarker = `break-${label.escapedText}`;
                  setLabeledJump(
                    convertedLoopState,
                    /*isBreak*/
                    true,
                    idText(label),
                    labelMarker
                  );
                } else {
                  labelMarker = `continue-${label.escapedText}`;
                  setLabeledJump(
                    convertedLoopState,
                    /*isBreak*/
                    false,
                    idText(label),
                    labelMarker
                  );
                }
              }
              let returnExpression = factory2.createStringLiteral(labelMarker);
              if (convertedLoopState.loopOutParameters.length) {
                const outParams = convertedLoopState.loopOutParameters;
                let expr;
                for (let i = 0; i < outParams.length; i++) {
                  const copyExpr = copyOutParameter(
                    outParams[i],
                    1
                    /* ToOutParameter */
                  );
                  if (i === 0) {
                    expr = copyExpr;
                  } else {
                    expr = factory2.createBinaryExpression(expr, 28, copyExpr);
                  }
                }
                returnExpression = factory2.createBinaryExpression(expr, 28, returnExpression);
              }
              return factory2.createReturnStatement(returnExpression);
            }
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitClassDeclaration(node) {
          const variable = factory2.createVariableDeclaration(
            factory2.getLocalName(
              node,
              /*allowComments*/
              true
            ),
            /*exclamationToken*/
            void 0,
            /*type*/
            void 0,
            transformClassLikeDeclarationToExpression(node)
          );
          setOriginalNode(variable, node);
          const statements = [];
          const statement = factory2.createVariableStatement(
            /*modifiers*/
            void 0,
            factory2.createVariableDeclarationList([variable])
          );
          setOriginalNode(statement, node);
          setTextRange(statement, node);
          startOnNewLine(statement);
          statements.push(statement);
          if (hasSyntacticModifier(
            node,
            32
            /* Export */
          )) {
            const exportStatement = hasSyntacticModifier(
              node,
              2048
              /* Default */
            ) ? factory2.createExportDefault(factory2.getLocalName(node)) : factory2.createExternalModuleExport(factory2.getLocalName(node));
            setOriginalNode(exportStatement, statement);
            statements.push(exportStatement);
          }
          return singleOrMany(statements);
        }
        function visitClassExpression(node) {
          return transformClassLikeDeclarationToExpression(node);
        }
        function transformClassLikeDeclarationToExpression(node) {
          if (node.name) {
            enableSubstitutionsForBlockScopedBindings();
          }
          const extendsClauseElement = getClassExtendsHeritageElement(node);
          const classFunction = factory2.createFunctionExpression(
            /*modifiers*/
            void 0,
            /*asteriskToken*/
            void 0,
            /*name*/
            void 0,
            /*typeParameters*/
            void 0,
            extendsClauseElement ? [factory2.createParameterDeclaration(
              /*modifiers*/
              void 0,
              /*dotDotDotToken*/
              void 0,
              createSyntheticSuper()
            )] : [],
            /*type*/
            void 0,
            transformClassBody(node, extendsClauseElement)
          );
          setEmitFlags(
            classFunction,
            getEmitFlags(node) & 131072 | 1048576
            /* ReuseTempVariableScope */
          );
          const inner = factory2.createPartiallyEmittedExpression(classFunction);
          setTextRangeEnd(inner, node.end);
          setEmitFlags(
            inner,
            3072
            /* NoComments */
          );
          const outer = factory2.createPartiallyEmittedExpression(inner);
          setTextRangeEnd(outer, skipTrivia(currentText, node.pos));
          setEmitFlags(
            outer,
            3072
            /* NoComments */
          );
          const result = factory2.createParenthesizedExpression(
            factory2.createCallExpression(
              outer,
              /*typeArguments*/
              void 0,
              extendsClauseElement ? [Debug.checkDefined(visitNode(extendsClauseElement.expression, visitor2, isExpression))] : []
            )
          );
          addSyntheticLeadingComment(result, 3, "* @class ");
          return result;
        }
        function transformClassBody(node, extendsClauseElement) {
          const statements = [];
          const name = factory2.getInternalName(node);
          const constructorLikeName = isIdentifierANonContextualKeyword(name) ? factory2.getGeneratedNameForNode(name) : name;
          startLexicalEnvironment();
          addExtendsHelperIfNeeded(statements, node, extendsClauseElement);
          addConstructor(statements, node, constructorLikeName, extendsClauseElement);
          addClassMembers(statements, node);
          const closingBraceLocation = createTokenRange(
            skipTrivia(currentText, node.members.end),
            20
            /* CloseBraceToken */
          );
          const outer = factory2.createPartiallyEmittedExpression(constructorLikeName);
          setTextRangeEnd(outer, closingBraceLocation.end);
          setEmitFlags(
            outer,
            3072
            /* NoComments */
          );
          const statement = factory2.createReturnStatement(outer);
          setTextRangePos(statement, closingBraceLocation.pos);
          setEmitFlags(
            statement,
            3072 | 768
            /* NoTokenSourceMaps */
          );
          statements.push(statement);
          insertStatementsAfterStandardPrologue(statements, endLexicalEnvironment());
          const block = factory2.createBlock(
            setTextRange(
              factory2.createNodeArray(statements),
              /*location*/
              node.members
            ),
            /*multiLine*/
            true
          );
          setEmitFlags(
            block,
            3072
            /* NoComments */
          );
          return block;
        }
        function addExtendsHelperIfNeeded(statements, node, extendsClauseElement) {
          if (extendsClauseElement) {
            statements.push(
              setTextRange(
                factory2.createExpressionStatement(
                  emitHelpers().createExtendsHelper(factory2.getInternalName(node))
                ),
                /*location*/
                extendsClauseElement
              )
            );
          }
        }
        function addConstructor(statements, node, name, extendsClauseElement) {
          const savedConvertedLoopState = convertedLoopState;
          convertedLoopState = void 0;
          const ancestorFacts = enterSubtree(
            32662,
            73
            /* ConstructorIncludes */
          );
          const constructor = getFirstConstructorWithBody(node);
          const hasSynthesizedSuper = hasSynthesizedDefaultSuperCall(constructor, extendsClauseElement !== void 0);
          const constructorFunction = factory2.createFunctionDeclaration(
            /*modifiers*/
            void 0,
            /*asteriskToken*/
            void 0,
            name,
            /*typeParameters*/
            void 0,
            transformConstructorParameters(constructor, hasSynthesizedSuper),
            /*type*/
            void 0,
            transformConstructorBody(constructor, node, extendsClauseElement, hasSynthesizedSuper)
          );
          setTextRange(constructorFunction, constructor || node);
          if (extendsClauseElement) {
            setEmitFlags(
              constructorFunction,
              16
              /* CapturesThis */
            );
          }
          statements.push(constructorFunction);
          exitSubtree(
            ancestorFacts,
            229376,
            0
            /* None */
          );
          convertedLoopState = savedConvertedLoopState;
        }
        function transformConstructorParameters(constructor, hasSynthesizedSuper) {
          return visitParameterList(constructor && !hasSynthesizedSuper ? constructor.parameters : void 0, visitor2, context) || [];
        }
        function createDefaultConstructorBody(node, isDerivedClass) {
          const statements = [];
          resumeLexicalEnvironment();
          factory2.mergeLexicalEnvironment(statements, endLexicalEnvironment());
          if (isDerivedClass) {
            statements.push(factory2.createReturnStatement(createDefaultSuperCallOrThis()));
          }
          const statementsArray = factory2.createNodeArray(statements);
          setTextRange(statementsArray, node.members);
          const block = factory2.createBlock(
            statementsArray,
            /*multiLine*/
            true
          );
          setTextRange(block, node);
          setEmitFlags(
            block,
            3072
            /* NoComments */
          );
          return block;
        }
        function isUninitializedVariableStatement(node) {
          return isVariableStatement(node) && every(node.declarationList.declarations, (decl) => isIdentifier(decl.name) && !decl.initializer);
        }
        function containsSuperCall(node) {
          if (isSuperCall(node)) {
            return true;
          }
          if (!(node.transformFlags & 134217728)) {
            return false;
          }
          switch (node.kind) {
            case 219:
            case 218:
            case 262:
            case 176:
            case 175:
              return false;
            case 177:
            case 178:
            case 174:
            case 172: {
              const named = node;
              if (isComputedPropertyName(named.name)) {
                return !!forEachChild(named.name, containsSuperCall);
              }
              return false;
            }
          }
          return !!forEachChild(node, containsSuperCall);
        }
        function transformConstructorBody(constructor, node, extendsClauseElement, hasSynthesizedSuper) {
          const isDerivedClass = !!extendsClauseElement && skipOuterExpressions(extendsClauseElement.expression).kind !== 106;
          if (!constructor) return createDefaultConstructorBody(node, isDerivedClass);
          const prologue = [];
          const statements = [];
          resumeLexicalEnvironment();
          const standardPrologueEnd = factory2.copyStandardPrologue(
            constructor.body.statements,
            prologue,
            /*statementOffset*/
            0
          );
          if (hasSynthesizedSuper || containsSuperCall(constructor.body)) {
            hierarchyFacts |= 8192;
          }
          addRange(statements, visitNodes2(constructor.body.statements, visitor2, isStatement, standardPrologueEnd));
          const mayReplaceThis = isDerivedClass || hierarchyFacts & 8192;
          addDefaultValueAssignmentsIfNeeded2(prologue, constructor);
          addRestParameterIfNeeded(prologue, constructor, hasSynthesizedSuper);
          insertCaptureNewTargetIfNeeded(prologue, constructor);
          if (mayReplaceThis) {
            insertCaptureThisForNode(prologue, constructor, createActualThis());
          } else {
            insertCaptureThisForNodeIfNeeded(prologue, constructor);
          }
          factory2.mergeLexicalEnvironment(prologue, endLexicalEnvironment());
          if (mayReplaceThis && !isSufficientlyCoveredByReturnStatements(constructor.body)) {
            statements.push(factory2.createReturnStatement(createCapturedThis()));
          }
          const body = factory2.createBlock(
            setTextRange(
              factory2.createNodeArray(
                [
                  ...prologue,
                  ...statements
                ]
              ),
              /*location*/
              constructor.body.statements
            ),
            /*multiLine*/
            true
          );
          setTextRange(body, constructor.body);
          return simplifyConstructor(body, constructor.body, hasSynthesizedSuper);
        }
        function isCapturedThis(node) {
          return isGeneratedIdentifier(node) && idText(node) === "_this";
        }
        function isSyntheticSuper(node) {
          return isGeneratedIdentifier(node) && idText(node) === "_super";
        }
        function isThisCapturingVariableStatement(node) {
          return isVariableStatement(node) && node.declarationList.declarations.length === 1 && isThisCapturingVariableDeclaration(node.declarationList.declarations[0]);
        }
        function isThisCapturingVariableDeclaration(node) {
          return isVariableDeclaration(node) && isCapturedThis(node.name) && !!node.initializer;
        }
        function isThisCapturingAssignment(node) {
          return isAssignmentExpression2(
            node,
            /*excludeCompoundAssignment*/
            true
          ) && isCapturedThis(node.left);
        }
        function isTransformedSuperCall(node) {
          return isCallExpression2(node) && isPropertyAccessExpression(node.expression) && isSyntheticSuper(node.expression.expression) && isIdentifier(node.expression.name) && (idText(node.expression.name) === "call" || idText(node.expression.name) === "apply") && node.arguments.length >= 1 && node.arguments[0].kind === 110;
        }
        function isTransformedSuperCallWithFallback(node) {
          return isBinaryExpression(node) && node.operatorToken.kind === 57 && node.right.kind === 110 && isTransformedSuperCall(node.left);
        }
        function isImplicitSuperCall(node) {
          return isBinaryExpression(node) && node.operatorToken.kind === 56 && isBinaryExpression(node.left) && node.left.operatorToken.kind === 38 && isSyntheticSuper(node.left.left) && node.left.right.kind === 106 && isTransformedSuperCall(node.right) && idText(node.right.expression.name) === "apply";
        }
        function isImplicitSuperCallWithFallback(node) {
          return isBinaryExpression(node) && node.operatorToken.kind === 57 && node.right.kind === 110 && isImplicitSuperCall(node.left);
        }
        function isThisCapturingTransformedSuperCallWithFallback(node) {
          return isThisCapturingAssignment(node) && isTransformedSuperCallWithFallback(node.right);
        }
        function isThisCapturingImplicitSuperCallWithFallback(node) {
          return isThisCapturingAssignment(node) && isImplicitSuperCallWithFallback(node.right);
        }
        function isTransformedSuperCallLike(node) {
          return isTransformedSuperCall(node) || isTransformedSuperCallWithFallback(node) || isThisCapturingTransformedSuperCallWithFallback(node) || isImplicitSuperCall(node) || isImplicitSuperCallWithFallback(node) || isThisCapturingImplicitSuperCallWithFallback(node);
        }
        function simplifyConstructorInlineSuperInThisCaptureVariable(body) {
          for (let i = 0; i < body.statements.length - 1; i++) {
            const statement = body.statements[i];
            if (!isThisCapturingVariableStatement(statement)) {
              continue;
            }
            const varDecl = statement.declarationList.declarations[0];
            if (varDecl.initializer.kind !== 110) {
              continue;
            }
            const thisCaptureStatementIndex = i;
            let superCallIndex = i + 1;
            while (superCallIndex < body.statements.length) {
              const statement2 = body.statements[superCallIndex];
              if (isExpressionStatement2(statement2)) {
                if (isTransformedSuperCallLike(skipOuterExpressions(statement2.expression))) {
                  break;
                }
              }
              if (isUninitializedVariableStatement(statement2)) {
                superCallIndex++;
                continue;
              }
              return body;
            }
            const following = body.statements[superCallIndex];
            let expression = following.expression;
            if (isThisCapturingAssignment(expression)) {
              expression = expression.right;
            }
            const newVarDecl = factory2.updateVariableDeclaration(
              varDecl,
              varDecl.name,
              /*exclamationToken*/
              void 0,
              /*type*/
              void 0,
              expression
            );
            const newDeclList = factory2.updateVariableDeclarationList(statement.declarationList, [newVarDecl]);
            const newVarStatement = factory2.createVariableStatement(statement.modifiers, newDeclList);
            setOriginalNode(newVarStatement, following);
            setTextRange(newVarStatement, following);
            const newStatements = factory2.createNodeArray([
              ...body.statements.slice(0, thisCaptureStatementIndex),
              // copy statements preceding to `var _this`
              ...body.statements.slice(thisCaptureStatementIndex + 1, superCallIndex),
              // copy intervening temp variables
              newVarStatement,
              ...body.statements.slice(superCallIndex + 1)
              // copy statements following `super.call(this, ...)`
            ]);
            setTextRange(newStatements, body.statements);
            return factory2.updateBlock(body, newStatements);
          }
          return body;
        }
        function simplifyConstructorInlineSuperReturn(body, original) {
          for (const statement of original.statements) {
            if (statement.transformFlags & 134217728 && !getSuperCallFromStatement(statement)) {
              return body;
            }
          }
          const canElideThisCapturingVariable = !(original.transformFlags & 16384) && !(hierarchyFacts & 65536) && !(hierarchyFacts & 131072);
          for (let i = body.statements.length - 1; i > 0; i--) {
            const statement = body.statements[i];
            if (isReturnStatement(statement) && statement.expression && isCapturedThis(statement.expression)) {
              const preceding = body.statements[i - 1];
              let expression;
              if (isExpressionStatement2(preceding) && isThisCapturingTransformedSuperCallWithFallback(skipOuterExpressions(preceding.expression))) {
                expression = preceding.expression;
              } else if (canElideThisCapturingVariable && isThisCapturingVariableStatement(preceding)) {
                const varDecl = preceding.declarationList.declarations[0];
                if (isTransformedSuperCallLike(skipOuterExpressions(varDecl.initializer))) {
                  expression = factory2.createAssignment(
                    createCapturedThis(),
                    varDecl.initializer
                  );
                }
              }
              if (!expression) {
                break;
              }
              const newReturnStatement = factory2.createReturnStatement(expression);
              setOriginalNode(newReturnStatement, preceding);
              setTextRange(newReturnStatement, preceding);
              const newStatements = factory2.createNodeArray([
                ...body.statements.slice(0, i - 1),
                // copy all statements preceding `_super.call(this, ...)`
                newReturnStatement,
                ...body.statements.slice(i + 1)
                // copy all statements following `return _this;`
              ]);
              setTextRange(newStatements, body.statements);
              return factory2.updateBlock(body, newStatements);
            }
          }
          return body;
        }
        function elideUnusedThisCaptureWorker(node) {
          if (isThisCapturingVariableStatement(node)) {
            const varDecl = node.declarationList.declarations[0];
            if (varDecl.initializer.kind === 110) {
              return void 0;
            }
          } else if (isThisCapturingAssignment(node)) {
            return factory2.createPartiallyEmittedExpression(node.right, node);
          }
          switch (node.kind) {
            case 219:
            case 218:
            case 262:
            case 176:
            case 175:
              return node;
            case 177:
            case 178:
            case 174:
            case 172: {
              const named = node;
              if (isComputedPropertyName(named.name)) {
                return factory2.replacePropertyName(named, visitEachChild(
                  named.name,
                  elideUnusedThisCaptureWorker,
                  /*context*/
                  void 0
                ));
              }
              return node;
            }
          }
          return visitEachChild(
            node,
            elideUnusedThisCaptureWorker,
            /*context*/
            void 0
          );
        }
        function simplifyConstructorElideUnusedThisCapture(body, original) {
          if (original.transformFlags & 16384 || hierarchyFacts & 65536 || hierarchyFacts & 131072) {
            return body;
          }
          for (const statement of original.statements) {
            if (statement.transformFlags & 134217728 && !getSuperCallFromStatement(statement)) {
              return body;
            }
          }
          return factory2.updateBlock(body, visitNodes2(body.statements, elideUnusedThisCaptureWorker, isStatement));
        }
        function injectSuperPresenceCheckWorker(node) {
          if (isTransformedSuperCall(node) && node.arguments.length === 2 && isIdentifier(node.arguments[1]) && idText(node.arguments[1]) === "arguments") {
            return factory2.createLogicalAnd(
              factory2.createStrictInequality(
                createSyntheticSuper(),
                factory2.createNull()
              ),
              node
            );
          }
          switch (node.kind) {
            case 219:
            case 218:
            case 262:
            case 176:
            case 175:
              return node;
            case 177:
            case 178:
            case 174:
            case 172: {
              const named = node;
              if (isComputedPropertyName(named.name)) {
                return factory2.replacePropertyName(named, visitEachChild(
                  named.name,
                  injectSuperPresenceCheckWorker,
                  /*context*/
                  void 0
                ));
              }
              return node;
            }
          }
          return visitEachChild(
            node,
            injectSuperPresenceCheckWorker,
            /*context*/
            void 0
          );
        }
        function complicateConstructorInjectSuperPresenceCheck(body) {
          return factory2.updateBlock(body, visitNodes2(body.statements, injectSuperPresenceCheckWorker, isStatement));
        }
        function simplifyConstructor(body, original, hasSynthesizedSuper) {
          const inputBody = body;
          body = simplifyConstructorInlineSuperInThisCaptureVariable(body);
          body = simplifyConstructorInlineSuperReturn(body, original);
          if (body !== inputBody) {
            body = simplifyConstructorElideUnusedThisCapture(body, original);
          }
          if (hasSynthesizedSuper) {
            body = complicateConstructorInjectSuperPresenceCheck(body);
          }
          return body;
        }
        function isSufficientlyCoveredByReturnStatements(statement) {
          if (statement.kind === 253) {
            return true;
          } else if (statement.kind === 245) {
            const ifStatement = statement;
            if (ifStatement.elseStatement) {
              return isSufficientlyCoveredByReturnStatements(ifStatement.thenStatement) && isSufficientlyCoveredByReturnStatements(ifStatement.elseStatement);
            }
          } else if (statement.kind === 241) {
            const lastStatement = lastOrUndefined(statement.statements);
            if (lastStatement && isSufficientlyCoveredByReturnStatements(lastStatement)) {
              return true;
            }
          }
          return false;
        }
        function createActualThis() {
          return setEmitFlags(
            factory2.createThis(),
            8
            /* NoSubstitution */
          );
        }
        function createDefaultSuperCallOrThis() {
          return factory2.createLogicalOr(
            factory2.createLogicalAnd(
              factory2.createStrictInequality(
                createSyntheticSuper(),
                factory2.createNull()
              ),
              factory2.createFunctionApplyCall(
                createSyntheticSuper(),
                createActualThis(),
                factory2.createIdentifier("arguments")
              )
            ),
            createActualThis()
          );
        }
        function visitParameter(node) {
          if (node.dotDotDotToken) {
            return void 0;
          } else if (isBindingPattern(node.name)) {
            return setOriginalNode(
              setTextRange(
                factory2.createParameterDeclaration(
                  /*modifiers*/
                  void 0,
                  /*dotDotDotToken*/
                  void 0,
                  factory2.getGeneratedNameForNode(node),
                  /*questionToken*/
                  void 0,
                  /*type*/
                  void 0,
                  /*initializer*/
                  void 0
                ),
                /*location*/
                node
              ),
              /*original*/
              node
            );
          } else if (node.initializer) {
            return setOriginalNode(
              setTextRange(
                factory2.createParameterDeclaration(
                  /*modifiers*/
                  void 0,
                  /*dotDotDotToken*/
                  void 0,
                  node.name,
                  /*questionToken*/
                  void 0,
                  /*type*/
                  void 0,
                  /*initializer*/
                  void 0
                ),
                /*location*/
                node
              ),
              /*original*/
              node
            );
          } else {
            return node;
          }
        }
        function hasDefaultValueOrBindingPattern(node) {
          return node.initializer !== void 0 || isBindingPattern(node.name);
        }
        function addDefaultValueAssignmentsIfNeeded2(statements, node) {
          if (!some(node.parameters, hasDefaultValueOrBindingPattern)) {
            return false;
          }
          let added = false;
          for (const parameter of node.parameters) {
            const { name, initializer, dotDotDotToken } = parameter;
            if (dotDotDotToken) {
              continue;
            }
            if (isBindingPattern(name)) {
              added = insertDefaultValueAssignmentForBindingPattern(statements, parameter, name, initializer) || added;
            } else if (initializer) {
              insertDefaultValueAssignmentForInitializer(statements, parameter, name, initializer);
              added = true;
            }
          }
          return added;
        }
        function insertDefaultValueAssignmentForBindingPattern(statements, parameter, name, initializer) {
          if (name.elements.length > 0) {
            insertStatementAfterCustomPrologue(
              statements,
              setEmitFlags(
                factory2.createVariableStatement(
                  /*modifiers*/
                  void 0,
                  factory2.createVariableDeclarationList(
                    flattenDestructuringBinding(
                      parameter,
                      visitor2,
                      context,
                      0,
                      factory2.getGeneratedNameForNode(parameter)
                    )
                  )
                ),
                2097152
                /* CustomPrologue */
              )
            );
            return true;
          } else if (initializer) {
            insertStatementAfterCustomPrologue(
              statements,
              setEmitFlags(
                factory2.createExpressionStatement(
                  factory2.createAssignment(
                    factory2.getGeneratedNameForNode(parameter),
                    Debug.checkDefined(visitNode(initializer, visitor2, isExpression))
                  )
                ),
                2097152
                /* CustomPrologue */
              )
            );
            return true;
          }
          return false;
        }
        function insertDefaultValueAssignmentForInitializer(statements, parameter, name, initializer) {
          initializer = Debug.checkDefined(visitNode(initializer, visitor2, isExpression));
          const statement = factory2.createIfStatement(
            factory2.createTypeCheck(factory2.cloneNode(name), "undefined"),
            setEmitFlags(
              setTextRange(
                factory2.createBlock([
                  factory2.createExpressionStatement(
                    setEmitFlags(
                      setTextRange(
                        factory2.createAssignment(
                          // TODO(rbuckton): Does this need to be parented?
                          setEmitFlags(
                            setParent(setTextRange(factory2.cloneNode(name), name), name.parent),
                            96
                            /* NoSourceMap */
                          ),
                          setEmitFlags(
                            initializer,
                            96 | getEmitFlags(initializer) | 3072
                            /* NoComments */
                          )
                        ),
                        parameter
                      ),
                      3072
                      /* NoComments */
                    )
                  )
                ]),
                parameter
              ),
              1 | 64 | 768 | 3072
              /* NoComments */
            )
          );
          startOnNewLine(statement);
          setTextRange(statement, parameter);
          setEmitFlags(
            statement,
            768 | 64 | 2097152 | 3072
            /* NoComments */
          );
          insertStatementAfterCustomPrologue(statements, statement);
        }
        function shouldAddRestParameter(node, inConstructorWithSynthesizedSuper) {
          return !!(node && node.dotDotDotToken && !inConstructorWithSynthesizedSuper);
        }
        function addRestParameterIfNeeded(statements, node, inConstructorWithSynthesizedSuper) {
          const prologueStatements = [];
          const parameter = lastOrUndefined(node.parameters);
          if (!shouldAddRestParameter(parameter, inConstructorWithSynthesizedSuper)) {
            return false;
          }
          const declarationName = parameter.name.kind === 80 ? setParent(setTextRange(factory2.cloneNode(parameter.name), parameter.name), parameter.name.parent) : factory2.createTempVariable(
            /*recordTempVariable*/
            void 0
          );
          setEmitFlags(
            declarationName,
            96
            /* NoSourceMap */
          );
          const expressionName = parameter.name.kind === 80 ? factory2.cloneNode(parameter.name) : declarationName;
          const restIndex = node.parameters.length - 1;
          const temp = factory2.createLoopVariable();
          prologueStatements.push(
            setEmitFlags(
              setTextRange(
                factory2.createVariableStatement(
                  /*modifiers*/
                  void 0,
                  factory2.createVariableDeclarationList([
                    factory2.createVariableDeclaration(
                      declarationName,
                      /*exclamationToken*/
                      void 0,
                      /*type*/
                      void 0,
                      factory2.createArrayLiteralExpression([])
                    )
                  ])
                ),
                /*location*/
                parameter
              ),
              2097152
              /* CustomPrologue */
            )
          );
          const forStatement = factory2.createForStatement(
            setTextRange(
              factory2.createVariableDeclarationList([
                factory2.createVariableDeclaration(
                  temp,
                  /*exclamationToken*/
                  void 0,
                  /*type*/
                  void 0,
                  factory2.createNumericLiteral(restIndex)
                )
              ]),
              parameter
            ),
            setTextRange(
              factory2.createLessThan(
                temp,
                factory2.createPropertyAccessExpression(factory2.createIdentifier("arguments"), "length")
              ),
              parameter
            ),
            setTextRange(factory2.createPostfixIncrement(temp), parameter),
            factory2.createBlock([
              startOnNewLine(
                setTextRange(
                  factory2.createExpressionStatement(
                    factory2.createAssignment(
                      factory2.createElementAccessExpression(
                        expressionName,
                        restIndex === 0 ? temp : factory2.createSubtract(temp, factory2.createNumericLiteral(restIndex))
                      ),
                      factory2.createElementAccessExpression(factory2.createIdentifier("arguments"), temp)
                    )
                  ),
                  /*location*/
                  parameter
                )
              )
            ])
          );
          setEmitFlags(
            forStatement,
            2097152
            /* CustomPrologue */
          );
          startOnNewLine(forStatement);
          prologueStatements.push(forStatement);
          if (parameter.name.kind !== 80) {
            prologueStatements.push(
              setEmitFlags(
                setTextRange(
                  factory2.createVariableStatement(
                    /*modifiers*/
                    void 0,
                    factory2.createVariableDeclarationList(
                      flattenDestructuringBinding(parameter, visitor2, context, 0, expressionName)
                    )
                  ),
                  parameter
                ),
                2097152
                /* CustomPrologue */
              )
            );
          }
          insertStatementsAfterCustomPrologue(statements, prologueStatements);
          return true;
        }
        function insertCaptureThisForNodeIfNeeded(statements, node) {
          if (hierarchyFacts & 131072 && node.kind !== 219) {
            insertCaptureThisForNode(statements, node, factory2.createThis());
            return true;
          }
          return false;
        }
        function insertCaptureThisForNode(statements, node, initializer) {
          enableSubstitutionsForCapturedThis();
          const captureThisStatement = factory2.createVariableStatement(
            /*modifiers*/
            void 0,
            factory2.createVariableDeclarationList([
              factory2.createVariableDeclaration(
                createCapturedThis(),
                /*exclamationToken*/
                void 0,
                /*type*/
                void 0,
                initializer
              )
            ])
          );
          setEmitFlags(
            captureThisStatement,
            3072 | 2097152
            /* CustomPrologue */
          );
          setSourceMapRange(captureThisStatement, node);
          insertStatementAfterCustomPrologue(statements, captureThisStatement);
        }
        function insertCaptureNewTargetIfNeeded(statements, node) {
          if (hierarchyFacts & 32768) {
            let newTarget;
            switch (node.kind) {
              case 219:
                return statements;
              case 174:
              case 177:
              case 178:
                newTarget = factory2.createVoidZero();
                break;
              case 176:
                newTarget = factory2.createPropertyAccessExpression(
                  setEmitFlags(
                    factory2.createThis(),
                    8
                    /* NoSubstitution */
                  ),
                  "constructor"
                );
                break;
              case 262:
              case 218:
                newTarget = factory2.createConditionalExpression(
                  factory2.createLogicalAnd(
                    setEmitFlags(
                      factory2.createThis(),
                      8
                      /* NoSubstitution */
                    ),
                    factory2.createBinaryExpression(
                      setEmitFlags(
                        factory2.createThis(),
                        8
                        /* NoSubstitution */
                      ),
                      104,
                      factory2.getLocalName(node)
                    )
                  ),
                  /*questionToken*/
                  void 0,
                  factory2.createPropertyAccessExpression(
                    setEmitFlags(
                      factory2.createThis(),
                      8
                      /* NoSubstitution */
                    ),
                    "constructor"
                  ),
                  /*colonToken*/
                  void 0,
                  factory2.createVoidZero()
                );
                break;
              default:
                return Debug.failBadSyntaxKind(node);
            }
            const captureNewTargetStatement = factory2.createVariableStatement(
              /*modifiers*/
              void 0,
              factory2.createVariableDeclarationList([
                factory2.createVariableDeclaration(
                  factory2.createUniqueName(
                    "_newTarget",
                    16 | 32
                    /* FileLevel */
                  ),
                  /*exclamationToken*/
                  void 0,
                  /*type*/
                  void 0,
                  newTarget
                )
              ])
            );
            setEmitFlags(
              captureNewTargetStatement,
              3072 | 2097152
              /* CustomPrologue */
            );
            insertStatementAfterCustomPrologue(statements, captureNewTargetStatement);
          }
          return statements;
        }
        function addClassMembers(statements, node) {
          for (const member of node.members) {
            switch (member.kind) {
              case 240:
                statements.push(transformSemicolonClassElementToStatement(member));
                break;
              case 174:
                statements.push(transformClassMethodDeclarationToStatement(getClassMemberPrefix(node, member), member, node));
                break;
              case 177:
              case 178:
                const accessors = getAllAccessorDeclarations(node.members, member);
                if (member === accessors.firstAccessor) {
                  statements.push(transformAccessorsToStatement(getClassMemberPrefix(node, member), accessors, node));
                }
                break;
              case 176:
              case 175:
                break;
              default:
                Debug.failBadSyntaxKind(member, currentSourceFile && currentSourceFile.fileName);
                break;
            }
          }
        }
        function transformSemicolonClassElementToStatement(member) {
          return setTextRange(factory2.createEmptyStatement(), member);
        }
        function transformClassMethodDeclarationToStatement(receiver, member, container) {
          const commentRange = getCommentRange(member);
          const sourceMapRange = getSourceMapRange(member);
          const memberFunction = transformFunctionLikeToExpression(
            member,
            /*location*/
            member,
            /*name*/
            void 0,
            container
          );
          const propertyName = visitNode(member.name, visitor2, isPropertyName);
          Debug.assert(propertyName);
          let e;
          if (!isPrivateIdentifier(propertyName) && getUseDefineForClassFields(context.getCompilerOptions())) {
            const name = isComputedPropertyName(propertyName) ? propertyName.expression : isIdentifier(propertyName) ? factory2.createStringLiteral(unescapeLeadingUnderscores(propertyName.escapedText)) : propertyName;
            e = factory2.createObjectDefinePropertyCall(receiver, name, factory2.createPropertyDescriptor({ value: memberFunction, enumerable: false, writable: true, configurable: true }));
          } else {
            const memberName = createMemberAccessForPropertyName(
              factory2,
              receiver,
              propertyName,
              /*location*/
              member.name
            );
            e = factory2.createAssignment(memberName, memberFunction);
          }
          setEmitFlags(
            memberFunction,
            3072
            /* NoComments */
          );
          setSourceMapRange(memberFunction, sourceMapRange);
          const statement = setTextRange(
            factory2.createExpressionStatement(e),
            /*location*/
            member
          );
          setOriginalNode(statement, member);
          setCommentRange(statement, commentRange);
          setEmitFlags(
            statement,
            96
            /* NoSourceMap */
          );
          return statement;
        }
        function transformAccessorsToStatement(receiver, accessors, container) {
          const statement = factory2.createExpressionStatement(transformAccessorsToExpression(
            receiver,
            accessors,
            container,
            /*startsOnNewLine*/
            false
          ));
          setEmitFlags(
            statement,
            3072
            /* NoComments */
          );
          setSourceMapRange(statement, getSourceMapRange(accessors.firstAccessor));
          return statement;
        }
        function transformAccessorsToExpression(receiver, { firstAccessor, getAccessor, setAccessor }, container, startsOnNewLine) {
          const target = setParent(setTextRange(factory2.cloneNode(receiver), receiver), receiver.parent);
          setEmitFlags(
            target,
            3072 | 64
            /* NoTrailingSourceMap */
          );
          setSourceMapRange(target, firstAccessor.name);
          const visitedAccessorName = visitNode(firstAccessor.name, visitor2, isPropertyName);
          Debug.assert(visitedAccessorName);
          if (isPrivateIdentifier(visitedAccessorName)) {
            return Debug.failBadSyntaxKind(visitedAccessorName, "Encountered unhandled private identifier while transforming ES2015.");
          }
          const propertyName = createExpressionForPropertyName(factory2, visitedAccessorName);
          setEmitFlags(
            propertyName,
            3072 | 32
            /* NoLeadingSourceMap */
          );
          setSourceMapRange(propertyName, firstAccessor.name);
          const properties = [];
          if (getAccessor) {
            const getterFunction = transformFunctionLikeToExpression(
              getAccessor,
              /*location*/
              void 0,
              /*name*/
              void 0,
              container
            );
            setSourceMapRange(getterFunction, getSourceMapRange(getAccessor));
            setEmitFlags(
              getterFunction,
              1024
              /* NoLeadingComments */
            );
            const getter = factory2.createPropertyAssignment("get", getterFunction);
            setCommentRange(getter, getCommentRange(getAccessor));
            properties.push(getter);
          }
          if (setAccessor) {
            const setterFunction = transformFunctionLikeToExpression(
              setAccessor,
              /*location*/
              void 0,
              /*name*/
              void 0,
              container
            );
            setSourceMapRange(setterFunction, getSourceMapRange(setAccessor));
            setEmitFlags(
              setterFunction,
              1024
              /* NoLeadingComments */
            );
            const setter = factory2.createPropertyAssignment("set", setterFunction);
            setCommentRange(setter, getCommentRange(setAccessor));
            properties.push(setter);
          }
          properties.push(
            factory2.createPropertyAssignment("enumerable", getAccessor || setAccessor ? factory2.createFalse() : factory2.createTrue()),
            factory2.createPropertyAssignment("configurable", factory2.createTrue())
          );
          const call = factory2.createCallExpression(
            factory2.createPropertyAccessExpression(factory2.createIdentifier("Object"), "defineProperty"),
            /*typeArguments*/
            void 0,
            [
              target,
              propertyName,
              factory2.createObjectLiteralExpression(
                properties,
                /*multiLine*/
                true
              )
            ]
          );
          if (startsOnNewLine) {
            startOnNewLine(call);
          }
          return call;
        }
        function visitArrowFunction(node) {
          if (node.transformFlags & 16384 && !(hierarchyFacts & 16384)) {
            hierarchyFacts |= 131072;
          }
          const savedConvertedLoopState = convertedLoopState;
          convertedLoopState = void 0;
          const ancestorFacts = enterSubtree(
            15232,
            66
            /* ArrowFunctionIncludes */
          );
          const func = factory2.createFunctionExpression(
            /*modifiers*/
            void 0,
            /*asteriskToken*/
            void 0,
            /*name*/
            void 0,
            /*typeParameters*/
            void 0,
            visitParameterList(node.parameters, visitor2, context),
            /*type*/
            void 0,
            transformFunctionBody2(node)
          );
          setTextRange(func, node);
          setOriginalNode(func, node);
          setEmitFlags(
            func,
            16
            /* CapturesThis */
          );
          exitSubtree(
            ancestorFacts,
            0,
            0
            /* None */
          );
          convertedLoopState = savedConvertedLoopState;
          return func;
        }
        function visitFunctionExpression(node) {
          const ancestorFacts = getEmitFlags(node) & 524288 ? enterSubtree(
            32662,
            69
            /* AsyncFunctionBodyIncludes */
          ) : enterSubtree(
            32670,
            65
            /* FunctionIncludes */
          );
          const savedConvertedLoopState = convertedLoopState;
          convertedLoopState = void 0;
          const parameters = visitParameterList(node.parameters, visitor2, context);
          const body = transformFunctionBody2(node);
          const name = hierarchyFacts & 32768 ? factory2.getLocalName(node) : node.name;
          exitSubtree(
            ancestorFacts,
            229376,
            0
            /* None */
          );
          convertedLoopState = savedConvertedLoopState;
          return factory2.updateFunctionExpression(
            node,
            /*modifiers*/
            void 0,
            node.asteriskToken,
            name,
            /*typeParameters*/
            void 0,
            parameters,
            /*type*/
            void 0,
            body
          );
        }
        function visitFunctionDeclaration(node) {
          const savedConvertedLoopState = convertedLoopState;
          convertedLoopState = void 0;
          const ancestorFacts = enterSubtree(
            32670,
            65
            /* FunctionIncludes */
          );
          const parameters = visitParameterList(node.parameters, visitor2, context);
          const body = transformFunctionBody2(node);
          const name = hierarchyFacts & 32768 ? factory2.getLocalName(node) : node.name;
          exitSubtree(
            ancestorFacts,
            229376,
            0
            /* None */
          );
          convertedLoopState = savedConvertedLoopState;
          return factory2.updateFunctionDeclaration(
            node,
            visitNodes2(node.modifiers, visitor2, isModifier),
            node.asteriskToken,
            name,
            /*typeParameters*/
            void 0,
            parameters,
            /*type*/
            void 0,
            body
          );
        }
        function transformFunctionLikeToExpression(node, location, name, container) {
          const savedConvertedLoopState = convertedLoopState;
          convertedLoopState = void 0;
          const ancestorFacts = container && isClassLike(container) && !isStatic(node) ? enterSubtree(
            32670,
            65 | 8
            /* NonStaticClassElement */
          ) : enterSubtree(
            32670,
            65
            /* FunctionIncludes */
          );
          const parameters = visitParameterList(node.parameters, visitor2, context);
          const body = transformFunctionBody2(node);
          if (hierarchyFacts & 32768 && !name && (node.kind === 262 || node.kind === 218)) {
            name = factory2.getGeneratedNameForNode(node);
          }
          exitSubtree(
            ancestorFacts,
            229376,
            0
            /* None */
          );
          convertedLoopState = savedConvertedLoopState;
          return setOriginalNode(
            setTextRange(
              factory2.createFunctionExpression(
                /*modifiers*/
                void 0,
                node.asteriskToken,
                name,
                /*typeParameters*/
                void 0,
                parameters,
                /*type*/
                void 0,
                body
              ),
              location
            ),
            /*original*/
            node
          );
        }
        function transformFunctionBody2(node) {
          let multiLine = false;
          let singleLine = false;
          let statementsLocation;
          let closeBraceLocation;
          const prologue = [];
          const statements = [];
          const body = node.body;
          let statementOffset;
          resumeLexicalEnvironment();
          if (isBlock(body)) {
            statementOffset = factory2.copyStandardPrologue(
              body.statements,
              prologue,
              0,
              /*ensureUseStrict*/
              false
            );
            statementOffset = factory2.copyCustomPrologue(body.statements, statements, statementOffset, visitor2, isHoistedFunction);
            statementOffset = factory2.copyCustomPrologue(body.statements, statements, statementOffset, visitor2, isHoistedVariableStatement);
          }
          multiLine = addDefaultValueAssignmentsIfNeeded2(statements, node) || multiLine;
          multiLine = addRestParameterIfNeeded(
            statements,
            node,
            /*inConstructorWithSynthesizedSuper*/
            false
          ) || multiLine;
          if (isBlock(body)) {
            statementOffset = factory2.copyCustomPrologue(body.statements, statements, statementOffset, visitor2);
            statementsLocation = body.statements;
            addRange(statements, visitNodes2(body.statements, visitor2, isStatement, statementOffset));
            if (!multiLine && body.multiLine) {
              multiLine = true;
            }
          } else {
            Debug.assert(
              node.kind === 219
              /* ArrowFunction */
            );
            statementsLocation = moveRangeEnd(body, -1);
            const equalsGreaterThanToken = node.equalsGreaterThanToken;
            if (!nodeIsSynthesized(equalsGreaterThanToken) && !nodeIsSynthesized(body)) {
              if (rangeEndIsOnSameLineAsRangeStart(equalsGreaterThanToken, body, currentSourceFile)) {
                singleLine = true;
              } else {
                multiLine = true;
              }
            }
            const expression = visitNode(body, visitor2, isExpression);
            const returnStatement = factory2.createReturnStatement(expression);
            setTextRange(returnStatement, body);
            moveSyntheticComments(returnStatement, body);
            setEmitFlags(
              returnStatement,
              768 | 64 | 2048
              /* NoTrailingComments */
            );
            statements.push(returnStatement);
            closeBraceLocation = body;
          }
          factory2.mergeLexicalEnvironment(prologue, endLexicalEnvironment());
          insertCaptureNewTargetIfNeeded(prologue, node);
          insertCaptureThisForNodeIfNeeded(prologue, node);
          if (some(prologue)) {
            multiLine = true;
          }
          statements.unshift(...prologue);
          if (isBlock(body) && arrayIsEqualTo(statements, body.statements)) {
            return body;
          }
          const block = factory2.createBlock(setTextRange(factory2.createNodeArray(statements), statementsLocation), multiLine);
          setTextRange(block, node.body);
          if (!multiLine && singleLine) {
            setEmitFlags(
              block,
              1
              /* SingleLine */
            );
          }
          if (closeBraceLocation) {
            setTokenSourceMapRange(block, 20, closeBraceLocation);
          }
          setOriginalNode(block, node.body);
          return block;
        }
        function visitBlock(node, isFunctionBody2) {
          if (isFunctionBody2) {
            return visitEachChild(node, visitor2, context);
          }
          const ancestorFacts = hierarchyFacts & 256 ? enterSubtree(
            7104,
            512
            /* IterationStatementBlockIncludes */
          ) : enterSubtree(
            6976,
            128
            /* BlockIncludes */
          );
          const updated = visitEachChild(node, visitor2, context);
          exitSubtree(
            ancestorFacts,
            0,
            0
            /* None */
          );
          return updated;
        }
        function visitExpressionStatement(node) {
          return visitEachChild(node, visitorWithUnusedExpressionResult, context);
        }
        function visitParenthesizedExpression(node, expressionResultIsUnused2) {
          return visitEachChild(node, expressionResultIsUnused2 ? visitorWithUnusedExpressionResult : visitor2, context);
        }
        function visitBinaryExpression(node, expressionResultIsUnused2) {
          if (isDestructuringAssignment(node)) {
            return flattenDestructuringAssignment(
              node,
              visitor2,
              context,
              0,
              !expressionResultIsUnused2
            );
          }
          if (node.operatorToken.kind === 28) {
            return factory2.updateBinaryExpression(
              node,
              Debug.checkDefined(visitNode(node.left, visitorWithUnusedExpressionResult, isExpression)),
              node.operatorToken,
              Debug.checkDefined(visitNode(node.right, expressionResultIsUnused2 ? visitorWithUnusedExpressionResult : visitor2, isExpression))
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitCommaListExpression(node, expressionResultIsUnused2) {
          if (expressionResultIsUnused2) {
            return visitEachChild(node, visitorWithUnusedExpressionResult, context);
          }
          let result;
          for (let i = 0; i < node.elements.length; i++) {
            const element = node.elements[i];
            const visited = visitNode(element, i < node.elements.length - 1 ? visitorWithUnusedExpressionResult : visitor2, isExpression);
            if (result || visited !== element) {
              result || (result = node.elements.slice(0, i));
              Debug.assert(visited);
              result.push(visited);
            }
          }
          const elements = result ? setTextRange(factory2.createNodeArray(result), node.elements) : node.elements;
          return factory2.updateCommaListExpression(node, elements);
        }
        function isVariableStatementOfTypeScriptClassWrapper(node) {
          return node.declarationList.declarations.length === 1 && !!node.declarationList.declarations[0].initializer && !!(getInternalEmitFlags(node.declarationList.declarations[0].initializer) & 1);
        }
        function visitVariableStatement(node) {
          const ancestorFacts = enterSubtree(
            0,
            hasSyntacticModifier(
              node,
              32
              /* Export */
            ) ? 32 : 0
            /* None */
          );
          let updated;
          if (convertedLoopState && (node.declarationList.flags & 7) === 0 && !isVariableStatementOfTypeScriptClassWrapper(node)) {
            let assignments;
            for (const decl of node.declarationList.declarations) {
              hoistVariableDeclarationDeclaredInConvertedLoop(convertedLoopState, decl);
              if (decl.initializer) {
                let assignment;
                if (isBindingPattern(decl.name)) {
                  assignment = flattenDestructuringAssignment(
                    decl,
                    visitor2,
                    context,
                    0
                    /* All */
                  );
                } else {
                  assignment = factory2.createBinaryExpression(decl.name, 64, Debug.checkDefined(visitNode(decl.initializer, visitor2, isExpression)));
                  setTextRange(assignment, decl);
                }
                assignments = append(assignments, assignment);
              }
            }
            if (assignments) {
              updated = setTextRange(factory2.createExpressionStatement(factory2.inlineExpressions(assignments)), node);
            } else {
              updated = void 0;
            }
          } else {
            updated = visitEachChild(node, visitor2, context);
          }
          exitSubtree(
            ancestorFacts,
            0,
            0
            /* None */
          );
          return updated;
        }
        function visitVariableDeclarationList(node) {
          if (node.flags & 7 || node.transformFlags & 524288) {
            if (node.flags & 7) {
              enableSubstitutionsForBlockScopedBindings();
            }
            const declarations = visitNodes2(
              node.declarations,
              node.flags & 1 ? visitVariableDeclarationInLetDeclarationList : visitVariableDeclaration,
              isVariableDeclaration
            );
            const declarationList = factory2.createVariableDeclarationList(declarations);
            setOriginalNode(declarationList, node);
            setTextRange(declarationList, node);
            setCommentRange(declarationList, node);
            if (node.transformFlags & 524288 && (isBindingPattern(node.declarations[0].name) || isBindingPattern(last(node.declarations).name))) {
              setSourceMapRange(declarationList, getRangeUnion(declarations));
            }
            return declarationList;
          }
          return visitEachChild(node, visitor2, context);
        }
        function getRangeUnion(declarations) {
          let pos = -1, end = -1;
          for (const node of declarations) {
            pos = pos === -1 ? node.pos : node.pos === -1 ? pos : Math.min(pos, node.pos);
            end = Math.max(end, node.end);
          }
          return createRange(pos, end);
        }
        function shouldEmitExplicitInitializerForLetDeclaration(node) {
          const isCapturedInFunction = resolver.hasNodeCheckFlag(
            node,
            16384
            /* CapturedBlockScopedBinding */
          );
          const isDeclaredInLoop = resolver.hasNodeCheckFlag(
            node,
            32768
            /* BlockScopedBindingInLoop */
          );
          const emittedAsTopLevel = (hierarchyFacts & 64) !== 0 || isCapturedInFunction && isDeclaredInLoop && (hierarchyFacts & 512) !== 0;
          const emitExplicitInitializer = !emittedAsTopLevel && (hierarchyFacts & 4096) === 0 && (!resolver.isDeclarationWithCollidingName(node) || isDeclaredInLoop && !isCapturedInFunction && (hierarchyFacts & (2048 | 4096)) === 0);
          return emitExplicitInitializer;
        }
        function visitVariableDeclarationInLetDeclarationList(node) {
          const name = node.name;
          if (isBindingPattern(name)) {
            return visitVariableDeclaration(node);
          }
          if (!node.initializer && shouldEmitExplicitInitializerForLetDeclaration(node)) {
            return factory2.updateVariableDeclaration(
              node,
              node.name,
              /*exclamationToken*/
              void 0,
              /*type*/
              void 0,
              factory2.createVoidZero()
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitVariableDeclaration(node) {
          const ancestorFacts = enterSubtree(
            32,
            0
            /* None */
          );
          let updated;
          if (isBindingPattern(node.name)) {
            updated = flattenDestructuringBinding(
              node,
              visitor2,
              context,
              0,
              /*rval*/
              void 0,
              (ancestorFacts & 32) !== 0
            );
          } else {
            updated = visitEachChild(node, visitor2, context);
          }
          exitSubtree(
            ancestorFacts,
            0,
            0
            /* None */
          );
          return updated;
        }
        function recordLabel(node) {
          convertedLoopState.labels.set(idText(node.label), true);
        }
        function resetLabel(node) {
          convertedLoopState.labels.set(idText(node.label), false);
        }
        function visitLabeledStatement(node) {
          if (convertedLoopState && !convertedLoopState.labels) {
            convertedLoopState.labels = /* @__PURE__ */ new Map();
          }
          const statement = unwrapInnermostStatementOfLabel(node, convertedLoopState && recordLabel);
          return isIterationStatement(
            statement,
            /*lookInLabeledStatements*/
            false
          ) ? visitIterationStatement(
            statement,
            /*outermostLabeledStatement*/
            node
          ) : factory2.restoreEnclosingLabel(Debug.checkDefined(visitNode(statement, visitor2, isStatement, factory2.liftToBlock)), node, convertedLoopState && resetLabel);
        }
        function visitIterationStatement(node, outermostLabeledStatement) {
          switch (node.kind) {
            case 246:
            case 247:
              return visitDoOrWhileStatement(node, outermostLabeledStatement);
            case 248:
              return visitForStatement(node, outermostLabeledStatement);
            case 249:
              return visitForInStatement(node, outermostLabeledStatement);
            case 250:
              return visitForOfStatement(node, outermostLabeledStatement);
          }
        }
        function visitIterationStatementWithFacts(excludeFacts, includeFacts, node, outermostLabeledStatement, convert) {
          const ancestorFacts = enterSubtree(excludeFacts, includeFacts);
          const updated = convertIterationStatementBodyIfNecessary(node, outermostLabeledStatement, ancestorFacts, convert);
          exitSubtree(
            ancestorFacts,
            0,
            0
            /* None */
          );
          return updated;
        }
        function visitDoOrWhileStatement(node, outermostLabeledStatement) {
          return visitIterationStatementWithFacts(
            0,
            1280,
            node,
            outermostLabeledStatement
          );
        }
        function visitForStatement(node, outermostLabeledStatement) {
          return visitIterationStatementWithFacts(
            5056,
            3328,
            node,
            outermostLabeledStatement
          );
        }
        function visitEachChildOfForStatement2(node) {
          return factory2.updateForStatement(
            node,
            visitNode(node.initializer, visitorWithUnusedExpressionResult, isForInitializer),
            visitNode(node.condition, visitor2, isExpression),
            visitNode(node.incrementor, visitorWithUnusedExpressionResult, isExpression),
            Debug.checkDefined(visitNode(node.statement, visitor2, isStatement, factory2.liftToBlock))
          );
        }
        function visitForInStatement(node, outermostLabeledStatement) {
          return visitIterationStatementWithFacts(
            3008,
            5376,
            node,
            outermostLabeledStatement
          );
        }
        function visitForOfStatement(node, outermostLabeledStatement) {
          return visitIterationStatementWithFacts(
            3008,
            5376,
            node,
            outermostLabeledStatement,
            compilerOptions.downlevelIteration ? convertForOfStatementForIterable : convertForOfStatementForArray
          );
        }
        function convertForOfStatementHead(node, boundValue, convertedLoopBodyStatements) {
          const statements = [];
          const initializer = node.initializer;
          if (isVariableDeclarationList(initializer)) {
            if (node.initializer.flags & 7) {
              enableSubstitutionsForBlockScopedBindings();
            }
            const firstOriginalDeclaration = firstOrUndefined(initializer.declarations);
            if (firstOriginalDeclaration && isBindingPattern(firstOriginalDeclaration.name)) {
              const declarations = flattenDestructuringBinding(
                firstOriginalDeclaration,
                visitor2,
                context,
                0,
                boundValue
              );
              const declarationList = setTextRange(factory2.createVariableDeclarationList(declarations), node.initializer);
              setOriginalNode(declarationList, node.initializer);
              setSourceMapRange(declarationList, createRange(declarations[0].pos, last(declarations).end));
              statements.push(
                factory2.createVariableStatement(
                  /*modifiers*/
                  void 0,
                  declarationList
                )
              );
            } else {
              statements.push(
                setTextRange(
                  factory2.createVariableStatement(
                    /*modifiers*/
                    void 0,
                    setOriginalNode(
                      setTextRange(
                        factory2.createVariableDeclarationList([
                          factory2.createVariableDeclaration(
                            firstOriginalDeclaration ? firstOriginalDeclaration.name : factory2.createTempVariable(
                              /*recordTempVariable*/
                              void 0
                            ),
                            /*exclamationToken*/
                            void 0,
                            /*type*/
                            void 0,
                            boundValue
                          )
                        ]),
                        moveRangePos(initializer, -1)
                      ),
                      initializer
                    )
                  ),
                  moveRangeEnd(initializer, -1)
                )
              );
            }
          } else {
            const assignment = factory2.createAssignment(initializer, boundValue);
            if (isDestructuringAssignment(assignment)) {
              statements.push(factory2.createExpressionStatement(visitBinaryExpression(
                assignment,
                /*expressionResultIsUnused*/
                true
              )));
            } else {
              setTextRangeEnd(assignment, initializer.end);
              statements.push(setTextRange(factory2.createExpressionStatement(Debug.checkDefined(visitNode(assignment, visitor2, isExpression))), moveRangeEnd(initializer, -1)));
            }
          }
          if (convertedLoopBodyStatements) {
            return createSyntheticBlockForConvertedStatements(addRange(statements, convertedLoopBodyStatements));
          } else {
            const statement = visitNode(node.statement, visitor2, isStatement, factory2.liftToBlock);
            Debug.assert(statement);
            if (isBlock(statement)) {
              return factory2.updateBlock(statement, setTextRange(factory2.createNodeArray(concatenate(statements, statement.statements)), statement.statements));
            } else {
              statements.push(statement);
              return createSyntheticBlockForConvertedStatements(statements);
            }
          }
        }
        function createSyntheticBlockForConvertedStatements(statements) {
          return setEmitFlags(
            factory2.createBlock(
              factory2.createNodeArray(statements),
              /*multiLine*/
              true
            ),
            96 | 768
            /* NoTokenSourceMaps */
          );
        }
        function convertForOfStatementForArray(node, outermostLabeledStatement, convertedLoopBodyStatements) {
          const expression = visitNode(node.expression, visitor2, isExpression);
          Debug.assert(expression);
          const counter = factory2.createLoopVariable();
          const rhsReference = isIdentifier(expression) ? factory2.getGeneratedNameForNode(expression) : factory2.createTempVariable(
            /*recordTempVariable*/
            void 0
          );
          setEmitFlags(expression, 96 | getEmitFlags(expression));
          const forStatement = setTextRange(
            factory2.createForStatement(
              /*initializer*/
              setEmitFlags(
                setTextRange(
                  factory2.createVariableDeclarationList([
                    setTextRange(factory2.createVariableDeclaration(
                      counter,
                      /*exclamationToken*/
                      void 0,
                      /*type*/
                      void 0,
                      factory2.createNumericLiteral(0)
                    ), moveRangePos(node.expression, -1)),
                    setTextRange(factory2.createVariableDeclaration(
                      rhsReference,
                      /*exclamationToken*/
                      void 0,
                      /*type*/
                      void 0,
                      expression
                    ), node.expression)
                  ]),
                  node.expression
                ),
                4194304
                /* NoHoisting */
              ),
              /*condition*/
              setTextRange(
                factory2.createLessThan(
                  counter,
                  factory2.createPropertyAccessExpression(rhsReference, "length")
                ),
                node.expression
              ),
              /*incrementor*/
              setTextRange(factory2.createPostfixIncrement(counter), node.expression),
              /*statement*/
              convertForOfStatementHead(
                node,
                factory2.createElementAccessExpression(rhsReference, counter),
                convertedLoopBodyStatements
              )
            ),
            /*location*/
            node
          );
          setEmitFlags(
            forStatement,
            512
            /* NoTokenTrailingSourceMaps */
          );
          setTextRange(forStatement, node);
          return factory2.restoreEnclosingLabel(forStatement, outermostLabeledStatement, convertedLoopState && resetLabel);
        }
        function convertForOfStatementForIterable(node, outermostLabeledStatement, convertedLoopBodyStatements, ancestorFacts) {
          const expression = visitNode(node.expression, visitor2, isExpression);
          Debug.assert(expression);
          const iterator = isIdentifier(expression) ? factory2.getGeneratedNameForNode(expression) : factory2.createTempVariable(
            /*recordTempVariable*/
            void 0
          );
          const result = isIdentifier(expression) ? factory2.getGeneratedNameForNode(iterator) : factory2.createTempVariable(
            /*recordTempVariable*/
            void 0
          );
          const errorRecord = factory2.createUniqueName("e");
          const catchVariable = factory2.getGeneratedNameForNode(errorRecord);
          const returnMethod = factory2.createTempVariable(
            /*recordTempVariable*/
            void 0
          );
          const values = setTextRange(emitHelpers().createValuesHelper(expression), node.expression);
          const next = factory2.createCallExpression(
            factory2.createPropertyAccessExpression(iterator, "next"),
            /*typeArguments*/
            void 0,
            []
          );
          hoistVariableDeclaration(errorRecord);
          hoistVariableDeclaration(returnMethod);
          const initializer = ancestorFacts & 1024 ? factory2.inlineExpressions([factory2.createAssignment(errorRecord, factory2.createVoidZero()), values]) : values;
          const forStatement = setEmitFlags(
            setTextRange(
              factory2.createForStatement(
                /*initializer*/
                setEmitFlags(
                  setTextRange(
                    factory2.createVariableDeclarationList([
                      setTextRange(factory2.createVariableDeclaration(
                        iterator,
                        /*exclamationToken*/
                        void 0,
                        /*type*/
                        void 0,
                        initializer
                      ), node.expression),
                      factory2.createVariableDeclaration(
                        result,
                        /*exclamationToken*/
                        void 0,
                        /*type*/
                        void 0,
                        next
                      )
                    ]),
                    node.expression
                  ),
                  4194304
                  /* NoHoisting */
                ),
                /*condition*/
                factory2.createLogicalNot(factory2.createPropertyAccessExpression(result, "done")),
                /*incrementor*/
                factory2.createAssignment(result, next),
                /*statement*/
                convertForOfStatementHead(
                  node,
                  factory2.createPropertyAccessExpression(result, "value"),
                  convertedLoopBodyStatements
                )
              ),
              /*location*/
              node
            ),
            512
            /* NoTokenTrailingSourceMaps */
          );
          return factory2.createTryStatement(
            factory2.createBlock([
              factory2.restoreEnclosingLabel(
                forStatement,
                outermostLabeledStatement,
                convertedLoopState && resetLabel
              )
            ]),
            factory2.createCatchClause(
              factory2.createVariableDeclaration(catchVariable),
              setEmitFlags(
                factory2.createBlock([
                  factory2.createExpressionStatement(
                    factory2.createAssignment(
                      errorRecord,
                      factory2.createObjectLiteralExpression([
                        factory2.createPropertyAssignment("error", catchVariable)
                      ])
                    )
                  )
                ]),
                1
                /* SingleLine */
              )
            ),
            factory2.createBlock([
              factory2.createTryStatement(
                /*tryBlock*/
                factory2.createBlock([
                  setEmitFlags(
                    factory2.createIfStatement(
                      factory2.createLogicalAnd(
                        factory2.createLogicalAnd(
                          result,
                          factory2.createLogicalNot(
                            factory2.createPropertyAccessExpression(result, "done")
                          )
                        ),
                        factory2.createAssignment(
                          returnMethod,
                          factory2.createPropertyAccessExpression(iterator, "return")
                        )
                      ),
                      factory2.createExpressionStatement(
                        factory2.createFunctionCallCall(returnMethod, iterator, [])
                      )
                    ),
                    1
                    /* SingleLine */
                  )
                ]),
                /*catchClause*/
                void 0,
                /*finallyBlock*/
                setEmitFlags(
                  factory2.createBlock([
                    setEmitFlags(
                      factory2.createIfStatement(
                        errorRecord,
                        factory2.createThrowStatement(
                          factory2.createPropertyAccessExpression(errorRecord, "error")
                        )
                      ),
                      1
                      /* SingleLine */
                    )
                  ]),
                  1
                  /* SingleLine */
                )
              )
            ])
          );
        }
        function visitObjectLiteralExpression(node) {
          const properties = node.properties;
          let numInitialProperties = -1, hasComputed = false;
          for (let i = 0; i < properties.length; i++) {
            const property = properties[i];
            if (property.transformFlags & 1048576 && hierarchyFacts & 4 || (hasComputed = Debug.checkDefined(property.name).kind === 167)) {
              numInitialProperties = i;
              break;
            }
          }
          if (numInitialProperties < 0) {
            return visitEachChild(node, visitor2, context);
          }
          const temp = factory2.createTempVariable(hoistVariableDeclaration);
          const expressions = [];
          const assignment = factory2.createAssignment(
            temp,
            setEmitFlags(
              factory2.createObjectLiteralExpression(
                visitNodes2(properties, visitor2, isObjectLiteralElementLike, 0, numInitialProperties),
                node.multiLine
              ),
              hasComputed ? 131072 : 0
            )
          );
          if (node.multiLine) {
            startOnNewLine(assignment);
          }
          expressions.push(assignment);
          addObjectLiteralMembers(expressions, node, temp, numInitialProperties);
          expressions.push(node.multiLine ? startOnNewLine(setParent(setTextRange(factory2.cloneNode(temp), temp), temp.parent)) : temp);
          return factory2.inlineExpressions(expressions);
        }
        function shouldConvertPartOfIterationStatement(node) {
          return resolver.hasNodeCheckFlag(
            node,
            8192
            /* ContainsCapturedBlockScopeBinding */
          );
        }
        function shouldConvertInitializerOfForStatement(node) {
          return isForStatement(node) && !!node.initializer && shouldConvertPartOfIterationStatement(node.initializer);
        }
        function shouldConvertConditionOfForStatement(node) {
          return isForStatement(node) && !!node.condition && shouldConvertPartOfIterationStatement(node.condition);
        }
        function shouldConvertIncrementorOfForStatement(node) {
          return isForStatement(node) && !!node.incrementor && shouldConvertPartOfIterationStatement(node.incrementor);
        }
        function shouldConvertIterationStatement(node) {
          return shouldConvertBodyOfIterationStatement(node) || shouldConvertInitializerOfForStatement(node);
        }
        function shouldConvertBodyOfIterationStatement(node) {
          return resolver.hasNodeCheckFlag(
            node,
            4096
            /* LoopWithCapturedBlockScopedBinding */
          );
        }
        function hoistVariableDeclarationDeclaredInConvertedLoop(state, node) {
          if (!state.hoistedLocalVariables) {
            state.hoistedLocalVariables = [];
          }
          visit(node.name);
          function visit(node2) {
            if (node2.kind === 80) {
              state.hoistedLocalVariables.push(node2);
            } else {
              for (const element of node2.elements) {
                if (!isOmittedExpression(element)) {
                  visit(element.name);
                }
              }
            }
          }
        }
        function convertIterationStatementBodyIfNecessary(node, outermostLabeledStatement, ancestorFacts, convert) {
          if (!shouldConvertIterationStatement(node)) {
            let saveAllowedNonLabeledJumps;
            if (convertedLoopState) {
              saveAllowedNonLabeledJumps = convertedLoopState.allowedNonLabeledJumps;
              convertedLoopState.allowedNonLabeledJumps = 2 | 4;
            }
            const result = convert ? convert(
              node,
              outermostLabeledStatement,
              /*convertedLoopBodyStatements*/
              void 0,
              ancestorFacts
            ) : factory2.restoreEnclosingLabel(
              isForStatement(node) ? visitEachChildOfForStatement2(node) : visitEachChild(node, visitor2, context),
              outermostLabeledStatement,
              convertedLoopState && resetLabel
            );
            if (convertedLoopState) {
              convertedLoopState.allowedNonLabeledJumps = saveAllowedNonLabeledJumps;
            }
            return result;
          }
          const currentState = createConvertedLoopState(node);
          const statements = [];
          const outerConvertedLoopState = convertedLoopState;
          convertedLoopState = currentState;
          const initializerFunction = shouldConvertInitializerOfForStatement(node) ? createFunctionForInitializerOfForStatement(node, currentState) : void 0;
          const bodyFunction = shouldConvertBodyOfIterationStatement(node) ? createFunctionForBodyOfIterationStatement(node, currentState, outerConvertedLoopState) : void 0;
          convertedLoopState = outerConvertedLoopState;
          if (initializerFunction) statements.push(initializerFunction.functionDeclaration);
          if (bodyFunction) statements.push(bodyFunction.functionDeclaration);
          addExtraDeclarationsForConvertedLoop(statements, currentState, outerConvertedLoopState);
          if (initializerFunction) {
            statements.push(generateCallToConvertedLoopInitializer(initializerFunction.functionName, initializerFunction.containsYield));
          }
          let loop;
          if (bodyFunction) {
            if (convert) {
              loop = convert(node, outermostLabeledStatement, bodyFunction.part, ancestorFacts);
            } else {
              const clone2 = convertIterationStatementCore(node, initializerFunction, factory2.createBlock(
                bodyFunction.part,
                /*multiLine*/
                true
              ));
              loop = factory2.restoreEnclosingLabel(clone2, outermostLabeledStatement, convertedLoopState && resetLabel);
            }
          } else {
            const clone2 = convertIterationStatementCore(node, initializerFunction, Debug.checkDefined(visitNode(node.statement, visitor2, isStatement, factory2.liftToBlock)));
            loop = factory2.restoreEnclosingLabel(clone2, outermostLabeledStatement, convertedLoopState && resetLabel);
          }
          statements.push(loop);
          return statements;
        }
        function convertIterationStatementCore(node, initializerFunction, convertedLoopBody) {
          switch (node.kind) {
            case 248:
              return convertForStatement(node, initializerFunction, convertedLoopBody);
            case 249:
              return convertForInStatement(node, convertedLoopBody);
            case 250:
              return convertForOfStatement(node, convertedLoopBody);
            case 246:
              return convertDoStatement(node, convertedLoopBody);
            case 247:
              return convertWhileStatement(node, convertedLoopBody);
            default:
              return Debug.failBadSyntaxKind(node, "IterationStatement expected");
          }
        }
        function convertForStatement(node, initializerFunction, convertedLoopBody) {
          const shouldConvertCondition = node.condition && shouldConvertPartOfIterationStatement(node.condition);
          const shouldConvertIncrementor = shouldConvertCondition || node.incrementor && shouldConvertPartOfIterationStatement(node.incrementor);
          return factory2.updateForStatement(
            node,
            visitNode(initializerFunction ? initializerFunction.part : node.initializer, visitorWithUnusedExpressionResult, isForInitializer),
            visitNode(shouldConvertCondition ? void 0 : node.condition, visitor2, isExpression),
            visitNode(shouldConvertIncrementor ? void 0 : node.incrementor, visitorWithUnusedExpressionResult, isExpression),
            convertedLoopBody
          );
        }
        function convertForOfStatement(node, convertedLoopBody) {
          return factory2.updateForOfStatement(
            node,
            /*awaitModifier*/
            void 0,
            Debug.checkDefined(visitNode(node.initializer, visitor2, isForInitializer)),
            Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)),
            convertedLoopBody
          );
        }
        function convertForInStatement(node, convertedLoopBody) {
          return factory2.updateForInStatement(
            node,
            Debug.checkDefined(visitNode(node.initializer, visitor2, isForInitializer)),
            Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)),
            convertedLoopBody
          );
        }
        function convertDoStatement(node, convertedLoopBody) {
          return factory2.updateDoStatement(
            node,
            convertedLoopBody,
            Debug.checkDefined(visitNode(node.expression, visitor2, isExpression))
          );
        }
        function convertWhileStatement(node, convertedLoopBody) {
          return factory2.updateWhileStatement(
            node,
            Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)),
            convertedLoopBody
          );
        }
        function createConvertedLoopState(node) {
          let loopInitializer;
          switch (node.kind) {
            case 248:
            case 249:
            case 250:
              const initializer = node.initializer;
              if (initializer && initializer.kind === 261) {
                loopInitializer = initializer;
              }
              break;
          }
          const loopParameters = [];
          const loopOutParameters = [];
          if (loopInitializer && getCombinedNodeFlags(loopInitializer) & 7) {
            const hasCapturedBindingsInForHead = shouldConvertInitializerOfForStatement(node) || shouldConvertConditionOfForStatement(node) || shouldConvertIncrementorOfForStatement(node);
            for (const decl of loopInitializer.declarations) {
              processLoopVariableDeclaration(node, decl, loopParameters, loopOutParameters, hasCapturedBindingsInForHead);
            }
          }
          const currentState = { loopParameters, loopOutParameters };
          if (convertedLoopState) {
            if (convertedLoopState.argumentsName) {
              currentState.argumentsName = convertedLoopState.argumentsName;
            }
            if (convertedLoopState.thisName) {
              currentState.thisName = convertedLoopState.thisName;
            }
            if (convertedLoopState.hoistedLocalVariables) {
              currentState.hoistedLocalVariables = convertedLoopState.hoistedLocalVariables;
            }
          }
          return currentState;
        }
        function addExtraDeclarationsForConvertedLoop(statements, state, outerState) {
          let extraVariableDeclarations;
          if (state.argumentsName) {
            if (outerState) {
              outerState.argumentsName = state.argumentsName;
            } else {
              (extraVariableDeclarations || (extraVariableDeclarations = [])).push(
                factory2.createVariableDeclaration(
                  state.argumentsName,
                  /*exclamationToken*/
                  void 0,
                  /*type*/
                  void 0,
                  factory2.createIdentifier("arguments")
                )
              );
            }
          }
          if (state.thisName) {
            if (outerState) {
              outerState.thisName = state.thisName;
            } else {
              (extraVariableDeclarations || (extraVariableDeclarations = [])).push(
                factory2.createVariableDeclaration(
                  state.thisName,
                  /*exclamationToken*/
                  void 0,
                  /*type*/
                  void 0,
                  factory2.createIdentifier("this")
                )
              );
            }
          }
          if (state.hoistedLocalVariables) {
            if (outerState) {
              outerState.hoistedLocalVariables = state.hoistedLocalVariables;
            } else {
              if (!extraVariableDeclarations) {
                extraVariableDeclarations = [];
              }
              for (const identifier of state.hoistedLocalVariables) {
                extraVariableDeclarations.push(factory2.createVariableDeclaration(identifier));
              }
            }
          }
          if (state.loopOutParameters.length) {
            if (!extraVariableDeclarations) {
              extraVariableDeclarations = [];
            }
            for (const outParam of state.loopOutParameters) {
              extraVariableDeclarations.push(factory2.createVariableDeclaration(outParam.outParamName));
            }
          }
          if (state.conditionVariable) {
            if (!extraVariableDeclarations) {
              extraVariableDeclarations = [];
            }
            extraVariableDeclarations.push(factory2.createVariableDeclaration(
              state.conditionVariable,
              /*exclamationToken*/
              void 0,
              /*type*/
              void 0,
              factory2.createFalse()
            ));
          }
          if (extraVariableDeclarations) {
            statements.push(factory2.createVariableStatement(
              /*modifiers*/
              void 0,
              factory2.createVariableDeclarationList(extraVariableDeclarations)
            ));
          }
        }
        function createOutVariable(p) {
          return factory2.createVariableDeclaration(
            p.originalName,
            /*exclamationToken*/
            void 0,
            /*type*/
            void 0,
            p.outParamName
          );
        }
        function createFunctionForInitializerOfForStatement(node, currentState) {
          const functionName = factory2.createUniqueName("_loop_init");
          const containsYield = (node.initializer.transformFlags & 1048576) !== 0;
          let emitFlags = 0;
          if (currentState.containsLexicalThis) emitFlags |= 16;
          if (containsYield && hierarchyFacts & 4) emitFlags |= 524288;
          const statements = [];
          statements.push(factory2.createVariableStatement(
            /*modifiers*/
            void 0,
            node.initializer
          ));
          copyOutParameters(currentState.loopOutParameters, 2, 1, statements);
          const functionDeclaration = factory2.createVariableStatement(
            /*modifiers*/
            void 0,
            setEmitFlags(
              factory2.createVariableDeclarationList([
                factory2.createVariableDeclaration(
                  functionName,
                  /*exclamationToken*/
                  void 0,
                  /*type*/
                  void 0,
                  setEmitFlags(
                    factory2.createFunctionExpression(
                      /*modifiers*/
                      void 0,
                      containsYield ? factory2.createToken(
                        42
                        /* AsteriskToken */
                      ) : void 0,
                      /*name*/
                      void 0,
                      /*typeParameters*/
                      void 0,
                      /*parameters*/
                      void 0,
                      /*type*/
                      void 0,
                      Debug.checkDefined(visitNode(
                        factory2.createBlock(
                          statements,
                          /*multiLine*/
                          true
                        ),
                        visitor2,
                        isBlock
                      ))
                    ),
                    emitFlags
                  )
                )
              ]),
              4194304
              /* NoHoisting */
            )
          );
          const part = factory2.createVariableDeclarationList(map(currentState.loopOutParameters, createOutVariable));
          return { functionName, containsYield, functionDeclaration, part };
        }
        function createFunctionForBodyOfIterationStatement(node, currentState, outerState) {
          const functionName = factory2.createUniqueName("_loop");
          startLexicalEnvironment();
          const statement = visitNode(node.statement, visitor2, isStatement, factory2.liftToBlock);
          const lexicalEnvironment = endLexicalEnvironment();
          const statements = [];
          if (shouldConvertConditionOfForStatement(node) || shouldConvertIncrementorOfForStatement(node)) {
            currentState.conditionVariable = factory2.createUniqueName("inc");
            if (node.incrementor) {
              statements.push(factory2.createIfStatement(
                currentState.conditionVariable,
                factory2.createExpressionStatement(Debug.checkDefined(visitNode(node.incrementor, visitor2, isExpression))),
                factory2.createExpressionStatement(factory2.createAssignment(currentState.conditionVariable, factory2.createTrue()))
              ));
            } else {
              statements.push(factory2.createIfStatement(
                factory2.createLogicalNot(currentState.conditionVariable),
                factory2.createExpressionStatement(factory2.createAssignment(currentState.conditionVariable, factory2.createTrue()))
              ));
            }
            if (shouldConvertConditionOfForStatement(node)) {
              statements.push(factory2.createIfStatement(
                factory2.createPrefixUnaryExpression(54, Debug.checkDefined(visitNode(node.condition, visitor2, isExpression))),
                Debug.checkDefined(visitNode(factory2.createBreakStatement(), visitor2, isStatement))
              ));
            }
          }
          Debug.assert(statement);
          if (isBlock(statement)) {
            addRange(statements, statement.statements);
          } else {
            statements.push(statement);
          }
          copyOutParameters(currentState.loopOutParameters, 1, 1, statements);
          insertStatementsAfterStandardPrologue(statements, lexicalEnvironment);
          const loopBody = factory2.createBlock(
            statements,
            /*multiLine*/
            true
          );
          if (isBlock(statement)) setOriginalNode(loopBody, statement);
          const containsYield = (node.statement.transformFlags & 1048576) !== 0;
          let emitFlags = 1048576;
          if (currentState.containsLexicalThis) emitFlags |= 16;
          if (containsYield && (hierarchyFacts & 4) !== 0) emitFlags |= 524288;
          const functionDeclaration = factory2.createVariableStatement(
            /*modifiers*/
            void 0,
            setEmitFlags(
              factory2.createVariableDeclarationList(
                [
                  factory2.createVariableDeclaration(
                    functionName,
                    /*exclamationToken*/
                    void 0,
                    /*type*/
                    void 0,
                    setEmitFlags(
                      factory2.createFunctionExpression(
                        /*modifiers*/
                        void 0,
                        containsYield ? factory2.createToken(
                          42
                          /* AsteriskToken */
                        ) : void 0,
                        /*name*/
                        void 0,
                        /*typeParameters*/
                        void 0,
                        currentState.loopParameters,
                        /*type*/
                        void 0,
                        loopBody
                      ),
                      emitFlags
                    )
                  )
                ]
              ),
              4194304
              /* NoHoisting */
            )
          );
          const part = generateCallToConvertedLoop(functionName, currentState, outerState, containsYield);
          return { functionName, containsYield, functionDeclaration, part };
        }
        function copyOutParameter(outParam, copyDirection) {
          const source = copyDirection === 0 ? outParam.outParamName : outParam.originalName;
          const target = copyDirection === 0 ? outParam.originalName : outParam.outParamName;
          return factory2.createBinaryExpression(target, 64, source);
        }
        function copyOutParameters(outParams, partFlags, copyDirection, statements) {
          for (const outParam of outParams) {
            if (outParam.flags & partFlags) {
              statements.push(factory2.createExpressionStatement(copyOutParameter(outParam, copyDirection)));
            }
          }
        }
        function generateCallToConvertedLoopInitializer(initFunctionExpressionName, containsYield) {
          const call = factory2.createCallExpression(
            initFunctionExpressionName,
            /*typeArguments*/
            void 0,
            []
          );
          const callResult = containsYield ? factory2.createYieldExpression(
            factory2.createToken(
              42
              /* AsteriskToken */
            ),
            setEmitFlags(
              call,
              8388608
              /* Iterator */
            )
          ) : call;
          return factory2.createExpressionStatement(callResult);
        }
        function generateCallToConvertedLoop(loopFunctionExpressionName, state, outerState, containsYield) {
          const statements = [];
          const isSimpleLoop = !(state.nonLocalJumps & ~4) && !state.labeledNonLocalBreaks && !state.labeledNonLocalContinues;
          const call = factory2.createCallExpression(
            loopFunctionExpressionName,
            /*typeArguments*/
            void 0,
            map(state.loopParameters, (p) => p.name)
          );
          const callResult = containsYield ? factory2.createYieldExpression(
            factory2.createToken(
              42
              /* AsteriskToken */
            ),
            setEmitFlags(
              call,
              8388608
              /* Iterator */
            )
          ) : call;
          if (isSimpleLoop) {
            statements.push(factory2.createExpressionStatement(callResult));
            copyOutParameters(state.loopOutParameters, 1, 0, statements);
          } else {
            const loopResultName = factory2.createUniqueName("state");
            const stateVariable = factory2.createVariableStatement(
              /*modifiers*/
              void 0,
              factory2.createVariableDeclarationList(
                [factory2.createVariableDeclaration(
                  loopResultName,
                  /*exclamationToken*/
                  void 0,
                  /*type*/
                  void 0,
                  callResult
                )]
              )
            );
            statements.push(stateVariable);
            copyOutParameters(state.loopOutParameters, 1, 0, statements);
            if (state.nonLocalJumps & 8) {
              let returnStatement;
              if (outerState) {
                outerState.nonLocalJumps |= 8;
                returnStatement = factory2.createReturnStatement(loopResultName);
              } else {
                returnStatement = factory2.createReturnStatement(factory2.createPropertyAccessExpression(loopResultName, "value"));
              }
              statements.push(
                factory2.createIfStatement(
                  factory2.createTypeCheck(loopResultName, "object"),
                  returnStatement
                )
              );
            }
            if (state.nonLocalJumps & 2) {
              statements.push(
                factory2.createIfStatement(
                  factory2.createStrictEquality(
                    loopResultName,
                    factory2.createStringLiteral("break")
                  ),
                  factory2.createBreakStatement()
                )
              );
            }
            if (state.labeledNonLocalBreaks || state.labeledNonLocalContinues) {
              const caseClauses = [];
              processLabeledJumps(
                state.labeledNonLocalBreaks,
                /*isBreak*/
                true,
                loopResultName,
                outerState,
                caseClauses
              );
              processLabeledJumps(
                state.labeledNonLocalContinues,
                /*isBreak*/
                false,
                loopResultName,
                outerState,
                caseClauses
              );
              statements.push(
                factory2.createSwitchStatement(
                  loopResultName,
                  factory2.createCaseBlock(caseClauses)
                )
              );
            }
          }
          return statements;
        }
        function setLabeledJump(state, isBreak, labelText, labelMarker) {
          if (isBreak) {
            if (!state.labeledNonLocalBreaks) {
              state.labeledNonLocalBreaks = /* @__PURE__ */ new Map();
            }
            state.labeledNonLocalBreaks.set(labelText, labelMarker);
          } else {
            if (!state.labeledNonLocalContinues) {
              state.labeledNonLocalContinues = /* @__PURE__ */ new Map();
            }
            state.labeledNonLocalContinues.set(labelText, labelMarker);
          }
        }
        function processLabeledJumps(table, isBreak, loopResultName, outerLoop, caseClauses) {
          if (!table) {
            return;
          }
          table.forEach((labelMarker, labelText) => {
            const statements = [];
            if (!outerLoop || outerLoop.labels && outerLoop.labels.get(labelText)) {
              const label = factory2.createIdentifier(labelText);
              statements.push(isBreak ? factory2.createBreakStatement(label) : factory2.createContinueStatement(label));
            } else {
              setLabeledJump(outerLoop, isBreak, labelText, labelMarker);
              statements.push(factory2.createReturnStatement(loopResultName));
            }
            caseClauses.push(factory2.createCaseClause(factory2.createStringLiteral(labelMarker), statements));
          });
        }
        function processLoopVariableDeclaration(container, decl, loopParameters, loopOutParameters, hasCapturedBindingsInForHead) {
          const name = decl.name;
          if (isBindingPattern(name)) {
            for (const element of name.elements) {
              if (!isOmittedExpression(element)) {
                processLoopVariableDeclaration(container, element, loopParameters, loopOutParameters, hasCapturedBindingsInForHead);
              }
            }
          } else {
            loopParameters.push(factory2.createParameterDeclaration(
              /*modifiers*/
              void 0,
              /*dotDotDotToken*/
              void 0,
              name
            ));
            const needsOutParam = resolver.hasNodeCheckFlag(
              decl,
              65536
              /* NeedsLoopOutParameter */
            );
            if (needsOutParam || hasCapturedBindingsInForHead) {
              const outParamName = factory2.createUniqueName("out_" + idText(name));
              let flags = 0;
              if (needsOutParam) {
                flags |= 1;
              }
              if (isForStatement(container)) {
                if (container.initializer && resolver.isBindingCapturedByNode(container.initializer, decl)) {
                  flags |= 2;
                }
                if (container.condition && resolver.isBindingCapturedByNode(container.condition, decl) || container.incrementor && resolver.isBindingCapturedByNode(container.incrementor, decl)) {
                  flags |= 1;
                }
              }
              loopOutParameters.push({ flags, originalName: name, outParamName });
            }
          }
        }
        function addObjectLiteralMembers(expressions, node, receiver, start) {
          const properties = node.properties;
          const numProperties = properties.length;
          for (let i = start; i < numProperties; i++) {
            const property = properties[i];
            switch (property.kind) {
              case 177:
              case 178:
                const accessors = getAllAccessorDeclarations(node.properties, property);
                if (property === accessors.firstAccessor) {
                  expressions.push(transformAccessorsToExpression(receiver, accessors, node, !!node.multiLine));
                }
                break;
              case 174:
                expressions.push(transformObjectLiteralMethodDeclarationToExpression(property, receiver, node, node.multiLine));
                break;
              case 303:
                expressions.push(transformPropertyAssignmentToExpression(property, receiver, node.multiLine));
                break;
              case 304:
                expressions.push(transformShorthandPropertyAssignmentToExpression(property, receiver, node.multiLine));
                break;
              default:
                Debug.failBadSyntaxKind(node);
                break;
            }
          }
        }
        function transformPropertyAssignmentToExpression(property, receiver, startsOnNewLine) {
          const expression = factory2.createAssignment(
            createMemberAccessForPropertyName(
              factory2,
              receiver,
              Debug.checkDefined(visitNode(property.name, visitor2, isPropertyName))
            ),
            Debug.checkDefined(visitNode(property.initializer, visitor2, isExpression))
          );
          setTextRange(expression, property);
          if (startsOnNewLine) {
            startOnNewLine(expression);
          }
          return expression;
        }
        function transformShorthandPropertyAssignmentToExpression(property, receiver, startsOnNewLine) {
          const expression = factory2.createAssignment(
            createMemberAccessForPropertyName(
              factory2,
              receiver,
              Debug.checkDefined(visitNode(property.name, visitor2, isPropertyName))
            ),
            factory2.cloneNode(property.name)
          );
          setTextRange(expression, property);
          if (startsOnNewLine) {
            startOnNewLine(expression);
          }
          return expression;
        }
        function transformObjectLiteralMethodDeclarationToExpression(method, receiver, container, startsOnNewLine) {
          const expression = factory2.createAssignment(
            createMemberAccessForPropertyName(
              factory2,
              receiver,
              Debug.checkDefined(visitNode(method.name, visitor2, isPropertyName))
            ),
            transformFunctionLikeToExpression(
              method,
              /*location*/
              method,
              /*name*/
              void 0,
              container
            )
          );
          setTextRange(expression, method);
          if (startsOnNewLine) {
            startOnNewLine(expression);
          }
          return expression;
        }
        function visitCatchClause(node) {
          const ancestorFacts = enterSubtree(
            7104,
            0
            /* BlockScopeIncludes */
          );
          let updated;
          Debug.assert(!!node.variableDeclaration, "Catch clause variable should always be present when downleveling ES2015.");
          if (isBindingPattern(node.variableDeclaration.name)) {
            const temp = factory2.createTempVariable(
              /*recordTempVariable*/
              void 0
            );
            const newVariableDeclaration = factory2.createVariableDeclaration(temp);
            setTextRange(newVariableDeclaration, node.variableDeclaration);
            const vars = flattenDestructuringBinding(
              node.variableDeclaration,
              visitor2,
              context,
              0,
              temp
            );
            const list = factory2.createVariableDeclarationList(vars);
            setTextRange(list, node.variableDeclaration);
            const destructure = factory2.createVariableStatement(
              /*modifiers*/
              void 0,
              list
            );
            updated = factory2.updateCatchClause(node, newVariableDeclaration, addStatementToStartOfBlock(node.block, destructure));
          } else {
            updated = visitEachChild(node, visitor2, context);
          }
          exitSubtree(
            ancestorFacts,
            0,
            0
            /* None */
          );
          return updated;
        }
        function addStatementToStartOfBlock(block, statement) {
          const transformedStatements = visitNodes2(block.statements, visitor2, isStatement);
          return factory2.updateBlock(block, [statement, ...transformedStatements]);
        }
        function visitMethodDeclaration(node) {
          Debug.assert(!isComputedPropertyName(node.name));
          const functionExpression = transformFunctionLikeToExpression(
            node,
            /*location*/
            moveRangePos(node, -1),
            /*name*/
            void 0,
            /*container*/
            void 0
          );
          setEmitFlags(functionExpression, 1024 | getEmitFlags(functionExpression));
          return setTextRange(
            factory2.createPropertyAssignment(
              node.name,
              functionExpression
            ),
            /*location*/
            node
          );
        }
        function visitAccessorDeclaration(node) {
          Debug.assert(!isComputedPropertyName(node.name));
          const savedConvertedLoopState = convertedLoopState;
          convertedLoopState = void 0;
          const ancestorFacts = enterSubtree(
            32670,
            65
            /* FunctionIncludes */
          );
          let updated;
          const parameters = visitParameterList(node.parameters, visitor2, context);
          const body = transformFunctionBody2(node);
          if (node.kind === 177) {
            updated = factory2.updateGetAccessorDeclaration(node, node.modifiers, node.name, parameters, node.type, body);
          } else {
            updated = factory2.updateSetAccessorDeclaration(node, node.modifiers, node.name, parameters, body);
          }
          exitSubtree(
            ancestorFacts,
            229376,
            0
            /* None */
          );
          convertedLoopState = savedConvertedLoopState;
          return updated;
        }
        function visitShorthandPropertyAssignment(node) {
          return setTextRange(
            factory2.createPropertyAssignment(
              node.name,
              visitIdentifier(factory2.cloneNode(node.name))
            ),
            /*location*/
            node
          );
        }
        function visitComputedPropertyName(node) {
          return visitEachChild(node, visitor2, context);
        }
        function visitYieldExpression(node) {
          return visitEachChild(node, visitor2, context);
        }
        function visitArrayLiteralExpression(node) {
          if (some(node.elements, isSpreadElement)) {
            return transformAndSpreadElements(
              node.elements,
              /*isArgumentList*/
              false,
              !!node.multiLine,
              /*hasTrailingComma*/
              !!node.elements.hasTrailingComma
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitCallExpression(node) {
          if (getInternalEmitFlags(node) & 1) {
            return visitTypeScriptClassWrapper(node);
          }
          const expression = skipOuterExpressions(node.expression);
          if (expression.kind === 108 || isSuperProperty(expression) || some(node.arguments, isSpreadElement)) {
            return visitCallExpressionWithPotentialCapturedThisAssignment(
              node,
              /*assignToCapturedThis*/
              true
            );
          }
          return factory2.updateCallExpression(
            node,
            Debug.checkDefined(visitNode(node.expression, callExpressionVisitor, isExpression)),
            /*typeArguments*/
            void 0,
            visitNodes2(node.arguments, visitor2, isExpression)
          );
        }
        function visitTypeScriptClassWrapper(node) {
          const body = cast(cast(skipOuterExpressions(node.expression), isArrowFunction).body, isBlock);
          const isVariableStatementWithInitializer = (stmt) => isVariableStatement(stmt) && !!first(stmt.declarationList.declarations).initializer;
          const savedConvertedLoopState = convertedLoopState;
          convertedLoopState = void 0;
          const bodyStatements = visitNodes2(body.statements, classWrapperStatementVisitor, isStatement);
          convertedLoopState = savedConvertedLoopState;
          const classStatements = filter(bodyStatements, isVariableStatementWithInitializer);
          const remainingStatements = filter(bodyStatements, (stmt) => !isVariableStatementWithInitializer(stmt));
          const varStatement = cast(first(classStatements), isVariableStatement);
          const variable = varStatement.declarationList.declarations[0];
          const initializer = skipOuterExpressions(variable.initializer);
          let aliasAssignment = tryCast(initializer, isAssignmentExpression2);
          if (!aliasAssignment && isBinaryExpression(initializer) && initializer.operatorToken.kind === 28) {
            aliasAssignment = tryCast(initializer.left, isAssignmentExpression2);
          }
          const call = cast(aliasAssignment ? skipOuterExpressions(aliasAssignment.right) : initializer, isCallExpression2);
          const func = cast(skipOuterExpressions(call.expression), isFunctionExpression);
          const funcStatements = func.body.statements;
          let classBodyStart = 0;
          let classBodyEnd = -1;
          const statements = [];
          if (aliasAssignment) {
            const extendsCall = tryCast(funcStatements[classBodyStart], isExpressionStatement2);
            if (extendsCall) {
              statements.push(extendsCall);
              classBodyStart++;
            }
            statements.push(funcStatements[classBodyStart]);
            classBodyStart++;
            statements.push(
              factory2.createExpressionStatement(
                factory2.createAssignment(
                  aliasAssignment.left,
                  cast(variable.name, isIdentifier)
                )
              )
            );
          }
          while (!isReturnStatement(elementAt(funcStatements, classBodyEnd))) {
            classBodyEnd--;
          }
          addRange(statements, funcStatements, classBodyStart, classBodyEnd);
          if (classBodyEnd < -1) {
            addRange(statements, funcStatements, classBodyEnd + 1);
          }
          const returnStatement = tryCast(elementAt(funcStatements, classBodyEnd), isReturnStatement);
          for (const statement of remainingStatements) {
            if (isReturnStatement(statement) && (returnStatement == null ? void 0 : returnStatement.expression) && !isIdentifier(returnStatement.expression)) {
              statements.push(returnStatement);
            } else {
              statements.push(statement);
            }
          }
          addRange(
            statements,
            classStatements,
            /*start*/
            1
          );
          return factory2.restoreOuterExpressions(
            node.expression,
            factory2.restoreOuterExpressions(
              variable.initializer,
              factory2.restoreOuterExpressions(
                aliasAssignment && aliasAssignment.right,
                factory2.updateCallExpression(
                  call,
                  factory2.restoreOuterExpressions(
                    call.expression,
                    factory2.updateFunctionExpression(
                      func,
                      /*modifiers*/
                      void 0,
                      /*asteriskToken*/
                      void 0,
                      /*name*/
                      void 0,
                      /*typeParameters*/
                      void 0,
                      func.parameters,
                      /*type*/
                      void 0,
                      factory2.updateBlock(
                        func.body,
                        statements
                      )
                    )
                  ),
                  /*typeArguments*/
                  void 0,
                  call.arguments
                )
              )
            )
          );
        }
        function visitCallExpressionWithPotentialCapturedThisAssignment(node, assignToCapturedThis) {
          if (node.transformFlags & 32768 || node.expression.kind === 108 || isSuperProperty(skipOuterExpressions(node.expression))) {
            const { target, thisArg } = factory2.createCallBinding(node.expression, hoistVariableDeclaration);
            if (node.expression.kind === 108) {
              setEmitFlags(
                thisArg,
                8
                /* NoSubstitution */
              );
            }
            let resultingCall;
            if (node.transformFlags & 32768) {
              resultingCall = factory2.createFunctionApplyCall(
                Debug.checkDefined(visitNode(target, callExpressionVisitor, isExpression)),
                node.expression.kind === 108 ? thisArg : Debug.checkDefined(visitNode(thisArg, visitor2, isExpression)),
                transformAndSpreadElements(
                  node.arguments,
                  /*isArgumentList*/
                  true,
                  /*multiLine*/
                  false,
                  /*hasTrailingComma*/
                  false
                )
              );
            } else {
              resultingCall = setTextRange(
                factory2.createFunctionCallCall(
                  Debug.checkDefined(visitNode(target, callExpressionVisitor, isExpression)),
                  node.expression.kind === 108 ? thisArg : Debug.checkDefined(visitNode(thisArg, visitor2, isExpression)),
                  visitNodes2(node.arguments, visitor2, isExpression)
                ),
                node
              );
            }
            if (node.expression.kind === 108) {
              const initializer = factory2.createLogicalOr(
                resultingCall,
                createActualThis()
              );
              resultingCall = assignToCapturedThis ? factory2.createAssignment(createCapturedThis(), initializer) : initializer;
            }
            return setOriginalNode(resultingCall, node);
          }
          if (isSuperCall(node)) {
            hierarchyFacts |= 131072;
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitNewExpression(node) {
          if (some(node.arguments, isSpreadElement)) {
            const { target, thisArg } = factory2.createCallBinding(factory2.createPropertyAccessExpression(node.expression, "bind"), hoistVariableDeclaration);
            return factory2.createNewExpression(
              factory2.createFunctionApplyCall(
                Debug.checkDefined(visitNode(target, visitor2, isExpression)),
                thisArg,
                transformAndSpreadElements(
                  factory2.createNodeArray([factory2.createVoidZero(), ...node.arguments]),
                  /*isArgumentList*/
                  true,
                  /*multiLine*/
                  false,
                  /*hasTrailingComma*/
                  false
                )
              ),
              /*typeArguments*/
              void 0,
              []
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function transformAndSpreadElements(elements, isArgumentList, multiLine, hasTrailingComma) {
          const numElements = elements.length;
          const segments = flatten(
            // As we visit each element, we return one of two functions to use as the "key":
            // - `visitSpanOfSpreads` for one or more contiguous `...` spread expressions, i.e. `...a, ...b` in `[1, 2, ...a, ...b]`
            // - `visitSpanOfNonSpreads` for one or more contiguous non-spread elements, i.e. `1, 2`, in `[1, 2, ...a, ...b]`
            spanMap(elements, partitionSpread, (partition, visitPartition, _start, end) => visitPartition(partition, multiLine, hasTrailingComma && end === numElements))
          );
          if (segments.length === 1) {
            const firstSegment = segments[0];
            if (isArgumentList && !compilerOptions.downlevelIteration || isPackedArrayLiteral(firstSegment.expression) || isCallToHelper(firstSegment.expression, "___spreadArray")) {
              return firstSegment.expression;
            }
          }
          const helpers = emitHelpers();
          const startsWithSpread = segments[0].kind !== 0;
          let expression = startsWithSpread ? factory2.createArrayLiteralExpression() : segments[0].expression;
          for (let i = startsWithSpread ? 0 : 1; i < segments.length; i++) {
            const segment = segments[i];
            expression = helpers.createSpreadArrayHelper(
              expression,
              segment.expression,
              segment.kind === 1 && !isArgumentList
            );
          }
          return expression;
        }
        function partitionSpread(node) {
          return isSpreadElement(node) ? visitSpanOfSpreads : visitSpanOfNonSpreads;
        }
        function visitSpanOfSpreads(chunk) {
          return map(chunk, visitExpressionOfSpread);
        }
        function visitExpressionOfSpread(node) {
          Debug.assertNode(node, isSpreadElement);
          let expression = visitNode(node.expression, visitor2, isExpression);
          Debug.assert(expression);
          const isCallToReadHelper = isCallToHelper(expression, "___read");
          let kind = isCallToReadHelper || isPackedArrayLiteral(expression) ? 2 : 1;
          if (compilerOptions.downlevelIteration && kind === 1 && !isArrayLiteralExpression(expression) && !isCallToReadHelper) {
            expression = emitHelpers().createReadHelper(
              expression,
              /*count*/
              void 0
            );
            kind = 2;
          }
          return createSpreadSegment(kind, expression);
        }
        function visitSpanOfNonSpreads(chunk, multiLine, hasTrailingComma) {
          const expression = factory2.createArrayLiteralExpression(
            visitNodes2(factory2.createNodeArray(chunk, hasTrailingComma), visitor2, isExpression),
            multiLine
          );
          return createSpreadSegment(0, expression);
        }
        function visitSpreadElement(node) {
          return visitNode(node.expression, visitor2, isExpression);
        }
        function visitTemplateLiteral(node) {
          return setTextRange(factory2.createStringLiteral(node.text), node);
        }
        function visitStringLiteral(node) {
          if (node.hasExtendedUnicodeEscape) {
            return setTextRange(factory2.createStringLiteral(node.text), node);
          }
          return node;
        }
        function visitNumericLiteral(node) {
          if (node.numericLiteralFlags & 384) {
            return setTextRange(factory2.createNumericLiteral(node.text), node);
          }
          return node;
        }
        function visitTaggedTemplateExpression(node) {
          return processTaggedTemplateExpression(
            context,
            node,
            visitor2,
            currentSourceFile,
            recordTaggedTemplateString,
            1
            /* All */
          );
        }
        function visitTemplateExpression(node) {
          let expression = factory2.createStringLiteral(node.head.text);
          for (const span of node.templateSpans) {
            const args = [Debug.checkDefined(visitNode(span.expression, visitor2, isExpression))];
            if (span.literal.text.length > 0) {
              args.push(factory2.createStringLiteral(span.literal.text));
            }
            expression = factory2.createCallExpression(
              factory2.createPropertyAccessExpression(expression, "concat"),
              /*typeArguments*/
              void 0,
              args
            );
          }
          return setTextRange(expression, node);
        }
        function createSyntheticSuper() {
          return factory2.createUniqueName(
            "_super",
            16 | 32
            /* FileLevel */
          );
        }
        function visitSuperKeyword(node, isExpressionOfCall) {
          const expression = hierarchyFacts & 8 && !isExpressionOfCall ? factory2.createPropertyAccessExpression(setOriginalNode(createSyntheticSuper(), node), "prototype") : createSyntheticSuper();
          setOriginalNode(expression, node);
          setCommentRange(expression, node);
          setSourceMapRange(expression, node);
          return expression;
        }
        function visitMetaProperty(node) {
          if (node.keywordToken === 105 && node.name.escapedText === "target") {
            hierarchyFacts |= 32768;
            return factory2.createUniqueName(
              "_newTarget",
              16 | 32
              /* FileLevel */
            );
          }
          return node;
        }
        function onEmitNode(hint, node, emitCallback) {
          if (enabledSubstitutions & 1 && isFunctionLike(node)) {
            const ancestorFacts = enterSubtree(
              32670,
              getEmitFlags(node) & 16 ? 65 | 16 : 65
              /* FunctionIncludes */
            );
            previousOnEmitNode(hint, node, emitCallback);
            exitSubtree(
              ancestorFacts,
              0,
              0
              /* None */
            );
            return;
          }
          previousOnEmitNode(hint, node, emitCallback);
        }
        function enableSubstitutionsForBlockScopedBindings() {
          if ((enabledSubstitutions & 2) === 0) {
            enabledSubstitutions |= 2;
            context.enableSubstitution(
              80
              /* Identifier */
            );
          }
        }
        function enableSubstitutionsForCapturedThis() {
          if ((enabledSubstitutions & 1) === 0) {
            enabledSubstitutions |= 1;
            context.enableSubstitution(
              110
              /* ThisKeyword */
            );
            context.enableEmitNotification(
              176
              /* Constructor */
            );
            context.enableEmitNotification(
              174
              /* MethodDeclaration */
            );
            context.enableEmitNotification(
              177
              /* GetAccessor */
            );
            context.enableEmitNotification(
              178
              /* SetAccessor */
            );
            context.enableEmitNotification(
              219
              /* ArrowFunction */
            );
            context.enableEmitNotification(
              218
              /* FunctionExpression */
            );
            context.enableEmitNotification(
              262
              /* FunctionDeclaration */
            );
          }
        }
        function onSubstituteNode(hint, node) {
          node = previousOnSubstituteNode(hint, node);
          if (hint === 1) {
            return substituteExpression(node);
          }
          if (isIdentifier(node)) {
            return substituteIdentifier(node);
          }
          return node;
        }
        function substituteIdentifier(node) {
          if (enabledSubstitutions & 2 && !isInternalName(node)) {
            const original = getParseTreeNode(node, isIdentifier);
            if (original && isNameOfDeclarationWithCollidingName(original)) {
              return setTextRange(factory2.getGeneratedNameForNode(original), node);
            }
          }
          return node;
        }
        function isNameOfDeclarationWithCollidingName(node) {
          switch (node.parent.kind) {
            case 208:
            case 263:
            case 266:
            case 260:
              return node.parent.name === node && resolver.isDeclarationWithCollidingName(node.parent);
          }
          return false;
        }
        function substituteExpression(node) {
          switch (node.kind) {
            case 80:
              return substituteExpressionIdentifier(node);
            case 110:
              return substituteThisKeyword(node);
          }
          return node;
        }
        function substituteExpressionIdentifier(node) {
          if (enabledSubstitutions & 2 && !isInternalName(node)) {
            const declaration = resolver.getReferencedDeclarationWithCollidingName(node);
            if (declaration && !(isClassLike(declaration) && isPartOfClassBody(declaration, node))) {
              return setTextRange(factory2.getGeneratedNameForNode(getNameOfDeclaration(declaration)), node);
            }
          }
          return node;
        }
        function isPartOfClassBody(declaration, node) {
          let currentNode = getParseTreeNode(node);
          if (!currentNode || currentNode === declaration || currentNode.end <= declaration.pos || currentNode.pos >= declaration.end) {
            return false;
          }
          const blockScope = getEnclosingBlockScopeContainer(declaration);
          while (currentNode) {
            if (currentNode === blockScope || currentNode === declaration) {
              return false;
            }
            if (isClassElement(currentNode) && currentNode.parent === declaration) {
              return true;
            }
            currentNode = currentNode.parent;
          }
          return false;
        }
        function substituteThisKeyword(node) {
          if (enabledSubstitutions & 1 && hierarchyFacts & 16) {
            return setTextRange(createCapturedThis(), node);
          }
          return node;
        }
        function getClassMemberPrefix(node, member) {
          return isStatic(member) ? factory2.getInternalName(node) : factory2.createPropertyAccessExpression(factory2.getInternalName(node), "prototype");
        }
        function hasSynthesizedDefaultSuperCall(constructor, hasExtendsClause) {
          if (!constructor || !hasExtendsClause) {
            return false;
          }
          if (some(constructor.parameters)) {
            return false;
          }
          const statement = firstOrUndefined(constructor.body.statements);
          if (!statement || !nodeIsSynthesized(statement) || statement.kind !== 244) {
            return false;
          }
          const statementExpression = statement.expression;
          if (!nodeIsSynthesized(statementExpression) || statementExpression.kind !== 213) {
            return false;
          }
          const callTarget = statementExpression.expression;
          if (!nodeIsSynthesized(callTarget) || callTarget.kind !== 108) {
            return false;
          }
          const callArgument = singleOrUndefined(statementExpression.arguments);
          if (!callArgument || !nodeIsSynthesized(callArgument) || callArgument.kind !== 230) {
            return false;
          }
          const expression = callArgument.expression;
          return isIdentifier(expression) && expression.escapedText === "arguments";
        }
      }
      function getInstructionName(instruction) {
        switch (instruction) {
          case 2:
            return "return";
          case 3:
            return "break";
          case 4:
            return "yield";
          case 5:
            return "yield*";
          case 7:
            return "endfinally";
          default:
            return void 0;
        }
      }
      function transformGenerators(context) {
        const {
          factory: factory2,
          getEmitHelperFactory: emitHelpers,
          resumeLexicalEnvironment,
          endLexicalEnvironment,
          hoistFunctionDeclaration,
          hoistVariableDeclaration
        } = context;
        const compilerOptions = context.getCompilerOptions();
        const languageVersion = getEmitScriptTarget(compilerOptions);
        const resolver = context.getEmitResolver();
        const previousOnSubstituteNode = context.onSubstituteNode;
        context.onSubstituteNode = onSubstituteNode;
        let renamedCatchVariables;
        let renamedCatchVariableDeclarations;
        let inGeneratorFunctionBody;
        let inStatementContainingYield;
        let blocks;
        let blockOffsets;
        let blockActions;
        let blockStack;
        let labelOffsets;
        let labelExpressions;
        let nextLabelId = 1;
        let operations2;
        let operationArguments;
        let operationLocations;
        let state;
        let blockIndex = 0;
        let labelNumber = 0;
        let labelNumbers;
        let lastOperationWasAbrupt;
        let lastOperationWasCompletion;
        let clauses;
        let statements;
        let exceptionBlockStack;
        let currentExceptionBlock;
        let withBlockStack;
        return chainBundle(context, transformSourceFile);
        function transformSourceFile(node) {
          if (node.isDeclarationFile || (node.transformFlags & 2048) === 0) {
            return node;
          }
          const visited = visitEachChild(node, visitor2, context);
          addEmitHelpers(visited, context.readEmitHelpers());
          return visited;
        }
        function visitor2(node) {
          const transformFlags = node.transformFlags;
          if (inStatementContainingYield) {
            return visitJavaScriptInStatementContainingYield(node);
          } else if (inGeneratorFunctionBody) {
            return visitJavaScriptInGeneratorFunctionBody(node);
          } else if (isFunctionLikeDeclaration(node) && node.asteriskToken) {
            return visitGenerator(node);
          } else if (transformFlags & 2048) {
            return visitEachChild(node, visitor2, context);
          } else {
            return node;
          }
        }
        function visitJavaScriptInStatementContainingYield(node) {
          switch (node.kind) {
            case 246:
              return visitDoStatement(node);
            case 247:
              return visitWhileStatement(node);
            case 255:
              return visitSwitchStatement(node);
            case 256:
              return visitLabeledStatement(node);
            default:
              return visitJavaScriptInGeneratorFunctionBody(node);
          }
        }
        function visitJavaScriptInGeneratorFunctionBody(node) {
          switch (node.kind) {
            case 262:
              return visitFunctionDeclaration(node);
            case 218:
              return visitFunctionExpression(node);
            case 177:
            case 178:
              return visitAccessorDeclaration(node);
            case 243:
              return visitVariableStatement(node);
            case 248:
              return visitForStatement(node);
            case 249:
              return visitForInStatement(node);
            case 252:
              return visitBreakStatement(node);
            case 251:
              return visitContinueStatement(node);
            case 253:
              return visitReturnStatement(node);
            default:
              if (node.transformFlags & 1048576) {
                return visitJavaScriptContainingYield(node);
              } else if (node.transformFlags & (2048 | 4194304)) {
                return visitEachChild(node, visitor2, context);
              } else {
                return node;
              }
          }
        }
        function visitJavaScriptContainingYield(node) {
          switch (node.kind) {
            case 226:
              return visitBinaryExpression(node);
            case 355:
              return visitCommaListExpression(node);
            case 227:
              return visitConditionalExpression(node);
            case 229:
              return visitYieldExpression(node);
            case 209:
              return visitArrayLiteralExpression(node);
            case 210:
              return visitObjectLiteralExpression(node);
            case 212:
              return visitElementAccessExpression(node);
            case 213:
              return visitCallExpression(node);
            case 214:
              return visitNewExpression(node);
            default:
              return visitEachChild(node, visitor2, context);
          }
        }
        function visitGenerator(node) {
          switch (node.kind) {
            case 262:
              return visitFunctionDeclaration(node);
            case 218:
              return visitFunctionExpression(node);
            default:
              return Debug.failBadSyntaxKind(node);
          }
        }
        function visitFunctionDeclaration(node) {
          if (node.asteriskToken) {
            node = setOriginalNode(
              setTextRange(
                factory2.createFunctionDeclaration(
                  node.modifiers,
                  /*asteriskToken*/
                  void 0,
                  node.name,
                  /*typeParameters*/
                  void 0,
                  visitParameterList(node.parameters, visitor2, context),
                  /*type*/
                  void 0,
                  transformGeneratorFunctionBody(node.body)
                ),
                /*location*/
                node
              ),
              node
            );
          } else {
            const savedInGeneratorFunctionBody = inGeneratorFunctionBody;
            const savedInStatementContainingYield = inStatementContainingYield;
            inGeneratorFunctionBody = false;
            inStatementContainingYield = false;
            node = visitEachChild(node, visitor2, context);
            inGeneratorFunctionBody = savedInGeneratorFunctionBody;
            inStatementContainingYield = savedInStatementContainingYield;
          }
          if (inGeneratorFunctionBody) {
            hoistFunctionDeclaration(node);
            return void 0;
          } else {
            return node;
          }
        }
        function visitFunctionExpression(node) {
          if (node.asteriskToken) {
            node = setOriginalNode(
              setTextRange(
                factory2.createFunctionExpression(
                  /*modifiers*/
                  void 0,
                  /*asteriskToken*/
                  void 0,
                  node.name,
                  /*typeParameters*/
                  void 0,
                  visitParameterList(node.parameters, visitor2, context),
                  /*type*/
                  void 0,
                  transformGeneratorFunctionBody(node.body)
                ),
                /*location*/
                node
              ),
              node
            );
          } else {
            const savedInGeneratorFunctionBody = inGeneratorFunctionBody;
            const savedInStatementContainingYield = inStatementContainingYield;
            inGeneratorFunctionBody = false;
            inStatementContainingYield = false;
            node = visitEachChild(node, visitor2, context);
            inGeneratorFunctionBody = savedInGeneratorFunctionBody;
            inStatementContainingYield = savedInStatementContainingYield;
          }
          return node;
        }
        function visitAccessorDeclaration(node) {
          const savedInGeneratorFunctionBody = inGeneratorFunctionBody;
          const savedInStatementContainingYield = inStatementContainingYield;
          inGeneratorFunctionBody = false;
          inStatementContainingYield = false;
          node = visitEachChild(node, visitor2, context);
          inGeneratorFunctionBody = savedInGeneratorFunctionBody;
          inStatementContainingYield = savedInStatementContainingYield;
          return node;
        }
        function transformGeneratorFunctionBody(body) {
          const statements2 = [];
          const savedInGeneratorFunctionBody = inGeneratorFunctionBody;
          const savedInStatementContainingYield = inStatementContainingYield;
          const savedBlocks = blocks;
          const savedBlockOffsets = blockOffsets;
          const savedBlockActions = blockActions;
          const savedBlockStack = blockStack;
          const savedLabelOffsets = labelOffsets;
          const savedLabelExpressions = labelExpressions;
          const savedNextLabelId = nextLabelId;
          const savedOperations = operations2;
          const savedOperationArguments = operationArguments;
          const savedOperationLocations = operationLocations;
          const savedState = state;
          inGeneratorFunctionBody = true;
          inStatementContainingYield = false;
          blocks = void 0;
          blockOffsets = void 0;
          blockActions = void 0;
          blockStack = void 0;
          labelOffsets = void 0;
          labelExpressions = void 0;
          nextLabelId = 1;
          operations2 = void 0;
          operationArguments = void 0;
          operationLocations = void 0;
          state = factory2.createTempVariable(
            /*recordTempVariable*/
            void 0
          );
          resumeLexicalEnvironment();
          const statementOffset = factory2.copyPrologue(
            body.statements,
            statements2,
            /*ensureUseStrict*/
            false,
            visitor2
          );
          transformAndEmitStatements(body.statements, statementOffset);
          const buildResult = build2();
          insertStatementsAfterStandardPrologue(statements2, endLexicalEnvironment());
          statements2.push(factory2.createReturnStatement(buildResult));
          inGeneratorFunctionBody = savedInGeneratorFunctionBody;
          inStatementContainingYield = savedInStatementContainingYield;
          blocks = savedBlocks;
          blockOffsets = savedBlockOffsets;
          blockActions = savedBlockActions;
          blockStack = savedBlockStack;
          labelOffsets = savedLabelOffsets;
          labelExpressions = savedLabelExpressions;
          nextLabelId = savedNextLabelId;
          operations2 = savedOperations;
          operationArguments = savedOperationArguments;
          operationLocations = savedOperationLocations;
          state = savedState;
          return setTextRange(factory2.createBlock(statements2, body.multiLine), body);
        }
        function visitVariableStatement(node) {
          if (node.transformFlags & 1048576) {
            transformAndEmitVariableDeclarationList(node.declarationList);
            return void 0;
          } else {
            if (getEmitFlags(node) & 2097152) {
              return node;
            }
            for (const variable of node.declarationList.declarations) {
              hoistVariableDeclaration(variable.name);
            }
            const variables = getInitializedVariables(node.declarationList);
            if (variables.length === 0) {
              return void 0;
            }
            return setSourceMapRange(
              factory2.createExpressionStatement(
                factory2.inlineExpressions(
                  map(variables, transformInitializedVariable)
                )
              ),
              node
            );
          }
        }
        function visitBinaryExpression(node) {
          const assoc = getExpressionAssociativity(node);
          switch (assoc) {
            case 0:
              return visitLeftAssociativeBinaryExpression(node);
            case 1:
              return visitRightAssociativeBinaryExpression(node);
            default:
              return Debug.assertNever(assoc);
          }
        }
        function visitRightAssociativeBinaryExpression(node) {
          const { left, right } = node;
          if (containsYield(right)) {
            let target;
            switch (left.kind) {
              case 211:
                target = factory2.updatePropertyAccessExpression(
                  left,
                  cacheExpression(Debug.checkDefined(visitNode(left.expression, visitor2, isLeftHandSideExpression))),
                  left.name
                );
                break;
              case 212:
                target = factory2.updateElementAccessExpression(left, cacheExpression(Debug.checkDefined(visitNode(left.expression, visitor2, isLeftHandSideExpression))), cacheExpression(Debug.checkDefined(visitNode(left.argumentExpression, visitor2, isExpression))));
                break;
              default:
                target = Debug.checkDefined(visitNode(left, visitor2, isExpression));
                break;
            }
            const operator = node.operatorToken.kind;
            if (isCompoundAssignment(operator)) {
              return setTextRange(
                factory2.createAssignment(
                  target,
                  setTextRange(
                    factory2.createBinaryExpression(
                      cacheExpression(target),
                      getNonAssignmentOperatorForCompoundAssignment(operator),
                      Debug.checkDefined(visitNode(right, visitor2, isExpression))
                    ),
                    node
                  )
                ),
                node
              );
            } else {
              return factory2.updateBinaryExpression(node, target, node.operatorToken, Debug.checkDefined(visitNode(right, visitor2, isExpression)));
            }
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitLeftAssociativeBinaryExpression(node) {
          if (containsYield(node.right)) {
            if (isLogicalOperator(node.operatorToken.kind)) {
              return visitLogicalBinaryExpression(node);
            } else if (node.operatorToken.kind === 28) {
              return visitCommaExpression(node);
            }
            return factory2.updateBinaryExpression(node, cacheExpression(Debug.checkDefined(visitNode(node.left, visitor2, isExpression))), node.operatorToken, Debug.checkDefined(visitNode(node.right, visitor2, isExpression)));
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitCommaExpression(node) {
          let pendingExpressions = [];
          visit(node.left);
          visit(node.right);
          return factory2.inlineExpressions(pendingExpressions);
          function visit(node2) {
            if (isBinaryExpression(node2) && node2.operatorToken.kind === 28) {
              visit(node2.left);
              visit(node2.right);
            } else {
              if (containsYield(node2) && pendingExpressions.length > 0) {
                emitWorker(1, [factory2.createExpressionStatement(factory2.inlineExpressions(pendingExpressions))]);
                pendingExpressions = [];
              }
              pendingExpressions.push(Debug.checkDefined(visitNode(node2, visitor2, isExpression)));
            }
          }
        }
        function visitCommaListExpression(node) {
          let pendingExpressions = [];
          for (const elem of node.elements) {
            if (isBinaryExpression(elem) && elem.operatorToken.kind === 28) {
              pendingExpressions.push(visitCommaExpression(elem));
            } else {
              if (containsYield(elem) && pendingExpressions.length > 0) {
                emitWorker(1, [factory2.createExpressionStatement(factory2.inlineExpressions(pendingExpressions))]);
                pendingExpressions = [];
              }
              pendingExpressions.push(Debug.checkDefined(visitNode(elem, visitor2, isExpression)));
            }
          }
          return factory2.inlineExpressions(pendingExpressions);
        }
        function visitLogicalBinaryExpression(node) {
          const resultLabel = defineLabel();
          const resultLocal = declareLocal();
          emitAssignment(
            resultLocal,
            Debug.checkDefined(visitNode(node.left, visitor2, isExpression)),
            /*location*/
            node.left
          );
          if (node.operatorToken.kind === 56) {
            emitBreakWhenFalse(
              resultLabel,
              resultLocal,
              /*location*/
              node.left
            );
          } else {
            emitBreakWhenTrue(
              resultLabel,
              resultLocal,
              /*location*/
              node.left
            );
          }
          emitAssignment(
            resultLocal,
            Debug.checkDefined(visitNode(node.right, visitor2, isExpression)),
            /*location*/
            node.right
          );
          markLabel(resultLabel);
          return resultLocal;
        }
        function visitConditionalExpression(node) {
          if (containsYield(node.whenTrue) || containsYield(node.whenFalse)) {
            const whenFalseLabel = defineLabel();
            const resultLabel = defineLabel();
            const resultLocal = declareLocal();
            emitBreakWhenFalse(
              whenFalseLabel,
              Debug.checkDefined(visitNode(node.condition, visitor2, isExpression)),
              /*location*/
              node.condition
            );
            emitAssignment(
              resultLocal,
              Debug.checkDefined(visitNode(node.whenTrue, visitor2, isExpression)),
              /*location*/
              node.whenTrue
            );
            emitBreak(resultLabel);
            markLabel(whenFalseLabel);
            emitAssignment(
              resultLocal,
              Debug.checkDefined(visitNode(node.whenFalse, visitor2, isExpression)),
              /*location*/
              node.whenFalse
            );
            markLabel(resultLabel);
            return resultLocal;
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitYieldExpression(node) {
          const resumeLabel = defineLabel();
          const expression = visitNode(node.expression, visitor2, isExpression);
          if (node.asteriskToken) {
            const iterator = (getEmitFlags(node.expression) & 8388608) === 0 ? setTextRange(emitHelpers().createValuesHelper(expression), node) : expression;
            emitYieldStar(
              iterator,
              /*location*/
              node
            );
          } else {
            emitYield(
              expression,
              /*location*/
              node
            );
          }
          markLabel(resumeLabel);
          return createGeneratorResume(
            /*location*/
            node
          );
        }
        function visitArrayLiteralExpression(node) {
          return visitElements(
            node.elements,
            /*leadingElement*/
            void 0,
            /*location*/
            void 0,
            node.multiLine
          );
        }
        function visitElements(elements, leadingElement, location, multiLine) {
          const numInitialElements = countInitialNodesWithoutYield(elements);
          let temp;
          if (numInitialElements > 0) {
            temp = declareLocal();
            const initialElements = visitNodes2(elements, visitor2, isExpression, 0, numInitialElements);
            emitAssignment(
              temp,
              factory2.createArrayLiteralExpression(
                leadingElement ? [leadingElement, ...initialElements] : initialElements
              )
            );
            leadingElement = void 0;
          }
          const expressions = reduceLeft(elements, reduceElement, [], numInitialElements);
          return temp ? factory2.createArrayConcatCall(temp, [factory2.createArrayLiteralExpression(expressions, multiLine)]) : setTextRange(
            factory2.createArrayLiteralExpression(leadingElement ? [leadingElement, ...expressions] : expressions, multiLine),
            location
          );
          function reduceElement(expressions2, element) {
            if (containsYield(element) && expressions2.length > 0) {
              const hasAssignedTemp = temp !== void 0;
              if (!temp) {
                temp = declareLocal();
              }
              emitAssignment(
                temp,
                hasAssignedTemp ? factory2.createArrayConcatCall(
                  temp,
                  [factory2.createArrayLiteralExpression(expressions2, multiLine)]
                ) : factory2.createArrayLiteralExpression(
                  leadingElement ? [leadingElement, ...expressions2] : expressions2,
                  multiLine
                )
              );
              leadingElement = void 0;
              expressions2 = [];
            }
            expressions2.push(Debug.checkDefined(visitNode(element, visitor2, isExpression)));
            return expressions2;
          }
        }
        function visitObjectLiteralExpression(node) {
          const properties = node.properties;
          const multiLine = node.multiLine;
          const numInitialProperties = countInitialNodesWithoutYield(properties);
          const temp = declareLocal();
          emitAssignment(
            temp,
            factory2.createObjectLiteralExpression(
              visitNodes2(properties, visitor2, isObjectLiteralElementLike, 0, numInitialProperties),
              multiLine
            )
          );
          const expressions = reduceLeft(properties, reduceProperty, [], numInitialProperties);
          expressions.push(multiLine ? startOnNewLine(setParent(setTextRange(factory2.cloneNode(temp), temp), temp.parent)) : temp);
          return factory2.inlineExpressions(expressions);
          function reduceProperty(expressions2, property) {
            if (containsYield(property) && expressions2.length > 0) {
              emitStatement(factory2.createExpressionStatement(factory2.inlineExpressions(expressions2)));
              expressions2 = [];
            }
            const expression = createExpressionForObjectLiteralElementLike(factory2, node, property, temp);
            const visited = visitNode(expression, visitor2, isExpression);
            if (visited) {
              if (multiLine) {
                startOnNewLine(visited);
              }
              expressions2.push(visited);
            }
            return expressions2;
          }
        }
        function visitElementAccessExpression(node) {
          if (containsYield(node.argumentExpression)) {
            return factory2.updateElementAccessExpression(node, cacheExpression(Debug.checkDefined(visitNode(node.expression, visitor2, isLeftHandSideExpression))), Debug.checkDefined(visitNode(node.argumentExpression, visitor2, isExpression)));
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitCallExpression(node) {
          if (!isImportCall(node) && forEach(node.arguments, containsYield)) {
            const { target, thisArg } = factory2.createCallBinding(
              node.expression,
              hoistVariableDeclaration,
              languageVersion,
              /*cacheIdentifiers*/
              true
            );
            return setOriginalNode(
              setTextRange(
                factory2.createFunctionApplyCall(
                  cacheExpression(Debug.checkDefined(visitNode(target, visitor2, isLeftHandSideExpression))),
                  thisArg,
                  visitElements(node.arguments)
                ),
                node
              ),
              node
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitNewExpression(node) {
          if (forEach(node.arguments, containsYield)) {
            const { target, thisArg } = factory2.createCallBinding(factory2.createPropertyAccessExpression(node.expression, "bind"), hoistVariableDeclaration);
            return setOriginalNode(
              setTextRange(
                factory2.createNewExpression(
                  factory2.createFunctionApplyCall(
                    cacheExpression(Debug.checkDefined(visitNode(target, visitor2, isExpression))),
                    thisArg,
                    visitElements(
                      node.arguments,
                      /*leadingElement*/
                      factory2.createVoidZero()
                    )
                  ),
                  /*typeArguments*/
                  void 0,
                  []
                ),
                node
              ),
              node
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function transformAndEmitStatements(statements2, start = 0) {
          const numStatements = statements2.length;
          for (let i = start; i < numStatements; i++) {
            transformAndEmitStatement(statements2[i]);
          }
        }
        function transformAndEmitEmbeddedStatement(node) {
          if (isBlock(node)) {
            transformAndEmitStatements(node.statements);
          } else {
            transformAndEmitStatement(node);
          }
        }
        function transformAndEmitStatement(node) {
          const savedInStatementContainingYield = inStatementContainingYield;
          if (!inStatementContainingYield) {
            inStatementContainingYield = containsYield(node);
          }
          transformAndEmitStatementWorker(node);
          inStatementContainingYield = savedInStatementContainingYield;
        }
        function transformAndEmitStatementWorker(node) {
          switch (node.kind) {
            case 241:
              return transformAndEmitBlock(node);
            case 244:
              return transformAndEmitExpressionStatement(node);
            case 245:
              return transformAndEmitIfStatement(node);
            case 246:
              return transformAndEmitDoStatement(node);
            case 247:
              return transformAndEmitWhileStatement(node);
            case 248:
              return transformAndEmitForStatement(node);
            case 249:
              return transformAndEmitForInStatement(node);
            case 251:
              return transformAndEmitContinueStatement(node);
            case 252:
              return transformAndEmitBreakStatement(node);
            case 253:
              return transformAndEmitReturnStatement(node);
            case 254:
              return transformAndEmitWithStatement(node);
            case 255:
              return transformAndEmitSwitchStatement(node);
            case 256:
              return transformAndEmitLabeledStatement(node);
            case 257:
              return transformAndEmitThrowStatement(node);
            case 258:
              return transformAndEmitTryStatement(node);
            default:
              return emitStatement(visitNode(node, visitor2, isStatement));
          }
        }
        function transformAndEmitBlock(node) {
          if (containsYield(node)) {
            transformAndEmitStatements(node.statements);
          } else {
            emitStatement(visitNode(node, visitor2, isStatement));
          }
        }
        function transformAndEmitExpressionStatement(node) {
          emitStatement(visitNode(node, visitor2, isStatement));
        }
        function transformAndEmitVariableDeclarationList(node) {
          for (const variable of node.declarations) {
            const name = factory2.cloneNode(variable.name);
            setCommentRange(name, variable.name);
            hoistVariableDeclaration(name);
          }
          const variables = getInitializedVariables(node);
          const numVariables = variables.length;
          let variablesWritten = 0;
          let pendingExpressions = [];
          while (variablesWritten < numVariables) {
            for (let i = variablesWritten; i < numVariables; i++) {
              const variable = variables[i];
              if (containsYield(variable.initializer) && pendingExpressions.length > 0) {
                break;
              }
              pendingExpressions.push(transformInitializedVariable(variable));
            }
            if (pendingExpressions.length) {
              emitStatement(factory2.createExpressionStatement(factory2.inlineExpressions(pendingExpressions)));
              variablesWritten += pendingExpressions.length;
              pendingExpressions = [];
            }
          }
          return void 0;
        }
        function transformInitializedVariable(node) {
          return setSourceMapRange(
            factory2.createAssignment(
              setSourceMapRange(factory2.cloneNode(node.name), node.name),
              Debug.checkDefined(visitNode(node.initializer, visitor2, isExpression))
            ),
            node
          );
        }
        function transformAndEmitIfStatement(node) {
          if (containsYield(node)) {
            if (containsYield(node.thenStatement) || containsYield(node.elseStatement)) {
              const endLabel = defineLabel();
              const elseLabel = node.elseStatement ? defineLabel() : void 0;
              emitBreakWhenFalse(
                node.elseStatement ? elseLabel : endLabel,
                Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)),
                /*location*/
                node.expression
              );
              transformAndEmitEmbeddedStatement(node.thenStatement);
              if (node.elseStatement) {
                emitBreak(endLabel);
                markLabel(elseLabel);
                transformAndEmitEmbeddedStatement(node.elseStatement);
              }
              markLabel(endLabel);
            } else {
              emitStatement(visitNode(node, visitor2, isStatement));
            }
          } else {
            emitStatement(visitNode(node, visitor2, isStatement));
          }
        }
        function transformAndEmitDoStatement(node) {
          if (containsYield(node)) {
            const conditionLabel = defineLabel();
            const loopLabel = defineLabel();
            beginLoopBlock(
              /*continueLabel*/
              conditionLabel
            );
            markLabel(loopLabel);
            transformAndEmitEmbeddedStatement(node.statement);
            markLabel(conditionLabel);
            emitBreakWhenTrue(loopLabel, Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)));
            endLoopBlock();
          } else {
            emitStatement(visitNode(node, visitor2, isStatement));
          }
        }
        function visitDoStatement(node) {
          if (inStatementContainingYield) {
            beginScriptLoopBlock();
            node = visitEachChild(node, visitor2, context);
            endLoopBlock();
            return node;
          } else {
            return visitEachChild(node, visitor2, context);
          }
        }
        function transformAndEmitWhileStatement(node) {
          if (containsYield(node)) {
            const loopLabel = defineLabel();
            const endLabel = beginLoopBlock(loopLabel);
            markLabel(loopLabel);
            emitBreakWhenFalse(endLabel, Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)));
            transformAndEmitEmbeddedStatement(node.statement);
            emitBreak(loopLabel);
            endLoopBlock();
          } else {
            emitStatement(visitNode(node, visitor2, isStatement));
          }
        }
        function visitWhileStatement(node) {
          if (inStatementContainingYield) {
            beginScriptLoopBlock();
            node = visitEachChild(node, visitor2, context);
            endLoopBlock();
            return node;
          } else {
            return visitEachChild(node, visitor2, context);
          }
        }
        function transformAndEmitForStatement(node) {
          if (containsYield(node)) {
            const conditionLabel = defineLabel();
            const incrementLabel = defineLabel();
            const endLabel = beginLoopBlock(incrementLabel);
            if (node.initializer) {
              const initializer = node.initializer;
              if (isVariableDeclarationList(initializer)) {
                transformAndEmitVariableDeclarationList(initializer);
              } else {
                emitStatement(
                  setTextRange(
                    factory2.createExpressionStatement(
                      Debug.checkDefined(visitNode(initializer, visitor2, isExpression))
                    ),
                    initializer
                  )
                );
              }
            }
            markLabel(conditionLabel);
            if (node.condition) {
              emitBreakWhenFalse(endLabel, Debug.checkDefined(visitNode(node.condition, visitor2, isExpression)));
            }
            transformAndEmitEmbeddedStatement(node.statement);
            markLabel(incrementLabel);
            if (node.incrementor) {
              emitStatement(
                setTextRange(
                  factory2.createExpressionStatement(
                    Debug.checkDefined(visitNode(node.incrementor, visitor2, isExpression))
                  ),
                  node.incrementor
                )
              );
            }
            emitBreak(conditionLabel);
            endLoopBlock();
          } else {
            emitStatement(visitNode(node, visitor2, isStatement));
          }
        }
        function visitForStatement(node) {
          if (inStatementContainingYield) {
            beginScriptLoopBlock();
          }
          const initializer = node.initializer;
          if (initializer && isVariableDeclarationList(initializer)) {
            for (const variable of initializer.declarations) {
              hoistVariableDeclaration(variable.name);
            }
            const variables = getInitializedVariables(initializer);
            node = factory2.updateForStatement(
              node,
              variables.length > 0 ? factory2.inlineExpressions(map(variables, transformInitializedVariable)) : void 0,
              visitNode(node.condition, visitor2, isExpression),
              visitNode(node.incrementor, visitor2, isExpression),
              visitIterationBody(node.statement, visitor2, context)
            );
          } else {
            node = visitEachChild(node, visitor2, context);
          }
          if (inStatementContainingYield) {
            endLoopBlock();
          }
          return node;
        }
        function transformAndEmitForInStatement(node) {
          if (containsYield(node)) {
            const obj = declareLocal();
            const keysArray = declareLocal();
            const key = declareLocal();
            const keysIndex = factory2.createLoopVariable();
            const initializer = node.initializer;
            hoistVariableDeclaration(keysIndex);
            emitAssignment(obj, Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)));
            emitAssignment(keysArray, factory2.createArrayLiteralExpression());
            emitStatement(
              factory2.createForInStatement(
                key,
                obj,
                factory2.createExpressionStatement(
                  factory2.createCallExpression(
                    factory2.createPropertyAccessExpression(keysArray, "push"),
                    /*typeArguments*/
                    void 0,
                    [key]
                  )
                )
              )
            );
            emitAssignment(keysIndex, factory2.createNumericLiteral(0));
            const conditionLabel = defineLabel();
            const incrementLabel = defineLabel();
            const endLoopLabel = beginLoopBlock(incrementLabel);
            markLabel(conditionLabel);
            emitBreakWhenFalse(endLoopLabel, factory2.createLessThan(keysIndex, factory2.createPropertyAccessExpression(keysArray, "length")));
            emitAssignment(key, factory2.createElementAccessExpression(keysArray, keysIndex));
            emitBreakWhenFalse(incrementLabel, factory2.createBinaryExpression(key, 103, obj));
            let variable;
            if (isVariableDeclarationList(initializer)) {
              for (const variable2 of initializer.declarations) {
                hoistVariableDeclaration(variable2.name);
              }
              variable = factory2.cloneNode(initializer.declarations[0].name);
            } else {
              variable = Debug.checkDefined(visitNode(initializer, visitor2, isExpression));
              Debug.assert(isLeftHandSideExpression(variable));
            }
            emitAssignment(variable, key);
            transformAndEmitEmbeddedStatement(node.statement);
            markLabel(incrementLabel);
            emitStatement(factory2.createExpressionStatement(factory2.createPostfixIncrement(keysIndex)));
            emitBreak(conditionLabel);
            endLoopBlock();
          } else {
            emitStatement(visitNode(node, visitor2, isStatement));
          }
        }
        function visitForInStatement(node) {
          if (inStatementContainingYield) {
            beginScriptLoopBlock();
          }
          const initializer = node.initializer;
          if (isVariableDeclarationList(initializer)) {
            for (const variable of initializer.declarations) {
              hoistVariableDeclaration(variable.name);
            }
            node = factory2.updateForInStatement(node, initializer.declarations[0].name, Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)), Debug.checkDefined(visitNode(node.statement, visitor2, isStatement, factory2.liftToBlock)));
          } else {
            node = visitEachChild(node, visitor2, context);
          }
          if (inStatementContainingYield) {
            endLoopBlock();
          }
          return node;
        }
        function transformAndEmitContinueStatement(node) {
          const label = findContinueTarget(node.label ? idText(node.label) : void 0);
          if (label > 0) {
            emitBreak(
              label,
              /*location*/
              node
            );
          } else {
            emitStatement(node);
          }
        }
        function visitContinueStatement(node) {
          if (inStatementContainingYield) {
            const label = findContinueTarget(node.label && idText(node.label));
            if (label > 0) {
              return createInlineBreak(
                label,
                /*location*/
                node
              );
            }
          }
          return visitEachChild(node, visitor2, context);
        }
        function transformAndEmitBreakStatement(node) {
          const label = findBreakTarget(node.label ? idText(node.label) : void 0);
          if (label > 0) {
            emitBreak(
              label,
              /*location*/
              node
            );
          } else {
            emitStatement(node);
          }
        }
        function visitBreakStatement(node) {
          if (inStatementContainingYield) {
            const label = findBreakTarget(node.label && idText(node.label));
            if (label > 0) {
              return createInlineBreak(
                label,
                /*location*/
                node
              );
            }
          }
          return visitEachChild(node, visitor2, context);
        }
        function transformAndEmitReturnStatement(node) {
          emitReturn(
            visitNode(node.expression, visitor2, isExpression),
            /*location*/
            node
          );
        }
        function visitReturnStatement(node) {
          return createInlineReturn(
            visitNode(node.expression, visitor2, isExpression),
            /*location*/
            node
          );
        }
        function transformAndEmitWithStatement(node) {
          if (containsYield(node)) {
            beginWithBlock(cacheExpression(Debug.checkDefined(visitNode(node.expression, visitor2, isExpression))));
            transformAndEmitEmbeddedStatement(node.statement);
            endWithBlock();
          } else {
            emitStatement(visitNode(node, visitor2, isStatement));
          }
        }
        function transformAndEmitSwitchStatement(node) {
          if (containsYield(node.caseBlock)) {
            const caseBlock = node.caseBlock;
            const numClauses = caseBlock.clauses.length;
            const endLabel = beginSwitchBlock();
            const expression = cacheExpression(Debug.checkDefined(visitNode(node.expression, visitor2, isExpression)));
            const clauseLabels = [];
            let defaultClauseIndex = -1;
            for (let i = 0; i < numClauses; i++) {
              const clause = caseBlock.clauses[i];
              clauseLabels.push(defineLabel());
              if (clause.kind === 297 && defaultClauseIndex === -1) {
                defaultClauseIndex = i;
              }
            }
            let clausesWritten = 0;
            let pendingClauses = [];
            while (clausesWritten < numClauses) {
              let defaultClausesSkipped = 0;
              for (let i = clausesWritten; i < numClauses; i++) {
                const clause = caseBlock.clauses[i];
                if (clause.kind === 296) {
                  if (containsYield(clause.expression) && pendingClauses.length > 0) {
                    break;
                  }
                  pendingClauses.push(
                    factory2.createCaseClause(
                      Debug.checkDefined(visitNode(clause.expression, visitor2, isExpression)),
                      [
                        createInlineBreak(
                          clauseLabels[i],
                          /*location*/
                          clause.expression
                        )
                      ]
                    )
                  );
                } else {
                  defaultClausesSkipped++;
                }
              }
              if (pendingClauses.length) {
                emitStatement(factory2.createSwitchStatement(expression, factory2.createCaseBlock(pendingClauses)));
                clausesWritten += pendingClauses.length;
                pendingClauses = [];
              }
              if (defaultClausesSkipped > 0) {
                clausesWritten += defaultClausesSkipped;
                defaultClausesSkipped = 0;
              }
            }
            if (defaultClauseIndex >= 0) {
              emitBreak(clauseLabels[defaultClauseIndex]);
            } else {
              emitBreak(endLabel);
            }
            for (let i = 0; i < numClauses; i++) {
              markLabel(clauseLabels[i]);
              transformAndEmitStatements(caseBlock.clauses[i].statements);
            }
            endSwitchBlock();
          } else {
            emitStatement(visitNode(node, visitor2, isStatement));
          }
        }
        function visitSwitchStatement(node) {
          if (inStatementContainingYield) {
            beginScriptSwitchBlock();
          }
          node = visitEachChild(node, visitor2, context);
          if (inStatementContainingYield) {
            endSwitchBlock();
          }
          return node;
        }
        function transformAndEmitLabeledStatement(node) {
          if (containsYield(node)) {
            beginLabeledBlock(idText(node.label));
            transformAndEmitEmbeddedStatement(node.statement);
            endLabeledBlock();
          } else {
            emitStatement(visitNode(node, visitor2, isStatement));
          }
        }
        function visitLabeledStatement(node) {
          if (inStatementContainingYield) {
            beginScriptLabeledBlock(idText(node.label));
          }
          node = visitEachChild(node, visitor2, context);
          if (inStatementContainingYield) {
            endLabeledBlock();
          }
          return node;
        }
        function transformAndEmitThrowStatement(node) {
          emitThrow(
            Debug.checkDefined(visitNode(node.expression ?? factory2.createVoidZero(), visitor2, isExpression)),
            /*location*/
            node
          );
        }
        function transformAndEmitTryStatement(node) {
          if (containsYield(node)) {
            beginExceptionBlock();
            transformAndEmitEmbeddedStatement(node.tryBlock);
            if (node.catchClause) {
              beginCatchBlock(node.catchClause.variableDeclaration);
              transformAndEmitEmbeddedStatement(node.catchClause.block);
            }
            if (node.finallyBlock) {
              beginFinallyBlock();
              transformAndEmitEmbeddedStatement(node.finallyBlock);
            }
            endExceptionBlock();
          } else {
            emitStatement(visitEachChild(node, visitor2, context));
          }
        }
        function containsYield(node) {
          return !!node && (node.transformFlags & 1048576) !== 0;
        }
        function countInitialNodesWithoutYield(nodes) {
          const numNodes = nodes.length;
          for (let i = 0; i < numNodes; i++) {
            if (containsYield(nodes[i])) {
              return i;
            }
          }
          return -1;
        }
        function onSubstituteNode(hint, node) {
          node = previousOnSubstituteNode(hint, node);
          if (hint === 1) {
            return substituteExpression(node);
          }
          return node;
        }
        function substituteExpression(node) {
          if (isIdentifier(node)) {
            return substituteExpressionIdentifier(node);
          }
          return node;
        }
        function substituteExpressionIdentifier(node) {
          if (!isGeneratedIdentifier(node) && renamedCatchVariables && renamedCatchVariables.has(idText(node))) {
            const original = getOriginalNode(node);
            if (isIdentifier(original) && original.parent) {
              const declaration = resolver.getReferencedValueDeclaration(original);
              if (declaration) {
                const name = renamedCatchVariableDeclarations[getOriginalNodeId(declaration)];
                if (name) {
                  const clone2 = setParent(setTextRange(factory2.cloneNode(name), name), name.parent);
                  setSourceMapRange(clone2, node);
                  setCommentRange(clone2, node);
                  return clone2;
                }
              }
            }
          }
          return node;
        }
        function cacheExpression(node) {
          if (isGeneratedIdentifier(node) || getEmitFlags(node) & 8192) {
            return node;
          }
          const temp = factory2.createTempVariable(hoistVariableDeclaration);
          emitAssignment(
            temp,
            node,
            /*location*/
            node
          );
          return temp;
        }
        function declareLocal(name) {
          const temp = name ? factory2.createUniqueName(name) : factory2.createTempVariable(
            /*recordTempVariable*/
            void 0
          );
          hoistVariableDeclaration(temp);
          return temp;
        }
        function defineLabel() {
          if (!labelOffsets) {
            labelOffsets = [];
          }
          const label = nextLabelId;
          nextLabelId++;
          labelOffsets[label] = -1;
          return label;
        }
        function markLabel(label) {
          Debug.assert(labelOffsets !== void 0, "No labels were defined.");
          labelOffsets[label] = operations2 ? operations2.length : 0;
        }
        function beginBlock(block) {
          if (!blocks) {
            blocks = [];
            blockActions = [];
            blockOffsets = [];
            blockStack = [];
          }
          const index = blockActions.length;
          blockActions[index] = 0;
          blockOffsets[index] = operations2 ? operations2.length : 0;
          blocks[index] = block;
          blockStack.push(block);
          return index;
        }
        function endBlock() {
          const block = peekBlock();
          if (block === void 0) return Debug.fail("beginBlock was never called.");
          const index = blockActions.length;
          blockActions[index] = 1;
          blockOffsets[index] = operations2 ? operations2.length : 0;
          blocks[index] = block;
          blockStack.pop();
          return block;
        }
        function peekBlock() {
          return lastOrUndefined(blockStack);
        }
        function peekBlockKind() {
          const block = peekBlock();
          return block && block.kind;
        }
        function beginWithBlock(expression) {
          const startLabel = defineLabel();
          const endLabel = defineLabel();
          markLabel(startLabel);
          beginBlock({
            kind: 1,
            expression,
            startLabel,
            endLabel
          });
        }
        function endWithBlock() {
          Debug.assert(
            peekBlockKind() === 1
            /* With */
          );
          const block = endBlock();
          markLabel(block.endLabel);
        }
        function beginExceptionBlock() {
          const startLabel = defineLabel();
          const endLabel = defineLabel();
          markLabel(startLabel);
          beginBlock({
            kind: 0,
            state: 0,
            startLabel,
            endLabel
          });
          emitNop();
          return endLabel;
        }
        function beginCatchBlock(variable) {
          Debug.assert(
            peekBlockKind() === 0
            /* Exception */
          );
          let name;
          if (isGeneratedIdentifier(variable.name)) {
            name = variable.name;
            hoistVariableDeclaration(variable.name);
          } else {
            const text = idText(variable.name);
            name = declareLocal(text);
            if (!renamedCatchVariables) {
              renamedCatchVariables = /* @__PURE__ */ new Map();
              renamedCatchVariableDeclarations = [];
              context.enableSubstitution(
                80
                /* Identifier */
              );
            }
            renamedCatchVariables.set(text, true);
            renamedCatchVariableDeclarations[getOriginalNodeId(variable)] = name;
          }
          const exception = peekBlock();
          Debug.assert(
            exception.state < 1
            /* Catch */
          );
          const endLabel = exception.endLabel;
          emitBreak(endLabel);
          const catchLabel = defineLabel();
          markLabel(catchLabel);
          exception.state = 1;
          exception.catchVariable = name;
          exception.catchLabel = catchLabel;
          emitAssignment(name, factory2.createCallExpression(
            factory2.createPropertyAccessExpression(state, "sent"),
            /*typeArguments*/
            void 0,
            []
          ));
          emitNop();
        }
        function beginFinallyBlock() {
          Debug.assert(
            peekBlockKind() === 0
            /* Exception */
          );
          const exception = peekBlock();
          Debug.assert(
            exception.state < 2
            /* Finally */
          );
          const endLabel = exception.endLabel;
          emitBreak(endLabel);
          const finallyLabel = defineLabel();
          markLabel(finallyLabel);
          exception.state = 2;
          exception.finallyLabel = finallyLabel;
        }
        function endExceptionBlock() {
          Debug.assert(
            peekBlockKind() === 0
            /* Exception */
          );
          const exception = endBlock();
          const state2 = exception.state;
          if (state2 < 2) {
            emitBreak(exception.endLabel);
          } else {
            emitEndfinally();
          }
          markLabel(exception.endLabel);
          emitNop();
          exception.state = 3;
        }
        function beginScriptLoopBlock() {
          beginBlock({
            kind: 3,
            isScript: true,
            breakLabel: -1,
            continueLabel: -1
          });
        }
        function beginLoopBlock(continueLabel) {
          const breakLabel = defineLabel();
          beginBlock({
            kind: 3,
            isScript: false,
            breakLabel,
            continueLabel
          });
          return breakLabel;
        }
        function endLoopBlock() {
          Debug.assert(
            peekBlockKind() === 3
            /* Loop */
          );
          const block = endBlock();
          const breakLabel = block.breakLabel;
          if (!block.isScript) {
            markLabel(breakLabel);
          }
        }
        function beginScriptSwitchBlock() {
          beginBlock({
            kind: 2,
            isScript: true,
            breakLabel: -1
          });
        }
        function beginSwitchBlock() {
          const breakLabel = defineLabel();
          beginBlock({
            kind: 2,
            isScript: false,
            breakLabel
          });
          return breakLabel;
        }
        function endSwitchBlock() {
          Debug.assert(
            peekBlockKind() === 2
            /* Switch */
          );
          const block = endBlock();
          const breakLabel = block.breakLabel;
          if (!block.isScript) {
            markLabel(breakLabel);
          }
        }
        function beginScriptLabeledBlock(labelText) {
          beginBlock({
            kind: 4,
            isScript: true,
            labelText,
            breakLabel: -1
          });
        }
        function beginLabeledBlock(labelText) {
          const breakLabel = defineLabel();
          beginBlock({
            kind: 4,
            isScript: false,
            labelText,
            breakLabel
          });
        }
        function endLabeledBlock() {
          Debug.assert(
            peekBlockKind() === 4
            /* Labeled */
          );
          const block = endBlock();
          if (!block.isScript) {
            markLabel(block.breakLabel);
          }
        }
        function supportsUnlabeledBreak(block) {
          return block.kind === 2 || block.kind === 3;
        }
        function supportsLabeledBreakOrContinue(block) {
          return block.kind === 4;
        }
        function supportsUnlabeledContinue(block) {
          return block.kind === 3;
        }
        function hasImmediateContainingLabeledBlock(labelText, start) {
          for (let j = start; j >= 0; j--) {
            const containingBlock = blockStack[j];
            if (supportsLabeledBreakOrContinue(containingBlock)) {
              if (containingBlock.labelText === labelText) {
                return true;
              }
            } else {
              break;
            }
          }
          return false;
        }
        function findBreakTarget(labelText) {
          if (blockStack) {
            if (labelText) {
              for (let i = blockStack.length - 1; i >= 0; i--) {
                const block = blockStack[i];
                if (supportsLabeledBreakOrContinue(block) && block.labelText === labelText) {
                  return block.breakLabel;
                } else if (supportsUnlabeledBreak(block) && hasImmediateContainingLabeledBlock(labelText, i - 1)) {
                  return block.breakLabel;
                }
              }
            } else {
              for (let i = blockStack.length - 1; i >= 0; i--) {
                const block = blockStack[i];
                if (supportsUnlabeledBreak(block)) {
                  return block.breakLabel;
                }
              }
            }
          }
          return 0;
        }
        function findContinueTarget(labelText) {
          if (blockStack) {
            if (labelText) {
              for (let i = blockStack.length - 1; i >= 0; i--) {
                const block = blockStack[i];
                if (supportsUnlabeledContinue(block) && hasImmediateContainingLabeledBlock(labelText, i - 1)) {
                  return block.continueLabel;
                }
              }
            } else {
              for (let i = blockStack.length - 1; i >= 0; i--) {
                const block = blockStack[i];
                if (supportsUnlabeledContinue(block)) {
                  return block.continueLabel;
                }
              }
            }
          }
          return 0;
        }
        function createLabel(label) {
          if (label !== void 0 && label > 0) {
            if (labelExpressions === void 0) {
              labelExpressions = [];
            }
            const expression = factory2.createNumericLiteral(Number.MAX_SAFE_INTEGER);
            if (labelExpressions[label] === void 0) {
              labelExpressions[label] = [expression];
            } else {
              labelExpressions[label].push(expression);
            }
            return expression;
          }
          return factory2.createOmittedExpression();
        }
        function createInstruction(instruction) {
          const literal = factory2.createNumericLiteral(instruction);
          addSyntheticTrailingComment(literal, 3, getInstructionName(instruction));
          return literal;
        }
        function createInlineBreak(label, location) {
          Debug.assertLessThan(0, label, "Invalid label");
          return setTextRange(
            factory2.createReturnStatement(
              factory2.createArrayLiteralExpression([
                createInstruction(
                  3
                  /* Break */
                ),
                createLabel(label)
              ])
            ),
            location
          );
        }
        function createInlineReturn(expression, location) {
          return setTextRange(
            factory2.createReturnStatement(
              factory2.createArrayLiteralExpression(
                expression ? [createInstruction(
                  2
                  /* Return */
                ), expression] : [createInstruction(
                  2
                  /* Return */
                )]
              )
            ),
            location
          );
        }
        function createGeneratorResume(location) {
          return setTextRange(
            factory2.createCallExpression(
              factory2.createPropertyAccessExpression(state, "sent"),
              /*typeArguments*/
              void 0,
              []
            ),
            location
          );
        }
        function emitNop() {
          emitWorker(
            0
            /* Nop */
          );
        }
        function emitStatement(node) {
          if (node) {
            emitWorker(1, [node]);
          } else {
            emitNop();
          }
        }
        function emitAssignment(left, right, location) {
          emitWorker(2, [left, right], location);
        }
        function emitBreak(label, location) {
          emitWorker(3, [label], location);
        }
        function emitBreakWhenTrue(label, condition, location) {
          emitWorker(4, [label, condition], location);
        }
        function emitBreakWhenFalse(label, condition, location) {
          emitWorker(5, [label, condition], location);
        }
        function emitYieldStar(expression, location) {
          emitWorker(7, [expression], location);
        }
        function emitYield(expression, location) {
          emitWorker(6, [expression], location);
        }
        function emitReturn(expression, location) {
          emitWorker(8, [expression], location);
        }
        function emitThrow(expression, location) {
          emitWorker(9, [expression], location);
        }
        function emitEndfinally() {
          emitWorker(
            10
            /* Endfinally */
          );
        }
        function emitWorker(code, args, location) {
          if (operations2 === void 0) {
            operations2 = [];
            operationArguments = [];
            operationLocations = [];
          }
          if (labelOffsets === void 0) {
            markLabel(defineLabel());
          }
          const operationIndex = operations2.length;
          operations2[operationIndex] = code;
          operationArguments[operationIndex] = args;
          operationLocations[operationIndex] = location;
        }
        function build2() {
          blockIndex = 0;
          labelNumber = 0;
          labelNumbers = void 0;
          lastOperationWasAbrupt = false;
          lastOperationWasCompletion = false;
          clauses = void 0;
          statements = void 0;
          exceptionBlockStack = void 0;
          currentExceptionBlock = void 0;
          withBlockStack = void 0;
          const buildResult = buildStatements();
          return emitHelpers().createGeneratorHelper(
            setEmitFlags(
              factory2.createFunctionExpression(
                /*modifiers*/
                void 0,
                /*asteriskToken*/
                void 0,
                /*name*/
                void 0,
                /*typeParameters*/
                void 0,
                [factory2.createParameterDeclaration(
                  /*modifiers*/
                  void 0,
                  /*dotDotDotToken*/
                  void 0,
                  state
                )],
                /*type*/
                void 0,
                factory2.createBlock(
                  buildResult,
                  /*multiLine*/
                  buildResult.length > 0
                )
              ),
              1048576
              /* ReuseTempVariableScope */
            )
          );
        }
        function buildStatements() {
          if (operations2) {
            for (let operationIndex = 0; operationIndex < operations2.length; operationIndex++) {
              writeOperation(operationIndex);
            }
            flushFinalLabel(operations2.length);
          } else {
            flushFinalLabel(0);
          }
          if (clauses) {
            const labelExpression = factory2.createPropertyAccessExpression(state, "label");
            const switchStatement = factory2.createSwitchStatement(labelExpression, factory2.createCaseBlock(clauses));
            return [startOnNewLine(switchStatement)];
          }
          if (statements) {
            return statements;
          }
          return [];
        }
        function flushLabel() {
          if (!statements) {
            return;
          }
          appendLabel(
            /*markLabelEnd*/
            !lastOperationWasAbrupt
          );
          lastOperationWasAbrupt = false;
          lastOperationWasCompletion = false;
          labelNumber++;
        }
        function flushFinalLabel(operationIndex) {
          if (isFinalLabelReachable(operationIndex)) {
            tryEnterLabel(operationIndex);
            withBlockStack = void 0;
            writeReturn(
              /*expression*/
              void 0,
              /*operationLocation*/
              void 0
            );
          }
          if (statements && clauses) {
            appendLabel(
              /*markLabelEnd*/
              false
            );
          }
          updateLabelExpressions();
        }
        function isFinalLabelReachable(operationIndex) {
          if (!lastOperationWasCompletion) {
            return true;
          }
          if (!labelOffsets || !labelExpressions) {
            return false;
          }
          for (let label = 0; label < labelOffsets.length; label++) {
            if (labelOffsets[label] === operationIndex && labelExpressions[label]) {
              return true;
            }
          }
          return false;
        }
        function appendLabel(markLabelEnd) {
          if (!clauses) {
            clauses = [];
          }
          if (statements) {
            if (withBlockStack) {
              for (let i = withBlockStack.length - 1; i >= 0; i--) {
                const withBlock = withBlockStack[i];
                statements = [factory2.createWithStatement(withBlock.expression, factory2.createBlock(statements))];
              }
            }
            if (currentExceptionBlock) {
              const { startLabel, catchLabel, finallyLabel, endLabel } = currentExceptionBlock;
              statements.unshift(
                factory2.createExpressionStatement(
                  factory2.createCallExpression(
                    factory2.createPropertyAccessExpression(factory2.createPropertyAccessExpression(state, "trys"), "push"),
                    /*typeArguments*/
                    void 0,
                    [
                      factory2.createArrayLiteralExpression([
                        createLabel(startLabel),
                        createLabel(catchLabel),
                        createLabel(finallyLabel),
                        createLabel(endLabel)
                      ])
                    ]
                  )
                )
              );
              currentExceptionBlock = void 0;
            }
            if (markLabelEnd) {
              statements.push(
                factory2.createExpressionStatement(
                  factory2.createAssignment(
                    factory2.createPropertyAccessExpression(state, "label"),
                    factory2.createNumericLiteral(labelNumber + 1)
                  )
                )
              );
            }
          }
          clauses.push(
            factory2.createCaseClause(
              factory2.createNumericLiteral(labelNumber),
              statements || []
            )
          );
          statements = void 0;
        }
        function tryEnterLabel(operationIndex) {
          if (!labelOffsets) {
            return;
          }
          for (let label = 0; label < labelOffsets.length; label++) {
            if (labelOffsets[label] === operationIndex) {
              flushLabel();
              if (labelNumbers === void 0) {
                labelNumbers = [];
              }
              if (labelNumbers[labelNumber] === void 0) {
                labelNumbers[labelNumber] = [label];
              } else {
                labelNumbers[labelNumber].push(label);
              }
            }
          }
        }
        function updateLabelExpressions() {
          if (labelExpressions !== void 0 && labelNumbers !== void 0) {
            for (let labelNumber2 = 0; labelNumber2 < labelNumbers.length; labelNumber2++) {
              const labels = labelNumbers[labelNumber2];
              if (labels !== void 0) {
                for (const label of labels) {
                  const expressions = labelExpressions[label];
                  if (expressions !== void 0) {
                    for (const expression of expressions) {
                      expression.text = String(labelNumber2);
                    }
                  }
                }
              }
            }
          }
        }
        function tryEnterOrLeaveBlock(operationIndex) {
          if (blocks) {
            for (; blockIndex < blockActions.length && blockOffsets[blockIndex] <= operationIndex; blockIndex++) {
              const block = blocks[blockIndex];
              const blockAction = blockActions[blockIndex];
              switch (block.kind) {
                case 0:
                  if (blockAction === 0) {
                    if (!exceptionBlockStack) {
                      exceptionBlockStack = [];
                    }
                    if (!statements) {
                      statements = [];
                    }
                    exceptionBlockStack.push(currentExceptionBlock);
                    currentExceptionBlock = block;
                  } else if (blockAction === 1) {
                    currentExceptionBlock = exceptionBlockStack.pop();
                  }
                  break;
                case 1:
                  if (blockAction === 0) {
                    if (!withBlockStack) {
                      withBlockStack = [];
                    }
                    withBlockStack.push(block);
                  } else if (blockAction === 1) {
                    withBlockStack.pop();
                  }
                  break;
              }
            }
          }
        }
        function writeOperation(operationIndex) {
          tryEnterLabel(operationIndex);
          tryEnterOrLeaveBlock(operationIndex);
          if (lastOperationWasAbrupt) {
            return;
          }
          lastOperationWasAbrupt = false;
          lastOperationWasCompletion = false;
          const opcode = operations2[operationIndex];
          if (opcode === 0) {
            return;
          } else if (opcode === 10) {
            return writeEndfinally();
          }
          const args = operationArguments[operationIndex];
          if (opcode === 1) {
            return writeStatement(args[0]);
          }
          const location = operationLocations[operationIndex];
          switch (opcode) {
            case 2:
              return writeAssign(args[0], args[1], location);
            case 3:
              return writeBreak(args[0], location);
            case 4:
              return writeBreakWhenTrue(args[0], args[1], location);
            case 5:
              return writeBreakWhenFalse(args[0], args[1], location);
            case 6:
              return writeYield(args[0], location);
            case 7:
              return writeYieldStar(args[0], location);
            case 8:
              return writeReturn(args[0], location);
            case 9:
              return writeThrow(args[0], location);
          }
        }
        function writeStatement(statement) {
          if (statement) {
            if (!statements) {
              statements = [statement];
            } else {
              statements.push(statement);
            }
          }
        }
        function writeAssign(left, right, operationLocation) {
          writeStatement(setTextRange(factory2.createExpressionStatement(factory2.createAssignment(left, right)), operationLocation));
        }
        function writeThrow(expression, operationLocation) {
          lastOperationWasAbrupt = true;
          lastOperationWasCompletion = true;
          writeStatement(setTextRange(factory2.createThrowStatement(expression), operationLocation));
        }
        function writeReturn(expression, operationLocation) {
          lastOperationWasAbrupt = true;
          lastOperationWasCompletion = true;
          writeStatement(
            setEmitFlags(
              setTextRange(
                factory2.createReturnStatement(
                  factory2.createArrayLiteralExpression(
                    expression ? [createInstruction(
                      2
                      /* Return */
                    ), expression] : [createInstruction(
                      2
                      /* Return */
                    )]
                  )
                ),
                operationLocation
              ),
              768
              /* NoTokenSourceMaps */
            )
          );
        }
        function writeBreak(label, operationLocation) {
          lastOperationWasAbrupt = true;
          writeStatement(
            setEmitFlags(
              setTextRange(
                factory2.createReturnStatement(
                  factory2.createArrayLiteralExpression([
                    createInstruction(
                      3
                      /* Break */
                    ),
                    createLabel(label)
                  ])
                ),
                operationLocation
              ),
              768
              /* NoTokenSourceMaps */
            )
          );
        }
        function writeBreakWhenTrue(label, condition, operationLocation) {
          writeStatement(
            setEmitFlags(
              factory2.createIfStatement(
                condition,
                setEmitFlags(
                  setTextRange(
                    factory2.createReturnStatement(
                      factory2.createArrayLiteralExpression([
                        createInstruction(
                          3
                          /* Break */
                        ),
                        createLabel(label)
                      ])
                    ),
                    operationLocation
                  ),
                  768
                  /* NoTokenSourceMaps */
                )
              ),
              1
              /* SingleLine */
            )
          );
        }
        function writeBreakWhenFalse(label, condition, operationLocation) {
          writeStatement(
            setEmitFlags(
              factory2.createIfStatement(
                factory2.createLogicalNot(condition),
                setEmitFlags(
                  setTextRange(
                    factory2.createReturnStatement(
                      factory2.createArrayLiteralExpression([
                        createInstruction(
                          3
                          /* Break */
                        ),
                        createLabel(label)
                      ])
                    ),
                    operationLocation
                  ),
                  768
                  /* NoTokenSourceMaps */
                )
              ),
              1
              /* SingleLine */
            )
          );
        }
        function writeYield(expression, operationLocation) {
          lastOperationWasAbrupt = true;
          writeStatement(
            setEmitFlags(
              setTextRange(
                factory2.createReturnStatement(
                  factory2.createArrayLiteralExpression(
                    expression ? [createInstruction(
                      4
                      /* Yield */
                    ), expression] : [createInstruction(
                      4
                      /* Yield */
                    )]
                  )
                ),
                operationLocation
              ),
              768
              /* NoTokenSourceMaps */
            )
          );
        }
        function writeYieldStar(expression, operationLocation) {
          lastOperationWasAbrupt = true;
          writeStatement(
            setEmitFlags(
              setTextRange(
                factory2.createReturnStatement(
                  factory2.createArrayLiteralExpression([
                    createInstruction(
                      5
                      /* YieldStar */
                    ),
                    expression
                  ])
                ),
                operationLocation
              ),
              768
              /* NoTokenSourceMaps */
            )
          );
        }
        function writeEndfinally() {
          lastOperationWasAbrupt = true;
          writeStatement(
            factory2.createReturnStatement(
              factory2.createArrayLiteralExpression([
                createInstruction(
                  7
                  /* Endfinally */
                )
              ])
            )
          );
        }
      }
      function transformModule(context) {
        function getTransformModuleDelegate(moduleKind2) {
          switch (moduleKind2) {
            case 2:
              return transformAMDModule;
            case 3:
              return transformUMDModule;
            default:
              return transformCommonJSModule;
          }
        }
        const {
          factory: factory2,
          getEmitHelperFactory: emitHelpers,
          startLexicalEnvironment,
          endLexicalEnvironment,
          hoistVariableDeclaration
        } = context;
        const compilerOptions = context.getCompilerOptions();
        const resolver = context.getEmitResolver();
        const host = context.getEmitHost();
        const languageVersion = getEmitScriptTarget(compilerOptions);
        const moduleKind = getEmitModuleKind(compilerOptions);
        const previousOnSubstituteNode = context.onSubstituteNode;
        const previousOnEmitNode = context.onEmitNode;
        context.onSubstituteNode = onSubstituteNode;
        context.onEmitNode = onEmitNode;
        context.enableSubstitution(
          213
          /* CallExpression */
        );
        context.enableSubstitution(
          215
          /* TaggedTemplateExpression */
        );
        context.enableSubstitution(
          80
          /* Identifier */
        );
        context.enableSubstitution(
          226
          /* BinaryExpression */
        );
        context.enableSubstitution(
          304
          /* ShorthandPropertyAssignment */
        );
        context.enableEmitNotification(
          307
          /* SourceFile */
        );
        const moduleInfoMap = [];
        let currentSourceFile;
        let currentModuleInfo;
        const noSubstitution = [];
        let needUMDDynamicImportHelper;
        return chainBundle(context, transformSourceFile);
        function transformSourceFile(node) {
          if (node.isDeclarationFile || !(isEffectiveExternalModule(node, compilerOptions) || node.transformFlags & 8388608 || isJsonSourceFile(node) && hasJsonModuleEmitEnabled(compilerOptions) && compilerOptions.outFile)) {
            return node;
          }
          currentSourceFile = node;
          currentModuleInfo = collectExternalModuleInfo(context, node);
          moduleInfoMap[getOriginalNodeId(node)] = currentModuleInfo;
          const transformModule2 = getTransformModuleDelegate(moduleKind);
          const updated = transformModule2(node);
          currentSourceFile = void 0;
          currentModuleInfo = void 0;
          needUMDDynamicImportHelper = false;
          return updated;
        }
        function shouldEmitUnderscoreUnderscoreESModule() {
          if (hasJSFileExtension(currentSourceFile.fileName) && currentSourceFile.commonJsModuleIndicator && (!currentSourceFile.externalModuleIndicator || currentSourceFile.externalModuleIndicator === true)) {
            return false;
          }
          if (!currentModuleInfo.exportEquals && isExternalModule(currentSourceFile)) {
            return true;
          }
          return false;
        }
        function transformCommonJSModule(node) {
          startLexicalEnvironment();
          const statements = [];
          const ensureUseStrict = getStrictOptionValue(compilerOptions, "alwaysStrict") || isExternalModule(currentSourceFile);
          const statementOffset = factory2.copyPrologue(node.statements, statements, ensureUseStrict && !isJsonSourceFile(node), topLevelVisitor);
          if (shouldEmitUnderscoreUnderscoreESModule()) {
            append(statements, createUnderscoreUnderscoreESModule());
          }
          if (some(currentModuleInfo.exportedNames)) {
            const chunkSize = 50;
            for (let i = 0; i < currentModuleInfo.exportedNames.length; i += chunkSize) {
              append(
                statements,
                factory2.createExpressionStatement(
                  reduceLeft(
                    currentModuleInfo.exportedNames.slice(i, i + chunkSize),
                    (prev, nextId) => factory2.createAssignment(factory2.createPropertyAccessExpression(factory2.createIdentifier("exports"), factory2.createIdentifier(idText(nextId))), prev),
                    factory2.createVoidZero()
                  )
                )
              );
            }
          }
          for (const f of currentModuleInfo.exportedFunctions) {
            appendExportsOfHoistedDeclaration(statements, f);
          }
          append(statements, visitNode(currentModuleInfo.externalHelpersImportDeclaration, topLevelVisitor, isStatement));
          addRange(statements, visitNodes2(node.statements, topLevelVisitor, isStatement, statementOffset));
          addExportEqualsIfNeeded(
            statements,
            /*emitAsReturn*/
            false
          );
          insertStatementsAfterStandardPrologue(statements, endLexicalEnvironment());
          const updated = factory2.updateSourceFile(node, setTextRange(factory2.createNodeArray(statements), node.statements));
          addEmitHelpers(updated, context.readEmitHelpers());
          return updated;
        }
        function transformAMDModule(node) {
          const define2 = factory2.createIdentifier("define");
          const moduleName = tryGetModuleNameFromFile(factory2, node, host, compilerOptions);
          const jsonSourceFile = isJsonSourceFile(node) && node;
          const { aliasedModuleNames, unaliasedModuleNames, importAliasNames } = collectAsynchronousDependencies(
            node,
            /*includeNonAmdDependencies*/
            true
          );
          const updated = factory2.updateSourceFile(
            node,
            setTextRange(
              factory2.createNodeArray([
                factory2.createExpressionStatement(
                  factory2.createCallExpression(
                    define2,
                    /*typeArguments*/
                    void 0,
                    [
                      // Add the module name (if provided).
                      ...moduleName ? [moduleName] : [],
                      // Add the dependency array argument:
                      //
                      //     ["require", "exports", module1", "module2", ...]
                      factory2.createArrayLiteralExpression(
                        jsonSourceFile ? emptyArray : [
                          factory2.createStringLiteral("require"),
                          factory2.createStringLiteral("exports"),
                          ...aliasedModuleNames,
                          ...unaliasedModuleNames
                        ]
                      ),
                      // Add the module body function argument:
                      //
                      //     function (require, exports, module1, module2) ...
                      jsonSourceFile ? jsonSourceFile.statements.length ? jsonSourceFile.statements[0].expression : factory2.createObjectLiteralExpression() : factory2.createFunctionExpression(
                        /*modifiers*/
                        void 0,
                        /*asteriskToken*/
                        void 0,
                        /*name*/
                        void 0,
                        /*typeParameters*/
                        void 0,
                        [
                          factory2.createParameterDeclaration(
                            /*modifiers*/
                            void 0,
                            /*dotDotDotToken*/
                            void 0,
                            "require"
                          ),
                          factory2.createParameterDeclaration(
                            /*modifiers*/
                            void 0,
                            /*dotDotDotToken*/
                            void 0,
                            "exports"
                          ),
                          ...importAliasNames
                        ],
                        /*type*/
                        void 0,
                        transformAsynchronousModuleBody(node)
                      )
                    ]
                  )
                )
              ]),
              /*location*/
              node.statements
            )
          );
          addEmitHelpers(updated, context.readEmitHelpers());
          return updated;
        }
        function transformUMDModule(node) {
          const { aliasedModuleNames, unaliasedModuleNames, importAliasNames } = collectAsynchronousDependencies(
            node,
            /*includeNonAmdDependencies*/
            false
          );
          const moduleName = tryGetModuleNameFromFile(factory2, node, host, compilerOptions);
          const umdHeader = factory2.createFunctionExpression(
            /*modifiers*/
            void 0,
            /*asteriskToken*/
            void 0,
            /*name*/
            void 0,
            /*typeParameters*/
            void 0,
            [factory2.createParameterDeclaration(
              /*modifiers*/
              void 0,
              /*dotDotDotToken*/
              void 0,
              "factory"
            )],
            /*type*/
            void 0,
            setTextRange(
              factory2.createBlock(
                [
                  factory2.createIfStatement(
                    factory2.createLogicalAnd(
                      factory2.createTypeCheck(factory2.createIdentifier("module"), "object"),
                      factory2.createTypeCheck(factory2.createPropertyAccessExpression(factory2.createIdentifier("module"), "exports"), "object")
                    ),
                    factory2.createBlock([
                      factory2.createVariableStatement(
                        /*modifiers*/
                        void 0,
                        [
                          factory2.createVariableDeclaration(
                            "v",
                            /*exclamationToken*/
                            void 0,
                            /*type*/
                            void 0,
                            factory2.createCallExpression(
                              factory2.createIdentifier("factory"),
                              /*typeArguments*/
                              void 0,
                              [
                                factory2.createIdentifier("require"),
                                factory2.createIdentifier("exports")
                              ]
                            )
                          )
                        ]
                      ),
                      setEmitFlags(
                        factory2.createIfStatement(
                          factory2.createStrictInequality(
                            factory2.createIdentifier("v"),
                            factory2.createIdentifier("undefined")
                          ),
                          factory2.createExpressionStatement(
                            factory2.createAssignment(
                              factory2.createPropertyAccessExpression(factory2.createIdentifier("module"), "exports"),
                              factory2.createIdentifier("v")
                            )
                          )
                        ),
                        1
                        /* SingleLine */
                      )
                    ]),
                    factory2.createIfStatement(
                      factory2.createLogicalAnd(
                        factory2.createTypeCheck(factory2.createIdentifier("define"), "function"),
                        factory2.createPropertyAccessExpression(factory2.createIdentifier("define"), "amd")
                      ),
                      factory2.createBlock([
                        factory2.createExpressionStatement(
                          factory2.createCallExpression(
                            factory2.createIdentifier("define"),
                            /*typeArguments*/
                            void 0,
                            [
                              // Add the module name (if provided).
                              ...moduleName ? [moduleName] : [],
                              factory2.createArrayLiteralExpression([
                                factory2.createStringLiteral("require"),
                                factory2.createStringLiteral("exports"),
                                ...aliasedModuleNames,
                                ...unaliasedModuleNames
                              ]),
                              factory2.createIdentifier("factory")
                            ]
                          )
                        )
                      ])
                    )
                  )
                ],
                /*multiLine*/
                true
              ),
              /*location*/
              void 0
            )
          );
          const updated = factory2.updateSourceFile(
            node,
            setTextRange(
              factory2.createNodeArray([
                factory2.createExpressionStatement(
                  factory2.createCallExpression(
                    umdHeader,
                    /*typeArguments*/
                    void 0,
                    [
                      // Add the module body function argument:
                      //
                      //     function (require, exports) ...
                      factory2.createFunctionExpression(
                        /*modifiers*/
                        void 0,
                        /*asteriskToken*/
                        void 0,
                        /*name*/
                        void 0,
                        /*typeParameters*/
                        void 0,
                        [
                          factory2.createParameterDeclaration(
                            /*modifiers*/
                            void 0,
                            /*dotDotDotToken*/
                            void 0,
                            "require"
                          ),
                          factory2.createParameterDeclaration(
                            /*modifiers*/
                            void 0,
                            /*dotDotDotToken*/
                            void 0,
                            "exports"
                          ),
                          ...importAliasNames
                        ],
                        /*type*/
                        void 0,
                        transformAsynchronousModuleBody(node)
                      )
                    ]
                  )
                )
              ]),
              /*location*/
              node.statements
            )
          );
          addEmitHelpers(updated, context.readEmitHelpers());
          return updated;
        }
        function collectAsynchronousDependencies(node, includeNonAmdDependencies) {
          const aliasedModuleNames = [];
          const unaliasedModuleNames = [];
          const importAliasNames = [];
          for (const amdDependency of node.amdDependencies) {
            if (amdDependency.name) {
              aliasedModuleNames.push(factory2.createStringLiteral(amdDependency.path));
              importAliasNames.push(factory2.createParameterDeclaration(
                /*modifiers*/
                void 0,
                /*dotDotDotToken*/
                void 0,
                amdDependency.name
              ));
            } else {
              unaliasedModuleNames.push(factory2.createStringLiteral(amdDependency.path));
            }
          }
          for (const importNode of currentModuleInfo.externalImports) {
            const externalModuleName = getExternalModuleNameLiteral(factory2, importNode, currentSourceFile, host, resolver, compilerOptions);
            const importAliasName = getLocalNameForExternalImport(factory2, importNode, currentSourceFile);
            if (externalModuleName) {
              if (includeNonAmdDependencies && importAliasName) {
                setEmitFlags(
                  importAliasName,
                  8
                  /* NoSubstitution */
                );
                aliasedModuleNames.push(externalModuleName);
                importAliasNames.push(factory2.createParameterDeclaration(
                  /*modifiers*/
                  void 0,
                  /*dotDotDotToken*/
                  void 0,
                  importAliasName
                ));
              } else {
                unaliasedModuleNames.push(externalModuleName);
              }
            }
          }
          return { aliasedModuleNames, unaliasedModuleNames, importAliasNames };
        }
        function getAMDImportExpressionForImport(node) {
          if (isImportEqualsDeclaration(node) || isExportDeclaration(node) || !getExternalModuleNameLiteral(factory2, node, currentSourceFile, host, resolver, compilerOptions)) {
            return void 0;
          }
          const name = getLocalNameForExternalImport(factory2, node, currentSourceFile);
          const expr = getHelperExpressionForImport(node, name);
          if (expr === name) {
            return void 0;
          }
          return factory2.createExpressionStatement(factory2.createAssignment(name, expr));
        }
        function transformAsynchronousModuleBody(node) {
          startLexicalEnvironment();
          const statements = [];
          const statementOffset = factory2.copyPrologue(
            node.statements,
            statements,
            /*ensureUseStrict*/
            true,
            topLevelVisitor
          );
          if (shouldEmitUnderscoreUnderscoreESModule()) {
            append(statements, createUnderscoreUnderscoreESModule());
          }
          if (some(currentModuleInfo.exportedNames)) {
            append(statements, factory2.createExpressionStatement(reduceLeft(currentModuleInfo.exportedNames, (prev, nextId) => factory2.createAssignment(factory2.createPropertyAccessExpression(factory2.createIdentifier("exports"), factory2.createIdentifier(idText(nextId))), prev), factory2.createVoidZero())));
          }
          for (const f of currentModuleInfo.exportedFunctions) {
            appendExportsOfHoistedDeclaration(statements, f);
          }
          append(statements, visitNode(currentModuleInfo.externalHelpersImportDeclaration, topLevelVisitor, isStatement));
          if (moduleKind === 2) {
            addRange(statements, mapDefined(currentModuleInfo.externalImports, getAMDImportExpressionForImport));
          }
          addRange(statements, visitNodes2(node.statements, topLevelVisitor, isStatement, statementOffset));
          addExportEqualsIfNeeded(
            statements,
            /*emitAsReturn*/
            true
          );
          insertStatementsAfterStandardPrologue(statements, endLexicalEnvironment());
          const body = factory2.createBlock(
            statements,
            /*multiLine*/
            true
          );
          if (needUMDDynamicImportHelper) {
            addEmitHelper(body, dynamicImportUMDHelper);
          }
          return body;
        }
        function addExportEqualsIfNeeded(statements, emitAsReturn) {
          if (currentModuleInfo.exportEquals) {
            const expressionResult = visitNode(currentModuleInfo.exportEquals.expression, visitor2, isExpression);
            if (expressionResult) {
              if (emitAsReturn) {
                const statement = factory2.createReturnStatement(expressionResult);
                setTextRange(statement, currentModuleInfo.exportEquals);
                setEmitFlags(
                  statement,
                  768 | 3072
                  /* NoComments */
                );
                statements.push(statement);
              } else {
                const statement = factory2.createExpressionStatement(
                  factory2.createAssignment(
                    factory2.createPropertyAccessExpression(
                      factory2.createIdentifier("module"),
                      "exports"
                    ),
                    expressionResult
                  )
                );
                setTextRange(statement, currentModuleInfo.exportEquals);
                setEmitFlags(
                  statement,
                  3072
                  /* NoComments */
                );
                statements.push(statement);
              }
            }
          }
        }
        function topLevelVisitor(node) {
          switch (node.kind) {
            case 272:
              return visitTopLevelImportDeclaration(node);
            case 271:
              return visitTopLevelImportEqualsDeclaration(node);
            case 278:
              return visitTopLevelExportDeclaration(node);
            case 277:
              return visitTopLevelExportAssignment(node);
            default:
              return topLevelNestedVisitor(node);
          }
        }
        function topLevelNestedVisitor(node) {
          switch (node.kind) {
            case 243:
              return visitVariableStatement(node);
            case 262:
              return visitFunctionDeclaration(node);
            case 263:
              return visitClassDeclaration(node);
            case 248:
              return visitForStatement(
                node,
                /*isTopLevel*/
                true
              );
            case 249:
              return visitForInStatement(node);
            case 250:
              return visitForOfStatement(node);
            case 246:
              return visitDoStatement(node);
            case 247:
              return visitWhileStatement(node);
            case 256:
              return visitLabeledStatement(node);
            case 254:
              return visitWithStatement(node);
            case 245:
              return visitIfStatement(node);
            case 255:
              return visitSwitchStatement(node);
            case 269:
              return visitCaseBlock(node);
            case 296:
              return visitCaseClause(node);
            case 297:
              return visitDefaultClause(node);
            case 258:
              return visitTryStatement(node);
            case 299:
              return visitCatchClause(node);
            case 241:
              return visitBlock(node);
            default:
              return visitor2(node);
          }
        }
        function visitorWorker(node, valueIsDiscarded) {
          if (!(node.transformFlags & (8388608 | 4096 | 268435456))) {
            return node;
          }
          switch (node.kind) {
            case 248:
              return visitForStatement(
                node,
                /*isTopLevel*/
                false
              );
            case 244:
              return visitExpressionStatement(node);
            case 217:
              return visitParenthesizedExpression(node, valueIsDiscarded);
            case 354:
              return visitPartiallyEmittedExpression(node, valueIsDiscarded);
            case 213:
              if (isImportCall(node) && currentSourceFile.impliedNodeFormat === void 0) {
                return visitImportCallExpression(node);
              }
              break;
            case 226:
              if (isDestructuringAssignment(node)) {
                return visitDestructuringAssignment(node, valueIsDiscarded);
              }
              break;
            case 224:
            case 225:
              return visitPreOrPostfixUnaryExpression(node, valueIsDiscarded);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitor2(node) {
          return visitorWorker(
            node,
            /*valueIsDiscarded*/
            false
          );
        }
        function discardedValueVisitor(node) {
          return visitorWorker(
            node,
            /*valueIsDiscarded*/
            true
          );
        }
        function destructuringNeedsFlattening(node) {
          if (isObjectLiteralExpression(node)) {
            for (const elem of node.properties) {
              switch (elem.kind) {
                case 303:
                  if (destructuringNeedsFlattening(elem.initializer)) {
                    return true;
                  }
                  break;
                case 304:
                  if (destructuringNeedsFlattening(elem.name)) {
                    return true;
                  }
                  break;
                case 305:
                  if (destructuringNeedsFlattening(elem.expression)) {
                    return true;
                  }
                  break;
                case 174:
                case 177:
                case 178:
                  return false;
                default:
                  Debug.assertNever(elem, "Unhandled object member kind");
              }
            }
          } else if (isArrayLiteralExpression(node)) {
            for (const elem of node.elements) {
              if (isSpreadElement(elem)) {
                if (destructuringNeedsFlattening(elem.expression)) {
                  return true;
                }
              } else if (destructuringNeedsFlattening(elem)) {
                return true;
              }
            }
          } else if (isIdentifier(node)) {
            return length(getExports2(node)) > (isExportName(node) ? 1 : 0);
          }
          return false;
        }
        function visitDestructuringAssignment(node, valueIsDiscarded) {
          if (destructuringNeedsFlattening(node.left)) {
            return flattenDestructuringAssignment(node, visitor2, context, 0, !valueIsDiscarded, createAllExportExpressions);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitForStatement(node, isTopLevel) {
          if (isTopLevel && node.initializer && isVariableDeclarationList(node.initializer) && !(node.initializer.flags & 7)) {
            const exportStatements = appendExportsOfVariableDeclarationList(
              /*statements*/
              void 0,
              node.initializer,
              /*isForInOrOfInitializer*/
              false
            );
            if (exportStatements) {
              const statements = [];
              const varDeclList = visitNode(node.initializer, discardedValueVisitor, isVariableDeclarationList);
              const varStatement = factory2.createVariableStatement(
                /*modifiers*/
                void 0,
                varDeclList
              );
              statements.push(varStatement);
              addRange(statements, exportStatements);
              const condition = visitNode(node.condition, visitor2, isExpression);
              const incrementor = visitNode(node.incrementor, discardedValueVisitor, isExpression);
              const body = visitIterationBody(node.statement, isTopLevel ? topLevelNestedVisitor : visitor2, context);
              statements.push(factory2.updateForStatement(
                node,
                /*initializer*/
                void 0,
                condition,
                incrementor,
                body
              ));
              return statements;
            }
          }
          return factory2.updateForStatement(
            node,
            visitNode(node.initializer, discardedValueVisitor, isForInitializer),
            visitNode(node.condition, visitor2, isExpression),
            visitNode(node.incrementor, discardedValueVisitor, isExpression),
            visitIterationBody(node.statement, isTopLevel ? topLevelNestedVisitor : visitor2, context)
          );
        }
        function visitForInStatement(node) {
          if (isVariableDeclarationList(node.initializer) && !(node.initializer.flags & 7)) {
            const exportStatements = appendExportsOfVariableDeclarationList(
              /*statements*/
              void 0,
              node.initializer,
              /*isForInOrOfInitializer*/
              true
            );
            if (some(exportStatements)) {
              const initializer = visitNode(node.initializer, discardedValueVisitor, isForInitializer);
              const expression = visitNode(node.expression, visitor2, isExpression);
              const body = visitIterationBody(node.statement, topLevelNestedVisitor, context);
              const mergedBody = isBlock(body) ? factory2.updateBlock(body, [...exportStatements, ...body.statements]) : factory2.createBlock(
                [...exportStatements, body],
                /*multiLine*/
                true
              );
              return factory2.updateForInStatement(node, initializer, expression, mergedBody);
            }
          }
          return factory2.updateForInStatement(
            node,
            visitNode(node.initializer, discardedValueVisitor, isForInitializer),
            visitNode(node.expression, visitor2, isExpression),
            visitIterationBody(node.statement, topLevelNestedVisitor, context)
          );
        }
        function visitForOfStatement(node) {
          if (isVariableDeclarationList(node.initializer) && !(node.initializer.flags & 7)) {
            const exportStatements = appendExportsOfVariableDeclarationList(
              /*statements*/
              void 0,
              node.initializer,
              /*isForInOrOfInitializer*/
              true
            );
            const initializer = visitNode(node.initializer, discardedValueVisitor, isForInitializer);
            const expression = visitNode(node.expression, visitor2, isExpression);
            let body = visitIterationBody(node.statement, topLevelNestedVisitor, context);
            if (some(exportStatements)) {
              body = isBlock(body) ? factory2.updateBlock(body, [...exportStatements, ...body.statements]) : factory2.createBlock(
                [...exportStatements, body],
                /*multiLine*/
                true
              );
            }
            return factory2.updateForOfStatement(node, node.awaitModifier, initializer, expression, body);
          }
          return factory2.updateForOfStatement(
            node,
            node.awaitModifier,
            visitNode(node.initializer, discardedValueVisitor, isForInitializer),
            visitNode(node.expression, visitor2, isExpression),
            visitIterationBody(node.statement, topLevelNestedVisitor, context)
          );
        }
        function visitDoStatement(node) {
          return factory2.updateDoStatement(
            node,
            visitIterationBody(node.statement, topLevelNestedVisitor, context),
            visitNode(node.expression, visitor2, isExpression)
          );
        }
        function visitWhileStatement(node) {
          return factory2.updateWhileStatement(
            node,
            visitNode(node.expression, visitor2, isExpression),
            visitIterationBody(node.statement, topLevelNestedVisitor, context)
          );
        }
        function visitLabeledStatement(node) {
          return factory2.updateLabeledStatement(
            node,
            node.label,
            Debug.checkDefined(visitNode(node.statement, topLevelNestedVisitor, isStatement, factory2.liftToBlock))
          );
        }
        function visitWithStatement(node) {
          return factory2.updateWithStatement(
            node,
            visitNode(node.expression, visitor2, isExpression),
            Debug.checkDefined(visitNode(node.statement, topLevelNestedVisitor, isStatement, factory2.liftToBlock))
          );
        }
        function visitIfStatement(node) {
          return factory2.updateIfStatement(
            node,
            visitNode(node.expression, visitor2, isExpression),
            Debug.checkDefined(visitNode(node.thenStatement, topLevelNestedVisitor, isStatement, factory2.liftToBlock)),
            visitNode(node.elseStatement, topLevelNestedVisitor, isStatement, factory2.liftToBlock)
          );
        }
        function visitSwitchStatement(node) {
          return factory2.updateSwitchStatement(
            node,
            visitNode(node.expression, visitor2, isExpression),
            Debug.checkDefined(visitNode(node.caseBlock, topLevelNestedVisitor, isCaseBlock))
          );
        }
        function visitCaseBlock(node) {
          return factory2.updateCaseBlock(
            node,
            visitNodes2(node.clauses, topLevelNestedVisitor, isCaseOrDefaultClause)
          );
        }
        function visitCaseClause(node) {
          return factory2.updateCaseClause(
            node,
            visitNode(node.expression, visitor2, isExpression),
            visitNodes2(node.statements, topLevelNestedVisitor, isStatement)
          );
        }
        function visitDefaultClause(node) {
          return visitEachChild(node, topLevelNestedVisitor, context);
        }
        function visitTryStatement(node) {
          return visitEachChild(node, topLevelNestedVisitor, context);
        }
        function visitCatchClause(node) {
          return factory2.updateCatchClause(
            node,
            node.variableDeclaration,
            Debug.checkDefined(visitNode(node.block, topLevelNestedVisitor, isBlock))
          );
        }
        function visitBlock(node) {
          node = visitEachChild(node, topLevelNestedVisitor, context);
          return node;
        }
        function visitExpressionStatement(node) {
          return factory2.updateExpressionStatement(
            node,
            visitNode(node.expression, discardedValueVisitor, isExpression)
          );
        }
        function visitParenthesizedExpression(node, valueIsDiscarded) {
          return factory2.updateParenthesizedExpression(node, visitNode(node.expression, valueIsDiscarded ? discardedValueVisitor : visitor2, isExpression));
        }
        function visitPartiallyEmittedExpression(node, valueIsDiscarded) {
          return factory2.updatePartiallyEmittedExpression(node, visitNode(node.expression, valueIsDiscarded ? discardedValueVisitor : visitor2, isExpression));
        }
        function visitPreOrPostfixUnaryExpression(node, valueIsDiscarded) {
          if ((node.operator === 46 || node.operator === 47) && isIdentifier(node.operand) && !isGeneratedIdentifier(node.operand) && !isLocalName(node.operand) && !isDeclarationNameOfEnumOrNamespace(node.operand)) {
            const exportedNames = getExports2(node.operand);
            if (exportedNames) {
              let temp;
              let expression = visitNode(node.operand, visitor2, isExpression);
              if (isPrefixUnaryExpression(node)) {
                expression = factory2.updatePrefixUnaryExpression(node, expression);
              } else {
                expression = factory2.updatePostfixUnaryExpression(node, expression);
                if (!valueIsDiscarded) {
                  temp = factory2.createTempVariable(hoistVariableDeclaration);
                  expression = factory2.createAssignment(temp, expression);
                  setTextRange(expression, node);
                }
                expression = factory2.createComma(expression, factory2.cloneNode(node.operand));
                setTextRange(expression, node);
              }
              for (const exportName of exportedNames) {
                noSubstitution[getNodeId(expression)] = true;
                expression = createExportExpression(exportName, expression);
                setTextRange(expression, node);
              }
              if (temp) {
                noSubstitution[getNodeId(expression)] = true;
                expression = factory2.createComma(expression, temp);
                setTextRange(expression, node);
              }
              return expression;
            }
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitImportCallExpression(node) {
          if (moduleKind === 0 && languageVersion >= 7) {
            return visitEachChild(node, visitor2, context);
          }
          const externalModuleName = getExternalModuleNameLiteral(factory2, node, currentSourceFile, host, resolver, compilerOptions);
          const firstArgument = visitNode(firstOrUndefined(node.arguments), visitor2, isExpression);
          const argument = externalModuleName && (!firstArgument || !isStringLiteral2(firstArgument) || firstArgument.text !== externalModuleName.text) ? externalModuleName : firstArgument;
          const containsLexicalThis = !!(node.transformFlags & 16384);
          switch (compilerOptions.module) {
            case 2:
              return createImportCallExpressionAMD(argument, containsLexicalThis);
            case 3:
              return createImportCallExpressionUMD(argument ?? factory2.createVoidZero(), containsLexicalThis);
            case 1:
            default:
              return createImportCallExpressionCommonJS(argument);
          }
        }
        function createImportCallExpressionUMD(arg, containsLexicalThis) {
          needUMDDynamicImportHelper = true;
          if (isSimpleCopiableExpression(arg)) {
            const argClone = isGeneratedIdentifier(arg) ? arg : isStringLiteral2(arg) ? factory2.createStringLiteralFromNode(arg) : setEmitFlags(
              setTextRange(factory2.cloneNode(arg), arg),
              3072
              /* NoComments */
            );
            return factory2.createConditionalExpression(
              /*condition*/
              factory2.createIdentifier("__syncRequire"),
              /*questionToken*/
              void 0,
              /*whenTrue*/
              createImportCallExpressionCommonJS(arg),
              /*colonToken*/
              void 0,
              /*whenFalse*/
              createImportCallExpressionAMD(argClone, containsLexicalThis)
            );
          } else {
            const temp = factory2.createTempVariable(hoistVariableDeclaration);
            return factory2.createComma(
              factory2.createAssignment(temp, arg),
              factory2.createConditionalExpression(
                /*condition*/
                factory2.createIdentifier("__syncRequire"),
                /*questionToken*/
                void 0,
                /*whenTrue*/
                createImportCallExpressionCommonJS(
                  temp,
                  /*isInlineable*/
                  true
                ),
                /*colonToken*/
                void 0,
                /*whenFalse*/
                createImportCallExpressionAMD(temp, containsLexicalThis)
              )
            );
          }
        }
        function createImportCallExpressionAMD(arg, containsLexicalThis) {
          const resolve2 = factory2.createUniqueName("resolve");
          const reject = factory2.createUniqueName("reject");
          const parameters = [
            factory2.createParameterDeclaration(
              /*modifiers*/
              void 0,
              /*dotDotDotToken*/
              void 0,
              /*name*/
              resolve2
            ),
            factory2.createParameterDeclaration(
              /*modifiers*/
              void 0,
              /*dotDotDotToken*/
              void 0,
              /*name*/
              reject
            )
          ];
          const body = factory2.createBlock([
            factory2.createExpressionStatement(
              factory2.createCallExpression(
                factory2.createIdentifier("require"),
                /*typeArguments*/
                void 0,
                [factory2.createArrayLiteralExpression([arg || factory2.createOmittedExpression()]), resolve2, reject]
              )
            )
          ]);
          let func;
          if (languageVersion >= 2) {
            func = factory2.createArrowFunction(
              /*modifiers*/
              void 0,
              /*typeParameters*/
              void 0,
              parameters,
              /*type*/
              void 0,
              /*equalsGreaterThanToken*/
              void 0,
              body
            );
          } else {
            func = factory2.createFunctionExpression(
              /*modifiers*/
              void 0,
              /*asteriskToken*/
              void 0,
              /*name*/
              void 0,
              /*typeParameters*/
              void 0,
              parameters,
              /*type*/
              void 0,
              body
            );
            if (containsLexicalThis) {
              setEmitFlags(
                func,
                16
                /* CapturesThis */
              );
            }
          }
          const promise = factory2.createNewExpression(
            factory2.createIdentifier("Promise"),
            /*typeArguments*/
            void 0,
            [func]
          );
          if (getESModuleInterop(compilerOptions)) {
            return factory2.createCallExpression(
              factory2.createPropertyAccessExpression(promise, factory2.createIdentifier("then")),
              /*typeArguments*/
              void 0,
              [emitHelpers().createImportStarCallbackHelper()]
            );
          }
          return promise;
        }
        function createImportCallExpressionCommonJS(arg, isInlineable) {
          const needSyncEval = arg && !isSimpleInlineableExpression(arg) && !isInlineable;
          const promiseResolveCall = factory2.createCallExpression(
            factory2.createPropertyAccessExpression(factory2.createIdentifier("Promise"), "resolve"),
            /*typeArguments*/
            void 0,
            /*argumentsArray*/
            needSyncEval ? languageVersion >= 2 ? [
              factory2.createTemplateExpression(factory2.createTemplateHead(""), [
                factory2.createTemplateSpan(arg, factory2.createTemplateTail(""))
              ])
            ] : [
              factory2.createCallExpression(
                factory2.createPropertyAccessExpression(factory2.createStringLiteral(""), "concat"),
                /*typeArguments*/
                void 0,
                [arg]
              )
            ] : []
          );
          let requireCall2 = factory2.createCallExpression(
            factory2.createIdentifier("require"),
            /*typeArguments*/
            void 0,
            needSyncEval ? [factory2.createIdentifier("s")] : arg ? [arg] : []
          );
          if (getESModuleInterop(compilerOptions)) {
            requireCall2 = emitHelpers().createImportStarHelper(requireCall2);
          }
          const parameters = needSyncEval ? [
            factory2.createParameterDeclaration(
              /*modifiers*/
              void 0,
              /*dotDotDotToken*/
              void 0,
              /*name*/
              "s"
            )
          ] : [];
          let func;
          if (languageVersion >= 2) {
            func = factory2.createArrowFunction(
              /*modifiers*/
              void 0,
              /*typeParameters*/
              void 0,
              /*parameters*/
              parameters,
              /*type*/
              void 0,
              /*equalsGreaterThanToken*/
              void 0,
              requireCall2
            );
          } else {
            func = factory2.createFunctionExpression(
              /*modifiers*/
              void 0,
              /*asteriskToken*/
              void 0,
              /*name*/
              void 0,
              /*typeParameters*/
              void 0,
              /*parameters*/
              parameters,
              /*type*/
              void 0,
              factory2.createBlock([factory2.createReturnStatement(requireCall2)])
            );
          }
          const downleveledImport = factory2.createCallExpression(
            factory2.createPropertyAccessExpression(promiseResolveCall, "then"),
            /*typeArguments*/
            void 0,
            [func]
          );
          return downleveledImport;
        }
        function getHelperExpressionForExport(node, innerExpr) {
          if (!getESModuleInterop(compilerOptions) || getInternalEmitFlags(node) & 2) {
            return innerExpr;
          }
          if (getExportNeedsImportStarHelper(node)) {
            return emitHelpers().createImportStarHelper(innerExpr);
          }
          return innerExpr;
        }
        function getHelperExpressionForImport(node, innerExpr) {
          if (!getESModuleInterop(compilerOptions) || getInternalEmitFlags(node) & 2) {
            return innerExpr;
          }
          if (getImportNeedsImportStarHelper(node)) {
            return emitHelpers().createImportStarHelper(innerExpr);
          }
          if (getImportNeedsImportDefaultHelper(node)) {
            return emitHelpers().createImportDefaultHelper(innerExpr);
          }
          return innerExpr;
        }
        function visitTopLevelImportDeclaration(node) {
          let statements;
          const namespaceDeclaration = getNamespaceDeclarationNode(node);
          if (moduleKind !== 2) {
            if (!node.importClause) {
              return setOriginalNode(setTextRange(factory2.createExpressionStatement(createRequireCall2(node)), node), node);
            } else {
              const variables = [];
              if (namespaceDeclaration && !isDefaultImport(node)) {
                variables.push(
                  factory2.createVariableDeclaration(
                    factory2.cloneNode(namespaceDeclaration.name),
                    /*exclamationToken*/
                    void 0,
                    /*type*/
                    void 0,
                    getHelperExpressionForImport(node, createRequireCall2(node))
                  )
                );
              } else {
                variables.push(
                  factory2.createVariableDeclaration(
                    factory2.getGeneratedNameForNode(node),
                    /*exclamationToken*/
                    void 0,
                    /*type*/
                    void 0,
                    getHelperExpressionForImport(node, createRequireCall2(node))
                  )
                );
                if (namespaceDeclaration && isDefaultImport(node)) {
                  variables.push(
                    factory2.createVariableDeclaration(
                      factory2.cloneNode(namespaceDeclaration.name),
                      /*exclamationToken*/
                      void 0,
                      /*type*/
                      void 0,
                      factory2.getGeneratedNameForNode(node)
                    )
                  );
                }
              }
              statements = append(
                statements,
                setOriginalNode(
                  setTextRange(
                    factory2.createVariableStatement(
                      /*modifiers*/
                      void 0,
                      factory2.createVariableDeclarationList(
                        variables,
                        languageVersion >= 2 ? 2 : 0
                        /* None */
                      )
                    ),
                    /*location*/
                    node
                  ),
                  /*original*/
                  node
                )
              );
            }
          } else if (namespaceDeclaration && isDefaultImport(node)) {
            statements = append(
              statements,
              factory2.createVariableStatement(
                /*modifiers*/
                void 0,
                factory2.createVariableDeclarationList(
                  [
                    setOriginalNode(
                      setTextRange(
                        factory2.createVariableDeclaration(
                          factory2.cloneNode(namespaceDeclaration.name),
                          /*exclamationToken*/
                          void 0,
                          /*type*/
                          void 0,
                          factory2.getGeneratedNameForNode(node)
                        ),
                        /*location*/
                        node
                      ),
                      /*original*/
                      node
                    )
                  ],
                  languageVersion >= 2 ? 2 : 0
                  /* None */
                )
              )
            );
          }
          statements = appendExportsOfImportDeclaration(statements, node);
          return singleOrMany(statements);
        }
        function createRequireCall2(importNode) {
          const moduleName = getExternalModuleNameLiteral(factory2, importNode, currentSourceFile, host, resolver, compilerOptions);
          const args = [];
          if (moduleName) {
            args.push(moduleName);
          }
          return factory2.createCallExpression(
            factory2.createIdentifier("require"),
            /*typeArguments*/
            void 0,
            args
          );
        }
        function visitTopLevelImportEqualsDeclaration(node) {
          Debug.assert(isExternalModuleImportEqualsDeclaration(node), "import= for internal module references should be handled in an earlier transformer.");
          let statements;
          if (moduleKind !== 2) {
            if (hasSyntacticModifier(
              node,
              32
              /* Export */
            )) {
              statements = append(
                statements,
                setOriginalNode(
                  setTextRange(
                    factory2.createExpressionStatement(
                      createExportExpression(
                        node.name,
                        createRequireCall2(node)
                      )
                    ),
                    node
                  ),
                  node
                )
              );
            } else {
              statements = append(
                statements,
                setOriginalNode(
                  setTextRange(
                    factory2.createVariableStatement(
                      /*modifiers*/
                      void 0,
                      factory2.createVariableDeclarationList(
                        [
                          factory2.createVariableDeclaration(
                            factory2.cloneNode(node.name),
                            /*exclamationToken*/
                            void 0,
                            /*type*/
                            void 0,
                            createRequireCall2(node)
                          )
                        ],
                        /*flags*/
                        languageVersion >= 2 ? 2 : 0
                        /* None */
                      )
                    ),
                    node
                  ),
                  node
                )
              );
            }
          } else {
            if (hasSyntacticModifier(
              node,
              32
              /* Export */
            )) {
              statements = append(
                statements,
                setOriginalNode(
                  setTextRange(
                    factory2.createExpressionStatement(
                      createExportExpression(factory2.getExportName(node), factory2.getLocalName(node))
                    ),
                    node
                  ),
                  node
                )
              );
            }
          }
          statements = appendExportsOfImportEqualsDeclaration(statements, node);
          return singleOrMany(statements);
        }
        function visitTopLevelExportDeclaration(node) {
          if (!node.moduleSpecifier) {
            return void 0;
          }
          const generatedName = factory2.getGeneratedNameForNode(node);
          if (node.exportClause && isNamedExports(node.exportClause)) {
            const statements = [];
            if (moduleKind !== 2) {
              statements.push(
                setOriginalNode(
                  setTextRange(
                    factory2.createVariableStatement(
                      /*modifiers*/
                      void 0,
                      factory2.createVariableDeclarationList([
                        factory2.createVariableDeclaration(
                          generatedName,
                          /*exclamationToken*/
                          void 0,
                          /*type*/
                          void 0,
                          createRequireCall2(node)
                        )
                      ])
                    ),
                    /*location*/
                    node
                  ),
                  /* original */
                  node
                )
              );
            }
            for (const specifier of node.exportClause.elements) {
              const exportNeedsImportDefault = !!getESModuleInterop(compilerOptions) && !(getInternalEmitFlags(node) & 2) && idText(specifier.propertyName || specifier.name) === "default";
              const exportedValue = factory2.createPropertyAccessExpression(
                exportNeedsImportDefault ? emitHelpers().createImportDefaultHelper(generatedName) : generatedName,
                specifier.propertyName || specifier.name
              );
              statements.push(
                setOriginalNode(
                  setTextRange(
                    factory2.createExpressionStatement(
                      createExportExpression(
                        factory2.getExportName(specifier),
                        exportedValue,
                        /*location*/
                        void 0,
                        /*liveBinding*/
                        true
                      )
                    ),
                    specifier
                  ),
                  specifier
                )
              );
            }
            return singleOrMany(statements);
          } else if (node.exportClause) {
            const statements = [];
            statements.push(
              setOriginalNode(
                setTextRange(
                  factory2.createExpressionStatement(
                    createExportExpression(
                      factory2.cloneNode(node.exportClause.name),
                      getHelperExpressionForExport(
                        node,
                        moduleKind !== 2 ? createRequireCall2(node) : isExportNamespaceAsDefaultDeclaration(node) ? generatedName : factory2.createIdentifier(idText(node.exportClause.name))
                      )
                    )
                  ),
                  node
                ),
                node
              )
            );
            return singleOrMany(statements);
          } else {
            return setOriginalNode(
              setTextRange(
                factory2.createExpressionStatement(
                  emitHelpers().createExportStarHelper(moduleKind !== 2 ? createRequireCall2(node) : generatedName)
                ),
                node
              ),
              node
            );
          }
        }
        function visitTopLevelExportAssignment(node) {
          if (node.isExportEquals) {
            return void 0;
          }
          return createExportStatement(
            factory2.createIdentifier("default"),
            visitNode(node.expression, visitor2, isExpression),
            /*location*/
            node,
            /*allowComments*/
            true
          );
        }
        function visitFunctionDeclaration(node) {
          let statements;
          if (hasSyntacticModifier(
            node,
            32
            /* Export */
          )) {
            statements = append(
              statements,
              setOriginalNode(
                setTextRange(
                  factory2.createFunctionDeclaration(
                    visitNodes2(node.modifiers, modifierVisitor, isModifier),
                    node.asteriskToken,
                    factory2.getDeclarationName(
                      node,
                      /*allowComments*/
                      true,
                      /*allowSourceMaps*/
                      true
                    ),
                    /*typeParameters*/
                    void 0,
                    visitNodes2(node.parameters, visitor2, isParameter),
                    /*type*/
                    void 0,
                    visitEachChild(node.body, visitor2, context)
                  ),
                  /*location*/
                  node
                ),
                /*original*/
                node
              )
            );
          } else {
            statements = append(statements, visitEachChild(node, visitor2, context));
          }
          return singleOrMany(statements);
        }
        function visitClassDeclaration(node) {
          let statements;
          if (hasSyntacticModifier(
            node,
            32
            /* Export */
          )) {
            statements = append(
              statements,
              setOriginalNode(
                setTextRange(
                  factory2.createClassDeclaration(
                    visitNodes2(node.modifiers, modifierVisitor, isModifierLike),
                    factory2.getDeclarationName(
                      node,
                      /*allowComments*/
                      true,
                      /*allowSourceMaps*/
                      true
                    ),
                    /*typeParameters*/
                    void 0,
                    visitNodes2(node.heritageClauses, visitor2, isHeritageClause),
                    visitNodes2(node.members, visitor2, isClassElement)
                  ),
                  node
                ),
                node
              )
            );
          } else {
            statements = append(statements, visitEachChild(node, visitor2, context));
          }
          statements = appendExportsOfHoistedDeclaration(statements, node);
          return singleOrMany(statements);
        }
        function visitVariableStatement(node) {
          let statements;
          let variables;
          let expressions;
          if (hasSyntacticModifier(
            node,
            32
            /* Export */
          )) {
            let modifiers;
            let removeCommentsOnExpressions = false;
            for (const variable of node.declarationList.declarations) {
              if (isIdentifier(variable.name) && isLocalName(variable.name)) {
                if (!modifiers) {
                  modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifier);
                }
                if (variable.initializer) {
                  const updatedVariable = factory2.updateVariableDeclaration(
                    variable,
                    variable.name,
                    /*exclamationToken*/
                    void 0,
                    /*type*/
                    void 0,
                    createExportExpression(
                      variable.name,
                      visitNode(variable.initializer, visitor2, isExpression)
                    )
                  );
                  variables = append(variables, updatedVariable);
                } else {
                  variables = append(variables, variable);
                }
              } else if (variable.initializer) {
                if (!isBindingPattern(variable.name) && (isArrowFunction(variable.initializer) || isFunctionExpression(variable.initializer) || isClassExpression(variable.initializer))) {
                  const expression = factory2.createAssignment(
                    setTextRange(
                      factory2.createPropertyAccessExpression(
                        factory2.createIdentifier("exports"),
                        variable.name
                      ),
                      /*location*/
                      variable.name
                    ),
                    factory2.createIdentifier(getTextOfIdentifierOrLiteral(variable.name))
                  );
                  const updatedVariable = factory2.createVariableDeclaration(
                    variable.name,
                    variable.exclamationToken,
                    variable.type,
                    visitNode(variable.initializer, visitor2, isExpression)
                  );
                  variables = append(variables, updatedVariable);
                  expressions = append(expressions, expression);
                  removeCommentsOnExpressions = true;
                } else {
                  expressions = append(expressions, transformInitializedVariable(variable));
                }
              }
            }
            if (variables) {
              statements = append(statements, factory2.updateVariableStatement(node, modifiers, factory2.updateVariableDeclarationList(node.declarationList, variables)));
            }
            if (expressions) {
              const statement = setOriginalNode(setTextRange(factory2.createExpressionStatement(factory2.inlineExpressions(expressions)), node), node);
              if (removeCommentsOnExpressions) {
                removeAllComments(statement);
              }
              statements = append(statements, statement);
            }
          } else {
            statements = append(statements, visitEachChild(node, visitor2, context));
          }
          statements = appendExportsOfVariableStatement(statements, node);
          return singleOrMany(statements);
        }
        function createAllExportExpressions(name, value, location) {
          const exportedNames = getExports2(name);
          if (exportedNames) {
            let expression = isExportName(name) ? value : factory2.createAssignment(name, value);
            for (const exportName of exportedNames) {
              setEmitFlags(
                expression,
                8
                /* NoSubstitution */
              );
              expression = createExportExpression(
                exportName,
                expression,
                /*location*/
                location
              );
            }
            return expression;
          }
          return factory2.createAssignment(name, value);
        }
        function transformInitializedVariable(node) {
          if (isBindingPattern(node.name)) {
            return flattenDestructuringAssignment(
              visitNode(node, visitor2, isInitializedVariable),
              visitor2,
              context,
              0,
              /*needsValue*/
              false,
              createAllExportExpressions
            );
          } else {
            return factory2.createAssignment(
              setTextRange(
                factory2.createPropertyAccessExpression(
                  factory2.createIdentifier("exports"),
                  node.name
                ),
                /*location*/
                node.name
              ),
              node.initializer ? visitNode(node.initializer, visitor2, isExpression) : factory2.createVoidZero()
            );
          }
        }
        function appendExportsOfImportDeclaration(statements, decl) {
          if (currentModuleInfo.exportEquals) {
            return statements;
          }
          const importClause = decl.importClause;
          if (!importClause) {
            return statements;
          }
          const seen = new IdentifierNameMap();
          if (importClause.name) {
            statements = appendExportsOfDeclaration(statements, seen, importClause);
          }
          const namedBindings = importClause.namedBindings;
          if (namedBindings) {
            switch (namedBindings.kind) {
              case 274:
                statements = appendExportsOfDeclaration(statements, seen, namedBindings);
                break;
              case 275:
                for (const importBinding of namedBindings.elements) {
                  statements = appendExportsOfDeclaration(
                    statements,
                    seen,
                    importBinding,
                    /*liveBinding*/
                    true
                  );
                }
                break;
            }
          }
          return statements;
        }
        function appendExportsOfImportEqualsDeclaration(statements, decl) {
          if (currentModuleInfo.exportEquals) {
            return statements;
          }
          return appendExportsOfDeclaration(statements, new IdentifierNameMap(), decl);
        }
        function appendExportsOfVariableStatement(statements, node) {
          return appendExportsOfVariableDeclarationList(
            statements,
            node.declarationList,
            /*isForInOrOfInitializer*/
            false
          );
        }
        function appendExportsOfVariableDeclarationList(statements, node, isForInOrOfInitializer) {
          if (currentModuleInfo.exportEquals) {
            return statements;
          }
          for (const decl of node.declarations) {
            statements = appendExportsOfBindingElement(statements, decl, isForInOrOfInitializer);
          }
          return statements;
        }
        function appendExportsOfBindingElement(statements, decl, isForInOrOfInitializer) {
          if (currentModuleInfo.exportEquals) {
            return statements;
          }
          if (isBindingPattern(decl.name)) {
            for (const element of decl.name.elements) {
              if (!isOmittedExpression(element)) {
                statements = appendExportsOfBindingElement(statements, element, isForInOrOfInitializer);
              }
            }
          } else if (!isGeneratedIdentifier(decl.name) && (!isVariableDeclaration(decl) || decl.initializer || isForInOrOfInitializer)) {
            statements = appendExportsOfDeclaration(statements, new IdentifierNameMap(), decl);
          }
          return statements;
        }
        function appendExportsOfHoistedDeclaration(statements, decl) {
          if (currentModuleInfo.exportEquals) {
            return statements;
          }
          const seen = new IdentifierNameMap();
          if (hasSyntacticModifier(
            decl,
            32
            /* Export */
          )) {
            const exportName = hasSyntacticModifier(
              decl,
              2048
              /* Default */
            ) ? factory2.createIdentifier("default") : factory2.getDeclarationName(decl);
            statements = appendExportStatement(
              statements,
              seen,
              exportName,
              factory2.getLocalName(decl),
              /*location*/
              decl
            );
          }
          if (decl.name) {
            statements = appendExportsOfDeclaration(statements, seen, decl);
          }
          return statements;
        }
        function appendExportsOfDeclaration(statements, seen, decl, liveBinding) {
          const name = factory2.getDeclarationName(decl);
          const exportSpecifiers = currentModuleInfo.exportSpecifiers.get(name);
          if (exportSpecifiers) {
            for (const exportSpecifier of exportSpecifiers) {
              statements = appendExportStatement(
                statements,
                seen,
                exportSpecifier.name,
                name,
                /*location*/
                exportSpecifier.name,
                /*allowComments*/
                void 0,
                liveBinding
              );
            }
          }
          return statements;
        }
        function appendExportStatement(statements, seen, exportName, expression, location, allowComments, liveBinding) {
          if (!seen.has(exportName)) {
            seen.set(exportName, true);
            statements = append(statements, createExportStatement(exportName, expression, location, allowComments, liveBinding));
          }
          return statements;
        }
        function createUnderscoreUnderscoreESModule() {
          const statement = factory2.createExpressionStatement(
            factory2.createCallExpression(
              factory2.createPropertyAccessExpression(factory2.createIdentifier("Object"), "defineProperty"),
              /*typeArguments*/
              void 0,
              [
                factory2.createIdentifier("exports"),
                factory2.createStringLiteral("__esModule"),
                factory2.createObjectLiteralExpression([
                  factory2.createPropertyAssignment("value", factory2.createTrue())
                ])
              ]
            )
          );
          setEmitFlags(
            statement,
            2097152
            /* CustomPrologue */
          );
          return statement;
        }
        function createExportStatement(name, value, location, allowComments, liveBinding) {
          const statement = setTextRange(factory2.createExpressionStatement(createExportExpression(
            name,
            value,
            /*location*/
            void 0,
            liveBinding
          )), location);
          startOnNewLine(statement);
          if (!allowComments) {
            setEmitFlags(
              statement,
              3072
              /* NoComments */
            );
          }
          return statement;
        }
        function createExportExpression(name, value, location, liveBinding) {
          return setTextRange(
            liveBinding ? factory2.createCallExpression(
              factory2.createPropertyAccessExpression(
                factory2.createIdentifier("Object"),
                "defineProperty"
              ),
              /*typeArguments*/
              void 0,
              [
                factory2.createIdentifier("exports"),
                factory2.createStringLiteralFromNode(name),
                factory2.createObjectLiteralExpression([
                  factory2.createPropertyAssignment("enumerable", factory2.createTrue()),
                  factory2.createPropertyAssignment(
                    "get",
                    factory2.createFunctionExpression(
                      /*modifiers*/
                      void 0,
                      /*asteriskToken*/
                      void 0,
                      /*name*/
                      void 0,
                      /*typeParameters*/
                      void 0,
                      /*parameters*/
                      [],
                      /*type*/
                      void 0,
                      factory2.createBlock([factory2.createReturnStatement(value)])
                    )
                  )
                ])
              ]
            ) : factory2.createAssignment(
              factory2.createPropertyAccessExpression(
                factory2.createIdentifier("exports"),
                factory2.cloneNode(name)
              ),
              value
            ),
            location
          );
        }
        function modifierVisitor(node) {
          switch (node.kind) {
            case 95:
            case 90:
              return void 0;
          }
          return node;
        }
        function onEmitNode(hint, node, emitCallback) {
          if (node.kind === 307) {
            currentSourceFile = node;
            currentModuleInfo = moduleInfoMap[getOriginalNodeId(currentSourceFile)];
            previousOnEmitNode(hint, node, emitCallback);
            currentSourceFile = void 0;
            currentModuleInfo = void 0;
          } else {
            previousOnEmitNode(hint, node, emitCallback);
          }
        }
        function onSubstituteNode(hint, node) {
          node = previousOnSubstituteNode(hint, node);
          if (node.id && noSubstitution[node.id]) {
            return node;
          }
          if (hint === 1) {
            return substituteExpression(node);
          } else if (isShorthandPropertyAssignment(node)) {
            return substituteShorthandPropertyAssignment(node);
          }
          return node;
        }
        function substituteShorthandPropertyAssignment(node) {
          const name = node.name;
          const exportedOrImportedName = substituteExpressionIdentifier(name);
          if (exportedOrImportedName !== name) {
            if (node.objectAssignmentInitializer) {
              const initializer = factory2.createAssignment(exportedOrImportedName, node.objectAssignmentInitializer);
              return setTextRange(factory2.createPropertyAssignment(name, initializer), node);
            }
            return setTextRange(factory2.createPropertyAssignment(name, exportedOrImportedName), node);
          }
          return node;
        }
        function substituteExpression(node) {
          switch (node.kind) {
            case 80:
              return substituteExpressionIdentifier(node);
            case 213:
              return substituteCallExpression(node);
            case 215:
              return substituteTaggedTemplateExpression(node);
            case 226:
              return substituteBinaryExpression(node);
          }
          return node;
        }
        function substituteCallExpression(node) {
          if (isIdentifier(node.expression)) {
            const expression = substituteExpressionIdentifier(node.expression);
            noSubstitution[getNodeId(expression)] = true;
            if (!isIdentifier(expression) && !(getEmitFlags(node.expression) & 8192)) {
              return addInternalEmitFlags(
                factory2.updateCallExpression(
                  node,
                  expression,
                  /*typeArguments*/
                  void 0,
                  node.arguments
                ),
                16
                /* IndirectCall */
              );
            }
          }
          return node;
        }
        function substituteTaggedTemplateExpression(node) {
          if (isIdentifier(node.tag)) {
            const tag = substituteExpressionIdentifier(node.tag);
            noSubstitution[getNodeId(tag)] = true;
            if (!isIdentifier(tag) && !(getEmitFlags(node.tag) & 8192)) {
              return addInternalEmitFlags(
                factory2.updateTaggedTemplateExpression(
                  node,
                  tag,
                  /*typeArguments*/
                  void 0,
                  node.template
                ),
                16
                /* IndirectCall */
              );
            }
          }
          return node;
        }
        function substituteExpressionIdentifier(node) {
          var _a, _b;
          if (getEmitFlags(node) & 8192) {
            const externalHelpersModuleName = getExternalHelpersModuleName(currentSourceFile);
            if (externalHelpersModuleName) {
              return factory2.createPropertyAccessExpression(externalHelpersModuleName, node);
            }
            return node;
          } else if (!(isGeneratedIdentifier(node) && !(node.emitNode.autoGenerate.flags & 64)) && !isLocalName(node)) {
            const exportContainer = resolver.getReferencedExportContainer(node, isExportName(node));
            if (exportContainer && exportContainer.kind === 307) {
              return setTextRange(
                factory2.createPropertyAccessExpression(
                  factory2.createIdentifier("exports"),
                  factory2.cloneNode(node)
                ),
                /*location*/
                node
              );
            }
            const importDeclaration = resolver.getReferencedImportDeclaration(node);
            if (importDeclaration) {
              if (isImportClause(importDeclaration)) {
                return setTextRange(
                  factory2.createPropertyAccessExpression(
                    factory2.getGeneratedNameForNode(importDeclaration.parent),
                    factory2.createIdentifier("default")
                  ),
                  /*location*/
                  node
                );
              } else if (isImportSpecifier(importDeclaration)) {
                const name = importDeclaration.propertyName || importDeclaration.name;
                return setTextRange(
                  factory2.createPropertyAccessExpression(
                    factory2.getGeneratedNameForNode(((_b = (_a = importDeclaration.parent) == null ? void 0 : _a.parent) == null ? void 0 : _b.parent) || importDeclaration),
                    factory2.cloneNode(name)
                  ),
                  /*location*/
                  node
                );
              }
            }
          }
          return node;
        }
        function substituteBinaryExpression(node) {
          if (isAssignmentOperator(node.operatorToken.kind) && isIdentifier(node.left) && (!isGeneratedIdentifier(node.left) || isFileLevelReservedGeneratedIdentifier(node.left)) && !isLocalName(node.left)) {
            const exportedNames = getExports2(node.left);
            if (exportedNames) {
              let expression = node;
              for (const exportName of exportedNames) {
                noSubstitution[getNodeId(expression)] = true;
                expression = createExportExpression(
                  exportName,
                  expression,
                  /*location*/
                  node
                );
              }
              return expression;
            }
          }
          return node;
        }
        function getExports2(name) {
          if (!isGeneratedIdentifier(name)) {
            const importDeclaration = resolver.getReferencedImportDeclaration(name);
            if (importDeclaration) {
              return currentModuleInfo == null ? void 0 : currentModuleInfo.exportedBindings[getOriginalNodeId(importDeclaration)];
            }
            const bindingsSet = /* @__PURE__ */ new Set();
            const declarations = resolver.getReferencedValueDeclarations(name);
            if (declarations) {
              for (const declaration of declarations) {
                const bindings = currentModuleInfo == null ? void 0 : currentModuleInfo.exportedBindings[getOriginalNodeId(declaration)];
                if (bindings) {
                  for (const binding of bindings) {
                    bindingsSet.add(binding);
                  }
                }
              }
              if (bindingsSet.size) {
                return arrayFrom(bindingsSet);
              }
            }
          } else if (isFileLevelReservedGeneratedIdentifier(name)) {
            const exportSpecifiers = currentModuleInfo == null ? void 0 : currentModuleInfo.exportSpecifiers.get(name);
            if (exportSpecifiers) {
              const exportedNames = [];
              for (const exportSpecifier of exportSpecifiers) {
                exportedNames.push(exportSpecifier.name);
              }
              return exportedNames;
            }
          }
        }
      }
      var dynamicImportUMDHelper = {
        name: "typescript:dynamicimport-sync-require",
        scoped: true,
        text: `
            var __syncRequire = typeof module === "object" && typeof module.exports === "object";`
      };
      function transformSystemModule(context) {
        const {
          factory: factory2,
          startLexicalEnvironment,
          endLexicalEnvironment,
          hoistVariableDeclaration
        } = context;
        const compilerOptions = context.getCompilerOptions();
        const resolver = context.getEmitResolver();
        const host = context.getEmitHost();
        const previousOnSubstituteNode = context.onSubstituteNode;
        const previousOnEmitNode = context.onEmitNode;
        context.onSubstituteNode = onSubstituteNode;
        context.onEmitNode = onEmitNode;
        context.enableSubstitution(
          80
          /* Identifier */
        );
        context.enableSubstitution(
          304
          /* ShorthandPropertyAssignment */
        );
        context.enableSubstitution(
          226
          /* BinaryExpression */
        );
        context.enableSubstitution(
          236
          /* MetaProperty */
        );
        context.enableEmitNotification(
          307
          /* SourceFile */
        );
        const moduleInfoMap = [];
        const exportFunctionsMap = [];
        const noSubstitutionMap = [];
        const contextObjectMap = [];
        let currentSourceFile;
        let moduleInfo;
        let exportFunction;
        let contextObject;
        let hoistedStatements;
        let enclosingBlockScopedContainer;
        let noSubstitution;
        return chainBundle(context, transformSourceFile);
        function transformSourceFile(node) {
          if (node.isDeclarationFile || !(isEffectiveExternalModule(node, compilerOptions) || node.transformFlags & 8388608)) {
            return node;
          }
          const id = getOriginalNodeId(node);
          currentSourceFile = node;
          enclosingBlockScopedContainer = node;
          moduleInfo = moduleInfoMap[id] = collectExternalModuleInfo(context, node);
          exportFunction = factory2.createUniqueName("exports");
          exportFunctionsMap[id] = exportFunction;
          contextObject = contextObjectMap[id] = factory2.createUniqueName("context");
          const dependencyGroups = collectDependencyGroups(moduleInfo.externalImports);
          const moduleBodyBlock = createSystemModuleBody(node, dependencyGroups);
          const moduleBodyFunction = factory2.createFunctionExpression(
            /*modifiers*/
            void 0,
            /*asteriskToken*/
            void 0,
            /*name*/
            void 0,
            /*typeParameters*/
            void 0,
            [
              factory2.createParameterDeclaration(
                /*modifiers*/
                void 0,
                /*dotDotDotToken*/
                void 0,
                exportFunction
              ),
              factory2.createParameterDeclaration(
                /*modifiers*/
                void 0,
                /*dotDotDotToken*/
                void 0,
                contextObject
              )
            ],
            /*type*/
            void 0,
            moduleBodyBlock
          );
          const moduleName = tryGetModuleNameFromFile(factory2, node, host, compilerOptions);
          const dependencies = factory2.createArrayLiteralExpression(map(dependencyGroups, (dependencyGroup) => dependencyGroup.name));
          const updated = setEmitFlags(
            factory2.updateSourceFile(
              node,
              setTextRange(
                factory2.createNodeArray([
                  factory2.createExpressionStatement(
                    factory2.createCallExpression(
                      factory2.createPropertyAccessExpression(factory2.createIdentifier("System"), "register"),
                      /*typeArguments*/
                      void 0,
                      moduleName ? [moduleName, dependencies, moduleBodyFunction] : [dependencies, moduleBodyFunction]
                    )
                  )
                ]),
                node.statements
              )
            ),
            2048
            /* NoTrailingComments */
          );
          if (!compilerOptions.outFile) {
            moveEmitHelpers(updated, moduleBodyBlock, (helper) => !helper.scoped);
          }
          if (noSubstitution) {
            noSubstitutionMap[id] = noSubstitution;
            noSubstitution = void 0;
          }
          currentSourceFile = void 0;
          moduleInfo = void 0;
          exportFunction = void 0;
          contextObject = void 0;
          hoistedStatements = void 0;
          enclosingBlockScopedContainer = void 0;
          return updated;
        }
        function collectDependencyGroups(externalImports) {
          const groupIndices = /* @__PURE__ */ new Map();
          const dependencyGroups = [];
          for (const externalImport of externalImports) {
            const externalModuleName = getExternalModuleNameLiteral(factory2, externalImport, currentSourceFile, host, resolver, compilerOptions);
            if (externalModuleName) {
              const text = externalModuleName.text;
              const groupIndex = groupIndices.get(text);
              if (groupIndex !== void 0) {
                dependencyGroups[groupIndex].externalImports.push(externalImport);
              } else {
                groupIndices.set(text, dependencyGroups.length);
                dependencyGroups.push({
                  name: externalModuleName,
                  externalImports: [externalImport]
                });
              }
            }
          }
          return dependencyGroups;
        }
        function createSystemModuleBody(node, dependencyGroups) {
          const statements = [];
          startLexicalEnvironment();
          const ensureUseStrict = getStrictOptionValue(compilerOptions, "alwaysStrict") || isExternalModule(currentSourceFile);
          const statementOffset = factory2.copyPrologue(node.statements, statements, ensureUseStrict, topLevelVisitor);
          statements.push(
            factory2.createVariableStatement(
              /*modifiers*/
              void 0,
              factory2.createVariableDeclarationList([
                factory2.createVariableDeclaration(
                  "__moduleName",
                  /*exclamationToken*/
                  void 0,
                  /*type*/
                  void 0,
                  factory2.createLogicalAnd(
                    contextObject,
                    factory2.createPropertyAccessExpression(contextObject, "id")
                  )
                )
              ])
            )
          );
          visitNode(moduleInfo.externalHelpersImportDeclaration, topLevelVisitor, isStatement);
          const executeStatements = visitNodes2(node.statements, topLevelVisitor, isStatement, statementOffset);
          addRange(statements, hoistedStatements);
          insertStatementsAfterStandardPrologue(statements, endLexicalEnvironment());
          const exportStarFunction = addExportStarIfNeeded(statements);
          const modifiers = node.transformFlags & 2097152 ? factory2.createModifiersFromModifierFlags(
            1024
            /* Async */
          ) : void 0;
          const moduleObject = factory2.createObjectLiteralExpression(
            [
              factory2.createPropertyAssignment("setters", createSettersArray(exportStarFunction, dependencyGroups)),
              factory2.createPropertyAssignment(
                "execute",
                factory2.createFunctionExpression(
                  modifiers,
                  /*asteriskToken*/
                  void 0,
                  /*name*/
                  void 0,
                  /*typeParameters*/
                  void 0,
                  /*parameters*/
                  [],
                  /*type*/
                  void 0,
                  factory2.createBlock(
                    executeStatements,
                    /*multiLine*/
                    true
                  )
                )
              )
            ],
            /*multiLine*/
            true
          );
          statements.push(factory2.createReturnStatement(moduleObject));
          return factory2.createBlock(
            statements,
            /*multiLine*/
            true
          );
        }
        function addExportStarIfNeeded(statements) {
          if (!moduleInfo.hasExportStarsToExportValues) {
            return;
          }
          if (!some(moduleInfo.exportedNames) && moduleInfo.exportedFunctions.size === 0 && moduleInfo.exportSpecifiers.size === 0) {
            let hasExportDeclarationWithExportClause = false;
            for (const externalImport of moduleInfo.externalImports) {
              if (externalImport.kind === 278 && externalImport.exportClause) {
                hasExportDeclarationWithExportClause = true;
                break;
              }
            }
            if (!hasExportDeclarationWithExportClause) {
              const exportStarFunction2 = createExportStarFunction(
                /*localNames*/
                void 0
              );
              statements.push(exportStarFunction2);
              return exportStarFunction2.name;
            }
          }
          const exportedNames = [];
          if (moduleInfo.exportedNames) {
            for (const exportedLocalName of moduleInfo.exportedNames) {
              if (exportedLocalName.escapedText === "default") {
                continue;
              }
              exportedNames.push(
                factory2.createPropertyAssignment(
                  factory2.createStringLiteralFromNode(exportedLocalName),
                  factory2.createTrue()
                )
              );
            }
          }
          for (const f of moduleInfo.exportedFunctions) {
            if (hasSyntacticModifier(
              f,
              2048
              /* Default */
            )) {
              continue;
            }
            Debug.assert(!!f.name);
            exportedNames.push(
              factory2.createPropertyAssignment(
                factory2.createStringLiteralFromNode(f.name),
                factory2.createTrue()
              )
            );
          }
          const exportedNamesStorageRef = factory2.createUniqueName("exportedNames");
          statements.push(
            factory2.createVariableStatement(
              /*modifiers*/
              void 0,
              factory2.createVariableDeclarationList([
                factory2.createVariableDeclaration(
                  exportedNamesStorageRef,
                  /*exclamationToken*/
                  void 0,
                  /*type*/
                  void 0,
                  factory2.createObjectLiteralExpression(
                    exportedNames,
                    /*multiLine*/
                    true
                  )
                )
              ])
            )
          );
          const exportStarFunction = createExportStarFunction(exportedNamesStorageRef);
          statements.push(exportStarFunction);
          return exportStarFunction.name;
        }
        function createExportStarFunction(localNames) {
          const exportStarFunction = factory2.createUniqueName("exportStar");
          const m = factory2.createIdentifier("m");
          const n = factory2.createIdentifier("n");
          const exports22 = factory2.createIdentifier("exports");
          let condition = factory2.createStrictInequality(n, factory2.createStringLiteral("default"));
          if (localNames) {
            condition = factory2.createLogicalAnd(
              condition,
              factory2.createLogicalNot(
                factory2.createCallExpression(
                  factory2.createPropertyAccessExpression(localNames, "hasOwnProperty"),
                  /*typeArguments*/
                  void 0,
                  [n]
                )
              )
            );
          }
          return factory2.createFunctionDeclaration(
            /*modifiers*/
            void 0,
            /*asteriskToken*/
            void 0,
            exportStarFunction,
            /*typeParameters*/
            void 0,
            [factory2.createParameterDeclaration(
              /*modifiers*/
              void 0,
              /*dotDotDotToken*/
              void 0,
              m
            )],
            /*type*/
            void 0,
            factory2.createBlock(
              [
                factory2.createVariableStatement(
                  /*modifiers*/
                  void 0,
                  factory2.createVariableDeclarationList([
                    factory2.createVariableDeclaration(
                      exports22,
                      /*exclamationToken*/
                      void 0,
                      /*type*/
                      void 0,
                      factory2.createObjectLiteralExpression([])
                    )
                  ])
                ),
                factory2.createForInStatement(
                  factory2.createVariableDeclarationList([
                    factory2.createVariableDeclaration(n)
                  ]),
                  m,
                  factory2.createBlock([
                    setEmitFlags(
                      factory2.createIfStatement(
                        condition,
                        factory2.createExpressionStatement(
                          factory2.createAssignment(
                            factory2.createElementAccessExpression(exports22, n),
                            factory2.createElementAccessExpression(m, n)
                          )
                        )
                      ),
                      1
                      /* SingleLine */
                    )
                  ])
                ),
                factory2.createExpressionStatement(
                  factory2.createCallExpression(
                    exportFunction,
                    /*typeArguments*/
                    void 0,
                    [exports22]
                  )
                )
              ],
              /*multiLine*/
              true
            )
          );
        }
        function createSettersArray(exportStarFunction, dependencyGroups) {
          const setters = [];
          for (const group2 of dependencyGroups) {
            const localName = forEach(group2.externalImports, (i) => getLocalNameForExternalImport(factory2, i, currentSourceFile));
            const parameterName = localName ? factory2.getGeneratedNameForNode(localName) : factory2.createUniqueName("");
            const statements = [];
            for (const entry of group2.externalImports) {
              const importVariableName = getLocalNameForExternalImport(factory2, entry, currentSourceFile);
              switch (entry.kind) {
                case 272:
                  if (!entry.importClause) {
                    break;
                  }
                case 271:
                  Debug.assert(importVariableName !== void 0);
                  statements.push(
                    factory2.createExpressionStatement(
                      factory2.createAssignment(importVariableName, parameterName)
                    )
                  );
                  if (hasSyntacticModifier(
                    entry,
                    32
                    /* Export */
                  )) {
                    statements.push(
                      factory2.createExpressionStatement(
                        factory2.createCallExpression(
                          exportFunction,
                          /*typeArguments*/
                          void 0,
                          [
                            factory2.createStringLiteral(idText(importVariableName)),
                            parameterName
                          ]
                        )
                      )
                    );
                  }
                  break;
                case 278:
                  Debug.assert(importVariableName !== void 0);
                  if (entry.exportClause) {
                    if (isNamedExports(entry.exportClause)) {
                      const properties = [];
                      for (const e of entry.exportClause.elements) {
                        properties.push(
                          factory2.createPropertyAssignment(
                            factory2.createStringLiteral(idText(e.name)),
                            factory2.createElementAccessExpression(
                              parameterName,
                              factory2.createStringLiteral(idText(e.propertyName || e.name))
                            )
                          )
                        );
                      }
                      statements.push(
                        factory2.createExpressionStatement(
                          factory2.createCallExpression(
                            exportFunction,
                            /*typeArguments*/
                            void 0,
                            [factory2.createObjectLiteralExpression(
                              properties,
                              /*multiLine*/
                              true
                            )]
                          )
                        )
                      );
                    } else {
                      statements.push(
                        factory2.createExpressionStatement(
                          factory2.createCallExpression(
                            exportFunction,
                            /*typeArguments*/
                            void 0,
                            [
                              factory2.createStringLiteral(idText(entry.exportClause.name)),
                              parameterName
                            ]
                          )
                        )
                      );
                    }
                  } else {
                    statements.push(
                      factory2.createExpressionStatement(
                        factory2.createCallExpression(
                          exportStarFunction,
                          /*typeArguments*/
                          void 0,
                          [parameterName]
                        )
                      )
                    );
                  }
                  break;
              }
            }
            setters.push(
              factory2.createFunctionExpression(
                /*modifiers*/
                void 0,
                /*asteriskToken*/
                void 0,
                /*name*/
                void 0,
                /*typeParameters*/
                void 0,
                [factory2.createParameterDeclaration(
                  /*modifiers*/
                  void 0,
                  /*dotDotDotToken*/
                  void 0,
                  parameterName
                )],
                /*type*/
                void 0,
                factory2.createBlock(
                  statements,
                  /*multiLine*/
                  true
                )
              )
            );
          }
          return factory2.createArrayLiteralExpression(
            setters,
            /*multiLine*/
            true
          );
        }
        function topLevelVisitor(node) {
          switch (node.kind) {
            case 272:
              return visitImportDeclaration(node);
            case 271:
              return visitImportEqualsDeclaration(node);
            case 278:
              return visitExportDeclaration(node);
            case 277:
              return visitExportAssignment(node);
            default:
              return topLevelNestedVisitor(node);
          }
        }
        function visitImportDeclaration(node) {
          let statements;
          if (node.importClause) {
            hoistVariableDeclaration(getLocalNameForExternalImport(factory2, node, currentSourceFile));
          }
          return singleOrMany(appendExportsOfImportDeclaration(statements, node));
        }
        function visitExportDeclaration(node) {
          Debug.assertIsDefined(node);
          return void 0;
        }
        function visitImportEqualsDeclaration(node) {
          Debug.assert(isExternalModuleImportEqualsDeclaration(node), "import= for internal module references should be handled in an earlier transformer.");
          let statements;
          hoistVariableDeclaration(getLocalNameForExternalImport(factory2, node, currentSourceFile));
          return singleOrMany(appendExportsOfImportEqualsDeclaration(statements, node));
        }
        function visitExportAssignment(node) {
          if (node.isExportEquals) {
            return void 0;
          }
          const expression = visitNode(node.expression, visitor2, isExpression);
          return createExportStatement(
            factory2.createIdentifier("default"),
            expression,
            /*allowComments*/
            true
          );
        }
        function visitFunctionDeclaration(node) {
          if (hasSyntacticModifier(
            node,
            32
            /* Export */
          )) {
            hoistedStatements = append(
              hoistedStatements,
              factory2.updateFunctionDeclaration(
                node,
                visitNodes2(node.modifiers, modifierVisitor, isModifierLike),
                node.asteriskToken,
                factory2.getDeclarationName(
                  node,
                  /*allowComments*/
                  true,
                  /*allowSourceMaps*/
                  true
                ),
                /*typeParameters*/
                void 0,
                visitNodes2(node.parameters, visitor2, isParameter),
                /*type*/
                void 0,
                visitNode(node.body, visitor2, isBlock)
              )
            );
          } else {
            hoistedStatements = append(hoistedStatements, visitEachChild(node, visitor2, context));
          }
          hoistedStatements = appendExportsOfHoistedDeclaration(hoistedStatements, node);
          return void 0;
        }
        function visitClassDeclaration(node) {
          let statements;
          const name = factory2.getLocalName(node);
          hoistVariableDeclaration(name);
          statements = append(
            statements,
            setTextRange(
              factory2.createExpressionStatement(
                factory2.createAssignment(
                  name,
                  setTextRange(
                    factory2.createClassExpression(
                      visitNodes2(node.modifiers, modifierVisitor, isModifierLike),
                      node.name,
                      /*typeParameters*/
                      void 0,
                      visitNodes2(node.heritageClauses, visitor2, isHeritageClause),
                      visitNodes2(node.members, visitor2, isClassElement)
                    ),
                    node
                  )
                )
              ),
              node
            )
          );
          statements = appendExportsOfHoistedDeclaration(statements, node);
          return singleOrMany(statements);
        }
        function visitVariableStatement(node) {
          if (!shouldHoistVariableDeclarationList(node.declarationList)) {
            return visitNode(node, visitor2, isStatement);
          }
          let statements;
          if (isVarUsing(node.declarationList) || isVarAwaitUsing(node.declarationList)) {
            const modifiers = visitNodes2(node.modifiers, modifierVisitor, isModifierLike);
            const declarations = [];
            for (const variable of node.declarationList.declarations) {
              declarations.push(factory2.updateVariableDeclaration(
                variable,
                factory2.getGeneratedNameForNode(variable.name),
                /*exclamationToken*/
                void 0,
                /*type*/
                void 0,
                transformInitializedVariable(
                  variable,
                  /*isExportedDeclaration*/
                  false
                )
              ));
            }
            const declarationList = factory2.updateVariableDeclarationList(
              node.declarationList,
              declarations
            );
            statements = append(statements, factory2.updateVariableStatement(node, modifiers, declarationList));
          } else {
            let expressions;
            const isExportedDeclaration = hasSyntacticModifier(
              node,
              32
              /* Export */
            );
            for (const variable of node.declarationList.declarations) {
              if (variable.initializer) {
                expressions = append(expressions, transformInitializedVariable(variable, isExportedDeclaration));
              } else {
                hoistBindingElement(variable);
              }
            }
            if (expressions) {
              statements = append(statements, setTextRange(factory2.createExpressionStatement(factory2.inlineExpressions(expressions)), node));
            }
          }
          statements = appendExportsOfVariableStatement(
            statements,
            node,
            /*exportSelf*/
            false
          );
          return singleOrMany(statements);
        }
        function hoistBindingElement(node) {
          if (isBindingPattern(node.name)) {
            for (const element of node.name.elements) {
              if (!isOmittedExpression(element)) {
                hoistBindingElement(element);
              }
            }
          } else {
            hoistVariableDeclaration(factory2.cloneNode(node.name));
          }
        }
        function shouldHoistVariableDeclarationList(node) {
          return (getEmitFlags(node) & 4194304) === 0 && (enclosingBlockScopedContainer.kind === 307 || (getOriginalNode(node).flags & 7) === 0);
        }
        function transformInitializedVariable(node, isExportedDeclaration) {
          const createAssignment = isExportedDeclaration ? createExportedVariableAssignment : createNonExportedVariableAssignment;
          return isBindingPattern(node.name) ? flattenDestructuringAssignment(
            node,
            visitor2,
            context,
            0,
            /*needsValue*/
            false,
            createAssignment
          ) : node.initializer ? createAssignment(node.name, visitNode(node.initializer, visitor2, isExpression)) : node.name;
        }
        function createExportedVariableAssignment(name, value, location) {
          return createVariableAssignment(
            name,
            value,
            location,
            /*isExportedDeclaration*/
            true
          );
        }
        function createNonExportedVariableAssignment(name, value, location) {
          return createVariableAssignment(
            name,
            value,
            location,
            /*isExportedDeclaration*/
            false
          );
        }
        function createVariableAssignment(name, value, location, isExportedDeclaration) {
          hoistVariableDeclaration(factory2.cloneNode(name));
          return isExportedDeclaration ? createExportExpression(name, preventSubstitution(setTextRange(factory2.createAssignment(name, value), location))) : preventSubstitution(setTextRange(factory2.createAssignment(name, value), location));
        }
        function appendExportsOfImportDeclaration(statements, decl) {
          if (moduleInfo.exportEquals) {
            return statements;
          }
          const importClause = decl.importClause;
          if (!importClause) {
            return statements;
          }
          if (importClause.name) {
            statements = appendExportsOfDeclaration(statements, importClause);
          }
          const namedBindings = importClause.namedBindings;
          if (namedBindings) {
            switch (namedBindings.kind) {
              case 274:
                statements = appendExportsOfDeclaration(statements, namedBindings);
                break;
              case 275:
                for (const importBinding of namedBindings.elements) {
                  statements = appendExportsOfDeclaration(statements, importBinding);
                }
                break;
            }
          }
          return statements;
        }
        function appendExportsOfImportEqualsDeclaration(statements, decl) {
          if (moduleInfo.exportEquals) {
            return statements;
          }
          return appendExportsOfDeclaration(statements, decl);
        }
        function appendExportsOfVariableStatement(statements, node, exportSelf) {
          if (moduleInfo.exportEquals) {
            return statements;
          }
          for (const decl of node.declarationList.declarations) {
            if (decl.initializer || exportSelf) {
              statements = appendExportsOfBindingElement(statements, decl, exportSelf);
            }
          }
          return statements;
        }
        function appendExportsOfBindingElement(statements, decl, exportSelf) {
          if (moduleInfo.exportEquals) {
            return statements;
          }
          if (isBindingPattern(decl.name)) {
            for (const element of decl.name.elements) {
              if (!isOmittedExpression(element)) {
                statements = appendExportsOfBindingElement(statements, element, exportSelf);
              }
            }
          } else if (!isGeneratedIdentifier(decl.name)) {
            let excludeName;
            if (exportSelf) {
              statements = appendExportStatement(statements, decl.name, factory2.getLocalName(decl));
              excludeName = idText(decl.name);
            }
            statements = appendExportsOfDeclaration(statements, decl, excludeName);
          }
          return statements;
        }
        function appendExportsOfHoistedDeclaration(statements, decl) {
          if (moduleInfo.exportEquals) {
            return statements;
          }
          let excludeName;
          if (hasSyntacticModifier(
            decl,
            32
            /* Export */
          )) {
            const exportName = hasSyntacticModifier(
              decl,
              2048
              /* Default */
            ) ? factory2.createStringLiteral("default") : decl.name;
            statements = appendExportStatement(statements, exportName, factory2.getLocalName(decl));
            excludeName = getTextOfIdentifierOrLiteral(exportName);
          }
          if (decl.name) {
            statements = appendExportsOfDeclaration(statements, decl, excludeName);
          }
          return statements;
        }
        function appendExportsOfDeclaration(statements, decl, excludeName) {
          if (moduleInfo.exportEquals) {
            return statements;
          }
          const name = factory2.getDeclarationName(decl);
          const exportSpecifiers = moduleInfo.exportSpecifiers.get(name);
          if (exportSpecifiers) {
            for (const exportSpecifier of exportSpecifiers) {
              if (exportSpecifier.name.escapedText !== excludeName) {
                statements = appendExportStatement(statements, exportSpecifier.name, name);
              }
            }
          }
          return statements;
        }
        function appendExportStatement(statements, exportName, expression, allowComments) {
          statements = append(statements, createExportStatement(exportName, expression, allowComments));
          return statements;
        }
        function createExportStatement(name, value, allowComments) {
          const statement = factory2.createExpressionStatement(createExportExpression(name, value));
          startOnNewLine(statement);
          if (!allowComments) {
            setEmitFlags(
              statement,
              3072
              /* NoComments */
            );
          }
          return statement;
        }
        function createExportExpression(name, value) {
          const exportName = isIdentifier(name) ? factory2.createStringLiteralFromNode(name) : name;
          setEmitFlags(
            value,
            getEmitFlags(value) | 3072
            /* NoComments */
          );
          return setCommentRange(factory2.createCallExpression(
            exportFunction,
            /*typeArguments*/
            void 0,
            [exportName, value]
          ), value);
        }
        function topLevelNestedVisitor(node) {
          switch (node.kind) {
            case 243:
              return visitVariableStatement(node);
            case 262:
              return visitFunctionDeclaration(node);
            case 263:
              return visitClassDeclaration(node);
            case 248:
              return visitForStatement(
                node,
                /*isTopLevel*/
                true
              );
            case 249:
              return visitForInStatement(node);
            case 250:
              return visitForOfStatement(node);
            case 246:
              return visitDoStatement(node);
            case 247:
              return visitWhileStatement(node);
            case 256:
              return visitLabeledStatement(node);
            case 254:
              return visitWithStatement(node);
            case 245:
              return visitIfStatement(node);
            case 255:
              return visitSwitchStatement(node);
            case 269:
              return visitCaseBlock(node);
            case 296:
              return visitCaseClause(node);
            case 297:
              return visitDefaultClause(node);
            case 258:
              return visitTryStatement(node);
            case 299:
              return visitCatchClause(node);
            case 241:
              return visitBlock(node);
            default:
              return visitor2(node);
          }
        }
        function visitForStatement(node, isTopLevel) {
          const savedEnclosingBlockScopedContainer = enclosingBlockScopedContainer;
          enclosingBlockScopedContainer = node;
          node = factory2.updateForStatement(
            node,
            visitNode(node.initializer, isTopLevel ? visitForInitializer : discardedValueVisitor, isForInitializer),
            visitNode(node.condition, visitor2, isExpression),
            visitNode(node.incrementor, discardedValueVisitor, isExpression),
            visitIterationBody(node.statement, isTopLevel ? topLevelNestedVisitor : visitor2, context)
          );
          enclosingBlockScopedContainer = savedEnclosingBlockScopedContainer;
          return node;
        }
        function visitForInStatement(node) {
          const savedEnclosingBlockScopedContainer = enclosingBlockScopedContainer;
          enclosingBlockScopedContainer = node;
          node = factory2.updateForInStatement(
            node,
            visitForInitializer(node.initializer),
            visitNode(node.expression, visitor2, isExpression),
            visitIterationBody(node.statement, topLevelNestedVisitor, context)
          );
          enclosingBlockScopedContainer = savedEnclosingBlockScopedContainer;
          return node;
        }
        function visitForOfStatement(node) {
          const savedEnclosingBlockScopedContainer = enclosingBlockScopedContainer;
          enclosingBlockScopedContainer = node;
          node = factory2.updateForOfStatement(
            node,
            node.awaitModifier,
            visitForInitializer(node.initializer),
            visitNode(node.expression, visitor2, isExpression),
            visitIterationBody(node.statement, topLevelNestedVisitor, context)
          );
          enclosingBlockScopedContainer = savedEnclosingBlockScopedContainer;
          return node;
        }
        function shouldHoistForInitializer(node) {
          return isVariableDeclarationList(node) && shouldHoistVariableDeclarationList(node);
        }
        function visitForInitializer(node) {
          if (shouldHoistForInitializer(node)) {
            let expressions;
            for (const variable of node.declarations) {
              expressions = append(expressions, transformInitializedVariable(
                variable,
                /*isExportedDeclaration*/
                false
              ));
              if (!variable.initializer) {
                hoistBindingElement(variable);
              }
            }
            return expressions ? factory2.inlineExpressions(expressions) : factory2.createOmittedExpression();
          } else {
            return visitNode(node, discardedValueVisitor, isForInitializer);
          }
        }
        function visitDoStatement(node) {
          return factory2.updateDoStatement(
            node,
            visitIterationBody(node.statement, topLevelNestedVisitor, context),
            visitNode(node.expression, visitor2, isExpression)
          );
        }
        function visitWhileStatement(node) {
          return factory2.updateWhileStatement(
            node,
            visitNode(node.expression, visitor2, isExpression),
            visitIterationBody(node.statement, topLevelNestedVisitor, context)
          );
        }
        function visitLabeledStatement(node) {
          return factory2.updateLabeledStatement(
            node,
            node.label,
            Debug.checkDefined(visitNode(node.statement, topLevelNestedVisitor, isStatement, factory2.liftToBlock))
          );
        }
        function visitWithStatement(node) {
          return factory2.updateWithStatement(
            node,
            visitNode(node.expression, visitor2, isExpression),
            Debug.checkDefined(visitNode(node.statement, topLevelNestedVisitor, isStatement, factory2.liftToBlock))
          );
        }
        function visitIfStatement(node) {
          return factory2.updateIfStatement(
            node,
            visitNode(node.expression, visitor2, isExpression),
            Debug.checkDefined(visitNode(node.thenStatement, topLevelNestedVisitor, isStatement, factory2.liftToBlock)),
            visitNode(node.elseStatement, topLevelNestedVisitor, isStatement, factory2.liftToBlock)
          );
        }
        function visitSwitchStatement(node) {
          return factory2.updateSwitchStatement(
            node,
            visitNode(node.expression, visitor2, isExpression),
            Debug.checkDefined(visitNode(node.caseBlock, topLevelNestedVisitor, isCaseBlock))
          );
        }
        function visitCaseBlock(node) {
          const savedEnclosingBlockScopedContainer = enclosingBlockScopedContainer;
          enclosingBlockScopedContainer = node;
          node = factory2.updateCaseBlock(
            node,
            visitNodes2(node.clauses, topLevelNestedVisitor, isCaseOrDefaultClause)
          );
          enclosingBlockScopedContainer = savedEnclosingBlockScopedContainer;
          return node;
        }
        function visitCaseClause(node) {
          return factory2.updateCaseClause(
            node,
            visitNode(node.expression, visitor2, isExpression),
            visitNodes2(node.statements, topLevelNestedVisitor, isStatement)
          );
        }
        function visitDefaultClause(node) {
          return visitEachChild(node, topLevelNestedVisitor, context);
        }
        function visitTryStatement(node) {
          return visitEachChild(node, topLevelNestedVisitor, context);
        }
        function visitCatchClause(node) {
          const savedEnclosingBlockScopedContainer = enclosingBlockScopedContainer;
          enclosingBlockScopedContainer = node;
          node = factory2.updateCatchClause(
            node,
            node.variableDeclaration,
            Debug.checkDefined(visitNode(node.block, topLevelNestedVisitor, isBlock))
          );
          enclosingBlockScopedContainer = savedEnclosingBlockScopedContainer;
          return node;
        }
        function visitBlock(node) {
          const savedEnclosingBlockScopedContainer = enclosingBlockScopedContainer;
          enclosingBlockScopedContainer = node;
          node = visitEachChild(node, topLevelNestedVisitor, context);
          enclosingBlockScopedContainer = savedEnclosingBlockScopedContainer;
          return node;
        }
        function visitorWorker(node, valueIsDiscarded) {
          if (!(node.transformFlags & (4096 | 8388608 | 268435456))) {
            return node;
          }
          switch (node.kind) {
            case 248:
              return visitForStatement(
                node,
                /*isTopLevel*/
                false
              );
            case 244:
              return visitExpressionStatement(node);
            case 217:
              return visitParenthesizedExpression(node, valueIsDiscarded);
            case 354:
              return visitPartiallyEmittedExpression(node, valueIsDiscarded);
            case 226:
              if (isDestructuringAssignment(node)) {
                return visitDestructuringAssignment(node, valueIsDiscarded);
              }
              break;
            case 213:
              if (isImportCall(node)) {
                return visitImportCallExpression(node);
              }
              break;
            case 224:
            case 225:
              return visitPrefixOrPostfixUnaryExpression(node, valueIsDiscarded);
          }
          return visitEachChild(node, visitor2, context);
        }
        function visitor2(node) {
          return visitorWorker(
            node,
            /*valueIsDiscarded*/
            false
          );
        }
        function discardedValueVisitor(node) {
          return visitorWorker(
            node,
            /*valueIsDiscarded*/
            true
          );
        }
        function visitExpressionStatement(node) {
          return factory2.updateExpressionStatement(node, visitNode(node.expression, discardedValueVisitor, isExpression));
        }
        function visitParenthesizedExpression(node, valueIsDiscarded) {
          return factory2.updateParenthesizedExpression(node, visitNode(node.expression, valueIsDiscarded ? discardedValueVisitor : visitor2, isExpression));
        }
        function visitPartiallyEmittedExpression(node, valueIsDiscarded) {
          return factory2.updatePartiallyEmittedExpression(node, visitNode(node.expression, valueIsDiscarded ? discardedValueVisitor : visitor2, isExpression));
        }
        function visitImportCallExpression(node) {
          const externalModuleName = getExternalModuleNameLiteral(factory2, node, currentSourceFile, host, resolver, compilerOptions);
          const firstArgument = visitNode(firstOrUndefined(node.arguments), visitor2, isExpression);
          const argument = externalModuleName && (!firstArgument || !isStringLiteral2(firstArgument) || firstArgument.text !== externalModuleName.text) ? externalModuleName : firstArgument;
          return factory2.createCallExpression(
            factory2.createPropertyAccessExpression(
              contextObject,
              factory2.createIdentifier("import")
            ),
            /*typeArguments*/
            void 0,
            argument ? [argument] : []
          );
        }
        function visitDestructuringAssignment(node, valueIsDiscarded) {
          if (hasExportedReferenceInDestructuringTarget(node.left)) {
            return flattenDestructuringAssignment(
              node,
              visitor2,
              context,
              0,
              !valueIsDiscarded
            );
          }
          return visitEachChild(node, visitor2, context);
        }
        function hasExportedReferenceInDestructuringTarget(node) {
          if (isAssignmentExpression2(
            node,
            /*excludeCompoundAssignment*/
            true
          )) {
            return hasExportedReferenceInDestructuringTarget(node.left);
          } else if (isSpreadElement(node)) {
            return hasExportedReferenceInDestructuringTarget(node.expression);
          } else if (isObjectLiteralExpression(node)) {
            return some(node.properties, hasExportedReferenceInDestructuringTarget);
          } else if (isArrayLiteralExpression(node)) {
            return some(node.elements, hasExportedReferenceInDestructuringTarget);
          } else if (isShorthandPropertyAssignment(node)) {
            return hasExportedReferenceInDestructuringTarget(node.name);
          } else if (isPropertyAssignment(node)) {
            return hasExportedReferenceInDestructuringTarget(node.initializer);
          } else if (isIdentifier(node)) {
            const container = resolver.getReferencedExportContainer(node);
            return container !== void 0 && container.kind === 307;
          } else {
            return false;
          }
        }
        function visitPrefixOrPostfixUnaryExpression(node, valueIsDiscarded) {
          if ((node.operator === 46 || node.operator === 47) && isIdentifier(node.operand) && !isGeneratedIdentifier(node.operand) && !isLocalName(node.operand) && !isDeclarationNameOfEnumOrNamespace(node.operand)) {
            const exportedNames = getExports2(node.operand);
            if (exportedNames) {
              let temp;
              let expression = visitNode(node.operand, visitor2, isExpression);
              if (isPrefixUnaryExpression(node)) {
                expression = factory2.updatePrefixUnaryExpression(node, expression);
              } else {
                expression = factory2.updatePostfixUnaryExpression(node, expression);
                if (!valueIsDiscarded) {
                  temp = factory2.createTempVariable(hoistVariableDeclaration);
                  expression = factory2.createAssignment(temp, expression);
                  setTextRange(expression, node);
                }
                expression = factory2.createComma(expression, factory2.cloneNode(node.operand));
                setTextRange(expression, node);
              }
              for (const exportName of exportedNames) {
                expression = createExportExpression(exportName, preventSubstitution(expression));
              }
              if (temp) {
                expression = factory2.createComma(expression, temp);
                setTextRange(expression, node);
              }
              return expression;
            }
          }
          return visitEachChild(node, visitor2, context);
        }
        function modifierVisitor(node) {
          switch (node.kind) {
            case 95:
            case 90:
              return void 0;
          }
          return node;
        }
        function onEmitNode(hint, node, emitCallback) {
          if (node.kind === 307) {
            const id = getOriginalNodeId(node);
            currentSourceFile = node;
            moduleInfo = moduleInfoMap[id];
            exportFunction = exportFunctionsMap[id];
            noSubstitution = noSubstitutionMap[id];
            contextObject = contextObjectMap[id];
            if (noSubstitution) {
              delete noSubstitutionMap[id];
            }
            previousOnEmitNode(hint, node, emitCallback);
            currentSourceFile = void 0;
            moduleInfo = void 0;
            exportFunction = void 0;
            contextObject = void 0;
            noSubstitution = void 0;
          } else {
            previousOnEmitNode(hint, node, emitCallback);
          }
        }
        function onSubstituteNode(hint, node) {
          node = previousOnSubstituteNode(hint, node);
          if (isSubstitutionPrevented(node)) {
            return node;
          }
          if (hint === 1) {
            return substituteExpression(node);
          } else if (hint === 4) {
            return substituteUnspecified(node);
          }
          return node;
        }
        function substituteUnspecified(node) {
          switch (node.kind) {
            case 304:
              return substituteShorthandPropertyAssignment(node);
          }
          return node;
        }
        function substituteShorthandPropertyAssignment(node) {
          var _a, _b;
          const name = node.name;
          if (!isGeneratedIdentifier(name) && !isLocalName(name)) {
            const importDeclaration = resolver.getReferencedImportDeclaration(name);
            if (importDeclaration) {
              if (isImportClause(importDeclaration)) {
                return setTextRange(
                  factory2.createPropertyAssignment(
                    factory2.cloneNode(name),
                    factory2.createPropertyAccessExpression(
                      factory2.getGeneratedNameForNode(importDeclaration.parent),
                      factory2.createIdentifier("default")
                    )
                  ),
                  /*location*/
                  node
                );
              } else if (isImportSpecifier(importDeclaration)) {
                return setTextRange(
                  factory2.createPropertyAssignment(
                    factory2.cloneNode(name),
                    factory2.createPropertyAccessExpression(
                      factory2.getGeneratedNameForNode(((_b = (_a = importDeclaration.parent) == null ? void 0 : _a.parent) == null ? void 0 : _b.parent) || importDeclaration),
                      factory2.cloneNode(importDeclaration.propertyName || importDeclaration.name)
                    )
                  ),
                  /*location*/
                  node
                );
              }
            }
          }
          return node;
        }
        function substituteExpression(node) {
          switch (node.kind) {
            case 80:
              return substituteExpressionIdentifier(node);
            case 226:
              return substituteBinaryExpression(node);
            case 236:
              return substituteMetaProperty(node);
          }
          return node;
        }
        function substituteExpressionIdentifier(node) {
          var _a, _b;
          if (getEmitFlags(node) & 8192) {
            const externalHelpersModuleName = getExternalHelpersModuleName(currentSourceFile);
            if (externalHelpersModuleName) {
              return factory2.createPropertyAccessExpression(externalHelpersModuleName, node);
            }
            return node;
          }
          if (!isGeneratedIdentifier(node) && !isLocalName(node)) {
            const importDeclaration = resolver.getReferencedImportDeclaration(node);
            if (importDeclaration) {
              if (isImportClause(importDeclaration)) {
                return setTextRange(
                  factory2.createPropertyAccessExpression(
                    factory2.getGeneratedNameForNode(importDeclaration.parent),
                    factory2.createIdentifier("default")
                  ),
                  /*location*/
                  node
                );
              } else if (isImportSpecifier(importDeclaration)) {
                return setTextRange(
                  factory2.createPropertyAccessExpression(
                    factory2.getGeneratedNameForNode(((_b = (_a = importDeclaration.parent) == null ? void 0 : _a.parent) == null ? void 0 : _b.parent) || importDeclaration),
                    factory2.cloneNode(importDeclaration.propertyName || importDeclaration.name)
                  ),
                  /*location*/
                  node
                );
              }
            }
          }
          return node;
        }
        function substituteBinaryExpression(node) {
          if (isAssignmentOperator(node.operatorToken.kind) && isIdentifier(node.left) && (!isGeneratedIdentifier(node.left) || isFileLevelReservedGeneratedIdentifier(node.left)) && !isLocalName(node.left)) {
            const exportedNames = getExports2(node.left);
            if (exportedNames) {
              let expression = node;
              for (const exportName of exportedNames) {
                expression = createExportExpression(exportName, preventSubstitution(expression));
              }
              return expression;
            }
          }
          return node;
        }
        function substituteMetaProperty(node) {
          if (isImportMeta(node)) {
            return factory2.createPropertyAccessExpression(contextObject, factory2.createIdentifier("meta"));
          }
          return node;
        }
        function getExports2(name) {
          let exportedNames;
          const valueDeclaration = getReferencedDeclaration(name);
          if (valueDeclaration) {
            const exportContainer = resolver.getReferencedExportContainer(
              name,
              /*prefixLocals*/
              false
            );
            if (exportContainer && exportContainer.kind === 307) {
              exportedNames = append(exportedNames, factory2.getDeclarationName(valueDeclaration));
            }
            exportedNames = addRange(exportedNames, moduleInfo == null ? void 0 : moduleInfo.exportedBindings[getOriginalNodeId(valueDeclaration)]);
          } else if (isGeneratedIdentifier(name) && isFileLevelReservedGeneratedIdentifier(name)) {
            const exportSpecifiers = moduleInfo == null ? void 0 : moduleInfo.exportSpecifiers.get(name);
            if (exportSpecifiers) {
              const exportedNames2 = [];
              for (const exportSpecifier of exportSpecifiers) {
                exportedNames2.push(exportSpecifier.name);
              }
              return exportedNames2;
            }
          }
          return exportedNames;
        }
        function getReferencedDeclaration(name) {
          if (!isGeneratedIdentifier(name)) {
            const importDeclaration = resolver.getReferencedImportDeclaration(name);
            if (importDeclaration) return importDeclaration;
            const valueDeclaration = resolver.getReferencedValueDeclaration(name);
            if (valueDeclaration && (moduleInfo == null ? void 0 : moduleInfo.exportedBindings[getOriginalNodeId(valueDeclaration)])) return valueDeclaration;
            const declarations = resolver.getReferencedValueDeclarations(name);
            if (declarations) {
              for (const declaration of declarations) {
                if (declaration !== valueDeclaration && (moduleInfo == null ? void 0 : moduleInfo.exportedBindings[getOriginalNodeId(declaration)])) return declaration;
              }
            }
            return valueDeclaration;
          }
        }
        function preventSubstitution(node) {
          if (noSubstitution === void 0) noSubstitution = [];
          noSubstitution[getNodeId(node)] = true;
          return node;
        }
        function isSubstitutionPrevented(node) {
          return noSubstitution && node.id && noSubstitution[node.id];
        }
      }
      function transformECMAScriptModule(context) {
        const {
          factory: factory2,
          getEmitHelperFactory: emitHelpers
        } = context;
        const host = context.getEmitHost();
        const resolver = context.getEmitResolver();
        const compilerOptions = context.getCompilerOptions();
        const languageVersion = getEmitScriptTarget(compilerOptions);
        const previousOnEmitNode = context.onEmitNode;
        const previousOnSubstituteNode = context.onSubstituteNode;
        context.onEmitNode = onEmitNode;
        context.onSubstituteNode = onSubstituteNode;
        context.enableEmitNotification(
          307
          /* SourceFile */
        );
        context.enableSubstitution(
          80
          /* Identifier */
        );
        let helperNameSubstitutions;
        let currentSourceFile;
        let importRequireStatements;
        return chainBundle(context, transformSourceFile);
        function transformSourceFile(node) {
          if (node.isDeclarationFile) {
            return node;
          }
          if (isExternalModule(node) || getIsolatedModules(compilerOptions)) {
            currentSourceFile = node;
            importRequireStatements = void 0;
            let result = updateExternalModule(node);
            currentSourceFile = void 0;
            if (importRequireStatements) {
              result = factory2.updateSourceFile(
                result,
                setTextRange(factory2.createNodeArray(insertStatementsAfterCustomPrologue(result.statements.slice(), importRequireStatements)), result.statements)
              );
            }
            if (!isExternalModule(node) || getEmitModuleKind(compilerOptions) === 200 || some(result.statements, isExternalModuleIndicator)) {
              return result;
            }
            return factory2.updateSourceFile(
              result,
              setTextRange(factory2.createNodeArray([...result.statements, createEmptyExports(factory2)]), result.statements)
            );
          }
          return node;
        }
        function updateExternalModule(node) {
          const externalHelpersImportDeclaration = createExternalHelpersImportDeclarationIfNeeded(factory2, emitHelpers(), node, compilerOptions);
          if (externalHelpersImportDeclaration) {
            const statements = [];
            const statementOffset = factory2.copyPrologue(node.statements, statements);
            append(statements, externalHelpersImportDeclaration);
            addRange(statements, visitNodes2(node.statements, visitor2, isStatement, statementOffset));
            return factory2.updateSourceFile(
              node,
              setTextRange(factory2.createNodeArray(statements), node.statements)
            );
          } else {
            return visitEachChild(node, visitor2, context);
          }
        }
        function visitor2(node) {
          switch (node.kind) {
            case 271:
              return getEmitModuleKind(compilerOptions) >= 100 ? visitImportEqualsDeclaration(node) : void 0;
            case 277:
              return visitExportAssignment(node);
            case 278:
              const exportDecl = node;
              return visitExportDeclaration(exportDecl);
          }
          return node;
        }
        function createRequireCall2(importNode) {
          const moduleName = getExternalModuleNameLiteral(factory2, importNode, Debug.checkDefined(currentSourceFile), host, resolver, compilerOptions);
          const args = [];
          if (moduleName) {
            args.push(moduleName);
          }
          if (getEmitModuleKind(compilerOptions) === 200) {
            return factory2.createCallExpression(
              factory2.createIdentifier("require"),
              /*typeArguments*/
              void 0,
              args
            );
          }
          if (!importRequireStatements) {
            const createRequireName = factory2.createUniqueName(
              "_createRequire",
              16 | 32
              /* FileLevel */
            );
            const importStatement = factory2.createImportDeclaration(
              /*modifiers*/
              void 0,
              factory2.createImportClause(
                /*isTypeOnly*/
                false,
                /*name*/
                void 0,
                factory2.createNamedImports([
                  factory2.createImportSpecifier(
                    /*isTypeOnly*/
                    false,
                    factory2.createIdentifier("createRequire"),
                    createRequireName
                  )
                ])
              ),
              factory2.createStringLiteral("module"),
              /*attributes*/
              void 0
            );
            const requireHelperName = factory2.createUniqueName(
              "__require",
              16 | 32
              /* FileLevel */
            );
            const requireStatement = factory2.createVariableStatement(
              /*modifiers*/
              void 0,
              factory2.createVariableDeclarationList(
                [
                  factory2.createVariableDeclaration(
                    requireHelperName,
                    /*exclamationToken*/
                    void 0,
                    /*type*/
                    void 0,
                    factory2.createCallExpression(
                      factory2.cloneNode(createRequireName),
                      /*typeArguments*/
                      void 0,
                      [
                        factory2.createPropertyAccessExpression(factory2.createMetaProperty(102, factory2.createIdentifier("meta")), factory2.createIdentifier("url"))
                      ]
                    )
                  )
                ],
                /*flags*/
                languageVersion >= 2 ? 2 : 0
                /* None */
              )
            );
            importRequireStatements = [importStatement, requireStatement];
          }
          const name = importRequireStatements[1].declarationList.declarations[0].name;
          Debug.assertNode(name, isIdentifier);
          return factory2.createCallExpression(
            factory2.cloneNode(name),
            /*typeArguments*/
            void 0,
            args
          );
        }
        function visitImportEqualsDeclaration(node) {
          Debug.assert(isExternalModuleImportEqualsDeclaration(node), "import= for internal module references should be handled in an earlier transformer.");
          let statements;
          statements = append(
            statements,
            setOriginalNode(
              setTextRange(
                factory2.createVariableStatement(
                  /*modifiers*/
                  void 0,
                  factory2.createVariableDeclarationList(
                    [
                      factory2.createVariableDeclaration(
                        factory2.cloneNode(node.name),
                        /*exclamationToken*/
                        void 0,
                        /*type*/
                        void 0,
                        createRequireCall2(node)
                      )
                    ],
                    /*flags*/
                    languageVersion >= 2 ? 2 : 0
                    /* None */
                  )
                ),
                node
              ),
              node
            )
          );
          statements = appendExportsOfImportEqualsDeclaration(statements, node);
          return singleOrMany(statements);
        }
        function appendExportsOfImportEqualsDeclaration(statements, node) {
          if (hasSyntacticModifier(
            node,
            32
            /* Export */
          )) {
            statements = append(
              statements,
              factory2.createExportDeclaration(
                /*modifiers*/
                void 0,
                node.isTypeOnly,
                factory2.createNamedExports([factory2.createExportSpecifier(
                  /*isTypeOnly*/
                  false,
                  /*propertyName*/
                  void 0,
                  idText(node.name)
                )])
              )
            );
          }
          return statements;
        }
        function visitExportAssignment(node) {
          if (node.isExportEquals) {
            if (getEmitModuleKind(compilerOptions) === 200) {
              const statement = setOriginalNode(
                factory2.createExpressionStatement(
                  factory2.createAssignment(
                    factory2.createPropertyAccessExpression(
                      factory2.createIdentifier("module"),
                      "exports"
                    ),
                    node.expression
                  )
                ),
                node
              );
              return statement;
            }
            return void 0;
          }
          return node;
        }
        function visitExportDeclaration(node) {
          if (compilerOptions.module !== void 0 && compilerOptions.module > 5) {
            return node;
          }
          if (!node.exportClause || !isNamespaceExport(node.exportClause) || !node.moduleSpecifier) {
            return node;
          }
          const oldIdentifier = node.exportClause.name;
          const synthName = factory2.getGeneratedNameForNode(oldIdentifier);
          const importDecl = factory2.createImportDeclaration(
            /*modifiers*/
            void 0,
            factory2.createImportClause(
              /*isTypeOnly*/
              false,
              /*name*/
              void 0,
              factory2.createNamespaceImport(
                synthName
              )
            ),
            node.moduleSpecifier,
            node.attributes
          );
          setOriginalNode(importDecl, node.exportClause);
          const exportDecl = isExportNamespaceAsDefaultDeclaration(node) ? factory2.createExportDefault(synthName) : factory2.createExportDeclaration(
            /*modifiers*/
            void 0,
            /*isTypeOnly*/
            false,
            factory2.createNamedExports([factory2.createExportSpecifier(
              /*isTypeOnly*/
              false,
              synthName,
              oldIdentifier
            )])
          );
          setOriginalNode(exportDecl, node);
          return [importDecl, exportDecl];
        }
        function onEmitNode(hint, node, emitCallback) {
          if (isSourceFile(node)) {
            if ((isExternalModule(node) || getIsolatedModules(compilerOptions)) && compilerOptions.importHelpers) {
              helperNameSubstitutions = /* @__PURE__ */ new Map();
            }
            previousOnEmitNode(hint, node, emitCallback);
            helperNameSubstitutions = void 0;
          } else {
            previousOnEmitNode(hint, node, emitCallback);
          }
        }
        function onSubstituteNode(hint, node) {
          node = previousOnSubstituteNode(hint, node);
          if (helperNameSubstitutions && isIdentifier(node) && getEmitFlags(node) & 8192) {
            return substituteHelperName(node);
          }
          return node;
        }
        function substituteHelperName(node) {
          const name = idText(node);
          let substitution = helperNameSubstitutions.get(name);
          if (!substitution) {
            helperNameSubstitutions.set(name, substitution = factory2.createUniqueName(
              name,
              16 | 32
              /* FileLevel */
            ));
          }
          return substitution;
        }
      }
      function transformNodeModule(context) {
        const previousOnSubstituteNode = context.onSubstituteNode;
        const previousOnEmitNode = context.onEmitNode;
        const esmTransform = transformECMAScriptModule(context);
        const esmOnSubstituteNode = context.onSubstituteNode;
        const esmOnEmitNode = context.onEmitNode;
        context.onSubstituteNode = previousOnSubstituteNode;
        context.onEmitNode = previousOnEmitNode;
        const cjsTransform = transformModule(context);
        const cjsOnSubstituteNode = context.onSubstituteNode;
        const cjsOnEmitNode = context.onEmitNode;
        context.onSubstituteNode = onSubstituteNode;
        context.onEmitNode = onEmitNode;
        context.enableSubstitution(
          307
          /* SourceFile */
        );
        context.enableEmitNotification(
          307
          /* SourceFile */
        );
        let currentSourceFile;
        return transformSourceFileOrBundle;
        function onSubstituteNode(hint, node) {
          if (isSourceFile(node)) {
            currentSourceFile = node;
            return previousOnSubstituteNode(hint, node);
          } else {
            if (!currentSourceFile) {
              return previousOnSubstituteNode(hint, node);
            }
            if (currentSourceFile.impliedNodeFormat === 99) {
              return esmOnSubstituteNode(hint, node);
            }
            return cjsOnSubstituteNode(hint, node);
          }
        }
        function onEmitNode(hint, node, emitCallback) {
          if (isSourceFile(node)) {
            currentSourceFile = node;
          }
          if (!currentSourceFile) {
            return previousOnEmitNode(hint, node, emitCallback);
          }
          if (currentSourceFile.impliedNodeFormat === 99) {
            return esmOnEmitNode(hint, node, emitCallback);
          }
          return cjsOnEmitNode(hint, node, emitCallback);
        }
        function getModuleTransformForFile(file) {
          return file.impliedNodeFormat === 99 ? esmTransform : cjsTransform;
        }
        function transformSourceFile(node) {
          if (node.isDeclarationFile) {
            return node;
          }
          currentSourceFile = node;
          const result = getModuleTransformForFile(node)(node);
          currentSourceFile = void 0;
          Debug.assert(isSourceFile(result));
          return result;
        }
        function transformSourceFileOrBundle(node) {
          return node.kind === 307 ? transformSourceFile(node) : transformBundle(node);
        }
        function transformBundle(node) {
          return context.factory.createBundle(map(node.sourceFiles, transformSourceFile));
        }
      }
      function canProduceDiagnostics(node) {
        return isVariableDeclaration(node) || isPropertyDeclaration(node) || isPropertySignature(node) || isBindingElement(node) || isSetAccessor(node) || isGetAccessor(node) || isConstructSignatureDeclaration(node) || isCallSignatureDeclaration(node) || isMethodDeclaration(node) || isMethodSignature(node) || isFunctionDeclaration(node) || isParameter(node) || isTypeParameterDeclaration(node) || isExpressionWithTypeArguments(node) || isImportEqualsDeclaration(node) || isTypeAliasDeclaration(node) || isConstructorDeclaration(node) || isIndexSignatureDeclaration(node) || isPropertyAccessExpression(node) || isElementAccessExpression(node) || isBinaryExpression(node) || isJSDocTypeAlias(node);
      }
      function createGetSymbolAccessibilityDiagnosticForNodeName(node) {
        if (isSetAccessor(node) || isGetAccessor(node)) {
          return getAccessorNameVisibilityError;
        } else if (isMethodSignature(node) || isMethodDeclaration(node)) {
          return getMethodNameVisibilityError;
        } else {
          return createGetSymbolAccessibilityDiagnosticForNode(node);
        }
        function getAccessorNameVisibilityError(symbolAccessibilityResult) {
          const diagnosticMessage = getAccessorNameVisibilityDiagnosticMessage(symbolAccessibilityResult);
          return diagnosticMessage !== void 0 ? {
            diagnosticMessage,
            errorNode: node,
            typeName: node.name
          } : void 0;
        }
        function getAccessorNameVisibilityDiagnosticMessage(symbolAccessibilityResult) {
          if (isStatic(node)) {
            return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Public_static_property_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Public_static_property_0_of_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Public_static_property_0_of_exported_class_has_or_is_using_private_name_1;
          } else if (node.parent.kind === 263) {
            return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Public_property_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Public_property_0_of_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Public_property_0_of_exported_class_has_or_is_using_private_name_1;
          } else {
            return symbolAccessibilityResult.errorModuleName ? Diagnostics.Property_0_of_exported_interface_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Property_0_of_exported_interface_has_or_is_using_private_name_1;
          }
        }
        function getMethodNameVisibilityError(symbolAccessibilityResult) {
          const diagnosticMessage = getMethodNameVisibilityDiagnosticMessage(symbolAccessibilityResult);
          return diagnosticMessage !== void 0 ? {
            diagnosticMessage,
            errorNode: node,
            typeName: node.name
          } : void 0;
        }
        function getMethodNameVisibilityDiagnosticMessage(symbolAccessibilityResult) {
          if (isStatic(node)) {
            return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Public_static_method_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Public_static_method_0_of_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Public_static_method_0_of_exported_class_has_or_is_using_private_name_1;
          } else if (node.parent.kind === 263) {
            return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Public_method_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Public_method_0_of_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Public_method_0_of_exported_class_has_or_is_using_private_name_1;
          } else {
            return symbolAccessibilityResult.errorModuleName ? Diagnostics.Method_0_of_exported_interface_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Method_0_of_exported_interface_has_or_is_using_private_name_1;
          }
        }
      }
      function createGetSymbolAccessibilityDiagnosticForNode(node) {
        if (isVariableDeclaration(node) || isPropertyDeclaration(node) || isPropertySignature(node) || isPropertyAccessExpression(node) || isElementAccessExpression(node) || isBinaryExpression(node) || isBindingElement(node) || isConstructorDeclaration(node)) {
          return getVariableDeclarationTypeVisibilityError;
        } else if (isSetAccessor(node) || isGetAccessor(node)) {
          return getAccessorDeclarationTypeVisibilityError;
        } else if (isConstructSignatureDeclaration(node) || isCallSignatureDeclaration(node) || isMethodDeclaration(node) || isMethodSignature(node) || isFunctionDeclaration(node) || isIndexSignatureDeclaration(node)) {
          return getReturnTypeVisibilityError;
        } else if (isParameter(node)) {
          if (isParameterPropertyDeclaration(node, node.parent) && hasSyntacticModifier(
            node.parent,
            2
            /* Private */
          )) {
            return getVariableDeclarationTypeVisibilityError;
          }
          return getParameterDeclarationTypeVisibilityError;
        } else if (isTypeParameterDeclaration(node)) {
          return getTypeParameterConstraintVisibilityError;
        } else if (isExpressionWithTypeArguments(node)) {
          return getHeritageClauseVisibilityError;
        } else if (isImportEqualsDeclaration(node)) {
          return getImportEntityNameVisibilityError;
        } else if (isTypeAliasDeclaration(node) || isJSDocTypeAlias(node)) {
          return getTypeAliasDeclarationVisibilityError;
        } else {
          return Debug.assertNever(node, `Attempted to set a declaration diagnostic context for unhandled node kind: ${Debug.formatSyntaxKind(node.kind)}`);
        }
        function getVariableDeclarationTypeVisibilityDiagnosticMessage(symbolAccessibilityResult) {
          if (node.kind === 260 || node.kind === 208) {
            return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Exported_variable_0_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Exported_variable_0_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Exported_variable_0_has_or_is_using_private_name_1;
          } else if (node.kind === 172 || node.kind === 211 || node.kind === 212 || node.kind === 226 || node.kind === 171 || node.kind === 169 && hasSyntacticModifier(
            node.parent,
            2
            /* Private */
          )) {
            if (isStatic(node)) {
              return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Public_static_property_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Public_static_property_0_of_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Public_static_property_0_of_exported_class_has_or_is_using_private_name_1;
            } else if (node.parent.kind === 263 || node.kind === 169) {
              return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Public_property_0_of_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Public_property_0_of_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Public_property_0_of_exported_class_has_or_is_using_private_name_1;
            } else {
              return symbolAccessibilityResult.errorModuleName ? Diagnostics.Property_0_of_exported_interface_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Property_0_of_exported_interface_has_or_is_using_private_name_1;
            }
          }
        }
        function getVariableDeclarationTypeVisibilityError(symbolAccessibilityResult) {
          const diagnosticMessage = getVariableDeclarationTypeVisibilityDiagnosticMessage(symbolAccessibilityResult);
          return diagnosticMessage !== void 0 ? {
            diagnosticMessage,
            errorNode: node,
            typeName: node.name
          } : void 0;
        }
        function getAccessorDeclarationTypeVisibilityError(symbolAccessibilityResult) {
          let diagnosticMessage;
          if (node.kind === 178) {
            if (isStatic(node)) {
              diagnosticMessage = symbolAccessibilityResult.errorModuleName ? Diagnostics.Parameter_type_of_public_static_setter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_type_of_public_static_setter_0_from_exported_class_has_or_is_using_private_name_1;
            } else {
              diagnosticMessage = symbolAccessibilityResult.errorModuleName ? Diagnostics.Parameter_type_of_public_setter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_type_of_public_setter_0_from_exported_class_has_or_is_using_private_name_1;
            }
          } else {
            if (isStatic(node)) {
              diagnosticMessage = symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Return_type_of_public_static_getter_0_from_exported_class_has_or_is_using_private_name_1;
            } else {
              diagnosticMessage = symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Return_type_of_public_getter_0_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Return_type_of_public_getter_0_from_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Return_type_of_public_getter_0_from_exported_class_has_or_is_using_private_name_1;
            }
          }
          return {
            diagnosticMessage,
            errorNode: node.name,
            typeName: node.name
          };
        }
        function getReturnTypeVisibilityError(symbolAccessibilityResult) {
          let diagnosticMessage;
          switch (node.kind) {
            case 180:
              diagnosticMessage = symbolAccessibilityResult.errorModuleName ? Diagnostics.Return_type_of_constructor_signature_from_exported_interface_has_or_is_using_name_0_from_private_module_1 : Diagnostics.Return_type_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_0;
              break;
            case 179:
              diagnosticMessage = symbolAccessibilityResult.errorModuleName ? Diagnostics.Return_type_of_call_signature_from_exported_interface_has_or_is_using_name_0_from_private_module_1 : Diagnostics.Return_type_of_call_signature_from_exported_interface_has_or_is_using_private_name_0;
              break;
            case 181:
              diagnosticMessage = symbolAccessibilityResult.errorModuleName ? Diagnostics.Return_type_of_index_signature_from_exported_interface_has_or_is_using_name_0_from_private_module_1 : Diagnostics.Return_type_of_index_signature_from_exported_interface_has_or_is_using_private_name_0;
              break;
            case 174:
            case 173:
              if (isStatic(node)) {
                diagnosticMessage = symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Return_type_of_public_static_method_from_exported_class_has_or_is_using_name_0_from_external_module_1_but_cannot_be_named : Diagnostics.Return_type_of_public_static_method_from_exported_class_has_or_is_using_name_0_from_private_module_1 : Diagnostics.Return_type_of_public_static_method_from_exported_class_has_or_is_using_private_name_0;
              } else if (node.parent.kind === 263) {
                diagnosticMessage = symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Return_type_of_public_method_from_exported_class_has_or_is_using_name_0_from_external_module_1_but_cannot_be_named : Diagnostics.Return_type_of_public_method_from_exported_class_has_or_is_using_name_0_from_private_module_1 : Diagnostics.Return_type_of_public_method_from_exported_class_has_or_is_using_private_name_0;
              } else {
                diagnosticMessage = symbolAccessibilityResult.errorModuleName ? Diagnostics.Return_type_of_method_from_exported_interface_has_or_is_using_name_0_from_private_module_1 : Diagnostics.Return_type_of_method_from_exported_interface_has_or_is_using_private_name_0;
              }
              break;
            case 262:
              diagnosticMessage = symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Return_type_of_exported_function_has_or_is_using_name_0_from_external_module_1_but_cannot_be_named : Diagnostics.Return_type_of_exported_function_has_or_is_using_name_0_from_private_module_1 : Diagnostics.Return_type_of_exported_function_has_or_is_using_private_name_0;
              break;
            default:
              return Debug.fail("This is unknown kind for signature: " + node.kind);
          }
          return {
            diagnosticMessage,
            errorNode: node.name || node
          };
        }
        function getParameterDeclarationTypeVisibilityError(symbolAccessibilityResult) {
          const diagnosticMessage = getParameterDeclarationTypeVisibilityDiagnosticMessage(symbolAccessibilityResult);
          return diagnosticMessage !== void 0 ? {
            diagnosticMessage,
            errorNode: node,
            typeName: node.name
          } : void 0;
        }
        function getParameterDeclarationTypeVisibilityDiagnosticMessage(symbolAccessibilityResult) {
          switch (node.parent.kind) {
            case 176:
              return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Parameter_0_of_constructor_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Parameter_0_of_constructor_from_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_constructor_from_exported_class_has_or_is_using_private_name_1;
            case 180:
            case 185:
              return symbolAccessibilityResult.errorModuleName ? Diagnostics.Parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_1;
            case 179:
              return symbolAccessibilityResult.errorModuleName ? Diagnostics.Parameter_0_of_call_signature_from_exported_interface_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_call_signature_from_exported_interface_has_or_is_using_private_name_1;
            case 181:
              return symbolAccessibilityResult.errorModuleName ? Diagnostics.Parameter_0_of_index_signature_from_exported_interface_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_index_signature_from_exported_interface_has_or_is_using_private_name_1;
            case 174:
            case 173:
              if (isStatic(node.parent)) {
                return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_public_static_method_from_exported_class_has_or_is_using_private_name_1;
              } else if (node.parent.parent.kind === 263) {
                return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Parameter_0_of_public_method_from_exported_class_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Parameter_0_of_public_method_from_exported_class_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_public_method_from_exported_class_has_or_is_using_private_name_1;
              } else {
                return symbolAccessibilityResult.errorModuleName ? Diagnostics.Parameter_0_of_method_from_exported_interface_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_method_from_exported_interface_has_or_is_using_private_name_1;
              }
            case 262:
            case 184:
              return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Parameter_0_of_exported_function_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Parameter_0_of_exported_function_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_exported_function_has_or_is_using_private_name_1;
            case 178:
            case 177:
              return symbolAccessibilityResult.errorModuleName ? symbolAccessibilityResult.accessibility === 2 ? Diagnostics.Parameter_0_of_accessor_has_or_is_using_name_1_from_external_module_2_but_cannot_be_named : Diagnostics.Parameter_0_of_accessor_has_or_is_using_name_1_from_private_module_2 : Diagnostics.Parameter_0_of_accessor_has_or_is_using_private_name_1;
            default:
              return Debug.fail(`Unknown parent for parameter: ${Debug.formatSyntaxKind(node.parent.kind)}`);
          }
        }
        function getTypeParameterConstraintVisibilityError() {
          let diagnosticMessage;
          switch (node.parent.kind) {
            case 263:
              diagnosticMessage = Diagnostics.Type_parameter_0_of_exported_class_has_or_is_using_private_name_1;
              break;
            case 264:
              diagnosticMessage = Diagnostics.Type_parameter_0_of_exported_interface_has_or_is_using_private_name_1;
              break;
            case 200:
              diagnosticMessage = Diagnostics.Type_parameter_0_of_exported_mapped_object_type_is_using_private_name_1;
              break;
            case 185:
            case 180:
              diagnosticMessage = Diagnostics.Type_parameter_0_of_constructor_signature_from_exported_interface_has_or_is_using_private_name_1;
              break;
            case 179:
              diagnosticMessage = Diagnostics.Type_parameter_0_of_call_signature_from_exported_interface_has_or_is_using_private_name_1;
              break;
            case 174:
            case 173:
              if (isStatic(node.parent)) {
                diagnosticMessage = Diagnostics.Type_parameter_0_of_public_static_method_from_exported_class_has_or_is_using_private_name_1;
              } else if (node.parent.parent.kind === 263) {
                diagnosticMessage = Diagnostics.Type_parameter_0_of_public_method_from_exported_class_has_or_is_using_private_name_1;
              } else {
                diagnosticMessage = Diagnostics.Type_parameter_0_of_method_from_exported_interface_has_or_is_using_private_name_1;
              }
              break;
            case 184:
            case 262:
              diagnosticMessage = Diagnostics.Type_parameter_0_of_exported_function_has_or_is_using_private_name_1;
              break;
            case 195:
              diagnosticMessage = Diagnostics.Extends_clause_for_inferred_type_0_has_or_is_using_private_name_1;
              break;
            case 265:
              diagnosticMessage = Diagnostics.Type_parameter_0_of_exported_type_alias_has_or_is_using_private_name_1;
              break;
            default:
              return Debug.fail("This is unknown parent for type parameter: " + node.parent.kind);
          }
          return {
            diagnosticMessage,
            errorNode: node,
            typeName: node.name
          };
        }
        function getHeritageClauseVisibilityError() {
          let diagnosticMessage;
          if (isClassDeclaration(node.parent.parent)) {
            diagnosticMessage = isHeritageClause(node.parent) && node.parent.token === 119 ? Diagnostics.Implements_clause_of_exported_class_0_has_or_is_using_private_name_1 : node.parent.parent.name ? Diagnostics.extends_clause_of_exported_class_0_has_or_is_using_private_name_1 : Diagnostics.extends_clause_of_exported_class_has_or_is_using_private_name_0;
          } else {
            diagnosticMessage = Diagnostics.extends_clause_of_exported_interface_0_has_or_is_using_private_name_1;
          }
          return {
            diagnosticMessage,
            errorNode: node,
            typeName: getNameOfDeclaration(node.parent.parent)
          };
        }
        function getImportEntityNameVisibilityError() {
          return {
            diagnosticMessage: Diagnostics.Import_declaration_0_is_using_private_name_1,
            errorNode: node,
            typeName: node.name
          };
        }
        function getTypeAliasDeclarationVisibilityError(symbolAccessibilityResult) {
          return {
            diagnosticMessage: symbolAccessibilityResult.errorModuleName ? Diagnostics.Exported_type_alias_0_has_or_is_using_private_name_1_from_module_2 : Diagnostics.Exported_type_alias_0_has_or_is_using_private_name_1,
            errorNode: isJSDocTypeAlias(node) ? Debug.checkDefined(node.typeExpression) : node.type,
            typeName: isJSDocTypeAlias(node) ? getNameOfDeclaration(node) : node.name
          };
        }
      }
      function createGetIsolatedDeclarationErrors(resolver) {
        const relatedSuggestionByDeclarationKind = {
          [
            219
            /* ArrowFunction */
          ]: Diagnostics.Add_a_return_type_to_the_function_expression,
          [
            218
            /* FunctionExpression */
          ]: Diagnostics.Add_a_return_type_to_the_function_expression,
          [
            174
            /* MethodDeclaration */
          ]: Diagnostics.Add_a_return_type_to_the_method,
          [
            177
            /* GetAccessor */
          ]: Diagnostics.Add_a_return_type_to_the_get_accessor_declaration,
          [
            178
            /* SetAccessor */
          ]: Diagnostics.Add_a_type_to_parameter_of_the_set_accessor_declaration,
          [
            262
            /* FunctionDeclaration */
          ]: Diagnostics.Add_a_return_type_to_the_function_declaration,
          [
            180
            /* ConstructSignature */
          ]: Diagnostics.Add_a_return_type_to_the_function_declaration,
          [
            169
            /* Parameter */
          ]: Diagnostics.Add_a_type_annotation_to_the_parameter_0,
          [
            260
            /* VariableDeclaration */
          ]: Diagnostics.Add_a_type_annotation_to_the_variable_0,
          [
            172
            /* PropertyDeclaration */
          ]: Diagnostics.Add_a_type_annotation_to_the_property_0,
          [
            171
            /* PropertySignature */
          ]: Diagnostics.Add_a_type_annotation_to_the_property_0,
          [
            277
            /* ExportAssignment */
          ]: Diagnostics.Move_the_expression_in_default_export_to_a_variable_and_add_a_type_annotation_to_it
        };
        const errorByDeclarationKind = {
          [
            218
            /* FunctionExpression */
          ]: Diagnostics.Function_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations,
          [
            262
            /* FunctionDeclaration */
          ]: Diagnostics.Function_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations,
          [
            219
            /* ArrowFunction */
          ]: Diagnostics.Function_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations,
          [
            174
            /* MethodDeclaration */
          ]: Diagnostics.Method_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations,
          [
            180
            /* ConstructSignature */
          ]: Diagnostics.Method_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations,
          [
            177
            /* GetAccessor */
          ]: Diagnostics.At_least_one_accessor_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations,
          [
            178
            /* SetAccessor */
          ]: Diagnostics.At_least_one_accessor_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations,
          [
            169
            /* Parameter */
          ]: Diagnostics.Parameter_must_have_an_explicit_type_annotation_with_isolatedDeclarations,
          [
            260
            /* VariableDeclaration */
          ]: Diagnostics.Variable_must_have_an_explicit_type_annotation_with_isolatedDeclarations,
          [
            172
            /* PropertyDeclaration */
          ]: Diagnostics.Property_must_have_an_explicit_type_annotation_with_isolatedDeclarations,
          [
            171
            /* PropertySignature */
          ]: Diagnostics.Property_must_have_an_explicit_type_annotation_with_isolatedDeclarations,
          [
            167
            /* ComputedPropertyName */
          ]: Diagnostics.Computed_property_names_on_class_or_object_literals_cannot_be_inferred_with_isolatedDeclarations,
          [
            305
            /* SpreadAssignment */
          ]: Diagnostics.Objects_that_contain_spread_assignments_can_t_be_inferred_with_isolatedDeclarations,
          [
            304
            /* ShorthandPropertyAssignment */
          ]: Diagnostics.Objects_that_contain_shorthand_properties_can_t_be_inferred_with_isolatedDeclarations,
          [
            209
            /* ArrayLiteralExpression */
          ]: Diagnostics.Only_const_arrays_can_be_inferred_with_isolatedDeclarations,
          [
            277
            /* ExportAssignment */
          ]: Diagnostics.Default_exports_can_t_be_inferred_with_isolatedDeclarations,
          [
            230
            /* SpreadElement */
          ]: Diagnostics.Arrays_with_spread_elements_can_t_inferred_with_isolatedDeclarations
        };
        return getDiagnostic2;
        function getDiagnostic2(node) {
          const heritageClause = findAncestor(node, isHeritageClause);
          if (heritageClause) {
            return createDiagnosticForNode(node, Diagnostics.Extends_clause_can_t_contain_an_expression_with_isolatedDeclarations);
          }
          if ((isPartOfTypeNode(node) || isTypeQueryNode(node.parent)) && (isEntityName(node) || isEntityNameExpression(node))) {
            return createEntityInTypeNodeError(node);
          }
          Debug.type(node);
          switch (node.kind) {
            case 177:
            case 178:
              return createAccessorTypeError(node);
            case 167:
            case 304:
            case 305:
              return createObjectLiteralError(node);
            case 209:
            case 230:
              return createArrayLiteralError(node);
            case 174:
            case 180:
            case 218:
            case 219:
            case 262:
              return createReturnTypeError(node);
            case 208:
              return createBindingElementError(node);
            case 172:
            case 260:
              return createVariableOrPropertyError(node);
            case 169:
              return createParameterError(node);
            case 303:
              return createExpressionError(node.initializer);
            case 231:
              return createClassExpressionError(node);
            default:
              assertType(node);
              return createExpressionError(node);
          }
        }
        function findNearestDeclaration(node) {
          const result = findAncestor(node, (n) => isExportAssignment(n) || isStatement(n) || isVariableDeclaration(n) || isPropertyDeclaration(n) || isParameter(n));
          if (!result) return void 0;
          if (isExportAssignment(result)) return result;
          if (isReturnStatement(result)) {
            return findAncestor(result, (n) => isFunctionLikeDeclaration(n) && !isConstructorDeclaration(n));
          }
          return isStatement(result) ? void 0 : result;
        }
        function createAccessorTypeError(node) {
          const { getAccessor, setAccessor } = getAllAccessorDeclarations(node.symbol.declarations, node);
          const targetNode = (isSetAccessor(node) ? node.parameters[0] : node) ?? node;
          const diag2 = createDiagnosticForNode(targetNode, errorByDeclarationKind[node.kind]);
          if (setAccessor) {
            addRelatedInfo(diag2, createDiagnosticForNode(setAccessor, relatedSuggestionByDeclarationKind[setAccessor.kind]));
          }
          if (getAccessor) {
            addRelatedInfo(diag2, createDiagnosticForNode(getAccessor, relatedSuggestionByDeclarationKind[getAccessor.kind]));
          }
          return diag2;
        }
        function addParentDeclarationRelatedInfo(node, diag2) {
          const parentDeclaration = findNearestDeclaration(node);
          if (parentDeclaration) {
            const targetStr = isExportAssignment(parentDeclaration) || !parentDeclaration.name ? "" : getTextOfNode(
              parentDeclaration.name,
              /*includeTrivia*/
              false
            );
            addRelatedInfo(diag2, createDiagnosticForNode(parentDeclaration, relatedSuggestionByDeclarationKind[parentDeclaration.kind], targetStr));
          }
          return diag2;
        }
        function createObjectLiteralError(node) {
          const diag2 = createDiagnosticForNode(node, errorByDeclarationKind[node.kind]);
          addParentDeclarationRelatedInfo(node, diag2);
          return diag2;
        }
        function createArrayLiteralError(node) {
          const diag2 = createDiagnosticForNode(node, errorByDeclarationKind[node.kind]);
          addParentDeclarationRelatedInfo(node, diag2);
          return diag2;
        }
        function createReturnTypeError(node) {
          const diag2 = createDiagnosticForNode(node, errorByDeclarationKind[node.kind]);
          addParentDeclarationRelatedInfo(node, diag2);
          addRelatedInfo(diag2, createDiagnosticForNode(node, relatedSuggestionByDeclarationKind[node.kind]));
          return diag2;
        }
        function createBindingElementError(node) {
          return createDiagnosticForNode(node, Diagnostics.Binding_elements_can_t_be_exported_directly_with_isolatedDeclarations);
        }
        function createVariableOrPropertyError(node) {
          const diag2 = createDiagnosticForNode(node, errorByDeclarationKind[node.kind]);
          const targetStr = getTextOfNode(
            node.name,
            /*includeTrivia*/
            false
          );
          addRelatedInfo(diag2, createDiagnosticForNode(node, relatedSuggestionByDeclarationKind[node.kind], targetStr));
          return diag2;
        }
        function createParameterError(node) {
          if (isSetAccessor(node.parent)) {
            return createAccessorTypeError(node.parent);
          }
          const addUndefined = resolver.requiresAddingImplicitUndefined(node);
          if (!addUndefined && node.initializer) {
            return createExpressionError(node.initializer);
          }
          const message = addUndefined ? Diagnostics.Declaration_emit_for_this_parameter_requires_implicitly_adding_undefined_to_it_s_type_This_is_not_supported_with_isolatedDeclarations : errorByDeclarationKind[node.kind];
          const diag2 = createDiagnosticForNode(node, message);
          const targetStr = getTextOfNode(
            node.name,
            /*includeTrivia*/
            false
          );
          addRelatedInfo(diag2, createDiagnosticForNode(node, relatedSuggestionByDeclarationKind[node.kind], targetStr));
          return diag2;
        }
        function createClassExpressionError(node) {
          return createExpressionError(node, Diagnostics.Inference_from_class_expressions_is_not_supported_with_isolatedDeclarations);
        }
        function createEntityInTypeNodeError(node) {
          const diag2 = createDiagnosticForNode(node, Diagnostics.Type_containing_private_name_0_can_t_be_used_with_isolatedDeclarations, getTextOfNode(
            node,
            /*includeTrivia*/
            false
          ));
          addParentDeclarationRelatedInfo(node, diag2);
          return diag2;
        }
        function createExpressionError(node, diagnosticMessage) {
          const parentDeclaration = findNearestDeclaration(node);
          let diag2;
          if (parentDeclaration) {
            const targetStr = isExportAssignment(parentDeclaration) || !parentDeclaration.name ? "" : getTextOfNode(
              parentDeclaration.name,
              /*includeTrivia*/
              false
            );
            const parent2 = findAncestor(node.parent, (n) => isExportAssignment(n) || (isStatement(n) ? "quit" : !isParenthesizedExpression(n) && !isTypeAssertionExpression(n) && !isAsExpression(n)));
            if (parentDeclaration === parent2) {
              diag2 = createDiagnosticForNode(node, diagnosticMessage ?? errorByDeclarationKind[parentDeclaration.kind]);
              addRelatedInfo(diag2, createDiagnosticForNode(parentDeclaration, relatedSuggestionByDeclarationKind[parentDeclaration.kind], targetStr));
            } else {
              diag2 = createDiagnosticForNode(node, diagnosticMessage ?? Diagnostics.Expression_type_can_t_be_inferred_with_isolatedDeclarations);
              addRelatedInfo(diag2, createDiagnosticForNode(parentDeclaration, relatedSuggestionByDeclarationKind[parentDeclaration.kind], targetStr));
              addRelatedInfo(diag2, createDiagnosticForNode(node, Diagnostics.Add_satisfies_and_a_type_assertion_to_this_expression_satisfies_T_as_T_to_make_the_type_explicit));
            }
          } else {
            diag2 = createDiagnosticForNode(node, diagnosticMessage ?? Diagnostics.Expression_type_can_t_be_inferred_with_isolatedDeclarations);
          }
          return diag2;
        }
      }
      function getDeclarationDiagnostics(host, resolver, file) {
        const compilerOptions = host.getCompilerOptions();
        const files = filter(getSourceFilesToEmit(host, file), isSourceFileNotJson);
        const result = transformNodes(
          resolver,
          host,
          factory,
          compilerOptions,
          file ? contains(files, file) ? [file] : emptyArray : files,
          [transformDeclarations],
          /*allowDtsFiles*/
          false
        );
        return result.diagnostics;
      }
      var declarationEmitNodeBuilderFlags = 1024 | 2048 | 4096 | 8 | 524288 | 1 | 4 | 1;
      function transformDeclarations(context) {
        const throwDiagnostic = () => Debug.fail("Diagnostic emitted without context");
        let getSymbolAccessibilityDiagnostic = throwDiagnostic;
        let needsDeclare = true;
        let isBundledEmit = false;
        let resultHasExternalModuleIndicator = false;
        let needsScopeFixMarker = false;
        let resultHasScopeMarker = false;
        let enclosingDeclaration;
        let lateMarkedStatements;
        let lateStatementReplacementMap;
        let suppressNewDiagnosticContexts;
        const { factory: factory2 } = context;
        const host = context.getEmitHost();
        const symbolTracker = {
          trackSymbol,
          reportInaccessibleThisError,
          reportInaccessibleUniqueSymbolError,
          reportCyclicStructureError,
          reportPrivateInBaseOfClassExpression,
          reportLikelyUnsafeImportRequiredError,
          reportTruncationError,
          moduleResolverHost: host,
          reportNonlocalAugmentation,
          reportNonSerializableProperty,
          reportInferenceFallback
        };
        let errorNameNode;
        let errorFallbackNode;
        let currentSourceFile;
        let rawReferencedFiles;
        let rawTypeReferenceDirectives;
        let rawLibReferenceDirectives;
        const resolver = context.getEmitResolver();
        const options = context.getCompilerOptions();
        const getIsolatedDeclarationError = createGetIsolatedDeclarationErrors(resolver);
        const { stripInternal, isolatedDeclarations } = options;
        return transformRoot;
        function reportExpandoFunctionErrors(node) {
          resolver.getPropertiesOfContainerFunction(node).forEach((p) => {
            if (isExpandoPropertyDeclaration(p.valueDeclaration)) {
              const errorTarget = isBinaryExpression(p.valueDeclaration) ? p.valueDeclaration.left : p.valueDeclaration;
              context.addDiagnostic(createDiagnosticForNode(
                errorTarget,
                Diagnostics.Assigning_properties_to_functions_without_declaring_them_is_not_supported_with_isolatedDeclarations_Add_an_explicit_declaration_for_the_properties_assigned_to_this_function
              ));
            }
          });
        }
        function reportInferenceFallback(node) {
          if (!isolatedDeclarations || isSourceFileJS(currentSourceFile)) return;
          if (getSourceFileOfNode(node) !== currentSourceFile) return;
          if (isVariableDeclaration(node) && resolver.isExpandoFunctionDeclaration(node)) {
            reportExpandoFunctionErrors(node);
          } else {
            context.addDiagnostic(getIsolatedDeclarationError(node));
          }
        }
        function handleSymbolAccessibilityError(symbolAccessibilityResult) {
          if (symbolAccessibilityResult.accessibility === 0) {
            if (symbolAccessibilityResult.aliasesToMakeVisible) {
              if (!lateMarkedStatements) {
                lateMarkedStatements = symbolAccessibilityResult.aliasesToMakeVisible;
              } else {
                for (const ref of symbolAccessibilityResult.aliasesToMakeVisible) {
                  pushIfUnique(lateMarkedStatements, ref);
                }
              }
            }
          } else if (symbolAccessibilityResult.accessibility !== 3) {
            const errorInfo = getSymbolAccessibilityDiagnostic(symbolAccessibilityResult);
            if (errorInfo) {
              if (errorInfo.typeName) {
                context.addDiagnostic(createDiagnosticForNode(symbolAccessibilityResult.errorNode || errorInfo.errorNode, errorInfo.diagnosticMessage, getTextOfNode(errorInfo.typeName), symbolAccessibilityResult.errorSymbolName, symbolAccessibilityResult.errorModuleName));
              } else {
                context.addDiagnostic(createDiagnosticForNode(symbolAccessibilityResult.errorNode || errorInfo.errorNode, errorInfo.diagnosticMessage, symbolAccessibilityResult.errorSymbolName, symbolAccessibilityResult.errorModuleName));
              }
              return true;
            }
          }
          return false;
        }
        function trackSymbol(symbol, enclosingDeclaration2, meaning) {
          if (symbol.flags & 262144) return false;
          const issuedDiagnostic = handleSymbolAccessibilityError(resolver.isSymbolAccessible(
            symbol,
            enclosingDeclaration2,
            meaning,
            /*shouldComputeAliasToMarkVisible*/
            true
          ));
          return issuedDiagnostic;
        }
        function reportPrivateInBaseOfClassExpression(propertyName) {
          if (errorNameNode || errorFallbackNode) {
            context.addDiagnostic(
              createDiagnosticForNode(errorNameNode || errorFallbackNode, Diagnostics.Property_0_of_exported_class_expression_may_not_be_private_or_protected, propertyName)
            );
          }
        }
        function errorDeclarationNameWithFallback() {
          return errorNameNode ? declarationNameToString(errorNameNode) : errorFallbackNode && getNameOfDeclaration(errorFallbackNode) ? declarationNameToString(getNameOfDeclaration(errorFallbackNode)) : errorFallbackNode && isExportAssignment(errorFallbackNode) ? errorFallbackNode.isExportEquals ? "export=" : "default" : "(Missing)";
        }
        function reportInaccessibleUniqueSymbolError() {
          if (errorNameNode || errorFallbackNode) {
            context.addDiagnostic(createDiagnosticForNode(errorNameNode || errorFallbackNode, Diagnostics.The_inferred_type_of_0_references_an_inaccessible_1_type_A_type_annotation_is_necessary, errorDeclarationNameWithFallback(), "unique symbol"));
          }
        }
        function reportCyclicStructureError() {
          if (errorNameNode || errorFallbackNode) {
            context.addDiagnostic(createDiagnosticForNode(errorNameNode || errorFallbackNode, Diagnostics.The_inferred_type_of_0_references_a_type_with_a_cyclic_structure_which_cannot_be_trivially_serialized_A_type_annotation_is_necessary, errorDeclarationNameWithFallback()));
          }
        }
        function reportInaccessibleThisError() {
          if (errorNameNode || errorFallbackNode) {
            context.addDiagnostic(createDiagnosticForNode(errorNameNode || errorFallbackNode, Diagnostics.The_inferred_type_of_0_references_an_inaccessible_1_type_A_type_annotation_is_necessary, errorDeclarationNameWithFallback(), "this"));
          }
        }
        function reportLikelyUnsafeImportRequiredError(specifier) {
          if (errorNameNode || errorFallbackNode) {
            context.addDiagnostic(createDiagnosticForNode(errorNameNode || errorFallbackNode, Diagnostics.The_inferred_type_of_0_cannot_be_named_without_a_reference_to_1_This_is_likely_not_portable_A_type_annotation_is_necessary, errorDeclarationNameWithFallback(), specifier));
          }
        }
        function reportTruncationError() {
          if (errorNameNode || errorFallbackNode) {
            context.addDiagnostic(createDiagnosticForNode(errorNameNode || errorFallbackNode, Diagnostics.The_inferred_type_of_this_node_exceeds_the_maximum_length_the_compiler_will_serialize_An_explicit_type_annotation_is_needed));
          }
        }
        function reportNonlocalAugmentation(containingFile, parentSymbol, symbol) {
          var _a;
          const primaryDeclaration = (_a = parentSymbol.declarations) == null ? void 0 : _a.find((d) => getSourceFileOfNode(d) === containingFile);
          const augmentingDeclarations = filter(symbol.declarations, (d) => getSourceFileOfNode(d) !== containingFile);
          if (primaryDeclaration && augmentingDeclarations) {
            for (const augmentations of augmentingDeclarations) {
              context.addDiagnostic(addRelatedInfo(
                createDiagnosticForNode(augmentations, Diagnostics.Declaration_augments_declaration_in_another_file_This_cannot_be_serialized),
                createDiagnosticForNode(primaryDeclaration, Diagnostics.This_is_the_declaration_being_augmented_Consider_moving_the_augmenting_declaration_into_the_same_file)
              ));
            }
          }
        }
        function reportNonSerializableProperty(propertyName) {
          if (errorNameNode || errorFallbackNode) {
            context.addDiagnostic(createDiagnosticForNode(errorNameNode || errorFallbackNode, Diagnostics.The_type_of_this_node_cannot_be_serialized_because_its_property_0_cannot_be_serialized, propertyName));
          }
        }
        function transformDeclarationsForJS(sourceFile) {
          const oldDiag = getSymbolAccessibilityDiagnostic;
          getSymbolAccessibilityDiagnostic = (s) => s.errorNode && canProduceDiagnostics(s.errorNode) ? createGetSymbolAccessibilityDiagnosticForNode(s.errorNode)(s) : {
            diagnosticMessage: s.errorModuleName ? Diagnostics.Declaration_emit_for_this_file_requires_using_private_name_0_from_module_1_An_explicit_type_annotation_may_unblock_declaration_emit : Diagnostics.Declaration_emit_for_this_file_requires_using_private_name_0_An_explicit_type_annotation_may_unblock_declaration_emit,
            errorNode: s.errorNode || sourceFile
          };
          const result = resolver.getDeclarationStatementsForSourceFile(sourceFile, declarationEmitNodeBuilderFlags, symbolTracker);
          getSymbolAccessibilityDiagnostic = oldDiag;
          return result;
        }
        function transformRoot(node) {
          if (node.kind === 307 && node.isDeclarationFile) {
            return node;
          }
          if (node.kind === 308) {
            isBundledEmit = true;
            rawReferencedFiles = [];
            rawTypeReferenceDirectives = [];
            rawLibReferenceDirectives = [];
            let hasNoDefaultLib = false;
            const bundle = factory2.createBundle(
              map(node.sourceFiles, (sourceFile) => {
                if (sourceFile.isDeclarationFile) return void 0;
                hasNoDefaultLib = hasNoDefaultLib || sourceFile.hasNoDefaultLib;
                currentSourceFile = sourceFile;
                enclosingDeclaration = sourceFile;
                lateMarkedStatements = void 0;
                suppressNewDiagnosticContexts = false;
                lateStatementReplacementMap = /* @__PURE__ */ new Map();
                getSymbolAccessibilityDiagnostic = throwDiagnostic;
                needsScopeFixMarker = false;
                resultHasScopeMarker = false;
                collectFileReferences(sourceFile);
                if (isExternalOrCommonJsModule(sourceFile) || isJsonSourceFile(sourceFile)) {
                  resultHasExternalModuleIndicator = false;
                  needsDeclare = false;
                  const statements = isSourceFileJS(sourceFile) ? factory2.createNodeArray(transformDeclarationsForJS(sourceFile)) : visitNodes2(sourceFile.statements, visitDeclarationStatements, isStatement);
                  const newFile = factory2.updateSourceFile(
                    sourceFile,
                    [factory2.createModuleDeclaration(
                      [factory2.createModifier(
                        138
                        /* DeclareKeyword */
                      )],
                      factory2.createStringLiteral(getResolvedExternalModuleName(context.getEmitHost(), sourceFile)),
                      factory2.createModuleBlock(setTextRange(factory2.createNodeArray(transformAndReplaceLatePaintedStatements(statements)), sourceFile.statements))
                    )],
                    /*isDeclarationFile*/
                    true,
                    /*referencedFiles*/
                    [],
                    /*typeReferences*/
                    [],
                    /*hasNoDefaultLib*/
                    false,
                    /*libReferences*/
                    []
                  );
                  return newFile;
                }
                needsDeclare = true;
                const updated = isSourceFileJS(sourceFile) ? factory2.createNodeArray(transformDeclarationsForJS(sourceFile)) : visitNodes2(sourceFile.statements, visitDeclarationStatements, isStatement);
                return factory2.updateSourceFile(
                  sourceFile,
                  transformAndReplaceLatePaintedStatements(updated),
                  /*isDeclarationFile*/
                  true,
                  /*referencedFiles*/
                  [],
                  /*typeReferences*/
                  [],
                  /*hasNoDefaultLib*/
                  false,
                  /*libReferences*/
                  []
                );
              })
            );
            const outputFilePath2 = getDirectoryPath(normalizeSlashes(getOutputPathsFor(
              node,
              host,
              /*forceDtsPaths*/
              true
            ).declarationFilePath));
            bundle.syntheticFileReferences = getReferencedFiles(outputFilePath2);
            bundle.syntheticTypeReferences = getTypeReferences();
            bundle.syntheticLibReferences = getLibReferences();
            bundle.hasNoDefaultLib = hasNoDefaultLib;
            return bundle;
          }
          needsDeclare = true;
          needsScopeFixMarker = false;
          resultHasScopeMarker = false;
          enclosingDeclaration = node;
          currentSourceFile = node;
          getSymbolAccessibilityDiagnostic = throwDiagnostic;
          isBundledEmit = false;
          resultHasExternalModuleIndicator = false;
          suppressNewDiagnosticContexts = false;
          lateMarkedStatements = void 0;
          lateStatementReplacementMap = /* @__PURE__ */ new Map();
          rawReferencedFiles = [];
          rawTypeReferenceDirectives = [];
          rawLibReferenceDirectives = [];
          collectFileReferences(currentSourceFile);
          let combinedStatements;
          if (isSourceFileJS(currentSourceFile)) {
            combinedStatements = factory2.createNodeArray(transformDeclarationsForJS(node));
          } else {
            const statements = visitNodes2(node.statements, visitDeclarationStatements, isStatement);
            combinedStatements = setTextRange(factory2.createNodeArray(transformAndReplaceLatePaintedStatements(statements)), node.statements);
            if (isExternalModule(node) && (!resultHasExternalModuleIndicator || needsScopeFixMarker && !resultHasScopeMarker)) {
              combinedStatements = setTextRange(factory2.createNodeArray([...combinedStatements, createEmptyExports(factory2)]), combinedStatements);
            }
          }
          const outputFilePath = getDirectoryPath(normalizeSlashes(getOutputPathsFor(
            node,
            host,
            /*forceDtsPaths*/
            true
          ).declarationFilePath));
          return factory2.updateSourceFile(
            node,
            combinedStatements,
            /*isDeclarationFile*/
            true,
            getReferencedFiles(outputFilePath),
            getTypeReferences(),
            node.hasNoDefaultLib,
            getLibReferences()
          );
          function collectFileReferences(sourceFile) {
            rawReferencedFiles = concatenate(rawReferencedFiles, map(sourceFile.referencedFiles, (f) => [sourceFile, f]));
            rawTypeReferenceDirectives = concatenate(rawTypeReferenceDirectives, sourceFile.typeReferenceDirectives);
            rawLibReferenceDirectives = concatenate(rawLibReferenceDirectives, sourceFile.libReferenceDirectives);
          }
          function copyFileReferenceAsSynthetic(ref) {
            const newRef = { ...ref };
            newRef.pos = -1;
            newRef.end = -1;
            return newRef;
          }
          function getTypeReferences() {
            return mapDefined(rawTypeReferenceDirectives, (ref) => {
              if (!ref.preserve) return void 0;
              return copyFileReferenceAsSynthetic(ref);
            });
          }
          function getLibReferences() {
            return mapDefined(rawLibReferenceDirectives, (ref) => {
              if (!ref.preserve) return void 0;
              return copyFileReferenceAsSynthetic(ref);
            });
          }
          function getReferencedFiles(outputFilePath2) {
            return mapDefined(rawReferencedFiles, ([sourceFile, ref]) => {
              if (!ref.preserve) return void 0;
              const file = host.getSourceFileFromReference(sourceFile, ref);
              if (!file) {
                return void 0;
              }
              let declFileName;
              if (file.isDeclarationFile) {
                declFileName = file.fileName;
              } else {
                if (isBundledEmit && contains(node.sourceFiles, file)) return;
                const paths = getOutputPathsFor(
                  file,
                  host,
                  /*forceDtsPaths*/
                  true
                );
                declFileName = paths.declarationFilePath || paths.jsFilePath || file.fileName;
              }
              if (!declFileName) return void 0;
              const fileName = getRelativePathToDirectoryOrUrl(
                outputFilePath2,
                declFileName,
                host.getCurrentDirectory(),
                host.getCanonicalFileName,
                /*isAbsolutePathAnUrl*/
                false
              );
              const newRef = copyFileReferenceAsSynthetic(ref);
              newRef.fileName = fileName;
              return newRef;
            });
          }
        }
        function filterBindingPatternInitializers(name) {
          if (name.kind === 80) {
            return name;
          } else {
            if (name.kind === 207) {
              return factory2.updateArrayBindingPattern(name, visitNodes2(name.elements, visitBindingElement, isArrayBindingElement));
            } else {
              return factory2.updateObjectBindingPattern(name, visitNodes2(name.elements, visitBindingElement, isBindingElement));
            }
          }
          function visitBindingElement(elem) {
            if (elem.kind === 232) {
              return elem;
            }
            if (elem.propertyName && isComputedPropertyName(elem.propertyName) && isEntityNameExpression(elem.propertyName.expression)) {
              checkEntityNameVisibility(elem.propertyName.expression, enclosingDeclaration);
            }
            return factory2.updateBindingElement(
              elem,
              elem.dotDotDotToken,
              elem.propertyName,
              filterBindingPatternInitializers(elem.name),
              /*initializer*/
              void 0
            );
          }
        }
        function ensureParameter(p, modifierMask, type) {
          let oldDiag;
          if (!suppressNewDiagnosticContexts) {
            oldDiag = getSymbolAccessibilityDiagnostic;
            getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(p);
          }
          const newParam = factory2.updateParameterDeclaration(
            p,
            maskModifiers(factory2, p, modifierMask),
            p.dotDotDotToken,
            filterBindingPatternInitializers(p.name),
            resolver.isOptionalParameter(p) ? p.questionToken || factory2.createToken(
              58
              /* QuestionToken */
            ) : void 0,
            ensureType(
              p,
              type || p.type,
              /*ignorePrivate*/
              true
            ),
            // Ignore private param props, since this type is going straight back into a param
            ensureNoInitializer(p)
          );
          if (!suppressNewDiagnosticContexts) {
            getSymbolAccessibilityDiagnostic = oldDiag;
          }
          return newParam;
        }
        function shouldPrintWithInitializer(node) {
          return canHaveLiteralInitializer(node) && !!node.initializer && resolver.isLiteralConstDeclaration(getParseTreeNode(node));
        }
        function ensureNoInitializer(node) {
          if (shouldPrintWithInitializer(node)) {
            const unwrappedInitializer = unwrapParenthesizedExpression(node.initializer);
            if (!isPrimitiveLiteralValue(unwrappedInitializer)) {
              reportInferenceFallback(node);
            }
            return resolver.createLiteralConstValue(getParseTreeNode(node, canHaveLiteralInitializer), symbolTracker);
          }
          return void 0;
        }
        function ensureType(node, type, ignorePrivate) {
          if (!ignorePrivate && hasEffectiveModifier(
            node,
            2
            /* Private */
          )) {
            return;
          }
          if (shouldPrintWithInitializer(node)) {
            return;
          }
          const shouldAddImplicitUndefined = node.kind === 169 && resolver.requiresAddingImplicitUndefined(node);
          if (type && !shouldAddImplicitUndefined) {
            return visitNode(type, visitDeclarationSubtree, isTypeNode);
          }
          errorNameNode = node.name;
          let oldDiag;
          if (!suppressNewDiagnosticContexts) {
            oldDiag = getSymbolAccessibilityDiagnostic;
            getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(node);
          }
          let typeNode;
          switch (node.kind) {
            case 169:
            case 171:
            case 172:
            case 208:
            case 260:
              typeNode = resolver.createTypeOfDeclaration(node, enclosingDeclaration, declarationEmitNodeBuilderFlags, symbolTracker);
              break;
            case 262:
            case 180:
            case 173:
            case 174:
            case 177:
            case 179:
              typeNode = resolver.createReturnTypeOfSignatureDeclaration(node, enclosingDeclaration, declarationEmitNodeBuilderFlags, symbolTracker);
              break;
            default:
              Debug.assertNever(node);
          }
          errorNameNode = void 0;
          if (!suppressNewDiagnosticContexts) {
            getSymbolAccessibilityDiagnostic = oldDiag;
          }
          return typeNode ?? factory2.createKeywordTypeNode(
            133
            /* AnyKeyword */
          );
        }
        function isDeclarationAndNotVisible(node) {
          node = getParseTreeNode(node);
          switch (node.kind) {
            case 262:
            case 267:
            case 264:
            case 263:
            case 265:
            case 266:
              return !resolver.isDeclarationVisible(node);
            case 260:
              return !getBindingNameVisible(node);
            case 271:
            case 272:
            case 278:
            case 277:
              return false;
            case 175:
              return true;
          }
          return false;
        }
        function shouldEmitFunctionProperties(input) {
          var _a;
          if (input.body) {
            return true;
          }
          const overloadSignatures = (_a = input.symbol.declarations) == null ? void 0 : _a.filter((decl) => isFunctionDeclaration(decl) && !decl.body);
          return !overloadSignatures || overloadSignatures.indexOf(input) === overloadSignatures.length - 1;
        }
        function getBindingNameVisible(elem) {
          if (isOmittedExpression(elem)) {
            return false;
          }
          if (isBindingPattern(elem.name)) {
            return some(elem.name.elements, getBindingNameVisible);
          } else {
            return resolver.isDeclarationVisible(elem);
          }
        }
        function updateParamsList(node, params, modifierMask) {
          if (hasEffectiveModifier(
            node,
            2
            /* Private */
          )) {
            return factory2.createNodeArray();
          }
          const newParams = map(params, (p) => ensureParameter(p, modifierMask));
          if (!newParams) {
            return factory2.createNodeArray();
          }
          return factory2.createNodeArray(newParams, params.hasTrailingComma);
        }
        function updateAccessorParamsList(input, isPrivate) {
          let newParams;
          if (!isPrivate) {
            const thisParameter = getThisParameter(input);
            if (thisParameter) {
              newParams = [ensureParameter(thisParameter)];
            }
          }
          if (isSetAccessorDeclaration(input)) {
            let newValueParameter;
            if (!isPrivate) {
              const valueParameter = getSetAccessorValueParameter(input);
              if (valueParameter) {
                const accessorType = getTypeAnnotationFromAllAccessorDeclarations(input, getAllAccessorDeclarations(isObjectLiteralExpression(input.parent) ? input.parent.properties : input.parent.members, input));
                newValueParameter = ensureParameter(
                  valueParameter,
                  /*modifierMask*/
                  void 0,
                  accessorType
                );
              }
            }
            if (!newValueParameter) {
              newValueParameter = factory2.createParameterDeclaration(
                /*modifiers*/
                void 0,
                /*dotDotDotToken*/
                void 0,
                "value"
              );
            }
            newParams = append(newParams, newValueParameter);
          }
          return factory2.createNodeArray(newParams || emptyArray);
        }
        function ensureTypeParams(node, params) {
          return hasEffectiveModifier(
            node,
            2
            /* Private */
          ) ? void 0 : visitNodes2(params, visitDeclarationSubtree, isTypeParameterDeclaration);
        }
        function isEnclosingDeclaration(node) {
          return isSourceFile(node) || isTypeAliasDeclaration(node) || isModuleDeclaration(node) || isClassDeclaration(node) || isInterfaceDeclaration(node) || isFunctionLike(node) || isIndexSignatureDeclaration(node) || isMappedTypeNode(node);
        }
        function checkEntityNameVisibility(entityName, enclosingDeclaration2) {
          const visibilityResult = resolver.isEntityNameVisible(entityName, enclosingDeclaration2);
          handleSymbolAccessibilityError(visibilityResult);
        }
        function preserveJsDoc(updated, original) {
          if (hasJSDocNodes(updated) && hasJSDocNodes(original)) {
            updated.jsDoc = original.jsDoc;
          }
          return setCommentRange(updated, getCommentRange(original));
        }
        function rewriteModuleSpecifier(parent2, input) {
          if (!input) return void 0;
          resultHasExternalModuleIndicator = resultHasExternalModuleIndicator || parent2.kind !== 267 && parent2.kind !== 205;
          if (isStringLiteralLike(input)) {
            if (isBundledEmit) {
              const newName = getExternalModuleNameFromDeclaration(context.getEmitHost(), resolver, parent2);
              if (newName) {
                return factory2.createStringLiteral(newName);
              }
            }
          }
          return input;
        }
        function transformImportEqualsDeclaration(decl) {
          if (!resolver.isDeclarationVisible(decl)) return;
          if (decl.moduleReference.kind === 283) {
            const specifier = getExternalModuleImportEqualsDeclarationExpression(decl);
            return factory2.updateImportEqualsDeclaration(
              decl,
              decl.modifiers,
              decl.isTypeOnly,
              decl.name,
              factory2.updateExternalModuleReference(decl.moduleReference, rewriteModuleSpecifier(decl, specifier))
            );
          } else {
            const oldDiag = getSymbolAccessibilityDiagnostic;
            getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(decl);
            checkEntityNameVisibility(decl.moduleReference, enclosingDeclaration);
            getSymbolAccessibilityDiagnostic = oldDiag;
            return decl;
          }
        }
        function transformImportDeclaration(decl) {
          if (!decl.importClause) {
            return factory2.updateImportDeclaration(
              decl,
              decl.modifiers,
              decl.importClause,
              rewriteModuleSpecifier(decl, decl.moduleSpecifier),
              tryGetResolutionModeOverride(decl.attributes)
            );
          }
          const visibleDefaultBinding = decl.importClause && decl.importClause.name && resolver.isDeclarationVisible(decl.importClause) ? decl.importClause.name : void 0;
          if (!decl.importClause.namedBindings) {
            return visibleDefaultBinding && factory2.updateImportDeclaration(
              decl,
              decl.modifiers,
              factory2.updateImportClause(
                decl.importClause,
                decl.importClause.isTypeOnly,
                visibleDefaultBinding,
                /*namedBindings*/
                void 0
              ),
              rewriteModuleSpecifier(decl, decl.moduleSpecifier),
              tryGetResolutionModeOverride(decl.attributes)
            );
          }
          if (decl.importClause.namedBindings.kind === 274) {
            const namedBindings = resolver.isDeclarationVisible(decl.importClause.namedBindings) ? decl.importClause.namedBindings : (
              /*namedBindings*/
              void 0
            );
            return visibleDefaultBinding || namedBindings ? factory2.updateImportDeclaration(
              decl,
              decl.modifiers,
              factory2.updateImportClause(
                decl.importClause,
                decl.importClause.isTypeOnly,
                visibleDefaultBinding,
                namedBindings
              ),
              rewriteModuleSpecifier(decl, decl.moduleSpecifier),
              tryGetResolutionModeOverride(decl.attributes)
            ) : void 0;
          }
          const bindingList = mapDefined(decl.importClause.namedBindings.elements, (b) => resolver.isDeclarationVisible(b) ? b : void 0);
          if (bindingList && bindingList.length || visibleDefaultBinding) {
            return factory2.updateImportDeclaration(
              decl,
              decl.modifiers,
              factory2.updateImportClause(
                decl.importClause,
                decl.importClause.isTypeOnly,
                visibleDefaultBinding,
                bindingList && bindingList.length ? factory2.updateNamedImports(decl.importClause.namedBindings, bindingList) : void 0
              ),
              rewriteModuleSpecifier(decl, decl.moduleSpecifier),
              tryGetResolutionModeOverride(decl.attributes)
            );
          }
          if (resolver.isImportRequiredByAugmentation(decl)) {
            if (isolatedDeclarations) {
              context.addDiagnostic(createDiagnosticForNode(decl, Diagnostics.Declaration_emit_for_this_file_requires_preserving_this_import_for_augmentations_This_is_not_supported_with_isolatedDeclarations));
            }
            return factory2.updateImportDeclaration(
              decl,
              decl.modifiers,
              /*importClause*/
              void 0,
              rewriteModuleSpecifier(decl, decl.moduleSpecifier),
              tryGetResolutionModeOverride(decl.attributes)
            );
          }
        }
        function tryGetResolutionModeOverride(node) {
          const mode = getResolutionModeOverride(node);
          return node && mode !== void 0 ? node : void 0;
        }
        function transformAndReplaceLatePaintedStatements(statements) {
          while (length(lateMarkedStatements)) {
            const i = lateMarkedStatements.shift();
            if (!isLateVisibilityPaintedStatement(i)) {
              return Debug.fail(`Late replaced statement was found which is not handled by the declaration transformer!: ${Debug.formatSyntaxKind(i.kind)}`);
            }
            const priorNeedsDeclare = needsDeclare;
            needsDeclare = i.parent && isSourceFile(i.parent) && !(isExternalModule(i.parent) && isBundledEmit);
            const result = transformTopLevelDeclaration(i);
            needsDeclare = priorNeedsDeclare;
            lateStatementReplacementMap.set(getOriginalNodeId(i), result);
          }
          return visitNodes2(statements, visitLateVisibilityMarkedStatements, isStatement);
          function visitLateVisibilityMarkedStatements(statement) {
            if (isLateVisibilityPaintedStatement(statement)) {
              const key = getOriginalNodeId(statement);
              if (lateStatementReplacementMap.has(key)) {
                const result = lateStatementReplacementMap.get(key);
                lateStatementReplacementMap.delete(key);
                if (result) {
                  if (isArray3(result) ? some(result, needsScopeMarker) : needsScopeMarker(result)) {
                    needsScopeFixMarker = true;
                  }
                  if (isSourceFile(statement.parent) && (isArray3(result) ? some(result, isExternalModuleIndicator) : isExternalModuleIndicator(result))) {
                    resultHasExternalModuleIndicator = true;
                  }
                }
                return result;
              }
            }
            return statement;
          }
        }
        function visitDeclarationSubtree(input) {
          if (shouldStripInternal(input)) return;
          if (isDeclaration(input)) {
            if (isDeclarationAndNotVisible(input)) return;
            if (hasDynamicName(input)) {
              if (isolatedDeclarations) {
                if (!resolver.isDefinitelyReferenceToGlobalSymbolObject(input.name.expression)) {
                  if (isClassDeclaration(input.parent) || isObjectLiteralExpression(input.parent)) {
                    context.addDiagnostic(createDiagnosticForNode(input, Diagnostics.Computed_property_names_on_class_or_object_literals_cannot_be_inferred_with_isolatedDeclarations));
                    return;
                  } else if (
                    // Type declarations just need to double-check that the input computed name is an entity name expression
                    (isInterfaceDeclaration(input.parent) || isTypeLiteralNode(input.parent)) && !isEntityNameExpression(input.name.expression)
                  ) {
                    context.addDiagnostic(createDiagnosticForNode(input, Diagnostics.Computed_properties_must_be_number_or_string_literals_variables_or_dotted_expressions_with_isolatedDeclarations));
                    return;
                  }
                }
              } else if (!resolver.isLateBound(getParseTreeNode(input)) || !isEntityNameExpression(input.name.expression)) {
                return;
              }
            }
          }
          if (isFunctionLike(input) && resolver.isImplementationOfOverload(input)) return;
          if (isSemicolonClassElement(input)) return;
          let previousEnclosingDeclaration;
          if (isEnclosingDeclaration(input)) {
            previousEnclosingDeclaration = enclosingDeclaration;
            enclosingDeclaration = input;
          }
          const oldDiag = getSymbolAccessibilityDiagnostic;
          const canProduceDiagnostic = canProduceDiagnostics(input);
          const oldWithinObjectLiteralType = suppressNewDiagnosticContexts;
          let shouldEnterSuppressNewDiagnosticsContextContext = (input.kind === 187 || input.kind === 200) && input.parent.kind !== 265;
          if (isMethodDeclaration(input) || isMethodSignature(input)) {
            if (hasEffectiveModifier(
              input,
              2
              /* Private */
            )) {
              if (input.symbol && input.symbol.declarations && input.symbol.declarations[0] !== input) return;
              return cleanup(factory2.createPropertyDeclaration(
                ensureModifiers(input),
                input.name,
                /*questionOrExclamationToken*/
                void 0,
                /*type*/
                void 0,
                /*initializer*/
                void 0
              ));
            }
          }
          if (canProduceDiagnostic && !suppressNewDiagnosticContexts) {
            getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(input);
          }
          if (isTypeQueryNode(input)) {
            checkEntityNameVisibility(input.exprName, enclosingDeclaration);
          }
          if (shouldEnterSuppressNewDiagnosticsContextContext) {
            suppressNewDiagnosticContexts = true;
          }
          if (isProcessedComponent(input)) {
            switch (input.kind) {
              case 233: {
                if (isEntityName(input.expression) || isEntityNameExpression(input.expression)) {
                  checkEntityNameVisibility(input.expression, enclosingDeclaration);
                }
                const node = visitEachChild(input, visitDeclarationSubtree, context);
                return cleanup(factory2.updateExpressionWithTypeArguments(node, node.expression, node.typeArguments));
              }
              case 183: {
                checkEntityNameVisibility(input.typeName, enclosingDeclaration);
                const node = visitEachChild(input, visitDeclarationSubtree, context);
                return cleanup(factory2.updateTypeReferenceNode(node, node.typeName, node.typeArguments));
              }
              case 180:
                return cleanup(factory2.updateConstructSignature(
                  input,
                  ensureTypeParams(input, input.typeParameters),
                  updateParamsList(input, input.parameters),
                  ensureType(input, input.type)
                ));
              case 176: {
                const ctor = factory2.createConstructorDeclaration(
                  /*modifiers*/
                  ensureModifiers(input),
                  updateParamsList(
                    input,
                    input.parameters,
                    0
                    /* None */
                  ),
                  /*body*/
                  void 0
                );
                return cleanup(ctor);
              }
              case 174: {
                if (isPrivateIdentifier(input.name)) {
                  return cleanup(
                    /*returnValue*/
                    void 0
                  );
                }
                const sig = factory2.createMethodDeclaration(
                  ensureModifiers(input),
                  /*asteriskToken*/
                  void 0,
                  input.name,
                  input.questionToken,
                  ensureTypeParams(input, input.typeParameters),
                  updateParamsList(input, input.parameters),
                  ensureType(input, input.type),
                  /*body*/
                  void 0
                );
                return cleanup(sig);
              }
              case 177: {
                if (isPrivateIdentifier(input.name)) {
                  return cleanup(
                    /*returnValue*/
                    void 0
                  );
                }
                const accessorType = getTypeAnnotationFromAllAccessorDeclarations(input, getAllAccessorDeclarations(isObjectLiteralExpression(input.parent) ? input.parent.properties : input.parent.members, input));
                return cleanup(factory2.updateGetAccessorDeclaration(
                  input,
                  ensureModifiers(input),
                  input.name,
                  updateAccessorParamsList(input, hasEffectiveModifier(
                    input,
                    2
                    /* Private */
                  )),
                  ensureType(input, accessorType),
                  /*body*/
                  void 0
                ));
              }
              case 178: {
                if (isPrivateIdentifier(input.name)) {
                  return cleanup(
                    /*returnValue*/
                    void 0
                  );
                }
                return cleanup(factory2.updateSetAccessorDeclaration(
                  input,
                  ensureModifiers(input),
                  input.name,
                  updateAccessorParamsList(input, hasEffectiveModifier(
                    input,
                    2
                    /* Private */
                  )),
                  /*body*/
                  void 0
                ));
              }
              case 172:
                if (isPrivateIdentifier(input.name)) {
                  return cleanup(
                    /*returnValue*/
                    void 0
                  );
                }
                return cleanup(factory2.updatePropertyDeclaration(
                  input,
                  ensureModifiers(input),
                  input.name,
                  input.questionToken,
                  ensureType(input, input.type),
                  ensureNoInitializer(input)
                ));
              case 171:
                if (isPrivateIdentifier(input.name)) {
                  return cleanup(
                    /*returnValue*/
                    void 0
                  );
                }
                return cleanup(factory2.updatePropertySignature(
                  input,
                  ensureModifiers(input),
                  input.name,
                  input.questionToken,
                  ensureType(input, input.type)
                ));
              case 173: {
                if (isPrivateIdentifier(input.name)) {
                  return cleanup(
                    /*returnValue*/
                    void 0
                  );
                }
                return cleanup(factory2.updateMethodSignature(
                  input,
                  ensureModifiers(input),
                  input.name,
                  input.questionToken,
                  ensureTypeParams(input, input.typeParameters),
                  updateParamsList(input, input.parameters),
                  ensureType(input, input.type)
                ));
              }
              case 179: {
                return cleanup(
                  factory2.updateCallSignature(
                    input,
                    ensureTypeParams(input, input.typeParameters),
                    updateParamsList(input, input.parameters),
                    ensureType(input, input.type)
                  )
                );
              }
              case 181: {
                return cleanup(factory2.updateIndexSignature(
                  input,
                  ensureModifiers(input),
                  updateParamsList(input, input.parameters),
                  visitNode(input.type, visitDeclarationSubtree, isTypeNode) || factory2.createKeywordTypeNode(
                    133
                    /* AnyKeyword */
                  )
                ));
              }
              case 260: {
                if (isBindingPattern(input.name)) {
                  return recreateBindingPattern(input.name);
                }
                shouldEnterSuppressNewDiagnosticsContextContext = true;
                suppressNewDiagnosticContexts = true;
                return cleanup(factory2.updateVariableDeclaration(
                  input,
                  input.name,
                  /*exclamationToken*/
                  void 0,
                  ensureType(input, input.type),
                  ensureNoInitializer(input)
                ));
              }
              case 168: {
                if (isPrivateMethodTypeParameter(input) && (input.default || input.constraint)) {
                  return cleanup(factory2.updateTypeParameterDeclaration(
                    input,
                    input.modifiers,
                    input.name,
                    /*constraint*/
                    void 0,
                    /*defaultType*/
                    void 0
                  ));
                }
                return cleanup(visitEachChild(input, visitDeclarationSubtree, context));
              }
              case 194: {
                const checkType = visitNode(input.checkType, visitDeclarationSubtree, isTypeNode);
                const extendsType = visitNode(input.extendsType, visitDeclarationSubtree, isTypeNode);
                const oldEnclosingDecl = enclosingDeclaration;
                enclosingDeclaration = input.trueType;
                const trueType = visitNode(input.trueType, visitDeclarationSubtree, isTypeNode);
                enclosingDeclaration = oldEnclosingDecl;
                const falseType = visitNode(input.falseType, visitDeclarationSubtree, isTypeNode);
                Debug.assert(checkType);
                Debug.assert(extendsType);
                Debug.assert(trueType);
                Debug.assert(falseType);
                return cleanup(factory2.updateConditionalTypeNode(input, checkType, extendsType, trueType, falseType));
              }
              case 184: {
                return cleanup(factory2.updateFunctionTypeNode(
                  input,
                  visitNodes2(input.typeParameters, visitDeclarationSubtree, isTypeParameterDeclaration),
                  updateParamsList(input, input.parameters),
                  Debug.checkDefined(visitNode(input.type, visitDeclarationSubtree, isTypeNode))
                ));
              }
              case 185: {
                return cleanup(factory2.updateConstructorTypeNode(
                  input,
                  ensureModifiers(input),
                  visitNodes2(input.typeParameters, visitDeclarationSubtree, isTypeParameterDeclaration),
                  updateParamsList(input, input.parameters),
                  Debug.checkDefined(visitNode(input.type, visitDeclarationSubtree, isTypeNode))
                ));
              }
              case 205: {
                if (!isLiteralImportTypeNode(input)) return cleanup(input);
                return cleanup(factory2.updateImportTypeNode(
                  input,
                  factory2.updateLiteralTypeNode(input.argument, rewriteModuleSpecifier(input, input.argument.literal)),
                  input.attributes,
                  input.qualifier,
                  visitNodes2(input.typeArguments, visitDeclarationSubtree, isTypeNode),
                  input.isTypeOf
                ));
              }
              default:
                Debug.assertNever(input, `Attempted to process unhandled node kind: ${Debug.formatSyntaxKind(input.kind)}`);
            }
          }
          if (isTupleTypeNode(input) && getLineAndCharacterOfPosition(currentSourceFile, input.pos).line === getLineAndCharacterOfPosition(currentSourceFile, input.end).line) {
            setEmitFlags(
              input,
              1
              /* SingleLine */
            );
          }
          return cleanup(visitEachChild(input, visitDeclarationSubtree, context));
          function cleanup(returnValue) {
            if (returnValue && canProduceDiagnostic && hasDynamicName(input)) {
              checkName(input);
            }
            if (isEnclosingDeclaration(input)) {
              enclosingDeclaration = previousEnclosingDeclaration;
            }
            if (canProduceDiagnostic && !suppressNewDiagnosticContexts) {
              getSymbolAccessibilityDiagnostic = oldDiag;
            }
            if (shouldEnterSuppressNewDiagnosticsContextContext) {
              suppressNewDiagnosticContexts = oldWithinObjectLiteralType;
            }
            if (returnValue === input) {
              return returnValue;
            }
            return returnValue && setOriginalNode(preserveJsDoc(returnValue, input), input);
          }
        }
        function isPrivateMethodTypeParameter(node) {
          return node.parent.kind === 174 && hasEffectiveModifier(
            node.parent,
            2
            /* Private */
          );
        }
        function visitDeclarationStatements(input) {
          if (!isPreservedDeclarationStatement(input)) {
            return;
          }
          if (shouldStripInternal(input)) return;
          switch (input.kind) {
            case 278: {
              if (isSourceFile(input.parent)) {
                resultHasExternalModuleIndicator = true;
              }
              resultHasScopeMarker = true;
              return factory2.updateExportDeclaration(
                input,
                input.modifiers,
                input.isTypeOnly,
                input.exportClause,
                rewriteModuleSpecifier(input, input.moduleSpecifier),
                tryGetResolutionModeOverride(input.attributes)
              );
            }
            case 277: {
              if (isSourceFile(input.parent)) {
                resultHasExternalModuleIndicator = true;
              }
              resultHasScopeMarker = true;
              if (input.expression.kind === 80) {
                return input;
              } else {
                const newId = factory2.createUniqueName(
                  "_default",
                  16
                  /* Optimistic */
                );
                getSymbolAccessibilityDiagnostic = () => ({
                  diagnosticMessage: Diagnostics.Default_export_of_the_module_has_or_is_using_private_name_0,
                  errorNode: input
                });
                errorFallbackNode = input;
                const varDecl = factory2.createVariableDeclaration(
                  newId,
                  /*exclamationToken*/
                  void 0,
                  resolver.createTypeOfExpression(input.expression, input, declarationEmitNodeBuilderFlags, symbolTracker),
                  /*initializer*/
                  void 0
                );
                errorFallbackNode = void 0;
                const statement = factory2.createVariableStatement(needsDeclare ? [factory2.createModifier(
                  138
                  /* DeclareKeyword */
                )] : [], factory2.createVariableDeclarationList(
                  [varDecl],
                  2
                  /* Const */
                ));
                preserveJsDoc(statement, input);
                removeAllComments(input);
                return [statement, factory2.updateExportAssignment(input, input.modifiers, newId)];
              }
            }
          }
          const result = transformTopLevelDeclaration(input);
          lateStatementReplacementMap.set(getOriginalNodeId(input), result);
          return input;
        }
        function stripExportModifiers(statement) {
          if (isImportEqualsDeclaration(statement) || hasEffectiveModifier(
            statement,
            2048
            /* Default */
          ) || !canHaveModifiers(statement)) {
            return statement;
          }
          const modifiers = factory2.createModifiersFromModifierFlags(getEffectiveModifierFlags(statement) & (131071 ^ 32));
          return factory2.replaceModifiers(statement, modifiers);
        }
        function updateModuleDeclarationAndKeyword(node, modifiers, name, body) {
          const updated = factory2.updateModuleDeclaration(node, modifiers, name, body);
          if (isAmbientModule(updated) || updated.flags & 32) {
            return updated;
          }
          const fixed = factory2.createModuleDeclaration(
            updated.modifiers,
            updated.name,
            updated.body,
            updated.flags | 32
            /* Namespace */
          );
          setOriginalNode(fixed, updated);
          setTextRange(fixed, updated);
          return fixed;
        }
        function transformTopLevelDeclaration(input) {
          if (lateMarkedStatements) {
            while (orderedRemoveItem(lateMarkedStatements, input)) ;
          }
          if (shouldStripInternal(input)) return;
          switch (input.kind) {
            case 271: {
              return transformImportEqualsDeclaration(input);
            }
            case 272: {
              return transformImportDeclaration(input);
            }
          }
          if (isDeclaration(input) && isDeclarationAndNotVisible(input)) return;
          if (isJSDocImportTag(input)) return;
          if (isFunctionLike(input) && resolver.isImplementationOfOverload(input)) return;
          let previousEnclosingDeclaration;
          if (isEnclosingDeclaration(input)) {
            previousEnclosingDeclaration = enclosingDeclaration;
            enclosingDeclaration = input;
          }
          const canProdiceDiagnostic = canProduceDiagnostics(input);
          const oldDiag = getSymbolAccessibilityDiagnostic;
          if (canProdiceDiagnostic) {
            getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(input);
          }
          const previousNeedsDeclare = needsDeclare;
          switch (input.kind) {
            case 265: {
              needsDeclare = false;
              const clean2 = cleanup(factory2.updateTypeAliasDeclaration(
                input,
                ensureModifiers(input),
                input.name,
                visitNodes2(input.typeParameters, visitDeclarationSubtree, isTypeParameterDeclaration),
                Debug.checkDefined(visitNode(input.type, visitDeclarationSubtree, isTypeNode))
              ));
              needsDeclare = previousNeedsDeclare;
              return clean2;
            }
            case 264: {
              return cleanup(factory2.updateInterfaceDeclaration(
                input,
                ensureModifiers(input),
                input.name,
                ensureTypeParams(input, input.typeParameters),
                transformHeritageClauses(input.heritageClauses),
                visitNodes2(input.members, visitDeclarationSubtree, isTypeElement)
              ));
            }
            case 262: {
              const clean2 = cleanup(factory2.updateFunctionDeclaration(
                input,
                ensureModifiers(input),
                /*asteriskToken*/
                void 0,
                input.name,
                ensureTypeParams(input, input.typeParameters),
                updateParamsList(input, input.parameters),
                ensureType(input, input.type),
                /*body*/
                void 0
              ));
              if (clean2 && resolver.isExpandoFunctionDeclaration(input) && shouldEmitFunctionProperties(input)) {
                const props = resolver.getPropertiesOfContainerFunction(input);
                if (isolatedDeclarations) {
                  reportExpandoFunctionErrors(input);
                }
                const fakespace = parseNodeFactory.createModuleDeclaration(
                  /*modifiers*/
                  void 0,
                  clean2.name || factory2.createIdentifier("_default"),
                  factory2.createModuleBlock([]),
                  32
                  /* Namespace */
                );
                setParent(fakespace, enclosingDeclaration);
                fakespace.locals = createSymbolTable(props);
                fakespace.symbol = props[0].parent;
                const exportMappings = [];
                let declarations = mapDefined(props, (p) => {
                  if (!isExpandoPropertyDeclaration(p.valueDeclaration)) {
                    return void 0;
                  }
                  const nameStr = unescapeLeadingUnderscores(p.escapedName);
                  if (!isIdentifierText(
                    nameStr,
                    99
                    /* ESNext */
                  )) {
                    return void 0;
                  }
                  getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(p.valueDeclaration);
                  const type = resolver.createTypeOfDeclaration(p.valueDeclaration, fakespace, declarationEmitNodeBuilderFlags | -2147483648, symbolTracker);
                  getSymbolAccessibilityDiagnostic = oldDiag;
                  const isNonContextualKeywordName = isStringANonContextualKeyword(nameStr);
                  const name = isNonContextualKeywordName ? factory2.getGeneratedNameForNode(p.valueDeclaration) : factory2.createIdentifier(nameStr);
                  if (isNonContextualKeywordName) {
                    exportMappings.push([name, nameStr]);
                  }
                  const varDecl = factory2.createVariableDeclaration(
                    name,
                    /*exclamationToken*/
                    void 0,
                    type,
                    /*initializer*/
                    void 0
                  );
                  return factory2.createVariableStatement(isNonContextualKeywordName ? void 0 : [factory2.createToken(
                    95
                    /* ExportKeyword */
                  )], factory2.createVariableDeclarationList([varDecl]));
                });
                if (!exportMappings.length) {
                  declarations = mapDefined(declarations, (declaration) => factory2.replaceModifiers(
                    declaration,
                    0
                    /* None */
                  ));
                } else {
                  declarations.push(factory2.createExportDeclaration(
                    /*modifiers*/
                    void 0,
                    /*isTypeOnly*/
                    false,
                    factory2.createNamedExports(map(exportMappings, ([gen, exp]) => {
                      return factory2.createExportSpecifier(
                        /*isTypeOnly*/
                        false,
                        gen,
                        exp
                      );
                    }))
                  ));
                }
                const namespaceDecl = factory2.createModuleDeclaration(
                  ensureModifiers(input),
                  input.name,
                  factory2.createModuleBlock(declarations),
                  32
                  /* Namespace */
                );
                if (!hasEffectiveModifier(
                  clean2,
                  2048
                  /* Default */
                )) {
                  return [clean2, namespaceDecl];
                }
                const modifiers = factory2.createModifiersFromModifierFlags(
                  getEffectiveModifierFlags(clean2) & ~2080 | 128
                  /* Ambient */
                );
                const cleanDeclaration = factory2.updateFunctionDeclaration(
                  clean2,
                  modifiers,
                  /*asteriskToken*/
                  void 0,
                  clean2.name,
                  clean2.typeParameters,
                  clean2.parameters,
                  clean2.type,
                  /*body*/
                  void 0
                );
                const namespaceDeclaration = factory2.updateModuleDeclaration(
                  namespaceDecl,
                  modifiers,
                  namespaceDecl.name,
                  namespaceDecl.body
                );
                const exportDefaultDeclaration = factory2.createExportAssignment(
                  /*modifiers*/
                  void 0,
                  /*isExportEquals*/
                  false,
                  namespaceDecl.name
                );
                if (isSourceFile(input.parent)) {
                  resultHasExternalModuleIndicator = true;
                }
                resultHasScopeMarker = true;
                return [cleanDeclaration, namespaceDeclaration, exportDefaultDeclaration];
              } else {
                return clean2;
              }
            }
            case 267: {
              needsDeclare = false;
              const inner = input.body;
              if (inner && inner.kind === 268) {
                const oldNeedsScopeFix = needsScopeFixMarker;
                const oldHasScopeFix = resultHasScopeMarker;
                resultHasScopeMarker = false;
                needsScopeFixMarker = false;
                const statements = visitNodes2(inner.statements, visitDeclarationStatements, isStatement);
                let lateStatements = transformAndReplaceLatePaintedStatements(statements);
                if (input.flags & 33554432) {
                  needsScopeFixMarker = false;
                }
                if (!isGlobalScopeAugmentation(input) && !hasScopeMarker2(lateStatements) && !resultHasScopeMarker) {
                  if (needsScopeFixMarker) {
                    lateStatements = factory2.createNodeArray([...lateStatements, createEmptyExports(factory2)]);
                  } else {
                    lateStatements = visitNodes2(lateStatements, stripExportModifiers, isStatement);
                  }
                }
                const body = factory2.updateModuleBlock(inner, lateStatements);
                needsDeclare = previousNeedsDeclare;
                needsScopeFixMarker = oldNeedsScopeFix;
                resultHasScopeMarker = oldHasScopeFix;
                const mods = ensureModifiers(input);
                return cleanup(updateModuleDeclarationAndKeyword(
                  input,
                  mods,
                  isExternalModuleAugmentation(input) ? rewriteModuleSpecifier(input, input.name) : input.name,
                  body
                ));
              } else {
                needsDeclare = previousNeedsDeclare;
                const mods = ensureModifiers(input);
                needsDeclare = false;
                visitNode(inner, visitDeclarationStatements);
                const id = getOriginalNodeId(inner);
                const body = lateStatementReplacementMap.get(id);
                lateStatementReplacementMap.delete(id);
                return cleanup(updateModuleDeclarationAndKeyword(
                  input,
                  mods,
                  input.name,
                  body
                ));
              }
            }
            case 263: {
              errorNameNode = input.name;
              errorFallbackNode = input;
              const modifiers = factory2.createNodeArray(ensureModifiers(input));
              const typeParameters = ensureTypeParams(input, input.typeParameters);
              const ctor = getFirstConstructorWithBody(input);
              let parameterProperties;
              if (ctor) {
                const oldDiag2 = getSymbolAccessibilityDiagnostic;
                parameterProperties = compact(flatMap(ctor.parameters, (param) => {
                  if (!hasSyntacticModifier(
                    param,
                    31
                    /* ParameterPropertyModifier */
                  ) || shouldStripInternal(param)) return;
                  getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(param);
                  if (param.name.kind === 80) {
                    return preserveJsDoc(
                      factory2.createPropertyDeclaration(
                        ensureModifiers(param),
                        param.name,
                        param.questionToken,
                        ensureType(param, param.type),
                        ensureNoInitializer(param)
                      ),
                      param
                    );
                  } else {
                    return walkBindingPattern(param.name);
                  }
                  function walkBindingPattern(pattern) {
                    let elems;
                    for (const elem of pattern.elements) {
                      if (isOmittedExpression(elem)) continue;
                      if (isBindingPattern(elem.name)) {
                        elems = concatenate(elems, walkBindingPattern(elem.name));
                      }
                      elems = elems || [];
                      elems.push(factory2.createPropertyDeclaration(
                        ensureModifiers(param),
                        elem.name,
                        /*questionOrExclamationToken*/
                        void 0,
                        ensureType(
                          elem,
                          /*type*/
                          void 0
                        ),
                        /*initializer*/
                        void 0
                      ));
                    }
                    return elems;
                  }
                }));
                getSymbolAccessibilityDiagnostic = oldDiag2;
              }
              const hasPrivateIdentifier = some(input.members, (member) => !!member.name && isPrivateIdentifier(member.name));
              const privateIdentifier = hasPrivateIdentifier ? [
                factory2.createPropertyDeclaration(
                  /*modifiers*/
                  void 0,
                  factory2.createPrivateIdentifier("#private"),
                  /*questionOrExclamationToken*/
                  void 0,
                  /*type*/
                  void 0,
                  /*initializer*/
                  void 0
                )
              ] : void 0;
              const memberNodes = concatenate(concatenate(privateIdentifier, parameterProperties), visitNodes2(input.members, visitDeclarationSubtree, isClassElement));
              const members = factory2.createNodeArray(memberNodes);
              const extendsClause = getEffectiveBaseTypeNode(input);
              if (extendsClause && !isEntityNameExpression(extendsClause.expression) && extendsClause.expression.kind !== 106) {
                const oldId = input.name ? unescapeLeadingUnderscores(input.name.escapedText) : "default";
                const newId = factory2.createUniqueName(
                  `${oldId}_base`,
                  16
                  /* Optimistic */
                );
                getSymbolAccessibilityDiagnostic = () => ({
                  diagnosticMessage: Diagnostics.extends_clause_of_exported_class_0_has_or_is_using_private_name_1,
                  errorNode: extendsClause,
                  typeName: input.name
                });
                const varDecl = factory2.createVariableDeclaration(
                  newId,
                  /*exclamationToken*/
                  void 0,
                  resolver.createTypeOfExpression(extendsClause.expression, input, declarationEmitNodeBuilderFlags, symbolTracker),
                  /*initializer*/
                  void 0
                );
                const statement = factory2.createVariableStatement(needsDeclare ? [factory2.createModifier(
                  138
                  /* DeclareKeyword */
                )] : [], factory2.createVariableDeclarationList(
                  [varDecl],
                  2
                  /* Const */
                ));
                const heritageClauses = factory2.createNodeArray(map(input.heritageClauses, (clause) => {
                  if (clause.token === 96) {
                    const oldDiag2 = getSymbolAccessibilityDiagnostic;
                    getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(clause.types[0]);
                    const newClause = factory2.updateHeritageClause(clause, map(clause.types, (t) => factory2.updateExpressionWithTypeArguments(t, newId, visitNodes2(t.typeArguments, visitDeclarationSubtree, isTypeNode))));
                    getSymbolAccessibilityDiagnostic = oldDiag2;
                    return newClause;
                  }
                  return factory2.updateHeritageClause(clause, visitNodes2(factory2.createNodeArray(filter(
                    clause.types,
                    (t) => isEntityNameExpression(t.expression) || t.expression.kind === 106
                    /* NullKeyword */
                  )), visitDeclarationSubtree, isExpressionWithTypeArguments));
                }));
                return [
                  statement,
                  cleanup(factory2.updateClassDeclaration(
                    input,
                    modifiers,
                    input.name,
                    typeParameters,
                    heritageClauses,
                    members
                  ))
                ];
              } else {
                const heritageClauses = transformHeritageClauses(input.heritageClauses);
                return cleanup(factory2.updateClassDeclaration(
                  input,
                  modifiers,
                  input.name,
                  typeParameters,
                  heritageClauses,
                  members
                ));
              }
            }
            case 243: {
              return cleanup(transformVariableStatement(input));
            }
            case 266: {
              return cleanup(factory2.updateEnumDeclaration(
                input,
                factory2.createNodeArray(ensureModifiers(input)),
                input.name,
                factory2.createNodeArray(mapDefined(input.members, (m) => {
                  if (shouldStripInternal(m)) return;
                  const enumValue = resolver.getEnumMemberValue(m);
                  const constValue = enumValue == null ? void 0 : enumValue.value;
                  if (isolatedDeclarations && m.initializer && (enumValue == null ? void 0 : enumValue.hasExternalReferences) && // This will be its own compiler error instead, so don't report.
                  !isComputedPropertyName(m.name)) {
                    context.addDiagnostic(createDiagnosticForNode(m, Diagnostics.Enum_member_initializers_must_be_computable_without_references_to_external_symbols_with_isolatedDeclarations));
                  }
                  const newInitializer = constValue === void 0 ? void 0 : typeof constValue === "string" ? factory2.createStringLiteral(constValue) : constValue < 0 ? factory2.createPrefixUnaryExpression(41, factory2.createNumericLiteral(-constValue)) : factory2.createNumericLiteral(constValue);
                  return preserveJsDoc(factory2.updateEnumMember(m, m.name, newInitializer), m);
                }))
              ));
            }
          }
          return Debug.assertNever(input, `Unhandled top-level node in declaration emit: ${Debug.formatSyntaxKind(input.kind)}`);
          function cleanup(node) {
            if (isEnclosingDeclaration(input)) {
              enclosingDeclaration = previousEnclosingDeclaration;
            }
            if (canProdiceDiagnostic) {
              getSymbolAccessibilityDiagnostic = oldDiag;
            }
            if (input.kind === 267) {
              needsDeclare = previousNeedsDeclare;
            }
            if (node === input) {
              return node;
            }
            errorFallbackNode = void 0;
            errorNameNode = void 0;
            return node && setOriginalNode(preserveJsDoc(node, input), input);
          }
        }
        function transformVariableStatement(input) {
          if (!forEach(input.declarationList.declarations, getBindingNameVisible)) return;
          const nodes = visitNodes2(input.declarationList.declarations, visitDeclarationSubtree, isVariableDeclaration);
          if (!length(nodes)) return;
          const modifiers = factory2.createNodeArray(ensureModifiers(input));
          let declList;
          if (isVarUsing(input.declarationList) || isVarAwaitUsing(input.declarationList)) {
            declList = factory2.createVariableDeclarationList(
              nodes,
              2
              /* Const */
            );
            setOriginalNode(declList, input.declarationList);
            setTextRange(declList, input.declarationList);
            setCommentRange(declList, input.declarationList);
          } else {
            declList = factory2.updateVariableDeclarationList(input.declarationList, nodes);
          }
          return factory2.updateVariableStatement(input, modifiers, declList);
        }
        function recreateBindingPattern(d) {
          return flatten(mapDefined(d.elements, (e) => recreateBindingElement(e)));
        }
        function recreateBindingElement(e) {
          if (e.kind === 232) {
            return;
          }
          if (e.name) {
            if (!getBindingNameVisible(e)) return;
            if (isBindingPattern(e.name)) {
              return recreateBindingPattern(e.name);
            } else {
              return factory2.createVariableDeclaration(
                e.name,
                /*exclamationToken*/
                void 0,
                ensureType(
                  e,
                  /*type*/
                  void 0
                ),
                /*initializer*/
                void 0
              );
            }
          }
        }
        function checkName(node) {
          let oldDiag;
          if (!suppressNewDiagnosticContexts) {
            oldDiag = getSymbolAccessibilityDiagnostic;
            getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNodeName(node);
          }
          errorNameNode = node.name;
          Debug.assert(hasDynamicName(node));
          const decl = node;
          const entityName = decl.name.expression;
          checkEntityNameVisibility(entityName, enclosingDeclaration);
          if (!suppressNewDiagnosticContexts) {
            getSymbolAccessibilityDiagnostic = oldDiag;
          }
          errorNameNode = void 0;
        }
        function shouldStripInternal(node) {
          return !!stripInternal && !!node && isInternalDeclaration(node, currentSourceFile);
        }
        function isScopeMarker2(node) {
          return isExportAssignment(node) || isExportDeclaration(node);
        }
        function hasScopeMarker2(statements) {
          return some(statements, isScopeMarker2);
        }
        function ensureModifiers(node) {
          const currentFlags = getEffectiveModifierFlags(node);
          const newFlags = ensureModifierFlags(node);
          if (currentFlags === newFlags) {
            return visitArray(node.modifiers, (n) => tryCast(n, isModifier), isModifier);
          }
          return factory2.createModifiersFromModifierFlags(newFlags);
        }
        function ensureModifierFlags(node) {
          let mask2 = 131071 ^ (1 | 1024 | 16);
          let additions = needsDeclare && !isAlwaysType(node) ? 128 : 0;
          const parentIsFile = node.parent.kind === 307;
          if (!parentIsFile || isBundledEmit && parentIsFile && isExternalModule(node.parent)) {
            mask2 ^= 128;
            additions = 0;
          }
          return maskModifierFlags(node, mask2, additions);
        }
        function getTypeAnnotationFromAllAccessorDeclarations(node, accessors) {
          let accessorType = getTypeAnnotationFromAccessor(node);
          if (!accessorType && node !== accessors.firstAccessor) {
            accessorType = getTypeAnnotationFromAccessor(accessors.firstAccessor);
            getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(accessors.firstAccessor);
          }
          if (!accessorType && accessors.secondAccessor && node !== accessors.secondAccessor) {
            accessorType = getTypeAnnotationFromAccessor(accessors.secondAccessor);
            getSymbolAccessibilityDiagnostic = createGetSymbolAccessibilityDiagnosticForNode(accessors.secondAccessor);
          }
          return accessorType;
        }
        function transformHeritageClauses(nodes) {
          return factory2.createNodeArray(filter(
            map(nodes, (clause) => factory2.updateHeritageClause(
              clause,
              visitNodes2(
                factory2.createNodeArray(filter(clause.types, (t) => {
                  return isEntityNameExpression(t.expression) || clause.token === 96 && t.expression.kind === 106;
                })),
                visitDeclarationSubtree,
                isExpressionWithTypeArguments
              )
            )),
            (clause) => clause.types && !!clause.types.length
          ));
        }
      }
      function isAlwaysType(node) {
        if (node.kind === 264) {
          return true;
        }
        return false;
      }
      function maskModifiers(factory2, node, modifierMask, modifierAdditions) {
        return factory2.createModifiersFromModifierFlags(maskModifierFlags(node, modifierMask, modifierAdditions));
      }
      function maskModifierFlags(node, modifierMask = 131071 ^ 1, modifierAdditions = 0) {
        let flags = getEffectiveModifierFlags(node) & modifierMask | modifierAdditions;
        if (flags & 2048 && !(flags & 32)) {
          flags ^= 32;
        }
        if (flags & 2048 && flags & 128) {
          flags ^= 128;
        }
        return flags;
      }
      function getTypeAnnotationFromAccessor(accessor) {
        if (accessor) {
          return accessor.kind === 177 ? accessor.type : accessor.parameters.length > 0 ? accessor.parameters[0].type : void 0;
        }
      }
      function canHaveLiteralInitializer(node) {
        switch (node.kind) {
          case 172:
          case 171:
            return !hasEffectiveModifier(
              node,
              2
              /* Private */
            );
          case 169:
          case 260:
            return true;
        }
        return false;
      }
      function isPreservedDeclarationStatement(node) {
        switch (node.kind) {
          case 262:
          case 267:
          case 271:
          case 264:
          case 263:
          case 265:
          case 266:
          case 243:
          case 272:
          case 278:
          case 277:
            return true;
        }
        return false;
      }
      function isProcessedComponent(node) {
        switch (node.kind) {
          case 180:
          case 176:
          case 174:
          case 177:
          case 178:
          case 172:
          case 171:
          case 173:
          case 179:
          case 181:
          case 260:
          case 168:
          case 233:
          case 183:
          case 194:
          case 184:
          case 185:
          case 205:
            return true;
        }
        return false;
      }
      function getModuleTransformer(moduleKind) {
        switch (moduleKind) {
          case 99:
          case 7:
          case 6:
          case 5:
          case 200:
            return transformECMAScriptModule;
          case 4:
            return transformSystemModule;
          case 100:
          case 199:
            return transformNodeModule;
          default:
            return transformModule;
        }
      }
      var noTransformers = { scriptTransformers: emptyArray, declarationTransformers: emptyArray };
      function getTransformers(compilerOptions, customTransformers, emitOnly) {
        return {
          scriptTransformers: getScriptTransformers(compilerOptions, customTransformers, emitOnly),
          declarationTransformers: getDeclarationTransformers(customTransformers)
        };
      }
      function getScriptTransformers(compilerOptions, customTransformers, emitOnly) {
        if (emitOnly) return emptyArray;
        const languageVersion = getEmitScriptTarget(compilerOptions);
        const moduleKind = getEmitModuleKind(compilerOptions);
        const useDefineForClassFields = getUseDefineForClassFields(compilerOptions);
        const transformers = [];
        addRange(transformers, customTransformers && map(customTransformers.before, wrapScriptTransformerFactory));
        transformers.push(transformTypeScript);
        if (compilerOptions.experimentalDecorators) {
          transformers.push(transformLegacyDecorators);
        }
        if (getJSXTransformEnabled(compilerOptions)) {
          transformers.push(transformJsx);
        }
        if (languageVersion < 99) {
          transformers.push(transformESNext);
        }
        if (!compilerOptions.experimentalDecorators && (languageVersion < 99 || !useDefineForClassFields)) {
          transformers.push(transformESDecorators);
        }
        transformers.push(transformClassFields);
        if (languageVersion < 8) {
          transformers.push(transformES2021);
        }
        if (languageVersion < 7) {
          transformers.push(transformES2020);
        }
        if (languageVersion < 6) {
          transformers.push(transformES2019);
        }
        if (languageVersion < 5) {
          transformers.push(transformES2018);
        }
        if (languageVersion < 4) {
          transformers.push(transformES2017);
        }
        if (languageVersion < 3) {
          transformers.push(transformES2016);
        }
        if (languageVersion < 2) {
          transformers.push(transformES2015);
          transformers.push(transformGenerators);
        }
        transformers.push(getModuleTransformer(moduleKind));
        addRange(transformers, customTransformers && map(customTransformers.after, wrapScriptTransformerFactory));
        return transformers;
      }
      function getDeclarationTransformers(customTransformers) {
        const transformers = [];
        transformers.push(transformDeclarations);
        addRange(transformers, customTransformers && map(customTransformers.afterDeclarations, wrapDeclarationTransformerFactory));
        return transformers;
      }
      function wrapCustomTransformer(transformer) {
        return (node) => isBundle(node) ? transformer.transformBundle(node) : transformer.transformSourceFile(node);
      }
      function wrapCustomTransformerFactory(transformer, handleDefault) {
        return (context) => {
          const customTransformer = transformer(context);
          return typeof customTransformer === "function" ? handleDefault(context, customTransformer) : wrapCustomTransformer(customTransformer);
        };
      }
      function wrapScriptTransformerFactory(transformer) {
        return wrapCustomTransformerFactory(transformer, chainBundle);
      }
      function wrapDeclarationTransformerFactory(transformer) {
        return wrapCustomTransformerFactory(transformer, (_, node) => node);
      }
      function noEmitSubstitution(_hint, node) {
        return node;
      }
      function noEmitNotification(hint, node, callback) {
        callback(hint, node);
      }
      function transformNodes(resolver, host, factory2, options, nodes, transformers, allowDtsFiles) {
        var _a, _b;
        const enabledSyntaxKindFeatures = new Array(
          357
          /* Count */
        );
        let lexicalEnvironmentVariableDeclarations;
        let lexicalEnvironmentFunctionDeclarations;
        let lexicalEnvironmentStatements;
        let lexicalEnvironmentFlags = 0;
        let lexicalEnvironmentVariableDeclarationsStack = [];
        let lexicalEnvironmentFunctionDeclarationsStack = [];
        let lexicalEnvironmentStatementsStack = [];
        let lexicalEnvironmentFlagsStack = [];
        let lexicalEnvironmentStackOffset = 0;
        let lexicalEnvironmentSuspended = false;
        let blockScopedVariableDeclarationsStack = [];
        let blockScopeStackOffset = 0;
        let blockScopedVariableDeclarations;
        let emitHelpers;
        let onSubstituteNode = noEmitSubstitution;
        let onEmitNode = noEmitNotification;
        let state = 0;
        const diagnostics = [];
        const context = {
          factory: factory2,
          getCompilerOptions: () => options,
          getEmitResolver: () => resolver,
          // TODO: GH#18217
          getEmitHost: () => host,
          // TODO: GH#18217
          getEmitHelperFactory: memoize(() => createEmitHelperFactory(context)),
          startLexicalEnvironment,
          suspendLexicalEnvironment,
          resumeLexicalEnvironment,
          endLexicalEnvironment,
          setLexicalEnvironmentFlags,
          getLexicalEnvironmentFlags,
          hoistVariableDeclaration,
          hoistFunctionDeclaration,
          addInitializationStatement,
          startBlockScope,
          endBlockScope,
          addBlockScopedVariable,
          requestEmitHelper,
          readEmitHelpers,
          enableSubstitution,
          enableEmitNotification,
          isSubstitutionEnabled,
          isEmitNotificationEnabled,
          get onSubstituteNode() {
            return onSubstituteNode;
          },
          set onSubstituteNode(value) {
            Debug.assert(state < 1, "Cannot modify transformation hooks after initialization has completed.");
            Debug.assert(value !== void 0, "Value must not be 'undefined'");
            onSubstituteNode = value;
          },
          get onEmitNode() {
            return onEmitNode;
          },
          set onEmitNode(value) {
            Debug.assert(state < 1, "Cannot modify transformation hooks after initialization has completed.");
            Debug.assert(value !== void 0, "Value must not be 'undefined'");
            onEmitNode = value;
          },
          addDiagnostic(diag2) {
            diagnostics.push(diag2);
          }
        };
        for (const node of nodes) {
          disposeEmitNodes(getSourceFileOfNode(getParseTreeNode(node)));
        }
        mark("beforeTransform");
        const transformersWithContext = transformers.map((t) => t(context));
        const transformation = (node) => {
          for (const transform2 of transformersWithContext) {
            node = transform2(node);
          }
          return node;
        };
        state = 1;
        const transformed = [];
        for (const node of nodes) {
          (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Emit, "transformNodes", node.kind === 307 ? { path: node.path } : { kind: node.kind, pos: node.pos, end: node.end });
          transformed.push((allowDtsFiles ? transformation : transformRoot)(node));
          (_b = tracing) == null ? void 0 : _b.pop();
        }
        state = 2;
        mark("afterTransform");
        measure("transformTime", "beforeTransform", "afterTransform");
        return {
          transformed,
          substituteNode,
          emitNodeWithNotification,
          isEmitNotificationEnabled,
          dispose,
          diagnostics
        };
        function transformRoot(node) {
          return node && (!isSourceFile(node) || !node.isDeclarationFile) ? transformation(node) : node;
        }
        function enableSubstitution(kind) {
          Debug.assert(state < 2, "Cannot modify the transformation context after transformation has completed.");
          enabledSyntaxKindFeatures[kind] |= 1;
        }
        function isSubstitutionEnabled(node) {
          return (enabledSyntaxKindFeatures[node.kind] & 1) !== 0 && (getEmitFlags(node) & 8) === 0;
        }
        function substituteNode(hint, node) {
          Debug.assert(state < 3, "Cannot substitute a node after the result is disposed.");
          return node && isSubstitutionEnabled(node) && onSubstituteNode(hint, node) || node;
        }
        function enableEmitNotification(kind) {
          Debug.assert(state < 2, "Cannot modify the transformation context after transformation has completed.");
          enabledSyntaxKindFeatures[kind] |= 2;
        }
        function isEmitNotificationEnabled(node) {
          return (enabledSyntaxKindFeatures[node.kind] & 2) !== 0 || (getEmitFlags(node) & 4) !== 0;
        }
        function emitNodeWithNotification(hint, node, emitCallback) {
          Debug.assert(state < 3, "Cannot invoke TransformationResult callbacks after the result is disposed.");
          if (node) {
            if (isEmitNotificationEnabled(node)) {
              onEmitNode(hint, node, emitCallback);
            } else {
              emitCallback(hint, node);
            }
          }
        }
        function hoistVariableDeclaration(name) {
          Debug.assert(state > 0, "Cannot modify the lexical environment during initialization.");
          Debug.assert(state < 2, "Cannot modify the lexical environment after transformation has completed.");
          const decl = setEmitFlags(
            factory2.createVariableDeclaration(name),
            128
            /* NoNestedSourceMaps */
          );
          if (!lexicalEnvironmentVariableDeclarations) {
            lexicalEnvironmentVariableDeclarations = [decl];
          } else {
            lexicalEnvironmentVariableDeclarations.push(decl);
          }
          if (lexicalEnvironmentFlags & 1) {
            lexicalEnvironmentFlags |= 2;
          }
        }
        function hoistFunctionDeclaration(func) {
          Debug.assert(state > 0, "Cannot modify the lexical environment during initialization.");
          Debug.assert(state < 2, "Cannot modify the lexical environment after transformation has completed.");
          setEmitFlags(
            func,
            2097152
            /* CustomPrologue */
          );
          if (!lexicalEnvironmentFunctionDeclarations) {
            lexicalEnvironmentFunctionDeclarations = [func];
          } else {
            lexicalEnvironmentFunctionDeclarations.push(func);
          }
        }
        function addInitializationStatement(node) {
          Debug.assert(state > 0, "Cannot modify the lexical environment during initialization.");
          Debug.assert(state < 2, "Cannot modify the lexical environment after transformation has completed.");
          setEmitFlags(
            node,
            2097152
            /* CustomPrologue */
          );
          if (!lexicalEnvironmentStatements) {
            lexicalEnvironmentStatements = [node];
          } else {
            lexicalEnvironmentStatements.push(node);
          }
        }
        function startLexicalEnvironment() {
          Debug.assert(state > 0, "Cannot modify the lexical environment during initialization.");
          Debug.assert(state < 2, "Cannot modify the lexical environment after transformation has completed.");
          Debug.assert(!lexicalEnvironmentSuspended, "Lexical environment is suspended.");
          lexicalEnvironmentVariableDeclarationsStack[lexicalEnvironmentStackOffset] = lexicalEnvironmentVariableDeclarations;
          lexicalEnvironmentFunctionDeclarationsStack[lexicalEnvironmentStackOffset] = lexicalEnvironmentFunctionDeclarations;
          lexicalEnvironmentStatementsStack[lexicalEnvironmentStackOffset] = lexicalEnvironmentStatements;
          lexicalEnvironmentFlagsStack[lexicalEnvironmentStackOffset] = lexicalEnvironmentFlags;
          lexicalEnvironmentStackOffset++;
          lexicalEnvironmentVariableDeclarations = void 0;
          lexicalEnvironmentFunctionDeclarations = void 0;
          lexicalEnvironmentStatements = void 0;
          lexicalEnvironmentFlags = 0;
        }
        function suspendLexicalEnvironment() {
          Debug.assert(state > 0, "Cannot modify the lexical environment during initialization.");
          Debug.assert(state < 2, "Cannot modify the lexical environment after transformation has completed.");
          Debug.assert(!lexicalEnvironmentSuspended, "Lexical environment is already suspended.");
          lexicalEnvironmentSuspended = true;
        }
        function resumeLexicalEnvironment() {
          Debug.assert(state > 0, "Cannot modify the lexical environment during initialization.");
          Debug.assert(state < 2, "Cannot modify the lexical environment after transformation has completed.");
          Debug.assert(lexicalEnvironmentSuspended, "Lexical environment is not suspended.");
          lexicalEnvironmentSuspended = false;
        }
        function endLexicalEnvironment() {
          Debug.assert(state > 0, "Cannot modify the lexical environment during initialization.");
          Debug.assert(state < 2, "Cannot modify the lexical environment after transformation has completed.");
          Debug.assert(!lexicalEnvironmentSuspended, "Lexical environment is suspended.");
          let statements;
          if (lexicalEnvironmentVariableDeclarations || lexicalEnvironmentFunctionDeclarations || lexicalEnvironmentStatements) {
            if (lexicalEnvironmentFunctionDeclarations) {
              statements = [...lexicalEnvironmentFunctionDeclarations];
            }
            if (lexicalEnvironmentVariableDeclarations) {
              const statement = factory2.createVariableStatement(
                /*modifiers*/
                void 0,
                factory2.createVariableDeclarationList(lexicalEnvironmentVariableDeclarations)
              );
              setEmitFlags(
                statement,
                2097152
                /* CustomPrologue */
              );
              if (!statements) {
                statements = [statement];
              } else {
                statements.push(statement);
              }
            }
            if (lexicalEnvironmentStatements) {
              if (!statements) {
                statements = [...lexicalEnvironmentStatements];
              } else {
                statements = [...statements, ...lexicalEnvironmentStatements];
              }
            }
          }
          lexicalEnvironmentStackOffset--;
          lexicalEnvironmentVariableDeclarations = lexicalEnvironmentVariableDeclarationsStack[lexicalEnvironmentStackOffset];
          lexicalEnvironmentFunctionDeclarations = lexicalEnvironmentFunctionDeclarationsStack[lexicalEnvironmentStackOffset];
          lexicalEnvironmentStatements = lexicalEnvironmentStatementsStack[lexicalEnvironmentStackOffset];
          lexicalEnvironmentFlags = lexicalEnvironmentFlagsStack[lexicalEnvironmentStackOffset];
          if (lexicalEnvironmentStackOffset === 0) {
            lexicalEnvironmentVariableDeclarationsStack = [];
            lexicalEnvironmentFunctionDeclarationsStack = [];
            lexicalEnvironmentStatementsStack = [];
            lexicalEnvironmentFlagsStack = [];
          }
          return statements;
        }
        function setLexicalEnvironmentFlags(flags, value) {
          lexicalEnvironmentFlags = value ? lexicalEnvironmentFlags | flags : lexicalEnvironmentFlags & ~flags;
        }
        function getLexicalEnvironmentFlags() {
          return lexicalEnvironmentFlags;
        }
        function startBlockScope() {
          Debug.assert(state > 0, "Cannot start a block scope during initialization.");
          Debug.assert(state < 2, "Cannot start a block scope after transformation has completed.");
          blockScopedVariableDeclarationsStack[blockScopeStackOffset] = blockScopedVariableDeclarations;
          blockScopeStackOffset++;
          blockScopedVariableDeclarations = void 0;
        }
        function endBlockScope() {
          Debug.assert(state > 0, "Cannot end a block scope during initialization.");
          Debug.assert(state < 2, "Cannot end a block scope after transformation has completed.");
          const statements = some(blockScopedVariableDeclarations) ? [
            factory2.createVariableStatement(
              /*modifiers*/
              void 0,
              factory2.createVariableDeclarationList(
                blockScopedVariableDeclarations.map((identifier) => factory2.createVariableDeclaration(identifier)),
                1
                /* Let */
              )
            )
          ] : void 0;
          blockScopeStackOffset--;
          blockScopedVariableDeclarations = blockScopedVariableDeclarationsStack[blockScopeStackOffset];
          if (blockScopeStackOffset === 0) {
            blockScopedVariableDeclarationsStack = [];
          }
          return statements;
        }
        function addBlockScopedVariable(name) {
          Debug.assert(blockScopeStackOffset > 0, "Cannot add a block scoped variable outside of an iteration body.");
          (blockScopedVariableDeclarations || (blockScopedVariableDeclarations = [])).push(name);
        }
        function requestEmitHelper(helper) {
          Debug.assert(state > 0, "Cannot modify the transformation context during initialization.");
          Debug.assert(state < 2, "Cannot modify the transformation context after transformation has completed.");
          Debug.assert(!helper.scoped, "Cannot request a scoped emit helper.");
          if (helper.dependencies) {
            for (const h of helper.dependencies) {
              requestEmitHelper(h);
            }
          }
          emitHelpers = append(emitHelpers, helper);
        }
        function readEmitHelpers() {
          Debug.assert(state > 0, "Cannot modify the transformation context during initialization.");
          Debug.assert(state < 2, "Cannot modify the transformation context after transformation has completed.");
          const helpers = emitHelpers;
          emitHelpers = void 0;
          return helpers;
        }
        function dispose() {
          if (state < 3) {
            for (const node of nodes) {
              disposeEmitNodes(getSourceFileOfNode(getParseTreeNode(node)));
            }
            lexicalEnvironmentVariableDeclarations = void 0;
            lexicalEnvironmentVariableDeclarationsStack = void 0;
            lexicalEnvironmentFunctionDeclarations = void 0;
            lexicalEnvironmentFunctionDeclarationsStack = void 0;
            onSubstituteNode = void 0;
            onEmitNode = void 0;
            emitHelpers = void 0;
            state = 3;
          }
        }
      }
      var nullTransformationContext = {
        factory,
        // eslint-disable-line object-shorthand
        getCompilerOptions: () => ({}),
        getEmitResolver: notImplemented,
        getEmitHost: notImplemented,
        getEmitHelperFactory: notImplemented,
        startLexicalEnvironment: noop2,
        resumeLexicalEnvironment: noop2,
        suspendLexicalEnvironment: noop2,
        endLexicalEnvironment: returnUndefined,
        setLexicalEnvironmentFlags: noop2,
        getLexicalEnvironmentFlags: () => 0,
        hoistVariableDeclaration: noop2,
        hoistFunctionDeclaration: noop2,
        addInitializationStatement: noop2,
        startBlockScope: noop2,
        endBlockScope: returnUndefined,
        addBlockScopedVariable: noop2,
        requestEmitHelper: noop2,
        readEmitHelpers: notImplemented,
        enableSubstitution: noop2,
        enableEmitNotification: noop2,
        isSubstitutionEnabled: notImplemented,
        isEmitNotificationEnabled: notImplemented,
        onSubstituteNode: noEmitSubstitution,
        onEmitNode: noEmitNotification,
        addDiagnostic: noop2
      };
      var brackets = createBracketsMap();
      function isBuildInfoFile(file) {
        return fileExtensionIs(
          file,
          ".tsbuildinfo"
          /* TsBuildInfo */
        );
      }
      function forEachEmittedFile(host, action, sourceFilesOrTargetSourceFile, forceDtsEmit = false, onlyBuildInfo, includeBuildInfo) {
        const sourceFiles = isArray3(sourceFilesOrTargetSourceFile) ? sourceFilesOrTargetSourceFile : getSourceFilesToEmit(host, sourceFilesOrTargetSourceFile, forceDtsEmit);
        const options = host.getCompilerOptions();
        if (options.outFile) {
          if (sourceFiles.length) {
            const bundle = factory.createBundle(sourceFiles);
            const result = action(getOutputPathsFor(bundle, host, forceDtsEmit), bundle);
            if (result) {
              return result;
            }
          }
        } else {
          if (!onlyBuildInfo) {
            for (const sourceFile of sourceFiles) {
              const result = action(getOutputPathsFor(sourceFile, host, forceDtsEmit), sourceFile);
              if (result) {
                return result;
              }
            }
          }
          if (includeBuildInfo) {
            const buildInfoPath = getTsBuildInfoEmitOutputFilePath(options);
            if (buildInfoPath) return action(
              { buildInfoPath },
              /*sourceFileOrBundle*/
              void 0
            );
          }
        }
      }
      function getTsBuildInfoEmitOutputFilePath(options) {
        const configFile = options.configFilePath;
        if (!isIncrementalCompilation(options)) return void 0;
        if (options.tsBuildInfoFile) return options.tsBuildInfoFile;
        const outPath = options.outFile;
        let buildInfoExtensionLess;
        if (outPath) {
          buildInfoExtensionLess = removeFileExtension(outPath);
        } else {
          if (!configFile) return void 0;
          const configFileExtensionLess = removeFileExtension(configFile);
          buildInfoExtensionLess = options.outDir ? options.rootDir ? resolvePath(options.outDir, getRelativePathFromDirectory(
            options.rootDir,
            configFileExtensionLess,
            /*ignoreCase*/
            true
          )) : combinePaths(options.outDir, getBaseFileName(configFileExtensionLess)) : configFileExtensionLess;
        }
        return buildInfoExtensionLess + ".tsbuildinfo";
      }
      function getOutputPathsForBundle(options, forceDtsPaths) {
        const outPath = options.outFile;
        const jsFilePath = options.emitDeclarationOnly ? void 0 : outPath;
        const sourceMapFilePath = jsFilePath && getSourceMapFilePath(jsFilePath, options);
        const declarationFilePath = forceDtsPaths || getEmitDeclarations(options) ? removeFileExtension(outPath) + ".d.ts" : void 0;
        const declarationMapPath = declarationFilePath && getAreDeclarationMapsEnabled(options) ? declarationFilePath + ".map" : void 0;
        const buildInfoPath = getTsBuildInfoEmitOutputFilePath(options);
        return { jsFilePath, sourceMapFilePath, declarationFilePath, declarationMapPath, buildInfoPath };
      }
      function getOutputPathsFor(sourceFile, host, forceDtsPaths) {
        const options = host.getCompilerOptions();
        if (sourceFile.kind === 308) {
          return getOutputPathsForBundle(options, forceDtsPaths);
        } else {
          const ownOutputFilePath = getOwnEmitOutputFilePath(sourceFile.fileName, host, getOutputExtension(sourceFile.fileName, options));
          const isJsonFile = isJsonSourceFile(sourceFile);
          const isJsonEmittedToSameLocation = isJsonFile && comparePaths(sourceFile.fileName, ownOutputFilePath, host.getCurrentDirectory(), !host.useCaseSensitiveFileNames()) === 0;
          const jsFilePath = options.emitDeclarationOnly || isJsonEmittedToSameLocation ? void 0 : ownOutputFilePath;
          const sourceMapFilePath = !jsFilePath || isJsonSourceFile(sourceFile) ? void 0 : getSourceMapFilePath(jsFilePath, options);
          const declarationFilePath = forceDtsPaths || getEmitDeclarations(options) && !isJsonFile ? getDeclarationEmitOutputFilePath(sourceFile.fileName, host) : void 0;
          const declarationMapPath = declarationFilePath && getAreDeclarationMapsEnabled(options) ? declarationFilePath + ".map" : void 0;
          return { jsFilePath, sourceMapFilePath, declarationFilePath, declarationMapPath, buildInfoPath: void 0 };
        }
      }
      function getSourceMapFilePath(jsFilePath, options) {
        return options.sourceMap && !options.inlineSourceMap ? jsFilePath + ".map" : void 0;
      }
      function getOutputExtension(fileName, options) {
        return fileExtensionIs(
          fileName,
          ".json"
          /* Json */
        ) ? ".json" : options.jsx === 1 && fileExtensionIsOneOf(fileName, [
          ".jsx",
          ".tsx"
          /* Tsx */
        ]) ? ".jsx" : fileExtensionIsOneOf(fileName, [
          ".mts",
          ".mjs"
          /* Mjs */
        ]) ? ".mjs" : fileExtensionIsOneOf(fileName, [
          ".cts",
          ".cjs"
          /* Cjs */
        ]) ? ".cjs" : ".js";
      }
      function getOutputPathWithoutChangingExt(inputFileName, ignoreCase, outputDir, getCommonSourceDirectory2) {
        return outputDir ? resolvePath(
          outputDir,
          getRelativePathFromDirectory(getCommonSourceDirectory2(), inputFileName, ignoreCase)
        ) : inputFileName;
      }
      function getOutputDeclarationFileName(inputFileName, configFile, ignoreCase, getCommonSourceDirectory2 = () => getCommonSourceDirectoryOfConfig(configFile, ignoreCase)) {
        return getOutputDeclarationFileNameWorker(inputFileName, configFile.options, ignoreCase, getCommonSourceDirectory2);
      }
      function getOutputDeclarationFileNameWorker(inputFileName, options, ignoreCase, getCommonSourceDirectory2) {
        return changeExtension(
          getOutputPathWithoutChangingExt(inputFileName, ignoreCase, options.declarationDir || options.outDir, getCommonSourceDirectory2),
          getDeclarationEmitExtensionForPath(inputFileName)
        );
      }
      function getOutputJSFileName(inputFileName, configFile, ignoreCase, getCommonSourceDirectory2 = () => getCommonSourceDirectoryOfConfig(configFile, ignoreCase)) {
        if (configFile.options.emitDeclarationOnly) return void 0;
        const isJsonFile = fileExtensionIs(
          inputFileName,
          ".json"
          /* Json */
        );
        const outputFileName = getOutputJSFileNameWorker(inputFileName, configFile.options, ignoreCase, getCommonSourceDirectory2);
        return !isJsonFile || comparePaths(inputFileName, outputFileName, Debug.checkDefined(configFile.options.configFilePath), ignoreCase) !== 0 ? outputFileName : void 0;
      }
      function getOutputJSFileNameWorker(inputFileName, options, ignoreCase, getCommonSourceDirectory2) {
        return changeExtension(
          getOutputPathWithoutChangingExt(inputFileName, ignoreCase, options.outDir, getCommonSourceDirectory2),
          getOutputExtension(inputFileName, options)
        );
      }
      function createAddOutput() {
        let outputs;
        return { addOutput, getOutputs };
        function addOutput(path17) {
          if (path17) {
            (outputs || (outputs = [])).push(path17);
          }
        }
        function getOutputs() {
          return outputs || emptyArray;
        }
      }
      function getSingleOutputFileNames(configFile, addOutput) {
        const { jsFilePath, sourceMapFilePath, declarationFilePath, declarationMapPath, buildInfoPath } = getOutputPathsForBundle(
          configFile.options,
          /*forceDtsPaths*/
          false
        );
        addOutput(jsFilePath);
        addOutput(sourceMapFilePath);
        addOutput(declarationFilePath);
        addOutput(declarationMapPath);
        addOutput(buildInfoPath);
      }
      function getOwnOutputFileNames(configFile, inputFileName, ignoreCase, addOutput, getCommonSourceDirectory2) {
        if (isDeclarationFileName(inputFileName)) return;
        const js3 = getOutputJSFileName(inputFileName, configFile, ignoreCase, getCommonSourceDirectory2);
        addOutput(js3);
        if (fileExtensionIs(
          inputFileName,
          ".json"
          /* Json */
        )) return;
        if (js3 && configFile.options.sourceMap) {
          addOutput(`${js3}.map`);
        }
        if (getEmitDeclarations(configFile.options)) {
          const dts = getOutputDeclarationFileName(inputFileName, configFile, ignoreCase, getCommonSourceDirectory2);
          addOutput(dts);
          if (configFile.options.declarationMap) {
            addOutput(`${dts}.map`);
          }
        }
      }
      function getCommonSourceDirectory(options, emittedFiles, currentDirectory, getCanonicalFileName, checkSourceFilesBelongToPath) {
        let commonSourceDirectory;
        if (options.rootDir) {
          commonSourceDirectory = getNormalizedAbsolutePath(options.rootDir, currentDirectory);
          checkSourceFilesBelongToPath == null ? void 0 : checkSourceFilesBelongToPath(options.rootDir);
        } else if (options.composite && options.configFilePath) {
          commonSourceDirectory = getDirectoryPath(normalizeSlashes(options.configFilePath));
          checkSourceFilesBelongToPath == null ? void 0 : checkSourceFilesBelongToPath(commonSourceDirectory);
        } else {
          commonSourceDirectory = computeCommonSourceDirectoryOfFilenames(emittedFiles(), currentDirectory, getCanonicalFileName);
        }
        if (commonSourceDirectory && commonSourceDirectory[commonSourceDirectory.length - 1] !== directorySeparator) {
          commonSourceDirectory += directorySeparator;
        }
        return commonSourceDirectory;
      }
      function getCommonSourceDirectoryOfConfig({ options, fileNames }, ignoreCase) {
        return getCommonSourceDirectory(
          options,
          () => filter(fileNames, (file) => !(options.noEmitForJsFiles && fileExtensionIsOneOf(file, supportedJSExtensionsFlat)) && !isDeclarationFileName(file)),
          getDirectoryPath(normalizeSlashes(Debug.checkDefined(options.configFilePath))),
          createGetCanonicalFileName(!ignoreCase)
        );
      }
      function getAllProjectOutputs(configFile, ignoreCase) {
        const { addOutput, getOutputs } = createAddOutput();
        if (configFile.options.outFile) {
          getSingleOutputFileNames(configFile, addOutput);
        } else {
          const getCommonSourceDirectory2 = memoize(() => getCommonSourceDirectoryOfConfig(configFile, ignoreCase));
          for (const inputFileName of configFile.fileNames) {
            getOwnOutputFileNames(configFile, inputFileName, ignoreCase, addOutput, getCommonSourceDirectory2);
          }
          addOutput(getTsBuildInfoEmitOutputFilePath(configFile.options));
        }
        return getOutputs();
      }
      function getOutputFileNames(commandLine, inputFileName, ignoreCase) {
        inputFileName = normalizePath(inputFileName);
        Debug.assert(contains(commandLine.fileNames, inputFileName), `Expected fileName to be present in command line`);
        const { addOutput, getOutputs } = createAddOutput();
        if (commandLine.options.outFile) {
          getSingleOutputFileNames(commandLine, addOutput);
        } else {
          getOwnOutputFileNames(commandLine, inputFileName, ignoreCase, addOutput);
        }
        return getOutputs();
      }
      function getFirstProjectOutput(configFile, ignoreCase) {
        if (configFile.options.outFile) {
          const { jsFilePath, declarationFilePath } = getOutputPathsForBundle(
            configFile.options,
            /*forceDtsPaths*/
            false
          );
          return Debug.checkDefined(jsFilePath || declarationFilePath, `project ${configFile.options.configFilePath} expected to have at least one output`);
        }
        const getCommonSourceDirectory2 = memoize(() => getCommonSourceDirectoryOfConfig(configFile, ignoreCase));
        for (const inputFileName of configFile.fileNames) {
          if (isDeclarationFileName(inputFileName)) continue;
          const jsFilePath = getOutputJSFileName(inputFileName, configFile, ignoreCase, getCommonSourceDirectory2);
          if (jsFilePath) return jsFilePath;
          if (fileExtensionIs(
            inputFileName,
            ".json"
            /* Json */
          )) continue;
          if (getEmitDeclarations(configFile.options)) {
            return getOutputDeclarationFileName(inputFileName, configFile, ignoreCase, getCommonSourceDirectory2);
          }
        }
        const buildInfoPath = getTsBuildInfoEmitOutputFilePath(configFile.options);
        if (buildInfoPath) return buildInfoPath;
        return Debug.fail(`project ${configFile.options.configFilePath} expected to have at least one output`);
      }
      function emitResolverSkipsTypeChecking(emitOnly, forceDtsEmit) {
        return !!forceDtsEmit && !!emitOnly;
      }
      function emitFiles(resolver, host, targetSourceFile, { scriptTransformers, declarationTransformers }, emitOnly, onlyBuildInfo, forceDtsEmit) {
        var compilerOptions = host.getCompilerOptions();
        var sourceMapDataList = compilerOptions.sourceMap || compilerOptions.inlineSourceMap || getAreDeclarationMapsEnabled(compilerOptions) ? [] : void 0;
        var emittedFilesList = compilerOptions.listEmittedFiles ? [] : void 0;
        var emitterDiagnostics = createDiagnosticCollection();
        var newLine = getNewLineCharacter(compilerOptions);
        var writer = createTextWriter(newLine);
        var { enter, exit } = createTimer("printTime", "beforePrint", "afterPrint");
        var emitSkipped = false;
        enter();
        forEachEmittedFile(
          host,
          emitSourceFileOrBundle,
          getSourceFilesToEmit(host, targetSourceFile, forceDtsEmit),
          forceDtsEmit,
          onlyBuildInfo,
          !targetSourceFile
        );
        exit();
        return {
          emitSkipped,
          diagnostics: emitterDiagnostics.getDiagnostics(),
          emittedFiles: emittedFilesList,
          sourceMaps: sourceMapDataList
        };
        function emitSourceFileOrBundle({ jsFilePath, sourceMapFilePath, declarationFilePath, declarationMapPath, buildInfoPath }, sourceFileOrBundle) {
          var _a, _b, _c, _d, _e, _f;
          (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Emit, "emitJsFileOrBundle", { jsFilePath });
          emitJsFileOrBundle(sourceFileOrBundle, jsFilePath, sourceMapFilePath);
          (_b = tracing) == null ? void 0 : _b.pop();
          (_c = tracing) == null ? void 0 : _c.push(tracing.Phase.Emit, "emitDeclarationFileOrBundle", { declarationFilePath });
          emitDeclarationFileOrBundle(sourceFileOrBundle, declarationFilePath, declarationMapPath);
          (_d = tracing) == null ? void 0 : _d.pop();
          (_e = tracing) == null ? void 0 : _e.push(tracing.Phase.Emit, "emitBuildInfo", { buildInfoPath });
          emitBuildInfo(buildInfoPath);
          (_f = tracing) == null ? void 0 : _f.pop();
        }
        function emitBuildInfo(buildInfoPath) {
          if (!buildInfoPath || targetSourceFile || emitSkipped) return;
          if (host.isEmitBlocked(buildInfoPath)) {
            emitSkipped = true;
            return;
          }
          const buildInfo = host.getBuildInfo() || createBuildInfo(
            /*program*/
            void 0
          );
          writeFile(
            host,
            emitterDiagnostics,
            buildInfoPath,
            getBuildInfoText(buildInfo),
            /*writeByteOrderMark*/
            false,
            /*sourceFiles*/
            void 0,
            { buildInfo }
          );
          emittedFilesList == null ? void 0 : emittedFilesList.push(buildInfoPath);
        }
        function emitJsFileOrBundle(sourceFileOrBundle, jsFilePath, sourceMapFilePath) {
          if (!sourceFileOrBundle || emitOnly || !jsFilePath) {
            return;
          }
          if (host.isEmitBlocked(jsFilePath) || compilerOptions.noEmit) {
            emitSkipped = true;
            return;
          }
          (isSourceFile(sourceFileOrBundle) ? [sourceFileOrBundle] : filter(sourceFileOrBundle.sourceFiles, isSourceFileNotJson)).forEach(
            (sourceFile) => {
              if (compilerOptions.noCheck || !canIncludeBindAndCheckDiagnsotics(sourceFile, compilerOptions)) markLinkedReferences(sourceFile);
            }
          );
          const transform2 = transformNodes(
            resolver,
            host,
            factory,
            compilerOptions,
            [sourceFileOrBundle],
            scriptTransformers,
            /*allowDtsFiles*/
            false
          );
          const printerOptions = {
            removeComments: compilerOptions.removeComments,
            newLine: compilerOptions.newLine,
            noEmitHelpers: compilerOptions.noEmitHelpers,
            module: getEmitModuleKind(compilerOptions),
            target: getEmitScriptTarget(compilerOptions),
            sourceMap: compilerOptions.sourceMap,
            inlineSourceMap: compilerOptions.inlineSourceMap,
            inlineSources: compilerOptions.inlineSources,
            extendedDiagnostics: compilerOptions.extendedDiagnostics
          };
          const printer = createPrinter(printerOptions, {
            // resolver hooks
            hasGlobalName: resolver.hasGlobalName,
            // transform hooks
            onEmitNode: transform2.emitNodeWithNotification,
            isEmitNotificationEnabled: transform2.isEmitNotificationEnabled,
            substituteNode: transform2.substituteNode
          });
          Debug.assert(transform2.transformed.length === 1, "Should only see one output from the transform");
          printSourceFileOrBundle(jsFilePath, sourceMapFilePath, transform2, printer, compilerOptions);
          transform2.dispose();
          if (emittedFilesList) {
            emittedFilesList.push(jsFilePath);
            if (sourceMapFilePath) {
              emittedFilesList.push(sourceMapFilePath);
            }
          }
        }
        function emitDeclarationFileOrBundle(sourceFileOrBundle, declarationFilePath, declarationMapPath) {
          if (!sourceFileOrBundle || emitOnly === 0) return;
          if (!declarationFilePath) {
            if (emitOnly || compilerOptions.emitDeclarationOnly) emitSkipped = true;
            return;
          }
          const sourceFiles = isSourceFile(sourceFileOrBundle) ? [sourceFileOrBundle] : sourceFileOrBundle.sourceFiles;
          const filesForEmit = forceDtsEmit ? sourceFiles : filter(sourceFiles, isSourceFileNotJson);
          const inputListOrBundle = compilerOptions.outFile ? [factory.createBundle(filesForEmit)] : filesForEmit;
          filesForEmit.forEach((sourceFile) => {
            if (emitOnly && !getEmitDeclarations(compilerOptions) || compilerOptions.noCheck || emitResolverSkipsTypeChecking(emitOnly, forceDtsEmit) || !canIncludeBindAndCheckDiagnsotics(sourceFile, compilerOptions)) {
              collectLinkedAliases(sourceFile);
            }
          });
          const declarationTransform = transformNodes(
            resolver,
            host,
            factory,
            compilerOptions,
            inputListOrBundle,
            declarationTransformers,
            /*allowDtsFiles*/
            false
          );
          if (length(declarationTransform.diagnostics)) {
            for (const diagnostic of declarationTransform.diagnostics) {
              emitterDiagnostics.add(diagnostic);
            }
          }
          const declBlocked = !!declarationTransform.diagnostics && !!declarationTransform.diagnostics.length || !!host.isEmitBlocked(declarationFilePath) || !!compilerOptions.noEmit;
          emitSkipped = emitSkipped || declBlocked;
          if (!declBlocked || forceDtsEmit) {
            Debug.assert(declarationTransform.transformed.length === 1, "Should only see one output from the decl transform");
            const printerOptions = {
              removeComments: compilerOptions.removeComments,
              newLine: compilerOptions.newLine,
              noEmitHelpers: true,
              module: compilerOptions.module,
              target: compilerOptions.target,
              sourceMap: emitOnly !== 2 && compilerOptions.declarationMap,
              inlineSourceMap: compilerOptions.inlineSourceMap,
              extendedDiagnostics: compilerOptions.extendedDiagnostics,
              onlyPrintJsDocStyle: true,
              omitBraceSourceMapPositions: true
            };
            const declarationPrinter = createPrinter(printerOptions, {
              // resolver hooks
              hasGlobalName: resolver.hasGlobalName,
              // transform hooks
              onEmitNode: declarationTransform.emitNodeWithNotification,
              isEmitNotificationEnabled: declarationTransform.isEmitNotificationEnabled,
              substituteNode: declarationTransform.substituteNode
            });
            printSourceFileOrBundle(
              declarationFilePath,
              declarationMapPath,
              declarationTransform,
              declarationPrinter,
              {
                sourceMap: printerOptions.sourceMap,
                sourceRoot: compilerOptions.sourceRoot,
                mapRoot: compilerOptions.mapRoot,
                extendedDiagnostics: compilerOptions.extendedDiagnostics
                // Explicitly do not passthru either `inline` option
              }
            );
            if (emittedFilesList) {
              emittedFilesList.push(declarationFilePath);
              if (declarationMapPath) {
                emittedFilesList.push(declarationMapPath);
              }
            }
          }
          declarationTransform.dispose();
        }
        function collectLinkedAliases(node) {
          if (isExportAssignment(node)) {
            if (node.expression.kind === 80) {
              resolver.collectLinkedAliases(
                node.expression,
                /*setVisibility*/
                true
              );
            }
            return;
          } else if (isExportSpecifier(node)) {
            resolver.collectLinkedAliases(
              node.propertyName || node.name,
              /*setVisibility*/
              true
            );
            return;
          }
          forEachChild(node, collectLinkedAliases);
        }
        function markLinkedReferences(file) {
          forEachChildRecursively(file, (n) => {
            if (isImportEqualsDeclaration(n) && !(getSyntacticModifierFlags(n) & 32)) return "skip";
            if (isImportDeclaration(n)) return "skip";
            resolver.markLinkedReferences(n);
          });
        }
        function printSourceFileOrBundle(jsFilePath, sourceMapFilePath, transform2, printer, mapOptions) {
          const sourceFileOrBundle = transform2.transformed[0];
          const bundle = sourceFileOrBundle.kind === 308 ? sourceFileOrBundle : void 0;
          const sourceFile = sourceFileOrBundle.kind === 307 ? sourceFileOrBundle : void 0;
          const sourceFiles = bundle ? bundle.sourceFiles : [sourceFile];
          let sourceMapGenerator;
          if (shouldEmitSourceMaps(mapOptions, sourceFileOrBundle)) {
            sourceMapGenerator = createSourceMapGenerator(
              host,
              getBaseFileName(normalizeSlashes(jsFilePath)),
              getSourceRoot(mapOptions),
              getSourceMapDirectory(mapOptions, jsFilePath, sourceFile),
              mapOptions
            );
          }
          if (bundle) {
            printer.writeBundle(bundle, writer, sourceMapGenerator);
          } else {
            printer.writeFile(sourceFile, writer, sourceMapGenerator);
          }
          let sourceMapUrlPos;
          if (sourceMapGenerator) {
            if (sourceMapDataList) {
              sourceMapDataList.push({
                inputSourceFileNames: sourceMapGenerator.getSources(),
                sourceMap: sourceMapGenerator.toJSON()
              });
            }
            const sourceMappingURL = getSourceMappingURL(
              mapOptions,
              sourceMapGenerator,
              jsFilePath,
              sourceMapFilePath,
              sourceFile
            );
            if (sourceMappingURL) {
              if (!writer.isAtStartOfLine()) writer.rawWrite(newLine);
              sourceMapUrlPos = writer.getTextPos();
              writer.writeComment(`//# ${"sourceMappingURL"}=${sourceMappingURL}`);
            }
            if (sourceMapFilePath) {
              const sourceMap = sourceMapGenerator.toString();
              writeFile(
                host,
                emitterDiagnostics,
                sourceMapFilePath,
                sourceMap,
                /*writeByteOrderMark*/
                false,
                sourceFiles
              );
            }
          } else {
            writer.writeLine();
          }
          const text = writer.getText();
          writeFile(host, emitterDiagnostics, jsFilePath, text, !!compilerOptions.emitBOM, sourceFiles, { sourceMapUrlPos, diagnostics: transform2.diagnostics });
          writer.clear();
        }
        function shouldEmitSourceMaps(mapOptions, sourceFileOrBundle) {
          return (mapOptions.sourceMap || mapOptions.inlineSourceMap) && (sourceFileOrBundle.kind !== 307 || !fileExtensionIs(
            sourceFileOrBundle.fileName,
            ".json"
            /* Json */
          ));
        }
        function getSourceRoot(mapOptions) {
          const sourceRoot = normalizeSlashes(mapOptions.sourceRoot || "");
          return sourceRoot ? ensureTrailingDirectorySeparator(sourceRoot) : sourceRoot;
        }
        function getSourceMapDirectory(mapOptions, filePath, sourceFile) {
          if (mapOptions.sourceRoot) return host.getCommonSourceDirectory();
          if (mapOptions.mapRoot) {
            let sourceMapDir = normalizeSlashes(mapOptions.mapRoot);
            if (sourceFile) {
              sourceMapDir = getDirectoryPath(getSourceFilePathInNewDir(sourceFile.fileName, host, sourceMapDir));
            }
            if (getRootLength(sourceMapDir) === 0) {
              sourceMapDir = combinePaths(host.getCommonSourceDirectory(), sourceMapDir);
            }
            return sourceMapDir;
          }
          return getDirectoryPath(normalizePath(filePath));
        }
        function getSourceMappingURL(mapOptions, sourceMapGenerator, filePath, sourceMapFilePath, sourceFile) {
          if (mapOptions.inlineSourceMap) {
            const sourceMapText = sourceMapGenerator.toString();
            const base64SourceMapText = base64encode(sys, sourceMapText);
            return `data:application/json;base64,${base64SourceMapText}`;
          }
          const sourceMapFile = getBaseFileName(normalizeSlashes(Debug.checkDefined(sourceMapFilePath)));
          if (mapOptions.mapRoot) {
            let sourceMapDir = normalizeSlashes(mapOptions.mapRoot);
            if (sourceFile) {
              sourceMapDir = getDirectoryPath(getSourceFilePathInNewDir(sourceFile.fileName, host, sourceMapDir));
            }
            if (getRootLength(sourceMapDir) === 0) {
              sourceMapDir = combinePaths(host.getCommonSourceDirectory(), sourceMapDir);
              return encodeURI(
                getRelativePathToDirectoryOrUrl(
                  getDirectoryPath(normalizePath(filePath)),
                  // get the relative sourceMapDir path based on jsFilePath
                  combinePaths(sourceMapDir, sourceMapFile),
                  // this is where user expects to see sourceMap
                  host.getCurrentDirectory(),
                  host.getCanonicalFileName,
                  /*isAbsolutePathAnUrl*/
                  true
                )
              );
            } else {
              return encodeURI(combinePaths(sourceMapDir, sourceMapFile));
            }
          }
          return encodeURI(sourceMapFile);
        }
      }
      function createBuildInfo(program) {
        return { program, version };
      }
      function getBuildInfoText(buildInfo) {
        return JSON.stringify(buildInfo);
      }
      function getBuildInfo(buildInfoFile, buildInfoText) {
        return readJsonOrUndefined(buildInfoFile, buildInfoText);
      }
      var notImplementedResolver = {
        hasGlobalName: notImplemented,
        getReferencedExportContainer: notImplemented,
        getReferencedImportDeclaration: notImplemented,
        getReferencedDeclarationWithCollidingName: notImplemented,
        isDeclarationWithCollidingName: notImplemented,
        isValueAliasDeclaration: notImplemented,
        isReferencedAliasDeclaration: notImplemented,
        isTopLevelValueImportEqualsWithEntityName: notImplemented,
        hasNodeCheckFlag: notImplemented,
        isDeclarationVisible: notImplemented,
        isLateBound: (_node) => false,
        collectLinkedAliases: notImplemented,
        markLinkedReferences: notImplemented,
        isImplementationOfOverload: notImplemented,
        requiresAddingImplicitUndefined: notImplemented,
        isExpandoFunctionDeclaration: notImplemented,
        getPropertiesOfContainerFunction: notImplemented,
        createTypeOfDeclaration: notImplemented,
        createReturnTypeOfSignatureDeclaration: notImplemented,
        createTypeOfExpression: notImplemented,
        createLiteralConstValue: notImplemented,
        isSymbolAccessible: notImplemented,
        isEntityNameVisible: notImplemented,
        // Returns the constant value this property access resolves to: notImplemented, or 'undefined' for a non-constant
        getConstantValue: notImplemented,
        getEnumMemberValue: notImplemented,
        getReferencedValueDeclaration: notImplemented,
        getReferencedValueDeclarations: notImplemented,
        getTypeReferenceSerializationKind: notImplemented,
        isOptionalParameter: notImplemented,
        isArgumentsLocalBinding: notImplemented,
        getExternalModuleFileFromDeclaration: notImplemented,
        isLiteralConstDeclaration: notImplemented,
        getJsxFactoryEntity: notImplemented,
        getJsxFragmentFactoryEntity: notImplemented,
        isBindingCapturedByNode: notImplemented,
        getDeclarationStatementsForSourceFile: notImplemented,
        isImportRequiredByAugmentation: notImplemented,
        isDefinitelyReferenceToGlobalSymbolObject: notImplemented
      };
      var createPrinterWithDefaults = /* @__PURE__ */ memoize(() => createPrinter({}));
      var createPrinterWithRemoveComments = /* @__PURE__ */ memoize(() => createPrinter({ removeComments: true }));
      var createPrinterWithRemoveCommentsNeverAsciiEscape = /* @__PURE__ */ memoize(() => createPrinter({ removeComments: true, neverAsciiEscape: true }));
      var createPrinterWithRemoveCommentsOmitTrailingSemicolon = /* @__PURE__ */ memoize(() => createPrinter({ removeComments: true, omitTrailingSemicolon: true }));
      function createPrinter(printerOptions = {}, handlers = {}) {
        var {
          hasGlobalName,
          onEmitNode = noEmitNotification,
          isEmitNotificationEnabled,
          substituteNode = noEmitSubstitution,
          onBeforeEmitNode,
          onAfterEmitNode,
          onBeforeEmitNodeArray,
          onAfterEmitNodeArray,
          onBeforeEmitToken,
          onAfterEmitToken
        } = handlers;
        var extendedDiagnostics = !!printerOptions.extendedDiagnostics;
        var omitBraceSourcePositions = !!printerOptions.omitBraceSourceMapPositions;
        var newLine = getNewLineCharacter(printerOptions);
        var moduleKind = getEmitModuleKind(printerOptions);
        var bundledHelpers = /* @__PURE__ */ new Map();
        var currentSourceFile;
        var nodeIdToGeneratedName;
        var nodeIdToGeneratedPrivateName;
        var autoGeneratedIdToGeneratedName;
        var generatedNames;
        var formattedNameTempFlagsStack;
        var formattedNameTempFlags;
        var privateNameTempFlagsStack;
        var privateNameTempFlags;
        var tempFlagsStack;
        var tempFlags;
        var reservedNamesStack;
        var reservedNames;
        var reservedPrivateNamesStack;
        var reservedPrivateNames;
        var preserveSourceNewlines = printerOptions.preserveSourceNewlines;
        var nextListElementPos;
        var writer;
        var ownWriter;
        var write = writeBase;
        var isOwnFileEmit;
        var sourceMapsDisabled = true;
        var sourceMapGenerator;
        var sourceMapSource;
        var sourceMapSourceIndex = -1;
        var mostRecentlyAddedSourceMapSource;
        var mostRecentlyAddedSourceMapSourceIndex = -1;
        var containerPos = -1;
        var containerEnd = -1;
        var declarationListContainerEnd = -1;
        var currentLineMap;
        var detachedCommentsInfo;
        var hasWrittenComment = false;
        var commentsDisabled = !!printerOptions.removeComments;
        var lastSubstitution;
        var currentParenthesizerRule;
        var { enter: enterComment, exit: exitComment } = createTimerIf(extendedDiagnostics, "commentTime", "beforeComment", "afterComment");
        var parenthesizer = factory.parenthesizer;
        var typeArgumentParenthesizerRuleSelector = {
          select: (index) => index === 0 ? parenthesizer.parenthesizeLeadingTypeArgument : void 0
        };
        var emitBinaryExpression = createEmitBinaryExpression();
        reset2();
        return {
          // public API
          printNode,
          printList,
          printFile,
          printBundle,
          // internal API
          writeNode,
          writeList,
          writeFile: writeFile2,
          writeBundle
        };
        function printNode(hint, node, sourceFile) {
          switch (hint) {
            case 0:
              Debug.assert(isSourceFile(node), "Expected a SourceFile node.");
              break;
            case 2:
              Debug.assert(isIdentifier(node), "Expected an Identifier node.");
              break;
            case 1:
              Debug.assert(isExpression(node), "Expected an Expression node.");
              break;
          }
          switch (node.kind) {
            case 307:
              return printFile(node);
            case 308:
              return printBundle(node);
          }
          writeNode(hint, node, sourceFile, beginPrint());
          return endPrint();
        }
        function printList(format2, nodes, sourceFile) {
          writeList(format2, nodes, sourceFile, beginPrint());
          return endPrint();
        }
        function printBundle(bundle) {
          writeBundle(
            bundle,
            beginPrint(),
            /*sourceMapGenerator*/
            void 0
          );
          return endPrint();
        }
        function printFile(sourceFile) {
          writeFile2(
            sourceFile,
            beginPrint(),
            /*sourceMapGenerator*/
            void 0
          );
          return endPrint();
        }
        function writeNode(hint, node, sourceFile, output) {
          const previousWriter = writer;
          setWriter(
            output,
            /*_sourceMapGenerator*/
            void 0
          );
          print(hint, node, sourceFile);
          reset2();
          writer = previousWriter;
        }
        function writeList(format2, nodes, sourceFile, output) {
          const previousWriter = writer;
          setWriter(
            output,
            /*_sourceMapGenerator*/
            void 0
          );
          if (sourceFile) {
            setSourceFile(sourceFile);
          }
          emitList(
            /*parentNode*/
            void 0,
            nodes,
            format2
          );
          reset2();
          writer = previousWriter;
        }
        function writeBundle(bundle, output, sourceMapGenerator2) {
          isOwnFileEmit = false;
          const previousWriter = writer;
          setWriter(output, sourceMapGenerator2);
          emitShebangIfNeeded(bundle);
          emitPrologueDirectivesIfNeeded(bundle);
          emitHelpers(bundle);
          emitSyntheticTripleSlashReferencesIfNeeded(bundle);
          for (const sourceFile of bundle.sourceFiles) {
            print(0, sourceFile, sourceFile);
          }
          reset2();
          writer = previousWriter;
        }
        function writeFile2(sourceFile, output, sourceMapGenerator2) {
          isOwnFileEmit = true;
          const previousWriter = writer;
          setWriter(output, sourceMapGenerator2);
          emitShebangIfNeeded(sourceFile);
          emitPrologueDirectivesIfNeeded(sourceFile);
          print(0, sourceFile, sourceFile);
          reset2();
          writer = previousWriter;
        }
        function beginPrint() {
          return ownWriter || (ownWriter = createTextWriter(newLine));
        }
        function endPrint() {
          const text = ownWriter.getText();
          ownWriter.clear();
          return text;
        }
        function print(hint, node, sourceFile) {
          if (sourceFile) {
            setSourceFile(sourceFile);
          }
          pipelineEmit(
            hint,
            node,
            /*parenthesizerRule*/
            void 0
          );
        }
        function setSourceFile(sourceFile) {
          currentSourceFile = sourceFile;
          currentLineMap = void 0;
          detachedCommentsInfo = void 0;
          if (sourceFile) {
            setSourceMapSource(sourceFile);
          }
        }
        function setWriter(_writer, _sourceMapGenerator) {
          if (_writer && printerOptions.omitTrailingSemicolon) {
            _writer = getTrailingSemicolonDeferringWriter(_writer);
          }
          writer = _writer;
          sourceMapGenerator = _sourceMapGenerator;
          sourceMapsDisabled = !writer || !sourceMapGenerator;
        }
        function reset2() {
          nodeIdToGeneratedName = [];
          nodeIdToGeneratedPrivateName = [];
          autoGeneratedIdToGeneratedName = [];
          generatedNames = /* @__PURE__ */ new Set();
          formattedNameTempFlagsStack = [];
          formattedNameTempFlags = /* @__PURE__ */ new Map();
          privateNameTempFlagsStack = [];
          privateNameTempFlags = 0;
          tempFlagsStack = [];
          tempFlags = 0;
          reservedNamesStack = [];
          reservedNames = void 0;
          reservedPrivateNamesStack = [];
          reservedPrivateNames = void 0;
          currentSourceFile = void 0;
          currentLineMap = void 0;
          detachedCommentsInfo = void 0;
          setWriter(
            /*output*/
            void 0,
            /*_sourceMapGenerator*/
            void 0
          );
        }
        function getCurrentLineMap() {
          return currentLineMap || (currentLineMap = getLineStarts(Debug.checkDefined(currentSourceFile)));
        }
        function emit(node, parenthesizerRule) {
          if (node === void 0) return;
          pipelineEmit(4, node, parenthesizerRule);
        }
        function emitIdentifierName(node) {
          if (node === void 0) return;
          pipelineEmit(
            2,
            node,
            /*parenthesizerRule*/
            void 0
          );
        }
        function emitExpression(node, parenthesizerRule) {
          if (node === void 0) return;
          pipelineEmit(1, node, parenthesizerRule);
        }
        function emitJsxAttributeValue(node) {
          pipelineEmit(isStringLiteral2(node) ? 6 : 4, node);
        }
        function beforeEmitNode(node) {
          if (preserveSourceNewlines && getInternalEmitFlags(node) & 4) {
            preserveSourceNewlines = false;
          }
        }
        function afterEmitNode(savedPreserveSourceNewlines) {
          preserveSourceNewlines = savedPreserveSourceNewlines;
        }
        function pipelineEmit(emitHint, node, parenthesizerRule) {
          currentParenthesizerRule = parenthesizerRule;
          const pipelinePhase = getPipelinePhase(0, emitHint, node);
          pipelinePhase(emitHint, node);
          currentParenthesizerRule = void 0;
        }
        function shouldEmitComments(node) {
          return !commentsDisabled && !isSourceFile(node);
        }
        function shouldEmitSourceMaps(node) {
          return !sourceMapsDisabled && !isSourceFile(node) && !isInJsonFile(node);
        }
        function getPipelinePhase(phase, emitHint, node) {
          switch (phase) {
            case 0:
              if (onEmitNode !== noEmitNotification && (!isEmitNotificationEnabled || isEmitNotificationEnabled(node))) {
                return pipelineEmitWithNotification;
              }
            case 1:
              if (substituteNode !== noEmitSubstitution && (lastSubstitution = substituteNode(emitHint, node) || node) !== node) {
                if (currentParenthesizerRule) {
                  lastSubstitution = currentParenthesizerRule(lastSubstitution);
                }
                return pipelineEmitWithSubstitution;
              }
            case 2:
              if (shouldEmitComments(node)) {
                return pipelineEmitWithComments;
              }
            case 3:
              if (shouldEmitSourceMaps(node)) {
                return pipelineEmitWithSourceMaps;
              }
            case 4:
              return pipelineEmitWithHint;
            default:
              return Debug.assertNever(phase);
          }
        }
        function getNextPipelinePhase(currentPhase, emitHint, node) {
          return getPipelinePhase(currentPhase + 1, emitHint, node);
        }
        function pipelineEmitWithNotification(hint, node) {
          const pipelinePhase = getNextPipelinePhase(0, hint, node);
          onEmitNode(hint, node, pipelinePhase);
        }
        function pipelineEmitWithHint(hint, node) {
          onBeforeEmitNode == null ? void 0 : onBeforeEmitNode(node);
          if (preserveSourceNewlines) {
            const savedPreserveSourceNewlines = preserveSourceNewlines;
            beforeEmitNode(node);
            pipelineEmitWithHintWorker(hint, node);
            afterEmitNode(savedPreserveSourceNewlines);
          } else {
            pipelineEmitWithHintWorker(hint, node);
          }
          onAfterEmitNode == null ? void 0 : onAfterEmitNode(node);
          currentParenthesizerRule = void 0;
        }
        function pipelineEmitWithHintWorker(hint, node, allowSnippets = true) {
          if (allowSnippets) {
            const snippet = getSnippetElement(node);
            if (snippet) {
              return emitSnippetNode(hint, node, snippet);
            }
          }
          if (hint === 0) return emitSourceFile(cast(node, isSourceFile));
          if (hint === 2) return emitIdentifier(cast(node, isIdentifier));
          if (hint === 6) return emitLiteral(
            cast(node, isStringLiteral2),
            /*jsxAttributeEscape*/
            true
          );
          if (hint === 3) return emitMappedTypeParameter(cast(node, isTypeParameterDeclaration));
          if (hint === 7) return emitImportTypeNodeAttributes(cast(node, isImportAttributes));
          if (hint === 5) {
            Debug.assertNode(node, isEmptyStatement);
            return emitEmptyStatement(
              /*isEmbeddedStatement*/
              true
            );
          }
          if (hint === 4) {
            switch (node.kind) {
              case 16:
              case 17:
              case 18:
                return emitLiteral(
                  node,
                  /*jsxAttributeEscape*/
                  false
                );
              case 80:
                return emitIdentifier(node);
              case 81:
                return emitPrivateIdentifier(node);
              case 166:
                return emitQualifiedName(node);
              case 167:
                return emitComputedPropertyName(node);
              case 168:
                return emitTypeParameter(node);
              case 169:
                return emitParameter(node);
              case 170:
                return emitDecorator(node);
              case 171:
                return emitPropertySignature(node);
              case 172:
                return emitPropertyDeclaration(node);
              case 173:
                return emitMethodSignature(node);
              case 174:
                return emitMethodDeclaration(node);
              case 175:
                return emitClassStaticBlockDeclaration(node);
              case 176:
                return emitConstructor(node);
              case 177:
              case 178:
                return emitAccessorDeclaration(node);
              case 179:
                return emitCallSignature(node);
              case 180:
                return emitConstructSignature(node);
              case 181:
                return emitIndexSignature(node);
              case 182:
                return emitTypePredicate(node);
              case 183:
                return emitTypeReference(node);
              case 184:
                return emitFunctionType(node);
              case 185:
                return emitConstructorType(node);
              case 186:
                return emitTypeQuery(node);
              case 187:
                return emitTypeLiteral(node);
              case 188:
                return emitArrayType(node);
              case 189:
                return emitTupleType(node);
              case 190:
                return emitOptionalType(node);
              case 192:
                return emitUnionType(node);
              case 193:
                return emitIntersectionType(node);
              case 194:
                return emitConditionalType(node);
              case 195:
                return emitInferType(node);
              case 196:
                return emitParenthesizedType(node);
              case 233:
                return emitExpressionWithTypeArguments(node);
              case 197:
                return emitThisType();
              case 198:
                return emitTypeOperator(node);
              case 199:
                return emitIndexedAccessType(node);
              case 200:
                return emitMappedType(node);
              case 201:
                return emitLiteralType(node);
              case 202:
                return emitNamedTupleMember(node);
              case 203:
                return emitTemplateType(node);
              case 204:
                return emitTemplateTypeSpan(node);
              case 205:
                return emitImportTypeNode(node);
              case 206:
                return emitObjectBindingPattern(node);
              case 207:
                return emitArrayBindingPattern(node);
              case 208:
                return emitBindingElement(node);
              case 239:
                return emitTemplateSpan(node);
              case 240:
                return emitSemicolonClassElement();
              case 241:
                return emitBlock(node);
              case 243:
                return emitVariableStatement(node);
              case 242:
                return emitEmptyStatement(
                  /*isEmbeddedStatement*/
                  false
                );
              case 244:
                return emitExpressionStatement(node);
              case 245:
                return emitIfStatement(node);
              case 246:
                return emitDoStatement(node);
              case 247:
                return emitWhileStatement(node);
              case 248:
                return emitForStatement(node);
              case 249:
                return emitForInStatement(node);
              case 250:
                return emitForOfStatement(node);
              case 251:
                return emitContinueStatement(node);
              case 252:
                return emitBreakStatement(node);
              case 253:
                return emitReturnStatement(node);
              case 254:
                return emitWithStatement(node);
              case 255:
                return emitSwitchStatement(node);
              case 256:
                return emitLabeledStatement(node);
              case 257:
                return emitThrowStatement(node);
              case 258:
                return emitTryStatement(node);
              case 259:
                return emitDebuggerStatement(node);
              case 260:
                return emitVariableDeclaration(node);
              case 261:
                return emitVariableDeclarationList(node);
              case 262:
                return emitFunctionDeclaration(node);
              case 263:
                return emitClassDeclaration(node);
              case 264:
                return emitInterfaceDeclaration(node);
              case 265:
                return emitTypeAliasDeclaration(node);
              case 266:
                return emitEnumDeclaration(node);
              case 267:
                return emitModuleDeclaration(node);
              case 268:
                return emitModuleBlock(node);
              case 269:
                return emitCaseBlock(node);
              case 270:
                return emitNamespaceExportDeclaration(node);
              case 271:
                return emitImportEqualsDeclaration(node);
              case 272:
                return emitImportDeclaration(node);
              case 273:
                return emitImportClause(node);
              case 274:
                return emitNamespaceImport(node);
              case 280:
                return emitNamespaceExport(node);
              case 275:
                return emitNamedImports(node);
              case 276:
                return emitImportSpecifier(node);
              case 277:
                return emitExportAssignment(node);
              case 278:
                return emitExportDeclaration(node);
              case 279:
                return emitNamedExports(node);
              case 281:
                return emitExportSpecifier(node);
              case 300:
                return emitImportAttributes(node);
              case 301:
                return emitImportAttribute(node);
              case 282:
                return;
              case 283:
                return emitExternalModuleReference(node);
              case 12:
                return emitJsxText(node);
              case 286:
              case 289:
                return emitJsxOpeningElementOrFragment(node);
              case 287:
              case 290:
                return emitJsxClosingElementOrFragment(node);
              case 291:
                return emitJsxAttribute(node);
              case 292:
                return emitJsxAttributes(node);
              case 293:
                return emitJsxSpreadAttribute(node);
              case 294:
                return emitJsxExpression(node);
              case 295:
                return emitJsxNamespacedName(node);
              case 296:
                return emitCaseClause(node);
              case 297:
                return emitDefaultClause(node);
              case 298:
                return emitHeritageClause(node);
              case 299:
                return emitCatchClause(node);
              case 303:
                return emitPropertyAssignment(node);
              case 304:
                return emitShorthandPropertyAssignment(node);
              case 305:
                return emitSpreadAssignment(node);
              case 306:
                return emitEnumMember(node);
              case 307:
                return emitSourceFile(node);
              case 308:
                return Debug.fail("Bundles should be printed using printBundle");
              case 309:
                return emitJSDocTypeExpression(node);
              case 310:
                return emitJSDocNameReference(node);
              case 312:
                return writePunctuation("*");
              case 313:
                return writePunctuation("?");
              case 314:
                return emitJSDocNullableType(node);
              case 315:
                return emitJSDocNonNullableType(node);
              case 316:
                return emitJSDocOptionalType(node);
              case 317:
                return emitJSDocFunctionType(node);
              case 191:
              case 318:
                return emitRestOrJSDocVariadicType(node);
              case 319:
                return;
              case 320:
                return emitJSDoc(node);
              case 322:
                return emitJSDocTypeLiteral(node);
              case 323:
                return emitJSDocSignature(node);
              case 327:
              case 332:
              case 337:
                return emitJSDocSimpleTag(node);
              case 328:
              case 329:
                return emitJSDocHeritageTag(node);
              case 330:
              case 331:
                return;
              case 333:
              case 334:
              case 335:
              case 336:
                return;
              case 338:
                return emitJSDocCallbackTag(node);
              case 339:
                return emitJSDocOverloadTag(node);
              case 341:
              case 348:
                return emitJSDocPropertyLikeTag(node);
              case 340:
              case 342:
              case 343:
              case 344:
              case 349:
              case 350:
                return emitJSDocSimpleTypedTag(node);
              case 345:
                return emitJSDocTemplateTag(node);
              case 346:
                return emitJSDocTypedefTag(node);
              case 347:
                return emitJSDocSeeTag(node);
              case 351:
                return emitJSDocImportTag(node);
              case 353:
                return;
            }
            if (isExpression(node)) {
              hint = 1;
              if (substituteNode !== noEmitSubstitution) {
                const substitute = substituteNode(hint, node) || node;
                if (substitute !== node) {
                  node = substitute;
                  if (currentParenthesizerRule) {
                    node = currentParenthesizerRule(node);
                  }
                }
              }
            }
          }
          if (hint === 1) {
            switch (node.kind) {
              case 9:
              case 10:
                return emitNumericOrBigIntLiteral(node);
              case 11:
              case 14:
              case 15:
                return emitLiteral(
                  node,
                  /*jsxAttributeEscape*/
                  false
                );
              case 80:
                return emitIdentifier(node);
              case 81:
                return emitPrivateIdentifier(node);
              case 209:
                return emitArrayLiteralExpression(node);
              case 210:
                return emitObjectLiteralExpression(node);
              case 211:
                return emitPropertyAccessExpression(node);
              case 212:
                return emitElementAccessExpression(node);
              case 213:
                return emitCallExpression(node);
              case 214:
                return emitNewExpression(node);
              case 215:
                return emitTaggedTemplateExpression(node);
              case 216:
                return emitTypeAssertionExpression(node);
              case 217:
                return emitParenthesizedExpression(node);
              case 218:
                return emitFunctionExpression(node);
              case 219:
                return emitArrowFunction(node);
              case 220:
                return emitDeleteExpression(node);
              case 221:
                return emitTypeOfExpression(node);
              case 222:
                return emitVoidExpression(node);
              case 223:
                return emitAwaitExpression(node);
              case 224:
                return emitPrefixUnaryExpression(node);
              case 225:
                return emitPostfixUnaryExpression(node);
              case 226:
                return emitBinaryExpression(node);
              case 227:
                return emitConditionalExpression(node);
              case 228:
                return emitTemplateExpression(node);
              case 229:
                return emitYieldExpression(node);
              case 230:
                return emitSpreadElement(node);
              case 231:
                return emitClassExpression(node);
              case 232:
                return;
              case 234:
                return emitAsExpression(node);
              case 235:
                return emitNonNullExpression(node);
              case 233:
                return emitExpressionWithTypeArguments(node);
              case 238:
                return emitSatisfiesExpression(node);
              case 236:
                return emitMetaProperty(node);
              case 237:
                return Debug.fail("SyntheticExpression should never be printed.");
              case 282:
                return;
              case 284:
                return emitJsxElement(node);
              case 285:
                return emitJsxSelfClosingElement(node);
              case 288:
                return emitJsxFragment(node);
              case 352:
                return Debug.fail("SyntaxList should not be printed");
              case 353:
                return;
              case 354:
                return emitPartiallyEmittedExpression(node);
              case 355:
                return emitCommaList(node);
              case 356:
                return Debug.fail("SyntheticReferenceExpression should not be printed");
            }
          }
          if (isKeyword2(node.kind)) return writeTokenNode(node, writeKeyword);
          if (isTokenKind(node.kind)) return writeTokenNode(node, writePunctuation);
          Debug.fail(`Unhandled SyntaxKind: ${Debug.formatSyntaxKind(node.kind)}.`);
        }
        function emitMappedTypeParameter(node) {
          emit(node.name);
          writeSpace();
          writeKeyword("in");
          writeSpace();
          emit(node.constraint);
        }
        function pipelineEmitWithSubstitution(hint, node) {
          const pipelinePhase = getNextPipelinePhase(1, hint, node);
          Debug.assertIsDefined(lastSubstitution);
          node = lastSubstitution;
          lastSubstitution = void 0;
          pipelinePhase(hint, node);
        }
        function emitHelpers(node) {
          let helpersEmitted = false;
          const bundle = node.kind === 308 ? node : void 0;
          if (bundle && moduleKind === 0) {
            return;
          }
          const numNodes = bundle ? bundle.sourceFiles.length : 1;
          for (let i = 0; i < numNodes; i++) {
            const currentNode = bundle ? bundle.sourceFiles[i] : node;
            const sourceFile = isSourceFile(currentNode) ? currentNode : currentSourceFile;
            const shouldSkip = printerOptions.noEmitHelpers || !!sourceFile && hasRecordedExternalHelpers(sourceFile);
            const shouldBundle = isSourceFile(currentNode) && !isOwnFileEmit;
            const helpers = getSortedEmitHelpers(currentNode);
            if (helpers) {
              for (const helper of helpers) {
                if (!helper.scoped) {
                  if (shouldSkip) continue;
                  if (shouldBundle) {
                    if (bundledHelpers.get(helper.name)) {
                      continue;
                    }
                    bundledHelpers.set(helper.name, true);
                  }
                } else if (bundle) {
                  continue;
                }
                if (typeof helper.text === "string") {
                  writeLines(helper.text);
                } else {
                  writeLines(helper.text(makeFileLevelOptimisticUniqueName));
                }
                helpersEmitted = true;
              }
            }
          }
          return helpersEmitted;
        }
        function getSortedEmitHelpers(node) {
          const helpers = getEmitHelpers(node);
          return helpers && stableSort(helpers, compareEmitHelpers);
        }
        function emitNumericOrBigIntLiteral(node) {
          emitLiteral(
            node,
            /*jsxAttributeEscape*/
            false
          );
        }
        function emitLiteral(node, jsxAttributeEscape) {
          const text = getLiteralTextOfNode(node, printerOptions.neverAsciiEscape, jsxAttributeEscape);
          if ((printerOptions.sourceMap || printerOptions.inlineSourceMap) && (node.kind === 11 || isTemplateLiteralKind(node.kind))) {
            writeLiteral(text);
          } else {
            writeStringLiteral(text);
          }
        }
        function emitSnippetNode(hint, node, snippet) {
          switch (snippet.kind) {
            case 1:
              emitPlaceholder(hint, node, snippet);
              break;
            case 0:
              emitTabStop(hint, node, snippet);
              break;
          }
        }
        function emitPlaceholder(hint, node, snippet) {
          nonEscapingWrite(`\${${snippet.order}:`);
          pipelineEmitWithHintWorker(
            hint,
            node,
            /*allowSnippets*/
            false
          );
          nonEscapingWrite(`}`);
        }
        function emitTabStop(hint, node, snippet) {
          Debug.assert(node.kind === 242, `A tab stop cannot be attached to a node of kind ${Debug.formatSyntaxKind(node.kind)}.`);
          Debug.assert(hint !== 5, `A tab stop cannot be attached to an embedded statement.`);
          nonEscapingWrite(`$${snippet.order}`);
        }
        function emitIdentifier(node) {
          const writeText = node.symbol ? writeSymbol : write;
          writeText(getTextOfNode2(
            node,
            /*includeTrivia*/
            false
          ), node.symbol);
          emitList(
            node,
            getIdentifierTypeArguments(node),
            53776
            /* TypeParameters */
          );
        }
        function emitPrivateIdentifier(node) {
          write(getTextOfNode2(
            node,
            /*includeTrivia*/
            false
          ));
        }
        function emitQualifiedName(node) {
          emitEntityName(node.left);
          writePunctuation(".");
          emit(node.right);
        }
        function emitEntityName(node) {
          if (node.kind === 80) {
            emitExpression(node);
          } else {
            emit(node);
          }
        }
        function emitComputedPropertyName(node) {
          writePunctuation("[");
          emitExpression(node.expression, parenthesizer.parenthesizeExpressionOfComputedPropertyName);
          writePunctuation("]");
        }
        function emitTypeParameter(node) {
          emitModifierList(node, node.modifiers);
          emit(node.name);
          if (node.constraint) {
            writeSpace();
            writeKeyword("extends");
            writeSpace();
            emit(node.constraint);
          }
          if (node.default) {
            writeSpace();
            writeOperator("=");
            writeSpace();
            emit(node.default);
          }
        }
        function emitParameter(node) {
          emitDecoratorsAndModifiers(
            node,
            node.modifiers,
            /*allowDecorators*/
            true
          );
          emit(node.dotDotDotToken);
          emitNodeWithWriter(node.name, writeParameter);
          emit(node.questionToken);
          if (node.parent && node.parent.kind === 317 && !node.name) {
            emit(node.type);
          } else {
            emitTypeAnnotation(node.type);
          }
          emitInitializer(node.initializer, node.type ? node.type.end : node.questionToken ? node.questionToken.end : node.name ? node.name.end : node.modifiers ? node.modifiers.end : node.pos, node, parenthesizer.parenthesizeExpressionForDisallowedComma);
        }
        function emitDecorator(decorator) {
          writePunctuation("@");
          emitExpression(decorator.expression, parenthesizer.parenthesizeLeftSideOfAccess);
        }
        function emitPropertySignature(node) {
          emitModifierList(node, node.modifiers);
          emitNodeWithWriter(node.name, writeProperty);
          emit(node.questionToken);
          emitTypeAnnotation(node.type);
          writeTrailingSemicolon();
        }
        function emitPropertyDeclaration(node) {
          emitDecoratorsAndModifiers(
            node,
            node.modifiers,
            /*allowDecorators*/
            true
          );
          emit(node.name);
          emit(node.questionToken);
          emit(node.exclamationToken);
          emitTypeAnnotation(node.type);
          emitInitializer(node.initializer, node.type ? node.type.end : node.questionToken ? node.questionToken.end : node.name.end, node);
          writeTrailingSemicolon();
        }
        function emitMethodSignature(node) {
          emitModifierList(node, node.modifiers);
          emit(node.name);
          emit(node.questionToken);
          emitSignatureAndBody(node, emitSignatureHead, emitEmptyFunctionBody);
        }
        function emitMethodDeclaration(node) {
          emitDecoratorsAndModifiers(
            node,
            node.modifiers,
            /*allowDecorators*/
            true
          );
          emit(node.asteriskToken);
          emit(node.name);
          emit(node.questionToken);
          emitSignatureAndBody(node, emitSignatureHead, emitFunctionBody);
        }
        function emitClassStaticBlockDeclaration(node) {
          writeKeyword("static");
          pushNameGenerationScope(node);
          emitBlockFunctionBody(node.body);
          popNameGenerationScope(node);
        }
        function emitConstructor(node) {
          emitDecoratorsAndModifiers(
            node,
            node.modifiers,
            /*allowDecorators*/
            false
          );
          writeKeyword("constructor");
          emitSignatureAndBody(node, emitSignatureHead, emitFunctionBody);
        }
        function emitAccessorDeclaration(node) {
          const pos = emitDecoratorsAndModifiers(
            node,
            node.modifiers,
            /*allowDecorators*/
            true
          );
          const token = node.kind === 177 ? 139 : 153;
          emitTokenWithComment(token, pos, writeKeyword, node);
          writeSpace();
          emit(node.name);
          emitSignatureAndBody(node, emitSignatureHead, emitFunctionBody);
        }
        function emitCallSignature(node) {
          emitSignatureAndBody(node, emitSignatureHead, emitEmptyFunctionBody);
        }
        function emitConstructSignature(node) {
          writeKeyword("new");
          writeSpace();
          emitSignatureAndBody(node, emitSignatureHead, emitEmptyFunctionBody);
        }
        function emitIndexSignature(node) {
          emitDecoratorsAndModifiers(
            node,
            node.modifiers,
            /*allowDecorators*/
            false
          );
          emitParametersForIndexSignature(node, node.parameters);
          emitTypeAnnotation(node.type);
          writeTrailingSemicolon();
        }
        function emitTemplateTypeSpan(node) {
          emit(node.type);
          emit(node.literal);
        }
        function emitSemicolonClassElement() {
          writeTrailingSemicolon();
        }
        function emitTypePredicate(node) {
          if (node.assertsModifier) {
            emit(node.assertsModifier);
            writeSpace();
          }
          emit(node.parameterName);
          if (node.type) {
            writeSpace();
            writeKeyword("is");
            writeSpace();
            emit(node.type);
          }
        }
        function emitTypeReference(node) {
          emit(node.typeName);
          emitTypeArguments(node, node.typeArguments);
        }
        function emitFunctionType(node) {
          emitSignatureAndBody(node, emitFunctionTypeHead, emitFunctionTypeBody);
        }
        function emitFunctionTypeHead(node) {
          emitTypeParameters(node, node.typeParameters);
          emitParametersForArrow(node, node.parameters);
          writeSpace();
          writePunctuation("=>");
        }
        function emitFunctionTypeBody(node) {
          writeSpace();
          emit(node.type);
        }
        function emitJSDocFunctionType(node) {
          writeKeyword("function");
          emitParameters(node, node.parameters);
          writePunctuation(":");
          emit(node.type);
        }
        function emitJSDocNullableType(node) {
          writePunctuation("?");
          emit(node.type);
        }
        function emitJSDocNonNullableType(node) {
          writePunctuation("!");
          emit(node.type);
        }
        function emitJSDocOptionalType(node) {
          emit(node.type);
          writePunctuation("=");
        }
        function emitConstructorType(node) {
          emitModifierList(node, node.modifiers);
          writeKeyword("new");
          writeSpace();
          emitSignatureAndBody(node, emitFunctionTypeHead, emitFunctionTypeBody);
        }
        function emitTypeQuery(node) {
          writeKeyword("typeof");
          writeSpace();
          emit(node.exprName);
          emitTypeArguments(node, node.typeArguments);
        }
        function emitTypeLiteral(node) {
          pushNameGenerationScope(node);
          forEach(node.members, generateMemberNames);
          writePunctuation("{");
          const flags = getEmitFlags(node) & 1 ? 768 : 32897;
          emitList(
            node,
            node.members,
            flags | 524288
            /* NoSpaceIfEmpty */
          );
          writePunctuation("}");
          popNameGenerationScope(node);
        }
        function emitArrayType(node) {
          emit(node.elementType, parenthesizer.parenthesizeNonArrayTypeOfPostfixType);
          writePunctuation("[");
          writePunctuation("]");
        }
        function emitRestOrJSDocVariadicType(node) {
          writePunctuation("...");
          emit(node.type);
        }
        function emitTupleType(node) {
          emitTokenWithComment(23, node.pos, writePunctuation, node);
          const flags = getEmitFlags(node) & 1 ? 528 : 657;
          emitList(node, node.elements, flags | 524288, parenthesizer.parenthesizeElementTypeOfTupleType);
          emitTokenWithComment(24, node.elements.end, writePunctuation, node);
        }
        function emitNamedTupleMember(node) {
          emit(node.dotDotDotToken);
          emit(node.name);
          emit(node.questionToken);
          emitTokenWithComment(59, node.name.end, writePunctuation, node);
          writeSpace();
          emit(node.type);
        }
        function emitOptionalType(node) {
          emit(node.type, parenthesizer.parenthesizeTypeOfOptionalType);
          writePunctuation("?");
        }
        function emitUnionType(node) {
          emitList(node, node.types, 516, parenthesizer.parenthesizeConstituentTypeOfUnionType);
        }
        function emitIntersectionType(node) {
          emitList(node, node.types, 520, parenthesizer.parenthesizeConstituentTypeOfIntersectionType);
        }
        function emitConditionalType(node) {
          emit(node.checkType, parenthesizer.parenthesizeCheckTypeOfConditionalType);
          writeSpace();
          writeKeyword("extends");
          writeSpace();
          emit(node.extendsType, parenthesizer.parenthesizeExtendsTypeOfConditionalType);
          writeSpace();
          writePunctuation("?");
          writeSpace();
          emit(node.trueType);
          writeSpace();
          writePunctuation(":");
          writeSpace();
          emit(node.falseType);
        }
        function emitInferType(node) {
          writeKeyword("infer");
          writeSpace();
          emit(node.typeParameter);
        }
        function emitParenthesizedType(node) {
          writePunctuation("(");
          emit(node.type);
          writePunctuation(")");
        }
        function emitThisType() {
          writeKeyword("this");
        }
        function emitTypeOperator(node) {
          writeTokenText(node.operator, writeKeyword);
          writeSpace();
          const parenthesizerRule = node.operator === 148 ? parenthesizer.parenthesizeOperandOfReadonlyTypeOperator : parenthesizer.parenthesizeOperandOfTypeOperator;
          emit(node.type, parenthesizerRule);
        }
        function emitIndexedAccessType(node) {
          emit(node.objectType, parenthesizer.parenthesizeNonArrayTypeOfPostfixType);
          writePunctuation("[");
          emit(node.indexType);
          writePunctuation("]");
        }
        function emitMappedType(node) {
          const emitFlags = getEmitFlags(node);
          writePunctuation("{");
          if (emitFlags & 1) {
            writeSpace();
          } else {
            writeLine();
            increaseIndent();
          }
          if (node.readonlyToken) {
            emit(node.readonlyToken);
            if (node.readonlyToken.kind !== 148) {
              writeKeyword("readonly");
            }
            writeSpace();
          }
          writePunctuation("[");
          pipelineEmit(3, node.typeParameter);
          if (node.nameType) {
            writeSpace();
            writeKeyword("as");
            writeSpace();
            emit(node.nameType);
          }
          writePunctuation("]");
          if (node.questionToken) {
            emit(node.questionToken);
            if (node.questionToken.kind !== 58) {
              writePunctuation("?");
            }
          }
          writePunctuation(":");
          writeSpace();
          emit(node.type);
          writeTrailingSemicolon();
          if (emitFlags & 1) {
            writeSpace();
          } else {
            writeLine();
            decreaseIndent();
          }
          emitList(
            node,
            node.members,
            2
            /* PreserveLines */
          );
          writePunctuation("}");
        }
        function emitLiteralType(node) {
          emitExpression(node.literal);
        }
        function emitTemplateType(node) {
          emit(node.head);
          emitList(
            node,
            node.templateSpans,
            262144
            /* TemplateExpressionSpans */
          );
        }
        function emitImportTypeNode(node) {
          if (node.isTypeOf) {
            writeKeyword("typeof");
            writeSpace();
          }
          writeKeyword("import");
          writePunctuation("(");
          emit(node.argument);
          if (node.attributes) {
            writePunctuation(",");
            writeSpace();
            pipelineEmit(7, node.attributes);
          }
          writePunctuation(")");
          if (node.qualifier) {
            writePunctuation(".");
            emit(node.qualifier);
          }
          emitTypeArguments(node, node.typeArguments);
        }
        function emitObjectBindingPattern(node) {
          writePunctuation("{");
          emitList(
            node,
            node.elements,
            525136
            /* ObjectBindingPatternElements */
          );
          writePunctuation("}");
        }
        function emitArrayBindingPattern(node) {
          writePunctuation("[");
          emitList(
            node,
            node.elements,
            524880
            /* ArrayBindingPatternElements */
          );
          writePunctuation("]");
        }
        function emitBindingElement(node) {
          emit(node.dotDotDotToken);
          if (node.propertyName) {
            emit(node.propertyName);
            writePunctuation(":");
            writeSpace();
          }
          emit(node.name);
          emitInitializer(node.initializer, node.name.end, node, parenthesizer.parenthesizeExpressionForDisallowedComma);
        }
        function emitArrayLiteralExpression(node) {
          const elements = node.elements;
          const preferNewLine = node.multiLine ? 65536 : 0;
          emitExpressionList(node, elements, 8914 | preferNewLine, parenthesizer.parenthesizeExpressionForDisallowedComma);
        }
        function emitObjectLiteralExpression(node) {
          pushNameGenerationScope(node);
          forEach(node.properties, generateMemberNames);
          const indentedFlag = getEmitFlags(node) & 131072;
          if (indentedFlag) {
            increaseIndent();
          }
          const preferNewLine = node.multiLine ? 65536 : 0;
          const allowTrailingComma = currentSourceFile && currentSourceFile.languageVersion >= 1 && !isJsonSourceFile(currentSourceFile) ? 64 : 0;
          emitList(node, node.properties, 526226 | allowTrailingComma | preferNewLine);
          if (indentedFlag) {
            decreaseIndent();
          }
          popNameGenerationScope(node);
        }
        function emitPropertyAccessExpression(node) {
          emitExpression(node.expression, parenthesizer.parenthesizeLeftSideOfAccess);
          const token = node.questionDotToken || setTextRangePosEnd(factory.createToken(
            25
            /* DotToken */
          ), node.expression.end, node.name.pos);
          const linesBeforeDot = getLinesBetweenNodes(node, node.expression, token);
          const linesAfterDot = getLinesBetweenNodes(node, token, node.name);
          writeLinesAndIndent(
            linesBeforeDot,
            /*writeSpaceIfNotIndenting*/
            false
          );
          const shouldEmitDotDot = token.kind !== 29 && mayNeedDotDotForPropertyAccess(node.expression) && !writer.hasTrailingComment() && !writer.hasTrailingWhitespace();
          if (shouldEmitDotDot) {
            writePunctuation(".");
          }
          if (node.questionDotToken) {
            emit(token);
          } else {
            emitTokenWithComment(token.kind, node.expression.end, writePunctuation, node);
          }
          writeLinesAndIndent(
            linesAfterDot,
            /*writeSpaceIfNotIndenting*/
            false
          );
          emit(node.name);
          decreaseIndentIf(linesBeforeDot, linesAfterDot);
        }
        function mayNeedDotDotForPropertyAccess(expression) {
          expression = skipPartiallyEmittedExpressions(expression);
          if (isNumericLiteral(expression)) {
            const text = getLiteralTextOfNode(
              expression,
              /*neverAsciiEscape*/
              true,
              /*jsxAttributeEscape*/
              false
            );
            return !(expression.numericLiteralFlags & 448) && !text.includes(tokenToString(
              25
              /* DotToken */
            )) && !text.includes(String.fromCharCode(
              69
              /* E */
            )) && !text.includes(String.fromCharCode(
              101
              /* e */
            ));
          } else if (isAccessExpression(expression)) {
            const constantValue = getConstantValue(expression);
            return typeof constantValue === "number" && isFinite(constantValue) && constantValue >= 0 && Math.floor(constantValue) === constantValue;
          }
        }
        function emitElementAccessExpression(node) {
          emitExpression(node.expression, parenthesizer.parenthesizeLeftSideOfAccess);
          emit(node.questionDotToken);
          emitTokenWithComment(23, node.expression.end, writePunctuation, node);
          emitExpression(node.argumentExpression);
          emitTokenWithComment(24, node.argumentExpression.end, writePunctuation, node);
        }
        function emitCallExpression(node) {
          const indirectCall = getInternalEmitFlags(node) & 16;
          if (indirectCall) {
            writePunctuation("(");
            writeLiteral("0");
            writePunctuation(",");
            writeSpace();
          }
          emitExpression(node.expression, parenthesizer.parenthesizeLeftSideOfAccess);
          if (indirectCall) {
            writePunctuation(")");
          }
          emit(node.questionDotToken);
          emitTypeArguments(node, node.typeArguments);
          emitExpressionList(node, node.arguments, 2576, parenthesizer.parenthesizeExpressionForDisallowedComma);
        }
        function emitNewExpression(node) {
          emitTokenWithComment(105, node.pos, writeKeyword, node);
          writeSpace();
          emitExpression(node.expression, parenthesizer.parenthesizeExpressionOfNew);
          emitTypeArguments(node, node.typeArguments);
          emitExpressionList(node, node.arguments, 18960, parenthesizer.parenthesizeExpressionForDisallowedComma);
        }
        function emitTaggedTemplateExpression(node) {
          const indirectCall = getInternalEmitFlags(node) & 16;
          if (indirectCall) {
            writePunctuation("(");
            writeLiteral("0");
            writePunctuation(",");
            writeSpace();
          }
          emitExpression(node.tag, parenthesizer.parenthesizeLeftSideOfAccess);
          if (indirectCall) {
            writePunctuation(")");
          }
          emitTypeArguments(node, node.typeArguments);
          writeSpace();
          emitExpression(node.template);
        }
        function emitTypeAssertionExpression(node) {
          writePunctuation("<");
          emit(node.type);
          writePunctuation(">");
          emitExpression(node.expression, parenthesizer.parenthesizeOperandOfPrefixUnary);
        }
        function emitParenthesizedExpression(node) {
          const openParenPos = emitTokenWithComment(21, node.pos, writePunctuation, node);
          const indented = writeLineSeparatorsAndIndentBefore(node.expression, node);
          emitExpression(
            node.expression,
            /*parenthesizerRule*/
            void 0
          );
          writeLineSeparatorsAfter(node.expression, node);
          decreaseIndentIf(indented);
          emitTokenWithComment(22, node.expression ? node.expression.end : openParenPos, writePunctuation, node);
        }
        function emitFunctionExpression(node) {
          generateNameIfNeeded(node.name);
          emitFunctionDeclarationOrExpression(node);
        }
        function emitArrowFunction(node) {
          emitModifierList(node, node.modifiers);
          emitSignatureAndBody(node, emitArrowFunctionHead, emitArrowFunctionBody);
        }
        function emitArrowFunctionHead(node) {
          emitTypeParameters(node, node.typeParameters);
          emitParametersForArrow(node, node.parameters);
          emitTypeAnnotation(node.type);
          writeSpace();
          emit(node.equalsGreaterThanToken);
        }
        function emitArrowFunctionBody(node) {
          if (isBlock(node.body)) {
            emitBlockFunctionBody(node.body);
          } else {
            writeSpace();
            emitExpression(node.body, parenthesizer.parenthesizeConciseBodyOfArrowFunction);
          }
        }
        function emitDeleteExpression(node) {
          emitTokenWithComment(91, node.pos, writeKeyword, node);
          writeSpace();
          emitExpression(node.expression, parenthesizer.parenthesizeOperandOfPrefixUnary);
        }
        function emitTypeOfExpression(node) {
          emitTokenWithComment(114, node.pos, writeKeyword, node);
          writeSpace();
          emitExpression(node.expression, parenthesizer.parenthesizeOperandOfPrefixUnary);
        }
        function emitVoidExpression(node) {
          emitTokenWithComment(116, node.pos, writeKeyword, node);
          writeSpace();
          emitExpression(node.expression, parenthesizer.parenthesizeOperandOfPrefixUnary);
        }
        function emitAwaitExpression(node) {
          emitTokenWithComment(135, node.pos, writeKeyword, node);
          writeSpace();
          emitExpression(node.expression, parenthesizer.parenthesizeOperandOfPrefixUnary);
        }
        function emitPrefixUnaryExpression(node) {
          writeTokenText(node.operator, writeOperator);
          if (shouldEmitWhitespaceBeforeOperand(node)) {
            writeSpace();
          }
          emitExpression(node.operand, parenthesizer.parenthesizeOperandOfPrefixUnary);
        }
        function shouldEmitWhitespaceBeforeOperand(node) {
          const operand = node.operand;
          return operand.kind === 224 && (node.operator === 40 && (operand.operator === 40 || operand.operator === 46) || node.operator === 41 && (operand.operator === 41 || operand.operator === 47));
        }
        function emitPostfixUnaryExpression(node) {
          emitExpression(node.operand, parenthesizer.parenthesizeOperandOfPostfixUnary);
          writeTokenText(node.operator, writeOperator);
        }
        function createEmitBinaryExpression() {
          return createBinaryExpressionTrampoline(
            onEnter,
            onLeft,
            onOperator,
            onRight,
            onExit,
            /*foldState*/
            void 0
          );
          function onEnter(node, state) {
            if (state) {
              state.stackIndex++;
              state.preserveSourceNewlinesStack[state.stackIndex] = preserveSourceNewlines;
              state.containerPosStack[state.stackIndex] = containerPos;
              state.containerEndStack[state.stackIndex] = containerEnd;
              state.declarationListContainerEndStack[state.stackIndex] = declarationListContainerEnd;
              const emitComments2 = state.shouldEmitCommentsStack[state.stackIndex] = shouldEmitComments(node);
              const emitSourceMaps = state.shouldEmitSourceMapsStack[state.stackIndex] = shouldEmitSourceMaps(node);
              onBeforeEmitNode == null ? void 0 : onBeforeEmitNode(node);
              if (emitComments2) emitCommentsBeforeNode(node);
              if (emitSourceMaps) emitSourceMapsBeforeNode(node);
              beforeEmitNode(node);
            } else {
              state = {
                stackIndex: 0,
                preserveSourceNewlinesStack: [void 0],
                containerPosStack: [-1],
                containerEndStack: [-1],
                declarationListContainerEndStack: [-1],
                shouldEmitCommentsStack: [false],
                shouldEmitSourceMapsStack: [false]
              };
            }
            return state;
          }
          function onLeft(next, _workArea, parent2) {
            return maybeEmitExpression(next, parent2, "left");
          }
          function onOperator(operatorToken, _state, node) {
            const isCommaOperator = operatorToken.kind !== 28;
            const linesBeforeOperator = getLinesBetweenNodes(node, node.left, operatorToken);
            const linesAfterOperator = getLinesBetweenNodes(node, operatorToken, node.right);
            writeLinesAndIndent(linesBeforeOperator, isCommaOperator);
            emitLeadingCommentsOfPosition(operatorToken.pos);
            writeTokenNode(operatorToken, operatorToken.kind === 103 ? writeKeyword : writeOperator);
            emitTrailingCommentsOfPosition(
              operatorToken.end,
              /*prefixSpace*/
              true
            );
            writeLinesAndIndent(
              linesAfterOperator,
              /*writeSpaceIfNotIndenting*/
              true
            );
          }
          function onRight(next, _workArea, parent2) {
            return maybeEmitExpression(next, parent2, "right");
          }
          function onExit(node, state) {
            const linesBeforeOperator = getLinesBetweenNodes(node, node.left, node.operatorToken);
            const linesAfterOperator = getLinesBetweenNodes(node, node.operatorToken, node.right);
            decreaseIndentIf(linesBeforeOperator, linesAfterOperator);
            if (state.stackIndex > 0) {
              const savedPreserveSourceNewlines = state.preserveSourceNewlinesStack[state.stackIndex];
              const savedContainerPos = state.containerPosStack[state.stackIndex];
              const savedContainerEnd = state.containerEndStack[state.stackIndex];
              const savedDeclarationListContainerEnd = state.declarationListContainerEndStack[state.stackIndex];
              const shouldEmitComments2 = state.shouldEmitCommentsStack[state.stackIndex];
              const shouldEmitSourceMaps2 = state.shouldEmitSourceMapsStack[state.stackIndex];
              afterEmitNode(savedPreserveSourceNewlines);
              if (shouldEmitSourceMaps2) emitSourceMapsAfterNode(node);
              if (shouldEmitComments2) emitCommentsAfterNode(node, savedContainerPos, savedContainerEnd, savedDeclarationListContainerEnd);
              onAfterEmitNode == null ? void 0 : onAfterEmitNode(node);
              state.stackIndex--;
            }
          }
          function maybeEmitExpression(next, parent2, side) {
            const parenthesizerRule = side === "left" ? parenthesizer.getParenthesizeLeftSideOfBinaryForOperator(parent2.operatorToken.kind) : parenthesizer.getParenthesizeRightSideOfBinaryForOperator(parent2.operatorToken.kind);
            let pipelinePhase = getPipelinePhase(0, 1, next);
            if (pipelinePhase === pipelineEmitWithSubstitution) {
              Debug.assertIsDefined(lastSubstitution);
              next = parenthesizerRule(cast(lastSubstitution, isExpression));
              pipelinePhase = getNextPipelinePhase(1, 1, next);
              lastSubstitution = void 0;
            }
            if (pipelinePhase === pipelineEmitWithComments || pipelinePhase === pipelineEmitWithSourceMaps || pipelinePhase === pipelineEmitWithHint) {
              if (isBinaryExpression(next)) {
                return next;
              }
            }
            currentParenthesizerRule = parenthesizerRule;
            pipelinePhase(1, next);
          }
        }
        function emitConditionalExpression(node) {
          const linesBeforeQuestion = getLinesBetweenNodes(node, node.condition, node.questionToken);
          const linesAfterQuestion = getLinesBetweenNodes(node, node.questionToken, node.whenTrue);
          const linesBeforeColon = getLinesBetweenNodes(node, node.whenTrue, node.colonToken);
          const linesAfterColon = getLinesBetweenNodes(node, node.colonToken, node.whenFalse);
          emitExpression(node.condition, parenthesizer.parenthesizeConditionOfConditionalExpression);
          writeLinesAndIndent(
            linesBeforeQuestion,
            /*writeSpaceIfNotIndenting*/
            true
          );
          emit(node.questionToken);
          writeLinesAndIndent(
            linesAfterQuestion,
            /*writeSpaceIfNotIndenting*/
            true
          );
          emitExpression(node.whenTrue, parenthesizer.parenthesizeBranchOfConditionalExpression);
          decreaseIndentIf(linesBeforeQuestion, linesAfterQuestion);
          writeLinesAndIndent(
            linesBeforeColon,
            /*writeSpaceIfNotIndenting*/
            true
          );
          emit(node.colonToken);
          writeLinesAndIndent(
            linesAfterColon,
            /*writeSpaceIfNotIndenting*/
            true
          );
          emitExpression(node.whenFalse, parenthesizer.parenthesizeBranchOfConditionalExpression);
          decreaseIndentIf(linesBeforeColon, linesAfterColon);
        }
        function emitTemplateExpression(node) {
          emit(node.head);
          emitList(
            node,
            node.templateSpans,
            262144
            /* TemplateExpressionSpans */
          );
        }
        function emitYieldExpression(node) {
          emitTokenWithComment(127, node.pos, writeKeyword, node);
          emit(node.asteriskToken);
          emitExpressionWithLeadingSpace(node.expression && parenthesizeExpressionForNoAsi(node.expression), parenthesizeExpressionForNoAsiAndDisallowedComma);
        }
        function emitSpreadElement(node) {
          emitTokenWithComment(26, node.pos, writePunctuation, node);
          emitExpression(node.expression, parenthesizer.parenthesizeExpressionForDisallowedComma);
        }
        function emitClassExpression(node) {
          generateNameIfNeeded(node.name);
          emitClassDeclarationOrExpression(node);
        }
        function emitExpressionWithTypeArguments(node) {
          emitExpression(node.expression, parenthesizer.parenthesizeLeftSideOfAccess);
          emitTypeArguments(node, node.typeArguments);
        }
        function emitAsExpression(node) {
          emitExpression(
            node.expression,
            /*parenthesizerRule*/
            void 0
          );
          if (node.type) {
            writeSpace();
            writeKeyword("as");
            writeSpace();
            emit(node.type);
          }
        }
        function emitNonNullExpression(node) {
          emitExpression(node.expression, parenthesizer.parenthesizeLeftSideOfAccess);
          writeOperator("!");
        }
        function emitSatisfiesExpression(node) {
          emitExpression(
            node.expression,
            /*parenthesizerRule*/
            void 0
          );
          if (node.type) {
            writeSpace();
            writeKeyword("satisfies");
            writeSpace();
            emit(node.type);
          }
        }
        function emitMetaProperty(node) {
          writeToken(node.keywordToken, node.pos, writePunctuation);
          writePunctuation(".");
          emit(node.name);
        }
        function emitTemplateSpan(node) {
          emitExpression(node.expression);
          emit(node.literal);
        }
        function emitBlock(node) {
          emitBlockStatements(
            node,
            /*forceSingleLine*/
            !node.multiLine && isEmptyBlock(node)
          );
        }
        function emitBlockStatements(node, forceSingleLine) {
          emitTokenWithComment(
            19,
            node.pos,
            writePunctuation,
            /*contextNode*/
            node
          );
          const format2 = forceSingleLine || getEmitFlags(node) & 1 ? 768 : 129;
          emitList(node, node.statements, format2);
          emitTokenWithComment(
            20,
            node.statements.end,
            writePunctuation,
            /*contextNode*/
            node,
            /*indentLeading*/
            !!(format2 & 1)
          );
        }
        function emitVariableStatement(node) {
          emitDecoratorsAndModifiers(
            node,
            node.modifiers,
            /*allowDecorators*/
            false
          );
          emit(node.declarationList);
          writeTrailingSemicolon();
        }
        function emitEmptyStatement(isEmbeddedStatement) {
          if (isEmbeddedStatement) {
            writePunctuation(";");
          } else {
            writeTrailingSemicolon();
          }
        }
        function emitExpressionStatement(node) {
          emitExpression(node.expression, parenthesizer.parenthesizeExpressionOfExpressionStatement);
          if (!currentSourceFile || !isJsonSourceFile(currentSourceFile) || nodeIsSynthesized(node.expression)) {
            writeTrailingSemicolon();
          }
        }
        function emitIfStatement(node) {
          const openParenPos = emitTokenWithComment(101, node.pos, writeKeyword, node);
          writeSpace();
          emitTokenWithComment(21, openParenPos, writePunctuation, node);
          emitExpression(node.expression);
          emitTokenWithComment(22, node.expression.end, writePunctuation, node);
          emitEmbeddedStatement(node, node.thenStatement);
          if (node.elseStatement) {
            writeLineOrSpace(node, node.thenStatement, node.elseStatement);
            emitTokenWithComment(93, node.thenStatement.end, writeKeyword, node);
            if (node.elseStatement.kind === 245) {
              writeSpace();
              emit(node.elseStatement);
            } else {
              emitEmbeddedStatement(node, node.elseStatement);
            }
          }
        }
        function emitWhileClause(node, startPos) {
          const openParenPos = emitTokenWithComment(117, startPos, writeKeyword, node);
          writeSpace();
          emitTokenWithComment(21, openParenPos, writePunctuation, node);
          emitExpression(node.expression);
          emitTokenWithComment(22, node.expression.end, writePunctuation, node);
        }
        function emitDoStatement(node) {
          emitTokenWithComment(92, node.pos, writeKeyword, node);
          emitEmbeddedStatement(node, node.statement);
          if (isBlock(node.statement) && !preserveSourceNewlines) {
            writeSpace();
          } else {
            writeLineOrSpace(node, node.statement, node.expression);
          }
          emitWhileClause(node, node.statement.end);
          writeTrailingSemicolon();
        }
        function emitWhileStatement(node) {
          emitWhileClause(node, node.pos);
          emitEmbeddedStatement(node, node.statement);
        }
        function emitForStatement(node) {
          const openParenPos = emitTokenWithComment(99, node.pos, writeKeyword, node);
          writeSpace();
          let pos = emitTokenWithComment(
            21,
            openParenPos,
            writePunctuation,
            /*contextNode*/
            node
          );
          emitForBinding(node.initializer);
          pos = emitTokenWithComment(27, node.initializer ? node.initializer.end : pos, writePunctuation, node);
          emitExpressionWithLeadingSpace(node.condition);
          pos = emitTokenWithComment(27, node.condition ? node.condition.end : pos, writePunctuation, node);
          emitExpressionWithLeadingSpace(node.incrementor);
          emitTokenWithComment(22, node.incrementor ? node.incrementor.end : pos, writePunctuation, node);
          emitEmbeddedStatement(node, node.statement);
        }
        function emitForInStatement(node) {
          const openParenPos = emitTokenWithComment(99, node.pos, writeKeyword, node);
          writeSpace();
          emitTokenWithComment(21, openParenPos, writePunctuation, node);
          emitForBinding(node.initializer);
          writeSpace();
          emitTokenWithComment(103, node.initializer.end, writeKeyword, node);
          writeSpace();
          emitExpression(node.expression);
          emitTokenWithComment(22, node.expression.end, writePunctuation, node);
          emitEmbeddedStatement(node, node.statement);
        }
        function emitForOfStatement(node) {
          const openParenPos = emitTokenWithComment(99, node.pos, writeKeyword, node);
          writeSpace();
          emitWithTrailingSpace(node.awaitModifier);
          emitTokenWithComment(21, openParenPos, writePunctuation, node);
          emitForBinding(node.initializer);
          writeSpace();
          emitTokenWithComment(165, node.initializer.end, writeKeyword, node);
          writeSpace();
          emitExpression(node.expression);
          emitTokenWithComment(22, node.expression.end, writePunctuation, node);
          emitEmbeddedStatement(node, node.statement);
        }
        function emitForBinding(node) {
          if (node !== void 0) {
            if (node.kind === 261) {
              emit(node);
            } else {
              emitExpression(node);
            }
          }
        }
        function emitContinueStatement(node) {
          emitTokenWithComment(88, node.pos, writeKeyword, node);
          emitWithLeadingSpace(node.label);
          writeTrailingSemicolon();
        }
        function emitBreakStatement(node) {
          emitTokenWithComment(83, node.pos, writeKeyword, node);
          emitWithLeadingSpace(node.label);
          writeTrailingSemicolon();
        }
        function emitTokenWithComment(token, pos, writer2, contextNode, indentLeading) {
          const node = getParseTreeNode(contextNode);
          const isSimilarNode = node && node.kind === contextNode.kind;
          const startPos = pos;
          if (isSimilarNode && currentSourceFile) {
            pos = skipTrivia(currentSourceFile.text, pos);
          }
          if (isSimilarNode && contextNode.pos !== startPos) {
            const needsIndent = indentLeading && currentSourceFile && !positionsAreOnSameLine(startPos, pos, currentSourceFile);
            if (needsIndent) {
              increaseIndent();
            }
            emitLeadingCommentsOfPosition(startPos);
            if (needsIndent) {
              decreaseIndent();
            }
          }
          if (!omitBraceSourcePositions && (token === 19 || token === 20)) {
            pos = writeToken(token, pos, writer2, contextNode);
          } else {
            pos = writeTokenText(token, writer2, pos);
          }
          if (isSimilarNode && contextNode.end !== pos) {
            const isJsxExprContext = contextNode.kind === 294;
            emitTrailingCommentsOfPosition(
              pos,
              /*prefixSpace*/
              !isJsxExprContext,
              /*forceNoNewline*/
              isJsxExprContext
            );
          }
          return pos;
        }
        function commentWillEmitNewLine(node) {
          return node.kind === 2 || !!node.hasTrailingNewLine;
        }
        function willEmitLeadingNewLine(node) {
          if (!currentSourceFile) return false;
          const leadingCommentRanges = getLeadingCommentRanges(currentSourceFile.text, node.pos);
          if (leadingCommentRanges) {
            const parseNode = getParseTreeNode(node);
            if (parseNode && isParenthesizedExpression(parseNode.parent)) {
              return true;
            }
          }
          if (some(leadingCommentRanges, commentWillEmitNewLine)) return true;
          if (some(getSyntheticLeadingComments(node), commentWillEmitNewLine)) return true;
          if (isPartiallyEmittedExpression(node)) {
            if (node.pos !== node.expression.pos) {
              if (some(getTrailingCommentRanges(currentSourceFile.text, node.expression.pos), commentWillEmitNewLine)) return true;
            }
            return willEmitLeadingNewLine(node.expression);
          }
          return false;
        }
        function parenthesizeExpressionForNoAsi(node) {
          if (!commentsDisabled && isPartiallyEmittedExpression(node) && willEmitLeadingNewLine(node)) {
            const parseNode = getParseTreeNode(node);
            if (parseNode && isParenthesizedExpression(parseNode)) {
              const parens = factory.createParenthesizedExpression(node.expression);
              setOriginalNode(parens, node);
              setTextRange(parens, parseNode);
              return parens;
            }
            return factory.createParenthesizedExpression(node);
          }
          return node;
        }
        function parenthesizeExpressionForNoAsiAndDisallowedComma(node) {
          return parenthesizeExpressionForNoAsi(parenthesizer.parenthesizeExpressionForDisallowedComma(node));
        }
        function emitReturnStatement(node) {
          emitTokenWithComment(
            107,
            node.pos,
            writeKeyword,
            /*contextNode*/
            node
          );
          emitExpressionWithLeadingSpace(node.expression && parenthesizeExpressionForNoAsi(node.expression), parenthesizeExpressionForNoAsi);
          writeTrailingSemicolon();
        }
        function emitWithStatement(node) {
          const openParenPos = emitTokenWithComment(118, node.pos, writeKeyword, node);
          writeSpace();
          emitTokenWithComment(21, openParenPos, writePunctuation, node);
          emitExpression(node.expression);
          emitTokenWithComment(22, node.expression.end, writePunctuation, node);
          emitEmbeddedStatement(node, node.statement);
        }
        function emitSwitchStatement(node) {
          const openParenPos = emitTokenWithComment(109, node.pos, writeKeyword, node);
          writeSpace();
          emitTokenWithComment(21, openParenPos, writePunctuation, node);
          emitExpression(node.expression);
          emitTokenWithComment(22, node.expression.end, writePunctuation, node);
          writeSpace();
          emit(node.caseBlock);
        }
        function emitLabeledStatement(node) {
          emit(node.label);
          emitTokenWithComment(59, node.label.end, writePunctuation, node);
          writeSpace();
          emit(node.statement);
        }
        function emitThrowStatement(node) {
          emitTokenWithComment(111, node.pos, writeKeyword, node);
          emitExpressionWithLeadingSpace(parenthesizeExpressionForNoAsi(node.expression), parenthesizeExpressionForNoAsi);
          writeTrailingSemicolon();
        }
        function emitTryStatement(node) {
          emitTokenWithComment(113, node.pos, writeKeyword, node);
          writeSpace();
          emit(node.tryBlock);
          if (node.catchClause) {
            writeLineOrSpace(node, node.tryBlock, node.catchClause);
            emit(node.catchClause);
          }
          if (node.finallyBlock) {
            writeLineOrSpace(node, node.catchClause || node.tryBlock, node.finallyBlock);
            emitTokenWithComment(98, (node.catchClause || node.tryBlock).end, writeKeyword, node);
            writeSpace();
            emit(node.finallyBlock);
          }
        }
        function emitDebuggerStatement(node) {
          writeToken(89, node.pos, writeKeyword);
          writeTrailingSemicolon();
        }
        function emitVariableDeclaration(node) {
          var _a, _b, _c;
          emit(node.name);
          emit(node.exclamationToken);
          emitTypeAnnotation(node.type);
          emitInitializer(node.initializer, ((_a = node.type) == null ? void 0 : _a.end) ?? ((_c = (_b = node.name.emitNode) == null ? void 0 : _b.typeNode) == null ? void 0 : _c.end) ?? node.name.end, node, parenthesizer.parenthesizeExpressionForDisallowedComma);
        }
        function emitVariableDeclarationList(node) {
          if (isVarAwaitUsing(node)) {
            writeKeyword("await");
            writeSpace();
            writeKeyword("using");
          } else {
            const head = isLet(node) ? "let" : isVarConst(node) ? "const" : isVarUsing(node) ? "using" : "var";
            writeKeyword(head);
          }
          writeSpace();
          emitList(
            node,
            node.declarations,
            528
            /* VariableDeclarationList */
          );
        }
        function emitFunctionDeclaration(node) {
          emitFunctionDeclarationOrExpression(node);
        }
        function emitFunctionDeclarationOrExpression(node) {
          emitDecoratorsAndModifiers(
            node,
            node.modifiers,
            /*allowDecorators*/
            false
          );
          writeKeyword("function");
          emit(node.asteriskToken);
          writeSpace();
          emitIdentifierName(node.name);
          emitSignatureAndBody(node, emitSignatureHead, emitFunctionBody);
        }
        function emitSignatureAndBody(node, emitSignatureHead2, emitBody) {
          const indentedFlag = getEmitFlags(node) & 131072;
          if (indentedFlag) {
            increaseIndent();
          }
          pushNameGenerationScope(node);
          forEach(node.parameters, generateNames);
          emitSignatureHead2(node);
          emitBody(node);
          popNameGenerationScope(node);
          if (indentedFlag) {
            decreaseIndent();
          }
        }
        function emitFunctionBody(node) {
          const body = node.body;
          if (body) {
            emitBlockFunctionBody(body);
          } else {
            writeTrailingSemicolon();
          }
        }
        function emitEmptyFunctionBody(_node) {
          writeTrailingSemicolon();
        }
        function emitSignatureHead(node) {
          emitTypeParameters(node, node.typeParameters);
          emitParameters(node, node.parameters);
          emitTypeAnnotation(node.type);
        }
        function shouldEmitBlockFunctionBodyOnSingleLine(body) {
          if (getEmitFlags(body) & 1) {
            return true;
          }
          if (body.multiLine) {
            return false;
          }
          if (!nodeIsSynthesized(body) && currentSourceFile && !rangeIsOnSingleLine(body, currentSourceFile)) {
            return false;
          }
          if (getLeadingLineTerminatorCount(
            body,
            firstOrUndefined(body.statements),
            2
            /* PreserveLines */
          ) || getClosingLineTerminatorCount(body, lastOrUndefined(body.statements), 2, body.statements)) {
            return false;
          }
          let previousStatement;
          for (const statement of body.statements) {
            if (getSeparatingLineTerminatorCount(
              previousStatement,
              statement,
              2
              /* PreserveLines */
            ) > 0) {
              return false;
            }
            previousStatement = statement;
          }
          return true;
        }
        function emitBlockFunctionBody(body) {
          generateNames(body);
          onBeforeEmitNode == null ? void 0 : onBeforeEmitNode(body);
          writeSpace();
          writePunctuation("{");
          increaseIndent();
          const emitBlockFunctionBody2 = shouldEmitBlockFunctionBodyOnSingleLine(body) ? emitBlockFunctionBodyOnSingleLine : emitBlockFunctionBodyWorker;
          emitBodyWithDetachedComments(body, body.statements, emitBlockFunctionBody2);
          decreaseIndent();
          writeToken(20, body.statements.end, writePunctuation, body);
          onAfterEmitNode == null ? void 0 : onAfterEmitNode(body);
        }
        function emitBlockFunctionBodyOnSingleLine(body) {
          emitBlockFunctionBodyWorker(
            body,
            /*emitBlockFunctionBodyOnSingleLine*/
            true
          );
        }
        function emitBlockFunctionBodyWorker(body, emitBlockFunctionBodyOnSingleLine2) {
          const statementOffset = emitPrologueDirectives(body.statements);
          const pos = writer.getTextPos();
          emitHelpers(body);
          if (statementOffset === 0 && pos === writer.getTextPos() && emitBlockFunctionBodyOnSingleLine2) {
            decreaseIndent();
            emitList(
              body,
              body.statements,
              768
              /* SingleLineFunctionBodyStatements */
            );
            increaseIndent();
          } else {
            emitList(
              body,
              body.statements,
              1,
              /*parenthesizerRule*/
              void 0,
              statementOffset
            );
          }
        }
        function emitClassDeclaration(node) {
          emitClassDeclarationOrExpression(node);
        }
        function emitClassDeclarationOrExpression(node) {
          emitDecoratorsAndModifiers(
            node,
            node.modifiers,
            /*allowDecorators*/
            true
          );
          emitTokenWithComment(86, moveRangePastModifiers(node).pos, writeKeyword, node);
          if (node.name) {
            writeSpace();
            emitIdentifierName(node.name);
          }
          const indentedFlag = getEmitFlags(node) & 131072;
          if (indentedFlag) {
            increaseIndent();
          }
          emitTypeParameters(node, node.typeParameters);
          emitList(
            node,
            node.heritageClauses,
            0
            /* ClassHeritageClauses */
          );
          writeSpace();
          writePunctuation("{");
          pushNameGenerationScope(node);
          forEach(node.members, generateMemberNames);
          emitList(
            node,
            node.members,
            129
            /* ClassMembers */
          );
          popNameGenerationScope(node);
          writePunctuation("}");
          if (indentedFlag) {
            decreaseIndent();
          }
        }
        function emitInterfaceDeclaration(node) {
          emitDecoratorsAndModifiers(
            node,
            node.modifiers,
            /*allowDecorators*/
            false
          );
          writeKeyword("interface");
          writeSpace();
          emit(node.name);
          emitTypeParameters(node, node.typeParameters);
          emitList(
            node,
            node.heritageClauses,
            512
            /* HeritageClauses */
          );
          writeSpace();
          writePunctuation("{");
          pushNameGenerationScope(node);
          forEach(node.members, generateMemberNames);
          emitList(
            node,
            node.members,
            129
            /* InterfaceMembers */
          );
          popNameGenerationScope(node);
          writePunctuation("}");
        }
        function emitTypeAliasDeclaration(node) {
          emitDecoratorsAndModifiers(
            node,
            node.modifiers,
            /*allowDecorators*/
            false
          );
          writeKeyword("type");
          writeSpace();
          emit(node.name);
          emitTypeParameters(node, node.typeParameters);
          writeSpace();
          writePunctuation("=");
          writeSpace();
          emit(node.type);
          writeTrailingSemicolon();
        }
        function emitEnumDeclaration(node) {
          emitDecoratorsAndModifiers(
            node,
            node.modifiers,
            /*allowDecorators*/
            false
          );
          writeKeyword("enum");
          writeSpace();
          emit(node.name);
          writeSpace();
          writePunctuation("{");
          emitList(
            node,
            node.members,
            145
            /* EnumMembers */
          );
          writePunctuation("}");
        }
        function emitModuleDeclaration(node) {
          emitDecoratorsAndModifiers(
            node,
            node.modifiers,
            /*allowDecorators*/
            false
          );
          if (~node.flags & 2048) {
            writeKeyword(node.flags & 32 ? "namespace" : "module");
            writeSpace();
          }
          emit(node.name);
          let body = node.body;
          if (!body) return writeTrailingSemicolon();
          while (body && isModuleDeclaration(body)) {
            writePunctuation(".");
            emit(body.name);
            body = body.body;
          }
          writeSpace();
          emit(body);
        }
        function emitModuleBlock(node) {
          pushNameGenerationScope(node);
          forEach(node.statements, generateNames);
          emitBlockStatements(
            node,
            /*forceSingleLine*/
            isEmptyBlock(node)
          );
          popNameGenerationScope(node);
        }
        function emitCaseBlock(node) {
          emitTokenWithComment(19, node.pos, writePunctuation, node);
          emitList(
            node,
            node.clauses,
            129
            /* CaseBlockClauses */
          );
          emitTokenWithComment(
            20,
            node.clauses.end,
            writePunctuation,
            node,
            /*indentLeading*/
            true
          );
        }
        function emitImportEqualsDeclaration(node) {
          emitDecoratorsAndModifiers(
            node,
            node.modifiers,
            /*allowDecorators*/
            false
          );
          emitTokenWithComment(102, node.modifiers ? node.modifiers.end : node.pos, writeKeyword, node);
          writeSpace();
          if (node.isTypeOnly) {
            emitTokenWithComment(156, node.pos, writeKeyword, node);
            writeSpace();
          }
          emit(node.name);
          writeSpace();
          emitTokenWithComment(64, node.name.end, writePunctuation, node);
          writeSpace();
          emitModuleReference(node.moduleReference);
          writeTrailingSemicolon();
        }
        function emitModuleReference(node) {
          if (node.kind === 80) {
            emitExpression(node);
          } else {
            emit(node);
          }
        }
        function emitImportDeclaration(node) {
          emitDecoratorsAndModifiers(
            node,
            node.modifiers,
            /*allowDecorators*/
            false
          );
          emitTokenWithComment(102, node.modifiers ? node.modifiers.end : node.pos, writeKeyword, node);
          writeSpace();
          if (node.importClause) {
            emit(node.importClause);
            writeSpace();
            emitTokenWithComment(161, node.importClause.end, writeKeyword, node);
            writeSpace();
          }
          emitExpression(node.moduleSpecifier);
          if (node.attributes) {
            emitWithLeadingSpace(node.attributes);
          }
          writeTrailingSemicolon();
        }
        function emitImportClause(node) {
          if (node.isTypeOnly) {
            emitTokenWithComment(156, node.pos, writeKeyword, node);
            writeSpace();
          }
          emit(node.name);
          if (node.name && node.namedBindings) {
            emitTokenWithComment(28, node.name.end, writePunctuation, node);
            writeSpace();
          }
          emit(node.namedBindings);
        }
        function emitNamespaceImport(node) {
          const asPos = emitTokenWithComment(42, node.pos, writePunctuation, node);
          writeSpace();
          emitTokenWithComment(130, asPos, writeKeyword, node);
          writeSpace();
          emit(node.name);
        }
        function emitNamedImports(node) {
          emitNamedImportsOrExports(node);
        }
        function emitImportSpecifier(node) {
          emitImportOrExportSpecifier(node);
        }
        function emitExportAssignment(node) {
          const nextPos = emitTokenWithComment(95, node.pos, writeKeyword, node);
          writeSpace();
          if (node.isExportEquals) {
            emitTokenWithComment(64, nextPos, writeOperator, node);
          } else {
            emitTokenWithComment(90, nextPos, writeKeyword, node);
          }
          writeSpace();
          emitExpression(
            node.expression,
            node.isExportEquals ? parenthesizer.getParenthesizeRightSideOfBinaryForOperator(
              64
              /* EqualsToken */
            ) : parenthesizer.parenthesizeExpressionOfExportDefault
          );
          writeTrailingSemicolon();
        }
        function emitExportDeclaration(node) {
          emitDecoratorsAndModifiers(
            node,
            node.modifiers,
            /*allowDecorators*/
            false
          );
          let nextPos = emitTokenWithComment(95, node.pos, writeKeyword, node);
          writeSpace();
          if (node.isTypeOnly) {
            nextPos = emitTokenWithComment(156, nextPos, writeKeyword, node);
            writeSpace();
          }
          if (node.exportClause) {
            emit(node.exportClause);
          } else {
            nextPos = emitTokenWithComment(42, nextPos, writePunctuation, node);
          }
          if (node.moduleSpecifier) {
            writeSpace();
            const fromPos = node.exportClause ? node.exportClause.end : nextPos;
            emitTokenWithComment(161, fromPos, writeKeyword, node);
            writeSpace();
            emitExpression(node.moduleSpecifier);
          }
          if (node.attributes) {
            emitWithLeadingSpace(node.attributes);
          }
          writeTrailingSemicolon();
        }
        function emitImportTypeNodeAttributes(node) {
          writePunctuation("{");
          writeSpace();
          writeKeyword(node.token === 132 ? "assert" : "with");
          writePunctuation(":");
          writeSpace();
          const elements = node.elements;
          emitList(
            node,
            elements,
            526226
            /* ImportAttributes */
          );
          writeSpace();
          writePunctuation("}");
        }
        function emitImportAttributes(node) {
          emitTokenWithComment(node.token, node.pos, writeKeyword, node);
          writeSpace();
          const elements = node.elements;
          emitList(
            node,
            elements,
            526226
            /* ImportAttributes */
          );
        }
        function emitImportAttribute(node) {
          emit(node.name);
          writePunctuation(":");
          writeSpace();
          const value = node.value;
          if ((getEmitFlags(value) & 1024) === 0) {
            const commentRange = getCommentRange(value);
            emitTrailingCommentsOfPosition(commentRange.pos);
          }
          emit(value);
        }
        function emitNamespaceExportDeclaration(node) {
          let nextPos = emitTokenWithComment(95, node.pos, writeKeyword, node);
          writeSpace();
          nextPos = emitTokenWithComment(130, nextPos, writeKeyword, node);
          writeSpace();
          nextPos = emitTokenWithComment(145, nextPos, writeKeyword, node);
          writeSpace();
          emit(node.name);
          writeTrailingSemicolon();
        }
        function emitNamespaceExport(node) {
          const asPos = emitTokenWithComment(42, node.pos, writePunctuation, node);
          writeSpace();
          emitTokenWithComment(130, asPos, writeKeyword, node);
          writeSpace();
          emit(node.name);
        }
        function emitNamedExports(node) {
          emitNamedImportsOrExports(node);
        }
        function emitExportSpecifier(node) {
          emitImportOrExportSpecifier(node);
        }
        function emitNamedImportsOrExports(node) {
          writePunctuation("{");
          emitList(
            node,
            node.elements,
            525136
            /* NamedImportsOrExportsElements */
          );
          writePunctuation("}");
        }
        function emitImportOrExportSpecifier(node) {
          if (node.isTypeOnly) {
            writeKeyword("type");
            writeSpace();
          }
          if (node.propertyName) {
            emit(node.propertyName);
            writeSpace();
            emitTokenWithComment(130, node.propertyName.end, writeKeyword, node);
            writeSpace();
          }
          emit(node.name);
        }
        function emitExternalModuleReference(node) {
          writeKeyword("require");
          writePunctuation("(");
          emitExpression(node.expression);
          writePunctuation(")");
        }
        function emitJsxElement(node) {
          emit(node.openingElement);
          emitList(
            node,
            node.children,
            262144
            /* JsxElementOrFragmentChildren */
          );
          emit(node.closingElement);
        }
        function emitJsxSelfClosingElement(node) {
          writePunctuation("<");
          emitJsxTagName(node.tagName);
          emitTypeArguments(node, node.typeArguments);
          writeSpace();
          emit(node.attributes);
          writePunctuation("/>");
        }
        function emitJsxFragment(node) {
          emit(node.openingFragment);
          emitList(
            node,
            node.children,
            262144
            /* JsxElementOrFragmentChildren */
          );
          emit(node.closingFragment);
        }
        function emitJsxOpeningElementOrFragment(node) {
          writePunctuation("<");
          if (isJsxOpeningElement(node)) {
            const indented = writeLineSeparatorsAndIndentBefore(node.tagName, node);
            emitJsxTagName(node.tagName);
            emitTypeArguments(node, node.typeArguments);
            if (node.attributes.properties && node.attributes.properties.length > 0) {
              writeSpace();
            }
            emit(node.attributes);
            writeLineSeparatorsAfter(node.attributes, node);
            decreaseIndentIf(indented);
          }
          writePunctuation(">");
        }
        function emitJsxText(node) {
          writer.writeLiteral(node.text);
        }
        function emitJsxClosingElementOrFragment(node) {
          writePunctuation("");
        }
        function emitJsxAttributes(node) {
          emitList(
            node,
            node.properties,
            262656
            /* JsxElementAttributes */
          );
        }
        function emitJsxAttribute(node) {
          emit(node.name);
          emitNodeWithPrefix("=", writePunctuation, node.initializer, emitJsxAttributeValue);
        }
        function emitJsxSpreadAttribute(node) {
          writePunctuation("{...");
          emitExpression(node.expression);
          writePunctuation("}");
        }
        function hasTrailingCommentsAtPosition(pos) {
          let result = false;
          forEachTrailingCommentRange((currentSourceFile == null ? void 0 : currentSourceFile.text) || "", pos + 1, () => result = true);
          return result;
        }
        function hasLeadingCommentsAtPosition(pos) {
          let result = false;
          forEachLeadingCommentRange((currentSourceFile == null ? void 0 : currentSourceFile.text) || "", pos + 1, () => result = true);
          return result;
        }
        function hasCommentsAtPosition(pos) {
          return hasTrailingCommentsAtPosition(pos) || hasLeadingCommentsAtPosition(pos);
        }
        function emitJsxExpression(node) {
          var _a;
          if (node.expression || !commentsDisabled && !nodeIsSynthesized(node) && hasCommentsAtPosition(node.pos)) {
            const isMultiline = currentSourceFile && !nodeIsSynthesized(node) && getLineAndCharacterOfPosition(currentSourceFile, node.pos).line !== getLineAndCharacterOfPosition(currentSourceFile, node.end).line;
            if (isMultiline) {
              writer.increaseIndent();
            }
            const end = emitTokenWithComment(19, node.pos, writePunctuation, node);
            emit(node.dotDotDotToken);
            emitExpression(node.expression);
            emitTokenWithComment(20, ((_a = node.expression) == null ? void 0 : _a.end) || end, writePunctuation, node);
            if (isMultiline) {
              writer.decreaseIndent();
            }
          }
        }
        function emitJsxNamespacedName(node) {
          emitIdentifierName(node.namespace);
          writePunctuation(":");
          emitIdentifierName(node.name);
        }
        function emitJsxTagName(node) {
          if (node.kind === 80) {
            emitExpression(node);
          } else {
            emit(node);
          }
        }
        function emitCaseClause(node) {
          emitTokenWithComment(84, node.pos, writeKeyword, node);
          writeSpace();
          emitExpression(node.expression, parenthesizer.parenthesizeExpressionForDisallowedComma);
          emitCaseOrDefaultClauseRest(node, node.statements, node.expression.end);
        }
        function emitDefaultClause(node) {
          const pos = emitTokenWithComment(90, node.pos, writeKeyword, node);
          emitCaseOrDefaultClauseRest(node, node.statements, pos);
        }
        function emitCaseOrDefaultClauseRest(parentNode, statements, colonPos) {
          const emitAsSingleStatement = statements.length === 1 && // treat synthesized nodes as located on the same line for emit purposes
          (!currentSourceFile || nodeIsSynthesized(parentNode) || nodeIsSynthesized(statements[0]) || rangeStartPositionsAreOnSameLine(parentNode, statements[0], currentSourceFile));
          let format2 = 163969;
          if (emitAsSingleStatement) {
            writeToken(59, colonPos, writePunctuation, parentNode);
            writeSpace();
            format2 &= ~(1 | 128);
          } else {
            emitTokenWithComment(59, colonPos, writePunctuation, parentNode);
          }
          emitList(parentNode, statements, format2);
        }
        function emitHeritageClause(node) {
          writeSpace();
          writeTokenText(node.token, writeKeyword);
          writeSpace();
          emitList(
            node,
            node.types,
            528
            /* HeritageClauseTypes */
          );
        }
        function emitCatchClause(node) {
          const openParenPos = emitTokenWithComment(85, node.pos, writeKeyword, node);
          writeSpace();
          if (node.variableDeclaration) {
            emitTokenWithComment(21, openParenPos, writePunctuation, node);
            emit(node.variableDeclaration);
            emitTokenWithComment(22, node.variableDeclaration.end, writePunctuation, node);
            writeSpace();
          }
          emit(node.block);
        }
        function emitPropertyAssignment(node) {
          emit(node.name);
          writePunctuation(":");
          writeSpace();
          const initializer = node.initializer;
          if ((getEmitFlags(initializer) & 1024) === 0) {
            const commentRange = getCommentRange(initializer);
            emitTrailingCommentsOfPosition(commentRange.pos);
          }
          emitExpression(initializer, parenthesizer.parenthesizeExpressionForDisallowedComma);
        }
        function emitShorthandPropertyAssignment(node) {
          emit(node.name);
          if (node.objectAssignmentInitializer) {
            writeSpace();
            writePunctuation("=");
            writeSpace();
            emitExpression(node.objectAssignmentInitializer, parenthesizer.parenthesizeExpressionForDisallowedComma);
          }
        }
        function emitSpreadAssignment(node) {
          if (node.expression) {
            emitTokenWithComment(26, node.pos, writePunctuation, node);
            emitExpression(node.expression, parenthesizer.parenthesizeExpressionForDisallowedComma);
          }
        }
        function emitEnumMember(node) {
          emit(node.name);
          emitInitializer(node.initializer, node.name.end, node, parenthesizer.parenthesizeExpressionForDisallowedComma);
        }
        function emitJSDoc(node) {
          write("/**");
          if (node.comment) {
            const text = getTextOfJSDocComment(node.comment);
            if (text) {
              const lines = text.split(/\r\n?|\n/g);
              for (const line of lines) {
                writeLine();
                writeSpace();
                writePunctuation("*");
                writeSpace();
                write(line);
              }
            }
          }
          if (node.tags) {
            if (node.tags.length === 1 && node.tags[0].kind === 344 && !node.comment) {
              writeSpace();
              emit(node.tags[0]);
            } else {
              emitList(
                node,
                node.tags,
                33
                /* JSDocComment */
              );
            }
          }
          writeSpace();
          write("*/");
        }
        function emitJSDocSimpleTypedTag(tag) {
          emitJSDocTagName(tag.tagName);
          emitJSDocTypeExpression(tag.typeExpression);
          emitJSDocComment(tag.comment);
        }
        function emitJSDocSeeTag(tag) {
          emitJSDocTagName(tag.tagName);
          emit(tag.name);
          emitJSDocComment(tag.comment);
        }
        function emitJSDocImportTag(tag) {
          emitJSDocTagName(tag.tagName);
          writeSpace();
          if (tag.importClause) {
            emit(tag.importClause);
            writeSpace();
            emitTokenWithComment(161, tag.importClause.end, writeKeyword, tag);
            writeSpace();
          }
          emitExpression(tag.moduleSpecifier);
          if (tag.attributes) {
            emitWithLeadingSpace(tag.attributes);
          }
          emitJSDocComment(tag.comment);
        }
        function emitJSDocNameReference(node) {
          writeSpace();
          writePunctuation("{");
          emit(node.name);
          writePunctuation("}");
        }
        function emitJSDocHeritageTag(tag) {
          emitJSDocTagName(tag.tagName);
          writeSpace();
          writePunctuation("{");
          emit(tag.class);
          writePunctuation("}");
          emitJSDocComment(tag.comment);
        }
        function emitJSDocTemplateTag(tag) {
          emitJSDocTagName(tag.tagName);
          emitJSDocTypeExpression(tag.constraint);
          writeSpace();
          emitList(
            tag,
            tag.typeParameters,
            528
            /* CommaListElements */
          );
          emitJSDocComment(tag.comment);
        }
        function emitJSDocTypedefTag(tag) {
          emitJSDocTagName(tag.tagName);
          if (tag.typeExpression) {
            if (tag.typeExpression.kind === 309) {
              emitJSDocTypeExpression(tag.typeExpression);
            } else {
              writeSpace();
              writePunctuation("{");
              write("Object");
              if (tag.typeExpression.isArrayType) {
                writePunctuation("[");
                writePunctuation("]");
              }
              writePunctuation("}");
            }
          }
          if (tag.fullName) {
            writeSpace();
            emit(tag.fullName);
          }
          emitJSDocComment(tag.comment);
          if (tag.typeExpression && tag.typeExpression.kind === 322) {
            emitJSDocTypeLiteral(tag.typeExpression);
          }
        }
        function emitJSDocCallbackTag(tag) {
          emitJSDocTagName(tag.tagName);
          if (tag.name) {
            writeSpace();
            emit(tag.name);
          }
          emitJSDocComment(tag.comment);
          emitJSDocSignature(tag.typeExpression);
        }
        function emitJSDocOverloadTag(tag) {
          emitJSDocComment(tag.comment);
          emitJSDocSignature(tag.typeExpression);
        }
        function emitJSDocSimpleTag(tag) {
          emitJSDocTagName(tag.tagName);
          emitJSDocComment(tag.comment);
        }
        function emitJSDocTypeLiteral(lit) {
          emitList(
            lit,
            factory.createNodeArray(lit.jsDocPropertyTags),
            33
            /* JSDocComment */
          );
        }
        function emitJSDocSignature(sig) {
          if (sig.typeParameters) {
            emitList(
              sig,
              factory.createNodeArray(sig.typeParameters),
              33
              /* JSDocComment */
            );
          }
          if (sig.parameters) {
            emitList(
              sig,
              factory.createNodeArray(sig.parameters),
              33
              /* JSDocComment */
            );
          }
          if (sig.type) {
            writeLine();
            writeSpace();
            writePunctuation("*");
            writeSpace();
            emit(sig.type);
          }
        }
        function emitJSDocPropertyLikeTag(param) {
          emitJSDocTagName(param.tagName);
          emitJSDocTypeExpression(param.typeExpression);
          writeSpace();
          if (param.isBracketed) {
            writePunctuation("[");
          }
          emit(param.name);
          if (param.isBracketed) {
            writePunctuation("]");
          }
          emitJSDocComment(param.comment);
        }
        function emitJSDocTagName(tagName) {
          writePunctuation("@");
          emit(tagName);
        }
        function emitJSDocComment(comment) {
          const text = getTextOfJSDocComment(comment);
          if (text) {
            writeSpace();
            write(text);
          }
        }
        function emitJSDocTypeExpression(typeExpression) {
          if (typeExpression) {
            writeSpace();
            writePunctuation("{");
            emit(typeExpression.type);
            writePunctuation("}");
          }
        }
        function emitSourceFile(node) {
          writeLine();
          const statements = node.statements;
          const shouldEmitDetachedComment = statements.length === 0 || !isPrologueDirective(statements[0]) || nodeIsSynthesized(statements[0]);
          if (shouldEmitDetachedComment) {
            emitBodyWithDetachedComments(node, statements, emitSourceFileWorker);
            return;
          }
          emitSourceFileWorker(node);
        }
        function emitSyntheticTripleSlashReferencesIfNeeded(node) {
          emitTripleSlashDirectives(!!node.hasNoDefaultLib, node.syntheticFileReferences || [], node.syntheticTypeReferences || [], node.syntheticLibReferences || []);
        }
        function emitTripleSlashDirectivesIfNeeded(node) {
          if (node.isDeclarationFile) emitTripleSlashDirectives(node.hasNoDefaultLib, node.referencedFiles, node.typeReferenceDirectives, node.libReferenceDirectives);
        }
        function emitTripleSlashDirectives(hasNoDefaultLib, files, types, libs2) {
          if (hasNoDefaultLib) {
            writeComment(`/// `);
            writeLine();
          }
          if (currentSourceFile && currentSourceFile.moduleName) {
            writeComment(`/// `);
            writeLine();
          }
          if (currentSourceFile && currentSourceFile.amdDependencies) {
            for (const dep of currentSourceFile.amdDependencies) {
              if (dep.name) {
                writeComment(`/// `);
              } else {
                writeComment(`/// `);
              }
              writeLine();
            }
          }
          function writeDirectives(kind, directives) {
            for (const directive of directives) {
              const resolutionMode = directive.resolutionMode ? `resolution-mode="${directive.resolutionMode === 99 ? "import" : "require"}" ` : "";
              const preserve = directive.preserve ? `preserve="true" ` : "";
              writeComment(`/// `);
              writeLine();
            }
          }
          writeDirectives("path", files);
          writeDirectives("types", types);
          writeDirectives("lib", libs2);
        }
        function emitSourceFileWorker(node) {
          const statements = node.statements;
          pushNameGenerationScope(node);
          forEach(node.statements, generateNames);
          emitHelpers(node);
          const index = findIndex(statements, (statement) => !isPrologueDirective(statement));
          emitTripleSlashDirectivesIfNeeded(node);
          emitList(
            node,
            statements,
            1,
            /*parenthesizerRule*/
            void 0,
            index === -1 ? statements.length : index
          );
          popNameGenerationScope(node);
        }
        function emitPartiallyEmittedExpression(node) {
          const emitFlags = getEmitFlags(node);
          if (!(emitFlags & 1024) && node.pos !== node.expression.pos) {
            emitTrailingCommentsOfPosition(node.expression.pos);
          }
          emitExpression(node.expression);
          if (!(emitFlags & 2048) && node.end !== node.expression.end) {
            emitLeadingCommentsOfPosition(node.expression.end);
          }
        }
        function emitCommaList(node) {
          emitExpressionList(
            node,
            node.elements,
            528,
            /*parenthesizerRule*/
            void 0
          );
        }
        function emitPrologueDirectives(statements, sourceFile, seenPrologueDirectives) {
          let needsToSetSourceFile = !!sourceFile;
          for (let i = 0; i < statements.length; i++) {
            const statement = statements[i];
            if (isPrologueDirective(statement)) {
              const shouldEmitPrologueDirective = seenPrologueDirectives ? !seenPrologueDirectives.has(statement.expression.text) : true;
              if (shouldEmitPrologueDirective) {
                if (needsToSetSourceFile) {
                  needsToSetSourceFile = false;
                  setSourceFile(sourceFile);
                }
                writeLine();
                emit(statement);
                if (seenPrologueDirectives) {
                  seenPrologueDirectives.add(statement.expression.text);
                }
              }
            } else {
              return i;
            }
          }
          return statements.length;
        }
        function emitPrologueDirectivesIfNeeded(sourceFileOrBundle) {
          if (isSourceFile(sourceFileOrBundle)) {
            emitPrologueDirectives(sourceFileOrBundle.statements, sourceFileOrBundle);
          } else {
            const seenPrologueDirectives = /* @__PURE__ */ new Set();
            for (const sourceFile of sourceFileOrBundle.sourceFiles) {
              emitPrologueDirectives(sourceFile.statements, sourceFile, seenPrologueDirectives);
            }
            setSourceFile(void 0);
          }
        }
        function emitShebangIfNeeded(sourceFileOrBundle) {
          if (isSourceFile(sourceFileOrBundle)) {
            const shebang = getShebang(sourceFileOrBundle.text);
            if (shebang) {
              writeComment(shebang);
              writeLine();
              return true;
            }
          } else {
            for (const sourceFile of sourceFileOrBundle.sourceFiles) {
              if (emitShebangIfNeeded(sourceFile)) {
                return true;
              }
            }
          }
        }
        function emitNodeWithWriter(node, writer2) {
          if (!node) return;
          const savedWrite = write;
          write = writer2;
          emit(node);
          write = savedWrite;
        }
        function emitDecoratorsAndModifiers(node, modifiers, allowDecorators) {
          if (modifiers == null ? void 0 : modifiers.length) {
            if (every(modifiers, isModifier)) {
              return emitModifierList(node, modifiers);
            }
            if (every(modifiers, isDecorator)) {
              if (allowDecorators) {
                return emitDecoratorList(node, modifiers);
              }
              return node.pos;
            }
            onBeforeEmitNodeArray == null ? void 0 : onBeforeEmitNodeArray(modifiers);
            let lastMode;
            let mode;
            let start = 0;
            let pos = 0;
            let lastModifier;
            while (start < modifiers.length) {
              while (pos < modifiers.length) {
                lastModifier = modifiers[pos];
                mode = isDecorator(lastModifier) ? "decorators" : "modifiers";
                if (lastMode === void 0) {
                  lastMode = mode;
                } else if (mode !== lastMode) {
                  break;
                }
                pos++;
              }
              const textRange = { pos: -1, end: -1 };
              if (start === 0) textRange.pos = modifiers.pos;
              if (pos === modifiers.length - 1) textRange.end = modifiers.end;
              if (lastMode === "modifiers" || allowDecorators) {
                emitNodeListItems(
                  emit,
                  node,
                  modifiers,
                  lastMode === "modifiers" ? 2359808 : 2146305,
                  /*parenthesizerRule*/
                  void 0,
                  start,
                  pos - start,
                  /*hasTrailingComma*/
                  false,
                  textRange
                );
              }
              start = pos;
              lastMode = mode;
              pos++;
            }
            onAfterEmitNodeArray == null ? void 0 : onAfterEmitNodeArray(modifiers);
            if (lastModifier && !positionIsSynthesized(lastModifier.end)) {
              return lastModifier.end;
            }
          }
          return node.pos;
        }
        function emitModifierList(node, modifiers) {
          emitList(
            node,
            modifiers,
            2359808
            /* Modifiers */
          );
          const lastModifier = lastOrUndefined(modifiers);
          return lastModifier && !positionIsSynthesized(lastModifier.end) ? lastModifier.end : node.pos;
        }
        function emitTypeAnnotation(node) {
          if (node) {
            writePunctuation(":");
            writeSpace();
            emit(node);
          }
        }
        function emitInitializer(node, equalCommentStartPos, container, parenthesizerRule) {
          if (node) {
            writeSpace();
            emitTokenWithComment(64, equalCommentStartPos, writeOperator, container);
            writeSpace();
            emitExpression(node, parenthesizerRule);
          }
        }
        function emitNodeWithPrefix(prefix, prefixWriter, node, emit2) {
          if (node) {
            prefixWriter(prefix);
            emit2(node);
          }
        }
        function emitWithLeadingSpace(node) {
          if (node) {
            writeSpace();
            emit(node);
          }
        }
        function emitExpressionWithLeadingSpace(node, parenthesizerRule) {
          if (node) {
            writeSpace();
            emitExpression(node, parenthesizerRule);
          }
        }
        function emitWithTrailingSpace(node) {
          if (node) {
            emit(node);
            writeSpace();
          }
        }
        function emitEmbeddedStatement(parent2, node) {
          if (isBlock(node) || getEmitFlags(parent2) & 1 || preserveSourceNewlines && !getLeadingLineTerminatorCount(
            parent2,
            node,
            0
            /* None */
          )) {
            writeSpace();
            emit(node);
          } else {
            writeLine();
            increaseIndent();
            if (isEmptyStatement(node)) {
              pipelineEmit(5, node);
            } else {
              emit(node);
            }
            decreaseIndent();
          }
        }
        function emitDecoratorList(parentNode, decorators) {
          emitList(
            parentNode,
            decorators,
            2146305
            /* Decorators */
          );
          const lastDecorator = lastOrUndefined(decorators);
          return lastDecorator && !positionIsSynthesized(lastDecorator.end) ? lastDecorator.end : parentNode.pos;
        }
        function emitTypeArguments(parentNode, typeArguments) {
          emitList(parentNode, typeArguments, 53776, typeArgumentParenthesizerRuleSelector);
        }
        function emitTypeParameters(parentNode, typeParameters) {
          if (isFunctionLike(parentNode) && parentNode.typeArguments) {
            return emitTypeArguments(parentNode, parentNode.typeArguments);
          }
          emitList(
            parentNode,
            typeParameters,
            53776
            /* TypeParameters */
          );
        }
        function emitParameters(parentNode, parameters) {
          emitList(
            parentNode,
            parameters,
            2576
            /* Parameters */
          );
        }
        function canEmitSimpleArrowHead(parentNode, parameters) {
          const parameter = singleOrUndefined(parameters);
          return parameter && parameter.pos === parentNode.pos && isArrowFunction(parentNode) && !parentNode.type && !some(parentNode.modifiers) && !some(parentNode.typeParameters) && !some(parameter.modifiers) && !parameter.dotDotDotToken && !parameter.questionToken && !parameter.type && !parameter.initializer && isIdentifier(parameter.name);
        }
        function emitParametersForArrow(parentNode, parameters) {
          if (canEmitSimpleArrowHead(parentNode, parameters)) {
            emitList(
              parentNode,
              parameters,
              2576 & ~2048
              /* Parenthesis */
            );
          } else {
            emitParameters(parentNode, parameters);
          }
        }
        function emitParametersForIndexSignature(parentNode, parameters) {
          emitList(
            parentNode,
            parameters,
            8848
            /* IndexSignatureParameters */
          );
        }
        function writeDelimiter(format2) {
          switch (format2 & 60) {
            case 0:
              break;
            case 16:
              writePunctuation(",");
              break;
            case 4:
              writeSpace();
              writePunctuation("|");
              break;
            case 32:
              writeSpace();
              writePunctuation("*");
              writeSpace();
              break;
            case 8:
              writeSpace();
              writePunctuation("&");
              break;
          }
        }
        function emitList(parentNode, children, format2, parenthesizerRule, start, count) {
          emitNodeList(
            emit,
            parentNode,
            children,
            format2 | (parentNode && getEmitFlags(parentNode) & 2 ? 65536 : 0),
            parenthesizerRule,
            start,
            count
          );
        }
        function emitExpressionList(parentNode, children, format2, parenthesizerRule, start, count) {
          emitNodeList(emitExpression, parentNode, children, format2, parenthesizerRule, start, count);
        }
        function emitNodeList(emit2, parentNode, children, format2, parenthesizerRule, start = 0, count = children ? children.length - start : 0) {
          const isUndefined2 = children === void 0;
          if (isUndefined2 && format2 & 16384) {
            return;
          }
          const isEmpty2 = children === void 0 || start >= children.length || count === 0;
          if (isEmpty2 && format2 & 32768) {
            onBeforeEmitNodeArray == null ? void 0 : onBeforeEmitNodeArray(children);
            onAfterEmitNodeArray == null ? void 0 : onAfterEmitNodeArray(children);
            return;
          }
          if (format2 & 15360) {
            writePunctuation(getOpeningBracket(format2));
            if (isEmpty2 && children) {
              emitTrailingCommentsOfPosition(
                children.pos,
                /*prefixSpace*/
                true
              );
            }
          }
          onBeforeEmitNodeArray == null ? void 0 : onBeforeEmitNodeArray(children);
          if (isEmpty2) {
            if (format2 & 1 && !(preserveSourceNewlines && (!parentNode || currentSourceFile && rangeIsOnSingleLine(parentNode, currentSourceFile)))) {
              writeLine();
            } else if (format2 & 256 && !(format2 & 524288)) {
              writeSpace();
            }
          } else {
            emitNodeListItems(emit2, parentNode, children, format2, parenthesizerRule, start, count, children.hasTrailingComma, children);
          }
          onAfterEmitNodeArray == null ? void 0 : onAfterEmitNodeArray(children);
          if (format2 & 15360) {
            if (isEmpty2 && children) {
              emitLeadingCommentsOfPosition(children.end);
            }
            writePunctuation(getClosingBracket(format2));
          }
        }
        function emitNodeListItems(emit2, parentNode, children, format2, parenthesizerRule, start, count, hasTrailingComma, childrenTextRange) {
          const mayEmitInterveningComments = (format2 & 262144) === 0;
          let shouldEmitInterveningComments = mayEmitInterveningComments;
          const leadingLineTerminatorCount = getLeadingLineTerminatorCount(parentNode, children[start], format2);
          if (leadingLineTerminatorCount) {
            writeLine(leadingLineTerminatorCount);
            shouldEmitInterveningComments = false;
          } else if (format2 & 256) {
            writeSpace();
          }
          if (format2 & 128) {
            increaseIndent();
          }
          const emitListItem = getEmitListItem(emit2, parenthesizerRule);
          let previousSibling;
          let shouldDecreaseIndentAfterEmit = false;
          for (let i = 0; i < count; i++) {
            const child = children[start + i];
            if (format2 & 32) {
              writeLine();
              writeDelimiter(format2);
            } else if (previousSibling) {
              if (format2 & 60 && previousSibling.end !== (parentNode ? parentNode.end : -1)) {
                const previousSiblingEmitFlags = getEmitFlags(previousSibling);
                if (!(previousSiblingEmitFlags & 2048)) {
                  emitLeadingCommentsOfPosition(previousSibling.end);
                }
              }
              writeDelimiter(format2);
              const separatingLineTerminatorCount = getSeparatingLineTerminatorCount(previousSibling, child, format2);
              if (separatingLineTerminatorCount > 0) {
                if ((format2 & (3 | 128)) === 0) {
                  increaseIndent();
                  shouldDecreaseIndentAfterEmit = true;
                }
                if (shouldEmitInterveningComments && format2 & 60 && !positionIsSynthesized(child.pos)) {
                  const commentRange = getCommentRange(child);
                  emitTrailingCommentsOfPosition(
                    commentRange.pos,
                    /*prefixSpace*/
                    !!(format2 & 512),
                    /*forceNoNewline*/
                    true
                  );
                }
                writeLine(separatingLineTerminatorCount);
                shouldEmitInterveningComments = false;
              } else if (previousSibling && format2 & 512) {
                writeSpace();
              }
            }
            if (shouldEmitInterveningComments) {
              const commentRange = getCommentRange(child);
              emitTrailingCommentsOfPosition(commentRange.pos);
            } else {
              shouldEmitInterveningComments = mayEmitInterveningComments;
            }
            nextListElementPos = child.pos;
            emitListItem(child, emit2, parenthesizerRule, i);
            if (shouldDecreaseIndentAfterEmit) {
              decreaseIndent();
              shouldDecreaseIndentAfterEmit = false;
            }
            previousSibling = child;
          }
          const emitFlags = previousSibling ? getEmitFlags(previousSibling) : 0;
          const skipTrailingComments = commentsDisabled || !!(emitFlags & 2048);
          const emitTrailingComma = hasTrailingComma && format2 & 64 && format2 & 16;
          if (emitTrailingComma) {
            if (previousSibling && !skipTrailingComments) {
              emitTokenWithComment(28, previousSibling.end, writePunctuation, previousSibling);
            } else {
              writePunctuation(",");
            }
          }
          if (previousSibling && (parentNode ? parentNode.end : -1) !== previousSibling.end && format2 & 60 && !skipTrailingComments) {
            emitLeadingCommentsOfPosition(emitTrailingComma && (childrenTextRange == null ? void 0 : childrenTextRange.end) ? childrenTextRange.end : previousSibling.end);
          }
          if (format2 & 128) {
            decreaseIndent();
          }
          const closingLineTerminatorCount = getClosingLineTerminatorCount(parentNode, children[start + count - 1], format2, childrenTextRange);
          if (closingLineTerminatorCount) {
            writeLine(closingLineTerminatorCount);
          } else if (format2 & (2097152 | 256)) {
            writeSpace();
          }
        }
        function writeLiteral(s) {
          writer.writeLiteral(s);
        }
        function writeStringLiteral(s) {
          writer.writeStringLiteral(s);
        }
        function writeBase(s) {
          writer.write(s);
        }
        function writeSymbol(s, sym) {
          writer.writeSymbol(s, sym);
        }
        function writePunctuation(s) {
          writer.writePunctuation(s);
        }
        function writeTrailingSemicolon() {
          writer.writeTrailingSemicolon(";");
        }
        function writeKeyword(s) {
          writer.writeKeyword(s);
        }
        function writeOperator(s) {
          writer.writeOperator(s);
        }
        function writeParameter(s) {
          writer.writeParameter(s);
        }
        function writeComment(s) {
          writer.writeComment(s);
        }
        function writeSpace() {
          writer.writeSpace(" ");
        }
        function writeProperty(s) {
          writer.writeProperty(s);
        }
        function nonEscapingWrite(s) {
          if (writer.nonEscapingWrite) {
            writer.nonEscapingWrite(s);
          } else {
            writer.write(s);
          }
        }
        function writeLine(count = 1) {
          for (let i = 0; i < count; i++) {
            writer.writeLine(i > 0);
          }
        }
        function increaseIndent() {
          writer.increaseIndent();
        }
        function decreaseIndent() {
          writer.decreaseIndent();
        }
        function writeToken(token, pos, writer2, contextNode) {
          return !sourceMapsDisabled ? emitTokenWithSourceMap(contextNode, token, writer2, pos, writeTokenText) : writeTokenText(token, writer2, pos);
        }
        function writeTokenNode(node, writer2) {
          if (onBeforeEmitToken) {
            onBeforeEmitToken(node);
          }
          writer2(tokenToString(node.kind));
          if (onAfterEmitToken) {
            onAfterEmitToken(node);
          }
        }
        function writeTokenText(token, writer2, pos) {
          const tokenString = tokenToString(token);
          writer2(tokenString);
          return pos < 0 ? pos : pos + tokenString.length;
        }
        function writeLineOrSpace(parentNode, prevChildNode, nextChildNode) {
          if (getEmitFlags(parentNode) & 1) {
            writeSpace();
          } else if (preserveSourceNewlines) {
            const lines = getLinesBetweenNodes(parentNode, prevChildNode, nextChildNode);
            if (lines) {
              writeLine(lines);
            } else {
              writeSpace();
            }
          } else {
            writeLine();
          }
        }
        function writeLines(text) {
          const lines = text.split(/\r\n?|\n/g);
          const indentation = guessIndentation(lines);
          for (const lineText of lines) {
            const line = indentation ? lineText.slice(indentation) : lineText;
            if (line.length) {
              writeLine();
              write(line);
            }
          }
        }
        function writeLinesAndIndent(lineCount, writeSpaceIfNotIndenting) {
          if (lineCount) {
            increaseIndent();
            writeLine(lineCount);
          } else if (writeSpaceIfNotIndenting) {
            writeSpace();
          }
        }
        function decreaseIndentIf(value1, value2) {
          if (value1) {
            decreaseIndent();
          }
          if (value2) {
            decreaseIndent();
          }
        }
        function getLeadingLineTerminatorCount(parentNode, firstChild, format2) {
          if (format2 & 2 || preserveSourceNewlines) {
            if (format2 & 65536) {
              return 1;
            }
            if (firstChild === void 0) {
              return !parentNode || currentSourceFile && rangeIsOnSingleLine(parentNode, currentSourceFile) ? 0 : 1;
            }
            if (firstChild.pos === nextListElementPos) {
              return 0;
            }
            if (firstChild.kind === 12) {
              return 0;
            }
            if (currentSourceFile && parentNode && !positionIsSynthesized(parentNode.pos) && !nodeIsSynthesized(firstChild) && (!firstChild.parent || getOriginalNode(firstChild.parent) === getOriginalNode(parentNode))) {
              if (preserveSourceNewlines) {
                return getEffectiveLines(
                  (includeComments) => getLinesBetweenPositionAndPrecedingNonWhitespaceCharacter(
                    firstChild.pos,
                    parentNode.pos,
                    currentSourceFile,
                    includeComments
                  )
                );
              }
              return rangeStartPositionsAreOnSameLine(parentNode, firstChild, currentSourceFile) ? 0 : 1;
            }
            if (synthesizedNodeStartsOnNewLine(firstChild, format2)) {
              return 1;
            }
          }
          return format2 & 1 ? 1 : 0;
        }
        function getSeparatingLineTerminatorCount(previousNode, nextNode, format2) {
          if (format2 & 2 || preserveSourceNewlines) {
            if (previousNode === void 0 || nextNode === void 0) {
              return 0;
            }
            if (nextNode.kind === 12) {
              return 0;
            } else if (currentSourceFile && !nodeIsSynthesized(previousNode) && !nodeIsSynthesized(nextNode)) {
              if (preserveSourceNewlines && siblingNodePositionsAreComparable(previousNode, nextNode)) {
                return getEffectiveLines(
                  (includeComments) => getLinesBetweenRangeEndAndRangeStart(
                    previousNode,
                    nextNode,
                    currentSourceFile,
                    includeComments
                  )
                );
              } else if (!preserveSourceNewlines && originalNodesHaveSameParent(previousNode, nextNode)) {
                return rangeEndIsOnSameLineAsRangeStart(previousNode, nextNode, currentSourceFile) ? 0 : 1;
              }
              return format2 & 65536 ? 1 : 0;
            } else if (synthesizedNodeStartsOnNewLine(previousNode, format2) || synthesizedNodeStartsOnNewLine(nextNode, format2)) {
              return 1;
            }
          } else if (getStartsOnNewLine(nextNode)) {
            return 1;
          }
          return format2 & 1 ? 1 : 0;
        }
        function getClosingLineTerminatorCount(parentNode, lastChild, format2, childrenTextRange) {
          if (format2 & 2 || preserveSourceNewlines) {
            if (format2 & 65536) {
              return 1;
            }
            if (lastChild === void 0) {
              return !parentNode || currentSourceFile && rangeIsOnSingleLine(parentNode, currentSourceFile) ? 0 : 1;
            }
            if (currentSourceFile && parentNode && !positionIsSynthesized(parentNode.pos) && !nodeIsSynthesized(lastChild) && (!lastChild.parent || lastChild.parent === parentNode)) {
              if (preserveSourceNewlines) {
                const end = childrenTextRange && !positionIsSynthesized(childrenTextRange.end) ? childrenTextRange.end : lastChild.end;
                return getEffectiveLines(
                  (includeComments) => getLinesBetweenPositionAndNextNonWhitespaceCharacter(
                    end,
                    parentNode.end,
                    currentSourceFile,
                    includeComments
                  )
                );
              }
              return rangeEndPositionsAreOnSameLine(parentNode, lastChild, currentSourceFile) ? 0 : 1;
            }
            if (synthesizedNodeStartsOnNewLine(lastChild, format2)) {
              return 1;
            }
          }
          if (format2 & 1 && !(format2 & 131072)) {
            return 1;
          }
          return 0;
        }
        function getEffectiveLines(getLineDifference) {
          Debug.assert(!!preserveSourceNewlines);
          const lines = getLineDifference(
            /*includeComments*/
            true
          );
          if (lines === 0) {
            return getLineDifference(
              /*includeComments*/
              false
            );
          }
          return lines;
        }
        function writeLineSeparatorsAndIndentBefore(node, parent2) {
          const leadingNewlines = preserveSourceNewlines && getLeadingLineTerminatorCount(
            parent2,
            node,
            0
            /* None */
          );
          if (leadingNewlines) {
            writeLinesAndIndent(
              leadingNewlines,
              /*writeSpaceIfNotIndenting*/
              false
            );
          }
          return !!leadingNewlines;
        }
        function writeLineSeparatorsAfter(node, parent2) {
          const trailingNewlines = preserveSourceNewlines && getClosingLineTerminatorCount(
            parent2,
            node,
            0,
            /*childrenTextRange*/
            void 0
          );
          if (trailingNewlines) {
            writeLine(trailingNewlines);
          }
        }
        function synthesizedNodeStartsOnNewLine(node, format2) {
          if (nodeIsSynthesized(node)) {
            const startsOnNewLine = getStartsOnNewLine(node);
            if (startsOnNewLine === void 0) {
              return (format2 & 65536) !== 0;
            }
            return startsOnNewLine;
          }
          return (format2 & 65536) !== 0;
        }
        function getLinesBetweenNodes(parent2, node1, node2) {
          if (getEmitFlags(parent2) & 262144) {
            return 0;
          }
          parent2 = skipSynthesizedParentheses(parent2);
          node1 = skipSynthesizedParentheses(node1);
          node2 = skipSynthesizedParentheses(node2);
          if (getStartsOnNewLine(node2)) {
            return 1;
          }
          if (currentSourceFile && !nodeIsSynthesized(parent2) && !nodeIsSynthesized(node1) && !nodeIsSynthesized(node2)) {
            if (preserveSourceNewlines) {
              return getEffectiveLines(
                (includeComments) => getLinesBetweenRangeEndAndRangeStart(
                  node1,
                  node2,
                  currentSourceFile,
                  includeComments
                )
              );
            }
            return rangeEndIsOnSameLineAsRangeStart(node1, node2, currentSourceFile) ? 0 : 1;
          }
          return 0;
        }
        function isEmptyBlock(block) {
          return block.statements.length === 0 && (!currentSourceFile || rangeEndIsOnSameLineAsRangeStart(block, block, currentSourceFile));
        }
        function skipSynthesizedParentheses(node) {
          while (node.kind === 217 && nodeIsSynthesized(node)) {
            node = node.expression;
          }
          return node;
        }
        function getTextOfNode2(node, includeTrivia) {
          if (isGeneratedIdentifier(node) || isGeneratedPrivateIdentifier(node)) {
            return generateName(node);
          }
          if (isStringLiteral2(node) && node.textSourceNode) {
            return getTextOfNode2(node.textSourceNode, includeTrivia);
          }
          const sourceFile = currentSourceFile;
          const canUseSourceFile = !!sourceFile && !!node.parent && !nodeIsSynthesized(node);
          if (isMemberName(node)) {
            if (!canUseSourceFile || getSourceFileOfNode(node) !== getOriginalNode(sourceFile)) {
              return idText(node);
            }
          } else if (isJsxNamespacedName(node)) {
            if (!canUseSourceFile || getSourceFileOfNode(node) !== getOriginalNode(sourceFile)) {
              return getTextOfJsxNamespacedName(node);
            }
          } else {
            Debug.assertNode(node, isLiteralExpression);
            if (!canUseSourceFile) {
              return node.text;
            }
          }
          return getSourceTextOfNodeFromSourceFile(sourceFile, node, includeTrivia);
        }
        function getLiteralTextOfNode(node, neverAsciiEscape, jsxAttributeEscape) {
          if (node.kind === 11 && node.textSourceNode) {
            const textSourceNode = node.textSourceNode;
            if (isIdentifier(textSourceNode) || isPrivateIdentifier(textSourceNode) || isNumericLiteral(textSourceNode) || isJsxNamespacedName(textSourceNode)) {
              const text = isNumericLiteral(textSourceNode) ? textSourceNode.text : getTextOfNode2(textSourceNode);
              return jsxAttributeEscape ? `"${escapeJsxAttributeString(text)}"` : neverAsciiEscape || getEmitFlags(node) & 16777216 ? `"${escapeString2(text)}"` : `"${escapeNonAsciiString(text)}"`;
            } else {
              return getLiteralTextOfNode(textSourceNode, neverAsciiEscape, jsxAttributeEscape);
            }
          }
          const flags = (neverAsciiEscape ? 1 : 0) | (jsxAttributeEscape ? 2 : 0) | (printerOptions.terminateUnterminatedLiterals ? 4 : 0) | (printerOptions.target && printerOptions.target >= 8 ? 8 : 0);
          return getLiteralText(node, currentSourceFile, flags);
        }
        function pushNameGenerationScope(node) {
          privateNameTempFlagsStack.push(privateNameTempFlags);
          privateNameTempFlags = 0;
          reservedPrivateNamesStack.push(reservedPrivateNames);
          if (node && getEmitFlags(node) & 1048576) {
            return;
          }
          tempFlagsStack.push(tempFlags);
          tempFlags = 0;
          formattedNameTempFlagsStack.push(formattedNameTempFlags);
          formattedNameTempFlags = void 0;
          reservedNamesStack.push(reservedNames);
        }
        function popNameGenerationScope(node) {
          privateNameTempFlags = privateNameTempFlagsStack.pop();
          reservedPrivateNames = reservedPrivateNamesStack.pop();
          if (node && getEmitFlags(node) & 1048576) {
            return;
          }
          tempFlags = tempFlagsStack.pop();
          formattedNameTempFlags = formattedNameTempFlagsStack.pop();
          reservedNames = reservedNamesStack.pop();
        }
        function reserveNameInNestedScopes(name) {
          if (!reservedNames || reservedNames === lastOrUndefined(reservedNamesStack)) {
            reservedNames = /* @__PURE__ */ new Set();
          }
          reservedNames.add(name);
        }
        function reservePrivateNameInNestedScopes(name) {
          if (!reservedPrivateNames || reservedPrivateNames === lastOrUndefined(reservedPrivateNamesStack)) {
            reservedPrivateNames = /* @__PURE__ */ new Set();
          }
          reservedPrivateNames.add(name);
        }
        function generateNames(node) {
          if (!node) return;
          switch (node.kind) {
            case 241:
              forEach(node.statements, generateNames);
              break;
            case 256:
            case 254:
            case 246:
            case 247:
              generateNames(node.statement);
              break;
            case 245:
              generateNames(node.thenStatement);
              generateNames(node.elseStatement);
              break;
            case 248:
            case 250:
            case 249:
              generateNames(node.initializer);
              generateNames(node.statement);
              break;
            case 255:
              generateNames(node.caseBlock);
              break;
            case 269:
              forEach(node.clauses, generateNames);
              break;
            case 296:
            case 297:
              forEach(node.statements, generateNames);
              break;
            case 258:
              generateNames(node.tryBlock);
              generateNames(node.catchClause);
              generateNames(node.finallyBlock);
              break;
            case 299:
              generateNames(node.variableDeclaration);
              generateNames(node.block);
              break;
            case 243:
              generateNames(node.declarationList);
              break;
            case 261:
              forEach(node.declarations, generateNames);
              break;
            case 260:
            case 169:
            case 208:
            case 263:
              generateNameIfNeeded(node.name);
              break;
            case 262:
              generateNameIfNeeded(node.name);
              if (getEmitFlags(node) & 1048576) {
                forEach(node.parameters, generateNames);
                generateNames(node.body);
              }
              break;
            case 206:
            case 207:
              forEach(node.elements, generateNames);
              break;
            case 272:
              generateNames(node.importClause);
              break;
            case 273:
              generateNameIfNeeded(node.name);
              generateNames(node.namedBindings);
              break;
            case 274:
              generateNameIfNeeded(node.name);
              break;
            case 280:
              generateNameIfNeeded(node.name);
              break;
            case 275:
              forEach(node.elements, generateNames);
              break;
            case 276:
              generateNameIfNeeded(node.propertyName || node.name);
              break;
          }
        }
        function generateMemberNames(node) {
          if (!node) return;
          switch (node.kind) {
            case 303:
            case 304:
            case 172:
            case 171:
            case 174:
            case 173:
            case 177:
            case 178:
              generateNameIfNeeded(node.name);
              break;
          }
        }
        function generateNameIfNeeded(name) {
          if (name) {
            if (isGeneratedIdentifier(name) || isGeneratedPrivateIdentifier(name)) {
              generateName(name);
            } else if (isBindingPattern(name)) {
              generateNames(name);
            }
          }
        }
        function generateName(name) {
          const autoGenerate = name.emitNode.autoGenerate;
          if ((autoGenerate.flags & 7) === 4) {
            return generateNameCached(getNodeForGeneratedName(name), isPrivateIdentifier(name), autoGenerate.flags, autoGenerate.prefix, autoGenerate.suffix);
          } else {
            const autoGenerateId = autoGenerate.id;
            return autoGeneratedIdToGeneratedName[autoGenerateId] || (autoGeneratedIdToGeneratedName[autoGenerateId] = makeName(name));
          }
        }
        function generateNameCached(node, privateName, flags, prefix, suffix) {
          const nodeId = getNodeId(node);
          const cache = privateName ? nodeIdToGeneratedPrivateName : nodeIdToGeneratedName;
          return cache[nodeId] || (cache[nodeId] = generateNameForNode(node, privateName, flags ?? 0, formatGeneratedNamePart(prefix, generateName), formatGeneratedNamePart(suffix)));
        }
        function isUniqueName(name, privateName) {
          return isFileLevelUniqueNameInCurrentFile(name, privateName) && !isReservedName(name, privateName) && !generatedNames.has(name);
        }
        function isReservedName(name, privateName) {
          let set;
          let stack;
          if (privateName) {
            set = reservedPrivateNames;
            stack = reservedPrivateNamesStack;
          } else {
            set = reservedNames;
            stack = reservedNamesStack;
          }
          if (set == null ? void 0 : set.has(name)) {
            return true;
          }
          for (let i = stack.length - 1; i >= 0; i--) {
            if (set === stack[i]) {
              continue;
            }
            set = stack[i];
            if (set == null ? void 0 : set.has(name)) {
              return true;
            }
          }
          return false;
        }
        function isFileLevelUniqueNameInCurrentFile(name, _isPrivate) {
          return currentSourceFile ? isFileLevelUniqueName(currentSourceFile, name, hasGlobalName) : true;
        }
        function isUniqueLocalName(name, container) {
          for (let node = container; node && isNodeDescendantOf(node, container); node = node.nextContainer) {
            if (canHaveLocals(node) && node.locals) {
              const local = node.locals.get(escapeLeadingUnderscores(name));
              if (local && local.flags & (111551 | 1048576 | 2097152)) {
                return false;
              }
            }
          }
          return true;
        }
        function getTempFlags(formattedNameKey) {
          switch (formattedNameKey) {
            case "":
              return tempFlags;
            case "#":
              return privateNameTempFlags;
            default:
              return (formattedNameTempFlags == null ? void 0 : formattedNameTempFlags.get(formattedNameKey)) ?? 0;
          }
        }
        function setTempFlags(formattedNameKey, flags) {
          switch (formattedNameKey) {
            case "":
              tempFlags = flags;
              break;
            case "#":
              privateNameTempFlags = flags;
              break;
            default:
              formattedNameTempFlags ?? (formattedNameTempFlags = /* @__PURE__ */ new Map());
              formattedNameTempFlags.set(formattedNameKey, flags);
              break;
          }
        }
        function makeTempVariableName(flags, reservedInNestedScopes, privateName, prefix, suffix) {
          if (prefix.length > 0 && prefix.charCodeAt(0) === 35) {
            prefix = prefix.slice(1);
          }
          const key = formatGeneratedName(privateName, prefix, "", suffix);
          let tempFlags2 = getTempFlags(key);
          if (flags && !(tempFlags2 & flags)) {
            const name = flags === 268435456 ? "_i" : "_n";
            const fullName = formatGeneratedName(privateName, prefix, name, suffix);
            if (isUniqueName(fullName, privateName)) {
              tempFlags2 |= flags;
              if (privateName) {
                reservePrivateNameInNestedScopes(fullName);
              } else if (reservedInNestedScopes) {
                reserveNameInNestedScopes(fullName);
              }
              setTempFlags(key, tempFlags2);
              return fullName;
            }
          }
          while (true) {
            const count = tempFlags2 & 268435455;
            tempFlags2++;
            if (count !== 8 && count !== 13) {
              const name = count < 26 ? "_" + String.fromCharCode(97 + count) : "_" + (count - 26);
              const fullName = formatGeneratedName(privateName, prefix, name, suffix);
              if (isUniqueName(fullName, privateName)) {
                if (privateName) {
                  reservePrivateNameInNestedScopes(fullName);
                } else if (reservedInNestedScopes) {
                  reserveNameInNestedScopes(fullName);
                }
                setTempFlags(key, tempFlags2);
                return fullName;
              }
            }
          }
        }
        function makeUniqueName2(baseName, checkFn = isUniqueName, optimistic, scoped, privateName, prefix, suffix) {
          if (baseName.length > 0 && baseName.charCodeAt(0) === 35) {
            baseName = baseName.slice(1);
          }
          if (prefix.length > 0 && prefix.charCodeAt(0) === 35) {
            prefix = prefix.slice(1);
          }
          if (optimistic) {
            const fullName = formatGeneratedName(privateName, prefix, baseName, suffix);
            if (checkFn(fullName, privateName)) {
              if (privateName) {
                reservePrivateNameInNestedScopes(fullName);
              } else if (scoped) {
                reserveNameInNestedScopes(fullName);
              } else {
                generatedNames.add(fullName);
              }
              return fullName;
            }
          }
          if (baseName.charCodeAt(baseName.length - 1) !== 95) {
            baseName += "_";
          }
          let i = 1;
          while (true) {
            const fullName = formatGeneratedName(privateName, prefix, baseName + i, suffix);
            if (checkFn(fullName, privateName)) {
              if (privateName) {
                reservePrivateNameInNestedScopes(fullName);
              } else if (scoped) {
                reserveNameInNestedScopes(fullName);
              } else {
                generatedNames.add(fullName);
              }
              return fullName;
            }
            i++;
          }
        }
        function makeFileLevelOptimisticUniqueName(name) {
          return makeUniqueName2(
            name,
            isFileLevelUniqueNameInCurrentFile,
            /*optimistic*/
            true,
            /*scoped*/
            false,
            /*privateName*/
            false,
            /*prefix*/
            "",
            /*suffix*/
            ""
          );
        }
        function generateNameForModuleOrEnum(node) {
          const name = getTextOfNode2(node.name);
          return isUniqueLocalName(name, tryCast(node, canHaveLocals)) ? name : makeUniqueName2(
            name,
            isUniqueName,
            /*optimistic*/
            false,
            /*scoped*/
            false,
            /*privateName*/
            false,
            /*prefix*/
            "",
            /*suffix*/
            ""
          );
        }
        function generateNameForImportOrExportDeclaration(node) {
          const expr = getExternalModuleName(node);
          const baseName = isStringLiteral2(expr) ? makeIdentifierFromModuleName(expr.text) : "module";
          return makeUniqueName2(
            baseName,
            isUniqueName,
            /*optimistic*/
            false,
            /*scoped*/
            false,
            /*privateName*/
            false,
            /*prefix*/
            "",
            /*suffix*/
            ""
          );
        }
        function generateNameForExportDefault() {
          return makeUniqueName2(
            "default",
            isUniqueName,
            /*optimistic*/
            false,
            /*scoped*/
            false,
            /*privateName*/
            false,
            /*prefix*/
            "",
            /*suffix*/
            ""
          );
        }
        function generateNameForClassExpression() {
          return makeUniqueName2(
            "class",
            isUniqueName,
            /*optimistic*/
            false,
            /*scoped*/
            false,
            /*privateName*/
            false,
            /*prefix*/
            "",
            /*suffix*/
            ""
          );
        }
        function generateNameForMethodOrAccessor(node, privateName, prefix, suffix) {
          if (isIdentifier(node.name)) {
            return generateNameCached(node.name, privateName);
          }
          return makeTempVariableName(
            0,
            /*reservedInNestedScopes*/
            false,
            privateName,
            prefix,
            suffix
          );
        }
        function generateNameForNode(node, privateName, flags, prefix, suffix) {
          switch (node.kind) {
            case 80:
            case 81:
              return makeUniqueName2(
                getTextOfNode2(node),
                isUniqueName,
                !!(flags & 16),
                !!(flags & 8),
                privateName,
                prefix,
                suffix
              );
            case 267:
            case 266:
              Debug.assert(!prefix && !suffix && !privateName);
              return generateNameForModuleOrEnum(node);
            case 272:
            case 278:
              Debug.assert(!prefix && !suffix && !privateName);
              return generateNameForImportOrExportDeclaration(node);
            case 262:
            case 263: {
              Debug.assert(!prefix && !suffix && !privateName);
              const name = node.name;
              if (name && !isGeneratedIdentifier(name)) {
                return generateNameForNode(
                  name,
                  /*privateName*/
                  false,
                  flags,
                  prefix,
                  suffix
                );
              }
              return generateNameForExportDefault();
            }
            case 277:
              Debug.assert(!prefix && !suffix && !privateName);
              return generateNameForExportDefault();
            case 231:
              Debug.assert(!prefix && !suffix && !privateName);
              return generateNameForClassExpression();
            case 174:
            case 177:
            case 178:
              return generateNameForMethodOrAccessor(node, privateName, prefix, suffix);
            case 167:
              return makeTempVariableName(
                0,
                /*reservedInNestedScopes*/
                true,
                privateName,
                prefix,
                suffix
              );
            default:
              return makeTempVariableName(
                0,
                /*reservedInNestedScopes*/
                false,
                privateName,
                prefix,
                suffix
              );
          }
        }
        function makeName(name) {
          const autoGenerate = name.emitNode.autoGenerate;
          const prefix = formatGeneratedNamePart(autoGenerate.prefix, generateName);
          const suffix = formatGeneratedNamePart(autoGenerate.suffix);
          switch (autoGenerate.flags & 7) {
            case 1:
              return makeTempVariableName(0, !!(autoGenerate.flags & 8), isPrivateIdentifier(name), prefix, suffix);
            case 2:
              Debug.assertNode(name, isIdentifier);
              return makeTempVariableName(
                268435456,
                !!(autoGenerate.flags & 8),
                /*privateName*/
                false,
                prefix,
                suffix
              );
            case 3:
              return makeUniqueName2(
                idText(name),
                autoGenerate.flags & 32 ? isFileLevelUniqueNameInCurrentFile : isUniqueName,
                !!(autoGenerate.flags & 16),
                !!(autoGenerate.flags & 8),
                isPrivateIdentifier(name),
                prefix,
                suffix
              );
          }
          return Debug.fail(`Unsupported GeneratedIdentifierKind: ${Debug.formatEnum(
            autoGenerate.flags & 7,
            GeneratedIdentifierFlags,
            /*isFlags*/
            true
          )}.`);
        }
        function pipelineEmitWithComments(hint, node) {
          const pipelinePhase = getNextPipelinePhase(2, hint, node);
          const savedContainerPos = containerPos;
          const savedContainerEnd = containerEnd;
          const savedDeclarationListContainerEnd = declarationListContainerEnd;
          emitCommentsBeforeNode(node);
          pipelinePhase(hint, node);
          emitCommentsAfterNode(node, savedContainerPos, savedContainerEnd, savedDeclarationListContainerEnd);
        }
        function emitCommentsBeforeNode(node) {
          const emitFlags = getEmitFlags(node);
          const commentRange = getCommentRange(node);
          emitLeadingCommentsOfNode(node, emitFlags, commentRange.pos, commentRange.end);
          if (emitFlags & 4096) {
            commentsDisabled = true;
          }
        }
        function emitCommentsAfterNode(node, savedContainerPos, savedContainerEnd, savedDeclarationListContainerEnd) {
          const emitFlags = getEmitFlags(node);
          const commentRange = getCommentRange(node);
          if (emitFlags & 4096) {
            commentsDisabled = false;
          }
          emitTrailingCommentsOfNode(node, emitFlags, commentRange.pos, commentRange.end, savedContainerPos, savedContainerEnd, savedDeclarationListContainerEnd);
          const typeNode = getTypeNode(node);
          if (typeNode) {
            emitTrailingCommentsOfNode(node, emitFlags, typeNode.pos, typeNode.end, savedContainerPos, savedContainerEnd, savedDeclarationListContainerEnd);
          }
        }
        function emitLeadingCommentsOfNode(node, emitFlags, pos, end) {
          enterComment();
          hasWrittenComment = false;
          const skipLeadingComments = pos < 0 || (emitFlags & 1024) !== 0 || node.kind === 12;
          const skipTrailingComments = end < 0 || (emitFlags & 2048) !== 0 || node.kind === 12;
          if ((pos > 0 || end > 0) && pos !== end) {
            if (!skipLeadingComments) {
              emitLeadingComments(
                pos,
                /*isEmittedNode*/
                node.kind !== 353
                /* NotEmittedStatement */
              );
            }
            if (!skipLeadingComments || pos >= 0 && (emitFlags & 1024) !== 0) {
              containerPos = pos;
            }
            if (!skipTrailingComments || end >= 0 && (emitFlags & 2048) !== 0) {
              containerEnd = end;
              if (node.kind === 261) {
                declarationListContainerEnd = end;
              }
            }
          }
          forEach(getSyntheticLeadingComments(node), emitLeadingSynthesizedComment);
          exitComment();
        }
        function emitTrailingCommentsOfNode(node, emitFlags, pos, end, savedContainerPos, savedContainerEnd, savedDeclarationListContainerEnd) {
          enterComment();
          const skipTrailingComments = end < 0 || (emitFlags & 2048) !== 0 || node.kind === 12;
          forEach(getSyntheticTrailingComments(node), emitTrailingSynthesizedComment);
          if ((pos > 0 || end > 0) && pos !== end) {
            containerPos = savedContainerPos;
            containerEnd = savedContainerEnd;
            declarationListContainerEnd = savedDeclarationListContainerEnd;
            if (!skipTrailingComments && node.kind !== 353) {
              emitTrailingComments(end);
            }
          }
          exitComment();
        }
        function emitLeadingSynthesizedComment(comment) {
          if (comment.hasLeadingNewline || comment.kind === 2) {
            writer.writeLine();
          }
          writeSynthesizedComment(comment);
          if (comment.hasTrailingNewLine || comment.kind === 2) {
            writer.writeLine();
          } else {
            writer.writeSpace(" ");
          }
        }
        function emitTrailingSynthesizedComment(comment) {
          if (!writer.isAtStartOfLine()) {
            writer.writeSpace(" ");
          }
          writeSynthesizedComment(comment);
          if (comment.hasTrailingNewLine) {
            writer.writeLine();
          }
        }
        function writeSynthesizedComment(comment) {
          const text = formatSynthesizedComment(comment);
          const lineMap = comment.kind === 3 ? computeLineStarts(text) : void 0;
          writeCommentRange(text, lineMap, writer, 0, text.length, newLine);
        }
        function formatSynthesizedComment(comment) {
          return comment.kind === 3 ? `/*${comment.text}*/` : `//${comment.text}`;
        }
        function emitBodyWithDetachedComments(node, detachedRange, emitCallback) {
          enterComment();
          const { pos, end } = detachedRange;
          const emitFlags = getEmitFlags(node);
          const skipLeadingComments = pos < 0 || (emitFlags & 1024) !== 0;
          const skipTrailingComments = commentsDisabled || end < 0 || (emitFlags & 2048) !== 0;
          if (!skipLeadingComments) {
            emitDetachedCommentsAndUpdateCommentsInfo(detachedRange);
          }
          exitComment();
          if (emitFlags & 4096 && !commentsDisabled) {
            commentsDisabled = true;
            emitCallback(node);
            commentsDisabled = false;
          } else {
            emitCallback(node);
          }
          enterComment();
          if (!skipTrailingComments) {
            emitLeadingComments(
              detachedRange.end,
              /*isEmittedNode*/
              true
            );
            if (hasWrittenComment && !writer.isAtStartOfLine()) {
              writer.writeLine();
            }
          }
          exitComment();
        }
        function originalNodesHaveSameParent(nodeA, nodeB) {
          nodeA = getOriginalNode(nodeA);
          return nodeA.parent && nodeA.parent === getOriginalNode(nodeB).parent;
        }
        function siblingNodePositionsAreComparable(previousNode, nextNode) {
          if (nextNode.pos < previousNode.end) {
            return false;
          }
          previousNode = getOriginalNode(previousNode);
          nextNode = getOriginalNode(nextNode);
          const parent2 = previousNode.parent;
          if (!parent2 || parent2 !== nextNode.parent) {
            return false;
          }
          const parentNodeArray = getContainingNodeArray(previousNode);
          const prevNodeIndex = parentNodeArray == null ? void 0 : parentNodeArray.indexOf(previousNode);
          return prevNodeIndex !== void 0 && prevNodeIndex > -1 && parentNodeArray.indexOf(nextNode) === prevNodeIndex + 1;
        }
        function emitLeadingComments(pos, isEmittedNode) {
          hasWrittenComment = false;
          if (isEmittedNode) {
            if (pos === 0 && (currentSourceFile == null ? void 0 : currentSourceFile.isDeclarationFile)) {
              forEachLeadingCommentToEmit(pos, emitNonTripleSlashLeadingComment);
            } else {
              forEachLeadingCommentToEmit(pos, emitLeadingComment);
            }
          } else if (pos === 0) {
            forEachLeadingCommentToEmit(pos, emitTripleSlashLeadingComment);
          }
        }
        function emitTripleSlashLeadingComment(commentPos, commentEnd, kind, hasTrailingNewLine, rangePos) {
          if (isTripleSlashComment(commentPos, commentEnd)) {
            emitLeadingComment(commentPos, commentEnd, kind, hasTrailingNewLine, rangePos);
          }
        }
        function emitNonTripleSlashLeadingComment(commentPos, commentEnd, kind, hasTrailingNewLine, rangePos) {
          if (!isTripleSlashComment(commentPos, commentEnd)) {
            emitLeadingComment(commentPos, commentEnd, kind, hasTrailingNewLine, rangePos);
          }
        }
        function shouldWriteComment(text, pos) {
          if (printerOptions.onlyPrintJsDocStyle) {
            return isJSDocLikeText(text, pos) || isPinnedComment(text, pos);
          }
          return true;
        }
        function emitLeadingComment(commentPos, commentEnd, kind, hasTrailingNewLine, rangePos) {
          if (!currentSourceFile || !shouldWriteComment(currentSourceFile.text, commentPos)) return;
          if (!hasWrittenComment) {
            emitNewLineBeforeLeadingCommentOfPosition(getCurrentLineMap(), writer, rangePos, commentPos);
            hasWrittenComment = true;
          }
          emitPos(commentPos);
          writeCommentRange(currentSourceFile.text, getCurrentLineMap(), writer, commentPos, commentEnd, newLine);
          emitPos(commentEnd);
          if (hasTrailingNewLine) {
            writer.writeLine();
          } else if (kind === 3) {
            writer.writeSpace(" ");
          }
        }
        function emitLeadingCommentsOfPosition(pos) {
          if (commentsDisabled || pos === -1) {
            return;
          }
          emitLeadingComments(
            pos,
            /*isEmittedNode*/
            true
          );
        }
        function emitTrailingComments(pos) {
          forEachTrailingCommentToEmit(pos, emitTrailingComment);
        }
        function emitTrailingComment(commentPos, commentEnd, _kind, hasTrailingNewLine) {
          if (!currentSourceFile || !shouldWriteComment(currentSourceFile.text, commentPos)) return;
          if (!writer.isAtStartOfLine()) {
            writer.writeSpace(" ");
          }
          emitPos(commentPos);
          writeCommentRange(currentSourceFile.text, getCurrentLineMap(), writer, commentPos, commentEnd, newLine);
          emitPos(commentEnd);
          if (hasTrailingNewLine) {
            writer.writeLine();
          }
        }
        function emitTrailingCommentsOfPosition(pos, prefixSpace, forceNoNewline) {
          if (commentsDisabled) {
            return;
          }
          enterComment();
          forEachTrailingCommentToEmit(pos, prefixSpace ? emitTrailingComment : forceNoNewline ? emitTrailingCommentOfPositionNoNewline : emitTrailingCommentOfPosition);
          exitComment();
        }
        function emitTrailingCommentOfPositionNoNewline(commentPos, commentEnd, kind) {
          if (!currentSourceFile) return;
          emitPos(commentPos);
          writeCommentRange(currentSourceFile.text, getCurrentLineMap(), writer, commentPos, commentEnd, newLine);
          emitPos(commentEnd);
          if (kind === 2) {
            writer.writeLine();
          }
        }
        function emitTrailingCommentOfPosition(commentPos, commentEnd, _kind, hasTrailingNewLine) {
          if (!currentSourceFile) return;
          emitPos(commentPos);
          writeCommentRange(currentSourceFile.text, getCurrentLineMap(), writer, commentPos, commentEnd, newLine);
          emitPos(commentEnd);
          if (hasTrailingNewLine) {
            writer.writeLine();
          } else {
            writer.writeSpace(" ");
          }
        }
        function forEachLeadingCommentToEmit(pos, cb) {
          if (currentSourceFile && (containerPos === -1 || pos !== containerPos)) {
            if (hasDetachedComments(pos)) {
              forEachLeadingCommentWithoutDetachedComments(cb);
            } else {
              forEachLeadingCommentRange(
                currentSourceFile.text,
                pos,
                cb,
                /*state*/
                pos
              );
            }
          }
        }
        function forEachTrailingCommentToEmit(end, cb) {
          if (currentSourceFile && (containerEnd === -1 || end !== containerEnd && end !== declarationListContainerEnd)) {
            forEachTrailingCommentRange(currentSourceFile.text, end, cb);
          }
        }
        function hasDetachedComments(pos) {
          return detachedCommentsInfo !== void 0 && last(detachedCommentsInfo).nodePos === pos;
        }
        function forEachLeadingCommentWithoutDetachedComments(cb) {
          if (!currentSourceFile) return;
          const pos = last(detachedCommentsInfo).detachedCommentEndPos;
          if (detachedCommentsInfo.length - 1) {
            detachedCommentsInfo.pop();
          } else {
            detachedCommentsInfo = void 0;
          }
          forEachLeadingCommentRange(
            currentSourceFile.text,
            pos,
            cb,
            /*state*/
            pos
          );
        }
        function emitDetachedCommentsAndUpdateCommentsInfo(range) {
          const currentDetachedCommentInfo = currentSourceFile && emitDetachedComments(currentSourceFile.text, getCurrentLineMap(), writer, emitComment, range, newLine, commentsDisabled);
          if (currentDetachedCommentInfo) {
            if (detachedCommentsInfo) {
              detachedCommentsInfo.push(currentDetachedCommentInfo);
            } else {
              detachedCommentsInfo = [currentDetachedCommentInfo];
            }
          }
        }
        function emitComment(text, lineMap, writer2, commentPos, commentEnd, newLine2) {
          if (!currentSourceFile || !shouldWriteComment(currentSourceFile.text, commentPos)) return;
          emitPos(commentPos);
          writeCommentRange(text, lineMap, writer2, commentPos, commentEnd, newLine2);
          emitPos(commentEnd);
        }
        function isTripleSlashComment(commentPos, commentEnd) {
          return !!currentSourceFile && isRecognizedTripleSlashComment(currentSourceFile.text, commentPos, commentEnd);
        }
        function pipelineEmitWithSourceMaps(hint, node) {
          const pipelinePhase = getNextPipelinePhase(3, hint, node);
          emitSourceMapsBeforeNode(node);
          pipelinePhase(hint, node);
          emitSourceMapsAfterNode(node);
        }
        function emitSourceMapsBeforeNode(node) {
          const emitFlags = getEmitFlags(node);
          const sourceMapRange = getSourceMapRange(node);
          const source = sourceMapRange.source || sourceMapSource;
          if (node.kind !== 353 && (emitFlags & 32) === 0 && sourceMapRange.pos >= 0) {
            emitSourcePos(sourceMapRange.source || sourceMapSource, skipSourceTrivia(source, sourceMapRange.pos));
          }
          if (emitFlags & 128) {
            sourceMapsDisabled = true;
          }
        }
        function emitSourceMapsAfterNode(node) {
          const emitFlags = getEmitFlags(node);
          const sourceMapRange = getSourceMapRange(node);
          if (emitFlags & 128) {
            sourceMapsDisabled = false;
          }
          if (node.kind !== 353 && (emitFlags & 64) === 0 && sourceMapRange.end >= 0) {
            emitSourcePos(sourceMapRange.source || sourceMapSource, sourceMapRange.end);
          }
        }
        function skipSourceTrivia(source, pos) {
          return source.skipTrivia ? source.skipTrivia(pos) : skipTrivia(source.text, pos);
        }
        function emitPos(pos) {
          if (sourceMapsDisabled || positionIsSynthesized(pos) || isJsonSourceMapSource(sourceMapSource)) {
            return;
          }
          const { line: sourceLine, character: sourceCharacter } = getLineAndCharacterOfPosition(sourceMapSource, pos);
          sourceMapGenerator.addMapping(
            writer.getLine(),
            writer.getColumn(),
            sourceMapSourceIndex,
            sourceLine,
            sourceCharacter,
            /*nameIndex*/
            void 0
          );
        }
        function emitSourcePos(source, pos) {
          if (source !== sourceMapSource) {
            const savedSourceMapSource = sourceMapSource;
            const savedSourceMapSourceIndex = sourceMapSourceIndex;
            setSourceMapSource(source);
            emitPos(pos);
            resetSourceMapSource(savedSourceMapSource, savedSourceMapSourceIndex);
          } else {
            emitPos(pos);
          }
        }
        function emitTokenWithSourceMap(node, token, writer2, tokenPos, emitCallback) {
          if (sourceMapsDisabled || node && isInJsonFile(node)) {
            return emitCallback(token, writer2, tokenPos);
          }
          const emitNode = node && node.emitNode;
          const emitFlags = emitNode && emitNode.flags || 0;
          const range = emitNode && emitNode.tokenSourceMapRanges && emitNode.tokenSourceMapRanges[token];
          const source = range && range.source || sourceMapSource;
          tokenPos = skipSourceTrivia(source, range ? range.pos : tokenPos);
          if ((emitFlags & 256) === 0 && tokenPos >= 0) {
            emitSourcePos(source, tokenPos);
          }
          tokenPos = emitCallback(token, writer2, tokenPos);
          if (range) tokenPos = range.end;
          if ((emitFlags & 512) === 0 && tokenPos >= 0) {
            emitSourcePos(source, tokenPos);
          }
          return tokenPos;
        }
        function setSourceMapSource(source) {
          if (sourceMapsDisabled) {
            return;
          }
          sourceMapSource = source;
          if (source === mostRecentlyAddedSourceMapSource) {
            sourceMapSourceIndex = mostRecentlyAddedSourceMapSourceIndex;
            return;
          }
          if (isJsonSourceMapSource(source)) {
            return;
          }
          sourceMapSourceIndex = sourceMapGenerator.addSource(source.fileName);
          if (printerOptions.inlineSources) {
            sourceMapGenerator.setSourceContent(sourceMapSourceIndex, source.text);
          }
          mostRecentlyAddedSourceMapSource = source;
          mostRecentlyAddedSourceMapSourceIndex = sourceMapSourceIndex;
        }
        function resetSourceMapSource(source, sourceIndex) {
          sourceMapSource = source;
          sourceMapSourceIndex = sourceIndex;
        }
        function isJsonSourceMapSource(sourceFile) {
          return fileExtensionIs(
            sourceFile.fileName,
            ".json"
            /* Json */
          );
        }
      }
      function createBracketsMap() {
        const brackets2 = [];
        brackets2[
          1024
          /* Braces */
        ] = ["{", "}"];
        brackets2[
          2048
          /* Parenthesis */
        ] = ["(", ")"];
        brackets2[
          4096
          /* AngleBrackets */
        ] = ["<", ">"];
        brackets2[
          8192
          /* SquareBrackets */
        ] = ["[", "]"];
        return brackets2;
      }
      function getOpeningBracket(format2) {
        return brackets[
          format2 & 15360
          /* BracketsMask */
        ][0];
      }
      function getClosingBracket(format2) {
        return brackets[
          format2 & 15360
          /* BracketsMask */
        ][1];
      }
      function emitListItemNoParenthesizer(node, emit, _parenthesizerRule, _index) {
        emit(node);
      }
      function emitListItemWithParenthesizerRuleSelector(node, emit, parenthesizerRuleSelector, index) {
        emit(node, parenthesizerRuleSelector.select(index));
      }
      function emitListItemWithParenthesizerRule(node, emit, parenthesizerRule, _index) {
        emit(node, parenthesizerRule);
      }
      function getEmitListItem(emit, parenthesizerRule) {
        return emit.length === 1 ? emitListItemNoParenthesizer : typeof parenthesizerRule === "object" ? emitListItemWithParenthesizerRuleSelector : emitListItemWithParenthesizerRule;
      }
      function createCachedDirectoryStructureHost(host, currentDirectory, useCaseSensitiveFileNames2) {
        if (!host.getDirectories || !host.readDirectory) {
          return void 0;
        }
        const cachedReadDirectoryResult = /* @__PURE__ */ new Map();
        const getCanonicalFileName = createGetCanonicalFileName(useCaseSensitiveFileNames2);
        return {
          useCaseSensitiveFileNames: useCaseSensitiveFileNames2,
          fileExists,
          readFile: (path17, encoding) => host.readFile(path17, encoding),
          directoryExists: host.directoryExists && directoryExists,
          getDirectories,
          readDirectory,
          createDirectory: host.createDirectory && createDirectory,
          writeFile: host.writeFile && writeFile2,
          addOrDeleteFileOrDirectory,
          addOrDeleteFile,
          clearCache,
          realpath: host.realpath && realpath
        };
        function toPath32(fileName) {
          return toPath3(fileName, currentDirectory, getCanonicalFileName);
        }
        function getCachedFileSystemEntries(rootDirPath) {
          return cachedReadDirectoryResult.get(ensureTrailingDirectorySeparator(rootDirPath));
        }
        function getCachedFileSystemEntriesForBaseDir(path17) {
          const entries = getCachedFileSystemEntries(getDirectoryPath(path17));
          if (!entries) {
            return entries;
          }
          if (!entries.sortedAndCanonicalizedFiles) {
            entries.sortedAndCanonicalizedFiles = entries.files.map(getCanonicalFileName).sort();
            entries.sortedAndCanonicalizedDirectories = entries.directories.map(getCanonicalFileName).sort();
          }
          return entries;
        }
        function getBaseNameOfFileName(fileName) {
          return getBaseFileName(normalizePath(fileName));
        }
        function createCachedFileSystemEntries(rootDir, rootDirPath) {
          var _a;
          if (!host.realpath || ensureTrailingDirectorySeparator(toPath32(host.realpath(rootDir))) === rootDirPath) {
            const resultFromHost = {
              files: map(host.readDirectory(
                rootDir,
                /*extensions*/
                void 0,
                /*exclude*/
                void 0,
                /*include*/
                ["*.*"]
              ), getBaseNameOfFileName) || [],
              directories: host.getDirectories(rootDir) || []
            };
            cachedReadDirectoryResult.set(ensureTrailingDirectorySeparator(rootDirPath), resultFromHost);
            return resultFromHost;
          }
          if ((_a = host.directoryExists) == null ? void 0 : _a.call(host, rootDir)) {
            cachedReadDirectoryResult.set(rootDirPath, false);
            return false;
          }
          return void 0;
        }
        function tryReadDirectory2(rootDir, rootDirPath) {
          rootDirPath = ensureTrailingDirectorySeparator(rootDirPath);
          const cachedResult = getCachedFileSystemEntries(rootDirPath);
          if (cachedResult) {
            return cachedResult;
          }
          try {
            return createCachedFileSystemEntries(rootDir, rootDirPath);
          } catch (_e) {
            Debug.assert(!cachedReadDirectoryResult.has(ensureTrailingDirectorySeparator(rootDirPath)));
            return void 0;
          }
        }
        function hasEntry(entries, name) {
          const index = binarySearch(entries, name, identity2, compareStringsCaseSensitive);
          return index >= 0;
        }
        function writeFile2(fileName, data, writeByteOrderMark) {
          const path17 = toPath32(fileName);
          const result = getCachedFileSystemEntriesForBaseDir(path17);
          if (result) {
            updateFilesOfFileSystemEntry(
              result,
              getBaseNameOfFileName(fileName),
              /*fileExists*/
              true
            );
          }
          return host.writeFile(fileName, data, writeByteOrderMark);
        }
        function fileExists(fileName) {
          const path17 = toPath32(fileName);
          const result = getCachedFileSystemEntriesForBaseDir(path17);
          return result && hasEntry(result.sortedAndCanonicalizedFiles, getCanonicalFileName(getBaseNameOfFileName(fileName))) || host.fileExists(fileName);
        }
        function directoryExists(dirPath) {
          const path17 = toPath32(dirPath);
          return cachedReadDirectoryResult.has(ensureTrailingDirectorySeparator(path17)) || host.directoryExists(dirPath);
        }
        function createDirectory(dirPath) {
          const path17 = toPath32(dirPath);
          const result = getCachedFileSystemEntriesForBaseDir(path17);
          if (result) {
            const baseName = getBaseNameOfFileName(dirPath);
            const canonicalizedBaseName = getCanonicalFileName(baseName);
            const canonicalizedDirectories = result.sortedAndCanonicalizedDirectories;
            if (insertSorted(canonicalizedDirectories, canonicalizedBaseName, compareStringsCaseSensitive)) {
              result.directories.push(baseName);
            }
          }
          host.createDirectory(dirPath);
        }
        function getDirectories(rootDir) {
          const rootDirPath = toPath32(rootDir);
          const result = tryReadDirectory2(rootDir, rootDirPath);
          if (result) {
            return result.directories.slice();
          }
          return host.getDirectories(rootDir);
        }
        function readDirectory(rootDir, extensions, excludes, includes, depth2) {
          const rootDirPath = toPath32(rootDir);
          const rootResult = tryReadDirectory2(rootDir, rootDirPath);
          let rootSymLinkResult;
          if (rootResult !== void 0) {
            return matchFiles(rootDir, extensions, excludes, includes, useCaseSensitiveFileNames2, currentDirectory, depth2, getFileSystemEntries, realpath);
          }
          return host.readDirectory(rootDir, extensions, excludes, includes, depth2);
          function getFileSystemEntries(dir) {
            const path17 = toPath32(dir);
            if (path17 === rootDirPath) {
              return rootResult || getFileSystemEntriesFromHost(dir, path17);
            }
            const result = tryReadDirectory2(dir, path17);
            return result !== void 0 ? result || getFileSystemEntriesFromHost(dir, path17) : emptyFileSystemEntries;
          }
          function getFileSystemEntriesFromHost(dir, path17) {
            if (rootSymLinkResult && path17 === rootDirPath) return rootSymLinkResult;
            const result = {
              files: map(host.readDirectory(
                dir,
                /*extensions*/
                void 0,
                /*exclude*/
                void 0,
                /*include*/
                ["*.*"]
              ), getBaseNameOfFileName) || emptyArray,
              directories: host.getDirectories(dir) || emptyArray
            };
            if (path17 === rootDirPath) rootSymLinkResult = result;
            return result;
          }
        }
        function realpath(s) {
          return host.realpath ? host.realpath(s) : s;
        }
        function addOrDeleteFileOrDirectory(fileOrDirectory, fileOrDirectoryPath) {
          const existingResult = getCachedFileSystemEntries(fileOrDirectoryPath);
          if (existingResult !== void 0) {
            clearCache();
            return void 0;
          }
          const parentResult = getCachedFileSystemEntriesForBaseDir(fileOrDirectoryPath);
          if (!parentResult) {
            return void 0;
          }
          if (!host.directoryExists) {
            clearCache();
            return void 0;
          }
          const baseName = getBaseNameOfFileName(fileOrDirectory);
          const fsQueryResult = {
            fileExists: host.fileExists(fileOrDirectory),
            directoryExists: host.directoryExists(fileOrDirectory)
          };
          if (fsQueryResult.directoryExists || hasEntry(parentResult.sortedAndCanonicalizedDirectories, getCanonicalFileName(baseName))) {
            clearCache();
          } else {
            updateFilesOfFileSystemEntry(parentResult, baseName, fsQueryResult.fileExists);
          }
          return fsQueryResult;
        }
        function addOrDeleteFile(fileName, filePath, eventKind) {
          if (eventKind === 1) {
            return;
          }
          const parentResult = getCachedFileSystemEntriesForBaseDir(filePath);
          if (parentResult) {
            updateFilesOfFileSystemEntry(
              parentResult,
              getBaseNameOfFileName(fileName),
              eventKind === 0
              /* Created */
            );
          }
        }
        function updateFilesOfFileSystemEntry(parentResult, baseName, fileExists2) {
          const canonicalizedFiles = parentResult.sortedAndCanonicalizedFiles;
          const canonicalizedBaseName = getCanonicalFileName(baseName);
          if (fileExists2) {
            if (insertSorted(canonicalizedFiles, canonicalizedBaseName, compareStringsCaseSensitive)) {
              parentResult.files.push(baseName);
            }
          } else {
            const sortedIndex = binarySearch(canonicalizedFiles, canonicalizedBaseName, identity2, compareStringsCaseSensitive);
            if (sortedIndex >= 0) {
              canonicalizedFiles.splice(sortedIndex, 1);
              const unsortedIndex = parentResult.files.findIndex((entry) => getCanonicalFileName(entry) === canonicalizedBaseName);
              parentResult.files.splice(unsortedIndex, 1);
            }
          }
        }
        function clearCache() {
          cachedReadDirectoryResult.clear();
        }
      }
      var ProgramUpdateLevel = /* @__PURE__ */ ((ProgramUpdateLevel2) => {
        ProgramUpdateLevel2[ProgramUpdateLevel2["Update"] = 0] = "Update";
        ProgramUpdateLevel2[ProgramUpdateLevel2["RootNamesAndUpdate"] = 1] = "RootNamesAndUpdate";
        ProgramUpdateLevel2[ProgramUpdateLevel2["Full"] = 2] = "Full";
        return ProgramUpdateLevel2;
      })(ProgramUpdateLevel || {});
      function updateSharedExtendedConfigFileWatcher(projectPath, options, extendedConfigFilesMap, createExtendedConfigFileWatch, toPath32) {
        var _a;
        const extendedConfigs = arrayToMap(((_a = options == null ? void 0 : options.configFile) == null ? void 0 : _a.extendedSourceFiles) || emptyArray, toPath32);
        extendedConfigFilesMap.forEach((watcher, extendedConfigFilePath) => {
          if (!extendedConfigs.has(extendedConfigFilePath)) {
            watcher.projects.delete(projectPath);
            watcher.close();
          }
        });
        extendedConfigs.forEach((extendedConfigFileName, extendedConfigFilePath) => {
          const existing = extendedConfigFilesMap.get(extendedConfigFilePath);
          if (existing) {
            existing.projects.add(projectPath);
          } else {
            extendedConfigFilesMap.set(extendedConfigFilePath, {
              projects: /* @__PURE__ */ new Set([projectPath]),
              watcher: createExtendedConfigFileWatch(extendedConfigFileName, extendedConfigFilePath),
              close: () => {
                const existing2 = extendedConfigFilesMap.get(extendedConfigFilePath);
                if (!existing2 || existing2.projects.size !== 0) return;
                existing2.watcher.close();
                extendedConfigFilesMap.delete(extendedConfigFilePath);
              }
            });
          }
        });
      }
      function clearSharedExtendedConfigFileWatcher(projectPath, extendedConfigFilesMap) {
        extendedConfigFilesMap.forEach((watcher) => {
          if (watcher.projects.delete(projectPath)) watcher.close();
        });
      }
      function cleanExtendedConfigCache(extendedConfigCache, extendedConfigFilePath, toPath32) {
        if (!extendedConfigCache.delete(extendedConfigFilePath)) return;
        extendedConfigCache.forEach(({ extendedResult }, key) => {
          var _a;
          if ((_a = extendedResult.extendedSourceFiles) == null ? void 0 : _a.some((extendedFile) => toPath32(extendedFile) === extendedConfigFilePath)) {
            cleanExtendedConfigCache(extendedConfigCache, key, toPath32);
          }
        });
      }
      function updateMissingFilePathsWatch(program, missingFileWatches, createMissingFileWatch) {
        mutateMap(
          missingFileWatches,
          program.getMissingFilePaths(),
          {
            // Watch the missing files
            createNewValue: createMissingFileWatch,
            // Files that are no longer missing (e.g. because they are no longer required)
            // should no longer be watched.
            onDeleteValue: closeFileWatcher
          }
        );
      }
      function updateWatchingWildcardDirectories(existingWatchedForWildcards, wildcardDirectories, watchDirectory) {
        if (wildcardDirectories) {
          mutateMap(
            existingWatchedForWildcards,
            new Map(Object.entries(wildcardDirectories)),
            {
              // Create new watch and recursive info
              createNewValue: createWildcardDirectoryWatcher,
              // Close existing watch thats not needed any more
              onDeleteValue: closeFileWatcherOf,
              // Close existing watch that doesnt match in the flags
              onExistingValue: updateWildcardDirectoryWatcher
            }
          );
        } else {
          clearMap(existingWatchedForWildcards, closeFileWatcherOf);
        }
        function createWildcardDirectoryWatcher(directory, flags) {
          return {
            watcher: watchDirectory(directory, flags),
            flags
          };
        }
        function updateWildcardDirectoryWatcher(existingWatcher, flags, directory) {
          if (existingWatcher.flags === flags) {
            return;
          }
          existingWatcher.watcher.close();
          existingWatchedForWildcards.set(directory, createWildcardDirectoryWatcher(directory, flags));
        }
      }
      function isIgnoredFileFromWildCardWatching({
        watchedDirPath,
        fileOrDirectory,
        fileOrDirectoryPath,
        configFileName,
        options,
        program,
        extraFileExtensions,
        currentDirectory,
        useCaseSensitiveFileNames: useCaseSensitiveFileNames2,
        writeLog,
        toPath: toPath32,
        getScriptKind: getScriptKind2
      }) {
        const newPath = removeIgnoredPath(fileOrDirectoryPath);
        if (!newPath) {
          writeLog(`Project: ${configFileName} Detected ignored path: ${fileOrDirectory}`);
          return true;
        }
        fileOrDirectoryPath = newPath;
        if (fileOrDirectoryPath === watchedDirPath) return false;
        if (hasExtension(fileOrDirectoryPath) && !(isSupportedSourceFileName(fileOrDirectory, options, extraFileExtensions) || isSupportedScriptKind())) {
          writeLog(`Project: ${configFileName} Detected file add/remove of non supported extension: ${fileOrDirectory}`);
          return true;
        }
        if (isExcludedFile(fileOrDirectory, options.configFile.configFileSpecs, getNormalizedAbsolutePath(getDirectoryPath(configFileName), currentDirectory), useCaseSensitiveFileNames2, currentDirectory)) {
          writeLog(`Project: ${configFileName} Detected excluded file: ${fileOrDirectory}`);
          return true;
        }
        if (!program) return false;
        if (options.outFile || options.outDir) return false;
        if (isDeclarationFileName(fileOrDirectoryPath)) {
          if (options.declarationDir) return false;
        } else if (!fileExtensionIsOneOf(fileOrDirectoryPath, supportedJSExtensionsFlat)) {
          return false;
        }
        const filePathWithoutExtension = removeFileExtension(fileOrDirectoryPath);
        const realProgram = isArray3(program) ? void 0 : isBuilderProgram(program) ? program.getProgramOrUndefined() : program;
        const builderProgram = !realProgram && !isArray3(program) ? program : void 0;
        if (hasSourceFile(
          filePathWithoutExtension + ".ts"
          /* Ts */
        ) || hasSourceFile(
          filePathWithoutExtension + ".tsx"
          /* Tsx */
        )) {
          writeLog(`Project: ${configFileName} Detected output file: ${fileOrDirectory}`);
          return true;
        }
        return false;
        function hasSourceFile(file) {
          return realProgram ? !!realProgram.getSourceFileByPath(file) : builderProgram ? builderProgram.getState().fileInfos.has(file) : !!find(program, (rootFile) => toPath32(rootFile) === file);
        }
        function isSupportedScriptKind() {
          if (!getScriptKind2) return false;
          const scriptKind = getScriptKind2(fileOrDirectory);
          switch (scriptKind) {
            case 3:
            case 4:
            case 7:
            case 5:
              return true;
            case 1:
            case 2:
              return getAllowJSCompilerOption(options);
            case 6:
              return getResolveJsonModule(options);
            case 0:
              return false;
          }
        }
      }
      function isBuilderProgram(program) {
        return !!program.getState;
      }
      function isEmittedFileOfProgram(program, file) {
        if (!program) {
          return false;
        }
        return program.isEmittedFile(file);
      }
      var WatchLogLevel = /* @__PURE__ */ ((WatchLogLevel2) => {
        WatchLogLevel2[WatchLogLevel2["None"] = 0] = "None";
        WatchLogLevel2[WatchLogLevel2["TriggerOnly"] = 1] = "TriggerOnly";
        WatchLogLevel2[WatchLogLevel2["Verbose"] = 2] = "Verbose";
        return WatchLogLevel2;
      })(WatchLogLevel || {});
      function getWatchFactory(host, watchLogLevel, log, getDetailWatchInfo2) {
        setSysLog(watchLogLevel === 2 ? log : noop2);
        const plainInvokeFactory = {
          watchFile: (file, callback, pollingInterval, options) => host.watchFile(file, callback, pollingInterval, options),
          watchDirectory: (directory, callback, flags, options) => host.watchDirectory(directory, callback, (flags & 1) !== 0, options)
        };
        const triggerInvokingFactory = watchLogLevel !== 0 ? {
          watchFile: createTriggerLoggingAddWatch("watchFile"),
          watchDirectory: createTriggerLoggingAddWatch("watchDirectory")
        } : void 0;
        const factory2 = watchLogLevel === 2 ? {
          watchFile: createFileWatcherWithLogging,
          watchDirectory: createDirectoryWatcherWithLogging
        } : triggerInvokingFactory || plainInvokeFactory;
        const excludeWatcherFactory = watchLogLevel === 2 ? createExcludeWatcherWithLogging : returnNoopFileWatcher;
        return {
          watchFile: createExcludeHandlingAddWatch("watchFile"),
          watchDirectory: createExcludeHandlingAddWatch("watchDirectory")
        };
        function createExcludeHandlingAddWatch(key) {
          return (file, cb, flags, options, detailInfo1, detailInfo2) => {
            var _a;
            return !matchesExclude(file, key === "watchFile" ? options == null ? void 0 : options.excludeFiles : options == null ? void 0 : options.excludeDirectories, useCaseSensitiveFileNames2(), ((_a = host.getCurrentDirectory) == null ? void 0 : _a.call(host)) || "") ? factory2[key].call(
              /*thisArgs*/
              void 0,
              file,
              cb,
              flags,
              options,
              detailInfo1,
              detailInfo2
            ) : excludeWatcherFactory(file, flags, options, detailInfo1, detailInfo2);
          };
        }
        function useCaseSensitiveFileNames2() {
          return typeof host.useCaseSensitiveFileNames === "boolean" ? host.useCaseSensitiveFileNames : host.useCaseSensitiveFileNames();
        }
        function createExcludeWatcherWithLogging(file, flags, options, detailInfo1, detailInfo2) {
          log(`ExcludeWatcher:: Added:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo2)}`);
          return {
            close: () => log(`ExcludeWatcher:: Close:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo2)}`)
          };
        }
        function createFileWatcherWithLogging(file, cb, flags, options, detailInfo1, detailInfo2) {
          log(`FileWatcher:: Added:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo2)}`);
          const watcher = triggerInvokingFactory.watchFile(file, cb, flags, options, detailInfo1, detailInfo2);
          return {
            close: () => {
              log(`FileWatcher:: Close:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo2)}`);
              watcher.close();
            }
          };
        }
        function createDirectoryWatcherWithLogging(file, cb, flags, options, detailInfo1, detailInfo2) {
          const watchInfo = `DirectoryWatcher:: Added:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo2)}`;
          log(watchInfo);
          const start = timestamp();
          const watcher = triggerInvokingFactory.watchDirectory(file, cb, flags, options, detailInfo1, detailInfo2);
          const elapsed = timestamp() - start;
          log(`Elapsed:: ${elapsed}ms ${watchInfo}`);
          return {
            close: () => {
              const watchInfo2 = `DirectoryWatcher:: Close:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo2)}`;
              log(watchInfo2);
              const start2 = timestamp();
              watcher.close();
              const elapsed2 = timestamp() - start2;
              log(`Elapsed:: ${elapsed2}ms ${watchInfo2}`);
            }
          };
        }
        function createTriggerLoggingAddWatch(key) {
          return (file, cb, flags, options, detailInfo1, detailInfo2) => plainInvokeFactory[key].call(
            /*thisArgs*/
            void 0,
            file,
            (...args) => {
              const triggerredInfo = `${key === "watchFile" ? "FileWatcher" : "DirectoryWatcher"}:: Triggered with ${args[0]} ${args[1] !== void 0 ? args[1] : ""}:: ${getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo2)}`;
              log(triggerredInfo);
              const start = timestamp();
              cb.call(
                /*thisArg*/
                void 0,
                ...args
              );
              const elapsed = timestamp() - start;
              log(`Elapsed:: ${elapsed}ms ${triggerredInfo}`);
            },
            flags,
            options,
            detailInfo1,
            detailInfo2
          );
        }
        function getWatchInfo(file, flags, options, detailInfo1, detailInfo2, getDetailWatchInfo3) {
          return `WatchInfo: ${file} ${flags} ${JSON.stringify(options)} ${getDetailWatchInfo3 ? getDetailWatchInfo3(detailInfo1, detailInfo2) : detailInfo2 === void 0 ? detailInfo1 : `${detailInfo1} ${detailInfo2}`}`;
        }
      }
      function getFallbackOptions(options) {
        const fallbackPolling = options == null ? void 0 : options.fallbackPolling;
        return {
          watchFile: fallbackPolling !== void 0 ? fallbackPolling : 1
          /* PriorityPollingInterval */
        };
      }
      function closeFileWatcherOf(objWithWatcher) {
        objWithWatcher.watcher.close();
      }
      function findConfigFile(searchPath, fileExists, configName = "tsconfig.json") {
        return forEachAncestorDirectory(searchPath, (ancestor) => {
          const fileName = combinePaths(ancestor, configName);
          return fileExists(fileName) ? fileName : void 0;
        });
      }
      function resolveTripleslashReference(moduleName, containingFile) {
        const basePath = getDirectoryPath(containingFile);
        const referencedFileName = isRootedDiskPath(moduleName) ? moduleName : combinePaths(basePath, moduleName);
        return normalizePath(referencedFileName);
      }
      function computeCommonSourceDirectoryOfFilenames(fileNames, currentDirectory, getCanonicalFileName) {
        let commonPathComponents;
        const failed = forEach(fileNames, (sourceFile) => {
          const sourcePathComponents = getNormalizedPathComponents(sourceFile, currentDirectory);
          sourcePathComponents.pop();
          if (!commonPathComponents) {
            commonPathComponents = sourcePathComponents;
            return;
          }
          const n = Math.min(commonPathComponents.length, sourcePathComponents.length);
          for (let i = 0; i < n; i++) {
            if (getCanonicalFileName(commonPathComponents[i]) !== getCanonicalFileName(sourcePathComponents[i])) {
              if (i === 0) {
                return true;
              }
              commonPathComponents.length = i;
              break;
            }
          }
          if (sourcePathComponents.length < commonPathComponents.length) {
            commonPathComponents.length = sourcePathComponents.length;
          }
        });
        if (failed) {
          return "";
        }
        if (!commonPathComponents) {
          return currentDirectory;
        }
        return getPathFromPathComponents(commonPathComponents);
      }
      function createCompilerHost(options, setParentNodes) {
        return createCompilerHostWorker(options, setParentNodes);
      }
      function createGetSourceFile(readFile2, setParentNodes) {
        return (fileName, languageVersionOrOptions, onError) => {
          let text;
          try {
            mark("beforeIORead");
            text = readFile2(fileName);
            mark("afterIORead");
            measure("I/O Read", "beforeIORead", "afterIORead");
          } catch (e) {
            if (onError) {
              onError(e.message);
            }
            text = "";
          }
          return text !== void 0 ? createSourceFile(fileName, text, languageVersionOrOptions, setParentNodes) : void 0;
        };
      }
      function createWriteFileMeasuringIO(actualWriteFile, createDirectory, directoryExists) {
        return (fileName, data, writeByteOrderMark, onError) => {
          try {
            mark("beforeIOWrite");
            writeFileEnsuringDirectories(
              fileName,
              data,
              writeByteOrderMark,
              actualWriteFile,
              createDirectory,
              directoryExists
            );
            mark("afterIOWrite");
            measure("I/O Write", "beforeIOWrite", "afterIOWrite");
          } catch (e) {
            if (onError) {
              onError(e.message);
            }
          }
        };
      }
      function createCompilerHostWorker(options, setParentNodes, system = sys) {
        const existingDirectories = /* @__PURE__ */ new Map();
        const getCanonicalFileName = createGetCanonicalFileName(system.useCaseSensitiveFileNames);
        function directoryExists(directoryPath) {
          if (existingDirectories.has(directoryPath)) {
            return true;
          }
          if ((compilerHost.directoryExists || system.directoryExists)(directoryPath)) {
            existingDirectories.set(directoryPath, true);
            return true;
          }
          return false;
        }
        function getDefaultLibLocation() {
          return getDirectoryPath(normalizePath(system.getExecutingFilePath()));
        }
        const newLine = getNewLineCharacter(options);
        const realpath = system.realpath && ((path17) => system.realpath(path17));
        const compilerHost = {
          getSourceFile: createGetSourceFile((fileName) => compilerHost.readFile(fileName), setParentNodes),
          getDefaultLibLocation,
          getDefaultLibFileName: (options2) => combinePaths(getDefaultLibLocation(), getDefaultLibFileName(options2)),
          writeFile: createWriteFileMeasuringIO(
            (path17, data, writeByteOrderMark) => system.writeFile(path17, data, writeByteOrderMark),
            (path17) => (compilerHost.createDirectory || system.createDirectory)(path17),
            (path17) => directoryExists(path17)
          ),
          getCurrentDirectory: memoize(() => system.getCurrentDirectory()),
          useCaseSensitiveFileNames: () => system.useCaseSensitiveFileNames,
          getCanonicalFileName,
          getNewLine: () => newLine,
          fileExists: (fileName) => system.fileExists(fileName),
          readFile: (fileName) => system.readFile(fileName),
          trace: (s) => system.write(s + newLine),
          directoryExists: (directoryName) => system.directoryExists(directoryName),
          getEnvironmentVariable: (name) => system.getEnvironmentVariable ? system.getEnvironmentVariable(name) : "",
          getDirectories: (path17) => system.getDirectories(path17),
          realpath,
          readDirectory: (path17, extensions, include, exclude, depth2) => system.readDirectory(path17, extensions, include, exclude, depth2),
          createDirectory: (d) => system.createDirectory(d),
          createHash: maybeBind(system, system.createHash)
        };
        return compilerHost;
      }
      function changeCompilerHostLikeToUseCache(host, toPath32, getSourceFile) {
        const originalReadFile = host.readFile;
        const originalFileExists = host.fileExists;
        const originalDirectoryExists = host.directoryExists;
        const originalCreateDirectory = host.createDirectory;
        const originalWriteFile = host.writeFile;
        const readFileCache = /* @__PURE__ */ new Map();
        const fileExistsCache = /* @__PURE__ */ new Map();
        const directoryExistsCache = /* @__PURE__ */ new Map();
        const sourceFileCache = /* @__PURE__ */ new Map();
        const readFileWithCache = (fileName) => {
          const key = toPath32(fileName);
          const value = readFileCache.get(key);
          if (value !== void 0) return value !== false ? value : void 0;
          return setReadFileCache(key, fileName);
        };
        const setReadFileCache = (key, fileName) => {
          const newValue = originalReadFile.call(host, fileName);
          readFileCache.set(key, newValue !== void 0 ? newValue : false);
          return newValue;
        };
        host.readFile = (fileName) => {
          const key = toPath32(fileName);
          const value = readFileCache.get(key);
          if (value !== void 0) return value !== false ? value : void 0;
          if (!fileExtensionIs(
            fileName,
            ".json"
            /* Json */
          ) && !isBuildInfoFile(fileName)) {
            return originalReadFile.call(host, fileName);
          }
          return setReadFileCache(key, fileName);
        };
        const getSourceFileWithCache = getSourceFile ? (fileName, languageVersionOrOptions, onError, shouldCreateNewSourceFile) => {
          const key = toPath32(fileName);
          const impliedNodeFormat = typeof languageVersionOrOptions === "object" ? languageVersionOrOptions.impliedNodeFormat : void 0;
          const forImpliedNodeFormat = sourceFileCache.get(impliedNodeFormat);
          const value = forImpliedNodeFormat == null ? void 0 : forImpliedNodeFormat.get(key);
          if (value) return value;
          const sourceFile = getSourceFile(fileName, languageVersionOrOptions, onError, shouldCreateNewSourceFile);
          if (sourceFile && (isDeclarationFileName(fileName) || fileExtensionIs(
            fileName,
            ".json"
            /* Json */
          ))) {
            sourceFileCache.set(impliedNodeFormat, (forImpliedNodeFormat || /* @__PURE__ */ new Map()).set(key, sourceFile));
          }
          return sourceFile;
        } : void 0;
        host.fileExists = (fileName) => {
          const key = toPath32(fileName);
          const value = fileExistsCache.get(key);
          if (value !== void 0) return value;
          const newValue = originalFileExists.call(host, fileName);
          fileExistsCache.set(key, !!newValue);
          return newValue;
        };
        if (originalWriteFile) {
          host.writeFile = (fileName, data, ...rest) => {
            const key = toPath32(fileName);
            fileExistsCache.delete(key);
            const value = readFileCache.get(key);
            if (value !== void 0 && value !== data) {
              readFileCache.delete(key);
              sourceFileCache.forEach((map2) => map2.delete(key));
            } else if (getSourceFileWithCache) {
              sourceFileCache.forEach((map2) => {
                const sourceFile = map2.get(key);
                if (sourceFile && sourceFile.text !== data) {
                  map2.delete(key);
                }
              });
            }
            originalWriteFile.call(host, fileName, data, ...rest);
          };
        }
        if (originalDirectoryExists) {
          host.directoryExists = (directory) => {
            const key = toPath32(directory);
            const value = directoryExistsCache.get(key);
            if (value !== void 0) return value;
            const newValue = originalDirectoryExists.call(host, directory);
            directoryExistsCache.set(key, !!newValue);
            return newValue;
          };
          if (originalCreateDirectory) {
            host.createDirectory = (directory) => {
              const key = toPath32(directory);
              directoryExistsCache.delete(key);
              originalCreateDirectory.call(host, directory);
            };
          }
        }
        return {
          originalReadFile,
          originalFileExists,
          originalDirectoryExists,
          originalCreateDirectory,
          originalWriteFile,
          getSourceFileWithCache,
          readFileWithCache
        };
      }
      function getPreEmitDiagnostics(program, sourceFile, cancellationToken) {
        let diagnostics;
        diagnostics = addRange(diagnostics, program.getConfigFileParsingDiagnostics());
        diagnostics = addRange(diagnostics, program.getOptionsDiagnostics(cancellationToken));
        diagnostics = addRange(diagnostics, program.getSyntacticDiagnostics(sourceFile, cancellationToken));
        diagnostics = addRange(diagnostics, program.getGlobalDiagnostics(cancellationToken));
        diagnostics = addRange(diagnostics, program.getSemanticDiagnostics(sourceFile, cancellationToken));
        if (getEmitDeclarations(program.getCompilerOptions())) {
          diagnostics = addRange(diagnostics, program.getDeclarationDiagnostics(sourceFile, cancellationToken));
        }
        return sortAndDeduplicateDiagnostics(diagnostics || emptyArray);
      }
      function formatDiagnostics(diagnostics, host) {
        let output = "";
        for (const diagnostic of diagnostics) {
          output += formatDiagnostic(diagnostic, host);
        }
        return output;
      }
      function formatDiagnostic(diagnostic, host) {
        const errorMessage = `${diagnosticCategoryName(diagnostic)} TS${diagnostic.code}: ${flattenDiagnosticMessageText(diagnostic.messageText, host.getNewLine())}${host.getNewLine()}`;
        if (diagnostic.file) {
          const { line, character } = getLineAndCharacterOfPosition(diagnostic.file, diagnostic.start);
          const fileName = diagnostic.file.fileName;
          const relativeFileName = convertToRelativePath(fileName, host.getCurrentDirectory(), (fileName2) => host.getCanonicalFileName(fileName2));
          return `${relativeFileName}(${line + 1},${character + 1}): ` + errorMessage;
        }
        return errorMessage;
      }
      var ForegroundColorEscapeSequences = /* @__PURE__ */ ((ForegroundColorEscapeSequences2) => {
        ForegroundColorEscapeSequences2["Grey"] = "\x1B[90m";
        ForegroundColorEscapeSequences2["Red"] = "\x1B[91m";
        ForegroundColorEscapeSequences2["Yellow"] = "\x1B[93m";
        ForegroundColorEscapeSequences2["Blue"] = "\x1B[94m";
        ForegroundColorEscapeSequences2["Cyan"] = "\x1B[96m";
        return ForegroundColorEscapeSequences2;
      })(ForegroundColorEscapeSequences || {});
      var gutterStyleSequence = "\x1B[7m";
      var gutterSeparator = " ";
      var resetEscapeSequence = "\x1B[0m";
      var ellipsis = "...";
      var halfIndent = "  ";
      var indent = "    ";
      function getCategoryFormat(category) {
        switch (category) {
          case 1:
            return "\x1B[91m";
          case 0:
            return "\x1B[93m";
          case 2:
            return Debug.fail("Should never get an Info diagnostic on the command line.");
          case 3:
            return "\x1B[94m";
        }
      }
      function formatColorAndReset(text, formatStyle) {
        return formatStyle + text + resetEscapeSequence;
      }
      function formatCodeSpan(file, start, length2, indent3, squiggleColor, host) {
        const { line: firstLine, character: firstLineChar } = getLineAndCharacterOfPosition(file, start);
        const { line: lastLine, character: lastLineChar } = getLineAndCharacterOfPosition(file, start + length2);
        const lastLineInFile = getLineAndCharacterOfPosition(file, file.text.length).line;
        const hasMoreThanFiveLines = lastLine - firstLine >= 4;
        let gutterWidth = (lastLine + 1 + "").length;
        if (hasMoreThanFiveLines) {
          gutterWidth = Math.max(ellipsis.length, gutterWidth);
        }
        let context = "";
        for (let i = firstLine; i <= lastLine; i++) {
          context += host.getNewLine();
          if (hasMoreThanFiveLines && firstLine + 1 < i && i < lastLine - 1) {
            context += indent3 + formatColorAndReset(ellipsis.padStart(gutterWidth), gutterStyleSequence) + gutterSeparator + host.getNewLine();
            i = lastLine - 1;
          }
          const lineStart = getPositionOfLineAndCharacter(file, i, 0);
          const lineEnd = i < lastLineInFile ? getPositionOfLineAndCharacter(file, i + 1, 0) : file.text.length;
          let lineContent = file.text.slice(lineStart, lineEnd);
          lineContent = lineContent.trimEnd();
          lineContent = lineContent.replace(/\t/g, " ");
          context += indent3 + formatColorAndReset((i + 1 + "").padStart(gutterWidth), gutterStyleSequence) + gutterSeparator;
          context += lineContent + host.getNewLine();
          context += indent3 + formatColorAndReset("".padStart(gutterWidth), gutterStyleSequence) + gutterSeparator;
          context += squiggleColor;
          if (i === firstLine) {
            const lastCharForLine = i === lastLine ? lastLineChar : void 0;
            context += lineContent.slice(0, firstLineChar).replace(/\S/g, " ");
            context += lineContent.slice(firstLineChar, lastCharForLine).replace(/./g, "~");
          } else if (i === lastLine) {
            context += lineContent.slice(0, lastLineChar).replace(/./g, "~");
          } else {
            context += lineContent.replace(/./g, "~");
          }
          context += resetEscapeSequence;
        }
        return context;
      }
      function formatLocation(file, start, host, color = formatColorAndReset) {
        const { line: firstLine, character: firstLineChar } = getLineAndCharacterOfPosition(file, start);
        const relativeFileName = host ? convertToRelativePath(file.fileName, host.getCurrentDirectory(), (fileName) => host.getCanonicalFileName(fileName)) : file.fileName;
        let output = "";
        output += color(
          relativeFileName,
          "\x1B[96m"
          /* Cyan */
        );
        output += ":";
        output += color(
          `${firstLine + 1}`,
          "\x1B[93m"
          /* Yellow */
        );
        output += ":";
        output += color(
          `${firstLineChar + 1}`,
          "\x1B[93m"
          /* Yellow */
        );
        return output;
      }
      function formatDiagnosticsWithColorAndContext(diagnostics, host) {
        let output = "";
        for (const diagnostic of diagnostics) {
          if (diagnostic.file) {
            const { file, start } = diagnostic;
            output += formatLocation(file, start, host);
            output += " - ";
          }
          output += formatColorAndReset(diagnosticCategoryName(diagnostic), getCategoryFormat(diagnostic.category));
          output += formatColorAndReset(
            ` TS${diagnostic.code}: `,
            "\x1B[90m"
            /* Grey */
          );
          output += flattenDiagnosticMessageText(diagnostic.messageText, host.getNewLine());
          if (diagnostic.file && diagnostic.code !== Diagnostics.File_appears_to_be_binary.code) {
            output += host.getNewLine();
            output += formatCodeSpan(diagnostic.file, diagnostic.start, diagnostic.length, "", getCategoryFormat(diagnostic.category), host);
          }
          if (diagnostic.relatedInformation) {
            output += host.getNewLine();
            for (const { file, start, length: length2, messageText } of diagnostic.relatedInformation) {
              if (file) {
                output += host.getNewLine();
                output += halfIndent + formatLocation(file, start, host);
                output += formatCodeSpan(file, start, length2, indent, "\x1B[96m", host);
              }
              output += host.getNewLine();
              output += indent + flattenDiagnosticMessageText(messageText, host.getNewLine());
            }
          }
          output += host.getNewLine();
        }
        return output;
      }
      function flattenDiagnosticMessageText(diag2, newLine, indent3 = 0) {
        if (isString2(diag2)) {
          return diag2;
        } else if (diag2 === void 0) {
          return "";
        }
        let result = "";
        if (indent3) {
          result += newLine;
          for (let i = 0; i < indent3; i++) {
            result += "  ";
          }
        }
        result += diag2.messageText;
        indent3++;
        if (diag2.next) {
          for (const kid of diag2.next) {
            result += flattenDiagnosticMessageText(kid, newLine, indent3);
          }
        }
        return result;
      }
      function getModeForFileReference(ref, containingFileMode) {
        return (isString2(ref) ? containingFileMode : ref.resolutionMode) || containingFileMode;
      }
      function getModeForResolutionAtIndex(file, index, compilerOptions) {
        return getModeForUsageLocationWorker(file, getModuleNameStringLiteralAt(file, index), compilerOptions);
      }
      function isExclusivelyTypeOnlyImportOrExport(decl) {
        var _a;
        if (isExportDeclaration(decl)) {
          return decl.isTypeOnly;
        }
        if ((_a = decl.importClause) == null ? void 0 : _a.isTypeOnly) {
          return true;
        }
        return false;
      }
      function getModeForUsageLocation(file, usage, compilerOptions) {
        return getModeForUsageLocationWorker(file, usage, compilerOptions);
      }
      function getModeForUsageLocationWorker(file, usage, compilerOptions) {
        var _a;
        if (isImportDeclaration(usage.parent) || isExportDeclaration(usage.parent) || isJSDocImportTag(usage.parent)) {
          const isTypeOnly = isExclusivelyTypeOnlyImportOrExport(usage.parent);
          if (isTypeOnly) {
            const override = getResolutionModeOverride(usage.parent.attributes);
            if (override) {
              return override;
            }
          }
        }
        if (usage.parent.parent && isImportTypeNode(usage.parent.parent)) {
          const override = getResolutionModeOverride(usage.parent.parent.attributes);
          if (override) {
            return override;
          }
        }
        if (compilerOptions && getEmitModuleKind(compilerOptions) === 200) {
          return usage.parent.parent && isImportEqualsDeclaration(usage.parent.parent) || isRequireCall(
            usage.parent,
            /*requireStringLiteralLikeArgument*/
            false
          ) ? 1 : 99;
        }
        if (file.impliedNodeFormat === void 0) return void 0;
        if (file.impliedNodeFormat !== 99) {
          return isImportCall(walkUpParenthesizedExpressions(usage.parent)) ? 99 : 1;
        }
        const exprParentParent = (_a = walkUpParenthesizedExpressions(usage.parent)) == null ? void 0 : _a.parent;
        return exprParentParent && isImportEqualsDeclaration(exprParentParent) ? 1 : 99;
      }
      function getResolutionModeOverride(node, grammarErrorOnNode) {
        if (!node) return void 0;
        if (length(node.elements) !== 1) {
          grammarErrorOnNode == null ? void 0 : grammarErrorOnNode(
            node,
            node.token === 118 ? Diagnostics.Type_import_attributes_should_have_exactly_one_key_resolution_mode_with_value_import_or_require : Diagnostics.Type_import_assertions_should_have_exactly_one_key_resolution_mode_with_value_import_or_require
          );
          return void 0;
        }
        const elem = node.elements[0];
        if (!isStringLiteralLike(elem.name)) return void 0;
        if (elem.name.text !== "resolution-mode") {
          grammarErrorOnNode == null ? void 0 : grammarErrorOnNode(
            elem.name,
            node.token === 118 ? Diagnostics.resolution_mode_is_the_only_valid_key_for_type_import_attributes : Diagnostics.resolution_mode_is_the_only_valid_key_for_type_import_assertions
          );
          return void 0;
        }
        if (!isStringLiteralLike(elem.value)) return void 0;
        if (elem.value.text !== "import" && elem.value.text !== "require") {
          grammarErrorOnNode == null ? void 0 : grammarErrorOnNode(elem.value, Diagnostics.resolution_mode_should_be_either_require_or_import);
          return void 0;
        }
        return elem.value.text === "import" ? 99 : 1;
      }
      var emptyResolution = {
        resolvedModule: void 0,
        resolvedTypeReferenceDirective: void 0
      };
      function getModuleResolutionName(literal) {
        return literal.text;
      }
      var moduleResolutionNameAndModeGetter = {
        getName: getModuleResolutionName,
        getMode: (entry, file, compilerOptions) => getModeForUsageLocation(file, entry, compilerOptions)
      };
      function createModuleResolutionLoader(containingFile, redirectedReference, options, host, cache) {
        return {
          nameAndMode: moduleResolutionNameAndModeGetter,
          resolve: (moduleName, resolutionMode) => resolveModuleName(
            moduleName,
            containingFile,
            options,
            host,
            cache,
            redirectedReference,
            resolutionMode
          )
        };
      }
      function getTypeReferenceResolutionName(entry) {
        return !isString2(entry) ? entry.fileName : entry;
      }
      var typeReferenceResolutionNameAndModeGetter = {
        getName: getTypeReferenceResolutionName,
        getMode: (entry, file) => getModeForFileReference(entry, file == null ? void 0 : file.impliedNodeFormat)
      };
      function createTypeReferenceResolutionLoader(containingFile, redirectedReference, options, host, cache) {
        return {
          nameAndMode: typeReferenceResolutionNameAndModeGetter,
          resolve: (typeRef, resoluionMode) => resolveTypeReferenceDirective(
            typeRef,
            containingFile,
            options,
            host,
            redirectedReference,
            cache,
            resoluionMode
          )
        };
      }
      function loadWithModeAwareCache(entries, containingFile, redirectedReference, options, containingSourceFile, host, resolutionCache, createLoader) {
        if (entries.length === 0) return emptyArray;
        const resolutions = [];
        const cache = /* @__PURE__ */ new Map();
        const loader = createLoader(containingFile, redirectedReference, options, host, resolutionCache);
        for (const entry of entries) {
          const name = loader.nameAndMode.getName(entry);
          const mode = loader.nameAndMode.getMode(entry, containingSourceFile, (redirectedReference == null ? void 0 : redirectedReference.commandLine.options) || options);
          const key = createModeAwareCacheKey(name, mode);
          let result = cache.get(key);
          if (!result) {
            cache.set(key, result = loader.resolve(name, mode));
          }
          resolutions.push(result);
        }
        return resolutions;
      }
      function forEachResolvedProjectReference(resolvedProjectReferences, cb) {
        return forEachProjectReference(
          /*projectReferences*/
          void 0,
          resolvedProjectReferences,
          (resolvedRef, parent2) => resolvedRef && cb(resolvedRef, parent2)
        );
      }
      function forEachProjectReference(projectReferences, resolvedProjectReferences, cbResolvedRef, cbRef) {
        let seenResolvedRefs;
        return worker(
          projectReferences,
          resolvedProjectReferences,
          /*parent*/
          void 0
        );
        function worker(projectReferences2, resolvedProjectReferences2, parent2) {
          if (cbRef) {
            const result = cbRef(projectReferences2, parent2);
            if (result) return result;
          }
          return forEach(resolvedProjectReferences2, (resolvedRef, index) => {
            if (resolvedRef && (seenResolvedRefs == null ? void 0 : seenResolvedRefs.has(resolvedRef.sourceFile.path))) {
              return void 0;
            }
            const result = cbResolvedRef(resolvedRef, parent2, index);
            if (result || !resolvedRef) return result;
            (seenResolvedRefs || (seenResolvedRefs = /* @__PURE__ */ new Set())).add(resolvedRef.sourceFile.path);
            return worker(resolvedRef.commandLine.projectReferences, resolvedRef.references, resolvedRef);
          });
        }
      }
      var inferredTypesContainingFile = "__inferred type names__.ts";
      function getInferredLibraryNameResolveFrom(options, currentDirectory, libFileName) {
        const containingDirectory = options.configFilePath ? getDirectoryPath(options.configFilePath) : currentDirectory;
        return combinePaths(containingDirectory, `__lib_node_modules_lookup_${libFileName}__.ts`);
      }
      function getLibraryNameFromLibFileName(libFileName) {
        const components = libFileName.split(".");
        let path17 = components[1];
        let i = 2;
        while (components[i] && components[i] !== "d") {
          path17 += (i === 2 ? "/" : "-") + components[i];
          i++;
        }
        return "@typescript/lib-" + path17;
      }
      function getLibNameFromLibReference(libReference) {
        return toFileNameLowerCase(libReference.fileName);
      }
      function getLibFileNameFromLibReference(libReference) {
        const libName = getLibNameFromLibReference(libReference);
        return libMap.get(libName);
      }
      function isReferencedFile(reason) {
        switch (reason == null ? void 0 : reason.kind) {
          case 3:
          case 4:
          case 5:
          case 7:
            return true;
          default:
            return false;
        }
      }
      function isReferenceFileLocation(location) {
        return location.pos !== void 0;
      }
      function getReferencedFileLocation(program, ref) {
        var _a, _b, _c, _d;
        const file = Debug.checkDefined(program.getSourceFileByPath(ref.file));
        const { kind, index } = ref;
        let pos, end, packageId;
        switch (kind) {
          case 3:
            const importLiteral = getModuleNameStringLiteralAt(file, index);
            packageId = (_b = (_a = program.getResolvedModuleFromModuleSpecifier(importLiteral, file)) == null ? void 0 : _a.resolvedModule) == null ? void 0 : _b.packageId;
            if (importLiteral.pos === -1) return { file, packageId, text: importLiteral.text };
            pos = skipTrivia(file.text, importLiteral.pos);
            end = importLiteral.end;
            break;
          case 4:
            ({ pos, end } = file.referencedFiles[index]);
            break;
          case 5:
            ({ pos, end } = file.typeReferenceDirectives[index]);
            packageId = (_d = (_c = program.getResolvedTypeReferenceDirectiveFromTypeReferenceDirective(file.typeReferenceDirectives[index], file)) == null ? void 0 : _c.resolvedTypeReferenceDirective) == null ? void 0 : _d.packageId;
            break;
          case 7:
            ({ pos, end } = file.libReferenceDirectives[index]);
            break;
          default:
            return Debug.assertNever(kind);
        }
        return { file, pos, end, packageId };
      }
      function isProgramUptoDate(program, rootFileNames, newOptions, getSourceVersion, fileExists, hasInvalidatedResolutions, hasInvalidatedLibResolutions, hasChangedAutomaticTypeDirectiveNames, getParsedCommandLine, projectReferences) {
        if (!program || (hasChangedAutomaticTypeDirectiveNames == null ? void 0 : hasChangedAutomaticTypeDirectiveNames())) return false;
        if (!arrayIsEqualTo(program.getRootFileNames(), rootFileNames)) return false;
        let seenResolvedRefs;
        if (!arrayIsEqualTo(program.getProjectReferences(), projectReferences, projectReferenceUptoDate)) return false;
        if (program.getSourceFiles().some(sourceFileNotUptoDate)) return false;
        const missingPaths = program.getMissingFilePaths();
        if (missingPaths && forEachEntry(missingPaths, fileExists)) return false;
        const currentOptions = program.getCompilerOptions();
        if (!compareDataObjects(currentOptions, newOptions)) return false;
        if (program.resolvedLibReferences && forEachEntry(program.resolvedLibReferences, (_value, libFileName) => hasInvalidatedLibResolutions(libFileName))) return false;
        if (currentOptions.configFile && newOptions.configFile) return currentOptions.configFile.text === newOptions.configFile.text;
        return true;
        function sourceFileNotUptoDate(sourceFile) {
          return !sourceFileVersionUptoDate(sourceFile) || hasInvalidatedResolutions(sourceFile.path);
        }
        function sourceFileVersionUptoDate(sourceFile) {
          return sourceFile.version === getSourceVersion(sourceFile.resolvedPath, sourceFile.fileName);
        }
        function projectReferenceUptoDate(oldRef, newRef, index) {
          return projectReferenceIsEqualTo(oldRef, newRef) && resolvedProjectReferenceUptoDate(program.getResolvedProjectReferences()[index], oldRef);
        }
        function resolvedProjectReferenceUptoDate(oldResolvedRef, oldRef) {
          if (oldResolvedRef) {
            if (contains(seenResolvedRefs, oldResolvedRef)) return true;
            const refPath2 = resolveProjectReferencePath(oldRef);
            const newParsedCommandLine = getParsedCommandLine(refPath2);
            if (!newParsedCommandLine) return false;
            if (oldResolvedRef.commandLine.options.configFile !== newParsedCommandLine.options.configFile) return false;
            if (!arrayIsEqualTo(oldResolvedRef.commandLine.fileNames, newParsedCommandLine.fileNames)) return false;
            (seenResolvedRefs || (seenResolvedRefs = [])).push(oldResolvedRef);
            return !forEach(oldResolvedRef.references, (childResolvedRef, index) => !resolvedProjectReferenceUptoDate(childResolvedRef, oldResolvedRef.commandLine.projectReferences[index]));
          }
          const refPath = resolveProjectReferencePath(oldRef);
          return !getParsedCommandLine(refPath);
        }
      }
      function getConfigFileParsingDiagnostics(configFileParseResult) {
        return configFileParseResult.options.configFile ? [...configFileParseResult.options.configFile.parseDiagnostics, ...configFileParseResult.errors] : configFileParseResult.errors;
      }
      function getImpliedNodeFormatForFile(fileName, packageJsonInfoCache, host, options) {
        const result = getImpliedNodeFormatForFileWorker(fileName, packageJsonInfoCache, host, options);
        return typeof result === "object" ? result.impliedNodeFormat : result;
      }
      function getImpliedNodeFormatForFileWorker(fileName, packageJsonInfoCache, host, options) {
        switch (getEmitModuleResolutionKind(options)) {
          case 3:
          case 99:
            return fileExtensionIsOneOf(fileName, [
              ".d.mts",
              ".mts",
              ".mjs"
              /* Mjs */
            ]) ? 99 : fileExtensionIsOneOf(fileName, [
              ".d.cts",
              ".cts",
              ".cjs"
              /* Cjs */
            ]) ? 1 : fileExtensionIsOneOf(fileName, [
              ".d.ts",
              ".ts",
              ".tsx",
              ".js",
              ".jsx"
              /* Jsx */
            ]) ? lookupFromPackageJson() : void 0;
          default:
            return void 0;
        }
        function lookupFromPackageJson() {
          const state = getTemporaryModuleResolutionState(packageJsonInfoCache, host, options);
          const packageJsonLocations = [];
          state.failedLookupLocations = packageJsonLocations;
          state.affectingLocations = packageJsonLocations;
          const packageJsonScope = getPackageScopeForPath(fileName, state);
          const impliedNodeFormat = (packageJsonScope == null ? void 0 : packageJsonScope.contents.packageJsonContent.type) === "module" ? 99 : 1;
          return { impliedNodeFormat, packageJsonLocations, packageJsonScope };
        }
      }
      var plainJSErrors = /* @__PURE__ */ new Set([
        // binder errors
        Diagnostics.Cannot_redeclare_block_scoped_variable_0.code,
        Diagnostics.A_module_cannot_have_multiple_default_exports.code,
        Diagnostics.Another_export_default_is_here.code,
        Diagnostics.The_first_export_default_is_here.code,
        Diagnostics.Identifier_expected_0_is_a_reserved_word_at_the_top_level_of_a_module.code,
        Diagnostics.Identifier_expected_0_is_a_reserved_word_in_strict_mode_Modules_are_automatically_in_strict_mode.code,
        Diagnostics.Identifier_expected_0_is_a_reserved_word_that_cannot_be_used_here.code,
        Diagnostics.constructor_is_a_reserved_word.code,
        Diagnostics.delete_cannot_be_called_on_an_identifier_in_strict_mode.code,
        Diagnostics.Code_contained_in_a_class_is_evaluated_in_JavaScript_s_strict_mode_which_does_not_allow_this_use_of_0_For_more_information_see_https_Colon_Slash_Slashdeveloper_mozilla_org_Slashen_US_Slashdocs_SlashWeb_SlashJavaScript_SlashReference_SlashStrict_mode.code,
        Diagnostics.Invalid_use_of_0_Modules_are_automatically_in_strict_mode.code,
        Diagnostics.Invalid_use_of_0_in_strict_mode.code,
        Diagnostics.A_label_is_not_allowed_here.code,
        Diagnostics.with_statements_are_not_allowed_in_strict_mode.code,
        // grammar errors
        Diagnostics.A_break_statement_can_only_be_used_within_an_enclosing_iteration_or_switch_statement.code,
        Diagnostics.A_break_statement_can_only_jump_to_a_label_of_an_enclosing_statement.code,
        Diagnostics.A_class_declaration_without_the_default_modifier_must_have_a_name.code,
        Diagnostics.A_class_member_cannot_have_the_0_keyword.code,
        Diagnostics.A_comma_expression_is_not_allowed_in_a_computed_property_name.code,
        Diagnostics.A_continue_statement_can_only_be_used_within_an_enclosing_iteration_statement.code,
        Diagnostics.A_continue_statement_can_only_jump_to_a_label_of_an_enclosing_iteration_statement.code,
        Diagnostics.A_continue_statement_can_only_jump_to_a_label_of_an_enclosing_iteration_statement.code,
        Diagnostics.A_default_clause_cannot_appear_more_than_once_in_a_switch_statement.code,
        Diagnostics.A_default_export_must_be_at_the_top_level_of_a_file_or_module_declaration.code,
        Diagnostics.A_definite_assignment_assertion_is_not_permitted_in_this_context.code,
        Diagnostics.A_destructuring_declaration_must_have_an_initializer.code,
        Diagnostics.A_get_accessor_cannot_have_parameters.code,
        Diagnostics.A_rest_element_cannot_contain_a_binding_pattern.code,
        Diagnostics.A_rest_element_cannot_have_a_property_name.code,
        Diagnostics.A_rest_element_cannot_have_an_initializer.code,
        Diagnostics.A_rest_element_must_be_last_in_a_destructuring_pattern.code,
        Diagnostics.A_rest_parameter_cannot_have_an_initializer.code,
        Diagnostics.A_rest_parameter_must_be_last_in_a_parameter_list.code,
        Diagnostics.A_rest_parameter_or_binding_pattern_may_not_have_a_trailing_comma.code,
        Diagnostics.A_return_statement_cannot_be_used_inside_a_class_static_block.code,
        Diagnostics.A_set_accessor_cannot_have_rest_parameter.code,
        Diagnostics.A_set_accessor_must_have_exactly_one_parameter.code,
        Diagnostics.An_export_declaration_can_only_be_used_at_the_top_level_of_a_module.code,
        Diagnostics.An_export_declaration_cannot_have_modifiers.code,
        Diagnostics.An_import_declaration_can_only_be_used_at_the_top_level_of_a_module.code,
        Diagnostics.An_import_declaration_cannot_have_modifiers.code,
        Diagnostics.An_object_member_cannot_be_declared_optional.code,
        Diagnostics.Argument_of_dynamic_import_cannot_be_spread_element.code,
        Diagnostics.Cannot_assign_to_private_method_0_Private_methods_are_not_writable.code,
        Diagnostics.Cannot_redeclare_identifier_0_in_catch_clause.code,
        Diagnostics.Catch_clause_variable_cannot_have_an_initializer.code,
        Diagnostics.Class_decorators_can_t_be_used_with_static_private_identifier_Consider_removing_the_experimental_decorator.code,
        Diagnostics.Classes_can_only_extend_a_single_class.code,
        Diagnostics.Classes_may_not_have_a_field_named_constructor.code,
        Diagnostics.Did_you_mean_to_use_a_Colon_An_can_only_follow_a_property_name_when_the_containing_object_literal_is_part_of_a_destructuring_pattern.code,
        Diagnostics.Duplicate_label_0.code,
        Diagnostics.Dynamic_imports_can_only_accept_a_module_specifier_and_an_optional_set_of_attributes_as_arguments.code,
        Diagnostics.for_await_loops_cannot_be_used_inside_a_class_static_block.code,
        Diagnostics.JSX_attributes_must_only_be_assigned_a_non_empty_expression.code,
        Diagnostics.JSX_elements_cannot_have_multiple_attributes_with_the_same_name.code,
        Diagnostics.JSX_expressions_may_not_use_the_comma_operator_Did_you_mean_to_write_an_array.code,
        Diagnostics.JSX_property_access_expressions_cannot_include_JSX_namespace_names.code,
        Diagnostics.Jump_target_cannot_cross_function_boundary.code,
        Diagnostics.Line_terminator_not_permitted_before_arrow.code,
        Diagnostics.Modifiers_cannot_appear_here.code,
        Diagnostics.Only_a_single_variable_declaration_is_allowed_in_a_for_in_statement.code,
        Diagnostics.Only_a_single_variable_declaration_is_allowed_in_a_for_of_statement.code,
        Diagnostics.Private_identifiers_are_not_allowed_outside_class_bodies.code,
        Diagnostics.Private_identifiers_are_only_allowed_in_class_bodies_and_may_only_be_used_as_part_of_a_class_member_declaration_property_access_or_on_the_left_hand_side_of_an_in_expression.code,
        Diagnostics.Property_0_is_not_accessible_outside_class_1_because_it_has_a_private_identifier.code,
        Diagnostics.Tagged_template_expressions_are_not_permitted_in_an_optional_chain.code,
        Diagnostics.The_left_hand_side_of_a_for_of_statement_may_not_be_async.code,
        Diagnostics.The_variable_declaration_of_a_for_in_statement_cannot_have_an_initializer.code,
        Diagnostics.The_variable_declaration_of_a_for_of_statement_cannot_have_an_initializer.code,
        Diagnostics.Trailing_comma_not_allowed.code,
        Diagnostics.Variable_declaration_list_cannot_be_empty.code,
        Diagnostics._0_and_1_operations_cannot_be_mixed_without_parentheses.code,
        Diagnostics._0_expected.code,
        Diagnostics._0_is_not_a_valid_meta_property_for_keyword_1_Did_you_mean_2.code,
        Diagnostics._0_list_cannot_be_empty.code,
        Diagnostics._0_modifier_already_seen.code,
        Diagnostics._0_modifier_cannot_appear_on_a_constructor_declaration.code,
        Diagnostics._0_modifier_cannot_appear_on_a_module_or_namespace_element.code,
        Diagnostics._0_modifier_cannot_appear_on_a_parameter.code,
        Diagnostics._0_modifier_cannot_appear_on_class_elements_of_this_kind.code,
        Diagnostics._0_modifier_cannot_be_used_here.code,
        Diagnostics._0_modifier_must_precede_1_modifier.code,
        Diagnostics._0_declarations_can_only_be_declared_inside_a_block.code,
        Diagnostics._0_declarations_must_be_initialized.code,
        Diagnostics.extends_clause_already_seen.code,
        Diagnostics.let_is_not_allowed_to_be_used_as_a_name_in_let_or_const_declarations.code,
        Diagnostics.Class_constructor_may_not_be_a_generator.code,
        Diagnostics.Class_constructor_may_not_be_an_accessor.code,
        Diagnostics.await_expressions_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules.code,
        Diagnostics.await_using_statements_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules.code,
        Diagnostics.Private_field_0_must_be_declared_in_an_enclosing_class.code,
        // Type errors
        Diagnostics.This_condition_will_always_return_0_since_JavaScript_compares_objects_by_reference_not_value.code
      ]);
      function shouldProgramCreateNewSourceFiles(program, newOptions) {
        if (!program) return false;
        return optionsHaveChanges(program.getCompilerOptions(), newOptions, sourceFileAffectingCompilerOptions);
      }
      function createCreateProgramOptions(rootNames, options, host, oldProgram, configFileParsingDiagnostics, typeScriptVersion3) {
        return {
          rootNames,
          options,
          host,
          oldProgram,
          configFileParsingDiagnostics,
          typeScriptVersion: typeScriptVersion3
        };
      }
      function createProgram(rootNamesOrOptions, _options, _host, _oldProgram, _configFileParsingDiagnostics) {
        var _a, _b, _c, _d, _e, _f, _g, _h, _i, _j, _k, _l, _m, _n, _o, _p;
        const createProgramOptions = isArray3(rootNamesOrOptions) ? createCreateProgramOptions(rootNamesOrOptions, _options, _host, _oldProgram, _configFileParsingDiagnostics) : rootNamesOrOptions;
        const { rootNames, options, configFileParsingDiagnostics, projectReferences, typeScriptVersion: typeScriptVersion3 } = createProgramOptions;
        let { oldProgram } = createProgramOptions;
        for (const option of commandLineOptionOfCustomType) {
          if (hasProperty(options, option.name)) {
            if (typeof options[option.name] === "string") {
              throw new Error(`${option.name} is a string value; tsconfig JSON must be parsed with parseJsonSourceFileConfigFileContent or getParsedCommandLineOfConfigFile before passing to createProgram`);
            }
          }
        }
        const reportInvalidIgnoreDeprecations = memoize(() => createOptionValueDiagnostic("ignoreDeprecations", Diagnostics.Invalid_value_for_ignoreDeprecations));
        let processingDefaultLibFiles;
        let processingOtherFiles;
        let files;
        let symlinks;
        let commonSourceDirectory;
        let typeChecker;
        let classifiableNames;
        const ambientModuleNameToUnmodifiedFileName = /* @__PURE__ */ new Map();
        let fileReasons = createMultiMap();
        let filesWithReferencesProcessed;
        let fileReasonsToChain;
        let reasonToRelatedInfo;
        const cachedBindAndCheckDiagnosticsForFile = {};
        const cachedDeclarationDiagnosticsForFile = {};
        let fileProcessingDiagnostics;
        let automaticTypeDirectiveNames;
        let automaticTypeDirectiveResolutions;
        let resolvedLibReferences;
        let resolvedLibProcessing;
        let resolvedModules;
        let resolvedModulesProcessing;
        let resolvedTypeReferenceDirectiveNames;
        let resolvedTypeReferenceDirectiveNamesProcessing;
        let packageMap;
        const maxNodeModuleJsDepth = typeof options.maxNodeModuleJsDepth === "number" ? options.maxNodeModuleJsDepth : 0;
        let currentNodeModulesDepth = 0;
        const modulesWithElidedImports = /* @__PURE__ */ new Map();
        const sourceFilesFoundSearchingNodeModules = /* @__PURE__ */ new Map();
        (_a = tracing) == null ? void 0 : _a.push(
          tracing.Phase.Program,
          "createProgram",
          { configFilePath: options.configFilePath, rootDir: options.rootDir },
          /*separateBeginAndEnd*/
          true
        );
        mark("beforeProgram");
        const host = createProgramOptions.host || createCompilerHost(options);
        const configParsingHost = parseConfigHostFromCompilerHostLike(host);
        let skipDefaultLib = options.noLib;
        const getDefaultLibraryFileName = memoize(() => host.getDefaultLibFileName(options));
        const defaultLibraryPath = host.getDefaultLibLocation ? host.getDefaultLibLocation() : getDirectoryPath(getDefaultLibraryFileName());
        const programDiagnostics = createDiagnosticCollection();
        let lazyProgramDiagnosticExplainingFile = [];
        const currentDirectory = host.getCurrentDirectory();
        const supportedExtensions = getSupportedExtensions(options);
        const supportedExtensionsWithJsonIfResolveJsonModule = getSupportedExtensionsWithJsonIfResolveJsonModule(options, supportedExtensions);
        const hasEmitBlockingDiagnostics = /* @__PURE__ */ new Map();
        let _compilerOptionsObjectLiteralSyntax;
        let _compilerOptionsPropertySyntax;
        let moduleResolutionCache;
        let actualResolveModuleNamesWorker;
        const hasInvalidatedResolutions = host.hasInvalidatedResolutions || returnFalse;
        if (host.resolveModuleNameLiterals) {
          actualResolveModuleNamesWorker = host.resolveModuleNameLiterals.bind(host);
          moduleResolutionCache = (_b = host.getModuleResolutionCache) == null ? void 0 : _b.call(host);
        } else if (host.resolveModuleNames) {
          actualResolveModuleNamesWorker = (moduleNames, containingFile, redirectedReference, options2, containingSourceFile, reusedNames) => host.resolveModuleNames(
            moduleNames.map(getModuleResolutionName),
            containingFile,
            reusedNames == null ? void 0 : reusedNames.map(getModuleResolutionName),
            redirectedReference,
            options2,
            containingSourceFile
          ).map(
            (resolved) => resolved ? resolved.extension !== void 0 ? { resolvedModule: resolved } : (
              // An older host may have omitted extension, in which case we should infer it from the file extension of resolvedFileName.
              { resolvedModule: { ...resolved, extension: extensionFromPath(resolved.resolvedFileName) } }
            ) : emptyResolution
          );
          moduleResolutionCache = (_c = host.getModuleResolutionCache) == null ? void 0 : _c.call(host);
        } else {
          moduleResolutionCache = createModuleResolutionCache(currentDirectory, getCanonicalFileName, options);
          actualResolveModuleNamesWorker = (moduleNames, containingFile, redirectedReference, options2, containingSourceFile) => loadWithModeAwareCache(
            moduleNames,
            containingFile,
            redirectedReference,
            options2,
            containingSourceFile,
            host,
            moduleResolutionCache,
            createModuleResolutionLoader
          );
        }
        let actualResolveTypeReferenceDirectiveNamesWorker;
        if (host.resolveTypeReferenceDirectiveReferences) {
          actualResolveTypeReferenceDirectiveNamesWorker = host.resolveTypeReferenceDirectiveReferences.bind(host);
        } else if (host.resolveTypeReferenceDirectives) {
          actualResolveTypeReferenceDirectiveNamesWorker = (typeDirectiveNames, containingFile, redirectedReference, options2, containingSourceFile) => host.resolveTypeReferenceDirectives(
            typeDirectiveNames.map(getTypeReferenceResolutionName),
            containingFile,
            redirectedReference,
            options2,
            containingSourceFile == null ? void 0 : containingSourceFile.impliedNodeFormat
          ).map((resolvedTypeReferenceDirective) => ({ resolvedTypeReferenceDirective }));
        } else {
          const typeReferenceDirectiveResolutionCache = createTypeReferenceDirectiveResolutionCache(
            currentDirectory,
            getCanonicalFileName,
            /*options*/
            void 0,
            moduleResolutionCache == null ? void 0 : moduleResolutionCache.getPackageJsonInfoCache(),
            moduleResolutionCache == null ? void 0 : moduleResolutionCache.optionsToRedirectsKey
          );
          actualResolveTypeReferenceDirectiveNamesWorker = (typeDirectiveNames, containingFile, redirectedReference, options2, containingSourceFile) => loadWithModeAwareCache(
            typeDirectiveNames,
            containingFile,
            redirectedReference,
            options2,
            containingSourceFile,
            host,
            typeReferenceDirectiveResolutionCache,
            createTypeReferenceResolutionLoader
          );
        }
        const hasInvalidatedLibResolutions = host.hasInvalidatedLibResolutions || returnFalse;
        let actualResolveLibrary;
        if (host.resolveLibrary) {
          actualResolveLibrary = host.resolveLibrary.bind(host);
        } else {
          const libraryResolutionCache = createModuleResolutionCache(currentDirectory, getCanonicalFileName, options, moduleResolutionCache == null ? void 0 : moduleResolutionCache.getPackageJsonInfoCache());
          actualResolveLibrary = (libraryName, resolveFrom, options2) => resolveLibrary(libraryName, resolveFrom, options2, host, libraryResolutionCache);
        }
        const packageIdToSourceFile = /* @__PURE__ */ new Map();
        let sourceFileToPackageName = /* @__PURE__ */ new Map();
        let redirectTargetsMap = createMultiMap();
        let usesUriStyleNodeCoreModules = false;
        const filesByName = /* @__PURE__ */ new Map();
        let missingFileNames = /* @__PURE__ */ new Map();
        const filesByNameIgnoreCase = host.useCaseSensitiveFileNames() ? /* @__PURE__ */ new Map() : void 0;
        let resolvedProjectReferences;
        let projectReferenceRedirects;
        let mapFromFileToProjectReferenceRedirects;
        let mapFromToProjectReferenceRedirectSource;
        const useSourceOfProjectReferenceRedirect = !!((_d = host.useSourceOfProjectReferenceRedirect) == null ? void 0 : _d.call(host)) && !options.disableSourceOfProjectReferenceRedirect;
        const { onProgramCreateComplete, fileExists, directoryExists } = updateHostForUseSourceOfProjectReferenceRedirect({
          compilerHost: host,
          getSymlinkCache,
          useSourceOfProjectReferenceRedirect,
          toPath: toPath32,
          getResolvedProjectReferences,
          getSourceOfProjectReferenceRedirect,
          forEachResolvedProjectReference: forEachResolvedProjectReference2
        });
        const readFile2 = host.readFile.bind(host);
        (_e = tracing) == null ? void 0 : _e.push(tracing.Phase.Program, "shouldProgramCreateNewSourceFiles", { hasOldProgram: !!oldProgram });
        const shouldCreateNewSourceFile = shouldProgramCreateNewSourceFiles(oldProgram, options);
        (_f = tracing) == null ? void 0 : _f.pop();
        let structureIsReused;
        (_g = tracing) == null ? void 0 : _g.push(tracing.Phase.Program, "tryReuseStructureFromOldProgram", {});
        structureIsReused = tryReuseStructureFromOldProgram();
        (_h = tracing) == null ? void 0 : _h.pop();
        if (structureIsReused !== 2) {
          processingDefaultLibFiles = [];
          processingOtherFiles = [];
          if (projectReferences) {
            if (!resolvedProjectReferences) {
              resolvedProjectReferences = projectReferences.map(parseProjectReferenceConfigFile);
            }
            if (rootNames.length) {
              resolvedProjectReferences == null ? void 0 : resolvedProjectReferences.forEach((parsedRef, index) => {
                if (!parsedRef) return;
                const out = parsedRef.commandLine.options.outFile;
                if (useSourceOfProjectReferenceRedirect) {
                  if (out || getEmitModuleKind(parsedRef.commandLine.options) === 0) {
                    for (const fileName of parsedRef.commandLine.fileNames) {
                      processProjectReferenceFile(fileName, { kind: 1, index });
                    }
                  }
                } else {
                  if (out) {
                    processProjectReferenceFile(changeExtension(out, ".d.ts"), { kind: 2, index });
                  } else if (getEmitModuleKind(parsedRef.commandLine.options) === 0) {
                    const getCommonSourceDirectory3 = memoize(() => getCommonSourceDirectoryOfConfig(parsedRef.commandLine, !host.useCaseSensitiveFileNames()));
                    for (const fileName of parsedRef.commandLine.fileNames) {
                      if (!isDeclarationFileName(fileName) && !fileExtensionIs(
                        fileName,
                        ".json"
                        /* Json */
                      )) {
                        processProjectReferenceFile(getOutputDeclarationFileName(fileName, parsedRef.commandLine, !host.useCaseSensitiveFileNames(), getCommonSourceDirectory3), { kind: 2, index });
                      }
                    }
                  }
                }
              });
            }
          }
          (_i = tracing) == null ? void 0 : _i.push(tracing.Phase.Program, "processRootFiles", { count: rootNames.length });
          forEach(rootNames, (name, index) => processRootFile(
            name,
            /*isDefaultLib*/
            false,
            /*ignoreNoDefaultLib*/
            false,
            { kind: 0, index }
          ));
          (_j = tracing) == null ? void 0 : _j.pop();
          automaticTypeDirectiveNames ?? (automaticTypeDirectiveNames = rootNames.length ? getAutomaticTypeDirectiveNames(options, host) : emptyArray);
          automaticTypeDirectiveResolutions = createModeAwareCache();
          if (automaticTypeDirectiveNames.length) {
            (_k = tracing) == null ? void 0 : _k.push(tracing.Phase.Program, "processTypeReferences", { count: automaticTypeDirectiveNames.length });
            const containingDirectory = options.configFilePath ? getDirectoryPath(options.configFilePath) : currentDirectory;
            const containingFilename = combinePaths(containingDirectory, inferredTypesContainingFile);
            const resolutions = resolveTypeReferenceDirectiveNamesReusingOldState(automaticTypeDirectiveNames, containingFilename);
            for (let i = 0; i < automaticTypeDirectiveNames.length; i++) {
              automaticTypeDirectiveResolutions.set(
                automaticTypeDirectiveNames[i],
                /*mode*/
                void 0,
                resolutions[i]
              );
              processTypeReferenceDirective(
                automaticTypeDirectiveNames[i],
                /*mode*/
                void 0,
                resolutions[i],
                {
                  kind: 8,
                  typeReference: automaticTypeDirectiveNames[i],
                  packageId: (_m = (_l = resolutions[i]) == null ? void 0 : _l.resolvedTypeReferenceDirective) == null ? void 0 : _m.packageId
                }
              );
            }
            (_n = tracing) == null ? void 0 : _n.pop();
          }
          if (rootNames.length && !skipDefaultLib) {
            const defaultLibraryFileName = getDefaultLibraryFileName();
            if (!options.lib && defaultLibraryFileName) {
              processRootFile(
                defaultLibraryFileName,
                /*isDefaultLib*/
                true,
                /*ignoreNoDefaultLib*/
                false,
                {
                  kind: 6
                  /* LibFile */
                }
              );
            } else {
              forEach(options.lib, (libFileName, index) => {
                processRootFile(
                  pathForLibFile(libFileName),
                  /*isDefaultLib*/
                  true,
                  /*ignoreNoDefaultLib*/
                  false,
                  { kind: 6, index }
                );
              });
            }
          }
          files = stableSort(processingDefaultLibFiles, compareDefaultLibFiles).concat(processingOtherFiles);
          processingDefaultLibFiles = void 0;
          processingOtherFiles = void 0;
          filesWithReferencesProcessed = void 0;
        }
        if (oldProgram && host.onReleaseOldSourceFile) {
          const oldSourceFiles = oldProgram.getSourceFiles();
          for (const oldSourceFile of oldSourceFiles) {
            const newFile = getSourceFileByPath(oldSourceFile.resolvedPath);
            if (shouldCreateNewSourceFile || !newFile || newFile.impliedNodeFormat !== oldSourceFile.impliedNodeFormat || // old file wasn't redirect but new file is
            oldSourceFile.resolvedPath === oldSourceFile.path && newFile.resolvedPath !== oldSourceFile.path) {
              host.onReleaseOldSourceFile(oldSourceFile, oldProgram.getCompilerOptions(), !!getSourceFileByPath(oldSourceFile.path));
            }
          }
          if (!host.getParsedCommandLine) {
            oldProgram.forEachResolvedProjectReference((resolvedProjectReference) => {
              if (!getResolvedProjectReferenceByPath(resolvedProjectReference.sourceFile.path)) {
                host.onReleaseOldSourceFile(
                  resolvedProjectReference.sourceFile,
                  oldProgram.getCompilerOptions(),
                  /*hasSourceFileByPath*/
                  false
                );
              }
            });
          }
        }
        if (oldProgram && host.onReleaseParsedCommandLine) {
          forEachProjectReference(
            oldProgram.getProjectReferences(),
            oldProgram.getResolvedProjectReferences(),
            (oldResolvedRef, parent2, index) => {
              const oldReference = (parent2 == null ? void 0 : parent2.commandLine.projectReferences[index]) || oldProgram.getProjectReferences()[index];
              const oldRefPath = resolveProjectReferencePath(oldReference);
              if (!(projectReferenceRedirects == null ? void 0 : projectReferenceRedirects.has(toPath32(oldRefPath)))) {
                host.onReleaseParsedCommandLine(oldRefPath, oldResolvedRef, oldProgram.getCompilerOptions());
              }
            }
          );
        }
        oldProgram = void 0;
        resolvedLibProcessing = void 0;
        resolvedModulesProcessing = void 0;
        resolvedTypeReferenceDirectiveNamesProcessing = void 0;
        const program = {
          getRootFileNames: () => rootNames,
          getSourceFile,
          getSourceFileByPath,
          getSourceFiles: () => files,
          getMissingFilePaths: () => missingFileNames,
          getModuleResolutionCache: () => moduleResolutionCache,
          getFilesByNameMap: () => filesByName,
          getCompilerOptions: () => options,
          getSyntacticDiagnostics,
          getOptionsDiagnostics,
          getGlobalDiagnostics,
          getSemanticDiagnostics,
          getCachedSemanticDiagnostics,
          getSuggestionDiagnostics,
          getDeclarationDiagnostics: getDeclarationDiagnostics2,
          getBindAndCheckDiagnostics,
          getProgramDiagnostics,
          getTypeChecker,
          getClassifiableNames,
          getCommonSourceDirectory: getCommonSourceDirectory2,
          emit,
          getCurrentDirectory: () => currentDirectory,
          getNodeCount: () => getTypeChecker().getNodeCount(),
          getIdentifierCount: () => getTypeChecker().getIdentifierCount(),
          getSymbolCount: () => getTypeChecker().getSymbolCount(),
          getTypeCount: () => getTypeChecker().getTypeCount(),
          getInstantiationCount: () => getTypeChecker().getInstantiationCount(),
          getRelationCacheSizes: () => getTypeChecker().getRelationCacheSizes(),
          getFileProcessingDiagnostics: () => fileProcessingDiagnostics,
          getAutomaticTypeDirectiveNames: () => automaticTypeDirectiveNames,
          getAutomaticTypeDirectiveResolutions: () => automaticTypeDirectiveResolutions,
          isSourceFileFromExternalLibrary,
          isSourceFileDefaultLibrary,
          getModeForUsageLocation: getModeForUsageLocation2,
          getModeForResolutionAtIndex: getModeForResolutionAtIndex2,
          getSourceFileFromReference,
          getLibFileFromReference,
          sourceFileToPackageName,
          redirectTargetsMap,
          usesUriStyleNodeCoreModules,
          resolvedModules,
          resolvedTypeReferenceDirectiveNames,
          resolvedLibReferences,
          getResolvedModule,
          getResolvedModuleFromModuleSpecifier,
          getResolvedTypeReferenceDirective,
          getResolvedTypeReferenceDirectiveFromTypeReferenceDirective,
          forEachResolvedModule,
          forEachResolvedTypeReferenceDirective,
          getCurrentPackagesMap: () => packageMap,
          typesPackageExists,
          packageBundlesTypes,
          isEmittedFile,
          getConfigFileParsingDiagnostics: getConfigFileParsingDiagnostics2,
          getProjectReferences,
          getResolvedProjectReferences,
          getProjectReferenceRedirect,
          getResolvedProjectReferenceToRedirect,
          getResolvedProjectReferenceByPath,
          forEachResolvedProjectReference: forEachResolvedProjectReference2,
          isSourceOfProjectReferenceRedirect,
          getRedirectReferenceForResolutionFromSourceOfProject,
          emitBuildInfo,
          fileExists,
          readFile: readFile2,
          directoryExists,
          getSymlinkCache,
          realpath: (_o = host.realpath) == null ? void 0 : _o.bind(host),
          useCaseSensitiveFileNames: () => host.useCaseSensitiveFileNames(),
          getCanonicalFileName,
          getFileIncludeReasons: () => fileReasons,
          structureIsReused,
          writeFile: writeFile2
        };
        onProgramCreateComplete();
        verifyCompilerOptions();
        mark("afterProgram");
        measure("Program", "beforeProgram", "afterProgram");
        (_p = tracing) == null ? void 0 : _p.pop();
        return program;
        function updateAndGetProgramDiagnostics() {
          if (lazyProgramDiagnosticExplainingFile) {
            fileProcessingDiagnostics == null ? void 0 : fileProcessingDiagnostics.forEach((diagnostic) => {
              switch (diagnostic.kind) {
                case 1:
                  return programDiagnostics.add(
                    createDiagnosticExplainingFile(
                      diagnostic.file && getSourceFileByPath(diagnostic.file),
                      diagnostic.fileProcessingReason,
                      diagnostic.diagnostic,
                      diagnostic.args || emptyArray
                    )
                  );
                case 0:
                  return programDiagnostics.add(filePreprocessingLibreferenceDiagnostic(diagnostic));
                case 2:
                  return diagnostic.diagnostics.forEach((d) => programDiagnostics.add(d));
                default:
                  Debug.assertNever(diagnostic);
              }
            });
            lazyProgramDiagnosticExplainingFile.forEach(
              ({ file, diagnostic, args }) => programDiagnostics.add(
                createDiagnosticExplainingFile(
                  file,
                  /*fileProcessingReason*/
                  void 0,
                  diagnostic,
                  args
                )
              )
            );
            lazyProgramDiagnosticExplainingFile = void 0;
            fileReasonsToChain = void 0;
            reasonToRelatedInfo = void 0;
          }
          return programDiagnostics;
        }
        function filePreprocessingLibreferenceDiagnostic({ reason }) {
          const { file, pos, end } = getReferencedFileLocation(program, reason);
          const libReference = file.libReferenceDirectives[reason.index];
          const libName = getLibNameFromLibReference(libReference);
          const unqualifiedLibName = removeSuffix(removePrefix(libName, "lib."), ".d.ts");
          const suggestion = getSpellingSuggestion(unqualifiedLibName, libs, identity2);
          return createFileDiagnostic(
            file,
            Debug.checkDefined(pos),
            Debug.checkDefined(end) - pos,
            suggestion ? Diagnostics.Cannot_find_lib_definition_for_0_Did_you_mean_1 : Diagnostics.Cannot_find_lib_definition_for_0,
            libName,
            suggestion
          );
        }
        function getResolvedModule(file, moduleName, mode) {
          var _a2;
          return (_a2 = resolvedModules == null ? void 0 : resolvedModules.get(file.path)) == null ? void 0 : _a2.get(moduleName, mode);
        }
        function getResolvedModuleFromModuleSpecifier(moduleSpecifier, sourceFile) {
          sourceFile ?? (sourceFile = getSourceFileOfNode(moduleSpecifier));
          Debug.assertIsDefined(sourceFile, "`moduleSpecifier` must have a `SourceFile` ancestor. Use `program.getResolvedModule` instead to provide the containing file and resolution mode.");
          return getResolvedModule(sourceFile, moduleSpecifier.text, getModeForUsageLocation2(sourceFile, moduleSpecifier));
        }
        function getResolvedTypeReferenceDirective(file, typeDirectiveName, mode) {
          var _a2;
          return (_a2 = resolvedTypeReferenceDirectiveNames == null ? void 0 : resolvedTypeReferenceDirectiveNames.get(file.path)) == null ? void 0 : _a2.get(typeDirectiveName, mode);
        }
        function getResolvedTypeReferenceDirectiveFromTypeReferenceDirective(typeRef, sourceFile) {
          return getResolvedTypeReferenceDirective(sourceFile, typeRef.fileName, typeRef.resolutionMode || sourceFile.impliedNodeFormat);
        }
        function forEachResolvedModule(callback, file) {
          forEachResolution(resolvedModules, callback, file);
        }
        function forEachResolvedTypeReferenceDirective(callback, file) {
          forEachResolution(resolvedTypeReferenceDirectiveNames, callback, file);
        }
        function forEachResolution(resolutionCache, callback, file) {
          var _a2;
          if (file) (_a2 = resolutionCache == null ? void 0 : resolutionCache.get(file.path)) == null ? void 0 : _a2.forEach((resolution, name, mode) => callback(resolution, name, mode, file.path));
          else resolutionCache == null ? void 0 : resolutionCache.forEach((resolutions, filePath) => resolutions.forEach((resolution, name, mode) => callback(resolution, name, mode, filePath)));
        }
        function getPackagesMap() {
          if (packageMap) return packageMap;
          packageMap = /* @__PURE__ */ new Map();
          forEachResolvedModule(({ resolvedModule }) => {
            if (resolvedModule == null ? void 0 : resolvedModule.packageId) packageMap.set(resolvedModule.packageId.name, resolvedModule.extension === ".d.ts" || !!packageMap.get(resolvedModule.packageId.name));
          });
          return packageMap;
        }
        function typesPackageExists(packageName) {
          return getPackagesMap().has(getTypesPackageName(packageName));
        }
        function packageBundlesTypes(packageName) {
          return !!getPackagesMap().get(packageName);
        }
        function addResolutionDiagnostics(resolution) {
          var _a2;
          if (!((_a2 = resolution.resolutionDiagnostics) == null ? void 0 : _a2.length)) return;
          (fileProcessingDiagnostics ?? (fileProcessingDiagnostics = [])).push({
            kind: 2,
            diagnostics: resolution.resolutionDiagnostics
          });
        }
        function addResolutionDiagnosticsFromResolutionOrCache(containingFile, name, resolution, mode) {
          if (host.resolveModuleNameLiterals || !host.resolveModuleNames) return addResolutionDiagnostics(resolution);
          if (!moduleResolutionCache || isExternalModuleNameRelative(name)) return;
          const containingFileName = getNormalizedAbsolutePath(containingFile.originalFileName, currentDirectory);
          const containingDir = getDirectoryPath(containingFileName);
          const redirectedReference = getRedirectReferenceForResolution(containingFile);
          const fromCache = moduleResolutionCache.getFromNonRelativeNameCache(name, mode, containingDir, redirectedReference);
          if (fromCache) addResolutionDiagnostics(fromCache);
        }
        function resolveModuleNamesWorker(moduleNames, containingFile, reusedNames) {
          var _a2, _b2;
          if (!moduleNames.length) return emptyArray;
          const containingFileName = getNormalizedAbsolutePath(containingFile.originalFileName, currentDirectory);
          const redirectedReference = getRedirectReferenceForResolution(containingFile);
          (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.Program, "resolveModuleNamesWorker", { containingFileName });
          mark("beforeResolveModule");
          const result = actualResolveModuleNamesWorker(moduleNames, containingFileName, redirectedReference, options, containingFile, reusedNames);
          mark("afterResolveModule");
          measure("ResolveModule", "beforeResolveModule", "afterResolveModule");
          (_b2 = tracing) == null ? void 0 : _b2.pop();
          return result;
        }
        function resolveTypeReferenceDirectiveNamesWorker(typeDirectiveNames, containingFile, reusedNames) {
          var _a2, _b2;
          if (!typeDirectiveNames.length) return [];
          const containingSourceFile = !isString2(containingFile) ? containingFile : void 0;
          const containingFileName = !isString2(containingFile) ? getNormalizedAbsolutePath(containingFile.originalFileName, currentDirectory) : containingFile;
          const redirectedReference = containingSourceFile && getRedirectReferenceForResolution(containingSourceFile);
          (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.Program, "resolveTypeReferenceDirectiveNamesWorker", { containingFileName });
          mark("beforeResolveTypeReference");
          const result = actualResolveTypeReferenceDirectiveNamesWorker(typeDirectiveNames, containingFileName, redirectedReference, options, containingSourceFile, reusedNames);
          mark("afterResolveTypeReference");
          measure("ResolveTypeReference", "beforeResolveTypeReference", "afterResolveTypeReference");
          (_b2 = tracing) == null ? void 0 : _b2.pop();
          return result;
        }
        function getRedirectReferenceForResolution(file) {
          const redirect = getResolvedProjectReferenceToRedirect(file.originalFileName);
          if (redirect || !isDeclarationFileName(file.originalFileName)) return redirect;
          const resultFromDts = getRedirectReferenceForResolutionFromSourceOfProject(file.path);
          if (resultFromDts) return resultFromDts;
          if (!host.realpath || !options.preserveSymlinks || !file.originalFileName.includes(nodeModulesPathPart)) return void 0;
          const realDeclarationPath = toPath32(host.realpath(file.originalFileName));
          return realDeclarationPath === file.path ? void 0 : getRedirectReferenceForResolutionFromSourceOfProject(realDeclarationPath);
        }
        function getRedirectReferenceForResolutionFromSourceOfProject(filePath) {
          const source = getSourceOfProjectReferenceRedirect(filePath);
          if (isString2(source)) return getResolvedProjectReferenceToRedirect(source);
          if (!source) return void 0;
          return forEachResolvedProjectReference2((resolvedRef) => {
            const out = resolvedRef.commandLine.options.outFile;
            if (!out) return void 0;
            return toPath32(out) === filePath ? resolvedRef : void 0;
          });
        }
        function compareDefaultLibFiles(a, b) {
          return compareValues(getDefaultLibFilePriority(a), getDefaultLibFilePriority(b));
        }
        function getDefaultLibFilePriority(a) {
          if (containsPath(
            defaultLibraryPath,
            a.fileName,
            /*ignoreCase*/
            false
          )) {
            const basename = getBaseFileName(a.fileName);
            if (basename === "lib.d.ts" || basename === "lib.es6.d.ts") return 0;
            const name = removeSuffix(removePrefix(basename, "lib."), ".d.ts");
            const index = libs.indexOf(name);
            if (index !== -1) return index + 1;
          }
          return libs.length + 2;
        }
        function toPath32(fileName) {
          return toPath3(fileName, currentDirectory, getCanonicalFileName);
        }
        function getCommonSourceDirectory2() {
          if (commonSourceDirectory === void 0) {
            const emittedFiles = filter(files, (file) => sourceFileMayBeEmitted(file, program));
            commonSourceDirectory = getCommonSourceDirectory(
              options,
              () => mapDefined(emittedFiles, (file) => file.isDeclarationFile ? void 0 : file.fileName),
              currentDirectory,
              getCanonicalFileName,
              (commonSourceDirectory2) => checkSourceFilesBelongToPath(emittedFiles, commonSourceDirectory2)
            );
          }
          return commonSourceDirectory;
        }
        function getClassifiableNames() {
          var _a2;
          if (!classifiableNames) {
            getTypeChecker();
            classifiableNames = /* @__PURE__ */ new Set();
            for (const sourceFile of files) {
              (_a2 = sourceFile.classifiableNames) == null ? void 0 : _a2.forEach((value) => classifiableNames.add(value));
            }
          }
          return classifiableNames;
        }
        function resolveModuleNamesReusingOldState(moduleNames, file) {
          if (structureIsReused === 0 && !file.ambientModuleNames.length) {
            return resolveModuleNamesWorker(
              moduleNames,
              file,
              /*reusedNames*/
              void 0
            );
          }
          let unknownModuleNames;
          let result;
          let reusedNames;
          const predictedToResolveToAmbientModuleMarker = emptyResolution;
          const oldSourceFile = oldProgram && oldProgram.getSourceFile(file.fileName);
          for (let i = 0; i < moduleNames.length; i++) {
            const moduleName = moduleNames[i];
            if (file === oldSourceFile && !hasInvalidatedResolutions(file.path)) {
              const oldResolution = oldProgram == null ? void 0 : oldProgram.getResolvedModule(file, moduleName.text, getModeForUsageLocation2(file, moduleName));
              if (oldResolution == null ? void 0 : oldResolution.resolvedModule) {
                if (isTraceEnabled(options, host)) {
                  trace(
                    host,
                    oldResolution.resolvedModule.packageId ? Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package_ID_3 : Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2,
                    moduleName.text,
                    getNormalizedAbsolutePath(file.originalFileName, currentDirectory),
                    oldResolution.resolvedModule.resolvedFileName,
                    oldResolution.resolvedModule.packageId && packageIdToString(oldResolution.resolvedModule.packageId)
                  );
                }
                (result ?? (result = new Array(moduleNames.length)))[i] = oldResolution;
                (reusedNames ?? (reusedNames = [])).push(moduleName);
                continue;
              }
            }
            let resolvesToAmbientModuleInNonModifiedFile = false;
            if (contains(file.ambientModuleNames, moduleName.text)) {
              resolvesToAmbientModuleInNonModifiedFile = true;
              if (isTraceEnabled(options, host)) {
                trace(host, Diagnostics.Module_0_was_resolved_as_locally_declared_ambient_module_in_file_1, moduleName.text, getNormalizedAbsolutePath(file.originalFileName, currentDirectory));
              }
            } else {
              resolvesToAmbientModuleInNonModifiedFile = moduleNameResolvesToAmbientModuleInNonModifiedFile(moduleName);
            }
            if (resolvesToAmbientModuleInNonModifiedFile) {
              (result || (result = new Array(moduleNames.length)))[i] = predictedToResolveToAmbientModuleMarker;
            } else {
              (unknownModuleNames ?? (unknownModuleNames = [])).push(moduleName);
            }
          }
          const resolutions = unknownModuleNames && unknownModuleNames.length ? resolveModuleNamesWorker(unknownModuleNames, file, reusedNames) : emptyArray;
          if (!result) {
            Debug.assert(resolutions.length === moduleNames.length);
            return resolutions;
          }
          let j = 0;
          for (let i = 0; i < result.length; i++) {
            if (!result[i]) {
              result[i] = resolutions[j];
              j++;
            }
          }
          Debug.assert(j === resolutions.length);
          return result;
          function moduleNameResolvesToAmbientModuleInNonModifiedFile(moduleName) {
            var _a2;
            const resolutionToFile = (_a2 = oldProgram == null ? void 0 : oldProgram.getResolvedModule(file, moduleName.text, getModeForUsageLocation2(file, moduleName))) == null ? void 0 : _a2.resolvedModule;
            const resolvedFile = resolutionToFile && oldProgram.getSourceFile(resolutionToFile.resolvedFileName);
            if (resolutionToFile && resolvedFile) {
              return false;
            }
            const unmodifiedFile = ambientModuleNameToUnmodifiedFileName.get(moduleName.text);
            if (!unmodifiedFile) {
              return false;
            }
            if (isTraceEnabled(options, host)) {
              trace(host, Diagnostics.Module_0_was_resolved_as_ambient_module_declared_in_1_since_this_file_was_not_modified, moduleName.text, unmodifiedFile);
            }
            return true;
          }
        }
        function resolveTypeReferenceDirectiveNamesReusingOldState(typeDirectiveNames, containingFile) {
          var _a2;
          if (structureIsReused === 0) {
            return resolveTypeReferenceDirectiveNamesWorker(
              typeDirectiveNames,
              containingFile,
              /*reusedNames*/
              void 0
            );
          }
          let unknownTypeReferenceDirectiveNames;
          let result;
          let reusedNames;
          const containingSourceFile = !isString2(containingFile) ? containingFile : void 0;
          const oldSourceFile = !isString2(containingFile) ? oldProgram && oldProgram.getSourceFile(containingFile.fileName) : void 0;
          const canReuseResolutions = !isString2(containingFile) ? containingFile === oldSourceFile && !hasInvalidatedResolutions(containingFile.path) : !hasInvalidatedResolutions(toPath32(containingFile));
          for (let i = 0; i < typeDirectiveNames.length; i++) {
            const entry = typeDirectiveNames[i];
            if (canReuseResolutions) {
              const typeDirectiveName = getTypeReferenceResolutionName(entry);
              const mode = getModeForFileReference(entry, containingSourceFile == null ? void 0 : containingSourceFile.impliedNodeFormat);
              const oldResolution = !isString2(containingFile) ? oldProgram == null ? void 0 : oldProgram.getResolvedTypeReferenceDirective(containingFile, typeDirectiveName, mode) : (_a2 = oldProgram == null ? void 0 : oldProgram.getAutomaticTypeDirectiveResolutions()) == null ? void 0 : _a2.get(typeDirectiveName, mode);
              if (oldResolution == null ? void 0 : oldResolution.resolvedTypeReferenceDirective) {
                if (isTraceEnabled(options, host)) {
                  trace(
                    host,
                    oldResolution.resolvedTypeReferenceDirective.packageId ? Diagnostics.Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package_ID_3 : Diagnostics.Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_successfully_resolved_to_2,
                    typeDirectiveName,
                    !isString2(containingFile) ? getNormalizedAbsolutePath(containingFile.originalFileName, currentDirectory) : containingFile,
                    oldResolution.resolvedTypeReferenceDirective.resolvedFileName,
                    oldResolution.resolvedTypeReferenceDirective.packageId && packageIdToString(oldResolution.resolvedTypeReferenceDirective.packageId)
                  );
                }
                (result ?? (result = new Array(typeDirectiveNames.length)))[i] = oldResolution;
                (reusedNames ?? (reusedNames = [])).push(entry);
                continue;
              }
            }
            (unknownTypeReferenceDirectiveNames ?? (unknownTypeReferenceDirectiveNames = [])).push(entry);
          }
          if (!unknownTypeReferenceDirectiveNames) return result || emptyArray;
          const resolutions = resolveTypeReferenceDirectiveNamesWorker(
            unknownTypeReferenceDirectiveNames,
            containingFile,
            reusedNames
          );
          if (!result) {
            Debug.assert(resolutions.length === typeDirectiveNames.length);
            return resolutions;
          }
          let j = 0;
          for (let i = 0; i < result.length; i++) {
            if (!result[i]) {
              result[i] = resolutions[j];
              j++;
            }
          }
          Debug.assert(j === resolutions.length);
          return result;
        }
        function canReuseProjectReferences() {
          return !forEachProjectReference(
            oldProgram.getProjectReferences(),
            oldProgram.getResolvedProjectReferences(),
            (oldResolvedRef, parent2, index) => {
              const newRef = (parent2 ? parent2.commandLine.projectReferences : projectReferences)[index];
              const newResolvedRef = parseProjectReferenceConfigFile(newRef);
              if (oldResolvedRef) {
                return !newResolvedRef || newResolvedRef.sourceFile !== oldResolvedRef.sourceFile || !arrayIsEqualTo(oldResolvedRef.commandLine.fileNames, newResolvedRef.commandLine.fileNames);
              } else {
                return newResolvedRef !== void 0;
              }
            },
            (oldProjectReferences, parent2) => {
              const newReferences = parent2 ? getResolvedProjectReferenceByPath(parent2.sourceFile.path).commandLine.projectReferences : projectReferences;
              return !arrayIsEqualTo(oldProjectReferences, newReferences, projectReferenceIsEqualTo);
            }
          );
        }
        function tryReuseStructureFromOldProgram() {
          var _a2;
          if (!oldProgram) {
            return 0;
          }
          const oldOptions = oldProgram.getCompilerOptions();
          if (changesAffectModuleResolution(oldOptions, options)) {
            return 0;
          }
          const oldRootNames = oldProgram.getRootFileNames();
          if (!arrayIsEqualTo(oldRootNames, rootNames)) {
            return 0;
          }
          if (!canReuseProjectReferences()) {
            return 0;
          }
          if (projectReferences) {
            resolvedProjectReferences = projectReferences.map(parseProjectReferenceConfigFile);
          }
          const newSourceFiles = [];
          const modifiedSourceFiles = [];
          structureIsReused = 2;
          if (forEachEntry(oldProgram.getMissingFilePaths(), (missingFileName) => host.fileExists(missingFileName))) {
            return 0;
          }
          const oldSourceFiles = oldProgram.getSourceFiles();
          let SeenPackageName;
          ((SeenPackageName2) => {
            SeenPackageName2[SeenPackageName2["Exists"] = 0] = "Exists";
            SeenPackageName2[SeenPackageName2["Modified"] = 1] = "Modified";
          })(SeenPackageName || (SeenPackageName = {}));
          const seenPackageNames = /* @__PURE__ */ new Map();
          for (const oldSourceFile of oldSourceFiles) {
            const sourceFileOptions = getCreateSourceFileOptions(oldSourceFile.fileName, moduleResolutionCache, host, options);
            let newSourceFile = host.getSourceFileByPath ? host.getSourceFileByPath(
              oldSourceFile.fileName,
              oldSourceFile.resolvedPath,
              sourceFileOptions,
              /*onError*/
              void 0,
              shouldCreateNewSourceFile
            ) : host.getSourceFile(
              oldSourceFile.fileName,
              sourceFileOptions,
              /*onError*/
              void 0,
              shouldCreateNewSourceFile
            );
            if (!newSourceFile) {
              return 0;
            }
            newSourceFile.packageJsonLocations = ((_a2 = sourceFileOptions.packageJsonLocations) == null ? void 0 : _a2.length) ? sourceFileOptions.packageJsonLocations : void 0;
            newSourceFile.packageJsonScope = sourceFileOptions.packageJsonScope;
            Debug.assert(!newSourceFile.redirectInfo, "Host should not return a redirect source file from `getSourceFile`");
            let fileChanged;
            if (oldSourceFile.redirectInfo) {
              if (newSourceFile !== oldSourceFile.redirectInfo.unredirected) {
                return 0;
              }
              fileChanged = false;
              newSourceFile = oldSourceFile;
            } else if (oldProgram.redirectTargetsMap.has(oldSourceFile.path)) {
              if (newSourceFile !== oldSourceFile) {
                return 0;
              }
              fileChanged = false;
            } else {
              fileChanged = newSourceFile !== oldSourceFile;
            }
            newSourceFile.path = oldSourceFile.path;
            newSourceFile.originalFileName = oldSourceFile.originalFileName;
            newSourceFile.resolvedPath = oldSourceFile.resolvedPath;
            newSourceFile.fileName = oldSourceFile.fileName;
            const packageName = oldProgram.sourceFileToPackageName.get(oldSourceFile.path);
            if (packageName !== void 0) {
              const prevKind = seenPackageNames.get(packageName);
              const newKind = fileChanged ? 1 : 0;
              if (prevKind !== void 0 && newKind === 1 || prevKind === 1) {
                return 0;
              }
              seenPackageNames.set(packageName, newKind);
            }
            if (fileChanged) {
              if (oldSourceFile.impliedNodeFormat !== newSourceFile.impliedNodeFormat) {
                structureIsReused = 1;
              } else if (!arrayIsEqualTo(oldSourceFile.libReferenceDirectives, newSourceFile.libReferenceDirectives, fileReferenceIsEqualTo)) {
                structureIsReused = 1;
              } else if (oldSourceFile.hasNoDefaultLib !== newSourceFile.hasNoDefaultLib) {
                structureIsReused = 1;
              } else if (!arrayIsEqualTo(oldSourceFile.referencedFiles, newSourceFile.referencedFiles, fileReferenceIsEqualTo)) {
                structureIsReused = 1;
              } else {
                collectExternalModuleReferences(newSourceFile);
                if (!arrayIsEqualTo(oldSourceFile.imports, newSourceFile.imports, moduleNameIsEqualTo)) {
                  structureIsReused = 1;
                } else if (!arrayIsEqualTo(oldSourceFile.moduleAugmentations, newSourceFile.moduleAugmentations, moduleNameIsEqualTo)) {
                  structureIsReused = 1;
                } else if ((oldSourceFile.flags & 12582912) !== (newSourceFile.flags & 12582912)) {
                  structureIsReused = 1;
                } else if (!arrayIsEqualTo(oldSourceFile.typeReferenceDirectives, newSourceFile.typeReferenceDirectives, fileReferenceIsEqualTo)) {
                  structureIsReused = 1;
                }
              }
              modifiedSourceFiles.push(newSourceFile);
            } else if (hasInvalidatedResolutions(oldSourceFile.path)) {
              structureIsReused = 1;
              modifiedSourceFiles.push(newSourceFile);
            } else {
              for (const moduleName of oldSourceFile.ambientModuleNames) {
                ambientModuleNameToUnmodifiedFileName.set(moduleName, oldSourceFile.fileName);
              }
            }
            newSourceFiles.push(newSourceFile);
          }
          if (structureIsReused !== 2) {
            return structureIsReused;
          }
          for (const newSourceFile of modifiedSourceFiles) {
            const moduleNames = getModuleNames(newSourceFile);
            const resolutions = resolveModuleNamesReusingOldState(moduleNames, newSourceFile);
            (resolvedModulesProcessing ?? (resolvedModulesProcessing = /* @__PURE__ */ new Map())).set(newSourceFile.path, resolutions);
            const resolutionsChanged = hasChangesInResolutions(
              moduleNames,
              resolutions,
              (name) => oldProgram.getResolvedModule(newSourceFile, name.text, getModeForUsageLocation2(newSourceFile, name)),
              moduleResolutionIsEqualTo
            );
            if (resolutionsChanged) structureIsReused = 1;
            const typesReferenceDirectives = newSourceFile.typeReferenceDirectives;
            const typeReferenceResolutions = resolveTypeReferenceDirectiveNamesReusingOldState(typesReferenceDirectives, newSourceFile);
            (resolvedTypeReferenceDirectiveNamesProcessing ?? (resolvedTypeReferenceDirectiveNamesProcessing = /* @__PURE__ */ new Map())).set(newSourceFile.path, typeReferenceResolutions);
            const typeReferenceResolutionsChanged = hasChangesInResolutions(
              typesReferenceDirectives,
              typeReferenceResolutions,
              (name) => oldProgram.getResolvedTypeReferenceDirective(newSourceFile, getTypeReferenceResolutionName(name), getModeForFileReference(name, newSourceFile.impliedNodeFormat)),
              typeDirectiveIsEqualTo
            );
            if (typeReferenceResolutionsChanged) structureIsReused = 1;
          }
          if (structureIsReused !== 2) {
            return structureIsReused;
          }
          if (changesAffectingProgramStructure(oldOptions, options)) {
            return 1;
          }
          if (oldProgram.resolvedLibReferences && forEachEntry(oldProgram.resolvedLibReferences, (resolution, libFileName) => pathForLibFileWorker(libFileName).actual !== resolution.actual)) {
            return 1;
          }
          if (host.hasChangedAutomaticTypeDirectiveNames) {
            if (host.hasChangedAutomaticTypeDirectiveNames()) return 1;
          } else {
            automaticTypeDirectiveNames = getAutomaticTypeDirectiveNames(options, host);
            if (!arrayIsEqualTo(oldProgram.getAutomaticTypeDirectiveNames(), automaticTypeDirectiveNames)) return 1;
          }
          missingFileNames = oldProgram.getMissingFilePaths();
          Debug.assert(newSourceFiles.length === oldProgram.getSourceFiles().length);
          for (const newSourceFile of newSourceFiles) {
            filesByName.set(newSourceFile.path, newSourceFile);
          }
          const oldFilesByNameMap = oldProgram.getFilesByNameMap();
          oldFilesByNameMap.forEach((oldFile, path17) => {
            if (!oldFile) {
              filesByName.set(path17, oldFile);
              return;
            }
            if (oldFile.path === path17) {
              if (oldProgram.isSourceFileFromExternalLibrary(oldFile)) {
                sourceFilesFoundSearchingNodeModules.set(oldFile.path, true);
              }
              return;
            }
            filesByName.set(path17, filesByName.get(oldFile.path));
          });
          files = newSourceFiles;
          fileReasons = oldProgram.getFileIncludeReasons();
          fileProcessingDiagnostics = oldProgram.getFileProcessingDiagnostics();
          automaticTypeDirectiveNames = oldProgram.getAutomaticTypeDirectiveNames();
          automaticTypeDirectiveResolutions = oldProgram.getAutomaticTypeDirectiveResolutions();
          sourceFileToPackageName = oldProgram.sourceFileToPackageName;
          redirectTargetsMap = oldProgram.redirectTargetsMap;
          usesUriStyleNodeCoreModules = oldProgram.usesUriStyleNodeCoreModules;
          resolvedModules = oldProgram.resolvedModules;
          resolvedTypeReferenceDirectiveNames = oldProgram.resolvedTypeReferenceDirectiveNames;
          resolvedLibReferences = oldProgram.resolvedLibReferences;
          packageMap = oldProgram.getCurrentPackagesMap();
          return 2;
        }
        function getEmitHost(writeFileCallback) {
          return {
            getCanonicalFileName,
            getCommonSourceDirectory: program.getCommonSourceDirectory,
            getCompilerOptions: program.getCompilerOptions,
            getCurrentDirectory: () => currentDirectory,
            getSourceFile: program.getSourceFile,
            getSourceFileByPath: program.getSourceFileByPath,
            getSourceFiles: program.getSourceFiles,
            isSourceFileFromExternalLibrary,
            getResolvedProjectReferenceToRedirect,
            getProjectReferenceRedirect,
            isSourceOfProjectReferenceRedirect,
            getSymlinkCache,
            writeFile: writeFileCallback || writeFile2,
            isEmitBlocked,
            readFile: (f) => host.readFile(f),
            fileExists: (f) => {
              const path17 = toPath32(f);
              if (getSourceFileByPath(path17)) return true;
              if (missingFileNames.has(path17)) return false;
              return host.fileExists(f);
            },
            realpath: maybeBind(host, host.realpath),
            useCaseSensitiveFileNames: () => host.useCaseSensitiveFileNames(),
            getBuildInfo: () => {
              var _a2;
              return (_a2 = program.getBuildInfo) == null ? void 0 : _a2.call(program);
            },
            getSourceFileFromReference: (file, ref) => program.getSourceFileFromReference(file, ref),
            redirectTargetsMap,
            getFileIncludeReasons: program.getFileIncludeReasons,
            createHash: maybeBind(host, host.createHash),
            getModuleResolutionCache: () => program.getModuleResolutionCache(),
            trace: maybeBind(host, host.trace)
          };
        }
        function writeFile2(fileName, text, writeByteOrderMark, onError, sourceFiles, data) {
          host.writeFile(fileName, text, writeByteOrderMark, onError, sourceFiles, data);
        }
        function emitBuildInfo(writeFileCallback) {
          var _a2, _b2;
          Debug.assert(!options.outFile);
          (_a2 = tracing) == null ? void 0 : _a2.push(
            tracing.Phase.Emit,
            "emitBuildInfo",
            {},
            /*separateBeginAndEnd*/
            true
          );
          mark("beforeEmit");
          const emitResult = emitFiles(
            notImplementedResolver,
            getEmitHost(writeFileCallback),
            /*targetSourceFile*/
            void 0,
            /*transformers*/
            noTransformers,
            /*emitOnly*/
            false,
            /*onlyBuildInfo*/
            true
          );
          mark("afterEmit");
          measure("Emit", "beforeEmit", "afterEmit");
          (_b2 = tracing) == null ? void 0 : _b2.pop();
          return emitResult;
        }
        function getResolvedProjectReferences() {
          return resolvedProjectReferences;
        }
        function getProjectReferences() {
          return projectReferences;
        }
        function isSourceFileFromExternalLibrary(file) {
          return !!sourceFilesFoundSearchingNodeModules.get(file.path);
        }
        function isSourceFileDefaultLibrary(file) {
          if (!file.isDeclarationFile) {
            return false;
          }
          if (file.hasNoDefaultLib) {
            return true;
          }
          if (!options.noLib) {
            return false;
          }
          const equalityComparer = host.useCaseSensitiveFileNames() ? equateStringsCaseSensitive : equateStringsCaseInsensitive;
          if (!options.lib) {
            return equalityComparer(file.fileName, getDefaultLibraryFileName());
          } else {
            return some(options.lib, (libFileName) => equalityComparer(file.fileName, resolvedLibReferences.get(libFileName).actual));
          }
        }
        function getTypeChecker() {
          return typeChecker || (typeChecker = createTypeChecker(program));
        }
        function emit(sourceFile, writeFileCallback, cancellationToken, emitOnly, transformers, forceDtsEmit) {
          var _a2, _b2;
          (_a2 = tracing) == null ? void 0 : _a2.push(
            tracing.Phase.Emit,
            "emit",
            { path: sourceFile == null ? void 0 : sourceFile.path },
            /*separateBeginAndEnd*/
            true
          );
          const result = runWithCancellationToken(() => emitWorker(program, sourceFile, writeFileCallback, cancellationToken, emitOnly, transformers, forceDtsEmit));
          (_b2 = tracing) == null ? void 0 : _b2.pop();
          return result;
        }
        function isEmitBlocked(emitFileName) {
          return hasEmitBlockingDiagnostics.has(toPath32(emitFileName));
        }
        function emitWorker(program2, sourceFile, writeFileCallback, cancellationToken, emitOnly, customTransformers, forceDtsEmit) {
          if (!forceDtsEmit) {
            const result = handleNoEmitOptions(program2, sourceFile, writeFileCallback, cancellationToken);
            if (result) return result;
          }
          const typeChecker2 = getTypeChecker();
          const emitResolver = typeChecker2.getEmitResolver(
            options.outFile ? void 0 : sourceFile,
            cancellationToken,
            emitResolverSkipsTypeChecking(emitOnly, forceDtsEmit)
          );
          mark("beforeEmit");
          const emitResult = typeChecker2.runWithCancellationToken(
            cancellationToken,
            () => emitFiles(
              emitResolver,
              getEmitHost(writeFileCallback),
              sourceFile,
              getTransformers(options, customTransformers, emitOnly),
              emitOnly,
              /*onlyBuildInfo*/
              false,
              forceDtsEmit
            )
          );
          mark("afterEmit");
          measure("Emit", "beforeEmit", "afterEmit");
          return emitResult;
        }
        function getSourceFile(fileName) {
          return getSourceFileByPath(toPath32(fileName));
        }
        function getSourceFileByPath(path17) {
          return filesByName.get(path17) || void 0;
        }
        function getDiagnosticsHelper(sourceFile, getDiagnostics2, cancellationToken) {
          if (sourceFile) {
            return sortAndDeduplicateDiagnostics(getDiagnostics2(sourceFile, cancellationToken));
          }
          return sortAndDeduplicateDiagnostics(flatMap(program.getSourceFiles(), (sourceFile2) => {
            if (cancellationToken) {
              cancellationToken.throwIfCancellationRequested();
            }
            return getDiagnostics2(sourceFile2, cancellationToken);
          }));
        }
        function getSyntacticDiagnostics(sourceFile, cancellationToken) {
          return getDiagnosticsHelper(sourceFile, getSyntacticDiagnosticsForFile, cancellationToken);
        }
        function getSemanticDiagnostics(sourceFile, cancellationToken) {
          return getDiagnosticsHelper(sourceFile, getSemanticDiagnosticsForFile, cancellationToken);
        }
        function getCachedSemanticDiagnostics(sourceFile) {
          var _a2;
          return sourceFile ? (_a2 = cachedBindAndCheckDiagnosticsForFile.perFile) == null ? void 0 : _a2.get(sourceFile.path) : cachedBindAndCheckDiagnosticsForFile.allDiagnostics;
        }
        function getBindAndCheckDiagnostics(sourceFile, cancellationToken) {
          return getBindAndCheckDiagnosticsForFile(sourceFile, cancellationToken);
        }
        function getProgramDiagnostics(sourceFile) {
          var _a2;
          if (skipTypeChecking(sourceFile, options, program)) {
            return emptyArray;
          }
          const programDiagnosticsInFile = updateAndGetProgramDiagnostics().getDiagnostics(sourceFile.fileName);
          if (!((_a2 = sourceFile.commentDirectives) == null ? void 0 : _a2.length)) {
            return programDiagnosticsInFile;
          }
          return getDiagnosticsWithPrecedingDirectives(sourceFile, sourceFile.commentDirectives, programDiagnosticsInFile).diagnostics;
        }
        function getDeclarationDiagnostics2(sourceFile, cancellationToken) {
          const options2 = program.getCompilerOptions();
          if (!sourceFile || options2.outFile) {
            return getDeclarationDiagnosticsWorker(sourceFile, cancellationToken);
          } else {
            return getDiagnosticsHelper(sourceFile, getDeclarationDiagnosticsForFile, cancellationToken);
          }
        }
        function getSyntacticDiagnosticsForFile(sourceFile) {
          if (isSourceFileJS(sourceFile)) {
            if (!sourceFile.additionalSyntacticDiagnostics) {
              sourceFile.additionalSyntacticDiagnostics = getJSSyntacticDiagnosticsForFile(sourceFile);
            }
            return concatenate(sourceFile.additionalSyntacticDiagnostics, sourceFile.parseDiagnostics);
          }
          return sourceFile.parseDiagnostics;
        }
        function runWithCancellationToken(func) {
          try {
            return func();
          } catch (e) {
            if (e instanceof OperationCanceledException) {
              typeChecker = void 0;
            }
            throw e;
          }
        }
        function getSemanticDiagnosticsForFile(sourceFile, cancellationToken) {
          return concatenate(
            filterSemanticDiagnostics(getBindAndCheckDiagnosticsForFile(sourceFile, cancellationToken), options),
            getProgramDiagnostics(sourceFile)
          );
        }
        function getBindAndCheckDiagnosticsForFile(sourceFile, cancellationToken) {
          return getAndCacheDiagnostics(sourceFile, cancellationToken, cachedBindAndCheckDiagnosticsForFile, getBindAndCheckDiagnosticsForFileNoCache);
        }
        function getBindAndCheckDiagnosticsForFileNoCache(sourceFile, cancellationToken) {
          return runWithCancellationToken(() => {
            if (skipTypeChecking(sourceFile, options, program)) {
              return emptyArray;
            }
            const typeChecker2 = getTypeChecker();
            Debug.assert(!!sourceFile.bindDiagnostics);
            const isJs = sourceFile.scriptKind === 1 || sourceFile.scriptKind === 2;
            const isCheckJs = isJs && isCheckJsEnabledForFile(sourceFile, options);
            const isPlainJs = isPlainJsFile(sourceFile, options.checkJs);
            let bindDiagnostics = sourceFile.bindDiagnostics;
            let checkDiagnostics = typeChecker2.getDiagnostics(sourceFile, cancellationToken);
            if (isPlainJs) {
              bindDiagnostics = filter(bindDiagnostics, (d) => plainJSErrors.has(d.code));
              checkDiagnostics = filter(checkDiagnostics, (d) => plainJSErrors.has(d.code));
            }
            return getMergedBindAndCheckDiagnostics(sourceFile, !isPlainJs, bindDiagnostics, checkDiagnostics, isCheckJs ? sourceFile.jsDocDiagnostics : void 0);
          });
        }
        function getMergedBindAndCheckDiagnostics(sourceFile, includeBindAndCheckDiagnostics, ...allDiagnostics) {
          var _a2;
          const flatDiagnostics = flatten(allDiagnostics);
          if (!includeBindAndCheckDiagnostics || !((_a2 = sourceFile.commentDirectives) == null ? void 0 : _a2.length)) {
            return flatDiagnostics;
          }
          const { diagnostics, directives } = getDiagnosticsWithPrecedingDirectives(sourceFile, sourceFile.commentDirectives, flatDiagnostics);
          for (const errorExpectation of directives.getUnusedExpectations()) {
            diagnostics.push(createDiagnosticForRange(sourceFile, errorExpectation.range, Diagnostics.Unused_ts_expect_error_directive));
          }
          return diagnostics;
        }
        function getDiagnosticsWithPrecedingDirectives(sourceFile, commentDirectives, flatDiagnostics) {
          const directives = createCommentDirectivesMap(sourceFile, commentDirectives);
          const diagnostics = flatDiagnostics.filter((diagnostic) => markPrecedingCommentDirectiveLine(diagnostic, directives) === -1);
          return { diagnostics, directives };
        }
        function getSuggestionDiagnostics(sourceFile, cancellationToken) {
          return runWithCancellationToken(() => {
            return getTypeChecker().getSuggestionDiagnostics(sourceFile, cancellationToken);
          });
        }
        function markPrecedingCommentDirectiveLine(diagnostic, directives) {
          const { file, start } = diagnostic;
          if (!file) {
            return -1;
          }
          const lineStarts = getLineStarts(file);
          let line = computeLineAndCharacterOfPosition(lineStarts, start).line - 1;
          while (line >= 0) {
            if (directives.markUsed(line)) {
              return line;
            }
            const lineText = file.text.slice(lineStarts[line], lineStarts[line + 1]).trim();
            if (lineText !== "" && !/^(\s*)\/\/(.*)$/.test(lineText)) {
              return -1;
            }
            line--;
          }
          return -1;
        }
        function getJSSyntacticDiagnosticsForFile(sourceFile) {
          return runWithCancellationToken(() => {
            const diagnostics = [];
            walk(sourceFile, sourceFile);
            forEachChildRecursively(sourceFile, walk, walkArray);
            return diagnostics;
            function walk(node, parent2) {
              switch (parent2.kind) {
                case 169:
                case 172:
                case 174:
                  if (parent2.questionToken === node) {
                    diagnostics.push(createDiagnosticForNode2(node, Diagnostics.The_0_modifier_can_only_be_used_in_TypeScript_files, "?"));
                    return "skip";
                  }
                case 173:
                case 176:
                case 177:
                case 178:
                case 218:
                case 262:
                case 219:
                case 260:
                  if (parent2.type === node) {
                    diagnostics.push(createDiagnosticForNode2(node, Diagnostics.Type_annotations_can_only_be_used_in_TypeScript_files));
                    return "skip";
                  }
              }
              switch (node.kind) {
                case 273:
                  if (node.isTypeOnly) {
                    diagnostics.push(createDiagnosticForNode2(parent2, Diagnostics._0_declarations_can_only_be_used_in_TypeScript_files, "import type"));
                    return "skip";
                  }
                  break;
                case 278:
                  if (node.isTypeOnly) {
                    diagnostics.push(createDiagnosticForNode2(node, Diagnostics._0_declarations_can_only_be_used_in_TypeScript_files, "export type"));
                    return "skip";
                  }
                  break;
                case 276:
                case 281:
                  if (node.isTypeOnly) {
                    diagnostics.push(createDiagnosticForNode2(node, Diagnostics._0_declarations_can_only_be_used_in_TypeScript_files, isImportSpecifier(node) ? "import...type" : "export...type"));
                    return "skip";
                  }
                  break;
                case 271:
                  diagnostics.push(createDiagnosticForNode2(node, Diagnostics.import_can_only_be_used_in_TypeScript_files));
                  return "skip";
                case 277:
                  if (node.isExportEquals) {
                    diagnostics.push(createDiagnosticForNode2(node, Diagnostics.export_can_only_be_used_in_TypeScript_files));
                    return "skip";
                  }
                  break;
                case 298:
                  const heritageClause = node;
                  if (heritageClause.token === 119) {
                    diagnostics.push(createDiagnosticForNode2(node, Diagnostics.implements_clauses_can_only_be_used_in_TypeScript_files));
                    return "skip";
                  }
                  break;
                case 264:
                  const interfaceKeyword = tokenToString(
                    120
                    /* InterfaceKeyword */
                  );
                  Debug.assertIsDefined(interfaceKeyword);
                  diagnostics.push(createDiagnosticForNode2(node, Diagnostics._0_declarations_can_only_be_used_in_TypeScript_files, interfaceKeyword));
                  return "skip";
                case 267:
                  const moduleKeyword = node.flags & 32 ? tokenToString(
                    145
                    /* NamespaceKeyword */
                  ) : tokenToString(
                    144
                    /* ModuleKeyword */
                  );
                  Debug.assertIsDefined(moduleKeyword);
                  diagnostics.push(createDiagnosticForNode2(node, Diagnostics._0_declarations_can_only_be_used_in_TypeScript_files, moduleKeyword));
                  return "skip";
                case 265:
                  diagnostics.push(createDiagnosticForNode2(node, Diagnostics.Type_aliases_can_only_be_used_in_TypeScript_files));
                  return "skip";
                case 176:
                case 174:
                case 262:
                  if (!node.body) {
                    diagnostics.push(createDiagnosticForNode2(node, Diagnostics.Signature_declarations_can_only_be_used_in_TypeScript_files));
                    return "skip";
                  }
                  return;
                case 266:
                  const enumKeyword = Debug.checkDefined(tokenToString(
                    94
                    /* EnumKeyword */
                  ));
                  diagnostics.push(createDiagnosticForNode2(node, Diagnostics._0_declarations_can_only_be_used_in_TypeScript_files, enumKeyword));
                  return "skip";
                case 235:
                  diagnostics.push(createDiagnosticForNode2(node, Diagnostics.Non_null_assertions_can_only_be_used_in_TypeScript_files));
                  return "skip";
                case 234:
                  diagnostics.push(createDiagnosticForNode2(node.type, Diagnostics.Type_assertion_expressions_can_only_be_used_in_TypeScript_files));
                  return "skip";
                case 238:
                  diagnostics.push(createDiagnosticForNode2(node.type, Diagnostics.Type_satisfaction_expressions_can_only_be_used_in_TypeScript_files));
                  return "skip";
                case 216:
                  Debug.fail();
              }
            }
            function walkArray(nodes, parent2) {
              if (canHaveIllegalDecorators(parent2)) {
                const decorator = find(parent2.modifiers, isDecorator);
                if (decorator) {
                  diagnostics.push(createDiagnosticForNode2(decorator, Diagnostics.Decorators_are_not_valid_here));
                }
              } else if (canHaveDecorators(parent2) && parent2.modifiers) {
                const decoratorIndex = findIndex(parent2.modifiers, isDecorator);
                if (decoratorIndex >= 0) {
                  if (isParameter(parent2) && !options.experimentalDecorators) {
                    diagnostics.push(createDiagnosticForNode2(parent2.modifiers[decoratorIndex], Diagnostics.Decorators_are_not_valid_here));
                  } else if (isClassDeclaration(parent2)) {
                    const exportIndex = findIndex(parent2.modifiers, isExportModifier);
                    if (exportIndex >= 0) {
                      const defaultIndex = findIndex(parent2.modifiers, isDefaultModifier);
                      if (decoratorIndex > exportIndex && defaultIndex >= 0 && decoratorIndex < defaultIndex) {
                        diagnostics.push(createDiagnosticForNode2(parent2.modifiers[decoratorIndex], Diagnostics.Decorators_are_not_valid_here));
                      } else if (exportIndex >= 0 && decoratorIndex < exportIndex) {
                        const trailingDecoratorIndex = findIndex(parent2.modifiers, isDecorator, exportIndex);
                        if (trailingDecoratorIndex >= 0) {
                          diagnostics.push(addRelatedInfo(
                            createDiagnosticForNode2(parent2.modifiers[trailingDecoratorIndex], Diagnostics.Decorators_may_not_appear_after_export_or_export_default_if_they_also_appear_before_export),
                            createDiagnosticForNode2(parent2.modifiers[decoratorIndex], Diagnostics.Decorator_used_before_export_here)
                          ));
                        }
                      }
                    }
                  }
                }
              }
              switch (parent2.kind) {
                case 263:
                case 231:
                case 174:
                case 176:
                case 177:
                case 178:
                case 218:
                case 262:
                case 219:
                  if (nodes === parent2.typeParameters) {
                    diagnostics.push(createDiagnosticForNodeArray2(nodes, Diagnostics.Type_parameter_declarations_can_only_be_used_in_TypeScript_files));
                    return "skip";
                  }
                case 243:
                  if (nodes === parent2.modifiers) {
                    checkModifiers(
                      parent2.modifiers,
                      parent2.kind === 243
                      /* VariableStatement */
                    );
                    return "skip";
                  }
                  break;
                case 172:
                  if (nodes === parent2.modifiers) {
                    for (const modifier of nodes) {
                      if (isModifier(modifier) && modifier.kind !== 126 && modifier.kind !== 129) {
                        diagnostics.push(createDiagnosticForNode2(modifier, Diagnostics.The_0_modifier_can_only_be_used_in_TypeScript_files, tokenToString(modifier.kind)));
                      }
                    }
                    return "skip";
                  }
                  break;
                case 169:
                  if (nodes === parent2.modifiers && some(nodes, isModifier)) {
                    diagnostics.push(createDiagnosticForNodeArray2(nodes, Diagnostics.Parameter_modifiers_can_only_be_used_in_TypeScript_files));
                    return "skip";
                  }
                  break;
                case 213:
                case 214:
                case 233:
                case 285:
                case 286:
                case 215:
                  if (nodes === parent2.typeArguments) {
                    diagnostics.push(createDiagnosticForNodeArray2(nodes, Diagnostics.Type_arguments_can_only_be_used_in_TypeScript_files));
                    return "skip";
                  }
                  break;
              }
            }
            function checkModifiers(modifiers, isConstValid) {
              for (const modifier of modifiers) {
                switch (modifier.kind) {
                  case 87:
                    if (isConstValid) {
                      continue;
                    }
                  case 125:
                  case 123:
                  case 124:
                  case 148:
                  case 138:
                  case 128:
                  case 164:
                  case 103:
                  case 147:
                    diagnostics.push(createDiagnosticForNode2(modifier, Diagnostics.The_0_modifier_can_only_be_used_in_TypeScript_files, tokenToString(modifier.kind)));
                    break;
                  case 126:
                  case 95:
                  case 90:
                  case 129:
                }
              }
            }
            function createDiagnosticForNodeArray2(nodes, message, ...args) {
              const start = nodes.pos;
              return createFileDiagnostic(sourceFile, start, nodes.end - start, message, ...args);
            }
            function createDiagnosticForNode2(node, message, ...args) {
              return createDiagnosticForNodeInSourceFile(sourceFile, node, message, ...args);
            }
          });
        }
        function getDeclarationDiagnosticsWorker(sourceFile, cancellationToken) {
          return getAndCacheDiagnostics(sourceFile, cancellationToken, cachedDeclarationDiagnosticsForFile, getDeclarationDiagnosticsForFileNoCache);
        }
        function getDeclarationDiagnosticsForFileNoCache(sourceFile, cancellationToken) {
          return runWithCancellationToken(() => {
            const resolver = getTypeChecker().getEmitResolver(sourceFile, cancellationToken);
            return getDeclarationDiagnostics(getEmitHost(noop2), resolver, sourceFile) || emptyArray;
          });
        }
        function getAndCacheDiagnostics(sourceFile, cancellationToken, cache, getDiagnostics2) {
          var _a2;
          const cachedResult = sourceFile ? (_a2 = cache.perFile) == null ? void 0 : _a2.get(sourceFile.path) : cache.allDiagnostics;
          if (cachedResult) {
            return cachedResult;
          }
          const result = getDiagnostics2(sourceFile, cancellationToken);
          if (sourceFile) {
            (cache.perFile || (cache.perFile = /* @__PURE__ */ new Map())).set(sourceFile.path, result);
          } else {
            cache.allDiagnostics = result;
          }
          return result;
        }
        function getDeclarationDiagnosticsForFile(sourceFile, cancellationToken) {
          return sourceFile.isDeclarationFile ? [] : getDeclarationDiagnosticsWorker(sourceFile, cancellationToken);
        }
        function getOptionsDiagnostics() {
          return sortAndDeduplicateDiagnostics(concatenate(
            updateAndGetProgramDiagnostics().getGlobalDiagnostics(),
            getOptionsDiagnosticsOfConfigFile()
          ));
        }
        function getOptionsDiagnosticsOfConfigFile() {
          if (!options.configFile) return emptyArray;
          let diagnostics = updateAndGetProgramDiagnostics().getDiagnostics(options.configFile.fileName);
          forEachResolvedProjectReference2((resolvedRef) => {
            diagnostics = concatenate(diagnostics, updateAndGetProgramDiagnostics().getDiagnostics(resolvedRef.sourceFile.fileName));
          });
          return diagnostics;
        }
        function getGlobalDiagnostics() {
          return rootNames.length ? sortAndDeduplicateDiagnostics(getTypeChecker().getGlobalDiagnostics().slice()) : emptyArray;
        }
        function getConfigFileParsingDiagnostics2() {
          return configFileParsingDiagnostics || emptyArray;
        }
        function processRootFile(fileName, isDefaultLib, ignoreNoDefaultLib, reason) {
          processSourceFile(
            normalizePath(fileName),
            isDefaultLib,
            ignoreNoDefaultLib,
            /*packageId*/
            void 0,
            reason
          );
        }
        function fileReferenceIsEqualTo(a, b) {
          return a.fileName === b.fileName;
        }
        function moduleNameIsEqualTo(a, b) {
          return a.kind === 80 ? b.kind === 80 && a.escapedText === b.escapedText : b.kind === 11 && a.text === b.text;
        }
        function createSyntheticImport(text, file) {
          const externalHelpersModuleReference = factory.createStringLiteral(text);
          const importDecl = factory.createImportDeclaration(
            /*modifiers*/
            void 0,
            /*importClause*/
            void 0,
            externalHelpersModuleReference
          );
          addInternalEmitFlags(
            importDecl,
            2
            /* NeverApplyImportHelper */
          );
          setParent(externalHelpersModuleReference, importDecl);
          setParent(importDecl, file);
          externalHelpersModuleReference.flags &= ~16;
          importDecl.flags &= ~16;
          return externalHelpersModuleReference;
        }
        function collectExternalModuleReferences(file) {
          if (file.imports) {
            return;
          }
          const isJavaScriptFile = isSourceFileJS(file);
          const isExternalModuleFile = isExternalModule(file);
          let imports;
          let moduleAugmentations;
          let ambientModules;
          if (isJavaScriptFile || !file.isDeclarationFile && (getIsolatedModules(options) || isExternalModule(file))) {
            if (options.importHelpers) {
              imports = [createSyntheticImport(externalHelpersModuleNameText, file)];
            }
            const jsxImport = getJSXRuntimeImport(getJSXImplicitImportBase(options, file), options);
            if (jsxImport) {
              (imports || (imports = [])).push(createSyntheticImport(jsxImport, file));
            }
          }
          for (const node of file.statements) {
            collectModuleReferences(
              node,
              /*inAmbientModule*/
              false
            );
          }
          if (file.flags & 4194304 || isJavaScriptFile) {
            collectDynamicImportOrRequireOrJsDocImportCalls(file);
          }
          file.imports = imports || emptyArray;
          file.moduleAugmentations = moduleAugmentations || emptyArray;
          file.ambientModuleNames = ambientModules || emptyArray;
          return;
          function collectModuleReferences(node, inAmbientModule) {
            if (isAnyImportOrReExport(node)) {
              const moduleNameExpr = getExternalModuleName(node);
              if (moduleNameExpr && isStringLiteral2(moduleNameExpr) && moduleNameExpr.text && (!inAmbientModule || !isExternalModuleNameRelative(moduleNameExpr.text))) {
                setParentRecursive(
                  node,
                  /*incremental*/
                  false
                );
                imports = append(imports, moduleNameExpr);
                if (!usesUriStyleNodeCoreModules && currentNodeModulesDepth === 0 && !file.isDeclarationFile) {
                  usesUriStyleNodeCoreModules = startsWith2(moduleNameExpr.text, "node:");
                }
              }
            } else if (isModuleDeclaration(node)) {
              if (isAmbientModule(node) && (inAmbientModule || hasSyntacticModifier(
                node,
                128
                /* Ambient */
              ) || file.isDeclarationFile)) {
                node.name.parent = node;
                const nameText = getTextOfIdentifierOrLiteral(node.name);
                if (isExternalModuleFile || inAmbientModule && !isExternalModuleNameRelative(nameText)) {
                  (moduleAugmentations || (moduleAugmentations = [])).push(node.name);
                } else if (!inAmbientModule) {
                  if (file.isDeclarationFile) {
                    (ambientModules || (ambientModules = [])).push(nameText);
                  }
                  const body = node.body;
                  if (body) {
                    for (const statement of body.statements) {
                      collectModuleReferences(
                        statement,
                        /*inAmbientModule*/
                        true
                      );
                    }
                  }
                }
              }
            }
          }
          function collectDynamicImportOrRequireOrJsDocImportCalls(file2) {
            const r = /import|require/g;
            while (r.exec(file2.text) !== null) {
              const node = getNodeAtPosition(file2, r.lastIndex);
              if (isJavaScriptFile && isRequireCall(
                node,
                /*requireStringLiteralLikeArgument*/
                true
              )) {
                setParentRecursive(
                  node,
                  /*incremental*/
                  false
                );
                imports = append(imports, node.arguments[0]);
              } else if (isImportCall(node) && node.arguments.length >= 1 && isStringLiteralLike(node.arguments[0])) {
                setParentRecursive(
                  node,
                  /*incremental*/
                  false
                );
                imports = append(imports, node.arguments[0]);
              } else if (isLiteralImportTypeNode(node)) {
                setParentRecursive(
                  node,
                  /*incremental*/
                  false
                );
                imports = append(imports, node.argument.literal);
              } else if (isJavaScriptFile && isJSDocImportTag(node)) {
                const moduleNameExpr = getExternalModuleName(node);
                if (moduleNameExpr && isStringLiteral2(moduleNameExpr) && moduleNameExpr.text) {
                  setParentRecursive(
                    node,
                    /*incremental*/
                    false
                  );
                  imports = append(imports, moduleNameExpr);
                }
              }
            }
          }
          function getNodeAtPosition(sourceFile, position) {
            let current = sourceFile;
            const getContainingChild = (child) => {
              if (child.pos <= position && (position < child.end || position === child.end && child.kind === 1)) {
                return child;
              }
            };
            while (true) {
              const child = isJavaScriptFile && hasJSDocNodes(current) && forEach(current.jsDoc, getContainingChild) || forEachChild(current, getContainingChild);
              if (!child) {
                return current;
              }
              current = child;
            }
          }
        }
        function getLibFileFromReference(ref) {
          var _a2;
          const libFileName = getLibFileNameFromLibReference(ref);
          const actualFileName = libFileName && ((_a2 = resolvedLibReferences == null ? void 0 : resolvedLibReferences.get(libFileName)) == null ? void 0 : _a2.actual);
          return actualFileName !== void 0 ? getSourceFile(actualFileName) : void 0;
        }
        function getSourceFileFromReference(referencingFile, ref) {
          return getSourceFileFromReferenceWorker(resolveTripleslashReference(ref.fileName, referencingFile.fileName), getSourceFile);
        }
        function getSourceFileFromReferenceWorker(fileName, getSourceFile2, fail, reason) {
          if (hasExtension(fileName)) {
            const canonicalFileName = host.getCanonicalFileName(fileName);
            if (!options.allowNonTsExtensions && !forEach(flatten(supportedExtensionsWithJsonIfResolveJsonModule), (extension) => fileExtensionIs(canonicalFileName, extension))) {
              if (fail) {
                if (hasJSFileExtension(canonicalFileName)) {
                  fail(Diagnostics.File_0_is_a_JavaScript_file_Did_you_mean_to_enable_the_allowJs_option, fileName);
                } else {
                  fail(Diagnostics.File_0_has_an_unsupported_extension_The_only_supported_extensions_are_1, fileName, "'" + flatten(supportedExtensions).join("', '") + "'");
                }
              }
              return void 0;
            }
            const sourceFile = getSourceFile2(fileName);
            if (fail) {
              if (!sourceFile) {
                const redirect = getProjectReferenceRedirect(fileName);
                if (redirect) {
                  fail(Diagnostics.Output_file_0_has_not_been_built_from_source_file_1, redirect, fileName);
                } else {
                  fail(Diagnostics.File_0_not_found, fileName);
                }
              } else if (isReferencedFile(reason) && canonicalFileName === host.getCanonicalFileName(getSourceFileByPath(reason.file).fileName)) {
                fail(Diagnostics.A_file_cannot_have_a_reference_to_itself);
              }
            }
            return sourceFile;
          } else {
            const sourceFileNoExtension = options.allowNonTsExtensions && getSourceFile2(fileName);
            if (sourceFileNoExtension) return sourceFileNoExtension;
            if (fail && options.allowNonTsExtensions) {
              fail(Diagnostics.File_0_not_found, fileName);
              return void 0;
            }
            const sourceFileWithAddedExtension = forEach(supportedExtensions[0], (extension) => getSourceFile2(fileName + extension));
            if (fail && !sourceFileWithAddedExtension) fail(Diagnostics.Could_not_resolve_the_path_0_with_the_extensions_Colon_1, fileName, "'" + flatten(supportedExtensions).join("', '") + "'");
            return sourceFileWithAddedExtension;
          }
        }
        function processSourceFile(fileName, isDefaultLib, ignoreNoDefaultLib, packageId, reason) {
          getSourceFileFromReferenceWorker(
            fileName,
            (fileName2) => findSourceFile(fileName2, isDefaultLib, ignoreNoDefaultLib, reason, packageId),
            // TODO: GH#18217
            (diagnostic, ...args) => addFilePreprocessingFileExplainingDiagnostic(
              /*file*/
              void 0,
              reason,
              diagnostic,
              args
            ),
            reason
          );
        }
        function processProjectReferenceFile(fileName, reason) {
          return processSourceFile(
            fileName,
            /*isDefaultLib*/
            false,
            /*ignoreNoDefaultLib*/
            false,
            /*packageId*/
            void 0,
            reason
          );
        }
        function reportFileNamesDifferOnlyInCasingError(fileName, existingFile, reason) {
          const hasExistingReasonToReportErrorOn = !isReferencedFile(reason) && some(fileReasons.get(existingFile.path), isReferencedFile);
          if (hasExistingReasonToReportErrorOn) {
            addFilePreprocessingFileExplainingDiagnostic(existingFile, reason, Diagnostics.Already_included_file_name_0_differs_from_file_name_1_only_in_casing, [existingFile.fileName, fileName]);
          } else {
            addFilePreprocessingFileExplainingDiagnostic(existingFile, reason, Diagnostics.File_name_0_differs_from_already_included_file_name_1_only_in_casing, [fileName, existingFile.fileName]);
          }
        }
        function createRedirectedSourceFile(redirectTarget, unredirected, fileName, path17, resolvedPath, originalFileName, sourceFileOptions) {
          var _a2;
          const redirect = parseNodeFactory.createRedirectedSourceFile({ redirectTarget, unredirected });
          redirect.fileName = fileName;
          redirect.path = path17;
          redirect.resolvedPath = resolvedPath;
          redirect.originalFileName = originalFileName;
          redirect.packageJsonLocations = ((_a2 = sourceFileOptions.packageJsonLocations) == null ? void 0 : _a2.length) ? sourceFileOptions.packageJsonLocations : void 0;
          redirect.packageJsonScope = sourceFileOptions.packageJsonScope;
          sourceFilesFoundSearchingNodeModules.set(path17, currentNodeModulesDepth > 0);
          return redirect;
        }
        function findSourceFile(fileName, isDefaultLib, ignoreNoDefaultLib, reason, packageId) {
          var _a2, _b2;
          (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.Program, "findSourceFile", {
            fileName,
            isDefaultLib: isDefaultLib || void 0,
            fileIncludeKind: FileIncludeKind[reason.kind]
          });
          const result = findSourceFileWorker(fileName, isDefaultLib, ignoreNoDefaultLib, reason, packageId);
          (_b2 = tracing) == null ? void 0 : _b2.pop();
          return result;
        }
        function getCreateSourceFileOptions(fileName, moduleResolutionCache2, host2, options2) {
          const result = getImpliedNodeFormatForFileWorker(getNormalizedAbsolutePath(fileName, currentDirectory), moduleResolutionCache2 == null ? void 0 : moduleResolutionCache2.getPackageJsonInfoCache(), host2, options2);
          const languageVersion = getEmitScriptTarget(options2);
          const setExternalModuleIndicator2 = getSetExternalModuleIndicator(options2);
          return typeof result === "object" ? { ...result, languageVersion, setExternalModuleIndicator: setExternalModuleIndicator2, jsDocParsingMode: host2.jsDocParsingMode } : { languageVersion, impliedNodeFormat: result, setExternalModuleIndicator: setExternalModuleIndicator2, jsDocParsingMode: host2.jsDocParsingMode };
        }
        function findSourceFileWorker(fileName, isDefaultLib, ignoreNoDefaultLib, reason, packageId) {
          var _a2;
          const path17 = toPath32(fileName);
          if (useSourceOfProjectReferenceRedirect) {
            let source = getSourceOfProjectReferenceRedirect(path17);
            if (!source && host.realpath && options.preserveSymlinks && isDeclarationFileName(fileName) && fileName.includes(nodeModulesPathPart)) {
              const realPath2 = toPath32(host.realpath(fileName));
              if (realPath2 !== path17) source = getSourceOfProjectReferenceRedirect(realPath2);
            }
            if (source) {
              const file2 = isString2(source) ? findSourceFile(source, isDefaultLib, ignoreNoDefaultLib, reason, packageId) : void 0;
              if (file2) addFileToFilesByName(
                file2,
                path17,
                fileName,
                /*redirectedPath*/
                void 0
              );
              return file2;
            }
          }
          const originalFileName = fileName;
          if (filesByName.has(path17)) {
            const file2 = filesByName.get(path17);
            const addedReason = addFileIncludeReason(
              file2 || void 0,
              reason,
              /*checkExisting*/
              true
            );
            if (file2 && addedReason && !(options.forceConsistentCasingInFileNames === false)) {
              const checkedName = file2.fileName;
              const isRedirect = toPath32(checkedName) !== toPath32(fileName);
              if (isRedirect) {
                fileName = getProjectReferenceRedirect(fileName) || fileName;
              }
              const checkedAbsolutePath = getNormalizedAbsolutePathWithoutRoot(checkedName, currentDirectory);
              const inputAbsolutePath = getNormalizedAbsolutePathWithoutRoot(fileName, currentDirectory);
              if (checkedAbsolutePath !== inputAbsolutePath) {
                reportFileNamesDifferOnlyInCasingError(fileName, file2, reason);
              }
            }
            if (file2 && sourceFilesFoundSearchingNodeModules.get(file2.path) && currentNodeModulesDepth === 0) {
              sourceFilesFoundSearchingNodeModules.set(file2.path, false);
              if (!options.noResolve) {
                processReferencedFiles(file2, isDefaultLib);
                processTypeReferenceDirectives(file2);
              }
              if (!options.noLib) {
                processLibReferenceDirectives(file2);
              }
              modulesWithElidedImports.set(file2.path, false);
              processImportedModules(file2);
            } else if (file2 && modulesWithElidedImports.get(file2.path)) {
              if (currentNodeModulesDepth < maxNodeModuleJsDepth) {
                modulesWithElidedImports.set(file2.path, false);
                processImportedModules(file2);
              }
            }
            return file2 || void 0;
          }
          let redirectedPath;
          if (!useSourceOfProjectReferenceRedirect) {
            const redirectProject = getProjectReferenceRedirectProject(fileName);
            if (redirectProject) {
              if (redirectProject.commandLine.options.outFile) {
                return void 0;
              }
              const redirect = getProjectReferenceOutputName(redirectProject, fileName);
              fileName = redirect;
              redirectedPath = toPath32(redirect);
            }
          }
          const sourceFileOptions = getCreateSourceFileOptions(fileName, moduleResolutionCache, host, options);
          const file = host.getSourceFile(
            fileName,
            sourceFileOptions,
            (hostErrorMessage) => addFilePreprocessingFileExplainingDiagnostic(
              /*file*/
              void 0,
              reason,
              Diagnostics.Cannot_read_file_0_Colon_1,
              [fileName, hostErrorMessage]
            ),
            shouldCreateNewSourceFile
          );
          if (packageId) {
            const packageIdKey = packageIdToString(packageId);
            const fileFromPackageId = packageIdToSourceFile.get(packageIdKey);
            if (fileFromPackageId) {
              const dupFile = createRedirectedSourceFile(fileFromPackageId, file, fileName, path17, toPath32(fileName), originalFileName, sourceFileOptions);
              redirectTargetsMap.add(fileFromPackageId.path, fileName);
              addFileToFilesByName(dupFile, path17, fileName, redirectedPath);
              addFileIncludeReason(
                dupFile,
                reason,
                /*checkExisting*/
                false
              );
              sourceFileToPackageName.set(path17, packageIdToPackageName(packageId));
              processingOtherFiles.push(dupFile);
              return dupFile;
            } else if (file) {
              packageIdToSourceFile.set(packageIdKey, file);
              sourceFileToPackageName.set(path17, packageIdToPackageName(packageId));
            }
          }
          addFileToFilesByName(file, path17, fileName, redirectedPath);
          if (file) {
            sourceFilesFoundSearchingNodeModules.set(path17, currentNodeModulesDepth > 0);
            file.fileName = fileName;
            file.path = path17;
            file.resolvedPath = toPath32(fileName);
            file.originalFileName = originalFileName;
            file.packageJsonLocations = ((_a2 = sourceFileOptions.packageJsonLocations) == null ? void 0 : _a2.length) ? sourceFileOptions.packageJsonLocations : void 0;
            file.packageJsonScope = sourceFileOptions.packageJsonScope;
            addFileIncludeReason(
              file,
              reason,
              /*checkExisting*/
              false
            );
            if (host.useCaseSensitiveFileNames()) {
              const pathLowerCase = toFileNameLowerCase(path17);
              const existingFile = filesByNameIgnoreCase.get(pathLowerCase);
              if (existingFile) {
                reportFileNamesDifferOnlyInCasingError(fileName, existingFile, reason);
              } else {
                filesByNameIgnoreCase.set(pathLowerCase, file);
              }
            }
            skipDefaultLib = skipDefaultLib || file.hasNoDefaultLib && !ignoreNoDefaultLib;
            if (!options.noResolve) {
              processReferencedFiles(file, isDefaultLib);
              processTypeReferenceDirectives(file);
            }
            if (!options.noLib) {
              processLibReferenceDirectives(file);
            }
            processImportedModules(file);
            if (isDefaultLib) {
              processingDefaultLibFiles.push(file);
            } else {
              processingOtherFiles.push(file);
            }
            (filesWithReferencesProcessed ?? (filesWithReferencesProcessed = /* @__PURE__ */ new Set())).add(file.path);
          }
          return file;
        }
        function addFileIncludeReason(file, reason, checkExisting) {
          if (file && (!checkExisting || !isReferencedFile(reason) || !(filesWithReferencesProcessed == null ? void 0 : filesWithReferencesProcessed.has(reason.file)))) {
            fileReasons.add(file.path, reason);
            return true;
          }
          return false;
        }
        function addFileToFilesByName(file, path17, fileName, redirectedPath) {
          if (redirectedPath) {
            updateFilesByNameMap(fileName, redirectedPath, file);
            updateFilesByNameMap(fileName, path17, file || false);
          } else {
            updateFilesByNameMap(fileName, path17, file);
          }
        }
        function updateFilesByNameMap(fileName, path17, file) {
          filesByName.set(path17, file);
          if (file !== void 0) missingFileNames.delete(path17);
          else missingFileNames.set(path17, fileName);
        }
        function getProjectReferenceRedirect(fileName) {
          const referencedProject = getProjectReferenceRedirectProject(fileName);
          return referencedProject && getProjectReferenceOutputName(referencedProject, fileName);
        }
        function getProjectReferenceRedirectProject(fileName) {
          if (!resolvedProjectReferences || !resolvedProjectReferences.length || isDeclarationFileName(fileName) || fileExtensionIs(
            fileName,
            ".json"
            /* Json */
          )) {
            return void 0;
          }
          return getResolvedProjectReferenceToRedirect(fileName);
        }
        function getProjectReferenceOutputName(referencedProject, fileName) {
          const out = referencedProject.commandLine.options.outFile;
          return out ? changeExtension(
            out,
            ".d.ts"
            /* Dts */
          ) : getOutputDeclarationFileName(fileName, referencedProject.commandLine, !host.useCaseSensitiveFileNames());
        }
        function getResolvedProjectReferenceToRedirect(fileName) {
          if (mapFromFileToProjectReferenceRedirects === void 0) {
            mapFromFileToProjectReferenceRedirects = /* @__PURE__ */ new Map();
            forEachResolvedProjectReference2((referencedProject) => {
              if (toPath32(options.configFilePath) !== referencedProject.sourceFile.path) {
                referencedProject.commandLine.fileNames.forEach((f) => mapFromFileToProjectReferenceRedirects.set(toPath32(f), referencedProject.sourceFile.path));
              }
            });
          }
          const referencedProjectPath = mapFromFileToProjectReferenceRedirects.get(toPath32(fileName));
          return referencedProjectPath && getResolvedProjectReferenceByPath(referencedProjectPath);
        }
        function forEachResolvedProjectReference2(cb) {
          return forEachResolvedProjectReference(resolvedProjectReferences, cb);
        }
        function getSourceOfProjectReferenceRedirect(path17) {
          if (!isDeclarationFileName(path17)) return void 0;
          if (mapFromToProjectReferenceRedirectSource === void 0) {
            mapFromToProjectReferenceRedirectSource = /* @__PURE__ */ new Map();
            forEachResolvedProjectReference2((resolvedRef) => {
              const out = resolvedRef.commandLine.options.outFile;
              if (out) {
                const outputDts = changeExtension(
                  out,
                  ".d.ts"
                  /* Dts */
                );
                mapFromToProjectReferenceRedirectSource.set(toPath32(outputDts), true);
              } else {
                const getCommonSourceDirectory3 = memoize(() => getCommonSourceDirectoryOfConfig(resolvedRef.commandLine, !host.useCaseSensitiveFileNames()));
                forEach(resolvedRef.commandLine.fileNames, (fileName) => {
                  if (!isDeclarationFileName(fileName) && !fileExtensionIs(
                    fileName,
                    ".json"
                    /* Json */
                  )) {
                    const outputDts = getOutputDeclarationFileName(fileName, resolvedRef.commandLine, !host.useCaseSensitiveFileNames(), getCommonSourceDirectory3);
                    mapFromToProjectReferenceRedirectSource.set(toPath32(outputDts), fileName);
                  }
                });
              }
            });
          }
          return mapFromToProjectReferenceRedirectSource.get(path17);
        }
        function isSourceOfProjectReferenceRedirect(fileName) {
          return useSourceOfProjectReferenceRedirect && !!getResolvedProjectReferenceToRedirect(fileName);
        }
        function getResolvedProjectReferenceByPath(projectReferencePath) {
          if (!projectReferenceRedirects) {
            return void 0;
          }
          return projectReferenceRedirects.get(projectReferencePath) || void 0;
        }
        function processReferencedFiles(file, isDefaultLib) {
          forEach(file.referencedFiles, (ref, index) => {
            processSourceFile(
              resolveTripleslashReference(ref.fileName, file.fileName),
              isDefaultLib,
              /*ignoreNoDefaultLib*/
              false,
              /*packageId*/
              void 0,
              { kind: 4, file: file.path, index }
            );
          });
        }
        function processTypeReferenceDirectives(file) {
          const typeDirectives = file.typeReferenceDirectives;
          if (!typeDirectives.length) return;
          const resolutions = (resolvedTypeReferenceDirectiveNamesProcessing == null ? void 0 : resolvedTypeReferenceDirectiveNamesProcessing.get(file.path)) || resolveTypeReferenceDirectiveNamesReusingOldState(typeDirectives, file);
          const resolutionsInFile = createModeAwareCache();
          (resolvedTypeReferenceDirectiveNames ?? (resolvedTypeReferenceDirectiveNames = /* @__PURE__ */ new Map())).set(file.path, resolutionsInFile);
          for (let index = 0; index < typeDirectives.length; index++) {
            const ref = file.typeReferenceDirectives[index];
            const resolvedTypeReferenceDirective = resolutions[index];
            const fileName = ref.fileName;
            resolutionsInFile.set(fileName, getModeForFileReference(ref, file.impliedNodeFormat), resolvedTypeReferenceDirective);
            const mode = ref.resolutionMode || file.impliedNodeFormat;
            processTypeReferenceDirective(fileName, mode, resolvedTypeReferenceDirective, { kind: 5, file: file.path, index });
          }
        }
        function processTypeReferenceDirective(typeReferenceDirective, mode, resolution, reason) {
          var _a2, _b2;
          (_a2 = tracing) == null ? void 0 : _a2.push(tracing.Phase.Program, "processTypeReferenceDirective", { directive: typeReferenceDirective, hasResolved: !!resolution.resolvedTypeReferenceDirective, refKind: reason.kind, refPath: isReferencedFile(reason) ? reason.file : void 0 });
          processTypeReferenceDirectiveWorker(typeReferenceDirective, mode, resolution, reason);
          (_b2 = tracing) == null ? void 0 : _b2.pop();
        }
        function processTypeReferenceDirectiveWorker(typeReferenceDirective, mode, resolution, reason) {
          addResolutionDiagnostics(resolution);
          const { resolvedTypeReferenceDirective } = resolution;
          if (resolvedTypeReferenceDirective) {
            if (resolvedTypeReferenceDirective.isExternalLibraryImport) currentNodeModulesDepth++;
            processSourceFile(
              resolvedTypeReferenceDirective.resolvedFileName,
              /*isDefaultLib*/
              false,
              /*ignoreNoDefaultLib*/
              false,
              resolvedTypeReferenceDirective.packageId,
              reason
            );
            if (resolvedTypeReferenceDirective.isExternalLibraryImport) currentNodeModulesDepth--;
          } else {
            addFilePreprocessingFileExplainingDiagnostic(
              /*file*/
              void 0,
              reason,
              Diagnostics.Cannot_find_type_definition_file_for_0,
              [typeReferenceDirective]
            );
          }
        }
        function pathForLibFile(libFileName) {
          const existing = resolvedLibReferences == null ? void 0 : resolvedLibReferences.get(libFileName);
          if (existing) return existing.actual;
          const result = pathForLibFileWorker(libFileName);
          (resolvedLibReferences ?? (resolvedLibReferences = /* @__PURE__ */ new Map())).set(libFileName, result);
          return result.actual;
        }
        function pathForLibFileWorker(libFileName) {
          var _a2, _b2, _c2, _d2, _e2;
          const existing = resolvedLibProcessing == null ? void 0 : resolvedLibProcessing.get(libFileName);
          if (existing) return existing;
          if (structureIsReused !== 0 && oldProgram && !hasInvalidatedLibResolutions(libFileName)) {
            const oldResolution = (_a2 = oldProgram.resolvedLibReferences) == null ? void 0 : _a2.get(libFileName);
            if (oldResolution) {
              if (oldResolution.resolution && isTraceEnabled(options, host)) {
                const libraryName2 = getLibraryNameFromLibFileName(libFileName);
                const resolveFrom2 = getInferredLibraryNameResolveFrom(options, currentDirectory, libFileName);
                trace(
                  host,
                  oldResolution.resolution.resolvedModule ? oldResolution.resolution.resolvedModule.packageId ? Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package_ID_3 : Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2 : Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_not_resolved,
                  libraryName2,
                  getNormalizedAbsolutePath(resolveFrom2, currentDirectory),
                  (_b2 = oldResolution.resolution.resolvedModule) == null ? void 0 : _b2.resolvedFileName,
                  ((_c2 = oldResolution.resolution.resolvedModule) == null ? void 0 : _c2.packageId) && packageIdToString(oldResolution.resolution.resolvedModule.packageId)
                );
              }
              (resolvedLibProcessing ?? (resolvedLibProcessing = /* @__PURE__ */ new Map())).set(libFileName, oldResolution);
              return oldResolution;
            }
          }
          const libraryName = getLibraryNameFromLibFileName(libFileName);
          const resolveFrom = getInferredLibraryNameResolveFrom(options, currentDirectory, libFileName);
          (_d2 = tracing) == null ? void 0 : _d2.push(tracing.Phase.Program, "resolveLibrary", { resolveFrom });
          mark("beforeResolveLibrary");
          const resolution = actualResolveLibrary(libraryName, resolveFrom, options, libFileName);
          mark("afterResolveLibrary");
          measure("ResolveLibrary", "beforeResolveLibrary", "afterResolveLibrary");
          (_e2 = tracing) == null ? void 0 : _e2.pop();
          const result = {
            resolution,
            actual: resolution.resolvedModule ? resolution.resolvedModule.resolvedFileName : combinePaths(defaultLibraryPath, libFileName)
          };
          (resolvedLibProcessing ?? (resolvedLibProcessing = /* @__PURE__ */ new Map())).set(libFileName, result);
          return result;
        }
        function processLibReferenceDirectives(file) {
          forEach(file.libReferenceDirectives, (libReference, index) => {
            const libFileName = getLibFileNameFromLibReference(libReference);
            if (libFileName) {
              processRootFile(
                pathForLibFile(libFileName),
                /*isDefaultLib*/
                true,
                /*ignoreNoDefaultLib*/
                true,
                { kind: 7, file: file.path, index }
              );
            } else {
              (fileProcessingDiagnostics || (fileProcessingDiagnostics = [])).push({
                kind: 0,
                reason: { kind: 7, file: file.path, index }
              });
            }
          });
        }
        function getCanonicalFileName(fileName) {
          return host.getCanonicalFileName(fileName);
        }
        function processImportedModules(file) {
          var _a2;
          collectExternalModuleReferences(file);
          if (file.imports.length || file.moduleAugmentations.length) {
            const moduleNames = getModuleNames(file);
            const resolutions = (resolvedModulesProcessing == null ? void 0 : resolvedModulesProcessing.get(file.path)) || resolveModuleNamesReusingOldState(moduleNames, file);
            Debug.assert(resolutions.length === moduleNames.length);
            const optionsForFile = ((_a2 = getRedirectReferenceForResolution(file)) == null ? void 0 : _a2.commandLine.options) || options;
            const resolutionsInFile = createModeAwareCache();
            (resolvedModules ?? (resolvedModules = /* @__PURE__ */ new Map())).set(file.path, resolutionsInFile);
            for (let index = 0; index < moduleNames.length; index++) {
              const resolution = resolutions[index].resolvedModule;
              const moduleName = moduleNames[index].text;
              const mode = getModeForUsageLocationWorker(file, moduleNames[index], optionsForFile);
              resolutionsInFile.set(moduleName, mode, resolutions[index]);
              addResolutionDiagnosticsFromResolutionOrCache(file, moduleName, resolutions[index], mode);
              if (!resolution) {
                continue;
              }
              const isFromNodeModulesSearch = resolution.isExternalLibraryImport;
              const isJsFile = !resolutionExtensionIsTSOrJson(resolution.extension) && !getProjectReferenceRedirectProject(resolution.resolvedFileName);
              const isJsFileFromNodeModules = isFromNodeModulesSearch && isJsFile && (!resolution.originalPath || pathContainsNodeModules(resolution.resolvedFileName));
              const resolvedFileName = resolution.resolvedFileName;
              if (isFromNodeModulesSearch) {
                currentNodeModulesDepth++;
              }
              const elideImport = isJsFileFromNodeModules && currentNodeModulesDepth > maxNodeModuleJsDepth;
              const shouldAddFile = resolvedFileName && !getResolutionDiagnostic(optionsForFile, resolution, file) && !optionsForFile.noResolve && index < file.imports.length && !elideImport && !(isJsFile && !getAllowJSCompilerOption(optionsForFile)) && (isInJSFile(file.imports[index]) || !(file.imports[index].flags & 16777216));
              if (elideImport) {
                modulesWithElidedImports.set(file.path, true);
              } else if (shouldAddFile) {
                findSourceFile(
                  resolvedFileName,
                  /*isDefaultLib*/
                  false,
                  /*ignoreNoDefaultLib*/
                  false,
                  { kind: 3, file: file.path, index },
                  resolution.packageId
                );
              }
              if (isFromNodeModulesSearch) {
                currentNodeModulesDepth--;
              }
            }
          }
        }
        function checkSourceFilesBelongToPath(sourceFiles, rootDirectory) {
          let allFilesBelongToPath = true;
          const absoluteRootDirectoryPath = host.getCanonicalFileName(getNormalizedAbsolutePath(rootDirectory, currentDirectory));
          for (const sourceFile of sourceFiles) {
            if (!sourceFile.isDeclarationFile) {
              const absoluteSourceFilePath = host.getCanonicalFileName(getNormalizedAbsolutePath(sourceFile.fileName, currentDirectory));
              if (absoluteSourceFilePath.indexOf(absoluteRootDirectoryPath) !== 0) {
                addLazyProgramDiagnosticExplainingFile(
                  sourceFile,
                  Diagnostics.File_0_is_not_under_rootDir_1_rootDir_is_expected_to_contain_all_source_files,
                  [sourceFile.fileName, rootDirectory]
                );
                allFilesBelongToPath = false;
              }
            }
          }
          return allFilesBelongToPath;
        }
        function parseProjectReferenceConfigFile(ref) {
          if (!projectReferenceRedirects) {
            projectReferenceRedirects = /* @__PURE__ */ new Map();
          }
          const refPath = resolveProjectReferencePath(ref);
          const sourceFilePath = toPath32(refPath);
          const fromCache = projectReferenceRedirects.get(sourceFilePath);
          if (fromCache !== void 0) {
            return fromCache || void 0;
          }
          let commandLine;
          let sourceFile;
          if (host.getParsedCommandLine) {
            commandLine = host.getParsedCommandLine(refPath);
            if (!commandLine) {
              addFileToFilesByName(
                /*file*/
                void 0,
                sourceFilePath,
                refPath,
                /*redirectedPath*/
                void 0
              );
              projectReferenceRedirects.set(sourceFilePath, false);
              return void 0;
            }
            sourceFile = Debug.checkDefined(commandLine.options.configFile);
            Debug.assert(!sourceFile.path || sourceFile.path === sourceFilePath);
            addFileToFilesByName(
              sourceFile,
              sourceFilePath,
              refPath,
              /*redirectedPath*/
              void 0
            );
          } else {
            const basePath = getNormalizedAbsolutePath(getDirectoryPath(refPath), currentDirectory);
            sourceFile = host.getSourceFile(
              refPath,
              100
              /* JSON */
            );
            addFileToFilesByName(
              sourceFile,
              sourceFilePath,
              refPath,
              /*redirectedPath*/
              void 0
            );
            if (sourceFile === void 0) {
              projectReferenceRedirects.set(sourceFilePath, false);
              return void 0;
            }
            commandLine = parseJsonSourceFileConfigFileContent(
              sourceFile,
              configParsingHost,
              basePath,
              /*existingOptions*/
              void 0,
              refPath
            );
          }
          sourceFile.fileName = refPath;
          sourceFile.path = sourceFilePath;
          sourceFile.resolvedPath = sourceFilePath;
          sourceFile.originalFileName = refPath;
          const resolvedRef = { commandLine, sourceFile };
          projectReferenceRedirects.set(sourceFilePath, resolvedRef);
          if (commandLine.projectReferences) {
            resolvedRef.references = commandLine.projectReferences.map(parseProjectReferenceConfigFile);
          }
          return resolvedRef;
        }
        function verifyCompilerOptions() {
          if (options.strictPropertyInitialization && !getStrictOptionValue(options, "strictNullChecks")) {
            createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1, "strictPropertyInitialization", "strictNullChecks");
          }
          if (options.exactOptionalPropertyTypes && !getStrictOptionValue(options, "strictNullChecks")) {
            createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1, "exactOptionalPropertyTypes", "strictNullChecks");
          }
          if (options.isolatedModules || options.verbatimModuleSyntax) {
            if (options.outFile) {
              createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "outFile", options.verbatimModuleSyntax ? "verbatimModuleSyntax" : "isolatedModules");
            }
          }
          if (options.isolatedDeclarations) {
            if (getAllowJSCompilerOption(options)) {
              createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "allowJs", "isolatedDeclarations");
            }
            if (!getEmitDeclarations(options)) {
              createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1_or_option_2, "isolatedDeclarations", "declaration", "composite");
            }
          }
          if (options.inlineSourceMap) {
            if (options.sourceMap) {
              createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "sourceMap", "inlineSourceMap");
            }
            if (options.mapRoot) {
              createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "mapRoot", "inlineSourceMap");
            }
          }
          if (options.composite) {
            if (options.declaration === false) {
              createDiagnosticForOptionName(Diagnostics.Composite_projects_may_not_disable_declaration_emit, "declaration");
            }
            if (options.incremental === false) {
              createDiagnosticForOptionName(Diagnostics.Composite_projects_may_not_disable_incremental_compilation, "declaration");
            }
          }
          const outputFile = options.outFile;
          if (options.tsBuildInfoFile) {
            if (!isIncrementalCompilation(options)) {
              createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1_or_option_2, "tsBuildInfoFile", "incremental", "composite");
            }
          } else if (options.incremental && !outputFile && !options.configFilePath) {
            programDiagnostics.add(createCompilerDiagnostic(Diagnostics.Option_incremental_can_only_be_specified_using_tsconfig_emitting_to_single_file_or_when_option_tsBuildInfoFile_is_specified));
          }
          verifyDeprecatedCompilerOptions();
          verifyProjectReferences();
          if (options.composite) {
            const rootPaths = new Set(rootNames.map(toPath32));
            for (const file of files) {
              if (sourceFileMayBeEmitted(file, program) && !rootPaths.has(file.path)) {
                addLazyProgramDiagnosticExplainingFile(
                  file,
                  Diagnostics.File_0_is_not_listed_within_the_file_list_of_project_1_Projects_must_list_all_files_or_use_an_include_pattern,
                  [file.fileName, options.configFilePath || ""]
                );
              }
            }
          }
          if (options.paths) {
            for (const key in options.paths) {
              if (!hasProperty(options.paths, key)) {
                continue;
              }
              if (!hasZeroOrOneAsteriskCharacter(key)) {
                createDiagnosticForOptionPaths(
                  /*onKey*/
                  true,
                  key,
                  Diagnostics.Pattern_0_can_have_at_most_one_Asterisk_character,
                  key
                );
              }
              if (isArray3(options.paths[key])) {
                const len = options.paths[key].length;
                if (len === 0) {
                  createDiagnosticForOptionPaths(
                    /*onKey*/
                    false,
                    key,
                    Diagnostics.Substitutions_for_pattern_0_shouldn_t_be_an_empty_array,
                    key
                  );
                }
                for (let i = 0; i < len; i++) {
                  const subst = options.paths[key][i];
                  const typeOfSubst = typeof subst;
                  if (typeOfSubst === "string") {
                    if (!hasZeroOrOneAsteriskCharacter(subst)) {
                      createDiagnosticForOptionPathKeyValue(key, i, Diagnostics.Substitution_0_in_pattern_1_can_have_at_most_one_Asterisk_character, subst, key);
                    }
                    if (!options.baseUrl && !pathIsRelative(subst) && !pathIsAbsolute(subst)) {
                      createDiagnosticForOptionPathKeyValue(key, i, Diagnostics.Non_relative_paths_are_not_allowed_when_baseUrl_is_not_set_Did_you_forget_a_leading_Slash);
                    }
                  } else {
                    createDiagnosticForOptionPathKeyValue(key, i, Diagnostics.Substitution_0_for_pattern_1_has_incorrect_type_expected_string_got_2, subst, key, typeOfSubst);
                  }
                }
              } else {
                createDiagnosticForOptionPaths(
                  /*onKey*/
                  false,
                  key,
                  Diagnostics.Substitutions_for_pattern_0_should_be_an_array,
                  key
                );
              }
            }
          }
          if (!options.sourceMap && !options.inlineSourceMap) {
            if (options.inlineSources) {
              createDiagnosticForOptionName(Diagnostics.Option_0_can_only_be_used_when_either_option_inlineSourceMap_or_option_sourceMap_is_provided, "inlineSources");
            }
            if (options.sourceRoot) {
              createDiagnosticForOptionName(Diagnostics.Option_0_can_only_be_used_when_either_option_inlineSourceMap_or_option_sourceMap_is_provided, "sourceRoot");
            }
          }
          if (options.mapRoot && !(options.sourceMap || options.declarationMap)) {
            createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1_or_option_2, "mapRoot", "sourceMap", "declarationMap");
          }
          if (options.declarationDir) {
            if (!getEmitDeclarations(options)) {
              createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1_or_option_2, "declarationDir", "declaration", "composite");
            }
            if (outputFile) {
              createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "declarationDir", "outFile");
            }
          }
          if (options.declarationMap && !getEmitDeclarations(options)) {
            createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1_or_option_2, "declarationMap", "declaration", "composite");
          }
          if (options.lib && options.noLib) {
            createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "lib", "noLib");
          }
          const languageVersion = getEmitScriptTarget(options);
          const firstNonAmbientExternalModuleSourceFile = find(files, (f) => isExternalModule(f) && !f.isDeclarationFile);
          if (options.isolatedModules || options.verbatimModuleSyntax) {
            if (options.module === 0 && languageVersion < 2 && options.isolatedModules) {
              createDiagnosticForOptionName(Diagnostics.Option_isolatedModules_can_only_be_used_when_either_option_module_is_provided_or_option_target_is_ES2015_or_higher, "isolatedModules", "target");
            }
            if (options.preserveConstEnums === false) {
              createDiagnosticForOptionName(Diagnostics.Option_preserveConstEnums_cannot_be_disabled_when_0_is_enabled, options.verbatimModuleSyntax ? "verbatimModuleSyntax" : "isolatedModules", "preserveConstEnums");
            }
          } else if (firstNonAmbientExternalModuleSourceFile && languageVersion < 2 && options.module === 0) {
            const span = getErrorSpanForNode(firstNonAmbientExternalModuleSourceFile, typeof firstNonAmbientExternalModuleSourceFile.externalModuleIndicator === "boolean" ? firstNonAmbientExternalModuleSourceFile : firstNonAmbientExternalModuleSourceFile.externalModuleIndicator);
            programDiagnostics.add(createFileDiagnostic(firstNonAmbientExternalModuleSourceFile, span.start, span.length, Diagnostics.Cannot_use_imports_exports_or_module_augmentations_when_module_is_none));
          }
          if (outputFile && !options.emitDeclarationOnly) {
            if (options.module && !(options.module === 2 || options.module === 4)) {
              createDiagnosticForOptionName(Diagnostics.Only_amd_and_system_modules_are_supported_alongside_0, "outFile", "module");
            } else if (options.module === void 0 && firstNonAmbientExternalModuleSourceFile) {
              const span = getErrorSpanForNode(firstNonAmbientExternalModuleSourceFile, typeof firstNonAmbientExternalModuleSourceFile.externalModuleIndicator === "boolean" ? firstNonAmbientExternalModuleSourceFile : firstNonAmbientExternalModuleSourceFile.externalModuleIndicator);
              programDiagnostics.add(createFileDiagnostic(firstNonAmbientExternalModuleSourceFile, span.start, span.length, Diagnostics.Cannot_compile_modules_using_option_0_unless_the_module_flag_is_amd_or_system, "outFile"));
            }
          }
          if (getResolveJsonModule(options)) {
            if (getEmitModuleResolutionKind(options) === 1) {
              createDiagnosticForOptionName(Diagnostics.Option_resolveJsonModule_cannot_be_specified_when_moduleResolution_is_set_to_classic, "resolveJsonModule");
            } else if (!hasJsonModuleEmitEnabled(options)) {
              createDiagnosticForOptionName(Diagnostics.Option_resolveJsonModule_cannot_be_specified_when_module_is_set_to_none_system_or_umd, "resolveJsonModule", "module");
            }
          }
          if (options.outDir || // there is --outDir specified
          options.rootDir || // there is --rootDir specified
          options.sourceRoot || // there is --sourceRoot specified
          options.mapRoot || // there is --mapRoot specified
          getEmitDeclarations(options) && options.declarationDir) {
            const dir = getCommonSourceDirectory2();
            if (options.outDir && dir === "" && files.some((file) => getRootLength(file.fileName) > 1)) {
              createDiagnosticForOptionName(Diagnostics.Cannot_find_the_common_subdirectory_path_for_the_input_files, "outDir");
            }
          }
          if (options.checkJs && !getAllowJSCompilerOption(options)) {
            createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1, "checkJs", "allowJs");
          }
          if (options.emitDeclarationOnly) {
            if (!getEmitDeclarations(options)) {
              createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1_or_option_2, "emitDeclarationOnly", "declaration", "composite");
            }
            if (options.noEmit) {
              createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "emitDeclarationOnly", "noEmit");
            }
          }
          if (options.noCheck) {
            if (options.noEmit) {
              createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "noCheck", "noEmit");
            }
          }
          if (options.emitDecoratorMetadata && !options.experimentalDecorators) {
            createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1, "emitDecoratorMetadata", "experimentalDecorators");
          }
          if (options.jsxFactory) {
            if (options.reactNamespace) {
              createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_with_option_1, "reactNamespace", "jsxFactory");
            }
            if (options.jsx === 4 || options.jsx === 5) {
              createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_when_option_jsx_is_1, "jsxFactory", inverseJsxOptionMap.get("" + options.jsx));
            }
            if (!parseIsolatedEntityName(options.jsxFactory, languageVersion)) {
              createOptionValueDiagnostic("jsxFactory", Diagnostics.Invalid_value_for_jsxFactory_0_is_not_a_valid_identifier_or_qualified_name, options.jsxFactory);
            }
          } else if (options.reactNamespace && !isIdentifierText(options.reactNamespace, languageVersion)) {
            createOptionValueDiagnostic("reactNamespace", Diagnostics.Invalid_value_for_reactNamespace_0_is_not_a_valid_identifier, options.reactNamespace);
          }
          if (options.jsxFragmentFactory) {
            if (!options.jsxFactory) {
              createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_without_specifying_option_1, "jsxFragmentFactory", "jsxFactory");
            }
            if (options.jsx === 4 || options.jsx === 5) {
              createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_when_option_jsx_is_1, "jsxFragmentFactory", inverseJsxOptionMap.get("" + options.jsx));
            }
            if (!parseIsolatedEntityName(options.jsxFragmentFactory, languageVersion)) {
              createOptionValueDiagnostic("jsxFragmentFactory", Diagnostics.Invalid_value_for_jsxFragmentFactory_0_is_not_a_valid_identifier_or_qualified_name, options.jsxFragmentFactory);
            }
          }
          if (options.reactNamespace) {
            if (options.jsx === 4 || options.jsx === 5) {
              createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_when_option_jsx_is_1, "reactNamespace", inverseJsxOptionMap.get("" + options.jsx));
            }
          }
          if (options.jsxImportSource) {
            if (options.jsx === 2) {
              createDiagnosticForOptionName(Diagnostics.Option_0_cannot_be_specified_when_option_jsx_is_1, "jsxImportSource", inverseJsxOptionMap.get("" + options.jsx));
            }
          }
          const moduleKind = getEmitModuleKind(options);
          if (options.verbatimModuleSyntax) {
            if (moduleKind === 2 || moduleKind === 3 || moduleKind === 4) {
              createDiagnosticForOptionName(Diagnostics.Option_verbatimModuleSyntax_cannot_be_used_when_module_is_set_to_UMD_AMD_or_System, "verbatimModuleSyntax");
            }
          }
          if (options.allowImportingTsExtensions && !(options.noEmit || options.emitDeclarationOnly)) {
            createOptionValueDiagnostic("allowImportingTsExtensions", Diagnostics.Option_allowImportingTsExtensions_can_only_be_used_when_either_noEmit_or_emitDeclarationOnly_is_set);
          }
          const moduleResolution = getEmitModuleResolutionKind(options);
          if (options.resolvePackageJsonExports && !moduleResolutionSupportsPackageJsonExportsAndImports(moduleResolution)) {
            createDiagnosticForOptionName(Diagnostics.Option_0_can_only_be_used_when_moduleResolution_is_set_to_node16_nodenext_or_bundler, "resolvePackageJsonExports");
          }
          if (options.resolvePackageJsonImports && !moduleResolutionSupportsPackageJsonExportsAndImports(moduleResolution)) {
            createDiagnosticForOptionName(Diagnostics.Option_0_can_only_be_used_when_moduleResolution_is_set_to_node16_nodenext_or_bundler, "resolvePackageJsonImports");
          }
          if (options.customConditions && !moduleResolutionSupportsPackageJsonExportsAndImports(moduleResolution)) {
            createDiagnosticForOptionName(Diagnostics.Option_0_can_only_be_used_when_moduleResolution_is_set_to_node16_nodenext_or_bundler, "customConditions");
          }
          if (moduleResolution === 100 && !emitModuleKindIsNonNodeESM(moduleKind) && moduleKind !== 200) {
            createOptionValueDiagnostic("moduleResolution", Diagnostics.Option_0_can_only_be_used_when_module_is_set_to_preserve_or_to_es2015_or_later, "bundler");
          }
          if (ModuleKind[moduleKind] && (100 <= moduleKind && moduleKind <= 199) && !(3 <= moduleResolution && moduleResolution <= 99)) {
            const moduleKindName = ModuleKind[moduleKind];
            createOptionValueDiagnostic("moduleResolution", Diagnostics.Option_moduleResolution_must_be_set_to_0_or_left_unspecified_when_option_module_is_set_to_1, moduleKindName, moduleKindName);
          } else if (ModuleResolutionKind[moduleResolution] && (3 <= moduleResolution && moduleResolution <= 99) && !(100 <= moduleKind && moduleKind <= 199)) {
            const moduleResolutionName = ModuleResolutionKind[moduleResolution];
            createOptionValueDiagnostic("module", Diagnostics.Option_module_must_be_set_to_0_when_option_moduleResolution_is_set_to_1, moduleResolutionName, moduleResolutionName);
          }
          if (!options.noEmit && !options.suppressOutputPathCheck) {
            const emitHost = getEmitHost();
            const emitFilesSeen = /* @__PURE__ */ new Set();
            forEachEmittedFile(emitHost, (emitFileNames) => {
              if (!options.emitDeclarationOnly) {
                verifyEmitFilePath(emitFileNames.jsFilePath, emitFilesSeen);
              }
              verifyEmitFilePath(emitFileNames.declarationFilePath, emitFilesSeen);
            });
          }
          function verifyEmitFilePath(emitFileName, emitFilesSeen) {
            if (emitFileName) {
              const emitFilePath = toPath32(emitFileName);
              if (filesByName.has(emitFilePath)) {
                let chain;
                if (!options.configFilePath) {
                  chain = chainDiagnosticMessages(
                    /*details*/
                    void 0,
                    Diagnostics.Adding_a_tsconfig_json_file_will_help_organize_projects_that_contain_both_TypeScript_and_JavaScript_files_Learn_more_at_https_Colon_Slash_Slashaka_ms_Slashtsconfig
                  );
                }
                chain = chainDiagnosticMessages(chain, Diagnostics.Cannot_write_file_0_because_it_would_overwrite_input_file, emitFileName);
                blockEmittingOfFile(emitFileName, createCompilerDiagnosticFromMessageChain(chain));
              }
              const emitFileKey = !host.useCaseSensitiveFileNames() ? toFileNameLowerCase(emitFilePath) : emitFilePath;
              if (emitFilesSeen.has(emitFileKey)) {
                blockEmittingOfFile(emitFileName, createCompilerDiagnostic(Diagnostics.Cannot_write_file_0_because_it_would_be_overwritten_by_multiple_input_files, emitFileName));
              } else {
                emitFilesSeen.add(emitFileKey);
              }
            }
          }
        }
        function getIgnoreDeprecationsVersion() {
          const ignoreDeprecations = options.ignoreDeprecations;
          if (ignoreDeprecations) {
            if (ignoreDeprecations === "5.0") {
              return new Version(ignoreDeprecations);
            }
            reportInvalidIgnoreDeprecations();
          }
          return Version.zero;
        }
        function checkDeprecations(deprecatedIn, stopsWorkingIn, removedIn, createDiagnostic, fn) {
          const deprecatedInVersion = new Version(deprecatedIn);
          const removedInVersion = new Version(removedIn);
          const typescriptVersion = new Version(typeScriptVersion3 || versionMajorMinor);
          const ignoreDeprecationsVersion = getIgnoreDeprecationsVersion();
          const mustBeRemoved = !(removedInVersion.compareTo(typescriptVersion) === 1);
          const canBeSilenced = !mustBeRemoved && ignoreDeprecationsVersion.compareTo(deprecatedInVersion) === -1;
          if (mustBeRemoved || canBeSilenced) {
            fn((name, value, useInstead) => {
              if (mustBeRemoved) {
                if (value === void 0) {
                  createDiagnostic(name, value, useInstead, Diagnostics.Option_0_has_been_removed_Please_remove_it_from_your_configuration, name);
                } else {
                  createDiagnostic(name, value, useInstead, Diagnostics.Option_0_1_has_been_removed_Please_remove_it_from_your_configuration, name, value);
                }
              } else {
                if (value === void 0) {
                  createDiagnostic(name, value, useInstead, Diagnostics.Option_0_is_deprecated_and_will_stop_functioning_in_TypeScript_1_Specify_compilerOption_ignoreDeprecations_Colon_2_to_silence_this_error, name, stopsWorkingIn, deprecatedIn);
                } else {
                  createDiagnostic(name, value, useInstead, Diagnostics.Option_0_1_is_deprecated_and_will_stop_functioning_in_TypeScript_2_Specify_compilerOption_ignoreDeprecations_Colon_3_to_silence_this_error, name, value, stopsWorkingIn, deprecatedIn);
                }
              }
            });
          }
        }
        function verifyDeprecatedCompilerOptions() {
          function createDiagnostic(name, value, useInstead, message, ...args) {
            if (useInstead) {
              const details = chainDiagnosticMessages(
                /*details*/
                void 0,
                Diagnostics.Use_0_instead,
                useInstead
              );
              const chain = chainDiagnosticMessages(details, message, ...args);
              createDiagnosticForOption(
                /*onKey*/
                !value,
                name,
                /*option2*/
                void 0,
                chain
              );
            } else {
              createDiagnosticForOption(
                /*onKey*/
                !value,
                name,
                /*option2*/
                void 0,
                message,
                ...args
              );
            }
          }
          checkDeprecations("5.0", "5.5", "6.0", createDiagnostic, (createDeprecatedDiagnostic) => {
            if (options.target === 0) {
              createDeprecatedDiagnostic("target", "ES3");
            }
            if (options.noImplicitUseStrict) {
              createDeprecatedDiagnostic("noImplicitUseStrict");
            }
            if (options.keyofStringsOnly) {
              createDeprecatedDiagnostic("keyofStringsOnly");
            }
            if (options.suppressExcessPropertyErrors) {
              createDeprecatedDiagnostic("suppressExcessPropertyErrors");
            }
            if (options.suppressImplicitAnyIndexErrors) {
              createDeprecatedDiagnostic("suppressImplicitAnyIndexErrors");
            }
            if (options.noStrictGenericChecks) {
              createDeprecatedDiagnostic("noStrictGenericChecks");
            }
            if (options.charset) {
              createDeprecatedDiagnostic("charset");
            }
            if (options.out) {
              createDeprecatedDiagnostic(
                "out",
                /*value*/
                void 0,
                "outFile"
              );
            }
            if (options.importsNotUsedAsValues) {
              createDeprecatedDiagnostic(
                "importsNotUsedAsValues",
                /*value*/
                void 0,
                "verbatimModuleSyntax"
              );
            }
            if (options.preserveValueImports) {
              createDeprecatedDiagnostic(
                "preserveValueImports",
                /*value*/
                void 0,
                "verbatimModuleSyntax"
              );
            }
          });
        }
        function verifyDeprecatedProjectReference(ref, parentFile, index) {
          function createDiagnostic(_name, _value, _useInstead, message, ...args) {
            createDiagnosticForReference(parentFile, index, message, ...args);
          }
          checkDeprecations("5.0", "5.5", "6.0", createDiagnostic, (createDeprecatedDiagnostic) => {
            if (ref.prepend) {
              createDeprecatedDiagnostic("prepend");
            }
          });
        }
        function createDiagnosticExplainingFile(file, fileProcessingReason, diagnostic, args) {
          let seenReasons;
          const reasons = file && fileReasons.get(file.path);
          let fileIncludeReasons;
          let relatedInfo;
          let locationReason = isReferencedFile(fileProcessingReason) ? fileProcessingReason : void 0;
          let fileIncludeReasonDetails;
          let redirectInfo;
          let cachedChain = file && (fileReasonsToChain == null ? void 0 : fileReasonsToChain.get(file.path));
          let chain;
          if (cachedChain) {
            if (cachedChain.fileIncludeReasonDetails) {
              seenReasons = new Set(reasons);
              reasons == null ? void 0 : reasons.forEach(populateRelatedInfo);
            } else {
              reasons == null ? void 0 : reasons.forEach(processReason);
            }
            redirectInfo = cachedChain.redirectInfo;
          } else {
            reasons == null ? void 0 : reasons.forEach(processReason);
            redirectInfo = file && explainIfFileIsRedirectAndImpliedFormat(file);
          }
          if (fileProcessingReason) processReason(fileProcessingReason);
          const processedExtraReason = (seenReasons == null ? void 0 : seenReasons.size) !== (reasons == null ? void 0 : reasons.length);
          if (locationReason && (seenReasons == null ? void 0 : seenReasons.size) === 1) seenReasons = void 0;
          if (seenReasons && cachedChain) {
            if (cachedChain.details && !processedExtraReason) {
              chain = chainDiagnosticMessages(cachedChain.details, diagnostic, ...args || emptyArray);
            } else if (cachedChain.fileIncludeReasonDetails) {
              if (!processedExtraReason) {
                if (!cachedFileIncludeDetailsHasProcessedExtraReason()) {
                  fileIncludeReasonDetails = cachedChain.fileIncludeReasonDetails;
                } else {
                  fileIncludeReasons = cachedChain.fileIncludeReasonDetails.next.slice(0, reasons.length);
                }
              } else {
                if (!cachedFileIncludeDetailsHasProcessedExtraReason()) {
                  fileIncludeReasons = [...cachedChain.fileIncludeReasonDetails.next, fileIncludeReasons[0]];
                } else {
                  fileIncludeReasons = append(cachedChain.fileIncludeReasonDetails.next.slice(0, reasons.length), fileIncludeReasons[0]);
                }
              }
            }
          }
          if (!chain) {
            if (!fileIncludeReasonDetails) fileIncludeReasonDetails = seenReasons && chainDiagnosticMessages(fileIncludeReasons, Diagnostics.The_file_is_in_the_program_because_Colon);
            chain = chainDiagnosticMessages(
              redirectInfo ? fileIncludeReasonDetails ? [fileIncludeReasonDetails, ...redirectInfo] : redirectInfo : fileIncludeReasonDetails,
              diagnostic,
              ...args || emptyArray
            );
          }
          if (file) {
            if (cachedChain) {
              if (!cachedChain.fileIncludeReasonDetails || !processedExtraReason && fileIncludeReasonDetails) {
                cachedChain.fileIncludeReasonDetails = fileIncludeReasonDetails;
              }
            } else {
              (fileReasonsToChain ?? (fileReasonsToChain = /* @__PURE__ */ new Map())).set(file.path, cachedChain = { fileIncludeReasonDetails, redirectInfo });
            }
            if (!cachedChain.details && !processedExtraReason) cachedChain.details = chain.next;
          }
          const location = locationReason && getReferencedFileLocation(program, locationReason);
          return location && isReferenceFileLocation(location) ? createFileDiagnosticFromMessageChain(location.file, location.pos, location.end - location.pos, chain, relatedInfo) : createCompilerDiagnosticFromMessageChain(chain, relatedInfo);
          function processReason(reason) {
            if (seenReasons == null ? void 0 : seenReasons.has(reason)) return;
            (seenReasons ?? (seenReasons = /* @__PURE__ */ new Set())).add(reason);
            (fileIncludeReasons ?? (fileIncludeReasons = [])).push(fileIncludeReasonToDiagnostics(program, reason));
            populateRelatedInfo(reason);
          }
          function populateRelatedInfo(reason) {
            if (!locationReason && isReferencedFile(reason)) {
              locationReason = reason;
            } else if (locationReason !== reason) {
              relatedInfo = append(relatedInfo, getFileIncludeReasonToRelatedInformation(reason));
            }
          }
          function cachedFileIncludeDetailsHasProcessedExtraReason() {
            var _a2;
            return ((_a2 = cachedChain.fileIncludeReasonDetails.next) == null ? void 0 : _a2.length) !== (reasons == null ? void 0 : reasons.length);
          }
        }
        function addFilePreprocessingFileExplainingDiagnostic(file, fileProcessingReason, diagnostic, args) {
          (fileProcessingDiagnostics || (fileProcessingDiagnostics = [])).push({
            kind: 1,
            file: file && file.path,
            fileProcessingReason,
            diagnostic,
            args
          });
        }
        function addLazyProgramDiagnosticExplainingFile(file, diagnostic, args) {
          lazyProgramDiagnosticExplainingFile.push({ file, diagnostic, args });
        }
        function getFileIncludeReasonToRelatedInformation(reason) {
          let relatedInfo = reasonToRelatedInfo == null ? void 0 : reasonToRelatedInfo.get(reason);
          if (relatedInfo === void 0) (reasonToRelatedInfo ?? (reasonToRelatedInfo = /* @__PURE__ */ new Map())).set(reason, relatedInfo = fileIncludeReasonToRelatedInformation(reason) ?? false);
          return relatedInfo || void 0;
        }
        function fileIncludeReasonToRelatedInformation(reason) {
          if (isReferencedFile(reason)) {
            const referenceLocation = getReferencedFileLocation(program, reason);
            let message2;
            switch (reason.kind) {
              case 3:
                message2 = Diagnostics.File_is_included_via_import_here;
                break;
              case 4:
                message2 = Diagnostics.File_is_included_via_reference_here;
                break;
              case 5:
                message2 = Diagnostics.File_is_included_via_type_library_reference_here;
                break;
              case 7:
                message2 = Diagnostics.File_is_included_via_library_reference_here;
                break;
              default:
                Debug.assertNever(reason);
            }
            return isReferenceFileLocation(referenceLocation) ? createFileDiagnostic(
              referenceLocation.file,
              referenceLocation.pos,
              referenceLocation.end - referenceLocation.pos,
              message2
            ) : void 0;
          }
          if (!options.configFile) return void 0;
          let configFileNode;
          let message;
          switch (reason.kind) {
            case 0:
              if (!options.configFile.configFileSpecs) return void 0;
              const fileName = getNormalizedAbsolutePath(rootNames[reason.index], currentDirectory);
              const matchedByFiles = getMatchedFileSpec(program, fileName);
              if (matchedByFiles) {
                configFileNode = getTsConfigPropArrayElementValue(options.configFile, "files", matchedByFiles);
                message = Diagnostics.File_is_matched_by_files_list_specified_here;
                break;
              }
              const matchedByInclude = getMatchedIncludeSpec(program, fileName);
              if (!matchedByInclude || !isString2(matchedByInclude)) return void 0;
              configFileNode = getTsConfigPropArrayElementValue(options.configFile, "include", matchedByInclude);
              message = Diagnostics.File_is_matched_by_include_pattern_specified_here;
              break;
            case 1:
            case 2:
              const referencedResolvedRef = Debug.checkDefined(resolvedProjectReferences == null ? void 0 : resolvedProjectReferences[reason.index]);
              const referenceInfo = forEachProjectReference(projectReferences, resolvedProjectReferences, (resolvedRef, parent2, index2) => resolvedRef === referencedResolvedRef ? { sourceFile: (parent2 == null ? void 0 : parent2.sourceFile) || options.configFile, index: index2 } : void 0);
              if (!referenceInfo) return void 0;
              const { sourceFile, index } = referenceInfo;
              const referencesSyntax = forEachTsConfigPropArray(sourceFile, "references", (property) => isArrayLiteralExpression(property.initializer) ? property.initializer : void 0);
              return referencesSyntax && referencesSyntax.elements.length > index ? createDiagnosticForNodeInSourceFile(
                sourceFile,
                referencesSyntax.elements[index],
                reason.kind === 2 ? Diagnostics.File_is_output_from_referenced_project_specified_here : Diagnostics.File_is_source_from_referenced_project_specified_here
              ) : void 0;
            case 8:
              if (!options.types) return void 0;
              configFileNode = getOptionsSyntaxByArrayElementValue("types", reason.typeReference);
              message = Diagnostics.File_is_entry_point_of_type_library_specified_here;
              break;
            case 6:
              if (reason.index !== void 0) {
                configFileNode = getOptionsSyntaxByArrayElementValue("lib", options.lib[reason.index]);
                message = Diagnostics.File_is_library_specified_here;
                break;
              }
              const target = getNameOfScriptTarget(getEmitScriptTarget(options));
              configFileNode = target ? getOptionsSyntaxByValue("target", target) : void 0;
              message = Diagnostics.File_is_default_library_for_target_specified_here;
              break;
            default:
              Debug.assertNever(reason);
          }
          return configFileNode && createDiagnosticForNodeInSourceFile(
            options.configFile,
            configFileNode,
            message
          );
        }
        function verifyProjectReferences() {
          const buildInfoPath = !options.suppressOutputPathCheck ? getTsBuildInfoEmitOutputFilePath(options) : void 0;
          forEachProjectReference(projectReferences, resolvedProjectReferences, (resolvedRef, parent2, index) => {
            const ref = (parent2 ? parent2.commandLine.projectReferences : projectReferences)[index];
            const parentFile = parent2 && parent2.sourceFile;
            verifyDeprecatedProjectReference(ref, parentFile, index);
            if (!resolvedRef) {
              createDiagnosticForReference(parentFile, index, Diagnostics.File_0_not_found, ref.path);
              return;
            }
            const options2 = resolvedRef.commandLine.options;
            if (!options2.composite || options2.noEmit) {
              const inputs = parent2 ? parent2.commandLine.fileNames : rootNames;
              if (inputs.length) {
                if (!options2.composite) createDiagnosticForReference(parentFile, index, Diagnostics.Referenced_project_0_must_have_setting_composite_Colon_true, ref.path);
                if (options2.noEmit) createDiagnosticForReference(parentFile, index, Diagnostics.Referenced_project_0_may_not_disable_emit, ref.path);
              }
            }
            if (!parent2 && buildInfoPath && buildInfoPath === getTsBuildInfoEmitOutputFilePath(options2)) {
              createDiagnosticForReference(parentFile, index, Diagnostics.Cannot_write_file_0_because_it_will_overwrite_tsbuildinfo_file_generated_by_referenced_project_1, buildInfoPath, ref.path);
              hasEmitBlockingDiagnostics.set(toPath32(buildInfoPath), true);
            }
          });
        }
        function createDiagnosticForOptionPathKeyValue(key, valueIndex, message, ...args) {
          let needCompilerDiagnostic = true;
          forEachOptionPathsSyntax((pathProp) => {
            if (isObjectLiteralExpression(pathProp.initializer)) {
              forEachPropertyAssignment(pathProp.initializer, key, (keyProps) => {
                const initializer = keyProps.initializer;
                if (isArrayLiteralExpression(initializer) && initializer.elements.length > valueIndex) {
                  programDiagnostics.add(createDiagnosticForNodeInSourceFile(options.configFile, initializer.elements[valueIndex], message, ...args));
                  needCompilerDiagnostic = false;
                }
              });
            }
          });
          if (needCompilerDiagnostic) {
            createCompilerOptionsDiagnostic(message, ...args);
          }
        }
        function createDiagnosticForOptionPaths(onKey, key, message, ...args) {
          let needCompilerDiagnostic = true;
          forEachOptionPathsSyntax((pathProp) => {
            if (isObjectLiteralExpression(pathProp.initializer) && createOptionDiagnosticInObjectLiteralSyntax(
              pathProp.initializer,
              onKey,
              key,
              /*key2*/
              void 0,
              message,
              ...args
            )) {
              needCompilerDiagnostic = false;
            }
          });
          if (needCompilerDiagnostic) {
            createCompilerOptionsDiagnostic(message, ...args);
          }
        }
        function forEachOptionsSyntaxByName(name, callback) {
          return forEachPropertyAssignment(getCompilerOptionsObjectLiteralSyntax(), name, callback);
        }
        function forEachOptionPathsSyntax(callback) {
          return forEachOptionsSyntaxByName("paths", callback);
        }
        function getOptionsSyntaxByValue(name, value) {
          return forEachOptionsSyntaxByName(name, (property) => isStringLiteral2(property.initializer) && property.initializer.text === value ? property.initializer : void 0);
        }
        function getOptionsSyntaxByArrayElementValue(name, value) {
          const compilerOptionsObjectLiteralSyntax = getCompilerOptionsObjectLiteralSyntax();
          return compilerOptionsObjectLiteralSyntax && getPropertyArrayElementValue(compilerOptionsObjectLiteralSyntax, name, value);
        }
        function createDiagnosticForOptionName(message, option1, option2, option3) {
          createDiagnosticForOption(
            /*onKey*/
            true,
            option1,
            option2,
            message,
            option1,
            option2,
            option3
          );
        }
        function createOptionValueDiagnostic(option1, message, ...args) {
          createDiagnosticForOption(
            /*onKey*/
            false,
            option1,
            /*option2*/
            void 0,
            message,
            ...args
          );
        }
        function createDiagnosticForReference(sourceFile, index, message, ...args) {
          const referencesSyntax = forEachTsConfigPropArray(sourceFile || options.configFile, "references", (property) => isArrayLiteralExpression(property.initializer) ? property.initializer : void 0);
          if (referencesSyntax && referencesSyntax.elements.length > index) {
            programDiagnostics.add(createDiagnosticForNodeInSourceFile(sourceFile || options.configFile, referencesSyntax.elements[index], message, ...args));
          } else {
            programDiagnostics.add(createCompilerDiagnostic(message, ...args));
          }
        }
        function createDiagnosticForOption(onKey, option1, option2, message, ...args) {
          const compilerOptionsObjectLiteralSyntax = getCompilerOptionsObjectLiteralSyntax();
          const needCompilerDiagnostic = !compilerOptionsObjectLiteralSyntax || !createOptionDiagnosticInObjectLiteralSyntax(compilerOptionsObjectLiteralSyntax, onKey, option1, option2, message, ...args);
          if (needCompilerDiagnostic) {
            createCompilerOptionsDiagnostic(message, ...args);
          }
        }
        function createCompilerOptionsDiagnostic(message, ...args) {
          const compilerOptionsProperty = getCompilerOptionsPropertySyntax();
          if (compilerOptionsProperty) {
            if ("messageText" in message) {
              programDiagnostics.add(createDiagnosticForNodeFromMessageChain(options.configFile, compilerOptionsProperty.name, message));
            } else {
              programDiagnostics.add(createDiagnosticForNodeInSourceFile(options.configFile, compilerOptionsProperty.name, message, ...args));
            }
          } else if ("messageText" in message) {
            programDiagnostics.add(createCompilerDiagnosticFromMessageChain(message));
          } else {
            programDiagnostics.add(createCompilerDiagnostic(message, ...args));
          }
        }
        function getCompilerOptionsObjectLiteralSyntax() {
          if (_compilerOptionsObjectLiteralSyntax === void 0) {
            const compilerOptionsProperty = getCompilerOptionsPropertySyntax();
            _compilerOptionsObjectLiteralSyntax = compilerOptionsProperty ? tryCast(compilerOptionsProperty.initializer, isObjectLiteralExpression) || false : false;
          }
          return _compilerOptionsObjectLiteralSyntax || void 0;
        }
        function getCompilerOptionsPropertySyntax() {
          if (_compilerOptionsPropertySyntax === void 0) {
            _compilerOptionsPropertySyntax = forEachPropertyAssignment(
              getTsConfigObjectLiteralExpression(options.configFile),
              "compilerOptions",
              identity2
            ) || false;
          }
          return _compilerOptionsPropertySyntax || void 0;
        }
        function createOptionDiagnosticInObjectLiteralSyntax(objectLiteral, onKey, key1, key2, message, ...args) {
          let needsCompilerDiagnostic = false;
          forEachPropertyAssignment(objectLiteral, key1, (prop) => {
            if ("messageText" in message) {
              programDiagnostics.add(createDiagnosticForNodeFromMessageChain(options.configFile, onKey ? prop.name : prop.initializer, message));
            } else {
              programDiagnostics.add(createDiagnosticForNodeInSourceFile(options.configFile, onKey ? prop.name : prop.initializer, message, ...args));
            }
            needsCompilerDiagnostic = true;
          }, key2);
          return needsCompilerDiagnostic;
        }
        function blockEmittingOfFile(emitFileName, diag2) {
          hasEmitBlockingDiagnostics.set(toPath32(emitFileName), true);
          programDiagnostics.add(diag2);
        }
        function isEmittedFile(file) {
          if (options.noEmit) {
            return false;
          }
          const filePath = toPath32(file);
          if (getSourceFileByPath(filePath)) {
            return false;
          }
          const out = options.outFile;
          if (out) {
            return isSameFile(filePath, out) || isSameFile(
              filePath,
              removeFileExtension(out) + ".d.ts"
              /* Dts */
            );
          }
          if (options.declarationDir && containsPath(options.declarationDir, filePath, currentDirectory, !host.useCaseSensitiveFileNames())) {
            return true;
          }
          if (options.outDir) {
            return containsPath(options.outDir, filePath, currentDirectory, !host.useCaseSensitiveFileNames());
          }
          if (fileExtensionIsOneOf(filePath, supportedJSExtensionsFlat) || isDeclarationFileName(filePath)) {
            const filePathWithoutExtension = removeFileExtension(filePath);
            return !!getSourceFileByPath(
              filePathWithoutExtension + ".ts"
              /* Ts */
            ) || !!getSourceFileByPath(
              filePathWithoutExtension + ".tsx"
              /* Tsx */
            );
          }
          return false;
        }
        function isSameFile(file1, file2) {
          return comparePaths(file1, file2, currentDirectory, !host.useCaseSensitiveFileNames()) === 0;
        }
        function getSymlinkCache() {
          if (host.getSymlinkCache) {
            return host.getSymlinkCache();
          }
          if (!symlinks) {
            symlinks = createSymlinkCache(currentDirectory, getCanonicalFileName);
          }
          if (files && !symlinks.hasProcessedResolutions()) {
            symlinks.setSymlinksFromResolutions(forEachResolvedModule, forEachResolvedTypeReferenceDirective, automaticTypeDirectiveResolutions);
          }
          return symlinks;
        }
        function getModeForUsageLocation2(file, usage) {
          var _a2;
          const optionsForFile = ((_a2 = getRedirectReferenceForResolution(file)) == null ? void 0 : _a2.commandLine.options) || options;
          return getModeForUsageLocationWorker(file, usage, optionsForFile);
        }
        function getModeForResolutionAtIndex2(file, index) {
          return getModeForUsageLocation2(file, getModuleNameStringLiteralAt(file, index));
        }
      }
      function updateHostForUseSourceOfProjectReferenceRedirect(host) {
        let setOfDeclarationDirectories;
        const originalFileExists = host.compilerHost.fileExists;
        const originalDirectoryExists = host.compilerHost.directoryExists;
        const originalGetDirectories = host.compilerHost.getDirectories;
        const originalRealpath = host.compilerHost.realpath;
        if (!host.useSourceOfProjectReferenceRedirect) return { onProgramCreateComplete: noop2, fileExists };
        host.compilerHost.fileExists = fileExists;
        let directoryExists;
        if (originalDirectoryExists) {
          directoryExists = host.compilerHost.directoryExists = (path17) => {
            if (originalDirectoryExists.call(host.compilerHost, path17)) {
              handleDirectoryCouldBeSymlink(path17);
              return true;
            }
            if (!host.getResolvedProjectReferences()) return false;
            if (!setOfDeclarationDirectories) {
              setOfDeclarationDirectories = /* @__PURE__ */ new Set();
              host.forEachResolvedProjectReference((ref) => {
                const out = ref.commandLine.options.outFile;
                if (out) {
                  setOfDeclarationDirectories.add(getDirectoryPath(host.toPath(out)));
                } else {
                  const declarationDir = ref.commandLine.options.declarationDir || ref.commandLine.options.outDir;
                  if (declarationDir) {
                    setOfDeclarationDirectories.add(host.toPath(declarationDir));
                  }
                }
              });
            }
            return fileOrDirectoryExistsUsingSource(
              path17,
              /*isFile*/
              false
            );
          };
        }
        if (originalGetDirectories) {
          host.compilerHost.getDirectories = (path17) => !host.getResolvedProjectReferences() || originalDirectoryExists && originalDirectoryExists.call(host.compilerHost, path17) ? originalGetDirectories.call(host.compilerHost, path17) : [];
        }
        if (originalRealpath) {
          host.compilerHost.realpath = (s) => {
            var _a;
            return ((_a = host.getSymlinkCache().getSymlinkedFiles()) == null ? void 0 : _a.get(host.toPath(s))) || originalRealpath.call(host.compilerHost, s);
          };
        }
        return { onProgramCreateComplete, fileExists, directoryExists };
        function onProgramCreateComplete() {
          host.compilerHost.fileExists = originalFileExists;
          host.compilerHost.directoryExists = originalDirectoryExists;
          host.compilerHost.getDirectories = originalGetDirectories;
        }
        function fileExists(file) {
          if (originalFileExists.call(host.compilerHost, file)) return true;
          if (!host.getResolvedProjectReferences()) return false;
          if (!isDeclarationFileName(file)) return false;
          return fileOrDirectoryExistsUsingSource(
            file,
            /*isFile*/
            true
          );
        }
        function fileExistsIfProjectReferenceDts(file) {
          const source = host.getSourceOfProjectReferenceRedirect(host.toPath(file));
          return source !== void 0 ? isString2(source) ? originalFileExists.call(host.compilerHost, source) : true : void 0;
        }
        function directoryExistsIfProjectReferenceDeclDir(dir) {
          const dirPath = host.toPath(dir);
          const dirPathWithTrailingDirectorySeparator = `${dirPath}${directorySeparator}`;
          return forEachKey(
            setOfDeclarationDirectories,
            (declDirPath) => dirPath === declDirPath || // Any parent directory of declaration dir
            startsWith2(declDirPath, dirPathWithTrailingDirectorySeparator) || // Any directory inside declaration dir
            startsWith2(dirPath, `${declDirPath}/`)
          );
        }
        function handleDirectoryCouldBeSymlink(directory) {
          var _a;
          if (!host.getResolvedProjectReferences() || containsIgnoredPath(directory)) return;
          if (!originalRealpath || !directory.includes(nodeModulesPathPart)) return;
          const symlinkCache = host.getSymlinkCache();
          const directoryPath = ensureTrailingDirectorySeparator(host.toPath(directory));
          if ((_a = symlinkCache.getSymlinkedDirectories()) == null ? void 0 : _a.has(directoryPath)) return;
          const real = normalizePath(originalRealpath.call(host.compilerHost, directory));
          let realPath2;
          if (real === directory || (realPath2 = ensureTrailingDirectorySeparator(host.toPath(real))) === directoryPath) {
            symlinkCache.setSymlinkedDirectory(directoryPath, false);
            return;
          }
          symlinkCache.setSymlinkedDirectory(directory, {
            real: ensureTrailingDirectorySeparator(real),
            realPath: realPath2
          });
        }
        function fileOrDirectoryExistsUsingSource(fileOrDirectory, isFile) {
          var _a;
          const fileOrDirectoryExistsUsingSource2 = isFile ? (file) => fileExistsIfProjectReferenceDts(file) : (dir) => directoryExistsIfProjectReferenceDeclDir(dir);
          const result = fileOrDirectoryExistsUsingSource2(fileOrDirectory);
          if (result !== void 0) return result;
          const symlinkCache = host.getSymlinkCache();
          const symlinkedDirectories = symlinkCache.getSymlinkedDirectories();
          if (!symlinkedDirectories) return false;
          const fileOrDirectoryPath = host.toPath(fileOrDirectory);
          if (!fileOrDirectoryPath.includes(nodeModulesPathPart)) return false;
          if (isFile && ((_a = symlinkCache.getSymlinkedFiles()) == null ? void 0 : _a.has(fileOrDirectoryPath))) return true;
          return firstDefinedIterator(
            symlinkedDirectories.entries(),
            ([directoryPath, symlinkedDirectory]) => {
              if (!symlinkedDirectory || !startsWith2(fileOrDirectoryPath, directoryPath)) return void 0;
              const result2 = fileOrDirectoryExistsUsingSource2(fileOrDirectoryPath.replace(directoryPath, symlinkedDirectory.realPath));
              if (isFile && result2) {
                const absolutePath = getNormalizedAbsolutePath(fileOrDirectory, host.compilerHost.getCurrentDirectory());
                symlinkCache.setSymlinkedFile(
                  fileOrDirectoryPath,
                  `${symlinkedDirectory.real}${absolutePath.replace(new RegExp(directoryPath, "i"), "")}`
                );
              }
              return result2;
            }
          ) || false;
        }
      }
      var emitSkippedWithNoDiagnostics = { diagnostics: emptyArray, sourceMaps: void 0, emittedFiles: void 0, emitSkipped: true };
      function handleNoEmitOptions(program, sourceFile, writeFile2, cancellationToken) {
        const options = program.getCompilerOptions();
        if (options.noEmit) {
          program.getSemanticDiagnostics(sourceFile, cancellationToken);
          return sourceFile || options.outFile ? emitSkippedWithNoDiagnostics : program.emitBuildInfo(writeFile2, cancellationToken);
        }
        if (!options.noEmitOnError) return void 0;
        let diagnostics = [
          ...program.getOptionsDiagnostics(cancellationToken),
          ...program.getSyntacticDiagnostics(sourceFile, cancellationToken),
          ...program.getGlobalDiagnostics(cancellationToken),
          ...program.getSemanticDiagnostics(sourceFile, cancellationToken)
        ];
        if (diagnostics.length === 0 && getEmitDeclarations(program.getCompilerOptions())) {
          diagnostics = program.getDeclarationDiagnostics(
            /*sourceFile*/
            void 0,
            cancellationToken
          );
        }
        if (!diagnostics.length) return void 0;
        let emittedFiles;
        if (!sourceFile && !options.outFile) {
          const emitResult = program.emitBuildInfo(writeFile2, cancellationToken);
          if (emitResult.diagnostics) diagnostics = [...diagnostics, ...emitResult.diagnostics];
          emittedFiles = emitResult.emittedFiles;
        }
        return { diagnostics, sourceMaps: void 0, emittedFiles, emitSkipped: true };
      }
      function filterSemanticDiagnostics(diagnostic, option) {
        return filter(diagnostic, (d) => !d.skippedOn || !option[d.skippedOn]);
      }
      function parseConfigHostFromCompilerHostLike(host, directoryStructureHost = host) {
        return {
          fileExists: (f) => directoryStructureHost.fileExists(f),
          readDirectory(root2, extensions, excludes, includes, depth2) {
            Debug.assertIsDefined(directoryStructureHost.readDirectory, "'CompilerHost.readDirectory' must be implemented to correctly process 'projectReferences'");
            return directoryStructureHost.readDirectory(root2, extensions, excludes, includes, depth2);
          },
          readFile: (f) => directoryStructureHost.readFile(f),
          directoryExists: maybeBind(directoryStructureHost, directoryStructureHost.directoryExists),
          getDirectories: maybeBind(directoryStructureHost, directoryStructureHost.getDirectories),
          realpath: maybeBind(directoryStructureHost, directoryStructureHost.realpath),
          useCaseSensitiveFileNames: host.useCaseSensitiveFileNames(),
          getCurrentDirectory: () => host.getCurrentDirectory(),
          onUnRecoverableConfigFileDiagnostic: host.onUnRecoverableConfigFileDiagnostic || returnUndefined,
          trace: host.trace ? (s) => host.trace(s) : void 0
        };
      }
      function resolveProjectReferencePath(ref) {
        return resolveConfigFileProjectName(ref.path);
      }
      function getResolutionDiagnostic(options, { extension }, { isDeclarationFile }) {
        switch (extension) {
          case ".ts":
          case ".d.ts":
          case ".mts":
          case ".d.mts":
          case ".cts":
          case ".d.cts":
            return void 0;
          case ".tsx":
            return needJsx();
          case ".jsx":
            return needJsx() || needAllowJs();
          case ".js":
          case ".mjs":
          case ".cjs":
            return needAllowJs();
          case ".json":
            return needResolveJsonModule();
          default:
            return needAllowArbitraryExtensions();
        }
        function needJsx() {
          return options.jsx ? void 0 : Diagnostics.Module_0_was_resolved_to_1_but_jsx_is_not_set;
        }
        function needAllowJs() {
          return getAllowJSCompilerOption(options) || !getStrictOptionValue(options, "noImplicitAny") ? void 0 : Diagnostics.Could_not_find_a_declaration_file_for_module_0_1_implicitly_has_an_any_type;
        }
        function needResolveJsonModule() {
          return getResolveJsonModule(options) ? void 0 : Diagnostics.Module_0_was_resolved_to_1_but_resolveJsonModule_is_not_used;
        }
        function needAllowArbitraryExtensions() {
          return isDeclarationFile || options.allowArbitraryExtensions ? void 0 : Diagnostics.Module_0_was_resolved_to_1_but_allowArbitraryExtensions_is_not_set;
        }
      }
      function getModuleNames({ imports, moduleAugmentations }) {
        const res = imports.map((i) => i);
        for (const aug of moduleAugmentations) {
          if (aug.kind === 11) {
            res.push(aug);
          }
        }
        return res;
      }
      function getModuleNameStringLiteralAt({ imports, moduleAugmentations }, index) {
        if (index < imports.length) return imports[index];
        let augIndex = imports.length;
        for (const aug of moduleAugmentations) {
          if (aug.kind === 11) {
            if (index === augIndex) return aug;
            augIndex++;
          }
        }
        Debug.fail("should never ask for module name at index higher than possible module name");
      }
      function getFileEmitOutput(program, sourceFile, emitOnlyDtsFiles, cancellationToken, customTransformers, forceDtsEmit) {
        const outputFiles = [];
        const { emitSkipped, diagnostics } = program.emit(sourceFile, writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers, forceDtsEmit);
        return { outputFiles, emitSkipped, diagnostics };
        function writeFile2(fileName, text, writeByteOrderMark) {
          outputFiles.push({ name: fileName, writeByteOrderMark, text });
        }
      }
      var SignatureInfo = /* @__PURE__ */ ((SignatureInfo2) => {
        SignatureInfo2[SignatureInfo2["ComputedDts"] = 0] = "ComputedDts";
        SignatureInfo2[SignatureInfo2["StoredSignatureAtEmit"] = 1] = "StoredSignatureAtEmit";
        SignatureInfo2[SignatureInfo2["UsedVersion"] = 2] = "UsedVersion";
        return SignatureInfo2;
      })(SignatureInfo || {});
      var BuilderState;
      ((BuilderState2) => {
        function createManyToManyPathMap() {
          function create210(forward, reverse, deleted) {
            const map2 = {
              getKeys: (v) => reverse.get(v),
              getValues: (k) => forward.get(k),
              keys: () => forward.keys(),
              size: () => forward.size,
              deleteKey: (k) => {
                (deleted || (deleted = /* @__PURE__ */ new Set())).add(k);
                const set = forward.get(k);
                if (!set) {
                  return false;
                }
                set.forEach((v) => deleteFromMultimap(reverse, v, k));
                forward.delete(k);
                return true;
              },
              set: (k, vSet) => {
                deleted == null ? void 0 : deleted.delete(k);
                const existingVSet = forward.get(k);
                forward.set(k, vSet);
                existingVSet == null ? void 0 : existingVSet.forEach((v) => {
                  if (!vSet.has(v)) {
                    deleteFromMultimap(reverse, v, k);
                  }
                });
                vSet.forEach((v) => {
                  if (!(existingVSet == null ? void 0 : existingVSet.has(v))) {
                    addToMultimap(reverse, v, k);
                  }
                });
                return map2;
              }
            };
            return map2;
          }
          return create210(
            /* @__PURE__ */ new Map(),
            /* @__PURE__ */ new Map(),
            /*deleted*/
            void 0
          );
        }
        BuilderState2.createManyToManyPathMap = createManyToManyPathMap;
        function addToMultimap(map2, k, v) {
          let set = map2.get(k);
          if (!set) {
            set = /* @__PURE__ */ new Set();
            map2.set(k, set);
          }
          set.add(v);
        }
        function deleteFromMultimap(map2, k, v) {
          const set = map2.get(k);
          if (set == null ? void 0 : set.delete(v)) {
            if (!set.size) {
              map2.delete(k);
            }
            return true;
          }
          return false;
        }
        function getReferencedFilesFromImportedModuleSymbol(symbol) {
          return mapDefined(symbol.declarations, (declaration) => {
            var _a;
            return (_a = getSourceFileOfNode(declaration)) == null ? void 0 : _a.resolvedPath;
          });
        }
        function getReferencedFilesFromImportLiteral(checker, importName) {
          const symbol = checker.getSymbolAtLocation(importName);
          return symbol && getReferencedFilesFromImportedModuleSymbol(symbol);
        }
        function getReferencedFileFromFileName(program, fileName, sourceFileDirectory, getCanonicalFileName) {
          return toPath3(program.getProjectReferenceRedirect(fileName) || fileName, sourceFileDirectory, getCanonicalFileName);
        }
        function getReferencedFiles(program, sourceFile, getCanonicalFileName) {
          let referencedFiles;
          if (sourceFile.imports && sourceFile.imports.length > 0) {
            const checker = program.getTypeChecker();
            for (const importName of sourceFile.imports) {
              const declarationSourceFilePaths = getReferencedFilesFromImportLiteral(checker, importName);
              declarationSourceFilePaths == null ? void 0 : declarationSourceFilePaths.forEach(addReferencedFile);
            }
          }
          const sourceFileDirectory = getDirectoryPath(sourceFile.resolvedPath);
          if (sourceFile.referencedFiles && sourceFile.referencedFiles.length > 0) {
            for (const referencedFile of sourceFile.referencedFiles) {
              const referencedPath = getReferencedFileFromFileName(program, referencedFile.fileName, sourceFileDirectory, getCanonicalFileName);
              addReferencedFile(referencedPath);
            }
          }
          program.forEachResolvedTypeReferenceDirective(({ resolvedTypeReferenceDirective }) => {
            if (!resolvedTypeReferenceDirective) {
              return;
            }
            const fileName = resolvedTypeReferenceDirective.resolvedFileName;
            const typeFilePath = getReferencedFileFromFileName(program, fileName, sourceFileDirectory, getCanonicalFileName);
            addReferencedFile(typeFilePath);
          }, sourceFile);
          if (sourceFile.moduleAugmentations.length) {
            const checker = program.getTypeChecker();
            for (const moduleName of sourceFile.moduleAugmentations) {
              if (!isStringLiteral2(moduleName)) continue;
              const symbol = checker.getSymbolAtLocation(moduleName);
              if (!symbol) continue;
              addReferenceFromAmbientModule(symbol);
            }
          }
          for (const ambientModule of program.getTypeChecker().getAmbientModules()) {
            if (ambientModule.declarations && ambientModule.declarations.length > 1) {
              addReferenceFromAmbientModule(ambientModule);
            }
          }
          return referencedFiles;
          function addReferenceFromAmbientModule(symbol) {
            if (!symbol.declarations) {
              return;
            }
            for (const declaration of symbol.declarations) {
              const declarationSourceFile = getSourceFileOfNode(declaration);
              if (declarationSourceFile && declarationSourceFile !== sourceFile) {
                addReferencedFile(declarationSourceFile.resolvedPath);
              }
            }
          }
          function addReferencedFile(referencedPath) {
            (referencedFiles || (referencedFiles = /* @__PURE__ */ new Set())).add(referencedPath);
          }
        }
        function canReuseOldState(newReferencedMap, oldState) {
          return oldState && !oldState.referencedMap === !newReferencedMap;
        }
        BuilderState2.canReuseOldState = canReuseOldState;
        function createReferencedMap(options) {
          return options.module !== 0 && !options.outFile ? createManyToManyPathMap() : void 0;
        }
        BuilderState2.createReferencedMap = createReferencedMap;
        function create119(newProgram, oldState, disableUseFileVersionAsSignature) {
          var _a, _b;
          const fileInfos = /* @__PURE__ */ new Map();
          const options = newProgram.getCompilerOptions();
          const referencedMap = createReferencedMap(options);
          const useOldState = canReuseOldState(referencedMap, oldState);
          newProgram.getTypeChecker();
          for (const sourceFile of newProgram.getSourceFiles()) {
            const version2 = Debug.checkDefined(sourceFile.version, "Program intended to be used with Builder should have source files with versions set");
            const oldUncommittedSignature = useOldState ? (_a = oldState.oldSignatures) == null ? void 0 : _a.get(sourceFile.resolvedPath) : void 0;
            const signature = oldUncommittedSignature === void 0 ? useOldState ? (_b = oldState.fileInfos.get(sourceFile.resolvedPath)) == null ? void 0 : _b.signature : void 0 : oldUncommittedSignature || void 0;
            if (referencedMap) {
              const newReferences = getReferencedFiles(newProgram, sourceFile, newProgram.getCanonicalFileName);
              if (newReferences) {
                referencedMap.set(sourceFile.resolvedPath, newReferences);
              }
            }
            fileInfos.set(sourceFile.resolvedPath, {
              version: version2,
              signature,
              // No need to calculate affectsGlobalScope with --out since its not used at all
              affectsGlobalScope: !options.outFile ? isFileAffectingGlobalScope(sourceFile) || void 0 : void 0,
              impliedFormat: sourceFile.impliedNodeFormat
            });
          }
          return {
            fileInfos,
            referencedMap,
            useFileVersionAsSignature: !disableUseFileVersionAsSignature && !useOldState
          };
        }
        BuilderState2.create = create119;
        function releaseCache2(state) {
          state.allFilesExcludingDefaultLibraryFile = void 0;
          state.allFileNames = void 0;
        }
        BuilderState2.releaseCache = releaseCache2;
        function getFilesAffectedBy(state, programOfThisState, path17, cancellationToken, host) {
          var _a;
          const result = getFilesAffectedByWithOldState(
            state,
            programOfThisState,
            path17,
            cancellationToken,
            host
          );
          (_a = state.oldSignatures) == null ? void 0 : _a.clear();
          return result;
        }
        BuilderState2.getFilesAffectedBy = getFilesAffectedBy;
        function getFilesAffectedByWithOldState(state, programOfThisState, path17, cancellationToken, host) {
          const sourceFile = programOfThisState.getSourceFileByPath(path17);
          if (!sourceFile) {
            return emptyArray;
          }
          if (!updateShapeSignature(state, programOfThisState, sourceFile, cancellationToken, host)) {
            return [sourceFile];
          }
          return (state.referencedMap ? getFilesAffectedByUpdatedShapeWhenModuleEmit : getFilesAffectedByUpdatedShapeWhenNonModuleEmit)(state, programOfThisState, sourceFile, cancellationToken, host);
        }
        BuilderState2.getFilesAffectedByWithOldState = getFilesAffectedByWithOldState;
        function updateSignatureOfFile(state, signature, path17) {
          state.fileInfos.get(path17).signature = signature;
          (state.hasCalledUpdateShapeSignature || (state.hasCalledUpdateShapeSignature = /* @__PURE__ */ new Set())).add(path17);
        }
        BuilderState2.updateSignatureOfFile = updateSignatureOfFile;
        function computeDtsSignature(programOfThisState, sourceFile, cancellationToken, host, onNewSignature) {
          programOfThisState.emit(
            sourceFile,
            (fileName, text, _writeByteOrderMark, _onError, sourceFiles, data) => {
              Debug.assert(isDeclarationFileName(fileName), `File extension for signature expected to be dts: Got:: ${fileName}`);
              onNewSignature(
                computeSignatureWithDiagnostics(
                  programOfThisState,
                  sourceFile,
                  text,
                  host,
                  data
                ),
                sourceFiles
              );
            },
            cancellationToken,
            2,
            /*customTransformers*/
            void 0,
            /*forceDtsEmit*/
            true
          );
        }
        BuilderState2.computeDtsSignature = computeDtsSignature;
        function updateShapeSignature(state, programOfThisState, sourceFile, cancellationToken, host, useFileVersionAsSignature = state.useFileVersionAsSignature) {
          var _a;
          if ((_a = state.hasCalledUpdateShapeSignature) == null ? void 0 : _a.has(sourceFile.resolvedPath)) return false;
          const info = state.fileInfos.get(sourceFile.resolvedPath);
          const prevSignature = info.signature;
          let latestSignature;
          if (!sourceFile.isDeclarationFile && !useFileVersionAsSignature) {
            computeDtsSignature(programOfThisState, sourceFile, cancellationToken, host, (signature) => {
              latestSignature = signature;
              if (host.storeSignatureInfo) (state.signatureInfo ?? (state.signatureInfo = /* @__PURE__ */ new Map())).set(
                sourceFile.resolvedPath,
                0
                /* ComputedDts */
              );
            });
          }
          if (latestSignature === void 0) {
            latestSignature = sourceFile.version;
            if (host.storeSignatureInfo) (state.signatureInfo ?? (state.signatureInfo = /* @__PURE__ */ new Map())).set(
              sourceFile.resolvedPath,
              2
              /* UsedVersion */
            );
          }
          (state.oldSignatures || (state.oldSignatures = /* @__PURE__ */ new Map())).set(sourceFile.resolvedPath, prevSignature || false);
          (state.hasCalledUpdateShapeSignature || (state.hasCalledUpdateShapeSignature = /* @__PURE__ */ new Set())).add(sourceFile.resolvedPath);
          info.signature = latestSignature;
          return latestSignature !== prevSignature;
        }
        BuilderState2.updateShapeSignature = updateShapeSignature;
        function getAllDependencies(state, programOfThisState, sourceFile) {
          const compilerOptions = programOfThisState.getCompilerOptions();
          if (compilerOptions.outFile) {
            return getAllFileNames(state, programOfThisState);
          }
          if (!state.referencedMap || isFileAffectingGlobalScope(sourceFile)) {
            return getAllFileNames(state, programOfThisState);
          }
          const seenMap = /* @__PURE__ */ new Set();
          const queue = [sourceFile.resolvedPath];
          while (queue.length) {
            const path17 = queue.pop();
            if (!seenMap.has(path17)) {
              seenMap.add(path17);
              const references = state.referencedMap.getValues(path17);
              if (references) {
                for (const key of references.keys()) {
                  queue.push(key);
                }
              }
            }
          }
          return arrayFrom(mapDefinedIterator(seenMap.keys(), (path17) => {
            var _a;
            return ((_a = programOfThisState.getSourceFileByPath(path17)) == null ? void 0 : _a.fileName) ?? path17;
          }));
        }
        BuilderState2.getAllDependencies = getAllDependencies;
        function getAllFileNames(state, programOfThisState) {
          if (!state.allFileNames) {
            const sourceFiles = programOfThisState.getSourceFiles();
            state.allFileNames = sourceFiles === emptyArray ? emptyArray : sourceFiles.map((file) => file.fileName);
          }
          return state.allFileNames;
        }
        function getReferencedByPaths(state, referencedFilePath) {
          const keys2 = state.referencedMap.getKeys(referencedFilePath);
          return keys2 ? arrayFrom(keys2.keys()) : [];
        }
        BuilderState2.getReferencedByPaths = getReferencedByPaths;
        function containsOnlyAmbientModules(sourceFile) {
          for (const statement of sourceFile.statements) {
            if (!isModuleWithStringLiteralName(statement)) {
              return false;
            }
          }
          return true;
        }
        function containsGlobalScopeAugmentation(sourceFile) {
          return some(sourceFile.moduleAugmentations, (augmentation) => isGlobalScopeAugmentation(augmentation.parent));
        }
        function isFileAffectingGlobalScope(sourceFile) {
          return containsGlobalScopeAugmentation(sourceFile) || !isExternalOrCommonJsModule(sourceFile) && !isJsonSourceFile(sourceFile) && !containsOnlyAmbientModules(sourceFile);
        }
        function getAllFilesExcludingDefaultLibraryFile(state, programOfThisState, firstSourceFile) {
          if (state.allFilesExcludingDefaultLibraryFile) {
            return state.allFilesExcludingDefaultLibraryFile;
          }
          let result;
          if (firstSourceFile) addSourceFile(firstSourceFile);
          for (const sourceFile of programOfThisState.getSourceFiles()) {
            if (sourceFile !== firstSourceFile) {
              addSourceFile(sourceFile);
            }
          }
          state.allFilesExcludingDefaultLibraryFile = result || emptyArray;
          return state.allFilesExcludingDefaultLibraryFile;
          function addSourceFile(sourceFile) {
            if (!programOfThisState.isSourceFileDefaultLibrary(sourceFile)) {
              (result || (result = [])).push(sourceFile);
            }
          }
        }
        BuilderState2.getAllFilesExcludingDefaultLibraryFile = getAllFilesExcludingDefaultLibraryFile;
        function getFilesAffectedByUpdatedShapeWhenNonModuleEmit(state, programOfThisState, sourceFileWithUpdatedShape) {
          const compilerOptions = programOfThisState.getCompilerOptions();
          if (compilerOptions && compilerOptions.outFile) {
            return [sourceFileWithUpdatedShape];
          }
          return getAllFilesExcludingDefaultLibraryFile(state, programOfThisState, sourceFileWithUpdatedShape);
        }
        function getFilesAffectedByUpdatedShapeWhenModuleEmit(state, programOfThisState, sourceFileWithUpdatedShape, cancellationToken, host) {
          if (isFileAffectingGlobalScope(sourceFileWithUpdatedShape)) {
            return getAllFilesExcludingDefaultLibraryFile(state, programOfThisState, sourceFileWithUpdatedShape);
          }
          const compilerOptions = programOfThisState.getCompilerOptions();
          if (compilerOptions && (getIsolatedModules(compilerOptions) || compilerOptions.outFile)) {
            return [sourceFileWithUpdatedShape];
          }
          const seenFileNamesMap = /* @__PURE__ */ new Map();
          seenFileNamesMap.set(sourceFileWithUpdatedShape.resolvedPath, sourceFileWithUpdatedShape);
          const queue = getReferencedByPaths(state, sourceFileWithUpdatedShape.resolvedPath);
          while (queue.length > 0) {
            const currentPath = queue.pop();
            if (!seenFileNamesMap.has(currentPath)) {
              const currentSourceFile = programOfThisState.getSourceFileByPath(currentPath);
              seenFileNamesMap.set(currentPath, currentSourceFile);
              if (currentSourceFile && updateShapeSignature(state, programOfThisState, currentSourceFile, cancellationToken, host)) {
                queue.push(...getReferencedByPaths(state, currentSourceFile.resolvedPath));
              }
            }
          }
          return arrayFrom(mapDefinedIterator(seenFileNamesMap.values(), (value) => value));
        }
      })(BuilderState || (BuilderState = {}));
      var BuilderFileEmit = /* @__PURE__ */ ((BuilderFileEmit2) => {
        BuilderFileEmit2[BuilderFileEmit2["None"] = 0] = "None";
        BuilderFileEmit2[BuilderFileEmit2["Js"] = 1] = "Js";
        BuilderFileEmit2[BuilderFileEmit2["JsMap"] = 2] = "JsMap";
        BuilderFileEmit2[BuilderFileEmit2["JsInlineMap"] = 4] = "JsInlineMap";
        BuilderFileEmit2[BuilderFileEmit2["Dts"] = 8] = "Dts";
        BuilderFileEmit2[BuilderFileEmit2["DtsMap"] = 16] = "DtsMap";
        BuilderFileEmit2[BuilderFileEmit2["AllJs"] = 7] = "AllJs";
        BuilderFileEmit2[BuilderFileEmit2["AllDts"] = 24] = "AllDts";
        BuilderFileEmit2[BuilderFileEmit2["All"] = 31] = "All";
        return BuilderFileEmit2;
      })(BuilderFileEmit || {});
      function getBuilderFileEmit(options) {
        let result = 1;
        if (options.sourceMap) result = result | 2;
        if (options.inlineSourceMap) result = result | 4;
        if (getEmitDeclarations(options)) result = result | 8;
        if (options.declarationMap) result = result | 16;
        if (options.emitDeclarationOnly) result = result & 24;
        return result;
      }
      function getPendingEmitKind(optionsOrEmitKind, oldOptionsOrEmitKind) {
        const oldEmitKind = oldOptionsOrEmitKind && (isNumber2(oldOptionsOrEmitKind) ? oldOptionsOrEmitKind : getBuilderFileEmit(oldOptionsOrEmitKind));
        const emitKind = isNumber2(optionsOrEmitKind) ? optionsOrEmitKind : getBuilderFileEmit(optionsOrEmitKind);
        if (oldEmitKind === emitKind) return 0;
        if (!oldEmitKind || !emitKind) return emitKind;
        const diff = oldEmitKind ^ emitKind;
        let result = 0;
        if (diff & 7) result = emitKind & 7;
        if (diff & 24) result = result | emitKind & 24;
        return result;
      }
      function hasSameKeys(map1, map2) {
        return map1 === map2 || map1 !== void 0 && map2 !== void 0 && map1.size === map2.size && !forEachKey(map1, (key) => !map2.has(key));
      }
      function createBuilderProgramState(newProgram, oldState) {
        var _a, _b;
        const state = BuilderState.create(
          newProgram,
          oldState,
          /*disableUseFileVersionAsSignature*/
          false
        );
        state.program = newProgram;
        const compilerOptions = newProgram.getCompilerOptions();
        state.compilerOptions = compilerOptions;
        const outFilePath = compilerOptions.outFile;
        if (!outFilePath) {
          state.semanticDiagnosticsPerFile = /* @__PURE__ */ new Map();
        } else if (compilerOptions.composite && (oldState == null ? void 0 : oldState.outSignature) && outFilePath === oldState.compilerOptions.outFile) {
          state.outSignature = oldState.outSignature && getEmitSignatureFromOldSignature(compilerOptions, oldState.compilerOptions, oldState.outSignature);
        }
        state.changedFilesSet = /* @__PURE__ */ new Set();
        state.latestChangedDtsFile = compilerOptions.composite ? oldState == null ? void 0 : oldState.latestChangedDtsFile : void 0;
        const useOldState = BuilderState.canReuseOldState(state.referencedMap, oldState);
        const oldCompilerOptions = useOldState ? oldState.compilerOptions : void 0;
        const canCopySemanticDiagnostics = useOldState && oldState.semanticDiagnosticsPerFile && !!state.semanticDiagnosticsPerFile && !compilerOptionsAffectSemanticDiagnostics(compilerOptions, oldCompilerOptions);
        const canCopyEmitSignatures = compilerOptions.composite && (oldState == null ? void 0 : oldState.emitSignatures) && !outFilePath && !compilerOptionsAffectDeclarationPath(compilerOptions, oldState.compilerOptions);
        if (useOldState) {
          (_a = oldState.changedFilesSet) == null ? void 0 : _a.forEach((value) => state.changedFilesSet.add(value));
          if (!outFilePath && ((_b = oldState.affectedFilesPendingEmit) == null ? void 0 : _b.size)) {
            state.affectedFilesPendingEmit = new Map(oldState.affectedFilesPendingEmit);
            state.seenAffectedFiles = /* @__PURE__ */ new Set();
          }
          state.programEmitPending = oldState.programEmitPending;
        } else {
          state.buildInfoEmitPending = true;
        }
        const referencedMap = state.referencedMap;
        const oldReferencedMap = useOldState ? oldState.referencedMap : void 0;
        const copyDeclarationFileDiagnostics = canCopySemanticDiagnostics && !compilerOptions.skipLibCheck === !oldCompilerOptions.skipLibCheck;
        const copyLibFileDiagnostics = copyDeclarationFileDiagnostics && !compilerOptions.skipDefaultLibCheck === !oldCompilerOptions.skipDefaultLibCheck;
        state.fileInfos.forEach((info, sourceFilePath) => {
          var _a2;
          let oldInfo;
          let newReferences;
          if (!useOldState || // File wasn't present in old state
          !(oldInfo = oldState.fileInfos.get(sourceFilePath)) || // versions dont match
          oldInfo.version !== info.version || // Implied formats dont match
          oldInfo.impliedFormat !== info.impliedFormat || // Referenced files changed
          !hasSameKeys(newReferences = referencedMap && referencedMap.getValues(sourceFilePath), oldReferencedMap && oldReferencedMap.getValues(sourceFilePath)) || // Referenced file was deleted in the new program
          newReferences && forEachKey(newReferences, (path17) => !state.fileInfos.has(path17) && oldState.fileInfos.has(path17))) {
            addFileToChangeSet(state, sourceFilePath);
          } else {
            const sourceFile = newProgram.getSourceFileByPath(sourceFilePath);
            const emitDiagnostics = (_a2 = oldState.emitDiagnosticsPerFile) == null ? void 0 : _a2.get(sourceFilePath);
            if (emitDiagnostics) {
              (state.emitDiagnosticsPerFile ?? (state.emitDiagnosticsPerFile = /* @__PURE__ */ new Map())).set(
                sourceFilePath,
                oldState.hasReusableDiagnostic ? convertToDiagnostics(emitDiagnostics, sourceFilePath, newProgram) : repopulateDiagnostics(emitDiagnostics, newProgram)
              );
            }
            if (canCopySemanticDiagnostics) {
              if (sourceFile.isDeclarationFile && !copyDeclarationFileDiagnostics) return;
              if (sourceFile.hasNoDefaultLib && !copyLibFileDiagnostics) return;
              const diagnostics = oldState.semanticDiagnosticsPerFile.get(sourceFilePath);
              if (diagnostics) {
                state.semanticDiagnosticsPerFile.set(
                  sourceFilePath,
                  oldState.hasReusableDiagnostic ? convertToDiagnostics(diagnostics, sourceFilePath, newProgram) : repopulateDiagnostics(diagnostics, newProgram)
                );
                (state.semanticDiagnosticsFromOldState ?? (state.semanticDiagnosticsFromOldState = /* @__PURE__ */ new Set())).add(sourceFilePath);
              }
            }
          }
          if (canCopyEmitSignatures) {
            const oldEmitSignature = oldState.emitSignatures.get(sourceFilePath);
            if (oldEmitSignature) {
              (state.emitSignatures ?? (state.emitSignatures = /* @__PURE__ */ new Map())).set(sourceFilePath, getEmitSignatureFromOldSignature(compilerOptions, oldState.compilerOptions, oldEmitSignature));
            }
          }
        });
        if (useOldState && forEachEntry(oldState.fileInfos, (info, sourceFilePath) => {
          if (state.fileInfos.has(sourceFilePath)) return false;
          if (outFilePath || info.affectsGlobalScope) return true;
          state.buildInfoEmitPending = true;
          return false;
        })) {
          BuilderState.getAllFilesExcludingDefaultLibraryFile(
            state,
            newProgram,
            /*firstSourceFile*/
            void 0
          ).forEach((file) => addFileToChangeSet(state, file.resolvedPath));
        } else if (oldCompilerOptions) {
          const pendingEmitKind = compilerOptionsAffectEmit(compilerOptions, oldCompilerOptions) ? getBuilderFileEmit(compilerOptions) : getPendingEmitKind(compilerOptions, oldCompilerOptions);
          if (pendingEmitKind !== 0) {
            if (!outFilePath) {
              newProgram.getSourceFiles().forEach((f) => {
                if (!state.changedFilesSet.has(f.resolvedPath)) {
                  addToAffectedFilesPendingEmit(
                    state,
                    f.resolvedPath,
                    pendingEmitKind
                  );
                }
              });
              Debug.assert(!state.seenAffectedFiles || !state.seenAffectedFiles.size);
              state.seenAffectedFiles = state.seenAffectedFiles || /* @__PURE__ */ new Set();
              state.buildInfoEmitPending = true;
            } else {
              state.programEmitPending = state.programEmitPending ? state.programEmitPending | pendingEmitKind : pendingEmitKind;
            }
          }
        }
        return state;
      }
      function addFileToChangeSet(state, path17) {
        state.changedFilesSet.add(path17);
        state.buildInfoEmitPending = true;
        state.programEmitPending = void 0;
      }
      function getEmitSignatureFromOldSignature(options, oldOptions, oldEmitSignature) {
        return !!options.declarationMap === !!oldOptions.declarationMap ? (
          // Use same format of signature
          oldEmitSignature
        ) : (
          // Convert to different format
          isString2(oldEmitSignature) ? [oldEmitSignature] : oldEmitSignature[0]
        );
      }
      function repopulateDiagnostics(diagnostics, newProgram) {
        if (!diagnostics.length) return diagnostics;
        return sameMap(diagnostics, (diag2) => {
          if (isString2(diag2.messageText)) return diag2;
          const repopulatedChain = convertOrRepopulateDiagnosticMessageChain(diag2.messageText, diag2.file, newProgram, (chain) => {
            var _a;
            return (_a = chain.repopulateInfo) == null ? void 0 : _a.call(chain);
          });
          return repopulatedChain === diag2.messageText ? diag2 : { ...diag2, messageText: repopulatedChain };
        });
      }
      function convertOrRepopulateDiagnosticMessageChain(chain, sourceFile, newProgram, repopulateInfo) {
        const info = repopulateInfo(chain);
        if (info) {
          return {
            ...createModuleNotFoundChain(sourceFile, newProgram, info.moduleReference, info.mode, info.packageName || info.moduleReference),
            next: convertOrRepopulateDiagnosticMessageChainArray(chain.next, sourceFile, newProgram, repopulateInfo)
          };
        }
        const next = convertOrRepopulateDiagnosticMessageChainArray(chain.next, sourceFile, newProgram, repopulateInfo);
        return next === chain.next ? chain : { ...chain, next };
      }
      function convertOrRepopulateDiagnosticMessageChainArray(array, sourceFile, newProgram, repopulateInfo) {
        return sameMap(array, (chain) => convertOrRepopulateDiagnosticMessageChain(chain, sourceFile, newProgram, repopulateInfo));
      }
      function convertToDiagnostics(diagnostics, diagnosticFilePath, newProgram) {
        if (!diagnostics.length) return emptyArray;
        let buildInfoDirectory;
        return diagnostics.map((diagnostic) => {
          const result = convertToDiagnosticRelatedInformation(diagnostic, diagnosticFilePath, newProgram, toPathInBuildInfoDirectory);
          result.reportsUnnecessary = diagnostic.reportsUnnecessary;
          result.reportsDeprecated = diagnostic.reportDeprecated;
          result.source = diagnostic.source;
          result.skippedOn = diagnostic.skippedOn;
          const { relatedInformation } = diagnostic;
          result.relatedInformation = relatedInformation ? relatedInformation.length ? relatedInformation.map((r) => convertToDiagnosticRelatedInformation(r, diagnosticFilePath, newProgram, toPathInBuildInfoDirectory)) : [] : void 0;
          return result;
        });
        function toPathInBuildInfoDirectory(path17) {
          buildInfoDirectory ?? (buildInfoDirectory = getDirectoryPath(getNormalizedAbsolutePath(getTsBuildInfoEmitOutputFilePath(newProgram.getCompilerOptions()), newProgram.getCurrentDirectory())));
          return toPath3(path17, buildInfoDirectory, newProgram.getCanonicalFileName);
        }
      }
      function convertToDiagnosticRelatedInformation(diagnostic, diagnosticFilePath, newProgram, toPath32) {
        const { file } = diagnostic;
        const sourceFile = file !== false ? newProgram.getSourceFileByPath(file ? toPath32(file) : diagnosticFilePath) : void 0;
        return {
          ...diagnostic,
          file: sourceFile,
          messageText: isString2(diagnostic.messageText) ? diagnostic.messageText : convertOrRepopulateDiagnosticMessageChain(diagnostic.messageText, sourceFile, newProgram, (chain) => chain.info)
        };
      }
      function releaseCache(state) {
        BuilderState.releaseCache(state);
        state.program = void 0;
      }
      function backupBuilderProgramEmitState(state) {
        const outFilePath = state.compilerOptions.outFile;
        Debug.assert(!state.changedFilesSet.size || outFilePath);
        return {
          affectedFilesPendingEmit: state.affectedFilesPendingEmit && new Map(state.affectedFilesPendingEmit),
          seenEmittedFiles: state.seenEmittedFiles && new Map(state.seenEmittedFiles),
          programEmitPending: state.programEmitPending,
          emitSignatures: state.emitSignatures && new Map(state.emitSignatures),
          outSignature: state.outSignature,
          latestChangedDtsFile: state.latestChangedDtsFile,
          hasChangedEmitSignature: state.hasChangedEmitSignature,
          changedFilesSet: outFilePath ? new Set(state.changedFilesSet) : void 0,
          buildInfoEmitPending: state.buildInfoEmitPending,
          emitDiagnosticsPerFile: state.emitDiagnosticsPerFile && new Map(state.emitDiagnosticsPerFile)
        };
      }
      function restoreBuilderProgramEmitState(state, savedEmitState) {
        state.affectedFilesPendingEmit = savedEmitState.affectedFilesPendingEmit;
        state.seenEmittedFiles = savedEmitState.seenEmittedFiles;
        state.programEmitPending = savedEmitState.programEmitPending;
        state.emitSignatures = savedEmitState.emitSignatures;
        state.outSignature = savedEmitState.outSignature;
        state.latestChangedDtsFile = savedEmitState.latestChangedDtsFile;
        state.hasChangedEmitSignature = savedEmitState.hasChangedEmitSignature;
        state.buildInfoEmitPending = savedEmitState.buildInfoEmitPending;
        state.emitDiagnosticsPerFile = savedEmitState.emitDiagnosticsPerFile;
        if (savedEmitState.changedFilesSet) state.changedFilesSet = savedEmitState.changedFilesSet;
      }
      function assertSourceFileOkWithoutNextAffectedCall(state, sourceFile) {
        Debug.assert(!sourceFile || !state.affectedFiles || state.affectedFiles[state.affectedFilesIndex - 1] !== sourceFile || !state.semanticDiagnosticsPerFile.has(sourceFile.resolvedPath));
      }
      function getNextAffectedFile(state, cancellationToken, host) {
        var _a;
        while (true) {
          const { affectedFiles } = state;
          if (affectedFiles) {
            const seenAffectedFiles = state.seenAffectedFiles;
            let affectedFilesIndex = state.affectedFilesIndex;
            while (affectedFilesIndex < affectedFiles.length) {
              const affectedFile = affectedFiles[affectedFilesIndex];
              if (!seenAffectedFiles.has(affectedFile.resolvedPath)) {
                state.affectedFilesIndex = affectedFilesIndex;
                addToAffectedFilesPendingEmit(state, affectedFile.resolvedPath, getBuilderFileEmit(state.compilerOptions));
                handleDtsMayChangeOfAffectedFile(
                  state,
                  affectedFile,
                  cancellationToken,
                  host
                );
                return affectedFile;
              }
              affectedFilesIndex++;
            }
            state.changedFilesSet.delete(state.currentChangedFilePath);
            state.currentChangedFilePath = void 0;
            (_a = state.oldSignatures) == null ? void 0 : _a.clear();
            state.affectedFiles = void 0;
          }
          const nextKey = state.changedFilesSet.keys().next();
          if (nextKey.done) {
            return void 0;
          }
          const program = Debug.checkDefined(state.program);
          const compilerOptions = program.getCompilerOptions();
          if (compilerOptions.outFile) {
            Debug.assert(!state.semanticDiagnosticsPerFile);
            return program;
          }
          state.affectedFiles = BuilderState.getFilesAffectedByWithOldState(
            state,
            program,
            nextKey.value,
            cancellationToken,
            host
          );
          state.currentChangedFilePath = nextKey.value;
          state.affectedFilesIndex = 0;
          if (!state.seenAffectedFiles) state.seenAffectedFiles = /* @__PURE__ */ new Set();
        }
      }
      function clearAffectedFilesPendingEmit(state, emitOnlyDtsFiles) {
        var _a;
        if (!((_a = state.affectedFilesPendingEmit) == null ? void 0 : _a.size)) return;
        if (!emitOnlyDtsFiles) return state.affectedFilesPendingEmit = void 0;
        state.affectedFilesPendingEmit.forEach((emitKind, path17) => {
          const pending = emitKind & 7;
          if (!pending) state.affectedFilesPendingEmit.delete(path17);
          else state.affectedFilesPendingEmit.set(path17, pending);
        });
      }
      function getNextAffectedFilePendingEmit(state, emitOnlyDtsFiles) {
        var _a;
        if (!((_a = state.affectedFilesPendingEmit) == null ? void 0 : _a.size)) return void 0;
        return forEachEntry(state.affectedFilesPendingEmit, (emitKind, path17) => {
          var _a2;
          const affectedFile = state.program.getSourceFileByPath(path17);
          if (!affectedFile || !sourceFileMayBeEmitted(affectedFile, state.program)) {
            state.affectedFilesPendingEmit.delete(path17);
            return void 0;
          }
          const seenKind = (_a2 = state.seenEmittedFiles) == null ? void 0 : _a2.get(affectedFile.resolvedPath);
          let pendingKind = getPendingEmitKind(emitKind, seenKind);
          if (emitOnlyDtsFiles) pendingKind = pendingKind & 24;
          if (pendingKind) return { affectedFile, emitKind: pendingKind };
        });
      }
      function getNextPendingEmitDiagnosticsFile(state) {
        var _a;
        if (!((_a = state.emitDiagnosticsPerFile) == null ? void 0 : _a.size)) return void 0;
        return forEachEntry(state.emitDiagnosticsPerFile, (diagnostics, path17) => {
          var _a2;
          const affectedFile = state.program.getSourceFileByPath(path17);
          if (!affectedFile || !sourceFileMayBeEmitted(affectedFile, state.program)) {
            state.emitDiagnosticsPerFile.delete(path17);
            return void 0;
          }
          const seenKind = ((_a2 = state.seenEmittedFiles) == null ? void 0 : _a2.get(affectedFile.resolvedPath)) || 0;
          if (!(seenKind & 24)) return { affectedFile, diagnostics, seenKind };
        });
      }
      function removeDiagnosticsOfLibraryFiles(state) {
        if (!state.cleanedDiagnosticsOfLibFiles) {
          state.cleanedDiagnosticsOfLibFiles = true;
          const program = Debug.checkDefined(state.program);
          const options = program.getCompilerOptions();
          forEach(program.getSourceFiles(), (f) => program.isSourceFileDefaultLibrary(f) && !skipTypeChecking(f, options, program) && removeSemanticDiagnosticsOf(state, f.resolvedPath));
        }
      }
      function handleDtsMayChangeOfAffectedFile(state, affectedFile, cancellationToken, host) {
        removeSemanticDiagnosticsOf(state, affectedFile.resolvedPath);
        if (state.allFilesExcludingDefaultLibraryFile === state.affectedFiles) {
          removeDiagnosticsOfLibraryFiles(state);
          BuilderState.updateShapeSignature(
            state,
            Debug.checkDefined(state.program),
            affectedFile,
            cancellationToken,
            host
          );
          return;
        }
        if (state.compilerOptions.assumeChangesOnlyAffectDirectDependencies) return;
        handleDtsMayChangeOfReferencingExportOfAffectedFile(
          state,
          affectedFile,
          cancellationToken,
          host
        );
      }
      function handleDtsMayChangeOf(state, path17, invalidateJsFiles, cancellationToken, host) {
        removeSemanticDiagnosticsOf(state, path17);
        if (!state.changedFilesSet.has(path17)) {
          const program = Debug.checkDefined(state.program);
          const sourceFile = program.getSourceFileByPath(path17);
          if (sourceFile) {
            BuilderState.updateShapeSignature(
              state,
              program,
              sourceFile,
              cancellationToken,
              host,
              /*useFileVersionAsSignature*/
              true
            );
            if (invalidateJsFiles) {
              addToAffectedFilesPendingEmit(state, path17, getBuilderFileEmit(state.compilerOptions));
            } else if (getEmitDeclarations(state.compilerOptions)) {
              addToAffectedFilesPendingEmit(
                state,
                path17,
                state.compilerOptions.declarationMap ? 24 : 8
                /* Dts */
              );
            }
          }
        }
      }
      function removeSemanticDiagnosticsOf(state, path17) {
        if (!state.semanticDiagnosticsFromOldState) {
          return true;
        }
        state.semanticDiagnosticsFromOldState.delete(path17);
        state.semanticDiagnosticsPerFile.delete(path17);
        return !state.semanticDiagnosticsFromOldState.size;
      }
      function isChangedSignature(state, path17) {
        const oldSignature = Debug.checkDefined(state.oldSignatures).get(path17) || void 0;
        const newSignature = Debug.checkDefined(state.fileInfos.get(path17)).signature;
        return newSignature !== oldSignature;
      }
      function handleDtsMayChangeOfGlobalScope(state, filePath, invalidateJsFiles, cancellationToken, host) {
        var _a;
        if (!((_a = state.fileInfos.get(filePath)) == null ? void 0 : _a.affectsGlobalScope)) return false;
        BuilderState.getAllFilesExcludingDefaultLibraryFile(
          state,
          state.program,
          /*firstSourceFile*/
          void 0
        ).forEach(
          (file) => handleDtsMayChangeOf(
            state,
            file.resolvedPath,
            invalidateJsFiles,
            cancellationToken,
            host
          )
        );
        removeDiagnosticsOfLibraryFiles(state);
        return true;
      }
      function handleDtsMayChangeOfReferencingExportOfAffectedFile(state, affectedFile, cancellationToken, host) {
        var _a, _b;
        if (!state.referencedMap || !state.changedFilesSet.has(affectedFile.resolvedPath)) return;
        if (!isChangedSignature(state, affectedFile.resolvedPath)) return;
        if (getIsolatedModules(state.compilerOptions)) {
          const seenFileNamesMap = /* @__PURE__ */ new Map();
          seenFileNamesMap.set(affectedFile.resolvedPath, true);
          const queue = BuilderState.getReferencedByPaths(state, affectedFile.resolvedPath);
          while (queue.length > 0) {
            const currentPath = queue.pop();
            if (!seenFileNamesMap.has(currentPath)) {
              seenFileNamesMap.set(currentPath, true);
              if (handleDtsMayChangeOfGlobalScope(
                state,
                currentPath,
                /*invalidateJsFiles*/
                false,
                cancellationToken,
                host
              )) return;
              handleDtsMayChangeOf(
                state,
                currentPath,
                /*invalidateJsFiles*/
                false,
                cancellationToken,
                host
              );
              if (isChangedSignature(state, currentPath)) {
                const currentSourceFile = Debug.checkDefined(state.program).getSourceFileByPath(currentPath);
                queue.push(...BuilderState.getReferencedByPaths(state, currentSourceFile.resolvedPath));
              }
            }
          }
        }
        const seenFileAndExportsOfFile = /* @__PURE__ */ new Set();
        const invalidateJsFiles = !!((_a = affectedFile.symbol) == null ? void 0 : _a.exports) && !!forEachEntry(
          affectedFile.symbol.exports,
          (exported) => {
            if ((exported.flags & 128) !== 0) return true;
            const aliased = skipAlias(exported, state.program.getTypeChecker());
            if (aliased === exported) return false;
            return (aliased.flags & 128) !== 0 && some(aliased.declarations, (d) => getSourceFileOfNode(d) === affectedFile);
          }
        );
        (_b = state.referencedMap.getKeys(affectedFile.resolvedPath)) == null ? void 0 : _b.forEach((exportedFromPath) => {
          if (handleDtsMayChangeOfGlobalScope(state, exportedFromPath, invalidateJsFiles, cancellationToken, host)) return true;
          const references = state.referencedMap.getKeys(exportedFromPath);
          return references && forEachKey(references, (filePath) => handleDtsMayChangeOfFileAndExportsOfFile(
            state,
            filePath,
            invalidateJsFiles,
            seenFileAndExportsOfFile,
            cancellationToken,
            host
          ));
        });
      }
      function handleDtsMayChangeOfFileAndExportsOfFile(state, filePath, invalidateJsFiles, seenFileAndExportsOfFile, cancellationToken, host) {
        var _a;
        if (!tryAddToSet(seenFileAndExportsOfFile, filePath)) return void 0;
        if (handleDtsMayChangeOfGlobalScope(state, filePath, invalidateJsFiles, cancellationToken, host)) return true;
        handleDtsMayChangeOf(state, filePath, invalidateJsFiles, cancellationToken, host);
        (_a = state.referencedMap.getKeys(filePath)) == null ? void 0 : _a.forEach(
          (referencingFilePath) => handleDtsMayChangeOfFileAndExportsOfFile(
            state,
            referencingFilePath,
            invalidateJsFiles,
            seenFileAndExportsOfFile,
            cancellationToken,
            host
          )
        );
        return void 0;
      }
      function getSemanticDiagnosticsOfFile(state, sourceFile, cancellationToken) {
        return concatenate(
          getBinderAndCheckerDiagnosticsOfFile(state, sourceFile, cancellationToken),
          Debug.checkDefined(state.program).getProgramDiagnostics(sourceFile)
        );
      }
      function getBinderAndCheckerDiagnosticsOfFile(state, sourceFile, cancellationToken) {
        const path17 = sourceFile.resolvedPath;
        if (state.semanticDiagnosticsPerFile) {
          const cachedDiagnostics = state.semanticDiagnosticsPerFile.get(path17);
          if (cachedDiagnostics) {
            return filterSemanticDiagnostics(cachedDiagnostics, state.compilerOptions);
          }
        }
        const diagnostics = Debug.checkDefined(state.program).getBindAndCheckDiagnostics(sourceFile, cancellationToken);
        if (state.semanticDiagnosticsPerFile) {
          state.semanticDiagnosticsPerFile.set(path17, diagnostics);
        }
        return filterSemanticDiagnostics(diagnostics, state.compilerOptions);
      }
      function isProgramBundleEmitBuildInfo(info) {
        var _a;
        return !!((_a = info.options) == null ? void 0 : _a.outFile);
      }
      function getBuildInfo2(state) {
        var _a, _b;
        const currentDirectory = Debug.checkDefined(state.program).getCurrentDirectory();
        const buildInfoDirectory = getDirectoryPath(getNormalizedAbsolutePath(getTsBuildInfoEmitOutputFilePath(state.compilerOptions), currentDirectory));
        const latestChangedDtsFile = state.latestChangedDtsFile ? relativeToBuildInfoEnsuringAbsolutePath(state.latestChangedDtsFile) : void 0;
        const fileNames = [];
        const fileNameToFileId = /* @__PURE__ */ new Map();
        const rootFileNames = new Set(state.program.getRootFileNames().map((f) => toPath3(f, currentDirectory, state.program.getCanonicalFileName)));
        const root2 = [];
        if (state.compilerOptions.outFile) {
          const fileInfos2 = arrayFrom(state.fileInfos.entries(), ([key, value]) => {
            const fileId = toFileId(key);
            tryAddRoot(key, fileId);
            return value.impliedFormat ? { version: value.version, impliedFormat: value.impliedFormat, signature: void 0, affectsGlobalScope: void 0 } : value.version;
          });
          const program2 = {
            fileNames,
            fileInfos: fileInfos2,
            root: root2,
            resolvedRoot: toResolvedRoot(),
            options: convertToProgramBuildInfoCompilerOptions(state.compilerOptions),
            outSignature: state.outSignature,
            latestChangedDtsFile,
            pendingEmit: !state.programEmitPending ? void 0 : (
              // Pending is undefined or None is encoded as undefined
              state.programEmitPending === getBuilderFileEmit(state.compilerOptions) ? false : (
                // Pending emit is same as deteremined by compilerOptions
                state.programEmitPending
              )
            )
            // Actual value
          };
          return createBuildInfo(program2);
        }
        let fileIdsList;
        let fileNamesToFileIdListId;
        let emitSignatures;
        const fileInfos = arrayFrom(state.fileInfos.entries(), ([key, value]) => {
          var _a2, _b2;
          const fileId = toFileId(key);
          tryAddRoot(key, fileId);
          Debug.assert(fileNames[fileId - 1] === relativeToBuildInfo(key));
          const oldSignature = (_a2 = state.oldSignatures) == null ? void 0 : _a2.get(key);
          const actualSignature = oldSignature !== void 0 ? oldSignature || void 0 : value.signature;
          if (state.compilerOptions.composite) {
            const file = state.program.getSourceFileByPath(key);
            if (!isJsonSourceFile(file) && sourceFileMayBeEmitted(file, state.program)) {
              const emitSignature = (_b2 = state.emitSignatures) == null ? void 0 : _b2.get(key);
              if (emitSignature !== actualSignature) {
                emitSignatures = append(
                  emitSignatures,
                  emitSignature === void 0 ? fileId : (
                    // There is no emit, encode as false
                    // fileId, signature: emptyArray if signature only differs in dtsMap option than our own compilerOptions otherwise EmitSignature
                    [fileId, !isString2(emitSignature) && emitSignature[0] === actualSignature ? emptyArray : emitSignature]
                  )
                );
              }
            }
          }
          return value.version === actualSignature ? value.affectsGlobalScope || value.impliedFormat ? (
            // If file version is same as signature, dont serialize signature
            { version: value.version, signature: void 0, affectsGlobalScope: value.affectsGlobalScope, impliedFormat: value.impliedFormat }
          ) : (
            // If file info only contains version and signature and both are same we can just write string
            value.version
          ) : actualSignature !== void 0 ? (
            // If signature is not same as version, encode signature in the fileInfo
            oldSignature === void 0 ? (
              // If we havent computed signature, use fileInfo as is
              value
            ) : (
              // Serialize fileInfo with new updated signature
              { version: value.version, signature: actualSignature, affectsGlobalScope: value.affectsGlobalScope, impliedFormat: value.impliedFormat }
            )
          ) : (
            // Signature of the FileInfo is undefined, serialize it as false
            { version: value.version, signature: false, affectsGlobalScope: value.affectsGlobalScope, impliedFormat: value.impliedFormat }
          );
        });
        let referencedMap;
        if ((_a = state.referencedMap) == null ? void 0 : _a.size()) {
          referencedMap = arrayFrom(state.referencedMap.keys()).sort(compareStringsCaseSensitive).map((key) => [
            toFileId(key),
            toFileIdListId(state.referencedMap.getValues(key))
          ]);
        }
        const semanticDiagnosticsPerFile = convertToProgramBuildInfoDiagnostics();
        let affectedFilesPendingEmit;
        if ((_b = state.affectedFilesPendingEmit) == null ? void 0 : _b.size) {
          const fullEmitForOptions = getBuilderFileEmit(state.compilerOptions);
          const seenFiles = /* @__PURE__ */ new Set();
          for (const path17 of arrayFrom(state.affectedFilesPendingEmit.keys()).sort(compareStringsCaseSensitive)) {
            if (tryAddToSet(seenFiles, path17)) {
              const file = state.program.getSourceFileByPath(path17);
              if (!file || !sourceFileMayBeEmitted(file, state.program)) continue;
              const fileId = toFileId(path17), pendingEmit = state.affectedFilesPendingEmit.get(path17);
              affectedFilesPendingEmit = append(
                affectedFilesPendingEmit,
                pendingEmit === fullEmitForOptions ? fileId : (
                  // Pending full emit per options
                  pendingEmit === 8 ? [fileId] : (
                    // Pending on Dts only
                    [fileId, pendingEmit]
                  )
                )
                // Anything else
              );
            }
          }
        }
        let changeFileSet;
        if (state.changedFilesSet.size) {
          for (const path17 of arrayFrom(state.changedFilesSet.keys()).sort(compareStringsCaseSensitive)) {
            changeFileSet = append(changeFileSet, toFileId(path17));
          }
        }
        const emitDiagnosticsPerFile = convertToProgramBuildInfoEmitDiagnostics();
        const program = {
          fileNames,
          fileInfos,
          root: root2,
          resolvedRoot: toResolvedRoot(),
          options: convertToProgramBuildInfoCompilerOptions(state.compilerOptions),
          fileIdsList,
          referencedMap,
          semanticDiagnosticsPerFile,
          emitDiagnosticsPerFile,
          affectedFilesPendingEmit,
          changeFileSet,
          emitSignatures,
          latestChangedDtsFile
        };
        return createBuildInfo(program);
        function relativeToBuildInfoEnsuringAbsolutePath(path17) {
          return relativeToBuildInfo(getNormalizedAbsolutePath(path17, currentDirectory));
        }
        function relativeToBuildInfo(path17) {
          return ensurePathIsNonModuleName(getRelativePathFromDirectory(buildInfoDirectory, path17, state.program.getCanonicalFileName));
        }
        function toFileId(path17) {
          let fileId = fileNameToFileId.get(path17);
          if (fileId === void 0) {
            fileNames.push(relativeToBuildInfo(path17));
            fileNameToFileId.set(path17, fileId = fileNames.length);
          }
          return fileId;
        }
        function toFileIdListId(set) {
          const fileIds = arrayFrom(set.keys(), toFileId).sort(compareValues);
          const key = fileIds.join();
          let fileIdListId = fileNamesToFileIdListId == null ? void 0 : fileNamesToFileIdListId.get(key);
          if (fileIdListId === void 0) {
            fileIdsList = append(fileIdsList, fileIds);
            (fileNamesToFileIdListId ?? (fileNamesToFileIdListId = /* @__PURE__ */ new Map())).set(key, fileIdListId = fileIdsList.length);
          }
          return fileIdListId;
        }
        function tryAddRoot(path17, fileId) {
          const file = state.program.getSourceFile(path17);
          if (!state.program.getFileIncludeReasons().get(file.path).some(
            (r) => r.kind === 0
            /* RootFile */
          )) return;
          if (!root2.length) return root2.push(fileId);
          const last2 = root2[root2.length - 1];
          const isLastStartEnd = isArray3(last2);
          if (isLastStartEnd && last2[1] === fileId - 1) return last2[1] = fileId;
          if (isLastStartEnd || root2.length === 1 || last2 !== fileId - 1) return root2.push(fileId);
          const lastButOne = root2[root2.length - 2];
          if (!isNumber2(lastButOne) || lastButOne !== last2 - 1) return root2.push(fileId);
          root2[root2.length - 2] = [lastButOne, fileId];
          return root2.length = root2.length - 1;
        }
        function toResolvedRoot() {
          let result;
          rootFileNames.forEach((path17) => {
            const file = state.program.getSourceFileByPath(path17);
            if (file && path17 !== file.resolvedPath) {
              result = append(result, [toFileId(file.resolvedPath), toFileId(path17)]);
            }
          });
          return result;
        }
        function convertToProgramBuildInfoCompilerOptions(options) {
          let result;
          const { optionsNameMap } = getOptionsNameMap();
          for (const name of getOwnKeys(options).sort(compareStringsCaseSensitive)) {
            const optionInfo = optionsNameMap.get(name.toLowerCase());
            if (optionInfo == null ? void 0 : optionInfo.affectsBuildInfo) {
              (result || (result = {}))[name] = convertToReusableCompilerOptionValue(
                optionInfo,
                options[name]
              );
            }
          }
          return result;
        }
        function convertToReusableCompilerOptionValue(option, value) {
          if (option) {
            Debug.assert(option.type !== "listOrElement");
            if (option.type === "list") {
              const values = value;
              if (option.element.isFilePath && values.length) {
                return values.map(relativeToBuildInfoEnsuringAbsolutePath);
              }
            } else if (option.isFilePath) {
              return relativeToBuildInfoEnsuringAbsolutePath(value);
            }
          }
          return value;
        }
        function convertToProgramBuildInfoDiagnostics() {
          let result;
          state.fileInfos.forEach((_value, key) => {
            var _a2;
            const value = (_a2 = state.semanticDiagnosticsPerFile) == null ? void 0 : _a2.get(key);
            if (!value) {
              if (!state.changedFilesSet.has(key)) result = append(result, toFileId(key));
            } else if (value.length) {
              result = append(result, [
                toFileId(key),
                convertToReusableDiagnostics(value, key)
              ]);
            }
          });
          return result;
        }
        function convertToProgramBuildInfoEmitDiagnostics() {
          var _a2;
          let result;
          if (!((_a2 = state.emitDiagnosticsPerFile) == null ? void 0 : _a2.size)) return result;
          for (const key of arrayFrom(state.emitDiagnosticsPerFile.keys()).sort(compareStringsCaseSensitive)) {
            const value = state.emitDiagnosticsPerFile.get(key);
            result = append(result, [
              toFileId(key),
              convertToReusableDiagnostics(value, key)
            ]);
          }
          return result;
        }
        function convertToReusableDiagnostics(diagnostics, diagnosticFilePath) {
          Debug.assert(!!diagnostics.length);
          return diagnostics.map((diagnostic) => {
            const result = convertToReusableDiagnosticRelatedInformation(diagnostic, diagnosticFilePath);
            result.reportsUnnecessary = diagnostic.reportsUnnecessary;
            result.reportDeprecated = diagnostic.reportsDeprecated;
            result.source = diagnostic.source;
            result.skippedOn = diagnostic.skippedOn;
            const { relatedInformation } = diagnostic;
            result.relatedInformation = relatedInformation ? relatedInformation.length ? relatedInformation.map((r) => convertToReusableDiagnosticRelatedInformation(r, diagnosticFilePath)) : [] : void 0;
            return result;
          });
        }
        function convertToReusableDiagnosticRelatedInformation(diagnostic, diagnosticFilePath) {
          const { file } = diagnostic;
          return {
            ...diagnostic,
            file: file ? file.resolvedPath === diagnosticFilePath ? void 0 : relativeToBuildInfo(file.resolvedPath) : false,
            messageText: isString2(diagnostic.messageText) ? diagnostic.messageText : convertToReusableDiagnosticMessageChain(diagnostic.messageText)
          };
        }
        function convertToReusableDiagnosticMessageChain(chain) {
          if (chain.repopulateInfo) {
            return {
              info: chain.repopulateInfo(),
              next: convertToReusableDiagnosticMessageChainArray(chain.next)
            };
          }
          const next = convertToReusableDiagnosticMessageChainArray(chain.next);
          return next === chain.next ? chain : { ...chain, next };
        }
        function convertToReusableDiagnosticMessageChainArray(array) {
          if (!array) return array;
          return forEach(array, (chain, index) => {
            const reusable = convertToReusableDiagnosticMessageChain(chain);
            if (chain === reusable) return void 0;
            const result = index > 0 ? array.slice(0, index - 1) : [];
            result.push(reusable);
            for (let i = index + 1; i < array.length; i++) {
              result.push(convertToReusableDiagnosticMessageChain(array[i]));
            }
            return result;
          }) || array;
        }
      }
      var BuilderProgramKind = /* @__PURE__ */ ((BuilderProgramKind2) => {
        BuilderProgramKind2[BuilderProgramKind2["SemanticDiagnosticsBuilderProgram"] = 0] = "SemanticDiagnosticsBuilderProgram";
        BuilderProgramKind2[BuilderProgramKind2["EmitAndSemanticDiagnosticsBuilderProgram"] = 1] = "EmitAndSemanticDiagnosticsBuilderProgram";
        return BuilderProgramKind2;
      })(BuilderProgramKind || {});
      function getBuilderCreationParameters(newProgramOrRootNames, hostOrOptions, oldProgramOrHost, configFileParsingDiagnosticsOrOldProgram, configFileParsingDiagnostics, projectReferences) {
        let host;
        let newProgram;
        let oldProgram;
        if (newProgramOrRootNames === void 0) {
          Debug.assert(hostOrOptions === void 0);
          host = oldProgramOrHost;
          oldProgram = configFileParsingDiagnosticsOrOldProgram;
          Debug.assert(!!oldProgram);
          newProgram = oldProgram.getProgram();
        } else if (isArray3(newProgramOrRootNames)) {
          oldProgram = configFileParsingDiagnosticsOrOldProgram;
          newProgram = createProgram({
            rootNames: newProgramOrRootNames,
            options: hostOrOptions,
            host: oldProgramOrHost,
            oldProgram: oldProgram && oldProgram.getProgramOrUndefined(),
            configFileParsingDiagnostics,
            projectReferences
          });
          host = oldProgramOrHost;
        } else {
          newProgram = newProgramOrRootNames;
          host = hostOrOptions;
          oldProgram = oldProgramOrHost;
          configFileParsingDiagnostics = configFileParsingDiagnosticsOrOldProgram;
        }
        return { host, newProgram, oldProgram, configFileParsingDiagnostics: configFileParsingDiagnostics || emptyArray };
      }
      function getTextHandlingSourceMapForSignature(text, data) {
        return (data == null ? void 0 : data.sourceMapUrlPos) !== void 0 ? text.substring(0, data.sourceMapUrlPos) : text;
      }
      function computeSignatureWithDiagnostics(program, sourceFile, text, host, data) {
        var _a;
        text = getTextHandlingSourceMapForSignature(text, data);
        let sourceFileDirectory;
        if ((_a = data == null ? void 0 : data.diagnostics) == null ? void 0 : _a.length) {
          text += data.diagnostics.map((diagnostic) => `${locationInfo(diagnostic)}${DiagnosticCategory[diagnostic.category]}${diagnostic.code}: ${flattenDiagnosticMessageText2(diagnostic.messageText)}`).join("\n");
        }
        return (host.createHash ?? generateDjb2Hash)(text);
        function flattenDiagnosticMessageText2(diagnostic) {
          return isString2(diagnostic) ? diagnostic : diagnostic === void 0 ? "" : !diagnostic.next ? diagnostic.messageText : diagnostic.messageText + diagnostic.next.map(flattenDiagnosticMessageText2).join("\n");
        }
        function locationInfo(diagnostic) {
          if (diagnostic.file.resolvedPath === sourceFile.resolvedPath) return `(${diagnostic.start},${diagnostic.length})`;
          if (sourceFileDirectory === void 0) sourceFileDirectory = getDirectoryPath(sourceFile.resolvedPath);
          return `${ensurePathIsNonModuleName(getRelativePathFromDirectory(
            sourceFileDirectory,
            diagnostic.file.resolvedPath,
            program.getCanonicalFileName
          ))}(${diagnostic.start},${diagnostic.length})`;
        }
      }
      function computeSignature(text, host, data) {
        return (host.createHash ?? generateDjb2Hash)(getTextHandlingSourceMapForSignature(text, data));
      }
      function createBuilderProgram(kind, { newProgram, host, oldProgram, configFileParsingDiagnostics }) {
        let oldState = oldProgram && oldProgram.getState();
        if (oldState && newProgram === oldState.program && configFileParsingDiagnostics === newProgram.getConfigFileParsingDiagnostics()) {
          newProgram = void 0;
          oldState = void 0;
          return oldProgram;
        }
        const state = createBuilderProgramState(newProgram, oldState);
        newProgram.getBuildInfo = () => getBuildInfo2(state);
        newProgram = void 0;
        oldProgram = void 0;
        oldState = void 0;
        const getState = () => state;
        const builderProgram = createRedirectedBuilderProgram(getState, configFileParsingDiagnostics);
        builderProgram.getState = getState;
        builderProgram.saveEmitState = () => backupBuilderProgramEmitState(state);
        builderProgram.restoreEmitState = (saved) => restoreBuilderProgramEmitState(state, saved);
        builderProgram.hasChangedEmitSignature = () => !!state.hasChangedEmitSignature;
        builderProgram.getAllDependencies = (sourceFile) => BuilderState.getAllDependencies(state, Debug.checkDefined(state.program), sourceFile);
        builderProgram.getSemanticDiagnostics = getSemanticDiagnostics;
        builderProgram.emit = emit;
        builderProgram.releaseProgram = () => releaseCache(state);
        if (kind === 0) {
          builderProgram.getSemanticDiagnosticsOfNextAffectedFile = getSemanticDiagnosticsOfNextAffectedFile;
        } else if (kind === 1) {
          builderProgram.getSemanticDiagnosticsOfNextAffectedFile = getSemanticDiagnosticsOfNextAffectedFile;
          builderProgram.emitNextAffectedFile = emitNextAffectedFile;
          builderProgram.emitBuildInfo = emitBuildInfo;
        } else {
          notImplemented();
        }
        return builderProgram;
        function emitBuildInfo(writeFile2, cancellationToken) {
          if (state.buildInfoEmitPending) {
            const result = Debug.checkDefined(state.program).emitBuildInfo(writeFile2 || maybeBind(host, host.writeFile), cancellationToken);
            state.buildInfoEmitPending = false;
            return result;
          }
          return emitSkippedWithNoDiagnostics;
        }
        function emitNextAffectedFile(writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers) {
          var _a, _b, _c;
          let affected = getNextAffectedFile(state, cancellationToken, host);
          const programEmitKind = getBuilderFileEmit(state.compilerOptions);
          let emitKind = emitOnlyDtsFiles ? programEmitKind & 24 : programEmitKind;
          if (!affected) {
            if (!state.compilerOptions.outFile) {
              const pendingAffectedFile = getNextAffectedFilePendingEmit(state, emitOnlyDtsFiles);
              if (!pendingAffectedFile) {
                const pendingForDiagnostics = getNextPendingEmitDiagnosticsFile(state);
                if (pendingForDiagnostics) {
                  (state.seenEmittedFiles ?? (state.seenEmittedFiles = /* @__PURE__ */ new Map())).set(
                    pendingForDiagnostics.affectedFile.resolvedPath,
                    pendingForDiagnostics.seenKind | 24
                    /* AllDts */
                  );
                  return {
                    result: { emitSkipped: true, diagnostics: pendingForDiagnostics.diagnostics },
                    affected: pendingForDiagnostics.affectedFile
                  };
                }
                if (!state.buildInfoEmitPending) return void 0;
                const affected2 = state.program;
                const result2 = affected2.emitBuildInfo(writeFile2 || maybeBind(host, host.writeFile), cancellationToken);
                state.buildInfoEmitPending = false;
                return { result: result2, affected: affected2 };
              }
              ({ affectedFile: affected, emitKind } = pendingAffectedFile);
            } else {
              if (!state.programEmitPending) return void 0;
              emitKind = state.programEmitPending;
              if (emitOnlyDtsFiles) emitKind = emitKind & 24;
              if (!emitKind) return void 0;
              affected = state.program;
            }
          }
          let emitOnly;
          if (emitKind & 7) emitOnly = 0;
          if (emitKind & 24) emitOnly = emitOnly === void 0 ? 1 : void 0;
          if (affected === state.program) {
            state.programEmitPending = state.changedFilesSet.size ? getPendingEmitKind(programEmitKind, emitKind) : state.programEmitPending ? getPendingEmitKind(state.programEmitPending, emitKind) : void 0;
          }
          const result = state.program.emit(
            affected === state.program ? void 0 : affected,
            getWriteFileCallback(writeFile2, customTransformers),
            cancellationToken,
            emitOnly,
            customTransformers
          );
          if (affected !== state.program) {
            const affectedSourceFile = affected;
            state.seenAffectedFiles.add(affectedSourceFile.resolvedPath);
            if (state.affectedFilesIndex !== void 0) state.affectedFilesIndex++;
            state.buildInfoEmitPending = true;
            const existing = ((_a = state.seenEmittedFiles) == null ? void 0 : _a.get(affectedSourceFile.resolvedPath)) || 0;
            (state.seenEmittedFiles ?? (state.seenEmittedFiles = /* @__PURE__ */ new Map())).set(affectedSourceFile.resolvedPath, emitKind | existing);
            const existingPending = ((_b = state.affectedFilesPendingEmit) == null ? void 0 : _b.get(affectedSourceFile.resolvedPath)) || programEmitKind;
            const pendingKind = getPendingEmitKind(existingPending, emitKind | existing);
            if (pendingKind) (state.affectedFilesPendingEmit ?? (state.affectedFilesPendingEmit = /* @__PURE__ */ new Map())).set(affectedSourceFile.resolvedPath, pendingKind);
            else (_c = state.affectedFilesPendingEmit) == null ? void 0 : _c.delete(affectedSourceFile.resolvedPath);
            if (result.diagnostics.length) (state.emitDiagnosticsPerFile ?? (state.emitDiagnosticsPerFile = /* @__PURE__ */ new Map())).set(affectedSourceFile.resolvedPath, result.diagnostics);
          } else {
            state.changedFilesSet.clear();
          }
          return { result, affected };
        }
        function getWriteFileCallback(writeFile2, customTransformers) {
          if (!getEmitDeclarations(state.compilerOptions)) return writeFile2 || maybeBind(host, host.writeFile);
          return (fileName, text, writeByteOrderMark, onError, sourceFiles, data) => {
            var _a, _b, _c;
            if (isDeclarationFileName(fileName)) {
              if (!state.compilerOptions.outFile) {
                Debug.assert((sourceFiles == null ? void 0 : sourceFiles.length) === 1);
                let emitSignature;
                if (!customTransformers) {
                  const file = sourceFiles[0];
                  const info = state.fileInfos.get(file.resolvedPath);
                  if (info.signature === file.version) {
                    const signature = computeSignatureWithDiagnostics(
                      state.program,
                      file,
                      text,
                      host,
                      data
                    );
                    if (!((_a = data == null ? void 0 : data.diagnostics) == null ? void 0 : _a.length)) emitSignature = signature;
                    if (signature !== file.version) {
                      if (host.storeSignatureInfo) (state.signatureInfo ?? (state.signatureInfo = /* @__PURE__ */ new Map())).set(
                        file.resolvedPath,
                        1
                        /* StoredSignatureAtEmit */
                      );
                      if (state.affectedFiles) {
                        const existing = (_b = state.oldSignatures) == null ? void 0 : _b.get(file.resolvedPath);
                        if (existing === void 0) (state.oldSignatures ?? (state.oldSignatures = /* @__PURE__ */ new Map())).set(file.resolvedPath, info.signature || false);
                        info.signature = signature;
                      } else {
                        info.signature = signature;
                      }
                    }
                  }
                }
                if (state.compilerOptions.composite) {
                  const filePath = sourceFiles[0].resolvedPath;
                  emitSignature = handleNewSignature((_c = state.emitSignatures) == null ? void 0 : _c.get(filePath), emitSignature);
                  if (!emitSignature) return;
                  (state.emitSignatures ?? (state.emitSignatures = /* @__PURE__ */ new Map())).set(filePath, emitSignature);
                }
              } else if (state.compilerOptions.composite) {
                const newSignature = handleNewSignature(
                  state.outSignature,
                  /*newSignature*/
                  void 0
                );
                if (!newSignature) return;
                state.outSignature = newSignature;
              }
            }
            if (writeFile2) writeFile2(fileName, text, writeByteOrderMark, onError, sourceFiles, data);
            else if (host.writeFile) host.writeFile(fileName, text, writeByteOrderMark, onError, sourceFiles, data);
            else state.program.writeFile(fileName, text, writeByteOrderMark, onError, sourceFiles, data);
            function handleNewSignature(oldSignatureFormat, newSignature) {
              const oldSignature = !oldSignatureFormat || isString2(oldSignatureFormat) ? oldSignatureFormat : oldSignatureFormat[0];
              newSignature ?? (newSignature = computeSignature(text, host, data));
              if (newSignature === oldSignature) {
                if (oldSignatureFormat === oldSignature) return void 0;
                else if (data) data.differsOnlyInMap = true;
                else data = { differsOnlyInMap: true };
              } else {
                state.hasChangedEmitSignature = true;
                state.latestChangedDtsFile = fileName;
              }
              return newSignature;
            }
          };
        }
        function emit(targetSourceFile, writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers) {
          if (kind === 1) {
            assertSourceFileOkWithoutNextAffectedCall(state, targetSourceFile);
          }
          const result = handleNoEmitOptions(builderProgram, targetSourceFile, writeFile2, cancellationToken);
          if (result) return result;
          if (!targetSourceFile) {
            if (kind === 1) {
              let sourceMaps = [];
              let emitSkipped = false;
              let diagnostics;
              let emittedFiles = [];
              let affectedEmitResult;
              while (affectedEmitResult = emitNextAffectedFile(writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers)) {
                emitSkipped = emitSkipped || affectedEmitResult.result.emitSkipped;
                diagnostics = addRange(diagnostics, affectedEmitResult.result.diagnostics);
                emittedFiles = addRange(emittedFiles, affectedEmitResult.result.emittedFiles);
                sourceMaps = addRange(sourceMaps, affectedEmitResult.result.sourceMaps);
              }
              return {
                emitSkipped,
                diagnostics: diagnostics || emptyArray,
                emittedFiles,
                sourceMaps
              };
            } else {
              clearAffectedFilesPendingEmit(state, emitOnlyDtsFiles);
            }
          }
          return Debug.checkDefined(state.program).emit(
            targetSourceFile,
            getWriteFileCallback(writeFile2, customTransformers),
            cancellationToken,
            emitOnlyDtsFiles,
            customTransformers
          );
        }
        function getSemanticDiagnosticsOfNextAffectedFile(cancellationToken, ignoreSourceFile) {
          while (true) {
            const affected = getNextAffectedFile(state, cancellationToken, host);
            let result;
            if (!affected) return void 0;
            else if (affected !== state.program) {
              const affectedSourceFile = affected;
              if (!ignoreSourceFile || !ignoreSourceFile(affectedSourceFile)) {
                result = getSemanticDiagnosticsOfFile(state, affectedSourceFile, cancellationToken);
              }
              state.seenAffectedFiles.add(affectedSourceFile.resolvedPath);
              state.affectedFilesIndex++;
              state.buildInfoEmitPending = true;
              if (!result) continue;
            } else {
              result = state.program.getSemanticDiagnostics(
                /*sourceFile*/
                void 0,
                cancellationToken
              );
              state.changedFilesSet.clear();
              state.programEmitPending = getBuilderFileEmit(state.compilerOptions);
            }
            return { result, affected };
          }
        }
        function getSemanticDiagnostics(sourceFile, cancellationToken) {
          assertSourceFileOkWithoutNextAffectedCall(state, sourceFile);
          const compilerOptions = Debug.checkDefined(state.program).getCompilerOptions();
          if (compilerOptions.outFile) {
            Debug.assert(!state.semanticDiagnosticsPerFile);
            return Debug.checkDefined(state.program).getSemanticDiagnostics(sourceFile, cancellationToken);
          }
          if (sourceFile) {
            return getSemanticDiagnosticsOfFile(state, sourceFile, cancellationToken);
          }
          while (getSemanticDiagnosticsOfNextAffectedFile(cancellationToken)) {
          }
          let diagnostics;
          for (const sourceFile2 of Debug.checkDefined(state.program).getSourceFiles()) {
            diagnostics = addRange(diagnostics, getSemanticDiagnosticsOfFile(state, sourceFile2, cancellationToken));
          }
          return diagnostics || emptyArray;
        }
      }
      function addToAffectedFilesPendingEmit(state, affectedFilePendingEmit, kind) {
        var _a, _b;
        const existingKind = ((_a = state.affectedFilesPendingEmit) == null ? void 0 : _a.get(affectedFilePendingEmit)) || 0;
        (state.affectedFilesPendingEmit ?? (state.affectedFilesPendingEmit = /* @__PURE__ */ new Map())).set(affectedFilePendingEmit, existingKind | kind);
        (_b = state.emitDiagnosticsPerFile) == null ? void 0 : _b.delete(affectedFilePendingEmit);
      }
      function toBuilderStateFileInfoForMultiEmit(fileInfo) {
        return isString2(fileInfo) ? { version: fileInfo, signature: fileInfo, affectsGlobalScope: void 0, impliedFormat: void 0 } : isString2(fileInfo.signature) ? fileInfo : { version: fileInfo.version, signature: fileInfo.signature === false ? void 0 : fileInfo.version, affectsGlobalScope: fileInfo.affectsGlobalScope, impliedFormat: fileInfo.impliedFormat };
      }
      function toBuilderFileEmit(value, fullEmitForOptions) {
        return isNumber2(value) ? fullEmitForOptions : value[1] || 8;
      }
      function toProgramEmitPending(value, options) {
        return !value ? getBuilderFileEmit(options || {}) : value;
      }
      function createBuilderProgramUsingProgramBuildInfo(buildInfo, buildInfoPath, host) {
        var _a, _b, _c, _d;
        const program = buildInfo.program;
        const buildInfoDirectory = getDirectoryPath(getNormalizedAbsolutePath(buildInfoPath, host.getCurrentDirectory()));
        const getCanonicalFileName = createGetCanonicalFileName(host.useCaseSensitiveFileNames());
        let state;
        const filePaths = (_a = program.fileNames) == null ? void 0 : _a.map(toPathInBuildInfoDirectory);
        let filePathsSetList;
        const latestChangedDtsFile = program.latestChangedDtsFile ? toAbsolutePath(program.latestChangedDtsFile) : void 0;
        if (isProgramBundleEmitBuildInfo(program)) {
          const fileInfos = /* @__PURE__ */ new Map();
          program.fileInfos.forEach((fileInfo, index) => {
            const path17 = toFilePath(index + 1);
            fileInfos.set(path17, isString2(fileInfo) ? { version: fileInfo, signature: void 0, affectsGlobalScope: void 0, impliedFormat: void 0 } : fileInfo);
          });
          state = {
            fileInfos,
            compilerOptions: program.options ? convertToOptionsWithAbsolutePaths(program.options, toAbsolutePath) : {},
            latestChangedDtsFile,
            outSignature: program.outSignature,
            programEmitPending: program.pendingEmit === void 0 ? void 0 : toProgramEmitPending(program.pendingEmit, program.options)
          };
        } else {
          filePathsSetList = (_b = program.fileIdsList) == null ? void 0 : _b.map((fileIds) => new Set(fileIds.map(toFilePath)));
          const fileInfos = /* @__PURE__ */ new Map();
          const emitSignatures = ((_c = program.options) == null ? void 0 : _c.composite) && !program.options.outFile ? /* @__PURE__ */ new Map() : void 0;
          program.fileInfos.forEach((fileInfo, index) => {
            const path17 = toFilePath(index + 1);
            const stateFileInfo = toBuilderStateFileInfoForMultiEmit(fileInfo);
            fileInfos.set(path17, stateFileInfo);
            if (emitSignatures && stateFileInfo.signature) emitSignatures.set(path17, stateFileInfo.signature);
          });
          (_d = program.emitSignatures) == null ? void 0 : _d.forEach((value) => {
            if (isNumber2(value)) emitSignatures.delete(toFilePath(value));
            else {
              const key = toFilePath(value[0]);
              emitSignatures.set(
                key,
                !isString2(value[1]) && !value[1].length ? (
                  // File signature is emit signature but differs in map
                  [emitSignatures.get(key)]
                ) : value[1]
              );
            }
          });
          const changedFilesSet = new Set(map(program.changeFileSet, toFilePath));
          const fullEmitForOptions = program.affectedFilesPendingEmit ? getBuilderFileEmit(program.options || {}) : void 0;
          state = {
            fileInfos,
            compilerOptions: program.options ? convertToOptionsWithAbsolutePaths(program.options, toAbsolutePath) : {},
            referencedMap: toManyToManyPathMap(program.referencedMap, program.options ?? {}),
            semanticDiagnosticsPerFile: toPerFileSemanticDiagnostics(program.semanticDiagnosticsPerFile, fileInfos, changedFilesSet),
            emitDiagnosticsPerFile: toPerFileEmitDiagnostics(program.emitDiagnosticsPerFile),
            hasReusableDiagnostic: true,
            affectedFilesPendingEmit: program.affectedFilesPendingEmit && arrayToMap(program.affectedFilesPendingEmit, (value) => toFilePath(isNumber2(value) ? value : value[0]), (value) => toBuilderFileEmit(value, fullEmitForOptions)),
            changedFilesSet,
            latestChangedDtsFile,
            emitSignatures: (emitSignatures == null ? void 0 : emitSignatures.size) ? emitSignatures : void 0
          };
        }
        return {
          getState: () => state,
          saveEmitState: noop2,
          restoreEmitState: noop2,
          getProgram: notImplemented,
          getProgramOrUndefined: returnUndefined,
          releaseProgram: noop2,
          getCompilerOptions: () => state.compilerOptions,
          getSourceFile: notImplemented,
          getSourceFiles: notImplemented,
          getOptionsDiagnostics: notImplemented,
          getGlobalDiagnostics: notImplemented,
          getConfigFileParsingDiagnostics: notImplemented,
          getSyntacticDiagnostics: notImplemented,
          getDeclarationDiagnostics: notImplemented,
          getSemanticDiagnostics: notImplemented,
          emit: notImplemented,
          getAllDependencies: notImplemented,
          getCurrentDirectory: notImplemented,
          emitNextAffectedFile: notImplemented,
          getSemanticDiagnosticsOfNextAffectedFile: notImplemented,
          emitBuildInfo: notImplemented,
          close: noop2,
          hasChangedEmitSignature: returnFalse
        };
        function toPathInBuildInfoDirectory(path17) {
          return toPath3(path17, buildInfoDirectory, getCanonicalFileName);
        }
        function toAbsolutePath(path17) {
          return getNormalizedAbsolutePath(path17, buildInfoDirectory);
        }
        function toFilePath(fileId) {
          return filePaths[fileId - 1];
        }
        function toFilePathsSet(fileIdsListId) {
          return filePathsSetList[fileIdsListId - 1];
        }
        function toManyToManyPathMap(referenceMap, options) {
          const map2 = BuilderState.createReferencedMap(options);
          if (!map2 || !referenceMap) return map2;
          referenceMap.forEach(([fileId, fileIdListId]) => map2.set(toFilePath(fileId), toFilePathsSet(fileIdListId)));
          return map2;
        }
        function toPerFileSemanticDiagnostics(diagnostics, fileInfos, changedFilesSet) {
          const semanticDiagnostics = new Map(
            mapDefinedIterator(
              fileInfos.keys(),
              (key) => !changedFilesSet.has(key) ? [key, emptyArray] : void 0
            )
          );
          diagnostics == null ? void 0 : diagnostics.forEach((value) => {
            if (isNumber2(value)) semanticDiagnostics.delete(toFilePath(value));
            else semanticDiagnostics.set(toFilePath(value[0]), value[1]);
          });
          return semanticDiagnostics.size ? semanticDiagnostics : void 0;
        }
        function toPerFileEmitDiagnostics(diagnostics) {
          return diagnostics && arrayToMap(diagnostics, (value) => toFilePath(value[0]), (value) => value[1]);
        }
      }
      function getBuildInfoFileVersionMap(program, buildInfoPath, host) {
        const buildInfoDirectory = getDirectoryPath(getNormalizedAbsolutePath(buildInfoPath, host.getCurrentDirectory()));
        const getCanonicalFileName = createGetCanonicalFileName(host.useCaseSensitiveFileNames());
        const fileInfos = /* @__PURE__ */ new Map();
        let rootIndex = 0;
        const roots = /* @__PURE__ */ new Map();
        const resolvedRoots = new Map(program.resolvedRoot);
        program.fileInfos.forEach((fileInfo, index) => {
          const path17 = toPath3(program.fileNames[index], buildInfoDirectory, getCanonicalFileName);
          const version2 = isString2(fileInfo) ? fileInfo : fileInfo.version;
          fileInfos.set(path17, version2);
          if (rootIndex < program.root.length) {
            const current = program.root[rootIndex];
            const fileId = index + 1;
            if (isArray3(current)) {
              if (current[0] <= fileId && fileId <= current[1]) {
                addRoot(fileId, path17);
                if (current[1] === fileId) rootIndex++;
              }
            } else if (current === fileId) {
              addRoot(fileId, path17);
              rootIndex++;
            }
          }
        });
        return { fileInfos, roots };
        function addRoot(fileId, path17) {
          const root2 = resolvedRoots.get(fileId);
          if (root2) {
            roots.set(toPath3(program.fileNames[root2 - 1], buildInfoDirectory, getCanonicalFileName), path17);
          } else {
            roots.set(path17, void 0);
          }
        }
      }
      function createRedirectedBuilderProgram(getState, configFileParsingDiagnostics) {
        return {
          getState: notImplemented,
          saveEmitState: noop2,
          restoreEmitState: noop2,
          getProgram,
          getProgramOrUndefined: () => getState().program,
          releaseProgram: () => getState().program = void 0,
          getCompilerOptions: () => getState().compilerOptions,
          getSourceFile: (fileName) => getProgram().getSourceFile(fileName),
          getSourceFiles: () => getProgram().getSourceFiles(),
          getOptionsDiagnostics: (cancellationToken) => getProgram().getOptionsDiagnostics(cancellationToken),
          getGlobalDiagnostics: (cancellationToken) => getProgram().getGlobalDiagnostics(cancellationToken),
          getConfigFileParsingDiagnostics: () => configFileParsingDiagnostics,
          getSyntacticDiagnostics: (sourceFile, cancellationToken) => getProgram().getSyntacticDiagnostics(sourceFile, cancellationToken),
          getDeclarationDiagnostics: (sourceFile, cancellationToken) => getProgram().getDeclarationDiagnostics(sourceFile, cancellationToken),
          getSemanticDiagnostics: (sourceFile, cancellationToken) => getProgram().getSemanticDiagnostics(sourceFile, cancellationToken),
          emit: (sourceFile, writeFile2, cancellationToken, emitOnlyDts, customTransformers) => getProgram().emit(sourceFile, writeFile2, cancellationToken, emitOnlyDts, customTransformers),
          emitBuildInfo: (writeFile2, cancellationToken) => getProgram().emitBuildInfo(writeFile2, cancellationToken),
          getAllDependencies: notImplemented,
          getCurrentDirectory: () => getProgram().getCurrentDirectory(),
          close: noop2
        };
        function getProgram() {
          return Debug.checkDefined(getState().program);
        }
      }
      function createSemanticDiagnosticsBuilderProgram(newProgramOrRootNames, hostOrOptions, oldProgramOrHost, configFileParsingDiagnosticsOrOldProgram, configFileParsingDiagnostics, projectReferences) {
        return createBuilderProgram(0, getBuilderCreationParameters(newProgramOrRootNames, hostOrOptions, oldProgramOrHost, configFileParsingDiagnosticsOrOldProgram, configFileParsingDiagnostics, projectReferences));
      }
      function createEmitAndSemanticDiagnosticsBuilderProgram(newProgramOrRootNames, hostOrOptions, oldProgramOrHost, configFileParsingDiagnosticsOrOldProgram, configFileParsingDiagnostics, projectReferences) {
        return createBuilderProgram(1, getBuilderCreationParameters(newProgramOrRootNames, hostOrOptions, oldProgramOrHost, configFileParsingDiagnosticsOrOldProgram, configFileParsingDiagnostics, projectReferences));
      }
      function createAbstractBuilder(newProgramOrRootNames, hostOrOptions, oldProgramOrHost, configFileParsingDiagnosticsOrOldProgram, configFileParsingDiagnostics, projectReferences) {
        const { newProgram, configFileParsingDiagnostics: newConfigFileParsingDiagnostics } = getBuilderCreationParameters(newProgramOrRootNames, hostOrOptions, oldProgramOrHost, configFileParsingDiagnosticsOrOldProgram, configFileParsingDiagnostics, projectReferences);
        return createRedirectedBuilderProgram(() => ({ program: newProgram, compilerOptions: newProgram.getCompilerOptions() }), newConfigFileParsingDiagnostics);
      }
      function removeIgnoredPath(path17) {
        if (endsWith(path17, "/node_modules/.staging")) {
          return removeSuffix(path17, "/.staging");
        }
        return some(ignoredPaths, (searchPath) => path17.includes(searchPath)) ? void 0 : path17;
      }
      function perceivedOsRootLengthForWatching(pathComponents2, length2) {
        if (length2 <= 1) return 1;
        let indexAfterOsRoot = 1;
        let isDosStyle = pathComponents2[0].search(/[a-zA-Z]:/) === 0;
        if (pathComponents2[0] !== directorySeparator && !isDosStyle && // Non dos style paths
        pathComponents2[1].search(/[a-zA-Z]\$$/) === 0) {
          if (length2 === 2) return 2;
          indexAfterOsRoot = 2;
          isDosStyle = true;
        }
        if (isDosStyle && !pathComponents2[indexAfterOsRoot].match(/^users$/i)) {
          return indexAfterOsRoot;
        }
        if (pathComponents2[indexAfterOsRoot].match(/^workspaces$/i)) {
          return indexAfterOsRoot + 1;
        }
        return indexAfterOsRoot + 2;
      }
      function canWatchDirectoryOrFile(pathComponents2, length2) {
        if (length2 === void 0) length2 = pathComponents2.length;
        if (length2 <= 2) return false;
        const perceivedOsRootLength = perceivedOsRootLengthForWatching(pathComponents2, length2);
        return length2 > perceivedOsRootLength + 1;
      }
      function canWatchAtTypes(atTypes) {
        return canWatchAffectedPackageJsonOrNodeModulesOfAtTypes(getDirectoryPath(atTypes));
      }
      function isInDirectoryPath(dirComponents, fileOrDirComponents) {
        if (fileOrDirComponents.length < fileOrDirComponents.length) return false;
        for (let i = 0; i < dirComponents.length; i++) {
          if (fileOrDirComponents[i] !== dirComponents[i]) return false;
        }
        return true;
      }
      function canWatchAffectedPackageJsonOrNodeModulesOfAtTypes(fileOrDirPath) {
        return canWatchDirectoryOrFile(getPathComponents(fileOrDirPath));
      }
      function canWatchAffectingLocation(filePath) {
        return canWatchAffectedPackageJsonOrNodeModulesOfAtTypes(filePath);
      }
      function getDirectoryToWatchFailedLookupLocation(failedLookupLocation, failedLookupLocationPath, rootDir, rootPath, rootPathComponents, getCurrentDirectory) {
        const failedLookupPathComponents = getPathComponents(failedLookupLocationPath);
        failedLookupLocation = isRootedDiskPath(failedLookupLocation) ? normalizePath(failedLookupLocation) : getNormalizedAbsolutePath(failedLookupLocation, getCurrentDirectory());
        const failedLookupComponents = getPathComponents(failedLookupLocation);
        const perceivedOsRootLength = perceivedOsRootLengthForWatching(failedLookupPathComponents, failedLookupPathComponents.length);
        if (failedLookupPathComponents.length <= perceivedOsRootLength + 1) return void 0;
        const nodeModulesIndex = failedLookupPathComponents.indexOf("node_modules");
        if (nodeModulesIndex !== -1 && nodeModulesIndex + 1 <= perceivedOsRootLength + 1) return void 0;
        const lastNodeModulesIndex = failedLookupPathComponents.lastIndexOf("node_modules");
        if (isInDirectoryPath(rootPathComponents, failedLookupPathComponents)) {
          if (failedLookupPathComponents.length > rootPathComponents.length + 1) {
            return getDirectoryOfFailedLookupWatch(
              failedLookupComponents,
              failedLookupPathComponents,
              Math.max(rootPathComponents.length + 1, perceivedOsRootLength + 1),
              lastNodeModulesIndex
            );
          } else {
            return {
              dir: rootDir,
              dirPath: rootPath,
              nonRecursive: true
            };
          }
        }
        return getDirectoryToWatchFromFailedLookupLocationDirectory(
          failedLookupComponents,
          failedLookupPathComponents,
          failedLookupPathComponents.length - 1,
          perceivedOsRootLength,
          nodeModulesIndex,
          rootPathComponents,
          lastNodeModulesIndex
        );
      }
      function getDirectoryToWatchFromFailedLookupLocationDirectory(dirComponents, dirPathComponents, dirPathComponentsLength, perceivedOsRootLength, nodeModulesIndex, rootPathComponents, lastNodeModulesIndex) {
        if (nodeModulesIndex !== -1) {
          return getDirectoryOfFailedLookupWatch(
            dirComponents,
            dirPathComponents,
            nodeModulesIndex + 1,
            lastNodeModulesIndex
          );
        }
        let nonRecursive = true;
        let length2 = dirPathComponentsLength;
        for (let i = 0; i < dirPathComponentsLength; i++) {
          if (dirPathComponents[i] !== rootPathComponents[i]) {
            nonRecursive = false;
            length2 = Math.max(i + 1, perceivedOsRootLength + 1);
            break;
          }
        }
        return getDirectoryOfFailedLookupWatch(
          dirComponents,
          dirPathComponents,
          length2,
          lastNodeModulesIndex,
          nonRecursive
        );
      }
      function getDirectoryOfFailedLookupWatch(dirComponents, dirPathComponents, length2, lastNodeModulesIndex, nonRecursive) {
        let packageDirLength;
        if (lastNodeModulesIndex !== -1 && lastNodeModulesIndex + 1 >= length2 && lastNodeModulesIndex + 2 < dirPathComponents.length) {
          if (!startsWith2(dirPathComponents[lastNodeModulesIndex + 1], "@")) {
            packageDirLength = lastNodeModulesIndex + 2;
          } else if (lastNodeModulesIndex + 3 < dirPathComponents.length) {
            packageDirLength = lastNodeModulesIndex + 3;
          }
        }
        return {
          dir: getPathFromPathComponents(dirComponents, length2),
          dirPath: getPathFromPathComponents(dirPathComponents, length2),
          nonRecursive,
          packageDir: packageDirLength !== void 0 ? getPathFromPathComponents(dirComponents, packageDirLength) : void 0,
          packageDirPath: packageDirLength !== void 0 ? getPathFromPathComponents(dirPathComponents, packageDirLength) : void 0
        };
      }
      function getDirectoryToWatchFailedLookupLocationFromTypeRoot(typeRoot, typeRootPath, rootPath, rootPathComponents, getCurrentDirectory, filterCustomPath) {
        const typeRootPathComponents = getPathComponents(typeRootPath);
        if (isInDirectoryPath(rootPathComponents, typeRootPathComponents)) {
          return rootPath;
        }
        typeRoot = isRootedDiskPath(typeRoot) ? normalizePath(typeRoot) : getNormalizedAbsolutePath(typeRoot, getCurrentDirectory());
        const toWatch = getDirectoryToWatchFromFailedLookupLocationDirectory(
          getPathComponents(typeRoot),
          typeRootPathComponents,
          typeRootPathComponents.length,
          perceivedOsRootLengthForWatching(typeRootPathComponents, typeRootPathComponents.length),
          typeRootPathComponents.indexOf("node_modules"),
          rootPathComponents,
          typeRootPathComponents.lastIndexOf("node_modules")
        );
        return toWatch && filterCustomPath(toWatch.dirPath) ? toWatch.dirPath : void 0;
      }
      function getRootDirectoryOfResolutionCache(rootDirForResolution, getCurrentDirectory) {
        const normalized = getNormalizedAbsolutePath(rootDirForResolution, getCurrentDirectory());
        return !isDiskPathRoot(normalized) ? removeTrailingDirectorySeparator(normalized) : normalized;
      }
      function getRootPathSplitLength(rootPath) {
        return rootPath.split(directorySeparator).length - (hasTrailingDirectorySeparator(rootPath) ? 1 : 0);
      }
      function getModuleResolutionHost(resolutionHost) {
        var _a;
        return ((_a = resolutionHost.getCompilerHost) == null ? void 0 : _a.call(resolutionHost)) || resolutionHost;
      }
      function createModuleResolutionLoaderUsingGlobalCache(containingFile, redirectedReference, options, resolutionHost, moduleResolutionCache) {
        return {
          nameAndMode: moduleResolutionNameAndModeGetter,
          resolve: (moduleName, resoluionMode) => resolveModuleNameUsingGlobalCache(
            resolutionHost,
            moduleResolutionCache,
            moduleName,
            containingFile,
            options,
            redirectedReference,
            resoluionMode
          )
        };
      }
      function resolveModuleNameUsingGlobalCache(resolutionHost, moduleResolutionCache, moduleName, containingFile, compilerOptions, redirectedReference, mode) {
        const host = getModuleResolutionHost(resolutionHost);
        const primaryResult = resolveModuleName(moduleName, containingFile, compilerOptions, host, moduleResolutionCache, redirectedReference, mode);
        if (!resolutionHost.getGlobalCache) {
          return primaryResult;
        }
        const globalCache = resolutionHost.getGlobalCache();
        if (globalCache !== void 0 && !isExternalModuleNameRelative(moduleName) && !(primaryResult.resolvedModule && extensionIsTS(primaryResult.resolvedModule.extension))) {
          const { resolvedModule, failedLookupLocations, affectingLocations, resolutionDiagnostics } = loadModuleFromGlobalCache(
            Debug.checkDefined(resolutionHost.globalCacheResolutionModuleName)(moduleName),
            resolutionHost.projectName,
            compilerOptions,
            host,
            globalCache,
            moduleResolutionCache
          );
          if (resolvedModule) {
            primaryResult.resolvedModule = resolvedModule;
            primaryResult.failedLookupLocations = updateResolutionField(primaryResult.failedLookupLocations, failedLookupLocations);
            primaryResult.affectingLocations = updateResolutionField(primaryResult.affectingLocations, affectingLocations);
            primaryResult.resolutionDiagnostics = updateResolutionField(primaryResult.resolutionDiagnostics, resolutionDiagnostics);
            return primaryResult;
          }
        }
        return primaryResult;
      }
      function createResolutionCache(resolutionHost, rootDirForResolution, logChangesWhenResolvingModule) {
        let filesWithChangedSetOfUnresolvedImports;
        let filesWithInvalidatedResolutions;
        let filesWithInvalidatedNonRelativeUnresolvedImports;
        const nonRelativeExternalModuleResolutions = createMultiMap();
        const resolutionsWithFailedLookups = /* @__PURE__ */ new Set();
        const resolutionsWithOnlyAffectingLocations = /* @__PURE__ */ new Set();
        const resolvedFileToResolution = /* @__PURE__ */ new Map();
        const impliedFormatPackageJsons = /* @__PURE__ */ new Map();
        let hasChangedAutomaticTypeDirectiveNames = false;
        let affectingPathChecksForFile;
        let affectingPathChecks;
        let failedLookupChecks;
        let startsWithPathChecks;
        let isInDirectoryChecks;
        let allModuleAndTypeResolutionsAreInvalidated = false;
        const getCurrentDirectory = memoize(() => resolutionHost.getCurrentDirectory());
        const cachedDirectoryStructureHost = resolutionHost.getCachedDirectoryStructureHost();
        const resolvedModuleNames = /* @__PURE__ */ new Map();
        const moduleResolutionCache = createModuleResolutionCache(
          getCurrentDirectory(),
          resolutionHost.getCanonicalFileName,
          resolutionHost.getCompilationSettings()
        );
        const resolvedTypeReferenceDirectives = /* @__PURE__ */ new Map();
        const typeReferenceDirectiveResolutionCache = createTypeReferenceDirectiveResolutionCache(
          getCurrentDirectory(),
          resolutionHost.getCanonicalFileName,
          resolutionHost.getCompilationSettings(),
          moduleResolutionCache.getPackageJsonInfoCache(),
          moduleResolutionCache.optionsToRedirectsKey
        );
        const resolvedLibraries = /* @__PURE__ */ new Map();
        const libraryResolutionCache = createModuleResolutionCache(
          getCurrentDirectory(),
          resolutionHost.getCanonicalFileName,
          getOptionsForLibraryResolution(resolutionHost.getCompilationSettings()),
          moduleResolutionCache.getPackageJsonInfoCache()
        );
        const directoryWatchesOfFailedLookups = /* @__PURE__ */ new Map();
        const fileWatchesOfAffectingLocations = /* @__PURE__ */ new Map();
        const rootDir = getRootDirectoryOfResolutionCache(rootDirForResolution, getCurrentDirectory);
        const rootPath = resolutionHost.toPath(rootDir);
        const rootPathComponents = getPathComponents(rootPath);
        const isSymlinkCache = /* @__PURE__ */ new Map();
        const packageDirWatchers = /* @__PURE__ */ new Map();
        const dirPathToSymlinkPackageRefCount = /* @__PURE__ */ new Map();
        const typeRootsWatches = /* @__PURE__ */ new Map();
        return {
          rootDirForResolution,
          resolvedModuleNames,
          resolvedTypeReferenceDirectives,
          resolvedLibraries,
          resolvedFileToResolution,
          resolutionsWithFailedLookups,
          resolutionsWithOnlyAffectingLocations,
          directoryWatchesOfFailedLookups,
          fileWatchesOfAffectingLocations,
          packageDirWatchers,
          dirPathToSymlinkPackageRefCount,
          watchFailedLookupLocationsOfExternalModuleResolutions,
          getModuleResolutionCache: () => moduleResolutionCache,
          startRecordingFilesWithChangedResolutions,
          finishRecordingFilesWithChangedResolutions,
          // perDirectoryResolvedModuleNames and perDirectoryResolvedTypeReferenceDirectives could be non empty if there was exception during program update
          // (between startCachingPerDirectoryResolution and finishCachingPerDirectoryResolution)
          startCachingPerDirectoryResolution,
          finishCachingPerDirectoryResolution,
          resolveModuleNameLiterals,
          resolveTypeReferenceDirectiveReferences,
          resolveLibrary: resolveLibrary2,
          resolveSingleModuleNameWithoutWatching,
          removeResolutionsFromProjectReferenceRedirects,
          removeResolutionsOfFile,
          hasChangedAutomaticTypeDirectiveNames: () => hasChangedAutomaticTypeDirectiveNames,
          invalidateResolutionOfFile,
          invalidateResolutionsOfFailedLookupLocations,
          setFilesWithInvalidatedNonRelativeUnresolvedImports,
          createHasInvalidatedResolutions,
          isFileWithInvalidatedNonRelativeUnresolvedImports,
          updateTypeRootsWatch,
          closeTypeRootsWatch,
          clear: clear2,
          onChangesAffectModuleResolution
        };
        function getResolvedModule(resolution) {
          return resolution.resolvedModule;
        }
        function getResolvedTypeReferenceDirective(resolution) {
          return resolution.resolvedTypeReferenceDirective;
        }
        function clear2() {
          clearMap(directoryWatchesOfFailedLookups, closeFileWatcherOf);
          clearMap(fileWatchesOfAffectingLocations, closeFileWatcherOf);
          isSymlinkCache.clear();
          packageDirWatchers.clear();
          dirPathToSymlinkPackageRefCount.clear();
          nonRelativeExternalModuleResolutions.clear();
          closeTypeRootsWatch();
          resolvedModuleNames.clear();
          resolvedTypeReferenceDirectives.clear();
          resolvedFileToResolution.clear();
          resolutionsWithFailedLookups.clear();
          resolutionsWithOnlyAffectingLocations.clear();
          failedLookupChecks = void 0;
          startsWithPathChecks = void 0;
          isInDirectoryChecks = void 0;
          affectingPathChecks = void 0;
          affectingPathChecksForFile = void 0;
          allModuleAndTypeResolutionsAreInvalidated = false;
          moduleResolutionCache.clear();
          typeReferenceDirectiveResolutionCache.clear();
          moduleResolutionCache.update(resolutionHost.getCompilationSettings());
          typeReferenceDirectiveResolutionCache.update(resolutionHost.getCompilationSettings());
          libraryResolutionCache.clear();
          impliedFormatPackageJsons.clear();
          resolvedLibraries.clear();
          hasChangedAutomaticTypeDirectiveNames = false;
        }
        function onChangesAffectModuleResolution() {
          allModuleAndTypeResolutionsAreInvalidated = true;
          moduleResolutionCache.clearAllExceptPackageJsonInfoCache();
          typeReferenceDirectiveResolutionCache.clearAllExceptPackageJsonInfoCache();
          moduleResolutionCache.update(resolutionHost.getCompilationSettings());
          typeReferenceDirectiveResolutionCache.update(resolutionHost.getCompilationSettings());
        }
        function startRecordingFilesWithChangedResolutions() {
          filesWithChangedSetOfUnresolvedImports = [];
        }
        function finishRecordingFilesWithChangedResolutions() {
          const collected = filesWithChangedSetOfUnresolvedImports;
          filesWithChangedSetOfUnresolvedImports = void 0;
          return collected;
        }
        function isFileWithInvalidatedNonRelativeUnresolvedImports(path17) {
          if (!filesWithInvalidatedNonRelativeUnresolvedImports) {
            return false;
          }
          const value = filesWithInvalidatedNonRelativeUnresolvedImports.get(path17);
          return !!value && !!value.length;
        }
        function createHasInvalidatedResolutions(customHasInvalidatedResolutions, customHasInvalidatedLibResolutions) {
          invalidateResolutionsOfFailedLookupLocations();
          const collected = filesWithInvalidatedResolutions;
          filesWithInvalidatedResolutions = void 0;
          return {
            hasInvalidatedResolutions: (path17) => customHasInvalidatedResolutions(path17) || allModuleAndTypeResolutionsAreInvalidated || !!(collected == null ? void 0 : collected.has(path17)) || isFileWithInvalidatedNonRelativeUnresolvedImports(path17),
            hasInvalidatedLibResolutions: (libFileName) => {
              var _a;
              return customHasInvalidatedLibResolutions(libFileName) || !!((_a = resolvedLibraries == null ? void 0 : resolvedLibraries.get(libFileName)) == null ? void 0 : _a.isInvalidated);
            }
          };
        }
        function startCachingPerDirectoryResolution() {
          moduleResolutionCache.isReadonly = void 0;
          typeReferenceDirectiveResolutionCache.isReadonly = void 0;
          libraryResolutionCache.isReadonly = void 0;
          moduleResolutionCache.getPackageJsonInfoCache().isReadonly = void 0;
          moduleResolutionCache.clearAllExceptPackageJsonInfoCache();
          typeReferenceDirectiveResolutionCache.clearAllExceptPackageJsonInfoCache();
          libraryResolutionCache.clearAllExceptPackageJsonInfoCache();
          nonRelativeExternalModuleResolutions.forEach(watchFailedLookupLocationOfNonRelativeModuleResolutions);
          nonRelativeExternalModuleResolutions.clear();
          isSymlinkCache.clear();
        }
        function cleanupLibResolutionWatching(newProgram) {
          resolvedLibraries.forEach((resolution, libFileName) => {
            var _a;
            if (!((_a = newProgram == null ? void 0 : newProgram.resolvedLibReferences) == null ? void 0 : _a.has(libFileName))) {
              stopWatchFailedLookupLocationOfResolution(
                resolution,
                resolutionHost.toPath(getInferredLibraryNameResolveFrom(resolutionHost.getCompilationSettings(), getCurrentDirectory(), libFileName)),
                getResolvedModule
              );
              resolvedLibraries.delete(libFileName);
            }
          });
        }
        function finishCachingPerDirectoryResolution(newProgram, oldProgram) {
          filesWithInvalidatedNonRelativeUnresolvedImports = void 0;
          allModuleAndTypeResolutionsAreInvalidated = false;
          nonRelativeExternalModuleResolutions.forEach(watchFailedLookupLocationOfNonRelativeModuleResolutions);
          nonRelativeExternalModuleResolutions.clear();
          if (newProgram !== oldProgram) {
            cleanupLibResolutionWatching(newProgram);
            newProgram == null ? void 0 : newProgram.getSourceFiles().forEach((newFile) => {
              var _a;
              const expected = isExternalOrCommonJsModule(newFile) ? ((_a = newFile.packageJsonLocations) == null ? void 0 : _a.length) ?? 0 : 0;
              const existing = impliedFormatPackageJsons.get(newFile.resolvedPath) ?? emptyArray;
              for (let i = existing.length; i < expected; i++) {
                createFileWatcherOfAffectingLocation(
                  newFile.packageJsonLocations[i],
                  /*forResolution*/
                  false
                );
              }
              if (existing.length > expected) {
                for (let i = expected; i < existing.length; i++) {
                  fileWatchesOfAffectingLocations.get(existing[i]).files--;
                }
              }
              if (expected) impliedFormatPackageJsons.set(newFile.resolvedPath, newFile.packageJsonLocations);
              else impliedFormatPackageJsons.delete(newFile.resolvedPath);
            });
            impliedFormatPackageJsons.forEach((existing, path17) => {
              const newFile = newProgram == null ? void 0 : newProgram.getSourceFileByPath(path17);
              if (!newFile || newFile.resolvedPath !== path17) {
                existing.forEach((location) => fileWatchesOfAffectingLocations.get(location).files--);
                impliedFormatPackageJsons.delete(path17);
              }
            });
          }
          directoryWatchesOfFailedLookups.forEach(closeDirectoryWatchesOfFailedLookup);
          fileWatchesOfAffectingLocations.forEach(closeFileWatcherOfAffectingLocation);
          packageDirWatchers.forEach(closePackageDirWatcher);
          hasChangedAutomaticTypeDirectiveNames = false;
          moduleResolutionCache.isReadonly = true;
          typeReferenceDirectiveResolutionCache.isReadonly = true;
          libraryResolutionCache.isReadonly = true;
          moduleResolutionCache.getPackageJsonInfoCache().isReadonly = true;
          isSymlinkCache.clear();
        }
        function closePackageDirWatcher(watcher, packageDirPath) {
          if (watcher.dirPathToWatcher.size === 0) {
            packageDirWatchers.delete(packageDirPath);
          }
        }
        function closeDirectoryWatchesOfFailedLookup(watcher, path17) {
          if (watcher.refCount === 0) {
            directoryWatchesOfFailedLookups.delete(path17);
            watcher.watcher.close();
          }
        }
        function closeFileWatcherOfAffectingLocation(watcher, path17) {
          var _a;
          if (watcher.files === 0 && watcher.resolutions === 0 && !((_a = watcher.symlinks) == null ? void 0 : _a.size)) {
            fileWatchesOfAffectingLocations.delete(path17);
            watcher.watcher.close();
          }
        }
        function resolveNamesWithLocalCache({
          entries,
          containingFile,
          containingSourceFile,
          redirectedReference,
          options,
          perFileCache,
          reusedNames,
          loader,
          getResolutionWithResolvedFileName,
          deferWatchingNonRelativeResolution,
          shouldRetryResolution,
          logChanges
        }) {
          const path17 = resolutionHost.toPath(containingFile);
          const resolutionsInFile = perFileCache.get(path17) || perFileCache.set(path17, createModeAwareCache()).get(path17);
          const resolvedModules = [];
          const hasInvalidatedNonRelativeUnresolvedImport = logChanges && isFileWithInvalidatedNonRelativeUnresolvedImports(path17);
          const program = resolutionHost.getCurrentProgram();
          const oldRedirect = program && program.getResolvedProjectReferenceToRedirect(containingFile);
          const unmatchedRedirects = oldRedirect ? !redirectedReference || redirectedReference.sourceFile.path !== oldRedirect.sourceFile.path : !!redirectedReference;
          const seenNamesInFile = createModeAwareCache();
          for (const entry of entries) {
            const name = loader.nameAndMode.getName(entry);
            const mode = loader.nameAndMode.getMode(entry, containingSourceFile, (redirectedReference == null ? void 0 : redirectedReference.commandLine.options) || options);
            let resolution = resolutionsInFile.get(name, mode);
            if (!seenNamesInFile.has(name, mode) && (allModuleAndTypeResolutionsAreInvalidated || unmatchedRedirects || !resolution || resolution.isInvalidated || // If the name is unresolved import that was invalidated, recalculate
            hasInvalidatedNonRelativeUnresolvedImport && !isExternalModuleNameRelative(name) && shouldRetryResolution(resolution))) {
              const existingResolution = resolution;
              resolution = loader.resolve(name, mode);
              if (resolutionHost.onDiscoveredSymlink && resolutionIsSymlink(resolution)) {
                resolutionHost.onDiscoveredSymlink();
              }
              resolutionsInFile.set(name, mode, resolution);
              if (resolution !== existingResolution) {
                watchFailedLookupLocationsOfExternalModuleResolutions(name, resolution, path17, getResolutionWithResolvedFileName, deferWatchingNonRelativeResolution);
                if (existingResolution) {
                  stopWatchFailedLookupLocationOfResolution(existingResolution, path17, getResolutionWithResolvedFileName);
                }
              }
              if (logChanges && filesWithChangedSetOfUnresolvedImports && !resolutionIsEqualTo(existingResolution, resolution)) {
                filesWithChangedSetOfUnresolvedImports.push(path17);
                logChanges = false;
              }
            } else {
              const host = getModuleResolutionHost(resolutionHost);
              if (isTraceEnabled(options, host) && !seenNamesInFile.has(name, mode)) {
                const resolved = getResolutionWithResolvedFileName(resolution);
                trace(
                  host,
                  perFileCache === resolvedModuleNames ? (resolved == null ? void 0 : resolved.resolvedFileName) ? resolved.packageId ? Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package_ID_3 : Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2 : Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_not_resolved : (resolved == null ? void 0 : resolved.resolvedFileName) ? resolved.packageId ? Diagnostics.Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package_ID_3 : Diagnostics.Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_successfully_resolved_to_2 : Diagnostics.Reusing_resolution_of_type_reference_directive_0_from_1_of_old_program_it_was_not_resolved,
                  name,
                  containingFile,
                  resolved == null ? void 0 : resolved.resolvedFileName,
                  (resolved == null ? void 0 : resolved.packageId) && packageIdToString(resolved.packageId)
                );
              }
            }
            Debug.assert(resolution !== void 0 && !resolution.isInvalidated);
            seenNamesInFile.set(name, mode, true);
            resolvedModules.push(resolution);
          }
          reusedNames == null ? void 0 : reusedNames.forEach(
            (entry) => seenNamesInFile.set(
              loader.nameAndMode.getName(entry),
              loader.nameAndMode.getMode(entry, containingSourceFile, (redirectedReference == null ? void 0 : redirectedReference.commandLine.options) || options),
              true
            )
          );
          if (resolutionsInFile.size() !== seenNamesInFile.size()) {
            resolutionsInFile.forEach((resolution, name, mode) => {
              if (!seenNamesInFile.has(name, mode)) {
                stopWatchFailedLookupLocationOfResolution(resolution, path17, getResolutionWithResolvedFileName);
                resolutionsInFile.delete(name, mode);
              }
            });
          }
          return resolvedModules;
          function resolutionIsEqualTo(oldResolution, newResolution) {
            if (oldResolution === newResolution) {
              return true;
            }
            if (!oldResolution || !newResolution) {
              return false;
            }
            const oldResult = getResolutionWithResolvedFileName(oldResolution);
            const newResult = getResolutionWithResolvedFileName(newResolution);
            if (oldResult === newResult) {
              return true;
            }
            if (!oldResult || !newResult) {
              return false;
            }
            return oldResult.resolvedFileName === newResult.resolvedFileName;
          }
        }
        function resolveTypeReferenceDirectiveReferences(typeDirectiveReferences, containingFile, redirectedReference, options, containingSourceFile, reusedNames) {
          return resolveNamesWithLocalCache({
            entries: typeDirectiveReferences,
            containingFile,
            containingSourceFile,
            redirectedReference,
            options,
            reusedNames,
            perFileCache: resolvedTypeReferenceDirectives,
            loader: createTypeReferenceResolutionLoader(
              containingFile,
              redirectedReference,
              options,
              getModuleResolutionHost(resolutionHost),
              typeReferenceDirectiveResolutionCache
            ),
            getResolutionWithResolvedFileName: getResolvedTypeReferenceDirective,
            shouldRetryResolution: (resolution) => resolution.resolvedTypeReferenceDirective === void 0,
            deferWatchingNonRelativeResolution: false
          });
        }
        function resolveModuleNameLiterals(moduleLiterals, containingFile, redirectedReference, options, containingSourceFile, reusedNames) {
          return resolveNamesWithLocalCache({
            entries: moduleLiterals,
            containingFile,
            containingSourceFile,
            redirectedReference,
            options,
            reusedNames,
            perFileCache: resolvedModuleNames,
            loader: createModuleResolutionLoaderUsingGlobalCache(
              containingFile,
              redirectedReference,
              options,
              resolutionHost,
              moduleResolutionCache
            ),
            getResolutionWithResolvedFileName: getResolvedModule,
            shouldRetryResolution: (resolution) => !resolution.resolvedModule || !resolutionExtensionIsTSOrJson(resolution.resolvedModule.extension),
            logChanges: logChangesWhenResolvingModule,
            deferWatchingNonRelativeResolution: true
            // Defer non relative resolution watch because we could be using ambient modules
          });
        }
        function resolveLibrary2(libraryName, resolveFrom, options, libFileName) {
          const host = getModuleResolutionHost(resolutionHost);
          let resolution = resolvedLibraries == null ? void 0 : resolvedLibraries.get(libFileName);
          if (!resolution || resolution.isInvalidated) {
            const existingResolution = resolution;
            resolution = resolveLibrary(libraryName, resolveFrom, options, host, libraryResolutionCache);
            const path17 = resolutionHost.toPath(resolveFrom);
            watchFailedLookupLocationsOfExternalModuleResolutions(
              libraryName,
              resolution,
              path17,
              getResolvedModule,
              /*deferWatchingNonRelativeResolution*/
              false
            );
            resolvedLibraries.set(libFileName, resolution);
            if (existingResolution) {
              stopWatchFailedLookupLocationOfResolution(existingResolution, path17, getResolvedModule);
            }
          } else {
            if (isTraceEnabled(options, host)) {
              const resolved = getResolvedModule(resolution);
              trace(
                host,
                (resolved == null ? void 0 : resolved.resolvedFileName) ? resolved.packageId ? Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2_with_Package_ID_3 : Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_successfully_resolved_to_2 : Diagnostics.Reusing_resolution_of_module_0_from_1_of_old_program_it_was_not_resolved,
                libraryName,
                resolveFrom,
                resolved == null ? void 0 : resolved.resolvedFileName,
                (resolved == null ? void 0 : resolved.packageId) && packageIdToString(resolved.packageId)
              );
            }
          }
          return resolution;
        }
        function resolveSingleModuleNameWithoutWatching(moduleName, containingFile) {
          var _a, _b;
          const path17 = resolutionHost.toPath(containingFile);
          const resolutionsInFile = resolvedModuleNames.get(path17);
          const resolution = resolutionsInFile == null ? void 0 : resolutionsInFile.get(
            moduleName,
            /*mode*/
            void 0
          );
          if (resolution && !resolution.isInvalidated) return resolution;
          const data = (_a = resolutionHost.beforeResolveSingleModuleNameWithoutWatching) == null ? void 0 : _a.call(resolutionHost, moduleResolutionCache);
          const host = getModuleResolutionHost(resolutionHost);
          const result = resolveModuleName(
            moduleName,
            containingFile,
            resolutionHost.getCompilationSettings(),
            host,
            moduleResolutionCache
          );
          (_b = resolutionHost.afterResolveSingleModuleNameWithoutWatching) == null ? void 0 : _b.call(resolutionHost, moduleResolutionCache, moduleName, containingFile, result, data);
          return result;
        }
        function isNodeModulesAtTypesDirectory(dirPath) {
          return endsWith(dirPath, "/node_modules/@types");
        }
        function watchFailedLookupLocationsOfExternalModuleResolutions(name, resolution, filePath, getResolutionWithResolvedFileName, deferWatchingNonRelativeResolution) {
          var _a;
          if (resolution.refCount) {
            resolution.refCount++;
            Debug.assertIsDefined(resolution.files);
          } else {
            resolution.refCount = 1;
            Debug.assert(!((_a = resolution.files) == null ? void 0 : _a.size));
            if (!deferWatchingNonRelativeResolution || isExternalModuleNameRelative(name)) {
              watchFailedLookupLocationOfResolution(resolution);
            } else {
              nonRelativeExternalModuleResolutions.add(name, resolution);
            }
            const resolved = getResolutionWithResolvedFileName(resolution);
            if (resolved && resolved.resolvedFileName) {
              const key = resolutionHost.toPath(resolved.resolvedFileName);
              let resolutions = resolvedFileToResolution.get(key);
              if (!resolutions) resolvedFileToResolution.set(key, resolutions = /* @__PURE__ */ new Set());
              resolutions.add(resolution);
            }
          }
          (resolution.files ?? (resolution.files = /* @__PURE__ */ new Set())).add(filePath);
        }
        function watchFailedLookupLocation(failedLookupLocation, setAtRoot) {
          const failedLookupLocationPath = resolutionHost.toPath(failedLookupLocation);
          const toWatch = getDirectoryToWatchFailedLookupLocation(
            failedLookupLocation,
            failedLookupLocationPath,
            rootDir,
            rootPath,
            rootPathComponents,
            getCurrentDirectory
          );
          if (toWatch) {
            const { dir, dirPath, nonRecursive, packageDir, packageDirPath } = toWatch;
            if (dirPath === rootPath) {
              Debug.assert(nonRecursive);
              Debug.assert(!packageDir);
              setAtRoot = true;
            } else {
              setDirectoryWatcher(dir, dirPath, packageDir, packageDirPath, nonRecursive);
            }
          }
          return setAtRoot;
        }
        function watchFailedLookupLocationOfResolution(resolution) {
          Debug.assert(!!resolution.refCount);
          const { failedLookupLocations, affectingLocations, alternateResult } = resolution;
          if (!(failedLookupLocations == null ? void 0 : failedLookupLocations.length) && !(affectingLocations == null ? void 0 : affectingLocations.length) && !alternateResult) return;
          if ((failedLookupLocations == null ? void 0 : failedLookupLocations.length) || alternateResult) resolutionsWithFailedLookups.add(resolution);
          let setAtRoot = false;
          if (failedLookupLocations) {
            for (const failedLookupLocation of failedLookupLocations) {
              setAtRoot = watchFailedLookupLocation(failedLookupLocation, setAtRoot);
            }
          }
          if (alternateResult) setAtRoot = watchFailedLookupLocation(alternateResult, setAtRoot);
          if (setAtRoot) {
            setDirectoryWatcher(
              rootDir,
              rootPath,
              /*packageDir*/
              void 0,
              /*packageDirPath*/
              void 0,
              /*nonRecursive*/
              true
            );
          }
          watchAffectingLocationsOfResolution(resolution, !(failedLookupLocations == null ? void 0 : failedLookupLocations.length) && !alternateResult);
        }
        function watchAffectingLocationsOfResolution(resolution, addToResolutionsWithOnlyAffectingLocations) {
          Debug.assert(!!resolution.refCount);
          const { affectingLocations } = resolution;
          if (!(affectingLocations == null ? void 0 : affectingLocations.length)) return;
          if (addToResolutionsWithOnlyAffectingLocations) resolutionsWithOnlyAffectingLocations.add(resolution);
          for (const affectingLocation of affectingLocations) {
            createFileWatcherOfAffectingLocation(
              affectingLocation,
              /*forResolution*/
              true
            );
          }
        }
        function createFileWatcherOfAffectingLocation(affectingLocation, forResolution) {
          const fileWatcher = fileWatchesOfAffectingLocations.get(affectingLocation);
          if (fileWatcher) {
            if (forResolution) fileWatcher.resolutions++;
            else fileWatcher.files++;
            return;
          }
          let locationToWatch = affectingLocation;
          let isSymlink = false;
          let symlinkWatcher;
          if (resolutionHost.realpath) {
            locationToWatch = resolutionHost.realpath(affectingLocation);
            if (affectingLocation !== locationToWatch) {
              isSymlink = true;
              symlinkWatcher = fileWatchesOfAffectingLocations.get(locationToWatch);
            }
          }
          const resolutions = forResolution ? 1 : 0;
          const files = forResolution ? 0 : 1;
          if (!isSymlink || !symlinkWatcher) {
            const watcher = {
              watcher: canWatchAffectingLocation(resolutionHost.toPath(locationToWatch)) ? resolutionHost.watchAffectingFileLocation(locationToWatch, (fileName, eventKind) => {
                cachedDirectoryStructureHost == null ? void 0 : cachedDirectoryStructureHost.addOrDeleteFile(fileName, resolutionHost.toPath(locationToWatch), eventKind);
                invalidateAffectingFileWatcher(locationToWatch, moduleResolutionCache.getPackageJsonInfoCache().getInternalMap());
                resolutionHost.scheduleInvalidateResolutionsOfFailedLookupLocations();
              }) : noopFileWatcher,
              resolutions: isSymlink ? 0 : resolutions,
              files: isSymlink ? 0 : files,
              symlinks: void 0
            };
            fileWatchesOfAffectingLocations.set(locationToWatch, watcher);
            if (isSymlink) symlinkWatcher = watcher;
          }
          if (isSymlink) {
            Debug.assert(!!symlinkWatcher);
            const watcher = {
              watcher: {
                close: () => {
                  var _a;
                  const symlinkWatcher2 = fileWatchesOfAffectingLocations.get(locationToWatch);
                  if (((_a = symlinkWatcher2 == null ? void 0 : symlinkWatcher2.symlinks) == null ? void 0 : _a.delete(affectingLocation)) && !symlinkWatcher2.symlinks.size && !symlinkWatcher2.resolutions && !symlinkWatcher2.files) {
                    fileWatchesOfAffectingLocations.delete(locationToWatch);
                    symlinkWatcher2.watcher.close();
                  }
                }
              },
              resolutions,
              files,
              symlinks: void 0
            };
            fileWatchesOfAffectingLocations.set(affectingLocation, watcher);
            (symlinkWatcher.symlinks ?? (symlinkWatcher.symlinks = /* @__PURE__ */ new Set())).add(affectingLocation);
          }
        }
        function invalidateAffectingFileWatcher(path17, packageJsonMap) {
          var _a;
          const watcher = fileWatchesOfAffectingLocations.get(path17);
          if (watcher == null ? void 0 : watcher.resolutions) (affectingPathChecks ?? (affectingPathChecks = /* @__PURE__ */ new Set())).add(path17);
          if (watcher == null ? void 0 : watcher.files) (affectingPathChecksForFile ?? (affectingPathChecksForFile = /* @__PURE__ */ new Set())).add(path17);
          (_a = watcher == null ? void 0 : watcher.symlinks) == null ? void 0 : _a.forEach((path22) => invalidateAffectingFileWatcher(path22, packageJsonMap));
          packageJsonMap == null ? void 0 : packageJsonMap.delete(resolutionHost.toPath(path17));
        }
        function watchFailedLookupLocationOfNonRelativeModuleResolutions(resolutions, name) {
          const program = resolutionHost.getCurrentProgram();
          if (!program || !program.getTypeChecker().tryFindAmbientModuleWithoutAugmentations(name)) {
            resolutions.forEach(watchFailedLookupLocationOfResolution);
          } else {
            resolutions.forEach((resolution) => watchAffectingLocationsOfResolution(
              resolution,
              /*addToResolutionsWithOnlyAffectingLocations*/
              true
            ));
          }
        }
        function createDirectoryWatcherForPackageDir(dir, dirPath, packageDir, packageDirPath, nonRecursive) {
          Debug.assert(!nonRecursive);
          let isSymlink = isSymlinkCache.get(packageDirPath);
          let packageDirWatcher = packageDirWatchers.get(packageDirPath);
          if (isSymlink === void 0) {
            const realPath2 = resolutionHost.realpath(packageDir);
            isSymlink = realPath2 !== packageDir && resolutionHost.toPath(realPath2) !== packageDirPath;
            isSymlinkCache.set(packageDirPath, isSymlink);
            if (!packageDirWatcher) {
              packageDirWatchers.set(
                packageDirPath,
                packageDirWatcher = {
                  dirPathToWatcher: /* @__PURE__ */ new Map(),
                  isSymlink
                }
              );
            } else if (packageDirWatcher.isSymlink !== isSymlink) {
              packageDirWatcher.dirPathToWatcher.forEach((watcher) => {
                removeDirectoryWatcher(
                  packageDirWatcher.isSymlink ? packageDirPath : dirPath,
                  /*syncDirWatcherRemove*/
                  false
                );
                watcher.watcher = createDirPathToWatcher();
              });
              packageDirWatcher.isSymlink = isSymlink;
            }
          } else {
            Debug.assertIsDefined(packageDirWatcher);
            Debug.assert(isSymlink === packageDirWatcher.isSymlink);
          }
          const forDirPath = packageDirWatcher.dirPathToWatcher.get(dirPath);
          if (forDirPath) {
            forDirPath.refCount++;
          } else {
            packageDirWatcher.dirPathToWatcher.set(dirPath, {
              watcher: createDirPathToWatcher(),
              refCount: 1
            });
            if (isSymlink) dirPathToSymlinkPackageRefCount.set(dirPath, (dirPathToSymlinkPackageRefCount.get(dirPath) ?? 0) + 1);
          }
          function createDirPathToWatcher() {
            return isSymlink ? createOrAddRefToDirectoryWatchOfFailedLookups(packageDir, packageDirPath, nonRecursive) : createOrAddRefToDirectoryWatchOfFailedLookups(dir, dirPath, nonRecursive);
          }
        }
        function setDirectoryWatcher(dir, dirPath, packageDir, packageDirPath, nonRecursive) {
          if (!packageDirPath || !resolutionHost.realpath) {
            createOrAddRefToDirectoryWatchOfFailedLookups(dir, dirPath, nonRecursive);
          } else {
            createDirectoryWatcherForPackageDir(dir, dirPath, packageDir, packageDirPath, nonRecursive);
          }
        }
        function createOrAddRefToDirectoryWatchOfFailedLookups(dir, dirPath, nonRecursive) {
          let dirWatcher = directoryWatchesOfFailedLookups.get(dirPath);
          if (dirWatcher) {
            Debug.assert(!!nonRecursive === !!dirWatcher.nonRecursive);
            dirWatcher.refCount++;
          } else {
            directoryWatchesOfFailedLookups.set(dirPath, dirWatcher = { watcher: createDirectoryWatcher(dir, dirPath, nonRecursive), refCount: 1, nonRecursive });
          }
          return dirWatcher;
        }
        function stopWatchFailedLookupLocation(failedLookupLocation, removeAtRoot, syncDirWatcherRemove) {
          const failedLookupLocationPath = resolutionHost.toPath(failedLookupLocation);
          const toWatch = getDirectoryToWatchFailedLookupLocation(
            failedLookupLocation,
            failedLookupLocationPath,
            rootDir,
            rootPath,
            rootPathComponents,
            getCurrentDirectory
          );
          if (toWatch) {
            const { dirPath, packageDirPath } = toWatch;
            if (dirPath === rootPath) {
              removeAtRoot = true;
            } else if (packageDirPath && resolutionHost.realpath) {
              const packageDirWatcher = packageDirWatchers.get(packageDirPath);
              const forDirPath = packageDirWatcher.dirPathToWatcher.get(dirPath);
              forDirPath.refCount--;
              if (forDirPath.refCount === 0) {
                removeDirectoryWatcher(packageDirWatcher.isSymlink ? packageDirPath : dirPath, syncDirWatcherRemove);
                packageDirWatcher.dirPathToWatcher.delete(dirPath);
                if (packageDirWatcher.isSymlink) {
                  const refCount = dirPathToSymlinkPackageRefCount.get(dirPath) - 1;
                  if (refCount === 0) {
                    dirPathToSymlinkPackageRefCount.delete(dirPath);
                  } else {
                    dirPathToSymlinkPackageRefCount.set(dirPath, refCount);
                  }
                }
                if (syncDirWatcherRemove) closePackageDirWatcher(packageDirWatcher, packageDirPath);
              }
            } else {
              removeDirectoryWatcher(dirPath, syncDirWatcherRemove);
            }
          }
          return removeAtRoot;
        }
        function stopWatchFailedLookupLocationOfResolution(resolution, filePath, getResolutionWithResolvedFileName, syncDirWatcherRemove) {
          Debug.checkDefined(resolution.files).delete(filePath);
          resolution.refCount--;
          if (resolution.refCount) {
            return;
          }
          const resolved = getResolutionWithResolvedFileName(resolution);
          if (resolved && resolved.resolvedFileName) {
            const key = resolutionHost.toPath(resolved.resolvedFileName);
            const resolutions = resolvedFileToResolution.get(key);
            if ((resolutions == null ? void 0 : resolutions.delete(resolution)) && !resolutions.size) resolvedFileToResolution.delete(key);
          }
          const { failedLookupLocations, affectingLocations, alternateResult } = resolution;
          if (resolutionsWithFailedLookups.delete(resolution)) {
            let removeAtRoot = false;
            if (failedLookupLocations) {
              for (const failedLookupLocation of failedLookupLocations) {
                removeAtRoot = stopWatchFailedLookupLocation(failedLookupLocation, removeAtRoot, syncDirWatcherRemove);
              }
            }
            if (alternateResult) removeAtRoot = stopWatchFailedLookupLocation(alternateResult, removeAtRoot, syncDirWatcherRemove);
            if (removeAtRoot) removeDirectoryWatcher(rootPath, syncDirWatcherRemove);
          } else if (affectingLocations == null ? void 0 : affectingLocations.length) {
            resolutionsWithOnlyAffectingLocations.delete(resolution);
          }
          if (affectingLocations) {
            for (const affectingLocation of affectingLocations) {
              const watcher = fileWatchesOfAffectingLocations.get(affectingLocation);
              watcher.resolutions--;
              if (syncDirWatcherRemove) closeFileWatcherOfAffectingLocation(watcher, affectingLocation);
            }
          }
        }
        function removeDirectoryWatcher(dirPath, syncDirWatcherRemove) {
          const dirWatcher = directoryWatchesOfFailedLookups.get(dirPath);
          dirWatcher.refCount--;
          if (syncDirWatcherRemove) closeDirectoryWatchesOfFailedLookup(dirWatcher, dirPath);
        }
        function createDirectoryWatcher(directory, dirPath, nonRecursive) {
          return resolutionHost.watchDirectoryOfFailedLookupLocation(
            directory,
            (fileOrDirectory) => {
              const fileOrDirectoryPath = resolutionHost.toPath(fileOrDirectory);
              if (cachedDirectoryStructureHost) {
                cachedDirectoryStructureHost.addOrDeleteFileOrDirectory(fileOrDirectory, fileOrDirectoryPath);
              }
              scheduleInvalidateResolutionOfFailedLookupLocation(fileOrDirectoryPath, dirPath === fileOrDirectoryPath);
            },
            nonRecursive ? 0 : 1
            /* Recursive */
          );
        }
        function removeResolutionsOfFileFromCache(cache, filePath, getResolutionWithResolvedFileName, syncDirWatcherRemove) {
          const resolutions = cache.get(filePath);
          if (resolutions) {
            resolutions.forEach(
              (resolution) => stopWatchFailedLookupLocationOfResolution(
                resolution,
                filePath,
                getResolutionWithResolvedFileName,
                syncDirWatcherRemove
              )
            );
            cache.delete(filePath);
          }
        }
        function removeResolutionsFromProjectReferenceRedirects(filePath) {
          if (!fileExtensionIs(
            filePath,
            ".json"
            /* Json */
          )) return;
          const program = resolutionHost.getCurrentProgram();
          if (!program) return;
          const resolvedProjectReference = program.getResolvedProjectReferenceByPath(filePath);
          if (!resolvedProjectReference) return;
          resolvedProjectReference.commandLine.fileNames.forEach((f) => removeResolutionsOfFile(resolutionHost.toPath(f)));
        }
        function removeResolutionsOfFile(filePath, syncDirWatcherRemove) {
          removeResolutionsOfFileFromCache(resolvedModuleNames, filePath, getResolvedModule, syncDirWatcherRemove);
          removeResolutionsOfFileFromCache(resolvedTypeReferenceDirectives, filePath, getResolvedTypeReferenceDirective, syncDirWatcherRemove);
        }
        function invalidateResolutions(resolutions, canInvalidate) {
          if (!resolutions) return false;
          let invalidated = false;
          resolutions.forEach((resolution) => {
            if (resolution.isInvalidated || !canInvalidate(resolution)) return;
            resolution.isInvalidated = invalidated = true;
            for (const containingFilePath of Debug.checkDefined(resolution.files)) {
              (filesWithInvalidatedResolutions ?? (filesWithInvalidatedResolutions = /* @__PURE__ */ new Set())).add(containingFilePath);
              hasChangedAutomaticTypeDirectiveNames = hasChangedAutomaticTypeDirectiveNames || endsWith(containingFilePath, inferredTypesContainingFile);
            }
          });
          return invalidated;
        }
        function invalidateResolutionOfFile(filePath) {
          removeResolutionsOfFile(filePath);
          const prevHasChangedAutomaticTypeDirectiveNames = hasChangedAutomaticTypeDirectiveNames;
          if (invalidateResolutions(resolvedFileToResolution.get(filePath), returnTrue) && hasChangedAutomaticTypeDirectiveNames && !prevHasChangedAutomaticTypeDirectiveNames) {
            resolutionHost.onChangedAutomaticTypeDirectiveNames();
          }
        }
        function setFilesWithInvalidatedNonRelativeUnresolvedImports(filesMap) {
          Debug.assert(filesWithInvalidatedNonRelativeUnresolvedImports === filesMap || filesWithInvalidatedNonRelativeUnresolvedImports === void 0);
          filesWithInvalidatedNonRelativeUnresolvedImports = filesMap;
        }
        function scheduleInvalidateResolutionOfFailedLookupLocation(fileOrDirectoryPath, isCreatingWatchedDirectory) {
          if (isCreatingWatchedDirectory) {
            (isInDirectoryChecks || (isInDirectoryChecks = /* @__PURE__ */ new Set())).add(fileOrDirectoryPath);
          } else {
            const updatedPath = removeIgnoredPath(fileOrDirectoryPath);
            if (!updatedPath) return false;
            fileOrDirectoryPath = updatedPath;
            if (resolutionHost.fileIsOpen(fileOrDirectoryPath)) {
              return false;
            }
            const dirOfFileOrDirectory = getDirectoryPath(fileOrDirectoryPath);
            if (isNodeModulesAtTypesDirectory(fileOrDirectoryPath) || isNodeModulesDirectory(fileOrDirectoryPath) || isNodeModulesAtTypesDirectory(dirOfFileOrDirectory) || isNodeModulesDirectory(dirOfFileOrDirectory)) {
              (failedLookupChecks || (failedLookupChecks = /* @__PURE__ */ new Set())).add(fileOrDirectoryPath);
              (startsWithPathChecks || (startsWithPathChecks = /* @__PURE__ */ new Set())).add(fileOrDirectoryPath);
            } else {
              if (isEmittedFileOfProgram(resolutionHost.getCurrentProgram(), fileOrDirectoryPath)) {
                return false;
              }
              if (fileExtensionIs(fileOrDirectoryPath, ".map")) {
                return false;
              }
              (failedLookupChecks || (failedLookupChecks = /* @__PURE__ */ new Set())).add(fileOrDirectoryPath);
              const packagePath = parseNodeModuleFromPath(
                fileOrDirectoryPath,
                /*isFolder*/
                true
              );
              if (packagePath) (startsWithPathChecks || (startsWithPathChecks = /* @__PURE__ */ new Set())).add(packagePath);
            }
          }
          resolutionHost.scheduleInvalidateResolutionsOfFailedLookupLocations();
        }
        function invalidatePackageJsonMap() {
          const packageJsonMap = moduleResolutionCache.getPackageJsonInfoCache().getInternalMap();
          if (packageJsonMap && (failedLookupChecks || startsWithPathChecks || isInDirectoryChecks)) {
            packageJsonMap.forEach((_value, path17) => isInvalidatedFailedLookup(path17) ? packageJsonMap.delete(path17) : void 0);
          }
        }
        function invalidateResolutionsOfFailedLookupLocations() {
          var _a;
          if (allModuleAndTypeResolutionsAreInvalidated) {
            affectingPathChecksForFile = void 0;
            invalidatePackageJsonMap();
            if (failedLookupChecks || startsWithPathChecks || isInDirectoryChecks || affectingPathChecks) {
              invalidateResolutions(resolvedLibraries, canInvalidateFailedLookupResolution);
            }
            failedLookupChecks = void 0;
            startsWithPathChecks = void 0;
            isInDirectoryChecks = void 0;
            affectingPathChecks = void 0;
            return true;
          }
          let invalidated = false;
          if (affectingPathChecksForFile) {
            (_a = resolutionHost.getCurrentProgram()) == null ? void 0 : _a.getSourceFiles().forEach((f) => {
              if (some(f.packageJsonLocations, (location) => affectingPathChecksForFile.has(location))) {
                (filesWithInvalidatedResolutions ?? (filesWithInvalidatedResolutions = /* @__PURE__ */ new Set())).add(f.path);
                invalidated = true;
              }
            });
            affectingPathChecksForFile = void 0;
          }
          if (!failedLookupChecks && !startsWithPathChecks && !isInDirectoryChecks && !affectingPathChecks) {
            return invalidated;
          }
          invalidated = invalidateResolutions(resolutionsWithFailedLookups, canInvalidateFailedLookupResolution) || invalidated;
          invalidatePackageJsonMap();
          failedLookupChecks = void 0;
          startsWithPathChecks = void 0;
          isInDirectoryChecks = void 0;
          invalidated = invalidateResolutions(resolutionsWithOnlyAffectingLocations, canInvalidatedFailedLookupResolutionWithAffectingLocation) || invalidated;
          affectingPathChecks = void 0;
          return invalidated;
        }
        function canInvalidateFailedLookupResolution(resolution) {
          var _a;
          if (canInvalidatedFailedLookupResolutionWithAffectingLocation(resolution)) return true;
          if (!failedLookupChecks && !startsWithPathChecks && !isInDirectoryChecks) return false;
          return ((_a = resolution.failedLookupLocations) == null ? void 0 : _a.some((location) => isInvalidatedFailedLookup(resolutionHost.toPath(location)))) || !!resolution.alternateResult && isInvalidatedFailedLookup(resolutionHost.toPath(resolution.alternateResult));
        }
        function isInvalidatedFailedLookup(locationPath) {
          return (failedLookupChecks == null ? void 0 : failedLookupChecks.has(locationPath)) || firstDefinedIterator((startsWithPathChecks == null ? void 0 : startsWithPathChecks.keys()) || [], (fileOrDirectoryPath) => startsWith2(locationPath, fileOrDirectoryPath) ? true : void 0) || firstDefinedIterator((isInDirectoryChecks == null ? void 0 : isInDirectoryChecks.keys()) || [], (dirPath) => locationPath.length > dirPath.length && startsWith2(locationPath, dirPath) && (isDiskPathRoot(dirPath) || locationPath[dirPath.length] === directorySeparator) ? true : void 0);
        }
        function canInvalidatedFailedLookupResolutionWithAffectingLocation(resolution) {
          var _a;
          return !!affectingPathChecks && ((_a = resolution.affectingLocations) == null ? void 0 : _a.some((location) => affectingPathChecks.has(location)));
        }
        function closeTypeRootsWatch() {
          clearMap(typeRootsWatches, closeFileWatcher);
        }
        function createTypeRootsWatch(typeRoot) {
          return canWatchTypeRootPath(typeRoot) ? resolutionHost.watchTypeRootsDirectory(
            typeRoot,
            (fileOrDirectory) => {
              const fileOrDirectoryPath = resolutionHost.toPath(fileOrDirectory);
              if (cachedDirectoryStructureHost) {
                cachedDirectoryStructureHost.addOrDeleteFileOrDirectory(fileOrDirectory, fileOrDirectoryPath);
              }
              hasChangedAutomaticTypeDirectiveNames = true;
              resolutionHost.onChangedAutomaticTypeDirectiveNames();
              const dirPath = getDirectoryToWatchFailedLookupLocationFromTypeRoot(
                typeRoot,
                resolutionHost.toPath(typeRoot),
                rootPath,
                rootPathComponents,
                getCurrentDirectory,
                (dirPath2) => directoryWatchesOfFailedLookups.has(dirPath2) || dirPathToSymlinkPackageRefCount.has(dirPath2)
              );
              if (dirPath) {
                scheduleInvalidateResolutionOfFailedLookupLocation(fileOrDirectoryPath, dirPath === fileOrDirectoryPath);
              }
            },
            1
            /* Recursive */
          ) : noopFileWatcher;
        }
        function updateTypeRootsWatch() {
          const options = resolutionHost.getCompilationSettings();
          if (options.types) {
            closeTypeRootsWatch();
            return;
          }
          const typeRoots = getEffectiveTypeRoots(options, { getCurrentDirectory });
          if (typeRoots) {
            mutateMap(
              typeRootsWatches,
              new Set(typeRoots),
              {
                createNewValue: createTypeRootsWatch,
                onDeleteValue: closeFileWatcher
              }
            );
          } else {
            closeTypeRootsWatch();
          }
        }
        function canWatchTypeRootPath(typeRoot) {
          if (resolutionHost.getCompilationSettings().typeRoots) return true;
          return canWatchAtTypes(resolutionHost.toPath(typeRoot));
        }
      }
      function resolutionIsSymlink(resolution) {
        var _a, _b;
        return !!(((_a = resolution.resolvedModule) == null ? void 0 : _a.originalPath) || ((_b = resolution.resolvedTypeReferenceDirective) == null ? void 0 : _b.originalPath));
      }
      var sysFormatDiagnosticsHost = sys ? {
        getCurrentDirectory: () => sys.getCurrentDirectory(),
        getNewLine: () => sys.newLine,
        getCanonicalFileName: createGetCanonicalFileName(sys.useCaseSensitiveFileNames)
      } : void 0;
      function createDiagnosticReporter(system, pretty) {
        const host = system === sys && sysFormatDiagnosticsHost ? sysFormatDiagnosticsHost : {
          getCurrentDirectory: () => system.getCurrentDirectory(),
          getNewLine: () => system.newLine,
          getCanonicalFileName: createGetCanonicalFileName(system.useCaseSensitiveFileNames)
        };
        if (!pretty) {
          return (diagnostic) => system.write(formatDiagnostic(diagnostic, host));
        }
        const diagnostics = new Array(1);
        return (diagnostic) => {
          diagnostics[0] = diagnostic;
          system.write(formatDiagnosticsWithColorAndContext(diagnostics, host) + host.getNewLine());
          diagnostics[0] = void 0;
        };
      }
      function clearScreenIfNotWatchingForFileChanges(system, diagnostic, options) {
        if (system.clearScreen && !options.preserveWatchOutput && !options.extendedDiagnostics && !options.diagnostics && contains(screenStartingMessageCodes, diagnostic.code)) {
          system.clearScreen();
          return true;
        }
        return false;
      }
      var screenStartingMessageCodes = [
        Diagnostics.Starting_compilation_in_watch_mode.code,
        Diagnostics.File_change_detected_Starting_incremental_compilation.code
      ];
      function getPlainDiagnosticFollowingNewLines(diagnostic, newLine) {
        return contains(screenStartingMessageCodes, diagnostic.code) ? newLine + newLine : newLine;
      }
      function getLocaleTimeString(system) {
        return !system.now ? (/* @__PURE__ */ new Date()).toLocaleTimeString() : (
          // On some systems / builds of Node, there's a non-breaking space between the time and AM/PM.
          // This branch is solely for testing, so just switch it to a normal space for baseline stability.
          // See:
          //     - https://github.com/nodejs/node/issues/45171
          //     - https://github.com/nodejs/node/issues/45753
          system.now().toLocaleTimeString("en-US", { timeZone: "UTC" }).replace("\u202F", " ")
        );
      }
      function createWatchStatusReporter(system, pretty) {
        return pretty ? (diagnostic, newLine, options) => {
          clearScreenIfNotWatchingForFileChanges(system, diagnostic, options);
          let output = `[${formatColorAndReset(
            getLocaleTimeString(system),
            "\x1B[90m"
            /* Grey */
          )}] `;
          output += `${flattenDiagnosticMessageText(diagnostic.messageText, system.newLine)}${newLine + newLine}`;
          system.write(output);
        } : (diagnostic, newLine, options) => {
          let output = "";
          if (!clearScreenIfNotWatchingForFileChanges(system, diagnostic, options)) {
            output += newLine;
          }
          output += `${getLocaleTimeString(system)} - `;
          output += `${flattenDiagnosticMessageText(diagnostic.messageText, system.newLine)}${getPlainDiagnosticFollowingNewLines(diagnostic, newLine)}`;
          system.write(output);
        };
      }
      function parseConfigFileWithSystem(configFileName, optionsToExtend, extendedConfigCache, watchOptionsToExtend, system, reportDiagnostic) {
        const host = system;
        host.onUnRecoverableConfigFileDiagnostic = (diagnostic) => reportUnrecoverableDiagnostic(system, reportDiagnostic, diagnostic);
        const result = getParsedCommandLineOfConfigFile(configFileName, optionsToExtend, host, extendedConfigCache, watchOptionsToExtend);
        host.onUnRecoverableConfigFileDiagnostic = void 0;
        return result;
      }
      function getErrorCountForSummary(diagnostics) {
        return countWhere(
          diagnostics,
          (diagnostic) => diagnostic.category === 1
          /* Error */
        );
      }
      function getFilesInErrorForSummary(diagnostics) {
        const filesInError = filter(
          diagnostics,
          (diagnostic) => diagnostic.category === 1
          /* Error */
        ).map(
          (errorDiagnostic) => {
            if (errorDiagnostic.file === void 0) return;
            return `${errorDiagnostic.file.fileName}`;
          }
        );
        return filesInError.map((fileName) => {
          if (fileName === void 0) {
            return void 0;
          }
          const diagnosticForFileName = find(diagnostics, (diagnostic) => diagnostic.file !== void 0 && diagnostic.file.fileName === fileName);
          if (diagnosticForFileName !== void 0) {
            const { line } = getLineAndCharacterOfPosition(diagnosticForFileName.file, diagnosticForFileName.start);
            return {
              fileName,
              line: line + 1
            };
          }
        });
      }
      function getWatchErrorSummaryDiagnosticMessage(errorCount) {
        return errorCount === 1 ? Diagnostics.Found_1_error_Watching_for_file_changes : Diagnostics.Found_0_errors_Watching_for_file_changes;
      }
      function prettyPathForFileError(error2, cwd) {
        const line = formatColorAndReset(
          ":" + error2.line,
          "\x1B[90m"
          /* Grey */
        );
        if (pathIsAbsolute(error2.fileName) && pathIsAbsolute(cwd)) {
          return getRelativePathFromDirectory(
            cwd,
            error2.fileName,
            /*ignoreCase*/
            false
          ) + line;
        }
        return error2.fileName + line;
      }
      function getErrorSummaryText(errorCount, filesInError, newLine, host) {
        if (errorCount === 0) return "";
        const nonNilFiles = filesInError.filter((fileInError) => fileInError !== void 0);
        const distinctFileNamesWithLines = nonNilFiles.map((fileInError) => `${fileInError.fileName}:${fileInError.line}`).filter((value, index, self2) => self2.indexOf(value) === index);
        const firstFileReference = nonNilFiles[0] && prettyPathForFileError(nonNilFiles[0], host.getCurrentDirectory());
        let messageAndArgs;
        if (errorCount === 1) {
          messageAndArgs = filesInError[0] !== void 0 ? [Diagnostics.Found_1_error_in_0, firstFileReference] : [Diagnostics.Found_1_error];
        } else {
          messageAndArgs = distinctFileNamesWithLines.length === 0 ? [Diagnostics.Found_0_errors, errorCount] : distinctFileNamesWithLines.length === 1 ? [Diagnostics.Found_0_errors_in_the_same_file_starting_at_Colon_1, errorCount, firstFileReference] : [Diagnostics.Found_0_errors_in_1_files, errorCount, distinctFileNamesWithLines.length];
        }
        const d = createCompilerDiagnostic(...messageAndArgs);
        const suffix = distinctFileNamesWithLines.length > 1 ? createTabularErrorsDisplay(nonNilFiles, host) : "";
        return `${newLine}${flattenDiagnosticMessageText(d.messageText, newLine)}${newLine}${newLine}${suffix}`;
      }
      function createTabularErrorsDisplay(filesInError, host) {
        const distinctFiles = filesInError.filter((value, index, self2) => index === self2.findIndex((file) => (file == null ? void 0 : file.fileName) === (value == null ? void 0 : value.fileName)));
        if (distinctFiles.length === 0) return "";
        const numberLength = (num) => Math.log(num) * Math.LOG10E + 1;
        const fileToErrorCount = distinctFiles.map((file) => [file, countWhere(filesInError, (fileInError) => fileInError.fileName === file.fileName)]);
        const maxErrors = fileToErrorCount.reduce((acc, value) => Math.max(acc, value[1] || 0), 0);
        const headerRow = Diagnostics.Errors_Files.message;
        const leftColumnHeadingLength = headerRow.split(" ")[0].length;
        const leftPaddingGoal = Math.max(leftColumnHeadingLength, numberLength(maxErrors));
        const headerPadding = Math.max(numberLength(maxErrors) - leftColumnHeadingLength, 0);
        let tabularData = "";
        tabularData += " ".repeat(headerPadding) + headerRow + "\n";
        fileToErrorCount.forEach((row) => {
          const [file, errorCount] = row;
          const errorCountDigitsLength = Math.log(errorCount) * Math.LOG10E + 1 | 0;
          const leftPadding = errorCountDigitsLength < leftPaddingGoal ? " ".repeat(leftPaddingGoal - errorCountDigitsLength) : "";
          const fileRef = prettyPathForFileError(file, host.getCurrentDirectory());
          tabularData += `${leftPadding}${errorCount}  ${fileRef}
`;
        });
        return tabularData;
      }
      function isBuilderProgram2(program) {
        return !!program.getState;
      }
      function listFiles(program, write) {
        const options = program.getCompilerOptions();
        if (options.explainFiles) {
          explainFiles(isBuilderProgram2(program) ? program.getProgram() : program, write);
        } else if (options.listFiles || options.listFilesOnly) {
          forEach(program.getSourceFiles(), (file) => {
            write(file.fileName);
          });
        }
      }
      function explainFiles(program, write) {
        var _a, _b;
        const reasons = program.getFileIncludeReasons();
        const relativeFileName = (fileName) => convertToRelativePath(fileName, program.getCurrentDirectory(), program.getCanonicalFileName);
        for (const file of program.getSourceFiles()) {
          write(`${toFileName(file, relativeFileName)}`);
          (_a = reasons.get(file.path)) == null ? void 0 : _a.forEach((reason) => write(`  ${fileIncludeReasonToDiagnostics(program, reason, relativeFileName).messageText}`));
          (_b = explainIfFileIsRedirectAndImpliedFormat(file, relativeFileName)) == null ? void 0 : _b.forEach((d) => write(`  ${d.messageText}`));
        }
      }
      function explainIfFileIsRedirectAndImpliedFormat(file, fileNameConvertor) {
        var _a;
        let result;
        if (file.path !== file.resolvedPath) {
          (result ?? (result = [])).push(chainDiagnosticMessages(
            /*details*/
            void 0,
            Diagnostics.File_is_output_of_project_reference_source_0,
            toFileName(file.originalFileName, fileNameConvertor)
          ));
        }
        if (file.redirectInfo) {
          (result ?? (result = [])).push(chainDiagnosticMessages(
            /*details*/
            void 0,
            Diagnostics.File_redirects_to_file_0,
            toFileName(file.redirectInfo.redirectTarget, fileNameConvertor)
          ));
        }
        if (isExternalOrCommonJsModule(file)) {
          switch (file.impliedNodeFormat) {
            case 99:
              if (file.packageJsonScope) {
                (result ?? (result = [])).push(chainDiagnosticMessages(
                  /*details*/
                  void 0,
                  Diagnostics.File_is_ECMAScript_module_because_0_has_field_type_with_value_module,
                  toFileName(last(file.packageJsonLocations), fileNameConvertor)
                ));
              }
              break;
            case 1:
              if (file.packageJsonScope) {
                (result ?? (result = [])).push(chainDiagnosticMessages(
                  /*details*/
                  void 0,
                  file.packageJsonScope.contents.packageJsonContent.type ? Diagnostics.File_is_CommonJS_module_because_0_has_field_type_whose_value_is_not_module : Diagnostics.File_is_CommonJS_module_because_0_does_not_have_field_type,
                  toFileName(last(file.packageJsonLocations), fileNameConvertor)
                ));
              } else if ((_a = file.packageJsonLocations) == null ? void 0 : _a.length) {
                (result ?? (result = [])).push(chainDiagnosticMessages(
                  /*details*/
                  void 0,
                  Diagnostics.File_is_CommonJS_module_because_package_json_was_not_found
                ));
              }
              break;
          }
        }
        return result;
      }
      function getMatchedFileSpec(program, fileName) {
        var _a;
        const configFile = program.getCompilerOptions().configFile;
        if (!((_a = configFile == null ? void 0 : configFile.configFileSpecs) == null ? void 0 : _a.validatedFilesSpec)) return void 0;
        const filePath = program.getCanonicalFileName(fileName);
        const basePath = getDirectoryPath(getNormalizedAbsolutePath(configFile.fileName, program.getCurrentDirectory()));
        const index = findIndex(configFile.configFileSpecs.validatedFilesSpec, (fileSpec) => program.getCanonicalFileName(getNormalizedAbsolutePath(fileSpec, basePath)) === filePath);
        return index !== -1 ? configFile.configFileSpecs.validatedFilesSpecBeforeSubstitution[index] : void 0;
      }
      function getMatchedIncludeSpec(program, fileName) {
        var _a, _b;
        const configFile = program.getCompilerOptions().configFile;
        if (!((_a = configFile == null ? void 0 : configFile.configFileSpecs) == null ? void 0 : _a.validatedIncludeSpecs)) return void 0;
        if (configFile.configFileSpecs.isDefaultIncludeSpec) return true;
        const isJsonFile = fileExtensionIs(
          fileName,
          ".json"
          /* Json */
        );
        const basePath = getDirectoryPath(getNormalizedAbsolutePath(configFile.fileName, program.getCurrentDirectory()));
        const useCaseSensitiveFileNames2 = program.useCaseSensitiveFileNames();
        const index = findIndex((_b = configFile == null ? void 0 : configFile.configFileSpecs) == null ? void 0 : _b.validatedIncludeSpecs, (includeSpec) => {
          if (isJsonFile && !endsWith(
            includeSpec,
            ".json"
            /* Json */
          )) return false;
          const pattern = getPatternFromSpec(includeSpec, basePath, "files");
          return !!pattern && getRegexFromPattern(`(${pattern})$`, useCaseSensitiveFileNames2).test(fileName);
        });
        return index !== -1 ? configFile.configFileSpecs.validatedIncludeSpecsBeforeSubstitution[index] : void 0;
      }
      function fileIncludeReasonToDiagnostics(program, reason, fileNameConvertor) {
        var _a, _b;
        const options = program.getCompilerOptions();
        if (isReferencedFile(reason)) {
          const referenceLocation = getReferencedFileLocation(program, reason);
          const referenceText = isReferenceFileLocation(referenceLocation) ? referenceLocation.file.text.substring(referenceLocation.pos, referenceLocation.end) : `"${referenceLocation.text}"`;
          let message;
          Debug.assert(isReferenceFileLocation(referenceLocation) || reason.kind === 3, "Only synthetic references are imports");
          switch (reason.kind) {
            case 3:
              if (isReferenceFileLocation(referenceLocation)) {
                message = referenceLocation.packageId ? Diagnostics.Imported_via_0_from_file_1_with_packageId_2 : Diagnostics.Imported_via_0_from_file_1;
              } else if (referenceLocation.text === externalHelpersModuleNameText) {
                message = referenceLocation.packageId ? Diagnostics.Imported_via_0_from_file_1_with_packageId_2_to_import_importHelpers_as_specified_in_compilerOptions : Diagnostics.Imported_via_0_from_file_1_to_import_importHelpers_as_specified_in_compilerOptions;
              } else {
                message = referenceLocation.packageId ? Diagnostics.Imported_via_0_from_file_1_with_packageId_2_to_import_jsx_and_jsxs_factory_functions : Diagnostics.Imported_via_0_from_file_1_to_import_jsx_and_jsxs_factory_functions;
              }
              break;
            case 4:
              Debug.assert(!referenceLocation.packageId);
              message = Diagnostics.Referenced_via_0_from_file_1;
              break;
            case 5:
              message = referenceLocation.packageId ? Diagnostics.Type_library_referenced_via_0_from_file_1_with_packageId_2 : Diagnostics.Type_library_referenced_via_0_from_file_1;
              break;
            case 7:
              Debug.assert(!referenceLocation.packageId);
              message = Diagnostics.Library_referenced_via_0_from_file_1;
              break;
            default:
              Debug.assertNever(reason);
          }
          return chainDiagnosticMessages(
            /*details*/
            void 0,
            message,
            referenceText,
            toFileName(referenceLocation.file, fileNameConvertor),
            referenceLocation.packageId && packageIdToString(referenceLocation.packageId)
          );
        }
        switch (reason.kind) {
          case 0:
            if (!((_a = options.configFile) == null ? void 0 : _a.configFileSpecs)) return chainDiagnosticMessages(
              /*details*/
              void 0,
              Diagnostics.Root_file_specified_for_compilation
            );
            const fileName = getNormalizedAbsolutePath(program.getRootFileNames()[reason.index], program.getCurrentDirectory());
            const matchedByFiles = getMatchedFileSpec(program, fileName);
            if (matchedByFiles) return chainDiagnosticMessages(
              /*details*/
              void 0,
              Diagnostics.Part_of_files_list_in_tsconfig_json
            );
            const matchedByInclude = getMatchedIncludeSpec(program, fileName);
            return isString2(matchedByInclude) ? chainDiagnosticMessages(
              /*details*/
              void 0,
              Diagnostics.Matched_by_include_pattern_0_in_1,
              matchedByInclude,
              toFileName(options.configFile, fileNameConvertor)
            ) : (
              // Could be additional files specified as roots or matched by default include
              chainDiagnosticMessages(
                /*details*/
                void 0,
                matchedByInclude ? Diagnostics.Matched_by_default_include_pattern_Asterisk_Asterisk_Slash_Asterisk : Diagnostics.Root_file_specified_for_compilation
              )
            );
          case 1:
          case 2:
            const isOutput = reason.kind === 2;
            const referencedResolvedRef = Debug.checkDefined((_b = program.getResolvedProjectReferences()) == null ? void 0 : _b[reason.index]);
            return chainDiagnosticMessages(
              /*details*/
              void 0,
              options.outFile ? isOutput ? Diagnostics.Output_from_referenced_project_0_included_because_1_specified : Diagnostics.Source_from_referenced_project_0_included_because_1_specified : isOutput ? Diagnostics.Output_from_referenced_project_0_included_because_module_is_specified_as_none : Diagnostics.Source_from_referenced_project_0_included_because_module_is_specified_as_none,
              toFileName(referencedResolvedRef.sourceFile.fileName, fileNameConvertor),
              options.outFile ? "--outFile" : "--out"
            );
          case 8: {
            const messageAndArgs = options.types ? reason.packageId ? [Diagnostics.Entry_point_of_type_library_0_specified_in_compilerOptions_with_packageId_1, reason.typeReference, packageIdToString(reason.packageId)] : [Diagnostics.Entry_point_of_type_library_0_specified_in_compilerOptions, reason.typeReference] : reason.packageId ? [Diagnostics.Entry_point_for_implicit_type_library_0_with_packageId_1, reason.typeReference, packageIdToString(reason.packageId)] : [Diagnostics.Entry_point_for_implicit_type_library_0, reason.typeReference];
            return chainDiagnosticMessages(
              /*details*/
              void 0,
              ...messageAndArgs
            );
          }
          case 6: {
            if (reason.index !== void 0) return chainDiagnosticMessages(
              /*details*/
              void 0,
              Diagnostics.Library_0_specified_in_compilerOptions,
              options.lib[reason.index]
            );
            const target = getNameOfScriptTarget(getEmitScriptTarget(options));
            const messageAndArgs = target ? [Diagnostics.Default_library_for_target_0, target] : [Diagnostics.Default_library];
            return chainDiagnosticMessages(
              /*details*/
              void 0,
              ...messageAndArgs
            );
          }
          default:
            Debug.assertNever(reason);
        }
      }
      function toFileName(file, fileNameConvertor) {
        const fileName = isString2(file) ? file : file.fileName;
        return fileNameConvertor ? fileNameConvertor(fileName) : fileName;
      }
      function emitFilesAndReportErrors(program, reportDiagnostic, write, reportSummary, writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers) {
        const isListFilesOnly = !!program.getCompilerOptions().listFilesOnly;
        const allDiagnostics = program.getConfigFileParsingDiagnostics().slice();
        const configFileParsingDiagnosticsLength = allDiagnostics.length;
        addRange(allDiagnostics, program.getSyntacticDiagnostics(
          /*sourceFile*/
          void 0,
          cancellationToken
        ));
        if (allDiagnostics.length === configFileParsingDiagnosticsLength) {
          addRange(allDiagnostics, program.getOptionsDiagnostics(cancellationToken));
          if (!isListFilesOnly) {
            addRange(allDiagnostics, program.getGlobalDiagnostics(cancellationToken));
            if (allDiagnostics.length === configFileParsingDiagnosticsLength) {
              addRange(allDiagnostics, program.getSemanticDiagnostics(
                /*sourceFile*/
                void 0,
                cancellationToken
              ));
            }
          }
        }
        const emitResult = isListFilesOnly ? { emitSkipped: true, diagnostics: emptyArray } : program.emit(
          /*targetSourceFile*/
          void 0,
          writeFile2,
          cancellationToken,
          emitOnlyDtsFiles,
          customTransformers
        );
        const { emittedFiles, diagnostics: emitDiagnostics } = emitResult;
        addRange(allDiagnostics, emitDiagnostics);
        const diagnostics = sortAndDeduplicateDiagnostics(allDiagnostics);
        diagnostics.forEach(reportDiagnostic);
        if (write) {
          const currentDir = program.getCurrentDirectory();
          forEach(emittedFiles, (file) => {
            const filepath = getNormalizedAbsolutePath(file, currentDir);
            write(`TSFILE: ${filepath}`);
          });
          listFiles(program, write);
        }
        if (reportSummary) {
          reportSummary(getErrorCountForSummary(diagnostics), getFilesInErrorForSummary(diagnostics));
        }
        return {
          emitResult,
          diagnostics
        };
      }
      function emitFilesAndReportErrorsAndGetExitStatus(program, reportDiagnostic, write, reportSummary, writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers) {
        const { emitResult, diagnostics } = emitFilesAndReportErrors(
          program,
          reportDiagnostic,
          write,
          reportSummary,
          writeFile2,
          cancellationToken,
          emitOnlyDtsFiles,
          customTransformers
        );
        if (emitResult.emitSkipped && diagnostics.length > 0) {
          return 1;
        } else if (diagnostics.length > 0) {
          return 2;
        }
        return 0;
      }
      var noopFileWatcher = { close: noop2 };
      var returnNoopFileWatcher = () => noopFileWatcher;
      function createWatchHost(system = sys, reportWatchStatus2) {
        const onWatchStatusChange = reportWatchStatus2 || createWatchStatusReporter(system);
        return {
          onWatchStatusChange,
          watchFile: maybeBind(system, system.watchFile) || returnNoopFileWatcher,
          watchDirectory: maybeBind(system, system.watchDirectory) || returnNoopFileWatcher,
          setTimeout: maybeBind(system, system.setTimeout) || noop2,
          clearTimeout: maybeBind(system, system.clearTimeout) || noop2
        };
      }
      var WatchType = {
        ConfigFile: "Config file",
        ExtendedConfigFile: "Extended config file",
        SourceFile: "Source file",
        MissingFile: "Missing file",
        WildcardDirectory: "Wild card directory",
        FailedLookupLocations: "Failed Lookup Locations",
        AffectingFileLocation: "File location affecting resolution",
        TypeRoots: "Type roots",
        ConfigFileOfReferencedProject: "Config file of referened project",
        ExtendedConfigOfReferencedProject: "Extended config file of referenced project",
        WildcardDirectoryOfReferencedProject: "Wild card directory of referenced project",
        PackageJson: "package.json file",
        ClosedScriptInfo: "Closed Script info",
        ConfigFileForInferredRoot: "Config file for the inferred project root",
        NodeModules: "node_modules for closed script infos and package.jsons affecting module specifier cache",
        MissingSourceMapFile: "Missing source map file",
        NoopConfigFileForInferredRoot: "Noop Config file for the inferred project root",
        MissingGeneratedFile: "Missing generated file",
        NodeModulesForModuleSpecifierCache: "node_modules for module specifier cache invalidation",
        TypingInstallerLocationFile: "File location for typing installer",
        TypingInstallerLocationDirectory: "Directory location for typing installer"
      };
      function createWatchFactory(host, options) {
        const watchLogLevel = host.trace ? options.extendedDiagnostics ? 2 : options.diagnostics ? 1 : 0 : 0;
        const writeLog = watchLogLevel !== 0 ? (s) => host.trace(s) : noop2;
        const result = getWatchFactory(host, watchLogLevel, writeLog);
        result.writeLog = writeLog;
        return result;
      }
      function createCompilerHostFromProgramHost(host, getCompilerOptions, directoryStructureHost = host) {
        const useCaseSensitiveFileNames2 = host.useCaseSensitiveFileNames();
        const compilerHost = {
          getSourceFile: createGetSourceFile(
            (fileName, encoding) => !encoding ? compilerHost.readFile(fileName) : host.readFile(fileName, encoding),
            /*setParentNodes*/
            void 0
          ),
          getDefaultLibLocation: maybeBind(host, host.getDefaultLibLocation),
          getDefaultLibFileName: (options) => host.getDefaultLibFileName(options),
          writeFile: createWriteFileMeasuringIO(
            (path17, data, writeByteOrderMark) => host.writeFile(path17, data, writeByteOrderMark),
            (path17) => host.createDirectory(path17),
            (path17) => host.directoryExists(path17)
          ),
          getCurrentDirectory: memoize(() => host.getCurrentDirectory()),
          useCaseSensitiveFileNames: () => useCaseSensitiveFileNames2,
          getCanonicalFileName: createGetCanonicalFileName(useCaseSensitiveFileNames2),
          getNewLine: () => getNewLineCharacter(getCompilerOptions()),
          fileExists: (f) => host.fileExists(f),
          readFile: (f) => host.readFile(f),
          trace: maybeBind(host, host.trace),
          directoryExists: maybeBind(directoryStructureHost, directoryStructureHost.directoryExists),
          getDirectories: maybeBind(directoryStructureHost, directoryStructureHost.getDirectories),
          realpath: maybeBind(host, host.realpath),
          getEnvironmentVariable: maybeBind(host, host.getEnvironmentVariable) || (() => ""),
          createHash: maybeBind(host, host.createHash),
          readDirectory: maybeBind(host, host.readDirectory),
          storeSignatureInfo: host.storeSignatureInfo,
          jsDocParsingMode: host.jsDocParsingMode
        };
        return compilerHost;
      }
      function getSourceFileVersionAsHashFromText(host, text) {
        if (text.match(sourceMapCommentRegExpDontCareLineStart)) {
          let lineEnd = text.length;
          let lineStart = lineEnd;
          for (let pos = lineEnd - 1; pos >= 0; pos--) {
            const ch = text.charCodeAt(pos);
            switch (ch) {
              case 10:
                if (pos && text.charCodeAt(pos - 1) === 13) {
                  pos--;
                }
              case 13:
                break;
              default:
                if (ch < 127 || !isLineBreak(ch)) {
                  lineStart = pos;
                  continue;
                }
                break;
            }
            const line = text.substring(lineStart, lineEnd);
            if (line.match(sourceMapCommentRegExp)) {
              text = text.substring(0, lineStart);
              break;
            } else if (!line.match(whitespaceOrMapCommentRegExp)) {
              break;
            }
            lineEnd = lineStart;
          }
        }
        return (host.createHash || generateDjb2Hash)(text);
      }
      function setGetSourceFileAsHashVersioned(compilerHost) {
        const originalGetSourceFile = compilerHost.getSourceFile;
        compilerHost.getSourceFile = (...args) => {
          const result = originalGetSourceFile.call(compilerHost, ...args);
          if (result) {
            result.version = getSourceFileVersionAsHashFromText(compilerHost, result.text);
          }
          return result;
        };
      }
      function createProgramHost(system, createProgram2) {
        const getDefaultLibLocation = memoize(() => getDirectoryPath(normalizePath(system.getExecutingFilePath())));
        return {
          useCaseSensitiveFileNames: () => system.useCaseSensitiveFileNames,
          getNewLine: () => system.newLine,
          getCurrentDirectory: memoize(() => system.getCurrentDirectory()),
          getDefaultLibLocation,
          getDefaultLibFileName: (options) => combinePaths(getDefaultLibLocation(), getDefaultLibFileName(options)),
          fileExists: (path17) => system.fileExists(path17),
          readFile: (path17, encoding) => system.readFile(path17, encoding),
          directoryExists: (path17) => system.directoryExists(path17),
          getDirectories: (path17) => system.getDirectories(path17),
          readDirectory: (path17, extensions, exclude, include, depth2) => system.readDirectory(path17, extensions, exclude, include, depth2),
          realpath: maybeBind(system, system.realpath),
          getEnvironmentVariable: maybeBind(system, system.getEnvironmentVariable),
          trace: (s) => system.write(s + system.newLine),
          createDirectory: (path17) => system.createDirectory(path17),
          writeFile: (path17, data, writeByteOrderMark) => system.writeFile(path17, data, writeByteOrderMark),
          createHash: maybeBind(system, system.createHash),
          createProgram: createProgram2 || createEmitAndSemanticDiagnosticsBuilderProgram,
          storeSignatureInfo: system.storeSignatureInfo,
          now: maybeBind(system, system.now)
        };
      }
      function createWatchCompilerHost(system = sys, createProgram2, reportDiagnostic, reportWatchStatus2) {
        const write = (s) => system.write(s + system.newLine);
        const result = createProgramHost(system, createProgram2);
        copyProperties(result, createWatchHost(system, reportWatchStatus2));
        result.afterProgramCreate = (builderProgram) => {
          const compilerOptions = builderProgram.getCompilerOptions();
          const newLine = getNewLineCharacter(compilerOptions);
          emitFilesAndReportErrors(
            builderProgram,
            reportDiagnostic,
            write,
            (errorCount) => result.onWatchStatusChange(
              createCompilerDiagnostic(getWatchErrorSummaryDiagnosticMessage(errorCount), errorCount),
              newLine,
              compilerOptions,
              errorCount
            )
          );
        };
        return result;
      }
      function reportUnrecoverableDiagnostic(system, reportDiagnostic, diagnostic) {
        reportDiagnostic(diagnostic);
        system.exit(
          1
          /* DiagnosticsPresent_OutputsSkipped */
        );
      }
      function createWatchCompilerHostOfConfigFile({
        configFileName,
        optionsToExtend,
        watchOptionsToExtend,
        extraFileExtensions,
        system,
        createProgram: createProgram2,
        reportDiagnostic,
        reportWatchStatus: reportWatchStatus2
      }) {
        const diagnosticReporter = reportDiagnostic || createDiagnosticReporter(system);
        const host = createWatchCompilerHost(system, createProgram2, diagnosticReporter, reportWatchStatus2);
        host.onUnRecoverableConfigFileDiagnostic = (diagnostic) => reportUnrecoverableDiagnostic(system, diagnosticReporter, diagnostic);
        host.configFileName = configFileName;
        host.optionsToExtend = optionsToExtend;
        host.watchOptionsToExtend = watchOptionsToExtend;
        host.extraFileExtensions = extraFileExtensions;
        return host;
      }
      function createWatchCompilerHostOfFilesAndCompilerOptions({
        rootFiles: rootFiles2,
        options,
        watchOptions,
        projectReferences,
        system,
        createProgram: createProgram2,
        reportDiagnostic,
        reportWatchStatus: reportWatchStatus2
      }) {
        const host = createWatchCompilerHost(system, createProgram2, reportDiagnostic || createDiagnosticReporter(system), reportWatchStatus2);
        host.rootFiles = rootFiles2;
        host.options = options;
        host.watchOptions = watchOptions;
        host.projectReferences = projectReferences;
        return host;
      }
      function performIncrementalCompilation(input) {
        const system = input.system || sys;
        const host = input.host || (input.host = createIncrementalCompilerHost(input.options, system));
        const builderProgram = createIncrementalProgram(input);
        const exitStatus = emitFilesAndReportErrorsAndGetExitStatus(
          builderProgram,
          input.reportDiagnostic || createDiagnosticReporter(system),
          (s) => host.trace && host.trace(s),
          input.reportErrorSummary || input.options.pretty ? (errorCount, filesInError) => system.write(getErrorSummaryText(errorCount, filesInError, system.newLine, host)) : void 0
        );
        if (input.afterProgramEmitAndDiagnostics) input.afterProgramEmitAndDiagnostics(builderProgram);
        return exitStatus;
      }
      function readBuilderProgram(compilerOptions, host) {
        const buildInfoPath = getTsBuildInfoEmitOutputFilePath(compilerOptions);
        if (!buildInfoPath) return void 0;
        let buildInfo;
        if (host.getBuildInfo) {
          buildInfo = host.getBuildInfo(buildInfoPath, compilerOptions.configFilePath);
        } else {
          const content = host.readFile(buildInfoPath);
          if (!content) return void 0;
          buildInfo = getBuildInfo(buildInfoPath, content);
        }
        if (!buildInfo || buildInfo.version !== version || !buildInfo.program) return void 0;
        return createBuilderProgramUsingProgramBuildInfo(buildInfo, buildInfoPath, host);
      }
      function createIncrementalCompilerHost(options, system = sys) {
        const host = createCompilerHostWorker(
          options,
          /*setParentNodes*/
          void 0,
          system
        );
        host.createHash = maybeBind(system, system.createHash);
        host.storeSignatureInfo = system.storeSignatureInfo;
        setGetSourceFileAsHashVersioned(host);
        changeCompilerHostLikeToUseCache(host, (fileName) => toPath3(fileName, host.getCurrentDirectory(), host.getCanonicalFileName));
        return host;
      }
      function createIncrementalProgram({
        rootNames,
        options,
        configFileParsingDiagnostics,
        projectReferences,
        host,
        createProgram: createProgram2
      }) {
        host = host || createIncrementalCompilerHost(options);
        createProgram2 = createProgram2 || createEmitAndSemanticDiagnosticsBuilderProgram;
        const oldProgram = readBuilderProgram(options, host);
        return createProgram2(rootNames, options, host, oldProgram, configFileParsingDiagnostics, projectReferences);
      }
      function createWatchCompilerHost2(rootFilesOrConfigFileName, options, system, createProgram2, reportDiagnostic, reportWatchStatus2, projectReferencesOrWatchOptionsToExtend, watchOptionsOrExtraFileExtensions) {
        if (isArray3(rootFilesOrConfigFileName)) {
          return createWatchCompilerHostOfFilesAndCompilerOptions({
            rootFiles: rootFilesOrConfigFileName,
            options,
            watchOptions: watchOptionsOrExtraFileExtensions,
            projectReferences: projectReferencesOrWatchOptionsToExtend,
            system,
            createProgram: createProgram2,
            reportDiagnostic,
            reportWatchStatus: reportWatchStatus2
          });
        } else {
          return createWatchCompilerHostOfConfigFile({
            configFileName: rootFilesOrConfigFileName,
            optionsToExtend: options,
            watchOptionsToExtend: projectReferencesOrWatchOptionsToExtend,
            extraFileExtensions: watchOptionsOrExtraFileExtensions,
            system,
            createProgram: createProgram2,
            reportDiagnostic,
            reportWatchStatus: reportWatchStatus2
          });
        }
      }
      function createWatchProgram(host) {
        let builderProgram;
        let updateLevel;
        let missingFilesMap;
        let watchedWildcardDirectories;
        let timerToUpdateProgram;
        let timerToInvalidateFailedLookupResolutions;
        let parsedConfigs;
        let sharedExtendedConfigFileWatchers;
        let extendedConfigCache = host.extendedConfigCache;
        let reportFileChangeDetectedOnCreateProgram = false;
        const sourceFilesCache = /* @__PURE__ */ new Map();
        let missingFilePathsRequestedForRelease;
        let hasChangedCompilerOptions = false;
        const useCaseSensitiveFileNames2 = host.useCaseSensitiveFileNames();
        const currentDirectory = host.getCurrentDirectory();
        const { configFileName, optionsToExtend: optionsToExtendForConfigFile = {}, watchOptionsToExtend, extraFileExtensions, createProgram: createProgram2 } = host;
        let { rootFiles: rootFileNames, options: compilerOptions, watchOptions, projectReferences } = host;
        let wildcardDirectories;
        let configFileParsingDiagnostics;
        let canConfigFileJsonReportNoInputFiles = false;
        let hasChangedConfigFileParsingErrors = false;
        const cachedDirectoryStructureHost = configFileName === void 0 ? void 0 : createCachedDirectoryStructureHost(host, currentDirectory, useCaseSensitiveFileNames2);
        const directoryStructureHost = cachedDirectoryStructureHost || host;
        const parseConfigFileHost = parseConfigHostFromCompilerHostLike(host, directoryStructureHost);
        let newLine = updateNewLine();
        if (configFileName && host.configFileParsingResult) {
          setConfigFileParsingResult(host.configFileParsingResult);
          newLine = updateNewLine();
        }
        reportWatchDiagnostic(Diagnostics.Starting_compilation_in_watch_mode);
        if (configFileName && !host.configFileParsingResult) {
          newLine = getNewLineCharacter(optionsToExtendForConfigFile);
          Debug.assert(!rootFileNames);
          parseConfigFile2();
          newLine = updateNewLine();
        }
        Debug.assert(compilerOptions);
        Debug.assert(rootFileNames);
        const { watchFile: watchFile2, watchDirectory, writeLog } = createWatchFactory(host, compilerOptions);
        const getCanonicalFileName = createGetCanonicalFileName(useCaseSensitiveFileNames2);
        writeLog(`Current directory: ${currentDirectory} CaseSensitiveFileNames: ${useCaseSensitiveFileNames2}`);
        let configFileWatcher;
        if (configFileName) {
          configFileWatcher = watchFile2(configFileName, scheduleProgramReload, 2e3, watchOptions, WatchType.ConfigFile);
        }
        const compilerHost = createCompilerHostFromProgramHost(host, () => compilerOptions, directoryStructureHost);
        setGetSourceFileAsHashVersioned(compilerHost);
        const getNewSourceFile = compilerHost.getSourceFile;
        compilerHost.getSourceFile = (fileName, ...args) => getVersionedSourceFileByPath(fileName, toPath32(fileName), ...args);
        compilerHost.getSourceFileByPath = getVersionedSourceFileByPath;
        compilerHost.getNewLine = () => newLine;
        compilerHost.fileExists = fileExists;
        compilerHost.onReleaseOldSourceFile = onReleaseOldSourceFile;
        compilerHost.onReleaseParsedCommandLine = onReleaseParsedCommandLine;
        compilerHost.toPath = toPath32;
        compilerHost.getCompilationSettings = () => compilerOptions;
        compilerHost.useSourceOfProjectReferenceRedirect = maybeBind(host, host.useSourceOfProjectReferenceRedirect);
        compilerHost.watchDirectoryOfFailedLookupLocation = (dir, cb, flags) => watchDirectory(dir, cb, flags, watchOptions, WatchType.FailedLookupLocations);
        compilerHost.watchAffectingFileLocation = (file, cb) => watchFile2(file, cb, 2e3, watchOptions, WatchType.AffectingFileLocation);
        compilerHost.watchTypeRootsDirectory = (dir, cb, flags) => watchDirectory(dir, cb, flags, watchOptions, WatchType.TypeRoots);
        compilerHost.getCachedDirectoryStructureHost = () => cachedDirectoryStructureHost;
        compilerHost.scheduleInvalidateResolutionsOfFailedLookupLocations = scheduleInvalidateResolutionsOfFailedLookupLocations;
        compilerHost.onInvalidatedResolution = scheduleProgramUpdate;
        compilerHost.onChangedAutomaticTypeDirectiveNames = scheduleProgramUpdate;
        compilerHost.fileIsOpen = returnFalse;
        compilerHost.getCurrentProgram = getCurrentProgram;
        compilerHost.writeLog = writeLog;
        compilerHost.getParsedCommandLine = getParsedCommandLine;
        const resolutionCache = createResolutionCache(
          compilerHost,
          configFileName ? getDirectoryPath(getNormalizedAbsolutePath(configFileName, currentDirectory)) : currentDirectory,
          /*logChangesWhenResolvingModule*/
          false
        );
        compilerHost.resolveModuleNameLiterals = maybeBind(host, host.resolveModuleNameLiterals);
        compilerHost.resolveModuleNames = maybeBind(host, host.resolveModuleNames);
        if (!compilerHost.resolveModuleNameLiterals && !compilerHost.resolveModuleNames) {
          compilerHost.resolveModuleNameLiterals = resolutionCache.resolveModuleNameLiterals.bind(resolutionCache);
        }
        compilerHost.resolveTypeReferenceDirectiveReferences = maybeBind(host, host.resolveTypeReferenceDirectiveReferences);
        compilerHost.resolveTypeReferenceDirectives = maybeBind(host, host.resolveTypeReferenceDirectives);
        if (!compilerHost.resolveTypeReferenceDirectiveReferences && !compilerHost.resolveTypeReferenceDirectives) {
          compilerHost.resolveTypeReferenceDirectiveReferences = resolutionCache.resolveTypeReferenceDirectiveReferences.bind(resolutionCache);
        }
        compilerHost.resolveLibrary = !host.resolveLibrary ? resolutionCache.resolveLibrary.bind(resolutionCache) : host.resolveLibrary.bind(host);
        compilerHost.getModuleResolutionCache = host.resolveModuleNameLiterals || host.resolveModuleNames ? maybeBind(host, host.getModuleResolutionCache) : () => resolutionCache.getModuleResolutionCache();
        const userProvidedResolution = !!host.resolveModuleNameLiterals || !!host.resolveTypeReferenceDirectiveReferences || !!host.resolveModuleNames || !!host.resolveTypeReferenceDirectives;
        const customHasInvalidatedResolutions = userProvidedResolution ? maybeBind(host, host.hasInvalidatedResolutions) || returnTrue : returnFalse;
        const customHasInvalidLibResolutions = host.resolveLibrary ? maybeBind(host, host.hasInvalidatedLibResolutions) || returnTrue : returnFalse;
        builderProgram = readBuilderProgram(compilerOptions, compilerHost);
        synchronizeProgram();
        watchConfigFileWildCardDirectories();
        if (configFileName) updateExtendedConfigFilesWatches(toPath32(configFileName), compilerOptions, watchOptions, WatchType.ExtendedConfigFile);
        return configFileName ? { getCurrentProgram: getCurrentBuilderProgram, getProgram: updateProgram, close, getResolutionCache } : { getCurrentProgram: getCurrentBuilderProgram, getProgram: updateProgram, updateRootFileNames, close, getResolutionCache };
        function close() {
          clearInvalidateResolutionsOfFailedLookupLocations();
          resolutionCache.clear();
          clearMap(sourceFilesCache, (value) => {
            if (value && value.fileWatcher) {
              value.fileWatcher.close();
              value.fileWatcher = void 0;
            }
          });
          if (configFileWatcher) {
            configFileWatcher.close();
            configFileWatcher = void 0;
          }
          extendedConfigCache == null ? void 0 : extendedConfigCache.clear();
          extendedConfigCache = void 0;
          if (sharedExtendedConfigFileWatchers) {
            clearMap(sharedExtendedConfigFileWatchers, closeFileWatcherOf);
            sharedExtendedConfigFileWatchers = void 0;
          }
          if (watchedWildcardDirectories) {
            clearMap(watchedWildcardDirectories, closeFileWatcherOf);
            watchedWildcardDirectories = void 0;
          }
          if (missingFilesMap) {
            clearMap(missingFilesMap, closeFileWatcher);
            missingFilesMap = void 0;
          }
          if (parsedConfigs) {
            clearMap(parsedConfigs, (config7) => {
              var _a;
              (_a = config7.watcher) == null ? void 0 : _a.close();
              config7.watcher = void 0;
              if (config7.watchedDirectories) clearMap(config7.watchedDirectories, closeFileWatcherOf);
              config7.watchedDirectories = void 0;
            });
            parsedConfigs = void 0;
          }
          builderProgram = void 0;
        }
        function getResolutionCache() {
          return resolutionCache;
        }
        function getCurrentBuilderProgram() {
          return builderProgram;
        }
        function getCurrentProgram() {
          return builderProgram && builderProgram.getProgramOrUndefined();
        }
        function synchronizeProgram() {
          writeLog(`Synchronizing program`);
          Debug.assert(compilerOptions);
          Debug.assert(rootFileNames);
          clearInvalidateResolutionsOfFailedLookupLocations();
          const program = getCurrentBuilderProgram();
          if (hasChangedCompilerOptions) {
            newLine = updateNewLine();
            if (program && changesAffectModuleResolution(program.getCompilerOptions(), compilerOptions)) {
              resolutionCache.onChangesAffectModuleResolution();
            }
          }
          const { hasInvalidatedResolutions, hasInvalidatedLibResolutions } = resolutionCache.createHasInvalidatedResolutions(customHasInvalidatedResolutions, customHasInvalidLibResolutions);
          const {
            originalReadFile,
            originalFileExists,
            originalDirectoryExists,
            originalCreateDirectory,
            originalWriteFile,
            readFileWithCache
          } = changeCompilerHostLikeToUseCache(compilerHost, toPath32);
          if (isProgramUptoDate(getCurrentProgram(), rootFileNames, compilerOptions, (path17) => getSourceVersion(path17, readFileWithCache), (fileName) => compilerHost.fileExists(fileName), hasInvalidatedResolutions, hasInvalidatedLibResolutions, hasChangedAutomaticTypeDirectiveNames, getParsedCommandLine, projectReferences)) {
            if (hasChangedConfigFileParsingErrors) {
              if (reportFileChangeDetectedOnCreateProgram) {
                reportWatchDiagnostic(Diagnostics.File_change_detected_Starting_incremental_compilation);
              }
              builderProgram = createProgram2(
                /*rootNames*/
                void 0,
                /*options*/
                void 0,
                compilerHost,
                builderProgram,
                configFileParsingDiagnostics,
                projectReferences
              );
              hasChangedConfigFileParsingErrors = false;
            }
          } else {
            if (reportFileChangeDetectedOnCreateProgram) {
              reportWatchDiagnostic(Diagnostics.File_change_detected_Starting_incremental_compilation);
            }
            createNewProgram(hasInvalidatedResolutions, hasInvalidatedLibResolutions);
          }
          reportFileChangeDetectedOnCreateProgram = false;
          if (host.afterProgramCreate && program !== builderProgram) {
            host.afterProgramCreate(builderProgram);
          }
          compilerHost.readFile = originalReadFile;
          compilerHost.fileExists = originalFileExists;
          compilerHost.directoryExists = originalDirectoryExists;
          compilerHost.createDirectory = originalCreateDirectory;
          compilerHost.writeFile = originalWriteFile;
          return builderProgram;
        }
        function createNewProgram(hasInvalidatedResolutions, hasInvalidatedLibResolutions) {
          writeLog("CreatingProgramWith::");
          writeLog(`  roots: ${JSON.stringify(rootFileNames)}`);
          writeLog(`  options: ${JSON.stringify(compilerOptions)}`);
          if (projectReferences) writeLog(`  projectReferences: ${JSON.stringify(projectReferences)}`);
          const needsUpdateInTypeRootWatch = hasChangedCompilerOptions || !getCurrentProgram();
          hasChangedCompilerOptions = false;
          hasChangedConfigFileParsingErrors = false;
          resolutionCache.startCachingPerDirectoryResolution();
          compilerHost.hasInvalidatedResolutions = hasInvalidatedResolutions;
          compilerHost.hasInvalidatedLibResolutions = hasInvalidatedLibResolutions;
          compilerHost.hasChangedAutomaticTypeDirectiveNames = hasChangedAutomaticTypeDirectiveNames;
          const oldProgram = getCurrentProgram();
          builderProgram = createProgram2(rootFileNames, compilerOptions, compilerHost, builderProgram, configFileParsingDiagnostics, projectReferences);
          resolutionCache.finishCachingPerDirectoryResolution(builderProgram.getProgram(), oldProgram);
          updateMissingFilePathsWatch(
            builderProgram.getProgram(),
            missingFilesMap || (missingFilesMap = /* @__PURE__ */ new Map()),
            watchMissingFilePath
          );
          if (needsUpdateInTypeRootWatch) {
            resolutionCache.updateTypeRootsWatch();
          }
          if (missingFilePathsRequestedForRelease) {
            for (const missingFilePath of missingFilePathsRequestedForRelease) {
              if (!missingFilesMap.has(missingFilePath)) {
                sourceFilesCache.delete(missingFilePath);
              }
            }
            missingFilePathsRequestedForRelease = void 0;
          }
        }
        function updateRootFileNames(files) {
          Debug.assert(!configFileName, "Cannot update root file names with config file watch mode");
          rootFileNames = files;
          scheduleProgramUpdate();
        }
        function updateNewLine() {
          return getNewLineCharacter(compilerOptions || optionsToExtendForConfigFile);
        }
        function toPath32(fileName) {
          return toPath3(fileName, currentDirectory, getCanonicalFileName);
        }
        function isFileMissingOnHost(hostSourceFile) {
          return typeof hostSourceFile === "boolean";
        }
        function isFilePresenceUnknownOnHost(hostSourceFile) {
          return typeof hostSourceFile.version === "boolean";
        }
        function fileExists(fileName) {
          const path17 = toPath32(fileName);
          if (isFileMissingOnHost(sourceFilesCache.get(path17))) {
            return false;
          }
          return directoryStructureHost.fileExists(fileName);
        }
        function getVersionedSourceFileByPath(fileName, path17, languageVersionOrOptions, onError, shouldCreateNewSourceFile) {
          const hostSourceFile = sourceFilesCache.get(path17);
          if (isFileMissingOnHost(hostSourceFile)) {
            return void 0;
          }
          const impliedNodeFormat = typeof languageVersionOrOptions === "object" ? languageVersionOrOptions.impliedNodeFormat : void 0;
          if (hostSourceFile === void 0 || shouldCreateNewSourceFile || isFilePresenceUnknownOnHost(hostSourceFile) || hostSourceFile.sourceFile.impliedNodeFormat !== impliedNodeFormat) {
            const sourceFile = getNewSourceFile(fileName, languageVersionOrOptions, onError);
            if (hostSourceFile) {
              if (sourceFile) {
                hostSourceFile.sourceFile = sourceFile;
                hostSourceFile.version = sourceFile.version;
                if (!hostSourceFile.fileWatcher) {
                  hostSourceFile.fileWatcher = watchFilePath(path17, fileName, onSourceFileChange, 250, watchOptions, WatchType.SourceFile);
                }
              } else {
                if (hostSourceFile.fileWatcher) {
                  hostSourceFile.fileWatcher.close();
                }
                sourceFilesCache.set(path17, false);
              }
            } else {
              if (sourceFile) {
                const fileWatcher = watchFilePath(path17, fileName, onSourceFileChange, 250, watchOptions, WatchType.SourceFile);
                sourceFilesCache.set(path17, { sourceFile, version: sourceFile.version, fileWatcher });
              } else {
                sourceFilesCache.set(path17, false);
              }
            }
            return sourceFile;
          }
          return hostSourceFile.sourceFile;
        }
        function nextSourceFileVersion(path17) {
          const hostSourceFile = sourceFilesCache.get(path17);
          if (hostSourceFile !== void 0) {
            if (isFileMissingOnHost(hostSourceFile)) {
              sourceFilesCache.set(path17, { version: false });
            } else {
              hostSourceFile.version = false;
            }
          }
        }
        function getSourceVersion(path17, readFileWithCache) {
          const hostSourceFile = sourceFilesCache.get(path17);
          if (!hostSourceFile) return void 0;
          if (hostSourceFile.version) return hostSourceFile.version;
          const text = readFileWithCache(path17);
          return text !== void 0 ? getSourceFileVersionAsHashFromText(compilerHost, text) : void 0;
        }
        function onReleaseOldSourceFile(oldSourceFile, _oldOptions, hasSourceFileByPath) {
          const hostSourceFileInfo = sourceFilesCache.get(oldSourceFile.resolvedPath);
          if (hostSourceFileInfo !== void 0) {
            if (isFileMissingOnHost(hostSourceFileInfo)) {
              (missingFilePathsRequestedForRelease || (missingFilePathsRequestedForRelease = [])).push(oldSourceFile.path);
            } else if (hostSourceFileInfo.sourceFile === oldSourceFile) {
              if (hostSourceFileInfo.fileWatcher) {
                hostSourceFileInfo.fileWatcher.close();
              }
              sourceFilesCache.delete(oldSourceFile.resolvedPath);
              if (!hasSourceFileByPath) {
                resolutionCache.removeResolutionsOfFile(oldSourceFile.path);
              }
            }
          }
        }
        function reportWatchDiagnostic(message) {
          if (host.onWatchStatusChange) {
            host.onWatchStatusChange(createCompilerDiagnostic(message), newLine, compilerOptions || optionsToExtendForConfigFile);
          }
        }
        function hasChangedAutomaticTypeDirectiveNames() {
          return resolutionCache.hasChangedAutomaticTypeDirectiveNames();
        }
        function clearInvalidateResolutionsOfFailedLookupLocations() {
          if (!timerToInvalidateFailedLookupResolutions) return false;
          host.clearTimeout(timerToInvalidateFailedLookupResolutions);
          timerToInvalidateFailedLookupResolutions = void 0;
          return true;
        }
        function scheduleInvalidateResolutionsOfFailedLookupLocations() {
          if (!host.setTimeout || !host.clearTimeout) {
            return resolutionCache.invalidateResolutionsOfFailedLookupLocations();
          }
          const pending = clearInvalidateResolutionsOfFailedLookupLocations();
          writeLog(`Scheduling invalidateFailedLookup${pending ? ", Cancelled earlier one" : ""}`);
          timerToInvalidateFailedLookupResolutions = host.setTimeout(invalidateResolutionsOfFailedLookup, 250, "timerToInvalidateFailedLookupResolutions");
        }
        function invalidateResolutionsOfFailedLookup() {
          timerToInvalidateFailedLookupResolutions = void 0;
          if (resolutionCache.invalidateResolutionsOfFailedLookupLocations()) {
            scheduleProgramUpdate();
          }
        }
        function scheduleProgramUpdate() {
          if (!host.setTimeout || !host.clearTimeout) {
            return;
          }
          if (timerToUpdateProgram) {
            host.clearTimeout(timerToUpdateProgram);
          }
          writeLog("Scheduling update");
          timerToUpdateProgram = host.setTimeout(updateProgramWithWatchStatus, 250, "timerToUpdateProgram");
        }
        function scheduleProgramReload() {
          Debug.assert(!!configFileName);
          updateLevel = 2;
          scheduleProgramUpdate();
        }
        function updateProgramWithWatchStatus() {
          timerToUpdateProgram = void 0;
          reportFileChangeDetectedOnCreateProgram = true;
          updateProgram();
        }
        function updateProgram() {
          var _a, _b, _c, _d;
          switch (updateLevel) {
            case 1:
              (_a = perfLogger) == null ? void 0 : _a.logStartUpdateProgram("PartialConfigReload");
              reloadFileNamesFromConfigFile();
              break;
            case 2:
              (_b = perfLogger) == null ? void 0 : _b.logStartUpdateProgram("FullConfigReload");
              reloadConfigFile();
              break;
            default:
              (_c = perfLogger) == null ? void 0 : _c.logStartUpdateProgram("SynchronizeProgram");
              synchronizeProgram();
              break;
          }
          (_d = perfLogger) == null ? void 0 : _d.logStopUpdateProgram("Done");
          return getCurrentBuilderProgram();
        }
        function reloadFileNamesFromConfigFile() {
          writeLog("Reloading new file names and options");
          Debug.assert(compilerOptions);
          Debug.assert(configFileName);
          updateLevel = 0;
          rootFileNames = getFileNamesFromConfigSpecs(compilerOptions.configFile.configFileSpecs, getNormalizedAbsolutePath(getDirectoryPath(configFileName), currentDirectory), compilerOptions, parseConfigFileHost, extraFileExtensions);
          if (updateErrorForNoInputFiles(rootFileNames, getNormalizedAbsolutePath(configFileName, currentDirectory), compilerOptions.configFile.configFileSpecs, configFileParsingDiagnostics, canConfigFileJsonReportNoInputFiles)) {
            hasChangedConfigFileParsingErrors = true;
          }
          synchronizeProgram();
        }
        function reloadConfigFile() {
          Debug.assert(configFileName);
          writeLog(`Reloading config file: ${configFileName}`);
          updateLevel = 0;
          if (cachedDirectoryStructureHost) {
            cachedDirectoryStructureHost.clearCache();
          }
          parseConfigFile2();
          hasChangedCompilerOptions = true;
          synchronizeProgram();
          watchConfigFileWildCardDirectories();
          updateExtendedConfigFilesWatches(toPath32(configFileName), compilerOptions, watchOptions, WatchType.ExtendedConfigFile);
        }
        function parseConfigFile2() {
          Debug.assert(configFileName);
          setConfigFileParsingResult(
            getParsedCommandLineOfConfigFile(
              configFileName,
              optionsToExtendForConfigFile,
              parseConfigFileHost,
              extendedConfigCache || (extendedConfigCache = /* @__PURE__ */ new Map()),
              watchOptionsToExtend,
              extraFileExtensions
            )
          );
        }
        function setConfigFileParsingResult(configFileParseResult) {
          rootFileNames = configFileParseResult.fileNames;
          compilerOptions = configFileParseResult.options;
          watchOptions = configFileParseResult.watchOptions;
          projectReferences = configFileParseResult.projectReferences;
          wildcardDirectories = configFileParseResult.wildcardDirectories;
          configFileParsingDiagnostics = getConfigFileParsingDiagnostics(configFileParseResult).slice();
          canConfigFileJsonReportNoInputFiles = canJsonReportNoInputFiles(configFileParseResult.raw);
          hasChangedConfigFileParsingErrors = true;
        }
        function getParsedCommandLine(configFileName2) {
          const configPath = toPath32(configFileName2);
          let config7 = parsedConfigs == null ? void 0 : parsedConfigs.get(configPath);
          if (config7) {
            if (!config7.updateLevel) return config7.parsedCommandLine;
            if (config7.parsedCommandLine && config7.updateLevel === 1 && !host.getParsedCommandLine) {
              writeLog("Reloading new file names and options");
              Debug.assert(compilerOptions);
              const fileNames = getFileNamesFromConfigSpecs(
                config7.parsedCommandLine.options.configFile.configFileSpecs,
                getNormalizedAbsolutePath(getDirectoryPath(configFileName2), currentDirectory),
                compilerOptions,
                parseConfigFileHost
              );
              config7.parsedCommandLine = { ...config7.parsedCommandLine, fileNames };
              config7.updateLevel = void 0;
              return config7.parsedCommandLine;
            }
          }
          writeLog(`Loading config file: ${configFileName2}`);
          const parsedCommandLine = host.getParsedCommandLine ? host.getParsedCommandLine(configFileName2) : getParsedCommandLineFromConfigFileHost(configFileName2);
          if (config7) {
            config7.parsedCommandLine = parsedCommandLine;
            config7.updateLevel = void 0;
          } else {
            (parsedConfigs || (parsedConfigs = /* @__PURE__ */ new Map())).set(configPath, config7 = { parsedCommandLine });
          }
          watchReferencedProject(configFileName2, configPath, config7);
          return parsedCommandLine;
        }
        function getParsedCommandLineFromConfigFileHost(configFileName2) {
          const onUnRecoverableConfigFileDiagnostic = parseConfigFileHost.onUnRecoverableConfigFileDiagnostic;
          parseConfigFileHost.onUnRecoverableConfigFileDiagnostic = noop2;
          const parsedCommandLine = getParsedCommandLineOfConfigFile(
            configFileName2,
            /*optionsToExtend*/
            void 0,
            parseConfigFileHost,
            extendedConfigCache || (extendedConfigCache = /* @__PURE__ */ new Map()),
            watchOptionsToExtend
          );
          parseConfigFileHost.onUnRecoverableConfigFileDiagnostic = onUnRecoverableConfigFileDiagnostic;
          return parsedCommandLine;
        }
        function onReleaseParsedCommandLine(fileName) {
          var _a;
          const path17 = toPath32(fileName);
          const config7 = parsedConfigs == null ? void 0 : parsedConfigs.get(path17);
          if (!config7) return;
          parsedConfigs.delete(path17);
          if (config7.watchedDirectories) clearMap(config7.watchedDirectories, closeFileWatcherOf);
          (_a = config7.watcher) == null ? void 0 : _a.close();
          clearSharedExtendedConfigFileWatcher(path17, sharedExtendedConfigFileWatchers);
        }
        function watchFilePath(path17, file, callback, pollingInterval, options, watchType) {
          return watchFile2(file, (fileName, eventKind) => callback(fileName, eventKind, path17), pollingInterval, options, watchType);
        }
        function onSourceFileChange(fileName, eventKind, path17) {
          updateCachedSystemWithFile(fileName, path17, eventKind);
          if (eventKind === 2 && sourceFilesCache.has(path17)) {
            resolutionCache.invalidateResolutionOfFile(path17);
          }
          nextSourceFileVersion(path17);
          scheduleProgramUpdate();
        }
        function updateCachedSystemWithFile(fileName, path17, eventKind) {
          if (cachedDirectoryStructureHost) {
            cachedDirectoryStructureHost.addOrDeleteFile(fileName, path17, eventKind);
          }
        }
        function watchMissingFilePath(missingFilePath, missingFileName) {
          return (parsedConfigs == null ? void 0 : parsedConfigs.has(missingFilePath)) ? noopFileWatcher : watchFilePath(
            missingFilePath,
            missingFileName,
            onMissingFileChange,
            500,
            watchOptions,
            WatchType.MissingFile
          );
        }
        function onMissingFileChange(fileName, eventKind, missingFilePath) {
          updateCachedSystemWithFile(fileName, missingFilePath, eventKind);
          if (eventKind === 0 && missingFilesMap.has(missingFilePath)) {
            missingFilesMap.get(missingFilePath).close();
            missingFilesMap.delete(missingFilePath);
            nextSourceFileVersion(missingFilePath);
            scheduleProgramUpdate();
          }
        }
        function watchConfigFileWildCardDirectories() {
          updateWatchingWildcardDirectories(
            watchedWildcardDirectories || (watchedWildcardDirectories = /* @__PURE__ */ new Map()),
            wildcardDirectories,
            watchWildcardDirectory
          );
        }
        function watchWildcardDirectory(directory, flags) {
          return watchDirectory(
            directory,
            (fileOrDirectory) => {
              Debug.assert(configFileName);
              Debug.assert(compilerOptions);
              const fileOrDirectoryPath = toPath32(fileOrDirectory);
              if (cachedDirectoryStructureHost) {
                cachedDirectoryStructureHost.addOrDeleteFileOrDirectory(fileOrDirectory, fileOrDirectoryPath);
              }
              nextSourceFileVersion(fileOrDirectoryPath);
              if (isIgnoredFileFromWildCardWatching({
                watchedDirPath: toPath32(directory),
                fileOrDirectory,
                fileOrDirectoryPath,
                configFileName,
                extraFileExtensions,
                options: compilerOptions,
                program: getCurrentBuilderProgram() || rootFileNames,
                currentDirectory,
                useCaseSensitiveFileNames: useCaseSensitiveFileNames2,
                writeLog,
                toPath: toPath32
              })) return;
              if (updateLevel !== 2) {
                updateLevel = 1;
                scheduleProgramUpdate();
              }
            },
            flags,
            watchOptions,
            WatchType.WildcardDirectory
          );
        }
        function updateExtendedConfigFilesWatches(forProjectPath, options, watchOptions2, watchType) {
          updateSharedExtendedConfigFileWatcher(
            forProjectPath,
            options,
            sharedExtendedConfigFileWatchers || (sharedExtendedConfigFileWatchers = /* @__PURE__ */ new Map()),
            (extendedConfigFileName, extendedConfigFilePath) => watchFile2(
              extendedConfigFileName,
              (_fileName, eventKind) => {
                var _a;
                updateCachedSystemWithFile(extendedConfigFileName, extendedConfigFilePath, eventKind);
                if (extendedConfigCache) cleanExtendedConfigCache(extendedConfigCache, extendedConfigFilePath, toPath32);
                const projects = (_a = sharedExtendedConfigFileWatchers.get(extendedConfigFilePath)) == null ? void 0 : _a.projects;
                if (!(projects == null ? void 0 : projects.size)) return;
                projects.forEach((projectPath) => {
                  if (configFileName && toPath32(configFileName) === projectPath) {
                    updateLevel = 2;
                  } else {
                    const config7 = parsedConfigs == null ? void 0 : parsedConfigs.get(projectPath);
                    if (config7) config7.updateLevel = 2;
                    resolutionCache.removeResolutionsFromProjectReferenceRedirects(projectPath);
                  }
                  scheduleProgramUpdate();
                });
              },
              2e3,
              watchOptions2,
              watchType
            ),
            toPath32
          );
        }
        function watchReferencedProject(configFileName2, configPath, commandLine) {
          var _a, _b, _c, _d;
          commandLine.watcher || (commandLine.watcher = watchFile2(
            configFileName2,
            (_fileName, eventKind) => {
              updateCachedSystemWithFile(configFileName2, configPath, eventKind);
              const config7 = parsedConfigs == null ? void 0 : parsedConfigs.get(configPath);
              if (config7) config7.updateLevel = 2;
              resolutionCache.removeResolutionsFromProjectReferenceRedirects(configPath);
              scheduleProgramUpdate();
            },
            2e3,
            ((_a = commandLine.parsedCommandLine) == null ? void 0 : _a.watchOptions) || watchOptions,
            WatchType.ConfigFileOfReferencedProject
          ));
          updateWatchingWildcardDirectories(
            commandLine.watchedDirectories || (commandLine.watchedDirectories = /* @__PURE__ */ new Map()),
            (_b = commandLine.parsedCommandLine) == null ? void 0 : _b.wildcardDirectories,
            (directory, flags) => {
              var _a2;
              return watchDirectory(
                directory,
                (fileOrDirectory) => {
                  const fileOrDirectoryPath = toPath32(fileOrDirectory);
                  if (cachedDirectoryStructureHost) {
                    cachedDirectoryStructureHost.addOrDeleteFileOrDirectory(fileOrDirectory, fileOrDirectoryPath);
                  }
                  nextSourceFileVersion(fileOrDirectoryPath);
                  const config7 = parsedConfigs == null ? void 0 : parsedConfigs.get(configPath);
                  if (!(config7 == null ? void 0 : config7.parsedCommandLine)) return;
                  if (isIgnoredFileFromWildCardWatching({
                    watchedDirPath: toPath32(directory),
                    fileOrDirectory,
                    fileOrDirectoryPath,
                    configFileName: configFileName2,
                    options: config7.parsedCommandLine.options,
                    program: config7.parsedCommandLine.fileNames,
                    currentDirectory,
                    useCaseSensitiveFileNames: useCaseSensitiveFileNames2,
                    writeLog,
                    toPath: toPath32
                  })) return;
                  if (config7.updateLevel !== 2) {
                    config7.updateLevel = 1;
                    scheduleProgramUpdate();
                  }
                },
                flags,
                ((_a2 = commandLine.parsedCommandLine) == null ? void 0 : _a2.watchOptions) || watchOptions,
                WatchType.WildcardDirectoryOfReferencedProject
              );
            }
          );
          updateExtendedConfigFilesWatches(
            configPath,
            (_c = commandLine.parsedCommandLine) == null ? void 0 : _c.options,
            ((_d = commandLine.parsedCommandLine) == null ? void 0 : _d.watchOptions) || watchOptions,
            WatchType.ExtendedConfigOfReferencedProject
          );
        }
      }
      var UpToDateStatusType = /* @__PURE__ */ ((UpToDateStatusType2) => {
        UpToDateStatusType2[UpToDateStatusType2["Unbuildable"] = 0] = "Unbuildable";
        UpToDateStatusType2[UpToDateStatusType2["UpToDate"] = 1] = "UpToDate";
        UpToDateStatusType2[UpToDateStatusType2["UpToDateWithUpstreamTypes"] = 2] = "UpToDateWithUpstreamTypes";
        UpToDateStatusType2[UpToDateStatusType2["OutputMissing"] = 3] = "OutputMissing";
        UpToDateStatusType2[UpToDateStatusType2["ErrorReadingFile"] = 4] = "ErrorReadingFile";
        UpToDateStatusType2[UpToDateStatusType2["OutOfDateWithSelf"] = 5] = "OutOfDateWithSelf";
        UpToDateStatusType2[UpToDateStatusType2["OutOfDateWithUpstream"] = 6] = "OutOfDateWithUpstream";
        UpToDateStatusType2[UpToDateStatusType2["OutOfDateBuildInfo"] = 7] = "OutOfDateBuildInfo";
        UpToDateStatusType2[UpToDateStatusType2["OutOfDateOptions"] = 8] = "OutOfDateOptions";
        UpToDateStatusType2[UpToDateStatusType2["OutOfDateRoots"] = 9] = "OutOfDateRoots";
        UpToDateStatusType2[UpToDateStatusType2["UpstreamOutOfDate"] = 10] = "UpstreamOutOfDate";
        UpToDateStatusType2[UpToDateStatusType2["UpstreamBlocked"] = 11] = "UpstreamBlocked";
        UpToDateStatusType2[UpToDateStatusType2["ComputingUpstream"] = 12] = "ComputingUpstream";
        UpToDateStatusType2[UpToDateStatusType2["TsVersionOutputOfDate"] = 13] = "TsVersionOutputOfDate";
        UpToDateStatusType2[UpToDateStatusType2["UpToDateWithInputFileText"] = 14] = "UpToDateWithInputFileText";
        UpToDateStatusType2[UpToDateStatusType2["ContainerOnly"] = 15] = "ContainerOnly";
        UpToDateStatusType2[UpToDateStatusType2["ForceBuild"] = 16] = "ForceBuild";
        return UpToDateStatusType2;
      })(UpToDateStatusType || {});
      function resolveConfigFileProjectName(project) {
        if (fileExtensionIs(
          project,
          ".json"
          /* Json */
        )) {
          return project;
        }
        return combinePaths(project, "tsconfig.json");
      }
      var minimumDate = /* @__PURE__ */ new Date(-864e13);
      var maximumDate = /* @__PURE__ */ new Date(864e13);
      function getOrCreateValueFromConfigFileMap(configFileMap, resolved, createT) {
        const existingValue = configFileMap.get(resolved);
        let newValue;
        if (!existingValue) {
          newValue = createT();
          configFileMap.set(resolved, newValue);
        }
        return existingValue || newValue;
      }
      function getOrCreateValueMapFromConfigFileMap(configFileMap, resolved) {
        return getOrCreateValueFromConfigFileMap(configFileMap, resolved, () => /* @__PURE__ */ new Map());
      }
      function getCurrentTime(host) {
        return host.now ? host.now() : /* @__PURE__ */ new Date();
      }
      function isCircularBuildOrder(buildOrder) {
        return !!buildOrder && !!buildOrder.buildOrder;
      }
      function getBuildOrderFromAnyBuildOrder(anyBuildOrder) {
        return isCircularBuildOrder(anyBuildOrder) ? anyBuildOrder.buildOrder : anyBuildOrder;
      }
      function createBuilderStatusReporter(system, pretty) {
        return (diagnostic) => {
          let output = pretty ? `[${formatColorAndReset(
            getLocaleTimeString(system),
            "\x1B[90m"
            /* Grey */
          )}] ` : `${getLocaleTimeString(system)} - `;
          output += `${flattenDiagnosticMessageText(diagnostic.messageText, system.newLine)}${system.newLine + system.newLine}`;
          system.write(output);
        };
      }
      function createSolutionBuilderHostBase(system, createProgram2, reportDiagnostic, reportSolutionBuilderStatus) {
        const host = createProgramHost(system, createProgram2);
        host.getModifiedTime = system.getModifiedTime ? (path17) => system.getModifiedTime(path17) : returnUndefined;
        host.setModifiedTime = system.setModifiedTime ? (path17, date) => system.setModifiedTime(path17, date) : noop2;
        host.deleteFile = system.deleteFile ? (path17) => system.deleteFile(path17) : noop2;
        host.reportDiagnostic = reportDiagnostic || createDiagnosticReporter(system);
        host.reportSolutionBuilderStatus = reportSolutionBuilderStatus || createBuilderStatusReporter(system);
        host.now = maybeBind(system, system.now);
        return host;
      }
      function createSolutionBuilderHost(system = sys, createProgram2, reportDiagnostic, reportSolutionBuilderStatus, reportErrorSummary2) {
        const host = createSolutionBuilderHostBase(system, createProgram2, reportDiagnostic, reportSolutionBuilderStatus);
        host.reportErrorSummary = reportErrorSummary2;
        return host;
      }
      function createSolutionBuilderWithWatchHost(system = sys, createProgram2, reportDiagnostic, reportSolutionBuilderStatus, reportWatchStatus2) {
        const host = createSolutionBuilderHostBase(system, createProgram2, reportDiagnostic, reportSolutionBuilderStatus);
        const watchHost = createWatchHost(system, reportWatchStatus2);
        copyProperties(host, watchHost);
        return host;
      }
      function getCompilerOptionsOfBuildOptions(buildOptions) {
        const result = {};
        commonOptionsWithBuild.forEach((option) => {
          if (hasProperty(buildOptions, option.name)) result[option.name] = buildOptions[option.name];
        });
        return result;
      }
      function createSolutionBuilder(host, rootNames, defaultOptions2) {
        return createSolutionBuilderWorker(
          /*watch*/
          false,
          host,
          rootNames,
          defaultOptions2
        );
      }
      function createSolutionBuilderWithWatch(host, rootNames, defaultOptions2, baseWatchOptions) {
        return createSolutionBuilderWorker(
          /*watch*/
          true,
          host,
          rootNames,
          defaultOptions2,
          baseWatchOptions
        );
      }
      function createSolutionBuilderState(watch, hostOrHostWithWatch, rootNames, options, baseWatchOptions) {
        const host = hostOrHostWithWatch;
        const hostWithWatch = hostOrHostWithWatch;
        const baseCompilerOptions = getCompilerOptionsOfBuildOptions(options);
        const compilerHost = createCompilerHostFromProgramHost(host, () => state.projectCompilerOptions);
        setGetSourceFileAsHashVersioned(compilerHost);
        compilerHost.getParsedCommandLine = (fileName) => parseConfigFile(state, fileName, toResolvedConfigFilePath(state, fileName));
        compilerHost.resolveModuleNameLiterals = maybeBind(host, host.resolveModuleNameLiterals);
        compilerHost.resolveTypeReferenceDirectiveReferences = maybeBind(host, host.resolveTypeReferenceDirectiveReferences);
        compilerHost.resolveLibrary = maybeBind(host, host.resolveLibrary);
        compilerHost.resolveModuleNames = maybeBind(host, host.resolveModuleNames);
        compilerHost.resolveTypeReferenceDirectives = maybeBind(host, host.resolveTypeReferenceDirectives);
        compilerHost.getModuleResolutionCache = maybeBind(host, host.getModuleResolutionCache);
        let moduleResolutionCache, typeReferenceDirectiveResolutionCache;
        if (!compilerHost.resolveModuleNameLiterals && !compilerHost.resolveModuleNames) {
          moduleResolutionCache = createModuleResolutionCache(compilerHost.getCurrentDirectory(), compilerHost.getCanonicalFileName);
          compilerHost.resolveModuleNameLiterals = (moduleNames, containingFile, redirectedReference, options2, containingSourceFile) => loadWithModeAwareCache(
            moduleNames,
            containingFile,
            redirectedReference,
            options2,
            containingSourceFile,
            host,
            moduleResolutionCache,
            createModuleResolutionLoader
          );
          compilerHost.getModuleResolutionCache = () => moduleResolutionCache;
        }
        if (!compilerHost.resolveTypeReferenceDirectiveReferences && !compilerHost.resolveTypeReferenceDirectives) {
          typeReferenceDirectiveResolutionCache = createTypeReferenceDirectiveResolutionCache(
            compilerHost.getCurrentDirectory(),
            compilerHost.getCanonicalFileName,
            /*options*/
            void 0,
            moduleResolutionCache == null ? void 0 : moduleResolutionCache.getPackageJsonInfoCache(),
            moduleResolutionCache == null ? void 0 : moduleResolutionCache.optionsToRedirectsKey
          );
          compilerHost.resolveTypeReferenceDirectiveReferences = (typeDirectiveNames, containingFile, redirectedReference, options2, containingSourceFile) => loadWithModeAwareCache(
            typeDirectiveNames,
            containingFile,
            redirectedReference,
            options2,
            containingSourceFile,
            host,
            typeReferenceDirectiveResolutionCache,
            createTypeReferenceResolutionLoader
          );
        }
        let libraryResolutionCache;
        if (!compilerHost.resolveLibrary) {
          libraryResolutionCache = createModuleResolutionCache(
            compilerHost.getCurrentDirectory(),
            compilerHost.getCanonicalFileName,
            /*options*/
            void 0,
            moduleResolutionCache == null ? void 0 : moduleResolutionCache.getPackageJsonInfoCache()
          );
          compilerHost.resolveLibrary = (libraryName, resolveFrom, options2) => resolveLibrary(
            libraryName,
            resolveFrom,
            options2,
            host,
            libraryResolutionCache
          );
        }
        compilerHost.getBuildInfo = (fileName, configFilePath) => getBuildInfo3(
          state,
          fileName,
          toResolvedConfigFilePath(state, configFilePath),
          /*modifiedTime*/
          void 0
        );
        const { watchFile: watchFile2, watchDirectory, writeLog } = createWatchFactory(hostWithWatch, options);
        const state = {
          host,
          hostWithWatch,
          parseConfigFileHost: parseConfigHostFromCompilerHostLike(host),
          write: maybeBind(host, host.trace),
          // State of solution
          options,
          baseCompilerOptions,
          rootNames,
          baseWatchOptions,
          resolvedConfigFilePaths: /* @__PURE__ */ new Map(),
          configFileCache: /* @__PURE__ */ new Map(),
          projectStatus: /* @__PURE__ */ new Map(),
          extendedConfigCache: /* @__PURE__ */ new Map(),
          buildInfoCache: /* @__PURE__ */ new Map(),
          outputTimeStamps: /* @__PURE__ */ new Map(),
          builderPrograms: /* @__PURE__ */ new Map(),
          diagnostics: /* @__PURE__ */ new Map(),
          projectPendingBuild: /* @__PURE__ */ new Map(),
          projectErrorsReported: /* @__PURE__ */ new Map(),
          compilerHost,
          moduleResolutionCache,
          typeReferenceDirectiveResolutionCache,
          libraryResolutionCache,
          // Mutable state
          buildOrder: void 0,
          readFileWithCache: (f) => host.readFile(f),
          projectCompilerOptions: baseCompilerOptions,
          cache: void 0,
          allProjectBuildPending: true,
          needsSummary: true,
          watchAllProjectsPending: watch,
          // Watch state
          watch,
          allWatchedWildcardDirectories: /* @__PURE__ */ new Map(),
          allWatchedInputFiles: /* @__PURE__ */ new Map(),
          allWatchedConfigFiles: /* @__PURE__ */ new Map(),
          allWatchedExtendedConfigFiles: /* @__PURE__ */ new Map(),
          allWatchedPackageJsonFiles: /* @__PURE__ */ new Map(),
          filesWatched: /* @__PURE__ */ new Map(),
          lastCachedPackageJsonLookups: /* @__PURE__ */ new Map(),
          timerToBuildInvalidatedProject: void 0,
          reportFileChangeDetected: false,
          watchFile: watchFile2,
          watchDirectory,
          writeLog
        };
        return state;
      }
      function toPath22(state, fileName) {
        return toPath3(fileName, state.compilerHost.getCurrentDirectory(), state.compilerHost.getCanonicalFileName);
      }
      function toResolvedConfigFilePath(state, fileName) {
        const { resolvedConfigFilePaths } = state;
        const path17 = resolvedConfigFilePaths.get(fileName);
        if (path17 !== void 0) return path17;
        const resolvedPath = toPath22(state, fileName);
        resolvedConfigFilePaths.set(fileName, resolvedPath);
        return resolvedPath;
      }
      function isParsedCommandLine(entry) {
        return !!entry.options;
      }
      function getCachedParsedConfigFile(state, configFilePath) {
        const value = state.configFileCache.get(configFilePath);
        return value && isParsedCommandLine(value) ? value : void 0;
      }
      function parseConfigFile(state, configFileName, configFilePath) {
        const { configFileCache } = state;
        const value = configFileCache.get(configFilePath);
        if (value) {
          return isParsedCommandLine(value) ? value : void 0;
        }
        mark("SolutionBuilder::beforeConfigFileParsing");
        let diagnostic;
        const { parseConfigFileHost, baseCompilerOptions, baseWatchOptions, extendedConfigCache, host } = state;
        let parsed;
        if (host.getParsedCommandLine) {
          parsed = host.getParsedCommandLine(configFileName);
          if (!parsed) diagnostic = createCompilerDiagnostic(Diagnostics.File_0_not_found, configFileName);
        } else {
          parseConfigFileHost.onUnRecoverableConfigFileDiagnostic = (d) => diagnostic = d;
          parsed = getParsedCommandLineOfConfigFile(configFileName, baseCompilerOptions, parseConfigFileHost, extendedConfigCache, baseWatchOptions);
          parseConfigFileHost.onUnRecoverableConfigFileDiagnostic = noop2;
        }
        configFileCache.set(configFilePath, parsed || diagnostic);
        mark("SolutionBuilder::afterConfigFileParsing");
        measure("SolutionBuilder::Config file parsing", "SolutionBuilder::beforeConfigFileParsing", "SolutionBuilder::afterConfigFileParsing");
        return parsed;
      }
      function resolveProjectName(state, name) {
        return resolveConfigFileProjectName(resolvePath(state.compilerHost.getCurrentDirectory(), name));
      }
      function createBuildOrder(state, roots) {
        const temporaryMarks = /* @__PURE__ */ new Map();
        const permanentMarks = /* @__PURE__ */ new Map();
        const circularityReportStack = [];
        let buildOrder;
        let circularDiagnostics;
        for (const root2 of roots) {
          visit(root2);
        }
        return circularDiagnostics ? { buildOrder: buildOrder || emptyArray, circularDiagnostics } : buildOrder || emptyArray;
        function visit(configFileName, inCircularContext) {
          const projPath = toResolvedConfigFilePath(state, configFileName);
          if (permanentMarks.has(projPath)) return;
          if (temporaryMarks.has(projPath)) {
            if (!inCircularContext) {
              (circularDiagnostics || (circularDiagnostics = [])).push(
                createCompilerDiagnostic(
                  Diagnostics.Project_references_may_not_form_a_circular_graph_Cycle_detected_Colon_0,
                  circularityReportStack.join("\r\n")
                )
              );
            }
            return;
          }
          temporaryMarks.set(projPath, true);
          circularityReportStack.push(configFileName);
          const parsed = parseConfigFile(state, configFileName, projPath);
          if (parsed && parsed.projectReferences) {
            for (const ref of parsed.projectReferences) {
              const resolvedRefPath = resolveProjectName(state, ref.path);
              visit(resolvedRefPath, inCircularContext || ref.circular);
            }
          }
          circularityReportStack.pop();
          permanentMarks.set(projPath, true);
          (buildOrder || (buildOrder = [])).push(configFileName);
        }
      }
      function getBuildOrder(state) {
        return state.buildOrder || createStateBuildOrder(state);
      }
      function createStateBuildOrder(state) {
        const buildOrder = createBuildOrder(state, state.rootNames.map((f) => resolveProjectName(state, f)));
        state.resolvedConfigFilePaths.clear();
        const currentProjects = new Set(
          getBuildOrderFromAnyBuildOrder(buildOrder).map(
            (resolved) => toResolvedConfigFilePath(state, resolved)
          )
        );
        const noopOnDelete = { onDeleteValue: noop2 };
        mutateMapSkippingNewValues(state.configFileCache, currentProjects, noopOnDelete);
        mutateMapSkippingNewValues(state.projectStatus, currentProjects, noopOnDelete);
        mutateMapSkippingNewValues(state.builderPrograms, currentProjects, noopOnDelete);
        mutateMapSkippingNewValues(state.diagnostics, currentProjects, noopOnDelete);
        mutateMapSkippingNewValues(state.projectPendingBuild, currentProjects, noopOnDelete);
        mutateMapSkippingNewValues(state.projectErrorsReported, currentProjects, noopOnDelete);
        mutateMapSkippingNewValues(state.buildInfoCache, currentProjects, noopOnDelete);
        mutateMapSkippingNewValues(state.outputTimeStamps, currentProjects, noopOnDelete);
        mutateMapSkippingNewValues(state.lastCachedPackageJsonLookups, currentProjects, noopOnDelete);
        if (state.watch) {
          mutateMapSkippingNewValues(
            state.allWatchedConfigFiles,
            currentProjects,
            { onDeleteValue: closeFileWatcher }
          );
          state.allWatchedExtendedConfigFiles.forEach((watcher) => {
            watcher.projects.forEach((project) => {
              if (!currentProjects.has(project)) {
                watcher.projects.delete(project);
              }
            });
            watcher.close();
          });
          mutateMapSkippingNewValues(
            state.allWatchedWildcardDirectories,
            currentProjects,
            { onDeleteValue: (existingMap) => existingMap.forEach(closeFileWatcherOf) }
          );
          mutateMapSkippingNewValues(
            state.allWatchedInputFiles,
            currentProjects,
            { onDeleteValue: (existingMap) => existingMap.forEach(closeFileWatcher) }
          );
          mutateMapSkippingNewValues(
            state.allWatchedPackageJsonFiles,
            currentProjects,
            { onDeleteValue: (existingMap) => existingMap.forEach(closeFileWatcher) }
          );
        }
        return state.buildOrder = buildOrder;
      }
      function getBuildOrderFor(state, project, onlyReferences) {
        const resolvedProject = project && resolveProjectName(state, project);
        const buildOrderFromState = getBuildOrder(state);
        if (isCircularBuildOrder(buildOrderFromState)) return buildOrderFromState;
        if (resolvedProject) {
          const projectPath = toResolvedConfigFilePath(state, resolvedProject);
          const projectIndex = findIndex(
            buildOrderFromState,
            (configFileName) => toResolvedConfigFilePath(state, configFileName) === projectPath
          );
          if (projectIndex === -1) return void 0;
        }
        const buildOrder = resolvedProject ? createBuildOrder(state, [resolvedProject]) : buildOrderFromState;
        Debug.assert(!isCircularBuildOrder(buildOrder));
        Debug.assert(!onlyReferences || resolvedProject !== void 0);
        Debug.assert(!onlyReferences || buildOrder[buildOrder.length - 1] === resolvedProject);
        return onlyReferences ? buildOrder.slice(0, buildOrder.length - 1) : buildOrder;
      }
      function enableCache(state) {
        if (state.cache) {
          disableCache(state);
        }
        const { compilerHost, host } = state;
        const originalReadFileWithCache = state.readFileWithCache;
        const originalGetSourceFile = compilerHost.getSourceFile;
        const {
          originalReadFile,
          originalFileExists,
          originalDirectoryExists,
          originalCreateDirectory,
          originalWriteFile,
          getSourceFileWithCache,
          readFileWithCache
        } = changeCompilerHostLikeToUseCache(
          host,
          (fileName) => toPath22(state, fileName),
          (...args) => originalGetSourceFile.call(compilerHost, ...args)
        );
        state.readFileWithCache = readFileWithCache;
        compilerHost.getSourceFile = getSourceFileWithCache;
        state.cache = {
          originalReadFile,
          originalFileExists,
          originalDirectoryExists,
          originalCreateDirectory,
          originalWriteFile,
          originalReadFileWithCache,
          originalGetSourceFile
        };
      }
      function disableCache(state) {
        if (!state.cache) return;
        const { cache, host, compilerHost, extendedConfigCache, moduleResolutionCache, typeReferenceDirectiveResolutionCache, libraryResolutionCache } = state;
        host.readFile = cache.originalReadFile;
        host.fileExists = cache.originalFileExists;
        host.directoryExists = cache.originalDirectoryExists;
        host.createDirectory = cache.originalCreateDirectory;
        host.writeFile = cache.originalWriteFile;
        compilerHost.getSourceFile = cache.originalGetSourceFile;
        state.readFileWithCache = cache.originalReadFileWithCache;
        extendedConfigCache.clear();
        moduleResolutionCache == null ? void 0 : moduleResolutionCache.clear();
        typeReferenceDirectiveResolutionCache == null ? void 0 : typeReferenceDirectiveResolutionCache.clear();
        libraryResolutionCache == null ? void 0 : libraryResolutionCache.clear();
        state.cache = void 0;
      }
      function clearProjectStatus(state, resolved) {
        state.projectStatus.delete(resolved);
        state.diagnostics.delete(resolved);
      }
      function addProjToQueue({ projectPendingBuild }, proj, updateLevel) {
        const value = projectPendingBuild.get(proj);
        if (value === void 0) {
          projectPendingBuild.set(proj, updateLevel);
        } else if (value < updateLevel) {
          projectPendingBuild.set(proj, updateLevel);
        }
      }
      function setupInitialBuild(state, cancellationToken) {
        if (!state.allProjectBuildPending) return;
        state.allProjectBuildPending = false;
        if (state.options.watch) reportWatchStatus(state, Diagnostics.Starting_compilation_in_watch_mode);
        enableCache(state);
        const buildOrder = getBuildOrderFromAnyBuildOrder(getBuildOrder(state));
        buildOrder.forEach(
          (configFileName) => state.projectPendingBuild.set(
            toResolvedConfigFilePath(state, configFileName),
            0
            /* Update */
          )
        );
        if (cancellationToken) {
          cancellationToken.throwIfCancellationRequested();
        }
      }
      var InvalidatedProjectKind = /* @__PURE__ */ ((InvalidatedProjectKind2) => {
        InvalidatedProjectKind2[InvalidatedProjectKind2["Build"] = 0] = "Build";
        InvalidatedProjectKind2[InvalidatedProjectKind2["UpdateOutputFileStamps"] = 1] = "UpdateOutputFileStamps";
        return InvalidatedProjectKind2;
      })(InvalidatedProjectKind || {});
      function doneInvalidatedProject(state, projectPath) {
        state.projectPendingBuild.delete(projectPath);
        return state.diagnostics.has(projectPath) ? 1 : 0;
      }
      function createUpdateOutputFileStampsProject(state, project, projectPath, config7, buildOrder) {
        let updateOutputFileStampsPending = true;
        return {
          kind: 1,
          project,
          projectPath,
          buildOrder,
          getCompilerOptions: () => config7.options,
          getCurrentDirectory: () => state.compilerHost.getCurrentDirectory(),
          updateOutputFileStatmps: () => {
            updateOutputTimestamps(state, config7, projectPath);
            updateOutputFileStampsPending = false;
          },
          done: () => {
            if (updateOutputFileStampsPending) {
              updateOutputTimestamps(state, config7, projectPath);
            }
            mark("SolutionBuilder::Timestamps only updates");
            return doneInvalidatedProject(state, projectPath);
          }
        };
      }
      function createBuildOrUpdateInvalidedProject(state, project, projectPath, projectIndex, config7, buildOrder) {
        let step = 0;
        let program;
        let buildResult;
        return {
          kind: 0,
          project,
          projectPath,
          buildOrder,
          getCompilerOptions: () => config7.options,
          getCurrentDirectory: () => state.compilerHost.getCurrentDirectory(),
          getBuilderProgram: () => withProgramOrUndefined(identity2),
          getProgram: () => withProgramOrUndefined(
            (program2) => program2.getProgramOrUndefined()
          ),
          getSourceFile: (fileName) => withProgramOrUndefined(
            (program2) => program2.getSourceFile(fileName)
          ),
          getSourceFiles: () => withProgramOrEmptyArray(
            (program2) => program2.getSourceFiles()
          ),
          getOptionsDiagnostics: (cancellationToken) => withProgramOrEmptyArray(
            (program2) => program2.getOptionsDiagnostics(cancellationToken)
          ),
          getGlobalDiagnostics: (cancellationToken) => withProgramOrEmptyArray(
            (program2) => program2.getGlobalDiagnostics(cancellationToken)
          ),
          getConfigFileParsingDiagnostics: () => withProgramOrEmptyArray(
            (program2) => program2.getConfigFileParsingDiagnostics()
          ),
          getSyntacticDiagnostics: (sourceFile, cancellationToken) => withProgramOrEmptyArray(
            (program2) => program2.getSyntacticDiagnostics(sourceFile, cancellationToken)
          ),
          getAllDependencies: (sourceFile) => withProgramOrEmptyArray(
            (program2) => program2.getAllDependencies(sourceFile)
          ),
          getSemanticDiagnostics: (sourceFile, cancellationToken) => withProgramOrEmptyArray(
            (program2) => program2.getSemanticDiagnostics(sourceFile, cancellationToken)
          ),
          getSemanticDiagnosticsOfNextAffectedFile: (cancellationToken, ignoreSourceFile) => withProgramOrUndefined(
            (program2) => program2.getSemanticDiagnosticsOfNextAffectedFile && program2.getSemanticDiagnosticsOfNextAffectedFile(cancellationToken, ignoreSourceFile)
          ),
          emit: (targetSourceFile, writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers) => {
            if (targetSourceFile || emitOnlyDtsFiles) {
              return withProgramOrUndefined(
                (program2) => {
                  var _a, _b;
                  return program2.emit(targetSourceFile, writeFile2, cancellationToken, emitOnlyDtsFiles, customTransformers || ((_b = (_a = state.host).getCustomTransformers) == null ? void 0 : _b.call(_a, project)));
                }
              );
            }
            executeSteps(2, cancellationToken);
            if (step === 4) {
              return emitBuildInfo(writeFile2, cancellationToken);
            }
            if (step !== 3) return void 0;
            return emit(writeFile2, cancellationToken, customTransformers);
          },
          done
        };
        function done(cancellationToken, writeFile2, customTransformers) {
          executeSteps(6, cancellationToken, writeFile2, customTransformers);
          mark("SolutionBuilder::Projects built");
          return doneInvalidatedProject(state, projectPath);
        }
        function withProgramOrUndefined(action) {
          executeSteps(
            0
            /* CreateProgram */
          );
          return program && action(program);
        }
        function withProgramOrEmptyArray(action) {
          return withProgramOrUndefined(action) || emptyArray;
        }
        function createProgram2() {
          var _a, _b, _c;
          Debug.assert(program === void 0);
          if (state.options.dry) {
            reportStatus(state, Diagnostics.A_non_dry_build_would_build_project_0, project);
            buildResult = 1;
            step = 5;
            return;
          }
          if (state.options.verbose) reportStatus(state, Diagnostics.Building_project_0, project);
          if (config7.fileNames.length === 0) {
            reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config7));
            buildResult = 0;
            step = 5;
            return;
          }
          const { host, compilerHost } = state;
          state.projectCompilerOptions = config7.options;
          (_a = state.moduleResolutionCache) == null ? void 0 : _a.update(config7.options);
          (_b = state.typeReferenceDirectiveResolutionCache) == null ? void 0 : _b.update(config7.options);
          program = host.createProgram(
            config7.fileNames,
            config7.options,
            compilerHost,
            getOldProgram(state, projectPath, config7),
            getConfigFileParsingDiagnostics(config7),
            config7.projectReferences
          );
          if (state.watch) {
            const internalMap = (_c = state.moduleResolutionCache) == null ? void 0 : _c.getPackageJsonInfoCache().getInternalMap();
            state.lastCachedPackageJsonLookups.set(
              projectPath,
              internalMap && new Set(arrayFrom(
                internalMap.values(),
                (data) => state.host.realpath && (isPackageJsonInfo(data) || data.directoryExists) ? state.host.realpath(combinePaths(data.packageDirectory, "package.json")) : combinePaths(data.packageDirectory, "package.json")
              ))
            );
            state.builderPrograms.set(projectPath, program);
          }
          step++;
        }
        function handleDiagnostics(diagnostics, errorFlags, errorType) {
          if (diagnostics.length) {
            ({ buildResult, step } = buildErrors(
              state,
              projectPath,
              program,
              config7,
              diagnostics,
              errorFlags,
              errorType
            ));
          } else {
            step++;
          }
        }
        function getSyntaxDiagnostics(cancellationToken) {
          Debug.assertIsDefined(program);
          handleDiagnostics(
            [
              ...program.getConfigFileParsingDiagnostics(),
              ...program.getOptionsDiagnostics(cancellationToken),
              ...program.getGlobalDiagnostics(cancellationToken),
              ...program.getSyntacticDiagnostics(
                /*sourceFile*/
                void 0,
                cancellationToken
              )
            ],
            8,
            "Syntactic"
          );
        }
        function getSemanticDiagnostics(cancellationToken) {
          handleDiagnostics(
            Debug.checkDefined(program).getSemanticDiagnostics(
              /*sourceFile*/
              void 0,
              cancellationToken
            ),
            16,
            "Semantic"
          );
        }
        function emit(writeFileCallback, cancellationToken, customTransformers) {
          var _a, _b, _c;
          Debug.assertIsDefined(program);
          Debug.assert(
            step === 3
            /* Emit */
          );
          const saved = program.saveEmitState();
          let declDiagnostics;
          const reportDeclarationDiagnostics = (d) => (declDiagnostics || (declDiagnostics = [])).push(d);
          const outputFiles = [];
          const { emitResult } = emitFilesAndReportErrors(
            program,
            reportDeclarationDiagnostics,
            /*write*/
            void 0,
            /*reportSummary*/
            void 0,
            (name, text, writeByteOrderMark, _onError, _sourceFiles, data) => outputFiles.push({ name, text, writeByteOrderMark, data }),
            cancellationToken,
            /*emitOnlyDtsFiles*/
            false,
            customTransformers || ((_b = (_a = state.host).getCustomTransformers) == null ? void 0 : _b.call(_a, project))
          );
          if (declDiagnostics) {
            program.restoreEmitState(saved);
            ({ buildResult, step } = buildErrors(
              state,
              projectPath,
              program,
              config7,
              declDiagnostics,
              32,
              "Declaration file"
            ));
            return {
              emitSkipped: true,
              diagnostics: emitResult.diagnostics
            };
          }
          const { host, compilerHost } = state;
          const resultFlags = ((_c = program.hasChangedEmitSignature) == null ? void 0 : _c.call(program)) ? 0 : 2;
          const emitterDiagnostics = createDiagnosticCollection();
          const emittedOutputs = /* @__PURE__ */ new Map();
          const options = program.getCompilerOptions();
          const isIncremental = isIncrementalCompilation(options);
          let outputTimeStampMap;
          let now;
          outputFiles.forEach(({ name, text, writeByteOrderMark, data }) => {
            const path17 = toPath22(state, name);
            emittedOutputs.set(toPath22(state, name), name);
            if (data == null ? void 0 : data.buildInfo) setBuildInfo(state, data.buildInfo, projectPath, options, resultFlags);
            const modifiedTime = (data == null ? void 0 : data.differsOnlyInMap) ? getModifiedTime(state.host, name) : void 0;
            writeFile(writeFileCallback ? { writeFile: writeFileCallback } : compilerHost, emitterDiagnostics, name, text, writeByteOrderMark);
            if (data == null ? void 0 : data.differsOnlyInMap) state.host.setModifiedTime(name, modifiedTime);
            else if (!isIncremental && state.watch) {
              (outputTimeStampMap || (outputTimeStampMap = getOutputTimeStampMap(state, projectPath))).set(path17, now || (now = getCurrentTime(state.host)));
            }
          });
          finishEmit(
            emitterDiagnostics,
            emittedOutputs,
            outputFiles.length ? outputFiles[0].name : getFirstProjectOutput(config7, !host.useCaseSensitiveFileNames()),
            resultFlags
          );
          return emitResult;
        }
        function emitBuildInfo(writeFileCallback, cancellationToken) {
          Debug.assertIsDefined(program);
          Debug.assert(
            step === 4
            /* EmitBuildInfo */
          );
          const emitResult = program.emitBuildInfo((name, text, writeByteOrderMark, onError, sourceFiles, data) => {
            if (data == null ? void 0 : data.buildInfo) setBuildInfo(
              state,
              data.buildInfo,
              projectPath,
              program.getCompilerOptions(),
              2
              /* DeclarationOutputUnchanged */
            );
            if (writeFileCallback) writeFileCallback(name, text, writeByteOrderMark, onError, sourceFiles, data);
            else state.compilerHost.writeFile(name, text, writeByteOrderMark, onError, sourceFiles, data);
          }, cancellationToken);
          if (emitResult.diagnostics.length) {
            reportErrors(state, emitResult.diagnostics);
            state.diagnostics.set(projectPath, [...state.diagnostics.get(projectPath), ...emitResult.diagnostics]);
            buildResult = 64 & buildResult;
          }
          if (emitResult.emittedFiles && state.write) {
            emitResult.emittedFiles.forEach((name) => listEmittedFile(state, config7, name));
          }
          afterProgramDone(state, program);
          step = 5;
          return emitResult;
        }
        function finishEmit(emitterDiagnostics, emittedOutputs, oldestOutputFileName, resultFlags) {
          const emitDiagnostics = emitterDiagnostics.getDiagnostics();
          if (emitDiagnostics.length) {
            ({ buildResult, step } = buildErrors(
              state,
              projectPath,
              program,
              config7,
              emitDiagnostics,
              64,
              "Emit"
            ));
            return emitDiagnostics;
          }
          if (state.write) {
            emittedOutputs.forEach((name) => listEmittedFile(state, config7, name));
          }
          updateOutputTimestampsWorker(state, config7, projectPath, Diagnostics.Updating_unchanged_output_timestamps_of_project_0, emittedOutputs);
          state.diagnostics.delete(projectPath);
          state.projectStatus.set(projectPath, {
            type: 1,
            oldestOutputFileName
          });
          afterProgramDone(state, program);
          step = 5;
          buildResult = resultFlags;
          return emitDiagnostics;
        }
        function executeSteps(till, cancellationToken, writeFile2, customTransformers) {
          while (step <= till && step < 6) {
            const currentStep = step;
            switch (step) {
              case 0:
                createProgram2();
                break;
              case 1:
                getSyntaxDiagnostics(cancellationToken);
                break;
              case 2:
                getSemanticDiagnostics(cancellationToken);
                break;
              case 3:
                emit(writeFile2, cancellationToken, customTransformers);
                break;
              case 4:
                emitBuildInfo(writeFile2, cancellationToken);
                break;
              case 5:
                queueReferencingProjects(state, project, projectPath, projectIndex, config7, buildOrder, Debug.checkDefined(buildResult));
                step++;
                break;
              case 6:
              default:
                assertType(step);
            }
            Debug.assert(step > currentStep);
          }
        }
      }
      function getNextInvalidatedProjectCreateInfo(state, buildOrder, reportQueue) {
        if (!state.projectPendingBuild.size) return void 0;
        if (isCircularBuildOrder(buildOrder)) return void 0;
        const { options, projectPendingBuild } = state;
        for (let projectIndex = 0; projectIndex < buildOrder.length; projectIndex++) {
          const project = buildOrder[projectIndex];
          const projectPath = toResolvedConfigFilePath(state, project);
          const updateLevel = state.projectPendingBuild.get(projectPath);
          if (updateLevel === void 0) continue;
          if (reportQueue) {
            reportQueue = false;
            reportBuildQueue(state, buildOrder);
          }
          const config7 = parseConfigFile(state, project, projectPath);
          if (!config7) {
            reportParseConfigFileDiagnostic(state, projectPath);
            projectPendingBuild.delete(projectPath);
            continue;
          }
          if (updateLevel === 2) {
            watchConfigFile(state, project, projectPath, config7);
            watchExtendedConfigFiles(state, projectPath, config7);
            watchWildCardDirectories(state, project, projectPath, config7);
            watchInputFiles(state, project, projectPath, config7);
            watchPackageJsonFiles(state, project, projectPath, config7);
          } else if (updateLevel === 1) {
            config7.fileNames = getFileNamesFromConfigSpecs(config7.options.configFile.configFileSpecs, getDirectoryPath(project), config7.options, state.parseConfigFileHost);
            updateErrorForNoInputFiles(config7.fileNames, project, config7.options.configFile.configFileSpecs, config7.errors, canJsonReportNoInputFiles(config7.raw));
            watchInputFiles(state, project, projectPath, config7);
            watchPackageJsonFiles(state, project, projectPath, config7);
          }
          const status = getUpToDateStatus(state, config7, projectPath);
          if (!options.force) {
            if (status.type === 1) {
              verboseReportProjectStatus(state, project, status);
              reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config7));
              projectPendingBuild.delete(projectPath);
              if (options.dry) {
                reportStatus(state, Diagnostics.Project_0_is_up_to_date, project);
              }
              continue;
            }
            if (status.type === 2 || status.type === 14) {
              reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config7));
              return {
                kind: 1,
                status,
                project,
                projectPath,
                projectIndex,
                config: config7
              };
            }
          }
          if (status.type === 11) {
            verboseReportProjectStatus(state, project, status);
            reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config7));
            projectPendingBuild.delete(projectPath);
            if (options.verbose) {
              reportStatus(
                state,
                status.upstreamProjectBlocked ? Diagnostics.Skipping_build_of_project_0_because_its_dependency_1_was_not_built : Diagnostics.Skipping_build_of_project_0_because_its_dependency_1_has_errors,
                project,
                status.upstreamProjectName
              );
            }
            continue;
          }
          if (status.type === 15) {
            verboseReportProjectStatus(state, project, status);
            reportAndStoreErrors(state, projectPath, getConfigFileParsingDiagnostics(config7));
            projectPendingBuild.delete(projectPath);
            continue;
          }
          return {
            kind: 0,
            status,
            project,
            projectPath,
            projectIndex,
            config: config7
          };
        }
        return void 0;
      }
      function createInvalidatedProjectWithInfo(state, info, buildOrder) {
        verboseReportProjectStatus(state, info.project, info.status);
        return info.kind !== 1 ? createBuildOrUpdateInvalidedProject(
          state,
          info.project,
          info.projectPath,
          info.projectIndex,
          info.config,
          buildOrder
        ) : createUpdateOutputFileStampsProject(
          state,
          info.project,
          info.projectPath,
          info.config,
          buildOrder
        );
      }
      function getNextInvalidatedProject(state, buildOrder, reportQueue) {
        const info = getNextInvalidatedProjectCreateInfo(state, buildOrder, reportQueue);
        if (!info) return info;
        return createInvalidatedProjectWithInfo(state, info, buildOrder);
      }
      function listEmittedFile({ write }, proj, file) {
        if (write && proj.options.listEmittedFiles) {
          write(`TSFILE: ${file}`);
        }
      }
      function getOldProgram({ options, builderPrograms, compilerHost }, proj, parsed) {
        if (options.force) return void 0;
        const value = builderPrograms.get(proj);
        if (value) return value;
        return readBuilderProgram(parsed.options, compilerHost);
      }
      function afterProgramDone(state, program) {
        if (program) {
          if (state.write) listFiles(program, state.write);
          if (state.host.afterProgramEmitAndDiagnostics) {
            state.host.afterProgramEmitAndDiagnostics(program);
          }
          program.releaseProgram();
        }
        state.projectCompilerOptions = state.baseCompilerOptions;
      }
      function buildErrors(state, resolvedPath, program, config7, diagnostics, buildResult, errorType) {
        const canEmitBuildInfo = program && !program.getCompilerOptions().outFile;
        reportAndStoreErrors(state, resolvedPath, diagnostics);
        state.projectStatus.set(resolvedPath, { type: 0, reason: `${errorType} errors` });
        if (canEmitBuildInfo) return {
          buildResult,
          step: 4
          /* EmitBuildInfo */
        };
        afterProgramDone(state, program);
        return {
          buildResult,
          step: 5
          /* QueueReferencingProjects */
        };
      }
      function isFileWatcherWithModifiedTime(value) {
        return !!value.watcher;
      }
      function getModifiedTime2(state, fileName) {
        const path17 = toPath22(state, fileName);
        const existing = state.filesWatched.get(path17);
        if (state.watch && !!existing) {
          if (!isFileWatcherWithModifiedTime(existing)) return existing;
          if (existing.modifiedTime) return existing.modifiedTime;
        }
        const result = getModifiedTime(state.host, fileName);
        if (state.watch) {
          if (existing) existing.modifiedTime = result;
          else state.filesWatched.set(path17, result);
        }
        return result;
      }
      function watchFile(state, file, callback, pollingInterval, options, watchType, project) {
        const path17 = toPath22(state, file);
        const existing = state.filesWatched.get(path17);
        if (existing && isFileWatcherWithModifiedTime(existing)) {
          existing.callbacks.push(callback);
        } else {
          const watcher = state.watchFile(
            file,
            (fileName, eventKind, modifiedTime) => {
              const existing2 = Debug.checkDefined(state.filesWatched.get(path17));
              Debug.assert(isFileWatcherWithModifiedTime(existing2));
              existing2.modifiedTime = modifiedTime;
              existing2.callbacks.forEach((cb) => cb(fileName, eventKind, modifiedTime));
            },
            pollingInterval,
            options,
            watchType,
            project
          );
          state.filesWatched.set(path17, { callbacks: [callback], watcher, modifiedTime: existing });
        }
        return {
          close: () => {
            const existing2 = Debug.checkDefined(state.filesWatched.get(path17));
            Debug.assert(isFileWatcherWithModifiedTime(existing2));
            if (existing2.callbacks.length === 1) {
              state.filesWatched.delete(path17);
              closeFileWatcherOf(existing2);
            } else {
              unorderedRemoveItem(existing2.callbacks, callback);
            }
          }
        };
      }
      function getOutputTimeStampMap(state, resolvedConfigFilePath) {
        if (!state.watch) return void 0;
        let result = state.outputTimeStamps.get(resolvedConfigFilePath);
        if (!result) state.outputTimeStamps.set(resolvedConfigFilePath, result = /* @__PURE__ */ new Map());
        return result;
      }
      function setBuildInfo(state, buildInfo, resolvedConfigPath, options, resultFlags) {
        const buildInfoPath = getTsBuildInfoEmitOutputFilePath(options);
        const existing = getBuildInfoCacheEntry(state, buildInfoPath, resolvedConfigPath);
        const modifiedTime = getCurrentTime(state.host);
        if (existing) {
          existing.buildInfo = buildInfo;
          existing.modifiedTime = modifiedTime;
          if (!(resultFlags & 2)) existing.latestChangedDtsTime = modifiedTime;
        } else {
          state.buildInfoCache.set(resolvedConfigPath, {
            path: toPath22(state, buildInfoPath),
            buildInfo,
            modifiedTime,
            latestChangedDtsTime: resultFlags & 2 ? void 0 : modifiedTime
          });
        }
      }
      function getBuildInfoCacheEntry(state, buildInfoPath, resolvedConfigPath) {
        const path17 = toPath22(state, buildInfoPath);
        const existing = state.buildInfoCache.get(resolvedConfigPath);
        return (existing == null ? void 0 : existing.path) === path17 ? existing : void 0;
      }
      function getBuildInfo3(state, buildInfoPath, resolvedConfigPath, modifiedTime) {
        const path17 = toPath22(state, buildInfoPath);
        const existing = state.buildInfoCache.get(resolvedConfigPath);
        if (existing !== void 0 && existing.path === path17) {
          return existing.buildInfo || void 0;
        }
        const value = state.readFileWithCache(buildInfoPath);
        const buildInfo = value ? getBuildInfo(buildInfoPath, value) : void 0;
        state.buildInfoCache.set(resolvedConfigPath, { path: path17, buildInfo: buildInfo || false, modifiedTime: modifiedTime || missingFileModifiedTime });
        return buildInfo;
      }
      function checkConfigFileUpToDateStatus(state, configFile, oldestOutputFileTime, oldestOutputFileName) {
        const tsconfigTime = getModifiedTime2(state, configFile);
        if (oldestOutputFileTime < tsconfigTime) {
          return {
            type: 5,
            outOfDateOutputFileName: oldestOutputFileName,
            newerInputFileName: configFile
          };
        }
      }
      function getUpToDateStatusWorker(state, project, resolvedPath) {
        var _a, _b, _c, _d;
        if (!project.fileNames.length && !canJsonReportNoInputFiles(project.raw)) {
          return {
            type: 15
            /* ContainerOnly */
          };
        }
        let referenceStatuses;
        const force = !!state.options.force;
        if (project.projectReferences) {
          state.projectStatus.set(resolvedPath, {
            type: 12
            /* ComputingUpstream */
          });
          for (const ref of project.projectReferences) {
            const resolvedRef = resolveProjectReferencePath(ref);
            const resolvedRefPath = toResolvedConfigFilePath(state, resolvedRef);
            const resolvedConfig = parseConfigFile(state, resolvedRef, resolvedRefPath);
            const refStatus = getUpToDateStatus(state, resolvedConfig, resolvedRefPath);
            if (refStatus.type === 12 || refStatus.type === 15) {
              continue;
            }
            if (refStatus.type === 0 || refStatus.type === 11) {
              return {
                type: 11,
                upstreamProjectName: ref.path,
                upstreamProjectBlocked: refStatus.type === 11
                /* UpstreamBlocked */
              };
            }
            if (refStatus.type !== 1) {
              return {
                type: 10,
                upstreamProjectName: ref.path
              };
            }
            if (!force) (referenceStatuses || (referenceStatuses = [])).push({ ref, refStatus, resolvedRefPath, resolvedConfig });
          }
        }
        if (force) return {
          type: 16
          /* ForceBuild */
        };
        const { host } = state;
        const buildInfoPath = getTsBuildInfoEmitOutputFilePath(project.options);
        let oldestOutputFileName;
        let oldestOutputFileTime = maximumDate;
        let buildInfoTime;
        let buildInfoProgram;
        let buildInfoVersionMap;
        if (buildInfoPath) {
          const buildInfoCacheEntry2 = getBuildInfoCacheEntry(state, buildInfoPath, resolvedPath);
          buildInfoTime = (buildInfoCacheEntry2 == null ? void 0 : buildInfoCacheEntry2.modifiedTime) || getModifiedTime(host, buildInfoPath);
          if (buildInfoTime === missingFileModifiedTime) {
            if (!buildInfoCacheEntry2) {
              state.buildInfoCache.set(resolvedPath, {
                path: toPath22(state, buildInfoPath),
                buildInfo: false,
                modifiedTime: buildInfoTime
              });
            }
            return {
              type: 3,
              missingOutputFileName: buildInfoPath
            };
          }
          const buildInfo = getBuildInfo3(state, buildInfoPath, resolvedPath, buildInfoTime);
          if (!buildInfo) {
            return {
              type: 4,
              fileName: buildInfoPath
            };
          }
          if (buildInfo.program && buildInfo.version !== version) {
            return {
              type: 13,
              version: buildInfo.version
            };
          }
          if (buildInfo.program) {
            if (((_a = buildInfo.program.changeFileSet) == null ? void 0 : _a.length) || (!project.options.noEmit ? ((_b = buildInfo.program.affectedFilesPendingEmit) == null ? void 0 : _b.length) || ((_c = buildInfo.program.emitDiagnosticsPerFile) == null ? void 0 : _c.length) : (_d = buildInfo.program.semanticDiagnosticsPerFile) == null ? void 0 : _d.length)) {
              return {
                type: 7,
                buildInfoFile: buildInfoPath
              };
            }
            if (!project.options.noEmit && getPendingEmitKind(project.options, buildInfo.program.options || {})) {
              return {
                type: 8,
                buildInfoFile: buildInfoPath
              };
            }
            buildInfoProgram = buildInfo.program;
          }
          oldestOutputFileTime = buildInfoTime;
          oldestOutputFileName = buildInfoPath;
        }
        let newestInputFileName = void 0;
        let newestInputFileTime = minimumDate;
        let pseudoInputUpToDate = false;
        const seenRoots = /* @__PURE__ */ new Set();
        for (const inputFile of project.fileNames) {
          const inputTime = getModifiedTime2(state, inputFile);
          if (inputTime === missingFileModifiedTime) {
            return {
              type: 0,
              reason: `${inputFile} does not exist`
            };
          }
          const inputPath = buildInfoProgram ? toPath22(state, inputFile) : void 0;
          if (buildInfoTime && buildInfoTime < inputTime) {
            let version2;
            let currentVersion;
            if (buildInfoProgram) {
              if (!buildInfoVersionMap) buildInfoVersionMap = getBuildInfoFileVersionMap(buildInfoProgram, buildInfoPath, host);
              const resolvedInputPath = buildInfoVersionMap.roots.get(inputPath);
              version2 = buildInfoVersionMap.fileInfos.get(resolvedInputPath ?? inputPath);
              const text = version2 ? state.readFileWithCache(resolvedInputPath ?? inputFile) : void 0;
              currentVersion = text !== void 0 ? getSourceFileVersionAsHashFromText(host, text) : void 0;
              if (version2 && version2 === currentVersion) pseudoInputUpToDate = true;
            }
            if (!version2 || version2 !== currentVersion) {
              return {
                type: 5,
                outOfDateOutputFileName: buildInfoPath,
                newerInputFileName: inputFile
              };
            }
          }
          if (inputTime > newestInputFileTime) {
            newestInputFileName = inputFile;
            newestInputFileTime = inputTime;
          }
          if (buildInfoProgram) seenRoots.add(inputPath);
        }
        if (buildInfoProgram) {
          if (!buildInfoVersionMap) buildInfoVersionMap = getBuildInfoFileVersionMap(buildInfoProgram, buildInfoPath, host);
          const existingRoot = forEachEntry(
            buildInfoVersionMap.roots,
            // File was root file when project was built but its not any more
            (_resolved, existingRoot2) => !seenRoots.has(existingRoot2) ? existingRoot2 : void 0
          );
          if (existingRoot) {
            return {
              type: 9,
              buildInfoFile: buildInfoPath,
              inputFile: existingRoot
            };
          }
        }
        if (!buildInfoPath) {
          const outputs = getAllProjectOutputs(project, !host.useCaseSensitiveFileNames());
          const outputTimeStampMap = getOutputTimeStampMap(state, resolvedPath);
          for (const output of outputs) {
            const path17 = toPath22(state, output);
            let outputTime = outputTimeStampMap == null ? void 0 : outputTimeStampMap.get(path17);
            if (!outputTime) {
              outputTime = getModifiedTime(state.host, output);
              outputTimeStampMap == null ? void 0 : outputTimeStampMap.set(path17, outputTime);
            }
            if (outputTime === missingFileModifiedTime) {
              return {
                type: 3,
                missingOutputFileName: output
              };
            }
            if (outputTime < newestInputFileTime) {
              return {
                type: 5,
                outOfDateOutputFileName: output,
                newerInputFileName: newestInputFileName
              };
            }
            if (outputTime < oldestOutputFileTime) {
              oldestOutputFileTime = outputTime;
              oldestOutputFileName = output;
            }
          }
        }
        const buildInfoCacheEntry = state.buildInfoCache.get(resolvedPath);
        let pseudoUpToDate = false;
        if (referenceStatuses) {
          for (const { ref, refStatus, resolvedConfig, resolvedRefPath } of referenceStatuses) {
            if (refStatus.newestInputFileTime && refStatus.newestInputFileTime <= oldestOutputFileTime) {
              continue;
            }
            if (buildInfoCacheEntry && hasSameBuildInfo(state, buildInfoCacheEntry, resolvedRefPath)) {
              return {
                type: 6,
                outOfDateOutputFileName: buildInfoPath,
                newerProjectName: ref.path
              };
            }
            const newestDeclarationFileContentChangedTime = getLatestChangedDtsTime(state, resolvedConfig.options, resolvedRefPath);
            if (newestDeclarationFileContentChangedTime && newestDeclarationFileContentChangedTime <= oldestOutputFileTime) {
              pseudoUpToDate = true;
              continue;
            }
            Debug.assert(oldestOutputFileName !== void 0, "Should have an oldest output filename here");
            return {
              type: 6,
              outOfDateOutputFileName: oldestOutputFileName,
              newerProjectName: ref.path
            };
          }
        }
        const configStatus = checkConfigFileUpToDateStatus(state, project.options.configFilePath, oldestOutputFileTime, oldestOutputFileName);
        if (configStatus) return configStatus;
        const extendedConfigStatus = forEach(project.options.configFile.extendedSourceFiles || emptyArray, (configFile) => checkConfigFileUpToDateStatus(state, configFile, oldestOutputFileTime, oldestOutputFileName));
        if (extendedConfigStatus) return extendedConfigStatus;
        const packageJsonLookups = state.lastCachedPackageJsonLookups.get(resolvedPath);
        const dependentPackageFileStatus = packageJsonLookups && forEachKey(
          packageJsonLookups,
          (path17) => checkConfigFileUpToDateStatus(state, path17, oldestOutputFileTime, oldestOutputFileName)
        );
        if (dependentPackageFileStatus) return dependentPackageFileStatus;
        return {
          type: pseudoUpToDate ? 2 : pseudoInputUpToDate ? 14 : 1,
          newestInputFileTime,
          newestInputFileName,
          oldestOutputFileName
        };
      }
      function hasSameBuildInfo(state, buildInfoCacheEntry, resolvedRefPath) {
        const refBuildInfo = state.buildInfoCache.get(resolvedRefPath);
        return refBuildInfo.path === buildInfoCacheEntry.path;
      }
      function getUpToDateStatus(state, project, resolvedPath) {
        if (project === void 0) {
          return { type: 0, reason: "File deleted mid-build" };
        }
        const prior = state.projectStatus.get(resolvedPath);
        if (prior !== void 0) {
          return prior;
        }
        mark("SolutionBuilder::beforeUpToDateCheck");
        const actual = getUpToDateStatusWorker(state, project, resolvedPath);
        mark("SolutionBuilder::afterUpToDateCheck");
        measure("SolutionBuilder::Up-to-date check", "SolutionBuilder::beforeUpToDateCheck", "SolutionBuilder::afterUpToDateCheck");
        state.projectStatus.set(resolvedPath, actual);
        return actual;
      }
      function updateOutputTimestampsWorker(state, proj, projectPath, verboseMessage, skipOutputs) {
        if (proj.options.noEmit) return;
        let now;
        const buildInfoPath = getTsBuildInfoEmitOutputFilePath(proj.options);
        if (buildInfoPath) {
          if (!(skipOutputs == null ? void 0 : skipOutputs.has(toPath22(state, buildInfoPath)))) {
            if (!!state.options.verbose) reportStatus(state, verboseMessage, proj.options.configFilePath);
            state.host.setModifiedTime(buildInfoPath, now = getCurrentTime(state.host));
            getBuildInfoCacheEntry(state, buildInfoPath, projectPath).modifiedTime = now;
          }
          state.outputTimeStamps.delete(projectPath);
          return;
        }
        const { host } = state;
        const outputs = getAllProjectOutputs(proj, !host.useCaseSensitiveFileNames());
        const outputTimeStampMap = getOutputTimeStampMap(state, projectPath);
        const modifiedOutputs = outputTimeStampMap ? /* @__PURE__ */ new Set() : void 0;
        if (!skipOutputs || outputs.length !== skipOutputs.size) {
          let reportVerbose = !!state.options.verbose;
          for (const file of outputs) {
            const path17 = toPath22(state, file);
            if (skipOutputs == null ? void 0 : skipOutputs.has(path17)) continue;
            if (reportVerbose) {
              reportVerbose = false;
              reportStatus(state, verboseMessage, proj.options.configFilePath);
            }
            host.setModifiedTime(file, now || (now = getCurrentTime(state.host)));
            if (outputTimeStampMap) {
              outputTimeStampMap.set(path17, now);
              modifiedOutputs.add(path17);
            }
          }
        }
        outputTimeStampMap == null ? void 0 : outputTimeStampMap.forEach((_value, key) => {
          if (!(skipOutputs == null ? void 0 : skipOutputs.has(key)) && !modifiedOutputs.has(key)) outputTimeStampMap.delete(key);
        });
      }
      function getLatestChangedDtsTime(state, options, resolvedConfigPath) {
        if (!options.composite) return void 0;
        const entry = Debug.checkDefined(state.buildInfoCache.get(resolvedConfigPath));
        if (entry.latestChangedDtsTime !== void 0) return entry.latestChangedDtsTime || void 0;
        const latestChangedDtsTime = entry.buildInfo && entry.buildInfo.program && entry.buildInfo.program.latestChangedDtsFile ? state.host.getModifiedTime(getNormalizedAbsolutePath(entry.buildInfo.program.latestChangedDtsFile, getDirectoryPath(entry.path))) : void 0;
        entry.latestChangedDtsTime = latestChangedDtsTime || false;
        return latestChangedDtsTime;
      }
      function updateOutputTimestamps(state, proj, resolvedPath) {
        if (state.options.dry) {
          return reportStatus(state, Diagnostics.A_non_dry_build_would_update_timestamps_for_output_of_project_0, proj.options.configFilePath);
        }
        updateOutputTimestampsWorker(state, proj, resolvedPath, Diagnostics.Updating_output_timestamps_of_project_0);
        state.projectStatus.set(resolvedPath, {
          type: 1,
          oldestOutputFileName: getFirstProjectOutput(proj, !state.host.useCaseSensitiveFileNames())
        });
      }
      function queueReferencingProjects(state, project, projectPath, projectIndex, config7, buildOrder, buildResult) {
        if (buildResult & 124) return;
        if (!config7.options.composite) return;
        for (let index = projectIndex + 1; index < buildOrder.length; index++) {
          const nextProject = buildOrder[index];
          const nextProjectPath = toResolvedConfigFilePath(state, nextProject);
          if (state.projectPendingBuild.has(nextProjectPath)) continue;
          const nextProjectConfig = parseConfigFile(state, nextProject, nextProjectPath);
          if (!nextProjectConfig || !nextProjectConfig.projectReferences) continue;
          for (const ref of nextProjectConfig.projectReferences) {
            const resolvedRefPath = resolveProjectName(state, ref.path);
            if (toResolvedConfigFilePath(state, resolvedRefPath) !== projectPath) continue;
            const status = state.projectStatus.get(nextProjectPath);
            if (status) {
              switch (status.type) {
                case 1:
                  if (buildResult & 2) {
                    status.type = 2;
                    break;
                  }
                case 14:
                case 2:
                  if (!(buildResult & 2)) {
                    state.projectStatus.set(nextProjectPath, {
                      type: 6,
                      outOfDateOutputFileName: status.oldestOutputFileName,
                      newerProjectName: project
                    });
                  }
                  break;
                case 11:
                  if (toResolvedConfigFilePath(state, resolveProjectName(state, status.upstreamProjectName)) === projectPath) {
                    clearProjectStatus(state, nextProjectPath);
                  }
                  break;
              }
            }
            addProjToQueue(
              state,
              nextProjectPath,
              0
              /* Update */
            );
            break;
          }
        }
      }
      function build(state, project, cancellationToken, writeFile2, getCustomTransformers, onlyReferences) {
        mark("SolutionBuilder::beforeBuild");
        const result = buildWorker(state, project, cancellationToken, writeFile2, getCustomTransformers, onlyReferences);
        mark("SolutionBuilder::afterBuild");
        measure("SolutionBuilder::Build", "SolutionBuilder::beforeBuild", "SolutionBuilder::afterBuild");
        return result;
      }
      function buildWorker(state, project, cancellationToken, writeFile2, getCustomTransformers, onlyReferences) {
        const buildOrder = getBuildOrderFor(state, project, onlyReferences);
        if (!buildOrder) return 3;
        setupInitialBuild(state, cancellationToken);
        let reportQueue = true;
        let successfulProjects = 0;
        while (true) {
          const invalidatedProject = getNextInvalidatedProject(state, buildOrder, reportQueue);
          if (!invalidatedProject) break;
          reportQueue = false;
          invalidatedProject.done(cancellationToken, writeFile2, getCustomTransformers == null ? void 0 : getCustomTransformers(invalidatedProject.project));
          if (!state.diagnostics.has(invalidatedProject.projectPath)) successfulProjects++;
        }
        disableCache(state);
        reportErrorSummary(state, buildOrder);
        startWatching(state, buildOrder);
        return isCircularBuildOrder(buildOrder) ? 4 : !buildOrder.some((p) => state.diagnostics.has(toResolvedConfigFilePath(state, p))) ? 0 : successfulProjects ? 2 : 1;
      }
      function clean(state, project, onlyReferences) {
        mark("SolutionBuilder::beforeClean");
        const result = cleanWorker(state, project, onlyReferences);
        mark("SolutionBuilder::afterClean");
        measure("SolutionBuilder::Clean", "SolutionBuilder::beforeClean", "SolutionBuilder::afterClean");
        return result;
      }
      function cleanWorker(state, project, onlyReferences) {
        const buildOrder = getBuildOrderFor(state, project, onlyReferences);
        if (!buildOrder) return 3;
        if (isCircularBuildOrder(buildOrder)) {
          reportErrors(state, buildOrder.circularDiagnostics);
          return 4;
        }
        const { options, host } = state;
        const filesToDelete = options.dry ? [] : void 0;
        for (const proj of buildOrder) {
          const resolvedPath = toResolvedConfigFilePath(state, proj);
          const parsed = parseConfigFile(state, proj, resolvedPath);
          if (parsed === void 0) {
            reportParseConfigFileDiagnostic(state, resolvedPath);
            continue;
          }
          const outputs = getAllProjectOutputs(parsed, !host.useCaseSensitiveFileNames());
          if (!outputs.length) continue;
          const inputFileNames = new Set(parsed.fileNames.map((f) => toPath22(state, f)));
          for (const output of outputs) {
            if (inputFileNames.has(toPath22(state, output))) continue;
            if (host.fileExists(output)) {
              if (filesToDelete) {
                filesToDelete.push(output);
              } else {
                host.deleteFile(output);
                invalidateProject(
                  state,
                  resolvedPath,
                  0
                  /* Update */
                );
              }
            }
          }
        }
        if (filesToDelete) {
          reportStatus(state, Diagnostics.A_non_dry_build_would_delete_the_following_files_Colon_0, filesToDelete.map((f) => `\r
 * ${f}`).join(""));
        }
        return 0;
      }
      function invalidateProject(state, resolved, updateLevel) {
        if (state.host.getParsedCommandLine && updateLevel === 1) {
          updateLevel = 2;
        }
        if (updateLevel === 2) {
          state.configFileCache.delete(resolved);
          state.buildOrder = void 0;
        }
        state.needsSummary = true;
        clearProjectStatus(state, resolved);
        addProjToQueue(state, resolved, updateLevel);
        enableCache(state);
      }
      function invalidateProjectAndScheduleBuilds(state, resolvedPath, updateLevel) {
        state.reportFileChangeDetected = true;
        invalidateProject(state, resolvedPath, updateLevel);
        scheduleBuildInvalidatedProject(
          state,
          250,
          /*changeDetected*/
          true
        );
      }
      function scheduleBuildInvalidatedProject(state, time, changeDetected) {
        const { hostWithWatch } = state;
        if (!hostWithWatch.setTimeout || !hostWithWatch.clearTimeout) {
          return;
        }
        if (state.timerToBuildInvalidatedProject) {
          hostWithWatch.clearTimeout(state.timerToBuildInvalidatedProject);
        }
        state.timerToBuildInvalidatedProject = hostWithWatch.setTimeout(buildNextInvalidatedProject, time, "timerToBuildInvalidatedProject", state, changeDetected);
      }
      function buildNextInvalidatedProject(_timeoutType, state, changeDetected) {
        mark("SolutionBuilder::beforeBuild");
        const buildOrder = buildNextInvalidatedProjectWorker(state, changeDetected);
        mark("SolutionBuilder::afterBuild");
        measure("SolutionBuilder::Build", "SolutionBuilder::beforeBuild", "SolutionBuilder::afterBuild");
        if (buildOrder) reportErrorSummary(state, buildOrder);
      }
      function buildNextInvalidatedProjectWorker(state, changeDetected) {
        state.timerToBuildInvalidatedProject = void 0;
        if (state.reportFileChangeDetected) {
          state.reportFileChangeDetected = false;
          state.projectErrorsReported.clear();
          reportWatchStatus(state, Diagnostics.File_change_detected_Starting_incremental_compilation);
        }
        let projectsBuilt = 0;
        const buildOrder = getBuildOrder(state);
        const invalidatedProject = getNextInvalidatedProject(
          state,
          buildOrder,
          /*reportQueue*/
          false
        );
        if (invalidatedProject) {
          invalidatedProject.done();
          projectsBuilt++;
          while (state.projectPendingBuild.size) {
            if (state.timerToBuildInvalidatedProject) return;
            const info = getNextInvalidatedProjectCreateInfo(
              state,
              buildOrder,
              /*reportQueue*/
              false
            );
            if (!info) break;
            if (info.kind !== 1 && (changeDetected || projectsBuilt === 5)) {
              scheduleBuildInvalidatedProject(
                state,
                100,
                /*changeDetected*/
                false
              );
              return;
            }
            const project = createInvalidatedProjectWithInfo(state, info, buildOrder);
            project.done();
            if (info.kind !== 1) projectsBuilt++;
          }
        }
        disableCache(state);
        return buildOrder;
      }
      function watchConfigFile(state, resolved, resolvedPath, parsed) {
        if (!state.watch || state.allWatchedConfigFiles.has(resolvedPath)) return;
        state.allWatchedConfigFiles.set(
          resolvedPath,
          watchFile(
            state,
            resolved,
            () => invalidateProjectAndScheduleBuilds(
              state,
              resolvedPath,
              2
              /* Full */
            ),
            2e3,
            parsed == null ? void 0 : parsed.watchOptions,
            WatchType.ConfigFile,
            resolved
          )
        );
      }
      function watchExtendedConfigFiles(state, resolvedPath, parsed) {
        updateSharedExtendedConfigFileWatcher(
          resolvedPath,
          parsed == null ? void 0 : parsed.options,
          state.allWatchedExtendedConfigFiles,
          (extendedConfigFileName, extendedConfigFilePath) => watchFile(
            state,
            extendedConfigFileName,
            () => {
              var _a;
              return (_a = state.allWatchedExtendedConfigFiles.get(extendedConfigFilePath)) == null ? void 0 : _a.projects.forEach((projectConfigFilePath) => invalidateProjectAndScheduleBuilds(
                state,
                projectConfigFilePath,
                2
                /* Full */
              ));
            },
            2e3,
            parsed == null ? void 0 : parsed.watchOptions,
            WatchType.ExtendedConfigFile
          ),
          (fileName) => toPath22(state, fileName)
        );
      }
      function watchWildCardDirectories(state, resolved, resolvedPath, parsed) {
        if (!state.watch) return;
        updateWatchingWildcardDirectories(
          getOrCreateValueMapFromConfigFileMap(state.allWatchedWildcardDirectories, resolvedPath),
          parsed.wildcardDirectories,
          (dir, flags) => state.watchDirectory(
            dir,
            (fileOrDirectory) => {
              var _a;
              if (isIgnoredFileFromWildCardWatching({
                watchedDirPath: toPath22(state, dir),
                fileOrDirectory,
                fileOrDirectoryPath: toPath22(state, fileOrDirectory),
                configFileName: resolved,
                currentDirectory: state.compilerHost.getCurrentDirectory(),
                options: parsed.options,
                program: state.builderPrograms.get(resolvedPath) || ((_a = getCachedParsedConfigFile(state, resolvedPath)) == null ? void 0 : _a.fileNames),
                useCaseSensitiveFileNames: state.parseConfigFileHost.useCaseSensitiveFileNames,
                writeLog: (s) => state.writeLog(s),
                toPath: (fileName) => toPath22(state, fileName)
              })) return;
              invalidateProjectAndScheduleBuilds(
                state,
                resolvedPath,
                1
                /* RootNamesAndUpdate */
              );
            },
            flags,
            parsed == null ? void 0 : parsed.watchOptions,
            WatchType.WildcardDirectory,
            resolved
          )
        );
      }
      function watchInputFiles(state, resolved, resolvedPath, parsed) {
        if (!state.watch) return;
        mutateMap(
          getOrCreateValueMapFromConfigFileMap(state.allWatchedInputFiles, resolvedPath),
          new Set(parsed.fileNames),
          {
            createNewValue: (input) => watchFile(
              state,
              input,
              () => invalidateProjectAndScheduleBuilds(
                state,
                resolvedPath,
                0
                /* Update */
              ),
              250,
              parsed == null ? void 0 : parsed.watchOptions,
              WatchType.SourceFile,
              resolved
            ),
            onDeleteValue: closeFileWatcher
          }
        );
      }
      function watchPackageJsonFiles(state, resolved, resolvedPath, parsed) {
        if (!state.watch || !state.lastCachedPackageJsonLookups) return;
        mutateMap(
          getOrCreateValueMapFromConfigFileMap(state.allWatchedPackageJsonFiles, resolvedPath),
          state.lastCachedPackageJsonLookups.get(resolvedPath),
          {
            createNewValue: (input) => watchFile(
              state,
              input,
              () => invalidateProjectAndScheduleBuilds(
                state,
                resolvedPath,
                0
                /* Update */
              ),
              2e3,
              parsed == null ? void 0 : parsed.watchOptions,
              WatchType.PackageJson,
              resolved
            ),
            onDeleteValue: closeFileWatcher
          }
        );
      }
      function startWatching(state, buildOrder) {
        if (!state.watchAllProjectsPending) return;
        mark("SolutionBuilder::beforeWatcherCreation");
        state.watchAllProjectsPending = false;
        for (const resolved of getBuildOrderFromAnyBuildOrder(buildOrder)) {
          const resolvedPath = toResolvedConfigFilePath(state, resolved);
          const cfg = parseConfigFile(state, resolved, resolvedPath);
          watchConfigFile(state, resolved, resolvedPath, cfg);
          watchExtendedConfigFiles(state, resolvedPath, cfg);
          if (cfg) {
            watchWildCardDirectories(state, resolved, resolvedPath, cfg);
            watchInputFiles(state, resolved, resolvedPath, cfg);
            watchPackageJsonFiles(state, resolved, resolvedPath, cfg);
          }
        }
        mark("SolutionBuilder::afterWatcherCreation");
        measure("SolutionBuilder::Watcher creation", "SolutionBuilder::beforeWatcherCreation", "SolutionBuilder::afterWatcherCreation");
      }
      function stopWatching(state) {
        clearMap(state.allWatchedConfigFiles, closeFileWatcher);
        clearMap(state.allWatchedExtendedConfigFiles, closeFileWatcherOf);
        clearMap(state.allWatchedWildcardDirectories, (watchedWildcardDirectories) => clearMap(watchedWildcardDirectories, closeFileWatcherOf));
        clearMap(state.allWatchedInputFiles, (watchedWildcardDirectories) => clearMap(watchedWildcardDirectories, closeFileWatcher));
        clearMap(state.allWatchedPackageJsonFiles, (watchedPacageJsonFiles) => clearMap(watchedPacageJsonFiles, closeFileWatcher));
      }
      function createSolutionBuilderWorker(watch, hostOrHostWithWatch, rootNames, options, baseWatchOptions) {
        const state = createSolutionBuilderState(watch, hostOrHostWithWatch, rootNames, options, baseWatchOptions);
        return {
          build: (project, cancellationToken, writeFile2, getCustomTransformers) => build(state, project, cancellationToken, writeFile2, getCustomTransformers),
          clean: (project) => clean(state, project),
          buildReferences: (project, cancellationToken, writeFile2, getCustomTransformers) => build(
            state,
            project,
            cancellationToken,
            writeFile2,
            getCustomTransformers,
            /*onlyReferences*/
            true
          ),
          cleanReferences: (project) => clean(
            state,
            project,
            /*onlyReferences*/
            true
          ),
          getNextInvalidatedProject: (cancellationToken) => {
            setupInitialBuild(state, cancellationToken);
            return getNextInvalidatedProject(
              state,
              getBuildOrder(state),
              /*reportQueue*/
              false
            );
          },
          getBuildOrder: () => getBuildOrder(state),
          getUpToDateStatusOfProject: (project) => {
            const configFileName = resolveProjectName(state, project);
            const configFilePath = toResolvedConfigFilePath(state, configFileName);
            return getUpToDateStatus(state, parseConfigFile(state, configFileName, configFilePath), configFilePath);
          },
          invalidateProject: (configFilePath, updateLevel) => invalidateProject(
            state,
            configFilePath,
            updateLevel || 0
            /* Update */
          ),
          close: () => stopWatching(state)
        };
      }
      function relName(state, path17) {
        return convertToRelativePath(path17, state.compilerHost.getCurrentDirectory(), state.compilerHost.getCanonicalFileName);
      }
      function reportStatus(state, message, ...args) {
        state.host.reportSolutionBuilderStatus(createCompilerDiagnostic(message, ...args));
      }
      function reportWatchStatus(state, message, ...args) {
        var _a, _b;
        (_b = (_a = state.hostWithWatch).onWatchStatusChange) == null ? void 0 : _b.call(_a, createCompilerDiagnostic(message, ...args), state.host.getNewLine(), state.baseCompilerOptions);
      }
      function reportErrors({ host }, errors) {
        errors.forEach((err) => host.reportDiagnostic(err));
      }
      function reportAndStoreErrors(state, proj, errors) {
        reportErrors(state, errors);
        state.projectErrorsReported.set(proj, true);
        if (errors.length) {
          state.diagnostics.set(proj, errors);
        }
      }
      function reportParseConfigFileDiagnostic(state, proj) {
        reportAndStoreErrors(state, proj, [state.configFileCache.get(proj)]);
      }
      function reportErrorSummary(state, buildOrder) {
        if (!state.needsSummary) return;
        state.needsSummary = false;
        const canReportSummary = state.watch || !!state.host.reportErrorSummary;
        const { diagnostics } = state;
        let totalErrors = 0;
        let filesInError = [];
        if (isCircularBuildOrder(buildOrder)) {
          reportBuildQueue(state, buildOrder.buildOrder);
          reportErrors(state, buildOrder.circularDiagnostics);
          if (canReportSummary) totalErrors += getErrorCountForSummary(buildOrder.circularDiagnostics);
          if (canReportSummary) filesInError = [...filesInError, ...getFilesInErrorForSummary(buildOrder.circularDiagnostics)];
        } else {
          buildOrder.forEach((project) => {
            const projectPath = toResolvedConfigFilePath(state, project);
            if (!state.projectErrorsReported.has(projectPath)) {
              reportErrors(state, diagnostics.get(projectPath) || emptyArray);
            }
          });
          if (canReportSummary) diagnostics.forEach((singleProjectErrors) => totalErrors += getErrorCountForSummary(singleProjectErrors));
          if (canReportSummary) diagnostics.forEach((singleProjectErrors) => [...filesInError, ...getFilesInErrorForSummary(singleProjectErrors)]);
        }
        if (state.watch) {
          reportWatchStatus(state, getWatchErrorSummaryDiagnosticMessage(totalErrors), totalErrors);
        } else if (state.host.reportErrorSummary) {
          state.host.reportErrorSummary(totalErrors, filesInError);
        }
      }
      function reportBuildQueue(state, buildQueue) {
        if (state.options.verbose) {
          reportStatus(state, Diagnostics.Projects_in_this_build_Colon_0, buildQueue.map((s) => "\r\n    * " + relName(state, s)).join(""));
        }
      }
      function reportUpToDateStatus(state, configFileName, status) {
        switch (status.type) {
          case 5:
            return reportStatus(
              state,
              Diagnostics.Project_0_is_out_of_date_because_output_1_is_older_than_input_2,
              relName(state, configFileName),
              relName(state, status.outOfDateOutputFileName),
              relName(state, status.newerInputFileName)
            );
          case 6:
            return reportStatus(
              state,
              Diagnostics.Project_0_is_out_of_date_because_output_1_is_older_than_input_2,
              relName(state, configFileName),
              relName(state, status.outOfDateOutputFileName),
              relName(state, status.newerProjectName)
            );
          case 3:
            return reportStatus(
              state,
              Diagnostics.Project_0_is_out_of_date_because_output_file_1_does_not_exist,
              relName(state, configFileName),
              relName(state, status.missingOutputFileName)
            );
          case 4:
            return reportStatus(
              state,
              Diagnostics.Project_0_is_out_of_date_because_there_was_error_reading_file_1,
              relName(state, configFileName),
              relName(state, status.fileName)
            );
          case 7:
            return reportStatus(
              state,
              Diagnostics.Project_0_is_out_of_date_because_buildinfo_file_1_indicates_that_some_of_the_changes_were_not_emitted,
              relName(state, configFileName),
              relName(state, status.buildInfoFile)
            );
          case 8:
            return reportStatus(
              state,
              Diagnostics.Project_0_is_out_of_date_because_buildinfo_file_1_indicates_there_is_change_in_compilerOptions,
              relName(state, configFileName),
              relName(state, status.buildInfoFile)
            );
          case 9:
            return reportStatus(
              state,
              Diagnostics.Project_0_is_out_of_date_because_buildinfo_file_1_indicates_that_file_2_was_root_file_of_compilation_but_not_any_more,
              relName(state, configFileName),
              relName(state, status.buildInfoFile),
              relName(state, status.inputFile)
            );
          case 1:
            if (status.newestInputFileTime !== void 0) {
              return reportStatus(
                state,
                Diagnostics.Project_0_is_up_to_date_because_newest_input_1_is_older_than_output_2,
                relName(state, configFileName),
                relName(state, status.newestInputFileName || ""),
                relName(state, status.oldestOutputFileName || "")
              );
            }
            break;
          case 2:
            return reportStatus(
              state,
              Diagnostics.Project_0_is_up_to_date_with_d_ts_files_from_its_dependencies,
              relName(state, configFileName)
            );
          case 14:
            return reportStatus(
              state,
              Diagnostics.Project_0_is_up_to_date_but_needs_to_update_timestamps_of_output_files_that_are_older_than_input_files,
              relName(state, configFileName)
            );
          case 10:
            return reportStatus(
              state,
              Diagnostics.Project_0_is_out_of_date_because_its_dependency_1_is_out_of_date,
              relName(state, configFileName),
              relName(state, status.upstreamProjectName)
            );
          case 11:
            return reportStatus(
              state,
              status.upstreamProjectBlocked ? Diagnostics.Project_0_can_t_be_built_because_its_dependency_1_was_not_built : Diagnostics.Project_0_can_t_be_built_because_its_dependency_1_has_errors,
              relName(state, configFileName),
              relName(state, status.upstreamProjectName)
            );
          case 0:
            return reportStatus(
              state,
              Diagnostics.Failed_to_parse_file_0_Colon_1,
              relName(state, configFileName),
              status.reason
            );
          case 13:
            return reportStatus(
              state,
              Diagnostics.Project_0_is_out_of_date_because_output_for_it_was_generated_with_version_1_that_differs_with_current_version_2,
              relName(state, configFileName),
              status.version,
              version
            );
          case 16:
            return reportStatus(
              state,
              Diagnostics.Project_0_is_being_forcibly_rebuilt,
              relName(state, configFileName)
            );
          case 15:
          case 12:
            break;
          default:
            assertType(status);
        }
      }
      function verboseReportProjectStatus(state, configFileName, status) {
        if (state.options.verbose) {
          reportUpToDateStatus(state, configFileName, status);
        }
      }
      var StatisticType = /* @__PURE__ */ ((StatisticType2) => {
        StatisticType2[StatisticType2["time"] = 0] = "time";
        StatisticType2[StatisticType2["count"] = 1] = "count";
        StatisticType2[StatisticType2["memory"] = 2] = "memory";
        return StatisticType2;
      })(StatisticType || {});
      function countLines(program) {
        const counts2 = getCountsMap();
        forEach(program.getSourceFiles(), (file) => {
          const key = getCountKey(program, file);
          const lineCount = getLineStarts(file).length;
          counts2.set(key, counts2.get(key) + lineCount);
        });
        return counts2;
      }
      function getCountsMap() {
        const counts2 = /* @__PURE__ */ new Map();
        counts2.set("Library", 0);
        counts2.set("Definitions", 0);
        counts2.set("TypeScript", 0);
        counts2.set("JavaScript", 0);
        counts2.set("JSON", 0);
        counts2.set("Other", 0);
        return counts2;
      }
      function getCountKey(program, file) {
        if (program.isSourceFileDefaultLibrary(file)) {
          return "Library";
        } else if (file.isDeclarationFile) {
          return "Definitions";
        }
        const path17 = file.path;
        if (fileExtensionIsOneOf(path17, supportedTSExtensionsFlat)) {
          return "TypeScript";
        } else if (fileExtensionIsOneOf(path17, supportedJSExtensionsFlat)) {
          return "JavaScript";
        } else if (fileExtensionIs(
          path17,
          ".json"
          /* Json */
        )) {
          return "JSON";
        } else {
          return "Other";
        }
      }
      function updateReportDiagnostic(sys2, existing, options) {
        return shouldBePretty(sys2, options) ? createDiagnosticReporter(
          sys2,
          /*pretty*/
          true
        ) : existing;
      }
      function defaultIsPretty(sys2) {
        return !!sys2.writeOutputIsTTY && sys2.writeOutputIsTTY() && !sys2.getEnvironmentVariable("NO_COLOR");
      }
      function shouldBePretty(sys2, options) {
        if (!options || typeof options.pretty === "undefined") {
          return defaultIsPretty(sys2);
        }
        return options.pretty;
      }
      function getOptionsForHelp(commandLine) {
        return !!commandLine.options.all ? sort(optionDeclarations, (a, b) => compareStringsCaseInsensitive(a.name, b.name)) : filter(optionDeclarations.slice(), (v) => !!v.showInSimplifiedHelpView);
      }
      function printVersion(sys2) {
        sys2.write(getDiagnosticText(Diagnostics.Version_0, version) + sys2.newLine);
      }
      function createColors(sys2) {
        const showColors = defaultIsPretty(sys2);
        if (!showColors) {
          return {
            bold: (str) => str,
            blue: (str) => str,
            blueBackground: (str) => str,
            brightWhite: (str) => str
          };
        }
        function bold(str) {
          return `\x1B[1m${str}\x1B[22m`;
        }
        const isWindows = sys2.getEnvironmentVariable("OS") && sys2.getEnvironmentVariable("OS").toLowerCase().includes("windows");
        const isWindowsTerminal = sys2.getEnvironmentVariable("WT_SESSION");
        const isVSCode = sys2.getEnvironmentVariable("TERM_PROGRAM") && sys2.getEnvironmentVariable("TERM_PROGRAM") === "vscode";
        function blue(str) {
          if (isWindows && !isWindowsTerminal && !isVSCode) {
            return brightWhite(str);
          }
          return `\x1B[94m${str}\x1B[39m`;
        }
        const supportsRicherColors = sys2.getEnvironmentVariable("COLORTERM") === "truecolor" || sys2.getEnvironmentVariable("TERM") === "xterm-256color";
        function blueBackground(str) {
          if (supportsRicherColors) {
            return `\x1B[48;5;68m${str}\x1B[39;49m`;
          } else {
            return `\x1B[44m${str}\x1B[39;49m`;
          }
        }
        function brightWhite(str) {
          return `\x1B[97m${str}\x1B[39m`;
        }
        return {
          bold,
          blue,
          brightWhite,
          blueBackground
        };
      }
      function getDisplayNameTextOfOption(option) {
        return `--${option.name}${option.shortName ? `, -${option.shortName}` : ""}`;
      }
      function generateOptionOutput(sys2, option, rightAlignOfLeft, leftAlignOfRight) {
        var _a;
        const text = [];
        const colors = createColors(sys2);
        const name = getDisplayNameTextOfOption(option);
        const valueCandidates = getValueCandidate(option);
        const defaultValueDescription = typeof option.defaultValueDescription === "object" ? getDiagnosticText(option.defaultValueDescription) : formatDefaultValue(
          option.defaultValueDescription,
          option.type === "list" || option.type === "listOrElement" ? option.element.type : option.type
        );
        const terminalWidth = ((_a = sys2.getWidthOfTerminal) == null ? void 0 : _a.call(sys2)) ?? 0;
        if (terminalWidth >= 80) {
          let description3 = "";
          if (option.description) {
            description3 = getDiagnosticText(option.description);
          }
          text.push(...getPrettyOutput(
            name,
            description3,
            rightAlignOfLeft,
            leftAlignOfRight,
            terminalWidth,
            /*colorLeft*/
            true
          ), sys2.newLine);
          if (showAdditionalInfoOutput(valueCandidates, option)) {
            if (valueCandidates) {
              text.push(...getPrettyOutput(
                valueCandidates.valueType,
                valueCandidates.possibleValues,
                rightAlignOfLeft,
                leftAlignOfRight,
                terminalWidth,
                /*colorLeft*/
                false
              ), sys2.newLine);
            }
            if (defaultValueDescription) {
              text.push(...getPrettyOutput(
                getDiagnosticText(Diagnostics.default_Colon),
                defaultValueDescription,
                rightAlignOfLeft,
                leftAlignOfRight,
                terminalWidth,
                /*colorLeft*/
                false
              ), sys2.newLine);
            }
          }
          text.push(sys2.newLine);
        } else {
          text.push(colors.blue(name), sys2.newLine);
          if (option.description) {
            const description3 = getDiagnosticText(option.description);
            text.push(description3);
          }
          text.push(sys2.newLine);
          if (showAdditionalInfoOutput(valueCandidates, option)) {
            if (valueCandidates) {
              text.push(`${valueCandidates.valueType} ${valueCandidates.possibleValues}`);
            }
            if (defaultValueDescription) {
              if (valueCandidates) text.push(sys2.newLine);
              const diagType = getDiagnosticText(Diagnostics.default_Colon);
              text.push(`${diagType} ${defaultValueDescription}`);
            }
            text.push(sys2.newLine);
          }
          text.push(sys2.newLine);
        }
        return text;
        function formatDefaultValue(defaultValue, type) {
          return defaultValue !== void 0 && typeof type === "object" ? arrayFrom(type.entries()).filter(([, value]) => value === defaultValue).map(([name2]) => name2).join("/") : String(defaultValue);
        }
        function showAdditionalInfoOutput(valueCandidates2, option2) {
          const ignoreValues = ["string"];
          const ignoredDescriptions = [void 0, "false", "n/a"];
          const defaultValueDescription2 = option2.defaultValueDescription;
          if (option2.category === Diagnostics.Command_line_Options) return false;
          if (contains(ignoreValues, valueCandidates2 == null ? void 0 : valueCandidates2.possibleValues) && contains(ignoredDescriptions, defaultValueDescription2)) {
            return false;
          }
          return true;
        }
        function getPrettyOutput(left, right, rightAlignOfLeft2, leftAlignOfRight2, terminalWidth2, colorLeft) {
          const res = [];
          let isFirstLine = true;
          let remainRight = right;
          const rightCharacterNumber = terminalWidth2 - leftAlignOfRight2;
          while (remainRight.length > 0) {
            let curLeft = "";
            if (isFirstLine) {
              curLeft = left.padStart(rightAlignOfLeft2);
              curLeft = curLeft.padEnd(leftAlignOfRight2);
              curLeft = colorLeft ? colors.blue(curLeft) : curLeft;
            } else {
              curLeft = "".padStart(leftAlignOfRight2);
            }
            const curRight = remainRight.substr(0, rightCharacterNumber);
            remainRight = remainRight.slice(rightCharacterNumber);
            res.push(`${curLeft}${curRight}`);
            isFirstLine = false;
          }
          return res;
        }
        function getValueCandidate(option2) {
          if (option2.type === "object") {
            return void 0;
          }
          return {
            valueType: getValueType(option2),
            possibleValues: getPossibleValues(option2)
          };
          function getValueType(option3) {
            Debug.assert(option3.type !== "listOrElement");
            switch (option3.type) {
              case "string":
              case "number":
              case "boolean":
                return getDiagnosticText(Diagnostics.type_Colon);
              case "list":
                return getDiagnosticText(Diagnostics.one_or_more_Colon);
              default:
                return getDiagnosticText(Diagnostics.one_of_Colon);
            }
          }
          function getPossibleValues(option3) {
            let possibleValues;
            switch (option3.type) {
              case "string":
              case "number":
              case "boolean":
                possibleValues = option3.type;
                break;
              case "list":
              case "listOrElement":
                possibleValues = getPossibleValues(option3.element);
                break;
              case "object":
                possibleValues = "";
                break;
              default:
                const inverted = {};
                option3.type.forEach((value, name2) => {
                  var _a2;
                  if (!((_a2 = option3.deprecatedKeys) == null ? void 0 : _a2.has(name2))) {
                    (inverted[value] || (inverted[value] = [])).push(name2);
                  }
                });
                return Object.entries(inverted).map(([, synonyms]) => synonyms.join("/")).join(", ");
            }
            return possibleValues;
          }
        }
      }
      function generateGroupOptionOutput(sys2, optionsList) {
        let maxLength2 = 0;
        for (const option of optionsList) {
          const curLength = getDisplayNameTextOfOption(option).length;
          maxLength2 = maxLength2 > curLength ? maxLength2 : curLength;
        }
        const rightAlignOfLeftPart = maxLength2 + 2;
        const leftAlignOfRightPart = rightAlignOfLeftPart + 2;
        let lines = [];
        for (const option of optionsList) {
          const tmp = generateOptionOutput(sys2, option, rightAlignOfLeftPart, leftAlignOfRightPart);
          lines = [...lines, ...tmp];
        }
        if (lines[lines.length - 2] !== sys2.newLine) {
          lines.push(sys2.newLine);
        }
        return lines;
      }
      function generateSectionOptionsOutput(sys2, sectionName, options, subCategory, beforeOptionsDescription, afterOptionsDescription) {
        let res = [];
        res.push(createColors(sys2).bold(sectionName) + sys2.newLine + sys2.newLine);
        if (beforeOptionsDescription) {
          res.push(beforeOptionsDescription + sys2.newLine + sys2.newLine);
        }
        if (!subCategory) {
          res = [...res, ...generateGroupOptionOutput(sys2, options)];
          if (afterOptionsDescription) {
            res.push(afterOptionsDescription + sys2.newLine + sys2.newLine);
          }
          return res;
        }
        const categoryMap = /* @__PURE__ */ new Map();
        for (const option of options) {
          if (!option.category) {
            continue;
          }
          const curCategory = getDiagnosticText(option.category);
          const optionsOfCurCategory = categoryMap.get(curCategory) ?? [];
          optionsOfCurCategory.push(option);
          categoryMap.set(curCategory, optionsOfCurCategory);
        }
        categoryMap.forEach((value, key) => {
          res.push(`### ${key}${sys2.newLine}${sys2.newLine}`);
          res = [...res, ...generateGroupOptionOutput(sys2, value)];
        });
        if (afterOptionsDescription) {
          res.push(afterOptionsDescription + sys2.newLine + sys2.newLine);
        }
        return res;
      }
      function printEasyHelp(sys2, simpleOptions) {
        const colors = createColors(sys2);
        let output = [...getHeader(sys2, `${getDiagnosticText(Diagnostics.tsc_Colon_The_TypeScript_Compiler)} - ${getDiagnosticText(Diagnostics.Version_0, version)}`)];
        output.push(colors.bold(getDiagnosticText(Diagnostics.COMMON_COMMANDS)) + sys2.newLine + sys2.newLine);
        example("tsc", Diagnostics.Compiles_the_current_project_tsconfig_json_in_the_working_directory);
        example("tsc app.ts util.ts", Diagnostics.Ignoring_tsconfig_json_compiles_the_specified_files_with_default_compiler_options);
        example("tsc -b", Diagnostics.Build_a_composite_project_in_the_working_directory);
        example("tsc --init", Diagnostics.Creates_a_tsconfig_json_with_the_recommended_settings_in_the_working_directory);
        example("tsc -p ./path/to/tsconfig.json", Diagnostics.Compiles_the_TypeScript_project_located_at_the_specified_path);
        example("tsc --help --all", Diagnostics.An_expanded_version_of_this_information_showing_all_possible_compiler_options);
        example(["tsc --noEmit", "tsc --target esnext"], Diagnostics.Compiles_the_current_project_with_additional_settings);
        const cliCommands = simpleOptions.filter((opt) => opt.isCommandLineOnly || opt.category === Diagnostics.Command_line_Options);
        const configOpts = simpleOptions.filter((opt) => !contains(cliCommands, opt));
        output = [
          ...output,
          ...generateSectionOptionsOutput(
            sys2,
            getDiagnosticText(Diagnostics.COMMAND_LINE_FLAGS),
            cliCommands,
            /*subCategory*/
            false,
            /*beforeOptionsDescription*/
            void 0,
            /*afterOptionsDescription*/
            void 0
          ),
          ...generateSectionOptionsOutput(
            sys2,
            getDiagnosticText(Diagnostics.COMMON_COMPILER_OPTIONS),
            configOpts,
            /*subCategory*/
            false,
            /*beforeOptionsDescription*/
            void 0,
            formatMessage(Diagnostics.You_can_learn_about_all_of_the_compiler_options_at_0, "https://aka.ms/tsc")
          )
        ];
        for (const line of output) {
          sys2.write(line);
        }
        function example(ex, desc) {
          const examples = typeof ex === "string" ? [ex] : ex;
          for (const example2 of examples) {
            output.push("  " + colors.blue(example2) + sys2.newLine);
          }
          output.push("  " + getDiagnosticText(desc) + sys2.newLine + sys2.newLine);
        }
      }
      function printAllHelp(sys2, compilerOptions, buildOptions, watchOptions) {
        let output = [...getHeader(sys2, `${getDiagnosticText(Diagnostics.tsc_Colon_The_TypeScript_Compiler)} - ${getDiagnosticText(Diagnostics.Version_0, version)}`)];
        output = [...output, ...generateSectionOptionsOutput(
          sys2,
          getDiagnosticText(Diagnostics.ALL_COMPILER_OPTIONS),
          compilerOptions,
          /*subCategory*/
          true,
          /*beforeOptionsDescription*/
          void 0,
          formatMessage(Diagnostics.You_can_learn_about_all_of_the_compiler_options_at_0, "https://aka.ms/tsc")
        )];
        output = [...output, ...generateSectionOptionsOutput(
          sys2,
          getDiagnosticText(Diagnostics.WATCH_OPTIONS),
          watchOptions,
          /*subCategory*/
          false,
          getDiagnosticText(Diagnostics.Including_watch_w_will_start_watching_the_current_project_for_the_file_changes_Once_set_you_can_config_watch_mode_with_Colon)
        )];
        output = [...output, ...generateSectionOptionsOutput(
          sys2,
          getDiagnosticText(Diagnostics.BUILD_OPTIONS),
          buildOptions,
          /*subCategory*/
          false,
          formatMessage(Diagnostics.Using_build_b_will_make_tsc_behave_more_like_a_build_orchestrator_than_a_compiler_This_is_used_to_trigger_building_composite_projects_which_you_can_learn_more_about_at_0, "https://aka.ms/tsc-composite-builds")
        )];
        for (const line of output) {
          sys2.write(line);
        }
      }
      function printBuildHelp(sys2, buildOptions) {
        let output = [...getHeader(sys2, `${getDiagnosticText(Diagnostics.tsc_Colon_The_TypeScript_Compiler)} - ${getDiagnosticText(Diagnostics.Version_0, version)}`)];
        output = [...output, ...generateSectionOptionsOutput(
          sys2,
          getDiagnosticText(Diagnostics.BUILD_OPTIONS),
          buildOptions,
          /*subCategory*/
          false,
          formatMessage(Diagnostics.Using_build_b_will_make_tsc_behave_more_like_a_build_orchestrator_than_a_compiler_This_is_used_to_trigger_building_composite_projects_which_you_can_learn_more_about_at_0, "https://aka.ms/tsc-composite-builds")
        )];
        for (const line of output) {
          sys2.write(line);
        }
      }
      function getHeader(sys2, message) {
        var _a;
        const colors = createColors(sys2);
        const header = [];
        const terminalWidth = ((_a = sys2.getWidthOfTerminal) == null ? void 0 : _a.call(sys2)) ?? 0;
        const tsIconLength = 5;
        const tsIconFirstLine = colors.blueBackground("".padStart(tsIconLength));
        const tsIconSecondLine = colors.blueBackground(colors.brightWhite("TS ".padStart(tsIconLength)));
        if (terminalWidth >= message.length + tsIconLength) {
          const rightAlign = terminalWidth > 120 ? 120 : terminalWidth;
          const leftAlign = rightAlign - tsIconLength;
          header.push(message.padEnd(leftAlign) + tsIconFirstLine + sys2.newLine);
          header.push("".padStart(leftAlign) + tsIconSecondLine + sys2.newLine);
        } else {
          header.push(message + sys2.newLine);
          header.push(sys2.newLine);
        }
        return header;
      }
      function printHelp(sys2, commandLine) {
        if (!commandLine.options.all) {
          printEasyHelp(sys2, getOptionsForHelp(commandLine));
        } else {
          printAllHelp(sys2, getOptionsForHelp(commandLine), optionsForBuild, optionsForWatch);
        }
      }
      function executeCommandLineWorker(sys2, cb, commandLine) {
        let reportDiagnostic = createDiagnosticReporter(sys2);
        if (commandLine.options.build) {
          reportDiagnostic(createCompilerDiagnostic(Diagnostics.Option_build_must_be_the_first_command_line_argument));
          return sys2.exit(
            1
            /* DiagnosticsPresent_OutputsSkipped */
          );
        }
        let configFileName;
        if (commandLine.options.locale) {
          validateLocaleAndSetLanguage(commandLine.options.locale, sys2, commandLine.errors);
        }
        if (commandLine.errors.length > 0) {
          commandLine.errors.forEach(reportDiagnostic);
          return sys2.exit(
            1
            /* DiagnosticsPresent_OutputsSkipped */
          );
        }
        if (commandLine.options.init) {
          writeConfigFile(sys2, reportDiagnostic, commandLine.options, commandLine.fileNames);
          return sys2.exit(
            0
            /* Success */
          );
        }
        if (commandLine.options.version) {
          printVersion(sys2);
          return sys2.exit(
            0
            /* Success */
          );
        }
        if (commandLine.options.help || commandLine.options.all) {
          printHelp(sys2, commandLine);
          return sys2.exit(
            0
            /* Success */
          );
        }
        if (commandLine.options.watch && commandLine.options.listFilesOnly) {
          reportDiagnostic(createCompilerDiagnostic(Diagnostics.Options_0_and_1_cannot_be_combined, "watch", "listFilesOnly"));
          return sys2.exit(
            1
            /* DiagnosticsPresent_OutputsSkipped */
          );
        }
        if (commandLine.options.project) {
          if (commandLine.fileNames.length !== 0) {
            reportDiagnostic(createCompilerDiagnostic(Diagnostics.Option_project_cannot_be_mixed_with_source_files_on_a_command_line));
            return sys2.exit(
              1
              /* DiagnosticsPresent_OutputsSkipped */
            );
          }
          const fileOrDirectory = normalizePath(commandLine.options.project);
          if (!fileOrDirectory || sys2.directoryExists(fileOrDirectory)) {
            configFileName = combinePaths(fileOrDirectory, "tsconfig.json");
            if (!sys2.fileExists(configFileName)) {
              reportDiagnostic(createCompilerDiagnostic(Diagnostics.Cannot_find_a_tsconfig_json_file_at_the_specified_directory_Colon_0, commandLine.options.project));
              return sys2.exit(
                1
                /* DiagnosticsPresent_OutputsSkipped */
              );
            }
          } else {
            configFileName = fileOrDirectory;
            if (!sys2.fileExists(configFileName)) {
              reportDiagnostic(createCompilerDiagnostic(Diagnostics.The_specified_path_does_not_exist_Colon_0, commandLine.options.project));
              return sys2.exit(
                1
                /* DiagnosticsPresent_OutputsSkipped */
              );
            }
          }
        } else if (commandLine.fileNames.length === 0) {
          const searchPath = normalizePath(sys2.getCurrentDirectory());
          configFileName = findConfigFile(searchPath, (fileName) => sys2.fileExists(fileName));
        }
        if (commandLine.fileNames.length === 0 && !configFileName) {
          if (commandLine.options.showConfig) {
            reportDiagnostic(createCompilerDiagnostic(Diagnostics.Cannot_find_a_tsconfig_json_file_at_the_current_directory_Colon_0, normalizePath(sys2.getCurrentDirectory())));
          } else {
            printVersion(sys2);
            printHelp(sys2, commandLine);
          }
          return sys2.exit(
            1
            /* DiagnosticsPresent_OutputsSkipped */
          );
        }
        const currentDirectory = sys2.getCurrentDirectory();
        const commandLineOptions = convertToOptionsWithAbsolutePaths(
          commandLine.options,
          (fileName) => getNormalizedAbsolutePath(fileName, currentDirectory)
        );
        if (configFileName) {
          const extendedConfigCache = /* @__PURE__ */ new Map();
          const configParseResult = parseConfigFileWithSystem(configFileName, commandLineOptions, extendedConfigCache, commandLine.watchOptions, sys2, reportDiagnostic);
          if (commandLineOptions.showConfig) {
            if (configParseResult.errors.length !== 0) {
              reportDiagnostic = updateReportDiagnostic(
                sys2,
                reportDiagnostic,
                configParseResult.options
              );
              configParseResult.errors.forEach(reportDiagnostic);
              return sys2.exit(
                1
                /* DiagnosticsPresent_OutputsSkipped */
              );
            }
            sys2.write(JSON.stringify(convertToTSConfig(configParseResult, configFileName, sys2), null, 4) + sys2.newLine);
            return sys2.exit(
              0
              /* Success */
            );
          }
          reportDiagnostic = updateReportDiagnostic(
            sys2,
            reportDiagnostic,
            configParseResult.options
          );
          if (isWatchSet(configParseResult.options)) {
            if (reportWatchModeWithoutSysSupport(sys2, reportDiagnostic)) return;
            return createWatchOfConfigFile(
              sys2,
              cb,
              reportDiagnostic,
              configParseResult,
              commandLineOptions,
              commandLine.watchOptions,
              extendedConfigCache
            );
          } else if (isIncrementalCompilation(configParseResult.options)) {
            performIncrementalCompilation2(
              sys2,
              cb,
              reportDiagnostic,
              configParseResult
            );
          } else {
            performCompilation(
              sys2,
              cb,
              reportDiagnostic,
              configParseResult
            );
          }
        } else {
          if (commandLineOptions.showConfig) {
            sys2.write(JSON.stringify(convertToTSConfig(commandLine, combinePaths(currentDirectory, "tsconfig.json"), sys2), null, 4) + sys2.newLine);
            return sys2.exit(
              0
              /* Success */
            );
          }
          reportDiagnostic = updateReportDiagnostic(
            sys2,
            reportDiagnostic,
            commandLineOptions
          );
          if (isWatchSet(commandLineOptions)) {
            if (reportWatchModeWithoutSysSupport(sys2, reportDiagnostic)) return;
            return createWatchOfFilesAndCompilerOptions(
              sys2,
              cb,
              reportDiagnostic,
              commandLine.fileNames,
              commandLineOptions,
              commandLine.watchOptions
            );
          } else if (isIncrementalCompilation(commandLineOptions)) {
            performIncrementalCompilation2(
              sys2,
              cb,
              reportDiagnostic,
              { ...commandLine, options: commandLineOptions }
            );
          } else {
            performCompilation(
              sys2,
              cb,
              reportDiagnostic,
              { ...commandLine, options: commandLineOptions }
            );
          }
        }
      }
      function isBuild(commandLineArgs) {
        if (commandLineArgs.length > 0 && commandLineArgs[0].charCodeAt(0) === 45) {
          const firstOption = commandLineArgs[0].slice(commandLineArgs[0].charCodeAt(1) === 45 ? 2 : 1).toLowerCase();
          return firstOption === "build" || firstOption === "b";
        }
        return false;
      }
      function executeCommandLine(system, cb, commandLineArgs) {
        if (isBuild(commandLineArgs)) {
          const { buildOptions, watchOptions, projects, errors } = parseBuildCommand(commandLineArgs.slice(1));
          if (buildOptions.generateCpuProfile && system.enableCPUProfiler) {
            system.enableCPUProfiler(buildOptions.generateCpuProfile, () => performBuild(
              system,
              cb,
              buildOptions,
              watchOptions,
              projects,
              errors
            ));
          } else {
            return performBuild(
              system,
              cb,
              buildOptions,
              watchOptions,
              projects,
              errors
            );
          }
        }
        const commandLine = parseCommandLine(commandLineArgs, (path17) => system.readFile(path17));
        if (commandLine.options.generateCpuProfile && system.enableCPUProfiler) {
          system.enableCPUProfiler(commandLine.options.generateCpuProfile, () => executeCommandLineWorker(
            system,
            cb,
            commandLine
          ));
        } else {
          return executeCommandLineWorker(system, cb, commandLine);
        }
      }
      function reportWatchModeWithoutSysSupport(sys2, reportDiagnostic) {
        if (!sys2.watchFile || !sys2.watchDirectory) {
          reportDiagnostic(createCompilerDiagnostic(Diagnostics.The_current_host_does_not_support_the_0_option, "--watch"));
          sys2.exit(
            1
            /* DiagnosticsPresent_OutputsSkipped */
          );
          return true;
        }
        return false;
      }
      var defaultJSDocParsingMode = 2;
      function performBuild(sys2, cb, buildOptions, watchOptions, projects, errors) {
        const reportDiagnostic = updateReportDiagnostic(
          sys2,
          createDiagnosticReporter(sys2),
          buildOptions
        );
        if (buildOptions.locale) {
          validateLocaleAndSetLanguage(buildOptions.locale, sys2, errors);
        }
        if (errors.length > 0) {
          errors.forEach(reportDiagnostic);
          return sys2.exit(
            1
            /* DiagnosticsPresent_OutputsSkipped */
          );
        }
        if (buildOptions.help) {
          printVersion(sys2);
          printBuildHelp(sys2, buildOpts);
          return sys2.exit(
            0
            /* Success */
          );
        }
        if (projects.length === 0) {
          printVersion(sys2);
          printBuildHelp(sys2, buildOpts);
          return sys2.exit(
            0
            /* Success */
          );
        }
        if (!sys2.getModifiedTime || !sys2.setModifiedTime || buildOptions.clean && !sys2.deleteFile) {
          reportDiagnostic(createCompilerDiagnostic(Diagnostics.The_current_host_does_not_support_the_0_option, "--build"));
          return sys2.exit(
            1
            /* DiagnosticsPresent_OutputsSkipped */
          );
        }
        if (buildOptions.watch) {
          if (reportWatchModeWithoutSysSupport(sys2, reportDiagnostic)) return;
          const buildHost2 = createSolutionBuilderWithWatchHost(
            sys2,
            /*createProgram*/
            void 0,
            reportDiagnostic,
            createBuilderStatusReporter(sys2, shouldBePretty(sys2, buildOptions)),
            createWatchStatusReporter2(sys2, buildOptions)
          );
          buildHost2.jsDocParsingMode = defaultJSDocParsingMode;
          const solutionPerformance2 = enableSolutionPerformance(sys2, buildOptions);
          updateSolutionBuilderHost(sys2, cb, buildHost2, solutionPerformance2);
          const onWatchStatusChange = buildHost2.onWatchStatusChange;
          let reportBuildStatistics = false;
          buildHost2.onWatchStatusChange = (d, newLine, options, errorCount) => {
            onWatchStatusChange == null ? void 0 : onWatchStatusChange(d, newLine, options, errorCount);
            if (reportBuildStatistics && (d.code === Diagnostics.Found_0_errors_Watching_for_file_changes.code || d.code === Diagnostics.Found_1_error_Watching_for_file_changes.code)) {
              reportSolutionBuilderTimes(builder2, solutionPerformance2);
            }
          };
          const builder2 = createSolutionBuilderWithWatch(buildHost2, projects, buildOptions, watchOptions);
          builder2.build();
          reportSolutionBuilderTimes(builder2, solutionPerformance2);
          reportBuildStatistics = true;
          return builder2;
        }
        const buildHost = createSolutionBuilderHost(
          sys2,
          /*createProgram*/
          void 0,
          reportDiagnostic,
          createBuilderStatusReporter(sys2, shouldBePretty(sys2, buildOptions)),
          createReportErrorSummary(sys2, buildOptions)
        );
        buildHost.jsDocParsingMode = defaultJSDocParsingMode;
        const solutionPerformance = enableSolutionPerformance(sys2, buildOptions);
        updateSolutionBuilderHost(sys2, cb, buildHost, solutionPerformance);
        const builder = createSolutionBuilder(buildHost, projects, buildOptions);
        const exitStatus = buildOptions.clean ? builder.clean() : builder.build();
        reportSolutionBuilderTimes(builder, solutionPerformance);
        dumpTracingLegend();
        return sys2.exit(exitStatus);
      }
      function createReportErrorSummary(sys2, options) {
        return shouldBePretty(sys2, options) ? (errorCount, filesInError) => sys2.write(getErrorSummaryText(errorCount, filesInError, sys2.newLine, sys2)) : void 0;
      }
      function performCompilation(sys2, cb, reportDiagnostic, config7) {
        const { fileNames, options, projectReferences } = config7;
        const host = createCompilerHostWorker(
          options,
          /*setParentNodes*/
          void 0,
          sys2
        );
        host.jsDocParsingMode = defaultJSDocParsingMode;
        const currentDirectory = host.getCurrentDirectory();
        const getCanonicalFileName = createGetCanonicalFileName(host.useCaseSensitiveFileNames());
        changeCompilerHostLikeToUseCache(host, (fileName) => toPath3(fileName, currentDirectory, getCanonicalFileName));
        enableStatisticsAndTracing(
          sys2,
          options,
          /*isBuildMode*/
          false
        );
        const programOptions = {
          rootNames: fileNames,
          options,
          projectReferences,
          host,
          configFileParsingDiagnostics: getConfigFileParsingDiagnostics(config7)
        };
        const program = createProgram(programOptions);
        const exitStatus = emitFilesAndReportErrorsAndGetExitStatus(
          program,
          reportDiagnostic,
          (s) => sys2.write(s + sys2.newLine),
          createReportErrorSummary(sys2, options)
        );
        reportStatistics(
          sys2,
          program,
          /*solutionPerformance*/
          void 0
        );
        cb(program);
        return sys2.exit(exitStatus);
      }
      function performIncrementalCompilation2(sys2, cb, reportDiagnostic, config7) {
        const { options, fileNames, projectReferences } = config7;
        enableStatisticsAndTracing(
          sys2,
          options,
          /*isBuildMode*/
          false
        );
        const host = createIncrementalCompilerHost(options, sys2);
        host.jsDocParsingMode = defaultJSDocParsingMode;
        const exitStatus = performIncrementalCompilation({
          host,
          system: sys2,
          rootNames: fileNames,
          options,
          configFileParsingDiagnostics: getConfigFileParsingDiagnostics(config7),
          projectReferences,
          reportDiagnostic,
          reportErrorSummary: createReportErrorSummary(sys2, options),
          afterProgramEmitAndDiagnostics: (builderProgram) => {
            reportStatistics(
              sys2,
              builderProgram.getProgram(),
              /*solutionPerformance*/
              void 0
            );
            cb(builderProgram);
          }
        });
        return sys2.exit(exitStatus);
      }
      function updateSolutionBuilderHost(sys2, cb, buildHost, solutionPerformance) {
        updateCreateProgram(
          sys2,
          buildHost,
          /*isBuildMode*/
          true
        );
        buildHost.afterProgramEmitAndDiagnostics = (program) => {
          reportStatistics(sys2, program.getProgram(), solutionPerformance);
          cb(program);
        };
      }
      function updateCreateProgram(sys2, host, isBuildMode) {
        const compileUsingBuilder = host.createProgram;
        host.createProgram = (rootNames, options, host2, oldProgram, configFileParsingDiagnostics, projectReferences) => {
          Debug.assert(rootNames !== void 0 || options === void 0 && !!oldProgram);
          if (options !== void 0) {
            enableStatisticsAndTracing(sys2, options, isBuildMode);
          }
          return compileUsingBuilder(rootNames, options, host2, oldProgram, configFileParsingDiagnostics, projectReferences);
        };
      }
      function updateWatchCompilationHost(sys2, cb, watchCompilerHost) {
        watchCompilerHost.jsDocParsingMode = defaultJSDocParsingMode;
        updateCreateProgram(
          sys2,
          watchCompilerHost,
          /*isBuildMode*/
          false
        );
        const emitFilesUsingBuilder = watchCompilerHost.afterProgramCreate;
        watchCompilerHost.afterProgramCreate = (builderProgram) => {
          emitFilesUsingBuilder(builderProgram);
          reportStatistics(
            sys2,
            builderProgram.getProgram(),
            /*solutionPerformance*/
            void 0
          );
          cb(builderProgram);
        };
      }
      function createWatchStatusReporter2(sys2, options) {
        return createWatchStatusReporter(sys2, shouldBePretty(sys2, options));
      }
      function createWatchOfConfigFile(system, cb, reportDiagnostic, configParseResult, optionsToExtend, watchOptionsToExtend, extendedConfigCache) {
        const watchCompilerHost = createWatchCompilerHostOfConfigFile({
          configFileName: configParseResult.options.configFilePath,
          optionsToExtend,
          watchOptionsToExtend,
          system,
          reportDiagnostic,
          reportWatchStatus: createWatchStatusReporter2(system, configParseResult.options)
        });
        updateWatchCompilationHost(system, cb, watchCompilerHost);
        watchCompilerHost.configFileParsingResult = configParseResult;
        watchCompilerHost.extendedConfigCache = extendedConfigCache;
        return createWatchProgram(watchCompilerHost);
      }
      function createWatchOfFilesAndCompilerOptions(system, cb, reportDiagnostic, rootFiles2, options, watchOptions) {
        const watchCompilerHost = createWatchCompilerHostOfFilesAndCompilerOptions({
          rootFiles: rootFiles2,
          options,
          watchOptions,
          system,
          reportDiagnostic,
          reportWatchStatus: createWatchStatusReporter2(system, options)
        });
        updateWatchCompilationHost(system, cb, watchCompilerHost);
        return createWatchProgram(watchCompilerHost);
      }
      function enableSolutionPerformance(system, options) {
        if (system === sys && options.extendedDiagnostics) {
          enable();
          return createSolutionPerfomrance();
        }
      }
      function createSolutionPerfomrance() {
        let statistics;
        return {
          addAggregateStatistic,
          forEachAggregateStatistics: forEachAggreateStatistics,
          clear: clear2
        };
        function addAggregateStatistic(s) {
          const existing = statistics == null ? void 0 : statistics.get(s.name);
          if (existing) {
            if (existing.type === 2) existing.value = Math.max(existing.value, s.value);
            else existing.value += s.value;
          } else {
            (statistics ?? (statistics = /* @__PURE__ */ new Map())).set(s.name, s);
          }
        }
        function forEachAggreateStatistics(cb) {
          statistics == null ? void 0 : statistics.forEach(cb);
        }
        function clear2() {
          statistics = void 0;
        }
      }
      function reportSolutionBuilderTimes(builder, solutionPerformance) {
        if (!solutionPerformance) return;
        if (!isEnabled()) {
          sys.write(Diagnostics.Performance_timings_for_diagnostics_or_extendedDiagnostics_are_not_available_in_this_session_A_native_implementation_of_the_Web_Performance_API_could_not_be_found.message + "\n");
          return;
        }
        const statistics = [];
        statistics.push(
          {
            name: "Projects in scope",
            value: getBuildOrderFromAnyBuildOrder(builder.getBuildOrder()).length,
            type: 1
            /* count */
          }
        );
        reportSolutionBuilderCountStatistic("SolutionBuilder::Projects built");
        reportSolutionBuilderCountStatistic("SolutionBuilder::Timestamps only updates");
        reportSolutionBuilderCountStatistic("SolutionBuilder::Bundles updated");
        solutionPerformance.forEachAggregateStatistics((s) => {
          s.name = `Aggregate ${s.name}`;
          statistics.push(s);
        });
        forEachMeasure((name, duration) => {
          if (isSolutionMarkOrMeasure(name)) statistics.push({
            name: `${getNameFromSolutionBuilderMarkOrMeasure(name)} time`,
            value: duration,
            type: 0
            /* time */
          });
        });
        disable();
        enable();
        solutionPerformance.clear();
        reportAllStatistics(sys, statistics);
        function reportSolutionBuilderCountStatistic(name) {
          const value = getCount(name);
          if (value) {
            statistics.push({
              name: getNameFromSolutionBuilderMarkOrMeasure(name),
              value,
              type: 1
              /* count */
            });
          }
        }
        function getNameFromSolutionBuilderMarkOrMeasure(name) {
          return name.replace("SolutionBuilder::", "");
        }
      }
      function canReportDiagnostics(system, compilerOptions) {
        return system === sys && (compilerOptions.diagnostics || compilerOptions.extendedDiagnostics);
      }
      function canTrace(system, compilerOptions) {
        return system === sys && compilerOptions.generateTrace;
      }
      function enableStatisticsAndTracing(system, compilerOptions, isBuildMode) {
        if (canReportDiagnostics(system, compilerOptions)) {
          enable(system);
        }
        if (canTrace(system, compilerOptions)) {
          startTracing(isBuildMode ? "build" : "project", compilerOptions.generateTrace, compilerOptions.configFilePath);
        }
      }
      function isSolutionMarkOrMeasure(name) {
        return startsWith2(name, "SolutionBuilder::");
      }
      function reportStatistics(sys2, program, solutionPerformance) {
        var _a;
        const compilerOptions = program.getCompilerOptions();
        if (canTrace(sys2, compilerOptions)) {
          (_a = tracing) == null ? void 0 : _a.stopTracing();
        }
        let statistics;
        if (canReportDiagnostics(sys2, compilerOptions)) {
          statistics = [];
          const memoryUsed = sys2.getMemoryUsage ? sys2.getMemoryUsage() : -1;
          reportCountStatistic("Files", program.getSourceFiles().length);
          const lineCounts = countLines(program);
          if (compilerOptions.extendedDiagnostics) {
            for (const [key, value] of lineCounts.entries()) {
              reportCountStatistic("Lines of " + key, value);
            }
          } else {
            reportCountStatistic("Lines", reduceLeftIterator(lineCounts.values(), (sum, count) => sum + count, 0));
          }
          reportCountStatistic("Identifiers", program.getIdentifierCount());
          reportCountStatistic("Symbols", program.getSymbolCount());
          reportCountStatistic("Types", program.getTypeCount());
          reportCountStatistic("Instantiations", program.getInstantiationCount());
          if (memoryUsed >= 0) {
            reportStatisticalValue(
              {
                name: "Memory used",
                value: memoryUsed,
                type: 2
                /* memory */
              },
              /*aggregate*/
              true
            );
          }
          const isPerformanceEnabled = isEnabled();
          const programTime = isPerformanceEnabled ? getDuration("Program") : 0;
          const bindTime = isPerformanceEnabled ? getDuration("Bind") : 0;
          const checkTime = isPerformanceEnabled ? getDuration("Check") : 0;
          const emitTime = isPerformanceEnabled ? getDuration("Emit") : 0;
          if (compilerOptions.extendedDiagnostics) {
            const caches = program.getRelationCacheSizes();
            reportCountStatistic("Assignability cache size", caches.assignable);
            reportCountStatistic("Identity cache size", caches.identity);
            reportCountStatistic("Subtype cache size", caches.subtype);
            reportCountStatistic("Strict subtype cache size", caches.strictSubtype);
            if (isPerformanceEnabled) {
              forEachMeasure((name, duration) => {
                if (!isSolutionMarkOrMeasure(name)) reportTimeStatistic(
                  `${name} time`,
                  duration,
                  /*aggregate*/
                  true
                );
              });
            }
          } else if (isPerformanceEnabled) {
            reportTimeStatistic(
              "I/O read",
              getDuration("I/O Read"),
              /*aggregate*/
              true
            );
            reportTimeStatistic(
              "I/O write",
              getDuration("I/O Write"),
              /*aggregate*/
              true
            );
            reportTimeStatistic(
              "Parse time",
              programTime,
              /*aggregate*/
              true
            );
            reportTimeStatistic(
              "Bind time",
              bindTime,
              /*aggregate*/
              true
            );
            reportTimeStatistic(
              "Check time",
              checkTime,
              /*aggregate*/
              true
            );
            reportTimeStatistic(
              "Emit time",
              emitTime,
              /*aggregate*/
              true
            );
          }
          if (isPerformanceEnabled) {
            reportTimeStatistic(
              "Total time",
              programTime + bindTime + checkTime + emitTime,
              /*aggregate*/
              false
            );
          }
          reportAllStatistics(sys2, statistics);
          if (!isPerformanceEnabled) {
            sys2.write(Diagnostics.Performance_timings_for_diagnostics_or_extendedDiagnostics_are_not_available_in_this_session_A_native_implementation_of_the_Web_Performance_API_could_not_be_found.message + "\n");
          } else {
            if (solutionPerformance) {
              forEachMeasure((name) => {
                if (!isSolutionMarkOrMeasure(name)) clearMeasures(name);
              });
              forEachMark((name) => {
                if (!isSolutionMarkOrMeasure(name)) clearMarks(name);
              });
            } else {
              disable();
            }
          }
        }
        function reportStatisticalValue(s, aggregate) {
          statistics.push(s);
          if (aggregate) solutionPerformance == null ? void 0 : solutionPerformance.addAggregateStatistic(s);
        }
        function reportCountStatistic(name, count) {
          reportStatisticalValue(
            {
              name,
              value: count,
              type: 1
              /* count */
            },
            /*aggregate*/
            true
          );
        }
        function reportTimeStatistic(name, time, aggregate) {
          reportStatisticalValue({
            name,
            value: time,
            type: 0
            /* time */
          }, aggregate);
        }
      }
      function reportAllStatistics(sys2, statistics) {
        let nameSize = 0;
        let valueSize = 0;
        for (const s of statistics) {
          if (s.name.length > nameSize) {
            nameSize = s.name.length;
          }
          const value = statisticValue(s);
          if (value.length > valueSize) {
            valueSize = value.length;
          }
        }
        for (const s of statistics) {
          sys2.write(`${s.name}:`.padEnd(nameSize + 2) + statisticValue(s).toString().padStart(valueSize) + sys2.newLine);
        }
      }
      function statisticValue(s) {
        switch (s.type) {
          case 1:
            return "" + s.value;
          case 0:
            return (s.value / 1e3).toFixed(2) + "s";
          case 2:
            return Math.round(s.value / 1e3) + "K";
          default:
            Debug.assertNever(s.type);
        }
      }
      function writeConfigFile(sys2, reportDiagnostic, options, fileNames) {
        const currentDirectory = sys2.getCurrentDirectory();
        const file = normalizePath(combinePaths(currentDirectory, "tsconfig.json"));
        if (sys2.fileExists(file)) {
          reportDiagnostic(createCompilerDiagnostic(Diagnostics.A_tsconfig_json_file_is_already_defined_at_Colon_0, file));
        } else {
          sys2.writeFile(file, generateTSConfig(options, fileNames, sys2.newLine));
          const output = [sys2.newLine, ...getHeader(sys2, "Created a new tsconfig.json with:")];
          output.push(getCompilerOptionsDiffValue(options, sys2.newLine) + sys2.newLine + sys2.newLine);
          output.push(`You can learn more at https://aka.ms/tsconfig` + sys2.newLine);
          for (const line of output) {
            sys2.write(line);
          }
        }
        return;
      }
      function createSyntacticTypeNodeBuilder(options, resolver) {
        const strictNullChecks = getStrictOptionValue(options, "strictNullChecks");
        return {
          typeFromExpression,
          serializeTypeOfDeclaration,
          serializeReturnTypeForSignature,
          serializeTypeOfExpression
        };
        function serializeExistingTypeAnnotation(type, addUndefined) {
          return type !== void 0 && (!addUndefined || type && canAddUndefined(type)) ? true : void 0;
        }
        function serializeTypeOfExpression(expr, context, addUndefined, preserveLiterals) {
          return typeFromExpression(
            expr,
            context,
            /*isConstContext*/
            false,
            addUndefined,
            preserveLiterals
          ) ?? inferExpressionType(expr, context);
        }
        function serializeTypeOfDeclaration(node, context) {
          switch (node.kind) {
            case 171:
              return serializeExistingTypeAnnotation(getEffectiveTypeAnnotationNode(node));
            case 169:
              return typeFromParameter(node, context);
            case 260:
              return typeFromVariable(node, context);
            case 172:
              return typeFromProperty(node, context);
            case 208:
              return inferTypeOfDeclaration(node, context);
            case 277:
              return serializeTypeOfExpression(
                node.expression,
                context,
                /*addUndefined*/
                void 0,
                /*preserveLiterals*/
                true
              );
            case 211:
            case 212:
            case 226:
              return serializeExistingTypeAnnotation(getEffectiveTypeAnnotationNode(node)) || inferTypeOfDeclaration(node, context);
            case 303:
              return typeFromExpression(node.initializer, context) || inferTypeOfDeclaration(node, context);
            default:
              Debug.assertNever(node, `Node needs to be an inferrable node, found ${Debug.formatSyntaxKind(node.kind)}`);
          }
        }
        function serializeReturnTypeForSignature(node, context) {
          switch (node.kind) {
            case 177:
              return typeFromAccessor(node, context);
            case 174:
            case 262:
            case 180:
            case 173:
            case 179:
            case 176:
            case 178:
            case 181:
            case 184:
            case 185:
            case 218:
            case 219:
            case 317:
            case 323:
              return createReturnFromSignature(node, context);
            default:
              Debug.assertNever(node, `Node needs to be an inferrable node, found ${Debug.formatSyntaxKind(node.kind)}`);
          }
        }
        function getTypeAnnotationFromAccessor2(accessor) {
          if (accessor) {
            return accessor.kind === 177 ? getEffectiveReturnTypeNode(accessor) : accessor.parameters.length > 0 ? getEffectiveTypeAnnotationNode(accessor.parameters[0]) : void 0;
          }
        }
        function getTypeAnnotationFromAllAccessorDeclarations(node, accessors) {
          let accessorType = getTypeAnnotationFromAccessor2(node);
          if (!accessorType && node !== accessors.firstAccessor) {
            accessorType = getTypeAnnotationFromAccessor2(accessors.firstAccessor);
          }
          if (!accessorType && accessors.secondAccessor && node !== accessors.secondAccessor) {
            accessorType = getTypeAnnotationFromAccessor2(accessors.secondAccessor);
          }
          return accessorType;
        }
        function typeFromAccessor(node, context) {
          const accessorDeclarations = resolver.getAllAccessorDeclarations(node);
          const accessorType = getTypeAnnotationFromAllAccessorDeclarations(node, accessorDeclarations);
          if (accessorType) {
            return serializeExistingTypeAnnotation(accessorType);
          }
          if (accessorDeclarations.getAccessor) {
            return createReturnFromSignature(accessorDeclarations.getAccessor, context);
          }
          return false;
        }
        function typeFromVariable(node, context) {
          const declaredType = getEffectiveTypeAnnotationNode(node);
          if (declaredType) {
            return serializeExistingTypeAnnotation(declaredType);
          }
          let resultType;
          if (node.initializer) {
            if (!resolver.isExpandoFunctionDeclaration(node)) {
              resultType = typeFromExpression(
                node.initializer,
                context,
                /*isConstContext*/
                void 0,
                /*requiresAddingUndefined*/
                void 0,
                isVarConstLike(node)
              );
            }
          }
          return resultType ?? inferTypeOfDeclaration(node, context);
        }
        function typeFromParameter(node, context) {
          const parent2 = node.parent;
          if (parent2.kind === 178) {
            return typeFromAccessor(parent2, context);
          }
          const declaredType = getEffectiveTypeAnnotationNode(node);
          const addUndefined = resolver.requiresAddingImplicitUndefined(node);
          let resultType;
          if (declaredType) {
            resultType = serializeExistingTypeAnnotation(declaredType, addUndefined);
          } else {
            if (node.initializer && isIdentifier(node.name)) {
              resultType = typeFromExpression(
                node.initializer,
                context,
                /*isConstContext*/
                void 0,
                addUndefined
              );
            }
          }
          return resultType ?? inferTypeOfDeclaration(node, context);
        }
        function typeFromProperty(node, context) {
          const declaredType = getEffectiveTypeAnnotationNode(node);
          if (declaredType) {
            return serializeExistingTypeAnnotation(declaredType);
          }
          let resultType;
          if (node.initializer) {
            const isReadonly = isDeclarationReadonly(node);
            resultType = typeFromExpression(
              node.initializer,
              context,
              /*isConstContext*/
              void 0,
              /*requiresAddingUndefined*/
              void 0,
              isReadonly
            );
          }
          return resultType ?? inferTypeOfDeclaration(node, context);
        }
        function inferTypeOfDeclaration(node, context) {
          context.tracker.reportInferenceFallback(node);
          return false;
        }
        function inferExpressionType(node, context) {
          context.tracker.reportInferenceFallback(node);
          return false;
        }
        function inferReturnTypeOfSignatureSignature(node, context) {
          context.tracker.reportInferenceFallback(node);
          return false;
        }
        function inferAccessorType(node, allAccessors, context) {
          if (node.kind === 177) {
            return createReturnFromSignature(node, context);
          } else {
            context.tracker.reportInferenceFallback(node);
            return false;
          }
        }
        function typeFromTypeAssertion(expression, type, context, requiresAddingUndefined) {
          if (isConstTypeReference(type)) {
            return typeFromExpression(
              expression,
              context,
              /*isConstContext*/
              true,
              requiresAddingUndefined
            );
          }
          if (requiresAddingUndefined && !canAddUndefined(type)) {
            context.tracker.reportInferenceFallback(type);
          }
          return serializeExistingTypeAnnotation(type);
        }
        function typeFromExpression(node, context, isConstContext = false, requiresAddingUndefined = false, preserveLiterals = false) {
          switch (node.kind) {
            case 217:
              if (isJSDocTypeAssertion(node)) {
                return typeFromTypeAssertion(node.expression, getJSDocTypeAssertionType(node), context, requiresAddingUndefined);
              }
              return typeFromExpression(node.expression, context, isConstContext, requiresAddingUndefined);
            case 80:
              if (resolver.isUndefinedIdentifierExpression(node)) {
                return true;
              }
              break;
            case 106:
              return true;
            case 219:
            case 218:
              return typeFromFunctionLikeExpression(node, context);
            case 216:
            case 234:
              const asExpression = node;
              return typeFromTypeAssertion(asExpression.expression, asExpression.type, context, requiresAddingUndefined);
            case 224:
              const unaryExpression = node;
              if (isPrimitiveLiteralValue(unaryExpression)) {
                if (unaryExpression.operand.kind === 10) {
                  return typeFromPrimitiveLiteral();
                }
                if (unaryExpression.operand.kind === 9) {
                  return typeFromPrimitiveLiteral();
                }
              }
              break;
            case 9:
              return typeFromPrimitiveLiteral();
            case 228:
              if (!isConstContext && !preserveLiterals) {
                return true;
              }
              break;
            case 15:
            case 11:
              return typeFromPrimitiveLiteral();
            case 10:
              return typeFromPrimitiveLiteral();
            case 112:
            case 97:
              return typeFromPrimitiveLiteral();
            case 209:
              return typeFromArrayLiteral(node, context, isConstContext);
            case 210:
              return typeFromObjectLiteral(node, context, isConstContext);
            case 231:
              return inferExpressionType(node, context);
          }
          return void 0;
        }
        function typeFromFunctionLikeExpression(fnNode, context) {
          const returnType = serializeExistingTypeAnnotation(fnNode.type) ?? createReturnFromSignature(fnNode, context);
          const typeParameters = reuseTypeParameters(fnNode.typeParameters);
          const parameters = fnNode.parameters.every((p) => ensureParameter(p, context));
          return returnType && typeParameters && parameters;
        }
        function canGetTypeFromArrayLiteral(arrayLiteral, context, isConstContext) {
          if (!isConstContext) {
            context.tracker.reportInferenceFallback(arrayLiteral);
            return false;
          }
          for (const element of arrayLiteral.elements) {
            if (element.kind === 230) {
              context.tracker.reportInferenceFallback(element);
              return false;
            }
          }
          return true;
        }
        function typeFromArrayLiteral(arrayLiteral, context, isConstContext) {
          if (!canGetTypeFromArrayLiteral(arrayLiteral, context, isConstContext)) {
            return false;
          }
          let canInferArray = true;
          for (const element of arrayLiteral.elements) {
            Debug.assert(
              element.kind !== 230
              /* SpreadElement */
            );
            if (element.kind !== 232) {
              canInferArray = (typeFromExpression(element, context, isConstContext) ?? inferExpressionType(element, context)) && canInferArray;
            }
          }
          return true;
        }
        function canGetTypeFromObjectLiteral(objectLiteral, context) {
          let result = true;
          for (const prop of objectLiteral.properties) {
            if (prop.flags & 262144) {
              result = false;
              break;
            }
            if (prop.kind === 304 || prop.kind === 305) {
              context.tracker.reportInferenceFallback(prop);
              result = false;
            } else if (prop.name.flags & 262144) {
              result = false;
              break;
            } else if (prop.name.kind === 81) {
              result = false;
            } else if (prop.name.kind === 167) {
              const expression = prop.name.expression;
              if (!isPrimitiveLiteralValue(
                expression,
                /*includeBigInt*/
                false
              ) && !resolver.isDefinitelyReferenceToGlobalSymbolObject(expression)) {
                context.tracker.reportInferenceFallback(prop.name);
                result = false;
              }
            }
          }
          return result;
        }
        function typeFromObjectLiteral(objectLiteral, context, isConstContext) {
          if (!canGetTypeFromObjectLiteral(objectLiteral, context)) return false;
          let canInferObjectLiteral = true;
          for (const prop of objectLiteral.properties) {
            Debug.assert(!isShorthandPropertyAssignment(prop) && !isSpreadAssignment(prop));
            const name = prop.name;
            switch (prop.kind) {
              case 174:
                canInferObjectLiteral = !!typeFromObjectLiteralMethod(prop, name, context) && canInferObjectLiteral;
                break;
              case 303:
                canInferObjectLiteral = !!typeFromObjectLiteralPropertyAssignment(prop, name, context, isConstContext) && canInferObjectLiteral;
                break;
              case 178:
              case 177:
                canInferObjectLiteral = !!typeFromObjectLiteralAccessor(prop, name, context) && canInferObjectLiteral;
                break;
            }
          }
          return canInferObjectLiteral;
        }
        function typeFromObjectLiteralPropertyAssignment(prop, name, context, isConstContext) {
          return typeFromExpression(prop.initializer, context, isConstContext) ?? inferTypeOfDeclaration(prop, context);
        }
        function ensureParameter(p, context) {
          return typeFromParameter(p, context);
        }
        function reuseTypeParameters(typeParameters) {
          return (typeParameters == null ? void 0 : typeParameters.every(
            (tp) => serializeExistingTypeAnnotation(tp.constraint) && serializeExistingTypeAnnotation(tp.default)
          )) ?? true;
        }
        function typeFromObjectLiteralMethod(method, name, context) {
          const returnType = createReturnFromSignature(method, context);
          const typeParameters = reuseTypeParameters(method.typeParameters);
          const parameters = method.parameters.every((p) => ensureParameter(p, context));
          return returnType && typeParameters && parameters;
        }
        function typeFromObjectLiteralAccessor(accessor, name, context) {
          const allAccessors = resolver.getAllAccessorDeclarations(accessor);
          const getAccessorType = allAccessors.getAccessor && getTypeAnnotationFromAccessor2(allAccessors.getAccessor);
          const setAccessorType = allAccessors.setAccessor && getTypeAnnotationFromAccessor2(allAccessors.setAccessor);
          if (getAccessorType !== void 0 && setAccessorType !== void 0) {
            const parameters = accessor.parameters.every((p) => ensureParameter(p, context));
            if (isGetAccessor(accessor)) {
              return parameters && serializeExistingTypeAnnotation(getAccessorType);
            } else {
              return parameters;
            }
          } else if (allAccessors.firstAccessor === accessor) {
            const foundType = getAccessorType ?? setAccessorType;
            const propertyType = foundType ? serializeExistingTypeAnnotation(foundType) : inferAccessorType(accessor, allAccessors, context);
            return propertyType;
          }
          return false;
        }
        function typeFromPrimitiveLiteral() {
          return true;
        }
        function canAddUndefined(node) {
          if (!strictNullChecks) return true;
          if (isKeyword2(node.kind) || node.kind === 201 || node.kind === 184 || node.kind === 185 || node.kind === 188 || node.kind === 189 || node.kind === 187 || node.kind === 203 || node.kind === 197) {
            return true;
          }
          if (node.kind === 196) {
            return canAddUndefined(node.type);
          }
          if (node.kind === 192 || node.kind === 193) {
            return node.types.every(canAddUndefined);
          }
          return false;
        }
        function createReturnFromSignature(fn, context) {
          let returnType;
          const returnTypeNode = getEffectiveReturnTypeNode(fn);
          if (returnTypeNode) {
            returnType = serializeExistingTypeAnnotation(returnTypeNode);
          }
          if (!returnType && isValueSignatureDeclaration(fn)) {
            returnType = typeFromSingleReturnExpression(fn, context);
          }
          return returnType ?? inferReturnTypeOfSignatureSignature(fn, context);
        }
        function typeFromSingleReturnExpression(declaration, context) {
          let candidateExpr;
          if (declaration && !nodeIsMissing(declaration.body)) {
            if (getFunctionFlags(declaration) & 3) return void 0;
            const body = declaration.body;
            if (body && isBlock(body)) {
              forEachReturnStatement(body, (s) => {
                if (!candidateExpr) {
                  candidateExpr = s.expression;
                } else {
                  candidateExpr = void 0;
                  return true;
                }
              });
            } else {
              candidateExpr = body;
            }
          }
          if (candidateExpr) {
            return typeFromExpression(candidateExpr, context);
          }
          return void 0;
        }
      }
      var ts_JsTyping_exports = {};
      __export2(ts_JsTyping_exports, {
        NameValidationResult: () => NameValidationResult,
        discoverTypings: () => discoverTypings,
        isTypingUpToDate: () => isTypingUpToDate,
        loadSafeList: () => loadSafeList,
        loadTypesMap: () => loadTypesMap,
        nodeCoreModuleList: () => nodeCoreModuleList,
        nodeCoreModules: () => nodeCoreModules,
        nonRelativeModuleNameForTypingCache: () => nonRelativeModuleNameForTypingCache,
        prefixedNodeCoreModuleList: () => prefixedNodeCoreModuleList,
        renderPackageNameValidationFailure: () => renderPackageNameValidationFailure,
        validatePackageName: () => validatePackageName
      });
      var ActionSet = "action::set";
      var ActionInvalidate = "action::invalidate";
      var ActionPackageInstalled = "action::packageInstalled";
      var EventTypesRegistry = "event::typesRegistry";
      var EventBeginInstallTypes = "event::beginInstallTypes";
      var EventEndInstallTypes = "event::endInstallTypes";
      var EventInitializationFailed = "event::initializationFailed";
      var ActionWatchTypingLocations = "action::watchTypingLocations";
      var Arguments;
      ((Arguments2) => {
        Arguments2.GlobalCacheLocation = "--globalTypingsCacheLocation";
        Arguments2.LogFile = "--logFile";
        Arguments2.EnableTelemetry = "--enableTelemetry";
        Arguments2.TypingSafeListLocation = "--typingSafeListLocation";
        Arguments2.TypesMapLocation = "--typesMapLocation";
        Arguments2.NpmLocation = "--npmLocation";
        Arguments2.ValidateDefaultNpmLocation = "--validateDefaultNpmLocation";
      })(Arguments || (Arguments = {}));
      function hasArgument(argumentName) {
        return sys.args.includes(argumentName);
      }
      function findArgument(argumentName) {
        const index = sys.args.indexOf(argumentName);
        return index >= 0 && index < sys.args.length - 1 ? sys.args[index + 1] : void 0;
      }
      function nowString() {
        const d = /* @__PURE__ */ new Date();
        return `${d.getHours().toString().padStart(2, "0")}:${d.getMinutes().toString().padStart(2, "0")}:${d.getSeconds().toString().padStart(2, "0")}.${d.getMilliseconds().toString().padStart(3, "0")}`;
      }
      var indentStr = "\n    ";
      function indent2(str) {
        return indentStr + str.replace(/\n/g, indentStr);
      }
      function stringifyIndented(json) {
        return indent2(JSON.stringify(json, void 0, 2));
      }
      function isTypingUpToDate(cachedTyping, availableTypingVersions) {
        const availableVersion = new Version(getProperty(availableTypingVersions, `ts${versionMajorMinor}`) || getProperty(availableTypingVersions, "latest"));
        return availableVersion.compareTo(cachedTyping.version) <= 0;
      }
      var unprefixedNodeCoreModuleList = [
        "assert",
        "assert/strict",
        "async_hooks",
        "buffer",
        "child_process",
        "cluster",
        "console",
        "constants",
        "crypto",
        "dgram",
        "diagnostics_channel",
        "dns",
        "dns/promises",
        "domain",
        "events",
        "fs",
        "fs/promises",
        "http",
        "https",
        "http2",
        "inspector",
        "module",
        "net",
        "os",
        "path",
        "perf_hooks",
        "process",
        "punycode",
        "querystring",
        "readline",
        "repl",
        "stream",
        "stream/promises",
        "string_decoder",
        "timers",
        "timers/promises",
        "tls",
        "trace_events",
        "tty",
        "url",
        "util",
        "util/types",
        "v8",
        "vm",
        "wasi",
        "worker_threads",
        "zlib"
      ];
      var prefixedNodeCoreModuleList = unprefixedNodeCoreModuleList.map((name) => `node:${name}`);
      var nodeCoreModuleList = [...unprefixedNodeCoreModuleList, ...prefixedNodeCoreModuleList];
      var nodeCoreModules = new Set(nodeCoreModuleList);
      function nonRelativeModuleNameForTypingCache(moduleName) {
        return nodeCoreModules.has(moduleName) ? "node" : moduleName;
      }
      function loadSafeList(host, safeListPath) {
        const result = readConfigFile(safeListPath, (path17) => host.readFile(path17));
        return new Map(Object.entries(result.config));
      }
      function loadTypesMap(host, typesMapPath) {
        var _a;
        const result = readConfigFile(typesMapPath, (path17) => host.readFile(path17));
        if ((_a = result.config) == null ? void 0 : _a.simpleMap) {
          return new Map(Object.entries(result.config.simpleMap));
        }
        return void 0;
      }
      function discoverTypings(host, log, fileNames, projectRootPath, safeList, packageNameToTypingLocation, typeAcquisition, unresolvedImports, typesRegistry, compilerOptions) {
        if (!typeAcquisition || !typeAcquisition.enable) {
          return { cachedTypingPaths: [], newTypingNames: [], filesToWatch: [] };
        }
        const inferredTypings = /* @__PURE__ */ new Map();
        fileNames = mapDefined(fileNames, (fileName) => {
          const path17 = normalizePath(fileName);
          if (hasJSFileExtension(path17)) {
            return path17;
          }
        });
        const filesToWatch = [];
        if (typeAcquisition.include) addInferredTypings(typeAcquisition.include, "Explicitly included types");
        const exclude = typeAcquisition.exclude || [];
        if (!compilerOptions.types) {
          const possibleSearchDirs = new Set(fileNames.map(getDirectoryPath));
          possibleSearchDirs.add(projectRootPath);
          possibleSearchDirs.forEach((searchDir) => {
            getTypingNames(searchDir, "bower.json", "bower_components", filesToWatch);
            getTypingNames(searchDir, "package.json", "node_modules", filesToWatch);
          });
        }
        if (!typeAcquisition.disableFilenameBasedTypeAcquisition) {
          getTypingNamesFromSourceFileNames(fileNames);
        }
        if (unresolvedImports) {
          const module22 = deduplicate(
            unresolvedImports.map(nonRelativeModuleNameForTypingCache),
            equateStringsCaseSensitive,
            compareStringsCaseSensitive
          );
          addInferredTypings(module22, "Inferred typings from unresolved imports");
        }
        for (const excludeTypingName of exclude) {
          const didDelete = inferredTypings.delete(excludeTypingName);
          if (didDelete && log) log(`Typing for ${excludeTypingName} is in exclude list, will be ignored.`);
        }
        packageNameToTypingLocation.forEach((typing, name) => {
          const registryEntry = typesRegistry.get(name);
          if (inferredTypings.get(name) === false && registryEntry !== void 0 && isTypingUpToDate(typing, registryEntry)) {
            inferredTypings.set(name, typing.typingLocation);
          }
        });
        const newTypingNames = [];
        const cachedTypingPaths = [];
        inferredTypings.forEach((inferred, typing) => {
          if (inferred) {
            cachedTypingPaths.push(inferred);
          } else {
            newTypingNames.push(typing);
          }
        });
        const result = { cachedTypingPaths, newTypingNames, filesToWatch };
        if (log) log(`Finished typings discovery:${stringifyIndented(result)}`);
        return result;
        function addInferredTyping(typingName) {
          if (!inferredTypings.has(typingName)) {
            inferredTypings.set(typingName, false);
          }
        }
        function addInferredTypings(typingNames, message) {
          if (log) log(`${message}: ${JSON.stringify(typingNames)}`);
          forEach(typingNames, addInferredTyping);
        }
        function getTypingNames(projectRootPath2, manifestName, modulesDirName, filesToWatch2) {
          const manifestPath = combinePaths(projectRootPath2, manifestName);
          let manifest;
          let manifestTypingNames;
          if (host.fileExists(manifestPath)) {
            filesToWatch2.push(manifestPath);
            manifest = readConfigFile(manifestPath, (path17) => host.readFile(path17)).config;
            manifestTypingNames = flatMap([manifest.dependencies, manifest.devDependencies, manifest.optionalDependencies, manifest.peerDependencies], getOwnKeys);
            addInferredTypings(manifestTypingNames, `Typing names in '${manifestPath}' dependencies`);
          }
          const packagesFolderPath = combinePaths(projectRootPath2, modulesDirName);
          filesToWatch2.push(packagesFolderPath);
          if (!host.directoryExists(packagesFolderPath)) {
            return;
          }
          const packageNames = [];
          const dependencyManifestNames = manifestTypingNames ? manifestTypingNames.map((typingName) => combinePaths(packagesFolderPath, typingName, manifestName)) : host.readDirectory(
            packagesFolderPath,
            [
              ".json"
              /* Json */
            ],
            /*excludes*/
            void 0,
            /*includes*/
            void 0,
            /*depth*/
            3
          ).filter((manifestPath2) => {
            if (getBaseFileName(manifestPath2) !== manifestName) {
              return false;
            }
            const pathComponents2 = getPathComponents(normalizePath(manifestPath2));
            const isScoped = pathComponents2[pathComponents2.length - 3][0] === "@";
            return isScoped && toFileNameLowerCase(pathComponents2[pathComponents2.length - 4]) === modulesDirName || // `node_modules/@foo/bar`
            !isScoped && toFileNameLowerCase(pathComponents2[pathComponents2.length - 3]) === modulesDirName;
          });
          if (log) log(`Searching for typing names in ${packagesFolderPath}; all files: ${JSON.stringify(dependencyManifestNames)}`);
          for (const manifestPath2 of dependencyManifestNames) {
            const normalizedFileName = normalizePath(manifestPath2);
            const result2 = readConfigFile(normalizedFileName, (path17) => host.readFile(path17));
            const manifest2 = result2.config;
            if (!manifest2.name) {
              continue;
            }
            const ownTypes = manifest2.types || manifest2.typings;
            if (ownTypes) {
              const absolutePath = getNormalizedAbsolutePath(ownTypes, getDirectoryPath(normalizedFileName));
              if (host.fileExists(absolutePath)) {
                if (log) log(`    Package '${manifest2.name}' provides its own types.`);
                inferredTypings.set(manifest2.name, absolutePath);
              } else {
                if (log) log(`    Package '${manifest2.name}' provides its own types but they are missing.`);
              }
            } else {
              packageNames.push(manifest2.name);
            }
          }
          addInferredTypings(packageNames, "    Found package names");
        }
        function getTypingNamesFromSourceFileNames(fileNames2) {
          const fromFileNames = mapDefined(fileNames2, (j) => {
            if (!hasJSFileExtension(j)) return void 0;
            const inferredTypingName = removeFileExtension(toFileNameLowerCase(getBaseFileName(j)));
            const cleanedTypingName = removeMinAndVersionNumbers(inferredTypingName);
            return safeList.get(cleanedTypingName);
          });
          if (fromFileNames.length) {
            addInferredTypings(fromFileNames, "Inferred typings from file names");
          }
          const hasJsxFile = some(fileNames2, (f) => fileExtensionIs(
            f,
            ".jsx"
            /* Jsx */
          ));
          if (hasJsxFile) {
            if (log) log(`Inferred 'react' typings due to presence of '.jsx' extension`);
            addInferredTyping("react");
          }
        }
      }
      var NameValidationResult = /* @__PURE__ */ ((NameValidationResult2) => {
        NameValidationResult2[NameValidationResult2["Ok"] = 0] = "Ok";
        NameValidationResult2[NameValidationResult2["EmptyName"] = 1] = "EmptyName";
        NameValidationResult2[NameValidationResult2["NameTooLong"] = 2] = "NameTooLong";
        NameValidationResult2[NameValidationResult2["NameStartsWithDot"] = 3] = "NameStartsWithDot";
        NameValidationResult2[NameValidationResult2["NameStartsWithUnderscore"] = 4] = "NameStartsWithUnderscore";
        NameValidationResult2[NameValidationResult2["NameContainsNonURISafeCharacters"] = 5] = "NameContainsNonURISafeCharacters";
        return NameValidationResult2;
      })(NameValidationResult || {});
      var maxPackageNameLength = 214;
      function validatePackageName(packageName) {
        return validatePackageNameWorker(
          packageName,
          /*supportScopedPackage*/
          true
        );
      }
      function validatePackageNameWorker(packageName, supportScopedPackage) {
        if (!packageName) {
          return 1;
        }
        if (packageName.length > maxPackageNameLength) {
          return 2;
        }
        if (packageName.charCodeAt(0) === 46) {
          return 3;
        }
        if (packageName.charCodeAt(0) === 95) {
          return 4;
        }
        if (supportScopedPackage) {
          const matches = /^@([^/]+)\/([^/]+)$/.exec(packageName);
          if (matches) {
            const scopeResult = validatePackageNameWorker(
              matches[1],
              /*supportScopedPackage*/
              false
            );
            if (scopeResult !== 0) {
              return { name: matches[1], isScopeName: true, result: scopeResult };
            }
            const packageResult = validatePackageNameWorker(
              matches[2],
              /*supportScopedPackage*/
              false
            );
            if (packageResult !== 0) {
              return { name: matches[2], isScopeName: false, result: packageResult };
            }
            return 0;
          }
        }
        if (encodeURIComponent(packageName) !== packageName) {
          return 5;
        }
        return 0;
      }
      function renderPackageNameValidationFailure(result, typing) {
        return typeof result === "object" ? renderPackageNameValidationFailureWorker(typing, result.result, result.name, result.isScopeName) : renderPackageNameValidationFailureWorker(
          typing,
          result,
          typing,
          /*isScopeName*/
          false
        );
      }
      function renderPackageNameValidationFailureWorker(typing, result, name, isScopeName) {
        const kind = isScopeName ? "Scope" : "Package";
        switch (result) {
          case 1:
            return `'${typing}':: ${kind} name '${name}' cannot be empty`;
          case 2:
            return `'${typing}':: ${kind} name '${name}' should be less than ${maxPackageNameLength} characters`;
          case 3:
            return `'${typing}':: ${kind} name '${name}' cannot start with '.'`;
          case 4:
            return `'${typing}':: ${kind} name '${name}' cannot start with '_'`;
          case 5:
            return `'${typing}':: ${kind} name '${name}' contains non URI safe characters`;
          case 0:
            return Debug.fail();
          default:
            Debug.assertNever(result);
        }
      }
      var ScriptSnapshot;
      ((ScriptSnapshot2) => {
        class StringScriptSnapshot {
          constructor(text) {
            this.text = text;
          }
          getText(start, end) {
            return start === 0 && end === this.text.length ? this.text : this.text.substring(start, end);
          }
          getLength() {
            return this.text.length;
          }
          getChangeRange() {
            return void 0;
          }
        }
        function fromString(text) {
          return new StringScriptSnapshot(text);
        }
        ScriptSnapshot2.fromString = fromString;
      })(ScriptSnapshot || (ScriptSnapshot = {}));
      var PackageJsonDependencyGroup = /* @__PURE__ */ ((PackageJsonDependencyGroup2) => {
        PackageJsonDependencyGroup2[PackageJsonDependencyGroup2["Dependencies"] = 1] = "Dependencies";
        PackageJsonDependencyGroup2[PackageJsonDependencyGroup2["DevDependencies"] = 2] = "DevDependencies";
        PackageJsonDependencyGroup2[PackageJsonDependencyGroup2["PeerDependencies"] = 4] = "PeerDependencies";
        PackageJsonDependencyGroup2[PackageJsonDependencyGroup2["OptionalDependencies"] = 8] = "OptionalDependencies";
        PackageJsonDependencyGroup2[PackageJsonDependencyGroup2["All"] = 15] = "All";
        return PackageJsonDependencyGroup2;
      })(PackageJsonDependencyGroup || {});
      var PackageJsonAutoImportPreference = /* @__PURE__ */ ((PackageJsonAutoImportPreference2) => {
        PackageJsonAutoImportPreference2[PackageJsonAutoImportPreference2["Off"] = 0] = "Off";
        PackageJsonAutoImportPreference2[PackageJsonAutoImportPreference2["On"] = 1] = "On";
        PackageJsonAutoImportPreference2[PackageJsonAutoImportPreference2["Auto"] = 2] = "Auto";
        return PackageJsonAutoImportPreference2;
      })(PackageJsonAutoImportPreference || {});
      var LanguageServiceMode = /* @__PURE__ */ ((LanguageServiceMode2) => {
        LanguageServiceMode2[LanguageServiceMode2["Semantic"] = 0] = "Semantic";
        LanguageServiceMode2[LanguageServiceMode2["PartialSemantic"] = 1] = "PartialSemantic";
        LanguageServiceMode2[LanguageServiceMode2["Syntactic"] = 2] = "Syntactic";
        return LanguageServiceMode2;
      })(LanguageServiceMode || {});
      var emptyOptions = {};
      var SemanticClassificationFormat = /* @__PURE__ */ ((SemanticClassificationFormat2) => {
        SemanticClassificationFormat2["Original"] = "original";
        SemanticClassificationFormat2["TwentyTwenty"] = "2020";
        return SemanticClassificationFormat2;
      })(SemanticClassificationFormat || {});
      var OrganizeImportsMode = /* @__PURE__ */ ((OrganizeImportsMode2) => {
        OrganizeImportsMode2["All"] = "All";
        OrganizeImportsMode2["SortAndCombine"] = "SortAndCombine";
        OrganizeImportsMode2["RemoveUnused"] = "RemoveUnused";
        return OrganizeImportsMode2;
      })(OrganizeImportsMode || {});
      var CompletionTriggerKind = /* @__PURE__ */ ((CompletionTriggerKind2) => {
        CompletionTriggerKind2[CompletionTriggerKind2["Invoked"] = 1] = "Invoked";
        CompletionTriggerKind2[CompletionTriggerKind2["TriggerCharacter"] = 2] = "TriggerCharacter";
        CompletionTriggerKind2[CompletionTriggerKind2["TriggerForIncompleteCompletions"] = 3] = "TriggerForIncompleteCompletions";
        return CompletionTriggerKind2;
      })(CompletionTriggerKind || {});
      var InlayHintKind2 = /* @__PURE__ */ ((InlayHintKind3) => {
        InlayHintKind3["Type"] = "Type";
        InlayHintKind3["Parameter"] = "Parameter";
        InlayHintKind3["Enum"] = "Enum";
        return InlayHintKind3;
      })(InlayHintKind2 || {});
      var HighlightSpanKind = /* @__PURE__ */ ((HighlightSpanKind2) => {
        HighlightSpanKind2["none"] = "none";
        HighlightSpanKind2["definition"] = "definition";
        HighlightSpanKind2["reference"] = "reference";
        HighlightSpanKind2["writtenReference"] = "writtenReference";
        return HighlightSpanKind2;
      })(HighlightSpanKind || {});
      var IndentStyle = /* @__PURE__ */ ((IndentStyle3) => {
        IndentStyle3[IndentStyle3["None"] = 0] = "None";
        IndentStyle3[IndentStyle3["Block"] = 1] = "Block";
        IndentStyle3[IndentStyle3["Smart"] = 2] = "Smart";
        return IndentStyle3;
      })(IndentStyle || {});
      var SemicolonPreference = /* @__PURE__ */ ((SemicolonPreference2) => {
        SemicolonPreference2["Ignore"] = "ignore";
        SemicolonPreference2["Insert"] = "insert";
        SemicolonPreference2["Remove"] = "remove";
        return SemicolonPreference2;
      })(SemicolonPreference || {});
      function getDefaultFormatCodeSettings(newLineCharacter) {
        return {
          indentSize: 4,
          tabSize: 4,
          newLineCharacter: newLineCharacter || "\n",
          convertTabsToSpaces: true,
          indentStyle: 2,
          insertSpaceAfterConstructor: false,
          insertSpaceAfterCommaDelimiter: true,
          insertSpaceAfterSemicolonInForStatements: true,
          insertSpaceBeforeAndAfterBinaryOperators: true,
          insertSpaceAfterKeywordsInControlFlowStatements: true,
          insertSpaceAfterFunctionKeywordForAnonymousFunctions: false,
          insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis: false,
          insertSpaceAfterOpeningAndBeforeClosingNonemptyBrackets: false,
          insertSpaceAfterOpeningAndBeforeClosingNonemptyBraces: true,
          insertSpaceAfterOpeningAndBeforeClosingTemplateStringBraces: false,
          insertSpaceAfterOpeningAndBeforeClosingJsxExpressionBraces: false,
          insertSpaceBeforeFunctionParenthesis: false,
          placeOpenBraceOnNewLineForFunctions: false,
          placeOpenBraceOnNewLineForControlBlocks: false,
          semicolons: "ignore",
          trimTrailingWhitespace: true,
          indentSwitchCase: true
        };
      }
      var testFormatSettings = getDefaultFormatCodeSettings("\n");
      var SymbolDisplayPartKind = /* @__PURE__ */ ((SymbolDisplayPartKind2) => {
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["aliasName"] = 0] = "aliasName";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["className"] = 1] = "className";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["enumName"] = 2] = "enumName";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["fieldName"] = 3] = "fieldName";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["interfaceName"] = 4] = "interfaceName";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["keyword"] = 5] = "keyword";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["lineBreak"] = 6] = "lineBreak";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["numericLiteral"] = 7] = "numericLiteral";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["stringLiteral"] = 8] = "stringLiteral";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["localName"] = 9] = "localName";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["methodName"] = 10] = "methodName";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["moduleName"] = 11] = "moduleName";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["operator"] = 12] = "operator";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["parameterName"] = 13] = "parameterName";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["propertyName"] = 14] = "propertyName";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["punctuation"] = 15] = "punctuation";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["space"] = 16] = "space";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["text"] = 17] = "text";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["typeParameterName"] = 18] = "typeParameterName";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["enumMemberName"] = 19] = "enumMemberName";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["functionName"] = 20] = "functionName";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["regularExpressionLiteral"] = 21] = "regularExpressionLiteral";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["link"] = 22] = "link";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["linkName"] = 23] = "linkName";
        SymbolDisplayPartKind2[SymbolDisplayPartKind2["linkText"] = 24] = "linkText";
        return SymbolDisplayPartKind2;
      })(SymbolDisplayPartKind || {});
      var CompletionInfoFlags = /* @__PURE__ */ ((CompletionInfoFlags2) => {
        CompletionInfoFlags2[CompletionInfoFlags2["None"] = 0] = "None";
        CompletionInfoFlags2[CompletionInfoFlags2["MayIncludeAutoImports"] = 1] = "MayIncludeAutoImports";
        CompletionInfoFlags2[CompletionInfoFlags2["IsImportStatementCompletion"] = 2] = "IsImportStatementCompletion";
        CompletionInfoFlags2[CompletionInfoFlags2["IsContinuation"] = 4] = "IsContinuation";
        CompletionInfoFlags2[CompletionInfoFlags2["ResolvedModuleSpecifiers"] = 8] = "ResolvedModuleSpecifiers";
        CompletionInfoFlags2[CompletionInfoFlags2["ResolvedModuleSpecifiersBeyondLimit"] = 16] = "ResolvedModuleSpecifiersBeyondLimit";
        CompletionInfoFlags2[CompletionInfoFlags2["MayIncludeMethodSnippets"] = 32] = "MayIncludeMethodSnippets";
        return CompletionInfoFlags2;
      })(CompletionInfoFlags || {});
      var OutliningSpanKind = /* @__PURE__ */ ((OutliningSpanKind2) => {
        OutliningSpanKind2["Comment"] = "comment";
        OutliningSpanKind2["Region"] = "region";
        OutliningSpanKind2["Code"] = "code";
        OutliningSpanKind2["Imports"] = "imports";
        return OutliningSpanKind2;
      })(OutliningSpanKind || {});
      var OutputFileType = /* @__PURE__ */ ((OutputFileType2) => {
        OutputFileType2[OutputFileType2["JavaScript"] = 0] = "JavaScript";
        OutputFileType2[OutputFileType2["SourceMap"] = 1] = "SourceMap";
        OutputFileType2[OutputFileType2["Declaration"] = 2] = "Declaration";
        return OutputFileType2;
      })(OutputFileType || {});
      var EndOfLineState = /* @__PURE__ */ ((EndOfLineState2) => {
        EndOfLineState2[EndOfLineState2["None"] = 0] = "None";
        EndOfLineState2[EndOfLineState2["InMultiLineCommentTrivia"] = 1] = "InMultiLineCommentTrivia";
        EndOfLineState2[EndOfLineState2["InSingleQuoteStringLiteral"] = 2] = "InSingleQuoteStringLiteral";
        EndOfLineState2[EndOfLineState2["InDoubleQuoteStringLiteral"] = 3] = "InDoubleQuoteStringLiteral";
        EndOfLineState2[EndOfLineState2["InTemplateHeadOrNoSubstitutionTemplate"] = 4] = "InTemplateHeadOrNoSubstitutionTemplate";
        EndOfLineState2[EndOfLineState2["InTemplateMiddleOrTail"] = 5] = "InTemplateMiddleOrTail";
        EndOfLineState2[EndOfLineState2["InTemplateSubstitutionPosition"] = 6] = "InTemplateSubstitutionPosition";
        return EndOfLineState2;
      })(EndOfLineState || {});
      var TokenClass = /* @__PURE__ */ ((TokenClass2) => {
        TokenClass2[TokenClass2["Punctuation"] = 0] = "Punctuation";
        TokenClass2[TokenClass2["Keyword"] = 1] = "Keyword";
        TokenClass2[TokenClass2["Operator"] = 2] = "Operator";
        TokenClass2[TokenClass2["Comment"] = 3] = "Comment";
        TokenClass2[TokenClass2["Whitespace"] = 4] = "Whitespace";
        TokenClass2[TokenClass2["Identifier"] = 5] = "Identifier";
        TokenClass2[TokenClass2["NumberLiteral"] = 6] = "NumberLiteral";
        TokenClass2[TokenClass2["BigIntLiteral"] = 7] = "BigIntLiteral";
        TokenClass2[TokenClass2["StringLiteral"] = 8] = "StringLiteral";
        TokenClass2[TokenClass2["RegExpLiteral"] = 9] = "RegExpLiteral";
        return TokenClass2;
      })(TokenClass || {});
      var ScriptElementKind = /* @__PURE__ */ ((ScriptElementKind2) => {
        ScriptElementKind2["unknown"] = "";
        ScriptElementKind2["warning"] = "warning";
        ScriptElementKind2["keyword"] = "keyword";
        ScriptElementKind2["scriptElement"] = "script";
        ScriptElementKind2["moduleElement"] = "module";
        ScriptElementKind2["classElement"] = "class";
        ScriptElementKind2["localClassElement"] = "local class";
        ScriptElementKind2["interfaceElement"] = "interface";
        ScriptElementKind2["typeElement"] = "type";
        ScriptElementKind2["enumElement"] = "enum";
        ScriptElementKind2["enumMemberElement"] = "enum member";
        ScriptElementKind2["variableElement"] = "var";
        ScriptElementKind2["localVariableElement"] = "local var";
        ScriptElementKind2["variableUsingElement"] = "using";
        ScriptElementKind2["variableAwaitUsingElement"] = "await using";
        ScriptElementKind2["functionElement"] = "function";
        ScriptElementKind2["localFunctionElement"] = "local function";
        ScriptElementKind2["memberFunctionElement"] = "method";
        ScriptElementKind2["memberGetAccessorElement"] = "getter";
        ScriptElementKind2["memberSetAccessorElement"] = "setter";
        ScriptElementKind2["memberVariableElement"] = "property";
        ScriptElementKind2["memberAccessorVariableElement"] = "accessor";
        ScriptElementKind2["constructorImplementationElement"] = "constructor";
        ScriptElementKind2["callSignatureElement"] = "call";
        ScriptElementKind2["indexSignatureElement"] = "index";
        ScriptElementKind2["constructSignatureElement"] = "construct";
        ScriptElementKind2["parameterElement"] = "parameter";
        ScriptElementKind2["typeParameterElement"] = "type parameter";
        ScriptElementKind2["primitiveType"] = "primitive type";
        ScriptElementKind2["label"] = "label";
        ScriptElementKind2["alias"] = "alias";
        ScriptElementKind2["constElement"] = "const";
        ScriptElementKind2["letElement"] = "let";
        ScriptElementKind2["directory"] = "directory";
        ScriptElementKind2["externalModuleName"] = "external module name";
        ScriptElementKind2["jsxAttribute"] = "JSX attribute";
        ScriptElementKind2["string"] = "string";
        ScriptElementKind2["link"] = "link";
        ScriptElementKind2["linkName"] = "link name";
        ScriptElementKind2["linkText"] = "link text";
        return ScriptElementKind2;
      })(ScriptElementKind || {});
      var ScriptElementKindModifier = /* @__PURE__ */ ((ScriptElementKindModifier2) => {
        ScriptElementKindModifier2["none"] = "";
        ScriptElementKindModifier2["publicMemberModifier"] = "public";
        ScriptElementKindModifier2["privateMemberModifier"] = "private";
        ScriptElementKindModifier2["protectedMemberModifier"] = "protected";
        ScriptElementKindModifier2["exportedModifier"] = "export";
        ScriptElementKindModifier2["ambientModifier"] = "declare";
        ScriptElementKindModifier2["staticModifier"] = "static";
        ScriptElementKindModifier2["abstractModifier"] = "abstract";
        ScriptElementKindModifier2["optionalModifier"] = "optional";
        ScriptElementKindModifier2["deprecatedModifier"] = "deprecated";
        ScriptElementKindModifier2["dtsModifier"] = ".d.ts";
        ScriptElementKindModifier2["tsModifier"] = ".ts";
        ScriptElementKindModifier2["tsxModifier"] = ".tsx";
        ScriptElementKindModifier2["jsModifier"] = ".js";
        ScriptElementKindModifier2["jsxModifier"] = ".jsx";
        ScriptElementKindModifier2["jsonModifier"] = ".json";
        ScriptElementKindModifier2["dmtsModifier"] = ".d.mts";
        ScriptElementKindModifier2["mtsModifier"] = ".mts";
        ScriptElementKindModifier2["mjsModifier"] = ".mjs";
        ScriptElementKindModifier2["dctsModifier"] = ".d.cts";
        ScriptElementKindModifier2["ctsModifier"] = ".cts";
        ScriptElementKindModifier2["cjsModifier"] = ".cjs";
        return ScriptElementKindModifier2;
      })(ScriptElementKindModifier || {});
      var ClassificationTypeNames = /* @__PURE__ */ ((ClassificationTypeNames2) => {
        ClassificationTypeNames2["comment"] = "comment";
        ClassificationTypeNames2["identifier"] = "identifier";
        ClassificationTypeNames2["keyword"] = "keyword";
        ClassificationTypeNames2["numericLiteral"] = "number";
        ClassificationTypeNames2["bigintLiteral"] = "bigint";
        ClassificationTypeNames2["operator"] = "operator";
        ClassificationTypeNames2["stringLiteral"] = "string";
        ClassificationTypeNames2["whiteSpace"] = "whitespace";
        ClassificationTypeNames2["text"] = "text";
        ClassificationTypeNames2["punctuation"] = "punctuation";
        ClassificationTypeNames2["className"] = "class name";
        ClassificationTypeNames2["enumName"] = "enum name";
        ClassificationTypeNames2["interfaceName"] = "interface name";
        ClassificationTypeNames2["moduleName"] = "module name";
        ClassificationTypeNames2["typeParameterName"] = "type parameter name";
        ClassificationTypeNames2["typeAliasName"] = "type alias name";
        ClassificationTypeNames2["parameterName"] = "parameter name";
        ClassificationTypeNames2["docCommentTagName"] = "doc comment tag name";
        ClassificationTypeNames2["jsxOpenTagName"] = "jsx open tag name";
        ClassificationTypeNames2["jsxCloseTagName"] = "jsx close tag name";
        ClassificationTypeNames2["jsxSelfClosingTagName"] = "jsx self closing tag name";
        ClassificationTypeNames2["jsxAttribute"] = "jsx attribute";
        ClassificationTypeNames2["jsxText"] = "jsx text";
        ClassificationTypeNames2["jsxAttributeStringLiteralValue"] = "jsx attribute string literal value";
        return ClassificationTypeNames2;
      })(ClassificationTypeNames || {});
      var ClassificationType = /* @__PURE__ */ ((ClassificationType2) => {
        ClassificationType2[ClassificationType2["comment"] = 1] = "comment";
        ClassificationType2[ClassificationType2["identifier"] = 2] = "identifier";
        ClassificationType2[ClassificationType2["keyword"] = 3] = "keyword";
        ClassificationType2[ClassificationType2["numericLiteral"] = 4] = "numericLiteral";
        ClassificationType2[ClassificationType2["operator"] = 5] = "operator";
        ClassificationType2[ClassificationType2["stringLiteral"] = 6] = "stringLiteral";
        ClassificationType2[ClassificationType2["regularExpressionLiteral"] = 7] = "regularExpressionLiteral";
        ClassificationType2[ClassificationType2["whiteSpace"] = 8] = "whiteSpace";
        ClassificationType2[ClassificationType2["text"] = 9] = "text";
        ClassificationType2[ClassificationType2["punctuation"] = 10] = "punctuation";
        ClassificationType2[ClassificationType2["className"] = 11] = "className";
        ClassificationType2[ClassificationType2["enumName"] = 12] = "enumName";
        ClassificationType2[ClassificationType2["interfaceName"] = 13] = "interfaceName";
        ClassificationType2[ClassificationType2["moduleName"] = 14] = "moduleName";
        ClassificationType2[ClassificationType2["typeParameterName"] = 15] = "typeParameterName";
        ClassificationType2[ClassificationType2["typeAliasName"] = 16] = "typeAliasName";
        ClassificationType2[ClassificationType2["parameterName"] = 17] = "parameterName";
        ClassificationType2[ClassificationType2["docCommentTagName"] = 18] = "docCommentTagName";
        ClassificationType2[ClassificationType2["jsxOpenTagName"] = 19] = "jsxOpenTagName";
        ClassificationType2[ClassificationType2["jsxCloseTagName"] = 20] = "jsxCloseTagName";
        ClassificationType2[ClassificationType2["jsxSelfClosingTagName"] = 21] = "jsxSelfClosingTagName";
        ClassificationType2[ClassificationType2["jsxAttribute"] = 22] = "jsxAttribute";
        ClassificationType2[ClassificationType2["jsxText"] = 23] = "jsxText";
        ClassificationType2[ClassificationType2["jsxAttributeStringLiteralValue"] = 24] = "jsxAttributeStringLiteralValue";
        ClassificationType2[ClassificationType2["bigintLiteral"] = 25] = "bigintLiteral";
        return ClassificationType2;
      })(ClassificationType || {});
      var scanner = createScanner(
        99,
        /*skipTrivia*/
        true
      );
      var SemanticMeaning = /* @__PURE__ */ ((SemanticMeaning2) => {
        SemanticMeaning2[SemanticMeaning2["None"] = 0] = "None";
        SemanticMeaning2[SemanticMeaning2["Value"] = 1] = "Value";
        SemanticMeaning2[SemanticMeaning2["Type"] = 2] = "Type";
        SemanticMeaning2[SemanticMeaning2["Namespace"] = 4] = "Namespace";
        SemanticMeaning2[SemanticMeaning2["All"] = 7] = "All";
        return SemanticMeaning2;
      })(SemanticMeaning || {});
      function getMeaningFromDeclaration(node) {
        switch (node.kind) {
          case 260:
            return isInJSFile(node) && getJSDocEnumTag(node) ? 7 : 1;
          case 169:
          case 208:
          case 172:
          case 171:
          case 303:
          case 304:
          case 174:
          case 173:
          case 176:
          case 177:
          case 178:
          case 262:
          case 218:
          case 219:
          case 299:
          case 291:
            return 1;
          case 168:
          case 264:
          case 265:
          case 187:
            return 2;
          case 346:
            return node.name === void 0 ? 1 | 2 : 2;
          case 306:
          case 263:
            return 1 | 2;
          case 267:
            if (isAmbientModule(node)) {
              return 4 | 1;
            } else if (getModuleInstanceState(node) === 1) {
              return 4 | 1;
            } else {
              return 4;
            }
          case 266:
          case 275:
          case 276:
          case 271:
          case 272:
          case 277:
          case 278:
            return 7;
          case 307:
            return 4 | 1;
        }
        return 7;
      }
      function getMeaningFromLocation(node) {
        node = getAdjustedReferenceLocation(node);
        const parent2 = node.parent;
        if (node.kind === 307) {
          return 1;
        } else if (isExportAssignment(parent2) || isExportSpecifier(parent2) || isExternalModuleReference(parent2) || isImportSpecifier(parent2) || isImportClause(parent2) || isImportEqualsDeclaration(parent2) && node === parent2.name) {
          return 7;
        } else if (isInRightSideOfInternalImportEqualsDeclaration(node)) {
          return getMeaningFromRightHandSideOfImportEquals(node);
        } else if (isDeclarationName(node)) {
          return getMeaningFromDeclaration(parent2);
        } else if (isEntityName(node) && findAncestor(node, or(isJSDocNameReference, isJSDocLinkLike, isJSDocMemberName))) {
          return 7;
        } else if (isTypeReference(node)) {
          return 2;
        } else if (isNamespaceReference(node)) {
          return 4;
        } else if (isTypeParameterDeclaration(parent2)) {
          Debug.assert(isJSDocTemplateTag(parent2.parent));
          return 2;
        } else if (isLiteralTypeNode(parent2)) {
          return 2 | 1;
        } else {
          return 1;
        }
      }
      function getMeaningFromRightHandSideOfImportEquals(node) {
        const name = node.kind === 166 ? node : isQualifiedName(node.parent) && node.parent.right === node ? node.parent : void 0;
        return name && name.parent.kind === 271 ? 7 : 4;
      }
      function isInRightSideOfInternalImportEqualsDeclaration(node) {
        while (node.parent.kind === 166) {
          node = node.parent;
        }
        return isInternalModuleImportEqualsDeclaration(node.parent) && node.parent.moduleReference === node;
      }
      function isNamespaceReference(node) {
        return isQualifiedNameNamespaceReference(node) || isPropertyAccessNamespaceReference(node);
      }
      function isQualifiedNameNamespaceReference(node) {
        let root2 = node;
        let isLastClause = true;
        if (root2.parent.kind === 166) {
          while (root2.parent && root2.parent.kind === 166) {
            root2 = root2.parent;
          }
          isLastClause = root2.right === node;
        }
        return root2.parent.kind === 183 && !isLastClause;
      }
      function isPropertyAccessNamespaceReference(node) {
        let root2 = node;
        let isLastClause = true;
        if (root2.parent.kind === 211) {
          while (root2.parent && root2.parent.kind === 211) {
            root2 = root2.parent;
          }
          isLastClause = root2.name === node;
        }
        if (!isLastClause && root2.parent.kind === 233 && root2.parent.parent.kind === 298) {
          const decl = root2.parent.parent.parent;
          return decl.kind === 263 && root2.parent.parent.token === 119 || decl.kind === 264 && root2.parent.parent.token === 96;
        }
        return false;
      }
      function isTypeReference(node) {
        if (isRightSideOfQualifiedNameOrPropertyAccess(node)) {
          node = node.parent;
        }
        switch (node.kind) {
          case 110:
            return !isExpressionNode(node);
          case 197:
            return true;
        }
        switch (node.parent.kind) {
          case 183:
            return true;
          case 205:
            return !node.parent.isTypeOf;
          case 233:
            return isPartOfTypeNode(node.parent);
        }
        return false;
      }
      function isCallExpressionTarget(node, includeElementAccess = false, skipPastOuterExpressions = false) {
        return isCalleeWorker(node, isCallExpression2, selectExpressionOfCallOrNewExpressionOrDecorator, includeElementAccess, skipPastOuterExpressions);
      }
      function isNewExpressionTarget(node, includeElementAccess = false, skipPastOuterExpressions = false) {
        return isCalleeWorker(node, isNewExpression2, selectExpressionOfCallOrNewExpressionOrDecorator, includeElementAccess, skipPastOuterExpressions);
      }
      function isCallOrNewExpressionTarget(node, includeElementAccess = false, skipPastOuterExpressions = false) {
        return isCalleeWorker(node, isCallOrNewExpression2, selectExpressionOfCallOrNewExpressionOrDecorator, includeElementAccess, skipPastOuterExpressions);
      }
      function isTaggedTemplateTag(node, includeElementAccess = false, skipPastOuterExpressions = false) {
        return isCalleeWorker(node, isTaggedTemplateExpression, selectTagOfTaggedTemplateExpression, includeElementAccess, skipPastOuterExpressions);
      }
      function isDecoratorTarget(node, includeElementAccess = false, skipPastOuterExpressions = false) {
        return isCalleeWorker(node, isDecorator, selectExpressionOfCallOrNewExpressionOrDecorator, includeElementAccess, skipPastOuterExpressions);
      }
      function isJsxOpeningLikeElementTagName(node, includeElementAccess = false, skipPastOuterExpressions = false) {
        return isCalleeWorker(node, isJsxOpeningLikeElement, selectTagNameOfJsxOpeningLikeElement, includeElementAccess, skipPastOuterExpressions);
      }
      function selectExpressionOfCallOrNewExpressionOrDecorator(node) {
        return node.expression;
      }
      function selectTagOfTaggedTemplateExpression(node) {
        return node.tag;
      }
      function selectTagNameOfJsxOpeningLikeElement(node) {
        return node.tagName;
      }
      function isCalleeWorker(node, pred, calleeSelector, includeElementAccess, skipPastOuterExpressions) {
        let target = includeElementAccess ? climbPastPropertyOrElementAccess(node) : climbPastPropertyAccess(node);
        if (skipPastOuterExpressions) {
          target = skipOuterExpressions(target);
        }
        return !!target && !!target.parent && pred(target.parent) && calleeSelector(target.parent) === target;
      }
      function climbPastPropertyAccess(node) {
        return isRightSideOfPropertyAccess(node) ? node.parent : node;
      }
      function climbPastPropertyOrElementAccess(node) {
        return isRightSideOfPropertyAccess(node) || isArgumentExpressionOfElementAccess(node) ? node.parent : node;
      }
      function getTargetLabel(referenceNode, labelName) {
        while (referenceNode) {
          if (referenceNode.kind === 256 && referenceNode.label.escapedText === labelName) {
            return referenceNode.label;
          }
          referenceNode = referenceNode.parent;
        }
        return void 0;
      }
      function hasPropertyAccessExpressionWithName(node, funcName) {
        if (!isPropertyAccessExpression(node.expression)) {
          return false;
        }
        return node.expression.name.text === funcName;
      }
      function isJumpStatementTarget(node) {
        var _a;
        return isIdentifier(node) && ((_a = tryCast(node.parent, isBreakOrContinueStatement)) == null ? void 0 : _a.label) === node;
      }
      function isLabelOfLabeledStatement(node) {
        var _a;
        return isIdentifier(node) && ((_a = tryCast(node.parent, isLabeledStatement)) == null ? void 0 : _a.label) === node;
      }
      function isLabelName(node) {
        return isLabelOfLabeledStatement(node) || isJumpStatementTarget(node);
      }
      function isTagName(node) {
        var _a;
        return ((_a = tryCast(node.parent, isJSDocTag)) == null ? void 0 : _a.tagName) === node;
      }
      function isRightSideOfQualifiedName(node) {
        var _a;
        return ((_a = tryCast(node.parent, isQualifiedName)) == null ? void 0 : _a.right) === node;
      }
      function isRightSideOfPropertyAccess(node) {
        var _a;
        return ((_a = tryCast(node.parent, isPropertyAccessExpression)) == null ? void 0 : _a.name) === node;
      }
      function isArgumentExpressionOfElementAccess(node) {
        var _a;
        return ((_a = tryCast(node.parent, isElementAccessExpression)) == null ? void 0 : _a.argumentExpression) === node;
      }
      function isNameOfModuleDeclaration(node) {
        var _a;
        return ((_a = tryCast(node.parent, isModuleDeclaration)) == null ? void 0 : _a.name) === node;
      }
      function isNameOfFunctionDeclaration(node) {
        var _a;
        return isIdentifier(node) && ((_a = tryCast(node.parent, isFunctionLike)) == null ? void 0 : _a.name) === node;
      }
      function isLiteralNameOfPropertyDeclarationOrIndexAccess(node) {
        switch (node.parent.kind) {
          case 172:
          case 171:
          case 303:
          case 306:
          case 174:
          case 173:
          case 177:
          case 178:
          case 267:
            return getNameOfDeclaration(node.parent) === node;
          case 212:
            return node.parent.argumentExpression === node;
          case 167:
            return true;
          case 201:
            return node.parent.parent.kind === 199;
          default:
            return false;
        }
      }
      function isExpressionOfExternalModuleImportEqualsDeclaration(node) {
        return isExternalModuleImportEqualsDeclaration(node.parent.parent) && getExternalModuleImportEqualsDeclarationExpression(node.parent.parent) === node;
      }
      function getContainerNode(node) {
        if (isJSDocTypeAlias(node)) {
          node = node.parent.parent;
        }
        while (true) {
          node = node.parent;
          if (!node) {
            return void 0;
          }
          switch (node.kind) {
            case 307:
            case 174:
            case 173:
            case 262:
            case 218:
            case 177:
            case 178:
            case 263:
            case 264:
            case 266:
            case 267:
              return node;
          }
        }
      }
      function getNodeKind(node) {
        switch (node.kind) {
          case 307:
            return isExternalModule(node) ? "module" : "script";
          case 267:
            return "module";
          case 263:
          case 231:
            return "class";
          case 264:
            return "interface";
          case 265:
          case 338:
          case 346:
            return "type";
          case 266:
            return "enum";
          case 260:
            return getKindOfVariableDeclaration(node);
          case 208:
            return getKindOfVariableDeclaration(getRootDeclaration(node));
          case 219:
          case 262:
          case 218:
            return "function";
          case 177:
            return "getter";
          case 178:
            return "setter";
          case 174:
          case 173:
            return "method";
          case 303:
            const { initializer } = node;
            return isFunctionLike(initializer) ? "method" : "property";
          case 172:
          case 171:
          case 304:
          case 305:
            return "property";
          case 181:
            return "index";
          case 180:
            return "construct";
          case 179:
            return "call";
          case 176:
          case 175:
            return "constructor";
          case 168:
            return "type parameter";
          case 306:
            return "enum member";
          case 169:
            return hasSyntacticModifier(
              node,
              31
              /* ParameterPropertyModifier */
            ) ? "property" : "parameter";
          case 271:
          case 276:
          case 281:
          case 274:
          case 280:
            return "alias";
          case 226:
            const kind = getAssignmentDeclarationKind(node);
            const { right } = node;
            switch (kind) {
              case 7:
              case 8:
              case 9:
              case 0:
                return "";
              case 1:
              case 2:
                const rightKind = getNodeKind(right);
                return rightKind === "" ? "const" : rightKind;
              case 3:
                return isFunctionExpression(right) ? "method" : "property";
              case 4:
                return "property";
              case 5:
                return isFunctionExpression(right) ? "method" : "property";
              case 6:
                return "local class";
              default: {
                assertType(kind);
                return "";
              }
            }
          case 80:
            return isImportClause(node.parent) ? "alias" : "";
          case 277:
            const scriptKind = getNodeKind(node.expression);
            return scriptKind === "" ? "const" : scriptKind;
          default:
            return "";
        }
        function getKindOfVariableDeclaration(v) {
          return isVarConst(v) ? "const" : isLet(v) ? "let" : "var";
        }
      }
      function isThis(node) {
        switch (node.kind) {
          case 110:
            return true;
          case 80:
            return identifierIsThisKeyword(node) && node.parent.kind === 169;
          default:
            return false;
        }
      }
      var tripleSlashDirectivePrefixRegex = /^\/\/\/\s*= range.end;
      }
      function rangeContainsStartEnd(range, start, end) {
        return range.pos <= start && range.end >= end;
      }
      function rangeOverlapsWithStartEnd(r1, start, end) {
        return startEndOverlapsWithStartEnd(r1.pos, r1.end, start, end);
      }
      function nodeOverlapsWithStartEnd(node, sourceFile, start, end) {
        return startEndOverlapsWithStartEnd(node.getStart(sourceFile), node.end, start, end);
      }
      function startEndOverlapsWithStartEnd(start1, end1, start2, end2) {
        const start = Math.max(start1, start2);
        const end = Math.min(end1, end2);
        return start < end;
      }
      function positionBelongsToNode(candidate, position, sourceFile) {
        Debug.assert(candidate.pos <= position);
        return position < candidate.end || !isCompletedNode(candidate, sourceFile);
      }
      function isCompletedNode(n, sourceFile) {
        if (n === void 0 || nodeIsMissing(n)) {
          return false;
        }
        switch (n.kind) {
          case 263:
          case 264:
          case 266:
          case 210:
          case 206:
          case 187:
          case 241:
          case 268:
          case 269:
          case 275:
          case 279:
            return nodeEndsWith(n, 20, sourceFile);
          case 299:
            return isCompletedNode(n.block, sourceFile);
          case 214:
            if (!n.arguments) {
              return true;
            }
          case 213:
          case 217:
          case 196:
            return nodeEndsWith(n, 22, sourceFile);
          case 184:
          case 185:
            return isCompletedNode(n.type, sourceFile);
          case 176:
          case 177:
          case 178:
          case 262:
          case 218:
          case 174:
          case 173:
          case 180:
          case 179:
          case 219:
            if (n.body) {
              return isCompletedNode(n.body, sourceFile);
            }
            if (n.type) {
              return isCompletedNode(n.type, sourceFile);
            }
            return hasChildOfKind(n, 22, sourceFile);
          case 267:
            return !!n.body && isCompletedNode(n.body, sourceFile);
          case 245:
            if (n.elseStatement) {
              return isCompletedNode(n.elseStatement, sourceFile);
            }
            return isCompletedNode(n.thenStatement, sourceFile);
          case 244:
            return isCompletedNode(n.expression, sourceFile) || hasChildOfKind(n, 27, sourceFile);
          case 209:
          case 207:
          case 212:
          case 167:
          case 189:
            return nodeEndsWith(n, 24, sourceFile);
          case 181:
            if (n.type) {
              return isCompletedNode(n.type, sourceFile);
            }
            return hasChildOfKind(n, 24, sourceFile);
          case 296:
          case 297:
            return false;
          case 248:
          case 249:
          case 250:
          case 247:
            return isCompletedNode(n.statement, sourceFile);
          case 246:
            return hasChildOfKind(n, 117, sourceFile) ? nodeEndsWith(n, 22, sourceFile) : isCompletedNode(n.statement, sourceFile);
          case 186:
            return isCompletedNode(n.exprName, sourceFile);
          case 221:
          case 220:
          case 222:
          case 229:
          case 230:
            const unaryWordExpression = n;
            return isCompletedNode(unaryWordExpression.expression, sourceFile);
          case 215:
            return isCompletedNode(n.template, sourceFile);
          case 228:
            const lastSpan = lastOrUndefined(n.templateSpans);
            return isCompletedNode(lastSpan, sourceFile);
          case 239:
            return nodeIsPresent(n.literal);
          case 278:
          case 272:
            return nodeIsPresent(n.moduleSpecifier);
          case 224:
            return isCompletedNode(n.operand, sourceFile);
          case 226:
            return isCompletedNode(n.right, sourceFile);
          case 227:
            return isCompletedNode(n.whenFalse, sourceFile);
          default:
            return true;
        }
      }
      function nodeEndsWith(n, expectedLastToken, sourceFile) {
        const children = n.getChildren(sourceFile);
        if (children.length) {
          const lastChild = last(children);
          if (lastChild.kind === expectedLastToken) {
            return true;
          } else if (lastChild.kind === 27 && children.length !== 1) {
            return children[children.length - 2].kind === expectedLastToken;
          }
        }
        return false;
      }
      function findListItemInfo(node) {
        const list = findContainingList(node);
        if (!list) {
          return void 0;
        }
        const children = list.getChildren();
        const listItemIndex = indexOfNode(children, node);
        return {
          listItemIndex,
          list
        };
      }
      function hasChildOfKind(n, kind, sourceFile) {
        return !!findChildOfKind(n, kind, sourceFile);
      }
      function findChildOfKind(n, kind, sourceFile) {
        return find(n.getChildren(sourceFile), (c) => c.kind === kind);
      }
      function findContainingList(node) {
        const syntaxList = find(node.parent.getChildren(), (c) => isSyntaxList(c) && rangeContainsRange(c, node));
        Debug.assert(!syntaxList || contains(syntaxList.getChildren(), node));
        return syntaxList;
      }
      function isDefaultModifier2(node) {
        return node.kind === 90;
      }
      function isClassKeyword(node) {
        return node.kind === 86;
      }
      function isFunctionKeyword(node) {
        return node.kind === 100;
      }
      function getAdjustedLocationForClass(node) {
        if (isNamedDeclaration(node)) {
          return node.name;
        }
        if (isClassDeclaration(node)) {
          const defaultModifier = node.modifiers && find(node.modifiers, isDefaultModifier2);
          if (defaultModifier) return defaultModifier;
        }
        if (isClassExpression(node)) {
          const classKeyword = find(node.getChildren(), isClassKeyword);
          if (classKeyword) return classKeyword;
        }
      }
      function getAdjustedLocationForFunction(node) {
        if (isNamedDeclaration(node)) {
          return node.name;
        }
        if (isFunctionDeclaration(node)) {
          const defaultModifier = find(node.modifiers, isDefaultModifier2);
          if (defaultModifier) return defaultModifier;
        }
        if (isFunctionExpression(node)) {
          const functionKeyword = find(node.getChildren(), isFunctionKeyword);
          if (functionKeyword) return functionKeyword;
        }
      }
      function getAncestorTypeNode(node) {
        let lastTypeNode;
        findAncestor(node, (a) => {
          if (isTypeNode(a)) {
            lastTypeNode = a;
          }
          return !isQualifiedName(a.parent) && !isTypeNode(a.parent) && !isTypeElement(a.parent);
        });
        return lastTypeNode;
      }
      function getContextualTypeFromParentOrAncestorTypeNode(node, checker) {
        if (node.flags & (16777216 & ~524288)) return void 0;
        const contextualType = getContextualTypeFromParent(node, checker);
        if (contextualType) return contextualType;
        const ancestorTypeNode = getAncestorTypeNode(node);
        return ancestorTypeNode && checker.getTypeAtLocation(ancestorTypeNode);
      }
      function getAdjustedLocationForDeclaration(node, forRename) {
        if (!forRename) {
          switch (node.kind) {
            case 263:
            case 231:
              return getAdjustedLocationForClass(node);
            case 262:
            case 218:
              return getAdjustedLocationForFunction(node);
            case 176:
              return node;
          }
        }
        if (isNamedDeclaration(node)) {
          return node.name;
        }
      }
      function getAdjustedLocationForImportDeclaration(node, forRename) {
        if (node.importClause) {
          if (node.importClause.name && node.importClause.namedBindings) {
            return;
          }
          if (node.importClause.name) {
            return node.importClause.name;
          }
          if (node.importClause.namedBindings) {
            if (isNamedImports(node.importClause.namedBindings)) {
              const onlyBinding = singleOrUndefined(node.importClause.namedBindings.elements);
              if (!onlyBinding) {
                return;
              }
              return onlyBinding.name;
            } else if (isNamespaceImport(node.importClause.namedBindings)) {
              return node.importClause.namedBindings.name;
            }
          }
        }
        if (!forRename) {
          return node.moduleSpecifier;
        }
      }
      function getAdjustedLocationForExportDeclaration(node, forRename) {
        if (node.exportClause) {
          if (isNamedExports(node.exportClause)) {
            const onlyBinding = singleOrUndefined(node.exportClause.elements);
            if (!onlyBinding) {
              return;
            }
            return node.exportClause.elements[0].name;
          } else if (isNamespaceExport(node.exportClause)) {
            return node.exportClause.name;
          }
        }
        if (!forRename) {
          return node.moduleSpecifier;
        }
      }
      function getAdjustedLocationForHeritageClause(node) {
        if (node.types.length === 1) {
          return node.types[0].expression;
        }
      }
      function getAdjustedLocation(node, forRename) {
        const { parent: parent2 } = node;
        if (isModifier(node) && (forRename || node.kind !== 90) ? canHaveModifiers(parent2) && contains(parent2.modifiers, node) : node.kind === 86 ? isClassDeclaration(parent2) || isClassExpression(node) : node.kind === 100 ? isFunctionDeclaration(parent2) || isFunctionExpression(node) : node.kind === 120 ? isInterfaceDeclaration(parent2) : node.kind === 94 ? isEnumDeclaration(parent2) : node.kind === 156 ? isTypeAliasDeclaration(parent2) : node.kind === 145 || node.kind === 144 ? isModuleDeclaration(parent2) : node.kind === 102 ? isImportEqualsDeclaration(parent2) : node.kind === 139 ? isGetAccessorDeclaration(parent2) : node.kind === 153 && isSetAccessorDeclaration(parent2)) {
          const location = getAdjustedLocationForDeclaration(parent2, forRename);
          if (location) {
            return location;
          }
        }
        if ((node.kind === 115 || node.kind === 87 || node.kind === 121) && isVariableDeclarationList(parent2) && parent2.declarations.length === 1) {
          const decl = parent2.declarations[0];
          if (isIdentifier(decl.name)) {
            return decl.name;
          }
        }
        if (node.kind === 156) {
          if (isImportClause(parent2) && parent2.isTypeOnly) {
            const location = getAdjustedLocationForImportDeclaration(parent2.parent, forRename);
            if (location) {
              return location;
            }
          }
          if (isExportDeclaration(parent2) && parent2.isTypeOnly) {
            const location = getAdjustedLocationForExportDeclaration(parent2, forRename);
            if (location) {
              return location;
            }
          }
        }
        if (node.kind === 130) {
          if (isImportSpecifier(parent2) && parent2.propertyName || isExportSpecifier(parent2) && parent2.propertyName || isNamespaceImport(parent2) || isNamespaceExport(parent2)) {
            return parent2.name;
          }
          if (isExportDeclaration(parent2) && parent2.exportClause && isNamespaceExport(parent2.exportClause)) {
            return parent2.exportClause.name;
          }
        }
        if (node.kind === 102 && isImportDeclaration(parent2)) {
          const location = getAdjustedLocationForImportDeclaration(parent2, forRename);
          if (location) {
            return location;
          }
        }
        if (node.kind === 95) {
          if (isExportDeclaration(parent2)) {
            const location = getAdjustedLocationForExportDeclaration(parent2, forRename);
            if (location) {
              return location;
            }
          }
          if (isExportAssignment(parent2)) {
            return skipOuterExpressions(parent2.expression);
          }
        }
        if (node.kind === 149 && isExternalModuleReference(parent2)) {
          return parent2.expression;
        }
        if (node.kind === 161 && (isImportDeclaration(parent2) || isExportDeclaration(parent2)) && parent2.moduleSpecifier) {
          return parent2.moduleSpecifier;
        }
        if ((node.kind === 96 || node.kind === 119) && isHeritageClause(parent2) && parent2.token === node.kind) {
          const location = getAdjustedLocationForHeritageClause(parent2);
          if (location) {
            return location;
          }
        }
        if (node.kind === 96) {
          if (isTypeParameterDeclaration(parent2) && parent2.constraint && isTypeReferenceNode(parent2.constraint)) {
            return parent2.constraint.typeName;
          }
          if (isConditionalTypeNode(parent2) && isTypeReferenceNode(parent2.extendsType)) {
            return parent2.extendsType.typeName;
          }
        }
        if (node.kind === 140 && isInferTypeNode(parent2)) {
          return parent2.typeParameter.name;
        }
        if (node.kind === 103 && isTypeParameterDeclaration(parent2) && isMappedTypeNode(parent2.parent)) {
          return parent2.name;
        }
        if (node.kind === 143 && isTypeOperatorNode(parent2) && parent2.operator === 143 && isTypeReferenceNode(parent2.type)) {
          return parent2.type.typeName;
        }
        if (node.kind === 148 && isTypeOperatorNode(parent2) && parent2.operator === 148 && isArrayTypeNode(parent2.type) && isTypeReferenceNode(parent2.type.elementType)) {
          return parent2.type.elementType.typeName;
        }
        if (!forRename) {
          if (node.kind === 105 && isNewExpression2(parent2) || node.kind === 116 && isVoidExpression(parent2) || node.kind === 114 && isTypeOfExpression(parent2) || node.kind === 135 && isAwaitExpression(parent2) || node.kind === 127 && isYieldExpression(parent2) || node.kind === 91 && isDeleteExpression(parent2)) {
            if (parent2.expression) {
              return skipOuterExpressions(parent2.expression);
            }
          }
          if ((node.kind === 103 || node.kind === 104) && isBinaryExpression(parent2) && parent2.operatorToken === node) {
            return skipOuterExpressions(parent2.right);
          }
          if (node.kind === 130 && isAsExpression(parent2) && isTypeReferenceNode(parent2.type)) {
            return parent2.type.typeName;
          }
          if (node.kind === 103 && isForInStatement(parent2) || node.kind === 165 && isForOfStatement(parent2)) {
            return skipOuterExpressions(parent2.expression);
          }
        }
        return node;
      }
      function getAdjustedReferenceLocation(node) {
        return getAdjustedLocation(
          node,
          /*forRename*/
          false
        );
      }
      function getAdjustedRenameLocation(node) {
        return getAdjustedLocation(
          node,
          /*forRename*/
          true
        );
      }
      function getTouchingPropertyName(sourceFile, position) {
        return getTouchingToken(sourceFile, position, (n) => isPropertyNameLiteral(n) || isKeyword2(n.kind) || isPrivateIdentifier(n));
      }
      function getTouchingToken(sourceFile, position, includePrecedingTokenAtEndPosition) {
        return getTokenAtPositionWorker(
          sourceFile,
          position,
          /*allowPositionInLeadingTrivia*/
          false,
          includePrecedingTokenAtEndPosition,
          /*includeEndPosition*/
          false
        );
      }
      function getTokenAtPosition(sourceFile, position) {
        return getTokenAtPositionWorker(
          sourceFile,
          position,
          /*allowPositionInLeadingTrivia*/
          true,
          /*includePrecedingTokenAtEndPosition*/
          void 0,
          /*includeEndPosition*/
          false
        );
      }
      function getTokenAtPositionWorker(sourceFile, position, allowPositionInLeadingTrivia, includePrecedingTokenAtEndPosition, includeEndPosition) {
        let current = sourceFile;
        let foundToken;
        outer:
          while (true) {
            const children = current.getChildren(sourceFile);
            const i = binarySearchKey(children, position, (_, i2) => i2, (middle, _) => {
              const end = children[middle].getEnd();
              if (end < position) {
                return -1;
              }
              const start = allowPositionInLeadingTrivia ? children[middle].getFullStart() : children[middle].getStart(
                sourceFile,
                /*includeJsDocComment*/
                true
              );
              if (start > position) {
                return 1;
              }
              if (nodeContainsPosition(children[middle], start, end)) {
                if (children[middle - 1]) {
                  if (nodeContainsPosition(children[middle - 1])) {
                    return 1;
                  }
                }
                return 0;
              }
              if (includePrecedingTokenAtEndPosition && start === position && children[middle - 1] && children[middle - 1].getEnd() === position && nodeContainsPosition(children[middle - 1])) {
                return 1;
              }
              return -1;
            });
            if (foundToken) {
              return foundToken;
            }
            if (i >= 0 && children[i]) {
              current = children[i];
              continue outer;
            }
            return current;
          }
        function nodeContainsPosition(node, start, end) {
          end ?? (end = node.getEnd());
          if (end < position) {
            return false;
          }
          start ?? (start = allowPositionInLeadingTrivia ? node.getFullStart() : node.getStart(
            sourceFile,
            /*includeJsDocComment*/
            true
          ));
          if (start > position) {
            return false;
          }
          if (position < end || position === end && (node.kind === 1 || includeEndPosition)) {
            return true;
          } else if (includePrecedingTokenAtEndPosition && end === position) {
            const previousToken = findPrecedingToken(position, sourceFile, node);
            if (previousToken && includePrecedingTokenAtEndPosition(previousToken)) {
              foundToken = previousToken;
              return true;
            }
          }
          return false;
        }
      }
      function findFirstNonJsxWhitespaceToken(sourceFile, position) {
        let tokenAtPosition = getTokenAtPosition(sourceFile, position);
        while (isWhiteSpaceOnlyJsxText(tokenAtPosition)) {
          const nextToken = findNextToken(tokenAtPosition, tokenAtPosition.parent, sourceFile);
          if (!nextToken) return;
          tokenAtPosition = nextToken;
        }
        return tokenAtPosition;
      }
      function findTokenOnLeftOfPosition(file, position) {
        const tokenAtPosition = getTokenAtPosition(file, position);
        if (isToken(tokenAtPosition) && position > tokenAtPosition.getStart(file) && position < tokenAtPosition.getEnd()) {
          return tokenAtPosition;
        }
        return findPrecedingToken(position, file);
      }
      function findNextToken(previousToken, parent2, sourceFile) {
        return find2(parent2);
        function find2(n) {
          if (isToken(n) && n.pos === previousToken.end) {
            return n;
          }
          return firstDefined(n.getChildren(sourceFile), (child) => {
            const shouldDiveInChildNode = (
              // previous token is enclosed somewhere in the child
              child.pos <= previousToken.pos && child.end > previousToken.end || // previous token ends exactly at the beginning of child
              child.pos === previousToken.end
            );
            return shouldDiveInChildNode && nodeHasTokens(child, sourceFile) ? find2(child) : void 0;
          });
        }
      }
      function findPrecedingToken(position, sourceFile, startNode2, excludeJsdoc) {
        const result = find2(startNode2 || sourceFile);
        Debug.assert(!(result && isWhiteSpaceOnlyJsxText(result)));
        return result;
        function find2(n) {
          if (isNonWhitespaceToken(n) && n.kind !== 1) {
            return n;
          }
          const children = n.getChildren(sourceFile);
          const i = binarySearchKey(children, position, (_, i2) => i2, (middle, _) => {
            if (position < children[middle].end) {
              if (!children[middle - 1] || position >= children[middle - 1].end) {
                return 0;
              }
              return 1;
            }
            return -1;
          });
          if (i >= 0 && children[i]) {
            const child = children[i];
            if (position < child.end) {
              const start = child.getStart(
                sourceFile,
                /*includeJsDoc*/
                !excludeJsdoc
              );
              const lookInPreviousChild = start >= position || // cursor in the leading trivia
              !nodeHasTokens(child, sourceFile) || isWhiteSpaceOnlyJsxText(child);
              if (lookInPreviousChild) {
                const candidate2 = findRightmostChildNodeWithTokens(
                  children,
                  /*exclusiveStartPosition*/
                  i,
                  sourceFile,
                  n.kind
                );
                if (candidate2) {
                  if (!excludeJsdoc && isJSDocCommentContainingNode(candidate2) && candidate2.getChildren(sourceFile).length) {
                    return find2(candidate2);
                  }
                  return findRightmostToken(candidate2, sourceFile);
                }
                return void 0;
              } else {
                return find2(child);
              }
            }
          }
          Debug.assert(startNode2 !== void 0 || n.kind === 307 || n.kind === 1 || isJSDocCommentContainingNode(n));
          const candidate = findRightmostChildNodeWithTokens(
            children,
            /*exclusiveStartPosition*/
            children.length,
            sourceFile,
            n.kind
          );
          return candidate && findRightmostToken(candidate, sourceFile);
        }
      }
      function isNonWhitespaceToken(n) {
        return isToken(n) && !isWhiteSpaceOnlyJsxText(n);
      }
      function findRightmostToken(n, sourceFile) {
        if (isNonWhitespaceToken(n)) {
          return n;
        }
        const children = n.getChildren(sourceFile);
        if (children.length === 0) {
          return n;
        }
        const candidate = findRightmostChildNodeWithTokens(
          children,
          /*exclusiveStartPosition*/
          children.length,
          sourceFile,
          n.kind
        );
        return candidate && findRightmostToken(candidate, sourceFile);
      }
      function findRightmostChildNodeWithTokens(children, exclusiveStartPosition, sourceFile, parentKind) {
        for (let i = exclusiveStartPosition - 1; i >= 0; i--) {
          const child = children[i];
          if (isWhiteSpaceOnlyJsxText(child)) {
            if (i === 0 && (parentKind === 12 || parentKind === 285)) {
              Debug.fail("`JsxText` tokens should not be the first child of `JsxElement | JsxSelfClosingElement`");
            }
          } else if (nodeHasTokens(children[i], sourceFile)) {
            return children[i];
          }
        }
      }
      function isInString(sourceFile, position, previousToken = findPrecedingToken(position, sourceFile)) {
        if (previousToken && isStringTextContainingNode(previousToken)) {
          const start = previousToken.getStart(sourceFile);
          const end = previousToken.getEnd();
          if (start < position && position < end) {
            return true;
          }
          if (position === end) {
            return !!previousToken.isUnterminated;
          }
        }
        return false;
      }
      function isInsideJsxElementOrAttribute(sourceFile, position) {
        const token = getTokenAtPosition(sourceFile, position);
        if (!token) {
          return false;
        }
        if (token.kind === 12) {
          return true;
        }
        if (token.kind === 30 && token.parent.kind === 12) {
          return true;
        }
        if (token.kind === 30 && token.parent.kind === 294) {
          return true;
        }
        if (token && token.kind === 20 && token.parent.kind === 294) {
          return true;
        }
        if (token.kind === 30 && token.parent.kind === 287) {
          return true;
        }
        return false;
      }
      function isWhiteSpaceOnlyJsxText(node) {
        return isJsxText(node) && node.containsOnlyTriviaWhiteSpaces;
      }
      function isInTemplateString(sourceFile, position) {
        const token = getTokenAtPosition(sourceFile, position);
        return isTemplateLiteralKind(token.kind) && position > token.getStart(sourceFile);
      }
      function isInJSXText(sourceFile, position) {
        const token = getTokenAtPosition(sourceFile, position);
        if (isJsxText(token)) {
          return true;
        }
        if (token.kind === 19 && isJsxExpression(token.parent) && isJsxElement(token.parent.parent)) {
          return true;
        }
        if (token.kind === 30 && isJsxOpeningLikeElement(token.parent) && isJsxElement(token.parent.parent)) {
          return true;
        }
        return false;
      }
      function isInsideJsxElement(sourceFile, position) {
        function isInsideJsxElementTraversal(node) {
          while (node) {
            if (node.kind >= 285 && node.kind <= 294 || node.kind === 12 || node.kind === 30 || node.kind === 32 || node.kind === 80 || node.kind === 20 || node.kind === 19 || node.kind === 44) {
              node = node.parent;
            } else if (node.kind === 284) {
              if (position > node.getStart(sourceFile)) return true;
              node = node.parent;
            } else {
              return false;
            }
          }
          return false;
        }
        return isInsideJsxElementTraversal(getTokenAtPosition(sourceFile, position));
      }
      function findPrecedingMatchingToken(token, matchingTokenKind, sourceFile) {
        const closeTokenText = tokenToString(token.kind);
        const matchingTokenText = tokenToString(matchingTokenKind);
        const tokenFullStart = token.getFullStart();
        const bestGuessIndex = sourceFile.text.lastIndexOf(matchingTokenText, tokenFullStart);
        if (bestGuessIndex === -1) {
          return void 0;
        }
        if (sourceFile.text.lastIndexOf(closeTokenText, tokenFullStart - 1) < bestGuessIndex) {
          const nodeAtGuess = findPrecedingToken(bestGuessIndex + 1, sourceFile);
          if (nodeAtGuess && nodeAtGuess.kind === matchingTokenKind) {
            return nodeAtGuess;
          }
        }
        const tokenKind = token.kind;
        let remainingMatchingTokens = 0;
        while (true) {
          const preceding = findPrecedingToken(token.getFullStart(), sourceFile);
          if (!preceding) {
            return void 0;
          }
          token = preceding;
          if (token.kind === matchingTokenKind) {
            if (remainingMatchingTokens === 0) {
              return token;
            }
            remainingMatchingTokens--;
          } else if (token.kind === tokenKind) {
            remainingMatchingTokens++;
          }
        }
      }
      function removeOptionality(type, isOptionalExpression, isOptionalChain2) {
        return isOptionalExpression ? type.getNonNullableType() : isOptionalChain2 ? type.getNonOptionalType() : type;
      }
      function isPossiblyTypeArgumentPosition(token, sourceFile, checker) {
        const info = getPossibleTypeArgumentsInfo(token, sourceFile);
        return info !== void 0 && (isPartOfTypeNode(info.called) || getPossibleGenericSignatures(info.called, info.nTypeArguments, checker).length !== 0 || isPossiblyTypeArgumentPosition(info.called, sourceFile, checker));
      }
      function getPossibleGenericSignatures(called, typeArgumentCount, checker) {
        let type = checker.getTypeAtLocation(called);
        if (isOptionalChain(called.parent)) {
          type = removeOptionality(
            type,
            isOptionalChainRoot(called.parent),
            /*isOptionalChain*/
            true
          );
        }
        const signatures = isNewExpression2(called.parent) ? type.getConstructSignatures() : type.getCallSignatures();
        return signatures.filter((candidate) => !!candidate.typeParameters && candidate.typeParameters.length >= typeArgumentCount);
      }
      function getPossibleTypeArgumentsInfo(tokenIn, sourceFile) {
        if (sourceFile.text.lastIndexOf("<", tokenIn ? tokenIn.pos : sourceFile.text.length) === -1) {
          return void 0;
        }
        let token = tokenIn;
        let remainingLessThanTokens = 0;
        let nTypeArguments = 0;
        while (token) {
          switch (token.kind) {
            case 30:
              token = findPrecedingToken(token.getFullStart(), sourceFile);
              if (token && token.kind === 29) {
                token = findPrecedingToken(token.getFullStart(), sourceFile);
              }
              if (!token || !isIdentifier(token)) return void 0;
              if (!remainingLessThanTokens) {
                return isDeclarationName(token) ? void 0 : { called: token, nTypeArguments };
              }
              remainingLessThanTokens--;
              break;
            case 50:
              remainingLessThanTokens = 3;
              break;
            case 49:
              remainingLessThanTokens = 2;
              break;
            case 32:
              remainingLessThanTokens++;
              break;
            case 20:
              token = findPrecedingMatchingToken(token, 19, sourceFile);
              if (!token) return void 0;
              break;
            case 22:
              token = findPrecedingMatchingToken(token, 21, sourceFile);
              if (!token) return void 0;
              break;
            case 24:
              token = findPrecedingMatchingToken(token, 23, sourceFile);
              if (!token) return void 0;
              break;
            case 28:
              nTypeArguments++;
              break;
            case 39:
            case 80:
            case 11:
            case 9:
            case 10:
            case 112:
            case 97:
            case 114:
            case 96:
            case 143:
            case 25:
            case 52:
            case 58:
            case 59:
              break;
            default:
              if (isTypeNode(token)) {
                break;
              }
              return void 0;
          }
          token = findPrecedingToken(token.getFullStart(), sourceFile);
        }
        return void 0;
      }
      function isInComment(sourceFile, position, tokenAtPosition) {
        return ts_formatting_exports.getRangeOfEnclosingComment(
          sourceFile,
          position,
          /*precedingToken*/
          void 0,
          tokenAtPosition
        );
      }
      function hasDocComment(sourceFile, position) {
        const token = getTokenAtPosition(sourceFile, position);
        return !!findAncestor(token, isJSDoc);
      }
      function nodeHasTokens(n, sourceFile) {
        return n.kind === 1 ? !!n.jsDoc : n.getWidth(sourceFile) !== 0;
      }
      function getNodeModifiers(node, excludeFlags = 0) {
        const result = [];
        const flags = isDeclaration(node) ? getCombinedNodeFlagsAlwaysIncludeJSDoc(node) & ~excludeFlags : 0;
        if (flags & 2) result.push(
          "private"
          /* privateMemberModifier */
        );
        if (flags & 4) result.push(
          "protected"
          /* protectedMemberModifier */
        );
        if (flags & 1) result.push(
          "public"
          /* publicMemberModifier */
        );
        if (flags & 256 || isClassStaticBlockDeclaration(node)) result.push(
          "static"
          /* staticModifier */
        );
        if (flags & 64) result.push(
          "abstract"
          /* abstractModifier */
        );
        if (flags & 32) result.push(
          "export"
          /* exportedModifier */
        );
        if (flags & 65536) result.push(
          "deprecated"
          /* deprecatedModifier */
        );
        if (node.flags & 33554432) result.push(
          "declare"
          /* ambientModifier */
        );
        if (node.kind === 277) result.push(
          "export"
          /* exportedModifier */
        );
        return result.length > 0 ? result.join(",") : "";
      }
      function getTypeArgumentOrTypeParameterList(node) {
        if (node.kind === 183 || node.kind === 213) {
          return node.typeArguments;
        }
        if (isFunctionLike(node) || node.kind === 263 || node.kind === 264) {
          return node.typeParameters;
        }
        return void 0;
      }
      function isComment(kind) {
        return kind === 2 || kind === 3;
      }
      function isStringOrRegularExpressionOrTemplateLiteral(kind) {
        if (kind === 11 || kind === 14 || isTemplateLiteralKind(kind)) {
          return true;
        }
        return false;
      }
      function areIntersectedTypesAvoidingStringReduction(checker, t1, t2) {
        return !!(t1.flags & 4) && checker.isEmptyAnonymousObjectType(t2);
      }
      function isStringAndEmptyAnonymousObjectIntersection(type) {
        if (!type.isIntersection()) {
          return false;
        }
        const { types, checker } = type;
        return types.length === 2 && (areIntersectedTypesAvoidingStringReduction(checker, types[0], types[1]) || areIntersectedTypesAvoidingStringReduction(checker, types[1], types[0]));
      }
      function isInsideTemplateLiteral(node, position, sourceFile) {
        return isTemplateLiteralKind(node.kind) && (node.getStart(sourceFile) < position && position < node.end) || !!node.isUnterminated && position === node.end;
      }
      function isAccessibilityModifier(kind) {
        switch (kind) {
          case 125:
          case 123:
          case 124:
            return true;
        }
        return false;
      }
      function cloneCompilerOptions(options) {
        const result = clone(options);
        setConfigFileInOptions(result, options && options.configFile);
        return result;
      }
      function isArrayLiteralOrObjectLiteralDestructuringPattern(node) {
        if (node.kind === 209 || node.kind === 210) {
          if (node.parent.kind === 226 && node.parent.left === node && node.parent.operatorToken.kind === 64) {
            return true;
          }
          if (node.parent.kind === 250 && node.parent.initializer === node) {
            return true;
          }
          if (isArrayLiteralOrObjectLiteralDestructuringPattern(node.parent.kind === 303 ? node.parent.parent : node.parent)) {
            return true;
          }
        }
        return false;
      }
      function isInReferenceComment(sourceFile, position) {
        return isInReferenceCommentWorker(
          sourceFile,
          position,
          /*shouldBeReference*/
          true
        );
      }
      function isInNonReferenceComment(sourceFile, position) {
        return isInReferenceCommentWorker(
          sourceFile,
          position,
          /*shouldBeReference*/
          false
        );
      }
      function isInReferenceCommentWorker(sourceFile, position, shouldBeReference) {
        const range = isInComment(
          sourceFile,
          position,
          /*tokenAtPosition*/
          void 0
        );
        return !!range && shouldBeReference === tripleSlashDirectivePrefixRegex.test(sourceFile.text.substring(range.pos, range.end));
      }
      function getReplacementSpanForContextToken(contextToken, position) {
        if (!contextToken) return void 0;
        switch (contextToken.kind) {
          case 11:
          case 15:
            return createTextSpanFromStringLiteralLikeContent(contextToken, position);
          default:
            return createTextSpanFromNode(contextToken);
        }
      }
      function createTextSpanFromNode(node, sourceFile, endNode2) {
        return createTextSpanFromBounds(node.getStart(sourceFile), (endNode2 || node).getEnd());
      }
      function createTextSpanFromStringLiteralLikeContent(node, position) {
        let replacementEnd = node.getEnd() - 1;
        if (node.isUnterminated) {
          if (node.getStart() === replacementEnd) return void 0;
          replacementEnd = Math.min(position, node.getEnd());
        }
        return createTextSpanFromBounds(node.getStart() + 1, replacementEnd);
      }
      function createTextRangeFromNode(node, sourceFile) {
        return createRange(node.getStart(sourceFile), node.end);
      }
      function createTextSpanFromRange(range) {
        return createTextSpanFromBounds(range.pos, range.end);
      }
      function createTextRangeFromSpan(span) {
        return createRange(span.start, span.start + span.length);
      }
      function createTextChangeFromStartLength(start, length2, newText) {
        return createTextChange(createTextSpan(start, length2), newText);
      }
      function createTextChange(span, newText) {
        return { span, newText };
      }
      var typeKeywords = [
        133,
        131,
        163,
        136,
        97,
        140,
        143,
        146,
        106,
        150,
        151,
        148,
        154,
        155,
        114,
        112,
        116,
        157,
        158,
        159
        /* UnknownKeyword */
      ];
      function isTypeKeyword(kind) {
        return contains(typeKeywords, kind);
      }
      function isTypeKeywordToken(node) {
        return node.kind === 156;
      }
      function isTypeKeywordTokenOrIdentifier(node) {
        return isTypeKeywordToken(node) || isIdentifier(node) && node.text === "type";
      }
      function nodeSeenTracker() {
        const seen = [];
        return (node) => {
          const id = getNodeId(node);
          return !seen[id] && (seen[id] = true);
        };
      }
      function getSnapshotText(snap) {
        return snap.getText(0, snap.getLength());
      }
      function repeatString(str, count) {
        let result = "";
        for (let i = 0; i < count; i++) {
          result += str;
        }
        return result;
      }
      function skipConstraint(type) {
        return type.isTypeParameter() ? type.getConstraint() || type : type;
      }
      function getNameFromPropertyName(name) {
        return name.kind === 167 ? isStringOrNumericLiteralLike(name.expression) ? name.expression.text : void 0 : isPrivateIdentifier(name) ? idText(name) : getTextOfIdentifierOrLiteral(name);
      }
      function programContainsModules(program) {
        return program.getSourceFiles().some((s) => !s.isDeclarationFile && !program.isSourceFileFromExternalLibrary(s) && !!(s.externalModuleIndicator || s.commonJsModuleIndicator));
      }
      function programContainsEsModules(program) {
        return program.getSourceFiles().some((s) => !s.isDeclarationFile && !program.isSourceFileFromExternalLibrary(s) && !!s.externalModuleIndicator);
      }
      function compilerOptionsIndicateEsModules(compilerOptions) {
        return !!compilerOptions.module || getEmitScriptTarget(compilerOptions) >= 2 || !!compilerOptions.noEmit;
      }
      function createModuleSpecifierResolutionHost(program, host) {
        return {
          fileExists: (fileName) => program.fileExists(fileName),
          getCurrentDirectory: () => host.getCurrentDirectory(),
          readFile: maybeBind(host, host.readFile),
          useCaseSensitiveFileNames: maybeBind(host, host.useCaseSensitiveFileNames),
          getSymlinkCache: maybeBind(host, host.getSymlinkCache) || program.getSymlinkCache,
          getModuleSpecifierCache: maybeBind(host, host.getModuleSpecifierCache),
          getPackageJsonInfoCache: () => {
            var _a;
            return (_a = program.getModuleResolutionCache()) == null ? void 0 : _a.getPackageJsonInfoCache();
          },
          getGlobalTypingsCacheLocation: maybeBind(host, host.getGlobalTypingsCacheLocation),
          redirectTargetsMap: program.redirectTargetsMap,
          getProjectReferenceRedirect: (fileName) => program.getProjectReferenceRedirect(fileName),
          isSourceOfProjectReferenceRedirect: (fileName) => program.isSourceOfProjectReferenceRedirect(fileName),
          getNearestAncestorDirectoryWithPackageJson: maybeBind(host, host.getNearestAncestorDirectoryWithPackageJson),
          getFileIncludeReasons: () => program.getFileIncludeReasons(),
          getCommonSourceDirectory: () => program.getCommonSourceDirectory()
        };
      }
      function getModuleSpecifierResolverHost(program, host) {
        return {
          ...createModuleSpecifierResolutionHost(program, host),
          getCommonSourceDirectory: () => program.getCommonSourceDirectory()
        };
      }
      function moduleResolutionUsesNodeModules(moduleResolution) {
        return moduleResolution === 2 || moduleResolution >= 3 && moduleResolution <= 99 || moduleResolution === 100;
      }
      function makeImport(defaultImport, namedImports, moduleSpecifier, quotePreference, isTypeOnly) {
        return factory.createImportDeclaration(
          /*modifiers*/
          void 0,
          defaultImport || namedImports ? factory.createImportClause(!!isTypeOnly, defaultImport, namedImports && namedImports.length ? factory.createNamedImports(namedImports) : void 0) : void 0,
          typeof moduleSpecifier === "string" ? makeStringLiteral(moduleSpecifier, quotePreference) : moduleSpecifier,
          /*attributes*/
          void 0
        );
      }
      function makeStringLiteral(text, quotePreference) {
        return factory.createStringLiteral(
          text,
          quotePreference === 0
          /* Single */
        );
      }
      var QuotePreference = /* @__PURE__ */ ((QuotePreference6) => {
        QuotePreference6[QuotePreference6["Single"] = 0] = "Single";
        QuotePreference6[QuotePreference6["Double"] = 1] = "Double";
        return QuotePreference6;
      })(QuotePreference || {});
      function quotePreferenceFromString(str, sourceFile) {
        return isStringDoubleQuoted(str, sourceFile) ? 1 : 0;
      }
      function getQuotePreference(sourceFile, preferences) {
        if (preferences.quotePreference && preferences.quotePreference !== "auto") {
          return preferences.quotePreference === "single" ? 0 : 1;
        } else {
          const firstModuleSpecifier = isFullSourceFile(sourceFile) && sourceFile.imports && find(sourceFile.imports, (n) => isStringLiteral2(n) && !nodeIsSynthesized(n.parent));
          return firstModuleSpecifier ? quotePreferenceFromString(firstModuleSpecifier, sourceFile) : 1;
        }
      }
      function getQuoteFromPreference(qp) {
        switch (qp) {
          case 0:
            return "'";
          case 1:
            return '"';
          default:
            return Debug.assertNever(qp);
        }
      }
      function symbolNameNoDefault(symbol) {
        const escaped = symbolEscapedNameNoDefault(symbol);
        return escaped === void 0 ? void 0 : unescapeLeadingUnderscores(escaped);
      }
      function symbolEscapedNameNoDefault(symbol) {
        if (symbol.escapedName !== "default") {
          return symbol.escapedName;
        }
        return firstDefined(symbol.declarations, (decl) => {
          const name = getNameOfDeclaration(decl);
          return name && name.kind === 80 ? name.escapedText : void 0;
        });
      }
      function isModuleSpecifierLike(node) {
        return isStringLiteralLike(node) && (isExternalModuleReference(node.parent) || isImportDeclaration(node.parent) || isJSDocImportTag(node.parent) || isRequireCall(
          node.parent,
          /*requireStringLiteralLikeArgument*/
          false
        ) && node.parent.arguments[0] === node || isImportCall(node.parent) && node.parent.arguments[0] === node);
      }
      function isObjectBindingElementWithoutPropertyName(bindingElement) {
        return isBindingElement(bindingElement) && isObjectBindingPattern(bindingElement.parent) && isIdentifier(bindingElement.name) && !bindingElement.propertyName;
      }
      function getPropertySymbolFromBindingElement(checker, bindingElement) {
        const typeOfPattern = checker.getTypeAtLocation(bindingElement.parent);
        return typeOfPattern && checker.getPropertyOfType(typeOfPattern, bindingElement.name.text);
      }
      function getParentNodeInSpan(node, file, span) {
        if (!node) return void 0;
        while (node.parent) {
          if (isSourceFile(node.parent) || !spanContainsNode(span, node.parent, file)) {
            return node;
          }
          node = node.parent;
        }
      }
      function spanContainsNode(span, node, file) {
        return textSpanContainsPosition(span, node.getStart(file)) && node.getEnd() <= textSpanEnd(span);
      }
      function findModifier(node, kind) {
        return canHaveModifiers(node) ? find(node.modifiers, (m) => m.kind === kind) : void 0;
      }
      function insertImports(changes, sourceFile, imports, blankLineBetween, preferences) {
        var _a;
        const decl = isArray3(imports) ? imports[0] : imports;
        const importKindPredicate = decl.kind === 243 ? isRequireVariableStatement : isAnyImportSyntax;
        const existingImportStatements = filter(sourceFile.statements, importKindPredicate);
        const { comparer, isSorted } = ts_OrganizeImports_exports.getOrganizeImportsStringComparerWithDetection(existingImportStatements, preferences);
        const sortedNewImports = isArray3(imports) ? stableSort(imports, (a, b) => ts_OrganizeImports_exports.compareImportsOrRequireStatements(a, b, comparer)) : [imports];
        if (!(existingImportStatements == null ? void 0 : existingImportStatements.length)) {
          if (isFullSourceFile(sourceFile)) {
            changes.insertNodesAtTopOfFile(sourceFile, sortedNewImports, blankLineBetween);
          } else {
            for (const newImport of sortedNewImports) {
              changes.insertStatementsInNewFile(sourceFile.fileName, [newImport], (_a = getOriginalNode(newImport)) == null ? void 0 : _a.getSourceFile());
            }
          }
          return;
        }
        Debug.assert(isFullSourceFile(sourceFile));
        if (existingImportStatements && isSorted) {
          for (const newImport of sortedNewImports) {
            const insertionIndex = ts_OrganizeImports_exports.getImportDeclarationInsertionIndex(existingImportStatements, newImport, comparer);
            if (insertionIndex === 0) {
              const options = existingImportStatements[0] === sourceFile.statements[0] ? { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude } : {};
              changes.insertNodeBefore(
                sourceFile,
                existingImportStatements[0],
                newImport,
                /*blankLineBetween*/
                false,
                options
              );
            } else {
              const prevImport = existingImportStatements[insertionIndex - 1];
              changes.insertNodeAfter(sourceFile, prevImport, newImport);
            }
          }
        } else {
          const lastExistingImport = lastOrUndefined(existingImportStatements);
          if (lastExistingImport) {
            changes.insertNodesAfter(sourceFile, lastExistingImport, sortedNewImports);
          } else {
            changes.insertNodesAtTopOfFile(sourceFile, sortedNewImports, blankLineBetween);
          }
        }
      }
      function getTypeKeywordOfTypeOnlyImport(importClause, sourceFile) {
        Debug.assert(importClause.isTypeOnly);
        return cast(importClause.getChildAt(0, sourceFile), isTypeKeywordToken);
      }
      function textSpansEqual(a, b) {
        return !!a && !!b && a.start === b.start && a.length === b.length;
      }
      function documentSpansEqual(a, b, useCaseSensitiveFileNames2) {
        return (useCaseSensitiveFileNames2 ? equateStringsCaseSensitive : equateStringsCaseInsensitive)(a.fileName, b.fileName) && textSpansEqual(a.textSpan, b.textSpan);
      }
      function getDocumentSpansEqualityComparer(useCaseSensitiveFileNames2) {
        return (a, b) => documentSpansEqual(a, b, useCaseSensitiveFileNames2);
      }
      function forEachUnique(array, callback) {
        if (array) {
          for (let i = 0; i < array.length; i++) {
            if (array.indexOf(array[i]) === i) {
              const result = callback(array[i], i);
              if (result) {
                return result;
              }
            }
          }
        }
        return void 0;
      }
      function isTextWhiteSpaceLike(text, startPos, endPos) {
        for (let i = startPos; i < endPos; i++) {
          if (!isWhiteSpaceLike(text.charCodeAt(i))) {
            return false;
          }
        }
        return true;
      }
      function getMappedLocation(location, sourceMapper, fileExists) {
        const mapsTo = sourceMapper.tryGetSourcePosition(location);
        return mapsTo && (!fileExists || fileExists(normalizePath(mapsTo.fileName)) ? mapsTo : void 0);
      }
      function getMappedDocumentSpan(documentSpan, sourceMapper, fileExists) {
        const { fileName, textSpan } = documentSpan;
        const newPosition = getMappedLocation({ fileName, pos: textSpan.start }, sourceMapper, fileExists);
        if (!newPosition) return void 0;
        const newEndPosition = getMappedLocation({ fileName, pos: textSpan.start + textSpan.length }, sourceMapper, fileExists);
        const newLength = newEndPosition ? newEndPosition.pos - newPosition.pos : textSpan.length;
        return {
          fileName: newPosition.fileName,
          textSpan: {
            start: newPosition.pos,
            length: newLength
          },
          originalFileName: documentSpan.fileName,
          originalTextSpan: documentSpan.textSpan,
          contextSpan: getMappedContextSpan(documentSpan, sourceMapper, fileExists),
          originalContextSpan: documentSpan.contextSpan
        };
      }
      function getMappedContextSpan(documentSpan, sourceMapper, fileExists) {
        const contextSpanStart = documentSpan.contextSpan && getMappedLocation(
          { fileName: documentSpan.fileName, pos: documentSpan.contextSpan.start },
          sourceMapper,
          fileExists
        );
        const contextSpanEnd = documentSpan.contextSpan && getMappedLocation(
          { fileName: documentSpan.fileName, pos: documentSpan.contextSpan.start + documentSpan.contextSpan.length },
          sourceMapper,
          fileExists
        );
        return contextSpanStart && contextSpanEnd ? { start: contextSpanStart.pos, length: contextSpanEnd.pos - contextSpanStart.pos } : void 0;
      }
      function isFirstDeclarationOfSymbolParameter(symbol) {
        const declaration = symbol.declarations ? firstOrUndefined(symbol.declarations) : void 0;
        return !!findAncestor(declaration, (n) => isParameter(n) ? true : isBindingElement(n) || isObjectBindingPattern(n) || isArrayBindingPattern(n) ? false : "quit");
      }
      var displayPartWriter = getDisplayPartWriter();
      function getDisplayPartWriter() {
        const absoluteMaximumLength = defaultMaximumTruncationLength * 10;
        let displayParts;
        let lineStart;
        let indent3;
        let length2;
        resetWriter();
        const unknownWrite = (text) => writeKind(
          text,
          17
          /* text */
        );
        return {
          displayParts: () => {
            const finalText = displayParts.length && displayParts[displayParts.length - 1].text;
            if (length2 > absoluteMaximumLength && finalText && finalText !== "...") {
              if (!isWhiteSpaceLike(finalText.charCodeAt(finalText.length - 1))) {
                displayParts.push(displayPart(
                  " ",
                  16
                  /* space */
                ));
              }
              displayParts.push(displayPart(
                "...",
                15
                /* punctuation */
              ));
            }
            return displayParts;
          },
          writeKeyword: (text) => writeKind(
            text,
            5
            /* keyword */
          ),
          writeOperator: (text) => writeKind(
            text,
            12
            /* operator */
          ),
          writePunctuation: (text) => writeKind(
            text,
            15
            /* punctuation */
          ),
          writeTrailingSemicolon: (text) => writeKind(
            text,
            15
            /* punctuation */
          ),
          writeSpace: (text) => writeKind(
            text,
            16
            /* space */
          ),
          writeStringLiteral: (text) => writeKind(
            text,
            8
            /* stringLiteral */
          ),
          writeParameter: (text) => writeKind(
            text,
            13
            /* parameterName */
          ),
          writeProperty: (text) => writeKind(
            text,
            14
            /* propertyName */
          ),
          writeLiteral: (text) => writeKind(
            text,
            8
            /* stringLiteral */
          ),
          writeSymbol,
          writeLine,
          write: unknownWrite,
          writeComment: unknownWrite,
          getText: () => "",
          getTextPos: () => 0,
          getColumn: () => 0,
          getLine: () => 0,
          isAtStartOfLine: () => false,
          hasTrailingWhitespace: () => false,
          hasTrailingComment: () => false,
          rawWrite: notImplemented,
          getIndent: () => indent3,
          increaseIndent: () => {
            indent3++;
          },
          decreaseIndent: () => {
            indent3--;
          },
          clear: resetWriter
        };
        function writeIndent() {
          if (length2 > absoluteMaximumLength) return;
          if (lineStart) {
            const indentString2 = getIndentString2(indent3);
            if (indentString2) {
              length2 += indentString2.length;
              displayParts.push(displayPart(
                indentString2,
                16
                /* space */
              ));
            }
            lineStart = false;
          }
        }
        function writeKind(text, kind) {
          if (length2 > absoluteMaximumLength) return;
          writeIndent();
          length2 += text.length;
          displayParts.push(displayPart(text, kind));
        }
        function writeSymbol(text, symbol) {
          if (length2 > absoluteMaximumLength) return;
          writeIndent();
          length2 += text.length;
          displayParts.push(symbolPart(text, symbol));
        }
        function writeLine() {
          if (length2 > absoluteMaximumLength) return;
          length2 += 1;
          displayParts.push(lineBreakPart());
          lineStart = true;
        }
        function resetWriter() {
          displayParts = [];
          lineStart = true;
          indent3 = 0;
          length2 = 0;
        }
      }
      function symbolPart(text, symbol) {
        return displayPart(text, displayPartKind(symbol));
        function displayPartKind(symbol2) {
          const flags = symbol2.flags;
          if (flags & 3) {
            return isFirstDeclarationOfSymbolParameter(symbol2) ? 13 : 9;
          }
          if (flags & 4) return 14;
          if (flags & 32768) return 14;
          if (flags & 65536) return 14;
          if (flags & 8) return 19;
          if (flags & 16) return 20;
          if (flags & 32) return 1;
          if (flags & 64) return 4;
          if (flags & 384) return 2;
          if (flags & 1536) return 11;
          if (flags & 8192) return 10;
          if (flags & 262144) return 18;
          if (flags & 524288) return 0;
          if (flags & 2097152) return 0;
          return 17;
        }
      }
      function displayPart(text, kind) {
        return { text, kind: SymbolDisplayPartKind[kind] };
      }
      function spacePart() {
        return displayPart(
          " ",
          16
          /* space */
        );
      }
      function keywordPart(kind) {
        return displayPart(
          tokenToString(kind),
          5
          /* keyword */
        );
      }
      function punctuationPart(kind) {
        return displayPart(
          tokenToString(kind),
          15
          /* punctuation */
        );
      }
      function operatorPart(kind) {
        return displayPart(
          tokenToString(kind),
          12
          /* operator */
        );
      }
      function parameterNamePart(text) {
        return displayPart(
          text,
          13
          /* parameterName */
        );
      }
      function propertyNamePart(text) {
        return displayPart(
          text,
          14
          /* propertyName */
        );
      }
      function textOrKeywordPart(text) {
        const kind = stringToToken(text);
        return kind === void 0 ? textPart(text) : keywordPart(kind);
      }
      function textPart(text) {
        return displayPart(
          text,
          17
          /* text */
        );
      }
      function typeAliasNamePart(text) {
        return displayPart(
          text,
          0
          /* aliasName */
        );
      }
      function typeParameterNamePart(text) {
        return displayPart(
          text,
          18
          /* typeParameterName */
        );
      }
      function linkTextPart(text) {
        return displayPart(
          text,
          24
          /* linkText */
        );
      }
      function linkNamePart(text, target) {
        return {
          text,
          kind: SymbolDisplayPartKind[
            23
            /* linkName */
          ],
          target: {
            fileName: getSourceFileOfNode(target).fileName,
            textSpan: createTextSpanFromNode(target)
          }
        };
      }
      function linkPart(text) {
        return displayPart(
          text,
          22
          /* link */
        );
      }
      function buildLinkParts(link, checker) {
        var _a;
        const prefix = isJSDocLink(link) ? "link" : isJSDocLinkCode(link) ? "linkcode" : "linkplain";
        const parts = [linkPart(`{@${prefix} `)];
        if (!link.name) {
          if (link.text) {
            parts.push(linkTextPart(link.text));
          }
        } else {
          const symbol = checker == null ? void 0 : checker.getSymbolAtLocation(link.name);
          const targetSymbol = symbol && checker ? getSymbolTarget(symbol, checker) : void 0;
          const suffix = findLinkNameEnd(link.text);
          const name = getTextOfNode(link.name) + link.text.slice(0, suffix);
          const text = skipSeparatorFromLinkText(link.text.slice(suffix));
          const decl = (targetSymbol == null ? void 0 : targetSymbol.valueDeclaration) || ((_a = targetSymbol == null ? void 0 : targetSymbol.declarations) == null ? void 0 : _a[0]);
          if (decl) {
            parts.push(linkNamePart(name, decl));
            if (text) parts.push(linkTextPart(text));
          } else {
            const separator = suffix === 0 || link.text.charCodeAt(suffix) === 124 && name.charCodeAt(name.length - 1) !== 32 ? " " : "";
            parts.push(linkTextPart(name + separator + text));
          }
        }
        parts.push(linkPart("}"));
        return parts;
      }
      function skipSeparatorFromLinkText(text) {
        let pos = 0;
        if (text.charCodeAt(pos++) === 124) {
          while (pos < text.length && text.charCodeAt(pos) === 32) pos++;
          return text.slice(pos);
        }
        return text;
      }
      function findLinkNameEnd(text) {
        let pos = text.indexOf("://");
        if (pos === 0) {
          while (pos < text.length && text.charCodeAt(pos) !== 124) pos++;
          return pos;
        }
        if (text.indexOf("()") === 0) return 2;
        if (text.charAt(0) === "<") {
          let brackets2 = 0;
          let i = 0;
          while (i < text.length) {
            if (text[i] === "<") brackets2++;
            if (text[i] === ">") brackets2--;
            i++;
            if (!brackets2) return i;
          }
        }
        return 0;
      }
      var lineFeed2 = "\n";
      function getNewLineOrDefaultFromHost(host, formatSettings) {
        var _a;
        return (formatSettings == null ? void 0 : formatSettings.newLineCharacter) || ((_a = host.getNewLine) == null ? void 0 : _a.call(host)) || lineFeed2;
      }
      function lineBreakPart() {
        return displayPart(
          "\n",
          6
          /* lineBreak */
        );
      }
      function mapToDisplayParts(writeDisplayParts) {
        try {
          writeDisplayParts(displayPartWriter);
          return displayPartWriter.displayParts();
        } finally {
          displayPartWriter.clear();
        }
      }
      function typeToDisplayParts(typechecker, type, enclosingDeclaration, flags = 0) {
        return mapToDisplayParts((writer) => {
          typechecker.writeType(type, enclosingDeclaration, flags | 1024 | 16384, writer);
        });
      }
      function symbolToDisplayParts(typeChecker, symbol, enclosingDeclaration, meaning, flags = 0) {
        return mapToDisplayParts((writer) => {
          typeChecker.writeSymbol(symbol, enclosingDeclaration, meaning, flags | 8, writer);
        });
      }
      function signatureToDisplayParts(typechecker, signature, enclosingDeclaration, flags = 0) {
        flags |= 16384 | 1024 | 32 | 8192;
        return mapToDisplayParts((writer) => {
          typechecker.writeSignature(
            signature,
            enclosingDeclaration,
            flags,
            /*kind*/
            void 0,
            writer
          );
        });
      }
      function nodeToDisplayParts(node, enclosingDeclaration) {
        const file = enclosingDeclaration.getSourceFile();
        return mapToDisplayParts((writer) => {
          const printer = createPrinterWithRemoveCommentsOmitTrailingSemicolon();
          printer.writeNode(4, node, file, writer);
        });
      }
      function isImportOrExportSpecifierName(location) {
        return !!location.parent && isImportOrExportSpecifier(location.parent) && location.parent.propertyName === location;
      }
      function getScriptKind(fileName, host) {
        return ensureScriptKind(fileName, host.getScriptKind && host.getScriptKind(fileName));
      }
      function getSymbolTarget(symbol, checker) {
        let next = symbol;
        while (isAliasSymbol(next) || isTransientSymbol(next) && next.links.target) {
          if (isTransientSymbol(next) && next.links.target) {
            next = next.links.target;
          } else {
            next = skipAlias(next, checker);
          }
        }
        return next;
      }
      function isAliasSymbol(symbol) {
        return (symbol.flags & 2097152) !== 0;
      }
      function getUniqueSymbolId(symbol, checker) {
        return getSymbolId(skipAlias(symbol, checker));
      }
      function getFirstNonSpaceCharacterPosition(text, position) {
        while (isWhiteSpaceLike(text.charCodeAt(position))) {
          position += 1;
        }
        return position;
      }
      function getPrecedingNonSpaceCharacterPosition(text, position) {
        while (position > -1 && isWhiteSpaceSingleLine(text.charCodeAt(position))) {
          position -= 1;
        }
        return position + 1;
      }
      function getSynthesizedDeepClone(node, includeTrivia = true) {
        const clone2 = node && getSynthesizedDeepCloneWorker(node);
        if (clone2 && !includeTrivia) suppressLeadingAndTrailingTrivia(clone2);
        return setParentRecursive(
          clone2,
          /*incremental*/
          false
        );
      }
      function getSynthesizedDeepCloneWithReplacements(node, includeTrivia, replaceNode) {
        let clone2 = replaceNode(node);
        if (clone2) {
          setOriginalNode(clone2, node);
        } else {
          clone2 = getSynthesizedDeepCloneWorker(node, replaceNode);
        }
        if (clone2 && !includeTrivia) suppressLeadingAndTrailingTrivia(clone2);
        return clone2;
      }
      function getSynthesizedDeepCloneWorker(node, replaceNode) {
        const nodeClone = replaceNode ? (n) => getSynthesizedDeepCloneWithReplacements(
          n,
          /*includeTrivia*/
          true,
          replaceNode
        ) : getSynthesizedDeepClone;
        const nodesClone = replaceNode ? (ns) => ns && getSynthesizedDeepClonesWithReplacements(
          ns,
          /*includeTrivia*/
          true,
          replaceNode
        ) : (ns) => ns && getSynthesizedDeepClones(ns);
        const visited = visitEachChild(
          node,
          nodeClone,
          /*context*/
          void 0,
          nodesClone,
          nodeClone
        );
        if (visited === node) {
          const clone2 = isStringLiteral2(node) ? setOriginalNode(factory.createStringLiteralFromNode(node), node) : isNumericLiteral(node) ? setOriginalNode(factory.createNumericLiteral(node.text, node.numericLiteralFlags), node) : factory.cloneNode(node);
          return setTextRange(clone2, node);
        }
        visited.parent = void 0;
        return visited;
      }
      function getSynthesizedDeepClones(nodes, includeTrivia = true) {
        if (nodes) {
          const cloned = factory.createNodeArray(nodes.map((n) => getSynthesizedDeepClone(n, includeTrivia)), nodes.hasTrailingComma);
          setTextRange(cloned, nodes);
          return cloned;
        }
        return nodes;
      }
      function getSynthesizedDeepClonesWithReplacements(nodes, includeTrivia, replaceNode) {
        return factory.createNodeArray(nodes.map((n) => getSynthesizedDeepCloneWithReplacements(n, includeTrivia, replaceNode)), nodes.hasTrailingComma);
      }
      function suppressLeadingAndTrailingTrivia(node) {
        suppressLeadingTrivia(node);
        suppressTrailingTrivia(node);
      }
      function suppressLeadingTrivia(node) {
        addEmitFlagsRecursively(node, 1024, getFirstChild);
      }
      function suppressTrailingTrivia(node) {
        addEmitFlagsRecursively(node, 2048, getLastChild);
      }
      function copyComments(sourceNode, targetNode) {
        const sourceFile = sourceNode.getSourceFile();
        const text = sourceFile.text;
        if (hasLeadingLineBreak(sourceNode, text)) {
          copyLeadingComments(sourceNode, targetNode, sourceFile);
        } else {
          copyTrailingAsLeadingComments(sourceNode, targetNode, sourceFile);
        }
        copyTrailingComments(sourceNode, targetNode, sourceFile);
      }
      function hasLeadingLineBreak(node, text) {
        const start = node.getFullStart();
        const end = node.getStart();
        for (let i = start; i < end; i++) {
          if (text.charCodeAt(i) === 10) return true;
        }
        return false;
      }
      function addEmitFlagsRecursively(node, flag, getChild) {
        addEmitFlags(node, flag);
        const child = getChild(node);
        if (child) addEmitFlagsRecursively(child, flag, getChild);
      }
      function getFirstChild(node) {
        return node.forEachChild((child) => child);
      }
      function getUniqueName(baseName, sourceFile) {
        let nameText = baseName;
        for (let i = 1; !isFileLevelUniqueName(sourceFile, nameText); i++) {
          nameText = `${baseName}_${i}`;
        }
        return nameText;
      }
      function getRenameLocation(edits, renameFilename, name, preferLastLocation) {
        let delta = 0;
        let lastPos = -1;
        for (const { fileName, textChanges: textChanges2 } of edits) {
          Debug.assert(fileName === renameFilename);
          for (const change of textChanges2) {
            const { span, newText } = change;
            const index = indexInTextChange(newText, escapeString2(name));
            if (index !== -1) {
              lastPos = span.start + delta + index;
              if (!preferLastLocation) {
                return lastPos;
              }
            }
            delta += newText.length - span.length;
          }
        }
        Debug.assert(preferLastLocation);
        Debug.assert(lastPos >= 0);
        return lastPos;
      }
      function copyLeadingComments(sourceNode, targetNode, sourceFile, commentKind, hasTrailingNewLine) {
        forEachLeadingCommentRange(sourceFile.text, sourceNode.pos, getAddCommentsFunction(targetNode, sourceFile, commentKind, hasTrailingNewLine, addSyntheticLeadingComment));
      }
      function copyTrailingComments(sourceNode, targetNode, sourceFile, commentKind, hasTrailingNewLine) {
        forEachTrailingCommentRange(sourceFile.text, sourceNode.end, getAddCommentsFunction(targetNode, sourceFile, commentKind, hasTrailingNewLine, addSyntheticTrailingComment));
      }
      function copyTrailingAsLeadingComments(sourceNode, targetNode, sourceFile, commentKind, hasTrailingNewLine) {
        forEachTrailingCommentRange(sourceFile.text, sourceNode.pos, getAddCommentsFunction(targetNode, sourceFile, commentKind, hasTrailingNewLine, addSyntheticLeadingComment));
      }
      function getAddCommentsFunction(targetNode, sourceFile, commentKind, hasTrailingNewLine, cb) {
        return (pos, end, kind, htnl) => {
          if (kind === 3) {
            pos += 2;
            end -= 2;
          } else {
            pos += 2;
          }
          cb(targetNode, commentKind || kind, sourceFile.text.slice(pos, end), hasTrailingNewLine !== void 0 ? hasTrailingNewLine : htnl);
        };
      }
      function indexInTextChange(change, name) {
        if (startsWith2(change, name)) return 0;
        let idx = change.indexOf(" " + name);
        if (idx === -1) idx = change.indexOf("." + name);
        if (idx === -1) idx = change.indexOf('"' + name);
        return idx === -1 ? -1 : idx + 1;
      }
      function needsParentheses2(expression) {
        return isBinaryExpression(expression) && expression.operatorToken.kind === 28 || isObjectLiteralExpression(expression) || (isAsExpression(expression) || isSatisfiesExpression(expression)) && isObjectLiteralExpression(expression.expression);
      }
      function getContextualTypeFromParent(node, checker, contextFlags) {
        const parent2 = walkUpParenthesizedExpressions(node.parent);
        switch (parent2.kind) {
          case 214:
            return checker.getContextualType(parent2, contextFlags);
          case 226: {
            const { left, operatorToken, right } = parent2;
            return isEqualityOperatorKind(operatorToken.kind) ? checker.getTypeAtLocation(node === right ? left : right) : checker.getContextualType(node, contextFlags);
          }
          case 296:
            return getSwitchedType(parent2, checker);
          default:
            return checker.getContextualType(node, contextFlags);
        }
      }
      function quote(sourceFile, preferences, text) {
        const quotePreference = getQuotePreference(sourceFile, preferences);
        const quoted = JSON.stringify(text);
        return quotePreference === 0 ? `'${stripQuotes(quoted).replace(/'/g, () => "\\'").replace(/\\"/g, '"')}'` : quoted;
      }
      function isEqualityOperatorKind(kind) {
        switch (kind) {
          case 37:
          case 35:
          case 38:
          case 36:
            return true;
          default:
            return false;
        }
      }
      function isStringLiteralOrTemplate(node) {
        switch (node.kind) {
          case 11:
          case 15:
          case 228:
          case 215:
            return true;
          default:
            return false;
        }
      }
      function hasIndexSignature(type) {
        return !!type.getStringIndexType() || !!type.getNumberIndexType();
      }
      function getSwitchedType(caseClause, checker) {
        return checker.getTypeAtLocation(caseClause.parent.parent.expression);
      }
      var ANONYMOUS = "anonymous function";
      function getTypeNodeIfAccessible(type, enclosingScope, program, host) {
        const checker = program.getTypeChecker();
        let typeIsAccessible = true;
        const notAccessible = () => typeIsAccessible = false;
        const res = checker.typeToTypeNode(type, enclosingScope, 1, {
          trackSymbol: (symbol, declaration, meaning) => {
            typeIsAccessible = typeIsAccessible && checker.isSymbolAccessible(
              symbol,
              declaration,
              meaning,
              /*shouldComputeAliasToMarkVisible*/
              false
            ).accessibility === 0;
            return !typeIsAccessible;
          },
          reportInaccessibleThisError: notAccessible,
          reportPrivateInBaseOfClassExpression: notAccessible,
          reportInaccessibleUniqueSymbolError: notAccessible,
          moduleResolverHost: getModuleSpecifierResolverHost(program, host)
        });
        return typeIsAccessible ? res : void 0;
      }
      function syntaxRequiresTrailingCommaOrSemicolonOrASI(kind) {
        return kind === 179 || kind === 180 || kind === 181 || kind === 171 || kind === 173;
      }
      function syntaxRequiresTrailingFunctionBlockOrSemicolonOrASI(kind) {
        return kind === 262 || kind === 176 || kind === 174 || kind === 177 || kind === 178;
      }
      function syntaxRequiresTrailingModuleBlockOrSemicolonOrASI(kind) {
        return kind === 267;
      }
      function syntaxRequiresTrailingSemicolonOrASI(kind) {
        return kind === 243 || kind === 244 || kind === 246 || kind === 251 || kind === 252 || kind === 253 || kind === 257 || kind === 259 || kind === 172 || kind === 265 || kind === 272 || kind === 271 || kind === 278 || kind === 270 || kind === 277;
      }
      var syntaxMayBeASICandidate = or(
        syntaxRequiresTrailingCommaOrSemicolonOrASI,
        syntaxRequiresTrailingFunctionBlockOrSemicolonOrASI,
        syntaxRequiresTrailingModuleBlockOrSemicolonOrASI,
        syntaxRequiresTrailingSemicolonOrASI
      );
      function nodeIsASICandidate(node, sourceFile) {
        const lastToken = node.getLastToken(sourceFile);
        if (lastToken && lastToken.kind === 27) {
          return false;
        }
        if (syntaxRequiresTrailingCommaOrSemicolonOrASI(node.kind)) {
          if (lastToken && lastToken.kind === 28) {
            return false;
          }
        } else if (syntaxRequiresTrailingModuleBlockOrSemicolonOrASI(node.kind)) {
          const lastChild = last(node.getChildren(sourceFile));
          if (lastChild && isModuleBlock(lastChild)) {
            return false;
          }
        } else if (syntaxRequiresTrailingFunctionBlockOrSemicolonOrASI(node.kind)) {
          const lastChild = last(node.getChildren(sourceFile));
          if (lastChild && isFunctionBlock(lastChild)) {
            return false;
          }
        } else if (!syntaxRequiresTrailingSemicolonOrASI(node.kind)) {
          return false;
        }
        if (node.kind === 246) {
          return true;
        }
        const topNode = findAncestor(node, (ancestor) => !ancestor.parent);
        const nextToken = findNextToken(node, topNode, sourceFile);
        if (!nextToken || nextToken.kind === 20) {
          return true;
        }
        const startLine = sourceFile.getLineAndCharacterOfPosition(node.getEnd()).line;
        const endLine = sourceFile.getLineAndCharacterOfPosition(nextToken.getStart(sourceFile)).line;
        return startLine !== endLine;
      }
      function positionIsASICandidate(pos, context, sourceFile) {
        const contextAncestor = findAncestor(context, (ancestor) => {
          if (ancestor.end !== pos) {
            return "quit";
          }
          return syntaxMayBeASICandidate(ancestor.kind);
        });
        return !!contextAncestor && nodeIsASICandidate(contextAncestor, sourceFile);
      }
      function probablyUsesSemicolons(sourceFile) {
        let withSemicolon = 0;
        let withoutSemicolon = 0;
        const nStatementsToObserve = 5;
        forEachChild(sourceFile, function visit(node) {
          if (syntaxRequiresTrailingSemicolonOrASI(node.kind)) {
            const lastToken = node.getLastToken(sourceFile);
            if ((lastToken == null ? void 0 : lastToken.kind) === 27) {
              withSemicolon++;
            } else {
              withoutSemicolon++;
            }
          } else if (syntaxRequiresTrailingCommaOrSemicolonOrASI(node.kind)) {
            const lastToken = node.getLastToken(sourceFile);
            if ((lastToken == null ? void 0 : lastToken.kind) === 27) {
              withSemicolon++;
            } else if (lastToken && lastToken.kind !== 28) {
              const lastTokenLine = getLineAndCharacterOfPosition(sourceFile, lastToken.getStart(sourceFile)).line;
              const nextTokenLine = getLineAndCharacterOfPosition(sourceFile, getSpanOfTokenAtPosition(sourceFile, lastToken.end).start).line;
              if (lastTokenLine !== nextTokenLine) {
                withoutSemicolon++;
              }
            }
          }
          if (withSemicolon + withoutSemicolon >= nStatementsToObserve) {
            return true;
          }
          return forEachChild(node, visit);
        });
        if (withSemicolon === 0 && withoutSemicolon <= 1) {
          return true;
        }
        return withSemicolon / withoutSemicolon > 1 / nStatementsToObserve;
      }
      function tryGetDirectories(host, directoryName) {
        return tryIOAndConsumeErrors(host, host.getDirectories, directoryName) || [];
      }
      function tryReadDirectory(host, path17, extensions, exclude, include) {
        return tryIOAndConsumeErrors(host, host.readDirectory, path17, extensions, exclude, include) || emptyArray;
      }
      function tryFileExists(host, path17) {
        return tryIOAndConsumeErrors(host, host.fileExists, path17);
      }
      function tryDirectoryExists(host, path17) {
        return tryAndIgnoreErrors(() => directoryProbablyExists(path17, host)) || false;
      }
      function tryAndIgnoreErrors(cb) {
        try {
          return cb();
        } catch {
          return void 0;
        }
      }
      function tryIOAndConsumeErrors(host, toApply, ...args) {
        return tryAndIgnoreErrors(() => toApply && toApply.apply(host, args));
      }
      function findPackageJsons(startDirectory, host, stopDirectory) {
        const paths = [];
        forEachAncestorDirectory(startDirectory, (ancestor) => {
          if (ancestor === stopDirectory) {
            return true;
          }
          const currentConfigPath = combinePaths(ancestor, "package.json");
          if (tryFileExists(host, currentConfigPath)) {
            paths.push(currentConfigPath);
          }
        });
        return paths;
      }
      function findPackageJson(directory, host) {
        let packageJson;
        forEachAncestorDirectory(directory, (ancestor) => {
          if (ancestor === "node_modules") return true;
          packageJson = findConfigFile(ancestor, (f) => tryFileExists(host, f), "package.json");
          if (packageJson) {
            return true;
          }
        });
        return packageJson;
      }
      function getPackageJsonsVisibleToFile(fileName, host) {
        if (!host.fileExists) {
          return [];
        }
        const packageJsons = [];
        forEachAncestorDirectory(getDirectoryPath(fileName), (ancestor) => {
          const packageJsonFileName = combinePaths(ancestor, "package.json");
          if (host.fileExists(packageJsonFileName)) {
            const info = createPackageJsonInfo(packageJsonFileName, host);
            if (info) {
              packageJsons.push(info);
            }
          }
        });
        return packageJsons;
      }
      function createPackageJsonInfo(fileName, host) {
        if (!host.readFile) {
          return void 0;
        }
        const dependencyKeys = ["dependencies", "devDependencies", "optionalDependencies", "peerDependencies"];
        const stringContent = host.readFile(fileName) || "";
        const content = tryParseJson(stringContent);
        const info = {};
        if (content) {
          for (const key of dependencyKeys) {
            const dependencies = content[key];
            if (!dependencies) {
              continue;
            }
            const dependencyMap = /* @__PURE__ */ new Map();
            for (const packageName in dependencies) {
              dependencyMap.set(packageName, dependencies[packageName]);
            }
            info[key] = dependencyMap;
          }
        }
        const dependencyGroups = [
          [1, info.dependencies],
          [2, info.devDependencies],
          [8, info.optionalDependencies],
          [4, info.peerDependencies]
        ];
        return {
          ...info,
          parseable: !!content,
          fileName,
          get,
          has(dependencyName, inGroups) {
            return !!get(dependencyName, inGroups);
          }
        };
        function get(dependencyName, inGroups = 15) {
          for (const [group2, deps] of dependencyGroups) {
            if (deps && inGroups & group2) {
              const dep = deps.get(dependencyName);
              if (dep !== void 0) {
                return dep;
              }
            }
          }
        }
      }
      function createPackageJsonImportFilter(fromFile, preferences, host) {
        const packageJsons = (host.getPackageJsonsVisibleToFile && host.getPackageJsonsVisibleToFile(fromFile.fileName) || getPackageJsonsVisibleToFile(fromFile.fileName, host)).filter((p) => p.parseable);
        let usesNodeCoreModules;
        let ambientModuleCache;
        let sourceFileCache;
        return {
          allowsImportingAmbientModule,
          allowsImportingSourceFile,
          allowsImportingSpecifier
        };
        function moduleSpecifierIsCoveredByPackageJson(specifier) {
          const packageName = getNodeModuleRootSpecifier(specifier);
          for (const packageJson of packageJsons) {
            if (packageJson.has(packageName) || packageJson.has(getTypesPackageName(packageName))) {
              return true;
            }
          }
          return false;
        }
        function allowsImportingAmbientModule(moduleSymbol, moduleSpecifierResolutionHost) {
          if (!packageJsons.length || !moduleSymbol.valueDeclaration) {
            return true;
          }
          if (!ambientModuleCache) {
            ambientModuleCache = /* @__PURE__ */ new Map();
          } else {
            const cached = ambientModuleCache.get(moduleSymbol);
            if (cached !== void 0) {
              return cached;
            }
          }
          const declaredModuleSpecifier = stripQuotes(moduleSymbol.getName());
          if (isAllowedCoreNodeModulesImport(declaredModuleSpecifier)) {
            ambientModuleCache.set(moduleSymbol, true);
            return true;
          }
          const declaringSourceFile = moduleSymbol.valueDeclaration.getSourceFile();
          const declaringNodeModuleName = getNodeModulesPackageNameFromFileName(declaringSourceFile.fileName, moduleSpecifierResolutionHost);
          if (typeof declaringNodeModuleName === "undefined") {
            ambientModuleCache.set(moduleSymbol, true);
            return true;
          }
          const result = moduleSpecifierIsCoveredByPackageJson(declaringNodeModuleName) || moduleSpecifierIsCoveredByPackageJson(declaredModuleSpecifier);
          ambientModuleCache.set(moduleSymbol, result);
          return result;
        }
        function allowsImportingSourceFile(sourceFile, moduleSpecifierResolutionHost) {
          if (!packageJsons.length) {
            return true;
          }
          if (!sourceFileCache) {
            sourceFileCache = /* @__PURE__ */ new Map();
          } else {
            const cached = sourceFileCache.get(sourceFile);
            if (cached !== void 0) {
              return cached;
            }
          }
          const moduleSpecifier = getNodeModulesPackageNameFromFileName(sourceFile.fileName, moduleSpecifierResolutionHost);
          if (!moduleSpecifier) {
            sourceFileCache.set(sourceFile, true);
            return true;
          }
          const result = moduleSpecifierIsCoveredByPackageJson(moduleSpecifier);
          sourceFileCache.set(sourceFile, result);
          return result;
        }
        function allowsImportingSpecifier(moduleSpecifier) {
          if (!packageJsons.length || isAllowedCoreNodeModulesImport(moduleSpecifier)) {
            return true;
          }
          if (pathIsRelative(moduleSpecifier) || isRootedDiskPath(moduleSpecifier)) {
            return true;
          }
          return moduleSpecifierIsCoveredByPackageJson(moduleSpecifier);
        }
        function isAllowedCoreNodeModulesImport(moduleSpecifier) {
          if (isFullSourceFile(fromFile) && isSourceFileJS(fromFile) && ts_JsTyping_exports.nodeCoreModules.has(moduleSpecifier)) {
            if (usesNodeCoreModules === void 0) {
              usesNodeCoreModules = consumesNodeCoreModules(fromFile);
            }
            if (usesNodeCoreModules) {
              return true;
            }
          }
          return false;
        }
        function getNodeModulesPackageNameFromFileName(importedFileName, moduleSpecifierResolutionHost) {
          if (!importedFileName.includes("node_modules")) {
            return void 0;
          }
          const specifier = ts_moduleSpecifiers_exports.getNodeModulesPackageName(
            host.getCompilationSettings(),
            fromFile,
            importedFileName,
            moduleSpecifierResolutionHost,
            preferences
          );
          if (!specifier) {
            return void 0;
          }
          if (!pathIsRelative(specifier) && !isRootedDiskPath(specifier)) {
            return getNodeModuleRootSpecifier(specifier);
          }
        }
        function getNodeModuleRootSpecifier(fullSpecifier) {
          const components = getPathComponents(getPackageNameFromTypesPackageName(fullSpecifier)).slice(1);
          if (startsWith2(components[0], "@")) {
            return `${components[0]}/${components[1]}`;
          }
          return components[0];
        }
      }
      function consumesNodeCoreModules(sourceFile) {
        return some(sourceFile.imports, ({ text }) => ts_JsTyping_exports.nodeCoreModules.has(text));
      }
      function isInsideNodeModules(fileOrDirectory) {
        return contains(getPathComponents(fileOrDirectory), "node_modules");
      }
      function isDiagnosticWithLocation(diagnostic) {
        return diagnostic.file !== void 0 && diagnostic.start !== void 0 && diagnostic.length !== void 0;
      }
      function findDiagnosticForNode(node, sortedFileDiagnostics) {
        const span = createTextSpanFromNode(node);
        const index = binarySearchKey(sortedFileDiagnostics, span, identity2, compareTextSpans);
        if (index >= 0) {
          const diagnostic = sortedFileDiagnostics[index];
          Debug.assertEqual(diagnostic.file, node.getSourceFile(), "Diagnostics proided to 'findDiagnosticForNode' must be from a single SourceFile");
          return cast(diagnostic, isDiagnosticWithLocation);
        }
      }
      function getDiagnosticsWithinSpan(span, sortedFileDiagnostics) {
        var _a;
        let index = binarySearchKey(sortedFileDiagnostics, span.start, (diag2) => diag2.start, compareValues);
        if (index < 0) {
          index = ~index;
        }
        while (((_a = sortedFileDiagnostics[index - 1]) == null ? void 0 : _a.start) === span.start) {
          index--;
        }
        const result = [];
        const end = textSpanEnd(span);
        while (true) {
          const diagnostic = tryCast(sortedFileDiagnostics[index], isDiagnosticWithLocation);
          if (!diagnostic || diagnostic.start > end) {
            break;
          }
          if (textSpanContainsTextSpan(span, diagnostic)) {
            result.push(diagnostic);
          }
          index++;
        }
        return result;
      }
      function getRefactorContextSpan({ startPosition, endPosition }) {
        return createTextSpanFromBounds(startPosition, endPosition === void 0 ? startPosition : endPosition);
      }
      function getFixableErrorSpanExpression(sourceFile, span) {
        const token = getTokenAtPosition(sourceFile, span.start);
        const expression = findAncestor(token, (node) => {
          if (node.getStart(sourceFile) < span.start || node.getEnd() > textSpanEnd(span)) {
            return "quit";
          }
          return isExpression(node) && textSpansEqual(span, createTextSpanFromNode(node, sourceFile));
        });
        return expression;
      }
      function mapOneOrMany(valueOrArray, f, resultSelector = identity2) {
        return valueOrArray ? isArray3(valueOrArray) ? resultSelector(map(valueOrArray, f)) : f(valueOrArray, 0) : void 0;
      }
      function firstOrOnly(valueOrArray) {
        return isArray3(valueOrArray) ? first(valueOrArray) : valueOrArray;
      }
      function getNamesForExportedSymbol(symbol, scriptTarget) {
        if (needsNameFromDeclaration(symbol)) {
          const fromDeclaration = getDefaultLikeExportNameFromDeclaration(symbol);
          if (fromDeclaration) return fromDeclaration;
          const fileNameCase = moduleSymbolToValidIdentifier(
            getSymbolParentOrFail(symbol),
            scriptTarget,
            /*forceCapitalize*/
            false
          );
          const capitalized = moduleSymbolToValidIdentifier(
            getSymbolParentOrFail(symbol),
            scriptTarget,
            /*forceCapitalize*/
            true
          );
          if (fileNameCase === capitalized) return fileNameCase;
          return [fileNameCase, capitalized];
        }
        return symbol.name;
      }
      function getNameForExportedSymbol(symbol, scriptTarget, preferCapitalized) {
        if (needsNameFromDeclaration(symbol)) {
          return getDefaultLikeExportNameFromDeclaration(symbol) || moduleSymbolToValidIdentifier(getSymbolParentOrFail(symbol), scriptTarget, !!preferCapitalized);
        }
        return symbol.name;
      }
      function needsNameFromDeclaration(symbol) {
        return !(symbol.flags & 33554432) && (symbol.escapedName === "export=" || symbol.escapedName === "default");
      }
      function getDefaultLikeExportNameFromDeclaration(symbol) {
        return firstDefined(symbol.declarations, (d) => {
          var _a, _b, _c;
          if (isExportAssignment(d)) {
            return (_a = tryCast(skipOuterExpressions(d.expression), isIdentifier)) == null ? void 0 : _a.text;
          }
          if (isExportSpecifier(d) && d.symbol.flags === 2097152) {
            return (_b = tryCast(d.propertyName, isIdentifier)) == null ? void 0 : _b.text;
          }
          return (_c = tryCast(getNameOfDeclaration(d), isIdentifier)) == null ? void 0 : _c.text;
        });
      }
      function getSymbolParentOrFail(symbol) {
        var _a;
        return Debug.checkDefined(
          symbol.parent,
          `Symbol parent was undefined. Flags: ${Debug.formatSymbolFlags(symbol.flags)}. Declarations: ${(_a = symbol.declarations) == null ? void 0 : _a.map((d) => {
            const kind = Debug.formatSyntaxKind(d.kind);
            const inJS = isInJSFile(d);
            const { expression } = d;
            return (inJS ? "[JS]" : "") + kind + (expression ? ` (expression: ${Debug.formatSyntaxKind(expression.kind)})` : "");
          }).join(", ")}.`
        );
      }
      function moduleSymbolToValidIdentifier(moduleSymbol, target, forceCapitalize) {
        return moduleSpecifierToValidIdentifier(removeFileExtension(stripQuotes(moduleSymbol.name)), target, forceCapitalize);
      }
      function moduleSpecifierToValidIdentifier(moduleSpecifier, target, forceCapitalize) {
        const baseName = getBaseFileName(removeSuffix(moduleSpecifier, "/index"));
        let res = "";
        let lastCharWasValid = true;
        const firstCharCode = baseName.charCodeAt(0);
        if (isIdentifierStart(firstCharCode, target)) {
          res += String.fromCharCode(firstCharCode);
          if (forceCapitalize) {
            res = res.toUpperCase();
          }
        } else {
          lastCharWasValid = false;
        }
        for (let i = 1; i < baseName.length; i++) {
          const ch = baseName.charCodeAt(i);
          const isValid2 = isIdentifierPart(ch, target);
          if (isValid2) {
            let char = String.fromCharCode(ch);
            if (!lastCharWasValid) {
              char = char.toUpperCase();
            }
            res += char;
          }
          lastCharWasValid = isValid2;
        }
        return !isStringANonContextualKeyword(res) ? res || "_" : `_${res}`;
      }
      function stringContainsAt(haystack, needle, startIndex) {
        const needleLength = needle.length;
        if (needleLength + startIndex > haystack.length) {
          return false;
        }
        for (let i = 0; i < needleLength; i++) {
          if (needle.charCodeAt(i) !== haystack.charCodeAt(i + startIndex)) return false;
        }
        return true;
      }
      function startsWithUnderscore(name) {
        return name.charCodeAt(0) === 95;
      }
      function isGlobalDeclaration(declaration) {
        return !isNonGlobalDeclaration(declaration);
      }
      function isNonGlobalDeclaration(declaration) {
        const sourceFile = declaration.getSourceFile();
        if (!sourceFile.externalModuleIndicator && !sourceFile.commonJsModuleIndicator) {
          return false;
        }
        return isInJSFile(declaration) || !findAncestor(declaration, (d) => isModuleDeclaration(d) && isGlobalScopeAugmentation(d));
      }
      function isDeprecatedDeclaration(decl) {
        return !!(getCombinedNodeFlagsAlwaysIncludeJSDoc(decl) & 65536);
      }
      function shouldUseUriStyleNodeCoreModules(file, program) {
        const decisionFromFile = firstDefined(file.imports, (node) => {
          if (ts_JsTyping_exports.nodeCoreModules.has(node.text)) {
            return startsWith2(node.text, "node:");
          }
        });
        return decisionFromFile ?? program.usesUriStyleNodeCoreModules;
      }
      function getNewLineKind(newLineCharacter) {
        return newLineCharacter === "\n" ? 1 : 0;
      }
      function diagnosticToString(diag2) {
        return isArray3(diag2) ? formatStringFromArgs(getLocaleSpecificMessage(diag2[0]), diag2.slice(1)) : getLocaleSpecificMessage(diag2);
      }
      function getFormatCodeSettingsForWriting({ options }, sourceFile) {
        const shouldAutoDetectSemicolonPreference = !options.semicolons || options.semicolons === "ignore";
        const shouldRemoveSemicolons = options.semicolons === "remove" || shouldAutoDetectSemicolonPreference && !probablyUsesSemicolons(sourceFile);
        return {
          ...options,
          semicolons: shouldRemoveSemicolons ? "remove" : "ignore"
          /* Ignore */
        };
      }
      function jsxModeNeedsExplicitImport(jsx) {
        return jsx === 2 || jsx === 3;
      }
      function isSourceFileFromLibrary(program, node) {
        return program.isSourceFileFromExternalLibrary(node) || program.isSourceFileDefaultLibrary(node);
      }
      function newCaseClauseTracker(checker, clauses) {
        const existingStrings = /* @__PURE__ */ new Set();
        const existingNumbers = /* @__PURE__ */ new Set();
        const existingBigInts = /* @__PURE__ */ new Set();
        for (const clause of clauses) {
          if (!isDefaultClause(clause)) {
            const expression = skipParentheses(clause.expression);
            if (isLiteralExpression(expression)) {
              switch (expression.kind) {
                case 15:
                case 11:
                  existingStrings.add(expression.text);
                  break;
                case 9:
                  existingNumbers.add(parseInt(expression.text));
                  break;
                case 10:
                  const parsedBigInt = parseBigInt(endsWith(expression.text, "n") ? expression.text.slice(0, -1) : expression.text);
                  if (parsedBigInt) {
                    existingBigInts.add(pseudoBigIntToString(parsedBigInt));
                  }
                  break;
              }
            } else {
              const symbol = checker.getSymbolAtLocation(clause.expression);
              if (symbol && symbol.valueDeclaration && isEnumMember(symbol.valueDeclaration)) {
                const enumValue = checker.getConstantValue(symbol.valueDeclaration);
                if (enumValue !== void 0) {
                  addValue(enumValue);
                }
              }
            }
          }
        }
        return {
          addValue,
          hasValue: hasValue2
        };
        function addValue(value) {
          switch (typeof value) {
            case "string":
              existingStrings.add(value);
              break;
            case "number":
              existingNumbers.add(value);
          }
        }
        function hasValue2(value) {
          switch (typeof value) {
            case "string":
              return existingStrings.has(value);
            case "number":
              return existingNumbers.has(value);
            case "object":
              return existingBigInts.has(pseudoBigIntToString(value));
          }
        }
      }
      function fileShouldUseJavaScriptRequire(file, program, host, preferRequire) {
        var _a;
        const fileName = typeof file === "string" ? file : file.fileName;
        if (!hasJSFileExtension(fileName)) {
          return false;
        }
        const compilerOptions = program.getCompilerOptions();
        const moduleKind = getEmitModuleKind(compilerOptions);
        const impliedNodeFormat = typeof file === "string" ? getImpliedNodeFormatForFile(toPath3(file, host.getCurrentDirectory(), hostGetCanonicalFileName(host)), (_a = program.getPackageJsonInfoCache) == null ? void 0 : _a.call(program), host, compilerOptions) : file.impliedNodeFormat;
        if (impliedNodeFormat === 99) {
          return false;
        }
        if (impliedNodeFormat === 1) {
          return true;
        }
        if (compilerOptions.verbatimModuleSyntax && moduleKind === 1) {
          return true;
        }
        if (compilerOptions.verbatimModuleSyntax && emitModuleKindIsNonNodeESM(moduleKind)) {
          return false;
        }
        if (typeof file === "object") {
          if (file.commonJsModuleIndicator) {
            return true;
          }
          if (file.externalModuleIndicator) {
            return false;
          }
        }
        return preferRequire;
      }
      function isBlockLike(node) {
        switch (node.kind) {
          case 241:
          case 307:
          case 268:
          case 296:
            return true;
          default:
            return false;
        }
      }
      function createFutureSourceFile(fileName, syntaxModuleIndicator, program, moduleResolutionHost) {
        var _a;
        const result = getImpliedNodeFormatForFileWorker(fileName, (_a = program.getPackageJsonInfoCache) == null ? void 0 : _a.call(program), moduleResolutionHost, program.getCompilerOptions());
        let impliedNodeFormat, packageJsonScope;
        if (typeof result === "object") {
          impliedNodeFormat = result.impliedNodeFormat;
          packageJsonScope = result.packageJsonScope;
        }
        return {
          path: toPath3(fileName, program.getCurrentDirectory(), program.getCanonicalFileName),
          fileName,
          externalModuleIndicator: syntaxModuleIndicator === 99 ? true : void 0,
          commonJsModuleIndicator: syntaxModuleIndicator === 1 ? true : void 0,
          impliedNodeFormat,
          packageJsonScope,
          statements: emptyArray,
          imports: emptyArray
        };
      }
      var ImportKind = /* @__PURE__ */ ((ImportKind2) => {
        ImportKind2[ImportKind2["Named"] = 0] = "Named";
        ImportKind2[ImportKind2["Default"] = 1] = "Default";
        ImportKind2[ImportKind2["Namespace"] = 2] = "Namespace";
        ImportKind2[ImportKind2["CommonJS"] = 3] = "CommonJS";
        return ImportKind2;
      })(ImportKind || {});
      var ExportKind = /* @__PURE__ */ ((ExportKind3) => {
        ExportKind3[ExportKind3["Named"] = 0] = "Named";
        ExportKind3[ExportKind3["Default"] = 1] = "Default";
        ExportKind3[ExportKind3["ExportEquals"] = 2] = "ExportEquals";
        ExportKind3[ExportKind3["UMD"] = 3] = "UMD";
        return ExportKind3;
      })(ExportKind || {});
      function createCacheableExportInfoMap(host) {
        let exportInfoId = 1;
        const exportInfo = createMultiMap();
        const symbols = /* @__PURE__ */ new Map();
        const packages = /* @__PURE__ */ new Map();
        let usableByFileName;
        const cache = {
          isUsableByFile: (importingFile) => importingFile === usableByFileName,
          isEmpty: () => !exportInfo.size,
          clear: () => {
            exportInfo.clear();
            symbols.clear();
            usableByFileName = void 0;
          },
          add: (importingFile, symbol, symbolTableKey, moduleSymbol, moduleFile, exportKind, isFromPackageJson, checker) => {
            if (importingFile !== usableByFileName) {
              cache.clear();
              usableByFileName = importingFile;
            }
            let packageName;
            if (moduleFile) {
              const nodeModulesPathParts = getNodeModulePathParts(moduleFile.fileName);
              if (nodeModulesPathParts) {
                const { topLevelNodeModulesIndex, topLevelPackageNameIndex, packageRootIndex } = nodeModulesPathParts;
                packageName = unmangleScopedPackageName(getPackageNameFromTypesPackageName(moduleFile.fileName.substring(topLevelPackageNameIndex + 1, packageRootIndex)));
                if (startsWith2(importingFile, moduleFile.path.substring(0, topLevelNodeModulesIndex))) {
                  const prevDeepestNodeModulesPath = packages.get(packageName);
                  const nodeModulesPath = moduleFile.fileName.substring(0, topLevelPackageNameIndex + 1);
                  if (prevDeepestNodeModulesPath) {
                    const prevDeepestNodeModulesIndex = prevDeepestNodeModulesPath.indexOf(nodeModulesPathPart);
                    if (topLevelNodeModulesIndex > prevDeepestNodeModulesIndex) {
                      packages.set(packageName, nodeModulesPath);
                    }
                  } else {
                    packages.set(packageName, nodeModulesPath);
                  }
                }
              }
            }
            const isDefault = exportKind === 1;
            const namedSymbol = isDefault && getLocalSymbolForExportDefault(symbol) || symbol;
            const names = exportKind === 0 || isExternalModuleSymbol(namedSymbol) ? unescapeLeadingUnderscores(symbolTableKey) : getNamesForExportedSymbol(
              namedSymbol,
              /*scriptTarget*/
              void 0
            );
            const symbolName2 = typeof names === "string" ? names : names[0];
            const capitalizedSymbolName = typeof names === "string" ? void 0 : names[1];
            const moduleName = stripQuotes(moduleSymbol.name);
            const id = exportInfoId++;
            const target = skipAlias(symbol, checker);
            const storedSymbol = symbol.flags & 33554432 ? void 0 : symbol;
            const storedModuleSymbol = moduleSymbol.flags & 33554432 ? void 0 : moduleSymbol;
            if (!storedSymbol || !storedModuleSymbol) symbols.set(id, [symbol, moduleSymbol]);
            exportInfo.add(key(symbolName2, symbol, isExternalModuleNameRelative(moduleName) ? void 0 : moduleName, checker), {
              id,
              symbolTableKey,
              symbolName: symbolName2,
              capitalizedSymbolName,
              moduleName,
              moduleFile,
              moduleFileName: moduleFile == null ? void 0 : moduleFile.fileName,
              packageName,
              exportKind,
              targetFlags: target.flags,
              isFromPackageJson,
              symbol: storedSymbol,
              moduleSymbol: storedModuleSymbol
            });
          },
          get: (importingFile, key2) => {
            if (importingFile !== usableByFileName) return;
            const result = exportInfo.get(key2);
            return result == null ? void 0 : result.map(rehydrateCachedInfo);
          },
          search: (importingFile, preferCapitalized, matches, action) => {
            if (importingFile !== usableByFileName) return;
            return forEachEntry(exportInfo, (info, key2) => {
              const { symbolName: symbolName2, ambientModuleName } = parseKey(key2);
              const name = preferCapitalized && info[0].capitalizedSymbolName || symbolName2;
              if (matches(name, info[0].targetFlags)) {
                const rehydrated = info.map(rehydrateCachedInfo);
                const filtered = rehydrated.filter((r, i) => isNotShadowedByDeeperNodeModulesPackage(r, info[i].packageName));
                if (filtered.length) {
                  const res = action(filtered, name, !!ambientModuleName, key2);
                  if (res !== void 0) return res;
                }
              }
            });
          },
          releaseSymbols: () => {
            symbols.clear();
          },
          onFileChanged: (oldSourceFile, newSourceFile, typeAcquisitionEnabled) => {
            if (fileIsGlobalOnly(oldSourceFile) && fileIsGlobalOnly(newSourceFile)) {
              return false;
            }
            if (usableByFileName && usableByFileName !== newSourceFile.path || // If ATA is enabled, auto-imports uses existing imports to guess whether you want auto-imports from node.
            // Adding or removing imports from node could change the outcome of that guess, so could change the suggestions list.
            typeAcquisitionEnabled && consumesNodeCoreModules(oldSourceFile) !== consumesNodeCoreModules(newSourceFile) || // Module agumentation and ambient module changes can add or remove exports available to be auto-imported.
            // Changes elsewhere in the file can change the *type* of an export in a module augmentation,
            // but type info is gathered in getCompletionEntryDetails, which doesn't use the cache.
            !arrayIsEqualTo(oldSourceFile.moduleAugmentations, newSourceFile.moduleAugmentations) || !ambientModuleDeclarationsAreEqual(oldSourceFile, newSourceFile)) {
              cache.clear();
              return true;
            }
            usableByFileName = newSourceFile.path;
            return false;
          }
        };
        if (Debug.isDebugging) {
          Object.defineProperty(cache, "__cache", { value: exportInfo });
        }
        return cache;
        function rehydrateCachedInfo(info) {
          if (info.symbol && info.moduleSymbol) return info;
          const { id, exportKind, targetFlags, isFromPackageJson, moduleFileName } = info;
          const [cachedSymbol, cachedModuleSymbol] = symbols.get(id) || emptyArray;
          if (cachedSymbol && cachedModuleSymbol) {
            return {
              symbol: cachedSymbol,
              moduleSymbol: cachedModuleSymbol,
              moduleFileName,
              exportKind,
              targetFlags,
              isFromPackageJson
            };
          }
          const checker = (isFromPackageJson ? host.getPackageJsonAutoImportProvider() : host.getCurrentProgram()).getTypeChecker();
          const moduleSymbol = info.moduleSymbol || cachedModuleSymbol || Debug.checkDefined(
            info.moduleFile ? checker.getMergedSymbol(info.moduleFile.symbol) : checker.tryFindAmbientModule(info.moduleName)
          );
          const symbol = info.symbol || cachedSymbol || Debug.checkDefined(
            exportKind === 2 ? checker.resolveExternalModuleSymbol(moduleSymbol) : checker.tryGetMemberInModuleExportsAndProperties(unescapeLeadingUnderscores(info.symbolTableKey), moduleSymbol),
            `Could not find symbol '${info.symbolName}' by key '${info.symbolTableKey}' in module ${moduleSymbol.name}`
          );
          symbols.set(id, [symbol, moduleSymbol]);
          return {
            symbol,
            moduleSymbol,
            moduleFileName,
            exportKind,
            targetFlags,
            isFromPackageJson
          };
        }
        function key(importedName, symbol, ambientModuleName, checker) {
          const moduleKey = ambientModuleName || "";
          return `${importedName.length} ${getSymbolId(skipAlias(symbol, checker))} ${importedName} ${moduleKey}`;
        }
        function parseKey(key2) {
          const firstSpace = key2.indexOf(" ");
          const secondSpace = key2.indexOf(" ", firstSpace + 1);
          const symbolNameLength = parseInt(key2.substring(0, firstSpace), 10);
          const data = key2.substring(secondSpace + 1);
          const symbolName2 = data.substring(0, symbolNameLength);
          const moduleKey = data.substring(symbolNameLength + 1);
          const ambientModuleName = moduleKey === "" ? void 0 : moduleKey;
          return { symbolName: symbolName2, ambientModuleName };
        }
        function fileIsGlobalOnly(file) {
          return !file.commonJsModuleIndicator && !file.externalModuleIndicator && !file.moduleAugmentations && !file.ambientModuleNames;
        }
        function ambientModuleDeclarationsAreEqual(oldSourceFile, newSourceFile) {
          if (!arrayIsEqualTo(oldSourceFile.ambientModuleNames, newSourceFile.ambientModuleNames)) {
            return false;
          }
          let oldFileStatementIndex = -1;
          let newFileStatementIndex = -1;
          for (const ambientModuleName of newSourceFile.ambientModuleNames) {
            const isMatchingModuleDeclaration = (node) => isNonGlobalAmbientModule(node) && node.name.text === ambientModuleName;
            oldFileStatementIndex = findIndex(oldSourceFile.statements, isMatchingModuleDeclaration, oldFileStatementIndex + 1);
            newFileStatementIndex = findIndex(newSourceFile.statements, isMatchingModuleDeclaration, newFileStatementIndex + 1);
            if (oldSourceFile.statements[oldFileStatementIndex] !== newSourceFile.statements[newFileStatementIndex]) {
              return false;
            }
          }
          return true;
        }
        function isNotShadowedByDeeperNodeModulesPackage(info, packageName) {
          if (!packageName || !info.moduleFileName) return true;
          const typingsCacheLocation = host.getGlobalTypingsCacheLocation();
          if (typingsCacheLocation && startsWith2(info.moduleFileName, typingsCacheLocation)) return true;
          const packageDeepestNodeModulesPath = packages.get(packageName);
          return !packageDeepestNodeModulesPath || startsWith2(info.moduleFileName, packageDeepestNodeModulesPath);
        }
      }
      function isImportableFile(program, from, to, preferences, packageJsonFilter, moduleSpecifierResolutionHost, moduleSpecifierCache) {
        var _a;
        if (from === to) return false;
        const cachedResult = moduleSpecifierCache == null ? void 0 : moduleSpecifierCache.get(from.path, to.path, preferences, {});
        if ((cachedResult == null ? void 0 : cachedResult.isBlockedByPackageJsonDependencies) !== void 0) {
          return !cachedResult.isBlockedByPackageJsonDependencies;
        }
        const getCanonicalFileName = hostGetCanonicalFileName(moduleSpecifierResolutionHost);
        const globalTypingsCache = (_a = moduleSpecifierResolutionHost.getGlobalTypingsCacheLocation) == null ? void 0 : _a.call(moduleSpecifierResolutionHost);
        const hasImportablePath = !!ts_moduleSpecifiers_exports.forEachFileNameOfModule(
          from.fileName,
          to.fileName,
          moduleSpecifierResolutionHost,
          /*preferSymlinks*/
          false,
          (toPath32) => {
            const toFile = program.getSourceFile(toPath32);
            return (toFile === to || !toFile) && isImportablePath(from.fileName, toPath32, getCanonicalFileName, globalTypingsCache);
          }
        );
        if (packageJsonFilter) {
          const isAutoImportable = hasImportablePath && packageJsonFilter.allowsImportingSourceFile(to, moduleSpecifierResolutionHost);
          moduleSpecifierCache == null ? void 0 : moduleSpecifierCache.setBlockedByPackageJsonDependencies(from.path, to.path, preferences, {}, !isAutoImportable);
          return isAutoImportable;
        }
        return hasImportablePath;
      }
      function isImportablePath(fromPath, toPath32, getCanonicalFileName, globalCachePath) {
        const toNodeModules = forEachAncestorDirectory(toPath32, (ancestor) => getBaseFileName(ancestor) === "node_modules" ? ancestor : void 0);
        const toNodeModulesParent = toNodeModules && getDirectoryPath(getCanonicalFileName(toNodeModules));
        return toNodeModulesParent === void 0 || startsWith2(getCanonicalFileName(fromPath), toNodeModulesParent) || !!globalCachePath && startsWith2(getCanonicalFileName(globalCachePath), toNodeModulesParent);
      }
      function forEachExternalModuleToImportFrom(program, host, preferences, useAutoImportProvider, cb) {
        var _a, _b;
        const useCaseSensitiveFileNames2 = hostUsesCaseSensitiveFileNames(host);
        const excludePatterns = preferences.autoImportFileExcludePatterns && mapDefined(preferences.autoImportFileExcludePatterns, (spec) => {
          const pattern = getSubPatternFromSpec(spec, "", "exclude");
          return pattern ? getRegexFromPattern(pattern, useCaseSensitiveFileNames2) : void 0;
        });
        forEachExternalModule(program.getTypeChecker(), program.getSourceFiles(), excludePatterns, host, (module22, file) => cb(
          module22,
          file,
          program,
          /*isFromPackageJson*/
          false
        ));
        const autoImportProvider = useAutoImportProvider && ((_a = host.getPackageJsonAutoImportProvider) == null ? void 0 : _a.call(host));
        if (autoImportProvider) {
          const start = timestamp();
          const checker = program.getTypeChecker();
          forEachExternalModule(autoImportProvider.getTypeChecker(), autoImportProvider.getSourceFiles(), excludePatterns, host, (module22, file) => {
            if (file && !program.getSourceFile(file.fileName) || !file && !checker.resolveName(
              module22.name,
              /*location*/
              void 0,
              1536,
              /*excludeGlobals*/
              false
            )) {
              cb(
                module22,
                file,
                autoImportProvider,
                /*isFromPackageJson*/
                true
              );
            }
          });
          (_b = host.log) == null ? void 0 : _b.call(host, `forEachExternalModuleToImportFrom autoImportProvider: ${timestamp() - start}`);
        }
      }
      function forEachExternalModule(checker, allSourceFiles, excludePatterns, host, cb) {
        var _a, _b;
        const realpathsWithSymlinks = (_a = host.getSymlinkCache) == null ? void 0 : _a.call(host).getSymlinkedDirectoriesByRealpath();
        const isExcluded = excludePatterns && (({ fileName, path: path17 }) => {
          if (excludePatterns.some((p) => p.test(fileName))) return true;
          if ((realpathsWithSymlinks == null ? void 0 : realpathsWithSymlinks.size) && pathContainsNodeModules(fileName)) {
            let dir = getDirectoryPath(fileName);
            return forEachAncestorDirectory(getDirectoryPath(path17), (dirPath) => {
              const symlinks = realpathsWithSymlinks.get(ensureTrailingDirectorySeparator(dirPath));
              if (symlinks) {
                return symlinks.some((s) => excludePatterns.some((p) => p.test(fileName.replace(dir, s))));
              }
              dir = getDirectoryPath(dir);
            }) ?? false;
          }
          return false;
        });
        for (const ambient of checker.getAmbientModules()) {
          if (!ambient.name.includes("*") && !(excludePatterns && ((_b = ambient.declarations) == null ? void 0 : _b.every((d) => isExcluded(d.getSourceFile()))))) {
            cb(
              ambient,
              /*sourceFile*/
              void 0
            );
          }
        }
        for (const sourceFile of allSourceFiles) {
          if (isExternalOrCommonJsModule(sourceFile) && !(isExcluded == null ? void 0 : isExcluded(sourceFile))) {
            cb(checker.getMergedSymbol(sourceFile.symbol), sourceFile);
          }
        }
      }
      function getExportInfoMap(importingFile, host, program, preferences, cancellationToken) {
        var _a, _b, _c, _d, _e;
        const start = timestamp();
        (_a = host.getPackageJsonAutoImportProvider) == null ? void 0 : _a.call(host);
        const cache = ((_b = host.getCachedExportInfoMap) == null ? void 0 : _b.call(host)) || createCacheableExportInfoMap({
          getCurrentProgram: () => program,
          getPackageJsonAutoImportProvider: () => {
            var _a2;
            return (_a2 = host.getPackageJsonAutoImportProvider) == null ? void 0 : _a2.call(host);
          },
          getGlobalTypingsCacheLocation: () => {
            var _a2;
            return (_a2 = host.getGlobalTypingsCacheLocation) == null ? void 0 : _a2.call(host);
          }
        });
        if (cache.isUsableByFile(importingFile.path)) {
          (_c = host.log) == null ? void 0 : _c.call(host, "getExportInfoMap: cache hit");
          return cache;
        }
        (_d = host.log) == null ? void 0 : _d.call(host, "getExportInfoMap: cache miss or empty; calculating new results");
        let moduleCount = 0;
        try {
          forEachExternalModuleToImportFrom(
            program,
            host,
            preferences,
            /*useAutoImportProvider*/
            true,
            (moduleSymbol, moduleFile, program2, isFromPackageJson) => {
              if (++moduleCount % 100 === 0) cancellationToken == null ? void 0 : cancellationToken.throwIfCancellationRequested();
              const seenExports = /* @__PURE__ */ new Map();
              const checker = program2.getTypeChecker();
              const defaultInfo = getDefaultLikeExportInfo(moduleSymbol, checker);
              if (defaultInfo && isImportableSymbol(defaultInfo.symbol, checker)) {
                cache.add(
                  importingFile.path,
                  defaultInfo.symbol,
                  defaultInfo.exportKind === 1 ? "default" : "export=",
                  moduleSymbol,
                  moduleFile,
                  defaultInfo.exportKind,
                  isFromPackageJson,
                  checker
                );
              }
              checker.forEachExportAndPropertyOfModule(moduleSymbol, (exported, key) => {
                if (exported !== (defaultInfo == null ? void 0 : defaultInfo.symbol) && isImportableSymbol(exported, checker) && addToSeen(seenExports, key)) {
                  cache.add(
                    importingFile.path,
                    exported,
                    key,
                    moduleSymbol,
                    moduleFile,
                    0,
                    isFromPackageJson,
                    checker
                  );
                }
              });
            }
          );
        } catch (err) {
          cache.clear();
          throw err;
        }
        (_e = host.log) == null ? void 0 : _e.call(host, `getExportInfoMap: done in ${timestamp() - start} ms`);
        return cache;
      }
      function getDefaultLikeExportInfo(moduleSymbol, checker) {
        const exportEquals = checker.resolveExternalModuleSymbol(moduleSymbol);
        if (exportEquals !== moduleSymbol) return {
          symbol: exportEquals,
          exportKind: 2
          /* ExportEquals */
        };
        const defaultExport = checker.tryGetMemberInModuleExports("default", moduleSymbol);
        if (defaultExport) return {
          symbol: defaultExport,
          exportKind: 1
          /* Default */
        };
      }
      function isImportableSymbol(symbol, checker) {
        return !checker.isUndefinedSymbol(symbol) && !checker.isUnknownSymbol(symbol) && !isKnownSymbol(symbol) && !isPrivateIdentifierSymbol(symbol);
      }
      function forEachNameOfDefaultExport(defaultExport, checker, compilerOptions, preferCapitalizedNames, cb) {
        let chain;
        let current = defaultExport;
        const seen = /* @__PURE__ */ new Map();
        while (current) {
          const fromDeclaration = getDefaultLikeExportNameFromDeclaration(current);
          if (fromDeclaration) {
            const final = cb(fromDeclaration);
            if (final) return final;
          }
          if (current.escapedName !== "default" && current.escapedName !== "export=") {
            const final = cb(current.name);
            if (final) return final;
          }
          chain = append(chain, current);
          if (!addToSeen(seen, current)) break;
          current = current.flags & 2097152 ? checker.getImmediateAliasedSymbol(current) : void 0;
        }
        for (const symbol of chain ?? emptyArray) {
          if (symbol.parent && isExternalModuleSymbol(symbol.parent)) {
            const final = cb(moduleSymbolToValidIdentifier(symbol.parent, getEmitScriptTarget(compilerOptions), preferCapitalizedNames));
            if (final) return final;
          }
        }
      }
      function createClassifier() {
        const scanner2 = createScanner(
          99,
          /*skipTrivia*/
          false
        );
        function getClassificationsForLine(text, lexState, syntacticClassifierAbsent) {
          return convertClassificationsToResult(getEncodedLexicalClassifications(text, lexState, syntacticClassifierAbsent), text);
        }
        function getEncodedLexicalClassifications(text, lexState, syntacticClassifierAbsent) {
          let token = 0;
          let lastNonTriviaToken = 0;
          const templateStack = [];
          const { prefix, pushTemplate } = getPrefixFromLexState(lexState);
          text = prefix + text;
          const offset = prefix.length;
          if (pushTemplate) {
            templateStack.push(
              16
              /* TemplateHead */
            );
          }
          scanner2.setText(text);
          let endOfLineState = 0;
          const spans = [];
          let angleBracketStack = 0;
          do {
            token = scanner2.scan();
            if (!isTrivia(token)) {
              handleToken();
              lastNonTriviaToken = token;
            }
            const end = scanner2.getTokenEnd();
            pushEncodedClassification(scanner2.getTokenStart(), end, offset, classFromKind(token), spans);
            if (end >= text.length) {
              const end2 = getNewEndOfLineState(scanner2, token, lastOrUndefined(templateStack));
              if (end2 !== void 0) {
                endOfLineState = end2;
              }
            }
          } while (token !== 1);
          function handleToken() {
            switch (token) {
              case 44:
              case 69:
                if (!noRegexTable[lastNonTriviaToken] && scanner2.reScanSlashToken() === 14) {
                  token = 14;
                }
                break;
              case 30:
                if (lastNonTriviaToken === 80) {
                  angleBracketStack++;
                }
                break;
              case 32:
                if (angleBracketStack > 0) {
                  angleBracketStack--;
                }
                break;
              case 133:
              case 154:
              case 150:
              case 136:
              case 155:
                if (angleBracketStack > 0 && !syntacticClassifierAbsent) {
                  token = 80;
                }
                break;
              case 16:
                templateStack.push(token);
                break;
              case 19:
                if (templateStack.length > 0) {
                  templateStack.push(token);
                }
                break;
              case 20:
                if (templateStack.length > 0) {
                  const lastTemplateStackToken = lastOrUndefined(templateStack);
                  if (lastTemplateStackToken === 16) {
                    token = scanner2.reScanTemplateToken(
                      /*isTaggedTemplate*/
                      false
                    );
                    if (token === 18) {
                      templateStack.pop();
                    } else {
                      Debug.assertEqual(token, 17, "Should have been a template middle.");
                    }
                  } else {
                    Debug.assertEqual(lastTemplateStackToken, 19, "Should have been an open brace");
                    templateStack.pop();
                  }
                }
                break;
              default:
                if (!isKeyword2(token)) {
                  break;
                }
                if (lastNonTriviaToken === 25) {
                  token = 80;
                } else if (isKeyword2(lastNonTriviaToken) && isKeyword2(token) && !canFollow(lastNonTriviaToken, token)) {
                  token = 80;
                }
            }
          }
          return { endOfLineState, spans };
        }
        return { getClassificationsForLine, getEncodedLexicalClassifications };
      }
      var noRegexTable = arrayToNumericMap(
        [
          80,
          11,
          9,
          10,
          14,
          110,
          46,
          47,
          22,
          24,
          20,
          112,
          97
          /* FalseKeyword */
        ],
        (token) => token,
        () => true
      );
      function getNewEndOfLineState(scanner2, token, lastOnTemplateStack) {
        switch (token) {
          case 11: {
            if (!scanner2.isUnterminated()) return void 0;
            const tokenText = scanner2.getTokenText();
            const lastCharIndex = tokenText.length - 1;
            let numBackslashes = 0;
            while (tokenText.charCodeAt(lastCharIndex - numBackslashes) === 92) {
              numBackslashes++;
            }
            if ((numBackslashes & 1) === 0) return void 0;
            return tokenText.charCodeAt(0) === 34 ? 3 : 2;
          }
          case 3:
            return scanner2.isUnterminated() ? 1 : void 0;
          default:
            if (isTemplateLiteralKind(token)) {
              if (!scanner2.isUnterminated()) {
                return void 0;
              }
              switch (token) {
                case 18:
                  return 5;
                case 15:
                  return 4;
                default:
                  return Debug.fail("Only 'NoSubstitutionTemplateLiteral's and 'TemplateTail's can be unterminated; got SyntaxKind #" + token);
              }
            }
            return lastOnTemplateStack === 16 ? 6 : void 0;
        }
      }
      function pushEncodedClassification(start, end, offset, classification, result) {
        if (classification === 8) {
          return;
        }
        if (start === 0 && offset > 0) {
          start += offset;
        }
        const length2 = end - start;
        if (length2 > 0) {
          result.push(start - offset, length2, classification);
        }
      }
      function convertClassificationsToResult(classifications, text) {
        const entries = [];
        const dense = classifications.spans;
        let lastEnd = 0;
        for (let i = 0; i < dense.length; i += 3) {
          const start = dense[i];
          const length2 = dense[i + 1];
          const type = dense[i + 2];
          if (lastEnd >= 0) {
            const whitespaceLength2 = start - lastEnd;
            if (whitespaceLength2 > 0) {
              entries.push({
                length: whitespaceLength2,
                classification: 4
                /* Whitespace */
              });
            }
          }
          entries.push({ length: length2, classification: convertClassification(type) });
          lastEnd = start + length2;
        }
        const whitespaceLength = text.length - lastEnd;
        if (whitespaceLength > 0) {
          entries.push({
            length: whitespaceLength,
            classification: 4
            /* Whitespace */
          });
        }
        return { entries, finalLexState: classifications.endOfLineState };
      }
      function convertClassification(type) {
        switch (type) {
          case 1:
            return 3;
          case 3:
            return 1;
          case 4:
            return 6;
          case 25:
            return 7;
          case 5:
            return 2;
          case 6:
            return 8;
          case 8:
            return 4;
          case 10:
            return 0;
          case 2:
          case 11:
          case 12:
          case 13:
          case 14:
          case 15:
          case 16:
          case 9:
          case 17:
            return 5;
          default:
            return void 0;
        }
      }
      function canFollow(keyword1, keyword2) {
        if (!isAccessibilityModifier(keyword1)) {
          return true;
        }
        switch (keyword2) {
          case 139:
          case 153:
          case 137:
          case 126:
          case 129:
            return true;
          default:
            return false;
        }
      }
      function getPrefixFromLexState(lexState) {
        switch (lexState) {
          case 3:
            return { prefix: '"\\\n' };
          case 2:
            return { prefix: "'\\\n" };
          case 1:
            return { prefix: "/*\n" };
          case 4:
            return { prefix: "`\n" };
          case 5:
            return { prefix: "}\n", pushTemplate: true };
          case 6:
            return { prefix: "", pushTemplate: true };
          case 0:
            return { prefix: "" };
          default:
            return Debug.assertNever(lexState);
        }
      }
      function isBinaryExpressionOperatorToken(token) {
        switch (token) {
          case 42:
          case 44:
          case 45:
          case 40:
          case 41:
          case 48:
          case 49:
          case 50:
          case 30:
          case 32:
          case 33:
          case 34:
          case 104:
          case 103:
          case 130:
          case 152:
          case 35:
          case 36:
          case 37:
          case 38:
          case 51:
          case 53:
          case 52:
          case 56:
          case 57:
          case 75:
          case 74:
          case 79:
          case 71:
          case 72:
          case 73:
          case 65:
          case 66:
          case 67:
          case 69:
          case 70:
          case 64:
          case 28:
          case 61:
          case 76:
          case 77:
          case 78:
            return true;
          default:
            return false;
        }
      }
      function isPrefixUnaryExpressionOperatorToken(token) {
        switch (token) {
          case 40:
          case 41:
          case 55:
          case 54:
          case 46:
          case 47:
            return true;
          default:
            return false;
        }
      }
      function classFromKind(token) {
        if (isKeyword2(token)) {
          return 3;
        } else if (isBinaryExpressionOperatorToken(token) || isPrefixUnaryExpressionOperatorToken(token)) {
          return 5;
        } else if (token >= 19 && token <= 79) {
          return 10;
        }
        switch (token) {
          case 9:
            return 4;
          case 10:
            return 25;
          case 11:
            return 6;
          case 14:
            return 7;
          case 7:
          case 3:
          case 2:
            return 1;
          case 5:
          case 4:
            return 8;
          case 80:
          default:
            if (isTemplateLiteralKind(token)) {
              return 6;
            }
            return 2;
        }
      }
      function getSemanticClassifications(typeChecker, cancellationToken, sourceFile, classifiableNames, span) {
        return convertClassificationsToSpans(getEncodedSemanticClassifications(typeChecker, cancellationToken, sourceFile, classifiableNames, span));
      }
      function checkForClassificationCancellation(cancellationToken, kind) {
        switch (kind) {
          case 267:
          case 263:
          case 264:
          case 262:
          case 231:
          case 218:
          case 219:
            cancellationToken.throwIfCancellationRequested();
        }
      }
      function getEncodedSemanticClassifications(typeChecker, cancellationToken, sourceFile, classifiableNames, span) {
        const spans = [];
        sourceFile.forEachChild(function cb(node) {
          if (!node || !textSpanIntersectsWith(span, node.pos, node.getFullWidth())) {
            return;
          }
          checkForClassificationCancellation(cancellationToken, node.kind);
          if (isIdentifier(node) && !nodeIsMissing(node) && classifiableNames.has(node.escapedText)) {
            const symbol = typeChecker.getSymbolAtLocation(node);
            const type = symbol && classifySymbol(symbol, getMeaningFromLocation(node), typeChecker);
            if (type) {
              pushClassification(node.getStart(sourceFile), node.getEnd(), type);
            }
          }
          node.forEachChild(cb);
        });
        return {
          spans,
          endOfLineState: 0
          /* None */
        };
        function pushClassification(start, end, type) {
          const length2 = end - start;
          Debug.assert(length2 > 0, `Classification had non-positive length of ${length2}`);
          spans.push(start);
          spans.push(length2);
          spans.push(type);
        }
      }
      function classifySymbol(symbol, meaningAtPosition, checker) {
        const flags = symbol.getFlags();
        if ((flags & 2885600) === 0) {
          return void 0;
        } else if (flags & 32) {
          return 11;
        } else if (flags & 384) {
          return 12;
        } else if (flags & 524288) {
          return 16;
        } else if (flags & 1536) {
          return meaningAtPosition & 4 || meaningAtPosition & 1 && hasValueSideModule(symbol) ? 14 : void 0;
        } else if (flags & 2097152) {
          return classifySymbol(checker.getAliasedSymbol(symbol), meaningAtPosition, checker);
        } else if (meaningAtPosition & 2) {
          return flags & 64 ? 13 : flags & 262144 ? 15 : void 0;
        } else {
          return void 0;
        }
      }
      function hasValueSideModule(symbol) {
        return some(
          symbol.declarations,
          (declaration) => isModuleDeclaration(declaration) && getModuleInstanceState(declaration) === 1
          /* Instantiated */
        );
      }
      function getClassificationTypeName(type) {
        switch (type) {
          case 1:
            return "comment";
          case 2:
            return "identifier";
          case 3:
            return "keyword";
          case 4:
            return "number";
          case 25:
            return "bigint";
          case 5:
            return "operator";
          case 6:
            return "string";
          case 8:
            return "whitespace";
          case 9:
            return "text";
          case 10:
            return "punctuation";
          case 11:
            return "class name";
          case 12:
            return "enum name";
          case 13:
            return "interface name";
          case 14:
            return "module name";
          case 15:
            return "type parameter name";
          case 16:
            return "type alias name";
          case 17:
            return "parameter name";
          case 18:
            return "doc comment tag name";
          case 19:
            return "jsx open tag name";
          case 20:
            return "jsx close tag name";
          case 21:
            return "jsx self closing tag name";
          case 22:
            return "jsx attribute";
          case 23:
            return "jsx text";
          case 24:
            return "jsx attribute string literal value";
          default:
            return void 0;
        }
      }
      function convertClassificationsToSpans(classifications) {
        Debug.assert(classifications.spans.length % 3 === 0);
        const dense = classifications.spans;
        const result = [];
        for (let i = 0; i < dense.length; i += 3) {
          result.push({
            textSpan: createTextSpan(dense[i], dense[i + 1]),
            classificationType: getClassificationTypeName(dense[i + 2])
          });
        }
        return result;
      }
      function getSyntacticClassifications(cancellationToken, sourceFile, span) {
        return convertClassificationsToSpans(getEncodedSyntacticClassifications(cancellationToken, sourceFile, span));
      }
      function getEncodedSyntacticClassifications(cancellationToken, sourceFile, span) {
        const spanStart = span.start;
        const spanLength = span.length;
        const triviaScanner = createScanner(
          99,
          /*skipTrivia*/
          false,
          sourceFile.languageVariant,
          sourceFile.text
        );
        const mergeConflictScanner = createScanner(
          99,
          /*skipTrivia*/
          false,
          sourceFile.languageVariant,
          sourceFile.text
        );
        const result = [];
        processElement(sourceFile);
        return {
          spans: result,
          endOfLineState: 0
          /* None */
        };
        function pushClassification(start, length2, type) {
          result.push(start);
          result.push(length2);
          result.push(type);
        }
        function classifyLeadingTriviaAndGetTokenStart(token) {
          triviaScanner.resetTokenState(token.pos);
          while (true) {
            const start = triviaScanner.getTokenEnd();
            if (!couldStartTrivia(sourceFile.text, start)) {
              return start;
            }
            const kind = triviaScanner.scan();
            const end = triviaScanner.getTokenEnd();
            const width = end - start;
            if (!isTrivia(kind)) {
              return start;
            }
            switch (kind) {
              case 4:
              case 5:
                continue;
              case 2:
              case 3:
                classifyComment(token, kind, start, width);
                triviaScanner.resetTokenState(end);
                continue;
              case 7:
                const text = sourceFile.text;
                const ch = text.charCodeAt(start);
                if (ch === 60 || ch === 62) {
                  pushClassification(
                    start,
                    width,
                    1
                    /* comment */
                  );
                  continue;
                }
                Debug.assert(
                  ch === 124 || ch === 61
                  /* equals */
                );
                classifyDisabledMergeCode(text, start, end);
                break;
              case 6:
                break;
              default:
                Debug.assertNever(kind);
            }
          }
        }
        function classifyComment(token, kind, start, width) {
          if (kind === 3) {
            const docCommentAndDiagnostics = parseIsolatedJSDocComment(sourceFile.text, start, width);
            if (docCommentAndDiagnostics && docCommentAndDiagnostics.jsDoc) {
              setParent(docCommentAndDiagnostics.jsDoc, token);
              classifyJSDocComment(docCommentAndDiagnostics.jsDoc);
              return;
            }
          } else if (kind === 2) {
            if (tryClassifyTripleSlashComment(start, width)) {
              return;
            }
          }
          pushCommentRange(start, width);
        }
        function pushCommentRange(start, width) {
          pushClassification(
            start,
            width,
            1
            /* comment */
          );
        }
        function classifyJSDocComment(docComment) {
          var _a, _b, _c, _d, _e, _f, _g, _h;
          let pos = docComment.pos;
          if (docComment.tags) {
            for (const tag of docComment.tags) {
              if (tag.pos !== pos) {
                pushCommentRange(pos, tag.pos - pos);
              }
              pushClassification(
                tag.pos,
                1,
                10
                /* punctuation */
              );
              pushClassification(
                tag.tagName.pos,
                tag.tagName.end - tag.tagName.pos,
                18
                /* docCommentTagName */
              );
              pos = tag.tagName.end;
              let commentStart = tag.tagName.end;
              switch (tag.kind) {
                case 341:
                  const param = tag;
                  processJSDocParameterTag(param);
                  commentStart = param.isNameFirst && ((_a = param.typeExpression) == null ? void 0 : _a.end) || param.name.end;
                  break;
                case 348:
                  const prop = tag;
                  commentStart = prop.isNameFirst && ((_b = prop.typeExpression) == null ? void 0 : _b.end) || prop.name.end;
                  break;
                case 345:
                  processJSDocTemplateTag(tag);
                  pos = tag.end;
                  commentStart = tag.typeParameters.end;
                  break;
                case 346:
                  const type = tag;
                  commentStart = ((_c = type.typeExpression) == null ? void 0 : _c.kind) === 309 && ((_d = type.fullName) == null ? void 0 : _d.end) || ((_e = type.typeExpression) == null ? void 0 : _e.end) || commentStart;
                  break;
                case 338:
                  commentStart = tag.typeExpression.end;
                  break;
                case 344:
                  processElement(tag.typeExpression);
                  pos = tag.end;
                  commentStart = tag.typeExpression.end;
                  break;
                case 343:
                case 340:
                  commentStart = tag.typeExpression.end;
                  break;
                case 342:
                  processElement(tag.typeExpression);
                  pos = tag.end;
                  commentStart = ((_f = tag.typeExpression) == null ? void 0 : _f.end) || commentStart;
                  break;
                case 347:
                  commentStart = ((_g = tag.name) == null ? void 0 : _g.end) || commentStart;
                  break;
                case 328:
                case 329:
                  commentStart = tag.class.end;
                  break;
                case 349:
                  processElement(tag.typeExpression);
                  pos = tag.end;
                  commentStart = ((_h = tag.typeExpression) == null ? void 0 : _h.end) || commentStart;
                  break;
              }
              if (typeof tag.comment === "object") {
                pushCommentRange(tag.comment.pos, tag.comment.end - tag.comment.pos);
              } else if (typeof tag.comment === "string") {
                pushCommentRange(commentStart, tag.end - commentStart);
              }
            }
          }
          if (pos !== docComment.end) {
            pushCommentRange(pos, docComment.end - pos);
          }
          return;
          function processJSDocParameterTag(tag) {
            if (tag.isNameFirst) {
              pushCommentRange(pos, tag.name.pos - pos);
              pushClassification(
                tag.name.pos,
                tag.name.end - tag.name.pos,
                17
                /* parameterName */
              );
              pos = tag.name.end;
            }
            if (tag.typeExpression) {
              pushCommentRange(pos, tag.typeExpression.pos - pos);
              processElement(tag.typeExpression);
              pos = tag.typeExpression.end;
            }
            if (!tag.isNameFirst) {
              pushCommentRange(pos, tag.name.pos - pos);
              pushClassification(
                tag.name.pos,
                tag.name.end - tag.name.pos,
                17
                /* parameterName */
              );
              pos = tag.name.end;
            }
          }
        }
        function tryClassifyTripleSlashComment(start, width) {
          const tripleSlashXMLCommentRegEx = /^(\/\/\/\s*)(<)(?:(\S+)((?:[^/]|\/[^>])*)(\/>)?)?/im;
          const attributeRegex = /(\s)(\S+)(\s*)(=)(\s*)('[^']+'|"[^"]+")/img;
          const text = sourceFile.text.substr(start, width);
          const match = tripleSlashXMLCommentRegEx.exec(text);
          if (!match) {
            return false;
          }
          if (!match[3] || !(match[3] in commentPragmas)) {
            return false;
          }
          let pos = start;
          pushCommentRange(pos, match[1].length);
          pos += match[1].length;
          pushClassification(
            pos,
            match[2].length,
            10
            /* punctuation */
          );
          pos += match[2].length;
          pushClassification(
            pos,
            match[3].length,
            21
            /* jsxSelfClosingTagName */
          );
          pos += match[3].length;
          const attrText = match[4];
          let attrPos = pos;
          while (true) {
            const attrMatch = attributeRegex.exec(attrText);
            if (!attrMatch) {
              break;
            }
            const newAttrPos = pos + attrMatch.index + attrMatch[1].length;
            if (newAttrPos > attrPos) {
              pushCommentRange(attrPos, newAttrPos - attrPos);
              attrPos = newAttrPos;
            }
            pushClassification(
              attrPos,
              attrMatch[2].length,
              22
              /* jsxAttribute */
            );
            attrPos += attrMatch[2].length;
            if (attrMatch[3].length) {
              pushCommentRange(attrPos, attrMatch[3].length);
              attrPos += attrMatch[3].length;
            }
            pushClassification(
              attrPos,
              attrMatch[4].length,
              5
              /* operator */
            );
            attrPos += attrMatch[4].length;
            if (attrMatch[5].length) {
              pushCommentRange(attrPos, attrMatch[5].length);
              attrPos += attrMatch[5].length;
            }
            pushClassification(
              attrPos,
              attrMatch[6].length,
              24
              /* jsxAttributeStringLiteralValue */
            );
            attrPos += attrMatch[6].length;
          }
          pos += match[4].length;
          if (pos > attrPos) {
            pushCommentRange(attrPos, pos - attrPos);
          }
          if (match[5]) {
            pushClassification(
              pos,
              match[5].length,
              10
              /* punctuation */
            );
            pos += match[5].length;
          }
          const end = start + width;
          if (pos < end) {
            pushCommentRange(pos, end - pos);
          }
          return true;
        }
        function processJSDocTemplateTag(tag) {
          for (const child of tag.getChildren()) {
            processElement(child);
          }
        }
        function classifyDisabledMergeCode(text, start, end) {
          let i;
          for (i = start; i < end; i++) {
            if (isLineBreak(text.charCodeAt(i))) {
              break;
            }
          }
          pushClassification(
            start,
            i - start,
            1
            /* comment */
          );
          mergeConflictScanner.resetTokenState(i);
          while (mergeConflictScanner.getTokenEnd() < end) {
            classifyDisabledCodeToken();
          }
        }
        function classifyDisabledCodeToken() {
          const start = mergeConflictScanner.getTokenEnd();
          const tokenKind = mergeConflictScanner.scan();
          const end = mergeConflictScanner.getTokenEnd();
          const type = classifyTokenType(tokenKind);
          if (type) {
            pushClassification(start, end - start, type);
          }
        }
        function tryClassifyNode(node) {
          if (isJSDoc(node)) {
            return true;
          }
          if (nodeIsMissing(node)) {
            return true;
          }
          const classifiedElementName = tryClassifyJsxElementName(node);
          if (!isToken(node) && node.kind !== 12 && classifiedElementName === void 0) {
            return false;
          }
          const tokenStart = node.kind === 12 ? node.pos : classifyLeadingTriviaAndGetTokenStart(node);
          const tokenWidth = node.end - tokenStart;
          Debug.assert(tokenWidth >= 0);
          if (tokenWidth > 0) {
            const type = classifiedElementName || classifyTokenType(node.kind, node);
            if (type) {
              pushClassification(tokenStart, tokenWidth, type);
            }
          }
          return true;
        }
        function tryClassifyJsxElementName(token) {
          switch (token.parent && token.parent.kind) {
            case 286:
              if (token.parent.tagName === token) {
                return 19;
              }
              break;
            case 287:
              if (token.parent.tagName === token) {
                return 20;
              }
              break;
            case 285:
              if (token.parent.tagName === token) {
                return 21;
              }
              break;
            case 291:
              if (token.parent.name === token) {
                return 22;
              }
              break;
          }
          return void 0;
        }
        function classifyTokenType(tokenKind, token) {
          if (isKeyword2(tokenKind)) {
            return 3;
          }
          if (tokenKind === 30 || tokenKind === 32) {
            if (token && getTypeArgumentOrTypeParameterList(token.parent)) {
              return 10;
            }
          }
          if (isPunctuation(tokenKind)) {
            if (token) {
              const parent2 = token.parent;
              if (tokenKind === 64) {
                if (parent2.kind === 260 || parent2.kind === 172 || parent2.kind === 169 || parent2.kind === 291) {
                  return 5;
                }
              }
              if (parent2.kind === 226 || parent2.kind === 224 || parent2.kind === 225 || parent2.kind === 227) {
                return 5;
              }
            }
            return 10;
          } else if (tokenKind === 9) {
            return 4;
          } else if (tokenKind === 10) {
            return 25;
          } else if (tokenKind === 11) {
            return token && token.parent.kind === 291 ? 24 : 6;
          } else if (tokenKind === 14) {
            return 6;
          } else if (isTemplateLiteralKind(tokenKind)) {
            return 6;
          } else if (tokenKind === 12) {
            return 23;
          } else if (tokenKind === 80) {
            if (token) {
              switch (token.parent.kind) {
                case 263:
                  if (token.parent.name === token) {
                    return 11;
                  }
                  return;
                case 168:
                  if (token.parent.name === token) {
                    return 15;
                  }
                  return;
                case 264:
                  if (token.parent.name === token) {
                    return 13;
                  }
                  return;
                case 266:
                  if (token.parent.name === token) {
                    return 12;
                  }
                  return;
                case 267:
                  if (token.parent.name === token) {
                    return 14;
                  }
                  return;
                case 169:
                  if (token.parent.name === token) {
                    return isThisIdentifier(token) ? 3 : 17;
                  }
                  return;
              }
              if (isConstTypeReference(token.parent)) {
                return 3;
              }
            }
            return 2;
          }
        }
        function processElement(element) {
          if (!element) {
            return;
          }
          if (decodedTextSpanIntersectsWith(spanStart, spanLength, element.pos, element.getFullWidth())) {
            checkForClassificationCancellation(cancellationToken, element.kind);
            for (const child of element.getChildren(sourceFile)) {
              if (!tryClassifyNode(child)) {
                processElement(child);
              }
            }
          }
        }
      }
      var DocumentHighlights;
      ((DocumentHighlights3) => {
        function getDocumentHighlights(program, cancellationToken, sourceFile, position, sourceFilesToSearch) {
          const node = getTouchingPropertyName(sourceFile, position);
          if (node.parent && (isJsxOpeningElement(node.parent) && node.parent.tagName === node || isJsxClosingElement(node.parent))) {
            const { openingElement, closingElement } = node.parent.parent;
            const highlightSpans = [openingElement, closingElement].map(({ tagName }) => getHighlightSpanForNode(tagName, sourceFile));
            return [{ fileName: sourceFile.fileName, highlightSpans }];
          }
          return getSemanticDocumentHighlights(position, node, program, cancellationToken, sourceFilesToSearch) || getSyntacticDocumentHighlights(node, sourceFile);
        }
        DocumentHighlights3.getDocumentHighlights = getDocumentHighlights;
        function getHighlightSpanForNode(node, sourceFile) {
          return {
            fileName: sourceFile.fileName,
            textSpan: createTextSpanFromNode(node, sourceFile),
            kind: "none"
            /* none */
          };
        }
        function getSemanticDocumentHighlights(position, node, program, cancellationToken, sourceFilesToSearch) {
          const sourceFilesSet = new Set(sourceFilesToSearch.map((f) => f.fileName));
          const referenceEntries = ts_FindAllReferences_exports.getReferenceEntriesForNode(
            position,
            node,
            program,
            sourceFilesToSearch,
            cancellationToken,
            /*options*/
            void 0,
            sourceFilesSet
          );
          if (!referenceEntries) return void 0;
          const map2 = arrayToMultiMap(referenceEntries.map(ts_FindAllReferences_exports.toHighlightSpan), (e) => e.fileName, (e) => e.span);
          const getCanonicalFileName = createGetCanonicalFileName(program.useCaseSensitiveFileNames());
          return arrayFrom(mapDefinedIterator(map2.entries(), ([fileName, highlightSpans]) => {
            if (!sourceFilesSet.has(fileName)) {
              if (!program.redirectTargetsMap.has(toPath3(fileName, program.getCurrentDirectory(), getCanonicalFileName))) {
                return void 0;
              }
              const redirectTarget = program.getSourceFile(fileName);
              const redirect = find(sourceFilesToSearch, (f) => !!f.redirectInfo && f.redirectInfo.redirectTarget === redirectTarget);
              fileName = redirect.fileName;
              Debug.assert(sourceFilesSet.has(fileName));
            }
            return { fileName, highlightSpans };
          }));
        }
        function getSyntacticDocumentHighlights(node, sourceFile) {
          const highlightSpans = getHighlightSpans(node, sourceFile);
          return highlightSpans && [{ fileName: sourceFile.fileName, highlightSpans }];
        }
        function getHighlightSpans(node, sourceFile) {
          switch (node.kind) {
            case 101:
            case 93:
              return isIfStatement(node.parent) ? getIfElseOccurrences(node.parent, sourceFile) : void 0;
            case 107:
              return useParent(node.parent, isReturnStatement, getReturnOccurrences);
            case 111:
              return useParent(node.parent, isThrowStatement, getThrowOccurrences);
            case 113:
            case 85:
            case 98:
              const tryStatement = node.kind === 85 ? node.parent.parent : node.parent;
              return useParent(tryStatement, isTryStatement, getTryCatchFinallyOccurrences);
            case 109:
              return useParent(node.parent, isSwitchStatement, getSwitchCaseDefaultOccurrences);
            case 84:
            case 90: {
              if (isDefaultClause(node.parent) || isCaseClause(node.parent)) {
                return useParent(node.parent.parent.parent, isSwitchStatement, getSwitchCaseDefaultOccurrences);
              }
              return void 0;
            }
            case 83:
            case 88:
              return useParent(node.parent, isBreakOrContinueStatement, getBreakOrContinueStatementOccurrences);
            case 99:
            case 117:
            case 92:
              return useParent(node.parent, (n) => isIterationStatement(
                n,
                /*lookInLabeledStatements*/
                true
              ), getLoopBreakContinueOccurrences);
            case 137:
              return getFromAllDeclarations(isConstructorDeclaration, [
                137
                /* ConstructorKeyword */
              ]);
            case 139:
            case 153:
              return getFromAllDeclarations(isAccessor, [
                139,
                153
                /* SetKeyword */
              ]);
            case 135:
              return useParent(node.parent, isAwaitExpression, getAsyncAndAwaitOccurrences);
            case 134:
              return highlightSpans(getAsyncAndAwaitOccurrences(node));
            case 127:
              return highlightSpans(getYieldOccurrences(node));
            case 103:
            case 147:
              return void 0;
            default:
              return isModifierKind(node.kind) && (isDeclaration(node.parent) || isVariableStatement(node.parent)) ? highlightSpans(getModifierOccurrences(node.kind, node.parent)) : void 0;
          }
          function getFromAllDeclarations(nodeTest, keywords) {
            return useParent(node.parent, nodeTest, (decl) => {
              var _a;
              return mapDefined((_a = tryCast(decl, canHaveSymbol)) == null ? void 0 : _a.symbol.declarations, (d) => nodeTest(d) ? find(d.getChildren(sourceFile), (c) => contains(keywords, c.kind)) : void 0);
            });
          }
          function useParent(node2, nodeTest, getNodes4) {
            return nodeTest(node2) ? highlightSpans(getNodes4(node2, sourceFile)) : void 0;
          }
          function highlightSpans(nodes) {
            return nodes && nodes.map((node2) => getHighlightSpanForNode(node2, sourceFile));
          }
        }
        function aggregateOwnedThrowStatements(node) {
          if (isThrowStatement(node)) {
            return [node];
          } else if (isTryStatement(node)) {
            return concatenate(
              node.catchClause ? aggregateOwnedThrowStatements(node.catchClause) : node.tryBlock && aggregateOwnedThrowStatements(node.tryBlock),
              node.finallyBlock && aggregateOwnedThrowStatements(node.finallyBlock)
            );
          }
          return isFunctionLike(node) ? void 0 : flatMapChildren(node, aggregateOwnedThrowStatements);
        }
        function getThrowStatementOwner(throwStatement) {
          let child = throwStatement;
          while (child.parent) {
            const parent2 = child.parent;
            if (isFunctionBlock(parent2) || parent2.kind === 307) {
              return parent2;
            }
            if (isTryStatement(parent2) && parent2.tryBlock === child && parent2.catchClause) {
              return child;
            }
            child = parent2;
          }
          return void 0;
        }
        function aggregateAllBreakAndContinueStatements(node) {
          return isBreakOrContinueStatement(node) ? [node] : isFunctionLike(node) ? void 0 : flatMapChildren(node, aggregateAllBreakAndContinueStatements);
        }
        function flatMapChildren(node, cb) {
          const result = [];
          node.forEachChild((child) => {
            const value = cb(child);
            if (value !== void 0) {
              result.push(...toArray(value));
            }
          });
          return result;
        }
        function ownsBreakOrContinueStatement(owner, statement) {
          const actualOwner = getBreakOrContinueOwner(statement);
          return !!actualOwner && actualOwner === owner;
        }
        function getBreakOrContinueOwner(statement) {
          return findAncestor(statement, (node) => {
            switch (node.kind) {
              case 255:
                if (statement.kind === 251) {
                  return false;
                }
              case 248:
              case 249:
              case 250:
              case 247:
              case 246:
                return !statement.label || isLabeledBy(node, statement.label.escapedText);
              default:
                return isFunctionLike(node) && "quit";
            }
          });
        }
        function getModifierOccurrences(modifier, declaration) {
          return mapDefined(getNodesToSearchForModifier(declaration, modifierToFlag(modifier)), (node) => findModifier(node, modifier));
        }
        function getNodesToSearchForModifier(declaration, modifierFlag) {
          const container = declaration.parent;
          switch (container.kind) {
            case 268:
            case 307:
            case 241:
            case 296:
            case 297:
              if (modifierFlag & 64 && isClassDeclaration(declaration)) {
                return [...declaration.members, declaration];
              } else {
                return container.statements;
              }
            case 176:
            case 174:
            case 262:
              return [...container.parameters, ...isClassLike(container.parent) ? container.parent.members : []];
            case 263:
            case 231:
            case 264:
            case 187:
              const nodes = container.members;
              if (modifierFlag & (7 | 8)) {
                const constructor = find(container.members, isConstructorDeclaration);
                if (constructor) {
                  return [...nodes, ...constructor.parameters];
                }
              } else if (modifierFlag & 64) {
                return [...nodes, container];
              }
              return nodes;
            case 210:
              return void 0;
            default:
              Debug.assertNever(container, "Invalid container kind.");
          }
        }
        function pushKeywordIf(keywordList, token, ...expected) {
          if (token && contains(expected, token.kind)) {
            keywordList.push(token);
            return true;
          }
          return false;
        }
        function getLoopBreakContinueOccurrences(loopNode) {
          const keywords = [];
          if (pushKeywordIf(
            keywords,
            loopNode.getFirstToken(),
            99,
            117,
            92
            /* DoKeyword */
          )) {
            if (loopNode.kind === 246) {
              const loopTokens = loopNode.getChildren();
              for (let i = loopTokens.length - 1; i >= 0; i--) {
                if (pushKeywordIf(
                  keywords,
                  loopTokens[i],
                  117
                  /* WhileKeyword */
                )) {
                  break;
                }
              }
            }
          }
          forEach(aggregateAllBreakAndContinueStatements(loopNode.statement), (statement) => {
            if (ownsBreakOrContinueStatement(loopNode, statement)) {
              pushKeywordIf(
                keywords,
                statement.getFirstToken(),
                83,
                88
                /* ContinueKeyword */
              );
            }
          });
          return keywords;
        }
        function getBreakOrContinueStatementOccurrences(breakOrContinueStatement) {
          const owner = getBreakOrContinueOwner(breakOrContinueStatement);
          if (owner) {
            switch (owner.kind) {
              case 248:
              case 249:
              case 250:
              case 246:
              case 247:
                return getLoopBreakContinueOccurrences(owner);
              case 255:
                return getSwitchCaseDefaultOccurrences(owner);
            }
          }
          return void 0;
        }
        function getSwitchCaseDefaultOccurrences(switchStatement) {
          const keywords = [];
          pushKeywordIf(
            keywords,
            switchStatement.getFirstToken(),
            109
            /* SwitchKeyword */
          );
          forEach(switchStatement.caseBlock.clauses, (clause) => {
            pushKeywordIf(
              keywords,
              clause.getFirstToken(),
              84,
              90
              /* DefaultKeyword */
            );
            forEach(aggregateAllBreakAndContinueStatements(clause), (statement) => {
              if (ownsBreakOrContinueStatement(switchStatement, statement)) {
                pushKeywordIf(
                  keywords,
                  statement.getFirstToken(),
                  83
                  /* BreakKeyword */
                );
              }
            });
          });
          return keywords;
        }
        function getTryCatchFinallyOccurrences(tryStatement, sourceFile) {
          const keywords = [];
          pushKeywordIf(
            keywords,
            tryStatement.getFirstToken(),
            113
            /* TryKeyword */
          );
          if (tryStatement.catchClause) {
            pushKeywordIf(
              keywords,
              tryStatement.catchClause.getFirstToken(),
              85
              /* CatchKeyword */
            );
          }
          if (tryStatement.finallyBlock) {
            const finallyKeyword = findChildOfKind(tryStatement, 98, sourceFile);
            pushKeywordIf(
              keywords,
              finallyKeyword,
              98
              /* FinallyKeyword */
            );
          }
          return keywords;
        }
        function getThrowOccurrences(throwStatement, sourceFile) {
          const owner = getThrowStatementOwner(throwStatement);
          if (!owner) {
            return void 0;
          }
          const keywords = [];
          forEach(aggregateOwnedThrowStatements(owner), (throwStatement2) => {
            keywords.push(findChildOfKind(throwStatement2, 111, sourceFile));
          });
          if (isFunctionBlock(owner)) {
            forEachReturnStatement(owner, (returnStatement) => {
              keywords.push(findChildOfKind(returnStatement, 107, sourceFile));
            });
          }
          return keywords;
        }
        function getReturnOccurrences(returnStatement, sourceFile) {
          const func = getContainingFunction(returnStatement);
          if (!func) {
            return void 0;
          }
          const keywords = [];
          forEachReturnStatement(cast(func.body, isBlock), (returnStatement2) => {
            keywords.push(findChildOfKind(returnStatement2, 107, sourceFile));
          });
          forEach(aggregateOwnedThrowStatements(func.body), (throwStatement) => {
            keywords.push(findChildOfKind(throwStatement, 111, sourceFile));
          });
          return keywords;
        }
        function getAsyncAndAwaitOccurrences(node) {
          const func = getContainingFunction(node);
          if (!func) {
            return void 0;
          }
          const keywords = [];
          if (func.modifiers) {
            func.modifiers.forEach((modifier) => {
              pushKeywordIf(
                keywords,
                modifier,
                134
                /* AsyncKeyword */
              );
            });
          }
          forEachChild(func, (child) => {
            traverseWithoutCrossingFunction(child, (node2) => {
              if (isAwaitExpression(node2)) {
                pushKeywordIf(
                  keywords,
                  node2.getFirstToken(),
                  135
                  /* AwaitKeyword */
                );
              }
            });
          });
          return keywords;
        }
        function getYieldOccurrences(node) {
          const func = getContainingFunction(node);
          if (!func) {
            return void 0;
          }
          const keywords = [];
          forEachChild(func, (child) => {
            traverseWithoutCrossingFunction(child, (node2) => {
              if (isYieldExpression(node2)) {
                pushKeywordIf(
                  keywords,
                  node2.getFirstToken(),
                  127
                  /* YieldKeyword */
                );
              }
            });
          });
          return keywords;
        }
        function traverseWithoutCrossingFunction(node, cb) {
          cb(node);
          if (!isFunctionLike(node) && !isClassLike(node) && !isInterfaceDeclaration(node) && !isModuleDeclaration(node) && !isTypeAliasDeclaration(node) && !isTypeNode(node)) {
            forEachChild(node, (child) => traverseWithoutCrossingFunction(child, cb));
          }
        }
        function getIfElseOccurrences(ifStatement, sourceFile) {
          const keywords = getIfElseKeywords(ifStatement, sourceFile);
          const result = [];
          for (let i = 0; i < keywords.length; i++) {
            if (keywords[i].kind === 93 && i < keywords.length - 1) {
              const elseKeyword = keywords[i];
              const ifKeyword = keywords[i + 1];
              let shouldCombineElseAndIf = true;
              for (let j = ifKeyword.getStart(sourceFile) - 1; j >= elseKeyword.end; j--) {
                if (!isWhiteSpaceSingleLine(sourceFile.text.charCodeAt(j))) {
                  shouldCombineElseAndIf = false;
                  break;
                }
              }
              if (shouldCombineElseAndIf) {
                result.push({
                  fileName: sourceFile.fileName,
                  textSpan: createTextSpanFromBounds(elseKeyword.getStart(), ifKeyword.end),
                  kind: "reference"
                  /* reference */
                });
                i++;
                continue;
              }
            }
            result.push(getHighlightSpanForNode(keywords[i], sourceFile));
          }
          return result;
        }
        function getIfElseKeywords(ifStatement, sourceFile) {
          const keywords = [];
          while (isIfStatement(ifStatement.parent) && ifStatement.parent.elseStatement === ifStatement) {
            ifStatement = ifStatement.parent;
          }
          while (true) {
            const children = ifStatement.getChildren(sourceFile);
            pushKeywordIf(
              keywords,
              children[0],
              101
              /* IfKeyword */
            );
            for (let i = children.length - 1; i >= 0; i--) {
              if (pushKeywordIf(
                keywords,
                children[i],
                93
                /* ElseKeyword */
              )) {
                break;
              }
            }
            if (!ifStatement.elseStatement || !isIfStatement(ifStatement.elseStatement)) {
              break;
            }
            ifStatement = ifStatement.elseStatement;
          }
          return keywords;
        }
        function isLabeledBy(node, labelName) {
          return !!findAncestor(node.parent, (owner) => !isLabeledStatement(owner) ? "quit" : owner.label.escapedText === labelName);
        }
      })(DocumentHighlights || (DocumentHighlights = {}));
      function isDocumentRegistryEntry(entry) {
        return !!entry.sourceFile;
      }
      function createDocumentRegistry(useCaseSensitiveFileNames2, currentDirectory, jsDocParsingMode) {
        return createDocumentRegistryInternal(useCaseSensitiveFileNames2, currentDirectory, jsDocParsingMode);
      }
      function createDocumentRegistryInternal(useCaseSensitiveFileNames2, currentDirectory = "", jsDocParsingMode, externalCache) {
        const buckets = /* @__PURE__ */ new Map();
        const getCanonicalFileName = createGetCanonicalFileName(!!useCaseSensitiveFileNames2);
        function reportStats() {
          const bucketInfoArray = arrayFrom(buckets.keys()).filter((name) => name && name.charAt(0) === "_").map((name) => {
            const entries = buckets.get(name);
            const sourceFiles = [];
            entries.forEach((entry, name2) => {
              if (isDocumentRegistryEntry(entry)) {
                sourceFiles.push({
                  name: name2,
                  scriptKind: entry.sourceFile.scriptKind,
                  refCount: entry.languageServiceRefCount
                });
              } else {
                entry.forEach((value, scriptKind) => sourceFiles.push({ name: name2, scriptKind, refCount: value.languageServiceRefCount }));
              }
            });
            sourceFiles.sort((x, y) => y.refCount - x.refCount);
            return {
              bucket: name,
              sourceFiles
            };
          });
          return JSON.stringify(bucketInfoArray, void 0, 2);
        }
        function getCompilationSettings(settingsOrHost) {
          if (typeof settingsOrHost.getCompilationSettings === "function") {
            return settingsOrHost.getCompilationSettings();
          }
          return settingsOrHost;
        }
        function acquireDocument(fileName, compilationSettings, scriptSnapshot, version2, scriptKind, languageVersionOrOptions) {
          const path17 = toPath3(fileName, currentDirectory, getCanonicalFileName);
          const key = getKeyForCompilationSettings(getCompilationSettings(compilationSettings));
          return acquireDocumentWithKey(fileName, path17, compilationSettings, key, scriptSnapshot, version2, scriptKind, languageVersionOrOptions);
        }
        function acquireDocumentWithKey(fileName, path17, compilationSettings, key, scriptSnapshot, version2, scriptKind, languageVersionOrOptions) {
          return acquireOrUpdateDocument(
            fileName,
            path17,
            compilationSettings,
            key,
            scriptSnapshot,
            version2,
            /*acquiring*/
            true,
            scriptKind,
            languageVersionOrOptions
          );
        }
        function updateDocument(fileName, compilationSettings, scriptSnapshot, version2, scriptKind, languageVersionOrOptions) {
          const path17 = toPath3(fileName, currentDirectory, getCanonicalFileName);
          const key = getKeyForCompilationSettings(getCompilationSettings(compilationSettings));
          return updateDocumentWithKey(fileName, path17, compilationSettings, key, scriptSnapshot, version2, scriptKind, languageVersionOrOptions);
        }
        function updateDocumentWithKey(fileName, path17, compilationSettings, key, scriptSnapshot, version2, scriptKind, languageVersionOrOptions) {
          return acquireOrUpdateDocument(
            fileName,
            path17,
            getCompilationSettings(compilationSettings),
            key,
            scriptSnapshot,
            version2,
            /*acquiring*/
            false,
            scriptKind,
            languageVersionOrOptions
          );
        }
        function getDocumentRegistryEntry(bucketEntry, scriptKind) {
          const entry = isDocumentRegistryEntry(bucketEntry) ? bucketEntry : bucketEntry.get(Debug.checkDefined(scriptKind, "If there are more than one scriptKind's for same document the scriptKind should be provided"));
          Debug.assert(scriptKind === void 0 || !entry || entry.sourceFile.scriptKind === scriptKind, `Script kind should match provided ScriptKind:${scriptKind} and sourceFile.scriptKind: ${entry == null ? void 0 : entry.sourceFile.scriptKind}, !entry: ${!entry}`);
          return entry;
        }
        function acquireOrUpdateDocument(fileName, path17, compilationSettingsOrHost, key, scriptSnapshot, version2, acquiring, scriptKind, languageVersionOrOptions) {
          var _a, _b, _c, _d;
          scriptKind = ensureScriptKind(fileName, scriptKind);
          const compilationSettings = getCompilationSettings(compilationSettingsOrHost);
          const host = compilationSettingsOrHost === compilationSettings ? void 0 : compilationSettingsOrHost;
          const scriptTarget = scriptKind === 6 ? 100 : getEmitScriptTarget(compilationSettings);
          const sourceFileOptions = typeof languageVersionOrOptions === "object" ? languageVersionOrOptions : {
            languageVersion: scriptTarget,
            impliedNodeFormat: host && getImpliedNodeFormatForFile(path17, (_d = (_c = (_b = (_a = host.getCompilerHost) == null ? void 0 : _a.call(host)) == null ? void 0 : _b.getModuleResolutionCache) == null ? void 0 : _c.call(_b)) == null ? void 0 : _d.getPackageJsonInfoCache(), host, compilationSettings),
            setExternalModuleIndicator: getSetExternalModuleIndicator(compilationSettings),
            jsDocParsingMode
          };
          sourceFileOptions.languageVersion = scriptTarget;
          Debug.assertEqual(jsDocParsingMode, sourceFileOptions.jsDocParsingMode);
          const oldBucketCount = buckets.size;
          const keyWithMode = getDocumentRegistryBucketKeyWithMode(key, sourceFileOptions.impliedNodeFormat);
          const bucket = getOrUpdate(buckets, keyWithMode, () => /* @__PURE__ */ new Map());
          if (tracing) {
            if (buckets.size > oldBucketCount) {
              tracing.instant(tracing.Phase.Session, "createdDocumentRegistryBucket", { configFilePath: compilationSettings.configFilePath, key: keyWithMode });
            }
            const otherBucketKey = !isDeclarationFileName(path17) && forEachEntry(buckets, (bucket2, bucketKey) => bucketKey !== keyWithMode && bucket2.has(path17) && bucketKey);
            if (otherBucketKey) {
              tracing.instant(tracing.Phase.Session, "documentRegistryBucketOverlap", { path: path17, key1: otherBucketKey, key2: keyWithMode });
            }
          }
          const bucketEntry = bucket.get(path17);
          let entry = bucketEntry && getDocumentRegistryEntry(bucketEntry, scriptKind);
          if (!entry && externalCache) {
            const sourceFile = externalCache.getDocument(keyWithMode, path17);
            if (sourceFile && sourceFile.scriptKind === scriptKind && sourceFile.text === getSnapshotText(scriptSnapshot)) {
              Debug.assert(acquiring);
              entry = {
                sourceFile,
                languageServiceRefCount: 0
              };
              setBucketEntry();
            }
          }
          if (!entry) {
            const sourceFile = createLanguageServiceSourceFile(
              fileName,
              scriptSnapshot,
              sourceFileOptions,
              version2,
              /*setNodeParents*/
              false,
              scriptKind
            );
            if (externalCache) {
              externalCache.setDocument(keyWithMode, path17, sourceFile);
            }
            entry = {
              sourceFile,
              languageServiceRefCount: 1
            };
            setBucketEntry();
          } else {
            if (entry.sourceFile.version !== version2) {
              entry.sourceFile = updateLanguageServiceSourceFile(entry.sourceFile, scriptSnapshot, version2, scriptSnapshot.getChangeRange(entry.sourceFile.scriptSnapshot));
              if (externalCache) {
                externalCache.setDocument(keyWithMode, path17, entry.sourceFile);
              }
            }
            if (acquiring) {
              entry.languageServiceRefCount++;
            }
          }
          Debug.assert(entry.languageServiceRefCount !== 0);
          return entry.sourceFile;
          function setBucketEntry() {
            if (!bucketEntry) {
              bucket.set(path17, entry);
            } else if (isDocumentRegistryEntry(bucketEntry)) {
              const scriptKindMap = /* @__PURE__ */ new Map();
              scriptKindMap.set(bucketEntry.sourceFile.scriptKind, bucketEntry);
              scriptKindMap.set(scriptKind, entry);
              bucket.set(path17, scriptKindMap);
            } else {
              bucketEntry.set(scriptKind, entry);
            }
          }
        }
        function releaseDocument(fileName, compilationSettings, scriptKind, impliedNodeFormat) {
          const path17 = toPath3(fileName, currentDirectory, getCanonicalFileName);
          const key = getKeyForCompilationSettings(compilationSettings);
          return releaseDocumentWithKey(path17, key, scriptKind, impliedNodeFormat);
        }
        function releaseDocumentWithKey(path17, key, scriptKind, impliedNodeFormat) {
          const bucket = Debug.checkDefined(buckets.get(getDocumentRegistryBucketKeyWithMode(key, impliedNodeFormat)));
          const bucketEntry = bucket.get(path17);
          const entry = getDocumentRegistryEntry(bucketEntry, scriptKind);
          entry.languageServiceRefCount--;
          Debug.assert(entry.languageServiceRefCount >= 0);
          if (entry.languageServiceRefCount === 0) {
            if (isDocumentRegistryEntry(bucketEntry)) {
              bucket.delete(path17);
            } else {
              bucketEntry.delete(scriptKind);
              if (bucketEntry.size === 1) {
                bucket.set(path17, firstDefinedIterator(bucketEntry.values(), identity2));
              }
            }
          }
        }
        return {
          acquireDocument,
          acquireDocumentWithKey,
          updateDocument,
          updateDocumentWithKey,
          releaseDocument,
          releaseDocumentWithKey,
          getKeyForCompilationSettings,
          getDocumentRegistryBucketKeyWithMode,
          reportStats,
          getBuckets: () => buckets
        };
      }
      function getKeyForCompilationSettings(settings) {
        return getKeyForCompilerOptions(settings, sourceFileAffectingCompilerOptions);
      }
      function getDocumentRegistryBucketKeyWithMode(key, mode) {
        return mode ? `${key}|${mode}` : key;
      }
      function getEditsForFileRename(program, oldFileOrDirPath, newFileOrDirPath, host, formatContext, preferences, sourceMapper) {
        const useCaseSensitiveFileNames2 = hostUsesCaseSensitiveFileNames(host);
        const getCanonicalFileName = createGetCanonicalFileName(useCaseSensitiveFileNames2);
        const oldToNew = getPathUpdater(oldFileOrDirPath, newFileOrDirPath, getCanonicalFileName, sourceMapper);
        const newToOld = getPathUpdater(newFileOrDirPath, oldFileOrDirPath, getCanonicalFileName, sourceMapper);
        return ts_textChanges_exports.ChangeTracker.with({ host, formatContext, preferences }, (changeTracker) => {
          updateTsconfigFiles(program, changeTracker, oldToNew, oldFileOrDirPath, newFileOrDirPath, host.getCurrentDirectory(), useCaseSensitiveFileNames2);
          updateImports(program, changeTracker, oldToNew, newToOld, host, getCanonicalFileName);
        });
      }
      function getPathUpdater(oldFileOrDirPath, newFileOrDirPath, getCanonicalFileName, sourceMapper) {
        const canonicalOldPath = getCanonicalFileName(oldFileOrDirPath);
        return (path17) => {
          const originalPath = sourceMapper && sourceMapper.tryGetSourcePosition({ fileName: path17, pos: 0 });
          const updatedPath = getUpdatedPath(originalPath ? originalPath.fileName : path17);
          return originalPath ? updatedPath === void 0 ? void 0 : makeCorrespondingRelativeChange(originalPath.fileName, updatedPath, path17, getCanonicalFileName) : updatedPath;
        };
        function getUpdatedPath(pathToUpdate) {
          if (getCanonicalFileName(pathToUpdate) === canonicalOldPath) return newFileOrDirPath;
          const suffix = tryRemoveDirectoryPrefix(pathToUpdate, canonicalOldPath, getCanonicalFileName);
          return suffix === void 0 ? void 0 : newFileOrDirPath + "/" + suffix;
        }
      }
      function makeCorrespondingRelativeChange(a0, b0, a1, getCanonicalFileName) {
        const rel = getRelativePathFromFile(a0, b0, getCanonicalFileName);
        return combinePathsSafe(getDirectoryPath(a1), rel);
      }
      function updateTsconfigFiles(program, changeTracker, oldToNew, oldFileOrDirPath, newFileOrDirPath, currentDirectory, useCaseSensitiveFileNames2) {
        const { configFile } = program.getCompilerOptions();
        if (!configFile) return;
        const configDir = getDirectoryPath(configFile.fileName);
        const jsonObjectLiteral = getTsConfigObjectLiteralExpression(configFile);
        if (!jsonObjectLiteral) return;
        forEachProperty(jsonObjectLiteral, (property, propertyName) => {
          switch (propertyName) {
            case "files":
            case "include":
            case "exclude": {
              const foundExactMatch = updatePaths(property);
              if (foundExactMatch || propertyName !== "include" || !isArrayLiteralExpression(property.initializer)) return;
              const includes = mapDefined(property.initializer.elements, (e) => isStringLiteral2(e) ? e.text : void 0);
              if (includes.length === 0) return;
              const matchers = getFileMatcherPatterns(
                configDir,
                /*excludes*/
                [],
                includes,
                useCaseSensitiveFileNames2,
                currentDirectory
              );
              if (getRegexFromPattern(Debug.checkDefined(matchers.includeFilePattern), useCaseSensitiveFileNames2).test(oldFileOrDirPath) && !getRegexFromPattern(Debug.checkDefined(matchers.includeFilePattern), useCaseSensitiveFileNames2).test(newFileOrDirPath)) {
                changeTracker.insertNodeAfter(configFile, last(property.initializer.elements), factory.createStringLiteral(relativePath(newFileOrDirPath)));
              }
              return;
            }
            case "compilerOptions":
              forEachProperty(property.initializer, (property2, propertyName2) => {
                const option = getOptionFromName(propertyName2);
                Debug.assert((option == null ? void 0 : option.type) !== "listOrElement");
                if (option && (option.isFilePath || option.type === "list" && option.element.isFilePath)) {
                  updatePaths(property2);
                } else if (propertyName2 === "paths") {
                  forEachProperty(property2.initializer, (pathsProperty) => {
                    if (!isArrayLiteralExpression(pathsProperty.initializer)) return;
                    for (const e of pathsProperty.initializer.elements) {
                      tryUpdateString(e);
                    }
                  });
                }
              });
              return;
          }
        });
        function updatePaths(property) {
          const elements = isArrayLiteralExpression(property.initializer) ? property.initializer.elements : [property.initializer];
          let foundExactMatch = false;
          for (const element of elements) {
            foundExactMatch = tryUpdateString(element) || foundExactMatch;
          }
          return foundExactMatch;
        }
        function tryUpdateString(element) {
          if (!isStringLiteral2(element)) return false;
          const elementFileName = combinePathsSafe(configDir, element.text);
          const updated = oldToNew(elementFileName);
          if (updated !== void 0) {
            changeTracker.replaceRangeWithText(configFile, createStringRange(element, configFile), relativePath(updated));
            return true;
          }
          return false;
        }
        function relativePath(path17) {
          return getRelativePathFromDirectory(
            configDir,
            path17,
            /*ignoreCase*/
            !useCaseSensitiveFileNames2
          );
        }
      }
      function updateImports(program, changeTracker, oldToNew, newToOld, host, getCanonicalFileName) {
        const allFiles = program.getSourceFiles();
        for (const sourceFile of allFiles) {
          const newFromOld = oldToNew(sourceFile.fileName);
          const newImportFromPath = newFromOld ?? sourceFile.fileName;
          const newImportFromDirectory = getDirectoryPath(newImportFromPath);
          const oldFromNew = newToOld(sourceFile.fileName);
          const oldImportFromPath = oldFromNew || sourceFile.fileName;
          const oldImportFromDirectory = getDirectoryPath(oldImportFromPath);
          const importingSourceFileMoved = newFromOld !== void 0 || oldFromNew !== void 0;
          updateImportsWorker(sourceFile, changeTracker, (referenceText) => {
            if (!pathIsRelative(referenceText)) return void 0;
            const oldAbsolute = combinePathsSafe(oldImportFromDirectory, referenceText);
            const newAbsolute = oldToNew(oldAbsolute);
            return newAbsolute === void 0 ? void 0 : ensurePathIsNonModuleName(getRelativePathFromDirectory(newImportFromDirectory, newAbsolute, getCanonicalFileName));
          }, (importLiteral) => {
            const importedModuleSymbol = program.getTypeChecker().getSymbolAtLocation(importLiteral);
            if ((importedModuleSymbol == null ? void 0 : importedModuleSymbol.declarations) && importedModuleSymbol.declarations.some((d) => isAmbientModule(d))) return void 0;
            const toImport = oldFromNew !== void 0 ? getSourceFileToImportFromResolved(importLiteral, resolveModuleName(importLiteral.text, oldImportFromPath, program.getCompilerOptions(), host), oldToNew, allFiles) : getSourceFileToImport(importedModuleSymbol, importLiteral, sourceFile, program, host, oldToNew);
            return toImport !== void 0 && (toImport.updated || importingSourceFileMoved && pathIsRelative(importLiteral.text)) ? ts_moduleSpecifiers_exports.updateModuleSpecifier(program.getCompilerOptions(), sourceFile, newImportFromPath, toImport.newFileName, createModuleSpecifierResolutionHost(program, host), importLiteral.text) : void 0;
          });
        }
      }
      function combineNormal(pathA, pathB) {
        return normalizePath(combinePaths(pathA, pathB));
      }
      function combinePathsSafe(pathA, pathB) {
        return ensurePathIsNonModuleName(combineNormal(pathA, pathB));
      }
      function getSourceFileToImport(importedModuleSymbol, importLiteral, importingSourceFile, program, host, oldToNew) {
        if (importedModuleSymbol) {
          const oldFileName = find(importedModuleSymbol.declarations, isSourceFile).fileName;
          const newFileName = oldToNew(oldFileName);
          return newFileName === void 0 ? { newFileName: oldFileName, updated: false } : { newFileName, updated: true };
        } else {
          const mode = program.getModeForUsageLocation(importingSourceFile, importLiteral);
          const resolved = host.resolveModuleNameLiterals || !host.resolveModuleNames ? program.getResolvedModuleFromModuleSpecifier(importLiteral, importingSourceFile) : host.getResolvedModuleWithFailedLookupLocationsFromCache && host.getResolvedModuleWithFailedLookupLocationsFromCache(importLiteral.text, importingSourceFile.fileName, mode);
          return getSourceFileToImportFromResolved(importLiteral, resolved, oldToNew, program.getSourceFiles());
        }
      }
      function getSourceFileToImportFromResolved(importLiteral, resolved, oldToNew, sourceFiles) {
        if (!resolved) return void 0;
        if (resolved.resolvedModule) {
          const result2 = tryChange(resolved.resolvedModule.resolvedFileName);
          if (result2) return result2;
        }
        const result = forEach(resolved.failedLookupLocations, tryChangeWithIgnoringPackageJsonExisting) || pathIsRelative(importLiteral.text) && forEach(resolved.failedLookupLocations, tryChangeWithIgnoringPackageJson);
        if (result) return result;
        return resolved.resolvedModule && { newFileName: resolved.resolvedModule.resolvedFileName, updated: false };
        function tryChangeWithIgnoringPackageJsonExisting(oldFileName) {
          const newFileName = oldToNew(oldFileName);
          return newFileName && find(sourceFiles, (src) => src.fileName === newFileName) ? tryChangeWithIgnoringPackageJson(oldFileName) : void 0;
        }
        function tryChangeWithIgnoringPackageJson(oldFileName) {
          return !endsWith(oldFileName, "/package.json") ? tryChange(oldFileName) : void 0;
        }
        function tryChange(oldFileName) {
          const newFileName = oldToNew(oldFileName);
          return newFileName && { newFileName, updated: true };
        }
      }
      function updateImportsWorker(sourceFile, changeTracker, updateRef, updateImport) {
        for (const ref of sourceFile.referencedFiles || emptyArray) {
          const updated = updateRef(ref.fileName);
          if (updated !== void 0 && updated !== sourceFile.text.slice(ref.pos, ref.end)) changeTracker.replaceRangeWithText(sourceFile, ref, updated);
        }
        for (const importStringLiteral of sourceFile.imports) {
          const updated = updateImport(importStringLiteral);
          if (updated !== void 0 && updated !== importStringLiteral.text) changeTracker.replaceRangeWithText(sourceFile, createStringRange(importStringLiteral, sourceFile), updated);
        }
      }
      function createStringRange(node, sourceFile) {
        return createRange(node.getStart(sourceFile) + 1, node.end - 1);
      }
      function forEachProperty(objectLiteral, cb) {
        if (!isObjectLiteralExpression(objectLiteral)) return;
        for (const property of objectLiteral.properties) {
          if (isPropertyAssignment(property) && isStringLiteral2(property.name)) {
            cb(property, property.name.text);
          }
        }
      }
      var PatternMatchKind = /* @__PURE__ */ ((PatternMatchKind2) => {
        PatternMatchKind2[PatternMatchKind2["exact"] = 0] = "exact";
        PatternMatchKind2[PatternMatchKind2["prefix"] = 1] = "prefix";
        PatternMatchKind2[PatternMatchKind2["substring"] = 2] = "substring";
        PatternMatchKind2[PatternMatchKind2["camelCase"] = 3] = "camelCase";
        return PatternMatchKind2;
      })(PatternMatchKind || {});
      function createPatternMatch(kind, isCaseSensitive) {
        return {
          kind,
          isCaseSensitive
        };
      }
      function createPatternMatcher(pattern) {
        const stringToWordSpans = /* @__PURE__ */ new Map();
        const dotSeparatedSegments = pattern.trim().split(".").map((p) => createSegment(p.trim()));
        if (dotSeparatedSegments.length === 1 && dotSeparatedSegments[0].totalTextChunk.text === "") {
          return {
            getMatchForLastSegmentOfPattern: () => createPatternMatch(
              2,
              /*isCaseSensitive*/
              true
            ),
            getFullMatch: () => createPatternMatch(
              2,
              /*isCaseSensitive*/
              true
            ),
            patternContainsDots: false
          };
        }
        if (dotSeparatedSegments.some((segment) => !segment.subWordTextChunks.length)) return void 0;
        return {
          getFullMatch: (containers, candidate) => getFullMatch(containers, candidate, dotSeparatedSegments, stringToWordSpans),
          getMatchForLastSegmentOfPattern: (candidate) => matchSegment(candidate, last(dotSeparatedSegments), stringToWordSpans),
          patternContainsDots: dotSeparatedSegments.length > 1
        };
      }
      function getFullMatch(candidateContainers, candidate, dotSeparatedSegments, stringToWordSpans) {
        const candidateMatch = matchSegment(candidate, last(dotSeparatedSegments), stringToWordSpans);
        if (!candidateMatch) {
          return void 0;
        }
        if (dotSeparatedSegments.length - 1 > candidateContainers.length) {
          return void 0;
        }
        let bestMatch;
        for (let i = dotSeparatedSegments.length - 2, j = candidateContainers.length - 1; i >= 0; i -= 1, j -= 1) {
          bestMatch = betterMatch(bestMatch, matchSegment(candidateContainers[j], dotSeparatedSegments[i], stringToWordSpans));
        }
        return bestMatch;
      }
      function getWordSpans(word, stringToWordSpans) {
        let spans = stringToWordSpans.get(word);
        if (!spans) {
          stringToWordSpans.set(word, spans = breakIntoWordSpans(word));
        }
        return spans;
      }
      function matchTextChunk(candidate, chunk, stringToWordSpans) {
        const index = indexOfIgnoringCase(candidate, chunk.textLowerCase);
        if (index === 0) {
          return createPatternMatch(
            chunk.text.length === candidate.length ? 0 : 1,
            /*isCaseSensitive:*/
            startsWith2(candidate, chunk.text)
          );
        }
        if (chunk.isLowerCase) {
          if (index === -1) return void 0;
          const wordSpans = getWordSpans(candidate, stringToWordSpans);
          for (const span of wordSpans) {
            if (partStartsWith(
              candidate,
              span,
              chunk.text,
              /*ignoreCase*/
              true
            )) {
              return createPatternMatch(
                2,
                /*isCaseSensitive:*/
                partStartsWith(
                  candidate,
                  span,
                  chunk.text,
                  /*ignoreCase*/
                  false
                )
              );
            }
          }
          if (chunk.text.length < candidate.length && isUpperCaseLetter(candidate.charCodeAt(index))) {
            return createPatternMatch(
              2,
              /*isCaseSensitive*/
              false
            );
          }
        } else {
          if (candidate.indexOf(chunk.text) > 0) {
            return createPatternMatch(
              2,
              /*isCaseSensitive*/
              true
            );
          }
          if (chunk.characterSpans.length > 0) {
            const candidateParts = getWordSpans(candidate, stringToWordSpans);
            const isCaseSensitive = tryCamelCaseMatch(
              candidate,
              candidateParts,
              chunk,
              /*ignoreCase*/
              false
            ) ? true : tryCamelCaseMatch(
              candidate,
              candidateParts,
              chunk,
              /*ignoreCase*/
              true
            ) ? false : void 0;
            if (isCaseSensitive !== void 0) {
              return createPatternMatch(3, isCaseSensitive);
            }
          }
        }
      }
      function matchSegment(candidate, segment, stringToWordSpans) {
        if (every2(
          segment.totalTextChunk.text,
          (ch) => ch !== 32 && ch !== 42
          /* asterisk */
        )) {
          const match = matchTextChunk(candidate, segment.totalTextChunk, stringToWordSpans);
          if (match) return match;
        }
        const subWordTextChunks = segment.subWordTextChunks;
        let bestMatch;
        for (const subWordTextChunk of subWordTextChunks) {
          bestMatch = betterMatch(bestMatch, matchTextChunk(candidate, subWordTextChunk, stringToWordSpans));
        }
        return bestMatch;
      }
      function betterMatch(a, b) {
        return min([a, b], compareMatches);
      }
      function compareMatches(a, b) {
        return a === void 0 ? 1 : b === void 0 ? -1 : compareValues(a.kind, b.kind) || compareBooleans(!a.isCaseSensitive, !b.isCaseSensitive);
      }
      function partStartsWith(candidate, candidateSpan, pattern, ignoreCase, patternSpan = { start: 0, length: pattern.length }) {
        return patternSpan.length <= candidateSpan.length && everyInRange(0, patternSpan.length, (i) => equalChars(pattern.charCodeAt(patternSpan.start + i), candidate.charCodeAt(candidateSpan.start + i), ignoreCase));
      }
      function equalChars(ch1, ch2, ignoreCase) {
        return ignoreCase ? toLowerCase2(ch1) === toLowerCase2(ch2) : ch1 === ch2;
      }
      function tryCamelCaseMatch(candidate, candidateParts, chunk, ignoreCase) {
        const chunkCharacterSpans = chunk.characterSpans;
        let currentCandidate = 0;
        let currentChunkSpan = 0;
        let firstMatch;
        let contiguous;
        while (true) {
          if (currentChunkSpan === chunkCharacterSpans.length) {
            return true;
          } else if (currentCandidate === candidateParts.length) {
            return false;
          }
          let candidatePart = candidateParts[currentCandidate];
          let gotOneMatchThisCandidate = false;
          for (; currentChunkSpan < chunkCharacterSpans.length; currentChunkSpan++) {
            const chunkCharacterSpan = chunkCharacterSpans[currentChunkSpan];
            if (gotOneMatchThisCandidate) {
              if (!isUpperCaseLetter(chunk.text.charCodeAt(chunkCharacterSpans[currentChunkSpan - 1].start)) || !isUpperCaseLetter(chunk.text.charCodeAt(chunkCharacterSpans[currentChunkSpan].start))) {
                break;
              }
            }
            if (!partStartsWith(candidate, candidatePart, chunk.text, ignoreCase, chunkCharacterSpan)) {
              break;
            }
            gotOneMatchThisCandidate = true;
            firstMatch = firstMatch === void 0 ? currentCandidate : firstMatch;
            contiguous = contiguous === void 0 ? true : contiguous;
            candidatePart = createTextSpan(candidatePart.start + chunkCharacterSpan.length, candidatePart.length - chunkCharacterSpan.length);
          }
          if (!gotOneMatchThisCandidate && contiguous !== void 0) {
            contiguous = false;
          }
          currentCandidate++;
        }
      }
      function createSegment(text) {
        return {
          totalTextChunk: createTextChunk(text),
          subWordTextChunks: breakPatternIntoTextChunks(text)
        };
      }
      function isUpperCaseLetter(ch) {
        if (ch >= 65 && ch <= 90) {
          return true;
        }
        if (ch < 127 || !isUnicodeIdentifierStart(
          ch,
          99
          /* Latest */
        )) {
          return false;
        }
        const str = String.fromCharCode(ch);
        return str === str.toUpperCase();
      }
      function isLowerCaseLetter(ch) {
        if (ch >= 97 && ch <= 122) {
          return true;
        }
        if (ch < 127 || !isUnicodeIdentifierStart(
          ch,
          99
          /* Latest */
        )) {
          return false;
        }
        const str = String.fromCharCode(ch);
        return str === str.toLowerCase();
      }
      function indexOfIgnoringCase(str, value) {
        const n = str.length - value.length;
        for (let start = 0; start <= n; start++) {
          if (every2(value, (valueChar, i) => toLowerCase2(str.charCodeAt(i + start)) === valueChar)) {
            return start;
          }
        }
        return -1;
      }
      function toLowerCase2(ch) {
        if (ch >= 65 && ch <= 90) {
          return 97 + (ch - 65);
        }
        if (ch < 127) {
          return ch;
        }
        return String.fromCharCode(ch).toLowerCase().charCodeAt(0);
      }
      function isDigit2(ch) {
        return ch >= 48 && ch <= 57;
      }
      function isWordChar(ch) {
        return isUpperCaseLetter(ch) || isLowerCaseLetter(ch) || isDigit2(ch) || ch === 95 || ch === 36;
      }
      function breakPatternIntoTextChunks(pattern) {
        const result = [];
        let wordStart = 0;
        let wordLength = 0;
        for (let i = 0; i < pattern.length; i++) {
          const ch = pattern.charCodeAt(i);
          if (isWordChar(ch)) {
            if (wordLength === 0) {
              wordStart = i;
            }
            wordLength++;
          } else {
            if (wordLength > 0) {
              result.push(createTextChunk(pattern.substr(wordStart, wordLength)));
              wordLength = 0;
            }
          }
        }
        if (wordLength > 0) {
          result.push(createTextChunk(pattern.substr(wordStart, wordLength)));
        }
        return result;
      }
      function createTextChunk(text) {
        const textLowerCase = text.toLowerCase();
        return {
          text,
          textLowerCase,
          isLowerCase: text === textLowerCase,
          characterSpans: breakIntoCharacterSpans(text)
        };
      }
      function breakIntoCharacterSpans(identifier) {
        return breakIntoSpans(
          identifier,
          /*word*/
          false
        );
      }
      function breakIntoWordSpans(identifier) {
        return breakIntoSpans(
          identifier,
          /*word*/
          true
        );
      }
      function breakIntoSpans(identifier, word) {
        const result = [];
        let wordStart = 0;
        for (let i = 1; i < identifier.length; i++) {
          const lastIsDigit = isDigit2(identifier.charCodeAt(i - 1));
          const currentIsDigit = isDigit2(identifier.charCodeAt(i));
          const hasTransitionFromLowerToUpper = transitionFromLowerToUpper(identifier, word, i);
          const hasTransitionFromUpperToLower = word && transitionFromUpperToLower(identifier, i, wordStart);
          if (charIsPunctuation(identifier.charCodeAt(i - 1)) || charIsPunctuation(identifier.charCodeAt(i)) || lastIsDigit !== currentIsDigit || hasTransitionFromLowerToUpper || hasTransitionFromUpperToLower) {
            if (!isAllPunctuation(identifier, wordStart, i)) {
              result.push(createTextSpan(wordStart, i - wordStart));
            }
            wordStart = i;
          }
        }
        if (!isAllPunctuation(identifier, wordStart, identifier.length)) {
          result.push(createTextSpan(wordStart, identifier.length - wordStart));
        }
        return result;
      }
      function charIsPunctuation(ch) {
        switch (ch) {
          case 33:
          case 34:
          case 35:
          case 37:
          case 38:
          case 39:
          case 40:
          case 41:
          case 42:
          case 44:
          case 45:
          case 46:
          case 47:
          case 58:
          case 59:
          case 63:
          case 64:
          case 91:
          case 92:
          case 93:
          case 95:
          case 123:
          case 125:
            return true;
        }
        return false;
      }
      function isAllPunctuation(identifier, start, end) {
        return every2(identifier, (ch) => charIsPunctuation(ch) && ch !== 95, start, end);
      }
      function transitionFromUpperToLower(identifier, index, wordStart) {
        return index !== wordStart && index + 1 < identifier.length && isUpperCaseLetter(identifier.charCodeAt(index)) && isLowerCaseLetter(identifier.charCodeAt(index + 1)) && every2(identifier, isUpperCaseLetter, wordStart, index);
      }
      function transitionFromLowerToUpper(identifier, word, index) {
        const lastIsUpper = isUpperCaseLetter(identifier.charCodeAt(index - 1));
        const currentIsUpper = isUpperCaseLetter(identifier.charCodeAt(index));
        return currentIsUpper && (!word || !lastIsUpper);
      }
      function everyInRange(start, end, pred) {
        for (let i = start; i < end; i++) {
          if (!pred(i)) {
            return false;
          }
        }
        return true;
      }
      function every2(s, pred, start = 0, end = s.length) {
        return everyInRange(start, end, (i) => pred(s.charCodeAt(i), i));
      }
      function preProcessFile(sourceText, readImportFiles = true, detectJavaScriptImports = false) {
        const pragmaContext = {
          languageVersion: 1,
          // controls whether the token scanner considers unicode identifiers or not - shouldn't matter, since we're only using it for trivia
          pragmas: void 0,
          checkJsDirective: void 0,
          referencedFiles: [],
          typeReferenceDirectives: [],
          libReferenceDirectives: [],
          amdDependencies: [],
          hasNoDefaultLib: void 0,
          moduleName: void 0
        };
        const importedFiles = [];
        let ambientExternalModules;
        let lastToken;
        let currentToken;
        let braceNesting = 0;
        let externalModule = false;
        function nextToken() {
          lastToken = currentToken;
          currentToken = scanner.scan();
          if (currentToken === 19) {
            braceNesting++;
          } else if (currentToken === 20) {
            braceNesting--;
          }
          return currentToken;
        }
        function getFileReference() {
          const fileName = scanner.getTokenValue();
          const pos = scanner.getTokenStart();
          return { fileName, pos, end: pos + fileName.length };
        }
        function recordAmbientExternalModule() {
          if (!ambientExternalModules) {
            ambientExternalModules = [];
          }
          ambientExternalModules.push({ ref: getFileReference(), depth: braceNesting });
        }
        function recordModuleName() {
          importedFiles.push(getFileReference());
          markAsExternalModuleIfTopLevel();
        }
        function markAsExternalModuleIfTopLevel() {
          if (braceNesting === 0) {
            externalModule = true;
          }
        }
        function tryConsumeDeclare() {
          let token = scanner.getToken();
          if (token === 138) {
            token = nextToken();
            if (token === 144) {
              token = nextToken();
              if (token === 11) {
                recordAmbientExternalModule();
              }
            }
            return true;
          }
          return false;
        }
        function tryConsumeImport() {
          if (lastToken === 25) {
            return false;
          }
          let token = scanner.getToken();
          if (token === 102) {
            token = nextToken();
            if (token === 21) {
              token = nextToken();
              if (token === 11 || token === 15) {
                recordModuleName();
                return true;
              }
            } else if (token === 11) {
              recordModuleName();
              return true;
            } else {
              if (token === 156) {
                const skipTypeKeyword = scanner.lookAhead(() => {
                  const token2 = scanner.scan();
                  return token2 !== 161 && (token2 === 42 || token2 === 19 || token2 === 80 || isKeyword2(token2));
                });
                if (skipTypeKeyword) {
                  token = nextToken();
                }
              }
              if (token === 80 || isKeyword2(token)) {
                token = nextToken();
                if (token === 161) {
                  token = nextToken();
                  if (token === 11) {
                    recordModuleName();
                    return true;
                  }
                } else if (token === 64) {
                  if (tryConsumeRequireCall(
                    /*skipCurrentToken*/
                    true
                  )) {
                    return true;
                  }
                } else if (token === 28) {
                  token = nextToken();
                } else {
                  return true;
                }
              }
              if (token === 19) {
                token = nextToken();
                while (token !== 20 && token !== 1) {
                  token = nextToken();
                }
                if (token === 20) {
                  token = nextToken();
                  if (token === 161) {
                    token = nextToken();
                    if (token === 11) {
                      recordModuleName();
                    }
                  }
                }
              } else if (token === 42) {
                token = nextToken();
                if (token === 130) {
                  token = nextToken();
                  if (token === 80 || isKeyword2(token)) {
                    token = nextToken();
                    if (token === 161) {
                      token = nextToken();
                      if (token === 11) {
                        recordModuleName();
                      }
                    }
                  }
                }
              }
            }
            return true;
          }
          return false;
        }
        function tryConsumeExport() {
          let token = scanner.getToken();
          if (token === 95) {
            markAsExternalModuleIfTopLevel();
            token = nextToken();
            if (token === 156) {
              const skipTypeKeyword = scanner.lookAhead(() => {
                const token2 = scanner.scan();
                return token2 === 42 || token2 === 19;
              });
              if (skipTypeKeyword) {
                token = nextToken();
              }
            }
            if (token === 19) {
              token = nextToken();
              while (token !== 20 && token !== 1) {
                token = nextToken();
              }
              if (token === 20) {
                token = nextToken();
                if (token === 161) {
                  token = nextToken();
                  if (token === 11) {
                    recordModuleName();
                  }
                }
              }
            } else if (token === 42) {
              token = nextToken();
              if (token === 161) {
                token = nextToken();
                if (token === 11) {
                  recordModuleName();
                }
              }
            } else if (token === 102) {
              token = nextToken();
              if (token === 156) {
                const skipTypeKeyword = scanner.lookAhead(() => {
                  const token2 = scanner.scan();
                  return token2 === 80 || isKeyword2(token2);
                });
                if (skipTypeKeyword) {
                  token = nextToken();
                }
              }
              if (token === 80 || isKeyword2(token)) {
                token = nextToken();
                if (token === 64) {
                  if (tryConsumeRequireCall(
                    /*skipCurrentToken*/
                    true
                  )) {
                    return true;
                  }
                }
              }
            }
            return true;
          }
          return false;
        }
        function tryConsumeRequireCall(skipCurrentToken, allowTemplateLiterals = false) {
          let token = skipCurrentToken ? nextToken() : scanner.getToken();
          if (token === 149) {
            token = nextToken();
            if (token === 21) {
              token = nextToken();
              if (token === 11 || allowTemplateLiterals && token === 15) {
                recordModuleName();
              }
            }
            return true;
          }
          return false;
        }
        function tryConsumeDefine() {
          let token = scanner.getToken();
          if (token === 80 && scanner.getTokenValue() === "define") {
            token = nextToken();
            if (token !== 21) {
              return true;
            }
            token = nextToken();
            if (token === 11 || token === 15) {
              token = nextToken();
              if (token === 28) {
                token = nextToken();
              } else {
                return true;
              }
            }
            if (token !== 23) {
              return true;
            }
            token = nextToken();
            while (token !== 24 && token !== 1) {
              if (token === 11 || token === 15) {
                recordModuleName();
              }
              token = nextToken();
            }
            return true;
          }
          return false;
        }
        function processImports() {
          scanner.setText(sourceText);
          nextToken();
          while (true) {
            if (scanner.getToken() === 1) {
              break;
            }
            if (scanner.getToken() === 16) {
              const stack = [scanner.getToken()];
              loop:
                while (length(stack)) {
                  const token = scanner.scan();
                  switch (token) {
                    case 1:
                      break loop;
                    case 102:
                      tryConsumeImport();
                      break;
                    case 16:
                      stack.push(token);
                      break;
                    case 19:
                      if (length(stack)) {
                        stack.push(token);
                      }
                      break;
                    case 20:
                      if (length(stack)) {
                        if (lastOrUndefined(stack) === 16) {
                          if (scanner.reScanTemplateToken(
                            /*isTaggedTemplate*/
                            false
                          ) === 18) {
                            stack.pop();
                          }
                        } else {
                          stack.pop();
                        }
                      }
                      break;
                  }
                }
              nextToken();
            }
            if (tryConsumeDeclare() || tryConsumeImport() || tryConsumeExport() || detectJavaScriptImports && (tryConsumeRequireCall(
              /*skipCurrentToken*/
              false,
              /*allowTemplateLiterals*/
              true
            ) || tryConsumeDefine())) {
              continue;
            } else {
              nextToken();
            }
          }
          scanner.setText(void 0);
        }
        if (readImportFiles) {
          processImports();
        }
        processCommentPragmas(pragmaContext, sourceText);
        processPragmasIntoFields(pragmaContext, noop2);
        if (externalModule) {
          if (ambientExternalModules) {
            for (const decl of ambientExternalModules) {
              importedFiles.push(decl.ref);
            }
          }
          return { referencedFiles: pragmaContext.referencedFiles, typeReferenceDirectives: pragmaContext.typeReferenceDirectives, libReferenceDirectives: pragmaContext.libReferenceDirectives, importedFiles, isLibFile: !!pragmaContext.hasNoDefaultLib, ambientExternalModules: void 0 };
        } else {
          let ambientModuleNames;
          if (ambientExternalModules) {
            for (const decl of ambientExternalModules) {
              if (decl.depth === 0) {
                if (!ambientModuleNames) {
                  ambientModuleNames = [];
                }
                ambientModuleNames.push(decl.ref.fileName);
              } else {
                importedFiles.push(decl.ref);
              }
            }
          }
          return { referencedFiles: pragmaContext.referencedFiles, typeReferenceDirectives: pragmaContext.typeReferenceDirectives, libReferenceDirectives: pragmaContext.libReferenceDirectives, importedFiles, isLibFile: !!pragmaContext.hasNoDefaultLib, ambientExternalModules: ambientModuleNames };
        }
      }
      var base64UrlRegExp = /^data:(?:application\/json(?:;charset=[uU][tT][fF]-8);base64,([A-Za-z0-9+/=]+)$)?/;
      function getSourceMapper(host) {
        const getCanonicalFileName = createGetCanonicalFileName(host.useCaseSensitiveFileNames());
        const currentDirectory = host.getCurrentDirectory();
        const sourceFileLike = /* @__PURE__ */ new Map();
        const documentPositionMappers = /* @__PURE__ */ new Map();
        return {
          tryGetSourcePosition,
          tryGetGeneratedPosition,
          toLineColumnOffset,
          clearCache,
          documentPositionMappers
        };
        function toPath32(fileName) {
          return toPath3(fileName, currentDirectory, getCanonicalFileName);
        }
        function getDocumentPositionMapper2(generatedFileName, sourceFileName) {
          const path17 = toPath32(generatedFileName);
          const value = documentPositionMappers.get(path17);
          if (value) return value;
          let mapper;
          if (host.getDocumentPositionMapper) {
            mapper = host.getDocumentPositionMapper(generatedFileName, sourceFileName);
          } else if (host.readFile) {
            const file = getSourceFileLike(generatedFileName);
            mapper = file && getDocumentPositionMapper(
              { getSourceFileLike, getCanonicalFileName, log: (s) => host.log(s) },
              generatedFileName,
              getLineInfo(file.text, getLineStarts(file)),
              (f) => !host.fileExists || host.fileExists(f) ? host.readFile(f) : void 0
            );
          }
          documentPositionMappers.set(path17, mapper || identitySourceMapConsumer);
          return mapper || identitySourceMapConsumer;
        }
        function tryGetSourcePosition(info) {
          if (!isDeclarationFileName(info.fileName)) return void 0;
          const file = getSourceFile(info.fileName);
          if (!file) return void 0;
          const newLoc = getDocumentPositionMapper2(info.fileName).getSourcePosition(info);
          return !newLoc || newLoc === info ? void 0 : tryGetSourcePosition(newLoc) || newLoc;
        }
        function tryGetGeneratedPosition(info) {
          if (isDeclarationFileName(info.fileName)) return void 0;
          const sourceFile = getSourceFile(info.fileName);
          if (!sourceFile) return void 0;
          const program = host.getProgram();
          if (program.isSourceOfProjectReferenceRedirect(sourceFile.fileName)) {
            return void 0;
          }
          const options = program.getCompilerOptions();
          const outPath = options.outFile;
          const declarationPath = outPath ? removeFileExtension(outPath) + ".d.ts" : getDeclarationEmitOutputFilePathWorker(info.fileName, program.getCompilerOptions(), program);
          if (declarationPath === void 0) return void 0;
          const newLoc = getDocumentPositionMapper2(declarationPath, info.fileName).getGeneratedPosition(info);
          return newLoc === info ? void 0 : newLoc;
        }
        function getSourceFile(fileName) {
          const program = host.getProgram();
          if (!program) return void 0;
          const path17 = toPath32(fileName);
          const file = program.getSourceFileByPath(path17);
          return file && file.resolvedPath === path17 ? file : void 0;
        }
        function getOrCreateSourceFileLike(fileName) {
          const path17 = toPath32(fileName);
          const fileFromCache = sourceFileLike.get(path17);
          if (fileFromCache !== void 0) return fileFromCache ? fileFromCache : void 0;
          if (!host.readFile || host.fileExists && !host.fileExists(fileName)) {
            sourceFileLike.set(path17, false);
            return void 0;
          }
          const text = host.readFile(fileName);
          const file = text ? createSourceFileLike(text) : false;
          sourceFileLike.set(path17, file);
          return file ? file : void 0;
        }
        function getSourceFileLike(fileName) {
          return !host.getSourceFileLike ? getSourceFile(fileName) || getOrCreateSourceFileLike(fileName) : host.getSourceFileLike(fileName);
        }
        function toLineColumnOffset(fileName, position) {
          const file = getSourceFileLike(fileName);
          return file.getLineAndCharacterOfPosition(position);
        }
        function clearCache() {
          sourceFileLike.clear();
          documentPositionMappers.clear();
        }
      }
      function getDocumentPositionMapper(host, generatedFileName, generatedFileLineInfo, readMapFile) {
        let mapFileName = tryGetSourceMappingURL(generatedFileLineInfo);
        if (mapFileName) {
          const match = base64UrlRegExp.exec(mapFileName);
          if (match) {
            if (match[1]) {
              const base64Object = match[1];
              return convertDocumentToSourceMapper(host, base64decode(sys, base64Object), generatedFileName);
            }
            mapFileName = void 0;
          }
        }
        const possibleMapLocations = [];
        if (mapFileName) {
          possibleMapLocations.push(mapFileName);
        }
        possibleMapLocations.push(generatedFileName + ".map");
        const originalMapFileName = mapFileName && getNormalizedAbsolutePath(mapFileName, getDirectoryPath(generatedFileName));
        for (const location of possibleMapLocations) {
          const mapFileName2 = getNormalizedAbsolutePath(location, getDirectoryPath(generatedFileName));
          const mapFileContents = readMapFile(mapFileName2, originalMapFileName);
          if (isString2(mapFileContents)) {
            return convertDocumentToSourceMapper(host, mapFileContents, mapFileName2);
          }
          if (mapFileContents !== void 0) {
            return mapFileContents || void 0;
          }
        }
        return void 0;
      }
      function convertDocumentToSourceMapper(host, contents, mapFileName) {
        const map2 = tryParseRawSourceMap(contents);
        if (!map2 || !map2.sources || !map2.file || !map2.mappings) {
          return void 0;
        }
        if (map2.sourcesContent && map2.sourcesContent.some(isString2)) return void 0;
        return createDocumentPositionMapper(host, map2, mapFileName);
      }
      function createSourceFileLike(text, lineMap) {
        return {
          text,
          lineMap,
          getLineAndCharacterOfPosition(pos) {
            return computeLineAndCharacterOfPosition(getLineStarts(this), pos);
          }
        };
      }
      var visitedNestedConvertibleFunctions = /* @__PURE__ */ new Map();
      function computeSuggestionDiagnostics(sourceFile, program, cancellationToken) {
        var _a;
        program.getSemanticDiagnostics(sourceFile, cancellationToken);
        const diags = [];
        const checker = program.getTypeChecker();
        const isCommonJSFile = sourceFile.impliedNodeFormat === 1 || fileExtensionIsOneOf(sourceFile.fileName, [
          ".cts",
          ".cjs"
          /* Cjs */
        ]);
        if (!isCommonJSFile && sourceFile.commonJsModuleIndicator && (programContainsEsModules(program) || compilerOptionsIndicateEsModules(program.getCompilerOptions())) && containsTopLevelCommonjs(sourceFile)) {
          diags.push(createDiagnosticForNode(getErrorNodeFromCommonJsIndicator(sourceFile.commonJsModuleIndicator), Diagnostics.File_is_a_CommonJS_module_it_may_be_converted_to_an_ES_module));
        }
        const isJsFile = isSourceFileJS(sourceFile);
        visitedNestedConvertibleFunctions.clear();
        check(sourceFile);
        if (getAllowSyntheticDefaultImports(program.getCompilerOptions())) {
          for (const moduleSpecifier of sourceFile.imports) {
            const importNode = importFromModuleSpecifier(moduleSpecifier);
            const name = importNameForConvertToDefaultImport(importNode);
            if (!name) continue;
            const module22 = (_a = program.getResolvedModuleFromModuleSpecifier(moduleSpecifier, sourceFile)) == null ? void 0 : _a.resolvedModule;
            const resolvedFile = module22 && program.getSourceFile(module22.resolvedFileName);
            if (resolvedFile && resolvedFile.externalModuleIndicator && resolvedFile.externalModuleIndicator !== true && isExportAssignment(resolvedFile.externalModuleIndicator) && resolvedFile.externalModuleIndicator.isExportEquals) {
              diags.push(createDiagnosticForNode(name, Diagnostics.Import_may_be_converted_to_a_default_import));
            }
          }
        }
        addRange(diags, sourceFile.bindSuggestionDiagnostics);
        addRange(diags, program.getSuggestionDiagnostics(sourceFile, cancellationToken));
        return diags.sort((d1, d2) => d1.start - d2.start);
        function check(node) {
          if (isJsFile) {
            if (canBeConvertedToClass(node, checker)) {
              diags.push(createDiagnosticForNode(isVariableDeclaration(node.parent) ? node.parent.name : node, Diagnostics.This_constructor_function_may_be_converted_to_a_class_declaration));
            }
          } else {
            if (isVariableStatement(node) && node.parent === sourceFile && node.declarationList.flags & 2 && node.declarationList.declarations.length === 1) {
              const init = node.declarationList.declarations[0].initializer;
              if (init && isRequireCall(
                init,
                /*requireStringLiteralLikeArgument*/
                true
              )) {
                diags.push(createDiagnosticForNode(init, Diagnostics.require_call_may_be_converted_to_an_import));
              }
            }
            const jsdocTypedefNodes = ts_codefix_exports.getJSDocTypedefNodes(node);
            for (const jsdocTypedefNode of jsdocTypedefNodes) {
              diags.push(createDiagnosticForNode(jsdocTypedefNode, Diagnostics.JSDoc_typedef_may_be_converted_to_TypeScript_type));
            }
            if (ts_codefix_exports.parameterShouldGetTypeFromJSDoc(node)) {
              diags.push(createDiagnosticForNode(node.name || node, Diagnostics.JSDoc_types_may_be_moved_to_TypeScript_types));
            }
          }
          if (canBeConvertedToAsync(node)) {
            addConvertToAsyncFunctionDiagnostics(node, checker, diags);
          }
          node.forEachChild(check);
        }
      }
      function containsTopLevelCommonjs(sourceFile) {
        return sourceFile.statements.some((statement) => {
          switch (statement.kind) {
            case 243:
              return statement.declarationList.declarations.some((decl) => !!decl.initializer && isRequireCall(
                propertyAccessLeftHandSide(decl.initializer),
                /*requireStringLiteralLikeArgument*/
                true
              ));
            case 244: {
              const { expression } = statement;
              if (!isBinaryExpression(expression)) return isRequireCall(
                expression,
                /*requireStringLiteralLikeArgument*/
                true
              );
              const kind = getAssignmentDeclarationKind(expression);
              return kind === 1 || kind === 2;
            }
            default:
              return false;
          }
        });
      }
      function propertyAccessLeftHandSide(node) {
        return isPropertyAccessExpression(node) ? propertyAccessLeftHandSide(node.expression) : node;
      }
      function importNameForConvertToDefaultImport(node) {
        switch (node.kind) {
          case 272:
            const { importClause, moduleSpecifier } = node;
            return importClause && !importClause.name && importClause.namedBindings && importClause.namedBindings.kind === 274 && isStringLiteral2(moduleSpecifier) ? importClause.namedBindings.name : void 0;
          case 271:
            return node.name;
          default:
            return void 0;
        }
      }
      function addConvertToAsyncFunctionDiagnostics(node, checker, diags) {
        if (isConvertibleFunction(node, checker) && !visitedNestedConvertibleFunctions.has(getKeyFromNode(node))) {
          diags.push(createDiagnosticForNode(
            !node.name && isVariableDeclaration(node.parent) && isIdentifier(node.parent.name) ? node.parent.name : node,
            Diagnostics.This_may_be_converted_to_an_async_function
          ));
        }
      }
      function isConvertibleFunction(node, checker) {
        return !isAsyncFunction(node) && node.body && isBlock(node.body) && hasReturnStatementWithPromiseHandler(node.body, checker) && returnsPromise(node, checker);
      }
      function returnsPromise(node, checker) {
        const signature = checker.getSignatureFromDeclaration(node);
        const returnType = signature ? checker.getReturnTypeOfSignature(signature) : void 0;
        return !!returnType && !!checker.getPromisedTypeOfPromise(returnType);
      }
      function getErrorNodeFromCommonJsIndicator(commonJsModuleIndicator) {
        return isBinaryExpression(commonJsModuleIndicator) ? commonJsModuleIndicator.left : commonJsModuleIndicator;
      }
      function hasReturnStatementWithPromiseHandler(body, checker) {
        return !!forEachReturnStatement(body, (statement) => isReturnStatementWithFixablePromiseHandler(statement, checker));
      }
      function isReturnStatementWithFixablePromiseHandler(node, checker) {
        return isReturnStatement(node) && !!node.expression && isFixablePromiseHandler(node.expression, checker);
      }
      function isFixablePromiseHandler(node, checker) {
        if (!isPromiseHandler(node) || !hasSupportedNumberOfArguments(node) || !node.arguments.every((arg) => isFixablePromiseArgument(arg, checker))) {
          return false;
        }
        let currentNode = node.expression.expression;
        while (isPromiseHandler(currentNode) || isPropertyAccessExpression(currentNode)) {
          if (isCallExpression2(currentNode)) {
            if (!hasSupportedNumberOfArguments(currentNode) || !currentNode.arguments.every((arg) => isFixablePromiseArgument(arg, checker))) {
              return false;
            }
            currentNode = currentNode.expression.expression;
          } else {
            currentNode = currentNode.expression;
          }
        }
        return true;
      }
      function isPromiseHandler(node) {
        return isCallExpression2(node) && (hasPropertyAccessExpressionWithName(node, "then") || hasPropertyAccessExpressionWithName(node, "catch") || hasPropertyAccessExpressionWithName(node, "finally"));
      }
      function hasSupportedNumberOfArguments(node) {
        const name = node.expression.name.text;
        const maxArguments = name === "then" ? 2 : name === "catch" ? 1 : name === "finally" ? 1 : 0;
        if (node.arguments.length > maxArguments) return false;
        if (node.arguments.length < maxArguments) return true;
        return maxArguments === 1 || some(node.arguments, (arg) => {
          return arg.kind === 106 || isIdentifier(arg) && arg.text === "undefined";
        });
      }
      function isFixablePromiseArgument(arg, checker) {
        switch (arg.kind) {
          case 262:
          case 218:
            const functionFlags = getFunctionFlags(arg);
            if (functionFlags & 1) {
              return false;
            }
          case 219:
            visitedNestedConvertibleFunctions.set(getKeyFromNode(arg), true);
          case 106:
            return true;
          case 80:
          case 211: {
            const symbol = checker.getSymbolAtLocation(arg);
            if (!symbol) {
              return false;
            }
            return checker.isUndefinedSymbol(symbol) || some(skipAlias(symbol, checker).declarations, (d) => isFunctionLike(d) || hasInitializer(d) && !!d.initializer && isFunctionLike(d.initializer));
          }
          default:
            return false;
        }
      }
      function getKeyFromNode(exp) {
        return `${exp.pos.toString()}:${exp.end.toString()}`;
      }
      function canBeConvertedToClass(node, checker) {
        var _a, _b, _c, _d;
        if (isFunctionExpression(node)) {
          if (isVariableDeclaration(node.parent) && ((_a = node.symbol.members) == null ? void 0 : _a.size)) {
            return true;
          }
          const symbol = checker.getSymbolOfExpando(
            node,
            /*allowDeclaration*/
            false
          );
          return !!(symbol && (((_b = symbol.exports) == null ? void 0 : _b.size) || ((_c = symbol.members) == null ? void 0 : _c.size)));
        }
        if (isFunctionDeclaration(node)) {
          return !!((_d = node.symbol.members) == null ? void 0 : _d.size);
        }
        return false;
      }
      function canBeConvertedToAsync(node) {
        switch (node.kind) {
          case 262:
          case 174:
          case 218:
          case 219:
            return true;
          default:
            return false;
        }
      }
      var optionsRedundantWithVerbatimModuleSyntax = /* @__PURE__ */ new Set([
        "isolatedModules"
      ]);
      function transpileModule(input, transpileOptions) {
        return transpileWorker(
          input,
          transpileOptions,
          /*declaration*/
          false
        );
      }
      function transpileDeclaration(input, transpileOptions) {
        return transpileWorker(
          input,
          transpileOptions,
          /*declaration*/
          true
        );
      }
      var barebonesLibContent = `/// 
interface Boolean {}
interface Function {}
interface CallableFunction {}
interface NewableFunction {}
interface IArguments {}
interface Number {}
interface Object {}
interface RegExp {}
interface String {}
interface Array { length: number; [n: number]: T; }
interface SymbolConstructor {
    (desc?: string | number): symbol;
    for(name: string): symbol;
    readonly toStringTag: symbol;
}
declare var Symbol: SymbolConstructor;
interface Symbol {
    readonly [Symbol.toStringTag]: string;
}`;
      var barebonesLibName = "lib.d.ts";
      var barebonesLibSourceFile;
      function transpileWorker(input, transpileOptions, declaration) {
        barebonesLibSourceFile ?? (barebonesLibSourceFile = createSourceFile(barebonesLibName, barebonesLibContent, {
          languageVersion: 99
          /* Latest */
        }));
        const diagnostics = [];
        const options = transpileOptions.compilerOptions ? fixupCompilerOptions(transpileOptions.compilerOptions, diagnostics) : {};
        const defaultOptions2 = getDefaultCompilerOptions2();
        for (const key in defaultOptions2) {
          if (hasProperty(defaultOptions2, key) && options[key] === void 0) {
            options[key] = defaultOptions2[key];
          }
        }
        for (const option of transpileOptionValueCompilerOptions) {
          if (options.verbatimModuleSyntax && optionsRedundantWithVerbatimModuleSyntax.has(option.name)) {
            continue;
          }
          options[option.name] = option.transpileOptionValue;
        }
        options.suppressOutputPathCheck = true;
        options.allowNonTsExtensions = true;
        if (declaration) {
          options.declaration = true;
          options.emitDeclarationOnly = true;
          options.isolatedDeclarations = true;
        } else {
          options.declaration = false;
        }
        const newLine = getNewLineCharacter(options);
        const compilerHost = {
          getSourceFile: (fileName) => fileName === normalizePath(inputFileName) ? sourceFile : fileName === normalizePath(barebonesLibName) ? barebonesLibSourceFile : void 0,
          writeFile: (name, text) => {
            if (fileExtensionIs(name, ".map")) {
              Debug.assertEqual(sourceMapText, void 0, "Unexpected multiple source map outputs, file:", name);
              sourceMapText = text;
            } else {
              Debug.assertEqual(outputText, void 0, "Unexpected multiple outputs, file:", name);
              outputText = text;
            }
          },
          getDefaultLibFileName: () => barebonesLibName,
          useCaseSensitiveFileNames: () => false,
          getCanonicalFileName: (fileName) => fileName,
          getCurrentDirectory: () => "",
          getNewLine: () => newLine,
          fileExists: (fileName) => fileName === inputFileName || !!declaration && fileName === barebonesLibName,
          readFile: () => "",
          directoryExists: () => true,
          getDirectories: () => []
        };
        const inputFileName = transpileOptions.fileName || (transpileOptions.compilerOptions && transpileOptions.compilerOptions.jsx ? "module.tsx" : "module.ts");
        const sourceFile = createSourceFile(
          inputFileName,
          input,
          {
            languageVersion: getEmitScriptTarget(options),
            impliedNodeFormat: getImpliedNodeFormatForFile(
              toPath3(inputFileName, "", compilerHost.getCanonicalFileName),
              /*packageJsonInfoCache*/
              void 0,
              compilerHost,
              options
            ),
            setExternalModuleIndicator: getSetExternalModuleIndicator(options),
            jsDocParsingMode: transpileOptions.jsDocParsingMode ?? 0
            /* ParseAll */
          }
        );
        if (transpileOptions.moduleName) {
          sourceFile.moduleName = transpileOptions.moduleName;
        }
        if (transpileOptions.renamedDependencies) {
          sourceFile.renamedDependencies = new Map(Object.entries(transpileOptions.renamedDependencies));
        }
        let outputText;
        let sourceMapText;
        const inputs = declaration ? [inputFileName, barebonesLibName] : [inputFileName];
        const program = createProgram(inputs, options, compilerHost);
        if (transpileOptions.reportDiagnostics) {
          addRange(
            /*to*/
            diagnostics,
            /*from*/
            program.getSyntacticDiagnostics(sourceFile)
          );
          addRange(
            /*to*/
            diagnostics,
            /*from*/
            program.getOptionsDiagnostics()
          );
        }
        const result = program.emit(
          /*targetSourceFile*/
          void 0,
          /*writeFile*/
          void 0,
          /*cancellationToken*/
          void 0,
          /*emitOnlyDtsFiles*/
          declaration,
          transpileOptions.transformers,
          /*forceDtsEmit*/
          declaration
        );
        addRange(
          /*to*/
          diagnostics,
          /*from*/
          result.diagnostics
        );
        if (outputText === void 0) return Debug.fail("Output generation failed");
        return { outputText, diagnostics, sourceMapText };
      }
      function transpile(input, compilerOptions, fileName, diagnostics, moduleName) {
        const output = transpileModule(input, { compilerOptions, fileName, reportDiagnostics: !!diagnostics, moduleName });
        addRange(diagnostics, output.diagnostics);
        return output.outputText;
      }
      var commandLineOptionsStringToEnum;
      function fixupCompilerOptions(options, diagnostics) {
        commandLineOptionsStringToEnum = commandLineOptionsStringToEnum || filter(optionDeclarations, (o) => typeof o.type === "object" && !forEachEntry(o.type, (v) => typeof v !== "number"));
        options = cloneCompilerOptions(options);
        for (const opt of commandLineOptionsStringToEnum) {
          if (!hasProperty(options, opt.name)) {
            continue;
          }
          const value = options[opt.name];
          if (isString2(value)) {
            options[opt.name] = parseCustomTypeOption(opt, value, diagnostics);
          } else {
            if (!forEachEntry(opt.type, (v) => v === value)) {
              diagnostics.push(createCompilerDiagnosticForInvalidCustomType(opt));
            }
          }
        }
        return options;
      }
      var ts_NavigateTo_exports = {};
      __export2(ts_NavigateTo_exports, {
        getNavigateToItems: () => getNavigateToItems
      });
      function getNavigateToItems(sourceFiles, checker, cancellationToken, searchValue, maxResultCount, excludeDtsFiles, excludeLibFiles) {
        const patternMatcher = createPatternMatcher(searchValue);
        if (!patternMatcher) return emptyArray;
        const rawItems = [];
        const singleCurrentFile = sourceFiles.length === 1 ? sourceFiles[0] : void 0;
        for (const sourceFile of sourceFiles) {
          cancellationToken.throwIfCancellationRequested();
          if (excludeDtsFiles && sourceFile.isDeclarationFile) {
            continue;
          }
          if (shouldExcludeFile(sourceFile, !!excludeLibFiles, singleCurrentFile)) {
            continue;
          }
          sourceFile.getNamedDeclarations().forEach((declarations, name) => {
            getItemsFromNamedDeclaration(patternMatcher, name, declarations, checker, sourceFile.fileName, !!excludeLibFiles, singleCurrentFile, rawItems);
          });
        }
        rawItems.sort(compareNavigateToItems);
        return (maxResultCount === void 0 ? rawItems : rawItems.slice(0, maxResultCount)).map(createNavigateToItem);
      }
      function shouldExcludeFile(file, excludeLibFiles, singleCurrentFile) {
        return file !== singleCurrentFile && excludeLibFiles && (isInsideNodeModules(file.path) || file.hasNoDefaultLib);
      }
      function getItemsFromNamedDeclaration(patternMatcher, name, declarations, checker, fileName, excludeLibFiles, singleCurrentFile, rawItems) {
        const match = patternMatcher.getMatchForLastSegmentOfPattern(name);
        if (!match) {
          return;
        }
        for (const declaration of declarations) {
          if (!shouldKeepItem(declaration, checker, excludeLibFiles, singleCurrentFile)) continue;
          if (patternMatcher.patternContainsDots) {
            const fullMatch = patternMatcher.getFullMatch(getContainers(declaration), name);
            if (fullMatch) {
              rawItems.push({ name, fileName, matchKind: fullMatch.kind, isCaseSensitive: fullMatch.isCaseSensitive, declaration });
            }
          } else {
            rawItems.push({ name, fileName, matchKind: match.kind, isCaseSensitive: match.isCaseSensitive, declaration });
          }
        }
      }
      function shouldKeepItem(declaration, checker, excludeLibFiles, singleCurrentFile) {
        var _a;
        switch (declaration.kind) {
          case 273:
          case 276:
          case 271:
            const importer = checker.getSymbolAtLocation(declaration.name);
            const imported = checker.getAliasedSymbol(importer);
            return importer.escapedName !== imported.escapedName && !((_a = imported.declarations) == null ? void 0 : _a.every((d) => shouldExcludeFile(d.getSourceFile(), excludeLibFiles, singleCurrentFile)));
          default:
            return true;
        }
      }
      function tryAddSingleDeclarationName(declaration, containers) {
        const name = getNameOfDeclaration(declaration);
        return !!name && (pushLiteral(name, containers) || name.kind === 167 && tryAddComputedPropertyName(name.expression, containers));
      }
      function tryAddComputedPropertyName(expression, containers) {
        return pushLiteral(expression, containers) || isPropertyAccessExpression(expression) && (containers.push(expression.name.text), true) && tryAddComputedPropertyName(expression.expression, containers);
      }
      function pushLiteral(node, containers) {
        return isPropertyNameLiteral(node) && (containers.push(getTextOfIdentifierOrLiteral(node)), true);
      }
      function getContainers(declaration) {
        const containers = [];
        const name = getNameOfDeclaration(declaration);
        if (name && name.kind === 167 && !tryAddComputedPropertyName(name.expression, containers)) {
          return emptyArray;
        }
        containers.shift();
        let container = getContainerNode(declaration);
        while (container) {
          if (!tryAddSingleDeclarationName(container, containers)) {
            return emptyArray;
          }
          container = getContainerNode(container);
        }
        return containers.reverse();
      }
      function compareNavigateToItems(i1, i2) {
        return compareValues(i1.matchKind, i2.matchKind) || compareStringsCaseSensitiveUI(i1.name, i2.name);
      }
      function createNavigateToItem(rawItem) {
        const declaration = rawItem.declaration;
        const container = getContainerNode(declaration);
        const containerName = container && getNameOfDeclaration(container);
        return {
          name: rawItem.name,
          kind: getNodeKind(declaration),
          kindModifiers: getNodeModifiers(declaration),
          matchKind: PatternMatchKind[rawItem.matchKind],
          isCaseSensitive: rawItem.isCaseSensitive,
          fileName: rawItem.fileName,
          textSpan: createTextSpanFromNode(declaration),
          // TODO(jfreeman): What should be the containerName when the container has a computed name?
          containerName: containerName ? containerName.text : "",
          containerKind: containerName ? getNodeKind(container) : ""
          /* unknown */
        };
      }
      var ts_NavigationBar_exports = {};
      __export2(ts_NavigationBar_exports, {
        getNavigationBarItems: () => getNavigationBarItems,
        getNavigationTree: () => getNavigationTree
      });
      var whiteSpaceRegex = /\s+/g;
      var maxLength = 150;
      var curCancellationToken;
      var curSourceFile;
      var parentsStack = [];
      var parent;
      var trackedEs5ClassesStack = [];
      var trackedEs5Classes;
      var emptyChildItemArray = [];
      function getNavigationBarItems(sourceFile, cancellationToken) {
        curCancellationToken = cancellationToken;
        curSourceFile = sourceFile;
        try {
          return map(primaryNavBarMenuItems(rootNavigationBarNode(sourceFile)), convertToPrimaryNavBarMenuItem);
        } finally {
          reset();
        }
      }
      function getNavigationTree(sourceFile, cancellationToken) {
        curCancellationToken = cancellationToken;
        curSourceFile = sourceFile;
        try {
          return convertToTree(rootNavigationBarNode(sourceFile));
        } finally {
          reset();
        }
      }
      function reset() {
        curSourceFile = void 0;
        curCancellationToken = void 0;
        parentsStack = [];
        parent = void 0;
        emptyChildItemArray = [];
      }
      function nodeText(node) {
        return cleanText(node.getText(curSourceFile));
      }
      function navigationBarNodeKind(n) {
        return n.node.kind;
      }
      function pushChild(parent2, child) {
        if (parent2.children) {
          parent2.children.push(child);
        } else {
          parent2.children = [child];
        }
      }
      function rootNavigationBarNode(sourceFile) {
        Debug.assert(!parentsStack.length);
        const root2 = { node: sourceFile, name: void 0, additionalNodes: void 0, parent: void 0, children: void 0, indent: 0 };
        parent = root2;
        for (const statement of sourceFile.statements) {
          addChildrenRecursively(statement);
        }
        endNode();
        Debug.assert(!parent && !parentsStack.length);
        return root2;
      }
      function addLeafNode(node, name) {
        pushChild(parent, emptyNavigationBarNode(node, name));
      }
      function emptyNavigationBarNode(node, name) {
        return {
          node,
          name: name || (isDeclaration(node) || isExpression(node) ? getNameOfDeclaration(node) : void 0),
          additionalNodes: void 0,
          parent,
          children: void 0,
          indent: parent.indent + 1
        };
      }
      function addTrackedEs5Class(name) {
        if (!trackedEs5Classes) {
          trackedEs5Classes = /* @__PURE__ */ new Map();
        }
        trackedEs5Classes.set(name, true);
      }
      function endNestedNodes(depth2) {
        for (let i = 0; i < depth2; i++) endNode();
      }
      function startNestedNodes(targetNode, entityName) {
        const names = [];
        while (!isPropertyNameLiteral(entityName)) {
          const name = getNameOrArgument(entityName);
          const nameText = getElementOrPropertyAccessName(entityName);
          entityName = entityName.expression;
          if (nameText === "prototype" || isPrivateIdentifier(name)) continue;
          names.push(name);
        }
        names.push(entityName);
        for (let i = names.length - 1; i > 0; i--) {
          const name = names[i];
          startNode(targetNode, name);
        }
        return [names.length - 1, names[0]];
      }
      function startNode(node, name) {
        const navNode = emptyNavigationBarNode(node, name);
        pushChild(parent, navNode);
        parentsStack.push(parent);
        trackedEs5ClassesStack.push(trackedEs5Classes);
        trackedEs5Classes = void 0;
        parent = navNode;
      }
      function endNode() {
        if (parent.children) {
          mergeChildren(parent.children, parent);
          sortChildren(parent.children);
        }
        parent = parentsStack.pop();
        trackedEs5Classes = trackedEs5ClassesStack.pop();
      }
      function addNodeWithRecursiveChild(node, child, name) {
        startNode(node, name);
        addChildrenRecursively(child);
        endNode();
      }
      function addNodeWithRecursiveInitializer(node) {
        if (node.initializer && isFunctionOrClassExpression(node.initializer)) {
          startNode(node);
          forEachChild(node.initializer, addChildrenRecursively);
          endNode();
        } else {
          addNodeWithRecursiveChild(node, node.initializer);
        }
      }
      function hasNavigationBarName(node) {
        const name = getNameOfDeclaration(node);
        if (name === void 0) return false;
        if (isComputedPropertyName(name)) {
          const expression = name.expression;
          return isEntityNameExpression(expression) || isNumericLiteral(expression) || isStringOrNumericLiteralLike(expression);
        }
        return !!name;
      }
      function addChildrenRecursively(node) {
        curCancellationToken.throwIfCancellationRequested();
        if (!node || isToken(node)) {
          return;
        }
        switch (node.kind) {
          case 176:
            const ctr = node;
            addNodeWithRecursiveChild(ctr, ctr.body);
            for (const param of ctr.parameters) {
              if (isParameterPropertyDeclaration(param, ctr)) {
                addLeafNode(param);
              }
            }
            break;
          case 174:
          case 177:
          case 178:
          case 173:
            if (hasNavigationBarName(node)) {
              addNodeWithRecursiveChild(node, node.body);
            }
            break;
          case 172:
            if (hasNavigationBarName(node)) {
              addNodeWithRecursiveInitializer(node);
            }
            break;
          case 171:
            if (hasNavigationBarName(node)) {
              addLeafNode(node);
            }
            break;
          case 273:
            const importClause = node;
            if (importClause.name) {
              addLeafNode(importClause.name);
            }
            const { namedBindings } = importClause;
            if (namedBindings) {
              if (namedBindings.kind === 274) {
                addLeafNode(namedBindings);
              } else {
                for (const element of namedBindings.elements) {
                  addLeafNode(element);
                }
              }
            }
            break;
          case 304:
            addNodeWithRecursiveChild(node, node.name);
            break;
          case 305:
            const { expression } = node;
            isIdentifier(expression) ? addLeafNode(node, expression) : addLeafNode(node);
            break;
          case 208:
          case 303:
          case 260: {
            const child = node;
            if (isBindingPattern(child.name)) {
              addChildrenRecursively(child.name);
            } else {
              addNodeWithRecursiveInitializer(child);
            }
            break;
          }
          case 262:
            const nameNode = node.name;
            if (nameNode && isIdentifier(nameNode)) {
              addTrackedEs5Class(nameNode.text);
            }
            addNodeWithRecursiveChild(node, node.body);
            break;
          case 219:
          case 218:
            addNodeWithRecursiveChild(node, node.body);
            break;
          case 266:
            startNode(node);
            for (const member of node.members) {
              if (!isComputedProperty(member)) {
                addLeafNode(member);
              }
            }
            endNode();
            break;
          case 263:
          case 231:
          case 264:
            startNode(node);
            for (const member of node.members) {
              addChildrenRecursively(member);
            }
            endNode();
            break;
          case 267:
            addNodeWithRecursiveChild(node, getInteriorModule(node).body);
            break;
          case 277: {
            const expression2 = node.expression;
            const child = isObjectLiteralExpression(expression2) || isCallExpression2(expression2) ? expression2 : isArrowFunction(expression2) || isFunctionExpression(expression2) ? expression2.body : void 0;
            if (child) {
              startNode(node);
              addChildrenRecursively(child);
              endNode();
            } else {
              addLeafNode(node);
            }
            break;
          }
          case 281:
          case 271:
          case 181:
          case 179:
          case 180:
          case 265:
            addLeafNode(node);
            break;
          case 213:
          case 226: {
            const special = getAssignmentDeclarationKind(node);
            switch (special) {
              case 1:
              case 2:
                addNodeWithRecursiveChild(node, node.right);
                return;
              case 6:
              case 3: {
                const binaryExpression = node;
                const assignmentTarget = binaryExpression.left;
                const prototypeAccess = special === 3 ? assignmentTarget.expression : assignmentTarget;
                let depth2 = 0;
                let className;
                if (isIdentifier(prototypeAccess.expression)) {
                  addTrackedEs5Class(prototypeAccess.expression.text);
                  className = prototypeAccess.expression;
                } else {
                  [depth2, className] = startNestedNodes(binaryExpression, prototypeAccess.expression);
                }
                if (special === 6) {
                  if (isObjectLiteralExpression(binaryExpression.right)) {
                    if (binaryExpression.right.properties.length > 0) {
                      startNode(binaryExpression, className);
                      forEachChild(binaryExpression.right, addChildrenRecursively);
                      endNode();
                    }
                  }
                } else if (isFunctionExpression(binaryExpression.right) || isArrowFunction(binaryExpression.right)) {
                  addNodeWithRecursiveChild(node, binaryExpression.right, className);
                } else {
                  startNode(binaryExpression, className);
                  addNodeWithRecursiveChild(node, binaryExpression.right, assignmentTarget.name);
                  endNode();
                }
                endNestedNodes(depth2);
                return;
              }
              case 7:
              case 9: {
                const defineCall = node;
                const className = special === 7 ? defineCall.arguments[0] : defineCall.arguments[0].expression;
                const memberName = defineCall.arguments[1];
                const [depth2, classNameIdentifier] = startNestedNodes(node, className);
                startNode(node, classNameIdentifier);
                startNode(node, setTextRange(factory.createIdentifier(memberName.text), memberName));
                addChildrenRecursively(node.arguments[2]);
                endNode();
                endNode();
                endNestedNodes(depth2);
                return;
              }
              case 5: {
                const binaryExpression = node;
                const assignmentTarget = binaryExpression.left;
                const targetFunction = assignmentTarget.expression;
                if (isIdentifier(targetFunction) && getElementOrPropertyAccessName(assignmentTarget) !== "prototype" && trackedEs5Classes && trackedEs5Classes.has(targetFunction.text)) {
                  if (isFunctionExpression(binaryExpression.right) || isArrowFunction(binaryExpression.right)) {
                    addNodeWithRecursiveChild(node, binaryExpression.right, targetFunction);
                  } else if (isBindableStaticAccessExpression(assignmentTarget)) {
                    startNode(binaryExpression, targetFunction);
                    addNodeWithRecursiveChild(binaryExpression.left, binaryExpression.right, getNameOrArgument(assignmentTarget));
                    endNode();
                  }
                  return;
                }
                break;
              }
              case 4:
              case 0:
              case 8:
                break;
              default:
                Debug.assertNever(special);
            }
          }
          default:
            if (hasJSDocNodes(node)) {
              forEach(node.jsDoc, (jsDoc) => {
                forEach(jsDoc.tags, (tag) => {
                  if (isJSDocTypeAlias(tag)) {
                    addLeafNode(tag);
                  }
                });
              });
            }
            forEachChild(node, addChildrenRecursively);
        }
      }
      function mergeChildren(children, node) {
        const nameToItems = /* @__PURE__ */ new Map();
        filterMutate(children, (child, index) => {
          const declName = child.name || getNameOfDeclaration(child.node);
          const name = declName && nodeText(declName);
          if (!name) {
            return true;
          }
          const itemsWithSameName = nameToItems.get(name);
          if (!itemsWithSameName) {
            nameToItems.set(name, child);
            return true;
          }
          if (itemsWithSameName instanceof Array) {
            for (const itemWithSameName of itemsWithSameName) {
              if (tryMerge(itemWithSameName, child, index, node)) {
                return false;
              }
            }
            itemsWithSameName.push(child);
            return true;
          } else {
            const itemWithSameName = itemsWithSameName;
            if (tryMerge(itemWithSameName, child, index, node)) {
              return false;
            }
            nameToItems.set(name, [itemWithSameName, child]);
            return true;
          }
        });
      }
      var isEs5ClassMember = {
        [
          5
          /* Property */
        ]: true,
        [
          3
          /* PrototypeProperty */
        ]: true,
        [
          7
          /* ObjectDefinePropertyValue */
        ]: true,
        [
          9
          /* ObjectDefinePrototypeProperty */
        ]: true,
        [
          0
          /* None */
        ]: false,
        [
          1
          /* ExportsProperty */
        ]: false,
        [
          2
          /* ModuleExports */
        ]: false,
        [
          8
          /* ObjectDefinePropertyExports */
        ]: false,
        [
          6
          /* Prototype */
        ]: true,
        [
          4
          /* ThisProperty */
        ]: false
      };
      function tryMergeEs5Class(a, b, bIndex, parent2) {
        function isPossibleConstructor(node) {
          return isFunctionExpression(node) || isFunctionDeclaration(node) || isVariableDeclaration(node);
        }
        const bAssignmentDeclarationKind = isBinaryExpression(b.node) || isCallExpression2(b.node) ? getAssignmentDeclarationKind(b.node) : 0;
        const aAssignmentDeclarationKind = isBinaryExpression(a.node) || isCallExpression2(a.node) ? getAssignmentDeclarationKind(a.node) : 0;
        if (isEs5ClassMember[bAssignmentDeclarationKind] && isEs5ClassMember[aAssignmentDeclarationKind] || isPossibleConstructor(a.node) && isEs5ClassMember[bAssignmentDeclarationKind] || isPossibleConstructor(b.node) && isEs5ClassMember[aAssignmentDeclarationKind] || isClassDeclaration(a.node) && isSynthesized(a.node) && isEs5ClassMember[bAssignmentDeclarationKind] || isClassDeclaration(b.node) && isEs5ClassMember[aAssignmentDeclarationKind] || isClassDeclaration(a.node) && isSynthesized(a.node) && isPossibleConstructor(b.node) || isClassDeclaration(b.node) && isPossibleConstructor(a.node) && isSynthesized(a.node)) {
          let lastANode = a.additionalNodes && lastOrUndefined(a.additionalNodes) || a.node;
          if (!isClassDeclaration(a.node) && !isClassDeclaration(b.node) || isPossibleConstructor(a.node) || isPossibleConstructor(b.node)) {
            const ctorFunction = isPossibleConstructor(a.node) ? a.node : isPossibleConstructor(b.node) ? b.node : void 0;
            if (ctorFunction !== void 0) {
              const ctorNode = setTextRange(
                factory.createConstructorDeclaration(
                  /*modifiers*/
                  void 0,
                  [],
                  /*body*/
                  void 0
                ),
                ctorFunction
              );
              const ctor = emptyNavigationBarNode(ctorNode);
              ctor.indent = a.indent + 1;
              ctor.children = a.node === ctorFunction ? a.children : b.children;
              a.children = a.node === ctorFunction ? concatenate([ctor], b.children || [b]) : concatenate(a.children || [{ ...a }], [ctor]);
            } else {
              if (a.children || b.children) {
                a.children = concatenate(a.children || [{ ...a }], b.children || [b]);
                if (a.children) {
                  mergeChildren(a.children, a);
                  sortChildren(a.children);
                }
              }
            }
            lastANode = a.node = setTextRange(
              factory.createClassDeclaration(
                /*modifiers*/
                void 0,
                a.name || factory.createIdentifier("__class__"),
                /*typeParameters*/
                void 0,
                /*heritageClauses*/
                void 0,
                []
              ),
              a.node
            );
          } else {
            a.children = concatenate(a.children, b.children);
            if (a.children) {
              mergeChildren(a.children, a);
            }
          }
          const bNode = b.node;
          if (parent2.children[bIndex - 1].node.end === lastANode.end) {
            setTextRange(lastANode, { pos: lastANode.pos, end: bNode.end });
          } else {
            if (!a.additionalNodes) a.additionalNodes = [];
            a.additionalNodes.push(setTextRange(
              factory.createClassDeclaration(
                /*modifiers*/
                void 0,
                a.name || factory.createIdentifier("__class__"),
                /*typeParameters*/
                void 0,
                /*heritageClauses*/
                void 0,
                []
              ),
              b.node
            ));
          }
          return true;
        }
        return bAssignmentDeclarationKind === 0 ? false : true;
      }
      function tryMerge(a, b, bIndex, parent2) {
        if (tryMergeEs5Class(a, b, bIndex, parent2)) {
          return true;
        }
        if (shouldReallyMerge(a.node, b.node, parent2)) {
          merge3(a, b);
          return true;
        }
        return false;
      }
      function shouldReallyMerge(a, b, parent2) {
        if (a.kind !== b.kind || a.parent !== b.parent && !(isOwnChild(a, parent2) && isOwnChild(b, parent2))) {
          return false;
        }
        switch (a.kind) {
          case 172:
          case 174:
          case 177:
          case 178:
            return isStatic(a) === isStatic(b);
          case 267:
            return areSameModule(a, b) && getFullyQualifiedModuleName(a) === getFullyQualifiedModuleName(b);
          default:
            return true;
        }
      }
      function isSynthesized(node) {
        return !!(node.flags & 16);
      }
      function isOwnChild(n, parent2) {
        const par = isModuleBlock(n.parent) ? n.parent.parent : n.parent;
        return par === parent2.node || contains(parent2.additionalNodes, par);
      }
      function areSameModule(a, b) {
        if (!a.body || !b.body) {
          return a.body === b.body;
        }
        return a.body.kind === b.body.kind && (a.body.kind !== 267 || areSameModule(a.body, b.body));
      }
      function merge3(target, source) {
        target.additionalNodes = target.additionalNodes || [];
        target.additionalNodes.push(source.node);
        if (source.additionalNodes) {
          target.additionalNodes.push(...source.additionalNodes);
        }
        target.children = concatenate(target.children, source.children);
        if (target.children) {
          mergeChildren(target.children, target);
          sortChildren(target.children);
        }
      }
      function sortChildren(children) {
        children.sort(compareChildren);
      }
      function compareChildren(child1, child2) {
        return compareStringsCaseSensitiveUI(tryGetName(child1.node), tryGetName(child2.node)) || compareValues(navigationBarNodeKind(child1), navigationBarNodeKind(child2));
      }
      function tryGetName(node) {
        if (node.kind === 267) {
          return getModuleName(node);
        }
        const declName = getNameOfDeclaration(node);
        if (declName && isPropertyName(declName)) {
          const propertyName = getPropertyNameForPropertyNameNode(declName);
          return propertyName && unescapeLeadingUnderscores(propertyName);
        }
        switch (node.kind) {
          case 218:
          case 219:
          case 231:
            return getFunctionOrClassName(node);
          default:
            return void 0;
        }
      }
      function getItemName(node, name) {
        if (node.kind === 267) {
          return cleanText(getModuleName(node));
        }
        if (name) {
          const text = isIdentifier(name) ? name.text : isElementAccessExpression(name) ? `[${nodeText(name.argumentExpression)}]` : nodeText(name);
          if (text.length > 0) {
            return cleanText(text);
          }
        }
        switch (node.kind) {
          case 307:
            const sourceFile = node;
            return isExternalModule(sourceFile) ? `"${escapeString2(getBaseFileName(removeFileExtension(normalizePath(sourceFile.fileName))))}"` : "";
          case 277:
            return isExportAssignment(node) && node.isExportEquals ? "export=" : "default";
          case 219:
          case 262:
          case 218:
          case 263:
          case 231:
            if (getSyntacticModifierFlags(node) & 2048) {
              return "default";
            }
            return getFunctionOrClassName(node);
          case 176:
            return "constructor";
          case 180:
            return "new()";
          case 179:
            return "()";
          case 181:
            return "[]";
          default:
            return "";
        }
      }
      function primaryNavBarMenuItems(root2) {
        const primaryNavBarMenuItems2 = [];
        function recur(item) {
          if (shouldAppearInPrimaryNavBarMenu(item)) {
            primaryNavBarMenuItems2.push(item);
            if (item.children) {
              for (const child of item.children) {
                recur(child);
              }
            }
          }
        }
        recur(root2);
        return primaryNavBarMenuItems2;
        function shouldAppearInPrimaryNavBarMenu(item) {
          if (item.children) {
            return true;
          }
          switch (navigationBarNodeKind(item)) {
            case 263:
            case 231:
            case 266:
            case 264:
            case 267:
            case 307:
            case 265:
            case 346:
            case 338:
              return true;
            case 219:
            case 262:
            case 218:
              return isTopLevelFunctionDeclaration(item);
            default:
              return false;
          }
          function isTopLevelFunctionDeclaration(item2) {
            if (!item2.node.body) {
              return false;
            }
            switch (navigationBarNodeKind(item2.parent)) {
              case 268:
              case 307:
              case 174:
              case 176:
                return true;
              default:
                return false;
            }
          }
        }
      }
      function convertToTree(n) {
        return {
          text: getItemName(n.node, n.name),
          kind: getNodeKind(n.node),
          kindModifiers: getModifiers2(n.node),
          spans: getSpans(n),
          nameSpan: n.name && getNodeSpan(n.name),
          childItems: map(n.children, convertToTree)
        };
      }
      function convertToPrimaryNavBarMenuItem(n) {
        return {
          text: getItemName(n.node, n.name),
          kind: getNodeKind(n.node),
          kindModifiers: getModifiers2(n.node),
          spans: getSpans(n),
          childItems: map(n.children, convertToSecondaryNavBarMenuItem) || emptyChildItemArray,
          indent: n.indent,
          bolded: false,
          grayed: false
        };
        function convertToSecondaryNavBarMenuItem(n2) {
          return {
            text: getItemName(n2.node, n2.name),
            kind: getNodeKind(n2.node),
            kindModifiers: getNodeModifiers(n2.node),
            spans: getSpans(n2),
            childItems: emptyChildItemArray,
            indent: 0,
            bolded: false,
            grayed: false
          };
        }
      }
      function getSpans(n) {
        const spans = [getNodeSpan(n.node)];
        if (n.additionalNodes) {
          for (const node of n.additionalNodes) {
            spans.push(getNodeSpan(node));
          }
        }
        return spans;
      }
      function getModuleName(moduleDeclaration) {
        if (isAmbientModule(moduleDeclaration)) {
          return getTextOfNode(moduleDeclaration.name);
        }
        return getFullyQualifiedModuleName(moduleDeclaration);
      }
      function getFullyQualifiedModuleName(moduleDeclaration) {
        const result = [getTextOfIdentifierOrLiteral(moduleDeclaration.name)];
        while (moduleDeclaration.body && moduleDeclaration.body.kind === 267) {
          moduleDeclaration = moduleDeclaration.body;
          result.push(getTextOfIdentifierOrLiteral(moduleDeclaration.name));
        }
        return result.join(".");
      }
      function getInteriorModule(decl) {
        return decl.body && isModuleDeclaration(decl.body) ? getInteriorModule(decl.body) : decl;
      }
      function isComputedProperty(member) {
        return !member.name || member.name.kind === 167;
      }
      function getNodeSpan(node) {
        return node.kind === 307 ? createTextSpanFromRange(node) : createTextSpanFromNode(node, curSourceFile);
      }
      function getModifiers2(node) {
        if (node.parent && node.parent.kind === 260) {
          node = node.parent;
        }
        return getNodeModifiers(node);
      }
      function getFunctionOrClassName(node) {
        const { parent: parent2 } = node;
        if (node.name && getFullWidth(node.name) > 0) {
          return cleanText(declarationNameToString(node.name));
        } else if (isVariableDeclaration(parent2)) {
          return cleanText(declarationNameToString(parent2.name));
        } else if (isBinaryExpression(parent2) && parent2.operatorToken.kind === 64) {
          return nodeText(parent2.left).replace(whiteSpaceRegex, "");
        } else if (isPropertyAssignment(parent2)) {
          return nodeText(parent2.name);
        } else if (getSyntacticModifierFlags(node) & 2048) {
          return "default";
        } else if (isClassLike(node)) {
          return "";
        } else if (isCallExpression2(parent2)) {
          let name = getCalledExpressionName(parent2.expression);
          if (name !== void 0) {
            name = cleanText(name);
            if (name.length > maxLength) {
              return `${name} callback`;
            }
            const args = cleanText(mapDefined(parent2.arguments, (a) => isStringLiteralLike(a) || isTemplateLiteral(a) ? a.getText(curSourceFile) : void 0).join(", "));
            return `${name}(${args}) callback`;
          }
        }
        return "";
      }
      function getCalledExpressionName(expr) {
        if (isIdentifier(expr)) {
          return expr.text;
        } else if (isPropertyAccessExpression(expr)) {
          const left = getCalledExpressionName(expr.expression);
          const right = expr.name.text;
          return left === void 0 ? right : `${left}.${right}`;
        } else {
          return void 0;
        }
      }
      function isFunctionOrClassExpression(node) {
        switch (node.kind) {
          case 219:
          case 218:
          case 231:
            return true;
          default:
            return false;
        }
      }
      function cleanText(text) {
        text = text.length > maxLength ? text.substring(0, maxLength) + "..." : text;
        return text.replace(/\\?(\r?\n|\r|\u2028|\u2029)/g, "");
      }
      var ts_refactor_exports = {};
      __export2(ts_refactor_exports, {
        addExportToChanges: () => addExportToChanges,
        addExportsInOldFile: () => addExportsInOldFile,
        addImportsForMovedSymbols: () => addImportsForMovedSymbols,
        addNewFileToTsconfig: () => addNewFileToTsconfig,
        addOrRemoveBracesToArrowFunction: () => ts_refactor_addOrRemoveBracesToArrowFunction_exports,
        addTargetFileImports: () => addTargetFileImports,
        containsJsx: () => containsJsx,
        convertArrowFunctionOrFunctionExpression: () => ts_refactor_convertArrowFunctionOrFunctionExpression_exports,
        convertParamsToDestructuredObject: () => ts_refactor_convertParamsToDestructuredObject_exports,
        convertStringOrTemplateLiteral: () => ts_refactor_convertStringOrTemplateLiteral_exports,
        convertToOptionalChainExpression: () => ts_refactor_convertToOptionalChainExpression_exports,
        createNewFileName: () => createNewFileName,
        deleteMovedStatements: () => deleteMovedStatements,
        deleteUnusedImports: () => deleteUnusedImports,
        deleteUnusedOldImports: () => deleteUnusedOldImports,
        doChangeNamedToNamespaceOrDefault: () => doChangeNamedToNamespaceOrDefault,
        extractSymbol: () => ts_refactor_extractSymbol_exports,
        filterImport: () => filterImport,
        forEachImportInStatement: () => forEachImportInStatement,
        generateGetAccessorAndSetAccessor: () => ts_refactor_generateGetAccessorAndSetAccessor_exports,
        getApplicableRefactors: () => getApplicableRefactors,
        getEditsForRefactor: () => getEditsForRefactor,
        getExistingLocals: () => getExistingLocals,
        getIdentifierForNode: () => getIdentifierForNode,
        getNewStatementsAndRemoveFromOldFile: () => getNewStatementsAndRemoveFromOldFile,
        getStatementsToMove: () => getStatementsToMove,
        getTopLevelDeclarationStatement: () => getTopLevelDeclarationStatement,
        getUsageInfo: () => getUsageInfo,
        inferFunctionReturnType: () => ts_refactor_inferFunctionReturnType_exports,
        isRefactorErrorInfo: () => isRefactorErrorInfo,
        isTopLevelDeclaration: () => isTopLevelDeclaration,
        moduleSpecifierFromImport: () => moduleSpecifierFromImport,
        nameOfTopLevelDeclaration: () => nameOfTopLevelDeclaration,
        refactorKindBeginsWith: () => refactorKindBeginsWith,
        registerRefactor: () => registerRefactor,
        updateImportsInOtherFiles: () => updateImportsInOtherFiles
      });
      var refactors = /* @__PURE__ */ new Map();
      function registerRefactor(name, refactor2) {
        refactors.set(name, refactor2);
      }
      function getApplicableRefactors(context, includeInteractiveActions) {
        return arrayFrom(flatMapIterator(refactors.values(), (refactor2) => {
          var _a;
          return context.cancellationToken && context.cancellationToken.isCancellationRequested() || !((_a = refactor2.kinds) == null ? void 0 : _a.some((kind) => refactorKindBeginsWith(kind, context.kind))) ? void 0 : refactor2.getAvailableActions(context, includeInteractiveActions);
        }));
      }
      function getEditsForRefactor(context, refactorName14, actionName2, interactiveRefactorArguments) {
        const refactor2 = refactors.get(refactorName14);
        return refactor2 && refactor2.getEditsForAction(context, actionName2, interactiveRefactorArguments);
      }
      var refactorName = "Convert export";
      var defaultToNamedAction = {
        name: "Convert default export to named export",
        description: getLocaleSpecificMessage(Diagnostics.Convert_default_export_to_named_export),
        kind: "refactor.rewrite.export.named"
      };
      var namedToDefaultAction = {
        name: "Convert named export to default export",
        description: getLocaleSpecificMessage(Diagnostics.Convert_named_export_to_default_export),
        kind: "refactor.rewrite.export.default"
      };
      registerRefactor(refactorName, {
        kinds: [
          defaultToNamedAction.kind,
          namedToDefaultAction.kind
        ],
        getAvailableActions: function getRefactorActionsToConvertBetweenNamedAndDefaultExports(context) {
          const info = getInfo2(context, context.triggerReason === "invoked");
          if (!info) return emptyArray;
          if (!isRefactorErrorInfo(info)) {
            const action = info.wasDefault ? defaultToNamedAction : namedToDefaultAction;
            return [{ name: refactorName, description: action.description, actions: [action] }];
          }
          if (context.preferences.provideRefactorNotApplicableReason) {
            return [
              {
                name: refactorName,
                description: getLocaleSpecificMessage(Diagnostics.Convert_default_export_to_named_export),
                actions: [
                  { ...defaultToNamedAction, notApplicableReason: info.error },
                  { ...namedToDefaultAction, notApplicableReason: info.error }
                ]
              }
            ];
          }
          return emptyArray;
        },
        getEditsForAction: function getRefactorEditsToConvertBetweenNamedAndDefaultExports(context, actionName2) {
          Debug.assert(actionName2 === defaultToNamedAction.name || actionName2 === namedToDefaultAction.name, "Unexpected action name");
          const info = getInfo2(context);
          Debug.assert(info && !isRefactorErrorInfo(info), "Expected applicable refactor info");
          const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange(context.file, context.program, info, t, context.cancellationToken));
          return { edits, renameFilename: void 0, renameLocation: void 0 };
        }
      });
      function getInfo2(context, considerPartialSpans = true) {
        const { file, program } = context;
        const span = getRefactorContextSpan(context);
        const token = getTokenAtPosition(file, span.start);
        const exportNode = !!(token.parent && getSyntacticModifierFlags(token.parent) & 32) && considerPartialSpans ? token.parent : getParentNodeInSpan(token, file, span);
        if (!exportNode || !isSourceFile(exportNode.parent) && !(isModuleBlock(exportNode.parent) && isAmbientModule(exportNode.parent.parent))) {
          return { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_export_statement) };
        }
        const checker = program.getTypeChecker();
        const exportingModuleSymbol = getExportingModuleSymbol(exportNode.parent, checker);
        const flags = getSyntacticModifierFlags(exportNode) || (isExportAssignment(exportNode) && !exportNode.isExportEquals ? 2080 : 0);
        const wasDefault = !!(flags & 2048);
        if (!(flags & 32) || !wasDefault && exportingModuleSymbol.exports.has(
          "default"
          /* Default */
        )) {
          return { error: getLocaleSpecificMessage(Diagnostics.This_file_already_has_a_default_export) };
        }
        const noSymbolError = (id) => isIdentifier(id) && checker.getSymbolAtLocation(id) ? void 0 : { error: getLocaleSpecificMessage(Diagnostics.Can_only_convert_named_export) };
        switch (exportNode.kind) {
          case 262:
          case 263:
          case 264:
          case 266:
          case 265:
          case 267: {
            const node = exportNode;
            if (!node.name) return void 0;
            return noSymbolError(node.name) || { exportNode: node, exportName: node.name, wasDefault, exportingModuleSymbol };
          }
          case 243: {
            const vs = exportNode;
            if (!(vs.declarationList.flags & 2) || vs.declarationList.declarations.length !== 1) {
              return void 0;
            }
            const decl = first(vs.declarationList.declarations);
            if (!decl.initializer) return void 0;
            Debug.assert(!wasDefault, "Can't have a default flag here");
            return noSymbolError(decl.name) || { exportNode: vs, exportName: decl.name, wasDefault, exportingModuleSymbol };
          }
          case 277: {
            const node = exportNode;
            if (node.isExportEquals) return void 0;
            return noSymbolError(node.expression) || { exportNode: node, exportName: node.expression, wasDefault, exportingModuleSymbol };
          }
          default:
            return void 0;
        }
      }
      function doChange(exportingSourceFile, program, info, changes, cancellationToken) {
        changeExport(exportingSourceFile, info, changes, program.getTypeChecker());
        changeImports(program, info, changes, cancellationToken);
      }
      function changeExport(exportingSourceFile, { wasDefault, exportNode, exportName }, changes, checker) {
        if (wasDefault) {
          if (isExportAssignment(exportNode) && !exportNode.isExportEquals) {
            const exp = exportNode.expression;
            const spec = makeExportSpecifier(exp.text, exp.text);
            changes.replaceNode(exportingSourceFile, exportNode, factory.createExportDeclaration(
              /*modifiers*/
              void 0,
              /*isTypeOnly*/
              false,
              factory.createNamedExports([spec])
            ));
          } else {
            changes.delete(exportingSourceFile, Debug.checkDefined(findModifier(
              exportNode,
              90
              /* DefaultKeyword */
            ), "Should find a default keyword in modifier list"));
          }
        } else {
          const exportKeyword = Debug.checkDefined(findModifier(
            exportNode,
            95
            /* ExportKeyword */
          ), "Should find an export keyword in modifier list");
          switch (exportNode.kind) {
            case 262:
            case 263:
            case 264:
              changes.insertNodeAfter(exportingSourceFile, exportKeyword, factory.createToken(
                90
                /* DefaultKeyword */
              ));
              break;
            case 243:
              const decl = first(exportNode.declarationList.declarations);
              if (!ts_FindAllReferences_exports.Core.isSymbolReferencedInFile(exportName, checker, exportingSourceFile) && !decl.type) {
                changes.replaceNode(exportingSourceFile, exportNode, factory.createExportDefault(Debug.checkDefined(decl.initializer, "Initializer was previously known to be present")));
                break;
              }
            case 266:
            case 265:
            case 267:
              changes.deleteModifier(exportingSourceFile, exportKeyword);
              changes.insertNodeAfter(exportingSourceFile, exportNode, factory.createExportDefault(factory.createIdentifier(exportName.text)));
              break;
            default:
              Debug.fail(`Unexpected exportNode kind ${exportNode.kind}`);
          }
        }
      }
      function changeImports(program, { wasDefault, exportName, exportingModuleSymbol }, changes, cancellationToken) {
        const checker = program.getTypeChecker();
        const exportSymbol = Debug.checkDefined(checker.getSymbolAtLocation(exportName), "Export name should resolve to a symbol");
        ts_FindAllReferences_exports.Core.eachExportReference(program.getSourceFiles(), checker, cancellationToken, exportSymbol, exportingModuleSymbol, exportName.text, wasDefault, (ref) => {
          if (exportName === ref) return;
          const importingSourceFile = ref.getSourceFile();
          if (wasDefault) {
            changeDefaultToNamedImport(importingSourceFile, ref, changes, exportName.text);
          } else {
            changeNamedToDefaultImport(importingSourceFile, ref, changes);
          }
        });
      }
      function changeDefaultToNamedImport(importingSourceFile, ref, changes, exportName) {
        const { parent: parent2 } = ref;
        switch (parent2.kind) {
          case 211:
            changes.replaceNode(importingSourceFile, ref, factory.createIdentifier(exportName));
            break;
          case 276:
          case 281: {
            const spec = parent2;
            changes.replaceNode(importingSourceFile, spec, makeImportSpecifier(exportName, spec.name.text));
            break;
          }
          case 273: {
            const clause = parent2;
            Debug.assert(clause.name === ref, "Import clause name should match provided ref");
            const spec = makeImportSpecifier(exportName, ref.text);
            const { namedBindings } = clause;
            if (!namedBindings) {
              changes.replaceNode(importingSourceFile, ref, factory.createNamedImports([spec]));
            } else if (namedBindings.kind === 274) {
              changes.deleteRange(importingSourceFile, { pos: ref.getStart(importingSourceFile), end: namedBindings.getStart(importingSourceFile) });
              const quotePreference = isStringLiteral2(clause.parent.moduleSpecifier) ? quotePreferenceFromString(clause.parent.moduleSpecifier, importingSourceFile) : 1;
              const newImport = makeImport(
                /*defaultImport*/
                void 0,
                [makeImportSpecifier(exportName, ref.text)],
                clause.parent.moduleSpecifier,
                quotePreference
              );
              changes.insertNodeAfter(importingSourceFile, clause.parent, newImport);
            } else {
              changes.delete(importingSourceFile, ref);
              changes.insertNodeAtEndOfList(importingSourceFile, namedBindings.elements, spec);
            }
            break;
          }
          case 205:
            const importTypeNode = parent2;
            changes.replaceNode(importingSourceFile, parent2, factory.createImportTypeNode(importTypeNode.argument, importTypeNode.attributes, factory.createIdentifier(exportName), importTypeNode.typeArguments, importTypeNode.isTypeOf));
            break;
          default:
            Debug.failBadSyntaxKind(parent2);
        }
      }
      function changeNamedToDefaultImport(importingSourceFile, ref, changes) {
        const parent2 = ref.parent;
        switch (parent2.kind) {
          case 211:
            changes.replaceNode(importingSourceFile, ref, factory.createIdentifier("default"));
            break;
          case 276: {
            const defaultImport = factory.createIdentifier(parent2.name.text);
            if (parent2.parent.elements.length === 1) {
              changes.replaceNode(importingSourceFile, parent2.parent, defaultImport);
            } else {
              changes.delete(importingSourceFile, parent2);
              changes.insertNodeBefore(importingSourceFile, parent2.parent, defaultImport);
            }
            break;
          }
          case 281: {
            changes.replaceNode(importingSourceFile, parent2, makeExportSpecifier("default", parent2.name.text));
            break;
          }
          default:
            Debug.assertNever(parent2, `Unexpected parent kind ${parent2.kind}`);
        }
      }
      function makeImportSpecifier(propertyName, name) {
        return factory.createImportSpecifier(
          /*isTypeOnly*/
          false,
          propertyName === name ? void 0 : factory.createIdentifier(propertyName),
          factory.createIdentifier(name)
        );
      }
      function makeExportSpecifier(propertyName, name) {
        return factory.createExportSpecifier(
          /*isTypeOnly*/
          false,
          propertyName === name ? void 0 : factory.createIdentifier(propertyName),
          factory.createIdentifier(name)
        );
      }
      function getExportingModuleSymbol(parent2, checker) {
        if (isSourceFile(parent2)) {
          return parent2.symbol;
        }
        const symbol = parent2.parent.symbol;
        if (symbol.valueDeclaration && isExternalModuleAugmentation(symbol.valueDeclaration)) {
          return checker.getMergedSymbol(symbol);
        }
        return symbol;
      }
      var refactorName2 = "Convert import";
      var actions = {
        [
          0
          /* Named */
        ]: {
          name: "Convert namespace import to named imports",
          description: getLocaleSpecificMessage(Diagnostics.Convert_namespace_import_to_named_imports),
          kind: "refactor.rewrite.import.named"
        },
        [
          2
          /* Namespace */
        ]: {
          name: "Convert named imports to namespace import",
          description: getLocaleSpecificMessage(Diagnostics.Convert_named_imports_to_namespace_import),
          kind: "refactor.rewrite.import.namespace"
        },
        [
          1
          /* Default */
        ]: {
          name: "Convert named imports to default import",
          description: getLocaleSpecificMessage(Diagnostics.Convert_named_imports_to_default_import),
          kind: "refactor.rewrite.import.default"
        }
      };
      registerRefactor(refactorName2, {
        kinds: getOwnValues(actions).map((a) => a.kind),
        getAvailableActions: function getRefactorActionsToConvertBetweenNamedAndNamespacedImports(context) {
          const info = getImportConversionInfo(context, context.triggerReason === "invoked");
          if (!info) return emptyArray;
          if (!isRefactorErrorInfo(info)) {
            const action = actions[info.convertTo];
            return [{ name: refactorName2, description: action.description, actions: [action] }];
          }
          if (context.preferences.provideRefactorNotApplicableReason) {
            return getOwnValues(actions).map((action) => ({
              name: refactorName2,
              description: action.description,
              actions: [{ ...action, notApplicableReason: info.error }]
            }));
          }
          return emptyArray;
        },
        getEditsForAction: function getRefactorEditsToConvertBetweenNamedAndNamespacedImports(context, actionName2) {
          Debug.assert(some(getOwnValues(actions), (action) => action.name === actionName2), "Unexpected action name");
          const info = getImportConversionInfo(context);
          Debug.assert(info && !isRefactorErrorInfo(info), "Expected applicable refactor info");
          const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange2(context.file, context.program, t, info));
          return { edits, renameFilename: void 0, renameLocation: void 0 };
        }
      });
      function getImportConversionInfo(context, considerPartialSpans = true) {
        const { file } = context;
        const span = getRefactorContextSpan(context);
        const token = getTokenAtPosition(file, span.start);
        const importDecl = considerPartialSpans ? findAncestor(token, or(isImportDeclaration, isJSDocImportTag)) : getParentNodeInSpan(token, file, span);
        if (importDecl === void 0 || !(isImportDeclaration(importDecl) || isJSDocImportTag(importDecl))) return { error: "Selection is not an import declaration." };
        const end = span.start + span.length;
        const nextToken = findNextToken(importDecl, importDecl.parent, file);
        if (nextToken && end > nextToken.getStart()) return void 0;
        const { importClause } = importDecl;
        if (!importClause) {
          return { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_import_clause) };
        }
        if (!importClause.namedBindings) {
          return { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_namespace_import_or_named_imports) };
        }
        if (importClause.namedBindings.kind === 274) {
          return { convertTo: 0, import: importClause.namedBindings };
        }
        const shouldUseDefault = getShouldUseDefault(context.program, importClause);
        return shouldUseDefault ? { convertTo: 1, import: importClause.namedBindings } : { convertTo: 2, import: importClause.namedBindings };
      }
      function getShouldUseDefault(program, importClause) {
        return getAllowSyntheticDefaultImports(program.getCompilerOptions()) && isExportEqualsModule(importClause.parent.moduleSpecifier, program.getTypeChecker());
      }
      function doChange2(sourceFile, program, changes, info) {
        const checker = program.getTypeChecker();
        if (info.convertTo === 0) {
          doChangeNamespaceToNamed(sourceFile, checker, changes, info.import, getAllowSyntheticDefaultImports(program.getCompilerOptions()));
        } else {
          doChangeNamedToNamespaceOrDefault(
            sourceFile,
            program,
            changes,
            info.import,
            info.convertTo === 1
            /* Default */
          );
        }
      }
      function doChangeNamespaceToNamed(sourceFile, checker, changes, toConvert, allowSyntheticDefaultImports) {
        let usedAsNamespaceOrDefault = false;
        const nodesToReplace = [];
        const conflictingNames = /* @__PURE__ */ new Map();
        ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(toConvert.name, checker, sourceFile, (id) => {
          if (!isPropertyAccessOrQualifiedName(id.parent)) {
            usedAsNamespaceOrDefault = true;
          } else {
            const exportName = getRightOfPropertyAccessOrQualifiedName(id.parent).text;
            if (checker.resolveName(
              exportName,
              id,
              -1,
              /*excludeGlobals*/
              true
            )) {
              conflictingNames.set(exportName, true);
            }
            Debug.assert(getLeftOfPropertyAccessOrQualifiedName(id.parent) === id, "Parent expression should match id");
            nodesToReplace.push(id.parent);
          }
        });
        const exportNameToImportName = /* @__PURE__ */ new Map();
        for (const propertyAccessOrQualifiedName of nodesToReplace) {
          const exportName = getRightOfPropertyAccessOrQualifiedName(propertyAccessOrQualifiedName).text;
          let importName = exportNameToImportName.get(exportName);
          if (importName === void 0) {
            exportNameToImportName.set(exportName, importName = conflictingNames.has(exportName) ? getUniqueName(exportName, sourceFile) : exportName);
          }
          changes.replaceNode(sourceFile, propertyAccessOrQualifiedName, factory.createIdentifier(importName));
        }
        const importSpecifiers = [];
        exportNameToImportName.forEach((name, propertyName) => {
          importSpecifiers.push(factory.createImportSpecifier(
            /*isTypeOnly*/
            false,
            name === propertyName ? void 0 : factory.createIdentifier(propertyName),
            factory.createIdentifier(name)
          ));
        });
        const importDecl = toConvert.parent.parent;
        if (usedAsNamespaceOrDefault && !allowSyntheticDefaultImports && isImportDeclaration(importDecl)) {
          changes.insertNodeAfter(sourceFile, importDecl, createImport(
            importDecl,
            /*defaultImportName*/
            void 0,
            importSpecifiers
          ));
        } else {
          const defaultImportName = usedAsNamespaceOrDefault ? factory.createIdentifier(toConvert.name.text) : void 0;
          changes.replaceNode(sourceFile, toConvert.parent, createImportClause(defaultImportName, importSpecifiers));
        }
      }
      function getRightOfPropertyAccessOrQualifiedName(propertyAccessOrQualifiedName) {
        return isPropertyAccessExpression(propertyAccessOrQualifiedName) ? propertyAccessOrQualifiedName.name : propertyAccessOrQualifiedName.right;
      }
      function getLeftOfPropertyAccessOrQualifiedName(propertyAccessOrQualifiedName) {
        return isPropertyAccessExpression(propertyAccessOrQualifiedName) ? propertyAccessOrQualifiedName.expression : propertyAccessOrQualifiedName.left;
      }
      function doChangeNamedToNamespaceOrDefault(sourceFile, program, changes, toConvert, shouldUseDefault = getShouldUseDefault(program, toConvert.parent)) {
        const checker = program.getTypeChecker();
        const importDecl = toConvert.parent.parent;
        const { moduleSpecifier } = importDecl;
        const toConvertSymbols = /* @__PURE__ */ new Set();
        toConvert.elements.forEach((namedImport) => {
          const symbol = checker.getSymbolAtLocation(namedImport.name);
          if (symbol) {
            toConvertSymbols.add(symbol);
          }
        });
        const preferredName = moduleSpecifier && isStringLiteral2(moduleSpecifier) ? moduleSpecifierToValidIdentifier(
          moduleSpecifier.text,
          99
          /* ESNext */
        ) : "module";
        function hasNamespaceNameConflict(namedImport) {
          return !!ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(namedImport.name, checker, sourceFile, (id) => {
            const symbol = checker.resolveName(
              preferredName,
              id,
              -1,
              /*excludeGlobals*/
              true
            );
            if (symbol) {
              if (toConvertSymbols.has(symbol)) {
                return isExportSpecifier(id.parent);
              }
              return true;
            }
            return false;
          });
        }
        const namespaceNameConflicts = toConvert.elements.some(hasNamespaceNameConflict);
        const namespaceImportName = namespaceNameConflicts ? getUniqueName(preferredName, sourceFile) : preferredName;
        const neededNamedImports = /* @__PURE__ */ new Set();
        for (const element of toConvert.elements) {
          const propertyName = (element.propertyName || element.name).text;
          ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(element.name, checker, sourceFile, (id) => {
            const access = factory.createPropertyAccessExpression(factory.createIdentifier(namespaceImportName), propertyName);
            if (isShorthandPropertyAssignment(id.parent)) {
              changes.replaceNode(sourceFile, id.parent, factory.createPropertyAssignment(id.text, access));
            } else if (isExportSpecifier(id.parent)) {
              neededNamedImports.add(element);
            } else {
              changes.replaceNode(sourceFile, id, access);
            }
          });
        }
        changes.replaceNode(
          sourceFile,
          toConvert,
          shouldUseDefault ? factory.createIdentifier(namespaceImportName) : factory.createNamespaceImport(factory.createIdentifier(namespaceImportName))
        );
        if (neededNamedImports.size && isImportDeclaration(importDecl)) {
          const newNamedImports = arrayFrom(neededNamedImports.values(), (element) => factory.createImportSpecifier(element.isTypeOnly, element.propertyName && factory.createIdentifier(element.propertyName.text), factory.createIdentifier(element.name.text)));
          changes.insertNodeAfter(sourceFile, toConvert.parent.parent, createImport(
            importDecl,
            /*defaultImportName*/
            void 0,
            newNamedImports
          ));
        }
      }
      function isExportEqualsModule(moduleSpecifier, checker) {
        const externalModule = checker.resolveExternalModuleName(moduleSpecifier);
        if (!externalModule) return false;
        const exportEquals = checker.resolveExternalModuleSymbol(externalModule);
        return externalModule !== exportEquals;
      }
      function createImport(node, defaultImportName, elements) {
        return factory.createImportDeclaration(
          /*modifiers*/
          void 0,
          createImportClause(defaultImportName, elements),
          node.moduleSpecifier,
          /*attributes*/
          void 0
        );
      }
      function createImportClause(defaultImportName, elements) {
        return factory.createImportClause(
          /*isTypeOnly*/
          false,
          defaultImportName,
          elements && elements.length ? factory.createNamedImports(elements) : void 0
        );
      }
      var refactorName3 = "Extract type";
      var extractToTypeAliasAction = {
        name: "Extract to type alias",
        description: getLocaleSpecificMessage(Diagnostics.Extract_to_type_alias),
        kind: "refactor.extract.type"
      };
      var extractToInterfaceAction = {
        name: "Extract to interface",
        description: getLocaleSpecificMessage(Diagnostics.Extract_to_interface),
        kind: "refactor.extract.interface"
      };
      var extractToTypeDefAction = {
        name: "Extract to typedef",
        description: getLocaleSpecificMessage(Diagnostics.Extract_to_typedef),
        kind: "refactor.extract.typedef"
      };
      registerRefactor(refactorName3, {
        kinds: [
          extractToTypeAliasAction.kind,
          extractToInterfaceAction.kind,
          extractToTypeDefAction.kind
        ],
        getAvailableActions: function getRefactorActionsToExtractType(context) {
          const { info, affectedTextRange } = getRangeToExtract(context, context.triggerReason === "invoked");
          if (!info) return emptyArray;
          if (!isRefactorErrorInfo(info)) {
            const refactorInfo = [{
              name: refactorName3,
              description: getLocaleSpecificMessage(Diagnostics.Extract_type),
              actions: info.isJS ? [extractToTypeDefAction] : append([extractToTypeAliasAction], info.typeElements && extractToInterfaceAction)
            }];
            return refactorInfo.map((info2) => ({
              ...info2,
              actions: info2.actions.map((action) => ({
                ...action,
                range: affectedTextRange ? {
                  start: { line: getLineAndCharacterOfPosition(context.file, affectedTextRange.pos).line, offset: getLineAndCharacterOfPosition(context.file, affectedTextRange.pos).character },
                  end: { line: getLineAndCharacterOfPosition(context.file, affectedTextRange.end).line, offset: getLineAndCharacterOfPosition(context.file, affectedTextRange.end).character }
                } : void 0
              }))
            }));
          }
          if (context.preferences.provideRefactorNotApplicableReason) {
            return [{
              name: refactorName3,
              description: getLocaleSpecificMessage(Diagnostics.Extract_type),
              actions: [
                { ...extractToTypeDefAction, notApplicableReason: info.error },
                { ...extractToTypeAliasAction, notApplicableReason: info.error },
                { ...extractToInterfaceAction, notApplicableReason: info.error }
              ]
            }];
          }
          return emptyArray;
        },
        getEditsForAction: function getRefactorEditsToExtractType(context, actionName2) {
          const { file } = context;
          const { info } = getRangeToExtract(context);
          Debug.assert(info && !isRefactorErrorInfo(info), "Expected to find a range to extract");
          const name = getUniqueName("NewType", file);
          const edits = ts_textChanges_exports.ChangeTracker.with(context, (changes) => {
            switch (actionName2) {
              case extractToTypeAliasAction.name:
                Debug.assert(!info.isJS, "Invalid actionName/JS combo");
                return doTypeAliasChange(changes, file, name, info);
              case extractToTypeDefAction.name:
                Debug.assert(info.isJS, "Invalid actionName/JS combo");
                return doTypedefChange(changes, context, file, name, info);
              case extractToInterfaceAction.name:
                Debug.assert(!info.isJS && !!info.typeElements, "Invalid actionName/JS combo");
                return doInterfaceChange(changes, file, name, info);
              default:
                Debug.fail("Unexpected action name");
            }
          });
          const renameFilename = file.fileName;
          const renameLocation = getRenameLocation(
            edits,
            renameFilename,
            name,
            /*preferLastLocation*/
            false
          );
          return { edits, renameFilename, renameLocation };
        }
      });
      function getRangeToExtract(context, considerEmptySpans = true) {
        const { file, startPosition } = context;
        const isJS = isSourceFileJS(file);
        const range = createTextRangeFromSpan(getRefactorContextSpan(context));
        const isCursorRequest = range.pos === range.end && considerEmptySpans;
        const firstType = getFirstTypeAt(file, startPosition, range, isCursorRequest);
        if (!firstType || !isTypeNode(firstType)) return { info: { error: getLocaleSpecificMessage(Diagnostics.Selection_is_not_a_valid_type_node) }, affectedTextRange: void 0 };
        const checker = context.program.getTypeChecker();
        const enclosingNode = getEnclosingNode(firstType, isJS);
        if (enclosingNode === void 0) return { info: { error: getLocaleSpecificMessage(Diagnostics.No_type_could_be_extracted_from_this_type_node) }, affectedTextRange: void 0 };
        const expandedFirstType = getExpandedSelectionNode(firstType, enclosingNode);
        if (!isTypeNode(expandedFirstType)) return { info: { error: getLocaleSpecificMessage(Diagnostics.Selection_is_not_a_valid_type_node) }, affectedTextRange: void 0 };
        const typeList = [];
        if ((isUnionTypeNode(expandedFirstType.parent) || isIntersectionTypeNode(expandedFirstType.parent)) && range.end > firstType.end) {
          addRange(
            typeList,
            expandedFirstType.parent.types.filter((type) => {
              return nodeOverlapsWithStartEnd(type, file, range.pos, range.end);
            })
          );
        }
        const selection = typeList.length > 1 ? typeList : expandedFirstType;
        const { typeParameters, affectedTextRange } = collectTypeParameters(checker, selection, enclosingNode, file);
        if (!typeParameters) return { info: { error: getLocaleSpecificMessage(Diagnostics.No_type_could_be_extracted_from_this_type_node) }, affectedTextRange: void 0 };
        const typeElements = flattenTypeLiteralNodeReference(checker, selection);
        return { info: { isJS, selection, enclosingNode, typeParameters, typeElements }, affectedTextRange };
      }
      function getFirstTypeAt(file, startPosition, range, isCursorRequest) {
        const currentNodes = [
          () => getTokenAtPosition(file, startPosition),
          () => getTouchingToken(file, startPosition, () => true)
        ];
        for (const f of currentNodes) {
          const current = f();
          const overlappingRange = nodeOverlapsWithStartEnd(current, file, range.pos, range.end);
          const firstType = findAncestor(current, (node) => node.parent && isTypeNode(node) && !rangeContainsSkipTrivia(range, node.parent, file) && (isCursorRequest || overlappingRange));
          if (firstType) {
            return firstType;
          }
        }
        return void 0;
      }
      function flattenTypeLiteralNodeReference(checker, selection) {
        if (!selection) return void 0;
        if (isArray3(selection)) {
          const result = [];
          for (const type of selection) {
            const flattenedTypeMembers = flattenTypeLiteralNodeReference(checker, type);
            if (!flattenedTypeMembers) return void 0;
            addRange(result, flattenedTypeMembers);
          }
          return result;
        }
        if (isIntersectionTypeNode(selection)) {
          const result = [];
          const seen = /* @__PURE__ */ new Map();
          for (const type of selection.types) {
            const flattenedTypeMembers = flattenTypeLiteralNodeReference(checker, type);
            if (!flattenedTypeMembers || !flattenedTypeMembers.every((type2) => type2.name && addToSeen(seen, getNameFromPropertyName(type2.name)))) {
              return void 0;
            }
            addRange(result, flattenedTypeMembers);
          }
          return result;
        } else if (isParenthesizedTypeNode(selection)) {
          return flattenTypeLiteralNodeReference(checker, selection.type);
        } else if (isTypeLiteralNode(selection)) {
          return selection.members;
        }
        return void 0;
      }
      function rangeContainsSkipTrivia(r1, node, file) {
        return rangeContainsStartEnd(r1, skipTrivia(file.text, node.pos), node.end);
      }
      function collectTypeParameters(checker, selection, enclosingNode, file) {
        const result = [];
        const selectionArray = toArray(selection);
        const selectionRange = { pos: selectionArray[0].getStart(file), end: selectionArray[selectionArray.length - 1].end };
        for (const t of selectionArray) {
          if (visitor2(t)) return { typeParameters: void 0, affectedTextRange: void 0 };
        }
        return { typeParameters: result, affectedTextRange: selectionRange };
        function visitor2(node) {
          if (isTypeReferenceNode(node)) {
            if (isIdentifier(node.typeName)) {
              const typeName = node.typeName;
              const symbol = checker.resolveName(
                typeName.text,
                typeName,
                262144,
                /*excludeGlobals*/
                true
              );
              for (const decl of (symbol == null ? void 0 : symbol.declarations) || emptyArray) {
                if (isTypeParameterDeclaration(decl) && decl.getSourceFile() === file) {
                  if (decl.name.escapedText === typeName.escapedText && rangeContainsSkipTrivia(decl, selectionRange, file)) {
                    return true;
                  }
                  if (rangeContainsSkipTrivia(enclosingNode, decl, file) && !rangeContainsSkipTrivia(selectionRange, decl, file)) {
                    pushIfUnique(result, decl);
                    break;
                  }
                }
              }
            }
          } else if (isInferTypeNode(node)) {
            const conditionalTypeNode = findAncestor(node, (n) => isConditionalTypeNode(n) && rangeContainsSkipTrivia(n.extendsType, node, file));
            if (!conditionalTypeNode || !rangeContainsSkipTrivia(selectionRange, conditionalTypeNode, file)) {
              return true;
            }
          } else if (isTypePredicateNode(node) || isThisTypeNode(node)) {
            const functionLikeNode = findAncestor(node.parent, isFunctionLike);
            if (functionLikeNode && functionLikeNode.type && rangeContainsSkipTrivia(functionLikeNode.type, node, file) && !rangeContainsSkipTrivia(selectionRange, functionLikeNode, file)) {
              return true;
            }
          } else if (isTypeQueryNode(node)) {
            if (isIdentifier(node.exprName)) {
              const symbol = checker.resolveName(
                node.exprName.text,
                node.exprName,
                111551,
                /*excludeGlobals*/
                false
              );
              if ((symbol == null ? void 0 : symbol.valueDeclaration) && rangeContainsSkipTrivia(enclosingNode, symbol.valueDeclaration, file) && !rangeContainsSkipTrivia(selectionRange, symbol.valueDeclaration, file)) {
                return true;
              }
            } else {
              if (isThisIdentifier(node.exprName.left) && !rangeContainsSkipTrivia(selectionRange, node.parent, file)) {
                return true;
              }
            }
          }
          if (file && isTupleTypeNode(node) && getLineAndCharacterOfPosition(file, node.pos).line === getLineAndCharacterOfPosition(file, node.end).line) {
            setEmitFlags(
              node,
              1
              /* SingleLine */
            );
          }
          return forEachChild(node, visitor2);
        }
      }
      function doTypeAliasChange(changes, file, name, info) {
        const { enclosingNode, typeParameters } = info;
        const { firstTypeNode, lastTypeNode, newTypeNode } = getNodesToEdit(info);
        const newTypeDeclaration = factory.createTypeAliasDeclaration(
          /*modifiers*/
          void 0,
          name,
          typeParameters.map((id) => factory.updateTypeParameterDeclaration(
            id,
            id.modifiers,
            id.name,
            id.constraint,
            /*defaultType*/
            void 0
          )),
          newTypeNode
        );
        changes.insertNodeBefore(
          file,
          enclosingNode,
          ignoreSourceNewlines(newTypeDeclaration),
          /*blankLineBetween*/
          true
        );
        changes.replaceNodeRange(file, firstTypeNode, lastTypeNode, factory.createTypeReferenceNode(name, typeParameters.map((id) => factory.createTypeReferenceNode(
          id.name,
          /*typeArguments*/
          void 0
        ))), { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude, trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.ExcludeWhitespace });
      }
      function doInterfaceChange(changes, file, name, info) {
        var _a;
        const { enclosingNode, typeParameters, typeElements } = info;
        const newTypeNode = factory.createInterfaceDeclaration(
          /*modifiers*/
          void 0,
          name,
          typeParameters,
          /*heritageClauses*/
          void 0,
          typeElements
        );
        setTextRange(newTypeNode, (_a = typeElements[0]) == null ? void 0 : _a.parent);
        changes.insertNodeBefore(
          file,
          enclosingNode,
          ignoreSourceNewlines(newTypeNode),
          /*blankLineBetween*/
          true
        );
        const { firstTypeNode, lastTypeNode } = getNodesToEdit(info);
        changes.replaceNodeRange(file, firstTypeNode, lastTypeNode, factory.createTypeReferenceNode(name, typeParameters.map((id) => factory.createTypeReferenceNode(
          id.name,
          /*typeArguments*/
          void 0
        ))), { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude, trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.ExcludeWhitespace });
      }
      function doTypedefChange(changes, context, file, name, info) {
        var _a;
        toArray(info.selection).forEach((typeNode) => {
          setEmitFlags(
            typeNode,
            3072 | 4096
            /* NoNestedComments */
          );
        });
        const { enclosingNode, typeParameters } = info;
        const { firstTypeNode, lastTypeNode, newTypeNode } = getNodesToEdit(info);
        const node = factory.createJSDocTypedefTag(
          factory.createIdentifier("typedef"),
          factory.createJSDocTypeExpression(newTypeNode),
          factory.createIdentifier(name)
        );
        const templates = [];
        forEach(typeParameters, (typeParameter) => {
          const constraint = getEffectiveConstraintOfTypeParameter(typeParameter);
          const parameter = factory.createTypeParameterDeclaration(
            /*modifiers*/
            void 0,
            typeParameter.name
          );
          const template = factory.createJSDocTemplateTag(
            factory.createIdentifier("template"),
            constraint && cast(constraint, isJSDocTypeExpression),
            [parameter]
          );
          templates.push(template);
        });
        const jsDoc = factory.createJSDocComment(
          /*comment*/
          void 0,
          factory.createNodeArray(concatenate(templates, [node]))
        );
        if (isJSDoc(enclosingNode)) {
          const pos = enclosingNode.getStart(file);
          const newLineCharacter = getNewLineOrDefaultFromHost(context.host, (_a = context.formatContext) == null ? void 0 : _a.options);
          changes.insertNodeAt(file, enclosingNode.getStart(file), jsDoc, {
            suffix: newLineCharacter + newLineCharacter + file.text.slice(getPrecedingNonSpaceCharacterPosition(file.text, pos - 1), pos)
          });
        } else {
          changes.insertNodeBefore(
            file,
            enclosingNode,
            jsDoc,
            /*blankLineBetween*/
            true
          );
        }
        changes.replaceNodeRange(file, firstTypeNode, lastTypeNode, factory.createTypeReferenceNode(name, typeParameters.map((id) => factory.createTypeReferenceNode(
          id.name,
          /*typeArguments*/
          void 0
        ))));
      }
      function getNodesToEdit(info) {
        if (isArray3(info.selection)) {
          return {
            firstTypeNode: info.selection[0],
            lastTypeNode: info.selection[info.selection.length - 1],
            newTypeNode: isUnionTypeNode(info.selection[0].parent) ? factory.createUnionTypeNode(info.selection) : factory.createIntersectionTypeNode(info.selection)
          };
        }
        return {
          firstTypeNode: info.selection,
          lastTypeNode: info.selection,
          newTypeNode: info.selection
        };
      }
      function getEnclosingNode(node, isJS) {
        return findAncestor(node, isStatement) || (isJS ? findAncestor(node, isJSDoc) : void 0);
      }
      function getExpandedSelectionNode(firstType, enclosingNode) {
        return findAncestor(firstType, (node) => {
          if (node === enclosingNode) return "quit";
          if (isUnionTypeNode(node.parent) || isIntersectionTypeNode(node.parent)) {
            return true;
          }
          return false;
        }) ?? firstType;
      }
      var refactorNameForMoveToFile = "Move to file";
      var description = getLocaleSpecificMessage(Diagnostics.Move_to_file);
      var moveToFileAction = {
        name: "Move to file",
        description,
        kind: "refactor.move.file"
      };
      registerRefactor(refactorNameForMoveToFile, {
        kinds: [moveToFileAction.kind],
        getAvailableActions: function getRefactorActionsToMoveToFile(context, interactiveRefactorArguments) {
          const file = context.file;
          const statements = getStatementsToMove(context);
          if (!interactiveRefactorArguments) {
            return emptyArray;
          }
          if (context.triggerReason === "implicit" && context.endPosition !== void 0) {
            const startNodeAncestor = findAncestor(getTokenAtPosition(file, context.startPosition), isBlockLike);
            const endNodeAncestor = findAncestor(getTokenAtPosition(file, context.endPosition), isBlockLike);
            if (startNodeAncestor && !isSourceFile(startNodeAncestor) && endNodeAncestor && !isSourceFile(endNodeAncestor)) {
              return emptyArray;
            }
          }
          if (context.preferences.allowTextChangesInNewFiles && statements) {
            const affectedTextRange = {
              start: { line: getLineAndCharacterOfPosition(file, statements.all[0].getStart(file)).line, offset: getLineAndCharacterOfPosition(file, statements.all[0].getStart(file)).character },
              end: { line: getLineAndCharacterOfPosition(file, last(statements.all).end).line, offset: getLineAndCharacterOfPosition(file, last(statements.all).end).character }
            };
            return [{ name: refactorNameForMoveToFile, description, actions: [{ ...moveToFileAction, range: affectedTextRange }] }];
          }
          if (context.preferences.provideRefactorNotApplicableReason) {
            return [{ name: refactorNameForMoveToFile, description, actions: [{ ...moveToFileAction, notApplicableReason: getLocaleSpecificMessage(Diagnostics.Selection_is_not_a_valid_statement_or_statements) }] }];
          }
          return emptyArray;
        },
        getEditsForAction: function getRefactorEditsToMoveToFile(context, actionName2, interactiveRefactorArguments) {
          Debug.assert(actionName2 === refactorNameForMoveToFile, "Wrong refactor invoked");
          const statements = Debug.checkDefined(getStatementsToMove(context));
          const { host, program } = context;
          Debug.assert(interactiveRefactorArguments, "No interactive refactor arguments available");
          const targetFile = interactiveRefactorArguments.targetFile;
          if (hasJSFileExtension(targetFile) || hasTSFileExtension(targetFile)) {
            if (host.fileExists(targetFile) && program.getSourceFile(targetFile) === void 0) {
              return error(getLocaleSpecificMessage(Diagnostics.Cannot_move_statements_to_the_selected_file));
            }
            const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange3(context, context.file, interactiveRefactorArguments.targetFile, context.program, statements, t, context.host, context.preferences));
            return { edits, renameFilename: void 0, renameLocation: void 0 };
          }
          return error(getLocaleSpecificMessage(Diagnostics.Cannot_move_to_file_selected_file_is_invalid));
        }
      });
      function error(notApplicableReason) {
        return { edits: [], renameFilename: void 0, renameLocation: void 0, notApplicableReason };
      }
      function doChange3(context, oldFile, targetFile, program, toMove, changes, host, preferences) {
        const checker = program.getTypeChecker();
        const isForNewFile = !host.fileExists(targetFile);
        const targetSourceFile = isForNewFile ? createFutureSourceFile(targetFile, oldFile.externalModuleIndicator ? 99 : oldFile.commonJsModuleIndicator ? 1 : void 0, program, host) : Debug.checkDefined(program.getSourceFile(targetFile));
        const importAdderForOldFile = ts_codefix_exports.createImportAdder(oldFile, context.program, context.preferences, context.host);
        const importAdderForNewFile = ts_codefix_exports.createImportAdder(targetSourceFile, context.program, context.preferences, context.host);
        getNewStatementsAndRemoveFromOldFile(oldFile, targetSourceFile, getUsageInfo(oldFile, toMove.all, checker, isForNewFile ? void 0 : getExistingLocals(targetSourceFile, toMove.all, checker)), changes, toMove, program, host, preferences, importAdderForNewFile, importAdderForOldFile);
        if (isForNewFile) {
          addNewFileToTsconfig(program, changes, oldFile.fileName, targetFile, hostGetCanonicalFileName(host));
        }
      }
      function getNewStatementsAndRemoveFromOldFile(oldFile, targetFile, usage, changes, toMove, program, host, preferences, importAdderForNewFile, importAdderForOldFile) {
        const checker = program.getTypeChecker();
        const prologueDirectives = takeWhile(oldFile.statements, isPrologueDirective);
        const useEsModuleSyntax = !fileShouldUseJavaScriptRequire(targetFile.fileName, program, host, !!oldFile.commonJsModuleIndicator);
        const quotePreference = getQuotePreference(oldFile, preferences);
        addImportsForMovedSymbols(usage.oldFileImportsFromTargetFile, targetFile.fileName, importAdderForOldFile, program);
        deleteUnusedOldImports(oldFile, toMove.all, usage.unusedImportsFromOldFile, importAdderForOldFile);
        importAdderForOldFile.writeFixes(changes, quotePreference);
        deleteMovedStatements(oldFile, toMove.ranges, changes);
        updateImportsInOtherFiles(changes, program, host, oldFile, usage.movedSymbols, targetFile.fileName, quotePreference);
        addExportsInOldFile(oldFile, usage.targetFileImportsFromOldFile, changes, useEsModuleSyntax);
        addTargetFileImports(oldFile, usage.oldImportsNeededByTargetFile, usage.targetFileImportsFromOldFile, checker, program, importAdderForNewFile);
        if (!isFullSourceFile(targetFile) && prologueDirectives.length) {
          changes.insertStatementsInNewFile(targetFile.fileName, prologueDirectives, oldFile);
        }
        importAdderForNewFile.writeFixes(changes, quotePreference);
        const body = addExports(oldFile, toMove.all, arrayFrom(usage.oldFileImportsFromTargetFile.keys()), useEsModuleSyntax);
        if (isFullSourceFile(targetFile) && targetFile.statements.length > 0) {
          moveStatementsToTargetFile(changes, program, body, targetFile, toMove);
        } else if (isFullSourceFile(targetFile)) {
          changes.insertNodesAtEndOfFile(
            targetFile,
            body,
            /*blankLineBetween*/
            false
          );
        } else {
          changes.insertStatementsInNewFile(targetFile.fileName, importAdderForNewFile.hasFixes() ? [4, ...body] : body, oldFile);
        }
      }
      function addNewFileToTsconfig(program, changes, oldFileName, newFileNameWithExtension, getCanonicalFileName) {
        const cfg = program.getCompilerOptions().configFile;
        if (!cfg) return;
        const newFileAbsolutePath = normalizePath(combinePaths(oldFileName, "..", newFileNameWithExtension));
        const newFilePath = getRelativePathFromFile(cfg.fileName, newFileAbsolutePath, getCanonicalFileName);
        const cfgObject = cfg.statements[0] && tryCast(cfg.statements[0].expression, isObjectLiteralExpression);
        const filesProp = cfgObject && find(cfgObject.properties, (prop) => isPropertyAssignment(prop) && isStringLiteral2(prop.name) && prop.name.text === "files");
        if (filesProp && isArrayLiteralExpression(filesProp.initializer)) {
          changes.insertNodeInListAfter(cfg, last(filesProp.initializer.elements), factory.createStringLiteral(newFilePath), filesProp.initializer.elements);
        }
      }
      function deleteMovedStatements(sourceFile, moved, changes) {
        for (const { first: first2, afterLast } of moved) {
          changes.deleteNodeRangeExcludingEnd(sourceFile, first2, afterLast);
        }
      }
      function deleteUnusedOldImports(oldFile, toMove, toDelete, importAdder) {
        for (const statement of oldFile.statements) {
          if (contains(toMove, statement)) continue;
          forEachImportInStatement(statement, (i) => {
            forEachAliasDeclarationInImportOrRequire(i, (decl) => {
              if (toDelete.has(decl.symbol)) {
                importAdder.removeExistingImport(decl);
              }
            });
          });
        }
      }
      function addExportsInOldFile(oldFile, targetFileImportsFromOldFile, changes, useEsModuleSyntax) {
        const markSeenTop = nodeSeenTracker();
        targetFileImportsFromOldFile.forEach((_, symbol) => {
          if (!symbol.declarations) {
            return;
          }
          for (const decl of symbol.declarations) {
            if (!isTopLevelDeclaration(decl)) continue;
            const name = nameOfTopLevelDeclaration(decl);
            if (!name) continue;
            const top = getTopLevelDeclarationStatement(decl);
            if (markSeenTop(top)) {
              addExportToChanges(oldFile, top, name, changes, useEsModuleSyntax);
            }
          }
        });
      }
      function updateImportsInOtherFiles(changes, program, host, oldFile, movedSymbols, targetFileName, quotePreference) {
        const checker = program.getTypeChecker();
        for (const sourceFile of program.getSourceFiles()) {
          if (sourceFile === oldFile) continue;
          for (const statement of sourceFile.statements) {
            forEachImportInStatement(statement, (importNode) => {
              if (checker.getSymbolAtLocation(moduleSpecifierFromImport(importNode)) !== oldFile.symbol) return;
              const shouldMove = (name) => {
                const symbol = isBindingElement(name.parent) ? getPropertySymbolFromBindingElement(checker, name.parent) : skipAlias(checker.getSymbolAtLocation(name), checker);
                return !!symbol && movedSymbols.has(symbol);
              };
              deleteUnusedImports(sourceFile, importNode, changes, shouldMove);
              const pathToTargetFileWithExtension = resolvePath(getDirectoryPath(getNormalizedAbsolutePath(oldFile.fileName, program.getCurrentDirectory())), targetFileName);
              if (getStringComparer(!program.useCaseSensitiveFileNames())(pathToTargetFileWithExtension, sourceFile.fileName) === 0) return;
              const newModuleSpecifier = getModuleSpecifier(program.getCompilerOptions(), sourceFile, sourceFile.fileName, pathToTargetFileWithExtension, createModuleSpecifierResolutionHost(program, host));
              const newImportDeclaration = filterImport(importNode, makeStringLiteral(newModuleSpecifier, quotePreference), shouldMove);
              if (newImportDeclaration) changes.insertNodeAfter(sourceFile, statement, newImportDeclaration);
              const ns = getNamespaceLikeImport(importNode);
              if (ns) updateNamespaceLikeImport(changes, sourceFile, checker, movedSymbols, newModuleSpecifier, ns, importNode, quotePreference);
            });
          }
        }
      }
      function getNamespaceLikeImport(node) {
        switch (node.kind) {
          case 272:
            return node.importClause && node.importClause.namedBindings && node.importClause.namedBindings.kind === 274 ? node.importClause.namedBindings.name : void 0;
          case 271:
            return node.name;
          case 260:
            return tryCast(node.name, isIdentifier);
          default:
            return Debug.assertNever(node, `Unexpected node kind ${node.kind}`);
        }
      }
      function updateNamespaceLikeImport(changes, sourceFile, checker, movedSymbols, newModuleSpecifier, oldImportId, oldImportNode, quotePreference) {
        const preferredNewNamespaceName = moduleSpecifierToValidIdentifier(
          newModuleSpecifier,
          99
          /* ESNext */
        );
        let needUniqueName = false;
        const toChange = [];
        ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(oldImportId, checker, sourceFile, (ref) => {
          if (!isPropertyAccessExpression(ref.parent)) return;
          needUniqueName = needUniqueName || !!checker.resolveName(
            preferredNewNamespaceName,
            ref,
            -1,
            /*excludeGlobals*/
            true
          );
          if (movedSymbols.has(checker.getSymbolAtLocation(ref.parent.name))) {
            toChange.push(ref);
          }
        });
        if (toChange.length) {
          const newNamespaceName = needUniqueName ? getUniqueName(preferredNewNamespaceName, sourceFile) : preferredNewNamespaceName;
          for (const ref of toChange) {
            changes.replaceNode(sourceFile, ref, factory.createIdentifier(newNamespaceName));
          }
          changes.insertNodeAfter(sourceFile, oldImportNode, updateNamespaceLikeImportNode(oldImportNode, preferredNewNamespaceName, newModuleSpecifier, quotePreference));
        }
      }
      function updateNamespaceLikeImportNode(node, newNamespaceName, newModuleSpecifier, quotePreference) {
        const newNamespaceId = factory.createIdentifier(newNamespaceName);
        const newModuleString = makeStringLiteral(newModuleSpecifier, quotePreference);
        switch (node.kind) {
          case 272:
            return factory.createImportDeclaration(
              /*modifiers*/
              void 0,
              factory.createImportClause(
                /*isTypeOnly*/
                false,
                /*name*/
                void 0,
                factory.createNamespaceImport(newNamespaceId)
              ),
              newModuleString,
              /*attributes*/
              void 0
            );
          case 271:
            return factory.createImportEqualsDeclaration(
              /*modifiers*/
              void 0,
              /*isTypeOnly*/
              false,
              newNamespaceId,
              factory.createExternalModuleReference(newModuleString)
            );
          case 260:
            return factory.createVariableDeclaration(
              newNamespaceId,
              /*exclamationToken*/
              void 0,
              /*type*/
              void 0,
              createRequireCall(newModuleString)
            );
          default:
            return Debug.assertNever(node, `Unexpected node kind ${node.kind}`);
        }
      }
      function createRequireCall(moduleSpecifier) {
        return factory.createCallExpression(
          factory.createIdentifier("require"),
          /*typeArguments*/
          void 0,
          [moduleSpecifier]
        );
      }
      function moduleSpecifierFromImport(i) {
        return i.kind === 272 ? i.moduleSpecifier : i.kind === 271 ? i.moduleReference.expression : i.initializer.arguments[0];
      }
      function forEachImportInStatement(statement, cb) {
        if (isImportDeclaration(statement)) {
          if (isStringLiteral2(statement.moduleSpecifier)) cb(statement);
        } else if (isImportEqualsDeclaration(statement)) {
          if (isExternalModuleReference(statement.moduleReference) && isStringLiteralLike(statement.moduleReference.expression)) {
            cb(statement);
          }
        } else if (isVariableStatement(statement)) {
          for (const decl of statement.declarationList.declarations) {
            if (decl.initializer && isRequireCall(
              decl.initializer,
              /*requireStringLiteralLikeArgument*/
              true
            )) {
              cb(decl);
            }
          }
        }
      }
      function forEachAliasDeclarationInImportOrRequire(importOrRequire, cb) {
        var _a, _b, _c, _d, _e;
        if (importOrRequire.kind === 272) {
          if ((_a = importOrRequire.importClause) == null ? void 0 : _a.name) {
            cb(importOrRequire.importClause);
          }
          if (((_c = (_b = importOrRequire.importClause) == null ? void 0 : _b.namedBindings) == null ? void 0 : _c.kind) === 274) {
            cb(importOrRequire.importClause.namedBindings);
          }
          if (((_e = (_d = importOrRequire.importClause) == null ? void 0 : _d.namedBindings) == null ? void 0 : _e.kind) === 275) {
            for (const element of importOrRequire.importClause.namedBindings.elements) {
              cb(element);
            }
          }
        } else if (importOrRequire.kind === 271) {
          cb(importOrRequire);
        } else if (importOrRequire.kind === 260) {
          if (importOrRequire.name.kind === 80) {
            cb(importOrRequire);
          } else if (importOrRequire.name.kind === 206) {
            for (const element of importOrRequire.name.elements) {
              if (isIdentifier(element.name)) {
                cb(element);
              }
            }
          }
        }
      }
      function addImportsForMovedSymbols(symbols, targetFileName, importAdder, program) {
        for (const [symbol, isValidTypeOnlyUseSite] of symbols) {
          const symbolName2 = getNameForExportedSymbol(symbol, getEmitScriptTarget(program.getCompilerOptions()));
          const exportKind = symbol.name === "default" && symbol.parent ? 1 : 0;
          importAdder.addImportForNonExistentExport(symbolName2, targetFileName, exportKind, symbol.flags, isValidTypeOnlyUseSite);
        }
      }
      function makeVariableStatement(name, type, initializer, flags = 2) {
        return factory.createVariableStatement(
          /*modifiers*/
          void 0,
          factory.createVariableDeclarationList([factory.createVariableDeclaration(
            name,
            /*exclamationToken*/
            void 0,
            type,
            initializer
          )], flags)
        );
      }
      function addExports(sourceFile, toMove, needExport, useEs6Exports) {
        return flatMap(toMove, (statement) => {
          if (isTopLevelDeclarationStatement(statement) && !isExported(sourceFile, statement, useEs6Exports) && forEachTopLevelDeclaration(statement, (d) => {
            var _a;
            return needExport.includes(Debug.checkDefined((_a = tryCast(d, canHaveSymbol)) == null ? void 0 : _a.symbol));
          })) {
            const exports22 = addExport(getSynthesizedDeepClone(statement), useEs6Exports);
            if (exports22) return exports22;
          }
          return getSynthesizedDeepClone(statement);
        });
      }
      function isExported(sourceFile, decl, useEs6Exports, name) {
        var _a;
        if (useEs6Exports) {
          return !isExpressionStatement2(decl) && hasSyntacticModifier(
            decl,
            32
            /* Export */
          ) || !!(name && sourceFile.symbol && ((_a = sourceFile.symbol.exports) == null ? void 0 : _a.has(name.escapedText)));
        }
        return !!sourceFile.symbol && !!sourceFile.symbol.exports && getNamesToExportInCommonJS(decl).some((name2) => sourceFile.symbol.exports.has(escapeLeadingUnderscores(name2)));
      }
      function deleteUnusedImports(sourceFile, importDecl, changes, isUnused) {
        if (importDecl.kind === 272 && importDecl.importClause) {
          const { name, namedBindings } = importDecl.importClause;
          if ((!name || isUnused(name)) && (!namedBindings || namedBindings.kind === 275 && namedBindings.elements.length !== 0 && namedBindings.elements.every((e) => isUnused(e.name)))) {
            return changes.delete(sourceFile, importDecl);
          }
        }
        forEachAliasDeclarationInImportOrRequire(importDecl, (i) => {
          if (i.name && isIdentifier(i.name) && isUnused(i.name)) {
            changes.delete(sourceFile, i);
          }
        });
      }
      function isTopLevelDeclarationStatement(node) {
        Debug.assert(isSourceFile(node.parent), "Node parent should be a SourceFile");
        return isNonVariableTopLevelDeclaration(node) || isVariableStatement(node);
      }
      function addExport(decl, useEs6Exports) {
        return useEs6Exports ? [addEs6Export(decl)] : addCommonjsExport(decl);
      }
      function addEs6Export(d) {
        const modifiers = canHaveModifiers(d) ? concatenate([factory.createModifier(
          95
          /* ExportKeyword */
        )], getModifiers(d)) : void 0;
        switch (d.kind) {
          case 262:
            return factory.updateFunctionDeclaration(d, modifiers, d.asteriskToken, d.name, d.typeParameters, d.parameters, d.type, d.body);
          case 263:
            const decorators = canHaveDecorators(d) ? getDecorators(d) : void 0;
            return factory.updateClassDeclaration(d, concatenate(decorators, modifiers), d.name, d.typeParameters, d.heritageClauses, d.members);
          case 243:
            return factory.updateVariableStatement(d, modifiers, d.declarationList);
          case 267:
            return factory.updateModuleDeclaration(d, modifiers, d.name, d.body);
          case 266:
            return factory.updateEnumDeclaration(d, modifiers, d.name, d.members);
          case 265:
            return factory.updateTypeAliasDeclaration(d, modifiers, d.name, d.typeParameters, d.type);
          case 264:
            return factory.updateInterfaceDeclaration(d, modifiers, d.name, d.typeParameters, d.heritageClauses, d.members);
          case 271:
            return factory.updateImportEqualsDeclaration(d, modifiers, d.isTypeOnly, d.name, d.moduleReference);
          case 244:
            return Debug.fail();
          default:
            return Debug.assertNever(d, `Unexpected declaration kind ${d.kind}`);
        }
      }
      function addCommonjsExport(decl) {
        return [decl, ...getNamesToExportInCommonJS(decl).map(createExportAssignment)];
      }
      function createExportAssignment(name) {
        return factory.createExpressionStatement(
          factory.createBinaryExpression(
            factory.createPropertyAccessExpression(factory.createIdentifier("exports"), factory.createIdentifier(name)),
            64,
            factory.createIdentifier(name)
          )
        );
      }
      function getNamesToExportInCommonJS(decl) {
        switch (decl.kind) {
          case 262:
          case 263:
            return [decl.name.text];
          case 243:
            return mapDefined(decl.declarationList.declarations, (d) => isIdentifier(d.name) ? d.name.text : void 0);
          case 267:
          case 266:
          case 265:
          case 264:
          case 271:
            return emptyArray;
          case 244:
            return Debug.fail("Can't export an ExpressionStatement");
          default:
            return Debug.assertNever(decl, `Unexpected decl kind ${decl.kind}`);
        }
      }
      function filterImport(i, moduleSpecifier, keep) {
        switch (i.kind) {
          case 272: {
            const clause = i.importClause;
            if (!clause) return void 0;
            const defaultImport = clause.name && keep(clause.name) ? clause.name : void 0;
            const namedBindings = clause.namedBindings && filterNamedBindings(clause.namedBindings, keep);
            return defaultImport || namedBindings ? factory.createImportDeclaration(
              /*modifiers*/
              void 0,
              factory.createImportClause(clause.isTypeOnly, defaultImport, namedBindings),
              getSynthesizedDeepClone(moduleSpecifier),
              /*attributes*/
              void 0
            ) : void 0;
          }
          case 271:
            return keep(i.name) ? i : void 0;
          case 260: {
            const name = filterBindingName(i.name, keep);
            return name ? makeVariableStatement(name, i.type, createRequireCall(moduleSpecifier), i.parent.flags) : void 0;
          }
          default:
            return Debug.assertNever(i, `Unexpected import kind ${i.kind}`);
        }
      }
      function filterNamedBindings(namedBindings, keep) {
        if (namedBindings.kind === 274) {
          return keep(namedBindings.name) ? namedBindings : void 0;
        } else {
          const newElements = namedBindings.elements.filter((e) => keep(e.name));
          return newElements.length ? factory.createNamedImports(newElements) : void 0;
        }
      }
      function filterBindingName(name, keep) {
        switch (name.kind) {
          case 80:
            return keep(name) ? name : void 0;
          case 207:
            return name;
          case 206: {
            const newElements = name.elements.filter((prop) => prop.propertyName || !isIdentifier(prop.name) || keep(prop.name));
            return newElements.length ? factory.createObjectBindingPattern(newElements) : void 0;
          }
        }
      }
      function nameOfTopLevelDeclaration(d) {
        return isExpressionStatement2(d) ? tryCast(d.expression.left.name, isIdentifier) : tryCast(d.name, isIdentifier);
      }
      function getTopLevelDeclarationStatement(d) {
        switch (d.kind) {
          case 260:
            return d.parent.parent;
          case 208:
            return getTopLevelDeclarationStatement(
              cast(d.parent.parent, (p) => isVariableDeclaration(p) || isBindingElement(p))
            );
          default:
            return d;
        }
      }
      function addExportToChanges(sourceFile, decl, name, changes, useEs6Exports) {
        if (isExported(sourceFile, decl, useEs6Exports, name)) return;
        if (useEs6Exports) {
          if (!isExpressionStatement2(decl)) changes.insertExportModifier(sourceFile, decl);
        } else {
          const names = getNamesToExportInCommonJS(decl);
          if (names.length !== 0) changes.insertNodesAfter(sourceFile, decl, names.map(createExportAssignment));
        }
      }
      function createNewFileName(oldFile, program, host, toMove) {
        const checker = program.getTypeChecker();
        if (toMove) {
          const usage = getUsageInfo(oldFile, toMove.all, checker);
          const currentDirectory = getDirectoryPath(oldFile.fileName);
          const extension = extensionFromPath(oldFile.fileName);
          const newFileName = combinePaths(
            // new file is always placed in the same directory as the old file
            currentDirectory,
            // ensures the filename computed below isn't already taken
            makeUniqueFilename(
              // infers a name for the new file from the symbols being moved
              inferNewFileName(usage.oldFileImportsFromTargetFile, usage.movedSymbols),
              extension,
              currentDirectory,
              host
            )
          ) + extension;
          return newFileName;
        }
        return "";
      }
      function getRangeToMove(context) {
        const { file } = context;
        const range = createTextRangeFromSpan(getRefactorContextSpan(context));
        const { statements } = file;
        let startNodeIndex = findIndex(statements, (s) => s.end > range.pos);
        if (startNodeIndex === -1) return void 0;
        const startStatement = statements[startNodeIndex];
        const overloadRangeToMove = getOverloadRangeToMove(file, startStatement);
        if (overloadRangeToMove) {
          startNodeIndex = overloadRangeToMove.start;
        }
        let endNodeIndex = findIndex(statements, (s) => s.end >= range.end, startNodeIndex);
        if (endNodeIndex !== -1 && range.end <= statements[endNodeIndex].getStart()) {
          endNodeIndex--;
        }
        const endingOverloadRangeToMove = getOverloadRangeToMove(file, statements[endNodeIndex]);
        if (endingOverloadRangeToMove) {
          endNodeIndex = endingOverloadRangeToMove.end;
        }
        return {
          toMove: statements.slice(startNodeIndex, endNodeIndex === -1 ? statements.length : endNodeIndex + 1),
          afterLast: endNodeIndex === -1 ? void 0 : statements[endNodeIndex + 1]
        };
      }
      function getStatementsToMove(context) {
        const rangeToMove = getRangeToMove(context);
        if (rangeToMove === void 0) return void 0;
        const all = [];
        const ranges = [];
        const { toMove, afterLast } = rangeToMove;
        getRangesWhere(toMove, isAllowedStatementToMove, (start, afterEndIndex) => {
          for (let i = start; i < afterEndIndex; i++) all.push(toMove[i]);
          ranges.push({ first: toMove[start], afterLast });
        });
        return all.length === 0 ? void 0 : { all, ranges };
      }
      function containsJsx(statements) {
        return find(statements, (statement) => !!(statement.transformFlags & 2));
      }
      function isAllowedStatementToMove(statement) {
        return !isPureImport(statement) && !isPrologueDirective(statement);
      }
      function isPureImport(node) {
        switch (node.kind) {
          case 272:
            return true;
          case 271:
            return !hasSyntacticModifier(
              node,
              32
              /* Export */
            );
          case 243:
            return node.declarationList.declarations.every((d) => !!d.initializer && isRequireCall(
              d.initializer,
              /*requireStringLiteralLikeArgument*/
              true
            ));
          default:
            return false;
        }
      }
      function getUsageInfo(oldFile, toMove, checker, existingTargetLocals = /* @__PURE__ */ new Set()) {
        var _a;
        const movedSymbols = /* @__PURE__ */ new Set();
        const oldImportsNeededByTargetFile = /* @__PURE__ */ new Map();
        const targetFileImportsFromOldFile = /* @__PURE__ */ new Map();
        const jsxNamespaceSymbol = getJsxNamespaceSymbol(containsJsx(toMove));
        if (jsxNamespaceSymbol) {
          oldImportsNeededByTargetFile.set(jsxNamespaceSymbol, [false, tryCast((_a = jsxNamespaceSymbol.declarations) == null ? void 0 : _a[0], (d) => isImportSpecifier(d) || isImportClause(d) || isNamespaceImport(d) || isImportEqualsDeclaration(d) || isBindingElement(d) || isVariableDeclaration(d))]);
        }
        for (const statement of toMove) {
          forEachTopLevelDeclaration(statement, (decl) => {
            movedSymbols.add(Debug.checkDefined(isExpressionStatement2(decl) ? checker.getSymbolAtLocation(decl.expression.left) : decl.symbol, "Need a symbol here"));
          });
        }
        const unusedImportsFromOldFile = /* @__PURE__ */ new Set();
        for (const statement of toMove) {
          forEachReference(statement, checker, (symbol, isValidTypeOnlyUseSite) => {
            if (!symbol.declarations || isGlobalType(checker, symbol)) {
              return;
            }
            if (existingTargetLocals.has(skipAlias(symbol, checker))) {
              unusedImportsFromOldFile.add(symbol);
              return;
            }
            for (const decl of symbol.declarations) {
              if (isInImport(decl)) {
                const prevIsTypeOnly = oldImportsNeededByTargetFile.get(symbol);
                oldImportsNeededByTargetFile.set(symbol, [
                  prevIsTypeOnly === void 0 ? isValidTypeOnlyUseSite : prevIsTypeOnly && isValidTypeOnlyUseSite,
                  tryCast(decl, (d) => isImportSpecifier(d) || isImportClause(d) || isNamespaceImport(d) || isImportEqualsDeclaration(d) || isBindingElement(d) || isVariableDeclaration(d))
                ]);
              } else if (isTopLevelDeclaration(decl) && sourceFileOfTopLevelDeclaration(decl) === oldFile && !movedSymbols.has(symbol)) {
                targetFileImportsFromOldFile.set(symbol, isValidTypeOnlyUseSite);
              }
            }
          });
        }
        for (const unusedImport of oldImportsNeededByTargetFile.keys()) {
          unusedImportsFromOldFile.add(unusedImport);
        }
        const oldFileImportsFromTargetFile = /* @__PURE__ */ new Map();
        for (const statement of oldFile.statements) {
          if (contains(toMove, statement)) continue;
          if (jsxNamespaceSymbol && !!(statement.transformFlags & 2)) {
            unusedImportsFromOldFile.delete(jsxNamespaceSymbol);
          }
          forEachReference(statement, checker, (symbol, isValidTypeOnlyUseSite) => {
            if (movedSymbols.has(symbol)) oldFileImportsFromTargetFile.set(symbol, isValidTypeOnlyUseSite);
            unusedImportsFromOldFile.delete(symbol);
          });
        }
        return { movedSymbols, targetFileImportsFromOldFile, oldFileImportsFromTargetFile, oldImportsNeededByTargetFile, unusedImportsFromOldFile };
        function getJsxNamespaceSymbol(containsJsx2) {
          if (containsJsx2 === void 0) {
            return void 0;
          }
          const jsxNamespace = checker.getJsxNamespace(containsJsx2);
          const jsxNamespaceSymbol2 = checker.resolveName(
            jsxNamespace,
            containsJsx2,
            1920,
            /*excludeGlobals*/
            true
          );
          return !!jsxNamespaceSymbol2 && some(jsxNamespaceSymbol2.declarations, isInImport) ? jsxNamespaceSymbol2 : void 0;
        }
      }
      function isGlobalType(checker, symbol) {
        return !!checker.resolveName(
          symbol.name,
          /*location*/
          void 0,
          788968,
          /*excludeGlobals*/
          false
        );
      }
      function makeUniqueFilename(proposedFilename, extension, inDirectory, host) {
        let newFilename = proposedFilename;
        for (let i = 1; ; i++) {
          const name = combinePaths(inDirectory, newFilename + extension);
          if (!host.fileExists(name)) return newFilename;
          newFilename = `${proposedFilename}.${i}`;
        }
      }
      function inferNewFileName(importsFromNewFile, movedSymbols) {
        return forEachKey(importsFromNewFile, symbolNameNoDefault) || forEachKey(movedSymbols, symbolNameNoDefault) || "newFile";
      }
      function forEachReference(node, checker, onReference) {
        node.forEachChild(function cb(node2) {
          if (isIdentifier(node2) && !isDeclarationName(node2)) {
            const sym = checker.getSymbolAtLocation(node2);
            if (sym) onReference(sym, isValidTypeOnlyAliasUseSite(node2));
          } else {
            node2.forEachChild(cb);
          }
        });
      }
      function forEachTopLevelDeclaration(statement, cb) {
        switch (statement.kind) {
          case 262:
          case 263:
          case 267:
          case 266:
          case 265:
          case 264:
          case 271:
            return cb(statement);
          case 243:
            return firstDefined(statement.declarationList.declarations, (decl) => forEachTopLevelDeclarationInBindingName(decl.name, cb));
          case 244: {
            const { expression } = statement;
            return isBinaryExpression(expression) && getAssignmentDeclarationKind(expression) === 1 ? cb(statement) : void 0;
          }
        }
      }
      function isInImport(decl) {
        switch (decl.kind) {
          case 271:
          case 276:
          case 273:
          case 274:
            return true;
          case 260:
            return isVariableDeclarationInImport(decl);
          case 208:
            return isVariableDeclaration(decl.parent.parent) && isVariableDeclarationInImport(decl.parent.parent);
          default:
            return false;
        }
      }
      function isVariableDeclarationInImport(decl) {
        return isSourceFile(decl.parent.parent.parent) && !!decl.initializer && isRequireCall(
          decl.initializer,
          /*requireStringLiteralLikeArgument*/
          true
        );
      }
      function isTopLevelDeclaration(node) {
        return isNonVariableTopLevelDeclaration(node) && isSourceFile(node.parent) || isVariableDeclaration(node) && isSourceFile(node.parent.parent.parent);
      }
      function sourceFileOfTopLevelDeclaration(node) {
        return isVariableDeclaration(node) ? node.parent.parent.parent : node.parent;
      }
      function forEachTopLevelDeclarationInBindingName(name, cb) {
        switch (name.kind) {
          case 80:
            return cb(cast(name.parent, (x) => isVariableDeclaration(x) || isBindingElement(x)));
          case 207:
          case 206:
            return firstDefined(name.elements, (em) => isOmittedExpression(em) ? void 0 : forEachTopLevelDeclarationInBindingName(em.name, cb));
          default:
            return Debug.assertNever(name, `Unexpected name kind ${name.kind}`);
        }
      }
      function isNonVariableTopLevelDeclaration(node) {
        switch (node.kind) {
          case 262:
          case 263:
          case 267:
          case 266:
          case 265:
          case 264:
          case 271:
            return true;
          default:
            return false;
        }
      }
      function moveStatementsToTargetFile(changes, program, statements, targetFile, toMove) {
        var _a;
        const removedExports = /* @__PURE__ */ new Set();
        const targetExports = (_a = targetFile.symbol) == null ? void 0 : _a.exports;
        if (targetExports) {
          const checker = program.getTypeChecker();
          const targetToSourceExports = /* @__PURE__ */ new Map();
          for (const node of toMove.all) {
            if (isTopLevelDeclarationStatement(node) && hasSyntacticModifier(
              node,
              32
              /* Export */
            )) {
              forEachTopLevelDeclaration(node, (declaration) => {
                var _a2;
                const targetDeclarations = canHaveSymbol(declaration) ? (_a2 = targetExports.get(declaration.symbol.escapedName)) == null ? void 0 : _a2.declarations : void 0;
                const exportDeclaration = firstDefined(targetDeclarations, (d) => isExportDeclaration(d) ? d : isExportSpecifier(d) ? tryCast(d.parent.parent, isExportDeclaration) : void 0);
                if (exportDeclaration && exportDeclaration.moduleSpecifier) {
                  targetToSourceExports.set(exportDeclaration, (targetToSourceExports.get(exportDeclaration) || /* @__PURE__ */ new Set()).add(declaration));
                }
              });
            }
          }
          for (const [exportDeclaration, topLevelDeclarations] of arrayFrom(targetToSourceExports)) {
            if (exportDeclaration.exportClause && isNamedExports(exportDeclaration.exportClause) && length(exportDeclaration.exportClause.elements)) {
              const elements = exportDeclaration.exportClause.elements;
              const updatedElements = filter(elements, (elem) => find(skipAlias(elem.symbol, checker).declarations, (d) => isTopLevelDeclaration(d) && topLevelDeclarations.has(d)) === void 0);
              if (length(updatedElements) === 0) {
                changes.deleteNode(targetFile, exportDeclaration);
                removedExports.add(exportDeclaration);
                continue;
              }
              if (length(updatedElements) < length(elements)) {
                changes.replaceNode(targetFile, exportDeclaration, factory.updateExportDeclaration(exportDeclaration, exportDeclaration.modifiers, exportDeclaration.isTypeOnly, factory.updateNamedExports(exportDeclaration.exportClause, factory.createNodeArray(updatedElements, elements.hasTrailingComma)), exportDeclaration.moduleSpecifier, exportDeclaration.attributes));
              }
            }
          }
        }
        const lastReExport = findLast(targetFile.statements, (n) => isExportDeclaration(n) && !!n.moduleSpecifier && !removedExports.has(n));
        if (lastReExport) {
          changes.insertNodesBefore(
            targetFile,
            lastReExport,
            statements,
            /*blankLineBetween*/
            true
          );
        } else {
          changes.insertNodesAfter(targetFile, targetFile.statements[targetFile.statements.length - 1], statements);
        }
      }
      function getOverloadRangeToMove(sourceFile, statement) {
        if (isFunctionLikeDeclaration(statement)) {
          const declarations = statement.symbol.declarations;
          if (declarations === void 0 || length(declarations) <= 1 || !contains(declarations, statement)) {
            return void 0;
          }
          const firstDecl = declarations[0];
          const lastDecl = declarations[length(declarations) - 1];
          const statementsToMove = mapDefined(declarations, (d) => getSourceFileOfNode(d) === sourceFile && isStatement(d) ? d : void 0);
          const end = findIndex(sourceFile.statements, (s) => s.end >= lastDecl.end);
          const start = findIndex(sourceFile.statements, (s) => s.end >= firstDecl.end);
          return { toMove: statementsToMove, start, end };
        }
        return void 0;
      }
      function getExistingLocals(sourceFile, statements, checker) {
        const existingLocals = /* @__PURE__ */ new Set();
        for (const moduleSpecifier of sourceFile.imports) {
          const declaration = importFromModuleSpecifier(moduleSpecifier);
          if (isImportDeclaration(declaration) && declaration.importClause && declaration.importClause.namedBindings && isNamedImports(declaration.importClause.namedBindings)) {
            for (const e of declaration.importClause.namedBindings.elements) {
              const symbol = checker.getSymbolAtLocation(e.propertyName || e.name);
              if (symbol) {
                existingLocals.add(skipAlias(symbol, checker));
              }
            }
          }
          if (isVariableDeclarationInitializedToRequire(declaration.parent) && isObjectBindingPattern(declaration.parent.name)) {
            for (const e of declaration.parent.name.elements) {
              const symbol = checker.getSymbolAtLocation(e.propertyName || e.name);
              if (symbol) {
                existingLocals.add(skipAlias(symbol, checker));
              }
            }
          }
        }
        for (const statement of statements) {
          forEachReference(statement, checker, (s) => {
            const symbol = skipAlias(s, checker);
            if (symbol.valueDeclaration && getSourceFileOfNode(symbol.valueDeclaration).path === sourceFile.path) {
              existingLocals.add(symbol);
            }
          });
        }
        return existingLocals;
      }
      function isRefactorErrorInfo(info) {
        return info.error !== void 0;
      }
      function refactorKindBeginsWith(known, requested) {
        if (!requested) return true;
        return known.substr(0, requested.length) === requested;
      }
      function getIdentifierForNode(node, scope, checker, file) {
        return isPropertyAccessExpression(node) && !isClassLike(scope) && !checker.resolveName(
          node.name.text,
          node,
          111551,
          /*excludeGlobals*/
          false
        ) && !isPrivateIdentifier(node.name) && !identifierToKeywordKind(node.name) ? node.name.text : getUniqueName(isClassLike(scope) ? "newProperty" : "newLocal", file);
      }
      function addTargetFileImports(oldFile, importsToCopy, targetFileImportsFromOldFile, checker, program, importAdder) {
        importsToCopy.forEach(([isValidTypeOnlyUseSite, declaration], symbol) => {
          var _a;
          const targetSymbol = skipAlias(symbol, checker);
          if (checker.isUnknownSymbol(targetSymbol)) {
            importAdder.addVerbatimImport(Debug.checkDefined(declaration ?? findAncestor((_a = symbol.declarations) == null ? void 0 : _a[0], isAnyImportOrRequireStatement)));
          } else {
            importAdder.addImportFromExportedSymbol(targetSymbol, isValidTypeOnlyUseSite, declaration);
          }
        });
        addImportsForMovedSymbols(targetFileImportsFromOldFile, oldFile.fileName, importAdder, program);
      }
      var refactorName4 = "Inline variable";
      var refactorDescription = getLocaleSpecificMessage(Diagnostics.Inline_variable);
      var inlineVariableAction = {
        name: refactorName4,
        description: refactorDescription,
        kind: "refactor.inline.variable"
      };
      registerRefactor(refactorName4, {
        kinds: [inlineVariableAction.kind],
        getAvailableActions(context) {
          const {
            file,
            program,
            preferences,
            startPosition,
            triggerReason
          } = context;
          const info = getInliningInfo(file, startPosition, triggerReason === "invoked", program);
          if (!info) {
            return emptyArray;
          }
          if (!ts_refactor_exports.isRefactorErrorInfo(info)) {
            return [{
              name: refactorName4,
              description: refactorDescription,
              actions: [inlineVariableAction]
            }];
          }
          if (preferences.provideRefactorNotApplicableReason) {
            return [{
              name: refactorName4,
              description: refactorDescription,
              actions: [{
                ...inlineVariableAction,
                notApplicableReason: info.error
              }]
            }];
          }
          return emptyArray;
        },
        getEditsForAction(context, actionName2) {
          Debug.assert(actionName2 === refactorName4, "Unexpected refactor invoked");
          const { file, program, startPosition } = context;
          const info = getInliningInfo(
            file,
            startPosition,
            /*tryWithReferenceToken*/
            true,
            program
          );
          if (!info || ts_refactor_exports.isRefactorErrorInfo(info)) {
            return void 0;
          }
          const { references, declaration, replacement } = info;
          const edits = ts_textChanges_exports.ChangeTracker.with(context, (tracker2) => {
            for (const node of references) {
              tracker2.replaceNode(file, node, getReplacementExpression(node, replacement));
            }
            tracker2.delete(file, declaration);
          });
          return { edits };
        }
      });
      function getInliningInfo(file, startPosition, tryWithReferenceToken, program) {
        var _a, _b;
        const checker = program.getTypeChecker();
        const token = getTouchingPropertyName(file, startPosition);
        const parent2 = token.parent;
        if (!isIdentifier(token)) {
          return void 0;
        }
        if (isInitializedVariable(parent2) && isVariableDeclarationInVariableStatement(parent2) && isIdentifier(parent2.name)) {
          if (((_a = checker.getMergedSymbol(parent2.symbol).declarations) == null ? void 0 : _a.length) !== 1) {
            return { error: getLocaleSpecificMessage(Diagnostics.Variables_with_multiple_declarations_cannot_be_inlined) };
          }
          if (isDeclarationExported(parent2)) {
            return void 0;
          }
          const references = getReferenceNodes(parent2, checker, file);
          return references && { references, declaration: parent2, replacement: parent2.initializer };
        }
        if (tryWithReferenceToken) {
          let definition = checker.resolveName(
            token.text,
            token,
            111551,
            /*excludeGlobals*/
            false
          );
          definition = definition && checker.getMergedSymbol(definition);
          if (((_b = definition == null ? void 0 : definition.declarations) == null ? void 0 : _b.length) !== 1) {
            return { error: getLocaleSpecificMessage(Diagnostics.Variables_with_multiple_declarations_cannot_be_inlined) };
          }
          const declaration = definition.declarations[0];
          if (!isInitializedVariable(declaration) || !isVariableDeclarationInVariableStatement(declaration) || !isIdentifier(declaration.name)) {
            return void 0;
          }
          if (isDeclarationExported(declaration)) {
            return void 0;
          }
          const references = getReferenceNodes(declaration, checker, file);
          return references && { references, declaration, replacement: declaration.initializer };
        }
        return { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_variable_to_inline) };
      }
      function isDeclarationExported(declaration) {
        const variableStatement = cast(declaration.parent.parent, isVariableStatement);
        return some(variableStatement.modifiers, isExportModifier);
      }
      function getReferenceNodes(declaration, checker, file) {
        const references = [];
        const cannotInline = ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(declaration.name, checker, file, (ref) => {
          if (ts_FindAllReferences_exports.isWriteAccessForReference(ref) && !isShorthandPropertyAssignment(ref.parent)) {
            return true;
          }
          if (isExportSpecifier(ref.parent) || isExportAssignment(ref.parent)) {
            return true;
          }
          if (isTypeQueryNode(ref.parent)) {
            return true;
          }
          if (textRangeContainsPositionInclusive(declaration, ref.pos)) {
            return true;
          }
          references.push(ref);
        });
        return references.length === 0 || cannotInline ? void 0 : references;
      }
      function getReplacementExpression(reference, replacement) {
        replacement = getSynthesizedDeepClone(replacement);
        const { parent: parent2 } = reference;
        if (isExpression(parent2) && (getExpressionPrecedence(replacement) < getExpressionPrecedence(parent2) || needsParentheses2(parent2))) {
          return factory.createParenthesizedExpression(replacement);
        }
        if (isFunctionLike(replacement) && (isCallLikeExpression(parent2) || isPropertyAccessExpression(parent2))) {
          return factory.createParenthesizedExpression(replacement);
        }
        if (isPropertyAccessExpression(parent2) && (isNumericLiteral(replacement) || isObjectLiteralExpression(replacement))) {
          return factory.createParenthesizedExpression(replacement);
        }
        if (isIdentifier(reference) && isShorthandPropertyAssignment(parent2)) {
          return factory.createPropertyAssignment(reference, replacement);
        }
        return replacement;
      }
      var refactorName5 = "Move to a new file";
      var description2 = getLocaleSpecificMessage(Diagnostics.Move_to_a_new_file);
      var moveToNewFileAction = {
        name: refactorName5,
        description: description2,
        kind: "refactor.move.newFile"
      };
      registerRefactor(refactorName5, {
        kinds: [moveToNewFileAction.kind],
        getAvailableActions: function getRefactorActionsToMoveToNewFile(context) {
          const statements = getStatementsToMove(context);
          const file = context.file;
          if (context.triggerReason === "implicit" && context.endPosition !== void 0) {
            const startNodeAncestor = findAncestor(getTokenAtPosition(file, context.startPosition), isBlockLike);
            const endNodeAncestor = findAncestor(getTokenAtPosition(file, context.endPosition), isBlockLike);
            if (startNodeAncestor && !isSourceFile(startNodeAncestor) && endNodeAncestor && !isSourceFile(endNodeAncestor)) {
              return emptyArray;
            }
          }
          if (context.preferences.allowTextChangesInNewFiles && statements) {
            const file2 = context.file;
            const affectedTextRange = {
              start: { line: getLineAndCharacterOfPosition(file2, statements.all[0].getStart(file2)).line, offset: getLineAndCharacterOfPosition(file2, statements.all[0].getStart(file2)).character },
              end: { line: getLineAndCharacterOfPosition(file2, last(statements.all).end).line, offset: getLineAndCharacterOfPosition(file2, last(statements.all).end).character }
            };
            return [{ name: refactorName5, description: description2, actions: [{ ...moveToNewFileAction, range: affectedTextRange }] }];
          }
          if (context.preferences.provideRefactorNotApplicableReason) {
            return [{ name: refactorName5, description: description2, actions: [{ ...moveToNewFileAction, notApplicableReason: getLocaleSpecificMessage(Diagnostics.Selection_is_not_a_valid_statement_or_statements) }] }];
          }
          return emptyArray;
        },
        getEditsForAction: function getRefactorEditsToMoveToNewFile(context, actionName2) {
          Debug.assert(actionName2 === refactorName5, "Wrong refactor invoked");
          const statements = Debug.checkDefined(getStatementsToMove(context));
          const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange4(context.file, context.program, statements, t, context.host, context, context.preferences));
          return { edits, renameFilename: void 0, renameLocation: void 0 };
        }
      });
      function doChange4(oldFile, program, toMove, changes, host, context, preferences) {
        const checker = program.getTypeChecker();
        const usage = getUsageInfo(oldFile, toMove.all, checker);
        const newFilename = createNewFileName(oldFile, program, host, toMove);
        const newSourceFile = createFutureSourceFile(newFilename, oldFile.externalModuleIndicator ? 99 : oldFile.commonJsModuleIndicator ? 1 : void 0, program, host);
        const importAdderForOldFile = ts_codefix_exports.createImportAdder(oldFile, context.program, context.preferences, context.host);
        const importAdderForNewFile = ts_codefix_exports.createImportAdder(newSourceFile, context.program, context.preferences, context.host);
        getNewStatementsAndRemoveFromOldFile(oldFile, newSourceFile, usage, changes, toMove, program, host, preferences, importAdderForNewFile, importAdderForOldFile);
        addNewFileToTsconfig(program, changes, oldFile.fileName, newFilename, hostGetCanonicalFileName(host));
      }
      var ts_refactor_addOrRemoveBracesToArrowFunction_exports = {};
      var refactorName6 = "Convert overload list to single signature";
      var refactorDescription2 = getLocaleSpecificMessage(Diagnostics.Convert_overload_list_to_single_signature);
      var functionOverloadAction = {
        name: refactorName6,
        description: refactorDescription2,
        kind: "refactor.rewrite.function.overloadList"
      };
      registerRefactor(refactorName6, {
        kinds: [functionOverloadAction.kind],
        getEditsForAction: getRefactorEditsToConvertOverloadsToOneSignature,
        getAvailableActions: getRefactorActionsToConvertOverloadsToOneSignature
      });
      function getRefactorActionsToConvertOverloadsToOneSignature(context) {
        const { file, startPosition, program } = context;
        const info = getConvertableOverloadListAtPosition(file, startPosition, program);
        if (!info) return emptyArray;
        return [{
          name: refactorName6,
          description: refactorDescription2,
          actions: [functionOverloadAction]
        }];
      }
      function getRefactorEditsToConvertOverloadsToOneSignature(context) {
        const { file, startPosition, program } = context;
        const signatureDecls = getConvertableOverloadListAtPosition(file, startPosition, program);
        if (!signatureDecls) return void 0;
        const checker = program.getTypeChecker();
        const lastDeclaration = signatureDecls[signatureDecls.length - 1];
        let updated = lastDeclaration;
        switch (lastDeclaration.kind) {
          case 173: {
            updated = factory.updateMethodSignature(
              lastDeclaration,
              lastDeclaration.modifiers,
              lastDeclaration.name,
              lastDeclaration.questionToken,
              lastDeclaration.typeParameters,
              getNewParametersForCombinedSignature(signatureDecls),
              lastDeclaration.type
            );
            break;
          }
          case 174: {
            updated = factory.updateMethodDeclaration(
              lastDeclaration,
              lastDeclaration.modifiers,
              lastDeclaration.asteriskToken,
              lastDeclaration.name,
              lastDeclaration.questionToken,
              lastDeclaration.typeParameters,
              getNewParametersForCombinedSignature(signatureDecls),
              lastDeclaration.type,
              lastDeclaration.body
            );
            break;
          }
          case 179: {
            updated = factory.updateCallSignature(
              lastDeclaration,
              lastDeclaration.typeParameters,
              getNewParametersForCombinedSignature(signatureDecls),
              lastDeclaration.type
            );
            break;
          }
          case 176: {
            updated = factory.updateConstructorDeclaration(
              lastDeclaration,
              lastDeclaration.modifiers,
              getNewParametersForCombinedSignature(signatureDecls),
              lastDeclaration.body
            );
            break;
          }
          case 180: {
            updated = factory.updateConstructSignature(
              lastDeclaration,
              lastDeclaration.typeParameters,
              getNewParametersForCombinedSignature(signatureDecls),
              lastDeclaration.type
            );
            break;
          }
          case 262: {
            updated = factory.updateFunctionDeclaration(
              lastDeclaration,
              lastDeclaration.modifiers,
              lastDeclaration.asteriskToken,
              lastDeclaration.name,
              lastDeclaration.typeParameters,
              getNewParametersForCombinedSignature(signatureDecls),
              lastDeclaration.type,
              lastDeclaration.body
            );
            break;
          }
          default:
            return Debug.failBadSyntaxKind(lastDeclaration, "Unhandled signature kind in overload list conversion refactoring");
        }
        if (updated === lastDeclaration) {
          return;
        }
        const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => {
          t.replaceNodeRange(file, signatureDecls[0], signatureDecls[signatureDecls.length - 1], updated);
        });
        return { renameFilename: void 0, renameLocation: void 0, edits };
        function getNewParametersForCombinedSignature(signatureDeclarations) {
          const lastSig = signatureDeclarations[signatureDeclarations.length - 1];
          if (isFunctionLikeDeclaration(lastSig) && lastSig.body) {
            signatureDeclarations = signatureDeclarations.slice(0, signatureDeclarations.length - 1);
          }
          return factory.createNodeArray([
            factory.createParameterDeclaration(
              /*modifiers*/
              void 0,
              factory.createToken(
                26
                /* DotDotDotToken */
              ),
              "args",
              /*questionToken*/
              void 0,
              factory.createUnionTypeNode(map(signatureDeclarations, convertSignatureParametersToTuple))
            )
          ]);
        }
        function convertSignatureParametersToTuple(decl) {
          const members = map(decl.parameters, convertParameterToNamedTupleMember);
          return setEmitFlags(
            factory.createTupleTypeNode(members),
            some(members, (m) => !!length(getSyntheticLeadingComments(m))) ? 0 : 1
            /* SingleLine */
          );
        }
        function convertParameterToNamedTupleMember(p) {
          Debug.assert(isIdentifier(p.name));
          const result = setTextRange(
            factory.createNamedTupleMember(
              p.dotDotDotToken,
              p.name,
              p.questionToken,
              p.type || factory.createKeywordTypeNode(
                133
                /* AnyKeyword */
              )
            ),
            p
          );
          const parameterDocComment = p.symbol && p.symbol.getDocumentationComment(checker);
          if (parameterDocComment) {
            const newComment = displayPartsToString(parameterDocComment);
            if (newComment.length) {
              setSyntheticLeadingComments(result, [{
                text: `*
${newComment.split("\n").map((c) => ` * ${c}`).join("\n")}
 `,
                kind: 3,
                pos: -1,
                end: -1,
                hasTrailingNewLine: true,
                hasLeadingNewline: true
              }]);
            }
          }
          return result;
        }
      }
      function isConvertableSignatureDeclaration(d) {
        switch (d.kind) {
          case 173:
          case 174:
          case 179:
          case 176:
          case 180:
          case 262:
            return true;
        }
        return false;
      }
      function getConvertableOverloadListAtPosition(file, startPosition, program) {
        const node = getTokenAtPosition(file, startPosition);
        const containingDecl = findAncestor(node, isConvertableSignatureDeclaration);
        if (!containingDecl) {
          return;
        }
        if (isFunctionLikeDeclaration(containingDecl) && containingDecl.body && rangeContainsPosition(containingDecl.body, startPosition)) {
          return;
        }
        const checker = program.getTypeChecker();
        const signatureSymbol = containingDecl.symbol;
        if (!signatureSymbol) {
          return;
        }
        const decls = signatureSymbol.declarations;
        if (length(decls) <= 1) {
          return;
        }
        if (!every(decls, (d) => getSourceFileOfNode(d) === file)) {
          return;
        }
        if (!isConvertableSignatureDeclaration(decls[0])) {
          return;
        }
        const kindOne = decls[0].kind;
        if (!every(decls, (d) => d.kind === kindOne)) {
          return;
        }
        const signatureDecls = decls;
        if (some(signatureDecls, (d) => !!d.typeParameters || some(d.parameters, (p) => !!p.modifiers || !isIdentifier(p.name)))) {
          return;
        }
        const signatures = mapDefined(signatureDecls, (d) => checker.getSignatureFromDeclaration(d));
        if (length(signatures) !== length(decls)) {
          return;
        }
        const returnOne = checker.getReturnTypeOfSignature(signatures[0]);
        if (!every(signatures, (s) => checker.getReturnTypeOfSignature(s) === returnOne)) {
          return;
        }
        return signatureDecls;
      }
      var refactorName7 = "Add or remove braces in an arrow function";
      var refactorDescription3 = getLocaleSpecificMessage(Diagnostics.Add_or_remove_braces_in_an_arrow_function);
      var addBracesAction = {
        name: "Add braces to arrow function",
        description: getLocaleSpecificMessage(Diagnostics.Add_braces_to_arrow_function),
        kind: "refactor.rewrite.arrow.braces.add"
      };
      var removeBracesAction = {
        name: "Remove braces from arrow function",
        description: getLocaleSpecificMessage(Diagnostics.Remove_braces_from_arrow_function),
        kind: "refactor.rewrite.arrow.braces.remove"
      };
      registerRefactor(refactorName7, {
        kinds: [removeBracesAction.kind],
        getEditsForAction: getRefactorEditsToRemoveFunctionBraces,
        getAvailableActions: getRefactorActionsToRemoveFunctionBraces
      });
      function getRefactorActionsToRemoveFunctionBraces(context) {
        const { file, startPosition, triggerReason } = context;
        const info = getConvertibleArrowFunctionAtPosition(file, startPosition, triggerReason === "invoked");
        if (!info) return emptyArray;
        if (!isRefactorErrorInfo(info)) {
          return [{
            name: refactorName7,
            description: refactorDescription3,
            actions: [
              info.addBraces ? addBracesAction : removeBracesAction
            ]
          }];
        }
        if (context.preferences.provideRefactorNotApplicableReason) {
          return [{
            name: refactorName7,
            description: refactorDescription3,
            actions: [
              { ...addBracesAction, notApplicableReason: info.error },
              { ...removeBracesAction, notApplicableReason: info.error }
            ]
          }];
        }
        return emptyArray;
      }
      function getRefactorEditsToRemoveFunctionBraces(context, actionName2) {
        const { file, startPosition } = context;
        const info = getConvertibleArrowFunctionAtPosition(file, startPosition);
        Debug.assert(info && !isRefactorErrorInfo(info), "Expected applicable refactor info");
        const { expression, returnStatement, func } = info;
        let body;
        if (actionName2 === addBracesAction.name) {
          const returnStatement2 = factory.createReturnStatement(expression);
          body = factory.createBlock(
            [returnStatement2],
            /*multiLine*/
            true
          );
          copyLeadingComments(
            expression,
            returnStatement2,
            file,
            3,
            /*hasTrailingNewLine*/
            true
          );
        } else if (actionName2 === removeBracesAction.name && returnStatement) {
          const actualExpression = expression || factory.createVoidZero();
          body = needsParentheses2(actualExpression) ? factory.createParenthesizedExpression(actualExpression) : actualExpression;
          copyTrailingAsLeadingComments(
            returnStatement,
            body,
            file,
            3,
            /*hasTrailingNewLine*/
            false
          );
          copyLeadingComments(
            returnStatement,
            body,
            file,
            3,
            /*hasTrailingNewLine*/
            false
          );
          copyTrailingComments(
            returnStatement,
            body,
            file,
            3,
            /*hasTrailingNewLine*/
            false
          );
        } else {
          Debug.fail("invalid action");
        }
        const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => {
          t.replaceNode(file, func.body, body);
        });
        return { renameFilename: void 0, renameLocation: void 0, edits };
      }
      function getConvertibleArrowFunctionAtPosition(file, startPosition, considerFunctionBodies = true, kind) {
        const node = getTokenAtPosition(file, startPosition);
        const func = getContainingFunction(node);
        if (!func) {
          return {
            error: getLocaleSpecificMessage(Diagnostics.Could_not_find_a_containing_arrow_function)
          };
        }
        if (!isArrowFunction(func)) {
          return {
            error: getLocaleSpecificMessage(Diagnostics.Containing_function_is_not_an_arrow_function)
          };
        }
        if (!rangeContainsRange(func, node) || rangeContainsRange(func.body, node) && !considerFunctionBodies) {
          return void 0;
        }
        if (refactorKindBeginsWith(addBracesAction.kind, kind) && isExpression(func.body)) {
          return { func, addBraces: true, expression: func.body };
        } else if (refactorKindBeginsWith(removeBracesAction.kind, kind) && isBlock(func.body) && func.body.statements.length === 1) {
          const firstStatement = first(func.body.statements);
          if (isReturnStatement(firstStatement)) {
            const expression = firstStatement.expression && isObjectLiteralExpression(getLeftmostExpression(
              firstStatement.expression,
              /*stopAtCallExpressions*/
              false
            )) ? factory.createParenthesizedExpression(firstStatement.expression) : firstStatement.expression;
            return { func, addBraces: false, expression, returnStatement: firstStatement };
          }
        }
        return void 0;
      }
      var ts_refactor_convertArrowFunctionOrFunctionExpression_exports = {};
      var refactorName8 = "Convert arrow function or function expression";
      var refactorDescription4 = getLocaleSpecificMessage(Diagnostics.Convert_arrow_function_or_function_expression);
      var toAnonymousFunctionAction = {
        name: "Convert to anonymous function",
        description: getLocaleSpecificMessage(Diagnostics.Convert_to_anonymous_function),
        kind: "refactor.rewrite.function.anonymous"
      };
      var toNamedFunctionAction = {
        name: "Convert to named function",
        description: getLocaleSpecificMessage(Diagnostics.Convert_to_named_function),
        kind: "refactor.rewrite.function.named"
      };
      var toArrowFunctionAction = {
        name: "Convert to arrow function",
        description: getLocaleSpecificMessage(Diagnostics.Convert_to_arrow_function),
        kind: "refactor.rewrite.function.arrow"
      };
      registerRefactor(refactorName8, {
        kinds: [
          toAnonymousFunctionAction.kind,
          toNamedFunctionAction.kind,
          toArrowFunctionAction.kind
        ],
        getEditsForAction: getRefactorEditsToConvertFunctionExpressions,
        getAvailableActions: getRefactorActionsToConvertFunctionExpressions
      });
      function getRefactorActionsToConvertFunctionExpressions(context) {
        const { file, startPosition, program, kind } = context;
        const info = getFunctionInfo(file, startPosition, program);
        if (!info) return emptyArray;
        const { selectedVariableDeclaration, func } = info;
        const possibleActions = [];
        const errors = [];
        if (refactorKindBeginsWith(toNamedFunctionAction.kind, kind)) {
          const error2 = selectedVariableDeclaration || isArrowFunction(func) && isVariableDeclaration(func.parent) ? void 0 : getLocaleSpecificMessage(Diagnostics.Could_not_convert_to_named_function);
          if (error2) {
            errors.push({ ...toNamedFunctionAction, notApplicableReason: error2 });
          } else {
            possibleActions.push(toNamedFunctionAction);
          }
        }
        if (refactorKindBeginsWith(toAnonymousFunctionAction.kind, kind)) {
          const error2 = !selectedVariableDeclaration && isArrowFunction(func) ? void 0 : getLocaleSpecificMessage(Diagnostics.Could_not_convert_to_anonymous_function);
          if (error2) {
            errors.push({ ...toAnonymousFunctionAction, notApplicableReason: error2 });
          } else {
            possibleActions.push(toAnonymousFunctionAction);
          }
        }
        if (refactorKindBeginsWith(toArrowFunctionAction.kind, kind)) {
          const error2 = isFunctionExpression(func) ? void 0 : getLocaleSpecificMessage(Diagnostics.Could_not_convert_to_arrow_function);
          if (error2) {
            errors.push({ ...toArrowFunctionAction, notApplicableReason: error2 });
          } else {
            possibleActions.push(toArrowFunctionAction);
          }
        }
        return [{
          name: refactorName8,
          description: refactorDescription4,
          actions: possibleActions.length === 0 && context.preferences.provideRefactorNotApplicableReason ? errors : possibleActions
        }];
      }
      function getRefactorEditsToConvertFunctionExpressions(context, actionName2) {
        const { file, startPosition, program } = context;
        const info = getFunctionInfo(file, startPosition, program);
        if (!info) return void 0;
        const { func } = info;
        const edits = [];
        switch (actionName2) {
          case toAnonymousFunctionAction.name:
            edits.push(...getEditInfoForConvertToAnonymousFunction(context, func));
            break;
          case toNamedFunctionAction.name:
            const variableInfo = getVariableInfo(func);
            if (!variableInfo) return void 0;
            edits.push(...getEditInfoForConvertToNamedFunction(context, func, variableInfo));
            break;
          case toArrowFunctionAction.name:
            if (!isFunctionExpression(func)) return void 0;
            edits.push(...getEditInfoForConvertToArrowFunction(context, func));
            break;
          default:
            return Debug.fail("invalid action");
        }
        return { renameFilename: void 0, renameLocation: void 0, edits };
      }
      function containingThis(node) {
        let containsThis = false;
        node.forEachChild(function checkThis(child) {
          if (isThis(child)) {
            containsThis = true;
            return;
          }
          if (!isClassLike(child) && !isFunctionDeclaration(child) && !isFunctionExpression(child)) {
            forEachChild(child, checkThis);
          }
        });
        return containsThis;
      }
      function getFunctionInfo(file, startPosition, program) {
        const token = getTokenAtPosition(file, startPosition);
        const typeChecker = program.getTypeChecker();
        const func = tryGetFunctionFromVariableDeclaration(file, typeChecker, token.parent);
        if (func && !containingThis(func.body) && !typeChecker.containsArgumentsReference(func)) {
          return { selectedVariableDeclaration: true, func };
        }
        const maybeFunc = getContainingFunction(token);
        if (maybeFunc && (isFunctionExpression(maybeFunc) || isArrowFunction(maybeFunc)) && !rangeContainsRange(maybeFunc.body, token) && !containingThis(maybeFunc.body) && !typeChecker.containsArgumentsReference(maybeFunc)) {
          if (isFunctionExpression(maybeFunc) && isFunctionReferencedInFile(file, typeChecker, maybeFunc)) return void 0;
          return { selectedVariableDeclaration: false, func: maybeFunc };
        }
        return void 0;
      }
      function isSingleVariableDeclaration(parent2) {
        return isVariableDeclaration(parent2) || isVariableDeclarationList(parent2) && parent2.declarations.length === 1;
      }
      function tryGetFunctionFromVariableDeclaration(sourceFile, typeChecker, parent2) {
        if (!isSingleVariableDeclaration(parent2)) {
          return void 0;
        }
        const variableDeclaration = isVariableDeclaration(parent2) ? parent2 : first(parent2.declarations);
        const initializer = variableDeclaration.initializer;
        if (initializer && (isArrowFunction(initializer) || isFunctionExpression(initializer) && !isFunctionReferencedInFile(sourceFile, typeChecker, initializer))) {
          return initializer;
        }
        return void 0;
      }
      function convertToBlock(body) {
        if (isExpression(body)) {
          const returnStatement = factory.createReturnStatement(body);
          const file = body.getSourceFile();
          setTextRange(returnStatement, body);
          suppressLeadingAndTrailingTrivia(returnStatement);
          copyTrailingAsLeadingComments(
            body,
            returnStatement,
            file,
            /*commentKind*/
            void 0,
            /*hasTrailingNewLine*/
            true
          );
          return factory.createBlock(
            [returnStatement],
            /*multiLine*/
            true
          );
        } else {
          return body;
        }
      }
      function getVariableInfo(func) {
        const variableDeclaration = func.parent;
        if (!isVariableDeclaration(variableDeclaration) || !isVariableDeclarationInVariableStatement(variableDeclaration)) return void 0;
        const variableDeclarationList = variableDeclaration.parent;
        const statement = variableDeclarationList.parent;
        if (!isVariableDeclarationList(variableDeclarationList) || !isVariableStatement(statement) || !isIdentifier(variableDeclaration.name)) return void 0;
        return { variableDeclaration, variableDeclarationList, statement, name: variableDeclaration.name };
      }
      function getEditInfoForConvertToAnonymousFunction(context, func) {
        const { file } = context;
        const body = convertToBlock(func.body);
        const newNode = factory.createFunctionExpression(
          func.modifiers,
          func.asteriskToken,
          /*name*/
          void 0,
          func.typeParameters,
          func.parameters,
          func.type,
          body
        );
        return ts_textChanges_exports.ChangeTracker.with(context, (t) => t.replaceNode(file, func, newNode));
      }
      function getEditInfoForConvertToNamedFunction(context, func, variableInfo) {
        const { file } = context;
        const body = convertToBlock(func.body);
        const { variableDeclaration, variableDeclarationList, statement, name } = variableInfo;
        suppressLeadingTrivia(statement);
        const modifiersFlags = getCombinedModifierFlags(variableDeclaration) & 32 | getEffectiveModifierFlags(func);
        const modifiers = factory.createModifiersFromModifierFlags(modifiersFlags);
        const newNode = factory.createFunctionDeclaration(length(modifiers) ? modifiers : void 0, func.asteriskToken, name, func.typeParameters, func.parameters, func.type, body);
        if (variableDeclarationList.declarations.length === 1) {
          return ts_textChanges_exports.ChangeTracker.with(context, (t) => t.replaceNode(file, statement, newNode));
        } else {
          return ts_textChanges_exports.ChangeTracker.with(context, (t) => {
            t.delete(file, variableDeclaration);
            t.insertNodeAfter(file, statement, newNode);
          });
        }
      }
      function getEditInfoForConvertToArrowFunction(context, func) {
        const { file } = context;
        const statements = func.body.statements;
        const head = statements[0];
        let body;
        if (canBeConvertedToExpression(func.body, head)) {
          body = head.expression;
          suppressLeadingAndTrailingTrivia(body);
          copyComments(head, body);
        } else {
          body = func.body;
        }
        const newNode = factory.createArrowFunction(func.modifiers, func.typeParameters, func.parameters, func.type, factory.createToken(
          39
          /* EqualsGreaterThanToken */
        ), body);
        return ts_textChanges_exports.ChangeTracker.with(context, (t) => t.replaceNode(file, func, newNode));
      }
      function canBeConvertedToExpression(body, head) {
        return body.statements.length === 1 && (isReturnStatement(head) && !!head.expression);
      }
      function isFunctionReferencedInFile(sourceFile, typeChecker, node) {
        return !!node.name && ts_FindAllReferences_exports.Core.isSymbolReferencedInFile(node.name, typeChecker, sourceFile);
      }
      var ts_refactor_convertParamsToDestructuredObject_exports = {};
      var refactorName9 = "Convert parameters to destructured object";
      var minimumParameterLength = 1;
      var refactorDescription5 = getLocaleSpecificMessage(Diagnostics.Convert_parameters_to_destructured_object);
      var toDestructuredAction = {
        name: refactorName9,
        description: refactorDescription5,
        kind: "refactor.rewrite.parameters.toDestructured"
      };
      registerRefactor(refactorName9, {
        kinds: [toDestructuredAction.kind],
        getEditsForAction: getRefactorEditsToConvertParametersToDestructuredObject,
        getAvailableActions: getRefactorActionsToConvertParametersToDestructuredObject
      });
      function getRefactorActionsToConvertParametersToDestructuredObject(context) {
        const { file, startPosition } = context;
        const isJSFile = isSourceFileJS(file);
        if (isJSFile) return emptyArray;
        const functionDeclaration = getFunctionDeclarationAtPosition(file, startPosition, context.program.getTypeChecker());
        if (!functionDeclaration) return emptyArray;
        return [{
          name: refactorName9,
          description: refactorDescription5,
          actions: [toDestructuredAction]
        }];
      }
      function getRefactorEditsToConvertParametersToDestructuredObject(context, actionName2) {
        Debug.assert(actionName2 === refactorName9, "Unexpected action name");
        const { file, startPosition, program, cancellationToken, host } = context;
        const functionDeclaration = getFunctionDeclarationAtPosition(file, startPosition, program.getTypeChecker());
        if (!functionDeclaration || !cancellationToken) return void 0;
        const groupedReferences = getGroupedReferences(functionDeclaration, program, cancellationToken);
        if (groupedReferences.valid) {
          const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange5(file, program, host, t, functionDeclaration, groupedReferences));
          return { renameFilename: void 0, renameLocation: void 0, edits };
        }
        return { edits: [] };
      }
      function doChange5(sourceFile, program, host, changes, functionDeclaration, groupedReferences) {
        const signature = groupedReferences.signature;
        const newFunctionDeclarationParams = map(createNewParameters(functionDeclaration, program, host), (param) => getSynthesizedDeepClone(param));
        if (signature) {
          const newSignatureParams = map(createNewParameters(signature, program, host), (param) => getSynthesizedDeepClone(param));
          replaceParameters(signature, newSignatureParams);
        }
        replaceParameters(functionDeclaration, newFunctionDeclarationParams);
        const functionCalls = sortAndDeduplicate(
          groupedReferences.functionCalls,
          /*comparer*/
          (a, b) => compareValues(a.pos, b.pos)
        );
        for (const call of functionCalls) {
          if (call.arguments && call.arguments.length) {
            const newArgument = getSynthesizedDeepClone(
              createNewArgument(functionDeclaration, call.arguments),
              /*includeTrivia*/
              true
            );
            changes.replaceNodeRange(
              getSourceFileOfNode(call),
              first(call.arguments),
              last(call.arguments),
              newArgument,
              { leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.IncludeAll, trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Include }
            );
          }
        }
        function replaceParameters(declarationOrSignature, parameterDeclarations) {
          changes.replaceNodeRangeWithNodes(
            sourceFile,
            first(declarationOrSignature.parameters),
            last(declarationOrSignature.parameters),
            parameterDeclarations,
            {
              joiner: ", ",
              // indentation is set to 0 because otherwise the object parameter will be indented if there is a `this` parameter
              indentation: 0,
              leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.IncludeAll,
              trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Include
            }
          );
        }
      }
      function getGroupedReferences(functionDeclaration, program, cancellationToken) {
        const functionNames = getFunctionNames(functionDeclaration);
        const classNames = isConstructorDeclaration(functionDeclaration) ? getClassNames(functionDeclaration) : [];
        const names = deduplicate([...functionNames, ...classNames], equateValues);
        const checker = program.getTypeChecker();
        const references = flatMap(
          names,
          /*mapfn*/
          (name) => ts_FindAllReferences_exports.getReferenceEntriesForNode(-1, name, program, program.getSourceFiles(), cancellationToken)
        );
        const groupedReferences = groupReferences(references);
        if (!every(
          groupedReferences.declarations,
          /*callback*/
          (decl) => contains(names, decl)
        )) {
          groupedReferences.valid = false;
        }
        return groupedReferences;
        function groupReferences(referenceEntries) {
          const classReferences = { accessExpressions: [], typeUsages: [] };
          const groupedReferences2 = { functionCalls: [], declarations: [], classReferences, valid: true };
          const functionSymbols = map(functionNames, getSymbolTargetAtLocation);
          const classSymbols = map(classNames, getSymbolTargetAtLocation);
          const isConstructor = isConstructorDeclaration(functionDeclaration);
          const contextualSymbols = map(functionNames, (name) => getSymbolForContextualType(name, checker));
          for (const entry of referenceEntries) {
            if (entry.kind === ts_FindAllReferences_exports.EntryKind.Span) {
              groupedReferences2.valid = false;
              continue;
            }
            if (contains(contextualSymbols, getSymbolTargetAtLocation(entry.node))) {
              if (isValidMethodSignature(entry.node.parent)) {
                groupedReferences2.signature = entry.node.parent;
                continue;
              }
              const call = entryToFunctionCall(entry);
              if (call) {
                groupedReferences2.functionCalls.push(call);
                continue;
              }
            }
            const contextualSymbol = getSymbolForContextualType(entry.node, checker);
            if (contextualSymbol && contains(contextualSymbols, contextualSymbol)) {
              const decl = entryToDeclaration(entry);
              if (decl) {
                groupedReferences2.declarations.push(decl);
                continue;
              }
            }
            if (contains(functionSymbols, getSymbolTargetAtLocation(entry.node)) || isNewExpressionTarget(entry.node)) {
              const importOrExportReference = entryToImportOrExport(entry);
              if (importOrExportReference) {
                continue;
              }
              const decl = entryToDeclaration(entry);
              if (decl) {
                groupedReferences2.declarations.push(decl);
                continue;
              }
              const call = entryToFunctionCall(entry);
              if (call) {
                groupedReferences2.functionCalls.push(call);
                continue;
              }
            }
            if (isConstructor && contains(classSymbols, getSymbolTargetAtLocation(entry.node))) {
              const importOrExportReference = entryToImportOrExport(entry);
              if (importOrExportReference) {
                continue;
              }
              const decl = entryToDeclaration(entry);
              if (decl) {
                groupedReferences2.declarations.push(decl);
                continue;
              }
              const accessExpression = entryToAccessExpression(entry);
              if (accessExpression) {
                classReferences.accessExpressions.push(accessExpression);
                continue;
              }
              if (isClassDeclaration(functionDeclaration.parent)) {
                const type = entryToType(entry);
                if (type) {
                  classReferences.typeUsages.push(type);
                  continue;
                }
              }
            }
            groupedReferences2.valid = false;
          }
          return groupedReferences2;
        }
        function getSymbolTargetAtLocation(node) {
          const symbol = checker.getSymbolAtLocation(node);
          return symbol && getSymbolTarget(symbol, checker);
        }
      }
      function getSymbolForContextualType(node, checker) {
        const element = getContainingObjectLiteralElement(node);
        if (element) {
          const contextualType = checker.getContextualTypeForObjectLiteralElement(element);
          const symbol = contextualType == null ? void 0 : contextualType.getSymbol();
          if (symbol && !(getCheckFlags(symbol) & 6)) {
            return symbol;
          }
        }
      }
      function entryToImportOrExport(entry) {
        const node = entry.node;
        if (isImportSpecifier(node.parent) || isImportClause(node.parent) || isImportEqualsDeclaration(node.parent) || isNamespaceImport(node.parent)) {
          return node;
        }
        if (isExportSpecifier(node.parent) || isExportAssignment(node.parent)) {
          return node;
        }
        return void 0;
      }
      function entryToDeclaration(entry) {
        if (isDeclaration(entry.node.parent)) {
          return entry.node;
        }
        return void 0;
      }
      function entryToFunctionCall(entry) {
        if (entry.node.parent) {
          const functionReference = entry.node;
          const parent2 = functionReference.parent;
          switch (parent2.kind) {
            case 213:
            case 214:
              const callOrNewExpression = tryCast(parent2, isCallOrNewExpression2);
              if (callOrNewExpression && callOrNewExpression.expression === functionReference) {
                return callOrNewExpression;
              }
              break;
            case 211:
              const propertyAccessExpression = tryCast(parent2, isPropertyAccessExpression);
              if (propertyAccessExpression && propertyAccessExpression.parent && propertyAccessExpression.name === functionReference) {
                const callOrNewExpression2 = tryCast(propertyAccessExpression.parent, isCallOrNewExpression2);
                if (callOrNewExpression2 && callOrNewExpression2.expression === propertyAccessExpression) {
                  return callOrNewExpression2;
                }
              }
              break;
            case 212:
              const elementAccessExpression = tryCast(parent2, isElementAccessExpression);
              if (elementAccessExpression && elementAccessExpression.parent && elementAccessExpression.argumentExpression === functionReference) {
                const callOrNewExpression2 = tryCast(elementAccessExpression.parent, isCallOrNewExpression2);
                if (callOrNewExpression2 && callOrNewExpression2.expression === elementAccessExpression) {
                  return callOrNewExpression2;
                }
              }
              break;
          }
        }
        return void 0;
      }
      function entryToAccessExpression(entry) {
        if (entry.node.parent) {
          const reference = entry.node;
          const parent2 = reference.parent;
          switch (parent2.kind) {
            case 211:
              const propertyAccessExpression = tryCast(parent2, isPropertyAccessExpression);
              if (propertyAccessExpression && propertyAccessExpression.expression === reference) {
                return propertyAccessExpression;
              }
              break;
            case 212:
              const elementAccessExpression = tryCast(parent2, isElementAccessExpression);
              if (elementAccessExpression && elementAccessExpression.expression === reference) {
                return elementAccessExpression;
              }
              break;
          }
        }
        return void 0;
      }
      function entryToType(entry) {
        const reference = entry.node;
        if (getMeaningFromLocation(reference) === 2 || isExpressionWithTypeArgumentsInClassExtendsClause(reference.parent)) {
          return reference;
        }
        return void 0;
      }
      function getFunctionDeclarationAtPosition(file, startPosition, checker) {
        const node = getTouchingToken(file, startPosition);
        const functionDeclaration = getContainingFunctionDeclaration(node);
        if (isTopLevelJSDoc(node)) return void 0;
        if (functionDeclaration && isValidFunctionDeclaration(functionDeclaration, checker) && rangeContainsRange(functionDeclaration, node) && !(functionDeclaration.body && rangeContainsRange(functionDeclaration.body, node))) return functionDeclaration;
        return void 0;
      }
      function isTopLevelJSDoc(node) {
        const containingJSDoc = findAncestor(node, isJSDocNode);
        if (containingJSDoc) {
          const containingNonJSDoc = findAncestor(containingJSDoc, (n) => !isJSDocNode(n));
          return !!containingNonJSDoc && isFunctionLikeDeclaration(containingNonJSDoc);
        }
        return false;
      }
      function isValidMethodSignature(node) {
        return isMethodSignature(node) && (isInterfaceDeclaration(node.parent) || isTypeLiteralNode(node.parent));
      }
      function isValidFunctionDeclaration(functionDeclaration, checker) {
        var _a;
        if (!isValidParameterNodeArray(functionDeclaration.parameters, checker)) return false;
        switch (functionDeclaration.kind) {
          case 262:
            return hasNameOrDefault(functionDeclaration) && isSingleImplementation(functionDeclaration, checker);
          case 174:
            if (isObjectLiteralExpression(functionDeclaration.parent)) {
              const contextualSymbol = getSymbolForContextualType(functionDeclaration.name, checker);
              return ((_a = contextualSymbol == null ? void 0 : contextualSymbol.declarations) == null ? void 0 : _a.length) === 1 && isSingleImplementation(functionDeclaration, checker);
            }
            return isSingleImplementation(functionDeclaration, checker);
          case 176:
            if (isClassDeclaration(functionDeclaration.parent)) {
              return hasNameOrDefault(functionDeclaration.parent) && isSingleImplementation(functionDeclaration, checker);
            } else {
              return isValidVariableDeclaration(functionDeclaration.parent.parent) && isSingleImplementation(functionDeclaration, checker);
            }
          case 218:
          case 219:
            return isValidVariableDeclaration(functionDeclaration.parent);
        }
        return false;
      }
      function isSingleImplementation(functionDeclaration, checker) {
        return !!functionDeclaration.body && !checker.isImplementationOfOverload(functionDeclaration);
      }
      function hasNameOrDefault(functionOrClassDeclaration) {
        if (!functionOrClassDeclaration.name) {
          const defaultKeyword = findModifier(
            functionOrClassDeclaration,
            90
            /* DefaultKeyword */
          );
          return !!defaultKeyword;
        }
        return true;
      }
      function isValidParameterNodeArray(parameters, checker) {
        return getRefactorableParametersLength(parameters) >= minimumParameterLength && every(
          parameters,
          /*callback*/
          (paramDecl) => isValidParameterDeclaration(paramDecl, checker)
        );
      }
      function isValidParameterDeclaration(parameterDeclaration, checker) {
        if (isRestParameter(parameterDeclaration)) {
          const type = checker.getTypeAtLocation(parameterDeclaration);
          if (!checker.isArrayType(type) && !checker.isTupleType(type)) return false;
        }
        return !parameterDeclaration.modifiers && isIdentifier(parameterDeclaration.name);
      }
      function isValidVariableDeclaration(node) {
        return isVariableDeclaration(node) && isVarConst(node) && isIdentifier(node.name) && !node.type;
      }
      function hasThisParameter(parameters) {
        return parameters.length > 0 && isThis(parameters[0].name);
      }
      function getRefactorableParametersLength(parameters) {
        if (hasThisParameter(parameters)) {
          return parameters.length - 1;
        }
        return parameters.length;
      }
      function getRefactorableParameters(parameters) {
        if (hasThisParameter(parameters)) {
          parameters = factory.createNodeArray(parameters.slice(1), parameters.hasTrailingComma);
        }
        return parameters;
      }
      function createPropertyOrShorthandAssignment(name, initializer) {
        if (isIdentifier(initializer) && getTextOfIdentifierOrLiteral(initializer) === name) {
          return factory.createShorthandPropertyAssignment(name);
        }
        return factory.createPropertyAssignment(name, initializer);
      }
      function createNewArgument(functionDeclaration, functionArguments) {
        const parameters = getRefactorableParameters(functionDeclaration.parameters);
        const hasRestParameter2 = isRestParameter(last(parameters));
        const nonRestArguments = hasRestParameter2 ? functionArguments.slice(0, parameters.length - 1) : functionArguments;
        const properties = map(nonRestArguments, (arg, i) => {
          const parameterName = getParameterName(parameters[i]);
          const property = createPropertyOrShorthandAssignment(parameterName, arg);
          suppressLeadingAndTrailingTrivia(property.name);
          if (isPropertyAssignment(property)) suppressLeadingAndTrailingTrivia(property.initializer);
          copyComments(arg, property);
          return property;
        });
        if (hasRestParameter2 && functionArguments.length >= parameters.length) {
          const restArguments = functionArguments.slice(parameters.length - 1);
          const restProperty = factory.createPropertyAssignment(getParameterName(last(parameters)), factory.createArrayLiteralExpression(restArguments));
          properties.push(restProperty);
        }
        const objectLiteral = factory.createObjectLiteralExpression(
          properties,
          /*multiLine*/
          false
        );
        return objectLiteral;
      }
      function createNewParameters(functionDeclaration, program, host) {
        const checker = program.getTypeChecker();
        const refactorableParameters = getRefactorableParameters(functionDeclaration.parameters);
        const bindingElements = map(refactorableParameters, createBindingElementFromParameterDeclaration);
        const objectParameterName = factory.createObjectBindingPattern(bindingElements);
        const objectParameterType = createParameterTypeNode(refactorableParameters);
        let objectInitializer;
        if (every(refactorableParameters, isOptionalParameter)) {
          objectInitializer = factory.createObjectLiteralExpression();
        }
        const objectParameter = factory.createParameterDeclaration(
          /*modifiers*/
          void 0,
          /*dotDotDotToken*/
          void 0,
          objectParameterName,
          /*questionToken*/
          void 0,
          objectParameterType,
          objectInitializer
        );
        if (hasThisParameter(functionDeclaration.parameters)) {
          const thisParameter = functionDeclaration.parameters[0];
          const newThisParameter = factory.createParameterDeclaration(
            /*modifiers*/
            void 0,
            /*dotDotDotToken*/
            void 0,
            thisParameter.name,
            /*questionToken*/
            void 0,
            thisParameter.type
          );
          suppressLeadingAndTrailingTrivia(newThisParameter.name);
          copyComments(thisParameter.name, newThisParameter.name);
          if (thisParameter.type) {
            suppressLeadingAndTrailingTrivia(newThisParameter.type);
            copyComments(thisParameter.type, newThisParameter.type);
          }
          return factory.createNodeArray([newThisParameter, objectParameter]);
        }
        return factory.createNodeArray([objectParameter]);
        function createBindingElementFromParameterDeclaration(parameterDeclaration) {
          const element = factory.createBindingElement(
            /*dotDotDotToken*/
            void 0,
            /*propertyName*/
            void 0,
            getParameterName(parameterDeclaration),
            isRestParameter(parameterDeclaration) && isOptionalParameter(parameterDeclaration) ? factory.createArrayLiteralExpression() : parameterDeclaration.initializer
          );
          suppressLeadingAndTrailingTrivia(element);
          if (parameterDeclaration.initializer && element.initializer) {
            copyComments(parameterDeclaration.initializer, element.initializer);
          }
          return element;
        }
        function createParameterTypeNode(parameters) {
          const members = map(parameters, createPropertySignatureFromParameterDeclaration);
          const typeNode = addEmitFlags(
            factory.createTypeLiteralNode(members),
            1
            /* SingleLine */
          );
          return typeNode;
        }
        function createPropertySignatureFromParameterDeclaration(parameterDeclaration) {
          let parameterType = parameterDeclaration.type;
          if (!parameterType && (parameterDeclaration.initializer || isRestParameter(parameterDeclaration))) {
            parameterType = getTypeNode3(parameterDeclaration);
          }
          const propertySignature = factory.createPropertySignature(
            /*modifiers*/
            void 0,
            getParameterName(parameterDeclaration),
            isOptionalParameter(parameterDeclaration) ? factory.createToken(
              58
              /* QuestionToken */
            ) : parameterDeclaration.questionToken,
            parameterType
          );
          suppressLeadingAndTrailingTrivia(propertySignature);
          copyComments(parameterDeclaration.name, propertySignature.name);
          if (parameterDeclaration.type && propertySignature.type) {
            copyComments(parameterDeclaration.type, propertySignature.type);
          }
          return propertySignature;
        }
        function getTypeNode3(node) {
          const type = checker.getTypeAtLocation(node);
          return getTypeNodeIfAccessible(type, node, program, host);
        }
        function isOptionalParameter(parameterDeclaration) {
          if (isRestParameter(parameterDeclaration)) {
            const type = checker.getTypeAtLocation(parameterDeclaration);
            return !checker.isTupleType(type);
          }
          return checker.isOptionalParameter(parameterDeclaration);
        }
      }
      function getParameterName(paramDeclaration) {
        return getTextOfIdentifierOrLiteral(paramDeclaration.name);
      }
      function getClassNames(constructorDeclaration) {
        switch (constructorDeclaration.parent.kind) {
          case 263:
            const classDeclaration = constructorDeclaration.parent;
            if (classDeclaration.name) return [classDeclaration.name];
            const defaultModifier = Debug.checkDefined(
              findModifier(
                classDeclaration,
                90
                /* DefaultKeyword */
              ),
              "Nameless class declaration should be a default export"
            );
            return [defaultModifier];
          case 231:
            const classExpression = constructorDeclaration.parent;
            const variableDeclaration = constructorDeclaration.parent.parent;
            const className = classExpression.name;
            if (className) return [className, variableDeclaration.name];
            return [variableDeclaration.name];
        }
      }
      function getFunctionNames(functionDeclaration) {
        switch (functionDeclaration.kind) {
          case 262:
            if (functionDeclaration.name) return [functionDeclaration.name];
            const defaultModifier = Debug.checkDefined(
              findModifier(
                functionDeclaration,
                90
                /* DefaultKeyword */
              ),
              "Nameless function declaration should be a default export"
            );
            return [defaultModifier];
          case 174:
            return [functionDeclaration.name];
          case 176:
            const ctrKeyword = Debug.checkDefined(
              findChildOfKind(functionDeclaration, 137, functionDeclaration.getSourceFile()),
              "Constructor declaration should have constructor keyword"
            );
            if (functionDeclaration.parent.kind === 231) {
              const variableDeclaration = functionDeclaration.parent.parent;
              return [variableDeclaration.name, ctrKeyword];
            }
            return [ctrKeyword];
          case 219:
            return [functionDeclaration.parent.name];
          case 218:
            if (functionDeclaration.name) return [functionDeclaration.name, functionDeclaration.parent.name];
            return [functionDeclaration.parent.name];
          default:
            return Debug.assertNever(functionDeclaration, `Unexpected function declaration kind ${functionDeclaration.kind}`);
        }
      }
      var ts_refactor_convertStringOrTemplateLiteral_exports = {};
      var refactorName10 = "Convert to template string";
      var refactorDescription6 = getLocaleSpecificMessage(Diagnostics.Convert_to_template_string);
      var convertStringAction = {
        name: refactorName10,
        description: refactorDescription6,
        kind: "refactor.rewrite.string"
      };
      registerRefactor(refactorName10, {
        kinds: [convertStringAction.kind],
        getEditsForAction: getRefactorEditsToConvertToTemplateString,
        getAvailableActions: getRefactorActionsToConvertToTemplateString
      });
      function getRefactorActionsToConvertToTemplateString(context) {
        const { file, startPosition } = context;
        const node = getNodeOrParentOfParentheses(file, startPosition);
        const maybeBinary = getParentBinaryExpression(node);
        const nodeIsStringLiteral = isStringLiteral2(maybeBinary);
        const refactorInfo = { name: refactorName10, description: refactorDescription6, actions: [] };
        if (nodeIsStringLiteral && context.triggerReason !== "invoked") {
          return emptyArray;
        }
        if (isExpressionNode(maybeBinary) && (nodeIsStringLiteral || isBinaryExpression(maybeBinary) && treeToArray(maybeBinary).isValidConcatenation)) {
          refactorInfo.actions.push(convertStringAction);
          return [refactorInfo];
        } else if (context.preferences.provideRefactorNotApplicableReason) {
          refactorInfo.actions.push({ ...convertStringAction, notApplicableReason: getLocaleSpecificMessage(Diagnostics.Can_only_convert_string_concatenations_and_string_literals) });
          return [refactorInfo];
        }
        return emptyArray;
      }
      function getNodeOrParentOfParentheses(file, startPosition) {
        const node = getTokenAtPosition(file, startPosition);
        const nestedBinary = getParentBinaryExpression(node);
        const isNonStringBinary = !treeToArray(nestedBinary).isValidConcatenation;
        if (isNonStringBinary && isParenthesizedExpression(nestedBinary.parent) && isBinaryExpression(nestedBinary.parent.parent)) {
          return nestedBinary.parent.parent;
        }
        return node;
      }
      function getRefactorEditsToConvertToTemplateString(context, actionName2) {
        const { file, startPosition } = context;
        const node = getNodeOrParentOfParentheses(file, startPosition);
        switch (actionName2) {
          case refactorDescription6:
            return { edits: getEditsForToTemplateLiteral(context, node) };
          default:
            return Debug.fail("invalid action");
        }
      }
      function getEditsForToTemplateLiteral(context, node) {
        const maybeBinary = getParentBinaryExpression(node);
        const file = context.file;
        const templateLiteral = nodesToTemplate(treeToArray(maybeBinary), file);
        const trailingCommentRanges = getTrailingCommentRanges(file.text, maybeBinary.end);
        if (trailingCommentRanges) {
          const lastComment = trailingCommentRanges[trailingCommentRanges.length - 1];
          const trailingRange = { pos: trailingCommentRanges[0].pos, end: lastComment.end };
          return ts_textChanges_exports.ChangeTracker.with(context, (t) => {
            t.deleteRange(file, trailingRange);
            t.replaceNode(file, maybeBinary, templateLiteral);
          });
        } else {
          return ts_textChanges_exports.ChangeTracker.with(context, (t) => t.replaceNode(file, maybeBinary, templateLiteral));
        }
      }
      function isNotEqualsOperator(node) {
        return !(node.operatorToken.kind === 64 || node.operatorToken.kind === 65);
      }
      function getParentBinaryExpression(expr) {
        const container = findAncestor(expr.parent, (n) => {
          switch (n.kind) {
            case 211:
            case 212:
              return false;
            case 228:
            case 226:
              return !(isBinaryExpression(n.parent) && isNotEqualsOperator(n.parent));
            default:
              return "quit";
          }
        });
        return container || expr;
      }
      function treeToArray(current) {
        const loop = (current2) => {
          if (!isBinaryExpression(current2)) {
            return { nodes: [current2], operators: [], validOperators: true, hasString: isStringLiteral2(current2) || isNoSubstitutionTemplateLiteral(current2) };
          }
          const { nodes: nodes2, operators: operators2, hasString: leftHasString, validOperators: leftOperatorValid } = loop(current2.left);
          if (!(leftHasString || isStringLiteral2(current2.right) || isTemplateExpression(current2.right))) {
            return { nodes: [current2], operators: [], hasString: false, validOperators: true };
          }
          const currentOperatorValid = current2.operatorToken.kind === 40;
          const validOperators2 = leftOperatorValid && currentOperatorValid;
          nodes2.push(current2.right);
          operators2.push(current2.operatorToken);
          return { nodes: nodes2, operators: operators2, hasString: true, validOperators: validOperators2 };
        };
        const { nodes, operators, validOperators, hasString } = loop(current);
        return { nodes, operators, isValidConcatenation: validOperators && hasString };
      }
      var copyTrailingOperatorComments = (operators, file) => (index, targetNode) => {
        if (index < operators.length) {
          copyTrailingComments(
            operators[index],
            targetNode,
            file,
            3,
            /*hasTrailingNewLine*/
            false
          );
        }
      };
      var copyCommentFromMultiNode = (nodes, file, copyOperatorComments) => (indexes, targetNode) => {
        while (indexes.length > 0) {
          const index = indexes.shift();
          copyTrailingComments(
            nodes[index],
            targetNode,
            file,
            3,
            /*hasTrailingNewLine*/
            false
          );
          copyOperatorComments(index, targetNode);
        }
      };
      function escapeRawStringForTemplate(s) {
        return s.replace(/\\.|[$`]/g, (m) => m[0] === "\\" ? m : "\\" + m);
      }
      function getRawTextOfTemplate(node) {
        const rightShaving = isTemplateHead(node) || isTemplateMiddle(node) ? -2 : -1;
        return getTextOfNode(node).slice(1, rightShaving);
      }
      function concatConsecutiveString(index, nodes) {
        const indexes = [];
        let text = "", rawText = "";
        while (index < nodes.length) {
          const node = nodes[index];
          if (isStringLiteralLike(node)) {
            text += node.text;
            rawText += escapeRawStringForTemplate(getTextOfNode(node).slice(1, -1));
            indexes.push(index);
            index++;
          } else if (isTemplateExpression(node)) {
            text += node.head.text;
            rawText += getRawTextOfTemplate(node.head);
            break;
          } else {
            break;
          }
        }
        return [index, text, rawText, indexes];
      }
      function nodesToTemplate({ nodes, operators }, file) {
        const copyOperatorComments = copyTrailingOperatorComments(operators, file);
        const copyCommentFromStringLiterals = copyCommentFromMultiNode(nodes, file, copyOperatorComments);
        const [begin, headText, rawHeadText, headIndexes] = concatConsecutiveString(0, nodes);
        if (begin === nodes.length) {
          const noSubstitutionTemplateLiteral = factory.createNoSubstitutionTemplateLiteral(headText, rawHeadText);
          copyCommentFromStringLiterals(headIndexes, noSubstitutionTemplateLiteral);
          return noSubstitutionTemplateLiteral;
        }
        const templateSpans = [];
        const templateHead = factory.createTemplateHead(headText, rawHeadText);
        copyCommentFromStringLiterals(headIndexes, templateHead);
        for (let i = begin; i < nodes.length; i++) {
          const currentNode = getExpressionFromParenthesesOrExpression(nodes[i]);
          copyOperatorComments(i, currentNode);
          const [newIndex, subsequentText, rawSubsequentText, stringIndexes] = concatConsecutiveString(i + 1, nodes);
          i = newIndex - 1;
          const isLast = i === nodes.length - 1;
          if (isTemplateExpression(currentNode)) {
            const spans = map(currentNode.templateSpans, (span, index) => {
              copyExpressionComments(span);
              const isLastSpan = index === currentNode.templateSpans.length - 1;
              const text = span.literal.text + (isLastSpan ? subsequentText : "");
              const rawText = getRawTextOfTemplate(span.literal) + (isLastSpan ? rawSubsequentText : "");
              return factory.createTemplateSpan(
                span.expression,
                isLast && isLastSpan ? factory.createTemplateTail(text, rawText) : factory.createTemplateMiddle(text, rawText)
              );
            });
            templateSpans.push(...spans);
          } else {
            const templatePart = isLast ? factory.createTemplateTail(subsequentText, rawSubsequentText) : factory.createTemplateMiddle(subsequentText, rawSubsequentText);
            copyCommentFromStringLiterals(stringIndexes, templatePart);
            templateSpans.push(factory.createTemplateSpan(currentNode, templatePart));
          }
        }
        return factory.createTemplateExpression(templateHead, templateSpans);
      }
      function copyExpressionComments(node) {
        const file = node.getSourceFile();
        copyTrailingComments(
          node,
          node.expression,
          file,
          3,
          /*hasTrailingNewLine*/
          false
        );
        copyTrailingAsLeadingComments(
          node.expression,
          node.expression,
          file,
          3,
          /*hasTrailingNewLine*/
          false
        );
      }
      function getExpressionFromParenthesesOrExpression(node) {
        if (isParenthesizedExpression(node)) {
          copyExpressionComments(node);
          node = node.expression;
        }
        return node;
      }
      var ts_refactor_convertToOptionalChainExpression_exports = {};
      var refactorName11 = "Convert to optional chain expression";
      var convertToOptionalChainExpressionMessage = getLocaleSpecificMessage(Diagnostics.Convert_to_optional_chain_expression);
      var toOptionalChainAction = {
        name: refactorName11,
        description: convertToOptionalChainExpressionMessage,
        kind: "refactor.rewrite.expression.optionalChain"
      };
      registerRefactor(refactorName11, {
        kinds: [toOptionalChainAction.kind],
        getEditsForAction: getRefactorEditsToConvertToOptionalChain,
        getAvailableActions: getRefactorActionsToConvertToOptionalChain
      });
      function getRefactorActionsToConvertToOptionalChain(context) {
        const info = getInfo3(context, context.triggerReason === "invoked");
        if (!info) return emptyArray;
        if (!isRefactorErrorInfo(info)) {
          return [{
            name: refactorName11,
            description: convertToOptionalChainExpressionMessage,
            actions: [toOptionalChainAction]
          }];
        }
        if (context.preferences.provideRefactorNotApplicableReason) {
          return [{
            name: refactorName11,
            description: convertToOptionalChainExpressionMessage,
            actions: [{ ...toOptionalChainAction, notApplicableReason: info.error }]
          }];
        }
        return emptyArray;
      }
      function getRefactorEditsToConvertToOptionalChain(context, actionName2) {
        const info = getInfo3(context);
        Debug.assert(info && !isRefactorErrorInfo(info), "Expected applicable refactor info");
        const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange6(context.file, context.program.getTypeChecker(), t, info, actionName2));
        return { edits, renameFilename: void 0, renameLocation: void 0 };
      }
      function isValidExpression(node) {
        return isBinaryExpression(node) || isConditionalExpression(node);
      }
      function isValidStatement(node) {
        return isExpressionStatement2(node) || isReturnStatement(node) || isVariableStatement(node);
      }
      function isValidExpressionOrStatement(node) {
        return isValidExpression(node) || isValidStatement(node);
      }
      function getInfo3(context, considerEmptySpans = true) {
        const { file, program } = context;
        const span = getRefactorContextSpan(context);
        const forEmptySpan = span.length === 0;
        if (forEmptySpan && !considerEmptySpans) return void 0;
        const startToken = getTokenAtPosition(file, span.start);
        const endToken = findTokenOnLeftOfPosition(file, span.start + span.length);
        const adjustedSpan = createTextSpanFromBounds(startToken.pos, endToken && endToken.end >= startToken.pos ? endToken.getEnd() : startToken.getEnd());
        const parent2 = forEmptySpan ? getValidParentNodeOfEmptySpan(startToken) : getValidParentNodeContainingSpan(startToken, adjustedSpan);
        const expression = parent2 && isValidExpressionOrStatement(parent2) ? getExpression(parent2) : void 0;
        if (!expression) return { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_convertible_access_expression) };
        const checker = program.getTypeChecker();
        return isConditionalExpression(expression) ? getConditionalInfo(expression, checker) : getBinaryInfo(expression);
      }
      function getConditionalInfo(expression, checker) {
        const condition = expression.condition;
        const finalExpression = getFinalExpressionInChain(expression.whenTrue);
        if (!finalExpression || checker.isNullableType(checker.getTypeAtLocation(finalExpression))) {
          return { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_convertible_access_expression) };
        }
        if ((isPropertyAccessExpression(condition) || isIdentifier(condition)) && getMatchingStart(condition, finalExpression.expression)) {
          return { finalExpression, occurrences: [condition], expression };
        } else if (isBinaryExpression(condition)) {
          const occurrences = getOccurrencesInExpression(finalExpression.expression, condition);
          return occurrences ? { finalExpression, occurrences, expression } : { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_matching_access_expressions) };
        }
      }
      function getBinaryInfo(expression) {
        if (expression.operatorToken.kind !== 56) {
          return { error: getLocaleSpecificMessage(Diagnostics.Can_only_convert_logical_AND_access_chains) };
        }
        const finalExpression = getFinalExpressionInChain(expression.right);
        if (!finalExpression) return { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_convertible_access_expression) };
        const occurrences = getOccurrencesInExpression(finalExpression.expression, expression.left);
        return occurrences ? { finalExpression, occurrences, expression } : { error: getLocaleSpecificMessage(Diagnostics.Could_not_find_matching_access_expressions) };
      }
      function getOccurrencesInExpression(matchTo, expression) {
        const occurrences = [];
        while (isBinaryExpression(expression) && expression.operatorToken.kind === 56) {
          const match = getMatchingStart(skipParentheses(matchTo), skipParentheses(expression.right));
          if (!match) {
            break;
          }
          occurrences.push(match);
          matchTo = match;
          expression = expression.left;
        }
        const finalMatch = getMatchingStart(matchTo, expression);
        if (finalMatch) {
          occurrences.push(finalMatch);
        }
        return occurrences.length > 0 ? occurrences : void 0;
      }
      function getMatchingStart(chain, subchain) {
        if (!isIdentifier(subchain) && !isPropertyAccessExpression(subchain) && !isElementAccessExpression(subchain)) {
          return void 0;
        }
        return chainStartsWith(chain, subchain) ? subchain : void 0;
      }
      function chainStartsWith(chain, subchain) {
        while (isCallExpression2(chain) || isPropertyAccessExpression(chain) || isElementAccessExpression(chain)) {
          if (getTextOfChainNode(chain) === getTextOfChainNode(subchain)) break;
          chain = chain.expression;
        }
        while (isPropertyAccessExpression(chain) && isPropertyAccessExpression(subchain) || isElementAccessExpression(chain) && isElementAccessExpression(subchain)) {
          if (getTextOfChainNode(chain) !== getTextOfChainNode(subchain)) return false;
          chain = chain.expression;
          subchain = subchain.expression;
        }
        return isIdentifier(chain) && isIdentifier(subchain) && chain.getText() === subchain.getText();
      }
      function getTextOfChainNode(node) {
        if (isIdentifier(node) || isStringOrNumericLiteralLike(node)) {
          return node.getText();
        }
        if (isPropertyAccessExpression(node)) {
          return getTextOfChainNode(node.name);
        }
        if (isElementAccessExpression(node)) {
          return getTextOfChainNode(node.argumentExpression);
        }
        return void 0;
      }
      function getValidParentNodeContainingSpan(node, span) {
        while (node.parent) {
          if (isValidExpressionOrStatement(node) && span.length !== 0 && node.end >= span.start + span.length) {
            return node;
          }
          node = node.parent;
        }
        return void 0;
      }
      function getValidParentNodeOfEmptySpan(node) {
        while (node.parent) {
          if (isValidExpressionOrStatement(node) && !isValidExpressionOrStatement(node.parent)) {
            return node;
          }
          node = node.parent;
        }
        return void 0;
      }
      function getExpression(node) {
        if (isValidExpression(node)) {
          return node;
        }
        if (isVariableStatement(node)) {
          const variable = getSingleVariableOfVariableStatement(node);
          const initializer = variable == null ? void 0 : variable.initializer;
          return initializer && isValidExpression(initializer) ? initializer : void 0;
        }
        return node.expression && isValidExpression(node.expression) ? node.expression : void 0;
      }
      function getFinalExpressionInChain(node) {
        node = skipParentheses(node);
        if (isBinaryExpression(node)) {
          return getFinalExpressionInChain(node.left);
        } else if ((isPropertyAccessExpression(node) || isElementAccessExpression(node) || isCallExpression2(node)) && !isOptionalChain(node)) {
          return node;
        }
        return void 0;
      }
      function convertOccurrences(checker, toConvert, occurrences) {
        if (isPropertyAccessExpression(toConvert) || isElementAccessExpression(toConvert) || isCallExpression2(toConvert)) {
          const chain = convertOccurrences(checker, toConvert.expression, occurrences);
          const lastOccurrence = occurrences.length > 0 ? occurrences[occurrences.length - 1] : void 0;
          const isOccurrence = (lastOccurrence == null ? void 0 : lastOccurrence.getText()) === toConvert.expression.getText();
          if (isOccurrence) occurrences.pop();
          if (isCallExpression2(toConvert)) {
            return isOccurrence ? factory.createCallChain(chain, factory.createToken(
              29
              /* QuestionDotToken */
            ), toConvert.typeArguments, toConvert.arguments) : factory.createCallChain(chain, toConvert.questionDotToken, toConvert.typeArguments, toConvert.arguments);
          } else if (isPropertyAccessExpression(toConvert)) {
            return isOccurrence ? factory.createPropertyAccessChain(chain, factory.createToken(
              29
              /* QuestionDotToken */
            ), toConvert.name) : factory.createPropertyAccessChain(chain, toConvert.questionDotToken, toConvert.name);
          } else if (isElementAccessExpression(toConvert)) {
            return isOccurrence ? factory.createElementAccessChain(chain, factory.createToken(
              29
              /* QuestionDotToken */
            ), toConvert.argumentExpression) : factory.createElementAccessChain(chain, toConvert.questionDotToken, toConvert.argumentExpression);
          }
        }
        return toConvert;
      }
      function doChange6(sourceFile, checker, changes, info, _actionName) {
        const { finalExpression, occurrences, expression } = info;
        const firstOccurrence = occurrences[occurrences.length - 1];
        const convertedChain = convertOccurrences(checker, finalExpression, occurrences);
        if (convertedChain && (isPropertyAccessExpression(convertedChain) || isElementAccessExpression(convertedChain) || isCallExpression2(convertedChain))) {
          if (isBinaryExpression(expression)) {
            changes.replaceNodeRange(sourceFile, firstOccurrence, finalExpression, convertedChain);
          } else if (isConditionalExpression(expression)) {
            changes.replaceNode(sourceFile, expression, factory.createBinaryExpression(convertedChain, factory.createToken(
              61
              /* QuestionQuestionToken */
            ), expression.whenFalse));
          }
        }
      }
      var ts_refactor_extractSymbol_exports = {};
      __export2(ts_refactor_extractSymbol_exports, {
        Messages: () => Messages,
        RangeFacts: () => RangeFacts,
        getRangeToExtract: () => getRangeToExtract2,
        getRefactorActionsToExtractSymbol: () => getRefactorActionsToExtractSymbol,
        getRefactorEditsToExtractSymbol: () => getRefactorEditsToExtractSymbol
      });
      var refactorName12 = "Extract Symbol";
      var extractConstantAction = {
        name: "Extract Constant",
        description: getLocaleSpecificMessage(Diagnostics.Extract_constant),
        kind: "refactor.extract.constant"
      };
      var extractFunctionAction = {
        name: "Extract Function",
        description: getLocaleSpecificMessage(Diagnostics.Extract_function),
        kind: "refactor.extract.function"
      };
      registerRefactor(refactorName12, {
        kinds: [
          extractConstantAction.kind,
          extractFunctionAction.kind
        ],
        getEditsForAction: getRefactorEditsToExtractSymbol,
        getAvailableActions: getRefactorActionsToExtractSymbol
      });
      function getRefactorActionsToExtractSymbol(context) {
        const requestedRefactor = context.kind;
        const rangeToExtract = getRangeToExtract2(context.file, getRefactorContextSpan(context), context.triggerReason === "invoked");
        const targetRange = rangeToExtract.targetRange;
        if (targetRange === void 0) {
          if (!rangeToExtract.errors || rangeToExtract.errors.length === 0 || !context.preferences.provideRefactorNotApplicableReason) {
            return emptyArray;
          }
          const errors = [];
          if (refactorKindBeginsWith(extractFunctionAction.kind, requestedRefactor)) {
            errors.push({
              name: refactorName12,
              description: extractFunctionAction.description,
              actions: [{ ...extractFunctionAction, notApplicableReason: getStringError(rangeToExtract.errors) }]
            });
          }
          if (refactorKindBeginsWith(extractConstantAction.kind, requestedRefactor)) {
            errors.push({
              name: refactorName12,
              description: extractConstantAction.description,
              actions: [{ ...extractConstantAction, notApplicableReason: getStringError(rangeToExtract.errors) }]
            });
          }
          return errors;
        }
        const { affectedTextRange, extractions } = getPossibleExtractions(targetRange, context);
        if (extractions === void 0) {
          return emptyArray;
        }
        const functionActions = [];
        const usedFunctionNames = /* @__PURE__ */ new Map();
        let innermostErrorFunctionAction;
        const constantActions = [];
        const usedConstantNames = /* @__PURE__ */ new Map();
        let innermostErrorConstantAction;
        let i = 0;
        for (const { functionExtraction, constantExtraction } of extractions) {
          if (refactorKindBeginsWith(extractFunctionAction.kind, requestedRefactor)) {
            const description3 = functionExtraction.description;
            if (functionExtraction.errors.length === 0) {
              if (!usedFunctionNames.has(description3)) {
                usedFunctionNames.set(description3, true);
                functionActions.push({
                  description: description3,
                  name: `function_scope_${i}`,
                  kind: extractFunctionAction.kind,
                  range: {
                    start: { line: getLineAndCharacterOfPosition(context.file, affectedTextRange.pos).line, offset: getLineAndCharacterOfPosition(context.file, affectedTextRange.pos).character },
                    end: { line: getLineAndCharacterOfPosition(context.file, affectedTextRange.end).line, offset: getLineAndCharacterOfPosition(context.file, affectedTextRange.end).character }
                  }
                });
              }
            } else if (!innermostErrorFunctionAction) {
              innermostErrorFunctionAction = {
                description: description3,
                name: `function_scope_${i}`,
                notApplicableReason: getStringError(functionExtraction.errors),
                kind: extractFunctionAction.kind
              };
            }
          }
          if (refactorKindBeginsWith(extractConstantAction.kind, requestedRefactor)) {
            const description3 = constantExtraction.description;
            if (constantExtraction.errors.length === 0) {
              if (!usedConstantNames.has(description3)) {
                usedConstantNames.set(description3, true);
                constantActions.push({
                  description: description3,
                  name: `constant_scope_${i}`,
                  kind: extractConstantAction.kind,
                  range: {
                    start: { line: getLineAndCharacterOfPosition(context.file, affectedTextRange.pos).line, offset: getLineAndCharacterOfPosition(context.file, affectedTextRange.pos).character },
                    end: { line: getLineAndCharacterOfPosition(context.file, affectedTextRange.end).line, offset: getLineAndCharacterOfPosition(context.file, affectedTextRange.end).character }
                  }
                });
              }
            } else if (!innermostErrorConstantAction) {
              innermostErrorConstantAction = {
                description: description3,
                name: `constant_scope_${i}`,
                notApplicableReason: getStringError(constantExtraction.errors),
                kind: extractConstantAction.kind
              };
            }
          }
          i++;
        }
        const infos = [];
        if (functionActions.length) {
          infos.push({
            name: refactorName12,
            description: getLocaleSpecificMessage(Diagnostics.Extract_function),
            actions: functionActions
          });
        } else if (context.preferences.provideRefactorNotApplicableReason && innermostErrorFunctionAction) {
          infos.push({
            name: refactorName12,
            description: getLocaleSpecificMessage(Diagnostics.Extract_function),
            actions: [innermostErrorFunctionAction]
          });
        }
        if (constantActions.length) {
          infos.push({
            name: refactorName12,
            description: getLocaleSpecificMessage(Diagnostics.Extract_constant),
            actions: constantActions
          });
        } else if (context.preferences.provideRefactorNotApplicableReason && innermostErrorConstantAction) {
          infos.push({
            name: refactorName12,
            description: getLocaleSpecificMessage(Diagnostics.Extract_constant),
            actions: [innermostErrorConstantAction]
          });
        }
        return infos.length ? infos : emptyArray;
        function getStringError(errors) {
          let error2 = errors[0].messageText;
          if (typeof error2 !== "string") {
            error2 = error2.messageText;
          }
          return error2;
        }
      }
      function getRefactorEditsToExtractSymbol(context, actionName2) {
        const rangeToExtract = getRangeToExtract2(context.file, getRefactorContextSpan(context));
        const targetRange = rangeToExtract.targetRange;
        const parsedFunctionIndexMatch = /^function_scope_(\d+)$/.exec(actionName2);
        if (parsedFunctionIndexMatch) {
          const index = +parsedFunctionIndexMatch[1];
          Debug.assert(isFinite(index), "Expected to parse a finite number from the function scope index");
          return getFunctionExtractionAtIndex(targetRange, context, index);
        }
        const parsedConstantIndexMatch = /^constant_scope_(\d+)$/.exec(actionName2);
        if (parsedConstantIndexMatch) {
          const index = +parsedConstantIndexMatch[1];
          Debug.assert(isFinite(index), "Expected to parse a finite number from the constant scope index");
          return getConstantExtractionAtIndex(targetRange, context, index);
        }
        Debug.fail("Unrecognized action name");
      }
      var Messages;
      ((Messages2) => {
        function createMessage(message) {
          return { message, code: 0, category: 3, key: message };
        }
        Messages2.cannotExtractRange = createMessage("Cannot extract range.");
        Messages2.cannotExtractImport = createMessage("Cannot extract import statement.");
        Messages2.cannotExtractSuper = createMessage("Cannot extract super call.");
        Messages2.cannotExtractJSDoc = createMessage("Cannot extract JSDoc.");
        Messages2.cannotExtractEmpty = createMessage("Cannot extract empty range.");
        Messages2.expressionExpected = createMessage("expression expected.");
        Messages2.uselessConstantType = createMessage("No reason to extract constant of type.");
        Messages2.statementOrExpressionExpected = createMessage("Statement or expression expected.");
        Messages2.cannotExtractRangeContainingConditionalBreakOrContinueStatements = createMessage("Cannot extract range containing conditional break or continue statements.");
        Messages2.cannotExtractRangeContainingConditionalReturnStatement = createMessage("Cannot extract range containing conditional return statement.");
        Messages2.cannotExtractRangeContainingLabeledBreakOrContinueStatementWithTargetOutsideOfTheRange = createMessage("Cannot extract range containing labeled break or continue with target outside of the range.");
        Messages2.cannotExtractRangeThatContainsWritesToReferencesLocatedOutsideOfTheTargetRangeInGenerators = createMessage("Cannot extract range containing writes to references located outside of the target range in generators.");
        Messages2.typeWillNotBeVisibleInTheNewScope = createMessage("Type will not visible in the new scope.");
        Messages2.functionWillNotBeVisibleInTheNewScope = createMessage("Function will not visible in the new scope.");
        Messages2.cannotExtractIdentifier = createMessage("Select more than a single identifier.");
        Messages2.cannotExtractExportedEntity = createMessage("Cannot extract exported declaration");
        Messages2.cannotWriteInExpression = createMessage("Cannot write back side-effects when extracting an expression");
        Messages2.cannotExtractReadonlyPropertyInitializerOutsideConstructor = createMessage("Cannot move initialization of read-only class property outside of the constructor");
        Messages2.cannotExtractAmbientBlock = createMessage("Cannot extract code from ambient contexts");
        Messages2.cannotAccessVariablesFromNestedScopes = createMessage("Cannot access variables from nested scopes");
        Messages2.cannotExtractToJSClass = createMessage("Cannot extract constant to a class scope in JS");
        Messages2.cannotExtractToExpressionArrowFunction = createMessage("Cannot extract constant to an arrow function without a block");
        Messages2.cannotExtractFunctionsContainingThisToMethod = createMessage("Cannot extract functions containing this to method");
      })(Messages || (Messages = {}));
      var RangeFacts = /* @__PURE__ */ ((RangeFacts2) => {
        RangeFacts2[RangeFacts2["None"] = 0] = "None";
        RangeFacts2[RangeFacts2["HasReturn"] = 1] = "HasReturn";
        RangeFacts2[RangeFacts2["IsGenerator"] = 2] = "IsGenerator";
        RangeFacts2[RangeFacts2["IsAsyncFunction"] = 4] = "IsAsyncFunction";
        RangeFacts2[RangeFacts2["UsesThis"] = 8] = "UsesThis";
        RangeFacts2[RangeFacts2["UsesThisInFunction"] = 16] = "UsesThisInFunction";
        RangeFacts2[RangeFacts2["InStaticRegion"] = 32] = "InStaticRegion";
        return RangeFacts2;
      })(RangeFacts || {});
      function getRangeToExtract2(sourceFile, span, invoked = true) {
        const { length: length2 } = span;
        if (length2 === 0 && !invoked) {
          return { errors: [createFileDiagnostic(sourceFile, span.start, length2, Messages.cannotExtractEmpty)] };
        }
        const cursorRequest = length2 === 0 && invoked;
        const startToken = findFirstNonJsxWhitespaceToken(sourceFile, span.start);
        const endToken = findTokenOnLeftOfPosition(sourceFile, textSpanEnd(span));
        const adjustedSpan = startToken && endToken && invoked ? getAdjustedSpanFromNodes(startToken, endToken, sourceFile) : span;
        const start = cursorRequest ? getExtractableParent(startToken) : getParentNodeInSpan(startToken, sourceFile, adjustedSpan);
        const end = cursorRequest ? start : getParentNodeInSpan(endToken, sourceFile, adjustedSpan);
        let rangeFacts = 0;
        let thisNode;
        if (!start || !end) {
          return { errors: [createFileDiagnostic(sourceFile, span.start, length2, Messages.cannotExtractRange)] };
        }
        if (start.flags & 16777216) {
          return { errors: [createFileDiagnostic(sourceFile, span.start, length2, Messages.cannotExtractJSDoc)] };
        }
        if (start.parent !== end.parent) {
          return { errors: [createFileDiagnostic(sourceFile, span.start, length2, Messages.cannotExtractRange)] };
        }
        if (start !== end) {
          if (!isBlockLike(start.parent)) {
            return { errors: [createFileDiagnostic(sourceFile, span.start, length2, Messages.cannotExtractRange)] };
          }
          const statements = [];
          for (const statement of start.parent.statements) {
            if (statement === start || statements.length) {
              const errors2 = checkNode2(statement);
              if (errors2) {
                return { errors: errors2 };
              }
              statements.push(statement);
            }
            if (statement === end) {
              break;
            }
          }
          if (!statements.length) {
            return { errors: [createFileDiagnostic(sourceFile, span.start, length2, Messages.cannotExtractRange)] };
          }
          return { targetRange: { range: statements, facts: rangeFacts, thisNode } };
        }
        if (isReturnStatement(start) && !start.expression) {
          return { errors: [createFileDiagnostic(sourceFile, span.start, length2, Messages.cannotExtractRange)] };
        }
        const node = refineNode(start);
        const errors = checkRootNode(node) || checkNode2(node);
        if (errors) {
          return { errors };
        }
        return { targetRange: { range: getStatementOrExpressionRange(node), facts: rangeFacts, thisNode } };
        function refineNode(node2) {
          if (isReturnStatement(node2)) {
            if (node2.expression) {
              return node2.expression;
            }
          } else if (isVariableStatement(node2) || isVariableDeclarationList(node2)) {
            const declarations = isVariableStatement(node2) ? node2.declarationList.declarations : node2.declarations;
            let numInitializers = 0;
            let lastInitializer;
            for (const declaration of declarations) {
              if (declaration.initializer) {
                numInitializers++;
                lastInitializer = declaration.initializer;
              }
            }
            if (numInitializers === 1) {
              return lastInitializer;
            }
          } else if (isVariableDeclaration(node2)) {
            if (node2.initializer) {
              return node2.initializer;
            }
          }
          return node2;
        }
        function checkRootNode(node2) {
          if (isIdentifier(isExpressionStatement2(node2) ? node2.expression : node2)) {
            return [createDiagnosticForNode(node2, Messages.cannotExtractIdentifier)];
          }
          return void 0;
        }
        function checkForStaticContext(nodeToCheck, containingClass) {
          let current = nodeToCheck;
          while (current !== containingClass) {
            if (current.kind === 172) {
              if (isStatic(current)) {
                rangeFacts |= 32;
              }
              break;
            } else if (current.kind === 169) {
              const ctorOrMethod = getContainingFunction(current);
              if (ctorOrMethod.kind === 176) {
                rangeFacts |= 32;
              }
              break;
            } else if (current.kind === 174) {
              if (isStatic(current)) {
                rangeFacts |= 32;
              }
            }
            current = current.parent;
          }
        }
        function checkNode2(nodeToCheck) {
          let PermittedJumps;
          ((PermittedJumps2) => {
            PermittedJumps2[PermittedJumps2["None"] = 0] = "None";
            PermittedJumps2[PermittedJumps2["Break"] = 1] = "Break";
            PermittedJumps2[PermittedJumps2["Continue"] = 2] = "Continue";
            PermittedJumps2[PermittedJumps2["Return"] = 4] = "Return";
          })(PermittedJumps || (PermittedJumps = {}));
          Debug.assert(nodeToCheck.pos <= nodeToCheck.end, "This failure could trigger https://github.com/Microsoft/TypeScript/issues/20809 (1)");
          Debug.assert(!positionIsSynthesized(nodeToCheck.pos), "This failure could trigger https://github.com/Microsoft/TypeScript/issues/20809 (2)");
          if (!isStatement(nodeToCheck) && !(isExpressionNode(nodeToCheck) && isExtractableExpression(nodeToCheck)) && !isStringLiteralJsxAttribute(nodeToCheck)) {
            return [createDiagnosticForNode(nodeToCheck, Messages.statementOrExpressionExpected)];
          }
          if (nodeToCheck.flags & 33554432) {
            return [createDiagnosticForNode(nodeToCheck, Messages.cannotExtractAmbientBlock)];
          }
          const containingClass = getContainingClass(nodeToCheck);
          if (containingClass) {
            checkForStaticContext(nodeToCheck, containingClass);
          }
          let errors2;
          let permittedJumps = 4;
          let seenLabels;
          visit(nodeToCheck);
          if (rangeFacts & 8) {
            const container = getThisContainer(
              nodeToCheck,
              /*includeArrowFunctions*/
              false,
              /*includeClassComputedPropertyName*/
              false
            );
            if (container.kind === 262 || container.kind === 174 && container.parent.kind === 210 || container.kind === 218) {
              rangeFacts |= 16;
            }
          }
          return errors2;
          function visit(node2) {
            if (errors2) {
              return true;
            }
            if (isDeclaration(node2)) {
              const declaringNode = node2.kind === 260 ? node2.parent.parent : node2;
              if (hasSyntacticModifier(
                declaringNode,
                32
                /* Export */
              )) {
                (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractExportedEntity));
                return true;
              }
            }
            switch (node2.kind) {
              case 272:
                (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractImport));
                return true;
              case 277:
                (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractExportedEntity));
                return true;
              case 108:
                if (node2.parent.kind === 213) {
                  const containingClass2 = getContainingClass(node2);
                  if (containingClass2 === void 0 || containingClass2.pos < span.start || containingClass2.end >= span.start + span.length) {
                    (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractSuper));
                    return true;
                  }
                } else {
                  rangeFacts |= 8;
                  thisNode = node2;
                }
                break;
              case 219:
                forEachChild(node2, function check(n) {
                  if (isThis(n)) {
                    rangeFacts |= 8;
                    thisNode = node2;
                  } else if (isClassLike(n) || isFunctionLike(n) && !isArrowFunction(n)) {
                    return false;
                  } else {
                    forEachChild(n, check);
                  }
                });
              case 263:
              case 262:
                if (isSourceFile(node2.parent) && node2.parent.externalModuleIndicator === void 0) {
                  (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.functionWillNotBeVisibleInTheNewScope));
                }
              case 231:
              case 218:
              case 174:
              case 176:
              case 177:
              case 178:
                return false;
            }
            const savedPermittedJumps = permittedJumps;
            switch (node2.kind) {
              case 245:
                permittedJumps &= ~4;
                break;
              case 258:
                permittedJumps = 0;
                break;
              case 241:
                if (node2.parent && node2.parent.kind === 258 && node2.parent.finallyBlock === node2) {
                  permittedJumps = 4;
                }
                break;
              case 297:
              case 296:
                permittedJumps |= 1;
                break;
              default:
                if (isIterationStatement(
                  node2,
                  /*lookInLabeledStatements*/
                  false
                )) {
                  permittedJumps |= 1 | 2;
                }
                break;
            }
            switch (node2.kind) {
              case 197:
              case 110:
                rangeFacts |= 8;
                thisNode = node2;
                break;
              case 256: {
                const label = node2.label;
                (seenLabels || (seenLabels = [])).push(label.escapedText);
                forEachChild(node2, visit);
                seenLabels.pop();
                break;
              }
              case 252:
              case 251: {
                const label = node2.label;
                if (label) {
                  if (!contains(seenLabels, label.escapedText)) {
                    (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractRangeContainingLabeledBreakOrContinueStatementWithTargetOutsideOfTheRange));
                  }
                } else {
                  if (!(permittedJumps & (node2.kind === 252 ? 1 : 2))) {
                    (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractRangeContainingConditionalBreakOrContinueStatements));
                  }
                }
                break;
              }
              case 223:
                rangeFacts |= 4;
                break;
              case 229:
                rangeFacts |= 2;
                break;
              case 253:
                if (permittedJumps & 4) {
                  rangeFacts |= 1;
                } else {
                  (errors2 || (errors2 = [])).push(createDiagnosticForNode(node2, Messages.cannotExtractRangeContainingConditionalReturnStatement));
                }
                break;
              default:
                forEachChild(node2, visit);
                break;
            }
            permittedJumps = savedPermittedJumps;
          }
        }
      }
      function getAdjustedSpanFromNodes(startNode2, endNode2, sourceFile) {
        const start = startNode2.getStart(sourceFile);
        let end = endNode2.getEnd();
        if (sourceFile.text.charCodeAt(end) === 59) {
          end++;
        }
        return { start, length: end - start };
      }
      function getStatementOrExpressionRange(node) {
        if (isStatement(node)) {
          return [node];
        }
        if (isExpressionNode(node)) {
          return isExpressionStatement2(node.parent) ? [node.parent] : node;
        }
        if (isStringLiteralJsxAttribute(node)) {
          return node;
        }
        return void 0;
      }
      function isScope(node) {
        return isArrowFunction(node) ? isFunctionBody(node.body) : isFunctionLikeDeclaration(node) || isSourceFile(node) || isModuleBlock(node) || isClassLike(node);
      }
      function collectEnclosingScopes(range) {
        let current = isReadonlyArray(range.range) ? first(range.range) : range.range;
        if (range.facts & 8 && !(range.facts & 16)) {
          const containingClass = getContainingClass(current);
          if (containingClass) {
            const containingFunction = findAncestor(current, isFunctionLikeDeclaration);
            return containingFunction ? [containingFunction, containingClass] : [containingClass];
          }
        }
        const scopes = [];
        while (true) {
          current = current.parent;
          if (current.kind === 169) {
            current = findAncestor(current, (parent2) => isFunctionLikeDeclaration(parent2)).parent;
          }
          if (isScope(current)) {
            scopes.push(current);
            if (current.kind === 307) {
              return scopes;
            }
          }
        }
      }
      function getFunctionExtractionAtIndex(targetRange, context, requestedChangesIndex) {
        const { scopes, readsAndWrites: { target, usagesPerScope, functionErrorsPerScope, exposedVariableDeclarations } } = getPossibleExtractionsWorker(targetRange, context);
        Debug.assert(!functionErrorsPerScope[requestedChangesIndex].length, "The extraction went missing? How?");
        context.cancellationToken.throwIfCancellationRequested();
        return extractFunctionInScope(target, scopes[requestedChangesIndex], usagesPerScope[requestedChangesIndex], exposedVariableDeclarations, targetRange, context);
      }
      function getConstantExtractionAtIndex(targetRange, context, requestedChangesIndex) {
        const { scopes, readsAndWrites: { target, usagesPerScope, constantErrorsPerScope, exposedVariableDeclarations } } = getPossibleExtractionsWorker(targetRange, context);
        Debug.assert(!constantErrorsPerScope[requestedChangesIndex].length, "The extraction went missing? How?");
        Debug.assert(exposedVariableDeclarations.length === 0, "Extract constant accepted a range containing a variable declaration?");
        context.cancellationToken.throwIfCancellationRequested();
        const expression = isExpression(target) ? target : target.statements[0].expression;
        return extractConstantInScope(expression, scopes[requestedChangesIndex], usagesPerScope[requestedChangesIndex], targetRange.facts, context);
      }
      function getPossibleExtractions(targetRange, context) {
        const { scopes, affectedTextRange, readsAndWrites: { functionErrorsPerScope, constantErrorsPerScope } } = getPossibleExtractionsWorker(targetRange, context);
        const extractions = scopes.map((scope, i) => {
          const functionDescriptionPart = getDescriptionForFunctionInScope(scope);
          const constantDescriptionPart = getDescriptionForConstantInScope(scope);
          const scopeDescription = isFunctionLikeDeclaration(scope) ? getDescriptionForFunctionLikeDeclaration(scope) : isClassLike(scope) ? getDescriptionForClassLikeDeclaration(scope) : getDescriptionForModuleLikeDeclaration(scope);
          let functionDescription;
          let constantDescription;
          if (scopeDescription === 1) {
            functionDescription = formatStringFromArgs(getLocaleSpecificMessage(Diagnostics.Extract_to_0_in_1_scope), [functionDescriptionPart, "global"]);
            constantDescription = formatStringFromArgs(getLocaleSpecificMessage(Diagnostics.Extract_to_0_in_1_scope), [constantDescriptionPart, "global"]);
          } else if (scopeDescription === 0) {
            functionDescription = formatStringFromArgs(getLocaleSpecificMessage(Diagnostics.Extract_to_0_in_1_scope), [functionDescriptionPart, "module"]);
            constantDescription = formatStringFromArgs(getLocaleSpecificMessage(Diagnostics.Extract_to_0_in_1_scope), [constantDescriptionPart, "module"]);
          } else {
            functionDescription = formatStringFromArgs(getLocaleSpecificMessage(Diagnostics.Extract_to_0_in_1), [functionDescriptionPart, scopeDescription]);
            constantDescription = formatStringFromArgs(getLocaleSpecificMessage(Diagnostics.Extract_to_0_in_1), [constantDescriptionPart, scopeDescription]);
          }
          if (i === 0 && !isClassLike(scope)) {
            constantDescription = formatStringFromArgs(getLocaleSpecificMessage(Diagnostics.Extract_to_0_in_enclosing_scope), [constantDescriptionPart]);
          }
          return {
            functionExtraction: {
              description: functionDescription,
              errors: functionErrorsPerScope[i]
            },
            constantExtraction: {
              description: constantDescription,
              errors: constantErrorsPerScope[i]
            }
          };
        });
        return { affectedTextRange, extractions };
      }
      function getPossibleExtractionsWorker(targetRange, context) {
        const { file: sourceFile } = context;
        const scopes = collectEnclosingScopes(targetRange);
        const enclosingTextRange = getEnclosingTextRange(targetRange, sourceFile);
        const readsAndWrites = collectReadsAndWrites(
          targetRange,
          scopes,
          enclosingTextRange,
          sourceFile,
          context.program.getTypeChecker(),
          context.cancellationToken
        );
        return { scopes, affectedTextRange: enclosingTextRange, readsAndWrites };
      }
      function getDescriptionForFunctionInScope(scope) {
        return isFunctionLikeDeclaration(scope) ? "inner function" : isClassLike(scope) ? "method" : "function";
      }
      function getDescriptionForConstantInScope(scope) {
        return isClassLike(scope) ? "readonly field" : "constant";
      }
      function getDescriptionForFunctionLikeDeclaration(scope) {
        switch (scope.kind) {
          case 176:
            return "constructor";
          case 218:
          case 262:
            return scope.name ? `function '${scope.name.text}'` : ANONYMOUS;
          case 219:
            return "arrow function";
          case 174:
            return `method '${scope.name.getText()}'`;
          case 177:
            return `'get ${scope.name.getText()}'`;
          case 178:
            return `'set ${scope.name.getText()}'`;
          default:
            Debug.assertNever(scope, `Unexpected scope kind ${scope.kind}`);
        }
      }
      function getDescriptionForClassLikeDeclaration(scope) {
        return scope.kind === 263 ? scope.name ? `class '${scope.name.text}'` : "anonymous class declaration" : scope.name ? `class expression '${scope.name.text}'` : "anonymous class expression";
      }
      function getDescriptionForModuleLikeDeclaration(scope) {
        return scope.kind === 268 ? `namespace '${scope.parent.name.getText()}'` : scope.externalModuleIndicator ? 0 : 1;
      }
      function extractFunctionInScope(node, scope, { usages: usagesInScope, typeParameterUsages, substitutions }, exposedVariableDeclarations, range, context) {
        const checker = context.program.getTypeChecker();
        const scriptTarget = getEmitScriptTarget(context.program.getCompilerOptions());
        const importAdder = ts_codefix_exports.createImportAdder(context.file, context.program, context.preferences, context.host);
        const file = scope.getSourceFile();
        const functionNameText = getUniqueName(isClassLike(scope) ? "newMethod" : "newFunction", file);
        const isJS = isInJSFile(scope);
        const functionName = factory.createIdentifier(functionNameText);
        let returnType;
        const parameters = [];
        const callArguments = [];
        let writes;
        usagesInScope.forEach((usage, name) => {
          let typeNode;
          if (!isJS) {
            let type = checker.getTypeOfSymbolAtLocation(usage.symbol, usage.node);
            type = checker.getBaseTypeOfLiteralType(type);
            typeNode = ts_codefix_exports.typeToAutoImportableTypeNode(
              checker,
              importAdder,
              type,
              scope,
              scriptTarget,
              1
              /* NoTruncation */
            );
          }
          const paramDecl = factory.createParameterDeclaration(
            /*modifiers*/
            void 0,
            /*dotDotDotToken*/
            void 0,
            /*name*/
            name,
            /*questionToken*/
            void 0,
            typeNode
          );
          parameters.push(paramDecl);
          if (usage.usage === 2) {
            (writes || (writes = [])).push(usage);
          }
          callArguments.push(factory.createIdentifier(name));
        });
        const typeParametersAndDeclarations = arrayFrom(typeParameterUsages.values(), (type) => ({ type, declaration: getFirstDeclarationBeforePosition(type, context.startPosition) }));
        const sortedTypeParametersAndDeclarations = typeParametersAndDeclarations.sort(compareTypesByDeclarationOrder);
        const typeParameters = sortedTypeParametersAndDeclarations.length === 0 ? void 0 : mapDefined(sortedTypeParametersAndDeclarations, ({ declaration }) => declaration);
        const callTypeArguments = typeParameters !== void 0 ? typeParameters.map((decl) => factory.createTypeReferenceNode(
          decl.name,
          /*typeArguments*/
          void 0
        )) : void 0;
        if (isExpression(node) && !isJS) {
          const contextualType = checker.getContextualType(node);
          returnType = checker.typeToTypeNode(
            contextualType,
            scope,
            1
            /* NoTruncation */
          );
        }
        const { body, returnValueProperty } = transformFunctionBody(node, exposedVariableDeclarations, writes, substitutions, !!(range.facts & 1));
        suppressLeadingAndTrailingTrivia(body);
        let newFunction;
        const callThis = !!(range.facts & 16);
        if (isClassLike(scope)) {
          const modifiers = isJS ? [] : [factory.createModifier(
            123
            /* PrivateKeyword */
          )];
          if (range.facts & 32) {
            modifiers.push(factory.createModifier(
              126
              /* StaticKeyword */
            ));
          }
          if (range.facts & 4) {
            modifiers.push(factory.createModifier(
              134
              /* AsyncKeyword */
            ));
          }
          newFunction = factory.createMethodDeclaration(
            modifiers.length ? modifiers : void 0,
            range.facts & 2 ? factory.createToken(
              42
              /* AsteriskToken */
            ) : void 0,
            functionName,
            /*questionToken*/
            void 0,
            typeParameters,
            parameters,
            returnType,
            body
          );
        } else {
          if (callThis) {
            parameters.unshift(
              factory.createParameterDeclaration(
                /*modifiers*/
                void 0,
                /*dotDotDotToken*/
                void 0,
                /*name*/
                "this",
                /*questionToken*/
                void 0,
                checker.typeToTypeNode(
                  checker.getTypeAtLocation(range.thisNode),
                  scope,
                  1
                  /* NoTruncation */
                ),
                /*initializer*/
                void 0
              )
            );
          }
          newFunction = factory.createFunctionDeclaration(
            range.facts & 4 ? [factory.createToken(
              134
              /* AsyncKeyword */
            )] : void 0,
            range.facts & 2 ? factory.createToken(
              42
              /* AsteriskToken */
            ) : void 0,
            functionName,
            typeParameters,
            parameters,
            returnType,
            body
          );
        }
        const changeTracker = ts_textChanges_exports.ChangeTracker.fromContext(context);
        const minInsertionPos = (isReadonlyArray(range.range) ? last(range.range) : range.range).end;
        const nodeToInsertBefore = getNodeToInsertFunctionBefore(minInsertionPos, scope);
        if (nodeToInsertBefore) {
          changeTracker.insertNodeBefore(
            context.file,
            nodeToInsertBefore,
            newFunction,
            /*blankLineBetween*/
            true
          );
        } else {
          changeTracker.insertNodeAtEndOfScope(context.file, scope, newFunction);
        }
        importAdder.writeFixes(changeTracker);
        const newNodes = [];
        const called = getCalledExpression(scope, range, functionNameText);
        if (callThis) {
          callArguments.unshift(factory.createIdentifier("this"));
        }
        let call = factory.createCallExpression(
          callThis ? factory.createPropertyAccessExpression(
            called,
            "call"
          ) : called,
          callTypeArguments,
          // Note that no attempt is made to take advantage of type argument inference
          callArguments
        );
        if (range.facts & 2) {
          call = factory.createYieldExpression(factory.createToken(
            42
            /* AsteriskToken */
          ), call);
        }
        if (range.facts & 4) {
          call = factory.createAwaitExpression(call);
        }
        if (isInJSXContent(node)) {
          call = factory.createJsxExpression(
            /*dotDotDotToken*/
            void 0,
            call
          );
        }
        if (exposedVariableDeclarations.length && !writes) {
          Debug.assert(!returnValueProperty, "Expected no returnValueProperty");
          Debug.assert(!(range.facts & 1), "Expected RangeFacts.HasReturn flag to be unset");
          if (exposedVariableDeclarations.length === 1) {
            const variableDeclaration = exposedVariableDeclarations[0];
            newNodes.push(factory.createVariableStatement(
              /*modifiers*/
              void 0,
              factory.createVariableDeclarationList(
                [factory.createVariableDeclaration(
                  getSynthesizedDeepClone(variableDeclaration.name),
                  /*exclamationToken*/
                  void 0,
                  /*type*/
                  getSynthesizedDeepClone(variableDeclaration.type),
                  /*initializer*/
                  call
                )],
                variableDeclaration.parent.flags
              )
            ));
          } else {
            const bindingElements = [];
            const typeElements = [];
            let commonNodeFlags = exposedVariableDeclarations[0].parent.flags;
            let sawExplicitType = false;
            for (const variableDeclaration of exposedVariableDeclarations) {
              bindingElements.push(factory.createBindingElement(
                /*dotDotDotToken*/
                void 0,
                /*propertyName*/
                void 0,
                /*name*/
                getSynthesizedDeepClone(variableDeclaration.name)
              ));
              const variableType = checker.typeToTypeNode(
                checker.getBaseTypeOfLiteralType(checker.getTypeAtLocation(variableDeclaration)),
                scope,
                1
                /* NoTruncation */
              );
              typeElements.push(factory.createPropertySignature(
                /*modifiers*/
                void 0,
                /*name*/
                variableDeclaration.symbol.name,
                /*questionToken*/
                void 0,
                /*type*/
                variableType
              ));
              sawExplicitType = sawExplicitType || variableDeclaration.type !== void 0;
              commonNodeFlags = commonNodeFlags & variableDeclaration.parent.flags;
            }
            const typeLiteral = sawExplicitType ? factory.createTypeLiteralNode(typeElements) : void 0;
            if (typeLiteral) {
              setEmitFlags(
                typeLiteral,
                1
                /* SingleLine */
              );
            }
            newNodes.push(factory.createVariableStatement(
              /*modifiers*/
              void 0,
              factory.createVariableDeclarationList(
                [factory.createVariableDeclaration(
                  factory.createObjectBindingPattern(bindingElements),
                  /*exclamationToken*/
                  void 0,
                  /*type*/
                  typeLiteral,
                  /*initializer*/
                  call
                )],
                commonNodeFlags
              )
            ));
          }
        } else if (exposedVariableDeclarations.length || writes) {
          if (exposedVariableDeclarations.length) {
            for (const variableDeclaration of exposedVariableDeclarations) {
              let flags = variableDeclaration.parent.flags;
              if (flags & 2) {
                flags = flags & ~2 | 1;
              }
              newNodes.push(factory.createVariableStatement(
                /*modifiers*/
                void 0,
                factory.createVariableDeclarationList(
                  [factory.createVariableDeclaration(
                    variableDeclaration.symbol.name,
                    /*exclamationToken*/
                    void 0,
                    getTypeDeepCloneUnionUndefined(variableDeclaration.type)
                  )],
                  flags
                )
              ));
            }
          }
          if (returnValueProperty) {
            newNodes.push(factory.createVariableStatement(
              /*modifiers*/
              void 0,
              factory.createVariableDeclarationList(
                [factory.createVariableDeclaration(
                  returnValueProperty,
                  /*exclamationToken*/
                  void 0,
                  getTypeDeepCloneUnionUndefined(returnType)
                )],
                1
                /* Let */
              )
            ));
          }
          const assignments = getPropertyAssignmentsForWritesAndVariableDeclarations(exposedVariableDeclarations, writes);
          if (returnValueProperty) {
            assignments.unshift(factory.createShorthandPropertyAssignment(returnValueProperty));
          }
          if (assignments.length === 1) {
            Debug.assert(!returnValueProperty, "Shouldn't have returnValueProperty here");
            newNodes.push(factory.createExpressionStatement(factory.createAssignment(assignments[0].name, call)));
            if (range.facts & 1) {
              newNodes.push(factory.createReturnStatement());
            }
          } else {
            newNodes.push(factory.createExpressionStatement(factory.createAssignment(factory.createObjectLiteralExpression(assignments), call)));
            if (returnValueProperty) {
              newNodes.push(factory.createReturnStatement(factory.createIdentifier(returnValueProperty)));
            }
          }
        } else {
          if (range.facts & 1) {
            newNodes.push(factory.createReturnStatement(call));
          } else if (isReadonlyArray(range.range)) {
            newNodes.push(factory.createExpressionStatement(call));
          } else {
            newNodes.push(call);
          }
        }
        if (isReadonlyArray(range.range)) {
          changeTracker.replaceNodeRangeWithNodes(context.file, first(range.range), last(range.range), newNodes);
        } else {
          changeTracker.replaceNodeWithNodes(context.file, range.range, newNodes);
        }
        const edits = changeTracker.getChanges();
        const renameRange = isReadonlyArray(range.range) ? first(range.range) : range.range;
        const renameFilename = renameRange.getSourceFile().fileName;
        const renameLocation = getRenameLocation(
          edits,
          renameFilename,
          functionNameText,
          /*preferLastLocation*/
          false
        );
        return { renameFilename, renameLocation, edits };
        function getTypeDeepCloneUnionUndefined(typeNode) {
          if (typeNode === void 0) {
            return void 0;
          }
          const clone2 = getSynthesizedDeepClone(typeNode);
          let withoutParens = clone2;
          while (isParenthesizedTypeNode(withoutParens)) {
            withoutParens = withoutParens.type;
          }
          return isUnionTypeNode(withoutParens) && find(
            withoutParens.types,
            (t) => t.kind === 157
            /* UndefinedKeyword */
          ) ? clone2 : factory.createUnionTypeNode([clone2, factory.createKeywordTypeNode(
            157
            /* UndefinedKeyword */
          )]);
        }
      }
      function extractConstantInScope(node, scope, { substitutions }, rangeFacts, context) {
        const checker = context.program.getTypeChecker();
        const file = scope.getSourceFile();
        const localNameText = getIdentifierForNode(node, scope, checker, file);
        const isJS = isInJSFile(scope);
        let variableType = isJS || !checker.isContextSensitive(node) ? void 0 : checker.typeToTypeNode(
          checker.getContextualType(node),
          scope,
          1
          /* NoTruncation */
        );
        let initializer = transformConstantInitializer(skipParentheses(node), substitutions);
        ({ variableType, initializer } = transformFunctionInitializerAndType(variableType, initializer));
        suppressLeadingAndTrailingTrivia(initializer);
        const changeTracker = ts_textChanges_exports.ChangeTracker.fromContext(context);
        if (isClassLike(scope)) {
          Debug.assert(!isJS, "Cannot extract to a JS class");
          const modifiers = [];
          modifiers.push(factory.createModifier(
            123
            /* PrivateKeyword */
          ));
          if (rangeFacts & 32) {
            modifiers.push(factory.createModifier(
              126
              /* StaticKeyword */
            ));
          }
          modifiers.push(factory.createModifier(
            148
            /* ReadonlyKeyword */
          ));
          const newVariable = factory.createPropertyDeclaration(
            modifiers,
            localNameText,
            /*questionOrExclamationToken*/
            void 0,
            variableType,
            initializer
          );
          let localReference = factory.createPropertyAccessExpression(
            rangeFacts & 32 ? factory.createIdentifier(scope.name.getText()) : factory.createThis(),
            factory.createIdentifier(localNameText)
          );
          if (isInJSXContent(node)) {
            localReference = factory.createJsxExpression(
              /*dotDotDotToken*/
              void 0,
              localReference
            );
          }
          const maxInsertionPos = node.pos;
          const nodeToInsertBefore = getNodeToInsertPropertyBefore(maxInsertionPos, scope);
          changeTracker.insertNodeBefore(
            context.file,
            nodeToInsertBefore,
            newVariable,
            /*blankLineBetween*/
            true
          );
          changeTracker.replaceNode(context.file, node, localReference);
        } else {
          const newVariableDeclaration = factory.createVariableDeclaration(
            localNameText,
            /*exclamationToken*/
            void 0,
            variableType,
            initializer
          );
          const oldVariableDeclaration = getContainingVariableDeclarationIfInList(node, scope);
          if (oldVariableDeclaration) {
            changeTracker.insertNodeBefore(context.file, oldVariableDeclaration, newVariableDeclaration);
            const localReference = factory.createIdentifier(localNameText);
            changeTracker.replaceNode(context.file, node, localReference);
          } else if (node.parent.kind === 244 && scope === findAncestor(node, isScope)) {
            const newVariableStatement = factory.createVariableStatement(
              /*modifiers*/
              void 0,
              factory.createVariableDeclarationList(
                [newVariableDeclaration],
                2
                /* Const */
              )
            );
            changeTracker.replaceNode(context.file, node.parent, newVariableStatement);
          } else {
            const newVariableStatement = factory.createVariableStatement(
              /*modifiers*/
              void 0,
              factory.createVariableDeclarationList(
                [newVariableDeclaration],
                2
                /* Const */
              )
            );
            const nodeToInsertBefore = getNodeToInsertConstantBefore(node, scope);
            if (nodeToInsertBefore.pos === 0) {
              changeTracker.insertNodeAtTopOfFile(
                context.file,
                newVariableStatement,
                /*blankLineBetween*/
                false
              );
            } else {
              changeTracker.insertNodeBefore(
                context.file,
                nodeToInsertBefore,
                newVariableStatement,
                /*blankLineBetween*/
                false
              );
            }
            if (node.parent.kind === 244) {
              changeTracker.delete(context.file, node.parent);
            } else {
              let localReference = factory.createIdentifier(localNameText);
              if (isInJSXContent(node)) {
                localReference = factory.createJsxExpression(
                  /*dotDotDotToken*/
                  void 0,
                  localReference
                );
              }
              changeTracker.replaceNode(context.file, node, localReference);
            }
          }
        }
        const edits = changeTracker.getChanges();
        const renameFilename = node.getSourceFile().fileName;
        const renameLocation = getRenameLocation(
          edits,
          renameFilename,
          localNameText,
          /*preferLastLocation*/
          true
        );
        return { renameFilename, renameLocation, edits };
        function transformFunctionInitializerAndType(variableType2, initializer2) {
          if (variableType2 === void 0) return { variableType: variableType2, initializer: initializer2 };
          if (!isFunctionExpression(initializer2) && !isArrowFunction(initializer2) || !!initializer2.typeParameters) return { variableType: variableType2, initializer: initializer2 };
          const functionType2 = checker.getTypeAtLocation(node);
          const functionSignature = singleOrUndefined(checker.getSignaturesOfType(
            functionType2,
            0
            /* Call */
          ));
          if (!functionSignature) return { variableType: variableType2, initializer: initializer2 };
          if (!!functionSignature.getTypeParameters()) return { variableType: variableType2, initializer: initializer2 };
          const parameters = [];
          let hasAny = false;
          for (const p of initializer2.parameters) {
            if (p.type) {
              parameters.push(p);
            } else {
              const paramType = checker.getTypeAtLocation(p);
              if (paramType === checker.getAnyType()) hasAny = true;
              parameters.push(factory.updateParameterDeclaration(p, p.modifiers, p.dotDotDotToken, p.name, p.questionToken, p.type || checker.typeToTypeNode(
                paramType,
                scope,
                1
                /* NoTruncation */
              ), p.initializer));
            }
          }
          if (hasAny) return { variableType: variableType2, initializer: initializer2 };
          variableType2 = void 0;
          if (isArrowFunction(initializer2)) {
            initializer2 = factory.updateArrowFunction(initializer2, canHaveModifiers(node) ? getModifiers(node) : void 0, initializer2.typeParameters, parameters, initializer2.type || checker.typeToTypeNode(
              functionSignature.getReturnType(),
              scope,
              1
              /* NoTruncation */
            ), initializer2.equalsGreaterThanToken, initializer2.body);
          } else {
            if (functionSignature && !!functionSignature.thisParameter) {
              const firstParameter = firstOrUndefined(parameters);
              if (!firstParameter || isIdentifier(firstParameter.name) && firstParameter.name.escapedText !== "this") {
                const thisType = checker.getTypeOfSymbolAtLocation(functionSignature.thisParameter, node);
                parameters.splice(
                  0,
                  0,
                  factory.createParameterDeclaration(
                    /*modifiers*/
                    void 0,
                    /*dotDotDotToken*/
                    void 0,
                    "this",
                    /*questionToken*/
                    void 0,
                    checker.typeToTypeNode(
                      thisType,
                      scope,
                      1
                      /* NoTruncation */
                    )
                  )
                );
              }
            }
            initializer2 = factory.updateFunctionExpression(initializer2, canHaveModifiers(node) ? getModifiers(node) : void 0, initializer2.asteriskToken, initializer2.name, initializer2.typeParameters, parameters, initializer2.type || checker.typeToTypeNode(
              functionSignature.getReturnType(),
              scope,
              1
              /* NoTruncation */
            ), initializer2.body);
          }
          return { variableType: variableType2, initializer: initializer2 };
        }
      }
      function getContainingVariableDeclarationIfInList(node, scope) {
        let prevNode;
        while (node !== void 0 && node !== scope) {
          if (isVariableDeclaration(node) && node.initializer === prevNode && isVariableDeclarationList(node.parent) && node.parent.declarations.length > 1) {
            return node;
          }
          prevNode = node;
          node = node.parent;
        }
      }
      function getFirstDeclarationBeforePosition(type, position) {
        let firstDeclaration;
        const symbol = type.symbol;
        if (symbol && symbol.declarations) {
          for (const declaration of symbol.declarations) {
            if ((firstDeclaration === void 0 || declaration.pos < firstDeclaration.pos) && declaration.pos < position) {
              firstDeclaration = declaration;
            }
          }
        }
        return firstDeclaration;
      }
      function compareTypesByDeclarationOrder({ type: type1, declaration: declaration1 }, { type: type2, declaration: declaration2 }) {
        return compareProperties(declaration1, declaration2, "pos", compareValues) || compareStringsCaseSensitive(
          type1.symbol ? type1.symbol.getName() : "",
          type2.symbol ? type2.symbol.getName() : ""
        ) || compareValues(type1.id, type2.id);
      }
      function getCalledExpression(scope, range, functionNameText) {
        const functionReference = factory.createIdentifier(functionNameText);
        if (isClassLike(scope)) {
          const lhs = range.facts & 32 ? factory.createIdentifier(scope.name.text) : factory.createThis();
          return factory.createPropertyAccessExpression(lhs, functionReference);
        } else {
          return functionReference;
        }
      }
      function transformFunctionBody(body, exposedVariableDeclarations, writes, substitutions, hasReturn2) {
        const hasWritesOrVariableDeclarations = writes !== void 0 || exposedVariableDeclarations.length > 0;
        if (isBlock(body) && !hasWritesOrVariableDeclarations && substitutions.size === 0) {
          return { body: factory.createBlock(
            body.statements,
            /*multiLine*/
            true
          ), returnValueProperty: void 0 };
        }
        let returnValueProperty;
        let ignoreReturns = false;
        const statements = factory.createNodeArray(isBlock(body) ? body.statements.slice(0) : [isStatement(body) ? body : factory.createReturnStatement(skipParentheses(body))]);
        if (hasWritesOrVariableDeclarations || substitutions.size) {
          const rewrittenStatements = visitNodes2(statements, visitor2, isStatement).slice();
          if (hasWritesOrVariableDeclarations && !hasReturn2 && isStatement(body)) {
            const assignments = getPropertyAssignmentsForWritesAndVariableDeclarations(exposedVariableDeclarations, writes);
            if (assignments.length === 1) {
              rewrittenStatements.push(factory.createReturnStatement(assignments[0].name));
            } else {
              rewrittenStatements.push(factory.createReturnStatement(factory.createObjectLiteralExpression(assignments)));
            }
          }
          return { body: factory.createBlock(
            rewrittenStatements,
            /*multiLine*/
            true
          ), returnValueProperty };
        } else {
          return { body: factory.createBlock(
            statements,
            /*multiLine*/
            true
          ), returnValueProperty: void 0 };
        }
        function visitor2(node) {
          if (!ignoreReturns && isReturnStatement(node) && hasWritesOrVariableDeclarations) {
            const assignments = getPropertyAssignmentsForWritesAndVariableDeclarations(exposedVariableDeclarations, writes);
            if (node.expression) {
              if (!returnValueProperty) {
                returnValueProperty = "__return";
              }
              assignments.unshift(factory.createPropertyAssignment(returnValueProperty, visitNode(node.expression, visitor2, isExpression)));
            }
            if (assignments.length === 1) {
              return factory.createReturnStatement(assignments[0].name);
            } else {
              return factory.createReturnStatement(factory.createObjectLiteralExpression(assignments));
            }
          } else {
            const oldIgnoreReturns = ignoreReturns;
            ignoreReturns = ignoreReturns || isFunctionLikeDeclaration(node) || isClassLike(node);
            const substitution = substitutions.get(getNodeId(node).toString());
            const result = substitution ? getSynthesizedDeepClone(substitution) : visitEachChild(
              node,
              visitor2,
              /*context*/
              void 0
            );
            ignoreReturns = oldIgnoreReturns;
            return result;
          }
        }
      }
      function transformConstantInitializer(initializer, substitutions) {
        return substitutions.size ? visitor2(initializer) : initializer;
        function visitor2(node) {
          const substitution = substitutions.get(getNodeId(node).toString());
          return substitution ? getSynthesizedDeepClone(substitution) : visitEachChild(
            node,
            visitor2,
            /*context*/
            void 0
          );
        }
      }
      function getStatementsOrClassElements(scope) {
        if (isFunctionLikeDeclaration(scope)) {
          const body = scope.body;
          if (isBlock(body)) {
            return body.statements;
          }
        } else if (isModuleBlock(scope) || isSourceFile(scope)) {
          return scope.statements;
        } else if (isClassLike(scope)) {
          return scope.members;
        } else {
          assertType(scope);
        }
        return emptyArray;
      }
      function getNodeToInsertFunctionBefore(minPos, scope) {
        return find(getStatementsOrClassElements(scope), (child) => child.pos >= minPos && isFunctionLikeDeclaration(child) && !isConstructorDeclaration(child));
      }
      function getNodeToInsertPropertyBefore(maxPos, scope) {
        const members = scope.members;
        Debug.assert(members.length > 0, "Found no members");
        let prevMember;
        let allProperties = true;
        for (const member of members) {
          if (member.pos > maxPos) {
            return prevMember || members[0];
          }
          if (allProperties && !isPropertyDeclaration(member)) {
            if (prevMember !== void 0) {
              return member;
            }
            allProperties = false;
          }
          prevMember = member;
        }
        if (prevMember === void 0) return Debug.fail();
        return prevMember;
      }
      function getNodeToInsertConstantBefore(node, scope) {
        Debug.assert(!isClassLike(scope));
        let prevScope;
        for (let curr = node; curr !== scope; curr = curr.parent) {
          if (isScope(curr)) {
            prevScope = curr;
          }
        }
        for (let curr = (prevScope || node).parent; ; curr = curr.parent) {
          if (isBlockLike(curr)) {
            let prevStatement;
            for (const statement of curr.statements) {
              if (statement.pos > node.pos) {
                break;
              }
              prevStatement = statement;
            }
            if (!prevStatement && isCaseClause(curr)) {
              Debug.assert(isSwitchStatement(curr.parent.parent), "Grandparent isn't a switch statement");
              return curr.parent.parent;
            }
            return Debug.checkDefined(prevStatement, "prevStatement failed to get set");
          }
          Debug.assert(curr !== scope, "Didn't encounter a block-like before encountering scope");
        }
      }
      function getPropertyAssignmentsForWritesAndVariableDeclarations(exposedVariableDeclarations, writes) {
        const variableAssignments = map(exposedVariableDeclarations, (v) => factory.createShorthandPropertyAssignment(v.symbol.name));
        const writeAssignments = map(writes, (w) => factory.createShorthandPropertyAssignment(w.symbol.name));
        return variableAssignments === void 0 ? writeAssignments : writeAssignments === void 0 ? variableAssignments : variableAssignments.concat(writeAssignments);
      }
      function isReadonlyArray(v) {
        return isArray3(v);
      }
      function getEnclosingTextRange(targetRange, sourceFile) {
        return isReadonlyArray(targetRange.range) ? { pos: first(targetRange.range).getStart(sourceFile), end: last(targetRange.range).getEnd() } : targetRange.range;
      }
      function collectReadsAndWrites(targetRange, scopes, enclosingTextRange, sourceFile, checker, cancellationToken) {
        const allTypeParameterUsages = /* @__PURE__ */ new Map();
        const usagesPerScope = [];
        const substitutionsPerScope = [];
        const functionErrorsPerScope = [];
        const constantErrorsPerScope = [];
        const visibleDeclarationsInExtractedRange = [];
        const exposedVariableSymbolSet = /* @__PURE__ */ new Map();
        const exposedVariableDeclarations = [];
        let firstExposedNonVariableDeclaration;
        const expression = !isReadonlyArray(targetRange.range) ? targetRange.range : targetRange.range.length === 1 && isExpressionStatement2(targetRange.range[0]) ? targetRange.range[0].expression : void 0;
        let expressionDiagnostic;
        if (expression === void 0) {
          const statements = targetRange.range;
          const start = first(statements).getStart();
          const end = last(statements).end;
          expressionDiagnostic = createFileDiagnostic(sourceFile, start, end - start, Messages.expressionExpected);
        } else if (checker.getTypeAtLocation(expression).flags & (16384 | 131072)) {
          expressionDiagnostic = createDiagnosticForNode(expression, Messages.uselessConstantType);
        }
        for (const scope of scopes) {
          usagesPerScope.push({ usages: /* @__PURE__ */ new Map(), typeParameterUsages: /* @__PURE__ */ new Map(), substitutions: /* @__PURE__ */ new Map() });
          substitutionsPerScope.push(/* @__PURE__ */ new Map());
          functionErrorsPerScope.push([]);
          const constantErrors = [];
          if (expressionDiagnostic) {
            constantErrors.push(expressionDiagnostic);
          }
          if (isClassLike(scope) && isInJSFile(scope)) {
            constantErrors.push(createDiagnosticForNode(scope, Messages.cannotExtractToJSClass));
          }
          if (isArrowFunction(scope) && !isBlock(scope.body)) {
            constantErrors.push(createDiagnosticForNode(scope, Messages.cannotExtractToExpressionArrowFunction));
          }
          constantErrorsPerScope.push(constantErrors);
        }
        const seenUsages = /* @__PURE__ */ new Map();
        const target = isReadonlyArray(targetRange.range) ? factory.createBlock(targetRange.range) : targetRange.range;
        const unmodifiedNode = isReadonlyArray(targetRange.range) ? first(targetRange.range) : targetRange.range;
        const inGenericContext = isInGenericContext(unmodifiedNode);
        collectUsages(target);
        if (inGenericContext && !isReadonlyArray(targetRange.range) && !isJsxAttribute(targetRange.range)) {
          const contextualType = checker.getContextualType(targetRange.range);
          recordTypeParameterUsages(contextualType);
        }
        if (allTypeParameterUsages.size > 0) {
          const seenTypeParameterUsages = /* @__PURE__ */ new Map();
          let i = 0;
          for (let curr = unmodifiedNode; curr !== void 0 && i < scopes.length; curr = curr.parent) {
            if (curr === scopes[i]) {
              seenTypeParameterUsages.forEach((typeParameter, id) => {
                usagesPerScope[i].typeParameterUsages.set(id, typeParameter);
              });
              i++;
            }
            if (isDeclarationWithTypeParameters(curr)) {
              for (const typeParameterDecl of getEffectiveTypeParameterDeclarations(curr)) {
                const typeParameter = checker.getTypeAtLocation(typeParameterDecl);
                if (allTypeParameterUsages.has(typeParameter.id.toString())) {
                  seenTypeParameterUsages.set(typeParameter.id.toString(), typeParameter);
                }
              }
            }
          }
          Debug.assert(i === scopes.length, "Should have iterated all scopes");
        }
        if (visibleDeclarationsInExtractedRange.length) {
          const containingLexicalScopeOfExtraction = isBlockScope(scopes[0], scopes[0].parent) ? scopes[0] : getEnclosingBlockScopeContainer(scopes[0]);
          forEachChild(containingLexicalScopeOfExtraction, checkForUsedDeclarations);
        }
        for (let i = 0; i < scopes.length; i++) {
          const scopeUsages = usagesPerScope[i];
          if (i > 0 && (scopeUsages.usages.size > 0 || scopeUsages.typeParameterUsages.size > 0)) {
            const errorNode = isReadonlyArray(targetRange.range) ? targetRange.range[0] : targetRange.range;
            constantErrorsPerScope[i].push(createDiagnosticForNode(errorNode, Messages.cannotAccessVariablesFromNestedScopes));
          }
          if (targetRange.facts & 16 && isClassLike(scopes[i])) {
            functionErrorsPerScope[i].push(createDiagnosticForNode(targetRange.thisNode, Messages.cannotExtractFunctionsContainingThisToMethod));
          }
          let hasWrite = false;
          let readonlyClassPropertyWrite;
          usagesPerScope[i].usages.forEach((value) => {
            if (value.usage === 2) {
              hasWrite = true;
              if (value.symbol.flags & 106500 && value.symbol.valueDeclaration && hasEffectiveModifier(
                value.symbol.valueDeclaration,
                8
                /* Readonly */
              )) {
                readonlyClassPropertyWrite = value.symbol.valueDeclaration;
              }
            }
          });
          Debug.assert(isReadonlyArray(targetRange.range) || exposedVariableDeclarations.length === 0, "No variable declarations expected if something was extracted");
          if (hasWrite && !isReadonlyArray(targetRange.range)) {
            const diag2 = createDiagnosticForNode(targetRange.range, Messages.cannotWriteInExpression);
            functionErrorsPerScope[i].push(diag2);
            constantErrorsPerScope[i].push(diag2);
          } else if (readonlyClassPropertyWrite && i > 0) {
            const diag2 = createDiagnosticForNode(readonlyClassPropertyWrite, Messages.cannotExtractReadonlyPropertyInitializerOutsideConstructor);
            functionErrorsPerScope[i].push(diag2);
            constantErrorsPerScope[i].push(diag2);
          } else if (firstExposedNonVariableDeclaration) {
            const diag2 = createDiagnosticForNode(firstExposedNonVariableDeclaration, Messages.cannotExtractExportedEntity);
            functionErrorsPerScope[i].push(diag2);
            constantErrorsPerScope[i].push(diag2);
          }
        }
        return { target, usagesPerScope, functionErrorsPerScope, constantErrorsPerScope, exposedVariableDeclarations };
        function isInGenericContext(node) {
          return !!findAncestor(node, (n) => isDeclarationWithTypeParameters(n) && getEffectiveTypeParameterDeclarations(n).length !== 0);
        }
        function recordTypeParameterUsages(type) {
          const symbolWalker = checker.getSymbolWalker(() => (cancellationToken.throwIfCancellationRequested(), true));
          const { visitedTypes } = symbolWalker.walkType(type);
          for (const visitedType of visitedTypes) {
            if (visitedType.isTypeParameter()) {
              allTypeParameterUsages.set(visitedType.id.toString(), visitedType);
            }
          }
        }
        function collectUsages(node, valueUsage = 1) {
          if (inGenericContext) {
            const type = checker.getTypeAtLocation(node);
            recordTypeParameterUsages(type);
          }
          if (isDeclaration(node) && node.symbol) {
            visibleDeclarationsInExtractedRange.push(node);
          }
          if (isAssignmentExpression2(node)) {
            collectUsages(
              node.left,
              2
              /* Write */
            );
            collectUsages(node.right);
          } else if (isUnaryExpressionWithWrite(node)) {
            collectUsages(
              node.operand,
              2
              /* Write */
            );
          } else if (isPropertyAccessExpression(node) || isElementAccessExpression(node)) {
            forEachChild(node, collectUsages);
          } else if (isIdentifier(node)) {
            if (!node.parent) {
              return;
            }
            if (isQualifiedName(node.parent) && node !== node.parent.left) {
              return;
            }
            if (isPropertyAccessExpression(node.parent) && node !== node.parent.expression) {
              return;
            }
            recordUsage(
              node,
              valueUsage,
              /*isTypeNode*/
              isPartOfTypeNode(node)
            );
          } else {
            forEachChild(node, collectUsages);
          }
        }
        function recordUsage(n, usage, isTypeNode2) {
          const symbolId = recordUsagebySymbol(n, usage, isTypeNode2);
          if (symbolId) {
            for (let i = 0; i < scopes.length; i++) {
              const substitution = substitutionsPerScope[i].get(symbolId);
              if (substitution) {
                usagesPerScope[i].substitutions.set(getNodeId(n).toString(), substitution);
              }
            }
          }
        }
        function recordUsagebySymbol(identifier, usage, isTypeName) {
          const symbol = getSymbolReferencedByIdentifier(identifier);
          if (!symbol) {
            return void 0;
          }
          const symbolId = getSymbolId(symbol).toString();
          const lastUsage = seenUsages.get(symbolId);
          if (lastUsage && lastUsage >= usage) {
            return symbolId;
          }
          seenUsages.set(symbolId, usage);
          if (lastUsage) {
            for (const perScope of usagesPerScope) {
              const prevEntry = perScope.usages.get(identifier.text);
              if (prevEntry) {
                perScope.usages.set(identifier.text, { usage, symbol, node: identifier });
              }
            }
            return symbolId;
          }
          const decls = symbol.getDeclarations();
          const declInFile = decls && find(decls, (d) => d.getSourceFile() === sourceFile);
          if (!declInFile) {
            return void 0;
          }
          if (rangeContainsStartEnd(enclosingTextRange, declInFile.getStart(), declInFile.end)) {
            return void 0;
          }
          if (targetRange.facts & 2 && usage === 2) {
            const diag2 = createDiagnosticForNode(identifier, Messages.cannotExtractRangeThatContainsWritesToReferencesLocatedOutsideOfTheTargetRangeInGenerators);
            for (const errors of functionErrorsPerScope) {
              errors.push(diag2);
            }
            for (const errors of constantErrorsPerScope) {
              errors.push(diag2);
            }
          }
          for (let i = 0; i < scopes.length; i++) {
            const scope = scopes[i];
            const resolvedSymbol = checker.resolveName(
              symbol.name,
              scope,
              symbol.flags,
              /*excludeGlobals*/
              false
            );
            if (resolvedSymbol === symbol) {
              continue;
            }
            if (!substitutionsPerScope[i].has(symbolId)) {
              const substitution = tryReplaceWithQualifiedNameOrPropertyAccess(symbol.exportSymbol || symbol, scope, isTypeName);
              if (substitution) {
                substitutionsPerScope[i].set(symbolId, substitution);
              } else if (isTypeName) {
                if (!(symbol.flags & 262144)) {
                  const diag2 = createDiagnosticForNode(identifier, Messages.typeWillNotBeVisibleInTheNewScope);
                  functionErrorsPerScope[i].push(diag2);
                  constantErrorsPerScope[i].push(diag2);
                }
              } else {
                usagesPerScope[i].usages.set(identifier.text, { usage, symbol, node: identifier });
              }
            }
          }
          return symbolId;
        }
        function checkForUsedDeclarations(node) {
          if (node === targetRange.range || isReadonlyArray(targetRange.range) && targetRange.range.includes(node)) {
            return;
          }
          const sym = isIdentifier(node) ? getSymbolReferencedByIdentifier(node) : checker.getSymbolAtLocation(node);
          if (sym) {
            const decl = find(visibleDeclarationsInExtractedRange, (d) => d.symbol === sym);
            if (decl) {
              if (isVariableDeclaration(decl)) {
                const idString = decl.symbol.id.toString();
                if (!exposedVariableSymbolSet.has(idString)) {
                  exposedVariableDeclarations.push(decl);
                  exposedVariableSymbolSet.set(idString, true);
                }
              } else {
                firstExposedNonVariableDeclaration = firstExposedNonVariableDeclaration || decl;
              }
            }
          }
          forEachChild(node, checkForUsedDeclarations);
        }
        function getSymbolReferencedByIdentifier(identifier) {
          return identifier.parent && isShorthandPropertyAssignment(identifier.parent) && identifier.parent.name === identifier ? checker.getShorthandAssignmentValueSymbol(identifier.parent) : checker.getSymbolAtLocation(identifier);
        }
        function tryReplaceWithQualifiedNameOrPropertyAccess(symbol, scopeDecl, isTypeNode2) {
          if (!symbol) {
            return void 0;
          }
          const decls = symbol.getDeclarations();
          if (decls && decls.some((d) => d.parent === scopeDecl)) {
            return factory.createIdentifier(symbol.name);
          }
          const prefix = tryReplaceWithQualifiedNameOrPropertyAccess(symbol.parent, scopeDecl, isTypeNode2);
          if (prefix === void 0) {
            return void 0;
          }
          return isTypeNode2 ? factory.createQualifiedName(prefix, factory.createIdentifier(symbol.name)) : factory.createPropertyAccessExpression(prefix, symbol.name);
        }
      }
      function getExtractableParent(node) {
        return findAncestor(node, (node2) => node2.parent && isExtractableExpression(node2) && !isBinaryExpression(node2.parent));
      }
      function isExtractableExpression(node) {
        const { parent: parent2 } = node;
        switch (parent2.kind) {
          case 306:
            return false;
        }
        switch (node.kind) {
          case 11:
            return parent2.kind !== 272 && parent2.kind !== 276;
          case 230:
          case 206:
          case 208:
            return false;
          case 80:
            return parent2.kind !== 208 && parent2.kind !== 276 && parent2.kind !== 281;
        }
        return true;
      }
      function isInJSXContent(node) {
        return isStringLiteralJsxAttribute(node) || (isJsxElement(node) || isJsxSelfClosingElement(node) || isJsxFragment(node)) && (isJsxElement(node.parent) || isJsxFragment(node.parent));
      }
      function isStringLiteralJsxAttribute(node) {
        return isStringLiteral2(node) && node.parent && isJsxAttribute(node.parent);
      }
      var ts_refactor_generateGetAccessorAndSetAccessor_exports = {};
      var actionName = "Generate 'get' and 'set' accessors";
      var actionDescription = getLocaleSpecificMessage(Diagnostics.Generate_get_and_set_accessors);
      var generateGetSetAction = {
        name: actionName,
        description: actionDescription,
        kind: "refactor.rewrite.property.generateAccessors"
      };
      registerRefactor(actionName, {
        kinds: [generateGetSetAction.kind],
        getEditsForAction: function getRefactorActionsToGenerateGetAndSetAccessors(context, actionName2) {
          if (!context.endPosition) return void 0;
          const info = ts_codefix_exports.getAccessorConvertiblePropertyAtPosition(context.file, context.program, context.startPosition, context.endPosition);
          Debug.assert(info && !isRefactorErrorInfo(info), "Expected applicable refactor info");
          const edits = ts_codefix_exports.generateAccessorFromProperty(context.file, context.program, context.startPosition, context.endPosition, context, actionName2);
          if (!edits) return void 0;
          const renameFilename = context.file.fileName;
          const nameNeedRename = info.renameAccessor ? info.accessorName : info.fieldName;
          const renameLocationOffset = isIdentifier(nameNeedRename) ? 0 : -1;
          const renameLocation = renameLocationOffset + getRenameLocation(
            edits,
            renameFilename,
            nameNeedRename.text,
            /*preferLastLocation*/
            isParameter(info.declaration)
          );
          return { renameFilename, renameLocation, edits };
        },
        getAvailableActions(context) {
          if (!context.endPosition) return emptyArray;
          const info = ts_codefix_exports.getAccessorConvertiblePropertyAtPosition(context.file, context.program, context.startPosition, context.endPosition, context.triggerReason === "invoked");
          if (!info) return emptyArray;
          if (!isRefactorErrorInfo(info)) {
            return [{
              name: actionName,
              description: actionDescription,
              actions: [generateGetSetAction]
            }];
          }
          if (context.preferences.provideRefactorNotApplicableReason) {
            return [{
              name: actionName,
              description: actionDescription,
              actions: [{ ...generateGetSetAction, notApplicableReason: info.error }]
            }];
          }
          return emptyArray;
        }
      });
      var ts_refactor_inferFunctionReturnType_exports = {};
      var refactorName13 = "Infer function return type";
      var refactorDescription7 = getLocaleSpecificMessage(Diagnostics.Infer_function_return_type);
      var inferReturnTypeAction = {
        name: refactorName13,
        description: refactorDescription7,
        kind: "refactor.rewrite.function.returnType"
      };
      registerRefactor(refactorName13, {
        kinds: [inferReturnTypeAction.kind],
        getEditsForAction: getRefactorEditsToInferReturnType,
        getAvailableActions: getRefactorActionsToInferReturnType
      });
      function getRefactorEditsToInferReturnType(context) {
        const info = getInfo4(context);
        if (info && !isRefactorErrorInfo(info)) {
          const edits = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange7(context.file, t, info.declaration, info.returnTypeNode));
          return { renameFilename: void 0, renameLocation: void 0, edits };
        }
        return void 0;
      }
      function getRefactorActionsToInferReturnType(context) {
        const info = getInfo4(context);
        if (!info) return emptyArray;
        if (!isRefactorErrorInfo(info)) {
          return [{
            name: refactorName13,
            description: refactorDescription7,
            actions: [inferReturnTypeAction]
          }];
        }
        if (context.preferences.provideRefactorNotApplicableReason) {
          return [{
            name: refactorName13,
            description: refactorDescription7,
            actions: [{ ...inferReturnTypeAction, notApplicableReason: info.error }]
          }];
        }
        return emptyArray;
      }
      function doChange7(sourceFile, changes, declaration, typeNode) {
        const closeParen = findChildOfKind(declaration, 22, sourceFile);
        const needParens = isArrowFunction(declaration) && closeParen === void 0;
        const endNode2 = needParens ? first(declaration.parameters) : closeParen;
        if (endNode2) {
          if (needParens) {
            changes.insertNodeBefore(sourceFile, endNode2, factory.createToken(
              21
              /* OpenParenToken */
            ));
            changes.insertNodeAfter(sourceFile, endNode2, factory.createToken(
              22
              /* CloseParenToken */
            ));
          }
          changes.insertNodeAt(sourceFile, endNode2.end, typeNode, { prefix: ": " });
        }
      }
      function getInfo4(context) {
        if (isInJSFile(context.file) || !refactorKindBeginsWith(inferReturnTypeAction.kind, context.kind)) return;
        const token = getTouchingPropertyName(context.file, context.startPosition);
        const declaration = findAncestor(token, (n) => isBlock(n) || n.parent && isArrowFunction(n.parent) && (n.kind === 39 || n.parent.body === n) ? "quit" : isConvertibleDeclaration(n));
        if (!declaration || !declaration.body || declaration.type) {
          return { error: getLocaleSpecificMessage(Diagnostics.Return_type_must_be_inferred_from_a_function) };
        }
        const typeChecker = context.program.getTypeChecker();
        const returnType = tryGetReturnType(typeChecker, declaration);
        if (!returnType) {
          return { error: getLocaleSpecificMessage(Diagnostics.Could_not_determine_function_return_type) };
        }
        const returnTypeNode = typeChecker.typeToTypeNode(
          returnType,
          declaration,
          1
          /* NoTruncation */
        );
        if (returnTypeNode) {
          return { declaration, returnTypeNode };
        }
      }
      function isConvertibleDeclaration(node) {
        switch (node.kind) {
          case 262:
          case 218:
          case 219:
          case 174:
            return true;
          default:
            return false;
        }
      }
      function tryGetReturnType(typeChecker, node) {
        if (typeChecker.isImplementationOfOverload(node)) {
          const signatures = typeChecker.getTypeAtLocation(node).getCallSignatures();
          if (signatures.length > 1) {
            return typeChecker.getUnionType(mapDefined(signatures, (s) => s.getReturnType()));
          }
        }
        const signature = typeChecker.getSignatureFromDeclaration(node);
        if (signature) {
          return typeChecker.getReturnTypeOfSignature(signature);
        }
      }
      var TokenEncodingConsts = /* @__PURE__ */ ((TokenEncodingConsts2) => {
        TokenEncodingConsts2[TokenEncodingConsts2["typeOffset"] = 8] = "typeOffset";
        TokenEncodingConsts2[TokenEncodingConsts2["modifierMask"] = 255] = "modifierMask";
        return TokenEncodingConsts2;
      })(TokenEncodingConsts || {});
      var TokenType = /* @__PURE__ */ ((TokenType2) => {
        TokenType2[TokenType2["class"] = 0] = "class";
        TokenType2[TokenType2["enum"] = 1] = "enum";
        TokenType2[TokenType2["interface"] = 2] = "interface";
        TokenType2[TokenType2["namespace"] = 3] = "namespace";
        TokenType2[TokenType2["typeParameter"] = 4] = "typeParameter";
        TokenType2[TokenType2["type"] = 5] = "type";
        TokenType2[TokenType2["parameter"] = 6] = "parameter";
        TokenType2[TokenType2["variable"] = 7] = "variable";
        TokenType2[TokenType2["enumMember"] = 8] = "enumMember";
        TokenType2[TokenType2["property"] = 9] = "property";
        TokenType2[TokenType2["function"] = 10] = "function";
        TokenType2[TokenType2["member"] = 11] = "member";
        return TokenType2;
      })(TokenType || {});
      var TokenModifier = /* @__PURE__ */ ((TokenModifier2) => {
        TokenModifier2[TokenModifier2["declaration"] = 0] = "declaration";
        TokenModifier2[TokenModifier2["static"] = 1] = "static";
        TokenModifier2[TokenModifier2["async"] = 2] = "async";
        TokenModifier2[TokenModifier2["readonly"] = 3] = "readonly";
        TokenModifier2[TokenModifier2["defaultLibrary"] = 4] = "defaultLibrary";
        TokenModifier2[TokenModifier2["local"] = 5] = "local";
        return TokenModifier2;
      })(TokenModifier || {});
      function getSemanticClassifications2(program, cancellationToken, sourceFile, span) {
        const classifications = getEncodedSemanticClassifications2(program, cancellationToken, sourceFile, span);
        Debug.assert(classifications.spans.length % 3 === 0);
        const dense = classifications.spans;
        const result = [];
        for (let i = 0; i < dense.length; i += 3) {
          result.push({
            textSpan: createTextSpan(dense[i], dense[i + 1]),
            classificationType: dense[i + 2]
          });
        }
        return result;
      }
      function getEncodedSemanticClassifications2(program, cancellationToken, sourceFile, span) {
        return {
          spans: getSemanticTokens(program, sourceFile, span, cancellationToken),
          endOfLineState: 0
          /* None */
        };
      }
      function getSemanticTokens(program, sourceFile, span, cancellationToken) {
        const resultTokens = [];
        const collector = (node, typeIdx, modifierSet) => {
          resultTokens.push(node.getStart(sourceFile), node.getWidth(sourceFile), (typeIdx + 1 << 8) + modifierSet);
        };
        if (program && sourceFile) {
          collectTokens(program, sourceFile, span, collector, cancellationToken);
        }
        return resultTokens;
      }
      function collectTokens(program, sourceFile, span, collector, cancellationToken) {
        const typeChecker = program.getTypeChecker();
        let inJSXElement = false;
        function visit(node) {
          switch (node.kind) {
            case 267:
            case 263:
            case 264:
            case 262:
            case 231:
            case 218:
            case 219:
              cancellationToken.throwIfCancellationRequested();
          }
          if (!node || !textSpanIntersectsWith(span, node.pos, node.getFullWidth()) || node.getFullWidth() === 0) {
            return;
          }
          const prevInJSXElement = inJSXElement;
          if (isJsxElement(node) || isJsxSelfClosingElement(node)) {
            inJSXElement = true;
          }
          if (isJsxExpression(node)) {
            inJSXElement = false;
          }
          if (isIdentifier(node) && !inJSXElement && !inImportClause(node) && !isInfinityOrNaNString(node.escapedText)) {
            let symbol = typeChecker.getSymbolAtLocation(node);
            if (symbol) {
              if (symbol.flags & 2097152) {
                symbol = typeChecker.getAliasedSymbol(symbol);
              }
              let typeIdx = classifySymbol2(symbol, getMeaningFromLocation(node));
              if (typeIdx !== void 0) {
                let modifierSet = 0;
                if (node.parent) {
                  const parentIsDeclaration = isBindingElement(node.parent) || tokenFromDeclarationMapping.get(node.parent.kind) === typeIdx;
                  if (parentIsDeclaration && node.parent.name === node) {
                    modifierSet = 1 << 0;
                  }
                }
                if (typeIdx === 6 && isRightSideOfQualifiedNameOrPropertyAccess2(node)) {
                  typeIdx = 9;
                }
                typeIdx = reclassifyByType(typeChecker, node, typeIdx);
                const decl = symbol.valueDeclaration;
                if (decl) {
                  const modifiers = getCombinedModifierFlags(decl);
                  const nodeFlags = getCombinedNodeFlags(decl);
                  if (modifiers & 256) {
                    modifierSet |= 1 << 1;
                  }
                  if (modifiers & 1024) {
                    modifierSet |= 1 << 2;
                  }
                  if (typeIdx !== 0 && typeIdx !== 2) {
                    if (modifiers & 8 || nodeFlags & 2 || symbol.getFlags() & 8) {
                      modifierSet |= 1 << 3;
                    }
                  }
                  if ((typeIdx === 7 || typeIdx === 10) && isLocalDeclaration(decl, sourceFile)) {
                    modifierSet |= 1 << 5;
                  }
                  if (program.isSourceFileDefaultLibrary(decl.getSourceFile())) {
                    modifierSet |= 1 << 4;
                  }
                } else if (symbol.declarations && symbol.declarations.some((d) => program.isSourceFileDefaultLibrary(d.getSourceFile()))) {
                  modifierSet |= 1 << 4;
                }
                collector(node, typeIdx, modifierSet);
              }
            }
          }
          forEachChild(node, visit);
          inJSXElement = prevInJSXElement;
        }
        visit(sourceFile);
      }
      function classifySymbol2(symbol, meaning) {
        const flags = symbol.getFlags();
        if (flags & 32) {
          return 0;
        } else if (flags & 384) {
          return 1;
        } else if (flags & 524288) {
          return 5;
        } else if (flags & 64) {
          if (meaning & 2) {
            return 2;
          }
        } else if (flags & 262144) {
          return 4;
        }
        let decl = symbol.valueDeclaration || symbol.declarations && symbol.declarations[0];
        if (decl && isBindingElement(decl)) {
          decl = getDeclarationForBindingElement(decl);
        }
        return decl && tokenFromDeclarationMapping.get(decl.kind);
      }
      function reclassifyByType(typeChecker, node, typeIdx) {
        if (typeIdx === 7 || typeIdx === 9 || typeIdx === 6) {
          const type = typeChecker.getTypeAtLocation(node);
          if (type) {
            const test = (condition) => {
              return condition(type) || type.isUnion() && type.types.some(condition);
            };
            if (typeIdx !== 6 && test((t) => t.getConstructSignatures().length > 0)) {
              return 0;
            }
            if (test((t) => t.getCallSignatures().length > 0) && !test((t) => t.getProperties().length > 0) || isExpressionInCallExpression(node)) {
              return typeIdx === 9 ? 11 : 10;
            }
          }
        }
        return typeIdx;
      }
      function isLocalDeclaration(decl, sourceFile) {
        if (isBindingElement(decl)) {
          decl = getDeclarationForBindingElement(decl);
        }
        if (isVariableDeclaration(decl)) {
          return (!isSourceFile(decl.parent.parent.parent) || isCatchClause(decl.parent)) && decl.getSourceFile() === sourceFile;
        } else if (isFunctionDeclaration(decl)) {
          return !isSourceFile(decl.parent) && decl.getSourceFile() === sourceFile;
        }
        return false;
      }
      function getDeclarationForBindingElement(element) {
        while (true) {
          if (isBindingElement(element.parent.parent)) {
            element = element.parent.parent;
          } else {
            return element.parent.parent;
          }
        }
      }
      function inImportClause(node) {
        const parent2 = node.parent;
        return parent2 && (isImportClause(parent2) || isImportSpecifier(parent2) || isNamespaceImport(parent2));
      }
      function isExpressionInCallExpression(node) {
        while (isRightSideOfQualifiedNameOrPropertyAccess2(node)) {
          node = node.parent;
        }
        return isCallExpression2(node.parent) && node.parent.expression === node;
      }
      function isRightSideOfQualifiedNameOrPropertyAccess2(node) {
        return isQualifiedName(node.parent) && node.parent.right === node || isPropertyAccessExpression(node.parent) && node.parent.name === node;
      }
      var tokenFromDeclarationMapping = /* @__PURE__ */ new Map([
        [
          260,
          7
          /* variable */
        ],
        [
          169,
          6
          /* parameter */
        ],
        [
          172,
          9
          /* property */
        ],
        [
          267,
          3
          /* namespace */
        ],
        [
          266,
          1
          /* enum */
        ],
        [
          306,
          8
          /* enumMember */
        ],
        [
          263,
          0
          /* class */
        ],
        [
          174,
          11
          /* member */
        ],
        [
          262,
          10
          /* function */
        ],
        [
          218,
          10
          /* function */
        ],
        [
          173,
          11
          /* member */
        ],
        [
          177,
          9
          /* property */
        ],
        [
          178,
          9
          /* property */
        ],
        [
          171,
          9
          /* property */
        ],
        [
          264,
          2
          /* interface */
        ],
        [
          265,
          5
          /* type */
        ],
        [
          168,
          4
          /* typeParameter */
        ],
        [
          303,
          9
          /* property */
        ],
        [
          304,
          9
          /* property */
        ]
      ]);
      var servicesVersion = "0.8";
      function createNode(kind, pos, end, parent2) {
        const node = isNodeKind(kind) ? new NodeObject(kind, pos, end) : kind === 80 ? new IdentifierObject(80, pos, end) : kind === 81 ? new PrivateIdentifierObject(81, pos, end) : new TokenObject(kind, pos, end);
        node.parent = parent2;
        node.flags = parent2.flags & 101441536;
        return node;
      }
      var NodeObject = class {
        constructor(kind, pos, end) {
          this.pos = pos;
          this.end = end;
          this.kind = kind;
          this.id = 0;
          this.flags = 0;
          this.modifierFlagsCache = 0;
          this.transformFlags = 0;
          this.parent = void 0;
          this.original = void 0;
          this.emitNode = void 0;
        }
        assertHasRealPosition(message) {
          Debug.assert(!positionIsSynthesized(this.pos) && !positionIsSynthesized(this.end), message || "Node must have a real position for this operation");
        }
        getSourceFile() {
          return getSourceFileOfNode(this);
        }
        getStart(sourceFile, includeJsDocComment) {
          this.assertHasRealPosition();
          return getTokenPosOfNode(this, sourceFile, includeJsDocComment);
        }
        getFullStart() {
          this.assertHasRealPosition();
          return this.pos;
        }
        getEnd() {
          this.assertHasRealPosition();
          return this.end;
        }
        getWidth(sourceFile) {
          this.assertHasRealPosition();
          return this.getEnd() - this.getStart(sourceFile);
        }
        getFullWidth() {
          this.assertHasRealPosition();
          return this.end - this.pos;
        }
        getLeadingTriviaWidth(sourceFile) {
          this.assertHasRealPosition();
          return this.getStart(sourceFile) - this.pos;
        }
        getFullText(sourceFile) {
          this.assertHasRealPosition();
          return (sourceFile || this.getSourceFile()).text.substring(this.pos, this.end);
        }
        getText(sourceFile) {
          this.assertHasRealPosition();
          if (!sourceFile) {
            sourceFile = this.getSourceFile();
          }
          return sourceFile.text.substring(this.getStart(sourceFile), this.getEnd());
        }
        getChildCount(sourceFile) {
          return this.getChildren(sourceFile).length;
        }
        getChildAt(index, sourceFile) {
          return this.getChildren(sourceFile)[index];
        }
        getChildren(sourceFile = getSourceFileOfNode(this)) {
          this.assertHasRealPosition("Node without a real position cannot be scanned and thus has no token nodes - use forEachChild and collect the result if that's fine");
          return getNodeChildren(this, sourceFile) ?? setNodeChildren(this, sourceFile, createChildren(this, sourceFile));
        }
        getFirstToken(sourceFile) {
          this.assertHasRealPosition();
          const children = this.getChildren(sourceFile);
          if (!children.length) {
            return void 0;
          }
          const child = find(
            children,
            (kid) => kid.kind < 309 || kid.kind > 351
            /* LastJSDocNode */
          );
          return child.kind < 166 ? child : child.getFirstToken(sourceFile);
        }
        getLastToken(sourceFile) {
          this.assertHasRealPosition();
          const children = this.getChildren(sourceFile);
          const child = lastOrUndefined(children);
          if (!child) {
            return void 0;
          }
          return child.kind < 166 ? child : child.getLastToken(sourceFile);
        }
        forEachChild(cbNode, cbNodeArray) {
          return forEachChild(this, cbNode, cbNodeArray);
        }
      };
      function createChildren(node, sourceFile) {
        const children = [];
        if (isJSDocCommentContainingNode(node)) {
          node.forEachChild((child) => {
            children.push(child);
          });
          return children;
        }
        scanner.setText((sourceFile || node.getSourceFile()).text);
        let pos = node.pos;
        const processNode = (child) => {
          addSyntheticNodes(children, pos, child.pos, node);
          children.push(child);
          pos = child.end;
        };
        const processNodes = (nodes) => {
          addSyntheticNodes(children, pos, nodes.pos, node);
          children.push(createSyntaxList(nodes, node));
          pos = nodes.end;
        };
        forEach(node.jsDoc, processNode);
        pos = node.pos;
        node.forEachChild(processNode, processNodes);
        addSyntheticNodes(children, pos, node.end, node);
        scanner.setText(void 0);
        return children;
      }
      function addSyntheticNodes(nodes, pos, end, parent2) {
        scanner.resetTokenState(pos);
        while (pos < end) {
          const token = scanner.scan();
          const textPos = scanner.getTokenEnd();
          if (textPos <= end) {
            if (token === 80) {
              if (hasTabstop(parent2)) {
                continue;
              }
              Debug.fail(`Did not expect ${Debug.formatSyntaxKind(parent2.kind)} to have an Identifier in its trivia`);
            }
            nodes.push(createNode(token, pos, textPos, parent2));
          }
          pos = textPos;
          if (token === 1) {
            break;
          }
        }
      }
      function createSyntaxList(nodes, parent2) {
        const list = createNode(352, nodes.pos, nodes.end, parent2);
        const children = [];
        let pos = nodes.pos;
        for (const node of nodes) {
          addSyntheticNodes(children, pos, node.pos, parent2);
          children.push(node);
          pos = node.end;
        }
        addSyntheticNodes(children, pos, nodes.end, parent2);
        list._children = children;
        return list;
      }
      var TokenOrIdentifierObject = class {
        constructor(kind, pos, end) {
          this.pos = pos;
          this.end = end;
          this.kind = kind;
          this.id = 0;
          this.flags = 0;
          this.transformFlags = 0;
          this.parent = void 0;
          this.emitNode = void 0;
        }
        getSourceFile() {
          return getSourceFileOfNode(this);
        }
        getStart(sourceFile, includeJsDocComment) {
          return getTokenPosOfNode(this, sourceFile, includeJsDocComment);
        }
        getFullStart() {
          return this.pos;
        }
        getEnd() {
          return this.end;
        }
        getWidth(sourceFile) {
          return this.getEnd() - this.getStart(sourceFile);
        }
        getFullWidth() {
          return this.end - this.pos;
        }
        getLeadingTriviaWidth(sourceFile) {
          return this.getStart(sourceFile) - this.pos;
        }
        getFullText(sourceFile) {
          return (sourceFile || this.getSourceFile()).text.substring(this.pos, this.end);
        }
        getText(sourceFile) {
          if (!sourceFile) {
            sourceFile = this.getSourceFile();
          }
          return sourceFile.text.substring(this.getStart(sourceFile), this.getEnd());
        }
        getChildCount() {
          return this.getChildren().length;
        }
        getChildAt(index) {
          return this.getChildren()[index];
        }
        getChildren() {
          return this.kind === 1 ? this.jsDoc || emptyArray : emptyArray;
        }
        getFirstToken() {
          return void 0;
        }
        getLastToken() {
          return void 0;
        }
        forEachChild() {
          return void 0;
        }
      };
      var SymbolObject = class {
        constructor(flags, name) {
          this.flags = flags;
          this.escapedName = name;
          this.declarations = void 0;
          this.valueDeclaration = void 0;
          this.id = 0;
          this.mergeId = 0;
          this.parent = void 0;
          this.members = void 0;
          this.exports = void 0;
          this.exportSymbol = void 0;
          this.constEnumOnlyModule = void 0;
          this.isReferenced = void 0;
          this.lastAssignmentPos = void 0;
          this.links = void 0;
        }
        getFlags() {
          return this.flags;
        }
        get name() {
          return symbolName(this);
        }
        getEscapedName() {
          return this.escapedName;
        }
        getName() {
          return this.name;
        }
        getDeclarations() {
          return this.declarations;
        }
        getDocumentationComment(checker) {
          if (!this.documentationComment) {
            this.documentationComment = emptyArray;
            if (!this.declarations && isTransientSymbol(this) && this.links.target && isTransientSymbol(this.links.target) && this.links.target.links.tupleLabelDeclaration) {
              const labelDecl = this.links.target.links.tupleLabelDeclaration;
              this.documentationComment = getDocumentationComment([labelDecl], checker);
            } else {
              this.documentationComment = getDocumentationComment(this.declarations, checker);
            }
          }
          return this.documentationComment;
        }
        getContextualDocumentationComment(context, checker) {
          if (context) {
            if (isGetAccessor(context)) {
              if (!this.contextualGetAccessorDocumentationComment) {
                this.contextualGetAccessorDocumentationComment = getDocumentationComment(filter(this.declarations, isGetAccessor), checker);
              }
              if (length(this.contextualGetAccessorDocumentationComment)) {
                return this.contextualGetAccessorDocumentationComment;
              }
            }
            if (isSetAccessor(context)) {
              if (!this.contextualSetAccessorDocumentationComment) {
                this.contextualSetAccessorDocumentationComment = getDocumentationComment(filter(this.declarations, isSetAccessor), checker);
              }
              if (length(this.contextualSetAccessorDocumentationComment)) {
                return this.contextualSetAccessorDocumentationComment;
              }
            }
          }
          return this.getDocumentationComment(checker);
        }
        getJsDocTags(checker) {
          if (this.tags === void 0) {
            this.tags = emptyArray;
            this.tags = getJsDocTagsOfDeclarations(this.declarations, checker);
          }
          return this.tags;
        }
        getContextualJsDocTags(context, checker) {
          if (context) {
            if (isGetAccessor(context)) {
              if (!this.contextualGetAccessorTags) {
                this.contextualGetAccessorTags = getJsDocTagsOfDeclarations(filter(this.declarations, isGetAccessor), checker);
              }
              if (length(this.contextualGetAccessorTags)) {
                return this.contextualGetAccessorTags;
              }
            }
            if (isSetAccessor(context)) {
              if (!this.contextualSetAccessorTags) {
                this.contextualSetAccessorTags = getJsDocTagsOfDeclarations(filter(this.declarations, isSetAccessor), checker);
              }
              if (length(this.contextualSetAccessorTags)) {
                return this.contextualSetAccessorTags;
              }
            }
          }
          return this.getJsDocTags(checker);
        }
      };
      var TokenObject = class extends TokenOrIdentifierObject {
        constructor(kind, pos, end) {
          super(kind, pos, end);
        }
      };
      var IdentifierObject = class extends TokenOrIdentifierObject {
        constructor(kind, pos, end) {
          super(kind, pos, end);
        }
        get text() {
          return idText(this);
        }
      };
      var PrivateIdentifierObject = class extends TokenOrIdentifierObject {
        constructor(kind, pos, end) {
          super(kind, pos, end);
        }
        get text() {
          return idText(this);
        }
      };
      var TypeObject = class {
        constructor(checker, flags) {
          this.flags = flags;
          this.checker = checker;
        }
        getFlags() {
          return this.flags;
        }
        getSymbol() {
          return this.symbol;
        }
        getProperties() {
          return this.checker.getPropertiesOfType(this);
        }
        getProperty(propertyName) {
          return this.checker.getPropertyOfType(this, propertyName);
        }
        getApparentProperties() {
          return this.checker.getAugmentedPropertiesOfType(this);
        }
        getCallSignatures() {
          return this.checker.getSignaturesOfType(
            this,
            0
            /* Call */
          );
        }
        getConstructSignatures() {
          return this.checker.getSignaturesOfType(
            this,
            1
            /* Construct */
          );
        }
        getStringIndexType() {
          return this.checker.getIndexTypeOfType(
            this,
            0
            /* String */
          );
        }
        getNumberIndexType() {
          return this.checker.getIndexTypeOfType(
            this,
            1
            /* Number */
          );
        }
        getBaseTypes() {
          return this.isClassOrInterface() ? this.checker.getBaseTypes(this) : void 0;
        }
        isNullableType() {
          return this.checker.isNullableType(this);
        }
        getNonNullableType() {
          return this.checker.getNonNullableType(this);
        }
        getNonOptionalType() {
          return this.checker.getNonOptionalType(this);
        }
        getConstraint() {
          return this.checker.getBaseConstraintOfType(this);
        }
        getDefault() {
          return this.checker.getDefaultFromTypeParameter(this);
        }
        isUnion() {
          return !!(this.flags & 1048576);
        }
        isIntersection() {
          return !!(this.flags & 2097152);
        }
        isUnionOrIntersection() {
          return !!(this.flags & 3145728);
        }
        isLiteral() {
          return !!(this.flags & (128 | 256 | 2048));
        }
        isStringLiteral() {
          return !!(this.flags & 128);
        }
        isNumberLiteral() {
          return !!(this.flags & 256);
        }
        isTypeParameter() {
          return !!(this.flags & 262144);
        }
        isClassOrInterface() {
          return !!(getObjectFlags(this) & 3);
        }
        isClass() {
          return !!(getObjectFlags(this) & 1);
        }
        isIndexType() {
          return !!(this.flags & 4194304);
        }
        /**
         * This polyfills `referenceType.typeArguments` for API consumers
         */
        get typeArguments() {
          if (getObjectFlags(this) & 4) {
            return this.checker.getTypeArguments(this);
          }
          return void 0;
        }
      };
      var SignatureObject = class {
        // same
        constructor(checker, flags) {
          this.flags = flags;
          this.checker = checker;
        }
        getDeclaration() {
          return this.declaration;
        }
        getTypeParameters() {
          return this.typeParameters;
        }
        getParameters() {
          return this.parameters;
        }
        getReturnType() {
          return this.checker.getReturnTypeOfSignature(this);
        }
        getTypeParameterAtPosition(pos) {
          const type = this.checker.getParameterType(this, pos);
          if (type.isIndexType() && isThisTypeParameter(type.type)) {
            const constraint = type.type.getConstraint();
            if (constraint) {
              return this.checker.getIndexType(constraint);
            }
          }
          return type;
        }
        getDocumentationComment() {
          return this.documentationComment || (this.documentationComment = getDocumentationComment(singleElementArray(this.declaration), this.checker));
        }
        getJsDocTags() {
          return this.jsDocTags || (this.jsDocTags = getJsDocTagsOfDeclarations(singleElementArray(this.declaration), this.checker));
        }
      };
      function hasJSDocInheritDocTag(node) {
        return getJSDocTags(node).some((tag) => tag.tagName.text === "inheritDoc" || tag.tagName.text === "inheritdoc");
      }
      function getJsDocTagsOfDeclarations(declarations, checker) {
        if (!declarations) return emptyArray;
        let tags = ts_JsDoc_exports.getJsDocTagsFromDeclarations(declarations, checker);
        if (checker && (tags.length === 0 || declarations.some(hasJSDocInheritDocTag))) {
          const seenSymbols = /* @__PURE__ */ new Set();
          for (const declaration of declarations) {
            const inheritedTags = findBaseOfDeclaration(checker, declaration, (symbol) => {
              var _a;
              if (!seenSymbols.has(symbol)) {
                seenSymbols.add(symbol);
                if (declaration.kind === 177 || declaration.kind === 178) {
                  return symbol.getContextualJsDocTags(declaration, checker);
                }
                return ((_a = symbol.declarations) == null ? void 0 : _a.length) === 1 ? symbol.getJsDocTags(checker) : void 0;
              }
            });
            if (inheritedTags) {
              tags = [...inheritedTags, ...tags];
            }
          }
        }
        return tags;
      }
      function getDocumentationComment(declarations, checker) {
        if (!declarations) return emptyArray;
        let doc = ts_JsDoc_exports.getJsDocCommentsFromDeclarations(declarations, checker);
        if (checker && (doc.length === 0 || declarations.some(hasJSDocInheritDocTag))) {
          const seenSymbols = /* @__PURE__ */ new Set();
          for (const declaration of declarations) {
            const inheritedDocs = findBaseOfDeclaration(checker, declaration, (symbol) => {
              if (!seenSymbols.has(symbol)) {
                seenSymbols.add(symbol);
                if (declaration.kind === 177 || declaration.kind === 178) {
                  return symbol.getContextualDocumentationComment(declaration, checker);
                }
                return symbol.getDocumentationComment(checker);
              }
            });
            if (inheritedDocs) doc = doc.length === 0 ? inheritedDocs.slice() : inheritedDocs.concat(lineBreakPart(), doc);
          }
        }
        return doc;
      }
      function findBaseOfDeclaration(checker, declaration, cb) {
        var _a;
        const classOrInterfaceDeclaration = ((_a = declaration.parent) == null ? void 0 : _a.kind) === 176 ? declaration.parent.parent : declaration.parent;
        if (!classOrInterfaceDeclaration) return;
        const isStaticMember2 = hasStaticModifier(declaration);
        return firstDefined(getAllSuperTypeNodes(classOrInterfaceDeclaration), (superTypeNode) => {
          const baseType = checker.getTypeAtLocation(superTypeNode);
          const type = isStaticMember2 && baseType.symbol ? checker.getTypeOfSymbol(baseType.symbol) : baseType;
          const symbol = checker.getPropertyOfType(type, declaration.symbol.name);
          return symbol ? cb(symbol) : void 0;
        });
      }
      var SourceFileObject = class extends NodeObject {
        constructor(kind, pos, end) {
          super(kind, pos, end);
        }
        update(newText, textChangeRange) {
          return updateSourceFile(this, newText, textChangeRange);
        }
        getLineAndCharacterOfPosition(position) {
          return getLineAndCharacterOfPosition(this, position);
        }
        getLineStarts() {
          return getLineStarts(this);
        }
        getPositionOfLineAndCharacter(line, character, allowEdits) {
          return computePositionOfLineAndCharacter(getLineStarts(this), line, character, this.text, allowEdits);
        }
        getLineEndOfPosition(pos) {
          const { line } = this.getLineAndCharacterOfPosition(pos);
          const lineStarts = this.getLineStarts();
          let lastCharPos;
          if (line + 1 >= lineStarts.length) {
            lastCharPos = this.getEnd();
          }
          if (!lastCharPos) {
            lastCharPos = lineStarts[line + 1] - 1;
          }
          const fullText = this.getFullText();
          return fullText[lastCharPos] === "\n" && fullText[lastCharPos - 1] === "\r" ? lastCharPos - 1 : lastCharPos;
        }
        getNamedDeclarations() {
          if (!this.namedDeclarations) {
            this.namedDeclarations = this.computeNamedDeclarations();
          }
          return this.namedDeclarations;
        }
        computeNamedDeclarations() {
          const result = createMultiMap();
          this.forEachChild(visit);
          return result;
          function addDeclaration(declaration) {
            const name = getDeclarationName(declaration);
            if (name) {
              result.add(name, declaration);
            }
          }
          function getDeclarations(name) {
            let declarations = result.get(name);
            if (!declarations) {
              result.set(name, declarations = []);
            }
            return declarations;
          }
          function getDeclarationName(declaration) {
            const name = getNonAssignedNameOfDeclaration(declaration);
            return name && (isComputedPropertyName(name) && isPropertyAccessExpression(name.expression) ? name.expression.name.text : isPropertyName(name) ? getNameFromPropertyName(name) : void 0);
          }
          function visit(node) {
            switch (node.kind) {
              case 262:
              case 218:
              case 174:
              case 173:
                const functionDeclaration = node;
                const declarationName = getDeclarationName(functionDeclaration);
                if (declarationName) {
                  const declarations = getDeclarations(declarationName);
                  const lastDeclaration = lastOrUndefined(declarations);
                  if (lastDeclaration && functionDeclaration.parent === lastDeclaration.parent && functionDeclaration.symbol === lastDeclaration.symbol) {
                    if (functionDeclaration.body && !lastDeclaration.body) {
                      declarations[declarations.length - 1] = functionDeclaration;
                    }
                  } else {
                    declarations.push(functionDeclaration);
                  }
                }
                forEachChild(node, visit);
                break;
              case 263:
              case 231:
              case 264:
              case 265:
              case 266:
              case 267:
              case 271:
              case 281:
              case 276:
              case 273:
              case 274:
              case 177:
              case 178:
              case 187:
                addDeclaration(node);
                forEachChild(node, visit);
                break;
              case 169:
                if (!hasSyntacticModifier(
                  node,
                  31
                  /* ParameterPropertyModifier */
                )) {
                  break;
                }
              case 260:
              case 208: {
                const decl = node;
                if (isBindingPattern(decl.name)) {
                  forEachChild(decl.name, visit);
                  break;
                }
                if (decl.initializer) {
                  visit(decl.initializer);
                }
              }
              case 306:
              case 172:
              case 171:
                addDeclaration(node);
                break;
              case 278:
                const exportDeclaration = node;
                if (exportDeclaration.exportClause) {
                  if (isNamedExports(exportDeclaration.exportClause)) {
                    forEach(exportDeclaration.exportClause.elements, visit);
                  } else {
                    visit(exportDeclaration.exportClause.name);
                  }
                }
                break;
              case 272:
                const importClause = node.importClause;
                if (importClause) {
                  if (importClause.name) {
                    addDeclaration(importClause.name);
                  }
                  if (importClause.namedBindings) {
                    if (importClause.namedBindings.kind === 274) {
                      addDeclaration(importClause.namedBindings);
                    } else {
                      forEach(importClause.namedBindings.elements, visit);
                    }
                  }
                }
                break;
              case 226:
                if (getAssignmentDeclarationKind(node) !== 0) {
                  addDeclaration(node);
                }
              default:
                forEachChild(node, visit);
            }
          }
        }
      };
      var SourceMapSourceObject = class {
        constructor(fileName, text, skipTrivia2) {
          this.fileName = fileName;
          this.text = text;
          this.skipTrivia = skipTrivia2 || ((pos) => pos);
        }
        getLineAndCharacterOfPosition(pos) {
          return getLineAndCharacterOfPosition(this, pos);
        }
      };
      function getServicesObjectAllocator() {
        return {
          getNodeConstructor: () => NodeObject,
          getTokenConstructor: () => TokenObject,
          getIdentifierConstructor: () => IdentifierObject,
          getPrivateIdentifierConstructor: () => PrivateIdentifierObject,
          getSourceFileConstructor: () => SourceFileObject,
          getSymbolConstructor: () => SymbolObject,
          getTypeConstructor: () => TypeObject,
          getSignatureConstructor: () => SignatureObject,
          getSourceMapSourceConstructor: () => SourceMapSourceObject
        };
      }
      function toEditorSettings(optionsAsMap) {
        let allPropertiesAreCamelCased = true;
        for (const key in optionsAsMap) {
          if (hasProperty(optionsAsMap, key) && !isCamelCase(key)) {
            allPropertiesAreCamelCased = false;
            break;
          }
        }
        if (allPropertiesAreCamelCased) {
          return optionsAsMap;
        }
        const settings = {};
        for (const key in optionsAsMap) {
          if (hasProperty(optionsAsMap, key)) {
            const newKey = isCamelCase(key) ? key : key.charAt(0).toLowerCase() + key.substr(1);
            settings[newKey] = optionsAsMap[key];
          }
        }
        return settings;
      }
      function isCamelCase(s) {
        return !s.length || s.charAt(0) === s.charAt(0).toLowerCase();
      }
      function displayPartsToString(displayParts) {
        if (displayParts) {
          return map(displayParts, (displayPart2) => displayPart2.text).join("");
        }
        return "";
      }
      function getDefaultCompilerOptions2() {
        return {
          target: 1,
          jsx: 1
          /* Preserve */
        };
      }
      function getSupportedCodeFixes() {
        return ts_codefix_exports.getSupportedErrorCodes();
      }
      var SyntaxTreeCache = class {
        constructor(host) {
          this.host = host;
        }
        getCurrentSourceFile(fileName) {
          var _a, _b, _c, _d, _e, _f, _g, _h;
          const scriptSnapshot = this.host.getScriptSnapshot(fileName);
          if (!scriptSnapshot) {
            throw new Error("Could not find file: '" + fileName + "'.");
          }
          const scriptKind = getScriptKind(fileName, this.host);
          const version2 = this.host.getScriptVersion(fileName);
          let sourceFile;
          if (this.currentFileName !== fileName) {
            const options = {
              languageVersion: 99,
              impliedNodeFormat: getImpliedNodeFormatForFile(
                toPath3(fileName, this.host.getCurrentDirectory(), ((_c = (_b = (_a = this.host).getCompilerHost) == null ? void 0 : _b.call(_a)) == null ? void 0 : _c.getCanonicalFileName) || hostGetCanonicalFileName(this.host)),
                (_h = (_g = (_f = (_e = (_d = this.host).getCompilerHost) == null ? void 0 : _e.call(_d)) == null ? void 0 : _f.getModuleResolutionCache) == null ? void 0 : _g.call(_f)) == null ? void 0 : _h.getPackageJsonInfoCache(),
                this.host,
                this.host.getCompilationSettings()
              ),
              setExternalModuleIndicator: getSetExternalModuleIndicator(this.host.getCompilationSettings()),
              // These files are used to produce syntax-based highlighting, which reads JSDoc, so we must use ParseAll.
              jsDocParsingMode: 0
              /* ParseAll */
            };
            sourceFile = createLanguageServiceSourceFile(
              fileName,
              scriptSnapshot,
              options,
              version2,
              /*setNodeParents*/
              true,
              scriptKind
            );
          } else if (this.currentFileVersion !== version2) {
            const editRange = scriptSnapshot.getChangeRange(this.currentFileScriptSnapshot);
            sourceFile = updateLanguageServiceSourceFile(this.currentSourceFile, scriptSnapshot, version2, editRange);
          }
          if (sourceFile) {
            this.currentFileVersion = version2;
            this.currentFileName = fileName;
            this.currentFileScriptSnapshot = scriptSnapshot;
            this.currentSourceFile = sourceFile;
          }
          return this.currentSourceFile;
        }
      };
      function setSourceFileFields(sourceFile, scriptSnapshot, version2) {
        sourceFile.version = version2;
        sourceFile.scriptSnapshot = scriptSnapshot;
      }
      function createLanguageServiceSourceFile(fileName, scriptSnapshot, scriptTargetOrOptions, version2, setNodeParents, scriptKind) {
        const sourceFile = createSourceFile(fileName, getSnapshotText(scriptSnapshot), scriptTargetOrOptions, setNodeParents, scriptKind);
        setSourceFileFields(sourceFile, scriptSnapshot, version2);
        return sourceFile;
      }
      function updateLanguageServiceSourceFile(sourceFile, scriptSnapshot, version2, textChangeRange, aggressiveChecks) {
        if (textChangeRange) {
          if (version2 !== sourceFile.version) {
            let newText;
            const prefix = textChangeRange.span.start !== 0 ? sourceFile.text.substr(0, textChangeRange.span.start) : "";
            const suffix = textSpanEnd(textChangeRange.span) !== sourceFile.text.length ? sourceFile.text.substr(textSpanEnd(textChangeRange.span)) : "";
            if (textChangeRange.newLength === 0) {
              newText = prefix && suffix ? prefix + suffix : prefix || suffix;
            } else {
              const changedText = scriptSnapshot.getText(textChangeRange.span.start, textChangeRange.span.start + textChangeRange.newLength);
              newText = prefix && suffix ? prefix + changedText + suffix : prefix ? prefix + changedText : changedText + suffix;
            }
            const newSourceFile = updateSourceFile(sourceFile, newText, textChangeRange, aggressiveChecks);
            setSourceFileFields(newSourceFile, scriptSnapshot, version2);
            newSourceFile.nameTable = void 0;
            if (sourceFile !== newSourceFile && sourceFile.scriptSnapshot) {
              if (sourceFile.scriptSnapshot.dispose) {
                sourceFile.scriptSnapshot.dispose();
              }
              sourceFile.scriptSnapshot = void 0;
            }
            return newSourceFile;
          }
        }
        const options = {
          languageVersion: sourceFile.languageVersion,
          impliedNodeFormat: sourceFile.impliedNodeFormat,
          setExternalModuleIndicator: sourceFile.setExternalModuleIndicator,
          jsDocParsingMode: sourceFile.jsDocParsingMode
        };
        return createLanguageServiceSourceFile(
          sourceFile.fileName,
          scriptSnapshot,
          options,
          version2,
          /*setNodeParents*/
          true,
          sourceFile.scriptKind
        );
      }
      var NoopCancellationToken = {
        isCancellationRequested: returnFalse,
        throwIfCancellationRequested: noop2
      };
      var CancellationTokenObject = class {
        constructor(cancellationToken) {
          this.cancellationToken = cancellationToken;
        }
        isCancellationRequested() {
          return this.cancellationToken.isCancellationRequested();
        }
        throwIfCancellationRequested() {
          var _a;
          if (this.isCancellationRequested()) {
            (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.Session, "cancellationThrown", { kind: "CancellationTokenObject" });
            throw new OperationCanceledException();
          }
        }
      };
      var ThrottledCancellationToken = class {
        constructor(hostCancellationToken, throttleWaitMilliseconds = 20) {
          this.hostCancellationToken = hostCancellationToken;
          this.throttleWaitMilliseconds = throttleWaitMilliseconds;
          this.lastCancellationCheckTime = 0;
        }
        isCancellationRequested() {
          const time = timestamp();
          const duration = Math.abs(time - this.lastCancellationCheckTime);
          if (duration >= this.throttleWaitMilliseconds) {
            this.lastCancellationCheckTime = time;
            return this.hostCancellationToken.isCancellationRequested();
          }
          return false;
        }
        throwIfCancellationRequested() {
          var _a;
          if (this.isCancellationRequested()) {
            (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.Session, "cancellationThrown", { kind: "ThrottledCancellationToken" });
            throw new OperationCanceledException();
          }
        }
      };
      var invalidOperationsInPartialSemanticMode = [
        "getSemanticDiagnostics",
        "getSuggestionDiagnostics",
        "getCompilerOptionsDiagnostics",
        "getSemanticClassifications",
        "getEncodedSemanticClassifications",
        "getCodeFixesAtPosition",
        "getCombinedCodeFix",
        "applyCodeActionCommand",
        "organizeImports",
        "getEditsForFileRename",
        "getEmitOutput",
        "getApplicableRefactors",
        "getEditsForRefactor",
        "prepareCallHierarchy",
        "provideCallHierarchyIncomingCalls",
        "provideCallHierarchyOutgoingCalls",
        "provideInlayHints",
        "getSupportedCodeFixes",
        "getPasteEdits"
      ];
      var invalidOperationsInSyntacticMode = [
        ...invalidOperationsInPartialSemanticMode,
        "getCompletionsAtPosition",
        "getCompletionEntryDetails",
        "getCompletionEntrySymbol",
        "getSignatureHelpItems",
        "getQuickInfoAtPosition",
        "getDefinitionAtPosition",
        "getDefinitionAndBoundSpan",
        "getImplementationAtPosition",
        "getTypeDefinitionAtPosition",
        "getReferencesAtPosition",
        "findReferences",
        "getDocumentHighlights",
        "getNavigateToItems",
        "getRenameInfo",
        "findRenameLocations",
        "getApplicableRefactors"
      ];
      function createLanguageService(host, documentRegistry = createDocumentRegistry(host.useCaseSensitiveFileNames && host.useCaseSensitiveFileNames(), host.getCurrentDirectory(), host.jsDocParsingMode), syntaxOnlyOrLanguageServiceMode) {
        var _a;
        let languageServiceMode;
        if (syntaxOnlyOrLanguageServiceMode === void 0) {
          languageServiceMode = 0;
        } else if (typeof syntaxOnlyOrLanguageServiceMode === "boolean") {
          languageServiceMode = syntaxOnlyOrLanguageServiceMode ? 2 : 0;
        } else {
          languageServiceMode = syntaxOnlyOrLanguageServiceMode;
        }
        const syntaxTreeCache = new SyntaxTreeCache(host);
        let program;
        let lastProjectVersion;
        let lastTypesRootVersion = 0;
        const cancellationToken = host.getCancellationToken ? new CancellationTokenObject(host.getCancellationToken()) : NoopCancellationToken;
        const currentDirectory = host.getCurrentDirectory();
        maybeSetLocalizedDiagnosticMessages((_a = host.getLocalizedDiagnosticMessages) == null ? void 0 : _a.bind(host));
        function log(message) {
          if (host.log) {
            host.log(message);
          }
        }
        const useCaseSensitiveFileNames2 = hostUsesCaseSensitiveFileNames(host);
        const getCanonicalFileName = createGetCanonicalFileName(useCaseSensitiveFileNames2);
        const sourceMapper = getSourceMapper({
          useCaseSensitiveFileNames: () => useCaseSensitiveFileNames2,
          getCurrentDirectory: () => currentDirectory,
          getProgram,
          fileExists: maybeBind(host, host.fileExists),
          readFile: maybeBind(host, host.readFile),
          getDocumentPositionMapper: maybeBind(host, host.getDocumentPositionMapper),
          getSourceFileLike: maybeBind(host, host.getSourceFileLike),
          log
        });
        function getValidSourceFile(fileName) {
          const sourceFile = program.getSourceFile(fileName);
          if (!sourceFile) {
            const error2 = new Error(`Could not find source file: '${fileName}'.`);
            error2.ProgramFiles = program.getSourceFiles().map((f) => f.fileName);
            throw error2;
          }
          return sourceFile;
        }
        function synchronizeHostData() {
          if (host.updateFromProject && !host.updateFromProjectInProgress) {
            host.updateFromProject();
          } else {
            synchronizeHostDataWorker();
          }
        }
        function synchronizeHostDataWorker() {
          var _a2, _b, _c;
          Debug.assert(
            languageServiceMode !== 2
            /* Syntactic */
          );
          if (host.getProjectVersion) {
            const hostProjectVersion = host.getProjectVersion();
            if (hostProjectVersion) {
              if (lastProjectVersion === hostProjectVersion && !((_a2 = host.hasChangedAutomaticTypeDirectiveNames) == null ? void 0 : _a2.call(host))) {
                return;
              }
              lastProjectVersion = hostProjectVersion;
            }
          }
          const typeRootsVersion = host.getTypeRootsVersion ? host.getTypeRootsVersion() : 0;
          if (lastTypesRootVersion !== typeRootsVersion) {
            log("TypeRoots version has changed; provide new program");
            program = void 0;
            lastTypesRootVersion = typeRootsVersion;
          }
          const rootFileNames = host.getScriptFileNames().slice();
          const newSettings = host.getCompilationSettings() || getDefaultCompilerOptions2();
          const hasInvalidatedResolutions = host.hasInvalidatedResolutions || returnFalse;
          const hasInvalidatedLibResolutions = maybeBind(host, host.hasInvalidatedLibResolutions) || returnFalse;
          const hasChangedAutomaticTypeDirectiveNames = maybeBind(host, host.hasChangedAutomaticTypeDirectiveNames);
          const projectReferences = (_b = host.getProjectReferences) == null ? void 0 : _b.call(host);
          let parsedCommandLines;
          let compilerHost = {
            getSourceFile: getOrCreateSourceFile,
            getSourceFileByPath: getOrCreateSourceFileByPath,
            getCancellationToken: () => cancellationToken,
            getCanonicalFileName,
            useCaseSensitiveFileNames: () => useCaseSensitiveFileNames2,
            getNewLine: () => getNewLineCharacter(newSettings),
            getDefaultLibFileName: (options2) => host.getDefaultLibFileName(options2),
            writeFile: noop2,
            getCurrentDirectory: () => currentDirectory,
            fileExists: (fileName) => host.fileExists(fileName),
            readFile: (fileName) => host.readFile && host.readFile(fileName),
            getSymlinkCache: maybeBind(host, host.getSymlinkCache),
            realpath: maybeBind(host, host.realpath),
            directoryExists: (directoryName) => {
              return directoryProbablyExists(directoryName, host);
            },
            getDirectories: (path17) => {
              return host.getDirectories ? host.getDirectories(path17) : [];
            },
            readDirectory: (path17, extensions, exclude, include, depth2) => {
              Debug.checkDefined(host.readDirectory, "'LanguageServiceHost.readDirectory' must be implemented to correctly process 'projectReferences'");
              return host.readDirectory(path17, extensions, exclude, include, depth2);
            },
            onReleaseOldSourceFile,
            onReleaseParsedCommandLine,
            hasInvalidatedResolutions,
            hasInvalidatedLibResolutions,
            hasChangedAutomaticTypeDirectiveNames,
            trace: maybeBind(host, host.trace),
            resolveModuleNames: maybeBind(host, host.resolveModuleNames),
            getModuleResolutionCache: maybeBind(host, host.getModuleResolutionCache),
            createHash: maybeBind(host, host.createHash),
            resolveTypeReferenceDirectives: maybeBind(host, host.resolveTypeReferenceDirectives),
            resolveModuleNameLiterals: maybeBind(host, host.resolveModuleNameLiterals),
            resolveTypeReferenceDirectiveReferences: maybeBind(host, host.resolveTypeReferenceDirectiveReferences),
            resolveLibrary: maybeBind(host, host.resolveLibrary),
            useSourceOfProjectReferenceRedirect: maybeBind(host, host.useSourceOfProjectReferenceRedirect),
            getParsedCommandLine,
            jsDocParsingMode: host.jsDocParsingMode
          };
          const originalGetSourceFile = compilerHost.getSourceFile;
          const { getSourceFileWithCache } = changeCompilerHostLikeToUseCache(
            compilerHost,
            (fileName) => toPath3(fileName, currentDirectory, getCanonicalFileName),
            (...args) => originalGetSourceFile.call(compilerHost, ...args)
          );
          compilerHost.getSourceFile = getSourceFileWithCache;
          (_c = host.setCompilerHost) == null ? void 0 : _c.call(host, compilerHost);
          const parseConfigHost = {
            useCaseSensitiveFileNames: useCaseSensitiveFileNames2,
            fileExists: (fileName) => compilerHost.fileExists(fileName),
            readFile: (fileName) => compilerHost.readFile(fileName),
            directoryExists: (f) => compilerHost.directoryExists(f),
            getDirectories: (f) => compilerHost.getDirectories(f),
            realpath: compilerHost.realpath,
            readDirectory: (...args) => compilerHost.readDirectory(...args),
            trace: compilerHost.trace,
            getCurrentDirectory: compilerHost.getCurrentDirectory,
            onUnRecoverableConfigFileDiagnostic: noop2
          };
          const documentRegistryBucketKey = documentRegistry.getKeyForCompilationSettings(newSettings);
          let releasedScriptKinds = /* @__PURE__ */ new Set();
          if (isProgramUptoDate(program, rootFileNames, newSettings, (_path, fileName) => host.getScriptVersion(fileName), (fileName) => compilerHost.fileExists(fileName), hasInvalidatedResolutions, hasInvalidatedLibResolutions, hasChangedAutomaticTypeDirectiveNames, getParsedCommandLine, projectReferences)) {
            compilerHost = void 0;
            parsedCommandLines = void 0;
            releasedScriptKinds = void 0;
            return;
          }
          const options = {
            rootNames: rootFileNames,
            options: newSettings,
            host: compilerHost,
            oldProgram: program,
            projectReferences
          };
          program = createProgram(options);
          compilerHost = void 0;
          parsedCommandLines = void 0;
          releasedScriptKinds = void 0;
          sourceMapper.clearCache();
          program.getTypeChecker();
          return;
          function getParsedCommandLine(fileName) {
            const path17 = toPath3(fileName, currentDirectory, getCanonicalFileName);
            const existing = parsedCommandLines == null ? void 0 : parsedCommandLines.get(path17);
            if (existing !== void 0) return existing || void 0;
            const result = host.getParsedCommandLine ? host.getParsedCommandLine(fileName) : getParsedCommandLineOfConfigFileUsingSourceFile(fileName);
            (parsedCommandLines || (parsedCommandLines = /* @__PURE__ */ new Map())).set(path17, result || false);
            return result;
          }
          function getParsedCommandLineOfConfigFileUsingSourceFile(configFileName) {
            const result = getOrCreateSourceFile(
              configFileName,
              100
              /* JSON */
            );
            if (!result) return void 0;
            result.path = toPath3(configFileName, currentDirectory, getCanonicalFileName);
            result.resolvedPath = result.path;
            result.originalFileName = result.fileName;
            return parseJsonSourceFileConfigFileContent(
              result,
              parseConfigHost,
              getNormalizedAbsolutePath(getDirectoryPath(configFileName), currentDirectory),
              /*existingOptions*/
              void 0,
              getNormalizedAbsolutePath(configFileName, currentDirectory)
            );
          }
          function onReleaseParsedCommandLine(configFileName, oldResolvedRef, oldOptions) {
            var _a3;
            if (host.getParsedCommandLine) {
              (_a3 = host.onReleaseParsedCommandLine) == null ? void 0 : _a3.call(host, configFileName, oldResolvedRef, oldOptions);
            } else if (oldResolvedRef) {
              onReleaseOldSourceFile(oldResolvedRef.sourceFile, oldOptions);
            }
          }
          function onReleaseOldSourceFile(oldSourceFile, oldOptions) {
            const oldSettingsKey = documentRegistry.getKeyForCompilationSettings(oldOptions);
            documentRegistry.releaseDocumentWithKey(oldSourceFile.resolvedPath, oldSettingsKey, oldSourceFile.scriptKind, oldSourceFile.impliedNodeFormat);
          }
          function getOrCreateSourceFile(fileName, languageVersionOrOptions, onError, shouldCreateNewSourceFile) {
            return getOrCreateSourceFileByPath(fileName, toPath3(fileName, currentDirectory, getCanonicalFileName), languageVersionOrOptions, onError, shouldCreateNewSourceFile);
          }
          function getOrCreateSourceFileByPath(fileName, path17, languageVersionOrOptions, _onError, shouldCreateNewSourceFile) {
            Debug.assert(compilerHost, "getOrCreateSourceFileByPath called after typical CompilerHost lifetime, check the callstack something with a reference to an old host.");
            const scriptSnapshot = host.getScriptSnapshot(fileName);
            if (!scriptSnapshot) {
              return void 0;
            }
            const scriptKind = getScriptKind(fileName, host);
            const scriptVersion = host.getScriptVersion(fileName);
            if (!shouldCreateNewSourceFile) {
              const oldSourceFile = program && program.getSourceFileByPath(path17);
              if (oldSourceFile) {
                if (scriptKind === oldSourceFile.scriptKind || releasedScriptKinds.has(oldSourceFile.resolvedPath)) {
                  return documentRegistry.updateDocumentWithKey(fileName, path17, host, documentRegistryBucketKey, scriptSnapshot, scriptVersion, scriptKind, languageVersionOrOptions);
                } else {
                  documentRegistry.releaseDocumentWithKey(oldSourceFile.resolvedPath, documentRegistry.getKeyForCompilationSettings(program.getCompilerOptions()), oldSourceFile.scriptKind, oldSourceFile.impliedNodeFormat);
                  releasedScriptKinds.add(oldSourceFile.resolvedPath);
                }
              }
            }
            return documentRegistry.acquireDocumentWithKey(fileName, path17, host, documentRegistryBucketKey, scriptSnapshot, scriptVersion, scriptKind, languageVersionOrOptions);
          }
        }
        function getProgram() {
          if (languageServiceMode === 2) {
            Debug.assert(program === void 0);
            return void 0;
          }
          synchronizeHostData();
          return program;
        }
        function getAutoImportProvider() {
          var _a2;
          return (_a2 = host.getPackageJsonAutoImportProvider) == null ? void 0 : _a2.call(host);
        }
        function updateIsDefinitionOfReferencedSymbols(referencedSymbols, knownSymbolSpans) {
          const checker = program.getTypeChecker();
          const symbol = getSymbolForProgram();
          if (!symbol) return false;
          for (const referencedSymbol of referencedSymbols) {
            for (const ref of referencedSymbol.references) {
              const refNode = getNodeForSpan(ref);
              Debug.assertIsDefined(refNode);
              if (knownSymbolSpans.has(ref) || ts_FindAllReferences_exports.isDeclarationOfSymbol(refNode, symbol)) {
                knownSymbolSpans.add(ref);
                ref.isDefinition = true;
                const mappedSpan = getMappedDocumentSpan(ref, sourceMapper, maybeBind(host, host.fileExists));
                if (mappedSpan) {
                  knownSymbolSpans.add(mappedSpan);
                }
              } else {
                ref.isDefinition = false;
              }
            }
          }
          return true;
          function getSymbolForProgram() {
            for (const referencedSymbol of referencedSymbols) {
              for (const ref of referencedSymbol.references) {
                if (knownSymbolSpans.has(ref)) {
                  const refNode = getNodeForSpan(ref);
                  Debug.assertIsDefined(refNode);
                  return checker.getSymbolAtLocation(refNode);
                }
                const mappedSpan = getMappedDocumentSpan(ref, sourceMapper, maybeBind(host, host.fileExists));
                if (mappedSpan && knownSymbolSpans.has(mappedSpan)) {
                  const refNode = getNodeForSpan(mappedSpan);
                  if (refNode) {
                    return checker.getSymbolAtLocation(refNode);
                  }
                }
              }
            }
            return void 0;
          }
          function getNodeForSpan(docSpan) {
            const sourceFile = program.getSourceFile(docSpan.fileName);
            if (!sourceFile) return void 0;
            const rawNode = getTouchingPropertyName(sourceFile, docSpan.textSpan.start);
            const adjustedNode = ts_FindAllReferences_exports.Core.getAdjustedNode(rawNode, { use: ts_FindAllReferences_exports.FindReferencesUse.References });
            return adjustedNode;
          }
        }
        function cleanupSemanticCache() {
          if (program) {
            const key = documentRegistry.getKeyForCompilationSettings(program.getCompilerOptions());
            forEach(program.getSourceFiles(), (f) => documentRegistry.releaseDocumentWithKey(f.resolvedPath, key, f.scriptKind, f.impliedNodeFormat));
            program = void 0;
          }
        }
        function dispose() {
          cleanupSemanticCache();
          host = void 0;
        }
        function getSyntacticDiagnostics(fileName) {
          synchronizeHostData();
          return program.getSyntacticDiagnostics(getValidSourceFile(fileName), cancellationToken).slice();
        }
        function getSemanticDiagnostics(fileName) {
          synchronizeHostData();
          const targetSourceFile = getValidSourceFile(fileName);
          const semanticDiagnostics = program.getSemanticDiagnostics(targetSourceFile, cancellationToken);
          if (!getEmitDeclarations(program.getCompilerOptions())) {
            return semanticDiagnostics.slice();
          }
          const declarationDiagnostics = program.getDeclarationDiagnostics(targetSourceFile, cancellationToken);
          return [...semanticDiagnostics, ...declarationDiagnostics];
        }
        function getSuggestionDiagnostics(fileName) {
          synchronizeHostData();
          return computeSuggestionDiagnostics(getValidSourceFile(fileName), program, cancellationToken);
        }
        function getCompilerOptionsDiagnostics() {
          synchronizeHostData();
          return [...program.getOptionsDiagnostics(cancellationToken), ...program.getGlobalDiagnostics(cancellationToken)];
        }
        function getCompletionsAtPosition2(fileName, position, options = emptyOptions, formattingSettings) {
          const fullPreferences = {
            ...identity2(options),
            // avoid excess property check
            includeCompletionsForModuleExports: options.includeCompletionsForModuleExports || options.includeExternalModuleExports,
            includeCompletionsWithInsertText: options.includeCompletionsWithInsertText || options.includeInsertTextCompletions
          };
          synchronizeHostData();
          return ts_Completions_exports.getCompletionsAtPosition(
            host,
            program,
            log,
            getValidSourceFile(fileName),
            position,
            fullPreferences,
            options.triggerCharacter,
            options.triggerKind,
            cancellationToken,
            formattingSettings && ts_formatting_exports.getFormatContext(formattingSettings, host),
            options.includeSymbol
          );
        }
        function getCompletionEntryDetails2(fileName, position, name, formattingOptions, source, preferences = emptyOptions, data) {
          synchronizeHostData();
          return ts_Completions_exports.getCompletionEntryDetails(
            program,
            log,
            getValidSourceFile(fileName),
            position,
            { name, source, data },
            host,
            formattingOptions && ts_formatting_exports.getFormatContext(formattingOptions, host),
            // TODO: GH#18217
            preferences,
            cancellationToken
          );
        }
        function getCompletionEntrySymbol2(fileName, position, name, source, preferences = emptyOptions) {
          synchronizeHostData();
          return ts_Completions_exports.getCompletionEntrySymbol(program, log, getValidSourceFile(fileName), position, { name, source }, host, preferences);
        }
        function getQuickInfoAtPosition(fileName, position) {
          synchronizeHostData();
          const sourceFile = getValidSourceFile(fileName);
          const node = getTouchingPropertyName(sourceFile, position);
          if (node === sourceFile) {
            return void 0;
          }
          const typeChecker = program.getTypeChecker();
          const nodeForQuickInfo = getNodeForQuickInfo(node);
          const symbol = getSymbolAtLocationForQuickInfo(nodeForQuickInfo, typeChecker);
          if (!symbol || typeChecker.isUnknownSymbol(symbol)) {
            const type = shouldGetType(sourceFile, nodeForQuickInfo, position) ? typeChecker.getTypeAtLocation(nodeForQuickInfo) : void 0;
            return type && {
              kind: "",
              kindModifiers: "",
              textSpan: createTextSpanFromNode(nodeForQuickInfo, sourceFile),
              displayParts: typeChecker.runWithCancellationToken(cancellationToken, (typeChecker2) => typeToDisplayParts(typeChecker2, type, getContainerNode(nodeForQuickInfo))),
              documentation: type.symbol ? type.symbol.getDocumentationComment(typeChecker) : void 0,
              tags: type.symbol ? type.symbol.getJsDocTags(typeChecker) : void 0
            };
          }
          const { symbolKind, displayParts, documentation, tags } = typeChecker.runWithCancellationToken(cancellationToken, (typeChecker2) => ts_SymbolDisplay_exports.getSymbolDisplayPartsDocumentationAndSymbolKind(typeChecker2, symbol, sourceFile, getContainerNode(nodeForQuickInfo), nodeForQuickInfo));
          return {
            kind: symbolKind,
            kindModifiers: ts_SymbolDisplay_exports.getSymbolModifiers(typeChecker, symbol),
            textSpan: createTextSpanFromNode(nodeForQuickInfo, sourceFile),
            displayParts,
            documentation,
            tags
          };
        }
        function getPasteEdits(args, formatOptions) {
          synchronizeHostData();
          return ts_PasteEdits_exports.pasteEditsProvider(
            getValidSourceFile(args.targetFile),
            args.pastedText,
            args.pasteLocations,
            args.copiedFrom ? { file: getValidSourceFile(args.copiedFrom.file), range: args.copiedFrom.range } : void 0,
            host,
            args.preferences,
            ts_formatting_exports.getFormatContext(formatOptions, host),
            cancellationToken
          );
        }
        function getNodeForQuickInfo(node) {
          if (isNewExpression2(node.parent) && node.pos === node.parent.pos) {
            return node.parent.expression;
          }
          if (isNamedTupleMember(node.parent) && node.pos === node.parent.pos) {
            return node.parent;
          }
          if (isImportMeta(node.parent) && node.parent.name === node) {
            return node.parent;
          }
          if (isJsxNamespacedName(node.parent)) {
            return node.parent;
          }
          return node;
        }
        function shouldGetType(sourceFile, node, position) {
          switch (node.kind) {
            case 80:
              if (node.flags & 16777216 && !isInJSFile(node) && (node.parent.kind === 171 && node.parent.name === node || findAncestor(
                node,
                (n) => n.kind === 169
                /* Parameter */
              ))) {
                return false;
              }
              return !isLabelName(node) && !isTagName(node) && !isConstTypeReference(node.parent);
            case 211:
            case 166:
              return !isInComment(sourceFile, position);
            case 110:
            case 197:
            case 108:
            case 202:
              return true;
            case 236:
              return isImportMeta(node);
            default:
              return false;
          }
        }
        function getDefinitionAtPosition2(fileName, position, searchOtherFilesOnly, stopAtAlias) {
          synchronizeHostData();
          return ts_GoToDefinition_exports.getDefinitionAtPosition(program, getValidSourceFile(fileName), position, searchOtherFilesOnly, stopAtAlias);
        }
        function getDefinitionAndBoundSpan2(fileName, position) {
          synchronizeHostData();
          return ts_GoToDefinition_exports.getDefinitionAndBoundSpan(program, getValidSourceFile(fileName), position);
        }
        function getTypeDefinitionAtPosition2(fileName, position) {
          synchronizeHostData();
          return ts_GoToDefinition_exports.getTypeDefinitionAtPosition(program.getTypeChecker(), getValidSourceFile(fileName), position);
        }
        function getImplementationAtPosition(fileName, position) {
          synchronizeHostData();
          return ts_FindAllReferences_exports.getImplementationsAtPosition(program, cancellationToken, program.getSourceFiles(), getValidSourceFile(fileName), position);
        }
        function getDocumentHighlights(fileName, position, filesToSearch) {
          const normalizedFileName = normalizePath(fileName);
          Debug.assert(filesToSearch.some((f) => normalizePath(f) === normalizedFileName));
          synchronizeHostData();
          const sourceFilesToSearch = mapDefined(filesToSearch, (fileName2) => program.getSourceFile(fileName2));
          const sourceFile = getValidSourceFile(fileName);
          return DocumentHighlights.getDocumentHighlights(program, cancellationToken, sourceFile, position, sourceFilesToSearch);
        }
        function findRenameLocations(fileName, position, findInStrings, findInComments, preferences) {
          synchronizeHostData();
          const sourceFile = getValidSourceFile(fileName);
          const node = getAdjustedRenameLocation(getTouchingPropertyName(sourceFile, position));
          if (!ts_Rename_exports.nodeIsEligibleForRename(node)) return void 0;
          if (isIdentifier(node) && (isJsxOpeningElement(node.parent) || isJsxClosingElement(node.parent)) && isIntrinsicJsxName(node.escapedText)) {
            const { openingElement, closingElement } = node.parent.parent;
            return [openingElement, closingElement].map((node2) => {
              const textSpan = createTextSpanFromNode(node2.tagName, sourceFile);
              return {
                fileName: sourceFile.fileName,
                textSpan,
                ...ts_FindAllReferences_exports.toContextSpan(textSpan, sourceFile, node2.parent)
              };
            });
          } else {
            const quotePreference = getQuotePreference(sourceFile, preferences ?? emptyOptions);
            const providePrefixAndSuffixTextForRename = typeof preferences === "boolean" ? preferences : preferences == null ? void 0 : preferences.providePrefixAndSuffixTextForRename;
            return getReferencesWorker2(node, position, { findInStrings, findInComments, providePrefixAndSuffixTextForRename, use: ts_FindAllReferences_exports.FindReferencesUse.Rename }, (entry, originalNode, checker) => ts_FindAllReferences_exports.toRenameLocation(entry, originalNode, checker, providePrefixAndSuffixTextForRename || false, quotePreference));
          }
        }
        function getReferencesAtPosition(fileName, position) {
          synchronizeHostData();
          return getReferencesWorker2(getTouchingPropertyName(getValidSourceFile(fileName), position), position, { use: ts_FindAllReferences_exports.FindReferencesUse.References }, ts_FindAllReferences_exports.toReferenceEntry);
        }
        function getReferencesWorker2(node, position, options, cb) {
          synchronizeHostData();
          const sourceFiles = options && options.use === ts_FindAllReferences_exports.FindReferencesUse.Rename ? program.getSourceFiles().filter((sourceFile) => !program.isSourceFileDefaultLibrary(sourceFile)) : program.getSourceFiles();
          return ts_FindAllReferences_exports.findReferenceOrRenameEntries(program, cancellationToken, sourceFiles, node, position, options, cb);
        }
        function findReferences(fileName, position) {
          synchronizeHostData();
          return ts_FindAllReferences_exports.findReferencedSymbols(program, cancellationToken, program.getSourceFiles(), getValidSourceFile(fileName), position);
        }
        function getFileReferences(fileName) {
          synchronizeHostData();
          return ts_FindAllReferences_exports.Core.getReferencesForFileName(fileName, program, program.getSourceFiles()).map(ts_FindAllReferences_exports.toReferenceEntry);
        }
        function getNavigateToItems2(searchValue, maxResultCount, fileName, excludeDtsFiles = false, excludeLibFiles = false) {
          synchronizeHostData();
          const sourceFiles = fileName ? [getValidSourceFile(fileName)] : program.getSourceFiles();
          return getNavigateToItems(sourceFiles, program.getTypeChecker(), cancellationToken, searchValue, maxResultCount, excludeDtsFiles, excludeLibFiles);
        }
        function getEmitOutput(fileName, emitOnlyDtsFiles, forceDtsEmit) {
          synchronizeHostData();
          const sourceFile = getValidSourceFile(fileName);
          const customTransformers = host.getCustomTransformers && host.getCustomTransformers();
          return getFileEmitOutput(program, sourceFile, !!emitOnlyDtsFiles, cancellationToken, customTransformers, forceDtsEmit);
        }
        function getSignatureHelpItems2(fileName, position, { triggerReason } = emptyOptions) {
          synchronizeHostData();
          const sourceFile = getValidSourceFile(fileName);
          return ts_SignatureHelp_exports.getSignatureHelpItems(program, sourceFile, position, triggerReason, cancellationToken);
        }
        function getNonBoundSourceFile(fileName) {
          return syntaxTreeCache.getCurrentSourceFile(fileName);
        }
        function getNameOrDottedNameSpan(fileName, startPos, _endPos) {
          const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName);
          const node = getTouchingPropertyName(sourceFile, startPos);
          if (node === sourceFile) {
            return void 0;
          }
          switch (node.kind) {
            case 211:
            case 166:
            case 11:
            case 97:
            case 112:
            case 106:
            case 108:
            case 110:
            case 197:
            case 80:
              break;
            default:
              return void 0;
          }
          let nodeForStartPos = node;
          while (true) {
            if (isRightSideOfPropertyAccess(nodeForStartPos) || isRightSideOfQualifiedName(nodeForStartPos)) {
              nodeForStartPos = nodeForStartPos.parent;
            } else if (isNameOfModuleDeclaration(nodeForStartPos)) {
              if (nodeForStartPos.parent.parent.kind === 267 && nodeForStartPos.parent.parent.body === nodeForStartPos.parent) {
                nodeForStartPos = nodeForStartPos.parent.parent.name;
              } else {
                break;
              }
            } else {
              break;
            }
          }
          return createTextSpanFromBounds(nodeForStartPos.getStart(), node.getEnd());
        }
        function getBreakpointStatementAtPosition(fileName, position) {
          const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName);
          return ts_BreakpointResolver_exports.spanInSourceFileAtLocation(sourceFile, position);
        }
        function getNavigationBarItems2(fileName) {
          return getNavigationBarItems(syntaxTreeCache.getCurrentSourceFile(fileName), cancellationToken);
        }
        function getNavigationTree2(fileName) {
          return getNavigationTree(syntaxTreeCache.getCurrentSourceFile(fileName), cancellationToken);
        }
        function getSemanticClassifications3(fileName, span, format2) {
          synchronizeHostData();
          const responseFormat = format2 || "original";
          if (responseFormat === "2020") {
            return getSemanticClassifications2(program, cancellationToken, getValidSourceFile(fileName), span);
          } else {
            return getSemanticClassifications(program.getTypeChecker(), cancellationToken, getValidSourceFile(fileName), program.getClassifiableNames(), span);
          }
        }
        function getEncodedSemanticClassifications3(fileName, span, format2) {
          synchronizeHostData();
          const responseFormat = format2 || "original";
          if (responseFormat === "original") {
            return getEncodedSemanticClassifications(program.getTypeChecker(), cancellationToken, getValidSourceFile(fileName), program.getClassifiableNames(), span);
          } else {
            return getEncodedSemanticClassifications2(program, cancellationToken, getValidSourceFile(fileName), span);
          }
        }
        function getSyntacticClassifications2(fileName, span) {
          return getSyntacticClassifications(cancellationToken, syntaxTreeCache.getCurrentSourceFile(fileName), span);
        }
        function getEncodedSyntacticClassifications2(fileName, span) {
          return getEncodedSyntacticClassifications(cancellationToken, syntaxTreeCache.getCurrentSourceFile(fileName), span);
        }
        function getOutliningSpans(fileName) {
          const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName);
          return ts_OutliningElementsCollector_exports.collectElements(sourceFile, cancellationToken);
        }
        const braceMatching = new Map(Object.entries({
          [
            19
            /* OpenBraceToken */
          ]: 20,
          [
            21
            /* OpenParenToken */
          ]: 22,
          [
            23
            /* OpenBracketToken */
          ]: 24,
          [
            32
            /* GreaterThanToken */
          ]: 30
          /* LessThanToken */
        }));
        braceMatching.forEach((value, key) => braceMatching.set(value.toString(), Number(key)));
        function getBraceMatchingAtPosition(fileName, position) {
          const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName);
          const token = getTouchingToken(sourceFile, position);
          const matchKind = token.getStart(sourceFile) === position ? braceMatching.get(token.kind.toString()) : void 0;
          const match = matchKind && findChildOfKind(token.parent, matchKind, sourceFile);
          return match ? [createTextSpanFromNode(token, sourceFile), createTextSpanFromNode(match, sourceFile)].sort((a, b) => a.start - b.start) : emptyArray;
        }
        function getIndentationAtPosition(fileName, position, editorOptions) {
          let start = timestamp();
          const settings = toEditorSettings(editorOptions);
          const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName);
          log("getIndentationAtPosition: getCurrentSourceFile: " + (timestamp() - start));
          start = timestamp();
          const result = ts_formatting_exports.SmartIndenter.getIndentation(position, sourceFile, settings);
          log("getIndentationAtPosition: computeIndentation  : " + (timestamp() - start));
          return result;
        }
        function getFormattingEditsForRange(fileName, start, end, options) {
          const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName);
          return ts_formatting_exports.formatSelection(start, end, sourceFile, ts_formatting_exports.getFormatContext(toEditorSettings(options), host));
        }
        function getFormattingEditsForDocument(fileName, options) {
          return ts_formatting_exports.formatDocument(syntaxTreeCache.getCurrentSourceFile(fileName), ts_formatting_exports.getFormatContext(toEditorSettings(options), host));
        }
        function getFormattingEditsAfterKeystroke(fileName, position, key, options) {
          const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName);
          const formatContext = ts_formatting_exports.getFormatContext(toEditorSettings(options), host);
          if (!isInComment(sourceFile, position)) {
            switch (key) {
              case "{":
                return ts_formatting_exports.formatOnOpeningCurly(position, sourceFile, formatContext);
              case "}":
                return ts_formatting_exports.formatOnClosingCurly(position, sourceFile, formatContext);
              case ";":
                return ts_formatting_exports.formatOnSemicolon(position, sourceFile, formatContext);
              case "\n":
                return ts_formatting_exports.formatOnEnter(position, sourceFile, formatContext);
            }
          }
          return [];
        }
        function getCodeFixesAtPosition(fileName, start, end, errorCodes67, formatOptions, preferences = emptyOptions) {
          synchronizeHostData();
          const sourceFile = getValidSourceFile(fileName);
          const span = createTextSpanFromBounds(start, end);
          const formatContext = ts_formatting_exports.getFormatContext(formatOptions, host);
          return flatMap(deduplicate(errorCodes67, equateValues, compareValues), (errorCode) => {
            cancellationToken.throwIfCancellationRequested();
            return ts_codefix_exports.getFixes({ errorCode, sourceFile, span, program, host, cancellationToken, formatContext, preferences });
          });
        }
        function getCombinedCodeFix(scope, fixId55, formatOptions, preferences = emptyOptions) {
          synchronizeHostData();
          Debug.assert(scope.type === "file");
          const sourceFile = getValidSourceFile(scope.fileName);
          const formatContext = ts_formatting_exports.getFormatContext(formatOptions, host);
          return ts_codefix_exports.getAllFixes({ fixId: fixId55, sourceFile, program, host, cancellationToken, formatContext, preferences });
        }
        function organizeImports2(args, formatOptions, preferences = emptyOptions) {
          synchronizeHostData();
          Debug.assert(args.type === "file");
          const sourceFile = getValidSourceFile(args.fileName);
          const formatContext = ts_formatting_exports.getFormatContext(formatOptions, host);
          const mode = args.mode ?? (args.skipDestructiveCodeActions ? "SortAndCombine" : "All");
          return ts_OrganizeImports_exports.organizeImports(sourceFile, formatContext, host, program, preferences, mode);
        }
        function getEditsForFileRename2(oldFilePath, newFilePath, formatOptions, preferences = emptyOptions) {
          return getEditsForFileRename(getProgram(), oldFilePath, newFilePath, host, ts_formatting_exports.getFormatContext(formatOptions, host), preferences, sourceMapper);
        }
        function applyCodeActionCommand(fileName, actionOrFormatSettingsOrUndefined) {
          const action = typeof fileName === "string" ? actionOrFormatSettingsOrUndefined : fileName;
          return isArray3(action) ? Promise.all(action.map((a) => applySingleCodeActionCommand(a))) : applySingleCodeActionCommand(action);
        }
        function applySingleCodeActionCommand(action) {
          const getPath = (path17) => toPath3(path17, currentDirectory, getCanonicalFileName);
          Debug.assertEqual(action.type, "install package");
          return host.installPackage ? host.installPackage({ fileName: getPath(action.file), packageName: action.packageName }) : Promise.reject("Host does not implement `installPackage`");
        }
        function getDocCommentTemplateAtPosition2(fileName, position, options, formatOptions) {
          const formatSettings = formatOptions ? ts_formatting_exports.getFormatContext(formatOptions, host).options : void 0;
          return ts_JsDoc_exports.getDocCommentTemplateAtPosition(getNewLineOrDefaultFromHost(host, formatSettings), syntaxTreeCache.getCurrentSourceFile(fileName), position, options);
        }
        function isValidBraceCompletionAtPosition(fileName, position, openingBrace) {
          if (openingBrace === 60) {
            return false;
          }
          const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName);
          if (isInString(sourceFile, position)) {
            return false;
          }
          if (isInsideJsxElementOrAttribute(sourceFile, position)) {
            return openingBrace === 123;
          }
          if (isInTemplateString(sourceFile, position)) {
            return false;
          }
          switch (openingBrace) {
            case 39:
            case 34:
            case 96:
              return !isInComment(sourceFile, position);
          }
          return true;
        }
        function getJsxClosingTagAtPosition(fileName, position) {
          const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName);
          const token = findPrecedingToken(position, sourceFile);
          if (!token) return void 0;
          const element = token.kind === 32 && isJsxOpeningElement(token.parent) ? token.parent.parent : isJsxText(token) && isJsxElement(token.parent) ? token.parent : void 0;
          if (element && isUnclosedTag(element)) {
            return { newText: `` };
          }
          const fragment = token.kind === 32 && isJsxOpeningFragment(token.parent) ? token.parent.parent : isJsxText(token) && isJsxFragment(token.parent) ? token.parent : void 0;
          if (fragment && isUnclosedFragment(fragment)) {
            return { newText: "" };
          }
        }
        function getLinkedEditingRangeAtPosition(fileName, position) {
          const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName);
          const token = findPrecedingToken(position, sourceFile);
          if (!token || token.parent.kind === 307) return void 0;
          const jsxTagWordPattern = "[a-zA-Z0-9:\\-\\._$]*";
          if (isJsxFragment(token.parent.parent)) {
            const openFragment = token.parent.parent.openingFragment;
            const closeFragment = token.parent.parent.closingFragment;
            if (containsParseError(openFragment) || containsParseError(closeFragment)) return void 0;
            const openPos = openFragment.getStart(sourceFile) + 1;
            const closePos = closeFragment.getStart(sourceFile) + 2;
            if (position !== openPos && position !== closePos) return void 0;
            return {
              ranges: [{ start: openPos, length: 0 }, { start: closePos, length: 0 }],
              wordPattern: jsxTagWordPattern
            };
          } else {
            const tag = findAncestor(token.parent, (n) => {
              if (isJsxOpeningElement(n) || isJsxClosingElement(n)) {
                return true;
              }
              return false;
            });
            if (!tag) return void 0;
            Debug.assert(isJsxOpeningElement(tag) || isJsxClosingElement(tag), "tag should be opening or closing element");
            const openTag = tag.parent.openingElement;
            const closeTag = tag.parent.closingElement;
            const openTagNameStart = openTag.tagName.getStart(sourceFile);
            const openTagNameEnd = openTag.tagName.end;
            const closeTagNameStart = closeTag.tagName.getStart(sourceFile);
            const closeTagNameEnd = closeTag.tagName.end;
            if (openTagNameStart === openTag.getStart(sourceFile) || closeTagNameStart === closeTag.getStart(sourceFile) || openTagNameEnd === openTag.getEnd() || closeTagNameEnd === closeTag.getEnd()) return void 0;
            if (!(openTagNameStart <= position && position <= openTagNameEnd || closeTagNameStart <= position && position <= closeTagNameEnd)) return void 0;
            const openingTagText = openTag.tagName.getText(sourceFile);
            if (openingTagText !== closeTag.tagName.getText(sourceFile)) return void 0;
            return {
              ranges: [{ start: openTagNameStart, length: openTagNameEnd - openTagNameStart }, { start: closeTagNameStart, length: closeTagNameEnd - closeTagNameStart }],
              wordPattern: jsxTagWordPattern
            };
          }
        }
        function getLinesForRange(sourceFile, textRange) {
          return {
            lineStarts: sourceFile.getLineStarts(),
            firstLine: sourceFile.getLineAndCharacterOfPosition(textRange.pos).line,
            lastLine: sourceFile.getLineAndCharacterOfPosition(textRange.end).line
          };
        }
        function toggleLineComment(fileName, textRange, insertComment) {
          const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName);
          const textChanges2 = [];
          const { lineStarts, firstLine, lastLine } = getLinesForRange(sourceFile, textRange);
          let isCommenting = insertComment || false;
          let leftMostPosition = Number.MAX_VALUE;
          const lineTextStarts = /* @__PURE__ */ new Map();
          const firstNonWhitespaceCharacterRegex = new RegExp(/\S/);
          const isJsx = isInsideJsxElement(sourceFile, lineStarts[firstLine]);
          const openComment = isJsx ? "{/*" : "//";
          for (let i = firstLine; i <= lastLine; i++) {
            const lineText = sourceFile.text.substring(lineStarts[i], sourceFile.getLineEndOfPosition(lineStarts[i]));
            const regExec = firstNonWhitespaceCharacterRegex.exec(lineText);
            if (regExec) {
              leftMostPosition = Math.min(leftMostPosition, regExec.index);
              lineTextStarts.set(i.toString(), regExec.index);
              if (lineText.substr(regExec.index, openComment.length) !== openComment) {
                isCommenting = insertComment === void 0 || insertComment;
              }
            }
          }
          for (let i = firstLine; i <= lastLine; i++) {
            if (firstLine !== lastLine && lineStarts[i] === textRange.end) {
              continue;
            }
            const lineTextStart = lineTextStarts.get(i.toString());
            if (lineTextStart !== void 0) {
              if (isJsx) {
                textChanges2.push(...toggleMultilineComment(fileName, { pos: lineStarts[i] + leftMostPosition, end: sourceFile.getLineEndOfPosition(lineStarts[i]) }, isCommenting, isJsx));
              } else if (isCommenting) {
                textChanges2.push({
                  newText: openComment,
                  span: {
                    length: 0,
                    start: lineStarts[i] + leftMostPosition
                  }
                });
              } else if (sourceFile.text.substr(lineStarts[i] + lineTextStart, openComment.length) === openComment) {
                textChanges2.push({
                  newText: "",
                  span: {
                    length: openComment.length,
                    start: lineStarts[i] + lineTextStart
                  }
                });
              }
            }
          }
          return textChanges2;
        }
        function toggleMultilineComment(fileName, textRange, insertComment, isInsideJsx) {
          var _a2;
          const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName);
          const textChanges2 = [];
          const { text } = sourceFile;
          let hasComment = false;
          let isCommenting = insertComment || false;
          const positions = [];
          let { pos } = textRange;
          const isJsx = isInsideJsx !== void 0 ? isInsideJsx : isInsideJsxElement(sourceFile, pos);
          const openMultiline = isJsx ? "{/*" : "/*";
          const closeMultiline = isJsx ? "*/}" : "*/";
          const openMultilineRegex = isJsx ? "\\{\\/\\*" : "\\/\\*";
          const closeMultilineRegex = isJsx ? "\\*\\/\\}" : "\\*\\/";
          while (pos <= textRange.end) {
            const offset = text.substr(pos, openMultiline.length) === openMultiline ? openMultiline.length : 0;
            const commentRange = isInComment(sourceFile, pos + offset);
            if (commentRange) {
              if (isJsx) {
                commentRange.pos--;
                commentRange.end++;
              }
              positions.push(commentRange.pos);
              if (commentRange.kind === 3) {
                positions.push(commentRange.end);
              }
              hasComment = true;
              pos = commentRange.end + 1;
            } else {
              const newPos = text.substring(pos, textRange.end).search(`(${openMultilineRegex})|(${closeMultilineRegex})`);
              isCommenting = insertComment !== void 0 ? insertComment : isCommenting || !isTextWhiteSpaceLike(text, pos, newPos === -1 ? textRange.end : pos + newPos);
              pos = newPos === -1 ? textRange.end + 1 : pos + newPos + closeMultiline.length;
            }
          }
          if (isCommenting || !hasComment) {
            if (((_a2 = isInComment(sourceFile, textRange.pos)) == null ? void 0 : _a2.kind) !== 2) {
              insertSorted(positions, textRange.pos, compareValues);
            }
            insertSorted(positions, textRange.end, compareValues);
            const firstPos = positions[0];
            if (text.substr(firstPos, openMultiline.length) !== openMultiline) {
              textChanges2.push({
                newText: openMultiline,
                span: {
                  length: 0,
                  start: firstPos
                }
              });
            }
            for (let i = 1; i < positions.length - 1; i++) {
              if (text.substr(positions[i] - closeMultiline.length, closeMultiline.length) !== closeMultiline) {
                textChanges2.push({
                  newText: closeMultiline,
                  span: {
                    length: 0,
                    start: positions[i]
                  }
                });
              }
              if (text.substr(positions[i], openMultiline.length) !== openMultiline) {
                textChanges2.push({
                  newText: openMultiline,
                  span: {
                    length: 0,
                    start: positions[i]
                  }
                });
              }
            }
            if (textChanges2.length % 2 !== 0) {
              textChanges2.push({
                newText: closeMultiline,
                span: {
                  length: 0,
                  start: positions[positions.length - 1]
                }
              });
            }
          } else {
            for (const pos2 of positions) {
              const from = pos2 - closeMultiline.length > 0 ? pos2 - closeMultiline.length : 0;
              const offset = text.substr(from, closeMultiline.length) === closeMultiline ? closeMultiline.length : 0;
              textChanges2.push({
                newText: "",
                span: {
                  length: openMultiline.length,
                  start: pos2 - offset
                }
              });
            }
          }
          return textChanges2;
        }
        function commentSelection(fileName, textRange) {
          const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName);
          const { firstLine, lastLine } = getLinesForRange(sourceFile, textRange);
          return firstLine === lastLine && textRange.pos !== textRange.end ? toggleMultilineComment(
            fileName,
            textRange,
            /*insertComment*/
            true
          ) : toggleLineComment(
            fileName,
            textRange,
            /*insertComment*/
            true
          );
        }
        function uncommentSelection(fileName, textRange) {
          const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName);
          const textChanges2 = [];
          const { pos } = textRange;
          let { end } = textRange;
          if (pos === end) {
            end += isInsideJsxElement(sourceFile, pos) ? 2 : 1;
          }
          for (let i = pos; i <= end; i++) {
            const commentRange = isInComment(sourceFile, i);
            if (commentRange) {
              switch (commentRange.kind) {
                case 2:
                  textChanges2.push(...toggleLineComment(
                    fileName,
                    { end: commentRange.end, pos: commentRange.pos + 1 },
                    /*insertComment*/
                    false
                  ));
                  break;
                case 3:
                  textChanges2.push(...toggleMultilineComment(
                    fileName,
                    { end: commentRange.end, pos: commentRange.pos + 1 },
                    /*insertComment*/
                    false
                  ));
              }
              i = commentRange.end + 1;
            }
          }
          return textChanges2;
        }
        function isUnclosedTag({ openingElement, closingElement, parent: parent2 }) {
          return !tagNamesAreEquivalent(openingElement.tagName, closingElement.tagName) || isJsxElement(parent2) && tagNamesAreEquivalent(openingElement.tagName, parent2.openingElement.tagName) && isUnclosedTag(parent2);
        }
        function isUnclosedFragment({ closingFragment, parent: parent2 }) {
          return !!(closingFragment.flags & 262144) || isJsxFragment(parent2) && isUnclosedFragment(parent2);
        }
        function getSpanOfEnclosingComment(fileName, position, onlyMultiLine) {
          const sourceFile = syntaxTreeCache.getCurrentSourceFile(fileName);
          const range = ts_formatting_exports.getRangeOfEnclosingComment(sourceFile, position);
          return range && (!onlyMultiLine || range.kind === 3) ? createTextSpanFromRange(range) : void 0;
        }
        function getTodoComments(fileName, descriptors) {
          synchronizeHostData();
          const sourceFile = getValidSourceFile(fileName);
          cancellationToken.throwIfCancellationRequested();
          const fileContents = sourceFile.text;
          const result = [];
          if (descriptors.length > 0 && !isNodeModulesFile(sourceFile.fileName)) {
            const regExp = getTodoCommentsRegExp();
            let matchArray;
            while (matchArray = regExp.exec(fileContents)) {
              cancellationToken.throwIfCancellationRequested();
              const firstDescriptorCaptureIndex = 3;
              Debug.assert(matchArray.length === descriptors.length + firstDescriptorCaptureIndex);
              const preamble = matchArray[1];
              const matchPosition = matchArray.index + preamble.length;
              if (!isInComment(sourceFile, matchPosition)) {
                continue;
              }
              let descriptor;
              for (let i = 0; i < descriptors.length; i++) {
                if (matchArray[i + firstDescriptorCaptureIndex]) {
                  descriptor = descriptors[i];
                }
              }
              if (descriptor === void 0) return Debug.fail();
              if (isLetterOrDigit(fileContents.charCodeAt(matchPosition + descriptor.text.length))) {
                continue;
              }
              const message = matchArray[2];
              result.push({ descriptor, message, position: matchPosition });
            }
          }
          return result;
          function escapeRegExp(str) {
            return str.replace(/[-[\]/{}()*+?.\\^$|]/g, "\\$&");
          }
          function getTodoCommentsRegExp() {
            const singleLineCommentStart = /(?:\/\/+\s*)/.source;
            const multiLineCommentStart = /(?:\/\*+\s*)/.source;
            const anyNumberOfSpacesAndAsterisksAtStartOfLine = /(?:^(?:\s|\*)*)/.source;
            const preamble = "(" + anyNumberOfSpacesAndAsterisksAtStartOfLine + "|" + singleLineCommentStart + "|" + multiLineCommentStart + ")";
            const literals = "(?:" + map(descriptors, (d) => "(" + escapeRegExp(d.text) + ")").join("|") + ")";
            const endOfLineOrEndOfComment = /(?:$|\*\/)/.source;
            const messageRemainder = /(?:.*?)/.source;
            const messagePortion = "(" + literals + messageRemainder + ")";
            const regExpString = preamble + messagePortion + endOfLineOrEndOfComment;
            return new RegExp(regExpString, "gim");
          }
          function isLetterOrDigit(char) {
            return char >= 97 && char <= 122 || char >= 65 && char <= 90 || char >= 48 && char <= 57;
          }
          function isNodeModulesFile(path17) {
            return path17.includes("/node_modules/");
          }
        }
        function getRenameInfo2(fileName, position, preferences) {
          synchronizeHostData();
          return ts_Rename_exports.getRenameInfo(program, getValidSourceFile(fileName), position, preferences || {});
        }
        function getRefactorContext(file, positionOrRange, preferences, formatOptions, triggerReason, kind) {
          const [startPosition, endPosition] = typeof positionOrRange === "number" ? [positionOrRange, void 0] : [positionOrRange.pos, positionOrRange.end];
          return {
            file,
            startPosition,
            endPosition,
            program: getProgram(),
            host,
            formatContext: ts_formatting_exports.getFormatContext(formatOptions, host),
            // TODO: GH#18217
            cancellationToken,
            preferences,
            triggerReason,
            kind
          };
        }
        function getInlayHintsContext(file, span, preferences) {
          return {
            file,
            program: getProgram(),
            host,
            span,
            preferences,
            cancellationToken
          };
        }
        function getSmartSelectionRange2(fileName, position) {
          return ts_SmartSelectionRange_exports.getSmartSelectionRange(position, syntaxTreeCache.getCurrentSourceFile(fileName));
        }
        function getApplicableRefactors2(fileName, positionOrRange, preferences = emptyOptions, triggerReason, kind, includeInteractiveActions) {
          synchronizeHostData();
          const file = getValidSourceFile(fileName);
          return ts_refactor_exports.getApplicableRefactors(getRefactorContext(file, positionOrRange, preferences, emptyOptions, triggerReason, kind), includeInteractiveActions);
        }
        function getMoveToRefactoringFileSuggestions(fileName, positionOrRange, preferences = emptyOptions) {
          synchronizeHostData();
          const sourceFile = getValidSourceFile(fileName);
          const allFiles = Debug.checkDefined(program.getSourceFiles());
          const extension = extensionFromPath(fileName);
          const toMove = getStatementsToMove(getRefactorContext(sourceFile, positionOrRange, preferences, emptyOptions));
          const toMoveContainsJsx = containsJsx(toMove == null ? void 0 : toMove.all);
          const files = mapDefined(allFiles, (file) => {
            const fileNameExtension = extensionFromPath(file.fileName);
            const isValidSourceFile = !(program == null ? void 0 : program.isSourceFileFromExternalLibrary(sourceFile)) && !(sourceFile === getValidSourceFile(file.fileName) || extension === ".ts" && fileNameExtension === ".d.ts" || extension === ".d.ts" && startsWith2(getBaseFileName(file.fileName), "lib.") && fileNameExtension === ".d.ts");
            return isValidSourceFile && (extension === fileNameExtension || (extension === ".tsx" && fileNameExtension === ".ts" || extension === ".jsx" && fileNameExtension === ".js") && !toMoveContainsJsx) ? file.fileName : void 0;
          });
          return { newFileName: createNewFileName(sourceFile, program, host, toMove), files };
        }
        function getEditsForRefactor2(fileName, formatOptions, positionOrRange, refactorName14, actionName2, preferences = emptyOptions, interactiveRefactorArguments) {
          synchronizeHostData();
          const file = getValidSourceFile(fileName);
          return ts_refactor_exports.getEditsForRefactor(getRefactorContext(file, positionOrRange, preferences, formatOptions), refactorName14, actionName2, interactiveRefactorArguments);
        }
        function toLineColumnOffset(fileName, position) {
          if (position === 0) {
            return { line: 0, character: 0 };
          }
          return sourceMapper.toLineColumnOffset(fileName, position);
        }
        function prepareCallHierarchy(fileName, position) {
          synchronizeHostData();
          const declarations = ts_CallHierarchy_exports.resolveCallHierarchyDeclaration(program, getTouchingPropertyName(getValidSourceFile(fileName), position));
          return declarations && mapOneOrMany(declarations, (declaration) => ts_CallHierarchy_exports.createCallHierarchyItem(program, declaration));
        }
        function provideCallHierarchyIncomingCalls(fileName, position) {
          synchronizeHostData();
          const sourceFile = getValidSourceFile(fileName);
          const declaration = firstOrOnly(ts_CallHierarchy_exports.resolveCallHierarchyDeclaration(program, position === 0 ? sourceFile : getTouchingPropertyName(sourceFile, position)));
          return declaration ? ts_CallHierarchy_exports.getIncomingCalls(program, declaration, cancellationToken) : [];
        }
        function provideCallHierarchyOutgoingCalls(fileName, position) {
          synchronizeHostData();
          const sourceFile = getValidSourceFile(fileName);
          const declaration = firstOrOnly(ts_CallHierarchy_exports.resolveCallHierarchyDeclaration(program, position === 0 ? sourceFile : getTouchingPropertyName(sourceFile, position)));
          return declaration ? ts_CallHierarchy_exports.getOutgoingCalls(program, declaration) : [];
        }
        function provideInlayHints2(fileName, span, preferences = emptyOptions) {
          synchronizeHostData();
          const sourceFile = getValidSourceFile(fileName);
          return ts_InlayHints_exports.provideInlayHints(getInlayHintsContext(sourceFile, span, preferences));
        }
        function mapCode2(sourceFile, contents, focusLocations, formatOptions, preferences) {
          return ts_MapCode_exports.mapCode(
            syntaxTreeCache.getCurrentSourceFile(sourceFile),
            contents,
            focusLocations,
            host,
            ts_formatting_exports.getFormatContext(formatOptions, host),
            preferences
          );
        }
        const ls = {
          dispose,
          cleanupSemanticCache,
          getSyntacticDiagnostics,
          getSemanticDiagnostics,
          getSuggestionDiagnostics,
          getCompilerOptionsDiagnostics,
          getSyntacticClassifications: getSyntacticClassifications2,
          getSemanticClassifications: getSemanticClassifications3,
          getEncodedSyntacticClassifications: getEncodedSyntacticClassifications2,
          getEncodedSemanticClassifications: getEncodedSemanticClassifications3,
          getCompletionsAtPosition: getCompletionsAtPosition2,
          getCompletionEntryDetails: getCompletionEntryDetails2,
          getCompletionEntrySymbol: getCompletionEntrySymbol2,
          getSignatureHelpItems: getSignatureHelpItems2,
          getQuickInfoAtPosition,
          getDefinitionAtPosition: getDefinitionAtPosition2,
          getDefinitionAndBoundSpan: getDefinitionAndBoundSpan2,
          getImplementationAtPosition,
          getTypeDefinitionAtPosition: getTypeDefinitionAtPosition2,
          getReferencesAtPosition,
          findReferences,
          getFileReferences,
          getDocumentHighlights,
          getNameOrDottedNameSpan,
          getBreakpointStatementAtPosition,
          getNavigateToItems: getNavigateToItems2,
          getRenameInfo: getRenameInfo2,
          getSmartSelectionRange: getSmartSelectionRange2,
          findRenameLocations,
          getNavigationBarItems: getNavigationBarItems2,
          getNavigationTree: getNavigationTree2,
          getOutliningSpans,
          getTodoComments,
          getBraceMatchingAtPosition,
          getIndentationAtPosition,
          getFormattingEditsForRange,
          getFormattingEditsForDocument,
          getFormattingEditsAfterKeystroke,
          getDocCommentTemplateAtPosition: getDocCommentTemplateAtPosition2,
          isValidBraceCompletionAtPosition,
          getJsxClosingTagAtPosition,
          getLinkedEditingRangeAtPosition,
          getSpanOfEnclosingComment,
          getCodeFixesAtPosition,
          getCombinedCodeFix,
          applyCodeActionCommand,
          organizeImports: organizeImports2,
          getEditsForFileRename: getEditsForFileRename2,
          getEmitOutput,
          getNonBoundSourceFile,
          getProgram,
          getCurrentProgram: () => program,
          getAutoImportProvider,
          updateIsDefinitionOfReferencedSymbols,
          getApplicableRefactors: getApplicableRefactors2,
          getEditsForRefactor: getEditsForRefactor2,
          getMoveToRefactoringFileSuggestions,
          toLineColumnOffset,
          getSourceMapper: () => sourceMapper,
          clearSourceMapperCache: () => sourceMapper.clearCache(),
          prepareCallHierarchy,
          provideCallHierarchyIncomingCalls,
          provideCallHierarchyOutgoingCalls,
          toggleLineComment,
          toggleMultilineComment,
          commentSelection,
          uncommentSelection,
          provideInlayHints: provideInlayHints2,
          getSupportedCodeFixes,
          getPasteEdits,
          mapCode: mapCode2
        };
        switch (languageServiceMode) {
          case 0:
            break;
          case 1:
            invalidOperationsInPartialSemanticMode.forEach(
              (key) => ls[key] = () => {
                throw new Error(`LanguageService Operation: ${key} not allowed in LanguageServiceMode.PartialSemantic`);
              }
            );
            break;
          case 2:
            invalidOperationsInSyntacticMode.forEach(
              (key) => ls[key] = () => {
                throw new Error(`LanguageService Operation: ${key} not allowed in LanguageServiceMode.Syntactic`);
              }
            );
            break;
          default:
            Debug.assertNever(languageServiceMode);
        }
        return ls;
      }
      function getNameTable(sourceFile) {
        if (!sourceFile.nameTable) {
          initializeNameTable(sourceFile);
        }
        return sourceFile.nameTable;
      }
      function initializeNameTable(sourceFile) {
        const nameTable = sourceFile.nameTable = /* @__PURE__ */ new Map();
        sourceFile.forEachChild(function walk(node) {
          if (isIdentifier(node) && !isTagName(node) && node.escapedText || isStringOrNumericLiteralLike(node) && literalIsName(node)) {
            const text = getEscapedTextOfIdentifierOrLiteral(node);
            nameTable.set(text, nameTable.get(text) === void 0 ? node.pos : -1);
          } else if (isPrivateIdentifier(node)) {
            const text = node.escapedText;
            nameTable.set(text, nameTable.get(text) === void 0 ? node.pos : -1);
          }
          forEachChild(node, walk);
          if (hasJSDocNodes(node)) {
            for (const jsDoc of node.jsDoc) {
              forEachChild(jsDoc, walk);
            }
          }
        });
      }
      function literalIsName(node) {
        return isDeclarationName(node) || node.parent.kind === 283 || isArgumentOfElementAccessExpression(node) || isLiteralComputedPropertyDeclarationName(node);
      }
      function getContainingObjectLiteralElement(node) {
        const element = getContainingObjectLiteralElementWorker(node);
        return element && (isObjectLiteralExpression(element.parent) || isJsxAttributes(element.parent)) ? element : void 0;
      }
      function getContainingObjectLiteralElementWorker(node) {
        switch (node.kind) {
          case 11:
          case 15:
          case 9:
            if (node.parent.kind === 167) {
              return isObjectLiteralElement(node.parent.parent) ? node.parent.parent : void 0;
            }
          case 80:
            return isObjectLiteralElement(node.parent) && (node.parent.parent.kind === 210 || node.parent.parent.kind === 292) && node.parent.name === node ? node.parent : void 0;
        }
        return void 0;
      }
      function getSymbolAtLocationForQuickInfo(node, checker) {
        const object = getContainingObjectLiteralElement(node);
        if (object) {
          const contextualType = checker.getContextualType(object.parent);
          const properties = contextualType && getPropertySymbolsFromContextualType(
            object,
            checker,
            contextualType,
            /*unionSymbolOk*/
            false
          );
          if (properties && properties.length === 1) {
            return first(properties);
          }
        }
        return checker.getSymbolAtLocation(node);
      }
      function getPropertySymbolsFromContextualType(node, checker, contextualType, unionSymbolOk) {
        const name = getNameFromPropertyName(node.name);
        if (!name) return emptyArray;
        if (!contextualType.isUnion()) {
          const symbol = contextualType.getProperty(name);
          return symbol ? [symbol] : emptyArray;
        }
        const filteredTypes = isObjectLiteralExpression(node.parent) || isJsxAttributes(node.parent) ? filter(contextualType.types, (t) => !checker.isTypeInvalidDueToUnionDiscriminant(t, node.parent)) : contextualType.types;
        const discriminatedPropertySymbols = mapDefined(filteredTypes, (t) => t.getProperty(name));
        if (unionSymbolOk && (discriminatedPropertySymbols.length === 0 || discriminatedPropertySymbols.length === contextualType.types.length)) {
          const symbol = contextualType.getProperty(name);
          if (symbol) return [symbol];
        }
        if (!filteredTypes.length && !discriminatedPropertySymbols.length) {
          return mapDefined(contextualType.types, (t) => t.getProperty(name));
        }
        return deduplicate(discriminatedPropertySymbols, equateValues);
      }
      function isArgumentOfElementAccessExpression(node) {
        return node && node.parent && node.parent.kind === 212 && node.parent.argumentExpression === node;
      }
      function getDefaultLibFilePath(options) {
        if (sys) {
          return combinePaths(getDirectoryPath(normalizePath(sys.getExecutingFilePath())), getDefaultLibFileName(options));
        }
        throw new Error("getDefaultLibFilePath is only supported when consumed as a node module. ");
      }
      setObjectAllocator(getServicesObjectAllocator());
      function transform(source, transformers, compilerOptions) {
        const diagnostics = [];
        compilerOptions = fixupCompilerOptions(compilerOptions, diagnostics);
        const nodes = isArray3(source) ? source : [source];
        const result = transformNodes(
          /*resolver*/
          void 0,
          /*host*/
          void 0,
          factory,
          compilerOptions,
          nodes,
          transformers,
          /*allowDtsFiles*/
          true
        );
        result.diagnostics = concatenate(result.diagnostics, diagnostics);
        return result;
      }
      var ts_BreakpointResolver_exports = {};
      __export2(ts_BreakpointResolver_exports, {
        spanInSourceFileAtLocation: () => spanInSourceFileAtLocation
      });
      function spanInSourceFileAtLocation(sourceFile, position) {
        if (sourceFile.isDeclarationFile) {
          return void 0;
        }
        let tokenAtLocation = getTokenAtPosition(sourceFile, position);
        const lineOfPosition = sourceFile.getLineAndCharacterOfPosition(position).line;
        if (sourceFile.getLineAndCharacterOfPosition(tokenAtLocation.getStart(sourceFile)).line > lineOfPosition) {
          const preceding = findPrecedingToken(tokenAtLocation.pos, sourceFile);
          if (!preceding || sourceFile.getLineAndCharacterOfPosition(preceding.getEnd()).line !== lineOfPosition) {
            return void 0;
          }
          tokenAtLocation = preceding;
        }
        if (tokenAtLocation.flags & 33554432) {
          return void 0;
        }
        return spanInNode(tokenAtLocation);
        function textSpan(startNode2, endNode2) {
          const lastDecorator = canHaveDecorators(startNode2) ? findLast(startNode2.modifiers, isDecorator) : void 0;
          const start = lastDecorator ? skipTrivia(sourceFile.text, lastDecorator.end) : startNode2.getStart(sourceFile);
          return createTextSpanFromBounds(start, (endNode2 || startNode2).getEnd());
        }
        function textSpanEndingAtNextToken(startNode2, previousTokenToFindNextEndToken) {
          return textSpan(startNode2, findNextToken(previousTokenToFindNextEndToken, previousTokenToFindNextEndToken.parent, sourceFile));
        }
        function spanInNodeIfStartsOnSameLine(node, otherwiseOnNode) {
          if (node && lineOfPosition === sourceFile.getLineAndCharacterOfPosition(node.getStart(sourceFile)).line) {
            return spanInNode(node);
          }
          return spanInNode(otherwiseOnNode);
        }
        function spanInNodeArray(nodeArray, node, match) {
          if (nodeArray) {
            const index = nodeArray.indexOf(node);
            if (index >= 0) {
              let start = index;
              let end = index + 1;
              while (start > 0 && match(nodeArray[start - 1])) start--;
              while (end < nodeArray.length && match(nodeArray[end])) end++;
              return createTextSpanFromBounds(skipTrivia(sourceFile.text, nodeArray[start].pos), nodeArray[end - 1].end);
            }
          }
          return textSpan(node);
        }
        function spanInPreviousNode(node) {
          return spanInNode(findPrecedingToken(node.pos, sourceFile));
        }
        function spanInNextNode(node) {
          return spanInNode(findNextToken(node, node.parent, sourceFile));
        }
        function spanInNode(node) {
          if (node) {
            const { parent: parent2 } = node;
            switch (node.kind) {
              case 243:
                return spanInVariableDeclaration(node.declarationList.declarations[0]);
              case 260:
              case 172:
              case 171:
                return spanInVariableDeclaration(node);
              case 169:
                return spanInParameterDeclaration(node);
              case 262:
              case 174:
              case 173:
              case 177:
              case 178:
              case 176:
              case 218:
              case 219:
                return spanInFunctionDeclaration(node);
              case 241:
                if (isFunctionBlock(node)) {
                  return spanInFunctionBlock(node);
                }
              case 268:
                return spanInBlock(node);
              case 299:
                return spanInBlock(node.block);
              case 244:
                return textSpan(node.expression);
              case 253:
                return textSpan(node.getChildAt(0), node.expression);
              case 247:
                return textSpanEndingAtNextToken(node, node.expression);
              case 246:
                return spanInNode(node.statement);
              case 259:
                return textSpan(node.getChildAt(0));
              case 245:
                return textSpanEndingAtNextToken(node, node.expression);
              case 256:
                return spanInNode(node.statement);
              case 252:
              case 251:
                return textSpan(node.getChildAt(0), node.label);
              case 248:
                return spanInForStatement(node);
              case 249:
                return textSpanEndingAtNextToken(node, node.expression);
              case 250:
                return spanInInitializerOfForLike(node);
              case 255:
                return textSpanEndingAtNextToken(node, node.expression);
              case 296:
              case 297:
                return spanInNode(node.statements[0]);
              case 258:
                return spanInBlock(node.tryBlock);
              case 257:
                return textSpan(node, node.expression);
              case 277:
                return textSpan(node, node.expression);
              case 271:
                return textSpan(node, node.moduleReference);
              case 272:
                return textSpan(node, node.moduleSpecifier);
              case 278:
                return textSpan(node, node.moduleSpecifier);
              case 267:
                if (getModuleInstanceState(node) !== 1) {
                  return void 0;
                }
              case 263:
              case 266:
              case 306:
              case 208:
                return textSpan(node);
              case 254:
                return spanInNode(node.statement);
              case 170:
                return spanInNodeArray(parent2.modifiers, node, isDecorator);
              case 206:
              case 207:
                return spanInBindingPattern(node);
              case 264:
              case 265:
                return void 0;
              case 27:
              case 1:
                return spanInNodeIfStartsOnSameLine(findPrecedingToken(node.pos, sourceFile));
              case 28:
                return spanInPreviousNode(node);
              case 19:
                return spanInOpenBraceToken(node);
              case 20:
                return spanInCloseBraceToken(node);
              case 24:
                return spanInCloseBracketToken(node);
              case 21:
                return spanInOpenParenToken(node);
              case 22:
                return spanInCloseParenToken(node);
              case 59:
                return spanInColonToken(node);
              case 32:
              case 30:
                return spanInGreaterThanOrLessThanToken(node);
              case 117:
                return spanInWhileKeyword(node);
              case 93:
              case 85:
              case 98:
                return spanInNextNode(node);
              case 165:
                return spanInOfKeyword(node);
              default:
                if (isArrayLiteralOrObjectLiteralDestructuringPattern(node)) {
                  return spanInArrayLiteralOrObjectLiteralDestructuringPattern(node);
                }
                if ((node.kind === 80 || node.kind === 230 || node.kind === 303 || node.kind === 304) && isArrayLiteralOrObjectLiteralDestructuringPattern(parent2)) {
                  return textSpan(node);
                }
                if (node.kind === 226) {
                  const { left, operatorToken } = node;
                  if (isArrayLiteralOrObjectLiteralDestructuringPattern(left)) {
                    return spanInArrayLiteralOrObjectLiteralDestructuringPattern(
                      left
                    );
                  }
                  if (operatorToken.kind === 64 && isArrayLiteralOrObjectLiteralDestructuringPattern(node.parent)) {
                    return textSpan(node);
                  }
                  if (operatorToken.kind === 28) {
                    return spanInNode(left);
                  }
                }
                if (isExpressionNode(node)) {
                  switch (parent2.kind) {
                    case 246:
                      return spanInPreviousNode(node);
                    case 170:
                      return spanInNode(node.parent);
                    case 248:
                    case 250:
                      return textSpan(node);
                    case 226:
                      if (node.parent.operatorToken.kind === 28) {
                        return textSpan(node);
                      }
                      break;
                    case 219:
                      if (node.parent.body === node) {
                        return textSpan(node);
                      }
                      break;
                  }
                }
                switch (node.parent.kind) {
                  case 303:
                    if (node.parent.name === node && !isArrayLiteralOrObjectLiteralDestructuringPattern(node.parent.parent)) {
                      return spanInNode(node.parent.initializer);
                    }
                    break;
                  case 216:
                    if (node.parent.type === node) {
                      return spanInNextNode(node.parent.type);
                    }
                    break;
                  case 260:
                  case 169: {
                    const { initializer, type } = node.parent;
                    if (initializer === node || type === node || isAssignmentOperator(node.kind)) {
                      return spanInPreviousNode(node);
                    }
                    break;
                  }
                  case 226: {
                    const { left } = node.parent;
                    if (isArrayLiteralOrObjectLiteralDestructuringPattern(left) && node !== left) {
                      return spanInPreviousNode(node);
                    }
                    break;
                  }
                  default:
                    if (isFunctionLike(node.parent) && node.parent.type === node) {
                      return spanInPreviousNode(node);
                    }
                }
                return spanInNode(node.parent);
            }
          }
          function textSpanFromVariableDeclaration(variableDeclaration) {
            if (isVariableDeclarationList(variableDeclaration.parent) && variableDeclaration.parent.declarations[0] === variableDeclaration) {
              return textSpan(findPrecedingToken(variableDeclaration.pos, sourceFile, variableDeclaration.parent), variableDeclaration);
            } else {
              return textSpan(variableDeclaration);
            }
          }
          function spanInVariableDeclaration(variableDeclaration) {
            if (variableDeclaration.parent.parent.kind === 249) {
              return spanInNode(variableDeclaration.parent.parent);
            }
            const parent2 = variableDeclaration.parent;
            if (isBindingPattern(variableDeclaration.name)) {
              return spanInBindingPattern(variableDeclaration.name);
            }
            if (hasOnlyExpressionInitializer(variableDeclaration) && variableDeclaration.initializer || hasSyntacticModifier(
              variableDeclaration,
              32
              /* Export */
            ) || parent2.parent.kind === 250) {
              return textSpanFromVariableDeclaration(variableDeclaration);
            }
            if (isVariableDeclarationList(variableDeclaration.parent) && variableDeclaration.parent.declarations[0] !== variableDeclaration) {
              return spanInNode(findPrecedingToken(variableDeclaration.pos, sourceFile, variableDeclaration.parent));
            }
          }
          function canHaveSpanInParameterDeclaration(parameter) {
            return !!parameter.initializer || parameter.dotDotDotToken !== void 0 || hasSyntacticModifier(
              parameter,
              1 | 2
              /* Private */
            );
          }
          function spanInParameterDeclaration(parameter) {
            if (isBindingPattern(parameter.name)) {
              return spanInBindingPattern(parameter.name);
            } else if (canHaveSpanInParameterDeclaration(parameter)) {
              return textSpan(parameter);
            } else {
              const functionDeclaration = parameter.parent;
              const indexOfParameter = functionDeclaration.parameters.indexOf(parameter);
              Debug.assert(indexOfParameter !== -1);
              if (indexOfParameter !== 0) {
                return spanInParameterDeclaration(functionDeclaration.parameters[indexOfParameter - 1]);
              } else {
                return spanInNode(functionDeclaration.body);
              }
            }
          }
          function canFunctionHaveSpanInWholeDeclaration(functionDeclaration) {
            return hasSyntacticModifier(
              functionDeclaration,
              32
              /* Export */
            ) || functionDeclaration.parent.kind === 263 && functionDeclaration.kind !== 176;
          }
          function spanInFunctionDeclaration(functionDeclaration) {
            if (!functionDeclaration.body) {
              return void 0;
            }
            if (canFunctionHaveSpanInWholeDeclaration(functionDeclaration)) {
              return textSpan(functionDeclaration);
            }
            return spanInNode(functionDeclaration.body);
          }
          function spanInFunctionBlock(block) {
            const nodeForSpanInBlock = block.statements.length ? block.statements[0] : block.getLastToken();
            if (canFunctionHaveSpanInWholeDeclaration(block.parent)) {
              return spanInNodeIfStartsOnSameLine(block.parent, nodeForSpanInBlock);
            }
            return spanInNode(nodeForSpanInBlock);
          }
          function spanInBlock(block) {
            switch (block.parent.kind) {
              case 267:
                if (getModuleInstanceState(block.parent) !== 1) {
                  return void 0;
                }
              case 247:
              case 245:
              case 249:
                return spanInNodeIfStartsOnSameLine(block.parent, block.statements[0]);
              case 248:
              case 250:
                return spanInNodeIfStartsOnSameLine(findPrecedingToken(block.pos, sourceFile, block.parent), block.statements[0]);
            }
            return spanInNode(block.statements[0]);
          }
          function spanInInitializerOfForLike(forLikeStatement) {
            if (forLikeStatement.initializer.kind === 261) {
              const variableDeclarationList = forLikeStatement.initializer;
              if (variableDeclarationList.declarations.length > 0) {
                return spanInNode(variableDeclarationList.declarations[0]);
              }
            } else {
              return spanInNode(forLikeStatement.initializer);
            }
          }
          function spanInForStatement(forStatement) {
            if (forStatement.initializer) {
              return spanInInitializerOfForLike(forStatement);
            }
            if (forStatement.condition) {
              return textSpan(forStatement.condition);
            }
            if (forStatement.incrementor) {
              return textSpan(forStatement.incrementor);
            }
          }
          function spanInBindingPattern(bindingPattern) {
            const firstBindingElement = forEach(bindingPattern.elements, (element) => element.kind !== 232 ? element : void 0);
            if (firstBindingElement) {
              return spanInNode(firstBindingElement);
            }
            if (bindingPattern.parent.kind === 208) {
              return textSpan(bindingPattern.parent);
            }
            return textSpanFromVariableDeclaration(bindingPattern.parent);
          }
          function spanInArrayLiteralOrObjectLiteralDestructuringPattern(node2) {
            Debug.assert(
              node2.kind !== 207 && node2.kind !== 206
              /* ObjectBindingPattern */
            );
            const elements = node2.kind === 209 ? node2.elements : node2.properties;
            const firstBindingElement = forEach(elements, (element) => element.kind !== 232 ? element : void 0);
            if (firstBindingElement) {
              return spanInNode(firstBindingElement);
            }
            return textSpan(node2.parent.kind === 226 ? node2.parent : node2);
          }
          function spanInOpenBraceToken(node2) {
            switch (node2.parent.kind) {
              case 266:
                const enumDeclaration = node2.parent;
                return spanInNodeIfStartsOnSameLine(findPrecedingToken(node2.pos, sourceFile, node2.parent), enumDeclaration.members.length ? enumDeclaration.members[0] : enumDeclaration.getLastToken(sourceFile));
              case 263:
                const classDeclaration = node2.parent;
                return spanInNodeIfStartsOnSameLine(findPrecedingToken(node2.pos, sourceFile, node2.parent), classDeclaration.members.length ? classDeclaration.members[0] : classDeclaration.getLastToken(sourceFile));
              case 269:
                return spanInNodeIfStartsOnSameLine(node2.parent.parent, node2.parent.clauses[0]);
            }
            return spanInNode(node2.parent);
          }
          function spanInCloseBraceToken(node2) {
            switch (node2.parent.kind) {
              case 268:
                if (getModuleInstanceState(node2.parent.parent) !== 1) {
                  return void 0;
                }
              case 266:
              case 263:
                return textSpan(node2);
              case 241:
                if (isFunctionBlock(node2.parent)) {
                  return textSpan(node2);
                }
              case 299:
                return spanInNode(lastOrUndefined(node2.parent.statements));
              case 269:
                const caseBlock = node2.parent;
                const lastClause = lastOrUndefined(caseBlock.clauses);
                if (lastClause) {
                  return spanInNode(lastOrUndefined(lastClause.statements));
                }
                return void 0;
              case 206:
                const bindingPattern = node2.parent;
                return spanInNode(lastOrUndefined(bindingPattern.elements) || bindingPattern);
              default:
                if (isArrayLiteralOrObjectLiteralDestructuringPattern(node2.parent)) {
                  const objectLiteral = node2.parent;
                  return textSpan(lastOrUndefined(objectLiteral.properties) || objectLiteral);
                }
                return spanInNode(node2.parent);
            }
          }
          function spanInCloseBracketToken(node2) {
            switch (node2.parent.kind) {
              case 207:
                const bindingPattern = node2.parent;
                return textSpan(lastOrUndefined(bindingPattern.elements) || bindingPattern);
              default:
                if (isArrayLiteralOrObjectLiteralDestructuringPattern(node2.parent)) {
                  const arrayLiteral = node2.parent;
                  return textSpan(lastOrUndefined(arrayLiteral.elements) || arrayLiteral);
                }
                return spanInNode(node2.parent);
            }
          }
          function spanInOpenParenToken(node2) {
            if (node2.parent.kind === 246 || // Go to while keyword and do action instead
            node2.parent.kind === 213 || node2.parent.kind === 214) {
              return spanInPreviousNode(node2);
            }
            if (node2.parent.kind === 217) {
              return spanInNextNode(node2);
            }
            return spanInNode(node2.parent);
          }
          function spanInCloseParenToken(node2) {
            switch (node2.parent.kind) {
              case 218:
              case 262:
              case 219:
              case 174:
              case 173:
              case 177:
              case 178:
              case 176:
              case 247:
              case 246:
              case 248:
              case 250:
              case 213:
              case 214:
              case 217:
                return spanInPreviousNode(node2);
              default:
                return spanInNode(node2.parent);
            }
          }
          function spanInColonToken(node2) {
            if (isFunctionLike(node2.parent) || node2.parent.kind === 303 || node2.parent.kind === 169) {
              return spanInPreviousNode(node2);
            }
            return spanInNode(node2.parent);
          }
          function spanInGreaterThanOrLessThanToken(node2) {
            if (node2.parent.kind === 216) {
              return spanInNextNode(node2);
            }
            return spanInNode(node2.parent);
          }
          function spanInWhileKeyword(node2) {
            if (node2.parent.kind === 246) {
              return textSpanEndingAtNextToken(node2, node2.parent.expression);
            }
            return spanInNode(node2.parent);
          }
          function spanInOfKeyword(node2) {
            if (node2.parent.kind === 250) {
              return spanInNextNode(node2);
            }
            return spanInNode(node2.parent);
          }
        }
      }
      var ts_CallHierarchy_exports = {};
      __export2(ts_CallHierarchy_exports, {
        createCallHierarchyItem: () => createCallHierarchyItem,
        getIncomingCalls: () => getIncomingCalls,
        getOutgoingCalls: () => getOutgoingCalls,
        resolveCallHierarchyDeclaration: () => resolveCallHierarchyDeclaration
      });
      function isNamedExpression(node) {
        return (isFunctionExpression(node) || isClassExpression(node)) && isNamedDeclaration(node);
      }
      function isVariableLike2(node) {
        return isPropertyDeclaration(node) || isVariableDeclaration(node);
      }
      function isAssignedExpression(node) {
        return (isFunctionExpression(node) || isArrowFunction(node) || isClassExpression(node)) && isVariableLike2(node.parent) && node === node.parent.initializer && isIdentifier(node.parent.name) && (!!(getCombinedNodeFlags(node.parent) & 2) || isPropertyDeclaration(node.parent));
      }
      function isPossibleCallHierarchyDeclaration(node) {
        return isSourceFile(node) || isModuleDeclaration(node) || isFunctionDeclaration(node) || isFunctionExpression(node) || isClassDeclaration(node) || isClassExpression(node) || isClassStaticBlockDeclaration(node) || isMethodDeclaration(node) || isMethodSignature(node) || isGetAccessorDeclaration(node) || isSetAccessorDeclaration(node);
      }
      function isValidCallHierarchyDeclaration(node) {
        return isSourceFile(node) || isModuleDeclaration(node) && isIdentifier(node.name) || isFunctionDeclaration(node) || isClassDeclaration(node) || isClassStaticBlockDeclaration(node) || isMethodDeclaration(node) || isMethodSignature(node) || isGetAccessorDeclaration(node) || isSetAccessorDeclaration(node) || isNamedExpression(node) || isAssignedExpression(node);
      }
      function getCallHierarchyDeclarationReferenceNode(node) {
        if (isSourceFile(node)) return node;
        if (isNamedDeclaration(node)) return node.name;
        if (isAssignedExpression(node)) return node.parent.name;
        return Debug.checkDefined(node.modifiers && find(node.modifiers, isDefaultModifier3));
      }
      function isDefaultModifier3(node) {
        return node.kind === 90;
      }
      function getSymbolOfCallHierarchyDeclaration(typeChecker, node) {
        const location = getCallHierarchyDeclarationReferenceNode(node);
        return location && typeChecker.getSymbolAtLocation(location);
      }
      function getCallHierarchyItemName(program, node) {
        if (isSourceFile(node)) {
          return { text: node.fileName, pos: 0, end: 0 };
        }
        if ((isFunctionDeclaration(node) || isClassDeclaration(node)) && !isNamedDeclaration(node)) {
          const defaultModifier = node.modifiers && find(node.modifiers, isDefaultModifier3);
          if (defaultModifier) {
            return { text: "default", pos: defaultModifier.getStart(), end: defaultModifier.getEnd() };
          }
        }
        if (isClassStaticBlockDeclaration(node)) {
          const sourceFile = node.getSourceFile();
          const pos = skipTrivia(sourceFile.text, moveRangePastModifiers(node).pos);
          const end = pos + 6;
          const typeChecker = program.getTypeChecker();
          const symbol = typeChecker.getSymbolAtLocation(node.parent);
          const prefix = symbol ? `${typeChecker.symbolToString(symbol, node.parent)} ` : "";
          return { text: `${prefix}static {}`, pos, end };
        }
        const declName = isAssignedExpression(node) ? node.parent.name : Debug.checkDefined(getNameOfDeclaration(node), "Expected call hierarchy item to have a name");
        let text = isIdentifier(declName) ? idText(declName) : isStringOrNumericLiteralLike(declName) ? declName.text : isComputedPropertyName(declName) ? isStringOrNumericLiteralLike(declName.expression) ? declName.expression.text : void 0 : void 0;
        if (text === void 0) {
          const typeChecker = program.getTypeChecker();
          const symbol = typeChecker.getSymbolAtLocation(declName);
          if (symbol) {
            text = typeChecker.symbolToString(symbol, node);
          }
        }
        if (text === void 0) {
          const printer = createPrinterWithRemoveCommentsOmitTrailingSemicolon();
          text = usingSingleLineStringWriter((writer) => printer.writeNode(4, node, node.getSourceFile(), writer));
        }
        return { text, pos: declName.getStart(), end: declName.getEnd() };
      }
      function getCallHierarchItemContainerName(node) {
        var _a, _b, _c, _d;
        if (isAssignedExpression(node)) {
          if (isPropertyDeclaration(node.parent) && isClassLike(node.parent.parent)) {
            return isClassExpression(node.parent.parent) ? (_a = getAssignedName(node.parent.parent)) == null ? void 0 : _a.getText() : (_b = node.parent.parent.name) == null ? void 0 : _b.getText();
          }
          if (isModuleBlock(node.parent.parent.parent.parent) && isIdentifier(node.parent.parent.parent.parent.parent.name)) {
            return node.parent.parent.parent.parent.parent.name.getText();
          }
          return;
        }
        switch (node.kind) {
          case 177:
          case 178:
          case 174:
            if (node.parent.kind === 210) {
              return (_c = getAssignedName(node.parent)) == null ? void 0 : _c.getText();
            }
            return (_d = getNameOfDeclaration(node.parent)) == null ? void 0 : _d.getText();
          case 262:
          case 263:
          case 267:
            if (isModuleBlock(node.parent) && isIdentifier(node.parent.parent.name)) {
              return node.parent.parent.name.getText();
            }
        }
      }
      function findImplementation(typeChecker, node) {
        if (node.body) {
          return node;
        }
        if (isConstructorDeclaration(node)) {
          return getFirstConstructorWithBody(node.parent);
        }
        if (isFunctionDeclaration(node) || isMethodDeclaration(node)) {
          const symbol = getSymbolOfCallHierarchyDeclaration(typeChecker, node);
          if (symbol && symbol.valueDeclaration && isFunctionLikeDeclaration(symbol.valueDeclaration) && symbol.valueDeclaration.body) {
            return symbol.valueDeclaration;
          }
          return void 0;
        }
        return node;
      }
      function findAllInitialDeclarations(typeChecker, node) {
        const symbol = getSymbolOfCallHierarchyDeclaration(typeChecker, node);
        let declarations;
        if (symbol && symbol.declarations) {
          const indices = indicesOf(symbol.declarations);
          const keys2 = map(symbol.declarations, (decl) => ({ file: decl.getSourceFile().fileName, pos: decl.pos }));
          indices.sort((a, b) => compareStringsCaseSensitive(keys2[a].file, keys2[b].file) || keys2[a].pos - keys2[b].pos);
          const sortedDeclarations = map(indices, (i) => symbol.declarations[i]);
          let lastDecl;
          for (const decl of sortedDeclarations) {
            if (isValidCallHierarchyDeclaration(decl)) {
              if (!lastDecl || lastDecl.parent !== decl.parent || lastDecl.end !== decl.pos) {
                declarations = append(declarations, decl);
              }
              lastDecl = decl;
            }
          }
        }
        return declarations;
      }
      function findImplementationOrAllInitialDeclarations(typeChecker, node) {
        if (isClassStaticBlockDeclaration(node)) {
          return node;
        }
        if (isFunctionLikeDeclaration(node)) {
          return findImplementation(typeChecker, node) ?? findAllInitialDeclarations(typeChecker, node) ?? node;
        }
        return findAllInitialDeclarations(typeChecker, node) ?? node;
      }
      function resolveCallHierarchyDeclaration(program, location) {
        const typeChecker = program.getTypeChecker();
        let followingSymbol = false;
        while (true) {
          if (isValidCallHierarchyDeclaration(location)) {
            return findImplementationOrAllInitialDeclarations(typeChecker, location);
          }
          if (isPossibleCallHierarchyDeclaration(location)) {
            const ancestor = findAncestor(location, isValidCallHierarchyDeclaration);
            return ancestor && findImplementationOrAllInitialDeclarations(typeChecker, ancestor);
          }
          if (isDeclarationName(location)) {
            if (isValidCallHierarchyDeclaration(location.parent)) {
              return findImplementationOrAllInitialDeclarations(typeChecker, location.parent);
            }
            if (isPossibleCallHierarchyDeclaration(location.parent)) {
              const ancestor = findAncestor(location.parent, isValidCallHierarchyDeclaration);
              return ancestor && findImplementationOrAllInitialDeclarations(typeChecker, ancestor);
            }
            if (isVariableLike2(location.parent) && location.parent.initializer && isAssignedExpression(location.parent.initializer)) {
              return location.parent.initializer;
            }
            return void 0;
          }
          if (isConstructorDeclaration(location)) {
            if (isValidCallHierarchyDeclaration(location.parent)) {
              return location.parent;
            }
            return void 0;
          }
          if (location.kind === 126 && isClassStaticBlockDeclaration(location.parent)) {
            location = location.parent;
            continue;
          }
          if (isVariableDeclaration(location) && location.initializer && isAssignedExpression(location.initializer)) {
            return location.initializer;
          }
          if (!followingSymbol) {
            let symbol = typeChecker.getSymbolAtLocation(location);
            if (symbol) {
              if (symbol.flags & 2097152) {
                symbol = typeChecker.getAliasedSymbol(symbol);
              }
              if (symbol.valueDeclaration) {
                followingSymbol = true;
                location = symbol.valueDeclaration;
                continue;
              }
            }
          }
          return void 0;
        }
      }
      function createCallHierarchyItem(program, node) {
        const sourceFile = node.getSourceFile();
        const name = getCallHierarchyItemName(program, node);
        const containerName = getCallHierarchItemContainerName(node);
        const kind = getNodeKind(node);
        const kindModifiers = getNodeModifiers(node);
        const span = createTextSpanFromBounds(skipTrivia(
          sourceFile.text,
          node.getFullStart(),
          /*stopAfterLineBreak*/
          false,
          /*stopAtComments*/
          true
        ), node.getEnd());
        const selectionSpan = createTextSpanFromBounds(name.pos, name.end);
        return { file: sourceFile.fileName, kind, kindModifiers, name: name.text, containerName, span, selectionSpan };
      }
      function isDefined(x) {
        return x !== void 0;
      }
      function convertEntryToCallSite(entry) {
        if (entry.kind === ts_FindAllReferences_exports.EntryKind.Node) {
          const { node } = entry;
          if (isCallOrNewExpressionTarget(
            node,
            /*includeElementAccess*/
            true,
            /*skipPastOuterExpressions*/
            true
          ) || isTaggedTemplateTag(
            node,
            /*includeElementAccess*/
            true,
            /*skipPastOuterExpressions*/
            true
          ) || isDecoratorTarget(
            node,
            /*includeElementAccess*/
            true,
            /*skipPastOuterExpressions*/
            true
          ) || isJsxOpeningLikeElementTagName(
            node,
            /*includeElementAccess*/
            true,
            /*skipPastOuterExpressions*/
            true
          ) || isRightSideOfPropertyAccess(node) || isArgumentExpressionOfElementAccess(node)) {
            const sourceFile = node.getSourceFile();
            const ancestor = findAncestor(node, isValidCallHierarchyDeclaration) || sourceFile;
            return { declaration: ancestor, range: createTextRangeFromNode(node, sourceFile) };
          }
        }
      }
      function getCallSiteGroupKey(entry) {
        return getNodeId(entry.declaration);
      }
      function createCallHierarchyIncomingCall(from, fromSpans) {
        return { from, fromSpans };
      }
      function convertCallSiteGroupToIncomingCall(program, entries) {
        return createCallHierarchyIncomingCall(createCallHierarchyItem(program, entries[0].declaration), map(entries, (entry) => createTextSpanFromRange(entry.range)));
      }
      function getIncomingCalls(program, declaration, cancellationToken) {
        if (isSourceFile(declaration) || isModuleDeclaration(declaration) || isClassStaticBlockDeclaration(declaration)) {
          return [];
        }
        const location = getCallHierarchyDeclarationReferenceNode(declaration);
        const calls = filter(ts_FindAllReferences_exports.findReferenceOrRenameEntries(
          program,
          cancellationToken,
          program.getSourceFiles(),
          location,
          /*position*/
          0,
          { use: ts_FindAllReferences_exports.FindReferencesUse.References },
          convertEntryToCallSite
        ), isDefined);
        return calls ? group(calls, getCallSiteGroupKey, (entries) => convertCallSiteGroupToIncomingCall(program, entries)) : [];
      }
      function createCallSiteCollector(program, callSites) {
        function recordCallSite(node) {
          const target = isTaggedTemplateExpression(node) ? node.tag : isJsxOpeningLikeElement(node) ? node.tagName : isAccessExpression(node) ? node : isClassStaticBlockDeclaration(node) ? node : node.expression;
          const declaration = resolveCallHierarchyDeclaration(program, target);
          if (declaration) {
            const range = createTextRangeFromNode(target, node.getSourceFile());
            if (isArray3(declaration)) {
              for (const decl of declaration) {
                callSites.push({ declaration: decl, range });
              }
            } else {
              callSites.push({ declaration, range });
            }
          }
        }
        function collect2(node) {
          if (!node) return;
          if (node.flags & 33554432) {
            return;
          }
          if (isValidCallHierarchyDeclaration(node)) {
            if (isClassLike(node)) {
              for (const member of node.members) {
                if (member.name && isComputedPropertyName(member.name)) {
                  collect2(member.name.expression);
                }
              }
            }
            return;
          }
          switch (node.kind) {
            case 80:
            case 271:
            case 272:
            case 278:
            case 264:
            case 265:
              return;
            case 175:
              recordCallSite(node);
              return;
            case 216:
            case 234:
              collect2(node.expression);
              return;
            case 260:
            case 169:
              collect2(node.name);
              collect2(node.initializer);
              return;
            case 213:
              recordCallSite(node);
              collect2(node.expression);
              forEach(node.arguments, collect2);
              return;
            case 214:
              recordCallSite(node);
              collect2(node.expression);
              forEach(node.arguments, collect2);
              return;
            case 215:
              recordCallSite(node);
              collect2(node.tag);
              collect2(node.template);
              return;
            case 286:
            case 285:
              recordCallSite(node);
              collect2(node.tagName);
              collect2(node.attributes);
              return;
            case 170:
              recordCallSite(node);
              collect2(node.expression);
              return;
            case 211:
            case 212:
              recordCallSite(node);
              forEachChild(node, collect2);
              break;
            case 238:
              collect2(node.expression);
              return;
          }
          if (isPartOfTypeNode(node)) {
            return;
          }
          forEachChild(node, collect2);
        }
        return collect2;
      }
      function collectCallSitesOfSourceFile(node, collect2) {
        forEach(node.statements, collect2);
      }
      function collectCallSitesOfModuleDeclaration(node, collect2) {
        if (!hasSyntacticModifier(
          node,
          128
          /* Ambient */
        ) && node.body && isModuleBlock(node.body)) {
          forEach(node.body.statements, collect2);
        }
      }
      function collectCallSitesOfFunctionLikeDeclaration(typeChecker, node, collect2) {
        const implementation = findImplementation(typeChecker, node);
        if (implementation) {
          forEach(implementation.parameters, collect2);
          collect2(implementation.body);
        }
      }
      function collectCallSitesOfClassStaticBlockDeclaration(node, collect2) {
        collect2(node.body);
      }
      function collectCallSitesOfClassLikeDeclaration(node, collect2) {
        forEach(node.modifiers, collect2);
        const heritage = getClassExtendsHeritageElement(node);
        if (heritage) {
          collect2(heritage.expression);
        }
        for (const member of node.members) {
          if (canHaveModifiers(member)) {
            forEach(member.modifiers, collect2);
          }
          if (isPropertyDeclaration(member)) {
            collect2(member.initializer);
          } else if (isConstructorDeclaration(member) && member.body) {
            forEach(member.parameters, collect2);
            collect2(member.body);
          } else if (isClassStaticBlockDeclaration(member)) {
            collect2(member);
          }
        }
      }
      function collectCallSites(program, node) {
        const callSites = [];
        const collect2 = createCallSiteCollector(program, callSites);
        switch (node.kind) {
          case 307:
            collectCallSitesOfSourceFile(node, collect2);
            break;
          case 267:
            collectCallSitesOfModuleDeclaration(node, collect2);
            break;
          case 262:
          case 218:
          case 219:
          case 174:
          case 177:
          case 178:
            collectCallSitesOfFunctionLikeDeclaration(program.getTypeChecker(), node, collect2);
            break;
          case 263:
          case 231:
            collectCallSitesOfClassLikeDeclaration(node, collect2);
            break;
          case 175:
            collectCallSitesOfClassStaticBlockDeclaration(node, collect2);
            break;
          default:
            Debug.assertNever(node);
        }
        return callSites;
      }
      function createCallHierarchyOutgoingCall(to, fromSpans) {
        return { to, fromSpans };
      }
      function convertCallSiteGroupToOutgoingCall(program, entries) {
        return createCallHierarchyOutgoingCall(createCallHierarchyItem(program, entries[0].declaration), map(entries, (entry) => createTextSpanFromRange(entry.range)));
      }
      function getOutgoingCalls(program, declaration) {
        if (declaration.flags & 33554432 || isMethodSignature(declaration)) {
          return [];
        }
        return group(collectCallSites(program, declaration), getCallSiteGroupKey, (entries) => convertCallSiteGroupToOutgoingCall(program, entries));
      }
      var ts_classifier_exports = {};
      __export2(ts_classifier_exports, {
        v2020: () => ts_classifier_v2020_exports
      });
      var ts_classifier_v2020_exports = {};
      __export2(ts_classifier_v2020_exports, {
        TokenEncodingConsts: () => TokenEncodingConsts,
        TokenModifier: () => TokenModifier,
        TokenType: () => TokenType,
        getEncodedSemanticClassifications: () => getEncodedSemanticClassifications2,
        getSemanticClassifications: () => getSemanticClassifications2
      });
      var ts_codefix_exports = {};
      __export2(ts_codefix_exports, {
        PreserveOptionalFlags: () => PreserveOptionalFlags,
        addNewNodeForMemberSymbol: () => addNewNodeForMemberSymbol,
        codeFixAll: () => codeFixAll,
        createCodeFixAction: () => createCodeFixAction,
        createCodeFixActionMaybeFixAll: () => createCodeFixActionMaybeFixAll,
        createCodeFixActionWithoutFixAll: () => createCodeFixActionWithoutFixAll,
        createCombinedCodeActions: () => createCombinedCodeActions,
        createFileTextChanges: () => createFileTextChanges,
        createImportAdder: () => createImportAdder,
        createImportSpecifierResolver: () => createImportSpecifierResolver,
        createJsonPropertyAssignment: () => createJsonPropertyAssignment,
        createMissingMemberNodes: () => createMissingMemberNodes,
        createSignatureDeclarationFromCallExpression: () => createSignatureDeclarationFromCallExpression,
        createSignatureDeclarationFromSignature: () => createSignatureDeclarationFromSignature,
        createStubbedBody: () => createStubbedBody,
        eachDiagnostic: () => eachDiagnostic,
        findAncestorMatchingSpan: () => findAncestorMatchingSpan,
        findJsonProperty: () => findJsonProperty,
        generateAccessorFromProperty: () => generateAccessorFromProperty,
        getAccessorConvertiblePropertyAtPosition: () => getAccessorConvertiblePropertyAtPosition,
        getAllFixes: () => getAllFixes,
        getAllSupers: () => getAllSupers,
        getArgumentTypesAndTypeParameters: () => getArgumentTypesAndTypeParameters,
        getFixes: () => getFixes,
        getImportCompletionAction: () => getImportCompletionAction,
        getImportKind: () => getImportKind,
        getJSDocTypedefNodes: () => getJSDocTypedefNodes,
        getNoopSymbolTrackerWithResolver: () => getNoopSymbolTrackerWithResolver,
        getPromoteTypeOnlyCompletionAction: () => getPromoteTypeOnlyCompletionAction,
        getSupportedErrorCodes: () => getSupportedErrorCodes,
        importFixName: () => importFixName,
        importSymbols: () => importSymbols,
        parameterShouldGetTypeFromJSDoc: () => parameterShouldGetTypeFromJSDoc,
        registerCodeFix: () => registerCodeFix,
        setJsonCompilerOptionValue: () => setJsonCompilerOptionValue,
        setJsonCompilerOptionValues: () => setJsonCompilerOptionValues,
        tryGetAutoImportableReferenceFromTypeNode: () => tryGetAutoImportableReferenceFromTypeNode,
        typeToAutoImportableTypeNode: () => typeToAutoImportableTypeNode
      });
      var errorCodeToFixes = createMultiMap();
      var fixIdToRegistration = /* @__PURE__ */ new Map();
      function createCodeFixActionWithoutFixAll(fixName8, changes, description3) {
        return createCodeFixActionWorker(
          fixName8,
          diagnosticToString(description3),
          changes,
          /*fixId*/
          void 0,
          /*fixAllDescription*/
          void 0
        );
      }
      function createCodeFixAction(fixName8, changes, description3, fixId55, fixAllDescription, command) {
        return createCodeFixActionWorker(fixName8, diagnosticToString(description3), changes, fixId55, diagnosticToString(fixAllDescription), command);
      }
      function createCodeFixActionMaybeFixAll(fixName8, changes, description3, fixId55, fixAllDescription, command) {
        return createCodeFixActionWorker(fixName8, diagnosticToString(description3), changes, fixId55, fixAllDescription && diagnosticToString(fixAllDescription), command);
      }
      function createCodeFixActionWorker(fixName8, description3, changes, fixId55, fixAllDescription, command) {
        return { fixName: fixName8, description: description3, changes, fixId: fixId55, fixAllDescription, commands: command ? [command] : void 0 };
      }
      function registerCodeFix(reg) {
        for (const error2 of reg.errorCodes) {
          errorCodeToFixesArray = void 0;
          errorCodeToFixes.add(String(error2), reg);
        }
        if (reg.fixIds) {
          for (const fixId55 of reg.fixIds) {
            Debug.assert(!fixIdToRegistration.has(fixId55));
            fixIdToRegistration.set(fixId55, reg);
          }
        }
      }
      var errorCodeToFixesArray;
      function getSupportedErrorCodes() {
        return errorCodeToFixesArray ?? (errorCodeToFixesArray = arrayFrom(errorCodeToFixes.keys()));
      }
      function removeFixIdIfFixAllUnavailable(registration, diagnostics) {
        const { errorCodes: errorCodes67 } = registration;
        let maybeFixableDiagnostics = 0;
        for (const diag2 of diagnostics) {
          if (contains(errorCodes67, diag2.code)) maybeFixableDiagnostics++;
          if (maybeFixableDiagnostics > 1) break;
        }
        const fixAllUnavailable = maybeFixableDiagnostics < 2;
        return ({ fixId: fixId55, fixAllDescription, ...action }) => {
          return fixAllUnavailable ? action : { ...action, fixId: fixId55, fixAllDescription };
        };
      }
      function getFixes(context) {
        const diagnostics = getDiagnostics(context);
        const registrations = errorCodeToFixes.get(String(context.errorCode));
        return flatMap(registrations, (f) => map(f.getCodeActions(context), removeFixIdIfFixAllUnavailable(f, diagnostics)));
      }
      function getAllFixes(context) {
        return fixIdToRegistration.get(cast(context.fixId, isString2)).getAllCodeActions(context);
      }
      function createCombinedCodeActions(changes, commands) {
        return { changes, commands };
      }
      function createFileTextChanges(fileName, textChanges2) {
        return { fileName, textChanges: textChanges2 };
      }
      function codeFixAll(context, errorCodes67, use) {
        const commands = [];
        const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => eachDiagnostic(context, errorCodes67, (diag2) => use(t, diag2, commands)));
        return createCombinedCodeActions(changes, commands.length === 0 ? void 0 : commands);
      }
      function eachDiagnostic(context, errorCodes67, cb) {
        for (const diag2 of getDiagnostics(context)) {
          if (contains(errorCodes67, diag2.code)) {
            cb(diag2);
          }
        }
      }
      function getDiagnostics({ program, sourceFile, cancellationToken }) {
        const diagnostics = [
          ...program.getSemanticDiagnostics(sourceFile, cancellationToken),
          ...program.getSyntacticDiagnostics(sourceFile, cancellationToken),
          ...computeSuggestionDiagnostics(sourceFile, program, cancellationToken)
        ];
        if (getEmitDeclarations(program.getCompilerOptions())) {
          diagnostics.push(
            ...program.getDeclarationDiagnostics(sourceFile, cancellationToken)
          );
        }
        return diagnostics;
      }
      var fixId = "addConvertToUnknownForNonOverlappingTypes";
      var errorCodes = [Diagnostics.Conversion_of_type_0_to_type_1_may_be_a_mistake_because_neither_type_sufficiently_overlaps_with_the_other_If_this_was_intentional_convert_the_expression_to_unknown_first.code];
      registerCodeFix({
        errorCodes,
        getCodeActions: function getCodeActionsToAddConvertToUnknownForNonOverlappingTypes(context) {
          const assertion = getAssertion(context.sourceFile, context.span.start);
          if (assertion === void 0) return void 0;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange(t, context.sourceFile, assertion));
          return [createCodeFixAction(fixId, changes, Diagnostics.Add_unknown_conversion_for_non_overlapping_types, fixId, Diagnostics.Add_unknown_to_all_conversions_of_non_overlapping_types)];
        },
        fixIds: [fixId],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes, (changes, diag2) => {
          const assertion = getAssertion(diag2.file, diag2.start);
          if (assertion) {
            makeChange(changes, diag2.file, assertion);
          }
        })
      });
      function makeChange(changeTracker, sourceFile, assertion) {
        const replacement = isAsExpression(assertion) ? factory.createAsExpression(assertion.expression, factory.createKeywordTypeNode(
          159
          /* UnknownKeyword */
        )) : factory.createTypeAssertion(factory.createKeywordTypeNode(
          159
          /* UnknownKeyword */
        ), assertion.expression);
        changeTracker.replaceNode(sourceFile, assertion.expression, replacement);
      }
      function getAssertion(sourceFile, pos) {
        if (isInJSFile(sourceFile)) return void 0;
        return findAncestor(getTokenAtPosition(sourceFile, pos), (n) => isAsExpression(n) || isTypeAssertionExpression(n));
      }
      registerCodeFix({
        errorCodes: [
          Diagnostics.await_expressions_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module.code,
          Diagnostics.await_using_statements_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module.code,
          Diagnostics.for_await_loops_are_only_allowed_at_the_top_level_of_a_file_when_that_file_is_a_module_but_this_file_has_no_imports_or_exports_Consider_adding_an_empty_export_to_make_this_file_a_module.code
        ],
        getCodeActions: function getCodeActionsToAddEmptyExportDeclaration(context) {
          const { sourceFile } = context;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (changes2) => {
            const exportDeclaration = factory.createExportDeclaration(
              /*modifiers*/
              void 0,
              /*isTypeOnly*/
              false,
              factory.createNamedExports([]),
              /*moduleSpecifier*/
              void 0
            );
            changes2.insertNodeAtEndOfScope(sourceFile, sourceFile, exportDeclaration);
          });
          return [createCodeFixActionWithoutFixAll("addEmptyExportDeclaration", changes, Diagnostics.Add_export_to_make_this_file_into_a_module)];
        }
      });
      var fixId2 = "addMissingAsync";
      var errorCodes2 = [
        Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1.code,
        Diagnostics.Type_0_is_not_assignable_to_type_1.code,
        Diagnostics.Type_0_is_not_comparable_to_type_1.code
      ];
      registerCodeFix({
        fixIds: [fixId2],
        errorCodes: errorCodes2,
        getCodeActions: function getCodeActionsToAddMissingAsync(context) {
          const { sourceFile, errorCode, cancellationToken, program, span } = context;
          const diagnostic = find(program.getTypeChecker().getDiagnostics(sourceFile, cancellationToken), getIsMatchingAsyncError(span, errorCode));
          const directSpan = diagnostic && diagnostic.relatedInformation && find(diagnostic.relatedInformation, (r) => r.code === Diagnostics.Did_you_mean_to_mark_this_function_as_async.code);
          const decl = getFixableErrorSpanDeclaration(sourceFile, directSpan);
          if (!decl) {
            return;
          }
          const trackChanges = (cb) => ts_textChanges_exports.ChangeTracker.with(context, cb);
          return [getFix2(context, decl, trackChanges)];
        },
        getAllCodeActions: (context) => {
          const { sourceFile } = context;
          const fixedDeclarations = /* @__PURE__ */ new Set();
          return codeFixAll(context, errorCodes2, (t, diagnostic) => {
            const span = diagnostic.relatedInformation && find(diagnostic.relatedInformation, (r) => r.code === Diagnostics.Did_you_mean_to_mark_this_function_as_async.code);
            const decl = getFixableErrorSpanDeclaration(sourceFile, span);
            if (!decl) {
              return;
            }
            const trackChanges = (cb) => (cb(t), []);
            return getFix2(context, decl, trackChanges, fixedDeclarations);
          });
        }
      });
      function getFix2(context, decl, trackChanges, fixedDeclarations) {
        const changes = trackChanges((t) => makeChange2(t, context.sourceFile, decl, fixedDeclarations));
        return createCodeFixAction(fixId2, changes, Diagnostics.Add_async_modifier_to_containing_function, fixId2, Diagnostics.Add_all_missing_async_modifiers);
      }
      function makeChange2(changeTracker, sourceFile, insertionSite, fixedDeclarations) {
        if (fixedDeclarations) {
          if (fixedDeclarations.has(getNodeId(insertionSite))) {
            return;
          }
        }
        fixedDeclarations == null ? void 0 : fixedDeclarations.add(getNodeId(insertionSite));
        const cloneWithModifier = factory.replaceModifiers(
          getSynthesizedDeepClone(
            insertionSite,
            /*includeTrivia*/
            true
          ),
          factory.createNodeArray(factory.createModifiersFromModifierFlags(
            getSyntacticModifierFlags(insertionSite) | 1024
            /* Async */
          ))
        );
        changeTracker.replaceNode(
          sourceFile,
          insertionSite,
          cloneWithModifier
        );
      }
      function getFixableErrorSpanDeclaration(sourceFile, span) {
        if (!span) return void 0;
        const token = getTokenAtPosition(sourceFile, span.start);
        const decl = findAncestor(token, (node) => {
          if (node.getStart(sourceFile) < span.start || node.getEnd() > textSpanEnd(span)) {
            return "quit";
          }
          return (isArrowFunction(node) || isMethodDeclaration(node) || isFunctionExpression(node) || isFunctionDeclaration(node)) && textSpansEqual(span, createTextSpanFromNode(node, sourceFile));
        });
        return decl;
      }
      function getIsMatchingAsyncError(span, errorCode) {
        return ({ start, length: length2, relatedInformation, code }) => isNumber2(start) && isNumber2(length2) && textSpansEqual({ start, length: length2 }, span) && code === errorCode && !!relatedInformation && some(relatedInformation, (related) => related.code === Diagnostics.Did_you_mean_to_mark_this_function_as_async.code);
      }
      var fixId3 = "addMissingAwait";
      var propertyAccessCode = Diagnostics.Property_0_does_not_exist_on_type_1.code;
      var callableConstructableErrorCodes = [
        Diagnostics.This_expression_is_not_callable.code,
        Diagnostics.This_expression_is_not_constructable.code
      ];
      var errorCodes3 = [
        Diagnostics.An_arithmetic_operand_must_be_of_type_any_number_bigint_or_an_enum_type.code,
        Diagnostics.The_left_hand_side_of_an_arithmetic_operation_must_be_of_type_any_number_bigint_or_an_enum_type.code,
        Diagnostics.The_right_hand_side_of_an_arithmetic_operation_must_be_of_type_any_number_bigint_or_an_enum_type.code,
        Diagnostics.Operator_0_cannot_be_applied_to_type_1.code,
        Diagnostics.Operator_0_cannot_be_applied_to_types_1_and_2.code,
        Diagnostics.This_comparison_appears_to_be_unintentional_because_the_types_0_and_1_have_no_overlap.code,
        Diagnostics.This_condition_will_always_return_true_since_this_0_is_always_defined.code,
        Diagnostics.Type_0_is_not_an_array_type.code,
        Diagnostics.Type_0_is_not_an_array_type_or_a_string_type.code,
        Diagnostics.Type_0_can_only_be_iterated_through_when_using_the_downlevelIteration_flag_or_with_a_target_of_es2015_or_higher.code,
        Diagnostics.Type_0_is_not_an_array_type_or_a_string_type_or_does_not_have_a_Symbol_iterator_method_that_returns_an_iterator.code,
        Diagnostics.Type_0_is_not_an_array_type_or_does_not_have_a_Symbol_iterator_method_that_returns_an_iterator.code,
        Diagnostics.Type_0_must_have_a_Symbol_iterator_method_that_returns_an_iterator.code,
        Diagnostics.Type_0_must_have_a_Symbol_asyncIterator_method_that_returns_an_async_iterator.code,
        Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1.code,
        propertyAccessCode,
        ...callableConstructableErrorCodes
      ];
      registerCodeFix({
        fixIds: [fixId3],
        errorCodes: errorCodes3,
        getCodeActions: function getCodeActionsToAddMissingAwait(context) {
          const { sourceFile, errorCode, span, cancellationToken, program } = context;
          const expression = getAwaitErrorSpanExpression(sourceFile, errorCode, span, cancellationToken, program);
          if (!expression) {
            return;
          }
          const checker = context.program.getTypeChecker();
          const trackChanges = (cb) => ts_textChanges_exports.ChangeTracker.with(context, cb);
          return compact([
            getDeclarationSiteFix(context, expression, errorCode, checker, trackChanges),
            getUseSiteFix(context, expression, errorCode, checker, trackChanges)
          ]);
        },
        getAllCodeActions: (context) => {
          const { sourceFile, program, cancellationToken } = context;
          const checker = context.program.getTypeChecker();
          const fixedDeclarations = /* @__PURE__ */ new Set();
          return codeFixAll(context, errorCodes3, (t, diagnostic) => {
            const expression = getAwaitErrorSpanExpression(sourceFile, diagnostic.code, diagnostic, cancellationToken, program);
            if (!expression) {
              return;
            }
            const trackChanges = (cb) => (cb(t), []);
            return getDeclarationSiteFix(context, expression, diagnostic.code, checker, trackChanges, fixedDeclarations) || getUseSiteFix(context, expression, diagnostic.code, checker, trackChanges, fixedDeclarations);
          });
        }
      });
      function getAwaitErrorSpanExpression(sourceFile, errorCode, span, cancellationToken, program) {
        const expression = getFixableErrorSpanExpression(sourceFile, span);
        return expression && isMissingAwaitError(sourceFile, errorCode, span, cancellationToken, program) && isInsideAwaitableBody(expression) ? expression : void 0;
      }
      function getDeclarationSiteFix(context, expression, errorCode, checker, trackChanges, fixedDeclarations) {
        const { sourceFile, program, cancellationToken } = context;
        const awaitableInitializers = findAwaitableInitializers(expression, sourceFile, cancellationToken, program, checker);
        if (awaitableInitializers) {
          const initializerChanges = trackChanges((t) => {
            forEach(awaitableInitializers.initializers, ({ expression: expression2 }) => makeChange3(t, errorCode, sourceFile, checker, expression2, fixedDeclarations));
            if (fixedDeclarations && awaitableInitializers.needsSecondPassForFixAll) {
              makeChange3(t, errorCode, sourceFile, checker, expression, fixedDeclarations);
            }
          });
          return createCodeFixActionWithoutFixAll(
            "addMissingAwaitToInitializer",
            initializerChanges,
            awaitableInitializers.initializers.length === 1 ? [Diagnostics.Add_await_to_initializer_for_0, awaitableInitializers.initializers[0].declarationSymbol.name] : Diagnostics.Add_await_to_initializers
          );
        }
      }
      function getUseSiteFix(context, expression, errorCode, checker, trackChanges, fixedDeclarations) {
        const changes = trackChanges((t) => makeChange3(t, errorCode, context.sourceFile, checker, expression, fixedDeclarations));
        return createCodeFixAction(fixId3, changes, Diagnostics.Add_await, fixId3, Diagnostics.Fix_all_expressions_possibly_missing_await);
      }
      function isMissingAwaitError(sourceFile, errorCode, span, cancellationToken, program) {
        const checker = program.getTypeChecker();
        const diagnostics = checker.getDiagnostics(sourceFile, cancellationToken);
        return some(diagnostics, ({ start, length: length2, relatedInformation, code }) => isNumber2(start) && isNumber2(length2) && textSpansEqual({ start, length: length2 }, span) && code === errorCode && !!relatedInformation && some(relatedInformation, (related) => related.code === Diagnostics.Did_you_forget_to_use_await.code));
      }
      function findAwaitableInitializers(expression, sourceFile, cancellationToken, program, checker) {
        const identifiers = getIdentifiersFromErrorSpanExpression(expression, checker);
        if (!identifiers) {
          return;
        }
        let isCompleteFix = identifiers.isCompleteFix;
        let initializers;
        for (const identifier of identifiers.identifiers) {
          const symbol = checker.getSymbolAtLocation(identifier);
          if (!symbol) {
            continue;
          }
          const declaration = tryCast(symbol.valueDeclaration, isVariableDeclaration);
          const variableName = declaration && tryCast(declaration.name, isIdentifier);
          const variableStatement = getAncestor2(
            declaration,
            243
            /* VariableStatement */
          );
          if (!declaration || !variableStatement || declaration.type || !declaration.initializer || variableStatement.getSourceFile() !== sourceFile || hasSyntacticModifier(
            variableStatement,
            32
            /* Export */
          ) || !variableName || !isInsideAwaitableBody(declaration.initializer)) {
            isCompleteFix = false;
            continue;
          }
          const diagnostics = program.getSemanticDiagnostics(sourceFile, cancellationToken);
          const isUsedElsewhere = ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(variableName, checker, sourceFile, (reference) => {
            return identifier !== reference && !symbolReferenceIsAlsoMissingAwait(reference, diagnostics, sourceFile, checker);
          });
          if (isUsedElsewhere) {
            isCompleteFix = false;
            continue;
          }
          (initializers || (initializers = [])).push({
            expression: declaration.initializer,
            declarationSymbol: symbol
          });
        }
        return initializers && {
          initializers,
          needsSecondPassForFixAll: !isCompleteFix
        };
      }
      function getIdentifiersFromErrorSpanExpression(expression, checker) {
        if (isPropertyAccessExpression(expression.parent) && isIdentifier(expression.parent.expression)) {
          return { identifiers: [expression.parent.expression], isCompleteFix: true };
        }
        if (isIdentifier(expression)) {
          return { identifiers: [expression], isCompleteFix: true };
        }
        if (isBinaryExpression(expression)) {
          let sides;
          let isCompleteFix = true;
          for (const side of [expression.left, expression.right]) {
            const type = checker.getTypeAtLocation(side);
            if (checker.getPromisedTypeOfPromise(type)) {
              if (!isIdentifier(side)) {
                isCompleteFix = false;
                continue;
              }
              (sides || (sides = [])).push(side);
            }
          }
          return sides && { identifiers: sides, isCompleteFix };
        }
      }
      function symbolReferenceIsAlsoMissingAwait(reference, diagnostics, sourceFile, checker) {
        const errorNode = isPropertyAccessExpression(reference.parent) ? reference.parent.name : isBinaryExpression(reference.parent) ? reference.parent : reference;
        const diagnostic = find(diagnostics, (diagnostic2) => diagnostic2.start === errorNode.getStart(sourceFile) && diagnostic2.start + diagnostic2.length === errorNode.getEnd());
        return diagnostic && contains(errorCodes3, diagnostic.code) || // A Promise is usually not correct in a binary expression (it's not valid
        // in an arithmetic expression and an equality comparison seems unusual),
        // but if the other side of the binary expression has an error, the side
        // is typed `any` which will squash the error that would identify this
        // Promise as an invalid operand. So if the whole binary expression is
        // typed `any` as a result, there is a strong likelihood that this Promise
        // is accidentally missing `await`.
        checker.getTypeAtLocation(errorNode).flags & 1;
      }
      function isInsideAwaitableBody(node) {
        return node.flags & 65536 || !!findAncestor(node, (ancestor) => ancestor.parent && isArrowFunction(ancestor.parent) && ancestor.parent.body === ancestor || isBlock(ancestor) && (ancestor.parent.kind === 262 || ancestor.parent.kind === 218 || ancestor.parent.kind === 219 || ancestor.parent.kind === 174));
      }
      function makeChange3(changeTracker, errorCode, sourceFile, checker, insertionSite, fixedDeclarations) {
        if (isForOfStatement(insertionSite.parent) && !insertionSite.parent.awaitModifier) {
          const exprType = checker.getTypeAtLocation(insertionSite);
          const asyncIter = checker.getAsyncIterableType();
          if (asyncIter && checker.isTypeAssignableTo(exprType, asyncIter)) {
            const forOf = insertionSite.parent;
            changeTracker.replaceNode(sourceFile, forOf, factory.updateForOfStatement(forOf, factory.createToken(
              135
              /* AwaitKeyword */
            ), forOf.initializer, forOf.expression, forOf.statement));
            return;
          }
        }
        if (isBinaryExpression(insertionSite)) {
          for (const side of [insertionSite.left, insertionSite.right]) {
            if (fixedDeclarations && isIdentifier(side)) {
              const symbol = checker.getSymbolAtLocation(side);
              if (symbol && fixedDeclarations.has(getSymbolId(symbol))) {
                continue;
              }
            }
            const type = checker.getTypeAtLocation(side);
            const newNode = checker.getPromisedTypeOfPromise(type) ? factory.createAwaitExpression(side) : side;
            changeTracker.replaceNode(sourceFile, side, newNode);
          }
        } else if (errorCode === propertyAccessCode && isPropertyAccessExpression(insertionSite.parent)) {
          if (fixedDeclarations && isIdentifier(insertionSite.parent.expression)) {
            const symbol = checker.getSymbolAtLocation(insertionSite.parent.expression);
            if (symbol && fixedDeclarations.has(getSymbolId(symbol))) {
              return;
            }
          }
          changeTracker.replaceNode(
            sourceFile,
            insertionSite.parent.expression,
            factory.createParenthesizedExpression(factory.createAwaitExpression(insertionSite.parent.expression))
          );
          insertLeadingSemicolonIfNeeded(changeTracker, insertionSite.parent.expression, sourceFile);
        } else if (contains(callableConstructableErrorCodes, errorCode) && isCallOrNewExpression2(insertionSite.parent)) {
          if (fixedDeclarations && isIdentifier(insertionSite)) {
            const symbol = checker.getSymbolAtLocation(insertionSite);
            if (symbol && fixedDeclarations.has(getSymbolId(symbol))) {
              return;
            }
          }
          changeTracker.replaceNode(sourceFile, insertionSite, factory.createParenthesizedExpression(factory.createAwaitExpression(insertionSite)));
          insertLeadingSemicolonIfNeeded(changeTracker, insertionSite, sourceFile);
        } else {
          if (fixedDeclarations && isVariableDeclaration(insertionSite.parent) && isIdentifier(insertionSite.parent.name)) {
            const symbol = checker.getSymbolAtLocation(insertionSite.parent.name);
            if (symbol && !tryAddToSet(fixedDeclarations, getSymbolId(symbol))) {
              return;
            }
          }
          changeTracker.replaceNode(sourceFile, insertionSite, factory.createAwaitExpression(insertionSite));
        }
      }
      function insertLeadingSemicolonIfNeeded(changeTracker, beforeNode, sourceFile) {
        const precedingToken = findPrecedingToken(beforeNode.pos, sourceFile);
        if (precedingToken && positionIsASICandidate(precedingToken.end, precedingToken.parent, sourceFile)) {
          changeTracker.insertText(sourceFile, beforeNode.getStart(sourceFile), ";");
        }
      }
      var fixId4 = "addMissingConst";
      var errorCodes4 = [
        Diagnostics.Cannot_find_name_0.code,
        Diagnostics.No_value_exists_in_scope_for_the_shorthand_property_0_Either_declare_one_or_provide_an_initializer.code
      ];
      registerCodeFix({
        errorCodes: errorCodes4,
        getCodeActions: function getCodeActionsToAddMissingConst(context) {
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange4(t, context.sourceFile, context.span.start, context.program));
          if (changes.length > 0) {
            return [createCodeFixAction(fixId4, changes, Diagnostics.Add_const_to_unresolved_variable, fixId4, Diagnostics.Add_const_to_all_unresolved_variables)];
          }
        },
        fixIds: [fixId4],
        getAllCodeActions: (context) => {
          const fixedNodes = /* @__PURE__ */ new Set();
          return codeFixAll(context, errorCodes4, (changes, diag2) => makeChange4(changes, diag2.file, diag2.start, context.program, fixedNodes));
        }
      });
      function makeChange4(changeTracker, sourceFile, pos, program, fixedNodes) {
        const token = getTokenAtPosition(sourceFile, pos);
        const forInitializer = findAncestor(token, (node) => isForInOrOfStatement(node.parent) ? node.parent.initializer === node : isPossiblyPartOfDestructuring(node) ? false : "quit");
        if (forInitializer) return applyChange(changeTracker, forInitializer, sourceFile, fixedNodes);
        const parent2 = token.parent;
        if (isBinaryExpression(parent2) && parent2.operatorToken.kind === 64 && isExpressionStatement2(parent2.parent)) {
          return applyChange(changeTracker, token, sourceFile, fixedNodes);
        }
        if (isArrayLiteralExpression(parent2)) {
          const checker = program.getTypeChecker();
          if (!every(parent2.elements, (element) => arrayElementCouldBeVariableDeclaration(element, checker))) {
            return;
          }
          return applyChange(changeTracker, parent2, sourceFile, fixedNodes);
        }
        const commaExpression = findAncestor(token, (node) => isExpressionStatement2(node.parent) ? true : isPossiblyPartOfCommaSeperatedInitializer(node) ? false : "quit");
        if (commaExpression) {
          const checker = program.getTypeChecker();
          if (!expressionCouldBeVariableDeclaration(commaExpression, checker)) {
            return;
          }
          return applyChange(changeTracker, commaExpression, sourceFile, fixedNodes);
        }
      }
      function applyChange(changeTracker, initializer, sourceFile, fixedNodes) {
        if (!fixedNodes || tryAddToSet(fixedNodes, initializer)) {
          changeTracker.insertModifierBefore(sourceFile, 87, initializer);
        }
      }
      function isPossiblyPartOfDestructuring(node) {
        switch (node.kind) {
          case 80:
          case 209:
          case 210:
          case 303:
          case 304:
            return true;
          default:
            return false;
        }
      }
      function arrayElementCouldBeVariableDeclaration(expression, checker) {
        const identifier = isIdentifier(expression) ? expression : isAssignmentExpression2(
          expression,
          /*excludeCompoundAssignment*/
          true
        ) && isIdentifier(expression.left) ? expression.left : void 0;
        return !!identifier && !checker.getSymbolAtLocation(identifier);
      }
      function isPossiblyPartOfCommaSeperatedInitializer(node) {
        switch (node.kind) {
          case 80:
          case 226:
          case 28:
            return true;
          default:
            return false;
        }
      }
      function expressionCouldBeVariableDeclaration(expression, checker) {
        if (!isBinaryExpression(expression)) {
          return false;
        }
        if (expression.operatorToken.kind === 28) {
          return every([expression.left, expression.right], (expression2) => expressionCouldBeVariableDeclaration(expression2, checker));
        }
        return expression.operatorToken.kind === 64 && isIdentifier(expression.left) && !checker.getSymbolAtLocation(expression.left);
      }
      var fixId5 = "addMissingDeclareProperty";
      var errorCodes5 = [
        Diagnostics.Property_0_will_overwrite_the_base_property_in_1_If_this_is_intentional_add_an_initializer_Otherwise_add_a_declare_modifier_or_remove_the_redundant_declaration.code
      ];
      registerCodeFix({
        errorCodes: errorCodes5,
        getCodeActions: function getCodeActionsToAddMissingDeclareOnProperty(context) {
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange5(t, context.sourceFile, context.span.start));
          if (changes.length > 0) {
            return [createCodeFixAction(fixId5, changes, Diagnostics.Prefix_with_declare, fixId5, Diagnostics.Prefix_all_incorrect_property_declarations_with_declare)];
          }
        },
        fixIds: [fixId5],
        getAllCodeActions: (context) => {
          const fixedNodes = /* @__PURE__ */ new Set();
          return codeFixAll(context, errorCodes5, (changes, diag2) => makeChange5(changes, diag2.file, diag2.start, fixedNodes));
        }
      });
      function makeChange5(changeTracker, sourceFile, pos, fixedNodes) {
        const token = getTokenAtPosition(sourceFile, pos);
        if (!isIdentifier(token)) {
          return;
        }
        const declaration = token.parent;
        if (declaration.kind === 172 && (!fixedNodes || tryAddToSet(fixedNodes, declaration))) {
          changeTracker.insertModifierBefore(sourceFile, 138, declaration);
        }
      }
      var fixId6 = "addMissingInvocationForDecorator";
      var errorCodes6 = [Diagnostics._0_accepts_too_few_arguments_to_be_used_as_a_decorator_here_Did_you_mean_to_call_it_first_and_write_0.code];
      registerCodeFix({
        errorCodes: errorCodes6,
        getCodeActions: function getCodeActionsToAddMissingInvocationForDecorator(context) {
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange6(t, context.sourceFile, context.span.start));
          return [createCodeFixAction(fixId6, changes, Diagnostics.Call_decorator_expression, fixId6, Diagnostics.Add_to_all_uncalled_decorators)];
        },
        fixIds: [fixId6],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes6, (changes, diag2) => makeChange6(changes, diag2.file, diag2.start))
      });
      function makeChange6(changeTracker, sourceFile, pos) {
        const token = getTokenAtPosition(sourceFile, pos);
        const decorator = findAncestor(token, isDecorator);
        Debug.assert(!!decorator, "Expected position to be owned by a decorator.");
        const replacement = factory.createCallExpression(
          decorator.expression,
          /*typeArguments*/
          void 0,
          /*argumentsArray*/
          void 0
        );
        changeTracker.replaceNode(sourceFile, decorator.expression, replacement);
      }
      var fixId7 = "addNameToNamelessParameter";
      var errorCodes7 = [Diagnostics.Parameter_has_a_name_but_no_type_Did_you_mean_0_Colon_1.code];
      registerCodeFix({
        errorCodes: errorCodes7,
        getCodeActions: function getCodeActionsToAddNameToNamelessParameter(context) {
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange7(t, context.sourceFile, context.span.start));
          return [createCodeFixAction(fixId7, changes, Diagnostics.Add_parameter_name, fixId7, Diagnostics.Add_names_to_all_parameters_without_names)];
        },
        fixIds: [fixId7],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes7, (changes, diag2) => makeChange7(changes, diag2.file, diag2.start))
      });
      function makeChange7(changeTracker, sourceFile, start) {
        const token = getTokenAtPosition(sourceFile, start);
        const param = token.parent;
        if (!isParameter(param)) {
          return Debug.fail("Tried to add a parameter name to a non-parameter: " + Debug.formatSyntaxKind(token.kind));
        }
        const i = param.parent.parameters.indexOf(param);
        Debug.assert(!param.type, "Tried to add a parameter name to a parameter that already had one.");
        Debug.assert(i > -1, "Parameter not found in parent parameter list.");
        let end = param.name.getEnd();
        let typeNode = factory.createTypeReferenceNode(
          param.name,
          /*typeArguments*/
          void 0
        );
        let nextParam = tryGetNextParam(sourceFile, param);
        while (nextParam) {
          typeNode = factory.createArrayTypeNode(typeNode);
          end = nextParam.getEnd();
          nextParam = tryGetNextParam(sourceFile, nextParam);
        }
        const replacement = factory.createParameterDeclaration(
          param.modifiers,
          param.dotDotDotToken,
          "arg" + i,
          param.questionToken,
          param.dotDotDotToken && !isArrayTypeNode(typeNode) ? factory.createArrayTypeNode(typeNode) : typeNode,
          param.initializer
        );
        changeTracker.replaceRange(sourceFile, createRange(param.getStart(sourceFile), end), replacement);
      }
      function tryGetNextParam(sourceFile, param) {
        const nextToken = findNextToken(param.name, param.parent, sourceFile);
        if (nextToken && nextToken.kind === 23 && isArrayBindingPattern(nextToken.parent) && isParameter(nextToken.parent.parent)) {
          return nextToken.parent.parent;
        }
        return void 0;
      }
      var addOptionalPropertyUndefined = "addOptionalPropertyUndefined";
      var errorCodes8 = [
        Diagnostics.Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_type_of_the_target.code,
        Diagnostics.Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_types_of_the_target_s_properties.code,
        Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_types_of_the_target_s_properties.code
      ];
      registerCodeFix({
        errorCodes: errorCodes8,
        getCodeActions(context) {
          const typeChecker = context.program.getTypeChecker();
          const toAdd = getPropertiesToAdd(context.sourceFile, context.span, typeChecker);
          if (!toAdd.length) {
            return void 0;
          }
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addUndefinedToOptionalProperty(t, toAdd));
          return [createCodeFixActionWithoutFixAll(addOptionalPropertyUndefined, changes, Diagnostics.Add_undefined_to_optional_property_type)];
        },
        fixIds: [addOptionalPropertyUndefined]
      });
      function getPropertiesToAdd(file, span, checker) {
        var _a, _b;
        const sourceTarget = getSourceTarget(getFixableErrorSpanExpression(file, span), checker);
        if (!sourceTarget) {
          return emptyArray;
        }
        const { source: sourceNode, target: targetNode } = sourceTarget;
        const target = shouldUseParentTypeOfProperty(sourceNode, targetNode, checker) ? checker.getTypeAtLocation(targetNode.expression) : checker.getTypeAtLocation(targetNode);
        if ((_b = (_a = target.symbol) == null ? void 0 : _a.declarations) == null ? void 0 : _b.some((d) => getSourceFileOfNode(d).fileName.match(/\.d\.ts$/))) {
          return emptyArray;
        }
        return checker.getExactOptionalProperties(target);
      }
      function shouldUseParentTypeOfProperty(sourceNode, targetNode, checker) {
        return isPropertyAccessExpression(targetNode) && !!checker.getExactOptionalProperties(checker.getTypeAtLocation(targetNode.expression)).length && checker.getTypeAtLocation(sourceNode) === checker.getUndefinedType();
      }
      function getSourceTarget(errorNode, checker) {
        var _a;
        if (!errorNode) {
          return void 0;
        } else if (isBinaryExpression(errorNode.parent) && errorNode.parent.operatorToken.kind === 64) {
          return { source: errorNode.parent.right, target: errorNode.parent.left };
        } else if (isVariableDeclaration(errorNode.parent) && errorNode.parent.initializer) {
          return { source: errorNode.parent.initializer, target: errorNode.parent.name };
        } else if (isCallExpression2(errorNode.parent)) {
          const n = checker.getSymbolAtLocation(errorNode.parent.expression);
          if (!(n == null ? void 0 : n.valueDeclaration) || !isFunctionLikeKind(n.valueDeclaration.kind)) return void 0;
          if (!isExpression(errorNode)) return void 0;
          const i = errorNode.parent.arguments.indexOf(errorNode);
          if (i === -1) return void 0;
          const name = n.valueDeclaration.parameters[i].name;
          if (isIdentifier(name)) return { source: errorNode, target: name };
        } else if (isPropertyAssignment(errorNode.parent) && isIdentifier(errorNode.parent.name) || isShorthandPropertyAssignment(errorNode.parent)) {
          const parentTarget = getSourceTarget(errorNode.parent.parent, checker);
          if (!parentTarget) return void 0;
          const prop = checker.getPropertyOfType(checker.getTypeAtLocation(parentTarget.target), errorNode.parent.name.text);
          const declaration = (_a = prop == null ? void 0 : prop.declarations) == null ? void 0 : _a[0];
          if (!declaration) return void 0;
          return {
            source: isPropertyAssignment(errorNode.parent) ? errorNode.parent.initializer : errorNode.parent.name,
            target: declaration
          };
        }
        return void 0;
      }
      function addUndefinedToOptionalProperty(changes, toAdd) {
        for (const add of toAdd) {
          const d = add.valueDeclaration;
          if (d && (isPropertySignature(d) || isPropertyDeclaration(d)) && d.type) {
            const t = factory.createUnionTypeNode([
              ...d.type.kind === 192 ? d.type.types : [d.type],
              factory.createTypeReferenceNode("undefined")
            ]);
            changes.replaceNode(d.getSourceFile(), d.type, t);
          }
        }
      }
      var fixId8 = "annotateWithTypeFromJSDoc";
      var errorCodes9 = [Diagnostics.JSDoc_types_may_be_moved_to_TypeScript_types.code];
      registerCodeFix({
        errorCodes: errorCodes9,
        getCodeActions(context) {
          const decl = getDeclaration(context.sourceFile, context.span.start);
          if (!decl) return;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange8(t, context.sourceFile, decl));
          return [createCodeFixAction(fixId8, changes, Diagnostics.Annotate_with_type_from_JSDoc, fixId8, Diagnostics.Annotate_everything_with_types_from_JSDoc)];
        },
        fixIds: [fixId8],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes9, (changes, diag2) => {
          const decl = getDeclaration(diag2.file, diag2.start);
          if (decl) doChange8(changes, diag2.file, decl);
        })
      });
      function getDeclaration(file, pos) {
        const name = getTokenAtPosition(file, pos);
        return tryCast(isParameter(name.parent) ? name.parent.parent : name.parent, parameterShouldGetTypeFromJSDoc);
      }
      function parameterShouldGetTypeFromJSDoc(node) {
        return isDeclarationWithType(node) && hasUsableJSDoc(node);
      }
      function hasUsableJSDoc(decl) {
        return isFunctionLikeDeclaration(decl) ? decl.parameters.some(hasUsableJSDoc) || !decl.type && !!getJSDocReturnType(decl) : !decl.type && !!getJSDocType(decl);
      }
      function doChange8(changes, sourceFile, decl) {
        if (isFunctionLikeDeclaration(decl) && (getJSDocReturnType(decl) || decl.parameters.some((p) => !!getJSDocType(p)))) {
          if (!decl.typeParameters) {
            const typeParameters = getJSDocTypeParameterDeclarations(decl);
            if (typeParameters.length) changes.insertTypeParameters(sourceFile, decl, typeParameters);
          }
          const needParens = isArrowFunction(decl) && !findChildOfKind(decl, 21, sourceFile);
          if (needParens) changes.insertNodeBefore(sourceFile, first(decl.parameters), factory.createToken(
            21
            /* OpenParenToken */
          ));
          for (const param of decl.parameters) {
            if (!param.type) {
              const paramType = getJSDocType(param);
              if (paramType) changes.tryInsertTypeAnnotation(sourceFile, param, visitNode(paramType, transformJSDocType, isTypeNode));
            }
          }
          if (needParens) changes.insertNodeAfter(sourceFile, last(decl.parameters), factory.createToken(
            22
            /* CloseParenToken */
          ));
          if (!decl.type) {
            const returnType = getJSDocReturnType(decl);
            if (returnType) changes.tryInsertTypeAnnotation(sourceFile, decl, visitNode(returnType, transformJSDocType, isTypeNode));
          }
        } else {
          const jsdocType = Debug.checkDefined(getJSDocType(decl), "A JSDocType for this declaration should exist");
          Debug.assert(!decl.type, "The JSDocType decl should have a type");
          changes.tryInsertTypeAnnotation(sourceFile, decl, visitNode(jsdocType, transformJSDocType, isTypeNode));
        }
      }
      function isDeclarationWithType(node) {
        return isFunctionLikeDeclaration(node) || node.kind === 260 || node.kind === 171 || node.kind === 172;
      }
      function transformJSDocType(node) {
        switch (node.kind) {
          case 312:
          case 313:
            return factory.createTypeReferenceNode("any", emptyArray);
          case 316:
            return transformJSDocOptionalType(node);
          case 315:
            return transformJSDocType(node.type);
          case 314:
            return transformJSDocNullableType(node);
          case 318:
            return transformJSDocVariadicType(node);
          case 317:
            return transformJSDocFunctionType(node);
          case 183:
            return transformJSDocTypeReference(node);
          case 322:
            return transformJSDocTypeLiteral(node);
          default:
            const visited = visitEachChild(
              node,
              transformJSDocType,
              /*context*/
              void 0
            );
            setEmitFlags(
              visited,
              1
              /* SingleLine */
            );
            return visited;
        }
      }
      function transformJSDocTypeLiteral(node) {
        const typeNode = factory.createTypeLiteralNode(map(node.jsDocPropertyTags, (tag) => factory.createPropertySignature(
          /*modifiers*/
          void 0,
          isIdentifier(tag.name) ? tag.name : tag.name.right,
          isOptionalJSDocPropertyLikeTag(tag) ? factory.createToken(
            58
            /* QuestionToken */
          ) : void 0,
          tag.typeExpression && visitNode(tag.typeExpression.type, transformJSDocType, isTypeNode) || factory.createKeywordTypeNode(
            133
            /* AnyKeyword */
          )
        )));
        setEmitFlags(
          typeNode,
          1
          /* SingleLine */
        );
        return typeNode;
      }
      function transformJSDocOptionalType(node) {
        return factory.createUnionTypeNode([visitNode(node.type, transformJSDocType, isTypeNode), factory.createTypeReferenceNode("undefined", emptyArray)]);
      }
      function transformJSDocNullableType(node) {
        return factory.createUnionTypeNode([visitNode(node.type, transformJSDocType, isTypeNode), factory.createTypeReferenceNode("null", emptyArray)]);
      }
      function transformJSDocVariadicType(node) {
        return factory.createArrayTypeNode(visitNode(node.type, transformJSDocType, isTypeNode));
      }
      function transformJSDocFunctionType(node) {
        return factory.createFunctionTypeNode(emptyArray, node.parameters.map(transformJSDocParameter), node.type ?? factory.createKeywordTypeNode(
          133
          /* AnyKeyword */
        ));
      }
      function transformJSDocParameter(node) {
        const index = node.parent.parameters.indexOf(node);
        const isRest = node.type.kind === 318 && index === node.parent.parameters.length - 1;
        const name = node.name || (isRest ? "rest" : "arg" + index);
        const dotdotdot = isRest ? factory.createToken(
          26
          /* DotDotDotToken */
        ) : node.dotDotDotToken;
        return factory.createParameterDeclaration(node.modifiers, dotdotdot, name, node.questionToken, visitNode(node.type, transformJSDocType, isTypeNode), node.initializer);
      }
      function transformJSDocTypeReference(node) {
        let name = node.typeName;
        let args = node.typeArguments;
        if (isIdentifier(node.typeName)) {
          if (isJSDocIndexSignature(node)) {
            return transformJSDocIndexSignature(node);
          }
          let text = node.typeName.text;
          switch (node.typeName.text) {
            case "String":
            case "Boolean":
            case "Object":
            case "Number":
              text = text.toLowerCase();
              break;
            case "array":
            case "date":
            case "promise":
              text = text[0].toUpperCase() + text.slice(1);
              break;
          }
          name = factory.createIdentifier(text);
          if ((text === "Array" || text === "Promise") && !node.typeArguments) {
            args = factory.createNodeArray([factory.createTypeReferenceNode("any", emptyArray)]);
          } else {
            args = visitNodes2(node.typeArguments, transformJSDocType, isTypeNode);
          }
        }
        return factory.createTypeReferenceNode(name, args);
      }
      function transformJSDocIndexSignature(node) {
        const index = factory.createParameterDeclaration(
          /*modifiers*/
          void 0,
          /*dotDotDotToken*/
          void 0,
          node.typeArguments[0].kind === 150 ? "n" : "s",
          /*questionToken*/
          void 0,
          factory.createTypeReferenceNode(node.typeArguments[0].kind === 150 ? "number" : "string", []),
          /*initializer*/
          void 0
        );
        const indexSignature = factory.createTypeLiteralNode([factory.createIndexSignature(
          /*modifiers*/
          void 0,
          [index],
          node.typeArguments[1]
        )]);
        setEmitFlags(
          indexSignature,
          1
          /* SingleLine */
        );
        return indexSignature;
      }
      var fixId9 = "convertFunctionToEs6Class";
      var errorCodes10 = [Diagnostics.This_constructor_function_may_be_converted_to_a_class_declaration.code];
      registerCodeFix({
        errorCodes: errorCodes10,
        getCodeActions(context) {
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange9(t, context.sourceFile, context.span.start, context.program.getTypeChecker(), context.preferences, context.program.getCompilerOptions()));
          return [createCodeFixAction(fixId9, changes, Diagnostics.Convert_function_to_an_ES2015_class, fixId9, Diagnostics.Convert_all_constructor_functions_to_classes)];
        },
        fixIds: [fixId9],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes10, (changes, err) => doChange9(changes, err.file, err.start, context.program.getTypeChecker(), context.preferences, context.program.getCompilerOptions()))
      });
      function doChange9(changes, sourceFile, position, checker, preferences, compilerOptions) {
        const ctorSymbol = checker.getSymbolAtLocation(getTokenAtPosition(sourceFile, position));
        if (!ctorSymbol || !ctorSymbol.valueDeclaration || !(ctorSymbol.flags & (16 | 3))) {
          return void 0;
        }
        const ctorDeclaration = ctorSymbol.valueDeclaration;
        if (isFunctionDeclaration(ctorDeclaration) || isFunctionExpression(ctorDeclaration)) {
          changes.replaceNode(sourceFile, ctorDeclaration, createClassFromFunction(ctorDeclaration));
        } else if (isVariableDeclaration(ctorDeclaration)) {
          const classDeclaration = createClassFromVariableDeclaration(ctorDeclaration);
          if (!classDeclaration) {
            return void 0;
          }
          const ancestor = ctorDeclaration.parent.parent;
          if (isVariableDeclarationList(ctorDeclaration.parent) && ctorDeclaration.parent.declarations.length > 1) {
            changes.delete(sourceFile, ctorDeclaration);
            changes.insertNodeAfter(sourceFile, ancestor, classDeclaration);
          } else {
            changes.replaceNode(sourceFile, ancestor, classDeclaration);
          }
        }
        function createClassElementsFromSymbol(symbol) {
          const memberElements = [];
          if (symbol.exports) {
            symbol.exports.forEach((member) => {
              if (member.name === "prototype" && member.declarations) {
                const firstDeclaration = member.declarations[0];
                if (member.declarations.length === 1 && isPropertyAccessExpression(firstDeclaration) && isBinaryExpression(firstDeclaration.parent) && firstDeclaration.parent.operatorToken.kind === 64 && isObjectLiteralExpression(firstDeclaration.parent.right)) {
                  const prototypes = firstDeclaration.parent.right;
                  createClassElement(
                    prototypes.symbol,
                    /*modifiers*/
                    void 0,
                    memberElements
                  );
                }
              } else {
                createClassElement(member, [factory.createToken(
                  126
                  /* StaticKeyword */
                )], memberElements);
              }
            });
          }
          if (symbol.members) {
            symbol.members.forEach((member, key) => {
              var _a, _b, _c, _d;
              if (key === "constructor" && member.valueDeclaration) {
                const prototypeAssignment = (_d = (_c = (_b = (_a = symbol.exports) == null ? void 0 : _a.get("prototype")) == null ? void 0 : _b.declarations) == null ? void 0 : _c[0]) == null ? void 0 : _d.parent;
                if (prototypeAssignment && isBinaryExpression(prototypeAssignment) && isObjectLiteralExpression(prototypeAssignment.right) && some(prototypeAssignment.right.properties, isConstructorAssignment)) {
                } else {
                  changes.delete(sourceFile, member.valueDeclaration.parent);
                }
                return;
              }
              createClassElement(
                member,
                /*modifiers*/
                void 0,
                memberElements
              );
            });
          }
          return memberElements;
          function shouldConvertDeclaration(_target, source) {
            if (isAccessExpression(_target)) {
              if (isPropertyAccessExpression(_target) && isConstructorAssignment(_target)) return true;
              return isFunctionLike(source);
            } else {
              return every(_target.properties, (property) => {
                if (isMethodDeclaration(property) || isGetOrSetAccessorDeclaration(property)) return true;
                if (isPropertyAssignment(property) && isFunctionExpression(property.initializer) && !!property.name) return true;
                if (isConstructorAssignment(property)) return true;
                return false;
              });
            }
          }
          function createClassElement(symbol2, modifiers, members) {
            if (!(symbol2.flags & 8192) && !(symbol2.flags & 4096)) {
              return;
            }
            const memberDeclaration = symbol2.valueDeclaration;
            const assignmentBinaryExpression = memberDeclaration.parent;
            const assignmentExpr = assignmentBinaryExpression.right;
            if (!shouldConvertDeclaration(memberDeclaration, assignmentExpr)) {
              return;
            }
            if (some(members, (m) => {
              const name = getNameOfDeclaration(m);
              if (name && isIdentifier(name) && idText(name) === symbolName(symbol2)) {
                return true;
              }
              return false;
            })) {
              return;
            }
            const nodeToDelete = assignmentBinaryExpression.parent && assignmentBinaryExpression.parent.kind === 244 ? assignmentBinaryExpression.parent : assignmentBinaryExpression;
            changes.delete(sourceFile, nodeToDelete);
            if (!assignmentExpr) {
              members.push(factory.createPropertyDeclaration(
                modifiers,
                symbol2.name,
                /*questionOrExclamationToken*/
                void 0,
                /*type*/
                void 0,
                /*initializer*/
                void 0
              ));
              return;
            }
            if (isAccessExpression(memberDeclaration) && (isFunctionExpression(assignmentExpr) || isArrowFunction(assignmentExpr))) {
              const quotePreference = getQuotePreference(sourceFile, preferences);
              const name = tryGetPropertyName(memberDeclaration, compilerOptions, quotePreference);
              if (name) {
                createFunctionLikeExpressionMember(members, assignmentExpr, name);
              }
              return;
            } else if (isObjectLiteralExpression(assignmentExpr)) {
              forEach(
                assignmentExpr.properties,
                (property) => {
                  if (isMethodDeclaration(property) || isGetOrSetAccessorDeclaration(property)) {
                    members.push(property);
                  }
                  if (isPropertyAssignment(property) && isFunctionExpression(property.initializer)) {
                    createFunctionLikeExpressionMember(members, property.initializer, property.name);
                  }
                  if (isConstructorAssignment(property)) return;
                  return;
                }
              );
              return;
            } else {
              if (isSourceFileJS(sourceFile)) return;
              if (!isPropertyAccessExpression(memberDeclaration)) return;
              const prop = factory.createPropertyDeclaration(
                modifiers,
                memberDeclaration.name,
                /*questionOrExclamationToken*/
                void 0,
                /*type*/
                void 0,
                assignmentExpr
              );
              copyLeadingComments(assignmentBinaryExpression.parent, prop, sourceFile);
              members.push(prop);
              return;
            }
            function createFunctionLikeExpressionMember(members2, expression, name) {
              if (isFunctionExpression(expression)) return createFunctionExpressionMember(members2, expression, name);
              else return createArrowFunctionExpressionMember(members2, expression, name);
            }
            function createFunctionExpressionMember(members2, functionExpression, name) {
              const fullModifiers = concatenate(modifiers, getModifierKindFromSource(
                functionExpression,
                134
                /* AsyncKeyword */
              ));
              const method = factory.createMethodDeclaration(
                fullModifiers,
                /*asteriskToken*/
                void 0,
                name,
                /*questionToken*/
                void 0,
                /*typeParameters*/
                void 0,
                functionExpression.parameters,
                /*type*/
                void 0,
                functionExpression.body
              );
              copyLeadingComments(assignmentBinaryExpression, method, sourceFile);
              members2.push(method);
              return;
            }
            function createArrowFunctionExpressionMember(members2, arrowFunction, name) {
              const arrowFunctionBody = arrowFunction.body;
              let bodyBlock;
              if (arrowFunctionBody.kind === 241) {
                bodyBlock = arrowFunctionBody;
              } else {
                bodyBlock = factory.createBlock([factory.createReturnStatement(arrowFunctionBody)]);
              }
              const fullModifiers = concatenate(modifiers, getModifierKindFromSource(
                arrowFunction,
                134
                /* AsyncKeyword */
              ));
              const method = factory.createMethodDeclaration(
                fullModifiers,
                /*asteriskToken*/
                void 0,
                name,
                /*questionToken*/
                void 0,
                /*typeParameters*/
                void 0,
                arrowFunction.parameters,
                /*type*/
                void 0,
                bodyBlock
              );
              copyLeadingComments(assignmentBinaryExpression, method, sourceFile);
              members2.push(method);
            }
          }
        }
        function createClassFromVariableDeclaration(node) {
          const initializer = node.initializer;
          if (!initializer || !isFunctionExpression(initializer) || !isIdentifier(node.name)) {
            return void 0;
          }
          const memberElements = createClassElementsFromSymbol(node.symbol);
          if (initializer.body) {
            memberElements.unshift(factory.createConstructorDeclaration(
              /*modifiers*/
              void 0,
              initializer.parameters,
              initializer.body
            ));
          }
          const modifiers = getModifierKindFromSource(
            node.parent.parent,
            95
            /* ExportKeyword */
          );
          const cls = factory.createClassDeclaration(
            modifiers,
            node.name,
            /*typeParameters*/
            void 0,
            /*heritageClauses*/
            void 0,
            memberElements
          );
          return cls;
        }
        function createClassFromFunction(node) {
          const memberElements = createClassElementsFromSymbol(ctorSymbol);
          if (node.body) {
            memberElements.unshift(factory.createConstructorDeclaration(
              /*modifiers*/
              void 0,
              node.parameters,
              node.body
            ));
          }
          const modifiers = getModifierKindFromSource(
            node,
            95
            /* ExportKeyword */
          );
          const cls = factory.createClassDeclaration(
            modifiers,
            node.name,
            /*typeParameters*/
            void 0,
            /*heritageClauses*/
            void 0,
            memberElements
          );
          return cls;
        }
      }
      function getModifierKindFromSource(source, kind) {
        return canHaveModifiers(source) ? filter(source.modifiers, (modifier) => modifier.kind === kind) : void 0;
      }
      function isConstructorAssignment(x) {
        if (!x.name) return false;
        if (isIdentifier(x.name) && x.name.text === "constructor") return true;
        return false;
      }
      function tryGetPropertyName(node, compilerOptions, quotePreference) {
        if (isPropertyAccessExpression(node)) {
          return node.name;
        }
        const propName = node.argumentExpression;
        if (isNumericLiteral(propName)) {
          return propName;
        }
        if (isStringLiteralLike(propName)) {
          return isIdentifierText(propName.text, getEmitScriptTarget(compilerOptions)) ? factory.createIdentifier(propName.text) : isNoSubstitutionTemplateLiteral(propName) ? factory.createStringLiteral(
            propName.text,
            quotePreference === 0
            /* Single */
          ) : propName;
        }
        return void 0;
      }
      var fixId10 = "convertToAsyncFunction";
      var errorCodes11 = [Diagnostics.This_may_be_converted_to_an_async_function.code];
      var codeActionSucceeded = true;
      registerCodeFix({
        errorCodes: errorCodes11,
        getCodeActions(context) {
          codeActionSucceeded = true;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => convertToAsyncFunction(t, context.sourceFile, context.span.start, context.program.getTypeChecker()));
          return codeActionSucceeded ? [createCodeFixAction(fixId10, changes, Diagnostics.Convert_to_async_function, fixId10, Diagnostics.Convert_all_to_async_functions)] : [];
        },
        fixIds: [fixId10],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes11, (changes, err) => convertToAsyncFunction(changes, err.file, err.start, context.program.getTypeChecker()))
      });
      function convertToAsyncFunction(changes, sourceFile, position, checker) {
        const tokenAtPosition = getTokenAtPosition(sourceFile, position);
        let functionToConvert;
        if (isIdentifier(tokenAtPosition) && isVariableDeclaration(tokenAtPosition.parent) && tokenAtPosition.parent.initializer && isFunctionLikeDeclaration(tokenAtPosition.parent.initializer)) {
          functionToConvert = tokenAtPosition.parent.initializer;
        } else {
          functionToConvert = tryCast(getContainingFunction(getTokenAtPosition(sourceFile, position)), canBeConvertedToAsync);
        }
        if (!functionToConvert) {
          return;
        }
        const synthNamesMap = /* @__PURE__ */ new Map();
        const isInJavascript = isInJSFile(functionToConvert);
        const setOfExpressionsToReturn = getAllPromiseExpressionsToReturn(functionToConvert, checker);
        const functionToConvertRenamed = renameCollidingVarNames(functionToConvert, checker, synthNamesMap);
        if (!returnsPromise(functionToConvertRenamed, checker)) {
          return;
        }
        const returnStatements = functionToConvertRenamed.body && isBlock(functionToConvertRenamed.body) ? getReturnStatementsWithPromiseHandlers(functionToConvertRenamed.body, checker) : emptyArray;
        const transformer = { checker, synthNamesMap, setOfExpressionsToReturn, isInJSFile: isInJavascript };
        if (!returnStatements.length) {
          return;
        }
        const pos = skipTrivia(sourceFile.text, moveRangePastModifiers(functionToConvert).pos);
        changes.insertModifierAt(sourceFile, pos, 134, { suffix: " " });
        for (const returnStatement of returnStatements) {
          forEachChild(returnStatement, function visit(node) {
            if (isCallExpression2(node)) {
              const newNodes = transformExpression(
                node,
                node,
                transformer,
                /*hasContinuation*/
                false
              );
              if (hasFailed()) {
                return true;
              }
              changes.replaceNodeWithNodes(sourceFile, returnStatement, newNodes);
            } else if (!isFunctionLike(node)) {
              forEachChild(node, visit);
              if (hasFailed()) {
                return true;
              }
            }
          });
          if (hasFailed()) {
            return;
          }
        }
      }
      function getReturnStatementsWithPromiseHandlers(body, checker) {
        const res = [];
        forEachReturnStatement(body, (ret) => {
          if (isReturnStatementWithFixablePromiseHandler(ret, checker)) res.push(ret);
        });
        return res;
      }
      function getAllPromiseExpressionsToReturn(func, checker) {
        if (!func.body) {
          return /* @__PURE__ */ new Set();
        }
        const setOfExpressionsToReturn = /* @__PURE__ */ new Set();
        forEachChild(func.body, function visit(node) {
          if (isPromiseReturningCallExpression(node, checker, "then")) {
            setOfExpressionsToReturn.add(getNodeId(node));
            forEach(node.arguments, visit);
          } else if (isPromiseReturningCallExpression(node, checker, "catch") || isPromiseReturningCallExpression(node, checker, "finally")) {
            setOfExpressionsToReturn.add(getNodeId(node));
            forEachChild(node, visit);
          } else if (isPromiseTypedExpression(node, checker)) {
            setOfExpressionsToReturn.add(getNodeId(node));
          } else {
            forEachChild(node, visit);
          }
        });
        return setOfExpressionsToReturn;
      }
      function isPromiseReturningCallExpression(node, checker, name) {
        if (!isCallExpression2(node)) return false;
        const isExpressionOfName = hasPropertyAccessExpressionWithName(node, name);
        const nodeType = isExpressionOfName && checker.getTypeAtLocation(node);
        return !!(nodeType && checker.getPromisedTypeOfPromise(nodeType));
      }
      function isReferenceToType(type, target) {
        return (getObjectFlags(type) & 4) !== 0 && type.target === target;
      }
      function getExplicitPromisedTypeOfPromiseReturningCallExpression(node, callback, checker) {
        if (node.expression.name.escapedText === "finally") {
          return void 0;
        }
        const promiseType2 = checker.getTypeAtLocation(node.expression.expression);
        if (isReferenceToType(promiseType2, checker.getPromiseType()) || isReferenceToType(promiseType2, checker.getPromiseLikeType())) {
          if (node.expression.name.escapedText === "then") {
            if (callback === elementAt(node.arguments, 0)) {
              return elementAt(node.typeArguments, 0);
            } else if (callback === elementAt(node.arguments, 1)) {
              return elementAt(node.typeArguments, 1);
            }
          } else {
            return elementAt(node.typeArguments, 0);
          }
        }
      }
      function isPromiseTypedExpression(node, checker) {
        if (!isExpression(node)) return false;
        return !!checker.getPromisedTypeOfPromise(checker.getTypeAtLocation(node));
      }
      function renameCollidingVarNames(nodeToRename, checker, synthNamesMap) {
        const identsToRenameMap = /* @__PURE__ */ new Map();
        const collidingSymbolMap = createMultiMap();
        forEachChild(nodeToRename, function visit(node) {
          if (!isIdentifier(node)) {
            forEachChild(node, visit);
            return;
          }
          const symbol = checker.getSymbolAtLocation(node);
          if (symbol) {
            const type = checker.getTypeAtLocation(node);
            const lastCallSignature = getLastCallSignature(type, checker);
            const symbolIdString = getSymbolId(symbol).toString();
            if (lastCallSignature && !isParameter(node.parent) && !isFunctionLikeDeclaration(node.parent) && !synthNamesMap.has(symbolIdString)) {
              const firstParameter = firstOrUndefined(lastCallSignature.parameters);
              const ident = (firstParameter == null ? void 0 : firstParameter.valueDeclaration) && isParameter(firstParameter.valueDeclaration) && tryCast(firstParameter.valueDeclaration.name, isIdentifier) || factory.createUniqueName(
                "result",
                16
                /* Optimistic */
              );
              const synthName = getNewNameIfConflict(ident, collidingSymbolMap);
              synthNamesMap.set(symbolIdString, synthName);
              collidingSymbolMap.add(ident.text, symbol);
            } else if (node.parent && (isParameter(node.parent) || isVariableDeclaration(node.parent) || isBindingElement(node.parent))) {
              const originalName = node.text;
              const collidingSymbols = collidingSymbolMap.get(originalName);
              if (collidingSymbols && collidingSymbols.some((prevSymbol) => prevSymbol !== symbol)) {
                const newName = getNewNameIfConflict(node, collidingSymbolMap);
                identsToRenameMap.set(symbolIdString, newName.identifier);
                synthNamesMap.set(symbolIdString, newName);
                collidingSymbolMap.add(originalName, symbol);
              } else {
                const identifier = getSynthesizedDeepClone(node);
                synthNamesMap.set(symbolIdString, createSynthIdentifier(identifier));
                collidingSymbolMap.add(originalName, symbol);
              }
            }
          }
        });
        return getSynthesizedDeepCloneWithReplacements(
          nodeToRename,
          /*includeTrivia*/
          true,
          (original) => {
            if (isBindingElement(original) && isIdentifier(original.name) && isObjectBindingPattern(original.parent)) {
              const symbol = checker.getSymbolAtLocation(original.name);
              const renameInfo = symbol && identsToRenameMap.get(String(getSymbolId(symbol)));
              if (renameInfo && renameInfo.text !== (original.name || original.propertyName).getText()) {
                return factory.createBindingElement(
                  original.dotDotDotToken,
                  original.propertyName || original.name,
                  renameInfo,
                  original.initializer
                );
              }
            } else if (isIdentifier(original)) {
              const symbol = checker.getSymbolAtLocation(original);
              const renameInfo = symbol && identsToRenameMap.get(String(getSymbolId(symbol)));
              if (renameInfo) {
                return factory.createIdentifier(renameInfo.text);
              }
            }
          }
        );
      }
      function getNewNameIfConflict(name, originalNames) {
        const numVarsSameName = (originalNames.get(name.text) || emptyArray).length;
        const identifier = numVarsSameName === 0 ? name : factory.createIdentifier(name.text + "_" + numVarsSameName);
        return createSynthIdentifier(identifier);
      }
      function hasFailed() {
        return !codeActionSucceeded;
      }
      function silentFail() {
        codeActionSucceeded = false;
        return emptyArray;
      }
      function transformExpression(returnContextNode, node, transformer, hasContinuation, continuationArgName) {
        if (isPromiseReturningCallExpression(node, transformer.checker, "then")) {
          return transformThen(node, elementAt(node.arguments, 0), elementAt(node.arguments, 1), transformer, hasContinuation, continuationArgName);
        }
        if (isPromiseReturningCallExpression(node, transformer.checker, "catch")) {
          return transformCatch(node, elementAt(node.arguments, 0), transformer, hasContinuation, continuationArgName);
        }
        if (isPromiseReturningCallExpression(node, transformer.checker, "finally")) {
          return transformFinally(node, elementAt(node.arguments, 0), transformer, hasContinuation, continuationArgName);
        }
        if (isPropertyAccessExpression(node)) {
          return transformExpression(returnContextNode, node.expression, transformer, hasContinuation, continuationArgName);
        }
        const nodeType = transformer.checker.getTypeAtLocation(node);
        if (nodeType && transformer.checker.getPromisedTypeOfPromise(nodeType)) {
          Debug.assertNode(getOriginalNode(node).parent, isPropertyAccessExpression);
          return transformPromiseExpressionOfPropertyAccess(returnContextNode, node, transformer, hasContinuation, continuationArgName);
        }
        return silentFail();
      }
      function isNullOrUndefined2({ checker }, node) {
        if (node.kind === 106) return true;
        if (isIdentifier(node) && !isGeneratedIdentifier(node) && idText(node) === "undefined") {
          const symbol = checker.getSymbolAtLocation(node);
          return !symbol || checker.isUndefinedSymbol(symbol);
        }
        return false;
      }
      function createUniqueSynthName(prevArgName) {
        const renamedPrevArg = factory.createUniqueName(
          prevArgName.identifier.text,
          16
          /* Optimistic */
        );
        return createSynthIdentifier(renamedPrevArg);
      }
      function getPossibleNameForVarDecl(node, transformer, continuationArgName) {
        let possibleNameForVarDecl;
        if (continuationArgName && !shouldReturn(node, transformer)) {
          if (isSynthIdentifier(continuationArgName)) {
            possibleNameForVarDecl = continuationArgName;
            transformer.synthNamesMap.forEach((val, key) => {
              if (val.identifier.text === continuationArgName.identifier.text) {
                const newSynthName = createUniqueSynthName(continuationArgName);
                transformer.synthNamesMap.set(key, newSynthName);
              }
            });
          } else {
            possibleNameForVarDecl = createSynthIdentifier(factory.createUniqueName(
              "result",
              16
              /* Optimistic */
            ), continuationArgName.types);
          }
          declareSynthIdentifier(possibleNameForVarDecl);
        }
        return possibleNameForVarDecl;
      }
      function finishCatchOrFinallyTransform(node, transformer, tryStatement, possibleNameForVarDecl, continuationArgName) {
        const statements = [];
        let varDeclIdentifier;
        if (possibleNameForVarDecl && !shouldReturn(node, transformer)) {
          varDeclIdentifier = getSynthesizedDeepClone(declareSynthIdentifier(possibleNameForVarDecl));
          const typeArray = possibleNameForVarDecl.types;
          const unionType2 = transformer.checker.getUnionType(
            typeArray,
            2
            /* Subtype */
          );
          const unionTypeNode = transformer.isInJSFile ? void 0 : transformer.checker.typeToTypeNode(
            unionType2,
            /*enclosingDeclaration*/
            void 0,
            /*flags*/
            void 0
          );
          const varDecl = [factory.createVariableDeclaration(
            varDeclIdentifier,
            /*exclamationToken*/
            void 0,
            unionTypeNode
          )];
          const varDeclList = factory.createVariableStatement(
            /*modifiers*/
            void 0,
            factory.createVariableDeclarationList(
              varDecl,
              1
              /* Let */
            )
          );
          statements.push(varDeclList);
        }
        statements.push(tryStatement);
        if (continuationArgName && varDeclIdentifier && isSynthBindingPattern(continuationArgName)) {
          statements.push(factory.createVariableStatement(
            /*modifiers*/
            void 0,
            factory.createVariableDeclarationList(
              [
                factory.createVariableDeclaration(
                  getSynthesizedDeepClone(declareSynthBindingPattern(continuationArgName)),
                  /*exclamationToken*/
                  void 0,
                  /*type*/
                  void 0,
                  varDeclIdentifier
                )
              ],
              2
              /* Const */
            )
          ));
        }
        return statements;
      }
      function transformFinally(node, onFinally, transformer, hasContinuation, continuationArgName) {
        if (!onFinally || isNullOrUndefined2(transformer, onFinally)) {
          return transformExpression(
            /* returnContextNode */
            node,
            node.expression.expression,
            transformer,
            hasContinuation,
            continuationArgName
          );
        }
        const possibleNameForVarDecl = getPossibleNameForVarDecl(node, transformer, continuationArgName);
        const inlinedLeftHandSide = transformExpression(
          /*returnContextNode*/
          node,
          node.expression.expression,
          transformer,
          /*hasContinuation*/
          true,
          possibleNameForVarDecl
        );
        if (hasFailed()) return silentFail();
        const inlinedCallback = transformCallbackArgument(
          onFinally,
          hasContinuation,
          /*continuationArgName*/
          void 0,
          /*inputArgName*/
          void 0,
          node,
          transformer
        );
        if (hasFailed()) return silentFail();
        const tryBlock = factory.createBlock(inlinedLeftHandSide);
        const finallyBlock = factory.createBlock(inlinedCallback);
        const tryStatement = factory.createTryStatement(
          tryBlock,
          /*catchClause*/
          void 0,
          finallyBlock
        );
        return finishCatchOrFinallyTransform(node, transformer, tryStatement, possibleNameForVarDecl, continuationArgName);
      }
      function transformCatch(node, onRejected, transformer, hasContinuation, continuationArgName) {
        if (!onRejected || isNullOrUndefined2(transformer, onRejected)) {
          return transformExpression(
            /* returnContextNode */
            node,
            node.expression.expression,
            transformer,
            hasContinuation,
            continuationArgName
          );
        }
        const inputArgName = getArgBindingName(onRejected, transformer);
        const possibleNameForVarDecl = getPossibleNameForVarDecl(node, transformer, continuationArgName);
        const inlinedLeftHandSide = transformExpression(
          /*returnContextNode*/
          node,
          node.expression.expression,
          transformer,
          /*hasContinuation*/
          true,
          possibleNameForVarDecl
        );
        if (hasFailed()) return silentFail();
        const inlinedCallback = transformCallbackArgument(onRejected, hasContinuation, possibleNameForVarDecl, inputArgName, node, transformer);
        if (hasFailed()) return silentFail();
        const tryBlock = factory.createBlock(inlinedLeftHandSide);
        const catchClause = factory.createCatchClause(inputArgName && getSynthesizedDeepClone(declareSynthBindingName(inputArgName)), factory.createBlock(inlinedCallback));
        const tryStatement = factory.createTryStatement(
          tryBlock,
          catchClause,
          /*finallyBlock*/
          void 0
        );
        return finishCatchOrFinallyTransform(node, transformer, tryStatement, possibleNameForVarDecl, continuationArgName);
      }
      function transformThen(node, onFulfilled, onRejected, transformer, hasContinuation, continuationArgName) {
        if (!onFulfilled || isNullOrUndefined2(transformer, onFulfilled)) {
          return transformCatch(node, onRejected, transformer, hasContinuation, continuationArgName);
        }
        if (onRejected && !isNullOrUndefined2(transformer, onRejected)) {
          return silentFail();
        }
        const inputArgName = getArgBindingName(onFulfilled, transformer);
        const inlinedLeftHandSide = transformExpression(
          node.expression.expression,
          node.expression.expression,
          transformer,
          /*hasContinuation*/
          true,
          inputArgName
        );
        if (hasFailed()) return silentFail();
        const inlinedCallback = transformCallbackArgument(onFulfilled, hasContinuation, continuationArgName, inputArgName, node, transformer);
        if (hasFailed()) return silentFail();
        return concatenate(inlinedLeftHandSide, inlinedCallback);
      }
      function transformPromiseExpressionOfPropertyAccess(returnContextNode, node, transformer, hasContinuation, continuationArgName) {
        if (shouldReturn(returnContextNode, transformer)) {
          let returnValue = getSynthesizedDeepClone(node);
          if (hasContinuation) {
            returnValue = factory.createAwaitExpression(returnValue);
          }
          return [factory.createReturnStatement(returnValue)];
        }
        return createVariableOrAssignmentOrExpressionStatement(
          continuationArgName,
          factory.createAwaitExpression(node),
          /*typeAnnotation*/
          void 0
        );
      }
      function createVariableOrAssignmentOrExpressionStatement(variableName, rightHandSide, typeAnnotation) {
        if (!variableName || isEmptyBindingName(variableName)) {
          return [factory.createExpressionStatement(rightHandSide)];
        }
        if (isSynthIdentifier(variableName) && variableName.hasBeenDeclared) {
          return [factory.createExpressionStatement(factory.createAssignment(getSynthesizedDeepClone(referenceSynthIdentifier(variableName)), rightHandSide))];
        }
        return [
          factory.createVariableStatement(
            /*modifiers*/
            void 0,
            factory.createVariableDeclarationList(
              [
                factory.createVariableDeclaration(
                  getSynthesizedDeepClone(declareSynthBindingName(variableName)),
                  /*exclamationToken*/
                  void 0,
                  typeAnnotation,
                  rightHandSide
                )
              ],
              2
              /* Const */
            )
          )
        ];
      }
      function maybeAnnotateAndReturn(expressionToReturn, typeAnnotation) {
        if (typeAnnotation && expressionToReturn) {
          const name = factory.createUniqueName(
            "result",
            16
            /* Optimistic */
          );
          return [
            ...createVariableOrAssignmentOrExpressionStatement(createSynthIdentifier(name), expressionToReturn, typeAnnotation),
            factory.createReturnStatement(name)
          ];
        }
        return [factory.createReturnStatement(expressionToReturn)];
      }
      function transformCallbackArgument(func, hasContinuation, continuationArgName, inputArgName, parent2, transformer) {
        var _a;
        switch (func.kind) {
          case 106:
            break;
          case 211:
          case 80:
            if (!inputArgName) {
              break;
            }
            const synthCall = factory.createCallExpression(
              getSynthesizedDeepClone(func),
              /*typeArguments*/
              void 0,
              isSynthIdentifier(inputArgName) ? [referenceSynthIdentifier(inputArgName)] : []
            );
            if (shouldReturn(parent2, transformer)) {
              return maybeAnnotateAndReturn(synthCall, getExplicitPromisedTypeOfPromiseReturningCallExpression(parent2, func, transformer.checker));
            }
            const type = transformer.checker.getTypeAtLocation(func);
            const callSignatures = transformer.checker.getSignaturesOfType(
              type,
              0
              /* Call */
            );
            if (!callSignatures.length) {
              return silentFail();
            }
            const returnType = callSignatures[0].getReturnType();
            const varDeclOrAssignment = createVariableOrAssignmentOrExpressionStatement(continuationArgName, factory.createAwaitExpression(synthCall), getExplicitPromisedTypeOfPromiseReturningCallExpression(parent2, func, transformer.checker));
            if (continuationArgName) {
              continuationArgName.types.push(transformer.checker.getAwaitedType(returnType) || returnType);
            }
            return varDeclOrAssignment;
          case 218:
          case 219: {
            const funcBody = func.body;
            const returnType2 = (_a = getLastCallSignature(transformer.checker.getTypeAtLocation(func), transformer.checker)) == null ? void 0 : _a.getReturnType();
            if (isBlock(funcBody)) {
              let refactoredStmts = [];
              let seenReturnStatement = false;
              for (const statement of funcBody.statements) {
                if (isReturnStatement(statement)) {
                  seenReturnStatement = true;
                  if (isReturnStatementWithFixablePromiseHandler(statement, transformer.checker)) {
                    refactoredStmts = refactoredStmts.concat(transformReturnStatementWithFixablePromiseHandler(transformer, statement, hasContinuation, continuationArgName));
                  } else {
                    const possiblyAwaitedRightHandSide = returnType2 && statement.expression ? getPossiblyAwaitedRightHandSide(transformer.checker, returnType2, statement.expression) : statement.expression;
                    refactoredStmts.push(...maybeAnnotateAndReturn(possiblyAwaitedRightHandSide, getExplicitPromisedTypeOfPromiseReturningCallExpression(parent2, func, transformer.checker)));
                  }
                } else if (hasContinuation && forEachReturnStatement(statement, returnTrue)) {
                  return silentFail();
                } else {
                  refactoredStmts.push(statement);
                }
              }
              return shouldReturn(parent2, transformer) ? refactoredStmts.map((s) => getSynthesizedDeepClone(s)) : removeReturns(
                refactoredStmts,
                continuationArgName,
                transformer,
                seenReturnStatement
              );
            } else {
              const inlinedStatements = isFixablePromiseHandler(funcBody, transformer.checker) ? transformReturnStatementWithFixablePromiseHandler(transformer, factory.createReturnStatement(funcBody), hasContinuation, continuationArgName) : emptyArray;
              if (inlinedStatements.length > 0) {
                return inlinedStatements;
              }
              if (returnType2) {
                const possiblyAwaitedRightHandSide = getPossiblyAwaitedRightHandSide(transformer.checker, returnType2, funcBody);
                if (!shouldReturn(parent2, transformer)) {
                  const transformedStatement = createVariableOrAssignmentOrExpressionStatement(
                    continuationArgName,
                    possiblyAwaitedRightHandSide,
                    /*typeAnnotation*/
                    void 0
                  );
                  if (continuationArgName) {
                    continuationArgName.types.push(transformer.checker.getAwaitedType(returnType2) || returnType2);
                  }
                  return transformedStatement;
                } else {
                  return maybeAnnotateAndReturn(possiblyAwaitedRightHandSide, getExplicitPromisedTypeOfPromiseReturningCallExpression(parent2, func, transformer.checker));
                }
              } else {
                return silentFail();
              }
            }
          }
          default:
            return silentFail();
        }
        return emptyArray;
      }
      function getPossiblyAwaitedRightHandSide(checker, type, expr) {
        const rightHandSide = getSynthesizedDeepClone(expr);
        return !!checker.getPromisedTypeOfPromise(type) ? factory.createAwaitExpression(rightHandSide) : rightHandSide;
      }
      function getLastCallSignature(type, checker) {
        const callSignatures = checker.getSignaturesOfType(
          type,
          0
          /* Call */
        );
        return lastOrUndefined(callSignatures);
      }
      function removeReturns(stmts, prevArgName, transformer, seenReturnStatement) {
        const ret = [];
        for (const stmt of stmts) {
          if (isReturnStatement(stmt)) {
            if (stmt.expression) {
              const possiblyAwaitedExpression = isPromiseTypedExpression(stmt.expression, transformer.checker) ? factory.createAwaitExpression(stmt.expression) : stmt.expression;
              if (prevArgName === void 0) {
                ret.push(factory.createExpressionStatement(possiblyAwaitedExpression));
              } else if (isSynthIdentifier(prevArgName) && prevArgName.hasBeenDeclared) {
                ret.push(factory.createExpressionStatement(factory.createAssignment(referenceSynthIdentifier(prevArgName), possiblyAwaitedExpression)));
              } else {
                ret.push(factory.createVariableStatement(
                  /*modifiers*/
                  void 0,
                  factory.createVariableDeclarationList(
                    [factory.createVariableDeclaration(
                      declareSynthBindingName(prevArgName),
                      /*exclamationToken*/
                      void 0,
                      /*type*/
                      void 0,
                      possiblyAwaitedExpression
                    )],
                    2
                    /* Const */
                  )
                ));
              }
            }
          } else {
            ret.push(getSynthesizedDeepClone(stmt));
          }
        }
        if (!seenReturnStatement && prevArgName !== void 0) {
          ret.push(factory.createVariableStatement(
            /*modifiers*/
            void 0,
            factory.createVariableDeclarationList(
              [factory.createVariableDeclaration(
                declareSynthBindingName(prevArgName),
                /*exclamationToken*/
                void 0,
                /*type*/
                void 0,
                factory.createIdentifier("undefined")
              )],
              2
              /* Const */
            )
          ));
        }
        return ret;
      }
      function transformReturnStatementWithFixablePromiseHandler(transformer, innerRetStmt, hasContinuation, continuationArgName) {
        let innerCbBody = [];
        forEachChild(innerRetStmt, function visit(node) {
          if (isCallExpression2(node)) {
            const temp = transformExpression(node, node, transformer, hasContinuation, continuationArgName);
            innerCbBody = innerCbBody.concat(temp);
            if (innerCbBody.length > 0) {
              return;
            }
          } else if (!isFunctionLike(node)) {
            forEachChild(node, visit);
          }
        });
        return innerCbBody;
      }
      function getArgBindingName(funcNode, transformer) {
        const types = [];
        let name;
        if (isFunctionLikeDeclaration(funcNode)) {
          if (funcNode.parameters.length > 0) {
            const param = funcNode.parameters[0].name;
            name = getMappedBindingNameOrDefault(param);
          }
        } else if (isIdentifier(funcNode)) {
          name = getMapEntryOrDefault(funcNode);
        } else if (isPropertyAccessExpression(funcNode) && isIdentifier(funcNode.name)) {
          name = getMapEntryOrDefault(funcNode.name);
        }
        if (!name || "identifier" in name && name.identifier.text === "undefined") {
          return void 0;
        }
        return name;
        function getMappedBindingNameOrDefault(bindingName) {
          if (isIdentifier(bindingName)) return getMapEntryOrDefault(bindingName);
          const elements = flatMap(bindingName.elements, (element) => {
            if (isOmittedExpression(element)) return [];
            return [getMappedBindingNameOrDefault(element.name)];
          });
          return createSynthBindingPattern(bindingName, elements);
        }
        function getMapEntryOrDefault(identifier) {
          const originalNode = getOriginalNode2(identifier);
          const symbol = getSymbol2(originalNode);
          if (!symbol) {
            return createSynthIdentifier(identifier, types);
          }
          const mapEntry = transformer.synthNamesMap.get(getSymbolId(symbol).toString());
          return mapEntry || createSynthIdentifier(identifier, types);
        }
        function getSymbol2(node) {
          var _a;
          return ((_a = tryCast(node, canHaveSymbol)) == null ? void 0 : _a.symbol) ?? transformer.checker.getSymbolAtLocation(node);
        }
        function getOriginalNode2(node) {
          return node.original ? node.original : node;
        }
      }
      function isEmptyBindingName(bindingName) {
        if (!bindingName) {
          return true;
        }
        if (isSynthIdentifier(bindingName)) {
          return !bindingName.identifier.text;
        }
        return every(bindingName.elements, isEmptyBindingName);
      }
      function createSynthIdentifier(identifier, types = []) {
        return { kind: 0, identifier, types, hasBeenDeclared: false, hasBeenReferenced: false };
      }
      function createSynthBindingPattern(bindingPattern, elements = emptyArray, types = []) {
        return { kind: 1, bindingPattern, elements, types };
      }
      function referenceSynthIdentifier(synthId) {
        synthId.hasBeenReferenced = true;
        return synthId.identifier;
      }
      function declareSynthBindingName(synthName) {
        return isSynthIdentifier(synthName) ? declareSynthIdentifier(synthName) : declareSynthBindingPattern(synthName);
      }
      function declareSynthBindingPattern(synthPattern) {
        for (const element of synthPattern.elements) {
          declareSynthBindingName(element);
        }
        return synthPattern.bindingPattern;
      }
      function declareSynthIdentifier(synthId) {
        synthId.hasBeenDeclared = true;
        return synthId.identifier;
      }
      function isSynthIdentifier(bindingName) {
        return bindingName.kind === 0;
      }
      function isSynthBindingPattern(bindingName) {
        return bindingName.kind === 1;
      }
      function shouldReturn(expression, transformer) {
        return !!expression.original && transformer.setOfExpressionsToReturn.has(getNodeId(expression.original));
      }
      registerCodeFix({
        errorCodes: [Diagnostics.File_is_a_CommonJS_module_it_may_be_converted_to_an_ES_module.code],
        getCodeActions(context) {
          const { sourceFile, program, preferences } = context;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (changes2) => {
            const moduleExportsChangedToDefault = convertFileToEsModule(sourceFile, program.getTypeChecker(), changes2, getEmitScriptTarget(program.getCompilerOptions()), getQuotePreference(sourceFile, preferences));
            if (moduleExportsChangedToDefault) {
              for (const importingFile of program.getSourceFiles()) {
                fixImportOfModuleExports(importingFile, sourceFile, program, changes2, getQuotePreference(importingFile, preferences));
              }
            }
          });
          return [createCodeFixActionWithoutFixAll("convertToEsModule", changes, Diagnostics.Convert_to_ES_module)];
        }
      });
      function fixImportOfModuleExports(importingFile, exportingFile, program, changes, quotePreference) {
        var _a;
        for (const moduleSpecifier of importingFile.imports) {
          const imported = (_a = program.getResolvedModuleFromModuleSpecifier(moduleSpecifier, importingFile)) == null ? void 0 : _a.resolvedModule;
          if (!imported || imported.resolvedFileName !== exportingFile.fileName) {
            continue;
          }
          const importNode = importFromModuleSpecifier(moduleSpecifier);
          switch (importNode.kind) {
            case 271:
              changes.replaceNode(importingFile, importNode, makeImport(
                importNode.name,
                /*namedImports*/
                void 0,
                moduleSpecifier,
                quotePreference
              ));
              break;
            case 213:
              if (isRequireCall(
                importNode,
                /*requireStringLiteralLikeArgument*/
                false
              )) {
                changes.replaceNode(importingFile, importNode, factory.createPropertyAccessExpression(getSynthesizedDeepClone(importNode), "default"));
              }
              break;
          }
        }
      }
      function convertFileToEsModule(sourceFile, checker, changes, target, quotePreference) {
        const identifiers = { original: collectFreeIdentifiers(sourceFile), additional: /* @__PURE__ */ new Set() };
        const exports22 = collectExportRenames(sourceFile, checker, identifiers);
        convertExportsAccesses(sourceFile, exports22, changes);
        let moduleExportsChangedToDefault = false;
        let useSitesToUnqualify;
        for (const statement of filter(sourceFile.statements, isVariableStatement)) {
          const newUseSites = convertVariableStatement(sourceFile, statement, changes, checker, identifiers, target, quotePreference);
          if (newUseSites) {
            copyEntries(newUseSites, useSitesToUnqualify ?? (useSitesToUnqualify = /* @__PURE__ */ new Map()));
          }
        }
        for (const statement of filter(sourceFile.statements, (s) => !isVariableStatement(s))) {
          const moduleExportsChanged = convertStatement(sourceFile, statement, checker, changes, identifiers, target, exports22, useSitesToUnqualify, quotePreference);
          moduleExportsChangedToDefault = moduleExportsChangedToDefault || moduleExportsChanged;
        }
        useSitesToUnqualify == null ? void 0 : useSitesToUnqualify.forEach((replacement, original) => {
          changes.replaceNode(sourceFile, original, replacement);
        });
        return moduleExportsChangedToDefault;
      }
      function collectExportRenames(sourceFile, checker, identifiers) {
        const res = /* @__PURE__ */ new Map();
        forEachExportReference(sourceFile, (node) => {
          const { text } = node.name;
          if (!res.has(text) && (isIdentifierANonContextualKeyword(node.name) || checker.resolveName(
            text,
            node,
            111551,
            /*excludeGlobals*/
            true
          ))) {
            res.set(text, makeUniqueName(`_${text}`, identifiers));
          }
        });
        return res;
      }
      function convertExportsAccesses(sourceFile, exports22, changes) {
        forEachExportReference(sourceFile, (node, isAssignmentLhs) => {
          if (isAssignmentLhs) {
            return;
          }
          const { text } = node.name;
          changes.replaceNode(sourceFile, node, factory.createIdentifier(exports22.get(text) || text));
        });
      }
      function forEachExportReference(sourceFile, cb) {
        sourceFile.forEachChild(function recur(node) {
          if (isPropertyAccessExpression(node) && isExportsOrModuleExportsOrAlias(sourceFile, node.expression) && isIdentifier(node.name)) {
            const { parent: parent2 } = node;
            cb(
              node,
              isBinaryExpression(parent2) && parent2.left === node && parent2.operatorToken.kind === 64
              /* EqualsToken */
            );
          }
          node.forEachChild(recur);
        });
      }
      function convertStatement(sourceFile, statement, checker, changes, identifiers, target, exports22, useSitesToUnqualify, quotePreference) {
        switch (statement.kind) {
          case 243:
            convertVariableStatement(sourceFile, statement, changes, checker, identifiers, target, quotePreference);
            return false;
          case 244: {
            const { expression } = statement;
            switch (expression.kind) {
              case 213: {
                if (isRequireCall(
                  expression,
                  /*requireStringLiteralLikeArgument*/
                  true
                )) {
                  changes.replaceNode(sourceFile, statement, makeImport(
                    /*defaultImport*/
                    void 0,
                    /*namedImports*/
                    void 0,
                    expression.arguments[0],
                    quotePreference
                  ));
                }
                return false;
              }
              case 226: {
                const { operatorToken } = expression;
                return operatorToken.kind === 64 && convertAssignment(sourceFile, checker, expression, changes, exports22, useSitesToUnqualify);
              }
            }
          }
          default:
            return false;
        }
      }
      function convertVariableStatement(sourceFile, statement, changes, checker, identifiers, target, quotePreference) {
        const { declarationList } = statement;
        let foundImport = false;
        const converted = map(declarationList.declarations, (decl) => {
          const { name, initializer } = decl;
          if (initializer) {
            if (isExportsOrModuleExportsOrAlias(sourceFile, initializer)) {
              foundImport = true;
              return convertedImports([]);
            } else if (isRequireCall(
              initializer,
              /*requireStringLiteralLikeArgument*/
              true
            )) {
              foundImport = true;
              return convertSingleImport(name, initializer.arguments[0], checker, identifiers, target, quotePreference);
            } else if (isPropertyAccessExpression(initializer) && isRequireCall(
              initializer.expression,
              /*requireStringLiteralLikeArgument*/
              true
            )) {
              foundImport = true;
              return convertPropertyAccessImport(name, initializer.name.text, initializer.expression.arguments[0], identifiers, quotePreference);
            }
          }
          return convertedImports([factory.createVariableStatement(
            /*modifiers*/
            void 0,
            factory.createVariableDeclarationList([decl], declarationList.flags)
          )]);
        });
        if (foundImport) {
          changes.replaceNodeWithNodes(sourceFile, statement, flatMap(converted, (c) => c.newImports));
          let combinedUseSites;
          forEach(converted, (c) => {
            if (c.useSitesToUnqualify) {
              copyEntries(c.useSitesToUnqualify, combinedUseSites ?? (combinedUseSites = /* @__PURE__ */ new Map()));
            }
          });
          return combinedUseSites;
        }
      }
      function convertPropertyAccessImport(name, propertyName, moduleSpecifier, identifiers, quotePreference) {
        switch (name.kind) {
          case 206:
          case 207: {
            const tmp = makeUniqueName(propertyName, identifiers);
            return convertedImports([
              makeSingleImport(tmp, propertyName, moduleSpecifier, quotePreference),
              makeConst(
                /*modifiers*/
                void 0,
                name,
                factory.createIdentifier(tmp)
              )
            ]);
          }
          case 80:
            return convertedImports([makeSingleImport(name.text, propertyName, moduleSpecifier, quotePreference)]);
          default:
            return Debug.assertNever(name, `Convert to ES module got invalid syntax form ${name.kind}`);
        }
      }
      function convertAssignment(sourceFile, checker, assignment, changes, exports22, useSitesToUnqualify) {
        const { left, right } = assignment;
        if (!isPropertyAccessExpression(left)) {
          return false;
        }
        if (isExportsOrModuleExportsOrAlias(sourceFile, left)) {
          if (isExportsOrModuleExportsOrAlias(sourceFile, right)) {
            changes.delete(sourceFile, assignment.parent);
          } else {
            const replacement = isObjectLiteralExpression(right) ? tryChangeModuleExportsObject(right, useSitesToUnqualify) : isRequireCall(
              right,
              /*requireStringLiteralLikeArgument*/
              true
            ) ? convertReExportAll(right.arguments[0], checker) : void 0;
            if (replacement) {
              changes.replaceNodeWithNodes(sourceFile, assignment.parent, replacement[0]);
              return replacement[1];
            } else {
              changes.replaceRangeWithText(sourceFile, createRange(left.getStart(sourceFile), right.pos), "export default");
              return true;
            }
          }
        } else if (isExportsOrModuleExportsOrAlias(sourceFile, left.expression)) {
          convertNamedExport(sourceFile, assignment, changes, exports22);
        }
        return false;
      }
      function tryChangeModuleExportsObject(object, useSitesToUnqualify) {
        const statements = mapAllOrFail(object.properties, (prop) => {
          switch (prop.kind) {
            case 177:
            case 178:
            case 304:
            case 305:
              return void 0;
            case 303:
              return !isIdentifier(prop.name) ? void 0 : convertExportsDotXEquals_replaceNode(prop.name.text, prop.initializer, useSitesToUnqualify);
            case 174:
              return !isIdentifier(prop.name) ? void 0 : functionExpressionToDeclaration(prop.name.text, [factory.createToken(
                95
                /* ExportKeyword */
              )], prop, useSitesToUnqualify);
            default:
              Debug.assertNever(prop, `Convert to ES6 got invalid prop kind ${prop.kind}`);
          }
        });
        return statements && [statements, false];
      }
      function convertNamedExport(sourceFile, assignment, changes, exports22) {
        const { text } = assignment.left.name;
        const rename = exports22.get(text);
        if (rename !== void 0) {
          const newNodes = [
            makeConst(
              /*modifiers*/
              void 0,
              rename,
              assignment.right
            ),
            makeExportDeclaration([factory.createExportSpecifier(
              /*isTypeOnly*/
              false,
              rename,
              text
            )])
          ];
          changes.replaceNodeWithNodes(sourceFile, assignment.parent, newNodes);
        } else {
          convertExportsPropertyAssignment(assignment, sourceFile, changes);
        }
      }
      function convertReExportAll(reExported, checker) {
        const moduleSpecifier = reExported.text;
        const moduleSymbol = checker.getSymbolAtLocation(reExported);
        const exports22 = moduleSymbol ? moduleSymbol.exports : emptyMap;
        return exports22.has(
          "export="
          /* ExportEquals */
        ) ? [[reExportDefault(moduleSpecifier)], true] : !exports22.has(
          "default"
          /* Default */
        ) ? [[reExportStar(moduleSpecifier)], false] : (
          // If there's some non-default export, must include both `export *` and `export default`.
          exports22.size > 1 ? [[reExportStar(moduleSpecifier), reExportDefault(moduleSpecifier)], true] : [[reExportDefault(moduleSpecifier)], true]
        );
      }
      function reExportStar(moduleSpecifier) {
        return makeExportDeclaration(
          /*exportSpecifiers*/
          void 0,
          moduleSpecifier
        );
      }
      function reExportDefault(moduleSpecifier) {
        return makeExportDeclaration([factory.createExportSpecifier(
          /*isTypeOnly*/
          false,
          /*propertyName*/
          void 0,
          "default"
        )], moduleSpecifier);
      }
      function convertExportsPropertyAssignment({ left, right, parent: parent2 }, sourceFile, changes) {
        const name = left.name.text;
        if ((isFunctionExpression(right) || isArrowFunction(right) || isClassExpression(right)) && (!right.name || right.name.text === name)) {
          changes.replaceRange(sourceFile, { pos: left.getStart(sourceFile), end: right.getStart(sourceFile) }, factory.createToken(
            95
            /* ExportKeyword */
          ), { suffix: " " });
          if (!right.name) changes.insertName(sourceFile, right, name);
          const semi = findChildOfKind(parent2, 27, sourceFile);
          if (semi) changes.delete(sourceFile, semi);
        } else {
          changes.replaceNodeRangeWithNodes(sourceFile, left.expression, findChildOfKind(left, 25, sourceFile), [factory.createToken(
            95
            /* ExportKeyword */
          ), factory.createToken(
            87
            /* ConstKeyword */
          )], { joiner: " ", suffix: " " });
        }
      }
      function convertExportsDotXEquals_replaceNode(name, exported, useSitesToUnqualify) {
        const modifiers = [factory.createToken(
          95
          /* ExportKeyword */
        )];
        switch (exported.kind) {
          case 218: {
            const { name: expressionName } = exported;
            if (expressionName && expressionName.text !== name) {
              return exportConst();
            }
          }
          case 219:
            return functionExpressionToDeclaration(name, modifiers, exported, useSitesToUnqualify);
          case 231:
            return classExpressionToDeclaration(name, modifiers, exported, useSitesToUnqualify);
          default:
            return exportConst();
        }
        function exportConst() {
          return makeConst(modifiers, factory.createIdentifier(name), replaceImportUseSites(exported, useSitesToUnqualify));
        }
      }
      function replaceImportUseSites(nodeOrNodes, useSitesToUnqualify) {
        if (!useSitesToUnqualify || !some(arrayFrom(useSitesToUnqualify.keys()), (original) => rangeContainsRange(nodeOrNodes, original))) {
          return nodeOrNodes;
        }
        return isArray3(nodeOrNodes) ? getSynthesizedDeepClonesWithReplacements(
          nodeOrNodes,
          /*includeTrivia*/
          true,
          replaceNode
        ) : getSynthesizedDeepCloneWithReplacements(
          nodeOrNodes,
          /*includeTrivia*/
          true,
          replaceNode
        );
        function replaceNode(original) {
          if (original.kind === 211) {
            const replacement = useSitesToUnqualify.get(original);
            useSitesToUnqualify.delete(original);
            return replacement;
          }
        }
      }
      function convertSingleImport(name, moduleSpecifier, checker, identifiers, target, quotePreference) {
        switch (name.kind) {
          case 206: {
            const importSpecifiers = mapAllOrFail(name.elements, (e) => e.dotDotDotToken || e.initializer || e.propertyName && !isIdentifier(e.propertyName) || !isIdentifier(e.name) ? void 0 : makeImportSpecifier2(e.propertyName && e.propertyName.text, e.name.text));
            if (importSpecifiers) {
              return convertedImports([makeImport(
                /*defaultImport*/
                void 0,
                importSpecifiers,
                moduleSpecifier,
                quotePreference
              )]);
            }
          }
          case 207: {
            const tmp = makeUniqueName(moduleSpecifierToValidIdentifier(moduleSpecifier.text, target), identifiers);
            return convertedImports([
              makeImport(
                factory.createIdentifier(tmp),
                /*namedImports*/
                void 0,
                moduleSpecifier,
                quotePreference
              ),
              makeConst(
                /*modifiers*/
                void 0,
                getSynthesizedDeepClone(name),
                factory.createIdentifier(tmp)
              )
            ]);
          }
          case 80:
            return convertSingleIdentifierImport(name, moduleSpecifier, checker, identifiers, quotePreference);
          default:
            return Debug.assertNever(name, `Convert to ES module got invalid name kind ${name.kind}`);
        }
      }
      function convertSingleIdentifierImport(name, moduleSpecifier, checker, identifiers, quotePreference) {
        const nameSymbol = checker.getSymbolAtLocation(name);
        const namedBindingsNames = /* @__PURE__ */ new Map();
        let needDefaultImport = false;
        let useSitesToUnqualify;
        for (const use of identifiers.original.get(name.text)) {
          if (checker.getSymbolAtLocation(use) !== nameSymbol || use === name) {
            continue;
          }
          const { parent: parent2 } = use;
          if (isPropertyAccessExpression(parent2)) {
            const { name: { text: propertyName } } = parent2;
            if (propertyName === "default") {
              needDefaultImport = true;
              const importDefaultName = use.getText();
              (useSitesToUnqualify ?? (useSitesToUnqualify = /* @__PURE__ */ new Map())).set(parent2, factory.createIdentifier(importDefaultName));
            } else {
              Debug.assert(parent2.expression === use, "Didn't expect expression === use");
              let idName = namedBindingsNames.get(propertyName);
              if (idName === void 0) {
                idName = makeUniqueName(propertyName, identifiers);
                namedBindingsNames.set(propertyName, idName);
              }
              (useSitesToUnqualify ?? (useSitesToUnqualify = /* @__PURE__ */ new Map())).set(parent2, factory.createIdentifier(idName));
            }
          } else {
            needDefaultImport = true;
          }
        }
        const namedBindings = namedBindingsNames.size === 0 ? void 0 : arrayFrom(mapIterator(namedBindingsNames.entries(), ([propertyName, idName]) => factory.createImportSpecifier(
          /*isTypeOnly*/
          false,
          propertyName === idName ? void 0 : factory.createIdentifier(propertyName),
          factory.createIdentifier(idName)
        )));
        if (!namedBindings) {
          needDefaultImport = true;
        }
        return convertedImports(
          [makeImport(needDefaultImport ? getSynthesizedDeepClone(name) : void 0, namedBindings, moduleSpecifier, quotePreference)],
          useSitesToUnqualify
        );
      }
      function makeUniqueName(name, identifiers) {
        while (identifiers.original.has(name) || identifiers.additional.has(name)) {
          name = `_${name}`;
        }
        identifiers.additional.add(name);
        return name;
      }
      function collectFreeIdentifiers(file) {
        const map2 = createMultiMap();
        forEachFreeIdentifier(file, (id) => map2.add(id.text, id));
        return map2;
      }
      function forEachFreeIdentifier(node, cb) {
        if (isIdentifier(node) && isFreeIdentifier(node)) cb(node);
        node.forEachChild((child) => forEachFreeIdentifier(child, cb));
      }
      function isFreeIdentifier(node) {
        const { parent: parent2 } = node;
        switch (parent2.kind) {
          case 211:
            return parent2.name !== node;
          case 208:
            return parent2.propertyName !== node;
          case 276:
            return parent2.propertyName !== node;
          default:
            return true;
        }
      }
      function functionExpressionToDeclaration(name, additionalModifiers, fn, useSitesToUnqualify) {
        return factory.createFunctionDeclaration(
          concatenate(additionalModifiers, getSynthesizedDeepClones(fn.modifiers)),
          getSynthesizedDeepClone(fn.asteriskToken),
          name,
          getSynthesizedDeepClones(fn.typeParameters),
          getSynthesizedDeepClones(fn.parameters),
          getSynthesizedDeepClone(fn.type),
          factory.converters.convertToFunctionBlock(replaceImportUseSites(fn.body, useSitesToUnqualify))
        );
      }
      function classExpressionToDeclaration(name, additionalModifiers, cls, useSitesToUnqualify) {
        return factory.createClassDeclaration(
          concatenate(additionalModifiers, getSynthesizedDeepClones(cls.modifiers)),
          name,
          getSynthesizedDeepClones(cls.typeParameters),
          getSynthesizedDeepClones(cls.heritageClauses),
          replaceImportUseSites(cls.members, useSitesToUnqualify)
        );
      }
      function makeSingleImport(localName, propertyName, moduleSpecifier, quotePreference) {
        return propertyName === "default" ? makeImport(
          factory.createIdentifier(localName),
          /*namedImports*/
          void 0,
          moduleSpecifier,
          quotePreference
        ) : makeImport(
          /*defaultImport*/
          void 0,
          [makeImportSpecifier2(propertyName, localName)],
          moduleSpecifier,
          quotePreference
        );
      }
      function makeImportSpecifier2(propertyName, name) {
        return factory.createImportSpecifier(
          /*isTypeOnly*/
          false,
          propertyName !== void 0 && propertyName !== name ? factory.createIdentifier(propertyName) : void 0,
          factory.createIdentifier(name)
        );
      }
      function makeConst(modifiers, name, init) {
        return factory.createVariableStatement(
          modifiers,
          factory.createVariableDeclarationList(
            [factory.createVariableDeclaration(
              name,
              /*exclamationToken*/
              void 0,
              /*type*/
              void 0,
              init
            )],
            2
            /* Const */
          )
        );
      }
      function makeExportDeclaration(exportSpecifiers, moduleSpecifier) {
        return factory.createExportDeclaration(
          /*modifiers*/
          void 0,
          /*isTypeOnly*/
          false,
          exportSpecifiers && factory.createNamedExports(exportSpecifiers),
          moduleSpecifier === void 0 ? void 0 : factory.createStringLiteral(moduleSpecifier)
        );
      }
      function convertedImports(newImports, useSitesToUnqualify) {
        return {
          newImports,
          useSitesToUnqualify
        };
      }
      var fixId11 = "correctQualifiedNameToIndexedAccessType";
      var errorCodes12 = [Diagnostics.Cannot_access_0_1_because_0_is_a_type_but_not_a_namespace_Did_you_mean_to_retrieve_the_type_of_the_property_1_in_0_with_0_1.code];
      registerCodeFix({
        errorCodes: errorCodes12,
        getCodeActions(context) {
          const qualifiedName = getQualifiedName(context.sourceFile, context.span.start);
          if (!qualifiedName) return void 0;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange10(t, context.sourceFile, qualifiedName));
          const newText = `${qualifiedName.left.text}["${qualifiedName.right.text}"]`;
          return [createCodeFixAction(fixId11, changes, [Diagnostics.Rewrite_as_the_indexed_access_type_0, newText], fixId11, Diagnostics.Rewrite_all_as_indexed_access_types)];
        },
        fixIds: [fixId11],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes12, (changes, diag2) => {
          const q = getQualifiedName(diag2.file, diag2.start);
          if (q) {
            doChange10(changes, diag2.file, q);
          }
        })
      });
      function getQualifiedName(sourceFile, pos) {
        const qualifiedName = findAncestor(getTokenAtPosition(sourceFile, pos), isQualifiedName);
        Debug.assert(!!qualifiedName, "Expected position to be owned by a qualified name.");
        return isIdentifier(qualifiedName.left) ? qualifiedName : void 0;
      }
      function doChange10(changeTracker, sourceFile, qualifiedName) {
        const rightText = qualifiedName.right.text;
        const replacement = factory.createIndexedAccessTypeNode(
          factory.createTypeReferenceNode(
            qualifiedName.left,
            /*typeArguments*/
            void 0
          ),
          factory.createLiteralTypeNode(factory.createStringLiteral(rightText))
        );
        changeTracker.replaceNode(sourceFile, qualifiedName, replacement);
      }
      var errorCodes13 = [Diagnostics.Re_exporting_a_type_when_0_is_enabled_requires_using_export_type.code];
      var fixId12 = "convertToTypeOnlyExport";
      registerCodeFix({
        errorCodes: errorCodes13,
        getCodeActions: function getCodeActionsToConvertToTypeOnlyExport(context) {
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => fixSingleExportDeclaration(t, getExportSpecifierForDiagnosticSpan(context.span, context.sourceFile), context));
          if (changes.length) {
            return [createCodeFixAction(fixId12, changes, Diagnostics.Convert_to_type_only_export, fixId12, Diagnostics.Convert_all_re_exported_types_to_type_only_exports)];
          }
        },
        fixIds: [fixId12],
        getAllCodeActions: function getAllCodeActionsToConvertToTypeOnlyExport(context) {
          const fixedExportDeclarations = /* @__PURE__ */ new Map();
          return codeFixAll(context, errorCodes13, (changes, diag2) => {
            const exportSpecifier = getExportSpecifierForDiagnosticSpan(diag2, context.sourceFile);
            if (exportSpecifier && addToSeen(fixedExportDeclarations, getNodeId(exportSpecifier.parent.parent))) {
              fixSingleExportDeclaration(changes, exportSpecifier, context);
            }
          });
        }
      });
      function getExportSpecifierForDiagnosticSpan(span, sourceFile) {
        return tryCast(getTokenAtPosition(sourceFile, span.start).parent, isExportSpecifier);
      }
      function fixSingleExportDeclaration(changes, exportSpecifier, context) {
        if (!exportSpecifier) {
          return;
        }
        const exportClause = exportSpecifier.parent;
        const exportDeclaration = exportClause.parent;
        const typeExportSpecifiers = getTypeExportSpecifiers(exportSpecifier, context);
        if (typeExportSpecifiers.length === exportClause.elements.length) {
          changes.insertModifierBefore(context.sourceFile, 156, exportClause);
        } else {
          const valueExportDeclaration = factory.updateExportDeclaration(
            exportDeclaration,
            exportDeclaration.modifiers,
            /*isTypeOnly*/
            false,
            factory.updateNamedExports(exportClause, filter(exportClause.elements, (e) => !contains(typeExportSpecifiers, e))),
            exportDeclaration.moduleSpecifier,
            /*attributes*/
            void 0
          );
          const typeExportDeclaration = factory.createExportDeclaration(
            /*modifiers*/
            void 0,
            /*isTypeOnly*/
            true,
            factory.createNamedExports(typeExportSpecifiers),
            exportDeclaration.moduleSpecifier,
            /*attributes*/
            void 0
          );
          changes.replaceNode(context.sourceFile, exportDeclaration, valueExportDeclaration, {
            leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.IncludeAll,
            trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Exclude
          });
          changes.insertNodeAfter(context.sourceFile, exportDeclaration, typeExportDeclaration);
        }
      }
      function getTypeExportSpecifiers(originExportSpecifier, context) {
        const exportClause = originExportSpecifier.parent;
        if (exportClause.elements.length === 1) {
          return exportClause.elements;
        }
        const diagnostics = getDiagnosticsWithinSpan(
          createTextSpanFromNode(exportClause),
          context.program.getSemanticDiagnostics(context.sourceFile, context.cancellationToken)
        );
        return filter(exportClause.elements, (element) => {
          var _a;
          return element === originExportSpecifier || ((_a = findDiagnosticForNode(element, diagnostics)) == null ? void 0 : _a.code) === errorCodes13[0];
        });
      }
      var errorCodes14 = [
        Diagnostics._0_is_a_type_and_must_be_imported_using_a_type_only_import_when_verbatimModuleSyntax_is_enabled.code,
        Diagnostics._0_resolves_to_a_type_only_declaration_and_must_be_imported_using_a_type_only_import_when_verbatimModuleSyntax_is_enabled.code
      ];
      var fixId13 = "convertToTypeOnlyImport";
      registerCodeFix({
        errorCodes: errorCodes14,
        getCodeActions: function getCodeActionsToConvertToTypeOnlyImport(context) {
          var _a;
          const declaration = getDeclaration2(context.sourceFile, context.span.start);
          if (declaration) {
            const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange11(t, context.sourceFile, declaration));
            const importDeclarationChanges = declaration.kind === 276 && isImportDeclaration(declaration.parent.parent.parent) && canConvertImportDeclarationForSpecifier(declaration, context.sourceFile, context.program) ? ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange11(t, context.sourceFile, declaration.parent.parent.parent)) : void 0;
            const mainAction = createCodeFixAction(
              fixId13,
              changes,
              declaration.kind === 276 ? [Diagnostics.Use_type_0, ((_a = declaration.propertyName) == null ? void 0 : _a.text) ?? declaration.name.text] : Diagnostics.Use_import_type,
              fixId13,
              Diagnostics.Fix_all_with_type_only_imports
            );
            if (some(importDeclarationChanges)) {
              return [
                createCodeFixActionWithoutFixAll(fixId13, importDeclarationChanges, Diagnostics.Use_import_type),
                mainAction
              ];
            }
            return [mainAction];
          }
          return void 0;
        },
        fixIds: [fixId13],
        getAllCodeActions: function getAllCodeActionsToConvertToTypeOnlyImport(context) {
          const fixedImportDeclarations = /* @__PURE__ */ new Set();
          return codeFixAll(context, errorCodes14, (changes, diag2) => {
            const errorDeclaration = getDeclaration2(diag2.file, diag2.start);
            if ((errorDeclaration == null ? void 0 : errorDeclaration.kind) === 272 && !fixedImportDeclarations.has(errorDeclaration)) {
              doChange11(changes, diag2.file, errorDeclaration);
              fixedImportDeclarations.add(errorDeclaration);
            } else if ((errorDeclaration == null ? void 0 : errorDeclaration.kind) === 276 && isImportDeclaration(errorDeclaration.parent.parent.parent) && !fixedImportDeclarations.has(errorDeclaration.parent.parent.parent) && canConvertImportDeclarationForSpecifier(errorDeclaration, diag2.file, context.program)) {
              doChange11(changes, diag2.file, errorDeclaration.parent.parent.parent);
              fixedImportDeclarations.add(errorDeclaration.parent.parent.parent);
            } else if ((errorDeclaration == null ? void 0 : errorDeclaration.kind) === 276) {
              doChange11(changes, diag2.file, errorDeclaration);
            }
          });
        }
      });
      function getDeclaration2(sourceFile, pos) {
        const { parent: parent2 } = getTokenAtPosition(sourceFile, pos);
        return isImportSpecifier(parent2) || isImportDeclaration(parent2) && parent2.importClause ? parent2 : void 0;
      }
      function canConvertImportDeclarationForSpecifier(specifier, sourceFile, program) {
        if (specifier.parent.parent.name) {
          return false;
        }
        const nonTypeOnlySpecifiers = specifier.parent.elements.filter((e) => !e.isTypeOnly);
        if (nonTypeOnlySpecifiers.length === 1) {
          return true;
        }
        const checker = program.getTypeChecker();
        for (const specifier2 of nonTypeOnlySpecifiers) {
          const isUsedAsValue = ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(specifier2.name, checker, sourceFile, (usage) => {
            const symbol = checker.getSymbolAtLocation(usage);
            return !!symbol && checker.symbolIsValue(symbol) || !isValidTypeOnlyAliasUseSite(usage);
          });
          if (isUsedAsValue) {
            return false;
          }
        }
        return true;
      }
      function doChange11(changes, sourceFile, declaration) {
        var _a;
        if (isImportSpecifier(declaration)) {
          changes.replaceNode(sourceFile, declaration, factory.updateImportSpecifier(
            declaration,
            /*isTypeOnly*/
            true,
            declaration.propertyName,
            declaration.name
          ));
        } else {
          const importClause = declaration.importClause;
          if (importClause.name && importClause.namedBindings) {
            changes.replaceNodeWithNodes(sourceFile, declaration, [
              factory.createImportDeclaration(
                getSynthesizedDeepClones(
                  declaration.modifiers,
                  /*includeTrivia*/
                  true
                ),
                factory.createImportClause(
                  /*isTypeOnly*/
                  true,
                  getSynthesizedDeepClone(
                    importClause.name,
                    /*includeTrivia*/
                    true
                  ),
                  /*namedBindings*/
                  void 0
                ),
                getSynthesizedDeepClone(
                  declaration.moduleSpecifier,
                  /*includeTrivia*/
                  true
                ),
                getSynthesizedDeepClone(
                  declaration.attributes,
                  /*includeTrivia*/
                  true
                )
              ),
              factory.createImportDeclaration(
                getSynthesizedDeepClones(
                  declaration.modifiers,
                  /*includeTrivia*/
                  true
                ),
                factory.createImportClause(
                  /*isTypeOnly*/
                  true,
                  /*name*/
                  void 0,
                  getSynthesizedDeepClone(
                    importClause.namedBindings,
                    /*includeTrivia*/
                    true
                  )
                ),
                getSynthesizedDeepClone(
                  declaration.moduleSpecifier,
                  /*includeTrivia*/
                  true
                ),
                getSynthesizedDeepClone(
                  declaration.attributes,
                  /*includeTrivia*/
                  true
                )
              )
            ]);
          } else {
            const newNamedBindings = ((_a = importClause.namedBindings) == null ? void 0 : _a.kind) === 275 ? factory.updateNamedImports(
              importClause.namedBindings,
              sameMap(importClause.namedBindings.elements, (e) => factory.updateImportSpecifier(
                e,
                /*isTypeOnly*/
                false,
                e.propertyName,
                e.name
              ))
            ) : importClause.namedBindings;
            const importDeclaration = factory.updateImportDeclaration(declaration, declaration.modifiers, factory.updateImportClause(
              importClause,
              /*isTypeOnly*/
              true,
              importClause.name,
              newNamedBindings
            ), declaration.moduleSpecifier, declaration.attributes);
            changes.replaceNode(sourceFile, declaration, importDeclaration);
          }
        }
      }
      var fixId14 = "convertTypedefToType";
      var errorCodes15 = [Diagnostics.JSDoc_typedef_may_be_converted_to_TypeScript_type.code];
      registerCodeFix({
        fixIds: [fixId14],
        errorCodes: errorCodes15,
        getCodeActions(context) {
          const newLineCharacter = getNewLineOrDefaultFromHost(context.host, context.formatContext.options);
          const node = getTokenAtPosition(
            context.sourceFile,
            context.span.start
          );
          if (!node) return;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange12(t, node, context.sourceFile, newLineCharacter));
          if (changes.length > 0) {
            return [
              createCodeFixAction(
                fixId14,
                changes,
                Diagnostics.Convert_typedef_to_TypeScript_type,
                fixId14,
                Diagnostics.Convert_all_typedef_to_TypeScript_types
              )
            ];
          }
        },
        getAllCodeActions: (context) => codeFixAll(
          context,
          errorCodes15,
          (changes, diag2) => {
            const newLineCharacter = getNewLineOrDefaultFromHost(context.host, context.formatContext.options);
            const node = getTokenAtPosition(diag2.file, diag2.start);
            const fixAll = true;
            if (node) doChange12(changes, node, diag2.file, newLineCharacter, fixAll);
          }
        )
      });
      function doChange12(changes, node, sourceFile, newLine, fixAll = false) {
        if (!isJSDocTypedefTag(node)) return;
        const declaration = createDeclaration(node);
        if (!declaration) return;
        const commentNode = node.parent;
        const { leftSibling, rightSibling } = getLeftAndRightSiblings(node);
        let pos = commentNode.getStart();
        let prefix = "";
        if (!leftSibling && commentNode.comment) {
          pos = findEndOfTextBetween(commentNode, commentNode.getStart(), node.getStart());
          prefix = `${newLine} */${newLine}`;
        }
        if (leftSibling) {
          if (fixAll && isJSDocTypedefTag(leftSibling)) {
            pos = node.getStart();
            prefix = "";
          } else {
            pos = findEndOfTextBetween(commentNode, leftSibling.getStart(), node.getStart());
            prefix = `${newLine} */${newLine}`;
          }
        }
        let end = commentNode.getEnd();
        let suffix = "";
        if (rightSibling) {
          if (fixAll && isJSDocTypedefTag(rightSibling)) {
            end = rightSibling.getStart();
            suffix = `${newLine}${newLine}`;
          } else {
            end = rightSibling.getStart();
            suffix = `${newLine}/**${newLine} * `;
          }
        }
        changes.replaceRange(sourceFile, { pos, end }, declaration, { prefix, suffix });
      }
      function getLeftAndRightSiblings(typedefNode) {
        const commentNode = typedefNode.parent;
        const maxChildIndex = commentNode.getChildCount() - 1;
        const currentNodeIndex = commentNode.getChildren().findIndex(
          (n) => n.getStart() === typedefNode.getStart() && n.getEnd() === typedefNode.getEnd()
        );
        const leftSibling = currentNodeIndex > 0 ? commentNode.getChildAt(currentNodeIndex - 1) : void 0;
        const rightSibling = currentNodeIndex < maxChildIndex ? commentNode.getChildAt(currentNodeIndex + 1) : void 0;
        return { leftSibling, rightSibling };
      }
      function findEndOfTextBetween(jsDocComment, from, to) {
        const comment = jsDocComment.getText().substring(from - jsDocComment.getStart(), to - jsDocComment.getStart());
        for (let i = comment.length; i > 0; i--) {
          if (!/[*/\s]/g.test(comment.substring(i - 1, i))) {
            return from + i;
          }
        }
        return to;
      }
      function createDeclaration(tag) {
        var _a;
        const { typeExpression } = tag;
        if (!typeExpression) return;
        const typeName = (_a = tag.name) == null ? void 0 : _a.getText();
        if (!typeName) return;
        if (typeExpression.kind === 322) {
          return createInterfaceForTypeLiteral(typeName, typeExpression);
        }
        if (typeExpression.kind === 309) {
          return createTypeAliasForTypeExpression(typeName, typeExpression);
        }
      }
      function createInterfaceForTypeLiteral(typeName, typeLiteral) {
        const propertySignatures = createSignatureFromTypeLiteral(typeLiteral);
        if (!some(propertySignatures)) return;
        return factory.createInterfaceDeclaration(
          /*modifiers*/
          void 0,
          typeName,
          /*typeParameters*/
          void 0,
          /*heritageClauses*/
          void 0,
          propertySignatures
        );
      }
      function createTypeAliasForTypeExpression(typeName, typeExpression) {
        const typeReference = getSynthesizedDeepClone(typeExpression.type);
        if (!typeReference) return;
        return factory.createTypeAliasDeclaration(
          /*modifiers*/
          void 0,
          factory.createIdentifier(typeName),
          /*typeParameters*/
          void 0,
          typeReference
        );
      }
      function createSignatureFromTypeLiteral(typeLiteral) {
        const propertyTags = typeLiteral.jsDocPropertyTags;
        if (!some(propertyTags)) return;
        const getSignature = (tag) => {
          var _a;
          const name = getPropertyName2(tag);
          const type = (_a = tag.typeExpression) == null ? void 0 : _a.type;
          const isOptional = tag.isBracketed;
          let typeReference;
          if (type && isJSDocTypeLiteral(type)) {
            const signatures = createSignatureFromTypeLiteral(type);
            typeReference = factory.createTypeLiteralNode(signatures);
          } else if (type) {
            typeReference = getSynthesizedDeepClone(type);
          }
          if (typeReference && name) {
            const questionToken = isOptional ? factory.createToken(
              58
              /* QuestionToken */
            ) : void 0;
            return factory.createPropertySignature(
              /*modifiers*/
              void 0,
              name,
              questionToken,
              typeReference
            );
          }
        };
        return mapDefined(propertyTags, getSignature);
      }
      function getPropertyName2(tag) {
        return tag.name.kind === 80 ? tag.name.text : tag.name.right.text;
      }
      function getJSDocTypedefNodes(node) {
        if (hasJSDocNodes(node)) {
          return flatMap(node.jsDoc, (doc) => {
            var _a;
            return (_a = doc.tags) == null ? void 0 : _a.filter((tag) => isJSDocTypedefTag(tag));
          });
        }
        return [];
      }
      var fixId15 = "convertLiteralTypeToMappedType";
      var errorCodes16 = [Diagnostics._0_only_refers_to_a_type_but_is_being_used_as_a_value_here_Did_you_mean_to_use_1_in_0.code];
      registerCodeFix({
        errorCodes: errorCodes16,
        getCodeActions: function getCodeActionsToConvertLiteralTypeToMappedType(context) {
          const { sourceFile, span } = context;
          const info = getInfo5(sourceFile, span.start);
          if (!info) {
            return void 0;
          }
          const { name, constraint } = info;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange13(t, sourceFile, info));
          return [createCodeFixAction(fixId15, changes, [Diagnostics.Convert_0_to_1_in_0, constraint, name], fixId15, Diagnostics.Convert_all_type_literals_to_mapped_type)];
        },
        fixIds: [fixId15],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes16, (changes, diag2) => {
          const info = getInfo5(diag2.file, diag2.start);
          if (info) {
            doChange13(changes, diag2.file, info);
          }
        })
      });
      function getInfo5(sourceFile, pos) {
        const token = getTokenAtPosition(sourceFile, pos);
        if (isIdentifier(token)) {
          const propertySignature = cast(token.parent.parent, isPropertySignature);
          const propertyName = token.getText(sourceFile);
          return {
            container: cast(propertySignature.parent, isTypeLiteralNode),
            typeNode: propertySignature.type,
            constraint: propertyName,
            name: propertyName === "K" ? "P" : "K"
          };
        }
        return void 0;
      }
      function doChange13(changes, sourceFile, { container, typeNode, constraint, name }) {
        changes.replaceNode(
          sourceFile,
          container,
          factory.createMappedTypeNode(
            /*readonlyToken*/
            void 0,
            factory.createTypeParameterDeclaration(
              /*modifiers*/
              void 0,
              name,
              factory.createTypeReferenceNode(constraint)
            ),
            /*nameType*/
            void 0,
            /*questionToken*/
            void 0,
            typeNode,
            /*members*/
            void 0
          )
        );
      }
      var errorCodes17 = [
        Diagnostics.Class_0_incorrectly_implements_interface_1.code,
        Diagnostics.Class_0_incorrectly_implements_class_1_Did_you_mean_to_extend_1_and_inherit_its_members_as_a_subclass.code
      ];
      var fixId16 = "fixClassIncorrectlyImplementsInterface";
      registerCodeFix({
        errorCodes: errorCodes17,
        getCodeActions(context) {
          const { sourceFile, span } = context;
          const classDeclaration = getClass(sourceFile, span.start);
          return mapDefined(getEffectiveImplementsTypeNodes(classDeclaration), (implementedTypeNode) => {
            const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addMissingDeclarations(context, implementedTypeNode, sourceFile, classDeclaration, t, context.preferences));
            return changes.length === 0 ? void 0 : createCodeFixAction(fixId16, changes, [Diagnostics.Implement_interface_0, implementedTypeNode.getText(sourceFile)], fixId16, Diagnostics.Implement_all_unimplemented_interfaces);
          });
        },
        fixIds: [fixId16],
        getAllCodeActions(context) {
          const seenClassDeclarations = /* @__PURE__ */ new Map();
          return codeFixAll(context, errorCodes17, (changes, diag2) => {
            const classDeclaration = getClass(diag2.file, diag2.start);
            if (addToSeen(seenClassDeclarations, getNodeId(classDeclaration))) {
              for (const implementedTypeNode of getEffectiveImplementsTypeNodes(classDeclaration)) {
                addMissingDeclarations(context, implementedTypeNode, diag2.file, classDeclaration, changes, context.preferences);
              }
            }
          });
        }
      });
      function getClass(sourceFile, pos) {
        return Debug.checkDefined(getContainingClass(getTokenAtPosition(sourceFile, pos)), "There should be a containing class");
      }
      function symbolPointsToNonPrivateMember(symbol) {
        return !symbol.valueDeclaration || !(getEffectiveModifierFlags(symbol.valueDeclaration) & 2);
      }
      function addMissingDeclarations(context, implementedTypeNode, sourceFile, classDeclaration, changeTracker, preferences) {
        const checker = context.program.getTypeChecker();
        const maybeHeritageClauseSymbol = getHeritageClauseSymbolTable(classDeclaration, checker);
        const implementedType = checker.getTypeAtLocation(implementedTypeNode);
        const implementedTypeSymbols = checker.getPropertiesOfType(implementedType);
        const nonPrivateAndNotExistedInHeritageClauseMembers = implementedTypeSymbols.filter(and(symbolPointsToNonPrivateMember, (symbol) => !maybeHeritageClauseSymbol.has(symbol.escapedName)));
        const classType = checker.getTypeAtLocation(classDeclaration);
        const constructor = find(classDeclaration.members, (m) => isConstructorDeclaration(m));
        if (!classType.getNumberIndexType()) {
          createMissingIndexSignatureDeclaration(
            implementedType,
            1
            /* Number */
          );
        }
        if (!classType.getStringIndexType()) {
          createMissingIndexSignatureDeclaration(
            implementedType,
            0
            /* String */
          );
        }
        const importAdder = createImportAdder(sourceFile, context.program, preferences, context.host);
        createMissingMemberNodes(classDeclaration, nonPrivateAndNotExistedInHeritageClauseMembers, sourceFile, context, preferences, importAdder, (member) => insertInterfaceMemberNode(sourceFile, classDeclaration, member));
        importAdder.writeFixes(changeTracker);
        function createMissingIndexSignatureDeclaration(type, kind) {
          const indexInfoOfKind = checker.getIndexInfoOfType(type, kind);
          if (indexInfoOfKind) {
            insertInterfaceMemberNode(sourceFile, classDeclaration, checker.indexInfoToIndexSignatureDeclaration(
              indexInfoOfKind,
              classDeclaration,
              /*flags*/
              void 0,
              getNoopSymbolTrackerWithResolver(context)
            ));
          }
        }
        function insertInterfaceMemberNode(sourceFile2, cls, newElement) {
          if (constructor) {
            changeTracker.insertNodeAfter(sourceFile2, constructor, newElement);
          } else {
            changeTracker.insertMemberAtStart(sourceFile2, cls, newElement);
          }
        }
      }
      function getHeritageClauseSymbolTable(classDeclaration, checker) {
        const heritageClauseNode = getEffectiveBaseTypeNode(classDeclaration);
        if (!heritageClauseNode) return createSymbolTable();
        const heritageClauseType = checker.getTypeAtLocation(heritageClauseNode);
        const heritageClauseTypeSymbols = checker.getPropertiesOfType(heritageClauseType);
        return createSymbolTable(heritageClauseTypeSymbols.filter(symbolPointsToNonPrivateMember));
      }
      var importFixName = "import";
      var importFixId = "fixMissingImport";
      var errorCodes18 = [
        Diagnostics.Cannot_find_name_0.code,
        Diagnostics.Cannot_find_name_0_Did_you_mean_1.code,
        Diagnostics.Cannot_find_name_0_Did_you_mean_the_instance_member_this_0.code,
        Diagnostics.Cannot_find_name_0_Did_you_mean_the_static_member_1_0.code,
        Diagnostics.Cannot_find_namespace_0.code,
        Diagnostics._0_refers_to_a_UMD_global_but_the_current_file_is_a_module_Consider_adding_an_import_instead.code,
        Diagnostics._0_only_refers_to_a_type_but_is_being_used_as_a_value_here.code,
        Diagnostics.No_value_exists_in_scope_for_the_shorthand_property_0_Either_declare_one_or_provide_an_initializer.code,
        Diagnostics._0_cannot_be_used_as_a_value_because_it_was_imported_using_import_type.code,
        Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_jQuery_Try_npm_i_save_dev_types_Slashjquery.code,
        Diagnostics.Cannot_find_name_0_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_1_or_later.code,
        Diagnostics.Cannot_find_name_0_Do_you_need_to_change_your_target_library_Try_changing_the_lib_compiler_option_to_include_dom.code,
        Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_a_test_runner_Try_npm_i_save_dev_types_Slashjest_or_npm_i_save_dev_types_Slashmocha_and_then_add_jest_or_mocha_to_the_types_field_in_your_tsconfig.code,
        Diagnostics.Cannot_find_name_0_Did_you_mean_to_write_this_in_an_async_function.code,
        Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_jQuery_Try_npm_i_save_dev_types_Slashjquery_and_then_add_jquery_to_the_types_field_in_your_tsconfig.code,
        Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_a_test_runner_Try_npm_i_save_dev_types_Slashjest_or_npm_i_save_dev_types_Slashmocha.code,
        Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_node_Try_npm_i_save_dev_types_Slashnode.code,
        Diagnostics.Cannot_find_name_0_Do_you_need_to_install_type_definitions_for_node_Try_npm_i_save_dev_types_Slashnode_and_then_add_node_to_the_types_field_in_your_tsconfig.code,
        Diagnostics.Cannot_find_namespace_0_Did_you_mean_1.code
      ];
      registerCodeFix({
        errorCodes: errorCodes18,
        getCodeActions(context) {
          const { errorCode, preferences, sourceFile, span, program } = context;
          const info = getFixInfos(
            context,
            errorCode,
            span.start,
            /*useAutoImportProvider*/
            true
          );
          if (!info) return void 0;
          return info.map(
            ({ fix: fix11, symbolName: symbolName2, errorIdentifierText }) => codeActionForFix(
              context,
              sourceFile,
              symbolName2,
              fix11,
              /*includeSymbolNameInDescription*/
              symbolName2 !== errorIdentifierText,
              program,
              preferences
            )
          );
        },
        fixIds: [importFixId],
        getAllCodeActions: (context) => {
          const { sourceFile, program, preferences, host, cancellationToken } = context;
          const importAdder = createImportAdderWorker(
            sourceFile,
            program,
            /*useAutoImportProvider*/
            true,
            preferences,
            host,
            cancellationToken
          );
          eachDiagnostic(context, errorCodes18, (diag2) => importAdder.addImportFromDiagnostic(diag2, context));
          return createCombinedCodeActions(ts_textChanges_exports.ChangeTracker.with(context, importAdder.writeFixes));
        }
      });
      function createImportAdder(sourceFile, program, preferences, host, cancellationToken) {
        return createImportAdderWorker(
          sourceFile,
          program,
          /*useAutoImportProvider*/
          false,
          preferences,
          host,
          cancellationToken
        );
      }
      function createImportAdderWorker(sourceFile, program, useAutoImportProvider, preferences, host, cancellationToken) {
        const compilerOptions = program.getCompilerOptions();
        const addToNamespace = [];
        const importType = [];
        const addToExisting = /* @__PURE__ */ new Map();
        const removeExisting = /* @__PURE__ */ new Set();
        const verbatimImports = /* @__PURE__ */ new Set();
        const newImports = /* @__PURE__ */ new Map();
        return { addImportFromDiagnostic, addImportFromExportedSymbol, writeFixes, hasFixes, addImportForUnresolvedIdentifier, addImportForNonExistentExport, removeExistingImport, addVerbatimImport };
        function addVerbatimImport(declaration) {
          verbatimImports.add(declaration);
        }
        function addImportForUnresolvedIdentifier(context, symbolToken, useAutoImportProvider2) {
          const info = getFixInfosWithoutDiagnostic(context, symbolToken, useAutoImportProvider2);
          if (!info || !info.length) return;
          addImport(first(info));
        }
        function addImportFromDiagnostic(diagnostic, context) {
          const info = getFixInfos(context, diagnostic.code, diagnostic.start, useAutoImportProvider);
          if (!info || !info.length) return;
          addImport(first(info));
        }
        function addImportFromExportedSymbol(exportedSymbol, isValidTypeOnlyUseSite, referenceImport) {
          var _a;
          const moduleSymbol = Debug.checkDefined(exportedSymbol.parent);
          const symbolName2 = getNameForExportedSymbol(exportedSymbol, getEmitScriptTarget(compilerOptions));
          const checker = program.getTypeChecker();
          const symbol = checker.getMergedSymbol(skipAlias(exportedSymbol, checker));
          const exportInfo = getAllExportInfoForSymbol(
            sourceFile,
            symbol,
            symbolName2,
            moduleSymbol,
            /*preferCapitalized*/
            false,
            program,
            host,
            preferences,
            cancellationToken
          );
          const useRequire = shouldUseRequire(sourceFile, program);
          let fix11 = getImportFixForSymbol(
            sourceFile,
            Debug.checkDefined(exportInfo),
            program,
            /*position*/
            void 0,
            !!isValidTypeOnlyUseSite,
            useRequire,
            host,
            preferences
          );
          if (fix11) {
            const localName = ((_a = tryCast(referenceImport == null ? void 0 : referenceImport.name, isIdentifier)) == null ? void 0 : _a.text) ?? symbolName2;
            if (referenceImport && isTypeOnlyImportDeclaration(referenceImport) && (fix11.kind === 3 || fix11.kind === 2) && fix11.addAsTypeOnly === 1) {
              fix11 = {
                ...fix11,
                addAsTypeOnly: 2
                /* Required */
              };
            }
            addImport({ fix: fix11, symbolName: localName ?? symbolName2, errorIdentifierText: void 0 });
          }
        }
        function addImportForNonExistentExport(exportName, exportingFileName, exportKind, exportedMeanings, isImportUsageValidAsTypeOnly) {
          const exportingSourceFile = program.getSourceFile(exportingFileName);
          const useRequire = shouldUseRequire(sourceFile, program);
          if (exportingSourceFile && exportingSourceFile.symbol) {
            const { fixes } = getImportFixes(
              [{
                exportKind,
                isFromPackageJson: false,
                moduleFileName: exportingFileName,
                moduleSymbol: exportingSourceFile.symbol,
                targetFlags: exportedMeanings
              }],
              /*usagePosition*/
              void 0,
              isImportUsageValidAsTypeOnly,
              useRequire,
              program,
              sourceFile,
              host,
              preferences
            );
            if (fixes.length) {
              addImport({ fix: fixes[0], symbolName: exportName, errorIdentifierText: exportName });
            }
          } else {
            const futureExportingSourceFile = createFutureSourceFile(exportingFileName, 99, program, host);
            const moduleSpecifier = ts_moduleSpecifiers_exports.getLocalModuleSpecifierBetweenFileNames(
              sourceFile,
              exportingFileName,
              compilerOptions,
              createModuleSpecifierResolutionHost(program, host)
            );
            const importKind = getImportKind(futureExportingSourceFile, exportKind, compilerOptions);
            const addAsTypeOnly = getAddAsTypeOnly(
              isImportUsageValidAsTypeOnly,
              /*isForNewImportDeclaration*/
              true,
              /*symbol*/
              void 0,
              exportedMeanings,
              program.getTypeChecker(),
              compilerOptions
            );
            const fix11 = {
              kind: 3,
              moduleSpecifierKind: "relative",
              moduleSpecifier,
              importKind,
              addAsTypeOnly,
              useRequire
            };
            addImport({ fix: fix11, symbolName: exportName, errorIdentifierText: exportName });
          }
        }
        function removeExistingImport(declaration) {
          if (declaration.kind === 273) {
            Debug.assertIsDefined(declaration.name, "ImportClause should have a name if it's being removed");
          }
          removeExisting.add(declaration);
        }
        function addImport(info) {
          var _a, _b;
          const { fix: fix11, symbolName: symbolName2 } = info;
          switch (fix11.kind) {
            case 0:
              addToNamespace.push(fix11);
              break;
            case 1:
              importType.push(fix11);
              break;
            case 2: {
              const { importClauseOrBindingPattern, importKind, addAsTypeOnly } = fix11;
              let entry = addToExisting.get(importClauseOrBindingPattern);
              if (!entry) {
                addToExisting.set(importClauseOrBindingPattern, entry = { importClauseOrBindingPattern, defaultImport: void 0, namedImports: /* @__PURE__ */ new Map() });
              }
              if (importKind === 0) {
                const prevValue = entry == null ? void 0 : entry.namedImports.get(symbolName2);
                entry.namedImports.set(symbolName2, reduceAddAsTypeOnlyValues(prevValue, addAsTypeOnly));
              } else {
                Debug.assert(entry.defaultImport === void 0 || entry.defaultImport.name === symbolName2, "(Add to Existing) Default import should be missing or match symbolName");
                entry.defaultImport = {
                  name: symbolName2,
                  addAsTypeOnly: reduceAddAsTypeOnlyValues((_a = entry.defaultImport) == null ? void 0 : _a.addAsTypeOnly, addAsTypeOnly)
                };
              }
              break;
            }
            case 3: {
              const { moduleSpecifier, importKind, useRequire, addAsTypeOnly } = fix11;
              const entry = getNewImportEntry(moduleSpecifier, importKind, useRequire, addAsTypeOnly);
              Debug.assert(entry.useRequire === useRequire, "(Add new) Tried to add an `import` and a `require` for the same module");
              switch (importKind) {
                case 1:
                  Debug.assert(entry.defaultImport === void 0 || entry.defaultImport.name === symbolName2, "(Add new) Default import should be missing or match symbolName");
                  entry.defaultImport = { name: symbolName2, addAsTypeOnly: reduceAddAsTypeOnlyValues((_b = entry.defaultImport) == null ? void 0 : _b.addAsTypeOnly, addAsTypeOnly) };
                  break;
                case 0:
                  const prevValue = (entry.namedImports || (entry.namedImports = /* @__PURE__ */ new Map())).get(symbolName2);
                  entry.namedImports.set(symbolName2, reduceAddAsTypeOnlyValues(prevValue, addAsTypeOnly));
                  break;
                case 3:
                  if (compilerOptions.verbatimModuleSyntax) {
                    const prevValue2 = (entry.namedImports || (entry.namedImports = /* @__PURE__ */ new Map())).get(symbolName2);
                    entry.namedImports.set(symbolName2, reduceAddAsTypeOnlyValues(prevValue2, addAsTypeOnly));
                  } else {
                    Debug.assert(entry.namespaceLikeImport === void 0 || entry.namespaceLikeImport.name === symbolName2, "Namespacelike import shoudl be missing or match symbolName");
                    entry.namespaceLikeImport = { importKind, name: symbolName2, addAsTypeOnly };
                  }
                  break;
                case 2:
                  Debug.assert(entry.namespaceLikeImport === void 0 || entry.namespaceLikeImport.name === symbolName2, "Namespacelike import shoudl be missing or match symbolName");
                  entry.namespaceLikeImport = { importKind, name: symbolName2, addAsTypeOnly };
                  break;
              }
              break;
            }
            case 4:
              break;
            default:
              Debug.assertNever(fix11, `fix wasn't never - got kind ${fix11.kind}`);
          }
          function reduceAddAsTypeOnlyValues(prevValue, newValue) {
            return Math.max(prevValue ?? 0, newValue);
          }
          function getNewImportEntry(moduleSpecifier, importKind, useRequire, addAsTypeOnly) {
            const typeOnlyKey = newImportsKey(
              moduleSpecifier,
              /*topLevelTypeOnly*/
              true
            );
            const nonTypeOnlyKey = newImportsKey(
              moduleSpecifier,
              /*topLevelTypeOnly*/
              false
            );
            const typeOnlyEntry = newImports.get(typeOnlyKey);
            const nonTypeOnlyEntry = newImports.get(nonTypeOnlyKey);
            const newEntry = {
              defaultImport: void 0,
              namedImports: void 0,
              namespaceLikeImport: void 0,
              useRequire
            };
            if (importKind === 1 && addAsTypeOnly === 2) {
              if (typeOnlyEntry) return typeOnlyEntry;
              newImports.set(typeOnlyKey, newEntry);
              return newEntry;
            }
            if (addAsTypeOnly === 1 && (typeOnlyEntry || nonTypeOnlyEntry)) {
              return typeOnlyEntry || nonTypeOnlyEntry;
            }
            if (nonTypeOnlyEntry) {
              return nonTypeOnlyEntry;
            }
            newImports.set(nonTypeOnlyKey, newEntry);
            return newEntry;
          }
          function newImportsKey(moduleSpecifier, topLevelTypeOnly) {
            return `${topLevelTypeOnly ? 1 : 0}|${moduleSpecifier}`;
          }
        }
        function writeFixes(changeTracker, oldFileQuotePreference) {
          var _a, _b;
          let quotePreference;
          if (isFullSourceFile(sourceFile) && sourceFile.imports.length === 0 && oldFileQuotePreference !== void 0) {
            quotePreference = oldFileQuotePreference;
          } else {
            quotePreference = getQuotePreference(sourceFile, preferences);
          }
          for (const fix11 of addToNamespace) {
            addNamespaceQualifier(changeTracker, sourceFile, fix11);
          }
          for (const fix11 of importType) {
            addImportType(changeTracker, sourceFile, fix11, quotePreference);
          }
          let importSpecifiersToRemoveWhileAdding;
          if (removeExisting.size) {
            Debug.assert(isFullSourceFile(sourceFile), "Cannot remove imports from a future source file");
            const importDeclarationsWithRemovals = new Set(mapDefined([...removeExisting], (d) => findAncestor(d, isImportDeclaration)));
            const variableDeclarationsWithRemovals = new Set(mapDefined([...removeExisting], (d) => findAncestor(d, isVariableDeclarationInitializedToRequire)));
            const emptyImportDeclarations = [...importDeclarationsWithRemovals].filter(
              (d) => {
                var _a2, _b2, _c;
                return (
                  // nothing added to the import declaration
                  !addToExisting.has(d.importClause) && // no default, or default is being removed
                  (!((_a2 = d.importClause) == null ? void 0 : _a2.name) || removeExisting.has(d.importClause)) && // no namespace import, or namespace import is being removed
                  (!tryCast((_b2 = d.importClause) == null ? void 0 : _b2.namedBindings, isNamespaceImport) || removeExisting.has(d.importClause.namedBindings)) && // no named imports, or all named imports are being removed
                  (!tryCast((_c = d.importClause) == null ? void 0 : _c.namedBindings, isNamedImports) || every(d.importClause.namedBindings.elements, (e) => removeExisting.has(e)))
                );
              }
            );
            const emptyVariableDeclarations = [...variableDeclarationsWithRemovals].filter(
              (d) => (
                // no binding elements being added to the variable declaration
                (d.name.kind !== 206 || !addToExisting.has(d.name)) && // no binding elements, or all binding elements are being removed
                (d.name.kind !== 206 || every(d.name.elements, (e) => removeExisting.has(e)))
              )
            );
            const namedBindingsToDelete = [...importDeclarationsWithRemovals].filter(
              (d) => {
                var _a2, _b2;
                return (
                  // has named bindings
                  ((_a2 = d.importClause) == null ? void 0 : _a2.namedBindings) && // is not being fully removed
                  emptyImportDeclarations.indexOf(d) === -1 && // is not gaining named imports
                  !((_b2 = addToExisting.get(d.importClause)) == null ? void 0 : _b2.namedImports) && // all named imports are being removed
                  (d.importClause.namedBindings.kind === 274 || every(d.importClause.namedBindings.elements, (e) => removeExisting.has(e)))
                );
              }
            );
            for (const declaration of [...emptyImportDeclarations, ...emptyVariableDeclarations]) {
              changeTracker.delete(sourceFile, declaration);
            }
            for (const declaration of namedBindingsToDelete) {
              changeTracker.replaceNode(
                sourceFile,
                declaration.importClause,
                factory.updateImportClause(
                  declaration.importClause,
                  declaration.importClause.isTypeOnly,
                  declaration.importClause.name,
                  /*namedBindings*/
                  void 0
                )
              );
            }
            for (const declaration of removeExisting) {
              const importDeclaration = findAncestor(declaration, isImportDeclaration);
              if (importDeclaration && emptyImportDeclarations.indexOf(importDeclaration) === -1 && namedBindingsToDelete.indexOf(importDeclaration) === -1) {
                if (declaration.kind === 273) {
                  changeTracker.delete(sourceFile, declaration.name);
                } else {
                  Debug.assert(declaration.kind === 276, "NamespaceImport should have been handled earlier");
                  if ((_a = addToExisting.get(importDeclaration.importClause)) == null ? void 0 : _a.namedImports) {
                    (importSpecifiersToRemoveWhileAdding ?? (importSpecifiersToRemoveWhileAdding = /* @__PURE__ */ new Set())).add(declaration);
                  } else {
                    changeTracker.delete(sourceFile, declaration);
                  }
                }
              } else if (declaration.kind === 208) {
                if ((_b = addToExisting.get(declaration.parent)) == null ? void 0 : _b.namedImports) {
                  (importSpecifiersToRemoveWhileAdding ?? (importSpecifiersToRemoveWhileAdding = /* @__PURE__ */ new Set())).add(declaration);
                } else {
                  changeTracker.delete(sourceFile, declaration);
                }
              } else if (declaration.kind === 271) {
                changeTracker.delete(sourceFile, declaration);
              }
            }
          }
          addToExisting.forEach(({ importClauseOrBindingPattern, defaultImport, namedImports }) => {
            doAddExistingFix(
              changeTracker,
              sourceFile,
              importClauseOrBindingPattern,
              defaultImport,
              arrayFrom(namedImports.entries(), ([name, addAsTypeOnly]) => ({ addAsTypeOnly, name })),
              importSpecifiersToRemoveWhileAdding,
              preferences
            );
          });
          let newDeclarations;
          newImports.forEach(({ useRequire, defaultImport, namedImports, namespaceLikeImport }, key) => {
            const moduleSpecifier = key.slice(2);
            const getDeclarations = useRequire ? getNewRequires : getNewImports;
            const declarations = getDeclarations(
              moduleSpecifier,
              quotePreference,
              defaultImport,
              namedImports && arrayFrom(namedImports.entries(), ([name, addAsTypeOnly]) => ({ addAsTypeOnly, name })),
              namespaceLikeImport,
              compilerOptions,
              preferences
            );
            newDeclarations = combine(newDeclarations, declarations);
          });
          newDeclarations = combine(newDeclarations, getCombinedVerbatimImports());
          if (newDeclarations) {
            insertImports(
              changeTracker,
              sourceFile,
              newDeclarations,
              /*blankLineBetween*/
              true,
              preferences
            );
          }
        }
        function getCombinedVerbatimImports() {
          if (!verbatimImports.size) return void 0;
          const importDeclarations = new Set(mapDefined([...verbatimImports], (d) => findAncestor(d, isImportDeclaration)));
          const requireStatements = new Set(mapDefined([...verbatimImports], (d) => findAncestor(d, isRequireVariableStatement)));
          return [
            ...mapDefined([...verbatimImports], (d) => d.kind === 271 ? getSynthesizedDeepClone(
              d,
              /*includeTrivia*/
              true
            ) : void 0),
            ...[...importDeclarations].map((d) => {
              var _a;
              if (verbatimImports.has(d)) {
                return getSynthesizedDeepClone(
                  d,
                  /*includeTrivia*/
                  true
                );
              }
              return getSynthesizedDeepClone(
                factory.updateImportDeclaration(
                  d,
                  d.modifiers,
                  d.importClause && factory.updateImportClause(
                    d.importClause,
                    d.importClause.isTypeOnly,
                    verbatimImports.has(d.importClause) ? d.importClause.name : void 0,
                    verbatimImports.has(d.importClause.namedBindings) ? d.importClause.namedBindings : ((_a = tryCast(d.importClause.namedBindings, isNamedImports)) == null ? void 0 : _a.elements.some((e) => verbatimImports.has(e))) ? factory.updateNamedImports(
                      d.importClause.namedBindings,
                      d.importClause.namedBindings.elements.filter((e) => verbatimImports.has(e))
                    ) : void 0
                  ),
                  d.moduleSpecifier,
                  d.attributes
                ),
                /*includeTrivia*/
                true
              );
            }),
            ...[...requireStatements].map((s) => {
              if (verbatimImports.has(s)) {
                return getSynthesizedDeepClone(
                  s,
                  /*includeTrivia*/
                  true
                );
              }
              return getSynthesizedDeepClone(
                factory.updateVariableStatement(
                  s,
                  s.modifiers,
                  factory.updateVariableDeclarationList(
                    s.declarationList,
                    mapDefined(s.declarationList.declarations, (d) => {
                      if (verbatimImports.has(d)) {
                        return d;
                      }
                      return factory.updateVariableDeclaration(
                        d,
                        d.name.kind === 206 ? factory.updateObjectBindingPattern(
                          d.name,
                          d.name.elements.filter((e) => verbatimImports.has(e))
                        ) : d.name,
                        d.exclamationToken,
                        d.type,
                        d.initializer
                      );
                    })
                  )
                ),
                /*includeTrivia*/
                true
              );
            })
          ];
        }
        function hasFixes() {
          return addToNamespace.length > 0 || importType.length > 0 || addToExisting.size > 0 || newImports.size > 0 || verbatimImports.size > 0 || removeExisting.size > 0;
        }
      }
      function createImportSpecifierResolver(importingFile, program, host, preferences) {
        const packageJsonImportFilter = createPackageJsonImportFilter(importingFile, preferences, host);
        const importMap = createExistingImportMap(program.getTypeChecker(), importingFile, program.getCompilerOptions());
        return { getModuleSpecifierForBestExportInfo };
        function getModuleSpecifierForBestExportInfo(exportInfo, position, isValidTypeOnlyUseSite, fromCacheOnly) {
          const { fixes, computedWithoutCacheCount } = getImportFixes(
            exportInfo,
            position,
            isValidTypeOnlyUseSite,
            /*useRequire*/
            false,
            program,
            importingFile,
            host,
            preferences,
            importMap,
            fromCacheOnly
          );
          const result = getBestFix(fixes, importingFile, program, packageJsonImportFilter, host, preferences);
          return result && { ...result, computedWithoutCacheCount };
        }
      }
      function getImportCompletionAction(targetSymbol, moduleSymbol, exportMapKey, sourceFile, symbolName2, isJsxTagName, host, program, formatContext, position, preferences, cancellationToken) {
        let exportInfos;
        if (exportMapKey) {
          exportInfos = getExportInfoMap(sourceFile, host, program, preferences, cancellationToken).get(sourceFile.path, exportMapKey);
          Debug.assertIsDefined(exportInfos, "Some exportInfo should match the specified exportMapKey");
        } else {
          exportInfos = pathIsBareSpecifier(stripQuotes(moduleSymbol.name)) ? [getSingleExportInfoForSymbol(targetSymbol, symbolName2, moduleSymbol, program, host)] : getAllExportInfoForSymbol(sourceFile, targetSymbol, symbolName2, moduleSymbol, isJsxTagName, program, host, preferences, cancellationToken);
          Debug.assertIsDefined(exportInfos, "Some exportInfo should match the specified symbol / moduleSymbol");
        }
        const useRequire = shouldUseRequire(sourceFile, program);
        const isValidTypeOnlyUseSite = isValidTypeOnlyAliasUseSite(getTokenAtPosition(sourceFile, position));
        const fix11 = Debug.checkDefined(getImportFixForSymbol(sourceFile, exportInfos, program, position, isValidTypeOnlyUseSite, useRequire, host, preferences));
        return {
          moduleSpecifier: fix11.moduleSpecifier,
          codeAction: codeFixActionToCodeAction(codeActionForFix(
            { host, formatContext, preferences },
            sourceFile,
            symbolName2,
            fix11,
            /*includeSymbolNameInDescription*/
            false,
            program,
            preferences
          ))
        };
      }
      function getPromoteTypeOnlyCompletionAction(sourceFile, symbolToken, program, host, formatContext, preferences) {
        const compilerOptions = program.getCompilerOptions();
        const symbolName2 = single(getSymbolNamesToImport(sourceFile, program.getTypeChecker(), symbolToken, compilerOptions));
        const fix11 = getTypeOnlyPromotionFix(sourceFile, symbolToken, symbolName2, program);
        const includeSymbolNameInDescription = symbolName2 !== symbolToken.text;
        return fix11 && codeFixActionToCodeAction(codeActionForFix(
          { host, formatContext, preferences },
          sourceFile,
          symbolName2,
          fix11,
          includeSymbolNameInDescription,
          program,
          preferences
        ));
      }
      function getImportFixForSymbol(sourceFile, exportInfos, program, position, isValidTypeOnlyUseSite, useRequire, host, preferences) {
        const packageJsonImportFilter = createPackageJsonImportFilter(sourceFile, preferences, host);
        return getBestFix(getImportFixes(exportInfos, position, isValidTypeOnlyUseSite, useRequire, program, sourceFile, host, preferences).fixes, sourceFile, program, packageJsonImportFilter, host, preferences);
      }
      function codeFixActionToCodeAction({ description: description3, changes, commands }) {
        return { description: description3, changes, commands };
      }
      function getAllExportInfoForSymbol(importingFile, symbol, symbolName2, moduleSymbol, preferCapitalized, program, host, preferences, cancellationToken) {
        const getChecker = createGetChecker(program, host);
        return getExportInfoMap(importingFile, host, program, preferences, cancellationToken).search(importingFile.path, preferCapitalized, (name) => name === symbolName2, (info) => {
          if (skipAlias(info[0].symbol, getChecker(info[0].isFromPackageJson)) === symbol && info.some((i) => i.moduleSymbol === moduleSymbol || i.symbol.parent === moduleSymbol)) {
            return info;
          }
        });
      }
      function getSingleExportInfoForSymbol(symbol, symbolName2, moduleSymbol, program, host) {
        var _a, _b;
        const mainProgramInfo = getInfoWithChecker(
          program.getTypeChecker(),
          /*isFromPackageJson*/
          false
        );
        if (mainProgramInfo) {
          return mainProgramInfo;
        }
        const autoImportProvider = (_b = (_a = host.getPackageJsonAutoImportProvider) == null ? void 0 : _a.call(host)) == null ? void 0 : _b.getTypeChecker();
        return Debug.checkDefined(autoImportProvider && getInfoWithChecker(
          autoImportProvider,
          /*isFromPackageJson*/
          true
        ), `Could not find symbol in specified module for code actions`);
        function getInfoWithChecker(checker, isFromPackageJson) {
          const defaultInfo = getDefaultLikeExportInfo(moduleSymbol, checker);
          if (defaultInfo && skipAlias(defaultInfo.symbol, checker) === symbol) {
            return { symbol: defaultInfo.symbol, moduleSymbol, moduleFileName: void 0, exportKind: defaultInfo.exportKind, targetFlags: skipAlias(symbol, checker).flags, isFromPackageJson };
          }
          const named = checker.tryGetMemberInModuleExportsAndProperties(symbolName2, moduleSymbol);
          if (named && skipAlias(named, checker) === symbol) {
            return { symbol: named, moduleSymbol, moduleFileName: void 0, exportKind: 0, targetFlags: skipAlias(symbol, checker).flags, isFromPackageJson };
          }
        }
      }
      function getImportFixes(exportInfos, usagePosition, isValidTypeOnlyUseSite, useRequire, program, sourceFile, host, preferences, importMap = isFullSourceFile(sourceFile) ? createExistingImportMap(program.getTypeChecker(), sourceFile, program.getCompilerOptions()) : void 0, fromCacheOnly) {
        const checker = program.getTypeChecker();
        const existingImports = importMap ? flatMap(exportInfos, importMap.getImportsForExportInfo) : emptyArray;
        const useNamespace = usagePosition !== void 0 && tryUseExistingNamespaceImport(existingImports, usagePosition);
        const addToExisting = tryAddToExistingImport(existingImports, isValidTypeOnlyUseSite, checker, program.getCompilerOptions());
        if (addToExisting) {
          return {
            computedWithoutCacheCount: 0,
            fixes: [...useNamespace ? [useNamespace] : emptyArray, addToExisting]
          };
        }
        const { fixes, computedWithoutCacheCount = 0 } = getFixesForAddImport(
          exportInfos,
          existingImports,
          program,
          sourceFile,
          usagePosition,
          isValidTypeOnlyUseSite,
          useRequire,
          host,
          preferences,
          fromCacheOnly
        );
        return {
          computedWithoutCacheCount,
          fixes: [...useNamespace ? [useNamespace] : emptyArray, ...fixes]
        };
      }
      function tryUseExistingNamespaceImport(existingImports, position) {
        return firstDefined(existingImports, ({ declaration, importKind }) => {
          var _a;
          if (importKind !== 0) return void 0;
          const namespacePrefix = getNamespaceLikeImportText(declaration);
          const moduleSpecifier = namespacePrefix && ((_a = tryGetModuleSpecifierFromDeclaration(declaration)) == null ? void 0 : _a.text);
          if (moduleSpecifier) {
            return { kind: 0, namespacePrefix, usagePosition: position, moduleSpecifierKind: void 0, moduleSpecifier };
          }
        });
      }
      function getNamespaceLikeImportText(declaration) {
        var _a, _b, _c;
        switch (declaration.kind) {
          case 260:
            return (_a = tryCast(declaration.name, isIdentifier)) == null ? void 0 : _a.text;
          case 271:
            return declaration.name.text;
          case 351:
          case 272:
            return (_c = tryCast((_b = declaration.importClause) == null ? void 0 : _b.namedBindings, isNamespaceImport)) == null ? void 0 : _c.name.text;
          default:
            return Debug.assertNever(declaration);
        }
      }
      function getAddAsTypeOnly(isValidTypeOnlyUseSite, isForNewImportDeclaration, symbol, targetFlags, checker, compilerOptions) {
        if (!isValidTypeOnlyUseSite) {
          return 4;
        }
        if (symbol && compilerOptions.verbatimModuleSyntax && (!(targetFlags & 111551) || !!checker.getTypeOnlyAliasDeclaration(symbol))) {
          return 2;
        }
        return 1;
      }
      function tryAddToExistingImport(existingImports, isValidTypeOnlyUseSite, checker, compilerOptions) {
        let best;
        for (const existingImport of existingImports) {
          const fix11 = getAddToExistingImportFix(existingImport);
          if (!fix11) continue;
          const isTypeOnly = isTypeOnlyImportDeclaration(fix11.importClauseOrBindingPattern);
          if (fix11.addAsTypeOnly !== 4 && isTypeOnly || fix11.addAsTypeOnly === 4 && !isTypeOnly) {
            return fix11;
          }
          best ?? (best = fix11);
        }
        return best;
        function getAddToExistingImportFix({ declaration, importKind, symbol, targetFlags }) {
          if (importKind === 3 || importKind === 2 || declaration.kind === 271) {
            return void 0;
          }
          if (declaration.kind === 260) {
            return (importKind === 0 || importKind === 1) && declaration.name.kind === 206 ? {
              kind: 2,
              importClauseOrBindingPattern: declaration.name,
              importKind,
              moduleSpecifierKind: void 0,
              moduleSpecifier: declaration.initializer.arguments[0].text,
              addAsTypeOnly: 4
              /* NotAllowed */
            } : void 0;
          }
          const { importClause } = declaration;
          if (!importClause || !isStringLiteralLike(declaration.moduleSpecifier)) {
            return void 0;
          }
          const { name, namedBindings } = importClause;
          if (importClause.isTypeOnly && !(importKind === 0 && namedBindings)) {
            return void 0;
          }
          const addAsTypeOnly = getAddAsTypeOnly(
            isValidTypeOnlyUseSite,
            /*isForNewImportDeclaration*/
            false,
            symbol,
            targetFlags,
            checker,
            compilerOptions
          );
          if (importKind === 1 && (name || // Cannot add a default import to a declaration that already has one
          addAsTypeOnly === 2 && namedBindings)) {
            return void 0;
          }
          if (importKind === 0 && (namedBindings == null ? void 0 : namedBindings.kind) === 274) {
            return void 0;
          }
          return {
            kind: 2,
            importClauseOrBindingPattern: importClause,
            importKind,
            moduleSpecifierKind: void 0,
            moduleSpecifier: declaration.moduleSpecifier.text,
            addAsTypeOnly
          };
        }
      }
      function createExistingImportMap(checker, importingFile, compilerOptions) {
        let importMap;
        for (const moduleSpecifier of importingFile.imports) {
          const i = importFromModuleSpecifier(moduleSpecifier);
          if (isVariableDeclarationInitializedToRequire(i.parent)) {
            const moduleSymbol = checker.resolveExternalModuleName(moduleSpecifier);
            if (moduleSymbol) {
              (importMap || (importMap = createMultiMap())).add(getSymbolId(moduleSymbol), i.parent);
            }
          } else if (i.kind === 272 || i.kind === 271 || i.kind === 351) {
            const moduleSymbol = checker.getSymbolAtLocation(moduleSpecifier);
            if (moduleSymbol) {
              (importMap || (importMap = createMultiMap())).add(getSymbolId(moduleSymbol), i);
            }
          }
        }
        return {
          getImportsForExportInfo: ({ moduleSymbol, exportKind, targetFlags, symbol }) => {
            const matchingDeclarations = importMap == null ? void 0 : importMap.get(getSymbolId(moduleSymbol));
            if (!matchingDeclarations) return emptyArray;
            if (isSourceFileJS(importingFile) && !(targetFlags & 111551) && !every(matchingDeclarations, isJSDocImportTag)) return emptyArray;
            const importKind = getImportKind(importingFile, exportKind, compilerOptions);
            return matchingDeclarations.map((declaration) => ({ declaration, importKind, symbol, targetFlags }));
          }
        };
      }
      function shouldUseRequire(sourceFile, program) {
        if (!hasJSFileExtension(sourceFile.fileName)) {
          return false;
        }
        if (sourceFile.commonJsModuleIndicator && !sourceFile.externalModuleIndicator) return true;
        if (sourceFile.externalModuleIndicator && !sourceFile.commonJsModuleIndicator) return false;
        const compilerOptions = program.getCompilerOptions();
        if (compilerOptions.configFile) {
          return getEmitModuleKind(compilerOptions) < 5;
        }
        if (sourceFile.impliedNodeFormat === 1) return true;
        if (sourceFile.impliedNodeFormat === 99) return false;
        for (const otherFile of program.getSourceFiles()) {
          if (otherFile === sourceFile || !isSourceFileJS(otherFile) || program.isSourceFileFromExternalLibrary(otherFile)) continue;
          if (otherFile.commonJsModuleIndicator && !otherFile.externalModuleIndicator) return true;
          if (otherFile.externalModuleIndicator && !otherFile.commonJsModuleIndicator) return false;
        }
        return true;
      }
      function createGetChecker(program, host) {
        return memoizeOne((isFromPackageJson) => isFromPackageJson ? host.getPackageJsonAutoImportProvider().getTypeChecker() : program.getTypeChecker());
      }
      function getNewImportFixes(program, sourceFile, usagePosition, isValidTypeOnlyUseSite, useRequire, exportInfo, host, preferences, fromCacheOnly) {
        const isJs = hasJSFileExtension(sourceFile.fileName);
        const compilerOptions = program.getCompilerOptions();
        const moduleSpecifierResolutionHost = createModuleSpecifierResolutionHost(program, host);
        const getChecker = createGetChecker(program, host);
        const moduleResolution = getEmitModuleResolutionKind(compilerOptions);
        const rejectNodeModulesRelativePaths = moduleResolutionUsesNodeModules(moduleResolution);
        const getModuleSpecifiers2 = fromCacheOnly ? (exportInfo2) => ts_moduleSpecifiers_exports.tryGetModuleSpecifiersFromCache(exportInfo2.moduleSymbol, sourceFile, moduleSpecifierResolutionHost, preferences) : (exportInfo2, checker) => ts_moduleSpecifiers_exports.getModuleSpecifiersWithCacheInfo(
          exportInfo2.moduleSymbol,
          checker,
          compilerOptions,
          sourceFile,
          moduleSpecifierResolutionHost,
          preferences,
          /*options*/
          void 0,
          /*forAutoImport*/
          true
        );
        let computedWithoutCacheCount = 0;
        const fixes = flatMap(exportInfo, (exportInfo2, i) => {
          const checker = getChecker(exportInfo2.isFromPackageJson);
          const { computedWithoutCache, moduleSpecifiers: moduleSpecifiers2, kind: moduleSpecifierKind } = getModuleSpecifiers2(exportInfo2, checker) ?? {};
          const importedSymbolHasValueMeaning = !!(exportInfo2.targetFlags & 111551);
          const addAsTypeOnly = getAddAsTypeOnly(
            isValidTypeOnlyUseSite,
            /*isForNewImportDeclaration*/
            true,
            exportInfo2.symbol,
            exportInfo2.targetFlags,
            checker,
            compilerOptions
          );
          computedWithoutCacheCount += computedWithoutCache ? 1 : 0;
          return mapDefined(moduleSpecifiers2, (moduleSpecifier) => {
            if (rejectNodeModulesRelativePaths && pathContainsNodeModules(moduleSpecifier)) {
              return void 0;
            }
            if (!importedSymbolHasValueMeaning && isJs && usagePosition !== void 0) {
              return { kind: 1, moduleSpecifierKind, moduleSpecifier, usagePosition, exportInfo: exportInfo2, isReExport: i > 0 };
            }
            const importKind = getImportKind(sourceFile, exportInfo2.exportKind, compilerOptions);
            let qualification;
            if (usagePosition !== void 0 && importKind === 3 && exportInfo2.exportKind === 0) {
              const exportEquals = checker.resolveExternalModuleSymbol(exportInfo2.moduleSymbol);
              let namespacePrefix;
              if (exportEquals !== exportInfo2.moduleSymbol) {
                namespacePrefix = forEachNameOfDefaultExport(
                  exportEquals,
                  checker,
                  compilerOptions,
                  /*preferCapitalizedNames*/
                  false,
                  identity2
                );
              }
              namespacePrefix || (namespacePrefix = moduleSymbolToValidIdentifier(
                exportInfo2.moduleSymbol,
                getEmitScriptTarget(compilerOptions),
                /*forceCapitalize*/
                false
              ));
              qualification = { namespacePrefix, usagePosition };
            }
            return {
              kind: 3,
              moduleSpecifierKind,
              moduleSpecifier,
              importKind,
              useRequire,
              addAsTypeOnly,
              exportInfo: exportInfo2,
              isReExport: i > 0,
              qualification
            };
          });
        });
        return { computedWithoutCacheCount, fixes };
      }
      function getFixesForAddImport(exportInfos, existingImports, program, sourceFile, usagePosition, isValidTypeOnlyUseSite, useRequire, host, preferences, fromCacheOnly) {
        const existingDeclaration = firstDefined(existingImports, (info) => newImportInfoFromExistingSpecifier(info, isValidTypeOnlyUseSite, useRequire, program.getTypeChecker(), program.getCompilerOptions()));
        return existingDeclaration ? { fixes: [existingDeclaration] } : getNewImportFixes(program, sourceFile, usagePosition, isValidTypeOnlyUseSite, useRequire, exportInfos, host, preferences, fromCacheOnly);
      }
      function newImportInfoFromExistingSpecifier({ declaration, importKind, symbol, targetFlags }, isValidTypeOnlyUseSite, useRequire, checker, compilerOptions) {
        var _a;
        const moduleSpecifier = (_a = tryGetModuleSpecifierFromDeclaration(declaration)) == null ? void 0 : _a.text;
        if (moduleSpecifier) {
          const addAsTypeOnly = useRequire ? 4 : getAddAsTypeOnly(
            isValidTypeOnlyUseSite,
            /*isForNewImportDeclaration*/
            true,
            symbol,
            targetFlags,
            checker,
            compilerOptions
          );
          return { kind: 3, moduleSpecifierKind: void 0, moduleSpecifier, importKind, addAsTypeOnly, useRequire };
        }
      }
      function getFixInfos(context, errorCode, pos, useAutoImportProvider) {
        const symbolToken = getTokenAtPosition(context.sourceFile, pos);
        let info;
        if (errorCode === Diagnostics._0_refers_to_a_UMD_global_but_the_current_file_is_a_module_Consider_adding_an_import_instead.code) {
          info = getFixesInfoForUMDImport(context, symbolToken);
        } else if (!isIdentifier(symbolToken)) {
          return void 0;
        } else if (errorCode === Diagnostics._0_cannot_be_used_as_a_value_because_it_was_imported_using_import_type.code) {
          const symbolName2 = single(getSymbolNamesToImport(context.sourceFile, context.program.getTypeChecker(), symbolToken, context.program.getCompilerOptions()));
          const fix11 = getTypeOnlyPromotionFix(context.sourceFile, symbolToken, symbolName2, context.program);
          return fix11 && [{ fix: fix11, symbolName: symbolName2, errorIdentifierText: symbolToken.text }];
        } else {
          info = getFixesInfoForNonUMDImport(context, symbolToken, useAutoImportProvider);
        }
        const packageJsonImportFilter = createPackageJsonImportFilter(context.sourceFile, context.preferences, context.host);
        return info && sortFixInfo(info, context.sourceFile, context.program, packageJsonImportFilter, context.host, context.preferences);
      }
      function sortFixInfo(fixes, sourceFile, program, packageJsonImportFilter, host, preferences) {
        const _toPath = (fileName) => toPath3(fileName, host.getCurrentDirectory(), hostGetCanonicalFileName(host));
        return sort(fixes, (a, b) => compareBooleans(!!a.isJsxNamespaceFix, !!b.isJsxNamespaceFix) || compareValues(a.fix.kind, b.fix.kind) || compareModuleSpecifiers(a.fix, b.fix, sourceFile, program, preferences, packageJsonImportFilter.allowsImportingSpecifier, _toPath));
      }
      function getFixInfosWithoutDiagnostic(context, symbolToken, useAutoImportProvider) {
        const info = getFixesInfoForNonUMDImport(context, symbolToken, useAutoImportProvider);
        const packageJsonImportFilter = createPackageJsonImportFilter(context.sourceFile, context.preferences, context.host);
        return info && sortFixInfo(info, context.sourceFile, context.program, packageJsonImportFilter, context.host, context.preferences);
      }
      function getBestFix(fixes, sourceFile, program, packageJsonImportFilter, host, preferences) {
        if (!some(fixes)) return;
        if (fixes[0].kind === 0 || fixes[0].kind === 2) {
          return fixes[0];
        }
        return fixes.reduce(
          (best, fix11) => (
            // Takes true branch of conditional if `fix` is better than `best`
            compareModuleSpecifiers(
              fix11,
              best,
              sourceFile,
              program,
              preferences,
              packageJsonImportFilter.allowsImportingSpecifier,
              (fileName) => toPath3(fileName, host.getCurrentDirectory(), hostGetCanonicalFileName(host))
            ) === -1 ? fix11 : best
          )
        );
      }
      function compareModuleSpecifiers(a, b, importingFile, program, preferences, allowsImportingSpecifier, toPath32) {
        if (a.kind !== 0 && b.kind !== 0) {
          return compareBooleans(
            b.moduleSpecifierKind !== "node_modules" || allowsImportingSpecifier(b.moduleSpecifier),
            a.moduleSpecifierKind !== "node_modules" || allowsImportingSpecifier(a.moduleSpecifier)
          ) || compareModuleSpecifierRelativity(a, b, preferences) || compareNodeCoreModuleSpecifiers(a.moduleSpecifier, b.moduleSpecifier, importingFile, program) || compareBooleans(
            isFixPossiblyReExportingImportingFile(a, importingFile.path, toPath32),
            isFixPossiblyReExportingImportingFile(b, importingFile.path, toPath32)
          ) || compareNumberOfDirectorySeparators(a.moduleSpecifier, b.moduleSpecifier);
        }
        return 0;
      }
      function compareModuleSpecifierRelativity(a, b, preferences) {
        if (preferences.importModuleSpecifierPreference === "non-relative" || preferences.importModuleSpecifierPreference === "project-relative") {
          return compareBooleans(a.moduleSpecifierKind === "relative", b.moduleSpecifierKind === "relative");
        }
        return 0;
      }
      function isFixPossiblyReExportingImportingFile(fix11, importingFilePath, toPath32) {
        var _a;
        if (fix11.isReExport && ((_a = fix11.exportInfo) == null ? void 0 : _a.moduleFileName) && isIndexFileName(fix11.exportInfo.moduleFileName)) {
          const reExportDir = toPath32(getDirectoryPath(fix11.exportInfo.moduleFileName));
          return startsWith2(importingFilePath, reExportDir);
        }
        return false;
      }
      function isIndexFileName(fileName) {
        return getBaseFileName(
          fileName,
          [".js", ".jsx", ".d.ts", ".ts", ".tsx"],
          /*ignoreCase*/
          true
        ) === "index";
      }
      function compareNodeCoreModuleSpecifiers(a, b, importingFile, program) {
        if (startsWith2(a, "node:") && !startsWith2(b, "node:")) return shouldUseUriStyleNodeCoreModules(importingFile, program) ? -1 : 1;
        if (startsWith2(b, "node:") && !startsWith2(a, "node:")) return shouldUseUriStyleNodeCoreModules(importingFile, program) ? 1 : -1;
        return 0;
      }
      function getFixesInfoForUMDImport({ sourceFile, program, host, preferences }, token) {
        const checker = program.getTypeChecker();
        const umdSymbol = getUmdSymbol(token, checker);
        if (!umdSymbol) return void 0;
        const symbol = checker.getAliasedSymbol(umdSymbol);
        const symbolName2 = umdSymbol.name;
        const exportInfo = [{ symbol: umdSymbol, moduleSymbol: symbol, moduleFileName: void 0, exportKind: 3, targetFlags: symbol.flags, isFromPackageJson: false }];
        const useRequire = shouldUseRequire(sourceFile, program);
        const fixes = getImportFixes(
          exportInfo,
          /*usagePosition*/
          void 0,
          /*isValidTypeOnlyUseSite*/
          false,
          useRequire,
          program,
          sourceFile,
          host,
          preferences
        ).fixes;
        return fixes.map((fix11) => {
          var _a;
          return { fix: fix11, symbolName: symbolName2, errorIdentifierText: (_a = tryCast(token, isIdentifier)) == null ? void 0 : _a.text };
        });
      }
      function getUmdSymbol(token, checker) {
        const umdSymbol = isIdentifier(token) ? checker.getSymbolAtLocation(token) : void 0;
        if (isUMDExportSymbol(umdSymbol)) return umdSymbol;
        const { parent: parent2 } = token;
        if (isJsxOpeningLikeElement(parent2) && parent2.tagName === token || isJsxOpeningFragment(parent2)) {
          const parentSymbol = checker.resolveName(
            checker.getJsxNamespace(parent2),
            isJsxOpeningLikeElement(parent2) ? token : parent2,
            111551,
            /*excludeGlobals*/
            false
          );
          if (isUMDExportSymbol(parentSymbol)) {
            return parentSymbol;
          }
        }
        return void 0;
      }
      function getImportKind(importingFile, exportKind, compilerOptions, forceImportKeyword) {
        if (compilerOptions.verbatimModuleSyntax && (getEmitModuleKind(compilerOptions) === 1 || importingFile.impliedNodeFormat === 1)) {
          return 3;
        }
        switch (exportKind) {
          case 0:
            return 0;
          case 1:
            return 1;
          case 2:
            return getExportEqualsImportKind(importingFile, compilerOptions, !!forceImportKeyword);
          case 3:
            return getUmdImportKind(importingFile, compilerOptions, !!forceImportKeyword);
          default:
            return Debug.assertNever(exportKind);
        }
      }
      function getUmdImportKind(importingFile, compilerOptions, forceImportKeyword) {
        if (getAllowSyntheticDefaultImports(compilerOptions)) {
          return 1;
        }
        const moduleKind = getEmitModuleKind(compilerOptions);
        switch (moduleKind) {
          case 2:
          case 1:
          case 3:
            if (hasJSFileExtension(importingFile.fileName)) {
              return importingFile.externalModuleIndicator || forceImportKeyword ? 2 : 3;
            }
            return 3;
          case 4:
          case 5:
          case 6:
          case 7:
          case 99:
          case 0:
          case 200:
            return 2;
          case 100:
          case 199:
            return importingFile.impliedNodeFormat === 99 ? 2 : 3;
          default:
            return Debug.assertNever(moduleKind, `Unexpected moduleKind ${moduleKind}`);
        }
      }
      function getFixesInfoForNonUMDImport({ sourceFile, program, cancellationToken, host, preferences }, symbolToken, useAutoImportProvider) {
        const checker = program.getTypeChecker();
        const compilerOptions = program.getCompilerOptions();
        return flatMap(getSymbolNamesToImport(sourceFile, checker, symbolToken, compilerOptions), (symbolName2) => {
          if (symbolName2 === "default") {
            return void 0;
          }
          const isValidTypeOnlyUseSite = isValidTypeOnlyAliasUseSite(symbolToken);
          const useRequire = shouldUseRequire(sourceFile, program);
          const exportInfo = getExportInfos(symbolName2, isJSXTagName(symbolToken), getMeaningFromLocation(symbolToken), cancellationToken, sourceFile, program, useAutoImportProvider, host, preferences);
          return arrayFrom(
            flatMapIterator(exportInfo.values(), (exportInfos) => getImportFixes(exportInfos, symbolToken.getStart(sourceFile), isValidTypeOnlyUseSite, useRequire, program, sourceFile, host, preferences).fixes),
            (fix11) => ({ fix: fix11, symbolName: symbolName2, errorIdentifierText: symbolToken.text, isJsxNamespaceFix: symbolName2 !== symbolToken.text })
          );
        });
      }
      function getTypeOnlyPromotionFix(sourceFile, symbolToken, symbolName2, program) {
        const checker = program.getTypeChecker();
        const symbol = checker.resolveName(
          symbolName2,
          symbolToken,
          111551,
          /*excludeGlobals*/
          true
        );
        if (!symbol) return void 0;
        const typeOnlyAliasDeclaration = checker.getTypeOnlyAliasDeclaration(symbol);
        if (!typeOnlyAliasDeclaration || getSourceFileOfNode(typeOnlyAliasDeclaration) !== sourceFile) return void 0;
        return { kind: 4, typeOnlyAliasDeclaration };
      }
      function getSymbolNamesToImport(sourceFile, checker, symbolToken, compilerOptions) {
        const parent2 = symbolToken.parent;
        if ((isJsxOpeningLikeElement(parent2) || isJsxClosingElement(parent2)) && parent2.tagName === symbolToken && jsxModeNeedsExplicitImport(compilerOptions.jsx)) {
          const jsxNamespace = checker.getJsxNamespace(sourceFile);
          if (needsJsxNamespaceFix(jsxNamespace, symbolToken, checker)) {
            const needsComponentNameFix = !isIntrinsicJsxName(symbolToken.text) && !checker.resolveName(
              symbolToken.text,
              symbolToken,
              111551,
              /*excludeGlobals*/
              false
            );
            return needsComponentNameFix ? [symbolToken.text, jsxNamespace] : [jsxNamespace];
          }
        }
        return [symbolToken.text];
      }
      function needsJsxNamespaceFix(jsxNamespace, symbolToken, checker) {
        if (isIntrinsicJsxName(symbolToken.text)) return true;
        const namespaceSymbol = checker.resolveName(
          jsxNamespace,
          symbolToken,
          111551,
          /*excludeGlobals*/
          true
        );
        return !namespaceSymbol || some(namespaceSymbol.declarations, isTypeOnlyImportOrExportDeclaration) && !(namespaceSymbol.flags & 111551);
      }
      function getExportInfos(symbolName2, isJsxTagName, currentTokenMeaning, cancellationToken, fromFile, program, useAutoImportProvider, host, preferences) {
        var _a;
        const originalSymbolToExportInfos = createMultiMap();
        const packageJsonFilter = createPackageJsonImportFilter(fromFile, preferences, host);
        const moduleSpecifierCache = (_a = host.getModuleSpecifierCache) == null ? void 0 : _a.call(host);
        const getModuleSpecifierResolutionHost = memoizeOne((isFromPackageJson) => {
          return createModuleSpecifierResolutionHost(isFromPackageJson ? host.getPackageJsonAutoImportProvider() : program, host);
        });
        function addSymbol(moduleSymbol, toFile, exportedSymbol, exportKind, program2, isFromPackageJson) {
          const moduleSpecifierResolutionHost = getModuleSpecifierResolutionHost(isFromPackageJson);
          if (toFile && isImportableFile(program2, fromFile, toFile, preferences, packageJsonFilter, moduleSpecifierResolutionHost, moduleSpecifierCache) || !toFile && packageJsonFilter.allowsImportingAmbientModule(moduleSymbol, moduleSpecifierResolutionHost)) {
            const checker = program2.getTypeChecker();
            originalSymbolToExportInfos.add(getUniqueSymbolId(exportedSymbol, checker).toString(), { symbol: exportedSymbol, moduleSymbol, moduleFileName: toFile == null ? void 0 : toFile.fileName, exportKind, targetFlags: skipAlias(exportedSymbol, checker).flags, isFromPackageJson });
          }
        }
        forEachExternalModuleToImportFrom(program, host, preferences, useAutoImportProvider, (moduleSymbol, sourceFile, program2, isFromPackageJson) => {
          const checker = program2.getTypeChecker();
          cancellationToken.throwIfCancellationRequested();
          const compilerOptions = program2.getCompilerOptions();
          const defaultInfo = getDefaultLikeExportInfo(moduleSymbol, checker);
          if (defaultInfo && symbolFlagsHaveMeaning(checker.getSymbolFlags(defaultInfo.symbol), currentTokenMeaning) && forEachNameOfDefaultExport(defaultInfo.symbol, checker, compilerOptions, isJsxTagName, (name) => name === symbolName2)) {
            addSymbol(moduleSymbol, sourceFile, defaultInfo.symbol, defaultInfo.exportKind, program2, isFromPackageJson);
          }
          const exportSymbolWithIdenticalName = checker.tryGetMemberInModuleExportsAndProperties(symbolName2, moduleSymbol);
          if (exportSymbolWithIdenticalName && symbolFlagsHaveMeaning(checker.getSymbolFlags(exportSymbolWithIdenticalName), currentTokenMeaning)) {
            addSymbol(moduleSymbol, sourceFile, exportSymbolWithIdenticalName, 0, program2, isFromPackageJson);
          }
        });
        return originalSymbolToExportInfos;
      }
      function getExportEqualsImportKind(importingFile, compilerOptions, forceImportKeyword) {
        const allowSyntheticDefaults = getAllowSyntheticDefaultImports(compilerOptions);
        const isJS = hasJSFileExtension(importingFile.fileName);
        if (!isJS && getEmitModuleKind(compilerOptions) >= 5) {
          return allowSyntheticDefaults ? 1 : 2;
        }
        if (isJS) {
          return importingFile.externalModuleIndicator || forceImportKeyword ? allowSyntheticDefaults ? 1 : 2 : 3;
        }
        for (const statement of importingFile.statements ?? emptyArray) {
          if (isImportEqualsDeclaration(statement) && !nodeIsMissing(statement.moduleReference)) {
            return 3;
          }
        }
        return allowSyntheticDefaults ? 1 : 3;
      }
      function codeActionForFix(context, sourceFile, symbolName2, fix11, includeSymbolNameInDescription, program, preferences) {
        let diag2;
        const changes = ts_textChanges_exports.ChangeTracker.with(context, (tracker2) => {
          diag2 = codeActionForFixWorker(tracker2, sourceFile, symbolName2, fix11, includeSymbolNameInDescription, program, preferences);
        });
        return createCodeFixAction(importFixName, changes, diag2, importFixId, Diagnostics.Add_all_missing_imports);
      }
      function codeActionForFixWorker(changes, sourceFile, symbolName2, fix11, includeSymbolNameInDescription, program, preferences) {
        const quotePreference = getQuotePreference(sourceFile, preferences);
        switch (fix11.kind) {
          case 0:
            addNamespaceQualifier(changes, sourceFile, fix11);
            return [Diagnostics.Change_0_to_1, symbolName2, `${fix11.namespacePrefix}.${symbolName2}`];
          case 1:
            addImportType(changes, sourceFile, fix11, quotePreference);
            return [Diagnostics.Change_0_to_1, symbolName2, getImportTypePrefix(fix11.moduleSpecifier, quotePreference) + symbolName2];
          case 2: {
            const { importClauseOrBindingPattern, importKind, addAsTypeOnly, moduleSpecifier } = fix11;
            doAddExistingFix(
              changes,
              sourceFile,
              importClauseOrBindingPattern,
              importKind === 1 ? { name: symbolName2, addAsTypeOnly } : void 0,
              importKind === 0 ? [{ name: symbolName2, addAsTypeOnly }] : emptyArray,
              /*removeExistingImportSpecifiers*/
              void 0,
              preferences
            );
            const moduleSpecifierWithoutQuotes = stripQuotes(moduleSpecifier);
            return includeSymbolNameInDescription ? [Diagnostics.Import_0_from_1, symbolName2, moduleSpecifierWithoutQuotes] : [Diagnostics.Update_import_from_0, moduleSpecifierWithoutQuotes];
          }
          case 3: {
            const { importKind, moduleSpecifier, addAsTypeOnly, useRequire, qualification } = fix11;
            const getDeclarations = useRequire ? getNewRequires : getNewImports;
            const defaultImport = importKind === 1 ? { name: symbolName2, addAsTypeOnly } : void 0;
            const namedImports = importKind === 0 ? [{ name: symbolName2, addAsTypeOnly }] : void 0;
            const namespaceLikeImport = importKind === 2 || importKind === 3 ? { importKind, name: (qualification == null ? void 0 : qualification.namespacePrefix) || symbolName2, addAsTypeOnly } : void 0;
            insertImports(
              changes,
              sourceFile,
              getDeclarations(
                moduleSpecifier,
                quotePreference,
                defaultImport,
                namedImports,
                namespaceLikeImport,
                program.getCompilerOptions(),
                preferences
              ),
              /*blankLineBetween*/
              true,
              preferences
            );
            if (qualification) {
              addNamespaceQualifier(changes, sourceFile, qualification);
            }
            return includeSymbolNameInDescription ? [Diagnostics.Import_0_from_1, symbolName2, moduleSpecifier] : [Diagnostics.Add_import_from_0, moduleSpecifier];
          }
          case 4: {
            const { typeOnlyAliasDeclaration } = fix11;
            const promotedDeclaration = promoteFromTypeOnly(changes, typeOnlyAliasDeclaration, program, sourceFile, preferences);
            return promotedDeclaration.kind === 276 ? [Diagnostics.Remove_type_from_import_of_0_from_1, symbolName2, getModuleSpecifierText(promotedDeclaration.parent.parent)] : [Diagnostics.Remove_type_from_import_declaration_from_0, getModuleSpecifierText(promotedDeclaration)];
          }
          default:
            return Debug.assertNever(fix11, `Unexpected fix kind ${fix11.kind}`);
        }
      }
      function getModuleSpecifierText(promotedDeclaration) {
        var _a, _b;
        return promotedDeclaration.kind === 271 ? ((_b = tryCast((_a = tryCast(promotedDeclaration.moduleReference, isExternalModuleReference)) == null ? void 0 : _a.expression, isStringLiteralLike)) == null ? void 0 : _b.text) || promotedDeclaration.moduleReference.getText() : cast(promotedDeclaration.parent.moduleSpecifier, isStringLiteral2).text;
      }
      function promoteFromTypeOnly(changes, aliasDeclaration, program, sourceFile, preferences) {
        const compilerOptions = program.getCompilerOptions();
        const convertExistingToTypeOnly = compilerOptions.verbatimModuleSyntax;
        switch (aliasDeclaration.kind) {
          case 276:
            if (aliasDeclaration.isTypeOnly) {
              if (aliasDeclaration.parent.elements.length > 1) {
                const newSpecifier = factory.updateImportSpecifier(
                  aliasDeclaration,
                  /*isTypeOnly*/
                  false,
                  aliasDeclaration.propertyName,
                  aliasDeclaration.name
                );
                const { specifierComparer } = ts_OrganizeImports_exports.getNamedImportSpecifierComparerWithDetection(aliasDeclaration.parent.parent.parent, preferences, sourceFile);
                const insertionIndex = ts_OrganizeImports_exports.getImportSpecifierInsertionIndex(aliasDeclaration.parent.elements, newSpecifier, specifierComparer);
                if (insertionIndex !== aliasDeclaration.parent.elements.indexOf(aliasDeclaration)) {
                  changes.delete(sourceFile, aliasDeclaration);
                  changes.insertImportSpecifierAtIndex(sourceFile, newSpecifier, aliasDeclaration.parent, insertionIndex);
                  return aliasDeclaration;
                }
              }
              changes.deleteRange(sourceFile, { pos: getTokenPosOfNode(aliasDeclaration.getFirstToken()), end: getTokenPosOfNode(aliasDeclaration.propertyName ?? aliasDeclaration.name) });
              return aliasDeclaration;
            } else {
              Debug.assert(aliasDeclaration.parent.parent.isTypeOnly);
              promoteImportClause(aliasDeclaration.parent.parent);
              return aliasDeclaration.parent.parent;
            }
          case 273:
            promoteImportClause(aliasDeclaration);
            return aliasDeclaration;
          case 274:
            promoteImportClause(aliasDeclaration.parent);
            return aliasDeclaration.parent;
          case 271:
            changes.deleteRange(sourceFile, aliasDeclaration.getChildAt(1));
            return aliasDeclaration;
          default:
            Debug.failBadSyntaxKind(aliasDeclaration);
        }
        function promoteImportClause(importClause) {
          var _a;
          changes.delete(sourceFile, getTypeKeywordOfTypeOnlyImport(importClause, sourceFile));
          if (!compilerOptions.allowImportingTsExtensions) {
            const moduleSpecifier = tryGetModuleSpecifierFromDeclaration(importClause.parent);
            const resolvedModule = moduleSpecifier && ((_a = program.getResolvedModuleFromModuleSpecifier(moduleSpecifier, sourceFile)) == null ? void 0 : _a.resolvedModule);
            if (resolvedModule == null ? void 0 : resolvedModule.resolvedUsingTsExtension) {
              const changedExtension = changeAnyExtension(moduleSpecifier.text, getOutputExtension(moduleSpecifier.text, compilerOptions));
              changes.replaceNode(sourceFile, moduleSpecifier, factory.createStringLiteral(changedExtension));
            }
          }
          if (convertExistingToTypeOnly) {
            const namedImports = tryCast(importClause.namedBindings, isNamedImports);
            if (namedImports && namedImports.elements.length > 1) {
              const sortState = ts_OrganizeImports_exports.getNamedImportSpecifierComparerWithDetection(importClause.parent, preferences, sourceFile);
              if (sortState.isSorted !== false && aliasDeclaration.kind === 276 && namedImports.elements.indexOf(aliasDeclaration) !== 0) {
                changes.delete(sourceFile, aliasDeclaration);
                changes.insertImportSpecifierAtIndex(sourceFile, aliasDeclaration, namedImports, 0);
              }
              for (const element of namedImports.elements) {
                if (element !== aliasDeclaration && !element.isTypeOnly) {
                  changes.insertModifierBefore(sourceFile, 156, element);
                }
              }
            }
          }
        }
      }
      function doAddExistingFix(changes, sourceFile, clause, defaultImport, namedImports, removeExistingImportSpecifiers, preferences) {
        var _a;
        if (clause.kind === 206) {
          if (removeExistingImportSpecifiers && clause.elements.some((e) => removeExistingImportSpecifiers.has(e))) {
            changes.replaceNode(
              sourceFile,
              clause,
              factory.createObjectBindingPattern([
                ...clause.elements.filter((e) => !removeExistingImportSpecifiers.has(e)),
                ...defaultImport ? [factory.createBindingElement(
                  /*dotDotDotToken*/
                  void 0,
                  /*propertyName*/
                  "default",
                  defaultImport.name
                )] : emptyArray,
                ...namedImports.map((i) => factory.createBindingElement(
                  /*dotDotDotToken*/
                  void 0,
                  /*propertyName*/
                  void 0,
                  i.name
                ))
              ])
            );
            return;
          }
          if (defaultImport) {
            addElementToBindingPattern(clause, defaultImport.name, "default");
          }
          for (const specifier of namedImports) {
            addElementToBindingPattern(
              clause,
              specifier.name,
              /*propertyName*/
              void 0
            );
          }
          return;
        }
        const promoteFromTypeOnly2 = clause.isTypeOnly && some(
          [defaultImport, ...namedImports],
          (i) => (i == null ? void 0 : i.addAsTypeOnly) === 4
          /* NotAllowed */
        );
        const existingSpecifiers = clause.namedBindings && ((_a = tryCast(clause.namedBindings, isNamedImports)) == null ? void 0 : _a.elements);
        if (defaultImport) {
          Debug.assert(!clause.name, "Cannot add a default import to an import clause that already has one");
          changes.insertNodeAt(sourceFile, clause.getStart(sourceFile), factory.createIdentifier(defaultImport.name), { suffix: ", " });
        }
        if (namedImports.length) {
          const { specifierComparer, isSorted } = ts_OrganizeImports_exports.getNamedImportSpecifierComparerWithDetection(clause.parent, preferences, sourceFile);
          const newSpecifiers = stableSort(
            namedImports.map(
              (namedImport) => factory.createImportSpecifier(
                (!clause.isTypeOnly || promoteFromTypeOnly2) && shouldUseTypeOnly(namedImport, preferences),
                /*propertyName*/
                void 0,
                factory.createIdentifier(namedImport.name)
              )
            ),
            specifierComparer
          );
          if (removeExistingImportSpecifiers) {
            changes.replaceNode(
              sourceFile,
              clause.namedBindings,
              factory.updateNamedImports(
                clause.namedBindings,
                stableSort([...existingSpecifiers.filter((s) => !removeExistingImportSpecifiers.has(s)), ...newSpecifiers], specifierComparer)
              )
            );
          } else if ((existingSpecifiers == null ? void 0 : existingSpecifiers.length) && isSorted !== false) {
            const transformedExistingSpecifiers = promoteFromTypeOnly2 && existingSpecifiers ? factory.updateNamedImports(
              clause.namedBindings,
              sameMap(existingSpecifiers, (e) => factory.updateImportSpecifier(
                e,
                /*isTypeOnly*/
                true,
                e.propertyName,
                e.name
              ))
            ).elements : existingSpecifiers;
            for (const spec of newSpecifiers) {
              const insertionIndex = ts_OrganizeImports_exports.getImportSpecifierInsertionIndex(transformedExistingSpecifiers, spec, specifierComparer);
              changes.insertImportSpecifierAtIndex(sourceFile, spec, clause.namedBindings, insertionIndex);
            }
          } else if (existingSpecifiers == null ? void 0 : existingSpecifiers.length) {
            for (const spec of newSpecifiers) {
              changes.insertNodeInListAfter(sourceFile, last(existingSpecifiers), spec, existingSpecifiers);
            }
          } else {
            if (newSpecifiers.length) {
              const namedImports2 = factory.createNamedImports(newSpecifiers);
              if (clause.namedBindings) {
                changes.replaceNode(sourceFile, clause.namedBindings, namedImports2);
              } else {
                changes.insertNodeAfter(sourceFile, Debug.checkDefined(clause.name, "Import clause must have either named imports or a default import"), namedImports2);
              }
            }
          }
        }
        if (promoteFromTypeOnly2) {
          changes.delete(sourceFile, getTypeKeywordOfTypeOnlyImport(clause, sourceFile));
          if (existingSpecifiers) {
            for (const specifier of existingSpecifiers) {
              changes.insertModifierBefore(sourceFile, 156, specifier);
            }
          }
        }
        function addElementToBindingPattern(bindingPattern, name, propertyName) {
          const element = factory.createBindingElement(
            /*dotDotDotToken*/
            void 0,
            propertyName,
            name
          );
          if (bindingPattern.elements.length) {
            changes.insertNodeInListAfter(sourceFile, last(bindingPattern.elements), element);
          } else {
            changes.replaceNode(sourceFile, bindingPattern, factory.createObjectBindingPattern([element]));
          }
        }
      }
      function addNamespaceQualifier(changes, sourceFile, { namespacePrefix, usagePosition }) {
        changes.insertText(sourceFile, usagePosition, namespacePrefix + ".");
      }
      function addImportType(changes, sourceFile, { moduleSpecifier, usagePosition: position }, quotePreference) {
        changes.insertText(sourceFile, position, getImportTypePrefix(moduleSpecifier, quotePreference));
      }
      function getImportTypePrefix(moduleSpecifier, quotePreference) {
        const quote2 = getQuoteFromPreference(quotePreference);
        return `import(${quote2}${moduleSpecifier}${quote2}).`;
      }
      function needsTypeOnly({ addAsTypeOnly }) {
        return addAsTypeOnly === 2;
      }
      function shouldUseTypeOnly(info, preferences) {
        return needsTypeOnly(info) || !!preferences.preferTypeOnlyAutoImports && info.addAsTypeOnly !== 4;
      }
      function getNewImports(moduleSpecifier, quotePreference, defaultImport, namedImports, namespaceLikeImport, compilerOptions, preferences) {
        const quotedModuleSpecifier = makeStringLiteral(moduleSpecifier, quotePreference);
        let statements;
        if (defaultImport !== void 0 || (namedImports == null ? void 0 : namedImports.length)) {
          const topLevelTypeOnly = (!defaultImport || needsTypeOnly(defaultImport)) && every(namedImports, needsTypeOnly) || (compilerOptions.verbatimModuleSyntax || preferences.preferTypeOnlyAutoImports) && (defaultImport == null ? void 0 : defaultImport.addAsTypeOnly) !== 4 && !some(
            namedImports,
            (i) => i.addAsTypeOnly === 4
            /* NotAllowed */
          );
          statements = combine(
            statements,
            makeImport(
              defaultImport && factory.createIdentifier(defaultImport.name),
              namedImports == null ? void 0 : namedImports.map(
                (namedImport) => factory.createImportSpecifier(
                  !topLevelTypeOnly && shouldUseTypeOnly(namedImport, preferences),
                  /*propertyName*/
                  void 0,
                  factory.createIdentifier(namedImport.name)
                )
              ),
              moduleSpecifier,
              quotePreference,
              topLevelTypeOnly
            )
          );
        }
        if (namespaceLikeImport) {
          const declaration = namespaceLikeImport.importKind === 3 ? factory.createImportEqualsDeclaration(
            /*modifiers*/
            void 0,
            shouldUseTypeOnly(namespaceLikeImport, preferences),
            factory.createIdentifier(namespaceLikeImport.name),
            factory.createExternalModuleReference(quotedModuleSpecifier)
          ) : factory.createImportDeclaration(
            /*modifiers*/
            void 0,
            factory.createImportClause(
              shouldUseTypeOnly(namespaceLikeImport, preferences),
              /*name*/
              void 0,
              factory.createNamespaceImport(factory.createIdentifier(namespaceLikeImport.name))
            ),
            quotedModuleSpecifier,
            /*attributes*/
            void 0
          );
          statements = combine(statements, declaration);
        }
        return Debug.checkDefined(statements);
      }
      function getNewRequires(moduleSpecifier, quotePreference, defaultImport, namedImports, namespaceLikeImport) {
        const quotedModuleSpecifier = makeStringLiteral(moduleSpecifier, quotePreference);
        let statements;
        if (defaultImport || (namedImports == null ? void 0 : namedImports.length)) {
          const bindingElements = (namedImports == null ? void 0 : namedImports.map(({ name }) => factory.createBindingElement(
            /*dotDotDotToken*/
            void 0,
            /*propertyName*/
            void 0,
            name
          ))) || [];
          if (defaultImport) {
            bindingElements.unshift(factory.createBindingElement(
              /*dotDotDotToken*/
              void 0,
              "default",
              defaultImport.name
            ));
          }
          const declaration = createConstEqualsRequireDeclaration(factory.createObjectBindingPattern(bindingElements), quotedModuleSpecifier);
          statements = combine(statements, declaration);
        }
        if (namespaceLikeImport) {
          const declaration = createConstEqualsRequireDeclaration(namespaceLikeImport.name, quotedModuleSpecifier);
          statements = combine(statements, declaration);
        }
        return Debug.checkDefined(statements);
      }
      function createConstEqualsRequireDeclaration(name, quotedModuleSpecifier) {
        return factory.createVariableStatement(
          /*modifiers*/
          void 0,
          factory.createVariableDeclarationList(
            [
              factory.createVariableDeclaration(
                typeof name === "string" ? factory.createIdentifier(name) : name,
                /*exclamationToken*/
                void 0,
                /*type*/
                void 0,
                factory.createCallExpression(
                  factory.createIdentifier("require"),
                  /*typeArguments*/
                  void 0,
                  [quotedModuleSpecifier]
                )
              )
            ],
            2
            /* Const */
          )
        );
      }
      function symbolFlagsHaveMeaning(flags, meaning) {
        return meaning === 7 ? true : meaning & 1 ? !!(flags & 111551) : meaning & 2 ? !!(flags & 788968) : meaning & 4 ? !!(flags & 1920) : false;
      }
      var fixId17 = "addMissingConstraint";
      var errorCodes19 = [
        // We want errors this could be attached to:
        // Diagnostics.This_type_parameter_probably_needs_an_extends_0_constraint
        Diagnostics.Type_0_is_not_comparable_to_type_1.code,
        Diagnostics.Type_0_is_not_assignable_to_type_1_Two_different_types_with_this_name_exist_but_they_are_unrelated.code,
        Diagnostics.Type_0_is_not_assignable_to_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_types_of_the_target_s_properties.code,
        Diagnostics.Type_0_is_not_assignable_to_type_1.code,
        Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1_with_exactOptionalPropertyTypes_Colon_true_Consider_adding_undefined_to_the_types_of_the_target_s_properties.code,
        Diagnostics.Property_0_is_incompatible_with_index_signature.code,
        Diagnostics.Property_0_in_type_1_is_not_assignable_to_type_2.code,
        Diagnostics.Type_0_does_not_satisfy_the_constraint_1.code
      ];
      registerCodeFix({
        errorCodes: errorCodes19,
        getCodeActions(context) {
          const { sourceFile, span, program, preferences, host } = context;
          const info = getInfo6(program, sourceFile, span);
          if (info === void 0) return;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addMissingConstraint(t, program, preferences, host, sourceFile, info));
          return [createCodeFixAction(fixId17, changes, Diagnostics.Add_extends_constraint, fixId17, Diagnostics.Add_extends_constraint_to_all_type_parameters)];
        },
        fixIds: [fixId17],
        getAllCodeActions: (context) => {
          const { program, preferences, host } = context;
          const seen = /* @__PURE__ */ new Map();
          return createCombinedCodeActions(ts_textChanges_exports.ChangeTracker.with(context, (changes) => {
            eachDiagnostic(context, errorCodes19, (diag2) => {
              const info = getInfo6(program, diag2.file, createTextSpan(diag2.start, diag2.length));
              if (info) {
                if (addToSeen(seen, getNodeId(info.declaration))) {
                  return addMissingConstraint(changes, program, preferences, host, diag2.file, info);
                }
              }
              return void 0;
            });
          }));
        }
      });
      function getInfo6(program, sourceFile, span) {
        const diag2 = find(program.getSemanticDiagnostics(sourceFile), (diag3) => diag3.start === span.start && diag3.length === span.length);
        if (diag2 === void 0 || diag2.relatedInformation === void 0) return;
        const related = find(diag2.relatedInformation, (related2) => related2.code === Diagnostics.This_type_parameter_might_need_an_extends_0_constraint.code);
        if (related === void 0 || related.file === void 0 || related.start === void 0 || related.length === void 0) return;
        let declaration = findAncestorMatchingSpan(related.file, createTextSpan(related.start, related.length));
        if (declaration === void 0) return;
        if (isIdentifier(declaration) && isTypeParameterDeclaration(declaration.parent)) {
          declaration = declaration.parent;
        }
        if (isTypeParameterDeclaration(declaration)) {
          if (isMappedTypeNode(declaration.parent)) return;
          const token = getTokenAtPosition(sourceFile, span.start);
          const checker = program.getTypeChecker();
          const constraint = tryGetConstraintType(checker, token) || tryGetConstraintFromDiagnosticMessage(related.messageText);
          return { constraint, declaration, token };
        }
        return void 0;
      }
      function addMissingConstraint(changes, program, preferences, host, sourceFile, info) {
        const { declaration, constraint } = info;
        const checker = program.getTypeChecker();
        if (isString2(constraint)) {
          changes.insertText(sourceFile, declaration.name.end, ` extends ${constraint}`);
        } else {
          const scriptTarget = getEmitScriptTarget(program.getCompilerOptions());
          const tracker2 = getNoopSymbolTrackerWithResolver({ program, host });
          const importAdder = createImportAdder(sourceFile, program, preferences, host);
          const typeNode = typeToAutoImportableTypeNode(
            checker,
            importAdder,
            constraint,
            /*contextNode*/
            void 0,
            scriptTarget,
            /*flags*/
            void 0,
            tracker2
          );
          if (typeNode) {
            changes.replaceNode(sourceFile, declaration, factory.updateTypeParameterDeclaration(
              declaration,
              /*modifiers*/
              void 0,
              declaration.name,
              typeNode,
              declaration.default
            ));
            importAdder.writeFixes(changes);
          }
        }
      }
      function tryGetConstraintFromDiagnosticMessage(messageText) {
        const [, constraint] = flattenDiagnosticMessageText(messageText, "\n", 0).match(/`extends (.*)`/) || [];
        return constraint;
      }
      function tryGetConstraintType(checker, node) {
        if (isTypeNode(node.parent)) {
          return checker.getTypeArgumentConstraint(node.parent);
        }
        const contextualType = isExpression(node) ? checker.getContextualType(node) : void 0;
        return contextualType || checker.getTypeAtLocation(node);
      }
      var fixName = "fixOverrideModifier";
      var fixAddOverrideId = "fixAddOverrideModifier";
      var fixRemoveOverrideId = "fixRemoveOverrideModifier";
      var errorCodes20 = [
        Diagnostics.This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0.code,
        Diagnostics.This_member_cannot_have_an_override_modifier_because_its_containing_class_0_does_not_extend_another_class.code,
        Diagnostics.This_member_must_have_an_override_modifier_because_it_overrides_an_abstract_method_that_is_declared_in_the_base_class_0.code,
        Diagnostics.This_member_must_have_an_override_modifier_because_it_overrides_a_member_in_the_base_class_0.code,
        Diagnostics.This_parameter_property_must_have_an_override_modifier_because_it_overrides_a_member_in_base_class_0.code,
        Diagnostics.This_member_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0.code,
        Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_its_containing_class_0_does_not_extend_another_class.code,
        Diagnostics.This_parameter_property_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0.code,
        Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base_class_0.code
      ];
      var errorCodeFixIdMap = {
        // case #1:
        [Diagnostics.This_member_must_have_an_override_modifier_because_it_overrides_a_member_in_the_base_class_0.code]: {
          descriptions: Diagnostics.Add_override_modifier,
          fixId: fixAddOverrideId,
          fixAllDescriptions: Diagnostics.Add_all_missing_override_modifiers
        },
        [Diagnostics.This_member_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0.code]: {
          descriptions: Diagnostics.Add_override_modifier,
          fixId: fixAddOverrideId,
          fixAllDescriptions: Diagnostics.Add_all_missing_override_modifiers
        },
        // case #2:
        [Diagnostics.This_member_cannot_have_an_override_modifier_because_its_containing_class_0_does_not_extend_another_class.code]: {
          descriptions: Diagnostics.Remove_override_modifier,
          fixId: fixRemoveOverrideId,
          fixAllDescriptions: Diagnostics.Remove_all_unnecessary_override_modifiers
        },
        [Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_its_containing_class_0_does_not_extend_another_class.code]: {
          descriptions: Diagnostics.Remove_override_modifier,
          fixId: fixRemoveOverrideId,
          fixAllDescriptions: Diagnostics.Remove_override_modifier
        },
        // case #3:
        [Diagnostics.This_parameter_property_must_have_an_override_modifier_because_it_overrides_a_member_in_base_class_0.code]: {
          descriptions: Diagnostics.Add_override_modifier,
          fixId: fixAddOverrideId,
          fixAllDescriptions: Diagnostics.Add_all_missing_override_modifiers
        },
        [Diagnostics.This_parameter_property_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0.code]: {
          descriptions: Diagnostics.Add_override_modifier,
          fixId: fixAddOverrideId,
          fixAllDescriptions: Diagnostics.Add_all_missing_override_modifiers
        },
        // case #4:
        [Diagnostics.This_member_must_have_an_override_modifier_because_it_overrides_an_abstract_method_that_is_declared_in_the_base_class_0.code]: {
          descriptions: Diagnostics.Add_override_modifier,
          fixId: fixAddOverrideId,
          fixAllDescriptions: Diagnostics.Remove_all_unnecessary_override_modifiers
        },
        // case #5:
        [Diagnostics.This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0.code]: {
          descriptions: Diagnostics.Remove_override_modifier,
          fixId: fixRemoveOverrideId,
          fixAllDescriptions: Diagnostics.Remove_all_unnecessary_override_modifiers
        },
        [Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base_class_0.code]: {
          descriptions: Diagnostics.Remove_override_modifier,
          fixId: fixRemoveOverrideId,
          fixAllDescriptions: Diagnostics.Remove_all_unnecessary_override_modifiers
        }
      };
      registerCodeFix({
        errorCodes: errorCodes20,
        getCodeActions: function getCodeActionsToFixOverrideModifierIssues(context) {
          const { errorCode, span } = context;
          const info = errorCodeFixIdMap[errorCode];
          if (!info) return emptyArray;
          const { descriptions, fixId: fixId55, fixAllDescriptions } = info;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (changes2) => dispatchChanges(changes2, context, errorCode, span.start));
          return [
            createCodeFixActionMaybeFixAll(fixName, changes, descriptions, fixId55, fixAllDescriptions)
          ];
        },
        fixIds: [fixName, fixAddOverrideId, fixRemoveOverrideId],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes20, (changes, diag2) => {
          const { code, start } = diag2;
          const info = errorCodeFixIdMap[code];
          if (!info || info.fixId !== context.fixId) {
            return;
          }
          dispatchChanges(changes, context, code, start);
        })
      });
      function dispatchChanges(changeTracker, context, errorCode, pos) {
        switch (errorCode) {
          case Diagnostics.This_member_must_have_an_override_modifier_because_it_overrides_a_member_in_the_base_class_0.code:
          case Diagnostics.This_member_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0.code:
          case Diagnostics.This_member_must_have_an_override_modifier_because_it_overrides_an_abstract_method_that_is_declared_in_the_base_class_0.code:
          case Diagnostics.This_parameter_property_must_have_an_override_modifier_because_it_overrides_a_member_in_base_class_0.code:
          case Diagnostics.This_parameter_property_must_have_a_JSDoc_comment_with_an_override_tag_because_it_overrides_a_member_in_the_base_class_0.code:
            return doAddOverrideModifierChange(changeTracker, context.sourceFile, pos);
          case Diagnostics.This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0.code:
          case Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base_class_0.code:
          case Diagnostics.This_member_cannot_have_an_override_modifier_because_its_containing_class_0_does_not_extend_another_class.code:
          case Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_its_containing_class_0_does_not_extend_another_class.code:
            return doRemoveOverrideModifierChange(changeTracker, context.sourceFile, pos);
          default:
            Debug.fail("Unexpected error code: " + errorCode);
        }
      }
      function doAddOverrideModifierChange(changeTracker, sourceFile, pos) {
        const classElement = findContainerClassElementLike(sourceFile, pos);
        if (isSourceFileJS(sourceFile)) {
          changeTracker.addJSDocTags(sourceFile, classElement, [factory.createJSDocOverrideTag(factory.createIdentifier("override"))]);
          return;
        }
        const modifiers = classElement.modifiers || emptyArray;
        const staticModifier = find(modifiers, isStaticModifier);
        const abstractModifier = find(modifiers, isAbstractModifier);
        const accessibilityModifier = find(modifiers, (m) => isAccessibilityModifier(m.kind));
        const lastDecorator = findLast(modifiers, isDecorator);
        const modifierPos = abstractModifier ? abstractModifier.end : staticModifier ? staticModifier.end : accessibilityModifier ? accessibilityModifier.end : lastDecorator ? skipTrivia(sourceFile.text, lastDecorator.end) : classElement.getStart(sourceFile);
        const options = accessibilityModifier || staticModifier || abstractModifier ? { prefix: " " } : { suffix: " " };
        changeTracker.insertModifierAt(sourceFile, modifierPos, 164, options);
      }
      function doRemoveOverrideModifierChange(changeTracker, sourceFile, pos) {
        const classElement = findContainerClassElementLike(sourceFile, pos);
        if (isSourceFileJS(sourceFile)) {
          changeTracker.filterJSDocTags(sourceFile, classElement, not(isJSDocOverrideTag));
          return;
        }
        const overrideModifier = find(classElement.modifiers, isOverrideModifier);
        Debug.assertIsDefined(overrideModifier);
        changeTracker.deleteModifier(sourceFile, overrideModifier);
      }
      function isClassElementLikeHasJSDoc(node) {
        switch (node.kind) {
          case 176:
          case 172:
          case 174:
          case 177:
          case 178:
            return true;
          case 169:
            return isParameterPropertyDeclaration(node, node.parent);
          default:
            return false;
        }
      }
      function findContainerClassElementLike(sourceFile, pos) {
        const token = getTokenAtPosition(sourceFile, pos);
        const classElement = findAncestor(token, (node) => {
          if (isClassLike(node)) return "quit";
          return isClassElementLikeHasJSDoc(node);
        });
        Debug.assert(classElement && isClassElementLikeHasJSDoc(classElement));
        return classElement;
      }
      var fixId18 = "fixNoPropertyAccessFromIndexSignature";
      var errorCodes21 = [
        Diagnostics.Property_0_comes_from_an_index_signature_so_it_must_be_accessed_with_0.code
      ];
      registerCodeFix({
        errorCodes: errorCodes21,
        fixIds: [fixId18],
        getCodeActions(context) {
          const { sourceFile, span, preferences } = context;
          const property = getPropertyAccessExpression(sourceFile, span.start);
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange14(t, context.sourceFile, property, preferences));
          return [createCodeFixAction(fixId18, changes, [Diagnostics.Use_element_access_for_0, property.name.text], fixId18, Diagnostics.Use_element_access_for_all_undeclared_properties)];
        },
        getAllCodeActions: (context) => codeFixAll(context, errorCodes21, (changes, diag2) => doChange14(changes, diag2.file, getPropertyAccessExpression(diag2.file, diag2.start), context.preferences))
      });
      function doChange14(changes, sourceFile, node, preferences) {
        const quotePreference = getQuotePreference(sourceFile, preferences);
        const argumentsExpression = factory.createStringLiteral(
          node.name.text,
          quotePreference === 0
          /* Single */
        );
        changes.replaceNode(
          sourceFile,
          node,
          isPropertyAccessChain(node) ? factory.createElementAccessChain(node.expression, node.questionDotToken, argumentsExpression) : factory.createElementAccessExpression(node.expression, argumentsExpression)
        );
      }
      function getPropertyAccessExpression(sourceFile, pos) {
        return cast(getTokenAtPosition(sourceFile, pos).parent, isPropertyAccessExpression);
      }
      var fixId19 = "fixImplicitThis";
      var errorCodes22 = [Diagnostics.this_implicitly_has_type_any_because_it_does_not_have_a_type_annotation.code];
      registerCodeFix({
        errorCodes: errorCodes22,
        getCodeActions: function getCodeActionsToFixImplicitThis(context) {
          const { sourceFile, program, span } = context;
          let diagnostic;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => {
            diagnostic = doChange15(t, sourceFile, span.start, program.getTypeChecker());
          });
          return diagnostic ? [createCodeFixAction(fixId19, changes, diagnostic, fixId19, Diagnostics.Fix_all_implicit_this_errors)] : emptyArray;
        },
        fixIds: [fixId19],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes22, (changes, diag2) => {
          doChange15(changes, diag2.file, diag2.start, context.program.getTypeChecker());
        })
      });
      function doChange15(changes, sourceFile, pos, checker) {
        const token = getTokenAtPosition(sourceFile, pos);
        if (!isThis(token)) return void 0;
        const fn = getThisContainer(
          token,
          /*includeArrowFunctions*/
          false,
          /*includeClassComputedPropertyName*/
          false
        );
        if (!isFunctionDeclaration(fn) && !isFunctionExpression(fn)) return void 0;
        if (!isSourceFile(getThisContainer(
          fn,
          /*includeArrowFunctions*/
          false,
          /*includeClassComputedPropertyName*/
          false
        ))) {
          const fnKeyword = Debug.checkDefined(findChildOfKind(fn, 100, sourceFile));
          const { name } = fn;
          const body = Debug.checkDefined(fn.body);
          if (isFunctionExpression(fn)) {
            if (name && ts_FindAllReferences_exports.Core.isSymbolReferencedInFile(name, checker, sourceFile, body)) {
              return void 0;
            }
            changes.delete(sourceFile, fnKeyword);
            if (name) {
              changes.delete(sourceFile, name);
            }
            changes.insertText(sourceFile, body.pos, " =>");
            return [Diagnostics.Convert_function_expression_0_to_arrow_function, name ? name.text : ANONYMOUS];
          } else {
            changes.replaceNode(sourceFile, fnKeyword, factory.createToken(
              87
              /* ConstKeyword */
            ));
            changes.insertText(sourceFile, name.end, " = ");
            changes.insertText(sourceFile, body.pos, " =>");
            return [Diagnostics.Convert_function_declaration_0_to_arrow_function, name.text];
          }
        }
      }
      var fixId20 = "fixImportNonExportedMember";
      var errorCodes23 = [
        Diagnostics.Module_0_declares_1_locally_but_it_is_not_exported.code
      ];
      registerCodeFix({
        errorCodes: errorCodes23,
        fixIds: [fixId20],
        getCodeActions(context) {
          const { sourceFile, span, program } = context;
          const info = getInfo7(sourceFile, span.start, program);
          if (info === void 0) return void 0;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange16(t, program, info));
          return [createCodeFixAction(fixId20, changes, [Diagnostics.Export_0_from_module_1, info.exportName.node.text, info.moduleSpecifier], fixId20, Diagnostics.Export_all_referenced_locals)];
        },
        getAllCodeActions(context) {
          const { program } = context;
          return createCombinedCodeActions(ts_textChanges_exports.ChangeTracker.with(context, (changes) => {
            const exports22 = /* @__PURE__ */ new Map();
            eachDiagnostic(context, errorCodes23, (diag2) => {
              const info = getInfo7(diag2.file, diag2.start, program);
              if (info === void 0) return void 0;
              const { exportName, node, moduleSourceFile } = info;
              if (tryGetExportDeclaration(moduleSourceFile, exportName.isTypeOnly) === void 0 && canHaveExportModifier(node)) {
                changes.insertExportModifier(moduleSourceFile, node);
              } else {
                const moduleExports4 = exports22.get(moduleSourceFile) || { typeOnlyExports: [], exports: [] };
                if (exportName.isTypeOnly) {
                  moduleExports4.typeOnlyExports.push(exportName);
                } else {
                  moduleExports4.exports.push(exportName);
                }
                exports22.set(moduleSourceFile, moduleExports4);
              }
            });
            exports22.forEach((moduleExports4, moduleSourceFile) => {
              const exportDeclaration = tryGetExportDeclaration(
                moduleSourceFile,
                /*isTypeOnly*/
                true
              );
              if (exportDeclaration && exportDeclaration.isTypeOnly) {
                doChanges(changes, program, moduleSourceFile, moduleExports4.typeOnlyExports, exportDeclaration);
                doChanges(changes, program, moduleSourceFile, moduleExports4.exports, tryGetExportDeclaration(
                  moduleSourceFile,
                  /*isTypeOnly*/
                  false
                ));
              } else {
                doChanges(changes, program, moduleSourceFile, [...moduleExports4.exports, ...moduleExports4.typeOnlyExports], exportDeclaration);
              }
            });
          }));
        }
      });
      function getInfo7(sourceFile, pos, program) {
        var _a, _b;
        const token = getTokenAtPosition(sourceFile, pos);
        if (isIdentifier(token)) {
          const importDeclaration = findAncestor(token, isImportDeclaration);
          if (importDeclaration === void 0) return void 0;
          const moduleSpecifier = isStringLiteral2(importDeclaration.moduleSpecifier) ? importDeclaration.moduleSpecifier : void 0;
          if (moduleSpecifier === void 0) return void 0;
          const resolvedModule = (_a = program.getResolvedModuleFromModuleSpecifier(moduleSpecifier, sourceFile)) == null ? void 0 : _a.resolvedModule;
          if (resolvedModule === void 0) return void 0;
          const moduleSourceFile = program.getSourceFile(resolvedModule.resolvedFileName);
          if (moduleSourceFile === void 0 || isSourceFileFromLibrary(program, moduleSourceFile)) return void 0;
          const moduleSymbol = moduleSourceFile.symbol;
          const locals = (_b = tryCast(moduleSymbol.valueDeclaration, canHaveLocals)) == null ? void 0 : _b.locals;
          if (locals === void 0) return void 0;
          const localSymbol = locals.get(token.escapedText);
          if (localSymbol === void 0) return void 0;
          const node = getNodeOfSymbol(localSymbol);
          if (node === void 0) return void 0;
          const exportName = { node: token, isTypeOnly: isTypeDeclaration(node) };
          return { exportName, node, moduleSourceFile, moduleSpecifier: moduleSpecifier.text };
        }
        return void 0;
      }
      function doChange16(changes, program, { exportName, node, moduleSourceFile }) {
        const exportDeclaration = tryGetExportDeclaration(moduleSourceFile, exportName.isTypeOnly);
        if (exportDeclaration) {
          updateExport(changes, program, moduleSourceFile, exportDeclaration, [exportName]);
        } else if (canHaveExportModifier(node)) {
          changes.insertExportModifier(moduleSourceFile, node);
        } else {
          createExport(changes, program, moduleSourceFile, [exportName]);
        }
      }
      function doChanges(changes, program, sourceFile, moduleExports4, node) {
        if (length(moduleExports4)) {
          if (node) {
            updateExport(changes, program, sourceFile, node, moduleExports4);
          } else {
            createExport(changes, program, sourceFile, moduleExports4);
          }
        }
      }
      function tryGetExportDeclaration(sourceFile, isTypeOnly) {
        const predicate = (node) => isExportDeclaration(node) && (isTypeOnly && node.isTypeOnly || !node.isTypeOnly);
        return findLast(sourceFile.statements, predicate);
      }
      function updateExport(changes, program, sourceFile, node, names) {
        const namedExports = node.exportClause && isNamedExports(node.exportClause) ? node.exportClause.elements : factory.createNodeArray([]);
        const allowTypeModifier = !node.isTypeOnly && !!(getIsolatedModules(program.getCompilerOptions()) || find(namedExports, (e) => e.isTypeOnly));
        changes.replaceNode(
          sourceFile,
          node,
          factory.updateExportDeclaration(
            node,
            node.modifiers,
            node.isTypeOnly,
            factory.createNamedExports(
              factory.createNodeArray(
                [...namedExports, ...createExportSpecifiers(names, allowTypeModifier)],
                /*hasTrailingComma*/
                namedExports.hasTrailingComma
              )
            ),
            node.moduleSpecifier,
            node.attributes
          )
        );
      }
      function createExport(changes, program, sourceFile, names) {
        changes.insertNodeAtEndOfScope(sourceFile, sourceFile, factory.createExportDeclaration(
          /*modifiers*/
          void 0,
          /*isTypeOnly*/
          false,
          factory.createNamedExports(createExportSpecifiers(
            names,
            /*allowTypeModifier*/
            getIsolatedModules(program.getCompilerOptions())
          )),
          /*moduleSpecifier*/
          void 0,
          /*attributes*/
          void 0
        ));
      }
      function createExportSpecifiers(names, allowTypeModifier) {
        return factory.createNodeArray(map(names, (n) => factory.createExportSpecifier(
          allowTypeModifier && n.isTypeOnly,
          /*propertyName*/
          void 0,
          n.node
        )));
      }
      function getNodeOfSymbol(symbol) {
        if (symbol.valueDeclaration === void 0) {
          return firstOrUndefined(symbol.declarations);
        }
        const declaration = symbol.valueDeclaration;
        const variableStatement = isVariableDeclaration(declaration) ? tryCast(declaration.parent.parent, isVariableStatement) : void 0;
        return variableStatement && length(variableStatement.declarationList.declarations) === 1 ? variableStatement : declaration;
      }
      var fixId21 = "fixIncorrectNamedTupleSyntax";
      var errorCodes24 = [
        Diagnostics.A_labeled_tuple_element_is_declared_as_optional_with_a_question_mark_after_the_name_and_before_the_colon_rather_than_after_the_type.code,
        Diagnostics.A_labeled_tuple_element_is_declared_as_rest_with_a_before_the_name_rather_than_before_the_type.code
      ];
      registerCodeFix({
        errorCodes: errorCodes24,
        getCodeActions: function getCodeActionsToFixIncorrectNamedTupleSyntax(context) {
          const { sourceFile, span } = context;
          const namedTupleMember = getNamedTupleMember(sourceFile, span.start);
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange17(t, sourceFile, namedTupleMember));
          return [createCodeFixAction(fixId21, changes, Diagnostics.Move_labeled_tuple_element_modifiers_to_labels, fixId21, Diagnostics.Move_labeled_tuple_element_modifiers_to_labels)];
        },
        fixIds: [fixId21]
      });
      function getNamedTupleMember(sourceFile, pos) {
        const token = getTokenAtPosition(sourceFile, pos);
        return findAncestor(
          token,
          (t) => t.kind === 202
          /* NamedTupleMember */
        );
      }
      function doChange17(changes, sourceFile, namedTupleMember) {
        if (!namedTupleMember) {
          return;
        }
        let unwrappedType = namedTupleMember.type;
        let sawOptional = false;
        let sawRest = false;
        while (unwrappedType.kind === 190 || unwrappedType.kind === 191 || unwrappedType.kind === 196) {
          if (unwrappedType.kind === 190) {
            sawOptional = true;
          } else if (unwrappedType.kind === 191) {
            sawRest = true;
          }
          unwrappedType = unwrappedType.type;
        }
        const updated = factory.updateNamedTupleMember(
          namedTupleMember,
          namedTupleMember.dotDotDotToken || (sawRest ? factory.createToken(
            26
            /* DotDotDotToken */
          ) : void 0),
          namedTupleMember.name,
          namedTupleMember.questionToken || (sawOptional ? factory.createToken(
            58
            /* QuestionToken */
          ) : void 0),
          unwrappedType
        );
        if (updated === namedTupleMember) {
          return;
        }
        changes.replaceNode(sourceFile, namedTupleMember, updated);
      }
      var fixId22 = "fixSpelling";
      var errorCodes25 = [
        Diagnostics.Property_0_does_not_exist_on_type_1_Did_you_mean_2.code,
        Diagnostics.Property_0_may_not_exist_on_type_1_Did_you_mean_2.code,
        Diagnostics.Cannot_find_name_0_Did_you_mean_1.code,
        Diagnostics.Could_not_find_name_0_Did_you_mean_1.code,
        Diagnostics.Cannot_find_namespace_0_Did_you_mean_1.code,
        Diagnostics.Cannot_find_name_0_Did_you_mean_the_instance_member_this_0.code,
        Diagnostics.Cannot_find_name_0_Did_you_mean_the_static_member_1_0.code,
        Diagnostics._0_has_no_exported_member_named_1_Did_you_mean_2.code,
        Diagnostics.This_member_cannot_have_an_override_modifier_because_it_is_not_declared_in_the_base_class_0_Did_you_mean_1.code,
        Diagnostics.This_member_cannot_have_a_JSDoc_comment_with_an_override_tag_because_it_is_not_declared_in_the_base_class_0_Did_you_mean_1.code,
        // for JSX class components
        Diagnostics.No_overload_matches_this_call.code,
        // for JSX FC
        Diagnostics.Type_0_is_not_assignable_to_type_1.code
      ];
      registerCodeFix({
        errorCodes: errorCodes25,
        getCodeActions(context) {
          const { sourceFile, errorCode } = context;
          const info = getInfo8(sourceFile, context.span.start, context, errorCode);
          if (!info) return void 0;
          const { node, suggestedSymbol } = info;
          const target = getEmitScriptTarget(context.host.getCompilationSettings());
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange18(t, sourceFile, node, suggestedSymbol, target));
          return [createCodeFixAction("spelling", changes, [Diagnostics.Change_spelling_to_0, symbolName(suggestedSymbol)], fixId22, Diagnostics.Fix_all_detected_spelling_errors)];
        },
        fixIds: [fixId22],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes25, (changes, diag2) => {
          const info = getInfo8(diag2.file, diag2.start, context, diag2.code);
          const target = getEmitScriptTarget(context.host.getCompilationSettings());
          if (info) doChange18(changes, context.sourceFile, info.node, info.suggestedSymbol, target);
        })
      });
      function getInfo8(sourceFile, pos, context, errorCode) {
        const node = getTokenAtPosition(sourceFile, pos);
        const parent2 = node.parent;
        if ((errorCode === Diagnostics.No_overload_matches_this_call.code || errorCode === Diagnostics.Type_0_is_not_assignable_to_type_1.code) && !isJsxAttribute(parent2)) return void 0;
        const checker = context.program.getTypeChecker();
        let suggestedSymbol;
        if (isPropertyAccessExpression(parent2) && parent2.name === node) {
          Debug.assert(isMemberName(node), "Expected an identifier for spelling (property access)");
          let containingType = checker.getTypeAtLocation(parent2.expression);
          if (parent2.flags & 64) {
            containingType = checker.getNonNullableType(containingType);
          }
          suggestedSymbol = checker.getSuggestedSymbolForNonexistentProperty(node, containingType);
        } else if (isBinaryExpression(parent2) && parent2.operatorToken.kind === 103 && parent2.left === node && isPrivateIdentifier(node)) {
          const receiverType = checker.getTypeAtLocation(parent2.right);
          suggestedSymbol = checker.getSuggestedSymbolForNonexistentProperty(node, receiverType);
        } else if (isQualifiedName(parent2) && parent2.right === node) {
          const symbol = checker.getSymbolAtLocation(parent2.left);
          if (symbol && symbol.flags & 1536) {
            suggestedSymbol = checker.getSuggestedSymbolForNonexistentModule(parent2.right, symbol);
          }
        } else if (isImportSpecifier(parent2) && parent2.name === node) {
          Debug.assertNode(node, isIdentifier, "Expected an identifier for spelling (import)");
          const importDeclaration = findAncestor(node, isImportDeclaration);
          const resolvedSourceFile = getResolvedSourceFileFromImportDeclaration(context, importDeclaration, sourceFile);
          if (resolvedSourceFile && resolvedSourceFile.symbol) {
            suggestedSymbol = checker.getSuggestedSymbolForNonexistentModule(node, resolvedSourceFile.symbol);
          }
        } else if (isJsxAttribute(parent2) && parent2.name === node) {
          Debug.assertNode(node, isIdentifier, "Expected an identifier for JSX attribute");
          const tag = findAncestor(node, isJsxOpeningLikeElement);
          const props = checker.getContextualTypeForArgumentAtIndex(tag, 0);
          suggestedSymbol = checker.getSuggestedSymbolForNonexistentJSXAttribute(node, props);
        } else if (hasOverrideModifier(parent2) && isClassElement(parent2) && parent2.name === node) {
          const baseDeclaration = findAncestor(node, isClassLike);
          const baseTypeNode = baseDeclaration ? getEffectiveBaseTypeNode(baseDeclaration) : void 0;
          const baseType = baseTypeNode ? checker.getTypeAtLocation(baseTypeNode) : void 0;
          if (baseType) {
            suggestedSymbol = checker.getSuggestedSymbolForNonexistentClassMember(getTextOfNode(node), baseType);
          }
        } else {
          const meaning = getMeaningFromLocation(node);
          const name = getTextOfNode(node);
          Debug.assert(name !== void 0, "name should be defined");
          suggestedSymbol = checker.getSuggestedSymbolForNonexistentSymbol(node, name, convertSemanticMeaningToSymbolFlags(meaning));
        }
        return suggestedSymbol === void 0 ? void 0 : { node, suggestedSymbol };
      }
      function doChange18(changes, sourceFile, node, suggestedSymbol, target) {
        const suggestion = symbolName(suggestedSymbol);
        if (!isIdentifierText(suggestion, target) && isPropertyAccessExpression(node.parent)) {
          const valDecl = suggestedSymbol.valueDeclaration;
          if (valDecl && isNamedDeclaration(valDecl) && isPrivateIdentifier(valDecl.name)) {
            changes.replaceNode(sourceFile, node, factory.createIdentifier(suggestion));
          } else {
            changes.replaceNode(sourceFile, node.parent, factory.createElementAccessExpression(node.parent.expression, factory.createStringLiteral(suggestion)));
          }
        } else {
          changes.replaceNode(sourceFile, node, factory.createIdentifier(suggestion));
        }
      }
      function convertSemanticMeaningToSymbolFlags(meaning) {
        let flags = 0;
        if (meaning & 4) {
          flags |= 1920;
        }
        if (meaning & 2) {
          flags |= 788968;
        }
        if (meaning & 1) {
          flags |= 111551;
        }
        return flags;
      }
      function getResolvedSourceFileFromImportDeclaration(context, importDeclaration, importingFile) {
        var _a;
        if (!importDeclaration || !isStringLiteralLike(importDeclaration.moduleSpecifier)) return void 0;
        const resolvedModule = (_a = context.program.getResolvedModuleFromModuleSpecifier(importDeclaration.moduleSpecifier, importingFile)) == null ? void 0 : _a.resolvedModule;
        if (!resolvedModule) return void 0;
        return context.program.getSourceFile(resolvedModule.resolvedFileName);
      }
      var fixId23 = "returnValueCorrect";
      var fixIdAddReturnStatement = "fixAddReturnStatement";
      var fixRemoveBracesFromArrowFunctionBody = "fixRemoveBracesFromArrowFunctionBody";
      var fixIdWrapTheBlockWithParen = "fixWrapTheBlockWithParen";
      var errorCodes26 = [
        Diagnostics.A_function_whose_declared_type_is_neither_undefined_void_nor_any_must_return_a_value.code,
        Diagnostics.Type_0_is_not_assignable_to_type_1.code,
        Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1.code
      ];
      registerCodeFix({
        errorCodes: errorCodes26,
        fixIds: [fixIdAddReturnStatement, fixRemoveBracesFromArrowFunctionBody, fixIdWrapTheBlockWithParen],
        getCodeActions: function getCodeActionsToCorrectReturnValue(context) {
          const { program, sourceFile, span: { start }, errorCode } = context;
          const info = getInfo9(program.getTypeChecker(), sourceFile, start, errorCode);
          if (!info) return void 0;
          if (info.kind === 0) {
            return append(
              [getActionForfixAddReturnStatement(context, info.expression, info.statement)],
              isArrowFunction(info.declaration) ? getActionForFixRemoveBracesFromArrowFunctionBody(context, info.declaration, info.expression, info.commentSource) : void 0
            );
          } else {
            return [getActionForfixWrapTheBlockWithParen(context, info.declaration, info.expression)];
          }
        },
        getAllCodeActions: (context) => codeFixAll(context, errorCodes26, (changes, diag2) => {
          const info = getInfo9(context.program.getTypeChecker(), diag2.file, diag2.start, diag2.code);
          if (!info) return void 0;
          switch (context.fixId) {
            case fixIdAddReturnStatement:
              addReturnStatement(changes, diag2.file, info.expression, info.statement);
              break;
            case fixRemoveBracesFromArrowFunctionBody:
              if (!isArrowFunction(info.declaration)) return void 0;
              removeBlockBodyBrace(
                changes,
                diag2.file,
                info.declaration,
                info.expression,
                info.commentSource,
                /*withParen*/
                false
              );
              break;
            case fixIdWrapTheBlockWithParen:
              if (!isArrowFunction(info.declaration)) return void 0;
              wrapBlockWithParen(changes, diag2.file, info.declaration, info.expression);
              break;
            default:
              Debug.fail(JSON.stringify(context.fixId));
          }
        })
      });
      function createObjectTypeFromLabeledExpression(checker, label, expression) {
        const member = checker.createSymbol(4, label.escapedText);
        member.links.type = checker.getTypeAtLocation(expression);
        const members = createSymbolTable([member]);
        return checker.createAnonymousType(
          /*symbol*/
          void 0,
          members,
          [],
          [],
          []
        );
      }
      function getFixInfo(checker, declaration, expectType, isFunctionType) {
        if (!declaration.body || !isBlock(declaration.body) || length(declaration.body.statements) !== 1) return void 0;
        const firstStatement = first(declaration.body.statements);
        if (isExpressionStatement2(firstStatement) && checkFixedAssignableTo(checker, declaration, checker.getTypeAtLocation(firstStatement.expression), expectType, isFunctionType)) {
          return {
            declaration,
            kind: 0,
            expression: firstStatement.expression,
            statement: firstStatement,
            commentSource: firstStatement.expression
          };
        } else if (isLabeledStatement(firstStatement) && isExpressionStatement2(firstStatement.statement)) {
          const node = factory.createObjectLiteralExpression([factory.createPropertyAssignment(firstStatement.label, firstStatement.statement.expression)]);
          const nodeType = createObjectTypeFromLabeledExpression(checker, firstStatement.label, firstStatement.statement.expression);
          if (checkFixedAssignableTo(checker, declaration, nodeType, expectType, isFunctionType)) {
            return isArrowFunction(declaration) ? {
              declaration,
              kind: 1,
              expression: node,
              statement: firstStatement,
              commentSource: firstStatement.statement.expression
            } : {
              declaration,
              kind: 0,
              expression: node,
              statement: firstStatement,
              commentSource: firstStatement.statement.expression
            };
          }
        } else if (isBlock(firstStatement) && length(firstStatement.statements) === 1) {
          const firstBlockStatement = first(firstStatement.statements);
          if (isLabeledStatement(firstBlockStatement) && isExpressionStatement2(firstBlockStatement.statement)) {
            const node = factory.createObjectLiteralExpression([factory.createPropertyAssignment(firstBlockStatement.label, firstBlockStatement.statement.expression)]);
            const nodeType = createObjectTypeFromLabeledExpression(checker, firstBlockStatement.label, firstBlockStatement.statement.expression);
            if (checkFixedAssignableTo(checker, declaration, nodeType, expectType, isFunctionType)) {
              return {
                declaration,
                kind: 0,
                expression: node,
                statement: firstStatement,
                commentSource: firstBlockStatement
              };
            }
          }
        }
        return void 0;
      }
      function checkFixedAssignableTo(checker, declaration, exprType, type, isFunctionType) {
        if (isFunctionType) {
          const sig = checker.getSignatureFromDeclaration(declaration);
          if (sig) {
            if (hasSyntacticModifier(
              declaration,
              1024
              /* Async */
            )) {
              exprType = checker.createPromiseType(exprType);
            }
            const newSig = checker.createSignature(
              declaration,
              sig.typeParameters,
              sig.thisParameter,
              sig.parameters,
              exprType,
              /*typePredicate*/
              void 0,
              sig.minArgumentCount,
              sig.flags
            );
            exprType = checker.createAnonymousType(
              /*symbol*/
              void 0,
              createSymbolTable(),
              [newSig],
              [],
              []
            );
          } else {
            exprType = checker.getAnyType();
          }
        }
        return checker.isTypeAssignableTo(exprType, type);
      }
      function getInfo9(checker, sourceFile, position, errorCode) {
        const node = getTokenAtPosition(sourceFile, position);
        if (!node.parent) return void 0;
        const declaration = findAncestor(node.parent, isFunctionLikeDeclaration);
        switch (errorCode) {
          case Diagnostics.A_function_whose_declared_type_is_neither_undefined_void_nor_any_must_return_a_value.code:
            if (!declaration || !declaration.body || !declaration.type || !rangeContainsRange(declaration.type, node)) return void 0;
            return getFixInfo(
              checker,
              declaration,
              checker.getTypeFromTypeNode(declaration.type),
              /*isFunctionType*/
              false
            );
          case Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1.code:
            if (!declaration || !isCallExpression2(declaration.parent) || !declaration.body) return void 0;
            const pos = declaration.parent.arguments.indexOf(declaration);
            if (pos === -1) return void 0;
            const type = checker.getContextualTypeForArgumentAtIndex(declaration.parent, pos);
            if (!type) return void 0;
            return getFixInfo(
              checker,
              declaration,
              type,
              /*isFunctionType*/
              true
            );
          case Diagnostics.Type_0_is_not_assignable_to_type_1.code:
            if (!isDeclarationName(node) || !isVariableLike(node.parent) && !isJsxAttribute(node.parent)) return void 0;
            const initializer = getVariableLikeInitializer(node.parent);
            if (!initializer || !isFunctionLikeDeclaration(initializer) || !initializer.body) return void 0;
            return getFixInfo(
              checker,
              initializer,
              checker.getTypeAtLocation(node.parent),
              /*isFunctionType*/
              true
            );
        }
        return void 0;
      }
      function getVariableLikeInitializer(declaration) {
        switch (declaration.kind) {
          case 260:
          case 169:
          case 208:
          case 172:
          case 303:
            return declaration.initializer;
          case 291:
            return declaration.initializer && (isJsxExpression(declaration.initializer) ? declaration.initializer.expression : void 0);
          case 304:
          case 171:
          case 306:
          case 348:
          case 341:
            return void 0;
        }
      }
      function addReturnStatement(changes, sourceFile, expression, statement) {
        suppressLeadingAndTrailingTrivia(expression);
        const probablyNeedSemi = probablyUsesSemicolons(sourceFile);
        changes.replaceNode(sourceFile, statement, factory.createReturnStatement(expression), {
          leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude,
          trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Exclude,
          suffix: probablyNeedSemi ? ";" : void 0
        });
      }
      function removeBlockBodyBrace(changes, sourceFile, declaration, expression, commentSource, withParen) {
        const newBody = withParen || needsParentheses2(expression) ? factory.createParenthesizedExpression(expression) : expression;
        suppressLeadingAndTrailingTrivia(commentSource);
        copyComments(commentSource, newBody);
        changes.replaceNode(sourceFile, declaration.body, newBody);
      }
      function wrapBlockWithParen(changes, sourceFile, declaration, expression) {
        changes.replaceNode(sourceFile, declaration.body, factory.createParenthesizedExpression(expression));
      }
      function getActionForfixAddReturnStatement(context, expression, statement) {
        const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addReturnStatement(t, context.sourceFile, expression, statement));
        return createCodeFixAction(fixId23, changes, Diagnostics.Add_a_return_statement, fixIdAddReturnStatement, Diagnostics.Add_all_missing_return_statement);
      }
      function getActionForFixRemoveBracesFromArrowFunctionBody(context, declaration, expression, commentSource) {
        const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => removeBlockBodyBrace(
          t,
          context.sourceFile,
          declaration,
          expression,
          commentSource,
          /*withParen*/
          false
        ));
        return createCodeFixAction(fixId23, changes, Diagnostics.Remove_braces_from_arrow_function_body, fixRemoveBracesFromArrowFunctionBody, Diagnostics.Remove_braces_from_all_arrow_function_bodies_with_relevant_issues);
      }
      function getActionForfixWrapTheBlockWithParen(context, declaration, expression) {
        const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => wrapBlockWithParen(t, context.sourceFile, declaration, expression));
        return createCodeFixAction(fixId23, changes, Diagnostics.Wrap_the_following_body_with_parentheses_which_should_be_an_object_literal, fixIdWrapTheBlockWithParen, Diagnostics.Wrap_all_object_literal_with_parentheses);
      }
      var fixMissingMember = "fixMissingMember";
      var fixMissingProperties = "fixMissingProperties";
      var fixMissingAttributes = "fixMissingAttributes";
      var fixMissingFunctionDeclaration = "fixMissingFunctionDeclaration";
      var errorCodes27 = [
        Diagnostics.Property_0_does_not_exist_on_type_1.code,
        Diagnostics.Property_0_does_not_exist_on_type_1_Did_you_mean_2.code,
        Diagnostics.Property_0_is_missing_in_type_1_but_required_in_type_2.code,
        Diagnostics.Type_0_is_missing_the_following_properties_from_type_1_Colon_2.code,
        Diagnostics.Type_0_is_missing_the_following_properties_from_type_1_Colon_2_and_3_more.code,
        Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1.code,
        Diagnostics.Cannot_find_name_0.code
      ];
      registerCodeFix({
        errorCodes: errorCodes27,
        getCodeActions(context) {
          const typeChecker = context.program.getTypeChecker();
          const info = getInfo10(context.sourceFile, context.span.start, context.errorCode, typeChecker, context.program);
          if (!info) {
            return void 0;
          }
          if (info.kind === 3) {
            const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addObjectLiteralProperties(t, context, info));
            return [createCodeFixAction(fixMissingProperties, changes, Diagnostics.Add_missing_properties, fixMissingProperties, Diagnostics.Add_all_missing_properties)];
          }
          if (info.kind === 4) {
            const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addJsxAttributes(t, context, info));
            return [createCodeFixAction(fixMissingAttributes, changes, Diagnostics.Add_missing_attributes, fixMissingAttributes, Diagnostics.Add_all_missing_attributes)];
          }
          if (info.kind === 2 || info.kind === 5) {
            const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addFunctionDeclaration(t, context, info));
            return [createCodeFixAction(fixMissingFunctionDeclaration, changes, [Diagnostics.Add_missing_function_declaration_0, info.token.text], fixMissingFunctionDeclaration, Diagnostics.Add_all_missing_function_declarations)];
          }
          if (info.kind === 1) {
            const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addEnumMemberDeclaration(t, context.program.getTypeChecker(), info));
            return [createCodeFixAction(fixMissingMember, changes, [Diagnostics.Add_missing_enum_member_0, info.token.text], fixMissingMember, Diagnostics.Add_all_missing_members)];
          }
          return concatenate(getActionsForMissingMethodDeclaration(context, info), getActionsForMissingMemberDeclaration(context, info));
        },
        fixIds: [fixMissingMember, fixMissingFunctionDeclaration, fixMissingProperties, fixMissingAttributes],
        getAllCodeActions: (context) => {
          const { program, fixId: fixId55 } = context;
          const checker = program.getTypeChecker();
          const seen = /* @__PURE__ */ new Map();
          const typeDeclToMembers = /* @__PURE__ */ new Map();
          return createCombinedCodeActions(ts_textChanges_exports.ChangeTracker.with(context, (changes) => {
            eachDiagnostic(context, errorCodes27, (diag2) => {
              const info = getInfo10(diag2.file, diag2.start, diag2.code, checker, context.program);
              if (!info || !addToSeen(seen, getNodeId(info.parentDeclaration) + "#" + (info.kind === 3 ? info.identifier : info.token.text))) {
                return;
              }
              if (fixId55 === fixMissingFunctionDeclaration && (info.kind === 2 || info.kind === 5)) {
                addFunctionDeclaration(changes, context, info);
              } else if (fixId55 === fixMissingProperties && info.kind === 3) {
                addObjectLiteralProperties(changes, context, info);
              } else if (fixId55 === fixMissingAttributes && info.kind === 4) {
                addJsxAttributes(changes, context, info);
              } else {
                if (info.kind === 1) {
                  addEnumMemberDeclaration(changes, checker, info);
                }
                if (info.kind === 0) {
                  const { parentDeclaration, token } = info;
                  const infos = getOrUpdate(typeDeclToMembers, parentDeclaration, () => []);
                  if (!infos.some((i) => i.token.text === token.text)) {
                    infos.push(info);
                  }
                }
              }
            });
            typeDeclToMembers.forEach((infos, declaration) => {
              const supers = isTypeLiteralNode(declaration) ? void 0 : getAllSupers(declaration, checker);
              for (const info of infos) {
                if (supers == null ? void 0 : supers.some((superClassOrInterface) => {
                  const superInfos = typeDeclToMembers.get(superClassOrInterface);
                  return !!superInfos && superInfos.some(({ token: token2 }) => token2.text === info.token.text);
                })) continue;
                const { parentDeclaration, declSourceFile, modifierFlags, token, call, isJSFile } = info;
                if (call && !isPrivateIdentifier(token)) {
                  addMethodDeclaration(context, changes, call, token, modifierFlags & 256, parentDeclaration, declSourceFile);
                } else {
                  if (isJSFile && !isInterfaceDeclaration(parentDeclaration) && !isTypeLiteralNode(parentDeclaration)) {
                    addMissingMemberInJs(changes, declSourceFile, parentDeclaration, token, !!(modifierFlags & 256));
                  } else {
                    const typeNode = getTypeNode2(checker, parentDeclaration, token);
                    addPropertyDeclaration(
                      changes,
                      declSourceFile,
                      parentDeclaration,
                      token.text,
                      typeNode,
                      modifierFlags & 256
                      /* Static */
                    );
                  }
                }
              }
            });
          }));
        }
      });
      function getInfo10(sourceFile, tokenPos, errorCode, checker, program) {
        var _a;
        const token = getTokenAtPosition(sourceFile, tokenPos);
        const parent2 = token.parent;
        if (errorCode === Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1.code) {
          if (!(token.kind === 19 && isObjectLiteralExpression(parent2) && isCallExpression2(parent2.parent))) return void 0;
          const argIndex = findIndex(parent2.parent.arguments, (arg) => arg === parent2);
          if (argIndex < 0) return void 0;
          const signature = checker.getResolvedSignature(parent2.parent);
          if (!(signature && signature.declaration && signature.parameters[argIndex])) return void 0;
          const param = signature.parameters[argIndex].valueDeclaration;
          if (!(param && isParameter(param) && isIdentifier(param.name))) return void 0;
          const properties = arrayFrom(checker.getUnmatchedProperties(
            checker.getTypeAtLocation(parent2),
            checker.getParameterType(signature, argIndex),
            /*requireOptionalProperties*/
            false,
            /*matchDiscriminantProperties*/
            false
          ));
          if (!length(properties)) return void 0;
          return { kind: 3, token: param.name, identifier: param.name.text, properties, parentDeclaration: parent2 };
        }
        if (token.kind === 19 && isObjectLiteralExpression(parent2)) {
          const targetType = checker.getContextualType(parent2) || checker.getTypeAtLocation(parent2);
          const properties = arrayFrom(checker.getUnmatchedProperties(
            checker.getTypeAtLocation(parent2),
            targetType,
            /*requireOptionalProperties*/
            false,
            /*matchDiscriminantProperties*/
            false
          ));
          if (!length(properties)) return void 0;
          const identifier = "";
          return { kind: 3, token: parent2, identifier, properties, parentDeclaration: parent2 };
        }
        if (!isMemberName(token)) return void 0;
        if (isIdentifier(token) && hasInitializer(parent2) && parent2.initializer && isObjectLiteralExpression(parent2.initializer)) {
          const targetType = checker.getContextualType(token) || checker.getTypeAtLocation(token);
          const properties = arrayFrom(checker.getUnmatchedProperties(
            checker.getTypeAtLocation(parent2.initializer),
            targetType,
            /*requireOptionalProperties*/
            false,
            /*matchDiscriminantProperties*/
            false
          ));
          if (!length(properties)) return void 0;
          return { kind: 3, token, identifier: token.text, properties, parentDeclaration: parent2.initializer };
        }
        if (isIdentifier(token) && isJsxOpeningLikeElement(token.parent)) {
          const target = getEmitScriptTarget(program.getCompilerOptions());
          const attributes = getUnmatchedAttributes(checker, target, token.parent);
          if (!length(attributes)) return void 0;
          return { kind: 4, token, attributes, parentDeclaration: token.parent };
        }
        if (isIdentifier(token)) {
          const type = (_a = checker.getContextualType(token)) == null ? void 0 : _a.getNonNullableType();
          if (type && getObjectFlags(type) & 16) {
            const signature = firstOrUndefined(checker.getSignaturesOfType(
              type,
              0
              /* Call */
            ));
            if (signature === void 0) return void 0;
            return { kind: 5, token, signature, sourceFile, parentDeclaration: findScope(token) };
          }
          if (isCallExpression2(parent2) && parent2.expression === token) {
            return { kind: 2, token, call: parent2, sourceFile, modifierFlags: 0, parentDeclaration: findScope(token) };
          }
        }
        if (!isPropertyAccessExpression(parent2)) return void 0;
        const leftExpressionType = skipConstraint(checker.getTypeAtLocation(parent2.expression));
        const symbol = leftExpressionType.symbol;
        if (!symbol || !symbol.declarations) return void 0;
        if (isIdentifier(token) && isCallExpression2(parent2.parent)) {
          const moduleDeclaration = find(symbol.declarations, isModuleDeclaration);
          const moduleDeclarationSourceFile = moduleDeclaration == null ? void 0 : moduleDeclaration.getSourceFile();
          if (moduleDeclaration && moduleDeclarationSourceFile && !isSourceFileFromLibrary(program, moduleDeclarationSourceFile)) {
            return { kind: 2, token, call: parent2.parent, sourceFile, modifierFlags: 32, parentDeclaration: moduleDeclaration };
          }
          const moduleSourceFile = find(symbol.declarations, isSourceFile);
          if (sourceFile.commonJsModuleIndicator) return void 0;
          if (moduleSourceFile && !isSourceFileFromLibrary(program, moduleSourceFile)) {
            return { kind: 2, token, call: parent2.parent, sourceFile: moduleSourceFile, modifierFlags: 32, parentDeclaration: moduleSourceFile };
          }
        }
        const classDeclaration = find(symbol.declarations, isClassLike);
        if (!classDeclaration && isPrivateIdentifier(token)) return void 0;
        const declaration = classDeclaration || find(symbol.declarations, (d) => isInterfaceDeclaration(d) || isTypeLiteralNode(d));
        if (declaration && !isSourceFileFromLibrary(program, declaration.getSourceFile())) {
          const makeStatic = !isTypeLiteralNode(declaration) && (leftExpressionType.target || leftExpressionType) !== checker.getDeclaredTypeOfSymbol(symbol);
          if (makeStatic && (isPrivateIdentifier(token) || isInterfaceDeclaration(declaration))) return void 0;
          const declSourceFile = declaration.getSourceFile();
          const modifierFlags = isTypeLiteralNode(declaration) ? 0 : (makeStatic ? 256 : 0) | (startsWithUnderscore(token.text) ? 2 : 0);
          const isJSFile = isSourceFileJS(declSourceFile);
          const call = tryCast(parent2.parent, isCallExpression2);
          return { kind: 0, token, call, modifierFlags, parentDeclaration: declaration, declSourceFile, isJSFile };
        }
        const enumDeclaration = find(symbol.declarations, isEnumDeclaration);
        if (enumDeclaration && !(leftExpressionType.flags & 1056) && !isPrivateIdentifier(token) && !isSourceFileFromLibrary(program, enumDeclaration.getSourceFile())) {
          return { kind: 1, token, parentDeclaration: enumDeclaration };
        }
        return void 0;
      }
      function getActionsForMissingMemberDeclaration(context, info) {
        return info.isJSFile ? singleElementArray(createActionForAddMissingMemberInJavascriptFile(context, info)) : createActionsForAddMissingMemberInTypeScriptFile(context, info);
      }
      function createActionForAddMissingMemberInJavascriptFile(context, { parentDeclaration, declSourceFile, modifierFlags, token }) {
        if (isInterfaceDeclaration(parentDeclaration) || isTypeLiteralNode(parentDeclaration)) {
          return void 0;
        }
        const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addMissingMemberInJs(t, declSourceFile, parentDeclaration, token, !!(modifierFlags & 256)));
        if (changes.length === 0) {
          return void 0;
        }
        const diagnostic = modifierFlags & 256 ? Diagnostics.Initialize_static_property_0 : isPrivateIdentifier(token) ? Diagnostics.Declare_a_private_field_named_0 : Diagnostics.Initialize_property_0_in_the_constructor;
        return createCodeFixAction(fixMissingMember, changes, [diagnostic, token.text], fixMissingMember, Diagnostics.Add_all_missing_members);
      }
      function addMissingMemberInJs(changeTracker, sourceFile, classDeclaration, token, makeStatic) {
        const tokenName = token.text;
        if (makeStatic) {
          if (classDeclaration.kind === 231) {
            return;
          }
          const className = classDeclaration.name.getText();
          const staticInitialization = initializePropertyToUndefined(factory.createIdentifier(className), tokenName);
          changeTracker.insertNodeAfter(sourceFile, classDeclaration, staticInitialization);
        } else if (isPrivateIdentifier(token)) {
          const property = factory.createPropertyDeclaration(
            /*modifiers*/
            void 0,
            tokenName,
            /*questionOrExclamationToken*/
            void 0,
            /*type*/
            void 0,
            /*initializer*/
            void 0
          );
          const lastProp = getNodeToInsertPropertyAfter(classDeclaration);
          if (lastProp) {
            changeTracker.insertNodeAfter(sourceFile, lastProp, property);
          } else {
            changeTracker.insertMemberAtStart(sourceFile, classDeclaration, property);
          }
        } else {
          const classConstructor = getFirstConstructorWithBody(classDeclaration);
          if (!classConstructor) {
            return;
          }
          const propertyInitialization = initializePropertyToUndefined(factory.createThis(), tokenName);
          changeTracker.insertNodeAtConstructorEnd(sourceFile, classConstructor, propertyInitialization);
        }
      }
      function initializePropertyToUndefined(obj, propertyName) {
        return factory.createExpressionStatement(factory.createAssignment(factory.createPropertyAccessExpression(obj, propertyName), createUndefined()));
      }
      function createActionsForAddMissingMemberInTypeScriptFile(context, { parentDeclaration, declSourceFile, modifierFlags, token }) {
        const memberName = token.text;
        const isStatic2 = modifierFlags & 256;
        const typeNode = getTypeNode2(context.program.getTypeChecker(), parentDeclaration, token);
        const addPropertyDeclarationChanges = (modifierFlags2) => ts_textChanges_exports.ChangeTracker.with(context, (t) => addPropertyDeclaration(t, declSourceFile, parentDeclaration, memberName, typeNode, modifierFlags2));
        const actions2 = [createCodeFixAction(fixMissingMember, addPropertyDeclarationChanges(
          modifierFlags & 256
          /* Static */
        ), [isStatic2 ? Diagnostics.Declare_static_property_0 : Diagnostics.Declare_property_0, memberName], fixMissingMember, Diagnostics.Add_all_missing_members)];
        if (isStatic2 || isPrivateIdentifier(token)) {
          return actions2;
        }
        if (modifierFlags & 2) {
          actions2.unshift(createCodeFixActionWithoutFixAll(fixMissingMember, addPropertyDeclarationChanges(
            2
            /* Private */
          ), [Diagnostics.Declare_private_property_0, memberName]));
        }
        actions2.push(createAddIndexSignatureAction(context, declSourceFile, parentDeclaration, token.text, typeNode));
        return actions2;
      }
      function getTypeNode2(checker, node, token) {
        let typeNode;
        if (token.parent.parent.kind === 226) {
          const binaryExpression = token.parent.parent;
          const otherExpression = token.parent === binaryExpression.left ? binaryExpression.right : binaryExpression.left;
          const widenedType = checker.getWidenedType(checker.getBaseTypeOfLiteralType(checker.getTypeAtLocation(otherExpression)));
          typeNode = checker.typeToTypeNode(
            widenedType,
            node,
            1
            /* NoTruncation */
          );
        } else {
          const contextualType = checker.getContextualType(token.parent);
          typeNode = contextualType ? checker.typeToTypeNode(
            contextualType,
            /*enclosingDeclaration*/
            void 0,
            1
            /* NoTruncation */
          ) : void 0;
        }
        return typeNode || factory.createKeywordTypeNode(
          133
          /* AnyKeyword */
        );
      }
      function addPropertyDeclaration(changeTracker, sourceFile, node, tokenName, typeNode, modifierFlags) {
        const modifiers = modifierFlags ? factory.createNodeArray(factory.createModifiersFromModifierFlags(modifierFlags)) : void 0;
        const property = isClassLike(node) ? factory.createPropertyDeclaration(
          modifiers,
          tokenName,
          /*questionOrExclamationToken*/
          void 0,
          typeNode,
          /*initializer*/
          void 0
        ) : factory.createPropertySignature(
          /*modifiers*/
          void 0,
          tokenName,
          /*questionToken*/
          void 0,
          typeNode
        );
        const lastProp = getNodeToInsertPropertyAfter(node);
        if (lastProp) {
          changeTracker.insertNodeAfter(sourceFile, lastProp, property);
        } else {
          changeTracker.insertMemberAtStart(sourceFile, node, property);
        }
      }
      function getNodeToInsertPropertyAfter(node) {
        let res;
        for (const member of node.members) {
          if (!isPropertyDeclaration(member)) break;
          res = member;
        }
        return res;
      }
      function createAddIndexSignatureAction(context, sourceFile, node, tokenName, typeNode) {
        const stringTypeNode = factory.createKeywordTypeNode(
          154
          /* StringKeyword */
        );
        const indexingParameter = factory.createParameterDeclaration(
          /*modifiers*/
          void 0,
          /*dotDotDotToken*/
          void 0,
          "x",
          /*questionToken*/
          void 0,
          stringTypeNode,
          /*initializer*/
          void 0
        );
        const indexSignature = factory.createIndexSignature(
          /*modifiers*/
          void 0,
          [indexingParameter],
          typeNode
        );
        const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => t.insertMemberAtStart(sourceFile, node, indexSignature));
        return createCodeFixActionWithoutFixAll(fixMissingMember, changes, [Diagnostics.Add_index_signature_for_property_0, tokenName]);
      }
      function getActionsForMissingMethodDeclaration(context, info) {
        const { parentDeclaration, declSourceFile, modifierFlags, token, call } = info;
        if (call === void 0) {
          return void 0;
        }
        const methodName = token.text;
        const addMethodDeclarationChanges = (modifierFlags2) => ts_textChanges_exports.ChangeTracker.with(context, (t) => addMethodDeclaration(context, t, call, token, modifierFlags2, parentDeclaration, declSourceFile));
        const actions2 = [createCodeFixAction(fixMissingMember, addMethodDeclarationChanges(
          modifierFlags & 256
          /* Static */
        ), [modifierFlags & 256 ? Diagnostics.Declare_static_method_0 : Diagnostics.Declare_method_0, methodName], fixMissingMember, Diagnostics.Add_all_missing_members)];
        if (modifierFlags & 2) {
          actions2.unshift(createCodeFixActionWithoutFixAll(fixMissingMember, addMethodDeclarationChanges(
            2
            /* Private */
          ), [Diagnostics.Declare_private_method_0, methodName]));
        }
        return actions2;
      }
      function addMethodDeclaration(context, changes, callExpression, name, modifierFlags, parentDeclaration, sourceFile) {
        const importAdder = createImportAdder(sourceFile, context.program, context.preferences, context.host);
        const kind = isClassLike(parentDeclaration) ? 174 : 173;
        const signatureDeclaration = createSignatureDeclarationFromCallExpression(kind, context, importAdder, callExpression, name, modifierFlags, parentDeclaration);
        const containingMethodDeclaration = tryGetContainingMethodDeclaration(parentDeclaration, callExpression);
        if (containingMethodDeclaration) {
          changes.insertNodeAfter(sourceFile, containingMethodDeclaration, signatureDeclaration);
        } else {
          changes.insertMemberAtStart(sourceFile, parentDeclaration, signatureDeclaration);
        }
        importAdder.writeFixes(changes);
      }
      function addEnumMemberDeclaration(changes, checker, { token, parentDeclaration }) {
        const hasStringInitializer = some(parentDeclaration.members, (member) => {
          const type = checker.getTypeAtLocation(member);
          return !!(type && type.flags & 402653316);
        });
        const sourceFile = parentDeclaration.getSourceFile();
        const enumMember = factory.createEnumMember(token, hasStringInitializer ? factory.createStringLiteral(token.text) : void 0);
        const last2 = lastOrUndefined(parentDeclaration.members);
        if (last2) {
          changes.insertNodeInListAfter(sourceFile, last2, enumMember, parentDeclaration.members);
        } else {
          changes.insertMemberAtStart(sourceFile, parentDeclaration, enumMember);
        }
      }
      function addFunctionDeclaration(changes, context, info) {
        const quotePreference = getQuotePreference(context.sourceFile, context.preferences);
        const importAdder = createImportAdder(context.sourceFile, context.program, context.preferences, context.host);
        const functionDeclaration = info.kind === 2 ? createSignatureDeclarationFromCallExpression(262, context, importAdder, info.call, idText(info.token), info.modifierFlags, info.parentDeclaration) : createSignatureDeclarationFromSignature(
          262,
          context,
          quotePreference,
          info.signature,
          createStubbedBody(Diagnostics.Function_not_implemented.message, quotePreference),
          info.token,
          /*modifiers*/
          void 0,
          /*optional*/
          void 0,
          /*enclosingDeclaration*/
          void 0,
          importAdder
        );
        if (functionDeclaration === void 0) {
          Debug.fail("fixMissingFunctionDeclaration codefix got unexpected error.");
        }
        isReturnStatement(info.parentDeclaration) ? changes.insertNodeBefore(
          info.sourceFile,
          info.parentDeclaration,
          functionDeclaration,
          /*blankLineBetween*/
          true
        ) : changes.insertNodeAtEndOfScope(info.sourceFile, info.parentDeclaration, functionDeclaration);
        importAdder.writeFixes(changes);
      }
      function addJsxAttributes(changes, context, info) {
        const importAdder = createImportAdder(context.sourceFile, context.program, context.preferences, context.host);
        const quotePreference = getQuotePreference(context.sourceFile, context.preferences);
        const checker = context.program.getTypeChecker();
        const jsxAttributesNode = info.parentDeclaration.attributes;
        const hasSpreadAttribute = some(jsxAttributesNode.properties, isJsxSpreadAttribute);
        const attrs = map(info.attributes, (attr) => {
          const value = tryGetValueFromType(context, checker, importAdder, quotePreference, checker.getTypeOfSymbol(attr), info.parentDeclaration);
          const name = factory.createIdentifier(attr.name);
          const jsxAttribute = factory.createJsxAttribute(name, factory.createJsxExpression(
            /*dotDotDotToken*/
            void 0,
            value
          ));
          setParent(name, jsxAttribute);
          return jsxAttribute;
        });
        const jsxAttributes = factory.createJsxAttributes(hasSpreadAttribute ? [...attrs, ...jsxAttributesNode.properties] : [...jsxAttributesNode.properties, ...attrs]);
        const options = { prefix: jsxAttributesNode.pos === jsxAttributesNode.end ? " " : void 0 };
        changes.replaceNode(context.sourceFile, jsxAttributesNode, jsxAttributes, options);
        importAdder.writeFixes(changes);
      }
      function addObjectLiteralProperties(changes, context, info) {
        const importAdder = createImportAdder(context.sourceFile, context.program, context.preferences, context.host);
        const quotePreference = getQuotePreference(context.sourceFile, context.preferences);
        const target = getEmitScriptTarget(context.program.getCompilerOptions());
        const checker = context.program.getTypeChecker();
        const props = map(info.properties, (prop) => {
          const initializer = tryGetValueFromType(context, checker, importAdder, quotePreference, checker.getTypeOfSymbol(prop), info.parentDeclaration);
          return factory.createPropertyAssignment(createPropertyNameFromSymbol(prop, target, quotePreference, checker), initializer);
        });
        const options = {
          leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude,
          trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Exclude,
          indentation: info.indentation
        };
        changes.replaceNode(context.sourceFile, info.parentDeclaration, factory.createObjectLiteralExpression(
          [...info.parentDeclaration.properties, ...props],
          /*multiLine*/
          true
        ), options);
        importAdder.writeFixes(changes);
      }
      function tryGetValueFromType(context, checker, importAdder, quotePreference, type, enclosingDeclaration) {
        if (type.flags & 3) {
          return createUndefined();
        }
        if (type.flags & (4 | 134217728)) {
          return factory.createStringLiteral(
            "",
            /* isSingleQuote */
            quotePreference === 0
            /* Single */
          );
        }
        if (type.flags & 8) {
          return factory.createNumericLiteral(0);
        }
        if (type.flags & 64) {
          return factory.createBigIntLiteral("0n");
        }
        if (type.flags & 16) {
          return factory.createFalse();
        }
        if (type.flags & 1056) {
          const enumMember = type.symbol.exports ? firstOrUndefinedIterator(type.symbol.exports.values()) : type.symbol;
          const name = checker.symbolToExpression(
            type.symbol.parent ? type.symbol.parent : type.symbol,
            111551,
            /*enclosingDeclaration*/
            void 0,
            /*flags*/
            64
            /* UseFullyQualifiedType */
          );
          return enumMember === void 0 || name === void 0 ? factory.createNumericLiteral(0) : factory.createPropertyAccessExpression(name, checker.symbolToString(enumMember));
        }
        if (type.flags & 256) {
          return factory.createNumericLiteral(type.value);
        }
        if (type.flags & 2048) {
          return factory.createBigIntLiteral(type.value);
        }
        if (type.flags & 128) {
          return factory.createStringLiteral(
            type.value,
            /* isSingleQuote */
            quotePreference === 0
            /* Single */
          );
        }
        if (type.flags & 512) {
          return type === checker.getFalseType() || type === checker.getFalseType(
            /*fresh*/
            true
          ) ? factory.createFalse() : factory.createTrue();
        }
        if (type.flags & 65536) {
          return factory.createNull();
        }
        if (type.flags & 1048576) {
          const expression = firstDefined(type.types, (t) => tryGetValueFromType(context, checker, importAdder, quotePreference, t, enclosingDeclaration));
          return expression ?? createUndefined();
        }
        if (checker.isArrayLikeType(type)) {
          return factory.createArrayLiteralExpression();
        }
        if (isObjectLiteralType(type)) {
          const props = map(checker.getPropertiesOfType(type), (prop) => {
            const initializer = tryGetValueFromType(context, checker, importAdder, quotePreference, checker.getTypeOfSymbol(prop), enclosingDeclaration);
            return factory.createPropertyAssignment(prop.name, initializer);
          });
          return factory.createObjectLiteralExpression(
            props,
            /*multiLine*/
            true
          );
        }
        if (getObjectFlags(type) & 16) {
          const decl = find(type.symbol.declarations || emptyArray, or(isFunctionTypeNode, isMethodSignature, isMethodDeclaration));
          if (decl === void 0) return createUndefined();
          const signature = checker.getSignaturesOfType(
            type,
            0
            /* Call */
          );
          if (signature === void 0) return createUndefined();
          const func = createSignatureDeclarationFromSignature(
            218,
            context,
            quotePreference,
            signature[0],
            createStubbedBody(Diagnostics.Function_not_implemented.message, quotePreference),
            /*name*/
            void 0,
            /*modifiers*/
            void 0,
            /*optional*/
            void 0,
            /*enclosingDeclaration*/
            enclosingDeclaration,
            importAdder
          );
          return func ?? createUndefined();
        }
        if (getObjectFlags(type) & 1) {
          const classDeclaration = getClassLikeDeclarationOfSymbol(type.symbol);
          if (classDeclaration === void 0 || hasAbstractModifier(classDeclaration)) return createUndefined();
          const constructorDeclaration = getFirstConstructorWithBody(classDeclaration);
          if (constructorDeclaration && length(constructorDeclaration.parameters)) return createUndefined();
          return factory.createNewExpression(
            factory.createIdentifier(type.symbol.name),
            /*typeArguments*/
            void 0,
            /*argumentsArray*/
            void 0
          );
        }
        return createUndefined();
      }
      function createUndefined() {
        return factory.createIdentifier("undefined");
      }
      function isObjectLiteralType(type) {
        return type.flags & 524288 && (getObjectFlags(type) & 128 || type.symbol && tryCast(singleOrUndefined(type.symbol.declarations), isTypeLiteralNode));
      }
      function getUnmatchedAttributes(checker, target, source) {
        const attrsType = checker.getContextualType(source.attributes);
        if (attrsType === void 0) return emptyArray;
        const targetProps = attrsType.getProperties();
        if (!length(targetProps)) return emptyArray;
        const seenNames = /* @__PURE__ */ new Set();
        for (const sourceProp of source.attributes.properties) {
          if (isJsxAttribute(sourceProp)) {
            seenNames.add(getEscapedTextOfJsxAttributeName(sourceProp.name));
          }
          if (isJsxSpreadAttribute(sourceProp)) {
            const type = checker.getTypeAtLocation(sourceProp.expression);
            for (const prop of type.getProperties()) {
              seenNames.add(prop.escapedName);
            }
          }
        }
        return filter(targetProps, (targetProp) => isIdentifierText(
          targetProp.name,
          target,
          1
          /* JSX */
        ) && !(targetProp.flags & 16777216 || getCheckFlags(targetProp) & 48 || seenNames.has(targetProp.escapedName)));
      }
      function tryGetContainingMethodDeclaration(node, callExpression) {
        if (isTypeLiteralNode(node)) {
          return void 0;
        }
        const declaration = findAncestor(callExpression, (n) => isMethodDeclaration(n) || isConstructorDeclaration(n));
        return declaration && declaration.parent === node ? declaration : void 0;
      }
      function createPropertyNameFromSymbol(symbol, target, quotePreference, checker) {
        if (isTransientSymbol(symbol)) {
          const prop = checker.symbolToNode(
            symbol,
            111551,
            /*enclosingDeclaration*/
            void 0,
            1073741824
            /* WriteComputedProps */
          );
          if (prop && isComputedPropertyName(prop)) return prop;
        }
        return createPropertyNameNodeForIdentifierOrLiteral(
          symbol.name,
          target,
          quotePreference === 0,
          /*stringNamed*/
          false,
          /*isMethod*/
          false
        );
      }
      function findScope(node) {
        if (findAncestor(node, isJsxExpression)) {
          const returnStatement = findAncestor(node.parent, isReturnStatement);
          if (returnStatement) return returnStatement;
        }
        return getSourceFileOfNode(node);
      }
      var fixId24 = "addMissingNewOperator";
      var errorCodes28 = [Diagnostics.Value_of_type_0_is_not_callable_Did_you_mean_to_include_new.code];
      registerCodeFix({
        errorCodes: errorCodes28,
        getCodeActions(context) {
          const { sourceFile, span } = context;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addMissingNewOperator(t, sourceFile, span));
          return [createCodeFixAction(fixId24, changes, Diagnostics.Add_missing_new_operator_to_call, fixId24, Diagnostics.Add_missing_new_operator_to_all_calls)];
        },
        fixIds: [fixId24],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes28, (changes, diag2) => addMissingNewOperator(changes, context.sourceFile, diag2))
      });
      function addMissingNewOperator(changes, sourceFile, span) {
        const call = cast(findAncestorMatchingSpan2(sourceFile, span), isCallExpression2);
        const newExpression = factory.createNewExpression(call.expression, call.typeArguments, call.arguments);
        changes.replaceNode(sourceFile, call, newExpression);
      }
      function findAncestorMatchingSpan2(sourceFile, span) {
        let token = getTokenAtPosition(sourceFile, span.start);
        const end = textSpanEnd(span);
        while (token.end < end) {
          token = token.parent;
        }
        return token;
      }
      var addMissingParamFixId = "addMissingParam";
      var addOptionalParamFixId = "addOptionalParam";
      var errorCodes29 = [Diagnostics.Expected_0_arguments_but_got_1.code];
      registerCodeFix({
        errorCodes: errorCodes29,
        fixIds: [addMissingParamFixId, addOptionalParamFixId],
        getCodeActions(context) {
          const info = getInfo11(context.sourceFile, context.program, context.span.start);
          if (info === void 0) return void 0;
          const { name, declarations, newParameters, newOptionalParameters } = info;
          const actions2 = [];
          if (length(newParameters)) {
            append(
              actions2,
              createCodeFixAction(
                addMissingParamFixId,
                ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange19(t, context.program, context.preferences, context.host, declarations, newParameters)),
                [length(newParameters) > 1 ? Diagnostics.Add_missing_parameters_to_0 : Diagnostics.Add_missing_parameter_to_0, name],
                addMissingParamFixId,
                Diagnostics.Add_all_missing_parameters
              )
            );
          }
          if (length(newOptionalParameters)) {
            append(
              actions2,
              createCodeFixAction(
                addOptionalParamFixId,
                ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange19(t, context.program, context.preferences, context.host, declarations, newOptionalParameters)),
                [length(newOptionalParameters) > 1 ? Diagnostics.Add_optional_parameters_to_0 : Diagnostics.Add_optional_parameter_to_0, name],
                addOptionalParamFixId,
                Diagnostics.Add_all_optional_parameters
              )
            );
          }
          return actions2;
        },
        getAllCodeActions: (context) => codeFixAll(context, errorCodes29, (changes, diag2) => {
          const info = getInfo11(context.sourceFile, context.program, diag2.start);
          if (info) {
            const { declarations, newParameters, newOptionalParameters } = info;
            if (context.fixId === addMissingParamFixId) {
              doChange19(changes, context.program, context.preferences, context.host, declarations, newParameters);
            }
            if (context.fixId === addOptionalParamFixId) {
              doChange19(changes, context.program, context.preferences, context.host, declarations, newOptionalParameters);
            }
          }
        })
      });
      function getInfo11(sourceFile, program, pos) {
        const token = getTokenAtPosition(sourceFile, pos);
        const callExpression = findAncestor(token, isCallExpression2);
        if (callExpression === void 0 || length(callExpression.arguments) === 0) {
          return void 0;
        }
        const checker = program.getTypeChecker();
        const type = checker.getTypeAtLocation(callExpression.expression);
        const convertibleSignatureDeclarations = filter(type.symbol.declarations, isConvertibleSignatureDeclaration);
        if (convertibleSignatureDeclarations === void 0) {
          return void 0;
        }
        const nonOverloadDeclaration = lastOrUndefined(convertibleSignatureDeclarations);
        if (nonOverloadDeclaration === void 0 || nonOverloadDeclaration.body === void 0 || isSourceFileFromLibrary(program, nonOverloadDeclaration.getSourceFile())) {
          return void 0;
        }
        const name = tryGetName2(nonOverloadDeclaration);
        if (name === void 0) {
          return void 0;
        }
        const newParameters = [];
        const newOptionalParameters = [];
        const parametersLength = length(nonOverloadDeclaration.parameters);
        const argumentsLength = length(callExpression.arguments);
        if (parametersLength > argumentsLength) {
          return void 0;
        }
        const declarations = [nonOverloadDeclaration, ...getOverloads(nonOverloadDeclaration, convertibleSignatureDeclarations)];
        for (let i = 0, pos2 = 0, paramIndex = 0; i < argumentsLength; i++) {
          const arg = callExpression.arguments[i];
          const expr = isAccessExpression(arg) ? getNameOfAccessExpression(arg) : arg;
          const type2 = checker.getWidenedType(checker.getBaseTypeOfLiteralType(checker.getTypeAtLocation(arg)));
          const parameter = pos2 < parametersLength ? nonOverloadDeclaration.parameters[pos2] : void 0;
          if (parameter && checker.isTypeAssignableTo(type2, checker.getTypeAtLocation(parameter))) {
            pos2++;
            continue;
          }
          const name2 = expr && isIdentifier(expr) ? expr.text : `p${paramIndex++}`;
          const typeNode = typeToTypeNode(checker, type2, nonOverloadDeclaration);
          append(newParameters, {
            pos: i,
            declaration: createParameter(
              name2,
              typeNode,
              /*questionToken*/
              void 0
            )
          });
          if (isOptionalPos(declarations, pos2)) {
            continue;
          }
          append(newOptionalParameters, {
            pos: i,
            declaration: createParameter(name2, typeNode, factory.createToken(
              58
              /* QuestionToken */
            ))
          });
        }
        return {
          newParameters,
          newOptionalParameters,
          name: declarationNameToString(name),
          declarations
        };
      }
      function tryGetName2(node) {
        const name = getNameOfDeclaration(node);
        if (name) {
          return name;
        }
        if (isVariableDeclaration(node.parent) && isIdentifier(node.parent.name) || isPropertyDeclaration(node.parent) || isParameter(node.parent)) {
          return node.parent.name;
        }
      }
      function typeToTypeNode(checker, type, enclosingDeclaration) {
        return checker.typeToTypeNode(
          checker.getWidenedType(type),
          enclosingDeclaration,
          1
          /* NoTruncation */
        ) ?? factory.createKeywordTypeNode(
          159
          /* UnknownKeyword */
        );
      }
      function doChange19(changes, program, preferences, host, declarations, newParameters) {
        const scriptTarget = getEmitScriptTarget(program.getCompilerOptions());
        forEach(declarations, (declaration) => {
          const sourceFile = getSourceFileOfNode(declaration);
          const importAdder = createImportAdder(sourceFile, program, preferences, host);
          if (length(declaration.parameters)) {
            changes.replaceNodeRangeWithNodes(
              sourceFile,
              first(declaration.parameters),
              last(declaration.parameters),
              updateParameters(importAdder, scriptTarget, declaration, newParameters),
              {
                joiner: ", ",
                indentation: 0,
                leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.IncludeAll,
                trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Include
              }
            );
          } else {
            forEach(updateParameters(importAdder, scriptTarget, declaration, newParameters), (parameter, index) => {
              if (length(declaration.parameters) === 0 && index === 0) {
                changes.insertNodeAt(sourceFile, declaration.parameters.end, parameter);
              } else {
                changes.insertNodeAtEndOfList(sourceFile, declaration.parameters, parameter);
              }
            });
          }
          importAdder.writeFixes(changes);
        });
      }
      function isConvertibleSignatureDeclaration(node) {
        switch (node.kind) {
          case 262:
          case 218:
          case 174:
          case 219:
            return true;
          default:
            return false;
        }
      }
      function updateParameters(importAdder, scriptTarget, node, newParameters) {
        const parameters = map(node.parameters, (p) => factory.createParameterDeclaration(
          p.modifiers,
          p.dotDotDotToken,
          p.name,
          p.questionToken,
          p.type,
          p.initializer
        ));
        for (const { pos, declaration } of newParameters) {
          const prev = pos > 0 ? parameters[pos - 1] : void 0;
          parameters.splice(
            pos,
            0,
            factory.updateParameterDeclaration(
              declaration,
              declaration.modifiers,
              declaration.dotDotDotToken,
              declaration.name,
              prev && prev.questionToken ? factory.createToken(
                58
                /* QuestionToken */
              ) : declaration.questionToken,
              getParameterType(importAdder, declaration.type, scriptTarget),
              declaration.initializer
            )
          );
        }
        return parameters;
      }
      function getOverloads(implementation, declarations) {
        const overloads = [];
        for (const declaration of declarations) {
          if (isOverload(declaration)) {
            if (length(declaration.parameters) === length(implementation.parameters)) {
              overloads.push(declaration);
              continue;
            }
            if (length(declaration.parameters) > length(implementation.parameters)) {
              return [];
            }
          }
        }
        return overloads;
      }
      function isOverload(declaration) {
        return isConvertibleSignatureDeclaration(declaration) && declaration.body === void 0;
      }
      function createParameter(name, type, questionToken) {
        return factory.createParameterDeclaration(
          /*modifiers*/
          void 0,
          /*dotDotDotToken*/
          void 0,
          name,
          questionToken,
          type,
          /*initializer*/
          void 0
        );
      }
      function isOptionalPos(declarations, pos) {
        return length(declarations) && some(declarations, (d) => pos < length(d.parameters) && !!d.parameters[pos] && d.parameters[pos].questionToken === void 0);
      }
      function getParameterType(importAdder, typeNode, scriptTarget) {
        const importableReference = tryGetAutoImportableReferenceFromTypeNode(typeNode, scriptTarget);
        if (importableReference) {
          importSymbols(importAdder, importableReference.symbols);
          return importableReference.typeNode;
        }
        return typeNode;
      }
      var fixName2 = "fixCannotFindModule";
      var fixIdInstallTypesPackage = "installTypesPackage";
      var errorCodeCannotFindModule = Diagnostics.Cannot_find_module_0_or_its_corresponding_type_declarations.code;
      var errorCodes30 = [
        errorCodeCannotFindModule,
        Diagnostics.Could_not_find_a_declaration_file_for_module_0_1_implicitly_has_an_any_type.code
      ];
      registerCodeFix({
        errorCodes: errorCodes30,
        getCodeActions: function getCodeActionsToFixNotFoundModule(context) {
          const { host, sourceFile, span: { start } } = context;
          const packageName = tryGetImportedPackageName(sourceFile, start);
          if (packageName === void 0) return void 0;
          const typesPackageName = getTypesPackageNameToInstall(packageName, host, context.errorCode);
          return typesPackageName === void 0 ? [] : [createCodeFixAction(
            fixName2,
            /*changes*/
            [],
            [Diagnostics.Install_0, typesPackageName],
            fixIdInstallTypesPackage,
            Diagnostics.Install_all_missing_types_packages,
            getInstallCommand(sourceFile.fileName, typesPackageName)
          )];
        },
        fixIds: [fixIdInstallTypesPackage],
        getAllCodeActions: (context) => {
          return codeFixAll(context, errorCodes30, (_changes, diag2, commands) => {
            const packageName = tryGetImportedPackageName(diag2.file, diag2.start);
            if (packageName === void 0) return void 0;
            switch (context.fixId) {
              case fixIdInstallTypesPackage: {
                const pkg = getTypesPackageNameToInstall(packageName, context.host, diag2.code);
                if (pkg) {
                  commands.push(getInstallCommand(diag2.file.fileName, pkg));
                }
                break;
              }
              default:
                Debug.fail(`Bad fixId: ${context.fixId}`);
            }
          });
        }
      });
      function getInstallCommand(fileName, packageName) {
        return { type: "install package", file: fileName, packageName };
      }
      function tryGetImportedPackageName(sourceFile, pos) {
        const moduleSpecifierText = tryCast(getTokenAtPosition(sourceFile, pos), isStringLiteral2);
        if (!moduleSpecifierText) return void 0;
        const moduleName = moduleSpecifierText.text;
        const { packageName } = parsePackageName(moduleName);
        return isExternalModuleNameRelative(packageName) ? void 0 : packageName;
      }
      function getTypesPackageNameToInstall(packageName, host, diagCode) {
        var _a;
        return diagCode === errorCodeCannotFindModule ? ts_JsTyping_exports.nodeCoreModules.has(packageName) ? "@types/node" : void 0 : ((_a = host.isKnownTypesPackageName) == null ? void 0 : _a.call(host, packageName)) ? getTypesPackageName(packageName) : void 0;
      }
      var errorCodes31 = [
        Diagnostics.Non_abstract_class_0_does_not_implement_inherited_abstract_member_1_from_class_2.code,
        Diagnostics.Non_abstract_class_0_is_missing_implementations_for_the_following_members_of_1_Colon_2.code,
        Diagnostics.Non_abstract_class_0_is_missing_implementations_for_the_following_members_of_1_Colon_2_and_3_more.code,
        Diagnostics.Non_abstract_class_expression_does_not_implement_inherited_abstract_member_0_from_class_1.code,
        Diagnostics.Non_abstract_class_expression_is_missing_implementations_for_the_following_members_of_0_Colon_1.code,
        Diagnostics.Non_abstract_class_expression_is_missing_implementations_for_the_following_members_of_0_Colon_1_and_2_more.code
      ];
      var fixId25 = "fixClassDoesntImplementInheritedAbstractMember";
      registerCodeFix({
        errorCodes: errorCodes31,
        getCodeActions: function getCodeActionsToFixClassNotImplementingInheritedMembers(context) {
          const { sourceFile, span } = context;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addMissingMembers(getClass2(sourceFile, span.start), sourceFile, context, t, context.preferences));
          return changes.length === 0 ? void 0 : [createCodeFixAction(fixId25, changes, Diagnostics.Implement_inherited_abstract_class, fixId25, Diagnostics.Implement_all_inherited_abstract_classes)];
        },
        fixIds: [fixId25],
        getAllCodeActions: function getAllCodeActionsToFixClassDoesntImplementInheritedAbstractMember(context) {
          const seenClassDeclarations = /* @__PURE__ */ new Map();
          return codeFixAll(context, errorCodes31, (changes, diag2) => {
            const classDeclaration = getClass2(diag2.file, diag2.start);
            if (addToSeen(seenClassDeclarations, getNodeId(classDeclaration))) {
              addMissingMembers(classDeclaration, context.sourceFile, context, changes, context.preferences);
            }
          });
        }
      });
      function getClass2(sourceFile, pos) {
        const token = getTokenAtPosition(sourceFile, pos);
        return cast(token.parent, isClassLike);
      }
      function addMissingMembers(classDeclaration, sourceFile, context, changeTracker, preferences) {
        const extendsNode = getEffectiveBaseTypeNode(classDeclaration);
        const checker = context.program.getTypeChecker();
        const instantiatedExtendsType = checker.getTypeAtLocation(extendsNode);
        const abstractAndNonPrivateExtendsSymbols = checker.getPropertiesOfType(instantiatedExtendsType).filter(symbolPointsToNonPrivateAndAbstractMember);
        const importAdder = createImportAdder(sourceFile, context.program, preferences, context.host);
        createMissingMemberNodes(classDeclaration, abstractAndNonPrivateExtendsSymbols, sourceFile, context, preferences, importAdder, (member) => changeTracker.insertMemberAtStart(sourceFile, classDeclaration, member));
        importAdder.writeFixes(changeTracker);
      }
      function symbolPointsToNonPrivateAndAbstractMember(symbol) {
        const flags = getSyntacticModifierFlags(first(symbol.getDeclarations()));
        return !(flags & 2) && !!(flags & 64);
      }
      var fixId26 = "classSuperMustPrecedeThisAccess";
      var errorCodes32 = [Diagnostics.super_must_be_called_before_accessing_this_in_the_constructor_of_a_derived_class.code];
      registerCodeFix({
        errorCodes: errorCodes32,
        getCodeActions(context) {
          const { sourceFile, span } = context;
          const nodes = getNodes(sourceFile, span.start);
          if (!nodes) return void 0;
          const { constructor, superCall } = nodes;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange20(t, sourceFile, constructor, superCall));
          return [createCodeFixAction(fixId26, changes, Diagnostics.Make_super_call_the_first_statement_in_the_constructor, fixId26, Diagnostics.Make_all_super_calls_the_first_statement_in_their_constructor)];
        },
        fixIds: [fixId26],
        getAllCodeActions(context) {
          const { sourceFile } = context;
          const seenClasses = /* @__PURE__ */ new Map();
          return codeFixAll(context, errorCodes32, (changes, diag2) => {
            const nodes = getNodes(diag2.file, diag2.start);
            if (!nodes) return;
            const { constructor, superCall } = nodes;
            if (addToSeen(seenClasses, getNodeId(constructor.parent))) {
              doChange20(changes, sourceFile, constructor, superCall);
            }
          });
        }
      });
      function doChange20(changes, sourceFile, constructor, superCall) {
        changes.insertNodeAtConstructorStart(sourceFile, constructor, superCall);
        changes.delete(sourceFile, superCall);
      }
      function getNodes(sourceFile, pos) {
        const token = getTokenAtPosition(sourceFile, pos);
        if (token.kind !== 110) return void 0;
        const constructor = getContainingFunction(token);
        const superCall = findSuperCall(constructor.body);
        return superCall && !superCall.expression.arguments.some((arg) => isPropertyAccessExpression(arg) && arg.expression === token) ? { constructor, superCall } : void 0;
      }
      function findSuperCall(n) {
        return isExpressionStatement2(n) && isSuperCall(n.expression) ? n : isFunctionLike(n) ? void 0 : forEachChild(n, findSuperCall);
      }
      var fixId27 = "constructorForDerivedNeedSuperCall";
      var errorCodes33 = [Diagnostics.Constructors_for_derived_classes_must_contain_a_super_call.code];
      registerCodeFix({
        errorCodes: errorCodes33,
        getCodeActions(context) {
          const { sourceFile, span } = context;
          const ctr = getNode(sourceFile, span.start);
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange21(t, sourceFile, ctr));
          return [createCodeFixAction(fixId27, changes, Diagnostics.Add_missing_super_call, fixId27, Diagnostics.Add_all_missing_super_calls)];
        },
        fixIds: [fixId27],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes33, (changes, diag2) => doChange21(changes, context.sourceFile, getNode(diag2.file, diag2.start)))
      });
      function getNode(sourceFile, pos) {
        const token = getTokenAtPosition(sourceFile, pos);
        Debug.assert(isConstructorDeclaration(token.parent), "token should be at the constructor declaration");
        return token.parent;
      }
      function doChange21(changes, sourceFile, ctr) {
        const superCall = factory.createExpressionStatement(factory.createCallExpression(
          factory.createSuper(),
          /*typeArguments*/
          void 0,
          /*argumentsArray*/
          emptyArray
        ));
        changes.insertNodeAtConstructorStart(sourceFile, ctr, superCall);
      }
      var fixID = "fixEnableJsxFlag";
      var errorCodes34 = [Diagnostics.Cannot_use_JSX_unless_the_jsx_flag_is_provided.code];
      registerCodeFix({
        errorCodes: errorCodes34,
        getCodeActions: function getCodeActionsToFixEnableJsxFlag(context) {
          const { configFile } = context.program.getCompilerOptions();
          if (configFile === void 0) {
            return void 0;
          }
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (changeTracker) => doChange22(changeTracker, configFile));
          return [
            createCodeFixActionWithoutFixAll(fixID, changes, Diagnostics.Enable_the_jsx_flag_in_your_configuration_file)
          ];
        },
        fixIds: [fixID],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes34, (changes) => {
          const { configFile } = context.program.getCompilerOptions();
          if (configFile === void 0) {
            return void 0;
          }
          doChange22(changes, configFile);
        })
      });
      function doChange22(changeTracker, configFile) {
        setJsonCompilerOptionValue(changeTracker, configFile, "jsx", factory.createStringLiteral("react"));
      }
      var fixId28 = "fixNaNEquality";
      var errorCodes35 = [
        Diagnostics.This_condition_will_always_return_0.code
      ];
      registerCodeFix({
        errorCodes: errorCodes35,
        getCodeActions(context) {
          const { sourceFile, span, program } = context;
          const info = getInfo12(program, sourceFile, span);
          if (info === void 0) return;
          const { suggestion, expression, arg } = info;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange23(t, sourceFile, arg, expression));
          return [createCodeFixAction(fixId28, changes, [Diagnostics.Use_0, suggestion], fixId28, Diagnostics.Use_Number_isNaN_in_all_conditions)];
        },
        fixIds: [fixId28],
        getAllCodeActions: (context) => {
          return codeFixAll(context, errorCodes35, (changes, diag2) => {
            const info = getInfo12(context.program, diag2.file, createTextSpan(diag2.start, diag2.length));
            if (info) {
              doChange23(changes, diag2.file, info.arg, info.expression);
            }
          });
        }
      });
      function getInfo12(program, sourceFile, span) {
        const diag2 = find(program.getSemanticDiagnostics(sourceFile), (diag3) => diag3.start === span.start && diag3.length === span.length);
        if (diag2 === void 0 || diag2.relatedInformation === void 0) return;
        const related = find(diag2.relatedInformation, (related2) => related2.code === Diagnostics.Did_you_mean_0.code);
        if (related === void 0 || related.file === void 0 || related.start === void 0 || related.length === void 0) return;
        const token = findAncestorMatchingSpan(related.file, createTextSpan(related.start, related.length));
        if (token === void 0) return;
        if (isExpression(token) && isBinaryExpression(token.parent)) {
          return { suggestion: getSuggestion(related.messageText), expression: token.parent, arg: token };
        }
        return void 0;
      }
      function doChange23(changes, sourceFile, arg, expression) {
        const callExpression = factory.createCallExpression(
          factory.createPropertyAccessExpression(factory.createIdentifier("Number"), factory.createIdentifier("isNaN")),
          /*typeArguments*/
          void 0,
          [arg]
        );
        const operator = expression.operatorToken.kind;
        changes.replaceNode(
          sourceFile,
          expression,
          operator === 38 || operator === 36 ? factory.createPrefixUnaryExpression(54, callExpression) : callExpression
        );
      }
      function getSuggestion(messageText) {
        const [, suggestion] = flattenDiagnosticMessageText(messageText, "\n", 0).match(/'(.*)'/) || [];
        return suggestion;
      }
      registerCodeFix({
        errorCodes: [
          Diagnostics.Top_level_await_expressions_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher.code,
          Diagnostics.Top_level_await_using_statements_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher.code,
          Diagnostics.Top_level_for_await_loops_are_only_allowed_when_the_module_option_is_set_to_es2022_esnext_system_node16_nodenext_or_preserve_and_the_target_option_is_set_to_es2017_or_higher.code
        ],
        getCodeActions: function getCodeActionsToFixModuleAndTarget(context) {
          const compilerOptions = context.program.getCompilerOptions();
          const { configFile } = compilerOptions;
          if (configFile === void 0) {
            return void 0;
          }
          const codeFixes = [];
          const moduleKind = getEmitModuleKind(compilerOptions);
          const moduleOutOfRange = moduleKind >= 5 && moduleKind < 99;
          if (moduleOutOfRange) {
            const changes = ts_textChanges_exports.ChangeTracker.with(context, (changes2) => {
              setJsonCompilerOptionValue(changes2, configFile, "module", factory.createStringLiteral("esnext"));
            });
            codeFixes.push(createCodeFixActionWithoutFixAll("fixModuleOption", changes, [Diagnostics.Set_the_module_option_in_your_configuration_file_to_0, "esnext"]));
          }
          const target = getEmitScriptTarget(compilerOptions);
          const targetOutOfRange = target < 4 || target > 99;
          if (targetOutOfRange) {
            const changes = ts_textChanges_exports.ChangeTracker.with(context, (tracker2) => {
              const configObject = getTsConfigObjectLiteralExpression(configFile);
              if (!configObject) return;
              const options = [["target", factory.createStringLiteral("es2017")]];
              if (moduleKind === 1) {
                options.push(["module", factory.createStringLiteral("commonjs")]);
              }
              setJsonCompilerOptionValues(tracker2, configFile, options);
            });
            codeFixes.push(createCodeFixActionWithoutFixAll("fixTargetOption", changes, [Diagnostics.Set_the_target_option_in_your_configuration_file_to_0, "es2017"]));
          }
          return codeFixes.length ? codeFixes : void 0;
        }
      });
      var fixId29 = "fixPropertyAssignment";
      var errorCodes36 = [
        Diagnostics.Did_you_mean_to_use_a_Colon_An_can_only_follow_a_property_name_when_the_containing_object_literal_is_part_of_a_destructuring_pattern.code
      ];
      registerCodeFix({
        errorCodes: errorCodes36,
        fixIds: [fixId29],
        getCodeActions(context) {
          const { sourceFile, span } = context;
          const property = getProperty2(sourceFile, span.start);
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange24(t, context.sourceFile, property));
          return [createCodeFixAction(fixId29, changes, [Diagnostics.Change_0_to_1, "=", ":"], fixId29, [Diagnostics.Switch_each_misused_0_to_1, "=", ":"])];
        },
        getAllCodeActions: (context) => codeFixAll(context, errorCodes36, (changes, diag2) => doChange24(changes, diag2.file, getProperty2(diag2.file, diag2.start)))
      });
      function doChange24(changes, sourceFile, node) {
        changes.replaceNode(sourceFile, node, factory.createPropertyAssignment(node.name, node.objectAssignmentInitializer));
      }
      function getProperty2(sourceFile, pos) {
        return cast(getTokenAtPosition(sourceFile, pos).parent, isShorthandPropertyAssignment);
      }
      var fixId30 = "extendsInterfaceBecomesImplements";
      var errorCodes37 = [Diagnostics.Cannot_extend_an_interface_0_Did_you_mean_implements.code];
      registerCodeFix({
        errorCodes: errorCodes37,
        getCodeActions(context) {
          const { sourceFile } = context;
          const nodes = getNodes2(sourceFile, context.span.start);
          if (!nodes) return void 0;
          const { extendsToken, heritageClauses } = nodes;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChanges2(t, sourceFile, extendsToken, heritageClauses));
          return [createCodeFixAction(fixId30, changes, Diagnostics.Change_extends_to_implements, fixId30, Diagnostics.Change_all_extended_interfaces_to_implements)];
        },
        fixIds: [fixId30],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes37, (changes, diag2) => {
          const nodes = getNodes2(diag2.file, diag2.start);
          if (nodes) doChanges2(changes, diag2.file, nodes.extendsToken, nodes.heritageClauses);
        })
      });
      function getNodes2(sourceFile, pos) {
        const token = getTokenAtPosition(sourceFile, pos);
        const heritageClauses = getContainingClass(token).heritageClauses;
        const extendsToken = heritageClauses[0].getFirstToken();
        return extendsToken.kind === 96 ? { extendsToken, heritageClauses } : void 0;
      }
      function doChanges2(changes, sourceFile, extendsToken, heritageClauses) {
        changes.replaceNode(sourceFile, extendsToken, factory.createToken(
          119
          /* ImplementsKeyword */
        ));
        if (heritageClauses.length === 2 && heritageClauses[0].token === 96 && heritageClauses[1].token === 119) {
          const implementsToken = heritageClauses[1].getFirstToken();
          const implementsFullStart = implementsToken.getFullStart();
          changes.replaceRange(sourceFile, { pos: implementsFullStart, end: implementsFullStart }, factory.createToken(
            28
            /* CommaToken */
          ));
          const text = sourceFile.text;
          let end = implementsToken.end;
          while (end < text.length && isWhiteSpaceSingleLine(text.charCodeAt(end))) {
            end++;
          }
          changes.deleteRange(sourceFile, { pos: implementsToken.getStart(), end });
        }
      }
      var fixId31 = "forgottenThisPropertyAccess";
      var didYouMeanStaticMemberCode = Diagnostics.Cannot_find_name_0_Did_you_mean_the_static_member_1_0.code;
      var errorCodes38 = [
        Diagnostics.Cannot_find_name_0_Did_you_mean_the_instance_member_this_0.code,
        Diagnostics.Private_identifiers_are_only_allowed_in_class_bodies_and_may_only_be_used_as_part_of_a_class_member_declaration_property_access_or_on_the_left_hand_side_of_an_in_expression.code,
        didYouMeanStaticMemberCode
      ];
      registerCodeFix({
        errorCodes: errorCodes38,
        getCodeActions(context) {
          const { sourceFile } = context;
          const info = getInfo13(sourceFile, context.span.start, context.errorCode);
          if (!info) {
            return void 0;
          }
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange25(t, sourceFile, info));
          return [createCodeFixAction(fixId31, changes, [Diagnostics.Add_0_to_unresolved_variable, info.className || "this"], fixId31, Diagnostics.Add_qualifier_to_all_unresolved_variables_matching_a_member_name)];
        },
        fixIds: [fixId31],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes38, (changes, diag2) => {
          const info = getInfo13(diag2.file, diag2.start, diag2.code);
          if (info) doChange25(changes, context.sourceFile, info);
        })
      });
      function getInfo13(sourceFile, pos, diagCode) {
        const node = getTokenAtPosition(sourceFile, pos);
        if (isIdentifier(node) || isPrivateIdentifier(node)) {
          return { node, className: diagCode === didYouMeanStaticMemberCode ? getContainingClass(node).name.text : void 0 };
        }
      }
      function doChange25(changes, sourceFile, { node, className }) {
        suppressLeadingAndTrailingTrivia(node);
        changes.replaceNode(sourceFile, node, factory.createPropertyAccessExpression(className ? factory.createIdentifier(className) : factory.createThis(), node));
      }
      var fixIdExpression = "fixInvalidJsxCharacters_expression";
      var fixIdHtmlEntity = "fixInvalidJsxCharacters_htmlEntity";
      var errorCodes39 = [
        Diagnostics.Unexpected_token_Did_you_mean_or_gt.code,
        Diagnostics.Unexpected_token_Did_you_mean_or_rbrace.code
      ];
      registerCodeFix({
        errorCodes: errorCodes39,
        fixIds: [fixIdExpression, fixIdHtmlEntity],
        getCodeActions(context) {
          const { sourceFile, preferences, span } = context;
          const changeToExpression = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange26(
            t,
            preferences,
            sourceFile,
            span.start,
            /*useHtmlEntity*/
            false
          ));
          const changeToHtmlEntity = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange26(
            t,
            preferences,
            sourceFile,
            span.start,
            /*useHtmlEntity*/
            true
          ));
          return [
            createCodeFixAction(fixIdExpression, changeToExpression, Diagnostics.Wrap_invalid_character_in_an_expression_container, fixIdExpression, Diagnostics.Wrap_all_invalid_characters_in_an_expression_container),
            createCodeFixAction(fixIdHtmlEntity, changeToHtmlEntity, Diagnostics.Convert_invalid_character_to_its_html_entity_code, fixIdHtmlEntity, Diagnostics.Convert_all_invalid_characters_to_HTML_entity_code)
          ];
        },
        getAllCodeActions(context) {
          return codeFixAll(context, errorCodes39, (changes, diagnostic) => doChange26(changes, context.preferences, diagnostic.file, diagnostic.start, context.fixId === fixIdHtmlEntity));
        }
      });
      var htmlEntity = {
        ">": ">",
        "}": "}"
      };
      function isValidCharacter(character) {
        return hasProperty(htmlEntity, character);
      }
      function doChange26(changes, preferences, sourceFile, start, useHtmlEntity) {
        const character = sourceFile.getText()[start];
        if (!isValidCharacter(character)) {
          return;
        }
        const replacement = useHtmlEntity ? htmlEntity[character] : `{${quote(sourceFile, preferences, character)}}`;
        changes.replaceRangeWithText(sourceFile, { pos: start, end: start + 1 }, replacement);
      }
      var deleteUnmatchedParameter = "deleteUnmatchedParameter";
      var renameUnmatchedParameter = "renameUnmatchedParameter";
      var errorCodes40 = [
        Diagnostics.JSDoc_param_tag_has_name_0_but_there_is_no_parameter_with_that_name.code
      ];
      registerCodeFix({
        fixIds: [deleteUnmatchedParameter, renameUnmatchedParameter],
        errorCodes: errorCodes40,
        getCodeActions: function getCodeActionsToFixUnmatchedParameter(context) {
          const { sourceFile, span } = context;
          const actions2 = [];
          const info = getInfo14(sourceFile, span.start);
          if (info) {
            append(actions2, getDeleteAction(context, info));
            append(actions2, getRenameAction(context, info));
            return actions2;
          }
          return void 0;
        },
        getAllCodeActions: function getAllCodeActionsToFixUnmatchedParameter(context) {
          const tagsToSignature = /* @__PURE__ */ new Map();
          return createCombinedCodeActions(ts_textChanges_exports.ChangeTracker.with(context, (changes) => {
            eachDiagnostic(context, errorCodes40, ({ file, start }) => {
              const info = getInfo14(file, start);
              if (info) {
                tagsToSignature.set(info.signature, append(tagsToSignature.get(info.signature), info.jsDocParameterTag));
              }
            });
            tagsToSignature.forEach((tags, signature) => {
              if (context.fixId === deleteUnmatchedParameter) {
                const tagsSet = new Set(tags);
                changes.filterJSDocTags(signature.getSourceFile(), signature, (t) => !tagsSet.has(t));
              }
            });
          }));
        }
      });
      function getDeleteAction(context, { name, jsDocHost, jsDocParameterTag }) {
        const changes = ts_textChanges_exports.ChangeTracker.with(context, (changeTracker) => changeTracker.filterJSDocTags(context.sourceFile, jsDocHost, (t) => t !== jsDocParameterTag));
        return createCodeFixAction(
          deleteUnmatchedParameter,
          changes,
          [Diagnostics.Delete_unused_param_tag_0, name.getText(context.sourceFile)],
          deleteUnmatchedParameter,
          Diagnostics.Delete_all_unused_param_tags
        );
      }
      function getRenameAction(context, { name, jsDocHost, signature, jsDocParameterTag }) {
        if (!length(signature.parameters)) return void 0;
        const sourceFile = context.sourceFile;
        const tags = getJSDocTags(signature);
        const names = /* @__PURE__ */ new Set();
        for (const tag of tags) {
          if (isJSDocParameterTag(tag) && isIdentifier(tag.name)) {
            names.add(tag.name.escapedText);
          }
        }
        const parameterName = firstDefined(signature.parameters, (p) => isIdentifier(p.name) && !names.has(p.name.escapedText) ? p.name.getText(sourceFile) : void 0);
        if (parameterName === void 0) return void 0;
        const newJSDocParameterTag = factory.updateJSDocParameterTag(
          jsDocParameterTag,
          jsDocParameterTag.tagName,
          factory.createIdentifier(parameterName),
          jsDocParameterTag.isBracketed,
          jsDocParameterTag.typeExpression,
          jsDocParameterTag.isNameFirst,
          jsDocParameterTag.comment
        );
        const changes = ts_textChanges_exports.ChangeTracker.with(context, (changeTracker) => changeTracker.replaceJSDocComment(sourceFile, jsDocHost, map(tags, (t) => t === jsDocParameterTag ? newJSDocParameterTag : t)));
        return createCodeFixActionWithoutFixAll(renameUnmatchedParameter, changes, [Diagnostics.Rename_param_tag_name_0_to_1, name.getText(sourceFile), parameterName]);
      }
      function getInfo14(sourceFile, pos) {
        const token = getTokenAtPosition(sourceFile, pos);
        if (token.parent && isJSDocParameterTag(token.parent) && isIdentifier(token.parent.name)) {
          const jsDocParameterTag = token.parent;
          const jsDocHost = getJSDocHost(jsDocParameterTag);
          const signature = getHostSignatureFromJSDoc(jsDocParameterTag);
          if (jsDocHost && signature) {
            return { jsDocHost, signature, name: token.parent.name, jsDocParameterTag };
          }
        }
        return void 0;
      }
      var fixId32 = "fixUnreferenceableDecoratorMetadata";
      var errorCodes41 = [Diagnostics.A_type_referenced_in_a_decorated_signature_must_be_imported_with_import_type_or_a_namespace_import_when_isolatedModules_and_emitDecoratorMetadata_are_enabled.code];
      registerCodeFix({
        errorCodes: errorCodes41,
        getCodeActions: (context) => {
          const importDeclaration = getImportDeclaration(context.sourceFile, context.program, context.span.start);
          if (!importDeclaration) return;
          const namespaceChanges = ts_textChanges_exports.ChangeTracker.with(context, (t) => importDeclaration.kind === 276 && doNamespaceImportChange(t, context.sourceFile, importDeclaration, context.program));
          const typeOnlyChanges = ts_textChanges_exports.ChangeTracker.with(context, (t) => doTypeOnlyImportChange(t, context.sourceFile, importDeclaration, context.program));
          let actions2;
          if (namespaceChanges.length) {
            actions2 = append(actions2, createCodeFixActionWithoutFixAll(fixId32, namespaceChanges, Diagnostics.Convert_named_imports_to_namespace_import));
          }
          if (typeOnlyChanges.length) {
            actions2 = append(actions2, createCodeFixActionWithoutFixAll(fixId32, typeOnlyChanges, Diagnostics.Use_import_type));
          }
          return actions2;
        },
        fixIds: [fixId32]
      });
      function getImportDeclaration(sourceFile, program, start) {
        const identifier = tryCast(getTokenAtPosition(sourceFile, start), isIdentifier);
        if (!identifier || identifier.parent.kind !== 183) return;
        const checker = program.getTypeChecker();
        const symbol = checker.getSymbolAtLocation(identifier);
        return find((symbol == null ? void 0 : symbol.declarations) || emptyArray, or(isImportClause, isImportSpecifier, isImportEqualsDeclaration));
      }
      function doTypeOnlyImportChange(changes, sourceFile, importDeclaration, program) {
        if (importDeclaration.kind === 271) {
          changes.insertModifierBefore(sourceFile, 156, importDeclaration.name);
          return;
        }
        const importClause = importDeclaration.kind === 273 ? importDeclaration : importDeclaration.parent.parent;
        if (importClause.name && importClause.namedBindings) {
          return;
        }
        const checker = program.getTypeChecker();
        const importsValue = !!forEachImportClauseDeclaration(importClause, (decl) => {
          if (skipAlias(decl.symbol, checker).flags & 111551) return true;
        });
        if (importsValue) {
          return;
        }
        changes.insertModifierBefore(sourceFile, 156, importClause);
      }
      function doNamespaceImportChange(changes, sourceFile, importDeclaration, program) {
        ts_refactor_exports.doChangeNamedToNamespaceOrDefault(sourceFile, program, changes, importDeclaration.parent);
      }
      var fixName3 = "unusedIdentifier";
      var fixIdPrefix = "unusedIdentifier_prefix";
      var fixIdDelete = "unusedIdentifier_delete";
      var fixIdDeleteImports = "unusedIdentifier_deleteImports";
      var fixIdInfer = "unusedIdentifier_infer";
      var errorCodes42 = [
        Diagnostics._0_is_declared_but_its_value_is_never_read.code,
        Diagnostics._0_is_declared_but_never_used.code,
        Diagnostics.Property_0_is_declared_but_its_value_is_never_read.code,
        Diagnostics.All_imports_in_import_declaration_are_unused.code,
        Diagnostics.All_destructured_elements_are_unused.code,
        Diagnostics.All_variables_are_unused.code,
        Diagnostics.All_type_parameters_are_unused.code
      ];
      registerCodeFix({
        errorCodes: errorCodes42,
        getCodeActions(context) {
          const { errorCode, sourceFile, program, cancellationToken } = context;
          const checker = program.getTypeChecker();
          const sourceFiles = program.getSourceFiles();
          const token = getTokenAtPosition(sourceFile, context.span.start);
          if (isJSDocTemplateTag(token)) {
            return [createDeleteFix(ts_textChanges_exports.ChangeTracker.with(context, (t) => t.delete(sourceFile, token)), Diagnostics.Remove_template_tag)];
          }
          if (token.kind === 30) {
            const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => deleteTypeParameters(t, sourceFile, token));
            return [createDeleteFix(changes, Diagnostics.Remove_type_parameters)];
          }
          const importDecl = tryGetFullImport(token);
          if (importDecl) {
            const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => t.delete(sourceFile, importDecl));
            return [createCodeFixAction(fixName3, changes, [Diagnostics.Remove_import_from_0, showModuleSpecifier(importDecl)], fixIdDeleteImports, Diagnostics.Delete_all_unused_imports)];
          } else if (isImport(token)) {
            const deletion = ts_textChanges_exports.ChangeTracker.with(context, (t) => tryDeleteDeclaration(
              sourceFile,
              token,
              t,
              checker,
              sourceFiles,
              program,
              cancellationToken,
              /*isFixAll*/
              false
            ));
            if (deletion.length) {
              return [createCodeFixAction(fixName3, deletion, [Diagnostics.Remove_unused_declaration_for_Colon_0, token.getText(sourceFile)], fixIdDeleteImports, Diagnostics.Delete_all_unused_imports)];
            }
          }
          if (isObjectBindingPattern(token.parent) || isArrayBindingPattern(token.parent)) {
            if (isParameter(token.parent.parent)) {
              const elements = token.parent.elements;
              const diagnostic = [
                elements.length > 1 ? Diagnostics.Remove_unused_declarations_for_Colon_0 : Diagnostics.Remove_unused_declaration_for_Colon_0,
                map(elements, (e) => e.getText(sourceFile)).join(", ")
              ];
              return [
                createDeleteFix(ts_textChanges_exports.ChangeTracker.with(context, (t) => deleteDestructuringElements(t, sourceFile, token.parent)), diagnostic)
              ];
            }
            return [
              createDeleteFix(ts_textChanges_exports.ChangeTracker.with(context, (t) => deleteDestructuring(context, t, sourceFile, token.parent)), Diagnostics.Remove_unused_destructuring_declaration)
            ];
          }
          if (canDeleteEntireVariableStatement(sourceFile, token)) {
            return [
              createDeleteFix(ts_textChanges_exports.ChangeTracker.with(context, (t) => deleteEntireVariableStatement(t, sourceFile, token.parent)), Diagnostics.Remove_variable_statement)
            ];
          }
          if (isIdentifier(token) && isFunctionDeclaration(token.parent)) {
            return [createDeleteFix(ts_textChanges_exports.ChangeTracker.with(context, (t) => deleteFunctionLikeDeclaration(t, sourceFile, token.parent)), [Diagnostics.Remove_unused_declaration_for_Colon_0, token.getText(sourceFile)])];
          }
          const result = [];
          if (token.kind === 140) {
            const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => changeInferToUnknown(t, sourceFile, token));
            const name = cast(token.parent, isInferTypeNode).typeParameter.name.text;
            result.push(createCodeFixAction(fixName3, changes, [Diagnostics.Replace_infer_0_with_unknown, name], fixIdInfer, Diagnostics.Replace_all_unused_infer_with_unknown));
          } else {
            const deletion = ts_textChanges_exports.ChangeTracker.with(context, (t) => tryDeleteDeclaration(
              sourceFile,
              token,
              t,
              checker,
              sourceFiles,
              program,
              cancellationToken,
              /*isFixAll*/
              false
            ));
            if (deletion.length) {
              const name = isComputedPropertyName(token.parent) ? token.parent : token;
              result.push(createDeleteFix(deletion, [Diagnostics.Remove_unused_declaration_for_Colon_0, name.getText(sourceFile)]));
            }
          }
          const prefix = ts_textChanges_exports.ChangeTracker.with(context, (t) => tryPrefixDeclaration(t, errorCode, sourceFile, token));
          if (prefix.length) {
            result.push(createCodeFixAction(fixName3, prefix, [Diagnostics.Prefix_0_with_an_underscore, token.getText(sourceFile)], fixIdPrefix, Diagnostics.Prefix_all_unused_declarations_with_where_possible));
          }
          return result;
        },
        fixIds: [fixIdPrefix, fixIdDelete, fixIdDeleteImports, fixIdInfer],
        getAllCodeActions: (context) => {
          const { sourceFile, program, cancellationToken } = context;
          const checker = program.getTypeChecker();
          const sourceFiles = program.getSourceFiles();
          return codeFixAll(context, errorCodes42, (changes, diag2) => {
            const token = getTokenAtPosition(sourceFile, diag2.start);
            switch (context.fixId) {
              case fixIdPrefix:
                tryPrefixDeclaration(changes, diag2.code, sourceFile, token);
                break;
              case fixIdDeleteImports: {
                const importDecl = tryGetFullImport(token);
                if (importDecl) {
                  changes.delete(sourceFile, importDecl);
                } else if (isImport(token)) {
                  tryDeleteDeclaration(
                    sourceFile,
                    token,
                    changes,
                    checker,
                    sourceFiles,
                    program,
                    cancellationToken,
                    /*isFixAll*/
                    true
                  );
                }
                break;
              }
              case fixIdDelete: {
                if (token.kind === 140 || isImport(token)) {
                  break;
                } else if (isJSDocTemplateTag(token)) {
                  changes.delete(sourceFile, token);
                } else if (token.kind === 30) {
                  deleteTypeParameters(changes, sourceFile, token);
                } else if (isObjectBindingPattern(token.parent)) {
                  if (token.parent.parent.initializer) {
                    break;
                  } else if (!isParameter(token.parent.parent) || isNotProvidedArguments(token.parent.parent, checker, sourceFiles)) {
                    changes.delete(sourceFile, token.parent.parent);
                  }
                } else if (isArrayBindingPattern(token.parent.parent) && token.parent.parent.parent.initializer) {
                  break;
                } else if (canDeleteEntireVariableStatement(sourceFile, token)) {
                  deleteEntireVariableStatement(changes, sourceFile, token.parent);
                } else {
                  tryDeleteDeclaration(
                    sourceFile,
                    token,
                    changes,
                    checker,
                    sourceFiles,
                    program,
                    cancellationToken,
                    /*isFixAll*/
                    true
                  );
                }
                break;
              }
              case fixIdInfer:
                if (token.kind === 140) {
                  changeInferToUnknown(changes, sourceFile, token);
                }
                break;
              default:
                Debug.fail(JSON.stringify(context.fixId));
            }
          });
        }
      });
      function changeInferToUnknown(changes, sourceFile, token) {
        changes.replaceNode(sourceFile, token.parent, factory.createKeywordTypeNode(
          159
          /* UnknownKeyword */
        ));
      }
      function createDeleteFix(changes, diag2) {
        return createCodeFixAction(fixName3, changes, diag2, fixIdDelete, Diagnostics.Delete_all_unused_declarations);
      }
      function deleteTypeParameters(changes, sourceFile, token) {
        changes.delete(sourceFile, Debug.checkDefined(cast(token.parent, isDeclarationWithTypeParameterChildren).typeParameters, "The type parameter to delete should exist"));
      }
      function isImport(token) {
        return token.kind === 102 || token.kind === 80 && (token.parent.kind === 276 || token.parent.kind === 273);
      }
      function tryGetFullImport(token) {
        return token.kind === 102 ? tryCast(token.parent, isImportDeclaration) : void 0;
      }
      function canDeleteEntireVariableStatement(sourceFile, token) {
        return isVariableDeclarationList(token.parent) && first(token.parent.getChildren(sourceFile)) === token;
      }
      function deleteEntireVariableStatement(changes, sourceFile, node) {
        changes.delete(sourceFile, node.parent.kind === 243 ? node.parent : node);
      }
      function deleteDestructuringElements(changes, sourceFile, node) {
        forEach(node.elements, (n) => changes.delete(sourceFile, n));
      }
      function deleteDestructuring(context, changes, sourceFile, { parent: parent2 }) {
        if (isVariableDeclaration(parent2) && parent2.initializer && isCallLikeExpression(parent2.initializer)) {
          if (isVariableDeclarationList(parent2.parent) && length(parent2.parent.declarations) > 1) {
            const varStatement = parent2.parent.parent;
            const pos = varStatement.getStart(sourceFile);
            const end = varStatement.end;
            changes.delete(sourceFile, parent2);
            changes.insertNodeAt(sourceFile, end, parent2.initializer, {
              prefix: getNewLineOrDefaultFromHost(context.host, context.formatContext.options) + sourceFile.text.slice(getPrecedingNonSpaceCharacterPosition(sourceFile.text, pos - 1), pos),
              suffix: probablyUsesSemicolons(sourceFile) ? ";" : ""
            });
          } else {
            changes.replaceNode(sourceFile, parent2.parent, parent2.initializer);
          }
        } else {
          changes.delete(sourceFile, parent2);
        }
      }
      function tryPrefixDeclaration(changes, errorCode, sourceFile, token) {
        if (errorCode === Diagnostics.Property_0_is_declared_but_its_value_is_never_read.code) return;
        if (token.kind === 140) {
          token = cast(token.parent, isInferTypeNode).typeParameter.name;
        }
        if (isIdentifier(token) && canPrefix(token)) {
          changes.replaceNode(sourceFile, token, factory.createIdentifier(`_${token.text}`));
          if (isParameter(token.parent)) {
            getJSDocParameterTags(token.parent).forEach((tag) => {
              if (isIdentifier(tag.name)) {
                changes.replaceNode(sourceFile, tag.name, factory.createIdentifier(`_${tag.name.text}`));
              }
            });
          }
        }
      }
      function canPrefix(token) {
        switch (token.parent.kind) {
          case 169:
          case 168:
            return true;
          case 260: {
            const varDecl = token.parent;
            switch (varDecl.parent.parent.kind) {
              case 250:
              case 249:
                return true;
            }
          }
        }
        return false;
      }
      function tryDeleteDeclaration(sourceFile, token, changes, checker, sourceFiles, program, cancellationToken, isFixAll) {
        tryDeleteDeclarationWorker(token, changes, sourceFile, checker, sourceFiles, program, cancellationToken, isFixAll);
        if (isIdentifier(token)) {
          ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(token, checker, sourceFile, (ref) => {
            if (isPropertyAccessExpression(ref.parent) && ref.parent.name === ref) ref = ref.parent;
            if (!isFixAll && mayDeleteExpression(ref)) {
              changes.delete(sourceFile, ref.parent.parent);
            }
          });
        }
      }
      function tryDeleteDeclarationWorker(token, changes, sourceFile, checker, sourceFiles, program, cancellationToken, isFixAll) {
        const { parent: parent2 } = token;
        if (isParameter(parent2)) {
          tryDeleteParameter(changes, sourceFile, parent2, checker, sourceFiles, program, cancellationToken, isFixAll);
        } else if (!(isFixAll && isIdentifier(token) && ts_FindAllReferences_exports.Core.isSymbolReferencedInFile(token, checker, sourceFile))) {
          const node = isImportClause(parent2) ? token : isComputedPropertyName(parent2) ? parent2.parent : parent2;
          Debug.assert(node !== sourceFile, "should not delete whole source file");
          changes.delete(sourceFile, node);
        }
      }
      function tryDeleteParameter(changes, sourceFile, parameter, checker, sourceFiles, program, cancellationToken, isFixAll = false) {
        if (mayDeleteParameter(checker, sourceFile, parameter, sourceFiles, program, cancellationToken, isFixAll)) {
          if (parameter.modifiers && parameter.modifiers.length > 0 && (!isIdentifier(parameter.name) || ts_FindAllReferences_exports.Core.isSymbolReferencedInFile(parameter.name, checker, sourceFile))) {
            for (const modifier of parameter.modifiers) {
              if (isModifier(modifier)) {
                changes.deleteModifier(sourceFile, modifier);
              }
            }
          } else if (!parameter.initializer && isNotProvidedArguments(parameter, checker, sourceFiles)) {
            changes.delete(sourceFile, parameter);
          }
        }
      }
      function isNotProvidedArguments(parameter, checker, sourceFiles) {
        const index = parameter.parent.parameters.indexOf(parameter);
        return !ts_FindAllReferences_exports.Core.someSignatureUsage(parameter.parent, sourceFiles, checker, (_, call) => !call || call.arguments.length > index);
      }
      function mayDeleteParameter(checker, sourceFile, parameter, sourceFiles, program, cancellationToken, isFixAll) {
        const { parent: parent2 } = parameter;
        switch (parent2.kind) {
          case 174:
          case 176:
            const index = parent2.parameters.indexOf(parameter);
            const referent = isMethodDeclaration(parent2) ? parent2.name : parent2;
            const entries = ts_FindAllReferences_exports.Core.getReferencedSymbolsForNode(parent2.pos, referent, program, sourceFiles, cancellationToken);
            if (entries) {
              for (const entry of entries) {
                for (const reference of entry.references) {
                  if (reference.kind === ts_FindAllReferences_exports.EntryKind.Node) {
                    const isSuperCall2 = isSuperKeyword(reference.node) && isCallExpression2(reference.node.parent) && reference.node.parent.arguments.length > index;
                    const isSuperMethodCall = isPropertyAccessExpression(reference.node.parent) && isSuperKeyword(reference.node.parent.expression) && isCallExpression2(reference.node.parent.parent) && reference.node.parent.parent.arguments.length > index;
                    const isOverriddenMethod = (isMethodDeclaration(reference.node.parent) || isMethodSignature(reference.node.parent)) && reference.node.parent !== parameter.parent && reference.node.parent.parameters.length > index;
                    if (isSuperCall2 || isSuperMethodCall || isOverriddenMethod) return false;
                  }
                }
              }
            }
            return true;
          case 262: {
            if (parent2.name && isCallbackLike(checker, sourceFile, parent2.name)) {
              return isLastParameter2(parent2, parameter, isFixAll);
            }
            return true;
          }
          case 218:
          case 219:
            return isLastParameter2(parent2, parameter, isFixAll);
          case 178:
            return false;
          case 177:
            return true;
          default:
            return Debug.failBadSyntaxKind(parent2);
        }
      }
      function isCallbackLike(checker, sourceFile, name) {
        return !!ts_FindAllReferences_exports.Core.eachSymbolReferenceInFile(name, checker, sourceFile, (reference) => isIdentifier(reference) && isCallExpression2(reference.parent) && reference.parent.arguments.includes(reference));
      }
      function isLastParameter2(func, parameter, isFixAll) {
        const parameters = func.parameters;
        const index = parameters.indexOf(parameter);
        Debug.assert(index !== -1, "The parameter should already be in the list");
        return isFixAll ? parameters.slice(index + 1).every((p) => isIdentifier(p.name) && !p.symbol.isReferenced) : index === parameters.length - 1;
      }
      function mayDeleteExpression(node) {
        return (isBinaryExpression(node.parent) && node.parent.left === node || (isPostfixUnaryExpression(node.parent) || isPrefixUnaryExpression(node.parent)) && node.parent.operand === node) && isExpressionStatement2(node.parent.parent);
      }
      function deleteFunctionLikeDeclaration(changes, sourceFile, node) {
        const declarations = node.symbol.declarations;
        if (declarations) {
          for (const declaration of declarations) {
            changes.delete(sourceFile, declaration);
          }
        }
      }
      var fixId33 = "fixUnreachableCode";
      var errorCodes43 = [Diagnostics.Unreachable_code_detected.code];
      registerCodeFix({
        errorCodes: errorCodes43,
        getCodeActions(context) {
          const syntacticDiagnostics = context.program.getSyntacticDiagnostics(context.sourceFile, context.cancellationToken);
          if (syntacticDiagnostics.length) return;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange27(t, context.sourceFile, context.span.start, context.span.length, context.errorCode));
          return [createCodeFixAction(fixId33, changes, Diagnostics.Remove_unreachable_code, fixId33, Diagnostics.Remove_all_unreachable_code)];
        },
        fixIds: [fixId33],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes43, (changes, diag2) => doChange27(changes, diag2.file, diag2.start, diag2.length, diag2.code))
      });
      function doChange27(changes, sourceFile, start, length2, errorCode) {
        const token = getTokenAtPosition(sourceFile, start);
        const statement = findAncestor(token, isStatement);
        if (statement.getStart(sourceFile) !== token.getStart(sourceFile)) {
          const logData = JSON.stringify({
            statementKind: Debug.formatSyntaxKind(statement.kind),
            tokenKind: Debug.formatSyntaxKind(token.kind),
            errorCode,
            start,
            length: length2
          });
          Debug.fail("Token and statement should start at the same point. " + logData);
        }
        const container = (isBlock(statement.parent) ? statement.parent : statement).parent;
        if (!isBlock(statement.parent) || statement === first(statement.parent.statements)) {
          switch (container.kind) {
            case 245:
              if (container.elseStatement) {
                if (isBlock(statement.parent)) {
                  break;
                } else {
                  changes.replaceNode(sourceFile, statement, factory.createBlock(emptyArray));
                }
                return;
              }
            case 247:
            case 248:
              changes.delete(sourceFile, container);
              return;
          }
        }
        if (isBlock(statement.parent)) {
          const end = start + length2;
          const lastStatement = Debug.checkDefined(lastWhere(sliceAfter(statement.parent.statements, statement), (s) => s.pos < end), "Some statement should be last");
          changes.deleteNodeRange(sourceFile, statement, lastStatement);
        } else {
          changes.delete(sourceFile, statement);
        }
      }
      function lastWhere(a, pred) {
        let last2;
        for (const value of a) {
          if (!pred(value)) break;
          last2 = value;
        }
        return last2;
      }
      var fixId34 = "fixUnusedLabel";
      var errorCodes44 = [Diagnostics.Unused_label.code];
      registerCodeFix({
        errorCodes: errorCodes44,
        getCodeActions(context) {
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange28(t, context.sourceFile, context.span.start));
          return [createCodeFixAction(fixId34, changes, Diagnostics.Remove_unused_label, fixId34, Diagnostics.Remove_all_unused_labels)];
        },
        fixIds: [fixId34],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes44, (changes, diag2) => doChange28(changes, diag2.file, diag2.start))
      });
      function doChange28(changes, sourceFile, start) {
        const token = getTokenAtPosition(sourceFile, start);
        const labeledStatement = cast(token.parent, isLabeledStatement);
        const pos = token.getStart(sourceFile);
        const statementPos = labeledStatement.statement.getStart(sourceFile);
        const end = positionsAreOnSameLine(pos, statementPos, sourceFile) ? statementPos : skipTrivia(
          sourceFile.text,
          findChildOfKind(labeledStatement, 59, sourceFile).end,
          /*stopAfterLineBreak*/
          true
        );
        changes.deleteRange(sourceFile, { pos, end });
      }
      var fixIdPlain = "fixJSDocTypes_plain";
      var fixIdNullable = "fixJSDocTypes_nullable";
      var errorCodes45 = [
        Diagnostics.JSDoc_types_can_only_be_used_inside_documentation_comments.code,
        Diagnostics._0_at_the_end_of_a_type_is_not_valid_TypeScript_syntax_Did_you_mean_to_write_1.code,
        Diagnostics._0_at_the_start_of_a_type_is_not_valid_TypeScript_syntax_Did_you_mean_to_write_1.code
      ];
      registerCodeFix({
        errorCodes: errorCodes45,
        getCodeActions(context) {
          const { sourceFile } = context;
          const checker = context.program.getTypeChecker();
          const info = getInfo15(sourceFile, context.span.start, checker);
          if (!info) return void 0;
          const { typeNode, type } = info;
          const original = typeNode.getText(sourceFile);
          const actions2 = [fix11(type, fixIdPlain, Diagnostics.Change_all_jsdoc_style_types_to_TypeScript)];
          if (typeNode.kind === 314) {
            actions2.push(fix11(type, fixIdNullable, Diagnostics.Change_all_jsdoc_style_types_to_TypeScript_and_add_undefined_to_nullable_types));
          }
          return actions2;
          function fix11(type2, fixId55, fixAllDescription) {
            const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange29(t, sourceFile, typeNode, type2, checker));
            return createCodeFixAction("jdocTypes", changes, [Diagnostics.Change_0_to_1, original, checker.typeToString(type2)], fixId55, fixAllDescription);
          }
        },
        fixIds: [fixIdPlain, fixIdNullable],
        getAllCodeActions(context) {
          const { fixId: fixId55, program, sourceFile } = context;
          const checker = program.getTypeChecker();
          return codeFixAll(context, errorCodes45, (changes, err) => {
            const info = getInfo15(err.file, err.start, checker);
            if (!info) return;
            const { typeNode, type } = info;
            const fixedType = typeNode.kind === 314 && fixId55 === fixIdNullable ? checker.getNullableType(
              type,
              32768
              /* Undefined */
            ) : type;
            doChange29(changes, sourceFile, typeNode, fixedType, checker);
          });
        }
      });
      function doChange29(changes, sourceFile, oldTypeNode, newType, checker) {
        changes.replaceNode(sourceFile, oldTypeNode, checker.typeToTypeNode(
          newType,
          /*enclosingDeclaration*/
          oldTypeNode,
          /*flags*/
          void 0
        ));
      }
      function getInfo15(sourceFile, pos, checker) {
        const decl = findAncestor(getTokenAtPosition(sourceFile, pos), isTypeContainer);
        const typeNode = decl && decl.type;
        return typeNode && { typeNode, type: getType(checker, typeNode) };
      }
      function isTypeContainer(node) {
        switch (node.kind) {
          case 234:
          case 179:
          case 180:
          case 262:
          case 177:
          case 181:
          case 200:
          case 174:
          case 173:
          case 169:
          case 172:
          case 171:
          case 178:
          case 265:
          case 216:
          case 260:
            return true;
          default:
            return false;
        }
      }
      function getType(checker, node) {
        if (isJSDocNullableType(node)) {
          const type = checker.getTypeFromTypeNode(node.type);
          if (type === checker.getNeverType() || type === checker.getVoidType()) {
            return type;
          }
          return checker.getUnionType(
            append([type, checker.getUndefinedType()], node.postfix ? void 0 : checker.getNullType())
          );
        }
        return checker.getTypeFromTypeNode(node);
      }
      var fixId35 = "fixMissingCallParentheses";
      var errorCodes46 = [
        Diagnostics.This_condition_will_always_return_true_since_this_function_is_always_defined_Did_you_mean_to_call_it_instead.code
      ];
      registerCodeFix({
        errorCodes: errorCodes46,
        fixIds: [fixId35],
        getCodeActions(context) {
          const { sourceFile, span } = context;
          const callName = getCallName(sourceFile, span.start);
          if (!callName) return;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange30(t, context.sourceFile, callName));
          return [createCodeFixAction(fixId35, changes, Diagnostics.Add_missing_call_parentheses, fixId35, Diagnostics.Add_all_missing_call_parentheses)];
        },
        getAllCodeActions: (context) => codeFixAll(context, errorCodes46, (changes, diag2) => {
          const callName = getCallName(diag2.file, diag2.start);
          if (callName) doChange30(changes, diag2.file, callName);
        })
      });
      function doChange30(changes, sourceFile, name) {
        changes.replaceNodeWithText(sourceFile, name, `${name.text}()`);
      }
      function getCallName(sourceFile, start) {
        const token = getTokenAtPosition(sourceFile, start);
        if (isPropertyAccessExpression(token.parent)) {
          let current = token.parent;
          while (isPropertyAccessExpression(current.parent)) {
            current = current.parent;
          }
          return current.name;
        }
        if (isIdentifier(token)) {
          return token;
        }
        return void 0;
      }
      var fixId36 = "fixMissingTypeAnnotationOnExports";
      var addAnnotationFix = "add-annotation";
      var addInlineTypeAssertion = "add-type-assertion";
      var extractExpression = "extract-expression";
      var errorCodes47 = [
        Diagnostics.Function_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations.code,
        Diagnostics.Method_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations.code,
        Diagnostics.At_least_one_accessor_must_have_an_explicit_return_type_annotation_with_isolatedDeclarations.code,
        Diagnostics.Variable_must_have_an_explicit_type_annotation_with_isolatedDeclarations.code,
        Diagnostics.Parameter_must_have_an_explicit_type_annotation_with_isolatedDeclarations.code,
        Diagnostics.Property_must_have_an_explicit_type_annotation_with_isolatedDeclarations.code,
        Diagnostics.Expression_type_can_t_be_inferred_with_isolatedDeclarations.code,
        Diagnostics.Binding_elements_can_t_be_exported_directly_with_isolatedDeclarations.code,
        Diagnostics.Computed_property_names_on_class_or_object_literals_cannot_be_inferred_with_isolatedDeclarations.code,
        Diagnostics.Computed_properties_must_be_number_or_string_literals_variables_or_dotted_expressions_with_isolatedDeclarations.code,
        Diagnostics.Enum_member_initializers_must_be_computable_without_references_to_external_symbols_with_isolatedDeclarations.code,
        Diagnostics.Extends_clause_can_t_contain_an_expression_with_isolatedDeclarations.code,
        Diagnostics.Objects_that_contain_shorthand_properties_can_t_be_inferred_with_isolatedDeclarations.code,
        Diagnostics.Objects_that_contain_spread_assignments_can_t_be_inferred_with_isolatedDeclarations.code,
        Diagnostics.Arrays_with_spread_elements_can_t_inferred_with_isolatedDeclarations.code,
        Diagnostics.Default_exports_can_t_be_inferred_with_isolatedDeclarations.code,
        Diagnostics.Only_const_arrays_can_be_inferred_with_isolatedDeclarations.code,
        Diagnostics.Assigning_properties_to_functions_without_declaring_them_is_not_supported_with_isolatedDeclarations_Add_an_explicit_declaration_for_the_properties_assigned_to_this_function.code,
        Diagnostics.Declaration_emit_for_this_parameter_requires_implicitly_adding_undefined_to_it_s_type_This_is_not_supported_with_isolatedDeclarations.code,
        Diagnostics.Type_containing_private_name_0_can_t_be_used_with_isolatedDeclarations.code,
        Diagnostics.Add_satisfies_and_a_type_assertion_to_this_expression_satisfies_T_as_T_to_make_the_type_explicit.code
      ];
      var canHaveTypeAnnotation = /* @__PURE__ */ new Set([
        177,
        174,
        172,
        262,
        218,
        219,
        260,
        169,
        277,
        263,
        206,
        207
        /* ArrayBindingPattern */
      ]);
      var declarationEmitNodeBuilderFlags2 = 1024 | 2048 | 4096 | 8 | 524288 | 4 | 1 | 1073741824;
      registerCodeFix({
        errorCodes: errorCodes47,
        fixIds: [fixId36],
        getCodeActions(context) {
          const fixes = [];
          addCodeAction(addAnnotationFix, fixes, context, 0, (f) => f.addTypeAnnotation(context.span));
          addCodeAction(addAnnotationFix, fixes, context, 1, (f) => f.addTypeAnnotation(context.span));
          addCodeAction(addAnnotationFix, fixes, context, 2, (f) => f.addTypeAnnotation(context.span));
          addCodeAction(addInlineTypeAssertion, fixes, context, 0, (f) => f.addInlineAssertion(context.span));
          addCodeAction(addInlineTypeAssertion, fixes, context, 1, (f) => f.addInlineAssertion(context.span));
          addCodeAction(addInlineTypeAssertion, fixes, context, 2, (f) => f.addInlineAssertion(context.span));
          addCodeAction(extractExpression, fixes, context, 0, (f) => f.extractAsVariable(context.span));
          return fixes;
        },
        getAllCodeActions: (context) => {
          const changes = withContext(context, 0, (f) => {
            eachDiagnostic(context, errorCodes47, (diag2) => {
              f.addTypeAnnotation(diag2);
            });
          });
          return createCombinedCodeActions(changes.textChanges);
        }
      });
      function addCodeAction(fixName8, fixes, context, typePrintMode, cb) {
        const changes = withContext(context, typePrintMode, cb);
        if (changes.result && changes.textChanges.length) {
          fixes.push(createCodeFixAction(
            fixName8,
            changes.textChanges,
            changes.result,
            fixId36,
            Diagnostics.Add_all_missing_type_annotations
          ));
        }
      }
      function withContext(context, typePrintMode, cb) {
        const emptyInferenceResult = { typeNode: void 0, mutatedTarget: false };
        const changeTracker = ts_textChanges_exports.ChangeTracker.fromContext(context);
        const sourceFile = context.sourceFile;
        const program = context.program;
        const typeChecker = program.getTypeChecker();
        const scriptTarget = getEmitScriptTarget(program.getCompilerOptions());
        const importAdder = createImportAdder(context.sourceFile, context.program, context.preferences, context.host);
        const fixedNodes = /* @__PURE__ */ new Set();
        const expandoPropertiesAdded = /* @__PURE__ */ new Set();
        const typePrinter = createPrinter({
          preserveSourceNewlines: false
        });
        const result = cb({ addTypeAnnotation, addInlineAssertion, extractAsVariable });
        importAdder.writeFixes(changeTracker);
        return {
          result,
          textChanges: changeTracker.getChanges()
        };
        function addTypeAnnotation(span) {
          context.cancellationToken.throwIfCancellationRequested();
          const nodeWithDiag = getTokenAtPosition(sourceFile, span.start);
          const expandoFunction = findExpandoFunction(nodeWithDiag);
          if (expandoFunction) {
            if (isFunctionDeclaration(expandoFunction)) {
              return createNamespaceForExpandoProperties(expandoFunction);
            }
            return fixIsolatedDeclarationError(expandoFunction);
          }
          const nodeMissingType = findAncestorWithMissingType(nodeWithDiag);
          if (nodeMissingType) {
            return fixIsolatedDeclarationError(nodeMissingType);
          }
          return void 0;
        }
        function createNamespaceForExpandoProperties(expandoFunc) {
          var _a;
          if (expandoPropertiesAdded == null ? void 0 : expandoPropertiesAdded.has(expandoFunc)) return void 0;
          expandoPropertiesAdded == null ? void 0 : expandoPropertiesAdded.add(expandoFunc);
          const type = typeChecker.getTypeAtLocation(expandoFunc);
          const elements = typeChecker.getPropertiesOfType(type);
          if (!expandoFunc.name || elements.length === 0) return void 0;
          const newProperties = [];
          for (const symbol of elements) {
            if (!isIdentifierText(symbol.name, getEmitScriptTarget(program.getCompilerOptions()))) continue;
            if (symbol.valueDeclaration && isVariableDeclaration(symbol.valueDeclaration)) continue;
            newProperties.push(factory.createVariableStatement(
              [factory.createModifier(
                95
                /* ExportKeyword */
              )],
              factory.createVariableDeclarationList(
                [factory.createVariableDeclaration(
                  symbol.name,
                  /*exclamationToken*/
                  void 0,
                  typeToTypeNode2(typeChecker.getTypeOfSymbol(symbol), expandoFunc),
                  /*initializer*/
                  void 0
                )]
              )
            ));
          }
          if (newProperties.length === 0) return void 0;
          const modifiers = [];
          if ((_a = expandoFunc.modifiers) == null ? void 0 : _a.some(
            (modifier) => modifier.kind === 95
            /* ExportKeyword */
          )) {
            modifiers.push(factory.createModifier(
              95
              /* ExportKeyword */
            ));
          }
          modifiers.push(factory.createModifier(
            138
            /* DeclareKeyword */
          ));
          const namespace = factory.createModuleDeclaration(
            modifiers,
            expandoFunc.name,
            factory.createModuleBlock(newProperties),
            /*flags*/
            32 | 128 | 33554432 | 101441536
            /* ContextFlags */
          );
          changeTracker.insertNodeAfter(sourceFile, expandoFunc, namespace);
          return [Diagnostics.Annotate_types_of_properties_expando_function_in_a_namespace];
        }
        function needsParenthesizedExpressionForAssertion(node) {
          return !isEntityNameExpression(node) && !isCallExpression2(node) && !isObjectLiteralExpression(node) && !isArrayLiteralExpression(node);
        }
        function createAsExpression(node, type) {
          if (needsParenthesizedExpressionForAssertion(node)) {
            node = factory.createParenthesizedExpression(node);
          }
          return factory.createAsExpression(node, type);
        }
        function createSatisfiesAsExpression(node, type) {
          if (needsParenthesizedExpressionForAssertion(node)) {
            node = factory.createParenthesizedExpression(node);
          }
          return factory.createAsExpression(factory.createSatisfiesExpression(node, getSynthesizedDeepClone(type)), type);
        }
        function addInlineAssertion(span) {
          context.cancellationToken.throwIfCancellationRequested();
          const nodeWithDiag = getTokenAtPosition(sourceFile, span.start);
          const expandoFunction = findExpandoFunction(nodeWithDiag);
          if (expandoFunction) return;
          const targetNode = findBestFittingNode(nodeWithDiag, span);
          if (!targetNode || isValueSignatureDeclaration(targetNode) || isValueSignatureDeclaration(targetNode.parent)) return;
          const isExpressionTarget = isExpression(targetNode);
          const isShorthandPropertyAssignmentTarget = isShorthandPropertyAssignment(targetNode);
          if (!isShorthandPropertyAssignmentTarget && isDeclaration(targetNode)) {
            return void 0;
          }
          if (findAncestor(targetNode, isBindingPattern)) {
            return void 0;
          }
          if (findAncestor(targetNode, isEnumMember)) {
            return void 0;
          }
          if (isExpressionTarget && (findAncestor(targetNode, isHeritageClause) || findAncestor(targetNode, isTypeNode))) {
            return void 0;
          }
          if (isSpreadElement(targetNode)) {
            return void 0;
          }
          const variableDeclaration = findAncestor(targetNode, isVariableDeclaration);
          const type = variableDeclaration && typeChecker.getTypeAtLocation(variableDeclaration);
          if (type && type.flags & 8192) {
            return void 0;
          }
          if (!(isExpressionTarget || isShorthandPropertyAssignmentTarget)) return void 0;
          const { typeNode, mutatedTarget } = inferType(targetNode, type);
          if (!typeNode || mutatedTarget) return void 0;
          if (isShorthandPropertyAssignmentTarget) {
            changeTracker.insertNodeAt(
              sourceFile,
              targetNode.end,
              createAsExpression(
                getSynthesizedDeepClone(targetNode.name),
                typeNode
              ),
              {
                prefix: ": "
              }
            );
          } else if (isExpressionTarget) {
            changeTracker.replaceNode(
              sourceFile,
              targetNode,
              createSatisfiesAsExpression(
                getSynthesizedDeepClone(targetNode),
                typeNode
              )
            );
          } else {
            Debug.assertNever(targetNode);
          }
          return [Diagnostics.Add_satisfies_and_an_inline_type_assertion_with_0, typeToStringForDiag(typeNode)];
        }
        function extractAsVariable(span) {
          context.cancellationToken.throwIfCancellationRequested();
          const nodeWithDiag = getTokenAtPosition(sourceFile, span.start);
          const targetNode = findBestFittingNode(nodeWithDiag, span);
          if (!targetNode || isValueSignatureDeclaration(targetNode) || isValueSignatureDeclaration(targetNode.parent)) return;
          const isExpressionTarget = isExpression(targetNode);
          if (!isExpressionTarget) return;
          if (isArrayLiteralExpression(targetNode)) {
            changeTracker.replaceNode(
              sourceFile,
              targetNode,
              createAsExpression(targetNode, factory.createTypeReferenceNode("const"))
            );
            return [Diagnostics.Mark_array_literal_as_const];
          }
          const parentPropertyAssignment = findAncestor(targetNode, isPropertyAssignment);
          if (parentPropertyAssignment) {
            if (parentPropertyAssignment === targetNode.parent && isEntityNameExpression(targetNode)) return;
            const tempName = factory.createUniqueName(
              getIdentifierForNode(targetNode, sourceFile, typeChecker, sourceFile),
              16
              /* Optimistic */
            );
            let replacementTarget = targetNode;
            let initializationNode = targetNode;
            if (isSpreadElement(replacementTarget)) {
              replacementTarget = walkUpParenthesizedExpressions(replacementTarget.parent);
              if (isConstAssertion2(replacementTarget.parent)) {
                initializationNode = replacementTarget = replacementTarget.parent;
              } else {
                initializationNode = createAsExpression(
                  replacementTarget,
                  factory.createTypeReferenceNode("const")
                );
              }
            }
            if (isEntityNameExpression(replacementTarget)) return void 0;
            const variableDefinition = factory.createVariableStatement(
              /*modifiers*/
              void 0,
              factory.createVariableDeclarationList(
                [
                  factory.createVariableDeclaration(
                    tempName,
                    /*exclamationToken*/
                    void 0,
                    /*type*/
                    void 0,
                    initializationNode
                  )
                ],
                2
                /* Const */
              )
            );
            const statement = findAncestor(targetNode, isStatement);
            changeTracker.insertNodeBefore(sourceFile, statement, variableDefinition);
            changeTracker.replaceNode(
              sourceFile,
              replacementTarget,
              factory.createAsExpression(
                factory.cloneNode(tempName),
                factory.createTypeQueryNode(
                  factory.cloneNode(tempName)
                )
              )
            );
            return [Diagnostics.Extract_to_variable_and_replace_with_0_as_typeof_0, typeToStringForDiag(tempName)];
          }
        }
        function findExpandoFunction(node) {
          const expandoDeclaration = findAncestor(node, (n) => isStatement(n) ? "quit" : isExpandoPropertyDeclaration(n));
          if (expandoDeclaration && isExpandoPropertyDeclaration(expandoDeclaration)) {
            let assignmentTarget = expandoDeclaration;
            if (isBinaryExpression(assignmentTarget)) {
              assignmentTarget = assignmentTarget.left;
              if (!isExpandoPropertyDeclaration(assignmentTarget)) return void 0;
            }
            const targetType = typeChecker.getTypeAtLocation(assignmentTarget.expression);
            if (!targetType) return;
            const properties = typeChecker.getPropertiesOfType(targetType);
            if (some(properties, (p) => p.valueDeclaration === expandoDeclaration || p.valueDeclaration === expandoDeclaration.parent)) {
              const fn = targetType.symbol.valueDeclaration;
              if (fn) {
                if (isFunctionExpressionOrArrowFunction(fn) && isVariableDeclaration(fn.parent)) {
                  return fn.parent;
                }
                if (isFunctionDeclaration(fn)) {
                  return fn;
                }
              }
            }
          }
          return void 0;
        }
        function fixIsolatedDeclarationError(node) {
          if (fixedNodes == null ? void 0 : fixedNodes.has(node)) return void 0;
          fixedNodes == null ? void 0 : fixedNodes.add(node);
          switch (node.kind) {
            case 169:
            case 172:
            case 260:
              return addTypeToVariableLike(node);
            case 219:
            case 218:
            case 262:
            case 174:
            case 177:
              return addTypeToSignatureDeclaration(node, sourceFile);
            case 277:
              return transformExportAssignment(node);
            case 263:
              return transformExtendsClauseWithExpression(node);
            case 206:
            case 207:
              return transformDestructuringPatterns(node);
            default:
              throw new Error(`Cannot find a fix for the given node ${node.kind}`);
          }
        }
        function addTypeToSignatureDeclaration(func, sourceFile2) {
          if (func.type) {
            return;
          }
          const { typeNode } = inferType(func);
          if (typeNode) {
            changeTracker.tryInsertTypeAnnotation(
              sourceFile2,
              func,
              typeNode
            );
            return [Diagnostics.Add_return_type_0, typeToStringForDiag(typeNode)];
          }
        }
        function transformExportAssignment(defaultExport) {
          if (defaultExport.isExportEquals) {
            return;
          }
          const { typeNode } = inferType(defaultExport.expression);
          if (!typeNode) return void 0;
          const defaultIdentifier = factory.createUniqueName("_default");
          changeTracker.replaceNodeWithNodes(sourceFile, defaultExport, [
            factory.createVariableStatement(
              /*modifiers*/
              void 0,
              factory.createVariableDeclarationList(
                [factory.createVariableDeclaration(
                  defaultIdentifier,
                  /*exclamationToken*/
                  void 0,
                  typeNode,
                  defaultExport.expression
                )],
                2
                /* Const */
              )
            ),
            factory.updateExportAssignment(defaultExport, defaultExport == null ? void 0 : defaultExport.modifiers, defaultIdentifier)
          ]);
          return [
            Diagnostics.Extract_default_export_to_variable
          ];
        }
        function transformExtendsClauseWithExpression(classDecl) {
          var _a, _b;
          const extendsClause = (_a = classDecl.heritageClauses) == null ? void 0 : _a.find(
            (p) => p.token === 96
            /* ExtendsKeyword */
          );
          const heritageExpression = extendsClause == null ? void 0 : extendsClause.types[0];
          if (!heritageExpression) {
            return void 0;
          }
          const { typeNode: heritageTypeNode } = inferType(heritageExpression.expression);
          if (!heritageTypeNode) {
            return void 0;
          }
          const baseClassName = factory.createUniqueName(
            classDecl.name ? classDecl.name.text + "Base" : "Anonymous",
            16
            /* Optimistic */
          );
          const heritageVariable = factory.createVariableStatement(
            /*modifiers*/
            void 0,
            factory.createVariableDeclarationList(
              [factory.createVariableDeclaration(
                baseClassName,
                /*exclamationToken*/
                void 0,
                heritageTypeNode,
                heritageExpression.expression
              )],
              2
              /* Const */
            )
          );
          changeTracker.insertNodeBefore(sourceFile, classDecl, heritageVariable);
          const trailingComments = getTrailingCommentRanges(sourceFile.text, heritageExpression.end);
          const realEnd = ((_b = trailingComments == null ? void 0 : trailingComments[trailingComments.length - 1]) == null ? void 0 : _b.end) ?? heritageExpression.end;
          changeTracker.replaceRange(
            sourceFile,
            {
              pos: heritageExpression.getFullStart(),
              end: realEnd
            },
            baseClassName,
            {
              prefix: " "
            }
          );
          return [Diagnostics.Extract_base_class_to_variable];
        }
        let ExpressionType;
        ((ExpressionType2) => {
          ExpressionType2[ExpressionType2["Text"] = 0] = "Text";
          ExpressionType2[ExpressionType2["Computed"] = 1] = "Computed";
          ExpressionType2[ExpressionType2["ArrayAccess"] = 2] = "ArrayAccess";
          ExpressionType2[ExpressionType2["Identifier"] = 3] = "Identifier";
        })(ExpressionType || (ExpressionType = {}));
        function transformDestructuringPatterns(bindingPattern) {
          var _a;
          const enclosingVariableDeclaration = bindingPattern.parent;
          const enclosingVarStmt = bindingPattern.parent.parent.parent;
          if (!enclosingVariableDeclaration.initializer) return void 0;
          let baseExpr;
          const newNodes = [];
          if (!isIdentifier(enclosingVariableDeclaration.initializer)) {
            const tempHolderForReturn = factory.createUniqueName(
              "dest",
              16
              /* Optimistic */
            );
            baseExpr = { expression: { kind: 3, identifier: tempHolderForReturn } };
            newNodes.push(factory.createVariableStatement(
              /*modifiers*/
              void 0,
              factory.createVariableDeclarationList(
                [factory.createVariableDeclaration(
                  tempHolderForReturn,
                  /*exclamationToken*/
                  void 0,
                  /*type*/
                  void 0,
                  enclosingVariableDeclaration.initializer
                )],
                2
                /* Const */
              )
            ));
          } else {
            baseExpr = { expression: { kind: 3, identifier: enclosingVariableDeclaration.initializer } };
          }
          const bindingElements = [];
          if (isArrayBindingPattern(bindingPattern)) {
            addArrayBindingPatterns(bindingPattern, bindingElements, baseExpr);
          } else {
            addObjectBindingPatterns(bindingPattern, bindingElements, baseExpr);
          }
          const expressionToVar = /* @__PURE__ */ new Map();
          for (const bindingElement of bindingElements) {
            if (bindingElement.element.propertyName && isComputedPropertyName(bindingElement.element.propertyName)) {
              const computedExpression = bindingElement.element.propertyName.expression;
              const identifierForComputedProperty = factory.getGeneratedNameForNode(computedExpression);
              const variableDecl = factory.createVariableDeclaration(
                identifierForComputedProperty,
                /*exclamationToken*/
                void 0,
                /*type*/
                void 0,
                computedExpression
              );
              const variableList = factory.createVariableDeclarationList(
                [variableDecl],
                2
                /* Const */
              );
              const variableStatement = factory.createVariableStatement(
                /*modifiers*/
                void 0,
                variableList
              );
              newNodes.push(variableStatement);
              expressionToVar.set(computedExpression, identifierForComputedProperty);
            }
            const name = bindingElement.element.name;
            if (isArrayBindingPattern(name)) {
              addArrayBindingPatterns(name, bindingElements, bindingElement);
            } else if (isObjectBindingPattern(name)) {
              addObjectBindingPatterns(name, bindingElements, bindingElement);
            } else {
              const { typeNode } = inferType(name);
              let variableInitializer = createChainedExpression(bindingElement, expressionToVar);
              if (bindingElement.element.initializer) {
                const propertyName = (_a = bindingElement.element) == null ? void 0 : _a.propertyName;
                const tempName = factory.createUniqueName(
                  propertyName && isIdentifier(propertyName) ? propertyName.text : "temp",
                  16
                  /* Optimistic */
                );
                newNodes.push(factory.createVariableStatement(
                  /*modifiers*/
                  void 0,
                  factory.createVariableDeclarationList(
                    [factory.createVariableDeclaration(
                      tempName,
                      /*exclamationToken*/
                      void 0,
                      /*type*/
                      void 0,
                      variableInitializer
                    )],
                    2
                    /* Const */
                  )
                ));
                variableInitializer = factory.createConditionalExpression(
                  factory.createBinaryExpression(
                    tempName,
                    factory.createToken(
                      37
                      /* EqualsEqualsEqualsToken */
                    ),
                    factory.createIdentifier("undefined")
                  ),
                  factory.createToken(
                    58
                    /* QuestionToken */
                  ),
                  bindingElement.element.initializer,
                  factory.createToken(
                    59
                    /* ColonToken */
                  ),
                  variableInitializer
                );
              }
              const exportModifier = hasSyntacticModifier(
                enclosingVarStmt,
                32
                /* Export */
              ) ? [factory.createToken(
                95
                /* ExportKeyword */
              )] : void 0;
              newNodes.push(factory.createVariableStatement(
                exportModifier,
                factory.createVariableDeclarationList(
                  [factory.createVariableDeclaration(
                    name,
                    /*exclamationToken*/
                    void 0,
                    typeNode,
                    variableInitializer
                  )],
                  2
                  /* Const */
                )
              ));
            }
          }
          if (enclosingVarStmt.declarationList.declarations.length > 1) {
            newNodes.push(factory.updateVariableStatement(
              enclosingVarStmt,
              enclosingVarStmt.modifiers,
              factory.updateVariableDeclarationList(
                enclosingVarStmt.declarationList,
                enclosingVarStmt.declarationList.declarations.filter((node) => node !== bindingPattern.parent)
              )
            ));
          }
          changeTracker.replaceNodeWithNodes(sourceFile, enclosingVarStmt, newNodes);
          return [
            Diagnostics.Extract_binding_expressions_to_variable
          ];
        }
        function addArrayBindingPatterns(bindingPattern, bindingElements, parent2) {
          for (let i = 0; i < bindingPattern.elements.length; ++i) {
            const element = bindingPattern.elements[i];
            if (isOmittedExpression(element)) {
              continue;
            }
            bindingElements.push({
              element,
              parent: parent2,
              expression: { kind: 2, arrayIndex: i }
            });
          }
        }
        function addObjectBindingPatterns(bindingPattern, bindingElements, parent2) {
          for (const bindingElement of bindingPattern.elements) {
            let name;
            if (bindingElement.propertyName) {
              if (isComputedPropertyName(bindingElement.propertyName)) {
                bindingElements.push({
                  element: bindingElement,
                  parent: parent2,
                  expression: { kind: 1, computed: bindingElement.propertyName.expression }
                });
                continue;
              } else {
                name = bindingElement.propertyName.text;
              }
            } else {
              name = bindingElement.name.text;
            }
            bindingElements.push({
              element: bindingElement,
              parent: parent2,
              expression: { kind: 0, text: name }
            });
          }
        }
        function createChainedExpression(expression, expressionToVar) {
          const reverseTraverse = [expression];
          while (expression.parent) {
            expression = expression.parent;
            reverseTraverse.push(expression);
          }
          let chainedExpression = reverseTraverse[reverseTraverse.length - 1].expression.identifier;
          for (let i = reverseTraverse.length - 2; i >= 0; --i) {
            const nextSubExpr = reverseTraverse[i].expression;
            if (nextSubExpr.kind === 0) {
              chainedExpression = factory.createPropertyAccessChain(
                chainedExpression,
                /*questionDotToken*/
                void 0,
                factory.createIdentifier(nextSubExpr.text)
              );
            } else if (nextSubExpr.kind === 1) {
              chainedExpression = factory.createElementAccessExpression(
                chainedExpression,
                expressionToVar.get(nextSubExpr.computed)
              );
            } else if (nextSubExpr.kind === 2) {
              chainedExpression = factory.createElementAccessExpression(
                chainedExpression,
                nextSubExpr.arrayIndex
              );
            }
          }
          return chainedExpression;
        }
        function inferType(node, variableType) {
          if (typePrintMode === 1) {
            return relativeType(node);
          }
          let type = isValueSignatureDeclaration(node) ? tryGetReturnType2(node) : typeChecker.getTypeAtLocation(node);
          if (!type) {
            return emptyInferenceResult;
          }
          if (typePrintMode === 2) {
            if (variableType) {
              type = variableType;
            }
            const widenedType = typeChecker.getWidenedLiteralType(type);
            if (typeChecker.isTypeAssignableTo(widenedType, type)) {
              return emptyInferenceResult;
            }
            type = widenedType;
          }
          if (isParameter(node) && typeChecker.requiresAddingImplicitUndefined(node)) {
            type = typeChecker.getUnionType(
              [typeChecker.getUndefinedType(), type],
              0
              /* None */
            );
          }
          const flags = (isVariableDeclaration(node) || isPropertyDeclaration(node) && hasSyntacticModifier(
            node,
            256 | 8
            /* Readonly */
          )) && type.flags & 8192 ? 1048576 : 0;
          return {
            typeNode: typeToTypeNode2(type, findAncestor(node, isDeclaration) ?? sourceFile, flags),
            mutatedTarget: false
          };
        }
        function createTypeOfFromEntityNameExpression(node) {
          return factory.createTypeQueryNode(getSynthesizedDeepClone(node));
        }
        function typeFromArraySpreadElements(node, name = "temp") {
          const isConstContext = !!findAncestor(node, isConstAssertion2);
          if (!isConstContext) return emptyInferenceResult;
          return typeFromSpreads(
            node,
            name,
            isConstContext,
            (n) => n.elements,
            isSpreadElement,
            factory.createSpreadElement,
            (props) => factory.createArrayLiteralExpression(
              props,
              /*multiLine*/
              true
            ),
            (types) => factory.createTupleTypeNode(types.map(factory.createRestTypeNode))
          );
        }
        function typeFromObjectSpreadAssignment(node, name = "temp") {
          const isConstContext = !!findAncestor(node, isConstAssertion2);
          return typeFromSpreads(
            node,
            name,
            isConstContext,
            (n) => n.properties,
            isSpreadAssignment,
            factory.createSpreadAssignment,
            (props) => factory.createObjectLiteralExpression(
              props,
              /*multiLine*/
              true
            ),
            factory.createIntersectionTypeNode
          );
        }
        function typeFromSpreads(node, name, isConstContext, getChildren, isSpread, createSpread, makeNodeOfKind, finalType) {
          const intersectionTypes = [];
          const newSpreads = [];
          let currentVariableProperties;
          const statement = findAncestor(node, isStatement);
          for (const prop of getChildren(node)) {
            if (isSpread(prop)) {
              finalizesVariablePart();
              if (isEntityNameExpression(prop.expression)) {
                intersectionTypes.push(createTypeOfFromEntityNameExpression(prop.expression));
                newSpreads.push(prop);
              } else {
                makeVariable(prop.expression);
              }
            } else {
              (currentVariableProperties ?? (currentVariableProperties = [])).push(prop);
            }
          }
          if (newSpreads.length === 0) {
            return emptyInferenceResult;
          }
          finalizesVariablePart();
          changeTracker.replaceNode(sourceFile, node, makeNodeOfKind(newSpreads));
          return {
            typeNode: finalType(intersectionTypes),
            mutatedTarget: true
          };
          function makeVariable(expression) {
            const tempName = factory.createUniqueName(
              name + "_Part" + (newSpreads.length + 1),
              16
              /* Optimistic */
            );
            const initializer = !isConstContext ? expression : factory.createAsExpression(
              expression,
              factory.createTypeReferenceNode("const")
            );
            const variableDefinition = factory.createVariableStatement(
              /*modifiers*/
              void 0,
              factory.createVariableDeclarationList(
                [
                  factory.createVariableDeclaration(
                    tempName,
                    /*exclamationToken*/
                    void 0,
                    /*type*/
                    void 0,
                    initializer
                  )
                ],
                2
                /* Const */
              )
            );
            changeTracker.insertNodeBefore(sourceFile, statement, variableDefinition);
            intersectionTypes.push(createTypeOfFromEntityNameExpression(tempName));
            newSpreads.push(createSpread(tempName));
          }
          function finalizesVariablePart() {
            if (currentVariableProperties) {
              makeVariable(makeNodeOfKind(
                currentVariableProperties
              ));
              currentVariableProperties = void 0;
            }
          }
        }
        function isConstAssertion2(location) {
          return isAssertionExpression(location) && isConstTypeReference(location.type);
        }
        function relativeType(node) {
          if (isParameter(node)) {
            return emptyInferenceResult;
          }
          if (isShorthandPropertyAssignment(node)) {
            return {
              typeNode: createTypeOfFromEntityNameExpression(node.name),
              mutatedTarget: false
            };
          }
          if (isEntityNameExpression(node)) {
            return {
              typeNode: createTypeOfFromEntityNameExpression(node),
              mutatedTarget: false
            };
          }
          if (isConstAssertion2(node)) {
            return relativeType(node.expression);
          }
          if (isArrayLiteralExpression(node)) {
            const variableDecl = findAncestor(node, isVariableDeclaration);
            const partName = variableDecl && isIdentifier(variableDecl.name) ? variableDecl.name.text : void 0;
            return typeFromArraySpreadElements(node, partName);
          }
          if (isObjectLiteralExpression(node)) {
            const variableDecl = findAncestor(node, isVariableDeclaration);
            const partName = variableDecl && isIdentifier(variableDecl.name) ? variableDecl.name.text : void 0;
            return typeFromObjectSpreadAssignment(node, partName);
          }
          if (isVariableDeclaration(node) && node.initializer) {
            return relativeType(node.initializer);
          }
          if (isConditionalExpression(node)) {
            const { typeNode: trueType, mutatedTarget: mTrue } = relativeType(node.whenTrue);
            if (!trueType) return emptyInferenceResult;
            const { typeNode: falseType, mutatedTarget: mFalse } = relativeType(node.whenFalse);
            if (!falseType) return emptyInferenceResult;
            return {
              typeNode: factory.createUnionTypeNode([trueType, falseType]),
              mutatedTarget: mTrue || mFalse
            };
          }
          return emptyInferenceResult;
        }
        function typeToTypeNode2(type, enclosingDeclaration, flags = 0) {
          let isTruncated = false;
          const result2 = typeToAutoImportableTypeNode(typeChecker, importAdder, type, enclosingDeclaration, scriptTarget, declarationEmitNodeBuilderFlags2 | flags, {
            moduleResolverHost: program,
            trackSymbol() {
              return true;
            },
            reportTruncationError() {
              isTruncated = true;
            }
          });
          return isTruncated ? factory.createKeywordTypeNode(
            133
            /* AnyKeyword */
          ) : result2;
        }
        function tryGetReturnType2(node) {
          const signature = typeChecker.getSignatureFromDeclaration(node);
          if (signature) {
            return typeChecker.getReturnTypeOfSignature(signature);
          }
        }
        function addTypeToVariableLike(decl) {
          const { typeNode } = inferType(decl);
          if (typeNode) {
            if (decl.type) {
              changeTracker.replaceNode(getSourceFileOfNode(decl), decl.type, typeNode);
            } else {
              changeTracker.tryInsertTypeAnnotation(getSourceFileOfNode(decl), decl, typeNode);
            }
            return [Diagnostics.Add_annotation_of_type_0, typeToStringForDiag(typeNode)];
          }
        }
        function typeToStringForDiag(node) {
          setEmitFlags(
            node,
            1
            /* SingleLine */
          );
          const result2 = typePrinter.printNode(4, node, sourceFile);
          if (result2.length > defaultMaximumTruncationLength) {
            return result2.substring(0, defaultMaximumTruncationLength - "...".length) + "...";
          }
          setEmitFlags(
            node,
            0
            /* None */
          );
          return result2;
        }
        function findAncestorWithMissingType(node) {
          return findAncestor(node, (n) => {
            return canHaveTypeAnnotation.has(n.kind) && (!isObjectBindingPattern(n) && !isArrayBindingPattern(n) || isVariableDeclaration(n.parent));
          });
        }
        function findBestFittingNode(node, span) {
          while (node && node.end < span.start + span.length) {
            node = node.parent;
          }
          while (node.parent.pos === node.pos && node.parent.end === node.end) {
            node = node.parent;
          }
          if (isIdentifier(node) && hasInitializer(node.parent) && node.parent.initializer) {
            return node.parent.initializer;
          }
          return node;
        }
      }
      var fixId37 = "fixAwaitInSyncFunction";
      var errorCodes48 = [
        Diagnostics.await_expressions_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules.code,
        Diagnostics.await_using_statements_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules.code,
        Diagnostics.for_await_loops_are_only_allowed_within_async_functions_and_at_the_top_levels_of_modules.code,
        Diagnostics.Cannot_find_name_0_Did_you_mean_to_write_this_in_an_async_function.code
      ];
      registerCodeFix({
        errorCodes: errorCodes48,
        getCodeActions(context) {
          const { sourceFile, span } = context;
          const nodes = getNodes3(sourceFile, span.start);
          if (!nodes) return void 0;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange31(t, sourceFile, nodes));
          return [createCodeFixAction(fixId37, changes, Diagnostics.Add_async_modifier_to_containing_function, fixId37, Diagnostics.Add_all_missing_async_modifiers)];
        },
        fixIds: [fixId37],
        getAllCodeActions: function getAllCodeActionsToFixAwaitInSyncFunction(context) {
          const seen = /* @__PURE__ */ new Map();
          return codeFixAll(context, errorCodes48, (changes, diag2) => {
            const nodes = getNodes3(diag2.file, diag2.start);
            if (!nodes || !addToSeen(seen, getNodeId(nodes.insertBefore))) return;
            doChange31(changes, context.sourceFile, nodes);
          });
        }
      });
      function getReturnType(expr) {
        if (expr.type) {
          return expr.type;
        }
        if (isVariableDeclaration(expr.parent) && expr.parent.type && isFunctionTypeNode(expr.parent.type)) {
          return expr.parent.type.type;
        }
      }
      function getNodes3(sourceFile, start) {
        const token = getTokenAtPosition(sourceFile, start);
        const containingFunction = getContainingFunction(token);
        if (!containingFunction) {
          return;
        }
        let insertBefore;
        switch (containingFunction.kind) {
          case 174:
            insertBefore = containingFunction.name;
            break;
          case 262:
          case 218:
            insertBefore = findChildOfKind(containingFunction, 100, sourceFile);
            break;
          case 219:
            const kind = containingFunction.typeParameters ? 30 : 21;
            insertBefore = findChildOfKind(containingFunction, kind, sourceFile) || first(containingFunction.parameters);
            break;
          default:
            return;
        }
        return insertBefore && {
          insertBefore,
          returnType: getReturnType(containingFunction)
        };
      }
      function doChange31(changes, sourceFile, { insertBefore, returnType }) {
        if (returnType) {
          const entityName = getEntityNameFromTypeNode(returnType);
          if (!entityName || entityName.kind !== 80 || entityName.text !== "Promise") {
            changes.replaceNode(sourceFile, returnType, factory.createTypeReferenceNode("Promise", factory.createNodeArray([returnType])));
          }
        }
        changes.insertModifierBefore(sourceFile, 134, insertBefore);
      }
      var errorCodes49 = [
        Diagnostics._0_is_defined_as_an_accessor_in_class_1_but_is_overridden_here_in_2_as_an_instance_property.code,
        Diagnostics._0_is_defined_as_a_property_in_class_1_but_is_overridden_here_in_2_as_an_accessor.code
      ];
      var fixId38 = "fixPropertyOverrideAccessor";
      registerCodeFix({
        errorCodes: errorCodes49,
        getCodeActions(context) {
          const edits = doChange32(context.sourceFile, context.span.start, context.span.length, context.errorCode, context);
          if (edits) {
            return [createCodeFixAction(fixId38, edits, Diagnostics.Generate_get_and_set_accessors, fixId38, Diagnostics.Generate_get_and_set_accessors_for_all_overriding_properties)];
          }
        },
        fixIds: [fixId38],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes49, (changes, diag2) => {
          const edits = doChange32(diag2.file, diag2.start, diag2.length, diag2.code, context);
          if (edits) {
            for (const edit of edits) {
              changes.pushRaw(context.sourceFile, edit);
            }
          }
        })
      });
      function doChange32(file, start, length2, code, context) {
        let startPosition;
        let endPosition;
        if (code === Diagnostics._0_is_defined_as_an_accessor_in_class_1_but_is_overridden_here_in_2_as_an_instance_property.code) {
          startPosition = start;
          endPosition = start + length2;
        } else if (code === Diagnostics._0_is_defined_as_a_property_in_class_1_but_is_overridden_here_in_2_as_an_accessor.code) {
          const checker = context.program.getTypeChecker();
          const node = getTokenAtPosition(file, start).parent;
          Debug.assert(isAccessor(node), "error span of fixPropertyOverrideAccessor should only be on an accessor");
          const containingClass = node.parent;
          Debug.assert(isClassLike(containingClass), "erroneous accessors should only be inside classes");
          const base = singleOrUndefined(getAllSupers(containingClass, checker));
          if (!base) return [];
          const name = unescapeLeadingUnderscores(getTextOfPropertyName(node.name));
          const baseProp = checker.getPropertyOfType(checker.getTypeAtLocation(base), name);
          if (!baseProp || !baseProp.valueDeclaration) return [];
          startPosition = baseProp.valueDeclaration.pos;
          endPosition = baseProp.valueDeclaration.end;
          file = getSourceFileOfNode(baseProp.valueDeclaration);
        } else {
          Debug.fail("fixPropertyOverrideAccessor codefix got unexpected error code " + code);
        }
        return generateAccessorFromProperty(file, context.program, startPosition, endPosition, context, Diagnostics.Generate_get_and_set_accessors.message);
      }
      var fixId39 = "inferFromUsage";
      var errorCodes50 = [
        // Variable declarations
        Diagnostics.Variable_0_implicitly_has_type_1_in_some_locations_where_its_type_cannot_be_determined.code,
        // Variable uses
        Diagnostics.Variable_0_implicitly_has_an_1_type.code,
        // Parameter declarations
        Diagnostics.Parameter_0_implicitly_has_an_1_type.code,
        Diagnostics.Rest_parameter_0_implicitly_has_an_any_type.code,
        // Get Accessor declarations
        Diagnostics.Property_0_implicitly_has_type_any_because_its_get_accessor_lacks_a_return_type_annotation.code,
        Diagnostics._0_which_lacks_return_type_annotation_implicitly_has_an_1_return_type.code,
        // Set Accessor declarations
        Diagnostics.Property_0_implicitly_has_type_any_because_its_set_accessor_lacks_a_parameter_type_annotation.code,
        // Property declarations
        Diagnostics.Member_0_implicitly_has_an_1_type.code,
        //// Suggestions
        // Variable declarations
        Diagnostics.Variable_0_implicitly_has_type_1_in_some_locations_but_a_better_type_may_be_inferred_from_usage.code,
        // Variable uses
        Diagnostics.Variable_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage.code,
        // Parameter declarations
        Diagnostics.Parameter_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage.code,
        Diagnostics.Rest_parameter_0_implicitly_has_an_any_type_but_a_better_type_may_be_inferred_from_usage.code,
        // Get Accessor declarations
        Diagnostics.Property_0_implicitly_has_type_any_but_a_better_type_for_its_get_accessor_may_be_inferred_from_usage.code,
        Diagnostics._0_implicitly_has_an_1_return_type_but_a_better_type_may_be_inferred_from_usage.code,
        // Set Accessor declarations
        Diagnostics.Property_0_implicitly_has_type_any_but_a_better_type_for_its_set_accessor_may_be_inferred_from_usage.code,
        // Property declarations
        Diagnostics.Member_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage.code,
        // Function expressions and declarations
        Diagnostics.this_implicitly_has_type_any_because_it_does_not_have_a_type_annotation.code
      ];
      registerCodeFix({
        errorCodes: errorCodes50,
        getCodeActions(context) {
          const { sourceFile, program, span: { start }, errorCode, cancellationToken, host, preferences } = context;
          const token = getTokenAtPosition(sourceFile, start);
          let declaration;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (changes2) => {
            declaration = doChange33(
              changes2,
              sourceFile,
              token,
              errorCode,
              program,
              cancellationToken,
              /*markSeen*/
              returnTrue,
              host,
              preferences
            );
          });
          const name = declaration && getNameOfDeclaration(declaration);
          return !name || changes.length === 0 ? void 0 : [createCodeFixAction(fixId39, changes, [getDiagnostic(errorCode, token), getTextOfNode(name)], fixId39, Diagnostics.Infer_all_types_from_usage)];
        },
        fixIds: [fixId39],
        getAllCodeActions(context) {
          const { sourceFile, program, cancellationToken, host, preferences } = context;
          const markSeen = nodeSeenTracker();
          return codeFixAll(context, errorCodes50, (changes, err) => {
            doChange33(changes, sourceFile, getTokenAtPosition(err.file, err.start), err.code, program, cancellationToken, markSeen, host, preferences);
          });
        }
      });
      function getDiagnostic(errorCode, token) {
        switch (errorCode) {
          case Diagnostics.Parameter_0_implicitly_has_an_1_type.code:
          case Diagnostics.Parameter_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage.code:
            return isSetAccessorDeclaration(getContainingFunction(token)) ? Diagnostics.Infer_type_of_0_from_usage : Diagnostics.Infer_parameter_types_from_usage;
          case Diagnostics.Rest_parameter_0_implicitly_has_an_any_type.code:
          case Diagnostics.Rest_parameter_0_implicitly_has_an_any_type_but_a_better_type_may_be_inferred_from_usage.code:
            return Diagnostics.Infer_parameter_types_from_usage;
          case Diagnostics.this_implicitly_has_type_any_because_it_does_not_have_a_type_annotation.code:
            return Diagnostics.Infer_this_type_of_0_from_usage;
          default:
            return Diagnostics.Infer_type_of_0_from_usage;
        }
      }
      function mapSuggestionDiagnostic(errorCode) {
        switch (errorCode) {
          case Diagnostics.Variable_0_implicitly_has_type_1_in_some_locations_but_a_better_type_may_be_inferred_from_usage.code:
            return Diagnostics.Variable_0_implicitly_has_type_1_in_some_locations_where_its_type_cannot_be_determined.code;
          case Diagnostics.Variable_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage.code:
            return Diagnostics.Variable_0_implicitly_has_an_1_type.code;
          case Diagnostics.Parameter_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage.code:
            return Diagnostics.Parameter_0_implicitly_has_an_1_type.code;
          case Diagnostics.Rest_parameter_0_implicitly_has_an_any_type_but_a_better_type_may_be_inferred_from_usage.code:
            return Diagnostics.Rest_parameter_0_implicitly_has_an_any_type.code;
          case Diagnostics.Property_0_implicitly_has_type_any_but_a_better_type_for_its_get_accessor_may_be_inferred_from_usage.code:
            return Diagnostics.Property_0_implicitly_has_type_any_because_its_get_accessor_lacks_a_return_type_annotation.code;
          case Diagnostics._0_implicitly_has_an_1_return_type_but_a_better_type_may_be_inferred_from_usage.code:
            return Diagnostics._0_which_lacks_return_type_annotation_implicitly_has_an_1_return_type.code;
          case Diagnostics.Property_0_implicitly_has_type_any_but_a_better_type_for_its_set_accessor_may_be_inferred_from_usage.code:
            return Diagnostics.Property_0_implicitly_has_type_any_because_its_set_accessor_lacks_a_parameter_type_annotation.code;
          case Diagnostics.Member_0_implicitly_has_an_1_type_but_a_better_type_may_be_inferred_from_usage.code:
            return Diagnostics.Member_0_implicitly_has_an_1_type.code;
        }
        return errorCode;
      }
      function doChange33(changes, sourceFile, token, errorCode, program, cancellationToken, markSeen, host, preferences) {
        if (!isParameterPropertyModifier(token.kind) && token.kind !== 80 && token.kind !== 26 && token.kind !== 110) {
          return void 0;
        }
        const { parent: parent2 } = token;
        const importAdder = createImportAdder(sourceFile, program, preferences, host);
        errorCode = mapSuggestionDiagnostic(errorCode);
        switch (errorCode) {
          case Diagnostics.Member_0_implicitly_has_an_1_type.code:
          case Diagnostics.Variable_0_implicitly_has_type_1_in_some_locations_where_its_type_cannot_be_determined.code:
            if (isVariableDeclaration(parent2) && markSeen(parent2) || isPropertyDeclaration(parent2) || isPropertySignature(parent2)) {
              annotateVariableDeclaration(changes, importAdder, sourceFile, parent2, program, host, cancellationToken);
              importAdder.writeFixes(changes);
              return parent2;
            }
            if (isPropertyAccessExpression(parent2)) {
              const type = inferTypeForVariableFromUsage(parent2.name, program, cancellationToken);
              const typeNode = getTypeNodeIfAccessible(type, parent2, program, host);
              if (typeNode) {
                const typeTag = factory.createJSDocTypeTag(
                  /*tagName*/
                  void 0,
                  factory.createJSDocTypeExpression(typeNode),
                  /*comment*/
                  void 0
                );
                changes.addJSDocTags(sourceFile, cast(parent2.parent.parent, isExpressionStatement2), [typeTag]);
              }
              importAdder.writeFixes(changes);
              return parent2;
            }
            return void 0;
          case Diagnostics.Variable_0_implicitly_has_an_1_type.code: {
            const symbol = program.getTypeChecker().getSymbolAtLocation(token);
            if (symbol && symbol.valueDeclaration && isVariableDeclaration(symbol.valueDeclaration) && markSeen(symbol.valueDeclaration)) {
              annotateVariableDeclaration(changes, importAdder, getSourceFileOfNode(symbol.valueDeclaration), symbol.valueDeclaration, program, host, cancellationToken);
              importAdder.writeFixes(changes);
              return symbol.valueDeclaration;
            }
            return void 0;
          }
        }
        const containingFunction = getContainingFunction(token);
        if (containingFunction === void 0) {
          return void 0;
        }
        let declaration;
        switch (errorCode) {
          case Diagnostics.Parameter_0_implicitly_has_an_1_type.code:
            if (isSetAccessorDeclaration(containingFunction)) {
              annotateSetAccessor(changes, importAdder, sourceFile, containingFunction, program, host, cancellationToken);
              declaration = containingFunction;
              break;
            }
          case Diagnostics.Rest_parameter_0_implicitly_has_an_any_type.code:
            if (markSeen(containingFunction)) {
              const param = cast(parent2, isParameter);
              annotateParameters(changes, importAdder, sourceFile, param, containingFunction, program, host, cancellationToken);
              declaration = param;
            }
            break;
          case Diagnostics.Property_0_implicitly_has_type_any_because_its_get_accessor_lacks_a_return_type_annotation.code:
          case Diagnostics._0_which_lacks_return_type_annotation_implicitly_has_an_1_return_type.code:
            if (isGetAccessorDeclaration(containingFunction) && isIdentifier(containingFunction.name)) {
              annotate(changes, importAdder, sourceFile, containingFunction, inferTypeForVariableFromUsage(containingFunction.name, program, cancellationToken), program, host);
              declaration = containingFunction;
            }
            break;
          case Diagnostics.Property_0_implicitly_has_type_any_because_its_set_accessor_lacks_a_parameter_type_annotation.code:
            if (isSetAccessorDeclaration(containingFunction)) {
              annotateSetAccessor(changes, importAdder, sourceFile, containingFunction, program, host, cancellationToken);
              declaration = containingFunction;
            }
            break;
          case Diagnostics.this_implicitly_has_type_any_because_it_does_not_have_a_type_annotation.code:
            if (ts_textChanges_exports.isThisTypeAnnotatable(containingFunction) && markSeen(containingFunction)) {
              annotateThis(changes, sourceFile, containingFunction, program, host, cancellationToken);
              declaration = containingFunction;
            }
            break;
          default:
            return Debug.fail(String(errorCode));
        }
        importAdder.writeFixes(changes);
        return declaration;
      }
      function annotateVariableDeclaration(changes, importAdder, sourceFile, declaration, program, host, cancellationToken) {
        if (isIdentifier(declaration.name)) {
          annotate(changes, importAdder, sourceFile, declaration, inferTypeForVariableFromUsage(declaration.name, program, cancellationToken), program, host);
        }
      }
      function annotateParameters(changes, importAdder, sourceFile, parameterDeclaration, containingFunction, program, host, cancellationToken) {
        if (!isIdentifier(parameterDeclaration.name)) {
          return;
        }
        const parameterInferences = inferTypeForParametersFromUsage(containingFunction, sourceFile, program, cancellationToken);
        Debug.assert(containingFunction.parameters.length === parameterInferences.length, "Parameter count and inference count should match");
        if (isInJSFile(containingFunction)) {
          annotateJSDocParameters(changes, sourceFile, parameterInferences, program, host);
        } else {
          const needParens = isArrowFunction(containingFunction) && !findChildOfKind(containingFunction, 21, sourceFile);
          if (needParens) changes.insertNodeBefore(sourceFile, first(containingFunction.parameters), factory.createToken(
            21
            /* OpenParenToken */
          ));
          for (const { declaration, type } of parameterInferences) {
            if (declaration && !declaration.type && !declaration.initializer) {
              annotate(changes, importAdder, sourceFile, declaration, type, program, host);
            }
          }
          if (needParens) changes.insertNodeAfter(sourceFile, last(containingFunction.parameters), factory.createToken(
            22
            /* CloseParenToken */
          ));
        }
      }
      function annotateThis(changes, sourceFile, containingFunction, program, host, cancellationToken) {
        const references = getFunctionReferences(containingFunction, sourceFile, program, cancellationToken);
        if (!references || !references.length) {
          return;
        }
        const thisInference = inferTypeFromReferences(program, references, cancellationToken).thisParameter();
        const typeNode = getTypeNodeIfAccessible(thisInference, containingFunction, program, host);
        if (!typeNode) {
          return;
        }
        if (isInJSFile(containingFunction)) {
          annotateJSDocThis(changes, sourceFile, containingFunction, typeNode);
        } else {
          changes.tryInsertThisTypeAnnotation(sourceFile, containingFunction, typeNode);
        }
      }
      function annotateJSDocThis(changes, sourceFile, containingFunction, typeNode) {
        changes.addJSDocTags(sourceFile, containingFunction, [
          factory.createJSDocThisTag(
            /*tagName*/
            void 0,
            factory.createJSDocTypeExpression(typeNode)
          )
        ]);
      }
      function annotateSetAccessor(changes, importAdder, sourceFile, setAccessorDeclaration, program, host, cancellationToken) {
        const param = firstOrUndefined(setAccessorDeclaration.parameters);
        if (param && isIdentifier(setAccessorDeclaration.name) && isIdentifier(param.name)) {
          let type = inferTypeForVariableFromUsage(setAccessorDeclaration.name, program, cancellationToken);
          if (type === program.getTypeChecker().getAnyType()) {
            type = inferTypeForVariableFromUsage(param.name, program, cancellationToken);
          }
          if (isInJSFile(setAccessorDeclaration)) {
            annotateJSDocParameters(changes, sourceFile, [{ declaration: param, type }], program, host);
          } else {
            annotate(changes, importAdder, sourceFile, param, type, program, host);
          }
        }
      }
      function annotate(changes, importAdder, sourceFile, declaration, type, program, host) {
        const typeNode = getTypeNodeIfAccessible(type, declaration, program, host);
        if (typeNode) {
          if (isInJSFile(sourceFile) && declaration.kind !== 171) {
            const parent2 = isVariableDeclaration(declaration) ? tryCast(declaration.parent.parent, isVariableStatement) : declaration;
            if (!parent2) {
              return;
            }
            const typeExpression = factory.createJSDocTypeExpression(typeNode);
            const typeTag = isGetAccessorDeclaration(declaration) ? factory.createJSDocReturnTag(
              /*tagName*/
              void 0,
              typeExpression,
              /*comment*/
              void 0
            ) : factory.createJSDocTypeTag(
              /*tagName*/
              void 0,
              typeExpression,
              /*comment*/
              void 0
            );
            changes.addJSDocTags(sourceFile, parent2, [typeTag]);
          } else if (!tryReplaceImportTypeNodeWithAutoImport(typeNode, declaration, sourceFile, changes, importAdder, getEmitScriptTarget(program.getCompilerOptions()))) {
            changes.tryInsertTypeAnnotation(sourceFile, declaration, typeNode);
          }
        }
      }
      function tryReplaceImportTypeNodeWithAutoImport(typeNode, declaration, sourceFile, changes, importAdder, scriptTarget) {
        const importableReference = tryGetAutoImportableReferenceFromTypeNode(typeNode, scriptTarget);
        if (importableReference && changes.tryInsertTypeAnnotation(sourceFile, declaration, importableReference.typeNode)) {
          forEach(importableReference.symbols, (s) => importAdder.addImportFromExportedSymbol(
            s,
            /*isValidTypeOnlyUseSite*/
            true
          ));
          return true;
        }
        return false;
      }
      function annotateJSDocParameters(changes, sourceFile, parameterInferences, program, host) {
        const signature = parameterInferences.length && parameterInferences[0].declaration.parent;
        if (!signature) {
          return;
        }
        const inferences = mapDefined(parameterInferences, (inference) => {
          const param = inference.declaration;
          if (param.initializer || getJSDocType(param) || !isIdentifier(param.name)) {
            return;
          }
          const typeNode = inference.type && getTypeNodeIfAccessible(inference.type, param, program, host);
          if (typeNode) {
            const name = factory.cloneNode(param.name);
            setEmitFlags(
              name,
              3072 | 4096
              /* NoNestedComments */
            );
            return { name: factory.cloneNode(param.name), param, isOptional: !!inference.isOptional, typeNode };
          }
        });
        if (!inferences.length) {
          return;
        }
        if (isArrowFunction(signature) || isFunctionExpression(signature)) {
          const needParens = isArrowFunction(signature) && !findChildOfKind(signature, 21, sourceFile);
          if (needParens) {
            changes.insertNodeBefore(sourceFile, first(signature.parameters), factory.createToken(
              21
              /* OpenParenToken */
            ));
          }
          forEach(inferences, ({ typeNode, param }) => {
            const typeTag = factory.createJSDocTypeTag(
              /*tagName*/
              void 0,
              factory.createJSDocTypeExpression(typeNode)
            );
            const jsDoc = factory.createJSDocComment(
              /*comment*/
              void 0,
              [typeTag]
            );
            changes.insertNodeAt(sourceFile, param.getStart(sourceFile), jsDoc, { suffix: " " });
          });
          if (needParens) {
            changes.insertNodeAfter(sourceFile, last(signature.parameters), factory.createToken(
              22
              /* CloseParenToken */
            ));
          }
        } else {
          const paramTags = map(inferences, ({ name, typeNode, isOptional }) => factory.createJSDocParameterTag(
            /*tagName*/
            void 0,
            name,
            /*isBracketed*/
            !!isOptional,
            factory.createJSDocTypeExpression(typeNode),
            /*isNameFirst*/
            false,
            /*comment*/
            void 0
          ));
          changes.addJSDocTags(sourceFile, signature, paramTags);
        }
      }
      function getReferences3(token, program, cancellationToken) {
        return mapDefined(ts_FindAllReferences_exports.getReferenceEntriesForNode(-1, token, program, program.getSourceFiles(), cancellationToken), (entry) => entry.kind !== ts_FindAllReferences_exports.EntryKind.Span ? tryCast(entry.node, isIdentifier) : void 0);
      }
      function inferTypeForVariableFromUsage(token, program, cancellationToken) {
        const references = getReferences3(token, program, cancellationToken);
        return inferTypeFromReferences(program, references, cancellationToken).single();
      }
      function inferTypeForParametersFromUsage(func, sourceFile, program, cancellationToken) {
        const references = getFunctionReferences(func, sourceFile, program, cancellationToken);
        return references && inferTypeFromReferences(program, references, cancellationToken).parameters(func) || func.parameters.map((p) => ({
          declaration: p,
          type: isIdentifier(p.name) ? inferTypeForVariableFromUsage(p.name, program, cancellationToken) : program.getTypeChecker().getAnyType()
        }));
      }
      function getFunctionReferences(containingFunction, sourceFile, program, cancellationToken) {
        let searchToken;
        switch (containingFunction.kind) {
          case 176:
            searchToken = findChildOfKind(containingFunction, 137, sourceFile);
            break;
          case 219:
          case 218:
            const parent2 = containingFunction.parent;
            searchToken = (isVariableDeclaration(parent2) || isPropertyDeclaration(parent2)) && isIdentifier(parent2.name) ? parent2.name : containingFunction.name;
            break;
          case 262:
          case 174:
          case 173:
            searchToken = containingFunction.name;
            break;
        }
        if (!searchToken) {
          return void 0;
        }
        return getReferences3(searchToken, program, cancellationToken);
      }
      function inferTypeFromReferences(program, references, cancellationToken) {
        const checker = program.getTypeChecker();
        const builtinConstructors = {
          string: () => checker.getStringType(),
          number: () => checker.getNumberType(),
          Array: (t) => checker.createArrayType(t),
          Promise: (t) => checker.createPromiseType(t)
        };
        const builtins = [
          checker.getStringType(),
          checker.getNumberType(),
          checker.createArrayType(checker.getAnyType()),
          checker.createPromiseType(checker.getAnyType())
        ];
        return {
          single: single2,
          parameters,
          thisParameter
        };
        function createEmptyUsage() {
          return {
            isNumber: void 0,
            isString: void 0,
            isNumberOrString: void 0,
            candidateTypes: void 0,
            properties: void 0,
            calls: void 0,
            constructs: void 0,
            numberIndex: void 0,
            stringIndex: void 0,
            candidateThisTypes: void 0,
            inferredTypes: void 0
          };
        }
        function combineUsages(usages) {
          const combinedProperties = /* @__PURE__ */ new Map();
          for (const u of usages) {
            if (u.properties) {
              u.properties.forEach((p, name) => {
                if (!combinedProperties.has(name)) {
                  combinedProperties.set(name, []);
                }
                combinedProperties.get(name).push(p);
              });
            }
          }
          const properties = /* @__PURE__ */ new Map();
          combinedProperties.forEach((ps, name) => {
            properties.set(name, combineUsages(ps));
          });
          return {
            isNumber: usages.some((u) => u.isNumber),
            isString: usages.some((u) => u.isString),
            isNumberOrString: usages.some((u) => u.isNumberOrString),
            candidateTypes: flatMap(usages, (u) => u.candidateTypes),
            properties,
            calls: flatMap(usages, (u) => u.calls),
            constructs: flatMap(usages, (u) => u.constructs),
            numberIndex: forEach(usages, (u) => u.numberIndex),
            stringIndex: forEach(usages, (u) => u.stringIndex),
            candidateThisTypes: flatMap(usages, (u) => u.candidateThisTypes),
            inferredTypes: void 0
            // clear type cache
          };
        }
        function single2() {
          return combineTypes(inferTypesFromReferencesSingle(references));
        }
        function parameters(declaration) {
          if (references.length === 0 || !declaration.parameters) {
            return void 0;
          }
          const usage = createEmptyUsage();
          for (const reference of references) {
            cancellationToken.throwIfCancellationRequested();
            calculateUsageOfNode(reference, usage);
          }
          const calls = [...usage.constructs || [], ...usage.calls || []];
          return declaration.parameters.map((parameter, parameterIndex) => {
            const types = [];
            const isRest = isRestParameter(parameter);
            let isOptional = false;
            for (const call of calls) {
              if (call.argumentTypes.length <= parameterIndex) {
                isOptional = isInJSFile(declaration);
                types.push(checker.getUndefinedType());
              } else if (isRest) {
                for (let i = parameterIndex; i < call.argumentTypes.length; i++) {
                  types.push(checker.getBaseTypeOfLiteralType(call.argumentTypes[i]));
                }
              } else {
                types.push(checker.getBaseTypeOfLiteralType(call.argumentTypes[parameterIndex]));
              }
            }
            if (isIdentifier(parameter.name)) {
              const inferred = inferTypesFromReferencesSingle(getReferences3(parameter.name, program, cancellationToken));
              types.push(...isRest ? mapDefined(inferred, checker.getElementTypeOfArrayType) : inferred);
            }
            const type = combineTypes(types);
            return {
              type: isRest ? checker.createArrayType(type) : type,
              isOptional: isOptional && !isRest,
              declaration: parameter
            };
          });
        }
        function thisParameter() {
          const usage = createEmptyUsage();
          for (const reference of references) {
            cancellationToken.throwIfCancellationRequested();
            calculateUsageOfNode(reference, usage);
          }
          return combineTypes(usage.candidateThisTypes || emptyArray);
        }
        function inferTypesFromReferencesSingle(references2) {
          const usage = createEmptyUsage();
          for (const reference of references2) {
            cancellationToken.throwIfCancellationRequested();
            calculateUsageOfNode(reference, usage);
          }
          return inferTypes(usage);
        }
        function calculateUsageOfNode(node, usage) {
          while (isRightSideOfQualifiedNameOrPropertyAccess(node)) {
            node = node.parent;
          }
          switch (node.parent.kind) {
            case 244:
              inferTypeFromExpressionStatement(node, usage);
              break;
            case 225:
              usage.isNumber = true;
              break;
            case 224:
              inferTypeFromPrefixUnaryExpression(node.parent, usage);
              break;
            case 226:
              inferTypeFromBinaryExpression(node, node.parent, usage);
              break;
            case 296:
            case 297:
              inferTypeFromSwitchStatementLabel(node.parent, usage);
              break;
            case 213:
            case 214:
              if (node.parent.expression === node) {
                inferTypeFromCallExpression(node.parent, usage);
              } else {
                inferTypeFromContextualType(node, usage);
              }
              break;
            case 211:
              inferTypeFromPropertyAccessExpression(node.parent, usage);
              break;
            case 212:
              inferTypeFromPropertyElementExpression(node.parent, node, usage);
              break;
            case 303:
            case 304:
              inferTypeFromPropertyAssignment(node.parent, usage);
              break;
            case 172:
              inferTypeFromPropertyDeclaration(node.parent, usage);
              break;
            case 260: {
              const { name, initializer } = node.parent;
              if (node === name) {
                if (initializer) {
                  addCandidateType(usage, checker.getTypeAtLocation(initializer));
                }
                break;
              }
            }
            default:
              return inferTypeFromContextualType(node, usage);
          }
        }
        function inferTypeFromContextualType(node, usage) {
          if (isExpressionNode(node)) {
            addCandidateType(usage, checker.getContextualType(node));
          }
        }
        function inferTypeFromExpressionStatement(node, usage) {
          addCandidateType(usage, isCallExpression2(node) ? checker.getVoidType() : checker.getAnyType());
        }
        function inferTypeFromPrefixUnaryExpression(node, usage) {
          switch (node.operator) {
            case 46:
            case 47:
            case 41:
            case 55:
              usage.isNumber = true;
              break;
            case 40:
              usage.isNumberOrString = true;
              break;
          }
        }
        function inferTypeFromBinaryExpression(node, parent2, usage) {
          switch (parent2.operatorToken.kind) {
            case 43:
            case 42:
            case 44:
            case 45:
            case 48:
            case 49:
            case 50:
            case 51:
            case 52:
            case 53:
            case 66:
            case 68:
            case 67:
            case 69:
            case 70:
            case 74:
            case 75:
            case 79:
            case 71:
            case 73:
            case 72:
            case 41:
            case 30:
            case 33:
            case 32:
            case 34:
              const operandType = checker.getTypeAtLocation(parent2.left === node ? parent2.right : parent2.left);
              if (operandType.flags & 1056) {
                addCandidateType(usage, operandType);
              } else {
                usage.isNumber = true;
              }
              break;
            case 65:
            case 40:
              const otherOperandType = checker.getTypeAtLocation(parent2.left === node ? parent2.right : parent2.left);
              if (otherOperandType.flags & 1056) {
                addCandidateType(usage, otherOperandType);
              } else if (otherOperandType.flags & 296) {
                usage.isNumber = true;
              } else if (otherOperandType.flags & 402653316) {
                usage.isString = true;
              } else if (otherOperandType.flags & 1) {
              } else {
                usage.isNumberOrString = true;
              }
              break;
            case 64:
            case 35:
            case 37:
            case 38:
            case 36:
            case 77:
            case 78:
            case 76:
              addCandidateType(usage, checker.getTypeAtLocation(parent2.left === node ? parent2.right : parent2.left));
              break;
            case 103:
              if (node === parent2.left) {
                usage.isString = true;
              }
              break;
            case 57:
            case 61:
              if (node === parent2.left && (node.parent.parent.kind === 260 || isAssignmentExpression2(
                node.parent.parent,
                /*excludeCompoundAssignment*/
                true
              ))) {
                addCandidateType(usage, checker.getTypeAtLocation(parent2.right));
              }
              break;
            case 56:
            case 28:
            case 104:
              break;
          }
        }
        function inferTypeFromSwitchStatementLabel(parent2, usage) {
          addCandidateType(usage, checker.getTypeAtLocation(parent2.parent.parent.expression));
        }
        function inferTypeFromCallExpression(parent2, usage) {
          const call = {
            argumentTypes: [],
            return_: createEmptyUsage()
          };
          if (parent2.arguments) {
            for (const argument of parent2.arguments) {
              call.argumentTypes.push(checker.getTypeAtLocation(argument));
            }
          }
          calculateUsageOfNode(parent2, call.return_);
          if (parent2.kind === 213) {
            (usage.calls || (usage.calls = [])).push(call);
          } else {
            (usage.constructs || (usage.constructs = [])).push(call);
          }
        }
        function inferTypeFromPropertyAccessExpression(parent2, usage) {
          const name = escapeLeadingUnderscores(parent2.name.text);
          if (!usage.properties) {
            usage.properties = /* @__PURE__ */ new Map();
          }
          const propertyUsage = usage.properties.get(name) || createEmptyUsage();
          calculateUsageOfNode(parent2, propertyUsage);
          usage.properties.set(name, propertyUsage);
        }
        function inferTypeFromPropertyElementExpression(parent2, node, usage) {
          if (node === parent2.argumentExpression) {
            usage.isNumberOrString = true;
            return;
          } else {
            const indexType = checker.getTypeAtLocation(parent2.argumentExpression);
            const indexUsage = createEmptyUsage();
            calculateUsageOfNode(parent2, indexUsage);
            if (indexType.flags & 296) {
              usage.numberIndex = indexUsage;
            } else {
              usage.stringIndex = indexUsage;
            }
          }
        }
        function inferTypeFromPropertyAssignment(assignment, usage) {
          const nodeWithRealType = isVariableDeclaration(assignment.parent.parent) ? assignment.parent.parent : assignment.parent;
          addCandidateThisType(usage, checker.getTypeAtLocation(nodeWithRealType));
        }
        function inferTypeFromPropertyDeclaration(declaration, usage) {
          addCandidateThisType(usage, checker.getTypeAtLocation(declaration.parent));
        }
        function removeLowPriorityInferences(inferences, priorities) {
          const toRemove = [];
          for (const i of inferences) {
            for (const { high, low } of priorities) {
              if (high(i)) {
                Debug.assert(!low(i), "Priority can't have both low and high");
                toRemove.push(low);
              }
            }
          }
          return inferences.filter((i) => toRemove.every((f) => !f(i)));
        }
        function combineFromUsage(usage) {
          return combineTypes(inferTypes(usage));
        }
        function combineTypes(inferences) {
          if (!inferences.length) return checker.getAnyType();
          const stringNumber = checker.getUnionType([checker.getStringType(), checker.getNumberType()]);
          const priorities = [
            {
              high: (t) => t === checker.getStringType() || t === checker.getNumberType(),
              low: (t) => t === stringNumber
            },
            {
              high: (t) => !(t.flags & (1 | 16384)),
              low: (t) => !!(t.flags & (1 | 16384))
            },
            {
              high: (t) => !(t.flags & (98304 | 1 | 16384)) && !(getObjectFlags(t) & 16),
              low: (t) => !!(getObjectFlags(t) & 16)
            }
          ];
          let good = removeLowPriorityInferences(inferences, priorities);
          const anons = good.filter(
            (i) => getObjectFlags(i) & 16
            /* Anonymous */
          );
          if (anons.length) {
            good = good.filter((i) => !(getObjectFlags(i) & 16));
            good.push(combineAnonymousTypes(anons));
          }
          return checker.getWidenedType(checker.getUnionType(
            good.map(checker.getBaseTypeOfLiteralType),
            2
            /* Subtype */
          ));
        }
        function combineAnonymousTypes(anons) {
          if (anons.length === 1) {
            return anons[0];
          }
          const calls = [];
          const constructs = [];
          const stringIndices = [];
          const numberIndices = [];
          let stringIndexReadonly = false;
          let numberIndexReadonly = false;
          const props = createMultiMap();
          for (const anon2 of anons) {
            for (const p of checker.getPropertiesOfType(anon2)) {
              props.add(p.escapedName, p.valueDeclaration ? checker.getTypeOfSymbolAtLocation(p, p.valueDeclaration) : checker.getAnyType());
            }
            calls.push(...checker.getSignaturesOfType(
              anon2,
              0
              /* Call */
            ));
            constructs.push(...checker.getSignaturesOfType(
              anon2,
              1
              /* Construct */
            ));
            const stringIndexInfo = checker.getIndexInfoOfType(
              anon2,
              0
              /* String */
            );
            if (stringIndexInfo) {
              stringIndices.push(stringIndexInfo.type);
              stringIndexReadonly = stringIndexReadonly || stringIndexInfo.isReadonly;
            }
            const numberIndexInfo = checker.getIndexInfoOfType(
              anon2,
              1
              /* Number */
            );
            if (numberIndexInfo) {
              numberIndices.push(numberIndexInfo.type);
              numberIndexReadonly = numberIndexReadonly || numberIndexInfo.isReadonly;
            }
          }
          const members = mapEntries(props, (name, types) => {
            const isOptional = types.length < anons.length ? 16777216 : 0;
            const s = checker.createSymbol(4 | isOptional, name);
            s.links.type = checker.getUnionType(types);
            return [name, s];
          });
          const indexInfos = [];
          if (stringIndices.length) indexInfos.push(checker.createIndexInfo(checker.getStringType(), checker.getUnionType(stringIndices), stringIndexReadonly));
          if (numberIndices.length) indexInfos.push(checker.createIndexInfo(checker.getNumberType(), checker.getUnionType(numberIndices), numberIndexReadonly));
          return checker.createAnonymousType(
            anons[0].symbol,
            members,
            calls,
            constructs,
            indexInfos
          );
        }
        function inferTypes(usage) {
          var _a, _b, _c;
          const types = [];
          if (usage.isNumber) {
            types.push(checker.getNumberType());
          }
          if (usage.isString) {
            types.push(checker.getStringType());
          }
          if (usage.isNumberOrString) {
            types.push(checker.getUnionType([checker.getStringType(), checker.getNumberType()]));
          }
          if (usage.numberIndex) {
            types.push(checker.createArrayType(combineFromUsage(usage.numberIndex)));
          }
          if (((_a = usage.properties) == null ? void 0 : _a.size) || ((_b = usage.constructs) == null ? void 0 : _b.length) || usage.stringIndex) {
            types.push(inferStructuralType(usage));
          }
          const candidateTypes = (usage.candidateTypes || []).map((t) => checker.getBaseTypeOfLiteralType(t));
          const callsType = ((_c = usage.calls) == null ? void 0 : _c.length) ? inferStructuralType(usage) : void 0;
          if (callsType && candidateTypes) {
            types.push(checker.getUnionType(
              [callsType, ...candidateTypes],
              2
              /* Subtype */
            ));
          } else {
            if (callsType) {
              types.push(callsType);
            }
            if (length(candidateTypes)) {
              types.push(...candidateTypes);
            }
          }
          types.push(...inferNamedTypesFromProperties(usage));
          return types;
        }
        function inferStructuralType(usage) {
          const members = /* @__PURE__ */ new Map();
          if (usage.properties) {
            usage.properties.forEach((u, name) => {
              const symbol = checker.createSymbol(4, name);
              symbol.links.type = combineFromUsage(u);
              members.set(name, symbol);
            });
          }
          const callSignatures = usage.calls ? [getSignatureFromCalls(usage.calls)] : [];
          const constructSignatures = usage.constructs ? [getSignatureFromCalls(usage.constructs)] : [];
          const indexInfos = usage.stringIndex ? [checker.createIndexInfo(
            checker.getStringType(),
            combineFromUsage(usage.stringIndex),
            /*isReadonly*/
            false
          )] : [];
          return checker.createAnonymousType(
            /*symbol*/
            void 0,
            members,
            callSignatures,
            constructSignatures,
            indexInfos
          );
        }
        function inferNamedTypesFromProperties(usage) {
          if (!usage.properties || !usage.properties.size) return [];
          const types = builtins.filter((t) => allPropertiesAreAssignableToUsage(t, usage));
          if (0 < types.length && types.length < 3) {
            return types.map((t) => inferInstantiationFromUsage(t, usage));
          }
          return [];
        }
        function allPropertiesAreAssignableToUsage(type, usage) {
          if (!usage.properties) return false;
          return !forEachEntry(usage.properties, (propUsage, name) => {
            const source = checker.getTypeOfPropertyOfType(type, name);
            if (!source) {
              return true;
            }
            if (propUsage.calls) {
              const sigs = checker.getSignaturesOfType(
                source,
                0
                /* Call */
              );
              return !sigs.length || !checker.isTypeAssignableTo(source, getFunctionFromCalls(propUsage.calls));
            } else {
              return !checker.isTypeAssignableTo(source, combineFromUsage(propUsage));
            }
          });
        }
        function inferInstantiationFromUsage(type, usage) {
          if (!(getObjectFlags(type) & 4) || !usage.properties) {
            return type;
          }
          const generic = type.target;
          const singleTypeParameter = singleOrUndefined(generic.typeParameters);
          if (!singleTypeParameter) return type;
          const types = [];
          usage.properties.forEach((propUsage, name) => {
            const genericPropertyType = checker.getTypeOfPropertyOfType(generic, name);
            Debug.assert(!!genericPropertyType, "generic should have all the properties of its reference.");
            types.push(...inferTypeParameters(genericPropertyType, combineFromUsage(propUsage), singleTypeParameter));
          });
          return builtinConstructors[type.symbol.escapedName](combineTypes(types));
        }
        function inferTypeParameters(genericType, usageType, typeParameter) {
          if (genericType === typeParameter) {
            return [usageType];
          } else if (genericType.flags & 3145728) {
            return flatMap(genericType.types, (t) => inferTypeParameters(t, usageType, typeParameter));
          } else if (getObjectFlags(genericType) & 4 && getObjectFlags(usageType) & 4) {
            const genericArgs = checker.getTypeArguments(genericType);
            const usageArgs = checker.getTypeArguments(usageType);
            const types = [];
            if (genericArgs && usageArgs) {
              for (let i = 0; i < genericArgs.length; i++) {
                if (usageArgs[i]) {
                  types.push(...inferTypeParameters(genericArgs[i], usageArgs[i], typeParameter));
                }
              }
            }
            return types;
          }
          const genericSigs = checker.getSignaturesOfType(
            genericType,
            0
            /* Call */
          );
          const usageSigs = checker.getSignaturesOfType(
            usageType,
            0
            /* Call */
          );
          if (genericSigs.length === 1 && usageSigs.length === 1) {
            return inferFromSignatures(genericSigs[0], usageSigs[0], typeParameter);
          }
          return [];
        }
        function inferFromSignatures(genericSig, usageSig, typeParameter) {
          var _a;
          const types = [];
          for (let i = 0; i < genericSig.parameters.length; i++) {
            const genericParam = genericSig.parameters[i];
            const usageParam = usageSig.parameters[i];
            const isRest = genericSig.declaration && isRestParameter(genericSig.declaration.parameters[i]);
            if (!usageParam) {
              break;
            }
            let genericParamType = genericParam.valueDeclaration ? checker.getTypeOfSymbolAtLocation(genericParam, genericParam.valueDeclaration) : checker.getAnyType();
            const elementType = isRest && checker.getElementTypeOfArrayType(genericParamType);
            if (elementType) {
              genericParamType = elementType;
            }
            const targetType = ((_a = tryCast(usageParam, isTransientSymbol)) == null ? void 0 : _a.links.type) || (usageParam.valueDeclaration ? checker.getTypeOfSymbolAtLocation(usageParam, usageParam.valueDeclaration) : checker.getAnyType());
            types.push(...inferTypeParameters(genericParamType, targetType, typeParameter));
          }
          const genericReturn = checker.getReturnTypeOfSignature(genericSig);
          const usageReturn = checker.getReturnTypeOfSignature(usageSig);
          types.push(...inferTypeParameters(genericReturn, usageReturn, typeParameter));
          return types;
        }
        function getFunctionFromCalls(calls) {
          return checker.createAnonymousType(
            /*symbol*/
            void 0,
            createSymbolTable(),
            [getSignatureFromCalls(calls)],
            emptyArray,
            emptyArray
          );
        }
        function getSignatureFromCalls(calls) {
          const parameters2 = [];
          const length2 = Math.max(...calls.map((c) => c.argumentTypes.length));
          for (let i = 0; i < length2; i++) {
            const symbol = checker.createSymbol(1, escapeLeadingUnderscores(`arg${i}`));
            symbol.links.type = combineTypes(calls.map((call) => call.argumentTypes[i] || checker.getUndefinedType()));
            if (calls.some((call) => call.argumentTypes[i] === void 0)) {
              symbol.flags |= 16777216;
            }
            parameters2.push(symbol);
          }
          const returnType = combineFromUsage(combineUsages(calls.map((call) => call.return_)));
          return checker.createSignature(
            /*declaration*/
            void 0,
            /*typeParameters*/
            void 0,
            /*thisParameter*/
            void 0,
            parameters2,
            returnType,
            /*typePredicate*/
            void 0,
            length2,
            0
            /* None */
          );
        }
        function addCandidateType(usage, type) {
          if (type && !(type.flags & 1) && !(type.flags & 131072)) {
            (usage.candidateTypes || (usage.candidateTypes = [])).push(type);
          }
        }
        function addCandidateThisType(usage, type) {
          if (type && !(type.flags & 1) && !(type.flags & 131072)) {
            (usage.candidateThisTypes || (usage.candidateThisTypes = [])).push(type);
          }
        }
      }
      var fixId40 = "fixReturnTypeInAsyncFunction";
      var errorCodes51 = [
        Diagnostics.The_return_type_of_an_async_function_or_method_must_be_the_global_Promise_T_type_Did_you_mean_to_write_Promise_0.code
      ];
      registerCodeFix({
        errorCodes: errorCodes51,
        fixIds: [fixId40],
        getCodeActions: function getCodeActionsToFixReturnTypeInAsyncFunction(context) {
          const { sourceFile, program, span } = context;
          const checker = program.getTypeChecker();
          const info = getInfo16(sourceFile, program.getTypeChecker(), span.start);
          if (!info) {
            return void 0;
          }
          const { returnTypeNode, returnType, promisedTypeNode, promisedType } = info;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange34(t, sourceFile, returnTypeNode, promisedTypeNode));
          return [createCodeFixAction(
            fixId40,
            changes,
            [Diagnostics.Replace_0_with_Promise_1, checker.typeToString(returnType), checker.typeToString(promisedType)],
            fixId40,
            Diagnostics.Fix_all_incorrect_return_type_of_an_async_functions
          )];
        },
        getAllCodeActions: (context) => codeFixAll(context, errorCodes51, (changes, diag2) => {
          const info = getInfo16(diag2.file, context.program.getTypeChecker(), diag2.start);
          if (info) {
            doChange34(changes, diag2.file, info.returnTypeNode, info.promisedTypeNode);
          }
        })
      });
      function getInfo16(sourceFile, checker, pos) {
        if (isInJSFile(sourceFile)) {
          return void 0;
        }
        const token = getTokenAtPosition(sourceFile, pos);
        const func = findAncestor(token, isFunctionLikeDeclaration);
        const returnTypeNode = func == null ? void 0 : func.type;
        if (!returnTypeNode) {
          return void 0;
        }
        const returnType = checker.getTypeFromTypeNode(returnTypeNode);
        const promisedType = checker.getAwaitedType(returnType) || checker.getVoidType();
        const promisedTypeNode = checker.typeToTypeNode(
          promisedType,
          /*enclosingDeclaration*/
          returnTypeNode,
          /*flags*/
          void 0
        );
        if (promisedTypeNode) {
          return { returnTypeNode, returnType, promisedTypeNode, promisedType };
        }
      }
      function doChange34(changes, sourceFile, returnTypeNode, promisedTypeNode) {
        changes.replaceNode(sourceFile, returnTypeNode, factory.createTypeReferenceNode("Promise", [promisedTypeNode]));
      }
      var fixName4 = "disableJsDiagnostics";
      var fixId41 = "disableJsDiagnostics";
      var errorCodes52 = mapDefined(Object.keys(Diagnostics), (key) => {
        const diag2 = Diagnostics[key];
        return diag2.category === 1 ? diag2.code : void 0;
      });
      registerCodeFix({
        errorCodes: errorCodes52,
        getCodeActions: function getCodeActionsToDisableJsDiagnostics(context) {
          const { sourceFile, program, span, host, formatContext } = context;
          if (!isInJSFile(sourceFile) || !isCheckJsEnabledForFile(sourceFile, program.getCompilerOptions())) {
            return void 0;
          }
          const newLineCharacter = sourceFile.checkJsDirective ? "" : getNewLineOrDefaultFromHost(host, formatContext.options);
          const fixes = [
            // fixId unnecessary because adding `// @ts-nocheck` even once will ignore every error in the file.
            createCodeFixActionWithoutFixAll(
              fixName4,
              [createFileTextChanges(sourceFile.fileName, [
                createTextChange(
                  sourceFile.checkJsDirective ? createTextSpanFromBounds(sourceFile.checkJsDirective.pos, sourceFile.checkJsDirective.end) : createTextSpan(0, 0),
                  `// @ts-nocheck${newLineCharacter}`
                )
              ])],
              Diagnostics.Disable_checking_for_this_file
            )
          ];
          if (ts_textChanges_exports.isValidLocationToAddComment(sourceFile, span.start)) {
            fixes.unshift(createCodeFixAction(fixName4, ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange8(t, sourceFile, span.start)), Diagnostics.Ignore_this_error_message, fixId41, Diagnostics.Add_ts_ignore_to_all_error_messages));
          }
          return fixes;
        },
        fixIds: [fixId41],
        getAllCodeActions: (context) => {
          const seenLines = /* @__PURE__ */ new Set();
          return codeFixAll(context, errorCodes52, (changes, diag2) => {
            if (ts_textChanges_exports.isValidLocationToAddComment(diag2.file, diag2.start)) {
              makeChange8(changes, diag2.file, diag2.start, seenLines);
            }
          });
        }
      });
      function makeChange8(changes, sourceFile, position, seenLines) {
        const { line: lineNumber } = getLineAndCharacterOfPosition(sourceFile, position);
        if (!seenLines || tryAddToSet(seenLines, lineNumber)) {
          changes.insertCommentBeforeLine(sourceFile, lineNumber, position, " @ts-ignore");
        }
      }
      function createMissingMemberNodes(classDeclaration, possiblyMissingSymbols, sourceFile, context, preferences, importAdder, addClassElement) {
        const classMembers = classDeclaration.symbol.members;
        for (const symbol of possiblyMissingSymbols) {
          if (!classMembers.has(symbol.escapedName)) {
            addNewNodeForMemberSymbol(
              symbol,
              classDeclaration,
              sourceFile,
              context,
              preferences,
              importAdder,
              addClassElement,
              /*body*/
              void 0
            );
          }
        }
      }
      function getNoopSymbolTrackerWithResolver(context) {
        return {
          trackSymbol: () => false,
          moduleResolverHost: getModuleSpecifierResolverHost(context.program, context.host)
        };
      }
      var PreserveOptionalFlags = /* @__PURE__ */ ((PreserveOptionalFlags2) => {
        PreserveOptionalFlags2[PreserveOptionalFlags2["Method"] = 1] = "Method";
        PreserveOptionalFlags2[PreserveOptionalFlags2["Property"] = 2] = "Property";
        PreserveOptionalFlags2[PreserveOptionalFlags2["All"] = 3] = "All";
        return PreserveOptionalFlags2;
      })(PreserveOptionalFlags || {});
      function addNewNodeForMemberSymbol(symbol, enclosingDeclaration, sourceFile, context, preferences, importAdder, addClassElement, body, preserveOptional = 3, isAmbient = false) {
        const declarations = symbol.getDeclarations();
        const declaration = firstOrUndefined(declarations);
        const checker = context.program.getTypeChecker();
        const scriptTarget = getEmitScriptTarget(context.program.getCompilerOptions());
        const kind = (declaration == null ? void 0 : declaration.kind) ?? 171;
        const declarationName = createDeclarationName(symbol, declaration);
        const effectiveModifierFlags = declaration ? getEffectiveModifierFlags(declaration) : 0;
        let modifierFlags = effectiveModifierFlags & 256;
        modifierFlags |= effectiveModifierFlags & 1 ? 1 : effectiveModifierFlags & 4 ? 4 : 0;
        if (declaration && isAutoAccessorPropertyDeclaration(declaration)) {
          modifierFlags |= 512;
        }
        const modifiers = createModifiers();
        const type = checker.getWidenedType(checker.getTypeOfSymbolAtLocation(symbol, enclosingDeclaration));
        const optional = !!(symbol.flags & 16777216);
        const ambient = !!(enclosingDeclaration.flags & 33554432) || isAmbient;
        const quotePreference = getQuotePreference(sourceFile, preferences);
        switch (kind) {
          case 171:
          case 172:
            let flags = 1;
            flags |= quotePreference === 0 ? 268435456 : 0;
            let typeNode = checker.typeToTypeNode(type, enclosingDeclaration, flags, getNoopSymbolTrackerWithResolver(context));
            if (importAdder) {
              const importableReference = tryGetAutoImportableReferenceFromTypeNode(typeNode, scriptTarget);
              if (importableReference) {
                typeNode = importableReference.typeNode;
                importSymbols(importAdder, importableReference.symbols);
              }
            }
            addClassElement(factory.createPropertyDeclaration(
              modifiers,
              declaration ? createName(declarationName) : symbol.getName(),
              optional && preserveOptional & 2 ? factory.createToken(
                58
                /* QuestionToken */
              ) : void 0,
              typeNode,
              /*initializer*/
              void 0
            ));
            break;
          case 177:
          case 178: {
            Debug.assertIsDefined(declarations);
            let typeNode2 = checker.typeToTypeNode(
              type,
              enclosingDeclaration,
              /*flags*/
              void 0,
              getNoopSymbolTrackerWithResolver(context)
            );
            const allAccessors = getAllAccessorDeclarations(declarations, declaration);
            const orderedAccessors = allAccessors.secondAccessor ? [allAccessors.firstAccessor, allAccessors.secondAccessor] : [allAccessors.firstAccessor];
            if (importAdder) {
              const importableReference = tryGetAutoImportableReferenceFromTypeNode(typeNode2, scriptTarget);
              if (importableReference) {
                typeNode2 = importableReference.typeNode;
                importSymbols(importAdder, importableReference.symbols);
              }
            }
            for (const accessor of orderedAccessors) {
              if (isGetAccessorDeclaration(accessor)) {
                addClassElement(factory.createGetAccessorDeclaration(
                  modifiers,
                  createName(declarationName),
                  emptyArray,
                  createTypeNode(typeNode2),
                  createBody(body, quotePreference, ambient)
                ));
              } else {
                Debug.assertNode(accessor, isSetAccessorDeclaration, "The counterpart to a getter should be a setter");
                const parameter = getSetAccessorValueParameter(accessor);
                const parameterName = parameter && isIdentifier(parameter.name) ? idText(parameter.name) : void 0;
                addClassElement(factory.createSetAccessorDeclaration(
                  modifiers,
                  createName(declarationName),
                  createDummyParameters(
                    1,
                    [parameterName],
                    [createTypeNode(typeNode2)],
                    1,
                    /*inJs*/
                    false
                  ),
                  createBody(body, quotePreference, ambient)
                ));
              }
            }
            break;
          }
          case 173:
          case 174:
            Debug.assertIsDefined(declarations);
            const signatures = type.isUnion() ? flatMap(type.types, (t) => t.getCallSignatures()) : type.getCallSignatures();
            if (!some(signatures)) {
              break;
            }
            if (declarations.length === 1) {
              Debug.assert(signatures.length === 1, "One declaration implies one signature");
              const signature = signatures[0];
              outputMethod(quotePreference, signature, modifiers, createName(declarationName), createBody(body, quotePreference, ambient));
              break;
            }
            for (const signature of signatures) {
              outputMethod(quotePreference, signature, modifiers, createName(declarationName));
            }
            if (!ambient) {
              if (declarations.length > signatures.length) {
                const signature = checker.getSignatureFromDeclaration(declarations[declarations.length - 1]);
                outputMethod(quotePreference, signature, modifiers, createName(declarationName), createBody(body, quotePreference));
              } else {
                Debug.assert(declarations.length === signatures.length, "Declarations and signatures should match count");
                addClassElement(createMethodImplementingSignatures(checker, context, enclosingDeclaration, signatures, createName(declarationName), optional && !!(preserveOptional & 1), modifiers, quotePreference, body));
              }
            }
            break;
        }
        function outputMethod(quotePreference2, signature, modifiers2, name, body2) {
          const method = createSignatureDeclarationFromSignature(174, context, quotePreference2, signature, body2, name, modifiers2, optional && !!(preserveOptional & 1), enclosingDeclaration, importAdder);
          if (method) addClassElement(method);
        }
        function createModifiers() {
          let modifiers2;
          if (modifierFlags) {
            modifiers2 = combine(modifiers2, factory.createModifiersFromModifierFlags(modifierFlags));
          }
          if (shouldAddOverrideKeyword()) {
            modifiers2 = append(modifiers2, factory.createToken(
              164
              /* OverrideKeyword */
            ));
          }
          return modifiers2 && factory.createNodeArray(modifiers2);
        }
        function shouldAddOverrideKeyword() {
          return !!(context.program.getCompilerOptions().noImplicitOverride && declaration && hasAbstractModifier(declaration));
        }
        function createName(node) {
          if (isIdentifier(node) && node.escapedText === "constructor") {
            return factory.createComputedPropertyName(factory.createStringLiteral(
              idText(node),
              quotePreference === 0
              /* Single */
            ));
          }
          return getSynthesizedDeepClone(
            node,
            /*includeTrivia*/
            false
          );
        }
        function createBody(block, quotePreference2, ambient2) {
          return ambient2 ? void 0 : getSynthesizedDeepClone(
            block,
            /*includeTrivia*/
            false
          ) || createStubbedMethodBody(quotePreference2);
        }
        function createTypeNode(typeNode) {
          return getSynthesizedDeepClone(
            typeNode,
            /*includeTrivia*/
            false
          );
        }
        function createDeclarationName(symbol2, declaration2) {
          if (getCheckFlags(symbol2) & 262144) {
            const nameType = symbol2.links.nameType;
            if (nameType && isTypeUsableAsPropertyName(nameType)) {
              return factory.createIdentifier(unescapeLeadingUnderscores(getPropertyNameFromType(nameType)));
            }
          }
          return getSynthesizedDeepClone(
            getNameOfDeclaration(declaration2),
            /*includeTrivia*/
            false
          );
        }
      }
      function createSignatureDeclarationFromSignature(kind, context, quotePreference, signature, body, name, modifiers, optional, enclosingDeclaration, importAdder) {
        const program = context.program;
        const checker = program.getTypeChecker();
        const scriptTarget = getEmitScriptTarget(program.getCompilerOptions());
        const isJs = isInJSFile(enclosingDeclaration);
        const flags = 1 | 256 | 524288 | (quotePreference === 0 ? 268435456 : 0);
        const signatureDeclaration = checker.signatureToSignatureDeclaration(signature, kind, enclosingDeclaration, flags, getNoopSymbolTrackerWithResolver(context));
        if (!signatureDeclaration) {
          return void 0;
        }
        let typeParameters = isJs ? void 0 : signatureDeclaration.typeParameters;
        let parameters = signatureDeclaration.parameters;
        let type = isJs ? void 0 : getSynthesizedDeepClone(signatureDeclaration.type);
        if (importAdder) {
          if (typeParameters) {
            const newTypeParameters = sameMap(typeParameters, (typeParameterDecl) => {
              let constraint = typeParameterDecl.constraint;
              let defaultType = typeParameterDecl.default;
              if (constraint) {
                const importableReference = tryGetAutoImportableReferenceFromTypeNode(constraint, scriptTarget);
                if (importableReference) {
                  constraint = importableReference.typeNode;
                  importSymbols(importAdder, importableReference.symbols);
                }
              }
              if (defaultType) {
                const importableReference = tryGetAutoImportableReferenceFromTypeNode(defaultType, scriptTarget);
                if (importableReference) {
                  defaultType = importableReference.typeNode;
                  importSymbols(importAdder, importableReference.symbols);
                }
              }
              return factory.updateTypeParameterDeclaration(
                typeParameterDecl,
                typeParameterDecl.modifiers,
                typeParameterDecl.name,
                constraint,
                defaultType
              );
            });
            if (typeParameters !== newTypeParameters) {
              typeParameters = setTextRange(factory.createNodeArray(newTypeParameters, typeParameters.hasTrailingComma), typeParameters);
            }
          }
          const newParameters = sameMap(parameters, (parameterDecl) => {
            let type2 = isJs ? void 0 : parameterDecl.type;
            if (type2) {
              const importableReference = tryGetAutoImportableReferenceFromTypeNode(type2, scriptTarget);
              if (importableReference) {
                type2 = importableReference.typeNode;
                importSymbols(importAdder, importableReference.symbols);
              }
            }
            return factory.updateParameterDeclaration(
              parameterDecl,
              parameterDecl.modifiers,
              parameterDecl.dotDotDotToken,
              parameterDecl.name,
              isJs ? void 0 : parameterDecl.questionToken,
              type2,
              parameterDecl.initializer
            );
          });
          if (parameters !== newParameters) {
            parameters = setTextRange(factory.createNodeArray(newParameters, parameters.hasTrailingComma), parameters);
          }
          if (type) {
            const importableReference = tryGetAutoImportableReferenceFromTypeNode(type, scriptTarget);
            if (importableReference) {
              type = importableReference.typeNode;
              importSymbols(importAdder, importableReference.symbols);
            }
          }
        }
        const questionToken = optional ? factory.createToken(
          58
          /* QuestionToken */
        ) : void 0;
        const asteriskToken = signatureDeclaration.asteriskToken;
        if (isFunctionExpression(signatureDeclaration)) {
          return factory.updateFunctionExpression(signatureDeclaration, modifiers, signatureDeclaration.asteriskToken, tryCast(name, isIdentifier), typeParameters, parameters, type, body ?? signatureDeclaration.body);
        }
        if (isArrowFunction(signatureDeclaration)) {
          return factory.updateArrowFunction(signatureDeclaration, modifiers, typeParameters, parameters, type, signatureDeclaration.equalsGreaterThanToken, body ?? signatureDeclaration.body);
        }
        if (isMethodDeclaration(signatureDeclaration)) {
          return factory.updateMethodDeclaration(signatureDeclaration, modifiers, asteriskToken, name ?? factory.createIdentifier(""), questionToken, typeParameters, parameters, type, body);
        }
        if (isFunctionDeclaration(signatureDeclaration)) {
          return factory.updateFunctionDeclaration(signatureDeclaration, modifiers, signatureDeclaration.asteriskToken, tryCast(name, isIdentifier), typeParameters, parameters, type, body ?? signatureDeclaration.body);
        }
        return void 0;
      }
      function createSignatureDeclarationFromCallExpression(kind, context, importAdder, call, name, modifierFlags, contextNode) {
        const quotePreference = getQuotePreference(context.sourceFile, context.preferences);
        const scriptTarget = getEmitScriptTarget(context.program.getCompilerOptions());
        const tracker2 = getNoopSymbolTrackerWithResolver(context);
        const checker = context.program.getTypeChecker();
        const isJs = isInJSFile(contextNode);
        const { typeArguments, arguments: args, parent: parent2 } = call;
        const contextualType = isJs ? void 0 : checker.getContextualType(call);
        const names = map(args, (arg) => isIdentifier(arg) ? arg.text : isPropertyAccessExpression(arg) && isIdentifier(arg.name) ? arg.name.text : void 0);
        const instanceTypes = isJs ? [] : map(args, (arg) => checker.getTypeAtLocation(arg));
        const { argumentTypeNodes, argumentTypeParameters } = getArgumentTypesAndTypeParameters(
          checker,
          importAdder,
          instanceTypes,
          contextNode,
          scriptTarget,
          1,
          tracker2
        );
        const modifiers = modifierFlags ? factory.createNodeArray(factory.createModifiersFromModifierFlags(modifierFlags)) : void 0;
        const asteriskToken = isYieldExpression(parent2) ? factory.createToken(
          42
          /* AsteriskToken */
        ) : void 0;
        const typeParameters = isJs ? void 0 : createTypeParametersForArguments(checker, argumentTypeParameters, typeArguments);
        const parameters = createDummyParameters(
          args.length,
          names,
          argumentTypeNodes,
          /*minArgumentCount*/
          void 0,
          isJs
        );
        const type = isJs || contextualType === void 0 ? void 0 : checker.typeToTypeNode(
          contextualType,
          contextNode,
          /*flags*/
          void 0,
          tracker2
        );
        switch (kind) {
          case 174:
            return factory.createMethodDeclaration(
              modifiers,
              asteriskToken,
              name,
              /*questionToken*/
              void 0,
              typeParameters,
              parameters,
              type,
              createStubbedMethodBody(quotePreference)
            );
          case 173:
            return factory.createMethodSignature(
              modifiers,
              name,
              /*questionToken*/
              void 0,
              typeParameters,
              parameters,
              type === void 0 ? factory.createKeywordTypeNode(
                159
                /* UnknownKeyword */
              ) : type
            );
          case 262:
            Debug.assert(typeof name === "string" || isIdentifier(name), "Unexpected name");
            return factory.createFunctionDeclaration(
              modifiers,
              asteriskToken,
              name,
              typeParameters,
              parameters,
              type,
              createStubbedBody(Diagnostics.Function_not_implemented.message, quotePreference)
            );
          default:
            Debug.fail("Unexpected kind");
        }
      }
      function createTypeParametersForArguments(checker, argumentTypeParameters, typeArguments) {
        const usedNames = new Set(argumentTypeParameters.map((pair) => pair[0]));
        const constraintsByName = new Map(argumentTypeParameters);
        if (typeArguments) {
          const typeArgumentsWithNewTypes = typeArguments.filter((typeArgument) => !argumentTypeParameters.some((pair) => {
            var _a;
            return checker.getTypeAtLocation(typeArgument) === ((_a = pair[1]) == null ? void 0 : _a.argumentType);
          }));
          const targetSize = usedNames.size + typeArgumentsWithNewTypes.length;
          for (let i = 0; usedNames.size < targetSize; i += 1) {
            usedNames.add(createTypeParameterName(i));
          }
        }
        return arrayFrom(
          usedNames.values(),
          (usedName) => {
            var _a;
            return factory.createTypeParameterDeclaration(
              /*modifiers*/
              void 0,
              usedName,
              (_a = constraintsByName.get(usedName)) == null ? void 0 : _a.constraint
            );
          }
        );
      }
      function createTypeParameterName(index) {
        return 84 + index <= 90 ? String.fromCharCode(84 + index) : `T${index}`;
      }
      function typeToAutoImportableTypeNode(checker, importAdder, type, contextNode, scriptTarget, flags, tracker2) {
        let typeNode = checker.typeToTypeNode(type, contextNode, flags, tracker2);
        if (typeNode && isImportTypeNode(typeNode)) {
          const importableReference = tryGetAutoImportableReferenceFromTypeNode(typeNode, scriptTarget);
          if (importableReference) {
            importSymbols(importAdder, importableReference.symbols);
            typeNode = importableReference.typeNode;
          }
        }
        return getSynthesizedDeepClone(typeNode);
      }
      function typeContainsTypeParameter(type) {
        if (type.isUnionOrIntersection()) {
          return type.types.some(typeContainsTypeParameter);
        }
        return type.flags & 262144;
      }
      function getArgumentTypesAndTypeParameters(checker, importAdder, instanceTypes, contextNode, scriptTarget, flags, tracker2) {
        const argumentTypeNodes = [];
        const argumentTypeParameters = /* @__PURE__ */ new Map();
        for (let i = 0; i < instanceTypes.length; i += 1) {
          const instanceType = instanceTypes[i];
          if (instanceType.isUnionOrIntersection() && instanceType.types.some(typeContainsTypeParameter)) {
            const synthesizedTypeParameterName = createTypeParameterName(i);
            argumentTypeNodes.push(factory.createTypeReferenceNode(synthesizedTypeParameterName));
            argumentTypeParameters.set(synthesizedTypeParameterName, void 0);
            continue;
          }
          const widenedInstanceType = checker.getBaseTypeOfLiteralType(instanceType);
          const argumentTypeNode = typeToAutoImportableTypeNode(checker, importAdder, widenedInstanceType, contextNode, scriptTarget, flags, tracker2);
          if (!argumentTypeNode) {
            continue;
          }
          argumentTypeNodes.push(argumentTypeNode);
          const argumentTypeParameter = getFirstTypeParameterName(instanceType);
          const instanceTypeConstraint = instanceType.isTypeParameter() && instanceType.constraint && !isAnonymousObjectConstraintType(instanceType.constraint) ? typeToAutoImportableTypeNode(checker, importAdder, instanceType.constraint, contextNode, scriptTarget, flags, tracker2) : void 0;
          if (argumentTypeParameter) {
            argumentTypeParameters.set(argumentTypeParameter, { argumentType: instanceType, constraint: instanceTypeConstraint });
          }
        }
        return { argumentTypeNodes, argumentTypeParameters: arrayFrom(argumentTypeParameters.entries()) };
      }
      function isAnonymousObjectConstraintType(type) {
        return type.flags & 524288 && type.objectFlags === 16;
      }
      function getFirstTypeParameterName(type) {
        var _a;
        if (type.flags & (1048576 | 2097152)) {
          for (const subType of type.types) {
            const subTypeName = getFirstTypeParameterName(subType);
            if (subTypeName) {
              return subTypeName;
            }
          }
        }
        return type.flags & 262144 ? (_a = type.getSymbol()) == null ? void 0 : _a.getName() : void 0;
      }
      function createDummyParameters(argCount, names, types, minArgumentCount, inJs) {
        const parameters = [];
        const parameterNameCounts = /* @__PURE__ */ new Map();
        for (let i = 0; i < argCount; i++) {
          const parameterName = (names == null ? void 0 : names[i]) || `arg${i}`;
          const parameterNameCount = parameterNameCounts.get(parameterName);
          parameterNameCounts.set(parameterName, (parameterNameCount || 0) + 1);
          const newParameter = factory.createParameterDeclaration(
            /*modifiers*/
            void 0,
            /*dotDotDotToken*/
            void 0,
            /*name*/
            parameterName + (parameterNameCount || ""),
            /*questionToken*/
            minArgumentCount !== void 0 && i >= minArgumentCount ? factory.createToken(
              58
              /* QuestionToken */
            ) : void 0,
            /*type*/
            inJs ? void 0 : (types == null ? void 0 : types[i]) || factory.createKeywordTypeNode(
              159
              /* UnknownKeyword */
            ),
            /*initializer*/
            void 0
          );
          parameters.push(newParameter);
        }
        return parameters;
      }
      function createMethodImplementingSignatures(checker, context, enclosingDeclaration, signatures, name, optional, modifiers, quotePreference, body) {
        let maxArgsSignature = signatures[0];
        let minArgumentCount = signatures[0].minArgumentCount;
        let someSigHasRestParameter = false;
        for (const sig of signatures) {
          minArgumentCount = Math.min(sig.minArgumentCount, minArgumentCount);
          if (signatureHasRestParameter(sig)) {
            someSigHasRestParameter = true;
          }
          if (sig.parameters.length >= maxArgsSignature.parameters.length && (!signatureHasRestParameter(sig) || signatureHasRestParameter(maxArgsSignature))) {
            maxArgsSignature = sig;
          }
        }
        const maxNonRestArgs = maxArgsSignature.parameters.length - (signatureHasRestParameter(maxArgsSignature) ? 1 : 0);
        const maxArgsParameterSymbolNames = maxArgsSignature.parameters.map((symbol) => symbol.name);
        const parameters = createDummyParameters(
          maxNonRestArgs,
          maxArgsParameterSymbolNames,
          /*types*/
          void 0,
          minArgumentCount,
          /*inJs*/
          false
        );
        if (someSigHasRestParameter) {
          const restParameter = factory.createParameterDeclaration(
            /*modifiers*/
            void 0,
            factory.createToken(
              26
              /* DotDotDotToken */
            ),
            maxArgsParameterSymbolNames[maxNonRestArgs] || "rest",
            /*questionToken*/
            maxNonRestArgs >= minArgumentCount ? factory.createToken(
              58
              /* QuestionToken */
            ) : void 0,
            factory.createArrayTypeNode(factory.createKeywordTypeNode(
              159
              /* UnknownKeyword */
            )),
            /*initializer*/
            void 0
          );
          parameters.push(restParameter);
        }
        return createStubbedMethod(
          modifiers,
          name,
          optional,
          /*typeParameters*/
          void 0,
          parameters,
          getReturnTypeFromSignatures(signatures, checker, context, enclosingDeclaration),
          quotePreference,
          body
        );
      }
      function getReturnTypeFromSignatures(signatures, checker, context, enclosingDeclaration) {
        if (length(signatures)) {
          const type = checker.getUnionType(map(signatures, checker.getReturnTypeOfSignature));
          return checker.typeToTypeNode(type, enclosingDeclaration, 1, getNoopSymbolTrackerWithResolver(context));
        }
      }
      function createStubbedMethod(modifiers, name, optional, typeParameters, parameters, returnType, quotePreference, body) {
        return factory.createMethodDeclaration(
          modifiers,
          /*asteriskToken*/
          void 0,
          name,
          optional ? factory.createToken(
            58
            /* QuestionToken */
          ) : void 0,
          typeParameters,
          parameters,
          returnType,
          body || createStubbedMethodBody(quotePreference)
        );
      }
      function createStubbedMethodBody(quotePreference) {
        return createStubbedBody(Diagnostics.Method_not_implemented.message, quotePreference);
      }
      function createStubbedBody(text, quotePreference) {
        return factory.createBlock(
          [factory.createThrowStatement(
            factory.createNewExpression(
              factory.createIdentifier("Error"),
              /*typeArguments*/
              void 0,
              // TODO Handle auto quote preference.
              [factory.createStringLiteral(
                text,
                /*isSingleQuote*/
                quotePreference === 0
                /* Single */
              )]
            )
          )],
          /*multiLine*/
          true
        );
      }
      function setJsonCompilerOptionValues(changeTracker, configFile, options) {
        const tsconfigObjectLiteral = getTsConfigObjectLiteralExpression(configFile);
        if (!tsconfigObjectLiteral) return void 0;
        const compilerOptionsProperty = findJsonProperty(tsconfigObjectLiteral, "compilerOptions");
        if (compilerOptionsProperty === void 0) {
          changeTracker.insertNodeAtObjectStart(
            configFile,
            tsconfigObjectLiteral,
            createJsonPropertyAssignment(
              "compilerOptions",
              factory.createObjectLiteralExpression(
                options.map(([optionName, optionValue]) => createJsonPropertyAssignment(optionName, optionValue)),
                /*multiLine*/
                true
              )
            )
          );
          return;
        }
        const compilerOptions = compilerOptionsProperty.initializer;
        if (!isObjectLiteralExpression(compilerOptions)) {
          return;
        }
        for (const [optionName, optionValue] of options) {
          const optionProperty = findJsonProperty(compilerOptions, optionName);
          if (optionProperty === void 0) {
            changeTracker.insertNodeAtObjectStart(configFile, compilerOptions, createJsonPropertyAssignment(optionName, optionValue));
          } else {
            changeTracker.replaceNode(configFile, optionProperty.initializer, optionValue);
          }
        }
      }
      function setJsonCompilerOptionValue(changeTracker, configFile, optionName, optionValue) {
        setJsonCompilerOptionValues(changeTracker, configFile, [[optionName, optionValue]]);
      }
      function createJsonPropertyAssignment(name, initializer) {
        return factory.createPropertyAssignment(factory.createStringLiteral(name), initializer);
      }
      function findJsonProperty(obj, name) {
        return find(obj.properties, (p) => isPropertyAssignment(p) && !!p.name && isStringLiteral2(p.name) && p.name.text === name);
      }
      function tryGetAutoImportableReferenceFromTypeNode(importTypeNode, scriptTarget) {
        let symbols;
        const typeNode = visitNode(importTypeNode, visit, isTypeNode);
        if (symbols && typeNode) {
          return { typeNode, symbols };
        }
        function visit(node) {
          if (isLiteralImportTypeNode(node) && node.qualifier) {
            const firstIdentifier = getFirstIdentifier(node.qualifier);
            if (!firstIdentifier.symbol) {
              return visitEachChild(
                node,
                visit,
                /*context*/
                void 0
              );
            }
            const name = getNameForExportedSymbol(firstIdentifier.symbol, scriptTarget);
            const qualifier = name !== firstIdentifier.text ? replaceFirstIdentifierOfEntityName(node.qualifier, factory.createIdentifier(name)) : node.qualifier;
            symbols = append(symbols, firstIdentifier.symbol);
            const typeArguments = visitNodes2(node.typeArguments, visit, isTypeNode);
            return factory.createTypeReferenceNode(qualifier, typeArguments);
          }
          return visitEachChild(
            node,
            visit,
            /*context*/
            void 0
          );
        }
      }
      function replaceFirstIdentifierOfEntityName(name, newIdentifier) {
        if (name.kind === 80) {
          return newIdentifier;
        }
        return factory.createQualifiedName(replaceFirstIdentifierOfEntityName(name.left, newIdentifier), name.right);
      }
      function importSymbols(importAdder, symbols) {
        symbols.forEach((s) => importAdder.addImportFromExportedSymbol(
          s,
          /*isValidTypeOnlyUseSite*/
          true
        ));
      }
      function findAncestorMatchingSpan(sourceFile, span) {
        const end = textSpanEnd(span);
        let token = getTokenAtPosition(sourceFile, span.start);
        while (token.end < end) {
          token = token.parent;
        }
        return token;
      }
      function generateAccessorFromProperty(file, program, start, end, context, _actionName) {
        const fieldInfo = getAccessorConvertiblePropertyAtPosition(file, program, start, end);
        if (!fieldInfo || ts_refactor_exports.isRefactorErrorInfo(fieldInfo)) return void 0;
        const changeTracker = ts_textChanges_exports.ChangeTracker.fromContext(context);
        const { isStatic: isStatic2, isReadonly, fieldName, accessorName, originalName, type, container, declaration } = fieldInfo;
        suppressLeadingAndTrailingTrivia(fieldName);
        suppressLeadingAndTrailingTrivia(accessorName);
        suppressLeadingAndTrailingTrivia(declaration);
        suppressLeadingAndTrailingTrivia(container);
        let accessorModifiers;
        let fieldModifiers;
        if (isClassLike(container)) {
          const modifierFlags = getEffectiveModifierFlags(declaration);
          if (isSourceFileJS(file)) {
            const modifiers = factory.createModifiersFromModifierFlags(modifierFlags);
            accessorModifiers = modifiers;
            fieldModifiers = modifiers;
          } else {
            accessorModifiers = factory.createModifiersFromModifierFlags(prepareModifierFlagsForAccessor(modifierFlags));
            fieldModifiers = factory.createModifiersFromModifierFlags(prepareModifierFlagsForField(modifierFlags));
          }
          if (canHaveDecorators(declaration)) {
            fieldModifiers = concatenate(getDecorators(declaration), fieldModifiers);
          }
        }
        updateFieldDeclaration(changeTracker, file, declaration, type, fieldName, fieldModifiers);
        const getAccessor = generateGetAccessor(fieldName, accessorName, type, accessorModifiers, isStatic2, container);
        suppressLeadingAndTrailingTrivia(getAccessor);
        insertAccessor(changeTracker, file, getAccessor, declaration, container);
        if (isReadonly) {
          const constructor = getFirstConstructorWithBody(container);
          if (constructor) {
            updateReadonlyPropertyInitializerStatementConstructor(changeTracker, file, constructor, fieldName.text, originalName);
          }
        } else {
          const setAccessor = generateSetAccessor(fieldName, accessorName, type, accessorModifiers, isStatic2, container);
          suppressLeadingAndTrailingTrivia(setAccessor);
          insertAccessor(changeTracker, file, setAccessor, declaration, container);
        }
        return changeTracker.getChanges();
      }
      function isConvertibleName(name) {
        return isIdentifier(name) || isStringLiteral2(name);
      }
      function isAcceptedDeclaration(node) {
        return isParameterPropertyDeclaration(node, node.parent) || isPropertyDeclaration(node) || isPropertyAssignment(node);
      }
      function createPropertyName(name, originalName) {
        return isIdentifier(originalName) ? factory.createIdentifier(name) : factory.createStringLiteral(name);
      }
      function createAccessorAccessExpression(fieldName, isStatic2, container) {
        const leftHead = isStatic2 ? container.name : factory.createThis();
        return isIdentifier(fieldName) ? factory.createPropertyAccessExpression(leftHead, fieldName) : factory.createElementAccessExpression(leftHead, factory.createStringLiteralFromNode(fieldName));
      }
      function prepareModifierFlagsForAccessor(modifierFlags) {
        modifierFlags &= ~8;
        modifierFlags &= ~2;
        if (!(modifierFlags & 4)) {
          modifierFlags |= 1;
        }
        return modifierFlags;
      }
      function prepareModifierFlagsForField(modifierFlags) {
        modifierFlags &= ~1;
        modifierFlags &= ~4;
        modifierFlags |= 2;
        return modifierFlags;
      }
      function getAccessorConvertiblePropertyAtPosition(file, program, start, end, considerEmptySpans = true) {
        const node = getTokenAtPosition(file, start);
        const cursorRequest = start === end && considerEmptySpans;
        const declaration = findAncestor(node.parent, isAcceptedDeclaration);
        const meaning = 7 | 256 | 8;
        if (!declaration || !(nodeOverlapsWithStartEnd(declaration.name, file, start, end) || cursorRequest)) {
          return {
            error: getLocaleSpecificMessage(Diagnostics.Could_not_find_property_for_which_to_generate_accessor)
          };
        }
        if (!isConvertibleName(declaration.name)) {
          return {
            error: getLocaleSpecificMessage(Diagnostics.Name_is_not_valid)
          };
        }
        if ((getEffectiveModifierFlags(declaration) & 98303 | meaning) !== meaning) {
          return {
            error: getLocaleSpecificMessage(Diagnostics.Can_only_convert_property_with_modifier)
          };
        }
        const name = declaration.name.text;
        const startWithUnderscore = startsWithUnderscore(name);
        const fieldName = createPropertyName(startWithUnderscore ? name : getUniqueName(`_${name}`, file), declaration.name);
        const accessorName = createPropertyName(startWithUnderscore ? getUniqueName(name.substring(1), file) : name, declaration.name);
        return {
          isStatic: hasStaticModifier(declaration),
          isReadonly: hasEffectiveReadonlyModifier(declaration),
          type: getDeclarationType(declaration, program),
          container: declaration.kind === 169 ? declaration.parent.parent : declaration.parent,
          originalName: declaration.name.text,
          declaration,
          fieldName,
          accessorName,
          renameAccessor: startWithUnderscore
        };
      }
      function generateGetAccessor(fieldName, accessorName, type, modifiers, isStatic2, container) {
        return factory.createGetAccessorDeclaration(
          modifiers,
          accessorName,
          [],
          type,
          factory.createBlock(
            [
              factory.createReturnStatement(
                createAccessorAccessExpression(fieldName, isStatic2, container)
              )
            ],
            /*multiLine*/
            true
          )
        );
      }
      function generateSetAccessor(fieldName, accessorName, type, modifiers, isStatic2, container) {
        return factory.createSetAccessorDeclaration(
          modifiers,
          accessorName,
          [factory.createParameterDeclaration(
            /*modifiers*/
            void 0,
            /*dotDotDotToken*/
            void 0,
            factory.createIdentifier("value"),
            /*questionToken*/
            void 0,
            type
          )],
          factory.createBlock(
            [
              factory.createExpressionStatement(
                factory.createAssignment(
                  createAccessorAccessExpression(fieldName, isStatic2, container),
                  factory.createIdentifier("value")
                )
              )
            ],
            /*multiLine*/
            true
          )
        );
      }
      function updatePropertyDeclaration(changeTracker, file, declaration, type, fieldName, modifiers) {
        const property = factory.updatePropertyDeclaration(
          declaration,
          modifiers,
          fieldName,
          declaration.questionToken || declaration.exclamationToken,
          type,
          declaration.initializer
        );
        changeTracker.replaceNode(file, declaration, property);
      }
      function updatePropertyAssignmentDeclaration(changeTracker, file, declaration, fieldName) {
        let assignment = factory.updatePropertyAssignment(declaration, fieldName, declaration.initializer);
        if (assignment.modifiers || assignment.questionToken || assignment.exclamationToken) {
          if (assignment === declaration) assignment = factory.cloneNode(assignment);
          assignment.modifiers = void 0;
          assignment.questionToken = void 0;
          assignment.exclamationToken = void 0;
        }
        changeTracker.replacePropertyAssignment(file, declaration, assignment);
      }
      function updateFieldDeclaration(changeTracker, file, declaration, type, fieldName, modifiers) {
        if (isPropertyDeclaration(declaration)) {
          updatePropertyDeclaration(changeTracker, file, declaration, type, fieldName, modifiers);
        } else if (isPropertyAssignment(declaration)) {
          updatePropertyAssignmentDeclaration(changeTracker, file, declaration, fieldName);
        } else {
          changeTracker.replaceNode(file, declaration, factory.updateParameterDeclaration(declaration, modifiers, declaration.dotDotDotToken, cast(fieldName, isIdentifier), declaration.questionToken, declaration.type, declaration.initializer));
        }
      }
      function insertAccessor(changeTracker, file, accessor, declaration, container) {
        isParameterPropertyDeclaration(declaration, declaration.parent) ? changeTracker.insertMemberAtStart(file, container, accessor) : isPropertyAssignment(declaration) ? changeTracker.insertNodeAfterComma(file, declaration, accessor) : changeTracker.insertNodeAfter(file, declaration, accessor);
      }
      function updateReadonlyPropertyInitializerStatementConstructor(changeTracker, file, constructor, fieldName, originalName) {
        if (!constructor.body) return;
        constructor.body.forEachChild(function recur(node) {
          if (isElementAccessExpression(node) && node.expression.kind === 110 && isStringLiteral2(node.argumentExpression) && node.argumentExpression.text === originalName && isWriteAccess(node)) {
            changeTracker.replaceNode(file, node.argumentExpression, factory.createStringLiteral(fieldName));
          }
          if (isPropertyAccessExpression(node) && node.expression.kind === 110 && node.name.text === originalName && isWriteAccess(node)) {
            changeTracker.replaceNode(file, node.name, factory.createIdentifier(fieldName));
          }
          if (!isFunctionLike(node) && !isClassLike(node)) {
            node.forEachChild(recur);
          }
        });
      }
      function getDeclarationType(declaration, program) {
        const typeNode = getTypeAnnotationNode(declaration);
        if (isPropertyDeclaration(declaration) && typeNode && declaration.questionToken) {
          const typeChecker = program.getTypeChecker();
          const type = typeChecker.getTypeFromTypeNode(typeNode);
          if (!typeChecker.isTypeAssignableTo(typeChecker.getUndefinedType(), type)) {
            const types = isUnionTypeNode(typeNode) ? typeNode.types : [typeNode];
            return factory.createUnionTypeNode([...types, factory.createKeywordTypeNode(
              157
              /* UndefinedKeyword */
            )]);
          }
        }
        return typeNode;
      }
      function getAllSupers(decl, checker) {
        const res = [];
        while (decl) {
          const superElement = getClassExtendsHeritageElement(decl);
          const superSymbol = superElement && checker.getSymbolAtLocation(superElement.expression);
          if (!superSymbol) break;
          const symbol = superSymbol.flags & 2097152 ? checker.getAliasedSymbol(superSymbol) : superSymbol;
          const superDecl = symbol.declarations && find(symbol.declarations, isClassLike);
          if (!superDecl) break;
          res.push(superDecl);
          decl = superDecl;
        }
        return res;
      }
      var fixName5 = "invalidImportSyntax";
      function getCodeFixesForImportDeclaration(context, node) {
        const sourceFile = getSourceFileOfNode(node);
        const namespace = getNamespaceDeclarationNode(node);
        const opts = context.program.getCompilerOptions();
        const variations = [];
        variations.push(createAction(context, sourceFile, node, makeImport(
          namespace.name,
          /*namedImports*/
          void 0,
          node.moduleSpecifier,
          getQuotePreference(sourceFile, context.preferences)
        )));
        if (getEmitModuleKind(opts) === 1) {
          variations.push(createAction(
            context,
            sourceFile,
            node,
            factory.createImportEqualsDeclaration(
              /*modifiers*/
              void 0,
              /*isTypeOnly*/
              false,
              namespace.name,
              factory.createExternalModuleReference(node.moduleSpecifier)
            )
          ));
        }
        return variations;
      }
      function createAction(context, sourceFile, node, replacement) {
        const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => t.replaceNode(sourceFile, node, replacement));
        return createCodeFixActionWithoutFixAll(fixName5, changes, [Diagnostics.Replace_import_with_0, changes[0].textChanges[0].newText]);
      }
      registerCodeFix({
        errorCodes: [
          Diagnostics.This_expression_is_not_callable.code,
          Diagnostics.This_expression_is_not_constructable.code
        ],
        getCodeActions: getActionsForUsageOfInvalidImport
      });
      function getActionsForUsageOfInvalidImport(context) {
        const sourceFile = context.sourceFile;
        const targetKind = Diagnostics.This_expression_is_not_callable.code === context.errorCode ? 213 : 214;
        const node = findAncestor(getTokenAtPosition(sourceFile, context.span.start), (a) => a.kind === targetKind);
        if (!node) {
          return [];
        }
        const expr = node.expression;
        return getImportCodeFixesForExpression(context, expr);
      }
      registerCodeFix({
        errorCodes: [
          // The following error codes cover pretty much all assignability errors that could involve an expression
          Diagnostics.Argument_of_type_0_is_not_assignable_to_parameter_of_type_1.code,
          Diagnostics.Type_0_does_not_satisfy_the_constraint_1.code,
          Diagnostics.Type_0_is_not_assignable_to_type_1.code,
          Diagnostics.Type_0_is_not_assignable_to_type_1_Two_different_types_with_this_name_exist_but_they_are_unrelated.code,
          Diagnostics.Type_predicate_0_is_not_assignable_to_1.code,
          Diagnostics.Property_0_of_type_1_is_not_assignable_to_2_index_type_3.code,
          Diagnostics._0_index_type_1_is_not_assignable_to_2_index_type_3.code,
          Diagnostics.Property_0_in_type_1_is_not_assignable_to_the_same_property_in_base_type_2.code,
          Diagnostics.Property_0_in_type_1_is_not_assignable_to_type_2.code,
          Diagnostics.Property_0_of_JSX_spread_attribute_is_not_assignable_to_target_property.code,
          Diagnostics.The_this_context_of_type_0_is_not_assignable_to_method_s_this_of_type_1.code
        ],
        getCodeActions: getActionsForInvalidImportLocation
      });
      function getActionsForInvalidImportLocation(context) {
        const sourceFile = context.sourceFile;
        const node = findAncestor(getTokenAtPosition(sourceFile, context.span.start), (a) => a.getStart() === context.span.start && a.getEnd() === context.span.start + context.span.length);
        if (!node) {
          return [];
        }
        return getImportCodeFixesForExpression(context, node);
      }
      function getImportCodeFixesForExpression(context, expr) {
        const type = context.program.getTypeChecker().getTypeAtLocation(expr);
        if (!(type.symbol && isTransientSymbol(type.symbol) && type.symbol.links.originatingImport)) {
          return [];
        }
        const fixes = [];
        const relatedImport = type.symbol.links.originatingImport;
        if (!isImportCall(relatedImport)) {
          addRange(fixes, getCodeFixesForImportDeclaration(context, relatedImport));
        }
        if (isExpression(expr) && !(isNamedDeclaration(expr.parent) && expr.parent.name === expr)) {
          const sourceFile = context.sourceFile;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => t.replaceNode(sourceFile, expr, factory.createPropertyAccessExpression(expr, "default"), {}));
          fixes.push(createCodeFixActionWithoutFixAll(fixName5, changes, Diagnostics.Use_synthetic_default_member));
        }
        return fixes;
      }
      var fixName6 = "strictClassInitialization";
      var fixIdAddDefiniteAssignmentAssertions = "addMissingPropertyDefiniteAssignmentAssertions";
      var fixIdAddUndefinedType = "addMissingPropertyUndefinedType";
      var fixIdAddInitializer = "addMissingPropertyInitializer";
      var errorCodes53 = [Diagnostics.Property_0_has_no_initializer_and_is_not_definitely_assigned_in_the_constructor.code];
      registerCodeFix({
        errorCodes: errorCodes53,
        getCodeActions: function getCodeActionsForStrictClassInitializationErrors(context) {
          const info = getInfo17(context.sourceFile, context.span.start);
          if (!info) return;
          const result = [];
          append(result, getActionForAddMissingUndefinedType(context, info));
          append(result, getActionForAddMissingDefiniteAssignmentAssertion(context, info));
          append(result, getActionForAddMissingInitializer(context, info));
          return result;
        },
        fixIds: [fixIdAddDefiniteAssignmentAssertions, fixIdAddUndefinedType, fixIdAddInitializer],
        getAllCodeActions: (context) => {
          return codeFixAll(context, errorCodes53, (changes, diag2) => {
            const info = getInfo17(diag2.file, diag2.start);
            if (!info) return;
            switch (context.fixId) {
              case fixIdAddDefiniteAssignmentAssertions:
                addDefiniteAssignmentAssertion(changes, diag2.file, info.prop);
                break;
              case fixIdAddUndefinedType:
                addUndefinedType(changes, diag2.file, info);
                break;
              case fixIdAddInitializer:
                const checker = context.program.getTypeChecker();
                const initializer = getInitializer(checker, info.prop);
                if (!initializer) return;
                addInitializer(changes, diag2.file, info.prop, initializer);
                break;
              default:
                Debug.fail(JSON.stringify(context.fixId));
            }
          });
        }
      });
      function getInfo17(sourceFile, pos) {
        const token = getTokenAtPosition(sourceFile, pos);
        if (isIdentifier(token) && isPropertyDeclaration(token.parent)) {
          const type = getEffectiveTypeAnnotationNode(token.parent);
          if (type) {
            return { type, prop: token.parent, isJs: isInJSFile(token.parent) };
          }
        }
        return void 0;
      }
      function getActionForAddMissingDefiniteAssignmentAssertion(context, info) {
        if (info.isJs) return void 0;
        const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addDefiniteAssignmentAssertion(t, context.sourceFile, info.prop));
        return createCodeFixAction(fixName6, changes, [Diagnostics.Add_definite_assignment_assertion_to_property_0, info.prop.getText()], fixIdAddDefiniteAssignmentAssertions, Diagnostics.Add_definite_assignment_assertions_to_all_uninitialized_properties);
      }
      function addDefiniteAssignmentAssertion(changeTracker, propertyDeclarationSourceFile, propertyDeclaration) {
        suppressLeadingAndTrailingTrivia(propertyDeclaration);
        const property = factory.updatePropertyDeclaration(
          propertyDeclaration,
          propertyDeclaration.modifiers,
          propertyDeclaration.name,
          factory.createToken(
            54
            /* ExclamationToken */
          ),
          propertyDeclaration.type,
          propertyDeclaration.initializer
        );
        changeTracker.replaceNode(propertyDeclarationSourceFile, propertyDeclaration, property);
      }
      function getActionForAddMissingUndefinedType(context, info) {
        const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addUndefinedType(t, context.sourceFile, info));
        return createCodeFixAction(fixName6, changes, [Diagnostics.Add_undefined_type_to_property_0, info.prop.name.getText()], fixIdAddUndefinedType, Diagnostics.Add_undefined_type_to_all_uninitialized_properties);
      }
      function addUndefinedType(changeTracker, sourceFile, info) {
        const undefinedTypeNode = factory.createKeywordTypeNode(
          157
          /* UndefinedKeyword */
        );
        const types = isUnionTypeNode(info.type) ? info.type.types.concat(undefinedTypeNode) : [info.type, undefinedTypeNode];
        const unionTypeNode = factory.createUnionTypeNode(types);
        if (info.isJs) {
          changeTracker.addJSDocTags(sourceFile, info.prop, [factory.createJSDocTypeTag(
            /*tagName*/
            void 0,
            factory.createJSDocTypeExpression(unionTypeNode)
          )]);
        } else {
          changeTracker.replaceNode(sourceFile, info.type, unionTypeNode);
        }
      }
      function getActionForAddMissingInitializer(context, info) {
        if (info.isJs) return void 0;
        const checker = context.program.getTypeChecker();
        const initializer = getInitializer(checker, info.prop);
        if (!initializer) return void 0;
        const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => addInitializer(t, context.sourceFile, info.prop, initializer));
        return createCodeFixAction(fixName6, changes, [Diagnostics.Add_initializer_to_property_0, info.prop.name.getText()], fixIdAddInitializer, Diagnostics.Add_initializers_to_all_uninitialized_properties);
      }
      function addInitializer(changeTracker, propertyDeclarationSourceFile, propertyDeclaration, initializer) {
        suppressLeadingAndTrailingTrivia(propertyDeclaration);
        const property = factory.updatePropertyDeclaration(
          propertyDeclaration,
          propertyDeclaration.modifiers,
          propertyDeclaration.name,
          propertyDeclaration.questionToken,
          propertyDeclaration.type,
          initializer
        );
        changeTracker.replaceNode(propertyDeclarationSourceFile, propertyDeclaration, property);
      }
      function getInitializer(checker, propertyDeclaration) {
        return getDefaultValueFromType(checker, checker.getTypeFromTypeNode(propertyDeclaration.type));
      }
      function getDefaultValueFromType(checker, type) {
        if (type.flags & 512) {
          return type === checker.getFalseType() || type === checker.getFalseType(
            /*fresh*/
            true
          ) ? factory.createFalse() : factory.createTrue();
        } else if (type.isStringLiteral()) {
          return factory.createStringLiteral(type.value);
        } else if (type.isNumberLiteral()) {
          return factory.createNumericLiteral(type.value);
        } else if (type.flags & 2048) {
          return factory.createBigIntLiteral(type.value);
        } else if (type.isUnion()) {
          return firstDefined(type.types, (t) => getDefaultValueFromType(checker, t));
        } else if (type.isClass()) {
          const classDeclaration = getClassLikeDeclarationOfSymbol(type.symbol);
          if (!classDeclaration || hasSyntacticModifier(
            classDeclaration,
            64
            /* Abstract */
          )) return void 0;
          const constructorDeclaration = getFirstConstructorWithBody(classDeclaration);
          if (constructorDeclaration && constructorDeclaration.parameters.length) return void 0;
          return factory.createNewExpression(
            factory.createIdentifier(type.symbol.name),
            /*typeArguments*/
            void 0,
            /*argumentsArray*/
            void 0
          );
        } else if (checker.isArrayLikeType(type)) {
          return factory.createArrayLiteralExpression();
        }
        return void 0;
      }
      var fixId42 = "requireInTs";
      var errorCodes54 = [Diagnostics.require_call_may_be_converted_to_an_import.code];
      registerCodeFix({
        errorCodes: errorCodes54,
        getCodeActions(context) {
          const info = getInfo18(context.sourceFile, context.program, context.span.start);
          if (!info) {
            return void 0;
          }
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange35(t, context.sourceFile, info));
          return [createCodeFixAction(fixId42, changes, Diagnostics.Convert_require_to_import, fixId42, Diagnostics.Convert_all_require_to_import)];
        },
        fixIds: [fixId42],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes54, (changes, diag2) => {
          const info = getInfo18(diag2.file, context.program, diag2.start);
          if (info) {
            doChange35(changes, context.sourceFile, info);
          }
        })
      });
      function doChange35(changes, sourceFile, info) {
        const { allowSyntheticDefaults, defaultImportName, namedImports, statement, required } = info;
        changes.replaceNode(
          sourceFile,
          statement,
          defaultImportName && !allowSyntheticDefaults ? factory.createImportEqualsDeclaration(
            /*modifiers*/
            void 0,
            /*isTypeOnly*/
            false,
            defaultImportName,
            factory.createExternalModuleReference(required)
          ) : factory.createImportDeclaration(
            /*modifiers*/
            void 0,
            factory.createImportClause(
              /*isTypeOnly*/
              false,
              defaultImportName,
              namedImports
            ),
            required,
            /*attributes*/
            void 0
          )
        );
      }
      function getInfo18(sourceFile, program, pos) {
        const { parent: parent2 } = getTokenAtPosition(sourceFile, pos);
        if (!isRequireCall(
          parent2,
          /*requireStringLiteralLikeArgument*/
          true
        )) {
          Debug.failBadSyntaxKind(parent2);
        }
        const decl = cast(parent2.parent, isVariableDeclaration);
        const defaultImportName = tryCast(decl.name, isIdentifier);
        const namedImports = isObjectBindingPattern(decl.name) ? tryCreateNamedImportsFromObjectBindingPattern(decl.name) : void 0;
        if (defaultImportName || namedImports) {
          return {
            allowSyntheticDefaults: getAllowSyntheticDefaultImports(program.getCompilerOptions()),
            defaultImportName,
            namedImports,
            statement: cast(decl.parent.parent, isVariableStatement),
            required: first(parent2.arguments)
          };
        }
      }
      function tryCreateNamedImportsFromObjectBindingPattern(node) {
        const importSpecifiers = [];
        for (const element of node.elements) {
          if (!isIdentifier(element.name) || element.initializer) {
            return void 0;
          }
          importSpecifiers.push(factory.createImportSpecifier(
            /*isTypeOnly*/
            false,
            tryCast(element.propertyName, isIdentifier),
            element.name
          ));
        }
        if (importSpecifiers.length) {
          return factory.createNamedImports(importSpecifiers);
        }
      }
      var fixId43 = "useDefaultImport";
      var errorCodes55 = [Diagnostics.Import_may_be_converted_to_a_default_import.code];
      registerCodeFix({
        errorCodes: errorCodes55,
        getCodeActions(context) {
          const { sourceFile, span: { start } } = context;
          const info = getInfo19(sourceFile, start);
          if (!info) return void 0;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange36(t, sourceFile, info, context.preferences));
          return [createCodeFixAction(fixId43, changes, Diagnostics.Convert_to_default_import, fixId43, Diagnostics.Convert_all_to_default_imports)];
        },
        fixIds: [fixId43],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes55, (changes, diag2) => {
          const info = getInfo19(diag2.file, diag2.start);
          if (info) doChange36(changes, diag2.file, info, context.preferences);
        })
      });
      function getInfo19(sourceFile, pos) {
        const name = getTokenAtPosition(sourceFile, pos);
        if (!isIdentifier(name)) return void 0;
        const { parent: parent2 } = name;
        if (isImportEqualsDeclaration(parent2) && isExternalModuleReference(parent2.moduleReference)) {
          return { importNode: parent2, name, moduleSpecifier: parent2.moduleReference.expression };
        } else if (isNamespaceImport(parent2) && isImportDeclaration(parent2.parent.parent)) {
          const importNode = parent2.parent.parent;
          return { importNode, name, moduleSpecifier: importNode.moduleSpecifier };
        }
      }
      function doChange36(changes, sourceFile, info, preferences) {
        changes.replaceNode(sourceFile, info.importNode, makeImport(
          info.name,
          /*namedImports*/
          void 0,
          info.moduleSpecifier,
          getQuotePreference(sourceFile, preferences)
        ));
      }
      var fixId44 = "useBigintLiteral";
      var errorCodes56 = [
        Diagnostics.Numeric_literals_with_absolute_values_equal_to_2_53_or_greater_are_too_large_to_be_represented_accurately_as_integers.code
      ];
      registerCodeFix({
        errorCodes: errorCodes56,
        getCodeActions: function getCodeActionsToUseBigintLiteral(context) {
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange9(t, context.sourceFile, context.span));
          if (changes.length > 0) {
            return [createCodeFixAction(fixId44, changes, Diagnostics.Convert_to_a_bigint_numeric_literal, fixId44, Diagnostics.Convert_all_to_bigint_numeric_literals)];
          }
        },
        fixIds: [fixId44],
        getAllCodeActions: (context) => {
          return codeFixAll(context, errorCodes56, (changes, diag2) => makeChange9(changes, diag2.file, diag2));
        }
      });
      function makeChange9(changeTracker, sourceFile, span) {
        const numericLiteral = tryCast(getTokenAtPosition(sourceFile, span.start), isNumericLiteral);
        if (!numericLiteral) {
          return;
        }
        const newText = numericLiteral.getText(sourceFile) + "n";
        changeTracker.replaceNode(sourceFile, numericLiteral, factory.createBigIntLiteral(newText));
      }
      var fixIdAddMissingTypeof = "fixAddModuleReferTypeMissingTypeof";
      var fixId45 = fixIdAddMissingTypeof;
      var errorCodes57 = [Diagnostics.Module_0_does_not_refer_to_a_type_but_is_used_as_a_type_here_Did_you_mean_typeof_import_0.code];
      registerCodeFix({
        errorCodes: errorCodes57,
        getCodeActions: function getCodeActionsToAddMissingTypeof(context) {
          const { sourceFile, span } = context;
          const importType = getImportTypeNode(sourceFile, span.start);
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange37(t, sourceFile, importType));
          return [createCodeFixAction(fixId45, changes, Diagnostics.Add_missing_typeof, fixId45, Diagnostics.Add_missing_typeof)];
        },
        fixIds: [fixId45],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes57, (changes, diag2) => doChange37(changes, context.sourceFile, getImportTypeNode(diag2.file, diag2.start)))
      });
      function getImportTypeNode(sourceFile, pos) {
        const token = getTokenAtPosition(sourceFile, pos);
        Debug.assert(token.kind === 102, "This token should be an ImportKeyword");
        Debug.assert(token.parent.kind === 205, "Token parent should be an ImportType");
        return token.parent;
      }
      function doChange37(changes, sourceFile, importType) {
        const newTypeNode = factory.updateImportTypeNode(
          importType,
          importType.argument,
          importType.attributes,
          importType.qualifier,
          importType.typeArguments,
          /*isTypeOf*/
          true
        );
        changes.replaceNode(sourceFile, importType, newTypeNode);
      }
      var fixID2 = "wrapJsxInFragment";
      var errorCodes58 = [Diagnostics.JSX_expressions_must_have_one_parent_element.code];
      registerCodeFix({
        errorCodes: errorCodes58,
        getCodeActions: function getCodeActionsToWrapJsxInFragment(context) {
          const { sourceFile, span } = context;
          const node = findNodeToFix(sourceFile, span.start);
          if (!node) return void 0;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange38(t, sourceFile, node));
          return [createCodeFixAction(fixID2, changes, Diagnostics.Wrap_in_JSX_fragment, fixID2, Diagnostics.Wrap_all_unparented_JSX_in_JSX_fragment)];
        },
        fixIds: [fixID2],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes58, (changes, diag2) => {
          const node = findNodeToFix(context.sourceFile, diag2.start);
          if (!node) return void 0;
          doChange38(changes, context.sourceFile, node);
        })
      });
      function findNodeToFix(sourceFile, pos) {
        const lessThanToken = getTokenAtPosition(sourceFile, pos);
        const firstJsxElementOrOpenElement = lessThanToken.parent;
        let binaryExpr = firstJsxElementOrOpenElement.parent;
        if (!isBinaryExpression(binaryExpr)) {
          binaryExpr = binaryExpr.parent;
          if (!isBinaryExpression(binaryExpr)) return void 0;
        }
        if (!nodeIsMissing(binaryExpr.operatorToken)) return void 0;
        return binaryExpr;
      }
      function doChange38(changeTracker, sf, node) {
        const jsx = flattenInvalidBinaryExpr(node);
        if (jsx) changeTracker.replaceNode(sf, node, factory.createJsxFragment(factory.createJsxOpeningFragment(), jsx, factory.createJsxJsxClosingFragment()));
      }
      function flattenInvalidBinaryExpr(node) {
        const children = [];
        let current = node;
        while (true) {
          if (isBinaryExpression(current) && nodeIsMissing(current.operatorToken) && current.operatorToken.kind === 28) {
            children.push(current.left);
            if (isJsxChild(current.right)) {
              children.push(current.right);
              return children;
            } else if (isBinaryExpression(current.right)) {
              current = current.right;
              continue;
            } else return void 0;
          } else return void 0;
        }
      }
      var fixId46 = "wrapDecoratorInParentheses";
      var errorCodes59 = [Diagnostics.Expression_must_be_enclosed_in_parentheses_to_be_used_as_a_decorator.code];
      registerCodeFix({
        errorCodes: errorCodes59,
        getCodeActions: function getCodeActionsToWrapDecoratorExpressionInParentheses(context) {
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange10(t, context.sourceFile, context.span.start));
          return [createCodeFixAction(fixId46, changes, Diagnostics.Wrap_in_parentheses, fixId46, Diagnostics.Wrap_all_invalid_decorator_expressions_in_parentheses)];
        },
        fixIds: [fixId46],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes59, (changes, diag2) => makeChange10(changes, diag2.file, diag2.start))
      });
      function makeChange10(changeTracker, sourceFile, pos) {
        const token = getTokenAtPosition(sourceFile, pos);
        const decorator = findAncestor(token, isDecorator);
        Debug.assert(!!decorator, "Expected position to be owned by a decorator.");
        const replacement = factory.createParenthesizedExpression(decorator.expression);
        changeTracker.replaceNode(sourceFile, decorator.expression, replacement);
      }
      var fixId47 = "fixConvertToMappedObjectType";
      var errorCodes60 = [Diagnostics.An_index_signature_parameter_type_cannot_be_a_literal_type_or_generic_type_Consider_using_a_mapped_object_type_instead.code];
      registerCodeFix({
        errorCodes: errorCodes60,
        getCodeActions: function getCodeActionsToConvertToMappedTypeObject(context) {
          const { sourceFile, span } = context;
          const info = getInfo20(sourceFile, span.start);
          if (!info) return void 0;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange39(t, sourceFile, info));
          const name = idText(info.container.name);
          return [createCodeFixAction(fixId47, changes, [Diagnostics.Convert_0_to_mapped_object_type, name], fixId47, [Diagnostics.Convert_0_to_mapped_object_type, name])];
        },
        fixIds: [fixId47],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes60, (changes, diag2) => {
          const info = getInfo20(diag2.file, diag2.start);
          if (info) doChange39(changes, diag2.file, info);
        })
      });
      function getInfo20(sourceFile, pos) {
        const token = getTokenAtPosition(sourceFile, pos);
        const indexSignature = tryCast(token.parent.parent, isIndexSignatureDeclaration);
        if (!indexSignature) return void 0;
        const container = isInterfaceDeclaration(indexSignature.parent) ? indexSignature.parent : tryCast(indexSignature.parent.parent, isTypeAliasDeclaration);
        if (!container) return void 0;
        return { indexSignature, container };
      }
      function createTypeAliasFromInterface(declaration, type) {
        return factory.createTypeAliasDeclaration(declaration.modifiers, declaration.name, declaration.typeParameters, type);
      }
      function doChange39(changes, sourceFile, { indexSignature, container }) {
        const members = isInterfaceDeclaration(container) ? container.members : container.type.members;
        const otherMembers = members.filter((member) => !isIndexSignatureDeclaration(member));
        const parameter = first(indexSignature.parameters);
        const mappedTypeParameter = factory.createTypeParameterDeclaration(
          /*modifiers*/
          void 0,
          cast(parameter.name, isIdentifier),
          parameter.type
        );
        const mappedIntersectionType = factory.createMappedTypeNode(
          hasEffectiveReadonlyModifier(indexSignature) ? factory.createModifier(
            148
            /* ReadonlyKeyword */
          ) : void 0,
          mappedTypeParameter,
          /*nameType*/
          void 0,
          indexSignature.questionToken,
          indexSignature.type,
          /*members*/
          void 0
        );
        const intersectionType2 = factory.createIntersectionTypeNode([
          ...getAllSuperTypeNodes(container),
          mappedIntersectionType,
          ...otherMembers.length ? [factory.createTypeLiteralNode(otherMembers)] : emptyArray
        ]);
        changes.replaceNode(sourceFile, container, createTypeAliasFromInterface(container, intersectionType2));
      }
      var fixId48 = "removeAccidentalCallParentheses";
      var errorCodes61 = [
        Diagnostics.This_expression_is_not_callable_because_it_is_a_get_accessor_Did_you_mean_to_use_it_without.code
      ];
      registerCodeFix({
        errorCodes: errorCodes61,
        getCodeActions(context) {
          const callExpression = findAncestor(getTokenAtPosition(context.sourceFile, context.span.start), isCallExpression2);
          if (!callExpression) {
            return void 0;
          }
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => {
            t.deleteRange(context.sourceFile, { pos: callExpression.expression.end, end: callExpression.end });
          });
          return [createCodeFixActionWithoutFixAll(fixId48, changes, Diagnostics.Remove_parentheses)];
        },
        fixIds: [fixId48]
      });
      var fixId49 = "removeUnnecessaryAwait";
      var errorCodes62 = [
        Diagnostics.await_has_no_effect_on_the_type_of_this_expression.code
      ];
      registerCodeFix({
        errorCodes: errorCodes62,
        getCodeActions: function getCodeActionsToRemoveUnnecessaryAwait(context) {
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange11(t, context.sourceFile, context.span));
          if (changes.length > 0) {
            return [createCodeFixAction(fixId49, changes, Diagnostics.Remove_unnecessary_await, fixId49, Diagnostics.Remove_all_unnecessary_uses_of_await)];
          }
        },
        fixIds: [fixId49],
        getAllCodeActions: (context) => {
          return codeFixAll(context, errorCodes62, (changes, diag2) => makeChange11(changes, diag2.file, diag2));
        }
      });
      function makeChange11(changeTracker, sourceFile, span) {
        const awaitKeyword = tryCast(
          getTokenAtPosition(sourceFile, span.start),
          (node) => node.kind === 135
          /* AwaitKeyword */
        );
        const awaitExpression = awaitKeyword && tryCast(awaitKeyword.parent, isAwaitExpression);
        if (!awaitExpression) {
          return;
        }
        let expressionToReplace = awaitExpression;
        const hasSurroundingParens = isParenthesizedExpression(awaitExpression.parent);
        if (hasSurroundingParens) {
          const leftMostExpression = getLeftmostExpression(
            awaitExpression.expression,
            /*stopAtCallExpressions*/
            false
          );
          if (isIdentifier(leftMostExpression)) {
            const precedingToken = findPrecedingToken(awaitExpression.parent.pos, sourceFile);
            if (precedingToken && precedingToken.kind !== 105) {
              expressionToReplace = awaitExpression.parent;
            }
          }
        }
        changeTracker.replaceNode(sourceFile, expressionToReplace, awaitExpression.expression);
      }
      var errorCodes63 = [Diagnostics.A_type_only_import_can_specify_a_default_import_or_named_bindings_but_not_both.code];
      var fixId50 = "splitTypeOnlyImport";
      registerCodeFix({
        errorCodes: errorCodes63,
        fixIds: [fixId50],
        getCodeActions: function getCodeActionsToSplitTypeOnlyImport(context) {
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => {
            return splitTypeOnlyImport(t, getImportDeclaration2(context.sourceFile, context.span), context);
          });
          if (changes.length) {
            return [createCodeFixAction(fixId50, changes, Diagnostics.Split_into_two_separate_import_declarations, fixId50, Diagnostics.Split_all_invalid_type_only_imports)];
          }
        },
        getAllCodeActions: (context) => codeFixAll(context, errorCodes63, (changes, error2) => {
          splitTypeOnlyImport(changes, getImportDeclaration2(context.sourceFile, error2), context);
        })
      });
      function getImportDeclaration2(sourceFile, span) {
        return findAncestor(getTokenAtPosition(sourceFile, span.start), isImportDeclaration);
      }
      function splitTypeOnlyImport(changes, importDeclaration, context) {
        if (!importDeclaration) {
          return;
        }
        const importClause = Debug.checkDefined(importDeclaration.importClause);
        changes.replaceNode(
          context.sourceFile,
          importDeclaration,
          factory.updateImportDeclaration(
            importDeclaration,
            importDeclaration.modifiers,
            factory.updateImportClause(
              importClause,
              importClause.isTypeOnly,
              importClause.name,
              /*namedBindings*/
              void 0
            ),
            importDeclaration.moduleSpecifier,
            importDeclaration.attributes
          )
        );
        changes.insertNodeAfter(
          context.sourceFile,
          importDeclaration,
          factory.createImportDeclaration(
            /*modifiers*/
            void 0,
            factory.updateImportClause(
              importClause,
              importClause.isTypeOnly,
              /*name*/
              void 0,
              importClause.namedBindings
            ),
            importDeclaration.moduleSpecifier,
            importDeclaration.attributes
          )
        );
      }
      var fixId51 = "fixConvertConstToLet";
      var errorCodes64 = [Diagnostics.Cannot_assign_to_0_because_it_is_a_constant.code];
      registerCodeFix({
        errorCodes: errorCodes64,
        getCodeActions: function getCodeActionsToConvertConstToLet(context) {
          const { sourceFile, span, program } = context;
          const info = getInfo21(sourceFile, span.start, program);
          if (info === void 0) return;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange40(t, sourceFile, info.token));
          return [createCodeFixActionMaybeFixAll(fixId51, changes, Diagnostics.Convert_const_to_let, fixId51, Diagnostics.Convert_all_const_to_let)];
        },
        getAllCodeActions: (context) => {
          const { program } = context;
          const seen = /* @__PURE__ */ new Map();
          return createCombinedCodeActions(ts_textChanges_exports.ChangeTracker.with(context, (changes) => {
            eachDiagnostic(context, errorCodes64, (diag2) => {
              const info = getInfo21(diag2.file, diag2.start, program);
              if (info) {
                if (addToSeen(seen, getSymbolId(info.symbol))) {
                  return doChange40(changes, diag2.file, info.token);
                }
              }
              return void 0;
            });
          }));
        },
        fixIds: [fixId51]
      });
      function getInfo21(sourceFile, pos, program) {
        var _a;
        const checker = program.getTypeChecker();
        const symbol = checker.getSymbolAtLocation(getTokenAtPosition(sourceFile, pos));
        if (symbol === void 0) return;
        const declaration = tryCast((_a = symbol == null ? void 0 : symbol.valueDeclaration) == null ? void 0 : _a.parent, isVariableDeclarationList);
        if (declaration === void 0) return;
        const constToken = findChildOfKind(declaration, 87, sourceFile);
        if (constToken === void 0) return;
        return { symbol, token: constToken };
      }
      function doChange40(changes, sourceFile, token) {
        changes.replaceNode(sourceFile, token, factory.createToken(
          121
          /* LetKeyword */
        ));
      }
      var fixId52 = "fixExpectedComma";
      var expectedErrorCode = Diagnostics._0_expected.code;
      var errorCodes65 = [expectedErrorCode];
      registerCodeFix({
        errorCodes: errorCodes65,
        getCodeActions(context) {
          const { sourceFile } = context;
          const info = getInfo22(sourceFile, context.span.start, context.errorCode);
          if (!info) return void 0;
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => doChange41(t, sourceFile, info));
          return [createCodeFixAction(
            fixId52,
            changes,
            [Diagnostics.Change_0_to_1, ";", ","],
            fixId52,
            [Diagnostics.Change_0_to_1, ";", ","]
          )];
        },
        fixIds: [fixId52],
        getAllCodeActions: (context) => codeFixAll(context, errorCodes65, (changes, diag2) => {
          const info = getInfo22(diag2.file, diag2.start, diag2.code);
          if (info) doChange41(changes, context.sourceFile, info);
        })
      });
      function getInfo22(sourceFile, pos, _) {
        const node = getTokenAtPosition(sourceFile, pos);
        return node.kind === 27 && node.parent && (isObjectLiteralExpression(node.parent) || isArrayLiteralExpression(node.parent)) ? { node } : void 0;
      }
      function doChange41(changes, sourceFile, { node }) {
        const newNode = factory.createToken(
          28
          /* CommaToken */
        );
        changes.replaceNode(sourceFile, node, newNode);
      }
      var fixName7 = "addVoidToPromise";
      var fixId53 = "addVoidToPromise";
      var errorCodes66 = [
        Diagnostics.Expected_1_argument_but_got_0_new_Promise_needs_a_JSDoc_hint_to_produce_a_resolve_that_can_be_called_without_arguments.code,
        Diagnostics.Expected_0_arguments_but_got_1_Did_you_forget_to_include_void_in_your_type_argument_to_Promise.code
      ];
      registerCodeFix({
        errorCodes: errorCodes66,
        fixIds: [fixId53],
        getCodeActions(context) {
          const changes = ts_textChanges_exports.ChangeTracker.with(context, (t) => makeChange12(t, context.sourceFile, context.span, context.program));
          if (changes.length > 0) {
            return [createCodeFixAction(fixName7, changes, Diagnostics.Add_void_to_Promise_resolved_without_a_value, fixId53, Diagnostics.Add_void_to_all_Promises_resolved_without_a_value)];
          }
        },
        getAllCodeActions(context) {
          return codeFixAll(context, errorCodes66, (changes, diag2) => makeChange12(changes, diag2.file, diag2, context.program, /* @__PURE__ */ new Set()));
        }
      });
      function makeChange12(changes, sourceFile, span, program, seen) {
        const node = getTokenAtPosition(sourceFile, span.start);
        if (!isIdentifier(node) || !isCallExpression2(node.parent) || node.parent.expression !== node || node.parent.arguments.length !== 0) return;
        const checker = program.getTypeChecker();
        const symbol = checker.getSymbolAtLocation(node);
        const decl = symbol == null ? void 0 : symbol.valueDeclaration;
        if (!decl || !isParameter(decl) || !isNewExpression2(decl.parent.parent)) return;
        if (seen == null ? void 0 : seen.has(decl)) return;
        seen == null ? void 0 : seen.add(decl);
        const typeArguments = getEffectiveTypeArguments(decl.parent.parent);
        if (some(typeArguments)) {
          const typeArgument = typeArguments[0];
          const needsParens = !isUnionTypeNode(typeArgument) && !isParenthesizedTypeNode(typeArgument) && isParenthesizedTypeNode(factory.createUnionTypeNode([typeArgument, factory.createKeywordTypeNode(
            116
            /* VoidKeyword */
          )]).types[0]);
          if (needsParens) {
            changes.insertText(sourceFile, typeArgument.pos, "(");
          }
          changes.insertText(sourceFile, typeArgument.end, needsParens ? ") | void" : " | void");
        } else {
          const signature = checker.getResolvedSignature(node.parent);
          const parameter = signature == null ? void 0 : signature.parameters[0];
          const parameterType = parameter && checker.getTypeOfSymbolAtLocation(parameter, decl.parent.parent);
          if (isInJSFile(decl)) {
            if (!parameterType || parameterType.flags & 3) {
              changes.insertText(sourceFile, decl.parent.parent.end, `)`);
              changes.insertText(sourceFile, skipTrivia(sourceFile.text, decl.parent.parent.pos), `/** @type {Promise} */(`);
            }
          } else {
            if (!parameterType || parameterType.flags & 2) {
              changes.insertText(sourceFile, decl.parent.parent.expression.end, "");
            }
          }
        }
      }
      function getEffectiveTypeArguments(node) {
        var _a;
        if (isInJSFile(node)) {
          if (isParenthesizedExpression(node.parent)) {
            const jsDocType = (_a = getJSDocTypeTag(node.parent)) == null ? void 0 : _a.typeExpression.type;
            if (jsDocType && isTypeReferenceNode(jsDocType) && isIdentifier(jsDocType.typeName) && idText(jsDocType.typeName) === "Promise") {
              return jsDocType.typeArguments;
            }
          }
        } else {
          return node.typeArguments;
        }
      }
      var ts_Completions_exports = {};
      __export2(ts_Completions_exports, {
        CompletionKind: () => CompletionKind,
        CompletionSource: () => CompletionSource,
        SortText: () => SortText,
        StringCompletions: () => ts_Completions_StringCompletions_exports,
        SymbolOriginInfoKind: () => SymbolOriginInfoKind,
        createCompletionDetails: () => createCompletionDetails,
        createCompletionDetailsForSymbol: () => createCompletionDetailsForSymbol,
        getCompletionEntriesFromSymbols: () => getCompletionEntriesFromSymbols,
        getCompletionEntryDetails: () => getCompletionEntryDetails,
        getCompletionEntrySymbol: () => getCompletionEntrySymbol,
        getCompletionsAtPosition: () => getCompletionsAtPosition,
        getPropertiesForObjectExpression: () => getPropertiesForObjectExpression,
        moduleSpecifierResolutionCacheAttemptLimit: () => moduleSpecifierResolutionCacheAttemptLimit,
        moduleSpecifierResolutionLimit: () => moduleSpecifierResolutionLimit
      });
      var moduleSpecifierResolutionLimit = 100;
      var moduleSpecifierResolutionCacheAttemptLimit = 1e3;
      var SortText = {
        // Presets
        LocalDeclarationPriority: "10",
        LocationPriority: "11",
        OptionalMember: "12",
        MemberDeclaredBySpreadAssignment: "13",
        SuggestedClassMembers: "14",
        GlobalsOrKeywords: "15",
        AutoImportSuggestions: "16",
        ClassMemberSnippets: "17",
        JavascriptIdentifiers: "18",
        // Transformations
        Deprecated(sortText) {
          return "z" + sortText;
        },
        ObjectLiteralProperty(presetSortText, symbolDisplayName) {
          return `${presetSortText}\0${symbolDisplayName}\0`;
        },
        SortBelow(sortText) {
          return sortText + "1";
        }
      };
      var CompletionSource = /* @__PURE__ */ ((CompletionSource2) => {
        CompletionSource2["ThisProperty"] = "ThisProperty/";
        CompletionSource2["ClassMemberSnippet"] = "ClassMemberSnippet/";
        CompletionSource2["TypeOnlyAlias"] = "TypeOnlyAlias/";
        CompletionSource2["ObjectLiteralMethodSnippet"] = "ObjectLiteralMethodSnippet/";
        CompletionSource2["SwitchCases"] = "SwitchCases/";
        CompletionSource2["ObjectLiteralMemberWithComma"] = "ObjectLiteralMemberWithComma/";
        return CompletionSource2;
      })(CompletionSource || {});
      var SymbolOriginInfoKind = /* @__PURE__ */ ((SymbolOriginInfoKind2) => {
        SymbolOriginInfoKind2[SymbolOriginInfoKind2["ThisType"] = 1] = "ThisType";
        SymbolOriginInfoKind2[SymbolOriginInfoKind2["SymbolMember"] = 2] = "SymbolMember";
        SymbolOriginInfoKind2[SymbolOriginInfoKind2["Export"] = 4] = "Export";
        SymbolOriginInfoKind2[SymbolOriginInfoKind2["Promise"] = 8] = "Promise";
        SymbolOriginInfoKind2[SymbolOriginInfoKind2["Nullable"] = 16] = "Nullable";
        SymbolOriginInfoKind2[SymbolOriginInfoKind2["ResolvedExport"] = 32] = "ResolvedExport";
        SymbolOriginInfoKind2[SymbolOriginInfoKind2["TypeOnlyAlias"] = 64] = "TypeOnlyAlias";
        SymbolOriginInfoKind2[SymbolOriginInfoKind2["ObjectLiteralMethod"] = 128] = "ObjectLiteralMethod";
        SymbolOriginInfoKind2[SymbolOriginInfoKind2["Ignore"] = 256] = "Ignore";
        SymbolOriginInfoKind2[SymbolOriginInfoKind2["ComputedPropertyName"] = 512] = "ComputedPropertyName";
        SymbolOriginInfoKind2[
          SymbolOriginInfoKind2["SymbolMemberNoExport"] = 2
          /* SymbolMember */
        ] = "SymbolMemberNoExport";
        SymbolOriginInfoKind2[SymbolOriginInfoKind2["SymbolMemberExport"] = 6] = "SymbolMemberExport";
        return SymbolOriginInfoKind2;
      })(SymbolOriginInfoKind || {});
      function originIsThisType(origin) {
        return !!(origin.kind & 1);
      }
      function originIsSymbolMember(origin) {
        return !!(origin.kind & 2);
      }
      function originIsExport(origin) {
        return !!(origin && origin.kind & 4);
      }
      function originIsResolvedExport(origin) {
        return !!(origin && origin.kind === 32);
      }
      function originIncludesSymbolName(origin) {
        return originIsExport(origin) || originIsResolvedExport(origin) || originIsComputedPropertyName(origin);
      }
      function originIsPackageJsonImport(origin) {
        return (originIsExport(origin) || originIsResolvedExport(origin)) && !!origin.isFromPackageJson;
      }
      function originIsPromise(origin) {
        return !!(origin.kind & 8);
      }
      function originIsNullableMember(origin) {
        return !!(origin.kind & 16);
      }
      function originIsTypeOnlyAlias(origin) {
        return !!(origin && origin.kind & 64);
      }
      function originIsObjectLiteralMethod(origin) {
        return !!(origin && origin.kind & 128);
      }
      function originIsIgnore(origin) {
        return !!(origin && origin.kind & 256);
      }
      function originIsComputedPropertyName(origin) {
        return !!(origin && origin.kind & 512);
      }
      function resolvingModuleSpecifiers(logPrefix, host, resolver, program, position, preferences, isForImportStatementCompletion, isValidTypeOnlyUseSite, cb) {
        var _a, _b, _c;
        const start = timestamp();
        const needsFullResolution = isForImportStatementCompletion || moduleResolutionSupportsPackageJsonExportsAndImports(getEmitModuleResolutionKind(program.getCompilerOptions()));
        let skippedAny = false;
        let ambientCount = 0;
        let resolvedCount = 0;
        let resolvedFromCacheCount = 0;
        let cacheAttemptCount = 0;
        const result = cb({
          tryResolve,
          skippedAny: () => skippedAny,
          resolvedAny: () => resolvedCount > 0,
          resolvedBeyondLimit: () => resolvedCount > moduleSpecifierResolutionLimit
        });
        const hitRateMessage = cacheAttemptCount ? ` (${(resolvedFromCacheCount / cacheAttemptCount * 100).toFixed(1)}% hit rate)` : "";
        (_a = host.log) == null ? void 0 : _a.call(host, `${logPrefix}: resolved ${resolvedCount} module specifiers, plus ${ambientCount} ambient and ${resolvedFromCacheCount} from cache${hitRateMessage}`);
        (_b = host.log) == null ? void 0 : _b.call(host, `${logPrefix}: response is ${skippedAny ? "incomplete" : "complete"}`);
        (_c = host.log) == null ? void 0 : _c.call(host, `${logPrefix}: ${timestamp() - start}`);
        return result;
        function tryResolve(exportInfo, isFromAmbientModule) {
          if (isFromAmbientModule) {
            const result3 = resolver.getModuleSpecifierForBestExportInfo(exportInfo, position, isValidTypeOnlyUseSite);
            if (result3) {
              ambientCount++;
            }
            return result3 || "failed";
          }
          const shouldResolveModuleSpecifier = needsFullResolution || preferences.allowIncompleteCompletions && resolvedCount < moduleSpecifierResolutionLimit;
          const shouldGetModuleSpecifierFromCache = !shouldResolveModuleSpecifier && preferences.allowIncompleteCompletions && cacheAttemptCount < moduleSpecifierResolutionCacheAttemptLimit;
          const result2 = shouldResolveModuleSpecifier || shouldGetModuleSpecifierFromCache ? resolver.getModuleSpecifierForBestExportInfo(exportInfo, position, isValidTypeOnlyUseSite, shouldGetModuleSpecifierFromCache) : void 0;
          if (!shouldResolveModuleSpecifier && !shouldGetModuleSpecifierFromCache || shouldGetModuleSpecifierFromCache && !result2) {
            skippedAny = true;
          }
          resolvedCount += (result2 == null ? void 0 : result2.computedWithoutCacheCount) || 0;
          resolvedFromCacheCount += exportInfo.length - ((result2 == null ? void 0 : result2.computedWithoutCacheCount) || 0);
          if (shouldGetModuleSpecifierFromCache) {
            cacheAttemptCount++;
          }
          return result2 || (needsFullResolution ? "failed" : "skipped");
        }
      }
      function getCompletionsAtPosition(host, program, log, sourceFile, position, preferences, triggerCharacter, completionKind, cancellationToken, formatContext, includeSymbol = false) {
        var _a;
        const { previousToken } = getRelevantTokens(position, sourceFile);
        if (triggerCharacter && !isInString(sourceFile, position, previousToken) && !isValidTrigger(sourceFile, triggerCharacter, previousToken, position)) {
          return void 0;
        }
        if (triggerCharacter === " ") {
          if (preferences.includeCompletionsForImportStatements && preferences.includeCompletionsWithInsertText) {
            return { isGlobalCompletion: true, isMemberCompletion: false, isNewIdentifierLocation: true, isIncomplete: true, entries: [] };
          }
          return void 0;
        }
        const compilerOptions = program.getCompilerOptions();
        const checker = program.getTypeChecker();
        const incompleteCompletionsCache = preferences.allowIncompleteCompletions ? (_a = host.getIncompleteCompletionsCache) == null ? void 0 : _a.call(host) : void 0;
        if (incompleteCompletionsCache && completionKind === 3 && previousToken && isIdentifier(previousToken)) {
          const incompleteContinuation = continuePreviousIncompleteResponse(incompleteCompletionsCache, sourceFile, previousToken, program, host, preferences, cancellationToken, position);
          if (incompleteContinuation) {
            return incompleteContinuation;
          }
        } else {
          incompleteCompletionsCache == null ? void 0 : incompleteCompletionsCache.clear();
        }
        const stringCompletions = ts_Completions_StringCompletions_exports.getStringLiteralCompletions(sourceFile, position, previousToken, compilerOptions, host, program, log, preferences, includeSymbol);
        if (stringCompletions) {
          return stringCompletions;
        }
        if (previousToken && isBreakOrContinueStatement(previousToken.parent) && (previousToken.kind === 83 || previousToken.kind === 88 || previousToken.kind === 80)) {
          return getLabelCompletionAtPosition(previousToken.parent);
        }
        const completionData = getCompletionData(
          program,
          log,
          sourceFile,
          compilerOptions,
          position,
          preferences,
          /*detailsEntryId*/
          void 0,
          host,
          formatContext,
          cancellationToken
        );
        if (!completionData) {
          return void 0;
        }
        switch (completionData.kind) {
          case 0:
            const response = completionInfoFromData(sourceFile, host, program, compilerOptions, log, completionData, preferences, formatContext, position, includeSymbol);
            if (response == null ? void 0 : response.isIncomplete) {
              incompleteCompletionsCache == null ? void 0 : incompleteCompletionsCache.set(response);
            }
            return response;
          case 1:
            return jsdocCompletionInfo([
              ...ts_JsDoc_exports.getJSDocTagNameCompletions(),
              ...getJSDocParameterCompletions(
                sourceFile,
                position,
                checker,
                compilerOptions,
                preferences,
                /*tagNameOnly*/
                true
              )
            ]);
          case 2:
            return jsdocCompletionInfo([
              ...ts_JsDoc_exports.getJSDocTagCompletions(),
              ...getJSDocParameterCompletions(
                sourceFile,
                position,
                checker,
                compilerOptions,
                preferences,
                /*tagNameOnly*/
                false
              )
            ]);
          case 3:
            return jsdocCompletionInfo(ts_JsDoc_exports.getJSDocParameterNameCompletions(completionData.tag));
          case 4:
            return specificKeywordCompletionInfo(completionData.keywordCompletions, completionData.isNewIdentifierLocation);
          default:
            return Debug.assertNever(completionData);
        }
      }
      function compareCompletionEntries(entryInArray, entryToInsert) {
        var _a, _b;
        let result = compareStringsCaseSensitiveUI(entryInArray.sortText, entryToInsert.sortText);
        if (result === 0) {
          result = compareStringsCaseSensitiveUI(entryInArray.name, entryToInsert.name);
        }
        if (result === 0 && ((_a = entryInArray.data) == null ? void 0 : _a.moduleSpecifier) && ((_b = entryToInsert.data) == null ? void 0 : _b.moduleSpecifier)) {
          result = compareNumberOfDirectorySeparators(
            entryInArray.data.moduleSpecifier,
            entryToInsert.data.moduleSpecifier
          );
        }
        if (result === 0) {
          return -1;
        }
        return result;
      }
      function completionEntryDataIsResolved(data) {
        return !!(data == null ? void 0 : data.moduleSpecifier);
      }
      function continuePreviousIncompleteResponse(cache, file, location, program, host, preferences, cancellationToken, position) {
        const previousResponse = cache.get();
        if (!previousResponse) return void 0;
        const touchNode = getTouchingPropertyName(file, position);
        const lowerCaseTokenText = location.text.toLowerCase();
        const exportMap = getExportInfoMap(file, host, program, preferences, cancellationToken);
        const newEntries = resolvingModuleSpecifiers(
          "continuePreviousIncompleteResponse",
          host,
          ts_codefix_exports.createImportSpecifierResolver(file, program, host, preferences),
          program,
          location.getStart(),
          preferences,
          /*isForImportStatementCompletion*/
          false,
          isValidTypeOnlyAliasUseSite(location),
          (context) => {
            const entries = mapDefined(previousResponse.entries, (entry) => {
              var _a;
              if (!entry.hasAction || !entry.source || !entry.data || completionEntryDataIsResolved(entry.data)) {
                return entry;
              }
              if (!charactersFuzzyMatchInString(entry.name, lowerCaseTokenText)) {
                return void 0;
              }
              const { origin } = Debug.checkDefined(getAutoImportSymbolFromCompletionEntryData(entry.name, entry.data, program, host));
              const info = exportMap.get(file.path, entry.data.exportMapKey);
              const result = info && context.tryResolve(info, !isExternalModuleNameRelative(stripQuotes(origin.moduleSymbol.name)));
              if (result === "skipped") return entry;
              if (!result || result === "failed") {
                (_a = host.log) == null ? void 0 : _a.call(host, `Unexpected failure resolving auto import for '${entry.name}' from '${entry.source}'`);
                return void 0;
              }
              const newOrigin = {
                ...origin,
                kind: 32,
                moduleSpecifier: result.moduleSpecifier
              };
              entry.data = originToCompletionEntryData(newOrigin);
              entry.source = getSourceFromOrigin(newOrigin);
              entry.sourceDisplay = [textPart(newOrigin.moduleSpecifier)];
              return entry;
            });
            if (!context.skippedAny()) {
              previousResponse.isIncomplete = void 0;
            }
            return entries;
          }
        );
        previousResponse.entries = newEntries;
        previousResponse.flags = (previousResponse.flags || 0) | 4;
        previousResponse.optionalReplacementSpan = getOptionalReplacementSpan(touchNode);
        return previousResponse;
      }
      function jsdocCompletionInfo(entries) {
        return { isGlobalCompletion: false, isMemberCompletion: false, isNewIdentifierLocation: false, entries };
      }
      function getJSDocParameterCompletions(sourceFile, position, checker, options, preferences, tagNameOnly) {
        const currentToken = getTokenAtPosition(sourceFile, position);
        if (!isJSDocTag(currentToken) && !isJSDoc(currentToken)) {
          return [];
        }
        const jsDoc = isJSDoc(currentToken) ? currentToken : currentToken.parent;
        if (!isJSDoc(jsDoc)) {
          return [];
        }
        const func = jsDoc.parent;
        if (!isFunctionLike(func)) {
          return [];
        }
        const isJs = isSourceFileJS(sourceFile);
        const isSnippet = preferences.includeCompletionsWithSnippetText || void 0;
        const paramTagCount = countWhere(jsDoc.tags, (tag) => isJSDocParameterTag(tag) && tag.getEnd() <= position);
        return mapDefined(func.parameters, (param) => {
          if (getJSDocParameterTags(param).length) {
            return void 0;
          }
          if (isIdentifier(param.name)) {
            const tabstopCounter = { tabstop: 1 };
            const paramName = param.name.text;
            let displayText = getJSDocParamAnnotation(
              paramName,
              param.initializer,
              param.dotDotDotToken,
              isJs,
              /*isObject*/
              false,
              /*isSnippet*/
              false,
              checker,
              options,
              preferences
            );
            let snippetText = isSnippet ? getJSDocParamAnnotation(
              paramName,
              param.initializer,
              param.dotDotDotToken,
              isJs,
              /*isObject*/
              false,
              /*isSnippet*/
              true,
              checker,
              options,
              preferences,
              tabstopCounter
            ) : void 0;
            if (tagNameOnly) {
              displayText = displayText.slice(1);
              if (snippetText) snippetText = snippetText.slice(1);
            }
            return {
              name: displayText,
              kind: "parameter",
              sortText: SortText.LocationPriority,
              insertText: isSnippet ? snippetText : void 0,
              isSnippet
            };
          } else if (param.parent.parameters.indexOf(param) === paramTagCount) {
            const paramPath = `param${paramTagCount}`;
            const displayTextResult = generateJSDocParamTagsForDestructuring(
              paramPath,
              param.name,
              param.initializer,
              param.dotDotDotToken,
              isJs,
              /*isSnippet*/
              false,
              checker,
              options,
              preferences
            );
            const snippetTextResult = isSnippet ? generateJSDocParamTagsForDestructuring(
              paramPath,
              param.name,
              param.initializer,
              param.dotDotDotToken,
              isJs,
              /*isSnippet*/
              true,
              checker,
              options,
              preferences
            ) : void 0;
            let displayText = displayTextResult.join(getNewLineCharacter(options) + "* ");
            let snippetText = snippetTextResult == null ? void 0 : snippetTextResult.join(getNewLineCharacter(options) + "* ");
            if (tagNameOnly) {
              displayText = displayText.slice(1);
              if (snippetText) snippetText = snippetText.slice(1);
            }
            return {
              name: displayText,
              kind: "parameter",
              sortText: SortText.LocationPriority,
              insertText: isSnippet ? snippetText : void 0,
              isSnippet
            };
          }
        });
      }
      function generateJSDocParamTagsForDestructuring(path17, pattern, initializer, dotDotDotToken, isJs, isSnippet, checker, options, preferences) {
        if (!isJs) {
          return [
            getJSDocParamAnnotation(
              path17,
              initializer,
              dotDotDotToken,
              isJs,
              /*isObject*/
              false,
              isSnippet,
              checker,
              options,
              preferences,
              { tabstop: 1 }
            )
          ];
        }
        return patternWorker(path17, pattern, initializer, dotDotDotToken, { tabstop: 1 });
        function patternWorker(path22, pattern2, initializer2, dotDotDotToken2, counter) {
          if (isObjectBindingPattern(pattern2) && !dotDotDotToken2) {
            const oldTabstop = counter.tabstop;
            const childCounter = { tabstop: oldTabstop };
            const rootParam = getJSDocParamAnnotation(
              path22,
              initializer2,
              dotDotDotToken2,
              isJs,
              /*isObject*/
              true,
              isSnippet,
              checker,
              options,
              preferences,
              childCounter
            );
            let childTags = [];
            for (const element of pattern2.elements) {
              const elementTags = elementWorker(path22, element, childCounter);
              if (!elementTags) {
                childTags = void 0;
                break;
              } else {
                childTags.push(...elementTags);
              }
            }
            if (childTags) {
              counter.tabstop = childCounter.tabstop;
              return [rootParam, ...childTags];
            }
          }
          return [
            getJSDocParamAnnotation(
              path22,
              initializer2,
              dotDotDotToken2,
              isJs,
              /*isObject*/
              false,
              isSnippet,
              checker,
              options,
              preferences,
              counter
            )
          ];
        }
        function elementWorker(path22, element, counter) {
          if (!element.propertyName && isIdentifier(element.name) || isIdentifier(element.name)) {
            const propertyName = element.propertyName ? tryGetTextOfPropertyName(element.propertyName) : element.name.text;
            if (!propertyName) {
              return void 0;
            }
            const paramName = `${path22}.${propertyName}`;
            return [
              getJSDocParamAnnotation(
                paramName,
                element.initializer,
                element.dotDotDotToken,
                isJs,
                /*isObject*/
                false,
                isSnippet,
                checker,
                options,
                preferences,
                counter
              )
            ];
          } else if (element.propertyName) {
            const propertyName = tryGetTextOfPropertyName(element.propertyName);
            return propertyName && patternWorker(`${path22}.${propertyName}`, element.name, element.initializer, element.dotDotDotToken, counter);
          }
          return void 0;
        }
      }
      function getJSDocParamAnnotation(paramName, initializer, dotDotDotToken, isJs, isObject2, isSnippet, checker, options, preferences, tabstopCounter) {
        if (isSnippet) {
          Debug.assertIsDefined(tabstopCounter);
        }
        if (initializer) {
          paramName = getJSDocParamNameWithInitializer(paramName, initializer);
        }
        if (isSnippet) {
          paramName = escapeSnippetText(paramName);
        }
        if (isJs) {
          let type = "*";
          if (isObject2) {
            Debug.assert(!dotDotDotToken, `Cannot annotate a rest parameter with type 'Object'.`);
            type = "Object";
          } else {
            if (initializer) {
              const inferredType = checker.getTypeAtLocation(initializer.parent);
              if (!(inferredType.flags & (1 | 16384))) {
                const sourceFile = initializer.getSourceFile();
                const quotePreference = getQuotePreference(sourceFile, preferences);
                const builderFlags = quotePreference === 0 ? 268435456 : 0;
                const typeNode = checker.typeToTypeNode(inferredType, findAncestor(initializer, isFunctionLike), builderFlags);
                if (typeNode) {
                  const printer = isSnippet ? createSnippetPrinter({
                    removeComments: true,
                    module: options.module,
                    target: options.target
                  }) : createPrinter({
                    removeComments: true,
                    module: options.module,
                    target: options.target
                  });
                  setEmitFlags(
                    typeNode,
                    1
                    /* SingleLine */
                  );
                  type = printer.printNode(4, typeNode, sourceFile);
                }
              }
            }
            if (isSnippet && type === "*") {
              type = `\${${tabstopCounter.tabstop++}:${type}}`;
            }
          }
          const dotDotDot = !isObject2 && dotDotDotToken ? "..." : "";
          const description3 = isSnippet ? `\${${tabstopCounter.tabstop++}}` : "";
          return `@param {${dotDotDot}${type}} ${paramName} ${description3}`;
        } else {
          const description3 = isSnippet ? `\${${tabstopCounter.tabstop++}}` : "";
          return `@param ${paramName} ${description3}`;
        }
      }
      function getJSDocParamNameWithInitializer(paramName, initializer) {
        const initializerText = initializer.getText().trim();
        if (initializerText.includes("\n") || initializerText.length > 80) {
          return `[${paramName}]`;
        }
        return `[${paramName}=${initializerText}]`;
      }
      function keywordToCompletionEntry(keyword) {
        return {
          name: tokenToString(keyword),
          kind: "keyword",
          kindModifiers: "",
          sortText: SortText.GlobalsOrKeywords
        };
      }
      function specificKeywordCompletionInfo(entries, isNewIdentifierLocation) {
        return {
          isGlobalCompletion: false,
          isMemberCompletion: false,
          isNewIdentifierLocation,
          entries: entries.slice()
        };
      }
      function keywordCompletionData(keywordFilters, filterOutTsOnlyKeywords, isNewIdentifierLocation) {
        return {
          kind: 4,
          keywordCompletions: getKeywordCompletions(keywordFilters, filterOutTsOnlyKeywords),
          isNewIdentifierLocation
        };
      }
      function keywordFiltersFromSyntaxKind(keywordCompletion) {
        switch (keywordCompletion) {
          case 156:
            return 8;
          default:
            Debug.fail("Unknown mapping from SyntaxKind to KeywordCompletionFilters");
        }
      }
      function getOptionalReplacementSpan(location) {
        return (location == null ? void 0 : location.kind) === 80 ? createTextSpanFromNode(location) : void 0;
      }
      function completionInfoFromData(sourceFile, host, program, compilerOptions, log, completionData, preferences, formatContext, position, includeSymbol) {
        const {
          symbols,
          contextToken,
          completionKind,
          isInSnippetScope,
          isNewIdentifierLocation,
          location,
          propertyAccessToConvert,
          keywordFilters,
          symbolToOriginInfoMap,
          recommendedCompletion,
          isJsxInitializer,
          isTypeOnlyLocation,
          isJsxIdentifierExpected,
          isRightOfOpenTag,
          isRightOfDotOrQuestionDot,
          importStatementCompletion,
          insideJsDocTagTypeExpression,
          symbolToSortTextMap,
          hasUnresolvedAutoImports
        } = completionData;
        let literals = completionData.literals;
        const checker = program.getTypeChecker();
        if (getLanguageVariant(sourceFile.scriptKind) === 1) {
          const completionInfo = getJsxClosingTagCompletion(location, sourceFile);
          if (completionInfo) {
            return completionInfo;
          }
        }
        const caseClause = findAncestor(contextToken, isCaseClause);
        if (caseClause && (isCaseKeyword(contextToken) || isNodeDescendantOf(contextToken, caseClause.expression))) {
          const tracker2 = newCaseClauseTracker(checker, caseClause.parent.clauses);
          literals = literals.filter((literal) => !tracker2.hasValue(literal));
          symbols.forEach((symbol, i) => {
            if (symbol.valueDeclaration && isEnumMember(symbol.valueDeclaration)) {
              const value = checker.getConstantValue(symbol.valueDeclaration);
              if (value !== void 0 && tracker2.hasValue(value)) {
                symbolToOriginInfoMap[i] = {
                  kind: 256
                  /* Ignore */
                };
              }
            }
          });
        }
        const entries = createSortedArray();
        const isChecked = isCheckedFile(sourceFile, compilerOptions);
        if (isChecked && !isNewIdentifierLocation && (!symbols || symbols.length === 0) && keywordFilters === 0) {
          return void 0;
        }
        const uniqueNames = getCompletionEntriesFromSymbols(
          symbols,
          entries,
          /*replacementToken*/
          void 0,
          contextToken,
          location,
          position,
          sourceFile,
          host,
          program,
          getEmitScriptTarget(compilerOptions),
          log,
          completionKind,
          preferences,
          compilerOptions,
          formatContext,
          isTypeOnlyLocation,
          propertyAccessToConvert,
          isJsxIdentifierExpected,
          isJsxInitializer,
          importStatementCompletion,
          recommendedCompletion,
          symbolToOriginInfoMap,
          symbolToSortTextMap,
          isJsxIdentifierExpected,
          isRightOfOpenTag,
          includeSymbol
        );
        if (keywordFilters !== 0) {
          for (const keywordEntry of getKeywordCompletions(keywordFilters, !insideJsDocTagTypeExpression && isSourceFileJS(sourceFile))) {
            if (isTypeOnlyLocation && isTypeKeyword(stringToToken(keywordEntry.name)) || !isTypeOnlyLocation && isContextualKeywordInAutoImportableExpressionSpace(keywordEntry.name) || !uniqueNames.has(keywordEntry.name)) {
              uniqueNames.add(keywordEntry.name);
              insertSorted(
                entries,
                keywordEntry,
                compareCompletionEntries,
                /*equalityComparer*/
                void 0,
                /*allowDuplicates*/
                true
              );
            }
          }
        }
        for (const keywordEntry of getContextualKeywords(contextToken, position)) {
          if (!uniqueNames.has(keywordEntry.name)) {
            uniqueNames.add(keywordEntry.name);
            insertSorted(
              entries,
              keywordEntry,
              compareCompletionEntries,
              /*equalityComparer*/
              void 0,
              /*allowDuplicates*/
              true
            );
          }
        }
        for (const literal of literals) {
          const literalEntry = createCompletionEntryForLiteral(sourceFile, preferences, literal);
          uniqueNames.add(literalEntry.name);
          insertSorted(
            entries,
            literalEntry,
            compareCompletionEntries,
            /*equalityComparer*/
            void 0,
            /*allowDuplicates*/
            true
          );
        }
        if (!isChecked) {
          getJSCompletionEntries(sourceFile, location.pos, uniqueNames, getEmitScriptTarget(compilerOptions), entries);
        }
        let caseBlock;
        if (preferences.includeCompletionsWithInsertText && contextToken && !isRightOfOpenTag && !isRightOfDotOrQuestionDot && (caseBlock = findAncestor(contextToken, isCaseBlock))) {
          const cases6 = getExhaustiveCaseSnippets(caseBlock, sourceFile, preferences, compilerOptions, host, program, formatContext);
          if (cases6) {
            entries.push(cases6.entry);
          }
        }
        return {
          flags: completionData.flags,
          isGlobalCompletion: isInSnippetScope,
          isIncomplete: preferences.allowIncompleteCompletions && hasUnresolvedAutoImports ? true : void 0,
          isMemberCompletion: isMemberCompletionKind(completionKind),
          isNewIdentifierLocation,
          optionalReplacementSpan: getOptionalReplacementSpan(location),
          entries
        };
      }
      function isCheckedFile(sourceFile, compilerOptions) {
        return !isSourceFileJS(sourceFile) || !!isCheckJsEnabledForFile(sourceFile, compilerOptions);
      }
      function getExhaustiveCaseSnippets(caseBlock, sourceFile, preferences, options, host, program, formatContext) {
        const clauses = caseBlock.clauses;
        const checker = program.getTypeChecker();
        const switchType = checker.getTypeAtLocation(caseBlock.parent.expression);
        if (switchType && switchType.isUnion() && every(switchType.types, (type) => type.isLiteral())) {
          const tracker2 = newCaseClauseTracker(checker, clauses);
          const target = getEmitScriptTarget(options);
          const quotePreference = getQuotePreference(sourceFile, preferences);
          const importAdder = ts_codefix_exports.createImportAdder(sourceFile, program, preferences, host);
          const elements = [];
          for (const type of switchType.types) {
            if (type.flags & 1024) {
              Debug.assert(type.symbol, "An enum member type should have a symbol");
              Debug.assert(type.symbol.parent, "An enum member type should have a parent symbol (the enum symbol)");
              const enumValue = type.symbol.valueDeclaration && checker.getConstantValue(type.symbol.valueDeclaration);
              if (enumValue !== void 0) {
                if (tracker2.hasValue(enumValue)) {
                  continue;
                }
                tracker2.addValue(enumValue);
              }
              const typeNode = ts_codefix_exports.typeToAutoImportableTypeNode(checker, importAdder, type, caseBlock, target);
              if (!typeNode) {
                return void 0;
              }
              const expr = typeNodeToExpression(typeNode, target, quotePreference);
              if (!expr) {
                return void 0;
              }
              elements.push(expr);
            } else if (!tracker2.hasValue(type.value)) {
              switch (typeof type.value) {
                case "object":
                  elements.push(type.value.negative ? factory.createPrefixUnaryExpression(41, factory.createBigIntLiteral({ negative: false, base10Value: type.value.base10Value })) : factory.createBigIntLiteral(type.value));
                  break;
                case "number":
                  elements.push(type.value < 0 ? factory.createPrefixUnaryExpression(41, factory.createNumericLiteral(-type.value)) : factory.createNumericLiteral(type.value));
                  break;
                case "string":
                  elements.push(factory.createStringLiteral(
                    type.value,
                    quotePreference === 0
                    /* Single */
                  ));
                  break;
              }
            }
          }
          if (elements.length === 0) {
            return void 0;
          }
          const newClauses = map(elements, (element) => factory.createCaseClause(element, []));
          const newLineChar = getNewLineOrDefaultFromHost(host, formatContext == null ? void 0 : formatContext.options);
          const printer = createSnippetPrinter({
            removeComments: true,
            module: options.module,
            target: options.target,
            newLine: getNewLineKind(newLineChar)
          });
          const printNode = formatContext ? (node) => printer.printAndFormatNode(4, node, sourceFile, formatContext) : (node) => printer.printNode(4, node, sourceFile);
          const insertText = map(newClauses, (clause, i) => {
            if (preferences.includeCompletionsWithSnippetText) {
              return `${printNode(clause)}$${i + 1}`;
            }
            return `${printNode(clause)}`;
          }).join(newLineChar);
          const firstClause = printer.printNode(4, newClauses[0], sourceFile);
          return {
            entry: {
              name: `${firstClause} ...`,
              kind: "",
              sortText: SortText.GlobalsOrKeywords,
              insertText,
              hasAction: importAdder.hasFixes() || void 0,
              source: "SwitchCases/",
              isSnippet: preferences.includeCompletionsWithSnippetText ? true : void 0
            },
            importAdder
          };
        }
        return void 0;
      }
      function typeNodeToExpression(typeNode, languageVersion, quotePreference) {
        switch (typeNode.kind) {
          case 183:
            const typeName = typeNode.typeName;
            return entityNameToExpression(typeName, languageVersion, quotePreference);
          case 199:
            const objectExpression = typeNodeToExpression(typeNode.objectType, languageVersion, quotePreference);
            const indexExpression = typeNodeToExpression(typeNode.indexType, languageVersion, quotePreference);
            return objectExpression && indexExpression && factory.createElementAccessExpression(objectExpression, indexExpression);
          case 201:
            const literal = typeNode.literal;
            switch (literal.kind) {
              case 11:
                return factory.createStringLiteral(
                  literal.text,
                  quotePreference === 0
                  /* Single */
                );
              case 9:
                return factory.createNumericLiteral(literal.text, literal.numericLiteralFlags);
            }
            return void 0;
          case 196:
            const exp = typeNodeToExpression(typeNode.type, languageVersion, quotePreference);
            return exp && (isIdentifier(exp) ? exp : factory.createParenthesizedExpression(exp));
          case 186:
            return entityNameToExpression(typeNode.exprName, languageVersion, quotePreference);
          case 205:
            Debug.fail(`We should not get an import type after calling 'codefix.typeToAutoImportableTypeNode'.`);
        }
        return void 0;
      }
      function entityNameToExpression(entityName, languageVersion, quotePreference) {
        if (isIdentifier(entityName)) {
          return entityName;
        }
        const unescapedName = unescapeLeadingUnderscores(entityName.right.escapedText);
        if (canUsePropertyAccess(unescapedName, languageVersion)) {
          return factory.createPropertyAccessExpression(
            entityNameToExpression(entityName.left, languageVersion, quotePreference),
            unescapedName
          );
        } else {
          return factory.createElementAccessExpression(
            entityNameToExpression(entityName.left, languageVersion, quotePreference),
            factory.createStringLiteral(
              unescapedName,
              quotePreference === 0
              /* Single */
            )
          );
        }
      }
      function isMemberCompletionKind(kind) {
        switch (kind) {
          case 0:
          case 3:
          case 2:
            return true;
          default:
            return false;
        }
      }
      function getJsxClosingTagCompletion(location, sourceFile) {
        const jsxClosingElement = findAncestor(location, (node) => {
          switch (node.kind) {
            case 287:
              return true;
            case 44:
            case 32:
            case 80:
            case 211:
              return false;
            default:
              return "quit";
          }
        });
        if (jsxClosingElement) {
          const hasClosingAngleBracket = !!findChildOfKind(jsxClosingElement, 32, sourceFile);
          const tagName = jsxClosingElement.parent.openingElement.tagName;
          const closingTag = tagName.getText(sourceFile);
          const fullClosingTag = closingTag + (hasClosingAngleBracket ? "" : ">");
          const replacementSpan = createTextSpanFromNode(jsxClosingElement.tagName);
          const entry = {
            name: fullClosingTag,
            kind: "class",
            kindModifiers: void 0,
            sortText: SortText.LocationPriority
          };
          return { isGlobalCompletion: false, isMemberCompletion: true, isNewIdentifierLocation: false, optionalReplacementSpan: replacementSpan, entries: [entry] };
        }
        return;
      }
      function getJSCompletionEntries(sourceFile, position, uniqueNames, target, entries) {
        getNameTable(sourceFile).forEach((pos, name) => {
          if (pos === position) {
            return;
          }
          const realName = unescapeLeadingUnderscores(name);
          if (!uniqueNames.has(realName) && isIdentifierText(realName, target)) {
            uniqueNames.add(realName);
            insertSorted(entries, {
              name: realName,
              kind: "warning",
              kindModifiers: "",
              sortText: SortText.JavascriptIdentifiers,
              isFromUncheckedFile: true
            }, compareCompletionEntries);
          }
        });
      }
      function completionNameForLiteral(sourceFile, preferences, literal) {
        return typeof literal === "object" ? pseudoBigIntToString(literal) + "n" : isString2(literal) ? quote(sourceFile, preferences, literal) : JSON.stringify(literal);
      }
      function createCompletionEntryForLiteral(sourceFile, preferences, literal) {
        return { name: completionNameForLiteral(sourceFile, preferences, literal), kind: "string", kindModifiers: "", sortText: SortText.LocationPriority };
      }
      function createCompletionEntry(symbol, sortText, replacementToken, contextToken, location, position, sourceFile, host, program, name, needsConvertPropertyAccess, origin, recommendedCompletion, propertyAccessToConvert, isJsxInitializer, importStatementCompletion, useSemicolons, options, preferences, completionKind, formatContext, isJsxIdentifierExpected, isRightOfOpenTag, includeSymbol) {
        var _a, _b;
        let insertText;
        let filterText;
        let replacementSpan = getReplacementSpanForContextToken(replacementToken, position);
        let data;
        let isSnippet;
        let source = getSourceFromOrigin(origin);
        let sourceDisplay;
        let hasAction;
        let labelDetails;
        const typeChecker = program.getTypeChecker();
        const insertQuestionDot = origin && originIsNullableMember(origin);
        const useBraces = origin && originIsSymbolMember(origin) || needsConvertPropertyAccess;
        if (origin && originIsThisType(origin)) {
          insertText = needsConvertPropertyAccess ? `this${insertQuestionDot ? "?." : ""}[${quotePropertyName(sourceFile, preferences, name)}]` : `this${insertQuestionDot ? "?." : "."}${name}`;
        } else if ((useBraces || insertQuestionDot) && propertyAccessToConvert) {
          insertText = useBraces ? needsConvertPropertyAccess ? `[${quotePropertyName(sourceFile, preferences, name)}]` : `[${name}]` : name;
          if (insertQuestionDot || propertyAccessToConvert.questionDotToken) {
            insertText = `?.${insertText}`;
          }
          const dot = findChildOfKind(propertyAccessToConvert, 25, sourceFile) || findChildOfKind(propertyAccessToConvert, 29, sourceFile);
          if (!dot) {
            return void 0;
          }
          const end = startsWith2(name, propertyAccessToConvert.name.text) ? propertyAccessToConvert.name.end : dot.end;
          replacementSpan = createTextSpanFromBounds(dot.getStart(sourceFile), end);
        }
        if (isJsxInitializer) {
          if (insertText === void 0) insertText = name;
          insertText = `{${insertText}}`;
          if (typeof isJsxInitializer !== "boolean") {
            replacementSpan = createTextSpanFromNode(isJsxInitializer, sourceFile);
          }
        }
        if (origin && originIsPromise(origin) && propertyAccessToConvert) {
          if (insertText === void 0) insertText = name;
          const precedingToken = findPrecedingToken(propertyAccessToConvert.pos, sourceFile);
          let awaitText = "";
          if (precedingToken && positionIsASICandidate(precedingToken.end, precedingToken.parent, sourceFile)) {
            awaitText = ";";
          }
          awaitText += `(await ${propertyAccessToConvert.expression.getText()})`;
          insertText = needsConvertPropertyAccess ? `${awaitText}${insertText}` : `${awaitText}${insertQuestionDot ? "?." : "."}${insertText}`;
          const isInAwaitExpression = tryCast(propertyAccessToConvert.parent, isAwaitExpression);
          const wrapNode = isInAwaitExpression ? propertyAccessToConvert.parent : propertyAccessToConvert.expression;
          replacementSpan = createTextSpanFromBounds(wrapNode.getStart(sourceFile), propertyAccessToConvert.end);
        }
        if (originIsResolvedExport(origin)) {
          sourceDisplay = [textPart(origin.moduleSpecifier)];
          if (importStatementCompletion) {
            ({ insertText, replacementSpan } = getInsertTextAndReplacementSpanForImportCompletion(name, importStatementCompletion, origin, useSemicolons, sourceFile, options, preferences));
            isSnippet = preferences.includeCompletionsWithSnippetText ? true : void 0;
          }
        }
        if ((origin == null ? void 0 : origin.kind) === 64) {
          hasAction = true;
        }
        if (completionKind === 0 && contextToken && ((_a = findPrecedingToken(contextToken.pos, sourceFile, contextToken)) == null ? void 0 : _a.kind) !== 28) {
          if (isMethodDeclaration(contextToken.parent.parent) || isGetAccessorDeclaration(contextToken.parent.parent) || isSetAccessorDeclaration(contextToken.parent.parent) || isSpreadAssignment(contextToken.parent) || ((_b = findAncestor(contextToken.parent, isPropertyAssignment)) == null ? void 0 : _b.getLastToken(sourceFile)) === contextToken || isShorthandPropertyAssignment(contextToken.parent) && getLineAndCharacterOfPosition(sourceFile, contextToken.getEnd()).line !== getLineAndCharacterOfPosition(sourceFile, position).line) {
            source = "ObjectLiteralMemberWithComma/";
            hasAction = true;
          }
        }
        if (preferences.includeCompletionsWithClassMemberSnippets && preferences.includeCompletionsWithInsertText && completionKind === 3 && isClassLikeMemberCompletion(symbol, location, sourceFile)) {
          let importAdder;
          const memberCompletionEntry = getEntryForMemberCompletion(
            host,
            program,
            options,
            preferences,
            name,
            symbol,
            location,
            position,
            contextToken,
            formatContext
          );
          if (memberCompletionEntry) {
            ({ insertText, filterText, isSnippet, importAdder } = memberCompletionEntry);
            if ((importAdder == null ? void 0 : importAdder.hasFixes()) || memberCompletionEntry.eraseRange) {
              hasAction = true;
              source = "ClassMemberSnippet/";
            }
          } else {
            return void 0;
          }
        }
        if (origin && originIsObjectLiteralMethod(origin)) {
          ({ insertText, isSnippet, labelDetails } = origin);
          if (!preferences.useLabelDetailsInCompletionEntries) {
            name = name + labelDetails.detail;
            labelDetails = void 0;
          }
          source = "ObjectLiteralMethodSnippet/";
          sortText = SortText.SortBelow(sortText);
        }
        if (isJsxIdentifierExpected && !isRightOfOpenTag && preferences.includeCompletionsWithSnippetText && preferences.jsxAttributeCompletionStyle && preferences.jsxAttributeCompletionStyle !== "none" && !(isJsxAttribute(location.parent) && location.parent.initializer)) {
          let useBraces2 = preferences.jsxAttributeCompletionStyle === "braces";
          const type = typeChecker.getTypeOfSymbolAtLocation(symbol, location);
          if (preferences.jsxAttributeCompletionStyle === "auto" && !(type.flags & 528) && !(type.flags & 1048576 && find(type.types, (type2) => !!(type2.flags & 528)))) {
            if (type.flags & 402653316 || type.flags & 1048576 && every(type.types, (type2) => !!(type2.flags & (402653316 | 32768) || isStringAndEmptyAnonymousObjectIntersection(type2)))) {
              insertText = `${escapeSnippetText(name)}=${quote(sourceFile, preferences, "$1")}`;
              isSnippet = true;
            } else {
              useBraces2 = true;
            }
          }
          if (useBraces2) {
            insertText = `${escapeSnippetText(name)}={$1}`;
            isSnippet = true;
          }
        }
        if (insertText !== void 0 && !preferences.includeCompletionsWithInsertText) {
          return void 0;
        }
        if (originIsExport(origin) || originIsResolvedExport(origin)) {
          data = originToCompletionEntryData(origin);
          hasAction = !importStatementCompletion;
        }
        const parentNamedImportOrExport = findAncestor(location, isNamedImportsOrExports);
        if ((parentNamedImportOrExport == null ? void 0 : parentNamedImportOrExport.kind) === 275) {
          const possibleToken = stringToToken(name);
          if (parentNamedImportOrExport && possibleToken && (possibleToken === 135 || isNonContextualKeyword(possibleToken))) {
            insertText = `${name} as ${name}_`;
          }
        }
        return {
          name,
          kind: ts_SymbolDisplay_exports.getSymbolKind(typeChecker, symbol, location),
          kindModifiers: ts_SymbolDisplay_exports.getSymbolModifiers(typeChecker, symbol),
          sortText,
          source,
          hasAction: hasAction ? true : void 0,
          isRecommended: isRecommendedCompletionMatch(symbol, recommendedCompletion, typeChecker) || void 0,
          insertText,
          filterText,
          replacementSpan,
          sourceDisplay,
          labelDetails,
          isSnippet,
          isPackageJsonImport: originIsPackageJsonImport(origin) || void 0,
          isImportStatementCompletion: !!importStatementCompletion || void 0,
          data,
          ...includeSymbol ? { symbol } : void 0
        };
      }
      function isClassLikeMemberCompletion(symbol, location, sourceFile) {
        if (isInJSFile(location)) {
          return false;
        }
        const memberFlags = 106500 & 900095;
        return !!(symbol.flags & memberFlags) && (isClassLike(location) || location.parent && location.parent.parent && isClassElement(location.parent) && location === location.parent.name && location.parent.getLastToken(sourceFile) === location.parent.name && isClassLike(location.parent.parent) || location.parent && isSyntaxList(location) && isClassLike(location.parent));
      }
      function getEntryForMemberCompletion(host, program, options, preferences, name, symbol, location, position, contextToken, formatContext) {
        const classLikeDeclaration = findAncestor(location, isClassLike);
        if (!classLikeDeclaration) {
          return void 0;
        }
        let isSnippet;
        let insertText = name;
        const filterText = name;
        const checker = program.getTypeChecker();
        const sourceFile = location.getSourceFile();
        const printer = createSnippetPrinter({
          removeComments: true,
          module: options.module,
          target: options.target,
          omitTrailingSemicolon: false,
          newLine: getNewLineKind(getNewLineOrDefaultFromHost(host, formatContext == null ? void 0 : formatContext.options))
        });
        const importAdder = ts_codefix_exports.createImportAdder(sourceFile, program, preferences, host);
        let body;
        if (preferences.includeCompletionsWithSnippetText) {
          isSnippet = true;
          const emptyStmt = factory.createEmptyStatement();
          body = factory.createBlock(
            [emptyStmt],
            /*multiLine*/
            true
          );
          setSnippetElement(emptyStmt, { kind: 0, order: 0 });
        } else {
          body = factory.createBlock(
            [],
            /*multiLine*/
            true
          );
        }
        let modifiers = 0;
        const { modifiers: presentModifiers, range: eraseRange, decorators: presentDecorators } = getPresentModifiers(contextToken, sourceFile, position);
        const isAbstract = presentModifiers & 64 && classLikeDeclaration.modifierFlagsCache & 64;
        let completionNodes = [];
        ts_codefix_exports.addNewNodeForMemberSymbol(
          symbol,
          classLikeDeclaration,
          sourceFile,
          { program, host },
          preferences,
          importAdder,
          // `addNewNodeForMemberSymbol` calls this callback function for each new member node
          // it adds for the given member symbol.
          // We store these member nodes in the `completionNodes` array.
          // Note: there might be:
          //  - No nodes if `addNewNodeForMemberSymbol` cannot figure out a node for the member;
          //  - One node;
          //  - More than one node if the member is overloaded (e.g. a method with overload signatures).
          (node) => {
            let requiredModifiers = 0;
            if (isAbstract) {
              requiredModifiers |= 64;
            }
            if (isClassElement(node) && checker.getMemberOverrideModifierStatus(classLikeDeclaration, node, symbol) === 1) {
              requiredModifiers |= 16;
            }
            if (!completionNodes.length) {
              modifiers = node.modifierFlagsCache | requiredModifiers;
            }
            node = factory.replaceModifiers(node, modifiers);
            completionNodes.push(node);
          },
          body,
          ts_codefix_exports.PreserveOptionalFlags.Property,
          !!isAbstract
        );
        if (completionNodes.length) {
          const isMethod = symbol.flags & 8192;
          let allowedModifiers = modifiers | 16 | 1;
          if (!isMethod) {
            allowedModifiers |= 128 | 8;
          } else {
            allowedModifiers |= 1024;
          }
          const allowedAndPresent = presentModifiers & allowedModifiers;
          if (presentModifiers & ~allowedModifiers) {
            return void 0;
          }
          if (modifiers & 4 && allowedAndPresent & 1) {
            modifiers &= ~4;
          }
          if (allowedAndPresent !== 0 && !(allowedAndPresent & 1)) {
            modifiers &= ~1;
          }
          modifiers |= allowedAndPresent;
          completionNodes = completionNodes.map((node) => factory.replaceModifiers(node, modifiers));
          if (presentDecorators == null ? void 0 : presentDecorators.length) {
            const lastNode = completionNodes[completionNodes.length - 1];
            if (canHaveDecorators(lastNode)) {
              completionNodes[completionNodes.length - 1] = factory.replaceDecoratorsAndModifiers(lastNode, presentDecorators.concat(getModifiers(lastNode) || []));
            }
          }
          const format2 = 1 | 131072;
          if (formatContext) {
            insertText = printer.printAndFormatSnippetList(
              format2,
              factory.createNodeArray(completionNodes),
              sourceFile,
              formatContext
            );
          } else {
            insertText = printer.printSnippetList(
              format2,
              factory.createNodeArray(completionNodes),
              sourceFile
            );
          }
        }
        return { insertText, filterText, isSnippet, importAdder, eraseRange };
      }
      function getPresentModifiers(contextToken, sourceFile, position) {
        if (!contextToken || getLineAndCharacterOfPosition(sourceFile, position).line > getLineAndCharacterOfPosition(sourceFile, contextToken.getEnd()).line) {
          return {
            modifiers: 0
            /* None */
          };
        }
        let modifiers = 0;
        let decorators;
        let contextMod;
        const range = { pos: position, end: position };
        if (isPropertyDeclaration(contextToken.parent) && (contextMod = isModifierLike2(contextToken))) {
          if (contextToken.parent.modifiers) {
            modifiers |= modifiersToFlags(contextToken.parent.modifiers) & 98303;
            decorators = contextToken.parent.modifiers.filter(isDecorator) || [];
            range.pos = Math.min(...contextToken.parent.modifiers.map((n) => n.getStart(sourceFile)));
          }
          const contextModifierFlag = modifierToFlag(contextMod);
          if (!(modifiers & contextModifierFlag)) {
            modifiers |= contextModifierFlag;
            range.pos = Math.min(range.pos, contextToken.getStart(sourceFile));
          }
          if (contextToken.parent.name !== contextToken) {
            range.end = contextToken.parent.name.getStart(sourceFile);
          }
        }
        return { modifiers, decorators, range: range.pos < range.end ? range : void 0 };
      }
      function isModifierLike2(node) {
        if (isModifier(node)) {
          return node.kind;
        }
        if (isIdentifier(node)) {
          const originalKeywordKind = identifierToKeywordKind(node);
          if (originalKeywordKind && isModifierKind(originalKeywordKind)) {
            return originalKeywordKind;
          }
        }
        return void 0;
      }
      function getEntryForObjectLiteralMethodCompletion(symbol, name, enclosingDeclaration, program, host, options, preferences, formatContext) {
        const isSnippet = preferences.includeCompletionsWithSnippetText || void 0;
        let insertText = name;
        const sourceFile = enclosingDeclaration.getSourceFile();
        const method = createObjectLiteralMethod(symbol, enclosingDeclaration, sourceFile, program, host, preferences);
        if (!method) {
          return void 0;
        }
        const printer = createSnippetPrinter({
          removeComments: true,
          module: options.module,
          target: options.target,
          omitTrailingSemicolon: false,
          newLine: getNewLineKind(getNewLineOrDefaultFromHost(host, formatContext == null ? void 0 : formatContext.options))
        });
        if (formatContext) {
          insertText = printer.printAndFormatSnippetList(16 | 64, factory.createNodeArray(
            [method],
            /*hasTrailingComma*/
            true
          ), sourceFile, formatContext);
        } else {
          insertText = printer.printSnippetList(16 | 64, factory.createNodeArray(
            [method],
            /*hasTrailingComma*/
            true
          ), sourceFile);
        }
        const signaturePrinter = createPrinter({
          removeComments: true,
          module: options.module,
          target: options.target,
          omitTrailingSemicolon: true
        });
        const methodSignature = factory.createMethodSignature(
          /*modifiers*/
          void 0,
          /*name*/
          "",
          method.questionToken,
          method.typeParameters,
          method.parameters,
          method.type
        );
        const labelDetails = { detail: signaturePrinter.printNode(4, methodSignature, sourceFile) };
        return { isSnippet, insertText, labelDetails };
      }
      function createObjectLiteralMethod(symbol, enclosingDeclaration, sourceFile, program, host, preferences) {
        const declarations = symbol.getDeclarations();
        if (!(declarations && declarations.length)) {
          return void 0;
        }
        const checker = program.getTypeChecker();
        const declaration = declarations[0];
        const name = getSynthesizedDeepClone(
          getNameOfDeclaration(declaration),
          /*includeTrivia*/
          false
        );
        const type = checker.getWidenedType(checker.getTypeOfSymbolAtLocation(symbol, enclosingDeclaration));
        const quotePreference = getQuotePreference(sourceFile, preferences);
        const builderFlags = 33554432 | (quotePreference === 0 ? 268435456 : 0);
        switch (declaration.kind) {
          case 171:
          case 172:
          case 173:
          case 174: {
            let effectiveType = type.flags & 1048576 && type.types.length < 10 ? checker.getUnionType(
              type.types,
              2
              /* Subtype */
            ) : type;
            if (effectiveType.flags & 1048576) {
              const functionTypes2 = filter(effectiveType.types, (type2) => checker.getSignaturesOfType(
                type2,
                0
                /* Call */
              ).length > 0);
              if (functionTypes2.length === 1) {
                effectiveType = functionTypes2[0];
              } else {
                return void 0;
              }
            }
            const signatures = checker.getSignaturesOfType(
              effectiveType,
              0
              /* Call */
            );
            if (signatures.length !== 1) {
              return void 0;
            }
            const typeNode = checker.typeToTypeNode(effectiveType, enclosingDeclaration, builderFlags, ts_codefix_exports.getNoopSymbolTrackerWithResolver({ program, host }));
            if (!typeNode || !isFunctionTypeNode(typeNode)) {
              return void 0;
            }
            let body;
            if (preferences.includeCompletionsWithSnippetText) {
              const emptyStmt = factory.createEmptyStatement();
              body = factory.createBlock(
                [emptyStmt],
                /*multiLine*/
                true
              );
              setSnippetElement(emptyStmt, { kind: 0, order: 0 });
            } else {
              body = factory.createBlock(
                [],
                /*multiLine*/
                true
              );
            }
            const parameters = typeNode.parameters.map(
              (typedParam) => factory.createParameterDeclaration(
                /*modifiers*/
                void 0,
                typedParam.dotDotDotToken,
                typedParam.name,
                /*questionToken*/
                void 0,
                /*type*/
                void 0,
                typedParam.initializer
              )
            );
            return factory.createMethodDeclaration(
              /*modifiers*/
              void 0,
              /*asteriskToken*/
              void 0,
              name,
              /*questionToken*/
              void 0,
              /*typeParameters*/
              void 0,
              parameters,
              /*type*/
              void 0,
              body
            );
          }
          default:
            return void 0;
        }
      }
      function createSnippetPrinter(printerOptions) {
        let escapes;
        const baseWriter = ts_textChanges_exports.createWriter(getNewLineCharacter(printerOptions));
        const printer = createPrinter(printerOptions, baseWriter);
        const writer = {
          ...baseWriter,
          write: (s) => escapingWrite(s, () => baseWriter.write(s)),
          nonEscapingWrite: baseWriter.write,
          writeLiteral: (s) => escapingWrite(s, () => baseWriter.writeLiteral(s)),
          writeStringLiteral: (s) => escapingWrite(s, () => baseWriter.writeStringLiteral(s)),
          writeSymbol: (s, symbol) => escapingWrite(s, () => baseWriter.writeSymbol(s, symbol)),
          writeParameter: (s) => escapingWrite(s, () => baseWriter.writeParameter(s)),
          writeComment: (s) => escapingWrite(s, () => baseWriter.writeComment(s)),
          writeProperty: (s) => escapingWrite(s, () => baseWriter.writeProperty(s))
        };
        return {
          printSnippetList,
          printAndFormatSnippetList,
          printNode,
          printAndFormatNode
        };
        function escapingWrite(s, write) {
          const escaped = escapeSnippetText(s);
          if (escaped !== s) {
            const start = baseWriter.getTextPos();
            write();
            const end = baseWriter.getTextPos();
            escapes = append(escapes || (escapes = []), { newText: escaped, span: { start, length: end - start } });
          } else {
            write();
          }
        }
        function printSnippetList(format2, list, sourceFile) {
          const unescaped = printUnescapedSnippetList(format2, list, sourceFile);
          return escapes ? ts_textChanges_exports.applyChanges(unescaped, escapes) : unescaped;
        }
        function printUnescapedSnippetList(format2, list, sourceFile) {
          escapes = void 0;
          writer.clear();
          printer.writeList(format2, list, sourceFile, writer);
          return writer.getText();
        }
        function printAndFormatSnippetList(format2, list, sourceFile, formatContext) {
          const syntheticFile = {
            text: printUnescapedSnippetList(
              format2,
              list,
              sourceFile
            ),
            getLineAndCharacterOfPosition(pos) {
              return getLineAndCharacterOfPosition(this, pos);
            }
          };
          const formatOptions = getFormatCodeSettingsForWriting(formatContext, sourceFile);
          const changes = flatMap(list, (node) => {
            const nodeWithPos = ts_textChanges_exports.assignPositionsToNode(node);
            return ts_formatting_exports.formatNodeGivenIndentation(
              nodeWithPos,
              syntheticFile,
              sourceFile.languageVariant,
              /* indentation */
              0,
              /* delta */
              0,
              { ...formatContext, options: formatOptions }
            );
          });
          const allChanges = escapes ? stableSort(concatenate(changes, escapes), (a, b) => compareTextSpans(a.span, b.span)) : changes;
          return ts_textChanges_exports.applyChanges(syntheticFile.text, allChanges);
        }
        function printNode(hint, node, sourceFile) {
          const unescaped = printUnescapedNode(hint, node, sourceFile);
          return escapes ? ts_textChanges_exports.applyChanges(unescaped, escapes) : unescaped;
        }
        function printUnescapedNode(hint, node, sourceFile) {
          escapes = void 0;
          writer.clear();
          printer.writeNode(hint, node, sourceFile, writer);
          return writer.getText();
        }
        function printAndFormatNode(hint, node, sourceFile, formatContext) {
          const syntheticFile = {
            text: printUnescapedNode(
              hint,
              node,
              sourceFile
            ),
            getLineAndCharacterOfPosition(pos) {
              return getLineAndCharacterOfPosition(this, pos);
            }
          };
          const formatOptions = getFormatCodeSettingsForWriting(formatContext, sourceFile);
          const nodeWithPos = ts_textChanges_exports.assignPositionsToNode(node);
          const changes = ts_formatting_exports.formatNodeGivenIndentation(
            nodeWithPos,
            syntheticFile,
            sourceFile.languageVariant,
            /* indentation */
            0,
            /* delta */
            0,
            { ...formatContext, options: formatOptions }
          );
          const allChanges = escapes ? stableSort(concatenate(changes, escapes), (a, b) => compareTextSpans(a.span, b.span)) : changes;
          return ts_textChanges_exports.applyChanges(syntheticFile.text, allChanges);
        }
      }
      function originToCompletionEntryData(origin) {
        const ambientModuleName = origin.fileName ? void 0 : stripQuotes(origin.moduleSymbol.name);
        const isPackageJsonImport = origin.isFromPackageJson ? true : void 0;
        if (originIsResolvedExport(origin)) {
          const resolvedData = {
            exportName: origin.exportName,
            exportMapKey: origin.exportMapKey,
            moduleSpecifier: origin.moduleSpecifier,
            ambientModuleName,
            fileName: origin.fileName,
            isPackageJsonImport
          };
          return resolvedData;
        }
        const unresolvedData = {
          exportName: origin.exportName,
          exportMapKey: origin.exportMapKey,
          fileName: origin.fileName,
          ambientModuleName: origin.fileName ? void 0 : stripQuotes(origin.moduleSymbol.name),
          isPackageJsonImport: origin.isFromPackageJson ? true : void 0
        };
        return unresolvedData;
      }
      function completionEntryDataToSymbolOriginInfo(data, completionName, moduleSymbol) {
        const isDefaultExport = data.exportName === "default";
        const isFromPackageJson = !!data.isPackageJsonImport;
        if (completionEntryDataIsResolved(data)) {
          const resolvedOrigin = {
            kind: 32,
            exportName: data.exportName,
            exportMapKey: data.exportMapKey,
            moduleSpecifier: data.moduleSpecifier,
            symbolName: completionName,
            fileName: data.fileName,
            moduleSymbol,
            isDefaultExport,
            isFromPackageJson
          };
          return resolvedOrigin;
        }
        const unresolvedOrigin = {
          kind: 4,
          exportName: data.exportName,
          exportMapKey: data.exportMapKey,
          symbolName: completionName,
          fileName: data.fileName,
          moduleSymbol,
          isDefaultExport,
          isFromPackageJson
        };
        return unresolvedOrigin;
      }
      function getInsertTextAndReplacementSpanForImportCompletion(name, importStatementCompletion, origin, useSemicolons, sourceFile, options, preferences) {
        const replacementSpan = importStatementCompletion.replacementSpan;
        const quotedModuleSpecifier = escapeSnippetText(quote(sourceFile, preferences, origin.moduleSpecifier));
        const exportKind = origin.isDefaultExport ? 1 : origin.exportName === "export=" ? 2 : 0;
        const tabStop = preferences.includeCompletionsWithSnippetText ? "$1" : "";
        const importKind = ts_codefix_exports.getImportKind(
          sourceFile,
          exportKind,
          options,
          /*forceImportKeyword*/
          true
        );
        const isImportSpecifierTypeOnly = importStatementCompletion.couldBeTypeOnlyImportSpecifier;
        const topLevelTypeOnlyText = importStatementCompletion.isTopLevelTypeOnly ? ` ${tokenToString(
          156
          /* TypeKeyword */
        )} ` : " ";
        const importSpecifierTypeOnlyText = isImportSpecifierTypeOnly ? `${tokenToString(
          156
          /* TypeKeyword */
        )} ` : "";
        const suffix = useSemicolons ? ";" : "";
        switch (importKind) {
          case 3:
            return { replacementSpan, insertText: `import${topLevelTypeOnlyText}${escapeSnippetText(name)}${tabStop} = require(${quotedModuleSpecifier})${suffix}` };
          case 1:
            return { replacementSpan, insertText: `import${topLevelTypeOnlyText}${escapeSnippetText(name)}${tabStop} from ${quotedModuleSpecifier}${suffix}` };
          case 2:
            return { replacementSpan, insertText: `import${topLevelTypeOnlyText}* as ${escapeSnippetText(name)} from ${quotedModuleSpecifier}${suffix}` };
          case 0:
            return { replacementSpan, insertText: `import${topLevelTypeOnlyText}{ ${importSpecifierTypeOnlyText}${escapeSnippetText(name)}${tabStop} } from ${quotedModuleSpecifier}${suffix}` };
        }
      }
      function quotePropertyName(sourceFile, preferences, name) {
        if (/^\d+$/.test(name)) {
          return name;
        }
        return quote(sourceFile, preferences, name);
      }
      function isRecommendedCompletionMatch(localSymbol, recommendedCompletion, checker) {
        return localSymbol === recommendedCompletion || !!(localSymbol.flags & 1048576) && checker.getExportSymbolOfSymbol(localSymbol) === recommendedCompletion;
      }
      function getSourceFromOrigin(origin) {
        if (originIsExport(origin)) {
          return stripQuotes(origin.moduleSymbol.name);
        }
        if (originIsResolvedExport(origin)) {
          return origin.moduleSpecifier;
        }
        if ((origin == null ? void 0 : origin.kind) === 1) {
          return "ThisProperty/";
        }
        if ((origin == null ? void 0 : origin.kind) === 64) {
          return "TypeOnlyAlias/";
        }
      }
      function getCompletionEntriesFromSymbols(symbols, entries, replacementToken, contextToken, location, position, sourceFile, host, program, target, log, kind, preferences, compilerOptions, formatContext, isTypeOnlyLocation, propertyAccessToConvert, jsxIdentifierExpected, isJsxInitializer, importStatementCompletion, recommendedCompletion, symbolToOriginInfoMap, symbolToSortTextMap, isJsxIdentifierExpected, isRightOfOpenTag, includeSymbol = false) {
        const start = timestamp();
        const variableOrParameterDeclaration = getVariableOrParameterDeclaration(contextToken, location);
        const useSemicolons = probablyUsesSemicolons(sourceFile);
        const typeChecker = program.getTypeChecker();
        const uniques = /* @__PURE__ */ new Map();
        for (let i = 0; i < symbols.length; i++) {
          const symbol = symbols[i];
          const origin = symbolToOriginInfoMap == null ? void 0 : symbolToOriginInfoMap[i];
          const info = getCompletionEntryDisplayNameForSymbol(symbol, target, origin, kind, !!jsxIdentifierExpected);
          if (!info || uniques.get(info.name) && (!origin || !originIsObjectLiteralMethod(origin)) || kind === 1 && symbolToSortTextMap && !shouldIncludeSymbol(symbol, symbolToSortTextMap)) {
            continue;
          }
          if (!isTypeOnlyLocation && isInJSFile(sourceFile) && symbolAppearsToBeTypeOnly(symbol)) {
            continue;
          }
          const { name, needsConvertPropertyAccess } = info;
          const originalSortText = (symbolToSortTextMap == null ? void 0 : symbolToSortTextMap[getSymbolId(symbol)]) ?? SortText.LocationPriority;
          const sortText = isDeprecated(symbol, typeChecker) ? SortText.Deprecated(originalSortText) : originalSortText;
          const entry = createCompletionEntry(
            symbol,
            sortText,
            replacementToken,
            contextToken,
            location,
            position,
            sourceFile,
            host,
            program,
            name,
            needsConvertPropertyAccess,
            origin,
            recommendedCompletion,
            propertyAccessToConvert,
            isJsxInitializer,
            importStatementCompletion,
            useSemicolons,
            compilerOptions,
            preferences,
            kind,
            formatContext,
            isJsxIdentifierExpected,
            isRightOfOpenTag,
            includeSymbol
          );
          if (!entry) {
            continue;
          }
          const shouldShadowLaterSymbols = (!origin || originIsTypeOnlyAlias(origin)) && !(symbol.parent === void 0 && !some(symbol.declarations, (d) => d.getSourceFile() === location.getSourceFile()));
          uniques.set(name, shouldShadowLaterSymbols);
          insertSorted(
            entries,
            entry,
            compareCompletionEntries,
            /*equalityComparer*/
            void 0,
            /*allowDuplicates*/
            true
          );
        }
        log("getCompletionsAtPosition: getCompletionEntriesFromSymbols: " + (timestamp() - start));
        return {
          has: (name) => uniques.has(name),
          add: (name) => uniques.set(name, true)
        };
        function shouldIncludeSymbol(symbol, symbolToSortTextMap2) {
          var _a;
          let allFlags = symbol.flags;
          if (!isSourceFile(location)) {
            if (isExportAssignment(location.parent)) {
              return true;
            }
            if (tryCast(variableOrParameterDeclaration, isVariableDeclaration) && symbol.valueDeclaration === variableOrParameterDeclaration) {
              return false;
            }
            const symbolDeclaration = symbol.valueDeclaration ?? ((_a = symbol.declarations) == null ? void 0 : _a[0]);
            if (variableOrParameterDeclaration && symbolDeclaration && (isTypeParameterDeclaration(variableOrParameterDeclaration) && isTypeParameterDeclaration(symbolDeclaration) || isParameter(variableOrParameterDeclaration) && isParameter(symbolDeclaration))) {
              const symbolDeclarationPos = symbolDeclaration.pos;
              const parameters = isParameter(variableOrParameterDeclaration) ? variableOrParameterDeclaration.parent.parameters : isInferTypeNode(variableOrParameterDeclaration.parent) ? void 0 : variableOrParameterDeclaration.parent.typeParameters;
              if (symbolDeclarationPos >= variableOrParameterDeclaration.pos && parameters && symbolDeclarationPos < parameters.end) {
                return false;
              }
            }
            const symbolOrigin = skipAlias(symbol, typeChecker);
            if (!!sourceFile.externalModuleIndicator && !compilerOptions.allowUmdGlobalAccess && symbolToSortTextMap2[getSymbolId(symbol)] === SortText.GlobalsOrKeywords && (symbolToSortTextMap2[getSymbolId(symbolOrigin)] === SortText.AutoImportSuggestions || symbolToSortTextMap2[getSymbolId(symbolOrigin)] === SortText.LocationPriority)) {
              return false;
            }
            allFlags |= getCombinedLocalAndExportSymbolFlags(symbolOrigin);
            if (isInRightSideOfInternalImportEqualsDeclaration(location)) {
              return !!(allFlags & 1920);
            }
            if (isTypeOnlyLocation) {
              return symbolCanBeReferencedAtTypeLocation(symbol, typeChecker);
            }
          }
          return !!(allFlags & 111551);
        }
        function symbolAppearsToBeTypeOnly(symbol) {
          var _a;
          const flags = getCombinedLocalAndExportSymbolFlags(skipAlias(symbol, typeChecker));
          return !(flags & 111551) && (!isInJSFile((_a = symbol.declarations) == null ? void 0 : _a[0]) || !!(flags & 788968));
        }
      }
      function getLabelCompletionAtPosition(node) {
        const entries = getLabelStatementCompletions(node);
        if (entries.length) {
          return { isGlobalCompletion: false, isMemberCompletion: false, isNewIdentifierLocation: false, entries };
        }
      }
      function getLabelStatementCompletions(node) {
        const entries = [];
        const uniques = /* @__PURE__ */ new Map();
        let current = node;
        while (current) {
          if (isFunctionLike(current)) {
            break;
          }
          if (isLabeledStatement(current)) {
            const name = current.label.text;
            if (!uniques.has(name)) {
              uniques.set(name, true);
              entries.push({
                name,
                kindModifiers: "",
                kind: "label",
                sortText: SortText.LocationPriority
              });
            }
          }
          current = current.parent;
        }
        return entries;
      }
      function getSymbolCompletionFromEntryId(program, log, sourceFile, position, entryId, host, preferences) {
        if (entryId.source === "SwitchCases/") {
          return { type: "cases" };
        }
        if (entryId.data) {
          const autoImport = getAutoImportSymbolFromCompletionEntryData(entryId.name, entryId.data, program, host);
          if (autoImport) {
            const { contextToken: contextToken2, previousToken: previousToken2 } = getRelevantTokens(position, sourceFile);
            return {
              type: "symbol",
              symbol: autoImport.symbol,
              location: getTouchingPropertyName(sourceFile, position),
              previousToken: previousToken2,
              contextToken: contextToken2,
              isJsxInitializer: false,
              isTypeOnlyLocation: false,
              origin: autoImport.origin
            };
          }
        }
        const compilerOptions = program.getCompilerOptions();
        const completionData = getCompletionData(
          program,
          log,
          sourceFile,
          compilerOptions,
          position,
          { includeCompletionsForModuleExports: true, includeCompletionsWithInsertText: true },
          entryId,
          host,
          /*formatContext*/
          void 0
        );
        if (!completionData) {
          return { type: "none" };
        }
        if (completionData.kind !== 0) {
          return { type: "request", request: completionData };
        }
        const { symbols, literals, location, completionKind, symbolToOriginInfoMap, contextToken, previousToken, isJsxInitializer, isTypeOnlyLocation } = completionData;
        const literal = find(literals, (l) => completionNameForLiteral(sourceFile, preferences, l) === entryId.name);
        if (literal !== void 0) return { type: "literal", literal };
        return firstDefined(symbols, (symbol, index) => {
          const origin = symbolToOriginInfoMap[index];
          const info = getCompletionEntryDisplayNameForSymbol(symbol, getEmitScriptTarget(compilerOptions), origin, completionKind, completionData.isJsxIdentifierExpected);
          return info && info.name === entryId.name && (entryId.source === "ClassMemberSnippet/" && symbol.flags & 106500 || entryId.source === "ObjectLiteralMethodSnippet/" && symbol.flags & (4 | 8192) || getSourceFromOrigin(origin) === entryId.source || entryId.source === "ObjectLiteralMemberWithComma/") ? { type: "symbol", symbol, location, origin, contextToken, previousToken, isJsxInitializer, isTypeOnlyLocation } : void 0;
        }) || { type: "none" };
      }
      function getCompletionEntryDetails(program, log, sourceFile, position, entryId, host, formatContext, preferences, cancellationToken) {
        const typeChecker = program.getTypeChecker();
        const compilerOptions = program.getCompilerOptions();
        const { name, source, data } = entryId;
        const { previousToken, contextToken } = getRelevantTokens(position, sourceFile);
        if (isInString(sourceFile, position, previousToken)) {
          return ts_Completions_StringCompletions_exports.getStringLiteralCompletionDetails(name, sourceFile, position, previousToken, program, host, cancellationToken, preferences);
        }
        const symbolCompletion = getSymbolCompletionFromEntryId(program, log, sourceFile, position, entryId, host, preferences);
        switch (symbolCompletion.type) {
          case "request": {
            const { request } = symbolCompletion;
            switch (request.kind) {
              case 1:
                return ts_JsDoc_exports.getJSDocTagNameCompletionDetails(name);
              case 2:
                return ts_JsDoc_exports.getJSDocTagCompletionDetails(name);
              case 3:
                return ts_JsDoc_exports.getJSDocParameterNameCompletionDetails(name);
              case 4:
                return some(request.keywordCompletions, (c) => c.name === name) ? createSimpleDetails(
                  name,
                  "keyword",
                  5
                  /* keyword */
                ) : void 0;
              default:
                return Debug.assertNever(request);
            }
          }
          case "symbol": {
            const { symbol, location, contextToken: contextToken2, origin, previousToken: previousToken2 } = symbolCompletion;
            const { codeActions, sourceDisplay } = getCompletionEntryCodeActionsAndSourceDisplay(name, location, contextToken2, origin, symbol, program, host, compilerOptions, sourceFile, position, previousToken2, formatContext, preferences, data, source, cancellationToken);
            const symbolName2 = originIsComputedPropertyName(origin) ? origin.symbolName : symbol.name;
            return createCompletionDetailsForSymbol(symbol, symbolName2, typeChecker, sourceFile, location, cancellationToken, codeActions, sourceDisplay);
          }
          case "literal": {
            const { literal } = symbolCompletion;
            return createSimpleDetails(
              completionNameForLiteral(sourceFile, preferences, literal),
              "string",
              typeof literal === "string" ? 8 : 7
              /* numericLiteral */
            );
          }
          case "cases": {
            const snippets = getExhaustiveCaseSnippets(
              contextToken.parent,
              sourceFile,
              preferences,
              program.getCompilerOptions(),
              host,
              program,
              /*formatContext*/
              void 0
            );
            if (snippets == null ? void 0 : snippets.importAdder.hasFixes()) {
              const { entry, importAdder } = snippets;
              const changes = ts_textChanges_exports.ChangeTracker.with(
                { host, formatContext, preferences },
                importAdder.writeFixes
              );
              return {
                name: entry.name,
                kind: "",
                kindModifiers: "",
                displayParts: [],
                sourceDisplay: void 0,
                codeActions: [{
                  changes,
                  description: diagnosticToString([Diagnostics.Includes_imports_of_types_referenced_by_0, name])
                }]
              };
            }
            return {
              name,
              kind: "",
              kindModifiers: "",
              displayParts: [],
              sourceDisplay: void 0
            };
          }
          case "none":
            return allKeywordsCompletions().some((c) => c.name === name) ? createSimpleDetails(
              name,
              "keyword",
              5
              /* keyword */
            ) : void 0;
          default:
            Debug.assertNever(symbolCompletion);
        }
      }
      function createSimpleDetails(name, kind, kind2) {
        return createCompletionDetails(name, "", kind, [displayPart(name, kind2)]);
      }
      function createCompletionDetailsForSymbol(symbol, name, checker, sourceFile, location, cancellationToken, codeActions, sourceDisplay) {
        const { displayParts, documentation, symbolKind, tags } = checker.runWithCancellationToken(cancellationToken, (checker2) => ts_SymbolDisplay_exports.getSymbolDisplayPartsDocumentationAndSymbolKind(
          checker2,
          symbol,
          sourceFile,
          location,
          location,
          7
          /* All */
        ));
        return createCompletionDetails(name, ts_SymbolDisplay_exports.getSymbolModifiers(checker, symbol), symbolKind, displayParts, documentation, tags, codeActions, sourceDisplay);
      }
      function createCompletionDetails(name, kindModifiers, kind, displayParts, documentation, tags, codeActions, source) {
        return { name, kindModifiers, kind, displayParts, documentation, tags, codeActions, source, sourceDisplay: source };
      }
      function getCompletionEntryCodeActionsAndSourceDisplay(name, location, contextToken, origin, symbol, program, host, compilerOptions, sourceFile, position, previousToken, formatContext, preferences, data, source, cancellationToken) {
        if (data == null ? void 0 : data.moduleSpecifier) {
          if (previousToken && getImportStatementCompletionInfo(contextToken || previousToken, sourceFile).replacementSpan) {
            return { codeActions: void 0, sourceDisplay: [textPart(data.moduleSpecifier)] };
          }
        }
        if (source === "ClassMemberSnippet/") {
          const { importAdder, eraseRange } = getEntryForMemberCompletion(
            host,
            program,
            compilerOptions,
            preferences,
            name,
            symbol,
            location,
            position,
            contextToken,
            formatContext
          );
          if ((importAdder == null ? void 0 : importAdder.hasFixes()) || eraseRange) {
            const changes = ts_textChanges_exports.ChangeTracker.with(
              { host, formatContext, preferences },
              (tracker2) => {
                if (importAdder) {
                  importAdder.writeFixes(tracker2);
                }
                if (eraseRange) {
                  tracker2.deleteRange(sourceFile, eraseRange);
                }
              }
            );
            return {
              sourceDisplay: void 0,
              codeActions: [{
                changes,
                description: (importAdder == null ? void 0 : importAdder.hasFixes()) ? diagnosticToString([Diagnostics.Includes_imports_of_types_referenced_by_0, name]) : diagnosticToString([Diagnostics.Update_modifiers_of_0, name])
              }]
            };
          }
        }
        if (originIsTypeOnlyAlias(origin)) {
          const codeAction2 = ts_codefix_exports.getPromoteTypeOnlyCompletionAction(
            sourceFile,
            origin.declaration.name,
            program,
            host,
            formatContext,
            preferences
          );
          Debug.assertIsDefined(codeAction2, "Expected to have a code action for promoting type-only alias");
          return { codeActions: [codeAction2], sourceDisplay: void 0 };
        }
        if (source === "ObjectLiteralMemberWithComma/" && contextToken) {
          const changes = ts_textChanges_exports.ChangeTracker.with(
            { host, formatContext, preferences },
            (tracker2) => tracker2.insertText(sourceFile, contextToken.end, ",")
          );
          if (changes) {
            return {
              sourceDisplay: void 0,
              codeActions: [{
                changes,
                description: diagnosticToString([Diagnostics.Add_missing_comma_for_object_member_completion_0, name])
              }]
            };
          }
        }
        if (!origin || !(originIsExport(origin) || originIsResolvedExport(origin))) {
          return { codeActions: void 0, sourceDisplay: void 0 };
        }
        const checker = origin.isFromPackageJson ? host.getPackageJsonAutoImportProvider().getTypeChecker() : program.getTypeChecker();
        const { moduleSymbol } = origin;
        const targetSymbol = checker.getMergedSymbol(skipAlias(symbol.exportSymbol || symbol, checker));
        const isJsxOpeningTagName = (contextToken == null ? void 0 : contextToken.kind) === 30 && isJsxOpeningLikeElement(contextToken.parent);
        const { moduleSpecifier, codeAction } = ts_codefix_exports.getImportCompletionAction(
          targetSymbol,
          moduleSymbol,
          data == null ? void 0 : data.exportMapKey,
          sourceFile,
          name,
          isJsxOpeningTagName,
          host,
          program,
          formatContext,
          previousToken && isIdentifier(previousToken) ? previousToken.getStart(sourceFile) : position,
          preferences,
          cancellationToken
        );
        Debug.assert(!(data == null ? void 0 : data.moduleSpecifier) || moduleSpecifier === data.moduleSpecifier);
        return { sourceDisplay: [textPart(moduleSpecifier)], codeActions: [codeAction] };
      }
      function getCompletionEntrySymbol(program, log, sourceFile, position, entryId, host, preferences) {
        const completion = getSymbolCompletionFromEntryId(program, log, sourceFile, position, entryId, host, preferences);
        return completion.type === "symbol" ? completion.symbol : void 0;
      }
      var CompletionKind = /* @__PURE__ */ ((CompletionKind2) => {
        CompletionKind2[CompletionKind2["ObjectPropertyDeclaration"] = 0] = "ObjectPropertyDeclaration";
        CompletionKind2[CompletionKind2["Global"] = 1] = "Global";
        CompletionKind2[CompletionKind2["PropertyAccess"] = 2] = "PropertyAccess";
        CompletionKind2[CompletionKind2["MemberLike"] = 3] = "MemberLike";
        CompletionKind2[CompletionKind2["String"] = 4] = "String";
        CompletionKind2[CompletionKind2["None"] = 5] = "None";
        return CompletionKind2;
      })(CompletionKind || {});
      function getRecommendedCompletion(previousToken, contextualType, checker) {
        return firstDefined(contextualType && (contextualType.isUnion() ? contextualType.types : [contextualType]), (type) => {
          const symbol = type && type.symbol;
          return symbol && (symbol.flags & (8 | 384 | 32) && !isAbstractConstructorSymbol(symbol)) ? getFirstSymbolInChain(symbol, previousToken, checker) : void 0;
        });
      }
      function getContextualType(previousToken, position, sourceFile, checker) {
        const { parent: parent2 } = previousToken;
        switch (previousToken.kind) {
          case 80:
            return getContextualTypeFromParent(previousToken, checker);
          case 64:
            switch (parent2.kind) {
              case 260:
                return checker.getContextualType(parent2.initializer);
              case 226:
                return checker.getTypeAtLocation(parent2.left);
              case 291:
                return checker.getContextualTypeForJsxAttribute(parent2);
              default:
                return void 0;
            }
          case 105:
            return checker.getContextualType(parent2);
          case 84:
            const caseClause = tryCast(parent2, isCaseClause);
            return caseClause ? getSwitchedType(caseClause, checker) : void 0;
          case 19:
            return isJsxExpression(parent2) && !isJsxElement(parent2.parent) && !isJsxFragment(parent2.parent) ? checker.getContextualTypeForJsxAttribute(parent2.parent) : void 0;
          default:
            const argInfo = ts_SignatureHelp_exports.getArgumentInfoForCompletions(previousToken, position, sourceFile, checker);
            return argInfo ? checker.getContextualTypeForArgumentAtIndex(argInfo.invocation, argInfo.argumentIndex) : isEqualityOperatorKind(previousToken.kind) && isBinaryExpression(parent2) && isEqualityOperatorKind(parent2.operatorToken.kind) ? (
              // completion at `x ===/**/` should be for the right side
              checker.getTypeAtLocation(parent2.left)
            ) : checker.getContextualType(
              previousToken,
              4
              /* Completions */
            ) || checker.getContextualType(previousToken);
        }
      }
      function getFirstSymbolInChain(symbol, enclosingDeclaration, checker) {
        const chain = checker.getAccessibleSymbolChain(
          symbol,
          enclosingDeclaration,
          /*meaning*/
          -1,
          /*useOnlyExternalAliasing*/
          false
        );
        if (chain) return first(chain);
        return symbol.parent && (isModuleSymbol(symbol.parent) ? symbol : getFirstSymbolInChain(symbol.parent, enclosingDeclaration, checker));
      }
      function isModuleSymbol(symbol) {
        var _a;
        return !!((_a = symbol.declarations) == null ? void 0 : _a.some(
          (d) => d.kind === 307
          /* SourceFile */
        ));
      }
      function getCompletionData(program, log, sourceFile, compilerOptions, position, preferences, detailsEntryId, host, formatContext, cancellationToken) {
        const typeChecker = program.getTypeChecker();
        const inCheckedFile = isCheckedFile(sourceFile, compilerOptions);
        let start = timestamp();
        let currentToken = getTokenAtPosition(sourceFile, position);
        log("getCompletionData: Get current token: " + (timestamp() - start));
        start = timestamp();
        const insideComment = isInComment(sourceFile, position, currentToken);
        log("getCompletionData: Is inside comment: " + (timestamp() - start));
        let insideJsDocTagTypeExpression = false;
        let insideJsDocImportTag = false;
        let isInSnippetScope = false;
        if (insideComment) {
          if (hasDocComment(sourceFile, position)) {
            if (sourceFile.text.charCodeAt(position - 1) === 64) {
              return {
                kind: 1
                /* JsDocTagName */
              };
            } else {
              const lineStart = getLineStartPositionForPosition(position, sourceFile);
              if (!/[^*|\s(/)]/.test(sourceFile.text.substring(lineStart, position))) {
                return {
                  kind: 2
                  /* JsDocTag */
                };
              }
            }
          }
          const tag = getJsDocTagAtPosition(currentToken, position);
          if (tag) {
            if (tag.tagName.pos <= position && position <= tag.tagName.end) {
              return {
                kind: 1
                /* JsDocTagName */
              };
            }
            if (isJSDocImportTag(tag)) {
              insideJsDocImportTag = true;
            } else {
              const typeExpression = tryGetTypeExpressionFromTag(tag);
              if (typeExpression) {
                currentToken = getTokenAtPosition(sourceFile, position);
                if (!currentToken || !isDeclarationName(currentToken) && (currentToken.parent.kind !== 348 || currentToken.parent.name !== currentToken)) {
                  insideJsDocTagTypeExpression = isCurrentlyEditingNode(typeExpression);
                }
              }
              if (!insideJsDocTagTypeExpression && isJSDocParameterTag(tag) && (nodeIsMissing(tag.name) || tag.name.pos <= position && position <= tag.name.end)) {
                return { kind: 3, tag };
              }
            }
          }
          if (!insideJsDocTagTypeExpression && !insideJsDocImportTag) {
            log("Returning an empty list because completion was inside a regular comment or plain text part of a JsDoc comment.");
            return void 0;
          }
        }
        start = timestamp();
        const isJsOnlyLocation = !insideJsDocTagTypeExpression && !insideJsDocImportTag && isSourceFileJS(sourceFile);
        const tokens = getRelevantTokens(position, sourceFile);
        const previousToken = tokens.previousToken;
        let contextToken = tokens.contextToken;
        log("getCompletionData: Get previous token: " + (timestamp() - start));
        let node = currentToken;
        let propertyAccessToConvert;
        let isRightOfDot = false;
        let isRightOfQuestionDot = false;
        let isRightOfOpenTag = false;
        let isStartingCloseTag = false;
        let isJsxInitializer = false;
        let isJsxIdentifierExpected = false;
        let importStatementCompletion;
        let location = getTouchingPropertyName(sourceFile, position);
        let keywordFilters = 0;
        let isNewIdentifierLocation = false;
        let flags = 0;
        if (contextToken) {
          const importStatementCompletionInfo = getImportStatementCompletionInfo(contextToken, sourceFile);
          if (importStatementCompletionInfo.keywordCompletion) {
            if (importStatementCompletionInfo.isKeywordOnlyCompletion) {
              return {
                kind: 4,
                keywordCompletions: [keywordToCompletionEntry(importStatementCompletionInfo.keywordCompletion)],
                isNewIdentifierLocation: importStatementCompletionInfo.isNewIdentifierLocation
              };
            }
            keywordFilters = keywordFiltersFromSyntaxKind(importStatementCompletionInfo.keywordCompletion);
          }
          if (importStatementCompletionInfo.replacementSpan && preferences.includeCompletionsForImportStatements && preferences.includeCompletionsWithInsertText) {
            flags |= 2;
            importStatementCompletion = importStatementCompletionInfo;
            isNewIdentifierLocation = importStatementCompletionInfo.isNewIdentifierLocation;
          }
          if (!importStatementCompletionInfo.replacementSpan && isCompletionListBlocker(contextToken)) {
            log("Returning an empty list because completion was requested in an invalid position.");
            return keywordFilters ? keywordCompletionData(keywordFilters, isJsOnlyLocation, isNewIdentifierDefinitionLocation()) : void 0;
          }
          let parent2 = contextToken.parent;
          if (contextToken.kind === 25 || contextToken.kind === 29) {
            isRightOfDot = contextToken.kind === 25;
            isRightOfQuestionDot = contextToken.kind === 29;
            switch (parent2.kind) {
              case 211:
                propertyAccessToConvert = parent2;
                node = propertyAccessToConvert.expression;
                const leftmostAccessExpression = getLeftmostAccessExpression(propertyAccessToConvert);
                if (nodeIsMissing(leftmostAccessExpression) || (isCallExpression2(node) || isFunctionLike(node)) && node.end === contextToken.pos && node.getChildCount(sourceFile) && last(node.getChildren(sourceFile)).kind !== 22) {
                  return void 0;
                }
                break;
              case 166:
                node = parent2.left;
                break;
              case 267:
                node = parent2.name;
                break;
              case 205:
                node = parent2;
                break;
              case 236:
                node = parent2.getFirstToken(sourceFile);
                Debug.assert(
                  node.kind === 102 || node.kind === 105
                  /* NewKeyword */
                );
                break;
              default:
                return void 0;
            }
          } else if (!importStatementCompletion) {
            if (parent2 && parent2.kind === 211) {
              contextToken = parent2;
              parent2 = parent2.parent;
            }
            if (currentToken.parent === location) {
              switch (currentToken.kind) {
                case 32:
                  if (currentToken.parent.kind === 284 || currentToken.parent.kind === 286) {
                    location = currentToken;
                  }
                  break;
                case 44:
                  if (currentToken.parent.kind === 285) {
                    location = currentToken;
                  }
                  break;
              }
            }
            switch (parent2.kind) {
              case 287:
                if (contextToken.kind === 44) {
                  isStartingCloseTag = true;
                  location = contextToken;
                }
                break;
              case 226:
                if (!binaryExpressionMayBeOpenTag(parent2)) {
                  break;
                }
              case 285:
              case 284:
              case 286:
                isJsxIdentifierExpected = true;
                if (contextToken.kind === 30) {
                  isRightOfOpenTag = true;
                  location = contextToken;
                }
                break;
              case 294:
              case 293:
                if (previousToken.kind === 20 || previousToken.kind === 80 && previousToken.parent.kind === 291) {
                  isJsxIdentifierExpected = true;
                }
                break;
              case 291:
                if (parent2.initializer === previousToken && previousToken.end < position) {
                  isJsxIdentifierExpected = true;
                  break;
                }
                switch (previousToken.kind) {
                  case 64:
                    isJsxInitializer = true;
                    break;
                  case 80:
                    isJsxIdentifierExpected = true;
                    if (parent2 !== previousToken.parent && !parent2.initializer && findChildOfKind(parent2, 64, sourceFile)) {
                      isJsxInitializer = previousToken;
                    }
                }
                break;
            }
          }
        }
        const semanticStart = timestamp();
        let completionKind = 5;
        let hasUnresolvedAutoImports = false;
        let symbols = [];
        let importSpecifierResolver;
        const symbolToOriginInfoMap = [];
        const symbolToSortTextMap = [];
        const seenPropertySymbols = /* @__PURE__ */ new Map();
        const isTypeOnlyLocation = isTypeOnlyCompletion();
        const getModuleSpecifierResolutionHost = memoizeOne((isFromPackageJson) => {
          return createModuleSpecifierResolutionHost(isFromPackageJson ? host.getPackageJsonAutoImportProvider() : program, host);
        });
        if (isRightOfDot || isRightOfQuestionDot) {
          getTypeScriptMemberSymbols();
        } else if (isRightOfOpenTag) {
          symbols = typeChecker.getJsxIntrinsicTagNamesAt(location);
          Debug.assertEachIsDefined(symbols, "getJsxIntrinsicTagNames() should all be defined");
          tryGetGlobalSymbols();
          completionKind = 1;
          keywordFilters = 0;
        } else if (isStartingCloseTag) {
          const tagName = contextToken.parent.parent.openingElement.tagName;
          const tagSymbol = typeChecker.getSymbolAtLocation(tagName);
          if (tagSymbol) {
            symbols = [tagSymbol];
          }
          completionKind = 1;
          keywordFilters = 0;
        } else {
          if (!tryGetGlobalSymbols()) {
            return keywordFilters ? keywordCompletionData(keywordFilters, isJsOnlyLocation, isNewIdentifierLocation) : void 0;
          }
        }
        log("getCompletionData: Semantic work: " + (timestamp() - semanticStart));
        const contextualType = previousToken && getContextualType(previousToken, position, sourceFile, typeChecker);
        const isLiteralExpected = !tryCast(previousToken, isStringLiteralLike) && !isJsxIdentifierExpected;
        const literals = !isLiteralExpected ? [] : mapDefined(
          contextualType && (contextualType.isUnion() ? contextualType.types : [contextualType]),
          (t) => t.isLiteral() && !(t.flags & 1024) ? t.value : void 0
        );
        const recommendedCompletion = previousToken && contextualType && getRecommendedCompletion(previousToken, contextualType, typeChecker);
        return {
          kind: 0,
          symbols,
          completionKind,
          isInSnippetScope,
          propertyAccessToConvert,
          isNewIdentifierLocation,
          location,
          keywordFilters,
          literals,
          symbolToOriginInfoMap,
          recommendedCompletion,
          previousToken,
          contextToken,
          isJsxInitializer,
          insideJsDocTagTypeExpression,
          symbolToSortTextMap,
          isTypeOnlyLocation,
          isJsxIdentifierExpected,
          isRightOfOpenTag,
          isRightOfDotOrQuestionDot: isRightOfDot || isRightOfQuestionDot,
          importStatementCompletion,
          hasUnresolvedAutoImports,
          flags
        };
        function isTagWithTypeExpression(tag) {
          switch (tag.kind) {
            case 341:
            case 348:
            case 342:
            case 344:
            case 346:
            case 349:
            case 350:
              return true;
            case 345:
              return !!tag.constraint;
            default:
              return false;
          }
        }
        function tryGetTypeExpressionFromTag(tag) {
          if (isTagWithTypeExpression(tag)) {
            const typeExpression = isJSDocTemplateTag(tag) ? tag.constraint : tag.typeExpression;
            return typeExpression && typeExpression.kind === 309 ? typeExpression : void 0;
          }
          if (isJSDocAugmentsTag(tag) || isJSDocImplementsTag(tag)) {
            return tag.class;
          }
          return void 0;
        }
        function getTypeScriptMemberSymbols() {
          completionKind = 2;
          const isImportType = isLiteralImportTypeNode(node);
          const isTypeLocation = isImportType && !node.isTypeOf || isPartOfTypeNode(node.parent) || isPossiblyTypeArgumentPosition(contextToken, sourceFile, typeChecker);
          const isRhsOfImportDeclaration = isInRightSideOfInternalImportEqualsDeclaration(node);
          if (isEntityName(node) || isImportType || isPropertyAccessExpression(node)) {
            const isNamespaceName = isModuleDeclaration(node.parent);
            if (isNamespaceName) isNewIdentifierLocation = true;
            let symbol = typeChecker.getSymbolAtLocation(node);
            if (symbol) {
              symbol = skipAlias(symbol, typeChecker);
              if (symbol.flags & (1536 | 384)) {
                const exportedSymbols = typeChecker.getExportsOfModule(symbol);
                Debug.assertEachIsDefined(exportedSymbols, "getExportsOfModule() should all be defined");
                const isValidValueAccess = (symbol2) => typeChecker.isValidPropertyAccess(isImportType ? node : node.parent, symbol2.name);
                const isValidTypeAccess = (symbol2) => symbolCanBeReferencedAtTypeLocation(symbol2, typeChecker);
                const isValidAccess = isNamespaceName ? (symbol2) => {
                  var _a;
                  return !!(symbol2.flags & 1920) && !((_a = symbol2.declarations) == null ? void 0 : _a.every((d) => d.parent === node.parent));
                } : isRhsOfImportDeclaration ? (
                  // Any kind is allowed when dotting off namespace in internal import equals declaration
                  (symbol2) => isValidTypeAccess(symbol2) || isValidValueAccess(symbol2)
                ) : isTypeLocation || insideJsDocTagTypeExpression ? isValidTypeAccess : isValidValueAccess;
                for (const exportedSymbol of exportedSymbols) {
                  if (isValidAccess(exportedSymbol)) {
                    symbols.push(exportedSymbol);
                  }
                }
                if (!isTypeLocation && !insideJsDocTagTypeExpression && symbol.declarations && symbol.declarations.some(
                  (d) => d.kind !== 307 && d.kind !== 267 && d.kind !== 266
                  /* EnumDeclaration */
                )) {
                  let type = typeChecker.getTypeOfSymbolAtLocation(symbol, node).getNonOptionalType();
                  let insertQuestionDot = false;
                  if (type.isNullableType()) {
                    const canCorrectToQuestionDot = isRightOfDot && !isRightOfQuestionDot && preferences.includeAutomaticOptionalChainCompletions !== false;
                    if (canCorrectToQuestionDot || isRightOfQuestionDot) {
                      type = type.getNonNullableType();
                      if (canCorrectToQuestionDot) {
                        insertQuestionDot = true;
                      }
                    }
                  }
                  addTypeProperties(type, !!(node.flags & 65536), insertQuestionDot);
                }
                return;
              }
            }
          }
          if (!isTypeLocation || isInTypeQuery(node)) {
            typeChecker.tryGetThisTypeAt(
              node,
              /*includeGlobalThis*/
              false
            );
            let type = typeChecker.getTypeAtLocation(node).getNonOptionalType();
            if (!isTypeLocation) {
              let insertQuestionDot = false;
              if (type.isNullableType()) {
                const canCorrectToQuestionDot = isRightOfDot && !isRightOfQuestionDot && preferences.includeAutomaticOptionalChainCompletions !== false;
                if (canCorrectToQuestionDot || isRightOfQuestionDot) {
                  type = type.getNonNullableType();
                  if (canCorrectToQuestionDot) {
                    insertQuestionDot = true;
                  }
                }
              }
              addTypeProperties(type, !!(node.flags & 65536), insertQuestionDot);
            } else {
              addTypeProperties(
                type.getNonNullableType(),
                /*insertAwait*/
                false,
                /*insertQuestionDot*/
                false
              );
            }
          }
        }
        function addTypeProperties(type, insertAwait, insertQuestionDot) {
          isNewIdentifierLocation = !!type.getStringIndexType();
          if (isRightOfQuestionDot && some(type.getCallSignatures())) {
            isNewIdentifierLocation = true;
          }
          const propertyAccess = node.kind === 205 ? node : node.parent;
          if (inCheckedFile) {
            for (const symbol of type.getApparentProperties()) {
              if (typeChecker.isValidPropertyAccessForCompletions(propertyAccess, type, symbol)) {
                addPropertySymbol(
                  symbol,
                  /*insertAwait*/
                  false,
                  insertQuestionDot
                );
              }
            }
          } else {
            symbols.push(...filter(getPropertiesForCompletion(type, typeChecker), (s) => typeChecker.isValidPropertyAccessForCompletions(propertyAccess, type, s)));
          }
          if (insertAwait && preferences.includeCompletionsWithInsertText) {
            const promiseType2 = typeChecker.getPromisedTypeOfPromise(type);
            if (promiseType2) {
              for (const symbol of promiseType2.getApparentProperties()) {
                if (typeChecker.isValidPropertyAccessForCompletions(propertyAccess, promiseType2, symbol)) {
                  addPropertySymbol(
                    symbol,
                    /*insertAwait*/
                    true,
                    insertQuestionDot
                  );
                }
              }
            }
          }
        }
        function addPropertySymbol(symbol, insertAwait, insertQuestionDot) {
          var _a;
          const computedPropertyName = firstDefined(symbol.declarations, (decl) => tryCast(getNameOfDeclaration(decl), isComputedPropertyName));
          if (computedPropertyName) {
            const leftMostName = getLeftMostName(computedPropertyName.expression);
            const nameSymbol = leftMostName && typeChecker.getSymbolAtLocation(leftMostName);
            const firstAccessibleSymbol = nameSymbol && getFirstSymbolInChain(nameSymbol, contextToken, typeChecker);
            const firstAccessibleSymbolId = firstAccessibleSymbol && getSymbolId(firstAccessibleSymbol);
            if (firstAccessibleSymbolId && addToSeen(seenPropertySymbols, firstAccessibleSymbolId)) {
              const index = symbols.length;
              symbols.push(firstAccessibleSymbol);
              const moduleSymbol = firstAccessibleSymbol.parent;
              if (!moduleSymbol || !isExternalModuleSymbol(moduleSymbol) || typeChecker.tryGetMemberInModuleExportsAndProperties(firstAccessibleSymbol.name, moduleSymbol) !== firstAccessibleSymbol) {
                symbolToOriginInfoMap[index] = { kind: getNullableSymbolOriginInfoKind(
                  2
                  /* SymbolMemberNoExport */
                ) };
              } else {
                const fileName = isExternalModuleNameRelative(stripQuotes(moduleSymbol.name)) ? (_a = getSourceFileOfModule(moduleSymbol)) == null ? void 0 : _a.fileName : void 0;
                const { moduleSpecifier } = (importSpecifierResolver || (importSpecifierResolver = ts_codefix_exports.createImportSpecifierResolver(sourceFile, program, host, preferences))).getModuleSpecifierForBestExportInfo(
                  [{
                    exportKind: 0,
                    moduleFileName: fileName,
                    isFromPackageJson: false,
                    moduleSymbol,
                    symbol: firstAccessibleSymbol,
                    targetFlags: skipAlias(firstAccessibleSymbol, typeChecker).flags
                  }],
                  position,
                  isValidTypeOnlyAliasUseSite(location)
                ) || {};
                if (moduleSpecifier) {
                  const origin = {
                    kind: getNullableSymbolOriginInfoKind(
                      6
                      /* SymbolMemberExport */
                    ),
                    moduleSymbol,
                    isDefaultExport: false,
                    symbolName: firstAccessibleSymbol.name,
                    exportName: firstAccessibleSymbol.name,
                    fileName,
                    moduleSpecifier
                  };
                  symbolToOriginInfoMap[index] = origin;
                }
              }
            } else if (preferences.includeCompletionsWithInsertText) {
              if (firstAccessibleSymbolId && seenPropertySymbols.has(firstAccessibleSymbolId)) {
                return;
              }
              addSymbolOriginInfo(symbol);
              addSymbolSortInfo(symbol);
              symbols.push(symbol);
            }
          } else {
            addSymbolOriginInfo(symbol);
            addSymbolSortInfo(symbol);
            symbols.push(symbol);
          }
          function addSymbolSortInfo(symbol2) {
            if (isStaticProperty(symbol2)) {
              symbolToSortTextMap[getSymbolId(symbol2)] = SortText.LocalDeclarationPriority;
            }
          }
          function addSymbolOriginInfo(symbol2) {
            if (preferences.includeCompletionsWithInsertText) {
              if (insertAwait && addToSeen(seenPropertySymbols, getSymbolId(symbol2))) {
                symbolToOriginInfoMap[symbols.length] = { kind: getNullableSymbolOriginInfoKind(
                  8
                  /* Promise */
                ) };
              } else if (insertQuestionDot) {
                symbolToOriginInfoMap[symbols.length] = {
                  kind: 16
                  /* Nullable */
                };
              }
            }
          }
          function getNullableSymbolOriginInfoKind(kind) {
            return insertQuestionDot ? kind | 16 : kind;
          }
        }
        function getLeftMostName(e) {
          return isIdentifier(e) ? e : isPropertyAccessExpression(e) ? getLeftMostName(e.expression) : void 0;
        }
        function tryGetGlobalSymbols() {
          const result = tryGetObjectTypeLiteralInTypeArgumentCompletionSymbols() || tryGetObjectLikeCompletionSymbols() || tryGetImportCompletionSymbols() || tryGetImportOrExportClauseCompletionSymbols() || tryGetImportAttributesCompletionSymbols() || tryGetLocalNamedExportCompletionSymbols() || tryGetConstructorCompletion() || tryGetClassLikeCompletionSymbols() || tryGetJsxCompletionSymbols() || (getGlobalCompletions(), 1);
          return result === 1;
        }
        function tryGetConstructorCompletion() {
          if (!tryGetConstructorLikeCompletionContainer(contextToken)) return 0;
          completionKind = 5;
          isNewIdentifierLocation = true;
          keywordFilters = 4;
          return 1;
        }
        function tryGetJsxCompletionSymbols() {
          const jsxContainer = tryGetContainingJsxElement(contextToken);
          const attrsType = jsxContainer && typeChecker.getContextualType(jsxContainer.attributes);
          if (!attrsType) return 0;
          const completionsType = jsxContainer && typeChecker.getContextualType(
            jsxContainer.attributes,
            4
            /* Completions */
          );
          symbols = concatenate(symbols, filterJsxAttributes(getPropertiesForObjectExpression(attrsType, completionsType, jsxContainer.attributes, typeChecker), jsxContainer.attributes.properties));
          setSortTextToOptionalMember();
          completionKind = 3;
          isNewIdentifierLocation = false;
          return 1;
        }
        function tryGetImportCompletionSymbols() {
          if (!importStatementCompletion) return 0;
          isNewIdentifierLocation = true;
          collectAutoImports();
          return 1;
        }
        function getGlobalCompletions() {
          keywordFilters = tryGetFunctionLikeBodyCompletionContainer(contextToken) ? 5 : 1;
          completionKind = 1;
          isNewIdentifierLocation = isNewIdentifierDefinitionLocation();
          if (previousToken !== contextToken) {
            Debug.assert(!!previousToken, "Expected 'contextToken' to be defined when different from 'previousToken'.");
          }
          const adjustedPosition = previousToken !== contextToken ? previousToken.getStart() : position;
          const scopeNode = getScopeNode(contextToken, adjustedPosition, sourceFile) || sourceFile;
          isInSnippetScope = isSnippetScope(scopeNode);
          const symbolMeanings = (isTypeOnlyLocation ? 0 : 111551) | 788968 | 1920 | 2097152;
          const typeOnlyAliasNeedsPromotion = previousToken && !isValidTypeOnlyAliasUseSite(previousToken);
          symbols = concatenate(symbols, typeChecker.getSymbolsInScope(scopeNode, symbolMeanings));
          Debug.assertEachIsDefined(symbols, "getSymbolsInScope() should all be defined");
          for (let i = 0; i < symbols.length; i++) {
            const symbol = symbols[i];
            if (!typeChecker.isArgumentsSymbol(symbol) && !some(symbol.declarations, (d) => d.getSourceFile() === sourceFile)) {
              symbolToSortTextMap[getSymbolId(symbol)] = SortText.GlobalsOrKeywords;
            }
            if (typeOnlyAliasNeedsPromotion && !(symbol.flags & 111551)) {
              const typeOnlyAliasDeclaration = symbol.declarations && find(symbol.declarations, isTypeOnlyImportDeclaration);
              if (typeOnlyAliasDeclaration) {
                const origin = { kind: 64, declaration: typeOnlyAliasDeclaration };
                symbolToOriginInfoMap[i] = origin;
              }
            }
          }
          if (preferences.includeCompletionsWithInsertText && scopeNode.kind !== 307) {
            const thisType = typeChecker.tryGetThisTypeAt(
              scopeNode,
              /*includeGlobalThis*/
              false,
              isClassLike(scopeNode.parent) ? scopeNode : void 0
            );
            if (thisType && !isProbablyGlobalType(thisType, sourceFile, typeChecker)) {
              for (const symbol of getPropertiesForCompletion(thisType, typeChecker)) {
                symbolToOriginInfoMap[symbols.length] = {
                  kind: 1
                  /* ThisType */
                };
                symbols.push(symbol);
                symbolToSortTextMap[getSymbolId(symbol)] = SortText.SuggestedClassMembers;
              }
            }
          }
          collectAutoImports();
          if (isTypeOnlyLocation) {
            keywordFilters = contextToken && isAssertionExpression(contextToken.parent) ? 6 : 7;
          }
        }
        function shouldOfferImportCompletions() {
          var _a;
          if (importStatementCompletion) return true;
          if (!preferences.includeCompletionsForModuleExports) return false;
          if (sourceFile.externalModuleIndicator || sourceFile.commonJsModuleIndicator) return true;
          if (compilerOptionsIndicateEsModules(program.getCompilerOptions())) return true;
          return ((_a = program.getSymlinkCache) == null ? void 0 : _a.call(program).hasAnySymlinks()) || !!program.getCompilerOptions().paths || programContainsModules(program);
        }
        function isSnippetScope(scopeNode) {
          switch (scopeNode.kind) {
            case 307:
            case 228:
            case 294:
            case 241:
              return true;
            default:
              return isStatement(scopeNode);
          }
        }
        function isTypeOnlyCompletion() {
          return insideJsDocTagTypeExpression || insideJsDocImportTag || !!importStatementCompletion && isTypeOnlyImportOrExportDeclaration(location.parent) || !isContextTokenValueLocation(contextToken) && (isPossiblyTypeArgumentPosition(contextToken, sourceFile, typeChecker) || isPartOfTypeNode(location) || isContextTokenTypeLocation(contextToken));
        }
        function isContextTokenValueLocation(contextToken2) {
          return contextToken2 && (contextToken2.kind === 114 && (contextToken2.parent.kind === 186 || isTypeOfExpression(contextToken2.parent)) || contextToken2.kind === 131 && contextToken2.parent.kind === 182);
        }
        function isContextTokenTypeLocation(contextToken2) {
          if (contextToken2) {
            const parentKind = contextToken2.parent.kind;
            switch (contextToken2.kind) {
              case 59:
                return parentKind === 172 || parentKind === 171 || parentKind === 169 || parentKind === 260 || isFunctionLikeKind(parentKind);
              case 64:
                return parentKind === 265 || parentKind === 168;
              case 130:
                return parentKind === 234;
              case 30:
                return parentKind === 183 || parentKind === 216;
              case 96:
                return parentKind === 168;
              case 152:
                return parentKind === 238;
            }
          }
          return false;
        }
        function collectAutoImports() {
          var _a, _b;
          if (!shouldOfferImportCompletions()) return;
          Debug.assert(!(detailsEntryId == null ? void 0 : detailsEntryId.data), "Should not run 'collectAutoImports' when faster path is available via `data`");
          if (detailsEntryId && !detailsEntryId.source) {
            return;
          }
          flags |= 1;
          const isAfterTypeOnlyImportSpecifierModifier = previousToken === contextToken && importStatementCompletion;
          const lowerCaseTokenText = isAfterTypeOnlyImportSpecifierModifier ? "" : previousToken && isIdentifier(previousToken) ? previousToken.text.toLowerCase() : "";
          const moduleSpecifierCache = (_a = host.getModuleSpecifierCache) == null ? void 0 : _a.call(host);
          const exportInfo = getExportInfoMap(sourceFile, host, program, preferences, cancellationToken);
          const packageJsonAutoImportProvider = (_b = host.getPackageJsonAutoImportProvider) == null ? void 0 : _b.call(host);
          const packageJsonFilter = detailsEntryId ? void 0 : createPackageJsonImportFilter(sourceFile, preferences, host);
          resolvingModuleSpecifiers(
            "collectAutoImports",
            host,
            importSpecifierResolver || (importSpecifierResolver = ts_codefix_exports.createImportSpecifierResolver(sourceFile, program, host, preferences)),
            program,
            position,
            preferences,
            !!importStatementCompletion,
            isValidTypeOnlyAliasUseSite(location),
            (context) => {
              exportInfo.search(
                sourceFile.path,
                /*preferCapitalized*/
                isRightOfOpenTag,
                (symbolName2, targetFlags) => {
                  if (!isIdentifierText(symbolName2, getEmitScriptTarget(host.getCompilationSettings()))) return false;
                  if (!detailsEntryId && isStringANonContextualKeyword(symbolName2)) return false;
                  if (!isTypeOnlyLocation && !importStatementCompletion && !(targetFlags & 111551)) return false;
                  if (isTypeOnlyLocation && !(targetFlags & (1536 | 788968))) return false;
                  const firstChar = symbolName2.charCodeAt(0);
                  if (isRightOfOpenTag && (firstChar < 65 || firstChar > 90)) return false;
                  if (detailsEntryId) return true;
                  return charactersFuzzyMatchInString(symbolName2, lowerCaseTokenText);
                },
                (info, symbolName2, isFromAmbientModule, exportMapKey) => {
                  if (detailsEntryId && !some(info, (i) => detailsEntryId.source === stripQuotes(i.moduleSymbol.name))) {
                    return;
                  }
                  info = filter(info, isImportableExportInfo);
                  if (!info.length) {
                    return;
                  }
                  const result = context.tryResolve(info, isFromAmbientModule) || {};
                  if (result === "failed") return;
                  let exportInfo2 = info[0], moduleSpecifier;
                  if (result !== "skipped") {
                    ({ exportInfo: exportInfo2 = info[0], moduleSpecifier } = result);
                  }
                  const isDefaultExport = exportInfo2.exportKind === 1;
                  const symbol = isDefaultExport && getLocalSymbolForExportDefault(Debug.checkDefined(exportInfo2.symbol)) || Debug.checkDefined(exportInfo2.symbol);
                  pushAutoImportSymbol(symbol, {
                    kind: moduleSpecifier ? 32 : 4,
                    moduleSpecifier,
                    symbolName: symbolName2,
                    exportMapKey,
                    exportName: exportInfo2.exportKind === 2 ? "export=" : Debug.checkDefined(exportInfo2.symbol).name,
                    fileName: exportInfo2.moduleFileName,
                    isDefaultExport,
                    moduleSymbol: exportInfo2.moduleSymbol,
                    isFromPackageJson: exportInfo2.isFromPackageJson
                  });
                }
              );
              hasUnresolvedAutoImports = context.skippedAny();
              flags |= context.resolvedAny() ? 8 : 0;
              flags |= context.resolvedBeyondLimit() ? 16 : 0;
            }
          );
          function isImportableExportInfo(info) {
            const moduleFile = tryCast(info.moduleSymbol.valueDeclaration, isSourceFile);
            if (!moduleFile) {
              const moduleName = stripQuotes(info.moduleSymbol.name);
              if (ts_JsTyping_exports.nodeCoreModules.has(moduleName) && startsWith2(moduleName, "node:") !== shouldUseUriStyleNodeCoreModules(sourceFile, program)) {
                return false;
              }
              return packageJsonFilter ? packageJsonFilter.allowsImportingAmbientModule(info.moduleSymbol, getModuleSpecifierResolutionHost(info.isFromPackageJson)) : true;
            }
            return isImportableFile(
              info.isFromPackageJson ? packageJsonAutoImportProvider : program,
              sourceFile,
              moduleFile,
              preferences,
              packageJsonFilter,
              getModuleSpecifierResolutionHost(info.isFromPackageJson),
              moduleSpecifierCache
            );
          }
        }
        function pushAutoImportSymbol(symbol, origin) {
          const symbolId = getSymbolId(symbol);
          if (symbolToSortTextMap[symbolId] === SortText.GlobalsOrKeywords) {
            return;
          }
          symbolToOriginInfoMap[symbols.length] = origin;
          symbolToSortTextMap[symbolId] = importStatementCompletion ? SortText.LocationPriority : SortText.AutoImportSuggestions;
          symbols.push(symbol);
        }
        function collectObjectLiteralMethodSymbols(members, enclosingDeclaration) {
          if (isInJSFile(location)) {
            return;
          }
          members.forEach((member) => {
            if (!isObjectLiteralMethodSymbol(member)) {
              return;
            }
            const displayName = getCompletionEntryDisplayNameForSymbol(
              member,
              getEmitScriptTarget(compilerOptions),
              /*origin*/
              void 0,
              0,
              /*jsxIdentifierExpected*/
              false
            );
            if (!displayName) {
              return;
            }
            const { name } = displayName;
            const entryProps = getEntryForObjectLiteralMethodCompletion(
              member,
              name,
              enclosingDeclaration,
              program,
              host,
              compilerOptions,
              preferences,
              formatContext
            );
            if (!entryProps) {
              return;
            }
            const origin = { kind: 128, ...entryProps };
            flags |= 32;
            symbolToOriginInfoMap[symbols.length] = origin;
            symbols.push(member);
          });
        }
        function isObjectLiteralMethodSymbol(symbol) {
          if (!(symbol.flags & (4 | 8192))) {
            return false;
          }
          return true;
        }
        function getScopeNode(initialToken, position2, sourceFile2) {
          let scope = initialToken;
          while (scope && !positionBelongsToNode(scope, position2, sourceFile2)) {
            scope = scope.parent;
          }
          return scope;
        }
        function isCompletionListBlocker(contextToken2) {
          const start2 = timestamp();
          const result = isInStringOrRegularExpressionOrTemplateLiteral(contextToken2) || isSolelyIdentifierDefinitionLocation(contextToken2) || isDotOfNumericLiteral(contextToken2) || isInJsxText(contextToken2) || isBigIntLiteral2(contextToken2);
          log("getCompletionsAtPosition: isCompletionListBlocker: " + (timestamp() - start2));
          return result;
        }
        function isInJsxText(contextToken2) {
          if (contextToken2.kind === 12) {
            return true;
          }
          if (contextToken2.kind === 32 && contextToken2.parent) {
            if (location === contextToken2.parent && (location.kind === 286 || location.kind === 285)) {
              return false;
            }
            if (contextToken2.parent.kind === 286) {
              return location.parent.kind !== 286;
            }
            if (contextToken2.parent.kind === 287 || contextToken2.parent.kind === 285) {
              return !!contextToken2.parent.parent && contextToken2.parent.parent.kind === 284;
            }
          }
          return false;
        }
        function isNewIdentifierDefinitionLocation() {
          if (contextToken) {
            const containingNodeKind = contextToken.parent.kind;
            const tokenKind = keywordForNode(contextToken);
            switch (tokenKind) {
              case 28:
                return containingNodeKind === 213 || containingNodeKind === 176 || containingNodeKind === 214 || containingNodeKind === 209 || containingNodeKind === 226 || containingNodeKind === 184 || containingNodeKind === 210;
              case 21:
                return containingNodeKind === 213 || containingNodeKind === 176 || containingNodeKind === 214 || containingNodeKind === 217 || containingNodeKind === 196;
              case 23:
                return containingNodeKind === 209 || containingNodeKind === 181 || containingNodeKind === 167;
              case 144:
              case 145:
              case 102:
                return true;
              case 25:
                return containingNodeKind === 267;
              case 19:
                return containingNodeKind === 263 || containingNodeKind === 210;
              case 64:
                return containingNodeKind === 260 || containingNodeKind === 226;
              case 16:
                return containingNodeKind === 228;
              case 17:
                return containingNodeKind === 239;
              case 134:
                return containingNodeKind === 174 || containingNodeKind === 304;
              case 42:
                return containingNodeKind === 174;
            }
            if (isClassMemberCompletionKeyword(tokenKind)) {
              return true;
            }
          }
          return false;
        }
        function isInStringOrRegularExpressionOrTemplateLiteral(contextToken2) {
          return (isRegularExpressionLiteral(contextToken2) || isStringTextContainingNode(contextToken2)) && (rangeContainsPositionExclusive(contextToken2, position) || position === contextToken2.end && (!!contextToken2.isUnterminated || isRegularExpressionLiteral(contextToken2)));
        }
        function tryGetObjectTypeLiteralInTypeArgumentCompletionSymbols() {
          const typeLiteralNode = tryGetTypeLiteralNode(contextToken);
          if (!typeLiteralNode) return 0;
          const intersectionTypeNode = isIntersectionTypeNode(typeLiteralNode.parent) ? typeLiteralNode.parent : void 0;
          const containerTypeNode = intersectionTypeNode || typeLiteralNode;
          const containerExpectedType = getConstraintOfTypeArgumentProperty(containerTypeNode, typeChecker);
          if (!containerExpectedType) return 0;
          const containerActualType = typeChecker.getTypeFromTypeNode(containerTypeNode);
          const members = getPropertiesForCompletion(containerExpectedType, typeChecker);
          const existingMembers = getPropertiesForCompletion(containerActualType, typeChecker);
          const existingMemberEscapedNames = /* @__PURE__ */ new Set();
          existingMembers.forEach((s) => existingMemberEscapedNames.add(s.escapedName));
          symbols = concatenate(symbols, filter(members, (s) => !existingMemberEscapedNames.has(s.escapedName)));
          completionKind = 0;
          isNewIdentifierLocation = true;
          return 1;
        }
        function tryGetObjectLikeCompletionSymbols() {
          if ((contextToken == null ? void 0 : contextToken.kind) === 26) return 0;
          const symbolsStartIndex = symbols.length;
          const objectLikeContainer = tryGetObjectLikeCompletionContainer(contextToken, position, sourceFile);
          if (!objectLikeContainer) return 0;
          completionKind = 0;
          let typeMembers;
          let existingMembers;
          if (objectLikeContainer.kind === 210) {
            const instantiatedType = tryGetObjectLiteralContextualType(objectLikeContainer, typeChecker);
            if (instantiatedType === void 0) {
              if (objectLikeContainer.flags & 67108864) {
                return 2;
              }
              return 0;
            }
            const completionsType = typeChecker.getContextualType(
              objectLikeContainer,
              4
              /* Completions */
            );
            const hasStringIndexType = (completionsType || instantiatedType).getStringIndexType();
            const hasNumberIndextype = (completionsType || instantiatedType).getNumberIndexType();
            isNewIdentifierLocation = !!hasStringIndexType || !!hasNumberIndextype;
            typeMembers = getPropertiesForObjectExpression(instantiatedType, completionsType, objectLikeContainer, typeChecker);
            existingMembers = objectLikeContainer.properties;
            if (typeMembers.length === 0) {
              if (!hasNumberIndextype) {
                return 0;
              }
            }
          } else {
            Debug.assert(
              objectLikeContainer.kind === 206
              /* ObjectBindingPattern */
            );
            isNewIdentifierLocation = false;
            const rootDeclaration = getRootDeclaration(objectLikeContainer.parent);
            if (!isVariableLike(rootDeclaration)) return Debug.fail("Root declaration is not variable-like.");
            let canGetType = hasInitializer(rootDeclaration) || !!getEffectiveTypeAnnotationNode(rootDeclaration) || rootDeclaration.parent.parent.kind === 250;
            if (!canGetType && rootDeclaration.kind === 169) {
              if (isExpression(rootDeclaration.parent)) {
                canGetType = !!typeChecker.getContextualType(rootDeclaration.parent);
              } else if (rootDeclaration.parent.kind === 174 || rootDeclaration.parent.kind === 178) {
                canGetType = isExpression(rootDeclaration.parent.parent) && !!typeChecker.getContextualType(rootDeclaration.parent.parent);
              }
            }
            if (canGetType) {
              const typeForObject = typeChecker.getTypeAtLocation(objectLikeContainer);
              if (!typeForObject) return 2;
              typeMembers = typeChecker.getPropertiesOfType(typeForObject).filter((propertySymbol) => {
                return typeChecker.isPropertyAccessible(
                  objectLikeContainer,
                  /*isSuper*/
                  false,
                  /*isWrite*/
                  false,
                  typeForObject,
                  propertySymbol
                );
              });
              existingMembers = objectLikeContainer.elements;
            }
          }
          if (typeMembers && typeMembers.length > 0) {
            const filteredMembers = filterObjectMembersList(typeMembers, Debug.checkDefined(existingMembers));
            symbols = concatenate(symbols, filteredMembers);
            setSortTextToOptionalMember();
            if (objectLikeContainer.kind === 210 && preferences.includeCompletionsWithObjectLiteralMethodSnippets && preferences.includeCompletionsWithInsertText) {
              transformObjectLiteralMembersSortText(symbolsStartIndex);
              collectObjectLiteralMethodSymbols(filteredMembers, objectLikeContainer);
            }
          }
          return 1;
        }
        function tryGetImportOrExportClauseCompletionSymbols() {
          if (!contextToken) return 0;
          const namedImportsOrExports = contextToken.kind === 19 || contextToken.kind === 28 ? tryCast(contextToken.parent, isNamedImportsOrExports) : isTypeKeywordTokenOrIdentifier(contextToken) ? tryCast(contextToken.parent.parent, isNamedImportsOrExports) : void 0;
          if (!namedImportsOrExports) return 0;
          if (!isTypeKeywordTokenOrIdentifier(contextToken)) {
            keywordFilters = 8;
          }
          const { moduleSpecifier } = namedImportsOrExports.kind === 275 ? namedImportsOrExports.parent.parent : namedImportsOrExports.parent;
          if (!moduleSpecifier) {
            isNewIdentifierLocation = true;
            return namedImportsOrExports.kind === 275 ? 2 : 0;
          }
          const moduleSpecifierSymbol = typeChecker.getSymbolAtLocation(moduleSpecifier);
          if (!moduleSpecifierSymbol) {
            isNewIdentifierLocation = true;
            return 2;
          }
          completionKind = 3;
          isNewIdentifierLocation = false;
          const exports22 = typeChecker.getExportsAndPropertiesOfModule(moduleSpecifierSymbol);
          const existing = new Set(namedImportsOrExports.elements.filter((n) => !isCurrentlyEditingNode(n)).map((n) => (n.propertyName || n.name).escapedText));
          const uniques = exports22.filter((e) => e.escapedName !== "default" && !existing.has(e.escapedName));
          symbols = concatenate(symbols, uniques);
          if (!uniques.length) {
            keywordFilters = 0;
          }
          return 1;
        }
        function tryGetImportAttributesCompletionSymbols() {
          if (contextToken === void 0) return 0;
          const importAttributes = contextToken.kind === 19 || contextToken.kind === 28 ? tryCast(contextToken.parent, isImportAttributes) : contextToken.kind === 59 ? tryCast(contextToken.parent.parent, isImportAttributes) : void 0;
          if (importAttributes === void 0) return 0;
          const existing = new Set(importAttributes.elements.map(getNameFromImportAttribute));
          symbols = filter(typeChecker.getTypeAtLocation(importAttributes).getApparentProperties(), (attr) => !existing.has(attr.escapedName));
          return 1;
        }
        function tryGetLocalNamedExportCompletionSymbols() {
          var _a;
          const namedExports = contextToken && (contextToken.kind === 19 || contextToken.kind === 28) ? tryCast(contextToken.parent, isNamedExports) : void 0;
          if (!namedExports) {
            return 0;
          }
          const localsContainer = findAncestor(namedExports, or(isSourceFile, isModuleDeclaration));
          completionKind = 5;
          isNewIdentifierLocation = false;
          (_a = localsContainer.locals) == null ? void 0 : _a.forEach((symbol, name) => {
            var _a2, _b;
            symbols.push(symbol);
            if ((_b = (_a2 = localsContainer.symbol) == null ? void 0 : _a2.exports) == null ? void 0 : _b.has(name)) {
              symbolToSortTextMap[getSymbolId(symbol)] = SortText.OptionalMember;
            }
          });
          return 1;
        }
        function tryGetClassLikeCompletionSymbols() {
          const decl = tryGetObjectTypeDeclarationCompletionContainer(sourceFile, contextToken, location, position);
          if (!decl) return 0;
          completionKind = 3;
          isNewIdentifierLocation = true;
          keywordFilters = contextToken.kind === 42 ? 0 : isClassLike(decl) ? 2 : 3;
          if (!isClassLike(decl)) return 1;
          const classElement = contextToken.kind === 27 ? contextToken.parent.parent : contextToken.parent;
          let classElementModifierFlags = isClassElement(classElement) ? getEffectiveModifierFlags(classElement) : 0;
          if (contextToken.kind === 80 && !isCurrentlyEditingNode(contextToken)) {
            switch (contextToken.getText()) {
              case "private":
                classElementModifierFlags = classElementModifierFlags | 2;
                break;
              case "static":
                classElementModifierFlags = classElementModifierFlags | 256;
                break;
              case "override":
                classElementModifierFlags = classElementModifierFlags | 16;
                break;
            }
          }
          if (isClassStaticBlockDeclaration(classElement)) {
            classElementModifierFlags |= 256;
          }
          if (!(classElementModifierFlags & 2)) {
            const baseTypeNodes = isClassLike(decl) && classElementModifierFlags & 16 ? singleElementArray(getEffectiveBaseTypeNode(decl)) : getAllSuperTypeNodes(decl);
            const baseSymbols = flatMap(baseTypeNodes, (baseTypeNode) => {
              const type = typeChecker.getTypeAtLocation(baseTypeNode);
              return classElementModifierFlags & 256 ? (type == null ? void 0 : type.symbol) && typeChecker.getPropertiesOfType(typeChecker.getTypeOfSymbolAtLocation(type.symbol, decl)) : type && typeChecker.getPropertiesOfType(type);
            });
            symbols = concatenate(symbols, filterClassMembersList(baseSymbols, decl.members, classElementModifierFlags));
            forEach(symbols, (symbol, index) => {
              const declaration = symbol == null ? void 0 : symbol.valueDeclaration;
              if (declaration && isClassElement(declaration) && declaration.name && isComputedPropertyName(declaration.name)) {
                const origin = {
                  kind: 512,
                  symbolName: typeChecker.symbolToString(symbol)
                };
                symbolToOriginInfoMap[index] = origin;
              }
            });
          }
          return 1;
        }
        function isConstructorParameterCompletion(node2) {
          return !!node2.parent && isParameter(node2.parent) && isConstructorDeclaration(node2.parent.parent) && (isParameterPropertyModifier(node2.kind) || isDeclarationName(node2));
        }
        function tryGetConstructorLikeCompletionContainer(contextToken2) {
          if (contextToken2) {
            const parent2 = contextToken2.parent;
            switch (contextToken2.kind) {
              case 21:
              case 28:
                return isConstructorDeclaration(contextToken2.parent) ? contextToken2.parent : void 0;
              default:
                if (isConstructorParameterCompletion(contextToken2)) {
                  return parent2.parent;
                }
            }
          }
          return void 0;
        }
        function tryGetFunctionLikeBodyCompletionContainer(contextToken2) {
          if (contextToken2) {
            let prev;
            const container = findAncestor(contextToken2.parent, (node2) => {
              if (isClassLike(node2)) {
                return "quit";
              }
              if (isFunctionLikeDeclaration(node2) && prev === node2.body) {
                return true;
              }
              prev = node2;
              return false;
            });
            return container && container;
          }
        }
        function tryGetContainingJsxElement(contextToken2) {
          if (contextToken2) {
            const parent2 = contextToken2.parent;
            switch (contextToken2.kind) {
              case 32:
              case 31:
              case 44:
              case 80:
              case 211:
              case 292:
              case 291:
              case 293:
                if (parent2 && (parent2.kind === 285 || parent2.kind === 286)) {
                  if (contextToken2.kind === 32) {
                    const precedingToken = findPrecedingToken(
                      contextToken2.pos,
                      sourceFile,
                      /*startNode*/
                      void 0
                    );
                    if (!parent2.typeArguments || precedingToken && precedingToken.kind === 44) break;
                  }
                  return parent2;
                } else if (parent2.kind === 291) {
                  return parent2.parent.parent;
                }
                break;
              case 11:
                if (parent2 && (parent2.kind === 291 || parent2.kind === 293)) {
                  return parent2.parent.parent;
                }
                break;
              case 20:
                if (parent2 && parent2.kind === 294 && parent2.parent && parent2.parent.kind === 291) {
                  return parent2.parent.parent.parent;
                }
                if (parent2 && parent2.kind === 293) {
                  return parent2.parent.parent;
                }
                break;
            }
          }
          return void 0;
        }
        function isInDifferentLineThanContextToken(contextToken2, position2) {
          return sourceFile.getLineEndOfPosition(contextToken2.getEnd()) < position2;
        }
        function isSolelyIdentifierDefinitionLocation(contextToken2) {
          const parent2 = contextToken2.parent;
          const containingNodeKind = parent2.kind;
          switch (contextToken2.kind) {
            case 28:
              return containingNodeKind === 260 || isVariableDeclarationListButNotTypeArgument(contextToken2) || containingNodeKind === 243 || containingNodeKind === 266 || // enum a { foo, |
              isFunctionLikeButNotConstructor(containingNodeKind) || containingNodeKind === 264 || // interface A= contextToken2.pos;
            case 25:
              return containingNodeKind === 207;
            case 59:
              return containingNodeKind === 208;
            case 23:
              return containingNodeKind === 207;
            case 21:
              return containingNodeKind === 299 || isFunctionLikeButNotConstructor(containingNodeKind);
            case 19:
              return containingNodeKind === 266;
            case 30:
              return containingNodeKind === 263 || // class A< |
              containingNodeKind === 231 || // var C = class D< |
              containingNodeKind === 264 || // interface A< |
              containingNodeKind === 265 || // type List< |
              isFunctionLikeKind(containingNodeKind);
            case 126:
              return containingNodeKind === 172 && !isClassLike(parent2.parent);
            case 26:
              return containingNodeKind === 169 || !!parent2.parent && parent2.parent.kind === 207;
            case 125:
            case 123:
            case 124:
              return containingNodeKind === 169 && !isConstructorDeclaration(parent2.parent);
            case 130:
              return containingNodeKind === 276 || containingNodeKind === 281 || containingNodeKind === 274;
            case 139:
            case 153:
              return !isFromObjectTypeDeclaration(contextToken2);
            case 80: {
              if (containingNodeKind === 276 && contextToken2 === parent2.name && contextToken2.text === "type") {
                return false;
              }
              const ancestorVariableDeclaration = findAncestor(
                contextToken2.parent,
                isVariableDeclaration
              );
              if (ancestorVariableDeclaration && isInDifferentLineThanContextToken(contextToken2, position)) {
                return false;
              }
              break;
            }
            case 86:
            case 94:
            case 120:
            case 100:
            case 115:
            case 102:
            case 121:
            case 87:
            case 140:
              return true;
            case 156:
              return containingNodeKind !== 276;
            case 42:
              return isFunctionLike(contextToken2.parent) && !isMethodDeclaration(contextToken2.parent);
          }
          if (isClassMemberCompletionKeyword(keywordForNode(contextToken2)) && isFromObjectTypeDeclaration(contextToken2)) {
            return false;
          }
          if (isConstructorParameterCompletion(contextToken2)) {
            if (!isIdentifier(contextToken2) || isParameterPropertyModifier(keywordForNode(contextToken2)) || isCurrentlyEditingNode(contextToken2)) {
              return false;
            }
          }
          switch (keywordForNode(contextToken2)) {
            case 128:
            case 86:
            case 87:
            case 138:
            case 94:
            case 100:
            case 120:
            case 121:
            case 123:
            case 124:
            case 125:
            case 126:
            case 115:
              return true;
            case 134:
              return isPropertyDeclaration(contextToken2.parent);
          }
          const ancestorClassLike = findAncestor(contextToken2.parent, isClassLike);
          if (ancestorClassLike && contextToken2 === previousToken && isPreviousPropertyDeclarationTerminated(contextToken2, position)) {
            return false;
          }
          const ancestorPropertyDeclaraion = getAncestor2(
            contextToken2.parent,
            172
            /* PropertyDeclaration */
          );
          if (ancestorPropertyDeclaraion && contextToken2 !== previousToken && isClassLike(previousToken.parent.parent) && position <= previousToken.end) {
            if (isPreviousPropertyDeclarationTerminated(contextToken2, previousToken.end)) {
              return false;
            } else if (contextToken2.kind !== 64 && (isInitializedProperty(ancestorPropertyDeclaraion) || hasType(ancestorPropertyDeclaraion))) {
              return true;
            }
          }
          return isDeclarationName(contextToken2) && !isShorthandPropertyAssignment(contextToken2.parent) && !isJsxAttribute(contextToken2.parent) && !((isClassLike(contextToken2.parent) || isInterfaceDeclaration(contextToken2.parent) || isTypeParameterDeclaration(contextToken2.parent)) && (contextToken2 !== previousToken || position > previousToken.end));
        }
        function isPreviousPropertyDeclarationTerminated(contextToken2, position2) {
          return contextToken2.kind !== 64 && (contextToken2.kind === 27 || !positionsAreOnSameLine(contextToken2.end, position2, sourceFile));
        }
        function isFunctionLikeButNotConstructor(kind) {
          return isFunctionLikeKind(kind) && kind !== 176;
        }
        function isDotOfNumericLiteral(contextToken2) {
          if (contextToken2.kind === 9) {
            const text = contextToken2.getFullText();
            return text.charAt(text.length - 1) === ".";
          }
          return false;
        }
        function isVariableDeclarationListButNotTypeArgument(node2) {
          return node2.parent.kind === 261 && !isPossiblyTypeArgumentPosition(node2, sourceFile, typeChecker);
        }
        function filterObjectMembersList(contextualMemberSymbols, existingMembers) {
          if (existingMembers.length === 0) {
            return contextualMemberSymbols;
          }
          const membersDeclaredBySpreadAssignment = /* @__PURE__ */ new Set();
          const existingMemberNames = /* @__PURE__ */ new Set();
          for (const m of existingMembers) {
            if (m.kind !== 303 && m.kind !== 304 && m.kind !== 208 && m.kind !== 174 && m.kind !== 177 && m.kind !== 178 && m.kind !== 305) {
              continue;
            }
            if (isCurrentlyEditingNode(m)) {
              continue;
            }
            let existingName;
            if (isSpreadAssignment(m)) {
              setMembersDeclaredBySpreadAssignment(m, membersDeclaredBySpreadAssignment);
            } else if (isBindingElement(m) && m.propertyName) {
              if (m.propertyName.kind === 80) {
                existingName = m.propertyName.escapedText;
              }
            } else {
              const name = getNameOfDeclaration(m);
              existingName = name && isPropertyNameLiteral(name) ? getEscapedTextOfIdentifierOrLiteral(name) : void 0;
            }
            if (existingName !== void 0) {
              existingMemberNames.add(existingName);
            }
          }
          const filteredSymbols = contextualMemberSymbols.filter((m) => !existingMemberNames.has(m.escapedName));
          setSortTextToMemberDeclaredBySpreadAssignment(membersDeclaredBySpreadAssignment, filteredSymbols);
          return filteredSymbols;
        }
        function setMembersDeclaredBySpreadAssignment(declaration, membersDeclaredBySpreadAssignment) {
          const expression = declaration.expression;
          const symbol = typeChecker.getSymbolAtLocation(expression);
          const type = symbol && typeChecker.getTypeOfSymbolAtLocation(symbol, expression);
          const properties = type && type.properties;
          if (properties) {
            properties.forEach((property) => {
              membersDeclaredBySpreadAssignment.add(property.name);
            });
          }
        }
        function setSortTextToOptionalMember() {
          symbols.forEach((m) => {
            if (m.flags & 16777216) {
              const symbolId = getSymbolId(m);
              symbolToSortTextMap[symbolId] = symbolToSortTextMap[symbolId] ?? SortText.OptionalMember;
            }
          });
        }
        function setSortTextToMemberDeclaredBySpreadAssignment(membersDeclaredBySpreadAssignment, contextualMemberSymbols) {
          if (membersDeclaredBySpreadAssignment.size === 0) {
            return;
          }
          for (const contextualMemberSymbol of contextualMemberSymbols) {
            if (membersDeclaredBySpreadAssignment.has(contextualMemberSymbol.name)) {
              symbolToSortTextMap[getSymbolId(contextualMemberSymbol)] = SortText.MemberDeclaredBySpreadAssignment;
            }
          }
        }
        function transformObjectLiteralMembersSortText(start2) {
          for (let i = start2; i < symbols.length; i++) {
            const symbol = symbols[i];
            const symbolId = getSymbolId(symbol);
            const origin = symbolToOriginInfoMap == null ? void 0 : symbolToOriginInfoMap[i];
            const target = getEmitScriptTarget(compilerOptions);
            const displayName = getCompletionEntryDisplayNameForSymbol(
              symbol,
              target,
              origin,
              0,
              /*jsxIdentifierExpected*/
              false
            );
            if (displayName) {
              const originalSortText = symbolToSortTextMap[symbolId] ?? SortText.LocationPriority;
              const { name } = displayName;
              symbolToSortTextMap[symbolId] = SortText.ObjectLiteralProperty(originalSortText, name);
            }
          }
        }
        function filterClassMembersList(baseSymbols, existingMembers, currentClassElementModifierFlags) {
          const existingMemberNames = /* @__PURE__ */ new Set();
          for (const m of existingMembers) {
            if (m.kind !== 172 && m.kind !== 174 && m.kind !== 177 && m.kind !== 178) {
              continue;
            }
            if (isCurrentlyEditingNode(m)) {
              continue;
            }
            if (hasEffectiveModifier(
              m,
              2
              /* Private */
            )) {
              continue;
            }
            if (isStatic(m) !== !!(currentClassElementModifierFlags & 256)) {
              continue;
            }
            const existingName = getPropertyNameForPropertyNameNode(m.name);
            if (existingName) {
              existingMemberNames.add(existingName);
            }
          }
          return baseSymbols.filter(
            (propertySymbol) => !existingMemberNames.has(propertySymbol.escapedName) && !!propertySymbol.declarations && !(getDeclarationModifierFlagsFromSymbol(propertySymbol) & 2) && !(propertySymbol.valueDeclaration && isPrivateIdentifierClassElementDeclaration(propertySymbol.valueDeclaration))
          );
        }
        function filterJsxAttributes(symbols2, attributes) {
          const seenNames = /* @__PURE__ */ new Set();
          const membersDeclaredBySpreadAssignment = /* @__PURE__ */ new Set();
          for (const attr of attributes) {
            if (isCurrentlyEditingNode(attr)) {
              continue;
            }
            if (attr.kind === 291) {
              seenNames.add(getEscapedTextOfJsxAttributeName(attr.name));
            } else if (isJsxSpreadAttribute(attr)) {
              setMembersDeclaredBySpreadAssignment(attr, membersDeclaredBySpreadAssignment);
            }
          }
          const filteredSymbols = symbols2.filter((a) => !seenNames.has(a.escapedName));
          setSortTextToMemberDeclaredBySpreadAssignment(membersDeclaredBySpreadAssignment, filteredSymbols);
          return filteredSymbols;
        }
        function isCurrentlyEditingNode(node2) {
          return node2.getStart(sourceFile) <= position && position <= node2.getEnd();
        }
      }
      function tryGetObjectLikeCompletionContainer(contextToken, position, sourceFile) {
        var _a;
        if (contextToken) {
          const { parent: parent2 } = contextToken;
          switch (contextToken.kind) {
            case 19:
            case 28:
              if (isObjectLiteralExpression(parent2) || isObjectBindingPattern(parent2)) {
                return parent2;
              }
              break;
            case 42:
              return isMethodDeclaration(parent2) ? tryCast(parent2.parent, isObjectLiteralExpression) : void 0;
            case 134:
              return tryCast(parent2.parent, isObjectLiteralExpression);
            case 80:
              if (contextToken.text === "async" && isShorthandPropertyAssignment(contextToken.parent)) {
                return contextToken.parent.parent;
              } else {
                if (isObjectLiteralExpression(contextToken.parent.parent) && (isSpreadAssignment(contextToken.parent) || isShorthandPropertyAssignment(contextToken.parent) && getLineAndCharacterOfPosition(sourceFile, contextToken.getEnd()).line !== getLineAndCharacterOfPosition(sourceFile, position).line)) {
                  return contextToken.parent.parent;
                }
                const ancestorNode2 = findAncestor(parent2, isPropertyAssignment);
                if ((ancestorNode2 == null ? void 0 : ancestorNode2.getLastToken(sourceFile)) === contextToken && isObjectLiteralExpression(ancestorNode2.parent)) {
                  return ancestorNode2.parent;
                }
              }
              break;
            default:
              if (((_a = parent2.parent) == null ? void 0 : _a.parent) && (isMethodDeclaration(parent2.parent) || isGetAccessorDeclaration(parent2.parent) || isSetAccessorDeclaration(parent2.parent)) && isObjectLiteralExpression(parent2.parent.parent)) {
                return parent2.parent.parent;
              }
              if (isSpreadAssignment(parent2) && isObjectLiteralExpression(parent2.parent)) {
                return parent2.parent;
              }
              const ancestorNode = findAncestor(parent2, isPropertyAssignment);
              if (contextToken.kind !== 59 && (ancestorNode == null ? void 0 : ancestorNode.getLastToken(sourceFile)) === contextToken && isObjectLiteralExpression(ancestorNode.parent)) {
                return ancestorNode.parent;
              }
          }
        }
        return void 0;
      }
      function getRelevantTokens(position, sourceFile) {
        const previousToken = findPrecedingToken(position, sourceFile);
        if (previousToken && position <= previousToken.end && (isMemberName(previousToken) || isKeyword2(previousToken.kind))) {
          const contextToken = findPrecedingToken(
            previousToken.getFullStart(),
            sourceFile,
            /*startNode*/
            void 0
          );
          return { contextToken, previousToken };
        }
        return { contextToken: previousToken, previousToken };
      }
      function getAutoImportSymbolFromCompletionEntryData(name, data, program, host) {
        const containingProgram = data.isPackageJsonImport ? host.getPackageJsonAutoImportProvider() : program;
        const checker = containingProgram.getTypeChecker();
        const moduleSymbol = data.ambientModuleName ? checker.tryFindAmbientModule(data.ambientModuleName) : data.fileName ? checker.getMergedSymbol(Debug.checkDefined(containingProgram.getSourceFile(data.fileName)).symbol) : void 0;
        if (!moduleSymbol) return void 0;
        let symbol = data.exportName === "export=" ? checker.resolveExternalModuleSymbol(moduleSymbol) : checker.tryGetMemberInModuleExportsAndProperties(data.exportName, moduleSymbol);
        if (!symbol) return void 0;
        const isDefaultExport = data.exportName === "default";
        symbol = isDefaultExport && getLocalSymbolForExportDefault(symbol) || symbol;
        return { symbol, origin: completionEntryDataToSymbolOriginInfo(data, name, moduleSymbol) };
      }
      function getCompletionEntryDisplayNameForSymbol(symbol, target, origin, kind, jsxIdentifierExpected) {
        if (originIsIgnore(origin)) {
          return void 0;
        }
        const name = originIncludesSymbolName(origin) ? origin.symbolName : symbol.name;
        if (name === void 0 || symbol.flags & 1536 && isSingleOrDoubleQuote(name.charCodeAt(0)) || isKnownSymbol(symbol)) {
          return void 0;
        }
        const validNameResult = { name, needsConvertPropertyAccess: false };
        if (isIdentifierText(
          name,
          target,
          jsxIdentifierExpected ? 1 : 0
          /* Standard */
        ) || symbol.valueDeclaration && isPrivateIdentifierClassElementDeclaration(symbol.valueDeclaration)) {
          return validNameResult;
        }
        switch (kind) {
          case 3:
            return originIsComputedPropertyName(origin) ? { name: origin.symbolName, needsConvertPropertyAccess: false } : void 0;
          case 0:
            return { name: JSON.stringify(name), needsConvertPropertyAccess: false };
          case 2:
          case 1:
            return name.charCodeAt(0) === 32 ? void 0 : { name, needsConvertPropertyAccess: true };
          case 5:
          case 4:
            return validNameResult;
          default:
            Debug.assertNever(kind);
        }
      }
      var _keywordCompletions = [];
      var allKeywordsCompletions = memoize(() => {
        const res = [];
        for (let i = 83; i <= 165; i++) {
          res.push({
            name: tokenToString(i),
            kind: "keyword",
            kindModifiers: "",
            sortText: SortText.GlobalsOrKeywords
          });
        }
        return res;
      });
      function getKeywordCompletions(keywordFilter, filterOutTsOnlyKeywords) {
        if (!filterOutTsOnlyKeywords) return getTypescriptKeywordCompletions(keywordFilter);
        const index = keywordFilter + 8 + 1;
        return _keywordCompletions[index] || (_keywordCompletions[index] = getTypescriptKeywordCompletions(keywordFilter).filter((entry) => !isTypeScriptOnlyKeyword(stringToToken(entry.name))));
      }
      function getTypescriptKeywordCompletions(keywordFilter) {
        return _keywordCompletions[keywordFilter] || (_keywordCompletions[keywordFilter] = allKeywordsCompletions().filter((entry) => {
          const kind = stringToToken(entry.name);
          switch (keywordFilter) {
            case 0:
              return false;
            case 1:
              return isFunctionLikeBodyKeyword(kind) || kind === 138 || kind === 144 || kind === 156 || kind === 145 || kind === 128 || isTypeKeyword(kind) && kind !== 157;
            case 5:
              return isFunctionLikeBodyKeyword(kind);
            case 2:
              return isClassMemberCompletionKeyword(kind);
            case 3:
              return isInterfaceOrTypeLiteralCompletionKeyword(kind);
            case 4:
              return isParameterPropertyModifier(kind);
            case 6:
              return isTypeKeyword(kind) || kind === 87;
            case 7:
              return isTypeKeyword(kind);
            case 8:
              return kind === 156;
            default:
              return Debug.assertNever(keywordFilter);
          }
        }));
      }
      function isTypeScriptOnlyKeyword(kind) {
        switch (kind) {
          case 128:
          case 133:
          case 163:
          case 136:
          case 138:
          case 94:
          case 162:
          case 119:
          case 140:
          case 120:
          case 142:
          case 143:
          case 144:
          case 145:
          case 146:
          case 150:
          case 151:
          case 164:
          case 123:
          case 124:
          case 125:
          case 148:
          case 154:
          case 155:
          case 156:
          case 158:
          case 159:
            return true;
          default:
            return false;
        }
      }
      function isInterfaceOrTypeLiteralCompletionKeyword(kind) {
        return kind === 148;
      }
      function isClassMemberCompletionKeyword(kind) {
        switch (kind) {
          case 128:
          case 129:
          case 137:
          case 139:
          case 153:
          case 134:
          case 138:
          case 164:
            return true;
          default:
            return isClassMemberModifier(kind);
        }
      }
      function isFunctionLikeBodyKeyword(kind) {
        return kind === 134 || kind === 135 || kind === 160 || kind === 130 || kind === 152 || kind === 156 || !isContextualKeyword(kind) && !isClassMemberCompletionKeyword(kind);
      }
      function keywordForNode(node) {
        return isIdentifier(node) ? identifierToKeywordKind(node) ?? 0 : node.kind;
      }
      function getContextualKeywords(contextToken, position) {
        const entries = [];
        if (contextToken) {
          const file = contextToken.getSourceFile();
          const parent2 = contextToken.parent;
          const tokenLine = file.getLineAndCharacterOfPosition(contextToken.end).line;
          const currentLine = file.getLineAndCharacterOfPosition(position).line;
          if ((isImportDeclaration(parent2) || isExportDeclaration(parent2) && parent2.moduleSpecifier) && contextToken === parent2.moduleSpecifier && tokenLine === currentLine) {
            entries.push({
              name: tokenToString(
                132
                /* AssertKeyword */
              ),
              kind: "keyword",
              kindModifiers: "",
              sortText: SortText.GlobalsOrKeywords
            });
          }
        }
        return entries;
      }
      function getJsDocTagAtPosition(node, position) {
        return findAncestor(node, (n) => isJSDocTag(n) && rangeContainsPosition(n, position) ? true : isJSDoc(n) ? "quit" : false);
      }
      function getPropertiesForObjectExpression(contextualType, completionsType, obj, checker) {
        const hasCompletionsType = completionsType && completionsType !== contextualType;
        const type = hasCompletionsType && !(completionsType.flags & 3) ? checker.getUnionType([contextualType, completionsType]) : contextualType;
        const properties = getApparentProperties(type, obj, checker);
        return type.isClass() && containsNonPublicProperties(properties) ? [] : hasCompletionsType ? filter(properties, hasDeclarationOtherThanSelf) : properties;
        function hasDeclarationOtherThanSelf(member) {
          if (!length(member.declarations)) return true;
          return some(member.declarations, (decl) => decl.parent !== obj);
        }
      }
      function getApparentProperties(type, node, checker) {
        if (!type.isUnion()) return type.getApparentProperties();
        return checker.getAllPossiblePropertiesOfTypes(filter(type.types, (memberType) => !(memberType.flags & 402784252 || checker.isArrayLikeType(memberType) || checker.isTypeInvalidDueToUnionDiscriminant(memberType, node) || checker.typeHasCallOrConstructSignatures(memberType) || memberType.isClass() && containsNonPublicProperties(memberType.getApparentProperties()))));
      }
      function containsNonPublicProperties(props) {
        return some(props, (p) => !!(getDeclarationModifierFlagsFromSymbol(p) & 6));
      }
      function getPropertiesForCompletion(type, checker) {
        return type.isUnion() ? Debug.checkEachDefined(checker.getAllPossiblePropertiesOfTypes(type.types), "getAllPossiblePropertiesOfTypes() should all be defined") : Debug.checkEachDefined(type.getApparentProperties(), "getApparentProperties() should all be defined");
      }
      function tryGetObjectTypeDeclarationCompletionContainer(sourceFile, contextToken, location, position) {
        switch (location.kind) {
          case 352:
            return tryCast(location.parent, isObjectTypeDeclaration);
          case 1:
            const cls = tryCast(lastOrUndefined(cast(location.parent, isSourceFile).statements), isObjectTypeDeclaration);
            if (cls && !findChildOfKind(cls, 20, sourceFile)) {
              return cls;
            }
            break;
          case 81:
            if (tryCast(location.parent, isPropertyDeclaration)) {
              return findAncestor(location, isClassLike);
            }
            break;
          case 80: {
            const originalKeywordKind = identifierToKeywordKind(location);
            if (originalKeywordKind) {
              return void 0;
            }
            if (isPropertyDeclaration(location.parent) && location.parent.initializer === location) {
              return void 0;
            }
            if (isFromObjectTypeDeclaration(location)) {
              return findAncestor(location, isObjectTypeDeclaration);
            }
          }
        }
        if (!contextToken) return void 0;
        if (location.kind === 137 || isIdentifier(contextToken) && isPropertyDeclaration(contextToken.parent) && isClassLike(location)) {
          return findAncestor(contextToken, isClassLike);
        }
        switch (contextToken.kind) {
          case 64:
            return void 0;
          case 27:
          case 20:
            return isFromObjectTypeDeclaration(location) && location.parent.name === location ? location.parent.parent : tryCast(location, isObjectTypeDeclaration);
          case 19:
          case 28:
            return tryCast(contextToken.parent, isObjectTypeDeclaration);
          default:
            if (isObjectTypeDeclaration(location)) {
              if (getLineAndCharacterOfPosition(sourceFile, contextToken.getEnd()).line !== getLineAndCharacterOfPosition(sourceFile, position).line) {
                return location;
              }
              const isValidKeyword = isClassLike(contextToken.parent.parent) ? isClassMemberCompletionKeyword : isInterfaceOrTypeLiteralCompletionKeyword;
              return isValidKeyword(contextToken.kind) || contextToken.kind === 42 || isIdentifier(contextToken) && isValidKeyword(
                identifierToKeywordKind(contextToken) ?? 0
                /* Unknown */
              ) ? contextToken.parent.parent : void 0;
            }
            return void 0;
        }
      }
      function tryGetTypeLiteralNode(node) {
        if (!node) return void 0;
        const parent2 = node.parent;
        switch (node.kind) {
          case 19:
            if (isTypeLiteralNode(parent2)) {
              return parent2;
            }
            break;
          case 27:
          case 28:
          case 80:
            if (parent2.kind === 171 && isTypeLiteralNode(parent2.parent)) {
              return parent2.parent;
            }
            break;
        }
        return void 0;
      }
      function getConstraintOfTypeArgumentProperty(node, checker) {
        if (!node) return void 0;
        if (isTypeNode(node) && isTypeReferenceType(node.parent)) {
          return checker.getTypeArgumentConstraint(node);
        }
        const t = getConstraintOfTypeArgumentProperty(node.parent, checker);
        if (!t) return void 0;
        switch (node.kind) {
          case 171:
            return checker.getTypeOfPropertyOfContextualType(t, node.symbol.escapedName);
          case 193:
          case 187:
          case 192:
            return t;
        }
      }
      function isFromObjectTypeDeclaration(node) {
        return node.parent && isClassOrTypeElement(node.parent) && isObjectTypeDeclaration(node.parent.parent);
      }
      function isValidTrigger(sourceFile, triggerCharacter, contextToken, position) {
        switch (triggerCharacter) {
          case ".":
          case "@":
            return true;
          case '"':
          case "'":
          case "`":
            return !!contextToken && isStringLiteralOrTemplate(contextToken) && position === contextToken.getStart(sourceFile) + 1;
          case "#":
            return !!contextToken && isPrivateIdentifier(contextToken) && !!getContainingClass(contextToken);
          case "<":
            return !!contextToken && contextToken.kind === 30 && (!isBinaryExpression(contextToken.parent) || binaryExpressionMayBeOpenTag(contextToken.parent));
          case "/":
            return !!contextToken && (isStringLiteralLike(contextToken) ? !!tryGetImportFromModuleSpecifier(contextToken) : contextToken.kind === 44 && isJsxClosingElement(contextToken.parent));
          case " ":
            return !!contextToken && isImportKeyword(contextToken) && contextToken.parent.kind === 307;
          default:
            return Debug.assertNever(triggerCharacter);
        }
      }
      function binaryExpressionMayBeOpenTag({ left }) {
        return nodeIsMissing(left);
      }
      function isProbablyGlobalType(type, sourceFile, checker) {
        const selfSymbol = checker.resolveName(
          "self",
          /*location*/
          void 0,
          111551,
          /*excludeGlobals*/
          false
        );
        if (selfSymbol && checker.getTypeOfSymbolAtLocation(selfSymbol, sourceFile) === type) {
          return true;
        }
        const globalSymbol = checker.resolveName(
          "global",
          /*location*/
          void 0,
          111551,
          /*excludeGlobals*/
          false
        );
        if (globalSymbol && checker.getTypeOfSymbolAtLocation(globalSymbol, sourceFile) === type) {
          return true;
        }
        const globalThisSymbol = checker.resolveName(
          "globalThis",
          /*location*/
          void 0,
          111551,
          /*excludeGlobals*/
          false
        );
        if (globalThisSymbol && checker.getTypeOfSymbolAtLocation(globalThisSymbol, sourceFile) === type) {
          return true;
        }
        return false;
      }
      function isStaticProperty(symbol) {
        return !!(symbol.valueDeclaration && getEffectiveModifierFlags(symbol.valueDeclaration) & 256 && isClassLike(symbol.valueDeclaration.parent));
      }
      function tryGetObjectLiteralContextualType(node, typeChecker) {
        const type = typeChecker.getContextualType(node);
        if (type) {
          return type;
        }
        const parent2 = walkUpParenthesizedExpressions(node.parent);
        if (isBinaryExpression(parent2) && parent2.operatorToken.kind === 64 && node === parent2.left) {
          return typeChecker.getTypeAtLocation(parent2);
        }
        if (isExpression(parent2)) {
          return typeChecker.getContextualType(parent2);
        }
        return void 0;
      }
      function getImportStatementCompletionInfo(contextToken, sourceFile) {
        var _a, _b, _c;
        let keywordCompletion;
        let isKeywordOnlyCompletion = false;
        const candidate = getCandidate();
        return {
          isKeywordOnlyCompletion,
          keywordCompletion,
          isNewIdentifierLocation: !!(candidate || keywordCompletion === 156),
          isTopLevelTypeOnly: !!((_b = (_a = tryCast(candidate, isImportDeclaration)) == null ? void 0 : _a.importClause) == null ? void 0 : _b.isTypeOnly) || !!((_c = tryCast(candidate, isImportEqualsDeclaration)) == null ? void 0 : _c.isTypeOnly),
          couldBeTypeOnlyImportSpecifier: !!candidate && couldBeTypeOnlyImportSpecifier(candidate, contextToken),
          replacementSpan: getSingleLineReplacementSpanForImportCompletionNode(candidate)
        };
        function getCandidate() {
          const parent2 = contextToken.parent;
          if (isImportEqualsDeclaration(parent2)) {
            const lastToken = parent2.getLastToken(sourceFile);
            if (isIdentifier(contextToken) && lastToken !== contextToken) {
              keywordCompletion = 161;
              isKeywordOnlyCompletion = true;
              return void 0;
            }
            keywordCompletion = contextToken.kind === 156 ? void 0 : 156;
            return isModuleSpecifierMissingOrEmpty(parent2.moduleReference) ? parent2 : void 0;
          }
          if (couldBeTypeOnlyImportSpecifier(parent2, contextToken) && canCompleteFromNamedBindings(parent2.parent)) {
            return parent2;
          }
          if (isNamedImports(parent2) || isNamespaceImport(parent2)) {
            if (!parent2.parent.isTypeOnly && (contextToken.kind === 19 || contextToken.kind === 102 || contextToken.kind === 28)) {
              keywordCompletion = 156;
            }
            if (canCompleteFromNamedBindings(parent2)) {
              if (contextToken.kind === 20 || contextToken.kind === 80) {
                isKeywordOnlyCompletion = true;
                keywordCompletion = 161;
              } else {
                return parent2.parent.parent;
              }
            }
            return void 0;
          }
          if (isExportDeclaration(parent2) && contextToken.kind === 42 || isNamedExports(parent2) && contextToken.kind === 20) {
            isKeywordOnlyCompletion = true;
            keywordCompletion = 161;
            return void 0;
          }
          if (isImportKeyword(contextToken) && isSourceFile(parent2)) {
            keywordCompletion = 156;
            return contextToken;
          }
          if (isImportKeyword(contextToken) && isImportDeclaration(parent2)) {
            keywordCompletion = 156;
            return isModuleSpecifierMissingOrEmpty(parent2.moduleSpecifier) ? parent2 : void 0;
          }
          return void 0;
        }
      }
      function getSingleLineReplacementSpanForImportCompletionNode(node) {
        var _a;
        if (!node) return void 0;
        const top = findAncestor(node, or(isImportDeclaration, isImportEqualsDeclaration, isJSDocImportTag)) ?? node;
        const sourceFile = top.getSourceFile();
        if (rangeIsOnSingleLine(top, sourceFile)) {
          return createTextSpanFromNode(top, sourceFile);
        }
        Debug.assert(
          top.kind !== 102 && top.kind !== 276
          /* ImportSpecifier */
        );
        const potentialSplitPoint = top.kind === 272 || top.kind === 351 ? getPotentiallyInvalidImportSpecifier((_a = top.importClause) == null ? void 0 : _a.namedBindings) ?? top.moduleSpecifier : top.moduleReference;
        const withoutModuleSpecifier = {
          pos: top.getFirstToken().getStart(),
          end: potentialSplitPoint.pos
        };
        if (rangeIsOnSingleLine(withoutModuleSpecifier, sourceFile)) {
          return createTextSpanFromRange(withoutModuleSpecifier);
        }
      }
      function getPotentiallyInvalidImportSpecifier(namedBindings) {
        var _a;
        return find(
          (_a = tryCast(namedBindings, isNamedImports)) == null ? void 0 : _a.elements,
          (e) => {
            var _a2;
            return !e.propertyName && isStringANonContextualKeyword(e.name.text) && ((_a2 = findPrecedingToken(e.name.pos, namedBindings.getSourceFile(), namedBindings)) == null ? void 0 : _a2.kind) !== 28;
          }
        );
      }
      function couldBeTypeOnlyImportSpecifier(importSpecifier, contextToken) {
        return isImportSpecifier(importSpecifier) && (importSpecifier.isTypeOnly || contextToken === importSpecifier.name && isTypeKeywordTokenOrIdentifier(contextToken));
      }
      function canCompleteFromNamedBindings(namedBindings) {
        if (!isModuleSpecifierMissingOrEmpty(namedBindings.parent.parent.moduleSpecifier) || namedBindings.parent.name) {
          return false;
        }
        if (isNamedImports(namedBindings)) {
          const invalidNamedImport = getPotentiallyInvalidImportSpecifier(namedBindings);
          const validImports = invalidNamedImport ? namedBindings.elements.indexOf(invalidNamedImport) : namedBindings.elements.length;
          return validImports < 2;
        }
        return true;
      }
      function isModuleSpecifierMissingOrEmpty(specifier) {
        var _a;
        if (nodeIsMissing(specifier)) return true;
        return !((_a = tryCast(isExternalModuleReference(specifier) ? specifier.expression : specifier, isStringLiteralLike)) == null ? void 0 : _a.text);
      }
      function getVariableOrParameterDeclaration(contextToken, location) {
        if (!contextToken) return;
        const possiblyParameterDeclaration = findAncestor(contextToken, (node) => isFunctionBlock(node) || isArrowFunctionBody2(node) || isBindingPattern(node) ? "quit" : (isParameter(node) || isTypeParameterDeclaration(node)) && !isIndexSignatureDeclaration(node.parent));
        const possiblyVariableDeclaration = findAncestor(location, (node) => isFunctionBlock(node) || isArrowFunctionBody2(node) || isBindingPattern(node) ? "quit" : isVariableDeclaration(node));
        return possiblyParameterDeclaration || possiblyVariableDeclaration;
      }
      function isArrowFunctionBody2(node) {
        return node.parent && isArrowFunction(node.parent) && (node.parent.body === node || // const a = () => /**/;
        node.kind === 39);
      }
      function symbolCanBeReferencedAtTypeLocation(symbol, checker, seenModules = /* @__PURE__ */ new Map()) {
        return nonAliasCanBeReferencedAtTypeLocation(symbol) || nonAliasCanBeReferencedAtTypeLocation(skipAlias(symbol.exportSymbol || symbol, checker));
        function nonAliasCanBeReferencedAtTypeLocation(symbol2) {
          return !!(symbol2.flags & 788968) || checker.isUnknownSymbol(symbol2) || !!(symbol2.flags & 1536) && addToSeen(seenModules, getSymbolId(symbol2)) && checker.getExportsOfModule(symbol2).some((e) => symbolCanBeReferencedAtTypeLocation(e, checker, seenModules));
        }
      }
      function isDeprecated(symbol, checker) {
        const declarations = skipAlias(symbol, checker).declarations;
        return !!length(declarations) && every(declarations, isDeprecatedDeclaration);
      }
      function charactersFuzzyMatchInString(identifierString, lowercaseCharacters) {
        if (lowercaseCharacters.length === 0) {
          return true;
        }
        let matchedFirstCharacter = false;
        let prevChar;
        let characterIndex = 0;
        const len = identifierString.length;
        for (let strIndex = 0; strIndex < len; strIndex++) {
          const strChar = identifierString.charCodeAt(strIndex);
          const testChar = lowercaseCharacters.charCodeAt(characterIndex);
          if (strChar === testChar || strChar === toUpperCharCode(testChar)) {
            matchedFirstCharacter || (matchedFirstCharacter = prevChar === void 0 || // Beginning of word
            97 <= prevChar && prevChar <= 122 && 65 <= strChar && strChar <= 90 || // camelCase transition
            prevChar === 95 && strChar !== 95);
            if (matchedFirstCharacter) {
              characterIndex++;
            }
            if (characterIndex === lowercaseCharacters.length) {
              return true;
            }
          }
          prevChar = strChar;
        }
        return false;
      }
      function toUpperCharCode(charCode) {
        if (97 <= charCode && charCode <= 122) {
          return charCode - 32;
        }
        return charCode;
      }
      function isContextualKeywordInAutoImportableExpressionSpace(keyword) {
        return keyword === "abstract" || keyword === "async" || keyword === "await" || keyword === "declare" || keyword === "module" || keyword === "namespace" || keyword === "type" || keyword === "satisfies" || keyword === "as";
      }
      var ts_Completions_StringCompletions_exports = {};
      __export2(ts_Completions_StringCompletions_exports, {
        getStringLiteralCompletionDetails: () => getStringLiteralCompletionDetails,
        getStringLiteralCompletions: () => getStringLiteralCompletions
      });
      var kindPrecedence = {
        [
          "directory"
          /* directory */
        ]: 0,
        [
          "script"
          /* scriptElement */
        ]: 1,
        [
          "external module name"
          /* externalModuleName */
        ]: 2
      };
      function createNameAndKindSet() {
        const map2 = /* @__PURE__ */ new Map();
        function add(value) {
          const existing = map2.get(value.name);
          if (!existing || kindPrecedence[existing.kind] < kindPrecedence[value.kind]) {
            map2.set(value.name, value);
          }
        }
        return {
          add,
          has: map2.has.bind(map2),
          values: map2.values.bind(map2)
        };
      }
      function getStringLiteralCompletions(sourceFile, position, contextToken, options, host, program, log, preferences, includeSymbol) {
        if (isInReferenceComment(sourceFile, position)) {
          const entries = getTripleSlashReferenceCompletion(sourceFile, position, options, host);
          return entries && convertPathCompletions(entries);
        }
        if (isInString(sourceFile, position, contextToken)) {
          if (!contextToken || !isStringLiteralLike(contextToken)) return void 0;
          const entries = getStringLiteralCompletionEntries(sourceFile, contextToken, position, program, host, preferences);
          return convertStringLiteralCompletions(entries, contextToken, sourceFile, host, program, log, options, preferences, position, includeSymbol);
        }
      }
      function convertStringLiteralCompletions(completion, contextToken, sourceFile, host, program, log, options, preferences, position, includeSymbol) {
        if (completion === void 0) {
          return void 0;
        }
        const optionalReplacementSpan = createTextSpanFromStringLiteralLikeContent(contextToken, position);
        switch (completion.kind) {
          case 0:
            return convertPathCompletions(completion.paths);
          case 1: {
            const entries = createSortedArray();
            getCompletionEntriesFromSymbols(
              completion.symbols,
              entries,
              contextToken,
              contextToken,
              sourceFile,
              position,
              sourceFile,
              host,
              program,
              99,
              log,
              4,
              preferences,
              options,
              /*formatContext*/
              void 0,
              /*isTypeOnlyLocation*/
              void 0,
              /*propertyAccessToConvert*/
              void 0,
              /*jsxIdentifierExpected*/
              void 0,
              /*isJsxInitializer*/
              void 0,
              /*importStatementCompletion*/
              void 0,
              /*recommendedCompletion*/
              void 0,
              /*symbolToOriginInfoMap*/
              void 0,
              /*symbolToSortTextMap*/
              void 0,
              /*isJsxIdentifierExpected*/
              void 0,
              /*isRightOfOpenTag*/
              void 0,
              includeSymbol
            );
            return { isGlobalCompletion: false, isMemberCompletion: true, isNewIdentifierLocation: completion.hasIndexSignature, optionalReplacementSpan, entries };
          }
          case 2: {
            const quoteChar = contextToken.kind === 15 ? 96 : startsWith2(getTextOfNode(contextToken), "'") ? 39 : 34;
            const entries = completion.types.map((type) => ({
              name: escapeString2(type.value, quoteChar),
              kindModifiers: "",
              kind: "string",
              sortText: SortText.LocationPriority,
              replacementSpan: getReplacementSpanForContextToken(contextToken, position)
            }));
            return { isGlobalCompletion: false, isMemberCompletion: false, isNewIdentifierLocation: completion.isNewIdentifier, optionalReplacementSpan, entries };
          }
          default:
            return Debug.assertNever(completion);
        }
      }
      function getStringLiteralCompletionDetails(name, sourceFile, position, contextToken, program, host, cancellationToken, preferences) {
        if (!contextToken || !isStringLiteralLike(contextToken)) return void 0;
        const completions = getStringLiteralCompletionEntries(sourceFile, contextToken, position, program, host, preferences);
        return completions && stringLiteralCompletionDetails(name, contextToken, completions, sourceFile, program.getTypeChecker(), cancellationToken);
      }
      function stringLiteralCompletionDetails(name, location, completion, sourceFile, checker, cancellationToken) {
        switch (completion.kind) {
          case 0: {
            const match = find(completion.paths, (p) => p.name === name);
            return match && createCompletionDetails(name, kindModifiersFromExtension(match.extension), match.kind, [textPart(name)]);
          }
          case 1: {
            const match = find(completion.symbols, (s) => s.name === name);
            return match && createCompletionDetailsForSymbol(match, match.name, checker, sourceFile, location, cancellationToken);
          }
          case 2:
            return find(completion.types, (t) => t.value === name) ? createCompletionDetails(name, "", "string", [textPart(name)]) : void 0;
          default:
            return Debug.assertNever(completion);
        }
      }
      function convertPathCompletions(pathCompletions) {
        const isGlobalCompletion = false;
        const isNewIdentifierLocation = true;
        const entries = pathCompletions.map(({ name, kind, span, extension }) => ({ name, kind, kindModifiers: kindModifiersFromExtension(extension), sortText: SortText.LocationPriority, replacementSpan: span }));
        return { isGlobalCompletion, isMemberCompletion: false, isNewIdentifierLocation, entries };
      }
      function kindModifiersFromExtension(extension) {
        switch (extension) {
          case ".d.ts":
            return ".d.ts";
          case ".js":
            return ".js";
          case ".json":
            return ".json";
          case ".jsx":
            return ".jsx";
          case ".ts":
            return ".ts";
          case ".tsx":
            return ".tsx";
          case ".d.mts":
            return ".d.mts";
          case ".mjs":
            return ".mjs";
          case ".mts":
            return ".mts";
          case ".d.cts":
            return ".d.cts";
          case ".cjs":
            return ".cjs";
          case ".cts":
            return ".cts";
          case ".tsbuildinfo":
            return Debug.fail(`Extension ${".tsbuildinfo"} is unsupported.`);
          case void 0:
            return "";
          default:
            return Debug.assertNever(extension);
        }
      }
      function getStringLiteralCompletionEntries(sourceFile, node, position, program, host, preferences) {
        const typeChecker = program.getTypeChecker();
        const parent2 = walkUpParentheses(node.parent);
        switch (parent2.kind) {
          case 201: {
            const grandParent = walkUpParentheses(parent2.parent);
            if (grandParent.kind === 205) {
              return { kind: 0, paths: getStringLiteralCompletionsFromModuleNames(sourceFile, node, program, host, preferences) };
            }
            return fromUnionableLiteralType(grandParent);
          }
          case 303:
            if (isObjectLiteralExpression(parent2.parent) && parent2.name === node) {
              return stringLiteralCompletionsForObjectLiteral(typeChecker, parent2.parent);
            }
            return fromContextualType() || fromContextualType(
              0
              /* None */
            );
          case 212: {
            const { expression, argumentExpression } = parent2;
            if (node === skipParentheses(argumentExpression)) {
              return stringLiteralCompletionsFromProperties(typeChecker.getTypeAtLocation(expression));
            }
            return void 0;
          }
          case 213:
          case 214:
          case 291:
            if (!isRequireCallArgument(node) && !isImportCall(parent2)) {
              const argumentInfo = ts_SignatureHelp_exports.getArgumentInfoForCompletions(parent2.kind === 291 ? parent2.parent : node, position, sourceFile, typeChecker);
              return argumentInfo && getStringLiteralCompletionsFromSignature(argumentInfo.invocation, node, argumentInfo, typeChecker) || fromContextualType(
                0
                /* None */
              );
            }
          case 272:
          case 278:
          case 283:
          case 351:
            return { kind: 0, paths: getStringLiteralCompletionsFromModuleNames(sourceFile, node, program, host, preferences) };
          case 296:
            const tracker2 = newCaseClauseTracker(typeChecker, parent2.parent.clauses);
            const contextualTypes = fromContextualType();
            if (!contextualTypes) {
              return;
            }
            const literals = contextualTypes.types.filter((literal) => !tracker2.hasValue(literal.value));
            return { kind: 2, types: literals, isNewIdentifier: false };
          default:
            return fromContextualType() || fromContextualType(
              0
              /* None */
            );
        }
        function fromUnionableLiteralType(grandParent) {
          switch (grandParent.kind) {
            case 233:
            case 183: {
              const typeArgument = findAncestor(parent2, (n) => n.parent === grandParent);
              if (typeArgument) {
                return { kind: 2, types: getStringLiteralTypes(typeChecker.getTypeArgumentConstraint(typeArgument)), isNewIdentifier: false };
              }
              return void 0;
            }
            case 199:
              const { indexType, objectType: objectType2 } = grandParent;
              if (!rangeContainsPosition(indexType, position)) {
                return void 0;
              }
              return stringLiteralCompletionsFromProperties(typeChecker.getTypeFromTypeNode(objectType2));
            case 192: {
              const result = fromUnionableLiteralType(walkUpParentheses(grandParent.parent));
              if (!result) {
                return void 0;
              }
              const alreadyUsedTypes = getAlreadyUsedTypesInStringLiteralUnion(grandParent, parent2);
              if (result.kind === 1) {
                return { kind: 1, symbols: result.symbols.filter((sym) => !contains(alreadyUsedTypes, sym.name)), hasIndexSignature: result.hasIndexSignature };
              }
              return { kind: 2, types: result.types.filter((t) => !contains(alreadyUsedTypes, t.value)), isNewIdentifier: false };
            }
            default:
              return void 0;
          }
        }
        function fromContextualType(contextFlags = 4) {
          const types = getStringLiteralTypes(getContextualTypeFromParent(node, typeChecker, contextFlags));
          if (!types.length) {
            return;
          }
          return { kind: 2, types, isNewIdentifier: false };
        }
      }
      function walkUpParentheses(node) {
        switch (node.kind) {
          case 196:
            return walkUpParenthesizedTypes(node);
          case 217:
            return walkUpParenthesizedExpressions(node);
          default:
            return node;
        }
      }
      function getAlreadyUsedTypesInStringLiteralUnion(union, current) {
        return mapDefined(union.types, (type) => type !== current && isLiteralTypeNode(type) && isStringLiteral2(type.literal) ? type.literal.text : void 0);
      }
      function getStringLiteralCompletionsFromSignature(call, arg, argumentInfo, checker) {
        let isNewIdentifier = false;
        const uniques = /* @__PURE__ */ new Map();
        const editingArgument = isJsxOpeningLikeElement(call) ? Debug.checkDefined(findAncestor(arg.parent, isJsxAttribute)) : arg;
        const candidates = checker.getCandidateSignaturesForStringLiteralCompletions(call, editingArgument);
        const types = flatMap(candidates, (candidate) => {
          if (!signatureHasRestParameter(candidate) && argumentInfo.argumentCount > candidate.parameters.length) return;
          let type = candidate.getTypeParameterAtPosition(argumentInfo.argumentIndex);
          if (isJsxOpeningLikeElement(call)) {
            const propType = checker.getTypeOfPropertyOfType(type, getTextOfJsxAttributeName(editingArgument.name));
            if (propType) {
              type = propType;
            }
          }
          isNewIdentifier = isNewIdentifier || !!(type.flags & 4);
          return getStringLiteralTypes(type, uniques);
        });
        return length(types) ? { kind: 2, types, isNewIdentifier } : void 0;
      }
      function stringLiteralCompletionsFromProperties(type) {
        return type && {
          kind: 1,
          symbols: filter(type.getApparentProperties(), (prop) => !(prop.valueDeclaration && isPrivateIdentifierClassElementDeclaration(prop.valueDeclaration))),
          hasIndexSignature: hasIndexSignature(type)
        };
      }
      function stringLiteralCompletionsForObjectLiteral(checker, objectLiteralExpression) {
        const contextualType = checker.getContextualType(objectLiteralExpression);
        if (!contextualType) return void 0;
        const completionsType = checker.getContextualType(
          objectLiteralExpression,
          4
          /* Completions */
        );
        const symbols = getPropertiesForObjectExpression(
          contextualType,
          completionsType,
          objectLiteralExpression,
          checker
        );
        return {
          kind: 1,
          symbols,
          hasIndexSignature: hasIndexSignature(contextualType)
        };
      }
      function getStringLiteralTypes(type, uniques = /* @__PURE__ */ new Map()) {
        if (!type) return emptyArray;
        type = skipConstraint(type);
        return type.isUnion() ? flatMap(type.types, (t) => getStringLiteralTypes(t, uniques)) : type.isStringLiteral() && !(type.flags & 1024) && addToSeen(uniques, type.value) ? [type] : emptyArray;
      }
      function nameAndKind(name, kind, extension) {
        return { name, kind, extension };
      }
      function directoryResult(name) {
        return nameAndKind(
          name,
          "directory",
          /*extension*/
          void 0
        );
      }
      function addReplacementSpans(text, textStart, names) {
        const span = getDirectoryFragmentTextSpan(text, textStart);
        const wholeSpan = text.length === 0 ? void 0 : createTextSpan(textStart, text.length);
        return names.map(({ name, kind, extension }) => name.includes(directorySeparator) || name.includes(altDirectorySeparator) ? { name, kind, extension, span: wholeSpan } : { name, kind, extension, span });
      }
      function getStringLiteralCompletionsFromModuleNames(sourceFile, node, program, host, preferences) {
        return addReplacementSpans(node.text, node.getStart(sourceFile) + 1, getStringLiteralCompletionsFromModuleNamesWorker(sourceFile, node, program, host, preferences));
      }
      function getStringLiteralCompletionsFromModuleNamesWorker(sourceFile, node, program, host, preferences) {
        const literalValue = normalizeSlashes(node.text);
        const mode = isStringLiteralLike(node) ? program.getModeForUsageLocation(sourceFile, node) : void 0;
        const scriptPath = sourceFile.path;
        const scriptDirectory = getDirectoryPath(scriptPath);
        const compilerOptions = program.getCompilerOptions();
        const typeChecker = program.getTypeChecker();
        const extensionOptions = getExtensionOptions(compilerOptions, 1, sourceFile, typeChecker, preferences, mode);
        return isPathRelativeToScript(literalValue) || !compilerOptions.baseUrl && !compilerOptions.paths && (isRootedDiskPath(literalValue) || isUrl(literalValue)) ? getCompletionEntriesForRelativeModules(literalValue, scriptDirectory, compilerOptions, host, scriptPath, extensionOptions) : getCompletionEntriesForNonRelativeModules(literalValue, scriptDirectory, mode, compilerOptions, host, extensionOptions, typeChecker);
      }
      function getExtensionOptions(compilerOptions, referenceKind, importingSourceFile, typeChecker, preferences, resolutionMode) {
        return {
          extensionsToSearch: flatten(getSupportedExtensionsForModuleResolution(compilerOptions, typeChecker)),
          referenceKind,
          importingSourceFile,
          endingPreference: preferences == null ? void 0 : preferences.importModuleSpecifierEnding,
          resolutionMode
        };
      }
      function getCompletionEntriesForRelativeModules(literalValue, scriptDirectory, compilerOptions, host, scriptPath, extensionOptions) {
        if (compilerOptions.rootDirs) {
          return getCompletionEntriesForDirectoryFragmentWithRootDirs(
            compilerOptions.rootDirs,
            literalValue,
            scriptDirectory,
            extensionOptions,
            compilerOptions,
            host,
            scriptPath
          );
        } else {
          return arrayFrom(getCompletionEntriesForDirectoryFragment(
            literalValue,
            scriptDirectory,
            extensionOptions,
            host,
            /*moduleSpecifierIsRelative*/
            true,
            scriptPath
          ).values());
        }
      }
      function getSupportedExtensionsForModuleResolution(compilerOptions, typeChecker) {
        const ambientModulesExtensions = !typeChecker ? [] : mapDefined(typeChecker.getAmbientModules(), (module22) => {
          const name = module22.name.slice(1, -1);
          if (!name.startsWith("*.") || name.includes("/")) return;
          return name.slice(1);
        });
        const extensions = [...getSupportedExtensions(compilerOptions), ambientModulesExtensions];
        const moduleResolution = getEmitModuleResolutionKind(compilerOptions);
        return moduleResolutionUsesNodeModules(moduleResolution) ? getSupportedExtensionsWithJsonIfResolveJsonModule(compilerOptions, extensions) : extensions;
      }
      function getBaseDirectoriesFromRootDirs(rootDirs, basePath, scriptDirectory, ignoreCase) {
        rootDirs = rootDirs.map((rootDirectory) => ensureTrailingDirectorySeparator(normalizePath(isRootedDiskPath(rootDirectory) ? rootDirectory : combinePaths(basePath, rootDirectory))));
        const relativeDirectory = firstDefined(rootDirs, (rootDirectory) => containsPath(rootDirectory, scriptDirectory, basePath, ignoreCase) ? scriptDirectory.substr(rootDirectory.length) : void 0);
        return deduplicate(
          [...rootDirs.map((rootDirectory) => combinePaths(rootDirectory, relativeDirectory)), scriptDirectory].map((baseDir) => removeTrailingDirectorySeparator(baseDir)),
          equateStringsCaseSensitive,
          compareStringsCaseSensitive
        );
      }
      function getCompletionEntriesForDirectoryFragmentWithRootDirs(rootDirs, fragment, scriptDirectory, extensionOptions, compilerOptions, host, exclude) {
        const basePath = compilerOptions.project || host.getCurrentDirectory();
        const ignoreCase = !(host.useCaseSensitiveFileNames && host.useCaseSensitiveFileNames());
        const baseDirectories = getBaseDirectoriesFromRootDirs(rootDirs, basePath, scriptDirectory, ignoreCase);
        return deduplicate(
          flatMap(baseDirectories, (baseDirectory) => arrayFrom(getCompletionEntriesForDirectoryFragment(
            fragment,
            baseDirectory,
            extensionOptions,
            host,
            /*moduleSpecifierIsRelative*/
            true,
            exclude
          ).values())),
          (itemA, itemB) => itemA.name === itemB.name && itemA.kind === itemB.kind && itemA.extension === itemB.extension
        );
      }
      function getCompletionEntriesForDirectoryFragment(fragment, scriptDirectory, extensionOptions, host, moduleSpecifierIsRelative, exclude, result = createNameAndKindSet()) {
        var _a;
        if (fragment === void 0) {
          fragment = "";
        }
        fragment = normalizeSlashes(fragment);
        if (!hasTrailingDirectorySeparator(fragment)) {
          fragment = getDirectoryPath(fragment);
        }
        if (fragment === "") {
          fragment = "." + directorySeparator;
        }
        fragment = ensureTrailingDirectorySeparator(fragment);
        const absolutePath = resolvePath(scriptDirectory, fragment);
        const baseDirectory = hasTrailingDirectorySeparator(absolutePath) ? absolutePath : getDirectoryPath(absolutePath);
        if (!moduleSpecifierIsRelative) {
          const packageJsonPath = findPackageJson(baseDirectory, host);
          if (packageJsonPath) {
            const packageJson = readJson(packageJsonPath, host);
            const typesVersions = packageJson.typesVersions;
            if (typeof typesVersions === "object") {
              const versionPaths = (_a = getPackageJsonTypesVersionsPaths(typesVersions)) == null ? void 0 : _a.paths;
              if (versionPaths) {
                const packageDirectory = getDirectoryPath(packageJsonPath);
                const pathInPackage = absolutePath.slice(ensureTrailingDirectorySeparator(packageDirectory).length);
                if (addCompletionEntriesFromPaths(result, pathInPackage, packageDirectory, extensionOptions, host, versionPaths)) {
                  return result;
                }
              }
            }
          }
        }
        const ignoreCase = !(host.useCaseSensitiveFileNames && host.useCaseSensitiveFileNames());
        if (!tryDirectoryExists(host, baseDirectory)) return result;
        const files = tryReadDirectory(
          host,
          baseDirectory,
          extensionOptions.extensionsToSearch,
          /*exclude*/
          void 0,
          /*include*/
          ["./*"]
        );
        if (files) {
          for (let filePath of files) {
            filePath = normalizePath(filePath);
            if (exclude && comparePaths(filePath, exclude, scriptDirectory, ignoreCase) === 0) {
              continue;
            }
            const { name, extension } = getFilenameWithExtensionOption(
              getBaseFileName(filePath),
              host.getCompilationSettings(),
              extensionOptions,
              /*isExportsWildcard*/
              false
            );
            result.add(nameAndKind(name, "script", extension));
          }
        }
        const directories = tryGetDirectories(host, baseDirectory);
        if (directories) {
          for (const directory of directories) {
            const directoryName = getBaseFileName(normalizePath(directory));
            if (directoryName !== "@types") {
              result.add(directoryResult(directoryName));
            }
          }
        }
        return result;
      }
      function getFilenameWithExtensionOption(name, compilerOptions, extensionOptions, isExportsWildcard) {
        const nonJsResult = ts_moduleSpecifiers_exports.tryGetRealFileNameForNonJsDeclarationFileName(name);
        if (nonJsResult) {
          return { name: nonJsResult, extension: tryGetExtensionFromPath2(nonJsResult) };
        }
        if (extensionOptions.referenceKind === 0) {
          return { name, extension: tryGetExtensionFromPath2(name) };
        }
        let allowedEndings = getModuleSpecifierPreferences(
          { importModuleSpecifierEnding: extensionOptions.endingPreference },
          compilerOptions,
          extensionOptions.importingSourceFile
        ).getAllowedEndingsInPreferredOrder(extensionOptions.resolutionMode);
        if (isExportsWildcard) {
          allowedEndings = allowedEndings.filter(
            (e) => e !== 0 && e !== 1
            /* Index */
          );
        }
        if (allowedEndings[0] === 3) {
          if (fileExtensionIsOneOf(name, supportedTSImplementationExtensions)) {
            return { name, extension: tryGetExtensionFromPath2(name) };
          }
          const outputExtension2 = ts_moduleSpecifiers_exports.tryGetJSExtensionForFile(name, compilerOptions);
          return outputExtension2 ? { name: changeExtension(name, outputExtension2), extension: outputExtension2 } : { name, extension: tryGetExtensionFromPath2(name) };
        }
        if (!isExportsWildcard && (allowedEndings[0] === 0 || allowedEndings[0] === 1) && fileExtensionIsOneOf(name, [
          ".js",
          ".jsx",
          ".ts",
          ".tsx",
          ".d.ts"
          /* Dts */
        ])) {
          return { name: removeFileExtension(name), extension: tryGetExtensionFromPath2(name) };
        }
        const outputExtension = ts_moduleSpecifiers_exports.tryGetJSExtensionForFile(name, compilerOptions);
        return outputExtension ? { name: changeExtension(name, outputExtension), extension: outputExtension } : { name, extension: tryGetExtensionFromPath2(name) };
      }
      function addCompletionEntriesFromPaths(result, fragment, baseDirectory, extensionOptions, host, paths) {
        const getPatternsForKey = (key) => paths[key];
        const comparePaths2 = (a, b) => {
          const patternA = tryParsePattern(a);
          const patternB = tryParsePattern(b);
          const lengthA = typeof patternA === "object" ? patternA.prefix.length : a.length;
          const lengthB = typeof patternB === "object" ? patternB.prefix.length : b.length;
          return compareValues(lengthB, lengthA);
        };
        return addCompletionEntriesFromPathsOrExports(
          result,
          /*isExports*/
          false,
          fragment,
          baseDirectory,
          extensionOptions,
          host,
          getOwnKeys(paths),
          getPatternsForKey,
          comparePaths2
        );
      }
      function addCompletionEntriesFromPathsOrExports(result, isExports, fragment, baseDirectory, extensionOptions, host, keys2, getPatternsForKey, comparePaths2) {
        let pathResults = [];
        let matchedPath;
        for (const key of keys2) {
          if (key === ".") continue;
          const keyWithoutLeadingDotSlash = key.replace(/^\.\//, "");
          const patterns = getPatternsForKey(key);
          if (patterns) {
            const pathPattern = tryParsePattern(keyWithoutLeadingDotSlash);
            if (!pathPattern) continue;
            const isMatch = typeof pathPattern === "object" && isPatternMatch(pathPattern, fragment);
            const isLongestMatch = isMatch && (matchedPath === void 0 || comparePaths2(key, matchedPath) === -1);
            if (isLongestMatch) {
              matchedPath = key;
              pathResults = pathResults.filter((r) => !r.matchedPattern);
            }
            if (typeof pathPattern === "string" || matchedPath === void 0 || comparePaths2(key, matchedPath) !== 1) {
              pathResults.push({
                matchedPattern: isMatch,
                results: getCompletionsForPathMapping(keyWithoutLeadingDotSlash, patterns, fragment, baseDirectory, extensionOptions, isExports && isMatch, host).map(({ name, kind, extension }) => nameAndKind(name, kind, extension))
              });
            }
          }
        }
        pathResults.forEach((pathResult) => pathResult.results.forEach((r) => result.add(r)));
        return matchedPath !== void 0;
      }
      function getCompletionEntriesForNonRelativeModules(fragment, scriptPath, mode, compilerOptions, host, extensionOptions, typeChecker) {
        const { baseUrl, paths } = compilerOptions;
        const result = createNameAndKindSet();
        const moduleResolution = getEmitModuleResolutionKind(compilerOptions);
        if (baseUrl) {
          const absolute = normalizePath(combinePaths(host.getCurrentDirectory(), baseUrl));
          getCompletionEntriesForDirectoryFragment(
            fragment,
            absolute,
            extensionOptions,
            host,
            /*moduleSpecifierIsRelative*/
            false,
            /*exclude*/
            void 0,
            result
          );
        }
        if (paths) {
          const absolute = getPathsBasePath(compilerOptions, host);
          addCompletionEntriesFromPaths(result, fragment, absolute, extensionOptions, host, paths);
        }
        const fragmentDirectory = getFragmentDirectory(fragment);
        for (const ambientName of getAmbientModuleCompletions(fragment, fragmentDirectory, typeChecker)) {
          result.add(nameAndKind(
            ambientName,
            "external module name",
            /*extension*/
            void 0
          ));
        }
        getCompletionEntriesFromTypings(host, compilerOptions, scriptPath, fragmentDirectory, extensionOptions, result);
        if (moduleResolutionUsesNodeModules(moduleResolution)) {
          let foundGlobal = false;
          if (fragmentDirectory === void 0) {
            for (const moduleName of enumerateNodeModulesVisibleToScript(host, scriptPath)) {
              const moduleResult = nameAndKind(
                moduleName,
                "external module name",
                /*extension*/
                void 0
              );
              if (!result.has(moduleResult.name)) {
                foundGlobal = true;
                result.add(moduleResult);
              }
            }
          }
          if (!foundGlobal) {
            let ancestorLookup = (ancestor) => {
              const nodeModules = combinePaths(ancestor, "node_modules");
              if (tryDirectoryExists(host, nodeModules)) {
                getCompletionEntriesForDirectoryFragment(
                  fragment,
                  nodeModules,
                  extensionOptions,
                  host,
                  /*moduleSpecifierIsRelative*/
                  false,
                  /*exclude*/
                  void 0,
                  result
                );
              }
            };
            if (fragmentDirectory && getResolvePackageJsonExports(compilerOptions)) {
              const nodeModulesDirectoryLookup = ancestorLookup;
              ancestorLookup = (ancestor) => {
                const components = getPathComponents(fragment);
                components.shift();
                let packagePath = components.shift();
                if (!packagePath) {
                  return nodeModulesDirectoryLookup(ancestor);
                }
                if (startsWith2(packagePath, "@")) {
                  const subName = components.shift();
                  if (!subName) {
                    return nodeModulesDirectoryLookup(ancestor);
                  }
                  packagePath = combinePaths(packagePath, subName);
                }
                const packageDirectory = combinePaths(ancestor, "node_modules", packagePath);
                const packageFile = combinePaths(packageDirectory, "package.json");
                if (tryFileExists(host, packageFile)) {
                  const packageJson = readJson(packageFile, host);
                  const exports22 = packageJson.exports;
                  if (exports22) {
                    if (typeof exports22 !== "object" || exports22 === null) {
                      return;
                    }
                    const keys2 = getOwnKeys(exports22);
                    const fragmentSubpath = components.join("/") + (components.length && hasTrailingDirectorySeparator(fragment) ? "/" : "");
                    const conditions = getConditions(compilerOptions, mode);
                    addCompletionEntriesFromPathsOrExports(
                      result,
                      /*isExports*/
                      true,
                      fragmentSubpath,
                      packageDirectory,
                      extensionOptions,
                      host,
                      keys2,
                      (key) => singleElementArray(getPatternFromFirstMatchingCondition(exports22[key], conditions)),
                      comparePatternKeys
                    );
                    return;
                  }
                }
                return nodeModulesDirectoryLookup(ancestor);
              };
            }
            forEachAncestorDirectory(scriptPath, ancestorLookup);
          }
        }
        return arrayFrom(result.values());
      }
      function getPatternFromFirstMatchingCondition(target, conditions) {
        if (typeof target === "string") {
          return target;
        }
        if (target && typeof target === "object" && !isArray3(target)) {
          for (const condition in target) {
            if (condition === "default" || conditions.includes(condition) || isApplicableVersionedTypesKey(conditions, condition)) {
              const pattern = target[condition];
              return getPatternFromFirstMatchingCondition(pattern, conditions);
            }
          }
        }
      }
      function getFragmentDirectory(fragment) {
        return containsSlash(fragment) ? hasTrailingDirectorySeparator(fragment) ? fragment : getDirectoryPath(fragment) : void 0;
      }
      function getCompletionsForPathMapping(path17, patterns, fragment, packageDirectory, extensionOptions, isExportsWildcard, host) {
        if (!endsWith(path17, "*")) {
          return !path17.includes("*") ? justPathMappingName(
            path17,
            "script"
            /* scriptElement */
          ) : emptyArray;
        }
        const pathPrefix = path17.slice(0, path17.length - 1);
        const remainingFragment = tryRemovePrefix(fragment, pathPrefix);
        if (remainingFragment === void 0) {
          const starIsFullPathComponent = path17[path17.length - 2] === "/";
          return starIsFullPathComponent ? justPathMappingName(
            pathPrefix,
            "directory"
            /* directory */
          ) : flatMap(patterns, (pattern) => {
            var _a;
            return (_a = getModulesForPathsPattern("", packageDirectory, pattern, extensionOptions, isExportsWildcard, host)) == null ? void 0 : _a.map(({ name, ...rest }) => ({ name: pathPrefix + name, ...rest }));
          });
        }
        return flatMap(patterns, (pattern) => getModulesForPathsPattern(remainingFragment, packageDirectory, pattern, extensionOptions, isExportsWildcard, host));
        function justPathMappingName(name, kind) {
          return startsWith2(name, fragment) ? [{ name: removeTrailingDirectorySeparator(name), kind, extension: void 0 }] : emptyArray;
        }
      }
      function getModulesForPathsPattern(fragment, packageDirectory, pattern, extensionOptions, isExportsWildcard, host) {
        if (!host.readDirectory) {
          return void 0;
        }
        const parsed = tryParsePattern(pattern);
        if (parsed === void 0 || isString2(parsed)) {
          return void 0;
        }
        const normalizedPrefix = resolvePath(parsed.prefix);
        const normalizedPrefixDirectory = hasTrailingDirectorySeparator(parsed.prefix) ? normalizedPrefix : getDirectoryPath(normalizedPrefix);
        const normalizedPrefixBase = hasTrailingDirectorySeparator(parsed.prefix) ? "" : getBaseFileName(normalizedPrefix);
        const fragmentHasPath = containsSlash(fragment);
        const fragmentDirectory = fragmentHasPath ? hasTrailingDirectorySeparator(fragment) ? fragment : getDirectoryPath(fragment) : void 0;
        const expandedPrefixDirectory = fragmentHasPath ? combinePaths(normalizedPrefixDirectory, normalizedPrefixBase + fragmentDirectory) : normalizedPrefixDirectory;
        const normalizedSuffix = normalizePath(parsed.suffix);
        const declarationExtension = normalizedSuffix && getDeclarationEmitExtensionForPath("_" + normalizedSuffix);
        const matchingSuffixes = declarationExtension ? [changeExtension(normalizedSuffix, declarationExtension), normalizedSuffix] : [normalizedSuffix];
        const baseDirectory = normalizePath(combinePaths(packageDirectory, expandedPrefixDirectory));
        const completePrefix = fragmentHasPath ? baseDirectory : ensureTrailingDirectorySeparator(baseDirectory) + normalizedPrefixBase;
        const includeGlobs = normalizedSuffix ? matchingSuffixes.map((suffix) => "**/*" + suffix) : ["./*"];
        const matches = mapDefined(tryReadDirectory(
          host,
          baseDirectory,
          extensionOptions.extensionsToSearch,
          /*exclude*/
          void 0,
          includeGlobs
        ), (match) => {
          const trimmedWithPattern = trimPrefixAndSuffix(match);
          if (trimmedWithPattern) {
            if (containsSlash(trimmedWithPattern)) {
              return directoryResult(getPathComponents(removeLeadingDirectorySeparator(trimmedWithPattern))[1]);
            }
            const { name, extension } = getFilenameWithExtensionOption(trimmedWithPattern, host.getCompilationSettings(), extensionOptions, isExportsWildcard);
            return nameAndKind(name, "script", extension);
          }
        });
        const directories = normalizedSuffix ? emptyArray : mapDefined(tryGetDirectories(host, baseDirectory), (dir) => dir === "node_modules" ? void 0 : directoryResult(dir));
        return [...matches, ...directories];
        function trimPrefixAndSuffix(path17) {
          return firstDefined(matchingSuffixes, (suffix) => {
            const inner = withoutStartAndEnd(normalizePath(path17), completePrefix, suffix);
            return inner === void 0 ? void 0 : removeLeadingDirectorySeparator(inner);
          });
        }
      }
      function withoutStartAndEnd(s, start, end) {
        return startsWith2(s, start) && endsWith(s, end) ? s.slice(start.length, s.length - end.length) : void 0;
      }
      function removeLeadingDirectorySeparator(path17) {
        return path17[0] === directorySeparator ? path17.slice(1) : path17;
      }
      function getAmbientModuleCompletions(fragment, fragmentDirectory, checker) {
        const ambientModules = checker.getAmbientModules().map((sym) => stripQuotes(sym.name));
        const nonRelativeModuleNames = ambientModules.filter((moduleName) => startsWith2(moduleName, fragment) && !moduleName.includes("*"));
        if (fragmentDirectory !== void 0) {
          const moduleNameWithSeparator = ensureTrailingDirectorySeparator(fragmentDirectory);
          return nonRelativeModuleNames.map((nonRelativeModuleName) => removePrefix(nonRelativeModuleName, moduleNameWithSeparator));
        }
        return nonRelativeModuleNames;
      }
      function getTripleSlashReferenceCompletion(sourceFile, position, compilerOptions, host) {
        const token = getTokenAtPosition(sourceFile, position);
        const commentRanges = getLeadingCommentRanges(sourceFile.text, token.pos);
        const range = commentRanges && find(commentRanges, (commentRange) => position >= commentRange.pos && position <= commentRange.end);
        if (!range) {
          return void 0;
        }
        const text = sourceFile.text.slice(range.pos, position);
        const match = tripleSlashDirectiveFragmentRegex.exec(text);
        if (!match) {
          return void 0;
        }
        const [, prefix, kind, toComplete] = match;
        const scriptPath = getDirectoryPath(sourceFile.path);
        const names = kind === "path" ? getCompletionEntriesForDirectoryFragment(
          toComplete,
          scriptPath,
          getExtensionOptions(compilerOptions, 0, sourceFile),
          host,
          /*moduleSpecifierIsRelative*/
          true,
          sourceFile.path
        ) : kind === "types" ? getCompletionEntriesFromTypings(host, compilerOptions, scriptPath, getFragmentDirectory(toComplete), getExtensionOptions(compilerOptions, 1, sourceFile)) : Debug.fail();
        return addReplacementSpans(toComplete, range.pos + prefix.length, arrayFrom(names.values()));
      }
      function getCompletionEntriesFromTypings(host, options, scriptPath, fragmentDirectory, extensionOptions, result = createNameAndKindSet()) {
        const seen = /* @__PURE__ */ new Map();
        const typeRoots = tryAndIgnoreErrors(() => getEffectiveTypeRoots(options, host)) || emptyArray;
        for (const root2 of typeRoots) {
          getCompletionEntriesFromDirectories(root2);
        }
        for (const packageJson of findPackageJsons(scriptPath, host)) {
          const typesDir = combinePaths(getDirectoryPath(packageJson), "node_modules/@types");
          getCompletionEntriesFromDirectories(typesDir);
        }
        return result;
        function getCompletionEntriesFromDirectories(directory) {
          if (!tryDirectoryExists(host, directory)) return;
          for (const typeDirectoryName of tryGetDirectories(host, directory)) {
            const packageName = unmangleScopedPackageName(typeDirectoryName);
            if (options.types && !contains(options.types, packageName)) continue;
            if (fragmentDirectory === void 0) {
              if (!seen.has(packageName)) {
                result.add(nameAndKind(
                  packageName,
                  "external module name",
                  /*extension*/
                  void 0
                ));
                seen.set(packageName, true);
              }
            } else {
              const baseDirectory = combinePaths(directory, typeDirectoryName);
              const remainingFragment = tryRemoveDirectoryPrefix(fragmentDirectory, packageName, hostGetCanonicalFileName(host));
              if (remainingFragment !== void 0) {
                getCompletionEntriesForDirectoryFragment(
                  remainingFragment,
                  baseDirectory,
                  extensionOptions,
                  host,
                  /*moduleSpecifierIsRelative*/
                  false,
                  /*exclude*/
                  void 0,
                  result
                );
              }
            }
          }
        }
      }
      function enumerateNodeModulesVisibleToScript(host, scriptPath) {
        if (!host.readFile || !host.fileExists) return emptyArray;
        const result = [];
        for (const packageJson of findPackageJsons(scriptPath, host)) {
          const contents = readJson(packageJson, host);
          for (const key of nodeModulesDependencyKeys) {
            const dependencies = contents[key];
            if (!dependencies) continue;
            for (const dep in dependencies) {
              if (hasProperty(dependencies, dep) && !startsWith2(dep, "@types/")) {
                result.push(dep);
              }
            }
          }
        }
        return result;
      }
      function getDirectoryFragmentTextSpan(text, textStart) {
        const index = Math.max(text.lastIndexOf(directorySeparator), text.lastIndexOf(altDirectorySeparator));
        const offset = index !== -1 ? index + 1 : 0;
        const length2 = text.length - offset;
        return length2 === 0 || isIdentifierText(
          text.substr(offset, length2),
          99
          /* ESNext */
        ) ? void 0 : createTextSpan(textStart + offset, length2);
      }
      function isPathRelativeToScript(path17) {
        if (path17 && path17.length >= 2 && path17.charCodeAt(0) === 46) {
          const slashIndex = path17.length >= 3 && path17.charCodeAt(1) === 46 ? 2 : 1;
          const slashCharCode = path17.charCodeAt(slashIndex);
          return slashCharCode === 47 || slashCharCode === 92;
        }
        return false;
      }
      var tripleSlashDirectiveFragmentRegex = /^(\/\/\/\s* Core,
        DefinitionKind: () => DefinitionKind,
        EntryKind: () => EntryKind,
        ExportKind: () => ExportKind2,
        FindReferencesUse: () => FindReferencesUse,
        ImportExport: () => ImportExport,
        createImportTracker: () => createImportTracker,
        findModuleReferences: () => findModuleReferences,
        findReferenceOrRenameEntries: () => findReferenceOrRenameEntries,
        findReferencedSymbols: () => findReferencedSymbols,
        getContextNode: () => getContextNode,
        getExportInfo: () => getExportInfo,
        getImplementationsAtPosition: () => getImplementationsAtPosition,
        getImportOrExportSymbol: () => getImportOrExportSymbol,
        getReferenceEntriesForNode: () => getReferenceEntriesForNode,
        getTextSpanOfEntry: () => getTextSpanOfEntry,
        isContextWithStartAndEndNode: () => isContextWithStartAndEndNode,
        isDeclarationOfSymbol: () => isDeclarationOfSymbol,
        isWriteAccessForReference: () => isWriteAccessForReference,
        nodeEntry: () => nodeEntry,
        toContextSpan: () => toContextSpan,
        toHighlightSpan: () => toHighlightSpan,
        toReferenceEntry: () => toReferenceEntry,
        toRenameLocation: () => toRenameLocation
      });
      function createImportTracker(sourceFiles, sourceFilesSet, checker, cancellationToken) {
        const allDirectImports = getDirectImportsMap(sourceFiles, checker, cancellationToken);
        return (exportSymbol, exportInfo, isForRename) => {
          const { directImports, indirectUsers } = getImportersForExport(sourceFiles, sourceFilesSet, allDirectImports, exportInfo, checker, cancellationToken);
          return { indirectUsers, ...getSearchesFromDirectImports(directImports, exportSymbol, exportInfo.exportKind, checker, isForRename) };
        };
      }
      var ExportKind2 = /* @__PURE__ */ ((ExportKind3) => {
        ExportKind3[ExportKind3["Named"] = 0] = "Named";
        ExportKind3[ExportKind3["Default"] = 1] = "Default";
        ExportKind3[ExportKind3["ExportEquals"] = 2] = "ExportEquals";
        return ExportKind3;
      })(ExportKind2 || {});
      var ImportExport = /* @__PURE__ */ ((ImportExport2) => {
        ImportExport2[ImportExport2["Import"] = 0] = "Import";
        ImportExport2[ImportExport2["Export"] = 1] = "Export";
        return ImportExport2;
      })(ImportExport || {});
      function getImportersForExport(sourceFiles, sourceFilesSet, allDirectImports, { exportingModuleSymbol, exportKind }, checker, cancellationToken) {
        const markSeenDirectImport = nodeSeenTracker();
        const markSeenIndirectUser = nodeSeenTracker();
        const directImports = [];
        const isAvailableThroughGlobal = !!exportingModuleSymbol.globalExports;
        const indirectUserDeclarations = isAvailableThroughGlobal ? void 0 : [];
        handleDirectImports(exportingModuleSymbol);
        return { directImports, indirectUsers: getIndirectUsers() };
        function getIndirectUsers() {
          if (isAvailableThroughGlobal) {
            return sourceFiles;
          }
          if (exportingModuleSymbol.declarations) {
            for (const decl of exportingModuleSymbol.declarations) {
              if (isExternalModuleAugmentation(decl) && sourceFilesSet.has(decl.getSourceFile().fileName)) {
                addIndirectUser(decl);
              }
            }
          }
          return indirectUserDeclarations.map(getSourceFileOfNode);
        }
        function handleDirectImports(exportingModuleSymbol2) {
          const theseDirectImports = getDirectImports(exportingModuleSymbol2);
          if (theseDirectImports) {
            for (const direct of theseDirectImports) {
              if (!markSeenDirectImport(direct)) {
                continue;
              }
              if (cancellationToken) cancellationToken.throwIfCancellationRequested();
              switch (direct.kind) {
                case 213:
                  if (isImportCall(direct)) {
                    handleImportCall(direct);
                    break;
                  }
                  if (!isAvailableThroughGlobal) {
                    const parent2 = direct.parent;
                    if (exportKind === 2 && parent2.kind === 260) {
                      const { name } = parent2;
                      if (name.kind === 80) {
                        directImports.push(name);
                        break;
                      }
                    }
                  }
                  break;
                case 80:
                  break;
                case 271:
                  handleNamespaceImport(
                    direct,
                    direct.name,
                    hasSyntacticModifier(
                      direct,
                      32
                      /* Export */
                    ),
                    /*alreadyAddedDirect*/
                    false
                  );
                  break;
                case 272:
                case 351:
                  directImports.push(direct);
                  const namedBindings = direct.importClause && direct.importClause.namedBindings;
                  if (namedBindings && namedBindings.kind === 274) {
                    handleNamespaceImport(
                      direct,
                      namedBindings.name,
                      /*isReExport*/
                      false,
                      /*alreadyAddedDirect*/
                      true
                    );
                  } else if (!isAvailableThroughGlobal && isDefaultImport(direct)) {
                    addIndirectUser(getSourceFileLikeForImportDeclaration(direct));
                  }
                  break;
                case 278:
                  if (!direct.exportClause) {
                    handleDirectImports(getContainingModuleSymbol(direct, checker));
                  } else if (direct.exportClause.kind === 280) {
                    addIndirectUser(
                      getSourceFileLikeForImportDeclaration(direct),
                      /*addTransitiveDependencies*/
                      true
                    );
                  } else {
                    directImports.push(direct);
                  }
                  break;
                case 205:
                  if (!isAvailableThroughGlobal && direct.isTypeOf && !direct.qualifier && isExported2(direct)) {
                    addIndirectUser(
                      direct.getSourceFile(),
                      /*addTransitiveDependencies*/
                      true
                    );
                  }
                  directImports.push(direct);
                  break;
                default:
                  Debug.failBadSyntaxKind(direct, "Unexpected import kind.");
              }
            }
          }
        }
        function handleImportCall(importCall) {
          const top = findAncestor(importCall, isAmbientModuleDeclaration) || importCall.getSourceFile();
          addIndirectUser(
            top,
            /** addTransitiveDependencies */
            !!isExported2(
              importCall,
              /*stopAtAmbientModule*/
              true
            )
          );
        }
        function isExported2(node, stopAtAmbientModule = false) {
          return findAncestor(node, (node2) => {
            if (stopAtAmbientModule && isAmbientModuleDeclaration(node2)) return "quit";
            return canHaveModifiers(node2) && some(node2.modifiers, isExportModifier);
          });
        }
        function handleNamespaceImport(importDeclaration, name, isReExport, alreadyAddedDirect) {
          if (exportKind === 2) {
            if (!alreadyAddedDirect) directImports.push(importDeclaration);
          } else if (!isAvailableThroughGlobal) {
            const sourceFileLike = getSourceFileLikeForImportDeclaration(importDeclaration);
            Debug.assert(
              sourceFileLike.kind === 307 || sourceFileLike.kind === 267
              /* ModuleDeclaration */
            );
            if (isReExport || findNamespaceReExports(sourceFileLike, name, checker)) {
              addIndirectUser(
                sourceFileLike,
                /*addTransitiveDependencies*/
                true
              );
            } else {
              addIndirectUser(sourceFileLike);
            }
          }
        }
        function addIndirectUser(sourceFileLike, addTransitiveDependencies = false) {
          Debug.assert(!isAvailableThroughGlobal);
          const isNew = markSeenIndirectUser(sourceFileLike);
          if (!isNew) return;
          indirectUserDeclarations.push(sourceFileLike);
          if (!addTransitiveDependencies) return;
          const moduleSymbol = checker.getMergedSymbol(sourceFileLike.symbol);
          if (!moduleSymbol) return;
          Debug.assert(!!(moduleSymbol.flags & 1536));
          const directImports2 = getDirectImports(moduleSymbol);
          if (directImports2) {
            for (const directImport of directImports2) {
              if (!isImportTypeNode(directImport)) {
                addIndirectUser(
                  getSourceFileLikeForImportDeclaration(directImport),
                  /*addTransitiveDependencies*/
                  true
                );
              }
            }
          }
        }
        function getDirectImports(moduleSymbol) {
          return allDirectImports.get(getSymbolId(moduleSymbol).toString());
        }
      }
      function getSearchesFromDirectImports(directImports, exportSymbol, exportKind, checker, isForRename) {
        const importSearches = [];
        const singleReferences = [];
        function addSearch(location, symbol) {
          importSearches.push([location, symbol]);
        }
        if (directImports) {
          for (const decl of directImports) {
            handleImport(decl);
          }
        }
        return { importSearches, singleReferences };
        function handleImport(decl) {
          if (decl.kind === 271) {
            if (isExternalModuleImportEquals(decl)) {
              handleNamespaceImportLike(decl.name);
            }
            return;
          }
          if (decl.kind === 80) {
            handleNamespaceImportLike(decl);
            return;
          }
          if (decl.kind === 205) {
            if (decl.qualifier) {
              const firstIdentifier = getFirstIdentifier(decl.qualifier);
              if (firstIdentifier.escapedText === symbolName(exportSymbol)) {
                singleReferences.push(firstIdentifier);
              }
            } else if (exportKind === 2) {
              singleReferences.push(decl.argument.literal);
            }
            return;
          }
          if (decl.moduleSpecifier.kind !== 11) {
            return;
          }
          if (decl.kind === 278) {
            if (decl.exportClause && isNamedExports(decl.exportClause)) {
              searchForNamedImport(decl.exportClause);
            }
            return;
          }
          const { name, namedBindings } = decl.importClause || { name: void 0, namedBindings: void 0 };
          if (namedBindings) {
            switch (namedBindings.kind) {
              case 274:
                handleNamespaceImportLike(namedBindings.name);
                break;
              case 275:
                if (exportKind === 0 || exportKind === 1) {
                  searchForNamedImport(namedBindings);
                }
                break;
              default:
                Debug.assertNever(namedBindings);
            }
          }
          if (name && (exportKind === 1 || exportKind === 2) && (!isForRename || name.escapedText === symbolEscapedNameNoDefault(exportSymbol))) {
            const defaultImportAlias = checker.getSymbolAtLocation(name);
            addSearch(name, defaultImportAlias);
          }
        }
        function handleNamespaceImportLike(importName) {
          if (exportKind === 2 && (!isForRename || isNameMatch(importName.escapedText))) {
            addSearch(importName, checker.getSymbolAtLocation(importName));
          }
        }
        function searchForNamedImport(namedBindings) {
          if (!namedBindings) {
            return;
          }
          for (const element of namedBindings.elements) {
            const { name, propertyName } = element;
            if (!isNameMatch((propertyName || name).escapedText)) {
              continue;
            }
            if (propertyName) {
              singleReferences.push(propertyName);
              if (!isForRename || name.escapedText === exportSymbol.escapedName) {
                addSearch(name, checker.getSymbolAtLocation(name));
              }
            } else {
              const localSymbol = element.kind === 281 && element.propertyName ? checker.getExportSpecifierLocalTargetSymbol(element) : checker.getSymbolAtLocation(name);
              addSearch(name, localSymbol);
            }
          }
        }
        function isNameMatch(name) {
          return name === exportSymbol.escapedName || exportKind !== 0 && name === "default";
        }
      }
      function findNamespaceReExports(sourceFileLike, name, checker) {
        const namespaceImportSymbol = checker.getSymbolAtLocation(name);
        return !!forEachPossibleImportOrExportStatement(sourceFileLike, (statement) => {
          if (!isExportDeclaration(statement)) return;
          const { exportClause, moduleSpecifier } = statement;
          return !moduleSpecifier && exportClause && isNamedExports(exportClause) && exportClause.elements.some((element) => checker.getExportSpecifierLocalTargetSymbol(element) === namespaceImportSymbol);
        });
      }
      function findModuleReferences(program, sourceFiles, searchModuleSymbol) {
        var _a;
        const refs = [];
        const checker = program.getTypeChecker();
        for (const referencingFile of sourceFiles) {
          const searchSourceFile = searchModuleSymbol.valueDeclaration;
          if ((searchSourceFile == null ? void 0 : searchSourceFile.kind) === 307) {
            for (const ref of referencingFile.referencedFiles) {
              if (program.getSourceFileFromReference(referencingFile, ref) === searchSourceFile) {
                refs.push({ kind: "reference", referencingFile, ref });
              }
            }
            for (const ref of referencingFile.typeReferenceDirectives) {
              const referenced = (_a = program.getResolvedTypeReferenceDirectiveFromTypeReferenceDirective(ref, referencingFile)) == null ? void 0 : _a.resolvedTypeReferenceDirective;
              if (referenced !== void 0 && referenced.resolvedFileName === searchSourceFile.fileName) {
                refs.push({ kind: "reference", referencingFile, ref });
              }
            }
          }
          forEachImport(referencingFile, (importDecl, moduleSpecifier) => {
            const moduleSymbol = checker.getSymbolAtLocation(moduleSpecifier);
            if (moduleSymbol === searchModuleSymbol) {
              refs.push(nodeIsSynthesized(importDecl) ? { kind: "implicit", literal: moduleSpecifier, referencingFile } : { kind: "import", literal: moduleSpecifier });
            }
          });
        }
        return refs;
      }
      function getDirectImportsMap(sourceFiles, checker, cancellationToken) {
        const map2 = /* @__PURE__ */ new Map();
        for (const sourceFile of sourceFiles) {
          if (cancellationToken) cancellationToken.throwIfCancellationRequested();
          forEachImport(sourceFile, (importDecl, moduleSpecifier) => {
            const moduleSymbol = checker.getSymbolAtLocation(moduleSpecifier);
            if (moduleSymbol) {
              const id = getSymbolId(moduleSymbol).toString();
              let imports = map2.get(id);
              if (!imports) {
                map2.set(id, imports = []);
              }
              imports.push(importDecl);
            }
          });
        }
        return map2;
      }
      function forEachPossibleImportOrExportStatement(sourceFileLike, action) {
        return forEach(sourceFileLike.kind === 307 ? sourceFileLike.statements : sourceFileLike.body.statements, (statement) => (
          // TODO: GH#18217
          action(statement) || isAmbientModuleDeclaration(statement) && forEach(statement.body && statement.body.statements, action)
        ));
      }
      function forEachImport(sourceFile, action) {
        if (sourceFile.externalModuleIndicator || sourceFile.imports !== void 0) {
          for (const i of sourceFile.imports) {
            action(importFromModuleSpecifier(i), i);
          }
        } else {
          forEachPossibleImportOrExportStatement(sourceFile, (statement) => {
            switch (statement.kind) {
              case 278:
              case 272: {
                const decl = statement;
                if (decl.moduleSpecifier && isStringLiteral2(decl.moduleSpecifier)) {
                  action(decl, decl.moduleSpecifier);
                }
                break;
              }
              case 271: {
                const decl = statement;
                if (isExternalModuleImportEquals(decl)) {
                  action(decl, decl.moduleReference.expression);
                }
                break;
              }
            }
          });
        }
      }
      function getImportOrExportSymbol(node, symbol, checker, comingFromExport) {
        return comingFromExport ? getExport() : getExport() || getImport();
        function getExport() {
          var _a;
          const { parent: parent2 } = node;
          const grandparent = parent2.parent;
          if (symbol.exportSymbol) {
            if (parent2.kind === 211) {
              return ((_a = symbol.declarations) == null ? void 0 : _a.some((d) => d === parent2)) && isBinaryExpression(grandparent) ? getSpecialPropertyExport(
                grandparent,
                /*useLhsSymbol*/
                false
              ) : void 0;
            } else {
              return exportInfo(symbol.exportSymbol, getExportKindForDeclaration(parent2));
            }
          } else {
            const exportNode = getExportNode(parent2, node);
            if (exportNode && hasSyntacticModifier(
              exportNode,
              32
              /* Export */
            )) {
              if (isImportEqualsDeclaration(exportNode) && exportNode.moduleReference === node) {
                if (comingFromExport) {
                  return void 0;
                }
                const lhsSymbol = checker.getSymbolAtLocation(exportNode.name);
                return { kind: 0, symbol: lhsSymbol };
              } else {
                return exportInfo(symbol, getExportKindForDeclaration(exportNode));
              }
            } else if (isNamespaceExport(parent2)) {
              return exportInfo(
                symbol,
                0
                /* Named */
              );
            } else if (isExportAssignment(parent2)) {
              return getExportAssignmentExport(parent2);
            } else if (isExportAssignment(grandparent)) {
              return getExportAssignmentExport(grandparent);
            } else if (isBinaryExpression(parent2)) {
              return getSpecialPropertyExport(
                parent2,
                /*useLhsSymbol*/
                true
              );
            } else if (isBinaryExpression(grandparent)) {
              return getSpecialPropertyExport(
                grandparent,
                /*useLhsSymbol*/
                true
              );
            } else if (isJSDocTypedefTag(parent2) || isJSDocCallbackTag(parent2)) {
              return exportInfo(
                symbol,
                0
                /* Named */
              );
            }
          }
          function getExportAssignmentExport(ex) {
            if (!ex.symbol.parent) return void 0;
            const exportKind = ex.isExportEquals ? 2 : 1;
            return { kind: 1, symbol, exportInfo: { exportingModuleSymbol: ex.symbol.parent, exportKind } };
          }
          function getSpecialPropertyExport(node2, useLhsSymbol) {
            let kind;
            switch (getAssignmentDeclarationKind(node2)) {
              case 1:
                kind = 0;
                break;
              case 2:
                kind = 2;
                break;
              default:
                return void 0;
            }
            const sym = useLhsSymbol ? checker.getSymbolAtLocation(getNameOfAccessExpression(cast(node2.left, isAccessExpression))) : symbol;
            return sym && exportInfo(sym, kind);
          }
        }
        function getImport() {
          const isImport3 = isNodeImport(node);
          if (!isImport3) return void 0;
          let importedSymbol = checker.getImmediateAliasedSymbol(symbol);
          if (!importedSymbol) return void 0;
          importedSymbol = skipExportSpecifierSymbol(importedSymbol, checker);
          if (importedSymbol.escapedName === "export=") {
            importedSymbol = getExportEqualsLocalSymbol(importedSymbol, checker);
            if (importedSymbol === void 0) return void 0;
          }
          const importedName = symbolEscapedNameNoDefault(importedSymbol);
          if (importedName === void 0 || importedName === "default" || importedName === symbol.escapedName) {
            return { kind: 0, symbol: importedSymbol };
          }
        }
        function exportInfo(symbol2, kind) {
          const exportInfo2 = getExportInfo(symbol2, kind, checker);
          return exportInfo2 && { kind: 1, symbol: symbol2, exportInfo: exportInfo2 };
        }
        function getExportKindForDeclaration(node2) {
          return hasSyntacticModifier(
            node2,
            2048
            /* Default */
          ) ? 1 : 0;
        }
      }
      function getExportEqualsLocalSymbol(importedSymbol, checker) {
        var _a, _b;
        if (importedSymbol.flags & 2097152) {
          return checker.getImmediateAliasedSymbol(importedSymbol);
        }
        const decl = Debug.checkDefined(importedSymbol.valueDeclaration);
        if (isExportAssignment(decl)) {
          return (_a = tryCast(decl.expression, canHaveSymbol)) == null ? void 0 : _a.symbol;
        } else if (isBinaryExpression(decl)) {
          return (_b = tryCast(decl.right, canHaveSymbol)) == null ? void 0 : _b.symbol;
        } else if (isSourceFile(decl)) {
          return decl.symbol;
        }
        return void 0;
      }
      function getExportNode(parent2, node) {
        const declaration = isVariableDeclaration(parent2) ? parent2 : isBindingElement(parent2) ? walkUpBindingElementsAndPatterns(parent2) : void 0;
        if (declaration) {
          return parent2.name !== node ? void 0 : isCatchClause(declaration.parent) ? void 0 : isVariableStatement(declaration.parent.parent) ? declaration.parent.parent : void 0;
        } else {
          return parent2;
        }
      }
      function isNodeImport(node) {
        const { parent: parent2 } = node;
        switch (parent2.kind) {
          case 271:
            return parent2.name === node && isExternalModuleImportEquals(parent2);
          case 276:
            return !parent2.propertyName;
          case 273:
          case 274:
            Debug.assert(parent2.name === node);
            return true;
          case 208:
            return isInJSFile(node) && isVariableDeclarationInitializedToBareOrAccessedRequire(parent2.parent.parent);
          default:
            return false;
        }
      }
      function getExportInfo(exportSymbol, exportKind, checker) {
        const moduleSymbol = exportSymbol.parent;
        if (!moduleSymbol) return void 0;
        const exportingModuleSymbol = checker.getMergedSymbol(moduleSymbol);
        return isExternalModuleSymbol(exportingModuleSymbol) ? { exportingModuleSymbol, exportKind } : void 0;
      }
      function skipExportSpecifierSymbol(symbol, checker) {
        if (symbol.declarations) {
          for (const declaration of symbol.declarations) {
            if (isExportSpecifier(declaration) && !declaration.propertyName && !declaration.parent.parent.moduleSpecifier) {
              return checker.getExportSpecifierLocalTargetSymbol(declaration) || symbol;
            } else if (isPropertyAccessExpression(declaration) && isModuleExportsAccessExpression(declaration.expression) && !isPrivateIdentifier(declaration.name)) {
              return checker.getSymbolAtLocation(declaration);
            } else if (isShorthandPropertyAssignment(declaration) && isBinaryExpression(declaration.parent.parent) && getAssignmentDeclarationKind(declaration.parent.parent) === 2) {
              return checker.getExportSpecifierLocalTargetSymbol(declaration.name);
            }
          }
        }
        return symbol;
      }
      function getContainingModuleSymbol(importer, checker) {
        return checker.getMergedSymbol(getSourceFileLikeForImportDeclaration(importer).symbol);
      }
      function getSourceFileLikeForImportDeclaration(node) {
        if (node.kind === 213 || node.kind === 351) {
          return node.getSourceFile();
        }
        const { parent: parent2 } = node;
        if (parent2.kind === 307) {
          return parent2;
        }
        Debug.assert(
          parent2.kind === 268
          /* ModuleBlock */
        );
        return cast(parent2.parent, isAmbientModuleDeclaration);
      }
      function isAmbientModuleDeclaration(node) {
        return node.kind === 267 && node.name.kind === 11;
      }
      function isExternalModuleImportEquals(eq2) {
        return eq2.moduleReference.kind === 283 && eq2.moduleReference.expression.kind === 11;
      }
      var DefinitionKind = /* @__PURE__ */ ((DefinitionKind2) => {
        DefinitionKind2[DefinitionKind2["Symbol"] = 0] = "Symbol";
        DefinitionKind2[DefinitionKind2["Label"] = 1] = "Label";
        DefinitionKind2[DefinitionKind2["Keyword"] = 2] = "Keyword";
        DefinitionKind2[DefinitionKind2["This"] = 3] = "This";
        DefinitionKind2[DefinitionKind2["String"] = 4] = "String";
        DefinitionKind2[DefinitionKind2["TripleSlashReference"] = 5] = "TripleSlashReference";
        return DefinitionKind2;
      })(DefinitionKind || {});
      var EntryKind = /* @__PURE__ */ ((EntryKind2) => {
        EntryKind2[EntryKind2["Span"] = 0] = "Span";
        EntryKind2[EntryKind2["Node"] = 1] = "Node";
        EntryKind2[EntryKind2["StringLiteral"] = 2] = "StringLiteral";
        EntryKind2[EntryKind2["SearchedLocalFoundProperty"] = 3] = "SearchedLocalFoundProperty";
        EntryKind2[EntryKind2["SearchedPropertyFoundLocal"] = 4] = "SearchedPropertyFoundLocal";
        return EntryKind2;
      })(EntryKind || {});
      function nodeEntry(node, kind = 1) {
        return {
          kind,
          node: node.name || node,
          context: getContextNodeForNodeEntry(node)
        };
      }
      function isContextWithStartAndEndNode(node) {
        return node && node.kind === void 0;
      }
      function getContextNodeForNodeEntry(node) {
        if (isDeclaration(node)) {
          return getContextNode(node);
        }
        if (!node.parent) return void 0;
        if (!isDeclaration(node.parent) && !isExportAssignment(node.parent)) {
          if (isInJSFile(node)) {
            const binaryExpression = isBinaryExpression(node.parent) ? node.parent : isAccessExpression(node.parent) && isBinaryExpression(node.parent.parent) && node.parent.parent.left === node.parent ? node.parent.parent : void 0;
            if (binaryExpression && getAssignmentDeclarationKind(binaryExpression) !== 0) {
              return getContextNode(binaryExpression);
            }
          }
          if (isJsxOpeningElement(node.parent) || isJsxClosingElement(node.parent)) {
            return node.parent.parent;
          } else if (isJsxSelfClosingElement(node.parent) || isLabeledStatement(node.parent) || isBreakOrContinueStatement(node.parent)) {
            return node.parent;
          } else if (isStringLiteralLike(node)) {
            const validImport = tryGetImportFromModuleSpecifier(node);
            if (validImport) {
              const declOrStatement = findAncestor(validImport, (node2) => isDeclaration(node2) || isStatement(node2) || isJSDocTag(node2));
              return isDeclaration(declOrStatement) ? getContextNode(declOrStatement) : declOrStatement;
            }
          }
          const propertyName = findAncestor(node, isComputedPropertyName);
          return propertyName ? getContextNode(propertyName.parent) : void 0;
        }
        if (node.parent.name === node || // node is name of declaration, use parent
        isConstructorDeclaration(node.parent) || isExportAssignment(node.parent) || // Property name of the import export specifier or binding pattern, use parent
        (isImportOrExportSpecifier(node.parent) || isBindingElement(node.parent)) && node.parent.propertyName === node || // Is default export
        node.kind === 90 && hasSyntacticModifier(
          node.parent,
          2080
          /* ExportDefault */
        )) {
          return getContextNode(node.parent);
        }
        return void 0;
      }
      function getContextNode(node) {
        if (!node) return void 0;
        switch (node.kind) {
          case 260:
            return !isVariableDeclarationList(node.parent) || node.parent.declarations.length !== 1 ? node : isVariableStatement(node.parent.parent) ? node.parent.parent : isForInOrOfStatement(node.parent.parent) ? getContextNode(node.parent.parent) : node.parent;
          case 208:
            return getContextNode(node.parent.parent);
          case 276:
            return node.parent.parent.parent;
          case 281:
          case 274:
            return node.parent.parent;
          case 273:
          case 280:
            return node.parent;
          case 226:
            return isExpressionStatement2(node.parent) ? node.parent : node;
          case 250:
          case 249:
            return {
              start: node.initializer,
              end: node.expression
            };
          case 303:
          case 304:
            return isArrayLiteralOrObjectLiteralDestructuringPattern(node.parent) ? getContextNode(
              findAncestor(node.parent, (node2) => isBinaryExpression(node2) || isForInOrOfStatement(node2))
            ) : node;
          case 255:
            return {
              start: find(
                node.getChildren(node.getSourceFile()),
                (node2) => node2.kind === 109
                /* SwitchKeyword */
              ),
              end: node.caseBlock
            };
          default:
            return node;
        }
      }
      function toContextSpan(textSpan, sourceFile, context) {
        if (!context) return void 0;
        const contextSpan = isContextWithStartAndEndNode(context) ? getTextSpan(context.start, sourceFile, context.end) : getTextSpan(context, sourceFile);
        return contextSpan.start !== textSpan.start || contextSpan.length !== textSpan.length ? { contextSpan } : void 0;
      }
      var FindReferencesUse = /* @__PURE__ */ ((FindReferencesUse2) => {
        FindReferencesUse2[FindReferencesUse2["Other"] = 0] = "Other";
        FindReferencesUse2[FindReferencesUse2["References"] = 1] = "References";
        FindReferencesUse2[FindReferencesUse2["Rename"] = 2] = "Rename";
        return FindReferencesUse2;
      })(FindReferencesUse || {});
      function findReferencedSymbols(program, cancellationToken, sourceFiles, sourceFile, position) {
        const node = getTouchingPropertyName(sourceFile, position);
        const options = {
          use: 1
          /* References */
        };
        const referencedSymbols = Core.getReferencedSymbolsForNode(position, node, program, sourceFiles, cancellationToken, options);
        const checker = program.getTypeChecker();
        const adjustedNode = Core.getAdjustedNode(node, options);
        const symbol = isDefinitionForReference(adjustedNode) ? checker.getSymbolAtLocation(adjustedNode) : void 0;
        return !referencedSymbols || !referencedSymbols.length ? void 0 : mapDefined(referencedSymbols, ({ definition, references }) => (
          // Only include referenced symbols that have a valid definition.
          definition && {
            definition: checker.runWithCancellationToken(cancellationToken, (checker2) => definitionToReferencedSymbolDefinitionInfo(definition, checker2, node)),
            references: references.map((r) => toReferencedSymbolEntry(r, symbol))
          }
        ));
      }
      function isDefinitionForReference(node) {
        return node.kind === 90 || !!getDeclarationFromName(node) || isLiteralComputedPropertyDeclarationName(node) || node.kind === 137 && isConstructorDeclaration(node.parent);
      }
      function getImplementationsAtPosition(program, cancellationToken, sourceFiles, sourceFile, position) {
        const node = getTouchingPropertyName(sourceFile, position);
        let referenceEntries;
        const entries = getImplementationReferenceEntries(program, cancellationToken, sourceFiles, node, position);
        if (node.parent.kind === 211 || node.parent.kind === 208 || node.parent.kind === 212 || node.kind === 108) {
          referenceEntries = entries && [...entries];
        } else if (entries) {
          const queue = createQueue(entries);
          const seenNodes = /* @__PURE__ */ new Map();
          while (!queue.isEmpty()) {
            const entry = queue.dequeue();
            if (!addToSeen(seenNodes, getNodeId(entry.node))) {
              continue;
            }
            referenceEntries = append(referenceEntries, entry);
            const entries2 = getImplementationReferenceEntries(program, cancellationToken, sourceFiles, entry.node, entry.node.pos);
            if (entries2) {
              queue.enqueue(...entries2);
            }
          }
        }
        const checker = program.getTypeChecker();
        return map(referenceEntries, (entry) => toImplementationLocation(entry, checker));
      }
      function getImplementationReferenceEntries(program, cancellationToken, sourceFiles, node, position) {
        if (node.kind === 307) {
          return void 0;
        }
        const checker = program.getTypeChecker();
        if (node.parent.kind === 304) {
          const result = [];
          Core.getReferenceEntriesForShorthandPropertyAssignment(node, checker, (node2) => result.push(nodeEntry(node2)));
          return result;
        } else if (node.kind === 108 || isSuperProperty(node.parent)) {
          const symbol = checker.getSymbolAtLocation(node);
          return symbol.valueDeclaration && [nodeEntry(symbol.valueDeclaration)];
        } else {
          return getReferenceEntriesForNode(position, node, program, sourceFiles, cancellationToken, {
            implementations: true,
            use: 1
            /* References */
          });
        }
      }
      function findReferenceOrRenameEntries(program, cancellationToken, sourceFiles, node, position, options, convertEntry) {
        return map(flattenEntries(Core.getReferencedSymbolsForNode(position, node, program, sourceFiles, cancellationToken, options)), (entry) => convertEntry(entry, node, program.getTypeChecker()));
      }
      function getReferenceEntriesForNode(position, node, program, sourceFiles, cancellationToken, options = {}, sourceFilesSet = new Set(sourceFiles.map((f) => f.fileName))) {
        return flattenEntries(Core.getReferencedSymbolsForNode(position, node, program, sourceFiles, cancellationToken, options, sourceFilesSet));
      }
      function flattenEntries(referenceSymbols) {
        return referenceSymbols && flatMap(referenceSymbols, (r) => r.references);
      }
      function definitionToReferencedSymbolDefinitionInfo(def, checker, originalNode) {
        const info = (() => {
          switch (def.type) {
            case 0: {
              const { symbol } = def;
              const { displayParts: displayParts2, kind: kind2 } = getDefinitionKindAndDisplayParts(symbol, checker, originalNode);
              const name2 = displayParts2.map((p) => p.text).join("");
              const declaration = symbol.declarations && firstOrUndefined(symbol.declarations);
              const node = declaration ? getNameOfDeclaration(declaration) || declaration : originalNode;
              return {
                ...getFileAndTextSpanFromNode(node),
                name: name2,
                kind: kind2,
                displayParts: displayParts2,
                context: getContextNode(declaration)
              };
            }
            case 1: {
              const { node } = def;
              return { ...getFileAndTextSpanFromNode(node), name: node.text, kind: "label", displayParts: [displayPart(
                node.text,
                17
                /* text */
              )] };
            }
            case 2: {
              const { node } = def;
              const name2 = tokenToString(node.kind);
              return { ...getFileAndTextSpanFromNode(node), name: name2, kind: "keyword", displayParts: [{
                text: name2,
                kind: "keyword"
                /* keyword */
              }] };
            }
            case 3: {
              const { node } = def;
              const symbol = checker.getSymbolAtLocation(node);
              const displayParts2 = symbol && ts_SymbolDisplay_exports.getSymbolDisplayPartsDocumentationAndSymbolKind(
                checker,
                symbol,
                node.getSourceFile(),
                getContainerNode(node),
                node
              ).displayParts || [textPart("this")];
              return { ...getFileAndTextSpanFromNode(node), name: "this", kind: "var", displayParts: displayParts2 };
            }
            case 4: {
              const { node } = def;
              return {
                ...getFileAndTextSpanFromNode(node),
                name: node.text,
                kind: "var",
                displayParts: [displayPart(
                  getTextOfNode(node),
                  8
                  /* stringLiteral */
                )]
              };
            }
            case 5: {
              return {
                textSpan: createTextSpanFromRange(def.reference),
                sourceFile: def.file,
                name: def.reference.fileName,
                kind: "string",
                displayParts: [displayPart(
                  `"${def.reference.fileName}"`,
                  8
                  /* stringLiteral */
                )]
              };
            }
            default:
              return Debug.assertNever(def);
          }
        })();
        const { sourceFile, textSpan, name, kind, displayParts, context } = info;
        return {
          containerKind: "",
          containerName: "",
          fileName: sourceFile.fileName,
          kind,
          name,
          textSpan,
          displayParts,
          ...toContextSpan(textSpan, sourceFile, context)
        };
      }
      function getFileAndTextSpanFromNode(node) {
        const sourceFile = node.getSourceFile();
        return {
          sourceFile,
          textSpan: getTextSpan(isComputedPropertyName(node) ? node.expression : node, sourceFile)
        };
      }
      function getDefinitionKindAndDisplayParts(symbol, checker, node) {
        const meaning = Core.getIntersectingMeaningFromDeclarations(node, symbol);
        const enclosingDeclaration = symbol.declarations && firstOrUndefined(symbol.declarations) || node;
        const { displayParts, symbolKind } = ts_SymbolDisplay_exports.getSymbolDisplayPartsDocumentationAndSymbolKind(checker, symbol, enclosingDeclaration.getSourceFile(), enclosingDeclaration, enclosingDeclaration, meaning);
        return { displayParts, kind: symbolKind };
      }
      function toRenameLocation(entry, originalNode, checker, providePrefixAndSuffixText, quotePreference) {
        return { ...entryToDocumentSpan(entry), ...providePrefixAndSuffixText && getPrefixAndSuffixText(entry, originalNode, checker, quotePreference) };
      }
      function toReferencedSymbolEntry(entry, symbol) {
        const referenceEntry = toReferenceEntry(entry);
        if (!symbol) return referenceEntry;
        return {
          ...referenceEntry,
          isDefinition: entry.kind !== 0 && isDeclarationOfSymbol(entry.node, symbol)
        };
      }
      function toReferenceEntry(entry) {
        const documentSpan = entryToDocumentSpan(entry);
        if (entry.kind === 0) {
          return { ...documentSpan, isWriteAccess: false };
        }
        const { kind, node } = entry;
        return {
          ...documentSpan,
          isWriteAccess: isWriteAccessForReference(node),
          isInString: kind === 2 ? true : void 0
        };
      }
      function entryToDocumentSpan(entry) {
        if (entry.kind === 0) {
          return { textSpan: entry.textSpan, fileName: entry.fileName };
        } else {
          const sourceFile = entry.node.getSourceFile();
          const textSpan = getTextSpan(entry.node, sourceFile);
          return {
            textSpan,
            fileName: sourceFile.fileName,
            ...toContextSpan(textSpan, sourceFile, entry.context)
          };
        }
      }
      function getPrefixAndSuffixText(entry, originalNode, checker, quotePreference) {
        if (entry.kind !== 0 && (isIdentifier(originalNode) || isStringLiteralLike(originalNode))) {
          const { node, kind } = entry;
          const parent2 = node.parent;
          const name = originalNode.text;
          const isShorthandAssignment = isShorthandPropertyAssignment(parent2);
          if (isShorthandAssignment || isObjectBindingElementWithoutPropertyName(parent2) && parent2.name === node && parent2.dotDotDotToken === void 0) {
            const prefixColon = { prefixText: name + ": " };
            const suffixColon = { suffixText: ": " + name };
            if (kind === 3) {
              return prefixColon;
            }
            if (kind === 4) {
              return suffixColon;
            }
            if (isShorthandAssignment) {
              const grandParent = parent2.parent;
              if (isObjectLiteralExpression(grandParent) && isBinaryExpression(grandParent.parent) && isModuleExportsAccessExpression(grandParent.parent.left)) {
                return prefixColon;
              }
              return suffixColon;
            } else {
              return prefixColon;
            }
          } else if (isImportSpecifier(parent2) && !parent2.propertyName) {
            const originalSymbol = isExportSpecifier(originalNode.parent) ? checker.getExportSpecifierLocalTargetSymbol(originalNode.parent) : checker.getSymbolAtLocation(originalNode);
            return contains(originalSymbol.declarations, parent2) ? { prefixText: name + " as " } : emptyOptions;
          } else if (isExportSpecifier(parent2) && !parent2.propertyName) {
            return originalNode === entry.node || checker.getSymbolAtLocation(originalNode) === checker.getSymbolAtLocation(entry.node) ? { prefixText: name + " as " } : { suffixText: " as " + name };
          }
        }
        if (entry.kind !== 0 && isNumericLiteral(entry.node) && isAccessExpression(entry.node.parent)) {
          const quote2 = getQuoteFromPreference(quotePreference);
          return { prefixText: quote2, suffixText: quote2 };
        }
        return emptyOptions;
      }
      function toImplementationLocation(entry, checker) {
        const documentSpan = entryToDocumentSpan(entry);
        if (entry.kind !== 0) {
          const { node } = entry;
          return {
            ...documentSpan,
            ...implementationKindDisplayParts(node, checker)
          };
        } else {
          return { ...documentSpan, kind: "", displayParts: [] };
        }
      }
      function implementationKindDisplayParts(node, checker) {
        const symbol = checker.getSymbolAtLocation(isDeclaration(node) && node.name ? node.name : node);
        if (symbol) {
          return getDefinitionKindAndDisplayParts(symbol, checker, node);
        } else if (node.kind === 210) {
          return {
            kind: "interface",
            displayParts: [punctuationPart(
              21
              /* OpenParenToken */
            ), textPart("object literal"), punctuationPart(
              22
              /* CloseParenToken */
            )]
          };
        } else if (node.kind === 231) {
          return {
            kind: "local class",
            displayParts: [punctuationPart(
              21
              /* OpenParenToken */
            ), textPart("anonymous local class"), punctuationPart(
              22
              /* CloseParenToken */
            )]
          };
        } else {
          return { kind: getNodeKind(node), displayParts: [] };
        }
      }
      function toHighlightSpan(entry) {
        const documentSpan = entryToDocumentSpan(entry);
        if (entry.kind === 0) {
          return {
            fileName: documentSpan.fileName,
            span: {
              textSpan: documentSpan.textSpan,
              kind: "reference"
              /* reference */
            }
          };
        }
        const writeAccess = isWriteAccessForReference(entry.node);
        const span = {
          textSpan: documentSpan.textSpan,
          kind: writeAccess ? "writtenReference" : "reference",
          isInString: entry.kind === 2 ? true : void 0,
          ...documentSpan.contextSpan && { contextSpan: documentSpan.contextSpan }
        };
        return { fileName: documentSpan.fileName, span };
      }
      function getTextSpan(node, sourceFile, endNode2) {
        let start = node.getStart(sourceFile);
        let end = (endNode2 || node).getEnd();
        if (isStringLiteralLike(node) && end - start > 2) {
          Debug.assert(endNode2 === void 0);
          start += 1;
          end -= 1;
        }
        if ((endNode2 == null ? void 0 : endNode2.kind) === 269) {
          end = endNode2.getFullStart();
        }
        return createTextSpanFromBounds(start, end);
      }
      function getTextSpanOfEntry(entry) {
        return entry.kind === 0 ? entry.textSpan : getTextSpan(entry.node, entry.node.getSourceFile());
      }
      function isWriteAccessForReference(node) {
        const decl = getDeclarationFromName(node);
        return !!decl && declarationIsWriteAccess(decl) || node.kind === 90 || isWriteAccess(node);
      }
      function isDeclarationOfSymbol(node, target) {
        var _a;
        if (!target) return false;
        const source = getDeclarationFromName(node) || (node.kind === 90 ? node.parent : isLiteralComputedPropertyDeclarationName(node) ? node.parent.parent : node.kind === 137 && isConstructorDeclaration(node.parent) ? node.parent.parent : void 0);
        const commonjsSource = source && isBinaryExpression(source) ? source.left : void 0;
        return !!(source && ((_a = target.declarations) == null ? void 0 : _a.some((d) => d === source || d === commonjsSource)));
      }
      function declarationIsWriteAccess(decl) {
        if (!!(decl.flags & 33554432)) return true;
        switch (decl.kind) {
          case 226:
          case 208:
          case 263:
          case 231:
          case 90:
          case 266:
          case 306:
          case 281:
          case 273:
          case 271:
          case 276:
          case 264:
          case 338:
          case 346:
          case 291:
          case 267:
          case 270:
          case 274:
          case 280:
          case 169:
          case 304:
          case 265:
          case 168:
            return true;
          case 303:
            return !isArrayLiteralOrObjectLiteralDestructuringPattern(decl.parent);
          case 262:
          case 218:
          case 176:
          case 174:
          case 177:
          case 178:
            return !!decl.body;
          case 260:
          case 172:
            return !!decl.initializer || isCatchClause(decl.parent);
          case 173:
          case 171:
          case 348:
          case 341:
            return false;
          default:
            return Debug.failBadSyntaxKind(decl);
        }
      }
      var Core;
      ((Core2) => {
        function getReferencedSymbolsForNode(position, node, program, sourceFiles, cancellationToken, options = {}, sourceFilesSet = new Set(sourceFiles.map((f) => f.fileName))) {
          var _a, _b;
          node = getAdjustedNode2(node, options);
          if (isSourceFile(node)) {
            const resolvedRef = ts_GoToDefinition_exports.getReferenceAtPosition(node, position, program);
            if (!(resolvedRef == null ? void 0 : resolvedRef.file)) {
              return void 0;
            }
            const moduleSymbol = program.getTypeChecker().getMergedSymbol(resolvedRef.file.symbol);
            if (moduleSymbol) {
              return getReferencedSymbolsForModule(
                program,
                moduleSymbol,
                /*excludeImportTypeOfExportEquals*/
                false,
                sourceFiles,
                sourceFilesSet
              );
            }
            const fileIncludeReasons = program.getFileIncludeReasons();
            if (!fileIncludeReasons) {
              return void 0;
            }
            return [{
              definition: { type: 5, reference: resolvedRef.reference, file: node },
              references: getReferencesForNonModule(resolvedRef.file, fileIncludeReasons, program) || emptyArray
            }];
          }
          if (!options.implementations) {
            const special = getReferencedSymbolsSpecial(node, sourceFiles, cancellationToken);
            if (special) {
              return special;
            }
          }
          const checker = program.getTypeChecker();
          const symbol = checker.getSymbolAtLocation(isConstructorDeclaration(node) && node.parent.name || node);
          if (!symbol) {
            if (!options.implementations && isStringLiteralLike(node)) {
              if (isModuleSpecifierLike(node)) {
                const fileIncludeReasons = program.getFileIncludeReasons();
                const referencedFileName = (_b = (_a = program.getResolvedModuleFromModuleSpecifier(node)) == null ? void 0 : _a.resolvedModule) == null ? void 0 : _b.resolvedFileName;
                const referencedFile = referencedFileName ? program.getSourceFile(referencedFileName) : void 0;
                if (referencedFile) {
                  return [{ definition: { type: 4, node }, references: getReferencesForNonModule(referencedFile, fileIncludeReasons, program) || emptyArray }];
                }
              }
              return getReferencesForStringLiteral(node, sourceFiles, checker, cancellationToken);
            }
            return void 0;
          }
          if (symbol.escapedName === "export=") {
            return getReferencedSymbolsForModule(
              program,
              symbol.parent,
              /*excludeImportTypeOfExportEquals*/
              false,
              sourceFiles,
              sourceFilesSet
            );
          }
          const moduleReferences = getReferencedSymbolsForModuleIfDeclaredBySourceFile(symbol, program, sourceFiles, cancellationToken, options, sourceFilesSet);
          if (moduleReferences && !(symbol.flags & 33554432)) {
            return moduleReferences;
          }
          const aliasedSymbol = getMergedAliasedSymbolOfNamespaceExportDeclaration(node, symbol, checker);
          const moduleReferencesOfExportTarget = aliasedSymbol && getReferencedSymbolsForModuleIfDeclaredBySourceFile(aliasedSymbol, program, sourceFiles, cancellationToken, options, sourceFilesSet);
          const references = getReferencedSymbolsForSymbol(symbol, node, sourceFiles, sourceFilesSet, checker, cancellationToken, options);
          return mergeReferences(program, moduleReferences, references, moduleReferencesOfExportTarget);
        }
        Core2.getReferencedSymbolsForNode = getReferencedSymbolsForNode;
        function getAdjustedNode2(node, options) {
          if (options.use === 1) {
            node = getAdjustedReferenceLocation(node);
          } else if (options.use === 2) {
            node = getAdjustedRenameLocation(node);
          }
          return node;
        }
        Core2.getAdjustedNode = getAdjustedNode2;
        function getReferencesForFileName(fileName, program, sourceFiles, sourceFilesSet = new Set(sourceFiles.map((f) => f.fileName))) {
          var _a, _b;
          const moduleSymbol = (_a = program.getSourceFile(fileName)) == null ? void 0 : _a.symbol;
          if (moduleSymbol) {
            return ((_b = getReferencedSymbolsForModule(
              program,
              moduleSymbol,
              /*excludeImportTypeOfExportEquals*/
              false,
              sourceFiles,
              sourceFilesSet
            )[0]) == null ? void 0 : _b.references) || emptyArray;
          }
          const fileIncludeReasons = program.getFileIncludeReasons();
          const referencedFile = program.getSourceFile(fileName);
          return referencedFile && fileIncludeReasons && getReferencesForNonModule(referencedFile, fileIncludeReasons, program) || emptyArray;
        }
        Core2.getReferencesForFileName = getReferencesForFileName;
        function getReferencesForNonModule(referencedFile, refFileMap, program) {
          let entries;
          const references = refFileMap.get(referencedFile.path) || emptyArray;
          for (const ref of references) {
            if (isReferencedFile(ref)) {
              const referencingFile = program.getSourceFileByPath(ref.file);
              const location = getReferencedFileLocation(program, ref);
              if (isReferenceFileLocation(location)) {
                entries = append(entries, {
                  kind: 0,
                  fileName: referencingFile.fileName,
                  textSpan: createTextSpanFromRange(location)
                });
              }
            }
          }
          return entries;
        }
        function getMergedAliasedSymbolOfNamespaceExportDeclaration(node, symbol, checker) {
          if (node.parent && isNamespaceExportDeclaration(node.parent)) {
            const aliasedSymbol = checker.getAliasedSymbol(symbol);
            const targetSymbol = checker.getMergedSymbol(aliasedSymbol);
            if (aliasedSymbol !== targetSymbol) {
              return targetSymbol;
            }
          }
          return void 0;
        }
        function getReferencedSymbolsForModuleIfDeclaredBySourceFile(symbol, program, sourceFiles, cancellationToken, options, sourceFilesSet) {
          const moduleSourceFile = symbol.flags & 1536 && symbol.declarations && find(symbol.declarations, isSourceFile);
          if (!moduleSourceFile) return void 0;
          const exportEquals = symbol.exports.get(
            "export="
            /* ExportEquals */
          );
          const moduleReferences = getReferencedSymbolsForModule(program, symbol, !!exportEquals, sourceFiles, sourceFilesSet);
          if (!exportEquals || !sourceFilesSet.has(moduleSourceFile.fileName)) return moduleReferences;
          const checker = program.getTypeChecker();
          symbol = skipAlias(exportEquals, checker);
          return mergeReferences(program, moduleReferences, getReferencedSymbolsForSymbol(
            symbol,
            /*node*/
            void 0,
            sourceFiles,
            sourceFilesSet,
            checker,
            cancellationToken,
            options
          ));
        }
        function mergeReferences(program, ...referencesToMerge) {
          let result;
          for (const references of referencesToMerge) {
            if (!references || !references.length) continue;
            if (!result) {
              result = references;
              continue;
            }
            for (const entry of references) {
              if (!entry.definition || entry.definition.type !== 0) {
                result.push(entry);
                continue;
              }
              const symbol = entry.definition.symbol;
              const refIndex = findIndex(result, (ref) => !!ref.definition && ref.definition.type === 0 && ref.definition.symbol === symbol);
              if (refIndex === -1) {
                result.push(entry);
                continue;
              }
              const reference = result[refIndex];
              result[refIndex] = {
                definition: reference.definition,
                references: reference.references.concat(entry.references).sort((entry1, entry2) => {
                  const entry1File = getSourceFileIndexOfEntry(program, entry1);
                  const entry2File = getSourceFileIndexOfEntry(program, entry2);
                  if (entry1File !== entry2File) {
                    return compareValues(entry1File, entry2File);
                  }
                  const entry1Span = getTextSpanOfEntry(entry1);
                  const entry2Span = getTextSpanOfEntry(entry2);
                  return entry1Span.start !== entry2Span.start ? compareValues(entry1Span.start, entry2Span.start) : compareValues(entry1Span.length, entry2Span.length);
                })
              };
            }
          }
          return result;
        }
        function getSourceFileIndexOfEntry(program, entry) {
          const sourceFile = entry.kind === 0 ? program.getSourceFile(entry.fileName) : entry.node.getSourceFile();
          return program.getSourceFiles().indexOf(sourceFile);
        }
        function getReferencedSymbolsForModule(program, symbol, excludeImportTypeOfExportEquals, sourceFiles, sourceFilesSet) {
          Debug.assert(!!symbol.valueDeclaration);
          const references = mapDefined(findModuleReferences(program, sourceFiles, symbol), (reference) => {
            if (reference.kind === "import") {
              const parent2 = reference.literal.parent;
              if (isLiteralTypeNode(parent2)) {
                const importType = cast(parent2.parent, isImportTypeNode);
                if (excludeImportTypeOfExportEquals && !importType.qualifier) {
                  return void 0;
                }
              }
              return nodeEntry(reference.literal);
            } else if (reference.kind === "implicit") {
              const range = reference.literal.text !== externalHelpersModuleNameText && forEachChildRecursively(
                reference.referencingFile,
                (n) => !(n.transformFlags & 2) ? "skip" : isJsxElement(n) || isJsxSelfClosingElement(n) || isJsxFragment(n) ? n : void 0
              ) || reference.referencingFile.statements[0] || reference.referencingFile;
              return nodeEntry(range);
            } else {
              return {
                kind: 0,
                fileName: reference.referencingFile.fileName,
                textSpan: createTextSpanFromRange(reference.ref)
              };
            }
          });
          if (symbol.declarations) {
            for (const decl of symbol.declarations) {
              switch (decl.kind) {
                case 307:
                  break;
                case 267:
                  if (sourceFilesSet.has(decl.getSourceFile().fileName)) {
                    references.push(nodeEntry(decl.name));
                  }
                  break;
                default:
                  Debug.assert(!!(symbol.flags & 33554432), "Expected a module symbol to be declared by a SourceFile or ModuleDeclaration.");
              }
            }
          }
          const exported = symbol.exports.get(
            "export="
            /* ExportEquals */
          );
          if (exported == null ? void 0 : exported.declarations) {
            for (const decl of exported.declarations) {
              const sourceFile = decl.getSourceFile();
              if (sourceFilesSet.has(sourceFile.fileName)) {
                const node = isBinaryExpression(decl) && isPropertyAccessExpression(decl.left) ? decl.left.expression : isExportAssignment(decl) ? Debug.checkDefined(findChildOfKind(decl, 95, sourceFile)) : getNameOfDeclaration(decl) || decl;
                references.push(nodeEntry(node));
              }
            }
          }
          return references.length ? [{ definition: { type: 0, symbol }, references }] : emptyArray;
        }
        function isReadonlyTypeOperator(node) {
          return node.kind === 148 && isTypeOperatorNode(node.parent) && node.parent.operator === 148;
        }
        function getReferencedSymbolsSpecial(node, sourceFiles, cancellationToken) {
          if (isTypeKeyword(node.kind)) {
            if (node.kind === 116 && isVoidExpression(node.parent)) {
              return void 0;
            }
            if (node.kind === 148 && !isReadonlyTypeOperator(node)) {
              return void 0;
            }
            return getAllReferencesForKeyword(
              sourceFiles,
              node.kind,
              cancellationToken,
              node.kind === 148 ? isReadonlyTypeOperator : void 0
            );
          }
          if (isImportMeta(node.parent) && node.parent.name === node) {
            return getAllReferencesForImportMeta(sourceFiles, cancellationToken);
          }
          if (isStaticModifier(node) && isClassStaticBlockDeclaration(node.parent)) {
            return [{ definition: { type: 2, node }, references: [nodeEntry(node)] }];
          }
          if (isJumpStatementTarget(node)) {
            const labelDefinition = getTargetLabel(node.parent, node.text);
            return labelDefinition && getLabelReferencesInNode(labelDefinition.parent, labelDefinition);
          } else if (isLabelOfLabeledStatement(node)) {
            return getLabelReferencesInNode(node.parent, node);
          }
          if (isThis(node)) {
            return getReferencesForThisKeyword(node, sourceFiles, cancellationToken);
          }
          if (node.kind === 108) {
            return getReferencesForSuperKeyword(node);
          }
          return void 0;
        }
        function getReferencedSymbolsForSymbol(originalSymbol, node, sourceFiles, sourceFilesSet, checker, cancellationToken, options) {
          const symbol = node && skipPastExportOrImportSpecifierOrUnion(
            originalSymbol,
            node,
            checker,
            /*useLocalSymbolForExportSpecifier*/
            !isForRenameWithPrefixAndSuffixText(options)
          ) || originalSymbol;
          const searchMeaning = node ? getIntersectingMeaningFromDeclarations(node, symbol) : 7;
          const result = [];
          const state = new State(sourceFiles, sourceFilesSet, node ? getSpecialSearchKind(node) : 0, checker, cancellationToken, searchMeaning, options, result);
          const exportSpecifier = !isForRenameWithPrefixAndSuffixText(options) || !symbol.declarations ? void 0 : find(symbol.declarations, isExportSpecifier);
          if (exportSpecifier) {
            getReferencesAtExportSpecifier(
              exportSpecifier.name,
              symbol,
              exportSpecifier,
              state.createSearch(
                node,
                originalSymbol,
                /*comingFrom*/
                void 0
              ),
              state,
              /*addReferencesHere*/
              true,
              /*alwaysGetReferences*/
              true
            );
          } else if (node && node.kind === 90 && symbol.escapedName === "default" && symbol.parent) {
            addReference(node, symbol, state);
            searchForImportsOfExport(node, symbol, {
              exportingModuleSymbol: symbol.parent,
              exportKind: 1
              /* Default */
            }, state);
          } else {
            const search = state.createSearch(
              node,
              symbol,
              /*comingFrom*/
              void 0,
              { allSearchSymbols: node ? populateSearchSymbolSet(symbol, node, checker, options.use === 2, !!options.providePrefixAndSuffixTextForRename, !!options.implementations) : [symbol] }
            );
            getReferencesInContainerOrFiles(symbol, state, search);
          }
          return result;
        }
        function getReferencesInContainerOrFiles(symbol, state, search) {
          const scope = getSymbolScope(symbol);
          if (scope) {
            getReferencesInContainer(
              scope,
              scope.getSourceFile(),
              search,
              state,
              /*addReferencesHere*/
              !(isSourceFile(scope) && !contains(state.sourceFiles, scope))
            );
          } else {
            for (const sourceFile of state.sourceFiles) {
              state.cancellationToken.throwIfCancellationRequested();
              searchForName(sourceFile, search, state);
            }
          }
        }
        function getSpecialSearchKind(node) {
          switch (node.kind) {
            case 176:
            case 137:
              return 1;
            case 80:
              if (isClassLike(node.parent)) {
                Debug.assert(node.parent.name === node);
                return 2;
              }
            default:
              return 0;
          }
        }
        function skipPastExportOrImportSpecifierOrUnion(symbol, node, checker, useLocalSymbolForExportSpecifier) {
          const { parent: parent2 } = node;
          if (isExportSpecifier(parent2) && useLocalSymbolForExportSpecifier) {
            return getLocalSymbolForExportSpecifier(node, symbol, parent2, checker);
          }
          return firstDefined(symbol.declarations, (decl) => {
            if (!decl.parent) {
              if (symbol.flags & 33554432) return void 0;
              Debug.fail(`Unexpected symbol at ${Debug.formatSyntaxKind(node.kind)}: ${Debug.formatSymbol(symbol)}`);
            }
            return isTypeLiteralNode(decl.parent) && isUnionTypeNode(decl.parent.parent) ? checker.getPropertyOfType(checker.getTypeFromTypeNode(decl.parent.parent), symbol.name) : void 0;
          });
        }
        let SpecialSearchKind;
        ((SpecialSearchKind2) => {
          SpecialSearchKind2[SpecialSearchKind2["None"] = 0] = "None";
          SpecialSearchKind2[SpecialSearchKind2["Constructor"] = 1] = "Constructor";
          SpecialSearchKind2[SpecialSearchKind2["Class"] = 2] = "Class";
        })(SpecialSearchKind || (SpecialSearchKind = {}));
        function getNonModuleSymbolOfMergedModuleSymbol(symbol) {
          if (!(symbol.flags & (1536 | 33554432))) return void 0;
          const decl = symbol.declarations && find(symbol.declarations, (d) => !isSourceFile(d) && !isModuleDeclaration(d));
          return decl && decl.symbol;
        }
        class State {
          constructor(sourceFiles, sourceFilesSet, specialSearchKind, checker, cancellationToken, searchMeaning, options, result) {
            this.sourceFiles = sourceFiles;
            this.sourceFilesSet = sourceFilesSet;
            this.specialSearchKind = specialSearchKind;
            this.checker = checker;
            this.cancellationToken = cancellationToken;
            this.searchMeaning = searchMeaning;
            this.options = options;
            this.result = result;
            this.inheritsFromCache = /* @__PURE__ */ new Map();
            this.markSeenContainingTypeReference = nodeSeenTracker();
            this.markSeenReExportRHS = nodeSeenTracker();
            this.symbolIdToReferences = [];
            this.sourceFileToSeenSymbols = [];
          }
          includesSourceFile(sourceFile) {
            return this.sourceFilesSet.has(sourceFile.fileName);
          }
          /** Gets every place to look for references of an exported symbols. See `ImportsResult` in `importTracker.ts` for more documentation. */
          getImportSearches(exportSymbol, exportInfo) {
            if (!this.importTracker) this.importTracker = createImportTracker(this.sourceFiles, this.sourceFilesSet, this.checker, this.cancellationToken);
            return this.importTracker(
              exportSymbol,
              exportInfo,
              this.options.use === 2
              /* Rename */
            );
          }
          /** @param allSearchSymbols set of additional symbols for use by `includes`. */
          createSearch(location, symbol, comingFrom, searchOptions = {}) {
            const {
              text = stripQuotes(symbolName(getLocalSymbolForExportDefault(symbol) || getNonModuleSymbolOfMergedModuleSymbol(symbol) || symbol)),
              allSearchSymbols = [symbol]
            } = searchOptions;
            const escapedText = escapeLeadingUnderscores(text);
            const parents = this.options.implementations && location ? getParentSymbolsOfPropertyAccess(location, symbol, this.checker) : void 0;
            return { symbol, comingFrom, text, escapedText, parents, allSearchSymbols, includes: (sym) => contains(allSearchSymbols, sym) };
          }
          /**
           * Callback to add references for a particular searched symbol.
           * This initializes a reference group, so only call this if you will add at least one reference.
           */
          referenceAdder(searchSymbol) {
            const symbolId = getSymbolId(searchSymbol);
            let references = this.symbolIdToReferences[symbolId];
            if (!references) {
              references = this.symbolIdToReferences[symbolId] = [];
              this.result.push({ definition: { type: 0, symbol: searchSymbol }, references });
            }
            return (node, kind) => references.push(nodeEntry(node, kind));
          }
          /** Add a reference with no associated definition. */
          addStringOrCommentReference(fileName, textSpan) {
            this.result.push({
              definition: void 0,
              references: [{ kind: 0, fileName, textSpan }]
            });
          }
          /** Returns `true` the first time we search for a symbol in a file and `false` afterwards. */
          markSearchedSymbols(sourceFile, symbols) {
            const sourceId = getNodeId(sourceFile);
            const seenSymbols = this.sourceFileToSeenSymbols[sourceId] || (this.sourceFileToSeenSymbols[sourceId] = /* @__PURE__ */ new Set());
            let anyNewSymbols = false;
            for (const sym of symbols) {
              anyNewSymbols = tryAddToSet(seenSymbols, getSymbolId(sym)) || anyNewSymbols;
            }
            return anyNewSymbols;
          }
        }
        function searchForImportsOfExport(exportLocation, exportSymbol, exportInfo, state) {
          const { importSearches, singleReferences, indirectUsers } = state.getImportSearches(exportSymbol, exportInfo);
          if (singleReferences.length) {
            const addRef = state.referenceAdder(exportSymbol);
            for (const singleRef of singleReferences) {
              if (shouldAddSingleReference(singleRef, state)) addRef(singleRef);
            }
          }
          for (const [importLocation, importSymbol] of importSearches) {
            getReferencesInSourceFile(importLocation.getSourceFile(), state.createSearch(
              importLocation,
              importSymbol,
              1
              /* Export */
            ), state);
          }
          if (indirectUsers.length) {
            let indirectSearch;
            switch (exportInfo.exportKind) {
              case 0:
                indirectSearch = state.createSearch(
                  exportLocation,
                  exportSymbol,
                  1
                  /* Export */
                );
                break;
              case 1:
                indirectSearch = state.options.use === 2 ? void 0 : state.createSearch(exportLocation, exportSymbol, 1, { text: "default" });
                break;
              case 2:
                break;
            }
            if (indirectSearch) {
              for (const indirectUser of indirectUsers) {
                searchForName(indirectUser, indirectSearch, state);
              }
            }
          }
        }
        function eachExportReference(sourceFiles, checker, cancellationToken, exportSymbol, exportingModuleSymbol, exportName, isDefaultExport, cb) {
          const importTracker = createImportTracker(sourceFiles, new Set(sourceFiles.map((f) => f.fileName)), checker, cancellationToken);
          const { importSearches, indirectUsers, singleReferences } = importTracker(
            exportSymbol,
            { exportKind: isDefaultExport ? 1 : 0, exportingModuleSymbol },
            /*isForRename*/
            false
          );
          for (const [importLocation] of importSearches) {
            cb(importLocation);
          }
          for (const singleReference of singleReferences) {
            if (isIdentifier(singleReference) && isImportTypeNode(singleReference.parent)) {
              cb(singleReference);
            }
          }
          for (const indirectUser of indirectUsers) {
            for (const node of getPossibleSymbolReferenceNodes(indirectUser, isDefaultExport ? "default" : exportName)) {
              const symbol = checker.getSymbolAtLocation(node);
              const hasExportAssignmentDeclaration = some(symbol == null ? void 0 : symbol.declarations, (d) => tryCast(d, isExportAssignment) ? true : false);
              if (isIdentifier(node) && !isImportOrExportSpecifier(node.parent) && (symbol === exportSymbol || hasExportAssignmentDeclaration)) {
                cb(node);
              }
            }
          }
        }
        Core2.eachExportReference = eachExportReference;
        function shouldAddSingleReference(singleRef, state) {
          if (!hasMatchingMeaning(singleRef, state)) return false;
          if (state.options.use !== 2) return true;
          if (!isIdentifier(singleRef)) return false;
          return !(isImportOrExportSpecifier(singleRef.parent) && singleRef.escapedText === "default");
        }
        function searchForImportedSymbol(symbol, state) {
          if (!symbol.declarations) return;
          for (const declaration of symbol.declarations) {
            const exportingFile = declaration.getSourceFile();
            getReferencesInSourceFile(exportingFile, state.createSearch(
              declaration,
              symbol,
              0
              /* Import */
            ), state, state.includesSourceFile(exportingFile));
          }
        }
        function searchForName(sourceFile, search, state) {
          if (getNameTable(sourceFile).get(search.escapedText) !== void 0) {
            getReferencesInSourceFile(sourceFile, search, state);
          }
        }
        function getPropertySymbolOfDestructuringAssignment(location, checker) {
          return isArrayLiteralOrObjectLiteralDestructuringPattern(location.parent.parent) ? checker.getPropertySymbolOfDestructuringAssignment(location) : void 0;
        }
        function getSymbolScope(symbol) {
          const { declarations, flags, parent: parent2, valueDeclaration } = symbol;
          if (valueDeclaration && (valueDeclaration.kind === 218 || valueDeclaration.kind === 231)) {
            return valueDeclaration;
          }
          if (!declarations) {
            return void 0;
          }
          if (flags & (4 | 8192)) {
            const privateDeclaration = find(declarations, (d) => hasEffectiveModifier(
              d,
              2
              /* Private */
            ) || isPrivateIdentifierClassElementDeclaration(d));
            if (privateDeclaration) {
              return getAncestor2(
                privateDeclaration,
                263
                /* ClassDeclaration */
              );
            }
            return void 0;
          }
          if (declarations.some(isObjectBindingElementWithoutPropertyName)) {
            return void 0;
          }
          const exposedByParent = parent2 && !(symbol.flags & 262144);
          if (exposedByParent && !(isExternalModuleSymbol(parent2) && !parent2.globalExports)) {
            return void 0;
          }
          let scope;
          for (const declaration of declarations) {
            const container = getContainerNode(declaration);
            if (scope && scope !== container) {
              return void 0;
            }
            if (!container || container.kind === 307 && !isExternalOrCommonJsModule(container)) {
              return void 0;
            }
            scope = container;
            if (isFunctionExpression(scope)) {
              let next;
              while (next = getNextJSDocCommentLocation(scope)) {
                scope = next;
              }
            }
          }
          return exposedByParent ? scope.getSourceFile() : scope;
        }
        function isSymbolReferencedInFile(definition, checker, sourceFile, searchContainer = sourceFile) {
          return eachSymbolReferenceInFile(definition, checker, sourceFile, () => true, searchContainer) || false;
        }
        Core2.isSymbolReferencedInFile = isSymbolReferencedInFile;
        function eachSymbolReferenceInFile(definition, checker, sourceFile, cb, searchContainer = sourceFile) {
          const symbol = isParameterPropertyDeclaration(definition.parent, definition.parent.parent) ? first(checker.getSymbolsOfParameterPropertyDeclaration(definition.parent, definition.text)) : checker.getSymbolAtLocation(definition);
          if (!symbol) return void 0;
          for (const token of getPossibleSymbolReferenceNodes(sourceFile, symbol.name, searchContainer)) {
            if (!isIdentifier(token) || token === definition || token.escapedText !== definition.escapedText) continue;
            const referenceSymbol = checker.getSymbolAtLocation(token);
            if (referenceSymbol === symbol || checker.getShorthandAssignmentValueSymbol(token.parent) === symbol || isExportSpecifier(token.parent) && getLocalSymbolForExportSpecifier(token, referenceSymbol, token.parent, checker) === symbol) {
              const res = cb(token);
              if (res) return res;
            }
          }
        }
        Core2.eachSymbolReferenceInFile = eachSymbolReferenceInFile;
        function getTopMostDeclarationNamesInFile(declarationName, sourceFile) {
          const candidates = filter(getPossibleSymbolReferenceNodes(sourceFile, declarationName), (name) => !!getDeclarationFromName(name));
          return candidates.reduce((topMost, decl) => {
            const depth2 = getDepth(decl);
            if (!some(topMost.declarationNames) || depth2 === topMost.depth) {
              topMost.declarationNames.push(decl);
              topMost.depth = depth2;
            } else if (depth2 < topMost.depth) {
              topMost.declarationNames = [decl];
              topMost.depth = depth2;
            }
            return topMost;
          }, { depth: Infinity, declarationNames: [] }).declarationNames;
          function getDepth(declaration) {
            let depth2 = 0;
            while (declaration) {
              declaration = getContainerNode(declaration);
              depth2++;
            }
            return depth2;
          }
        }
        Core2.getTopMostDeclarationNamesInFile = getTopMostDeclarationNamesInFile;
        function someSignatureUsage(signature, sourceFiles, checker, cb) {
          if (!signature.name || !isIdentifier(signature.name)) return false;
          const symbol = Debug.checkDefined(checker.getSymbolAtLocation(signature.name));
          for (const sourceFile of sourceFiles) {
            for (const name of getPossibleSymbolReferenceNodes(sourceFile, symbol.name)) {
              if (!isIdentifier(name) || name === signature.name || name.escapedText !== signature.name.escapedText) continue;
              const called = climbPastPropertyAccess(name);
              const call = isCallExpression2(called.parent) && called.parent.expression === called ? called.parent : void 0;
              const referenceSymbol = checker.getSymbolAtLocation(name);
              if (referenceSymbol && checker.getRootSymbols(referenceSymbol).some((s) => s === symbol)) {
                if (cb(name, call)) {
                  return true;
                }
              }
            }
          }
          return false;
        }
        Core2.someSignatureUsage = someSignatureUsage;
        function getPossibleSymbolReferenceNodes(sourceFile, symbolName2, container = sourceFile) {
          return mapDefined(getPossibleSymbolReferencePositions(sourceFile, symbolName2, container), (pos) => {
            const referenceLocation = getTouchingPropertyName(sourceFile, pos);
            return referenceLocation === sourceFile ? void 0 : referenceLocation;
          });
        }
        function getPossibleSymbolReferencePositions(sourceFile, symbolName2, container = sourceFile) {
          const positions = [];
          if (!symbolName2 || !symbolName2.length) {
            return positions;
          }
          const text = sourceFile.text;
          const sourceLength = text.length;
          const symbolNameLength = symbolName2.length;
          let position = text.indexOf(symbolName2, container.pos);
          while (position >= 0) {
            if (position > container.end) break;
            const endPosition = position + symbolNameLength;
            if ((position === 0 || !isIdentifierPart(
              text.charCodeAt(position - 1),
              99
              /* Latest */
            )) && (endPosition === sourceLength || !isIdentifierPart(
              text.charCodeAt(endPosition),
              99
              /* Latest */
            ))) {
              positions.push(position);
            }
            position = text.indexOf(symbolName2, position + symbolNameLength + 1);
          }
          return positions;
        }
        function getLabelReferencesInNode(container, targetLabel) {
          const sourceFile = container.getSourceFile();
          const labelName = targetLabel.text;
          const references = mapDefined(getPossibleSymbolReferenceNodes(sourceFile, labelName, container), (node) => (
            // Only pick labels that are either the target label, or have a target that is the target label
            node === targetLabel || isJumpStatementTarget(node) && getTargetLabel(node, labelName) === targetLabel ? nodeEntry(node) : void 0
          ));
          return [{ definition: { type: 1, node: targetLabel }, references }];
        }
        function isValidReferencePosition(node, searchSymbolName) {
          switch (node.kind) {
            case 81:
              if (isJSDocMemberName(node.parent)) {
                return true;
              }
            case 80:
              return node.text.length === searchSymbolName.length;
            case 15:
            case 11: {
              const str = node;
              return (isLiteralNameOfPropertyDeclarationOrIndexAccess(str) || isNameOfModuleDeclaration(node) || isExpressionOfExternalModuleImportEqualsDeclaration(node) || isCallExpression2(node.parent) && isBindableObjectDefinePropertyCall(node.parent) && node.parent.arguments[1] === node) && str.text.length === searchSymbolName.length;
            }
            case 9:
              return isLiteralNameOfPropertyDeclarationOrIndexAccess(node) && node.text.length === searchSymbolName.length;
            case 90:
              return "default".length === searchSymbolName.length;
            default:
              return false;
          }
        }
        function getAllReferencesForImportMeta(sourceFiles, cancellationToken) {
          const references = flatMap(sourceFiles, (sourceFile) => {
            cancellationToken.throwIfCancellationRequested();
            return mapDefined(getPossibleSymbolReferenceNodes(sourceFile, "meta", sourceFile), (node) => {
              const parent2 = node.parent;
              if (isImportMeta(parent2)) {
                return nodeEntry(parent2);
              }
            });
          });
          return references.length ? [{ definition: { type: 2, node: references[0].node }, references }] : void 0;
        }
        function getAllReferencesForKeyword(sourceFiles, keywordKind, cancellationToken, filter2) {
          const references = flatMap(sourceFiles, (sourceFile) => {
            cancellationToken.throwIfCancellationRequested();
            return mapDefined(getPossibleSymbolReferenceNodes(sourceFile, tokenToString(keywordKind), sourceFile), (referenceLocation) => {
              if (referenceLocation.kind === keywordKind && (!filter2 || filter2(referenceLocation))) {
                return nodeEntry(referenceLocation);
              }
            });
          });
          return references.length ? [{ definition: { type: 2, node: references[0].node }, references }] : void 0;
        }
        function getReferencesInSourceFile(sourceFile, search, state, addReferencesHere = true) {
          state.cancellationToken.throwIfCancellationRequested();
          return getReferencesInContainer(sourceFile, sourceFile, search, state, addReferencesHere);
        }
        function getReferencesInContainer(container, sourceFile, search, state, addReferencesHere) {
          if (!state.markSearchedSymbols(sourceFile, search.allSearchSymbols)) {
            return;
          }
          for (const position of getPossibleSymbolReferencePositions(sourceFile, search.text, container)) {
            getReferencesAtLocation(sourceFile, position, search, state, addReferencesHere);
          }
        }
        function hasMatchingMeaning(referenceLocation, state) {
          return !!(getMeaningFromLocation(referenceLocation) & state.searchMeaning);
        }
        function getReferencesAtLocation(sourceFile, position, search, state, addReferencesHere) {
          const referenceLocation = getTouchingPropertyName(sourceFile, position);
          if (!isValidReferencePosition(referenceLocation, search.text)) {
            if (!state.options.implementations && (state.options.findInStrings && isInString(sourceFile, position) || state.options.findInComments && isInNonReferenceComment(sourceFile, position))) {
              state.addStringOrCommentReference(sourceFile.fileName, createTextSpan(position, search.text.length));
            }
            return;
          }
          if (!hasMatchingMeaning(referenceLocation, state)) return;
          let referenceSymbol = state.checker.getSymbolAtLocation(referenceLocation);
          if (!referenceSymbol) {
            return;
          }
          const parent2 = referenceLocation.parent;
          if (isImportSpecifier(parent2) && parent2.propertyName === referenceLocation) {
            return;
          }
          if (isExportSpecifier(parent2)) {
            Debug.assert(
              referenceLocation.kind === 80
              /* Identifier */
            );
            getReferencesAtExportSpecifier(referenceLocation, referenceSymbol, parent2, search, state, addReferencesHere);
            return;
          }
          if (isJSDocPropertyLikeTag(parent2) && parent2.isNameFirst && parent2.typeExpression && isJSDocTypeLiteral(parent2.typeExpression.type) && parent2.typeExpression.type.jsDocPropertyTags && length(parent2.typeExpression.type.jsDocPropertyTags)) {
            getReferencesAtJSDocTypeLiteral(parent2.typeExpression.type.jsDocPropertyTags, referenceLocation, search, state);
            return;
          }
          const relatedSymbol = getRelatedSymbol(search, referenceSymbol, referenceLocation, state);
          if (!relatedSymbol) {
            getReferenceForShorthandProperty(referenceSymbol, search, state);
            return;
          }
          switch (state.specialSearchKind) {
            case 0:
              if (addReferencesHere) addReference(referenceLocation, relatedSymbol, state);
              break;
            case 1:
              addConstructorReferences(referenceLocation, sourceFile, search, state);
              break;
            case 2:
              addClassStaticThisReferences(referenceLocation, search, state);
              break;
            default:
              Debug.assertNever(state.specialSearchKind);
          }
          if (isInJSFile(referenceLocation) && isBindingElement(referenceLocation.parent) && isVariableDeclarationInitializedToBareOrAccessedRequire(referenceLocation.parent.parent.parent)) {
            referenceSymbol = referenceLocation.parent.symbol;
            if (!referenceSymbol) return;
          }
          getImportOrExportReferences(referenceLocation, referenceSymbol, search, state);
        }
        function getReferencesAtJSDocTypeLiteral(jsDocPropertyTags, referenceLocation, search, state) {
          const addRef = state.referenceAdder(search.symbol);
          addReference(referenceLocation, search.symbol, state);
          forEach(jsDocPropertyTags, (propTag) => {
            if (isQualifiedName(propTag.name)) {
              addRef(propTag.name.left);
            }
          });
        }
        function getReferencesAtExportSpecifier(referenceLocation, referenceSymbol, exportSpecifier, search, state, addReferencesHere, alwaysGetReferences) {
          Debug.assert(!alwaysGetReferences || !!state.options.providePrefixAndSuffixTextForRename, "If alwaysGetReferences is true, then prefix/suffix text must be enabled");
          const { parent: parent2, propertyName, name } = exportSpecifier;
          const exportDeclaration = parent2.parent;
          const localSymbol = getLocalSymbolForExportSpecifier(referenceLocation, referenceSymbol, exportSpecifier, state.checker);
          if (!alwaysGetReferences && !search.includes(localSymbol)) {
            return;
          }
          if (!propertyName) {
            if (!(state.options.use === 2 && name.escapedText === "default")) {
              addRef();
            }
          } else if (referenceLocation === propertyName) {
            if (!exportDeclaration.moduleSpecifier) {
              addRef();
            }
            if (addReferencesHere && state.options.use !== 2 && state.markSeenReExportRHS(name)) {
              addReference(name, Debug.checkDefined(exportSpecifier.symbol), state);
            }
          } else {
            if (state.markSeenReExportRHS(referenceLocation)) {
              addRef();
            }
          }
          if (!isForRenameWithPrefixAndSuffixText(state.options) || alwaysGetReferences) {
            const isDefaultExport = referenceLocation.escapedText === "default" || exportSpecifier.name.escapedText === "default";
            const exportKind = isDefaultExport ? 1 : 0;
            const exportSymbol = Debug.checkDefined(exportSpecifier.symbol);
            const exportInfo = getExportInfo(exportSymbol, exportKind, state.checker);
            if (exportInfo) {
              searchForImportsOfExport(referenceLocation, exportSymbol, exportInfo, state);
            }
          }
          if (search.comingFrom !== 1 && exportDeclaration.moduleSpecifier && !propertyName && !isForRenameWithPrefixAndSuffixText(state.options)) {
            const imported = state.checker.getExportSpecifierLocalTargetSymbol(exportSpecifier);
            if (imported) searchForImportedSymbol(imported, state);
          }
          function addRef() {
            if (addReferencesHere) addReference(referenceLocation, localSymbol, state);
          }
        }
        function getLocalSymbolForExportSpecifier(referenceLocation, referenceSymbol, exportSpecifier, checker) {
          return isExportSpecifierAlias(referenceLocation, exportSpecifier) && checker.getExportSpecifierLocalTargetSymbol(exportSpecifier) || referenceSymbol;
        }
        function isExportSpecifierAlias(referenceLocation, exportSpecifier) {
          const { parent: parent2, propertyName, name } = exportSpecifier;
          Debug.assert(propertyName === referenceLocation || name === referenceLocation);
          if (propertyName) {
            return propertyName === referenceLocation;
          } else {
            return !parent2.parent.moduleSpecifier;
          }
        }
        function getImportOrExportReferences(referenceLocation, referenceSymbol, search, state) {
          const importOrExport = getImportOrExportSymbol(
            referenceLocation,
            referenceSymbol,
            state.checker,
            search.comingFrom === 1
            /* Export */
          );
          if (!importOrExport) return;
          const { symbol } = importOrExport;
          if (importOrExport.kind === 0) {
            if (!isForRenameWithPrefixAndSuffixText(state.options)) {
              searchForImportedSymbol(symbol, state);
            }
          } else {
            searchForImportsOfExport(referenceLocation, symbol, importOrExport.exportInfo, state);
          }
        }
        function getReferenceForShorthandProperty({ flags, valueDeclaration }, search, state) {
          const shorthandValueSymbol = state.checker.getShorthandAssignmentValueSymbol(valueDeclaration);
          const name = valueDeclaration && getNameOfDeclaration(valueDeclaration);
          if (!(flags & 33554432) && name && search.includes(shorthandValueSymbol)) {
            addReference(name, shorthandValueSymbol, state);
          }
        }
        function addReference(referenceLocation, relatedSymbol, state) {
          const { kind, symbol } = "kind" in relatedSymbol ? relatedSymbol : { kind: void 0, symbol: relatedSymbol };
          if (state.options.use === 2 && referenceLocation.kind === 90) {
            return;
          }
          const addRef = state.referenceAdder(symbol);
          if (state.options.implementations) {
            addImplementationReferences(referenceLocation, addRef, state);
          } else {
            addRef(referenceLocation, kind);
          }
        }
        function addConstructorReferences(referenceLocation, sourceFile, search, state) {
          if (isNewExpressionTarget(referenceLocation)) {
            addReference(referenceLocation, search.symbol, state);
          }
          const pusher = () => state.referenceAdder(search.symbol);
          if (isClassLike(referenceLocation.parent)) {
            Debug.assert(referenceLocation.kind === 90 || referenceLocation.parent.name === referenceLocation);
            findOwnConstructorReferences(search.symbol, sourceFile, pusher());
          } else {
            const classExtending = tryGetClassByExtendingIdentifier(referenceLocation);
            if (classExtending) {
              findSuperConstructorAccesses(classExtending, pusher());
              findInheritedConstructorReferences(classExtending, state);
            }
          }
        }
        function addClassStaticThisReferences(referenceLocation, search, state) {
          addReference(referenceLocation, search.symbol, state);
          const classLike = referenceLocation.parent;
          if (state.options.use === 2 || !isClassLike(classLike)) return;
          Debug.assert(classLike.name === referenceLocation);
          const addRef = state.referenceAdder(search.symbol);
          for (const member of classLike.members) {
            if (!(isMethodOrAccessor(member) && isStatic(member))) {
              continue;
            }
            if (member.body) {
              member.body.forEachChild(function cb(node) {
                if (node.kind === 110) {
                  addRef(node);
                } else if (!isFunctionLike(node) && !isClassLike(node)) {
                  node.forEachChild(cb);
                }
              });
            }
          }
        }
        function findOwnConstructorReferences(classSymbol, sourceFile, addNode) {
          const constructorSymbol = getClassConstructorSymbol(classSymbol);
          if (constructorSymbol && constructorSymbol.declarations) {
            for (const decl of constructorSymbol.declarations) {
              const ctrKeyword = findChildOfKind(decl, 137, sourceFile);
              Debug.assert(decl.kind === 176 && !!ctrKeyword);
              addNode(ctrKeyword);
            }
          }
          if (classSymbol.exports) {
            classSymbol.exports.forEach((member) => {
              const decl = member.valueDeclaration;
              if (decl && decl.kind === 174) {
                const body = decl.body;
                if (body) {
                  forEachDescendantOfKind(body, 110, (thisKeyword) => {
                    if (isNewExpressionTarget(thisKeyword)) {
                      addNode(thisKeyword);
                    }
                  });
                }
              }
            });
          }
        }
        function getClassConstructorSymbol(classSymbol) {
          return classSymbol.members && classSymbol.members.get(
            "__constructor"
            /* Constructor */
          );
        }
        function findSuperConstructorAccesses(classDeclaration, addNode) {
          const constructor = getClassConstructorSymbol(classDeclaration.symbol);
          if (!(constructor && constructor.declarations)) {
            return;
          }
          for (const decl of constructor.declarations) {
            Debug.assert(
              decl.kind === 176
              /* Constructor */
            );
            const body = decl.body;
            if (body) {
              forEachDescendantOfKind(body, 108, (node) => {
                if (isCallExpressionTarget(node)) {
                  addNode(node);
                }
              });
            }
          }
        }
        function hasOwnConstructor(classDeclaration) {
          return !!getClassConstructorSymbol(classDeclaration.symbol);
        }
        function findInheritedConstructorReferences(classDeclaration, state) {
          if (hasOwnConstructor(classDeclaration)) return;
          const classSymbol = classDeclaration.symbol;
          const search = state.createSearch(
            /*location*/
            void 0,
            classSymbol,
            /*comingFrom*/
            void 0
          );
          getReferencesInContainerOrFiles(classSymbol, state, search);
        }
        function addImplementationReferences(refNode, addReference2, state) {
          if (isDeclarationName(refNode) && isImplementation(refNode.parent)) {
            addReference2(refNode);
            return;
          }
          if (refNode.kind !== 80) {
            return;
          }
          if (refNode.parent.kind === 304) {
            getReferenceEntriesForShorthandPropertyAssignment(refNode, state.checker, addReference2);
          }
          const containingNode = getContainingNodeIfInHeritageClause(refNode);
          if (containingNode) {
            addReference2(containingNode);
            return;
          }
          const typeNode = findAncestor(refNode, (a) => !isQualifiedName(a.parent) && !isTypeNode(a.parent) && !isTypeElement(a.parent));
          const typeHavingNode = typeNode.parent;
          if (hasType(typeHavingNode) && typeHavingNode.type === typeNode && state.markSeenContainingTypeReference(typeHavingNode)) {
            if (hasInitializer(typeHavingNode)) {
              addIfImplementation(typeHavingNode.initializer);
            } else if (isFunctionLike(typeHavingNode) && typeHavingNode.body) {
              const body = typeHavingNode.body;
              if (body.kind === 241) {
                forEachReturnStatement(body, (returnStatement) => {
                  if (returnStatement.expression) addIfImplementation(returnStatement.expression);
                });
              } else {
                addIfImplementation(body);
              }
            } else if (isAssertionExpression(typeHavingNode)) {
              addIfImplementation(typeHavingNode.expression);
            }
          }
          function addIfImplementation(e) {
            if (isImplementationExpression(e)) addReference2(e);
          }
        }
        function getContainingNodeIfInHeritageClause(node) {
          return isIdentifier(node) || isPropertyAccessExpression(node) ? getContainingNodeIfInHeritageClause(node.parent) : isExpressionWithTypeArguments(node) ? tryCast(node.parent.parent, or(isClassLike, isInterfaceDeclaration)) : void 0;
        }
        function isImplementationExpression(node) {
          switch (node.kind) {
            case 217:
              return isImplementationExpression(node.expression);
            case 219:
            case 218:
            case 210:
            case 231:
            case 209:
              return true;
            default:
              return false;
          }
        }
        function explicitlyInheritsFrom(symbol, parent2, cachedResults, checker) {
          if (symbol === parent2) {
            return true;
          }
          const key = getSymbolId(symbol) + "," + getSymbolId(parent2);
          const cached = cachedResults.get(key);
          if (cached !== void 0) {
            return cached;
          }
          cachedResults.set(key, false);
          const inherits = !!symbol.declarations && symbol.declarations.some(
            (declaration) => getAllSuperTypeNodes(declaration).some((typeReference) => {
              const type = checker.getTypeAtLocation(typeReference);
              return !!type && !!type.symbol && explicitlyInheritsFrom(type.symbol, parent2, cachedResults, checker);
            })
          );
          cachedResults.set(key, inherits);
          return inherits;
        }
        function getReferencesForSuperKeyword(superKeyword) {
          let searchSpaceNode = getSuperContainer(
            superKeyword,
            /*stopOnFunctions*/
            false
          );
          if (!searchSpaceNode) {
            return void 0;
          }
          let staticFlag = 256;
          switch (searchSpaceNode.kind) {
            case 172:
            case 171:
            case 174:
            case 173:
            case 176:
            case 177:
            case 178:
              staticFlag &= getSyntacticModifierFlags(searchSpaceNode);
              searchSpaceNode = searchSpaceNode.parent;
              break;
            default:
              return void 0;
          }
          const sourceFile = searchSpaceNode.getSourceFile();
          const references = mapDefined(getPossibleSymbolReferenceNodes(sourceFile, "super", searchSpaceNode), (node) => {
            if (node.kind !== 108) {
              return;
            }
            const container = getSuperContainer(
              node,
              /*stopOnFunctions*/
              false
            );
            return container && isStatic(container) === !!staticFlag && container.parent.symbol === searchSpaceNode.symbol ? nodeEntry(node) : void 0;
          });
          return [{ definition: { type: 0, symbol: searchSpaceNode.symbol }, references }];
        }
        function isParameterName(node) {
          return node.kind === 80 && node.parent.kind === 169 && node.parent.name === node;
        }
        function getReferencesForThisKeyword(thisOrSuperKeyword, sourceFiles, cancellationToken) {
          let searchSpaceNode = getThisContainer(
            thisOrSuperKeyword,
            /*includeArrowFunctions*/
            false,
            /*includeClassComputedPropertyName*/
            false
          );
          let staticFlag = 256;
          switch (searchSpaceNode.kind) {
            case 174:
            case 173:
              if (isObjectLiteralMethod(searchSpaceNode)) {
                staticFlag &= getSyntacticModifierFlags(searchSpaceNode);
                searchSpaceNode = searchSpaceNode.parent;
                break;
              }
            case 172:
            case 171:
            case 176:
            case 177:
            case 178:
              staticFlag &= getSyntacticModifierFlags(searchSpaceNode);
              searchSpaceNode = searchSpaceNode.parent;
              break;
            case 307:
              if (isExternalModule(searchSpaceNode) || isParameterName(thisOrSuperKeyword)) {
                return void 0;
              }
            case 262:
            case 218:
              break;
            default:
              return void 0;
          }
          const references = flatMap(searchSpaceNode.kind === 307 ? sourceFiles : [searchSpaceNode.getSourceFile()], (sourceFile) => {
            cancellationToken.throwIfCancellationRequested();
            return getPossibleSymbolReferenceNodes(sourceFile, "this", isSourceFile(searchSpaceNode) ? sourceFile : searchSpaceNode).filter((node) => {
              if (!isThis(node)) {
                return false;
              }
              const container = getThisContainer(
                node,
                /*includeArrowFunctions*/
                false,
                /*includeClassComputedPropertyName*/
                false
              );
              if (!canHaveSymbol(container)) return false;
              switch (searchSpaceNode.kind) {
                case 218:
                case 262:
                  return searchSpaceNode.symbol === container.symbol;
                case 174:
                case 173:
                  return isObjectLiteralMethod(searchSpaceNode) && searchSpaceNode.symbol === container.symbol;
                case 231:
                case 263:
                case 210:
                  return container.parent && canHaveSymbol(container.parent) && searchSpaceNode.symbol === container.parent.symbol && isStatic(container) === !!staticFlag;
                case 307:
                  return container.kind === 307 && !isExternalModule(container) && !isParameterName(node);
              }
            });
          }).map((n) => nodeEntry(n));
          const thisParameter = firstDefined(references, (r) => isParameter(r.node.parent) ? r.node : void 0);
          return [{
            definition: { type: 3, node: thisParameter || thisOrSuperKeyword },
            references
          }];
        }
        function getReferencesForStringLiteral(node, sourceFiles, checker, cancellationToken) {
          const type = getContextualTypeFromParentOrAncestorTypeNode(node, checker);
          const references = flatMap(sourceFiles, (sourceFile) => {
            cancellationToken.throwIfCancellationRequested();
            return mapDefined(getPossibleSymbolReferenceNodes(sourceFile, node.text), (ref) => {
              if (isStringLiteralLike(ref) && ref.text === node.text) {
                if (type) {
                  const refType = getContextualTypeFromParentOrAncestorTypeNode(ref, checker);
                  if (type !== checker.getStringType() && (type === refType || isStringLiteralPropertyReference(ref, checker))) {
                    return nodeEntry(
                      ref,
                      2
                      /* StringLiteral */
                    );
                  }
                } else {
                  return isNoSubstitutionTemplateLiteral(ref) && !rangeIsOnSingleLine(ref, sourceFile) ? void 0 : nodeEntry(
                    ref,
                    2
                    /* StringLiteral */
                  );
                }
              }
            });
          });
          return [{
            definition: { type: 4, node },
            references
          }];
        }
        function isStringLiteralPropertyReference(node, checker) {
          if (isPropertySignature(node.parent)) {
            return checker.getPropertyOfType(checker.getTypeAtLocation(node.parent.parent), node.text);
          }
        }
        function populateSearchSymbolSet(symbol, location, checker, isForRename, providePrefixAndSuffixText, implementations) {
          const result = [];
          forEachRelatedSymbol(
            symbol,
            location,
            checker,
            isForRename,
            !(isForRename && providePrefixAndSuffixText),
            (sym, root2, base) => {
              if (base) {
                if (isStaticSymbol(symbol) !== isStaticSymbol(base)) {
                  base = void 0;
                }
              }
              result.push(base || root2 || sym);
            },
            // when try to find implementation, implementations is true, and not allowed to find base class
            /*allowBaseTypes*/
            () => !implementations
          );
          return result;
        }
        function forEachRelatedSymbol(symbol, location, checker, isForRenamePopulateSearchSymbolSet, onlyIncludeBindingElementAtReferenceLocation, cbSymbol, allowBaseTypes) {
          const containingObjectLiteralElement = getContainingObjectLiteralElement(location);
          if (containingObjectLiteralElement) {
            const shorthandValueSymbol = checker.getShorthandAssignmentValueSymbol(location.parent);
            if (shorthandValueSymbol && isForRenamePopulateSearchSymbolSet) {
              return cbSymbol(
                shorthandValueSymbol,
                /*rootSymbol*/
                void 0,
                /*baseSymbol*/
                void 0,
                3
                /* SearchedLocalFoundProperty */
              );
            }
            const contextualType = checker.getContextualType(containingObjectLiteralElement.parent);
            const res2 = contextualType && firstDefined(
              getPropertySymbolsFromContextualType(
                containingObjectLiteralElement,
                checker,
                contextualType,
                /*unionSymbolOk*/
                true
              ),
              (sym) => fromRoot(
                sym,
                4
                /* SearchedPropertyFoundLocal */
              )
            );
            if (res2) return res2;
            const propertySymbol = getPropertySymbolOfDestructuringAssignment(location, checker);
            const res1 = propertySymbol && cbSymbol(
              propertySymbol,
              /*rootSymbol*/
              void 0,
              /*baseSymbol*/
              void 0,
              4
              /* SearchedPropertyFoundLocal */
            );
            if (res1) return res1;
            const res22 = shorthandValueSymbol && cbSymbol(
              shorthandValueSymbol,
              /*rootSymbol*/
              void 0,
              /*baseSymbol*/
              void 0,
              3
              /* SearchedLocalFoundProperty */
            );
            if (res22) return res22;
          }
          const aliasedSymbol = getMergedAliasedSymbolOfNamespaceExportDeclaration(location, symbol, checker);
          if (aliasedSymbol) {
            const res2 = cbSymbol(
              aliasedSymbol,
              /*rootSymbol*/
              void 0,
              /*baseSymbol*/
              void 0,
              1
              /* Node */
            );
            if (res2) return res2;
          }
          const res = fromRoot(symbol);
          if (res) return res;
          if (symbol.valueDeclaration && isParameterPropertyDeclaration(symbol.valueDeclaration, symbol.valueDeclaration.parent)) {
            const paramProps = checker.getSymbolsOfParameterPropertyDeclaration(cast(symbol.valueDeclaration, isParameter), symbol.name);
            Debug.assert(paramProps.length === 2 && !!(paramProps[0].flags & 1) && !!(paramProps[1].flags & 4));
            return fromRoot(symbol.flags & 1 ? paramProps[1] : paramProps[0]);
          }
          const exportSpecifier = getDeclarationOfKind(
            symbol,
            281
            /* ExportSpecifier */
          );
          if (!isForRenamePopulateSearchSymbolSet || exportSpecifier && !exportSpecifier.propertyName) {
            const localSymbol = exportSpecifier && checker.getExportSpecifierLocalTargetSymbol(exportSpecifier);
            if (localSymbol) {
              const res2 = cbSymbol(
                localSymbol,
                /*rootSymbol*/
                void 0,
                /*baseSymbol*/
                void 0,
                1
                /* Node */
              );
              if (res2) return res2;
            }
          }
          if (!isForRenamePopulateSearchSymbolSet) {
            let bindingElementPropertySymbol;
            if (onlyIncludeBindingElementAtReferenceLocation) {
              bindingElementPropertySymbol = isObjectBindingElementWithoutPropertyName(location.parent) ? getPropertySymbolFromBindingElement(checker, location.parent) : void 0;
            } else {
              bindingElementPropertySymbol = getPropertySymbolOfObjectBindingPatternWithoutPropertyName(symbol, checker);
            }
            return bindingElementPropertySymbol && fromRoot(
              bindingElementPropertySymbol,
              4
              /* SearchedPropertyFoundLocal */
            );
          }
          Debug.assert(isForRenamePopulateSearchSymbolSet);
          const includeOriginalSymbolOfBindingElement = onlyIncludeBindingElementAtReferenceLocation;
          if (includeOriginalSymbolOfBindingElement) {
            const bindingElementPropertySymbol = getPropertySymbolOfObjectBindingPatternWithoutPropertyName(symbol, checker);
            return bindingElementPropertySymbol && fromRoot(
              bindingElementPropertySymbol,
              4
              /* SearchedPropertyFoundLocal */
            );
          }
          function fromRoot(sym, kind) {
            return firstDefined(checker.getRootSymbols(sym), (rootSymbol) => cbSymbol(
              sym,
              rootSymbol,
              /*baseSymbol*/
              void 0,
              kind
            ) || (rootSymbol.parent && rootSymbol.parent.flags & (32 | 64) && allowBaseTypes(rootSymbol) ? getPropertySymbolsFromBaseTypes(rootSymbol.parent, rootSymbol.name, checker, (base) => cbSymbol(sym, rootSymbol, base, kind)) : void 0));
          }
          function getPropertySymbolOfObjectBindingPatternWithoutPropertyName(symbol2, checker2) {
            const bindingElement = getDeclarationOfKind(
              symbol2,
              208
              /* BindingElement */
            );
            if (bindingElement && isObjectBindingElementWithoutPropertyName(bindingElement)) {
              return getPropertySymbolFromBindingElement(checker2, bindingElement);
            }
          }
        }
        function getPropertySymbolsFromBaseTypes(symbol, propertyName, checker, cb) {
          const seen = /* @__PURE__ */ new Map();
          return recur(symbol);
          function recur(symbol2) {
            if (!(symbol2.flags & (32 | 64)) || !addToSeen(seen, getSymbolId(symbol2))) return;
            return firstDefined(symbol2.declarations, (declaration) => firstDefined(getAllSuperTypeNodes(declaration), (typeReference) => {
              const type = checker.getTypeAtLocation(typeReference);
              const propertySymbol = type && type.symbol && checker.getPropertyOfType(type, propertyName);
              return type && propertySymbol && (firstDefined(checker.getRootSymbols(propertySymbol), cb) || recur(type.symbol));
            }));
          }
        }
        function isStaticSymbol(symbol) {
          if (!symbol.valueDeclaration) return false;
          const modifierFlags = getEffectiveModifierFlags(symbol.valueDeclaration);
          return !!(modifierFlags & 256);
        }
        function getRelatedSymbol(search, referenceSymbol, referenceLocation, state) {
          const { checker } = state;
          return forEachRelatedSymbol(
            referenceSymbol,
            referenceLocation,
            checker,
            /*isForRenamePopulateSearchSymbolSet*/
            false,
            /*onlyIncludeBindingElementAtReferenceLocation*/
            state.options.use !== 2 || !!state.options.providePrefixAndSuffixTextForRename,
            (sym, rootSymbol, baseSymbol, kind) => {
              if (baseSymbol) {
                if (isStaticSymbol(referenceSymbol) !== isStaticSymbol(baseSymbol)) {
                  baseSymbol = void 0;
                }
              }
              return search.includes(baseSymbol || rootSymbol || sym) ? { symbol: rootSymbol && !(getCheckFlags(sym) & 6) ? rootSymbol : sym, kind } : void 0;
            },
            /*allowBaseTypes*/
            (rootSymbol) => !(search.parents && !search.parents.some((parent2) => explicitlyInheritsFrom(rootSymbol.parent, parent2, state.inheritsFromCache, checker)))
          );
        }
        function getIntersectingMeaningFromDeclarations(node, symbol) {
          let meaning = getMeaningFromLocation(node);
          const { declarations } = symbol;
          if (declarations) {
            let lastIterationMeaning;
            do {
              lastIterationMeaning = meaning;
              for (const declaration of declarations) {
                const declarationMeaning = getMeaningFromDeclaration(declaration);
                if (declarationMeaning & meaning) {
                  meaning |= declarationMeaning;
                }
              }
            } while (meaning !== lastIterationMeaning);
          }
          return meaning;
        }
        Core2.getIntersectingMeaningFromDeclarations = getIntersectingMeaningFromDeclarations;
        function isImplementation(node) {
          return !!(node.flags & 33554432) ? !(isInterfaceDeclaration(node) || isTypeAliasDeclaration(node)) : isVariableLike(node) ? hasInitializer(node) : isFunctionLikeDeclaration(node) ? !!node.body : isClassLike(node) || isModuleOrEnumDeclaration(node);
        }
        function getReferenceEntriesForShorthandPropertyAssignment(node, checker, addReference2) {
          const refSymbol = checker.getSymbolAtLocation(node);
          const shorthandSymbol = checker.getShorthandAssignmentValueSymbol(refSymbol.valueDeclaration);
          if (shorthandSymbol) {
            for (const declaration of shorthandSymbol.getDeclarations()) {
              if (getMeaningFromDeclaration(declaration) & 1) {
                addReference2(declaration);
              }
            }
          }
        }
        Core2.getReferenceEntriesForShorthandPropertyAssignment = getReferenceEntriesForShorthandPropertyAssignment;
        function forEachDescendantOfKind(node, kind, action) {
          forEachChild(node, (child) => {
            if (child.kind === kind) {
              action(child);
            }
            forEachDescendantOfKind(child, kind, action);
          });
        }
        function tryGetClassByExtendingIdentifier(node) {
          return tryGetClassExtendingExpressionWithTypeArguments(climbPastPropertyAccess(node).parent);
        }
        function getParentSymbolsOfPropertyAccess(location, symbol, checker) {
          const propertyAccessExpression = isRightSideOfPropertyAccess(location) ? location.parent : void 0;
          const lhsType = propertyAccessExpression && checker.getTypeAtLocation(propertyAccessExpression.expression);
          const res = mapDefined(lhsType && (lhsType.isUnionOrIntersection() ? lhsType.types : lhsType.symbol === symbol.parent ? void 0 : [lhsType]), (t) => t.symbol && t.symbol.flags & (32 | 64) ? t.symbol : void 0);
          return res.length === 0 ? void 0 : res;
        }
        function isForRenameWithPrefixAndSuffixText(options) {
          return options.use === 2 && options.providePrefixAndSuffixTextForRename;
        }
      })(Core || (Core = {}));
      var ts_GoToDefinition_exports = {};
      __export2(ts_GoToDefinition_exports, {
        createDefinitionInfo: () => createDefinitionInfo,
        findReferenceInPosition: () => findReferenceInPosition,
        getDefinitionAndBoundSpan: () => getDefinitionAndBoundSpan,
        getDefinitionAtPosition: () => getDefinitionAtPosition,
        getReferenceAtPosition: () => getReferenceAtPosition,
        getTypeDefinitionAtPosition: () => getTypeDefinitionAtPosition
      });
      function getDefinitionAtPosition(program, sourceFile, position, searchOtherFilesOnly, stopAtAlias) {
        var _a;
        const resolvedRef = getReferenceAtPosition(sourceFile, position, program);
        const fileReferenceDefinition = resolvedRef && [getDefinitionInfoForFileReference(resolvedRef.reference.fileName, resolvedRef.fileName, resolvedRef.unverified)] || emptyArray;
        if (resolvedRef == null ? void 0 : resolvedRef.file) {
          return fileReferenceDefinition;
        }
        const node = getTouchingPropertyName(sourceFile, position);
        if (node === sourceFile) {
          return void 0;
        }
        const { parent: parent2 } = node;
        const typeChecker = program.getTypeChecker();
        if (node.kind === 164 || isIdentifier(node) && isJSDocOverrideTag(parent2) && parent2.tagName === node) {
          return getDefinitionFromOverriddenMember(typeChecker, node) || emptyArray;
        }
        if (isJumpStatementTarget(node)) {
          const label = getTargetLabel(node.parent, node.text);
          return label ? [createDefinitionInfoFromName(
            typeChecker,
            label,
            "label",
            node.text,
            /*containerName*/
            void 0
          )] : void 0;
        }
        switch (node.kind) {
          case 107:
            const functionDeclaration = findAncestor(node.parent, (n) => isClassStaticBlockDeclaration(n) ? "quit" : isFunctionLikeDeclaration(n));
            return functionDeclaration ? [createDefinitionFromSignatureDeclaration(typeChecker, functionDeclaration)] : void 0;
          case 90:
            if (!isDefaultClause(node.parent)) {
              break;
            }
          case 84:
            const switchStatement = findAncestor(node.parent, isSwitchStatement);
            if (switchStatement) {
              return [createDefinitionInfoFromSwitch(switchStatement, sourceFile)];
            }
            break;
        }
        if (node.kind === 135) {
          const functionDeclaration = findAncestor(node, (n) => isFunctionLikeDeclaration(n));
          const isAsyncFunction2 = functionDeclaration && some(
            functionDeclaration.modifiers,
            (node2) => node2.kind === 134
            /* AsyncKeyword */
          );
          return isAsyncFunction2 ? [createDefinitionFromSignatureDeclaration(typeChecker, functionDeclaration)] : void 0;
        }
        if (node.kind === 127) {
          const functionDeclaration = findAncestor(node, (n) => isFunctionLikeDeclaration(n));
          const isGeneratorFunction = functionDeclaration && functionDeclaration.asteriskToken;
          return isGeneratorFunction ? [createDefinitionFromSignatureDeclaration(typeChecker, functionDeclaration)] : void 0;
        }
        if (isStaticModifier(node) && isClassStaticBlockDeclaration(node.parent)) {
          const classDecl = node.parent.parent;
          const { symbol: symbol2, failedAliasResolution: failedAliasResolution2 } = getSymbol(classDecl, typeChecker, stopAtAlias);
          const staticBlocks = filter(classDecl.members, isClassStaticBlockDeclaration);
          const containerName = symbol2 ? typeChecker.symbolToString(symbol2, classDecl) : "";
          const sourceFile2 = node.getSourceFile();
          return map(staticBlocks, (staticBlock) => {
            let { pos } = moveRangePastModifiers(staticBlock);
            pos = skipTrivia(sourceFile2.text, pos);
            return createDefinitionInfoFromName(
              typeChecker,
              staticBlock,
              "constructor",
              "static {}",
              containerName,
              /*unverified*/
              false,
              failedAliasResolution2,
              { start: pos, length: "static".length }
            );
          });
        }
        let { symbol, failedAliasResolution } = getSymbol(node, typeChecker, stopAtAlias);
        let fallbackNode = node;
        if (searchOtherFilesOnly && failedAliasResolution) {
          const importDeclaration = forEach([node, ...(symbol == null ? void 0 : symbol.declarations) || emptyArray], (n) => findAncestor(n, isAnyImportOrBareOrAccessedRequire));
          const moduleSpecifier = importDeclaration && tryGetModuleSpecifierFromDeclaration(importDeclaration);
          if (moduleSpecifier) {
            ({ symbol, failedAliasResolution } = getSymbol(moduleSpecifier, typeChecker, stopAtAlias));
            fallbackNode = moduleSpecifier;
          }
        }
        if (!symbol && isModuleSpecifierLike(fallbackNode)) {
          const ref = (_a = program.getResolvedModuleFromModuleSpecifier(fallbackNode, sourceFile)) == null ? void 0 : _a.resolvedModule;
          if (ref) {
            return [{
              name: fallbackNode.text,
              fileName: ref.resolvedFileName,
              containerName: void 0,
              containerKind: void 0,
              kind: "script",
              textSpan: createTextSpan(0, 0),
              failedAliasResolution,
              isAmbient: isDeclarationFileName(ref.resolvedFileName),
              unverified: fallbackNode !== node
            }];
          }
        }
        if (!symbol) {
          return concatenate(fileReferenceDefinition, getDefinitionInfoForIndexSignatures(node, typeChecker));
        }
        if (searchOtherFilesOnly && every(symbol.declarations, (d) => d.getSourceFile().fileName === sourceFile.fileName)) return void 0;
        const calledDeclaration = tryGetSignatureDeclaration(typeChecker, node);
        if (calledDeclaration && !(isJsxOpeningLikeElement(node.parent) && isJsxConstructorLike(calledDeclaration))) {
          const sigInfo = createDefinitionFromSignatureDeclaration(typeChecker, calledDeclaration, failedAliasResolution);
          if (typeChecker.getRootSymbols(symbol).some((s) => symbolMatchesSignature(s, calledDeclaration))) {
            return [sigInfo];
          } else {
            const defs = getDefinitionFromSymbol(typeChecker, symbol, node, failedAliasResolution, calledDeclaration) || emptyArray;
            return node.kind === 108 ? [sigInfo, ...defs] : [...defs, sigInfo];
          }
        }
        if (node.parent.kind === 304) {
          const shorthandSymbol = typeChecker.getShorthandAssignmentValueSymbol(symbol.valueDeclaration);
          const definitions = (shorthandSymbol == null ? void 0 : shorthandSymbol.declarations) ? shorthandSymbol.declarations.map((decl) => createDefinitionInfo(
            decl,
            typeChecker,
            shorthandSymbol,
            node,
            /*unverified*/
            false,
            failedAliasResolution
          )) : emptyArray;
          return concatenate(definitions, getDefinitionFromObjectLiteralElement(typeChecker, node));
        }
        if (isPropertyName(node) && isBindingElement(parent2) && isObjectBindingPattern(parent2.parent) && node === (parent2.propertyName || parent2.name)) {
          const name = getNameFromPropertyName(node);
          const type = typeChecker.getTypeAtLocation(parent2.parent);
          return name === void 0 ? emptyArray : flatMap(type.isUnion() ? type.types : [type], (t) => {
            const prop = t.getProperty(name);
            return prop && getDefinitionFromSymbol(typeChecker, prop, node);
          });
        }
        const objectLiteralElementDefinition = getDefinitionFromObjectLiteralElement(typeChecker, node);
        return concatenate(fileReferenceDefinition, objectLiteralElementDefinition.length ? objectLiteralElementDefinition : getDefinitionFromSymbol(typeChecker, symbol, node, failedAliasResolution));
      }
      function symbolMatchesSignature(s, calledDeclaration) {
        var _a;
        return s === calledDeclaration.symbol || s === calledDeclaration.symbol.parent || isAssignmentExpression2(calledDeclaration.parent) || !isCallLikeExpression(calledDeclaration.parent) && s === ((_a = tryCast(calledDeclaration.parent, canHaveSymbol)) == null ? void 0 : _a.symbol);
      }
      function getDefinitionFromObjectLiteralElement(typeChecker, node) {
        const element = getContainingObjectLiteralElement(node);
        if (element) {
          const contextualType = element && typeChecker.getContextualType(element.parent);
          if (contextualType) {
            return flatMap(getPropertySymbolsFromContextualType(
              element,
              typeChecker,
              contextualType,
              /*unionSymbolOk*/
              false
            ), (propertySymbol) => getDefinitionFromSymbol(typeChecker, propertySymbol, node));
          }
        }
        return emptyArray;
      }
      function getDefinitionFromOverriddenMember(typeChecker, node) {
        const classElement = findAncestor(node, isClassElement);
        if (!(classElement && classElement.name)) return;
        const baseDeclaration = findAncestor(classElement, isClassLike);
        if (!baseDeclaration) return;
        const baseTypeNode = getEffectiveBaseTypeNode(baseDeclaration);
        if (!baseTypeNode) return;
        const expression = skipParentheses(baseTypeNode.expression);
        const base = isClassExpression(expression) ? expression.symbol : typeChecker.getSymbolAtLocation(expression);
        if (!base) return;
        const name = unescapeLeadingUnderscores(getTextOfPropertyName(classElement.name));
        const symbol = hasStaticModifier(classElement) ? typeChecker.getPropertyOfType(typeChecker.getTypeOfSymbol(base), name) : typeChecker.getPropertyOfType(typeChecker.getDeclaredTypeOfSymbol(base), name);
        if (!symbol) return;
        return getDefinitionFromSymbol(typeChecker, symbol, node);
      }
      function getReferenceAtPosition(sourceFile, position, program) {
        var _a, _b;
        const referencePath = findReferenceInPosition(sourceFile.referencedFiles, position);
        if (referencePath) {
          const file = program.getSourceFileFromReference(sourceFile, referencePath);
          return file && { reference: referencePath, fileName: file.fileName, file, unverified: false };
        }
        const typeReferenceDirective = findReferenceInPosition(sourceFile.typeReferenceDirectives, position);
        if (typeReferenceDirective) {
          const reference = (_a = program.getResolvedTypeReferenceDirectiveFromTypeReferenceDirective(typeReferenceDirective, sourceFile)) == null ? void 0 : _a.resolvedTypeReferenceDirective;
          const file = reference && program.getSourceFile(reference.resolvedFileName);
          return file && { reference: typeReferenceDirective, fileName: file.fileName, file, unverified: false };
        }
        const libReferenceDirective = findReferenceInPosition(sourceFile.libReferenceDirectives, position);
        if (libReferenceDirective) {
          const file = program.getLibFileFromReference(libReferenceDirective);
          return file && { reference: libReferenceDirective, fileName: file.fileName, file, unverified: false };
        }
        if (sourceFile.imports.length || sourceFile.moduleAugmentations.length) {
          const node = getTouchingToken(sourceFile, position);
          let resolution;
          if (isModuleSpecifierLike(node) && isExternalModuleNameRelative(node.text) && (resolution = program.getResolvedModuleFromModuleSpecifier(node, sourceFile))) {
            const verifiedFileName = (_b = resolution.resolvedModule) == null ? void 0 : _b.resolvedFileName;
            const fileName = verifiedFileName || resolvePath(getDirectoryPath(sourceFile.fileName), node.text);
            return {
              file: program.getSourceFile(fileName),
              fileName,
              reference: {
                pos: node.getStart(),
                end: node.getEnd(),
                fileName: node.text
              },
              unverified: !verifiedFileName
            };
          }
        }
        return void 0;
      }
      var typesWithUnwrappedTypeArguments = /* @__PURE__ */ new Set([
        "Array",
        "ArrayLike",
        "ReadonlyArray",
        "Promise",
        "PromiseLike",
        "Iterable",
        "IterableIterator",
        "AsyncIterable",
        "Set",
        "WeakSet",
        "ReadonlySet",
        "Map",
        "WeakMap",
        "ReadonlyMap",
        "Partial",
        "Required",
        "Readonly",
        "Pick",
        "Omit"
      ]);
      function shouldUnwrapFirstTypeArgumentTypeDefinitionFromTypeReference(typeChecker, type) {
        const referenceName = type.symbol.name;
        if (!typesWithUnwrappedTypeArguments.has(referenceName)) {
          return false;
        }
        const globalType = typeChecker.resolveName(
          referenceName,
          /*location*/
          void 0,
          788968,
          /*excludeGlobals*/
          false
        );
        return !!globalType && globalType === type.target.symbol;
      }
      function shouldUnwrapFirstTypeArgumentTypeDefinitionFromAlias(typeChecker, type) {
        if (!type.aliasSymbol) {
          return false;
        }
        const referenceName = type.aliasSymbol.name;
        if (!typesWithUnwrappedTypeArguments.has(referenceName)) {
          return false;
        }
        const globalType = typeChecker.resolveName(
          referenceName,
          /*location*/
          void 0,
          788968,
          /*excludeGlobals*/
          false
        );
        return !!globalType && globalType === type.aliasSymbol;
      }
      function getFirstTypeArgumentDefinitions(typeChecker, type, node, failedAliasResolution) {
        var _a, _b;
        if (!!(getObjectFlags(type) & 4) && shouldUnwrapFirstTypeArgumentTypeDefinitionFromTypeReference(typeChecker, type)) {
          return definitionFromType(typeChecker.getTypeArguments(type)[0], typeChecker, node, failedAliasResolution);
        }
        if (shouldUnwrapFirstTypeArgumentTypeDefinitionFromAlias(typeChecker, type) && type.aliasTypeArguments) {
          return definitionFromType(type.aliasTypeArguments[0], typeChecker, node, failedAliasResolution);
        }
        if (getObjectFlags(type) & 32 && type.target && shouldUnwrapFirstTypeArgumentTypeDefinitionFromAlias(typeChecker, type.target)) {
          const declaration = (_b = (_a = type.aliasSymbol) == null ? void 0 : _a.declarations) == null ? void 0 : _b[0];
          if (declaration && isTypeAliasDeclaration(declaration) && isTypeReferenceNode(declaration.type) && declaration.type.typeArguments) {
            return definitionFromType(typeChecker.getTypeAtLocation(declaration.type.typeArguments[0]), typeChecker, node, failedAliasResolution);
          }
        }
        return [];
      }
      function getTypeDefinitionAtPosition(typeChecker, sourceFile, position) {
        const node = getTouchingPropertyName(sourceFile, position);
        if (node === sourceFile) {
          return void 0;
        }
        if (isImportMeta(node.parent) && node.parent.name === node) {
          return definitionFromType(
            typeChecker.getTypeAtLocation(node.parent),
            typeChecker,
            node.parent,
            /*failedAliasResolution*/
            false
          );
        }
        const { symbol, failedAliasResolution } = getSymbol(
          node,
          typeChecker,
          /*stopAtAlias*/
          false
        );
        if (!symbol) return void 0;
        const typeAtLocation = typeChecker.getTypeOfSymbolAtLocation(symbol, node);
        const returnType = tryGetReturnTypeOfFunction(symbol, typeAtLocation, typeChecker);
        const fromReturnType = returnType && definitionFromType(returnType, typeChecker, node, failedAliasResolution);
        const [resolvedType, typeDefinitions] = fromReturnType && fromReturnType.length !== 0 ? [returnType, fromReturnType] : [typeAtLocation, definitionFromType(typeAtLocation, typeChecker, node, failedAliasResolution)];
        return typeDefinitions.length ? [...getFirstTypeArgumentDefinitions(typeChecker, resolvedType, node, failedAliasResolution), ...typeDefinitions] : !(symbol.flags & 111551) && symbol.flags & 788968 ? getDefinitionFromSymbol(typeChecker, skipAlias(symbol, typeChecker), node, failedAliasResolution) : void 0;
      }
      function definitionFromType(type, checker, node, failedAliasResolution) {
        return flatMap(type.isUnion() && !(type.flags & 32) ? type.types : [type], (t) => t.symbol && getDefinitionFromSymbol(checker, t.symbol, node, failedAliasResolution));
      }
      function tryGetReturnTypeOfFunction(symbol, type, checker) {
        if (type.symbol === symbol || // At `const f = () => {}`, the symbol is `f` and the type symbol is at `() => {}`
        symbol.valueDeclaration && type.symbol && isVariableDeclaration(symbol.valueDeclaration) && symbol.valueDeclaration.initializer === type.symbol.valueDeclaration) {
          const sigs = type.getCallSignatures();
          if (sigs.length === 1) return checker.getReturnTypeOfSignature(first(sigs));
        }
        return void 0;
      }
      function getDefinitionAndBoundSpan(program, sourceFile, position) {
        const definitions = getDefinitionAtPosition(program, sourceFile, position);
        if (!definitions || definitions.length === 0) {
          return void 0;
        }
        const comment = findReferenceInPosition(sourceFile.referencedFiles, position) || findReferenceInPosition(sourceFile.typeReferenceDirectives, position) || findReferenceInPosition(sourceFile.libReferenceDirectives, position);
        if (comment) {
          return { definitions, textSpan: createTextSpanFromRange(comment) };
        }
        const node = getTouchingPropertyName(sourceFile, position);
        const textSpan = createTextSpan(node.getStart(), node.getWidth());
        return { definitions, textSpan };
      }
      function getDefinitionInfoForIndexSignatures(node, checker) {
        return mapDefined(checker.getIndexInfosAtLocation(node), (info) => info.declaration && createDefinitionFromSignatureDeclaration(checker, info.declaration));
      }
      function getSymbol(node, checker, stopAtAlias) {
        const symbol = checker.getSymbolAtLocation(node);
        let failedAliasResolution = false;
        if ((symbol == null ? void 0 : symbol.declarations) && symbol.flags & 2097152 && !stopAtAlias && shouldSkipAlias(node, symbol.declarations[0])) {
          const aliased = checker.getAliasedSymbol(symbol);
          if (aliased.declarations) {
            return { symbol: aliased };
          } else {
            failedAliasResolution = true;
          }
        }
        return { symbol, failedAliasResolution };
      }
      function shouldSkipAlias(node, declaration) {
        if (node.kind !== 80) {
          return false;
        }
        if (node.parent === declaration) {
          return true;
        }
        if (declaration.kind === 274) {
          return false;
        }
        return true;
      }
      function isExpandoDeclaration(node) {
        if (!isAssignmentDeclaration(node)) return false;
        const containingAssignment = findAncestor(node, (p) => {
          if (isAssignmentExpression2(p)) return true;
          if (!isAssignmentDeclaration(p)) return "quit";
          return false;
        });
        return !!containingAssignment && getAssignmentDeclarationKind(containingAssignment) === 5;
      }
      function getDefinitionFromSymbol(typeChecker, symbol, node, failedAliasResolution, excludeDeclaration) {
        const filteredDeclarations = filter(symbol.declarations, (d) => d !== excludeDeclaration);
        const signatureDefinition = getConstructSignatureDefinition() || getCallSignatureDefinition();
        if (signatureDefinition) {
          return signatureDefinition;
        }
        const withoutExpandos = filter(filteredDeclarations, (d) => !isExpandoDeclaration(d));
        const results = some(withoutExpandos) ? withoutExpandos : filteredDeclarations;
        return map(results, (declaration) => createDefinitionInfo(
          declaration,
          typeChecker,
          symbol,
          node,
          /*unverified*/
          false,
          failedAliasResolution
        ));
        function getConstructSignatureDefinition() {
          if (symbol.flags & 32 && !(symbol.flags & (16 | 3)) && (isNewExpressionTarget(node) || node.kind === 137)) {
            const cls = find(filteredDeclarations, isClassLike);
            return cls && getSignatureDefinition(
              cls.members,
              /*selectConstructors*/
              true
            );
          }
        }
        function getCallSignatureDefinition() {
          return isCallOrNewExpressionTarget(node) || isNameOfFunctionDeclaration(node) ? getSignatureDefinition(
            filteredDeclarations,
            /*selectConstructors*/
            false
          ) : void 0;
        }
        function getSignatureDefinition(signatureDeclarations, selectConstructors) {
          if (!signatureDeclarations) {
            return void 0;
          }
          const declarations = signatureDeclarations.filter(selectConstructors ? isConstructorDeclaration : isFunctionLike);
          const declarationsWithBody = declarations.filter((d) => !!d.body);
          return declarations.length ? declarationsWithBody.length !== 0 ? declarationsWithBody.map((x) => createDefinitionInfo(x, typeChecker, symbol, node)) : [createDefinitionInfo(
            last(declarations),
            typeChecker,
            symbol,
            node,
            /*unverified*/
            false,
            failedAliasResolution
          )] : void 0;
        }
      }
      function createDefinitionInfo(declaration, checker, symbol, node, unverified, failedAliasResolution) {
        const symbolName2 = checker.symbolToString(symbol);
        const symbolKind = ts_SymbolDisplay_exports.getSymbolKind(checker, symbol, node);
        const containerName = symbol.parent ? checker.symbolToString(symbol.parent, node) : "";
        return createDefinitionInfoFromName(checker, declaration, symbolKind, symbolName2, containerName, unverified, failedAliasResolution);
      }
      function createDefinitionInfoFromName(checker, declaration, symbolKind, symbolName2, containerName, unverified, failedAliasResolution, textSpan) {
        const sourceFile = declaration.getSourceFile();
        if (!textSpan) {
          const name = getNameOfDeclaration(declaration) || declaration;
          textSpan = createTextSpanFromNode(name, sourceFile);
        }
        return {
          fileName: sourceFile.fileName,
          textSpan,
          kind: symbolKind,
          name: symbolName2,
          containerKind: void 0,
          // TODO: GH#18217
          containerName,
          ...ts_FindAllReferences_exports.toContextSpan(
            textSpan,
            sourceFile,
            ts_FindAllReferences_exports.getContextNode(declaration)
          ),
          isLocal: !isDefinitionVisible(checker, declaration),
          isAmbient: !!(declaration.flags & 33554432),
          unverified,
          failedAliasResolution
        };
      }
      function createDefinitionInfoFromSwitch(statement, sourceFile) {
        const keyword = ts_FindAllReferences_exports.getContextNode(statement);
        const textSpan = createTextSpanFromNode(isContextWithStartAndEndNode(keyword) ? keyword.start : keyword, sourceFile);
        return {
          fileName: sourceFile.fileName,
          textSpan,
          kind: "keyword",
          name: "switch",
          containerKind: void 0,
          containerName: "",
          ...ts_FindAllReferences_exports.toContextSpan(textSpan, sourceFile, keyword),
          isLocal: true,
          isAmbient: false,
          unverified: false,
          failedAliasResolution: void 0
        };
      }
      function isDefinitionVisible(checker, declaration) {
        if (checker.isDeclarationVisible(declaration)) return true;
        if (!declaration.parent) return false;
        if (hasInitializer(declaration.parent) && declaration.parent.initializer === declaration) return isDefinitionVisible(checker, declaration.parent);
        switch (declaration.kind) {
          case 172:
          case 177:
          case 178:
          case 174:
            if (hasEffectiveModifier(
              declaration,
              2
              /* Private */
            )) return false;
          case 176:
          case 303:
          case 304:
          case 210:
          case 231:
          case 219:
          case 218:
            return isDefinitionVisible(checker, declaration.parent);
          default:
            return false;
        }
      }
      function createDefinitionFromSignatureDeclaration(typeChecker, decl, failedAliasResolution) {
        return createDefinitionInfo(
          decl,
          typeChecker,
          decl.symbol,
          decl,
          /*unverified*/
          false,
          failedAliasResolution
        );
      }
      function findReferenceInPosition(refs, pos) {
        return find(refs, (ref) => textRangeContainsPositionInclusive(ref, pos));
      }
      function getDefinitionInfoForFileReference(name, targetFileName, unverified) {
        return {
          fileName: targetFileName,
          textSpan: createTextSpanFromBounds(0, 0),
          kind: "script",
          name,
          containerName: void 0,
          containerKind: void 0,
          // TODO: GH#18217
          unverified
        };
      }
      function getAncestorCallLikeExpression(node) {
        const target = findAncestor(node, (n) => !isRightSideOfPropertyAccess(n));
        const callLike = target == null ? void 0 : target.parent;
        return callLike && isCallLikeExpression(callLike) && getInvokedExpression(callLike) === target ? callLike : void 0;
      }
      function tryGetSignatureDeclaration(typeChecker, node) {
        const callLike = getAncestorCallLikeExpression(node);
        const signature = callLike && typeChecker.getResolvedSignature(callLike);
        return tryCast(signature && signature.declaration, (d) => isFunctionLike(d) && !isFunctionTypeNode(d));
      }
      function isJsxConstructorLike(node) {
        switch (node.kind) {
          case 176:
          case 185:
          case 179:
          case 180:
            return true;
          default:
            return false;
        }
      }
      var ts_InlayHints_exports = {};
      __export2(ts_InlayHints_exports, {
        provideInlayHints: () => provideInlayHints
      });
      var leadingParameterNameCommentRegexFactory = (name) => {
        return new RegExp(`^\\s?/\\*\\*?\\s?${name}\\s?\\*\\/\\s?$`);
      };
      function shouldShowParameterNameHints(preferences) {
        return preferences.includeInlayParameterNameHints === "literals" || preferences.includeInlayParameterNameHints === "all";
      }
      function shouldShowLiteralParameterNameHintsOnly(preferences) {
        return preferences.includeInlayParameterNameHints === "literals";
      }
      function shouldUseInteractiveInlayHints(preferences) {
        return preferences.interactiveInlayHints === true;
      }
      function provideInlayHints(context) {
        const { file, program, span, cancellationToken, preferences } = context;
        const sourceFileText = file.text;
        const compilerOptions = program.getCompilerOptions();
        const quotePreference = getQuotePreference(file, preferences);
        const checker = program.getTypeChecker();
        const result = [];
        visitor2(file);
        return result;
        function visitor2(node) {
          if (!node || node.getFullWidth() === 0) {
            return;
          }
          switch (node.kind) {
            case 267:
            case 263:
            case 264:
            case 262:
            case 231:
            case 218:
            case 174:
            case 219:
              cancellationToken.throwIfCancellationRequested();
          }
          if (!textSpanIntersectsWith(span, node.pos, node.getFullWidth())) {
            return;
          }
          if (isTypeNode(node) && !isExpressionWithTypeArguments(node)) {
            return;
          }
          if (preferences.includeInlayVariableTypeHints && isVariableDeclaration(node)) {
            visitVariableLikeDeclaration(node);
          } else if (preferences.includeInlayPropertyDeclarationTypeHints && isPropertyDeclaration(node)) {
            visitVariableLikeDeclaration(node);
          } else if (preferences.includeInlayEnumMemberValueHints && isEnumMember(node)) {
            visitEnumMember(node);
          } else if (shouldShowParameterNameHints(preferences) && (isCallExpression2(node) || isNewExpression2(node))) {
            visitCallOrNewExpression(node);
          } else {
            if (preferences.includeInlayFunctionParameterTypeHints && isFunctionLikeDeclaration(node) && hasContextSensitiveParameters(node)) {
              visitFunctionLikeForParameterType(node);
            }
            if (preferences.includeInlayFunctionLikeReturnTypeHints && isSignatureSupportingReturnAnnotation(node)) {
              visitFunctionDeclarationLikeForReturnType(node);
            }
          }
          return forEachChild(node, visitor2);
        }
        function isSignatureSupportingReturnAnnotation(node) {
          return isArrowFunction(node) || isFunctionExpression(node) || isFunctionDeclaration(node) || isMethodDeclaration(node) || isGetAccessorDeclaration(node);
        }
        function addParameterHints(text, parameter, position, isFirstVariadicArgument) {
          let hintText = `${isFirstVariadicArgument ? "..." : ""}${text}`;
          let displayParts;
          if (shouldUseInteractiveInlayHints(preferences)) {
            displayParts = [getNodeDisplayPart(hintText, parameter), { text: ":" }];
            hintText = "";
          } else {
            hintText += ":";
          }
          result.push({
            text: hintText,
            position,
            kind: "Parameter",
            whitespaceAfter: true,
            displayParts
          });
        }
        function addTypeHints(hintText, position) {
          result.push({
            text: typeof hintText === "string" ? `: ${hintText}` : "",
            displayParts: typeof hintText === "string" ? void 0 : [{ text: ": " }, ...hintText],
            position,
            kind: "Type",
            whitespaceBefore: true
          });
        }
        function addEnumMemberValueHints(text, position) {
          result.push({
            text: `= ${text}`,
            position,
            kind: "Enum",
            whitespaceBefore: true
          });
        }
        function visitEnumMember(member) {
          if (member.initializer) {
            return;
          }
          const enumValue = checker.getConstantValue(member);
          if (enumValue !== void 0) {
            addEnumMemberValueHints(enumValue.toString(), member.end);
          }
        }
        function isModuleReferenceType(type) {
          return type.symbol && type.symbol.flags & 1536;
        }
        function visitVariableLikeDeclaration(decl) {
          if (decl.initializer === void 0 && !(isPropertyDeclaration(decl) && !(checker.getTypeAtLocation(decl).flags & 1)) || isBindingPattern(decl.name) || isVariableDeclaration(decl) && !isHintableDeclaration(decl)) {
            return;
          }
          const effectiveTypeAnnotation = getEffectiveTypeAnnotationNode(decl);
          if (effectiveTypeAnnotation) {
            return;
          }
          const declarationType = checker.getTypeAtLocation(decl);
          if (isModuleReferenceType(declarationType)) {
            return;
          }
          const hintParts = typeToInlayHintParts(declarationType);
          if (hintParts) {
            const hintText = typeof hintParts === "string" ? hintParts : hintParts.map((part) => part.text).join("");
            const isVariableNameMatchesType = preferences.includeInlayVariableTypeHintsWhenTypeMatchesName === false && equateStringsCaseInsensitive(decl.name.getText(), hintText);
            if (isVariableNameMatchesType) {
              return;
            }
            addTypeHints(hintParts, decl.name.end);
          }
        }
        function visitCallOrNewExpression(expr) {
          const args = expr.arguments;
          if (!args || !args.length) {
            return;
          }
          const candidates = [];
          const signature = checker.getResolvedSignatureForSignatureHelp(expr, candidates);
          if (!signature || !candidates.length) {
            return;
          }
          let signatureParamPos = 0;
          for (const originalArg of args) {
            const arg = skipParentheses(originalArg);
            if (shouldShowLiteralParameterNameHintsOnly(preferences) && !isHintableLiteral(arg)) {
              signatureParamPos++;
              continue;
            }
            let spreadArgs = 0;
            if (isSpreadElement(arg)) {
              const spreadType = checker.getTypeAtLocation(arg.expression);
              if (checker.isTupleType(spreadType)) {
                const { elementFlags, fixedLength } = spreadType.target;
                if (fixedLength === 0) {
                  continue;
                }
                const firstOptionalIndex = findIndex(elementFlags, (f) => !(f & 1));
                const requiredArgs = firstOptionalIndex < 0 ? fixedLength : firstOptionalIndex;
                if (requiredArgs > 0) {
                  spreadArgs = firstOptionalIndex < 0 ? fixedLength : firstOptionalIndex;
                }
              }
            }
            const identifierInfo = checker.getParameterIdentifierInfoAtPosition(signature, signatureParamPos);
            signatureParamPos = signatureParamPos + (spreadArgs || 1);
            if (identifierInfo) {
              const { parameter, parameterName, isRestParameter: isFirstVariadicArgument } = identifierInfo;
              const isParameterNameNotSameAsArgument = preferences.includeInlayParameterNameHintsWhenArgumentMatchesName || !identifierOrAccessExpressionPostfixMatchesParameterName(arg, parameterName);
              if (!isParameterNameNotSameAsArgument && !isFirstVariadicArgument) {
                continue;
              }
              const name = unescapeLeadingUnderscores(parameterName);
              if (leadingCommentsContainsParameterName(arg, name)) {
                continue;
              }
              addParameterHints(name, parameter, originalArg.getStart(), isFirstVariadicArgument);
            }
          }
        }
        function identifierOrAccessExpressionPostfixMatchesParameterName(expr, parameterName) {
          if (isIdentifier(expr)) {
            return expr.text === parameterName;
          }
          if (isPropertyAccessExpression(expr)) {
            return expr.name.text === parameterName;
          }
          return false;
        }
        function leadingCommentsContainsParameterName(node, name) {
          if (!isIdentifierText(name, getEmitScriptTarget(compilerOptions), getLanguageVariant(file.scriptKind))) {
            return false;
          }
          const ranges = getLeadingCommentRanges(sourceFileText, node.pos);
          if (!(ranges == null ? void 0 : ranges.length)) {
            return false;
          }
          const regex = leadingParameterNameCommentRegexFactory(name);
          return some(ranges, (range) => regex.test(sourceFileText.substring(range.pos, range.end)));
        }
        function isHintableLiteral(node) {
          switch (node.kind) {
            case 224: {
              const operand = node.operand;
              return isLiteralExpression(operand) || isIdentifier(operand) && isInfinityOrNaNString(operand.escapedText);
            }
            case 112:
            case 97:
            case 106:
            case 15:
            case 228:
              return true;
            case 80: {
              const name = node.escapedText;
              return isUndefined2(name) || isInfinityOrNaNString(name);
            }
          }
          return isLiteralExpression(node);
        }
        function visitFunctionDeclarationLikeForReturnType(decl) {
          if (isArrowFunction(decl)) {
            if (!findChildOfKind(decl, 21, file)) {
              return;
            }
          }
          const effectiveTypeAnnotation = getEffectiveReturnTypeNode(decl);
          if (effectiveTypeAnnotation || !decl.body) {
            return;
          }
          const signature = checker.getSignatureFromDeclaration(decl);
          if (!signature) {
            return;
          }
          const returnType = checker.getReturnTypeOfSignature(signature);
          if (isModuleReferenceType(returnType)) {
            return;
          }
          const hintParts = typeToInlayHintParts(returnType);
          if (hintParts) {
            addTypeHints(hintParts, getTypeAnnotationPosition(decl));
          }
        }
        function getTypeAnnotationPosition(decl) {
          const closeParenToken = findChildOfKind(decl, 22, file);
          if (closeParenToken) {
            return closeParenToken.end;
          }
          return decl.parameters.end;
        }
        function visitFunctionLikeForParameterType(node) {
          const signature = checker.getSignatureFromDeclaration(node);
          if (!signature) {
            return;
          }
          for (let i = 0; i < node.parameters.length && i < signature.parameters.length; ++i) {
            const param = node.parameters[i];
            if (!isHintableDeclaration(param)) {
              continue;
            }
            const effectiveTypeAnnotation = getEffectiveTypeAnnotationNode(param);
            if (effectiveTypeAnnotation) {
              continue;
            }
            const typeHints = getParameterDeclarationTypeHints(signature.parameters[i]);
            if (!typeHints) {
              continue;
            }
            addTypeHints(typeHints, param.questionToken ? param.questionToken.end : param.name.end);
          }
        }
        function getParameterDeclarationTypeHints(symbol) {
          const valueDeclaration = symbol.valueDeclaration;
          if (!valueDeclaration || !isParameter(valueDeclaration)) {
            return void 0;
          }
          const signatureParamType = checker.getTypeOfSymbolAtLocation(symbol, valueDeclaration);
          if (isModuleReferenceType(signatureParamType)) {
            return void 0;
          }
          return typeToInlayHintParts(signatureParamType);
        }
        function printTypeInSingleLine(type) {
          const flags = 70221824 | 1048576 | 16384;
          const printer = createPrinterWithRemoveComments();
          return usingSingleLineStringWriter((writer) => {
            const typeNode = checker.typeToTypeNode(
              type,
              /*enclosingDeclaration*/
              void 0,
              flags
            );
            Debug.assertIsDefined(typeNode, "should always get typenode");
            printer.writeNode(
              4,
              typeNode,
              /*sourceFile*/
              file,
              writer
            );
          });
        }
        function typeToInlayHintParts(type) {
          if (!shouldUseInteractiveInlayHints(preferences)) {
            return printTypeInSingleLine(type);
          }
          const flags = 70221824 | 1048576 | 16384;
          const typeNode = checker.typeToTypeNode(
            type,
            /*enclosingDeclaration*/
            void 0,
            flags
          );
          Debug.assertIsDefined(typeNode, "should always get typenode");
          const parts = [];
          visitForDisplayParts(typeNode);
          return parts;
          function visitForDisplayParts(node) {
            var _a, _b;
            if (!node) {
              return;
            }
            const tokenString = tokenToString(node.kind);
            if (tokenString) {
              parts.push({ text: tokenString });
              return;
            }
            if (isLiteralExpression(node)) {
              parts.push({ text: getLiteralText2(node) });
              return;
            }
            switch (node.kind) {
              case 80:
                Debug.assertNode(node, isIdentifier);
                const identifierText = idText(node);
                const name = node.symbol && node.symbol.declarations && node.symbol.declarations.length && getNameOfDeclaration(node.symbol.declarations[0]);
                if (name) {
                  parts.push(getNodeDisplayPart(identifierText, name));
                } else {
                  parts.push({ text: identifierText });
                }
                break;
              case 166:
                Debug.assertNode(node, isQualifiedName);
                visitForDisplayParts(node.left);
                parts.push({ text: "." });
                visitForDisplayParts(node.right);
                break;
              case 182:
                Debug.assertNode(node, isTypePredicateNode);
                if (node.assertsModifier) {
                  parts.push({ text: "asserts " });
                }
                visitForDisplayParts(node.parameterName);
                if (node.type) {
                  parts.push({ text: " is " });
                  visitForDisplayParts(node.type);
                }
                break;
              case 183:
                Debug.assertNode(node, isTypeReferenceNode);
                visitForDisplayParts(node.typeName);
                if (node.typeArguments) {
                  parts.push({ text: "<" });
                  visitDisplayPartList(node.typeArguments, ", ");
                  parts.push({ text: ">" });
                }
                break;
              case 168:
                Debug.assertNode(node, isTypeParameterDeclaration);
                if (node.modifiers) {
                  visitDisplayPartList(node.modifiers, " ");
                }
                visitForDisplayParts(node.name);
                if (node.constraint) {
                  parts.push({ text: " extends " });
                  visitForDisplayParts(node.constraint);
                }
                if (node.default) {
                  parts.push({ text: " = " });
                  visitForDisplayParts(node.default);
                }
                break;
              case 169:
                Debug.assertNode(node, isParameter);
                if (node.modifiers) {
                  visitDisplayPartList(node.modifiers, " ");
                }
                if (node.dotDotDotToken) {
                  parts.push({ text: "..." });
                }
                visitForDisplayParts(node.name);
                if (node.questionToken) {
                  parts.push({ text: "?" });
                }
                if (node.type) {
                  parts.push({ text: ": " });
                  visitForDisplayParts(node.type);
                }
                break;
              case 185:
                Debug.assertNode(node, isConstructorTypeNode);
                parts.push({ text: "new " });
                visitParametersAndTypeParameters(node);
                parts.push({ text: " => " });
                visitForDisplayParts(node.type);
                break;
              case 186:
                Debug.assertNode(node, isTypeQueryNode);
                parts.push({ text: "typeof " });
                visitForDisplayParts(node.exprName);
                if (node.typeArguments) {
                  parts.push({ text: "<" });
                  visitDisplayPartList(node.typeArguments, ", ");
                  parts.push({ text: ">" });
                }
                break;
              case 187:
                Debug.assertNode(node, isTypeLiteralNode);
                parts.push({ text: "{" });
                if (node.members.length) {
                  parts.push({ text: " " });
                  visitDisplayPartList(node.members, "; ");
                  parts.push({ text: " " });
                }
                parts.push({ text: "}" });
                break;
              case 188:
                Debug.assertNode(node, isArrayTypeNode);
                visitForDisplayParts(node.elementType);
                parts.push({ text: "[]" });
                break;
              case 189:
                Debug.assertNode(node, isTupleTypeNode);
                parts.push({ text: "[" });
                visitDisplayPartList(node.elements, ", ");
                parts.push({ text: "]" });
                break;
              case 202:
                Debug.assertNode(node, isNamedTupleMember);
                if (node.dotDotDotToken) {
                  parts.push({ text: "..." });
                }
                visitForDisplayParts(node.name);
                if (node.questionToken) {
                  parts.push({ text: "?" });
                }
                parts.push({ text: ": " });
                visitForDisplayParts(node.type);
                break;
              case 190:
                Debug.assertNode(node, isOptionalTypeNode);
                visitForDisplayParts(node.type);
                parts.push({ text: "?" });
                break;
              case 191:
                Debug.assertNode(node, isRestTypeNode);
                parts.push({ text: "..." });
                visitForDisplayParts(node.type);
                break;
              case 192:
                Debug.assertNode(node, isUnionTypeNode);
                visitDisplayPartList(node.types, " | ");
                break;
              case 193:
                Debug.assertNode(node, isIntersectionTypeNode);
                visitDisplayPartList(node.types, " & ");
                break;
              case 194:
                Debug.assertNode(node, isConditionalTypeNode);
                visitForDisplayParts(node.checkType);
                parts.push({ text: " extends " });
                visitForDisplayParts(node.extendsType);
                parts.push({ text: " ? " });
                visitForDisplayParts(node.trueType);
                parts.push({ text: " : " });
                visitForDisplayParts(node.falseType);
                break;
              case 195:
                Debug.assertNode(node, isInferTypeNode);
                parts.push({ text: "infer " });
                visitForDisplayParts(node.typeParameter);
                break;
              case 196:
                Debug.assertNode(node, isParenthesizedTypeNode);
                parts.push({ text: "(" });
                visitForDisplayParts(node.type);
                parts.push({ text: ")" });
                break;
              case 198:
                Debug.assertNode(node, isTypeOperatorNode);
                parts.push({ text: `${tokenToString(node.operator)} ` });
                visitForDisplayParts(node.type);
                break;
              case 199:
                Debug.assertNode(node, isIndexedAccessTypeNode);
                visitForDisplayParts(node.objectType);
                parts.push({ text: "[" });
                visitForDisplayParts(node.indexType);
                parts.push({ text: "]" });
                break;
              case 200:
                Debug.assertNode(node, isMappedTypeNode);
                parts.push({ text: "{ " });
                if (node.readonlyToken) {
                  if (node.readonlyToken.kind === 40) {
                    parts.push({ text: "+" });
                  } else if (node.readonlyToken.kind === 41) {
                    parts.push({ text: "-" });
                  }
                  parts.push({ text: "readonly " });
                }
                parts.push({ text: "[" });
                visitForDisplayParts(node.typeParameter);
                if (node.nameType) {
                  parts.push({ text: " as " });
                  visitForDisplayParts(node.nameType);
                }
                parts.push({ text: "]" });
                if (node.questionToken) {
                  if (node.questionToken.kind === 40) {
                    parts.push({ text: "+" });
                  } else if (node.questionToken.kind === 41) {
                    parts.push({ text: "-" });
                  }
                  parts.push({ text: "?" });
                }
                parts.push({ text: ": " });
                if (node.type) {
                  visitForDisplayParts(node.type);
                }
                parts.push({ text: "; }" });
                break;
              case 201:
                Debug.assertNode(node, isLiteralTypeNode);
                visitForDisplayParts(node.literal);
                break;
              case 184:
                Debug.assertNode(node, isFunctionTypeNode);
                visitParametersAndTypeParameters(node);
                parts.push({ text: " => " });
                visitForDisplayParts(node.type);
                break;
              case 205:
                Debug.assertNode(node, isImportTypeNode);
                if (node.isTypeOf) {
                  parts.push({ text: "typeof " });
                }
                parts.push({ text: "import(" });
                visitForDisplayParts(node.argument);
                if (node.assertions) {
                  parts.push({ text: ", { assert: " });
                  visitDisplayPartList(node.assertions.assertClause.elements, ", ");
                  parts.push({ text: " }" });
                }
                parts.push({ text: ")" });
                if (node.qualifier) {
                  parts.push({ text: "." });
                  visitForDisplayParts(node.qualifier);
                }
                if (node.typeArguments) {
                  parts.push({ text: "<" });
                  visitDisplayPartList(node.typeArguments, ", ");
                  parts.push({ text: ">" });
                }
                break;
              case 171:
                Debug.assertNode(node, isPropertySignature);
                if ((_a = node.modifiers) == null ? void 0 : _a.length) {
                  visitDisplayPartList(node.modifiers, " ");
                  parts.push({ text: " " });
                }
                visitForDisplayParts(node.name);
                if (node.questionToken) {
                  parts.push({ text: "?" });
                }
                if (node.type) {
                  parts.push({ text: ": " });
                  visitForDisplayParts(node.type);
                }
                break;
              case 181:
                Debug.assertNode(node, isIndexSignatureDeclaration);
                parts.push({ text: "[" });
                visitDisplayPartList(node.parameters, ", ");
                parts.push({ text: "]" });
                if (node.type) {
                  parts.push({ text: ": " });
                  visitForDisplayParts(node.type);
                }
                break;
              case 173:
                Debug.assertNode(node, isMethodSignature);
                if ((_b = node.modifiers) == null ? void 0 : _b.length) {
                  visitDisplayPartList(node.modifiers, " ");
                  parts.push({ text: " " });
                }
                visitForDisplayParts(node.name);
                if (node.questionToken) {
                  parts.push({ text: "?" });
                }
                visitParametersAndTypeParameters(node);
                if (node.type) {
                  parts.push({ text: ": " });
                  visitForDisplayParts(node.type);
                }
                break;
              case 179:
                Debug.assertNode(node, isCallSignatureDeclaration);
                visitParametersAndTypeParameters(node);
                if (node.type) {
                  parts.push({ text: ": " });
                  visitForDisplayParts(node.type);
                }
                break;
              case 207:
                Debug.assertNode(node, isArrayBindingPattern);
                parts.push({ text: "[" });
                visitDisplayPartList(node.elements, ", ");
                parts.push({ text: "]" });
                break;
              case 206:
                Debug.assertNode(node, isObjectBindingPattern);
                parts.push({ text: "{" });
                if (node.elements.length) {
                  parts.push({ text: " " });
                  visitDisplayPartList(node.elements, ", ");
                  parts.push({ text: " " });
                }
                parts.push({ text: "}" });
                break;
              case 208:
                Debug.assertNode(node, isBindingElement);
                visitForDisplayParts(node.name);
                break;
              case 224:
                Debug.assertNode(node, isPrefixUnaryExpression);
                parts.push({ text: tokenToString(node.operator) });
                visitForDisplayParts(node.operand);
                break;
              case 203:
                Debug.assertNode(node, isTemplateLiteralTypeNode);
                visitForDisplayParts(node.head);
                node.templateSpans.forEach(visitForDisplayParts);
                break;
              case 16:
                Debug.assertNode(node, isTemplateHead);
                parts.push({ text: getLiteralText2(node) });
                break;
              case 204:
                Debug.assertNode(node, isTemplateLiteralTypeSpan);
                visitForDisplayParts(node.type);
                visitForDisplayParts(node.literal);
                break;
              case 17:
                Debug.assertNode(node, isTemplateMiddle);
                parts.push({ text: getLiteralText2(node) });
                break;
              case 18:
                Debug.assertNode(node, isTemplateTail);
                parts.push({ text: getLiteralText2(node) });
                break;
              case 197:
                Debug.assertNode(node, isThisTypeNode);
                parts.push({ text: "this" });
                break;
              default:
                Debug.failBadSyntaxKind(node);
            }
          }
          function visitParametersAndTypeParameters(signatureDeclaration) {
            if (signatureDeclaration.typeParameters) {
              parts.push({ text: "<" });
              visitDisplayPartList(signatureDeclaration.typeParameters, ", ");
              parts.push({ text: ">" });
            }
            parts.push({ text: "(" });
            visitDisplayPartList(signatureDeclaration.parameters, ", ");
            parts.push({ text: ")" });
          }
          function visitDisplayPartList(nodes, separator) {
            nodes.forEach((node, index) => {
              if (index > 0) {
                parts.push({ text: separator });
              }
              visitForDisplayParts(node);
            });
          }
          function getLiteralText2(node) {
            switch (node.kind) {
              case 11:
                return quotePreference === 0 ? `'${escapeString2(
                  node.text,
                  39
                  /* singleQuote */
                )}'` : `"${escapeString2(
                  node.text,
                  34
                  /* doubleQuote */
                )}"`;
              case 16:
              case 17:
              case 18: {
                const rawText = node.rawText ?? escapeTemplateSubstitution(escapeString2(
                  node.text,
                  96
                  /* backtick */
                ));
                switch (node.kind) {
                  case 16:
                    return "`" + rawText + "${";
                  case 17:
                    return "}" + rawText + "${";
                  case 18:
                    return "}" + rawText + "`";
                }
              }
            }
            return node.text;
          }
        }
        function isUndefined2(name) {
          return name === "undefined";
        }
        function isHintableDeclaration(node) {
          if ((isPartOfParameterDeclaration(node) || isVariableDeclaration(node) && isVarConst(node)) && node.initializer) {
            const initializer = skipParentheses(node.initializer);
            return !(isHintableLiteral(initializer) || isNewExpression2(initializer) || isObjectLiteralExpression(initializer) || isAssertionExpression(initializer));
          }
          return true;
        }
        function getNodeDisplayPart(text, node) {
          const sourceFile = node.getSourceFile();
          return {
            text,
            span: createTextSpanFromNode(node, sourceFile),
            file: sourceFile.fileName
          };
        }
      }
      var ts_JsDoc_exports = {};
      __export2(ts_JsDoc_exports, {
        getDocCommentTemplateAtPosition: () => getDocCommentTemplateAtPosition,
        getJSDocParameterNameCompletionDetails: () => getJSDocParameterNameCompletionDetails,
        getJSDocParameterNameCompletions: () => getJSDocParameterNameCompletions,
        getJSDocTagCompletionDetails: () => getJSDocTagCompletionDetails,
        getJSDocTagCompletions: () => getJSDocTagCompletions,
        getJSDocTagNameCompletionDetails: () => getJSDocTagNameCompletionDetails,
        getJSDocTagNameCompletions: () => getJSDocTagNameCompletions,
        getJsDocCommentsFromDeclarations: () => getJsDocCommentsFromDeclarations,
        getJsDocTagsFromDeclarations: () => getJsDocTagsFromDeclarations
      });
      var jsDocTagNames = [
        "abstract",
        "access",
        "alias",
        "argument",
        "async",
        "augments",
        "author",
        "borrows",
        "callback",
        "class",
        "classdesc",
        "constant",
        "constructor",
        "constructs",
        "copyright",
        "default",
        "deprecated",
        "description",
        "emits",
        "enum",
        "event",
        "example",
        "exports",
        "extends",
        "external",
        "field",
        "file",
        "fileoverview",
        "fires",
        "function",
        "generator",
        "global",
        "hideconstructor",
        "host",
        "ignore",
        "implements",
        "import",
        "inheritdoc",
        "inner",
        "instance",
        "interface",
        "kind",
        "lends",
        "license",
        "link",
        "linkcode",
        "linkplain",
        "listens",
        "member",
        "memberof",
        "method",
        "mixes",
        "module",
        "name",
        "namespace",
        "overload",
        "override",
        "package",
        "param",
        "private",
        "prop",
        "property",
        "protected",
        "public",
        "readonly",
        "requires",
        "returns",
        "satisfies",
        "see",
        "since",
        "static",
        "summary",
        "template",
        "this",
        "throws",
        "todo",
        "tutorial",
        "type",
        "typedef",
        "var",
        "variation",
        "version",
        "virtual",
        "yields"
      ];
      var jsDocTagNameCompletionEntries;
      var jsDocTagCompletionEntries;
      function getJsDocCommentsFromDeclarations(declarations, checker) {
        const parts = [];
        forEachUnique(declarations, (declaration) => {
          for (const jsdoc of getCommentHavingNodes(declaration)) {
            const inheritDoc = isJSDoc(jsdoc) && jsdoc.tags && find(jsdoc.tags, (t) => t.kind === 327 && (t.tagName.escapedText === "inheritDoc" || t.tagName.escapedText === "inheritdoc"));
            if (jsdoc.comment === void 0 && !inheritDoc || isJSDoc(jsdoc) && declaration.kind !== 346 && declaration.kind !== 338 && jsdoc.tags && jsdoc.tags.some(
              (t) => t.kind === 346 || t.kind === 338
              /* JSDocCallbackTag */
            ) && !jsdoc.tags.some(
              (t) => t.kind === 341 || t.kind === 342
              /* JSDocReturnTag */
            )) {
              continue;
            }
            let newparts = jsdoc.comment ? getDisplayPartsFromComment(jsdoc.comment, checker) : [];
            if (inheritDoc && inheritDoc.comment) {
              newparts = newparts.concat(getDisplayPartsFromComment(inheritDoc.comment, checker));
            }
            if (!contains(parts, newparts, isIdenticalListOfDisplayParts)) {
              parts.push(newparts);
            }
          }
        });
        return flatten(intersperse(parts, [lineBreakPart()]));
      }
      function isIdenticalListOfDisplayParts(parts1, parts2) {
        return arraysEqual(parts1, parts2, (p1, p2) => p1.kind === p2.kind && p1.text === p2.text);
      }
      function getCommentHavingNodes(declaration) {
        switch (declaration.kind) {
          case 341:
          case 348:
            return [declaration];
          case 338:
          case 346:
            return [declaration, declaration.parent];
          case 323:
            if (isJSDocOverloadTag(declaration.parent)) {
              return [declaration.parent.parent];
            }
          default:
            return getJSDocCommentsAndTags(declaration);
        }
      }
      function getJsDocTagsFromDeclarations(declarations, checker) {
        const infos = [];
        forEachUnique(declarations, (declaration) => {
          const tags = getJSDocTags(declaration);
          if (tags.some(
            (t) => t.kind === 346 || t.kind === 338
            /* JSDocCallbackTag */
          ) && !tags.some(
            (t) => t.kind === 341 || t.kind === 342
            /* JSDocReturnTag */
          )) {
            return;
          }
          for (const tag of tags) {
            infos.push({ name: tag.tagName.text, text: getCommentDisplayParts(tag, checker) });
            infos.push(...getJSDocPropertyTagsInfo(tryGetJSDocPropertyTags(tag), checker));
          }
        });
        return infos;
      }
      function getJSDocPropertyTagsInfo(nodes, checker) {
        return flatMap(nodes, (propTag) => concatenate([{ name: propTag.tagName.text, text: getCommentDisplayParts(propTag, checker) }], getJSDocPropertyTagsInfo(tryGetJSDocPropertyTags(propTag), checker)));
      }
      function tryGetJSDocPropertyTags(node) {
        return isJSDocPropertyLikeTag(node) && node.isNameFirst && node.typeExpression && isJSDocTypeLiteral(node.typeExpression.type) ? node.typeExpression.type.jsDocPropertyTags : void 0;
      }
      function getDisplayPartsFromComment(comment, checker) {
        if (typeof comment === "string") {
          return [textPart(comment)];
        }
        return flatMap(
          comment,
          (node) => node.kind === 321 ? [textPart(node.text)] : buildLinkParts(node, checker)
        );
      }
      function getCommentDisplayParts(tag, checker) {
        const { comment, kind } = tag;
        const namePart = getTagNameDisplayPart(kind);
        switch (kind) {
          case 349:
            const typeExpression = tag.typeExpression;
            return typeExpression ? withNode(typeExpression) : comment === void 0 ? void 0 : getDisplayPartsFromComment(comment, checker);
          case 329:
            return withNode(tag.class);
          case 328:
            return withNode(tag.class);
          case 345:
            const templateTag = tag;
            const displayParts = [];
            if (templateTag.constraint) {
              displayParts.push(textPart(templateTag.constraint.getText()));
            }
            if (length(templateTag.typeParameters)) {
              if (length(displayParts)) {
                displayParts.push(spacePart());
              }
              const lastTypeParameter = templateTag.typeParameters[templateTag.typeParameters.length - 1];
              forEach(templateTag.typeParameters, (tp) => {
                displayParts.push(namePart(tp.getText()));
                if (lastTypeParameter !== tp) {
                  displayParts.push(...[punctuationPart(
                    28
                    /* CommaToken */
                  ), spacePart()]);
                }
              });
            }
            if (comment) {
              displayParts.push(...[spacePart(), ...getDisplayPartsFromComment(comment, checker)]);
            }
            return displayParts;
          case 344:
          case 350:
            return withNode(tag.typeExpression);
          case 346:
          case 338:
          case 348:
          case 341:
          case 347:
            const { name } = tag;
            return name ? withNode(name) : comment === void 0 ? void 0 : getDisplayPartsFromComment(comment, checker);
          default:
            return comment === void 0 ? void 0 : getDisplayPartsFromComment(comment, checker);
        }
        function withNode(node) {
          return addComment(node.getText());
        }
        function addComment(s) {
          if (comment) {
            if (s.match(/^https?$/)) {
              return [textPart(s), ...getDisplayPartsFromComment(comment, checker)];
            } else {
              return [namePart(s), spacePart(), ...getDisplayPartsFromComment(comment, checker)];
            }
          } else {
            return [textPart(s)];
          }
        }
      }
      function getTagNameDisplayPart(kind) {
        switch (kind) {
          case 341:
            return parameterNamePart;
          case 348:
            return propertyNamePart;
          case 345:
            return typeParameterNamePart;
          case 346:
          case 338:
            return typeAliasNamePart;
          default:
            return textPart;
        }
      }
      function getJSDocTagNameCompletions() {
        return jsDocTagNameCompletionEntries || (jsDocTagNameCompletionEntries = map(jsDocTagNames, (tagName) => {
          return {
            name: tagName,
            kind: "keyword",
            kindModifiers: "",
            sortText: ts_Completions_exports.SortText.LocationPriority
          };
        }));
      }
      var getJSDocTagNameCompletionDetails = getJSDocTagCompletionDetails;
      function getJSDocTagCompletions() {
        return jsDocTagCompletionEntries || (jsDocTagCompletionEntries = map(jsDocTagNames, (tagName) => {
          return {
            name: `@${tagName}`,
            kind: "keyword",
            kindModifiers: "",
            sortText: ts_Completions_exports.SortText.LocationPriority
          };
        }));
      }
      function getJSDocTagCompletionDetails(name) {
        return {
          name,
          kind: "",
          // TODO: should have its own kind?
          kindModifiers: "",
          displayParts: [textPart(name)],
          documentation: emptyArray,
          tags: void 0,
          codeActions: void 0
        };
      }
      function getJSDocParameterNameCompletions(tag) {
        if (!isIdentifier(tag.name)) {
          return emptyArray;
        }
        const nameThusFar = tag.name.text;
        const jsdoc = tag.parent;
        const fn = jsdoc.parent;
        if (!isFunctionLike(fn)) return [];
        return mapDefined(fn.parameters, (param) => {
          if (!isIdentifier(param.name)) return void 0;
          const name = param.name.text;
          if (jsdoc.tags.some((t) => t !== tag && isJSDocParameterTag(t) && isIdentifier(t.name) && t.name.escapedText === name) || nameThusFar !== void 0 && !startsWith2(name, nameThusFar)) {
            return void 0;
          }
          return { name, kind: "parameter", kindModifiers: "", sortText: ts_Completions_exports.SortText.LocationPriority };
        });
      }
      function getJSDocParameterNameCompletionDetails(name) {
        return {
          name,
          kind: "parameter",
          kindModifiers: "",
          displayParts: [textPart(name)],
          documentation: emptyArray,
          tags: void 0,
          codeActions: void 0
        };
      }
      function getDocCommentTemplateAtPosition(newLine, sourceFile, position, options) {
        const tokenAtPos = getTokenAtPosition(sourceFile, position);
        const existingDocComment = findAncestor(tokenAtPos, isJSDoc);
        if (existingDocComment && (existingDocComment.comment !== void 0 || length(existingDocComment.tags))) {
          return void 0;
        }
        const tokenStart = tokenAtPos.getStart(sourceFile);
        if (!existingDocComment && tokenStart < position) {
          return void 0;
        }
        const commentOwnerInfo = getCommentOwnerInfo(tokenAtPos, options);
        if (!commentOwnerInfo) {
          return void 0;
        }
        const { commentOwner, parameters, hasReturn: hasReturn2 } = commentOwnerInfo;
        const commentOwnerJsDoc = hasJSDocNodes(commentOwner) && commentOwner.jsDoc ? commentOwner.jsDoc : void 0;
        const lastJsDoc = lastOrUndefined(commentOwnerJsDoc);
        if (commentOwner.getStart(sourceFile) < position || lastJsDoc && existingDocComment && lastJsDoc !== existingDocComment) {
          return void 0;
        }
        const indentationStr = getIndentationStringAtPosition(sourceFile, position);
        const isJavaScriptFile = hasJSFileExtension(sourceFile.fileName);
        const tags = (parameters ? parameterDocComments(parameters || [], isJavaScriptFile, indentationStr, newLine) : "") + (hasReturn2 ? returnsDocComment(indentationStr, newLine) : "");
        const openComment = "/**";
        const closeComment = " */";
        const hasTag = length(getJSDocTags(commentOwner)) > 0;
        if (tags && !hasTag) {
          const preamble = openComment + newLine + indentationStr + " * ";
          const endLine = tokenStart === position ? newLine + indentationStr : "";
          const result = preamble + newLine + tags + indentationStr + closeComment + endLine;
          return { newText: result, caretOffset: preamble.length };
        }
        return { newText: openComment + closeComment, caretOffset: 3 };
      }
      function getIndentationStringAtPosition(sourceFile, position) {
        const { text } = sourceFile;
        const lineStart = getLineStartPositionForPosition(position, sourceFile);
        let pos = lineStart;
        for (; pos <= position && isWhiteSpaceSingleLine(text.charCodeAt(pos)); pos++) ;
        return text.slice(lineStart, pos);
      }
      function parameterDocComments(parameters, isJavaScriptFile, indentationStr, newLine) {
        return parameters.map(({ name, dotDotDotToken }, i) => {
          const paramName = name.kind === 80 ? name.text : "param" + i;
          const type = isJavaScriptFile ? dotDotDotToken ? "{...any} " : "{any} " : "";
          return `${indentationStr} * @param ${type}${paramName}${newLine}`;
        }).join("");
      }
      function returnsDocComment(indentationStr, newLine) {
        return `${indentationStr} * @returns${newLine}`;
      }
      function getCommentOwnerInfo(tokenAtPos, options) {
        return forEachAncestor(tokenAtPos, (n) => getCommentOwnerInfoWorker(n, options));
      }
      function getCommentOwnerInfoWorker(commentOwner, options) {
        switch (commentOwner.kind) {
          case 262:
          case 218:
          case 174:
          case 176:
          case 173:
          case 219:
            const host = commentOwner;
            return { commentOwner, parameters: host.parameters, hasReturn: hasReturn(host, options) };
          case 303:
            return getCommentOwnerInfoWorker(commentOwner.initializer, options);
          case 263:
          case 264:
          case 266:
          case 306:
          case 265:
            return { commentOwner };
          case 171: {
            const host2 = commentOwner;
            return host2.type && isFunctionTypeNode(host2.type) ? { commentOwner, parameters: host2.type.parameters, hasReturn: hasReturn(host2.type, options) } : { commentOwner };
          }
          case 243: {
            const varStatement = commentOwner;
            const varDeclarations = varStatement.declarationList.declarations;
            const host2 = varDeclarations.length === 1 && varDeclarations[0].initializer ? getRightHandSideOfAssignment(varDeclarations[0].initializer) : void 0;
            return host2 ? { commentOwner, parameters: host2.parameters, hasReturn: hasReturn(host2, options) } : { commentOwner };
          }
          case 307:
            return "quit";
          case 267:
            return commentOwner.parent.kind === 267 ? void 0 : { commentOwner };
          case 244:
            return getCommentOwnerInfoWorker(commentOwner.expression, options);
          case 226: {
            const be = commentOwner;
            if (getAssignmentDeclarationKind(be) === 0) {
              return "quit";
            }
            return isFunctionLike(be.right) ? { commentOwner, parameters: be.right.parameters, hasReturn: hasReturn(be.right, options) } : { commentOwner };
          }
          case 172:
            const init = commentOwner.initializer;
            if (init && (isFunctionExpression(init) || isArrowFunction(init))) {
              return { commentOwner, parameters: init.parameters, hasReturn: hasReturn(init, options) };
            }
        }
      }
      function hasReturn(node, options) {
        return !!(options == null ? void 0 : options.generateReturnInDocTemplate) && (isFunctionTypeNode(node) || isArrowFunction(node) && isExpression(node.body) || isFunctionLikeDeclaration(node) && node.body && isBlock(node.body) && !!forEachReturnStatement(node.body, (n) => n));
      }
      function getRightHandSideOfAssignment(rightHandSide) {
        while (rightHandSide.kind === 217) {
          rightHandSide = rightHandSide.expression;
        }
        switch (rightHandSide.kind) {
          case 218:
          case 219:
            return rightHandSide;
          case 231:
            return find(rightHandSide.members, isConstructorDeclaration);
        }
      }
      var ts_MapCode_exports = {};
      __export2(ts_MapCode_exports, {
        mapCode: () => mapCode
      });
      function mapCode(sourceFile, contents, focusLocations, host, formatContext, preferences) {
        return ts_textChanges_exports.ChangeTracker.with(
          { host, formatContext, preferences },
          (changeTracker) => {
            const parsed = contents.map((c) => parse2(sourceFile, c));
            const flattenedLocations = focusLocations && flatten(focusLocations);
            for (const nodes of parsed) {
              placeNodeGroup(
                sourceFile,
                changeTracker,
                nodes,
                flattenedLocations
              );
            }
          }
        );
      }
      function parse2(sourceFile, content) {
        const nodeKinds = [
          {
            parse: () => createSourceFile(
              "__mapcode_content_nodes.ts",
              content,
              sourceFile.languageVersion,
              /*setParentNodes*/
              true,
              sourceFile.scriptKind
            ),
            body: (sf) => sf.statements
          },
          {
            parse: () => createSourceFile(
              "__mapcode_class_content_nodes.ts",
              `class __class {
${content}
}`,
              sourceFile.languageVersion,
              /*setParentNodes*/
              true,
              sourceFile.scriptKind
            ),
            body: (cw) => cw.statements[0].members
          }
        ];
        const parsedNodes = [];
        for (const { parse: parse22, body: body2 } of nodeKinds) {
          const sourceFile2 = parse22();
          const bod = body2(sourceFile2);
          if (bod.length && sourceFile2.parseDiagnostics.length === 0) {
            return bod;
          } else if (bod.length) {
            parsedNodes.push({ sourceFile: sourceFile2, body: bod });
          }
        }
        const { body } = parsedNodes.sort(
          (a, b) => a.sourceFile.parseDiagnostics.length - b.sourceFile.parseDiagnostics.length
        )[0];
        return body;
      }
      function placeNodeGroup(originalFile, changeTracker, changes, focusLocations) {
        if (isClassElement(changes[0]) || isTypeElement(changes[0])) {
          placeClassNodeGroup(
            originalFile,
            changeTracker,
            changes,
            focusLocations
          );
        } else {
          placeStatements(
            originalFile,
            changeTracker,
            changes,
            focusLocations
          );
        }
      }
      function placeClassNodeGroup(originalFile, changeTracker, changes, focusLocations) {
        let classOrInterface;
        if (!focusLocations || !focusLocations.length) {
          classOrInterface = find(originalFile.statements, or(isClassLike, isInterfaceDeclaration));
        } else {
          classOrInterface = forEach(focusLocations, (location) => findAncestor(
            getTokenAtPosition(originalFile, location.start),
            or(isClassLike, isInterfaceDeclaration)
          ));
        }
        if (!classOrInterface) {
          return;
        }
        const firstMatch = classOrInterface.members.find((member) => changes.some((change) => matchNode(change, member)));
        if (firstMatch) {
          const lastMatch = findLast(
            classOrInterface.members,
            (member) => changes.some((change) => matchNode(change, member))
          );
          forEach(changes, wipeNode);
          changeTracker.replaceNodeRangeWithNodes(
            originalFile,
            firstMatch,
            lastMatch,
            changes
          );
          return;
        }
        forEach(changes, wipeNode);
        changeTracker.insertNodesAfter(
          originalFile,
          classOrInterface.members[classOrInterface.members.length - 1],
          changes
        );
      }
      function placeStatements(originalFile, changeTracker, changes, focusLocations) {
        if (!(focusLocations == null ? void 0 : focusLocations.length)) {
          changeTracker.insertNodesAtEndOfFile(
            originalFile,
            changes,
            /*blankLineBetween*/
            false
          );
          return;
        }
        for (const location of focusLocations) {
          const scope = findAncestor(
            getTokenAtPosition(originalFile, location.start),
            (block) => or(isBlock, isSourceFile)(block) && some(block.statements, (origStmt) => changes.some((newStmt) => matchNode(newStmt, origStmt)))
          );
          if (scope) {
            const start = scope.statements.find((stmt) => changes.some((node) => matchNode(node, stmt)));
            if (start) {
              const end = findLast(scope.statements, (stmt) => changes.some((node) => matchNode(node, stmt)));
              forEach(changes, wipeNode);
              changeTracker.replaceNodeRangeWithNodes(
                originalFile,
                start,
                end,
                changes
              );
              return;
            }
          }
        }
        let scopeStatements = originalFile.statements;
        for (const location of focusLocations) {
          const block = findAncestor(
            getTokenAtPosition(originalFile, location.start),
            isBlock
          );
          if (block) {
            scopeStatements = block.statements;
            break;
          }
        }
        forEach(changes, wipeNode);
        changeTracker.insertNodesAfter(
          originalFile,
          scopeStatements[scopeStatements.length - 1],
          changes
        );
      }
      function matchNode(a, b) {
        var _a, _b, _c, _d, _e, _f;
        if (a.kind !== b.kind) {
          return false;
        }
        if (a.kind === 176) {
          return a.kind === b.kind;
        }
        if (isNamedDeclaration(a) && isNamedDeclaration(b)) {
          return a.name.getText() === b.name.getText();
        }
        if (isIfStatement(a) && isIfStatement(b)) {
          return a.expression.getText() === b.expression.getText();
        }
        if (isWhileStatement(a) && isWhileStatement(b)) {
          return a.expression.getText() === b.expression.getText();
        }
        if (isForStatement(a) && isForStatement(b)) {
          return ((_a = a.initializer) == null ? void 0 : _a.getText()) === ((_b = b.initializer) == null ? void 0 : _b.getText()) && ((_c = a.incrementor) == null ? void 0 : _c.getText()) === ((_d = b.incrementor) == null ? void 0 : _d.getText()) && ((_e = a.condition) == null ? void 0 : _e.getText()) === ((_f = b.condition) == null ? void 0 : _f.getText());
        }
        if (isForInOrOfStatement(a) && isForInOrOfStatement(b)) {
          return a.expression.getText() === b.expression.getText() && a.initializer.getText() === b.initializer.getText();
        }
        if (isLabeledStatement(a) && isLabeledStatement(b)) {
          return a.label.getText() === b.label.getText();
        }
        if (a.getText() === b.getText()) {
          return true;
        }
        return false;
      }
      function wipeNode(node) {
        resetNodePositions(node);
        node.parent = void 0;
      }
      function resetNodePositions(node) {
        node.pos = -1;
        node.end = -1;
        node.forEachChild(resetNodePositions);
      }
      var ts_OrganizeImports_exports = {};
      __export2(ts_OrganizeImports_exports, {
        compareImportsOrRequireStatements: () => compareImportsOrRequireStatements,
        compareModuleSpecifiers: () => compareModuleSpecifiers2,
        getDetectionLists: () => getDetectionLists,
        getImportDeclarationInsertionIndex: () => getImportDeclarationInsertionIndex,
        getImportSpecifierInsertionIndex: () => getImportSpecifierInsertionIndex,
        getNamedImportSpecifierComparerWithDetection: () => getNamedImportSpecifierComparerWithDetection,
        getOrganizeImportsStringComparerWithDetection: () => getOrganizeImportsStringComparerWithDetection,
        organizeImports: () => organizeImports,
        testCoalesceExports: () => testCoalesceExports,
        testCoalesceImports: () => testCoalesceImports
      });
      function organizeImports(sourceFile, formatContext, host, program, preferences, mode) {
        const changeTracker = ts_textChanges_exports.ChangeTracker.fromContext({ host, formatContext, preferences });
        const shouldSort = mode === "SortAndCombine" || mode === "All";
        const shouldCombine = shouldSort;
        const shouldRemove = mode === "RemoveUnused" || mode === "All";
        const topLevelImportDecls = sourceFile.statements.filter(isImportDeclaration);
        const topLevelImportGroupDecls = groupByNewlineContiguous(sourceFile, topLevelImportDecls);
        const { comparersToTest, typeOrdersToTest } = getDetectionLists(preferences);
        const defaultComparer = comparersToTest[0];
        const comparer = {
          moduleSpecifierComparer: typeof preferences.organizeImportsIgnoreCase === "boolean" ? defaultComparer : void 0,
          namedImportComparer: typeof preferences.organizeImportsIgnoreCase === "boolean" ? defaultComparer : void 0,
          typeOrder: preferences.organizeImportsTypeOrder
        };
        if (typeof preferences.organizeImportsIgnoreCase !== "boolean") {
          ({ comparer: comparer.moduleSpecifierComparer } = detectModuleSpecifierCaseBySort(topLevelImportGroupDecls, comparersToTest));
        }
        if (!comparer.typeOrder || typeof preferences.organizeImportsIgnoreCase !== "boolean") {
          const namedImportSort = detectNamedImportOrganizationBySort(topLevelImportDecls, comparersToTest, typeOrdersToTest);
          if (namedImportSort) {
            const { namedImportComparer, typeOrder } = namedImportSort;
            comparer.namedImportComparer = comparer.namedImportComparer ?? namedImportComparer;
            comparer.typeOrder = comparer.typeOrder ?? typeOrder;
          }
        }
        topLevelImportGroupDecls.forEach((importGroupDecl) => organizeImportsWorker(importGroupDecl, comparer));
        if (mode !== "RemoveUnused") {
          getTopLevelExportGroups(sourceFile).forEach((exportGroupDecl) => organizeExportsWorker(exportGroupDecl, comparer.namedImportComparer));
        }
        for (const ambientModule of sourceFile.statements.filter(isAmbientModule)) {
          if (!ambientModule.body) continue;
          const ambientModuleImportGroupDecls = groupByNewlineContiguous(sourceFile, ambientModule.body.statements.filter(isImportDeclaration));
          ambientModuleImportGroupDecls.forEach((importGroupDecl) => organizeImportsWorker(importGroupDecl, comparer));
          if (mode !== "RemoveUnused") {
            const ambientModuleExportDecls = ambientModule.body.statements.filter(isExportDeclaration);
            organizeExportsWorker(ambientModuleExportDecls, comparer.namedImportComparer);
          }
        }
        return changeTracker.getChanges();
        function organizeDeclsWorker(oldImportDecls, coalesce) {
          if (length(oldImportDecls) === 0) {
            return;
          }
          setEmitFlags(
            oldImportDecls[0],
            1024
            /* NoLeadingComments */
          );
          const oldImportGroups = shouldCombine ? group(oldImportDecls, (importDecl) => getExternalModuleName2(importDecl.moduleSpecifier)) : [oldImportDecls];
          const sortedImportGroups = shouldSort ? stableSort(oldImportGroups, (group1, group2) => compareModuleSpecifiersWorker(group1[0].moduleSpecifier, group2[0].moduleSpecifier, comparer.moduleSpecifierComparer ?? defaultComparer)) : oldImportGroups;
          const newImportDecls = flatMap(sortedImportGroups, (importGroup) => getExternalModuleName2(importGroup[0].moduleSpecifier) || importGroup[0].moduleSpecifier === void 0 ? coalesce(importGroup) : importGroup);
          if (newImportDecls.length === 0) {
            changeTracker.deleteNodes(
              sourceFile,
              oldImportDecls,
              {
                leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude,
                trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Include
              },
              /*hasTrailingComment*/
              true
            );
          } else {
            const replaceOptions = {
              leadingTriviaOption: ts_textChanges_exports.LeadingTriviaOption.Exclude,
              // Leave header comment in place
              trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Include,
              suffix: getNewLineOrDefaultFromHost(host, formatContext.options)
            };
            changeTracker.replaceNodeWithNodes(sourceFile, oldImportDecls[0], newImportDecls, replaceOptions);
            const hasTrailingComment = changeTracker.nodeHasTrailingComment(sourceFile, oldImportDecls[0], replaceOptions);
            changeTracker.deleteNodes(sourceFile, oldImportDecls.slice(1), {
              trailingTriviaOption: ts_textChanges_exports.TrailingTriviaOption.Include
            }, hasTrailingComment);
          }
        }
        function organizeImportsWorker(oldImportDecls, comparer2) {
          const detectedModuleCaseComparer = comparer2.moduleSpecifierComparer ?? defaultComparer;
          const detectedNamedImportCaseComparer = comparer2.namedImportComparer ?? defaultComparer;
          const detectedTypeOrder = comparer2.typeOrder ?? "last";
          const specifierComparer = getNamedImportSpecifierComparer({ organizeImportsTypeOrder: detectedTypeOrder }, detectedNamedImportCaseComparer);
          const processImportsOfSameModuleSpecifier = (importGroup) => {
            if (shouldRemove) importGroup = removeUnusedImports(importGroup, sourceFile, program);
            if (shouldCombine) importGroup = coalesceImportsWorker(importGroup, detectedModuleCaseComparer, specifierComparer, sourceFile);
            if (shouldSort) importGroup = stableSort(importGroup, (s1, s2) => compareImportsOrRequireStatements(s1, s2, detectedModuleCaseComparer));
            return importGroup;
          };
          organizeDeclsWorker(oldImportDecls, processImportsOfSameModuleSpecifier);
        }
        function organizeExportsWorker(oldExportDecls, specifierCaseComparer) {
          const useComparer = getNamedImportSpecifierComparer(preferences, specifierCaseComparer);
          organizeDeclsWorker(oldExportDecls, (group2) => coalesceExportsWorker(group2, useComparer));
        }
      }
      function getDetectionLists(preferences) {
        return {
          comparersToTest: typeof preferences.organizeImportsIgnoreCase === "boolean" ? [getOrganizeImportsStringComparer(preferences, preferences.organizeImportsIgnoreCase)] : [getOrganizeImportsStringComparer(
            preferences,
            /*ignoreCase*/
            true
          ), getOrganizeImportsStringComparer(
            preferences,
            /*ignoreCase*/
            false
          )],
          typeOrdersToTest: preferences.organizeImportsTypeOrder ? [preferences.organizeImportsTypeOrder] : ["last", "inline", "first"]
        };
      }
      function groupByNewlineContiguous(sourceFile, decls) {
        const scanner2 = createScanner(
          sourceFile.languageVersion,
          /*skipTrivia*/
          false,
          sourceFile.languageVariant
        );
        const group2 = [];
        let groupIndex = 0;
        for (const decl of decls) {
          if (group2[groupIndex] && isNewGroup(sourceFile, decl, scanner2)) {
            groupIndex++;
          }
          if (!group2[groupIndex]) {
            group2[groupIndex] = [];
          }
          group2[groupIndex].push(decl);
        }
        return group2;
      }
      function isNewGroup(sourceFile, decl, scanner2) {
        const startPos = decl.getFullStart();
        const endPos = decl.getStart();
        scanner2.setText(sourceFile.text, startPos, endPos - startPos);
        let numberOfNewLines = 0;
        while (scanner2.getTokenStart() < endPos) {
          const tokenKind = scanner2.scan();
          if (tokenKind === 4) {
            numberOfNewLines++;
            if (numberOfNewLines >= 2) {
              return true;
            }
          }
        }
        return false;
      }
      function getTopLevelExportGroups(sourceFile) {
        const topLevelExportGroups = [];
        const statements = sourceFile.statements;
        const len = length(statements);
        let i = 0;
        let groupIndex = 0;
        while (i < len) {
          if (isExportDeclaration(statements[i])) {
            if (topLevelExportGroups[groupIndex] === void 0) {
              topLevelExportGroups[groupIndex] = [];
            }
            const exportDecl = statements[i];
            if (exportDecl.moduleSpecifier) {
              topLevelExportGroups[groupIndex].push(exportDecl);
              i++;
            } else {
              while (i < len && isExportDeclaration(statements[i])) {
                topLevelExportGroups[groupIndex].push(statements[i++]);
              }
              groupIndex++;
            }
          } else {
            i++;
          }
        }
        return flatMap(topLevelExportGroups, (exportGroupDecls) => groupByNewlineContiguous(sourceFile, exportGroupDecls));
      }
      function removeUnusedImports(oldImports, sourceFile, program) {
        const typeChecker = program.getTypeChecker();
        const compilerOptions = program.getCompilerOptions();
        const jsxNamespace = typeChecker.getJsxNamespace(sourceFile);
        const jsxFragmentFactory = typeChecker.getJsxFragmentFactory(sourceFile);
        const jsxElementsPresent = !!(sourceFile.transformFlags & 2);
        const usedImports = [];
        for (const importDecl of oldImports) {
          const { importClause, moduleSpecifier } = importDecl;
          if (!importClause) {
            usedImports.push(importDecl);
            continue;
          }
          let { name, namedBindings } = importClause;
          if (name && !isDeclarationUsed(name)) {
            name = void 0;
          }
          if (namedBindings) {
            if (isNamespaceImport(namedBindings)) {
              if (!isDeclarationUsed(namedBindings.name)) {
                namedBindings = void 0;
              }
            } else {
              const newElements = namedBindings.elements.filter((e) => isDeclarationUsed(e.name));
              if (newElements.length < namedBindings.elements.length) {
                namedBindings = newElements.length ? factory.updateNamedImports(namedBindings, newElements) : void 0;
              }
            }
          }
          if (name || namedBindings) {
            usedImports.push(updateImportDeclarationAndClause(importDecl, name, namedBindings));
          } else if (hasModuleDeclarationMatchingSpecifier(sourceFile, moduleSpecifier)) {
            if (sourceFile.isDeclarationFile) {
              usedImports.push(factory.createImportDeclaration(
                importDecl.modifiers,
                /*importClause*/
                void 0,
                moduleSpecifier,
                /*attributes*/
                void 0
              ));
            } else {
              usedImports.push(importDecl);
            }
          }
        }
        return usedImports;
        function isDeclarationUsed(identifier) {
          return jsxElementsPresent && (identifier.text === jsxNamespace || jsxFragmentFactory && identifier.text === jsxFragmentFactory) && jsxModeNeedsExplicitImport(compilerOptions.jsx) || ts_FindAllReferences_exports.Core.isSymbolReferencedInFile(identifier, typeChecker, sourceFile);
        }
      }
      function getExternalModuleName2(specifier) {
        return specifier !== void 0 && isStringLiteralLike(specifier) ? specifier.text : void 0;
      }
      function getCategorizedImports(importGroup) {
        let importWithoutClause;
        const typeOnlyImports = { defaultImports: [], namespaceImports: [], namedImports: [] };
        const regularImports = { defaultImports: [], namespaceImports: [], namedImports: [] };
        for (const importDeclaration of importGroup) {
          if (importDeclaration.importClause === void 0) {
            importWithoutClause = importWithoutClause || importDeclaration;
            continue;
          }
          const group2 = importDeclaration.importClause.isTypeOnly ? typeOnlyImports : regularImports;
          const { name, namedBindings } = importDeclaration.importClause;
          if (name) {
            group2.defaultImports.push(importDeclaration);
          }
          if (namedBindings) {
            if (isNamespaceImport(namedBindings)) {
              group2.namespaceImports.push(importDeclaration);
            } else {
              group2.namedImports.push(importDeclaration);
            }
          }
        }
        return {
          importWithoutClause,
          typeOnlyImports,
          regularImports
        };
      }
      function coalesceImportsWorker(importGroup, comparer, specifierComparer, sourceFile) {
        if (importGroup.length === 0) {
          return importGroup;
        }
        const importGroupsByAttributes = groupBy(importGroup, (decl) => {
          if (decl.attributes) {
            let attrs = decl.attributes.token + " ";
            for (const x of sort(decl.attributes.elements, (x2, y) => compareStringsCaseSensitive(x2.name.text, y.name.text))) {
              attrs += x.name.text + ":";
              attrs += isStringLiteralLike(x.value) ? `"${x.value.text}"` : x.value.getText() + " ";
            }
            return attrs;
          }
          return "";
        });
        const coalescedImports = [];
        for (const attribute in importGroupsByAttributes) {
          const importGroupSameAttrs = importGroupsByAttributes[attribute];
          const { importWithoutClause, typeOnlyImports, regularImports } = getCategorizedImports(importGroupSameAttrs);
          if (importWithoutClause) {
            coalescedImports.push(importWithoutClause);
          }
          for (const group2 of [regularImports, typeOnlyImports]) {
            const isTypeOnly = group2 === typeOnlyImports;
            const { defaultImports, namespaceImports, namedImports } = group2;
            if (!isTypeOnly && defaultImports.length === 1 && namespaceImports.length === 1 && namedImports.length === 0) {
              const defaultImport = defaultImports[0];
              coalescedImports.push(
                updateImportDeclarationAndClause(defaultImport, defaultImport.importClause.name, namespaceImports[0].importClause.namedBindings)
              );
              continue;
            }
            const sortedNamespaceImports = stableSort(namespaceImports, (i1, i2) => comparer(i1.importClause.namedBindings.name.text, i2.importClause.namedBindings.name.text));
            for (const namespaceImport of sortedNamespaceImports) {
              coalescedImports.push(
                updateImportDeclarationAndClause(
                  namespaceImport,
                  /*name*/
                  void 0,
                  namespaceImport.importClause.namedBindings
                )
              );
            }
            const firstDefaultImport = firstOrUndefined(defaultImports);
            const firstNamedImport = firstOrUndefined(namedImports);
            const importDecl = firstDefaultImport ?? firstNamedImport;
            if (!importDecl) {
              continue;
            }
            let newDefaultImport;
            const newImportSpecifiers = [];
            if (defaultImports.length === 1) {
              newDefaultImport = defaultImports[0].importClause.name;
            } else {
              for (const defaultImport of defaultImports) {
                newImportSpecifiers.push(
                  factory.createImportSpecifier(
                    /*isTypeOnly*/
                    false,
                    factory.createIdentifier("default"),
                    defaultImport.importClause.name
                  )
                );
              }
            }
            newImportSpecifiers.push(...getNewImportSpecifiers(namedImports));
            const sortedImportSpecifiers = factory.createNodeArray(
              stableSort(newImportSpecifiers, specifierComparer),
              firstNamedImport == null ? void 0 : firstNamedImport.importClause.namedBindings.elements.hasTrailingComma
            );
            const newNamedImports = sortedImportSpecifiers.length === 0 ? newDefaultImport ? void 0 : factory.createNamedImports(emptyArray) : firstNamedImport ? factory.updateNamedImports(firstNamedImport.importClause.namedBindings, sortedImportSpecifiers) : factory.createNamedImports(sortedImportSpecifiers);
            if (sourceFile && newNamedImports && (firstNamedImport == null ? void 0 : firstNamedImport.importClause.namedBindings) && !rangeIsOnSingleLine(firstNamedImport.importClause.namedBindings, sourceFile)) {
              setEmitFlags(
                newNamedImports,
                2
                /* MultiLine */
              );
            }
            if (isTypeOnly && newDefaultImport && newNamedImports) {
              coalescedImports.push(
                updateImportDeclarationAndClause(
                  importDecl,
                  newDefaultImport,
                  /*namedBindings*/
                  void 0
                )
              );
              coalescedImports.push(
                updateImportDeclarationAndClause(
                  firstNamedImport ?? importDecl,
                  /*name*/
                  void 0,
                  newNamedImports
                )
              );
            } else {
              coalescedImports.push(
                updateImportDeclarationAndClause(importDecl, newDefaultImport, newNamedImports)
              );
            }
          }
        }
        return coalescedImports;
      }
      function coalesceExportsWorker(exportGroup, specifierComparer) {
        if (exportGroup.length === 0) {
          return exportGroup;
        }
        const { exportWithoutClause, namedExports, typeOnlyExports } = getCategorizedExports(exportGroup);
        const coalescedExports = [];
        if (exportWithoutClause) {
          coalescedExports.push(exportWithoutClause);
        }
        for (const exportGroup2 of [namedExports, typeOnlyExports]) {
          if (exportGroup2.length === 0) {
            continue;
          }
          const newExportSpecifiers = [];
          newExportSpecifiers.push(...flatMap(exportGroup2, (i) => i.exportClause && isNamedExports(i.exportClause) ? i.exportClause.elements : emptyArray));
          const sortedExportSpecifiers = stableSort(newExportSpecifiers, specifierComparer);
          const exportDecl = exportGroup2[0];
          coalescedExports.push(
            factory.updateExportDeclaration(
              exportDecl,
              exportDecl.modifiers,
              exportDecl.isTypeOnly,
              exportDecl.exportClause && (isNamedExports(exportDecl.exportClause) ? factory.updateNamedExports(exportDecl.exportClause, sortedExportSpecifiers) : factory.updateNamespaceExport(exportDecl.exportClause, exportDecl.exportClause.name)),
              exportDecl.moduleSpecifier,
              exportDecl.attributes
            )
          );
        }
        return coalescedExports;
        function getCategorizedExports(exportGroup2) {
          let exportWithoutClause2;
          const namedExports2 = [];
          const typeOnlyExports2 = [];
          for (const exportDeclaration of exportGroup2) {
            if (exportDeclaration.exportClause === void 0) {
              exportWithoutClause2 = exportWithoutClause2 || exportDeclaration;
            } else if (exportDeclaration.isTypeOnly) {
              typeOnlyExports2.push(exportDeclaration);
            } else {
              namedExports2.push(exportDeclaration);
            }
          }
          return {
            exportWithoutClause: exportWithoutClause2,
            namedExports: namedExports2,
            typeOnlyExports: typeOnlyExports2
          };
        }
      }
      function updateImportDeclarationAndClause(importDeclaration, name, namedBindings) {
        return factory.updateImportDeclaration(
          importDeclaration,
          importDeclaration.modifiers,
          factory.updateImportClause(importDeclaration.importClause, importDeclaration.importClause.isTypeOnly, name, namedBindings),
          // TODO: GH#18217
          importDeclaration.moduleSpecifier,
          importDeclaration.attributes
        );
      }
      function compareImportOrExportSpecifiers(s1, s2, comparer, preferences) {
        switch (preferences == null ? void 0 : preferences.organizeImportsTypeOrder) {
          case "first":
            return compareBooleans(s2.isTypeOnly, s1.isTypeOnly) || comparer(s1.name.text, s2.name.text);
          case "inline":
            return comparer(s1.name.text, s2.name.text);
          default:
            return compareBooleans(s1.isTypeOnly, s2.isTypeOnly) || comparer(s1.name.text, s2.name.text);
        }
      }
      function compareModuleSpecifiersWorker(m1, m2, comparer) {
        const name1 = m1 === void 0 ? void 0 : getExternalModuleName2(m1);
        const name2 = m2 === void 0 ? void 0 : getExternalModuleName2(m2);
        return compareBooleans(name1 === void 0, name2 === void 0) || compareBooleans(isExternalModuleNameRelative(name1), isExternalModuleNameRelative(name2)) || comparer(name1, name2);
      }
      function getModuleNamesFromDecls(decls) {
        return decls.map((s) => getExternalModuleName2(getModuleSpecifierExpression(s)) || "");
      }
      function getModuleSpecifierExpression(declaration) {
        var _a;
        switch (declaration.kind) {
          case 271:
            return (_a = tryCast(declaration.moduleReference, isExternalModuleReference)) == null ? void 0 : _a.expression;
          case 272:
            return declaration.moduleSpecifier;
          case 243:
            return declaration.declarationList.declarations[0].initializer.arguments[0];
        }
      }
      function hasModuleDeclarationMatchingSpecifier(sourceFile, moduleSpecifier) {
        const moduleSpecifierText = isStringLiteral2(moduleSpecifier) && moduleSpecifier.text;
        return isString2(moduleSpecifierText) && some(sourceFile.moduleAugmentations, (moduleName) => isStringLiteral2(moduleName) && moduleName.text === moduleSpecifierText);
      }
      function getNewImportSpecifiers(namedImports) {
        return flatMap(namedImports, (namedImport) => map(tryGetNamedBindingElements(namedImport), (importSpecifier) => importSpecifier.name && importSpecifier.propertyName && importSpecifier.name.escapedText === importSpecifier.propertyName.escapedText ? factory.updateImportSpecifier(
          importSpecifier,
          importSpecifier.isTypeOnly,
          /*propertyName*/
          void 0,
          importSpecifier.name
        ) : importSpecifier));
      }
      function tryGetNamedBindingElements(namedImport) {
        var _a;
        return ((_a = namedImport.importClause) == null ? void 0 : _a.namedBindings) && isNamedImports(namedImport.importClause.namedBindings) ? namedImport.importClause.namedBindings.elements : void 0;
      }
      function detectModuleSpecifierCaseBySort(importDeclsByGroup, comparersToTest) {
        const moduleSpecifiersByGroup = [];
        importDeclsByGroup.forEach((importGroup) => {
          moduleSpecifiersByGroup.push(getModuleNamesFromDecls(importGroup));
        });
        return detectCaseSensitivityBySort(moduleSpecifiersByGroup, comparersToTest);
      }
      function detectNamedImportOrganizationBySort(originalGroups, comparersToTest, typesToTest) {
        let bothNamedImports = false;
        const importDeclsWithNamed = originalGroups.filter((i) => {
          var _a, _b;
          const namedImports = (_b = tryCast((_a = i.importClause) == null ? void 0 : _a.namedBindings, isNamedImports)) == null ? void 0 : _b.elements;
          if (!(namedImports == null ? void 0 : namedImports.length)) return false;
          if (!bothNamedImports && namedImports.some((n) => n.isTypeOnly) && namedImports.some((n) => !n.isTypeOnly)) {
            bothNamedImports = true;
          }
          return true;
        });
        if (importDeclsWithNamed.length === 0) return;
        const namedImportsByDecl = importDeclsWithNamed.map((importDecl) => {
          var _a, _b;
          return (_b = tryCast((_a = importDecl.importClause) == null ? void 0 : _a.namedBindings, isNamedImports)) == null ? void 0 : _b.elements;
        }).filter((elements) => elements !== void 0);
        if (!bothNamedImports || typesToTest.length === 0) {
          const sortState = detectCaseSensitivityBySort(namedImportsByDecl.map((i) => i.map((n) => n.name.text)), comparersToTest);
          return {
            namedImportComparer: sortState.comparer,
            typeOrder: typesToTest.length === 1 ? typesToTest[0] : void 0,
            isSorted: sortState.isSorted
          };
        }
        const bestDiff = { first: Infinity, last: Infinity, inline: Infinity };
        const bestComparer = { first: comparersToTest[0], last: comparersToTest[0], inline: comparersToTest[0] };
        for (const curComparer of comparersToTest) {
          const currDiff = { first: 0, last: 0, inline: 0 };
          for (const importDecl of namedImportsByDecl) {
            for (const typeOrder of typesToTest) {
              currDiff[typeOrder] = (currDiff[typeOrder] ?? 0) + measureSortedness(importDecl, (n1, n2) => compareImportOrExportSpecifiers(n1, n2, curComparer, { organizeImportsTypeOrder: typeOrder }));
            }
          }
          for (const key of typesToTest) {
            const typeOrder = key;
            if (currDiff[typeOrder] < bestDiff[typeOrder]) {
              bestDiff[typeOrder] = currDiff[typeOrder];
              bestComparer[typeOrder] = curComparer;
            }
          }
        }
        outer: for (const bestKey of typesToTest) {
          const bestTypeOrder = bestKey;
          for (const testKey of typesToTest) {
            const testTypeOrder = testKey;
            if (bestDiff[testTypeOrder] < bestDiff[bestTypeOrder]) continue outer;
          }
          return { namedImportComparer: bestComparer[bestTypeOrder], typeOrder: bestTypeOrder, isSorted: bestDiff[bestTypeOrder] === 0 };
        }
        return { namedImportComparer: bestComparer.last, typeOrder: "last", isSorted: bestDiff.last === 0 };
      }
      function measureSortedness(arr, comparer) {
        let i = 0;
        for (let j = 0; j < arr.length - 1; j++) {
          if (comparer(arr[j], arr[j + 1]) > 0) {
            i++;
          }
        }
        return i;
      }
      function detectCaseSensitivityBySort(originalGroups, comparersToTest) {
        let bestComparer;
        let bestDiff = Infinity;
        for (const curComparer of comparersToTest) {
          let diffOfCurrentComparer = 0;
          for (const listToSort of originalGroups) {
            if (listToSort.length <= 1) continue;
            const diff = measureSortedness(listToSort, curComparer);
            diffOfCurrentComparer += diff;
          }
          if (diffOfCurrentComparer < bestDiff) {
            bestDiff = diffOfCurrentComparer;
            bestComparer = curComparer;
          }
        }
        return {
          comparer: bestComparer ?? comparersToTest[0],
          isSorted: bestDiff === 0
        };
      }
      function compareImportKind(s1, s2) {
        return compareValues(getImportKindOrder(s1), getImportKindOrder(s2));
      }
      function getImportKindOrder(s1) {
        var _a;
        switch (s1.kind) {
          case 272:
            if (!s1.importClause) return 0;
            if (s1.importClause.isTypeOnly) return 1;
            if (((_a = s1.importClause.namedBindings) == null ? void 0 : _a.kind) === 274) return 2;
            if (s1.importClause.name) return 3;
            return 4;
          case 271:
            return 5;
          case 243:
            return 6;
        }
      }
      function getOrganizeImportsOrdinalStringComparer(ignoreCase) {
        return ignoreCase ? compareStringsCaseInsensitiveEslintCompatible : compareStringsCaseSensitive;
      }
      function getOrganizeImportsUnicodeStringComparer(ignoreCase, preferences) {
        const resolvedLocale = getOrganizeImportsLocale(preferences);
        const caseFirst = preferences.organizeImportsCaseFirst ?? false;
        const numeric = preferences.organizeImportsNumericCollation ?? false;
        const accents = preferences.organizeImportsAccentCollation ?? true;
        const sensitivity = ignoreCase ? accents ? "accent" : "base" : accents ? "variant" : "case";
        const collator = new Intl.Collator(resolvedLocale, {
          usage: "sort",
          caseFirst: caseFirst || "false",
          sensitivity,
          numeric
        });
        return collator.compare;
      }
      function getOrganizeImportsLocale(preferences) {
        let locale = preferences.organizeImportsLocale;
        if (locale === "auto") locale = getUILocale();
        if (locale === void 0) locale = "en";
        const supportedLocales = Intl.Collator.supportedLocalesOf(locale);
        const resolvedLocale = supportedLocales.length ? supportedLocales[0] : "en";
        return resolvedLocale;
      }
      function getOrganizeImportsStringComparer(preferences, ignoreCase) {
        const collation = preferences.organizeImportsCollation ?? "ordinal";
        return collation === "unicode" ? getOrganizeImportsUnicodeStringComparer(ignoreCase, preferences) : getOrganizeImportsOrdinalStringComparer(ignoreCase);
      }
      function getOrganizeImportsStringComparerWithDetection(originalImportDecls, preferences) {
        return detectModuleSpecifierCaseBySort([originalImportDecls], getDetectionLists(preferences).comparersToTest);
      }
      function getNamedImportSpecifierComparer(preferences, comparer) {
        const stringComparer = comparer ?? getOrganizeImportsOrdinalStringComparer(!!preferences.organizeImportsIgnoreCase);
        return (s1, s2) => compareImportOrExportSpecifiers(s1, s2, stringComparer, preferences);
      }
      function getNamedImportSpecifierComparerWithDetection(importDecl, preferences, sourceFile) {
        const { comparersToTest, typeOrdersToTest } = getDetectionLists(preferences);
        const detectFromDecl = detectNamedImportOrganizationBySort([importDecl], comparersToTest, typeOrdersToTest);
        let specifierComparer = getNamedImportSpecifierComparer(preferences, comparersToTest[0]);
        let isSorted;
        if (typeof preferences.organizeImportsIgnoreCase !== "boolean" || !preferences.organizeImportsTypeOrder) {
          if (detectFromDecl) {
            const { namedImportComparer, typeOrder, isSorted: isDetectedSorted } = detectFromDecl;
            isSorted = isDetectedSorted;
            specifierComparer = getNamedImportSpecifierComparer({ organizeImportsTypeOrder: typeOrder }, namedImportComparer);
          } else if (sourceFile) {
            const detectFromFile = detectNamedImportOrganizationBySort(sourceFile.statements.filter(isImportDeclaration), comparersToTest, typeOrdersToTest);
            if (detectFromFile) {
              const { namedImportComparer, typeOrder, isSorted: isDetectedSorted } = detectFromFile;
              isSorted = isDetectedSorted;
              specifierComparer = getNamedImportSpecifierComparer({ organizeImportsTypeOrder: typeOrder }, namedImportComparer);
            }
          }
        }
        return { specifierComparer, isSorted };
      }
      function getImportDeclarationInsertionIndex(sortedImports, newImport, comparer) {
        const index = binarySearch(sortedImports, newImport, identity2, (a, b) => compareImportsOrRequireStatements(a, b, comparer));
        return index < 0 ? ~index : index;
      }
      function getImportSpecifierInsertionIndex(sortedImports, newImport, comparer) {
        const index = binarySearch(sortedImports, newImport, identity2, comparer);
        return index < 0 ? ~index : index;
      }
      function compareImportsOrRequireStatements(s1, s2, comparer) {
        return compareModuleSpecifiersWorker(getModuleSpecifierExpression(s1), getModuleSpecifierExpression(s2), comparer) || compareImportKind(s1, s2);
      }
      function testCoalesceImports(importGroup, ignoreCase, sourceFile, preferences) {
        const comparer = getOrganizeImportsOrdinalStringComparer(ignoreCase);
        const specifierComparer = getNamedImportSpecifierComparer({ organizeImportsTypeOrder: preferences == null ? void 0 : preferences.organizeImportsTypeOrder }, comparer);
        return coalesceImportsWorker(importGroup, comparer, specifierComparer, sourceFile);
      }
      function testCoalesceExports(exportGroup, ignoreCase, preferences) {
        const comparer = (s1, s2) => compareImportOrExportSpecifiers(s1, s2, getOrganizeImportsOrdinalStringComparer(ignoreCase), { organizeImportsTypeOrder: (preferences == null ? void 0 : preferences.organizeImportsTypeOrder) ?? "last" });
        return coalesceExportsWorker(exportGroup, comparer);
      }
      function compareModuleSpecifiers2(m1, m2, ignoreCase) {
        const comparer = getOrganizeImportsOrdinalStringComparer(!!ignoreCase);
        return compareModuleSpecifiersWorker(m1, m2, comparer);
      }
      var ts_OutliningElementsCollector_exports = {};
      __export2(ts_OutliningElementsCollector_exports, {
        collectElements: () => collectElements
      });
      function collectElements(sourceFile, cancellationToken) {
        const res = [];
        addNodeOutliningSpans(sourceFile, cancellationToken, res);
        addRegionOutliningSpans(sourceFile, res);
        return res.sort((span1, span2) => span1.textSpan.start - span2.textSpan.start);
      }
      function addNodeOutliningSpans(sourceFile, cancellationToken, out) {
        let depthRemaining = 40;
        let current = 0;
        const statements = [...sourceFile.statements, sourceFile.endOfFileToken];
        const n = statements.length;
        while (current < n) {
          while (current < n && !isAnyImportSyntax(statements[current])) {
            visitNode3(statements[current]);
            current++;
          }
          if (current === n) break;
          const firstImport = current;
          while (current < n && isAnyImportSyntax(statements[current])) {
            visitNode3(statements[current]);
            current++;
          }
          const lastImport = current - 1;
          if (lastImport !== firstImport) {
            out.push(createOutliningSpanFromBounds(
              findChildOfKind(statements[firstImport], 102, sourceFile).getStart(sourceFile),
              statements[lastImport].getEnd(),
              "imports"
              /* Imports */
            ));
          }
        }
        function visitNode3(n2) {
          var _a;
          if (depthRemaining === 0) return;
          cancellationToken.throwIfCancellationRequested();
          if (isDeclaration(n2) || isVariableStatement(n2) || isReturnStatement(n2) || isCallOrNewExpression2(n2) || n2.kind === 1) {
            addOutliningForLeadingCommentsForNode(n2, sourceFile, cancellationToken, out);
          }
          if (isFunctionLike(n2) && isBinaryExpression(n2.parent) && isPropertyAccessExpression(n2.parent.left)) {
            addOutliningForLeadingCommentsForNode(n2.parent.left, sourceFile, cancellationToken, out);
          }
          if (isBlock(n2) || isModuleBlock(n2)) {
            addOutliningForLeadingCommentsForPos(n2.statements.end, sourceFile, cancellationToken, out);
          }
          if (isClassLike(n2) || isInterfaceDeclaration(n2)) {
            addOutliningForLeadingCommentsForPos(n2.members.end, sourceFile, cancellationToken, out);
          }
          const span = getOutliningSpanForNode(n2, sourceFile);
          if (span) out.push(span);
          depthRemaining--;
          if (isCallExpression2(n2)) {
            depthRemaining++;
            visitNode3(n2.expression);
            depthRemaining--;
            n2.arguments.forEach(visitNode3);
            (_a = n2.typeArguments) == null ? void 0 : _a.forEach(visitNode3);
          } else if (isIfStatement(n2) && n2.elseStatement && isIfStatement(n2.elseStatement)) {
            visitNode3(n2.expression);
            visitNode3(n2.thenStatement);
            depthRemaining++;
            visitNode3(n2.elseStatement);
            depthRemaining--;
          } else {
            n2.forEachChild(visitNode3);
          }
          depthRemaining++;
        }
      }
      function addRegionOutliningSpans(sourceFile, out) {
        const regions = [];
        const lineStarts = sourceFile.getLineStarts();
        for (const currentLineStart of lineStarts) {
          const lineEnd = sourceFile.getLineEndOfPosition(currentLineStart);
          const lineText = sourceFile.text.substring(currentLineStart, lineEnd);
          const result = isRegionDelimiter(lineText);
          if (!result || isInComment(sourceFile, currentLineStart)) {
            continue;
          }
          if (!result[1]) {
            const span = createTextSpanFromBounds(sourceFile.text.indexOf("//", currentLineStart), lineEnd);
            regions.push(createOutliningSpan(
              span,
              "region",
              span,
              /*autoCollapse*/
              false,
              result[2] || "#region"
            ));
          } else {
            const region = regions.pop();
            if (region) {
              region.textSpan.length = lineEnd - region.textSpan.start;
              region.hintSpan.length = lineEnd - region.textSpan.start;
              out.push(region);
            }
          }
        }
      }
      var regionDelimiterRegExp = /^#(end)?region(?:\s+(.*))?(?:\r)?$/;
      function isRegionDelimiter(lineText) {
        lineText = lineText.trimStart();
        if (!startsWith2(lineText, "//")) {
          return null;
        }
        lineText = lineText.slice(2).trim();
        return regionDelimiterRegExp.exec(lineText);
      }
      function addOutliningForLeadingCommentsForPos(pos, sourceFile, cancellationToken, out) {
        const comments = getLeadingCommentRanges(sourceFile.text, pos);
        if (!comments) return;
        let firstSingleLineCommentStart = -1;
        let lastSingleLineCommentEnd = -1;
        let singleLineCommentCount = 0;
        const sourceText = sourceFile.getFullText();
        for (const { kind, pos: pos2, end } of comments) {
          cancellationToken.throwIfCancellationRequested();
          switch (kind) {
            case 2:
              const commentText = sourceText.slice(pos2, end);
              if (isRegionDelimiter(commentText)) {
                combineAndAddMultipleSingleLineComments();
                singleLineCommentCount = 0;
                break;
              }
              if (singleLineCommentCount === 0) {
                firstSingleLineCommentStart = pos2;
              }
              lastSingleLineCommentEnd = end;
              singleLineCommentCount++;
              break;
            case 3:
              combineAndAddMultipleSingleLineComments();
              out.push(createOutliningSpanFromBounds(
                pos2,
                end,
                "comment"
                /* Comment */
              ));
              singleLineCommentCount = 0;
              break;
            default:
              Debug.assertNever(kind);
          }
        }
        combineAndAddMultipleSingleLineComments();
        function combineAndAddMultipleSingleLineComments() {
          if (singleLineCommentCount > 1) {
            out.push(createOutliningSpanFromBounds(
              firstSingleLineCommentStart,
              lastSingleLineCommentEnd,
              "comment"
              /* Comment */
            ));
          }
        }
      }
      function addOutliningForLeadingCommentsForNode(n, sourceFile, cancellationToken, out) {
        if (isJsxText(n)) return;
        addOutliningForLeadingCommentsForPos(n.pos, sourceFile, cancellationToken, out);
      }
      function createOutliningSpanFromBounds(pos, end, kind) {
        return createOutliningSpan(createTextSpanFromBounds(pos, end), kind);
      }
      function getOutliningSpanForNode(n, sourceFile) {
        switch (n.kind) {
          case 241:
            if (isFunctionLike(n.parent)) {
              return functionSpan(n.parent, n, sourceFile);
            }
            switch (n.parent.kind) {
              case 246:
              case 249:
              case 250:
              case 248:
              case 245:
              case 247:
              case 254:
              case 299:
                return spanForNode(n.parent);
              case 258:
                const tryStatement = n.parent;
                if (tryStatement.tryBlock === n) {
                  return spanForNode(n.parent);
                } else if (tryStatement.finallyBlock === n) {
                  const node = findChildOfKind(tryStatement, 98, sourceFile);
                  if (node) return spanForNode(node);
                }
              default:
                return createOutliningSpan(
                  createTextSpanFromNode(n, sourceFile),
                  "code"
                  /* Code */
                );
            }
          case 268:
            return spanForNode(n.parent);
          case 263:
          case 231:
          case 264:
          case 266:
          case 269:
          case 187:
          case 206:
            return spanForNode(n);
          case 189:
            return spanForNode(
              n,
              /*autoCollapse*/
              false,
              /*useFullStart*/
              !isTupleTypeNode(n.parent),
              23
              /* OpenBracketToken */
            );
          case 296:
          case 297:
            return spanForNodeArray(n.statements);
          case 210:
            return spanForObjectOrArrayLiteral(n);
          case 209:
            return spanForObjectOrArrayLiteral(
              n,
              23
              /* OpenBracketToken */
            );
          case 284:
            return spanForJSXElement(n);
          case 288:
            return spanForJSXFragment(n);
          case 285:
          case 286:
            return spanForJSXAttributes(n.attributes);
          case 228:
          case 15:
            return spanForTemplateLiteral(n);
          case 207:
            return spanForNode(
              n,
              /*autoCollapse*/
              false,
              /*useFullStart*/
              !isBindingElement(n.parent),
              23
              /* OpenBracketToken */
            );
          case 219:
            return spanForArrowFunction(n);
          case 213:
            return spanForCallExpression(n);
          case 217:
            return spanForParenthesizedExpression(n);
          case 275:
          case 279:
          case 300:
            return spanForImportExportElements(n);
        }
        function spanForImportExportElements(node) {
          if (!node.elements.length) {
            return void 0;
          }
          const openToken = findChildOfKind(node, 19, sourceFile);
          const closeToken = findChildOfKind(node, 20, sourceFile);
          if (!openToken || !closeToken || positionsAreOnSameLine(openToken.pos, closeToken.pos, sourceFile)) {
            return void 0;
          }
          return spanBetweenTokens(
            openToken,
            closeToken,
            node,
            sourceFile,
            /*autoCollapse*/
            false,
            /*useFullStart*/
            false
          );
        }
        function spanForCallExpression(node) {
          if (!node.arguments.length) {
            return void 0;
          }
          const openToken = findChildOfKind(node, 21, sourceFile);
          const closeToken = findChildOfKind(node, 22, sourceFile);
          if (!openToken || !closeToken || positionsAreOnSameLine(openToken.pos, closeToken.pos, sourceFile)) {
            return void 0;
          }
          return spanBetweenTokens(
            openToken,
            closeToken,
            node,
            sourceFile,
            /*autoCollapse*/
            false,
            /*useFullStart*/
            true
          );
        }
        function spanForArrowFunction(node) {
          if (isBlock(node.body) || isParenthesizedExpression(node.body) || positionsAreOnSameLine(node.body.getFullStart(), node.body.getEnd(), sourceFile)) {
            return void 0;
          }
          const textSpan = createTextSpanFromBounds(node.body.getFullStart(), node.body.getEnd());
          return createOutliningSpan(textSpan, "code", createTextSpanFromNode(node));
        }
        function spanForJSXElement(node) {
          const textSpan = createTextSpanFromBounds(node.openingElement.getStart(sourceFile), node.closingElement.getEnd());
          const tagName = node.openingElement.tagName.getText(sourceFile);
          const bannerText = "<" + tagName + ">...";
          return createOutliningSpan(
            textSpan,
            "code",
            textSpan,
            /*autoCollapse*/
            false,
            bannerText
          );
        }
        function spanForJSXFragment(node) {
          const textSpan = createTextSpanFromBounds(node.openingFragment.getStart(sourceFile), node.closingFragment.getEnd());
          const bannerText = "<>...";
          return createOutliningSpan(
            textSpan,
            "code",
            textSpan,
            /*autoCollapse*/
            false,
            bannerText
          );
        }
        function spanForJSXAttributes(node) {
          if (node.properties.length === 0) {
            return void 0;
          }
          return createOutliningSpanFromBounds(
            node.getStart(sourceFile),
            node.getEnd(),
            "code"
            /* Code */
          );
        }
        function spanForTemplateLiteral(node) {
          if (node.kind === 15 && node.text.length === 0) {
            return void 0;
          }
          return createOutliningSpanFromBounds(
            node.getStart(sourceFile),
            node.getEnd(),
            "code"
            /* Code */
          );
        }
        function spanForObjectOrArrayLiteral(node, open = 19) {
          return spanForNode(
            node,
            /*autoCollapse*/
            false,
            /*useFullStart*/
            !isArrayLiteralExpression(node.parent) && !isCallExpression2(node.parent),
            open
          );
        }
        function spanForNode(hintSpanNode, autoCollapse = false, useFullStart = true, open = 19, close = open === 19 ? 20 : 24) {
          const openToken = findChildOfKind(n, open, sourceFile);
          const closeToken = findChildOfKind(n, close, sourceFile);
          return openToken && closeToken && spanBetweenTokens(openToken, closeToken, hintSpanNode, sourceFile, autoCollapse, useFullStart);
        }
        function spanForNodeArray(nodeArray) {
          return nodeArray.length ? createOutliningSpan(
            createTextSpanFromRange(nodeArray),
            "code"
            /* Code */
          ) : void 0;
        }
        function spanForParenthesizedExpression(node) {
          if (positionsAreOnSameLine(node.getStart(), node.getEnd(), sourceFile)) return void 0;
          const textSpan = createTextSpanFromBounds(node.getStart(), node.getEnd());
          return createOutliningSpan(textSpan, "code", createTextSpanFromNode(node));
        }
      }
      function functionSpan(node, body, sourceFile) {
        const openToken = tryGetFunctionOpenToken(node, body, sourceFile);
        const closeToken = findChildOfKind(body, 20, sourceFile);
        return openToken && closeToken && spanBetweenTokens(
          openToken,
          closeToken,
          node,
          sourceFile,
          /*autoCollapse*/
          node.kind !== 219
          /* ArrowFunction */
        );
      }
      function spanBetweenTokens(openToken, closeToken, hintSpanNode, sourceFile, autoCollapse = false, useFullStart = true) {
        const textSpan = createTextSpanFromBounds(useFullStart ? openToken.getFullStart() : openToken.getStart(sourceFile), closeToken.getEnd());
        return createOutliningSpan(textSpan, "code", createTextSpanFromNode(hintSpanNode, sourceFile), autoCollapse);
      }
      function createOutliningSpan(textSpan, kind, hintSpan = textSpan, autoCollapse = false, bannerText = "...") {
        return { textSpan, kind, hintSpan, bannerText, autoCollapse };
      }
      function tryGetFunctionOpenToken(node, body, sourceFile) {
        if (isNodeArrayMultiLine(node.parameters, sourceFile)) {
          const openParenToken = findChildOfKind(node, 21, sourceFile);
          if (openParenToken) {
            return openParenToken;
          }
        }
        return findChildOfKind(body, 19, sourceFile);
      }
      var ts_Rename_exports = {};
      __export2(ts_Rename_exports, {
        getRenameInfo: () => getRenameInfo,
        nodeIsEligibleForRename: () => nodeIsEligibleForRename
      });
      function getRenameInfo(program, sourceFile, position, preferences) {
        const node = getAdjustedRenameLocation(getTouchingPropertyName(sourceFile, position));
        if (nodeIsEligibleForRename(node)) {
          const renameInfo = getRenameInfoForNode(node, program.getTypeChecker(), sourceFile, program, preferences);
          if (renameInfo) {
            return renameInfo;
          }
        }
        return getRenameInfoError(Diagnostics.You_cannot_rename_this_element);
      }
      function getRenameInfoForNode(node, typeChecker, sourceFile, program, preferences) {
        const symbol = typeChecker.getSymbolAtLocation(node);
        if (!symbol) {
          if (isStringLiteralLike(node)) {
            const type = getContextualTypeFromParentOrAncestorTypeNode(node, typeChecker);
            if (type && (type.flags & 128 || type.flags & 1048576 && every(type.types, (type2) => !!(type2.flags & 128)))) {
              return getRenameInfoSuccess(node.text, node.text, "string", "", node, sourceFile);
            }
          } else if (isLabelName(node)) {
            const name = getTextOfNode(node);
            return getRenameInfoSuccess(name, name, "label", "", node, sourceFile);
          }
          return void 0;
        }
        const { declarations } = symbol;
        if (!declarations || declarations.length === 0) return;
        if (declarations.some((declaration) => isDefinedInLibraryFile(program, declaration))) {
          return getRenameInfoError(Diagnostics.You_cannot_rename_elements_that_are_defined_in_the_standard_TypeScript_library);
        }
        if (isIdentifier(node) && node.escapedText === "default" && symbol.parent && symbol.parent.flags & 1536) {
          return void 0;
        }
        if (isStringLiteralLike(node) && tryGetImportFromModuleSpecifier(node)) {
          return preferences.allowRenameOfImportPath ? getRenameInfoForModule(node, sourceFile, symbol) : void 0;
        }
        const wouldRenameNodeModules = wouldRenameInOtherNodeModules(sourceFile, symbol, typeChecker, preferences);
        if (wouldRenameNodeModules) {
          return getRenameInfoError(wouldRenameNodeModules);
        }
        const kind = ts_SymbolDisplay_exports.getSymbolKind(typeChecker, symbol, node);
        const specifierName = isImportOrExportSpecifierName(node) || isStringOrNumericLiteralLike(node) && node.parent.kind === 167 ? stripQuotes(getTextOfIdentifierOrLiteral(node)) : void 0;
        const displayName = specifierName || typeChecker.symbolToString(symbol);
        const fullDisplayName = specifierName || typeChecker.getFullyQualifiedName(symbol);
        return getRenameInfoSuccess(displayName, fullDisplayName, kind, ts_SymbolDisplay_exports.getSymbolModifiers(typeChecker, symbol), node, sourceFile);
      }
      function isDefinedInLibraryFile(program, declaration) {
        const sourceFile = declaration.getSourceFile();
        return program.isSourceFileDefaultLibrary(sourceFile) && fileExtensionIs(
          sourceFile.fileName,
          ".d.ts"
          /* Dts */
        );
      }
      function wouldRenameInOtherNodeModules(originalFile, symbol, checker, preferences) {
        if (!preferences.providePrefixAndSuffixTextForRename && symbol.flags & 2097152) {
          const importSpecifier = symbol.declarations && find(symbol.declarations, (decl) => isImportSpecifier(decl));
          if (importSpecifier && !importSpecifier.propertyName) {
            symbol = checker.getAliasedSymbol(symbol);
          }
        }
        const { declarations } = symbol;
        if (!declarations) {
          return void 0;
        }
        const originalPackage = getPackagePathComponents(originalFile.path);
        if (originalPackage === void 0) {
          if (some(declarations, (declaration) => isInsideNodeModules(declaration.getSourceFile().path))) {
            return Diagnostics.You_cannot_rename_elements_that_are_defined_in_a_node_modules_folder;
          } else {
            return void 0;
          }
        }
        for (const declaration of declarations) {
          const declPackage = getPackagePathComponents(declaration.getSourceFile().path);
          if (declPackage) {
            const length2 = Math.min(originalPackage.length, declPackage.length);
            for (let i = 0; i <= length2; i++) {
              if (compareStringsCaseSensitive(originalPackage[i], declPackage[i]) !== 0) {
                return Diagnostics.You_cannot_rename_elements_that_are_defined_in_another_node_modules_folder;
              }
            }
          }
        }
        return void 0;
      }
      function getPackagePathComponents(filePath) {
        const components = getPathComponents(filePath);
        const nodeModulesIdx = components.lastIndexOf("node_modules");
        if (nodeModulesIdx === -1) {
          return void 0;
        }
        return components.slice(0, nodeModulesIdx + 2);
      }
      function getRenameInfoForModule(node, sourceFile, moduleSymbol) {
        if (!isExternalModuleNameRelative(node.text)) {
          return getRenameInfoError(Diagnostics.You_cannot_rename_a_module_via_a_global_import);
        }
        const moduleSourceFile = moduleSymbol.declarations && find(moduleSymbol.declarations, isSourceFile);
        if (!moduleSourceFile) return void 0;
        const withoutIndex = endsWith(node.text, "/index") || endsWith(node.text, "/index.js") ? void 0 : tryRemoveSuffix(removeFileExtension(moduleSourceFile.fileName), "/index");
        const fileName = withoutIndex === void 0 ? moduleSourceFile.fileName : withoutIndex;
        const kind = withoutIndex === void 0 ? "module" : "directory";
        const indexAfterLastSlash = node.text.lastIndexOf("/") + 1;
        const triggerSpan = createTextSpan(node.getStart(sourceFile) + 1 + indexAfterLastSlash, node.text.length - indexAfterLastSlash);
        return {
          canRename: true,
          fileToRename: fileName,
          kind,
          displayName: fileName,
          fullDisplayName: node.text,
          kindModifiers: "",
          triggerSpan
        };
      }
      function getRenameInfoSuccess(displayName, fullDisplayName, kind, kindModifiers, node, sourceFile) {
        return {
          canRename: true,
          fileToRename: void 0,
          kind,
          displayName,
          fullDisplayName,
          kindModifiers,
          triggerSpan: createTriggerSpanForNode(node, sourceFile)
        };
      }
      function getRenameInfoError(diagnostic) {
        return { canRename: false, localizedErrorMessage: getLocaleSpecificMessage(diagnostic) };
      }
      function createTriggerSpanForNode(node, sourceFile) {
        let start = node.getStart(sourceFile);
        let width = node.getWidth(sourceFile);
        if (isStringLiteralLike(node)) {
          start += 1;
          width -= 2;
        }
        return createTextSpan(start, width);
      }
      function nodeIsEligibleForRename(node) {
        switch (node.kind) {
          case 80:
          case 81:
          case 11:
          case 15:
          case 110:
            return true;
          case 9:
            return isLiteralNameOfPropertyDeclarationOrIndexAccess(node);
          default:
            return false;
        }
      }
      var ts_SignatureHelp_exports = {};
      __export2(ts_SignatureHelp_exports, {
        getArgumentInfoForCompletions: () => getArgumentInfoForCompletions,
        getSignatureHelpItems: () => getSignatureHelpItems
      });
      function getSignatureHelpItems(program, sourceFile, position, triggerReason, cancellationToken) {
        const typeChecker = program.getTypeChecker();
        const startingToken = findTokenOnLeftOfPosition(sourceFile, position);
        if (!startingToken) {
          return void 0;
        }
        const onlyUseSyntacticOwners = !!triggerReason && triggerReason.kind === "characterTyped";
        if (onlyUseSyntacticOwners && (isInString(sourceFile, position, startingToken) || isInComment(sourceFile, position))) {
          return void 0;
        }
        const isManuallyInvoked = !!triggerReason && triggerReason.kind === "invoked";
        const argumentInfo = getContainingArgumentInfo(startingToken, position, sourceFile, typeChecker, isManuallyInvoked);
        if (!argumentInfo) return void 0;
        cancellationToken.throwIfCancellationRequested();
        const candidateInfo = getCandidateOrTypeInfo(argumentInfo, typeChecker, sourceFile, startingToken, onlyUseSyntacticOwners);
        cancellationToken.throwIfCancellationRequested();
        if (!candidateInfo) {
          return isSourceFileJS(sourceFile) ? createJSSignatureHelpItems(argumentInfo, program, cancellationToken) : void 0;
        }
        return typeChecker.runWithCancellationToken(cancellationToken, (typeChecker2) => candidateInfo.kind === 0 ? createSignatureHelpItems(candidateInfo.candidates, candidateInfo.resolvedSignature, argumentInfo, sourceFile, typeChecker2) : createTypeHelpItems(candidateInfo.symbol, argumentInfo, sourceFile, typeChecker2));
      }
      function getCandidateOrTypeInfo({ invocation, argumentCount }, checker, sourceFile, startingToken, onlyUseSyntacticOwners) {
        switch (invocation.kind) {
          case 0: {
            if (onlyUseSyntacticOwners && !isSyntacticOwner(startingToken, invocation.node, sourceFile)) {
              return void 0;
            }
            const candidates = [];
            const resolvedSignature = checker.getResolvedSignatureForSignatureHelp(invocation.node, candidates, argumentCount);
            return candidates.length === 0 ? void 0 : { kind: 0, candidates, resolvedSignature };
          }
          case 1: {
            const { called } = invocation;
            if (onlyUseSyntacticOwners && !containsPrecedingToken(startingToken, sourceFile, isIdentifier(called) ? called.parent : called)) {
              return void 0;
            }
            const candidates = getPossibleGenericSignatures(called, argumentCount, checker);
            if (candidates.length !== 0) return { kind: 0, candidates, resolvedSignature: first(candidates) };
            const symbol = checker.getSymbolAtLocation(called);
            return symbol && { kind: 1, symbol };
          }
          case 2:
            return { kind: 0, candidates: [invocation.signature], resolvedSignature: invocation.signature };
          default:
            return Debug.assertNever(invocation);
        }
      }
      function isSyntacticOwner(startingToken, node, sourceFile) {
        if (!isCallOrNewExpression2(node)) return false;
        const invocationChildren = node.getChildren(sourceFile);
        switch (startingToken.kind) {
          case 21:
            return contains(invocationChildren, startingToken);
          case 28: {
            const containingList = findContainingList(startingToken);
            return !!containingList && contains(invocationChildren, containingList);
          }
          case 30:
            return containsPrecedingToken(startingToken, sourceFile, node.expression);
          default:
            return false;
        }
      }
      function createJSSignatureHelpItems(argumentInfo, program, cancellationToken) {
        if (argumentInfo.invocation.kind === 2) return void 0;
        const expression = getExpressionFromInvocation(argumentInfo.invocation);
        const name = isPropertyAccessExpression(expression) ? expression.name.text : void 0;
        const typeChecker = program.getTypeChecker();
        return name === void 0 ? void 0 : firstDefined(program.getSourceFiles(), (sourceFile) => firstDefined(sourceFile.getNamedDeclarations().get(name), (declaration) => {
          const type = declaration.symbol && typeChecker.getTypeOfSymbolAtLocation(declaration.symbol, declaration);
          const callSignatures = type && type.getCallSignatures();
          if (callSignatures && callSignatures.length) {
            return typeChecker.runWithCancellationToken(
              cancellationToken,
              (typeChecker2) => createSignatureHelpItems(
                callSignatures,
                callSignatures[0],
                argumentInfo,
                sourceFile,
                typeChecker2,
                /*useFullPrefix*/
                true
              )
            );
          }
        }));
      }
      function containsPrecedingToken(startingToken, sourceFile, container) {
        const pos = startingToken.getFullStart();
        let currentParent = startingToken.parent;
        while (currentParent) {
          const precedingToken = findPrecedingToken(
            pos,
            sourceFile,
            currentParent,
            /*excludeJsdoc*/
            true
          );
          if (precedingToken) {
            return rangeContainsRange(container, precedingToken);
          }
          currentParent = currentParent.parent;
        }
        return Debug.fail("Could not find preceding token");
      }
      function getArgumentInfoForCompletions(node, position, sourceFile, checker) {
        const info = getImmediatelyContainingArgumentInfo(node, position, sourceFile, checker);
        return !info || info.isTypeParameterList || info.invocation.kind !== 0 ? void 0 : { invocation: info.invocation.node, argumentCount: info.argumentCount, argumentIndex: info.argumentIndex };
      }
      function getArgumentOrParameterListInfo(node, position, sourceFile, checker) {
        const info = getArgumentOrParameterListAndIndex(node, sourceFile, checker);
        if (!info) return void 0;
        const { list, argumentIndex } = info;
        const argumentCount = getArgumentCount(checker, list);
        if (argumentIndex !== 0) {
          Debug.assertLessThan(argumentIndex, argumentCount);
        }
        const argumentsSpan = getApplicableSpanForArguments(list, sourceFile);
        return { list, argumentIndex, argumentCount, argumentsSpan };
      }
      function getArgumentOrParameterListAndIndex(node, sourceFile, checker) {
        if (node.kind === 30 || node.kind === 21) {
          return { list: getChildListThatStartsWithOpenerToken(node.parent, node, sourceFile), argumentIndex: 0 };
        } else {
          const list = findContainingList(node);
          return list && { list, argumentIndex: getArgumentIndex(checker, list, node) };
        }
      }
      function getImmediatelyContainingArgumentInfo(node, position, sourceFile, checker) {
        const { parent: parent2 } = node;
        if (isCallOrNewExpression2(parent2)) {
          const invocation = parent2;
          const info = getArgumentOrParameterListInfo(node, position, sourceFile, checker);
          if (!info) return void 0;
          const { list, argumentIndex, argumentCount, argumentsSpan } = info;
          const isTypeParameterList = !!parent2.typeArguments && parent2.typeArguments.pos === list.pos;
          return { isTypeParameterList, invocation: { kind: 0, node: invocation }, argumentsSpan, argumentIndex, argumentCount };
        } else if (isNoSubstitutionTemplateLiteral(node) && isTaggedTemplateExpression(parent2)) {
          if (isInsideTemplateLiteral(node, position, sourceFile)) {
            return getArgumentListInfoForTemplate(
              parent2,
              /*argumentIndex*/
              0,
              sourceFile
            );
          }
          return void 0;
        } else if (isTemplateHead(node) && parent2.parent.kind === 215) {
          const templateExpression = parent2;
          const tagExpression = templateExpression.parent;
          Debug.assert(
            templateExpression.kind === 228
            /* TemplateExpression */
          );
          const argumentIndex = isInsideTemplateLiteral(node, position, sourceFile) ? 0 : 1;
          return getArgumentListInfoForTemplate(tagExpression, argumentIndex, sourceFile);
        } else if (isTemplateSpan(parent2) && isTaggedTemplateExpression(parent2.parent.parent)) {
          const templateSpan = parent2;
          const tagExpression = parent2.parent.parent;
          if (isTemplateTail(node) && !isInsideTemplateLiteral(node, position, sourceFile)) {
            return void 0;
          }
          const spanIndex = templateSpan.parent.templateSpans.indexOf(templateSpan);
          const argumentIndex = getArgumentIndexForTemplatePiece(spanIndex, node, position, sourceFile);
          return getArgumentListInfoForTemplate(tagExpression, argumentIndex, sourceFile);
        } else if (isJsxOpeningLikeElement(parent2)) {
          const attributeSpanStart = parent2.attributes.pos;
          const attributeSpanEnd = skipTrivia(
            sourceFile.text,
            parent2.attributes.end,
            /*stopAfterLineBreak*/
            false
          );
          return {
            isTypeParameterList: false,
            invocation: { kind: 0, node: parent2 },
            argumentsSpan: createTextSpan(attributeSpanStart, attributeSpanEnd - attributeSpanStart),
            argumentIndex: 0,
            argumentCount: 1
          };
        } else {
          const typeArgInfo = getPossibleTypeArgumentsInfo(node, sourceFile);
          if (typeArgInfo) {
            const { called, nTypeArguments } = typeArgInfo;
            const invocation = { kind: 1, called };
            const argumentsSpan = createTextSpanFromBounds(called.getStart(sourceFile), node.end);
            return { isTypeParameterList: true, invocation, argumentsSpan, argumentIndex: nTypeArguments, argumentCount: nTypeArguments + 1 };
          }
          return void 0;
        }
      }
      function getImmediatelyContainingArgumentOrContextualParameterInfo(node, position, sourceFile, checker) {
        return tryGetParameterInfo(node, position, sourceFile, checker) || getImmediatelyContainingArgumentInfo(node, position, sourceFile, checker);
      }
      function getHighestBinary(b) {
        return isBinaryExpression(b.parent) ? getHighestBinary(b.parent) : b;
      }
      function countBinaryExpressionParameters(b) {
        return isBinaryExpression(b.left) ? countBinaryExpressionParameters(b.left) + 1 : 2;
      }
      function tryGetParameterInfo(startingToken, position, sourceFile, checker) {
        const node = getAdjustedNode(startingToken);
        if (node === void 0) return void 0;
        const info = getContextualSignatureLocationInfo(node, sourceFile, position, checker);
        if (info === void 0) return void 0;
        const { contextualType, argumentIndex, argumentCount, argumentsSpan } = info;
        const nonNullableContextualType = contextualType.getNonNullableType();
        const symbol = nonNullableContextualType.symbol;
        if (symbol === void 0) return void 0;
        const signature = lastOrUndefined(nonNullableContextualType.getCallSignatures());
        if (signature === void 0) return void 0;
        const invocation = { kind: 2, signature, node: startingToken, symbol: chooseBetterSymbol(symbol) };
        return { isTypeParameterList: false, invocation, argumentsSpan, argumentIndex, argumentCount };
      }
      function getAdjustedNode(node) {
        switch (node.kind) {
          case 21:
          case 28:
            return node;
          default:
            return findAncestor(node.parent, (n) => isParameter(n) ? true : isBindingElement(n) || isObjectBindingPattern(n) || isArrayBindingPattern(n) ? false : "quit");
        }
      }
      function getContextualSignatureLocationInfo(node, sourceFile, position, checker) {
        const { parent: parent2 } = node;
        switch (parent2.kind) {
          case 217:
          case 174:
          case 218:
          case 219:
            const info = getArgumentOrParameterListInfo(node, position, sourceFile, checker);
            if (!info) return void 0;
            const { argumentIndex, argumentCount, argumentsSpan } = info;
            const contextualType = isMethodDeclaration(parent2) ? checker.getContextualTypeForObjectLiteralElement(parent2) : checker.getContextualType(parent2);
            return contextualType && { contextualType, argumentIndex, argumentCount, argumentsSpan };
          case 226: {
            const highestBinary = getHighestBinary(parent2);
            const contextualType2 = checker.getContextualType(highestBinary);
            const argumentIndex2 = node.kind === 21 ? 0 : countBinaryExpressionParameters(parent2) - 1;
            const argumentCount2 = countBinaryExpressionParameters(highestBinary);
            return contextualType2 && { contextualType: contextualType2, argumentIndex: argumentIndex2, argumentCount: argumentCount2, argumentsSpan: createTextSpanFromNode(parent2) };
          }
          default:
            return void 0;
        }
      }
      function chooseBetterSymbol(s) {
        return s.name === "__type" ? firstDefined(s.declarations, (d) => {
          var _a;
          return isFunctionTypeNode(d) ? (_a = tryCast(d.parent, canHaveSymbol)) == null ? void 0 : _a.symbol : void 0;
        }) || s : s;
      }
      function getSpreadElementCount(node, checker) {
        const spreadType = checker.getTypeAtLocation(node.expression);
        if (checker.isTupleType(spreadType)) {
          const { elementFlags, fixedLength } = spreadType.target;
          if (fixedLength === 0) {
            return 0;
          }
          const firstOptionalIndex = findIndex(elementFlags, (f) => !(f & 1));
          return firstOptionalIndex < 0 ? fixedLength : firstOptionalIndex;
        }
        return 0;
      }
      function getArgumentIndex(checker, argumentsList, node) {
        return getArgumentIndexOrCount(checker, argumentsList, node);
      }
      function getArgumentCount(checker, argumentsList) {
        return getArgumentIndexOrCount(
          checker,
          argumentsList,
          /*node*/
          void 0
        );
      }
      function getArgumentIndexOrCount(checker, argumentsList, node) {
        const args = argumentsList.getChildren();
        let argumentIndex = 0;
        let skipComma = false;
        for (const child of args) {
          if (node && child === node) {
            if (!skipComma && child.kind === 28) {
              argumentIndex++;
            }
            return argumentIndex;
          }
          if (isSpreadElement(child)) {
            argumentIndex += getSpreadElementCount(child, checker);
            skipComma = true;
            continue;
          }
          if (child.kind !== 28) {
            argumentIndex++;
            skipComma = true;
            continue;
          }
          if (skipComma) {
            skipComma = false;
            continue;
          }
          argumentIndex++;
        }
        if (node) {
          return argumentIndex;
        }
        return args.length && last(args).kind === 28 ? argumentIndex + 1 : argumentIndex;
      }
      function getArgumentIndexForTemplatePiece(spanIndex, node, position, sourceFile) {
        Debug.assert(position >= node.getStart(), "Assumed 'position' could not occur before node.");
        if (isTemplateLiteralToken(node)) {
          if (isInsideTemplateLiteral(node, position, sourceFile)) {
            return 0;
          }
          return spanIndex + 2;
        }
        return spanIndex + 1;
      }
      function getArgumentListInfoForTemplate(tagExpression, argumentIndex, sourceFile) {
        const argumentCount = isNoSubstitutionTemplateLiteral(tagExpression.template) ? 1 : tagExpression.template.templateSpans.length + 1;
        if (argumentIndex !== 0) {
          Debug.assertLessThan(argumentIndex, argumentCount);
        }
        return {
          isTypeParameterList: false,
          invocation: { kind: 0, node: tagExpression },
          argumentsSpan: getApplicableSpanForTaggedTemplate(tagExpression, sourceFile),
          argumentIndex,
          argumentCount
        };
      }
      function getApplicableSpanForArguments(argumentsList, sourceFile) {
        const applicableSpanStart = argumentsList.getFullStart();
        const applicableSpanEnd = skipTrivia(
          sourceFile.text,
          argumentsList.getEnd(),
          /*stopAfterLineBreak*/
          false
        );
        return createTextSpan(applicableSpanStart, applicableSpanEnd - applicableSpanStart);
      }
      function getApplicableSpanForTaggedTemplate(taggedTemplate, sourceFile) {
        const template = taggedTemplate.template;
        const applicableSpanStart = template.getStart();
        let applicableSpanEnd = template.getEnd();
        if (template.kind === 228) {
          const lastSpan = last(template.templateSpans);
          if (lastSpan.literal.getFullWidth() === 0) {
            applicableSpanEnd = skipTrivia(
              sourceFile.text,
              applicableSpanEnd,
              /*stopAfterLineBreak*/
              false
            );
          }
        }
        return createTextSpan(applicableSpanStart, applicableSpanEnd - applicableSpanStart);
      }
      function getContainingArgumentInfo(node, position, sourceFile, checker, isManuallyInvoked) {
        for (let n = node; !isSourceFile(n) && (isManuallyInvoked || !isBlock(n)); n = n.parent) {
          Debug.assert(rangeContainsRange(n.parent, n), "Not a subspan", () => `Child: ${Debug.formatSyntaxKind(n.kind)}, parent: ${Debug.formatSyntaxKind(n.parent.kind)}`);
          const argumentInfo = getImmediatelyContainingArgumentOrContextualParameterInfo(n, position, sourceFile, checker);
          if (argumentInfo) {
            return argumentInfo;
          }
        }
        return void 0;
      }
      function getChildListThatStartsWithOpenerToken(parent2, openerToken, sourceFile) {
        const children = parent2.getChildren(sourceFile);
        const indexOfOpenerToken = children.indexOf(openerToken);
        Debug.assert(indexOfOpenerToken >= 0 && children.length > indexOfOpenerToken + 1);
        return children[indexOfOpenerToken + 1];
      }
      function getExpressionFromInvocation(invocation) {
        return invocation.kind === 0 ? getInvokedExpression(invocation.node) : invocation.called;
      }
      function getEnclosingDeclarationFromInvocation(invocation) {
        return invocation.kind === 0 ? invocation.node : invocation.kind === 1 ? invocation.called : invocation.node;
      }
      var signatureHelpNodeBuilderFlags = 8192 | 70221824 | 16384;
      function createSignatureHelpItems(candidates, resolvedSignature, { isTypeParameterList, argumentCount, argumentsSpan: applicableSpan, invocation, argumentIndex }, sourceFile, typeChecker, useFullPrefix) {
        var _a;
        const enclosingDeclaration = getEnclosingDeclarationFromInvocation(invocation);
        const callTargetSymbol = invocation.kind === 2 ? invocation.symbol : typeChecker.getSymbolAtLocation(getExpressionFromInvocation(invocation)) || useFullPrefix && ((_a = resolvedSignature.declaration) == null ? void 0 : _a.symbol);
        const callTargetDisplayParts = callTargetSymbol ? symbolToDisplayParts(
          typeChecker,
          callTargetSymbol,
          useFullPrefix ? sourceFile : void 0,
          /*meaning*/
          void 0
        ) : emptyArray;
        const items = map(candidates, (candidateSignature) => getSignatureHelpItem(candidateSignature, callTargetDisplayParts, isTypeParameterList, typeChecker, enclosingDeclaration, sourceFile));
        if (argumentIndex !== 0) {
          Debug.assertLessThan(argumentIndex, argumentCount);
        }
        let selectedItemIndex = 0;
        let itemsSeen = 0;
        for (let i = 0; i < items.length; i++) {
          const item = items[i];
          if (candidates[i] === resolvedSignature) {
            selectedItemIndex = itemsSeen;
            if (item.length > 1) {
              let count = 0;
              for (const i2 of item) {
                if (i2.isVariadic || i2.parameters.length >= argumentCount) {
                  selectedItemIndex = itemsSeen + count;
                  break;
                }
                count++;
              }
            }
          }
          itemsSeen += item.length;
        }
        Debug.assert(selectedItemIndex !== -1);
        const help = { items: flatMapToMutable(items, identity2), applicableSpan, selectedItemIndex, argumentIndex, argumentCount };
        const selected = help.items[selectedItemIndex];
        if (selected.isVariadic) {
          const firstRest = findIndex(selected.parameters, (p) => !!p.isRest);
          if (-1 < firstRest && firstRest < selected.parameters.length - 1) {
            help.argumentIndex = selected.parameters.length;
          } else {
            help.argumentIndex = Math.min(help.argumentIndex, selected.parameters.length - 1);
          }
        }
        return help;
      }
      function createTypeHelpItems(symbol, { argumentCount, argumentsSpan: applicableSpan, invocation, argumentIndex }, sourceFile, checker) {
        const typeParameters = checker.getLocalTypeParametersOfClassOrInterfaceOrTypeAlias(symbol);
        if (!typeParameters) return void 0;
        const items = [getTypeHelpItem(symbol, typeParameters, checker, getEnclosingDeclarationFromInvocation(invocation), sourceFile)];
        return { items, applicableSpan, selectedItemIndex: 0, argumentIndex, argumentCount };
      }
      function getTypeHelpItem(symbol, typeParameters, checker, enclosingDeclaration, sourceFile) {
        const typeSymbolDisplay = symbolToDisplayParts(checker, symbol);
        const printer = createPrinterWithRemoveComments();
        const parameters = typeParameters.map((t) => createSignatureHelpParameterForTypeParameter(t, checker, enclosingDeclaration, sourceFile, printer));
        const documentation = symbol.getDocumentationComment(checker);
        const tags = symbol.getJsDocTags(checker);
        const prefixDisplayParts = [...typeSymbolDisplay, punctuationPart(
          30
          /* LessThanToken */
        )];
        return { isVariadic: false, prefixDisplayParts, suffixDisplayParts: [punctuationPart(
          32
          /* GreaterThanToken */
        )], separatorDisplayParts, parameters, documentation, tags };
      }
      var separatorDisplayParts = [punctuationPart(
        28
        /* CommaToken */
      ), spacePart()];
      function getSignatureHelpItem(candidateSignature, callTargetDisplayParts, isTypeParameterList, checker, enclosingDeclaration, sourceFile) {
        const infos = (isTypeParameterList ? itemInfoForTypeParameters : itemInfoForParameters)(candidateSignature, checker, enclosingDeclaration, sourceFile);
        return map(infos, ({ isVariadic, parameters, prefix, suffix }) => {
          const prefixDisplayParts = [...callTargetDisplayParts, ...prefix];
          const suffixDisplayParts = [...suffix, ...returnTypeToDisplayParts(candidateSignature, enclosingDeclaration, checker)];
          const documentation = candidateSignature.getDocumentationComment(checker);
          const tags = candidateSignature.getJsDocTags();
          return { isVariadic, prefixDisplayParts, suffixDisplayParts, separatorDisplayParts, parameters, documentation, tags };
        });
      }
      function returnTypeToDisplayParts(candidateSignature, enclosingDeclaration, checker) {
        return mapToDisplayParts((writer) => {
          writer.writePunctuation(":");
          writer.writeSpace(" ");
          const predicate = checker.getTypePredicateOfSignature(candidateSignature);
          if (predicate) {
            checker.writeTypePredicate(
              predicate,
              enclosingDeclaration,
              /*flags*/
              void 0,
              writer
            );
          } else {
            checker.writeType(
              checker.getReturnTypeOfSignature(candidateSignature),
              enclosingDeclaration,
              /*flags*/
              void 0,
              writer
            );
          }
        });
      }
      function itemInfoForTypeParameters(candidateSignature, checker, enclosingDeclaration, sourceFile) {
        const typeParameters = (candidateSignature.target || candidateSignature).typeParameters;
        const printer = createPrinterWithRemoveComments();
        const parameters = (typeParameters || emptyArray).map((t) => createSignatureHelpParameterForTypeParameter(t, checker, enclosingDeclaration, sourceFile, printer));
        const thisParameter = candidateSignature.thisParameter ? [checker.symbolToParameterDeclaration(candidateSignature.thisParameter, enclosingDeclaration, signatureHelpNodeBuilderFlags)] : [];
        return checker.getExpandedParameters(candidateSignature).map((paramList) => {
          const params = factory.createNodeArray([...thisParameter, ...map(paramList, (param) => checker.symbolToParameterDeclaration(param, enclosingDeclaration, signatureHelpNodeBuilderFlags))]);
          const parameterParts = mapToDisplayParts((writer) => {
            printer.writeList(2576, params, sourceFile, writer);
          });
          return { isVariadic: false, parameters, prefix: [punctuationPart(
            30
            /* LessThanToken */
          )], suffix: [punctuationPart(
            32
            /* GreaterThanToken */
          ), ...parameterParts] };
        });
      }
      function itemInfoForParameters(candidateSignature, checker, enclosingDeclaration, sourceFile) {
        const printer = createPrinterWithRemoveComments();
        const typeParameterParts = mapToDisplayParts((writer) => {
          if (candidateSignature.typeParameters && candidateSignature.typeParameters.length) {
            const args = factory.createNodeArray(candidateSignature.typeParameters.map((p) => checker.typeParameterToDeclaration(p, enclosingDeclaration, signatureHelpNodeBuilderFlags)));
            printer.writeList(53776, args, sourceFile, writer);
          }
        });
        const lists = checker.getExpandedParameters(candidateSignature);
        const isVariadic = !checker.hasEffectiveRestParameter(candidateSignature) ? (_) => false : lists.length === 1 ? (_) => true : (pList) => {
          var _a;
          return !!(pList.length && ((_a = tryCast(pList[pList.length - 1], isTransientSymbol)) == null ? void 0 : _a.links.checkFlags) & 32768);
        };
        return lists.map((parameterList) => ({
          isVariadic: isVariadic(parameterList),
          parameters: parameterList.map((p) => createSignatureHelpParameterForParameter(p, checker, enclosingDeclaration, sourceFile, printer)),
          prefix: [...typeParameterParts, punctuationPart(
            21
            /* OpenParenToken */
          )],
          suffix: [punctuationPart(
            22
            /* CloseParenToken */
          )]
        }));
      }
      function createSignatureHelpParameterForParameter(parameter, checker, enclosingDeclaration, sourceFile, printer) {
        const displayParts = mapToDisplayParts((writer) => {
          const param = checker.symbolToParameterDeclaration(parameter, enclosingDeclaration, signatureHelpNodeBuilderFlags);
          printer.writeNode(4, param, sourceFile, writer);
        });
        const isOptional = checker.isOptionalParameter(parameter.valueDeclaration);
        const isRest = isTransientSymbol(parameter) && !!(parameter.links.checkFlags & 32768);
        return { name: parameter.name, documentation: parameter.getDocumentationComment(checker), displayParts, isOptional, isRest };
      }
      function createSignatureHelpParameterForTypeParameter(typeParameter, checker, enclosingDeclaration, sourceFile, printer) {
        const displayParts = mapToDisplayParts((writer) => {
          const param = checker.typeParameterToDeclaration(typeParameter, enclosingDeclaration, signatureHelpNodeBuilderFlags);
          printer.writeNode(4, param, sourceFile, writer);
        });
        return { name: typeParameter.symbol.name, documentation: typeParameter.symbol.getDocumentationComment(checker), displayParts, isOptional: false, isRest: false };
      }
      var ts_SmartSelectionRange_exports = {};
      __export2(ts_SmartSelectionRange_exports, {
        getSmartSelectionRange: () => getSmartSelectionRange
      });
      function getSmartSelectionRange(pos, sourceFile) {
        var _a, _b;
        let selectionRange = {
          textSpan: createTextSpanFromBounds(sourceFile.getFullStart(), sourceFile.getEnd())
        };
        let parentNode = sourceFile;
        outer:
          while (true) {
            const children = getSelectionChildren(parentNode);
            if (!children.length) break;
            for (let i = 0; i < children.length; i++) {
              const prevNode = children[i - 1];
              const node = children[i];
              const nextNode = children[i + 1];
              if (getTokenPosOfNode(
                node,
                sourceFile,
                /*includeJsDoc*/
                true
              ) > pos) {
                break outer;
              }
              const comment = singleOrUndefined(getTrailingCommentRanges(sourceFile.text, node.end));
              if (comment && comment.kind === 2) {
                pushSelectionCommentRange(comment.pos, comment.end);
              }
              if (positionShouldSnapToNode(sourceFile, pos, node)) {
                if (isFunctionBody(node) && isFunctionLikeDeclaration(parentNode) && !positionsAreOnSameLine(node.getStart(sourceFile), node.getEnd(), sourceFile)) {
                  pushSelectionRange(node.getStart(sourceFile), node.getEnd());
                }
                if (isBlock(node) || isTemplateSpan(node) || isTemplateHead(node) || isTemplateTail(node) || prevNode && isTemplateHead(prevNode) || isVariableDeclarationList(node) && isVariableStatement(parentNode) || isSyntaxList(node) && isVariableDeclarationList(parentNode) || isVariableDeclaration(node) && isSyntaxList(parentNode) && children.length === 1 || isJSDocTypeExpression(node) || isJSDocSignature(node) || isJSDocTypeLiteral(node)) {
                  parentNode = node;
                  break;
                }
                if (isTemplateSpan(parentNode) && nextNode && isTemplateMiddleOrTemplateTail(nextNode)) {
                  const start2 = node.getFullStart() - "${".length;
                  const end2 = nextNode.getStart() + "}".length;
                  pushSelectionRange(start2, end2);
                }
                const isBetweenMultiLineBookends = isSyntaxList(node) && isListOpener(prevNode) && isListCloser(nextNode) && !positionsAreOnSameLine(prevNode.getStart(), nextNode.getStart(), sourceFile);
                let start = isBetweenMultiLineBookends ? prevNode.getEnd() : node.getStart();
                const end = isBetweenMultiLineBookends ? nextNode.getStart() : getEndPos(sourceFile, node);
                if (hasJSDocNodes(node) && ((_a = node.jsDoc) == null ? void 0 : _a.length)) {
                  pushSelectionRange(first(node.jsDoc).getStart(), end);
                }
                if (isSyntaxList(node)) {
                  const firstChild = node.getChildren()[0];
                  if (firstChild && hasJSDocNodes(firstChild) && ((_b = firstChild.jsDoc) == null ? void 0 : _b.length) && firstChild.getStart() !== node.pos) {
                    start = Math.min(start, first(firstChild.jsDoc).getStart());
                  }
                }
                pushSelectionRange(start, end);
                if (isStringLiteral2(node) || isTemplateLiteral(node)) {
                  pushSelectionRange(start + 1, end - 1);
                }
                parentNode = node;
                break;
              }
              if (i === children.length - 1) {
                break outer;
              }
            }
          }
        return selectionRange;
        function pushSelectionRange(start, end) {
          if (start !== end) {
            const textSpan = createTextSpanFromBounds(start, end);
            if (!selectionRange || // Skip ranges that are identical to the parent
            !textSpansEqual(textSpan, selectionRange.textSpan) && // Skip ranges that don't contain the original position
            textSpanIntersectsWithPosition(textSpan, pos)) {
              selectionRange = { textSpan, ...selectionRange && { parent: selectionRange } };
            }
          }
        }
        function pushSelectionCommentRange(start, end) {
          pushSelectionRange(start, end);
          let pos2 = start;
          while (sourceFile.text.charCodeAt(pos2) === 47) {
            pos2++;
          }
          pushSelectionRange(pos2, end);
        }
      }
      function positionShouldSnapToNode(sourceFile, pos, node) {
        Debug.assert(node.pos <= pos);
        if (pos < node.end) {
          return true;
        }
        const nodeEnd = node.getEnd();
        if (nodeEnd === pos) {
          return getTouchingPropertyName(sourceFile, pos).pos < node.end;
        }
        return false;
      }
      var isImport2 = or(isImportDeclaration, isImportEqualsDeclaration);
      function getSelectionChildren(node) {
        var _a;
        if (isSourceFile(node)) {
          return groupChildren(node.getChildAt(0).getChildren(), isImport2);
        }
        if (isMappedTypeNode(node)) {
          const [openBraceToken, ...children] = node.getChildren();
          const closeBraceToken = Debug.checkDefined(children.pop());
          Debug.assertEqual(
            openBraceToken.kind,
            19
            /* OpenBraceToken */
          );
          Debug.assertEqual(
            closeBraceToken.kind,
            20
            /* CloseBraceToken */
          );
          const groupedWithPlusMinusTokens = groupChildren(
            children,
            (child) => child === node.readonlyToken || child.kind === 148 || child === node.questionToken || child.kind === 58
            /* QuestionToken */
          );
          const groupedWithBrackets = groupChildren(
            groupedWithPlusMinusTokens,
            ({ kind }) => kind === 23 || kind === 168 || kind === 24
            /* CloseBracketToken */
          );
          return [
            openBraceToken,
            // Pivot on `:`
            createSyntaxList2(splitChildren(
              groupedWithBrackets,
              ({ kind }) => kind === 59
              /* ColonToken */
            )),
            closeBraceToken
          ];
        }
        if (isPropertySignature(node)) {
          const children = groupChildren(node.getChildren(), (child) => child === node.name || contains(node.modifiers, child));
          const firstJSDocChild = ((_a = children[0]) == null ? void 0 : _a.kind) === 320 ? children[0] : void 0;
          const withJSDocSeparated = firstJSDocChild ? children.slice(1) : children;
          const splittedChildren = splitChildren(
            withJSDocSeparated,
            ({ kind }) => kind === 59
            /* ColonToken */
          );
          return firstJSDocChild ? [firstJSDocChild, createSyntaxList2(splittedChildren)] : splittedChildren;
        }
        if (isParameter(node)) {
          const groupedDotDotDotAndName = groupChildren(node.getChildren(), (child) => child === node.dotDotDotToken || child === node.name);
          const groupedWithQuestionToken = groupChildren(groupedDotDotDotAndName, (child) => child === groupedDotDotDotAndName[0] || child === node.questionToken);
          return splitChildren(
            groupedWithQuestionToken,
            ({ kind }) => kind === 64
            /* EqualsToken */
          );
        }
        if (isBindingElement(node)) {
          return splitChildren(
            node.getChildren(),
            ({ kind }) => kind === 64
            /* EqualsToken */
          );
        }
        return node.getChildren();
      }
      function groupChildren(children, groupOn) {
        const result = [];
        let group2;
        for (const child of children) {
          if (groupOn(child)) {
            group2 = group2 || [];
            group2.push(child);
          } else {
            if (group2) {
              result.push(createSyntaxList2(group2));
              group2 = void 0;
            }
            result.push(child);
          }
        }
        if (group2) {
          result.push(createSyntaxList2(group2));
        }
        return result;
      }
      function splitChildren(children, pivotOn, separateTrailingSemicolon = true) {
        if (children.length < 2) {
          return children;
        }
        const splitTokenIndex = findIndex(children, pivotOn);
        if (splitTokenIndex === -1) {
          return children;
        }
        const leftChildren = children.slice(0, splitTokenIndex);
        const splitToken = children[splitTokenIndex];
        const lastToken = last(children);
        const separateLastToken = separateTrailingSemicolon && lastToken.kind === 27;
        const rightChildren = children.slice(splitTokenIndex + 1, separateLastToken ? children.length - 1 : void 0);
        const result = compact([
          leftChildren.length ? createSyntaxList2(leftChildren) : void 0,
          splitToken,
          rightChildren.length ? createSyntaxList2(rightChildren) : void 0
        ]);
        return separateLastToken ? result.concat(lastToken) : result;
      }
      function createSyntaxList2(children) {
        Debug.assertGreaterThanOrEqual(children.length, 1);
        return setTextRangePosEnd(parseNodeFactory.createSyntaxList(children), children[0].pos, last(children).end);
      }
      function isListOpener(token) {
        const kind = token && token.kind;
        return kind === 19 || kind === 23 || kind === 21 || kind === 286;
      }
      function isListCloser(token) {
        const kind = token && token.kind;
        return kind === 20 || kind === 24 || kind === 22 || kind === 287;
      }
      function getEndPos(sourceFile, node) {
        switch (node.kind) {
          case 341:
          case 338:
          case 348:
          case 346:
          case 343:
            return sourceFile.getLineEndOfPosition(node.getStart());
          default:
            return node.getEnd();
        }
      }
      var ts_SymbolDisplay_exports = {};
      __export2(ts_SymbolDisplay_exports, {
        getSymbolDisplayPartsDocumentationAndSymbolKind: () => getSymbolDisplayPartsDocumentationAndSymbolKind,
        getSymbolKind: () => getSymbolKind,
        getSymbolModifiers: () => getSymbolModifiers
      });
      var symbolDisplayNodeBuilderFlags = 8192 | 70221824 | 16384;
      function getSymbolKind(typeChecker, symbol, location) {
        const result = getSymbolKindOfConstructorPropertyMethodAccessorFunctionOrVar(typeChecker, symbol, location);
        if (result !== "") {
          return result;
        }
        const flags = getCombinedLocalAndExportSymbolFlags(symbol);
        if (flags & 32) {
          return getDeclarationOfKind(
            symbol,
            231
            /* ClassExpression */
          ) ? "local class" : "class";
        }
        if (flags & 384) return "enum";
        if (flags & 524288) return "type";
        if (flags & 64) return "interface";
        if (flags & 262144) return "type parameter";
        if (flags & 8) return "enum member";
        if (flags & 2097152) return "alias";
        if (flags & 1536) return "module";
        return result;
      }
      function getSymbolKindOfConstructorPropertyMethodAccessorFunctionOrVar(typeChecker, symbol, location) {
        const roots = typeChecker.getRootSymbols(symbol);
        if (roots.length === 1 && first(roots).flags & 8192 && typeChecker.getTypeOfSymbolAtLocation(symbol, location).getNonNullableType().getCallSignatures().length !== 0) {
          return "method";
        }
        if (typeChecker.isUndefinedSymbol(symbol)) {
          return "var";
        }
        if (typeChecker.isArgumentsSymbol(symbol)) {
          return "local var";
        }
        if (location.kind === 110 && isExpression(location) || isThisInTypeQuery(location)) {
          return "parameter";
        }
        const flags = getCombinedLocalAndExportSymbolFlags(symbol);
        if (flags & 3) {
          if (isFirstDeclarationOfSymbolParameter(symbol)) {
            return "parameter";
          } else if (symbol.valueDeclaration && isVarConst(symbol.valueDeclaration)) {
            return "const";
          } else if (symbol.valueDeclaration && isVarUsing(symbol.valueDeclaration)) {
            return "using";
          } else if (symbol.valueDeclaration && isVarAwaitUsing(symbol.valueDeclaration)) {
            return "await using";
          } else if (forEach(symbol.declarations, isLet)) {
            return "let";
          }
          return isLocalVariableOrFunction(symbol) ? "local var" : "var";
        }
        if (flags & 16) return isLocalVariableOrFunction(symbol) ? "local function" : "function";
        if (flags & 32768) return "getter";
        if (flags & 65536) return "setter";
        if (flags & 8192) return "method";
        if (flags & 16384) return "constructor";
        if (flags & 131072) return "index";
        if (flags & 4) {
          if (flags & 33554432 && symbol.links.checkFlags & 6) {
            const unionPropertyKind = forEach(typeChecker.getRootSymbols(symbol), (rootSymbol) => {
              const rootSymbolFlags = rootSymbol.getFlags();
              if (rootSymbolFlags & (98308 | 3)) {
                return "property";
              }
            });
            if (!unionPropertyKind) {
              const typeOfUnionProperty = typeChecker.getTypeOfSymbolAtLocation(symbol, location);
              if (typeOfUnionProperty.getCallSignatures().length) {
                return "method";
              }
              return "property";
            }
            return unionPropertyKind;
          }
          return "property";
        }
        return "";
      }
      function getNormalizedSymbolModifiers(symbol) {
        if (symbol.declarations && symbol.declarations.length) {
          const [declaration, ...declarations] = symbol.declarations;
          const excludeFlags = length(declarations) && isDeprecatedDeclaration(declaration) && some(declarations, (d) => !isDeprecatedDeclaration(d)) ? 65536 : 0;
          const modifiers = getNodeModifiers(declaration, excludeFlags);
          if (modifiers) {
            return modifiers.split(",");
          }
        }
        return [];
      }
      function getSymbolModifiers(typeChecker, symbol) {
        if (!symbol) {
          return "";
        }
        const modifiers = new Set(getNormalizedSymbolModifiers(symbol));
        if (symbol.flags & 2097152) {
          const resolvedSymbol = typeChecker.getAliasedSymbol(symbol);
          if (resolvedSymbol !== symbol) {
            forEach(getNormalizedSymbolModifiers(resolvedSymbol), (modifier) => {
              modifiers.add(modifier);
            });
          }
        }
        if (symbol.flags & 16777216) {
          modifiers.add(
            "optional"
            /* optionalModifier */
          );
        }
        return modifiers.size > 0 ? arrayFrom(modifiers.values()).join(",") : "";
      }
      function getSymbolDisplayPartsDocumentationAndSymbolKindWorker(typeChecker, symbol, sourceFile, enclosingDeclaration, location, type, semanticMeaning, alias) {
        var _a;
        const displayParts = [];
        let documentation = [];
        let tags = [];
        const symbolFlags = getCombinedLocalAndExportSymbolFlags(symbol);
        let symbolKind = semanticMeaning & 1 ? getSymbolKindOfConstructorPropertyMethodAccessorFunctionOrVar(typeChecker, symbol, location) : "";
        let hasAddedSymbolInfo = false;
        const isThisExpression = location.kind === 110 && isInExpressionContext(location) || isThisInTypeQuery(location);
        let documentationFromAlias;
        let tagsFromAlias;
        let hasMultipleSignatures = false;
        if (location.kind === 110 && !isThisExpression) {
          return { displayParts: [keywordPart(
            110
            /* ThisKeyword */
          )], documentation: [], symbolKind: "primitive type", tags: void 0 };
        }
        if (symbolKind !== "" || symbolFlags & 32 || symbolFlags & 2097152) {
          if (symbolKind === "getter" || symbolKind === "setter") {
            const declaration = find(symbol.declarations, (declaration2) => declaration2.name === location);
            if (declaration) {
              switch (declaration.kind) {
                case 177:
                  symbolKind = "getter";
                  break;
                case 178:
                  symbolKind = "setter";
                  break;
                case 172:
                  symbolKind = "accessor";
                  break;
                default:
                  Debug.assertNever(declaration);
              }
            } else {
              symbolKind = "property";
            }
          }
          let signature;
          type ?? (type = isThisExpression ? typeChecker.getTypeAtLocation(location) : typeChecker.getTypeOfSymbolAtLocation(symbol, location));
          if (location.parent && location.parent.kind === 211) {
            const right = location.parent.name;
            if (right === location || right && right.getFullWidth() === 0) {
              location = location.parent;
            }
          }
          let callExpressionLike;
          if (isCallOrNewExpression2(location)) {
            callExpressionLike = location;
          } else if (isCallExpressionTarget(location) || isNewExpressionTarget(location)) {
            callExpressionLike = location.parent;
          } else if (location.parent && (isJsxOpeningLikeElement(location.parent) || isTaggedTemplateExpression(location.parent)) && isFunctionLike(symbol.valueDeclaration)) {
            callExpressionLike = location.parent;
          }
          if (callExpressionLike) {
            signature = typeChecker.getResolvedSignature(callExpressionLike);
            const useConstructSignatures = callExpressionLike.kind === 214 || isCallExpression2(callExpressionLike) && callExpressionLike.expression.kind === 108;
            const allSignatures = useConstructSignatures ? type.getConstructSignatures() : type.getCallSignatures();
            if (signature && !contains(allSignatures, signature.target) && !contains(allSignatures, signature)) {
              signature = allSignatures.length ? allSignatures[0] : void 0;
            }
            if (signature) {
              if (useConstructSignatures && symbolFlags & 32) {
                symbolKind = "constructor";
                addPrefixForAnyFunctionOrVar(type.symbol, symbolKind);
              } else if (symbolFlags & 2097152) {
                symbolKind = "alias";
                pushSymbolKind(symbolKind);
                displayParts.push(spacePart());
                if (useConstructSignatures) {
                  if (signature.flags & 4) {
                    displayParts.push(keywordPart(
                      128
                      /* AbstractKeyword */
                    ));
                    displayParts.push(spacePart());
                  }
                  displayParts.push(keywordPart(
                    105
                    /* NewKeyword */
                  ));
                  displayParts.push(spacePart());
                }
                addFullSymbolName(symbol);
              } else {
                addPrefixForAnyFunctionOrVar(symbol, symbolKind);
              }
              switch (symbolKind) {
                case "JSX attribute":
                case "property":
                case "var":
                case "const":
                case "let":
                case "parameter":
                case "local var":
                  displayParts.push(punctuationPart(
                    59
                    /* ColonToken */
                  ));
                  displayParts.push(spacePart());
                  if (!(getObjectFlags(type) & 16) && type.symbol) {
                    addRange(displayParts, symbolToDisplayParts(
                      typeChecker,
                      type.symbol,
                      enclosingDeclaration,
                      /*meaning*/
                      void 0,
                      4 | 1
                      /* WriteTypeParametersOrArguments */
                    ));
                    displayParts.push(lineBreakPart());
                  }
                  if (useConstructSignatures) {
                    if (signature.flags & 4) {
                      displayParts.push(keywordPart(
                        128
                        /* AbstractKeyword */
                      ));
                      displayParts.push(spacePart());
                    }
                    displayParts.push(keywordPart(
                      105
                      /* NewKeyword */
                    ));
                    displayParts.push(spacePart());
                  }
                  addSignatureDisplayParts(
                    signature,
                    allSignatures,
                    262144
                    /* WriteArrowStyleSignature */
                  );
                  break;
                default:
                  addSignatureDisplayParts(signature, allSignatures);
              }
              hasAddedSymbolInfo = true;
              hasMultipleSignatures = allSignatures.length > 1;
            }
          } else if (isNameOfFunctionDeclaration(location) && !(symbolFlags & 98304) || // name of function declaration
          location.kind === 137 && location.parent.kind === 176) {
            const functionDeclaration = location.parent;
            const locationIsSymbolDeclaration = symbol.declarations && find(symbol.declarations, (declaration) => declaration === (location.kind === 137 ? functionDeclaration.parent : functionDeclaration));
            if (locationIsSymbolDeclaration) {
              const allSignatures = functionDeclaration.kind === 176 ? type.getNonNullableType().getConstructSignatures() : type.getNonNullableType().getCallSignatures();
              if (!typeChecker.isImplementationOfOverload(functionDeclaration)) {
                signature = typeChecker.getSignatureFromDeclaration(functionDeclaration);
              } else {
                signature = allSignatures[0];
              }
              if (functionDeclaration.kind === 176) {
                symbolKind = "constructor";
                addPrefixForAnyFunctionOrVar(type.symbol, symbolKind);
              } else {
                addPrefixForAnyFunctionOrVar(
                  functionDeclaration.kind === 179 && !(type.symbol.flags & 2048 || type.symbol.flags & 4096) ? type.symbol : symbol,
                  symbolKind
                );
              }
              if (signature) {
                addSignatureDisplayParts(signature, allSignatures);
              }
              hasAddedSymbolInfo = true;
              hasMultipleSignatures = allSignatures.length > 1;
            }
          }
        }
        if (symbolFlags & 32 && !hasAddedSymbolInfo && !isThisExpression) {
          addAliasPrefixIfNecessary();
          if (getDeclarationOfKind(
            symbol,
            231
            /* ClassExpression */
          )) {
            pushSymbolKind(
              "local class"
              /* localClassElement */
            );
          } else {
            displayParts.push(keywordPart(
              86
              /* ClassKeyword */
            ));
          }
          displayParts.push(spacePart());
          addFullSymbolName(symbol);
          writeTypeParametersOfSymbol(symbol, sourceFile);
        }
        if (symbolFlags & 64 && semanticMeaning & 2) {
          prefixNextMeaning();
          displayParts.push(keywordPart(
            120
            /* InterfaceKeyword */
          ));
          displayParts.push(spacePart());
          addFullSymbolName(symbol);
          writeTypeParametersOfSymbol(symbol, sourceFile);
        }
        if (symbolFlags & 524288 && semanticMeaning & 2) {
          prefixNextMeaning();
          displayParts.push(keywordPart(
            156
            /* TypeKeyword */
          ));
          displayParts.push(spacePart());
          addFullSymbolName(symbol);
          writeTypeParametersOfSymbol(symbol, sourceFile);
          displayParts.push(spacePart());
          displayParts.push(operatorPart(
            64
            /* EqualsToken */
          ));
          displayParts.push(spacePart());
          addRange(displayParts, typeToDisplayParts(
            typeChecker,
            location.parent && isConstTypeReference(location.parent) ? typeChecker.getTypeAtLocation(location.parent) : typeChecker.getDeclaredTypeOfSymbol(symbol),
            enclosingDeclaration,
            8388608
            /* InTypeAlias */
          ));
        }
        if (symbolFlags & 384) {
          prefixNextMeaning();
          if (some(symbol.declarations, (d) => isEnumDeclaration(d) && isEnumConst(d))) {
            displayParts.push(keywordPart(
              87
              /* ConstKeyword */
            ));
            displayParts.push(spacePart());
          }
          displayParts.push(keywordPart(
            94
            /* EnumKeyword */
          ));
          displayParts.push(spacePart());
          addFullSymbolName(symbol);
        }
        if (symbolFlags & 1536 && !isThisExpression) {
          prefixNextMeaning();
          const declaration = getDeclarationOfKind(
            symbol,
            267
            /* ModuleDeclaration */
          );
          const isNamespace = declaration && declaration.name && declaration.name.kind === 80;
          displayParts.push(keywordPart(
            isNamespace ? 145 : 144
            /* ModuleKeyword */
          ));
          displayParts.push(spacePart());
          addFullSymbolName(symbol);
        }
        if (symbolFlags & 262144 && semanticMeaning & 2) {
          prefixNextMeaning();
          displayParts.push(punctuationPart(
            21
            /* OpenParenToken */
          ));
          displayParts.push(textPart("type parameter"));
          displayParts.push(punctuationPart(
            22
            /* CloseParenToken */
          ));
          displayParts.push(spacePart());
          addFullSymbolName(symbol);
          if (symbol.parent) {
            addInPrefix();
            addFullSymbolName(symbol.parent, enclosingDeclaration);
            writeTypeParametersOfSymbol(symbol.parent, enclosingDeclaration);
          } else {
            const decl = getDeclarationOfKind(
              symbol,
              168
              /* TypeParameter */
            );
            if (decl === void 0) return Debug.fail();
            const declaration = decl.parent;
            if (declaration) {
              if (isFunctionLike(declaration)) {
                addInPrefix();
                const signature = typeChecker.getSignatureFromDeclaration(declaration);
                if (declaration.kind === 180) {
                  displayParts.push(keywordPart(
                    105
                    /* NewKeyword */
                  ));
                  displayParts.push(spacePart());
                } else if (declaration.kind !== 179 && declaration.name) {
                  addFullSymbolName(declaration.symbol);
                }
                addRange(displayParts, signatureToDisplayParts(
                  typeChecker,
                  signature,
                  sourceFile,
                  32
                  /* WriteTypeArgumentsOfSignature */
                ));
              } else if (isTypeAliasDeclaration(declaration)) {
                addInPrefix();
                displayParts.push(keywordPart(
                  156
                  /* TypeKeyword */
                ));
                displayParts.push(spacePart());
                addFullSymbolName(declaration.symbol);
                writeTypeParametersOfSymbol(declaration.symbol, sourceFile);
              }
            }
          }
        }
        if (symbolFlags & 8) {
          symbolKind = "enum member";
          addPrefixForAnyFunctionOrVar(symbol, "enum member");
          const declaration = (_a = symbol.declarations) == null ? void 0 : _a[0];
          if ((declaration == null ? void 0 : declaration.kind) === 306) {
            const constantValue = typeChecker.getConstantValue(declaration);
            if (constantValue !== void 0) {
              displayParts.push(spacePart());
              displayParts.push(operatorPart(
                64
                /* EqualsToken */
              ));
              displayParts.push(spacePart());
              displayParts.push(displayPart(
                getTextOfConstantValue(constantValue),
                typeof constantValue === "number" ? 7 : 8
                /* stringLiteral */
              ));
            }
          }
        }
        if (symbol.flags & 2097152) {
          prefixNextMeaning();
          if (!hasAddedSymbolInfo || documentation.length === 0 && tags.length === 0) {
            const resolvedSymbol = typeChecker.getAliasedSymbol(symbol);
            if (resolvedSymbol !== symbol && resolvedSymbol.declarations && resolvedSymbol.declarations.length > 0) {
              const resolvedNode = resolvedSymbol.declarations[0];
              const declarationName = getNameOfDeclaration(resolvedNode);
              if (declarationName && !hasAddedSymbolInfo) {
                const isExternalModuleDeclaration = isModuleWithStringLiteralName(resolvedNode) && hasSyntacticModifier(
                  resolvedNode,
                  128
                  /* Ambient */
                );
                const shouldUseAliasName = symbol.name !== "default" && !isExternalModuleDeclaration;
                const resolvedInfo = getSymbolDisplayPartsDocumentationAndSymbolKindWorker(
                  typeChecker,
                  resolvedSymbol,
                  getSourceFileOfNode(resolvedNode),
                  enclosingDeclaration,
                  declarationName,
                  type,
                  semanticMeaning,
                  shouldUseAliasName ? symbol : resolvedSymbol
                );
                displayParts.push(...resolvedInfo.displayParts);
                displayParts.push(lineBreakPart());
                documentationFromAlias = resolvedInfo.documentation;
                tagsFromAlias = resolvedInfo.tags;
              } else {
                documentationFromAlias = resolvedSymbol.getContextualDocumentationComment(resolvedNode, typeChecker);
                tagsFromAlias = resolvedSymbol.getJsDocTags(typeChecker);
              }
            }
          }
          if (symbol.declarations) {
            switch (symbol.declarations[0].kind) {
              case 270:
                displayParts.push(keywordPart(
                  95
                  /* ExportKeyword */
                ));
                displayParts.push(spacePart());
                displayParts.push(keywordPart(
                  145
                  /* NamespaceKeyword */
                ));
                break;
              case 277:
                displayParts.push(keywordPart(
                  95
                  /* ExportKeyword */
                ));
                displayParts.push(spacePart());
                displayParts.push(keywordPart(
                  symbol.declarations[0].isExportEquals ? 64 : 90
                  /* DefaultKeyword */
                ));
                break;
              case 281:
                displayParts.push(keywordPart(
                  95
                  /* ExportKeyword */
                ));
                break;
              default:
                displayParts.push(keywordPart(
                  102
                  /* ImportKeyword */
                ));
            }
          }
          displayParts.push(spacePart());
          addFullSymbolName(symbol);
          forEach(symbol.declarations, (declaration) => {
            if (declaration.kind === 271) {
              const importEqualsDeclaration = declaration;
              if (isExternalModuleImportEqualsDeclaration(importEqualsDeclaration)) {
                displayParts.push(spacePart());
                displayParts.push(operatorPart(
                  64
                  /* EqualsToken */
                ));
                displayParts.push(spacePart());
                displayParts.push(keywordPart(
                  149
                  /* RequireKeyword */
                ));
                displayParts.push(punctuationPart(
                  21
                  /* OpenParenToken */
                ));
                displayParts.push(displayPart(
                  getTextOfNode(getExternalModuleImportEqualsDeclarationExpression(importEqualsDeclaration)),
                  8
                  /* stringLiteral */
                ));
                displayParts.push(punctuationPart(
                  22
                  /* CloseParenToken */
                ));
              } else {
                const internalAliasSymbol = typeChecker.getSymbolAtLocation(importEqualsDeclaration.moduleReference);
                if (internalAliasSymbol) {
                  displayParts.push(spacePart());
                  displayParts.push(operatorPart(
                    64
                    /* EqualsToken */
                  ));
                  displayParts.push(spacePart());
                  addFullSymbolName(internalAliasSymbol, enclosingDeclaration);
                }
              }
              return true;
            }
          });
        }
        if (!hasAddedSymbolInfo) {
          if (symbolKind !== "") {
            if (type) {
              if (isThisExpression) {
                prefixNextMeaning();
                displayParts.push(keywordPart(
                  110
                  /* ThisKeyword */
                ));
              } else {
                addPrefixForAnyFunctionOrVar(symbol, symbolKind);
              }
              if (symbolKind === "property" || symbolKind === "accessor" || symbolKind === "getter" || symbolKind === "setter" || symbolKind === "JSX attribute" || symbolFlags & 3 || symbolKind === "local var" || symbolKind === "index" || symbolKind === "using" || symbolKind === "await using" || isThisExpression) {
                displayParts.push(punctuationPart(
                  59
                  /* ColonToken */
                ));
                displayParts.push(spacePart());
                if (type.symbol && type.symbol.flags & 262144 && symbolKind !== "index") {
                  const typeParameterParts = mapToDisplayParts((writer) => {
                    const param = typeChecker.typeParameterToDeclaration(type, enclosingDeclaration, symbolDisplayNodeBuilderFlags);
                    getPrinter().writeNode(4, param, getSourceFileOfNode(getParseTreeNode(enclosingDeclaration)), writer);
                  });
                  addRange(displayParts, typeParameterParts);
                } else {
                  addRange(displayParts, typeToDisplayParts(typeChecker, type, enclosingDeclaration));
                }
                if (isTransientSymbol(symbol) && symbol.links.target && isTransientSymbol(symbol.links.target) && symbol.links.target.links.tupleLabelDeclaration) {
                  const labelDecl = symbol.links.target.links.tupleLabelDeclaration;
                  Debug.assertNode(labelDecl.name, isIdentifier);
                  displayParts.push(spacePart());
                  displayParts.push(punctuationPart(
                    21
                    /* OpenParenToken */
                  ));
                  displayParts.push(textPart(idText(labelDecl.name)));
                  displayParts.push(punctuationPart(
                    22
                    /* CloseParenToken */
                  ));
                }
              } else if (symbolFlags & 16 || symbolFlags & 8192 || symbolFlags & 16384 || symbolFlags & 131072 || symbolFlags & 98304 || symbolKind === "method") {
                const allSignatures = type.getNonNullableType().getCallSignatures();
                if (allSignatures.length) {
                  addSignatureDisplayParts(allSignatures[0], allSignatures);
                  hasMultipleSignatures = allSignatures.length > 1;
                }
              }
            }
          } else {
            symbolKind = getSymbolKind(typeChecker, symbol, location);
          }
        }
        if (documentation.length === 0 && !hasMultipleSignatures) {
          documentation = symbol.getContextualDocumentationComment(enclosingDeclaration, typeChecker);
        }
        if (documentation.length === 0 && symbolFlags & 4) {
          if (symbol.parent && symbol.declarations && forEach(
            symbol.parent.declarations,
            (declaration) => declaration.kind === 307
            /* SourceFile */
          )) {
            for (const declaration of symbol.declarations) {
              if (!declaration.parent || declaration.parent.kind !== 226) {
                continue;
              }
              const rhsSymbol = typeChecker.getSymbolAtLocation(declaration.parent.right);
              if (!rhsSymbol) {
                continue;
              }
              documentation = rhsSymbol.getDocumentationComment(typeChecker);
              tags = rhsSymbol.getJsDocTags(typeChecker);
              if (documentation.length > 0) {
                break;
              }
            }
          }
        }
        if (documentation.length === 0 && isIdentifier(location) && symbol.valueDeclaration && isBindingElement(symbol.valueDeclaration)) {
          const declaration = symbol.valueDeclaration;
          const parent2 = declaration.parent;
          const name = declaration.propertyName || declaration.name;
          if (isIdentifier(name) && isObjectBindingPattern(parent2)) {
            const propertyName = getTextOfIdentifierOrLiteral(name);
            const objectType2 = typeChecker.getTypeAtLocation(parent2);
            documentation = firstDefined(objectType2.isUnion() ? objectType2.types : [objectType2], (t) => {
              const prop = t.getProperty(propertyName);
              return prop ? prop.getDocumentationComment(typeChecker) : void 0;
            }) || emptyArray;
          }
        }
        if (tags.length === 0 && !hasMultipleSignatures) {
          tags = symbol.getContextualJsDocTags(enclosingDeclaration, typeChecker);
        }
        if (documentation.length === 0 && documentationFromAlias) {
          documentation = documentationFromAlias;
        }
        if (tags.length === 0 && tagsFromAlias) {
          tags = tagsFromAlias;
        }
        return { displayParts, documentation, symbolKind, tags: tags.length === 0 ? void 0 : tags };
        function getPrinter() {
          return createPrinterWithRemoveComments();
        }
        function prefixNextMeaning() {
          if (displayParts.length) {
            displayParts.push(lineBreakPart());
          }
          addAliasPrefixIfNecessary();
        }
        function addAliasPrefixIfNecessary() {
          if (alias) {
            pushSymbolKind(
              "alias"
              /* alias */
            );
            displayParts.push(spacePart());
          }
        }
        function addInPrefix() {
          displayParts.push(spacePart());
          displayParts.push(keywordPart(
            103
            /* InKeyword */
          ));
          displayParts.push(spacePart());
        }
        function addFullSymbolName(symbolToDisplay, enclosingDeclaration2) {
          let indexInfos;
          if (alias && symbolToDisplay === symbol) {
            symbolToDisplay = alias;
          }
          if (symbolKind === "index") {
            indexInfos = typeChecker.getIndexInfosOfIndexSymbol(symbolToDisplay);
          }
          let fullSymbolDisplayParts = [];
          if (symbolToDisplay.flags & 131072 && indexInfos) {
            if (symbolToDisplay.parent) {
              fullSymbolDisplayParts = symbolToDisplayParts(typeChecker, symbolToDisplay.parent);
            }
            fullSymbolDisplayParts.push(punctuationPart(
              23
              /* OpenBracketToken */
            ));
            indexInfos.forEach((info, i) => {
              fullSymbolDisplayParts.push(...typeToDisplayParts(typeChecker, info.keyType));
              if (i !== indexInfos.length - 1) {
                fullSymbolDisplayParts.push(spacePart());
                fullSymbolDisplayParts.push(punctuationPart(
                  52
                  /* BarToken */
                ));
                fullSymbolDisplayParts.push(spacePart());
              }
            });
            fullSymbolDisplayParts.push(punctuationPart(
              24
              /* CloseBracketToken */
            ));
          } else {
            fullSymbolDisplayParts = symbolToDisplayParts(
              typeChecker,
              symbolToDisplay,
              enclosingDeclaration2 || sourceFile,
              /*meaning*/
              void 0,
              1 | 2 | 4
              /* AllowAnyNodeKind */
            );
          }
          addRange(displayParts, fullSymbolDisplayParts);
          if (symbol.flags & 16777216) {
            displayParts.push(punctuationPart(
              58
              /* QuestionToken */
            ));
          }
        }
        function addPrefixForAnyFunctionOrVar(symbol2, symbolKind2) {
          prefixNextMeaning();
          if (symbolKind2) {
            pushSymbolKind(symbolKind2);
            if (symbol2 && !some(symbol2.declarations, (d) => isArrowFunction(d) || (isFunctionExpression(d) || isClassExpression(d)) && !d.name)) {
              displayParts.push(spacePart());
              addFullSymbolName(symbol2);
            }
          }
        }
        function pushSymbolKind(symbolKind2) {
          switch (symbolKind2) {
            case "var":
            case "function":
            case "let":
            case "const":
            case "constructor":
            case "using":
            case "await using":
              displayParts.push(textOrKeywordPart(symbolKind2));
              return;
            default:
              displayParts.push(punctuationPart(
                21
                /* OpenParenToken */
              ));
              displayParts.push(textOrKeywordPart(symbolKind2));
              displayParts.push(punctuationPart(
                22
                /* CloseParenToken */
              ));
              return;
          }
        }
        function addSignatureDisplayParts(signature, allSignatures, flags = 0) {
          addRange(displayParts, signatureToDisplayParts(
            typeChecker,
            signature,
            enclosingDeclaration,
            flags | 32
            /* WriteTypeArgumentsOfSignature */
          ));
          if (allSignatures.length > 1) {
            displayParts.push(spacePart());
            displayParts.push(punctuationPart(
              21
              /* OpenParenToken */
            ));
            displayParts.push(operatorPart(
              40
              /* PlusToken */
            ));
            displayParts.push(displayPart(
              (allSignatures.length - 1).toString(),
              7
              /* numericLiteral */
            ));
            displayParts.push(spacePart());
            displayParts.push(textPart(allSignatures.length === 2 ? "overload" : "overloads"));
            displayParts.push(punctuationPart(
              22
              /* CloseParenToken */
            ));
          }
          documentation = signature.getDocumentationComment(typeChecker);
          tags = signature.getJsDocTags();
          if (allSignatures.length > 1 && documentation.length === 0 && tags.length === 0) {
            documentation = allSignatures[0].getDocumentationComment(typeChecker);
            tags = allSignatures[0].getJsDocTags().filter((tag) => tag.name !== "deprecated");
          }
        }
        function writeTypeParametersOfSymbol(symbol2, enclosingDeclaration2) {
          const typeParameterParts = mapToDisplayParts((writer) => {
            const params = typeChecker.symbolToTypeParameterDeclarations(symbol2, enclosingDeclaration2, symbolDisplayNodeBuilderFlags);
            getPrinter().writeList(53776, params, getSourceFileOfNode(getParseTreeNode(enclosingDeclaration2)), writer);
          });
          addRange(displayParts, typeParameterParts);
        }
      }
      function getSymbolDisplayPartsDocumentationAndSymbolKind(typeChecker, symbol, sourceFile, enclosingDeclaration, location, semanticMeaning = getMeaningFromLocation(location), alias) {
        return getSymbolDisplayPartsDocumentationAndSymbolKindWorker(
          typeChecker,
          symbol,
          sourceFile,
          enclosingDeclaration,
          location,
          /*type*/
          void 0,
          semanticMeaning,
          alias
        );
      }
      function isLocalVariableOrFunction(symbol) {
        if (symbol.parent) {
          return false;
        }
        return forEach(symbol.declarations, (declaration) => {
          if (declaration.kind === 218) {
            return true;
          }
          if (declaration.kind !== 260 && declaration.kind !== 262) {
            return false;
          }
          for (let parent2 = declaration.parent; !isFunctionBlock(parent2); parent2 = parent2.parent) {
            if (parent2.kind === 307 || parent2.kind === 268) {
              return false;
            }
          }
          return true;
        });
      }
      var ts_textChanges_exports = {};
      __export2(ts_textChanges_exports, {
        ChangeTracker: () => ChangeTracker,
        LeadingTriviaOption: () => LeadingTriviaOption,
        TrailingTriviaOption: () => TrailingTriviaOption,
        applyChanges: () => applyChanges,
        assignPositionsToNode: () => assignPositionsToNode,
        createWriter: () => createWriter,
        deleteNode: () => deleteNode,
        isThisTypeAnnotatable: () => isThisTypeAnnotatable,
        isValidLocationToAddComment: () => isValidLocationToAddComment
      });
      function getPos2(n) {
        const result = n.__pos;
        Debug.assert(typeof result === "number");
        return result;
      }
      function setPos(n, pos) {
        Debug.assert(typeof pos === "number");
        n.__pos = pos;
      }
      function getEnd(n) {
        const result = n.__end;
        Debug.assert(typeof result === "number");
        return result;
      }
      function setEnd(n, end) {
        Debug.assert(typeof end === "number");
        n.__end = end;
      }
      var LeadingTriviaOption = /* @__PURE__ */ ((LeadingTriviaOption2) => {
        LeadingTriviaOption2[LeadingTriviaOption2["Exclude"] = 0] = "Exclude";
        LeadingTriviaOption2[LeadingTriviaOption2["IncludeAll"] = 1] = "IncludeAll";
        LeadingTriviaOption2[LeadingTriviaOption2["JSDoc"] = 2] = "JSDoc";
        LeadingTriviaOption2[LeadingTriviaOption2["StartLine"] = 3] = "StartLine";
        return LeadingTriviaOption2;
      })(LeadingTriviaOption || {});
      var TrailingTriviaOption = /* @__PURE__ */ ((TrailingTriviaOption2) => {
        TrailingTriviaOption2[TrailingTriviaOption2["Exclude"] = 0] = "Exclude";
        TrailingTriviaOption2[TrailingTriviaOption2["ExcludeWhitespace"] = 1] = "ExcludeWhitespace";
        TrailingTriviaOption2[TrailingTriviaOption2["Include"] = 2] = "Include";
        return TrailingTriviaOption2;
      })(TrailingTriviaOption || {});
      function skipWhitespacesAndLineBreaks(text, start) {
        return skipTrivia(
          text,
          start,
          /*stopAfterLineBreak*/
          false,
          /*stopAtComments*/
          true
        );
      }
      function hasCommentsBeforeLineBreak(text, start) {
        let i = start;
        while (i < text.length) {
          const ch = text.charCodeAt(i);
          if (isWhiteSpaceSingleLine(ch)) {
            i++;
            continue;
          }
          return ch === 47;
        }
        return false;
      }
      var useNonAdjustedPositions = {
        leadingTriviaOption: 0,
        trailingTriviaOption: 0
        /* Exclude */
      };
      function getAdjustedRange(sourceFile, startNode2, endNode2, options) {
        return { pos: getAdjustedStartPosition(sourceFile, startNode2, options), end: getAdjustedEndPosition(sourceFile, endNode2, options) };
      }
      function getAdjustedStartPosition(sourceFile, node, options, hasTrailingComment = false) {
        var _a, _b;
        const { leadingTriviaOption } = options;
        if (leadingTriviaOption === 0) {
          return node.getStart(sourceFile);
        }
        if (leadingTriviaOption === 3) {
          const startPos = node.getStart(sourceFile);
          const pos = getLineStartPositionForPosition(startPos, sourceFile);
          return rangeContainsPosition(node, pos) ? pos : startPos;
        }
        if (leadingTriviaOption === 2) {
          const JSDocComments = getJSDocCommentRanges(node, sourceFile.text);
          if (JSDocComments == null ? void 0 : JSDocComments.length) {
            return getLineStartPositionForPosition(JSDocComments[0].pos, sourceFile);
          }
        }
        const fullStart = node.getFullStart();
        const start = node.getStart(sourceFile);
        if (fullStart === start) {
          return start;
        }
        const fullStartLine = getLineStartPositionForPosition(fullStart, sourceFile);
        const startLine = getLineStartPositionForPosition(start, sourceFile);
        if (startLine === fullStartLine) {
          return leadingTriviaOption === 1 ? fullStart : start;
        }
        if (hasTrailingComment) {
          const comment = ((_a = getLeadingCommentRanges(sourceFile.text, fullStart)) == null ? void 0 : _a[0]) || ((_b = getTrailingCommentRanges(sourceFile.text, fullStart)) == null ? void 0 : _b[0]);
          if (comment) {
            return skipTrivia(
              sourceFile.text,
              comment.end,
              /*stopAfterLineBreak*/
              true,
              /*stopAtComments*/
              true
            );
          }
        }
        const nextLineStart = fullStart > 0 ? 1 : 0;
        let adjustedStartPosition = getStartPositionOfLine(getLineOfLocalPosition(sourceFile, fullStartLine) + nextLineStart, sourceFile);
        adjustedStartPosition = skipWhitespacesAndLineBreaks(sourceFile.text, adjustedStartPosition);
        return getStartPositionOfLine(getLineOfLocalPosition(sourceFile, adjustedStartPosition), sourceFile);
      }
      function getEndPositionOfMultilineTrailingComment(sourceFile, node, options) {
        const { end } = node;
        const { trailingTriviaOption } = options;
        if (trailingTriviaOption === 2) {
          const comments = getTrailingCommentRanges(sourceFile.text, end);
          if (comments) {
            const nodeEndLine = getLineOfLocalPosition(sourceFile, node.end);
            for (const comment of comments) {
              if (comment.kind === 2 || getLineOfLocalPosition(sourceFile, comment.pos) > nodeEndLine) {
                break;
              }
              const commentEndLine = getLineOfLocalPosition(sourceFile, comment.end);
              if (commentEndLine > nodeEndLine) {
                return skipTrivia(
                  sourceFile.text,
                  comment.end,
                  /*stopAfterLineBreak*/
                  true,
                  /*stopAtComments*/
                  true
                );
              }
            }
          }
        }
        return void 0;
      }
      function getAdjustedEndPosition(sourceFile, node, options) {
        var _a;
        const { end } = node;
        const { trailingTriviaOption } = options;
        if (trailingTriviaOption === 0) {
          return end;
        }
        if (trailingTriviaOption === 1) {
          const comments = concatenate(getTrailingCommentRanges(sourceFile.text, end), getLeadingCommentRanges(sourceFile.text, end));
          const realEnd = (_a = comments == null ? void 0 : comments[comments.length - 1]) == null ? void 0 : _a.end;
          if (realEnd) {
            return realEnd;
          }
          return end;
        }
        const multilineEndPosition = getEndPositionOfMultilineTrailingComment(sourceFile, node, options);
        if (multilineEndPosition) {
          return multilineEndPosition;
        }
        const newEnd = skipTrivia(
          sourceFile.text,
          end,
          /*stopAfterLineBreak*/
          true
        );
        return newEnd !== end && (trailingTriviaOption === 2 || isLineBreak(sourceFile.text.charCodeAt(newEnd - 1))) ? newEnd : end;
      }
      function isSeparator(node, candidate) {
        return !!candidate && !!node.parent && (candidate.kind === 28 || candidate.kind === 27 && node.parent.kind === 210);
      }
      function isThisTypeAnnotatable(containingFunction) {
        return isFunctionExpression(containingFunction) || isFunctionDeclaration(containingFunction);
      }
      var ChangeTracker = class _ChangeTracker {
        /** Public for tests only. Other callers should use `ChangeTracker.with`. */
        constructor(newLineCharacter, formatContext) {
          this.newLineCharacter = newLineCharacter;
          this.formatContext = formatContext;
          this.changes = [];
          this.classesWithNodesInsertedAtStart = /* @__PURE__ */ new Map();
          this.deletedNodes = [];
        }
        static fromContext(context) {
          return new _ChangeTracker(getNewLineOrDefaultFromHost(context.host, context.formatContext.options), context.formatContext);
        }
        static with(context, cb) {
          const tracker2 = _ChangeTracker.fromContext(context);
          cb(tracker2);
          return tracker2.getChanges();
        }
        pushRaw(sourceFile, change) {
          Debug.assertEqual(sourceFile.fileName, change.fileName);
          for (const c of change.textChanges) {
            this.changes.push({
              kind: 3,
              sourceFile,
              text: c.newText,
              range: createTextRangeFromSpan(c.span)
            });
          }
        }
        deleteRange(sourceFile, range) {
          this.changes.push({ kind: 0, sourceFile, range });
        }
        delete(sourceFile, node) {
          this.deletedNodes.push({ sourceFile, node });
        }
        /** Stop! Consider using `delete` instead, which has logic for deleting nodes from delimited lists. */
        deleteNode(sourceFile, node, options = {
          leadingTriviaOption: 1
          /* IncludeAll */
        }) {
          this.deleteRange(sourceFile, getAdjustedRange(sourceFile, node, node, options));
        }
        deleteNodes(sourceFile, nodes, options = {
          leadingTriviaOption: 1
          /* IncludeAll */
        }, hasTrailingComment) {
          for (const node of nodes) {
            const pos = getAdjustedStartPosition(sourceFile, node, options, hasTrailingComment);
            const end = getAdjustedEndPosition(sourceFile, node, options);
            this.deleteRange(sourceFile, { pos, end });
            hasTrailingComment = !!getEndPositionOfMultilineTrailingComment(sourceFile, node, options);
          }
        }
        deleteModifier(sourceFile, modifier) {
          this.deleteRange(sourceFile, { pos: modifier.getStart(sourceFile), end: skipTrivia(
            sourceFile.text,
            modifier.end,
            /*stopAfterLineBreak*/
            true
          ) });
        }
        deleteNodeRange(sourceFile, startNode2, endNode2, options = {
          leadingTriviaOption: 1
          /* IncludeAll */
        }) {
          const startPosition = getAdjustedStartPosition(sourceFile, startNode2, options);
          const endPosition = getAdjustedEndPosition(sourceFile, endNode2, options);
          this.deleteRange(sourceFile, { pos: startPosition, end: endPosition });
        }
        deleteNodeRangeExcludingEnd(sourceFile, startNode2, afterEndNode, options = {
          leadingTriviaOption: 1
          /* IncludeAll */
        }) {
          const startPosition = getAdjustedStartPosition(sourceFile, startNode2, options);
          const endPosition = afterEndNode === void 0 ? sourceFile.text.length : getAdjustedStartPosition(sourceFile, afterEndNode, options);
          this.deleteRange(sourceFile, { pos: startPosition, end: endPosition });
        }
        replaceRange(sourceFile, range, newNode, options = {}) {
          this.changes.push({ kind: 1, sourceFile, range, options, node: newNode });
        }
        replaceNode(sourceFile, oldNode, newNode, options = useNonAdjustedPositions) {
          this.replaceRange(sourceFile, getAdjustedRange(sourceFile, oldNode, oldNode, options), newNode, options);
        }
        replaceNodeRange(sourceFile, startNode2, endNode2, newNode, options = useNonAdjustedPositions) {
          this.replaceRange(sourceFile, getAdjustedRange(sourceFile, startNode2, endNode2, options), newNode, options);
        }
        replaceRangeWithNodes(sourceFile, range, newNodes, options = {}) {
          this.changes.push({ kind: 2, sourceFile, range, options, nodes: newNodes });
        }
        replaceNodeWithNodes(sourceFile, oldNode, newNodes, options = useNonAdjustedPositions) {
          this.replaceRangeWithNodes(sourceFile, getAdjustedRange(sourceFile, oldNode, oldNode, options), newNodes, options);
        }
        replaceNodeWithText(sourceFile, oldNode, text) {
          this.replaceRangeWithText(sourceFile, getAdjustedRange(sourceFile, oldNode, oldNode, useNonAdjustedPositions), text);
        }
        replaceNodeRangeWithNodes(sourceFile, startNode2, endNode2, newNodes, options = useNonAdjustedPositions) {
          this.replaceRangeWithNodes(sourceFile, getAdjustedRange(sourceFile, startNode2, endNode2, options), newNodes, options);
        }
        nodeHasTrailingComment(sourceFile, oldNode, configurableEnd = useNonAdjustedPositions) {
          return !!getEndPositionOfMultilineTrailingComment(sourceFile, oldNode, configurableEnd);
        }
        nextCommaToken(sourceFile, node) {
          const next = findNextToken(node, node.parent, sourceFile);
          return next && next.kind === 28 ? next : void 0;
        }
        replacePropertyAssignment(sourceFile, oldNode, newNode) {
          const suffix = this.nextCommaToken(sourceFile, oldNode) ? "" : "," + this.newLineCharacter;
          this.replaceNode(sourceFile, oldNode, newNode, { suffix });
        }
        insertNodeAt(sourceFile, pos, newNode, options = {}) {
          this.replaceRange(sourceFile, createRange(pos), newNode, options);
        }
        insertNodesAt(sourceFile, pos, newNodes, options = {}) {
          this.replaceRangeWithNodes(sourceFile, createRange(pos), newNodes, options);
        }
        insertNodeAtTopOfFile(sourceFile, newNode, blankLineBetween) {
          this.insertAtTopOfFile(sourceFile, newNode, blankLineBetween);
        }
        insertNodesAtTopOfFile(sourceFile, newNodes, blankLineBetween) {
          this.insertAtTopOfFile(sourceFile, newNodes, blankLineBetween);
        }
        insertAtTopOfFile(sourceFile, insert, blankLineBetween) {
          const pos = getInsertionPositionAtSourceFileTop(sourceFile);
          const options = {
            prefix: pos === 0 ? void 0 : this.newLineCharacter,
            suffix: (isLineBreak(sourceFile.text.charCodeAt(pos)) ? "" : this.newLineCharacter) + (blankLineBetween ? this.newLineCharacter : "")
          };
          if (isArray3(insert)) {
            this.insertNodesAt(sourceFile, pos, insert, options);
          } else {
            this.insertNodeAt(sourceFile, pos, insert, options);
          }
        }
        insertNodesAtEndOfFile(sourceFile, newNodes, blankLineBetween) {
          this.insertAtEndOfFile(sourceFile, newNodes, blankLineBetween);
        }
        insertAtEndOfFile(sourceFile, insert, blankLineBetween) {
          const pos = sourceFile.end + 1;
          const options = {
            prefix: this.newLineCharacter,
            suffix: this.newLineCharacter + (blankLineBetween ? this.newLineCharacter : "")
          };
          this.insertNodesAt(sourceFile, pos, insert, options);
        }
        insertStatementsInNewFile(fileName, statements, oldFile) {
          if (!this.newFileChanges) {
            this.newFileChanges = createMultiMap();
          }
          this.newFileChanges.add(fileName, { oldFile, statements });
        }
        insertFirstParameter(sourceFile, parameters, newParam) {
          const p0 = firstOrUndefined(parameters);
          if (p0) {
            this.insertNodeBefore(sourceFile, p0, newParam);
          } else {
            this.insertNodeAt(sourceFile, parameters.pos, newParam);
          }
        }
        insertNodeBefore(sourceFile, before, newNode, blankLineBetween = false, options = {}) {
          this.insertNodeAt(sourceFile, getAdjustedStartPosition(sourceFile, before, options), newNode, this.getOptionsForInsertNodeBefore(before, newNode, blankLineBetween));
        }
        insertNodesBefore(sourceFile, before, newNodes, blankLineBetween = false, options = {}) {
          this.insertNodesAt(sourceFile, getAdjustedStartPosition(sourceFile, before, options), newNodes, this.getOptionsForInsertNodeBefore(before, first(newNodes), blankLineBetween));
        }
        insertModifierAt(sourceFile, pos, modifier, options = {}) {
          this.insertNodeAt(sourceFile, pos, factory.createToken(modifier), options);
        }
        insertModifierBefore(sourceFile, modifier, before) {
          return this.insertModifierAt(sourceFile, before.getStart(sourceFile), modifier, { suffix: " " });
        }
        insertCommentBeforeLine(sourceFile, lineNumber, position, commentText) {
          const lineStartPosition = getStartPositionOfLine(lineNumber, sourceFile);
          const startPosition = getFirstNonSpaceCharacterPosition(sourceFile.text, lineStartPosition);
          const insertAtLineStart = isValidLocationToAddComment(sourceFile, startPosition);
          const token = getTouchingToken(sourceFile, insertAtLineStart ? startPosition : position);
          const indent3 = sourceFile.text.slice(lineStartPosition, startPosition);
          const text = `${insertAtLineStart ? "" : this.newLineCharacter}//${commentText}${this.newLineCharacter}${indent3}`;
          this.insertText(sourceFile, token.getStart(sourceFile), text);
        }
        insertJsdocCommentBefore(sourceFile, node, tag) {
          const fnStart = node.getStart(sourceFile);
          if (node.jsDoc) {
            for (const jsdoc of node.jsDoc) {
              this.deleteRange(sourceFile, {
                pos: getLineStartPositionForPosition(jsdoc.getStart(sourceFile), sourceFile),
                end: getAdjustedEndPosition(
                  sourceFile,
                  jsdoc,
                  /*options*/
                  {}
                )
              });
            }
          }
          const startPosition = getPrecedingNonSpaceCharacterPosition(sourceFile.text, fnStart - 1);
          const indent3 = sourceFile.text.slice(startPosition, fnStart);
          this.insertNodeAt(sourceFile, fnStart, tag, { suffix: this.newLineCharacter + indent3 });
        }
        createJSDocText(sourceFile, node) {
          const comments = flatMap(node.jsDoc, (jsDoc2) => isString2(jsDoc2.comment) ? factory.createJSDocText(jsDoc2.comment) : jsDoc2.comment);
          const jsDoc = singleOrUndefined(node.jsDoc);
          return jsDoc && positionsAreOnSameLine(jsDoc.pos, jsDoc.end, sourceFile) && length(comments) === 0 ? void 0 : factory.createNodeArray(intersperse(comments, factory.createJSDocText("\n")));
        }
        replaceJSDocComment(sourceFile, node, tags) {
          this.insertJsdocCommentBefore(sourceFile, updateJSDocHost(node), factory.createJSDocComment(this.createJSDocText(sourceFile, node), factory.createNodeArray(tags)));
        }
        addJSDocTags(sourceFile, parent2, newTags) {
          const oldTags = flatMapToMutable(parent2.jsDoc, (j) => j.tags);
          const unmergedNewTags = newTags.filter(
            (newTag) => !oldTags.some((tag, i) => {
              const merged = tryMergeJsdocTags(tag, newTag);
              if (merged) oldTags[i] = merged;
              return !!merged;
            })
          );
          this.replaceJSDocComment(sourceFile, parent2, [...oldTags, ...unmergedNewTags]);
        }
        filterJSDocTags(sourceFile, parent2, predicate) {
          this.replaceJSDocComment(sourceFile, parent2, filter(flatMapToMutable(parent2.jsDoc, (j) => j.tags), predicate));
        }
        replaceRangeWithText(sourceFile, range, text) {
          this.changes.push({ kind: 3, sourceFile, range, text });
        }
        insertText(sourceFile, pos, text) {
          this.replaceRangeWithText(sourceFile, createRange(pos), text);
        }
        /** Prefer this over replacing a node with another that has a type annotation, as it avoids reformatting the other parts of the node. */
        tryInsertTypeAnnotation(sourceFile, node, type) {
          let endNode2;
          if (isFunctionLike(node)) {
            endNode2 = findChildOfKind(node, 22, sourceFile);
            if (!endNode2) {
              if (!isArrowFunction(node)) return false;
              endNode2 = first(node.parameters);
            }
          } else {
            endNode2 = (node.kind === 260 ? node.exclamationToken : node.questionToken) ?? node.name;
          }
          this.insertNodeAt(sourceFile, endNode2.end, type, { prefix: ": " });
          return true;
        }
        tryInsertThisTypeAnnotation(sourceFile, node, type) {
          const start = findChildOfKind(node, 21, sourceFile).getStart(sourceFile) + 1;
          const suffix = node.parameters.length ? ", " : "";
          this.insertNodeAt(sourceFile, start, type, { prefix: "this: ", suffix });
        }
        insertTypeParameters(sourceFile, node, typeParameters) {
          const start = (findChildOfKind(node, 21, sourceFile) || first(node.parameters)).getStart(sourceFile);
          this.insertNodesAt(sourceFile, start, typeParameters, { prefix: "<", suffix: ">", joiner: ", " });
        }
        getOptionsForInsertNodeBefore(before, inserted, blankLineBetween) {
          if (isStatement(before) || isClassElement(before)) {
            return { suffix: blankLineBetween ? this.newLineCharacter + this.newLineCharacter : this.newLineCharacter };
          } else if (isVariableDeclaration(before)) {
            return { suffix: ", " };
          } else if (isParameter(before)) {
            return isParameter(inserted) ? { suffix: ", " } : {};
          } else if (isStringLiteral2(before) && isImportDeclaration(before.parent) || isNamedImports(before)) {
            return { suffix: ", " };
          } else if (isImportSpecifier(before)) {
            return { suffix: "," + (blankLineBetween ? this.newLineCharacter : " ") };
          }
          return Debug.failBadSyntaxKind(before);
        }
        insertNodeAtConstructorStart(sourceFile, ctr, newStatement) {
          const firstStatement = firstOrUndefined(ctr.body.statements);
          if (!firstStatement || !ctr.body.multiLine) {
            this.replaceConstructorBody(sourceFile, ctr, [newStatement, ...ctr.body.statements]);
          } else {
            this.insertNodeBefore(sourceFile, firstStatement, newStatement);
          }
        }
        insertNodeAtConstructorStartAfterSuperCall(sourceFile, ctr, newStatement) {
          const superCallStatement = find(ctr.body.statements, (stmt) => isExpressionStatement2(stmt) && isSuperCall(stmt.expression));
          if (!superCallStatement || !ctr.body.multiLine) {
            this.replaceConstructorBody(sourceFile, ctr, [...ctr.body.statements, newStatement]);
          } else {
            this.insertNodeAfter(sourceFile, superCallStatement, newStatement);
          }
        }
        insertNodeAtConstructorEnd(sourceFile, ctr, newStatement) {
          const lastStatement = lastOrUndefined(ctr.body.statements);
          if (!lastStatement || !ctr.body.multiLine) {
            this.replaceConstructorBody(sourceFile, ctr, [...ctr.body.statements, newStatement]);
          } else {
            this.insertNodeAfter(sourceFile, lastStatement, newStatement);
          }
        }
        replaceConstructorBody(sourceFile, ctr, statements) {
          this.replaceNode(sourceFile, ctr.body, factory.createBlock(
            statements,
            /*multiLine*/
            true
          ));
        }
        insertNodeAtEndOfScope(sourceFile, scope, newNode) {
          const pos = getAdjustedStartPosition(sourceFile, scope.getLastToken(), {});
          this.insertNodeAt(sourceFile, pos, newNode, {
            prefix: isLineBreak(sourceFile.text.charCodeAt(scope.getLastToken().pos)) ? this.newLineCharacter : this.newLineCharacter + this.newLineCharacter,
            suffix: this.newLineCharacter
          });
        }
        insertMemberAtStart(sourceFile, node, newElement) {
          this.insertNodeAtStartWorker(sourceFile, node, newElement);
        }
        insertNodeAtObjectStart(sourceFile, obj, newElement) {
          this.insertNodeAtStartWorker(sourceFile, obj, newElement);
        }
        insertNodeAtStartWorker(sourceFile, node, newElement) {
          const indentation = this.guessIndentationFromExistingMembers(sourceFile, node) ?? this.computeIndentationForNewMember(sourceFile, node);
          this.insertNodeAt(sourceFile, getMembersOrProperties(node).pos, newElement, this.getInsertNodeAtStartInsertOptions(sourceFile, node, indentation));
        }
        /**
         * Tries to guess the indentation from the existing members of a class/interface/object. All members must be on
         * new lines and must share the same indentation.
         */
        guessIndentationFromExistingMembers(sourceFile, node) {
          let indentation;
          let lastRange = node;
          for (const member of getMembersOrProperties(node)) {
            if (rangeStartPositionsAreOnSameLine(lastRange, member, sourceFile)) {
              return void 0;
            }
            const memberStart = member.getStart(sourceFile);
            const memberIndentation = ts_formatting_exports.SmartIndenter.findFirstNonWhitespaceColumn(getLineStartPositionForPosition(memberStart, sourceFile), memberStart, sourceFile, this.formatContext.options);
            if (indentation === void 0) {
              indentation = memberIndentation;
            } else if (memberIndentation !== indentation) {
              return void 0;
            }
            lastRange = member;
          }
          return indentation;
        }
        computeIndentationForNewMember(sourceFile, node) {
          const nodeStart = node.getStart(sourceFile);
          return ts_formatting_exports.SmartIndenter.findFirstNonWhitespaceColumn(getLineStartPositionForPosition(nodeStart, sourceFile), nodeStart, sourceFile, this.formatContext.options) + (this.formatContext.options.indentSize ?? 4);
        }
        getInsertNodeAtStartInsertOptions(sourceFile, node, indentation) {
          const members = getMembersOrProperties(node);
          const isEmpty2 = members.length === 0;
          const isFirstInsertion = addToSeen(this.classesWithNodesInsertedAtStart, getNodeId(node), { node, sourceFile });
          const insertTrailingComma = isObjectLiteralExpression(node) && (!isJsonSourceFile(sourceFile) || !isEmpty2);
          const insertLeadingComma = isObjectLiteralExpression(node) && isJsonSourceFile(sourceFile) && isEmpty2 && !isFirstInsertion;
          return {
            indentation,
            prefix: (insertLeadingComma ? "," : "") + this.newLineCharacter,
            suffix: insertTrailingComma ? "," : isInterfaceDeclaration(node) && isEmpty2 ? ";" : ""
          };
        }
        insertNodeAfterComma(sourceFile, after, newNode) {
          const endPosition = this.insertNodeAfterWorker(sourceFile, this.nextCommaToken(sourceFile, after) || after, newNode);
          this.insertNodeAt(sourceFile, endPosition, newNode, this.getInsertNodeAfterOptions(sourceFile, after));
        }
        insertNodeAfter(sourceFile, after, newNode) {
          const endPosition = this.insertNodeAfterWorker(sourceFile, after, newNode);
          this.insertNodeAt(sourceFile, endPosition, newNode, this.getInsertNodeAfterOptions(sourceFile, after));
        }
        insertNodeAtEndOfList(sourceFile, list, newNode) {
          this.insertNodeAt(sourceFile, list.end, newNode, { prefix: ", " });
        }
        insertNodesAfter(sourceFile, after, newNodes) {
          const endPosition = this.insertNodeAfterWorker(sourceFile, after, first(newNodes));
          this.insertNodesAt(sourceFile, endPosition, newNodes, this.getInsertNodeAfterOptions(sourceFile, after));
        }
        insertNodeAfterWorker(sourceFile, after, newNode) {
          if (needSemicolonBetween(after, newNode)) {
            if (sourceFile.text.charCodeAt(after.end - 1) !== 59) {
              this.replaceRange(sourceFile, createRange(after.end), factory.createToken(
                27
                /* SemicolonToken */
              ));
            }
          }
          const endPosition = getAdjustedEndPosition(sourceFile, after, {});
          return endPosition;
        }
        getInsertNodeAfterOptions(sourceFile, after) {
          const options = this.getInsertNodeAfterOptionsWorker(after);
          return {
            ...options,
            prefix: after.end === sourceFile.end && isStatement(after) ? options.prefix ? `
${options.prefix}` : "\n" : options.prefix
          };
        }
        getInsertNodeAfterOptionsWorker(node) {
          switch (node.kind) {
            case 263:
            case 267:
              return { prefix: this.newLineCharacter, suffix: this.newLineCharacter };
            case 260:
            case 11:
            case 80:
              return { prefix: ", " };
            case 303:
              return { suffix: "," + this.newLineCharacter };
            case 95:
              return { prefix: " " };
            case 169:
              return {};
            default:
              Debug.assert(isStatement(node) || isClassOrTypeElement(node));
              return { suffix: this.newLineCharacter };
          }
        }
        insertName(sourceFile, node, name) {
          Debug.assert(!node.name);
          if (node.kind === 219) {
            const arrow = findChildOfKind(node, 39, sourceFile);
            const lparen = findChildOfKind(node, 21, sourceFile);
            if (lparen) {
              this.insertNodesAt(sourceFile, lparen.getStart(sourceFile), [factory.createToken(
                100
                /* FunctionKeyword */
              ), factory.createIdentifier(name)], { joiner: " " });
              deleteNode(this, sourceFile, arrow);
            } else {
              this.insertText(sourceFile, first(node.parameters).getStart(sourceFile), `function ${name}(`);
              this.replaceRange(sourceFile, arrow, factory.createToken(
                22
                /* CloseParenToken */
              ));
            }
            if (node.body.kind !== 241) {
              this.insertNodesAt(sourceFile, node.body.getStart(sourceFile), [factory.createToken(
                19
                /* OpenBraceToken */
              ), factory.createToken(
                107
                /* ReturnKeyword */
              )], { joiner: " ", suffix: " " });
              this.insertNodesAt(sourceFile, node.body.end, [factory.createToken(
                27
                /* SemicolonToken */
              ), factory.createToken(
                20
                /* CloseBraceToken */
              )], { joiner: " " });
            }
          } else {
            const pos = findChildOfKind(node, node.kind === 218 ? 100 : 86, sourceFile).end;
            this.insertNodeAt(sourceFile, pos, factory.createIdentifier(name), { prefix: " " });
          }
        }
        insertExportModifier(sourceFile, node) {
          this.insertText(sourceFile, node.getStart(sourceFile), "export ");
        }
        insertImportSpecifierAtIndex(sourceFile, importSpecifier, namedImports, index) {
          const prevSpecifier = namedImports.elements[index - 1];
          if (prevSpecifier) {
            this.insertNodeInListAfter(sourceFile, prevSpecifier, importSpecifier);
          } else {
            this.insertNodeBefore(
              sourceFile,
              namedImports.elements[0],
              importSpecifier,
              !positionsAreOnSameLine(namedImports.elements[0].getStart(), namedImports.parent.parent.getStart(), sourceFile)
            );
          }
        }
        /**
         * This function should be used to insert nodes in lists when nodes don't carry separators as the part of the node range,
         * i.e. arguments in arguments lists, parameters in parameter lists etc.
         * Note that separators are part of the node in statements and class elements.
         */
        insertNodeInListAfter(sourceFile, after, newNode, containingList = ts_formatting_exports.SmartIndenter.getContainingList(after, sourceFile)) {
          if (!containingList) {
            Debug.fail("node is not a list element");
            return;
          }
          const index = indexOfNode(containingList, after);
          if (index < 0) {
            return;
          }
          const end = after.getEnd();
          if (index !== containingList.length - 1) {
            const nextToken = getTokenAtPosition(sourceFile, after.end);
            if (nextToken && isSeparator(after, nextToken)) {
              const nextNode = containingList[index + 1];
              const startPos = skipWhitespacesAndLineBreaks(sourceFile.text, nextNode.getFullStart());
              const suffix = `${tokenToString(nextToken.kind)}${sourceFile.text.substring(nextToken.end, startPos)}`;
              this.insertNodesAt(sourceFile, startPos, [newNode], { suffix });
            }
          } else {
            const afterStart = after.getStart(sourceFile);
            const afterStartLinePosition = getLineStartPositionForPosition(afterStart, sourceFile);
            let separator;
            let multilineList = false;
            if (containingList.length === 1) {
              separator = 28;
            } else {
              const tokenBeforeInsertPosition = findPrecedingToken(after.pos, sourceFile);
              separator = isSeparator(after, tokenBeforeInsertPosition) ? tokenBeforeInsertPosition.kind : 28;
              const afterMinusOneStartLinePosition = getLineStartPositionForPosition(containingList[index - 1].getStart(sourceFile), sourceFile);
              multilineList = afterMinusOneStartLinePosition !== afterStartLinePosition;
            }
            if (hasCommentsBeforeLineBreak(sourceFile.text, after.end) || !positionsAreOnSameLine(containingList.pos, containingList.end, sourceFile)) {
              multilineList = true;
            }
            if (multilineList) {
              this.replaceRange(sourceFile, createRange(end), factory.createToken(separator));
              const indentation = ts_formatting_exports.SmartIndenter.findFirstNonWhitespaceColumn(afterStartLinePosition, afterStart, sourceFile, this.formatContext.options);
              let insertPos = skipTrivia(
                sourceFile.text,
                end,
                /*stopAfterLineBreak*/
                true,
                /*stopAtComments*/
                false
              );
              while (insertPos !== end && isLineBreak(sourceFile.text.charCodeAt(insertPos - 1))) {
                insertPos--;
              }
              this.replaceRange(sourceFile, createRange(insertPos), newNode, { indentation, prefix: this.newLineCharacter });
            } else {
              this.replaceRange(sourceFile, createRange(end), newNode, { prefix: `${tokenToString(separator)} ` });
            }
          }
        }
        parenthesizeExpression(sourceFile, expression) {
          this.replaceRange(sourceFile, rangeOfNode(expression), factory.createParenthesizedExpression(expression));
        }
        finishClassesWithNodesInsertedAtStart() {
          this.classesWithNodesInsertedAtStart.forEach(({ node, sourceFile }) => {
            const [openBraceEnd, closeBraceEnd] = getClassOrObjectBraceEnds(node, sourceFile);
            if (openBraceEnd !== void 0 && closeBraceEnd !== void 0) {
              const isEmpty2 = getMembersOrProperties(node).length === 0;
              const isSingleLine = positionsAreOnSameLine(openBraceEnd, closeBraceEnd, sourceFile);
              if (isEmpty2 && isSingleLine && openBraceEnd !== closeBraceEnd - 1) {
                this.deleteRange(sourceFile, createRange(openBraceEnd, closeBraceEnd - 1));
              }
              if (isSingleLine) {
                this.insertText(sourceFile, closeBraceEnd - 1, this.newLineCharacter);
              }
            }
          });
        }
        finishDeleteDeclarations() {
          const deletedNodesInLists = /* @__PURE__ */ new Set();
          for (const { sourceFile, node } of this.deletedNodes) {
            if (!this.deletedNodes.some((d) => d.sourceFile === sourceFile && rangeContainsRangeExclusive(d.node, node))) {
              if (isArray3(node)) {
                this.deleteRange(sourceFile, rangeOfTypeParameters(sourceFile, node));
              } else {
                deleteDeclaration.deleteDeclaration(this, deletedNodesInLists, sourceFile, node);
              }
            }
          }
          deletedNodesInLists.forEach((node) => {
            const sourceFile = node.getSourceFile();
            const list = ts_formatting_exports.SmartIndenter.getContainingList(node, sourceFile);
            if (node !== last(list)) return;
            const lastNonDeletedIndex = findLastIndex(list, (n) => !deletedNodesInLists.has(n), list.length - 2);
            if (lastNonDeletedIndex !== -1) {
              this.deleteRange(sourceFile, { pos: list[lastNonDeletedIndex].end, end: startPositionToDeleteNodeInList(sourceFile, list[lastNonDeletedIndex + 1]) });
            }
          });
        }
        /**
         * Note: after calling this, the TextChanges object must be discarded!
         * @param validate only for tests
         *    The reason we must validate as part of this method is that `getNonFormattedText` changes the node's positions,
         *    so we can only call this once and can't get the non-formatted text separately.
         */
        getChanges(validate) {
          this.finishDeleteDeclarations();
          this.finishClassesWithNodesInsertedAtStart();
          const changes = changesToText.getTextChangesFromChanges(this.changes, this.newLineCharacter, this.formatContext, validate);
          if (this.newFileChanges) {
            this.newFileChanges.forEach((insertions, fileName) => {
              changes.push(changesToText.newFileChanges(fileName, insertions, this.newLineCharacter, this.formatContext));
            });
          }
          return changes;
        }
        createNewFile(oldFile, fileName, statements) {
          this.insertStatementsInNewFile(fileName, statements, oldFile);
        }
      };
      function updateJSDocHost(parent2) {
        if (parent2.kind !== 219) {
          return parent2;
        }
        const jsDocNode = parent2.parent.kind === 172 ? parent2.parent : parent2.parent.parent;
        jsDocNode.jsDoc = parent2.jsDoc;
        return jsDocNode;
      }
      function tryMergeJsdocTags(oldTag, newTag) {
        if (oldTag.kind !== newTag.kind) {
          return void 0;
        }
        switch (oldTag.kind) {
          case 341: {
            const oldParam = oldTag;
            const newParam = newTag;
            return isIdentifier(oldParam.name) && isIdentifier(newParam.name) && oldParam.name.escapedText === newParam.name.escapedText ? factory.createJSDocParameterTag(
              /*tagName*/
              void 0,
              newParam.name,
              /*isBracketed*/
              false,
              newParam.typeExpression,
              newParam.isNameFirst,
              oldParam.comment
            ) : void 0;
          }
          case 342:
            return factory.createJSDocReturnTag(
              /*tagName*/
              void 0,
              newTag.typeExpression,
              oldTag.comment
            );
          case 344:
            return factory.createJSDocTypeTag(
              /*tagName*/
              void 0,
              newTag.typeExpression,
              oldTag.comment
            );
        }
      }
      function startPositionToDeleteNodeInList(sourceFile, node) {
        return skipTrivia(
          sourceFile.text,
          getAdjustedStartPosition(sourceFile, node, {
            leadingTriviaOption: 1
            /* IncludeAll */
          }),
          /*stopAfterLineBreak*/
          false,
          /*stopAtComments*/
          true
        );
      }
      function endPositionToDeleteNodeInList(sourceFile, node, prevNode, nextNode) {
        const end = startPositionToDeleteNodeInList(sourceFile, nextNode);
        if (prevNode === void 0 || positionsAreOnSameLine(getAdjustedEndPosition(sourceFile, node, {}), end, sourceFile)) {
          return end;
        }
        const token = findPrecedingToken(nextNode.getStart(sourceFile), sourceFile);
        if (isSeparator(node, token)) {
          const prevToken = findPrecedingToken(node.getStart(sourceFile), sourceFile);
          if (isSeparator(prevNode, prevToken)) {
            const pos = skipTrivia(
              sourceFile.text,
              token.getEnd(),
              /*stopAfterLineBreak*/
              true,
              /*stopAtComments*/
              true
            );
            if (positionsAreOnSameLine(prevToken.getStart(sourceFile), token.getStart(sourceFile), sourceFile)) {
              return isLineBreak(sourceFile.text.charCodeAt(pos - 1)) ? pos - 1 : pos;
            }
            if (isLineBreak(sourceFile.text.charCodeAt(pos))) {
              return pos;
            }
          }
        }
        return end;
      }
      function getClassOrObjectBraceEnds(cls, sourceFile) {
        const open = findChildOfKind(cls, 19, sourceFile);
        const close = findChildOfKind(cls, 20, sourceFile);
        return [open == null ? void 0 : open.end, close == null ? void 0 : close.end];
      }
      function getMembersOrProperties(node) {
        return isObjectLiteralExpression(node) ? node.properties : node.members;
      }
      var changesToText;
      ((changesToText2) => {
        function getTextChangesFromChanges(changes, newLineCharacter, formatContext, validate) {
          return mapDefined(group(changes, (c) => c.sourceFile.path), (changesInFile) => {
            const sourceFile = changesInFile[0].sourceFile;
            const normalized = stableSort(changesInFile, (a, b) => a.range.pos - b.range.pos || a.range.end - b.range.end);
            for (let i = 0; i < normalized.length - 1; i++) {
              Debug.assert(normalized[i].range.end <= normalized[i + 1].range.pos, "Changes overlap", () => `${JSON.stringify(normalized[i].range)} and ${JSON.stringify(normalized[i + 1].range)}`);
            }
            const textChanges2 = mapDefined(normalized, (c) => {
              const span = createTextSpanFromRange(c.range);
              const targetSourceFile = c.kind === 1 ? getSourceFileOfNode(getOriginalNode(c.node)) ?? c.sourceFile : c.kind === 2 ? getSourceFileOfNode(getOriginalNode(c.nodes[0])) ?? c.sourceFile : c.sourceFile;
              const newText = computeNewText(c, targetSourceFile, sourceFile, newLineCharacter, formatContext, validate);
              if (span.length === newText.length && stringContainsAt(targetSourceFile.text, newText, span.start)) {
                return void 0;
              }
              return createTextChange(span, newText);
            });
            return textChanges2.length > 0 ? { fileName: sourceFile.fileName, textChanges: textChanges2 } : void 0;
          });
        }
        changesToText2.getTextChangesFromChanges = getTextChangesFromChanges;
        function newFileChanges(fileName, insertions, newLineCharacter, formatContext) {
          const text = newFileChangesWorker(getScriptKindFromFileName(fileName), insertions, newLineCharacter, formatContext);
          return { fileName, textChanges: [createTextChange(createTextSpan(0, 0), text)], isNewFile: true };
        }
        changesToText2.newFileChanges = newFileChanges;
        function newFileChangesWorker(scriptKind, insertions, newLineCharacter, formatContext) {
          const nonFormattedText = flatMap(insertions, (insertion) => insertion.statements.map((s) => s === 4 ? "" : getNonformattedText(s, insertion.oldFile, newLineCharacter).text)).join(newLineCharacter);
          const sourceFile = createSourceFile(
            "any file name",
            nonFormattedText,
            {
              languageVersion: 99,
              jsDocParsingMode: 1
              /* ParseNone */
            },
            /*setParentNodes*/
            true,
            scriptKind
          );
          const changes = ts_formatting_exports.formatDocument(sourceFile, formatContext);
          return applyChanges(nonFormattedText, changes) + newLineCharacter;
        }
        changesToText2.newFileChangesWorker = newFileChangesWorker;
        function computeNewText(change, targetSourceFile, sourceFile, newLineCharacter, formatContext, validate) {
          var _a;
          if (change.kind === 0) {
            return "";
          }
          if (change.kind === 3) {
            return change.text;
          }
          const { options = {}, range: { pos } } = change;
          const format2 = (n) => getFormattedTextOfNode(n, targetSourceFile, sourceFile, pos, options, newLineCharacter, formatContext, validate);
          const text = change.kind === 2 ? change.nodes.map((n) => removeSuffix(format2(n), newLineCharacter)).join(((_a = change.options) == null ? void 0 : _a.joiner) || newLineCharacter) : format2(change.node);
          const noIndent = options.indentation !== void 0 || getLineStartPositionForPosition(pos, targetSourceFile) === pos ? text : text.replace(/^\s+/, "");
          return (options.prefix || "") + noIndent + (!options.suffix || endsWith(noIndent, options.suffix) ? "" : options.suffix);
        }
        function getFormattedTextOfNode(nodeIn, targetSourceFile, sourceFile, pos, { indentation, prefix, delta }, newLineCharacter, formatContext, validate) {
          const { node, text } = getNonformattedText(nodeIn, targetSourceFile, newLineCharacter);
          if (validate) validate(node, text);
          const formatOptions = getFormatCodeSettingsForWriting(formatContext, targetSourceFile);
          const initialIndentation = indentation !== void 0 ? indentation : ts_formatting_exports.SmartIndenter.getIndentation(pos, sourceFile, formatOptions, prefix === newLineCharacter || getLineStartPositionForPosition(pos, targetSourceFile) === pos);
          if (delta === void 0) {
            delta = ts_formatting_exports.SmartIndenter.shouldIndentChildNode(formatOptions, nodeIn) ? formatOptions.indentSize || 0 : 0;
          }
          const file = {
            text,
            getLineAndCharacterOfPosition(pos2) {
              return getLineAndCharacterOfPosition(this, pos2);
            }
          };
          const changes = ts_formatting_exports.formatNodeGivenIndentation(node, file, targetSourceFile.languageVariant, initialIndentation, delta, { ...formatContext, options: formatOptions });
          return applyChanges(text, changes);
        }
        function getNonformattedText(node, sourceFile, newLineCharacter) {
          const writer = createWriter(newLineCharacter);
          const newLine = getNewLineKind(newLineCharacter);
          createPrinter({
            newLine,
            neverAsciiEscape: true,
            preserveSourceNewlines: true,
            terminateUnterminatedLiterals: true
          }, writer).writeNode(4, node, sourceFile, writer);
          return { text: writer.getText(), node: assignPositionsToNode(node) };
        }
        changesToText2.getNonformattedText = getNonformattedText;
      })(changesToText || (changesToText = {}));
      function applyChanges(text, changes) {
        for (let i = changes.length - 1; i >= 0; i--) {
          const { span, newText } = changes[i];
          text = `${text.substring(0, span.start)}${newText}${text.substring(textSpanEnd(span))}`;
        }
        return text;
      }
      function isTrivia2(s) {
        return skipTrivia(s, 0) === s.length;
      }
      var textChangesTransformationContext = {
        ...nullTransformationContext,
        factory: createNodeFactory(
          nullTransformationContext.factory.flags | 1,
          nullTransformationContext.factory.baseFactory
        )
      };
      function assignPositionsToNode(node) {
        const visited = visitEachChild(node, assignPositionsToNode, textChangesTransformationContext, assignPositionsToNodeArray, assignPositionsToNode);
        const newNode = nodeIsSynthesized(visited) ? visited : Object.create(visited);
        setTextRangePosEnd(newNode, getPos2(node), getEnd(node));
        return newNode;
      }
      function assignPositionsToNodeArray(nodes, visitor2, test, start, count) {
        const visited = visitNodes2(nodes, visitor2, test, start, count);
        if (!visited) {
          return visited;
        }
        Debug.assert(nodes);
        const nodeArray = visited === nodes ? factory.createNodeArray(visited.slice(0)) : visited;
        setTextRangePosEnd(nodeArray, getPos2(nodes), getEnd(nodes));
        return nodeArray;
      }
      function createWriter(newLine) {
        let lastNonTriviaPosition = 0;
        const writer = createTextWriter(newLine);
        const onBeforeEmitNode = (node) => {
          if (node) {
            setPos(node, lastNonTriviaPosition);
          }
        };
        const onAfterEmitNode = (node) => {
          if (node) {
            setEnd(node, lastNonTriviaPosition);
          }
        };
        const onBeforeEmitNodeArray = (nodes) => {
          if (nodes) {
            setPos(nodes, lastNonTriviaPosition);
          }
        };
        const onAfterEmitNodeArray = (nodes) => {
          if (nodes) {
            setEnd(nodes, lastNonTriviaPosition);
          }
        };
        const onBeforeEmitToken = (node) => {
          if (node) {
            setPos(node, lastNonTriviaPosition);
          }
        };
        const onAfterEmitToken = (node) => {
          if (node) {
            setEnd(node, lastNonTriviaPosition);
          }
        };
        function setLastNonTriviaPosition(s, force) {
          if (force || !isTrivia2(s)) {
            lastNonTriviaPosition = writer.getTextPos();
            let i = 0;
            while (isWhiteSpaceLike(s.charCodeAt(s.length - i - 1))) {
              i++;
            }
            lastNonTriviaPosition -= i;
          }
        }
        function write(s) {
          writer.write(s);
          setLastNonTriviaPosition(
            s,
            /*force*/
            false
          );
        }
        function writeComment(s) {
          writer.writeComment(s);
        }
        function writeKeyword(s) {
          writer.writeKeyword(s);
          setLastNonTriviaPosition(
            s,
            /*force*/
            false
          );
        }
        function writeOperator(s) {
          writer.writeOperator(s);
          setLastNonTriviaPosition(
            s,
            /*force*/
            false
          );
        }
        function writePunctuation(s) {
          writer.writePunctuation(s);
          setLastNonTriviaPosition(
            s,
            /*force*/
            false
          );
        }
        function writeTrailingSemicolon(s) {
          writer.writeTrailingSemicolon(s);
          setLastNonTriviaPosition(
            s,
            /*force*/
            false
          );
        }
        function writeParameter(s) {
          writer.writeParameter(s);
          setLastNonTriviaPosition(
            s,
            /*force*/
            false
          );
        }
        function writeProperty(s) {
          writer.writeProperty(s);
          setLastNonTriviaPosition(
            s,
            /*force*/
            false
          );
        }
        function writeSpace(s) {
          writer.writeSpace(s);
          setLastNonTriviaPosition(
            s,
            /*force*/
            false
          );
        }
        function writeStringLiteral(s) {
          writer.writeStringLiteral(s);
          setLastNonTriviaPosition(
            s,
            /*force*/
            false
          );
        }
        function writeSymbol(s, sym) {
          writer.writeSymbol(s, sym);
          setLastNonTriviaPosition(
            s,
            /*force*/
            false
          );
        }
        function writeLine(force) {
          writer.writeLine(force);
        }
        function increaseIndent() {
          writer.increaseIndent();
        }
        function decreaseIndent() {
          writer.decreaseIndent();
        }
        function getText() {
          return writer.getText();
        }
        function rawWrite(s) {
          writer.rawWrite(s);
          setLastNonTriviaPosition(
            s,
            /*force*/
            false
          );
        }
        function writeLiteral(s) {
          writer.writeLiteral(s);
          setLastNonTriviaPosition(
            s,
            /*force*/
            true
          );
        }
        function getTextPos() {
          return writer.getTextPos();
        }
        function getLine() {
          return writer.getLine();
        }
        function getColumn() {
          return writer.getColumn();
        }
        function getIndent() {
          return writer.getIndent();
        }
        function isAtStartOfLine() {
          return writer.isAtStartOfLine();
        }
        function clear2() {
          writer.clear();
          lastNonTriviaPosition = 0;
        }
        return {
          onBeforeEmitNode,
          onAfterEmitNode,
          onBeforeEmitNodeArray,
          onAfterEmitNodeArray,
          onBeforeEmitToken,
          onAfterEmitToken,
          write,
          writeComment,
          writeKeyword,
          writeOperator,
          writePunctuation,
          writeTrailingSemicolon,
          writeParameter,
          writeProperty,
          writeSpace,
          writeStringLiteral,
          writeSymbol,
          writeLine,
          increaseIndent,
          decreaseIndent,
          getText,
          rawWrite,
          writeLiteral,
          getTextPos,
          getLine,
          getColumn,
          getIndent,
          isAtStartOfLine,
          hasTrailingComment: () => writer.hasTrailingComment(),
          hasTrailingWhitespace: () => writer.hasTrailingWhitespace(),
          clear: clear2
        };
      }
      function getInsertionPositionAtSourceFileTop(sourceFile) {
        let lastPrologue;
        for (const node of sourceFile.statements) {
          if (isPrologueDirective(node)) {
            lastPrologue = node;
          } else {
            break;
          }
        }
        let position = 0;
        const text = sourceFile.text;
        if (lastPrologue) {
          position = lastPrologue.end;
          advancePastLineBreak();
          return position;
        }
        const shebang = getShebang(text);
        if (shebang !== void 0) {
          position = shebang.length;
          advancePastLineBreak();
        }
        const ranges = getLeadingCommentRanges(text, position);
        if (!ranges) return position;
        let lastComment;
        let firstNodeLine;
        for (const range of ranges) {
          if (range.kind === 3) {
            if (isPinnedComment(text, range.pos)) {
              lastComment = { range, pinnedOrTripleSlash: true };
              continue;
            }
          } else if (isRecognizedTripleSlashComment(text, range.pos, range.end)) {
            lastComment = { range, pinnedOrTripleSlash: true };
            continue;
          }
          if (lastComment) {
            if (lastComment.pinnedOrTripleSlash) break;
            const commentLine = sourceFile.getLineAndCharacterOfPosition(range.pos).line;
            const lastCommentEndLine = sourceFile.getLineAndCharacterOfPosition(lastComment.range.end).line;
            if (commentLine >= lastCommentEndLine + 2) break;
          }
          if (sourceFile.statements.length) {
            if (firstNodeLine === void 0) firstNodeLine = sourceFile.getLineAndCharacterOfPosition(sourceFile.statements[0].getStart()).line;
            const commentEndLine = sourceFile.getLineAndCharacterOfPosition(range.end).line;
            if (firstNodeLine < commentEndLine + 2) break;
          }
          lastComment = { range, pinnedOrTripleSlash: false };
        }
        if (lastComment) {
          position = lastComment.range.end;
          advancePastLineBreak();
        }
        return position;
        function advancePastLineBreak() {
          if (position < text.length) {
            const charCode = text.charCodeAt(position);
            if (isLineBreak(charCode)) {
              position++;
              if (position < text.length && charCode === 13 && text.charCodeAt(position) === 10) {
                position++;
              }
            }
          }
        }
      }
      function isValidLocationToAddComment(sourceFile, position) {
        return !isInComment(sourceFile, position) && !isInString(sourceFile, position) && !isInTemplateString(sourceFile, position) && !isInJSXText(sourceFile, position);
      }
      function needSemicolonBetween(a, b) {
        return (isPropertySignature(a) || isPropertyDeclaration(a)) && isClassOrTypeElement(b) && b.name.kind === 167 || isStatementButNotDeclaration(a) && isStatementButNotDeclaration(b);
      }
      var deleteDeclaration;
      ((_deleteDeclaration) => {
        function deleteDeclaration2(changes, deletedNodesInLists, sourceFile, node) {
          switch (node.kind) {
            case 169: {
              const oldFunction = node.parent;
              if (isArrowFunction(oldFunction) && oldFunction.parameters.length === 1 && !findChildOfKind(oldFunction, 21, sourceFile)) {
                changes.replaceNodeWithText(sourceFile, node, "()");
              } else {
                deleteNodeInList(changes, deletedNodesInLists, sourceFile, node);
              }
              break;
            }
            case 272:
            case 271:
              const isFirstImport = sourceFile.imports.length && node === first(sourceFile.imports).parent || node === find(sourceFile.statements, isAnyImportSyntax);
              deleteNode(changes, sourceFile, node, {
                leadingTriviaOption: isFirstImport ? 0 : hasJSDocNodes(node) ? 2 : 3
                /* StartLine */
              });
              break;
            case 208:
              const pattern = node.parent;
              const preserveComma = pattern.kind === 207 && node !== last(pattern.elements);
              if (preserveComma) {
                deleteNode(changes, sourceFile, node);
              } else {
                deleteNodeInList(changes, deletedNodesInLists, sourceFile, node);
              }
              break;
            case 260:
              deleteVariableDeclaration(changes, deletedNodesInLists, sourceFile, node);
              break;
            case 168:
              deleteNodeInList(changes, deletedNodesInLists, sourceFile, node);
              break;
            case 276:
              const namedImports = node.parent;
              if (namedImports.elements.length === 1) {
                deleteImportBinding(changes, sourceFile, namedImports);
              } else {
                deleteNodeInList(changes, deletedNodesInLists, sourceFile, node);
              }
              break;
            case 274:
              deleteImportBinding(changes, sourceFile, node);
              break;
            case 27:
              deleteNode(changes, sourceFile, node, {
                trailingTriviaOption: 0
                /* Exclude */
              });
              break;
            case 100:
              deleteNode(changes, sourceFile, node, {
                leadingTriviaOption: 0
                /* Exclude */
              });
              break;
            case 263:
            case 262:
              deleteNode(changes, sourceFile, node, {
                leadingTriviaOption: hasJSDocNodes(node) ? 2 : 3
                /* StartLine */
              });
              break;
            default:
              if (!node.parent) {
                deleteNode(changes, sourceFile, node);
              } else if (isImportClause(node.parent) && node.parent.name === node) {
                deleteDefaultImport(changes, sourceFile, node.parent);
              } else if (isCallExpression2(node.parent) && contains(node.parent.arguments, node)) {
                deleteNodeInList(changes, deletedNodesInLists, sourceFile, node);
              } else {
                deleteNode(changes, sourceFile, node);
              }
          }
        }
        _deleteDeclaration.deleteDeclaration = deleteDeclaration2;
        function deleteDefaultImport(changes, sourceFile, importClause) {
          if (!importClause.namedBindings) {
            deleteNode(changes, sourceFile, importClause.parent);
          } else {
            const start = importClause.name.getStart(sourceFile);
            const nextToken = getTokenAtPosition(sourceFile, importClause.name.end);
            if (nextToken && nextToken.kind === 28) {
              const end = skipTrivia(
                sourceFile.text,
                nextToken.end,
                /*stopAfterLineBreak*/
                false,
                /*stopAtComments*/
                true
              );
              changes.deleteRange(sourceFile, { pos: start, end });
            } else {
              deleteNode(changes, sourceFile, importClause.name);
            }
          }
        }
        function deleteImportBinding(changes, sourceFile, node) {
          if (node.parent.name) {
            const previousToken = Debug.checkDefined(getTokenAtPosition(sourceFile, node.pos - 1));
            changes.deleteRange(sourceFile, { pos: previousToken.getStart(sourceFile), end: node.end });
          } else {
            const importDecl = getAncestor2(
              node,
              272
              /* ImportDeclaration */
            );
            deleteNode(changes, sourceFile, importDecl);
          }
        }
        function deleteVariableDeclaration(changes, deletedNodesInLists, sourceFile, node) {
          const { parent: parent2 } = node;
          if (parent2.kind === 299) {
            changes.deleteNodeRange(sourceFile, findChildOfKind(parent2, 21, sourceFile), findChildOfKind(parent2, 22, sourceFile));
            return;
          }
          if (parent2.declarations.length !== 1) {
            deleteNodeInList(changes, deletedNodesInLists, sourceFile, node);
            return;
          }
          const gp = parent2.parent;
          switch (gp.kind) {
            case 250:
            case 249:
              changes.replaceNode(sourceFile, node, factory.createObjectLiteralExpression());
              break;
            case 248:
              deleteNode(changes, sourceFile, parent2);
              break;
            case 243:
              deleteNode(changes, sourceFile, gp, {
                leadingTriviaOption: hasJSDocNodes(gp) ? 2 : 3
                /* StartLine */
              });
              break;
            default:
              Debug.assertNever(gp);
          }
        }
      })(deleteDeclaration || (deleteDeclaration = {}));
      function deleteNode(changes, sourceFile, node, options = {
        leadingTriviaOption: 1
        /* IncludeAll */
      }) {
        const startPosition = getAdjustedStartPosition(sourceFile, node, options);
        const endPosition = getAdjustedEndPosition(sourceFile, node, options);
        changes.deleteRange(sourceFile, { pos: startPosition, end: endPosition });
      }
      function deleteNodeInList(changes, deletedNodesInLists, sourceFile, node) {
        const containingList = Debug.checkDefined(ts_formatting_exports.SmartIndenter.getContainingList(node, sourceFile));
        const index = indexOfNode(containingList, node);
        Debug.assert(index !== -1);
        if (containingList.length === 1) {
          deleteNode(changes, sourceFile, node);
          return;
        }
        Debug.assert(!deletedNodesInLists.has(node), "Deleting a node twice");
        deletedNodesInLists.add(node);
        changes.deleteRange(sourceFile, {
          pos: startPositionToDeleteNodeInList(sourceFile, node),
          end: index === containingList.length - 1 ? getAdjustedEndPosition(sourceFile, node, {}) : endPositionToDeleteNodeInList(sourceFile, node, containingList[index - 1], containingList[index + 1])
        });
      }
      var ts_formatting_exports = {};
      __export2(ts_formatting_exports, {
        FormattingContext: () => FormattingContext,
        FormattingRequestKind: () => FormattingRequestKind,
        RuleAction: () => RuleAction,
        RuleFlags: () => RuleFlags,
        SmartIndenter: () => SmartIndenter,
        anyContext: () => anyContext,
        createTextRangeWithKind: () => createTextRangeWithKind,
        formatDocument: () => formatDocument,
        formatNodeGivenIndentation: () => formatNodeGivenIndentation,
        formatOnClosingCurly: () => formatOnClosingCurly,
        formatOnEnter: () => formatOnEnter,
        formatOnOpeningCurly: () => formatOnOpeningCurly,
        formatOnSemicolon: () => formatOnSemicolon,
        formatSelection: () => formatSelection,
        getAllRules: () => getAllRules,
        getFormatContext: () => getFormatContext,
        getFormattingScanner: () => getFormattingScanner,
        getIndentationString: () => getIndentationString,
        getRangeOfEnclosingComment: () => getRangeOfEnclosingComment
      });
      var FormattingRequestKind = /* @__PURE__ */ ((FormattingRequestKind2) => {
        FormattingRequestKind2[FormattingRequestKind2["FormatDocument"] = 0] = "FormatDocument";
        FormattingRequestKind2[FormattingRequestKind2["FormatSelection"] = 1] = "FormatSelection";
        FormattingRequestKind2[FormattingRequestKind2["FormatOnEnter"] = 2] = "FormatOnEnter";
        FormattingRequestKind2[FormattingRequestKind2["FormatOnSemicolon"] = 3] = "FormatOnSemicolon";
        FormattingRequestKind2[FormattingRequestKind2["FormatOnOpeningCurlyBrace"] = 4] = "FormatOnOpeningCurlyBrace";
        FormattingRequestKind2[FormattingRequestKind2["FormatOnClosingCurlyBrace"] = 5] = "FormatOnClosingCurlyBrace";
        return FormattingRequestKind2;
      })(FormattingRequestKind || {});
      var FormattingContext = class {
        constructor(sourceFile, formattingRequestKind, options) {
          this.sourceFile = sourceFile;
          this.formattingRequestKind = formattingRequestKind;
          this.options = options;
        }
        updateContext(currentRange, currentTokenParent, nextRange, nextTokenParent, commonParent) {
          this.currentTokenSpan = Debug.checkDefined(currentRange);
          this.currentTokenParent = Debug.checkDefined(currentTokenParent);
          this.nextTokenSpan = Debug.checkDefined(nextRange);
          this.nextTokenParent = Debug.checkDefined(nextTokenParent);
          this.contextNode = Debug.checkDefined(commonParent);
          this.contextNodeAllOnSameLine = void 0;
          this.nextNodeAllOnSameLine = void 0;
          this.tokensAreOnSameLine = void 0;
          this.contextNodeBlockIsOnOneLine = void 0;
          this.nextNodeBlockIsOnOneLine = void 0;
        }
        ContextNodeAllOnSameLine() {
          if (this.contextNodeAllOnSameLine === void 0) {
            this.contextNodeAllOnSameLine = this.NodeIsOnOneLine(this.contextNode);
          }
          return this.contextNodeAllOnSameLine;
        }
        NextNodeAllOnSameLine() {
          if (this.nextNodeAllOnSameLine === void 0) {
            this.nextNodeAllOnSameLine = this.NodeIsOnOneLine(this.nextTokenParent);
          }
          return this.nextNodeAllOnSameLine;
        }
        TokensAreOnSameLine() {
          if (this.tokensAreOnSameLine === void 0) {
            const startLine = this.sourceFile.getLineAndCharacterOfPosition(this.currentTokenSpan.pos).line;
            const endLine = this.sourceFile.getLineAndCharacterOfPosition(this.nextTokenSpan.pos).line;
            this.tokensAreOnSameLine = startLine === endLine;
          }
          return this.tokensAreOnSameLine;
        }
        ContextNodeBlockIsOnOneLine() {
          if (this.contextNodeBlockIsOnOneLine === void 0) {
            this.contextNodeBlockIsOnOneLine = this.BlockIsOnOneLine(this.contextNode);
          }
          return this.contextNodeBlockIsOnOneLine;
        }
        NextNodeBlockIsOnOneLine() {
          if (this.nextNodeBlockIsOnOneLine === void 0) {
            this.nextNodeBlockIsOnOneLine = this.BlockIsOnOneLine(this.nextTokenParent);
          }
          return this.nextNodeBlockIsOnOneLine;
        }
        NodeIsOnOneLine(node) {
          const startLine = this.sourceFile.getLineAndCharacterOfPosition(node.getStart(this.sourceFile)).line;
          const endLine = this.sourceFile.getLineAndCharacterOfPosition(node.getEnd()).line;
          return startLine === endLine;
        }
        BlockIsOnOneLine(node) {
          const openBrace = findChildOfKind(node, 19, this.sourceFile);
          const closeBrace = findChildOfKind(node, 20, this.sourceFile);
          if (openBrace && closeBrace) {
            const startLine = this.sourceFile.getLineAndCharacterOfPosition(openBrace.getEnd()).line;
            const endLine = this.sourceFile.getLineAndCharacterOfPosition(closeBrace.getStart(this.sourceFile)).line;
            return startLine === endLine;
          }
          return false;
        }
      };
      var standardScanner = createScanner(
        99,
        /*skipTrivia*/
        false,
        0
        /* Standard */
      );
      var jsxScanner = createScanner(
        99,
        /*skipTrivia*/
        false,
        1
        /* JSX */
      );
      function getFormattingScanner(text, languageVariant, startPos, endPos, cb) {
        const scanner2 = languageVariant === 1 ? jsxScanner : standardScanner;
        scanner2.setText(text);
        scanner2.resetTokenState(startPos);
        let wasNewLine = true;
        let leadingTrivia;
        let trailingTrivia;
        let savedPos;
        let lastScanAction;
        let lastTokenInfo;
        const res = cb({
          advance,
          readTokenInfo,
          readEOFTokenRange,
          isOnToken,
          isOnEOF,
          getCurrentLeadingTrivia: () => leadingTrivia,
          lastTrailingTriviaWasNewLine: () => wasNewLine,
          skipToEndOf,
          skipToStartOf,
          getTokenFullStart: () => (lastTokenInfo == null ? void 0 : lastTokenInfo.token.pos) ?? scanner2.getTokenStart(),
          getStartPos: () => (lastTokenInfo == null ? void 0 : lastTokenInfo.token.pos) ?? scanner2.getTokenStart()
        });
        lastTokenInfo = void 0;
        scanner2.setText(void 0);
        return res;
        function advance() {
          lastTokenInfo = void 0;
          const isStarted = scanner2.getTokenFullStart() !== startPos;
          if (isStarted) {
            wasNewLine = !!trailingTrivia && last(trailingTrivia).kind === 4;
          } else {
            scanner2.scan();
          }
          leadingTrivia = void 0;
          trailingTrivia = void 0;
          let pos = scanner2.getTokenFullStart();
          while (pos < endPos) {
            const t = scanner2.getToken();
            if (!isTrivia(t)) {
              break;
            }
            scanner2.scan();
            const item = {
              pos,
              end: scanner2.getTokenFullStart(),
              kind: t
            };
            pos = scanner2.getTokenFullStart();
            leadingTrivia = append(leadingTrivia, item);
          }
          savedPos = scanner2.getTokenFullStart();
        }
        function shouldRescanGreaterThanToken(node) {
          switch (node.kind) {
            case 34:
            case 72:
            case 73:
            case 50:
            case 49:
              return true;
          }
          return false;
        }
        function shouldRescanJsxIdentifier(node) {
          if (node.parent) {
            switch (node.parent.kind) {
              case 291:
              case 286:
              case 287:
              case 285:
                return isKeyword2(node.kind) || node.kind === 80;
            }
          }
          return false;
        }
        function shouldRescanJsxText(node) {
          return isJsxText(node) || isJsxElement(node) && (lastTokenInfo == null ? void 0 : lastTokenInfo.token.kind) === 12;
        }
        function shouldRescanSlashToken(container) {
          return container.kind === 14;
        }
        function shouldRescanTemplateToken(container) {
          return container.kind === 17 || container.kind === 18;
        }
        function shouldRescanJsxAttributeValue(node) {
          return node.parent && isJsxAttribute(node.parent) && node.parent.initializer === node;
        }
        function startsWithSlashToken(t) {
          return t === 44 || t === 69;
        }
        function readTokenInfo(n) {
          Debug.assert(isOnToken());
          const expectedScanAction = shouldRescanGreaterThanToken(n) ? 1 : shouldRescanSlashToken(n) ? 2 : shouldRescanTemplateToken(n) ? 3 : shouldRescanJsxIdentifier(n) ? 4 : shouldRescanJsxText(n) ? 5 : shouldRescanJsxAttributeValue(n) ? 6 : 0;
          if (lastTokenInfo && expectedScanAction === lastScanAction) {
            return fixTokenKind(lastTokenInfo, n);
          }
          if (scanner2.getTokenFullStart() !== savedPos) {
            Debug.assert(lastTokenInfo !== void 0);
            scanner2.resetTokenState(savedPos);
            scanner2.scan();
          }
          let currentToken = getNextToken(n, expectedScanAction);
          const token = createTextRangeWithKind(
            scanner2.getTokenFullStart(),
            scanner2.getTokenEnd(),
            currentToken
          );
          if (trailingTrivia) {
            trailingTrivia = void 0;
          }
          while (scanner2.getTokenFullStart() < endPos) {
            currentToken = scanner2.scan();
            if (!isTrivia(currentToken)) {
              break;
            }
            const trivia = createTextRangeWithKind(
              scanner2.getTokenFullStart(),
              scanner2.getTokenEnd(),
              currentToken
            );
            if (!trailingTrivia) {
              trailingTrivia = [];
            }
            trailingTrivia.push(trivia);
            if (currentToken === 4) {
              scanner2.scan();
              break;
            }
          }
          lastTokenInfo = { leadingTrivia, trailingTrivia, token };
          return fixTokenKind(lastTokenInfo, n);
        }
        function getNextToken(n, expectedScanAction) {
          const token = scanner2.getToken();
          lastScanAction = 0;
          switch (expectedScanAction) {
            case 1:
              if (token === 32) {
                lastScanAction = 1;
                const newToken = scanner2.reScanGreaterToken();
                Debug.assert(n.kind === newToken);
                return newToken;
              }
              break;
            case 2:
              if (startsWithSlashToken(token)) {
                lastScanAction = 2;
                const newToken = scanner2.reScanSlashToken();
                Debug.assert(n.kind === newToken);
                return newToken;
              }
              break;
            case 3:
              if (token === 20) {
                lastScanAction = 3;
                return scanner2.reScanTemplateToken(
                  /*isTaggedTemplate*/
                  false
                );
              }
              break;
            case 4:
              lastScanAction = 4;
              return scanner2.scanJsxIdentifier();
            case 5:
              lastScanAction = 5;
              return scanner2.reScanJsxToken(
                /*allowMultilineJsxText*/
                false
              );
            case 6:
              lastScanAction = 6;
              return scanner2.reScanJsxAttributeValue();
            case 0:
              break;
            default:
              Debug.assertNever(expectedScanAction);
          }
          return token;
        }
        function readEOFTokenRange() {
          Debug.assert(isOnEOF());
          return createTextRangeWithKind(
            scanner2.getTokenFullStart(),
            scanner2.getTokenEnd(),
            1
            /* EndOfFileToken */
          );
        }
        function isOnToken() {
          const current = lastTokenInfo ? lastTokenInfo.token.kind : scanner2.getToken();
          return current !== 1 && !isTrivia(current);
        }
        function isOnEOF() {
          const current = lastTokenInfo ? lastTokenInfo.token.kind : scanner2.getToken();
          return current === 1;
        }
        function fixTokenKind(tokenInfo, container) {
          if (isToken(container) && tokenInfo.token.kind !== container.kind) {
            tokenInfo.token.kind = container.kind;
          }
          return tokenInfo;
        }
        function skipToEndOf(node) {
          scanner2.resetTokenState(node.end);
          savedPos = scanner2.getTokenFullStart();
          lastScanAction = void 0;
          lastTokenInfo = void 0;
          wasNewLine = false;
          leadingTrivia = void 0;
          trailingTrivia = void 0;
        }
        function skipToStartOf(node) {
          scanner2.resetTokenState(node.pos);
          savedPos = scanner2.getTokenFullStart();
          lastScanAction = void 0;
          lastTokenInfo = void 0;
          wasNewLine = false;
          leadingTrivia = void 0;
          trailingTrivia = void 0;
        }
      }
      var anyContext = emptyArray;
      var RuleAction = /* @__PURE__ */ ((RuleAction2) => {
        RuleAction2[RuleAction2["None"] = 0] = "None";
        RuleAction2[RuleAction2["StopProcessingSpaceActions"] = 1] = "StopProcessingSpaceActions";
        RuleAction2[RuleAction2["StopProcessingTokenActions"] = 2] = "StopProcessingTokenActions";
        RuleAction2[RuleAction2["InsertSpace"] = 4] = "InsertSpace";
        RuleAction2[RuleAction2["InsertNewLine"] = 8] = "InsertNewLine";
        RuleAction2[RuleAction2["DeleteSpace"] = 16] = "DeleteSpace";
        RuleAction2[RuleAction2["DeleteToken"] = 32] = "DeleteToken";
        RuleAction2[RuleAction2["InsertTrailingSemicolon"] = 64] = "InsertTrailingSemicolon";
        RuleAction2[RuleAction2["StopAction"] = 3] = "StopAction";
        RuleAction2[RuleAction2["ModifySpaceAction"] = 28] = "ModifySpaceAction";
        RuleAction2[RuleAction2["ModifyTokenAction"] = 96] = "ModifyTokenAction";
        return RuleAction2;
      })(RuleAction || {});
      var RuleFlags = /* @__PURE__ */ ((RuleFlags2) => {
        RuleFlags2[RuleFlags2["None"] = 0] = "None";
        RuleFlags2[RuleFlags2["CanDeleteNewLines"] = 1] = "CanDeleteNewLines";
        return RuleFlags2;
      })(RuleFlags || {});
      function getAllRules() {
        const allTokens = [];
        for (let token = 0; token <= 165; token++) {
          if (token !== 1) {
            allTokens.push(token);
          }
        }
        function anyTokenExcept(...tokens) {
          return { tokens: allTokens.filter((t) => !tokens.some((t2) => t2 === t)), isSpecific: false };
        }
        const anyToken = { tokens: allTokens, isSpecific: false };
        const anyTokenIncludingMultilineComments = tokenRangeFrom([
          ...allTokens,
          3
          /* MultiLineCommentTrivia */
        ]);
        const anyTokenIncludingEOF = tokenRangeFrom([
          ...allTokens,
          1
          /* EndOfFileToken */
        ]);
        const keywords = tokenRangeFromRange(
          83,
          165
          /* LastKeyword */
        );
        const binaryOperators = tokenRangeFromRange(
          30,
          79
          /* LastBinaryOperator */
        );
        const binaryKeywordOperators = [
          103,
          104,
          165,
          130,
          142,
          152
          /* SatisfiesKeyword */
        ];
        const unaryPrefixOperators = [
          46,
          47,
          55,
          54
          /* ExclamationToken */
        ];
        const unaryPrefixExpressions = [
          9,
          10,
          80,
          21,
          23,
          19,
          110,
          105
          /* NewKeyword */
        ];
        const unaryPreincrementExpressions = [
          80,
          21,
          110,
          105
          /* NewKeyword */
        ];
        const unaryPostincrementExpressions = [
          80,
          22,
          24,
          105
          /* NewKeyword */
        ];
        const unaryPredecrementExpressions = [
          80,
          21,
          110,
          105
          /* NewKeyword */
        ];
        const unaryPostdecrementExpressions = [
          80,
          22,
          24,
          105
          /* NewKeyword */
        ];
        const comments = [
          2,
          3
          /* MultiLineCommentTrivia */
        ];
        const typeNames = [80, ...typeKeywords];
        const functionOpenBraceLeftTokenRange = anyTokenIncludingMultilineComments;
        const typeScriptOpenBraceLeftTokenRange = tokenRangeFrom([
          80,
          32,
          3,
          86,
          95,
          102
          /* ImportKeyword */
        ]);
        const controlOpenBraceLeftTokenRange = tokenRangeFrom([
          22,
          3,
          92,
          113,
          98,
          93,
          85
          /* CatchKeyword */
        ]);
        const highPriorityCommonRules = [
          // Leave comments alone
          rule(
            "IgnoreBeforeComment",
            anyToken,
            comments,
            anyContext,
            1
            /* StopProcessingSpaceActions */
          ),
          rule(
            "IgnoreAfterLineComment",
            2,
            anyToken,
            anyContext,
            1
            /* StopProcessingSpaceActions */
          ),
          rule(
            "NotSpaceBeforeColon",
            anyToken,
            59,
            [isNonJsxSameLineTokenContext, isNotBinaryOpContext, isNotTypeAnnotationContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "SpaceAfterColon",
            59,
            anyToken,
            [isNonJsxSameLineTokenContext, isNotBinaryOpContext, isNextTokenParentNotJsxNamespacedName],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceBeforeQuestionMark",
            anyToken,
            58,
            [isNonJsxSameLineTokenContext, isNotBinaryOpContext, isNotTypeAnnotationContext],
            16
            /* DeleteSpace */
          ),
          // insert space after '?' only when it is used in conditional operator
          rule(
            "SpaceAfterQuestionMarkInConditionalOperator",
            58,
            anyToken,
            [isNonJsxSameLineTokenContext, isConditionalOperatorContext],
            4
            /* InsertSpace */
          ),
          // in other cases there should be no space between '?' and next token
          rule(
            "NoSpaceAfterQuestionMark",
            58,
            anyToken,
            [isNonJsxSameLineTokenContext, isNonOptionalPropertyContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceBeforeDot",
            anyToken,
            [
              25,
              29
              /* QuestionDotToken */
            ],
            [isNonJsxSameLineTokenContext, isNotPropertyAccessOnIntegerLiteral],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceAfterDot",
            [
              25,
              29
              /* QuestionDotToken */
            ],
            anyToken,
            [isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceBetweenImportParenInImportType",
            102,
            21,
            [isNonJsxSameLineTokenContext, isImportTypeContext],
            16
            /* DeleteSpace */
          ),
          // Special handling of unary operators.
          // Prefix operators generally shouldn't have a space between
          // them and their target unary expression.
          rule(
            "NoSpaceAfterUnaryPrefixOperator",
            unaryPrefixOperators,
            unaryPrefixExpressions,
            [isNonJsxSameLineTokenContext, isNotBinaryOpContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceAfterUnaryPreincrementOperator",
            46,
            unaryPreincrementExpressions,
            [isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceAfterUnaryPredecrementOperator",
            47,
            unaryPredecrementExpressions,
            [isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceBeforeUnaryPostincrementOperator",
            unaryPostincrementExpressions,
            46,
            [isNonJsxSameLineTokenContext, isNotStatementConditionContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceBeforeUnaryPostdecrementOperator",
            unaryPostdecrementExpressions,
            47,
            [isNonJsxSameLineTokenContext, isNotStatementConditionContext],
            16
            /* DeleteSpace */
          ),
          // More unary operator special-casing.
          // DevDiv 181814: Be careful when removing leading whitespace
          // around unary operators.  Examples:
          //      1 - -2  --X--> 1--2
          //      a + ++b --X--> a+++b
          rule(
            "SpaceAfterPostincrementWhenFollowedByAdd",
            46,
            40,
            [isNonJsxSameLineTokenContext, isBinaryOpContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceAfterAddWhenFollowedByUnaryPlus",
            40,
            40,
            [isNonJsxSameLineTokenContext, isBinaryOpContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceAfterAddWhenFollowedByPreincrement",
            40,
            46,
            [isNonJsxSameLineTokenContext, isBinaryOpContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceAfterPostdecrementWhenFollowedBySubtract",
            47,
            41,
            [isNonJsxSameLineTokenContext, isBinaryOpContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceAfterSubtractWhenFollowedByUnaryMinus",
            41,
            41,
            [isNonJsxSameLineTokenContext, isBinaryOpContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceAfterSubtractWhenFollowedByPredecrement",
            41,
            47,
            [isNonJsxSameLineTokenContext, isBinaryOpContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceAfterCloseBrace",
            20,
            [
              28,
              27
              /* SemicolonToken */
            ],
            [isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          // For functions and control block place } on a new line [multi-line rule]
          rule(
            "NewLineBeforeCloseBraceInBlockContext",
            anyTokenIncludingMultilineComments,
            20,
            [isMultilineBlockContext],
            8
            /* InsertNewLine */
          ),
          // Space/new line after }.
          rule(
            "SpaceAfterCloseBrace",
            20,
            anyTokenExcept(
              22
              /* CloseParenToken */
            ),
            [isNonJsxSameLineTokenContext, isAfterCodeBlockContext],
            4
            /* InsertSpace */
          ),
          // Special case for (}, else) and (}, while) since else & while tokens are not part of the tree which makes SpaceAfterCloseBrace rule not applied
          // Also should not apply to })
          rule(
            "SpaceBetweenCloseBraceAndElse",
            20,
            93,
            [isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceBetweenCloseBraceAndWhile",
            20,
            117,
            [isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceBetweenEmptyBraceBrackets",
            19,
            20,
            [isNonJsxSameLineTokenContext, isObjectContext],
            16
            /* DeleteSpace */
          ),
          // Add a space after control dec context if the next character is an open bracket ex: 'if (false)[a, b] = [1, 2];' -> 'if (false) [a, b] = [1, 2];'
          rule(
            "SpaceAfterConditionalClosingParen",
            22,
            23,
            [isControlDeclContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceBetweenFunctionKeywordAndStar",
            100,
            42,
            [isFunctionDeclarationOrFunctionExpressionContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "SpaceAfterStarInGeneratorDeclaration",
            42,
            80,
            [isFunctionDeclarationOrFunctionExpressionContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceAfterFunctionInFuncDecl",
            100,
            anyToken,
            [isFunctionDeclContext],
            4
            /* InsertSpace */
          ),
          // Insert new line after { and before } in multi-line contexts.
          rule(
            "NewLineAfterOpenBraceInBlockContext",
            19,
            anyToken,
            [isMultilineBlockContext],
            8
            /* InsertNewLine */
          ),
          // For get/set members, we check for (identifier,identifier) since get/set don't have tokens and they are represented as just an identifier token.
          // Though, we do extra check on the context to make sure we are dealing with get/set node. Example:
          //      get x() {}
          //      set x(val) {}
          rule(
            "SpaceAfterGetSetInMember",
            [
              139,
              153
              /* SetKeyword */
            ],
            80,
            [isFunctionDeclContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceBetweenYieldKeywordAndStar",
            127,
            42,
            [isNonJsxSameLineTokenContext, isYieldOrYieldStarWithOperand],
            16
            /* DeleteSpace */
          ),
          rule(
            "SpaceBetweenYieldOrYieldStarAndOperand",
            [
              127,
              42
              /* AsteriskToken */
            ],
            anyToken,
            [isNonJsxSameLineTokenContext, isYieldOrYieldStarWithOperand],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceBetweenReturnAndSemicolon",
            107,
            27,
            [isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "SpaceAfterCertainKeywords",
            [
              115,
              111,
              105,
              91,
              107,
              114,
              135
              /* AwaitKeyword */
            ],
            anyToken,
            [isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceAfterLetConstInVariableDeclaration",
            [
              121,
              87
              /* ConstKeyword */
            ],
            anyToken,
            [isNonJsxSameLineTokenContext, isStartOfVariableDeclarationList],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceBeforeOpenParenInFuncCall",
            anyToken,
            21,
            [isNonJsxSameLineTokenContext, isFunctionCallOrNewContext, isPreviousTokenNotComma],
            16
            /* DeleteSpace */
          ),
          // Special case for binary operators (that are keywords). For these we have to add a space and shouldn't follow any user options.
          rule(
            "SpaceBeforeBinaryKeywordOperator",
            anyToken,
            binaryKeywordOperators,
            [isNonJsxSameLineTokenContext, isBinaryOpContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceAfterBinaryKeywordOperator",
            binaryKeywordOperators,
            anyToken,
            [isNonJsxSameLineTokenContext, isBinaryOpContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceAfterVoidOperator",
            116,
            anyToken,
            [isNonJsxSameLineTokenContext, isVoidOpContext],
            4
            /* InsertSpace */
          ),
          // Async-await
          rule(
            "SpaceBetweenAsyncAndOpenParen",
            134,
            21,
            [isArrowFunctionContext, isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceBetweenAsyncAndFunctionKeyword",
            134,
            [
              100,
              80
              /* Identifier */
            ],
            [isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          // Template string
          rule(
            "NoSpaceBetweenTagAndTemplateString",
            [
              80,
              22
              /* CloseParenToken */
            ],
            [
              15,
              16
              /* TemplateHead */
            ],
            [isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          // JSX opening elements
          rule(
            "SpaceBeforeJsxAttribute",
            anyToken,
            80,
            [isNextTokenParentJsxAttribute, isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceBeforeSlashInJsxOpeningElement",
            anyToken,
            44,
            [isJsxSelfClosingElementContext, isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceBeforeGreaterThanTokenInJsxOpeningElement",
            44,
            32,
            [isJsxSelfClosingElementContext, isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceBeforeEqualInJsxAttribute",
            anyToken,
            64,
            [isJsxAttributeContext, isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceAfterEqualInJsxAttribute",
            64,
            anyToken,
            [isJsxAttributeContext, isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceBeforeJsxNamespaceColon",
            80,
            59,
            [isNextTokenParentJsxNamespacedName],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceAfterJsxNamespaceColon",
            59,
            80,
            [isNextTokenParentJsxNamespacedName],
            16
            /* DeleteSpace */
          ),
          // TypeScript-specific rules
          // Use of module as a function call. e.g.: import m2 = module("m2");
          rule(
            "NoSpaceAfterModuleImport",
            [
              144,
              149
              /* RequireKeyword */
            ],
            21,
            [isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          // Add a space around certain TypeScript keywords
          rule(
            "SpaceAfterCertainTypeScriptKeywords",
            [
              128,
              129,
              86,
              138,
              90,
              94,
              95,
              96,
              139,
              119,
              102,
              120,
              144,
              145,
              123,
              125,
              124,
              148,
              153,
              126,
              156,
              161,
              143,
              140
              /* InferKeyword */
            ],
            anyToken,
            [isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceBeforeCertainTypeScriptKeywords",
            anyToken,
            [
              96,
              119,
              161
              /* FromKeyword */
            ],
            [isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          // Treat string literals in module names as identifiers, and add a space between the literal and the opening Brace braces, e.g.: module "m2" {
          rule(
            "SpaceAfterModuleName",
            11,
            19,
            [isModuleDeclContext],
            4
            /* InsertSpace */
          ),
          // Lambda expressions
          rule(
            "SpaceBeforeArrow",
            anyToken,
            39,
            [isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceAfterArrow",
            39,
            anyToken,
            [isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          // Optional parameters and let args
          rule(
            "NoSpaceAfterEllipsis",
            26,
            80,
            [isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceAfterOptionalParameters",
            58,
            [
              22,
              28
              /* CommaToken */
            ],
            [isNonJsxSameLineTokenContext, isNotBinaryOpContext],
            16
            /* DeleteSpace */
          ),
          // Remove spaces in empty interface literals. e.g.: x: {}
          rule(
            "NoSpaceBetweenEmptyInterfaceBraceBrackets",
            19,
            20,
            [isNonJsxSameLineTokenContext, isObjectTypeContext],
            16
            /* DeleteSpace */
          ),
          // generics and type assertions
          rule(
            "NoSpaceBeforeOpenAngularBracket",
            typeNames,
            30,
            [isNonJsxSameLineTokenContext, isTypeArgumentOrParameterOrAssertionContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceBetweenCloseParenAndAngularBracket",
            22,
            30,
            [isNonJsxSameLineTokenContext, isTypeArgumentOrParameterOrAssertionContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceAfterOpenAngularBracket",
            30,
            anyToken,
            [isNonJsxSameLineTokenContext, isTypeArgumentOrParameterOrAssertionContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceBeforeCloseAngularBracket",
            anyToken,
            32,
            [isNonJsxSameLineTokenContext, isTypeArgumentOrParameterOrAssertionContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceAfterCloseAngularBracket",
            32,
            [
              21,
              23,
              32,
              28
              /* CommaToken */
            ],
            [
              isNonJsxSameLineTokenContext,
              isTypeArgumentOrParameterOrAssertionContext,
              isNotFunctionDeclContext,
              /*To prevent an interference with the SpaceBeforeOpenParenInFuncDecl rule*/
              isNonTypeAssertionContext
            ],
            16
            /* DeleteSpace */
          ),
          // decorators
          rule(
            "SpaceBeforeAt",
            [
              22,
              80
              /* Identifier */
            ],
            60,
            [isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceAfterAt",
            60,
            anyToken,
            [isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          // Insert space after @ in decorator
          rule(
            "SpaceAfterDecorator",
            anyToken,
            [
              128,
              80,
              95,
              90,
              86,
              126,
              125,
              123,
              124,
              139,
              153,
              23,
              42
              /* AsteriskToken */
            ],
            [isEndOfDecoratorContextOnSameLine],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceBeforeNonNullAssertionOperator",
            anyToken,
            54,
            [isNonJsxSameLineTokenContext, isNonNullAssertionContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceAfterNewKeywordOnConstructorSignature",
            105,
            21,
            [isNonJsxSameLineTokenContext, isConstructorSignatureContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "SpaceLessThanAndNonJSXTypeAnnotation",
            30,
            30,
            [isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          )
        ];
        const userConfigurableRules = [
          // Treat constructor as an identifier in a function declaration, and remove spaces between constructor and following left parentheses
          rule(
            "SpaceAfterConstructor",
            137,
            21,
            [isOptionEnabled("insertSpaceAfterConstructor"), isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceAfterConstructor",
            137,
            21,
            [isOptionDisabledOrUndefined("insertSpaceAfterConstructor"), isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "SpaceAfterComma",
            28,
            anyToken,
            [isOptionEnabled("insertSpaceAfterCommaDelimiter"), isNonJsxSameLineTokenContext, isNonJsxElementOrFragmentContext, isNextTokenNotCloseBracket, isNextTokenNotCloseParen],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceAfterComma",
            28,
            anyToken,
            [isOptionDisabledOrUndefined("insertSpaceAfterCommaDelimiter"), isNonJsxSameLineTokenContext, isNonJsxElementOrFragmentContext],
            16
            /* DeleteSpace */
          ),
          // Insert space after function keyword for anonymous functions
          rule(
            "SpaceAfterAnonymousFunctionKeyword",
            [
              100,
              42
              /* AsteriskToken */
            ],
            21,
            [isOptionEnabled("insertSpaceAfterFunctionKeywordForAnonymousFunctions"), isFunctionDeclContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceAfterAnonymousFunctionKeyword",
            [
              100,
              42
              /* AsteriskToken */
            ],
            21,
            [isOptionDisabledOrUndefined("insertSpaceAfterFunctionKeywordForAnonymousFunctions"), isFunctionDeclContext],
            16
            /* DeleteSpace */
          ),
          // Insert space after keywords in control flow statements
          rule(
            "SpaceAfterKeywordInControl",
            keywords,
            21,
            [isOptionEnabled("insertSpaceAfterKeywordsInControlFlowStatements"), isControlDeclContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceAfterKeywordInControl",
            keywords,
            21,
            [isOptionDisabledOrUndefined("insertSpaceAfterKeywordsInControlFlowStatements"), isControlDeclContext],
            16
            /* DeleteSpace */
          ),
          // Insert space after opening and before closing nonempty parenthesis
          rule(
            "SpaceAfterOpenParen",
            21,
            anyToken,
            [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis"), isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceBeforeCloseParen",
            anyToken,
            22,
            [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis"), isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceBetweenOpenParens",
            21,
            21,
            [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis"), isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceBetweenParens",
            21,
            22,
            [isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceAfterOpenParen",
            21,
            anyToken,
            [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis"), isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceBeforeCloseParen",
            anyToken,
            22,
            [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyParenthesis"), isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          // Insert space after opening and before closing nonempty brackets
          rule(
            "SpaceAfterOpenBracket",
            23,
            anyToken,
            [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyBrackets"), isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceBeforeCloseBracket",
            anyToken,
            24,
            [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyBrackets"), isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceBetweenBrackets",
            23,
            24,
            [isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceAfterOpenBracket",
            23,
            anyToken,
            [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyBrackets"), isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceBeforeCloseBracket",
            anyToken,
            24,
            [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyBrackets"), isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          // Insert a space after { and before } in single-line contexts, but remove space from empty object literals {}.
          rule(
            "SpaceAfterOpenBrace",
            19,
            anyToken,
            [isOptionEnabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyBraces"), isBraceWrappedContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceBeforeCloseBrace",
            anyToken,
            20,
            [isOptionEnabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingNonemptyBraces"), isBraceWrappedContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceBetweenEmptyBraceBrackets",
            19,
            20,
            [isNonJsxSameLineTokenContext, isObjectContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceAfterOpenBrace",
            19,
            anyToken,
            [isOptionDisabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyBraces"), isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceBeforeCloseBrace",
            anyToken,
            20,
            [isOptionDisabled("insertSpaceAfterOpeningAndBeforeClosingNonemptyBraces"), isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          // Insert a space after opening and before closing empty brace brackets
          rule(
            "SpaceBetweenEmptyBraceBrackets",
            19,
            20,
            [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingEmptyBraces")],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceBetweenEmptyBraceBrackets",
            19,
            20,
            [isOptionDisabled("insertSpaceAfterOpeningAndBeforeClosingEmptyBraces"), isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          // Insert space after opening and before closing template string braces
          rule(
            "SpaceAfterTemplateHeadAndMiddle",
            [
              16,
              17
              /* TemplateMiddle */
            ],
            anyToken,
            [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingTemplateStringBraces"), isNonJsxTextContext],
            4,
            1
            /* CanDeleteNewLines */
          ),
          rule(
            "SpaceBeforeTemplateMiddleAndTail",
            anyToken,
            [
              17,
              18
              /* TemplateTail */
            ],
            [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingTemplateStringBraces"), isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceAfterTemplateHeadAndMiddle",
            [
              16,
              17
              /* TemplateMiddle */
            ],
            anyToken,
            [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingTemplateStringBraces"), isNonJsxTextContext],
            16,
            1
            /* CanDeleteNewLines */
          ),
          rule(
            "NoSpaceBeforeTemplateMiddleAndTail",
            anyToken,
            [
              17,
              18
              /* TemplateTail */
            ],
            [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingTemplateStringBraces"), isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          // No space after { and before } in JSX expression
          rule(
            "SpaceAfterOpenBraceInJsxExpression",
            19,
            anyToken,
            [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingJsxExpressionBraces"), isNonJsxSameLineTokenContext, isJsxExpressionContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceBeforeCloseBraceInJsxExpression",
            anyToken,
            20,
            [isOptionEnabled("insertSpaceAfterOpeningAndBeforeClosingJsxExpressionBraces"), isNonJsxSameLineTokenContext, isJsxExpressionContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceAfterOpenBraceInJsxExpression",
            19,
            anyToken,
            [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingJsxExpressionBraces"), isNonJsxSameLineTokenContext, isJsxExpressionContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceBeforeCloseBraceInJsxExpression",
            anyToken,
            20,
            [isOptionDisabledOrUndefined("insertSpaceAfterOpeningAndBeforeClosingJsxExpressionBraces"), isNonJsxSameLineTokenContext, isJsxExpressionContext],
            16
            /* DeleteSpace */
          ),
          // Insert space after semicolon in for statement
          rule(
            "SpaceAfterSemicolonInFor",
            27,
            anyToken,
            [isOptionEnabled("insertSpaceAfterSemicolonInForStatements"), isNonJsxSameLineTokenContext, isForContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceAfterSemicolonInFor",
            27,
            anyToken,
            [isOptionDisabledOrUndefined("insertSpaceAfterSemicolonInForStatements"), isNonJsxSameLineTokenContext, isForContext],
            16
            /* DeleteSpace */
          ),
          // Insert space before and after binary operators
          rule(
            "SpaceBeforeBinaryOperator",
            anyToken,
            binaryOperators,
            [isOptionEnabled("insertSpaceBeforeAndAfterBinaryOperators"), isNonJsxSameLineTokenContext, isBinaryOpContext],
            4
            /* InsertSpace */
          ),
          rule(
            "SpaceAfterBinaryOperator",
            binaryOperators,
            anyToken,
            [isOptionEnabled("insertSpaceBeforeAndAfterBinaryOperators"), isNonJsxSameLineTokenContext, isBinaryOpContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceBeforeBinaryOperator",
            anyToken,
            binaryOperators,
            [isOptionDisabledOrUndefined("insertSpaceBeforeAndAfterBinaryOperators"), isNonJsxSameLineTokenContext, isBinaryOpContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceAfterBinaryOperator",
            binaryOperators,
            anyToken,
            [isOptionDisabledOrUndefined("insertSpaceBeforeAndAfterBinaryOperators"), isNonJsxSameLineTokenContext, isBinaryOpContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "SpaceBeforeOpenParenInFuncDecl",
            anyToken,
            21,
            [isOptionEnabled("insertSpaceBeforeFunctionParenthesis"), isNonJsxSameLineTokenContext, isFunctionDeclContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceBeforeOpenParenInFuncDecl",
            anyToken,
            21,
            [isOptionDisabledOrUndefined("insertSpaceBeforeFunctionParenthesis"), isNonJsxSameLineTokenContext, isFunctionDeclContext],
            16
            /* DeleteSpace */
          ),
          // Open Brace braces after control block
          rule(
            "NewLineBeforeOpenBraceInControl",
            controlOpenBraceLeftTokenRange,
            19,
            [isOptionEnabled("placeOpenBraceOnNewLineForControlBlocks"), isControlDeclContext, isBeforeMultilineBlockContext],
            8,
            1
            /* CanDeleteNewLines */
          ),
          // Open Brace braces after function
          // TypeScript: Function can have return types, which can be made of tons of different token kinds
          rule(
            "NewLineBeforeOpenBraceInFunction",
            functionOpenBraceLeftTokenRange,
            19,
            [isOptionEnabled("placeOpenBraceOnNewLineForFunctions"), isFunctionDeclContext, isBeforeMultilineBlockContext],
            8,
            1
            /* CanDeleteNewLines */
          ),
          // Open Brace braces after TypeScript module/class/interface
          rule(
            "NewLineBeforeOpenBraceInTypeScriptDeclWithBlock",
            typeScriptOpenBraceLeftTokenRange,
            19,
            [isOptionEnabled("placeOpenBraceOnNewLineForFunctions"), isTypeScriptDeclWithBlockContext, isBeforeMultilineBlockContext],
            8,
            1
            /* CanDeleteNewLines */
          ),
          rule(
            "SpaceAfterTypeAssertion",
            32,
            anyToken,
            [isOptionEnabled("insertSpaceAfterTypeAssertion"), isNonJsxSameLineTokenContext, isTypeAssertionContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceAfterTypeAssertion",
            32,
            anyToken,
            [isOptionDisabledOrUndefined("insertSpaceAfterTypeAssertion"), isNonJsxSameLineTokenContext, isTypeAssertionContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "SpaceBeforeTypeAnnotation",
            anyToken,
            [
              58,
              59
              /* ColonToken */
            ],
            [isOptionEnabled("insertSpaceBeforeTypeAnnotation"), isNonJsxSameLineTokenContext, isTypeAnnotationContext],
            4
            /* InsertSpace */
          ),
          rule(
            "NoSpaceBeforeTypeAnnotation",
            anyToken,
            [
              58,
              59
              /* ColonToken */
            ],
            [isOptionDisabledOrUndefined("insertSpaceBeforeTypeAnnotation"), isNonJsxSameLineTokenContext, isTypeAnnotationContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoOptionalSemicolon",
            27,
            anyTokenIncludingEOF,
            [optionEquals(
              "semicolons",
              "remove"
              /* Remove */
            ), isSemicolonDeletionContext],
            32
            /* DeleteToken */
          ),
          rule(
            "OptionalSemicolon",
            anyToken,
            anyTokenIncludingEOF,
            [optionEquals(
              "semicolons",
              "insert"
              /* Insert */
            ), isSemicolonInsertionContext],
            64
            /* InsertTrailingSemicolon */
          )
        ];
        const lowPriorityCommonRules = [
          // Space after keyword but not before ; or : or ?
          rule(
            "NoSpaceBeforeSemicolon",
            anyToken,
            27,
            [isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "SpaceBeforeOpenBraceInControl",
            controlOpenBraceLeftTokenRange,
            19,
            [isOptionDisabledOrUndefinedOrTokensOnSameLine("placeOpenBraceOnNewLineForControlBlocks"), isControlDeclContext, isNotFormatOnEnter, isSameLineTokenOrBeforeBlockContext],
            4,
            1
            /* CanDeleteNewLines */
          ),
          rule(
            "SpaceBeforeOpenBraceInFunction",
            functionOpenBraceLeftTokenRange,
            19,
            [isOptionDisabledOrUndefinedOrTokensOnSameLine("placeOpenBraceOnNewLineForFunctions"), isFunctionDeclContext, isBeforeBlockContext, isNotFormatOnEnter, isSameLineTokenOrBeforeBlockContext],
            4,
            1
            /* CanDeleteNewLines */
          ),
          rule(
            "SpaceBeforeOpenBraceInTypeScriptDeclWithBlock",
            typeScriptOpenBraceLeftTokenRange,
            19,
            [isOptionDisabledOrUndefinedOrTokensOnSameLine("placeOpenBraceOnNewLineForFunctions"), isTypeScriptDeclWithBlockContext, isNotFormatOnEnter, isSameLineTokenOrBeforeBlockContext],
            4,
            1
            /* CanDeleteNewLines */
          ),
          rule(
            "NoSpaceBeforeComma",
            anyToken,
            28,
            [isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          // No space before and after indexer `x[]`
          rule(
            "NoSpaceBeforeOpenBracket",
            anyTokenExcept(
              134,
              84
              /* CaseKeyword */
            ),
            23,
            [isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "NoSpaceAfterCloseBracket",
            24,
            anyToken,
            [isNonJsxSameLineTokenContext, isNotBeforeBlockInFunctionDeclarationContext],
            16
            /* DeleteSpace */
          ),
          rule(
            "SpaceAfterSemicolon",
            27,
            anyToken,
            [isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          // Remove extra space between for and await
          rule(
            "SpaceBetweenForAndAwaitKeyword",
            99,
            135,
            [isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          ),
          // Remove extra spaces between ... and type name in tuple spread
          rule(
            "SpaceBetweenDotDotDotAndTypeName",
            26,
            typeNames,
            [isNonJsxSameLineTokenContext],
            16
            /* DeleteSpace */
          ),
          // Add a space between statements. All keywords except (do,else,case) has open/close parens after them.
          // So, we have a rule to add a space for [),Any], [do,Any], [else,Any], and [case,Any]
          rule(
            "SpaceBetweenStatements",
            [
              22,
              92,
              93,
              84
              /* CaseKeyword */
            ],
            anyToken,
            [isNonJsxSameLineTokenContext, isNonJsxElementOrFragmentContext, isNotForContext],
            4
            /* InsertSpace */
          ),
          // This low-pri rule takes care of "try {", "catch {" and "finally {" in case the rule SpaceBeforeOpenBraceInControl didn't execute on FormatOnEnter.
          rule(
            "SpaceAfterTryCatchFinally",
            [
              113,
              85,
              98
              /* FinallyKeyword */
            ],
            19,
            [isNonJsxSameLineTokenContext],
            4
            /* InsertSpace */
          )
        ];
        return [
          ...highPriorityCommonRules,
          ...userConfigurableRules,
          ...lowPriorityCommonRules
        ];
      }
      function rule(debugName, left, right, context, action, flags = 0) {
        return { leftTokenRange: toTokenRange(left), rightTokenRange: toTokenRange(right), rule: { debugName, context, action, flags } };
      }
      function tokenRangeFrom(tokens) {
        return { tokens, isSpecific: true };
      }
      function toTokenRange(arg) {
        return typeof arg === "number" ? tokenRangeFrom([arg]) : isArray3(arg) ? tokenRangeFrom(arg) : arg;
      }
      function tokenRangeFromRange(from, to, except = []) {
        const tokens = [];
        for (let token = from; token <= to; token++) {
          if (!contains(except, token)) {
            tokens.push(token);
          }
        }
        return tokenRangeFrom(tokens);
      }
      function optionEquals(optionName, optionValue) {
        return (context) => context.options && context.options[optionName] === optionValue;
      }
      function isOptionEnabled(optionName) {
        return (context) => context.options && hasProperty(context.options, optionName) && !!context.options[optionName];
      }
      function isOptionDisabled(optionName) {
        return (context) => context.options && hasProperty(context.options, optionName) && !context.options[optionName];
      }
      function isOptionDisabledOrUndefined(optionName) {
        return (context) => !context.options || !hasProperty(context.options, optionName) || !context.options[optionName];
      }
      function isOptionDisabledOrUndefinedOrTokensOnSameLine(optionName) {
        return (context) => !context.options || !hasProperty(context.options, optionName) || !context.options[optionName] || context.TokensAreOnSameLine();
      }
      function isOptionEnabledOrUndefined(optionName) {
        return (context) => !context.options || !hasProperty(context.options, optionName) || !!context.options[optionName];
      }
      function isForContext(context) {
        return context.contextNode.kind === 248;
      }
      function isNotForContext(context) {
        return !isForContext(context);
      }
      function isBinaryOpContext(context) {
        switch (context.contextNode.kind) {
          case 226:
            return context.contextNode.operatorToken.kind !== 28;
          case 227:
          case 194:
          case 234:
          case 281:
          case 276:
          case 182:
          case 192:
          case 193:
          case 238:
            return true;
          case 208:
          case 265:
          case 271:
          case 277:
          case 260:
          case 169:
          case 306:
          case 172:
          case 171:
            return context.currentTokenSpan.kind === 64 || context.nextTokenSpan.kind === 64;
          case 249:
          case 168:
            return context.currentTokenSpan.kind === 103 || context.nextTokenSpan.kind === 103 || context.currentTokenSpan.kind === 64 || context.nextTokenSpan.kind === 64;
          case 250:
            return context.currentTokenSpan.kind === 165 || context.nextTokenSpan.kind === 165;
        }
        return false;
      }
      function isNotBinaryOpContext(context) {
        return !isBinaryOpContext(context);
      }
      function isNotTypeAnnotationContext(context) {
        return !isTypeAnnotationContext(context);
      }
      function isTypeAnnotationContext(context) {
        const contextKind = context.contextNode.kind;
        return contextKind === 172 || contextKind === 171 || contextKind === 169 || contextKind === 260 || isFunctionLikeKind(contextKind);
      }
      function isOptionalPropertyContext(context) {
        return isPropertyDeclaration(context.contextNode) && context.contextNode.questionToken;
      }
      function isNonOptionalPropertyContext(context) {
        return !isOptionalPropertyContext(context);
      }
      function isConditionalOperatorContext(context) {
        return context.contextNode.kind === 227 || context.contextNode.kind === 194;
      }
      function isSameLineTokenOrBeforeBlockContext(context) {
        return context.TokensAreOnSameLine() || isBeforeBlockContext(context);
      }
      function isBraceWrappedContext(context) {
        return context.contextNode.kind === 206 || context.contextNode.kind === 200 || isSingleLineBlockContext(context);
      }
      function isBeforeMultilineBlockContext(context) {
        return isBeforeBlockContext(context) && !(context.NextNodeAllOnSameLine() || context.NextNodeBlockIsOnOneLine());
      }
      function isMultilineBlockContext(context) {
        return isBlockContext(context) && !(context.ContextNodeAllOnSameLine() || context.ContextNodeBlockIsOnOneLine());
      }
      function isSingleLineBlockContext(context) {
        return isBlockContext(context) && (context.ContextNodeAllOnSameLine() || context.ContextNodeBlockIsOnOneLine());
      }
      function isBlockContext(context) {
        return nodeIsBlockContext(context.contextNode);
      }
      function isBeforeBlockContext(context) {
        return nodeIsBlockContext(context.nextTokenParent);
      }
      function nodeIsBlockContext(node) {
        if (nodeIsTypeScriptDeclWithBlockContext(node)) {
          return true;
        }
        switch (node.kind) {
          case 241:
          case 269:
          case 210:
          case 268:
            return true;
        }
        return false;
      }
      function isFunctionDeclContext(context) {
        switch (context.contextNode.kind) {
          case 262:
          case 174:
          case 173:
          case 177:
          case 178:
          case 179:
          case 218:
          case 176:
          case 219:
          case 264:
            return true;
        }
        return false;
      }
      function isNotFunctionDeclContext(context) {
        return !isFunctionDeclContext(context);
      }
      function isFunctionDeclarationOrFunctionExpressionContext(context) {
        return context.contextNode.kind === 262 || context.contextNode.kind === 218;
      }
      function isTypeScriptDeclWithBlockContext(context) {
        return nodeIsTypeScriptDeclWithBlockContext(context.contextNode);
      }
      function nodeIsTypeScriptDeclWithBlockContext(node) {
        switch (node.kind) {
          case 263:
          case 231:
          case 264:
          case 266:
          case 187:
          case 267:
          case 278:
          case 279:
          case 272:
          case 275:
            return true;
        }
        return false;
      }
      function isAfterCodeBlockContext(context) {
        switch (context.currentTokenParent.kind) {
          case 263:
          case 267:
          case 266:
          case 299:
          case 268:
          case 255:
            return true;
          case 241: {
            const blockParent = context.currentTokenParent.parent;
            if (!blockParent || blockParent.kind !== 219 && blockParent.kind !== 218) {
              return true;
            }
          }
        }
        return false;
      }
      function isControlDeclContext(context) {
        switch (context.contextNode.kind) {
          case 245:
          case 255:
          case 248:
          case 249:
          case 250:
          case 247:
          case 258:
          case 246:
          case 254:
          case 299:
            return true;
          default:
            return false;
        }
      }
      function isObjectContext(context) {
        return context.contextNode.kind === 210;
      }
      function isFunctionCallContext(context) {
        return context.contextNode.kind === 213;
      }
      function isNewContext(context) {
        return context.contextNode.kind === 214;
      }
      function isFunctionCallOrNewContext(context) {
        return isFunctionCallContext(context) || isNewContext(context);
      }
      function isPreviousTokenNotComma(context) {
        return context.currentTokenSpan.kind !== 28;
      }
      function isNextTokenNotCloseBracket(context) {
        return context.nextTokenSpan.kind !== 24;
      }
      function isNextTokenNotCloseParen(context) {
        return context.nextTokenSpan.kind !== 22;
      }
      function isArrowFunctionContext(context) {
        return context.contextNode.kind === 219;
      }
      function isImportTypeContext(context) {
        return context.contextNode.kind === 205;
      }
      function isNonJsxSameLineTokenContext(context) {
        return context.TokensAreOnSameLine() && context.contextNode.kind !== 12;
      }
      function isNonJsxTextContext(context) {
        return context.contextNode.kind !== 12;
      }
      function isNonJsxElementOrFragmentContext(context) {
        return context.contextNode.kind !== 284 && context.contextNode.kind !== 288;
      }
      function isJsxExpressionContext(context) {
        return context.contextNode.kind === 294 || context.contextNode.kind === 293;
      }
      function isNextTokenParentJsxAttribute(context) {
        return context.nextTokenParent.kind === 291 || context.nextTokenParent.kind === 295 && context.nextTokenParent.parent.kind === 291;
      }
      function isJsxAttributeContext(context) {
        return context.contextNode.kind === 291;
      }
      function isNextTokenParentNotJsxNamespacedName(context) {
        return context.nextTokenParent.kind !== 295;
      }
      function isNextTokenParentJsxNamespacedName(context) {
        return context.nextTokenParent.kind === 295;
      }
      function isJsxSelfClosingElementContext(context) {
        return context.contextNode.kind === 285;
      }
      function isNotBeforeBlockInFunctionDeclarationContext(context) {
        return !isFunctionDeclContext(context) && !isBeforeBlockContext(context);
      }
      function isEndOfDecoratorContextOnSameLine(context) {
        return context.TokensAreOnSameLine() && hasDecorators(context.contextNode) && nodeIsInDecoratorContext(context.currentTokenParent) && !nodeIsInDecoratorContext(context.nextTokenParent);
      }
      function nodeIsInDecoratorContext(node) {
        while (node && isExpression(node)) {
          node = node.parent;
        }
        return node && node.kind === 170;
      }
      function isStartOfVariableDeclarationList(context) {
        return context.currentTokenParent.kind === 261 && context.currentTokenParent.getStart(context.sourceFile) === context.currentTokenSpan.pos;
      }
      function isNotFormatOnEnter(context) {
        return context.formattingRequestKind !== 2;
      }
      function isModuleDeclContext(context) {
        return context.contextNode.kind === 267;
      }
      function isObjectTypeContext(context) {
        return context.contextNode.kind === 187;
      }
      function isConstructorSignatureContext(context) {
        return context.contextNode.kind === 180;
      }
      function isTypeArgumentOrParameterOrAssertion(token, parent2) {
        if (token.kind !== 30 && token.kind !== 32) {
          return false;
        }
        switch (parent2.kind) {
          case 183:
          case 216:
          case 265:
          case 263:
          case 231:
          case 264:
          case 262:
          case 218:
          case 219:
          case 174:
          case 173:
          case 179:
          case 180:
          case 213:
          case 214:
          case 233:
            return true;
          default:
            return false;
        }
      }
      function isTypeArgumentOrParameterOrAssertionContext(context) {
        return isTypeArgumentOrParameterOrAssertion(context.currentTokenSpan, context.currentTokenParent) || isTypeArgumentOrParameterOrAssertion(context.nextTokenSpan, context.nextTokenParent);
      }
      function isTypeAssertionContext(context) {
        return context.contextNode.kind === 216;
      }
      function isNonTypeAssertionContext(context) {
        return !isTypeAssertionContext(context);
      }
      function isVoidOpContext(context) {
        return context.currentTokenSpan.kind === 116 && context.currentTokenParent.kind === 222;
      }
      function isYieldOrYieldStarWithOperand(context) {
        return context.contextNode.kind === 229 && context.contextNode.expression !== void 0;
      }
      function isNonNullAssertionContext(context) {
        return context.contextNode.kind === 235;
      }
      function isNotStatementConditionContext(context) {
        return !isStatementConditionContext(context);
      }
      function isStatementConditionContext(context) {
        switch (context.contextNode.kind) {
          case 245:
          case 248:
          case 249:
          case 250:
          case 246:
          case 247:
            return true;
          default:
            return false;
        }
      }
      function isSemicolonDeletionContext(context) {
        let nextTokenKind = context.nextTokenSpan.kind;
        let nextTokenStart = context.nextTokenSpan.pos;
        if (isTrivia(nextTokenKind)) {
          const nextRealToken = context.nextTokenParent === context.currentTokenParent ? findNextToken(
            context.currentTokenParent,
            findAncestor(context.currentTokenParent, (a) => !a.parent),
            context.sourceFile
          ) : context.nextTokenParent.getFirstToken(context.sourceFile);
          if (!nextRealToken) {
            return true;
          }
          nextTokenKind = nextRealToken.kind;
          nextTokenStart = nextRealToken.getStart(context.sourceFile);
        }
        const startLine = context.sourceFile.getLineAndCharacterOfPosition(context.currentTokenSpan.pos).line;
        const endLine = context.sourceFile.getLineAndCharacterOfPosition(nextTokenStart).line;
        if (startLine === endLine) {
          return nextTokenKind === 20 || nextTokenKind === 1;
        }
        if (nextTokenKind === 240 || nextTokenKind === 27) {
          return false;
        }
        if (context.contextNode.kind === 264 || context.contextNode.kind === 265) {
          return !isPropertySignature(context.currentTokenParent) || !!context.currentTokenParent.type || nextTokenKind !== 21;
        }
        if (isPropertyDeclaration(context.currentTokenParent)) {
          return !context.currentTokenParent.initializer;
        }
        return context.currentTokenParent.kind !== 248 && context.currentTokenParent.kind !== 242 && context.currentTokenParent.kind !== 240 && nextTokenKind !== 23 && nextTokenKind !== 21 && nextTokenKind !== 40 && nextTokenKind !== 41 && nextTokenKind !== 44 && nextTokenKind !== 14 && nextTokenKind !== 28 && nextTokenKind !== 228 && nextTokenKind !== 16 && nextTokenKind !== 15 && nextTokenKind !== 25;
      }
      function isSemicolonInsertionContext(context) {
        return positionIsASICandidate(context.currentTokenSpan.end, context.currentTokenParent, context.sourceFile);
      }
      function isNotPropertyAccessOnIntegerLiteral(context) {
        return !isPropertyAccessExpression(context.contextNode) || !isNumericLiteral(context.contextNode.expression) || context.contextNode.expression.getText().includes(".");
      }
      function getFormatContext(options, host) {
        return { options, getRules: getRulesMap(), host };
      }
      var rulesMapCache;
      function getRulesMap() {
        if (rulesMapCache === void 0) {
          rulesMapCache = createRulesMap(getAllRules());
        }
        return rulesMapCache;
      }
      function getRuleActionExclusion(ruleAction) {
        let mask2 = 0;
        if (ruleAction & 1) {
          mask2 |= 28;
        }
        if (ruleAction & 2) {
          mask2 |= 96;
        }
        if (ruleAction & 28) {
          mask2 |= 28;
        }
        if (ruleAction & 96) {
          mask2 |= 96;
        }
        return mask2;
      }
      function createRulesMap(rules) {
        const map2 = buildMap(rules);
        return (context) => {
          const bucket = map2[getRuleBucketIndex(context.currentTokenSpan.kind, context.nextTokenSpan.kind)];
          if (bucket) {
            const rules2 = [];
            let ruleActionMask = 0;
            for (const rule2 of bucket) {
              const acceptRuleActions = ~getRuleActionExclusion(ruleActionMask);
              if (rule2.action & acceptRuleActions && every(rule2.context, (c) => c(context))) {
                rules2.push(rule2);
                ruleActionMask |= rule2.action;
              }
            }
            if (rules2.length) {
              return rules2;
            }
          }
        };
      }
      function buildMap(rules) {
        const map2 = new Array(mapRowLength * mapRowLength);
        const rulesBucketConstructionStateList = new Array(map2.length);
        for (const rule2 of rules) {
          const specificRule = rule2.leftTokenRange.isSpecific && rule2.rightTokenRange.isSpecific;
          for (const left of rule2.leftTokenRange.tokens) {
            for (const right of rule2.rightTokenRange.tokens) {
              const index = getRuleBucketIndex(left, right);
              let rulesBucket = map2[index];
              if (rulesBucket === void 0) {
                rulesBucket = map2[index] = [];
              }
              addRule(rulesBucket, rule2.rule, specificRule, rulesBucketConstructionStateList, index);
            }
          }
        }
        return map2;
      }
      function getRuleBucketIndex(row, column) {
        Debug.assert(row <= 165 && column <= 165, "Must compute formatting context from tokens");
        return row * mapRowLength + column;
      }
      var maskBitSize = 5;
      var mask = 31;
      var mapRowLength = 165 + 1;
      var RulesPosition = ((RulesPosition2) => {
        RulesPosition2[RulesPosition2["StopRulesSpecific"] = 0] = "StopRulesSpecific";
        RulesPosition2[RulesPosition2["StopRulesAny"] = maskBitSize * 1] = "StopRulesAny";
        RulesPosition2[RulesPosition2["ContextRulesSpecific"] = maskBitSize * 2] = "ContextRulesSpecific";
        RulesPosition2[RulesPosition2["ContextRulesAny"] = maskBitSize * 3] = "ContextRulesAny";
        RulesPosition2[RulesPosition2["NoContextRulesSpecific"] = maskBitSize * 4] = "NoContextRulesSpecific";
        RulesPosition2[RulesPosition2["NoContextRulesAny"] = maskBitSize * 5] = "NoContextRulesAny";
        return RulesPosition2;
      })(RulesPosition || {});
      function addRule(rules, rule2, specificTokens, constructionState, rulesBucketIndex) {
        const position = rule2.action & 3 ? specificTokens ? 0 : RulesPosition.StopRulesAny : rule2.context !== anyContext ? specificTokens ? RulesPosition.ContextRulesSpecific : RulesPosition.ContextRulesAny : specificTokens ? RulesPosition.NoContextRulesSpecific : RulesPosition.NoContextRulesAny;
        const state = constructionState[rulesBucketIndex] || 0;
        rules.splice(getInsertionIndex(state, position), 0, rule2);
        constructionState[rulesBucketIndex] = increaseInsertionIndex(state, position);
      }
      function getInsertionIndex(indexBitmap, maskPosition) {
        let index = 0;
        for (let pos = 0; pos <= maskPosition; pos += maskBitSize) {
          index += indexBitmap & mask;
          indexBitmap >>= maskBitSize;
        }
        return index;
      }
      function increaseInsertionIndex(indexBitmap, maskPosition) {
        const value = (indexBitmap >> maskPosition & mask) + 1;
        Debug.assert((value & mask) === value, "Adding more rules into the sub-bucket than allowed. Maximum allowed is 32 rules.");
        return indexBitmap & ~(mask << maskPosition) | value << maskPosition;
      }
      function createTextRangeWithKind(pos, end, kind) {
        const textRangeWithKind = { pos, end, kind };
        if (Debug.isDebugging) {
          Object.defineProperty(textRangeWithKind, "__debugKind", {
            get: () => Debug.formatSyntaxKind(kind)
          });
        }
        return textRangeWithKind;
      }
      function formatOnEnter(position, sourceFile, formatContext) {
        const line = sourceFile.getLineAndCharacterOfPosition(position).line;
        if (line === 0) {
          return [];
        }
        let endOfFormatSpan = getEndLinePosition(line, sourceFile);
        while (isWhiteSpaceSingleLine(sourceFile.text.charCodeAt(endOfFormatSpan))) {
          endOfFormatSpan--;
        }
        if (isLineBreak(sourceFile.text.charCodeAt(endOfFormatSpan))) {
          endOfFormatSpan--;
        }
        const span = {
          // get start position for the previous line
          pos: getStartPositionOfLine(line - 1, sourceFile),
          // end value is exclusive so add 1 to the result
          end: endOfFormatSpan + 1
        };
        return formatSpan(
          span,
          sourceFile,
          formatContext,
          2
          /* FormatOnEnter */
        );
      }
      function formatOnSemicolon(position, sourceFile, formatContext) {
        const semicolon = findImmediatelyPrecedingTokenOfKind(position, 27, sourceFile);
        return formatNodeLines(
          findOutermostNodeWithinListLevel(semicolon),
          sourceFile,
          formatContext,
          3
          /* FormatOnSemicolon */
        );
      }
      function formatOnOpeningCurly(position, sourceFile, formatContext) {
        const openingCurly = findImmediatelyPrecedingTokenOfKind(position, 19, sourceFile);
        if (!openingCurly) {
          return [];
        }
        const curlyBraceRange = openingCurly.parent;
        const outermostNode = findOutermostNodeWithinListLevel(curlyBraceRange);
        const textRange = {
          pos: getLineStartPositionForPosition(outermostNode.getStart(sourceFile), sourceFile),
          // TODO: GH#18217
          end: position
        };
        return formatSpan(
          textRange,
          sourceFile,
          formatContext,
          4
          /* FormatOnOpeningCurlyBrace */
        );
      }
      function formatOnClosingCurly(position, sourceFile, formatContext) {
        const precedingToken = findImmediatelyPrecedingTokenOfKind(position, 20, sourceFile);
        return formatNodeLines(
          findOutermostNodeWithinListLevel(precedingToken),
          sourceFile,
          formatContext,
          5
          /* FormatOnClosingCurlyBrace */
        );
      }
      function formatDocument(sourceFile, formatContext) {
        const span = {
          pos: 0,
          end: sourceFile.text.length
        };
        return formatSpan(
          span,
          sourceFile,
          formatContext,
          0
          /* FormatDocument */
        );
      }
      function formatSelection(start, end, sourceFile, formatContext) {
        const span = {
          pos: getLineStartPositionForPosition(start, sourceFile),
          end
        };
        return formatSpan(
          span,
          sourceFile,
          formatContext,
          1
          /* FormatSelection */
        );
      }
      function findImmediatelyPrecedingTokenOfKind(end, expectedTokenKind, sourceFile) {
        const precedingToken = findPrecedingToken(end, sourceFile);
        return precedingToken && precedingToken.kind === expectedTokenKind && end === precedingToken.getEnd() ? precedingToken : void 0;
      }
      function findOutermostNodeWithinListLevel(node) {
        let current = node;
        while (current && current.parent && current.parent.end === node.end && !isListElement(current.parent, current)) {
          current = current.parent;
        }
        return current;
      }
      function isListElement(parent2, node) {
        switch (parent2.kind) {
          case 263:
          case 264:
            return rangeContainsRange(parent2.members, node);
          case 267:
            const body = parent2.body;
            return !!body && body.kind === 268 && rangeContainsRange(body.statements, node);
          case 307:
          case 241:
          case 268:
            return rangeContainsRange(parent2.statements, node);
          case 299:
            return rangeContainsRange(parent2.block.statements, node);
        }
        return false;
      }
      function findEnclosingNode(range, sourceFile) {
        return find2(sourceFile);
        function find2(n) {
          const candidate = forEachChild(n, (c) => startEndContainsRange(c.getStart(sourceFile), c.end, range) && c);
          if (candidate) {
            const result = find2(candidate);
            if (result) {
              return result;
            }
          }
          return n;
        }
      }
      function prepareRangeContainsErrorFunction(errors, originalRange) {
        if (!errors.length) {
          return rangeHasNoErrors;
        }
        const sorted = errors.filter((d) => rangeOverlapsWithStartEnd(originalRange, d.start, d.start + d.length)).sort((e1, e2) => e1.start - e2.start);
        if (!sorted.length) {
          return rangeHasNoErrors;
        }
        let index = 0;
        return (r) => {
          while (true) {
            if (index >= sorted.length) {
              return false;
            }
            const error2 = sorted[index];
            if (r.end <= error2.start) {
              return false;
            }
            if (startEndOverlapsWithStartEnd(r.pos, r.end, error2.start, error2.start + error2.length)) {
              return true;
            }
            index++;
          }
        };
        function rangeHasNoErrors() {
          return false;
        }
      }
      function getScanStartPosition(enclosingNode, originalRange, sourceFile) {
        const start = enclosingNode.getStart(sourceFile);
        if (start === originalRange.pos && enclosingNode.end === originalRange.end) {
          return start;
        }
        const precedingToken = findPrecedingToken(originalRange.pos, sourceFile);
        if (!precedingToken) {
          return enclosingNode.pos;
        }
        if (precedingToken.end >= originalRange.pos) {
          return enclosingNode.pos;
        }
        return precedingToken.end;
      }
      function getOwnOrInheritedDelta(n, options, sourceFile) {
        let previousLine = -1;
        let child;
        while (n) {
          const line = sourceFile.getLineAndCharacterOfPosition(n.getStart(sourceFile)).line;
          if (previousLine !== -1 && line !== previousLine) {
            break;
          }
          if (SmartIndenter.shouldIndentChildNode(options, n, child, sourceFile)) {
            return options.indentSize;
          }
          previousLine = line;
          child = n;
          n = n.parent;
        }
        return 0;
      }
      function formatNodeGivenIndentation(node, sourceFileLike, languageVariant, initialIndentation, delta, formatContext) {
        const range = { pos: node.pos, end: node.end };
        return getFormattingScanner(sourceFileLike.text, languageVariant, range.pos, range.end, (scanner2) => formatSpanWorker(
          range,
          node,
          initialIndentation,
          delta,
          scanner2,
          formatContext,
          1,
          (_) => false,
          // assume that node does not have any errors
          sourceFileLike
        ));
      }
      function formatNodeLines(node, sourceFile, formatContext, requestKind) {
        if (!node) {
          return [];
        }
        const span = {
          pos: getLineStartPositionForPosition(node.getStart(sourceFile), sourceFile),
          end: node.end
        };
        return formatSpan(span, sourceFile, formatContext, requestKind);
      }
      function formatSpan(originalRange, sourceFile, formatContext, requestKind) {
        const enclosingNode = findEnclosingNode(originalRange, sourceFile);
        return getFormattingScanner(
          sourceFile.text,
          sourceFile.languageVariant,
          getScanStartPosition(enclosingNode, originalRange, sourceFile),
          originalRange.end,
          (scanner2) => formatSpanWorker(
            originalRange,
            enclosingNode,
            SmartIndenter.getIndentationForNode(enclosingNode, originalRange, sourceFile, formatContext.options),
            getOwnOrInheritedDelta(enclosingNode, formatContext.options, sourceFile),
            scanner2,
            formatContext,
            requestKind,
            prepareRangeContainsErrorFunction(sourceFile.parseDiagnostics, originalRange),
            sourceFile
          )
        );
      }
      function formatSpanWorker(originalRange, enclosingNode, initialIndentation, delta, formattingScanner, { options, getRules, host }, requestKind, rangeContainsError, sourceFile) {
        var _a;
        const formattingContext = new FormattingContext(sourceFile, requestKind, options);
        let previousRangeTriviaEnd;
        let previousRange;
        let previousParent;
        let previousRangeStartLine;
        let lastIndentedLine;
        let indentationOnLastIndentedLine = -1;
        const edits = [];
        formattingScanner.advance();
        if (formattingScanner.isOnToken()) {
          const startLine = sourceFile.getLineAndCharacterOfPosition(enclosingNode.getStart(sourceFile)).line;
          let undecoratedStartLine = startLine;
          if (hasDecorators(enclosingNode)) {
            undecoratedStartLine = sourceFile.getLineAndCharacterOfPosition(getNonDecoratorTokenPosOfNode(enclosingNode, sourceFile)).line;
          }
          processNode(enclosingNode, enclosingNode, startLine, undecoratedStartLine, initialIndentation, delta);
        }
        const remainingTrivia = formattingScanner.getCurrentLeadingTrivia();
        if (remainingTrivia) {
          const indentation = SmartIndenter.nodeWillIndentChild(
            options,
            enclosingNode,
            /*child*/
            void 0,
            sourceFile,
            /*indentByDefault*/
            false
          ) ? initialIndentation + options.indentSize : initialIndentation;
          indentTriviaItems(
            remainingTrivia,
            indentation,
            /*indentNextTokenOrTrivia*/
            true,
            (item) => {
              processRange(
                item,
                sourceFile.getLineAndCharacterOfPosition(item.pos),
                enclosingNode,
                enclosingNode,
                /*dynamicIndentation*/
                void 0
              );
              insertIndentation(
                item.pos,
                indentation,
                /*lineAdded*/
                false
              );
            }
          );
          if (options.trimTrailingWhitespace !== false) {
            trimTrailingWhitespacesForRemainingRange(remainingTrivia);
          }
        }
        if (previousRange && formattingScanner.getTokenFullStart() >= originalRange.end) {
          const tokenInfo = formattingScanner.isOnEOF() ? formattingScanner.readEOFTokenRange() : formattingScanner.isOnToken() ? formattingScanner.readTokenInfo(enclosingNode).token : void 0;
          if (tokenInfo && tokenInfo.pos === previousRangeTriviaEnd) {
            const parent2 = ((_a = findPrecedingToken(tokenInfo.end, sourceFile, enclosingNode)) == null ? void 0 : _a.parent) || previousParent;
            processPair(
              tokenInfo,
              sourceFile.getLineAndCharacterOfPosition(tokenInfo.pos).line,
              parent2,
              previousRange,
              previousRangeStartLine,
              previousParent,
              parent2,
              /*dynamicIndentation*/
              void 0
            );
          }
        }
        return edits;
        function tryComputeIndentationForListItem(startPos, endPos, parentStartLine, range, inheritedIndentation) {
          if (rangeOverlapsWithStartEnd(range, startPos, endPos) || rangeContainsStartEnd(range, startPos, endPos)) {
            if (inheritedIndentation !== -1) {
              return inheritedIndentation;
            }
          } else {
            const startLine = sourceFile.getLineAndCharacterOfPosition(startPos).line;
            const startLinePosition = getLineStartPositionForPosition(startPos, sourceFile);
            const column = SmartIndenter.findFirstNonWhitespaceColumn(startLinePosition, startPos, sourceFile, options);
            if (startLine !== parentStartLine || startPos === column) {
              const baseIndentSize = SmartIndenter.getBaseIndentation(options);
              return baseIndentSize > column ? baseIndentSize : column;
            }
          }
          return -1;
        }
        function computeIndentation(node, startLine, inheritedIndentation, parent2, parentDynamicIndentation, effectiveParentStartLine) {
          const delta2 = SmartIndenter.shouldIndentChildNode(options, node) ? options.indentSize : 0;
          if (effectiveParentStartLine === startLine) {
            return {
              indentation: startLine === lastIndentedLine ? indentationOnLastIndentedLine : parentDynamicIndentation.getIndentation(),
              delta: Math.min(options.indentSize, parentDynamicIndentation.getDelta(node) + delta2)
            };
          } else if (inheritedIndentation === -1) {
            if (node.kind === 21 && startLine === lastIndentedLine) {
              return { indentation: indentationOnLastIndentedLine, delta: parentDynamicIndentation.getDelta(node) };
            } else if (SmartIndenter.childStartsOnTheSameLineWithElseInIfStatement(parent2, node, startLine, sourceFile) || SmartIndenter.childIsUnindentedBranchOfConditionalExpression(parent2, node, startLine, sourceFile) || SmartIndenter.argumentStartsOnSameLineAsPreviousArgument(parent2, node, startLine, sourceFile)) {
              return { indentation: parentDynamicIndentation.getIndentation(), delta: delta2 };
            } else {
              return { indentation: parentDynamicIndentation.getIndentation() + parentDynamicIndentation.getDelta(node), delta: delta2 };
            }
          } else {
            return { indentation: inheritedIndentation, delta: delta2 };
          }
        }
        function getFirstNonDecoratorTokenOfNode(node) {
          if (canHaveModifiers(node)) {
            const modifier = find(node.modifiers, isModifier, findIndex(node.modifiers, isDecorator));
            if (modifier) return modifier.kind;
          }
          switch (node.kind) {
            case 263:
              return 86;
            case 264:
              return 120;
            case 262:
              return 100;
            case 266:
              return 266;
            case 177:
              return 139;
            case 178:
              return 153;
            case 174:
              if (node.asteriskToken) {
                return 42;
              }
            case 172:
            case 169:
              const name = getNameOfDeclaration(node);
              if (name) {
                return name.kind;
              }
          }
        }
        function getDynamicIndentation(node, nodeStartLine, indentation, delta2) {
          return {
            getIndentationForComment: (kind, tokenIndentation, container) => {
              switch (kind) {
                case 20:
                case 24:
                case 22:
                  return indentation + getDelta(container);
              }
              return tokenIndentation !== -1 ? tokenIndentation : indentation;
            },
            // if list end token is LessThanToken '>' then its delta should be explicitly suppressed
            // so that LessThanToken as a binary operator can still be indented.
            // foo.then
            //     <
            //         number,
            //         string,
            //     >();
            // vs
            // var a = xValue
            //     > yValue;
            getIndentationForToken: (line, kind, container, suppressDelta) => !suppressDelta && shouldAddDelta(line, kind, container) ? indentation + getDelta(container) : indentation,
            getIndentation: () => indentation,
            getDelta,
            recomputeIndentation: (lineAdded, parent2) => {
              if (SmartIndenter.shouldIndentChildNode(options, parent2, node, sourceFile)) {
                indentation += lineAdded ? options.indentSize : -options.indentSize;
                delta2 = SmartIndenter.shouldIndentChildNode(options, node) ? options.indentSize : 0;
              }
            }
          };
          function shouldAddDelta(line, kind, container) {
            switch (kind) {
              case 19:
              case 20:
              case 22:
              case 93:
              case 117:
              case 60:
                return false;
              case 44:
              case 32:
                switch (container.kind) {
                  case 286:
                  case 287:
                  case 285:
                    return false;
                }
                break;
              case 23:
              case 24:
                if (container.kind !== 200) {
                  return false;
                }
                break;
            }
            return nodeStartLine !== line && !(hasDecorators(node) && kind === getFirstNonDecoratorTokenOfNode(node));
          }
          function getDelta(child) {
            return SmartIndenter.nodeWillIndentChild(
              options,
              node,
              child,
              sourceFile,
              /*indentByDefault*/
              true
            ) ? delta2 : 0;
          }
        }
        function processNode(node, contextNode, nodeStartLine, undecoratedNodeStartLine, indentation, delta2) {
          if (!rangeOverlapsWithStartEnd(originalRange, node.getStart(sourceFile), node.getEnd())) {
            return;
          }
          const nodeDynamicIndentation = getDynamicIndentation(node, nodeStartLine, indentation, delta2);
          let childContextNode = contextNode;
          forEachChild(
            node,
            (child) => {
              processChildNode(
                child,
                /*inheritedIndentation*/
                -1,
                node,
                nodeDynamicIndentation,
                nodeStartLine,
                undecoratedNodeStartLine,
                /*isListItem*/
                false
              );
            },
            (nodes) => {
              processChildNodes(nodes, node, nodeStartLine, nodeDynamicIndentation);
            }
          );
          while (formattingScanner.isOnToken() && formattingScanner.getTokenFullStart() < originalRange.end) {
            const tokenInfo = formattingScanner.readTokenInfo(node);
            if (tokenInfo.token.end > Math.min(node.end, originalRange.end)) {
              break;
            }
            consumeTokenAndAdvanceScanner(tokenInfo, node, nodeDynamicIndentation, node);
          }
          function processChildNode(child, inheritedIndentation, parent2, parentDynamicIndentation, parentStartLine, undecoratedParentStartLine, isListItem, isFirstListItem) {
            Debug.assert(!nodeIsSynthesized(child));
            if (nodeIsMissing(child) || isGrammarError(parent2, child)) {
              return inheritedIndentation;
            }
            const childStartPos = child.getStart(sourceFile);
            const childStartLine = sourceFile.getLineAndCharacterOfPosition(childStartPos).line;
            let undecoratedChildStartLine = childStartLine;
            if (hasDecorators(child)) {
              undecoratedChildStartLine = sourceFile.getLineAndCharacterOfPosition(getNonDecoratorTokenPosOfNode(child, sourceFile)).line;
            }
            let childIndentationAmount = -1;
            if (isListItem && rangeContainsRange(originalRange, parent2)) {
              childIndentationAmount = tryComputeIndentationForListItem(childStartPos, child.end, parentStartLine, originalRange, inheritedIndentation);
              if (childIndentationAmount !== -1) {
                inheritedIndentation = childIndentationAmount;
              }
            }
            if (!rangeOverlapsWithStartEnd(originalRange, child.pos, child.end)) {
              if (child.end < originalRange.pos) {
                formattingScanner.skipToEndOf(child);
              }
              return inheritedIndentation;
            }
            if (child.getFullWidth() === 0) {
              return inheritedIndentation;
            }
            while (formattingScanner.isOnToken() && formattingScanner.getTokenFullStart() < originalRange.end) {
              const tokenInfo = formattingScanner.readTokenInfo(node);
              if (tokenInfo.token.end > originalRange.end) {
                return inheritedIndentation;
              }
              if (tokenInfo.token.end > childStartPos) {
                if (tokenInfo.token.pos > childStartPos) {
                  formattingScanner.skipToStartOf(child);
                }
                break;
              }
              consumeTokenAndAdvanceScanner(tokenInfo, node, parentDynamicIndentation, node);
            }
            if (!formattingScanner.isOnToken() || formattingScanner.getTokenFullStart() >= originalRange.end) {
              return inheritedIndentation;
            }
            if (isToken(child)) {
              const tokenInfo = formattingScanner.readTokenInfo(child);
              if (child.kind !== 12) {
                Debug.assert(tokenInfo.token.end === child.end, "Token end is child end");
                consumeTokenAndAdvanceScanner(tokenInfo, node, parentDynamicIndentation, child);
                return inheritedIndentation;
              }
            }
            const effectiveParentStartLine = child.kind === 170 ? childStartLine : undecoratedParentStartLine;
            const childIndentation = computeIndentation(child, childStartLine, childIndentationAmount, node, parentDynamicIndentation, effectiveParentStartLine);
            processNode(child, childContextNode, childStartLine, undecoratedChildStartLine, childIndentation.indentation, childIndentation.delta);
            childContextNode = node;
            if (isFirstListItem && parent2.kind === 209 && inheritedIndentation === -1) {
              inheritedIndentation = childIndentation.indentation;
            }
            return inheritedIndentation;
          }
          function processChildNodes(nodes, parent2, parentStartLine, parentDynamicIndentation) {
            Debug.assert(isNodeArray(nodes));
            Debug.assert(!nodeIsSynthesized(nodes));
            const listStartToken = getOpenTokenForList(parent2, nodes);
            let listDynamicIndentation = parentDynamicIndentation;
            let startLine = parentStartLine;
            if (!rangeOverlapsWithStartEnd(originalRange, nodes.pos, nodes.end)) {
              if (nodes.end < originalRange.pos) {
                formattingScanner.skipToEndOf(nodes);
              }
              return;
            }
            if (listStartToken !== 0) {
              while (formattingScanner.isOnToken() && formattingScanner.getTokenFullStart() < originalRange.end) {
                const tokenInfo = formattingScanner.readTokenInfo(parent2);
                if (tokenInfo.token.end > nodes.pos) {
                  break;
                } else if (tokenInfo.token.kind === listStartToken) {
                  startLine = sourceFile.getLineAndCharacterOfPosition(tokenInfo.token.pos).line;
                  consumeTokenAndAdvanceScanner(tokenInfo, parent2, parentDynamicIndentation, parent2);
                  let indentationOnListStartToken;
                  if (indentationOnLastIndentedLine !== -1) {
                    indentationOnListStartToken = indentationOnLastIndentedLine;
                  } else {
                    const startLinePosition = getLineStartPositionForPosition(tokenInfo.token.pos, sourceFile);
                    indentationOnListStartToken = SmartIndenter.findFirstNonWhitespaceColumn(startLinePosition, tokenInfo.token.pos, sourceFile, options);
                  }
                  listDynamicIndentation = getDynamicIndentation(parent2, parentStartLine, indentationOnListStartToken, options.indentSize);
                } else {
                  consumeTokenAndAdvanceScanner(tokenInfo, parent2, parentDynamicIndentation, parent2);
                }
              }
            }
            let inheritedIndentation = -1;
            for (let i = 0; i < nodes.length; i++) {
              const child = nodes[i];
              inheritedIndentation = processChildNode(
                child,
                inheritedIndentation,
                node,
                listDynamicIndentation,
                startLine,
                startLine,
                /*isListItem*/
                true,
                /*isFirstListItem*/
                i === 0
              );
            }
            const listEndToken = getCloseTokenForOpenToken(listStartToken);
            if (listEndToken !== 0 && formattingScanner.isOnToken() && formattingScanner.getTokenFullStart() < originalRange.end) {
              let tokenInfo = formattingScanner.readTokenInfo(parent2);
              if (tokenInfo.token.kind === 28) {
                consumeTokenAndAdvanceScanner(tokenInfo, parent2, listDynamicIndentation, parent2);
                tokenInfo = formattingScanner.isOnToken() ? formattingScanner.readTokenInfo(parent2) : void 0;
              }
              if (tokenInfo && tokenInfo.token.kind === listEndToken && rangeContainsRange(parent2, tokenInfo.token)) {
                consumeTokenAndAdvanceScanner(
                  tokenInfo,
                  parent2,
                  listDynamicIndentation,
                  parent2,
                  /*isListEndToken*/
                  true
                );
              }
            }
          }
          function consumeTokenAndAdvanceScanner(currentTokenInfo, parent2, dynamicIndentation, container, isListEndToken) {
            Debug.assert(rangeContainsRange(parent2, currentTokenInfo.token));
            const lastTriviaWasNewLine = formattingScanner.lastTrailingTriviaWasNewLine();
            let indentToken = false;
            if (currentTokenInfo.leadingTrivia) {
              processTrivia(currentTokenInfo.leadingTrivia, parent2, childContextNode, dynamicIndentation);
            }
            let lineAction = 0;
            const isTokenInRange = rangeContainsRange(originalRange, currentTokenInfo.token);
            const tokenStart = sourceFile.getLineAndCharacterOfPosition(currentTokenInfo.token.pos);
            if (isTokenInRange) {
              const rangeHasError = rangeContainsError(currentTokenInfo.token);
              const savePreviousRange = previousRange;
              lineAction = processRange(currentTokenInfo.token, tokenStart, parent2, childContextNode, dynamicIndentation);
              if (!rangeHasError) {
                if (lineAction === 0) {
                  const prevEndLine = savePreviousRange && sourceFile.getLineAndCharacterOfPosition(savePreviousRange.end).line;
                  indentToken = lastTriviaWasNewLine && tokenStart.line !== prevEndLine;
                } else {
                  indentToken = lineAction === 1;
                }
              }
            }
            if (currentTokenInfo.trailingTrivia) {
              previousRangeTriviaEnd = last(currentTokenInfo.trailingTrivia).end;
              processTrivia(currentTokenInfo.trailingTrivia, parent2, childContextNode, dynamicIndentation);
            }
            if (indentToken) {
              const tokenIndentation = isTokenInRange && !rangeContainsError(currentTokenInfo.token) ? dynamicIndentation.getIndentationForToken(tokenStart.line, currentTokenInfo.token.kind, container, !!isListEndToken) : -1;
              let indentNextTokenOrTrivia = true;
              if (currentTokenInfo.leadingTrivia) {
                const commentIndentation = dynamicIndentation.getIndentationForComment(currentTokenInfo.token.kind, tokenIndentation, container);
                indentNextTokenOrTrivia = indentTriviaItems(currentTokenInfo.leadingTrivia, commentIndentation, indentNextTokenOrTrivia, (item) => insertIndentation(
                  item.pos,
                  commentIndentation,
                  /*lineAdded*/
                  false
                ));
              }
              if (tokenIndentation !== -1 && indentNextTokenOrTrivia) {
                insertIndentation(
                  currentTokenInfo.token.pos,
                  tokenIndentation,
                  lineAction === 1
                  /* LineAdded */
                );
                lastIndentedLine = tokenStart.line;
                indentationOnLastIndentedLine = tokenIndentation;
              }
            }
            formattingScanner.advance();
            childContextNode = parent2;
          }
        }
        function indentTriviaItems(trivia, commentIndentation, indentNextTokenOrTrivia, indentSingleLine) {
          for (const triviaItem of trivia) {
            const triviaInRange = rangeContainsRange(originalRange, triviaItem);
            switch (triviaItem.kind) {
              case 3:
                if (triviaInRange) {
                  indentMultilineComment(
                    triviaItem,
                    commentIndentation,
                    /*firstLineIsIndented*/
                    !indentNextTokenOrTrivia
                  );
                }
                indentNextTokenOrTrivia = false;
                break;
              case 2:
                if (indentNextTokenOrTrivia && triviaInRange) {
                  indentSingleLine(triviaItem);
                }
                indentNextTokenOrTrivia = false;
                break;
              case 4:
                indentNextTokenOrTrivia = true;
                break;
            }
          }
          return indentNextTokenOrTrivia;
        }
        function processTrivia(trivia, parent2, contextNode, dynamicIndentation) {
          for (const triviaItem of trivia) {
            if (isComment(triviaItem.kind) && rangeContainsRange(originalRange, triviaItem)) {
              const triviaItemStart = sourceFile.getLineAndCharacterOfPosition(triviaItem.pos);
              processRange(triviaItem, triviaItemStart, parent2, contextNode, dynamicIndentation);
            }
          }
        }
        function processRange(range, rangeStart, parent2, contextNode, dynamicIndentation) {
          const rangeHasError = rangeContainsError(range);
          let lineAction = 0;
          if (!rangeHasError) {
            if (!previousRange) {
              const originalStart = sourceFile.getLineAndCharacterOfPosition(originalRange.pos);
              trimTrailingWhitespacesForLines(originalStart.line, rangeStart.line);
            } else {
              lineAction = processPair(range, rangeStart.line, parent2, previousRange, previousRangeStartLine, previousParent, contextNode, dynamicIndentation);
            }
          }
          previousRange = range;
          previousRangeTriviaEnd = range.end;
          previousParent = parent2;
          previousRangeStartLine = rangeStart.line;
          return lineAction;
        }
        function processPair(currentItem, currentStartLine, currentParent, previousItem, previousStartLine, previousParent2, contextNode, dynamicIndentation) {
          formattingContext.updateContext(previousItem, previousParent2, currentItem, currentParent, contextNode);
          const rules = getRules(formattingContext);
          let trimTrailingWhitespaces = formattingContext.options.trimTrailingWhitespace !== false;
          let lineAction = 0;
          if (rules) {
            forEachRight(rules, (rule2) => {
              lineAction = applyRuleEdits(rule2, previousItem, previousStartLine, currentItem, currentStartLine);
              if (dynamicIndentation) {
                switch (lineAction) {
                  case 2:
                    if (currentParent.getStart(sourceFile) === currentItem.pos) {
                      dynamicIndentation.recomputeIndentation(
                        /*lineAddedByFormatting*/
                        false,
                        contextNode
                      );
                    }
                    break;
                  case 1:
                    if (currentParent.getStart(sourceFile) === currentItem.pos) {
                      dynamicIndentation.recomputeIndentation(
                        /*lineAddedByFormatting*/
                        true,
                        contextNode
                      );
                    }
                    break;
                  default:
                    Debug.assert(
                      lineAction === 0
                      /* None */
                    );
                }
              }
              trimTrailingWhitespaces = trimTrailingWhitespaces && !(rule2.action & 16) && rule2.flags !== 1;
            });
          } else {
            trimTrailingWhitespaces = trimTrailingWhitespaces && currentItem.kind !== 1;
          }
          if (currentStartLine !== previousStartLine && trimTrailingWhitespaces) {
            trimTrailingWhitespacesForLines(previousStartLine, currentStartLine, previousItem);
          }
          return lineAction;
        }
        function insertIndentation(pos, indentation, lineAdded) {
          const indentationString = getIndentationString(indentation, options);
          if (lineAdded) {
            recordReplace(pos, 0, indentationString);
          } else {
            const tokenStart = sourceFile.getLineAndCharacterOfPosition(pos);
            const startLinePosition = getStartPositionOfLine(tokenStart.line, sourceFile);
            if (indentation !== characterToColumn(startLinePosition, tokenStart.character) || indentationIsDifferent(indentationString, startLinePosition)) {
              recordReplace(startLinePosition, tokenStart.character, indentationString);
            }
          }
        }
        function characterToColumn(startLinePosition, characterInLine) {
          let column = 0;
          for (let i = 0; i < characterInLine; i++) {
            if (sourceFile.text.charCodeAt(startLinePosition + i) === 9) {
              column += options.tabSize - column % options.tabSize;
            } else {
              column++;
            }
          }
          return column;
        }
        function indentationIsDifferent(indentationString, startLinePosition) {
          return indentationString !== sourceFile.text.substr(startLinePosition, indentationString.length);
        }
        function indentMultilineComment(commentRange, indentation, firstLineIsIndented, indentFinalLine = true) {
          let startLine = sourceFile.getLineAndCharacterOfPosition(commentRange.pos).line;
          const endLine = sourceFile.getLineAndCharacterOfPosition(commentRange.end).line;
          if (startLine === endLine) {
            if (!firstLineIsIndented) {
              insertIndentation(
                commentRange.pos,
                indentation,
                /*lineAdded*/
                false
              );
            }
            return;
          }
          const parts = [];
          let startPos = commentRange.pos;
          for (let line = startLine; line < endLine; line++) {
            const endOfLine = getEndLinePosition(line, sourceFile);
            parts.push({ pos: startPos, end: endOfLine });
            startPos = getStartPositionOfLine(line + 1, sourceFile);
          }
          if (indentFinalLine) {
            parts.push({ pos: startPos, end: commentRange.end });
          }
          if (parts.length === 0) return;
          const startLinePos = getStartPositionOfLine(startLine, sourceFile);
          const nonWhitespaceColumnInFirstPart = SmartIndenter.findFirstNonWhitespaceCharacterAndColumn(startLinePos, parts[0].pos, sourceFile, options);
          let startIndex = 0;
          if (firstLineIsIndented) {
            startIndex = 1;
            startLine++;
          }
          const delta2 = indentation - nonWhitespaceColumnInFirstPart.column;
          for (let i = startIndex; i < parts.length; i++, startLine++) {
            const startLinePos2 = getStartPositionOfLine(startLine, sourceFile);
            const nonWhitespaceCharacterAndColumn = i === 0 ? nonWhitespaceColumnInFirstPart : SmartIndenter.findFirstNonWhitespaceCharacterAndColumn(parts[i].pos, parts[i].end, sourceFile, options);
            const newIndentation = nonWhitespaceCharacterAndColumn.column + delta2;
            if (newIndentation > 0) {
              const indentationString = getIndentationString(newIndentation, options);
              recordReplace(startLinePos2, nonWhitespaceCharacterAndColumn.character, indentationString);
            } else {
              recordDelete(startLinePos2, nonWhitespaceCharacterAndColumn.character);
            }
          }
        }
        function trimTrailingWhitespacesForLines(line1, line2, range) {
          for (let line = line1; line < line2; line++) {
            const lineStartPosition = getStartPositionOfLine(line, sourceFile);
            const lineEndPosition = getEndLinePosition(line, sourceFile);
            if (range && (isComment(range.kind) || isStringOrRegularExpressionOrTemplateLiteral(range.kind)) && range.pos <= lineEndPosition && range.end > lineEndPosition) {
              continue;
            }
            const whitespaceStart = getTrailingWhitespaceStartPosition(lineStartPosition, lineEndPosition);
            if (whitespaceStart !== -1) {
              Debug.assert(whitespaceStart === lineStartPosition || !isWhiteSpaceSingleLine(sourceFile.text.charCodeAt(whitespaceStart - 1)));
              recordDelete(whitespaceStart, lineEndPosition + 1 - whitespaceStart);
            }
          }
        }
        function getTrailingWhitespaceStartPosition(start, end) {
          let pos = end;
          while (pos >= start && isWhiteSpaceSingleLine(sourceFile.text.charCodeAt(pos))) {
            pos--;
          }
          if (pos !== end) {
            return pos + 1;
          }
          return -1;
        }
        function trimTrailingWhitespacesForRemainingRange(trivias) {
          let startPos = previousRange ? previousRange.end : originalRange.pos;
          for (const trivia of trivias) {
            if (isComment(trivia.kind)) {
              if (startPos < trivia.pos) {
                trimTrailingWitespacesForPositions(startPos, trivia.pos - 1, previousRange);
              }
              startPos = trivia.end + 1;
            }
          }
          if (startPos < originalRange.end) {
            trimTrailingWitespacesForPositions(startPos, originalRange.end, previousRange);
          }
        }
        function trimTrailingWitespacesForPositions(startPos, endPos, previousRange2) {
          const startLine = sourceFile.getLineAndCharacterOfPosition(startPos).line;
          const endLine = sourceFile.getLineAndCharacterOfPosition(endPos).line;
          trimTrailingWhitespacesForLines(startLine, endLine + 1, previousRange2);
        }
        function recordDelete(start, len) {
          if (len) {
            edits.push(createTextChangeFromStartLength(start, len, ""));
          }
        }
        function recordReplace(start, len, newText) {
          if (len || newText) {
            edits.push(createTextChangeFromStartLength(start, len, newText));
          }
        }
        function recordInsert(start, text) {
          if (text) {
            edits.push(createTextChangeFromStartLength(start, 0, text));
          }
        }
        function applyRuleEdits(rule2, previousRange2, previousStartLine, currentRange, currentStartLine) {
          const onLaterLine = currentStartLine !== previousStartLine;
          switch (rule2.action) {
            case 1:
              return 0;
            case 16:
              if (previousRange2.end !== currentRange.pos) {
                recordDelete(previousRange2.end, currentRange.pos - previousRange2.end);
                return onLaterLine ? 2 : 0;
              }
              break;
            case 32:
              recordDelete(previousRange2.pos, previousRange2.end - previousRange2.pos);
              break;
            case 8:
              if (rule2.flags !== 1 && previousStartLine !== currentStartLine) {
                return 0;
              }
              const lineDelta = currentStartLine - previousStartLine;
              if (lineDelta !== 1) {
                recordReplace(previousRange2.end, currentRange.pos - previousRange2.end, getNewLineOrDefaultFromHost(host, options));
                return onLaterLine ? 0 : 1;
              }
              break;
            case 4:
              if (rule2.flags !== 1 && previousStartLine !== currentStartLine) {
                return 0;
              }
              const posDelta = currentRange.pos - previousRange2.end;
              if (posDelta !== 1 || sourceFile.text.charCodeAt(previousRange2.end) !== 32) {
                recordReplace(previousRange2.end, currentRange.pos - previousRange2.end, " ");
                return onLaterLine ? 2 : 0;
              }
              break;
            case 64:
              recordInsert(previousRange2.end, ";");
          }
          return 0;
        }
      }
      function getRangeOfEnclosingComment(sourceFile, position, precedingToken, tokenAtPosition = getTokenAtPosition(sourceFile, position)) {
        const jsdoc = findAncestor(tokenAtPosition, isJSDoc);
        if (jsdoc) tokenAtPosition = jsdoc.parent;
        const tokenStart = tokenAtPosition.getStart(sourceFile);
        if (tokenStart <= position && position < tokenAtPosition.getEnd()) {
          return void 0;
        }
        precedingToken = precedingToken === null ? void 0 : precedingToken === void 0 ? findPrecedingToken(position, sourceFile) : precedingToken;
        const trailingRangesOfPreviousToken = precedingToken && getTrailingCommentRanges(sourceFile.text, precedingToken.end);
        const leadingCommentRangesOfNextToken = getLeadingCommentRangesOfNode(tokenAtPosition, sourceFile);
        const commentRanges = concatenate(trailingRangesOfPreviousToken, leadingCommentRangesOfNextToken);
        return commentRanges && find(commentRanges, (range) => rangeContainsPositionExclusive(range, position) || // The end marker of a single-line comment does not include the newline character.
        // With caret at `^`, in the following case, we are inside a comment (^ denotes the cursor position):
        //
        //    // asdf   ^\n
        //
        // But for closed multi-line comments, we don't want to be inside the comment in the following case:
        //
        //    /* asdf */^
        //
        // However, unterminated multi-line comments *do* contain their end.
        //
        // Internally, we represent the end of the comment at the newline and closing '/', respectively.
        //
        position === range.end && (range.kind === 2 || position === sourceFile.getFullWidth()));
      }
      function getOpenTokenForList(node, list) {
        switch (node.kind) {
          case 176:
          case 262:
          case 218:
          case 174:
          case 173:
          case 219:
          case 179:
          case 180:
          case 184:
          case 185:
          case 177:
          case 178:
            if (node.typeParameters === list) {
              return 30;
            } else if (node.parameters === list) {
              return 21;
            }
            break;
          case 213:
          case 214:
            if (node.typeArguments === list) {
              return 30;
            } else if (node.arguments === list) {
              return 21;
            }
            break;
          case 263:
          case 231:
          case 264:
          case 265:
            if (node.typeParameters === list) {
              return 30;
            }
            break;
          case 183:
          case 215:
          case 186:
          case 233:
          case 205:
            if (node.typeArguments === list) {
              return 30;
            }
            break;
          case 187:
            return 19;
        }
        return 0;
      }
      function getCloseTokenForOpenToken(kind) {
        switch (kind) {
          case 21:
            return 22;
          case 30:
            return 32;
          case 19:
            return 20;
        }
        return 0;
      }
      var internedSizes;
      var internedTabsIndentation;
      var internedSpacesIndentation;
      function getIndentationString(indentation, options) {
        const resetInternedStrings = !internedSizes || (internedSizes.tabSize !== options.tabSize || internedSizes.indentSize !== options.indentSize);
        if (resetInternedStrings) {
          internedSizes = { tabSize: options.tabSize, indentSize: options.indentSize };
          internedTabsIndentation = internedSpacesIndentation = void 0;
        }
        if (!options.convertTabsToSpaces) {
          const tabs = Math.floor(indentation / options.tabSize);
          const spaces = indentation - tabs * options.tabSize;
          let tabString;
          if (!internedTabsIndentation) {
            internedTabsIndentation = [];
          }
          if (internedTabsIndentation[tabs] === void 0) {
            internedTabsIndentation[tabs] = tabString = repeatString("	", tabs);
          } else {
            tabString = internedTabsIndentation[tabs];
          }
          return spaces ? tabString + repeatString(" ", spaces) : tabString;
        } else {
          let spacesString;
          const quotient = Math.floor(indentation / options.indentSize);
          const remainder = indentation % options.indentSize;
          if (!internedSpacesIndentation) {
            internedSpacesIndentation = [];
          }
          if (internedSpacesIndentation[quotient] === void 0) {
            spacesString = repeatString(" ", options.indentSize * quotient);
            internedSpacesIndentation[quotient] = spacesString;
          } else {
            spacesString = internedSpacesIndentation[quotient];
          }
          return remainder ? spacesString + repeatString(" ", remainder) : spacesString;
        }
      }
      var SmartIndenter;
      ((SmartIndenter2) => {
        let Value;
        ((Value2) => {
          Value2[Value2["Unknown"] = -1] = "Unknown";
        })(Value || (Value = {}));
        function getIndentation(position, sourceFile, options, assumeNewLineBeforeCloseBrace = false) {
          if (position > sourceFile.text.length) {
            return getBaseIndentation(options);
          }
          if (options.indentStyle === 0) {
            return 0;
          }
          const precedingToken = findPrecedingToken(
            position,
            sourceFile,
            /*startNode*/
            void 0,
            /*excludeJsdoc*/
            true
          );
          const enclosingCommentRange = getRangeOfEnclosingComment(sourceFile, position, precedingToken || null);
          if (enclosingCommentRange && enclosingCommentRange.kind === 3) {
            return getCommentIndent(sourceFile, position, options, enclosingCommentRange);
          }
          if (!precedingToken) {
            return getBaseIndentation(options);
          }
          const precedingTokenIsLiteral = isStringOrRegularExpressionOrTemplateLiteral(precedingToken.kind);
          if (precedingTokenIsLiteral && precedingToken.getStart(sourceFile) <= position && position < precedingToken.end) {
            return 0;
          }
          const lineAtPosition = sourceFile.getLineAndCharacterOfPosition(position).line;
          const currentToken = getTokenAtPosition(sourceFile, position);
          const isObjectLiteral = currentToken.kind === 19 && currentToken.parent.kind === 210;
          if (options.indentStyle === 1 || isObjectLiteral) {
            return getBlockIndent(sourceFile, position, options);
          }
          if (precedingToken.kind === 28 && precedingToken.parent.kind !== 226) {
            const actualIndentation = getActualIndentationForListItemBeforeComma(precedingToken, sourceFile, options);
            if (actualIndentation !== -1) {
              return actualIndentation;
            }
          }
          const containerList = getListByPosition(position, precedingToken.parent, sourceFile);
          if (containerList && !rangeContainsRange(containerList, precedingToken)) {
            const useTheSameBaseIndentation = [
              218,
              219
              /* ArrowFunction */
            ].includes(currentToken.parent.kind);
            const indentSize = useTheSameBaseIndentation ? 0 : options.indentSize;
            return getActualIndentationForListStartLine(containerList, sourceFile, options) + indentSize;
          }
          return getSmartIndent(sourceFile, position, precedingToken, lineAtPosition, assumeNewLineBeforeCloseBrace, options);
        }
        SmartIndenter2.getIndentation = getIndentation;
        function getCommentIndent(sourceFile, position, options, enclosingCommentRange) {
          const previousLine = getLineAndCharacterOfPosition(sourceFile, position).line - 1;
          const commentStartLine = getLineAndCharacterOfPosition(sourceFile, enclosingCommentRange.pos).line;
          Debug.assert(commentStartLine >= 0);
          if (previousLine <= commentStartLine) {
            return findFirstNonWhitespaceColumn(getStartPositionOfLine(commentStartLine, sourceFile), position, sourceFile, options);
          }
          const startPositionOfLine = getStartPositionOfLine(previousLine, sourceFile);
          const { column, character } = findFirstNonWhitespaceCharacterAndColumn(startPositionOfLine, position, sourceFile, options);
          if (column === 0) {
            return column;
          }
          const firstNonWhitespaceCharacterCode = sourceFile.text.charCodeAt(startPositionOfLine + character);
          return firstNonWhitespaceCharacterCode === 42 ? column - 1 : column;
        }
        function getBlockIndent(sourceFile, position, options) {
          let current = position;
          while (current > 0) {
            const char = sourceFile.text.charCodeAt(current);
            if (!isWhiteSpaceLike(char)) {
              break;
            }
            current--;
          }
          const lineStart = getLineStartPositionForPosition(current, sourceFile);
          return findFirstNonWhitespaceColumn(lineStart, current, sourceFile, options);
        }
        function getSmartIndent(sourceFile, position, precedingToken, lineAtPosition, assumeNewLineBeforeCloseBrace, options) {
          let previous;
          let current = precedingToken;
          while (current) {
            if (positionBelongsToNode(current, position, sourceFile) && shouldIndentChildNode(
              options,
              current,
              previous,
              sourceFile,
              /*isNextChild*/
              true
            )) {
              const currentStart = getStartLineAndCharacterForNode(current, sourceFile);
              const nextTokenKind = nextTokenIsCurlyBraceOnSameLineAsCursor(precedingToken, current, lineAtPosition, sourceFile);
              const indentationDelta = nextTokenKind !== 0 ? assumeNewLineBeforeCloseBrace && nextTokenKind === 2 ? options.indentSize : 0 : lineAtPosition !== currentStart.line ? options.indentSize : 0;
              return getIndentationForNodeWorker(
                current,
                currentStart,
                /*ignoreActualIndentationRange*/
                void 0,
                indentationDelta,
                sourceFile,
                /*isNextChild*/
                true,
                options
              );
            }
            const actualIndentation = getActualIndentationForListItem(
              current,
              sourceFile,
              options,
              /*listIndentsChild*/
              true
            );
            if (actualIndentation !== -1) {
              return actualIndentation;
            }
            previous = current;
            current = current.parent;
          }
          return getBaseIndentation(options);
        }
        function getIndentationForNode(n, ignoreActualIndentationRange, sourceFile, options) {
          const start = sourceFile.getLineAndCharacterOfPosition(n.getStart(sourceFile));
          return getIndentationForNodeWorker(
            n,
            start,
            ignoreActualIndentationRange,
            /*indentationDelta*/
            0,
            sourceFile,
            /*isNextChild*/
            false,
            options
          );
        }
        SmartIndenter2.getIndentationForNode = getIndentationForNode;
        function getBaseIndentation(options) {
          return options.baseIndentSize || 0;
        }
        SmartIndenter2.getBaseIndentation = getBaseIndentation;
        function getIndentationForNodeWorker(current, currentStart, ignoreActualIndentationRange, indentationDelta, sourceFile, isNextChild, options) {
          var _a;
          let parent2 = current.parent;
          while (parent2) {
            let useActualIndentation = true;
            if (ignoreActualIndentationRange) {
              const start = current.getStart(sourceFile);
              useActualIndentation = start < ignoreActualIndentationRange.pos || start > ignoreActualIndentationRange.end;
            }
            const containingListOrParentStart = getContainingListOrParentStart(parent2, current, sourceFile);
            const parentAndChildShareLine = containingListOrParentStart.line === currentStart.line || childStartsOnTheSameLineWithElseInIfStatement(parent2, current, currentStart.line, sourceFile);
            if (useActualIndentation) {
              const firstListChild = (_a = getContainingList(current, sourceFile)) == null ? void 0 : _a[0];
              const listIndentsChild = !!firstListChild && getStartLineAndCharacterForNode(firstListChild, sourceFile).line > containingListOrParentStart.line;
              let actualIndentation = getActualIndentationForListItem(current, sourceFile, options, listIndentsChild);
              if (actualIndentation !== -1) {
                return actualIndentation + indentationDelta;
              }
              actualIndentation = getActualIndentationForNode(current, parent2, currentStart, parentAndChildShareLine, sourceFile, options);
              if (actualIndentation !== -1) {
                return actualIndentation + indentationDelta;
              }
            }
            if (shouldIndentChildNode(options, parent2, current, sourceFile, isNextChild) && !parentAndChildShareLine) {
              indentationDelta += options.indentSize;
            }
            const useTrueStart = isArgumentAndStartLineOverlapsExpressionBeingCalled(parent2, current, currentStart.line, sourceFile);
            current = parent2;
            parent2 = current.parent;
            currentStart = useTrueStart ? sourceFile.getLineAndCharacterOfPosition(current.getStart(sourceFile)) : containingListOrParentStart;
          }
          return indentationDelta + getBaseIndentation(options);
        }
        function getContainingListOrParentStart(parent2, child, sourceFile) {
          const containingList = getContainingList(child, sourceFile);
          const startPos = containingList ? containingList.pos : parent2.getStart(sourceFile);
          return sourceFile.getLineAndCharacterOfPosition(startPos);
        }
        function getActualIndentationForListItemBeforeComma(commaToken, sourceFile, options) {
          const commaItemInfo = findListItemInfo(commaToken);
          if (commaItemInfo && commaItemInfo.listItemIndex > 0) {
            return deriveActualIndentationFromList(commaItemInfo.list.getChildren(), commaItemInfo.listItemIndex - 1, sourceFile, options);
          } else {
            return -1;
          }
        }
        function getActualIndentationForNode(current, parent2, currentLineAndChar, parentAndChildShareLine, sourceFile, options) {
          const useActualIndentation = (isDeclaration(current) || isStatementButNotDeclaration(current)) && (parent2.kind === 307 || !parentAndChildShareLine);
          if (!useActualIndentation) {
            return -1;
          }
          return findColumnForFirstNonWhitespaceCharacterInLine(currentLineAndChar, sourceFile, options);
        }
        let NextTokenKind;
        ((NextTokenKind2) => {
          NextTokenKind2[NextTokenKind2["Unknown"] = 0] = "Unknown";
          NextTokenKind2[NextTokenKind2["OpenBrace"] = 1] = "OpenBrace";
          NextTokenKind2[NextTokenKind2["CloseBrace"] = 2] = "CloseBrace";
        })(NextTokenKind || (NextTokenKind = {}));
        function nextTokenIsCurlyBraceOnSameLineAsCursor(precedingToken, current, lineAtPosition, sourceFile) {
          const nextToken = findNextToken(precedingToken, current, sourceFile);
          if (!nextToken) {
            return 0;
          }
          if (nextToken.kind === 19) {
            return 1;
          } else if (nextToken.kind === 20) {
            const nextTokenStartLine = getStartLineAndCharacterForNode(nextToken, sourceFile).line;
            return lineAtPosition === nextTokenStartLine ? 2 : 0;
          }
          return 0;
        }
        function getStartLineAndCharacterForNode(n, sourceFile) {
          return sourceFile.getLineAndCharacterOfPosition(n.getStart(sourceFile));
        }
        function isArgumentAndStartLineOverlapsExpressionBeingCalled(parent2, child, childStartLine, sourceFile) {
          if (!(isCallExpression2(parent2) && contains(parent2.arguments, child))) {
            return false;
          }
          const expressionOfCallExpressionEnd = parent2.expression.getEnd();
          const expressionOfCallExpressionEndLine = getLineAndCharacterOfPosition(sourceFile, expressionOfCallExpressionEnd).line;
          return expressionOfCallExpressionEndLine === childStartLine;
        }
        SmartIndenter2.isArgumentAndStartLineOverlapsExpressionBeingCalled = isArgumentAndStartLineOverlapsExpressionBeingCalled;
        function childStartsOnTheSameLineWithElseInIfStatement(parent2, child, childStartLine, sourceFile) {
          if (parent2.kind === 245 && parent2.elseStatement === child) {
            const elseKeyword = findChildOfKind(parent2, 93, sourceFile);
            Debug.assert(elseKeyword !== void 0);
            const elseKeywordStartLine = getStartLineAndCharacterForNode(elseKeyword, sourceFile).line;
            return elseKeywordStartLine === childStartLine;
          }
          return false;
        }
        SmartIndenter2.childStartsOnTheSameLineWithElseInIfStatement = childStartsOnTheSameLineWithElseInIfStatement;
        function childIsUnindentedBranchOfConditionalExpression(parent2, child, childStartLine, sourceFile) {
          if (isConditionalExpression(parent2) && (child === parent2.whenTrue || child === parent2.whenFalse)) {
            const conditionEndLine = getLineAndCharacterOfPosition(sourceFile, parent2.condition.end).line;
            if (child === parent2.whenTrue) {
              return childStartLine === conditionEndLine;
            } else {
              const trueStartLine = getStartLineAndCharacterForNode(parent2.whenTrue, sourceFile).line;
              const trueEndLine = getLineAndCharacterOfPosition(sourceFile, parent2.whenTrue.end).line;
              return conditionEndLine === trueStartLine && trueEndLine === childStartLine;
            }
          }
          return false;
        }
        SmartIndenter2.childIsUnindentedBranchOfConditionalExpression = childIsUnindentedBranchOfConditionalExpression;
        function argumentStartsOnSameLineAsPreviousArgument(parent2, child, childStartLine, sourceFile) {
          if (isCallOrNewExpression2(parent2)) {
            if (!parent2.arguments) return false;
            const currentNode = find(parent2.arguments, (arg) => arg.pos === child.pos);
            if (!currentNode) return false;
            const currentIndex = parent2.arguments.indexOf(currentNode);
            if (currentIndex === 0) return false;
            const previousNode = parent2.arguments[currentIndex - 1];
            const lineOfPreviousNode = getLineAndCharacterOfPosition(sourceFile, previousNode.getEnd()).line;
            if (childStartLine === lineOfPreviousNode) {
              return true;
            }
          }
          return false;
        }
        SmartIndenter2.argumentStartsOnSameLineAsPreviousArgument = argumentStartsOnSameLineAsPreviousArgument;
        function getContainingList(node, sourceFile) {
          return node.parent && getListByRange(node.getStart(sourceFile), node.getEnd(), node.parent, sourceFile);
        }
        SmartIndenter2.getContainingList = getContainingList;
        function getListByPosition(pos, node, sourceFile) {
          return node && getListByRange(pos, pos, node, sourceFile);
        }
        function getListByRange(start, end, node, sourceFile) {
          switch (node.kind) {
            case 183:
              return getList(node.typeArguments);
            case 210:
              return getList(node.properties);
            case 209:
              return getList(node.elements);
            case 187:
              return getList(node.members);
            case 262:
            case 218:
            case 219:
            case 174:
            case 173:
            case 179:
            case 176:
            case 185:
            case 180:
              return getList(node.typeParameters) || getList(node.parameters);
            case 177:
              return getList(node.parameters);
            case 263:
            case 231:
            case 264:
            case 265:
            case 345:
              return getList(node.typeParameters);
            case 214:
            case 213:
              return getList(node.typeArguments) || getList(node.arguments);
            case 261:
              return getList(node.declarations);
            case 275:
            case 279:
              return getList(node.elements);
            case 206:
            case 207:
              return getList(node.elements);
          }
          function getList(list) {
            return list && rangeContainsStartEnd(getVisualListRange(node, list, sourceFile), start, end) ? list : void 0;
          }
        }
        function getVisualListRange(node, list, sourceFile) {
          const children = node.getChildren(sourceFile);
          for (let i = 1; i < children.length - 1; i++) {
            if (children[i].pos === list.pos && children[i].end === list.end) {
              return { pos: children[i - 1].end, end: children[i + 1].getStart(sourceFile) };
            }
          }
          return list;
        }
        function getActualIndentationForListStartLine(list, sourceFile, options) {
          if (!list) {
            return -1;
          }
          return findColumnForFirstNonWhitespaceCharacterInLine(sourceFile.getLineAndCharacterOfPosition(list.pos), sourceFile, options);
        }
        function getActualIndentationForListItem(node, sourceFile, options, listIndentsChild) {
          if (node.parent && node.parent.kind === 261) {
            return -1;
          }
          const containingList = getContainingList(node, sourceFile);
          if (containingList) {
            const index = containingList.indexOf(node);
            if (index !== -1) {
              const result = deriveActualIndentationFromList(containingList, index, sourceFile, options);
              if (result !== -1) {
                return result;
              }
            }
            return getActualIndentationForListStartLine(containingList, sourceFile, options) + (listIndentsChild ? options.indentSize : 0);
          }
          return -1;
        }
        function deriveActualIndentationFromList(list, index, sourceFile, options) {
          Debug.assert(index >= 0 && index < list.length);
          const node = list[index];
          let lineAndCharacter = getStartLineAndCharacterForNode(node, sourceFile);
          for (let i = index - 1; i >= 0; i--) {
            if (list[i].kind === 28) {
              continue;
            }
            const prevEndLine = sourceFile.getLineAndCharacterOfPosition(list[i].end).line;
            if (prevEndLine !== lineAndCharacter.line) {
              return findColumnForFirstNonWhitespaceCharacterInLine(lineAndCharacter, sourceFile, options);
            }
            lineAndCharacter = getStartLineAndCharacterForNode(list[i], sourceFile);
          }
          return -1;
        }
        function findColumnForFirstNonWhitespaceCharacterInLine(lineAndCharacter, sourceFile, options) {
          const lineStart = sourceFile.getPositionOfLineAndCharacter(lineAndCharacter.line, 0);
          return findFirstNonWhitespaceColumn(lineStart, lineStart + lineAndCharacter.character, sourceFile, options);
        }
        function findFirstNonWhitespaceCharacterAndColumn(startPos, endPos, sourceFile, options) {
          let character = 0;
          let column = 0;
          for (let pos = startPos; pos < endPos; pos++) {
            const ch = sourceFile.text.charCodeAt(pos);
            if (!isWhiteSpaceSingleLine(ch)) {
              break;
            }
            if (ch === 9) {
              column += options.tabSize + column % options.tabSize;
            } else {
              column++;
            }
            character++;
          }
          return { column, character };
        }
        SmartIndenter2.findFirstNonWhitespaceCharacterAndColumn = findFirstNonWhitespaceCharacterAndColumn;
        function findFirstNonWhitespaceColumn(startPos, endPos, sourceFile, options) {
          return findFirstNonWhitespaceCharacterAndColumn(startPos, endPos, sourceFile, options).column;
        }
        SmartIndenter2.findFirstNonWhitespaceColumn = findFirstNonWhitespaceColumn;
        function nodeWillIndentChild(settings, parent2, child, sourceFile, indentByDefault) {
          const childKind = child ? child.kind : 0;
          switch (parent2.kind) {
            case 244:
            case 263:
            case 231:
            case 264:
            case 266:
            case 265:
            case 209:
            case 241:
            case 268:
            case 210:
            case 187:
            case 200:
            case 189:
            case 217:
            case 211:
            case 213:
            case 214:
            case 243:
            case 277:
            case 253:
            case 227:
            case 207:
            case 206:
            case 286:
            case 289:
            case 285:
            case 294:
            case 173:
            case 179:
            case 180:
            case 169:
            case 184:
            case 185:
            case 196:
            case 215:
            case 223:
            case 279:
            case 275:
            case 281:
            case 276:
            case 172:
            case 296:
            case 297:
              return true;
            case 269:
              return settings.indentSwitchCase ?? true;
            case 260:
            case 303:
            case 226:
              if (!settings.indentMultiLineObjectLiteralBeginningOnBlankLine && sourceFile && childKind === 210) {
                return rangeIsOnOneLine(sourceFile, child);
              }
              if (parent2.kind === 226 && sourceFile && child && childKind === 284) {
                const parentStartLine = sourceFile.getLineAndCharacterOfPosition(skipTrivia(sourceFile.text, parent2.pos)).line;
                const childStartLine = sourceFile.getLineAndCharacterOfPosition(skipTrivia(sourceFile.text, child.pos)).line;
                return parentStartLine !== childStartLine;
              }
              if (parent2.kind !== 226) {
                return true;
              }
              break;
            case 246:
            case 247:
            case 249:
            case 250:
            case 248:
            case 245:
            case 262:
            case 218:
            case 174:
            case 176:
            case 177:
            case 178:
              return childKind !== 241;
            case 219:
              if (sourceFile && childKind === 217) {
                return rangeIsOnOneLine(sourceFile, child);
              }
              return childKind !== 241;
            case 278:
              return childKind !== 279;
            case 272:
              return childKind !== 273 || !!child.namedBindings && child.namedBindings.kind !== 275;
            case 284:
              return childKind !== 287;
            case 288:
              return childKind !== 290;
            case 193:
            case 192:
            case 238:
              if (childKind === 187 || childKind === 189 || childKind === 200) {
                return false;
              }
              break;
          }
          return indentByDefault;
        }
        SmartIndenter2.nodeWillIndentChild = nodeWillIndentChild;
        function isControlFlowEndingStatement(kind, parent2) {
          switch (kind) {
            case 253:
            case 257:
            case 251:
            case 252:
              return parent2.kind !== 241;
            default:
              return false;
          }
        }
        function shouldIndentChildNode(settings, parent2, child, sourceFile, isNextChild = false) {
          return nodeWillIndentChild(
            settings,
            parent2,
            child,
            sourceFile,
            /*indentByDefault*/
            false
          ) && !(isNextChild && child && isControlFlowEndingStatement(child.kind, parent2));
        }
        SmartIndenter2.shouldIndentChildNode = shouldIndentChildNode;
        function rangeIsOnOneLine(sourceFile, range) {
          const rangeStart = skipTrivia(sourceFile.text, range.pos);
          const startLine = sourceFile.getLineAndCharacterOfPosition(rangeStart).line;
          const endLine = sourceFile.getLineAndCharacterOfPosition(range.end).line;
          return startLine === endLine;
        }
      })(SmartIndenter || (SmartIndenter = {}));
      var ts_PasteEdits_exports = {};
      __export2(ts_PasteEdits_exports, {
        pasteEditsProvider: () => pasteEditsProvider
      });
      var fixId54 = "providePostPasteEdits";
      function pasteEditsProvider(targetFile, pastedText, pasteLocations, copiedFrom, host, preferences, formatContext, cancellationToken) {
        const changes = ts_textChanges_exports.ChangeTracker.with({ host, formatContext, preferences }, (changeTracker) => pasteEdits(targetFile, pastedText, pasteLocations, copiedFrom, host, preferences, formatContext, cancellationToken, changeTracker));
        return { edits: changes, fixId: fixId54 };
      }
      function pasteEdits(targetFile, pastedText, pasteLocations, copiedFrom, host, preferences, formatContext, cancellationToken, changes) {
        let actualPastedText;
        if (pastedText.length !== pasteLocations.length) {
          actualPastedText = pastedText.length === 1 ? pastedText : [pastedText.join("\n")];
        }
        const statements = [];
        let newText = targetFile.text;
        for (let i = pasteLocations.length - 1; i >= 0; i--) {
          const { pos, end } = pasteLocations[i];
          newText = actualPastedText ? newText.slice(0, pos) + actualPastedText[0] + newText.slice(end) : newText.slice(0, pos) + pastedText[i] + newText.slice(end);
        }
        Debug.checkDefined(host.runWithTemporaryFileUpdate).call(host, targetFile.fileName, newText, (updatedProgram, originalProgram, updatedFile) => {
          const importAdder = ts_codefix_exports.createImportAdder(updatedFile, updatedProgram, preferences, host);
          if (copiedFrom == null ? void 0 : copiedFrom.range) {
            Debug.assert(copiedFrom.range.length === pastedText.length);
            copiedFrom.range.forEach((copy) => {
              const statementsInSourceFile = copiedFrom.file.statements;
              const startNodeIndex = findIndex(statementsInSourceFile, (s) => s.end > copy.pos);
              if (startNodeIndex === -1) return void 0;
              let endNodeIndex = findIndex(statementsInSourceFile, (s) => s.end >= copy.end, startNodeIndex);
              if (endNodeIndex !== -1 && copy.end <= statementsInSourceFile[endNodeIndex].getStart()) {
                endNodeIndex--;
              }
              statements.push(...statementsInSourceFile.slice(startNodeIndex, endNodeIndex === -1 ? statementsInSourceFile.length : endNodeIndex + 1));
            });
            const usage = getUsageInfo(copiedFrom.file, statements, originalProgram.getTypeChecker(), getExistingLocals(updatedFile, statements, originalProgram.getTypeChecker()));
            Debug.assertIsDefined(originalProgram);
            const useEsModuleSyntax = !fileShouldUseJavaScriptRequire(targetFile.fileName, originalProgram, host, !!copiedFrom.file.commonJsModuleIndicator);
            addExportsInOldFile(copiedFrom.file, usage.targetFileImportsFromOldFile, changes, useEsModuleSyntax);
            addTargetFileImports(copiedFrom.file, usage.oldImportsNeededByTargetFile, usage.targetFileImportsFromOldFile, originalProgram.getTypeChecker(), updatedProgram, importAdder);
          } else {
            const context = {
              sourceFile: updatedFile,
              program: originalProgram,
              cancellationToken,
              host,
              preferences,
              formatContext
            };
            forEachChild(updatedFile, function cb(node) {
              if (isIdentifier(node) && !(originalProgram == null ? void 0 : originalProgram.getTypeChecker().resolveName(
                node.text,
                node,
                -1,
                /*excludeGlobals*/
                false
              ))) {
                importAdder.addImportForUnresolvedIdentifier(
                  context,
                  node,
                  /*useAutoImportProvider*/
                  true
                );
              }
              node.forEachChild(cb);
            });
          }
          importAdder.writeFixes(changes, getQuotePreference(copiedFrom ? copiedFrom.file : targetFile, preferences));
        });
        pasteLocations.forEach((paste, i) => {
          changes.replaceRangeWithText(
            targetFile,
            { pos: paste.pos, end: paste.end },
            actualPastedText ? actualPastedText[0] : pastedText[i]
          );
        });
      }
      var ts_exports2 = {};
      __export2(ts_exports2, {
        ANONYMOUS: () => ANONYMOUS,
        AccessFlags: () => AccessFlags,
        AssertionLevel: () => AssertionLevel,
        AssignmentDeclarationKind: () => AssignmentDeclarationKind,
        AssignmentKind: () => AssignmentKind,
        Associativity: () => Associativity,
        BreakpointResolver: () => ts_BreakpointResolver_exports,
        BuilderFileEmit: () => BuilderFileEmit,
        BuilderProgramKind: () => BuilderProgramKind,
        BuilderState: () => BuilderState,
        CallHierarchy: () => ts_CallHierarchy_exports,
        CharacterCodes: () => CharacterCodes,
        CheckFlags: () => CheckFlags,
        CheckMode: () => CheckMode,
        ClassificationType: () => ClassificationType,
        ClassificationTypeNames: () => ClassificationTypeNames,
        CommentDirectiveType: () => CommentDirectiveType,
        Comparison: () => Comparison,
        CompletionInfoFlags: () => CompletionInfoFlags,
        CompletionTriggerKind: () => CompletionTriggerKind,
        Completions: () => ts_Completions_exports,
        ContainerFlags: () => ContainerFlags,
        ContextFlags: () => ContextFlags,
        Debug: () => Debug,
        DiagnosticCategory: () => DiagnosticCategory,
        Diagnostics: () => Diagnostics,
        DocumentHighlights: () => DocumentHighlights,
        ElementFlags: () => ElementFlags,
        EmitFlags: () => EmitFlags,
        EmitHint: () => EmitHint,
        EmitOnly: () => EmitOnly,
        EndOfLineState: () => EndOfLineState,
        ExitStatus: () => ExitStatus,
        ExportKind: () => ExportKind,
        Extension: () => Extension,
        ExternalEmitHelpers: () => ExternalEmitHelpers,
        FileIncludeKind: () => FileIncludeKind,
        FilePreprocessingDiagnosticsKind: () => FilePreprocessingDiagnosticsKind,
        FileSystemEntryKind: () => FileSystemEntryKind,
        FileWatcherEventKind: () => FileWatcherEventKind,
        FindAllReferences: () => ts_FindAllReferences_exports,
        FlattenLevel: () => FlattenLevel,
        FlowFlags: () => FlowFlags,
        ForegroundColorEscapeSequences: () => ForegroundColorEscapeSequences,
        FunctionFlags: () => FunctionFlags,
        GeneratedIdentifierFlags: () => GeneratedIdentifierFlags,
        GetLiteralTextFlags: () => GetLiteralTextFlags,
        GoToDefinition: () => ts_GoToDefinition_exports,
        HighlightSpanKind: () => HighlightSpanKind,
        IdentifierNameMap: () => IdentifierNameMap,
        IdentifierNameMultiMap: () => IdentifierNameMultiMap,
        ImportKind: () => ImportKind,
        ImportsNotUsedAsValues: () => ImportsNotUsedAsValues,
        IndentStyle: () => IndentStyle,
        IndexFlags: () => IndexFlags,
        IndexKind: () => IndexKind,
        InferenceFlags: () => InferenceFlags,
        InferencePriority: () => InferencePriority,
        InlayHintKind: () => InlayHintKind2,
        InlayHints: () => ts_InlayHints_exports,
        InternalEmitFlags: () => InternalEmitFlags,
        InternalSymbolName: () => InternalSymbolName,
        IntersectionFlags: () => IntersectionFlags,
        InvalidatedProjectKind: () => InvalidatedProjectKind,
        JSDocParsingMode: () => JSDocParsingMode,
        JsDoc: () => ts_JsDoc_exports,
        JsTyping: () => ts_JsTyping_exports,
        JsxEmit: () => JsxEmit,
        JsxFlags: () => JsxFlags,
        JsxReferenceKind: () => JsxReferenceKind,
        LanguageFeatureMinimumTarget: () => LanguageFeatureMinimumTarget,
        LanguageServiceMode: () => LanguageServiceMode,
        LanguageVariant: () => LanguageVariant,
        LexicalEnvironmentFlags: () => LexicalEnvironmentFlags,
        ListFormat: () => ListFormat,
        LogLevel: () => LogLevel2,
        MapCode: () => ts_MapCode_exports,
        MemberOverrideStatus: () => MemberOverrideStatus,
        ModifierFlags: () => ModifierFlags,
        ModuleDetectionKind: () => ModuleDetectionKind,
        ModuleInstanceState: () => ModuleInstanceState,
        ModuleKind: () => ModuleKind,
        ModuleResolutionKind: () => ModuleResolutionKind,
        ModuleSpecifierEnding: () => ModuleSpecifierEnding,
        NavigateTo: () => ts_NavigateTo_exports,
        NavigationBar: () => ts_NavigationBar_exports,
        NewLineKind: () => NewLineKind,
        NodeBuilderFlags: () => NodeBuilderFlags,
        NodeCheckFlags: () => NodeCheckFlags,
        NodeFactoryFlags: () => NodeFactoryFlags,
        NodeFlags: () => NodeFlags,
        NodeResolutionFeatures: () => NodeResolutionFeatures,
        ObjectFlags: () => ObjectFlags,
        OperationCanceledException: () => OperationCanceledException,
        OperatorPrecedence: () => OperatorPrecedence,
        OrganizeImports: () => ts_OrganizeImports_exports,
        OrganizeImportsMode: () => OrganizeImportsMode,
        OuterExpressionKinds: () => OuterExpressionKinds,
        OutliningElementsCollector: () => ts_OutliningElementsCollector_exports,
        OutliningSpanKind: () => OutliningSpanKind,
        OutputFileType: () => OutputFileType,
        PackageJsonAutoImportPreference: () => PackageJsonAutoImportPreference,
        PackageJsonDependencyGroup: () => PackageJsonDependencyGroup,
        PatternMatchKind: () => PatternMatchKind,
        PollingInterval: () => PollingInterval,
        PollingWatchKind: () => PollingWatchKind,
        PragmaKindFlags: () => PragmaKindFlags,
        PrivateIdentifierKind: () => PrivateIdentifierKind,
        ProcessLevel: () => ProcessLevel,
        ProgramUpdateLevel: () => ProgramUpdateLevel,
        QuotePreference: () => QuotePreference,
        RegularExpressionFlags: () => RegularExpressionFlags,
        RelationComparisonResult: () => RelationComparisonResult,
        Rename: () => ts_Rename_exports,
        ScriptElementKind: () => ScriptElementKind,
        ScriptElementKindModifier: () => ScriptElementKindModifier,
        ScriptKind: () => ScriptKind,
        ScriptSnapshot: () => ScriptSnapshot,
        ScriptTarget: () => ScriptTarget,
        SemanticClassificationFormat: () => SemanticClassificationFormat,
        SemanticMeaning: () => SemanticMeaning,
        SemicolonPreference: () => SemicolonPreference,
        SignatureCheckMode: () => SignatureCheckMode,
        SignatureFlags: () => SignatureFlags,
        SignatureHelp: () => ts_SignatureHelp_exports,
        SignatureInfo: () => SignatureInfo,
        SignatureKind: () => SignatureKind,
        SmartSelectionRange: () => ts_SmartSelectionRange_exports,
        SnippetKind: () => SnippetKind,
        StatisticType: () => StatisticType,
        StructureIsReused: () => StructureIsReused,
        SymbolAccessibility: () => SymbolAccessibility,
        SymbolDisplay: () => ts_SymbolDisplay_exports,
        SymbolDisplayPartKind: () => SymbolDisplayPartKind,
        SymbolFlags: () => SymbolFlags,
        SymbolFormatFlags: () => SymbolFormatFlags,
        SyntaxKind: () => SyntaxKind,
        SyntheticSymbolKind: () => SyntheticSymbolKind,
        Ternary: () => Ternary,
        ThrottledCancellationToken: () => ThrottledCancellationToken,
        TokenClass: () => TokenClass,
        TokenFlags: () => TokenFlags,
        TransformFlags: () => TransformFlags,
        TypeFacts: () => TypeFacts,
        TypeFlags: () => TypeFlags,
        TypeFormatFlags: () => TypeFormatFlags,
        TypeMapKind: () => TypeMapKind,
        TypePredicateKind: () => TypePredicateKind,
        TypeReferenceSerializationKind: () => TypeReferenceSerializationKind,
        UnionReduction: () => UnionReduction,
        UpToDateStatusType: () => UpToDateStatusType,
        VarianceFlags: () => VarianceFlags,
        Version: () => Version,
        VersionRange: () => VersionRange,
        WatchDirectoryFlags: () => WatchDirectoryFlags,
        WatchDirectoryKind: () => WatchDirectoryKind,
        WatchFileKind: () => WatchFileKind,
        WatchLogLevel: () => WatchLogLevel,
        WatchType: () => WatchType,
        accessPrivateIdentifier: () => accessPrivateIdentifier,
        addDisposableResourceHelper: () => addDisposableResourceHelper,
        addEmitFlags: () => addEmitFlags,
        addEmitHelper: () => addEmitHelper,
        addEmitHelpers: () => addEmitHelpers,
        addInternalEmitFlags: () => addInternalEmitFlags,
        addNodeFactoryPatcher: () => addNodeFactoryPatcher,
        addObjectAllocatorPatcher: () => addObjectAllocatorPatcher,
        addRange: () => addRange,
        addRelatedInfo: () => addRelatedInfo,
        addSyntheticLeadingComment: () => addSyntheticLeadingComment,
        addSyntheticTrailingComment: () => addSyntheticTrailingComment,
        addToSeen: () => addToSeen,
        advancedAsyncSuperHelper: () => advancedAsyncSuperHelper,
        affectsDeclarationPathOptionDeclarations: () => affectsDeclarationPathOptionDeclarations,
        affectsEmitOptionDeclarations: () => affectsEmitOptionDeclarations,
        allKeysStartWithDot: () => allKeysStartWithDot,
        altDirectorySeparator: () => altDirectorySeparator,
        and: () => and,
        append: () => append,
        appendIfUnique: () => appendIfUnique,
        arrayFrom: () => arrayFrom,
        arrayIsEqualTo: () => arrayIsEqualTo,
        arrayIsHomogeneous: () => arrayIsHomogeneous,
        arrayIsSorted: () => arrayIsSorted,
        arrayOf: () => arrayOf,
        arrayReverseIterator: () => arrayReverseIterator,
        arrayToMap: () => arrayToMap,
        arrayToMultiMap: () => arrayToMultiMap,
        arrayToNumericMap: () => arrayToNumericMap,
        arraysEqual: () => arraysEqual,
        assertType: () => assertType,
        assign: () => assign,
        assignHelper: () => assignHelper,
        asyncDelegator: () => asyncDelegator,
        asyncGeneratorHelper: () => asyncGeneratorHelper,
        asyncSuperHelper: () => asyncSuperHelper,
        asyncValues: () => asyncValues,
        attachFileToDiagnostics: () => attachFileToDiagnostics,
        awaitHelper: () => awaitHelper,
        awaiterHelper: () => awaiterHelper,
        base64decode: () => base64decode,
        base64encode: () => base64encode,
        binarySearch: () => binarySearch,
        binarySearchKey: () => binarySearchKey,
        bindSourceFile: () => bindSourceFile,
        breakIntoCharacterSpans: () => breakIntoCharacterSpans,
        breakIntoWordSpans: () => breakIntoWordSpans,
        buildLinkParts: () => buildLinkParts,
        buildOpts: () => buildOpts,
        buildOverload: () => buildOverload,
        bundlerModuleNameResolver: () => bundlerModuleNameResolver,
        canBeConvertedToAsync: () => canBeConvertedToAsync,
        canHaveDecorators: () => canHaveDecorators,
        canHaveExportModifier: () => canHaveExportModifier,
        canHaveFlowNode: () => canHaveFlowNode,
        canHaveIllegalDecorators: () => canHaveIllegalDecorators,
        canHaveIllegalModifiers: () => canHaveIllegalModifiers,
        canHaveIllegalType: () => canHaveIllegalType,
        canHaveIllegalTypeParameters: () => canHaveIllegalTypeParameters,
        canHaveJSDoc: () => canHaveJSDoc,
        canHaveLocals: () => canHaveLocals,
        canHaveModifiers: () => canHaveModifiers,
        canHaveSymbol: () => canHaveSymbol,
        canIncludeBindAndCheckDiagnsotics: () => canIncludeBindAndCheckDiagnsotics,
        canJsonReportNoInputFiles: () => canJsonReportNoInputFiles,
        canProduceDiagnostics: () => canProduceDiagnostics,
        canUsePropertyAccess: () => canUsePropertyAccess,
        canWatchAffectingLocation: () => canWatchAffectingLocation,
        canWatchAtTypes: () => canWatchAtTypes,
        canWatchDirectoryOrFile: () => canWatchDirectoryOrFile,
        cartesianProduct: () => cartesianProduct,
        cast: () => cast,
        chainBundle: () => chainBundle,
        chainDiagnosticMessages: () => chainDiagnosticMessages,
        changeAnyExtension: () => changeAnyExtension,
        changeCompilerHostLikeToUseCache: () => changeCompilerHostLikeToUseCache,
        changeExtension: () => changeExtension,
        changeFullExtension: () => changeFullExtension,
        changesAffectModuleResolution: () => changesAffectModuleResolution,
        changesAffectingProgramStructure: () => changesAffectingProgramStructure,
        characterToRegularExpressionFlag: () => characterToRegularExpressionFlag,
        childIsDecorated: () => childIsDecorated,
        classElementOrClassElementParameterIsDecorated: () => classElementOrClassElementParameterIsDecorated,
        classHasClassThisAssignment: () => classHasClassThisAssignment,
        classHasDeclaredOrExplicitlyAssignedName: () => classHasDeclaredOrExplicitlyAssignedName,
        classHasExplicitlyAssignedName: () => classHasExplicitlyAssignedName,
        classOrConstructorParameterIsDecorated: () => classOrConstructorParameterIsDecorated,
        classPrivateFieldGetHelper: () => classPrivateFieldGetHelper,
        classPrivateFieldInHelper: () => classPrivateFieldInHelper,
        classPrivateFieldSetHelper: () => classPrivateFieldSetHelper,
        classicNameResolver: () => classicNameResolver,
        classifier: () => ts_classifier_exports,
        cleanExtendedConfigCache: () => cleanExtendedConfigCache,
        clear: () => clear,
        clearMap: () => clearMap,
        clearSharedExtendedConfigFileWatcher: () => clearSharedExtendedConfigFileWatcher,
        climbPastPropertyAccess: () => climbPastPropertyAccess,
        climbPastPropertyOrElementAccess: () => climbPastPropertyOrElementAccess,
        clone: () => clone,
        cloneCompilerOptions: () => cloneCompilerOptions,
        closeFileWatcher: () => closeFileWatcher,
        closeFileWatcherOf: () => closeFileWatcherOf,
        codefix: () => ts_codefix_exports,
        collapseTextChangeRangesAcrossMultipleVersions: () => collapseTextChangeRangesAcrossMultipleVersions,
        collectExternalModuleInfo: () => collectExternalModuleInfo,
        combine: () => combine,
        combinePaths: () => combinePaths,
        commandLineOptionOfCustomType: () => commandLineOptionOfCustomType,
        commentPragmas: () => commentPragmas,
        commonOptionsWithBuild: () => commonOptionsWithBuild,
        commonPackageFolders: () => commonPackageFolders,
        compact: () => compact,
        compareBooleans: () => compareBooleans,
        compareDataObjects: () => compareDataObjects,
        compareDiagnostics: () => compareDiagnostics,
        compareDiagnosticsSkipRelatedInformation: () => compareDiagnosticsSkipRelatedInformation,
        compareEmitHelpers: () => compareEmitHelpers,
        compareNumberOfDirectorySeparators: () => compareNumberOfDirectorySeparators,
        comparePaths: () => comparePaths,
        comparePathsCaseInsensitive: () => comparePathsCaseInsensitive,
        comparePathsCaseSensitive: () => comparePathsCaseSensitive,
        comparePatternKeys: () => comparePatternKeys,
        compareProperties: () => compareProperties,
        compareStringsCaseInsensitive: () => compareStringsCaseInsensitive,
        compareStringsCaseInsensitiveEslintCompatible: () => compareStringsCaseInsensitiveEslintCompatible,
        compareStringsCaseSensitive: () => compareStringsCaseSensitive,
        compareStringsCaseSensitiveUI: () => compareStringsCaseSensitiveUI,
        compareTextSpans: () => compareTextSpans,
        compareValues: () => compareValues,
        compileOnSaveCommandLineOption: () => compileOnSaveCommandLineOption,
        compilerOptionsAffectDeclarationPath: () => compilerOptionsAffectDeclarationPath,
        compilerOptionsAffectEmit: () => compilerOptionsAffectEmit,
        compilerOptionsAffectSemanticDiagnostics: () => compilerOptionsAffectSemanticDiagnostics,
        compilerOptionsDidYouMeanDiagnostics: () => compilerOptionsDidYouMeanDiagnostics,
        compilerOptionsIndicateEsModules: () => compilerOptionsIndicateEsModules,
        compose: () => compose,
        computeCommonSourceDirectoryOfFilenames: () => computeCommonSourceDirectoryOfFilenames,
        computeLineAndCharacterOfPosition: () => computeLineAndCharacterOfPosition,
        computeLineOfPosition: () => computeLineOfPosition,
        computeLineStarts: () => computeLineStarts,
        computePositionOfLineAndCharacter: () => computePositionOfLineAndCharacter,
        computeSignature: () => computeSignature,
        computeSignatureWithDiagnostics: () => computeSignatureWithDiagnostics,
        computeSuggestionDiagnostics: () => computeSuggestionDiagnostics,
        computedOptions: () => computedOptions,
        concatenate: () => concatenate,
        concatenateDiagnosticMessageChains: () => concatenateDiagnosticMessageChains,
        configDirTemplateSubstitutionOptions: () => configDirTemplateSubstitutionOptions,
        configDirTemplateSubstitutionWatchOptions: () => configDirTemplateSubstitutionWatchOptions,
        consumesNodeCoreModules: () => consumesNodeCoreModules,
        contains: () => contains,
        containsIgnoredPath: () => containsIgnoredPath,
        containsObjectRestOrSpread: () => containsObjectRestOrSpread,
        containsParseError: () => containsParseError,
        containsPath: () => containsPath,
        convertCompilerOptionsForTelemetry: () => convertCompilerOptionsForTelemetry,
        convertCompilerOptionsFromJson: () => convertCompilerOptionsFromJson,
        convertJsonOption: () => convertJsonOption,
        convertToBase64: () => convertToBase64,
        convertToJson: () => convertToJson,
        convertToObject: () => convertToObject,
        convertToOptionsWithAbsolutePaths: () => convertToOptionsWithAbsolutePaths,
        convertToRelativePath: () => convertToRelativePath,
        convertToTSConfig: () => convertToTSConfig,
        convertTypeAcquisitionFromJson: () => convertTypeAcquisitionFromJson,
        copyComments: () => copyComments,
        copyEntries: () => copyEntries,
        copyLeadingComments: () => copyLeadingComments,
        copyProperties: () => copyProperties,
        copyTrailingAsLeadingComments: () => copyTrailingAsLeadingComments,
        copyTrailingComments: () => copyTrailingComments,
        couldStartTrivia: () => couldStartTrivia,
        countWhere: () => countWhere,
        createAbstractBuilder: () => createAbstractBuilder,
        createAccessorPropertyBackingField: () => createAccessorPropertyBackingField,
        createAccessorPropertyGetRedirector: () => createAccessorPropertyGetRedirector,
        createAccessorPropertySetRedirector: () => createAccessorPropertySetRedirector,
        createBaseNodeFactory: () => createBaseNodeFactory,
        createBinaryExpressionTrampoline: () => createBinaryExpressionTrampoline,
        createBindingHelper: () => createBindingHelper,
        createBuildInfo: () => createBuildInfo,
        createBuilderProgram: () => createBuilderProgram,
        createBuilderProgramUsingProgramBuildInfo: () => createBuilderProgramUsingProgramBuildInfo,
        createBuilderStatusReporter: () => createBuilderStatusReporter,
        createCacheWithRedirects: () => createCacheWithRedirects,
        createCacheableExportInfoMap: () => createCacheableExportInfoMap,
        createCachedDirectoryStructureHost: () => createCachedDirectoryStructureHost,
        createClassNamedEvaluationHelperBlock: () => createClassNamedEvaluationHelperBlock,
        createClassThisAssignmentBlock: () => createClassThisAssignmentBlock,
        createClassifier: () => createClassifier,
        createCommentDirectivesMap: () => createCommentDirectivesMap,
        createCompilerDiagnostic: () => createCompilerDiagnostic,
        createCompilerDiagnosticForInvalidCustomType: () => createCompilerDiagnosticForInvalidCustomType,
        createCompilerDiagnosticFromMessageChain: () => createCompilerDiagnosticFromMessageChain,
        createCompilerHost: () => createCompilerHost,
        createCompilerHostFromProgramHost: () => createCompilerHostFromProgramHost,
        createCompilerHostWorker: () => createCompilerHostWorker,
        createDetachedDiagnostic: () => createDetachedDiagnostic,
        createDiagnosticCollection: () => createDiagnosticCollection,
        createDiagnosticForFileFromMessageChain: () => createDiagnosticForFileFromMessageChain,
        createDiagnosticForNode: () => createDiagnosticForNode,
        createDiagnosticForNodeArray: () => createDiagnosticForNodeArray,
        createDiagnosticForNodeArrayFromMessageChain: () => createDiagnosticForNodeArrayFromMessageChain,
        createDiagnosticForNodeFromMessageChain: () => createDiagnosticForNodeFromMessageChain,
        createDiagnosticForNodeInSourceFile: () => createDiagnosticForNodeInSourceFile,
        createDiagnosticForRange: () => createDiagnosticForRange,
        createDiagnosticMessageChainFromDiagnostic: () => createDiagnosticMessageChainFromDiagnostic,
        createDiagnosticReporter: () => createDiagnosticReporter,
        createDocumentPositionMapper: () => createDocumentPositionMapper,
        createDocumentRegistry: () => createDocumentRegistry,
        createDocumentRegistryInternal: () => createDocumentRegistryInternal,
        createEmitAndSemanticDiagnosticsBuilderProgram: () => createEmitAndSemanticDiagnosticsBuilderProgram,
        createEmitHelperFactory: () => createEmitHelperFactory,
        createEmptyExports: () => createEmptyExports,
        createEvaluator: () => createEvaluator,
        createExpressionForJsxElement: () => createExpressionForJsxElement,
        createExpressionForJsxFragment: () => createExpressionForJsxFragment,
        createExpressionForObjectLiteralElementLike: () => createExpressionForObjectLiteralElementLike,
        createExpressionForPropertyName: () => createExpressionForPropertyName,
        createExpressionFromEntityName: () => createExpressionFromEntityName,
        createExternalHelpersImportDeclarationIfNeeded: () => createExternalHelpersImportDeclarationIfNeeded,
        createFileDiagnostic: () => createFileDiagnostic,
        createFileDiagnosticFromMessageChain: () => createFileDiagnosticFromMessageChain,
        createFlowNode: () => createFlowNode,
        createForOfBindingStatement: () => createForOfBindingStatement,
        createFutureSourceFile: () => createFutureSourceFile,
        createGetCanonicalFileName: () => createGetCanonicalFileName,
        createGetIsolatedDeclarationErrors: () => createGetIsolatedDeclarationErrors,
        createGetSourceFile: () => createGetSourceFile,
        createGetSymbolAccessibilityDiagnosticForNode: () => createGetSymbolAccessibilityDiagnosticForNode,
        createGetSymbolAccessibilityDiagnosticForNodeName: () => createGetSymbolAccessibilityDiagnosticForNodeName,
        createGetSymbolWalker: () => createGetSymbolWalker,
        createIncrementalCompilerHost: () => createIncrementalCompilerHost,
        createIncrementalProgram: () => createIncrementalProgram,
        createJsxFactoryExpression: () => createJsxFactoryExpression,
        createLanguageService: () => createLanguageService,
        createLanguageServiceSourceFile: () => createLanguageServiceSourceFile,
        createMemberAccessForPropertyName: () => createMemberAccessForPropertyName,
        createModeAwareCache: () => createModeAwareCache,
        createModeAwareCacheKey: () => createModeAwareCacheKey,
        createModuleNotFoundChain: () => createModuleNotFoundChain,
        createModuleResolutionCache: () => createModuleResolutionCache,
        createModuleResolutionLoader: () => createModuleResolutionLoader,
        createModuleResolutionLoaderUsingGlobalCache: () => createModuleResolutionLoaderUsingGlobalCache,
        createModuleSpecifierResolutionHost: () => createModuleSpecifierResolutionHost,
        createMultiMap: () => createMultiMap,
        createNameResolver: () => createNameResolver,
        createNodeConverters: () => createNodeConverters,
        createNodeFactory: () => createNodeFactory,
        createOptionNameMap: () => createOptionNameMap,
        createOverload: () => createOverload,
        createPackageJsonImportFilter: () => createPackageJsonImportFilter,
        createPackageJsonInfo: () => createPackageJsonInfo,
        createParenthesizerRules: () => createParenthesizerRules,
        createPatternMatcher: () => createPatternMatcher,
        createPrinter: () => createPrinter,
        createPrinterWithDefaults: () => createPrinterWithDefaults,
        createPrinterWithRemoveComments: () => createPrinterWithRemoveComments,
        createPrinterWithRemoveCommentsNeverAsciiEscape: () => createPrinterWithRemoveCommentsNeverAsciiEscape,
        createPrinterWithRemoveCommentsOmitTrailingSemicolon: () => createPrinterWithRemoveCommentsOmitTrailingSemicolon,
        createProgram: () => createProgram,
        createProgramHost: () => createProgramHost,
        createPropertyNameNodeForIdentifierOrLiteral: () => createPropertyNameNodeForIdentifierOrLiteral,
        createQueue: () => createQueue,
        createRange: () => createRange,
        createRedirectedBuilderProgram: () => createRedirectedBuilderProgram,
        createResolutionCache: () => createResolutionCache,
        createRuntimeTypeSerializer: () => createRuntimeTypeSerializer,
        createScanner: () => createScanner,
        createSemanticDiagnosticsBuilderProgram: () => createSemanticDiagnosticsBuilderProgram,
        createSet: () => createSet,
        createSolutionBuilder: () => createSolutionBuilder,
        createSolutionBuilderHost: () => createSolutionBuilderHost,
        createSolutionBuilderWithWatch: () => createSolutionBuilderWithWatch,
        createSolutionBuilderWithWatchHost: () => createSolutionBuilderWithWatchHost,
        createSortedArray: () => createSortedArray,
        createSourceFile: () => createSourceFile,
        createSourceMapGenerator: () => createSourceMapGenerator,
        createSourceMapSource: () => createSourceMapSource,
        createSuperAccessVariableStatement: () => createSuperAccessVariableStatement,
        createSymbolTable: () => createSymbolTable,
        createSymlinkCache: () => createSymlinkCache,
        createSyntacticTypeNodeBuilder: () => createSyntacticTypeNodeBuilder,
        createSystemWatchFunctions: () => createSystemWatchFunctions,
        createTextChange: () => createTextChange,
        createTextChangeFromStartLength: () => createTextChangeFromStartLength,
        createTextChangeRange: () => createTextChangeRange,
        createTextRangeFromNode: () => createTextRangeFromNode,
        createTextRangeFromSpan: () => createTextRangeFromSpan,
        createTextSpan: () => createTextSpan,
        createTextSpanFromBounds: () => createTextSpanFromBounds,
        createTextSpanFromNode: () => createTextSpanFromNode,
        createTextSpanFromRange: () => createTextSpanFromRange,
        createTextSpanFromStringLiteralLikeContent: () => createTextSpanFromStringLiteralLikeContent,
        createTextWriter: () => createTextWriter,
        createTokenRange: () => createTokenRange,
        createTypeChecker: () => createTypeChecker,
        createTypeReferenceDirectiveResolutionCache: () => createTypeReferenceDirectiveResolutionCache,
        createTypeReferenceResolutionLoader: () => createTypeReferenceResolutionLoader,
        createWatchCompilerHost: () => createWatchCompilerHost2,
        createWatchCompilerHostOfConfigFile: () => createWatchCompilerHostOfConfigFile,
        createWatchCompilerHostOfFilesAndCompilerOptions: () => createWatchCompilerHostOfFilesAndCompilerOptions,
        createWatchFactory: () => createWatchFactory,
        createWatchHost: () => createWatchHost,
        createWatchProgram: () => createWatchProgram,
        createWatchStatusReporter: () => createWatchStatusReporter,
        createWriteFileMeasuringIO: () => createWriteFileMeasuringIO,
        declarationNameToString: () => declarationNameToString,
        decodeMappings: () => decodeMappings,
        decodedTextSpanIntersectsWith: () => decodedTextSpanIntersectsWith,
        decorateHelper: () => decorateHelper,
        deduplicate: () => deduplicate,
        defaultIncludeSpec: () => defaultIncludeSpec,
        defaultInitCompilerOptions: () => defaultInitCompilerOptions,
        defaultMaximumTruncationLength: () => defaultMaximumTruncationLength,
        diagnosticCategoryName: () => diagnosticCategoryName,
        diagnosticToString: () => diagnosticToString,
        diagnosticsEqualityComparer: () => diagnosticsEqualityComparer,
        directoryProbablyExists: () => directoryProbablyExists,
        directorySeparator: () => directorySeparator,
        displayPart: () => displayPart,
        displayPartsToString: () => displayPartsToString,
        disposeEmitNodes: () => disposeEmitNodes,
        disposeResourcesHelper: () => disposeResourcesHelper,
        documentSpansEqual: () => documentSpansEqual,
        dumpTracingLegend: () => dumpTracingLegend,
        elementAt: () => elementAt,
        elideNodes: () => elideNodes,
        emitComments: () => emitComments,
        emitDetachedComments: () => emitDetachedComments,
        emitFiles: () => emitFiles,
        emitFilesAndReportErrors: () => emitFilesAndReportErrors,
        emitFilesAndReportErrorsAndGetExitStatus: () => emitFilesAndReportErrorsAndGetExitStatus,
        emitModuleKindIsNonNodeESM: () => emitModuleKindIsNonNodeESM,
        emitNewLineBeforeLeadingCommentOfPosition: () => emitNewLineBeforeLeadingCommentOfPosition,
        emitNewLineBeforeLeadingComments: () => emitNewLineBeforeLeadingComments,
        emitNewLineBeforeLeadingCommentsOfPosition: () => emitNewLineBeforeLeadingCommentsOfPosition,
        emitResolverSkipsTypeChecking: () => emitResolverSkipsTypeChecking,
        emitSkippedWithNoDiagnostics: () => emitSkippedWithNoDiagnostics,
        emptyArray: () => emptyArray,
        emptyFileSystemEntries: () => emptyFileSystemEntries,
        emptyMap: () => emptyMap,
        emptyOptions: () => emptyOptions,
        emptySet: () => emptySet,
        endsWith: () => endsWith,
        ensurePathIsNonModuleName: () => ensurePathIsNonModuleName,
        ensureScriptKind: () => ensureScriptKind,
        ensureTrailingDirectorySeparator: () => ensureTrailingDirectorySeparator,
        entityNameToString: () => entityNameToString,
        enumerateInsertsAndDeletes: () => enumerateInsertsAndDeletes,
        equalOwnProperties: () => equalOwnProperties,
        equateStringsCaseInsensitive: () => equateStringsCaseInsensitive,
        equateStringsCaseSensitive: () => equateStringsCaseSensitive,
        equateValues: () => equateValues,
        esDecorateHelper: () => esDecorateHelper,
        escapeJsxAttributeString: () => escapeJsxAttributeString,
        escapeLeadingUnderscores: () => escapeLeadingUnderscores,
        escapeNonAsciiString: () => escapeNonAsciiString,
        escapeSnippetText: () => escapeSnippetText,
        escapeString: () => escapeString2,
        escapeTemplateSubstitution: () => escapeTemplateSubstitution,
        evaluatorResult: () => evaluatorResult,
        every: () => every,
        executeCommandLine: () => executeCommandLine,
        expandPreOrPostfixIncrementOrDecrementExpression: () => expandPreOrPostfixIncrementOrDecrementExpression,
        explainFiles: () => explainFiles,
        explainIfFileIsRedirectAndImpliedFormat: () => explainIfFileIsRedirectAndImpliedFormat,
        exportAssignmentIsAlias: () => exportAssignmentIsAlias,
        exportStarHelper: () => exportStarHelper,
        expressionResultIsUnused: () => expressionResultIsUnused,
        extend: () => extend,
        extendsHelper: () => extendsHelper,
        extensionFromPath: () => extensionFromPath,
        extensionIsTS: () => extensionIsTS,
        extensionsNotSupportingExtensionlessResolution: () => extensionsNotSupportingExtensionlessResolution,
        externalHelpersModuleNameText: () => externalHelpersModuleNameText,
        factory: () => factory,
        fileExtensionIs: () => fileExtensionIs,
        fileExtensionIsOneOf: () => fileExtensionIsOneOf,
        fileIncludeReasonToDiagnostics: () => fileIncludeReasonToDiagnostics,
        fileShouldUseJavaScriptRequire: () => fileShouldUseJavaScriptRequire,
        filter: () => filter,
        filterMutate: () => filterMutate,
        filterSemanticDiagnostics: () => filterSemanticDiagnostics,
        find: () => find,
        findAncestor: () => findAncestor,
        findBestPatternMatch: () => findBestPatternMatch,
        findChildOfKind: () => findChildOfKind,
        findComputedPropertyNameCacheAssignment: () => findComputedPropertyNameCacheAssignment,
        findConfigFile: () => findConfigFile,
        findConstructorDeclaration: () => findConstructorDeclaration,
        findContainingList: () => findContainingList,
        findDiagnosticForNode: () => findDiagnosticForNode,
        findFirstNonJsxWhitespaceToken: () => findFirstNonJsxWhitespaceToken,
        findIndex: () => findIndex,
        findLast: () => findLast,
        findLastIndex: () => findLastIndex,
        findListItemInfo: () => findListItemInfo,
        findMap: () => findMap,
        findModifier: () => findModifier,
        findNextToken: () => findNextToken,
        findPackageJson: () => findPackageJson,
        findPackageJsons: () => findPackageJsons,
        findPrecedingMatchingToken: () => findPrecedingMatchingToken,
        findPrecedingToken: () => findPrecedingToken,
        findSuperStatementIndexPath: () => findSuperStatementIndexPath,
        findTokenOnLeftOfPosition: () => findTokenOnLeftOfPosition,
        findUseStrictPrologue: () => findUseStrictPrologue,
        first: () => first,
        firstDefined: () => firstDefined,
        firstDefinedIterator: () => firstDefinedIterator,
        firstIterator: () => firstIterator,
        firstOrOnly: () => firstOrOnly,
        firstOrUndefined: () => firstOrUndefined,
        firstOrUndefinedIterator: () => firstOrUndefinedIterator,
        fixupCompilerOptions: () => fixupCompilerOptions,
        flatMap: () => flatMap,
        flatMapIterator: () => flatMapIterator,
        flatMapToMutable: () => flatMapToMutable,
        flatten: () => flatten,
        flattenCommaList: () => flattenCommaList,
        flattenDestructuringAssignment: () => flattenDestructuringAssignment,
        flattenDestructuringBinding: () => flattenDestructuringBinding,
        flattenDiagnosticMessageText: () => flattenDiagnosticMessageText,
        forEach: () => forEach,
        forEachAncestor: () => forEachAncestor,
        forEachAncestorDirectory: () => forEachAncestorDirectory,
        forEachChild: () => forEachChild,
        forEachChildRecursively: () => forEachChildRecursively,
        forEachEmittedFile: () => forEachEmittedFile,
        forEachEnclosingBlockScopeContainer: () => forEachEnclosingBlockScopeContainer,
        forEachEntry: () => forEachEntry,
        forEachExternalModuleToImportFrom: () => forEachExternalModuleToImportFrom,
        forEachImportClauseDeclaration: () => forEachImportClauseDeclaration,
        forEachKey: () => forEachKey,
        forEachLeadingCommentRange: () => forEachLeadingCommentRange,
        forEachNameInAccessChainWalkingLeft: () => forEachNameInAccessChainWalkingLeft,
        forEachNameOfDefaultExport: () => forEachNameOfDefaultExport,
        forEachPropertyAssignment: () => forEachPropertyAssignment,
        forEachResolvedProjectReference: () => forEachResolvedProjectReference,
        forEachReturnStatement: () => forEachReturnStatement,
        forEachRight: () => forEachRight,
        forEachTrailingCommentRange: () => forEachTrailingCommentRange,
        forEachTsConfigPropArray: () => forEachTsConfigPropArray,
        forEachUnique: () => forEachUnique,
        forEachYieldExpression: () => forEachYieldExpression,
        forSomeAncestorDirectory: () => forSomeAncestorDirectory,
        formatColorAndReset: () => formatColorAndReset,
        formatDiagnostic: () => formatDiagnostic,
        formatDiagnostics: () => formatDiagnostics,
        formatDiagnosticsWithColorAndContext: () => formatDiagnosticsWithColorAndContext,
        formatGeneratedName: () => formatGeneratedName,
        formatGeneratedNamePart: () => formatGeneratedNamePart,
        formatLocation: () => formatLocation,
        formatMessage: () => formatMessage,
        formatStringFromArgs: () => formatStringFromArgs,
        formatting: () => ts_formatting_exports,
        fullTripleSlashAMDReferencePathRegEx: () => fullTripleSlashAMDReferencePathRegEx,
        fullTripleSlashReferencePathRegEx: () => fullTripleSlashReferencePathRegEx,
        generateDjb2Hash: () => generateDjb2Hash,
        generateTSConfig: () => generateTSConfig,
        generatorHelper: () => generatorHelper,
        getAdjustedReferenceLocation: () => getAdjustedReferenceLocation,
        getAdjustedRenameLocation: () => getAdjustedRenameLocation,
        getAliasDeclarationFromName: () => getAliasDeclarationFromName,
        getAllAccessorDeclarations: () => getAllAccessorDeclarations,
        getAllDecoratorsOfClass: () => getAllDecoratorsOfClass,
        getAllDecoratorsOfClassElement: () => getAllDecoratorsOfClassElement,
        getAllJSDocTags: () => getAllJSDocTags,
        getAllJSDocTagsOfKind: () => getAllJSDocTagsOfKind,
        getAllKeys: () => getAllKeys,
        getAllProjectOutputs: () => getAllProjectOutputs,
        getAllSuperTypeNodes: () => getAllSuperTypeNodes,
        getAllowJSCompilerOption: () => getAllowJSCompilerOption,
        getAllowSyntheticDefaultImports: () => getAllowSyntheticDefaultImports,
        getAncestor: () => getAncestor2,
        getAnyExtensionFromPath: () => getAnyExtensionFromPath,
        getAreDeclarationMapsEnabled: () => getAreDeclarationMapsEnabled,
        getAssignedExpandoInitializer: () => getAssignedExpandoInitializer,
        getAssignedName: () => getAssignedName,
        getAssignedNameOfIdentifier: () => getAssignedNameOfIdentifier,
        getAssignmentDeclarationKind: () => getAssignmentDeclarationKind,
        getAssignmentDeclarationPropertyAccessKind: () => getAssignmentDeclarationPropertyAccessKind,
        getAssignmentTargetKind: () => getAssignmentTargetKind,
        getAutomaticTypeDirectiveNames: () => getAutomaticTypeDirectiveNames,
        getBaseFileName: () => getBaseFileName,
        getBinaryOperatorPrecedence: () => getBinaryOperatorPrecedence,
        getBuildInfo: () => getBuildInfo,
        getBuildInfoFileVersionMap: () => getBuildInfoFileVersionMap,
        getBuildInfoText: () => getBuildInfoText,
        getBuildOrderFromAnyBuildOrder: () => getBuildOrderFromAnyBuildOrder,
        getBuilderCreationParameters: () => getBuilderCreationParameters,
        getBuilderFileEmit: () => getBuilderFileEmit,
        getCanonicalDiagnostic: () => getCanonicalDiagnostic,
        getCheckFlags: () => getCheckFlags,
        getClassExtendsHeritageElement: () => getClassExtendsHeritageElement,
        getClassLikeDeclarationOfSymbol: () => getClassLikeDeclarationOfSymbol,
        getCombinedLocalAndExportSymbolFlags: () => getCombinedLocalAndExportSymbolFlags,
        getCombinedModifierFlags: () => getCombinedModifierFlags,
        getCombinedNodeFlags: () => getCombinedNodeFlags,
        getCombinedNodeFlagsAlwaysIncludeJSDoc: () => getCombinedNodeFlagsAlwaysIncludeJSDoc,
        getCommentRange: () => getCommentRange,
        getCommonSourceDirectory: () => getCommonSourceDirectory,
        getCommonSourceDirectoryOfConfig: () => getCommonSourceDirectoryOfConfig,
        getCompilerOptionValue: () => getCompilerOptionValue,
        getCompilerOptionsDiffValue: () => getCompilerOptionsDiffValue,
        getConditions: () => getConditions,
        getConfigFileParsingDiagnostics: () => getConfigFileParsingDiagnostics,
        getConstantValue: () => getConstantValue,
        getContainerFlags: () => getContainerFlags,
        getContainerNode: () => getContainerNode,
        getContainingClass: () => getContainingClass,
        getContainingClassExcludingClassDecorators: () => getContainingClassExcludingClassDecorators,
        getContainingClassStaticBlock: () => getContainingClassStaticBlock,
        getContainingFunction: () => getContainingFunction,
        getContainingFunctionDeclaration: () => getContainingFunctionDeclaration,
        getContainingFunctionOrClassStaticBlock: () => getContainingFunctionOrClassStaticBlock,
        getContainingNodeArray: () => getContainingNodeArray,
        getContainingObjectLiteralElement: () => getContainingObjectLiteralElement,
        getContextualTypeFromParent: () => getContextualTypeFromParent,
        getContextualTypeFromParentOrAncestorTypeNode: () => getContextualTypeFromParentOrAncestorTypeNode,
        getCurrentTime: () => getCurrentTime,
        getDeclarationDiagnostics: () => getDeclarationDiagnostics,
        getDeclarationEmitExtensionForPath: () => getDeclarationEmitExtensionForPath,
        getDeclarationEmitOutputFilePath: () => getDeclarationEmitOutputFilePath,
        getDeclarationEmitOutputFilePathWorker: () => getDeclarationEmitOutputFilePathWorker,
        getDeclarationFileExtension: () => getDeclarationFileExtension,
        getDeclarationFromName: () => getDeclarationFromName,
        getDeclarationModifierFlagsFromSymbol: () => getDeclarationModifierFlagsFromSymbol,
        getDeclarationOfKind: () => getDeclarationOfKind,
        getDeclarationsOfKind: () => getDeclarationsOfKind,
        getDeclaredExpandoInitializer: () => getDeclaredExpandoInitializer,
        getDecorators: () => getDecorators,
        getDefaultCompilerOptions: () => getDefaultCompilerOptions2,
        getDefaultFormatCodeSettings: () => getDefaultFormatCodeSettings,
        getDefaultLibFileName: () => getDefaultLibFileName,
        getDefaultLibFilePath: () => getDefaultLibFilePath,
        getDefaultLikeExportInfo: () => getDefaultLikeExportInfo,
        getDefaultLikeExportNameFromDeclaration: () => getDefaultLikeExportNameFromDeclaration,
        getDiagnosticText: () => getDiagnosticText,
        getDiagnosticsWithinSpan: () => getDiagnosticsWithinSpan,
        getDirectoryPath: () => getDirectoryPath,
        getDirectoryToWatchFailedLookupLocation: () => getDirectoryToWatchFailedLookupLocation,
        getDirectoryToWatchFailedLookupLocationFromTypeRoot: () => getDirectoryToWatchFailedLookupLocationFromTypeRoot,
        getDocumentPositionMapper: () => getDocumentPositionMapper,
        getDocumentSpansEqualityComparer: () => getDocumentSpansEqualityComparer,
        getESModuleInterop: () => getESModuleInterop,
        getEditsForFileRename: () => getEditsForFileRename,
        getEffectiveBaseTypeNode: () => getEffectiveBaseTypeNode,
        getEffectiveConstraintOfTypeParameter: () => getEffectiveConstraintOfTypeParameter,
        getEffectiveContainerForJSDocTemplateTag: () => getEffectiveContainerForJSDocTemplateTag,
        getEffectiveImplementsTypeNodes: () => getEffectiveImplementsTypeNodes,
        getEffectiveInitializer: () => getEffectiveInitializer,
        getEffectiveJSDocHost: () => getEffectiveJSDocHost,
        getEffectiveModifierFlags: () => getEffectiveModifierFlags,
        getEffectiveModifierFlagsAlwaysIncludeJSDoc: () => getEffectiveModifierFlagsAlwaysIncludeJSDoc,
        getEffectiveModifierFlagsNoCache: () => getEffectiveModifierFlagsNoCache,
        getEffectiveReturnTypeNode: () => getEffectiveReturnTypeNode,
        getEffectiveSetAccessorTypeAnnotationNode: () => getEffectiveSetAccessorTypeAnnotationNode,
        getEffectiveTypeAnnotationNode: () => getEffectiveTypeAnnotationNode,
        getEffectiveTypeParameterDeclarations: () => getEffectiveTypeParameterDeclarations,
        getEffectiveTypeRoots: () => getEffectiveTypeRoots,
        getElementOrPropertyAccessArgumentExpressionOrName: () => getElementOrPropertyAccessArgumentExpressionOrName,
        getElementOrPropertyAccessName: () => getElementOrPropertyAccessName,
        getElementsOfBindingOrAssignmentPattern: () => getElementsOfBindingOrAssignmentPattern,
        getEmitDeclarations: () => getEmitDeclarations,
        getEmitFlags: () => getEmitFlags,
        getEmitHelpers: () => getEmitHelpers,
        getEmitModuleDetectionKind: () => getEmitModuleDetectionKind,
        getEmitModuleKind: () => getEmitModuleKind,
        getEmitModuleResolutionKind: () => getEmitModuleResolutionKind,
        getEmitScriptTarget: () => getEmitScriptTarget,
        getEmitStandardClassFields: () => getEmitStandardClassFields,
        getEnclosingBlockScopeContainer: () => getEnclosingBlockScopeContainer,
        getEnclosingContainer: () => getEnclosingContainer,
        getEncodedSemanticClassifications: () => getEncodedSemanticClassifications,
        getEncodedSyntacticClassifications: () => getEncodedSyntacticClassifications,
        getEndLinePosition: () => getEndLinePosition,
        getEntityNameFromTypeNode: () => getEntityNameFromTypeNode,
        getEntrypointsFromPackageJsonInfo: () => getEntrypointsFromPackageJsonInfo,
        getErrorCountForSummary: () => getErrorCountForSummary,
        getErrorSpanForNode: () => getErrorSpanForNode,
        getErrorSummaryText: () => getErrorSummaryText,
        getEscapedTextOfIdentifierOrLiteral: () => getEscapedTextOfIdentifierOrLiteral,
        getEscapedTextOfJsxAttributeName: () => getEscapedTextOfJsxAttributeName,
        getEscapedTextOfJsxNamespacedName: () => getEscapedTextOfJsxNamespacedName,
        getExpandoInitializer: () => getExpandoInitializer,
        getExportAssignmentExpression: () => getExportAssignmentExpression,
        getExportInfoMap: () => getExportInfoMap,
        getExportNeedsImportStarHelper: () => getExportNeedsImportStarHelper,
        getExpressionAssociativity: () => getExpressionAssociativity,
        getExpressionPrecedence: () => getExpressionPrecedence,
        getExternalHelpersModuleName: () => getExternalHelpersModuleName,
        getExternalModuleImportEqualsDeclarationExpression: () => getExternalModuleImportEqualsDeclarationExpression,
        getExternalModuleName: () => getExternalModuleName,
        getExternalModuleNameFromDeclaration: () => getExternalModuleNameFromDeclaration,
        getExternalModuleNameFromPath: () => getExternalModuleNameFromPath,
        getExternalModuleNameLiteral: () => getExternalModuleNameLiteral,
        getExternalModuleRequireArgument: () => getExternalModuleRequireArgument,
        getFallbackOptions: () => getFallbackOptions,
        getFileEmitOutput: () => getFileEmitOutput,
        getFileMatcherPatterns: () => getFileMatcherPatterns,
        getFileNamesFromConfigSpecs: () => getFileNamesFromConfigSpecs,
        getFileWatcherEventKind: () => getFileWatcherEventKind,
        getFilesInErrorForSummary: () => getFilesInErrorForSummary,
        getFirstConstructorWithBody: () => getFirstConstructorWithBody,
        getFirstIdentifier: () => getFirstIdentifier,
        getFirstNonSpaceCharacterPosition: () => getFirstNonSpaceCharacterPosition,
        getFirstProjectOutput: () => getFirstProjectOutput,
        getFixableErrorSpanExpression: () => getFixableErrorSpanExpression,
        getFormatCodeSettingsForWriting: () => getFormatCodeSettingsForWriting,
        getFullWidth: () => getFullWidth,
        getFunctionFlags: () => getFunctionFlags,
        getHeritageClause: () => getHeritageClause,
        getHostSignatureFromJSDoc: () => getHostSignatureFromJSDoc,
        getIdentifierAutoGenerate: () => getIdentifierAutoGenerate,
        getIdentifierGeneratedImportReference: () => getIdentifierGeneratedImportReference,
        getIdentifierTypeArguments: () => getIdentifierTypeArguments,
        getImmediatelyInvokedFunctionExpression: () => getImmediatelyInvokedFunctionExpression,
        getImpliedNodeFormatForFile: () => getImpliedNodeFormatForFile,
        getImpliedNodeFormatForFileWorker: () => getImpliedNodeFormatForFileWorker,
        getImportNeedsImportDefaultHelper: () => getImportNeedsImportDefaultHelper,
        getImportNeedsImportStarHelper: () => getImportNeedsImportStarHelper,
        getIndentSize: () => getIndentSize,
        getIndentString: () => getIndentString2,
        getInferredLibraryNameResolveFrom: () => getInferredLibraryNameResolveFrom,
        getInitializedVariables: () => getInitializedVariables,
        getInitializerOfBinaryExpression: () => getInitializerOfBinaryExpression,
        getInitializerOfBindingOrAssignmentElement: () => getInitializerOfBindingOrAssignmentElement,
        getInterfaceBaseTypeNodes: () => getInterfaceBaseTypeNodes,
        getInternalEmitFlags: () => getInternalEmitFlags,
        getInvokedExpression: () => getInvokedExpression,
        getIsolatedModules: () => getIsolatedModules,
        getJSDocAugmentsTag: () => getJSDocAugmentsTag,
        getJSDocClassTag: () => getJSDocClassTag,
        getJSDocCommentRanges: () => getJSDocCommentRanges,
        getJSDocCommentsAndTags: () => getJSDocCommentsAndTags,
        getJSDocDeprecatedTag: () => getJSDocDeprecatedTag,
        getJSDocDeprecatedTagNoCache: () => getJSDocDeprecatedTagNoCache,
        getJSDocEnumTag: () => getJSDocEnumTag,
        getJSDocHost: () => getJSDocHost,
        getJSDocImplementsTags: () => getJSDocImplementsTags,
        getJSDocOverloadTags: () => getJSDocOverloadTags,
        getJSDocOverrideTagNoCache: () => getJSDocOverrideTagNoCache,
        getJSDocParameterTags: () => getJSDocParameterTags,
        getJSDocParameterTagsNoCache: () => getJSDocParameterTagsNoCache,
        getJSDocPrivateTag: () => getJSDocPrivateTag,
        getJSDocPrivateTagNoCache: () => getJSDocPrivateTagNoCache,
        getJSDocProtectedTag: () => getJSDocProtectedTag,
        getJSDocProtectedTagNoCache: () => getJSDocProtectedTagNoCache,
        getJSDocPublicTag: () => getJSDocPublicTag,
        getJSDocPublicTagNoCache: () => getJSDocPublicTagNoCache,
        getJSDocReadonlyTag: () => getJSDocReadonlyTag,
        getJSDocReadonlyTagNoCache: () => getJSDocReadonlyTagNoCache,
        getJSDocReturnTag: () => getJSDocReturnTag,
        getJSDocReturnType: () => getJSDocReturnType,
        getJSDocRoot: () => getJSDocRoot,
        getJSDocSatisfiesExpressionType: () => getJSDocSatisfiesExpressionType,
        getJSDocSatisfiesTag: () => getJSDocSatisfiesTag,
        getJSDocTags: () => getJSDocTags,
        getJSDocTagsNoCache: () => getJSDocTagsNoCache,
        getJSDocTemplateTag: () => getJSDocTemplateTag,
        getJSDocThisTag: () => getJSDocThisTag,
        getJSDocType: () => getJSDocType,
        getJSDocTypeAliasName: () => getJSDocTypeAliasName,
        getJSDocTypeAssertionType: () => getJSDocTypeAssertionType,
        getJSDocTypeParameterDeclarations: () => getJSDocTypeParameterDeclarations,
        getJSDocTypeParameterTags: () => getJSDocTypeParameterTags,
        getJSDocTypeParameterTagsNoCache: () => getJSDocTypeParameterTagsNoCache,
        getJSDocTypeTag: () => getJSDocTypeTag,
        getJSXImplicitImportBase: () => getJSXImplicitImportBase,
        getJSXRuntimeImport: () => getJSXRuntimeImport,
        getJSXTransformEnabled: () => getJSXTransformEnabled,
        getKeyForCompilerOptions: () => getKeyForCompilerOptions,
        getLanguageVariant: () => getLanguageVariant,
        getLastChild: () => getLastChild,
        getLeadingCommentRanges: () => getLeadingCommentRanges,
        getLeadingCommentRangesOfNode: () => getLeadingCommentRangesOfNode,
        getLeftmostAccessExpression: () => getLeftmostAccessExpression,
        getLeftmostExpression: () => getLeftmostExpression,
        getLibraryNameFromLibFileName: () => getLibraryNameFromLibFileName,
        getLineAndCharacterOfPosition: () => getLineAndCharacterOfPosition,
        getLineInfo: () => getLineInfo,
        getLineOfLocalPosition: () => getLineOfLocalPosition,
        getLineOfLocalPositionFromLineMap: () => getLineOfLocalPositionFromLineMap,
        getLineStartPositionForPosition: () => getLineStartPositionForPosition,
        getLineStarts: () => getLineStarts,
        getLinesBetweenPositionAndNextNonWhitespaceCharacter: () => getLinesBetweenPositionAndNextNonWhitespaceCharacter,
        getLinesBetweenPositionAndPrecedingNonWhitespaceCharacter: () => getLinesBetweenPositionAndPrecedingNonWhitespaceCharacter,
        getLinesBetweenPositions: () => getLinesBetweenPositions,
        getLinesBetweenRangeEndAndRangeStart: () => getLinesBetweenRangeEndAndRangeStart,
        getLinesBetweenRangeEndPositions: () => getLinesBetweenRangeEndPositions,
        getLiteralText: () => getLiteralText,
        getLocalNameForExternalImport: () => getLocalNameForExternalImport,
        getLocalSymbolForExportDefault: () => getLocalSymbolForExportDefault,
        getLocaleSpecificMessage: () => getLocaleSpecificMessage,
        getLocaleTimeString: () => getLocaleTimeString,
        getMappedContextSpan: () => getMappedContextSpan,
        getMappedDocumentSpan: () => getMappedDocumentSpan,
        getMappedLocation: () => getMappedLocation,
        getMatchedFileSpec: () => getMatchedFileSpec,
        getMatchedIncludeSpec: () => getMatchedIncludeSpec,
        getMeaningFromDeclaration: () => getMeaningFromDeclaration,
        getMeaningFromLocation: () => getMeaningFromLocation,
        getMembersOfDeclaration: () => getMembersOfDeclaration,
        getModeForFileReference: () => getModeForFileReference,
        getModeForResolutionAtIndex: () => getModeForResolutionAtIndex,
        getModeForUsageLocation: () => getModeForUsageLocation,
        getModifiedTime: () => getModifiedTime,
        getModifiers: () => getModifiers,
        getModuleInstanceState: () => getModuleInstanceState,
        getModuleNameStringLiteralAt: () => getModuleNameStringLiteralAt,
        getModuleSpecifierEndingPreference: () => getModuleSpecifierEndingPreference,
        getModuleSpecifierResolverHost: () => getModuleSpecifierResolverHost,
        getNameForExportedSymbol: () => getNameForExportedSymbol,
        getNameFromImportAttribute: () => getNameFromImportAttribute,
        getNameFromIndexInfo: () => getNameFromIndexInfo,
        getNameFromPropertyName: () => getNameFromPropertyName,
        getNameOfAccessExpression: () => getNameOfAccessExpression,
        getNameOfCompilerOptionValue: () => getNameOfCompilerOptionValue,
        getNameOfDeclaration: () => getNameOfDeclaration,
        getNameOfExpando: () => getNameOfExpando,
        getNameOfJSDocTypedef: () => getNameOfJSDocTypedef,
        getNameOfScriptTarget: () => getNameOfScriptTarget,
        getNameOrArgument: () => getNameOrArgument,
        getNameTable: () => getNameTable,
        getNamesForExportedSymbol: () => getNamesForExportedSymbol,
        getNamespaceDeclarationNode: () => getNamespaceDeclarationNode,
        getNewLineCharacter: () => getNewLineCharacter,
        getNewLineKind: () => getNewLineKind,
        getNewLineOrDefaultFromHost: () => getNewLineOrDefaultFromHost,
        getNewTargetContainer: () => getNewTargetContainer,
        getNextJSDocCommentLocation: () => getNextJSDocCommentLocation,
        getNodeChildren: () => getNodeChildren,
        getNodeForGeneratedName: () => getNodeForGeneratedName,
        getNodeId: () => getNodeId,
        getNodeKind: () => getNodeKind,
        getNodeModifiers: () => getNodeModifiers,
        getNodeModulePathParts: () => getNodeModulePathParts,
        getNonAssignedNameOfDeclaration: () => getNonAssignedNameOfDeclaration,
        getNonAssignmentOperatorForCompoundAssignment: () => getNonAssignmentOperatorForCompoundAssignment,
        getNonAugmentationDeclaration: () => getNonAugmentationDeclaration,
        getNonDecoratorTokenPosOfNode: () => getNonDecoratorTokenPosOfNode,
        getNormalizedAbsolutePath: () => getNormalizedAbsolutePath,
        getNormalizedAbsolutePathWithoutRoot: () => getNormalizedAbsolutePathWithoutRoot,
        getNormalizedPathComponents: () => getNormalizedPathComponents,
        getObjectFlags: () => getObjectFlags,
        getOperator: () => getOperator,
        getOperatorAssociativity: () => getOperatorAssociativity,
        getOperatorPrecedence: () => getOperatorPrecedence,
        getOptionFromName: () => getOptionFromName,
        getOptionsForLibraryResolution: () => getOptionsForLibraryResolution,
        getOptionsNameMap: () => getOptionsNameMap,
        getOrCreateEmitNode: () => getOrCreateEmitNode,
        getOrCreateExternalHelpersModuleNameIfNeeded: () => getOrCreateExternalHelpersModuleNameIfNeeded,
        getOrUpdate: () => getOrUpdate,
        getOriginalNode: () => getOriginalNode,
        getOriginalNodeId: () => getOriginalNodeId,
        getOriginalSourceFile: () => getOriginalSourceFile,
        getOutputDeclarationFileName: () => getOutputDeclarationFileName,
        getOutputDeclarationFileNameWorker: () => getOutputDeclarationFileNameWorker,
        getOutputExtension: () => getOutputExtension,
        getOutputFileNames: () => getOutputFileNames,
        getOutputJSFileNameWorker: () => getOutputJSFileNameWorker,
        getOutputPathsFor: () => getOutputPathsFor,
        getOutputPathsForBundle: () => getOutputPathsForBundle,
        getOwnEmitOutputFilePath: () => getOwnEmitOutputFilePath,
        getOwnKeys: () => getOwnKeys,
        getOwnValues: () => getOwnValues,
        getPackageJsonInfo: () => getPackageJsonInfo,
        getPackageJsonTypesVersionsPaths: () => getPackageJsonTypesVersionsPaths,
        getPackageJsonsVisibleToFile: () => getPackageJsonsVisibleToFile,
        getPackageNameFromTypesPackageName: () => getPackageNameFromTypesPackageName,
        getPackageScopeForPath: () => getPackageScopeForPath,
        getParameterSymbolFromJSDoc: () => getParameterSymbolFromJSDoc,
        getParameterTypeNode: () => getParameterTypeNode,
        getParentNodeInSpan: () => getParentNodeInSpan,
        getParseTreeNode: () => getParseTreeNode,
        getParsedCommandLineOfConfigFile: () => getParsedCommandLineOfConfigFile,
        getPathComponents: () => getPathComponents,
        getPathComponentsRelativeTo: () => getPathComponentsRelativeTo,
        getPathFromPathComponents: () => getPathFromPathComponents,
        getPathUpdater: () => getPathUpdater,
        getPathsBasePath: () => getPathsBasePath,
        getPatternFromSpec: () => getPatternFromSpec,
        getPendingEmitKind: () => getPendingEmitKind,
        getPositionOfLineAndCharacter: () => getPositionOfLineAndCharacter,
        getPossibleGenericSignatures: () => getPossibleGenericSignatures,
        getPossibleOriginalInputExtensionForExtension: () => getPossibleOriginalInputExtensionForExtension,
        getPossibleTypeArgumentsInfo: () => getPossibleTypeArgumentsInfo,
        getPreEmitDiagnostics: () => getPreEmitDiagnostics,
        getPrecedingNonSpaceCharacterPosition: () => getPrecedingNonSpaceCharacterPosition,
        getPrivateIdentifier: () => getPrivateIdentifier,
        getProperties: () => getProperties,
        getProperty: () => getProperty,
        getPropertyArrayElementValue: () => getPropertyArrayElementValue,
        getPropertyAssignmentAliasLikeExpression: () => getPropertyAssignmentAliasLikeExpression,
        getPropertyNameForPropertyNameNode: () => getPropertyNameForPropertyNameNode,
        getPropertyNameForUniqueESSymbol: () => getPropertyNameForUniqueESSymbol,
        getPropertyNameFromType: () => getPropertyNameFromType,
        getPropertyNameOfBindingOrAssignmentElement: () => getPropertyNameOfBindingOrAssignmentElement,
        getPropertySymbolFromBindingElement: () => getPropertySymbolFromBindingElement,
        getPropertySymbolsFromContextualType: () => getPropertySymbolsFromContextualType,
        getQuoteFromPreference: () => getQuoteFromPreference,
        getQuotePreference: () => getQuotePreference,
        getRangesWhere: () => getRangesWhere,
        getRefactorContextSpan: () => getRefactorContextSpan,
        getReferencedFileLocation: () => getReferencedFileLocation,
        getRegexFromPattern: () => getRegexFromPattern,
        getRegularExpressionForWildcard: () => getRegularExpressionForWildcard,
        getRegularExpressionsForWildcards: () => getRegularExpressionsForWildcards,
        getRelativePathFromDirectory: () => getRelativePathFromDirectory,
        getRelativePathFromFile: () => getRelativePathFromFile,
        getRelativePathToDirectoryOrUrl: () => getRelativePathToDirectoryOrUrl,
        getRenameLocation: () => getRenameLocation,
        getReplacementSpanForContextToken: () => getReplacementSpanForContextToken,
        getResolutionDiagnostic: () => getResolutionDiagnostic,
        getResolutionModeOverride: () => getResolutionModeOverride,
        getResolveJsonModule: () => getResolveJsonModule,
        getResolvePackageJsonExports: () => getResolvePackageJsonExports,
        getResolvePackageJsonImports: () => getResolvePackageJsonImports,
        getResolvedExternalModuleName: () => getResolvedExternalModuleName,
        getRestIndicatorOfBindingOrAssignmentElement: () => getRestIndicatorOfBindingOrAssignmentElement,
        getRestParameterElementType: () => getRestParameterElementType,
        getRightMostAssignedExpression: () => getRightMostAssignedExpression,
        getRootDeclaration: () => getRootDeclaration,
        getRootDirectoryOfResolutionCache: () => getRootDirectoryOfResolutionCache,
        getRootLength: () => getRootLength,
        getRootPathSplitLength: () => getRootPathSplitLength,
        getScriptKind: () => getScriptKind,
        getScriptKindFromFileName: () => getScriptKindFromFileName,
        getScriptTargetFeatures: () => getScriptTargetFeatures,
        getSelectedEffectiveModifierFlags: () => getSelectedEffectiveModifierFlags,
        getSelectedSyntacticModifierFlags: () => getSelectedSyntacticModifierFlags,
        getSemanticClassifications: () => getSemanticClassifications,
        getSemanticJsxChildren: () => getSemanticJsxChildren,
        getSetAccessorTypeAnnotationNode: () => getSetAccessorTypeAnnotationNode,
        getSetAccessorValueParameter: () => getSetAccessorValueParameter,
        getSetExternalModuleIndicator: () => getSetExternalModuleIndicator,
        getShebang: () => getShebang,
        getSingleInitializerOfVariableStatementOrPropertyDeclaration: () => getSingleInitializerOfVariableStatementOrPropertyDeclaration,
        getSingleVariableOfVariableStatement: () => getSingleVariableOfVariableStatement,
        getSnapshotText: () => getSnapshotText,
        getSnippetElement: () => getSnippetElement,
        getSourceFileOfModule: () => getSourceFileOfModule,
        getSourceFileOfNode: () => getSourceFileOfNode,
        getSourceFilePathInNewDir: () => getSourceFilePathInNewDir,
        getSourceFilePathInNewDirWorker: () => getSourceFilePathInNewDirWorker,
        getSourceFileVersionAsHashFromText: () => getSourceFileVersionAsHashFromText,
        getSourceFilesToEmit: () => getSourceFilesToEmit,
        getSourceMapRange: () => getSourceMapRange,
        getSourceMapper: () => getSourceMapper,
        getSourceTextOfNodeFromSourceFile: () => getSourceTextOfNodeFromSourceFile,
        getSpanOfTokenAtPosition: () => getSpanOfTokenAtPosition,
        getSpellingSuggestion: () => getSpellingSuggestion,
        getStartPositionOfLine: () => getStartPositionOfLine,
        getStartPositionOfRange: () => getStartPositionOfRange,
        getStartsOnNewLine: () => getStartsOnNewLine,
        getStaticPropertiesAndClassStaticBlock: () => getStaticPropertiesAndClassStaticBlock,
        getStrictOptionValue: () => getStrictOptionValue,
        getStringComparer: () => getStringComparer,
        getSubPatternFromSpec: () => getSubPatternFromSpec,
        getSuperCallFromStatement: () => getSuperCallFromStatement,
        getSuperContainer: () => getSuperContainer,
        getSupportedCodeFixes: () => getSupportedCodeFixes,
        getSupportedExtensions: () => getSupportedExtensions,
        getSupportedExtensionsWithJsonIfResolveJsonModule: () => getSupportedExtensionsWithJsonIfResolveJsonModule,
        getSwitchedType: () => getSwitchedType,
        getSymbolId: () => getSymbolId,
        getSymbolNameForPrivateIdentifier: () => getSymbolNameForPrivateIdentifier,
        getSymbolParentOrFail: () => getSymbolParentOrFail,
        getSymbolTarget: () => getSymbolTarget,
        getSyntacticClassifications: () => getSyntacticClassifications,
        getSyntacticModifierFlags: () => getSyntacticModifierFlags,
        getSyntacticModifierFlagsNoCache: () => getSyntacticModifierFlagsNoCache,
        getSynthesizedDeepClone: () => getSynthesizedDeepClone,
        getSynthesizedDeepCloneWithReplacements: () => getSynthesizedDeepCloneWithReplacements,
        getSynthesizedDeepClones: () => getSynthesizedDeepClones,
        getSynthesizedDeepClonesWithReplacements: () => getSynthesizedDeepClonesWithReplacements,
        getSyntheticLeadingComments: () => getSyntheticLeadingComments,
        getSyntheticTrailingComments: () => getSyntheticTrailingComments,
        getTargetLabel: () => getTargetLabel,
        getTargetOfBindingOrAssignmentElement: () => getTargetOfBindingOrAssignmentElement,
        getTemporaryModuleResolutionState: () => getTemporaryModuleResolutionState,
        getTextOfConstantValue: () => getTextOfConstantValue,
        getTextOfIdentifierOrLiteral: () => getTextOfIdentifierOrLiteral,
        getTextOfJSDocComment: () => getTextOfJSDocComment,
        getTextOfJsxAttributeName: () => getTextOfJsxAttributeName,
        getTextOfJsxNamespacedName: () => getTextOfJsxNamespacedName,
        getTextOfNode: () => getTextOfNode,
        getTextOfNodeFromSourceText: () => getTextOfNodeFromSourceText,
        getTextOfPropertyName: () => getTextOfPropertyName,
        getThisContainer: () => getThisContainer,
        getThisParameter: () => getThisParameter,
        getTokenAtPosition: () => getTokenAtPosition,
        getTokenPosOfNode: () => getTokenPosOfNode,
        getTokenSourceMapRange: () => getTokenSourceMapRange,
        getTouchingPropertyName: () => getTouchingPropertyName,
        getTouchingToken: () => getTouchingToken,
        getTrailingCommentRanges: () => getTrailingCommentRanges,
        getTrailingSemicolonDeferringWriter: () => getTrailingSemicolonDeferringWriter,
        getTransformFlagsSubtreeExclusions: () => getTransformFlagsSubtreeExclusions,
        getTransformers: () => getTransformers,
        getTsBuildInfoEmitOutputFilePath: () => getTsBuildInfoEmitOutputFilePath,
        getTsConfigObjectLiteralExpression: () => getTsConfigObjectLiteralExpression,
        getTsConfigPropArrayElementValue: () => getTsConfigPropArrayElementValue,
        getTypeAnnotationNode: () => getTypeAnnotationNode,
        getTypeArgumentOrTypeParameterList: () => getTypeArgumentOrTypeParameterList,
        getTypeKeywordOfTypeOnlyImport: () => getTypeKeywordOfTypeOnlyImport,
        getTypeNode: () => getTypeNode,
        getTypeNodeIfAccessible: () => getTypeNodeIfAccessible,
        getTypeParameterFromJsDoc: () => getTypeParameterFromJsDoc,
        getTypeParameterOwner: () => getTypeParameterOwner,
        getTypesPackageName: () => getTypesPackageName,
        getUILocale: () => getUILocale,
        getUniqueName: () => getUniqueName,
        getUniqueSymbolId: () => getUniqueSymbolId,
        getUseDefineForClassFields: () => getUseDefineForClassFields,
        getWatchErrorSummaryDiagnosticMessage: () => getWatchErrorSummaryDiagnosticMessage,
        getWatchFactory: () => getWatchFactory,
        group: () => group,
        groupBy: () => groupBy,
        guessIndentation: () => guessIndentation,
        handleNoEmitOptions: () => handleNoEmitOptions,
        handleWatchOptionsConfigDirTemplateSubstitution: () => handleWatchOptionsConfigDirTemplateSubstitution,
        hasAbstractModifier: () => hasAbstractModifier,
        hasAccessorModifier: () => hasAccessorModifier,
        hasAmbientModifier: () => hasAmbientModifier,
        hasChangesInResolutions: () => hasChangesInResolutions,
        hasChildOfKind: () => hasChildOfKind,
        hasContextSensitiveParameters: () => hasContextSensitiveParameters,
        hasDecorators: () => hasDecorators,
        hasDocComment: () => hasDocComment,
        hasDynamicName: () => hasDynamicName,
        hasEffectiveModifier: () => hasEffectiveModifier,
        hasEffectiveModifiers: () => hasEffectiveModifiers,
        hasEffectiveReadonlyModifier: () => hasEffectiveReadonlyModifier,
        hasExtension: () => hasExtension,
        hasIndexSignature: () => hasIndexSignature,
        hasInferredType: () => hasInferredType,
        hasInitializer: () => hasInitializer,
        hasInvalidEscape: () => hasInvalidEscape,
        hasJSDocNodes: () => hasJSDocNodes,
        hasJSDocParameterTags: () => hasJSDocParameterTags,
        hasJSFileExtension: () => hasJSFileExtension,
        hasJsonModuleEmitEnabled: () => hasJsonModuleEmitEnabled,
        hasOnlyExpressionInitializer: () => hasOnlyExpressionInitializer,
        hasOverrideModifier: () => hasOverrideModifier,
        hasPossibleExternalModuleReference: () => hasPossibleExternalModuleReference,
        hasProperty: () => hasProperty,
        hasPropertyAccessExpressionWithName: () => hasPropertyAccessExpressionWithName,
        hasQuestionToken: () => hasQuestionToken,
        hasRecordedExternalHelpers: () => hasRecordedExternalHelpers,
        hasResolutionModeOverride: () => hasResolutionModeOverride,
        hasRestParameter: () => hasRestParameter,
        hasScopeMarker: () => hasScopeMarker,
        hasStaticModifier: () => hasStaticModifier,
        hasSyntacticModifier: () => hasSyntacticModifier,
        hasSyntacticModifiers: () => hasSyntacticModifiers,
        hasTSFileExtension: () => hasTSFileExtension,
        hasTabstop: () => hasTabstop,
        hasTrailingDirectorySeparator: () => hasTrailingDirectorySeparator,
        hasType: () => hasType,
        hasTypeArguments: () => hasTypeArguments,
        hasZeroOrOneAsteriskCharacter: () => hasZeroOrOneAsteriskCharacter,
        helperString: () => helperString,
        hostGetCanonicalFileName: () => hostGetCanonicalFileName,
        hostUsesCaseSensitiveFileNames: () => hostUsesCaseSensitiveFileNames,
        idText: () => idText,
        identifierIsThisKeyword: () => identifierIsThisKeyword,
        identifierToKeywordKind: () => identifierToKeywordKind,
        identity: () => identity2,
        identitySourceMapConsumer: () => identitySourceMapConsumer,
        ignoreSourceNewlines: () => ignoreSourceNewlines,
        ignoredPaths: () => ignoredPaths,
        importDefaultHelper: () => importDefaultHelper,
        importFromModuleSpecifier: () => importFromModuleSpecifier,
        importStarHelper: () => importStarHelper,
        indexOfAnyCharCode: () => indexOfAnyCharCode,
        indexOfNode: () => indexOfNode,
        indicesOf: () => indicesOf,
        inferredTypesContainingFile: () => inferredTypesContainingFile,
        injectClassNamedEvaluationHelperBlockIfMissing: () => injectClassNamedEvaluationHelperBlockIfMissing,
        injectClassThisAssignmentIfMissing: () => injectClassThisAssignmentIfMissing,
        insertImports: () => insertImports,
        insertLeadingStatement: () => insertLeadingStatement,
        insertSorted: () => insertSorted,
        insertStatementAfterCustomPrologue: () => insertStatementAfterCustomPrologue,
        insertStatementAfterStandardPrologue: () => insertStatementAfterStandardPrologue,
        insertStatementsAfterCustomPrologue: () => insertStatementsAfterCustomPrologue,
        insertStatementsAfterStandardPrologue: () => insertStatementsAfterStandardPrologue,
        intersperse: () => intersperse,
        intrinsicTagNameToString: () => intrinsicTagNameToString,
        introducesArgumentsExoticObject: () => introducesArgumentsExoticObject,
        inverseJsxOptionMap: () => inverseJsxOptionMap,
        isAbstractConstructorSymbol: () => isAbstractConstructorSymbol,
        isAbstractModifier: () => isAbstractModifier,
        isAccessExpression: () => isAccessExpression,
        isAccessibilityModifier: () => isAccessibilityModifier,
        isAccessor: () => isAccessor,
        isAccessorModifier: () => isAccessorModifier,
        isAliasSymbolDeclaration: () => isAliasSymbolDeclaration,
        isAliasableExpression: () => isAliasableExpression,
        isAmbientModule: () => isAmbientModule,
        isAmbientPropertyDeclaration: () => isAmbientPropertyDeclaration,
        isAnonymousFunctionDefinition: () => isAnonymousFunctionDefinition,
        isAnyDirectorySeparator: () => isAnyDirectorySeparator,
        isAnyImportOrBareOrAccessedRequire: () => isAnyImportOrBareOrAccessedRequire,
        isAnyImportOrReExport: () => isAnyImportOrReExport,
        isAnyImportOrRequireStatement: () => isAnyImportOrRequireStatement,
        isAnyImportSyntax: () => isAnyImportSyntax,
        isAnySupportedFileExtension: () => isAnySupportedFileExtension,
        isApplicableVersionedTypesKey: () => isApplicableVersionedTypesKey,
        isArgumentExpressionOfElementAccess: () => isArgumentExpressionOfElementAccess,
        isArray: () => isArray3,
        isArrayBindingElement: () => isArrayBindingElement,
        isArrayBindingOrAssignmentElement: () => isArrayBindingOrAssignmentElement,
        isArrayBindingOrAssignmentPattern: () => isArrayBindingOrAssignmentPattern,
        isArrayBindingPattern: () => isArrayBindingPattern,
        isArrayLiteralExpression: () => isArrayLiteralExpression,
        isArrayLiteralOrObjectLiteralDestructuringPattern: () => isArrayLiteralOrObjectLiteralDestructuringPattern,
        isArrayTypeNode: () => isArrayTypeNode,
        isArrowFunction: () => isArrowFunction,
        isAsExpression: () => isAsExpression,
        isAssertClause: () => isAssertClause,
        isAssertEntry: () => isAssertEntry,
        isAssertionExpression: () => isAssertionExpression,
        isAssertsKeyword: () => isAssertsKeyword,
        isAssignmentDeclaration: () => isAssignmentDeclaration,
        isAssignmentExpression: () => isAssignmentExpression2,
        isAssignmentOperator: () => isAssignmentOperator,
        isAssignmentPattern: () => isAssignmentPattern,
        isAssignmentTarget: () => isAssignmentTarget,
        isAsteriskToken: () => isAsteriskToken,
        isAsyncFunction: () => isAsyncFunction,
        isAsyncModifier: () => isAsyncModifier,
        isAutoAccessorPropertyDeclaration: () => isAutoAccessorPropertyDeclaration,
        isAwaitExpression: () => isAwaitExpression,
        isAwaitKeyword: () => isAwaitKeyword,
        isBigIntLiteral: () => isBigIntLiteral2,
        isBinaryExpression: () => isBinaryExpression,
        isBinaryOperatorToken: () => isBinaryOperatorToken,
        isBindableObjectDefinePropertyCall: () => isBindableObjectDefinePropertyCall,
        isBindableStaticAccessExpression: () => isBindableStaticAccessExpression,
        isBindableStaticElementAccessExpression: () => isBindableStaticElementAccessExpression,
        isBindableStaticNameExpression: () => isBindableStaticNameExpression,
        isBindingElement: () => isBindingElement,
        isBindingElementOfBareOrAccessedRequire: () => isBindingElementOfBareOrAccessedRequire,
        isBindingName: () => isBindingName,
        isBindingOrAssignmentElement: () => isBindingOrAssignmentElement,
        isBindingOrAssignmentPattern: () => isBindingOrAssignmentPattern,
        isBindingPattern: () => isBindingPattern,
        isBlock: () => isBlock,
        isBlockLike: () => isBlockLike,
        isBlockOrCatchScoped: () => isBlockOrCatchScoped,
        isBlockScope: () => isBlockScope,
        isBlockScopedContainerTopLevel: () => isBlockScopedContainerTopLevel,
        isBooleanLiteral: () => isBooleanLiteral,
        isBreakOrContinueStatement: () => isBreakOrContinueStatement,
        isBreakStatement: () => isBreakStatement,
        isBuild: () => isBuild,
        isBuildInfoFile: () => isBuildInfoFile,
        isBuilderProgram: () => isBuilderProgram2,
        isBundle: () => isBundle,
        isCallChain: () => isCallChain,
        isCallExpression: () => isCallExpression2,
        isCallExpressionTarget: () => isCallExpressionTarget,
        isCallLikeExpression: () => isCallLikeExpression,
        isCallLikeOrFunctionLikeExpression: () => isCallLikeOrFunctionLikeExpression,
        isCallOrNewExpression: () => isCallOrNewExpression2,
        isCallOrNewExpressionTarget: () => isCallOrNewExpressionTarget,
        isCallSignatureDeclaration: () => isCallSignatureDeclaration,
        isCallToHelper: () => isCallToHelper,
        isCaseBlock: () => isCaseBlock,
        isCaseClause: () => isCaseClause,
        isCaseKeyword: () => isCaseKeyword,
        isCaseOrDefaultClause: () => isCaseOrDefaultClause,
        isCatchClause: () => isCatchClause,
        isCatchClauseVariableDeclaration: () => isCatchClauseVariableDeclaration,
        isCatchClauseVariableDeclarationOrBindingElement: () => isCatchClauseVariableDeclarationOrBindingElement,
        isCheckJsEnabledForFile: () => isCheckJsEnabledForFile,
        isChildOfNodeWithKind: () => isChildOfNodeWithKind,
        isCircularBuildOrder: () => isCircularBuildOrder,
        isClassDeclaration: () => isClassDeclaration,
        isClassElement: () => isClassElement,
        isClassExpression: () => isClassExpression,
        isClassInstanceProperty: () => isClassInstanceProperty,
        isClassLike: () => isClassLike,
        isClassMemberModifier: () => isClassMemberModifier,
        isClassNamedEvaluationHelperBlock: () => isClassNamedEvaluationHelperBlock,
        isClassOrTypeElement: () => isClassOrTypeElement,
        isClassStaticBlockDeclaration: () => isClassStaticBlockDeclaration,
        isClassThisAssignmentBlock: () => isClassThisAssignmentBlock,
        isCollapsedRange: () => isCollapsedRange,
        isColonToken: () => isColonToken2,
        isCommaExpression: () => isCommaExpression,
        isCommaListExpression: () => isCommaListExpression,
        isCommaSequence: () => isCommaSequence,
        isCommaToken: () => isCommaToken2,
        isComment: () => isComment,
        isCommonJsExportPropertyAssignment: () => isCommonJsExportPropertyAssignment,
        isCommonJsExportedExpression: () => isCommonJsExportedExpression,
        isCompoundAssignment: () => isCompoundAssignment,
        isComputedNonLiteralName: () => isComputedNonLiteralName,
        isComputedPropertyName: () => isComputedPropertyName,
        isConciseBody: () => isConciseBody,
        isConditionalExpression: () => isConditionalExpression,
        isConditionalTypeNode: () => isConditionalTypeNode,
        isConstAssertion: () => isConstAssertion,
        isConstTypeReference: () => isConstTypeReference,
        isConstructSignatureDeclaration: () => isConstructSignatureDeclaration,
        isConstructorDeclaration: () => isConstructorDeclaration,
        isConstructorTypeNode: () => isConstructorTypeNode,
        isContextualKeyword: () => isContextualKeyword,
        isContinueStatement: () => isContinueStatement,
        isCustomPrologue: () => isCustomPrologue,
        isDebuggerStatement: () => isDebuggerStatement,
        isDeclaration: () => isDeclaration,
        isDeclarationBindingElement: () => isDeclarationBindingElement,
        isDeclarationFileName: () => isDeclarationFileName,
        isDeclarationName: () => isDeclarationName,
        isDeclarationNameOfEnumOrNamespace: () => isDeclarationNameOfEnumOrNamespace,
        isDeclarationReadonly: () => isDeclarationReadonly,
        isDeclarationStatement: () => isDeclarationStatement,
        isDeclarationWithTypeParameterChildren: () => isDeclarationWithTypeParameterChildren,
        isDeclarationWithTypeParameters: () => isDeclarationWithTypeParameters,
        isDecorator: () => isDecorator,
        isDecoratorTarget: () => isDecoratorTarget,
        isDefaultClause: () => isDefaultClause,
        isDefaultImport: () => isDefaultImport,
        isDefaultModifier: () => isDefaultModifier,
        isDefaultedExpandoInitializer: () => isDefaultedExpandoInitializer,
        isDeleteExpression: () => isDeleteExpression,
        isDeleteTarget: () => isDeleteTarget,
        isDeprecatedDeclaration: () => isDeprecatedDeclaration,
        isDestructuringAssignment: () => isDestructuringAssignment,
        isDiagnosticWithLocation: () => isDiagnosticWithLocation,
        isDiskPathRoot: () => isDiskPathRoot,
        isDoStatement: () => isDoStatement,
        isDocumentRegistryEntry: () => isDocumentRegistryEntry,
        isDotDotDotToken: () => isDotDotDotToken,
        isDottedName: () => isDottedName,
        isDynamicName: () => isDynamicName,
        isESSymbolIdentifier: () => isESSymbolIdentifier,
        isEffectiveExternalModule: () => isEffectiveExternalModule,
        isEffectiveModuleDeclaration: () => isEffectiveModuleDeclaration,
        isEffectiveStrictModeSourceFile: () => isEffectiveStrictModeSourceFile,
        isElementAccessChain: () => isElementAccessChain,
        isElementAccessExpression: () => isElementAccessExpression,
        isEmittedFileOfProgram: () => isEmittedFileOfProgram,
        isEmptyArrayLiteral: () => isEmptyArrayLiteral,
        isEmptyBindingElement: () => isEmptyBindingElement,
        isEmptyBindingPattern: () => isEmptyBindingPattern,
        isEmptyObjectLiteral: () => isEmptyObjectLiteral,
        isEmptyStatement: () => isEmptyStatement,
        isEmptyStringLiteral: () => isEmptyStringLiteral2,
        isEntityName: () => isEntityName,
        isEntityNameExpression: () => isEntityNameExpression,
        isEnumConst: () => isEnumConst,
        isEnumDeclaration: () => isEnumDeclaration,
        isEnumMember: () => isEnumMember,
        isEqualityOperatorKind: () => isEqualityOperatorKind,
        isEqualsGreaterThanToken: () => isEqualsGreaterThanToken,
        isExclamationToken: () => isExclamationToken,
        isExcludedFile: () => isExcludedFile,
        isExclusivelyTypeOnlyImportOrExport: () => isExclusivelyTypeOnlyImportOrExport,
        isExpandoPropertyDeclaration: () => isExpandoPropertyDeclaration,
        isExportAssignment: () => isExportAssignment,
        isExportDeclaration: () => isExportDeclaration,
        isExportModifier: () => isExportModifier,
        isExportName: () => isExportName,
        isExportNamespaceAsDefaultDeclaration: () => isExportNamespaceAsDefaultDeclaration,
        isExportOrDefaultModifier: () => isExportOrDefaultModifier,
        isExportSpecifier: () => isExportSpecifier,
        isExportsIdentifier: () => isExportsIdentifier,
        isExportsOrModuleExportsOrAlias: () => isExportsOrModuleExportsOrAlias,
        isExpression: () => isExpression,
        isExpressionNode: () => isExpressionNode,
        isExpressionOfExternalModuleImportEqualsDeclaration: () => isExpressionOfExternalModuleImportEqualsDeclaration,
        isExpressionOfOptionalChainRoot: () => isExpressionOfOptionalChainRoot,
        isExpressionStatement: () => isExpressionStatement2,
        isExpressionWithTypeArguments: () => isExpressionWithTypeArguments,
        isExpressionWithTypeArgumentsInClassExtendsClause: () => isExpressionWithTypeArgumentsInClassExtendsClause,
        isExternalModule: () => isExternalModule,
        isExternalModuleAugmentation: () => isExternalModuleAugmentation,
        isExternalModuleImportEqualsDeclaration: () => isExternalModuleImportEqualsDeclaration,
        isExternalModuleIndicator: () => isExternalModuleIndicator,
        isExternalModuleNameRelative: () => isExternalModuleNameRelative,
        isExternalModuleReference: () => isExternalModuleReference,
        isExternalModuleSymbol: () => isExternalModuleSymbol,
        isExternalOrCommonJsModule: () => isExternalOrCommonJsModule,
        isFileLevelReservedGeneratedIdentifier: () => isFileLevelReservedGeneratedIdentifier,
        isFileLevelUniqueName: () => isFileLevelUniqueName,
        isFileProbablyExternalModule: () => isFileProbablyExternalModule,
        isFirstDeclarationOfSymbolParameter: () => isFirstDeclarationOfSymbolParameter,
        isFixablePromiseHandler: () => isFixablePromiseHandler,
        isForInOrOfStatement: () => isForInOrOfStatement,
        isForInStatement: () => isForInStatement,
        isForInitializer: () => isForInitializer,
        isForOfStatement: () => isForOfStatement,
        isForStatement: () => isForStatement,
        isFullSourceFile: () => isFullSourceFile,
        isFunctionBlock: () => isFunctionBlock,
        isFunctionBody: () => isFunctionBody,
        isFunctionDeclaration: () => isFunctionDeclaration,
        isFunctionExpression: () => isFunctionExpression,
        isFunctionExpressionOrArrowFunction: () => isFunctionExpressionOrArrowFunction,
        isFunctionLike: () => isFunctionLike,
        isFunctionLikeDeclaration: () => isFunctionLikeDeclaration,
        isFunctionLikeKind: () => isFunctionLikeKind,
        isFunctionLikeOrClassStaticBlockDeclaration: () => isFunctionLikeOrClassStaticBlockDeclaration,
        isFunctionOrConstructorTypeNode: () => isFunctionOrConstructorTypeNode,
        isFunctionOrModuleBlock: () => isFunctionOrModuleBlock,
        isFunctionSymbol: () => isFunctionSymbol,
        isFunctionTypeNode: () => isFunctionTypeNode,
        isFutureReservedKeyword: () => isFutureReservedKeyword,
        isGeneratedIdentifier: () => isGeneratedIdentifier,
        isGeneratedPrivateIdentifier: () => isGeneratedPrivateIdentifier,
        isGetAccessor: () => isGetAccessor,
        isGetAccessorDeclaration: () => isGetAccessorDeclaration,
        isGetOrSetAccessorDeclaration: () => isGetOrSetAccessorDeclaration,
        isGlobalDeclaration: () => isGlobalDeclaration,
        isGlobalScopeAugmentation: () => isGlobalScopeAugmentation,
        isGlobalSourceFile: () => isGlobalSourceFile,
        isGrammarError: () => isGrammarError,
        isHeritageClause: () => isHeritageClause,
        isHoistedFunction: () => isHoistedFunction,
        isHoistedVariableStatement: () => isHoistedVariableStatement,
        isIdentifier: () => isIdentifier,
        isIdentifierANonContextualKeyword: () => isIdentifierANonContextualKeyword,
        isIdentifierName: () => isIdentifierName4,
        isIdentifierOrThisTypeNode: () => isIdentifierOrThisTypeNode,
        isIdentifierPart: () => isIdentifierPart,
        isIdentifierStart: () => isIdentifierStart,
        isIdentifierText: () => isIdentifierText,
        isIdentifierTypePredicate: () => isIdentifierTypePredicate,
        isIdentifierTypeReference: () => isIdentifierTypeReference,
        isIfStatement: () => isIfStatement,
        isIgnoredFileFromWildCardWatching: () => isIgnoredFileFromWildCardWatching,
        isImplicitGlob: () => isImplicitGlob,
        isImportAttribute: () => isImportAttribute,
        isImportAttributeName: () => isImportAttributeName,
        isImportAttributes: () => isImportAttributes,
        isImportCall: () => isImportCall,
        isImportClause: () => isImportClause,
        isImportDeclaration: () => isImportDeclaration,
        isImportEqualsDeclaration: () => isImportEqualsDeclaration,
        isImportKeyword: () => isImportKeyword,
        isImportMeta: () => isImportMeta,
        isImportOrExportSpecifier: () => isImportOrExportSpecifier,
        isImportOrExportSpecifierName: () => isImportOrExportSpecifierName,
        isImportSpecifier: () => isImportSpecifier,
        isImportTypeAssertionContainer: () => isImportTypeAssertionContainer,
        isImportTypeNode: () => isImportTypeNode,
        isImportableFile: () => isImportableFile,
        isInComment: () => isInComment,
        isInCompoundLikeAssignment: () => isInCompoundLikeAssignment,
        isInExpressionContext: () => isInExpressionContext,
        isInJSDoc: () => isInJSDoc,
        isInJSFile: () => isInJSFile,
        isInJSXText: () => isInJSXText,
        isInJsonFile: () => isInJsonFile,
        isInNonReferenceComment: () => isInNonReferenceComment,
        isInReferenceComment: () => isInReferenceComment,
        isInRightSideOfInternalImportEqualsDeclaration: () => isInRightSideOfInternalImportEqualsDeclaration,
        isInString: () => isInString,
        isInTemplateString: () => isInTemplateString,
        isInTopLevelContext: () => isInTopLevelContext,
        isInTypeQuery: () => isInTypeQuery,
        isIncrementalCompilation: () => isIncrementalCompilation,
        isIndexSignatureDeclaration: () => isIndexSignatureDeclaration,
        isIndexedAccessTypeNode: () => isIndexedAccessTypeNode,
        isInferTypeNode: () => isInferTypeNode,
        isInfinityOrNaNString: () => isInfinityOrNaNString,
        isInitializedProperty: () => isInitializedProperty,
        isInitializedVariable: () => isInitializedVariable,
        isInsideJsxElement: () => isInsideJsxElement,
        isInsideJsxElementOrAttribute: () => isInsideJsxElementOrAttribute,
        isInsideNodeModules: () => isInsideNodeModules,
        isInsideTemplateLiteral: () => isInsideTemplateLiteral,
        isInstanceOfExpression: () => isInstanceOfExpression,
        isInstantiatedModule: () => isInstantiatedModule,
        isInterfaceDeclaration: () => isInterfaceDeclaration,
        isInternalDeclaration: () => isInternalDeclaration,
        isInternalModuleImportEqualsDeclaration: () => isInternalModuleImportEqualsDeclaration,
        isInternalName: () => isInternalName,
        isIntersectionTypeNode: () => isIntersectionTypeNode,
        isIntrinsicJsxName: () => isIntrinsicJsxName,
        isIterationStatement: () => isIterationStatement,
        isJSDoc: () => isJSDoc,
        isJSDocAllType: () => isJSDocAllType,
        isJSDocAugmentsTag: () => isJSDocAugmentsTag,
        isJSDocAuthorTag: () => isJSDocAuthorTag,
        isJSDocCallbackTag: () => isJSDocCallbackTag,
        isJSDocClassTag: () => isJSDocClassTag,
        isJSDocCommentContainingNode: () => isJSDocCommentContainingNode,
        isJSDocConstructSignature: () => isJSDocConstructSignature,
        isJSDocDeprecatedTag: () => isJSDocDeprecatedTag,
        isJSDocEnumTag: () => isJSDocEnumTag,
        isJSDocFunctionType: () => isJSDocFunctionType,
        isJSDocImplementsTag: () => isJSDocImplementsTag,
        isJSDocImportTag: () => isJSDocImportTag,
        isJSDocIndexSignature: () => isJSDocIndexSignature,
        isJSDocLikeText: () => isJSDocLikeText,
        isJSDocLink: () => isJSDocLink,
        isJSDocLinkCode: () => isJSDocLinkCode,
        isJSDocLinkLike: () => isJSDocLinkLike,
        isJSDocLinkPlain: () => isJSDocLinkPlain,
        isJSDocMemberName: () => isJSDocMemberName,
        isJSDocNameReference: () => isJSDocNameReference,
        isJSDocNamepathType: () => isJSDocNamepathType,
        isJSDocNamespaceBody: () => isJSDocNamespaceBody,
        isJSDocNode: () => isJSDocNode,
        isJSDocNonNullableType: () => isJSDocNonNullableType,
        isJSDocNullableType: () => isJSDocNullableType,
        isJSDocOptionalParameter: () => isJSDocOptionalParameter,
        isJSDocOptionalType: () => isJSDocOptionalType,
        isJSDocOverloadTag: () => isJSDocOverloadTag,
        isJSDocOverrideTag: () => isJSDocOverrideTag,
        isJSDocParameterTag: () => isJSDocParameterTag,
        isJSDocPrivateTag: () => isJSDocPrivateTag,
        isJSDocPropertyLikeTag: () => isJSDocPropertyLikeTag,
        isJSDocPropertyTag: () => isJSDocPropertyTag,
        isJSDocProtectedTag: () => isJSDocProtectedTag,
        isJSDocPublicTag: () => isJSDocPublicTag,
        isJSDocReadonlyTag: () => isJSDocReadonlyTag,
        isJSDocReturnTag: () => isJSDocReturnTag,
        isJSDocSatisfiesExpression: () => isJSDocSatisfiesExpression,
        isJSDocSatisfiesTag: () => isJSDocSatisfiesTag,
        isJSDocSeeTag: () => isJSDocSeeTag,
        isJSDocSignature: () => isJSDocSignature,
        isJSDocTag: () => isJSDocTag,
        isJSDocTemplateTag: () => isJSDocTemplateTag,
        isJSDocThisTag: () => isJSDocThisTag,
        isJSDocThrowsTag: () => isJSDocThrowsTag,
        isJSDocTypeAlias: () => isJSDocTypeAlias,
        isJSDocTypeAssertion: () => isJSDocTypeAssertion,
        isJSDocTypeExpression: () => isJSDocTypeExpression,
        isJSDocTypeLiteral: () => isJSDocTypeLiteral,
        isJSDocTypeTag: () => isJSDocTypeTag,
        isJSDocTypedefTag: () => isJSDocTypedefTag,
        isJSDocUnknownTag: () => isJSDocUnknownTag,
        isJSDocUnknownType: () => isJSDocUnknownType,
        isJSDocVariadicType: () => isJSDocVariadicType,
        isJSXTagName: () => isJSXTagName,
        isJsonEqual: () => isJsonEqual,
        isJsonSourceFile: () => isJsonSourceFile,
        isJsxAttribute: () => isJsxAttribute,
        isJsxAttributeLike: () => isJsxAttributeLike,
        isJsxAttributeName: () => isJsxAttributeName,
        isJsxAttributes: () => isJsxAttributes,
        isJsxChild: () => isJsxChild,
        isJsxClosingElement: () => isJsxClosingElement,
        isJsxClosingFragment: () => isJsxClosingFragment,
        isJsxElement: () => isJsxElement,
        isJsxExpression: () => isJsxExpression,
        isJsxFragment: () => isJsxFragment,
        isJsxNamespacedName: () => isJsxNamespacedName,
        isJsxOpeningElement: () => isJsxOpeningElement,
        isJsxOpeningFragment: () => isJsxOpeningFragment,
        isJsxOpeningLikeElement: () => isJsxOpeningLikeElement,
        isJsxOpeningLikeElementTagName: () => isJsxOpeningLikeElementTagName,
        isJsxSelfClosingElement: () => isJsxSelfClosingElement,
        isJsxSpreadAttribute: () => isJsxSpreadAttribute,
        isJsxTagNameExpression: () => isJsxTagNameExpression,
        isJsxText: () => isJsxText,
        isJumpStatementTarget: () => isJumpStatementTarget,
        isKeyword: () => isKeyword2,
        isKeywordOrPunctuation: () => isKeywordOrPunctuation,
        isKnownSymbol: () => isKnownSymbol,
        isLabelName: () => isLabelName,
        isLabelOfLabeledStatement: () => isLabelOfLabeledStatement,
        isLabeledStatement: () => isLabeledStatement,
        isLateVisibilityPaintedStatement: () => isLateVisibilityPaintedStatement,
        isLeftHandSideExpression: () => isLeftHandSideExpression,
        isLeftHandSideOfAssignment: () => isLeftHandSideOfAssignment,
        isLet: () => isLet,
        isLineBreak: () => isLineBreak,
        isLiteralComputedPropertyDeclarationName: () => isLiteralComputedPropertyDeclarationName,
        isLiteralExpression: () => isLiteralExpression,
        isLiteralExpressionOfObject: () => isLiteralExpressionOfObject,
        isLiteralImportTypeNode: () => isLiteralImportTypeNode,
        isLiteralKind: () => isLiteralKind,
        isLiteralLikeAccess: () => isLiteralLikeAccess,
        isLiteralLikeElementAccess: () => isLiteralLikeElementAccess,
        isLiteralNameOfPropertyDeclarationOrIndexAccess: () => isLiteralNameOfPropertyDeclarationOrIndexAccess,
        isLiteralTypeLikeExpression: () => isLiteralTypeLikeExpression,
        isLiteralTypeLiteral: () => isLiteralTypeLiteral,
        isLiteralTypeNode: () => isLiteralTypeNode,
        isLocalName: () => isLocalName,
        isLogicalOperator: () => isLogicalOperator,
        isLogicalOrCoalescingAssignmentExpression: () => isLogicalOrCoalescingAssignmentExpression,
        isLogicalOrCoalescingAssignmentOperator: () => isLogicalOrCoalescingAssignmentOperator,
        isLogicalOrCoalescingBinaryExpression: () => isLogicalOrCoalescingBinaryExpression,
        isLogicalOrCoalescingBinaryOperator: () => isLogicalOrCoalescingBinaryOperator,
        isMappedTypeNode: () => isMappedTypeNode,
        isMemberName: () => isMemberName,
        isMetaProperty: () => isMetaProperty,
        isMethodDeclaration: () => isMethodDeclaration,
        isMethodOrAccessor: () => isMethodOrAccessor,
        isMethodSignature: () => isMethodSignature,
        isMinusToken: () => isMinusToken,
        isMissingDeclaration: () => isMissingDeclaration,
        isMissingPackageJsonInfo: () => isMissingPackageJsonInfo,
        isModifier: () => isModifier,
        isModifierKind: () => isModifierKind,
        isModifierLike: () => isModifierLike,
        isModuleAugmentationExternal: () => isModuleAugmentationExternal,
        isModuleBlock: () => isModuleBlock,
        isModuleBody: () => isModuleBody,
        isModuleDeclaration: () => isModuleDeclaration,
        isModuleExportsAccessExpression: () => isModuleExportsAccessExpression,
        isModuleIdentifier: () => isModuleIdentifier,
        isModuleName: () => isModuleName,
        isModuleOrEnumDeclaration: () => isModuleOrEnumDeclaration,
        isModuleReference: () => isModuleReference,
        isModuleSpecifierLike: () => isModuleSpecifierLike,
        isModuleWithStringLiteralName: () => isModuleWithStringLiteralName,
        isNameOfFunctionDeclaration: () => isNameOfFunctionDeclaration,
        isNameOfModuleDeclaration: () => isNameOfModuleDeclaration,
        isNamedClassElement: () => isNamedClassElement,
        isNamedDeclaration: () => isNamedDeclaration,
        isNamedEvaluation: () => isNamedEvaluation,
        isNamedEvaluationSource: () => isNamedEvaluationSource,
        isNamedExportBindings: () => isNamedExportBindings,
        isNamedExports: () => isNamedExports,
        isNamedImportBindings: () => isNamedImportBindings,
        isNamedImports: () => isNamedImports,
        isNamedImportsOrExports: () => isNamedImportsOrExports,
        isNamedTupleMember: () => isNamedTupleMember,
        isNamespaceBody: () => isNamespaceBody,
        isNamespaceExport: () => isNamespaceExport,
        isNamespaceExportDeclaration: () => isNamespaceExportDeclaration,
        isNamespaceImport: () => isNamespaceImport,
        isNamespaceReexportDeclaration: () => isNamespaceReexportDeclaration,
        isNewExpression: () => isNewExpression2,
        isNewExpressionTarget: () => isNewExpressionTarget,
        isNoSubstitutionTemplateLiteral: () => isNoSubstitutionTemplateLiteral,
        isNode: () => isNode2,
        isNodeArray: () => isNodeArray,
        isNodeArrayMultiLine: () => isNodeArrayMultiLine,
        isNodeDescendantOf: () => isNodeDescendantOf,
        isNodeKind: () => isNodeKind,
        isNodeLikeSystem: () => isNodeLikeSystem,
        isNodeModulesDirectory: () => isNodeModulesDirectory,
        isNodeWithPossibleHoistedDeclaration: () => isNodeWithPossibleHoistedDeclaration,
        isNonContextualKeyword: () => isNonContextualKeyword,
        isNonExportDefaultModifier: () => isNonExportDefaultModifier,
        isNonGlobalAmbientModule: () => isNonGlobalAmbientModule,
        isNonGlobalDeclaration: () => isNonGlobalDeclaration,
        isNonNullAccess: () => isNonNullAccess,
        isNonNullChain: () => isNonNullChain,
        isNonNullExpression: () => isNonNullExpression,
        isNonStaticMethodOrAccessorWithPrivateName: () => isNonStaticMethodOrAccessorWithPrivateName,
        isNotEmittedOrPartiallyEmittedNode: () => isNotEmittedOrPartiallyEmittedNode,
        isNotEmittedStatement: () => isNotEmittedStatement,
        isNullishCoalesce: () => isNullishCoalesce,
        isNumber: () => isNumber2,
        isNumericLiteral: () => isNumericLiteral,
        isNumericLiteralName: () => isNumericLiteralName,
        isObjectBindingElementWithoutPropertyName: () => isObjectBindingElementWithoutPropertyName,
        isObjectBindingOrAssignmentElement: () => isObjectBindingOrAssignmentElement,
        isObjectBindingOrAssignmentPattern: () => isObjectBindingOrAssignmentPattern,
        isObjectBindingPattern: () => isObjectBindingPattern,
        isObjectLiteralElement: () => isObjectLiteralElement,
        isObjectLiteralElementLike: () => isObjectLiteralElementLike,
        isObjectLiteralExpression: () => isObjectLiteralExpression,
        isObjectLiteralMethod: () => isObjectLiteralMethod,
        isObjectLiteralOrClassExpressionMethodOrAccessor: () => isObjectLiteralOrClassExpressionMethodOrAccessor,
        isObjectTypeDeclaration: () => isObjectTypeDeclaration,
        isOctalDigit: () => isOctalDigit,
        isOmittedExpression: () => isOmittedExpression,
        isOptionalChain: () => isOptionalChain,
        isOptionalChainRoot: () => isOptionalChainRoot,
        isOptionalDeclaration: () => isOptionalDeclaration,
        isOptionalJSDocPropertyLikeTag: () => isOptionalJSDocPropertyLikeTag,
        isOptionalTypeNode: () => isOptionalTypeNode,
        isOuterExpression: () => isOuterExpression,
        isOutermostOptionalChain: () => isOutermostOptionalChain,
        isOverrideModifier: () => isOverrideModifier,
        isPackageJsonInfo: () => isPackageJsonInfo,
        isPackedArrayLiteral: () => isPackedArrayLiteral,
        isParameter: () => isParameter,
        isParameterPropertyDeclaration: () => isParameterPropertyDeclaration,
        isParameterPropertyModifier: () => isParameterPropertyModifier,
        isParenthesizedExpression: () => isParenthesizedExpression,
        isParenthesizedTypeNode: () => isParenthesizedTypeNode,
        isParseTreeNode: () => isParseTreeNode,
        isPartOfParameterDeclaration: () => isPartOfParameterDeclaration,
        isPartOfTypeNode: () => isPartOfTypeNode,
        isPartOfTypeQuery: () => isPartOfTypeQuery,
        isPartiallyEmittedExpression: () => isPartiallyEmittedExpression,
        isPatternMatch: () => isPatternMatch,
        isPinnedComment: () => isPinnedComment,
        isPlainJsFile: () => isPlainJsFile,
        isPlusToken: () => isPlusToken,
        isPossiblyTypeArgumentPosition: () => isPossiblyTypeArgumentPosition,
        isPostfixUnaryExpression: () => isPostfixUnaryExpression,
        isPrefixUnaryExpression: () => isPrefixUnaryExpression,
        isPrimitiveLiteralValue: () => isPrimitiveLiteralValue,
        isPrivateIdentifier: () => isPrivateIdentifier,
        isPrivateIdentifierClassElementDeclaration: () => isPrivateIdentifierClassElementDeclaration,
        isPrivateIdentifierPropertyAccessExpression: () => isPrivateIdentifierPropertyAccessExpression,
        isPrivateIdentifierSymbol: () => isPrivateIdentifierSymbol,
        isProgramBundleEmitBuildInfo: () => isProgramBundleEmitBuildInfo,
        isProgramUptoDate: () => isProgramUptoDate,
        isPrologueDirective: () => isPrologueDirective,
        isPropertyAccessChain: () => isPropertyAccessChain,
        isPropertyAccessEntityNameExpression: () => isPropertyAccessEntityNameExpression,
        isPropertyAccessExpression: () => isPropertyAccessExpression,
        isPropertyAccessOrQualifiedName: () => isPropertyAccessOrQualifiedName,
        isPropertyAccessOrQualifiedNameOrImportTypeNode: () => isPropertyAccessOrQualifiedNameOrImportTypeNode,
        isPropertyAssignment: () => isPropertyAssignment,
        isPropertyDeclaration: () => isPropertyDeclaration,
        isPropertyName: () => isPropertyName,
        isPropertyNameLiteral: () => isPropertyNameLiteral,
        isPropertySignature: () => isPropertySignature,
        isProtoSetter: () => isProtoSetter,
        isPrototypeAccess: () => isPrototypeAccess,
        isPrototypePropertyAssignment: () => isPrototypePropertyAssignment,
        isPunctuation: () => isPunctuation,
        isPushOrUnshiftIdentifier: () => isPushOrUnshiftIdentifier,
        isQualifiedName: () => isQualifiedName,
        isQuestionDotToken: () => isQuestionDotToken,
        isQuestionOrExclamationToken: () => isQuestionOrExclamationToken,
        isQuestionOrPlusOrMinusToken: () => isQuestionOrPlusOrMinusToken,
        isQuestionToken: () => isQuestionToken,
        isRawSourceMap: () => isRawSourceMap,
        isReadonlyKeyword: () => isReadonlyKeyword,
        isReadonlyKeywordOrPlusOrMinusToken: () => isReadonlyKeywordOrPlusOrMinusToken,
        isRecognizedTripleSlashComment: () => isRecognizedTripleSlashComment,
        isReferenceFileLocation: () => isReferenceFileLocation,
        isReferencedFile: () => isReferencedFile,
        isRegularExpressionLiteral: () => isRegularExpressionLiteral,
        isRequireCall: () => isRequireCall,
        isRequireVariableStatement: () => isRequireVariableStatement,
        isRestParameter: () => isRestParameter,
        isRestTypeNode: () => isRestTypeNode,
        isReturnStatement: () => isReturnStatement,
        isReturnStatementWithFixablePromiseHandler: () => isReturnStatementWithFixablePromiseHandler,
        isRightSideOfAccessExpression: () => isRightSideOfAccessExpression,
        isRightSideOfInstanceofExpression: () => isRightSideOfInstanceofExpression,
        isRightSideOfPropertyAccess: () => isRightSideOfPropertyAccess,
        isRightSideOfQualifiedName: () => isRightSideOfQualifiedName,
        isRightSideOfQualifiedNameOrPropertyAccess: () => isRightSideOfQualifiedNameOrPropertyAccess,
        isRightSideOfQualifiedNameOrPropertyAccessOrJSDocMemberName: () => isRightSideOfQualifiedNameOrPropertyAccessOrJSDocMemberName,
        isRootedDiskPath: () => isRootedDiskPath,
        isSameEntityName: () => isSameEntityName,
        isSatisfiesExpression: () => isSatisfiesExpression,
        isScopeMarker: () => isScopeMarker,
        isSemicolonClassElement: () => isSemicolonClassElement,
        isSetAccessor: () => isSetAccessor,
        isSetAccessorDeclaration: () => isSetAccessorDeclaration,
        isShebangTrivia: () => isShebangTrivia,
        isShiftOperatorOrHigher: () => isShiftOperatorOrHigher,
        isShorthandAmbientModuleSymbol: () => isShorthandAmbientModuleSymbol,
        isShorthandPropertyAssignment: () => isShorthandPropertyAssignment,
        isSignedNumericLiteral: () => isSignedNumericLiteral,
        isSimpleCopiableExpression: () => isSimpleCopiableExpression,
        isSimpleInlineableExpression: () => isSimpleInlineableExpression,
        isSimpleParameter: () => isSimpleParameter,
        isSimpleParameterList: () => isSimpleParameterList,
        isSingleOrDoubleQuote: () => isSingleOrDoubleQuote,
        isSourceFile: () => isSourceFile,
        isSourceFileFromLibrary: () => isSourceFileFromLibrary,
        isSourceFileJS: () => isSourceFileJS,
        isSourceFileNotJS: () => isSourceFileNotJS,
        isSourceFileNotJson: () => isSourceFileNotJson,
        isSourceMapping: () => isSourceMapping,
        isSpecialPropertyDeclaration: () => isSpecialPropertyDeclaration,
        isSpreadAssignment: () => isSpreadAssignment,
        isSpreadElement: () => isSpreadElement,
        isStatement: () => isStatement,
        isStatementButNotDeclaration: () => isStatementButNotDeclaration,
        isStatementOrBlock: () => isStatementOrBlock,
        isStatementWithLocals: () => isStatementWithLocals,
        isStatic: () => isStatic,
        isStaticModifier: () => isStaticModifier,
        isString: () => isString2,
        isStringAKeyword: () => isStringAKeyword,
        isStringANonContextualKeyword: () => isStringANonContextualKeyword,
        isStringAndEmptyAnonymousObjectIntersection: () => isStringAndEmptyAnonymousObjectIntersection,
        isStringDoubleQuoted: () => isStringDoubleQuoted,
        isStringLiteral: () => isStringLiteral2,
        isStringLiteralLike: () => isStringLiteralLike,
        isStringLiteralOrJsxExpression: () => isStringLiteralOrJsxExpression,
        isStringLiteralOrTemplate: () => isStringLiteralOrTemplate,
        isStringOrNumericLiteralLike: () => isStringOrNumericLiteralLike,
        isStringOrRegularExpressionOrTemplateLiteral: () => isStringOrRegularExpressionOrTemplateLiteral,
        isStringTextContainingNode: () => isStringTextContainingNode,
        isSuperCall: () => isSuperCall,
        isSuperKeyword: () => isSuperKeyword,
        isSuperOrSuperProperty: () => isSuperOrSuperProperty,
        isSuperProperty: () => isSuperProperty,
        isSupportedSourceFileName: () => isSupportedSourceFileName,
        isSwitchStatement: () => isSwitchStatement,
        isSyntaxList: () => isSyntaxList,
        isSyntheticExpression: () => isSyntheticExpression,
        isSyntheticReference: () => isSyntheticReference,
        isTagName: () => isTagName,
        isTaggedTemplateExpression: () => isTaggedTemplateExpression,
        isTaggedTemplateTag: () => isTaggedTemplateTag,
        isTemplateExpression: () => isTemplateExpression,
        isTemplateHead: () => isTemplateHead,
        isTemplateLiteral: () => isTemplateLiteral,
        isTemplateLiteralKind: () => isTemplateLiteralKind,
        isTemplateLiteralToken: () => isTemplateLiteralToken,
        isTemplateLiteralTypeNode: () => isTemplateLiteralTypeNode,
        isTemplateLiteralTypeSpan: () => isTemplateLiteralTypeSpan,
        isTemplateMiddle: () => isTemplateMiddle,
        isTemplateMiddleOrTemplateTail: () => isTemplateMiddleOrTemplateTail,
        isTemplateSpan: () => isTemplateSpan,
        isTemplateTail: () => isTemplateTail,
        isTextWhiteSpaceLike: () => isTextWhiteSpaceLike,
        isThis: () => isThis,
        isThisContainerOrFunctionBlock: () => isThisContainerOrFunctionBlock,
        isThisIdentifier: () => isThisIdentifier,
        isThisInTypeQuery: () => isThisInTypeQuery,
        isThisInitializedDeclaration: () => isThisInitializedDeclaration,
        isThisInitializedObjectBindingExpression: () => isThisInitializedObjectBindingExpression,
        isThisProperty: () => isThisProperty,
        isThisTypeNode: () => isThisTypeNode,
        isThisTypeParameter: () => isThisTypeParameter,
        isThisTypePredicate: () => isThisTypePredicate,
        isThrowStatement: () => isThrowStatement,
        isToken: () => isToken,
        isTokenKind: () => isTokenKind,
        isTraceEnabled: () => isTraceEnabled,
        isTransientSymbol: () => isTransientSymbol,
        isTrivia: () => isTrivia,
        isTryStatement: () => isTryStatement,
        isTupleTypeNode: () => isTupleTypeNode,
        isTypeAlias: () => isTypeAlias,
        isTypeAliasDeclaration: () => isTypeAliasDeclaration,
        isTypeAssertionExpression: () => isTypeAssertionExpression,
        isTypeDeclaration: () => isTypeDeclaration,
        isTypeElement: () => isTypeElement,
        isTypeKeyword: () => isTypeKeyword,
        isTypeKeywordToken: () => isTypeKeywordToken,
        isTypeKeywordTokenOrIdentifier: () => isTypeKeywordTokenOrIdentifier,
        isTypeLiteralNode: () => isTypeLiteralNode,
        isTypeNode: () => isTypeNode,
        isTypeNodeKind: () => isTypeNodeKind,
        isTypeOfExpression: () => isTypeOfExpression,
        isTypeOnlyExportDeclaration: () => isTypeOnlyExportDeclaration,
        isTypeOnlyImportDeclaration: () => isTypeOnlyImportDeclaration,
        isTypeOnlyImportOrExportDeclaration: () => isTypeOnlyImportOrExportDeclaration,
        isTypeOperatorNode: () => isTypeOperatorNode,
        isTypeParameterDeclaration: () => isTypeParameterDeclaration,
        isTypePredicateNode: () => isTypePredicateNode,
        isTypeQueryNode: () => isTypeQueryNode,
        isTypeReferenceNode: () => isTypeReferenceNode,
        isTypeReferenceType: () => isTypeReferenceType,
        isTypeUsableAsPropertyName: () => isTypeUsableAsPropertyName,
        isUMDExportSymbol: () => isUMDExportSymbol,
        isUnaryExpression: () => isUnaryExpression,
        isUnaryExpressionWithWrite: () => isUnaryExpressionWithWrite,
        isUnicodeIdentifierStart: () => isUnicodeIdentifierStart,
        isUnionTypeNode: () => isUnionTypeNode,
        isUrl: () => isUrl,
        isValidBigIntString: () => isValidBigIntString,
        isValidESSymbolDeclaration: () => isValidESSymbolDeclaration,
        isValidTypeOnlyAliasUseSite: () => isValidTypeOnlyAliasUseSite,
        isValueSignatureDeclaration: () => isValueSignatureDeclaration,
        isVarAwaitUsing: () => isVarAwaitUsing,
        isVarConst: () => isVarConst,
        isVarConstLike: () => isVarConstLike,
        isVarUsing: () => isVarUsing,
        isVariableDeclaration: () => isVariableDeclaration,
        isVariableDeclarationInVariableStatement: () => isVariableDeclarationInVariableStatement,
        isVariableDeclarationInitializedToBareOrAccessedRequire: () => isVariableDeclarationInitializedToBareOrAccessedRequire,
        isVariableDeclarationInitializedToRequire: () => isVariableDeclarationInitializedToRequire,
        isVariableDeclarationList: () => isVariableDeclarationList,
        isVariableLike: () => isVariableLike,
        isVariableLikeOrAccessor: () => isVariableLikeOrAccessor,
        isVariableStatement: () => isVariableStatement,
        isVoidExpression: () => isVoidExpression,
        isWatchSet: () => isWatchSet,
        isWhileStatement: () => isWhileStatement,
        isWhiteSpaceLike: () => isWhiteSpaceLike,
        isWhiteSpaceSingleLine: () => isWhiteSpaceSingleLine,
        isWithStatement: () => isWithStatement,
        isWriteAccess: () => isWriteAccess,
        isWriteOnlyAccess: () => isWriteOnlyAccess,
        isYieldExpression: () => isYieldExpression,
        jsxModeNeedsExplicitImport: () => jsxModeNeedsExplicitImport,
        keywordPart: () => keywordPart,
        last: () => last,
        lastOrUndefined: () => lastOrUndefined,
        length: () => length,
        libMap: () => libMap,
        libs: () => libs,
        lineBreakPart: () => lineBreakPart,
        linkNamePart: () => linkNamePart,
        linkPart: () => linkPart,
        linkTextPart: () => linkTextPart,
        listFiles: () => listFiles,
        loadModuleFromGlobalCache: () => loadModuleFromGlobalCache,
        loadWithModeAwareCache: () => loadWithModeAwareCache,
        makeIdentifierFromModuleName: () => makeIdentifierFromModuleName,
        makeImport: () => makeImport,
        makeStringLiteral: () => makeStringLiteral,
        mangleScopedPackageName: () => mangleScopedPackageName,
        map: () => map,
        mapAllOrFail: () => mapAllOrFail,
        mapDefined: () => mapDefined,
        mapDefinedEntries: () => mapDefinedEntries,
        mapDefinedIterator: () => mapDefinedIterator,
        mapEntries: () => mapEntries,
        mapIterator: () => mapIterator,
        mapOneOrMany: () => mapOneOrMany,
        mapToDisplayParts: () => mapToDisplayParts,
        matchFiles: () => matchFiles,
        matchPatternOrExact: () => matchPatternOrExact,
        matchedText: () => matchedText,
        matchesExclude: () => matchesExclude,
        maybeBind: () => maybeBind,
        maybeSetLocalizedDiagnosticMessages: () => maybeSetLocalizedDiagnosticMessages,
        memoize: () => memoize,
        memoizeCached: () => memoizeCached,
        memoizeOne: () => memoizeOne,
        memoizeWeak: () => memoizeWeak,
        metadataHelper: () => metadataHelper,
        min: () => min,
        minAndMax: () => minAndMax,
        missingFileModifiedTime: () => missingFileModifiedTime,
        modifierToFlag: () => modifierToFlag,
        modifiersToFlags: () => modifiersToFlags,
        moduleOptionDeclaration: () => moduleOptionDeclaration,
        moduleResolutionIsEqualTo: () => moduleResolutionIsEqualTo,
        moduleResolutionNameAndModeGetter: () => moduleResolutionNameAndModeGetter,
        moduleResolutionOptionDeclarations: () => moduleResolutionOptionDeclarations,
        moduleResolutionSupportsPackageJsonExportsAndImports: () => moduleResolutionSupportsPackageJsonExportsAndImports,
        moduleResolutionUsesNodeModules: () => moduleResolutionUsesNodeModules,
        moduleSpecifierToValidIdentifier: () => moduleSpecifierToValidIdentifier,
        moduleSpecifiers: () => ts_moduleSpecifiers_exports,
        moduleSymbolToValidIdentifier: () => moduleSymbolToValidIdentifier,
        moveEmitHelpers: () => moveEmitHelpers,
        moveRangeEnd: () => moveRangeEnd,
        moveRangePastDecorators: () => moveRangePastDecorators,
        moveRangePastModifiers: () => moveRangePastModifiers,
        moveRangePos: () => moveRangePos,
        moveSyntheticComments: () => moveSyntheticComments,
        mutateMap: () => mutateMap,
        mutateMapSkippingNewValues: () => mutateMapSkippingNewValues,
        needsParentheses: () => needsParentheses2,
        needsScopeMarker: () => needsScopeMarker,
        newCaseClauseTracker: () => newCaseClauseTracker,
        newPrivateEnvironment: () => newPrivateEnvironment,
        noEmitNotification: () => noEmitNotification,
        noEmitSubstitution: () => noEmitSubstitution,
        noTransformers: () => noTransformers,
        noTruncationMaximumTruncationLength: () => noTruncationMaximumTruncationLength,
        nodeCanBeDecorated: () => nodeCanBeDecorated,
        nodeHasName: () => nodeHasName,
        nodeIsDecorated: () => nodeIsDecorated,
        nodeIsMissing: () => nodeIsMissing,
        nodeIsPresent: () => nodeIsPresent,
        nodeIsSynthesized: () => nodeIsSynthesized,
        nodeModuleNameResolver: () => nodeModuleNameResolver,
        nodeModulesPathPart: () => nodeModulesPathPart,
        nodeNextJsonConfigResolver: () => nodeNextJsonConfigResolver,
        nodeOrChildIsDecorated: () => nodeOrChildIsDecorated,
        nodeOverlapsWithStartEnd: () => nodeOverlapsWithStartEnd,
        nodePosToString: () => nodePosToString,
        nodeSeenTracker: () => nodeSeenTracker,
        nodeStartsNewLexicalEnvironment: () => nodeStartsNewLexicalEnvironment,
        nodeToDisplayParts: () => nodeToDisplayParts,
        noop: () => noop2,
        noopFileWatcher: () => noopFileWatcher,
        normalizePath: () => normalizePath,
        normalizeSlashes: () => normalizeSlashes,
        not: () => not,
        notImplemented: () => notImplemented,
        notImplementedResolver: () => notImplementedResolver,
        nullNodeConverters: () => nullNodeConverters,
        nullParenthesizerRules: () => nullParenthesizerRules,
        nullTransformationContext: () => nullTransformationContext,
        objectAllocator: () => objectAllocator,
        operatorPart: () => operatorPart,
        optionDeclarations: () => optionDeclarations,
        optionMapToObject: () => optionMapToObject,
        optionsAffectingProgramStructure: () => optionsAffectingProgramStructure,
        optionsForBuild: () => optionsForBuild,
        optionsForWatch: () => optionsForWatch,
        optionsHaveChanges: () => optionsHaveChanges,
        optionsHaveModuleResolutionChanges: () => optionsHaveModuleResolutionChanges,
        or: () => or,
        orderedRemoveItem: () => orderedRemoveItem,
        orderedRemoveItemAt: () => orderedRemoveItemAt,
        packageIdToPackageName: () => packageIdToPackageName,
        packageIdToString: () => packageIdToString,
        paramHelper: () => paramHelper,
        parameterIsThisKeyword: () => parameterIsThisKeyword,
        parameterNamePart: () => parameterNamePart,
        parseBaseNodeFactory: () => parseBaseNodeFactory,
        parseBigInt: () => parseBigInt,
        parseBuildCommand: () => parseBuildCommand,
        parseCommandLine: () => parseCommandLine,
        parseCommandLineWorker: () => parseCommandLineWorker,
        parseConfigFileTextToJson: () => parseConfigFileTextToJson,
        parseConfigFileWithSystem: () => parseConfigFileWithSystem,
        parseConfigHostFromCompilerHostLike: () => parseConfigHostFromCompilerHostLike,
        parseCustomTypeOption: () => parseCustomTypeOption,
        parseIsolatedEntityName: () => parseIsolatedEntityName,
        parseIsolatedJSDocComment: () => parseIsolatedJSDocComment,
        parseJSDocTypeExpressionForTests: () => parseJSDocTypeExpressionForTests,
        parseJsonConfigFileContent: () => parseJsonConfigFileContent,
        parseJsonSourceFileConfigFileContent: () => parseJsonSourceFileConfigFileContent,
        parseJsonText: () => parseJsonText,
        parseListTypeOption: () => parseListTypeOption,
        parseNodeFactory: () => parseNodeFactory,
        parseNodeModuleFromPath: () => parseNodeModuleFromPath,
        parsePackageName: () => parsePackageName,
        parsePseudoBigInt: () => parsePseudoBigInt,
        parseValidBigInt: () => parseValidBigInt,
        pasteEdits: () => ts_PasteEdits_exports,
        patchWriteFileEnsuringDirectory: () => patchWriteFileEnsuringDirectory,
        pathContainsNodeModules: () => pathContainsNodeModules,
        pathIsAbsolute: () => pathIsAbsolute,
        pathIsBareSpecifier: () => pathIsBareSpecifier,
        pathIsRelative: () => pathIsRelative,
        patternText: () => patternText,
        perfLogger: () => perfLogger,
        performIncrementalCompilation: () => performIncrementalCompilation,
        performance: () => ts_performance_exports,
        plainJSErrors: () => plainJSErrors,
        positionBelongsToNode: () => positionBelongsToNode,
        positionIsASICandidate: () => positionIsASICandidate,
        positionIsSynthesized: () => positionIsSynthesized,
        positionsAreOnSameLine: () => positionsAreOnSameLine,
        preProcessFile: () => preProcessFile,
        probablyUsesSemicolons: () => probablyUsesSemicolons,
        processCommentPragmas: () => processCommentPragmas,
        processPragmasIntoFields: () => processPragmasIntoFields,
        processTaggedTemplateExpression: () => processTaggedTemplateExpression,
        programContainsEsModules: () => programContainsEsModules,
        programContainsModules: () => programContainsModules,
        projectReferenceIsEqualTo: () => projectReferenceIsEqualTo,
        propKeyHelper: () => propKeyHelper,
        propertyNamePart: () => propertyNamePart,
        pseudoBigIntToString: () => pseudoBigIntToString,
        punctuationPart: () => punctuationPart,
        pushIfUnique: () => pushIfUnique,
        quote: () => quote,
        quotePreferenceFromString: () => quotePreferenceFromString,
        rangeContainsPosition: () => rangeContainsPosition,
        rangeContainsPositionExclusive: () => rangeContainsPositionExclusive,
        rangeContainsRange: () => rangeContainsRange,
        rangeContainsRangeExclusive: () => rangeContainsRangeExclusive,
        rangeContainsStartEnd: () => rangeContainsStartEnd,
        rangeEndIsOnSameLineAsRangeStart: () => rangeEndIsOnSameLineAsRangeStart,
        rangeEndPositionsAreOnSameLine: () => rangeEndPositionsAreOnSameLine,
        rangeEquals: () => rangeEquals,
        rangeIsOnSingleLine: () => rangeIsOnSingleLine,
        rangeOfNode: () => rangeOfNode,
        rangeOfTypeParameters: () => rangeOfTypeParameters,
        rangeOverlapsWithStartEnd: () => rangeOverlapsWithStartEnd,
        rangeStartIsOnSameLineAsRangeEnd: () => rangeStartIsOnSameLineAsRangeEnd,
        rangeStartPositionsAreOnSameLine: () => rangeStartPositionsAreOnSameLine,
        readBuilderProgram: () => readBuilderProgram,
        readConfigFile: () => readConfigFile,
        readHelper: () => readHelper,
        readJson: () => readJson,
        readJsonConfigFile: () => readJsonConfigFile,
        readJsonOrUndefined: () => readJsonOrUndefined,
        reduceEachLeadingCommentRange: () => reduceEachLeadingCommentRange,
        reduceEachTrailingCommentRange: () => reduceEachTrailingCommentRange,
        reduceLeft: () => reduceLeft,
        reduceLeftIterator: () => reduceLeftIterator,
        reducePathComponents: () => reducePathComponents,
        refactor: () => ts_refactor_exports,
        regExpEscape: () => regExpEscape,
        regularExpressionFlagToCharacter: () => regularExpressionFlagToCharacter,
        relativeComplement: () => relativeComplement,
        removeAllComments: () => removeAllComments,
        removeEmitHelper: () => removeEmitHelper,
        removeExtension: () => removeExtension,
        removeFileExtension: () => removeFileExtension,
        removeIgnoredPath: () => removeIgnoredPath,
        removeMinAndVersionNumbers: () => removeMinAndVersionNumbers,
        removeOptionality: () => removeOptionality,
        removePrefix: () => removePrefix,
        removeSuffix: () => removeSuffix,
        removeTrailingDirectorySeparator: () => removeTrailingDirectorySeparator,
        repeatString: () => repeatString,
        replaceElement: () => replaceElement,
        replaceFirstStar: () => replaceFirstStar,
        resolutionExtensionIsTSOrJson: () => resolutionExtensionIsTSOrJson,
        resolveConfigFileProjectName: () => resolveConfigFileProjectName,
        resolveJSModule: () => resolveJSModule,
        resolveLibrary: () => resolveLibrary,
        resolveModuleName: () => resolveModuleName,
        resolveModuleNameFromCache: () => resolveModuleNameFromCache,
        resolvePackageNameToPackageJson: () => resolvePackageNameToPackageJson,
        resolvePath: () => resolvePath,
        resolveProjectReferencePath: () => resolveProjectReferencePath,
        resolveTripleslashReference: () => resolveTripleslashReference,
        resolveTypeReferenceDirective: () => resolveTypeReferenceDirective,
        resolvingEmptyArray: () => resolvingEmptyArray,
        restHelper: () => restHelper,
        returnFalse: () => returnFalse,
        returnNoopFileWatcher: () => returnNoopFileWatcher,
        returnTrue: () => returnTrue,
        returnUndefined: () => returnUndefined,
        returnsPromise: () => returnsPromise,
        runInitializersHelper: () => runInitializersHelper,
        sameFlatMap: () => sameFlatMap,
        sameMap: () => sameMap,
        sameMapping: () => sameMapping,
        scanShebangTrivia: () => scanShebangTrivia,
        scanTokenAtPosition: () => scanTokenAtPosition,
        scanner: () => scanner,
        screenStartingMessageCodes: () => screenStartingMessageCodes,
        semanticDiagnosticsOptionDeclarations: () => semanticDiagnosticsOptionDeclarations,
        serializeCompilerOptions: () => serializeCompilerOptions,
        server: () => ts_server_exports3,
        servicesVersion: () => servicesVersion,
        setCommentRange: () => setCommentRange,
        setConfigFileInOptions: () => setConfigFileInOptions,
        setConstantValue: () => setConstantValue,
        setEachParent: () => setEachParent,
        setEmitFlags: () => setEmitFlags,
        setFunctionNameHelper: () => setFunctionNameHelper,
        setGetSourceFileAsHashVersioned: () => setGetSourceFileAsHashVersioned,
        setIdentifierAutoGenerate: () => setIdentifierAutoGenerate,
        setIdentifierGeneratedImportReference: () => setIdentifierGeneratedImportReference,
        setIdentifierTypeArguments: () => setIdentifierTypeArguments,
        setInternalEmitFlags: () => setInternalEmitFlags,
        setLocalizedDiagnosticMessages: () => setLocalizedDiagnosticMessages,
        setModuleDefaultHelper: () => setModuleDefaultHelper,
        setNodeChildren: () => setNodeChildren,
        setNodeFlags: () => setNodeFlags,
        setObjectAllocator: () => setObjectAllocator,
        setOriginalNode: () => setOriginalNode,
        setParent: () => setParent,
        setParentRecursive: () => setParentRecursive,
        setPrivateIdentifier: () => setPrivateIdentifier,
        setSnippetElement: () => setSnippetElement,
        setSourceMapRange: () => setSourceMapRange,
        setStackTraceLimit: () => setStackTraceLimit,
        setStartsOnNewLine: () => setStartsOnNewLine,
        setSyntheticLeadingComments: () => setSyntheticLeadingComments,
        setSyntheticTrailingComments: () => setSyntheticTrailingComments,
        setSys: () => setSys,
        setSysLog: () => setSysLog,
        setTextRange: () => setTextRange,
        setTextRangeEnd: () => setTextRangeEnd,
        setTextRangePos: () => setTextRangePos,
        setTextRangePosEnd: () => setTextRangePosEnd,
        setTextRangePosWidth: () => setTextRangePosWidth,
        setTokenSourceMapRange: () => setTokenSourceMapRange,
        setTypeNode: () => setTypeNode,
        setUILocale: () => setUILocale,
        setValueDeclaration: () => setValueDeclaration,
        shouldAllowImportingTsExtension: () => shouldAllowImportingTsExtension,
        shouldPreserveConstEnums: () => shouldPreserveConstEnums,
        shouldUseUriStyleNodeCoreModules: () => shouldUseUriStyleNodeCoreModules,
        showModuleSpecifier: () => showModuleSpecifier,
        signatureHasLiteralTypes: () => signatureHasLiteralTypes,
        signatureHasRestParameter: () => signatureHasRestParameter,
        signatureToDisplayParts: () => signatureToDisplayParts,
        single: () => single,
        singleElementArray: () => singleElementArray,
        singleIterator: () => singleIterator,
        singleOrMany: () => singleOrMany,
        singleOrUndefined: () => singleOrUndefined,
        skipAlias: () => skipAlias,
        skipAssertions: () => skipAssertions,
        skipConstraint: () => skipConstraint,
        skipOuterExpressions: () => skipOuterExpressions,
        skipParentheses: () => skipParentheses,
        skipPartiallyEmittedExpressions: () => skipPartiallyEmittedExpressions,
        skipTrivia: () => skipTrivia,
        skipTypeChecking: () => skipTypeChecking,
        skipTypeParentheses: () => skipTypeParentheses,
        skipWhile: () => skipWhile,
        sliceAfter: () => sliceAfter,
        some: () => some,
        sort: () => sort,
        sortAndDeduplicate: () => sortAndDeduplicate,
        sortAndDeduplicateDiagnostics: () => sortAndDeduplicateDiagnostics,
        sourceFileAffectingCompilerOptions: () => sourceFileAffectingCompilerOptions,
        sourceFileMayBeEmitted: () => sourceFileMayBeEmitted,
        sourceMapCommentRegExp: () => sourceMapCommentRegExp,
        sourceMapCommentRegExpDontCareLineStart: () => sourceMapCommentRegExpDontCareLineStart,
        spacePart: () => spacePart,
        spanMap: () => spanMap,
        spreadArrayHelper: () => spreadArrayHelper,
        stableSort: () => stableSort,
        startEndContainsRange: () => startEndContainsRange,
        startEndOverlapsWithStartEnd: () => startEndOverlapsWithStartEnd,
        startOnNewLine: () => startOnNewLine,
        startTracing: () => startTracing,
        startsWith: () => startsWith2,
        startsWithDirectory: () => startsWithDirectory,
        startsWithUnderscore: () => startsWithUnderscore,
        startsWithUseStrict: () => startsWithUseStrict,
        stringContainsAt: () => stringContainsAt,
        stringToToken: () => stringToToken,
        stripQuotes: () => stripQuotes,
        supportedDeclarationExtensions: () => supportedDeclarationExtensions,
        supportedJSExtensions: () => supportedJSExtensions,
        supportedJSExtensionsFlat: () => supportedJSExtensionsFlat,
        supportedLocaleDirectories: () => supportedLocaleDirectories,
        supportedTSExtensions: () => supportedTSExtensions,
        supportedTSExtensionsFlat: () => supportedTSExtensionsFlat,
        supportedTSImplementationExtensions: () => supportedTSImplementationExtensions,
        suppressLeadingAndTrailingTrivia: () => suppressLeadingAndTrailingTrivia,
        suppressLeadingTrivia: () => suppressLeadingTrivia,
        suppressTrailingTrivia: () => suppressTrailingTrivia,
        symbolEscapedNameNoDefault: () => symbolEscapedNameNoDefault,
        symbolName: () => symbolName,
        symbolNameNoDefault: () => symbolNameNoDefault,
        symbolPart: () => symbolPart,
        symbolToDisplayParts: () => symbolToDisplayParts,
        syntaxMayBeASICandidate: () => syntaxMayBeASICandidate,
        syntaxRequiresTrailingSemicolonOrASI: () => syntaxRequiresTrailingSemicolonOrASI,
        sys: () => sys,
        sysLog: () => sysLog,
        tagNamesAreEquivalent: () => tagNamesAreEquivalent,
        takeWhile: () => takeWhile,
        targetOptionDeclaration: () => targetOptionDeclaration,
        templateObjectHelper: () => templateObjectHelper,
        testFormatSettings: () => testFormatSettings,
        textChangeRangeIsUnchanged: () => textChangeRangeIsUnchanged,
        textChangeRangeNewSpan: () => textChangeRangeNewSpan,
        textChanges: () => ts_textChanges_exports,
        textOrKeywordPart: () => textOrKeywordPart,
        textPart: () => textPart,
        textRangeContainsPositionInclusive: () => textRangeContainsPositionInclusive,
        textSpanContainsPosition: () => textSpanContainsPosition,
        textSpanContainsTextSpan: () => textSpanContainsTextSpan,
        textSpanEnd: () => textSpanEnd,
        textSpanIntersection: () => textSpanIntersection,
        textSpanIntersectsWith: () => textSpanIntersectsWith,
        textSpanIntersectsWithPosition: () => textSpanIntersectsWithPosition,
        textSpanIntersectsWithTextSpan: () => textSpanIntersectsWithTextSpan,
        textSpanIsEmpty: () => textSpanIsEmpty,
        textSpanOverlap: () => textSpanOverlap,
        textSpanOverlapsWith: () => textSpanOverlapsWith,
        textSpansEqual: () => textSpansEqual,
        textToKeywordObj: () => textToKeywordObj,
        timestamp: () => timestamp,
        toArray: () => toArray,
        toBuilderFileEmit: () => toBuilderFileEmit,
        toBuilderStateFileInfoForMultiEmit: () => toBuilderStateFileInfoForMultiEmit,
        toEditorSettings: () => toEditorSettings,
        toFileNameLowerCase: () => toFileNameLowerCase,
        toLowerCase: () => toLowerCase,
        toPath: () => toPath3,
        toProgramEmitPending: () => toProgramEmitPending,
        tokenIsIdentifierOrKeyword: () => tokenIsIdentifierOrKeyword,
        tokenIsIdentifierOrKeywordOrGreaterThan: () => tokenIsIdentifierOrKeywordOrGreaterThan,
        tokenToString: () => tokenToString,
        trace: () => trace,
        tracing: () => tracing,
        tracingEnabled: () => tracingEnabled,
        transferSourceFileChildren: () => transferSourceFileChildren,
        transform: () => transform,
        transformClassFields: () => transformClassFields,
        transformDeclarations: () => transformDeclarations,
        transformECMAScriptModule: () => transformECMAScriptModule,
        transformES2015: () => transformES2015,
        transformES2016: () => transformES2016,
        transformES2017: () => transformES2017,
        transformES2018: () => transformES2018,
        transformES2019: () => transformES2019,
        transformES2020: () => transformES2020,
        transformES2021: () => transformES2021,
        transformESDecorators: () => transformESDecorators,
        transformESNext: () => transformESNext,
        transformGenerators: () => transformGenerators,
        transformJsx: () => transformJsx,
        transformLegacyDecorators: () => transformLegacyDecorators,
        transformModule: () => transformModule,
        transformNamedEvaluation: () => transformNamedEvaluation,
        transformNodeModule: () => transformNodeModule,
        transformNodes: () => transformNodes,
        transformSystemModule: () => transformSystemModule,
        transformTypeScript: () => transformTypeScript,
        transpile: () => transpile,
        transpileDeclaration: () => transpileDeclaration,
        transpileModule: () => transpileModule,
        transpileOptionValueCompilerOptions: () => transpileOptionValueCompilerOptions,
        tryAddToSet: () => tryAddToSet,
        tryAndIgnoreErrors: () => tryAndIgnoreErrors,
        tryCast: () => tryCast,
        tryDirectoryExists: () => tryDirectoryExists,
        tryExtractTSExtension: () => tryExtractTSExtension,
        tryFileExists: () => tryFileExists,
        tryGetClassExtendingExpressionWithTypeArguments: () => tryGetClassExtendingExpressionWithTypeArguments,
        tryGetClassImplementingOrExtendingExpressionWithTypeArguments: () => tryGetClassImplementingOrExtendingExpressionWithTypeArguments,
        tryGetDirectories: () => tryGetDirectories,
        tryGetExtensionFromPath: () => tryGetExtensionFromPath2,
        tryGetImportFromModuleSpecifier: () => tryGetImportFromModuleSpecifier,
        tryGetJSDocSatisfiesTypeNode: () => tryGetJSDocSatisfiesTypeNode,
        tryGetModuleNameFromFile: () => tryGetModuleNameFromFile,
        tryGetModuleSpecifierFromDeclaration: () => tryGetModuleSpecifierFromDeclaration,
        tryGetNativePerformanceHooks: () => tryGetNativePerformanceHooks,
        tryGetPropertyAccessOrIdentifierToString: () => tryGetPropertyAccessOrIdentifierToString,
        tryGetPropertyNameOfBindingOrAssignmentElement: () => tryGetPropertyNameOfBindingOrAssignmentElement,
        tryGetSourceMappingURL: () => tryGetSourceMappingURL,
        tryGetTextOfPropertyName: () => tryGetTextOfPropertyName,
        tryIOAndConsumeErrors: () => tryIOAndConsumeErrors,
        tryParseJson: () => tryParseJson,
        tryParsePattern: () => tryParsePattern,
        tryParsePatterns: () => tryParsePatterns,
        tryParseRawSourceMap: () => tryParseRawSourceMap,
        tryReadDirectory: () => tryReadDirectory,
        tryReadFile: () => tryReadFile,
        tryRemoveDirectoryPrefix: () => tryRemoveDirectoryPrefix,
        tryRemoveExtension: () => tryRemoveExtension,
        tryRemovePrefix: () => tryRemovePrefix,
        tryRemoveSuffix: () => tryRemoveSuffix,
        typeAcquisitionDeclarations: () => typeAcquisitionDeclarations,
        typeAliasNamePart: () => typeAliasNamePart,
        typeDirectiveIsEqualTo: () => typeDirectiveIsEqualTo,
        typeKeywords: () => typeKeywords,
        typeParameterNamePart: () => typeParameterNamePart,
        typeToDisplayParts: () => typeToDisplayParts,
        unchangedPollThresholds: () => unchangedPollThresholds,
        unchangedTextChangeRange: () => unchangedTextChangeRange,
        unescapeLeadingUnderscores: () => unescapeLeadingUnderscores,
        unmangleScopedPackageName: () => unmangleScopedPackageName,
        unorderedRemoveItem: () => unorderedRemoveItem,
        unorderedRemoveItemAt: () => unorderedRemoveItemAt,
        unreachableCodeIsError: () => unreachableCodeIsError,
        unsetNodeChildren: () => unsetNodeChildren,
        unusedLabelIsError: () => unusedLabelIsError,
        unwrapInnermostStatementOfLabel: () => unwrapInnermostStatementOfLabel,
        unwrapParenthesizedExpression: () => unwrapParenthesizedExpression,
        updateErrorForNoInputFiles: () => updateErrorForNoInputFiles,
        updateLanguageServiceSourceFile: () => updateLanguageServiceSourceFile,
        updateMissingFilePathsWatch: () => updateMissingFilePathsWatch,
        updateResolutionField: () => updateResolutionField,
        updateSharedExtendedConfigFileWatcher: () => updateSharedExtendedConfigFileWatcher,
        updateSourceFile: () => updateSourceFile,
        updateWatchingWildcardDirectories: () => updateWatchingWildcardDirectories,
        usesExtensionsOnImports: () => usesExtensionsOnImports,
        usingSingleLineStringWriter: () => usingSingleLineStringWriter,
        utf16EncodeAsString: () => utf16EncodeAsString,
        validateLocaleAndSetLanguage: () => validateLocaleAndSetLanguage,
        valuesHelper: () => valuesHelper,
        version: () => version,
        versionMajorMinor: () => versionMajorMinor,
        visitArray: () => visitArray,
        visitCommaListElements: () => visitCommaListElements,
        visitEachChild: () => visitEachChild,
        visitFunctionBody: () => visitFunctionBody,
        visitIterationBody: () => visitIterationBody,
        visitLexicalEnvironment: () => visitLexicalEnvironment,
        visitNode: () => visitNode,
        visitNodes: () => visitNodes2,
        visitParameterList: () => visitParameterList,
        walkUpBindingElementsAndPatterns: () => walkUpBindingElementsAndPatterns,
        walkUpLexicalEnvironments: () => walkUpLexicalEnvironments,
        walkUpOuterExpressions: () => walkUpOuterExpressions,
        walkUpParenthesizedExpressions: () => walkUpParenthesizedExpressions,
        walkUpParenthesizedTypes: () => walkUpParenthesizedTypes,
        walkUpParenthesizedTypesAndGetParentAndChild: () => walkUpParenthesizedTypesAndGetParentAndChild,
        whitespaceOrMapCommentRegExp: () => whitespaceOrMapCommentRegExp,
        writeCommentRange: () => writeCommentRange,
        writeFile: () => writeFile,
        writeFileEnsuringDirectories: () => writeFileEnsuringDirectories,
        zipWith: () => zipWith
      });
      var enableDeprecationWarnings = true;
      var typeScriptVersion2;
      function getTypeScriptVersion() {
        return typeScriptVersion2 ?? (typeScriptVersion2 = new Version(version));
      }
      function formatDeprecationMessage(name, error2, errorAfter, since, message) {
        let deprecationMessage = error2 ? "DeprecationError: " : "DeprecationWarning: ";
        deprecationMessage += `'${name}' `;
        deprecationMessage += since ? `has been deprecated since v${since}` : "is deprecated";
        deprecationMessage += error2 ? " and can no longer be used." : errorAfter ? ` and will no longer be usable after v${errorAfter}.` : ".";
        deprecationMessage += message ? ` ${formatStringFromArgs(message, [name])}` : "";
        return deprecationMessage;
      }
      function createErrorDeprecation(name, errorAfter, since, message) {
        const deprecationMessage = formatDeprecationMessage(
          name,
          /*error*/
          true,
          errorAfter,
          since,
          message
        );
        return () => {
          throw new TypeError(deprecationMessage);
        };
      }
      function createWarningDeprecation(name, errorAfter, since, message) {
        let hasWrittenDeprecation = false;
        return () => {
          if (enableDeprecationWarnings && !hasWrittenDeprecation) {
            Debug.log.warn(formatDeprecationMessage(
              name,
              /*error*/
              false,
              errorAfter,
              since,
              message
            ));
            hasWrittenDeprecation = true;
          }
        };
      }
      function createDeprecation(name, options = {}) {
        const version2 = typeof options.typeScriptVersion === "string" ? new Version(options.typeScriptVersion) : options.typeScriptVersion ?? getTypeScriptVersion();
        const errorAfter = typeof options.errorAfter === "string" ? new Version(options.errorAfter) : options.errorAfter;
        const warnAfter = typeof options.warnAfter === "string" ? new Version(options.warnAfter) : options.warnAfter;
        const since = typeof options.since === "string" ? new Version(options.since) : options.since ?? warnAfter;
        const error2 = options.error || errorAfter && version2.compareTo(errorAfter) >= 0;
        const warn = !warnAfter || version2.compareTo(warnAfter) >= 0;
        return error2 ? createErrorDeprecation(name, errorAfter, since, options.message) : warn ? createWarningDeprecation(name, errorAfter, since, options.message) : noop2;
      }
      function wrapFunction(deprecation, func) {
        return function() {
          deprecation();
          return func.apply(this, arguments);
        };
      }
      function deprecate(func, options) {
        const deprecation = createDeprecation((options == null ? void 0 : options.name) ?? Debug.getFunctionName(func), options);
        return wrapFunction(deprecation, func);
      }
      function createOverload(name, overloads, binder2, deprecations) {
        Object.defineProperty(call, "name", { ...Object.getOwnPropertyDescriptor(call, "name"), value: name });
        if (deprecations) {
          for (const key of Object.keys(deprecations)) {
            const index = +key;
            if (!isNaN(index) && hasProperty(overloads, `${index}`)) {
              overloads[index] = deprecate(overloads[index], { ...deprecations[index], name });
            }
          }
        }
        const bind = createBinder2(overloads, binder2);
        return call;
        function call(...args) {
          const index = bind(args);
          const fn = index !== void 0 ? overloads[index] : void 0;
          if (typeof fn === "function") {
            return fn(...args);
          }
          throw new TypeError("Invalid arguments");
        }
      }
      function createBinder2(overloads, binder2) {
        return (args) => {
          for (let i = 0; hasProperty(overloads, `${i}`) && hasProperty(binder2, `${i}`); i++) {
            const fn = binder2[i];
            if (fn(args)) {
              return i;
            }
          }
        };
      }
      function buildOverload(name) {
        return {
          overload: (overloads) => ({
            bind: (binder2) => ({
              finish: () => createOverload(name, overloads, binder2),
              deprecate: (deprecations) => ({
                finish: () => createOverload(name, overloads, binder2, deprecations)
              })
            })
          })
        };
      }
      var ts_server_exports3 = {};
      __export2(ts_server_exports3, {
        ActionInvalidate: () => ActionInvalidate,
        ActionPackageInstalled: () => ActionPackageInstalled,
        ActionSet: () => ActionSet,
        ActionWatchTypingLocations: () => ActionWatchTypingLocations,
        Arguments: () => Arguments,
        AutoImportProviderProject: () => AutoImportProviderProject,
        AuxiliaryProject: () => AuxiliaryProject,
        CharRangeSection: () => CharRangeSection,
        CloseFileWatcherEvent: () => CloseFileWatcherEvent,
        CommandNames: () => CommandNames,
        ConfigFileDiagEvent: () => ConfigFileDiagEvent,
        ConfiguredProject: () => ConfiguredProject2,
        ConfiguredProjectLoadKind: () => ConfiguredProjectLoadKind,
        CreateDirectoryWatcherEvent: () => CreateDirectoryWatcherEvent,
        CreateFileWatcherEvent: () => CreateFileWatcherEvent,
        Errors: () => Errors,
        EventBeginInstallTypes: () => EventBeginInstallTypes,
        EventEndInstallTypes: () => EventEndInstallTypes,
        EventInitializationFailed: () => EventInitializationFailed,
        EventTypesRegistry: () => EventTypesRegistry,
        ExternalProject: () => ExternalProject,
        GcTimer: () => GcTimer,
        InferredProject: () => InferredProject2,
        LargeFileReferencedEvent: () => LargeFileReferencedEvent,
        LineIndex: () => LineIndex,
        LineLeaf: () => LineLeaf,
        LineNode: () => LineNode,
        LogLevel: () => LogLevel22,
        Msg: () => Msg,
        OpenFileInfoTelemetryEvent: () => OpenFileInfoTelemetryEvent,
        Project: () => Project3,
        ProjectInfoTelemetryEvent: () => ProjectInfoTelemetryEvent,
        ProjectKind: () => ProjectKind,
        ProjectLanguageServiceStateEvent: () => ProjectLanguageServiceStateEvent,
        ProjectLoadingFinishEvent: () => ProjectLoadingFinishEvent,
        ProjectLoadingStartEvent: () => ProjectLoadingStartEvent,
        ProjectService: () => ProjectService3,
        ProjectsUpdatedInBackgroundEvent: () => ProjectsUpdatedInBackgroundEvent,
        ScriptInfo: () => ScriptInfo,
        ScriptVersionCache: () => ScriptVersionCache,
        Session: () => Session3,
        TextStorage: () => TextStorage,
        ThrottledOperations: () => ThrottledOperations,
        TypingsCache: () => TypingsCache,
        TypingsInstallerAdapter: () => TypingsInstallerAdapter,
        allFilesAreJsOrDts: () => allFilesAreJsOrDts,
        allRootFilesAreJsOrDts: () => allRootFilesAreJsOrDts,
        asNormalizedPath: () => asNormalizedPath,
        convertCompilerOptions: () => convertCompilerOptions,
        convertFormatOptions: () => convertFormatOptions,
        convertScriptKindName: () => convertScriptKindName,
        convertTypeAcquisition: () => convertTypeAcquisition,
        convertUserPreferences: () => convertUserPreferences,
        convertWatchOptions: () => convertWatchOptions,
        countEachFileTypes: () => countEachFileTypes,
        createInstallTypingsRequest: () => createInstallTypingsRequest,
        createModuleSpecifierCache: () => createModuleSpecifierCache,
        createNormalizedPathMap: () => createNormalizedPathMap,
        createPackageJsonCache: () => createPackageJsonCache,
        createSortedArray: () => createSortedArray2,
        emptyArray: () => emptyArray2,
        findArgument: () => findArgument,
        forEachResolvedProjectReferenceProject: () => forEachResolvedProjectReferenceProject,
        formatDiagnosticToProtocol: () => formatDiagnosticToProtocol,
        formatMessage: () => formatMessage2,
        getBaseConfigFileName: () => getBaseConfigFileName,
        getLocationInNewDocument: () => getLocationInNewDocument,
        hasArgument: () => hasArgument,
        hasNoTypeScriptSource: () => hasNoTypeScriptSource,
        indent: () => indent2,
        isBackgroundProject: () => isBackgroundProject,
        isConfigFile: () => isConfigFile,
        isConfiguredProject: () => isConfiguredProject,
        isDynamicFileName: () => isDynamicFileName,
        isExternalProject: () => isExternalProject,
        isInferredProject: () => isInferredProject,
        isInferredProjectName: () => isInferredProjectName,
        isProjectDeferredClose: () => isProjectDeferredClose,
        makeAutoImportProviderProjectName: () => makeAutoImportProviderProjectName,
        makeAuxiliaryProjectName: () => makeAuxiliaryProjectName,
        makeInferredProjectName: () => makeInferredProjectName,
        maxFileSize: () => maxFileSize,
        maxProgramSizeForNonTsFiles: () => maxProgramSizeForNonTsFiles,
        normalizedPathToPath: () => normalizedPathToPath,
        nowString: () => nowString,
        nullCancellationToken: () => nullCancellationToken,
        nullTypingsInstaller: () => nullTypingsInstaller,
        protocol: () => ts_server_protocol_exports,
        removeSorted: () => removeSorted,
        stringifyIndented: () => stringifyIndented,
        toEvent: () => toEvent,
        toNormalizedPath: () => toNormalizedPath,
        tryConvertScriptKindName: () => tryConvertScriptKindName,
        typingsInstaller: () => ts_server_typingsInstaller_exports,
        updateProjectIfDirty: () => updateProjectIfDirty
      });
      var ts_server_typingsInstaller_exports = {};
      __export2(ts_server_typingsInstaller_exports, {
        TypingsInstaller: () => TypingsInstaller,
        getNpmCommandForInstallation: () => getNpmCommandForInstallation,
        installNpmPackages: () => installNpmPackages,
        typingsName: () => typingsName
      });
      var nullLog = {
        isEnabled: () => false,
        writeLine: noop2
      };
      function typingToFileName(cachePath, packageName, installTypingHost, log) {
        try {
          const result = resolveModuleName(packageName, combinePaths(cachePath, "index.d.ts"), {
            moduleResolution: 2
            /* Node10 */
          }, installTypingHost);
          return result.resolvedModule && result.resolvedModule.resolvedFileName;
        } catch (e) {
          if (log.isEnabled()) {
            log.writeLine(`Failed to resolve ${packageName} in folder '${cachePath}': ${e.message}`);
          }
          return void 0;
        }
      }
      function installNpmPackages(npmPath, tsVersion, packageNames, install) {
        let hasError = false;
        for (let remaining = packageNames.length; remaining > 0; ) {
          const result = getNpmCommandForInstallation(npmPath, tsVersion, packageNames, remaining);
          remaining = result.remaining;
          hasError = install(result.command) || hasError;
        }
        return hasError;
      }
      function getNpmCommandForInstallation(npmPath, tsVersion, packageNames, remaining) {
        const sliceStart = packageNames.length - remaining;
        let command, toSlice = remaining;
        while (true) {
          command = `${npmPath} install --ignore-scripts ${(toSlice === packageNames.length ? packageNames : packageNames.slice(sliceStart, sliceStart + toSlice)).join(" ")} --save-dev --user-agent="typesInstaller/${tsVersion}"`;
          if (command.length < 8e3) {
            break;
          }
          toSlice = toSlice - Math.floor(toSlice / 2);
        }
        return { command, remaining: remaining - toSlice };
      }
      var TypingsInstaller = class {
        constructor(installTypingHost, globalCachePath, safeListPath, typesMapLocation, throttleLimit, log = nullLog) {
          this.installTypingHost = installTypingHost;
          this.globalCachePath = globalCachePath;
          this.safeListPath = safeListPath;
          this.typesMapLocation = typesMapLocation;
          this.throttleLimit = throttleLimit;
          this.log = log;
          this.packageNameToTypingLocation = /* @__PURE__ */ new Map();
          this.missingTypingsSet = /* @__PURE__ */ new Set();
          this.knownCachesSet = /* @__PURE__ */ new Set();
          this.projectWatchers = /* @__PURE__ */ new Map();
          this.pendingRunRequests = [];
          this.installRunCount = 1;
          this.inFlightRequestCount = 0;
          this.latestDistTag = "latest";
          const isLoggingEnabled = this.log.isEnabled();
          if (isLoggingEnabled) {
            this.log.writeLine(`Global cache location '${globalCachePath}', safe file path '${safeListPath}', types map path ${typesMapLocation}`);
          }
          this.processCacheLocation(this.globalCachePath);
        }
        /** @internal */
        handleRequest(req) {
          switch (req.kind) {
            case "discover":
              this.install(req);
              break;
            case "closeProject":
              this.closeProject(req);
              break;
            case "typesRegistry": {
              const typesRegistry = {};
              this.typesRegistry.forEach((value, key) => {
                typesRegistry[key] = value;
              });
              const response = { kind: EventTypesRegistry, typesRegistry };
              this.sendResponse(response);
              break;
            }
            case "installPackage": {
              this.installPackage(req);
              break;
            }
            default:
              Debug.assertNever(req);
          }
        }
        closeProject(req) {
          this.closeWatchers(req.projectName);
        }
        closeWatchers(projectName) {
          if (this.log.isEnabled()) {
            this.log.writeLine(`Closing file watchers for project '${projectName}'`);
          }
          const watchers = this.projectWatchers.get(projectName);
          if (!watchers) {
            if (this.log.isEnabled()) {
              this.log.writeLine(`No watchers are registered for project '${projectName}'`);
            }
            return;
          }
          this.projectWatchers.delete(projectName);
          this.sendResponse({ kind: ActionWatchTypingLocations, projectName, files: [] });
          if (this.log.isEnabled()) {
            this.log.writeLine(`Closing file watchers for project '${projectName}' - done.`);
          }
        }
        install(req) {
          if (this.log.isEnabled()) {
            this.log.writeLine(`Got install request${stringifyIndented(req)}`);
          }
          if (req.cachePath) {
            if (this.log.isEnabled()) {
              this.log.writeLine(`Request specifies cache path '${req.cachePath}', loading cached information...`);
            }
            this.processCacheLocation(req.cachePath);
          }
          if (this.safeList === void 0) {
            this.initializeSafeList();
          }
          const discoverTypingsResult = ts_JsTyping_exports.discoverTypings(
            this.installTypingHost,
            this.log.isEnabled() ? (s) => this.log.writeLine(s) : void 0,
            req.fileNames,
            req.projectRootPath,
            this.safeList,
            this.packageNameToTypingLocation,
            req.typeAcquisition,
            req.unresolvedImports,
            this.typesRegistry,
            req.compilerOptions
          );
          this.watchFiles(req.projectName, discoverTypingsResult.filesToWatch);
          if (discoverTypingsResult.newTypingNames.length) {
            this.installTypings(req, req.cachePath || this.globalCachePath, discoverTypingsResult.cachedTypingPaths, discoverTypingsResult.newTypingNames);
          } else {
            this.sendResponse(this.createSetTypings(req, discoverTypingsResult.cachedTypingPaths));
            if (this.log.isEnabled()) {
              this.log.writeLine(`No new typings were requested as a result of typings discovery`);
            }
          }
        }
        /** @internal */
        installPackage(req) {
          const { fileName, packageName, projectName, projectRootPath, id } = req;
          const cwd = forEachAncestorDirectory(getDirectoryPath(fileName), (directory) => {
            if (this.installTypingHost.fileExists(combinePaths(directory, "package.json"))) {
              return directory;
            }
          }) || projectRootPath;
          if (cwd) {
            this.installWorker(-1, [packageName], cwd, (success) => {
              const message = success ? `Package ${packageName} installed.` : `There was an error installing ${packageName}.`;
              const response = {
                kind: ActionPackageInstalled,
                projectName,
                id,
                success,
                message
              };
              this.sendResponse(response);
            });
          } else {
            const response = {
              kind: ActionPackageInstalled,
              projectName,
              id,
              success: false,
              message: "Could not determine a project root path."
            };
            this.sendResponse(response);
          }
        }
        initializeSafeList() {
          if (this.typesMapLocation) {
            const safeListFromMap = ts_JsTyping_exports.loadTypesMap(this.installTypingHost, this.typesMapLocation);
            if (safeListFromMap) {
              this.log.writeLine(`Loaded safelist from types map file '${this.typesMapLocation}'`);
              this.safeList = safeListFromMap;
              return;
            }
            this.log.writeLine(`Failed to load safelist from types map file '${this.typesMapLocation}'`);
          }
          this.safeList = ts_JsTyping_exports.loadSafeList(this.installTypingHost, this.safeListPath);
        }
        processCacheLocation(cacheLocation) {
          if (this.log.isEnabled()) {
            this.log.writeLine(`Processing cache location '${cacheLocation}'`);
          }
          if (this.knownCachesSet.has(cacheLocation)) {
            if (this.log.isEnabled()) {
              this.log.writeLine(`Cache location was already processed...`);
            }
            return;
          }
          const packageJson = combinePaths(cacheLocation, "package.json");
          const packageLockJson = combinePaths(cacheLocation, "package-lock.json");
          if (this.log.isEnabled()) {
            this.log.writeLine(`Trying to find '${packageJson}'...`);
          }
          if (this.installTypingHost.fileExists(packageJson) && this.installTypingHost.fileExists(packageLockJson)) {
            const npmConfig = JSON.parse(this.installTypingHost.readFile(packageJson));
            const npmLock = JSON.parse(this.installTypingHost.readFile(packageLockJson));
            if (this.log.isEnabled()) {
              this.log.writeLine(`Loaded content of '${packageJson}':${stringifyIndented(npmConfig)}`);
              this.log.writeLine(`Loaded content of '${packageLockJson}':${stringifyIndented(npmLock)}`);
            }
            if (npmConfig.devDependencies && npmLock.dependencies) {
              for (const key in npmConfig.devDependencies) {
                if (!hasProperty(npmLock.dependencies, key)) {
                  continue;
                }
                const packageName = getBaseFileName(key);
                if (!packageName) {
                  continue;
                }
                const typingFile = typingToFileName(cacheLocation, packageName, this.installTypingHost, this.log);
                if (!typingFile) {
                  this.missingTypingsSet.add(packageName);
                  continue;
                }
                const existingTypingFile = this.packageNameToTypingLocation.get(packageName);
                if (existingTypingFile) {
                  if (existingTypingFile.typingLocation === typingFile) {
                    continue;
                  }
                  if (this.log.isEnabled()) {
                    this.log.writeLine(`New typing for package ${packageName} from '${typingFile}' conflicts with existing typing file '${existingTypingFile}'`);
                  }
                }
                if (this.log.isEnabled()) {
                  this.log.writeLine(`Adding entry into typings cache: '${packageName}' => '${typingFile}'`);
                }
                const info = getProperty(npmLock.dependencies, key);
                const version2 = info && info.version;
                if (!version2) {
                  continue;
                }
                const newTyping = { typingLocation: typingFile, version: new Version(version2) };
                this.packageNameToTypingLocation.set(packageName, newTyping);
              }
            }
          }
          if (this.log.isEnabled()) {
            this.log.writeLine(`Finished processing cache location '${cacheLocation}'`);
          }
          this.knownCachesSet.add(cacheLocation);
        }
        filterTypings(typingsToInstall) {
          return mapDefined(typingsToInstall, (typing) => {
            const typingKey = mangleScopedPackageName(typing);
            if (this.missingTypingsSet.has(typingKey)) {
              if (this.log.isEnabled()) this.log.writeLine(`'${typing}':: '${typingKey}' is in missingTypingsSet - skipping...`);
              return void 0;
            }
            const validationResult = ts_JsTyping_exports.validatePackageName(typing);
            if (validationResult !== ts_JsTyping_exports.NameValidationResult.Ok) {
              this.missingTypingsSet.add(typingKey);
              if (this.log.isEnabled()) this.log.writeLine(ts_JsTyping_exports.renderPackageNameValidationFailure(validationResult, typing));
              return void 0;
            }
            if (!this.typesRegistry.has(typingKey)) {
              if (this.log.isEnabled()) this.log.writeLine(`'${typing}':: Entry for package '${typingKey}' does not exist in local types registry - skipping...`);
              return void 0;
            }
            if (this.packageNameToTypingLocation.get(typingKey) && ts_JsTyping_exports.isTypingUpToDate(this.packageNameToTypingLocation.get(typingKey), this.typesRegistry.get(typingKey))) {
              if (this.log.isEnabled()) this.log.writeLine(`'${typing}':: '${typingKey}' already has an up-to-date typing - skipping...`);
              return void 0;
            }
            return typingKey;
          });
        }
        ensurePackageDirectoryExists(directory) {
          const npmConfigPath = combinePaths(directory, "package.json");
          if (this.log.isEnabled()) {
            this.log.writeLine(`Npm config file: ${npmConfigPath}`);
          }
          if (!this.installTypingHost.fileExists(npmConfigPath)) {
            if (this.log.isEnabled()) {
              this.log.writeLine(`Npm config file: '${npmConfigPath}' is missing, creating new one...`);
            }
            this.ensureDirectoryExists(directory, this.installTypingHost);
            this.installTypingHost.writeFile(npmConfigPath, '{ "private": true }');
          }
        }
        installTypings(req, cachePath, currentlyCachedTypings, typingsToInstall) {
          if (this.log.isEnabled()) {
            this.log.writeLine(`Installing typings ${JSON.stringify(typingsToInstall)}`);
          }
          const filteredTypings = this.filterTypings(typingsToInstall);
          if (filteredTypings.length === 0) {
            if (this.log.isEnabled()) {
              this.log.writeLine(`All typings are known to be missing or invalid - no need to install more typings`);
            }
            this.sendResponse(this.createSetTypings(req, currentlyCachedTypings));
            return;
          }
          this.ensurePackageDirectoryExists(cachePath);
          const requestId = this.installRunCount;
          this.installRunCount++;
          this.sendResponse({
            kind: EventBeginInstallTypes,
            eventId: requestId,
            typingsInstallerVersion: version,
            projectName: req.projectName
          });
          const scopedTypings = filteredTypings.map(typingsName);
          this.installTypingsAsync(requestId, scopedTypings, cachePath, (ok) => {
            try {
              if (!ok) {
                if (this.log.isEnabled()) {
                  this.log.writeLine(`install request failed, marking packages as missing to prevent repeated requests: ${JSON.stringify(filteredTypings)}`);
                }
                for (const typing of filteredTypings) {
                  this.missingTypingsSet.add(typing);
                }
                return;
              }
              if (this.log.isEnabled()) {
                this.log.writeLine(`Installed typings ${JSON.stringify(scopedTypings)}`);
              }
              const installedTypingFiles = [];
              for (const packageName of filteredTypings) {
                const typingFile = typingToFileName(cachePath, packageName, this.installTypingHost, this.log);
                if (!typingFile) {
                  this.missingTypingsSet.add(packageName);
                  continue;
                }
                const distTags = this.typesRegistry.get(packageName);
                const newVersion = new Version(distTags[`ts${versionMajorMinor}`] || distTags[this.latestDistTag]);
                const newTyping = { typingLocation: typingFile, version: newVersion };
                this.packageNameToTypingLocation.set(packageName, newTyping);
                installedTypingFiles.push(typingFile);
              }
              if (this.log.isEnabled()) {
                this.log.writeLine(`Installed typing files ${JSON.stringify(installedTypingFiles)}`);
              }
              this.sendResponse(this.createSetTypings(req, currentlyCachedTypings.concat(installedTypingFiles)));
            } finally {
              const response = {
                kind: EventEndInstallTypes,
                eventId: requestId,
                projectName: req.projectName,
                packagesToInstall: scopedTypings,
                installSuccess: ok,
                typingsInstallerVersion: version
              };
              this.sendResponse(response);
            }
          });
        }
        ensureDirectoryExists(directory, host) {
          const directoryName = getDirectoryPath(directory);
          if (!host.directoryExists(directoryName)) {
            this.ensureDirectoryExists(directoryName, host);
          }
          if (!host.directoryExists(directory)) {
            host.createDirectory(directory);
          }
        }
        watchFiles(projectName, files) {
          if (!files.length) {
            this.closeWatchers(projectName);
            return;
          }
          const existing = this.projectWatchers.get(projectName);
          const newSet = new Set(files);
          if (!existing || forEachKey(newSet, (s) => !existing.has(s)) || forEachKey(existing, (s) => !newSet.has(s))) {
            this.projectWatchers.set(projectName, newSet);
            this.sendResponse({ kind: ActionWatchTypingLocations, projectName, files });
          } else {
            this.sendResponse({ kind: ActionWatchTypingLocations, projectName, files: void 0 });
          }
        }
        createSetTypings(request, typings) {
          return {
            projectName: request.projectName,
            typeAcquisition: request.typeAcquisition,
            compilerOptions: request.compilerOptions,
            typings,
            unresolvedImports: request.unresolvedImports,
            kind: ActionSet
          };
        }
        installTypingsAsync(requestId, packageNames, cwd, onRequestCompleted) {
          this.pendingRunRequests.unshift({ requestId, packageNames, cwd, onRequestCompleted });
          this.executeWithThrottling();
        }
        executeWithThrottling() {
          while (this.inFlightRequestCount < this.throttleLimit && this.pendingRunRequests.length) {
            this.inFlightRequestCount++;
            const request = this.pendingRunRequests.pop();
            this.installWorker(request.requestId, request.packageNames, request.cwd, (ok) => {
              this.inFlightRequestCount--;
              request.onRequestCompleted(ok);
              this.executeWithThrottling();
            });
          }
        }
      };
      function typingsName(packageName) {
        return `@types/${packageName}@ts${versionMajorMinor}`;
      }
      var LogLevel22 = /* @__PURE__ */ ((LogLevel3) => {
        LogLevel3[LogLevel3["terse"] = 0] = "terse";
        LogLevel3[LogLevel3["normal"] = 1] = "normal";
        LogLevel3[LogLevel3["requestTime"] = 2] = "requestTime";
        LogLevel3[LogLevel3["verbose"] = 3] = "verbose";
        return LogLevel3;
      })(LogLevel22 || {});
      var emptyArray2 = createSortedArray2();
      var Msg = /* @__PURE__ */ ((Msg2) => {
        Msg2["Err"] = "Err";
        Msg2["Info"] = "Info";
        Msg2["Perf"] = "Perf";
        return Msg2;
      })(Msg || {});
      function createInstallTypingsRequest(project, typeAcquisition, unresolvedImports, cachePath) {
        return {
          projectName: project.getProjectName(),
          fileNames: project.getFileNames(
            /*excludeFilesFromExternalLibraries*/
            true,
            /*excludeConfigFiles*/
            true
          ).concat(project.getExcludedFiles()),
          compilerOptions: project.getCompilationSettings(),
          typeAcquisition,
          unresolvedImports,
          projectRootPath: project.getCurrentDirectory(),
          cachePath,
          kind: "discover"
        };
      }
      var Errors;
      ((Errors2) => {
        function ThrowNoProject() {
          throw new Error("No Project.");
        }
        Errors2.ThrowNoProject = ThrowNoProject;
        function ThrowProjectLanguageServiceDisabled() {
          throw new Error("The project's language service is disabled.");
        }
        Errors2.ThrowProjectLanguageServiceDisabled = ThrowProjectLanguageServiceDisabled;
        function ThrowProjectDoesNotContainDocument(fileName, project) {
          throw new Error(`Project '${project.getProjectName()}' does not contain document '${fileName}'`);
        }
        Errors2.ThrowProjectDoesNotContainDocument = ThrowProjectDoesNotContainDocument;
      })(Errors || (Errors = {}));
      function toNormalizedPath(fileName) {
        return normalizePath(fileName);
      }
      function normalizedPathToPath(normalizedPath, currentDirectory, getCanonicalFileName) {
        const f = isRootedDiskPath(normalizedPath) ? normalizedPath : getNormalizedAbsolutePath(normalizedPath, currentDirectory);
        return getCanonicalFileName(f);
      }
      function asNormalizedPath(fileName) {
        return fileName;
      }
      function createNormalizedPathMap() {
        const map2 = /* @__PURE__ */ new Map();
        return {
          get(path17) {
            return map2.get(path17);
          },
          set(path17, value) {
            map2.set(path17, value);
          },
          contains(path17) {
            return map2.has(path17);
          },
          remove(path17) {
            map2.delete(path17);
          }
        };
      }
      function isInferredProjectName(name) {
        return /dev\/null\/inferredProject\d+\*/.test(name);
      }
      function makeInferredProjectName(counter) {
        return `/dev/null/inferredProject${counter}*`;
      }
      function makeAutoImportProviderProjectName(counter) {
        return `/dev/null/autoImportProviderProject${counter}*`;
      }
      function makeAuxiliaryProjectName(counter) {
        return `/dev/null/auxiliaryProject${counter}*`;
      }
      function createSortedArray2() {
        return [];
      }
      var ThrottledOperations = class _ThrottledOperations {
        constructor(host, logger) {
          this.host = host;
          this.pendingTimeouts = /* @__PURE__ */ new Map();
          this.logger = logger.hasLevel(
            3
            /* verbose */
          ) ? logger : void 0;
        }
        /**
         * Wait `number` milliseconds and then invoke `cb`.  If, while waiting, schedule
         * is called again with the same `operationId`, cancel this operation in favor
         * of the new one.  (Note that the amount of time the canceled operation had been
         * waiting does not affect the amount of time that the new operation waits.)
         */
        schedule(operationId, delay, cb) {
          const pendingTimeout = this.pendingTimeouts.get(operationId);
          if (pendingTimeout) {
            this.host.clearTimeout(pendingTimeout);
          }
          this.pendingTimeouts.set(operationId, this.host.setTimeout(_ThrottledOperations.run, delay, operationId, this, cb));
          if (this.logger) {
            this.logger.info(`Scheduled: ${operationId}${pendingTimeout ? ", Cancelled earlier one" : ""}`);
          }
        }
        cancel(operationId) {
          const pendingTimeout = this.pendingTimeouts.get(operationId);
          if (!pendingTimeout) return false;
          this.host.clearTimeout(pendingTimeout);
          return this.pendingTimeouts.delete(operationId);
        }
        static run(operationId, self2, cb) {
          var _a, _b;
          (_a = perfLogger) == null ? void 0 : _a.logStartScheduledOperation(operationId);
          self2.pendingTimeouts.delete(operationId);
          if (self2.logger) {
            self2.logger.info(`Running: ${operationId}`);
          }
          cb();
          (_b = perfLogger) == null ? void 0 : _b.logStopScheduledOperation();
        }
      };
      var GcTimer = class _GcTimer {
        constructor(host, delay, logger) {
          this.host = host;
          this.delay = delay;
          this.logger = logger;
        }
        scheduleCollect() {
          if (!this.host.gc || this.timerId !== void 0) {
            return;
          }
          this.timerId = this.host.setTimeout(_GcTimer.run, this.delay, this);
        }
        static run(self2) {
          var _a, _b;
          self2.timerId = void 0;
          (_a = perfLogger) == null ? void 0 : _a.logStartScheduledOperation("GC collect");
          const log = self2.logger.hasLevel(
            2
            /* requestTime */
          );
          const before = log && self2.host.getMemoryUsage();
          self2.host.gc();
          if (log) {
            const after = self2.host.getMemoryUsage();
            self2.logger.perftrc(`GC::before ${before}, after ${after}`);
          }
          (_b = perfLogger) == null ? void 0 : _b.logStopScheduledOperation();
        }
      };
      function getBaseConfigFileName(configFilePath) {
        const base = getBaseFileName(configFilePath);
        return base === "tsconfig.json" || base === "jsconfig.json" ? base : void 0;
      }
      function removeSorted(array, remove, compare) {
        if (!array || array.length === 0) {
          return;
        }
        if (array[0] === remove) {
          array.splice(0, 1);
          return;
        }
        const removeIndex = binarySearch(array, remove, identity2, compare);
        if (removeIndex >= 0) {
          array.splice(removeIndex, 1);
        }
      }
      var ts_server_protocol_exports = {};
      __export2(ts_server_protocol_exports, {
        ClassificationType: () => ClassificationType,
        CommandTypes: () => CommandTypes,
        CompletionTriggerKind: () => CompletionTriggerKind,
        IndentStyle: () => IndentStyle2,
        JsxEmit: () => JsxEmit2,
        ModuleKind: () => ModuleKind2,
        ModuleResolutionKind: () => ModuleResolutionKind2,
        NewLineKind: () => NewLineKind2,
        OrganizeImportsMode: () => OrganizeImportsMode,
        PollingWatchKind: () => PollingWatchKind2,
        ScriptTarget: () => ScriptTarget10,
        SemicolonPreference: () => SemicolonPreference,
        WatchDirectoryKind: () => WatchDirectoryKind2,
        WatchFileKind: () => WatchFileKind2
      });
      var CommandTypes = /* @__PURE__ */ ((CommandTypes2) => {
        CommandTypes2["JsxClosingTag"] = "jsxClosingTag";
        CommandTypes2["LinkedEditingRange"] = "linkedEditingRange";
        CommandTypes2["Brace"] = "brace";
        CommandTypes2["BraceFull"] = "brace-full";
        CommandTypes2["BraceCompletion"] = "braceCompletion";
        CommandTypes2["GetSpanOfEnclosingComment"] = "getSpanOfEnclosingComment";
        CommandTypes2["Change"] = "change";
        CommandTypes2["Close"] = "close";
        CommandTypes2["Completions"] = "completions";
        CommandTypes2["CompletionInfo"] = "completionInfo";
        CommandTypes2["CompletionsFull"] = "completions-full";
        CommandTypes2["CompletionDetails"] = "completionEntryDetails";
        CommandTypes2["CompletionDetailsFull"] = "completionEntryDetails-full";
        CommandTypes2["CompileOnSaveAffectedFileList"] = "compileOnSaveAffectedFileList";
        CommandTypes2["CompileOnSaveEmitFile"] = "compileOnSaveEmitFile";
        CommandTypes2["Configure"] = "configure";
        CommandTypes2["Definition"] = "definition";
        CommandTypes2["DefinitionFull"] = "definition-full";
        CommandTypes2["DefinitionAndBoundSpan"] = "definitionAndBoundSpan";
        CommandTypes2["DefinitionAndBoundSpanFull"] = "definitionAndBoundSpan-full";
        CommandTypes2["Implementation"] = "implementation";
        CommandTypes2["ImplementationFull"] = "implementation-full";
        CommandTypes2["EmitOutput"] = "emit-output";
        CommandTypes2["Exit"] = "exit";
        CommandTypes2["FileReferences"] = "fileReferences";
        CommandTypes2["FileReferencesFull"] = "fileReferences-full";
        CommandTypes2["Format"] = "format";
        CommandTypes2["Formatonkey"] = "formatonkey";
        CommandTypes2["FormatFull"] = "format-full";
        CommandTypes2["FormatonkeyFull"] = "formatonkey-full";
        CommandTypes2["FormatRangeFull"] = "formatRange-full";
        CommandTypes2["Geterr"] = "geterr";
        CommandTypes2["GeterrForProject"] = "geterrForProject";
        CommandTypes2["SemanticDiagnosticsSync"] = "semanticDiagnosticsSync";
        CommandTypes2["SyntacticDiagnosticsSync"] = "syntacticDiagnosticsSync";
        CommandTypes2["SuggestionDiagnosticsSync"] = "suggestionDiagnosticsSync";
        CommandTypes2["NavBar"] = "navbar";
        CommandTypes2["NavBarFull"] = "navbar-full";
        CommandTypes2["Navto"] = "navto";
        CommandTypes2["NavtoFull"] = "navto-full";
        CommandTypes2["NavTree"] = "navtree";
        CommandTypes2["NavTreeFull"] = "navtree-full";
        CommandTypes2["DocumentHighlights"] = "documentHighlights";
        CommandTypes2["DocumentHighlightsFull"] = "documentHighlights-full";
        CommandTypes2["Open"] = "open";
        CommandTypes2["Quickinfo"] = "quickinfo";
        CommandTypes2["QuickinfoFull"] = "quickinfo-full";
        CommandTypes2["References"] = "references";
        CommandTypes2["ReferencesFull"] = "references-full";
        CommandTypes2["Reload"] = "reload";
        CommandTypes2["Rename"] = "rename";
        CommandTypes2["RenameInfoFull"] = "rename-full";
        CommandTypes2["RenameLocationsFull"] = "renameLocations-full";
        CommandTypes2["Saveto"] = "saveto";
        CommandTypes2["SignatureHelp"] = "signatureHelp";
        CommandTypes2["SignatureHelpFull"] = "signatureHelp-full";
        CommandTypes2["FindSourceDefinition"] = "findSourceDefinition";
        CommandTypes2["Status"] = "status";
        CommandTypes2["TypeDefinition"] = "typeDefinition";
        CommandTypes2["ProjectInfo"] = "projectInfo";
        CommandTypes2["ReloadProjects"] = "reloadProjects";
        CommandTypes2["Unknown"] = "unknown";
        CommandTypes2["OpenExternalProject"] = "openExternalProject";
        CommandTypes2["OpenExternalProjects"] = "openExternalProjects";
        CommandTypes2["CloseExternalProject"] = "closeExternalProject";
        CommandTypes2["SynchronizeProjectList"] = "synchronizeProjectList";
        CommandTypes2["ApplyChangedToOpenFiles"] = "applyChangedToOpenFiles";
        CommandTypes2["UpdateOpen"] = "updateOpen";
        CommandTypes2["EncodedSyntacticClassificationsFull"] = "encodedSyntacticClassifications-full";
        CommandTypes2["EncodedSemanticClassificationsFull"] = "encodedSemanticClassifications-full";
        CommandTypes2["Cleanup"] = "cleanup";
        CommandTypes2["GetOutliningSpans"] = "getOutliningSpans";
        CommandTypes2["GetOutliningSpansFull"] = "outliningSpans";
        CommandTypes2["TodoComments"] = "todoComments";
        CommandTypes2["Indentation"] = "indentation";
        CommandTypes2["DocCommentTemplate"] = "docCommentTemplate";
        CommandTypes2["CompilerOptionsDiagnosticsFull"] = "compilerOptionsDiagnostics-full";
        CommandTypes2["NameOrDottedNameSpan"] = "nameOrDottedNameSpan";
        CommandTypes2["BreakpointStatement"] = "breakpointStatement";
        CommandTypes2["CompilerOptionsForInferredProjects"] = "compilerOptionsForInferredProjects";
        CommandTypes2["GetCodeFixes"] = "getCodeFixes";
        CommandTypes2["GetCodeFixesFull"] = "getCodeFixes-full";
        CommandTypes2["GetCombinedCodeFix"] = "getCombinedCodeFix";
        CommandTypes2["GetCombinedCodeFixFull"] = "getCombinedCodeFix-full";
        CommandTypes2["ApplyCodeActionCommand"] = "applyCodeActionCommand";
        CommandTypes2["GetSupportedCodeFixes"] = "getSupportedCodeFixes";
        CommandTypes2["GetApplicableRefactors"] = "getApplicableRefactors";
        CommandTypes2["GetEditsForRefactor"] = "getEditsForRefactor";
        CommandTypes2["GetMoveToRefactoringFileSuggestions"] = "getMoveToRefactoringFileSuggestions";
        CommandTypes2["GetPasteEdits"] = "getPasteEdits";
        CommandTypes2["GetEditsForRefactorFull"] = "getEditsForRefactor-full";
        CommandTypes2["OrganizeImports"] = "organizeImports";
        CommandTypes2["OrganizeImportsFull"] = "organizeImports-full";
        CommandTypes2["GetEditsForFileRename"] = "getEditsForFileRename";
        CommandTypes2["GetEditsForFileRenameFull"] = "getEditsForFileRename-full";
        CommandTypes2["ConfigurePlugin"] = "configurePlugin";
        CommandTypes2["SelectionRange"] = "selectionRange";
        CommandTypes2["SelectionRangeFull"] = "selectionRange-full";
        CommandTypes2["ToggleLineComment"] = "toggleLineComment";
        CommandTypes2["ToggleLineCommentFull"] = "toggleLineComment-full";
        CommandTypes2["ToggleMultilineComment"] = "toggleMultilineComment";
        CommandTypes2["ToggleMultilineCommentFull"] = "toggleMultilineComment-full";
        CommandTypes2["CommentSelection"] = "commentSelection";
        CommandTypes2["CommentSelectionFull"] = "commentSelection-full";
        CommandTypes2["UncommentSelection"] = "uncommentSelection";
        CommandTypes2["UncommentSelectionFull"] = "uncommentSelection-full";
        CommandTypes2["PrepareCallHierarchy"] = "prepareCallHierarchy";
        CommandTypes2["ProvideCallHierarchyIncomingCalls"] = "provideCallHierarchyIncomingCalls";
        CommandTypes2["ProvideCallHierarchyOutgoingCalls"] = "provideCallHierarchyOutgoingCalls";
        CommandTypes2["ProvideInlayHints"] = "provideInlayHints";
        CommandTypes2["WatchChange"] = "watchChange";
        CommandTypes2["MapCode"] = "mapCode";
        return CommandTypes2;
      })(CommandTypes || {});
      var WatchFileKind2 = /* @__PURE__ */ ((WatchFileKind3) => {
        WatchFileKind3["FixedPollingInterval"] = "FixedPollingInterval";
        WatchFileKind3["PriorityPollingInterval"] = "PriorityPollingInterval";
        WatchFileKind3["DynamicPriorityPolling"] = "DynamicPriorityPolling";
        WatchFileKind3["FixedChunkSizePolling"] = "FixedChunkSizePolling";
        WatchFileKind3["UseFsEvents"] = "UseFsEvents";
        WatchFileKind3["UseFsEventsOnParentDirectory"] = "UseFsEventsOnParentDirectory";
        return WatchFileKind3;
      })(WatchFileKind2 || {});
      var WatchDirectoryKind2 = /* @__PURE__ */ ((WatchDirectoryKind3) => {
        WatchDirectoryKind3["UseFsEvents"] = "UseFsEvents";
        WatchDirectoryKind3["FixedPollingInterval"] = "FixedPollingInterval";
        WatchDirectoryKind3["DynamicPriorityPolling"] = "DynamicPriorityPolling";
        WatchDirectoryKind3["FixedChunkSizePolling"] = "FixedChunkSizePolling";
        return WatchDirectoryKind3;
      })(WatchDirectoryKind2 || {});
      var PollingWatchKind2 = /* @__PURE__ */ ((PollingWatchKind3) => {
        PollingWatchKind3["FixedInterval"] = "FixedInterval";
        PollingWatchKind3["PriorityInterval"] = "PriorityInterval";
        PollingWatchKind3["DynamicPriority"] = "DynamicPriority";
        PollingWatchKind3["FixedChunkSize"] = "FixedChunkSize";
        return PollingWatchKind3;
      })(PollingWatchKind2 || {});
      var IndentStyle2 = /* @__PURE__ */ ((IndentStyle3) => {
        IndentStyle3["None"] = "None";
        IndentStyle3["Block"] = "Block";
        IndentStyle3["Smart"] = "Smart";
        return IndentStyle3;
      })(IndentStyle2 || {});
      var JsxEmit2 = /* @__PURE__ */ ((JsxEmit3) => {
        JsxEmit3["None"] = "none";
        JsxEmit3["Preserve"] = "preserve";
        JsxEmit3["ReactNative"] = "react-native";
        JsxEmit3["React"] = "react";
        JsxEmit3["ReactJSX"] = "react-jsx";
        JsxEmit3["ReactJSXDev"] = "react-jsxdev";
        return JsxEmit3;
      })(JsxEmit2 || {});
      var ModuleKind2 = /* @__PURE__ */ ((ModuleKind3) => {
        ModuleKind3["None"] = "none";
        ModuleKind3["CommonJS"] = "commonjs";
        ModuleKind3["AMD"] = "amd";
        ModuleKind3["UMD"] = "umd";
        ModuleKind3["System"] = "system";
        ModuleKind3["ES6"] = "es6";
        ModuleKind3["ES2015"] = "es2015";
        ModuleKind3["ES2020"] = "es2020";
        ModuleKind3["ES2022"] = "es2022";
        ModuleKind3["ESNext"] = "esnext";
        ModuleKind3["Node16"] = "node16";
        ModuleKind3["NodeNext"] = "nodenext";
        ModuleKind3["Preserve"] = "preserve";
        return ModuleKind3;
      })(ModuleKind2 || {});
      var ModuleResolutionKind2 = /* @__PURE__ */ ((ModuleResolutionKind3) => {
        ModuleResolutionKind3["Classic"] = "classic";
        ModuleResolutionKind3["Node"] = "node";
        ModuleResolutionKind3["NodeJs"] = "node";
        ModuleResolutionKind3["Node10"] = "node10";
        ModuleResolutionKind3["Node16"] = "node16";
        ModuleResolutionKind3["NodeNext"] = "nodenext";
        ModuleResolutionKind3["Bundler"] = "bundler";
        return ModuleResolutionKind3;
      })(ModuleResolutionKind2 || {});
      var NewLineKind2 = /* @__PURE__ */ ((NewLineKind3) => {
        NewLineKind3["Crlf"] = "Crlf";
        NewLineKind3["Lf"] = "Lf";
        return NewLineKind3;
      })(NewLineKind2 || {});
      var ScriptTarget10 = /* @__PURE__ */ ((ScriptTarget11) => {
        ScriptTarget11["ES3"] = "es3";
        ScriptTarget11["ES5"] = "es5";
        ScriptTarget11["ES6"] = "es6";
        ScriptTarget11["ES2015"] = "es2015";
        ScriptTarget11["ES2016"] = "es2016";
        ScriptTarget11["ES2017"] = "es2017";
        ScriptTarget11["ES2018"] = "es2018";
        ScriptTarget11["ES2019"] = "es2019";
        ScriptTarget11["ES2020"] = "es2020";
        ScriptTarget11["ES2021"] = "es2021";
        ScriptTarget11["ES2022"] = "es2022";
        ScriptTarget11["ES2023"] = "es2023";
        ScriptTarget11["ESNext"] = "esnext";
        ScriptTarget11["JSON"] = "json";
        ScriptTarget11["Latest"] = "esnext";
        return ScriptTarget11;
      })(ScriptTarget10 || {});
      {
      }
      var TextStorage = class {
        constructor(host, info, initialVersion) {
          this.host = host;
          this.info = info;
          this.isOpen = false;
          this.ownFileText = false;
          this.pendingReloadFromDisk = false;
          this.version = initialVersion || 0;
        }
        getVersion() {
          return this.svc ? `SVC-${this.version}-${this.svc.getSnapshotVersion()}` : `Text-${this.version}`;
        }
        hasScriptVersionCache_TestOnly() {
          return this.svc !== void 0;
        }
        resetSourceMapInfo() {
          this.info.sourceFileLike = void 0;
          this.info.closeSourceMapFileWatcher();
          this.info.sourceMapFilePath = void 0;
          this.info.declarationInfoPath = void 0;
          this.info.sourceInfos = void 0;
          this.info.documentPositionMapper = void 0;
        }
        /** Public for testing */
        useText(newText) {
          this.svc = void 0;
          this.text = newText;
          this.textSnapshot = void 0;
          this.lineMap = void 0;
          this.fileSize = void 0;
          this.resetSourceMapInfo();
          this.version++;
        }
        edit(start, end, newText) {
          this.switchToScriptVersionCache().edit(start, end - start, newText);
          this.ownFileText = false;
          this.text = void 0;
          this.textSnapshot = void 0;
          this.lineMap = void 0;
          this.fileSize = void 0;
          this.resetSourceMapInfo();
        }
        /**
         * Set the contents as newText
         * returns true if text changed
         */
        reload(newText) {
          Debug.assert(newText !== void 0);
          this.pendingReloadFromDisk = false;
          if (!this.text && this.svc) {
            this.text = getSnapshotText(this.svc.getSnapshot());
          }
          if (this.text !== newText) {
            this.useText(newText);
            this.ownFileText = false;
            return true;
          }
          return false;
        }
        /**
         * Reads the contents from tempFile(if supplied) or own file and sets it as contents
         * returns true if text changed
         */
        reloadWithFileText(tempFileName) {
          const { text: newText, fileSize } = tempFileName || !this.info.isDynamicOrHasMixedContent() ? this.getFileTextAndSize(tempFileName) : { text: "", fileSize: void 0 };
          const reloaded = this.reload(newText);
          this.fileSize = fileSize;
          this.ownFileText = !tempFileName || tempFileName === this.info.fileName;
          if (this.ownFileText && this.info.mTime === missingFileModifiedTime.getTime()) {
            this.info.mTime = (this.host.getModifiedTime(this.info.fileName) || missingFileModifiedTime).getTime();
          }
          return reloaded;
        }
        /**
         * Schedule reload from the disk if its not already scheduled and its not own text
         * returns true when scheduling reload
         */
        scheduleReloadIfNeeded() {
          return !this.pendingReloadFromDisk && !this.ownFileText ? this.pendingReloadFromDisk = true : false;
        }
        delayReloadFromFileIntoText() {
          this.pendingReloadFromDisk = true;
        }
        /**
         * For telemetry purposes, we would like to be able to report the size of the file.
         * However, we do not want telemetry to require extra file I/O so we report a size
         * that may be stale (e.g. may not reflect change made on disk since the last reload).
         * NB: Will read from disk if the file contents have never been loaded because
         * telemetry falsely indicating size 0 would be counter-productive.
         */
        getTelemetryFileSize() {
          return !!this.fileSize ? this.fileSize : !!this.text ? this.text.length : !!this.svc ? this.svc.getSnapshot().getLength() : this.getSnapshot().getLength();
        }
        getSnapshot() {
          var _a;
          return ((_a = this.tryUseScriptVersionCache()) == null ? void 0 : _a.getSnapshot()) || (this.textSnapshot ?? (this.textSnapshot = ScriptSnapshot.fromString(Debug.checkDefined(this.text))));
        }
        getAbsolutePositionAndLineText(oneBasedLine) {
          const svc = this.tryUseScriptVersionCache();
          if (svc) return svc.getAbsolutePositionAndLineText(oneBasedLine);
          const lineMap = this.getLineMap();
          return oneBasedLine <= lineMap.length ? {
            absolutePosition: lineMap[oneBasedLine - 1],
            lineText: this.text.substring(lineMap[oneBasedLine - 1], lineMap[oneBasedLine])
          } : {
            absolutePosition: this.text.length,
            lineText: void 0
          };
        }
        /**
         *  @param line 0 based index
         */
        lineToTextSpan(line) {
          const svc = this.tryUseScriptVersionCache();
          if (svc) return svc.lineToTextSpan(line);
          const lineMap = this.getLineMap();
          const start = lineMap[line];
          const end = line + 1 < lineMap.length ? lineMap[line + 1] : this.text.length;
          return createTextSpanFromBounds(start, end);
        }
        /**
         * @param line 1 based index
         * @param offset 1 based index
         */
        lineOffsetToPosition(line, offset, allowEdits) {
          const svc = this.tryUseScriptVersionCache();
          return svc ? svc.lineOffsetToPosition(line, offset) : computePositionOfLineAndCharacter(this.getLineMap(), line - 1, offset - 1, this.text, allowEdits);
        }
        positionToLineOffset(position) {
          const svc = this.tryUseScriptVersionCache();
          if (svc) return svc.positionToLineOffset(position);
          const { line, character } = computeLineAndCharacterOfPosition(this.getLineMap(), position);
          return { line: line + 1, offset: character + 1 };
        }
        getFileTextAndSize(tempFileName) {
          let text;
          const fileName = tempFileName || this.info.fileName;
          const getText = () => text === void 0 ? text = this.host.readFile(fileName) || "" : text;
          if (!hasTSFileExtension(this.info.fileName)) {
            const fileSize = this.host.getFileSize ? this.host.getFileSize(fileName) : getText().length;
            if (fileSize > maxFileSize) {
              Debug.assert(!!this.info.containingProjects.length);
              const service = this.info.containingProjects[0].projectService;
              service.logger.info(`Skipped loading contents of large file ${fileName} for info ${this.info.fileName}: fileSize: ${fileSize}`);
              this.info.containingProjects[0].projectService.sendLargeFileReferencedEvent(fileName, fileSize);
              return { text: "", fileSize };
            }
          }
          return { text: getText() };
        }
        /** @internal */
        switchToScriptVersionCache() {
          if (!this.svc || this.pendingReloadFromDisk) {
            this.svc = ScriptVersionCache.fromString(this.getOrLoadText());
            this.textSnapshot = void 0;
            this.version++;
          }
          return this.svc;
        }
        tryUseScriptVersionCache() {
          if (!this.svc || this.pendingReloadFromDisk) {
            this.getOrLoadText();
          }
          if (this.isOpen) {
            if (!this.svc && !this.textSnapshot) {
              this.svc = ScriptVersionCache.fromString(Debug.checkDefined(this.text));
              this.textSnapshot = void 0;
            }
            return this.svc;
          }
          return this.svc;
        }
        getOrLoadText() {
          if (this.text === void 0 || this.pendingReloadFromDisk) {
            Debug.assert(!this.svc || this.pendingReloadFromDisk, "ScriptVersionCache should not be set when reloading from disk");
            this.reloadWithFileText();
          }
          return this.text;
        }
        getLineMap() {
          Debug.assert(!this.svc, "ScriptVersionCache should not be set");
          return this.lineMap || (this.lineMap = computeLineStarts(Debug.checkDefined(this.text)));
        }
        getLineInfo() {
          const svc = this.tryUseScriptVersionCache();
          if (svc) {
            return {
              getLineCount: () => svc.getLineCount(),
              getLineText: (line) => svc.getAbsolutePositionAndLineText(line + 1).lineText
            };
          }
          const lineMap = this.getLineMap();
          return getLineInfo(this.text, lineMap);
        }
      };
      function isDynamicFileName(fileName) {
        return fileName[0] === "^" || (fileName.includes("walkThroughSnippet:/") || fileName.includes("untitled:/")) && getBaseFileName(fileName)[0] === "^" || fileName.includes(":^") && !fileName.includes(directorySeparator);
      }
      var ScriptInfo = class {
        constructor(host, fileName, scriptKind, hasMixedContent, path17, initialVersion) {
          this.host = host;
          this.fileName = fileName;
          this.scriptKind = scriptKind;
          this.hasMixedContent = hasMixedContent;
          this.path = path17;
          this.containingProjects = [];
          this.isDynamic = isDynamicFileName(fileName);
          this.textStorage = new TextStorage(host, this, initialVersion);
          if (hasMixedContent || this.isDynamic) {
            this.realpath = this.path;
          }
          this.scriptKind = scriptKind ? scriptKind : getScriptKindFromFileName(fileName);
        }
        /** @internal */
        isDynamicOrHasMixedContent() {
          return this.hasMixedContent || this.isDynamic;
        }
        isScriptOpen() {
          return this.textStorage.isOpen;
        }
        open(newText) {
          this.textStorage.isOpen = true;
          if (newText !== void 0 && this.textStorage.reload(newText)) {
            this.markContainingProjectsAsDirty();
          }
        }
        close(fileExists = true) {
          this.textStorage.isOpen = false;
          if (fileExists && this.textStorage.scheduleReloadIfNeeded()) {
            this.markContainingProjectsAsDirty();
          }
        }
        getSnapshot() {
          return this.textStorage.getSnapshot();
        }
        ensureRealPath() {
          if (this.realpath === void 0) {
            this.realpath = this.path;
            if (this.host.realpath) {
              Debug.assert(!!this.containingProjects.length);
              const project = this.containingProjects[0];
              const realpath = this.host.realpath(this.path);
              if (realpath) {
                this.realpath = project.toPath(realpath);
                if (this.realpath !== this.path) {
                  project.projectService.realpathToScriptInfos.add(this.realpath, this);
                }
              }
            }
          }
        }
        /** @internal */
        getRealpathIfDifferent() {
          return this.realpath && this.realpath !== this.path ? this.realpath : void 0;
        }
        /**
         * @internal
         * Does not compute realpath; uses precomputed result. Use `ensureRealPath`
         * first if a definite result is needed.
         */
        isSymlink() {
          return this.realpath && this.realpath !== this.path;
        }
        getFormatCodeSettings() {
          return this.formatSettings;
        }
        getPreferences() {
          return this.preferences;
        }
        attachToProject(project) {
          const isNew = !this.isAttached(project);
          if (isNew) {
            this.containingProjects.push(project);
            if (!project.getCompilerOptions().preserveSymlinks) {
              this.ensureRealPath();
            }
            project.onFileAddedOrRemoved(this.isSymlink());
          }
          return isNew;
        }
        isAttached(project) {
          switch (this.containingProjects.length) {
            case 0:
              return false;
            case 1:
              return this.containingProjects[0] === project;
            case 2:
              return this.containingProjects[0] === project || this.containingProjects[1] === project;
            default:
              return contains(this.containingProjects, project);
          }
        }
        detachFromProject(project) {
          switch (this.containingProjects.length) {
            case 0:
              return;
            case 1:
              if (this.containingProjects[0] === project) {
                project.onFileAddedOrRemoved(this.isSymlink());
                this.containingProjects.pop();
              }
              break;
            case 2:
              if (this.containingProjects[0] === project) {
                project.onFileAddedOrRemoved(this.isSymlink());
                this.containingProjects[0] = this.containingProjects.pop();
              } else if (this.containingProjects[1] === project) {
                project.onFileAddedOrRemoved(this.isSymlink());
                this.containingProjects.pop();
              }
              break;
            default:
              if (orderedRemoveItem(this.containingProjects, project)) {
                project.onFileAddedOrRemoved(this.isSymlink());
              }
              break;
          }
        }
        detachAllProjects() {
          for (const p of this.containingProjects) {
            if (isConfiguredProject(p)) {
              p.getCachedDirectoryStructureHost().addOrDeleteFile(
                this.fileName,
                this.path,
                2
                /* Deleted */
              );
            }
            const existingRoot = p.getRootFilesMap().get(this.path);
            p.removeFile(
              this,
              /*fileExists*/
              false,
              /*detachFromProject*/
              false
            );
            p.onFileAddedOrRemoved(this.isSymlink());
            if (existingRoot && !isInferredProject(p)) {
              p.addMissingFileRoot(existingRoot.fileName);
            }
          }
          clear(this.containingProjects);
        }
        getDefaultProject() {
          switch (this.containingProjects.length) {
            case 0:
              return Errors.ThrowNoProject();
            case 1:
              return isProjectDeferredClose(this.containingProjects[0]) || isBackgroundProject(this.containingProjects[0]) ? Errors.ThrowNoProject() : this.containingProjects[0];
            default:
              let firstConfiguredProject;
              let firstInferredProject;
              let firstNonSourceOfProjectReferenceRedirect;
              let defaultConfiguredProject;
              for (let index = 0; index < this.containingProjects.length; index++) {
                const project = this.containingProjects[index];
                if (isConfiguredProject(project)) {
                  if (project.deferredClose) continue;
                  if (!project.isSourceOfProjectReferenceRedirect(this.fileName)) {
                    if (defaultConfiguredProject === void 0 && index !== this.containingProjects.length - 1) {
                      defaultConfiguredProject = project.projectService.findDefaultConfiguredProject(this) || false;
                    }
                    if (defaultConfiguredProject === project) return project;
                    if (!firstNonSourceOfProjectReferenceRedirect) firstNonSourceOfProjectReferenceRedirect = project;
                  }
                  if (!firstConfiguredProject) firstConfiguredProject = project;
                } else if (isExternalProject(project)) {
                  return project;
                } else if (!firstInferredProject && isInferredProject(project)) {
                  firstInferredProject = project;
                }
              }
              return (defaultConfiguredProject || firstNonSourceOfProjectReferenceRedirect || firstConfiguredProject || firstInferredProject) ?? Errors.ThrowNoProject();
          }
        }
        registerFileUpdate() {
          for (const p of this.containingProjects) {
            p.registerFileUpdate(this.path);
          }
        }
        setOptions(formatSettings, preferences) {
          if (formatSettings) {
            if (!this.formatSettings) {
              this.formatSettings = getDefaultFormatCodeSettings(this.host.newLine);
              assign(this.formatSettings, formatSettings);
            } else {
              this.formatSettings = { ...this.formatSettings, ...formatSettings };
            }
          }
          if (preferences) {
            if (!this.preferences) {
              this.preferences = emptyOptions;
            }
            this.preferences = { ...this.preferences, ...preferences };
          }
        }
        getLatestVersion() {
          this.textStorage.getSnapshot();
          return this.textStorage.getVersion();
        }
        saveTo(fileName) {
          this.host.writeFile(fileName, getSnapshotText(this.textStorage.getSnapshot()));
        }
        /** @internal */
        delayReloadNonMixedContentFile() {
          Debug.assert(!this.isDynamicOrHasMixedContent());
          this.textStorage.delayReloadFromFileIntoText();
          this.markContainingProjectsAsDirty();
        }
        reloadFromFile(tempFileName) {
          if (this.textStorage.reloadWithFileText(tempFileName)) {
            this.markContainingProjectsAsDirty();
            return true;
          }
          return false;
        }
        editContent(start, end, newText) {
          this.textStorage.edit(start, end, newText);
          this.markContainingProjectsAsDirty();
        }
        markContainingProjectsAsDirty() {
          for (const p of this.containingProjects) {
            p.markFileAsDirty(this.path);
          }
        }
        isOrphan() {
          return this.deferredDelete || !forEach(this.containingProjects, (p) => !p.isOrphan());
        }
        /** @internal */
        isContainedByBackgroundProject() {
          return some(
            this.containingProjects,
            isBackgroundProject
          );
        }
        /**
         *  @param line 1 based index
         */
        lineToTextSpan(line) {
          return this.textStorage.lineToTextSpan(line);
        }
        // eslint-disable-line @typescript-eslint/unified-signatures
        lineOffsetToPosition(line, offset, allowEdits) {
          return this.textStorage.lineOffsetToPosition(line, offset, allowEdits);
        }
        positionToLineOffset(position) {
          failIfInvalidPosition(position);
          const location = this.textStorage.positionToLineOffset(position);
          failIfInvalidLocation(location);
          return location;
        }
        isJavaScript() {
          return this.scriptKind === 1 || this.scriptKind === 2;
        }
        /** @internal */
        closeSourceMapFileWatcher() {
          if (this.sourceMapFilePath && !isString2(this.sourceMapFilePath)) {
            closeFileWatcherOf(this.sourceMapFilePath);
            this.sourceMapFilePath = void 0;
          }
        }
      };
      function failIfInvalidPosition(position) {
        Debug.assert(typeof position === "number", `Expected position ${position} to be a number.`);
        Debug.assert(position >= 0, `Expected position to be non-negative.`);
      }
      function failIfInvalidLocation(location) {
        Debug.assert(typeof location.line === "number", `Expected line ${location.line} to be a number.`);
        Debug.assert(typeof location.offset === "number", `Expected offset ${location.offset} to be a number.`);
        Debug.assert(location.line > 0, `Expected line to be non-${location.line === 0 ? "zero" : "negative"}`);
        Debug.assert(location.offset > 0, `Expected offset to be non-${location.offset === 0 ? "zero" : "negative"}`);
      }
      var nullTypingsInstaller = {
        isKnownTypesPackageName: returnFalse,
        // Should never be called because we never provide a types registry.
        installPackage: notImplemented,
        enqueueInstallTypingsRequest: noop2,
        attach: noop2,
        onProjectClosed: noop2,
        globalTypingsCacheLocation: void 0
        // TODO: GH#18217
      };
      function setIsEqualTo(arr1, arr2) {
        if (arr1 === arr2) {
          return true;
        }
        if ((arr1 || emptyArray2).length === 0 && (arr2 || emptyArray2).length === 0) {
          return true;
        }
        const set = /* @__PURE__ */ new Map();
        let unique = 0;
        for (const v of arr1) {
          if (set.get(v) !== true) {
            set.set(v, true);
            unique++;
          }
        }
        for (const v of arr2) {
          const isSet2 = set.get(v);
          if (isSet2 === void 0) {
            return false;
          }
          if (isSet2 === true) {
            set.set(v, false);
            unique--;
          }
        }
        return unique === 0;
      }
      function typeAcquisitionChanged(opt1, opt2) {
        return opt1.enable !== opt2.enable || !setIsEqualTo(opt1.include, opt2.include) || !setIsEqualTo(opt1.exclude, opt2.exclude);
      }
      function compilerOptionsChanged(opt1, opt2) {
        return getAllowJSCompilerOption(opt1) !== getAllowJSCompilerOption(opt2);
      }
      function unresolvedImportsChanged(imports1, imports2) {
        if (imports1 === imports2) {
          return false;
        }
        return !arrayIsEqualTo(imports1, imports2);
      }
      var TypingsCache = class {
        constructor(installer) {
          this.installer = installer;
          this.perProjectCache = /* @__PURE__ */ new Map();
        }
        isKnownTypesPackageName(name) {
          return this.installer.isKnownTypesPackageName(name);
        }
        installPackage(options) {
          return this.installer.installPackage(options);
        }
        enqueueInstallTypingsForProject(project, unresolvedImports, forceRefresh) {
          const typeAcquisition = project.getTypeAcquisition();
          if (!typeAcquisition || !typeAcquisition.enable) {
            return;
          }
          const entry = this.perProjectCache.get(project.getProjectName());
          if (forceRefresh || !entry || typeAcquisitionChanged(typeAcquisition, entry.typeAcquisition) || compilerOptionsChanged(project.getCompilationSettings(), entry.compilerOptions) || unresolvedImportsChanged(unresolvedImports, entry.unresolvedImports)) {
            this.perProjectCache.set(project.getProjectName(), {
              compilerOptions: project.getCompilationSettings(),
              typeAcquisition,
              typings: entry ? entry.typings : emptyArray2,
              unresolvedImports,
              poisoned: true
            });
            this.installer.enqueueInstallTypingsRequest(project, typeAcquisition, unresolvedImports);
          }
        }
        updateTypingsForProject(projectName, compilerOptions, typeAcquisition, unresolvedImports, newTypings) {
          const typings = sort(newTypings);
          this.perProjectCache.set(projectName, {
            compilerOptions,
            typeAcquisition,
            typings,
            unresolvedImports,
            poisoned: false
          });
          return !typeAcquisition || !typeAcquisition.enable ? emptyArray2 : typings;
        }
        onProjectClosed(project) {
          if (this.perProjectCache.delete(project.getProjectName())) {
            this.installer.onProjectClosed(project);
          }
        }
      };
      var ProjectKind = /* @__PURE__ */ ((ProjectKind2) => {
        ProjectKind2[ProjectKind2["Inferred"] = 0] = "Inferred";
        ProjectKind2[ProjectKind2["Configured"] = 1] = "Configured";
        ProjectKind2[ProjectKind2["External"] = 2] = "External";
        ProjectKind2[ProjectKind2["AutoImportProvider"] = 3] = "AutoImportProvider";
        ProjectKind2[ProjectKind2["Auxiliary"] = 4] = "Auxiliary";
        return ProjectKind2;
      })(ProjectKind || {});
      function countEachFileTypes(infos, includeSizes = false) {
        const result = {
          js: 0,
          jsSize: 0,
          jsx: 0,
          jsxSize: 0,
          ts: 0,
          tsSize: 0,
          tsx: 0,
          tsxSize: 0,
          dts: 0,
          dtsSize: 0,
          deferred: 0,
          deferredSize: 0
        };
        for (const info of infos) {
          const fileSize = includeSizes ? info.textStorage.getTelemetryFileSize() : 0;
          switch (info.scriptKind) {
            case 1:
              result.js += 1;
              result.jsSize += fileSize;
              break;
            case 2:
              result.jsx += 1;
              result.jsxSize += fileSize;
              break;
            case 3:
              if (isDeclarationFileName(info.fileName)) {
                result.dts += 1;
                result.dtsSize += fileSize;
              } else {
                result.ts += 1;
                result.tsSize += fileSize;
              }
              break;
            case 4:
              result.tsx += 1;
              result.tsxSize += fileSize;
              break;
            case 7:
              result.deferred += 1;
              result.deferredSize += fileSize;
              break;
          }
        }
        return result;
      }
      function hasOneOrMoreJsAndNoTsFiles(project) {
        const counts2 = countEachFileTypes(project.getScriptInfos());
        return counts2.js > 0 && counts2.ts === 0 && counts2.tsx === 0;
      }
      function allRootFilesAreJsOrDts(project) {
        const counts2 = countEachFileTypes(project.getRootScriptInfos());
        return counts2.ts === 0 && counts2.tsx === 0;
      }
      function allFilesAreJsOrDts(project) {
        const counts2 = countEachFileTypes(project.getScriptInfos());
        return counts2.ts === 0 && counts2.tsx === 0;
      }
      function hasNoTypeScriptSource(fileNames) {
        return !fileNames.some((fileName) => fileExtensionIs(
          fileName,
          ".ts"
          /* Ts */
        ) && !isDeclarationFileName(fileName) || fileExtensionIs(
          fileName,
          ".tsx"
          /* Tsx */
        ));
      }
      function isGeneratedFileWatcher(watch) {
        return watch.generatedFilePath !== void 0;
      }
      var Project3 = class _Project {
        /** @internal */
        constructor(projectName, projectKind, projectService, documentRegistry, hasExplicitListOfFiles, lastFileExceededProgramSize, compilerOptions, compileOnSaveEnabled, watchOptions, directoryStructureHost, currentDirectory) {
          this.projectKind = projectKind;
          this.projectService = projectService;
          this.documentRegistry = documentRegistry;
          this.compilerOptions = compilerOptions;
          this.compileOnSaveEnabled = compileOnSaveEnabled;
          this.watchOptions = watchOptions;
          this.rootFilesMap = /* @__PURE__ */ new Map();
          this.plugins = [];
          this.cachedUnresolvedImportsPerFile = /* @__PURE__ */ new Map();
          this.hasAddedorRemovedFiles = false;
          this.hasAddedOrRemovedSymlinks = false;
          this.lastReportedVersion = 0;
          this.projectProgramVersion = 0;
          this.projectStateVersion = 0;
          this.isInitialLoadPending = returnFalse;
          this.dirty = false;
          this.typingFiles = emptyArray2;
          this.moduleSpecifierCache = createModuleSpecifierCache(this);
          this.createHash = maybeBind(this.projectService.host, this.projectService.host.createHash);
          this.globalCacheResolutionModuleName = ts_JsTyping_exports.nonRelativeModuleNameForTypingCache;
          this.updateFromProjectInProgress = false;
          this.projectName = projectName;
          this.directoryStructureHost = directoryStructureHost;
          this.currentDirectory = this.projectService.getNormalizedAbsolutePath(currentDirectory);
          this.getCanonicalFileName = this.projectService.toCanonicalFileName;
          this.jsDocParsingMode = this.projectService.jsDocParsingMode;
          this.cancellationToken = new ThrottledCancellationToken(this.projectService.cancellationToken, this.projectService.throttleWaitMilliseconds);
          if (!this.compilerOptions) {
            this.compilerOptions = getDefaultCompilerOptions2();
            this.compilerOptions.allowNonTsExtensions = true;
            this.compilerOptions.allowJs = true;
          } else if (hasExplicitListOfFiles || getAllowJSCompilerOption(this.compilerOptions) || this.projectService.hasDeferredExtension()) {
            this.compilerOptions.allowNonTsExtensions = true;
          }
          switch (projectService.serverMode) {
            case 0:
              this.languageServiceEnabled = true;
              break;
            case 1:
              this.languageServiceEnabled = true;
              this.compilerOptions.noResolve = true;
              this.compilerOptions.types = [];
              break;
            case 2:
              this.languageServiceEnabled = false;
              this.compilerOptions.noResolve = true;
              this.compilerOptions.types = [];
              break;
            default:
              Debug.assertNever(projectService.serverMode);
          }
          this.setInternalCompilerOptionsForEmittingJsFiles();
          const host = this.projectService.host;
          if (this.projectService.logger.loggingEnabled()) {
            this.trace = (s) => this.writeLog(s);
          } else if (host.trace) {
            this.trace = (s) => host.trace(s);
          }
          this.realpath = maybeBind(host, host.realpath);
          this.resolutionCache = createResolutionCache(
            this,
            this.currentDirectory,
            /*logChangesWhenResolvingModule*/
            true
          );
          this.languageService = createLanguageService(this, this.documentRegistry, this.projectService.serverMode);
          if (lastFileExceededProgramSize) {
            this.disableLanguageService(lastFileExceededProgramSize);
          }
          this.markAsDirty();
          if (!isBackgroundProject(this)) {
            this.projectService.pendingEnsureProjectForOpenFiles = true;
          }
          this.projectService.onProjectCreation(this);
        }
        /** @internal */
        getResolvedProjectReferenceToRedirect(_fileName) {
          return void 0;
        }
        isNonTsProject() {
          updateProjectIfDirty(this);
          return allFilesAreJsOrDts(this);
        }
        isJsOnlyProject() {
          updateProjectIfDirty(this);
          return hasOneOrMoreJsAndNoTsFiles(this);
        }
        static resolveModule(moduleName, initialDir, host, log) {
          return _Project.importServicePluginSync({ name: moduleName }, [initialDir], host, log).resolvedModule;
        }
        /** @internal */
        static importServicePluginSync(pluginConfigEntry, searchPaths, host, log) {
          Debug.assertIsDefined(host.require);
          let errorLogs;
          let resolvedModule;
          for (const initialDir of searchPaths) {
            const resolvedPath = normalizeSlashes(host.resolvePath(combinePaths(initialDir, "node_modules")));
            log(`Loading ${pluginConfigEntry.name} from ${initialDir} (resolved to ${resolvedPath})`);
            const result = host.require(resolvedPath, pluginConfigEntry.name);
            if (!result.error) {
              resolvedModule = result.module;
              break;
            }
            const err = result.error.stack || result.error.message || JSON.stringify(result.error);
            (errorLogs ?? (errorLogs = [])).push(`Failed to load module '${pluginConfigEntry.name}' from ${resolvedPath}: ${err}`);
          }
          return { pluginConfigEntry, resolvedModule, errorLogs };
        }
        /** @internal */
        static async importServicePluginAsync(pluginConfigEntry, searchPaths, host, log) {
          Debug.assertIsDefined(host.importPlugin);
          let errorLogs;
          let resolvedModule;
          for (const initialDir of searchPaths) {
            const resolvedPath = combinePaths(initialDir, "node_modules");
            log(`Dynamically importing ${pluginConfigEntry.name} from ${initialDir} (resolved to ${resolvedPath})`);
            let result;
            try {
              result = await host.importPlugin(resolvedPath, pluginConfigEntry.name);
            } catch (e) {
              result = { module: void 0, error: e };
            }
            if (!result.error) {
              resolvedModule = result.module;
              break;
            }
            const err = result.error.stack || result.error.message || JSON.stringify(result.error);
            (errorLogs ?? (errorLogs = [])).push(`Failed to dynamically import module '${pluginConfigEntry.name}' from ${resolvedPath}: ${err}`);
          }
          return { pluginConfigEntry, resolvedModule, errorLogs };
        }
        isKnownTypesPackageName(name) {
          return this.typingsCache.isKnownTypesPackageName(name);
        }
        installPackage(options) {
          return this.typingsCache.installPackage({ ...options, projectName: this.projectName, projectRootPath: this.toPath(this.currentDirectory) });
        }
        /** @internal */
        getGlobalTypingsCacheLocation() {
          return this.getGlobalCache();
        }
        get typingsCache() {
          return this.projectService.typingsCache;
        }
        /** @internal */
        getSymlinkCache() {
          if (!this.symlinks) {
            this.symlinks = createSymlinkCache(this.getCurrentDirectory(), this.getCanonicalFileName);
          }
          if (this.program && !this.symlinks.hasProcessedResolutions()) {
            this.symlinks.setSymlinksFromResolutions(
              this.program.forEachResolvedModule,
              this.program.forEachResolvedTypeReferenceDirective,
              this.program.getAutomaticTypeDirectiveResolutions()
            );
          }
          return this.symlinks;
        }
        // Method of LanguageServiceHost
        getCompilationSettings() {
          return this.compilerOptions;
        }
        // Method to support public API
        getCompilerOptions() {
          return this.getCompilationSettings();
        }
        getNewLine() {
          return this.projectService.host.newLine;
        }
        getProjectVersion() {
          return this.projectStateVersion.toString();
        }
        getProjectReferences() {
          return void 0;
        }
        getScriptFileNames() {
          if (!this.rootFilesMap.size) {
            return emptyArray;
          }
          let result;
          this.rootFilesMap.forEach((value) => {
            if (this.languageServiceEnabled || value.info && value.info.isScriptOpen()) {
              (result || (result = [])).push(value.fileName);
            }
          });
          return addRange(result, this.typingFiles) || emptyArray;
        }
        getOrCreateScriptInfoAndAttachToProject(fileName) {
          const scriptInfo = this.projectService.getOrCreateScriptInfoNotOpenedByClient(
            fileName,
            this.currentDirectory,
            this.directoryStructureHost,
            /*deferredDeleteOk*/
            false
          );
          if (scriptInfo) {
            const existingValue = this.rootFilesMap.get(scriptInfo.path);
            if (existingValue && existingValue.info !== scriptInfo) {
              existingValue.info = scriptInfo;
            }
            scriptInfo.attachToProject(this);
          }
          return scriptInfo;
        }
        getScriptKind(fileName) {
          const info = this.projectService.getScriptInfoForPath(this.toPath(fileName));
          return info && info.scriptKind;
        }
        getScriptVersion(filename) {
          const info = this.projectService.getOrCreateScriptInfoNotOpenedByClient(
            filename,
            this.currentDirectory,
            this.directoryStructureHost,
            /*deferredDeleteOk*/
            false
          );
          return info && info.getLatestVersion();
        }
        getScriptSnapshot(filename) {
          const scriptInfo = this.getOrCreateScriptInfoAndAttachToProject(filename);
          if (scriptInfo) {
            return scriptInfo.getSnapshot();
          }
        }
        getCancellationToken() {
          return this.cancellationToken;
        }
        getCurrentDirectory() {
          return this.currentDirectory;
        }
        getDefaultLibFileName() {
          const nodeModuleBinDir = getDirectoryPath(normalizePath(this.projectService.getExecutingFilePath()));
          return combinePaths(nodeModuleBinDir, getDefaultLibFileName(this.compilerOptions));
        }
        useCaseSensitiveFileNames() {
          return this.projectService.host.useCaseSensitiveFileNames;
        }
        readDirectory(path17, extensions, exclude, include, depth2) {
          return this.directoryStructureHost.readDirectory(path17, extensions, exclude, include, depth2);
        }
        readFile(fileName) {
          return this.projectService.host.readFile(fileName);
        }
        writeFile(fileName, content) {
          return this.projectService.host.writeFile(fileName, content);
        }
        fileExists(file) {
          const path17 = this.toPath(file);
          return !this.isWatchedMissingFile(path17) && this.directoryStructureHost.fileExists(file);
        }
        /** @internal */
        resolveModuleNameLiterals(moduleLiterals, containingFile, redirectedReference, options, containingSourceFile, reusedNames) {
          return this.resolutionCache.resolveModuleNameLiterals(moduleLiterals, containingFile, redirectedReference, options, containingSourceFile, reusedNames);
        }
        /** @internal */
        getModuleResolutionCache() {
          return this.resolutionCache.getModuleResolutionCache();
        }
        /** @internal */
        resolveTypeReferenceDirectiveReferences(typeDirectiveReferences, containingFile, redirectedReference, options, containingSourceFile, reusedNames) {
          return this.resolutionCache.resolveTypeReferenceDirectiveReferences(
            typeDirectiveReferences,
            containingFile,
            redirectedReference,
            options,
            containingSourceFile,
            reusedNames
          );
        }
        /** @internal */
        resolveLibrary(libraryName, resolveFrom, options, libFileName) {
          return this.resolutionCache.resolveLibrary(libraryName, resolveFrom, options, libFileName);
        }
        directoryExists(path17) {
          return this.directoryStructureHost.directoryExists(path17);
        }
        getDirectories(path17) {
          return this.directoryStructureHost.getDirectories(path17);
        }
        /** @internal */
        getCachedDirectoryStructureHost() {
          return void 0;
        }
        /** @internal */
        toPath(fileName) {
          return toPath3(fileName, this.currentDirectory, this.projectService.toCanonicalFileName);
        }
        /** @internal */
        watchDirectoryOfFailedLookupLocation(directory, cb, flags) {
          return this.projectService.watchFactory.watchDirectory(
            directory,
            cb,
            flags,
            this.projectService.getWatchOptions(this),
            WatchType.FailedLookupLocations,
            this
          );
        }
        /** @internal */
        watchAffectingFileLocation(file, cb) {
          return this.projectService.watchFactory.watchFile(
            file,
            cb,
            2e3,
            this.projectService.getWatchOptions(this),
            WatchType.AffectingFileLocation,
            this
          );
        }
        /** @internal */
        clearInvalidateResolutionOfFailedLookupTimer() {
          return this.projectService.throttledOperations.cancel(`${this.getProjectName()}FailedLookupInvalidation`);
        }
        /** @internal */
        scheduleInvalidateResolutionsOfFailedLookupLocations() {
          this.projectService.throttledOperations.schedule(
            `${this.getProjectName()}FailedLookupInvalidation`,
            /*delay*/
            1e3,
            () => {
              if (this.resolutionCache.invalidateResolutionsOfFailedLookupLocations()) {
                this.projectService.delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(this);
              }
            }
          );
        }
        /** @internal */
        invalidateResolutionsOfFailedLookupLocations() {
          if (this.clearInvalidateResolutionOfFailedLookupTimer() && this.resolutionCache.invalidateResolutionsOfFailedLookupLocations()) {
            this.markAsDirty();
            this.projectService.delayEnsureProjectForOpenFiles();
          }
        }
        /** @internal */
        onInvalidatedResolution() {
          this.projectService.delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(this);
        }
        /** @internal */
        watchTypeRootsDirectory(directory, cb, flags) {
          return this.projectService.watchFactory.watchDirectory(
            directory,
            cb,
            flags,
            this.projectService.getWatchOptions(this),
            WatchType.TypeRoots,
            this
          );
        }
        /** @internal */
        hasChangedAutomaticTypeDirectiveNames() {
          return this.resolutionCache.hasChangedAutomaticTypeDirectiveNames();
        }
        /** @internal */
        onChangedAutomaticTypeDirectiveNames() {
          this.projectService.delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(this);
        }
        /** @internal */
        getGlobalCache() {
          return this.getTypeAcquisition().enable ? this.projectService.typingsInstaller.globalTypingsCacheLocation : void 0;
        }
        /** @internal */
        fileIsOpen(filePath) {
          return this.projectService.openFiles.has(filePath);
        }
        /** @internal */
        writeLog(s) {
          this.projectService.logger.info(s);
        }
        log(s) {
          this.writeLog(s);
        }
        error(s) {
          this.projectService.logger.msg(
            s,
            "Err"
            /* Err */
          );
        }
        setInternalCompilerOptionsForEmittingJsFiles() {
          if (this.projectKind === 0 || this.projectKind === 2) {
            this.compilerOptions.noEmitForJsFiles = true;
          }
        }
        /**
         * Get the errors that dont have any file name associated
         */
        getGlobalProjectErrors() {
          return filter(this.projectErrors, (diagnostic) => !diagnostic.file) || emptyArray2;
        }
        /**
         * Get all the project errors
         */
        getAllProjectErrors() {
          return this.projectErrors || emptyArray2;
        }
        setProjectErrors(projectErrors) {
          this.projectErrors = projectErrors;
        }
        getLanguageService(ensureSynchronized = true) {
          if (ensureSynchronized) {
            updateProjectIfDirty(this);
          }
          return this.languageService;
        }
        /** @internal */
        getSourceMapper() {
          return this.getLanguageService().getSourceMapper();
        }
        /** @internal */
        clearSourceMapperCache() {
          this.languageService.clearSourceMapperCache();
        }
        /** @internal */
        getDocumentPositionMapper(generatedFileName, sourceFileName) {
          return this.projectService.getDocumentPositionMapper(this, generatedFileName, sourceFileName);
        }
        /** @internal */
        getSourceFileLike(fileName) {
          return this.projectService.getSourceFileLike(fileName, this);
        }
        /** @internal */
        shouldEmitFile(scriptInfo) {
          return scriptInfo && !scriptInfo.isDynamicOrHasMixedContent() && !this.program.isSourceOfProjectReferenceRedirect(scriptInfo.path);
        }
        getCompileOnSaveAffectedFileList(scriptInfo) {
          if (!this.languageServiceEnabled) {
            return [];
          }
          updateProjectIfDirty(this);
          this.builderState = BuilderState.create(
            this.program,
            this.builderState,
            /*disableUseFileVersionAsSignature*/
            true
          );
          return mapDefined(
            BuilderState.getFilesAffectedBy(
              this.builderState,
              this.program,
              scriptInfo.path,
              this.cancellationToken,
              this.projectService.host
            ),
            (sourceFile) => this.shouldEmitFile(this.projectService.getScriptInfoForPath(sourceFile.path)) ? sourceFile.fileName : void 0
          );
        }
        /**
         * Returns true if emit was conducted
         */
        emitFile(scriptInfo, writeFile2) {
          if (!this.languageServiceEnabled || !this.shouldEmitFile(scriptInfo)) {
            return { emitSkipped: true, diagnostics: emptyArray2 };
          }
          const { emitSkipped, diagnostics, outputFiles } = this.getLanguageService().getEmitOutput(scriptInfo.fileName);
          if (!emitSkipped) {
            for (const outputFile of outputFiles) {
              const outputFileAbsoluteFileName = getNormalizedAbsolutePath(outputFile.name, this.currentDirectory);
              writeFile2(outputFileAbsoluteFileName, outputFile.text, outputFile.writeByteOrderMark);
            }
            if (this.builderState && getEmitDeclarations(this.compilerOptions)) {
              const dtsFiles = outputFiles.filter((f) => isDeclarationFileName(f.name));
              if (dtsFiles.length === 1) {
                const sourceFile = this.program.getSourceFile(scriptInfo.fileName);
                const signature = this.projectService.host.createHash ? this.projectService.host.createHash(dtsFiles[0].text) : generateDjb2Hash(dtsFiles[0].text);
                BuilderState.updateSignatureOfFile(this.builderState, signature, sourceFile.resolvedPath);
              }
            }
          }
          return { emitSkipped, diagnostics };
        }
        enableLanguageService() {
          if (this.languageServiceEnabled || this.projectService.serverMode === 2) {
            return;
          }
          this.languageServiceEnabled = true;
          this.lastFileExceededProgramSize = void 0;
          this.projectService.onUpdateLanguageServiceStateForProject(
            this,
            /*languageServiceEnabled*/
            true
          );
        }
        /** @internal */
        cleanupProgram() {
          if (this.program) {
            for (const f of this.program.getSourceFiles()) {
              this.detachScriptInfoIfNotRoot(f.fileName);
            }
            this.program.forEachResolvedProjectReference((ref) => this.detachScriptInfoFromProject(ref.sourceFile.fileName));
            this.program = void 0;
          }
        }
        disableLanguageService(lastFileExceededProgramSize) {
          if (!this.languageServiceEnabled) {
            return;
          }
          Debug.assert(
            this.projectService.serverMode !== 2
            /* Syntactic */
          );
          this.languageService.cleanupSemanticCache();
          this.languageServiceEnabled = false;
          this.cleanupProgram();
          this.lastFileExceededProgramSize = lastFileExceededProgramSize;
          this.builderState = void 0;
          if (this.autoImportProviderHost) {
            this.autoImportProviderHost.close();
          }
          this.autoImportProviderHost = void 0;
          this.resolutionCache.closeTypeRootsWatch();
          this.clearGeneratedFileWatch();
          this.projectService.verifyDocumentRegistry();
          this.projectService.onUpdateLanguageServiceStateForProject(
            this,
            /*languageServiceEnabled*/
            false
          );
        }
        getProjectName() {
          return this.projectName;
        }
        removeLocalTypingsFromTypeAcquisition(newTypeAcquisition) {
          if (!newTypeAcquisition || !newTypeAcquisition.include) {
            return newTypeAcquisition;
          }
          return { ...newTypeAcquisition, include: this.removeExistingTypings(newTypeAcquisition.include) };
        }
        getExternalFiles(updateLevel) {
          return sort(flatMap(this.plugins, (plugin2) => {
            if (typeof plugin2.module.getExternalFiles !== "function") return;
            try {
              return plugin2.module.getExternalFiles(
                this,
                updateLevel || 0
                /* Update */
              );
            } catch (e) {
              this.projectService.logger.info(`A plugin threw an exception in getExternalFiles: ${e}`);
              if (e.stack) {
                this.projectService.logger.info(e.stack);
              }
            }
          }));
        }
        getSourceFile(path17) {
          if (!this.program) {
            return void 0;
          }
          return this.program.getSourceFileByPath(path17);
        }
        /** @internal */
        getSourceFileOrConfigFile(path17) {
          const options = this.program.getCompilerOptions();
          return path17 === options.configFilePath ? options.configFile : this.getSourceFile(path17);
        }
        close() {
          var _a;
          this.projectService.typingsCache.onProjectClosed(this);
          this.closeWatchingTypingLocations();
          this.cleanupProgram();
          forEach(this.externalFiles, (externalFile) => this.detachScriptInfoIfNotRoot(externalFile));
          this.rootFilesMap.forEach((root2) => {
            var _a2;
            return (_a2 = root2.info) == null ? void 0 : _a2.detachFromProject(this);
          });
          this.projectService.pendingEnsureProjectForOpenFiles = true;
          this.rootFilesMap = void 0;
          this.externalFiles = void 0;
          this.program = void 0;
          this.builderState = void 0;
          this.resolutionCache.clear();
          this.resolutionCache = void 0;
          this.cachedUnresolvedImportsPerFile = void 0;
          (_a = this.packageJsonWatches) == null ? void 0 : _a.forEach((watcher) => {
            watcher.projects.delete(this);
            watcher.close();
          });
          this.packageJsonWatches = void 0;
          this.moduleSpecifierCache.clear();
          this.moduleSpecifierCache = void 0;
          this.directoryStructureHost = void 0;
          this.exportMapCache = void 0;
          this.projectErrors = void 0;
          this.plugins.length = 0;
          if (this.missingFilesMap) {
            clearMap(this.missingFilesMap, closeFileWatcher);
            this.missingFilesMap = void 0;
          }
          this.clearGeneratedFileWatch();
          this.clearInvalidateResolutionOfFailedLookupTimer();
          if (this.autoImportProviderHost) {
            this.autoImportProviderHost.close();
          }
          this.autoImportProviderHost = void 0;
          if (this.noDtsResolutionProject) {
            this.noDtsResolutionProject.close();
          }
          this.noDtsResolutionProject = void 0;
          this.languageService.dispose();
          this.languageService = void 0;
        }
        detachScriptInfoIfNotRoot(uncheckedFilename) {
          const info = this.projectService.getScriptInfo(uncheckedFilename);
          if (info && !this.isRoot(info)) {
            info.detachFromProject(this);
          }
        }
        isClosed() {
          return this.rootFilesMap === void 0;
        }
        hasRoots() {
          var _a;
          return !!((_a = this.rootFilesMap) == null ? void 0 : _a.size);
        }
        /** @internal */
        isOrphan() {
          return false;
        }
        getRootFiles() {
          return this.rootFilesMap && arrayFrom(mapDefinedIterator(this.rootFilesMap.values(), (value) => {
            var _a;
            return (_a = value.info) == null ? void 0 : _a.fileName;
          }));
        }
        /** @internal */
        getRootFilesMap() {
          return this.rootFilesMap;
        }
        getRootScriptInfos() {
          return arrayFrom(mapDefinedIterator(this.rootFilesMap.values(), (value) => value.info));
        }
        getScriptInfos() {
          if (!this.languageServiceEnabled) {
            return this.getRootScriptInfos();
          }
          return map(this.program.getSourceFiles(), (sourceFile) => {
            const scriptInfo = this.projectService.getScriptInfoForPath(sourceFile.resolvedPath);
            Debug.assert(!!scriptInfo, "getScriptInfo", () => `scriptInfo for a file '${sourceFile.fileName}' Path: '${sourceFile.path}' / '${sourceFile.resolvedPath}' is missing.`);
            return scriptInfo;
          });
        }
        getExcludedFiles() {
          return emptyArray2;
        }
        getFileNames(excludeFilesFromExternalLibraries, excludeConfigFiles) {
          if (!this.program) {
            return [];
          }
          if (!this.languageServiceEnabled) {
            let rootFiles2 = this.getRootFiles();
            if (this.compilerOptions) {
              const defaultLibrary = getDefaultLibFilePath(this.compilerOptions);
              if (defaultLibrary) {
                (rootFiles2 || (rootFiles2 = [])).push(asNormalizedPath(defaultLibrary));
              }
            }
            return rootFiles2;
          }
          const result = [];
          for (const f of this.program.getSourceFiles()) {
            if (excludeFilesFromExternalLibraries && this.program.isSourceFileFromExternalLibrary(f)) {
              continue;
            }
            result.push(asNormalizedPath(f.fileName));
          }
          if (!excludeConfigFiles) {
            const configFile = this.program.getCompilerOptions().configFile;
            if (configFile) {
              result.push(asNormalizedPath(configFile.fileName));
              if (configFile.extendedSourceFiles) {
                for (const f of configFile.extendedSourceFiles) {
                  result.push(asNormalizedPath(f));
                }
              }
            }
          }
          return result;
        }
        /** @internal */
        getFileNamesWithRedirectInfo(includeProjectReferenceRedirectInfo) {
          return this.getFileNames().map((fileName) => ({
            fileName,
            isSourceOfProjectReferenceRedirect: includeProjectReferenceRedirectInfo && this.isSourceOfProjectReferenceRedirect(fileName)
          }));
        }
        hasConfigFile(configFilePath) {
          if (this.program && this.languageServiceEnabled) {
            const configFile = this.program.getCompilerOptions().configFile;
            if (configFile) {
              if (configFilePath === asNormalizedPath(configFile.fileName)) {
                return true;
              }
              if (configFile.extendedSourceFiles) {
                for (const f of configFile.extendedSourceFiles) {
                  if (configFilePath === asNormalizedPath(f)) {
                    return true;
                  }
                }
              }
            }
          }
          return false;
        }
        containsScriptInfo(info) {
          if (this.isRoot(info)) return true;
          if (!this.program) return false;
          const file = this.program.getSourceFileByPath(info.path);
          return !!file && file.resolvedPath === info.path;
        }
        containsFile(filename, requireOpen) {
          const info = this.projectService.getScriptInfoForNormalizedPath(filename);
          if (info && (info.isScriptOpen() || !requireOpen)) {
            return this.containsScriptInfo(info);
          }
          return false;
        }
        isRoot(info) {
          var _a, _b;
          return ((_b = (_a = this.rootFilesMap) == null ? void 0 : _a.get(info.path)) == null ? void 0 : _b.info) === info;
        }
        // add a root file to project
        addRoot(info, fileName) {
          Debug.assert(!this.isRoot(info));
          this.rootFilesMap.set(info.path, { fileName: fileName || info.fileName, info });
          info.attachToProject(this);
          this.markAsDirty();
        }
        // add a root file that doesnt exist on host
        addMissingFileRoot(fileName) {
          const path17 = this.projectService.toPath(fileName);
          this.rootFilesMap.set(path17, { fileName });
          this.markAsDirty();
        }
        removeFile(info, fileExists, detachFromProject) {
          if (this.isRoot(info)) {
            this.removeRoot(info);
          }
          if (fileExists) {
            this.resolutionCache.removeResolutionsOfFile(info.path);
          } else {
            this.resolutionCache.invalidateResolutionOfFile(info.path);
          }
          this.cachedUnresolvedImportsPerFile.delete(info.path);
          if (detachFromProject) {
            info.detachFromProject(this);
          }
          this.markAsDirty();
        }
        registerFileUpdate(fileName) {
          (this.updatedFileNames || (this.updatedFileNames = /* @__PURE__ */ new Set())).add(fileName);
        }
        /** @internal */
        markFileAsDirty(changedFile) {
          this.markAsDirty();
          if (this.exportMapCache && !this.exportMapCache.isEmpty()) {
            (this.changedFilesForExportMapCache || (this.changedFilesForExportMapCache = /* @__PURE__ */ new Set())).add(changedFile);
          }
        }
        /** @internal */
        markAsDirty() {
          if (!this.dirty) {
            this.projectStateVersion++;
            this.dirty = true;
          }
        }
        /** @internal */
        markAutoImportProviderAsDirty() {
          var _a;
          if (!this.autoImportProviderHost) this.autoImportProviderHost = void 0;
          (_a = this.autoImportProviderHost) == null ? void 0 : _a.markAsDirty();
        }
        /** @internal */
        onAutoImportProviderSettingsChanged() {
          var _a;
          if (this.autoImportProviderHost === false) {
            this.autoImportProviderHost = void 0;
          } else {
            (_a = this.autoImportProviderHost) == null ? void 0 : _a.markAsDirty();
          }
        }
        /** @internal */
        onPackageJsonChange() {
          this.moduleSpecifierCache.clear();
          if (this.autoImportProviderHost) {
            this.autoImportProviderHost.markAsDirty();
          }
        }
        /** @internal */
        onFileAddedOrRemoved(isSymlink) {
          this.hasAddedorRemovedFiles = true;
          if (isSymlink) {
            this.hasAddedOrRemovedSymlinks = true;
          }
        }
        /** @internal */
        onDiscoveredSymlink() {
          this.hasAddedOrRemovedSymlinks = true;
        }
        /** @internal */
        updateFromProject() {
          updateProjectIfDirty(this);
        }
        /**
         * Updates set of files that contribute to this project
         * @returns: true if set of files in the project stays the same and false - otherwise.
         */
        updateGraph() {
          var _a, _b, _c, _d;
          (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Session, "updateGraph", { name: this.projectName, kind: ProjectKind[this.projectKind] });
          (_b = perfLogger) == null ? void 0 : _b.logStartUpdateGraph();
          this.resolutionCache.startRecordingFilesWithChangedResolutions();
          const hasNewProgram = this.updateGraphWorker();
          const hasAddedorRemovedFiles = this.hasAddedorRemovedFiles;
          this.hasAddedorRemovedFiles = false;
          this.hasAddedOrRemovedSymlinks = false;
          const changedFiles = this.resolutionCache.finishRecordingFilesWithChangedResolutions() || emptyArray2;
          for (const file of changedFiles) {
            this.cachedUnresolvedImportsPerFile.delete(file);
          }
          if (this.languageServiceEnabled && this.projectService.serverMode === 0 && !this.isOrphan()) {
            if (hasNewProgram || changedFiles.length) {
              this.lastCachedUnresolvedImportsList = getUnresolvedImports(this.program, this.cachedUnresolvedImportsPerFile);
            }
            this.projectService.typingsCache.enqueueInstallTypingsForProject(this, this.lastCachedUnresolvedImportsList, hasAddedorRemovedFiles);
          } else {
            this.lastCachedUnresolvedImportsList = void 0;
          }
          const isFirstProgramLoad = this.projectProgramVersion === 0 && hasNewProgram;
          if (hasNewProgram) {
            this.projectProgramVersion++;
          }
          if (hasAddedorRemovedFiles) {
            this.markAutoImportProviderAsDirty();
          }
          if (isFirstProgramLoad) {
            this.getPackageJsonAutoImportProvider();
          }
          (_c = perfLogger) == null ? void 0 : _c.logStopUpdateGraph();
          (_d = tracing) == null ? void 0 : _d.pop();
          return !hasNewProgram;
        }
        /** @internal */
        updateTypingFiles(typingFiles) {
          if (enumerateInsertsAndDeletes(
            typingFiles,
            this.typingFiles,
            getStringComparer(!this.useCaseSensitiveFileNames()),
            /*inserted*/
            noop2,
            (removed) => this.detachScriptInfoFromProject(removed)
          )) {
            this.typingFiles = typingFiles;
            this.resolutionCache.setFilesWithInvalidatedNonRelativeUnresolvedImports(this.cachedUnresolvedImportsPerFile);
            this.projectService.delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(this);
          }
        }
        /** @internal */
        closeWatchingTypingLocations() {
          if (this.typingWatchers) clearMap(this.typingWatchers, closeFileWatcher);
          this.typingWatchers = void 0;
        }
        /** @internal */
        onTypingInstallerWatchInvoke() {
          this.typingWatchers.isInvoked = true;
          this.projectService.updateTypingsForProject({ projectName: this.getProjectName(), kind: ActionInvalidate });
        }
        /** @internal */
        watchTypingLocations(files) {
          if (!files) {
            this.typingWatchers.isInvoked = false;
            return;
          }
          if (!files.length) {
            this.closeWatchingTypingLocations();
            return;
          }
          const toRemove = new Map(this.typingWatchers);
          if (!this.typingWatchers) this.typingWatchers = /* @__PURE__ */ new Map();
          this.typingWatchers.isInvoked = false;
          const createProjectWatcher = (path17, typingsWatcherType) => {
            const canonicalPath = this.toPath(path17);
            toRemove.delete(canonicalPath);
            if (!this.typingWatchers.has(canonicalPath)) {
              this.typingWatchers.set(
                canonicalPath,
                typingsWatcherType === "FileWatcher" ? this.projectService.watchFactory.watchFile(
                  path17,
                  () => !this.typingWatchers.isInvoked ? this.onTypingInstallerWatchInvoke() : this.writeLog(`TypingWatchers already invoked`),
                  2e3,
                  this.projectService.getWatchOptions(this),
                  WatchType.TypingInstallerLocationFile,
                  this
                ) : this.projectService.watchFactory.watchDirectory(
                  path17,
                  (f) => {
                    if (this.typingWatchers.isInvoked) return this.writeLog(`TypingWatchers already invoked`);
                    if (!fileExtensionIs(
                      f,
                      ".json"
                      /* Json */
                    )) return this.writeLog(`Ignoring files that are not *.json`);
                    if (comparePaths(f, combinePaths(this.projectService.typingsInstaller.globalTypingsCacheLocation, "package.json"), !this.useCaseSensitiveFileNames())) return this.writeLog(`Ignoring package.json change at global typings location`);
                    this.onTypingInstallerWatchInvoke();
                  },
                  1,
                  this.projectService.getWatchOptions(this),
                  WatchType.TypingInstallerLocationDirectory,
                  this
                )
              );
            }
          };
          for (const file of files) {
            const basename = getBaseFileName(file);
            if (basename === "package.json" || basename === "bower.json") {
              createProjectWatcher(
                file,
                "FileWatcher"
                /* FileWatcher */
              );
              continue;
            }
            if (containsPath(this.currentDirectory, file, this.currentDirectory, !this.useCaseSensitiveFileNames())) {
              const subDirectory = file.indexOf(directorySeparator, this.currentDirectory.length + 1);
              if (subDirectory !== -1) {
                createProjectWatcher(
                  file.substr(0, subDirectory),
                  "DirectoryWatcher"
                  /* DirectoryWatcher */
                );
              } else {
                createProjectWatcher(
                  file,
                  "DirectoryWatcher"
                  /* DirectoryWatcher */
                );
              }
              continue;
            }
            if (containsPath(this.projectService.typingsInstaller.globalTypingsCacheLocation, file, this.currentDirectory, !this.useCaseSensitiveFileNames())) {
              createProjectWatcher(
                this.projectService.typingsInstaller.globalTypingsCacheLocation,
                "DirectoryWatcher"
                /* DirectoryWatcher */
              );
              continue;
            }
            createProjectWatcher(
              file,
              "DirectoryWatcher"
              /* DirectoryWatcher */
            );
          }
          toRemove.forEach((watch, path17) => {
            watch.close();
            this.typingWatchers.delete(path17);
          });
        }
        /** @internal */
        getCurrentProgram() {
          return this.program;
        }
        removeExistingTypings(include) {
          const existing = getAutomaticTypeDirectiveNames(this.getCompilerOptions(), this.directoryStructureHost);
          return include.filter((i) => !existing.includes(i));
        }
        updateGraphWorker() {
          var _a, _b;
          const oldProgram = this.languageService.getCurrentProgram();
          Debug.assert(oldProgram === this.program);
          Debug.assert(!this.isClosed(), "Called update graph worker of closed project");
          this.writeLog(`Starting updateGraphWorker: Project: ${this.getProjectName()}`);
          const start = timestamp();
          const { hasInvalidatedResolutions, hasInvalidatedLibResolutions } = this.resolutionCache.createHasInvalidatedResolutions(returnFalse, returnFalse);
          this.hasInvalidatedResolutions = hasInvalidatedResolutions;
          this.hasInvalidatedLibResolutions = hasInvalidatedLibResolutions;
          this.resolutionCache.startCachingPerDirectoryResolution();
          this.dirty = false;
          this.updateFromProjectInProgress = true;
          this.program = this.languageService.getProgram();
          this.updateFromProjectInProgress = false;
          (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Session, "finishCachingPerDirectoryResolution");
          this.resolutionCache.finishCachingPerDirectoryResolution(this.program, oldProgram);
          (_b = tracing) == null ? void 0 : _b.pop();
          Debug.assert(oldProgram === void 0 || this.program !== void 0);
          let hasNewProgram = false;
          if (this.program && (!oldProgram || this.program !== oldProgram && this.program.structureIsReused !== 2)) {
            hasNewProgram = true;
            if (oldProgram) {
              for (const f of oldProgram.getSourceFiles()) {
                const newFile = this.program.getSourceFileByPath(f.resolvedPath);
                if (!newFile || f.resolvedPath === f.path && newFile.resolvedPath !== f.path) {
                  this.detachScriptInfoFromProject(
                    f.fileName,
                    !!this.program.getSourceFileByPath(f.path),
                    /*syncDirWatcherRemove*/
                    true
                  );
                }
              }
              oldProgram.forEachResolvedProjectReference((resolvedProjectReference) => {
                if (!this.program.getResolvedProjectReferenceByPath(resolvedProjectReference.sourceFile.path)) {
                  this.detachScriptInfoFromProject(
                    resolvedProjectReference.sourceFile.fileName,
                    /*noRemoveResolution*/
                    void 0,
                    /*syncDirWatcherRemove*/
                    true
                  );
                }
              });
            }
            this.rootFilesMap.forEach((value, path17) => {
              var _a2;
              const file = this.program.getSourceFileByPath(path17);
              const info = value.info;
              if (!file || ((_a2 = value.info) == null ? void 0 : _a2.path) === file.resolvedPath) return;
              value.info = this.projectService.getScriptInfo(file.fileName);
              Debug.assert(value.info.isAttached(this));
              info == null ? void 0 : info.detachFromProject(this);
            });
            updateMissingFilePathsWatch(
              this.program,
              this.missingFilesMap || (this.missingFilesMap = /* @__PURE__ */ new Map()),
              // Watch the missing files
              (missingFilePath, missingFileName) => this.addMissingFileWatcher(missingFilePath, missingFileName)
            );
            if (this.generatedFilesMap) {
              const outPath = this.compilerOptions.outFile;
              if (isGeneratedFileWatcher(this.generatedFilesMap)) {
                if (!outPath || !this.isValidGeneratedFileWatcher(
                  removeFileExtension(outPath) + ".d.ts",
                  this.generatedFilesMap
                )) {
                  this.clearGeneratedFileWatch();
                }
              } else {
                if (outPath) {
                  this.clearGeneratedFileWatch();
                } else {
                  this.generatedFilesMap.forEach((watcher, source) => {
                    const sourceFile = this.program.getSourceFileByPath(source);
                    if (!sourceFile || sourceFile.resolvedPath !== source || !this.isValidGeneratedFileWatcher(
                      getDeclarationEmitOutputFilePathWorker(sourceFile.fileName, this.compilerOptions, this.program),
                      watcher
                    )) {
                      closeFileWatcherOf(watcher);
                      this.generatedFilesMap.delete(source);
                    }
                  });
                }
              }
            }
            if (this.languageServiceEnabled && this.projectService.serverMode === 0) {
              this.resolutionCache.updateTypeRootsWatch();
            }
          }
          this.projectService.verifyProgram(this);
          if (this.exportMapCache && !this.exportMapCache.isEmpty()) {
            this.exportMapCache.releaseSymbols();
            if (this.hasAddedorRemovedFiles || oldProgram && !this.program.structureIsReused) {
              this.exportMapCache.clear();
            } else if (this.changedFilesForExportMapCache && oldProgram && this.program) {
              forEachKey(this.changedFilesForExportMapCache, (fileName) => {
                const oldSourceFile = oldProgram.getSourceFileByPath(fileName);
                const sourceFile = this.program.getSourceFileByPath(fileName);
                if (!oldSourceFile || !sourceFile) {
                  this.exportMapCache.clear();
                  return true;
                }
                return this.exportMapCache.onFileChanged(oldSourceFile, sourceFile, !!this.getTypeAcquisition().enable);
              });
            }
          }
          if (this.changedFilesForExportMapCache) {
            this.changedFilesForExportMapCache.clear();
          }
          if (this.hasAddedOrRemovedSymlinks || this.program && !this.program.structureIsReused && this.getCompilerOptions().preserveSymlinks) {
            this.symlinks = void 0;
            this.moduleSpecifierCache.clear();
          }
          const oldExternalFiles = this.externalFiles || emptyArray2;
          this.externalFiles = this.getExternalFiles();
          enumerateInsertsAndDeletes(
            this.externalFiles,
            oldExternalFiles,
            getStringComparer(!this.useCaseSensitiveFileNames()),
            // Ensure a ScriptInfo is created for new external files. This is performed indirectly
            // by the host for files in the program when the program is retrieved above but
            // the program doesn't contain external files so this must be done explicitly.
            (inserted) => {
              const scriptInfo = this.projectService.getOrCreateScriptInfoNotOpenedByClient(
                inserted,
                this.currentDirectory,
                this.directoryStructureHost,
                /*deferredDeleteOk*/
                false
              );
              scriptInfo == null ? void 0 : scriptInfo.attachToProject(this);
            },
            (removed) => this.detachScriptInfoFromProject(removed)
          );
          const elapsed = timestamp() - start;
          this.sendPerformanceEvent("UpdateGraph", elapsed);
          this.writeLog(`Finishing updateGraphWorker: Project: ${this.getProjectName()} projectStateVersion: ${this.projectStateVersion} projectProgramVersion: ${this.projectProgramVersion} structureChanged: ${hasNewProgram}${this.program ? ` structureIsReused:: ${StructureIsReused[this.program.structureIsReused]}` : ""} Elapsed: ${elapsed}ms`);
          if (this.projectService.logger.isTestLogger) {
            if (this.program !== oldProgram) {
              this.print(
                /*writeProjectFileNames*/
                true,
                this.hasAddedorRemovedFiles,
                /*writeFileVersionAndText*/
                true
              );
            } else {
              this.writeLog(`Same program as before`);
            }
          } else if (this.hasAddedorRemovedFiles) {
            this.print(
              /*writeProjectFileNames*/
              true,
              /*writeFileExplaination*/
              true,
              /*writeFileVersionAndText*/
              false
            );
          } else if (this.program !== oldProgram) {
            this.writeLog(`Different program with same set of files`);
          }
          this.projectService.verifyDocumentRegistry();
          return hasNewProgram;
        }
        /** @internal */
        sendPerformanceEvent(kind, durationMs) {
          this.projectService.sendPerformanceEvent(kind, durationMs);
        }
        detachScriptInfoFromProject(uncheckedFileName, noRemoveResolution, syncDirWatcherRemove) {
          const scriptInfoToDetach = this.projectService.getScriptInfo(uncheckedFileName);
          if (scriptInfoToDetach) {
            scriptInfoToDetach.detachFromProject(this);
            if (!noRemoveResolution) {
              this.resolutionCache.removeResolutionsOfFile(scriptInfoToDetach.path, syncDirWatcherRemove);
            }
          }
        }
        addMissingFileWatcher(missingFilePath, missingFileName) {
          var _a;
          if (isConfiguredProject(this)) {
            const configFileExistenceInfo = this.projectService.configFileExistenceInfoCache.get(missingFilePath);
            if ((_a = configFileExistenceInfo == null ? void 0 : configFileExistenceInfo.config) == null ? void 0 : _a.projects.has(this.canonicalConfigFilePath)) return noopFileWatcher;
          }
          const fileWatcher = this.projectService.watchFactory.watchFile(
            getNormalizedAbsolutePath(missingFileName, this.currentDirectory),
            (fileName, eventKind) => {
              if (isConfiguredProject(this)) {
                this.getCachedDirectoryStructureHost().addOrDeleteFile(fileName, missingFilePath, eventKind);
              }
              if (eventKind === 0 && this.missingFilesMap.has(missingFilePath)) {
                this.missingFilesMap.delete(missingFilePath);
                fileWatcher.close();
                this.projectService.delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(this);
              }
            },
            500,
            this.projectService.getWatchOptions(this),
            WatchType.MissingFile,
            this
          );
          return fileWatcher;
        }
        isWatchedMissingFile(path17) {
          return !!this.missingFilesMap && this.missingFilesMap.has(path17);
        }
        /** @internal */
        addGeneratedFileWatch(generatedFile, sourceFile) {
          if (this.compilerOptions.outFile) {
            if (!this.generatedFilesMap) {
              this.generatedFilesMap = this.createGeneratedFileWatcher(generatedFile);
            }
          } else {
            const path17 = this.toPath(sourceFile);
            if (this.generatedFilesMap) {
              if (isGeneratedFileWatcher(this.generatedFilesMap)) {
                Debug.fail(`${this.projectName} Expected to not have --out watcher for generated file with options: ${JSON.stringify(this.compilerOptions)}`);
                return;
              }
              if (this.generatedFilesMap.has(path17)) return;
            } else {
              this.generatedFilesMap = /* @__PURE__ */ new Map();
            }
            this.generatedFilesMap.set(path17, this.createGeneratedFileWatcher(generatedFile));
          }
        }
        createGeneratedFileWatcher(generatedFile) {
          return {
            generatedFilePath: this.toPath(generatedFile),
            watcher: this.projectService.watchFactory.watchFile(
              generatedFile,
              () => {
                this.clearSourceMapperCache();
                this.projectService.delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(this);
              },
              2e3,
              this.projectService.getWatchOptions(this),
              WatchType.MissingGeneratedFile,
              this
            )
          };
        }
        isValidGeneratedFileWatcher(generateFile, watcher) {
          return this.toPath(generateFile) === watcher.generatedFilePath;
        }
        clearGeneratedFileWatch() {
          if (this.generatedFilesMap) {
            if (isGeneratedFileWatcher(this.generatedFilesMap)) {
              closeFileWatcherOf(this.generatedFilesMap);
            } else {
              clearMap(this.generatedFilesMap, closeFileWatcherOf);
            }
            this.generatedFilesMap = void 0;
          }
        }
        getScriptInfoForNormalizedPath(fileName) {
          const scriptInfo = this.projectService.getScriptInfoForPath(this.toPath(fileName));
          if (scriptInfo && !scriptInfo.isAttached(this)) {
            return Errors.ThrowProjectDoesNotContainDocument(fileName, this);
          }
          return scriptInfo;
        }
        getScriptInfo(uncheckedFileName) {
          return this.projectService.getScriptInfo(uncheckedFileName);
        }
        filesToString(writeProjectFileNames) {
          return this.filesToStringWorker(
            writeProjectFileNames,
            /*writeFileExplaination*/
            true,
            /*writeFileVersionAndText*/
            false
          );
        }
        /** @internal */
        filesToStringWorker(writeProjectFileNames, writeFileExplaination, writeFileVersionAndText) {
          if (this.isInitialLoadPending()) return "	Files (0) InitialLoadPending\n";
          if (!this.program) return "	Files (0) NoProgram\n";
          const sourceFiles = this.program.getSourceFiles();
          let strBuilder = `	Files (${sourceFiles.length})
`;
          if (writeProjectFileNames) {
            for (const file of sourceFiles) {
              strBuilder += `	${file.fileName}${writeFileVersionAndText ? ` ${file.version} ${JSON.stringify(file.text)}` : ""}
`;
            }
            if (writeFileExplaination) {
              strBuilder += "\n\n";
              explainFiles(this.program, (s) => strBuilder += `	${s}
`);
            }
          }
          return strBuilder;
        }
        /** @internal */
        print(writeProjectFileNames, writeFileExplaination, writeFileVersionAndText) {
          var _a;
          this.writeLog(`Project '${this.projectName}' (${ProjectKind[this.projectKind]})`);
          this.writeLog(this.filesToStringWorker(
            writeProjectFileNames && this.projectService.logger.hasLevel(
              3
              /* verbose */
            ),
            writeFileExplaination && this.projectService.logger.hasLevel(
              3
              /* verbose */
            ),
            writeFileVersionAndText && this.projectService.logger.hasLevel(
              3
              /* verbose */
            )
          ));
          this.writeLog("-----------------------------------------------");
          if (this.autoImportProviderHost) {
            this.autoImportProviderHost.print(
              /*writeProjectFileNames*/
              false,
              /*writeFileExplaination*/
              false,
              /*writeFileVersionAndText*/
              false
            );
          }
          (_a = this.noDtsResolutionProject) == null ? void 0 : _a.print(
            /*writeProjectFileNames*/
            false,
            /*writeFileExplaination*/
            false,
            /*writeFileVersionAndText*/
            false
          );
        }
        setCompilerOptions(compilerOptions) {
          var _a;
          if (compilerOptions) {
            compilerOptions.allowNonTsExtensions = true;
            const oldOptions = this.compilerOptions;
            this.compilerOptions = compilerOptions;
            this.setInternalCompilerOptionsForEmittingJsFiles();
            (_a = this.noDtsResolutionProject) == null ? void 0 : _a.setCompilerOptions(this.getCompilerOptionsForNoDtsResolutionProject());
            if (changesAffectModuleResolution(oldOptions, compilerOptions)) {
              this.cachedUnresolvedImportsPerFile.clear();
              this.lastCachedUnresolvedImportsList = void 0;
              this.resolutionCache.onChangesAffectModuleResolution();
              this.moduleSpecifierCache.clear();
            }
            this.markAsDirty();
          }
        }
        /** @internal */
        setWatchOptions(watchOptions) {
          this.watchOptions = watchOptions;
        }
        /** @internal */
        getWatchOptions() {
          return this.watchOptions;
        }
        setTypeAcquisition(newTypeAcquisition) {
          if (newTypeAcquisition) {
            this.typeAcquisition = this.removeLocalTypingsFromTypeAcquisition(newTypeAcquisition);
          }
        }
        getTypeAcquisition() {
          return this.typeAcquisition || {};
        }
        /** @internal */
        getChangesSinceVersion(lastKnownVersion, includeProjectReferenceRedirectInfo) {
          var _a, _b;
          const includeProjectReferenceRedirectInfoIfRequested = includeProjectReferenceRedirectInfo ? (files) => arrayFrom(files.entries(), ([fileName, isSourceOfProjectReferenceRedirect]) => ({
            fileName,
            isSourceOfProjectReferenceRedirect
          })) : (files) => arrayFrom(files.keys());
          if (!this.isInitialLoadPending()) {
            updateProjectIfDirty(this);
          }
          const info = {
            projectName: this.getProjectName(),
            version: this.projectProgramVersion,
            isInferred: isInferredProject(this),
            options: this.getCompilationSettings(),
            languageServiceDisabled: !this.languageServiceEnabled,
            lastFileExceededProgramSize: this.lastFileExceededProgramSize
          };
          const updatedFileNames = this.updatedFileNames;
          this.updatedFileNames = void 0;
          if (this.lastReportedFileNames && lastKnownVersion === this.lastReportedVersion) {
            if (this.projectProgramVersion === this.lastReportedVersion && !updatedFileNames) {
              return { info, projectErrors: this.getGlobalProjectErrors() };
            }
            const lastReportedFileNames = this.lastReportedFileNames;
            const externalFiles = ((_a = this.externalFiles) == null ? void 0 : _a.map((f) => ({
              fileName: toNormalizedPath(f),
              isSourceOfProjectReferenceRedirect: false
            }))) || emptyArray2;
            const currentFiles = arrayToMap(
              this.getFileNamesWithRedirectInfo(!!includeProjectReferenceRedirectInfo).concat(externalFiles),
              (info2) => info2.fileName,
              (info2) => info2.isSourceOfProjectReferenceRedirect
            );
            const added = /* @__PURE__ */ new Map();
            const removed = /* @__PURE__ */ new Map();
            const updated = updatedFileNames ? arrayFrom(updatedFileNames.keys()) : [];
            const updatedRedirects = [];
            forEachEntry(currentFiles, (isSourceOfProjectReferenceRedirect, fileName) => {
              if (!lastReportedFileNames.has(fileName)) {
                added.set(fileName, isSourceOfProjectReferenceRedirect);
              } else if (includeProjectReferenceRedirectInfo && isSourceOfProjectReferenceRedirect !== lastReportedFileNames.get(fileName)) {
                updatedRedirects.push({
                  fileName,
                  isSourceOfProjectReferenceRedirect
                });
              }
            });
            forEachEntry(lastReportedFileNames, (isSourceOfProjectReferenceRedirect, fileName) => {
              if (!currentFiles.has(fileName)) {
                removed.set(fileName, isSourceOfProjectReferenceRedirect);
              }
            });
            this.lastReportedFileNames = currentFiles;
            this.lastReportedVersion = this.projectProgramVersion;
            return {
              info,
              changes: {
                added: includeProjectReferenceRedirectInfoIfRequested(added),
                removed: includeProjectReferenceRedirectInfoIfRequested(removed),
                updated: includeProjectReferenceRedirectInfo ? updated.map((fileName) => ({
                  fileName,
                  isSourceOfProjectReferenceRedirect: this.isSourceOfProjectReferenceRedirect(fileName)
                })) : updated,
                updatedRedirects: includeProjectReferenceRedirectInfo ? updatedRedirects : void 0
              },
              projectErrors: this.getGlobalProjectErrors()
            };
          } else {
            const projectFileNames = this.getFileNamesWithRedirectInfo(!!includeProjectReferenceRedirectInfo);
            const externalFiles = ((_b = this.externalFiles) == null ? void 0 : _b.map((f) => ({
              fileName: toNormalizedPath(f),
              isSourceOfProjectReferenceRedirect: false
            }))) || emptyArray2;
            const allFiles = projectFileNames.concat(externalFiles);
            this.lastReportedFileNames = arrayToMap(
              allFiles,
              (info2) => info2.fileName,
              (info2) => info2.isSourceOfProjectReferenceRedirect
            );
            this.lastReportedVersion = this.projectProgramVersion;
            return {
              info,
              files: includeProjectReferenceRedirectInfo ? allFiles : allFiles.map((f) => f.fileName),
              projectErrors: this.getGlobalProjectErrors()
            };
          }
        }
        // remove a root file from project
        removeRoot(info) {
          this.rootFilesMap.delete(info.path);
        }
        /** @internal */
        isSourceOfProjectReferenceRedirect(fileName) {
          return !!this.program && this.program.isSourceOfProjectReferenceRedirect(fileName);
        }
        /** @internal */
        getGlobalPluginSearchPaths() {
          return [
            ...this.projectService.pluginProbeLocations,
            // ../../.. to walk from X/node_modules/typescript/lib/tsserver.js to X/node_modules/
            combinePaths(this.projectService.getExecutingFilePath(), "../../..")
          ];
        }
        enableGlobalPlugins(options) {
          if (!this.projectService.globalPlugins.length) return;
          const host = this.projectService.host;
          if (!host.require && !host.importPlugin) {
            this.projectService.logger.info("Plugins were requested but not running in environment that supports 'require'. Nothing will be loaded");
            return;
          }
          const searchPaths = this.getGlobalPluginSearchPaths();
          for (const globalPluginName of this.projectService.globalPlugins) {
            if (!globalPluginName) continue;
            if (options.plugins && options.plugins.some((p) => p.name === globalPluginName)) continue;
            this.projectService.logger.info(`Loading global plugin ${globalPluginName}`);
            this.enablePlugin({ name: globalPluginName, global: true }, searchPaths);
          }
        }
        enablePlugin(pluginConfigEntry, searchPaths) {
          this.projectService.requestEnablePlugin(this, pluginConfigEntry, searchPaths);
        }
        /** @internal */
        enableProxy(pluginModuleFactory, configEntry) {
          try {
            if (typeof pluginModuleFactory !== "function") {
              this.projectService.logger.info(`Skipped loading plugin ${configEntry.name} because it did not expose a proper factory function`);
              return;
            }
            const info = {
              config: configEntry,
              project: this,
              languageService: this.languageService,
              languageServiceHost: this,
              serverHost: this.projectService.host,
              session: this.projectService.session
            };
            const pluginModule = pluginModuleFactory({ typescript: ts_exports2 });
            const newLS = pluginModule.create(info);
            for (const k of Object.keys(this.languageService)) {
              if (!(k in newLS)) {
                this.projectService.logger.info(`Plugin activation warning: Missing proxied method ${k} in created LS. Patching.`);
                newLS[k] = this.languageService[k];
              }
            }
            this.projectService.logger.info(`Plugin validation succeeded`);
            this.languageService = newLS;
            this.plugins.push({ name: configEntry.name, module: pluginModule });
          } catch (e) {
            this.projectService.logger.info(`Plugin activation failed: ${e}`);
          }
        }
        /** @internal */
        onPluginConfigurationChanged(pluginName, configuration) {
          this.plugins.filter((plugin2) => plugin2.name === pluginName).forEach((plugin2) => {
            if (plugin2.module.onConfigurationChanged) {
              plugin2.module.onConfigurationChanged(configuration);
            }
          });
        }
        /** Starts a new check for diagnostics. Call this if some file has updated that would cause diagnostics to be changed. */
        refreshDiagnostics() {
          this.projectService.sendProjectsUpdatedInBackgroundEvent();
        }
        /** @internal */
        getPackageJsonsVisibleToFile(fileName, rootDir) {
          if (this.projectService.serverMode !== 0) return emptyArray2;
          return this.projectService.getPackageJsonsVisibleToFile(fileName, this, rootDir);
        }
        /** @internal */
        getNearestAncestorDirectoryWithPackageJson(fileName) {
          return this.projectService.getNearestAncestorDirectoryWithPackageJson(fileName);
        }
        /** @internal */
        getPackageJsonsForAutoImport(rootDir) {
          return this.getPackageJsonsVisibleToFile(combinePaths(this.currentDirectory, inferredTypesContainingFile), rootDir);
        }
        /** @internal */
        getPackageJsonCache() {
          return this.projectService.packageJsonCache;
        }
        /** @internal */
        getCachedExportInfoMap() {
          return this.exportMapCache || (this.exportMapCache = createCacheableExportInfoMap(this));
        }
        /** @internal */
        clearCachedExportInfoMap() {
          var _a;
          (_a = this.exportMapCache) == null ? void 0 : _a.clear();
        }
        /** @internal */
        getModuleSpecifierCache() {
          return this.moduleSpecifierCache;
        }
        /** @internal */
        includePackageJsonAutoImports() {
          if (this.projectService.includePackageJsonAutoImports() === 0 || !this.languageServiceEnabled || isInsideNodeModules(this.currentDirectory) || !this.isDefaultProjectForOpenFiles()) {
            return 0;
          }
          return this.projectService.includePackageJsonAutoImports();
        }
        /** @internal */
        getHostForAutoImportProvider() {
          var _a, _b;
          if (this.program) {
            return {
              fileExists: this.program.fileExists,
              directoryExists: this.program.directoryExists,
              realpath: this.program.realpath || ((_a = this.projectService.host.realpath) == null ? void 0 : _a.bind(this.projectService.host)),
              getCurrentDirectory: this.getCurrentDirectory.bind(this),
              readFile: this.projectService.host.readFile.bind(this.projectService.host),
              getDirectories: this.projectService.host.getDirectories.bind(this.projectService.host),
              trace: (_b = this.projectService.host.trace) == null ? void 0 : _b.bind(this.projectService.host),
              useCaseSensitiveFileNames: this.program.useCaseSensitiveFileNames(),
              readDirectory: this.projectService.host.readDirectory.bind(this.projectService.host)
            };
          }
          return this.projectService.host;
        }
        /** @internal */
        getPackageJsonAutoImportProvider() {
          var _a, _b, _c;
          if (this.autoImportProviderHost === false) {
            return void 0;
          }
          if (this.projectService.serverMode !== 0) {
            this.autoImportProviderHost = false;
            return void 0;
          }
          if (this.autoImportProviderHost) {
            updateProjectIfDirty(this.autoImportProviderHost);
            if (this.autoImportProviderHost.isEmpty()) {
              this.autoImportProviderHost.close();
              this.autoImportProviderHost = void 0;
              return void 0;
            }
            return this.autoImportProviderHost.getCurrentProgram();
          }
          const dependencySelection = this.includePackageJsonAutoImports();
          if (dependencySelection) {
            (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Session, "getPackageJsonAutoImportProvider");
            const start = timestamp();
            this.autoImportProviderHost = AutoImportProviderProject.create(dependencySelection, this, this.getHostForAutoImportProvider(), this.documentRegistry);
            if (this.autoImportProviderHost) {
              updateProjectIfDirty(this.autoImportProviderHost);
              this.sendPerformanceEvent("CreatePackageJsonAutoImportProvider", timestamp() - start);
              (_b = tracing) == null ? void 0 : _b.pop();
              return this.autoImportProviderHost.getCurrentProgram();
            }
            (_c = tracing) == null ? void 0 : _c.pop();
          }
        }
        /** @internal */
        isDefaultProjectForOpenFiles() {
          return !!forEachEntry(
            this.projectService.openFiles,
            (_projectRootPath, path17) => this.projectService.tryGetDefaultProjectForFile(this.projectService.getScriptInfoForPath(path17)) === this
          );
        }
        /** @internal */
        watchNodeModulesForPackageJsonChanges(directoryPath) {
          return this.projectService.watchPackageJsonsInNodeModules(directoryPath, this);
        }
        /** @internal */
        getIncompleteCompletionsCache() {
          return this.projectService.getIncompleteCompletionsCache();
        }
        /** @internal */
        getNoDtsResolutionProject(rootFile) {
          Debug.assert(
            this.projectService.serverMode === 0
            /* Semantic */
          );
          if (!this.noDtsResolutionProject) {
            this.noDtsResolutionProject = new AuxiliaryProject(this.projectService, this.documentRegistry, this.getCompilerOptionsForNoDtsResolutionProject(), this.currentDirectory);
          }
          if (this.noDtsResolutionProject.rootFile !== rootFile) {
            this.projectService.setFileNamesOfAutpImportProviderOrAuxillaryProject(this.noDtsResolutionProject, [rootFile]);
            this.noDtsResolutionProject.rootFile = rootFile;
          }
          return this.noDtsResolutionProject;
        }
        /** @internal */
        runWithTemporaryFileUpdate(rootFile, updatedText, cb) {
          var _a, _b, _c, _d;
          const originalProgram = this.program;
          const rootSourceFile = Debug.checkDefined((_a = this.program) == null ? void 0 : _a.getSourceFile(rootFile), "Expected file to be part of program");
          const originalText = Debug.checkDefined(rootSourceFile.getText());
          (_b = this.getScriptInfo(rootFile)) == null ? void 0 : _b.editContent(0, originalText.length, updatedText);
          this.updateGraph();
          try {
            cb(this.program, originalProgram, (_c = this.program) == null ? void 0 : _c.getSourceFile(rootFile));
          } finally {
            (_d = this.getScriptInfo(rootFile)) == null ? void 0 : _d.editContent(0, this.program.getSourceFile(rootFile).getText().length, originalText);
          }
        }
        /** @internal */
        getCompilerOptionsForNoDtsResolutionProject() {
          return {
            ...this.getCompilerOptions(),
            noDtsResolution: true,
            allowJs: true,
            maxNodeModuleJsDepth: 3,
            diagnostics: false,
            skipLibCheck: true,
            sourceMap: false,
            types: emptyArray,
            lib: emptyArray,
            noLib: true
          };
        }
      };
      function getUnresolvedImports(program, cachedUnresolvedImportsPerFile) {
        var _a, _b;
        const sourceFiles = program.getSourceFiles();
        (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Session, "getUnresolvedImports", { count: sourceFiles.length });
        const ambientModules = program.getTypeChecker().getAmbientModules().map((mod) => stripQuotes(mod.getName()));
        const result = sortAndDeduplicate(flatMap(sourceFiles, (sourceFile) => extractUnresolvedImportsFromSourceFile(
          program,
          sourceFile,
          ambientModules,
          cachedUnresolvedImportsPerFile
        )));
        (_b = tracing) == null ? void 0 : _b.pop();
        return result;
      }
      function extractUnresolvedImportsFromSourceFile(program, file, ambientModules, cachedUnresolvedImportsPerFile) {
        return getOrUpdate(cachedUnresolvedImportsPerFile, file.path, () => {
          let unresolvedImports;
          program.forEachResolvedModule(({ resolvedModule }, name) => {
            if ((!resolvedModule || !resolutionExtensionIsTSOrJson(resolvedModule.extension)) && !isExternalModuleNameRelative(name) && !ambientModules.some((m) => m === name)) {
              unresolvedImports = append(unresolvedImports, parsePackageName(name).packageName);
            }
          }, file);
          return unresolvedImports || emptyArray2;
        });
      }
      var InferredProject2 = class extends Project3 {
        /** @internal */
        constructor(projectService, documentRegistry, compilerOptions, watchOptions, projectRootPath, currentDirectory, typeAcquisition) {
          super(
            projectService.newInferredProjectName(),
            0,
            projectService,
            documentRegistry,
            // TODO: GH#18217
            /*files*/
            void 0,
            /*lastFileExceededProgramSize*/
            void 0,
            compilerOptions,
            /*compileOnSaveEnabled*/
            false,
            watchOptions,
            projectService.host,
            currentDirectory
          );
          this._isJsInferredProject = false;
          this.typeAcquisition = typeAcquisition;
          this.projectRootPath = projectRootPath && projectService.toCanonicalFileName(projectRootPath);
          if (!projectRootPath && !projectService.useSingleInferredProject) {
            this.canonicalCurrentDirectory = projectService.toCanonicalFileName(this.currentDirectory);
          }
          this.enableGlobalPlugins(this.getCompilerOptions());
        }
        toggleJsInferredProject(isJsInferredProject) {
          if (isJsInferredProject !== this._isJsInferredProject) {
            this._isJsInferredProject = isJsInferredProject;
            this.setCompilerOptions();
          }
        }
        setCompilerOptions(options) {
          if (!options && !this.getCompilationSettings()) {
            return;
          }
          const newOptions = cloneCompilerOptions(options || this.getCompilationSettings());
          if (this._isJsInferredProject && typeof newOptions.maxNodeModuleJsDepth !== "number") {
            newOptions.maxNodeModuleJsDepth = 2;
          } else if (!this._isJsInferredProject) {
            newOptions.maxNodeModuleJsDepth = void 0;
          }
          newOptions.allowJs = true;
          super.setCompilerOptions(newOptions);
        }
        addRoot(info) {
          Debug.assert(info.isScriptOpen());
          this.projectService.startWatchingConfigFilesForInferredProjectRoot(info);
          if (!this._isJsInferredProject && info.isJavaScript()) {
            this.toggleJsInferredProject(
              /*isJsInferredProject*/
              true
            );
          } else if (this.isOrphan() && this._isJsInferredProject && !info.isJavaScript()) {
            this.toggleJsInferredProject(
              /*isJsInferredProject*/
              false
            );
          }
          super.addRoot(info);
        }
        removeRoot(info) {
          this.projectService.stopWatchingConfigFilesForScriptInfo(info);
          super.removeRoot(info);
          if (!this.isOrphan() && this._isJsInferredProject && info.isJavaScript()) {
            if (every(this.getRootScriptInfos(), (rootInfo) => !rootInfo.isJavaScript())) {
              this.toggleJsInferredProject(
                /*isJsInferredProject*/
                false
              );
            }
          }
        }
        /** @internal */
        isOrphan() {
          return !this.hasRoots();
        }
        isProjectWithSingleRoot() {
          return !this.projectRootPath && !this.projectService.useSingleInferredProject || this.getRootScriptInfos().length === 1;
        }
        close() {
          forEach(this.getRootScriptInfos(), (info) => this.projectService.stopWatchingConfigFilesForScriptInfo(info));
          super.close();
        }
        getTypeAcquisition() {
          return this.typeAcquisition || {
            enable: allRootFilesAreJsOrDts(this),
            include: emptyArray,
            exclude: emptyArray
          };
        }
      };
      var AuxiliaryProject = class extends Project3 {
        constructor(projectService, documentRegistry, compilerOptions, currentDirectory) {
          super(
            projectService.newAuxiliaryProjectName(),
            4,
            projectService,
            documentRegistry,
            /*hasExplicitListOfFiles*/
            false,
            /*lastFileExceededProgramSize*/
            void 0,
            compilerOptions,
            /*compileOnSaveEnabled*/
            false,
            /*watchOptions*/
            void 0,
            projectService.host,
            currentDirectory
          );
        }
        isOrphan() {
          return true;
        }
        scheduleInvalidateResolutionsOfFailedLookupLocations() {
          return;
        }
      };
      var _AutoImportProviderProject = class _AutoImportProviderProject2 extends Project3 {
        /** @internal */
        constructor(hostProject, initialRootNames, documentRegistry, compilerOptions) {
          super(
            hostProject.projectService.newAutoImportProviderProjectName(),
            3,
            hostProject.projectService,
            documentRegistry,
            /*hasExplicitListOfFiles*/
            false,
            /*lastFileExceededProgramSize*/
            void 0,
            compilerOptions,
            /*compileOnSaveEnabled*/
            false,
            hostProject.getWatchOptions(),
            hostProject.projectService.host,
            hostProject.currentDirectory
          );
          this.hostProject = hostProject;
          this.rootFileNames = initialRootNames;
          this.useSourceOfProjectReferenceRedirect = maybeBind(this.hostProject, this.hostProject.useSourceOfProjectReferenceRedirect);
          this.getParsedCommandLine = maybeBind(this.hostProject, this.hostProject.getParsedCommandLine);
        }
        /** @internal */
        static getRootFileNames(dependencySelection, hostProject, host, compilerOptions) {
          var _a, _b;
          if (!dependencySelection) {
            return emptyArray;
          }
          const program = hostProject.getCurrentProgram();
          if (!program) {
            return emptyArray;
          }
          const start = timestamp();
          let dependencyNames;
          let rootNames;
          const rootFileName = combinePaths(hostProject.currentDirectory, inferredTypesContainingFile);
          const packageJsons = hostProject.getPackageJsonsForAutoImport(combinePaths(hostProject.currentDirectory, rootFileName));
          for (const packageJson of packageJsons) {
            (_a = packageJson.dependencies) == null ? void 0 : _a.forEach((_, dependenyName) => addDependency(dependenyName));
            (_b = packageJson.peerDependencies) == null ? void 0 : _b.forEach((_, dependencyName) => addDependency(dependencyName));
          }
          let dependenciesAdded = 0;
          if (dependencyNames) {
            const symlinkCache = hostProject.getSymlinkCache();
            for (const name of arrayFrom(dependencyNames.keys())) {
              if (dependencySelection === 2 && dependenciesAdded > this.maxDependencies) {
                hostProject.log(`AutoImportProviderProject: attempted to add more than ${this.maxDependencies} dependencies. Aborting.`);
                return emptyArray;
              }
              const packageJson = resolvePackageNameToPackageJson(
                name,
                hostProject.currentDirectory,
                compilerOptions,
                host,
                program.getModuleResolutionCache()
              );
              if (packageJson) {
                const entrypoints = getRootNamesFromPackageJson(packageJson, program, symlinkCache);
                if (entrypoints) {
                  dependenciesAdded += addRootNames(entrypoints);
                  continue;
                }
              }
              const done = forEach([hostProject.currentDirectory, hostProject.getGlobalTypingsCacheLocation()], (directory) => {
                if (directory) {
                  const typesPackageJson = resolvePackageNameToPackageJson(
                    `@types/${name}`,
                    directory,
                    compilerOptions,
                    host,
                    program.getModuleResolutionCache()
                  );
                  if (typesPackageJson) {
                    const entrypoints = getRootNamesFromPackageJson(typesPackageJson, program, symlinkCache);
                    dependenciesAdded += addRootNames(entrypoints);
                    return true;
                  }
                }
              });
              if (done) continue;
              if (packageJson && compilerOptions.allowJs && compilerOptions.maxNodeModuleJsDepth) {
                const entrypoints = getRootNamesFromPackageJson(
                  packageJson,
                  program,
                  symlinkCache,
                  /*resolveJs*/
                  true
                );
                dependenciesAdded += addRootNames(entrypoints);
              }
            }
          }
          const references = program.getResolvedProjectReferences();
          let referencesAddded = 0;
          if ((references == null ? void 0 : references.length) && hostProject.projectService.getHostPreferences().includeCompletionsForModuleExports) {
            references.forEach((ref) => {
              if (ref == null ? void 0 : ref.commandLine.options.outFile) {
                referencesAddded += addRootNames(filterEntrypoints([
                  changeExtension(ref.commandLine.options.outFile, ".d.ts")
                ]));
              } else if (ref) {
                const getCommonSourceDirectory2 = memoize(
                  () => getCommonSourceDirectoryOfConfig(
                    ref.commandLine,
                    !hostProject.useCaseSensitiveFileNames()
                  )
                );
                referencesAddded += addRootNames(filterEntrypoints(mapDefined(
                  ref.commandLine.fileNames,
                  (fileName) => !isDeclarationFileName(fileName) && !fileExtensionIs(
                    fileName,
                    ".json"
                    /* Json */
                  ) && !program.getSourceFile(fileName) ? getOutputDeclarationFileName(
                    fileName,
                    ref.commandLine,
                    !hostProject.useCaseSensitiveFileNames(),
                    getCommonSourceDirectory2
                  ) : void 0
                )));
              }
            });
          }
          if (rootNames == null ? void 0 : rootNames.size) {
            hostProject.log(`AutoImportProviderProject: found ${rootNames.size} root files in ${dependenciesAdded} dependencies ${referencesAddded} referenced projects in ${timestamp() - start} ms`);
          }
          return rootNames ? arrayFrom(rootNames.values()) : emptyArray;
          function addRootNames(entrypoints) {
            if (!(entrypoints == null ? void 0 : entrypoints.length)) return 0;
            rootNames ?? (rootNames = /* @__PURE__ */ new Set());
            entrypoints.forEach((entry) => rootNames.add(entry));
            return 1;
          }
          function addDependency(dependency) {
            if (!startsWith2(dependency, "@types/")) {
              (dependencyNames || (dependencyNames = /* @__PURE__ */ new Set())).add(dependency);
            }
          }
          function getRootNamesFromPackageJson(packageJson, program2, symlinkCache, resolveJs) {
            var _a2;
            const entrypoints = getEntrypointsFromPackageJsonInfo(
              packageJson,
              compilerOptions,
              host,
              program2.getModuleResolutionCache(),
              resolveJs
            );
            if (entrypoints) {
              const real = (_a2 = host.realpath) == null ? void 0 : _a2.call(host, packageJson.packageDirectory);
              const realPath2 = real ? hostProject.toPath(real) : void 0;
              const isSymlink = realPath2 && realPath2 !== hostProject.toPath(packageJson.packageDirectory);
              if (isSymlink) {
                symlinkCache.setSymlinkedDirectory(packageJson.packageDirectory, {
                  real: ensureTrailingDirectorySeparator(real),
                  realPath: ensureTrailingDirectorySeparator(realPath2)
                });
              }
              return filterEntrypoints(entrypoints, isSymlink ? (entrypoint) => entrypoint.replace(packageJson.packageDirectory, real) : void 0);
            }
          }
          function filterEntrypoints(entrypoints, symlinkName) {
            return mapDefined(entrypoints, (entrypoint) => {
              const resolvedFileName = symlinkName ? symlinkName(entrypoint) : entrypoint;
              if (!program.getSourceFile(resolvedFileName) && !(symlinkName && program.getSourceFile(entrypoint))) {
                return resolvedFileName;
              }
            });
          }
        }
        /** @internal */
        static create(dependencySelection, hostProject, host, documentRegistry) {
          if (dependencySelection === 0) {
            return void 0;
          }
          const compilerOptions = {
            ...hostProject.getCompilerOptions(),
            ...this.compilerOptionsOverrides
          };
          const rootNames = this.getRootFileNames(dependencySelection, hostProject, host, compilerOptions);
          if (!rootNames.length) {
            return void 0;
          }
          return new _AutoImportProviderProject2(hostProject, rootNames, documentRegistry, compilerOptions);
        }
        /** @internal */
        isEmpty() {
          return !some(this.rootFileNames);
        }
        /** @internal */
        isOrphan() {
          return true;
        }
        updateGraph() {
          let rootFileNames = this.rootFileNames;
          if (!rootFileNames) {
            rootFileNames = _AutoImportProviderProject2.getRootFileNames(
              this.hostProject.includePackageJsonAutoImports(),
              this.hostProject,
              this.hostProject.getHostForAutoImportProvider(),
              this.getCompilationSettings()
            );
          }
          this.projectService.setFileNamesOfAutpImportProviderOrAuxillaryProject(this, rootFileNames);
          this.rootFileNames = rootFileNames;
          const oldProgram = this.getCurrentProgram();
          const hasSameSetOfFiles = super.updateGraph();
          if (oldProgram && oldProgram !== this.getCurrentProgram()) {
            this.hostProject.clearCachedExportInfoMap();
          }
          return hasSameSetOfFiles;
        }
        /** @internal */
        scheduleInvalidateResolutionsOfFailedLookupLocations() {
          return;
        }
        hasRoots() {
          var _a;
          return !!((_a = this.rootFileNames) == null ? void 0 : _a.length);
        }
        /** @internal */
        markAsDirty() {
          this.rootFileNames = void 0;
          super.markAsDirty();
        }
        getScriptFileNames() {
          return this.rootFileNames || emptyArray;
        }
        getLanguageService() {
          throw new Error("AutoImportProviderProject language service should never be used. To get the program, use `project.getCurrentProgram()`.");
        }
        /** @internal */
        onAutoImportProviderSettingsChanged() {
          throw new Error("AutoImportProviderProject is an auto import provider; use `markAsDirty()` instead.");
        }
        /** @internal */
        onPackageJsonChange() {
          throw new Error("package.json changes should be notified on an AutoImportProvider's host project");
        }
        getHostForAutoImportProvider() {
          throw new Error("AutoImportProviderProject cannot provide its own host; use `hostProject.getModuleResolutionHostForAutomImportProvider()` instead.");
        }
        getProjectReferences() {
          return this.hostProject.getProjectReferences();
        }
        /** @internal */
        includePackageJsonAutoImports() {
          return 0;
        }
        /** @internal */
        getSymlinkCache() {
          return this.hostProject.getSymlinkCache();
        }
        /** @internal */
        getModuleResolutionCache() {
          var _a;
          return (_a = this.hostProject.getCurrentProgram()) == null ? void 0 : _a.getModuleResolutionCache();
        }
      };
      _AutoImportProviderProject.maxDependencies = 10;
      _AutoImportProviderProject.compilerOptionsOverrides = {
        diagnostics: false,
        skipLibCheck: true,
        sourceMap: false,
        types: emptyArray,
        lib: emptyArray,
        noLib: true
      };
      var AutoImportProviderProject = _AutoImportProviderProject;
      var ConfiguredProject2 = class extends Project3 {
        /** @internal */
        constructor(configFileName, canonicalConfigFilePath, projectService, documentRegistry, cachedDirectoryStructureHost, pendingUpdateReason) {
          super(
            configFileName,
            1,
            projectService,
            documentRegistry,
            /*hasExplicitListOfFiles*/
            false,
            /*lastFileExceededProgramSize*/
            void 0,
            /*compilerOptions*/
            {},
            /*compileOnSaveEnabled*/
            false,
            /*watchOptions*/
            void 0,
            cachedDirectoryStructureHost,
            getDirectoryPath(configFileName)
          );
          this.canonicalConfigFilePath = canonicalConfigFilePath;
          this.openFileWatchTriggered = /* @__PURE__ */ new Map();
          this.canConfigFileJsonReportNoInputFiles = false;
          this.isInitialLoadPending = returnTrue;
          this.sendLoadingProjectFinish = false;
          this.pendingUpdateLevel = 2;
          this.pendingUpdateReason = pendingUpdateReason;
        }
        /** @internal */
        setCompilerHost(host) {
          this.compilerHost = host;
        }
        /** @internal */
        getCompilerHost() {
          return this.compilerHost;
        }
        /** @internal */
        useSourceOfProjectReferenceRedirect() {
          return this.languageServiceEnabled;
        }
        /** @internal */
        getParsedCommandLine(fileName) {
          const configFileName = asNormalizedPath(normalizePath(fileName));
          const canonicalConfigFilePath = asNormalizedPath(this.projectService.toCanonicalFileName(configFileName));
          let configFileExistenceInfo = this.projectService.configFileExistenceInfoCache.get(canonicalConfigFilePath);
          if (!configFileExistenceInfo) {
            this.projectService.configFileExistenceInfoCache.set(canonicalConfigFilePath, configFileExistenceInfo = { exists: this.projectService.host.fileExists(configFileName) });
          }
          this.projectService.ensureParsedConfigUptoDate(configFileName, canonicalConfigFilePath, configFileExistenceInfo, this);
          if (this.languageServiceEnabled && this.projectService.serverMode === 0) {
            this.projectService.watchWildcards(configFileName, configFileExistenceInfo, this);
          }
          return configFileExistenceInfo.exists ? configFileExistenceInfo.config.parsedCommandLine : void 0;
        }
        /** @internal */
        onReleaseParsedCommandLine(fileName) {
          this.releaseParsedConfig(asNormalizedPath(this.projectService.toCanonicalFileName(asNormalizedPath(normalizePath(fileName)))));
        }
        /** @internal */
        releaseParsedConfig(canonicalConfigFilePath) {
          this.projectService.stopWatchingWildCards(canonicalConfigFilePath, this);
          this.projectService.releaseParsedConfig(canonicalConfigFilePath, this);
        }
        /**
         * If the project has reload from disk pending, it reloads (and then updates graph as part of that) instead of just updating the graph
         * @returns: true if set of files in the project stays the same and false - otherwise.
         */
        updateGraph() {
          if (this.deferredClose) return false;
          const isDirty2 = this.dirty;
          this.isInitialLoadPending = returnFalse;
          const updateLevel = this.pendingUpdateLevel;
          this.pendingUpdateLevel = 0;
          let result;
          switch (updateLevel) {
            case 1:
              this.openFileWatchTriggered.clear();
              result = this.projectService.reloadFileNamesOfConfiguredProject(this);
              break;
            case 2:
              this.openFileWatchTriggered.clear();
              const reason = Debug.checkDefined(this.pendingUpdateReason);
              this.projectService.reloadConfiguredProject(this, reason);
              result = true;
              break;
            default:
              result = super.updateGraph();
          }
          this.compilerHost = void 0;
          this.projectService.sendProjectLoadingFinishEvent(this);
          this.projectService.sendProjectTelemetry(this);
          if (updateLevel === 2 || // Already sent event through reload
          result && // Not new program
          (!isDirty2 || !this.triggerFileForConfigFileDiag || this.getCurrentProgram().structureIsReused === 2)) {
            this.triggerFileForConfigFileDiag = void 0;
          } else if (!this.triggerFileForConfigFileDiag) {
            this.projectService.sendConfigFileDiagEvent(
              this,
              /*triggerFile*/
              void 0,
              /*force*/
              false
            );
          }
          return result;
        }
        /** @internal */
        getCachedDirectoryStructureHost() {
          return this.directoryStructureHost;
        }
        getConfigFilePath() {
          return asNormalizedPath(this.getProjectName());
        }
        getProjectReferences() {
          return this.projectReferences;
        }
        updateReferences(refs) {
          this.projectReferences = refs;
          this.potentialProjectReferences = void 0;
        }
        /** @internal */
        setPotentialProjectReference(canonicalConfigPath) {
          Debug.assert(this.isInitialLoadPending());
          (this.potentialProjectReferences || (this.potentialProjectReferences = /* @__PURE__ */ new Set())).add(canonicalConfigPath);
        }
        /** @internal */
        getResolvedProjectReferenceToRedirect(fileName) {
          const program = this.getCurrentProgram();
          return program && program.getResolvedProjectReferenceToRedirect(fileName);
        }
        /** @internal */
        forEachResolvedProjectReference(cb) {
          var _a;
          return (_a = this.getCurrentProgram()) == null ? void 0 : _a.forEachResolvedProjectReference(cb);
        }
        /** @internal */
        enablePluginsWithOptions(options) {
          var _a;
          this.plugins.length = 0;
          if (!((_a = options.plugins) == null ? void 0 : _a.length) && !this.projectService.globalPlugins.length) return;
          const host = this.projectService.host;
          if (!host.require && !host.importPlugin) {
            this.projectService.logger.info("Plugins were requested but not running in environment that supports 'require'. Nothing will be loaded");
            return;
          }
          const searchPaths = this.getGlobalPluginSearchPaths();
          if (this.projectService.allowLocalPluginLoads) {
            const local = getDirectoryPath(this.canonicalConfigFilePath);
            this.projectService.logger.info(`Local plugin loading enabled; adding ${local} to search paths`);
            searchPaths.unshift(local);
          }
          if (options.plugins) {
            for (const pluginConfigEntry of options.plugins) {
              this.enablePlugin(pluginConfigEntry, searchPaths);
            }
          }
          return this.enableGlobalPlugins(options);
        }
        /**
         * Get the errors that dont have any file name associated
         */
        getGlobalProjectErrors() {
          return filter(this.projectErrors, (diagnostic) => !diagnostic.file) || emptyArray2;
        }
        /**
         * Get all the project errors
         */
        getAllProjectErrors() {
          return this.projectErrors || emptyArray2;
        }
        setProjectErrors(projectErrors) {
          this.projectErrors = projectErrors;
        }
        close() {
          this.projectService.configFileExistenceInfoCache.forEach((_configFileExistenceInfo, canonicalConfigFilePath) => this.releaseParsedConfig(canonicalConfigFilePath));
          this.projectErrors = void 0;
          this.openFileWatchTriggered.clear();
          this.compilerHost = void 0;
          super.close();
        }
        /** @internal */
        markAsDirty() {
          if (this.deferredClose) return;
          super.markAsDirty();
        }
        /** @internal */
        isSolution() {
          return this.getRootFilesMap().size === 0 && !this.canConfigFileJsonReportNoInputFiles;
        }
        /** @internal */
        isOrphan() {
          return !!this.deferredClose;
        }
        getEffectiveTypeRoots() {
          return getEffectiveTypeRoots(this.getCompilationSettings(), this) || [];
        }
        /** @internal */
        updateErrorOnNoInputFiles(fileNames) {
          updateErrorForNoInputFiles(fileNames, this.getConfigFilePath(), this.getCompilerOptions().configFile.configFileSpecs, this.projectErrors, this.canConfigFileJsonReportNoInputFiles);
        }
      };
      var ExternalProject = class extends Project3 {
        /** @internal */
        constructor(externalProjectName, projectService, documentRegistry, compilerOptions, lastFileExceededProgramSize, compileOnSaveEnabled, projectFilePath, watchOptions) {
          super(
            externalProjectName,
            2,
            projectService,
            documentRegistry,
            /*hasExplicitListOfFiles*/
            true,
            lastFileExceededProgramSize,
            compilerOptions,
            compileOnSaveEnabled,
            watchOptions,
            projectService.host,
            getDirectoryPath(projectFilePath || normalizeSlashes(externalProjectName))
          );
          this.externalProjectName = externalProjectName;
          this.compileOnSaveEnabled = compileOnSaveEnabled;
          this.excludedFiles = [];
          this.enableGlobalPlugins(this.getCompilerOptions());
        }
        updateGraph() {
          const result = super.updateGraph();
          this.projectService.sendProjectTelemetry(this);
          return result;
        }
        getExcludedFiles() {
          return this.excludedFiles;
        }
      };
      function isInferredProject(project) {
        return project.projectKind === 0;
      }
      function isConfiguredProject(project) {
        return project.projectKind === 1;
      }
      function isExternalProject(project) {
        return project.projectKind === 2;
      }
      function isBackgroundProject(project) {
        return project.projectKind === 3 || project.projectKind === 4;
      }
      function isProjectDeferredClose(project) {
        return isConfiguredProject(project) && !!project.deferredClose;
      }
      var maxProgramSizeForNonTsFiles = 20 * 1024 * 1024;
      var maxFileSize = 4 * 1024 * 1024;
      var ProjectsUpdatedInBackgroundEvent = "projectsUpdatedInBackground";
      var ProjectLoadingStartEvent = "projectLoadingStart";
      var ProjectLoadingFinishEvent = "projectLoadingFinish";
      var LargeFileReferencedEvent = "largeFileReferenced";
      var ConfigFileDiagEvent = "configFileDiag";
      var ProjectLanguageServiceStateEvent = "projectLanguageServiceState";
      var ProjectInfoTelemetryEvent = "projectInfo";
      var OpenFileInfoTelemetryEvent = "openFileInfo";
      var CreateFileWatcherEvent = "createFileWatcher";
      var CreateDirectoryWatcherEvent = "createDirectoryWatcher";
      var CloseFileWatcherEvent = "closeFileWatcher";
      var ensureProjectForOpenFileSchedule = "*ensureProjectForOpenFiles*";
      function prepareConvertersForEnumLikeCompilerOptions(commandLineOptions) {
        const map2 = /* @__PURE__ */ new Map();
        for (const option of commandLineOptions) {
          if (typeof option.type === "object") {
            const optionMap = option.type;
            optionMap.forEach((value) => {
              Debug.assert(typeof value === "number");
            });
            map2.set(option.name, optionMap);
          }
        }
        return map2;
      }
      var compilerOptionConverters = prepareConvertersForEnumLikeCompilerOptions(optionDeclarations);
      var watchOptionsConverters = prepareConvertersForEnumLikeCompilerOptions(optionsForWatch);
      var indentStyle = new Map(Object.entries({
        none: 0,
        block: 1,
        smart: 2
        /* Smart */
      }));
      var defaultTypeSafeList = {
        "jquery": {
          // jquery files can have names like "jquery-1.10.2.min.js" (or "jquery.intellisense.js")
          match: /jquery(-[\d.]+)?(\.intellisense)?(\.min)?\.js$/i,
          types: ["jquery"]
        },
        "WinJS": {
          // e.g. c:/temp/UWApp1/lib/winjs-4.0.1/js/base.js
          match: /^(.*\/winjs-[.\d]+)\/js\/base\.js$/i,
          // If the winjs/base.js file is found..
          exclude: [["^", 1, "/.*"]],
          // ..then exclude all files under the winjs folder
          types: ["winjs"]
          // And fetch the @types package for WinJS
        },
        "Kendo": {
          // e.g. /Kendo3/wwwroot/lib/kendo/kendo.all.min.js
          match: /^(.*\/kendo(-ui)?)\/kendo\.all(\.min)?\.js$/i,
          exclude: [["^", 1, "/.*"]],
          types: ["kendo-ui"]
        },
        "Office Nuget": {
          // e.g. /scripts/Office/1/excel-15.debug.js
          match: /^(.*\/office\/1)\/excel-\d+\.debug\.js$/i,
          // Office NuGet package is installed under a "1/office" folder
          exclude: [["^", 1, "/.*"]],
          // Exclude that whole folder if the file indicated above is found in it
          types: ["office"]
          // @types package to fetch instead
        },
        "References": {
          match: /^(.*\/_references\.js)$/i,
          exclude: [["^", 1, "$"]]
        }
      };
      function convertFormatOptions(protocolOptions) {
        if (isString2(protocolOptions.indentStyle)) {
          protocolOptions.indentStyle = indentStyle.get(protocolOptions.indentStyle.toLowerCase());
          Debug.assert(protocolOptions.indentStyle !== void 0);
        }
        return protocolOptions;
      }
      function convertCompilerOptions(protocolOptions) {
        compilerOptionConverters.forEach((mappedValues, id) => {
          const propertyValue = protocolOptions[id];
          if (isString2(propertyValue)) {
            protocolOptions[id] = mappedValues.get(propertyValue.toLowerCase());
          }
        });
        return protocolOptions;
      }
      function convertWatchOptions(protocolOptions, currentDirectory) {
        let watchOptions;
        let errors;
        optionsForWatch.forEach((option) => {
          const propertyValue = protocolOptions[option.name];
          if (propertyValue === void 0) return;
          const mappedValues = watchOptionsConverters.get(option.name);
          (watchOptions || (watchOptions = {}))[option.name] = mappedValues ? isString2(propertyValue) ? mappedValues.get(propertyValue.toLowerCase()) : propertyValue : convertJsonOption(option, propertyValue, currentDirectory || "", errors || (errors = []));
        });
        return watchOptions && { watchOptions, errors };
      }
      function convertTypeAcquisition(protocolOptions) {
        let result;
        typeAcquisitionDeclarations.forEach((option) => {
          const propertyValue = protocolOptions[option.name];
          if (propertyValue === void 0) return;
          (result || (result = {}))[option.name] = propertyValue;
        });
        return result;
      }
      function tryConvertScriptKindName(scriptKindName) {
        return isString2(scriptKindName) ? convertScriptKindName(scriptKindName) : scriptKindName;
      }
      function convertScriptKindName(scriptKindName) {
        switch (scriptKindName) {
          case "JS":
            return 1;
          case "JSX":
            return 2;
          case "TS":
            return 3;
          case "TSX":
            return 4;
          default:
            return 0;
        }
      }
      function convertUserPreferences(preferences) {
        const { lazyConfiguredProjectsFromExternalProject: _, ...userPreferences } = preferences;
        return userPreferences;
      }
      var fileNamePropertyReader = {
        getFileName: (x) => x,
        getScriptKind: (fileName, extraFileExtensions) => {
          let result;
          if (extraFileExtensions) {
            const fileExtension = getAnyExtensionFromPath(fileName);
            if (fileExtension) {
              some(extraFileExtensions, (info) => {
                if (info.extension === fileExtension) {
                  result = info.scriptKind;
                  return true;
                }
                return false;
              });
            }
          }
          return result;
        },
        hasMixedContent: (fileName, extraFileExtensions) => some(extraFileExtensions, (ext) => ext.isMixedContent && fileExtensionIs(fileName, ext.extension))
      };
      var externalFilePropertyReader = {
        getFileName: (x) => x.fileName,
        getScriptKind: (x) => tryConvertScriptKindName(x.scriptKind),
        // TODO: GH#18217
        hasMixedContent: (x) => !!x.hasMixedContent
      };
      function findProjectByName(projectName, projects) {
        for (const proj of projects) {
          if (proj.getProjectName() === projectName) {
            return proj;
          }
        }
      }
      var noopConfigFileWatcher = { close: noop2 };
      function getConfigFileNameFromCache(info, cache) {
        if (!cache || isAncestorConfigFileInfo(info)) return void 0;
        return cache.get(info.path);
      }
      function isOpenScriptInfo(infoOrFileNameOrConfig) {
        return !!infoOrFileNameOrConfig.containingProjects;
      }
      function isAncestorConfigFileInfo(infoOrFileNameOrConfig) {
        return !!infoOrFileNameOrConfig.configFileInfo;
      }
      var ConfiguredProjectLoadKind = /* @__PURE__ */ ((ConfiguredProjectLoadKind2) => {
        ConfiguredProjectLoadKind2[ConfiguredProjectLoadKind2["Find"] = 0] = "Find";
        ConfiguredProjectLoadKind2[ConfiguredProjectLoadKind2["Create"] = 1] = "Create";
        ConfiguredProjectLoadKind2[ConfiguredProjectLoadKind2["Reload"] = 2] = "Reload";
        return ConfiguredProjectLoadKind2;
      })(ConfiguredProjectLoadKind || {});
      function forEachAncestorProject(info, project, cb, kind, reason, allowDeferredClosed, reloadedProjects, delayReloadedConfiguredProjects) {
        while (true) {
          if (!project.isInitialLoadPending() && (!project.getCompilerOptions().composite || project.getCompilerOptions().disableSolutionSearching)) return;
          const configFileName = project.projectService.getConfigFileNameForFile(
            {
              fileName: project.getConfigFilePath(),
              path: info.path,
              configFileInfo: true
            },
            kind === 0
            /* Find */
          );
          if (!configFileName) return;
          const ancestor = project.projectService.findCreateOrReloadConfiguredProject(
            configFileName,
            kind,
            reason,
            allowDeferredClosed,
            /*triggerFile*/
            void 0,
            reloadedProjects,
            /*delayLoad*/
            true,
            delayReloadedConfiguredProjects
          );
          if (!ancestor) return;
          if (ancestor.project.isInitialLoadPending() && project.getCompilerOptions().composite) {
            ancestor.project.setPotentialProjectReference(project.canonicalConfigFilePath);
          }
          const result = cb(ancestor.project);
          if (result) return result;
          project = ancestor.project;
        }
      }
      function forEachResolvedProjectReferenceProject(project, fileName, cb, kind, reason, allowDeferredClosed, triggerFile, reloadedProjects) {
        var _a;
        const resolvedRefs = (_a = project.getCurrentProgram()) == null ? void 0 : _a.getResolvedProjectReferences();
        if (!resolvedRefs) return void 0;
        const possibleDefaultRef = fileName ? project.getResolvedProjectReferenceToRedirect(fileName) : void 0;
        if (possibleDefaultRef) {
          const configFileName = toNormalizedPath(possibleDefaultRef.sourceFile.fileName);
          const child = project.projectService.findConfiguredProjectByProjectName(
            configFileName,
            allowDeferredClosed
          );
          if (child) {
            const result = callbackWithProjectFoundUsingFind(child);
            if (result) return result;
          } else if (kind !== 0) {
            const result = forEachResolvedProjectReferenceProjectWorker(
              resolvedRefs,
              project.getCompilerOptions(),
              (ref, loadKind) => possibleDefaultRef === ref ? callback(ref, loadKind) : void 0,
              kind,
              project.projectService
            );
            if (result) return result;
          }
        }
        return forEachResolvedProjectReferenceProjectWorker(
          resolvedRefs,
          project.getCompilerOptions(),
          (ref, loadKind) => possibleDefaultRef !== ref ? callback(ref, loadKind) : void 0,
          kind,
          project.projectService
        );
        function callback(ref, loadKind) {
          const result = project.projectService.findCreateOrReloadConfiguredProject(
            toNormalizedPath(ref.sourceFile.fileName),
            loadKind,
            reason,
            allowDeferredClosed,
            triggerFile,
            reloadedProjects
          );
          return result && (loadKind === kind ? cb(result.project, result.sentConfigFileDiag) : callbackWithProjectFoundUsingFind(result.project));
        }
        function callbackWithProjectFoundUsingFind(child) {
          let sentConfigFileDiag = false;
          switch (kind) {
            case 1:
              sentConfigFileDiag = updateConfiguredProject(child, triggerFile);
              break;
            case 2:
              sentConfigFileDiag = child.projectService.reloadConfiguredProjectClearingSemanticCache(child, reason, reloadedProjects);
              break;
            case 0:
              break;
            default:
              Debug.assertNever(kind);
          }
          const result = cb(child, sentConfigFileDiag);
          if (result) return result;
        }
      }
      function forEachResolvedProjectReferenceProjectWorker(resolvedProjectReferences, parentOptions, cb, kind, projectService, seenResolvedRefs) {
        const loadKind = parentOptions.disableReferencedProjectLoad ? 0 : kind;
        return forEach(resolvedProjectReferences, (ref) => {
          if (!ref) return void 0;
          const configFileName = toNormalizedPath(ref.sourceFile.fileName);
          const canonicalPath = projectService.toCanonicalFileName(configFileName);
          const seenValue = seenResolvedRefs == null ? void 0 : seenResolvedRefs.get(canonicalPath);
          if (seenValue !== void 0 && seenValue >= loadKind) {
            return void 0;
          }
          const result = cb(ref, loadKind);
          if (result) {
            return result;
          }
          (seenResolvedRefs || (seenResolvedRefs = /* @__PURE__ */ new Map())).set(canonicalPath, loadKind);
          return ref.references && forEachResolvedProjectReferenceProjectWorker(ref.references, ref.commandLine.options, cb, loadKind, projectService, seenResolvedRefs);
        });
      }
      function forEachPotentialProjectReference(project, cb) {
        return project.potentialProjectReferences && forEachKey(project.potentialProjectReferences, cb);
      }
      function forEachAnyProjectReferenceKind(project, cb, cbProjectRef, cbPotentialProjectRef) {
        return project.getCurrentProgram() ? project.forEachResolvedProjectReference(cb) : project.isInitialLoadPending() ? forEachPotentialProjectReference(project, cbPotentialProjectRef) : forEach(project.getProjectReferences(), cbProjectRef);
      }
      function callbackRefProject(project, cb, refPath) {
        const refProject = refPath && project.projectService.configuredProjects.get(refPath);
        return refProject && cb(refProject);
      }
      function forEachReferencedProject(project, cb) {
        return forEachAnyProjectReferenceKind(
          project,
          (resolvedRef) => callbackRefProject(project, cb, resolvedRef.sourceFile.path),
          (projectRef) => callbackRefProject(project, cb, project.toPath(resolveProjectReferencePath(projectRef))),
          (potentialProjectRef) => callbackRefProject(project, cb, potentialProjectRef)
        );
      }
      function getDetailWatchInfo(watchType, project) {
        return `${isString2(project) ? `Config: ${project} ` : project ? `Project: ${project.getProjectName()} ` : ""}WatchType: ${watchType}`;
      }
      function isScriptInfoWatchedFromNodeModules(info) {
        return !info.isScriptOpen() && info.mTime !== void 0;
      }
      function updateProjectIfDirty(project) {
        project.invalidateResolutionsOfFailedLookupLocations();
        return project.dirty && !project.updateGraph();
      }
      function updateWithTriggerFile(project, triggerFile, isReload) {
        if (!isReload) {
          project.invalidateResolutionsOfFailedLookupLocations();
          if (!project.dirty) return false;
        }
        project.triggerFileForConfigFileDiag = triggerFile;
        const updateLevel = project.pendingUpdateLevel;
        project.updateGraph();
        if (!project.triggerFileForConfigFileDiag && !isReload) return updateLevel === 2;
        const sent = project.projectService.sendConfigFileDiagEvent(project, triggerFile, isReload);
        project.triggerFileForConfigFileDiag = void 0;
        return sent;
      }
      function updateConfiguredProject(project, triggerFile) {
        if (triggerFile) {
          if (updateWithTriggerFile(
            project,
            triggerFile,
            /*isReload*/
            false
          )) return true;
        } else {
          updateProjectIfDirty(project);
        }
        return false;
      }
      function fileOpenReason(info) {
        return `Creating possible configured project for ${info.fileName} to open`;
      }
      function reloadReason(reason) {
        return `User requested reload projects: ${reason}`;
      }
      function setProjectOptionsUsed(project) {
        if (isConfiguredProject(project)) {
          project.projectOptions = true;
        }
      }
      function createProjectNameFactoryWithCounter(nameFactory) {
        let nextId = 1;
        return () => nameFactory(nextId++);
      }
      function getHostWatcherMap() {
        return { idToCallbacks: /* @__PURE__ */ new Map(), pathToId: /* @__PURE__ */ new Map() };
      }
      function createWatchFactoryHostUsingWatchEvents(service, canUseWatchEvents) {
        if (!canUseWatchEvents || !service.eventHandler || !service.session) return void 0;
        const watchedFiles = getHostWatcherMap();
        const watchedDirectories = getHostWatcherMap();
        const watchedDirectoriesRecursive = getHostWatcherMap();
        let ids = 1;
        service.session.addProtocolHandler("watchChange", (req) => {
          onWatchChange(req.arguments);
          return { responseRequired: false };
        });
        return {
          watchFile: watchFile2,
          watchDirectory,
          getCurrentDirectory: () => service.host.getCurrentDirectory(),
          useCaseSensitiveFileNames: service.host.useCaseSensitiveFileNames
        };
        function watchFile2(path17, callback) {
          return getOrCreateFileWatcher(
            watchedFiles,
            path17,
            callback,
            (id) => ({ eventName: CreateFileWatcherEvent, data: { id, path: path17 } })
          );
        }
        function watchDirectory(path17, callback, recursive) {
          return getOrCreateFileWatcher(
            recursive ? watchedDirectoriesRecursive : watchedDirectories,
            path17,
            callback,
            (id) => ({
              eventName: CreateDirectoryWatcherEvent,
              data: {
                id,
                path: path17,
                recursive: !!recursive,
                // Special case node_modules as we watch it for changes to closed script infos as well
                ignoreUpdate: !path17.endsWith("/node_modules") ? true : void 0
              }
            })
          );
        }
        function getOrCreateFileWatcher({ pathToId, idToCallbacks }, path17, callback, event) {
          const key = service.toPath(path17);
          let id = pathToId.get(key);
          if (!id) pathToId.set(key, id = ids++);
          let callbacks = idToCallbacks.get(id);
          if (!callbacks) {
            idToCallbacks.set(id, callbacks = /* @__PURE__ */ new Set());
            service.eventHandler(event(id));
          }
          callbacks.add(callback);
          return {
            close() {
              const callbacks2 = idToCallbacks.get(id);
              if (!(callbacks2 == null ? void 0 : callbacks2.delete(callback))) return;
              if (callbacks2.size) return;
              idToCallbacks.delete(id);
              pathToId.delete(key);
              service.eventHandler({ eventName: CloseFileWatcherEvent, data: { id } });
            }
          };
        }
        function onWatchChange(args) {
          if (isArray3(args)) args.forEach(onWatchChangeRequestArgs);
          else onWatchChangeRequestArgs(args);
        }
        function onWatchChangeRequestArgs({ id, created, deleted, updated }) {
          onWatchEventType(
            id,
            created,
            0
            /* Created */
          );
          onWatchEventType(
            id,
            deleted,
            2
            /* Deleted */
          );
          onWatchEventType(
            id,
            updated,
            1
            /* Changed */
          );
        }
        function onWatchEventType(id, paths, eventKind) {
          if (!(paths == null ? void 0 : paths.length)) return;
          forEachCallback(watchedFiles, id, paths, (callback, eventPath) => callback(eventPath, eventKind));
          forEachCallback(watchedDirectories, id, paths, (callback, eventPath) => callback(eventPath));
          forEachCallback(watchedDirectoriesRecursive, id, paths, (callback, eventPath) => callback(eventPath));
        }
        function forEachCallback(hostWatcherMap, id, eventPaths, cb) {
          var _a;
          (_a = hostWatcherMap.idToCallbacks.get(id)) == null ? void 0 : _a.forEach((callback) => {
            eventPaths.forEach((eventPath) => cb(callback, normalizeSlashes(eventPath)));
          });
        }
      }
      var _ProjectService = class _ProjectService2 {
        constructor(opts) {
          this.filenameToScriptInfo = /* @__PURE__ */ new Map();
          this.nodeModulesWatchers = /* @__PURE__ */ new Map();
          this.filenameToScriptInfoVersion = /* @__PURE__ */ new Map();
          this.allJsFilesForOpenFileTelemetry = /* @__PURE__ */ new Map();
          this.externalProjectToConfiguredProjectMap = /* @__PURE__ */ new Map();
          this.externalProjects = [];
          this.inferredProjects = [];
          this.configuredProjects = /* @__PURE__ */ new Map();
          this.newInferredProjectName = createProjectNameFactoryWithCounter(makeInferredProjectName);
          this.newAutoImportProviderProjectName = createProjectNameFactoryWithCounter(makeAutoImportProviderProjectName);
          this.newAuxiliaryProjectName = createProjectNameFactoryWithCounter(makeAuxiliaryProjectName);
          this.openFiles = /* @__PURE__ */ new Map();
          this.configFileForOpenFiles = /* @__PURE__ */ new Map();
          this.rootOfInferredProjects = /* @__PURE__ */ new Set();
          this.openFilesWithNonRootedDiskPath = /* @__PURE__ */ new Map();
          this.compilerOptionsForInferredProjectsPerProjectRoot = /* @__PURE__ */ new Map();
          this.watchOptionsForInferredProjectsPerProjectRoot = /* @__PURE__ */ new Map();
          this.typeAcquisitionForInferredProjectsPerProjectRoot = /* @__PURE__ */ new Map();
          this.projectToSizeMap = /* @__PURE__ */ new Map();
          this.configFileExistenceInfoCache = /* @__PURE__ */ new Map();
          this.safelist = defaultTypeSafeList;
          this.legacySafelist = /* @__PURE__ */ new Map();
          this.pendingProjectUpdates = /* @__PURE__ */ new Map();
          this.pendingEnsureProjectForOpenFiles = false;
          this.seenProjects = /* @__PURE__ */ new Map();
          this.sharedExtendedConfigFileWatchers = /* @__PURE__ */ new Map();
          this.extendedConfigCache = /* @__PURE__ */ new Map();
          this.baseline = noop2;
          this.verifyDocumentRegistry = noop2;
          this.verifyProgram = noop2;
          this.onProjectCreation = noop2;
          var _a;
          this.host = opts.host;
          this.logger = opts.logger;
          this.cancellationToken = opts.cancellationToken;
          this.useSingleInferredProject = opts.useSingleInferredProject;
          this.useInferredProjectPerProjectRoot = opts.useInferredProjectPerProjectRoot;
          this.typingsInstaller = opts.typingsInstaller || nullTypingsInstaller;
          this.throttleWaitMilliseconds = opts.throttleWaitMilliseconds;
          this.eventHandler = opts.eventHandler;
          this.suppressDiagnosticEvents = opts.suppressDiagnosticEvents;
          this.globalPlugins = opts.globalPlugins || emptyArray2;
          this.pluginProbeLocations = opts.pluginProbeLocations || emptyArray2;
          this.allowLocalPluginLoads = !!opts.allowLocalPluginLoads;
          this.typesMapLocation = opts.typesMapLocation === void 0 ? combinePaths(getDirectoryPath(this.getExecutingFilePath()), "typesMap.json") : opts.typesMapLocation;
          this.session = opts.session;
          this.jsDocParsingMode = opts.jsDocParsingMode;
          if (opts.serverMode !== void 0) {
            this.serverMode = opts.serverMode;
          } else {
            this.serverMode = 0;
          }
          if (this.host.realpath) {
            this.realpathToScriptInfos = createMultiMap();
          }
          this.currentDirectory = toNormalizedPath(this.host.getCurrentDirectory());
          this.toCanonicalFileName = createGetCanonicalFileName(this.host.useCaseSensitiveFileNames);
          this.globalCacheLocationDirectoryPath = this.typingsInstaller.globalTypingsCacheLocation ? ensureTrailingDirectorySeparator(this.toPath(this.typingsInstaller.globalTypingsCacheLocation)) : void 0;
          this.throttledOperations = new ThrottledOperations(this.host, this.logger);
          if (this.typesMapLocation) {
            this.loadTypesMap();
          } else {
            this.logger.info("No types map provided; using the default");
          }
          this.typingsInstaller.attach(this);
          this.typingsCache = new TypingsCache(this.typingsInstaller);
          this.hostConfiguration = {
            formatCodeOptions: getDefaultFormatCodeSettings(this.host.newLine),
            preferences: emptyOptions,
            hostInfo: "Unknown host",
            extraFileExtensions: []
          };
          this.documentRegistry = createDocumentRegistryInternal(this.host.useCaseSensitiveFileNames, this.currentDirectory, this.jsDocParsingMode, this);
          const watchLogLevel = this.logger.hasLevel(
            3
            /* verbose */
          ) ? 2 : this.logger.loggingEnabled() ? 1 : 0;
          const log = watchLogLevel !== 0 ? (s) => this.logger.info(s) : noop2;
          this.packageJsonCache = createPackageJsonCache(this);
          this.watchFactory = this.serverMode !== 0 ? {
            watchFile: returnNoopFileWatcher,
            watchDirectory: returnNoopFileWatcher
          } : getWatchFactory(
            createWatchFactoryHostUsingWatchEvents(this, opts.canUseWatchEvents) || this.host,
            watchLogLevel,
            log,
            getDetailWatchInfo
          );
          (_a = opts.incrementalVerifier) == null ? void 0 : _a.call(opts, this);
        }
        toPath(fileName) {
          return toPath3(fileName, this.currentDirectory, this.toCanonicalFileName);
        }
        /** @internal */
        getExecutingFilePath() {
          return this.getNormalizedAbsolutePath(this.host.getExecutingFilePath());
        }
        /** @internal */
        getNormalizedAbsolutePath(fileName) {
          return getNormalizedAbsolutePath(fileName, this.host.getCurrentDirectory());
        }
        /** @internal */
        setDocument(key, path17, sourceFile) {
          const info = Debug.checkDefined(this.getScriptInfoForPath(path17));
          info.cacheSourceFile = { key, sourceFile };
        }
        /** @internal */
        getDocument(key, path17) {
          const info = this.getScriptInfoForPath(path17);
          return info && info.cacheSourceFile && info.cacheSourceFile.key === key ? info.cacheSourceFile.sourceFile : void 0;
        }
        /** @internal */
        ensureInferredProjectsUpToDate_TestOnly() {
          this.ensureProjectStructuresUptoDate();
        }
        /** @internal */
        getCompilerOptionsForInferredProjects() {
          return this.compilerOptionsForInferredProjects;
        }
        /** @internal */
        onUpdateLanguageServiceStateForProject(project, languageServiceEnabled) {
          if (!this.eventHandler) {
            return;
          }
          const event = {
            eventName: ProjectLanguageServiceStateEvent,
            data: { project, languageServiceEnabled }
          };
          this.eventHandler(event);
        }
        loadTypesMap() {
          try {
            const fileContent = this.host.readFile(this.typesMapLocation);
            if (fileContent === void 0) {
              this.logger.info(`Provided types map file "${this.typesMapLocation}" doesn't exist`);
              return;
            }
            const raw = JSON.parse(fileContent);
            for (const k of Object.keys(raw.typesMap)) {
              raw.typesMap[k].match = new RegExp(raw.typesMap[k].match, "i");
            }
            this.safelist = raw.typesMap;
            for (const key in raw.simpleMap) {
              if (hasProperty(raw.simpleMap, key)) {
                this.legacySafelist.set(key, raw.simpleMap[key].toLowerCase());
              }
            }
          } catch (e) {
            this.logger.info(`Error loading types map: ${e}`);
            this.safelist = defaultTypeSafeList;
            this.legacySafelist.clear();
          }
        }
        // eslint-disable-line @typescript-eslint/unified-signatures
        updateTypingsForProject(response) {
          const project = this.findProject(response.projectName);
          if (!project) {
            return;
          }
          switch (response.kind) {
            case ActionSet:
              project.updateTypingFiles(this.typingsCache.updateTypingsForProject(response.projectName, response.compilerOptions, response.typeAcquisition, response.unresolvedImports, response.typings));
              return;
            case ActionInvalidate:
              this.typingsCache.enqueueInstallTypingsForProject(
                project,
                project.lastCachedUnresolvedImportsList,
                /*forceRefresh*/
                true
              );
              return;
          }
        }
        /** @internal */
        watchTypingLocations(response) {
          var _a;
          (_a = this.findProject(response.projectName)) == null ? void 0 : _a.watchTypingLocations(response.files);
        }
        /** @internal */
        delayEnsureProjectForOpenFiles() {
          if (!this.openFiles.size) return;
          this.pendingEnsureProjectForOpenFiles = true;
          this.throttledOperations.schedule(
            ensureProjectForOpenFileSchedule,
            /*delay*/
            2500,
            () => {
              if (this.pendingProjectUpdates.size !== 0) {
                this.delayEnsureProjectForOpenFiles();
              } else {
                if (this.pendingEnsureProjectForOpenFiles) {
                  this.ensureProjectForOpenFiles();
                  this.sendProjectsUpdatedInBackgroundEvent();
                }
              }
            }
          );
        }
        delayUpdateProjectGraph(project) {
          if (isProjectDeferredClose(project)) return;
          project.markAsDirty();
          if (isBackgroundProject(project)) return;
          const projectName = project.getProjectName();
          this.pendingProjectUpdates.set(projectName, project);
          this.throttledOperations.schedule(
            projectName,
            /*delay*/
            250,
            () => {
              if (this.pendingProjectUpdates.delete(projectName)) {
                updateProjectIfDirty(project);
              }
            }
          );
        }
        /** @internal */
        hasPendingProjectUpdate(project) {
          return this.pendingProjectUpdates.has(project.getProjectName());
        }
        /** @internal */
        sendProjectsUpdatedInBackgroundEvent() {
          if (!this.eventHandler) {
            return;
          }
          const event = {
            eventName: ProjectsUpdatedInBackgroundEvent,
            data: {
              openFiles: arrayFrom(this.openFiles.keys(), (path17) => this.getScriptInfoForPath(path17).fileName)
            }
          };
          this.eventHandler(event);
        }
        /** @internal */
        sendLargeFileReferencedEvent(file, fileSize) {
          if (!this.eventHandler) {
            return;
          }
          const event = {
            eventName: LargeFileReferencedEvent,
            data: { file, fileSize, maxFileSize }
          };
          this.eventHandler(event);
        }
        /** @internal */
        sendProjectLoadingStartEvent(project, reason) {
          if (!this.eventHandler) {
            return;
          }
          project.sendLoadingProjectFinish = true;
          const event = {
            eventName: ProjectLoadingStartEvent,
            data: { project, reason }
          };
          this.eventHandler(event);
        }
        /** @internal */
        sendProjectLoadingFinishEvent(project) {
          if (!this.eventHandler || !project.sendLoadingProjectFinish) {
            return;
          }
          project.sendLoadingProjectFinish = false;
          const event = {
            eventName: ProjectLoadingFinishEvent,
            data: { project }
          };
          this.eventHandler(event);
        }
        /** @internal */
        sendPerformanceEvent(kind, durationMs) {
          if (this.performanceEventHandler) {
            this.performanceEventHandler({ kind, durationMs });
          }
        }
        /** @internal */
        delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(project) {
          this.delayUpdateProjectGraph(project);
          this.delayEnsureProjectForOpenFiles();
        }
        delayUpdateProjectGraphs(projects, clearSourceMapperCache) {
          if (projects.length) {
            for (const project of projects) {
              if (clearSourceMapperCache) project.clearSourceMapperCache();
              this.delayUpdateProjectGraph(project);
            }
            this.delayEnsureProjectForOpenFiles();
          }
        }
        setCompilerOptionsForInferredProjects(projectCompilerOptions, projectRootPath) {
          Debug.assert(projectRootPath === void 0 || this.useInferredProjectPerProjectRoot, "Setting compiler options per project root path is only supported when useInferredProjectPerProjectRoot is enabled");
          const compilerOptions = convertCompilerOptions(projectCompilerOptions);
          const watchOptions = convertWatchOptions(projectCompilerOptions, projectRootPath);
          const typeAcquisition = convertTypeAcquisition(projectCompilerOptions);
          compilerOptions.allowNonTsExtensions = true;
          const canonicalProjectRootPath = projectRootPath && this.toCanonicalFileName(projectRootPath);
          if (canonicalProjectRootPath) {
            this.compilerOptionsForInferredProjectsPerProjectRoot.set(canonicalProjectRootPath, compilerOptions);
            this.watchOptionsForInferredProjectsPerProjectRoot.set(canonicalProjectRootPath, watchOptions || false);
            this.typeAcquisitionForInferredProjectsPerProjectRoot.set(canonicalProjectRootPath, typeAcquisition);
          } else {
            this.compilerOptionsForInferredProjects = compilerOptions;
            this.watchOptionsForInferredProjects = watchOptions;
            this.typeAcquisitionForInferredProjects = typeAcquisition;
          }
          for (const project of this.inferredProjects) {
            if (canonicalProjectRootPath ? project.projectRootPath === canonicalProjectRootPath : !project.projectRootPath || !this.compilerOptionsForInferredProjectsPerProjectRoot.has(project.projectRootPath)) {
              project.setCompilerOptions(compilerOptions);
              project.setTypeAcquisition(typeAcquisition);
              project.setWatchOptions(watchOptions == null ? void 0 : watchOptions.watchOptions);
              project.setProjectErrors(watchOptions == null ? void 0 : watchOptions.errors);
              project.compileOnSaveEnabled = compilerOptions.compileOnSave;
              project.markAsDirty();
              this.delayUpdateProjectGraph(project);
            }
          }
          this.delayEnsureProjectForOpenFiles();
        }
        findProject(projectName) {
          if (projectName === void 0) {
            return void 0;
          }
          if (isInferredProjectName(projectName)) {
            return findProjectByName(projectName, this.inferredProjects);
          }
          return this.findExternalProjectByProjectName(projectName) || this.findConfiguredProjectByProjectName(toNormalizedPath(projectName));
        }
        /** @internal */
        forEachProject(cb) {
          this.externalProjects.forEach(cb);
          this.configuredProjects.forEach(cb);
          this.inferredProjects.forEach(cb);
        }
        /** @internal */
        forEachEnabledProject(cb) {
          this.forEachProject((project) => {
            if (!project.isOrphan() && project.languageServiceEnabled) {
              cb(project);
            }
          });
        }
        getDefaultProjectForFile(fileName, ensureProject) {
          return ensureProject ? this.ensureDefaultProjectForFile(fileName) : this.tryGetDefaultProjectForFile(fileName);
        }
        /** @internal */
        tryGetDefaultProjectForFile(fileNameOrScriptInfo) {
          const scriptInfo = isString2(fileNameOrScriptInfo) ? this.getScriptInfoForNormalizedPath(fileNameOrScriptInfo) : fileNameOrScriptInfo;
          return scriptInfo && !scriptInfo.isOrphan() ? scriptInfo.getDefaultProject() : void 0;
        }
        /**
         * If there is default project calculation pending for this file,
         * then it completes that calculation so that correct default project is used for the project
         */
        tryGetDefaultProjectForEnsuringConfiguredProjectForFile(fileNameOrScriptInfo) {
          var _a;
          const scriptInfo = isString2(fileNameOrScriptInfo) ? this.getScriptInfoForNormalizedPath(fileNameOrScriptInfo) : fileNameOrScriptInfo;
          if (!scriptInfo) return void 0;
          if ((_a = this.pendingOpenFileProjectUpdates) == null ? void 0 : _a.delete(scriptInfo.path)) {
            this.tryFindDefaultConfiguredProjectAndLoadAncestorsForOpenScriptInfo(
              scriptInfo,
              1
              /* Create */
            );
            if (scriptInfo.isOrphan()) {
              this.assignOrphanScriptInfoToInferredProject(scriptInfo, this.openFiles.get(scriptInfo.path));
            }
          }
          return this.tryGetDefaultProjectForFile(scriptInfo);
        }
        /** @internal */
        ensureDefaultProjectForFile(fileNameOrScriptInfo) {
          return this.tryGetDefaultProjectForEnsuringConfiguredProjectForFile(fileNameOrScriptInfo) || this.doEnsureDefaultProjectForFile(fileNameOrScriptInfo);
        }
        doEnsureDefaultProjectForFile(fileNameOrScriptInfo) {
          this.ensureProjectStructuresUptoDate();
          const scriptInfo = isString2(fileNameOrScriptInfo) ? this.getScriptInfoForNormalizedPath(fileNameOrScriptInfo) : fileNameOrScriptInfo;
          return scriptInfo ? scriptInfo.getDefaultProject() : (this.logErrorForScriptInfoNotFound(isString2(fileNameOrScriptInfo) ? fileNameOrScriptInfo : fileNameOrScriptInfo.fileName), Errors.ThrowNoProject());
        }
        getScriptInfoEnsuringProjectsUptoDate(uncheckedFileName) {
          this.ensureProjectStructuresUptoDate();
          return this.getScriptInfo(uncheckedFileName);
        }
        /**
         * Ensures the project structures are upto date
         * This means,
         * - we go through all the projects and update them if they are dirty
         * - if updates reflect some change in structure or there was pending request to ensure projects for open files
         *   ensure that each open script info has project
         */
        ensureProjectStructuresUptoDate() {
          let hasChanges = this.pendingEnsureProjectForOpenFiles;
          this.pendingProjectUpdates.clear();
          const updateGraph = (project) => {
            hasChanges = updateProjectIfDirty(project) || hasChanges;
          };
          this.externalProjects.forEach(updateGraph);
          this.configuredProjects.forEach(updateGraph);
          this.inferredProjects.forEach(updateGraph);
          if (hasChanges) {
            this.ensureProjectForOpenFiles();
          }
        }
        getFormatCodeOptions(file) {
          const info = this.getScriptInfoForNormalizedPath(file);
          return info && info.getFormatCodeSettings() || this.hostConfiguration.formatCodeOptions;
        }
        getPreferences(file) {
          const info = this.getScriptInfoForNormalizedPath(file);
          return { ...this.hostConfiguration.preferences, ...info && info.getPreferences() };
        }
        getHostFormatCodeOptions() {
          return this.hostConfiguration.formatCodeOptions;
        }
        getHostPreferences() {
          return this.hostConfiguration.preferences;
        }
        onSourceFileChanged(info, eventKind) {
          Debug.assert(!info.isScriptOpen());
          if (eventKind === 2) {
            this.handleDeletedFile(
              info,
              /*deferredDelete*/
              true
            );
          } else {
            if (info.deferredDelete) info.deferredDelete = void 0;
            info.delayReloadNonMixedContentFile();
            this.delayUpdateProjectGraphs(
              info.containingProjects,
              /*clearSourceMapperCache*/
              false
            );
            this.handleSourceMapProjects(info);
          }
        }
        handleSourceMapProjects(info) {
          if (info.sourceMapFilePath) {
            if (isString2(info.sourceMapFilePath)) {
              const sourceMapFileInfo = this.getScriptInfoForPath(info.sourceMapFilePath);
              this.delayUpdateSourceInfoProjects(sourceMapFileInfo == null ? void 0 : sourceMapFileInfo.sourceInfos);
            } else {
              this.delayUpdateSourceInfoProjects(info.sourceMapFilePath.sourceInfos);
            }
          }
          this.delayUpdateSourceInfoProjects(info.sourceInfos);
          if (info.declarationInfoPath) {
            this.delayUpdateProjectsOfScriptInfoPath(info.declarationInfoPath);
          }
        }
        delayUpdateSourceInfoProjects(sourceInfos) {
          if (sourceInfos) {
            sourceInfos.forEach((_value, path17) => this.delayUpdateProjectsOfScriptInfoPath(path17));
          }
        }
        delayUpdateProjectsOfScriptInfoPath(path17) {
          const info = this.getScriptInfoForPath(path17);
          if (info) {
            this.delayUpdateProjectGraphs(
              info.containingProjects,
              /*clearSourceMapperCache*/
              true
            );
          }
        }
        handleDeletedFile(info, deferredDelete) {
          Debug.assert(!info.isScriptOpen());
          this.delayUpdateProjectGraphs(
            info.containingProjects,
            /*clearSourceMapperCache*/
            false
          );
          this.handleSourceMapProjects(info);
          info.detachAllProjects();
          if (deferredDelete) {
            info.delayReloadNonMixedContentFile();
            info.deferredDelete = true;
          } else {
            this.deleteScriptInfo(info);
          }
        }
        /**
         * This is to watch whenever files are added or removed to the wildcard directories
         *
         * @internal
         */
        watchWildcardDirectory(directory, flags, configFileName, config7) {
          let watcher = this.watchFactory.watchDirectory(
            directory,
            (fileOrDirectory) => {
              const fileOrDirectoryPath = this.toPath(fileOrDirectory);
              const fsResult = config7.cachedDirectoryStructureHost.addOrDeleteFileOrDirectory(fileOrDirectory, fileOrDirectoryPath);
              if (getBaseFileName(fileOrDirectoryPath) === "package.json" && !isInsideNodeModules(fileOrDirectoryPath) && (fsResult && fsResult.fileExists || !fsResult && this.host.fileExists(fileOrDirectory))) {
                const file = this.getNormalizedAbsolutePath(fileOrDirectory);
                this.logger.info(`Config: ${configFileName} Detected new package.json: ${file}`);
                this.packageJsonCache.addOrUpdate(file, fileOrDirectoryPath);
                this.watchPackageJsonFile(file, fileOrDirectoryPath, result);
              }
              const configuredProjectForConfig = this.findConfiguredProjectByProjectName(configFileName);
              if (isIgnoredFileFromWildCardWatching({
                watchedDirPath: this.toPath(directory),
                fileOrDirectory,
                fileOrDirectoryPath,
                configFileName,
                extraFileExtensions: this.hostConfiguration.extraFileExtensions,
                currentDirectory: this.currentDirectory,
                options: config7.parsedCommandLine.options,
                program: (configuredProjectForConfig == null ? void 0 : configuredProjectForConfig.getCurrentProgram()) || config7.parsedCommandLine.fileNames,
                useCaseSensitiveFileNames: this.host.useCaseSensitiveFileNames,
                writeLog: (s) => this.logger.info(s),
                toPath: (s) => this.toPath(s),
                getScriptKind: configuredProjectForConfig ? (fileName) => configuredProjectForConfig.getScriptKind(fileName) : void 0
              })) return;
              if (config7.updateLevel !== 2) config7.updateLevel = 1;
              config7.projects.forEach((watchWildcardDirectories, projectCanonicalPath) => {
                var _a;
                if (!watchWildcardDirectories) return;
                const project = this.getConfiguredProjectByCanonicalConfigFilePath(projectCanonicalPath);
                if (!project) return;
                if (configuredProjectForConfig !== project && this.getHostPreferences().includeCompletionsForModuleExports) {
                  const path17 = this.toPath(configFileName);
                  if (find((_a = project.getCurrentProgram()) == null ? void 0 : _a.getResolvedProjectReferences(), (ref) => (ref == null ? void 0 : ref.sourceFile.path) === path17)) {
                    project.markAutoImportProviderAsDirty();
                  }
                }
                const updateLevel = configuredProjectForConfig === project ? 1 : 0;
                if (project.pendingUpdateLevel > updateLevel) return;
                if (this.openFiles.has(fileOrDirectoryPath)) {
                  const info = Debug.checkDefined(this.getScriptInfoForPath(fileOrDirectoryPath));
                  if (info.isAttached(project)) {
                    const loadLevelToSet = Math.max(
                      updateLevel,
                      project.openFileWatchTriggered.get(fileOrDirectoryPath) || 0
                      /* Update */
                    );
                    project.openFileWatchTriggered.set(fileOrDirectoryPath, loadLevelToSet);
                  } else {
                    project.pendingUpdateLevel = updateLevel;
                    this.delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(project);
                  }
                } else {
                  project.pendingUpdateLevel = updateLevel;
                  this.delayUpdateProjectGraphAndEnsureProjectStructureForOpenFiles(project);
                }
              });
            },
            flags,
            this.getWatchOptionsFromProjectWatchOptions(config7.parsedCommandLine.watchOptions, getDirectoryPath(configFileName)),
            WatchType.WildcardDirectory,
            configFileName
          );
          const result = {
            packageJsonWatches: void 0,
            close() {
              var _a;
              if (watcher) {
                watcher.close();
                watcher = void 0;
                (_a = result.packageJsonWatches) == null ? void 0 : _a.forEach((watcher2) => {
                  watcher2.projects.delete(result);
                  watcher2.close();
                });
                result.packageJsonWatches = void 0;
              }
            }
          };
          return result;
        }
        /** @internal */
        delayUpdateProjectsFromParsedConfigOnConfigFileChange(canonicalConfigFilePath, loadReason) {
          const configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath);
          if (!(configFileExistenceInfo == null ? void 0 : configFileExistenceInfo.config)) return false;
          let scheduledAnyProjectUpdate = false;
          configFileExistenceInfo.config.updateLevel = 2;
          configFileExistenceInfo.config.projects.forEach((_watchWildcardDirectories, projectCanonicalPath) => {
            var _a;
            const project = this.getConfiguredProjectByCanonicalConfigFilePath(projectCanonicalPath);
            if (!project) return;
            scheduledAnyProjectUpdate = true;
            if (projectCanonicalPath === canonicalConfigFilePath) {
              if (project.isInitialLoadPending()) return;
              project.pendingUpdateLevel = 2;
              project.pendingUpdateReason = loadReason;
              this.delayUpdateProjectGraph(project);
              project.markAutoImportProviderAsDirty();
            } else {
              const path17 = this.toPath(canonicalConfigFilePath);
              project.resolutionCache.removeResolutionsFromProjectReferenceRedirects(path17);
              this.delayUpdateProjectGraph(project);
              if (this.getHostPreferences().includeCompletionsForModuleExports && find((_a = project.getCurrentProgram()) == null ? void 0 : _a.getResolvedProjectReferences(), (ref) => (ref == null ? void 0 : ref.sourceFile.path) === path17)) {
                project.markAutoImportProviderAsDirty();
              }
            }
          });
          return scheduledAnyProjectUpdate;
        }
        /** @internal */
        onConfigFileChanged(configFileName, canonicalConfigFilePath, eventKind) {
          const configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath);
          const project = this.getConfiguredProjectByCanonicalConfigFilePath(canonicalConfigFilePath);
          const wasDefferedClose = project == null ? void 0 : project.deferredClose;
          if (eventKind === 2) {
            configFileExistenceInfo.exists = false;
            if (project) project.deferredClose = true;
          } else {
            configFileExistenceInfo.exists = true;
            if (wasDefferedClose) {
              project.deferredClose = void 0;
              project.markAsDirty();
            }
          }
          this.delayUpdateProjectsFromParsedConfigOnConfigFileChange(
            canonicalConfigFilePath,
            "Change in config file detected"
          );
          const updatedProjects = new Set(project ? [project] : void 0);
          this.openFiles.forEach((_projectRootPath, path17) => {
            var _a, _b;
            const configFileForOpenFile = this.configFileForOpenFiles.get(path17);
            if (!((_a = configFileExistenceInfo.openFilesImpactedByConfigFile) == null ? void 0 : _a.has(path17))) return;
            this.configFileForOpenFiles.delete(path17);
            const info = this.getScriptInfoForPath(path17);
            const newConfigFileNameForInfo = this.getConfigFileNameForFile(
              info,
              /*findFromCacheOnly*/
              false
            );
            if (!newConfigFileNameForInfo) return;
            const projectForInfo = this.findConfiguredProjectByProjectName(newConfigFileNameForInfo) ?? this.createConfiguredProject(
              newConfigFileNameForInfo,
              `Change in config file ${configFileName} detected, ${fileOpenReason(info)}`
            );
            if (!((_b = this.pendingOpenFileProjectUpdates) == null ? void 0 : _b.has(path17))) {
              (this.pendingOpenFileProjectUpdates ?? (this.pendingOpenFileProjectUpdates = /* @__PURE__ */ new Map())).set(path17, configFileForOpenFile);
            }
            if (tryAddToSet(updatedProjects, projectForInfo) && projectForInfo.isInitialLoadPending()) {
              this.delayUpdateProjectGraph(projectForInfo);
            }
          });
          this.delayEnsureProjectForOpenFiles();
        }
        removeProject(project) {
          this.logger.info("`remove Project::");
          project.print(
            /*writeProjectFileNames*/
            true,
            /*writeFileExplaination*/
            true,
            /*writeFileVersionAndText*/
            false
          );
          project.close();
          if (Debug.shouldAssert(
            1
            /* Normal */
          )) {
            this.filenameToScriptInfo.forEach(
              (info) => Debug.assert(
                !info.isAttached(project),
                "Found script Info still attached to project",
                () => `${project.projectName}: ScriptInfos still attached: ${JSON.stringify(
                  arrayFrom(
                    mapDefinedIterator(
                      this.filenameToScriptInfo.values(),
                      (info2) => info2.isAttached(project) ? {
                        fileName: info2.fileName,
                        projects: info2.containingProjects.map((p) => p.projectName),
                        hasMixedContent: info2.hasMixedContent
                      } : void 0
                    )
                  ),
                  /*replacer*/
                  void 0,
                  " "
                )}`
              )
            );
          }
          this.pendingProjectUpdates.delete(project.getProjectName());
          switch (project.projectKind) {
            case 2:
              unorderedRemoveItem(this.externalProjects, project);
              this.projectToSizeMap.delete(project.getProjectName());
              break;
            case 1:
              this.configuredProjects.delete(project.canonicalConfigFilePath);
              this.projectToSizeMap.delete(project.canonicalConfigFilePath);
              break;
            case 0:
              unorderedRemoveItem(this.inferredProjects, project);
              break;
          }
        }
        /** @internal */
        assignOrphanScriptInfoToInferredProject(info, projectRootPath) {
          Debug.assert(info.isOrphan());
          const project = this.getOrCreateInferredProjectForProjectRootPathIfEnabled(info, projectRootPath) || this.getOrCreateSingleInferredProjectIfEnabled() || this.getOrCreateSingleInferredWithoutProjectRoot(
            info.isDynamic ? projectRootPath || this.currentDirectory : getDirectoryPath(
              isRootedDiskPath(info.fileName) ? info.fileName : getNormalizedAbsolutePath(
                info.fileName,
                projectRootPath ? this.getNormalizedAbsolutePath(projectRootPath) : this.currentDirectory
              )
            )
          );
          project.addRoot(info);
          if (info.containingProjects[0] !== project) {
            orderedRemoveItem(info.containingProjects, project);
            info.containingProjects.unshift(project);
          }
          project.updateGraph();
          if (!this.useSingleInferredProject && !project.projectRootPath) {
            for (const inferredProject of this.inferredProjects) {
              if (inferredProject === project || inferredProject.isOrphan()) {
                continue;
              }
              const roots = inferredProject.getRootScriptInfos();
              Debug.assert(roots.length === 1 || !!inferredProject.projectRootPath);
              if (roots.length === 1 && forEach(roots[0].containingProjects, (p) => p !== roots[0].containingProjects[0] && !p.isOrphan())) {
                inferredProject.removeFile(
                  roots[0],
                  /*fileExists*/
                  true,
                  /*detachFromProject*/
                  true
                );
              }
            }
          }
          return project;
        }
        assignOrphanScriptInfosToInferredProject() {
          this.openFiles.forEach((projectRootPath, path17) => {
            const info = this.getScriptInfoForPath(path17);
            if (info.isOrphan()) {
              this.assignOrphanScriptInfoToInferredProject(info, projectRootPath);
            }
          });
        }
        /**
         * Remove this file from the set of open, non-configured files.
         * @param info The file that has been closed or newly configured
         */
        closeOpenFile(info, skipAssignOrphanScriptInfosToInferredProject) {
          var _a;
          const fileExists = info.isDynamic ? false : this.host.fileExists(info.fileName);
          info.close(fileExists);
          this.stopWatchingConfigFilesForScriptInfo(info);
          const canonicalFileName = this.toCanonicalFileName(info.fileName);
          if (this.openFilesWithNonRootedDiskPath.get(canonicalFileName) === info) {
            this.openFilesWithNonRootedDiskPath.delete(canonicalFileName);
          }
          let ensureProjectsForOpenFiles = false;
          for (const p of info.containingProjects) {
            if (isConfiguredProject(p)) {
              if (info.hasMixedContent) {
                info.registerFileUpdate();
              }
              const updateLevel = p.openFileWatchTriggered.get(info.path);
              if (updateLevel !== void 0) {
                p.openFileWatchTriggered.delete(info.path);
                if (p.pendingUpdateLevel < updateLevel) {
                  p.pendingUpdateLevel = updateLevel;
                  p.markFileAsDirty(info.path);
                }
              }
            } else if (isInferredProject(p) && p.isRoot(info)) {
              if (p.isProjectWithSingleRoot()) {
                ensureProjectsForOpenFiles = true;
              }
              p.removeFile(
                info,
                fileExists,
                /*detachFromProject*/
                true
              );
            }
            if (!p.languageServiceEnabled) {
              p.markAsDirty();
            }
          }
          this.openFiles.delete(info.path);
          this.configFileForOpenFiles.delete(info.path);
          (_a = this.pendingOpenFileProjectUpdates) == null ? void 0 : _a.delete(info.path);
          Debug.assert(!this.rootOfInferredProjects.has(info));
          if (!skipAssignOrphanScriptInfosToInferredProject && ensureProjectsForOpenFiles) {
            this.assignOrphanScriptInfosToInferredProject();
          }
          if (fileExists) {
            this.watchClosedScriptInfo(info);
          } else {
            this.handleDeletedFile(
              info,
              /*deferredDelete*/
              false
            );
          }
          return ensureProjectsForOpenFiles;
        }
        deleteScriptInfo(info) {
          Debug.assert(!info.isScriptOpen());
          this.filenameToScriptInfo.delete(info.path);
          this.filenameToScriptInfoVersion.set(info.path, info.textStorage.version);
          this.stopWatchingScriptInfo(info);
          const realpath = info.getRealpathIfDifferent();
          if (realpath) {
            this.realpathToScriptInfos.remove(realpath, info);
          }
          info.closeSourceMapFileWatcher();
        }
        configFileExists(configFileName, canonicalConfigFilePath, info) {
          const configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath);
          let openFilesImpactedByConfigFile;
          if (this.openFiles.has(info.path) && !isAncestorConfigFileInfo(info)) {
            if (configFileExistenceInfo) (configFileExistenceInfo.openFilesImpactedByConfigFile ?? (configFileExistenceInfo.openFilesImpactedByConfigFile = /* @__PURE__ */ new Set())).add(info.path);
            else (openFilesImpactedByConfigFile = /* @__PURE__ */ new Set()).add(info.path);
          }
          if (configFileExistenceInfo) return configFileExistenceInfo.exists;
          const exists = this.host.fileExists(configFileName);
          this.configFileExistenceInfoCache.set(canonicalConfigFilePath, { exists, openFilesImpactedByConfigFile });
          return exists;
        }
        /** @internal */
        createConfigFileWatcherForParsedConfig(configFileName, canonicalConfigFilePath, forProject) {
          var _a, _b;
          const configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath);
          if (!configFileExistenceInfo.watcher || configFileExistenceInfo.watcher === noopConfigFileWatcher) {
            configFileExistenceInfo.watcher = this.watchFactory.watchFile(
              configFileName,
              (_fileName, eventKind) => this.onConfigFileChanged(configFileName, canonicalConfigFilePath, eventKind),
              2e3,
              this.getWatchOptionsFromProjectWatchOptions((_b = (_a = configFileExistenceInfo == null ? void 0 : configFileExistenceInfo.config) == null ? void 0 : _a.parsedCommandLine) == null ? void 0 : _b.watchOptions, getDirectoryPath(configFileName)),
              WatchType.ConfigFile,
              forProject
            );
          }
          const projects = configFileExistenceInfo.config.projects;
          projects.set(forProject.canonicalConfigFilePath, projects.get(forProject.canonicalConfigFilePath) || false);
        }
        /** @internal */
        releaseParsedConfig(canonicalConfigFilePath, forProject) {
          var _a, _b, _c;
          const configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath);
          if (!((_a = configFileExistenceInfo.config) == null ? void 0 : _a.projects.delete(forProject.canonicalConfigFilePath))) return;
          if ((_b = configFileExistenceInfo.config) == null ? void 0 : _b.projects.size) return;
          configFileExistenceInfo.config = void 0;
          clearSharedExtendedConfigFileWatcher(canonicalConfigFilePath, this.sharedExtendedConfigFileWatchers);
          Debug.checkDefined(configFileExistenceInfo.watcher);
          if ((_c = configFileExistenceInfo.openFilesImpactedByConfigFile) == null ? void 0 : _c.size) {
            if (configFileExistenceInfo.inferredProjectRoots) {
              if (!canWatchDirectoryOrFile(getPathComponents(getDirectoryPath(canonicalConfigFilePath)))) {
                configFileExistenceInfo.watcher.close();
                configFileExistenceInfo.watcher = noopConfigFileWatcher;
              }
            } else {
              configFileExistenceInfo.watcher.close();
              configFileExistenceInfo.watcher = void 0;
            }
          } else {
            configFileExistenceInfo.watcher.close();
            this.configFileExistenceInfoCache.delete(canonicalConfigFilePath);
          }
        }
        /**
         * This is called on file close or when its removed from inferred project as root,
         * so that we handle the watches and inferred project root data
         * @internal
         */
        stopWatchingConfigFilesForScriptInfo(info) {
          if (this.serverMode !== 0) return;
          const isRootOfInferredProject = this.rootOfInferredProjects.delete(info);
          const isOpen = info.isScriptOpen();
          if (isOpen && !isRootOfInferredProject) return;
          this.forEachConfigFileLocation(info, (canonicalConfigFilePath) => {
            var _a, _b, _c;
            const configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath);
            if (!configFileExistenceInfo) return;
            if (isOpen) {
              if (!((_a = configFileExistenceInfo == null ? void 0 : configFileExistenceInfo.openFilesImpactedByConfigFile) == null ? void 0 : _a.has(info.path))) return;
            } else {
              if (!((_b = configFileExistenceInfo.openFilesImpactedByConfigFile) == null ? void 0 : _b.delete(info.path))) return;
            }
            if (isRootOfInferredProject) {
              configFileExistenceInfo.inferredProjectRoots--;
              if (configFileExistenceInfo.watcher && !configFileExistenceInfo.config && !configFileExistenceInfo.inferredProjectRoots) {
                configFileExistenceInfo.watcher.close();
                configFileExistenceInfo.watcher = void 0;
              }
            }
            if (!((_c = configFileExistenceInfo.openFilesImpactedByConfigFile) == null ? void 0 : _c.size) && !configFileExistenceInfo.config) {
              Debug.assert(!configFileExistenceInfo.watcher);
              this.configFileExistenceInfoCache.delete(canonicalConfigFilePath);
            }
          });
        }
        /**
         * This is called by inferred project whenever script info is added as a root
         *
         * @internal
         */
        startWatchingConfigFilesForInferredProjectRoot(info) {
          if (this.serverMode !== 0) return;
          Debug.assert(info.isScriptOpen());
          this.rootOfInferredProjects.add(info);
          this.forEachConfigFileLocation(info, (canonicalConfigFilePath, configFileName) => {
            let configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath);
            if (!configFileExistenceInfo) {
              configFileExistenceInfo = { exists: this.host.fileExists(configFileName), inferredProjectRoots: 1 };
              this.configFileExistenceInfoCache.set(canonicalConfigFilePath, configFileExistenceInfo);
            } else {
              configFileExistenceInfo.inferredProjectRoots = (configFileExistenceInfo.inferredProjectRoots ?? 0) + 1;
            }
            (configFileExistenceInfo.openFilesImpactedByConfigFile ?? (configFileExistenceInfo.openFilesImpactedByConfigFile = /* @__PURE__ */ new Set())).add(info.path);
            configFileExistenceInfo.watcher || (configFileExistenceInfo.watcher = canWatchDirectoryOrFile(getPathComponents(getDirectoryPath(canonicalConfigFilePath))) ? this.watchFactory.watchFile(
              configFileName,
              (_filename, eventKind) => this.onConfigFileChanged(configFileName, canonicalConfigFilePath, eventKind),
              2e3,
              this.hostConfiguration.watchOptions,
              WatchType.ConfigFileForInferredRoot
            ) : noopConfigFileWatcher);
          });
        }
        /**
         * This function tries to search for a tsconfig.json for the given file.
         * This is different from the method the compiler uses because
         * the compiler can assume it will always start searching in the
         * current directory (the directory in which tsc was invoked).
         * The server must start searching from the directory containing
         * the newly opened file.
         */
        forEachConfigFileLocation(info, action) {
          if (this.serverMode !== 0) {
            return void 0;
          }
          Debug.assert(!isOpenScriptInfo(info) || this.openFiles.has(info.path));
          const projectRootPath = this.openFiles.get(info.path);
          const scriptInfo = Debug.checkDefined(this.getScriptInfo(info.path));
          if (scriptInfo.isDynamic) return void 0;
          let searchPath = asNormalizedPath(getDirectoryPath(info.fileName));
          const isSearchPathInProjectRoot = () => containsPath(projectRootPath, searchPath, this.currentDirectory, !this.host.useCaseSensitiveFileNames);
          const anySearchPathOk = !projectRootPath || !isSearchPathInProjectRoot();
          let searchInDirectory = !isAncestorConfigFileInfo(info);
          do {
            if (searchInDirectory) {
              const canonicalSearchPath = normalizedPathToPath(searchPath, this.currentDirectory, this.toCanonicalFileName);
              const tsconfigFileName = asNormalizedPath(combinePaths(searchPath, "tsconfig.json"));
              let result = action(combinePaths(canonicalSearchPath, "tsconfig.json"), tsconfigFileName);
              if (result) return tsconfigFileName;
              const jsconfigFileName = asNormalizedPath(combinePaths(searchPath, "jsconfig.json"));
              result = action(combinePaths(canonicalSearchPath, "jsconfig.json"), jsconfigFileName);
              if (result) return jsconfigFileName;
              if (isNodeModulesDirectory(canonicalSearchPath)) {
                break;
              }
            }
            const parentPath = asNormalizedPath(getDirectoryPath(searchPath));
            if (parentPath === searchPath) break;
            searchPath = parentPath;
            searchInDirectory = true;
          } while (anySearchPathOk || isSearchPathInProjectRoot());
          return void 0;
        }
        /** @internal */
        findDefaultConfiguredProject(info) {
          var _a;
          return info.isScriptOpen() ? (_a = this.tryFindDefaultConfiguredProjectForOpenScriptInfo(
            info,
            0
            /* Find */
          )) == null ? void 0 : _a.defaultProject : void 0;
        }
        /** Get cached configFileName for scriptInfo or ancestor of open script info */
        getConfigFileNameForFileFromCache(info, lookInPendingFilesForValue) {
          if (lookInPendingFilesForValue) {
            const result = getConfigFileNameFromCache(info, this.pendingOpenFileProjectUpdates);
            if (result !== void 0) return result;
          }
          return getConfigFileNameFromCache(info, this.configFileForOpenFiles);
        }
        /** Caches the configFilename for script info or ancestor of open script info */
        setConfigFileNameForFileInCache(info, configFileName) {
          if (!this.openFiles.has(info.path)) return;
          if (isAncestorConfigFileInfo(info)) return;
          this.configFileForOpenFiles.set(info.path, configFileName || false);
        }
        /**
         * This function tries to search for a tsconfig.json for the given file.
         * This is different from the method the compiler uses because
         * the compiler can assume it will always start searching in the
         * current directory (the directory in which tsc was invoked).
         * The server must start searching from the directory containing
         * the newly opened file.
         * If script info is passed in, it is asserted to be open script info
         * otherwise just file name
         * when findFromCacheOnly is true only looked up in cache instead of hitting disk to figure things out
         * @internal
         */
        getConfigFileNameForFile(info, findFromCacheOnly) {
          const fromCache = this.getConfigFileNameForFileFromCache(info, findFromCacheOnly);
          if (fromCache !== void 0) return fromCache || void 0;
          if (findFromCacheOnly) return void 0;
          const configFileName = this.forEachConfigFileLocation(info, (canonicalConfigFilePath, configFileName2) => this.configFileExists(configFileName2, canonicalConfigFilePath, info));
          this.logger.info(`getConfigFileNameForFile:: File: ${info.fileName} ProjectRootPath: ${this.openFiles.get(info.path)}:: Result: ${configFileName}`);
          this.setConfigFileNameForFileInCache(info, configFileName);
          return configFileName;
        }
        printProjects() {
          if (!this.logger.hasLevel(
            1
            /* normal */
          )) {
            return;
          }
          this.logger.startGroup();
          this.externalProjects.forEach(printProjectWithoutFileNames);
          this.configuredProjects.forEach(printProjectWithoutFileNames);
          this.inferredProjects.forEach(printProjectWithoutFileNames);
          this.logger.info("Open files: ");
          this.openFiles.forEach((projectRootPath, path17) => {
            const info = this.getScriptInfoForPath(path17);
            this.logger.info(`	FileName: ${info.fileName} ProjectRootPath: ${projectRootPath}`);
            this.logger.info(`		Projects: ${info.containingProjects.map((p) => p.getProjectName())}`);
          });
          this.logger.endGroup();
        }
        /** @internal */
        findConfiguredProjectByProjectName(configFileName, allowDeferredClosed) {
          const canonicalConfigFilePath = asNormalizedPath(this.toCanonicalFileName(configFileName));
          const result = this.getConfiguredProjectByCanonicalConfigFilePath(canonicalConfigFilePath);
          return allowDeferredClosed ? result : !(result == null ? void 0 : result.deferredClose) ? result : void 0;
        }
        getConfiguredProjectByCanonicalConfigFilePath(canonicalConfigFilePath) {
          return this.configuredProjects.get(canonicalConfigFilePath);
        }
        findExternalProjectByProjectName(projectFileName) {
          return findProjectByName(projectFileName, this.externalProjects);
        }
        /** Get a filename if the language service exceeds the maximum allowed program size; otherwise returns undefined. */
        getFilenameForExceededTotalSizeLimitForNonTsFiles(name, options, fileNames, propertyReader) {
          if (options && options.disableSizeLimit || !this.host.getFileSize) {
            return;
          }
          let availableSpace = maxProgramSizeForNonTsFiles;
          this.projectToSizeMap.set(name, 0);
          this.projectToSizeMap.forEach((val) => availableSpace -= val || 0);
          let totalNonTsFileSize = 0;
          for (const f of fileNames) {
            const fileName = propertyReader.getFileName(f);
            if (hasTSFileExtension(fileName)) {
              continue;
            }
            totalNonTsFileSize += this.host.getFileSize(fileName);
            if (totalNonTsFileSize > maxProgramSizeForNonTsFiles || totalNonTsFileSize > availableSpace) {
              const top5LargestFiles = fileNames.map((f2) => propertyReader.getFileName(f2)).filter((name2) => !hasTSFileExtension(name2)).map((name2) => ({ name: name2, size: this.host.getFileSize(name2) })).sort((a, b) => b.size - a.size).slice(0, 5);
              this.logger.info(`Non TS file size exceeded limit (${totalNonTsFileSize}). Largest files: ${top5LargestFiles.map((file) => `${file.name}:${file.size}`).join(", ")}`);
              return fileName;
            }
          }
          this.projectToSizeMap.set(name, totalNonTsFileSize);
        }
        createExternalProject(projectFileName, files, options, typeAcquisition, excludedFiles) {
          const compilerOptions = convertCompilerOptions(options);
          const watchOptionsAndErrors = convertWatchOptions(options, getDirectoryPath(normalizeSlashes(projectFileName)));
          const project = new ExternalProject(
            projectFileName,
            this,
            this.documentRegistry,
            compilerOptions,
            /*lastFileExceededProgramSize*/
            this.getFilenameForExceededTotalSizeLimitForNonTsFiles(projectFileName, compilerOptions, files, externalFilePropertyReader),
            options.compileOnSave === void 0 ? true : options.compileOnSave,
            /*projectFilePath*/
            void 0,
            watchOptionsAndErrors == null ? void 0 : watchOptionsAndErrors.watchOptions
          );
          project.setProjectErrors(watchOptionsAndErrors == null ? void 0 : watchOptionsAndErrors.errors);
          project.excludedFiles = excludedFiles;
          this.addFilesToNonInferredProject(project, files, externalFilePropertyReader, typeAcquisition);
          this.externalProjects.push(project);
          return project;
        }
        /** @internal */
        sendProjectTelemetry(project) {
          if (this.seenProjects.has(project.projectName)) {
            setProjectOptionsUsed(project);
            return;
          }
          this.seenProjects.set(project.projectName, true);
          if (!this.eventHandler || !this.host.createSHA256Hash) {
            setProjectOptionsUsed(project);
            return;
          }
          const projectOptions = isConfiguredProject(project) ? project.projectOptions : void 0;
          setProjectOptionsUsed(project);
          const data = {
            projectId: this.host.createSHA256Hash(project.projectName),
            fileStats: countEachFileTypes(
              project.getScriptInfos(),
              /*includeSizes*/
              true
            ),
            compilerOptions: convertCompilerOptionsForTelemetry(project.getCompilationSettings()),
            typeAcquisition: convertTypeAcquisition2(project.getTypeAcquisition()),
            extends: projectOptions && projectOptions.configHasExtendsProperty,
            files: projectOptions && projectOptions.configHasFilesProperty,
            include: projectOptions && projectOptions.configHasIncludeProperty,
            exclude: projectOptions && projectOptions.configHasExcludeProperty,
            compileOnSave: project.compileOnSaveEnabled,
            configFileName: configFileName(),
            projectType: project instanceof ExternalProject ? "external" : "configured",
            languageServiceEnabled: project.languageServiceEnabled,
            version
          };
          this.eventHandler({ eventName: ProjectInfoTelemetryEvent, data });
          function configFileName() {
            if (!isConfiguredProject(project)) {
              return "other";
            }
            return getBaseConfigFileName(project.getConfigFilePath()) || "other";
          }
          function convertTypeAcquisition2({ enable: enable2, include, exclude }) {
            return {
              enable: enable2,
              include: include !== void 0 && include.length !== 0,
              exclude: exclude !== void 0 && exclude.length !== 0
            };
          }
        }
        addFilesToNonInferredProject(project, files, propertyReader, typeAcquisition) {
          this.updateNonInferredProjectFiles(project, files, propertyReader);
          project.setTypeAcquisition(typeAcquisition);
          project.markAsDirty();
        }
        /** @internal */
        createConfiguredProject(configFileName, reason) {
          var _a;
          (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.Session, "createConfiguredProject", { configFilePath: configFileName });
          this.logger.info(`Creating configuration project ${configFileName}`);
          const canonicalConfigFilePath = asNormalizedPath(this.toCanonicalFileName(configFileName));
          let configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath);
          if (!configFileExistenceInfo) {
            this.configFileExistenceInfoCache.set(canonicalConfigFilePath, configFileExistenceInfo = { exists: true });
          } else {
            configFileExistenceInfo.exists = true;
          }
          if (!configFileExistenceInfo.config) {
            configFileExistenceInfo.config = {
              cachedDirectoryStructureHost: createCachedDirectoryStructureHost(this.host, this.host.getCurrentDirectory(), this.host.useCaseSensitiveFileNames),
              projects: /* @__PURE__ */ new Map(),
              updateLevel: 2
              /* Full */
            };
          }
          const project = new ConfiguredProject2(
            configFileName,
            canonicalConfigFilePath,
            this,
            this.documentRegistry,
            configFileExistenceInfo.config.cachedDirectoryStructureHost,
            reason
          );
          Debug.assert(!this.configuredProjects.has(canonicalConfigFilePath));
          this.configuredProjects.set(canonicalConfigFilePath, project);
          this.createConfigFileWatcherForParsedConfig(configFileName, canonicalConfigFilePath, project);
          return project;
        }
        /**
         * Read the config file of the project, and update the project root file names.
         *
         * @internal
         */
        loadConfiguredProject(project, reason) {
          var _a, _b;
          (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Session, "loadConfiguredProject", { configFilePath: project.canonicalConfigFilePath });
          this.sendProjectLoadingStartEvent(project, reason);
          const configFilename = asNormalizedPath(normalizePath(project.getConfigFilePath()));
          const configFileExistenceInfo = this.ensureParsedConfigUptoDate(
            configFilename,
            project.canonicalConfigFilePath,
            this.configFileExistenceInfoCache.get(project.canonicalConfigFilePath),
            project
          );
          const parsedCommandLine = configFileExistenceInfo.config.parsedCommandLine;
          Debug.assert(!!parsedCommandLine.fileNames);
          const compilerOptions = parsedCommandLine.options;
          if (!project.projectOptions) {
            project.projectOptions = {
              configHasExtendsProperty: parsedCommandLine.raw.extends !== void 0,
              configHasFilesProperty: parsedCommandLine.raw.files !== void 0,
              configHasIncludeProperty: parsedCommandLine.raw.include !== void 0,
              configHasExcludeProperty: parsedCommandLine.raw.exclude !== void 0
            };
          }
          project.canConfigFileJsonReportNoInputFiles = canJsonReportNoInputFiles(parsedCommandLine.raw);
          project.setProjectErrors(parsedCommandLine.options.configFile.parseDiagnostics);
          project.updateReferences(parsedCommandLine.projectReferences);
          const lastFileExceededProgramSize = this.getFilenameForExceededTotalSizeLimitForNonTsFiles(project.canonicalConfigFilePath, compilerOptions, parsedCommandLine.fileNames, fileNamePropertyReader);
          if (lastFileExceededProgramSize) {
            project.disableLanguageService(lastFileExceededProgramSize);
            this.configFileExistenceInfoCache.forEach((_configFileExistenceInfo, canonicalConfigFilePath) => this.stopWatchingWildCards(canonicalConfigFilePath, project));
          } else {
            project.setCompilerOptions(compilerOptions);
            project.setWatchOptions(parsedCommandLine.watchOptions);
            project.enableLanguageService();
            this.watchWildcards(configFilename, configFileExistenceInfo, project);
          }
          project.enablePluginsWithOptions(compilerOptions);
          const filesToAdd = parsedCommandLine.fileNames.concat(project.getExternalFiles(
            2
            /* Full */
          ));
          this.updateRootAndOptionsOfNonInferredProject(project, filesToAdd, fileNamePropertyReader, compilerOptions, parsedCommandLine.typeAcquisition, parsedCommandLine.compileOnSave, parsedCommandLine.watchOptions);
          (_b = tracing) == null ? void 0 : _b.pop();
        }
        /** @internal */
        ensureParsedConfigUptoDate(configFilename, canonicalConfigFilePath, configFileExistenceInfo, forProject) {
          var _a, _b, _c;
          if (configFileExistenceInfo.config) {
            if (!configFileExistenceInfo.config.updateLevel) return configFileExistenceInfo;
            if (configFileExistenceInfo.config.updateLevel === 1) {
              this.reloadFileNamesOfParsedConfig(configFilename, configFileExistenceInfo.config);
              return configFileExistenceInfo;
            }
          }
          const cachedDirectoryStructureHost = ((_a = configFileExistenceInfo.config) == null ? void 0 : _a.cachedDirectoryStructureHost) || createCachedDirectoryStructureHost(this.host, this.host.getCurrentDirectory(), this.host.useCaseSensitiveFileNames);
          const configFileContent = tryReadFile(configFilename, (fileName) => this.host.readFile(fileName));
          const configFile = parseJsonText(configFilename, isString2(configFileContent) ? configFileContent : "");
          const configFileErrors = configFile.parseDiagnostics;
          if (!isString2(configFileContent)) configFileErrors.push(configFileContent);
          const configDir = getDirectoryPath(configFilename);
          const parsedCommandLine = parseJsonSourceFileConfigFileContent(
            configFile,
            cachedDirectoryStructureHost,
            configDir,
            /*existingOptions*/
            void 0,
            configFilename,
            /*resolutionStack*/
            void 0,
            this.hostConfiguration.extraFileExtensions,
            this.extendedConfigCache
          );
          if (parsedCommandLine.errors.length) {
            configFileErrors.push(...parsedCommandLine.errors);
          }
          this.logger.info(`Config: ${configFilename} : ${JSON.stringify(
            {
              rootNames: parsedCommandLine.fileNames,
              options: parsedCommandLine.options,
              watchOptions: parsedCommandLine.watchOptions,
              projectReferences: parsedCommandLine.projectReferences
            },
            /*replacer*/
            void 0,
            " "
          )}`);
          const oldCommandLine = (_b = configFileExistenceInfo.config) == null ? void 0 : _b.parsedCommandLine;
          if (!configFileExistenceInfo.config) {
            configFileExistenceInfo.config = { parsedCommandLine, cachedDirectoryStructureHost, projects: /* @__PURE__ */ new Map() };
          } else {
            configFileExistenceInfo.config.parsedCommandLine = parsedCommandLine;
            configFileExistenceInfo.config.watchedDirectoriesStale = true;
            configFileExistenceInfo.config.updateLevel = void 0;
          }
          if (!oldCommandLine && !isJsonEqual(
            // Old options
            this.getWatchOptionsFromProjectWatchOptions(
              /*projectOptions*/
              void 0,
              configDir
            ),
            // New options
            this.getWatchOptionsFromProjectWatchOptions(parsedCommandLine.watchOptions, configDir)
          )) {
            (_c = configFileExistenceInfo.watcher) == null ? void 0 : _c.close();
            configFileExistenceInfo.watcher = void 0;
          }
          this.createConfigFileWatcherForParsedConfig(configFilename, canonicalConfigFilePath, forProject);
          updateSharedExtendedConfigFileWatcher(
            canonicalConfigFilePath,
            parsedCommandLine.options,
            this.sharedExtendedConfigFileWatchers,
            (extendedConfigFileName, extendedConfigFilePath) => this.watchFactory.watchFile(
              extendedConfigFileName,
              () => {
                var _a2;
                cleanExtendedConfigCache(this.extendedConfigCache, extendedConfigFilePath, (fileName) => this.toPath(fileName));
                let ensureProjectsForOpenFiles = false;
                (_a2 = this.sharedExtendedConfigFileWatchers.get(extendedConfigFilePath)) == null ? void 0 : _a2.projects.forEach((canonicalPath) => {
                  ensureProjectsForOpenFiles = this.delayUpdateProjectsFromParsedConfigOnConfigFileChange(canonicalPath, `Change in extended config file ${extendedConfigFileName} detected`) || ensureProjectsForOpenFiles;
                });
                if (ensureProjectsForOpenFiles) this.delayEnsureProjectForOpenFiles();
              },
              2e3,
              this.hostConfiguration.watchOptions,
              WatchType.ExtendedConfigFile,
              configFilename
            ),
            (fileName) => this.toPath(fileName)
          );
          return configFileExistenceInfo;
        }
        /** @internal */
        watchWildcards(configFileName, { exists, config: config7 }, forProject) {
          config7.projects.set(forProject.canonicalConfigFilePath, true);
          if (exists) {
            if (config7.watchedDirectories && !config7.watchedDirectoriesStale) return;
            config7.watchedDirectoriesStale = false;
            updateWatchingWildcardDirectories(
              config7.watchedDirectories || (config7.watchedDirectories = /* @__PURE__ */ new Map()),
              config7.parsedCommandLine.wildcardDirectories,
              // Create new directory watcher
              (directory, flags) => this.watchWildcardDirectory(directory, flags, configFileName, config7)
            );
          } else {
            config7.watchedDirectoriesStale = false;
            if (!config7.watchedDirectories) return;
            clearMap(config7.watchedDirectories, closeFileWatcherOf);
            config7.watchedDirectories = void 0;
          }
        }
        /** @internal */
        stopWatchingWildCards(canonicalConfigFilePath, forProject) {
          const configFileExistenceInfo = this.configFileExistenceInfoCache.get(canonicalConfigFilePath);
          if (!configFileExistenceInfo.config || !configFileExistenceInfo.config.projects.get(forProject.canonicalConfigFilePath)) {
            return;
          }
          configFileExistenceInfo.config.projects.set(forProject.canonicalConfigFilePath, false);
          if (forEachEntry(configFileExistenceInfo.config.projects, identity2)) return;
          if (configFileExistenceInfo.config.watchedDirectories) {
            clearMap(configFileExistenceInfo.config.watchedDirectories, closeFileWatcherOf);
            configFileExistenceInfo.config.watchedDirectories = void 0;
          }
          configFileExistenceInfo.config.watchedDirectoriesStale = void 0;
        }
        updateNonInferredProjectFiles(project, files, propertyReader) {
          var _a;
          const projectRootFilesMap = project.getRootFilesMap();
          const newRootScriptInfoMap = /* @__PURE__ */ new Map();
          for (const f of files) {
            const newRootFile = propertyReader.getFileName(f);
            const fileName = toNormalizedPath(newRootFile);
            const isDynamic = isDynamicFileName(fileName);
            let path17;
            if (!isDynamic && !project.fileExists(newRootFile)) {
              path17 = normalizedPathToPath(fileName, this.currentDirectory, this.toCanonicalFileName);
              const existingValue = projectRootFilesMap.get(path17);
              if (existingValue) {
                if (((_a = existingValue.info) == null ? void 0 : _a.path) === path17) {
                  project.removeFile(
                    existingValue.info,
                    /*fileExists*/
                    false,
                    /*detachFromProject*/
                    true
                  );
                  existingValue.info = void 0;
                }
                existingValue.fileName = fileName;
              } else {
                projectRootFilesMap.set(path17, { fileName });
              }
            } else {
              const scriptKind = propertyReader.getScriptKind(f, this.hostConfiguration.extraFileExtensions);
              const hasMixedContent = propertyReader.hasMixedContent(f, this.hostConfiguration.extraFileExtensions);
              const scriptInfo = Debug.checkDefined(this.getOrCreateScriptInfoNotOpenedByClientForNormalizedPath(
                fileName,
                project.currentDirectory,
                scriptKind,
                hasMixedContent,
                project.directoryStructureHost,
                /*deferredDeleteOk*/
                false
              ));
              path17 = scriptInfo.path;
              const existingValue = projectRootFilesMap.get(path17);
              if (!existingValue || existingValue.info !== scriptInfo) {
                project.addRoot(scriptInfo, fileName);
                if (scriptInfo.isScriptOpen()) {
                  this.removeRootOfInferredProjectIfNowPartOfOtherProject(scriptInfo);
                }
              } else {
                existingValue.fileName = fileName;
              }
            }
            newRootScriptInfoMap.set(path17, true);
          }
          if (projectRootFilesMap.size > newRootScriptInfoMap.size) {
            projectRootFilesMap.forEach((value, path17) => {
              if (!newRootScriptInfoMap.has(path17)) {
                if (value.info) {
                  project.removeFile(
                    value.info,
                    project.fileExists(value.info.fileName),
                    /*detachFromProject*/
                    true
                  );
                } else {
                  projectRootFilesMap.delete(path17);
                }
              }
            });
          }
        }
        updateRootAndOptionsOfNonInferredProject(project, newUncheckedFiles, propertyReader, newOptions, newTypeAcquisition, compileOnSave, watchOptions) {
          project.setCompilerOptions(newOptions);
          project.setWatchOptions(watchOptions);
          if (compileOnSave !== void 0) {
            project.compileOnSaveEnabled = compileOnSave;
          }
          this.addFilesToNonInferredProject(project, newUncheckedFiles, propertyReader, newTypeAcquisition);
        }
        /**
         * Reload the file names from config file specs and update the project graph
         *
         * @internal
         */
        reloadFileNamesOfConfiguredProject(project) {
          const fileNames = this.reloadFileNamesOfParsedConfig(project.getConfigFilePath(), this.configFileExistenceInfoCache.get(project.canonicalConfigFilePath).config);
          project.updateErrorOnNoInputFiles(fileNames);
          this.updateNonInferredProjectFiles(project, fileNames.concat(project.getExternalFiles(
            1
            /* RootNamesAndUpdate */
          )), fileNamePropertyReader);
          project.markAsDirty();
          return project.updateGraph();
        }
        /** @internal */
        reloadFileNamesOfParsedConfig(configFileName, config7) {
          if (config7.updateLevel === void 0) return config7.parsedCommandLine.fileNames;
          Debug.assert(
            config7.updateLevel === 1
            /* RootNamesAndUpdate */
          );
          const configFileSpecs = config7.parsedCommandLine.options.configFile.configFileSpecs;
          const fileNames = getFileNamesFromConfigSpecs(
            configFileSpecs,
            getDirectoryPath(configFileName),
            config7.parsedCommandLine.options,
            config7.cachedDirectoryStructureHost,
            this.hostConfiguration.extraFileExtensions
          );
          config7.parsedCommandLine = { ...config7.parsedCommandLine, fileNames };
          return fileNames;
        }
        /** @internal */
        setFileNamesOfAutpImportProviderOrAuxillaryProject(project, fileNames) {
          this.updateNonInferredProjectFiles(project, fileNames, fileNamePropertyReader);
        }
        /** @internal */
        reloadConfiguredProjectClearingSemanticCache(project, reason, reloadedProjects) {
          if (!tryAddToSet(reloadedProjects, project)) return false;
          this.clearSemanticCache(project);
          this.reloadConfiguredProject(project, reloadReason(reason));
          return true;
        }
        /**
         * Read the config file of the project again by clearing the cache and update the project graph
         *
         * @internal
         */
        reloadConfiguredProject(project, reason) {
          project.isInitialLoadPending = returnFalse;
          project.pendingUpdateReason = void 0;
          project.pendingUpdateLevel = 0;
          const host = project.getCachedDirectoryStructureHost();
          host.clearCache();
          this.loadConfiguredProject(project, reason);
          updateWithTriggerFile(
            project,
            project.triggerFileForConfigFileDiag ?? project.getConfigFilePath(),
            /*isReload*/
            true
          );
        }
        /** @internal */
        clearSemanticCache(project) {
          project.originalConfiguredProjects = void 0;
          project.resolutionCache.clear();
          project.getLanguageService(
            /*ensureSynchronized*/
            false
          ).cleanupSemanticCache();
          project.cleanupProgram();
          project.markAsDirty();
        }
        /** @internal */
        sendConfigFileDiagEvent(project, triggerFile, force) {
          if (!this.eventHandler || this.suppressDiagnosticEvents) return false;
          const diagnostics = project.getLanguageService().getCompilerOptionsDiagnostics();
          diagnostics.push(...project.getAllProjectErrors());
          if (!force && diagnostics.length === (project.configDiagDiagnosticsReported ?? 0)) return false;
          project.configDiagDiagnosticsReported = diagnostics.length;
          this.eventHandler(
            {
              eventName: ConfigFileDiagEvent,
              data: { configFileName: project.getConfigFilePath(), diagnostics, triggerFile: triggerFile ?? project.getConfigFilePath() }
            }
          );
          return true;
        }
        getOrCreateInferredProjectForProjectRootPathIfEnabled(info, projectRootPath) {
          if (!this.useInferredProjectPerProjectRoot || // Its a dynamic info opened without project root
          info.isDynamic && projectRootPath === void 0) {
            return void 0;
          }
          if (projectRootPath) {
            const canonicalProjectRootPath = this.toCanonicalFileName(projectRootPath);
            for (const project of this.inferredProjects) {
              if (project.projectRootPath === canonicalProjectRootPath) {
                return project;
              }
            }
            return this.createInferredProject(
              projectRootPath,
              /*isSingleInferredProject*/
              false,
              projectRootPath
            );
          }
          let bestMatch;
          for (const project of this.inferredProjects) {
            if (!project.projectRootPath) continue;
            if (!containsPath(project.projectRootPath, info.path, this.host.getCurrentDirectory(), !this.host.useCaseSensitiveFileNames)) continue;
            if (bestMatch && bestMatch.projectRootPath.length > project.projectRootPath.length) continue;
            bestMatch = project;
          }
          return bestMatch;
        }
        getOrCreateSingleInferredProjectIfEnabled() {
          if (!this.useSingleInferredProject) {
            return void 0;
          }
          if (this.inferredProjects.length > 0 && this.inferredProjects[0].projectRootPath === void 0) {
            return this.inferredProjects[0];
          }
          return this.createInferredProject(
            "",
            /*isSingleInferredProject*/
            true
          );
        }
        getOrCreateSingleInferredWithoutProjectRoot(currentDirectory) {
          Debug.assert(!this.useSingleInferredProject);
          const expectedCurrentDirectory = this.toCanonicalFileName(this.getNormalizedAbsolutePath(currentDirectory));
          for (const inferredProject of this.inferredProjects) {
            if (!inferredProject.projectRootPath && inferredProject.isOrphan() && inferredProject.canonicalCurrentDirectory === expectedCurrentDirectory) {
              return inferredProject;
            }
          }
          return this.createInferredProject(currentDirectory);
        }
        createInferredProject(currentDirectory, isSingleInferredProject, projectRootPath) {
          const compilerOptions = projectRootPath && this.compilerOptionsForInferredProjectsPerProjectRoot.get(projectRootPath) || this.compilerOptionsForInferredProjects;
          let watchOptionsAndErrors;
          let typeAcquisition;
          if (projectRootPath) {
            watchOptionsAndErrors = this.watchOptionsForInferredProjectsPerProjectRoot.get(projectRootPath);
            typeAcquisition = this.typeAcquisitionForInferredProjectsPerProjectRoot.get(projectRootPath);
          }
          if (watchOptionsAndErrors === void 0) {
            watchOptionsAndErrors = this.watchOptionsForInferredProjects;
          }
          if (typeAcquisition === void 0) {
            typeAcquisition = this.typeAcquisitionForInferredProjects;
          }
          watchOptionsAndErrors = watchOptionsAndErrors || void 0;
          const project = new InferredProject2(this, this.documentRegistry, compilerOptions, watchOptionsAndErrors == null ? void 0 : watchOptionsAndErrors.watchOptions, projectRootPath, currentDirectory, typeAcquisition);
          project.setProjectErrors(watchOptionsAndErrors == null ? void 0 : watchOptionsAndErrors.errors);
          if (isSingleInferredProject) {
            this.inferredProjects.unshift(project);
          } else {
            this.inferredProjects.push(project);
          }
          return project;
        }
        /** @internal */
        getOrCreateScriptInfoNotOpenedByClient(uncheckedFileName, currentDirectory, hostToQueryFileExistsOn, deferredDeleteOk) {
          return this.getOrCreateScriptInfoNotOpenedByClientForNormalizedPath(
            toNormalizedPath(uncheckedFileName),
            currentDirectory,
            /*scriptKind*/
            void 0,
            /*hasMixedContent*/
            void 0,
            hostToQueryFileExistsOn,
            deferredDeleteOk
          );
        }
        getScriptInfo(uncheckedFileName) {
          return this.getScriptInfoForNormalizedPath(toNormalizedPath(uncheckedFileName));
        }
        /** @internal */
        getScriptInfoOrConfig(uncheckedFileName) {
          const path17 = toNormalizedPath(uncheckedFileName);
          const info = this.getScriptInfoForNormalizedPath(path17);
          if (info) return info;
          const configProject = this.configuredProjects.get(this.toPath(uncheckedFileName));
          return configProject && configProject.getCompilerOptions().configFile;
        }
        /** @internal */
        logErrorForScriptInfoNotFound(fileName) {
          const names = arrayFrom(
            mapDefinedIterator(
              this.filenameToScriptInfo.entries(),
              (entry) => entry[1].deferredDelete ? void 0 : entry
            ),
            ([path17, scriptInfo]) => ({ path: path17, fileName: scriptInfo.fileName })
          );
          this.logger.msg(
            `Could not find file ${JSON.stringify(fileName)}.
All files are: ${JSON.stringify(names)}`,
            "Err"
            /* Err */
          );
        }
        /**
         * Returns the projects that contain script info through SymLink
         * Note that this does not return projects in info.containingProjects
         *
         * @internal
         */
        getSymlinkedProjects(info) {
          let projects;
          if (this.realpathToScriptInfos) {
            const realpath = info.getRealpathIfDifferent();
            if (realpath) {
              forEach(this.realpathToScriptInfos.get(realpath), combineProjects);
            }
            forEach(this.realpathToScriptInfos.get(info.path), combineProjects);
          }
          return projects;
          function combineProjects(toAddInfo) {
            if (toAddInfo !== info) {
              for (const project of toAddInfo.containingProjects) {
                if (project.languageServiceEnabled && !project.isOrphan() && !project.getCompilerOptions().preserveSymlinks && !info.isAttached(project)) {
                  if (!projects) {
                    projects = createMultiMap();
                    projects.add(toAddInfo.path, project);
                  } else if (!forEachEntry(projects, (projs, path17) => path17 === toAddInfo.path ? false : contains(projs, project))) {
                    projects.add(toAddInfo.path, project);
                  }
                }
              }
            }
          }
        }
        watchClosedScriptInfo(info) {
          Debug.assert(!info.fileWatcher);
          if (!info.isDynamicOrHasMixedContent() && (!this.globalCacheLocationDirectoryPath || !startsWith2(info.path, this.globalCacheLocationDirectoryPath))) {
            const indexOfNodeModules = info.fileName.indexOf("/node_modules/");
            if (!this.host.getModifiedTime || indexOfNodeModules === -1) {
              info.fileWatcher = this.watchFactory.watchFile(
                info.fileName,
                (_fileName, eventKind) => this.onSourceFileChanged(info, eventKind),
                500,
                this.hostConfiguration.watchOptions,
                WatchType.ClosedScriptInfo
              );
            } else {
              info.mTime = this.getModifiedTime(info);
              info.fileWatcher = this.watchClosedScriptInfoInNodeModules(info.fileName.substring(0, indexOfNodeModules));
            }
          }
        }
        createNodeModulesWatcher(dir, dirPath) {
          let watcher = this.watchFactory.watchDirectory(
            dir,
            (fileOrDirectory) => {
              var _a;
              const fileOrDirectoryPath = removeIgnoredPath(this.toPath(fileOrDirectory));
              if (!fileOrDirectoryPath) return;
              const basename = getBaseFileName(fileOrDirectoryPath);
              if (((_a = result.affectedModuleSpecifierCacheProjects) == null ? void 0 : _a.size) && (basename === "package.json" || basename === "node_modules")) {
                result.affectedModuleSpecifierCacheProjects.forEach((project) => {
                  var _a2;
                  (_a2 = project.getModuleSpecifierCache()) == null ? void 0 : _a2.clear();
                });
              }
              if (result.refreshScriptInfoRefCount) {
                if (dirPath === fileOrDirectoryPath) {
                  this.refreshScriptInfosInDirectory(dirPath);
                } else {
                  const info = this.filenameToScriptInfo.get(fileOrDirectoryPath);
                  if (info) {
                    if (isScriptInfoWatchedFromNodeModules(info)) {
                      this.refreshScriptInfo(info);
                    }
                  } else if (!hasExtension(fileOrDirectoryPath)) {
                    this.refreshScriptInfosInDirectory(fileOrDirectoryPath);
                  }
                }
              }
            },
            1,
            this.hostConfiguration.watchOptions,
            WatchType.NodeModules
          );
          const result = {
            refreshScriptInfoRefCount: 0,
            affectedModuleSpecifierCacheProjects: void 0,
            close: () => {
              var _a;
              if (watcher && !result.refreshScriptInfoRefCount && !((_a = result.affectedModuleSpecifierCacheProjects) == null ? void 0 : _a.size)) {
                watcher.close();
                watcher = void 0;
                this.nodeModulesWatchers.delete(dirPath);
              }
            }
          };
          this.nodeModulesWatchers.set(dirPath, result);
          return result;
        }
        /** @internal */
        watchPackageJsonsInNodeModules(dir, project) {
          var _a;
          const dirPath = this.toPath(dir);
          const watcher = this.nodeModulesWatchers.get(dirPath) || this.createNodeModulesWatcher(dir, dirPath);
          Debug.assert(!((_a = watcher.affectedModuleSpecifierCacheProjects) == null ? void 0 : _a.has(project)));
          (watcher.affectedModuleSpecifierCacheProjects || (watcher.affectedModuleSpecifierCacheProjects = /* @__PURE__ */ new Set())).add(project);
          return {
            close: () => {
              var _a2;
              (_a2 = watcher.affectedModuleSpecifierCacheProjects) == null ? void 0 : _a2.delete(project);
              watcher.close();
            }
          };
        }
        watchClosedScriptInfoInNodeModules(dir) {
          const watchDir = dir + "/node_modules";
          const watchDirPath = this.toPath(watchDir);
          const watcher = this.nodeModulesWatchers.get(watchDirPath) || this.createNodeModulesWatcher(watchDir, watchDirPath);
          watcher.refreshScriptInfoRefCount++;
          return {
            close: () => {
              watcher.refreshScriptInfoRefCount--;
              watcher.close();
            }
          };
        }
        getModifiedTime(info) {
          return (this.host.getModifiedTime(info.fileName) || missingFileModifiedTime).getTime();
        }
        refreshScriptInfo(info) {
          const mTime = this.getModifiedTime(info);
          if (mTime !== info.mTime) {
            const eventKind = getFileWatcherEventKind(info.mTime, mTime);
            info.mTime = mTime;
            this.onSourceFileChanged(info, eventKind);
          }
        }
        refreshScriptInfosInDirectory(dir) {
          dir = dir + directorySeparator;
          this.filenameToScriptInfo.forEach((info) => {
            if (isScriptInfoWatchedFromNodeModules(info) && startsWith2(info.path, dir)) {
              this.refreshScriptInfo(info);
            }
          });
        }
        stopWatchingScriptInfo(info) {
          if (info.fileWatcher) {
            info.fileWatcher.close();
            info.fileWatcher = void 0;
          }
        }
        getOrCreateScriptInfoNotOpenedByClientForNormalizedPath(fileName, currentDirectory, scriptKind, hasMixedContent, hostToQueryFileExistsOn, deferredDeleteOk) {
          if (isRootedDiskPath(fileName) || isDynamicFileName(fileName)) {
            return this.getOrCreateScriptInfoWorker(
              fileName,
              currentDirectory,
              /*openedByClient*/
              false,
              /*fileContent*/
              void 0,
              scriptKind,
              !!hasMixedContent,
              hostToQueryFileExistsOn,
              deferredDeleteOk
            );
          }
          const info = this.openFilesWithNonRootedDiskPath.get(this.toCanonicalFileName(fileName));
          if (info) {
            return info;
          }
          return void 0;
        }
        getOrCreateScriptInfoForNormalizedPath(fileName, openedByClient, fileContent, scriptKind, hasMixedContent, hostToQueryFileExistsOn) {
          return this.getOrCreateScriptInfoWorker(
            fileName,
            this.currentDirectory,
            openedByClient,
            fileContent,
            scriptKind,
            !!hasMixedContent,
            hostToQueryFileExistsOn,
            /*deferredDeleteOk*/
            false
          );
        }
        getOrCreateScriptInfoWorker(fileName, currentDirectory, openedByClient, fileContent, scriptKind, hasMixedContent, hostToQueryFileExistsOn, deferredDeleteOk) {
          Debug.assert(fileContent === void 0 || openedByClient, "ScriptInfo needs to be opened by client to be able to set its user defined content");
          const path17 = normalizedPathToPath(fileName, currentDirectory, this.toCanonicalFileName);
          let info = this.filenameToScriptInfo.get(path17);
          if (!info) {
            const isDynamic = isDynamicFileName(fileName);
            Debug.assert(isRootedDiskPath(fileName) || isDynamic || openedByClient, "", () => `${JSON.stringify({ fileName, currentDirectory, hostCurrentDirectory: this.currentDirectory, openKeys: arrayFrom(this.openFilesWithNonRootedDiskPath.keys()) })}
Script info with non-dynamic relative file name can only be open script info or in context of host currentDirectory`);
            Debug.assert(!isRootedDiskPath(fileName) || this.currentDirectory === currentDirectory || !this.openFilesWithNonRootedDiskPath.has(this.toCanonicalFileName(fileName)), "", () => `${JSON.stringify({ fileName, currentDirectory, hostCurrentDirectory: this.currentDirectory, openKeys: arrayFrom(this.openFilesWithNonRootedDiskPath.keys()) })}
Open script files with non rooted disk path opened with current directory context cannot have same canonical names`);
            Debug.assert(!isDynamic || this.currentDirectory === currentDirectory || this.useInferredProjectPerProjectRoot, "", () => `${JSON.stringify({ fileName, currentDirectory, hostCurrentDirectory: this.currentDirectory, openKeys: arrayFrom(this.openFilesWithNonRootedDiskPath.keys()) })}
Dynamic files must always be opened with service's current directory or service should support inferred project per projectRootPath.`);
            if (!openedByClient && !isDynamic && !(hostToQueryFileExistsOn || this.host).fileExists(fileName)) {
              return;
            }
            info = new ScriptInfo(this.host, fileName, scriptKind, hasMixedContent, path17, this.filenameToScriptInfoVersion.get(path17));
            this.filenameToScriptInfo.set(info.path, info);
            this.filenameToScriptInfoVersion.delete(info.path);
            if (!openedByClient) {
              this.watchClosedScriptInfo(info);
            } else if (!isRootedDiskPath(fileName) && (!isDynamic || this.currentDirectory !== currentDirectory)) {
              this.openFilesWithNonRootedDiskPath.set(this.toCanonicalFileName(fileName), info);
            }
          } else if (info.deferredDelete) {
            Debug.assert(!info.isDynamic);
            if (!openedByClient && !(hostToQueryFileExistsOn || this.host).fileExists(fileName)) {
              return deferredDeleteOk ? info : void 0;
            }
            info.deferredDelete = void 0;
          }
          if (openedByClient) {
            this.stopWatchingScriptInfo(info);
            info.open(fileContent);
            if (hasMixedContent) {
              info.registerFileUpdate();
            }
          }
          return info;
        }
        /**
         * This gets the script info for the normalized path. If the path is not rooted disk path then the open script info with project root context is preferred
         */
        getScriptInfoForNormalizedPath(fileName) {
          return !isRootedDiskPath(fileName) && this.openFilesWithNonRootedDiskPath.get(this.toCanonicalFileName(fileName)) || this.getScriptInfoForPath(normalizedPathToPath(fileName, this.currentDirectory, this.toCanonicalFileName));
        }
        getScriptInfoForPath(fileName) {
          const info = this.filenameToScriptInfo.get(fileName);
          return !info || !info.deferredDelete ? info : void 0;
        }
        /** @internal */
        getDocumentPositionMapper(project, generatedFileName, sourceFileName) {
          const declarationInfo = this.getOrCreateScriptInfoNotOpenedByClient(
            generatedFileName,
            project.currentDirectory,
            this.host,
            /*deferredDeleteOk*/
            false
          );
          if (!declarationInfo) {
            if (sourceFileName) {
              project.addGeneratedFileWatch(generatedFileName, sourceFileName);
            }
            return void 0;
          }
          declarationInfo.getSnapshot();
          if (isString2(declarationInfo.sourceMapFilePath)) {
            const sourceMapFileInfo2 = this.getScriptInfoForPath(declarationInfo.sourceMapFilePath);
            if (sourceMapFileInfo2) {
              sourceMapFileInfo2.getSnapshot();
              if (sourceMapFileInfo2.documentPositionMapper !== void 0) {
                sourceMapFileInfo2.sourceInfos = this.addSourceInfoToSourceMap(sourceFileName, project, sourceMapFileInfo2.sourceInfos);
                return sourceMapFileInfo2.documentPositionMapper ? sourceMapFileInfo2.documentPositionMapper : void 0;
              }
            }
            declarationInfo.sourceMapFilePath = void 0;
          } else if (declarationInfo.sourceMapFilePath) {
            declarationInfo.sourceMapFilePath.sourceInfos = this.addSourceInfoToSourceMap(sourceFileName, project, declarationInfo.sourceMapFilePath.sourceInfos);
            return void 0;
          } else if (declarationInfo.sourceMapFilePath !== void 0) {
            return void 0;
          }
          let sourceMapFileInfo;
          let readMapFile = (mapFileName, mapFileNameFromDts) => {
            const mapInfo = this.getOrCreateScriptInfoNotOpenedByClient(
              mapFileName,
              project.currentDirectory,
              this.host,
              /*deferredDeleteOk*/
              true
            );
            sourceMapFileInfo = mapInfo || mapFileNameFromDts;
            if (!mapInfo || mapInfo.deferredDelete) return void 0;
            const snap = mapInfo.getSnapshot();
            if (mapInfo.documentPositionMapper !== void 0) return mapInfo.documentPositionMapper;
            return getSnapshotText(snap);
          };
          const projectName = project.projectName;
          const documentPositionMapper = getDocumentPositionMapper(
            { getCanonicalFileName: this.toCanonicalFileName, log: (s) => this.logger.info(s), getSourceFileLike: (f) => this.getSourceFileLike(f, projectName, declarationInfo) },
            declarationInfo.fileName,
            declarationInfo.textStorage.getLineInfo(),
            readMapFile
          );
          readMapFile = void 0;
          if (sourceMapFileInfo) {
            if (!isString2(sourceMapFileInfo)) {
              declarationInfo.sourceMapFilePath = sourceMapFileInfo.path;
              sourceMapFileInfo.declarationInfoPath = declarationInfo.path;
              if (!sourceMapFileInfo.deferredDelete) sourceMapFileInfo.documentPositionMapper = documentPositionMapper || false;
              sourceMapFileInfo.sourceInfos = this.addSourceInfoToSourceMap(sourceFileName, project, sourceMapFileInfo.sourceInfos);
            } else {
              declarationInfo.sourceMapFilePath = {
                watcher: this.addMissingSourceMapFile(
                  project.currentDirectory === this.currentDirectory ? sourceMapFileInfo : getNormalizedAbsolutePath(sourceMapFileInfo, project.currentDirectory),
                  declarationInfo.path
                ),
                sourceInfos: this.addSourceInfoToSourceMap(sourceFileName, project)
              };
            }
          } else {
            declarationInfo.sourceMapFilePath = false;
          }
          return documentPositionMapper;
        }
        addSourceInfoToSourceMap(sourceFileName, project, sourceInfos) {
          if (sourceFileName) {
            const sourceInfo = this.getOrCreateScriptInfoNotOpenedByClient(
              sourceFileName,
              project.currentDirectory,
              project.directoryStructureHost,
              /*deferredDeleteOk*/
              false
            );
            (sourceInfos || (sourceInfos = /* @__PURE__ */ new Set())).add(sourceInfo.path);
          }
          return sourceInfos;
        }
        addMissingSourceMapFile(mapFileName, declarationInfoPath) {
          const fileWatcher = this.watchFactory.watchFile(
            mapFileName,
            () => {
              const declarationInfo = this.getScriptInfoForPath(declarationInfoPath);
              if (declarationInfo && declarationInfo.sourceMapFilePath && !isString2(declarationInfo.sourceMapFilePath)) {
                this.delayUpdateProjectGraphs(
                  declarationInfo.containingProjects,
                  /*clearSourceMapperCache*/
                  true
                );
                this.delayUpdateSourceInfoProjects(declarationInfo.sourceMapFilePath.sourceInfos);
                declarationInfo.closeSourceMapFileWatcher();
              }
            },
            2e3,
            this.hostConfiguration.watchOptions,
            WatchType.MissingSourceMapFile
          );
          return fileWatcher;
        }
        /** @internal */
        getSourceFileLike(fileName, projectNameOrProject, declarationInfo) {
          const project = projectNameOrProject.projectName ? projectNameOrProject : this.findProject(projectNameOrProject);
          if (project) {
            const path17 = project.toPath(fileName);
            const sourceFile = project.getSourceFile(path17);
            if (sourceFile && sourceFile.resolvedPath === path17) return sourceFile;
          }
          const info = this.getOrCreateScriptInfoNotOpenedByClient(
            fileName,
            (project || this).currentDirectory,
            project ? project.directoryStructureHost : this.host,
            /*deferredDeleteOk*/
            false
          );
          if (!info) return void 0;
          if (declarationInfo && isString2(declarationInfo.sourceMapFilePath) && info !== declarationInfo) {
            const sourceMapInfo = this.getScriptInfoForPath(declarationInfo.sourceMapFilePath);
            if (sourceMapInfo) {
              (sourceMapInfo.sourceInfos ?? (sourceMapInfo.sourceInfos = /* @__PURE__ */ new Set())).add(info.path);
            }
          }
          if (info.cacheSourceFile) return info.cacheSourceFile.sourceFile;
          if (!info.sourceFileLike) {
            info.sourceFileLike = {
              get text() {
                Debug.fail("shouldnt need text");
                return "";
              },
              getLineAndCharacterOfPosition: (pos) => {
                const lineOffset = info.positionToLineOffset(pos);
                return { line: lineOffset.line - 1, character: lineOffset.offset - 1 };
              },
              getPositionOfLineAndCharacter: (line, character, allowEdits) => info.lineOffsetToPosition(line + 1, character + 1, allowEdits)
            };
          }
          return info.sourceFileLike;
        }
        /** @internal */
        setPerformanceEventHandler(performanceEventHandler) {
          this.performanceEventHandler = performanceEventHandler;
        }
        setHostConfiguration(args) {
          var _a;
          if (args.file) {
            const info = this.getScriptInfoForNormalizedPath(toNormalizedPath(args.file));
            if (info) {
              info.setOptions(convertFormatOptions(args.formatOptions), args.preferences);
              this.logger.info(`Host configuration update for file ${args.file}`);
            }
          } else {
            if (args.hostInfo !== void 0) {
              this.hostConfiguration.hostInfo = args.hostInfo;
              this.logger.info(`Host information ${args.hostInfo}`);
            }
            if (args.formatOptions) {
              this.hostConfiguration.formatCodeOptions = { ...this.hostConfiguration.formatCodeOptions, ...convertFormatOptions(args.formatOptions) };
              this.logger.info("Format host information updated");
            }
            if (args.preferences) {
              const {
                lazyConfiguredProjectsFromExternalProject,
                includePackageJsonAutoImports,
                includeCompletionsForModuleExports
              } = this.hostConfiguration.preferences;
              this.hostConfiguration.preferences = { ...this.hostConfiguration.preferences, ...args.preferences };
              if (lazyConfiguredProjectsFromExternalProject && !this.hostConfiguration.preferences.lazyConfiguredProjectsFromExternalProject) {
                this.externalProjectToConfiguredProjectMap.forEach(
                  (projects) => projects.forEach((project) => {
                    if (!project.deferredClose && !project.isClosed() && project.pendingUpdateLevel === 2 && !this.hasPendingProjectUpdate(project)) {
                      project.updateGraph();
                    }
                  })
                );
              }
              if (includePackageJsonAutoImports !== args.preferences.includePackageJsonAutoImports || !!includeCompletionsForModuleExports !== !!args.preferences.includeCompletionsForModuleExports) {
                this.forEachProject((project) => {
                  project.onAutoImportProviderSettingsChanged();
                });
              }
            }
            if (args.extraFileExtensions) {
              this.hostConfiguration.extraFileExtensions = args.extraFileExtensions;
              this.reloadProjects();
              this.logger.info("Host file extension mappings updated");
            }
            if (args.watchOptions) {
              const watchOptions = (_a = convertWatchOptions(args.watchOptions)) == null ? void 0 : _a.watchOptions;
              const substitution = handleWatchOptionsConfigDirTemplateSubstitution(watchOptions, this.currentDirectory);
              this.hostConfiguration.watchOptions = substitution;
              this.hostConfiguration.beforeSubstitution = substitution === watchOptions ? void 0 : watchOptions;
              this.logger.info(`Host watch options changed to ${JSON.stringify(this.hostConfiguration.watchOptions)}, it will be take effect for next watches.`);
            }
          }
        }
        /** @internal */
        getWatchOptions(project) {
          return this.getWatchOptionsFromProjectWatchOptions(project.getWatchOptions(), project.getCurrentDirectory());
        }
        /** @internal */
        getWatchOptionsFromProjectWatchOptions(projectOptions, basePath) {
          const hostWatchOptions = !this.hostConfiguration.beforeSubstitution ? this.hostConfiguration.watchOptions : handleWatchOptionsConfigDirTemplateSubstitution(
            this.hostConfiguration.beforeSubstitution,
            basePath
          );
          return projectOptions && hostWatchOptions ? { ...hostWatchOptions, ...projectOptions } : projectOptions || hostWatchOptions;
        }
        closeLog() {
          this.logger.close();
        }
        /**
         * This function rebuilds the project for every file opened by the client
         * This does not reload contents of open files from disk. But we could do that if needed
         */
        reloadProjects() {
          this.logger.info("reload projects.");
          this.filenameToScriptInfo.forEach((info) => {
            if (this.openFiles.has(info.path)) return;
            if (!info.fileWatcher) return;
            this.onSourceFileChanged(
              info,
              this.host.fileExists(info.fileName) ? info.deferredDelete ? 0 : 1 : 2
              /* Deleted */
            );
          });
          this.pendingProjectUpdates.forEach((_project, projectName) => {
            this.throttledOperations.cancel(projectName);
            this.pendingProjectUpdates.delete(projectName);
          });
          this.throttledOperations.cancel(ensureProjectForOpenFileSchedule);
          this.pendingOpenFileProjectUpdates = void 0;
          this.pendingEnsureProjectForOpenFiles = false;
          this.configFileExistenceInfoCache.forEach((info) => {
            if (info.config) info.config.updateLevel = 2;
          });
          this.configFileForOpenFiles.clear();
          this.externalProjects.forEach((project) => {
            this.clearSemanticCache(project);
            project.updateGraph();
          });
          const reloadedConfiguredProjects = /* @__PURE__ */ new Set();
          const delayReloadedConfiguredProjects = /* @__PURE__ */ new Set();
          this.externalProjectToConfiguredProjectMap.forEach((projects, externalProjectName) => {
            const reason = `Reloading configured project in external project: ${externalProjectName}`;
            projects.forEach((project) => {
              if (this.getHostPreferences().lazyConfiguredProjectsFromExternalProject) {
                if (!project.isInitialLoadPending()) {
                  this.clearSemanticCache(project);
                  project.pendingUpdateLevel = 2;
                  project.pendingUpdateReason = reloadReason(reason);
                }
                delayReloadedConfiguredProjects.add(project);
              } else {
                this.reloadConfiguredProjectClearingSemanticCache(
                  project,
                  reason,
                  reloadedConfiguredProjects
                );
              }
            });
          });
          this.openFiles.forEach((_projectRootPath, path17) => {
            const info = this.getScriptInfoForPath(path17);
            if (find(info.containingProjects, isExternalProject)) return;
            this.tryFindDefaultConfiguredProjectAndLoadAncestorsForOpenScriptInfo(
              info,
              2,
              reloadedConfiguredProjects,
              delayReloadedConfiguredProjects
            );
          });
          delayReloadedConfiguredProjects.forEach((p) => reloadedConfiguredProjects.add(p));
          this.inferredProjects.forEach((project) => this.clearSemanticCache(project));
          this.ensureProjectForOpenFiles();
          this.cleanupProjectsAndScriptInfos(
            reloadedConfiguredProjects,
            new Set(this.openFiles.keys()),
            new Set(this.externalProjectToConfiguredProjectMap.keys())
          );
          this.logger.info("After reloading projects..");
          this.printProjects();
        }
        /**
         * Remove the root of inferred project if script info is part of another project
         */
        removeRootOfInferredProjectIfNowPartOfOtherProject(info) {
          Debug.assert(info.containingProjects.length > 0);
          const firstProject = info.containingProjects[0];
          if (!firstProject.isOrphan() && isInferredProject(firstProject) && firstProject.isRoot(info) && forEach(info.containingProjects, (p) => p !== firstProject && !p.isOrphan())) {
            firstProject.removeFile(
              info,
              /*fileExists*/
              true,
              /*detachFromProject*/
              true
            );
          }
        }
        /**
         * This function is to update the project structure for every inferred project.
         * It is called on the premise that all the configured projects are
         * up to date.
         * This will go through open files and assign them to inferred project if open file is not part of any other project
         * After that all the inferred project graphs are updated
         */
        ensureProjectForOpenFiles() {
          this.logger.info("Before ensureProjectForOpenFiles:");
          this.printProjects();
          const pendingOpenFileProjectUpdates = this.pendingOpenFileProjectUpdates;
          this.pendingOpenFileProjectUpdates = void 0;
          pendingOpenFileProjectUpdates == null ? void 0 : pendingOpenFileProjectUpdates.forEach(
            (_config, path17) => this.tryFindDefaultConfiguredProjectAndLoadAncestorsForOpenScriptInfo(
              this.getScriptInfoForPath(path17),
              1
              /* Create */
            )
          );
          this.openFiles.forEach((projectRootPath, path17) => {
            const info = this.getScriptInfoForPath(path17);
            if (info.isOrphan()) {
              this.assignOrphanScriptInfoToInferredProject(info, projectRootPath);
            } else {
              this.removeRootOfInferredProjectIfNowPartOfOtherProject(info);
            }
          });
          this.pendingEnsureProjectForOpenFiles = false;
          this.inferredProjects.forEach(updateProjectIfDirty);
          this.logger.info("After ensureProjectForOpenFiles:");
          this.printProjects();
        }
        /**
         * Open file whose contents is managed by the client
         * @param filename is absolute pathname
         * @param fileContent is a known version of the file content that is more up to date than the one on disk
         */
        openClientFile(fileName, fileContent, scriptKind, projectRootPath) {
          return this.openClientFileWithNormalizedPath(
            toNormalizedPath(fileName),
            fileContent,
            scriptKind,
            /*hasMixedContent*/
            false,
            projectRootPath ? toNormalizedPath(projectRootPath) : void 0
          );
        }
        /** @internal */
        getOriginalLocationEnsuringConfiguredProject(project, location) {
          const isSourceOfProjectReferenceRedirect = project.isSourceOfProjectReferenceRedirect(location.fileName);
          const originalLocation = isSourceOfProjectReferenceRedirect ? location : project.getSourceMapper().tryGetSourcePosition(location);
          if (!originalLocation) return void 0;
          const { fileName } = originalLocation;
          const scriptInfo = this.getScriptInfo(fileName);
          if (!scriptInfo && !this.host.fileExists(fileName)) return void 0;
          const originalFileInfo = { fileName: toNormalizedPath(fileName), path: this.toPath(fileName) };
          const configFileName = this.getConfigFileNameForFile(
            originalFileInfo,
            /*findFromCacheOnly*/
            false
          );
          if (!configFileName) return void 0;
          let configuredProject = this.findConfiguredProjectByProjectName(configFileName);
          if (!configuredProject) {
            if (project.getCompilerOptions().disableReferencedProjectLoad) {
              if (isSourceOfProjectReferenceRedirect) {
                return location;
              }
              return (scriptInfo == null ? void 0 : scriptInfo.containingProjects.length) ? originalLocation : location;
            }
            configuredProject = this.createConfiguredProject(configFileName, `Creating project for original file: ${originalFileInfo.fileName}${location !== originalLocation ? " for location: " + location.fileName : ""}`);
          }
          updateProjectIfDirty(configuredProject);
          const projectContainsOriginalInfo = (project2) => {
            const info = this.getScriptInfo(fileName);
            return info && project2.containsScriptInfo(info) && !project2.isSourceOfProjectReferenceRedirect(info.path);
          };
          if (configuredProject.isSolution() || !projectContainsOriginalInfo(configuredProject)) {
            configuredProject = forEachResolvedProjectReferenceProject(
              configuredProject,
              fileName,
              (child) => projectContainsOriginalInfo(child) ? child : void 0,
              1,
              `Creating project referenced in solution ${configuredProject.projectName} to find possible configured project for original file: ${originalFileInfo.fileName}${location !== originalLocation ? " for location: " + location.fileName : ""}`
            );
            if (!configuredProject) return void 0;
            if (configuredProject === project) return originalLocation;
          }
          addOriginalConfiguredProject(configuredProject);
          const originalScriptInfo = this.getScriptInfo(fileName);
          if (!originalScriptInfo || !originalScriptInfo.containingProjects.length) return void 0;
          originalScriptInfo.containingProjects.forEach((project2) => {
            if (isConfiguredProject(project2)) {
              addOriginalConfiguredProject(project2);
            }
          });
          return originalLocation;
          function addOriginalConfiguredProject(originalProject) {
            (project.originalConfiguredProjects ?? (project.originalConfiguredProjects = /* @__PURE__ */ new Set())).add(originalProject.canonicalConfigFilePath);
          }
        }
        /** @internal */
        fileExists(fileName) {
          return !!this.getScriptInfoForNormalizedPath(fileName) || this.host.fileExists(fileName);
        }
        findExternalProjectContainingOpenScriptInfo(info) {
          return find(this.externalProjects, (proj) => {
            updateProjectIfDirty(proj);
            return proj.containsScriptInfo(info);
          });
        }
        getOrCreateOpenScriptInfo(fileName, fileContent, scriptKind, hasMixedContent, projectRootPath) {
          const info = this.getOrCreateScriptInfoWorker(
            fileName,
            projectRootPath ? this.getNormalizedAbsolutePath(projectRootPath) : this.currentDirectory,
            /*openedByClient*/
            true,
            fileContent,
            scriptKind,
            !!hasMixedContent,
            /*hostToQueryFileExistsOn*/
            void 0,
            /*deferredDeleteOk*/
            true
          );
          this.openFiles.set(info.path, projectRootPath);
          return info;
        }
        assignProjectToOpenedScriptInfo(info) {
          let configFileName;
          let configFileErrors;
          const project = this.findExternalProjectContainingOpenScriptInfo(info);
          let retainProjects;
          let sentConfigDiag;
          if (!project && this.serverMode === 0) {
            const result = this.tryFindDefaultConfiguredProjectAndLoadAncestorsForOpenScriptInfo(
              info,
              1
              /* Create */
            );
            if (result) {
              retainProjects = result.seenProjects;
              sentConfigDiag = result.sentConfigDiag;
              if (result.defaultProject) {
                configFileName = result.defaultProject.getConfigFilePath();
                configFileErrors = result.defaultProject.getAllProjectErrors();
              }
            }
          }
          info.containingProjects.forEach(updateProjectIfDirty);
          if (info.isOrphan()) {
            retainProjects == null ? void 0 : retainProjects.forEach((project2) => {
              if (!sentConfigDiag.has(project2)) this.sendConfigFileDiagEvent(
                project2,
                info.fileName,
                /*force*/
                true
              );
            });
            Debug.assert(this.openFiles.has(info.path));
            this.assignOrphanScriptInfoToInferredProject(info, this.openFiles.get(info.path));
          }
          Debug.assert(!info.isOrphan());
          return { configFileName, configFileErrors, retainProjects };
        }
        /**
         * Depending on kind
         * - Find the configuedProject and return it - if allowDeferredClosed is set it will find the deferredClosed project as well
         * - Create - if the project doesnt exist, it creates one as well. If not delayLoad, the project is updated (with triggerFile if passed)
         * - Reload - if the project doesnt exist, it creates one. If not delayLoad, the project is reloaded clearing semantic cache
         *  @internal
         */
        findCreateOrReloadConfiguredProject(configFileName, kind, reason, allowDeferredClosed, triggerFile, reloadedProjects, delayLoad, delayReloadedConfiguredProjects) {
          let project = this.findConfiguredProjectByProjectName(configFileName, allowDeferredClosed);
          let sentConfigFileDiag = false;
          switch (kind) {
            case 0:
              if (!project) return;
              break;
            case 1:
              project ?? (project = this.createConfiguredProject(configFileName, reason));
              sentConfigFileDiag = !delayLoad && updateConfiguredProject(project, triggerFile);
              break;
            case 2:
              project ?? (project = this.createConfiguredProject(configFileName, reloadReason(reason)));
              sentConfigFileDiag = !delayReloadedConfiguredProjects && this.reloadConfiguredProjectClearingSemanticCache(project, reason, reloadedProjects);
              if (delayReloadedConfiguredProjects && !delayReloadedConfiguredProjects.has(project) && !reloadedProjects.has(project)) {
                project.pendingUpdateLevel = 2;
                project.pendingUpdateReason = reloadReason(reason);
                delayReloadedConfiguredProjects.add(project);
              }
              break;
            default:
              Debug.assertNever(kind);
          }
          return { project, sentConfigFileDiag };
        }
        /**
         * Finds the default configured project for given info
         * For any tsconfig found, it looks into that project, if not then all its references,
         * The search happens for all tsconfigs till projectRootPath
         */
        tryFindDefaultConfiguredProjectForOpenScriptInfo(info, kind, allowDeferredClosed, reloadedProjects) {
          const configFileName = this.getConfigFileNameForFile(
            info,
            kind === 0
            /* Find */
          );
          if (!configFileName) return;
          const result = this.findCreateOrReloadConfiguredProject(
            configFileName,
            kind,
            fileOpenReason(info),
            allowDeferredClosed,
            info.fileName,
            reloadedProjects
          );
          if (!result) return;
          const seenProjects = /* @__PURE__ */ new Set();
          const sentConfigDiag = new Set(result.sentConfigFileDiag ? [result.project] : void 0);
          let defaultProject;
          let possiblyDefault;
          tryFindDefaultConfiguredProject(result.project);
          return {
            defaultProject: defaultProject ?? possiblyDefault,
            sentConfigDiag,
            seenProjects
          };
          function tryFindDefaultConfiguredProject(project) {
            return isDefaultProject(project) ? defaultProject : tryFindDefaultConfiguredProjectFromReferences(project);
          }
          function isDefaultProject(project) {
            if (!tryAddToSet(seenProjects, project)) return;
            const projectWithInfo = project.containsScriptInfo(info);
            if (projectWithInfo && !project.isSourceOfProjectReferenceRedirect(info.path)) return defaultProject = project;
            possiblyDefault ?? (possiblyDefault = projectWithInfo ? project : void 0);
          }
          function tryFindDefaultConfiguredProjectFromReferences(project) {
            return forEachResolvedProjectReferenceProject(
              project,
              info.path,
              (child, sentConfigFileDiag) => {
                if (sentConfigFileDiag) sentConfigDiag.add(child);
                return isDefaultProject(child);
              },
              kind,
              `Creating project referenced in solution ${project.projectName} to find possible configured project for ${info.fileName} to open`,
              allowDeferredClosed,
              info.fileName,
              reloadedProjects
            );
          }
        }
        tryFindDefaultConfiguredProjectAndLoadAncestorsForOpenScriptInfo(info, kind, reloadedProjects, delayReloadedConfiguredProjects) {
          const allowDeferredClosed = kind === 0;
          const result = this.tryFindDefaultConfiguredProjectForOpenScriptInfo(
            info,
            kind,
            allowDeferredClosed,
            reloadedProjects
          );
          if (!result) return;
          const { defaultProject, seenProjects } = result;
          if (defaultProject) {
            forEachAncestorProject(
              info,
              defaultProject,
              (ancestor) => {
                seenProjects.add(ancestor);
              },
              kind,
              `Creating project possibly referencing default composite project ${defaultProject.getProjectName()} of open file ${info.fileName}`,
              allowDeferredClosed,
              reloadedProjects,
              delayReloadedConfiguredProjects
            );
          }
          return result;
        }
        /** @internal */
        loadAncestorProjectTree(forProjects) {
          forProjects = forProjects || mapDefinedEntries(
            this.configuredProjects,
            (key, project) => !project.isInitialLoadPending() ? [key, true] : void 0
          );
          const seenProjects = /* @__PURE__ */ new Set();
          for (const project of arrayFrom(this.configuredProjects.values())) {
            if (forEachPotentialProjectReference(project, (potentialRefPath) => forProjects.has(potentialRefPath))) {
              updateProjectIfDirty(project);
            }
            this.ensureProjectChildren(project, forProjects, seenProjects);
          }
        }
        ensureProjectChildren(project, forProjects, seenProjects) {
          var _a;
          if (!tryAddToSet(seenProjects, project.canonicalConfigFilePath)) return;
          if (project.getCompilerOptions().disableReferencedProjectLoad) return;
          const children = (_a = project.getCurrentProgram()) == null ? void 0 : _a.getResolvedProjectReferences();
          if (!children) return;
          for (const child of children) {
            if (!child) continue;
            const referencedProject = forEachResolvedProjectReference(child.references, (ref) => forProjects.has(ref.sourceFile.path) ? ref : void 0);
            if (!referencedProject) continue;
            const configFileName = toNormalizedPath(child.sourceFile.fileName);
            const childProject = this.findConfiguredProjectByProjectName(configFileName) ?? this.createConfiguredProject(
              configFileName,
              `Creating project referenced by : ${project.projectName} as it references project ${referencedProject.sourceFile.fileName}`
            );
            updateProjectIfDirty(childProject);
            this.ensureProjectChildren(childProject, forProjects, seenProjects);
          }
        }
        cleanupConfiguredProjects(toRetainConfiguredProjects, externalProjectsRetainingConfiguredProjects, openFilesWithRetainedConfiguredProject) {
          this.getOrphanConfiguredProjects(
            toRetainConfiguredProjects,
            openFilesWithRetainedConfiguredProject,
            externalProjectsRetainingConfiguredProjects
          ).forEach((project) => this.removeProject(project));
        }
        cleanupProjectsAndScriptInfos(toRetainConfiguredProjects, openFilesWithRetainedConfiguredProject, externalProjectsRetainingConfiguredProjects) {
          this.cleanupConfiguredProjects(
            toRetainConfiguredProjects,
            externalProjectsRetainingConfiguredProjects,
            openFilesWithRetainedConfiguredProject
          );
          for (const inferredProject of this.inferredProjects.slice()) {
            if (inferredProject.isOrphan()) {
              this.removeProject(inferredProject);
            }
          }
          this.removeOrphanScriptInfos();
        }
        openClientFileWithNormalizedPath(fileName, fileContent, scriptKind, hasMixedContent, projectRootPath) {
          const info = this.getOrCreateOpenScriptInfo(fileName, fileContent, scriptKind, hasMixedContent, projectRootPath);
          const { retainProjects, ...result } = this.assignProjectToOpenedScriptInfo(info);
          this.cleanupProjectsAndScriptInfos(
            retainProjects,
            /* @__PURE__ */ new Set([info.path]),
            /*externalProjectsRetainingConfiguredProjects*/
            void 0
          );
          this.telemetryOnOpenFile(info);
          this.printProjects();
          return result;
        }
        /** @internal */
        getOrphanConfiguredProjects(toRetainConfiguredProjects, openFilesWithRetainedConfiguredProject, externalProjectsRetainingConfiguredProjects) {
          const toRemoveConfiguredProjects = new Set(this.configuredProjects.values());
          const markOriginalProjectsAsUsed = (project) => {
            if (project.originalConfiguredProjects && (isConfiguredProject(project) || !project.isOrphan())) {
              project.originalConfiguredProjects.forEach(
                (_value, configuredProjectPath) => {
                  const project2 = this.getConfiguredProjectByCanonicalConfigFilePath(configuredProjectPath);
                  return project2 && retainConfiguredProject(project2);
                }
              );
            }
          };
          toRetainConfiguredProjects == null ? void 0 : toRetainConfiguredProjects.forEach(retainConfiguredProject);
          this.inferredProjects.forEach(markOriginalProjectsAsUsed);
          this.externalProjects.forEach(markOriginalProjectsAsUsed);
          this.externalProjectToConfiguredProjectMap.forEach((projects, externalProjectName) => {
            if (!(externalProjectsRetainingConfiguredProjects == null ? void 0 : externalProjectsRetainingConfiguredProjects.has(externalProjectName))) {
              projects.forEach(retainConfiguredProject);
            }
          });
          this.openFiles.forEach((_projectRootPath, path17) => {
            if (openFilesWithRetainedConfiguredProject == null ? void 0 : openFilesWithRetainedConfiguredProject.has(path17)) return;
            const info = this.getScriptInfoForPath(path17);
            if (find(info.containingProjects, isExternalProject)) return;
            const result = this.tryFindDefaultConfiguredProjectAndLoadAncestorsForOpenScriptInfo(
              info,
              0
              /* Find */
            );
            if (result == null ? void 0 : result.defaultProject) {
              result == null ? void 0 : result.seenProjects.forEach(retainConfiguredProject);
            }
          });
          this.configuredProjects.forEach((project) => {
            if (toRemoveConfiguredProjects.has(project)) {
              if (isPendingUpdate(project) || forEachReferencedProject(project, isRetained)) {
                retainConfiguredProject(project);
              }
            }
          });
          return toRemoveConfiguredProjects;
          function isRetained(project) {
            return !toRemoveConfiguredProjects.has(project) || isPendingUpdate(project);
          }
          function isPendingUpdate(project) {
            var _a, _b;
            return (project.deferredClose || project.projectService.hasPendingProjectUpdate(project)) && !!((_b = (_a = project.projectService.configFileExistenceInfoCache.get(project.canonicalConfigFilePath)) == null ? void 0 : _a.openFilesImpactedByConfigFile) == null ? void 0 : _b.size);
          }
          function retainConfiguredProject(project) {
            if (!toRemoveConfiguredProjects.delete(project)) return;
            markOriginalProjectsAsUsed(project);
            forEachReferencedProject(project, retainConfiguredProject);
          }
        }
        removeOrphanScriptInfos() {
          const toRemoveScriptInfos = new Map(this.filenameToScriptInfo);
          this.filenameToScriptInfo.forEach((info) => {
            if (info.deferredDelete) return;
            if (!info.isScriptOpen() && info.isOrphan() && !info.isContainedByBackgroundProject()) {
              if (!info.sourceMapFilePath) return;
              let sourceInfos;
              if (isString2(info.sourceMapFilePath)) {
                const sourceMapInfo = this.filenameToScriptInfo.get(info.sourceMapFilePath);
                sourceInfos = sourceMapInfo == null ? void 0 : sourceMapInfo.sourceInfos;
              } else {
                sourceInfos = info.sourceMapFilePath.sourceInfos;
              }
              if (!sourceInfos) return;
              if (!forEachKey(sourceInfos, (path17) => {
                const info2 = this.getScriptInfoForPath(path17);
                return !!info2 && (info2.isScriptOpen() || !info2.isOrphan());
              })) {
                return;
              }
            }
            toRemoveScriptInfos.delete(info.path);
            if (info.sourceMapFilePath) {
              let sourceInfos;
              if (isString2(info.sourceMapFilePath)) {
                const sourceMapInfo = this.filenameToScriptInfo.get(info.sourceMapFilePath);
                if (sourceMapInfo == null ? void 0 : sourceMapInfo.deferredDelete) {
                  info.sourceMapFilePath = {
                    watcher: this.addMissingSourceMapFile(sourceMapInfo.fileName, info.path),
                    sourceInfos: sourceMapInfo.sourceInfos
                  };
                } else {
                  toRemoveScriptInfos.delete(info.sourceMapFilePath);
                }
                sourceInfos = sourceMapInfo == null ? void 0 : sourceMapInfo.sourceInfos;
              } else {
                sourceInfos = info.sourceMapFilePath.sourceInfos;
              }
              if (sourceInfos) {
                sourceInfos.forEach((_value, path17) => toRemoveScriptInfos.delete(path17));
              }
            }
          });
          toRemoveScriptInfos.forEach((info) => this.deleteScriptInfo(info));
        }
        telemetryOnOpenFile(scriptInfo) {
          if (this.serverMode !== 0 || !this.eventHandler || !scriptInfo.isJavaScript() || !addToSeen(this.allJsFilesForOpenFileTelemetry, scriptInfo.path)) {
            return;
          }
          const project = this.ensureDefaultProjectForFile(scriptInfo);
          if (!project.languageServiceEnabled) {
            return;
          }
          const sourceFile = project.getSourceFile(scriptInfo.path);
          const checkJs = !!sourceFile && !!sourceFile.checkJsDirective;
          this.eventHandler({ eventName: OpenFileInfoTelemetryEvent, data: { info: { checkJs } } });
        }
        closeClientFile(uncheckedFileName, skipAssignOrphanScriptInfosToInferredProject) {
          const info = this.getScriptInfoForNormalizedPath(toNormalizedPath(uncheckedFileName));
          const result = info ? this.closeOpenFile(info, skipAssignOrphanScriptInfosToInferredProject) : false;
          if (!skipAssignOrphanScriptInfosToInferredProject) {
            this.printProjects();
          }
          return result;
        }
        collectChanges(lastKnownProjectVersions, currentProjects, includeProjectReferenceRedirectInfo, result) {
          for (const proj of currentProjects) {
            const knownProject = find(lastKnownProjectVersions, (p) => p.projectName === proj.getProjectName());
            result.push(proj.getChangesSinceVersion(knownProject && knownProject.version, includeProjectReferenceRedirectInfo));
          }
        }
        /** @internal */
        synchronizeProjectList(knownProjects, includeProjectReferenceRedirectInfo) {
          const files = [];
          this.collectChanges(knownProjects, this.externalProjects, includeProjectReferenceRedirectInfo, files);
          this.collectChanges(knownProjects, mapDefinedIterator(this.configuredProjects.values(), (p) => p.deferredClose ? void 0 : p), includeProjectReferenceRedirectInfo, files);
          this.collectChanges(knownProjects, this.inferredProjects, includeProjectReferenceRedirectInfo, files);
          return files;
        }
        /** @internal */
        applyChangesInOpenFiles(openFiles, changedFiles, closedFiles) {
          let openScriptInfos;
          let assignOrphanScriptInfosToInferredProject = false;
          if (openFiles) {
            for (const file of openFiles) {
              const info = this.getOrCreateOpenScriptInfo(
                toNormalizedPath(file.fileName),
                file.content,
                tryConvertScriptKindName(file.scriptKind),
                file.hasMixedContent,
                file.projectRootPath ? toNormalizedPath(file.projectRootPath) : void 0
              );
              (openScriptInfos || (openScriptInfos = [])).push(info);
            }
          }
          if (changedFiles) {
            for (const file of changedFiles) {
              const scriptInfo = this.getScriptInfo(file.fileName);
              Debug.assert(!!scriptInfo);
              this.applyChangesToFile(scriptInfo, file.changes);
            }
          }
          if (closedFiles) {
            for (const file of closedFiles) {
              assignOrphanScriptInfosToInferredProject = this.closeClientFile(
                file,
                /*skipAssignOrphanScriptInfosToInferredProject*/
                true
              ) || assignOrphanScriptInfosToInferredProject;
            }
          }
          let retainProjects;
          openScriptInfos == null ? void 0 : openScriptInfos.forEach((info) => {
            var _a;
            return (_a = this.assignProjectToOpenedScriptInfo(info).retainProjects) == null ? void 0 : _a.forEach((p) => (retainProjects ?? (retainProjects = /* @__PURE__ */ new Set())).add(p));
          });
          if (assignOrphanScriptInfosToInferredProject) {
            this.assignOrphanScriptInfosToInferredProject();
          }
          if (openScriptInfos) {
            this.cleanupProjectsAndScriptInfos(
              retainProjects,
              new Set(openScriptInfos.map((info) => info.path)),
              /*externalProjectsRetainingConfiguredProjects*/
              void 0
            );
            openScriptInfos.forEach((info) => this.telemetryOnOpenFile(info));
            this.printProjects();
          } else if (length(closedFiles)) {
            this.printProjects();
          }
        }
        /** @internal */
        applyChangesToFile(scriptInfo, changes) {
          for (const change of changes) {
            scriptInfo.editContent(change.span.start, change.span.start + change.span.length, change.newText);
          }
        }
        // eslint-disable-line @typescript-eslint/unified-signatures
        closeExternalProject(uncheckedFileName, cleanupAfter) {
          const fileName = toNormalizedPath(uncheckedFileName);
          const projects = this.externalProjectToConfiguredProjectMap.get(fileName);
          if (projects) {
            this.externalProjectToConfiguredProjectMap.delete(fileName);
          } else {
            const externalProject = this.findExternalProjectByProjectName(uncheckedFileName);
            if (externalProject) {
              this.removeProject(externalProject);
            }
          }
          if (cleanupAfter) {
            this.cleanupConfiguredProjects();
            this.printProjects();
          }
        }
        openExternalProjects(projects) {
          const projectsToClose = new Set(this.externalProjects.map((p) => p.getProjectName()));
          this.externalProjectToConfiguredProjectMap.forEach((_, externalProjectName) => projectsToClose.add(externalProjectName));
          for (const externalProject of projects) {
            this.openExternalProject(
              externalProject,
              /*cleanupAfter*/
              false
            );
            projectsToClose.delete(externalProject.projectFileName);
          }
          projectsToClose.forEach((externalProjectName) => this.closeExternalProject(
            externalProjectName,
            /*cleanupAfter*/
            false
          ));
          this.cleanupConfiguredProjects();
          this.printProjects();
        }
        static escapeFilenameForRegex(filename) {
          return filename.replace(this.filenameEscapeRegexp, "\\$&");
        }
        resetSafeList() {
          this.safelist = defaultTypeSafeList;
        }
        applySafeList(proj) {
          const typeAcquisition = proj.typeAcquisition;
          Debug.assert(!!typeAcquisition, "proj.typeAcquisition should be set by now");
          const result = this.applySafeListWorker(proj, proj.rootFiles, typeAcquisition);
          return (result == null ? void 0 : result.excludedFiles) ?? [];
        }
        applySafeListWorker(proj, rootFiles2, typeAcquisition) {
          if (typeAcquisition.enable === false || typeAcquisition.disableFilenameBasedTypeAcquisition) {
            return void 0;
          }
          const typeAcqInclude = typeAcquisition.include || (typeAcquisition.include = []);
          const excludeRules = [];
          const normalizedNames = rootFiles2.map((f) => normalizeSlashes(f.fileName));
          for (const name of Object.keys(this.safelist)) {
            const rule2 = this.safelist[name];
            for (const root2 of normalizedNames) {
              if (rule2.match.test(root2)) {
                this.logger.info(`Excluding files based on rule ${name} matching file '${root2}'`);
                if (rule2.types) {
                  for (const type of rule2.types) {
                    if (!typeAcqInclude.includes(type)) {
                      typeAcqInclude.push(type);
                    }
                  }
                }
                if (rule2.exclude) {
                  for (const exclude of rule2.exclude) {
                    const processedRule = root2.replace(rule2.match, (...groups) => {
                      return exclude.map((groupNumberOrString) => {
                        if (typeof groupNumberOrString === "number") {
                          if (!isString2(groups[groupNumberOrString])) {
                            this.logger.info(`Incorrect RegExp specification in safelist rule ${name} - not enough groups`);
                            return "\\*";
                          }
                          return _ProjectService2.escapeFilenameForRegex(groups[groupNumberOrString]);
                        }
                        return groupNumberOrString;
                      }).join("");
                    });
                    if (!excludeRules.includes(processedRule)) {
                      excludeRules.push(processedRule);
                    }
                  }
                } else {
                  const escaped = _ProjectService2.escapeFilenameForRegex(root2);
                  if (!excludeRules.includes(escaped)) {
                    excludeRules.push(escaped);
                  }
                }
              }
            }
          }
          const excludeRegexes = excludeRules.map((e) => new RegExp(e, "i"));
          let filesToKeep;
          let excludedFiles;
          for (let i = 0; i < rootFiles2.length; i++) {
            if (excludeRegexes.some((re) => re.test(normalizedNames[i]))) {
              addExcludedFile(i);
            } else {
              if (typeAcquisition.enable) {
                const baseName = getBaseFileName(toFileNameLowerCase(normalizedNames[i]));
                if (fileExtensionIs(baseName, "js")) {
                  const inferredTypingName = removeFileExtension(baseName);
                  const cleanedTypingName = removeMinAndVersionNumbers(inferredTypingName);
                  const typeName = this.legacySafelist.get(cleanedTypingName);
                  if (typeName !== void 0) {
                    this.logger.info(`Excluded '${normalizedNames[i]}' because it matched ${cleanedTypingName} from the legacy safelist`);
                    addExcludedFile(i);
                    if (!typeAcqInclude.includes(typeName)) {
                      typeAcqInclude.push(typeName);
                    }
                    continue;
                  }
                }
              }
              if (/^.+[.-]min\.js$/.test(normalizedNames[i])) {
                addExcludedFile(i);
              } else {
                filesToKeep == null ? void 0 : filesToKeep.push(rootFiles2[i]);
              }
            }
          }
          return excludedFiles ? {
            rootFiles: filesToKeep,
            excludedFiles
          } : void 0;
          function addExcludedFile(index) {
            if (!excludedFiles) {
              Debug.assert(!filesToKeep);
              filesToKeep = rootFiles2.slice(0, index);
              excludedFiles = [];
            }
            excludedFiles.push(normalizedNames[index]);
          }
        }
        // eslint-disable-line @typescript-eslint/unified-signatures
        openExternalProject(proj, cleanupAfter) {
          const existingExternalProject = this.findExternalProjectByProjectName(proj.projectFileName);
          let configuredProjects;
          let rootFiles2 = [];
          for (const file of proj.rootFiles) {
            const normalized = toNormalizedPath(file.fileName);
            if (getBaseConfigFileName(normalized)) {
              if (this.serverMode === 0 && this.host.fileExists(normalized)) {
                let project = this.findConfiguredProjectByProjectName(normalized);
                if (!project) {
                  project = this.createConfiguredProject(normalized, `Creating configured project in external project: ${proj.projectFileName}`);
                  if (!this.getHostPreferences().lazyConfiguredProjectsFromExternalProject) project.updateGraph();
                }
                (configuredProjects ?? (configuredProjects = /* @__PURE__ */ new Set())).add(project);
                Debug.assert(!project.isClosed());
              }
            } else {
              rootFiles2.push(file);
            }
          }
          if (configuredProjects) {
            this.externalProjectToConfiguredProjectMap.set(proj.projectFileName, configuredProjects);
            if (existingExternalProject) this.removeProject(existingExternalProject);
          } else {
            this.externalProjectToConfiguredProjectMap.delete(proj.projectFileName);
            const typeAcquisition = proj.typeAcquisition || {};
            typeAcquisition.include = typeAcquisition.include || [];
            typeAcquisition.exclude = typeAcquisition.exclude || [];
            if (typeAcquisition.enable === void 0) {
              typeAcquisition.enable = hasNoTypeScriptSource(rootFiles2.map((f) => f.fileName));
            }
            const excludeResult = this.applySafeListWorker(proj, rootFiles2, typeAcquisition);
            const excludedFiles = (excludeResult == null ? void 0 : excludeResult.excludedFiles) ?? [];
            rootFiles2 = (excludeResult == null ? void 0 : excludeResult.rootFiles) ?? rootFiles2;
            if (existingExternalProject) {
              existingExternalProject.excludedFiles = excludedFiles;
              const compilerOptions = convertCompilerOptions(proj.options);
              const watchOptionsAndErrors = convertWatchOptions(proj.options, existingExternalProject.getCurrentDirectory());
              const lastFileExceededProgramSize = this.getFilenameForExceededTotalSizeLimitForNonTsFiles(proj.projectFileName, compilerOptions, rootFiles2, externalFilePropertyReader);
              if (lastFileExceededProgramSize) {
                existingExternalProject.disableLanguageService(lastFileExceededProgramSize);
              } else {
                existingExternalProject.enableLanguageService();
              }
              existingExternalProject.setProjectErrors(watchOptionsAndErrors == null ? void 0 : watchOptionsAndErrors.errors);
              this.updateRootAndOptionsOfNonInferredProject(existingExternalProject, rootFiles2, externalFilePropertyReader, compilerOptions, typeAcquisition, proj.options.compileOnSave, watchOptionsAndErrors == null ? void 0 : watchOptionsAndErrors.watchOptions);
              existingExternalProject.updateGraph();
            } else {
              const project = this.createExternalProject(proj.projectFileName, rootFiles2, proj.options, typeAcquisition, excludedFiles);
              project.updateGraph();
            }
          }
          if (cleanupAfter) {
            this.cleanupConfiguredProjects(
              configuredProjects,
              new Set(proj.projectFileName)
            );
            this.printProjects();
          }
        }
        hasDeferredExtension() {
          for (const extension of this.hostConfiguration.extraFileExtensions) {
            if (extension.scriptKind === 7) {
              return true;
            }
          }
          return false;
        }
        /**
         * Performs the initial steps of enabling a plugin by finding and instantiating the module for a plugin either asynchronously or synchronously
         * @internal
         */
        requestEnablePlugin(project, pluginConfigEntry, searchPaths) {
          if (!this.host.importPlugin && !this.host.require) {
            this.logger.info("Plugins were requested but not running in environment that supports 'require'. Nothing will be loaded");
            return;
          }
          this.logger.info(`Enabling plugin ${pluginConfigEntry.name} from candidate paths: ${searchPaths.join(",")}`);
          if (!pluginConfigEntry.name || isExternalModuleNameRelative(pluginConfigEntry.name) || /[\\/]\.\.?($|[\\/])/.test(pluginConfigEntry.name)) {
            this.logger.info(`Skipped loading plugin ${pluginConfigEntry.name || JSON.stringify(pluginConfigEntry)} because only package name is allowed plugin name`);
            return;
          }
          if (this.host.importPlugin) {
            const importPromise = Project3.importServicePluginAsync(
              pluginConfigEntry,
              searchPaths,
              this.host,
              (s) => this.logger.info(s)
            );
            this.pendingPluginEnablements ?? (this.pendingPluginEnablements = /* @__PURE__ */ new Map());
            let promises = this.pendingPluginEnablements.get(project);
            if (!promises) this.pendingPluginEnablements.set(project, promises = []);
            promises.push(importPromise);
            return;
          }
          this.endEnablePlugin(
            project,
            Project3.importServicePluginSync(
              pluginConfigEntry,
              searchPaths,
              this.host,
              (s) => this.logger.info(s)
            )
          );
        }
        /**
         * Performs the remaining steps of enabling a plugin after its module has been instantiated.
         * @internal
         */
        endEnablePlugin(project, { pluginConfigEntry, resolvedModule, errorLogs }) {
          var _a;
          if (resolvedModule) {
            const configurationOverride = (_a = this.currentPluginConfigOverrides) == null ? void 0 : _a.get(pluginConfigEntry.name);
            if (configurationOverride) {
              const pluginName = pluginConfigEntry.name;
              pluginConfigEntry = configurationOverride;
              pluginConfigEntry.name = pluginName;
            }
            project.enableProxy(resolvedModule, pluginConfigEntry);
          } else {
            forEach(errorLogs, (message) => this.logger.info(message));
            this.logger.info(`Couldn't find ${pluginConfigEntry.name}`);
          }
        }
        /** @internal */
        hasNewPluginEnablementRequests() {
          return !!this.pendingPluginEnablements;
        }
        /** @internal */
        hasPendingPluginEnablements() {
          return !!this.currentPluginEnablementPromise;
        }
        /**
         * Waits for any ongoing plugin enablement requests to complete.
         *
         * @internal
         */
        async waitForPendingPlugins() {
          while (this.currentPluginEnablementPromise) {
            await this.currentPluginEnablementPromise;
          }
        }
        /**
         * Starts enabling any requested plugins without waiting for the result.
         *
         * @internal
         */
        enableRequestedPlugins() {
          if (this.pendingPluginEnablements) {
            void this.enableRequestedPluginsAsync();
          }
        }
        async enableRequestedPluginsAsync() {
          if (this.currentPluginEnablementPromise) {
            await this.waitForPendingPlugins();
          }
          if (!this.pendingPluginEnablements) {
            return;
          }
          const entries = arrayFrom(this.pendingPluginEnablements.entries());
          this.pendingPluginEnablements = void 0;
          this.currentPluginEnablementPromise = this.enableRequestedPluginsWorker(entries);
          await this.currentPluginEnablementPromise;
        }
        async enableRequestedPluginsWorker(pendingPlugins) {
          Debug.assert(this.currentPluginEnablementPromise === void 0);
          let sendProjectsUpdatedInBackgroundEvent = false;
          await Promise.all(map(pendingPlugins, async ([project, promises]) => {
            const results = await Promise.all(promises);
            if (project.isClosed() || isProjectDeferredClose(project)) {
              this.logger.info(`Cancelling plugin enabling for ${project.getProjectName()} as it is ${project.isClosed() ? "closed" : "deferred close"}`);
              return;
            }
            sendProjectsUpdatedInBackgroundEvent = true;
            for (const result of results) {
              this.endEnablePlugin(project, result);
            }
            this.delayUpdateProjectGraph(project);
          }));
          this.currentPluginEnablementPromise = void 0;
          if (sendProjectsUpdatedInBackgroundEvent) this.sendProjectsUpdatedInBackgroundEvent();
        }
        configurePlugin(args) {
          this.forEachEnabledProject((project) => project.onPluginConfigurationChanged(args.pluginName, args.configuration));
          this.currentPluginConfigOverrides = this.currentPluginConfigOverrides || /* @__PURE__ */ new Map();
          this.currentPluginConfigOverrides.set(args.pluginName, args.configuration);
        }
        /** @internal */
        getPackageJsonsVisibleToFile(fileName, project, rootDir) {
          const packageJsonCache = this.packageJsonCache;
          const rootPath = rootDir && this.toPath(rootDir);
          const result = [];
          const processDirectory = (directory) => {
            switch (packageJsonCache.directoryHasPackageJson(directory)) {
              case 3:
                packageJsonCache.searchDirectoryAndAncestors(directory);
                return processDirectory(directory);
              case -1:
                const packageJsonFileName = combinePaths(directory, "package.json");
                this.watchPackageJsonFile(packageJsonFileName, this.toPath(packageJsonFileName), project);
                const info = packageJsonCache.getInDirectory(directory);
                if (info) result.push(info);
            }
            if (rootPath && rootPath === directory) {
              return true;
            }
          };
          forEachAncestorDirectory(getDirectoryPath(fileName), processDirectory);
          return result;
        }
        /** @internal */
        getNearestAncestorDirectoryWithPackageJson(fileName) {
          return forEachAncestorDirectory(fileName, (directory) => {
            switch (this.packageJsonCache.directoryHasPackageJson(directory)) {
              case -1:
                return directory;
              case 0:
                return void 0;
              case 3:
                return this.host.fileExists(combinePaths(directory, "package.json")) ? directory : void 0;
            }
          });
        }
        /** @internal */
        watchPackageJsonFile(file, path17, project) {
          Debug.assert(project !== void 0);
          let result = (this.packageJsonFilesMap ?? (this.packageJsonFilesMap = /* @__PURE__ */ new Map())).get(path17);
          if (!result) {
            let watcher = this.watchFactory.watchFile(
              file,
              (fileName, eventKind) => {
                switch (eventKind) {
                  case 0:
                  case 1:
                    this.packageJsonCache.addOrUpdate(fileName, path17);
                    this.onPackageJsonChange(result);
                    break;
                  case 2:
                    this.packageJsonCache.delete(path17);
                    this.onPackageJsonChange(result);
                    result.projects.clear();
                    result.close();
                }
              },
              250,
              this.hostConfiguration.watchOptions,
              WatchType.PackageJson
            );
            result = {
              projects: /* @__PURE__ */ new Set(),
              close: () => {
                var _a;
                if (result.projects.size || !watcher) return;
                watcher.close();
                watcher = void 0;
                (_a = this.packageJsonFilesMap) == null ? void 0 : _a.delete(path17);
                this.packageJsonCache.invalidate(path17);
              }
            };
            this.packageJsonFilesMap.set(path17, result);
          }
          result.projects.add(project);
          (project.packageJsonWatches ?? (project.packageJsonWatches = /* @__PURE__ */ new Set())).add(result);
        }
        /** @internal */
        onPackageJsonChange(result) {
          result.projects.forEach((project) => {
            var _a;
            return (_a = project.onPackageJsonChange) == null ? void 0 : _a.call(project);
          });
        }
        /** @internal */
        includePackageJsonAutoImports() {
          switch (this.hostConfiguration.preferences.includePackageJsonAutoImports) {
            case "on":
              return 1;
            case "off":
              return 0;
            default:
              return 2;
          }
        }
        /** @internal */
        getIncompleteCompletionsCache() {
          return this.incompleteCompletionsCache || (this.incompleteCompletionsCache = createIncompleteCompletionsCache());
        }
      };
      _ProjectService.filenameEscapeRegexp = /[-/\\^$*+?.()|[\]{}]/g;
      var ProjectService3 = _ProjectService;
      function createIncompleteCompletionsCache() {
        let info;
        return {
          get() {
            return info;
          },
          set(newInfo) {
            info = newInfo;
          },
          clear() {
            info = void 0;
          }
        };
      }
      function isConfigFile(config7) {
        return config7.kind !== void 0;
      }
      function printProjectWithoutFileNames(project) {
        project.print(
          /*writeProjectFileNames*/
          false,
          /*writeFileExplaination*/
          false,
          /*writeFileVersionAndText*/
          false
        );
      }
      function createModuleSpecifierCache(host) {
        let containedNodeModulesWatchers;
        let cache;
        let currentKey;
        const result = {
          get(fromFileName, toFileName2, preferences, options) {
            if (!cache || currentKey !== key(fromFileName, preferences, options)) return void 0;
            return cache.get(toFileName2);
          },
          set(fromFileName, toFileName2, preferences, options, kind, modulePaths, moduleSpecifiers2) {
            ensureCache(fromFileName, preferences, options).set(toFileName2, createInfo(
              kind,
              modulePaths,
              moduleSpecifiers2,
              /*isBlockedByPackageJsonDependencies*/
              false
            ));
            if (moduleSpecifiers2) {
              for (const p of modulePaths) {
                if (p.isInNodeModules) {
                  const nodeModulesPath = p.path.substring(0, p.path.indexOf(nodeModulesPathPart) + nodeModulesPathPart.length - 1);
                  const key2 = host.toPath(nodeModulesPath);
                  if (!(containedNodeModulesWatchers == null ? void 0 : containedNodeModulesWatchers.has(key2))) {
                    (containedNodeModulesWatchers || (containedNodeModulesWatchers = /* @__PURE__ */ new Map())).set(
                      key2,
                      host.watchNodeModulesForPackageJsonChanges(nodeModulesPath)
                    );
                  }
                }
              }
            }
          },
          setModulePaths(fromFileName, toFileName2, preferences, options, modulePaths) {
            const cache2 = ensureCache(fromFileName, preferences, options);
            const info = cache2.get(toFileName2);
            if (info) {
              info.modulePaths = modulePaths;
            } else {
              cache2.set(toFileName2, createInfo(
                /*kind*/
                void 0,
                modulePaths,
                /*moduleSpecifiers*/
                void 0,
                /*isBlockedByPackageJsonDependencies*/
                void 0
              ));
            }
          },
          setBlockedByPackageJsonDependencies(fromFileName, toFileName2, preferences, options, isBlockedByPackageJsonDependencies) {
            const cache2 = ensureCache(fromFileName, preferences, options);
            const info = cache2.get(toFileName2);
            if (info) {
              info.isBlockedByPackageJsonDependencies = isBlockedByPackageJsonDependencies;
            } else {
              cache2.set(toFileName2, createInfo(
                /*kind*/
                void 0,
                /*modulePaths*/
                void 0,
                /*moduleSpecifiers*/
                void 0,
                isBlockedByPackageJsonDependencies
              ));
            }
          },
          clear() {
            containedNodeModulesWatchers == null ? void 0 : containedNodeModulesWatchers.forEach(closeFileWatcher);
            cache == null ? void 0 : cache.clear();
            containedNodeModulesWatchers == null ? void 0 : containedNodeModulesWatchers.clear();
            currentKey = void 0;
          },
          count() {
            return cache ? cache.size : 0;
          }
        };
        if (Debug.isDebugging) {
          Object.defineProperty(result, "__cache", { get: () => cache });
        }
        return result;
        function ensureCache(fromFileName, preferences, options) {
          const newKey = key(fromFileName, preferences, options);
          if (cache && currentKey !== newKey) {
            result.clear();
          }
          currentKey = newKey;
          return cache || (cache = /* @__PURE__ */ new Map());
        }
        function key(fromFileName, preferences, options) {
          return `${fromFileName},${preferences.importModuleSpecifierEnding},${preferences.importModuleSpecifierPreference},${options.overrideImportMode}`;
        }
        function createInfo(kind, modulePaths, moduleSpecifiers2, isBlockedByPackageJsonDependencies) {
          return { kind, modulePaths, moduleSpecifiers: moduleSpecifiers2, isBlockedByPackageJsonDependencies };
        }
      }
      function createPackageJsonCache(host) {
        const packageJsons = /* @__PURE__ */ new Map();
        const directoriesWithoutPackageJson = /* @__PURE__ */ new Map();
        return {
          addOrUpdate,
          invalidate,
          delete: (fileName) => {
            packageJsons.delete(fileName);
            directoriesWithoutPackageJson.set(getDirectoryPath(fileName), true);
          },
          getInDirectory: (directory) => {
            return packageJsons.get(host.toPath(combinePaths(directory, "package.json"))) || void 0;
          },
          directoryHasPackageJson: (directory) => directoryHasPackageJson(host.toPath(directory)),
          searchDirectoryAndAncestors: (directory) => {
            forEachAncestorDirectory(directory, (ancestor) => {
              const ancestorPath = host.toPath(ancestor);
              if (directoryHasPackageJson(ancestorPath) !== 3) {
                return true;
              }
              const packageJsonFileName = combinePaths(ancestor, "package.json");
              if (tryFileExists(host, packageJsonFileName)) {
                addOrUpdate(packageJsonFileName, combinePaths(ancestorPath, "package.json"));
              } else {
                directoriesWithoutPackageJson.set(ancestorPath, true);
              }
            });
          }
        };
        function addOrUpdate(fileName, path17) {
          const packageJsonInfo = Debug.checkDefined(createPackageJsonInfo(fileName, host.host));
          packageJsons.set(path17, packageJsonInfo);
          directoriesWithoutPackageJson.delete(getDirectoryPath(path17));
        }
        function invalidate(path17) {
          packageJsons.delete(path17);
          directoriesWithoutPackageJson.delete(getDirectoryPath(path17));
        }
        function directoryHasPackageJson(directory) {
          return packageJsons.has(combinePaths(directory, "package.json")) ? -1 : directoriesWithoutPackageJson.has(directory) ? 0 : 3;
        }
      }
      var nullCancellationToken = {
        isCancellationRequested: () => false,
        setRequest: () => void 0,
        resetRequest: () => void 0
      };
      function hrTimeToMilliseconds(time) {
        const seconds = time[0];
        const nanoseconds = time[1];
        return (1e9 * seconds + nanoseconds) / 1e6;
      }
      function isDeclarationFileInJSOnlyNonConfiguredProject(project, file) {
        if ((isInferredProject(project) || isExternalProject(project)) && project.isJsOnlyProject()) {
          const scriptInfo = project.getScriptInfoForNormalizedPath(file);
          return scriptInfo && !scriptInfo.isJavaScript();
        }
        return false;
      }
      function dtsChangeCanAffectEmit(compilationSettings) {
        return getEmitDeclarations(compilationSettings) || !!compilationSettings.emitDecoratorMetadata;
      }
      function formatDiag(fileName, project, diag2) {
        const scriptInfo = project.getScriptInfoForNormalizedPath(fileName);
        return {
          start: scriptInfo.positionToLineOffset(diag2.start),
          end: scriptInfo.positionToLineOffset(diag2.start + diag2.length),
          // TODO: GH#18217
          text: flattenDiagnosticMessageText(diag2.messageText, "\n"),
          code: diag2.code,
          category: diagnosticCategoryName(diag2),
          reportsUnnecessary: diag2.reportsUnnecessary,
          reportsDeprecated: diag2.reportsDeprecated,
          source: diag2.source,
          relatedInformation: map(diag2.relatedInformation, formatRelatedInformation)
        };
      }
      function formatRelatedInformation(info) {
        if (!info.file) {
          return {
            message: flattenDiagnosticMessageText(info.messageText, "\n"),
            category: diagnosticCategoryName(info),
            code: info.code
          };
        }
        return {
          span: {
            start: convertToLocation(getLineAndCharacterOfPosition(info.file, info.start)),
            end: convertToLocation(getLineAndCharacterOfPosition(info.file, info.start + info.length)),
            // TODO: GH#18217
            file: info.file.fileName
          },
          message: flattenDiagnosticMessageText(info.messageText, "\n"),
          category: diagnosticCategoryName(info),
          code: info.code
        };
      }
      function convertToLocation(lineAndCharacter) {
        return { line: lineAndCharacter.line + 1, offset: lineAndCharacter.character + 1 };
      }
      function formatDiagnosticToProtocol(diag2, includeFileName) {
        const start = diag2.file && convertToLocation(getLineAndCharacterOfPosition(diag2.file, diag2.start));
        const end = diag2.file && convertToLocation(getLineAndCharacterOfPosition(diag2.file, diag2.start + diag2.length));
        const text = flattenDiagnosticMessageText(diag2.messageText, "\n");
        const { code, source } = diag2;
        const category = diagnosticCategoryName(diag2);
        const common = {
          start,
          end,
          text,
          code,
          category,
          reportsUnnecessary: diag2.reportsUnnecessary,
          reportsDeprecated: diag2.reportsDeprecated,
          source,
          relatedInformation: map(diag2.relatedInformation, formatRelatedInformation)
        };
        return includeFileName ? { ...common, fileName: diag2.file && diag2.file.fileName } : common;
      }
      function allEditsBeforePos(edits, pos) {
        return edits.every((edit) => textSpanEnd(edit.span) < pos);
      }
      var CommandNames = CommandTypes;
      function formatMessage2(msg, logger, byteLength, newLine) {
        const verboseLogging = logger.hasLevel(
          3
          /* verbose */
        );
        const json = JSON.stringify(msg);
        if (verboseLogging) {
          logger.info(`${msg.type}:${stringifyIndented(msg)}`);
        }
        const len = byteLength(json, "utf8");
        return `Content-Length: ${1 + len}\r
\r
${json}${newLine}`;
      }
      var MultistepOperation = class {
        constructor(operationHost) {
          this.operationHost = operationHost;
        }
        startNew(action) {
          this.complete();
          this.requestId = this.operationHost.getCurrentRequestId();
          this.executeAction(action);
        }
        complete() {
          if (this.requestId !== void 0) {
            this.operationHost.sendRequestCompletedEvent(this.requestId);
            this.requestId = void 0;
          }
          this.setTimerHandle(void 0);
          this.setImmediateId(void 0);
        }
        immediate(actionType, action) {
          const requestId = this.requestId;
          Debug.assert(requestId === this.operationHost.getCurrentRequestId(), "immediate: incorrect request id");
          this.setImmediateId(
            this.operationHost.getServerHost().setImmediate(() => {
              this.immediateId = void 0;
              this.operationHost.executeWithRequestId(requestId, () => this.executeAction(action));
            }, actionType)
          );
        }
        delay(actionType, ms, action) {
          const requestId = this.requestId;
          Debug.assert(requestId === this.operationHost.getCurrentRequestId(), "delay: incorrect request id");
          this.setTimerHandle(
            this.operationHost.getServerHost().setTimeout(
              () => {
                this.timerHandle = void 0;
                this.operationHost.executeWithRequestId(requestId, () => this.executeAction(action));
              },
              ms,
              actionType
            )
          );
        }
        executeAction(action) {
          var _a, _b, _c, _d, _e, _f;
          let stop = false;
          try {
            if (this.operationHost.isCancellationRequested()) {
              stop = true;
              (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.Session, "stepCanceled", { seq: this.requestId, early: true });
            } else {
              (_b = tracing) == null ? void 0 : _b.push(tracing.Phase.Session, "stepAction", { seq: this.requestId });
              action(this);
              (_c = tracing) == null ? void 0 : _c.pop();
            }
          } catch (e) {
            (_d = tracing) == null ? void 0 : _d.popAll();
            stop = true;
            if (e instanceof OperationCanceledException) {
              (_e = tracing) == null ? void 0 : _e.instant(tracing.Phase.Session, "stepCanceled", { seq: this.requestId });
            } else {
              (_f = tracing) == null ? void 0 : _f.instant(tracing.Phase.Session, "stepError", { seq: this.requestId, message: e.message });
              this.operationHost.logError(e, `delayed processing of request ${this.requestId}`);
            }
          }
          if (stop || !this.hasPendingWork()) {
            this.complete();
          }
        }
        setTimerHandle(timerHandle) {
          if (this.timerHandle !== void 0) {
            this.operationHost.getServerHost().clearTimeout(this.timerHandle);
          }
          this.timerHandle = timerHandle;
        }
        setImmediateId(immediateId) {
          if (this.immediateId !== void 0) {
            this.operationHost.getServerHost().clearImmediate(this.immediateId);
          }
          this.immediateId = immediateId;
        }
        hasPendingWork() {
          return !!this.timerHandle || !!this.immediateId;
        }
      };
      function toEvent(eventName, body) {
        return {
          seq: 0,
          type: "event",
          event: eventName,
          body
        };
      }
      function combineProjectOutput(defaultValue, getValue2, projects, action) {
        const outputs = flatMapToMutable(isArray3(projects) ? projects : projects.projects, (project) => action(project, defaultValue));
        if (!isArray3(projects) && projects.symLinkedProjects) {
          projects.symLinkedProjects.forEach((projects2, path17) => {
            const value = getValue2(path17);
            outputs.push(...flatMap(projects2, (project) => action(project, value)));
          });
        }
        return deduplicate(outputs, equateValues);
      }
      function createDocumentSpanSet(useCaseSensitiveFileNames2) {
        return createSet(({ textSpan }) => textSpan.start + 100003 * textSpan.length, getDocumentSpansEqualityComparer(useCaseSensitiveFileNames2));
      }
      function getRenameLocationsWorker(projects, defaultProject, initialLocation, findInStrings, findInComments, preferences, useCaseSensitiveFileNames2) {
        const perProjectResults = getPerProjectReferences(
          projects,
          defaultProject,
          initialLocation,
          /*isForRename*/
          true,
          (project, position) => project.getLanguageService().findRenameLocations(position.fileName, position.pos, findInStrings, findInComments, preferences),
          (renameLocation, cb) => cb(documentSpanLocation(renameLocation))
        );
        if (isArray3(perProjectResults)) {
          return perProjectResults;
        }
        const results = [];
        const seen = createDocumentSpanSet(useCaseSensitiveFileNames2);
        perProjectResults.forEach((projectResults, project) => {
          for (const result of projectResults) {
            if (!seen.has(result) && !getMappedLocationForProject(documentSpanLocation(result), project)) {
              results.push(result);
              seen.add(result);
            }
          }
        });
        return results;
      }
      function getDefinitionLocation(defaultProject, initialLocation, isForRename) {
        const infos = defaultProject.getLanguageService().getDefinitionAtPosition(
          initialLocation.fileName,
          initialLocation.pos,
          /*searchOtherFilesOnly*/
          false,
          /*stopAtAlias*/
          isForRename
        );
        const info = infos && firstOrUndefined(infos);
        return info && !info.isLocal ? { fileName: info.fileName, pos: info.textSpan.start } : void 0;
      }
      function getReferencesWorker(projects, defaultProject, initialLocation, useCaseSensitiveFileNames2, logger) {
        var _a, _b;
        const perProjectResults = getPerProjectReferences(
          projects,
          defaultProject,
          initialLocation,
          /*isForRename*/
          false,
          (project, position) => {
            logger.info(`Finding references to ${position.fileName} position ${position.pos} in project ${project.getProjectName()}`);
            return project.getLanguageService().findReferences(position.fileName, position.pos);
          },
          (referencedSymbol, cb) => {
            cb(documentSpanLocation(referencedSymbol.definition));
            for (const ref of referencedSymbol.references) {
              cb(documentSpanLocation(ref));
            }
          }
        );
        if (isArray3(perProjectResults)) {
          return perProjectResults;
        }
        const defaultProjectResults = perProjectResults.get(defaultProject);
        if (((_b = (_a = defaultProjectResults == null ? void 0 : defaultProjectResults[0]) == null ? void 0 : _a.references[0]) == null ? void 0 : _b.isDefinition) === void 0) {
          perProjectResults.forEach((projectResults) => {
            for (const referencedSymbol of projectResults) {
              for (const ref of referencedSymbol.references) {
                delete ref.isDefinition;
              }
            }
          });
        } else {
          const knownSymbolSpans = createDocumentSpanSet(useCaseSensitiveFileNames2);
          for (const referencedSymbol of defaultProjectResults) {
            for (const ref of referencedSymbol.references) {
              if (ref.isDefinition) {
                knownSymbolSpans.add(ref);
                break;
              }
            }
          }
          const updatedProjects = /* @__PURE__ */ new Set();
          while (true) {
            let progress = false;
            perProjectResults.forEach((referencedSymbols, project) => {
              if (updatedProjects.has(project)) return;
              const updated = project.getLanguageService().updateIsDefinitionOfReferencedSymbols(referencedSymbols, knownSymbolSpans);
              if (updated) {
                updatedProjects.add(project);
                progress = true;
              }
            });
            if (!progress) break;
          }
          perProjectResults.forEach((referencedSymbols, project) => {
            if (updatedProjects.has(project)) return;
            for (const referencedSymbol of referencedSymbols) {
              for (const ref of referencedSymbol.references) {
                ref.isDefinition = false;
              }
            }
          });
        }
        const results = [];
        const seenRefs = createDocumentSpanSet(useCaseSensitiveFileNames2);
        perProjectResults.forEach((projectResults, project) => {
          for (const referencedSymbol of projectResults) {
            const mappedDefinitionFile = getMappedLocationForProject(documentSpanLocation(referencedSymbol.definition), project);
            const definition = mappedDefinitionFile === void 0 ? referencedSymbol.definition : {
              ...referencedSymbol.definition,
              textSpan: createTextSpan(mappedDefinitionFile.pos, referencedSymbol.definition.textSpan.length),
              // Why would the length be the same in the original?
              fileName: mappedDefinitionFile.fileName,
              contextSpan: getMappedContextSpanForProject(referencedSymbol.definition, project)
            };
            let symbolToAddTo = find(results, (o) => documentSpansEqual(o.definition, definition, useCaseSensitiveFileNames2));
            if (!symbolToAddTo) {
              symbolToAddTo = { definition, references: [] };
              results.push(symbolToAddTo);
            }
            for (const ref of referencedSymbol.references) {
              if (!seenRefs.has(ref) && !getMappedLocationForProject(documentSpanLocation(ref), project)) {
                seenRefs.add(ref);
                symbolToAddTo.references.push(ref);
              }
            }
          }
        });
        return results.filter((o) => o.references.length !== 0);
      }
      function forEachProjectInProjects(projects, path17, cb) {
        for (const project of isArray3(projects) ? projects : projects.projects) {
          cb(project, path17);
        }
        if (!isArray3(projects) && projects.symLinkedProjects) {
          projects.symLinkedProjects.forEach((symlinkedProjects, symlinkedPath) => {
            for (const project of symlinkedProjects) {
              cb(project, symlinkedPath);
            }
          });
        }
      }
      function getPerProjectReferences(projects, defaultProject, initialLocation, isForRename, getResultsForPosition, forPositionInResult) {
        const resultsMap = /* @__PURE__ */ new Map();
        const queue = createQueue();
        queue.enqueue({ project: defaultProject, location: initialLocation });
        forEachProjectInProjects(projects, initialLocation.fileName, (project, path17) => {
          const location = { fileName: path17, pos: initialLocation.pos };
          queue.enqueue({ project, location });
        });
        const projectService = defaultProject.projectService;
        const cancellationToken = defaultProject.getCancellationToken();
        const defaultDefinition = getDefinitionLocation(defaultProject, initialLocation, isForRename);
        const getGeneratedDefinition = memoize(
          () => defaultProject.isSourceOfProjectReferenceRedirect(defaultDefinition.fileName) ? defaultDefinition : defaultProject.getLanguageService().getSourceMapper().tryGetGeneratedPosition(defaultDefinition)
        );
        const getSourceDefinition = memoize(
          () => defaultProject.isSourceOfProjectReferenceRedirect(defaultDefinition.fileName) ? defaultDefinition : defaultProject.getLanguageService().getSourceMapper().tryGetSourcePosition(defaultDefinition)
        );
        const searchedProjectKeys = /* @__PURE__ */ new Set();
        onCancellation:
          while (!queue.isEmpty()) {
            while (!queue.isEmpty()) {
              if (cancellationToken.isCancellationRequested()) break onCancellation;
              const { project, location } = queue.dequeue();
              if (resultsMap.has(project)) continue;
              if (isLocationProjectReferenceRedirect(project, location)) continue;
              updateProjectIfDirty(project);
              if (!project.containsFile(toNormalizedPath(location.fileName))) {
                continue;
              }
              const projectResults = searchPosition(project, location);
              resultsMap.set(project, projectResults ?? emptyArray2);
              searchedProjectKeys.add(getProjectKey(project));
            }
            if (defaultDefinition) {
              projectService.loadAncestorProjectTree(searchedProjectKeys);
              projectService.forEachEnabledProject((project) => {
                if (cancellationToken.isCancellationRequested()) return;
                if (resultsMap.has(project)) return;
                const location = mapDefinitionInProject(defaultDefinition, project, getGeneratedDefinition, getSourceDefinition);
                if (location) {
                  queue.enqueue({ project, location });
                }
              });
            }
          }
        if (resultsMap.size === 1) {
          return firstIterator(resultsMap.values());
        }
        return resultsMap;
        function searchPosition(project, location) {
          const projectResults = getResultsForPosition(project, location);
          if (!projectResults) return void 0;
          for (const result of projectResults) {
            forPositionInResult(result, (position) => {
              const originalLocation = projectService.getOriginalLocationEnsuringConfiguredProject(project, position);
              if (!originalLocation) return;
              const originalScriptInfo = projectService.getScriptInfo(originalLocation.fileName);
              for (const project2 of originalScriptInfo.containingProjects) {
                if (!project2.isOrphan() && !resultsMap.has(project2)) {
                  queue.enqueue({ project: project2, location: originalLocation });
                }
              }
              const symlinkedProjectsMap = projectService.getSymlinkedProjects(originalScriptInfo);
              if (symlinkedProjectsMap) {
                symlinkedProjectsMap.forEach((symlinkedProjects, symlinkedPath) => {
                  for (const symlinkedProject of symlinkedProjects) {
                    if (!symlinkedProject.isOrphan() && !resultsMap.has(symlinkedProject)) {
                      queue.enqueue({ project: symlinkedProject, location: { fileName: symlinkedPath, pos: originalLocation.pos } });
                    }
                  }
                });
              }
            });
          }
          return projectResults;
        }
      }
      function mapDefinitionInProject(definition, project, getGeneratedDefinition, getSourceDefinition) {
        if (project.containsFile(toNormalizedPath(definition.fileName)) && !isLocationProjectReferenceRedirect(project, definition)) {
          return definition;
        }
        const generatedDefinition = getGeneratedDefinition();
        if (generatedDefinition && project.containsFile(toNormalizedPath(generatedDefinition.fileName))) return generatedDefinition;
        const sourceDefinition = getSourceDefinition();
        return sourceDefinition && project.containsFile(toNormalizedPath(sourceDefinition.fileName)) ? sourceDefinition : void 0;
      }
      function isLocationProjectReferenceRedirect(project, location) {
        if (!location) return false;
        const program = project.getLanguageService().getProgram();
        if (!program) return false;
        const sourceFile = program.getSourceFile(location.fileName);
        return !!sourceFile && sourceFile.resolvedPath !== sourceFile.path && sourceFile.resolvedPath !== project.toPath(location.fileName);
      }
      function getProjectKey(project) {
        return isConfiguredProject(project) ? project.canonicalConfigFilePath : project.getProjectName();
      }
      function documentSpanLocation({ fileName, textSpan }) {
        return { fileName, pos: textSpan.start };
      }
      function getMappedLocationForProject(location, project) {
        return getMappedLocation(location, project.getSourceMapper(), (p) => project.projectService.fileExists(p));
      }
      function getMappedDocumentSpanForProject(documentSpan, project) {
        return getMappedDocumentSpan(documentSpan, project.getSourceMapper(), (p) => project.projectService.fileExists(p));
      }
      function getMappedContextSpanForProject(documentSpan, project) {
        return getMappedContextSpan(documentSpan, project.getSourceMapper(), (p) => project.projectService.fileExists(p));
      }
      var invalidPartialSemanticModeCommands = [
        "openExternalProject",
        "openExternalProjects",
        "closeExternalProject",
        "synchronizeProjectList",
        "emit-output",
        "compileOnSaveAffectedFileList",
        "compileOnSaveEmitFile",
        "compilerOptionsDiagnostics-full",
        "encodedSemanticClassifications-full",
        "semanticDiagnosticsSync",
        "suggestionDiagnosticsSync",
        "geterrForProject",
        "reload",
        "reloadProjects",
        "getCodeFixes",
        "getCodeFixes-full",
        "getCombinedCodeFix",
        "getCombinedCodeFix-full",
        "applyCodeActionCommand",
        "getSupportedCodeFixes",
        "getApplicableRefactors",
        "getMoveToRefactoringFileSuggestions",
        "getEditsForRefactor",
        "getEditsForRefactor-full",
        "organizeImports",
        "organizeImports-full",
        "getEditsForFileRename",
        "getEditsForFileRename-full",
        "prepareCallHierarchy",
        "provideCallHierarchyIncomingCalls",
        "provideCallHierarchyOutgoingCalls",
        "getPasteEdits"
        /* GetPasteEdits */
      ];
      var invalidSyntacticModeCommands = [
        ...invalidPartialSemanticModeCommands,
        "definition",
        "definition-full",
        "definitionAndBoundSpan",
        "definitionAndBoundSpan-full",
        "typeDefinition",
        "implementation",
        "implementation-full",
        "references",
        "references-full",
        "rename",
        "renameLocations-full",
        "rename-full",
        "quickinfo",
        "quickinfo-full",
        "completionInfo",
        "completions",
        "completions-full",
        "completionEntryDetails",
        "completionEntryDetails-full",
        "signatureHelp",
        "signatureHelp-full",
        "navto",
        "navto-full",
        "documentHighlights",
        "documentHighlights-full"
        /* DocumentHighlightsFull */
      ];
      var Session3 = class _Session {
        constructor(opts) {
          this.changeSeq = 0;
          this.handlers = new Map(Object.entries({
            // TODO(jakebailey): correctly type the handlers
            [
              "status"
              /* Status */
            ]: () => {
              const response = { version };
              return this.requiredResponse(response);
            },
            [
              "openExternalProject"
              /* OpenExternalProject */
            ]: (request) => {
              this.projectService.openExternalProject(
                request.arguments,
                /*cleanupAfter*/
                true
              );
              return this.requiredResponse(
                /*response*/
                true
              );
            },
            [
              "openExternalProjects"
              /* OpenExternalProjects */
            ]: (request) => {
              this.projectService.openExternalProjects(request.arguments.projects);
              return this.requiredResponse(
                /*response*/
                true
              );
            },
            [
              "closeExternalProject"
              /* CloseExternalProject */
            ]: (request) => {
              this.projectService.closeExternalProject(
                request.arguments.projectFileName,
                /*cleanupAfter*/
                true
              );
              return this.requiredResponse(
                /*response*/
                true
              );
            },
            [
              "synchronizeProjectList"
              /* SynchronizeProjectList */
            ]: (request) => {
              const result = this.projectService.synchronizeProjectList(request.arguments.knownProjects, request.arguments.includeProjectReferenceRedirectInfo);
              if (!result.some((p) => p.projectErrors && p.projectErrors.length !== 0)) {
                return this.requiredResponse(result);
              }
              const converted = map(result, (p) => {
                if (!p.projectErrors || p.projectErrors.length === 0) {
                  return p;
                }
                return {
                  info: p.info,
                  changes: p.changes,
                  files: p.files,
                  projectErrors: this.convertToDiagnosticsWithLinePosition(
                    p.projectErrors,
                    /*scriptInfo*/
                    void 0
                  )
                };
              });
              return this.requiredResponse(converted);
            },
            [
              "updateOpen"
              /* UpdateOpen */
            ]: (request) => {
              this.changeSeq++;
              this.projectService.applyChangesInOpenFiles(
                request.arguments.openFiles && mapIterator(request.arguments.openFiles, (file) => ({
                  fileName: file.file,
                  content: file.fileContent,
                  scriptKind: file.scriptKindName,
                  projectRootPath: file.projectRootPath
                })),
                request.arguments.changedFiles && mapIterator(request.arguments.changedFiles, (file) => ({
                  fileName: file.fileName,
                  changes: mapDefinedIterator(arrayReverseIterator(file.textChanges), (change) => {
                    const scriptInfo = Debug.checkDefined(this.projectService.getScriptInfo(file.fileName));
                    const start = scriptInfo.lineOffsetToPosition(change.start.line, change.start.offset);
                    const end = scriptInfo.lineOffsetToPosition(change.end.line, change.end.offset);
                    return start >= 0 ? { span: { start, length: end - start }, newText: change.newText } : void 0;
                  })
                })),
                request.arguments.closedFiles
              );
              return this.requiredResponse(
                /*response*/
                true
              );
            },
            [
              "applyChangedToOpenFiles"
              /* ApplyChangedToOpenFiles */
            ]: (request) => {
              this.changeSeq++;
              this.projectService.applyChangesInOpenFiles(
                request.arguments.openFiles,
                request.arguments.changedFiles && mapIterator(request.arguments.changedFiles, (file) => ({
                  fileName: file.fileName,
                  // apply changes in reverse order
                  changes: arrayReverseIterator(file.changes)
                })),
                request.arguments.closedFiles
              );
              return this.requiredResponse(
                /*response*/
                true
              );
            },
            [
              "exit"
              /* Exit */
            ]: () => {
              this.exit();
              return this.notRequired();
            },
            [
              "definition"
              /* Definition */
            ]: (request) => {
              return this.requiredResponse(this.getDefinition(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "definition-full"
              /* DefinitionFull */
            ]: (request) => {
              return this.requiredResponse(this.getDefinition(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "definitionAndBoundSpan"
              /* DefinitionAndBoundSpan */
            ]: (request) => {
              return this.requiredResponse(this.getDefinitionAndBoundSpan(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "definitionAndBoundSpan-full"
              /* DefinitionAndBoundSpanFull */
            ]: (request) => {
              return this.requiredResponse(this.getDefinitionAndBoundSpan(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "findSourceDefinition"
              /* FindSourceDefinition */
            ]: (request) => {
              return this.requiredResponse(this.findSourceDefinition(request.arguments));
            },
            [
              "emit-output"
              /* EmitOutput */
            ]: (request) => {
              return this.requiredResponse(this.getEmitOutput(request.arguments));
            },
            [
              "typeDefinition"
              /* TypeDefinition */
            ]: (request) => {
              return this.requiredResponse(this.getTypeDefinition(request.arguments));
            },
            [
              "implementation"
              /* Implementation */
            ]: (request) => {
              return this.requiredResponse(this.getImplementation(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "implementation-full"
              /* ImplementationFull */
            ]: (request) => {
              return this.requiredResponse(this.getImplementation(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "references"
              /* References */
            ]: (request) => {
              return this.requiredResponse(this.getReferences(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "references-full"
              /* ReferencesFull */
            ]: (request) => {
              return this.requiredResponse(this.getReferences(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "rename"
              /* Rename */
            ]: (request) => {
              return this.requiredResponse(this.getRenameLocations(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "renameLocations-full"
              /* RenameLocationsFull */
            ]: (request) => {
              return this.requiredResponse(this.getRenameLocations(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "rename-full"
              /* RenameInfoFull */
            ]: (request) => {
              return this.requiredResponse(this.getRenameInfo(request.arguments));
            },
            [
              "open"
              /* Open */
            ]: (request) => {
              this.openClientFile(
                toNormalizedPath(request.arguments.file),
                request.arguments.fileContent,
                convertScriptKindName(request.arguments.scriptKindName),
                // TODO: GH#18217
                request.arguments.projectRootPath ? toNormalizedPath(request.arguments.projectRootPath) : void 0
              );
              return this.notRequired();
            },
            [
              "quickinfo"
              /* Quickinfo */
            ]: (request) => {
              return this.requiredResponse(this.getQuickInfoWorker(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "quickinfo-full"
              /* QuickinfoFull */
            ]: (request) => {
              return this.requiredResponse(this.getQuickInfoWorker(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "getOutliningSpans"
              /* GetOutliningSpans */
            ]: (request) => {
              return this.requiredResponse(this.getOutliningSpans(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "outliningSpans"
              /* GetOutliningSpansFull */
            ]: (request) => {
              return this.requiredResponse(this.getOutliningSpans(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "todoComments"
              /* TodoComments */
            ]: (request) => {
              return this.requiredResponse(this.getTodoComments(request.arguments));
            },
            [
              "indentation"
              /* Indentation */
            ]: (request) => {
              return this.requiredResponse(this.getIndentation(request.arguments));
            },
            [
              "nameOrDottedNameSpan"
              /* NameOrDottedNameSpan */
            ]: (request) => {
              return this.requiredResponse(this.getNameOrDottedNameSpan(request.arguments));
            },
            [
              "breakpointStatement"
              /* BreakpointStatement */
            ]: (request) => {
              return this.requiredResponse(this.getBreakpointStatement(request.arguments));
            },
            [
              "braceCompletion"
              /* BraceCompletion */
            ]: (request) => {
              return this.requiredResponse(this.isValidBraceCompletion(request.arguments));
            },
            [
              "docCommentTemplate"
              /* DocCommentTemplate */
            ]: (request) => {
              return this.requiredResponse(this.getDocCommentTemplate(request.arguments));
            },
            [
              "getSpanOfEnclosingComment"
              /* GetSpanOfEnclosingComment */
            ]: (request) => {
              return this.requiredResponse(this.getSpanOfEnclosingComment(request.arguments));
            },
            [
              "fileReferences"
              /* FileReferences */
            ]: (request) => {
              return this.requiredResponse(this.getFileReferences(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "fileReferences-full"
              /* FileReferencesFull */
            ]: (request) => {
              return this.requiredResponse(this.getFileReferences(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "format"
              /* Format */
            ]: (request) => {
              return this.requiredResponse(this.getFormattingEditsForRange(request.arguments));
            },
            [
              "formatonkey"
              /* Formatonkey */
            ]: (request) => {
              return this.requiredResponse(this.getFormattingEditsAfterKeystroke(request.arguments));
            },
            [
              "format-full"
              /* FormatFull */
            ]: (request) => {
              return this.requiredResponse(this.getFormattingEditsForDocumentFull(request.arguments));
            },
            [
              "formatonkey-full"
              /* FormatonkeyFull */
            ]: (request) => {
              return this.requiredResponse(this.getFormattingEditsAfterKeystrokeFull(request.arguments));
            },
            [
              "formatRange-full"
              /* FormatRangeFull */
            ]: (request) => {
              return this.requiredResponse(this.getFormattingEditsForRangeFull(request.arguments));
            },
            [
              "completionInfo"
              /* CompletionInfo */
            ]: (request) => {
              return this.requiredResponse(this.getCompletions(
                request.arguments,
                "completionInfo"
                /* CompletionInfo */
              ));
            },
            [
              "completions"
              /* Completions */
            ]: (request) => {
              return this.requiredResponse(this.getCompletions(
                request.arguments,
                "completions"
                /* Completions */
              ));
            },
            [
              "completions-full"
              /* CompletionsFull */
            ]: (request) => {
              return this.requiredResponse(this.getCompletions(
                request.arguments,
                "completions-full"
                /* CompletionsFull */
              ));
            },
            [
              "completionEntryDetails"
              /* CompletionDetails */
            ]: (request) => {
              return this.requiredResponse(this.getCompletionEntryDetails(
                request.arguments,
                /*fullResult*/
                false
              ));
            },
            [
              "completionEntryDetails-full"
              /* CompletionDetailsFull */
            ]: (request) => {
              return this.requiredResponse(this.getCompletionEntryDetails(
                request.arguments,
                /*fullResult*/
                true
              ));
            },
            [
              "compileOnSaveAffectedFileList"
              /* CompileOnSaveAffectedFileList */
            ]: (request) => {
              return this.requiredResponse(this.getCompileOnSaveAffectedFileList(request.arguments));
            },
            [
              "compileOnSaveEmitFile"
              /* CompileOnSaveEmitFile */
            ]: (request) => {
              return this.requiredResponse(this.emitFile(request.arguments));
            },
            [
              "signatureHelp"
              /* SignatureHelp */
            ]: (request) => {
              return this.requiredResponse(this.getSignatureHelpItems(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "signatureHelp-full"
              /* SignatureHelpFull */
            ]: (request) => {
              return this.requiredResponse(this.getSignatureHelpItems(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "compilerOptionsDiagnostics-full"
              /* CompilerOptionsDiagnosticsFull */
            ]: (request) => {
              return this.requiredResponse(this.getCompilerOptionsDiagnostics(request.arguments));
            },
            [
              "encodedSyntacticClassifications-full"
              /* EncodedSyntacticClassificationsFull */
            ]: (request) => {
              return this.requiredResponse(this.getEncodedSyntacticClassifications(request.arguments));
            },
            [
              "encodedSemanticClassifications-full"
              /* EncodedSemanticClassificationsFull */
            ]: (request) => {
              return this.requiredResponse(this.getEncodedSemanticClassifications(request.arguments));
            },
            [
              "cleanup"
              /* Cleanup */
            ]: () => {
              this.cleanup();
              return this.requiredResponse(
                /*response*/
                true
              );
            },
            [
              "semanticDiagnosticsSync"
              /* SemanticDiagnosticsSync */
            ]: (request) => {
              return this.requiredResponse(this.getSemanticDiagnosticsSync(request.arguments));
            },
            [
              "syntacticDiagnosticsSync"
              /* SyntacticDiagnosticsSync */
            ]: (request) => {
              return this.requiredResponse(this.getSyntacticDiagnosticsSync(request.arguments));
            },
            [
              "suggestionDiagnosticsSync"
              /* SuggestionDiagnosticsSync */
            ]: (request) => {
              return this.requiredResponse(this.getSuggestionDiagnosticsSync(request.arguments));
            },
            [
              "geterr"
              /* Geterr */
            ]: (request) => {
              this.errorCheck.startNew((next) => this.getDiagnostics(next, request.arguments.delay, request.arguments.files));
              return this.notRequired();
            },
            [
              "geterrForProject"
              /* GeterrForProject */
            ]: (request) => {
              this.errorCheck.startNew((next) => this.getDiagnosticsForProject(next, request.arguments.delay, request.arguments.file));
              return this.notRequired();
            },
            [
              "change"
              /* Change */
            ]: (request) => {
              this.change(request.arguments);
              return this.notRequired();
            },
            [
              "configure"
              /* Configure */
            ]: (request) => {
              this.projectService.setHostConfiguration(request.arguments);
              this.doOutput(
                /*info*/
                void 0,
                "configure",
                request.seq,
                /*success*/
                true
              );
              return this.notRequired();
            },
            [
              "reload"
              /* Reload */
            ]: (request) => {
              this.reload(request.arguments, request.seq);
              return this.requiredResponse({ reloadFinished: true });
            },
            [
              "saveto"
              /* Saveto */
            ]: (request) => {
              const savetoArgs = request.arguments;
              this.saveToTmp(savetoArgs.file, savetoArgs.tmpfile);
              return this.notRequired();
            },
            [
              "close"
              /* Close */
            ]: (request) => {
              const closeArgs = request.arguments;
              this.closeClientFile(closeArgs.file);
              return this.notRequired();
            },
            [
              "navto"
              /* Navto */
            ]: (request) => {
              return this.requiredResponse(this.getNavigateToItems(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "navto-full"
              /* NavtoFull */
            ]: (request) => {
              return this.requiredResponse(this.getNavigateToItems(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "brace"
              /* Brace */
            ]: (request) => {
              return this.requiredResponse(this.getBraceMatching(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "brace-full"
              /* BraceFull */
            ]: (request) => {
              return this.requiredResponse(this.getBraceMatching(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "navbar"
              /* NavBar */
            ]: (request) => {
              return this.requiredResponse(this.getNavigationBarItems(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "navbar-full"
              /* NavBarFull */
            ]: (request) => {
              return this.requiredResponse(this.getNavigationBarItems(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "navtree"
              /* NavTree */
            ]: (request) => {
              return this.requiredResponse(this.getNavigationTree(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "navtree-full"
              /* NavTreeFull */
            ]: (request) => {
              return this.requiredResponse(this.getNavigationTree(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "documentHighlights"
              /* DocumentHighlights */
            ]: (request) => {
              return this.requiredResponse(this.getDocumentHighlights(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "documentHighlights-full"
              /* DocumentHighlightsFull */
            ]: (request) => {
              return this.requiredResponse(this.getDocumentHighlights(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "compilerOptionsForInferredProjects"
              /* CompilerOptionsForInferredProjects */
            ]: (request) => {
              this.setCompilerOptionsForInferredProjects(request.arguments);
              return this.requiredResponse(
                /*response*/
                true
              );
            },
            [
              "projectInfo"
              /* ProjectInfo */
            ]: (request) => {
              return this.requiredResponse(this.getProjectInfo(request.arguments));
            },
            [
              "reloadProjects"
              /* ReloadProjects */
            ]: () => {
              this.projectService.reloadProjects();
              return this.notRequired();
            },
            [
              "jsxClosingTag"
              /* JsxClosingTag */
            ]: (request) => {
              return this.requiredResponse(this.getJsxClosingTag(request.arguments));
            },
            [
              "linkedEditingRange"
              /* LinkedEditingRange */
            ]: (request) => {
              return this.requiredResponse(this.getLinkedEditingRange(request.arguments));
            },
            [
              "getCodeFixes"
              /* GetCodeFixes */
            ]: (request) => {
              return this.requiredResponse(this.getCodeFixes(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "getCodeFixes-full"
              /* GetCodeFixesFull */
            ]: (request) => {
              return this.requiredResponse(this.getCodeFixes(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "getCombinedCodeFix"
              /* GetCombinedCodeFix */
            ]: (request) => {
              return this.requiredResponse(this.getCombinedCodeFix(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "getCombinedCodeFix-full"
              /* GetCombinedCodeFixFull */
            ]: (request) => {
              return this.requiredResponse(this.getCombinedCodeFix(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "applyCodeActionCommand"
              /* ApplyCodeActionCommand */
            ]: (request) => {
              return this.requiredResponse(this.applyCodeActionCommand(request.arguments));
            },
            [
              "getSupportedCodeFixes"
              /* GetSupportedCodeFixes */
            ]: (request) => {
              return this.requiredResponse(this.getSupportedCodeFixes(request.arguments));
            },
            [
              "getApplicableRefactors"
              /* GetApplicableRefactors */
            ]: (request) => {
              return this.requiredResponse(this.getApplicableRefactors(request.arguments));
            },
            [
              "getEditsForRefactor"
              /* GetEditsForRefactor */
            ]: (request) => {
              return this.requiredResponse(this.getEditsForRefactor(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "getMoveToRefactoringFileSuggestions"
              /* GetMoveToRefactoringFileSuggestions */
            ]: (request) => {
              return this.requiredResponse(this.getMoveToRefactoringFileSuggestions(request.arguments));
            },
            [
              "getPasteEdits"
              /* GetPasteEdits */
            ]: (request) => {
              return this.requiredResponse(this.getPasteEdits(request.arguments));
            },
            [
              "getEditsForRefactor-full"
              /* GetEditsForRefactorFull */
            ]: (request) => {
              return this.requiredResponse(this.getEditsForRefactor(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "organizeImports"
              /* OrganizeImports */
            ]: (request) => {
              return this.requiredResponse(this.organizeImports(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "organizeImports-full"
              /* OrganizeImportsFull */
            ]: (request) => {
              return this.requiredResponse(this.organizeImports(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "getEditsForFileRename"
              /* GetEditsForFileRename */
            ]: (request) => {
              return this.requiredResponse(this.getEditsForFileRename(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "getEditsForFileRename-full"
              /* GetEditsForFileRenameFull */
            ]: (request) => {
              return this.requiredResponse(this.getEditsForFileRename(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "configurePlugin"
              /* ConfigurePlugin */
            ]: (request) => {
              this.configurePlugin(request.arguments);
              this.doOutput(
                /*info*/
                void 0,
                "configurePlugin",
                request.seq,
                /*success*/
                true
              );
              return this.notRequired();
            },
            [
              "selectionRange"
              /* SelectionRange */
            ]: (request) => {
              return this.requiredResponse(this.getSmartSelectionRange(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "selectionRange-full"
              /* SelectionRangeFull */
            ]: (request) => {
              return this.requiredResponse(this.getSmartSelectionRange(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "prepareCallHierarchy"
              /* PrepareCallHierarchy */
            ]: (request) => {
              return this.requiredResponse(this.prepareCallHierarchy(request.arguments));
            },
            [
              "provideCallHierarchyIncomingCalls"
              /* ProvideCallHierarchyIncomingCalls */
            ]: (request) => {
              return this.requiredResponse(this.provideCallHierarchyIncomingCalls(request.arguments));
            },
            [
              "provideCallHierarchyOutgoingCalls"
              /* ProvideCallHierarchyOutgoingCalls */
            ]: (request) => {
              return this.requiredResponse(this.provideCallHierarchyOutgoingCalls(request.arguments));
            },
            [
              "toggleLineComment"
              /* ToggleLineComment */
            ]: (request) => {
              return this.requiredResponse(this.toggleLineComment(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "toggleLineComment-full"
              /* ToggleLineCommentFull */
            ]: (request) => {
              return this.requiredResponse(this.toggleLineComment(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "toggleMultilineComment"
              /* ToggleMultilineComment */
            ]: (request) => {
              return this.requiredResponse(this.toggleMultilineComment(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "toggleMultilineComment-full"
              /* ToggleMultilineCommentFull */
            ]: (request) => {
              return this.requiredResponse(this.toggleMultilineComment(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "commentSelection"
              /* CommentSelection */
            ]: (request) => {
              return this.requiredResponse(this.commentSelection(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "commentSelection-full"
              /* CommentSelectionFull */
            ]: (request) => {
              return this.requiredResponse(this.commentSelection(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "uncommentSelection"
              /* UncommentSelection */
            ]: (request) => {
              return this.requiredResponse(this.uncommentSelection(
                request.arguments,
                /*simplifiedResult*/
                true
              ));
            },
            [
              "uncommentSelection-full"
              /* UncommentSelectionFull */
            ]: (request) => {
              return this.requiredResponse(this.uncommentSelection(
                request.arguments,
                /*simplifiedResult*/
                false
              ));
            },
            [
              "provideInlayHints"
              /* ProvideInlayHints */
            ]: (request) => {
              return this.requiredResponse(this.provideInlayHints(request.arguments));
            },
            [
              "mapCode"
              /* MapCode */
            ]: (request) => {
              return this.requiredResponse(this.mapCode(request.arguments));
            }
          }));
          this.host = opts.host;
          this.cancellationToken = opts.cancellationToken;
          this.typingsInstaller = opts.typingsInstaller || nullTypingsInstaller;
          this.byteLength = opts.byteLength;
          this.hrtime = opts.hrtime;
          this.logger = opts.logger;
          this.canUseEvents = opts.canUseEvents;
          this.suppressDiagnosticEvents = opts.suppressDiagnosticEvents;
          this.noGetErrOnBackgroundUpdate = opts.noGetErrOnBackgroundUpdate;
          const { throttleWaitMilliseconds } = opts;
          this.eventHandler = this.canUseEvents ? opts.eventHandler || ((event) => this.defaultEventHandler(event)) : void 0;
          const multistepOperationHost = {
            executeWithRequestId: (requestId, action) => this.executeWithRequestId(requestId, action),
            getCurrentRequestId: () => this.currentRequestId,
            getServerHost: () => this.host,
            logError: (err, cmd) => this.logError(err, cmd),
            sendRequestCompletedEvent: (requestId) => this.sendRequestCompletedEvent(requestId),
            isCancellationRequested: () => this.cancellationToken.isCancellationRequested()
          };
          this.errorCheck = new MultistepOperation(multistepOperationHost);
          const settings = {
            host: this.host,
            logger: this.logger,
            cancellationToken: this.cancellationToken,
            useSingleInferredProject: opts.useSingleInferredProject,
            useInferredProjectPerProjectRoot: opts.useInferredProjectPerProjectRoot,
            typingsInstaller: this.typingsInstaller,
            throttleWaitMilliseconds,
            eventHandler: this.eventHandler,
            suppressDiagnosticEvents: this.suppressDiagnosticEvents,
            globalPlugins: opts.globalPlugins,
            pluginProbeLocations: opts.pluginProbeLocations,
            allowLocalPluginLoads: opts.allowLocalPluginLoads,
            typesMapLocation: opts.typesMapLocation,
            serverMode: opts.serverMode,
            session: this,
            canUseWatchEvents: opts.canUseWatchEvents,
            incrementalVerifier: opts.incrementalVerifier
          };
          this.projectService = new ProjectService3(settings);
          this.projectService.setPerformanceEventHandler(this.performanceEventHandler.bind(this));
          this.gcTimer = new GcTimer(
            this.host,
            /*delay*/
            7e3,
            this.logger
          );
          switch (this.projectService.serverMode) {
            case 0:
              break;
            case 1:
              invalidPartialSemanticModeCommands.forEach(
                (commandName) => this.handlers.set(commandName, (request) => {
                  throw new Error(`Request: ${request.command} not allowed in LanguageServiceMode.PartialSemantic`);
                })
              );
              break;
            case 2:
              invalidSyntacticModeCommands.forEach(
                (commandName) => this.handlers.set(commandName, (request) => {
                  throw new Error(`Request: ${request.command} not allowed in LanguageServiceMode.Syntactic`);
                })
              );
              break;
            default:
              Debug.assertNever(this.projectService.serverMode);
          }
        }
        sendRequestCompletedEvent(requestId) {
          this.event({ request_seq: requestId }, "requestCompleted");
        }
        addPerformanceData(key, value) {
          if (!this.performanceData) {
            this.performanceData = {};
          }
          this.performanceData[key] = (this.performanceData[key] ?? 0) + value;
        }
        performanceEventHandler(event) {
          switch (event.kind) {
            case "UpdateGraph":
              this.addPerformanceData("updateGraphDurationMs", event.durationMs);
              break;
            case "CreatePackageJsonAutoImportProvider":
              this.addPerformanceData("createAutoImportProviderProgramDurationMs", event.durationMs);
              break;
          }
        }
        defaultEventHandler(event) {
          switch (event.eventName) {
            case ProjectsUpdatedInBackgroundEvent:
              this.projectsUpdatedInBackgroundEvent(event.data.openFiles);
              break;
            case ProjectLoadingStartEvent:
              this.event({
                projectName: event.data.project.getProjectName(),
                reason: event.data.reason
              }, event.eventName);
              break;
            case ProjectLoadingFinishEvent:
              this.event({
                projectName: event.data.project.getProjectName()
              }, event.eventName);
              break;
            case LargeFileReferencedEvent:
            case CreateFileWatcherEvent:
            case CreateDirectoryWatcherEvent:
            case CloseFileWatcherEvent:
              this.event(event.data, event.eventName);
              break;
            case ConfigFileDiagEvent:
              this.event({
                triggerFile: event.data.triggerFile,
                configFile: event.data.configFileName,
                diagnostics: map(event.data.diagnostics, (diagnostic) => formatDiagnosticToProtocol(
                  diagnostic,
                  /*includeFileName*/
                  true
                ))
              }, event.eventName);
              break;
            case ProjectLanguageServiceStateEvent: {
              this.event({
                projectName: event.data.project.getProjectName(),
                languageServiceEnabled: event.data.languageServiceEnabled
              }, event.eventName);
              break;
            }
            case ProjectInfoTelemetryEvent: {
              const eventName = "telemetry";
              this.event({
                telemetryEventName: event.eventName,
                payload: event.data
              }, eventName);
              break;
            }
          }
        }
        projectsUpdatedInBackgroundEvent(openFiles) {
          this.projectService.logger.info(`got projects updated in background ${openFiles}`);
          if (openFiles.length) {
            if (!this.suppressDiagnosticEvents && !this.noGetErrOnBackgroundUpdate) {
              this.projectService.logger.info(`Queueing diagnostics update for ${openFiles}`);
              this.errorCheck.startNew((next) => this.updateErrorCheck(
                next,
                openFiles,
                100,
                /*requireOpen*/
                true
              ));
            }
            this.event({
              openFiles
            }, ProjectsUpdatedInBackgroundEvent);
          }
        }
        logError(err, cmd) {
          this.logErrorWorker(err, cmd);
        }
        logErrorWorker(err, cmd, fileRequest) {
          let msg = "Exception on executing command " + cmd;
          if (err.message) {
            msg += ":\n" + indent2(err.message);
            if (err.stack) {
              msg += "\n" + indent2(err.stack);
            }
          }
          if (this.logger.hasLevel(
            3
            /* verbose */
          )) {
            if (fileRequest) {
              try {
                const { file, project } = this.getFileAndProject(fileRequest);
                const scriptInfo = project.getScriptInfoForNormalizedPath(file);
                if (scriptInfo) {
                  const text = getSnapshotText(scriptInfo.getSnapshot());
                  msg += `

File text of ${fileRequest.file}:${indent2(text)}
`;
                }
              } catch {
              }
            }
            if (err.ProgramFiles) {
              msg += `

Program files: ${JSON.stringify(err.ProgramFiles)}
`;
              msg += `

Projects::
`;
              let counter = 0;
              const addProjectInfo = (project) => {
                msg += `
Project '${project.projectName}' (${ProjectKind[project.projectKind]}) ${counter}
`;
                msg += project.filesToString(
                  /*writeProjectFileNames*/
                  true
                );
                msg += "\n-----------------------------------------------\n";
                counter++;
              };
              this.projectService.externalProjects.forEach(addProjectInfo);
              this.projectService.configuredProjects.forEach(addProjectInfo);
              this.projectService.inferredProjects.forEach(addProjectInfo);
            }
          }
          this.logger.msg(
            msg,
            "Err"
            /* Err */
          );
        }
        send(msg) {
          if (msg.type === "event" && !this.canUseEvents) {
            if (this.logger.hasLevel(
              3
              /* verbose */
            )) {
              this.logger.info(`Session does not support events: ignored event: ${stringifyIndented(msg)}`);
            }
            return;
          }
          this.writeMessage(msg);
        }
        writeMessage(msg) {
          var _a;
          const msgText = formatMessage2(msg, this.logger, this.byteLength, this.host.newLine);
          (_a = perfLogger) == null ? void 0 : _a.logEvent(`Response message size: ${msgText.length}`);
          this.host.write(msgText);
        }
        event(body, eventName) {
          this.send(toEvent(eventName, body));
        }
        /** @internal */
        doOutput(info, cmdName, reqSeq, success, message) {
          const res = {
            seq: 0,
            type: "response",
            command: cmdName,
            request_seq: reqSeq,
            success,
            performanceData: this.performanceData
          };
          if (success) {
            let metadata;
            if (isArray3(info)) {
              res.body = info;
              metadata = info.metadata;
              delete info.metadata;
            } else if (typeof info === "object") {
              if (info.metadata) {
                const { metadata: infoMetadata, ...body } = info;
                res.body = body;
                metadata = infoMetadata;
              } else {
                res.body = info;
              }
            } else {
              res.body = info;
            }
            if (metadata) res.metadata = metadata;
          } else {
            Debug.assert(info === void 0);
          }
          if (message) {
            res.message = message;
          }
          this.send(res);
        }
        semanticCheck(file, project) {
          var _a, _b;
          (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Session, "semanticCheck", { file, configFilePath: project.canonicalConfigFilePath });
          const diags = isDeclarationFileInJSOnlyNonConfiguredProject(project, file) ? emptyArray2 : project.getLanguageService().getSemanticDiagnostics(file).filter((d) => !!d.file);
          this.sendDiagnosticsEvent(file, project, diags, "semanticDiag");
          (_b = tracing) == null ? void 0 : _b.pop();
        }
        syntacticCheck(file, project) {
          var _a, _b;
          (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Session, "syntacticCheck", { file, configFilePath: project.canonicalConfigFilePath });
          this.sendDiagnosticsEvent(file, project, project.getLanguageService().getSyntacticDiagnostics(file), "syntaxDiag");
          (_b = tracing) == null ? void 0 : _b.pop();
        }
        suggestionCheck(file, project) {
          var _a, _b;
          (_a = tracing) == null ? void 0 : _a.push(tracing.Phase.Session, "suggestionCheck", { file, configFilePath: project.canonicalConfigFilePath });
          this.sendDiagnosticsEvent(file, project, project.getLanguageService().getSuggestionDiagnostics(file), "suggestionDiag");
          (_b = tracing) == null ? void 0 : _b.pop();
        }
        sendDiagnosticsEvent(file, project, diagnostics, kind) {
          try {
            this.event({ file, diagnostics: diagnostics.map((diag2) => formatDiag(file, project, diag2)) }, kind);
          } catch (err) {
            this.logError(err, kind);
          }
        }
        /** It is the caller's responsibility to verify that `!this.suppressDiagnosticEvents`. */
        updateErrorCheck(next, checkList, ms, requireOpen = true) {
          Debug.assert(!this.suppressDiagnosticEvents);
          const seq = this.changeSeq;
          const followMs = Math.min(ms, 200);
          let index = 0;
          const goNext = () => {
            index++;
            if (checkList.length > index) {
              next.delay("checkOne", followMs, checkOne);
            }
          };
          const checkOne = () => {
            if (this.changeSeq !== seq) {
              return;
            }
            let item = checkList[index];
            if (isString2(item)) {
              item = this.toPendingErrorCheck(item);
              if (!item) {
                goNext();
                return;
              }
            }
            const { fileName, project } = item;
            updateProjectIfDirty(project);
            if (!project.containsFile(fileName, requireOpen)) {
              return;
            }
            this.syntacticCheck(fileName, project);
            if (this.changeSeq !== seq) {
              return;
            }
            if (project.projectService.serverMode !== 0) {
              goNext();
              return;
            }
            next.immediate("semanticCheck", () => {
              this.semanticCheck(fileName, project);
              if (this.changeSeq !== seq) {
                return;
              }
              if (this.getPreferences(fileName).disableSuggestions) {
                goNext();
                return;
              }
              next.immediate("suggestionCheck", () => {
                this.suggestionCheck(fileName, project);
                goNext();
              });
            });
          };
          if (checkList.length > index && this.changeSeq === seq) {
            next.delay("checkOne", ms, checkOne);
          }
        }
        cleanProjects(caption, projects) {
          if (!projects) {
            return;
          }
          this.logger.info(`cleaning ${caption}`);
          for (const p of projects) {
            p.getLanguageService(
              /*ensureSynchronized*/
              false
            ).cleanupSemanticCache();
            p.cleanupProgram();
          }
        }
        cleanup() {
          this.cleanProjects("inferred projects", this.projectService.inferredProjects);
          this.cleanProjects("configured projects", arrayFrom(this.projectService.configuredProjects.values()));
          this.cleanProjects("external projects", this.projectService.externalProjects);
          if (this.host.gc) {
            this.logger.info(`host.gc()`);
            this.host.gc();
          }
        }
        getEncodedSyntacticClassifications(args) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          return languageService.getEncodedSyntacticClassifications(file, args);
        }
        getEncodedSemanticClassifications(args) {
          const { file, project } = this.getFileAndProject(args);
          const format2 = args.format === "2020" ? "2020" : "original";
          return project.getLanguageService().getEncodedSemanticClassifications(file, args, format2);
        }
        getProject(projectFileName) {
          return projectFileName === void 0 ? void 0 : this.projectService.findProject(projectFileName);
        }
        getConfigFileAndProject(args) {
          const project = this.getProject(args.projectFileName);
          const file = toNormalizedPath(args.file);
          return {
            configFile: project && project.hasConfigFile(file) ? file : void 0,
            project
          };
        }
        getConfigFileDiagnostics(configFile, project, includeLinePosition) {
          const projectErrors = project.getAllProjectErrors();
          const optionsErrors = project.getLanguageService().getCompilerOptionsDiagnostics();
          const diagnosticsForConfigFile = filter(
            concatenate(projectErrors, optionsErrors),
            (diagnostic) => !!diagnostic.file && diagnostic.file.fileName === configFile
          );
          return includeLinePosition ? this.convertToDiagnosticsWithLinePositionFromDiagnosticFile(diagnosticsForConfigFile) : map(
            diagnosticsForConfigFile,
            (diagnostic) => formatDiagnosticToProtocol(
              diagnostic,
              /*includeFileName*/
              false
            )
          );
        }
        convertToDiagnosticsWithLinePositionFromDiagnosticFile(diagnostics) {
          return diagnostics.map((d) => ({
            message: flattenDiagnosticMessageText(d.messageText, this.host.newLine),
            start: d.start,
            // TODO: GH#18217
            length: d.length,
            // TODO: GH#18217
            category: diagnosticCategoryName(d),
            code: d.code,
            source: d.source,
            startLocation: d.file && convertToLocation(getLineAndCharacterOfPosition(d.file, d.start)),
            // TODO: GH#18217
            endLocation: d.file && convertToLocation(getLineAndCharacterOfPosition(d.file, d.start + d.length)),
            // TODO: GH#18217
            reportsUnnecessary: d.reportsUnnecessary,
            reportsDeprecated: d.reportsDeprecated,
            relatedInformation: map(d.relatedInformation, formatRelatedInformation)
          }));
        }
        getCompilerOptionsDiagnostics(args) {
          const project = this.getProject(args.projectFileName);
          return this.convertToDiagnosticsWithLinePosition(
            filter(
              project.getLanguageService().getCompilerOptionsDiagnostics(),
              (diagnostic) => !diagnostic.file
            ),
            /*scriptInfo*/
            void 0
          );
        }
        convertToDiagnosticsWithLinePosition(diagnostics, scriptInfo) {
          return diagnostics.map(
            (d) => ({
              message: flattenDiagnosticMessageText(d.messageText, this.host.newLine),
              start: d.start,
              length: d.length,
              category: diagnosticCategoryName(d),
              code: d.code,
              source: d.source,
              startLocation: scriptInfo && scriptInfo.positionToLineOffset(d.start),
              // TODO: GH#18217
              endLocation: scriptInfo && scriptInfo.positionToLineOffset(d.start + d.length),
              reportsUnnecessary: d.reportsUnnecessary,
              reportsDeprecated: d.reportsDeprecated,
              relatedInformation: map(d.relatedInformation, formatRelatedInformation)
            })
          );
        }
        getDiagnosticsWorker(args, isSemantic, selector, includeLinePosition) {
          const { project, file } = this.getFileAndProject(args);
          if (isSemantic && isDeclarationFileInJSOnlyNonConfiguredProject(project, file)) {
            return emptyArray2;
          }
          const scriptInfo = project.getScriptInfoForNormalizedPath(file);
          const diagnostics = selector(project, file);
          return includeLinePosition ? this.convertToDiagnosticsWithLinePosition(diagnostics, scriptInfo) : diagnostics.map((d) => formatDiag(file, project, d));
        }
        getDefinition(args, simplifiedResult) {
          const { file, project } = this.getFileAndProject(args);
          const position = this.getPositionInFile(args, file);
          const definitions = this.mapDefinitionInfoLocations(project.getLanguageService().getDefinitionAtPosition(file, position) || emptyArray2, project);
          return simplifiedResult ? this.mapDefinitionInfo(definitions, project) : definitions.map(_Session.mapToOriginalLocation);
        }
        mapDefinitionInfoLocations(definitions, project) {
          return definitions.map((info) => {
            const newDocumentSpan = getMappedDocumentSpanForProject(info, project);
            return !newDocumentSpan ? info : {
              ...newDocumentSpan,
              containerKind: info.containerKind,
              containerName: info.containerName,
              kind: info.kind,
              name: info.name,
              failedAliasResolution: info.failedAliasResolution,
              ...info.unverified && { unverified: info.unverified }
            };
          });
        }
        getDefinitionAndBoundSpan(args, simplifiedResult) {
          const { file, project } = this.getFileAndProject(args);
          const position = this.getPositionInFile(args, file);
          const scriptInfo = Debug.checkDefined(project.getScriptInfo(file));
          const unmappedDefinitionAndBoundSpan = project.getLanguageService().getDefinitionAndBoundSpan(file, position);
          if (!unmappedDefinitionAndBoundSpan || !unmappedDefinitionAndBoundSpan.definitions) {
            return {
              definitions: emptyArray2,
              textSpan: void 0
              // TODO: GH#18217
            };
          }
          const definitions = this.mapDefinitionInfoLocations(unmappedDefinitionAndBoundSpan.definitions, project);
          const { textSpan } = unmappedDefinitionAndBoundSpan;
          if (simplifiedResult) {
            return {
              definitions: this.mapDefinitionInfo(definitions, project),
              textSpan: toProtocolTextSpan(textSpan, scriptInfo)
            };
          }
          return {
            definitions: definitions.map(_Session.mapToOriginalLocation),
            textSpan
          };
        }
        findSourceDefinition(args) {
          var _a;
          const { file, project } = this.getFileAndProject(args);
          const position = this.getPositionInFile(args, file);
          const unmappedDefinitions = project.getLanguageService().getDefinitionAtPosition(file, position);
          let definitions = this.mapDefinitionInfoLocations(unmappedDefinitions || emptyArray2, project).slice();
          const needsJsResolution = this.projectService.serverMode === 0 && (!some(definitions, (d) => toNormalizedPath(d.fileName) !== file && !d.isAmbient) || some(definitions, (d) => !!d.failedAliasResolution));
          if (needsJsResolution) {
            const definitionSet = createSet(
              (d) => d.textSpan.start,
              getDocumentSpansEqualityComparer(this.host.useCaseSensitiveFileNames)
            );
            definitions == null ? void 0 : definitions.forEach((d) => definitionSet.add(d));
            const noDtsProject = project.getNoDtsResolutionProject(file);
            const ls = noDtsProject.getLanguageService();
            const jsDefinitions = (_a = ls.getDefinitionAtPosition(
              file,
              position,
              /*searchOtherFilesOnly*/
              true,
              /*stopAtAlias*/
              false
            )) == null ? void 0 : _a.filter((d) => toNormalizedPath(d.fileName) !== file);
            if (some(jsDefinitions)) {
              for (const jsDefinition of jsDefinitions) {
                if (jsDefinition.unverified) {
                  const refined = tryRefineDefinition(jsDefinition, project.getLanguageService().getProgram(), ls.getProgram());
                  if (some(refined)) {
                    for (const def of refined) {
                      definitionSet.add(def);
                    }
                    continue;
                  }
                }
                definitionSet.add(jsDefinition);
              }
            } else {
              const ambientCandidates = definitions.filter((d) => toNormalizedPath(d.fileName) !== file && d.isAmbient);
              for (const candidate of some(ambientCandidates) ? ambientCandidates : getAmbientCandidatesByClimbingAccessChain()) {
                const fileNameToSearch = findImplementationFileFromDtsFileName(candidate.fileName, file, noDtsProject);
                if (!fileNameToSearch) continue;
                const info = this.projectService.getOrCreateScriptInfoNotOpenedByClient(
                  fileNameToSearch,
                  noDtsProject.currentDirectory,
                  noDtsProject.directoryStructureHost,
                  /*deferredDeleteOk*/
                  false
                );
                if (!info) continue;
                if (!noDtsProject.containsScriptInfo(info)) {
                  noDtsProject.addRoot(info);
                  noDtsProject.updateGraph();
                }
                const noDtsProgram = ls.getProgram();
                const fileToSearch = Debug.checkDefined(noDtsProgram.getSourceFile(fileNameToSearch));
                for (const match of searchForDeclaration(candidate.name, fileToSearch, noDtsProgram)) {
                  definitionSet.add(match);
                }
              }
            }
            definitions = arrayFrom(definitionSet.values());
          }
          definitions = definitions.filter((d) => !d.isAmbient && !d.failedAliasResolution);
          return this.mapDefinitionInfo(definitions, project);
          function findImplementationFileFromDtsFileName(fileName, resolveFromFile, auxiliaryProject) {
            var _a2, _b, _c;
            const nodeModulesPathParts = getNodeModulePathParts(fileName);
            if (nodeModulesPathParts && fileName.lastIndexOf(nodeModulesPathPart) === nodeModulesPathParts.topLevelNodeModulesIndex) {
              const packageDirectory = fileName.substring(0, nodeModulesPathParts.packageRootIndex);
              const packageJsonCache = (_a2 = project.getModuleResolutionCache()) == null ? void 0 : _a2.getPackageJsonInfoCache();
              const compilerOptions = project.getCompilationSettings();
              const packageJson = getPackageScopeForPath(getNormalizedAbsolutePath(packageDirectory + "/package.json", project.getCurrentDirectory()), getTemporaryModuleResolutionState(packageJsonCache, project, compilerOptions));
              if (!packageJson) return void 0;
              const entrypoints = getEntrypointsFromPackageJsonInfo(
                packageJson,
                {
                  moduleResolution: 2
                  /* Node10 */
                },
                project,
                project.getModuleResolutionCache()
              );
              const packageNamePathPart = fileName.substring(
                nodeModulesPathParts.topLevelPackageNameIndex + 1,
                nodeModulesPathParts.packageRootIndex
              );
              const packageName = getPackageNameFromTypesPackageName(unmangleScopedPackageName(packageNamePathPart));
              const path17 = project.toPath(fileName);
              if (entrypoints && some(entrypoints, (e) => project.toPath(e) === path17)) {
                return (_b = auxiliaryProject.resolutionCache.resolveSingleModuleNameWithoutWatching(packageName, resolveFromFile).resolvedModule) == null ? void 0 : _b.resolvedFileName;
              } else {
                const pathToFileInPackage = fileName.substring(nodeModulesPathParts.packageRootIndex + 1);
                const specifier = `${packageName}/${removeFileExtension(pathToFileInPackage)}`;
                return (_c = auxiliaryProject.resolutionCache.resolveSingleModuleNameWithoutWatching(specifier, resolveFromFile).resolvedModule) == null ? void 0 : _c.resolvedFileName;
              }
            }
            return void 0;
          }
          function getAmbientCandidatesByClimbingAccessChain() {
            const ls = project.getLanguageService();
            const program = ls.getProgram();
            const initialNode = getTouchingPropertyName(program.getSourceFile(file), position);
            if ((isStringLiteralLike(initialNode) || isIdentifier(initialNode)) && isAccessExpression(initialNode.parent)) {
              return forEachNameInAccessChainWalkingLeft(initialNode, (nameInChain) => {
                var _a2;
                if (nameInChain === initialNode) return void 0;
                const candidates = (_a2 = ls.getDefinitionAtPosition(
                  file,
                  nameInChain.getStart(),
                  /*searchOtherFilesOnly*/
                  true,
                  /*stopAtAlias*/
                  false
                )) == null ? void 0 : _a2.filter((d) => toNormalizedPath(d.fileName) !== file && d.isAmbient).map((d) => ({
                  fileName: d.fileName,
                  name: getTextOfIdentifierOrLiteral(initialNode)
                }));
                if (some(candidates)) {
                  return candidates;
                }
              }) || emptyArray2;
            }
            return emptyArray2;
          }
          function tryRefineDefinition(definition, program, noDtsProgram) {
            var _a2;
            const fileToSearch = noDtsProgram.getSourceFile(definition.fileName);
            if (!fileToSearch) {
              return void 0;
            }
            const initialNode = getTouchingPropertyName(program.getSourceFile(file), position);
            const symbol = program.getTypeChecker().getSymbolAtLocation(initialNode);
            const importSpecifier = symbol && getDeclarationOfKind(
              symbol,
              276
              /* ImportSpecifier */
            );
            if (!importSpecifier) return void 0;
            const nameToSearch = ((_a2 = importSpecifier.propertyName) == null ? void 0 : _a2.text) || importSpecifier.name.text;
            return searchForDeclaration(nameToSearch, fileToSearch, noDtsProgram);
          }
          function searchForDeclaration(declarationName, fileToSearch, noDtsProgram) {
            const matches = ts_FindAllReferences_exports.Core.getTopMostDeclarationNamesInFile(declarationName, fileToSearch);
            return mapDefined(matches, (match) => {
              const symbol = noDtsProgram.getTypeChecker().getSymbolAtLocation(match);
              const decl = getDeclarationFromName(match);
              if (symbol && decl) {
                return ts_GoToDefinition_exports.createDefinitionInfo(
                  decl,
                  noDtsProgram.getTypeChecker(),
                  symbol,
                  decl,
                  /*unverified*/
                  true
                );
              }
            });
          }
        }
        getEmitOutput(args) {
          const { file, project } = this.getFileAndProject(args);
          if (!project.shouldEmitFile(project.getScriptInfo(file))) {
            return { emitSkipped: true, outputFiles: [], diagnostics: [] };
          }
          const result = project.getLanguageService().getEmitOutput(file);
          return args.richResponse ? {
            ...result,
            diagnostics: args.includeLinePosition ? this.convertToDiagnosticsWithLinePositionFromDiagnosticFile(result.diagnostics) : result.diagnostics.map((d) => formatDiagnosticToProtocol(
              d,
              /*includeFileName*/
              true
            ))
          } : result;
        }
        mapJSDocTagInfo(tags, project, richResponse) {
          return tags ? tags.map((tag) => {
            var _a;
            return {
              ...tag,
              text: richResponse ? this.mapDisplayParts(tag.text, project) : (_a = tag.text) == null ? void 0 : _a.map((part) => part.text).join("")
            };
          }) : [];
        }
        mapDisplayParts(parts, project) {
          if (!parts) {
            return [];
          }
          return parts.map(
            (part) => part.kind !== "linkName" ? part : {
              ...part,
              target: this.toFileSpan(part.target.fileName, part.target.textSpan, project)
            }
          );
        }
        mapSignatureHelpItems(items, project, richResponse) {
          return items.map((item) => ({
            ...item,
            documentation: this.mapDisplayParts(item.documentation, project),
            parameters: item.parameters.map((p) => ({ ...p, documentation: this.mapDisplayParts(p.documentation, project) })),
            tags: this.mapJSDocTagInfo(item.tags, project, richResponse)
          }));
        }
        mapDefinitionInfo(definitions, project) {
          return definitions.map((def) => ({ ...this.toFileSpanWithContext(def.fileName, def.textSpan, def.contextSpan, project), ...def.unverified && { unverified: def.unverified } }));
        }
        /*
         * When we map a .d.ts location to .ts, Visual Studio gets confused because there's no associated Roslyn Document in
         * the same project which corresponds to the file. VS Code has no problem with this, and luckily we have two protocols.
         * This retains the existing behavior for the "simplified" (VS Code) protocol but stores the .d.ts location in a
         * set of additional fields, and does the reverse for VS (store the .d.ts location where
         * it used to be and stores the .ts location in the additional fields).
         */
        static mapToOriginalLocation(def) {
          if (def.originalFileName) {
            Debug.assert(def.originalTextSpan !== void 0, "originalTextSpan should be present if originalFileName is");
            return {
              ...def,
              fileName: def.originalFileName,
              textSpan: def.originalTextSpan,
              targetFileName: def.fileName,
              targetTextSpan: def.textSpan,
              contextSpan: def.originalContextSpan,
              targetContextSpan: def.contextSpan
            };
          }
          return def;
        }
        toFileSpan(fileName, textSpan, project) {
          const ls = project.getLanguageService();
          const start = ls.toLineColumnOffset(fileName, textSpan.start);
          const end = ls.toLineColumnOffset(fileName, textSpanEnd(textSpan));
          return {
            file: fileName,
            start: { line: start.line + 1, offset: start.character + 1 },
            end: { line: end.line + 1, offset: end.character + 1 }
          };
        }
        toFileSpanWithContext(fileName, textSpan, contextSpan, project) {
          const fileSpan = this.toFileSpan(fileName, textSpan, project);
          const context = contextSpan && this.toFileSpan(fileName, contextSpan, project);
          return context ? { ...fileSpan, contextStart: context.start, contextEnd: context.end } : fileSpan;
        }
        getTypeDefinition(args) {
          const { file, project } = this.getFileAndProject(args);
          const position = this.getPositionInFile(args, file);
          const definitions = this.mapDefinitionInfoLocations(project.getLanguageService().getTypeDefinitionAtPosition(file, position) || emptyArray2, project);
          return this.mapDefinitionInfo(definitions, project);
        }
        mapImplementationLocations(implementations, project) {
          return implementations.map((info) => {
            const newDocumentSpan = getMappedDocumentSpanForProject(info, project);
            return !newDocumentSpan ? info : {
              ...newDocumentSpan,
              kind: info.kind,
              displayParts: info.displayParts
            };
          });
        }
        getImplementation(args, simplifiedResult) {
          const { file, project } = this.getFileAndProject(args);
          const position = this.getPositionInFile(args, file);
          const implementations = this.mapImplementationLocations(project.getLanguageService().getImplementationAtPosition(file, position) || emptyArray2, project);
          return simplifiedResult ? implementations.map(({ fileName, textSpan, contextSpan }) => this.toFileSpanWithContext(fileName, textSpan, contextSpan, project)) : implementations.map(_Session.mapToOriginalLocation);
        }
        getSyntacticDiagnosticsSync(args) {
          const { configFile } = this.getConfigFileAndProject(args);
          if (configFile) {
            return emptyArray2;
          }
          return this.getDiagnosticsWorker(
            args,
            /*isSemantic*/
            false,
            (project, file) => project.getLanguageService().getSyntacticDiagnostics(file),
            !!args.includeLinePosition
          );
        }
        getSemanticDiagnosticsSync(args) {
          const { configFile, project } = this.getConfigFileAndProject(args);
          if (configFile) {
            return this.getConfigFileDiagnostics(configFile, project, !!args.includeLinePosition);
          }
          return this.getDiagnosticsWorker(
            args,
            /*isSemantic*/
            true,
            (project2, file) => project2.getLanguageService().getSemanticDiagnostics(file).filter((d) => !!d.file),
            !!args.includeLinePosition
          );
        }
        getSuggestionDiagnosticsSync(args) {
          const { configFile } = this.getConfigFileAndProject(args);
          if (configFile) {
            return emptyArray2;
          }
          return this.getDiagnosticsWorker(
            args,
            /*isSemantic*/
            true,
            (project, file) => project.getLanguageService().getSuggestionDiagnostics(file),
            !!args.includeLinePosition
          );
        }
        getJsxClosingTag(args) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const position = this.getPositionInFile(args, file);
          const tag = languageService.getJsxClosingTagAtPosition(file, position);
          return tag === void 0 ? void 0 : { newText: tag.newText, caretOffset: 0 };
        }
        getLinkedEditingRange(args) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const position = this.getPositionInFile(args, file);
          const linkedEditInfo = languageService.getLinkedEditingRangeAtPosition(file, position);
          const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file);
          if (scriptInfo === void 0 || linkedEditInfo === void 0) return void 0;
          return convertLinkedEditInfoToRanges(linkedEditInfo, scriptInfo);
        }
        getDocumentHighlights(args, simplifiedResult) {
          const { file, project } = this.getFileAndProject(args);
          const position = this.getPositionInFile(args, file);
          const documentHighlights = project.getLanguageService().getDocumentHighlights(file, position, args.filesToSearch);
          if (!documentHighlights) return emptyArray2;
          if (!simplifiedResult) return documentHighlights;
          return documentHighlights.map(({ fileName, highlightSpans }) => {
            const scriptInfo = project.getScriptInfo(fileName);
            return {
              file: fileName,
              highlightSpans: highlightSpans.map(({ textSpan, kind, contextSpan }) => ({
                ...toProtocolTextSpanWithContext(textSpan, contextSpan, scriptInfo),
                kind
              }))
            };
          });
        }
        provideInlayHints(args) {
          const { file, project } = this.getFileAndProject(args);
          const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file);
          const hints = project.getLanguageService().provideInlayHints(file, args, this.getPreferences(file));
          return hints.map((hint) => {
            const { position, displayParts } = hint;
            return {
              ...hint,
              position: scriptInfo.positionToLineOffset(position),
              displayParts: displayParts == null ? void 0 : displayParts.map(({ text, span, file: file2 }) => {
                if (span) {
                  Debug.assertIsDefined(file2, "Target file should be defined together with its span.");
                  const scriptInfo2 = this.projectService.getScriptInfo(file2);
                  return {
                    text,
                    span: {
                      start: scriptInfo2.positionToLineOffset(span.start),
                      end: scriptInfo2.positionToLineOffset(span.start + span.length),
                      file: file2
                    }
                  };
                } else {
                  return { text };
                }
              })
            };
          });
        }
        mapCode(args) {
          var _a;
          const formatOptions = this.getHostFormatOptions();
          const preferences = this.getHostPreferences();
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file);
          const focusLocations = (_a = args.mapping.focusLocations) == null ? void 0 : _a.map((spans) => {
            return spans.map((loc) => {
              const start = scriptInfo.lineOffsetToPosition(loc.start.line, loc.start.offset);
              const end = scriptInfo.lineOffsetToPosition(loc.end.line, loc.end.offset);
              return {
                start,
                length: end - start
              };
            });
          });
          const changes = languageService.mapCode(file, args.mapping.contents, focusLocations, formatOptions, preferences);
          return this.mapTextChangesToCodeEdits(changes);
        }
        setCompilerOptionsForInferredProjects(args) {
          this.projectService.setCompilerOptionsForInferredProjects(args.options, args.projectRootPath);
        }
        getProjectInfo(args) {
          return this.getProjectInfoWorker(
            args.file,
            args.projectFileName,
            args.needFileNameList,
            /*excludeConfigFiles*/
            false
          );
        }
        getProjectInfoWorker(uncheckedFileName, projectFileName, needFileNameList, excludeConfigFiles) {
          const { project } = this.getFileAndProjectWorker(uncheckedFileName, projectFileName);
          updateProjectIfDirty(project);
          const projectInfo = {
            configFileName: project.getProjectName(),
            languageServiceDisabled: !project.languageServiceEnabled,
            fileNames: needFileNameList ? project.getFileNames(
              /*excludeFilesFromExternalLibraries*/
              false,
              excludeConfigFiles
            ) : void 0
          };
          return projectInfo;
        }
        getRenameInfo(args) {
          const { file, project } = this.getFileAndProject(args);
          const position = this.getPositionInFile(args, file);
          const preferences = this.getPreferences(file);
          return project.getLanguageService().getRenameInfo(file, position, preferences);
        }
        getProjects(args, getScriptInfoEnsuringProjectsUptoDate, ignoreNoProjectError) {
          let projects;
          let symLinkedProjects;
          if (args.projectFileName) {
            const project = this.getProject(args.projectFileName);
            if (project) {
              projects = [project];
            }
          } else {
            const scriptInfo = getScriptInfoEnsuringProjectsUptoDate ? this.projectService.getScriptInfoEnsuringProjectsUptoDate(args.file) : this.projectService.getScriptInfo(args.file);
            if (!scriptInfo) {
              if (ignoreNoProjectError) return emptyArray2;
              this.projectService.logErrorForScriptInfoNotFound(args.file);
              return Errors.ThrowNoProject();
            } else if (!getScriptInfoEnsuringProjectsUptoDate) {
              this.projectService.ensureDefaultProjectForFile(scriptInfo);
            }
            projects = scriptInfo.containingProjects;
            symLinkedProjects = this.projectService.getSymlinkedProjects(scriptInfo);
          }
          projects = filter(projects, (p) => p.languageServiceEnabled && !p.isOrphan());
          if (!ignoreNoProjectError && (!projects || !projects.length) && !symLinkedProjects) {
            this.projectService.logErrorForScriptInfoNotFound(args.file ?? args.projectFileName);
            return Errors.ThrowNoProject();
          }
          return symLinkedProjects ? { projects, symLinkedProjects } : projects;
        }
        getDefaultProject(args) {
          if (args.projectFileName) {
            const project = this.getProject(args.projectFileName);
            if (project) {
              return project;
            }
            if (!args.file) {
              return Errors.ThrowNoProject();
            }
          }
          const info = this.projectService.getScriptInfo(args.file);
          return info.getDefaultProject();
        }
        getRenameLocations(args, simplifiedResult) {
          const file = toNormalizedPath(args.file);
          const position = this.getPositionInFile(args, file);
          const projects = this.getProjects(args);
          const defaultProject = this.getDefaultProject(args);
          const preferences = this.getPreferences(file);
          const renameInfo = this.mapRenameInfo(
            defaultProject.getLanguageService().getRenameInfo(file, position, preferences),
            Debug.checkDefined(this.projectService.getScriptInfo(file))
          );
          if (!renameInfo.canRename) return simplifiedResult ? { info: renameInfo, locs: [] } : [];
          const locations = getRenameLocationsWorker(
            projects,
            defaultProject,
            { fileName: args.file, pos: position },
            !!args.findInStrings,
            !!args.findInComments,
            preferences,
            this.host.useCaseSensitiveFileNames
          );
          if (!simplifiedResult) return locations;
          return { info: renameInfo, locs: this.toSpanGroups(locations) };
        }
        mapRenameInfo(info, scriptInfo) {
          if (info.canRename) {
            const { canRename, fileToRename, displayName, fullDisplayName, kind, kindModifiers, triggerSpan } = info;
            return identity2(
              { canRename, fileToRename, displayName, fullDisplayName, kind, kindModifiers, triggerSpan: toProtocolTextSpan(triggerSpan, scriptInfo) }
            );
          } else {
            return info;
          }
        }
        toSpanGroups(locations) {
          const map2 = /* @__PURE__ */ new Map();
          for (const { fileName, textSpan, contextSpan, originalContextSpan: _2, originalTextSpan: _, originalFileName: _1, ...prefixSuffixText } of locations) {
            let group2 = map2.get(fileName);
            if (!group2) map2.set(fileName, group2 = { file: fileName, locs: [] });
            const scriptInfo = Debug.checkDefined(this.projectService.getScriptInfo(fileName));
            group2.locs.push({ ...toProtocolTextSpanWithContext(textSpan, contextSpan, scriptInfo), ...prefixSuffixText });
          }
          return arrayFrom(map2.values());
        }
        getReferences(args, simplifiedResult) {
          const file = toNormalizedPath(args.file);
          const projects = this.getProjects(args);
          const position = this.getPositionInFile(args, file);
          const references = getReferencesWorker(
            projects,
            this.getDefaultProject(args),
            { fileName: args.file, pos: position },
            this.host.useCaseSensitiveFileNames,
            this.logger
          );
          if (!simplifiedResult) return references;
          const preferences = this.getPreferences(file);
          const defaultProject = this.getDefaultProject(args);
          const scriptInfo = defaultProject.getScriptInfoForNormalizedPath(file);
          const nameInfo = defaultProject.getLanguageService().getQuickInfoAtPosition(file, position);
          const symbolDisplayString = nameInfo ? displayPartsToString(nameInfo.displayParts) : "";
          const nameSpan = nameInfo && nameInfo.textSpan;
          const symbolStartOffset = nameSpan ? scriptInfo.positionToLineOffset(nameSpan.start).offset : 0;
          const symbolName2 = nameSpan ? scriptInfo.getSnapshot().getText(nameSpan.start, textSpanEnd(nameSpan)) : "";
          const refs = flatMap(references, (referencedSymbol) => {
            return referencedSymbol.references.map((entry) => referenceEntryToReferencesResponseItem(this.projectService, entry, preferences));
          });
          return { refs, symbolName: symbolName2, symbolStartOffset, symbolDisplayString };
        }
        getFileReferences(args, simplifiedResult) {
          const projects = this.getProjects(args);
          const fileName = args.file;
          const preferences = this.getPreferences(toNormalizedPath(fileName));
          const references = [];
          const seen = createDocumentSpanSet(this.host.useCaseSensitiveFileNames);
          forEachProjectInProjects(
            projects,
            /*path*/
            void 0,
            (project) => {
              if (project.getCancellationToken().isCancellationRequested()) return;
              const projectOutputs = project.getLanguageService().getFileReferences(fileName);
              if (projectOutputs) {
                for (const referenceEntry of projectOutputs) {
                  if (!seen.has(referenceEntry)) {
                    references.push(referenceEntry);
                    seen.add(referenceEntry);
                  }
                }
              }
            }
          );
          if (!simplifiedResult) return references;
          const refs = references.map((entry) => referenceEntryToReferencesResponseItem(this.projectService, entry, preferences));
          return {
            refs,
            symbolName: `"${args.file}"`
          };
        }
        /**
         * @param fileName is the name of the file to be opened
         * @param fileContent is a version of the file content that is known to be more up to date than the one on disk
         */
        openClientFile(fileName, fileContent, scriptKind, projectRootPath) {
          this.projectService.openClientFileWithNormalizedPath(
            fileName,
            fileContent,
            scriptKind,
            /*hasMixedContent*/
            false,
            projectRootPath
          );
        }
        getPosition(args, scriptInfo) {
          return args.position !== void 0 ? args.position : scriptInfo.lineOffsetToPosition(args.line, args.offset);
        }
        getPositionInFile(args, file) {
          const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file);
          return this.getPosition(args, scriptInfo);
        }
        getFileAndProject(args) {
          return this.getFileAndProjectWorker(args.file, args.projectFileName);
        }
        getFileAndLanguageServiceForSyntacticOperation(args) {
          const { file, project } = this.getFileAndProject(args);
          return {
            file,
            languageService: project.getLanguageService(
              /*ensureSynchronized*/
              false
            )
          };
        }
        getFileAndProjectWorker(uncheckedFileName, projectFileName) {
          const file = toNormalizedPath(uncheckedFileName);
          const project = this.getProject(projectFileName) || this.projectService.ensureDefaultProjectForFile(file);
          return { file, project };
        }
        getOutliningSpans(args, simplifiedResult) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const spans = languageService.getOutliningSpans(file);
          if (simplifiedResult) {
            const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file);
            return spans.map((s) => ({
              textSpan: toProtocolTextSpan(s.textSpan, scriptInfo),
              hintSpan: toProtocolTextSpan(s.hintSpan, scriptInfo),
              bannerText: s.bannerText,
              autoCollapse: s.autoCollapse,
              kind: s.kind
            }));
          } else {
            return spans;
          }
        }
        getTodoComments(args) {
          const { file, project } = this.getFileAndProject(args);
          return project.getLanguageService().getTodoComments(file, args.descriptors);
        }
        getDocCommentTemplate(args) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const position = this.getPositionInFile(args, file);
          return languageService.getDocCommentTemplateAtPosition(file, position, this.getPreferences(file), this.getFormatOptions(file));
        }
        getSpanOfEnclosingComment(args) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const onlyMultiLine = args.onlyMultiLine;
          const position = this.getPositionInFile(args, file);
          return languageService.getSpanOfEnclosingComment(file, position, onlyMultiLine);
        }
        getIndentation(args) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const position = this.getPositionInFile(args, file);
          const options = args.options ? convertFormatOptions(args.options) : this.getFormatOptions(file);
          const indentation = languageService.getIndentationAtPosition(file, position, options);
          return { position, indentation };
        }
        getBreakpointStatement(args) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const position = this.getPositionInFile(args, file);
          return languageService.getBreakpointStatementAtPosition(file, position);
        }
        getNameOrDottedNameSpan(args) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const position = this.getPositionInFile(args, file);
          return languageService.getNameOrDottedNameSpan(file, position, position);
        }
        isValidBraceCompletion(args) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const position = this.getPositionInFile(args, file);
          return languageService.isValidBraceCompletionAtPosition(file, position, args.openingBrace.charCodeAt(0));
        }
        getQuickInfoWorker(args, simplifiedResult) {
          const { file, project } = this.getFileAndProject(args);
          const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file);
          const quickInfo = project.getLanguageService().getQuickInfoAtPosition(file, this.getPosition(args, scriptInfo));
          if (!quickInfo) {
            return void 0;
          }
          const useDisplayParts = !!this.getPreferences(file).displayPartsForJSDoc;
          if (simplifiedResult) {
            const displayString = displayPartsToString(quickInfo.displayParts);
            return {
              kind: quickInfo.kind,
              kindModifiers: quickInfo.kindModifiers,
              start: scriptInfo.positionToLineOffset(quickInfo.textSpan.start),
              end: scriptInfo.positionToLineOffset(textSpanEnd(quickInfo.textSpan)),
              displayString,
              documentation: useDisplayParts ? this.mapDisplayParts(quickInfo.documentation, project) : displayPartsToString(quickInfo.documentation),
              tags: this.mapJSDocTagInfo(quickInfo.tags, project, useDisplayParts)
            };
          } else {
            return useDisplayParts ? quickInfo : {
              ...quickInfo,
              tags: this.mapJSDocTagInfo(
                quickInfo.tags,
                project,
                /*richResponse*/
                false
              )
            };
          }
        }
        getFormattingEditsForRange(args) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file);
          const startPosition = scriptInfo.lineOffsetToPosition(args.line, args.offset);
          const endPosition = scriptInfo.lineOffsetToPosition(args.endLine, args.endOffset);
          const edits = languageService.getFormattingEditsForRange(file, startPosition, endPosition, this.getFormatOptions(file));
          if (!edits) {
            return void 0;
          }
          return edits.map((edit) => this.convertTextChangeToCodeEdit(edit, scriptInfo));
        }
        getFormattingEditsForRangeFull(args) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const options = args.options ? convertFormatOptions(args.options) : this.getFormatOptions(file);
          return languageService.getFormattingEditsForRange(file, args.position, args.endPosition, options);
        }
        getFormattingEditsForDocumentFull(args) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const options = args.options ? convertFormatOptions(args.options) : this.getFormatOptions(file);
          return languageService.getFormattingEditsForDocument(file, options);
        }
        getFormattingEditsAfterKeystrokeFull(args) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const options = args.options ? convertFormatOptions(args.options) : this.getFormatOptions(file);
          return languageService.getFormattingEditsAfterKeystroke(file, args.position, args.key, options);
        }
        getFormattingEditsAfterKeystroke(args) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file);
          const position = scriptInfo.lineOffsetToPosition(args.line, args.offset);
          const formatOptions = this.getFormatOptions(file);
          const edits = languageService.getFormattingEditsAfterKeystroke(file, position, args.key, formatOptions);
          if (args.key === "\n" && (!edits || edits.length === 0 || allEditsBeforePos(edits, position))) {
            const { lineText, absolutePosition } = scriptInfo.textStorage.getAbsolutePositionAndLineText(args.line);
            if (lineText && lineText.search("\\S") < 0) {
              const preferredIndent = languageService.getIndentationAtPosition(file, position, formatOptions);
              let hasIndent = 0;
              let i, len;
              for (i = 0, len = lineText.length; i < len; i++) {
                if (lineText.charAt(i) === " ") {
                  hasIndent++;
                } else if (lineText.charAt(i) === "	") {
                  hasIndent += formatOptions.tabSize;
                } else {
                  break;
                }
              }
              if (preferredIndent !== hasIndent) {
                const firstNoWhiteSpacePosition = absolutePosition + i;
                edits.push({
                  span: createTextSpanFromBounds(absolutePosition, firstNoWhiteSpacePosition),
                  newText: ts_formatting_exports.getIndentationString(preferredIndent, formatOptions)
                });
              }
            }
          }
          if (!edits) {
            return void 0;
          }
          return edits.map((edit) => {
            return {
              start: scriptInfo.positionToLineOffset(edit.span.start),
              end: scriptInfo.positionToLineOffset(textSpanEnd(edit.span)),
              newText: edit.newText ? edit.newText : ""
            };
          });
        }
        getCompletions(args, kind) {
          const { file, project } = this.getFileAndProject(args);
          const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file);
          const position = this.getPosition(args, scriptInfo);
          const completions = project.getLanguageService().getCompletionsAtPosition(
            file,
            position,
            {
              ...convertUserPreferences(this.getPreferences(file)),
              triggerCharacter: args.triggerCharacter,
              triggerKind: args.triggerKind,
              includeExternalModuleExports: args.includeExternalModuleExports,
              includeInsertTextCompletions: args.includeInsertTextCompletions
            },
            project.projectService.getFormatCodeOptions(file)
          );
          if (completions === void 0) return void 0;
          if (kind === "completions-full") return completions;
          const prefix = args.prefix || "";
          const entries = mapDefined(completions.entries, (entry) => {
            if (completions.isMemberCompletion || startsWith2(entry.name.toLowerCase(), prefix.toLowerCase())) {
              const {
                name,
                kind: kind2,
                kindModifiers,
                sortText,
                insertText,
                filterText,
                replacementSpan,
                hasAction,
                source,
                sourceDisplay,
                labelDetails,
                isSnippet,
                isRecommended,
                isPackageJsonImport,
                isImportStatementCompletion,
                data
              } = entry;
              const convertedSpan = replacementSpan ? toProtocolTextSpan(replacementSpan, scriptInfo) : void 0;
              return {
                name,
                kind: kind2,
                kindModifiers,
                sortText,
                insertText,
                filterText,
                replacementSpan: convertedSpan,
                isSnippet,
                hasAction: hasAction || void 0,
                source,
                sourceDisplay,
                labelDetails,
                isRecommended,
                isPackageJsonImport,
                isImportStatementCompletion,
                data
              };
            }
          });
          if (kind === "completions") {
            if (completions.metadata) entries.metadata = completions.metadata;
            return entries;
          }
          const res = {
            ...completions,
            optionalReplacementSpan: completions.optionalReplacementSpan && toProtocolTextSpan(completions.optionalReplacementSpan, scriptInfo),
            entries
          };
          return res;
        }
        getCompletionEntryDetails(args, fullResult) {
          const { file, project } = this.getFileAndProject(args);
          const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file);
          const position = this.getPosition(args, scriptInfo);
          const formattingOptions = project.projectService.getFormatCodeOptions(file);
          const useDisplayParts = !!this.getPreferences(file).displayPartsForJSDoc;
          const result = mapDefined(args.entryNames, (entryName) => {
            const { name, source, data } = typeof entryName === "string" ? { name: entryName, source: void 0, data: void 0 } : entryName;
            return project.getLanguageService().getCompletionEntryDetails(file, position, name, formattingOptions, source, this.getPreferences(file), data ? cast(data, isCompletionEntryData) : void 0);
          });
          return fullResult ? useDisplayParts ? result : result.map((details) => ({ ...details, tags: this.mapJSDocTagInfo(
            details.tags,
            project,
            /*richResponse*/
            false
          ) })) : result.map((details) => ({
            ...details,
            codeActions: map(details.codeActions, (action) => this.mapCodeAction(action)),
            documentation: this.mapDisplayParts(details.documentation, project),
            tags: this.mapJSDocTagInfo(details.tags, project, useDisplayParts)
          }));
        }
        getCompileOnSaveAffectedFileList(args) {
          const projects = this.getProjects(
            args,
            /*getScriptInfoEnsuringProjectsUptoDate*/
            true,
            /*ignoreNoProjectError*/
            true
          );
          const info = this.projectService.getScriptInfo(args.file);
          if (!info) {
            return emptyArray2;
          }
          return combineProjectOutput(
            info,
            (path17) => this.projectService.getScriptInfoForPath(path17),
            projects,
            (project, info2) => {
              if (!project.compileOnSaveEnabled || !project.languageServiceEnabled || project.isOrphan()) {
                return void 0;
              }
              const compilationSettings = project.getCompilationSettings();
              if (!!compilationSettings.noEmit || isDeclarationFileName(info2.fileName) && !dtsChangeCanAffectEmit(compilationSettings)) {
                return void 0;
              }
              return {
                projectFileName: project.getProjectName(),
                fileNames: project.getCompileOnSaveAffectedFileList(info2),
                projectUsesOutFile: !!compilationSettings.outFile
              };
            }
          );
        }
        emitFile(args) {
          const { file, project } = this.getFileAndProject(args);
          if (!project) {
            Errors.ThrowNoProject();
          }
          if (!project.languageServiceEnabled) {
            return args.richResponse ? { emitSkipped: true, diagnostics: [] } : false;
          }
          const scriptInfo = project.getScriptInfo(file);
          const { emitSkipped, diagnostics } = project.emitFile(scriptInfo, (path17, data, writeByteOrderMark) => this.host.writeFile(path17, data, writeByteOrderMark));
          return args.richResponse ? {
            emitSkipped,
            diagnostics: args.includeLinePosition ? this.convertToDiagnosticsWithLinePositionFromDiagnosticFile(diagnostics) : diagnostics.map((d) => formatDiagnosticToProtocol(
              d,
              /*includeFileName*/
              true
            ))
          } : !emitSkipped;
        }
        getSignatureHelpItems(args, simplifiedResult) {
          const { file, project } = this.getFileAndProject(args);
          const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file);
          const position = this.getPosition(args, scriptInfo);
          const helpItems = project.getLanguageService().getSignatureHelpItems(file, position, args);
          const useDisplayParts = !!this.getPreferences(file).displayPartsForJSDoc;
          if (helpItems && simplifiedResult) {
            const span = helpItems.applicableSpan;
            return {
              ...helpItems,
              applicableSpan: {
                start: scriptInfo.positionToLineOffset(span.start),
                end: scriptInfo.positionToLineOffset(span.start + span.length)
              },
              items: this.mapSignatureHelpItems(helpItems.items, project, useDisplayParts)
            };
          } else if (useDisplayParts || !helpItems) {
            return helpItems;
          } else {
            return {
              ...helpItems,
              items: helpItems.items.map((item) => ({ ...item, tags: this.mapJSDocTagInfo(
                item.tags,
                project,
                /*richResponse*/
                false
              ) }))
            };
          }
        }
        toPendingErrorCheck(uncheckedFileName) {
          const fileName = toNormalizedPath(uncheckedFileName);
          const project = this.projectService.tryGetDefaultProjectForFile(fileName);
          return project && { fileName, project };
        }
        getDiagnostics(next, delay, fileNames) {
          if (this.suppressDiagnosticEvents) {
            return;
          }
          if (fileNames.length > 0) {
            this.updateErrorCheck(next, fileNames, delay);
          }
        }
        change(args) {
          const scriptInfo = this.projectService.getScriptInfo(args.file);
          Debug.assert(!!scriptInfo);
          scriptInfo.textStorage.switchToScriptVersionCache();
          const start = scriptInfo.lineOffsetToPosition(args.line, args.offset);
          const end = scriptInfo.lineOffsetToPosition(args.endLine, args.endOffset);
          if (start >= 0) {
            this.changeSeq++;
            this.projectService.applyChangesToFile(
              scriptInfo,
              singleIterator({
                span: { start, length: end - start },
                newText: args.insertString
                // TODO: GH#18217
              })
            );
          }
        }
        reload(args, reqSeq) {
          const file = toNormalizedPath(args.file);
          const tempFileName = args.tmpfile === void 0 ? void 0 : toNormalizedPath(args.tmpfile);
          const info = this.projectService.getScriptInfoForNormalizedPath(file);
          if (info) {
            this.changeSeq++;
            if (info.reloadFromFile(tempFileName)) {
              this.doOutput(
                /*info*/
                void 0,
                "reload",
                reqSeq,
                /*success*/
                true
              );
            }
          }
        }
        saveToTmp(fileName, tempFileName) {
          const scriptInfo = this.projectService.getScriptInfo(fileName);
          if (scriptInfo) {
            scriptInfo.saveTo(tempFileName);
          }
        }
        closeClientFile(fileName) {
          if (!fileName) {
            return;
          }
          const file = normalizePath(fileName);
          this.projectService.closeClientFile(file);
        }
        mapLocationNavigationBarItems(items, scriptInfo) {
          return map(items, (item) => ({
            text: item.text,
            kind: item.kind,
            kindModifiers: item.kindModifiers,
            spans: item.spans.map((span) => toProtocolTextSpan(span, scriptInfo)),
            childItems: this.mapLocationNavigationBarItems(item.childItems, scriptInfo),
            indent: item.indent
          }));
        }
        getNavigationBarItems(args, simplifiedResult) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const items = languageService.getNavigationBarItems(file);
          return !items ? void 0 : simplifiedResult ? this.mapLocationNavigationBarItems(items, this.projectService.getScriptInfoForNormalizedPath(file)) : items;
        }
        toLocationNavigationTree(tree, scriptInfo) {
          return {
            text: tree.text,
            kind: tree.kind,
            kindModifiers: tree.kindModifiers,
            spans: tree.spans.map((span) => toProtocolTextSpan(span, scriptInfo)),
            nameSpan: tree.nameSpan && toProtocolTextSpan(tree.nameSpan, scriptInfo),
            childItems: map(tree.childItems, (item) => this.toLocationNavigationTree(item, scriptInfo))
          };
        }
        getNavigationTree(args, simplifiedResult) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const tree = languageService.getNavigationTree(file);
          return !tree ? void 0 : simplifiedResult ? this.toLocationNavigationTree(tree, this.projectService.getScriptInfoForNormalizedPath(file)) : tree;
        }
        getNavigateToItems(args, simplifiedResult) {
          const full = this.getFullNavigateToItems(args);
          return !simplifiedResult ? flatMap(full, ({ navigateToItems }) => navigateToItems) : flatMap(
            full,
            ({ project, navigateToItems }) => navigateToItems.map((navItem) => {
              const scriptInfo = project.getScriptInfo(navItem.fileName);
              const bakedItem = {
                name: navItem.name,
                kind: navItem.kind,
                kindModifiers: navItem.kindModifiers,
                isCaseSensitive: navItem.isCaseSensitive,
                matchKind: navItem.matchKind,
                file: navItem.fileName,
                start: scriptInfo.positionToLineOffset(navItem.textSpan.start),
                end: scriptInfo.positionToLineOffset(textSpanEnd(navItem.textSpan))
              };
              if (navItem.kindModifiers && navItem.kindModifiers !== "") {
                bakedItem.kindModifiers = navItem.kindModifiers;
              }
              if (navItem.containerName && navItem.containerName.length > 0) {
                bakedItem.containerName = navItem.containerName;
              }
              if (navItem.containerKind && navItem.containerKind.length > 0) {
                bakedItem.containerKind = navItem.containerKind;
              }
              return bakedItem;
            })
          );
        }
        getFullNavigateToItems(args) {
          const { currentFileOnly, searchValue, maxResultCount, projectFileName } = args;
          if (currentFileOnly) {
            Debug.assertIsDefined(args.file);
            const { file, project } = this.getFileAndProject(args);
            return [{ project, navigateToItems: project.getLanguageService().getNavigateToItems(searchValue, maxResultCount, file) }];
          }
          const preferences = this.getHostPreferences();
          const outputs = [];
          const seenItems = /* @__PURE__ */ new Map();
          if (!args.file && !projectFileName) {
            this.projectService.loadAncestorProjectTree();
            this.projectService.forEachEnabledProject((project) => addItemsForProject(project));
          } else {
            const projects = this.getProjects(args);
            forEachProjectInProjects(
              projects,
              /*path*/
              void 0,
              (project) => addItemsForProject(project)
            );
          }
          return outputs;
          function addItemsForProject(project) {
            const projectItems = project.getLanguageService().getNavigateToItems(
              searchValue,
              maxResultCount,
              /*fileName*/
              void 0,
              /*excludeDts*/
              project.isNonTsProject(),
              /*excludeLibFiles*/
              preferences.excludeLibrarySymbolsInNavTo
            );
            const unseenItems = filter(projectItems, (item) => tryAddSeenItem(item) && !getMappedLocationForProject(documentSpanLocation(item), project));
            if (unseenItems.length) {
              outputs.push({ project, navigateToItems: unseenItems });
            }
          }
          function tryAddSeenItem(item) {
            const name = item.name;
            if (!seenItems.has(name)) {
              seenItems.set(name, [item]);
              return true;
            }
            const seen = seenItems.get(name);
            for (const seenItem of seen) {
              if (navigateToItemIsEqualTo(seenItem, item)) {
                return false;
              }
            }
            seen.push(item);
            return true;
          }
          function navigateToItemIsEqualTo(a, b) {
            if (a === b) {
              return true;
            }
            if (!a || !b) {
              return false;
            }
            return a.containerKind === b.containerKind && a.containerName === b.containerName && a.fileName === b.fileName && a.isCaseSensitive === b.isCaseSensitive && a.kind === b.kind && a.kindModifiers === b.kindModifiers && a.matchKind === b.matchKind && a.name === b.name && a.textSpan.start === b.textSpan.start && a.textSpan.length === b.textSpan.length;
          }
        }
        getSupportedCodeFixes(args) {
          if (!args) return getSupportedCodeFixes();
          if (args.file) {
            const { file, project: project2 } = this.getFileAndProject(args);
            return project2.getLanguageService().getSupportedCodeFixes(file);
          }
          const project = this.getProject(args.projectFileName);
          if (!project) Errors.ThrowNoProject();
          return project.getLanguageService().getSupportedCodeFixes();
        }
        isLocation(locationOrSpan) {
          return locationOrSpan.line !== void 0;
        }
        extractPositionOrRange(args, scriptInfo) {
          let position;
          let textRange;
          if (this.isLocation(args)) {
            position = getPosition2(args);
          } else {
            textRange = this.getRange(args, scriptInfo);
          }
          return Debug.checkDefined(position === void 0 ? textRange : position);
          function getPosition2(loc) {
            return loc.position !== void 0 ? loc.position : scriptInfo.lineOffsetToPosition(loc.line, loc.offset);
          }
        }
        getRange(args, scriptInfo) {
          const { startPosition, endPosition } = this.getStartAndEndPosition(args, scriptInfo);
          return { pos: startPosition, end: endPosition };
        }
        getApplicableRefactors(args) {
          const { file, project } = this.getFileAndProject(args);
          const scriptInfo = project.getScriptInfoForNormalizedPath(file);
          const result = project.getLanguageService().getApplicableRefactors(file, this.extractPositionOrRange(args, scriptInfo), this.getPreferences(file), args.triggerReason, args.kind, args.includeInteractiveActions);
          return result.map((result2) => ({ ...result2, actions: result2.actions.map((action) => ({ ...action, range: action.range ? { start: convertToLocation({ line: action.range.start.line, character: action.range.start.offset }), end: convertToLocation({ line: action.range.end.line, character: action.range.end.offset }) } : void 0 })) }));
        }
        getEditsForRefactor(args, simplifiedResult) {
          const { file, project } = this.getFileAndProject(args);
          const scriptInfo = project.getScriptInfoForNormalizedPath(file);
          const result = project.getLanguageService().getEditsForRefactor(
            file,
            this.getFormatOptions(file),
            this.extractPositionOrRange(args, scriptInfo),
            args.refactor,
            args.action,
            this.getPreferences(file),
            args.interactiveRefactorArguments
          );
          if (result === void 0) {
            return {
              edits: []
            };
          }
          if (simplifiedResult) {
            const { renameFilename, renameLocation, edits } = result;
            let mappedRenameLocation;
            if (renameFilename !== void 0 && renameLocation !== void 0) {
              const renameScriptInfo = project.getScriptInfoForNormalizedPath(toNormalizedPath(renameFilename));
              mappedRenameLocation = getLocationInNewDocument(getSnapshotText(renameScriptInfo.getSnapshot()), renameFilename, renameLocation, edits);
            }
            return {
              renameLocation: mappedRenameLocation,
              renameFilename,
              edits: this.mapTextChangesToCodeEdits(edits),
              notApplicableReason: result.notApplicableReason
            };
          }
          return result;
        }
        getMoveToRefactoringFileSuggestions(args) {
          const { file, project } = this.getFileAndProject(args);
          const scriptInfo = project.getScriptInfoForNormalizedPath(file);
          return project.getLanguageService().getMoveToRefactoringFileSuggestions(file, this.extractPositionOrRange(args, scriptInfo), this.getPreferences(file));
        }
        getPasteEdits(args) {
          const { file, project } = this.getFileAndProject(args);
          const copiedFrom = args.copiedFrom ? { file: args.copiedFrom.file, range: args.copiedFrom.spans.map((copies) => this.getRange({ file: args.copiedFrom.file, startLine: copies.start.line, startOffset: copies.start.offset, endLine: copies.end.line, endOffset: copies.end.offset }, project.getScriptInfoForNormalizedPath(toNormalizedPath(args.copiedFrom.file)))) } : void 0;
          const result = project.getLanguageService().getPasteEdits(
            {
              targetFile: file,
              pastedText: args.pastedText,
              pasteLocations: args.pasteLocations.map((paste) => this.getRange({ file, startLine: paste.start.line, startOffset: paste.start.offset, endLine: paste.end.line, endOffset: paste.end.offset }, project.getScriptInfoForNormalizedPath(file))),
              copiedFrom,
              preferences: this.getPreferences(file)
            },
            this.getFormatOptions(file)
          );
          return result && this.mapPasteEditsAction(result);
        }
        organizeImports(args, simplifiedResult) {
          Debug.assert(args.scope.type === "file");
          const { file, project } = this.getFileAndProject(args.scope.args);
          const changes = project.getLanguageService().organizeImports(
            {
              fileName: file,
              mode: args.mode ?? (args.skipDestructiveCodeActions ? "SortAndCombine" : void 0),
              type: "file"
            },
            this.getFormatOptions(file),
            this.getPreferences(file)
          );
          if (simplifiedResult) {
            return this.mapTextChangesToCodeEdits(changes);
          } else {
            return changes;
          }
        }
        getEditsForFileRename(args, simplifiedResult) {
          const oldPath = toNormalizedPath(args.oldFilePath);
          const newPath = toNormalizedPath(args.newFilePath);
          const formatOptions = this.getHostFormatOptions();
          const preferences = this.getHostPreferences();
          const seenFiles = /* @__PURE__ */ new Set();
          const textChanges2 = [];
          this.projectService.loadAncestorProjectTree();
          this.projectService.forEachEnabledProject((project) => {
            const projectTextChanges = project.getLanguageService().getEditsForFileRename(oldPath, newPath, formatOptions, preferences);
            const projectFiles = [];
            for (const textChange of projectTextChanges) {
              if (!seenFiles.has(textChange.fileName)) {
                textChanges2.push(textChange);
                projectFiles.push(textChange.fileName);
              }
            }
            for (const file of projectFiles) {
              seenFiles.add(file);
            }
          });
          return simplifiedResult ? textChanges2.map((c) => this.mapTextChangeToCodeEdit(c)) : textChanges2;
        }
        getCodeFixes(args, simplifiedResult) {
          const { file, project } = this.getFileAndProject(args);
          const scriptInfo = project.getScriptInfoForNormalizedPath(file);
          const { startPosition, endPosition } = this.getStartAndEndPosition(args, scriptInfo);
          let codeActions;
          try {
            codeActions = project.getLanguageService().getCodeFixesAtPosition(file, startPosition, endPosition, args.errorCodes, this.getFormatOptions(file), this.getPreferences(file));
          } catch (e) {
            const ls = project.getLanguageService();
            const existingDiagCodes = [
              ...ls.getSyntacticDiagnostics(file),
              ...ls.getSemanticDiagnostics(file),
              ...ls.getSuggestionDiagnostics(file)
            ].map(
              (d) => decodedTextSpanIntersectsWith(startPosition, endPosition - startPosition, d.start, d.length) && d.code
            );
            const badCode = args.errorCodes.find((c) => !existingDiagCodes.includes(c));
            if (badCode !== void 0) {
              e.message = `BADCLIENT: Bad error code, ${badCode} not found in range ${startPosition}..${endPosition} (found: ${existingDiagCodes.join(", ")}); could have caused this error:
${e.message}`;
            }
            throw e;
          }
          return simplifiedResult ? codeActions.map((codeAction) => this.mapCodeFixAction(codeAction)) : codeActions;
        }
        getCombinedCodeFix({ scope, fixId: fixId55 }, simplifiedResult) {
          Debug.assert(scope.type === "file");
          const { file, project } = this.getFileAndProject(scope.args);
          const res = project.getLanguageService().getCombinedCodeFix({ type: "file", fileName: file }, fixId55, this.getFormatOptions(file), this.getPreferences(file));
          if (simplifiedResult) {
            return { changes: this.mapTextChangesToCodeEdits(res.changes), commands: res.commands };
          } else {
            return res;
          }
        }
        applyCodeActionCommand(args) {
          const commands = args.command;
          for (const command of toArray(commands)) {
            const { file, project } = this.getFileAndProject(command);
            project.getLanguageService().applyCodeActionCommand(command, this.getFormatOptions(file)).then(
              (_result) => {
              },
              (_error) => {
              }
            );
          }
          return {};
        }
        getStartAndEndPosition(args, scriptInfo) {
          let startPosition, endPosition;
          if (args.startPosition !== void 0) {
            startPosition = args.startPosition;
          } else {
            startPosition = scriptInfo.lineOffsetToPosition(args.startLine, args.startOffset);
            args.startPosition = startPosition;
          }
          if (args.endPosition !== void 0) {
            endPosition = args.endPosition;
          } else {
            endPosition = scriptInfo.lineOffsetToPosition(args.endLine, args.endOffset);
            args.endPosition = endPosition;
          }
          return { startPosition, endPosition };
        }
        mapCodeAction({ description: description3, changes, commands }) {
          return { description: description3, changes: this.mapTextChangesToCodeEdits(changes), commands };
        }
        mapCodeFixAction({ fixName: fixName8, description: description3, changes, commands, fixId: fixId55, fixAllDescription }) {
          return { fixName: fixName8, description: description3, changes: this.mapTextChangesToCodeEdits(changes), commands, fixId: fixId55, fixAllDescription };
        }
        mapPasteEditsAction({ edits, fixId: fixId55 }) {
          return { edits: this.mapTextChangesToCodeEdits(edits), fixId: fixId55 };
        }
        mapTextChangesToCodeEdits(textChanges2) {
          return textChanges2.map((change) => this.mapTextChangeToCodeEdit(change));
        }
        mapTextChangeToCodeEdit(textChanges2) {
          const scriptInfo = this.projectService.getScriptInfoOrConfig(textChanges2.fileName);
          if (!!textChanges2.isNewFile === !!scriptInfo) {
            if (!scriptInfo) {
              this.projectService.logErrorForScriptInfoNotFound(textChanges2.fileName);
            }
            Debug.fail("Expected isNewFile for (only) new files. " + JSON.stringify({ isNewFile: !!textChanges2.isNewFile, hasScriptInfo: !!scriptInfo }));
          }
          return scriptInfo ? { fileName: textChanges2.fileName, textChanges: textChanges2.textChanges.map((textChange) => convertTextChangeToCodeEdit(textChange, scriptInfo)) } : convertNewFileTextChangeToCodeEdit(textChanges2);
        }
        convertTextChangeToCodeEdit(change, scriptInfo) {
          return {
            start: scriptInfo.positionToLineOffset(change.span.start),
            end: scriptInfo.positionToLineOffset(change.span.start + change.span.length),
            newText: change.newText ? change.newText : ""
          };
        }
        getBraceMatching(args, simplifiedResult) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file);
          const position = this.getPosition(args, scriptInfo);
          const spans = languageService.getBraceMatchingAtPosition(file, position);
          return !spans ? void 0 : simplifiedResult ? spans.map((span) => toProtocolTextSpan(span, scriptInfo)) : spans;
        }
        getDiagnosticsForProject(next, delay, fileName) {
          if (this.suppressDiagnosticEvents) {
            return;
          }
          const { fileNames, languageServiceDisabled } = this.getProjectInfoWorker(
            fileName,
            /*projectFileName*/
            void 0,
            /*needFileNameList*/
            true,
            /*excludeConfigFiles*/
            true
          );
          if (languageServiceDisabled) {
            return;
          }
          const fileNamesInProject = fileNames.filter((value) => !value.includes("lib.d.ts"));
          if (fileNamesInProject.length === 0) {
            return;
          }
          const highPriorityFiles = [];
          const mediumPriorityFiles = [];
          const lowPriorityFiles = [];
          const veryLowPriorityFiles = [];
          const normalizedFileName = toNormalizedPath(fileName);
          const project = this.projectService.ensureDefaultProjectForFile(normalizedFileName);
          for (const fileNameInProject of fileNamesInProject) {
            if (this.getCanonicalFileName(fileNameInProject) === this.getCanonicalFileName(fileName)) {
              highPriorityFiles.push(fileNameInProject);
            } else {
              const info = this.projectService.getScriptInfo(fileNameInProject);
              if (!info.isScriptOpen()) {
                if (isDeclarationFileName(fileNameInProject)) {
                  veryLowPriorityFiles.push(fileNameInProject);
                } else {
                  lowPriorityFiles.push(fileNameInProject);
                }
              } else {
                mediumPriorityFiles.push(fileNameInProject);
              }
            }
          }
          const sortedFiles = [...highPriorityFiles, ...mediumPriorityFiles, ...lowPriorityFiles, ...veryLowPriorityFiles];
          const checkList = sortedFiles.map((fileName2) => ({ fileName: fileName2, project }));
          this.updateErrorCheck(
            next,
            checkList,
            delay,
            /*requireOpen*/
            false
          );
        }
        configurePlugin(args) {
          this.projectService.configurePlugin(args);
        }
        getSmartSelectionRange(args, simplifiedResult) {
          const { locations } = args;
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const scriptInfo = Debug.checkDefined(this.projectService.getScriptInfo(file));
          return map(locations, (location) => {
            const pos = this.getPosition(location, scriptInfo);
            const selectionRange = languageService.getSmartSelectionRange(file, pos);
            return simplifiedResult ? this.mapSelectionRange(selectionRange, scriptInfo) : selectionRange;
          });
        }
        toggleLineComment(args, simplifiedResult) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const scriptInfo = this.projectService.getScriptInfo(file);
          const textRange = this.getRange(args, scriptInfo);
          const textChanges2 = languageService.toggleLineComment(file, textRange);
          if (simplifiedResult) {
            const scriptInfo2 = this.projectService.getScriptInfoForNormalizedPath(file);
            return textChanges2.map((textChange) => this.convertTextChangeToCodeEdit(textChange, scriptInfo2));
          }
          return textChanges2;
        }
        toggleMultilineComment(args, simplifiedResult) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file);
          const textRange = this.getRange(args, scriptInfo);
          const textChanges2 = languageService.toggleMultilineComment(file, textRange);
          if (simplifiedResult) {
            const scriptInfo2 = this.projectService.getScriptInfoForNormalizedPath(file);
            return textChanges2.map((textChange) => this.convertTextChangeToCodeEdit(textChange, scriptInfo2));
          }
          return textChanges2;
        }
        commentSelection(args, simplifiedResult) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file);
          const textRange = this.getRange(args, scriptInfo);
          const textChanges2 = languageService.commentSelection(file, textRange);
          if (simplifiedResult) {
            const scriptInfo2 = this.projectService.getScriptInfoForNormalizedPath(file);
            return textChanges2.map((textChange) => this.convertTextChangeToCodeEdit(textChange, scriptInfo2));
          }
          return textChanges2;
        }
        uncommentSelection(args, simplifiedResult) {
          const { file, languageService } = this.getFileAndLanguageServiceForSyntacticOperation(args);
          const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file);
          const textRange = this.getRange(args, scriptInfo);
          const textChanges2 = languageService.uncommentSelection(file, textRange);
          if (simplifiedResult) {
            const scriptInfo2 = this.projectService.getScriptInfoForNormalizedPath(file);
            return textChanges2.map((textChange) => this.convertTextChangeToCodeEdit(textChange, scriptInfo2));
          }
          return textChanges2;
        }
        mapSelectionRange(selectionRange, scriptInfo) {
          const result = {
            textSpan: toProtocolTextSpan(selectionRange.textSpan, scriptInfo)
          };
          if (selectionRange.parent) {
            result.parent = this.mapSelectionRange(selectionRange.parent, scriptInfo);
          }
          return result;
        }
        getScriptInfoFromProjectService(file) {
          const normalizedFile = toNormalizedPath(file);
          const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(normalizedFile);
          if (!scriptInfo) {
            this.projectService.logErrorForScriptInfoNotFound(normalizedFile);
            return Errors.ThrowNoProject();
          }
          return scriptInfo;
        }
        toProtocolCallHierarchyItem(item) {
          const scriptInfo = this.getScriptInfoFromProjectService(item.file);
          return {
            name: item.name,
            kind: item.kind,
            kindModifiers: item.kindModifiers,
            file: item.file,
            containerName: item.containerName,
            span: toProtocolTextSpan(item.span, scriptInfo),
            selectionSpan: toProtocolTextSpan(item.selectionSpan, scriptInfo)
          };
        }
        toProtocolCallHierarchyIncomingCall(incomingCall) {
          const scriptInfo = this.getScriptInfoFromProjectService(incomingCall.from.file);
          return {
            from: this.toProtocolCallHierarchyItem(incomingCall.from),
            fromSpans: incomingCall.fromSpans.map((fromSpan) => toProtocolTextSpan(fromSpan, scriptInfo))
          };
        }
        toProtocolCallHierarchyOutgoingCall(outgoingCall, scriptInfo) {
          return {
            to: this.toProtocolCallHierarchyItem(outgoingCall.to),
            fromSpans: outgoingCall.fromSpans.map((fromSpan) => toProtocolTextSpan(fromSpan, scriptInfo))
          };
        }
        prepareCallHierarchy(args) {
          const { file, project } = this.getFileAndProject(args);
          const scriptInfo = this.projectService.getScriptInfoForNormalizedPath(file);
          if (scriptInfo) {
            const position = this.getPosition(args, scriptInfo);
            const result = project.getLanguageService().prepareCallHierarchy(file, position);
            return result && mapOneOrMany(result, (item) => this.toProtocolCallHierarchyItem(item));
          }
          return void 0;
        }
        provideCallHierarchyIncomingCalls(args) {
          const { file, project } = this.getFileAndProject(args);
          const scriptInfo = this.getScriptInfoFromProjectService(file);
          const incomingCalls = project.getLanguageService().provideCallHierarchyIncomingCalls(file, this.getPosition(args, scriptInfo));
          return incomingCalls.map((call) => this.toProtocolCallHierarchyIncomingCall(call));
        }
        provideCallHierarchyOutgoingCalls(args) {
          const { file, project } = this.getFileAndProject(args);
          const scriptInfo = this.getScriptInfoFromProjectService(file);
          const outgoingCalls = project.getLanguageService().provideCallHierarchyOutgoingCalls(file, this.getPosition(args, scriptInfo));
          return outgoingCalls.map((call) => this.toProtocolCallHierarchyOutgoingCall(call, scriptInfo));
        }
        getCanonicalFileName(fileName) {
          const name = this.host.useCaseSensitiveFileNames ? fileName : toFileNameLowerCase(fileName);
          return normalizePath(name);
        }
        exit() {
        }
        notRequired() {
          return { responseRequired: false };
        }
        requiredResponse(response) {
          return { response, responseRequired: true };
        }
        addProtocolHandler(command, handler) {
          if (this.handlers.has(command)) {
            throw new Error(`Protocol handler already exists for command "${command}"`);
          }
          this.handlers.set(command, handler);
        }
        setCurrentRequest(requestId) {
          Debug.assert(this.currentRequestId === void 0);
          this.currentRequestId = requestId;
          this.cancellationToken.setRequest(requestId);
        }
        resetCurrentRequest(requestId) {
          Debug.assert(this.currentRequestId === requestId);
          this.currentRequestId = void 0;
          this.cancellationToken.resetRequest(requestId);
        }
        executeWithRequestId(requestId, f) {
          try {
            this.setCurrentRequest(requestId);
            return f();
          } finally {
            this.resetCurrentRequest(requestId);
          }
        }
        executeCommand(request) {
          const handler = this.handlers.get(request.command);
          if (handler) {
            const response = this.executeWithRequestId(request.seq, () => handler(request));
            this.projectService.enableRequestedPlugins();
            return response;
          } else {
            this.logger.msg(
              `Unrecognized JSON command:${stringifyIndented(request)}`,
              "Err"
              /* Err */
            );
            this.doOutput(
              /*info*/
              void 0,
              "unknown",
              request.seq,
              /*success*/
              false,
              `Unrecognized JSON command: ${request.command}`
            );
            return { responseRequired: false };
          }
        }
        onMessage(message) {
          var _a, _b, _c, _d, _e, _f, _g, _h, _i, _j, _k;
          this.gcTimer.scheduleCollect();
          this.performanceData = void 0;
          let start;
          if (this.logger.hasLevel(
            2
            /* requestTime */
          )) {
            start = this.hrtime();
            if (this.logger.hasLevel(
              3
              /* verbose */
            )) {
              this.logger.info(`request:${indent2(this.toStringMessage(message))}`);
            }
          }
          let request;
          let relevantFile;
          try {
            request = this.parseMessage(message);
            relevantFile = request.arguments && request.arguments.file ? request.arguments : void 0;
            (_a = tracing) == null ? void 0 : _a.instant(tracing.Phase.Session, "request", { seq: request.seq, command: request.command });
            (_b = perfLogger) == null ? void 0 : _b.logStartCommand("" + request.command, this.toStringMessage(message).substring(0, 100));
            (_c = tracing) == null ? void 0 : _c.push(
              tracing.Phase.Session,
              "executeCommand",
              { seq: request.seq, command: request.command },
              /*separateBeginAndEnd*/
              true
            );
            const { response, responseRequired } = this.executeCommand(request);
            (_d = tracing) == null ? void 0 : _d.pop();
            if (this.logger.hasLevel(
              2
              /* requestTime */
            )) {
              const elapsedTime = hrTimeToMilliseconds(this.hrtime(start)).toFixed(4);
              if (responseRequired) {
                this.logger.perftrc(`${request.seq}::${request.command}: elapsed time (in milliseconds) ${elapsedTime}`);
              } else {
                this.logger.perftrc(`${request.seq}::${request.command}: async elapsed time (in milliseconds) ${elapsedTime}`);
              }
            }
            (_e = perfLogger) == null ? void 0 : _e.logStopCommand("" + request.command, "Success");
            (_f = tracing) == null ? void 0 : _f.instant(tracing.Phase.Session, "response", { seq: request.seq, command: request.command, success: !!response });
            if (response) {
              this.doOutput(
                response,
                request.command,
                request.seq,
                /*success*/
                true
              );
            } else if (responseRequired) {
              this.doOutput(
                /*info*/
                void 0,
                request.command,
                request.seq,
                /*success*/
                false,
                "No content available."
              );
            }
          } catch (err) {
            (_g = tracing) == null ? void 0 : _g.popAll();
            if (err instanceof OperationCanceledException) {
              (_h = perfLogger) == null ? void 0 : _h.logStopCommand("" + (request && request.command), "Canceled: " + err);
              (_i = tracing) == null ? void 0 : _i.instant(tracing.Phase.Session, "commandCanceled", { seq: request == null ? void 0 : request.seq, command: request == null ? void 0 : request.command });
              this.doOutput(
                { canceled: true },
                request.command,
                request.seq,
                /*success*/
                true
              );
              return;
            }
            this.logErrorWorker(err, this.toStringMessage(message), relevantFile);
            (_j = perfLogger) == null ? void 0 : _j.logStopCommand("" + (request && request.command), "Error: " + err);
            (_k = tracing) == null ? void 0 : _k.instant(tracing.Phase.Session, "commandError", { seq: request == null ? void 0 : request.seq, command: request == null ? void 0 : request.command, message: err.message });
            this.doOutput(
              /*info*/
              void 0,
              request ? request.command : "unknown",
              request ? request.seq : 0,
              /*success*/
              false,
              "Error processing request. " + err.message + "\n" + err.stack
            );
          }
        }
        parseMessage(message) {
          return JSON.parse(message);
        }
        toStringMessage(message) {
          return message;
        }
        getFormatOptions(file) {
          return this.projectService.getFormatCodeOptions(file);
        }
        getPreferences(file) {
          return this.projectService.getPreferences(file);
        }
        getHostFormatOptions() {
          return this.projectService.getHostFormatCodeOptions();
        }
        getHostPreferences() {
          return this.projectService.getHostPreferences();
        }
      };
      function toProtocolTextSpan(textSpan, scriptInfo) {
        return {
          start: scriptInfo.positionToLineOffset(textSpan.start),
          end: scriptInfo.positionToLineOffset(textSpanEnd(textSpan))
        };
      }
      function toProtocolTextSpanWithContext(span, contextSpan, scriptInfo) {
        const textSpan = toProtocolTextSpan(span, scriptInfo);
        const contextTextSpan = contextSpan && toProtocolTextSpan(contextSpan, scriptInfo);
        return contextTextSpan ? { ...textSpan, contextStart: contextTextSpan.start, contextEnd: contextTextSpan.end } : textSpan;
      }
      function convertTextChangeToCodeEdit(change, scriptInfo) {
        return { start: positionToLineOffset(scriptInfo, change.span.start), end: positionToLineOffset(scriptInfo, textSpanEnd(change.span)), newText: change.newText };
      }
      function positionToLineOffset(info, position) {
        return isConfigFile(info) ? locationFromLineAndCharacter(info.getLineAndCharacterOfPosition(position)) : info.positionToLineOffset(position);
      }
      function convertLinkedEditInfoToRanges(linkedEdit, scriptInfo) {
        const ranges = linkedEdit.ranges.map(
          (r) => {
            return {
              start: scriptInfo.positionToLineOffset(r.start),
              end: scriptInfo.positionToLineOffset(r.start + r.length)
            };
          }
        );
        if (!linkedEdit.wordPattern) return { ranges };
        return { ranges, wordPattern: linkedEdit.wordPattern };
      }
      function locationFromLineAndCharacter(lc) {
        return { line: lc.line + 1, offset: lc.character + 1 };
      }
      function convertNewFileTextChangeToCodeEdit(textChanges2) {
        Debug.assert(textChanges2.textChanges.length === 1);
        const change = first(textChanges2.textChanges);
        Debug.assert(change.span.start === 0 && change.span.length === 0);
        return { fileName: textChanges2.fileName, textChanges: [{ start: { line: 0, offset: 0 }, end: { line: 0, offset: 0 }, newText: change.newText }] };
      }
      function getLocationInNewDocument(oldText, renameFilename, renameLocation, edits) {
        const newText = applyEdits(oldText, renameFilename, edits);
        const { line, character } = computeLineAndCharacterOfPosition(computeLineStarts(newText), renameLocation);
        return { line: line + 1, offset: character + 1 };
      }
      function applyEdits(text, textFilename, edits) {
        for (const { fileName, textChanges: textChanges2 } of edits) {
          if (fileName !== textFilename) {
            continue;
          }
          for (let i = textChanges2.length - 1; i >= 0; i--) {
            const { newText, span: { start, length: length2 } } = textChanges2[i];
            text = text.slice(0, start) + newText + text.slice(start + length2);
          }
        }
        return text;
      }
      function referenceEntryToReferencesResponseItem(projectService, { fileName, textSpan, contextSpan, isWriteAccess: isWriteAccess2, isDefinition }, { disableLineTextInReferences }) {
        const scriptInfo = Debug.checkDefined(projectService.getScriptInfo(fileName));
        const span = toProtocolTextSpanWithContext(textSpan, contextSpan, scriptInfo);
        const lineText = disableLineTextInReferences ? void 0 : getLineText(scriptInfo, span);
        return {
          file: fileName,
          ...span,
          lineText,
          isWriteAccess: isWriteAccess2,
          isDefinition
        };
      }
      function getLineText(scriptInfo, span) {
        const lineSpan = scriptInfo.lineToTextSpan(span.start.line - 1);
        return scriptInfo.getSnapshot().getText(lineSpan.start, textSpanEnd(lineSpan)).replace(/\r|\n/g, "");
      }
      function isCompletionEntryData(data) {
        return data === void 0 || data && typeof data === "object" && typeof data.exportName === "string" && (data.fileName === void 0 || typeof data.fileName === "string") && (data.ambientModuleName === void 0 || typeof data.ambientModuleName === "string" && (data.isPackageJsonImport === void 0 || typeof data.isPackageJsonImport === "boolean"));
      }
      var lineCollectionCapacity = 4;
      var CharRangeSection = /* @__PURE__ */ ((CharRangeSection2) => {
        CharRangeSection2[CharRangeSection2["PreStart"] = 0] = "PreStart";
        CharRangeSection2[CharRangeSection2["Start"] = 1] = "Start";
        CharRangeSection2[CharRangeSection2["Entire"] = 2] = "Entire";
        CharRangeSection2[CharRangeSection2["Mid"] = 3] = "Mid";
        CharRangeSection2[CharRangeSection2["End"] = 4] = "End";
        CharRangeSection2[CharRangeSection2["PostEnd"] = 5] = "PostEnd";
        return CharRangeSection2;
      })(CharRangeSection || {});
      var EditWalker = class {
        constructor() {
          this.goSubtree = true;
          this.lineIndex = new LineIndex();
          this.endBranch = [];
          this.state = 2;
          this.initialText = "";
          this.trailingText = "";
          this.lineIndex.root = new LineNode();
          this.startPath = [this.lineIndex.root];
          this.stack = [this.lineIndex.root];
        }
        get done() {
          return false;
        }
        insertLines(insertedText, suppressTrailingText) {
          if (suppressTrailingText) {
            this.trailingText = "";
          }
          if (insertedText) {
            insertedText = this.initialText + insertedText + this.trailingText;
          } else {
            insertedText = this.initialText + this.trailingText;
          }
          const lm = LineIndex.linesFromText(insertedText);
          const lines = lm.lines;
          if (lines.length > 1 && lines[lines.length - 1] === "") {
            lines.pop();
          }
          let branchParent;
          let lastZeroCount;
          for (let k = this.endBranch.length - 1; k >= 0; k--) {
            this.endBranch[k].updateCounts();
            if (this.endBranch[k].charCount() === 0) {
              lastZeroCount = this.endBranch[k];
              if (k > 0) {
                branchParent = this.endBranch[k - 1];
              } else {
                branchParent = this.branchNode;
              }
            }
          }
          if (lastZeroCount) {
            branchParent.remove(lastZeroCount);
          }
          const leafNode = this.startPath[this.startPath.length - 1];
          if (lines.length > 0) {
            leafNode.text = lines[0];
            if (lines.length > 1) {
              let insertedNodes = new Array(lines.length - 1);
              let startNode2 = leafNode;
              for (let i = 1; i < lines.length; i++) {
                insertedNodes[i - 1] = new LineLeaf(lines[i]);
              }
              let pathIndex = this.startPath.length - 2;
              while (pathIndex >= 0) {
                const insertionNode = this.startPath[pathIndex];
                insertedNodes = insertionNode.insertAt(startNode2, insertedNodes);
                pathIndex--;
                startNode2 = insertionNode;
              }
              let insertedNodesLen = insertedNodes.length;
              while (insertedNodesLen > 0) {
                const newRoot = new LineNode();
                newRoot.add(this.lineIndex.root);
                insertedNodes = newRoot.insertAt(this.lineIndex.root, insertedNodes);
                insertedNodesLen = insertedNodes.length;
                this.lineIndex.root = newRoot;
              }
              this.lineIndex.root.updateCounts();
            } else {
              for (let j = this.startPath.length - 2; j >= 0; j--) {
                this.startPath[j].updateCounts();
              }
            }
          } else {
            const insertionNode = this.startPath[this.startPath.length - 2];
            insertionNode.remove(leafNode);
            for (let j = this.startPath.length - 2; j >= 0; j--) {
              this.startPath[j].updateCounts();
            }
          }
          return this.lineIndex;
        }
        post(_relativeStart, _relativeLength, lineCollection) {
          if (lineCollection === this.lineCollectionAtBranch) {
            this.state = 4;
          }
          this.stack.pop();
        }
        pre(_relativeStart, _relativeLength, lineCollection, _parent, nodeType) {
          const currentNode = this.stack[this.stack.length - 1];
          if (this.state === 2 && nodeType === 1) {
            this.state = 1;
            this.branchNode = currentNode;
            this.lineCollectionAtBranch = lineCollection;
          }
          let child;
          function fresh(node) {
            if (node.isLeaf()) {
              return new LineLeaf("");
            } else return new LineNode();
          }
          switch (nodeType) {
            case 0:
              this.goSubtree = false;
              if (this.state !== 4) {
                currentNode.add(lineCollection);
              }
              break;
            case 1:
              if (this.state === 4) {
                this.goSubtree = false;
              } else {
                child = fresh(lineCollection);
                currentNode.add(child);
                this.startPath.push(child);
              }
              break;
            case 2:
              if (this.state !== 4) {
                child = fresh(lineCollection);
                currentNode.add(child);
                this.startPath.push(child);
              } else {
                if (!lineCollection.isLeaf()) {
                  child = fresh(lineCollection);
                  currentNode.add(child);
                  this.endBranch.push(child);
                }
              }
              break;
            case 3:
              this.goSubtree = false;
              break;
            case 4:
              if (this.state !== 4) {
                this.goSubtree = false;
              } else {
                if (!lineCollection.isLeaf()) {
                  child = fresh(lineCollection);
                  currentNode.add(child);
                  this.endBranch.push(child);
                }
              }
              break;
            case 5:
              this.goSubtree = false;
              if (this.state !== 1) {
                currentNode.add(lineCollection);
              }
              break;
          }
          if (this.goSubtree) {
            this.stack.push(child);
          }
        }
        // just gather text from the leaves
        leaf(relativeStart, relativeLength, ll) {
          if (this.state === 1) {
            this.initialText = ll.text.substring(0, relativeStart);
          } else if (this.state === 2) {
            this.initialText = ll.text.substring(0, relativeStart);
            this.trailingText = ll.text.substring(relativeStart + relativeLength);
          } else {
            this.trailingText = ll.text.substring(relativeStart + relativeLength);
          }
        }
      };
      var TextChange9 = class {
        constructor(pos, deleteLen, insertedText) {
          this.pos = pos;
          this.deleteLen = deleteLen;
          this.insertedText = insertedText;
        }
        getTextChangeRange() {
          return createTextChangeRange(createTextSpan(this.pos, this.deleteLen), this.insertedText ? this.insertedText.length : 0);
        }
      };
      var _ScriptVersionCache = class _ScriptVersionCache2 {
        constructor() {
          this.changes = [];
          this.versions = new Array(_ScriptVersionCache2.maxVersions);
          this.minVersion = 0;
          this.currentVersion = 0;
        }
        versionToIndex(version2) {
          if (version2 < this.minVersion || version2 > this.currentVersion) {
            return void 0;
          }
          return version2 % _ScriptVersionCache2.maxVersions;
        }
        currentVersionToIndex() {
          return this.currentVersion % _ScriptVersionCache2.maxVersions;
        }
        // REVIEW: can optimize by coalescing simple edits
        edit(pos, deleteLen, insertedText) {
          this.changes.push(new TextChange9(pos, deleteLen, insertedText));
          if (this.changes.length > _ScriptVersionCache2.changeNumberThreshold || deleteLen > _ScriptVersionCache2.changeLengthThreshold || insertedText && insertedText.length > _ScriptVersionCache2.changeLengthThreshold) {
            this.getSnapshot();
          }
        }
        getSnapshot() {
          return this._getSnapshot();
        }
        _getSnapshot() {
          let snap = this.versions[this.currentVersionToIndex()];
          if (this.changes.length > 0) {
            let snapIndex = snap.index;
            for (const change of this.changes) {
              snapIndex = snapIndex.edit(change.pos, change.deleteLen, change.insertedText);
            }
            snap = new LineIndexSnapshot(this.currentVersion + 1, this, snapIndex, this.changes);
            this.currentVersion = snap.version;
            this.versions[this.currentVersionToIndex()] = snap;
            this.changes = [];
            if (this.currentVersion - this.minVersion >= _ScriptVersionCache2.maxVersions) {
              this.minVersion = this.currentVersion - _ScriptVersionCache2.maxVersions + 1;
            }
          }
          return snap;
        }
        getSnapshotVersion() {
          return this._getSnapshot().version;
        }
        getAbsolutePositionAndLineText(oneBasedLine) {
          return this._getSnapshot().index.lineNumberToInfo(oneBasedLine);
        }
        lineOffsetToPosition(line, column) {
          return this._getSnapshot().index.absolutePositionOfStartOfLine(line) + (column - 1);
        }
        positionToLineOffset(position) {
          return this._getSnapshot().index.positionToLineOffset(position);
        }
        lineToTextSpan(line) {
          const index = this._getSnapshot().index;
          const { lineText, absolutePosition } = index.lineNumberToInfo(line + 1);
          const len = lineText !== void 0 ? lineText.length : index.absolutePositionOfStartOfLine(line + 2) - absolutePosition;
          return createTextSpan(absolutePosition, len);
        }
        getTextChangesBetweenVersions(oldVersion, newVersion) {
          if (oldVersion < newVersion) {
            if (oldVersion >= this.minVersion) {
              const textChangeRanges = [];
              for (let i = oldVersion + 1; i <= newVersion; i++) {
                const snap = this.versions[this.versionToIndex(i)];
                for (const textChange of snap.changesSincePreviousVersion) {
                  textChangeRanges.push(textChange.getTextChangeRange());
                }
              }
              return collapseTextChangeRangesAcrossMultipleVersions(textChangeRanges);
            } else {
              return void 0;
            }
          } else {
            return unchangedTextChangeRange;
          }
        }
        getLineCount() {
          return this._getSnapshot().index.getLineCount();
        }
        static fromString(script) {
          const svc = new _ScriptVersionCache2();
          const snap = new LineIndexSnapshot(0, svc, new LineIndex());
          svc.versions[svc.currentVersion] = snap;
          const lm = LineIndex.linesFromText(script);
          snap.index.load(lm.lines);
          return svc;
        }
      };
      _ScriptVersionCache.changeNumberThreshold = 8;
      _ScriptVersionCache.changeLengthThreshold = 256;
      _ScriptVersionCache.maxVersions = 8;
      var ScriptVersionCache = _ScriptVersionCache;
      var LineIndexSnapshot = class _LineIndexSnapshot {
        constructor(version2, cache, index, changesSincePreviousVersion = emptyArray2) {
          this.version = version2;
          this.cache = cache;
          this.index = index;
          this.changesSincePreviousVersion = changesSincePreviousVersion;
        }
        getText(rangeStart, rangeEnd) {
          return this.index.getText(rangeStart, rangeEnd - rangeStart);
        }
        getLength() {
          return this.index.getLength();
        }
        getChangeRange(oldSnapshot) {
          if (oldSnapshot instanceof _LineIndexSnapshot && this.cache === oldSnapshot.cache) {
            if (this.version <= oldSnapshot.version) {
              return unchangedTextChangeRange;
            } else {
              return this.cache.getTextChangesBetweenVersions(oldSnapshot.version, this.version);
            }
          }
        }
      };
      var LineIndex = class _LineIndex {
        constructor() {
          this.checkEdits = false;
        }
        absolutePositionOfStartOfLine(oneBasedLine) {
          return this.lineNumberToInfo(oneBasedLine).absolutePosition;
        }
        positionToLineOffset(position) {
          const { oneBasedLine, zeroBasedColumn } = this.root.charOffsetToLineInfo(1, position);
          return { line: oneBasedLine, offset: zeroBasedColumn + 1 };
        }
        positionToColumnAndLineText(position) {
          return this.root.charOffsetToLineInfo(1, position);
        }
        getLineCount() {
          return this.root.lineCount();
        }
        lineNumberToInfo(oneBasedLine) {
          const lineCount = this.getLineCount();
          if (oneBasedLine <= lineCount) {
            const { position, leaf } = this.root.lineNumberToInfo(oneBasedLine, 0);
            return { absolutePosition: position, lineText: leaf && leaf.text };
          } else {
            return { absolutePosition: this.root.charCount(), lineText: void 0 };
          }
        }
        load(lines) {
          if (lines.length > 0) {
            const leaves = [];
            for (let i = 0; i < lines.length; i++) {
              leaves[i] = new LineLeaf(lines[i]);
            }
            this.root = _LineIndex.buildTreeFromBottom(leaves);
          } else {
            this.root = new LineNode();
          }
        }
        walk(rangeStart, rangeLength, walkFns) {
          this.root.walk(rangeStart, rangeLength, walkFns);
        }
        getText(rangeStart, rangeLength) {
          let accum = "";
          if (rangeLength > 0 && rangeStart < this.root.charCount()) {
            this.walk(rangeStart, rangeLength, {
              goSubtree: true,
              done: false,
              leaf: (relativeStart, relativeLength, ll) => {
                accum = accum.concat(ll.text.substring(relativeStart, relativeStart + relativeLength));
              }
            });
          }
          return accum;
        }
        getLength() {
          return this.root.charCount();
        }
        every(f, rangeStart, rangeEnd) {
          if (!rangeEnd) {
            rangeEnd = this.root.charCount();
          }
          const walkFns = {
            goSubtree: true,
            done: false,
            leaf(relativeStart, relativeLength, ll) {
              if (!f(ll, relativeStart, relativeLength)) {
                this.done = true;
              }
            }
          };
          this.walk(rangeStart, rangeEnd - rangeStart, walkFns);
          return !walkFns.done;
        }
        edit(pos, deleteLength, newText) {
          if (this.root.charCount() === 0) {
            Debug.assert(deleteLength === 0);
            if (newText !== void 0) {
              this.load(_LineIndex.linesFromText(newText).lines);
              return this;
            }
            return void 0;
          } else {
            let checkText;
            if (this.checkEdits) {
              const source = this.getText(0, this.root.charCount());
              checkText = source.slice(0, pos) + newText + source.slice(pos + deleteLength);
            }
            const walker = new EditWalker();
            let suppressTrailingText = false;
            if (pos >= this.root.charCount()) {
              pos = this.root.charCount() - 1;
              const endString = this.getText(pos, 1);
              if (newText) {
                newText = endString + newText;
              } else {
                newText = endString;
              }
              deleteLength = 0;
              suppressTrailingText = true;
            } else if (deleteLength > 0) {
              const e = pos + deleteLength;
              const { zeroBasedColumn, lineText } = this.positionToColumnAndLineText(e);
              if (zeroBasedColumn === 0) {
                deleteLength += lineText.length;
                newText = newText ? newText + lineText : lineText;
              }
            }
            this.root.walk(pos, deleteLength, walker);
            walker.insertLines(newText, suppressTrailingText);
            if (this.checkEdits) {
              const updatedText = walker.lineIndex.getText(0, walker.lineIndex.getLength());
              Debug.assert(checkText === updatedText, "buffer edit mismatch");
            }
            return walker.lineIndex;
          }
        }
        static buildTreeFromBottom(nodes) {
          if (nodes.length < lineCollectionCapacity) {
            return new LineNode(nodes);
          }
          const interiorNodes = new Array(Math.ceil(nodes.length / lineCollectionCapacity));
          let nodeIndex = 0;
          for (let i = 0; i < interiorNodes.length; i++) {
            const end = Math.min(nodeIndex + lineCollectionCapacity, nodes.length);
            interiorNodes[i] = new LineNode(nodes.slice(nodeIndex, end));
            nodeIndex = end;
          }
          return this.buildTreeFromBottom(interiorNodes);
        }
        static linesFromText(text) {
          const lineMap = computeLineStarts(text);
          if (lineMap.length === 0) {
            return { lines: [], lineMap };
          }
          const lines = new Array(lineMap.length);
          const lc = lineMap.length - 1;
          for (let lmi = 0; lmi < lc; lmi++) {
            lines[lmi] = text.substring(lineMap[lmi], lineMap[lmi + 1]);
          }
          const endText = text.substring(lineMap[lc]);
          if (endText.length > 0) {
            lines[lc] = endText;
          } else {
            lines.pop();
          }
          return { lines, lineMap };
        }
      };
      var LineNode = class _LineNode {
        constructor(children = []) {
          this.children = children;
          this.totalChars = 0;
          this.totalLines = 0;
          if (children.length) this.updateCounts();
        }
        isLeaf() {
          return false;
        }
        updateCounts() {
          this.totalChars = 0;
          this.totalLines = 0;
          for (const child of this.children) {
            this.totalChars += child.charCount();
            this.totalLines += child.lineCount();
          }
        }
        execWalk(rangeStart, rangeLength, walkFns, childIndex, nodeType) {
          if (walkFns.pre) {
            walkFns.pre(rangeStart, rangeLength, this.children[childIndex], this, nodeType);
          }
          if (walkFns.goSubtree) {
            this.children[childIndex].walk(rangeStart, rangeLength, walkFns);
            if (walkFns.post) {
              walkFns.post(rangeStart, rangeLength, this.children[childIndex], this, nodeType);
            }
          } else {
            walkFns.goSubtree = true;
          }
          return walkFns.done;
        }
        skipChild(relativeStart, relativeLength, childIndex, walkFns, nodeType) {
          if (walkFns.pre && !walkFns.done) {
            walkFns.pre(relativeStart, relativeLength, this.children[childIndex], this, nodeType);
            walkFns.goSubtree = true;
          }
        }
        walk(rangeStart, rangeLength, walkFns) {
          let childIndex = 0;
          let childCharCount = this.children[childIndex].charCount();
          let adjustedStart = rangeStart;
          while (adjustedStart >= childCharCount) {
            this.skipChild(
              adjustedStart,
              rangeLength,
              childIndex,
              walkFns,
              0
              /* PreStart */
            );
            adjustedStart -= childCharCount;
            childIndex++;
            childCharCount = this.children[childIndex].charCount();
          }
          if (adjustedStart + rangeLength <= childCharCount) {
            if (this.execWalk(
              adjustedStart,
              rangeLength,
              walkFns,
              childIndex,
              2
              /* Entire */
            )) {
              return;
            }
          } else {
            if (this.execWalk(
              adjustedStart,
              childCharCount - adjustedStart,
              walkFns,
              childIndex,
              1
              /* Start */
            )) {
              return;
            }
            let adjustedLength = rangeLength - (childCharCount - adjustedStart);
            childIndex++;
            const child = this.children[childIndex];
            childCharCount = child.charCount();
            while (adjustedLength > childCharCount) {
              if (this.execWalk(
                0,
                childCharCount,
                walkFns,
                childIndex,
                3
                /* Mid */
              )) {
                return;
              }
              adjustedLength -= childCharCount;
              childIndex++;
              childCharCount = this.children[childIndex].charCount();
            }
            if (adjustedLength > 0) {
              if (this.execWalk(
                0,
                adjustedLength,
                walkFns,
                childIndex,
                4
                /* End */
              )) {
                return;
              }
            }
          }
          if (walkFns.pre) {
            const clen = this.children.length;
            if (childIndex < clen - 1) {
              for (let ej = childIndex + 1; ej < clen; ej++) {
                this.skipChild(
                  0,
                  0,
                  ej,
                  walkFns,
                  5
                  /* PostEnd */
                );
              }
            }
          }
        }
        // Input position is relative to the start of this node.
        // Output line number is absolute.
        charOffsetToLineInfo(lineNumberAccumulator, relativePosition) {
          if (this.children.length === 0) {
            return { oneBasedLine: lineNumberAccumulator, zeroBasedColumn: relativePosition, lineText: void 0 };
          }
          for (const child of this.children) {
            if (child.charCount() > relativePosition) {
              if (child.isLeaf()) {
                return { oneBasedLine: lineNumberAccumulator, zeroBasedColumn: relativePosition, lineText: child.text };
              } else {
                return child.charOffsetToLineInfo(lineNumberAccumulator, relativePosition);
              }
            } else {
              relativePosition -= child.charCount();
              lineNumberAccumulator += child.lineCount();
            }
          }
          const lineCount = this.lineCount();
          if (lineCount === 0) {
            return { oneBasedLine: 1, zeroBasedColumn: 0, lineText: void 0 };
          }
          const leaf = Debug.checkDefined(this.lineNumberToInfo(lineCount, 0).leaf);
          return { oneBasedLine: lineCount, zeroBasedColumn: leaf.charCount(), lineText: void 0 };
        }
        /**
         * Input line number is relative to the start of this node.
         * Output line number is relative to the child.
         * positionAccumulator will be an absolute position once relativeLineNumber reaches 0.
         */
        lineNumberToInfo(relativeOneBasedLine, positionAccumulator) {
          for (const child of this.children) {
            const childLineCount = child.lineCount();
            if (childLineCount >= relativeOneBasedLine) {
              return child.isLeaf() ? { position: positionAccumulator, leaf: child } : child.lineNumberToInfo(relativeOneBasedLine, positionAccumulator);
            } else {
              relativeOneBasedLine -= childLineCount;
              positionAccumulator += child.charCount();
            }
          }
          return { position: positionAccumulator, leaf: void 0 };
        }
        splitAfter(childIndex) {
          let splitNode;
          const clen = this.children.length;
          childIndex++;
          const endLength = childIndex;
          if (childIndex < clen) {
            splitNode = new _LineNode();
            while (childIndex < clen) {
              splitNode.add(this.children[childIndex]);
              childIndex++;
            }
            splitNode.updateCounts();
          }
          this.children.length = endLength;
          return splitNode;
        }
        remove(child) {
          const childIndex = this.findChildIndex(child);
          const clen = this.children.length;
          if (childIndex < clen - 1) {
            for (let i = childIndex; i < clen - 1; i++) {
              this.children[i] = this.children[i + 1];
            }
          }
          this.children.pop();
        }
        findChildIndex(child) {
          const childIndex = this.children.indexOf(child);
          Debug.assert(childIndex !== -1);
          return childIndex;
        }
        insertAt(child, nodes) {
          let childIndex = this.findChildIndex(child);
          const clen = this.children.length;
          const nodeCount = nodes.length;
          if (clen < lineCollectionCapacity && childIndex === clen - 1 && nodeCount === 1) {
            this.add(nodes[0]);
            this.updateCounts();
            return [];
          } else {
            const shiftNode = this.splitAfter(childIndex);
            let nodeIndex = 0;
            childIndex++;
            while (childIndex < lineCollectionCapacity && nodeIndex < nodeCount) {
              this.children[childIndex] = nodes[nodeIndex];
              childIndex++;
              nodeIndex++;
            }
            let splitNodes = [];
            let splitNodeCount = 0;
            if (nodeIndex < nodeCount) {
              splitNodeCount = Math.ceil((nodeCount - nodeIndex) / lineCollectionCapacity);
              splitNodes = new Array(splitNodeCount);
              let splitNodeIndex = 0;
              for (let i = 0; i < splitNodeCount; i++) {
                splitNodes[i] = new _LineNode();
              }
              let splitNode = splitNodes[0];
              while (nodeIndex < nodeCount) {
                splitNode.add(nodes[nodeIndex]);
                nodeIndex++;
                if (splitNode.children.length === lineCollectionCapacity) {
                  splitNodeIndex++;
                  splitNode = splitNodes[splitNodeIndex];
                }
              }
              for (let i = splitNodes.length - 1; i >= 0; i--) {
                if (splitNodes[i].children.length === 0) {
                  splitNodes.pop();
                }
              }
            }
            if (shiftNode) {
              splitNodes.push(shiftNode);
            }
            this.updateCounts();
            for (let i = 0; i < splitNodeCount; i++) {
              splitNodes[i].updateCounts();
            }
            return splitNodes;
          }
        }
        // assume there is room for the item; return true if more room
        add(collection) {
          this.children.push(collection);
          Debug.assert(this.children.length <= lineCollectionCapacity);
        }
        charCount() {
          return this.totalChars;
        }
        lineCount() {
          return this.totalLines;
        }
      };
      var LineLeaf = class {
        constructor(text) {
          this.text = text;
        }
        isLeaf() {
          return true;
        }
        walk(rangeStart, rangeLength, walkFns) {
          walkFns.leaf(rangeStart, rangeLength, this);
        }
        charCount() {
          return this.text.length;
        }
        lineCount() {
          return 1;
        }
      };
      var _TypingsInstallerAdapter = class _TypingsInstallerAdapter2 {
        constructor(telemetryEnabled, logger, host, globalTypingsCacheLocation, event, maxActiveRequestCount) {
          this.telemetryEnabled = telemetryEnabled;
          this.logger = logger;
          this.host = host;
          this.globalTypingsCacheLocation = globalTypingsCacheLocation;
          this.event = event;
          this.maxActiveRequestCount = maxActiveRequestCount;
          this.activeRequestCount = 0;
          this.requestQueue = createQueue();
          this.requestMap = /* @__PURE__ */ new Map();
          this.requestedRegistry = false;
          this.packageInstallId = 0;
        }
        isKnownTypesPackageName(name) {
          var _a;
          const validationResult = ts_JsTyping_exports.validatePackageName(name);
          if (validationResult !== ts_JsTyping_exports.NameValidationResult.Ok) {
            return false;
          }
          if (!this.requestedRegistry) {
            this.requestedRegistry = true;
            this.installer.send({ kind: "typesRegistry" });
          }
          return !!((_a = this.typesRegistryCache) == null ? void 0 : _a.has(name));
        }
        installPackage(options) {
          this.packageInstallId++;
          const request = { kind: "installPackage", ...options, id: this.packageInstallId };
          const promise = new Promise((resolve2, reject) => {
            (this.packageInstalledPromise ?? (this.packageInstalledPromise = /* @__PURE__ */ new Map())).set(this.packageInstallId, { resolve: resolve2, reject });
          });
          this.installer.send(request);
          return promise;
        }
        attach(projectService) {
          this.projectService = projectService;
          this.installer = this.createInstallerProcess();
        }
        onProjectClosed(p) {
          this.installer.send({ projectName: p.getProjectName(), kind: "closeProject" });
        }
        enqueueInstallTypingsRequest(project, typeAcquisition, unresolvedImports) {
          const request = createInstallTypingsRequest(project, typeAcquisition, unresolvedImports);
          if (this.logger.hasLevel(
            3
            /* verbose */
          )) {
            this.logger.info(`TIAdapter:: Scheduling throttled operation:${stringifyIndented(request)}`);
          }
          if (this.activeRequestCount < this.maxActiveRequestCount) {
            this.scheduleRequest(request);
          } else {
            if (this.logger.hasLevel(
              3
              /* verbose */
            )) {
              this.logger.info(`TIAdapter:: Deferring request for: ${request.projectName}`);
            }
            this.requestQueue.enqueue(request);
            this.requestMap.set(request.projectName, request);
          }
        }
        handleMessage(response) {
          var _a, _b;
          if (this.logger.hasLevel(
            3
            /* verbose */
          )) {
            this.logger.info(`TIAdapter:: Received response:${stringifyIndented(response)}`);
          }
          switch (response.kind) {
            case EventTypesRegistry:
              this.typesRegistryCache = new Map(Object.entries(response.typesRegistry));
              break;
            case ActionPackageInstalled: {
              const promise = (_a = this.packageInstalledPromise) == null ? void 0 : _a.get(response.id);
              Debug.assertIsDefined(promise, "Should find the promise for package install");
              (_b = this.packageInstalledPromise) == null ? void 0 : _b.delete(response.id);
              if (response.success) {
                promise.resolve({ successMessage: response.message });
              } else {
                promise.reject(response.message);
              }
              this.projectService.updateTypingsForProject(response);
              this.event(response, "setTypings");
              break;
            }
            case EventInitializationFailed: {
              const body = {
                message: response.message
              };
              const eventName = "typesInstallerInitializationFailed";
              this.event(body, eventName);
              break;
            }
            case EventBeginInstallTypes: {
              const body = {
                eventId: response.eventId,
                packages: response.packagesToInstall
              };
              const eventName = "beginInstallTypes";
              this.event(body, eventName);
              break;
            }
            case EventEndInstallTypes: {
              if (this.telemetryEnabled) {
                const body2 = {
                  telemetryEventName: "typingsInstalled",
                  payload: {
                    installedPackages: response.packagesToInstall.join(","),
                    installSuccess: response.installSuccess,
                    typingsInstallerVersion: response.typingsInstallerVersion
                  }
                };
                const eventName2 = "telemetry";
                this.event(body2, eventName2);
              }
              const body = {
                eventId: response.eventId,
                packages: response.packagesToInstall,
                success: response.installSuccess
              };
              const eventName = "endInstallTypes";
              this.event(body, eventName);
              break;
            }
            case ActionInvalidate: {
              this.projectService.updateTypingsForProject(response);
              break;
            }
            case ActionSet: {
              if (this.activeRequestCount > 0) {
                this.activeRequestCount--;
              } else {
                Debug.fail("TIAdapter:: Received too many responses");
              }
              while (!this.requestQueue.isEmpty()) {
                const queuedRequest = this.requestQueue.dequeue();
                if (this.requestMap.get(queuedRequest.projectName) === queuedRequest) {
                  this.requestMap.delete(queuedRequest.projectName);
                  this.scheduleRequest(queuedRequest);
                  break;
                }
                if (this.logger.hasLevel(
                  3
                  /* verbose */
                )) {
                  this.logger.info(`TIAdapter:: Skipping defunct request for: ${queuedRequest.projectName}`);
                }
              }
              this.projectService.updateTypingsForProject(response);
              this.event(response, "setTypings");
              break;
            }
            case ActionWatchTypingLocations:
              this.projectService.watchTypingLocations(response);
              break;
            default:
              assertType(response);
          }
        }
        scheduleRequest(request) {
          if (this.logger.hasLevel(
            3
            /* verbose */
          )) {
            this.logger.info(`TIAdapter:: Scheduling request for: ${request.projectName}`);
          }
          this.activeRequestCount++;
          this.host.setTimeout(
            () => {
              if (this.logger.hasLevel(
                3
                /* verbose */
              )) {
                this.logger.info(`TIAdapter:: Sending request:${stringifyIndented(request)}`);
              }
              this.installer.send(request);
            },
            _TypingsInstallerAdapter2.requestDelayMillis,
            `${request.projectName}::${request.kind}`
          );
        }
      };
      _TypingsInstallerAdapter.requestDelayMillis = 100;
      var TypingsInstallerAdapter = _TypingsInstallerAdapter;
      var ts_server_exports4 = {};
      __export2(ts_server_exports4, {
        ActionInvalidate: () => ActionInvalidate,
        ActionPackageInstalled: () => ActionPackageInstalled,
        ActionSet: () => ActionSet,
        ActionWatchTypingLocations: () => ActionWatchTypingLocations,
        Arguments: () => Arguments,
        AutoImportProviderProject: () => AutoImportProviderProject,
        AuxiliaryProject: () => AuxiliaryProject,
        CharRangeSection: () => CharRangeSection,
        CloseFileWatcherEvent: () => CloseFileWatcherEvent,
        CommandNames: () => CommandNames,
        ConfigFileDiagEvent: () => ConfigFileDiagEvent,
        ConfiguredProject: () => ConfiguredProject2,
        ConfiguredProjectLoadKind: () => ConfiguredProjectLoadKind,
        CreateDirectoryWatcherEvent: () => CreateDirectoryWatcherEvent,
        CreateFileWatcherEvent: () => CreateFileWatcherEvent,
        Errors: () => Errors,
        EventBeginInstallTypes: () => EventBeginInstallTypes,
        EventEndInstallTypes: () => EventEndInstallTypes,
        EventInitializationFailed: () => EventInitializationFailed,
        EventTypesRegistry: () => EventTypesRegistry,
        ExternalProject: () => ExternalProject,
        GcTimer: () => GcTimer,
        InferredProject: () => InferredProject2,
        LargeFileReferencedEvent: () => LargeFileReferencedEvent,
        LineIndex: () => LineIndex,
        LineLeaf: () => LineLeaf,
        LineNode: () => LineNode,
        LogLevel: () => LogLevel22,
        Msg: () => Msg,
        OpenFileInfoTelemetryEvent: () => OpenFileInfoTelemetryEvent,
        Project: () => Project3,
        ProjectInfoTelemetryEvent: () => ProjectInfoTelemetryEvent,
        ProjectKind: () => ProjectKind,
        ProjectLanguageServiceStateEvent: () => ProjectLanguageServiceStateEvent,
        ProjectLoadingFinishEvent: () => ProjectLoadingFinishEvent,
        ProjectLoadingStartEvent: () => ProjectLoadingStartEvent,
        ProjectService: () => ProjectService3,
        ProjectsUpdatedInBackgroundEvent: () => ProjectsUpdatedInBackgroundEvent,
        ScriptInfo: () => ScriptInfo,
        ScriptVersionCache: () => ScriptVersionCache,
        Session: () => Session3,
        TextStorage: () => TextStorage,
        ThrottledOperations: () => ThrottledOperations,
        TypingsCache: () => TypingsCache,
        TypingsInstallerAdapter: () => TypingsInstallerAdapter,
        allFilesAreJsOrDts: () => allFilesAreJsOrDts,
        allRootFilesAreJsOrDts: () => allRootFilesAreJsOrDts,
        asNormalizedPath: () => asNormalizedPath,
        convertCompilerOptions: () => convertCompilerOptions,
        convertFormatOptions: () => convertFormatOptions,
        convertScriptKindName: () => convertScriptKindName,
        convertTypeAcquisition: () => convertTypeAcquisition,
        convertUserPreferences: () => convertUserPreferences,
        convertWatchOptions: () => convertWatchOptions,
        countEachFileTypes: () => countEachFileTypes,
        createInstallTypingsRequest: () => createInstallTypingsRequest,
        createModuleSpecifierCache: () => createModuleSpecifierCache,
        createNormalizedPathMap: () => createNormalizedPathMap,
        createPackageJsonCache: () => createPackageJsonCache,
        createSortedArray: () => createSortedArray2,
        emptyArray: () => emptyArray2,
        findArgument: () => findArgument,
        forEachResolvedProjectReferenceProject: () => forEachResolvedProjectReferenceProject,
        formatDiagnosticToProtocol: () => formatDiagnosticToProtocol,
        formatMessage: () => formatMessage2,
        getBaseConfigFileName: () => getBaseConfigFileName,
        getLocationInNewDocument: () => getLocationInNewDocument,
        hasArgument: () => hasArgument,
        hasNoTypeScriptSource: () => hasNoTypeScriptSource,
        indent: () => indent2,
        isBackgroundProject: () => isBackgroundProject,
        isConfigFile: () => isConfigFile,
        isConfiguredProject: () => isConfiguredProject,
        isDynamicFileName: () => isDynamicFileName,
        isExternalProject: () => isExternalProject,
        isInferredProject: () => isInferredProject,
        isInferredProjectName: () => isInferredProjectName,
        isProjectDeferredClose: () => isProjectDeferredClose,
        makeAutoImportProviderProjectName: () => makeAutoImportProviderProjectName,
        makeAuxiliaryProjectName: () => makeAuxiliaryProjectName,
        makeInferredProjectName: () => makeInferredProjectName,
        maxFileSize: () => maxFileSize,
        maxProgramSizeForNonTsFiles: () => maxProgramSizeForNonTsFiles,
        normalizedPathToPath: () => normalizedPathToPath,
        nowString: () => nowString,
        nullCancellationToken: () => nullCancellationToken,
        nullTypingsInstaller: () => nullTypingsInstaller,
        protocol: () => ts_server_protocol_exports,
        removeSorted: () => removeSorted,
        stringifyIndented: () => stringifyIndented,
        toEvent: () => toEvent,
        toNormalizedPath: () => toNormalizedPath,
        tryConvertScriptKindName: () => tryConvertScriptKindName,
        typingsInstaller: () => ts_server_typingsInstaller_exports,
        updateProjectIfDirty: () => updateProjectIfDirty
      });
      if (typeof console !== "undefined") {
        Debug.loggingHost = {
          log(level, s) {
            switch (level) {
              case 1:
                return console.error(s);
              case 2:
                return console.warn(s);
              case 3:
                return console.log(s);
              case 4:
                return console.log(s);
            }
          }
        };
      }
    })({ get exports() {
      return ts;
    }, set exports(v) {
      ts = v;
      if (typeof module2 !== "undefined" && module2.exports) {
        module2.exports = v;
      }
    } });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/escapeRegExp.js
var require_escapeRegExp2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/escapeRegExp.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.escapeRegExp = escapeRegExp;
    var reRegExpChar2 = /[\\^$.*+?()[\]{}|]/g;
    var reHasRegExpChar = RegExp(reRegExpChar2.source);
    function escapeRegExp(string = "") {
      return string && reHasRegExpChar.test(string) ? string.replace(reRegExpChar2, "\\$&") : string;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/astUtils.js
var require_astUtils2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/astUtils.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) {
      for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p);
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getNameLocationInGlobalDirectiveComment = getNameLocationInGlobalDirectiveComment;
    exports2.forEachReturnStatement = forEachReturnStatement;
    var ts = __importStar2(require_typescript3());
    var escapeRegExp_1 = require_escapeRegExp2();
    __exportStar2(require_ast_utils3(), exports2);
    function getNameLocationInGlobalDirectiveComment(sourceCode, comment, name) {
      const namePattern = new RegExp(`[\\s,]${(0, escapeRegExp_1.escapeRegExp)(name)}(?:$|[\\s,:])`, "gu");
      namePattern.lastIndex = comment.value.indexOf("global") + 6;
      const match = namePattern.exec(comment.value);
      const start = sourceCode.getLocFromIndex(comment.range[0] + "/*".length + (match ? match.index + 1 : 0));
      const end = {
        line: start.line,
        column: start.column + (match ? name.length : 1)
      };
      return { start, end };
    }
    function forEachReturnStatement(body, visitor2) {
      return traverse(body);
      function traverse(node) {
        switch (node.kind) {
          case ts.SyntaxKind.ReturnStatement:
            return visitor2(node);
          case ts.SyntaxKind.CaseBlock:
          case ts.SyntaxKind.Block:
          case ts.SyntaxKind.IfStatement:
          case ts.SyntaxKind.DoStatement:
          case ts.SyntaxKind.WhileStatement:
          case ts.SyntaxKind.ForStatement:
          case ts.SyntaxKind.ForInStatement:
          case ts.SyntaxKind.ForOfStatement:
          case ts.SyntaxKind.WithStatement:
          case ts.SyntaxKind.SwitchStatement:
          case ts.SyntaxKind.CaseClause:
          case ts.SyntaxKind.DefaultClause:
          case ts.SyntaxKind.LabeledStatement:
          case ts.SyntaxKind.TryStatement:
          case ts.SyntaxKind.CatchClause:
            return ts.forEachChild(node, traverse);
        }
        return void 0;
      }
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/collectUnusedVariables.js
var require_collectUnusedVariables2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/collectUnusedVariables.js"(exports2) {
    "use strict";
    var __classPrivateFieldSet3 = exports2 && exports2.__classPrivateFieldSet || function(receiver, state, value, kind, f) {
      if (kind === "m") throw new TypeError("Private method is not writable");
      if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter");
      if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it");
      return kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value;
    };
    var __classPrivateFieldGet3 = exports2 && exports2.__classPrivateFieldGet || function(receiver, state, kind, f) {
      if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter");
      if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it");
      return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver);
    };
    var _UnusedVarsVisitor_scopeManager;
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.collectUnusedVariables = collectUnusedVariables;
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist15();
    var UnusedVarsVisitor = class extends scope_manager_1.Visitor {
      // readonly #unusedVariables = new Set();
      constructor(context) {
        super({
          visitChildrenEvenIfSelectorExists: true
        });
        _UnusedVarsVisitor_scopeManager.set(this, void 0);
        this.ClassDeclaration = this.visitClass;
        this.ClassExpression = this.visitClass;
        this.FunctionDeclaration = this.visitFunction;
        this.FunctionExpression = this.visitFunction;
        this.MethodDefinition = this.visitSetter;
        this.Property = this.visitSetter;
        this.TSCallSignatureDeclaration = this.visitFunctionTypeSignature;
        this.TSConstructorType = this.visitFunctionTypeSignature;
        this.TSConstructSignatureDeclaration = this.visitFunctionTypeSignature;
        this.TSDeclareFunction = this.visitFunctionTypeSignature;
        this.TSEmptyBodyFunctionExpression = this.visitFunctionTypeSignature;
        this.TSFunctionType = this.visitFunctionTypeSignature;
        this.TSMethodSignature = this.visitFunctionTypeSignature;
        __classPrivateFieldSet3(this, _UnusedVarsVisitor_scopeManager, utils_1.ESLintUtils.nullThrows(context.sourceCode.scopeManager, "Missing required scope manager"), "f");
      }
      static collectUnusedVariables(context) {
        const program = context.sourceCode.ast;
        const cached = this.RESULTS_CACHE.get(program);
        if (cached) {
          return cached;
        }
        const visitor2 = new this(context);
        visitor2.visit(program);
        const unusedVars = visitor2.collectUnusedVariables(visitor2.getScope(program));
        this.RESULTS_CACHE.set(program, unusedVars);
        return unusedVars;
      }
      collectUnusedVariables(scope, unusedVariables = /* @__PURE__ */ new Set()) {
        for (const variable of scope.variables) {
          if (
            // skip function expression names,
            scope.functionExpressionScope || // variables marked with markVariableAsUsed(),
            variable.eslintUsed || // implicit lib variables (from @typescript-eslint/scope-manager),
            variable instanceof scope_manager_1.ImplicitLibVariable || // basic exported variables
            isExported(variable) || // variables implicitly exported via a merged declaration
            isMergableExported(variable) || // used variables
            isUsedVariable(variable)
          ) {
            continue;
          }
          unusedVariables.add(variable);
        }
        for (const childScope of scope.childScopes) {
          this.collectUnusedVariables(childScope, unusedVariables);
        }
        return unusedVariables;
      }
      //#region HELPERS
      getScope(currentNode) {
        const inner = currentNode.type !== utils_1.AST_NODE_TYPES.Program;
        let node = currentNode;
        while (node) {
          const scope = __classPrivateFieldGet3(this, _UnusedVarsVisitor_scopeManager, "f").acquire(node, inner);
          if (scope) {
            if (scope.type === scope_manager_1.ScopeType.functionExpressionName) {
              return scope.childScopes[0];
            }
            return scope;
          }
          node = node.parent;
        }
        return __classPrivateFieldGet3(this, _UnusedVarsVisitor_scopeManager, "f").scopes[0];
      }
      markVariableAsUsed(variableOrIdentifierOrName, parent) {
        if (typeof variableOrIdentifierOrName !== "string" && !("type" in variableOrIdentifierOrName)) {
          variableOrIdentifierOrName.eslintUsed = true;
          return;
        }
        let name;
        let node;
        if (typeof variableOrIdentifierOrName === "string") {
          name = variableOrIdentifierOrName;
          node = parent;
        } else {
          name = variableOrIdentifierOrName.name;
          node = variableOrIdentifierOrName;
        }
        let currentScope = this.getScope(node);
        while (currentScope) {
          const variable = currentScope.variables.find((scopeVar) => scopeVar.name === name);
          if (variable) {
            variable.eslintUsed = true;
            return;
          }
          currentScope = currentScope.upper;
        }
      }
      visitClass(node) {
        const scope = this.getScope(node);
        for (const variable of scope.variables) {
          if (variable.identifiers[0] === scope.block.id) {
            this.markVariableAsUsed(variable);
            return;
          }
        }
      }
      visitFunction(node) {
        const scope = this.getScope(node);
        const variable = scope.set.get("arguments");
        if (variable?.defs.length === 0) {
          this.markVariableAsUsed(variable);
        }
      }
      visitFunctionTypeSignature(node) {
        for (const param of node.params) {
          this.visitPattern(param, (name) => {
            this.markVariableAsUsed(name);
          });
        }
      }
      visitSetter(node) {
        if (node.kind === "set") {
          for (const param of node.value.params) {
            this.visitPattern(param, (id) => {
              this.markVariableAsUsed(id);
            });
          }
        }
      }
      ForInStatement(node) {
        let idOrVariable;
        if (node.left.type === utils_1.AST_NODE_TYPES.VariableDeclaration) {
          const variable = __classPrivateFieldGet3(this, _UnusedVarsVisitor_scopeManager, "f").getDeclaredVariables(node.left).at(0);
          if (!variable) {
            return;
          }
          idOrVariable = variable;
        }
        if (node.left.type === utils_1.AST_NODE_TYPES.Identifier) {
          idOrVariable = node.left;
        }
        if (idOrVariable == null) {
          return;
        }
        let body = node.body;
        if (node.body.type === utils_1.AST_NODE_TYPES.BlockStatement) {
          if (node.body.body.length !== 1) {
            return;
          }
          body = node.body.body[0];
        }
        if (body.type !== utils_1.AST_NODE_TYPES.ReturnStatement) {
          return;
        }
        this.markVariableAsUsed(idOrVariable);
      }
      Identifier(node) {
        const scope = this.getScope(node);
        if (scope.type === utils_1.TSESLint.Scope.ScopeType.function && node.name === "this") {
          if ("params" in scope.block && scope.block.params.includes(node)) {
            this.markVariableAsUsed(node);
          }
        }
      }
      TSEnumDeclaration(node) {
        const scope = this.getScope(node);
        for (const variable of scope.variables) {
          this.markVariableAsUsed(variable);
        }
      }
      TSMappedType(node) {
        this.markVariableAsUsed(node.typeParameter.name);
      }
      TSModuleDeclaration(node) {
        if (node.kind === "global") {
          this.markVariableAsUsed("global", node.parent);
        }
      }
      TSParameterProperty(node) {
        let identifier = null;
        switch (node.parameter.type) {
          case utils_1.AST_NODE_TYPES.AssignmentPattern:
            if (node.parameter.left.type === utils_1.AST_NODE_TYPES.Identifier) {
              identifier = node.parameter.left;
            }
            break;
          case utils_1.AST_NODE_TYPES.Identifier:
            identifier = node.parameter;
            break;
        }
        if (identifier) {
          this.markVariableAsUsed(identifier);
        }
      }
    };
    _UnusedVarsVisitor_scopeManager = /* @__PURE__ */ new WeakMap();
    UnusedVarsVisitor.RESULTS_CACHE = /* @__PURE__ */ new WeakMap();
    function isInside(inner, outer) {
      return inner.range[0] >= outer.range[0] && inner.range[1] <= outer.range[1];
    }
    function isSelfReference(ref, nodes) {
      let scope = ref.from;
      while (scope) {
        if (nodes.has(scope.block)) {
          return true;
        }
        scope = scope.upper;
      }
      return false;
    }
    var MERGABLE_TYPES = /* @__PURE__ */ new Set([
      utils_1.AST_NODE_TYPES.TSInterfaceDeclaration,
      utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration,
      utils_1.AST_NODE_TYPES.TSModuleDeclaration,
      utils_1.AST_NODE_TYPES.ClassDeclaration,
      utils_1.AST_NODE_TYPES.FunctionDeclaration
    ]);
    function isMergableExported(variable) {
      for (const def of variable.defs) {
        if (def.type === utils_1.TSESLint.Scope.DefinitionType.Parameter) {
          continue;
        }
        if (MERGABLE_TYPES.has(def.node.type) && def.node.parent?.type === utils_1.AST_NODE_TYPES.ExportNamedDeclaration || def.node.parent?.type === utils_1.AST_NODE_TYPES.ExportDefaultDeclaration) {
          return true;
        }
      }
      return false;
    }
    function isExported(variable) {
      return variable.defs.some((definition) => {
        let node = definition.node;
        if (node.type === utils_1.AST_NODE_TYPES.VariableDeclarator) {
          node = node.parent;
        } else if (definition.type === utils_1.TSESLint.Scope.DefinitionType.Parameter) {
          return false;
        }
        return node.parent.type.startsWith("Export");
      });
    }
    var LOGICAL_ASSIGNMENT_OPERATORS = /* @__PURE__ */ new Set(["&&=", "||=", "??="]);
    function isUsedVariable(variable) {
      function getFunctionDefinitions(variable2) {
        const functionDefinitions = /* @__PURE__ */ new Set();
        variable2.defs.forEach((def) => {
          if (def.type === utils_1.TSESLint.Scope.DefinitionType.FunctionName) {
            functionDefinitions.add(def.node);
          }
          if (def.type === utils_1.TSESLint.Scope.DefinitionType.Variable && (def.node.init?.type === utils_1.AST_NODE_TYPES.FunctionExpression || def.node.init?.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression)) {
            functionDefinitions.add(def.node.init);
          }
        });
        return functionDefinitions;
      }
      function getTypeDeclarations(variable2) {
        const nodes = /* @__PURE__ */ new Set();
        variable2.defs.forEach((def) => {
          if (def.node.type === utils_1.AST_NODE_TYPES.TSInterfaceDeclaration || def.node.type === utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration) {
            nodes.add(def.node);
          }
        });
        return nodes;
      }
      function getModuleDeclarations(variable2) {
        const nodes = /* @__PURE__ */ new Set();
        variable2.defs.forEach((def) => {
          if (def.node.type === utils_1.AST_NODE_TYPES.TSModuleDeclaration) {
            nodes.add(def.node);
          }
        });
        return nodes;
      }
      function isInsideOneOf(ref, nodes) {
        for (const node of nodes) {
          if (isInside(ref.identifier, node)) {
            return true;
          }
        }
        return false;
      }
      function getRhsNode(ref, prevRhsNode) {
        function isInLoop(node) {
          let currentNode = node;
          while (currentNode) {
            if (utils_1.ASTUtils.isFunction(currentNode)) {
              break;
            }
            if (utils_1.ASTUtils.isLoop(currentNode)) {
              return true;
            }
            currentNode = currentNode.parent;
          }
          return false;
        }
        const id = ref.identifier;
        const parent = id.parent;
        const grandparent = parent.parent;
        const refScope = ref.from.variableScope;
        const varScope = ref.resolved.scope.variableScope;
        const canBeUsedLater = refScope !== varScope || isInLoop(id);
        if (prevRhsNode && isInside(id, prevRhsNode)) {
          return prevRhsNode;
        }
        if (parent.type === utils_1.AST_NODE_TYPES.AssignmentExpression && grandparent.type === utils_1.AST_NODE_TYPES.ExpressionStatement && id === parent.left && !canBeUsedLater) {
          return parent.right;
        }
        return null;
      }
      function isReadForItself(ref, rhsNode2) {
        function isInsideOfStorableFunction(id2, rhsNode3) {
          function getUpperFunction(node) {
            let currentNode = node;
            while (currentNode) {
              if (utils_1.ASTUtils.isFunction(currentNode)) {
                return currentNode;
              }
              currentNode = currentNode.parent;
            }
            return null;
          }
          function isStorableFunction(funcNode2, rhsNode4) {
            let node = funcNode2;
            let parent2 = funcNode2.parent;
            while (parent2 && isInside(parent2, rhsNode4)) {
              switch (parent2.type) {
                case utils_1.AST_NODE_TYPES.SequenceExpression:
                  if (parent2.expressions[parent2.expressions.length - 1] !== node) {
                    return false;
                  }
                  break;
                case utils_1.AST_NODE_TYPES.CallExpression:
                case utils_1.AST_NODE_TYPES.NewExpression:
                  return parent2.callee !== node;
                case utils_1.AST_NODE_TYPES.AssignmentExpression:
                case utils_1.AST_NODE_TYPES.TaggedTemplateExpression:
                case utils_1.AST_NODE_TYPES.YieldExpression:
                  return true;
                default:
                  if (parent2.type.endsWith("Statement") || parent2.type.endsWith("Declaration")) {
                    return true;
                  }
              }
              node = parent2;
              parent2 = parent2.parent;
            }
            return false;
          }
          const funcNode = getUpperFunction(id2);
          return !!funcNode && isInside(funcNode, rhsNode3) && isStorableFunction(funcNode, rhsNode3);
        }
        const id = ref.identifier;
        const parent = id.parent;
        const grandparent = parent.parent;
        return ref.isRead() && // in RHS of an assignment for itself. e.g. `a = a + 1`
        // self update. e.g. `a += 1`, `a++`
        (parent.type === utils_1.AST_NODE_TYPES.AssignmentExpression && !LOGICAL_ASSIGNMENT_OPERATORS.has(parent.operator) && grandparent.type === utils_1.AST_NODE_TYPES.ExpressionStatement && parent.left === id || parent.type === utils_1.AST_NODE_TYPES.UpdateExpression && grandparent.type === utils_1.AST_NODE_TYPES.ExpressionStatement || !!rhsNode2 && isInside(id, rhsNode2) && !isInsideOfStorableFunction(id, rhsNode2));
      }
      const functionNodes = getFunctionDefinitions(variable);
      const isFunctionDefinition = functionNodes.size > 0;
      const typeDeclNodes = getTypeDeclarations(variable);
      const isTypeDecl = typeDeclNodes.size > 0;
      const moduleDeclNodes = getModuleDeclarations(variable);
      const isModuleDecl = moduleDeclNodes.size > 0;
      let rhsNode = null;
      return variable.references.some((ref) => {
        const forItself = isReadForItself(ref, rhsNode);
        rhsNode = getRhsNode(ref, rhsNode);
        return ref.isRead() && !forItself && !(isFunctionDefinition && isSelfReference(ref, functionNodes)) && !(isTypeDecl && isInsideOneOf(ref, typeDeclNodes)) && !(isModuleDecl && isSelfReference(ref, moduleDeclNodes));
      });
    }
    function collectUnusedVariables(context) {
      return UnusedVarsVisitor.collectUnusedVariables(context);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/createRule.js
var require_createRule2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/createRule.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.createRule = void 0;
    var utils_1 = require_dist15();
    exports2.createRule = utils_1.ESLintUtils.RuleCreator((name) => `https://typescript-eslint.io/rules/${name}`);
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getFunctionHeadLoc.js
var require_getFunctionHeadLoc2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getFunctionHeadLoc.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getFunctionHeadLoc = getFunctionHeadLoc;
    var utils_1 = require_dist15();
    var astUtils_1 = require_astUtils2();
    function getOpeningParenOfParams2(node, sourceCode) {
      if (node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression && node.params.length === 1) {
        const argToken = utils_1.ESLintUtils.nullThrows(sourceCode.getFirstToken(node.params[0]), utils_1.ESLintUtils.NullThrowsReasons.MissingToken("parameter", "arrow function"));
        const maybeParenToken = sourceCode.getTokenBefore(argToken);
        return maybeParenToken && (0, astUtils_1.isOpeningParenToken)(maybeParenToken) ? maybeParenToken : argToken;
      }
      return node.id != null ? utils_1.ESLintUtils.nullThrows(sourceCode.getTokenAfter(node.id, astUtils_1.isOpeningParenToken), utils_1.ESLintUtils.NullThrowsReasons.MissingToken("id", "function")) : utils_1.ESLintUtils.nullThrows(sourceCode.getFirstToken(node, astUtils_1.isOpeningParenToken), utils_1.ESLintUtils.NullThrowsReasons.MissingToken("opening parenthesis", "function"));
    }
    function getFunctionHeadLoc(node, sourceCode) {
      const parent = node.parent;
      let start = null;
      let end = null;
      if (parent.type === utils_1.AST_NODE_TYPES.MethodDefinition || parent.type === utils_1.AST_NODE_TYPES.PropertyDefinition) {
        if (parent.decorators.length > 0) {
          const lastDecorator = parent.decorators[parent.decorators.length - 1];
          const firstTokenAfterDecorator = utils_1.ESLintUtils.nullThrows(sourceCode.getTokenAfter(lastDecorator), utils_1.ESLintUtils.NullThrowsReasons.MissingToken("modifier or member name", "class member"));
          start = firstTokenAfterDecorator.loc.start;
        } else {
          start = parent.loc.start;
        }
        end = getOpeningParenOfParams2(node, sourceCode).loc.start;
      } else if (parent.type === utils_1.AST_NODE_TYPES.Property) {
        start = parent.loc.start;
        end = getOpeningParenOfParams2(node, sourceCode).loc.start;
      } else if (node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression) {
        const arrowToken = utils_1.ESLintUtils.nullThrows(sourceCode.getTokenBefore(node.body, astUtils_1.isArrowToken), utils_1.ESLintUtils.NullThrowsReasons.MissingToken("arrow token", "arrow function"));
        start = arrowToken.loc.start;
        end = arrowToken.loc.end;
      } else {
        start = node.loc.start;
        end = getOpeningParenOfParams2(node, sourceCode).loc.start;
      }
      return {
        start: Object.assign({}, start),
        end: Object.assign({}, end)
      };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getOperatorPrecedence.js
var require_getOperatorPrecedence2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getOperatorPrecedence.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.OperatorPrecedence = void 0;
    exports2.getOperatorPrecedenceForNode = getOperatorPrecedenceForNode;
    exports2.getOperatorPrecedence = getOperatorPrecedence;
    exports2.getBinaryOperatorPrecedence = getBinaryOperatorPrecedence;
    var utils_1 = require_dist15();
    var typescript_1 = require_typescript3();
    var OperatorPrecedence;
    (function(OperatorPrecedence2) {
      OperatorPrecedence2[OperatorPrecedence2["Comma"] = 0] = "Comma";
      OperatorPrecedence2[OperatorPrecedence2["Spread"] = 1] = "Spread";
      OperatorPrecedence2[OperatorPrecedence2["Yield"] = 2] = "Yield";
      OperatorPrecedence2[OperatorPrecedence2["Assignment"] = 3] = "Assignment";
      OperatorPrecedence2[OperatorPrecedence2["Conditional"] = 4] = "Conditional";
      OperatorPrecedence2[OperatorPrecedence2["Coalesce"] = 4] = "Coalesce";
      OperatorPrecedence2[OperatorPrecedence2["LogicalOR"] = 5] = "LogicalOR";
      OperatorPrecedence2[OperatorPrecedence2["LogicalAND"] = 6] = "LogicalAND";
      OperatorPrecedence2[OperatorPrecedence2["BitwiseOR"] = 7] = "BitwiseOR";
      OperatorPrecedence2[OperatorPrecedence2["BitwiseXOR"] = 8] = "BitwiseXOR";
      OperatorPrecedence2[OperatorPrecedence2["BitwiseAND"] = 9] = "BitwiseAND";
      OperatorPrecedence2[OperatorPrecedence2["Equality"] = 10] = "Equality";
      OperatorPrecedence2[OperatorPrecedence2["Relational"] = 11] = "Relational";
      OperatorPrecedence2[OperatorPrecedence2["Shift"] = 12] = "Shift";
      OperatorPrecedence2[OperatorPrecedence2["Additive"] = 13] = "Additive";
      OperatorPrecedence2[OperatorPrecedence2["Multiplicative"] = 14] = "Multiplicative";
      OperatorPrecedence2[OperatorPrecedence2["Exponentiation"] = 15] = "Exponentiation";
      OperatorPrecedence2[OperatorPrecedence2["Unary"] = 16] = "Unary";
      OperatorPrecedence2[OperatorPrecedence2["Update"] = 17] = "Update";
      OperatorPrecedence2[OperatorPrecedence2["LeftHandSide"] = 18] = "LeftHandSide";
      OperatorPrecedence2[OperatorPrecedence2["Member"] = 19] = "Member";
      OperatorPrecedence2[OperatorPrecedence2["Primary"] = 20] = "Primary";
      OperatorPrecedence2[OperatorPrecedence2["Highest"] = 20] = "Highest";
      OperatorPrecedence2[OperatorPrecedence2["Lowest"] = 0] = "Lowest";
      OperatorPrecedence2[OperatorPrecedence2["Invalid"] = -1] = "Invalid";
    })(OperatorPrecedence || (exports2.OperatorPrecedence = OperatorPrecedence = {}));
    function getOperatorPrecedenceForNode(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.SpreadElement:
        case utils_1.AST_NODE_TYPES.RestElement:
          return OperatorPrecedence.Spread;
        case utils_1.AST_NODE_TYPES.YieldExpression:
        case utils_1.AST_NODE_TYPES.ArrowFunctionExpression:
          return OperatorPrecedence.Yield;
        case utils_1.AST_NODE_TYPES.ConditionalExpression:
          return OperatorPrecedence.Conditional;
        case utils_1.AST_NODE_TYPES.SequenceExpression:
          return OperatorPrecedence.Comma;
        case utils_1.AST_NODE_TYPES.AssignmentExpression:
        case utils_1.AST_NODE_TYPES.BinaryExpression:
        case utils_1.AST_NODE_TYPES.LogicalExpression:
          switch (node.operator) {
            case "==":
            case "+=":
            case "-=":
            case "**=":
            case "*=":
            case "/=":
            case "%=":
            case "<<=":
            case ">>=":
            case ">>>=":
            case "&=":
            case "^=":
            case "|=":
            case "||=":
            case "&&=":
            case "??=":
              return OperatorPrecedence.Assignment;
            default:
              return getBinaryOperatorPrecedence(node.operator);
          }
        case utils_1.AST_NODE_TYPES.TSTypeAssertion:
        case utils_1.AST_NODE_TYPES.TSNonNullExpression:
        case utils_1.AST_NODE_TYPES.UnaryExpression:
        case utils_1.AST_NODE_TYPES.AwaitExpression:
          return OperatorPrecedence.Unary;
        case utils_1.AST_NODE_TYPES.UpdateExpression:
          if (node.prefix) {
            return OperatorPrecedence.Unary;
          }
          return OperatorPrecedence.Update;
        case utils_1.AST_NODE_TYPES.ChainExpression:
          return getOperatorPrecedenceForNode(node.expression);
        case utils_1.AST_NODE_TYPES.CallExpression:
          return OperatorPrecedence.LeftHandSide;
        case utils_1.AST_NODE_TYPES.NewExpression:
          return node.arguments.length > 0 ? OperatorPrecedence.Member : OperatorPrecedence.LeftHandSide;
        case utils_1.AST_NODE_TYPES.TaggedTemplateExpression:
        case utils_1.AST_NODE_TYPES.MemberExpression:
        case utils_1.AST_NODE_TYPES.MetaProperty:
          return OperatorPrecedence.Member;
        case utils_1.AST_NODE_TYPES.TSAsExpression:
          return OperatorPrecedence.Relational;
        case utils_1.AST_NODE_TYPES.ThisExpression:
        case utils_1.AST_NODE_TYPES.Super:
        case utils_1.AST_NODE_TYPES.Identifier:
        case utils_1.AST_NODE_TYPES.PrivateIdentifier:
        case utils_1.AST_NODE_TYPES.Literal:
        case utils_1.AST_NODE_TYPES.ArrayExpression:
        case utils_1.AST_NODE_TYPES.ObjectExpression:
        case utils_1.AST_NODE_TYPES.FunctionExpression:
        case utils_1.AST_NODE_TYPES.ClassExpression:
        case utils_1.AST_NODE_TYPES.TemplateLiteral:
        case utils_1.AST_NODE_TYPES.JSXElement:
        case utils_1.AST_NODE_TYPES.JSXFragment:
          return OperatorPrecedence.Primary;
        default:
          return OperatorPrecedence.Invalid;
      }
    }
    function getOperatorPrecedence(nodeKind, operatorKind, hasArguments) {
      switch (nodeKind) {
        case typescript_1.SyntaxKind.CommaListExpression:
          return OperatorPrecedence.Comma;
        case typescript_1.SyntaxKind.SpreadElement:
          return OperatorPrecedence.Spread;
        case typescript_1.SyntaxKind.YieldExpression:
          return OperatorPrecedence.Yield;
        case typescript_1.SyntaxKind.ConditionalExpression:
          return OperatorPrecedence.Conditional;
        case typescript_1.SyntaxKind.BinaryExpression:
          switch (operatorKind) {
            case typescript_1.SyntaxKind.CommaToken:
              return OperatorPrecedence.Comma;
            case typescript_1.SyntaxKind.EqualsToken:
            case typescript_1.SyntaxKind.PlusEqualsToken:
            case typescript_1.SyntaxKind.MinusEqualsToken:
            case typescript_1.SyntaxKind.AsteriskAsteriskEqualsToken:
            case typescript_1.SyntaxKind.AsteriskEqualsToken:
            case typescript_1.SyntaxKind.SlashEqualsToken:
            case typescript_1.SyntaxKind.PercentEqualsToken:
            case typescript_1.SyntaxKind.LessThanLessThanEqualsToken:
            case typescript_1.SyntaxKind.GreaterThanGreaterThanEqualsToken:
            case typescript_1.SyntaxKind.GreaterThanGreaterThanGreaterThanEqualsToken:
            case typescript_1.SyntaxKind.AmpersandEqualsToken:
            case typescript_1.SyntaxKind.CaretEqualsToken:
            case typescript_1.SyntaxKind.BarEqualsToken:
            case typescript_1.SyntaxKind.BarBarEqualsToken:
            case typescript_1.SyntaxKind.AmpersandAmpersandEqualsToken:
            case typescript_1.SyntaxKind.QuestionQuestionEqualsToken:
              return OperatorPrecedence.Assignment;
            default:
              return getBinaryOperatorPrecedence(operatorKind);
          }
        case typescript_1.SyntaxKind.TypeAssertionExpression:
        case typescript_1.SyntaxKind.NonNullExpression:
        case typescript_1.SyntaxKind.PrefixUnaryExpression:
        case typescript_1.SyntaxKind.TypeOfExpression:
        case typescript_1.SyntaxKind.VoidExpression:
        case typescript_1.SyntaxKind.DeleteExpression:
        case typescript_1.SyntaxKind.AwaitExpression:
          return OperatorPrecedence.Unary;
        case typescript_1.SyntaxKind.PostfixUnaryExpression:
          return OperatorPrecedence.Update;
        case typescript_1.SyntaxKind.CallExpression:
          return OperatorPrecedence.LeftHandSide;
        case typescript_1.SyntaxKind.NewExpression:
          return hasArguments ? OperatorPrecedence.Member : OperatorPrecedence.LeftHandSide;
        case typescript_1.SyntaxKind.TaggedTemplateExpression:
        case typescript_1.SyntaxKind.PropertyAccessExpression:
        case typescript_1.SyntaxKind.ElementAccessExpression:
        case typescript_1.SyntaxKind.MetaProperty:
          return OperatorPrecedence.Member;
        case typescript_1.SyntaxKind.AsExpression:
        case typescript_1.SyntaxKind.SatisfiesExpression:
          return OperatorPrecedence.Relational;
        case typescript_1.SyntaxKind.ThisKeyword:
        case typescript_1.SyntaxKind.SuperKeyword:
        case typescript_1.SyntaxKind.Identifier:
        case typescript_1.SyntaxKind.PrivateIdentifier:
        case typescript_1.SyntaxKind.NullKeyword:
        case typescript_1.SyntaxKind.TrueKeyword:
        case typescript_1.SyntaxKind.FalseKeyword:
        case typescript_1.SyntaxKind.NumericLiteral:
        case typescript_1.SyntaxKind.BigIntLiteral:
        case typescript_1.SyntaxKind.StringLiteral:
        case typescript_1.SyntaxKind.ArrayLiteralExpression:
        case typescript_1.SyntaxKind.ObjectLiteralExpression:
        case typescript_1.SyntaxKind.FunctionExpression:
        case typescript_1.SyntaxKind.ArrowFunction:
        case typescript_1.SyntaxKind.ClassExpression:
        case typescript_1.SyntaxKind.RegularExpressionLiteral:
        case typescript_1.SyntaxKind.NoSubstitutionTemplateLiteral:
        case typescript_1.SyntaxKind.TemplateExpression:
        case typescript_1.SyntaxKind.ParenthesizedExpression:
        case typescript_1.SyntaxKind.OmittedExpression:
        case typescript_1.SyntaxKind.JsxElement:
        case typescript_1.SyntaxKind.JsxSelfClosingElement:
        case typescript_1.SyntaxKind.JsxFragment:
          return OperatorPrecedence.Primary;
        default:
          return OperatorPrecedence.Invalid;
      }
    }
    function getBinaryOperatorPrecedence(kind) {
      switch (kind) {
        case typescript_1.SyntaxKind.QuestionQuestionToken:
        case "??":
          return OperatorPrecedence.Coalesce;
        case typescript_1.SyntaxKind.BarBarToken:
        case "||":
          return OperatorPrecedence.LogicalOR;
        case typescript_1.SyntaxKind.AmpersandAmpersandToken:
        case "&&":
          return OperatorPrecedence.LogicalAND;
        case typescript_1.SyntaxKind.BarToken:
        case "|":
          return OperatorPrecedence.BitwiseOR;
        case typescript_1.SyntaxKind.CaretToken:
        case "^":
          return OperatorPrecedence.BitwiseXOR;
        case typescript_1.SyntaxKind.AmpersandToken:
        case "&":
          return OperatorPrecedence.BitwiseAND;
        case typescript_1.SyntaxKind.EqualsEqualsToken:
        case "==":
        case typescript_1.SyntaxKind.ExclamationEqualsToken:
        case "!=":
        case typescript_1.SyntaxKind.EqualsEqualsEqualsToken:
        case "===":
        case typescript_1.SyntaxKind.ExclamationEqualsEqualsToken:
        case "!==":
          return OperatorPrecedence.Equality;
        case typescript_1.SyntaxKind.LessThanToken:
        case "<":
        case typescript_1.SyntaxKind.GreaterThanToken:
        case ">":
        case typescript_1.SyntaxKind.LessThanEqualsToken:
        case "<=":
        case typescript_1.SyntaxKind.GreaterThanEqualsToken:
        case ">=":
        case typescript_1.SyntaxKind.InstanceOfKeyword:
        case "instanceof":
        case typescript_1.SyntaxKind.InKeyword:
        case "in":
        case typescript_1.SyntaxKind.AsKeyword:
          return OperatorPrecedence.Relational;
        case typescript_1.SyntaxKind.LessThanLessThanToken:
        case "<<":
        case typescript_1.SyntaxKind.GreaterThanGreaterThanToken:
        case ">>":
        case typescript_1.SyntaxKind.GreaterThanGreaterThanGreaterThanToken:
        case ">>>":
          return OperatorPrecedence.Shift;
        case typescript_1.SyntaxKind.PlusToken:
        case "+":
        case typescript_1.SyntaxKind.MinusToken:
        case "-":
          return OperatorPrecedence.Additive;
        case typescript_1.SyntaxKind.AsteriskToken:
        case "*":
        case typescript_1.SyntaxKind.SlashToken:
        case "/":
        case typescript_1.SyntaxKind.PercentToken:
        case "%":
          return OperatorPrecedence.Multiplicative;
        case typescript_1.SyntaxKind.AsteriskAsteriskToken:
        case "**":
          return OperatorPrecedence.Exponentiation;
      }
      return -1;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/isNullLiteral.js
var require_isNullLiteral2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/isNullLiteral.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isNullLiteral = isNullLiteral2;
    var utils_1 = require_dist15();
    function isNullLiteral2(i) {
      return i.type === utils_1.AST_NODE_TYPES.Literal && i.value == null;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getStaticStringValue.js
var require_getStaticStringValue2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getStaticStringValue.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getStaticStringValue = getStaticStringValue;
    var utils_1 = require_dist15();
    var isNullLiteral_1 = require_isNullLiteral2();
    function getStaticStringValue(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.Literal:
          if (node.value === null) {
            if ((0, isNullLiteral_1.isNullLiteral)(node)) {
              return String(node.value);
            }
            if ("regex" in node) {
              return `/${node.regex.pattern}/${node.regex.flags}`;
            }
            if ("bigint" in node) {
              return node.bigint;
            }
          } else {
            return String(node.value);
          }
          break;
        case utils_1.AST_NODE_TYPES.TemplateLiteral:
          if (node.expressions.length === 0 && node.quasis.length === 1) {
            return node.quasis[0].value.cooked;
          }
          break;
      }
      return null;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getStringLength.js
var require_getStringLength2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getStringLength.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getStringLength = getStringLength;
    var graphemer_1 = __importDefault2(require_lib4());
    var splitter;
    function isASCII(value) {
      return /^[\u0020-\u007f]*$/u.test(value);
    }
    function getStringLength(value) {
      if (isASCII(value)) {
        return value.length;
      }
      splitter ??= new graphemer_1.default();
      return splitter.countGraphemes(value);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getTextWithParentheses.js
var require_getTextWithParentheses2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getTextWithParentheses.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getTextWithParentheses = getTextWithParentheses;
    var _1 = require_util7();
    function getTextWithParentheses(sourceCode, node) {
      let beforeCount = 0;
      let afterCount = 0;
      if ((0, _1.isParenthesized)(node, sourceCode)) {
        const bodyOpeningParen = (0, _1.nullThrows)(sourceCode.getTokenBefore(node, _1.isOpeningParenToken), _1.NullThrowsReasons.MissingToken("(", "node"));
        const bodyClosingParen = (0, _1.nullThrows)(sourceCode.getTokenAfter(node, _1.isClosingParenToken), _1.NullThrowsReasons.MissingToken(")", "node"));
        beforeCount = node.range[0] - bodyOpeningParen.range[0];
        afterCount = bodyClosingParen.range[1] - node.range[1];
      }
      return sourceCode.getText(node, beforeCount, afterCount);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getThisExpression.js
var require_getThisExpression2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getThisExpression.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getThisExpression = getThisExpression;
    var utils_1 = require_dist15();
    function getThisExpression(node) {
      while (true) {
        if (node.type === utils_1.AST_NODE_TYPES.CallExpression) {
          node = node.callee;
        } else if (node.type === utils_1.AST_NODE_TYPES.ThisExpression) {
          return node;
        } else if (node.type === utils_1.AST_NODE_TYPES.MemberExpression) {
          node = node.object;
        } else if (node.type === utils_1.AST_NODE_TYPES.ChainExpression) {
          node = node.expression;
        } else {
          break;
        }
      }
      return;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getWrappingFixer.js
var require_getWrappingFixer2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getWrappingFixer.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getWrappingFixer = getWrappingFixer;
    exports2.isStrongPrecedenceNode = isStrongPrecedenceNode;
    var utils_1 = require_dist15();
    function getWrappingFixer(params) {
      const { sourceCode, node, innerNode = node, wrap } = params;
      const innerNodes = Array.isArray(innerNode) ? innerNode : [innerNode];
      return (fixer) => {
        const innerCodes = innerNodes.map((innerNode2) => {
          let code2 = sourceCode.getText(innerNode2);
          if (!isStrongPrecedenceNode(innerNode2) || isObjectExpressionInOneLineReturn(node, innerNode2)) {
            code2 = `(${code2})`;
          }
          return code2;
        });
        let code = wrap(...innerCodes);
        if (isWeakPrecedenceParent(node)) {
          if (!utils_1.ASTUtils.isParenthesized(node, sourceCode)) {
            code = `(${code})`;
          }
        }
        if (/^[`([]/.exec(code) && isMissingSemicolonBefore(node, sourceCode)) {
          code = `;${code}`;
        }
        return fixer.replaceText(node, code);
      };
    }
    function isStrongPrecedenceNode(innerNode) {
      return innerNode.type === utils_1.AST_NODE_TYPES.Literal || innerNode.type === utils_1.AST_NODE_TYPES.Identifier || innerNode.type === utils_1.AST_NODE_TYPES.TSTypeReference || innerNode.type === utils_1.AST_NODE_TYPES.TSTypeOperator || innerNode.type === utils_1.AST_NODE_TYPES.ArrayExpression || innerNode.type === utils_1.AST_NODE_TYPES.ObjectExpression || innerNode.type === utils_1.AST_NODE_TYPES.MemberExpression || innerNode.type === utils_1.AST_NODE_TYPES.CallExpression || innerNode.type === utils_1.AST_NODE_TYPES.NewExpression || innerNode.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression || innerNode.type === utils_1.AST_NODE_TYPES.TSInstantiationExpression;
    }
    function isWeakPrecedenceParent(node) {
      const parent = node.parent;
      if (parent.type === utils_1.AST_NODE_TYPES.UpdateExpression || parent.type === utils_1.AST_NODE_TYPES.UnaryExpression || parent.type === utils_1.AST_NODE_TYPES.BinaryExpression || parent.type === utils_1.AST_NODE_TYPES.LogicalExpression || parent.type === utils_1.AST_NODE_TYPES.ConditionalExpression || parent.type === utils_1.AST_NODE_TYPES.AwaitExpression) {
        return true;
      }
      if (parent.type === utils_1.AST_NODE_TYPES.MemberExpression && parent.object === node) {
        return true;
      }
      if ((parent.type === utils_1.AST_NODE_TYPES.CallExpression || parent.type === utils_1.AST_NODE_TYPES.NewExpression) && parent.callee === node) {
        return true;
      }
      if (parent.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression && parent.tag === node) {
        return true;
      }
      return false;
    }
    function isMissingSemicolonBefore(node, sourceCode) {
      for (; ; ) {
        const parent = node.parent;
        if (parent.type === utils_1.AST_NODE_TYPES.ExpressionStatement) {
          const block = parent.parent;
          if (block.type === utils_1.AST_NODE_TYPES.Program || block.type === utils_1.AST_NODE_TYPES.BlockStatement) {
            const statementIndex = block.body.indexOf(parent);
            const previousStatement = block.body[statementIndex - 1];
            if (statementIndex > 0 && utils_1.ESLintUtils.nullThrows(sourceCode.getLastToken(previousStatement), "Mismatched semicolon and block").value !== ";") {
              return true;
            }
          }
        }
        if (!isLeftHandSide2(node)) {
          return false;
        }
        node = parent;
      }
    }
    function isLeftHandSide2(node) {
      const parent = node.parent;
      if (parent.type === utils_1.AST_NODE_TYPES.UpdateExpression) {
        return true;
      }
      if ((parent.type === utils_1.AST_NODE_TYPES.BinaryExpression || parent.type === utils_1.AST_NODE_TYPES.LogicalExpression || parent.type === utils_1.AST_NODE_TYPES.AssignmentExpression) && node === parent.left) {
        return true;
      }
      if (parent.type === utils_1.AST_NODE_TYPES.ConditionalExpression && node === parent.test) {
        return true;
      }
      if (parent.type === utils_1.AST_NODE_TYPES.CallExpression && node === parent.callee) {
        return true;
      }
      if (parent.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression && node === parent.tag) {
        return true;
      }
      return false;
    }
    function isObjectExpressionInOneLineReturn(node, innerNode) {
      return node.parent?.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression && node.parent.body === node && innerNode.type === utils_1.AST_NODE_TYPES.ObjectExpression;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/isNodeEqual.js
var require_isNodeEqual2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/isNodeEqual.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isNodeEqual = isNodeEqual;
    var utils_1 = require_dist15();
    function isNodeEqual(a, b) {
      if (a.type !== b.type) {
        return false;
      }
      if (a.type === utils_1.AST_NODE_TYPES.ThisExpression && b.type === utils_1.AST_NODE_TYPES.ThisExpression) {
        return true;
      }
      if (a.type === utils_1.AST_NODE_TYPES.Literal && b.type === utils_1.AST_NODE_TYPES.Literal) {
        return a.value === b.value;
      }
      if (a.type === utils_1.AST_NODE_TYPES.Identifier && b.type === utils_1.AST_NODE_TYPES.Identifier) {
        return a.name === b.name;
      }
      if (a.type === utils_1.AST_NODE_TYPES.MemberExpression && b.type === utils_1.AST_NODE_TYPES.MemberExpression) {
        return isNodeEqual(a.property, b.property) && isNodeEqual(a.object, b.object);
      }
      return false;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/isUndefinedIdentifier.js
var require_isUndefinedIdentifier2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/isUndefinedIdentifier.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isUndefinedIdentifier = isUndefinedIdentifier;
    var utils_1 = require_dist15();
    function isUndefinedIdentifier(i) {
      return i.type === utils_1.AST_NODE_TYPES.Identifier && i.name === "undefined";
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/isSymbolFromDefaultLibrary.js
var require_isSymbolFromDefaultLibrary2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/isSymbolFromDefaultLibrary.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isSymbolFromDefaultLibrary = isSymbolFromDefaultLibrary;
    function isSymbolFromDefaultLibrary(program, symbol) {
      if (!symbol) {
        return false;
      }
      const declarations = symbol.getDeclarations() ?? [];
      for (const declaration of declarations) {
        const sourceFile = declaration.getSourceFile();
        if (program.isSourceFileDefaultLibrary(sourceFile)) {
          return true;
        }
      }
      return false;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/builtinSymbolLikes.js
var require_builtinSymbolLikes2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/builtinSymbolLikes.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isPromiseLike = isPromiseLike;
    exports2.isPromiseConstructorLike = isPromiseConstructorLike;
    exports2.isErrorLike = isErrorLike;
    exports2.isReadonlyErrorLike = isReadonlyErrorLike;
    exports2.isReadonlyTypeLike = isReadonlyTypeLike;
    exports2.isBuiltinTypeAliasLike = isBuiltinTypeAliasLike;
    exports2.isBuiltinSymbolLike = isBuiltinSymbolLike;
    exports2.isBuiltinSymbolLikeRecurser = isBuiltinSymbolLikeRecurser;
    var ts = __importStar2(require_typescript3());
    var isSymbolFromDefaultLibrary_1 = require_isSymbolFromDefaultLibrary2();
    function isPromiseLike(program, type) {
      return isBuiltinSymbolLike(program, type, "Promise");
    }
    function isPromiseConstructorLike(program, type) {
      return isBuiltinSymbolLike(program, type, "PromiseConstructor");
    }
    function isErrorLike(program, type) {
      return isBuiltinSymbolLike(program, type, "Error");
    }
    function isReadonlyErrorLike(program, type) {
      return isReadonlyTypeLike(program, type, (subtype) => {
        const [typeArgument] = subtype.aliasTypeArguments;
        return isErrorLike(program, typeArgument) || isReadonlyErrorLike(program, typeArgument);
      });
    }
    function isReadonlyTypeLike(program, type, predicate) {
      return isBuiltinTypeAliasLike(program, type, (subtype) => {
        return subtype.aliasSymbol.getName() === "Readonly" && !!predicate?.(subtype);
      });
    }
    function isBuiltinTypeAliasLike(program, type, predicate) {
      return isBuiltinSymbolLikeRecurser(program, type, (subtype) => {
        const { aliasSymbol, aliasTypeArguments } = subtype;
        if (!aliasSymbol || !aliasTypeArguments) {
          return false;
        }
        if ((0, isSymbolFromDefaultLibrary_1.isSymbolFromDefaultLibrary)(program, aliasSymbol) && predicate(subtype)) {
          return true;
        }
        return null;
      });
    }
    function isBuiltinSymbolLike(program, type, symbolName) {
      return isBuiltinSymbolLikeRecurser(program, type, (subType) => {
        const symbol = subType.getSymbol();
        if (!symbol) {
          return false;
        }
        if (symbol.getName() === symbolName && (0, isSymbolFromDefaultLibrary_1.isSymbolFromDefaultLibrary)(program, symbol)) {
          return true;
        }
        return null;
      });
    }
    function isBuiltinSymbolLikeRecurser(program, type, predicate) {
      if (type.isIntersection()) {
        return type.types.some((t) => isBuiltinSymbolLikeRecurser(program, t, predicate));
      }
      if (type.isUnion()) {
        return type.types.every((t) => isBuiltinSymbolLikeRecurser(program, t, predicate));
      }
      const predicateResult = predicate(type);
      if (typeof predicateResult === "boolean") {
        return predicateResult;
      }
      const symbol = type.getSymbol();
      if (symbol && symbol.flags & (ts.SymbolFlags.Class | ts.SymbolFlags.Interface)) {
        const checker = program.getTypeChecker();
        for (const baseType of checker.getBaseTypes(type)) {
          if (isBuiltinSymbolLikeRecurser(program, baseType, predicate)) {
            return true;
          }
        }
      }
      return false;
    }
  }
});

// node_modules/.pnpm/ts-api-utils@1.3.0_typescript@5.5.4/node_modules/ts-api-utils/lib/index.cjs
var require_lib23 = __commonJS({
  "node_modules/.pnpm/ts-api-utils@1.3.0_typescript@5.5.4/node_modules/ts-api-utils/lib/index.cjs"(exports2, module2) {
    "use strict";
    var __create2 = Object.create;
    var __defProp2 = Object.defineProperty;
    var __getOwnPropDesc2 = Object.getOwnPropertyDescriptor;
    var __getOwnPropNames2 = Object.getOwnPropertyNames;
    var __getProtoOf2 = Object.getPrototypeOf;
    var __hasOwnProp2 = Object.prototype.hasOwnProperty;
    var __export2 = (target, all) => {
      for (var name in all)
        __defProp2(target, name, { get: all[name], enumerable: true });
    };
    var __copyProps2 = (to, from, except, desc) => {
      if (from && typeof from === "object" || typeof from === "function") {
        for (let key of __getOwnPropNames2(from))
          if (!__hasOwnProp2.call(to, key) && key !== except)
            __defProp2(to, key, { get: () => from[key], enumerable: !(desc = __getOwnPropDesc2(from, key)) || desc.enumerable });
      }
      return to;
    };
    var __toESM2 = (mod, isNodeMode, target) => (target = mod != null ? __create2(__getProtoOf2(mod)) : {}, __copyProps2(
      // If the importer is in node compatibility mode or this is not an ESM
      // file that has been converted to a CommonJS file using a Babel-
      // compatible transform (i.e. "__esModule" has not been set), then set
      // "default" to the CommonJS "module.exports" for node compatibility.
      isNodeMode || !mod || !mod.__esModule ? __defProp2(target, "default", { value: mod, enumerable: true }) : target,
      mod
    ));
    var __toCommonJS2 = (mod) => __copyProps2(__defProp2({}, "__esModule", { value: true }), mod);
    var __accessCheck = (obj, member, msg) => {
      if (!member.has(obj))
        throw TypeError("Cannot " + msg);
    };
    var __privateGet = (obj, member, getter) => {
      __accessCheck(obj, member, "read from private field");
      return getter ? getter.call(obj) : member.get(obj);
    };
    var __privateAdd = (obj, member, value) => {
      if (member.has(obj))
        throw TypeError("Cannot add the same private member more than once");
      member instanceof WeakSet ? member.add(obj) : member.set(obj, value);
    };
    var __privateSet = (obj, member, value, setter) => {
      __accessCheck(obj, member, "write to private field");
      setter ? setter.call(obj, value) : member.set(obj, value);
      return value;
    };
    var __privateMethod = (obj, member, method) => {
      __accessCheck(obj, member, "access private method");
      return method;
    };
    var src_exports2 = {};
    __export2(src_exports2, {
      AccessKind: () => AccessKind,
      DeclarationDomain: () => DeclarationDomain,
      UsageDomain: () => UsageDomain,
      collectVariableUsage: () => collectVariableUsage,
      forEachComment: () => forEachComment,
      forEachToken: () => forEachToken,
      getAccessKind: () => getAccessKind,
      getCallSignaturesOfType: () => getCallSignaturesOfType,
      getPropertyOfType: () => getPropertyOfType,
      getWellKnownSymbolPropertyOfType: () => getWellKnownSymbolPropertyOfType,
      hasDecorators: () => hasDecorators,
      hasExpressionInitializer: () => hasExpressionInitializer,
      hasInitializer: () => hasInitializer,
      hasJSDoc: () => hasJSDoc,
      hasModifiers: () => hasModifiers,
      hasType: () => hasType,
      hasTypeArguments: () => hasTypeArguments,
      includesModifier: () => includesModifier,
      intersectionTypeParts: () => intersectionTypeParts,
      isAbstractKeyword: () => isAbstractKeyword,
      isAccessExpression: () => isAccessExpression,
      isAccessibilityModifier: () => isAccessibilityModifier,
      isAccessorDeclaration: () => isAccessorDeclaration,
      isAccessorKeyword: () => isAccessorKeyword,
      isAnyKeyword: () => isAnyKeyword,
      isArrayBindingElement: () => isArrayBindingElement,
      isArrayBindingOrAssignmentPattern: () => isArrayBindingOrAssignmentPattern,
      isAssertKeyword: () => isAssertKeyword,
      isAssertsKeyword: () => isAssertsKeyword,
      isAssignmentKind: () => isAssignmentKind,
      isAssignmentPattern: () => isAssignmentPattern,
      isAsyncKeyword: () => isAsyncKeyword,
      isAwaitKeyword: () => isAwaitKeyword,
      isBigIntKeyword: () => isBigIntKeyword,
      isBigIntLiteralType: () => isBigIntLiteralType,
      isBindingOrAssignmentElementRestIndicator: () => isBindingOrAssignmentElementRestIndicator,
      isBindingOrAssignmentElementTarget: () => isBindingOrAssignmentElementTarget,
      isBindingOrAssignmentPattern: () => isBindingOrAssignmentPattern,
      isBindingPattern: () => isBindingPattern,
      isBlockLike: () => isBlockLike,
      isBooleanKeyword: () => isBooleanKeyword,
      isBooleanLiteral: () => isBooleanLiteral,
      isBooleanLiteralType: () => isBooleanLiteralType,
      isClassLikeDeclaration: () => isClassLikeDeclaration,
      isClassMemberModifier: () => isClassMemberModifier,
      isColonToken: () => isColonToken2,
      isCompilerOptionEnabled: () => isCompilerOptionEnabled,
      isConditionalType: () => isConditionalType,
      isConstAssertionExpression: () => isConstAssertionExpression,
      isConstKeyword: () => isConstKeyword,
      isDeclarationName: () => isDeclarationName,
      isDeclarationWithTypeParameterChildren: () => isDeclarationWithTypeParameterChildren,
      isDeclarationWithTypeParameters: () => isDeclarationWithTypeParameters,
      isDeclareKeyword: () => isDeclareKeyword,
      isDefaultKeyword: () => isDefaultKeyword,
      isDestructuringPattern: () => isDestructuringPattern,
      isDotToken: () => isDotToken,
      isEndOfFileToken: () => isEndOfFileToken,
      isEntityNameExpression: () => isEntityNameExpression,
      isEntityNameOrEntityNameExpression: () => isEntityNameOrEntityNameExpression,
      isEnumType: () => isEnumType,
      isEqualsGreaterThanToken: () => isEqualsGreaterThanToken,
      isEqualsToken: () => isEqualsToken,
      isEvolvingArrayType: () => isEvolvingArrayType,
      isExclamationToken: () => isExclamationToken,
      isExportKeyword: () => isExportKeyword,
      isFalseKeyword: () => isFalseKeyword,
      isFalseLiteral: () => isFalseLiteral,
      isFalseLiteralType: () => isFalseLiteralType,
      isFalsyType: () => isFalsyType,
      isForInOrOfStatement: () => isForInOrOfStatement,
      isFreshableIntrinsicType: () => isFreshableIntrinsicType,
      isFreshableType: () => isFreshableType,
      isFunctionLikeDeclaration: () => isFunctionLikeDeclaration,
      isFunctionScopeBoundary: () => isFunctionScopeBoundary,
      isImportExpression: () => isImportExpression,
      isImportKeyword: () => isImportKeyword,
      isInKeyword: () => isInKeyword,
      isIndexType: () => isIndexType,
      isIndexedAccessType: () => isIndexedAccessType,
      isInputFiles: () => isInputFiles,
      isInstantiableType: () => isInstantiableType,
      isIntersectionType: () => isIntersectionType,
      isIntrinsicAnyType: () => isIntrinsicAnyType,
      isIntrinsicBigIntType: () => isIntrinsicBigIntType,
      isIntrinsicBooleanType: () => isIntrinsicBooleanType,
      isIntrinsicESSymbolType: () => isIntrinsicESSymbolType,
      isIntrinsicErrorType: () => isIntrinsicErrorType,
      isIntrinsicNeverType: () => isIntrinsicNeverType,
      isIntrinsicNonPrimitiveType: () => isIntrinsicNonPrimitiveType,
      isIntrinsicNullType: () => isIntrinsicNullType,
      isIntrinsicNumberType: () => isIntrinsicNumberType,
      isIntrinsicStringType: () => isIntrinsicStringType,
      isIntrinsicType: () => isIntrinsicType,
      isIntrinsicUndefinedType: () => isIntrinsicUndefinedType,
      isIntrinsicUnknownType: () => isIntrinsicUnknownType,
      isIntrinsicVoidType: () => isIntrinsicVoidType,
      isIterationStatement: () => isIterationStatement,
      isJSDocComment: () => isJSDocComment,
      isJSDocNamespaceBody: () => isJSDocNamespaceBody,
      isJSDocNamespaceDeclaration: () => isJSDocNamespaceDeclaration,
      isJSDocText: () => isJSDocText,
      isJSDocTypeReferencingNode: () => isJSDocTypeReferencingNode,
      isJsonMinusNumericLiteral: () => isJsonMinusNumericLiteral,
      isJsonObjectExpression: () => isJsonObjectExpression,
      isJsxAttributeLike: () => isJsxAttributeLike,
      isJsxAttributeValue: () => isJsxAttributeValue,
      isJsxChild: () => isJsxChild,
      isJsxTagNameExpression: () => isJsxTagNameExpression,
      isJsxTagNamePropertyAccess: () => isJsxTagNamePropertyAccess,
      isLiteralToken: () => isLiteralToken,
      isLiteralType: () => isLiteralType,
      isModifierFlagSet: () => isModifierFlagSet,
      isModuleBody: () => isModuleBody,
      isModuleName: () => isModuleName,
      isModuleReference: () => isModuleReference,
      isNamedDeclarationWithName: () => isNamedDeclarationWithName,
      isNamedImportBindings: () => isNamedImportBindings,
      isNamedImportsOrExports: () => isNamedImportsOrExports,
      isNamespaceBody: () => isNamespaceBody,
      isNamespaceDeclaration: () => isNamespaceDeclaration,
      isNeverKeyword: () => isNeverKeyword,
      isNodeFlagSet: () => isNodeFlagSet,
      isNullKeyword: () => isNullKeyword,
      isNullLiteral: () => isNullLiteral2,
      isNumberKeyword: () => isNumberKeyword,
      isNumberLiteralType: () => isNumberLiteralType,
      isNumericOrStringLikeLiteral: () => isNumericOrStringLikeLiteral,
      isNumericPropertyName: () => isNumericPropertyName,
      isObjectBindingOrAssignmentElement: () => isObjectBindingOrAssignmentElement,
      isObjectBindingOrAssignmentPattern: () => isObjectBindingOrAssignmentPattern,
      isObjectFlagSet: () => isObjectFlagSet,
      isObjectKeyword: () => isObjectKeyword,
      isObjectType: () => isObjectType,
      isObjectTypeDeclaration: () => isObjectTypeDeclaration,
      isOutKeyword: () => isOutKeyword,
      isOverrideKeyword: () => isOverrideKeyword,
      isParameterPropertyModifier: () => isParameterPropertyModifier,
      isPrivateKeyword: () => isPrivateKeyword,
      isPropertyAccessEntityNameExpression: () => isPropertyAccessEntityNameExpression,
      isPropertyNameLiteral: () => isPropertyNameLiteral,
      isPropertyReadonlyInType: () => isPropertyReadonlyInType,
      isProtectedKeyword: () => isProtectedKeyword,
      isPseudoLiteralToken: () => isPseudoLiteralToken,
      isPublicKeyword: () => isPublicKeyword,
      isQuestionDotToken: () => isQuestionDotToken,
      isQuestionToken: () => isQuestionToken,
      isReadonlyKeyword: () => isReadonlyKeyword,
      isSignatureDeclaration: () => isSignatureDeclaration,
      isStaticKeyword: () => isStaticKeyword,
      isStrictCompilerOptionEnabled: () => isStrictCompilerOptionEnabled,
      isStringKeyword: () => isStringKeyword,
      isStringLiteralType: () => isStringLiteralType,
      isStringMappingType: () => isStringMappingType,
      isSubstitutionType: () => isSubstitutionType,
      isSuperElementAccessExpression: () => isSuperElementAccessExpression,
      isSuperExpression: () => isSuperExpression2,
      isSuperKeyword: () => isSuperKeyword,
      isSuperProperty: () => isSuperProperty,
      isSuperPropertyAccessExpression: () => isSuperPropertyAccessExpression,
      isSymbolFlagSet: () => isSymbolFlagSet,
      isSymbolKeyword: () => isSymbolKeyword,
      isSyntaxList: () => isSyntaxList,
      isTemplateLiteralType: () => isTemplateLiteralType,
      isThenableType: () => isThenableType,
      isThisExpression: () => isThisExpression,
      isThisKeyword: () => isThisKeyword,
      isTrueKeyword: () => isTrueKeyword,
      isTrueLiteral: () => isTrueLiteral,
      isTrueLiteralType: () => isTrueLiteralType,
      isTupleType: () => isTupleType,
      isTupleTypeReference: () => isTupleTypeReference,
      isTypeFlagSet: () => isTypeFlagSet,
      isTypeOnlyCompatibleAliasDeclaration: () => isTypeOnlyCompatibleAliasDeclaration,
      isTypeParameter: () => isTypeParameter,
      isTypeReference: () => isTypeReference,
      isTypeReferenceType: () => isTypeReferenceType,
      isTypeVariable: () => isTypeVariable,
      isUndefinedKeyword: () => isUndefinedKeyword,
      isUnionOrIntersectionType: () => isUnionOrIntersectionType,
      isUnionOrIntersectionTypeNode: () => isUnionOrIntersectionTypeNode,
      isUnionType: () => isUnionType,
      isUniqueESSymbolType: () => isUniqueESSymbolType,
      isUnknownKeyword: () => isUnknownKeyword,
      isUnknownLiteralType: () => isUnknownLiteralType,
      isUnparsedPrologue: () => isUnparsedPrologue,
      isUnparsedSourceText: () => isUnparsedSourceText,
      isUnparsedSyntheticReference: () => isUnparsedSyntheticReference,
      isValidPropertyAccess: () => isValidPropertyAccess,
      isVariableLikeDeclaration: () => isVariableLikeDeclaration,
      isVoidKeyword: () => isVoidKeyword,
      symbolHasReadonlyDeclaration: () => symbolHasReadonlyDeclaration,
      typeParts: () => typeParts,
      unionTypeParts: () => unionTypeParts
    });
    module2.exports = __toCommonJS2(src_exports2);
    var import_typescript2 = __toESM2(require_typescript3(), 1);
    var import_typescript3 = __toESM2(require_typescript3(), 1);
    function forEachToken(node, callback, sourceFile = node.getSourceFile()) {
      const queue = [];
      while (true) {
        if (import_typescript3.default.isTokenKind(node.kind)) {
          callback(node);
        } else if (
          // eslint-disable-next-line deprecation/deprecation -- need for support of TS < 4.7
          node.kind !== import_typescript3.default.SyntaxKind.JSDocComment
        ) {
          const children = node.getChildren(sourceFile);
          if (children.length === 1) {
            node = children[0];
            continue;
          }
          for (let i = children.length - 1; i >= 0; --i) {
            queue.push(children[i]);
          }
        }
        if (queue.length === 0) {
          break;
        }
        node = queue.pop();
      }
    }
    function canHaveTrailingTrivia(token) {
      switch (token.kind) {
        case import_typescript2.default.SyntaxKind.CloseBraceToken:
          return token.parent.kind !== import_typescript2.default.SyntaxKind.JsxExpression || !isJsxElementOrFragment(token.parent.parent);
        case import_typescript2.default.SyntaxKind.GreaterThanToken:
          switch (token.parent.kind) {
            case import_typescript2.default.SyntaxKind.JsxOpeningElement:
              return token.end !== token.parent.end;
            case import_typescript2.default.SyntaxKind.JsxOpeningFragment:
              return false;
            case import_typescript2.default.SyntaxKind.JsxSelfClosingElement:
              return token.end !== token.parent.end || // if end is not equal, this is part of the type arguments list
              !isJsxElementOrFragment(token.parent.parent);
            case import_typescript2.default.SyntaxKind.JsxClosingElement:
            case import_typescript2.default.SyntaxKind.JsxClosingFragment:
              return !isJsxElementOrFragment(token.parent.parent.parent);
          }
      }
      return true;
    }
    function isJsxElementOrFragment(node) {
      return node.kind === import_typescript2.default.SyntaxKind.JsxElement || node.kind === import_typescript2.default.SyntaxKind.JsxFragment;
    }
    function forEachComment(node, callback, sourceFile = node.getSourceFile()) {
      const fullText = sourceFile.text;
      const notJsx = sourceFile.languageVariant !== import_typescript2.default.LanguageVariant.JSX;
      return forEachToken(
        node,
        (token) => {
          if (token.pos === token.end) {
            return;
          }
          if (token.kind !== import_typescript2.default.SyntaxKind.JsxText) {
            import_typescript2.default.forEachLeadingCommentRange(
              fullText,
              // skip shebang at position 0
              token.pos === 0 ? (import_typescript2.default.getShebang(fullText) ?? "").length : token.pos,
              commentCallback
            );
          }
          if (notJsx || canHaveTrailingTrivia(token)) {
            return import_typescript2.default.forEachTrailingCommentRange(
              fullText,
              token.end,
              commentCallback
            );
          }
        },
        sourceFile
      );
      function commentCallback(pos, end, kind) {
        callback(fullText, { end, kind, pos });
      }
    }
    var import_typescript32 = __toESM2(require_typescript3(), 1);
    function isCompilerOptionEnabled(options, option) {
      switch (option) {
        case "stripInternal":
        case "declarationMap":
        case "emitDeclarationOnly":
          return options[option] === true && isCompilerOptionEnabled(options, "declaration");
        case "declaration":
          return options.declaration || isCompilerOptionEnabled(options, "composite");
        case "incremental":
          return options.incremental === void 0 ? isCompilerOptionEnabled(options, "composite") : options.incremental;
        case "skipDefaultLibCheck":
          return options.skipDefaultLibCheck || isCompilerOptionEnabled(options, "skipLibCheck");
        case "suppressImplicitAnyIndexErrors":
          return options.suppressImplicitAnyIndexErrors === true && isCompilerOptionEnabled(options, "noImplicitAny");
        case "allowSyntheticDefaultImports":
          return options.allowSyntheticDefaultImports !== void 0 ? options.allowSyntheticDefaultImports : isCompilerOptionEnabled(options, "esModuleInterop") || options.module === import_typescript32.default.ModuleKind.System;
        case "noUncheckedIndexedAccess":
          return options.noUncheckedIndexedAccess === true && isCompilerOptionEnabled(options, "strictNullChecks");
        case "allowJs":
          return options.allowJs === void 0 ? isCompilerOptionEnabled(options, "checkJs") : options.allowJs;
        case "noImplicitAny":
        case "noImplicitThis":
        case "strictNullChecks":
        case "strictFunctionTypes":
        case "strictPropertyInitialization":
        case "alwaysStrict":
        case "strictBindCallApply":
          return isStrictCompilerOptionEnabled(
            options,
            option
          );
      }
      return options[option] === true;
    }
    function isStrictCompilerOptionEnabled(options, option) {
      return (options.strict ? options[option] !== false : options[option] === true) && (option !== "strictPropertyInitialization" || isStrictCompilerOptionEnabled(options, "strictNullChecks"));
    }
    var import_typescript4 = __toESM2(require_typescript3(), 1);
    function isFlagSet(allFlags, flag) {
      return (allFlags & flag) !== 0;
    }
    function isFlagSetOnObject(obj, flag) {
      return isFlagSet(obj.flags, flag);
    }
    function isModifierFlagSet(node, flag) {
      return isFlagSet(import_typescript4.default.getCombinedModifierFlags(node), flag);
    }
    var isNodeFlagSet = isFlagSetOnObject;
    function isObjectFlagSet(objectType2, flag) {
      return isFlagSet(objectType2.objectFlags, flag);
    }
    var isSymbolFlagSet = isFlagSetOnObject;
    var isTypeFlagSet = isFlagSetOnObject;
    function includesModifier(modifiers, ...kinds) {
      if (modifiers === void 0) {
        return false;
      }
      for (const modifier of modifiers) {
        if (kinds.includes(modifier.kind)) {
          return true;
        }
      }
      return false;
    }
    var import_typescript6 = __toESM2(require_typescript3(), 1);
    var import_typescript5 = __toESM2(require_typescript3(), 1);
    function isAssignmentKind(kind) {
      return kind >= import_typescript5.default.SyntaxKind.FirstAssignment && kind <= import_typescript5.default.SyntaxKind.LastAssignment;
    }
    function isNumericPropertyName(name) {
      return String(+name) === name;
    }
    function charSize(ch) {
      return ch >= 65536 ? 2 : 1;
    }
    function isValidPropertyAccess(text, languageVersion = import_typescript5.default.ScriptTarget.Latest) {
      if (text.length === 0) {
        return false;
      }
      let ch = text.codePointAt(0);
      if (!import_typescript5.default.isIdentifierStart(ch, languageVersion)) {
        return false;
      }
      for (let i = charSize(ch); i < text.length; i += charSize(ch)) {
        ch = text.codePointAt(i);
        if (!import_typescript5.default.isIdentifierPart(ch, languageVersion)) {
          return false;
        }
      }
      return true;
    }
    var AccessKind = /* @__PURE__ */ ((AccessKind2) => {
      AccessKind2[AccessKind2["None"] = 0] = "None";
      AccessKind2[AccessKind2["Read"] = 1] = "Read";
      AccessKind2[AccessKind2["Write"] = 2] = "Write";
      AccessKind2[AccessKind2["Delete"] = 4] = "Delete";
      AccessKind2[AccessKind2["ReadWrite"] = 3] = "ReadWrite";
      return AccessKind2;
    })(AccessKind || {});
    function getAccessKind(node) {
      const parent = node.parent;
      switch (parent.kind) {
        case import_typescript6.default.SyntaxKind.DeleteExpression:
          return 4;
        case import_typescript6.default.SyntaxKind.PostfixUnaryExpression:
          return 3;
        case import_typescript6.default.SyntaxKind.PrefixUnaryExpression:
          return parent.operator === import_typescript6.default.SyntaxKind.PlusPlusToken || parent.operator === import_typescript6.default.SyntaxKind.MinusMinusToken ? 3 : 1;
        case import_typescript6.default.SyntaxKind.BinaryExpression:
          return parent.right === node ? 1 : !isAssignmentKind(parent.operatorToken.kind) ? 1 : parent.operatorToken.kind === import_typescript6.default.SyntaxKind.EqualsToken ? 2 : 3;
        case import_typescript6.default.SyntaxKind.ShorthandPropertyAssignment:
          return parent.objectAssignmentInitializer === node ? 1 : isInDestructuringAssignment(parent) ? 2 : 1;
        case import_typescript6.default.SyntaxKind.PropertyAssignment:
          return parent.name === node ? 0 : isInDestructuringAssignment(parent) ? 2 : 1;
        case import_typescript6.default.SyntaxKind.ArrayLiteralExpression:
        case import_typescript6.default.SyntaxKind.SpreadElement:
        case import_typescript6.default.SyntaxKind.SpreadAssignment:
          return isInDestructuringAssignment(
            parent
          ) ? 2 : 1;
        case import_typescript6.default.SyntaxKind.ParenthesizedExpression:
        case import_typescript6.default.SyntaxKind.NonNullExpression:
        case import_typescript6.default.SyntaxKind.TypeAssertionExpression:
        case import_typescript6.default.SyntaxKind.AsExpression:
          return getAccessKind(parent);
        case import_typescript6.default.SyntaxKind.ForOfStatement:
        case import_typescript6.default.SyntaxKind.ForInStatement:
          return parent.initializer === node ? 2 : 1;
        case import_typescript6.default.SyntaxKind.ExpressionWithTypeArguments:
          return parent.parent.token === import_typescript6.default.SyntaxKind.ExtendsKeyword && parent.parent.parent.kind !== import_typescript6.default.SyntaxKind.InterfaceDeclaration ? 1 : 0;
        case import_typescript6.default.SyntaxKind.ComputedPropertyName:
        case import_typescript6.default.SyntaxKind.ExpressionStatement:
        case import_typescript6.default.SyntaxKind.TypeOfExpression:
        case import_typescript6.default.SyntaxKind.ElementAccessExpression:
        case import_typescript6.default.SyntaxKind.ForStatement:
        case import_typescript6.default.SyntaxKind.IfStatement:
        case import_typescript6.default.SyntaxKind.DoStatement:
        case import_typescript6.default.SyntaxKind.WhileStatement:
        case import_typescript6.default.SyntaxKind.SwitchStatement:
        case import_typescript6.default.SyntaxKind.WithStatement:
        case import_typescript6.default.SyntaxKind.ThrowStatement:
        case import_typescript6.default.SyntaxKind.CallExpression:
        case import_typescript6.default.SyntaxKind.NewExpression:
        case import_typescript6.default.SyntaxKind.TaggedTemplateExpression:
        case import_typescript6.default.SyntaxKind.JsxExpression:
        case import_typescript6.default.SyntaxKind.Decorator:
        case import_typescript6.default.SyntaxKind.TemplateSpan:
        case import_typescript6.default.SyntaxKind.JsxOpeningElement:
        case import_typescript6.default.SyntaxKind.JsxSelfClosingElement:
        case import_typescript6.default.SyntaxKind.JsxSpreadAttribute:
        case import_typescript6.default.SyntaxKind.VoidExpression:
        case import_typescript6.default.SyntaxKind.ReturnStatement:
        case import_typescript6.default.SyntaxKind.AwaitExpression:
        case import_typescript6.default.SyntaxKind.YieldExpression:
        case import_typescript6.default.SyntaxKind.ConditionalExpression:
        case import_typescript6.default.SyntaxKind.CaseClause:
        case import_typescript6.default.SyntaxKind.JsxElement:
          return 1;
        case import_typescript6.default.SyntaxKind.ArrowFunction:
          return parent.body === node ? 1 : 2;
        case import_typescript6.default.SyntaxKind.PropertyDeclaration:
        case import_typescript6.default.SyntaxKind.VariableDeclaration:
        case import_typescript6.default.SyntaxKind.Parameter:
        case import_typescript6.default.SyntaxKind.EnumMember:
        case import_typescript6.default.SyntaxKind.BindingElement:
        case import_typescript6.default.SyntaxKind.JsxAttribute:
          return parent.initializer === node ? 1 : 0;
        case import_typescript6.default.SyntaxKind.PropertyAccessExpression:
          return parent.expression === node ? 1 : 0;
        case import_typescript6.default.SyntaxKind.ExportAssignment:
          return parent.isExportEquals ? 1 : 0;
      }
      return 0;
    }
    function isInDestructuringAssignment(node) {
      switch (node.kind) {
        case import_typescript6.default.SyntaxKind.ShorthandPropertyAssignment:
          if (node.objectAssignmentInitializer !== void 0) {
            return true;
          }
        case import_typescript6.default.SyntaxKind.PropertyAssignment:
        case import_typescript6.default.SyntaxKind.SpreadAssignment:
          node = node.parent;
          break;
        case import_typescript6.default.SyntaxKind.SpreadElement:
          if (node.parent.kind !== import_typescript6.default.SyntaxKind.ArrayLiteralExpression) {
            return false;
          }
          node = node.parent;
      }
      while (true) {
        switch (node.parent.kind) {
          case import_typescript6.default.SyntaxKind.BinaryExpression:
            return node.parent.left === node && node.parent.operatorToken.kind === import_typescript6.default.SyntaxKind.EqualsToken;
          case import_typescript6.default.SyntaxKind.ForOfStatement:
            return node.parent.initializer === node;
          case import_typescript6.default.SyntaxKind.ArrayLiteralExpression:
          case import_typescript6.default.SyntaxKind.ObjectLiteralExpression:
            node = node.parent;
            break;
          case import_typescript6.default.SyntaxKind.SpreadAssignment:
          case import_typescript6.default.SyntaxKind.PropertyAssignment:
            node = node.parent.parent;
            break;
          case import_typescript6.default.SyntaxKind.SpreadElement:
            if (node.parent.parent.kind !== import_typescript6.default.SyntaxKind.ArrayLiteralExpression) {
              return false;
            }
            node = node.parent.parent;
            break;
          default:
            return false;
        }
      }
    }
    var import_typescript10 = __toESM2(require_typescript3(), 1);
    var import_typescript7 = __toESM2(require_typescript3(), 1);
    function isAbstractKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.AbstractKeyword;
    }
    function isAccessorKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.AccessorKeyword;
    }
    function isAnyKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.AnyKeyword;
    }
    function isAssertKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.AssertKeyword;
    }
    function isAssertsKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.AssertsKeyword;
    }
    function isAsyncKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.AsyncKeyword;
    }
    function isAwaitKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.AwaitKeyword;
    }
    function isBigIntKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.BigIntKeyword;
    }
    function isBooleanKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.BooleanKeyword;
    }
    function isColonToken2(node) {
      return node.kind === import_typescript7.default.SyntaxKind.ColonToken;
    }
    function isConstKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.ConstKeyword;
    }
    function isDeclareKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.DeclareKeyword;
    }
    function isDefaultKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.DefaultKeyword;
    }
    function isDotToken(node) {
      return node.kind === import_typescript7.default.SyntaxKind.DotToken;
    }
    function isEndOfFileToken(node) {
      return node.kind === import_typescript7.default.SyntaxKind.EndOfFileToken;
    }
    function isEqualsGreaterThanToken(node) {
      return node.kind === import_typescript7.default.SyntaxKind.EqualsGreaterThanToken;
    }
    function isEqualsToken(node) {
      return node.kind === import_typescript7.default.SyntaxKind.EqualsToken;
    }
    function isExclamationToken(node) {
      return node.kind === import_typescript7.default.SyntaxKind.ExclamationToken;
    }
    function isExportKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.ExportKeyword;
    }
    function isFalseKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.FalseKeyword;
    }
    function isFalseLiteral(node) {
      return node.kind === import_typescript7.default.SyntaxKind.FalseKeyword;
    }
    function isImportExpression(node) {
      return node.kind === import_typescript7.default.SyntaxKind.ImportKeyword;
    }
    function isImportKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.ImportKeyword;
    }
    function isInKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.InKeyword;
    }
    function isInputFiles(node) {
      return node.kind === import_typescript7.default.SyntaxKind.InputFiles;
    }
    function isJSDocText(node) {
      return node.kind === import_typescript7.default.SyntaxKind.JSDocText;
    }
    function isJsonMinusNumericLiteral(node) {
      return node.kind === import_typescript7.default.SyntaxKind.PrefixUnaryExpression;
    }
    function isNeverKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.NeverKeyword;
    }
    function isNullKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.NullKeyword;
    }
    function isNullLiteral2(node) {
      return node.kind === import_typescript7.default.SyntaxKind.NullKeyword;
    }
    function isNumberKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.NumberKeyword;
    }
    function isObjectKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.ObjectKeyword;
    }
    function isOutKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.OutKeyword;
    }
    function isOverrideKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.OverrideKeyword;
    }
    function isPrivateKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.PrivateKeyword;
    }
    function isProtectedKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.ProtectedKeyword;
    }
    function isPublicKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.PublicKeyword;
    }
    function isQuestionDotToken(node) {
      return node.kind === import_typescript7.default.SyntaxKind.QuestionDotToken;
    }
    function isQuestionToken(node) {
      return node.kind === import_typescript7.default.SyntaxKind.QuestionToken;
    }
    function isReadonlyKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.ReadonlyKeyword;
    }
    function isStaticKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.StaticKeyword;
    }
    function isStringKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.StringKeyword;
    }
    function isSuperExpression2(node) {
      return node.kind === import_typescript7.default.SyntaxKind.SuperKeyword;
    }
    function isSuperKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.SuperKeyword;
    }
    function isSymbolKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.SymbolKeyword;
    }
    function isSyntaxList(node) {
      return node.kind === import_typescript7.default.SyntaxKind.SyntaxList;
    }
    function isThisExpression(node) {
      return node.kind === import_typescript7.default.SyntaxKind.ThisKeyword;
    }
    function isThisKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.ThisKeyword;
    }
    function isTrueKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.TrueKeyword;
    }
    function isTrueLiteral(node) {
      return node.kind === import_typescript7.default.SyntaxKind.TrueKeyword;
    }
    function isUndefinedKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.UndefinedKeyword;
    }
    function isUnknownKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.UnknownKeyword;
    }
    function isUnparsedPrologue(node) {
      return node.kind === import_typescript7.default.SyntaxKind.UnparsedPrologue;
    }
    function isUnparsedSyntheticReference(node) {
      return node.kind === import_typescript7.default.SyntaxKind.UnparsedSyntheticReference;
    }
    function isVoidKeyword(node) {
      return node.kind === import_typescript7.default.SyntaxKind.VoidKeyword;
    }
    var import_typescript9 = __toESM2(require_typescript3(), 1);
    var import_typescript8 = __toESM2(require_typescript3(), 1);
    var [tsMajor, tsMinor] = import_typescript8.default.versionMajorMinor.split(".").map((raw) => Number.parseInt(raw, 10));
    function isTsVersionAtLeast(major, minor = 0) {
      return tsMajor > major || tsMajor === major && tsMinor >= minor;
    }
    function isAccessExpression(node) {
      return import_typescript9.default.isPropertyAccessExpression(node) || import_typescript9.default.isElementAccessExpression(node);
    }
    function isAccessibilityModifier(node) {
      return isPublicKeyword(node) || isPrivateKeyword(node) || isProtectedKeyword(node);
    }
    function isAccessorDeclaration(node) {
      return import_typescript9.default.isGetAccessorDeclaration(node) || import_typescript9.default.isSetAccessorDeclaration(node);
    }
    function isArrayBindingElement(node) {
      return import_typescript9.default.isBindingElement(node) || import_typescript9.default.isOmittedExpression(node);
    }
    function isArrayBindingOrAssignmentPattern(node) {
      return import_typescript9.default.isArrayBindingPattern(node) || import_typescript9.default.isArrayLiteralExpression(node);
    }
    function isAssignmentPattern(node) {
      return import_typescript9.default.isObjectLiteralExpression(node) || import_typescript9.default.isArrayLiteralExpression(node);
    }
    function isBindingOrAssignmentElementRestIndicator(node) {
      if (import_typescript9.default.isSpreadElement(node) || import_typescript9.default.isSpreadAssignment(node)) {
        return true;
      }
      if (isTsVersionAtLeast(4, 4)) {
        return import_typescript9.default.isDotDotDotToken(node);
      }
      return false;
    }
    function isBindingOrAssignmentElementTarget(node) {
      return isBindingOrAssignmentPattern(node) || import_typescript9.default.isIdentifier(node) || import_typescript9.default.isPropertyAccessExpression(node) || import_typescript9.default.isElementAccessExpression(node) || import_typescript9.default.isOmittedExpression(node);
    }
    function isBindingOrAssignmentPattern(node) {
      return isObjectBindingOrAssignmentPattern(node) || isArrayBindingOrAssignmentPattern(node);
    }
    function isBindingPattern(node) {
      return import_typescript9.default.isObjectBindingPattern(node) || import_typescript9.default.isArrayBindingPattern(node);
    }
    function isBlockLike(node) {
      return import_typescript9.default.isSourceFile(node) || import_typescript9.default.isBlock(node) || import_typescript9.default.isModuleBlock(node) || import_typescript9.default.isCaseOrDefaultClause(node);
    }
    function isBooleanLiteral(node) {
      return isTrueLiteral(node) || isFalseLiteral(node);
    }
    function isClassLikeDeclaration(node) {
      return import_typescript9.default.isClassDeclaration(node) || import_typescript9.default.isClassExpression(node);
    }
    function isClassMemberModifier(node) {
      return isAccessibilityModifier(node) || isReadonlyKeyword(node) || isStaticKeyword(node) || isAccessorKeyword(node);
    }
    function isDeclarationName(node) {
      return import_typescript9.default.isIdentifier(node) || import_typescript9.default.isPrivateIdentifier(node) || import_typescript9.default.isStringLiteralLike(node) || import_typescript9.default.isNumericLiteral(node) || import_typescript9.default.isComputedPropertyName(node) || import_typescript9.default.isElementAccessExpression(node) || isBindingPattern(node) || isEntityNameExpression(node);
    }
    function isDeclarationWithTypeParameterChildren(node) {
      return isSignatureDeclaration(node) || // eslint-disable-next-line deprecation/deprecation -- Keep compatibility with ts <5
      isClassLikeDeclaration(node) || import_typescript9.default.isInterfaceDeclaration(node) || import_typescript9.default.isTypeAliasDeclaration(node) || import_typescript9.default.isJSDocTemplateTag(node);
    }
    function isDeclarationWithTypeParameters(node) {
      return isDeclarationWithTypeParameterChildren(node) || import_typescript9.default.isJSDocTypedefTag(node) || import_typescript9.default.isJSDocCallbackTag(node) || import_typescript9.default.isJSDocSignature(node);
    }
    function isDestructuringPattern(node) {
      return isBindingPattern(node) || import_typescript9.default.isObjectLiteralExpression(node) || import_typescript9.default.isArrayLiteralExpression(node);
    }
    function isEntityNameExpression(node) {
      return import_typescript9.default.isIdentifier(node) || isPropertyAccessEntityNameExpression(node);
    }
    function isEntityNameOrEntityNameExpression(node) {
      return import_typescript9.default.isEntityName(node) || isEntityNameExpression(node);
    }
    function isForInOrOfStatement(node) {
      return import_typescript9.default.isForInStatement(node) || import_typescript9.default.isForOfStatement(node);
    }
    function isFunctionLikeDeclaration(node) {
      return import_typescript9.default.isFunctionDeclaration(node) || import_typescript9.default.isMethodDeclaration(node) || import_typescript9.default.isGetAccessorDeclaration(node) || import_typescript9.default.isSetAccessorDeclaration(node) || import_typescript9.default.isConstructorDeclaration(node) || import_typescript9.default.isFunctionExpression(node) || import_typescript9.default.isArrowFunction(node);
    }
    function hasDecorators(node) {
      return import_typescript9.default.isParameter(node) || import_typescript9.default.isPropertyDeclaration(node) || import_typescript9.default.isMethodDeclaration(node) || import_typescript9.default.isGetAccessorDeclaration(node) || import_typescript9.default.isSetAccessorDeclaration(node) || import_typescript9.default.isClassExpression(node) || import_typescript9.default.isClassDeclaration(node);
    }
    function hasExpressionInitializer(node) {
      return import_typescript9.default.isVariableDeclaration(node) || import_typescript9.default.isParameter(node) || import_typescript9.default.isBindingElement(node) || import_typescript9.default.isPropertyDeclaration(node) || import_typescript9.default.isPropertyAssignment(node) || import_typescript9.default.isEnumMember(node);
    }
    function hasInitializer(node) {
      return hasExpressionInitializer(node) || import_typescript9.default.isForStatement(node) || import_typescript9.default.isForInStatement(node) || import_typescript9.default.isForOfStatement(node) || import_typescript9.default.isJsxAttribute(node);
    }
    function hasJSDoc(node) {
      if (
        // eslint-disable-next-line deprecation/deprecation -- Keep compatibility with ts <5
        isAccessorDeclaration(node) || import_typescript9.default.isArrowFunction(node) || import_typescript9.default.isBlock(node) || import_typescript9.default.isBreakStatement(node) || import_typescript9.default.isCallSignatureDeclaration(node) || import_typescript9.default.isCaseClause(node) || // eslint-disable-next-line deprecation/deprecation -- Keep compatibility with ts <5
        isClassLikeDeclaration(node) || import_typescript9.default.isConstructorDeclaration(node) || import_typescript9.default.isConstructorTypeNode(node) || import_typescript9.default.isConstructSignatureDeclaration(node) || import_typescript9.default.isContinueStatement(node) || import_typescript9.default.isDebuggerStatement(node) || import_typescript9.default.isDoStatement(node) || import_typescript9.default.isEmptyStatement(node) || isEndOfFileToken(node) || import_typescript9.default.isEnumDeclaration(node) || import_typescript9.default.isEnumMember(node) || import_typescript9.default.isExportAssignment(node) || import_typescript9.default.isExportDeclaration(node) || import_typescript9.default.isExportSpecifier(node) || import_typescript9.default.isExpressionStatement(node) || import_typescript9.default.isForInStatement(node) || import_typescript9.default.isForOfStatement(node) || import_typescript9.default.isForStatement(node) || import_typescript9.default.isFunctionDeclaration(node) || import_typescript9.default.isFunctionExpression(node) || import_typescript9.default.isFunctionTypeNode(node) || import_typescript9.default.isIfStatement(node) || import_typescript9.default.isImportDeclaration(node) || import_typescript9.default.isImportEqualsDeclaration(node) || import_typescript9.default.isIndexSignatureDeclaration(node) || import_typescript9.default.isInterfaceDeclaration(node) || import_typescript9.default.isJSDocFunctionType(node) || import_typescript9.default.isLabeledStatement(node) || import_typescript9.default.isMethodDeclaration(node) || import_typescript9.default.isMethodSignature(node) || import_typescript9.default.isModuleDeclaration(node) || import_typescript9.default.isNamedTupleMember(node) || import_typescript9.default.isNamespaceExportDeclaration(node) || import_typescript9.default.isParameter(node) || import_typescript9.default.isParenthesizedExpression(node) || import_typescript9.default.isPropertyAssignment(node) || import_typescript9.default.isPropertyDeclaration(node) || import_typescript9.default.isPropertySignature(node) || import_typescript9.default.isReturnStatement(node) || import_typescript9.default.isShorthandPropertyAssignment(node) || import_typescript9.default.isSpreadAssignment(node) || import_typescript9.default.isSwitchStatement(node) || import_typescript9.default.isThrowStatement(node) || import_typescript9.default.isTryStatement(node) || import_typescript9.default.isTypeAliasDeclaration(node) || import_typescript9.default.isVariableDeclaration(node) || import_typescript9.default.isVariableStatement(node) || import_typescript9.default.isWhileStatement(node) || import_typescript9.default.isWithStatement(node)
      ) {
        return true;
      }
      if (isTsVersionAtLeast(4, 4) && import_typescript9.default.isClassStaticBlockDeclaration(node)) {
        return true;
      }
      if (isTsVersionAtLeast(5, 0) && (import_typescript9.default.isBinaryExpression(node) || import_typescript9.default.isElementAccessExpression(node) || import_typescript9.default.isIdentifier(node) || import_typescript9.default.isJSDocSignature(node) || import_typescript9.default.isObjectLiteralExpression(node) || import_typescript9.default.isPropertyAccessExpression(node) || import_typescript9.default.isTypeParameterDeclaration(node))) {
        return true;
      }
      return false;
    }
    function hasModifiers(node) {
      return import_typescript9.default.isTypeParameterDeclaration(node) || import_typescript9.default.isParameter(node) || import_typescript9.default.isConstructorTypeNode(node) || import_typescript9.default.isPropertySignature(node) || import_typescript9.default.isPropertyDeclaration(node) || import_typescript9.default.isMethodSignature(node) || import_typescript9.default.isMethodDeclaration(node) || import_typescript9.default.isConstructorDeclaration(node) || import_typescript9.default.isGetAccessorDeclaration(node) || import_typescript9.default.isSetAccessorDeclaration(node) || import_typescript9.default.isIndexSignatureDeclaration(node) || import_typescript9.default.isFunctionExpression(node) || import_typescript9.default.isArrowFunction(node) || import_typescript9.default.isClassExpression(node) || import_typescript9.default.isVariableStatement(node) || import_typescript9.default.isFunctionDeclaration(node) || import_typescript9.default.isClassDeclaration(node) || import_typescript9.default.isInterfaceDeclaration(node) || import_typescript9.default.isTypeAliasDeclaration(node) || import_typescript9.default.isEnumDeclaration(node) || import_typescript9.default.isModuleDeclaration(node) || import_typescript9.default.isImportEqualsDeclaration(node) || import_typescript9.default.isImportDeclaration(node) || import_typescript9.default.isExportAssignment(node) || import_typescript9.default.isExportDeclaration(node);
    }
    function hasType(node) {
      return isSignatureDeclaration(node) || import_typescript9.default.isVariableDeclaration(node) || import_typescript9.default.isParameter(node) || import_typescript9.default.isPropertySignature(node) || import_typescript9.default.isPropertyDeclaration(node) || import_typescript9.default.isTypePredicateNode(node) || import_typescript9.default.isParenthesizedTypeNode(node) || import_typescript9.default.isTypeOperatorNode(node) || import_typescript9.default.isMappedTypeNode(node) || import_typescript9.default.isAssertionExpression(node) || import_typescript9.default.isTypeAliasDeclaration(node) || import_typescript9.default.isJSDocTypeExpression(node) || import_typescript9.default.isJSDocNonNullableType(node) || import_typescript9.default.isJSDocNullableType(node) || import_typescript9.default.isJSDocOptionalType(node) || import_typescript9.default.isJSDocVariadicType(node);
    }
    function hasTypeArguments(node) {
      return import_typescript9.default.isCallExpression(node) || import_typescript9.default.isNewExpression(node) || import_typescript9.default.isTaggedTemplateExpression(node) || import_typescript9.default.isJsxOpeningElement(node) || import_typescript9.default.isJsxSelfClosingElement(node);
    }
    function isJSDocComment(node) {
      if (isJSDocText(node)) {
        return true;
      }
      if (isTsVersionAtLeast(4, 4)) {
        return import_typescript9.default.isJSDocLink(node) || import_typescript9.default.isJSDocLinkCode(node) || import_typescript9.default.isJSDocLinkPlain(node);
      }
      return false;
    }
    function isJSDocNamespaceBody(node) {
      return import_typescript9.default.isIdentifier(node) || isJSDocNamespaceDeclaration(node);
    }
    function isJSDocTypeReferencingNode(node) {
      return import_typescript9.default.isJSDocVariadicType(node) || import_typescript9.default.isJSDocOptionalType(node) || import_typescript9.default.isJSDocNullableType(node) || import_typescript9.default.isJSDocNonNullableType(node);
    }
    function isJsonObjectExpression(node) {
      return import_typescript9.default.isObjectLiteralExpression(node) || import_typescript9.default.isArrayLiteralExpression(node) || isJsonMinusNumericLiteral(node) || import_typescript9.default.isNumericLiteral(node) || import_typescript9.default.isStringLiteral(node) || isBooleanLiteral(node) || isNullLiteral2(node);
    }
    function isJsxAttributeLike(node) {
      return import_typescript9.default.isJsxAttribute(node) || import_typescript9.default.isJsxSpreadAttribute(node);
    }
    function isJsxAttributeValue(node) {
      return import_typescript9.default.isStringLiteral(node) || import_typescript9.default.isJsxExpression(node) || import_typescript9.default.isJsxElement(node) || import_typescript9.default.isJsxSelfClosingElement(node) || import_typescript9.default.isJsxFragment(node);
    }
    function isJsxChild(node) {
      return import_typescript9.default.isJsxText(node) || import_typescript9.default.isJsxExpression(node) || import_typescript9.default.isJsxElement(node) || import_typescript9.default.isJsxSelfClosingElement(node) || import_typescript9.default.isJsxFragment(node);
    }
    function isJsxTagNameExpression(node) {
      return import_typescript9.default.isIdentifier(node) || isThisExpression(node) || isJsxTagNamePropertyAccess(node);
    }
    function isLiteralToken(node) {
      return import_typescript9.default.isNumericLiteral(node) || import_typescript9.default.isBigIntLiteral(node) || import_typescript9.default.isStringLiteral(node) || import_typescript9.default.isJsxText(node) || import_typescript9.default.isRegularExpressionLiteral(node) || import_typescript9.default.isNoSubstitutionTemplateLiteral(node);
    }
    function isModuleBody(node) {
      return isNamespaceBody(node) || isJSDocNamespaceBody(node);
    }
    function isModuleName(node) {
      return import_typescript9.default.isIdentifier(node) || import_typescript9.default.isStringLiteral(node);
    }
    function isModuleReference(node) {
      return import_typescript9.default.isEntityName(node) || import_typescript9.default.isExternalModuleReference(node);
    }
    function isNamedImportBindings(node) {
      return import_typescript9.default.isNamespaceImport(node) || import_typescript9.default.isNamedImports(node);
    }
    function isNamedImportsOrExports(node) {
      return import_typescript9.default.isNamedImports(node) || import_typescript9.default.isNamedExports(node);
    }
    function isNamespaceBody(node) {
      return import_typescript9.default.isModuleBlock(node) || isNamespaceDeclaration(node);
    }
    function isObjectBindingOrAssignmentElement(node) {
      return import_typescript9.default.isBindingElement(node) || import_typescript9.default.isPropertyAssignment(node) || import_typescript9.default.isShorthandPropertyAssignment(node) || import_typescript9.default.isSpreadAssignment(node);
    }
    function isObjectBindingOrAssignmentPattern(node) {
      return import_typescript9.default.isObjectBindingPattern(node) || import_typescript9.default.isObjectLiteralExpression(node);
    }
    function isObjectTypeDeclaration(node) {
      return (
        // eslint-disable-next-line deprecation/deprecation -- Keep compatibility with ts <5
        isClassLikeDeclaration(node) || import_typescript9.default.isInterfaceDeclaration(node) || import_typescript9.default.isTypeLiteralNode(node)
      );
    }
    function isParameterPropertyModifier(node) {
      return isAccessibilityModifier(node) || isReadonlyKeyword(node);
    }
    function isPropertyNameLiteral(node) {
      return import_typescript9.default.isIdentifier(node) || import_typescript9.default.isStringLiteralLike(node) || import_typescript9.default.isNumericLiteral(node);
    }
    function isPseudoLiteralToken(node) {
      return import_typescript9.default.isTemplateHead(node) || import_typescript9.default.isTemplateMiddle(node) || import_typescript9.default.isTemplateTail(node);
    }
    function isSignatureDeclaration(node) {
      return import_typescript9.default.isCallSignatureDeclaration(node) || import_typescript9.default.isConstructSignatureDeclaration(node) || import_typescript9.default.isMethodSignature(node) || import_typescript9.default.isIndexSignatureDeclaration(node) || import_typescript9.default.isFunctionTypeNode(node) || import_typescript9.default.isConstructorTypeNode(node) || import_typescript9.default.isJSDocFunctionType(node) || import_typescript9.default.isFunctionDeclaration(node) || import_typescript9.default.isMethodDeclaration(node) || import_typescript9.default.isConstructorDeclaration(node) || // eslint-disable-next-line deprecation/deprecation -- Keep compatibility with ts <5
      isAccessorDeclaration(node) || import_typescript9.default.isFunctionExpression(node) || import_typescript9.default.isArrowFunction(node);
    }
    function isSuperProperty(node) {
      return isSuperPropertyAccessExpression(node) || isSuperElementAccessExpression(node);
    }
    function isTypeOnlyCompatibleAliasDeclaration(node) {
      if (import_typescript9.default.isImportClause(node) || import_typescript9.default.isImportEqualsDeclaration(node) || import_typescript9.default.isNamespaceImport(node) || import_typescript9.default.isImportOrExportSpecifier(node)) {
        return true;
      }
      if (isTsVersionAtLeast(5, 0) && (import_typescript9.default.isExportDeclaration(node) || import_typescript9.default.isNamespaceExport(node))) {
        return true;
      }
      return false;
    }
    function isTypeReferenceType(node) {
      return import_typescript9.default.isTypeReferenceNode(node) || import_typescript9.default.isExpressionWithTypeArguments(node);
    }
    function isUnionOrIntersectionTypeNode(node) {
      return import_typescript9.default.isUnionTypeNode(node) || import_typescript9.default.isIntersectionTypeNode(node);
    }
    function isUnparsedSourceText(node) {
      return import_typescript9.default.isUnparsedPrepend(node) || import_typescript9.default.isUnparsedTextLike(node);
    }
    function isVariableLikeDeclaration(node) {
      return import_typescript9.default.isVariableDeclaration(node) || import_typescript9.default.isParameter(node) || import_typescript9.default.isBindingElement(node) || import_typescript9.default.isPropertyDeclaration(node) || import_typescript9.default.isPropertyAssignment(node) || import_typescript9.default.isPropertySignature(node) || import_typescript9.default.isJsxAttribute(node) || import_typescript9.default.isShorthandPropertyAssignment(node) || import_typescript9.default.isEnumMember(node) || import_typescript9.default.isJSDocPropertyTag(node) || import_typescript9.default.isJSDocParameterTag(node);
    }
    function isConstAssertionExpression(node) {
      return import_typescript10.default.isTypeReferenceNode(node.type) && import_typescript10.default.isIdentifier(node.type.typeName) && node.type.typeName.escapedText === "const";
    }
    function isIterationStatement(node) {
      switch (node.kind) {
        case import_typescript10.default.SyntaxKind.DoStatement:
        case import_typescript10.default.SyntaxKind.ForInStatement:
        case import_typescript10.default.SyntaxKind.ForOfStatement:
        case import_typescript10.default.SyntaxKind.ForStatement:
        case import_typescript10.default.SyntaxKind.WhileStatement:
          return true;
        default:
          return false;
      }
    }
    function isJSDocNamespaceDeclaration(node) {
      return import_typescript10.default.isModuleDeclaration(node) && import_typescript10.default.isIdentifier(node.name) && (node.body === void 0 || isJSDocNamespaceBody(node.body));
    }
    function isJsxTagNamePropertyAccess(node) {
      return import_typescript10.default.isPropertyAccessExpression(node) && // eslint-disable-next-line deprecation/deprecation -- Keep compatibility with ts < 5
      isJsxTagNameExpression(node.expression);
    }
    function isNamedDeclarationWithName(node) {
      return "name" in node && node.name !== void 0 && node.name !== null && isDeclarationName(node.name);
    }
    function isNamespaceDeclaration(node) {
      return import_typescript10.default.isModuleDeclaration(node) && import_typescript10.default.isIdentifier(node.name) && node.body !== void 0 && isNamespaceBody(node.body);
    }
    function isNumericOrStringLikeLiteral(node) {
      switch (node.kind) {
        case import_typescript10.default.SyntaxKind.StringLiteral:
        case import_typescript10.default.SyntaxKind.NumericLiteral:
        case import_typescript10.default.SyntaxKind.NoSubstitutionTemplateLiteral:
          return true;
        default:
          return false;
      }
    }
    function isPropertyAccessEntityNameExpression(node) {
      return import_typescript10.default.isPropertyAccessExpression(node) && import_typescript10.default.isIdentifier(node.name) && isEntityNameExpression(node.expression);
    }
    function isSuperElementAccessExpression(node) {
      return import_typescript10.default.isElementAccessExpression(node) && isSuperExpression2(node.expression);
    }
    function isSuperPropertyAccessExpression(node) {
      return import_typescript10.default.isPropertyAccessExpression(node) && isSuperExpression2(node.expression);
    }
    var import_typescript11 = __toESM2(require_typescript3(), 1);
    function isFunctionScopeBoundary(node) {
      switch (node.kind) {
        case import_typescript11.default.SyntaxKind.FunctionExpression:
        case import_typescript11.default.SyntaxKind.ArrowFunction:
        case import_typescript11.default.SyntaxKind.Constructor:
        case import_typescript11.default.SyntaxKind.ModuleDeclaration:
        case import_typescript11.default.SyntaxKind.ClassDeclaration:
        case import_typescript11.default.SyntaxKind.ClassExpression:
        case import_typescript11.default.SyntaxKind.EnumDeclaration:
        case import_typescript11.default.SyntaxKind.MethodDeclaration:
        case import_typescript11.default.SyntaxKind.FunctionDeclaration:
        case import_typescript11.default.SyntaxKind.GetAccessor:
        case import_typescript11.default.SyntaxKind.SetAccessor:
        case import_typescript11.default.SyntaxKind.MethodSignature:
        case import_typescript11.default.SyntaxKind.CallSignature:
        case import_typescript11.default.SyntaxKind.ConstructSignature:
        case import_typescript11.default.SyntaxKind.ConstructorType:
        case import_typescript11.default.SyntaxKind.FunctionType:
          return true;
        case import_typescript11.default.SyntaxKind.SourceFile:
          return import_typescript11.default.isExternalModule(node);
        default:
          return false;
      }
    }
    var import_typescript16 = __toESM2(require_typescript3(), 1);
    var import_typescript12 = __toESM2(require_typescript3(), 1);
    function isIntrinsicAnyType(type) {
      return isTypeFlagSet(type, import_typescript12.default.TypeFlags.Any);
    }
    function isIntrinsicBooleanType(type) {
      return isTypeFlagSet(type, import_typescript12.default.TypeFlags.Boolean);
    }
    function isIntrinsicBigIntType(type) {
      return isTypeFlagSet(type, import_typescript12.default.TypeFlags.BigInt);
    }
    function isIntrinsicErrorType(type) {
      return isIntrinsicType(type) && type.intrinsicName === "error";
    }
    function isIntrinsicESSymbolType(type) {
      return isTypeFlagSet(type, import_typescript12.default.TypeFlags.ESSymbol);
    }
    var IntrinsicTypeFlags = import_typescript12.default.TypeFlags.Intrinsic ?? import_typescript12.default.TypeFlags.Any | import_typescript12.default.TypeFlags.Unknown | import_typescript12.default.TypeFlags.String | import_typescript12.default.TypeFlags.Number | import_typescript12.default.TypeFlags.BigInt | import_typescript12.default.TypeFlags.Boolean | import_typescript12.default.TypeFlags.BooleanLiteral | import_typescript12.default.TypeFlags.ESSymbol | import_typescript12.default.TypeFlags.Void | import_typescript12.default.TypeFlags.Undefined | import_typescript12.default.TypeFlags.Null | import_typescript12.default.TypeFlags.Never | import_typescript12.default.TypeFlags.NonPrimitive;
    function isIntrinsicType(type) {
      return isTypeFlagSet(type, IntrinsicTypeFlags);
    }
    function isIntrinsicNeverType(type) {
      return isTypeFlagSet(type, import_typescript12.default.TypeFlags.Never);
    }
    function isIntrinsicNonPrimitiveType(type) {
      return isTypeFlagSet(type, import_typescript12.default.TypeFlags.NonPrimitive);
    }
    function isIntrinsicNullType(type) {
      return isTypeFlagSet(type, import_typescript12.default.TypeFlags.Null);
    }
    function isIntrinsicNumberType(type) {
      return isTypeFlagSet(type, import_typescript12.default.TypeFlags.Number);
    }
    function isIntrinsicStringType(type) {
      return isTypeFlagSet(type, import_typescript12.default.TypeFlags.String);
    }
    function isIntrinsicUndefinedType(type) {
      return isTypeFlagSet(type, import_typescript12.default.TypeFlags.Undefined);
    }
    function isIntrinsicUnknownType(type) {
      return isTypeFlagSet(type, import_typescript12.default.TypeFlags.Unknown);
    }
    function isIntrinsicVoidType(type) {
      return isTypeFlagSet(type, import_typescript12.default.TypeFlags.Void);
    }
    var import_typescript14 = __toESM2(require_typescript3(), 1);
    var import_typescript13 = __toESM2(require_typescript3(), 1);
    function isConditionalType(type) {
      return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Conditional);
    }
    function isEnumType(type) {
      return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Enum);
    }
    function isFreshableType(type) {
      return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Freshable);
    }
    function isIndexType(type) {
      return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Index);
    }
    function isIndexedAccessType(type) {
      return isTypeFlagSet(type, import_typescript13.default.TypeFlags.IndexedAccess);
    }
    function isInstantiableType(type) {
      return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Instantiable);
    }
    function isIntersectionType(type) {
      return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Intersection);
    }
    function isObjectType(type) {
      return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Object);
    }
    function isStringMappingType(type) {
      return isTypeFlagSet(type, import_typescript13.default.TypeFlags.StringMapping);
    }
    function isSubstitutionType(type) {
      return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Substitution);
    }
    function isTypeParameter(type) {
      return isTypeFlagSet(type, import_typescript13.default.TypeFlags.TypeParameter);
    }
    function isTypeVariable(type) {
      return isTypeFlagSet(type, import_typescript13.default.TypeFlags.TypeVariable);
    }
    function isUnionType(type) {
      return isTypeFlagSet(type, import_typescript13.default.TypeFlags.Union);
    }
    function isUnionOrIntersectionType(type) {
      return isTypeFlagSet(type, import_typescript13.default.TypeFlags.UnionOrIntersection);
    }
    function isUniqueESSymbolType(type) {
      return isTypeFlagSet(type, import_typescript13.default.TypeFlags.UniqueESSymbol);
    }
    function isEvolvingArrayType(type) {
      return isObjectType(type) && isObjectFlagSet(type, import_typescript14.default.ObjectFlags.EvolvingArray);
    }
    function isTupleType(type) {
      return isObjectType(type) && isObjectFlagSet(type, import_typescript14.default.ObjectFlags.Tuple);
    }
    function isTypeReference(type) {
      return isObjectType(type) && isObjectFlagSet(type, import_typescript14.default.ObjectFlags.Reference);
    }
    function isFreshableIntrinsicType(type) {
      return isIntrinsicType(type) && isFreshableType(type);
    }
    function isTupleTypeReference(type) {
      return isTypeReference(type) && isTupleType(type.target);
    }
    var import_typescript15 = __toESM2(require_typescript3(), 1);
    function isBooleanLiteralType(type) {
      return isTypeFlagSet(type, import_typescript15.default.TypeFlags.BooleanLiteral);
    }
    function isBigIntLiteralType(type) {
      return isTypeFlagSet(type, import_typescript15.default.TypeFlags.BigIntLiteral);
    }
    function isFalseLiteralType(type) {
      return isBooleanLiteralType(type) && type.intrinsicName === "false";
    }
    function isLiteralType(type) {
      return isTypeFlagSet(type, import_typescript15.default.TypeFlags.Literal);
    }
    function isNumberLiteralType(type) {
      return isTypeFlagSet(type, import_typescript15.default.TypeFlags.NumberLiteral);
    }
    function isStringLiteralType(type) {
      return isTypeFlagSet(type, import_typescript15.default.TypeFlags.StringLiteral);
    }
    function isTemplateLiteralType(type) {
      return isTypeFlagSet(type, import_typescript15.default.TypeFlags.TemplateLiteral);
    }
    function isTrueLiteralType(type) {
      return isBooleanLiteralType(type) && type.intrinsicName === "true";
    }
    function isUnknownLiteralType(type) {
      return isTypeFlagSet(type, import_typescript15.default.TypeFlags.Literal);
    }
    function getCallSignaturesOfType(type) {
      if (isUnionType(type)) {
        const signatures = [];
        for (const subType of type.types) {
          signatures.push(...getCallSignaturesOfType(subType));
        }
        return signatures;
      }
      if (isIntersectionType(type)) {
        let signatures;
        for (const subType of type.types) {
          const sig = getCallSignaturesOfType(subType);
          if (sig.length !== 0) {
            if (signatures !== void 0) {
              return [];
            }
            signatures = sig;
          }
        }
        return signatures === void 0 ? [] : signatures;
      }
      return type.getCallSignatures();
    }
    function getPropertyOfType(type, name) {
      if (!name.startsWith("__")) {
        return type.getProperty(name);
      }
      return type.getProperties().find((s) => s.escapedName === name);
    }
    function getWellKnownSymbolPropertyOfType(type, wellKnownSymbolName, typeChecker) {
      const prefix = "__@" + wellKnownSymbolName;
      for (const prop of type.getProperties()) {
        if (!prop.name.startsWith(prefix)) {
          continue;
        }
        const declaration = prop.valueDeclaration ?? prop.getDeclarations()[0];
        if (!isNamedDeclarationWithName(declaration) || declaration.name === void 0 || !import_typescript16.default.isComputedPropertyName(declaration.name)) {
          continue;
        }
        const globalSymbol = typeChecker.getApparentType(
          typeChecker.getTypeAtLocation(declaration.name.expression)
        ).symbol;
        if (prop.escapedName === getPropertyNameOfWellKnownSymbol(
          typeChecker,
          globalSymbol,
          wellKnownSymbolName
        )) {
          return prop;
        }
      }
      return void 0;
    }
    function getPropertyNameOfWellKnownSymbol(typeChecker, symbolConstructor, symbolName) {
      const knownSymbol = symbolConstructor && typeChecker.getTypeOfSymbolAtLocation(
        symbolConstructor,
        // eslint-disable-next-line @typescript-eslint/no-explicit-any, @typescript-eslint/no-unsafe-argument, @typescript-eslint/no-unsafe-member-access
        symbolConstructor.valueDeclaration
      ).getProperty(symbolName);
      const knownSymbolType = knownSymbol && typeChecker.getTypeOfSymbolAtLocation(
        knownSymbol,
        // eslint-disable-next-line @typescript-eslint/no-explicit-any, @typescript-eslint/no-unsafe-argument, @typescript-eslint/no-unsafe-member-access
        knownSymbol.valueDeclaration
      );
      if (knownSymbolType && isUniqueESSymbolType(knownSymbolType)) {
        return knownSymbolType.escapedName;
      }
      return "__@" + symbolName;
    }
    var import_typescript18 = __toESM2(require_typescript3(), 1);
    var import_typescript17 = __toESM2(require_typescript3(), 1);
    function isBindableObjectDefinePropertyCall(node) {
      return node.arguments.length === 3 && isEntityNameExpression(node.arguments[0]) && isNumericOrStringLikeLiteral(node.arguments[1]) && import_typescript17.default.isPropertyAccessExpression(node.expression) && node.expression.name.escapedText === "defineProperty" && import_typescript17.default.isIdentifier(node.expression.expression) && node.expression.expression.escapedText === "Object";
    }
    function isInConstContext(node) {
      let current = node;
      while (true) {
        const parent = current.parent;
        outer:
          switch (parent.kind) {
            case import_typescript17.default.SyntaxKind.TypeAssertionExpression:
            case import_typescript17.default.SyntaxKind.AsExpression:
              return isConstAssertionExpression(parent);
            case import_typescript17.default.SyntaxKind.PrefixUnaryExpression:
              if (current.kind !== import_typescript17.default.SyntaxKind.NumericLiteral) {
                return false;
              }
              switch (parent.operator) {
                case import_typescript17.default.SyntaxKind.PlusToken:
                case import_typescript17.default.SyntaxKind.MinusToken:
                  current = parent;
                  break outer;
                default:
                  return false;
              }
            case import_typescript17.default.SyntaxKind.PropertyAssignment:
              if (parent.initializer !== current) {
                return false;
              }
              current = parent.parent;
              break;
            case import_typescript17.default.SyntaxKind.ShorthandPropertyAssignment:
              current = parent.parent;
              break;
            case import_typescript17.default.SyntaxKind.ParenthesizedExpression:
            case import_typescript17.default.SyntaxKind.ArrayLiteralExpression:
            case import_typescript17.default.SyntaxKind.ObjectLiteralExpression:
            case import_typescript17.default.SyntaxKind.TemplateExpression:
              current = parent;
              break;
            default:
              return false;
          }
      }
    }
    function isFalsyType(type) {
      if (isTypeFlagSet(
        type,
        import_typescript18.default.TypeFlags.Undefined | import_typescript18.default.TypeFlags.Null | import_typescript18.default.TypeFlags.Void
      )) {
        return true;
      }
      if (type.isLiteral()) {
        return !type.value;
      }
      return isFalseLiteralType(type);
    }
    function intersectionTypeParts(type) {
      return isIntersectionType(type) ? type.types : [type];
    }
    function typeParts(type) {
      return isIntersectionType(type) || isUnionType(type) ? type.types : [type];
    }
    function isReadonlyPropertyIntersection(type, name, typeChecker) {
      const typeParts2 = isIntersectionType(type) ? type.types : [type];
      return typeParts2.some((subType) => {
        const prop = getPropertyOfType(subType, name);
        if (prop === void 0) {
          return false;
        }
        if (prop.flags & import_typescript18.default.SymbolFlags.Transient) {
          if (/^(?:[1-9]\d*|0)$/.test(name) && isTupleTypeReference(subType)) {
            return subType.target.readonly;
          }
          switch (isReadonlyPropertyFromMappedType(subType, name, typeChecker)) {
            case true:
              return true;
            case false:
              return false;
            default:
          }
        }
        return !!// members of namespace import
        (isSymbolFlagSet(prop, import_typescript18.default.SymbolFlags.ValueModule) || // we unwrapped every mapped type, now we can check the actual declarations
        symbolHasReadonlyDeclaration(prop, typeChecker));
      });
    }
    function isReadonlyPropertyFromMappedType(type, name, typeChecker) {
      if (!isObjectType(type) || !isObjectFlagSet(type, import_typescript18.default.ObjectFlags.Mapped)) {
        return;
      }
      const declaration = type.symbol.declarations[0];
      if (declaration.readonlyToken !== void 0 && !/^__@[^@]+$/.test(name)) {
        return declaration.readonlyToken.kind !== import_typescript18.default.SyntaxKind.MinusToken;
      }
      const { modifiersType } = type;
      return modifiersType && isPropertyReadonlyInType(modifiersType, name, typeChecker);
    }
    function isCallback(typeChecker, param, node) {
      let type = typeChecker.getApparentType(
        typeChecker.getTypeOfSymbolAtLocation(param, node)
      );
      if (param.valueDeclaration.dotDotDotToken) {
        type = type.getNumberIndexType();
        if (type === void 0) {
          return false;
        }
      }
      for (const subType of unionTypeParts(type)) {
        if (subType.getCallSignatures().length !== 0) {
          return true;
        }
      }
      return false;
    }
    function isPropertyReadonlyInType(type, name, typeChecker) {
      let seenProperty = false;
      let seenReadonlySignature = false;
      for (const subType of unionTypeParts(type)) {
        if (getPropertyOfType(subType, name) === void 0) {
          const index = (isNumericPropertyName(name) ? typeChecker.getIndexInfoOfType(subType, import_typescript18.default.IndexKind.Number) : void 0) ?? typeChecker.getIndexInfoOfType(subType, import_typescript18.default.IndexKind.String);
          if (index?.isReadonly) {
            if (seenProperty) {
              return true;
            }
            seenReadonlySignature = true;
          }
        } else if (seenReadonlySignature || isReadonlyPropertyIntersection(subType, name, typeChecker)) {
          return true;
        } else {
          seenProperty = true;
        }
      }
      return false;
    }
    function isReadonlyAssignmentDeclaration(node, typeChecker) {
      if (!isBindableObjectDefinePropertyCall(node)) {
        return false;
      }
      const descriptorType = typeChecker.getTypeAtLocation(node.arguments[2]);
      if (descriptorType.getProperty("value") === void 0) {
        return descriptorType.getProperty("set") === void 0;
      }
      const writableProp = descriptorType.getProperty("writable");
      if (writableProp === void 0) {
        return false;
      }
      const writableType = writableProp.valueDeclaration !== void 0 && import_typescript18.default.isPropertyAssignment(writableProp.valueDeclaration) ? typeChecker.getTypeAtLocation(writableProp.valueDeclaration.initializer) : typeChecker.getTypeOfSymbolAtLocation(writableProp, node.arguments[2]);
      return isFalseLiteralType(writableType);
    }
    function isThenableType(typeChecker, node, type = typeChecker.getTypeAtLocation(node)) {
      for (const typePart of unionTypeParts(typeChecker.getApparentType(type))) {
        const then = typePart.getProperty("then");
        if (then === void 0) {
          continue;
        }
        const thenType = typeChecker.getTypeOfSymbolAtLocation(then, node);
        for (const subTypePart of unionTypeParts(thenType)) {
          for (const signature of subTypePart.getCallSignatures()) {
            if (signature.parameters.length !== 0 && isCallback(typeChecker, signature.parameters[0], node)) {
              return true;
            }
          }
        }
      }
      return false;
    }
    function symbolHasReadonlyDeclaration(symbol, typeChecker) {
      return !!((symbol.flags & import_typescript18.default.SymbolFlags.Accessor) === import_typescript18.default.SymbolFlags.GetAccessor || symbol.declarations?.some(
        (node) => isModifierFlagSet(node, import_typescript18.default.ModifierFlags.Readonly) || import_typescript18.default.isVariableDeclaration(node) && isNodeFlagSet(node.parent, import_typescript18.default.NodeFlags.Const) || import_typescript18.default.isCallExpression(node) && isReadonlyAssignmentDeclaration(node, typeChecker) || import_typescript18.default.isEnumMember(node) || (import_typescript18.default.isPropertyAssignment(node) || import_typescript18.default.isShorthandPropertyAssignment(node)) && isInConstContext(node.parent)
      ));
    }
    function unionTypeParts(type) {
      return isUnionType(type) ? type.types : [type];
    }
    var import_typescript24 = __toESM2(require_typescript3(), 1);
    var import_typescript19 = __toESM2(require_typescript3(), 1);
    function isBlockScopeBoundary(node) {
      switch (node.kind) {
        case import_typescript19.default.SyntaxKind.Block: {
          const parent = node.parent;
          return parent.kind !== import_typescript19.default.SyntaxKind.CatchClause && // blocks inside SourceFile are block scope boundaries
          (parent.kind === import_typescript19.default.SyntaxKind.SourceFile || // blocks that are direct children of a function scope boundary are no scope boundary
          // for example the FunctionBlock is part of the function scope of the containing function
          !isFunctionScopeBoundary(parent)) ? 2 : 0;
        }
        case import_typescript19.default.SyntaxKind.ForStatement:
        case import_typescript19.default.SyntaxKind.ForInStatement:
        case import_typescript19.default.SyntaxKind.ForOfStatement:
        case import_typescript19.default.SyntaxKind.CaseBlock:
        case import_typescript19.default.SyntaxKind.CatchClause:
        case import_typescript19.default.SyntaxKind.WithStatement:
          return 2;
        default:
          return 0;
      }
    }
    var import_typescript21 = __toESM2(require_typescript3(), 1);
    var import_typescript20 = __toESM2(require_typescript3(), 1);
    function identifierToKeywordKind(node) {
      return "identifierToKeywordKind" in import_typescript20.default ? import_typescript20.default.identifierToKeywordKind(node) : (
        // eslint-disable-next-line deprecation/deprecation
        node.originalKeywordKind
      );
    }
    function canHaveDecorators(node) {
      return "canHaveDecorators" in import_typescript20.default ? import_typescript20.default.canHaveDecorators(node) : "decorators" in node;
    }
    function getDecorators(node) {
      return "getDecorators" in import_typescript20.default ? import_typescript20.default.getDecorators(node) : node.decorators;
    }
    var DeclarationDomain = /* @__PURE__ */ ((DeclarationDomain2) => {
      DeclarationDomain2[DeclarationDomain2["Import"] = 8] = "Import";
      DeclarationDomain2[DeclarationDomain2["Namespace"] = 1] = "Namespace";
      DeclarationDomain2[DeclarationDomain2["Type"] = 2] = "Type";
      DeclarationDomain2[DeclarationDomain2["Value"] = 4] = "Value";
      DeclarationDomain2[DeclarationDomain2["Any"] = 7] = "Any";
      return DeclarationDomain2;
    })(DeclarationDomain || {});
    function getDeclarationDomain(node) {
      switch (node.parent.kind) {
        case import_typescript21.default.SyntaxKind.TypeParameter:
        case import_typescript21.default.SyntaxKind.InterfaceDeclaration:
        case import_typescript21.default.SyntaxKind.TypeAliasDeclaration:
          return 2;
        case import_typescript21.default.SyntaxKind.ClassDeclaration:
        case import_typescript21.default.SyntaxKind.ClassExpression:
          return 2 | 4;
        case import_typescript21.default.SyntaxKind.EnumDeclaration:
          return 7;
        case import_typescript21.default.SyntaxKind.NamespaceImport:
        case import_typescript21.default.SyntaxKind.ImportClause:
          return 7 | 8;
        case import_typescript21.default.SyntaxKind.ImportEqualsDeclaration:
        case import_typescript21.default.SyntaxKind.ImportSpecifier:
          return node.parent.name === node ? 7 | 8 : void 0;
        case import_typescript21.default.SyntaxKind.ModuleDeclaration:
          return 1;
        case import_typescript21.default.SyntaxKind.Parameter:
          if (node.parent.parent.kind === import_typescript21.default.SyntaxKind.IndexSignature || identifierToKeywordKind(node) === import_typescript21.default.SyntaxKind.ThisKeyword) {
            return;
          }
        case import_typescript21.default.SyntaxKind.BindingElement:
        case import_typescript21.default.SyntaxKind.VariableDeclaration:
          return node.parent.name === node ? 4 : void 0;
        case import_typescript21.default.SyntaxKind.FunctionDeclaration:
        case import_typescript21.default.SyntaxKind.FunctionExpression:
          return 4;
      }
    }
    var import_typescript22 = __toESM2(require_typescript3(), 1);
    function unwrapParentheses(node) {
      while (node.kind === import_typescript22.default.SyntaxKind.ParenthesizedExpression) {
        node = node.expression;
      }
      return node;
    }
    function getPropertyName2(propertyName) {
      if (propertyName.kind === import_typescript22.default.SyntaxKind.ComputedPropertyName) {
        const expression = unwrapParentheses(propertyName.expression);
        if (import_typescript22.default.isPrefixUnaryExpression(expression)) {
          let negate2 = false;
          switch (expression.operator) {
            case import_typescript22.default.SyntaxKind.MinusToken:
              negate2 = true;
            case import_typescript22.default.SyntaxKind.PlusToken:
              return import_typescript22.default.isNumericLiteral(expression.operand) ? `${negate2 ? "-" : ""}${expression.operand.text}` : import_typescript22.default.isBigIntLiteral(expression.operand) ? `${negate2 ? "-" : ""}${expression.operand.text.slice(0, -1)}` : void 0;
            default:
              return;
          }
        }
        if (import_typescript22.default.isBigIntLiteral(expression)) {
          return expression.text.slice(0, -1);
        }
        if (isNumericOrStringLikeLiteral(expression)) {
          return expression.text;
        }
        return;
      }
      return propertyName.kind === import_typescript22.default.SyntaxKind.PrivateIdentifier ? void 0 : propertyName.text;
    }
    var import_typescript23 = __toESM2(require_typescript3(), 1);
    var UsageDomain = /* @__PURE__ */ ((UsageDomain2) => {
      UsageDomain2[UsageDomain2["Namespace"] = 1] = "Namespace";
      UsageDomain2[UsageDomain2["Type"] = 2] = "Type";
      UsageDomain2[UsageDomain2["TypeQuery"] = 8] = "TypeQuery";
      UsageDomain2[UsageDomain2["Value"] = 4] = "Value";
      UsageDomain2[UsageDomain2["ValueOrNamespace"] = 5] = "ValueOrNamespace";
      UsageDomain2[UsageDomain2["Any"] = 7] = "Any";
      return UsageDomain2;
    })(UsageDomain || {});
    function getUsageDomain(node) {
      const parent = node.parent;
      switch (parent.kind) {
        case import_typescript23.default.SyntaxKind.TypeReference:
          return identifierToKeywordKind(node) !== import_typescript23.default.SyntaxKind.ConstKeyword ? 2 : void 0;
        case import_typescript23.default.SyntaxKind.ExpressionWithTypeArguments:
          return parent.parent.token === import_typescript23.default.SyntaxKind.ImplementsKeyword || parent.parent.parent.kind === import_typescript23.default.SyntaxKind.InterfaceDeclaration ? 2 : 4;
        case import_typescript23.default.SyntaxKind.TypeQuery:
          return 5 | 8;
        case import_typescript23.default.SyntaxKind.QualifiedName:
          if (parent.left === node) {
            if (getEntityNameParent(parent).kind === import_typescript23.default.SyntaxKind.TypeQuery) {
              return 1 | 8;
            }
            return 1;
          }
          break;
        case import_typescript23.default.SyntaxKind.ExportSpecifier:
          if (parent.propertyName === void 0 || parent.propertyName === node) {
            return 7;
          }
          break;
        case import_typescript23.default.SyntaxKind.ExportAssignment:
          return 7;
        case import_typescript23.default.SyntaxKind.BindingElement:
          if (parent.initializer === node) {
            return 5;
          }
          break;
        case import_typescript23.default.SyntaxKind.Parameter:
        case import_typescript23.default.SyntaxKind.EnumMember:
        case import_typescript23.default.SyntaxKind.PropertyDeclaration:
        case import_typescript23.default.SyntaxKind.VariableDeclaration:
        case import_typescript23.default.SyntaxKind.PropertyAssignment:
        case import_typescript23.default.SyntaxKind.PropertyAccessExpression:
        case import_typescript23.default.SyntaxKind.ImportEqualsDeclaration:
          if (parent.name !== node) {
            return 5;
          }
          break;
        case import_typescript23.default.SyntaxKind.JsxAttribute:
        case import_typescript23.default.SyntaxKind.FunctionDeclaration:
        case import_typescript23.default.SyntaxKind.FunctionExpression:
        case import_typescript23.default.SyntaxKind.NamespaceImport:
        case import_typescript23.default.SyntaxKind.ClassDeclaration:
        case import_typescript23.default.SyntaxKind.ClassExpression:
        case import_typescript23.default.SyntaxKind.ModuleDeclaration:
        case import_typescript23.default.SyntaxKind.MethodDeclaration:
        case import_typescript23.default.SyntaxKind.EnumDeclaration:
        case import_typescript23.default.SyntaxKind.GetAccessor:
        case import_typescript23.default.SyntaxKind.SetAccessor:
        case import_typescript23.default.SyntaxKind.LabeledStatement:
        case import_typescript23.default.SyntaxKind.BreakStatement:
        case import_typescript23.default.SyntaxKind.ContinueStatement:
        case import_typescript23.default.SyntaxKind.ImportClause:
        case import_typescript23.default.SyntaxKind.ImportSpecifier:
        case import_typescript23.default.SyntaxKind.TypePredicate:
        case import_typescript23.default.SyntaxKind.MethodSignature:
        case import_typescript23.default.SyntaxKind.PropertySignature:
        case import_typescript23.default.SyntaxKind.NamespaceExportDeclaration:
        case import_typescript23.default.SyntaxKind.NamespaceExport:
        case import_typescript23.default.SyntaxKind.InterfaceDeclaration:
        case import_typescript23.default.SyntaxKind.TypeAliasDeclaration:
        case import_typescript23.default.SyntaxKind.TypeParameter:
        case import_typescript23.default.SyntaxKind.NamedTupleMember:
          break;
        default:
          return 5;
      }
    }
    function getEntityNameParent(name) {
      let parent = name.parent;
      while (parent.kind === import_typescript23.default.SyntaxKind.QualifiedName) {
        parent = parent.parent;
      }
      return parent;
    }
    var _enumScopes;
    var AbstractScope = class {
      constructor(global2) {
        this.global = global2;
        __privateAdd(this, _enumScopes, void 0);
        this.namespaceScopes = void 0;
        this.uses = [];
        this.variables = /* @__PURE__ */ new Map();
      }
      addUse(use) {
        this.uses.push(use);
      }
      // eslint-disable-next-line @typescript-eslint/no-empty-function
      addUseToParent(_use) {
      }
      addVariable(identifier, name, selector, exported, domain) {
        const variables = this.getDestinationScope(selector).getVariables();
        const declaration = {
          declaration: name,
          domain,
          exported
        };
        const variable = variables.get(identifier);
        if (variable === void 0) {
          variables.set(identifier, {
            declarations: [declaration],
            domain,
            uses: []
          });
        } else {
          variable.domain |= domain;
          variable.declarations.push(declaration);
        }
      }
      applyUse(use, variables = this.variables) {
        const variable = variables.get(use.location.text);
        if (variable === void 0 || (variable.domain & use.domain) === 0) {
          return false;
        }
        variable.uses.push(use);
        return true;
      }
      applyUses() {
        for (const use of this.uses) {
          if (!this.applyUse(use)) {
            this.addUseToParent(use);
          }
        }
        this.uses = [];
      }
      createOrReuseEnumScope(name, _exported) {
        let scope;
        if (__privateGet(this, _enumScopes) === void 0) {
          __privateSet(this, _enumScopes, /* @__PURE__ */ new Map());
        } else {
          scope = __privateGet(this, _enumScopes).get(name);
        }
        if (scope === void 0) {
          scope = new EnumScope(this);
          __privateGet(this, _enumScopes).set(name, scope);
        }
        return scope;
      }
      // only relevant for the root scope
      createOrReuseNamespaceScope(name, _exported, ambient, hasExportStatement) {
        let scope;
        if (this.namespaceScopes === void 0) {
          this.namespaceScopes = /* @__PURE__ */ new Map();
        } else {
          scope = this.namespaceScopes.get(name);
        }
        if (scope === void 0) {
          scope = new NamespaceScope(ambient, hasExportStatement, this);
          this.namespaceScopes.set(name, scope);
        } else {
          scope.refresh(ambient, hasExportStatement);
        }
        return scope;
      }
      end(cb) {
        if (this.namespaceScopes !== void 0) {
          this.namespaceScopes.forEach((value) => value.finish(cb));
        }
        this.namespaceScopes = __privateSet(this, _enumScopes, void 0);
        this.applyUses();
        this.variables.forEach((variable) => {
          for (const declaration of variable.declarations) {
            const result = {
              declarations: [],
              domain: declaration.domain,
              exported: declaration.exported,
              inGlobalScope: this.global,
              uses: []
            };
            for (const other of variable.declarations) {
              if (other.domain & declaration.domain) {
                result.declarations.push(other.declaration);
              }
            }
            for (const use of variable.uses) {
              if (use.domain & declaration.domain) {
                result.uses.push(use);
              }
            }
            cb(result, declaration.declaration, this);
          }
        });
      }
      getFunctionScope() {
        return this;
      }
      getVariables() {
        return this.variables;
      }
      // eslint-disable-next-line @typescript-eslint/no-empty-function
      markExported(_name2) {
      }
    };
    _enumScopes = /* @__PURE__ */ new WeakMap();
    var NonRootScope = class extends AbstractScope {
      constructor(parent, boundary) {
        super(false);
        this.parent = parent;
        this.boundary = boundary;
      }
      addUseToParent(use) {
        return this.parent.addUse(use, this);
      }
      getDestinationScope(selector) {
        return this.boundary & selector ? this : this.parent.getDestinationScope(selector);
      }
    };
    var EnumScope = class extends NonRootScope {
      constructor(parent) {
        super(
          parent,
          1
          /* Function */
        );
      }
      end() {
        this.applyUses();
      }
    };
    var _exportAll;
    var _exports;
    var _innerScope;
    var RootScope = class extends AbstractScope {
      constructor(exportAll, global2) {
        super(global2);
        __privateAdd(this, _exportAll, void 0);
        __privateAdd(this, _exports, void 0);
        __privateAdd(this, _innerScope, new NonRootScope(
          this,
          1
          /* Function */
        ));
        __privateSet(this, _exportAll, exportAll);
      }
      addUse(use, origin) {
        if (origin === __privateGet(this, _innerScope)) {
          return super.addUse(use);
        }
        return __privateGet(this, _innerScope).addUse(use);
      }
      addVariable(identifier, name, selector, exported, domain) {
        if (domain & 8) {
          return super.addVariable(identifier, name, selector, exported, domain);
        }
        return __privateGet(this, _innerScope).addVariable(
          identifier,
          name,
          selector,
          exported,
          domain
        );
      }
      end(cb) {
        __privateGet(this, _innerScope).end((value, key) => {
          value.exported ||= __privateGet(this, _exportAll) || __privateGet(this, _exports) !== void 0 && __privateGet(this, _exports).includes(key.text);
          value.inGlobalScope = this.global;
          return cb(value, key, this);
        });
        return super.end((value, key, scope) => {
          value.exported ||= scope === this && __privateGet(this, _exports) !== void 0 && __privateGet(this, _exports).includes(key.text);
          return cb(value, key, scope);
        });
      }
      getDestinationScope() {
        return this;
      }
      markExported(id) {
        if (__privateGet(this, _exports) === void 0) {
          __privateSet(this, _exports, [id.text]);
        } else {
          __privateGet(this, _exports).push(id.text);
        }
      }
    };
    _exportAll = /* @__PURE__ */ new WeakMap();
    _exports = /* @__PURE__ */ new WeakMap();
    _innerScope = /* @__PURE__ */ new WeakMap();
    var _ambient;
    var _exports2;
    var _hasExport;
    var _innerScope2;
    var NamespaceScope = class extends NonRootScope {
      constructor(ambient, hasExport, parent) {
        super(
          parent,
          1
          /* Function */
        );
        __privateAdd(this, _ambient, void 0);
        __privateAdd(this, _exports2, void 0);
        __privateAdd(this, _hasExport, void 0);
        __privateAdd(this, _innerScope2, new NonRootScope(
          this,
          1
          /* Function */
        ));
        __privateSet(this, _ambient, ambient);
        __privateSet(this, _hasExport, hasExport);
      }
      addUse(use, source) {
        if (source !== __privateGet(this, _innerScope2)) {
          return __privateGet(this, _innerScope2).addUse(use);
        }
        this.uses.push(use);
      }
      createOrReuseEnumScope(name, exported) {
        if (!exported && (!__privateGet(this, _ambient) || __privateGet(this, _hasExport))) {
          return __privateGet(this, _innerScope2).createOrReuseEnumScope(name, exported);
        }
        return super.createOrReuseEnumScope(name, exported);
      }
      createOrReuseNamespaceScope(name, exported, ambient, hasExportStatement) {
        if (!exported && (!__privateGet(this, _ambient) || __privateGet(this, _hasExport))) {
          return __privateGet(this, _innerScope2).createOrReuseNamespaceScope(
            name,
            exported,
            ambient || __privateGet(this, _ambient),
            hasExportStatement
          );
        }
        return super.createOrReuseNamespaceScope(
          name,
          exported,
          ambient || __privateGet(this, _ambient),
          hasExportStatement
        );
      }
      end(cb) {
        __privateGet(this, _innerScope2).end((variable, key, scope) => {
          if (scope !== __privateGet(this, _innerScope2) || !variable.exported && (!__privateGet(this, _ambient) || __privateGet(this, _exports2) !== void 0 && !__privateGet(this, _exports2).has(key.text))) {
            return cb(variable, key, scope);
          }
          const namespaceVar = this.variables.get(key.text);
          if (namespaceVar === void 0) {
            this.variables.set(key.text, {
              declarations: variable.declarations.map(mapDeclaration),
              domain: variable.domain,
              uses: [...variable.uses]
            });
          } else {
            outer:
              for (const declaration of variable.declarations) {
                for (const existing of namespaceVar.declarations) {
                  if (existing.declaration === declaration) {
                    continue outer;
                  }
                  namespaceVar.declarations.push(mapDeclaration(declaration));
                }
              }
            namespaceVar.domain |= variable.domain;
            for (const use of variable.uses) {
              if (namespaceVar.uses.includes(use)) {
                continue;
              }
              namespaceVar.uses.push(use);
            }
          }
        });
        this.applyUses();
        __privateSet(this, _innerScope2, new NonRootScope(
          this,
          1
          /* Function */
        ));
      }
      finish(cb) {
        return super.end(cb);
      }
      getDestinationScope() {
        return __privateGet(this, _innerScope2);
      }
      markExported(name) {
        if (__privateGet(this, _exports2) === void 0) {
          __privateSet(this, _exports2, /* @__PURE__ */ new Set());
        }
        __privateGet(this, _exports2).add(name.text);
      }
      refresh(ambient, hasExport) {
        __privateSet(this, _ambient, ambient);
        __privateSet(this, _hasExport, hasExport);
      }
    };
    _ambient = /* @__PURE__ */ new WeakMap();
    _exports2 = /* @__PURE__ */ new WeakMap();
    _hasExport = /* @__PURE__ */ new WeakMap();
    _innerScope2 = /* @__PURE__ */ new WeakMap();
    function mapDeclaration(declaration) {
      return {
        declaration,
        domain: getDeclarationDomain(declaration),
        exported: true
      };
    }
    var FunctionScope = class extends NonRootScope {
      constructor(parent) {
        super(
          parent,
          1
          /* Function */
        );
      }
      beginBody() {
        this.applyUses();
      }
    };
    var _domain;
    var _name;
    var AbstractNamedExpressionScope = class extends NonRootScope {
      constructor(name, domain, parent) {
        super(
          parent,
          1
          /* Function */
        );
        __privateAdd(this, _domain, void 0);
        __privateAdd(this, _name, void 0);
        __privateSet(this, _name, name);
        __privateSet(this, _domain, domain);
      }
      addUse(use, source) {
        if (source !== this.innerScope) {
          return this.innerScope.addUse(use);
        }
        if (use.domain & __privateGet(this, _domain) && use.location.text === __privateGet(this, _name).text) {
          this.uses.push(use);
        } else {
          return this.parent.addUse(use, this);
        }
      }
      end(cb) {
        this.innerScope.end(cb);
        return cb(
          {
            declarations: [__privateGet(this, _name)],
            domain: __privateGet(this, _domain),
            exported: false,
            inGlobalScope: false,
            uses: this.uses
          },
          __privateGet(this, _name),
          this
        );
      }
      getDestinationScope() {
        return this.innerScope;
      }
      getFunctionScope() {
        return this.innerScope;
      }
    };
    _domain = /* @__PURE__ */ new WeakMap();
    _name = /* @__PURE__ */ new WeakMap();
    var FunctionExpressionScope = class extends AbstractNamedExpressionScope {
      constructor(name, parent) {
        super(name, 4, parent);
        this.innerScope = new FunctionScope(this);
      }
      beginBody() {
        return this.innerScope.beginBody();
      }
    };
    var _functionScope;
    var BlockScope = class extends NonRootScope {
      constructor(functionScope, parent) {
        super(
          parent,
          2
          /* Block */
        );
        __privateAdd(this, _functionScope, void 0);
        __privateSet(this, _functionScope, functionScope);
      }
      getFunctionScope() {
        return __privateGet(this, _functionScope);
      }
    };
    _functionScope = /* @__PURE__ */ new WeakMap();
    var ClassExpressionScope = class extends AbstractNamedExpressionScope {
      constructor(name, parent) {
        super(name, 4 | 2, parent);
        this.innerScope = new NonRootScope(
          this,
          1
          /* Function */
        );
      }
    };
    var _state;
    var ConditionalTypeScope = class extends NonRootScope {
      constructor(parent) {
        super(
          parent,
          8
          /* ConditionalType */
        );
        __privateAdd(
          this,
          _state,
          0
          /* Initial */
        );
      }
      addUse(use) {
        if (__privateGet(this, _state) === 2) {
          return void this.uses.push(use);
        }
        return this.parent.addUse(use, this);
      }
      updateState(newState) {
        __privateSet(this, _state, newState);
      }
    };
    _state = /* @__PURE__ */ new WeakMap();
    var _result;
    var _scope;
    var _handleBindingName;
    var handleBindingName_fn;
    var _handleConditionalType;
    var handleConditionalType_fn;
    var _handleDeclaration;
    var handleDeclaration_fn;
    var _handleFunctionLikeDeclaration;
    var handleFunctionLikeDeclaration_fn;
    var _handleModule;
    var handleModule_fn;
    var _handleVariableDeclaration;
    var handleVariableDeclaration_fn;
    var UsageWalker = class {
      constructor() {
        __privateAdd(this, _handleBindingName);
        __privateAdd(this, _handleConditionalType);
        __privateAdd(this, _handleDeclaration);
        __privateAdd(this, _handleFunctionLikeDeclaration);
        __privateAdd(this, _handleModule);
        __privateAdd(this, _handleVariableDeclaration);
        __privateAdd(this, _result, /* @__PURE__ */ new Map());
        __privateAdd(this, _scope, void 0);
      }
      getUsage(sourceFile) {
        const variableCallback = (variable, key) => {
          __privateGet(this, _result).set(key, variable);
        };
        const isModule = import_typescript24.default.isExternalModule(sourceFile);
        __privateSet(this, _scope, new RootScope(
          sourceFile.isDeclarationFile && isModule && !containsExportStatement(sourceFile),
          !isModule
        ));
        const cb = (node) => {
          if (isBlockScopeBoundary(node)) {
            return continueWithScope(
              node,
              new BlockScope(__privateGet(this, _scope).getFunctionScope(), __privateGet(this, _scope)),
              handleBlockScope
            );
          }
          switch (node.kind) {
            case import_typescript24.default.SyntaxKind.ClassExpression:
              return continueWithScope(
                node,
                node.name !== void 0 ? new ClassExpressionScope(
                  node.name,
                  __privateGet(this, _scope)
                ) : new NonRootScope(
                  __privateGet(this, _scope),
                  1
                  /* Function */
                )
              );
            case import_typescript24.default.SyntaxKind.ClassDeclaration:
              __privateMethod(this, _handleDeclaration, handleDeclaration_fn).call(
                this,
                node,
                true,
                4 | 2
                /* Type */
              );
              return continueWithScope(
                node,
                new NonRootScope(
                  __privateGet(this, _scope),
                  1
                  /* Function */
                )
              );
            case import_typescript24.default.SyntaxKind.InterfaceDeclaration:
            case import_typescript24.default.SyntaxKind.TypeAliasDeclaration:
              __privateMethod(this, _handleDeclaration, handleDeclaration_fn).call(
                this,
                node,
                true,
                2
                /* Type */
              );
              return continueWithScope(
                node,
                new NonRootScope(
                  __privateGet(this, _scope),
                  4
                  /* Type */
                )
              );
            case import_typescript24.default.SyntaxKind.EnumDeclaration:
              __privateMethod(this, _handleDeclaration, handleDeclaration_fn).call(
                this,
                node,
                true,
                7
                /* Any */
              );
              return continueWithScope(
                node,
                __privateGet(this, _scope).createOrReuseEnumScope(
                  node.name.text,
                  includesModifier(
                    node.modifiers,
                    import_typescript24.default.SyntaxKind.ExportKeyword
                  )
                )
              );
            case import_typescript24.default.SyntaxKind.ModuleDeclaration:
              return __privateMethod(this, _handleModule, handleModule_fn).call(this, node, continueWithScope);
            case import_typescript24.default.SyntaxKind.MappedType:
              return continueWithScope(
                node,
                new NonRootScope(
                  __privateGet(this, _scope),
                  4
                  /* Type */
                )
              );
            case import_typescript24.default.SyntaxKind.FunctionExpression:
            case import_typescript24.default.SyntaxKind.ArrowFunction:
            case import_typescript24.default.SyntaxKind.Constructor:
            case import_typescript24.default.SyntaxKind.MethodDeclaration:
            case import_typescript24.default.SyntaxKind.FunctionDeclaration:
            case import_typescript24.default.SyntaxKind.GetAccessor:
            case import_typescript24.default.SyntaxKind.SetAccessor:
            case import_typescript24.default.SyntaxKind.MethodSignature:
            case import_typescript24.default.SyntaxKind.CallSignature:
            case import_typescript24.default.SyntaxKind.ConstructSignature:
            case import_typescript24.default.SyntaxKind.ConstructorType:
            case import_typescript24.default.SyntaxKind.FunctionType:
              return __privateMethod(this, _handleFunctionLikeDeclaration, handleFunctionLikeDeclaration_fn).call(this, node, cb, variableCallback);
            case import_typescript24.default.SyntaxKind.ConditionalType:
              return __privateMethod(this, _handleConditionalType, handleConditionalType_fn).call(this, node, cb, variableCallback);
            case import_typescript24.default.SyntaxKind.VariableDeclarationList:
              __privateMethod(this, _handleVariableDeclaration, handleVariableDeclaration_fn).call(this, node);
              break;
            case import_typescript24.default.SyntaxKind.Parameter:
              if (node.parent.kind !== import_typescript24.default.SyntaxKind.IndexSignature && (node.name.kind !== import_typescript24.default.SyntaxKind.Identifier || identifierToKeywordKind(
                node.name
              ) !== import_typescript24.default.SyntaxKind.ThisKeyword)) {
                __privateMethod(this, _handleBindingName, handleBindingName_fn).call(this, node.name, false, false);
              }
              break;
            case import_typescript24.default.SyntaxKind.EnumMember:
              __privateGet(this, _scope).addVariable(
                getPropertyName2(node.name),
                node.name,
                1,
                true,
                4
                /* Value */
              );
              break;
            case import_typescript24.default.SyntaxKind.ImportClause:
            case import_typescript24.default.SyntaxKind.ImportSpecifier:
            case import_typescript24.default.SyntaxKind.NamespaceImport:
            case import_typescript24.default.SyntaxKind.ImportEqualsDeclaration:
              __privateMethod(this, _handleDeclaration, handleDeclaration_fn).call(
                this,
                node,
                false,
                7 | 8
                /* Import */
              );
              break;
            case import_typescript24.default.SyntaxKind.TypeParameter:
              __privateGet(this, _scope).addVariable(
                node.name.text,
                node.name,
                node.parent.kind === import_typescript24.default.SyntaxKind.InferType ? 8 : 7,
                false,
                2
                /* Type */
              );
              break;
            case import_typescript24.default.SyntaxKind.ExportSpecifier:
              if (node.propertyName !== void 0) {
                return __privateGet(this, _scope).markExported(
                  node.propertyName,
                  node.name
                );
              }
              return __privateGet(this, _scope).markExported(node.name);
            case import_typescript24.default.SyntaxKind.ExportAssignment:
              if (node.expression.kind === import_typescript24.default.SyntaxKind.Identifier) {
                return __privateGet(this, _scope).markExported(
                  node.expression
                );
              }
              break;
            case import_typescript24.default.SyntaxKind.Identifier: {
              const domain = getUsageDomain(node);
              if (domain !== void 0) {
                __privateGet(this, _scope).addUse({ domain, location: node });
              }
              return;
            }
          }
          return import_typescript24.default.forEachChild(node, cb);
        };
        const continueWithScope = (node, scope, next = forEachChild) => {
          const savedScope = __privateGet(this, _scope);
          __privateSet(this, _scope, scope);
          next(node);
          __privateGet(this, _scope).end(variableCallback);
          __privateSet(this, _scope, savedScope);
        };
        const handleBlockScope = (node) => {
          if (node.kind === import_typescript24.default.SyntaxKind.CatchClause && node.variableDeclaration !== void 0) {
            __privateMethod(this, _handleBindingName, handleBindingName_fn).call(this, node.variableDeclaration.name, true, false);
          }
          return import_typescript24.default.forEachChild(node, cb);
        };
        import_typescript24.default.forEachChild(sourceFile, cb);
        __privateGet(this, _scope).end(variableCallback);
        return __privateGet(this, _result);
        function forEachChild(node) {
          return import_typescript24.default.forEachChild(node, cb);
        }
      }
    };
    _result = /* @__PURE__ */ new WeakMap();
    _scope = /* @__PURE__ */ new WeakMap();
    _handleBindingName = /* @__PURE__ */ new WeakSet();
    handleBindingName_fn = function(name, blockScoped, exported) {
      if (name.kind === import_typescript24.default.SyntaxKind.Identifier) {
        return __privateGet(this, _scope).addVariable(
          name.text,
          name,
          blockScoped ? 3 : 1,
          exported,
          4
          /* Value */
        );
      }
      forEachDestructuringIdentifier(name, (declaration) => {
        __privateGet(this, _scope).addVariable(
          declaration.name.text,
          declaration.name,
          blockScoped ? 3 : 1,
          exported,
          4
          /* Value */
        );
      });
    };
    _handleConditionalType = /* @__PURE__ */ new WeakSet();
    handleConditionalType_fn = function(node, cb, varCb) {
      const savedScope = __privateGet(this, _scope);
      const scope = __privateSet(this, _scope, new ConditionalTypeScope(savedScope));
      cb(node.checkType);
      scope.updateState(
        1
        /* Extends */
      );
      cb(node.extendsType);
      scope.updateState(
        2
        /* TrueType */
      );
      cb(node.trueType);
      scope.updateState(
        3
        /* FalseType */
      );
      cb(node.falseType);
      scope.end(varCb);
      __privateSet(this, _scope, savedScope);
    };
    _handleDeclaration = /* @__PURE__ */ new WeakSet();
    handleDeclaration_fn = function(node, blockScoped, domain) {
      if (node.name !== void 0) {
        __privateGet(this, _scope).addVariable(
          node.name.text,
          node.name,
          blockScoped ? 3 : 1,
          includesModifier(
            node.modifiers,
            import_typescript24.default.SyntaxKind.ExportKeyword
          ),
          domain
        );
      }
    };
    _handleFunctionLikeDeclaration = /* @__PURE__ */ new WeakSet();
    handleFunctionLikeDeclaration_fn = function(node, cb, varCb) {
      if (canHaveDecorators(node)) {
        getDecorators(node)?.forEach(cb);
      }
      const savedScope = __privateGet(this, _scope);
      if (node.kind === import_typescript24.default.SyntaxKind.FunctionDeclaration) {
        __privateMethod(this, _handleDeclaration, handleDeclaration_fn).call(
          this,
          node,
          false,
          4
          /* Value */
        );
      }
      const scope = __privateSet(this, _scope, node.kind === import_typescript24.default.SyntaxKind.FunctionExpression && node.name !== void 0 ? new FunctionExpressionScope(node.name, savedScope) : new FunctionScope(savedScope));
      if (node.name !== void 0) {
        cb(node.name);
      }
      if (node.typeParameters !== void 0) {
        node.typeParameters.forEach(cb);
      }
      node.parameters.forEach(cb);
      if (node.type !== void 0) {
        cb(node.type);
      }
      if (node.body !== void 0) {
        scope.beginBody();
        cb(node.body);
      }
      scope.end(varCb);
      __privateSet(this, _scope, savedScope);
    };
    _handleModule = /* @__PURE__ */ new WeakSet();
    handleModule_fn = function(node, next) {
      if (node.flags & import_typescript24.default.NodeFlags.GlobalAugmentation) {
        return next(
          node,
          __privateGet(this, _scope).createOrReuseNamespaceScope("-global", false, true, false)
        );
      }
      if (node.name.kind === import_typescript24.default.SyntaxKind.Identifier) {
        const exported = isNamespaceExported(node);
        __privateGet(this, _scope).addVariable(
          node.name.text,
          node.name,
          1,
          exported,
          1 | 4
          /* Value */
        );
        const ambient = includesModifier(
          node.modifiers,
          import_typescript24.default.SyntaxKind.DeclareKeyword
        );
        return next(
          node,
          __privateGet(this, _scope).createOrReuseNamespaceScope(
            node.name.text,
            exported,
            ambient,
            ambient && namespaceHasExportStatement(node)
          )
        );
      }
      return next(
        node,
        __privateGet(this, _scope).createOrReuseNamespaceScope(
          `"${node.name.text}"`,
          false,
          true,
          namespaceHasExportStatement(node)
        )
      );
    };
    _handleVariableDeclaration = /* @__PURE__ */ new WeakSet();
    handleVariableDeclaration_fn = function(declarationList) {
      const blockScoped = isBlockScopedVariableDeclarationList(declarationList);
      const exported = declarationList.parent.kind === import_typescript24.default.SyntaxKind.VariableStatement && includesModifier(
        declarationList.parent.modifiers,
        import_typescript24.default.SyntaxKind.ExportKeyword
      );
      for (const declaration of declarationList.declarations) {
        __privateMethod(this, _handleBindingName, handleBindingName_fn).call(this, declaration.name, blockScoped, exported);
      }
    };
    function isNamespaceExported(node) {
      return node.parent.kind === import_typescript24.default.SyntaxKind.ModuleDeclaration || includesModifier(node.modifiers, import_typescript24.default.SyntaxKind.ExportKeyword);
    }
    function namespaceHasExportStatement(ns) {
      if (ns.body === void 0 || ns.body.kind !== import_typescript24.default.SyntaxKind.ModuleBlock) {
        return false;
      }
      return containsExportStatement(ns.body);
    }
    function containsExportStatement(block) {
      for (const statement of block.statements) {
        if (statement.kind === import_typescript24.default.SyntaxKind.ExportDeclaration || statement.kind === import_typescript24.default.SyntaxKind.ExportAssignment) {
          return true;
        }
      }
      return false;
    }
    function isBlockScopedVariableDeclarationList(declarationList) {
      return (declarationList.flags & import_typescript24.default.NodeFlags.BlockScoped) !== 0;
    }
    function forEachDestructuringIdentifier(pattern, fn) {
      for (const element of pattern.elements) {
        if (element.kind !== import_typescript24.default.SyntaxKind.BindingElement) {
          continue;
        }
        let result;
        if (element.name.kind === import_typescript24.default.SyntaxKind.Identifier) {
          result = fn(element);
        } else {
          result = forEachDestructuringIdentifier(element.name, fn);
        }
        if (result) {
          return result;
        }
      }
    }
    function collectVariableUsage(sourceFile) {
      return new UsageWalker().getUsage(sourceFile);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/typeFlagUtils.js
var require_typeFlagUtils2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/typeFlagUtils.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getTypeFlags = getTypeFlags;
    exports2.isTypeFlagSet = isTypeFlagSet;
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var ANY_OR_UNKNOWN = ts.TypeFlags.Any | ts.TypeFlags.Unknown;
    function getTypeFlags(type) {
      let flags = 0;
      for (const t of tsutils.unionTypeParts(type)) {
        flags |= t.flags;
      }
      return flags;
    }
    function isTypeFlagSet(type, flagsToCheck, isReceiver) {
      const flags = getTypeFlags(type);
      if (isReceiver && flags & ANY_OR_UNKNOWN) {
        return true;
      }
      return (flags & flagsToCheck) !== 0;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/containsAllTypesByName.js
var require_containsAllTypesByName2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/containsAllTypesByName.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.containsAllTypesByName = containsAllTypesByName;
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var typeFlagUtils_1 = require_typeFlagUtils2();
    function containsAllTypesByName(type, allowAny, allowedNames, matchAnyInstead = false) {
      if ((0, typeFlagUtils_1.isTypeFlagSet)(type, ts.TypeFlags.Any | ts.TypeFlags.Unknown)) {
        return !allowAny;
      }
      if (tsutils.isTypeReference(type)) {
        type = type.target;
      }
      const symbol = type.getSymbol();
      if (symbol && allowedNames.has(symbol.name)) {
        return true;
      }
      const predicate = (t) => containsAllTypesByName(t, allowAny, allowedNames, matchAnyInstead);
      if (tsutils.isUnionOrIntersectionType(type)) {
        return matchAnyInstead ? type.types.some(predicate) : type.types.every(predicate);
      }
      const bases = type.getBaseTypes();
      return bases !== void 0 && (matchAnyInstead ? bases.some(predicate) : bases.length > 0 && bases.every(predicate));
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/getConstrainedTypeAtLocation.js
var require_getConstrainedTypeAtLocation2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/getConstrainedTypeAtLocation.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getConstrainedTypeAtLocation = getConstrainedTypeAtLocation;
    function getConstrainedTypeAtLocation(services, node) {
      const nodeType = services.getTypeAtLocation(node);
      const constrained = services.program.getTypeChecker().getBaseConstraintOfType(nodeType);
      return constrained ?? nodeType;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/getContextualType.js
var require_getContextualType2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/getContextualType.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getContextualType = getContextualType;
    var ts = __importStar2(require_typescript3());
    function getContextualType(checker, node) {
      const parent = node.parent;
      if (ts.isCallExpression(parent) || ts.isNewExpression(parent)) {
        if (node === parent.expression) {
          return;
        }
      } else if (ts.isVariableDeclaration(parent) || ts.isPropertyDeclaration(parent) || ts.isParameter(parent)) {
        return parent.type ? checker.getTypeFromTypeNode(parent.type) : void 0;
      } else if (ts.isJsxExpression(parent)) {
        return checker.getContextualType(parent);
      } else if (ts.isIdentifier(node) && (ts.isPropertyAssignment(parent) || ts.isShorthandPropertyAssignment(parent))) {
        return checker.getContextualType(node);
      } else if (ts.isBinaryExpression(parent) && parent.operatorToken.kind === ts.SyntaxKind.EqualsToken && parent.right === node) {
        return checker.getTypeAtLocation(parent.left);
      } else if (![ts.SyntaxKind.TemplateSpan, ts.SyntaxKind.JsxExpression].includes(parent.kind)) {
        return;
      }
      return checker.getContextualType(node);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/getDeclaration.js
var require_getDeclaration2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/getDeclaration.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getDeclaration = getDeclaration;
    function getDeclaration(services, node) {
      const symbol = services.getSymbolAtLocation(node);
      if (!symbol) {
        return null;
      }
      const declarations = symbol.getDeclarations();
      return declarations?.[0] ?? null;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/getSourceFileOfNode.js
var require_getSourceFileOfNode2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/getSourceFileOfNode.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getSourceFileOfNode = getSourceFileOfNode;
    var ts = __importStar2(require_typescript3());
    function getSourceFileOfNode(node) {
      while (node.kind !== ts.SyntaxKind.SourceFile) {
        node = node.parent;
      }
      return node;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/getTokenAtPosition.js
var require_getTokenAtPosition2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/getTokenAtPosition.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getTokenAtPosition = getTokenAtPosition;
    var ts = __importStar2(require_typescript3());
    function getTokenAtPosition(sourceFile, position) {
      const queue = [sourceFile];
      let current;
      while (queue.length > 0) {
        current = queue.shift();
        for (const child of current.getChildren(sourceFile)) {
          const start = child.getFullStart();
          if (start > position) {
            return current;
          }
          const end = child.getEnd();
          if (position < end || position === end && child.kind === ts.SyntaxKind.EndOfFileToken) {
            queue.push(child);
            break;
          }
        }
      }
      return current;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/getTypeArguments.js
var require_getTypeArguments2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/getTypeArguments.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getTypeArguments = getTypeArguments;
    function getTypeArguments(type, checker) {
      if (checker.getTypeArguments) {
        return checker.getTypeArguments(type);
      }
      return type.typeArguments ?? [];
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/getTypeName.js
var require_getTypeName2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/getTypeName.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getTypeName = getTypeName;
    var ts = __importStar2(require_typescript3());
    function getTypeName(typeChecker, type) {
      if ((type.flags & ts.TypeFlags.StringLike) !== 0) {
        return "string";
      }
      if ((type.flags & ts.TypeFlags.TypeParameter) !== 0) {
        const symbol = type.getSymbol();
        const decls = symbol?.getDeclarations();
        const typeParamDecl = decls?.[0];
        if (ts.isTypeParameterDeclaration(typeParamDecl) && typeParamDecl.constraint != null) {
          return getTypeName(typeChecker, typeChecker.getTypeFromTypeNode(typeParamDecl.constraint));
        }
      }
      if (type.isUnion() && type.types.map((value) => getTypeName(typeChecker, value)).every((t) => t === "string")) {
        return "string";
      }
      if (type.isIntersection() && type.types.map((value) => getTypeName(typeChecker, value)).some((t) => t === "string")) {
        return "string";
      }
      return typeChecker.typeToString(type);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/propertyTypes.js
var require_propertyTypes2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/propertyTypes.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getTypeOfPropertyOfName = getTypeOfPropertyOfName;
    exports2.getTypeOfPropertyOfType = getTypeOfPropertyOfType;
    function getTypeOfPropertyOfName(checker, type, name, escapedName) {
      if (!escapedName || !isSymbol2(escapedName)) {
        return checker.getTypeOfPropertyOfType(type, name);
      }
      const escapedProperty = type.getProperties().find((property) => property.escapedName === escapedName);
      return escapedProperty ? checker.getDeclaredTypeOfSymbol(escapedProperty) : void 0;
    }
    function getTypeOfPropertyOfType(checker, type, property) {
      return getTypeOfPropertyOfName(checker, type, property.getName(), property.getEscapedName());
    }
    function isSymbol2(escapedName) {
      return isKnownSymbol(escapedName) || isPrivateIdentifierSymbol(escapedName);
    }
    function isKnownSymbol(escapedName) {
      return escapedName.startsWith("__@");
    }
    function isPrivateIdentifierSymbol(escapedName) {
      return escapedName.startsWith("__#");
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/version-check.js
var require_version_check2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/version-check.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.typescriptVersionIsAtLeast = void 0;
    var semver2 = __importStar2(require_semver2());
    var ts = __importStar2(require_typescript3());
    function semverCheck(version) {
      return semver2.satisfies(ts.version, `>= ${version}.0 || >= ${version}.1-rc || >= ${version}.0-beta`, {
        includePrerelease: true
      });
    }
    var versions = [
      "4.7",
      "4.8",
      "4.9",
      "5.0",
      "5.1",
      "5.2",
      "5.3",
      "5.4"
    ];
    var typescriptVersionIsAtLeast = {};
    exports2.typescriptVersionIsAtLeast = typescriptVersionIsAtLeast;
    for (const version of versions) {
      typescriptVersionIsAtLeast[version] = semverCheck(version);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/getModifiers.js
var require_getModifiers2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/getModifiers.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getModifiers = getModifiers;
    exports2.getDecorators = getDecorators;
    var ts = __importStar2(require_typescript3());
    var version_check_1 = require_version_check2();
    var isAtLeast48 = version_check_1.typescriptVersionIsAtLeast["4.8"];
    function getModifiers(node, includeIllegalModifiers = false) {
      if (node == null) {
        return void 0;
      }
      if (isAtLeast48) {
        if (includeIllegalModifiers || ts.canHaveModifiers(node)) {
          const modifiers = ts.getModifiers(node);
          return modifiers ? Array.from(modifiers) : void 0;
        }
        return void 0;
      }
      return (
        // @ts-expect-error intentional fallback for older TS versions
        node.modifiers?.filter((m) => !ts.isDecorator(m))
      );
    }
    function getDecorators(node, includeIllegalDecorators = false) {
      if (node == null) {
        return void 0;
      }
      if (isAtLeast48) {
        if (includeIllegalDecorators || ts.canHaveDecorators(node)) {
          const decorators = ts.getDecorators(node);
          return decorators ? Array.from(decorators) : void 0;
        }
        return void 0;
      }
      return (
        // @ts-expect-error intentional fallback for older TS versions
        node.decorators?.filter(ts.isDecorator)
      );
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/jsx/xhtml-entities.js
var require_xhtml_entities2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/jsx/xhtml-entities.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.xhtmlEntities = void 0;
    exports2.xhtmlEntities = {
      quot: '"',
      amp: "&",
      apos: "'",
      lt: "<",
      gt: ">",
      nbsp: "\xA0",
      iexcl: "\xA1",
      cent: "\xA2",
      pound: "\xA3",
      curren: "\xA4",
      yen: "\xA5",
      brvbar: "\xA6",
      sect: "\xA7",
      uml: "\xA8",
      copy: "\xA9",
      ordf: "\xAA",
      laquo: "\xAB",
      not: "\xAC",
      shy: "\xAD",
      reg: "\xAE",
      macr: "\xAF",
      deg: "\xB0",
      plusmn: "\xB1",
      sup2: "\xB2",
      sup3: "\xB3",
      acute: "\xB4",
      micro: "\xB5",
      para: "\xB6",
      middot: "\xB7",
      cedil: "\xB8",
      sup1: "\xB9",
      ordm: "\xBA",
      raquo: "\xBB",
      frac14: "\xBC",
      frac12: "\xBD",
      frac34: "\xBE",
      iquest: "\xBF",
      Agrave: "\xC0",
      Aacute: "\xC1",
      Acirc: "\xC2",
      Atilde: "\xC3",
      Auml: "\xC4",
      Aring: "\xC5",
      AElig: "\xC6",
      Ccedil: "\xC7",
      Egrave: "\xC8",
      Eacute: "\xC9",
      Ecirc: "\xCA",
      Euml: "\xCB",
      Igrave: "\xCC",
      Iacute: "\xCD",
      Icirc: "\xCE",
      Iuml: "\xCF",
      ETH: "\xD0",
      Ntilde: "\xD1",
      Ograve: "\xD2",
      Oacute: "\xD3",
      Ocirc: "\xD4",
      Otilde: "\xD5",
      Ouml: "\xD6",
      times: "\xD7",
      Oslash: "\xD8",
      Ugrave: "\xD9",
      Uacute: "\xDA",
      Ucirc: "\xDB",
      Uuml: "\xDC",
      Yacute: "\xDD",
      THORN: "\xDE",
      szlig: "\xDF",
      agrave: "\xE0",
      aacute: "\xE1",
      acirc: "\xE2",
      atilde: "\xE3",
      auml: "\xE4",
      aring: "\xE5",
      aelig: "\xE6",
      ccedil: "\xE7",
      egrave: "\xE8",
      eacute: "\xE9",
      ecirc: "\xEA",
      euml: "\xEB",
      igrave: "\xEC",
      iacute: "\xED",
      icirc: "\xEE",
      iuml: "\xEF",
      eth: "\xF0",
      ntilde: "\xF1",
      ograve: "\xF2",
      oacute: "\xF3",
      ocirc: "\xF4",
      otilde: "\xF5",
      ouml: "\xF6",
      divide: "\xF7",
      oslash: "\xF8",
      ugrave: "\xF9",
      uacute: "\xFA",
      ucirc: "\xFB",
      uuml: "\xFC",
      yacute: "\xFD",
      thorn: "\xFE",
      yuml: "\xFF",
      OElig: "\u0152",
      oelig: "\u0153",
      Scaron: "\u0160",
      scaron: "\u0161",
      Yuml: "\u0178",
      fnof: "\u0192",
      circ: "\u02C6",
      tilde: "\u02DC",
      Alpha: "\u0391",
      Beta: "\u0392",
      Gamma: "\u0393",
      Delta: "\u0394",
      Epsilon: "\u0395",
      Zeta: "\u0396",
      Eta: "\u0397",
      Theta: "\u0398",
      Iota: "\u0399",
      Kappa: "\u039A",
      Lambda: "\u039B",
      Mu: "\u039C",
      Nu: "\u039D",
      Xi: "\u039E",
      Omicron: "\u039F",
      Pi: "\u03A0",
      Rho: "\u03A1",
      Sigma: "\u03A3",
      Tau: "\u03A4",
      Upsilon: "\u03A5",
      Phi: "\u03A6",
      Chi: "\u03A7",
      Psi: "\u03A8",
      Omega: "\u03A9",
      alpha: "\u03B1",
      beta: "\u03B2",
      gamma: "\u03B3",
      delta: "\u03B4",
      epsilon: "\u03B5",
      zeta: "\u03B6",
      eta: "\u03B7",
      theta: "\u03B8",
      iota: "\u03B9",
      kappa: "\u03BA",
      lambda: "\u03BB",
      mu: "\u03BC",
      nu: "\u03BD",
      xi: "\u03BE",
      omicron: "\u03BF",
      pi: "\u03C0",
      rho: "\u03C1",
      sigmaf: "\u03C2",
      sigma: "\u03C3",
      tau: "\u03C4",
      upsilon: "\u03C5",
      phi: "\u03C6",
      chi: "\u03C7",
      psi: "\u03C8",
      omega: "\u03C9",
      thetasym: "\u03D1",
      upsih: "\u03D2",
      piv: "\u03D6",
      ensp: "\u2002",
      emsp: "\u2003",
      thinsp: "\u2009",
      zwnj: "\u200C",
      zwj: "\u200D",
      lrm: "\u200E",
      rlm: "\u200F",
      ndash: "\u2013",
      mdash: "\u2014",
      lsquo: "\u2018",
      rsquo: "\u2019",
      sbquo: "\u201A",
      ldquo: "\u201C",
      rdquo: "\u201D",
      bdquo: "\u201E",
      dagger: "\u2020",
      Dagger: "\u2021",
      bull: "\u2022",
      hellip: "\u2026",
      permil: "\u2030",
      prime: "\u2032",
      Prime: "\u2033",
      lsaquo: "\u2039",
      rsaquo: "\u203A",
      oline: "\u203E",
      frasl: "\u2044",
      euro: "\u20AC",
      image: "\u2111",
      weierp: "\u2118",
      real: "\u211C",
      trade: "\u2122",
      alefsym: "\u2135",
      larr: "\u2190",
      uarr: "\u2191",
      rarr: "\u2192",
      darr: "\u2193",
      harr: "\u2194",
      crarr: "\u21B5",
      lArr: "\u21D0",
      uArr: "\u21D1",
      rArr: "\u21D2",
      dArr: "\u21D3",
      hArr: "\u21D4",
      forall: "\u2200",
      part: "\u2202",
      exist: "\u2203",
      empty: "\u2205",
      nabla: "\u2207",
      isin: "\u2208",
      notin: "\u2209",
      ni: "\u220B",
      prod: "\u220F",
      sum: "\u2211",
      minus: "\u2212",
      lowast: "\u2217",
      radic: "\u221A",
      prop: "\u221D",
      infin: "\u221E",
      ang: "\u2220",
      and: "\u2227",
      or: "\u2228",
      cap: "\u2229",
      cup: "\u222A",
      int: "\u222B",
      there4: "\u2234",
      sim: "\u223C",
      cong: "\u2245",
      asymp: "\u2248",
      ne: "\u2260",
      equiv: "\u2261",
      le: "\u2264",
      ge: "\u2265",
      sub: "\u2282",
      sup: "\u2283",
      nsub: "\u2284",
      sube: "\u2286",
      supe: "\u2287",
      oplus: "\u2295",
      otimes: "\u2297",
      perp: "\u22A5",
      sdot: "\u22C5",
      lceil: "\u2308",
      rceil: "\u2309",
      lfloor: "\u230A",
      rfloor: "\u230B",
      lang: "\u2329",
      rang: "\u232A",
      loz: "\u25CA",
      spades: "\u2660",
      clubs: "\u2663",
      hearts: "\u2665",
      diams: "\u2666"
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/ts-estree/ts-nodes.js
var require_ts_nodes2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/ts-estree/ts-nodes.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/ts-estree/estree-to-ts-node-types.js
var require_estree_to_ts_node_types2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/ts-estree/estree-to-ts-node-types.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/ts-estree/index.js
var require_ts_estree5 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/ts-estree/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) {
      for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p);
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.TSESTree = exports2.AST_TOKEN_TYPES = exports2.AST_NODE_TYPES = void 0;
    var types_1 = require_dist();
    Object.defineProperty(exports2, "AST_NODE_TYPES", { enumerable: true, get: function() {
      return types_1.AST_NODE_TYPES;
    } });
    Object.defineProperty(exports2, "AST_TOKEN_TYPES", { enumerable: true, get: function() {
      return types_1.AST_TOKEN_TYPES;
    } });
    Object.defineProperty(exports2, "TSESTree", { enumerable: true, get: function() {
      return types_1.TSESTree;
    } });
    __exportStar2(require_ts_nodes2(), exports2);
    __exportStar2(require_estree_to_ts_node_types2(), exports2);
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/node-utils.js
var require_node_utils2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/node-utils.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.TSError = void 0;
    exports2.isLogicalOperator = isLogicalOperator;
    exports2.isESTreeBinaryOperator = isESTreeBinaryOperator;
    exports2.getTextForTokenKind = getTextForTokenKind;
    exports2.isESTreeClassMember = isESTreeClassMember;
    exports2.hasModifier = hasModifier;
    exports2.getLastModifier = getLastModifier;
    exports2.isComma = isComma;
    exports2.isComment = isComment;
    exports2.getBinaryExpressionType = getBinaryExpressionType;
    exports2.getLineAndCharacterFor = getLineAndCharacterFor;
    exports2.getLocFor = getLocFor;
    exports2.canContainDirective = canContainDirective;
    exports2.getRange = getRange;
    exports2.isJSXToken = isJSXToken;
    exports2.getDeclarationKind = getDeclarationKind;
    exports2.getTSNodeAccessibility = getTSNodeAccessibility;
    exports2.findNextToken = findNextToken;
    exports2.findFirstMatchingAncestor = findFirstMatchingAncestor;
    exports2.hasJSXAncestor = hasJSXAncestor;
    exports2.unescapeStringLiteralText = unescapeStringLiteralText;
    exports2.isComputedProperty = isComputedProperty;
    exports2.isOptional = isOptional;
    exports2.isChainExpression = isChainExpression;
    exports2.isChildUnwrappableOptionalChain = isChildUnwrappableOptionalChain;
    exports2.getTokenType = getTokenType;
    exports2.convertToken = convertToken;
    exports2.convertTokens = convertTokens;
    exports2.createError = createError;
    exports2.nodeHasIllegalDecorators = nodeHasIllegalDecorators;
    exports2.nodeHasTokens = nodeHasTokens;
    exports2.firstDefined = firstDefined;
    exports2.identifierIsThisKeyword = identifierIsThisKeyword;
    exports2.isThisIdentifier = isThisIdentifier;
    exports2.isThisInTypeQuery = isThisInTypeQuery;
    exports2.nodeIsPresent = nodeIsPresent;
    exports2.getContainingFunction = getContainingFunction;
    exports2.nodeCanBeDecorated = nodeCanBeDecorated;
    exports2.isValidAssignmentTarget = isValidAssignmentTarget;
    exports2.getNamespaceModifiers = getNamespaceModifiers;
    var ts = __importStar2(require_typescript3());
    var getModifiers_1 = require_getModifiers2();
    var xhtml_entities_1 = require_xhtml_entities2();
    var ts_estree_1 = require_ts_estree5();
    var version_check_1 = require_version_check2();
    var isAtLeast50 = version_check_1.typescriptVersionIsAtLeast["5.0"];
    var SyntaxKind = ts.SyntaxKind;
    var LOGICAL_OPERATORS = /* @__PURE__ */ new Set([
      SyntaxKind.BarBarToken,
      SyntaxKind.AmpersandAmpersandToken,
      SyntaxKind.QuestionQuestionToken
    ]);
    var ASSIGNMENT_OPERATORS = /* @__PURE__ */ new Set([
      ts.SyntaxKind.EqualsToken,
      ts.SyntaxKind.PlusEqualsToken,
      ts.SyntaxKind.MinusEqualsToken,
      ts.SyntaxKind.AsteriskEqualsToken,
      ts.SyntaxKind.AsteriskAsteriskEqualsToken,
      ts.SyntaxKind.SlashEqualsToken,
      ts.SyntaxKind.PercentEqualsToken,
      ts.SyntaxKind.LessThanLessThanEqualsToken,
      ts.SyntaxKind.GreaterThanGreaterThanEqualsToken,
      ts.SyntaxKind.GreaterThanGreaterThanGreaterThanEqualsToken,
      ts.SyntaxKind.AmpersandEqualsToken,
      ts.SyntaxKind.BarEqualsToken,
      ts.SyntaxKind.BarBarEqualsToken,
      ts.SyntaxKind.AmpersandAmpersandEqualsToken,
      ts.SyntaxKind.QuestionQuestionEqualsToken,
      ts.SyntaxKind.CaretEqualsToken
    ]);
    var BINARY_OPERATORS = /* @__PURE__ */ new Set([
      SyntaxKind.InstanceOfKeyword,
      SyntaxKind.InKeyword,
      SyntaxKind.AsteriskAsteriskToken,
      SyntaxKind.AsteriskToken,
      SyntaxKind.SlashToken,
      SyntaxKind.PercentToken,
      SyntaxKind.PlusToken,
      SyntaxKind.MinusToken,
      SyntaxKind.AmpersandToken,
      SyntaxKind.BarToken,
      SyntaxKind.CaretToken,
      SyntaxKind.LessThanLessThanToken,
      SyntaxKind.GreaterThanGreaterThanToken,
      SyntaxKind.GreaterThanGreaterThanGreaterThanToken,
      SyntaxKind.AmpersandAmpersandToken,
      SyntaxKind.BarBarToken,
      SyntaxKind.LessThanToken,
      SyntaxKind.LessThanEqualsToken,
      SyntaxKind.GreaterThanToken,
      SyntaxKind.GreaterThanEqualsToken,
      SyntaxKind.EqualsEqualsToken,
      SyntaxKind.EqualsEqualsEqualsToken,
      SyntaxKind.ExclamationEqualsEqualsToken,
      SyntaxKind.ExclamationEqualsToken
    ]);
    function isAssignmentOperator(operator) {
      return ASSIGNMENT_OPERATORS.has(operator.kind);
    }
    function isLogicalOperator(operator) {
      return LOGICAL_OPERATORS.has(operator.kind);
    }
    function isESTreeBinaryOperator(operator) {
      return BINARY_OPERATORS.has(operator.kind);
    }
    function getTextForTokenKind(kind) {
      return ts.tokenToString(kind);
    }
    function isESTreeClassMember(node) {
      return node.kind !== SyntaxKind.SemicolonClassElement;
    }
    function hasModifier(modifierKind, node) {
      const modifiers = (0, getModifiers_1.getModifiers)(node);
      return modifiers?.some((modifier) => modifier.kind === modifierKind) === true;
    }
    function getLastModifier(node) {
      const modifiers = (0, getModifiers_1.getModifiers)(node);
      if (modifiers == null) {
        return null;
      }
      return modifiers[modifiers.length - 1] ?? null;
    }
    function isComma(token) {
      return token.kind === SyntaxKind.CommaToken;
    }
    function isComment(node) {
      return node.kind === SyntaxKind.SingleLineCommentTrivia || node.kind === SyntaxKind.MultiLineCommentTrivia;
    }
    function isJSDocComment(node) {
      return node.kind === SyntaxKind.JSDocComment;
    }
    function getBinaryExpressionType(operator) {
      if (isAssignmentOperator(operator)) {
        return {
          type: ts_estree_1.AST_NODE_TYPES.AssignmentExpression,
          operator: getTextForTokenKind(operator.kind)
        };
      } else if (isLogicalOperator(operator)) {
        return {
          type: ts_estree_1.AST_NODE_TYPES.LogicalExpression,
          operator: getTextForTokenKind(operator.kind)
        };
      } else if (isESTreeBinaryOperator(operator)) {
        return {
          type: ts_estree_1.AST_NODE_TYPES.BinaryExpression,
          operator: getTextForTokenKind(operator.kind)
        };
      }
      throw new Error(`Unexpected binary operator ${ts.tokenToString(operator.kind)}`);
    }
    function getLineAndCharacterFor(pos, ast) {
      const loc = ast.getLineAndCharacterOfPosition(pos);
      return {
        line: loc.line + 1,
        column: loc.character
      };
    }
    function getLocFor(range, ast) {
      const [start, end] = range.map((pos) => getLineAndCharacterFor(pos, ast));
      return { start, end };
    }
    function canContainDirective(node) {
      if (node.kind === ts.SyntaxKind.Block) {
        switch (node.parent.kind) {
          case ts.SyntaxKind.Constructor:
          case ts.SyntaxKind.GetAccessor:
          case ts.SyntaxKind.SetAccessor:
          case ts.SyntaxKind.ArrowFunction:
          case ts.SyntaxKind.FunctionExpression:
          case ts.SyntaxKind.FunctionDeclaration:
          case ts.SyntaxKind.MethodDeclaration:
            return true;
          default:
            return false;
        }
      }
      return true;
    }
    function getRange(node, ast) {
      return [node.getStart(ast), node.getEnd()];
    }
    function isToken(node) {
      return node.kind >= SyntaxKind.FirstToken && node.kind <= SyntaxKind.LastToken;
    }
    function isJSXToken(node) {
      return node.kind >= SyntaxKind.JsxElement && node.kind <= SyntaxKind.JsxAttribute;
    }
    function getDeclarationKind(node) {
      if (node.flags & ts.NodeFlags.Let) {
        return "let";
      }
      if ((node.flags & ts.NodeFlags.AwaitUsing) === ts.NodeFlags.AwaitUsing) {
        return "await using";
      }
      if (node.flags & ts.NodeFlags.Const) {
        return "const";
      }
      if (node.flags & ts.NodeFlags.Using) {
        return "using";
      }
      return "var";
    }
    function getTSNodeAccessibility(node) {
      const modifiers = (0, getModifiers_1.getModifiers)(node);
      if (modifiers == null) {
        return void 0;
      }
      for (const modifier of modifiers) {
        switch (modifier.kind) {
          case SyntaxKind.PublicKeyword:
            return "public";
          case SyntaxKind.ProtectedKeyword:
            return "protected";
          case SyntaxKind.PrivateKeyword:
            return "private";
          default:
            break;
        }
      }
      return void 0;
    }
    function findNextToken(previousToken, parent, ast) {
      return find(parent);
      function find(n) {
        if (ts.isToken(n) && n.pos === previousToken.end) {
          return n;
        }
        return firstDefined(n.getChildren(ast), (child) => {
          const shouldDiveInChildNode = (
            // previous token is enclosed somewhere in the child
            child.pos <= previousToken.pos && child.end > previousToken.end || // previous token ends exactly at the beginning of child
            child.pos === previousToken.end
          );
          return shouldDiveInChildNode && nodeHasTokens(child, ast) ? find(child) : void 0;
        });
      }
    }
    function findFirstMatchingAncestor(node, predicate) {
      let current = node;
      while (current) {
        if (predicate(current)) {
          return current;
        }
        current = current.parent;
      }
      return void 0;
    }
    function hasJSXAncestor(node) {
      return !!findFirstMatchingAncestor(node, isJSXToken);
    }
    function unescapeStringLiteralText(text) {
      return text.replace(/&(?:#\d+|#x[\da-fA-F]+|[0-9a-zA-Z]+);/g, (entity) => {
        const item = entity.slice(1, -1);
        if (item[0] === "#") {
          const codePoint = item[1] === "x" ? parseInt(item.slice(2), 16) : parseInt(item.slice(1), 10);
          return codePoint > 1114111 ? entity : String.fromCodePoint(codePoint);
        }
        return xhtml_entities_1.xhtmlEntities[item] || entity;
      });
    }
    function isComputedProperty(node) {
      return node.kind === SyntaxKind.ComputedPropertyName;
    }
    function isOptional(node) {
      return !!node.questionToken;
    }
    function isChainExpression(node) {
      return node.type === ts_estree_1.AST_NODE_TYPES.ChainExpression;
    }
    function isChildUnwrappableOptionalChain(node, child) {
      return isChainExpression(child) && // (x?.y).z is semantically different, and as such .z is no longer optional
      node.expression.kind !== ts.SyntaxKind.ParenthesizedExpression;
    }
    function getTokenType(token) {
      let keywordKind;
      if (isAtLeast50 && token.kind === SyntaxKind.Identifier) {
        keywordKind = ts.identifierToKeywordKind(token);
      } else if ("originalKeywordKind" in token) {
        keywordKind = token.originalKeywordKind;
      }
      if (keywordKind) {
        if (keywordKind === SyntaxKind.NullKeyword) {
          return ts_estree_1.AST_TOKEN_TYPES.Null;
        } else if (keywordKind >= SyntaxKind.FirstFutureReservedWord && keywordKind <= SyntaxKind.LastKeyword) {
          return ts_estree_1.AST_TOKEN_TYPES.Identifier;
        }
        return ts_estree_1.AST_TOKEN_TYPES.Keyword;
      }
      if (token.kind >= SyntaxKind.FirstKeyword && token.kind <= SyntaxKind.LastFutureReservedWord) {
        if (token.kind === SyntaxKind.FalseKeyword || token.kind === SyntaxKind.TrueKeyword) {
          return ts_estree_1.AST_TOKEN_TYPES.Boolean;
        }
        return ts_estree_1.AST_TOKEN_TYPES.Keyword;
      }
      if (token.kind >= SyntaxKind.FirstPunctuation && token.kind <= SyntaxKind.LastPunctuation) {
        return ts_estree_1.AST_TOKEN_TYPES.Punctuator;
      }
      if (token.kind >= SyntaxKind.NoSubstitutionTemplateLiteral && token.kind <= SyntaxKind.TemplateTail) {
        return ts_estree_1.AST_TOKEN_TYPES.Template;
      }
      switch (token.kind) {
        case SyntaxKind.NumericLiteral:
          return ts_estree_1.AST_TOKEN_TYPES.Numeric;
        case SyntaxKind.JsxText:
          return ts_estree_1.AST_TOKEN_TYPES.JSXText;
        case SyntaxKind.StringLiteral:
          if (token.parent.kind === SyntaxKind.JsxAttribute || token.parent.kind === SyntaxKind.JsxElement) {
            return ts_estree_1.AST_TOKEN_TYPES.JSXText;
          }
          return ts_estree_1.AST_TOKEN_TYPES.String;
        case SyntaxKind.RegularExpressionLiteral:
          return ts_estree_1.AST_TOKEN_TYPES.RegularExpression;
        case SyntaxKind.Identifier:
        case SyntaxKind.ConstructorKeyword:
        case SyntaxKind.GetKeyword:
        case SyntaxKind.SetKeyword:
        default:
      }
      if (token.kind === SyntaxKind.Identifier) {
        if (isJSXToken(token.parent)) {
          return ts_estree_1.AST_TOKEN_TYPES.JSXIdentifier;
        }
        if (token.parent.kind === SyntaxKind.PropertyAccessExpression && hasJSXAncestor(token)) {
          return ts_estree_1.AST_TOKEN_TYPES.JSXIdentifier;
        }
      }
      return ts_estree_1.AST_TOKEN_TYPES.Identifier;
    }
    function convertToken(token, ast) {
      const start = token.kind === SyntaxKind.JsxText ? token.getFullStart() : token.getStart(ast);
      const end = token.getEnd();
      const value = ast.text.slice(start, end);
      const tokenType = getTokenType(token);
      const range = [start, end];
      const loc = getLocFor(range, ast);
      if (tokenType === ts_estree_1.AST_TOKEN_TYPES.RegularExpression) {
        return {
          type: tokenType,
          value,
          range,
          loc,
          regex: {
            pattern: value.slice(1, value.lastIndexOf("/")),
            flags: value.slice(value.lastIndexOf("/") + 1)
          }
        };
      }
      return {
        type: tokenType,
        value,
        range,
        loc
      };
    }
    function convertTokens(ast) {
      const result = [];
      function walk(node) {
        if (isComment(node) || isJSDocComment(node)) {
          return;
        }
        if (isToken(node) && node.kind !== SyntaxKind.EndOfFileToken) {
          result.push(convertToken(node, ast));
        } else {
          node.getChildren(ast).forEach(walk);
        }
      }
      walk(ast);
      return result;
    }
    var TSError = class extends Error {
      constructor(message, fileName, location) {
        super(message);
        this.fileName = fileName;
        this.location = location;
        Object.defineProperty(this, "name", {
          value: new.target.name,
          enumerable: false,
          configurable: true
        });
      }
      // For old version of ESLint https://github.com/typescript-eslint/typescript-eslint/pull/6556#discussion_r1123237311
      get index() {
        return this.location.start.offset;
      }
      // https://github.com/eslint/eslint/blob/b09a512107249a4eb19ef5a37b0bd672266eafdb/lib/linter/linter.js#L853
      get lineNumber() {
        return this.location.start.line;
      }
      // https://github.com/eslint/eslint/blob/b09a512107249a4eb19ef5a37b0bd672266eafdb/lib/linter/linter.js#L854
      get column() {
        return this.location.start.column;
      }
    };
    exports2.TSError = TSError;
    function createError(message, ast, startIndex, endIndex = startIndex) {
      const [start, end] = [startIndex, endIndex].map((offset) => {
        const { line, character: column } = ast.getLineAndCharacterOfPosition(offset);
        return { line: line + 1, column, offset };
      });
      return new TSError(message, ast.fileName, { start, end });
    }
    function nodeHasIllegalDecorators(node) {
      return !!("illegalDecorators" in node && node.illegalDecorators?.length);
    }
    function nodeHasTokens(n, ast) {
      return n.kind === SyntaxKind.EndOfFileToken ? !!n.jsDoc : n.getWidth(ast) !== 0;
    }
    function firstDefined(array, callback) {
      if (array === void 0) {
        return void 0;
      }
      for (let i = 0; i < array.length; i++) {
        const result = callback(array[i], i);
        if (result !== void 0) {
          return result;
        }
      }
      return void 0;
    }
    function identifierIsThisKeyword(id) {
      return (isAtLeast50 ? ts.identifierToKeywordKind(id) : (
        // @ts-expect-error -- intentional fallback for older TS versions <=4.9
        id.originalKeywordKind
      )) === SyntaxKind.ThisKeyword;
    }
    function isThisIdentifier(node) {
      return !!node && node.kind === SyntaxKind.Identifier && identifierIsThisKeyword(node);
    }
    function isThisInTypeQuery(node) {
      if (!isThisIdentifier(node)) {
        return false;
      }
      while (ts.isQualifiedName(node.parent) && node.parent.left === node) {
        node = node.parent;
      }
      return node.parent.kind === SyntaxKind.TypeQuery;
    }
    function nodeIsMissing(node) {
      if (node === void 0) {
        return true;
      }
      return node.pos === node.end && node.pos >= 0 && node.kind !== SyntaxKind.EndOfFileToken;
    }
    function nodeIsPresent(node) {
      return !nodeIsMissing(node);
    }
    function getContainingFunction(node) {
      return ts.findAncestor(node.parent, ts.isFunctionLike);
    }
    function hasAbstractModifier(node) {
      return hasModifier(SyntaxKind.AbstractKeyword, node);
    }
    function getThisParameter(signature) {
      if (signature.parameters.length && !ts.isJSDocSignature(signature)) {
        const thisParameter = signature.parameters[0];
        if (parameterIsThisKeyword(thisParameter)) {
          return thisParameter;
        }
      }
      return null;
    }
    function parameterIsThisKeyword(parameter) {
      return isThisIdentifier(parameter.name);
    }
    function nodeCanBeDecorated(node) {
      switch (node.kind) {
        case SyntaxKind.ClassDeclaration:
          return true;
        case SyntaxKind.ClassExpression:
          return true;
        case SyntaxKind.PropertyDeclaration: {
          const { parent } = node;
          if (ts.isClassDeclaration(parent)) {
            return true;
          }
          if (ts.isClassLike(parent) && !hasAbstractModifier(node)) {
            return true;
          }
          return false;
        }
        case SyntaxKind.GetAccessor:
        case SyntaxKind.SetAccessor:
        case SyntaxKind.MethodDeclaration: {
          const { parent } = node;
          return Boolean(node.body) && (ts.isClassDeclaration(parent) || ts.isClassLike(parent));
        }
        case SyntaxKind.Parameter: {
          const { parent } = node;
          const grandparent = parent.parent;
          return Boolean(parent) && "body" in parent && Boolean(parent.body) && (parent.kind === SyntaxKind.Constructor || parent.kind === SyntaxKind.MethodDeclaration || parent.kind === SyntaxKind.SetAccessor) && getThisParameter(parent) !== node && Boolean(grandparent) && grandparent.kind === SyntaxKind.ClassDeclaration;
        }
      }
      return false;
    }
    function isValidAssignmentTarget(node) {
      switch (node.kind) {
        case SyntaxKind.Identifier:
          return true;
        case SyntaxKind.PropertyAccessExpression:
        case SyntaxKind.ElementAccessExpression:
          if (node.flags & ts.NodeFlags.OptionalChain) {
            return false;
          }
          return true;
        case SyntaxKind.ParenthesizedExpression:
        case SyntaxKind.TypeAssertionExpression:
        case SyntaxKind.AsExpression:
        case SyntaxKind.SatisfiesExpression:
        case SyntaxKind.NonNullExpression:
          return isValidAssignmentTarget(node.expression);
        default:
          return false;
      }
    }
    function getNamespaceModifiers(node) {
      let modifiers = (0, getModifiers_1.getModifiers)(node);
      let moduleDeclaration = node;
      while ((!modifiers || modifiers.length === 0) && ts.isModuleDeclaration(moduleDeclaration.parent)) {
        const parentModifiers = (0, getModifiers_1.getModifiers)(moduleDeclaration.parent);
        if (parentModifiers?.length) {
          modifiers = parentModifiers;
        }
        moduleDeclaration = moduleDeclaration.parent;
      }
      return modifiers;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/convert.js
var require_convert4 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/convert.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __classPrivateFieldGet3 = exports2 && exports2.__classPrivateFieldGet || function(receiver, state, kind, f) {
      if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter");
      if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it");
      return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver);
    };
    var _Converter_instances;
    var _Converter_checkModifiers;
    var _Converter_throwUnlessAllowInvalidAST;
    var _Converter_withDeprecatedAliasGetter;
    var _Converter_throwError;
    var _Converter_checkForStatementDeclaration;
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.Converter = void 0;
    exports2.convertError = convertError;
    var ts = __importStar2(require_typescript3());
    var getModifiers_1 = require_getModifiers2();
    var node_utils_1 = require_node_utils2();
    var ts_estree_1 = require_ts_estree5();
    var SyntaxKind = ts.SyntaxKind;
    function convertError(error) {
      return (0, node_utils_1.createError)("message" in error && error.message || error.messageText, error.file, error.start);
    }
    var Converter = class {
      /**
       * Converts a TypeScript node into an ESTree node
       * @param ast the full TypeScript AST
       * @param options additional options for the conversion
       * @returns the converted ESTreeNode
       */
      constructor(ast, options) {
        _Converter_instances.add(this);
        this.esTreeNodeToTSNodeMap = /* @__PURE__ */ new WeakMap();
        this.tsNodeToESTreeNodeMap = /* @__PURE__ */ new WeakMap();
        this.allowPattern = false;
        this.ast = ast;
        this.options = { ...options };
      }
      getASTMaps() {
        return {
          esTreeNodeToTSNodeMap: this.esTreeNodeToTSNodeMap,
          tsNodeToESTreeNodeMap: this.tsNodeToESTreeNodeMap
        };
      }
      convertProgram() {
        return this.converter(this.ast);
      }
      /**
       * Converts a TypeScript node into an ESTree node.
       * @param node the child ts.Node
       * @param parent parentNode
       * @param allowPattern flag to determine if patterns are allowed
       * @returns the converted ESTree node
       */
      converter(node, parent, allowPattern) {
        if (!node) {
          return null;
        }
        __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_checkModifiers).call(this, node);
        const pattern = this.allowPattern;
        if (allowPattern !== void 0) {
          this.allowPattern = allowPattern;
        }
        const result = this.convertNode(node, parent ?? node.parent);
        this.registerTSNodeInNodeMap(node, result);
        this.allowPattern = pattern;
        return result;
      }
      /**
       * Fixes the exports of the given ts.Node
       * @returns the ESTreeNode with fixed exports
       */
      fixExports(node, result) {
        const isNamespaceNode = ts.isModuleDeclaration(node) && Boolean(node.flags & ts.NodeFlags.Namespace);
        const modifiers = isNamespaceNode ? (0, node_utils_1.getNamespaceModifiers)(node) : (0, getModifiers_1.getModifiers)(node);
        if (modifiers?.[0].kind === SyntaxKind.ExportKeyword) {
          this.registerTSNodeInNodeMap(node, result);
          const exportKeyword = modifiers[0];
          const nextModifier = modifiers[1];
          const declarationIsDefault = nextModifier?.kind === SyntaxKind.DefaultKeyword;
          const varToken = declarationIsDefault ? (0, node_utils_1.findNextToken)(nextModifier, this.ast, this.ast) : (0, node_utils_1.findNextToken)(exportKeyword, this.ast, this.ast);
          result.range[0] = varToken.getStart(this.ast);
          result.loc = (0, node_utils_1.getLocFor)(result.range, this.ast);
          if (declarationIsDefault) {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ExportDefaultDeclaration,
              declaration: result,
              range: [exportKeyword.getStart(this.ast), result.range[1]],
              exportKind: "value"
            });
          }
          const isType = result.type === ts_estree_1.AST_NODE_TYPES.TSInterfaceDeclaration || result.type === ts_estree_1.AST_NODE_TYPES.TSTypeAliasDeclaration;
          const isDeclare = "declare" in result && result.declare;
          return this.createNode(
            node,
            // @ts-expect-error - TODO, narrow the types here
            __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, {
              type: ts_estree_1.AST_NODE_TYPES.ExportNamedDeclaration,
              declaration: result,
              specifiers: [],
              source: null,
              exportKind: isType || isDeclare ? "type" : "value",
              range: [exportKeyword.getStart(this.ast), result.range[1]],
              attributes: []
            }, "assertions", "attributes", true)
          );
        }
        return result;
      }
      /**
       * Register specific TypeScript node into map with first ESTree node provided
       */
      registerTSNodeInNodeMap(node, result) {
        if (result && this.options.shouldPreserveNodeMaps) {
          if (!this.tsNodeToESTreeNodeMap.has(node)) {
            this.tsNodeToESTreeNodeMap.set(node, result);
          }
        }
      }
      /**
       * Converts a TypeScript node into an ESTree node.
       * @param child the child ts.Node
       * @param parent parentNode
       * @returns the converted ESTree node
       */
      convertPattern(child, parent) {
        return this.converter(child, parent, true);
      }
      /**
       * Converts a TypeScript node into an ESTree node.
       * @param child the child ts.Node
       * @param parent parentNode
       * @returns the converted ESTree node
       */
      convertChild(child, parent) {
        return this.converter(child, parent, false);
      }
      createNode(node, data) {
        const result = data;
        result.range ??= (0, node_utils_1.getRange)(node, this.ast);
        result.loc ??= (0, node_utils_1.getLocFor)(result.range, this.ast);
        if (result && this.options.shouldPreserveNodeMaps) {
          this.esTreeNodeToTSNodeMap.set(result, node);
        }
        return result;
      }
      convertBindingNameWithTypeAnnotation(name, tsType, parent) {
        const id = this.convertPattern(name);
        if (tsType) {
          id.typeAnnotation = this.convertTypeAnnotation(tsType, parent);
          this.fixParentLocation(id, id.typeAnnotation.range);
        }
        return id;
      }
      /**
       * Converts a child into a type annotation. This creates an intermediary
       * TypeAnnotation node to match what Flow does.
       * @param child The TypeScript AST node to convert.
       * @param parent parentNode
       * @returns The type annotation node.
       */
      convertTypeAnnotation(child, parent) {
        const offset = parent?.kind === SyntaxKind.FunctionType || parent?.kind === SyntaxKind.ConstructorType ? 2 : 1;
        const annotationStartCol = child.getFullStart() - offset;
        const range = [annotationStartCol, child.end];
        const loc = (0, node_utils_1.getLocFor)(range, this.ast);
        return {
          type: ts_estree_1.AST_NODE_TYPES.TSTypeAnnotation,
          loc,
          range,
          typeAnnotation: this.convertChild(child)
        };
      }
      /**
       * Coverts body Nodes and add a directive field to StringLiterals
       * @param nodes of ts.Node
       * @param parent parentNode
       * @returns Array of body statements
       */
      convertBodyExpressions(nodes, parent) {
        let allowDirectives = (0, node_utils_1.canContainDirective)(parent);
        return nodes.map((statement) => {
          const child = this.convertChild(statement);
          if (allowDirectives) {
            if (child?.expression && ts.isExpressionStatement(statement) && ts.isStringLiteral(statement.expression)) {
              const raw = child.expression.raw;
              child.directive = raw.slice(1, -1);
              return child;
            }
            allowDirectives = false;
          }
          return child;
        }).filter((statement) => statement);
      }
      /**
       * Converts a ts.Node's typeArguments to TSTypeParameterInstantiation node
       * @param typeArguments ts.NodeArray typeArguments
       * @param node parent used to create this node
       * @returns TypeParameterInstantiation node
       */
      convertTypeArgumentsToTypeParameterInstantiation(typeArguments, node) {
        const greaterThanToken = (0, node_utils_1.findNextToken)(typeArguments, this.ast, this.ast);
        return this.createNode(node, {
          type: ts_estree_1.AST_NODE_TYPES.TSTypeParameterInstantiation,
          range: [typeArguments.pos - 1, greaterThanToken.end],
          params: typeArguments.map((typeArgument) => this.convertChild(typeArgument))
        });
      }
      /**
       * Converts a ts.Node's typeParameters to TSTypeParameterDeclaration node
       * @param typeParameters ts.Node typeParameters
       * @returns TypeParameterDeclaration node
       */
      convertTSTypeParametersToTypeParametersDeclaration(typeParameters) {
        const greaterThanToken = (0, node_utils_1.findNextToken)(typeParameters, this.ast, this.ast);
        const range = [
          typeParameters.pos - 1,
          greaterThanToken.end
        ];
        return {
          type: ts_estree_1.AST_NODE_TYPES.TSTypeParameterDeclaration,
          range,
          loc: (0, node_utils_1.getLocFor)(range, this.ast),
          params: typeParameters.map((typeParameter) => this.convertChild(typeParameter))
        };
      }
      /**
       * Converts an array of ts.Node parameters into an array of ESTreeNode params
       * @param parameters An array of ts.Node params to be converted
       * @returns an array of converted ESTreeNode params
       */
      convertParameters(parameters) {
        if (!parameters?.length) {
          return [];
        }
        return parameters.map((param) => {
          const convertedParam = this.convertChild(param);
          convertedParam.decorators = (0, getModifiers_1.getDecorators)(param)?.map((el) => this.convertChild(el)) ?? [];
          return convertedParam;
        });
      }
      convertChainExpression(node, tsNode) {
        const { child, isOptional } = (() => {
          if (node.type === ts_estree_1.AST_NODE_TYPES.MemberExpression) {
            return { child: node.object, isOptional: node.optional };
          }
          if (node.type === ts_estree_1.AST_NODE_TYPES.CallExpression) {
            return { child: node.callee, isOptional: node.optional };
          }
          return { child: node.expression, isOptional: false };
        })();
        const isChildUnwrappable = (0, node_utils_1.isChildUnwrappableOptionalChain)(tsNode, child);
        if (!isChildUnwrappable && !isOptional) {
          return node;
        }
        if (isChildUnwrappable && (0, node_utils_1.isChainExpression)(child)) {
          const newChild = child.expression;
          if (node.type === ts_estree_1.AST_NODE_TYPES.MemberExpression) {
            node.object = newChild;
          } else if (node.type === ts_estree_1.AST_NODE_TYPES.CallExpression) {
            node.callee = newChild;
          } else {
            node.expression = newChild;
          }
        }
        return this.createNode(tsNode, {
          type: ts_estree_1.AST_NODE_TYPES.ChainExpression,
          expression: node
        });
      }
      /**
       * For nodes that are copied directly from the TypeScript AST into
       * ESTree mostly as-is. The only difference is the addition of a type
       * property instead of a kind property. Recursively copies all children.
       */
      deeplyCopy(node) {
        if (node.kind === ts.SyntaxKind.JSDocFunctionType) {
          __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node, "JSDoc types can only be used inside documentation comments.");
        }
        const customType = `TS${SyntaxKind[node.kind]}`;
        if (this.options.errorOnUnknownASTType && !ts_estree_1.AST_NODE_TYPES[customType]) {
          throw new Error(`Unknown AST_NODE_TYPE: "${customType}"`);
        }
        const result = this.createNode(node, {
          type: customType
        });
        if ("type" in node) {
          result.typeAnnotation = node.type && "kind" in node.type && ts.isTypeNode(node.type) ? this.convertTypeAnnotation(node.type, node) : null;
        }
        if ("typeArguments" in node) {
          result.typeArguments = node.typeArguments && "pos" in node.typeArguments ? this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node) : null;
          __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, result, "typeParameters", "typeArguments");
        }
        if ("typeParameters" in node) {
          result.typeParameters = node.typeParameters && "pos" in node.typeParameters ? this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters) : null;
        }
        const decorators = (0, getModifiers_1.getDecorators)(node);
        if (decorators?.length) {
          result.decorators = decorators.map((el) => this.convertChild(el));
        }
        const KEYS_TO_NOT_COPY = /* @__PURE__ */ new Set([
          "_children",
          "decorators",
          "end",
          "flags",
          "illegalDecorators",
          "heritageClauses",
          "locals",
          "localSymbol",
          "jsDoc",
          "kind",
          "modifierFlagsCache",
          "modifiers",
          "nextContainer",
          "parent",
          "pos",
          "symbol",
          "transformFlags",
          "type",
          "typeArguments",
          "typeParameters"
        ]);
        Object.entries(node).filter(([key]) => !KEYS_TO_NOT_COPY.has(key)).forEach(([key, value]) => {
          if (Array.isArray(value)) {
            result[key] = value.map((el) => this.convertChild(el));
          } else if (value && typeof value === "object" && value.kind) {
            result[key] = this.convertChild(value);
          } else {
            result[key] = value;
          }
        });
        return result;
      }
      convertJSXIdentifier(node) {
        const result = this.createNode(node, {
          type: ts_estree_1.AST_NODE_TYPES.JSXIdentifier,
          name: node.getText()
        });
        this.registerTSNodeInNodeMap(node, result);
        return result;
      }
      convertJSXNamespaceOrIdentifier(node) {
        if (node.kind === ts.SyntaxKind.JsxNamespacedName) {
          const result = this.createNode(node, {
            type: ts_estree_1.AST_NODE_TYPES.JSXNamespacedName,
            namespace: this.createNode(node.namespace, {
              type: ts_estree_1.AST_NODE_TYPES.JSXIdentifier,
              name: node.namespace.text
            }),
            name: this.createNode(node.name, {
              type: ts_estree_1.AST_NODE_TYPES.JSXIdentifier,
              name: node.name.text
            })
          });
          this.registerTSNodeInNodeMap(node, result);
          return result;
        }
        const text = node.getText();
        const colonIndex = text.indexOf(":");
        if (colonIndex > 0) {
          const range = (0, node_utils_1.getRange)(node, this.ast);
          const result = this.createNode(node, {
            type: ts_estree_1.AST_NODE_TYPES.JSXNamespacedName,
            namespace: this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.JSXIdentifier,
              name: text.slice(0, colonIndex),
              range: [range[0], range[0] + colonIndex]
            }),
            name: this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.JSXIdentifier,
              name: text.slice(colonIndex + 1),
              range: [range[0] + colonIndex + 1, range[1]]
            }),
            range
          });
          this.registerTSNodeInNodeMap(node, result);
          return result;
        }
        return this.convertJSXIdentifier(node);
      }
      /**
       * Converts a TypeScript JSX node.tagName into an ESTree node.name
       * @param node the tagName object from a JSX ts.Node
       * @returns the converted ESTree name object
       */
      convertJSXTagName(node, parent) {
        let result;
        switch (node.kind) {
          case SyntaxKind.PropertyAccessExpression:
            if (node.name.kind === SyntaxKind.PrivateIdentifier) {
              __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node.name, "Non-private identifier expected.");
            }
            result = this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.JSXMemberExpression,
              object: this.convertJSXTagName(node.expression, parent),
              property: this.convertJSXIdentifier(node.name)
            });
            break;
          case SyntaxKind.ThisKeyword:
          case SyntaxKind.Identifier:
          default:
            return this.convertJSXNamespaceOrIdentifier(node);
        }
        this.registerTSNodeInNodeMap(node, result);
        return result;
      }
      convertMethodSignature(node) {
        return this.createNode(node, {
          type: ts_estree_1.AST_NODE_TYPES.TSMethodSignature,
          accessibility: (0, node_utils_1.getTSNodeAccessibility)(node),
          computed: (0, node_utils_1.isComputedProperty)(node.name),
          key: this.convertChild(node.name),
          kind: (() => {
            switch (node.kind) {
              case SyntaxKind.GetAccessor:
                return "get";
              case SyntaxKind.SetAccessor:
                return "set";
              case SyntaxKind.MethodSignature:
                return "method";
            }
          })(),
          optional: (0, node_utils_1.isOptional)(node),
          params: this.convertParameters(node.parameters),
          returnType: node.type && this.convertTypeAnnotation(node.type, node),
          readonly: (0, node_utils_1.hasModifier)(SyntaxKind.ReadonlyKeyword, node),
          static: (0, node_utils_1.hasModifier)(SyntaxKind.StaticKeyword, node),
          typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters)
        });
      }
      convertImportAttributes(node) {
        return node === void 0 ? [] : node.elements.map((element) => this.convertChild(element));
      }
      /**
       * Uses the provided range location to adjust the location data of the given Node
       * @param result The node that will have its location data mutated
       * @param childRange The child node range used to expand location
       */
      fixParentLocation(result, childRange) {
        if (childRange[0] < result.range[0]) {
          result.range[0] = childRange[0];
          result.loc.start = (0, node_utils_1.getLineAndCharacterFor)(result.range[0], this.ast);
        }
        if (childRange[1] > result.range[1]) {
          result.range[1] = childRange[1];
          result.loc.end = (0, node_utils_1.getLineAndCharacterFor)(result.range[1], this.ast);
        }
      }
      assertModuleSpecifier(node, allowNull) {
        if (!allowNull && node.moduleSpecifier == null) {
          __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node, "Module specifier must be a string literal.");
        }
        if (node.moduleSpecifier && node.moduleSpecifier?.kind !== SyntaxKind.StringLiteral) {
          __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node.moduleSpecifier, "Module specifier must be a string literal.");
        }
      }
      /**
       * Converts a TypeScript node into an ESTree node.
       * The core of the conversion logic:
       * Identify and convert each relevant TypeScript SyntaxKind
       * @returns the converted ESTree node
       */
      convertNode(node, parent) {
        switch (node.kind) {
          case SyntaxKind.SourceFile: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.Program,
              body: this.convertBodyExpressions(node.statements, node),
              comments: void 0,
              range: [node.getStart(this.ast), node.endOfFileToken.end],
              sourceType: node.externalModuleIndicator ? "module" : "script",
              tokens: void 0
            });
          }
          case SyntaxKind.Block: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.BlockStatement,
              body: this.convertBodyExpressions(node.statements, node)
            });
          }
          case SyntaxKind.Identifier: {
            if ((0, node_utils_1.isThisInTypeQuery)(node)) {
              return this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.ThisExpression
              });
            }
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.Identifier,
              decorators: [],
              name: node.text,
              optional: false,
              typeAnnotation: void 0
            });
          }
          case SyntaxKind.PrivateIdentifier: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.PrivateIdentifier,
              // typescript includes the `#` in the text
              name: node.text.slice(1)
            });
          }
          case SyntaxKind.WithStatement:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.WithStatement,
              object: this.convertChild(node.expression),
              body: this.convertChild(node.statement)
            });
          case SyntaxKind.ReturnStatement:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ReturnStatement,
              argument: this.convertChild(node.expression)
            });
          case SyntaxKind.LabeledStatement:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.LabeledStatement,
              label: this.convertChild(node.label),
              body: this.convertChild(node.statement)
            });
          case SyntaxKind.ContinueStatement:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ContinueStatement,
              label: this.convertChild(node.label)
            });
          case SyntaxKind.BreakStatement:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.BreakStatement,
              label: this.convertChild(node.label)
            });
          case SyntaxKind.IfStatement:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.IfStatement,
              test: this.convertChild(node.expression),
              consequent: this.convertChild(node.thenStatement),
              alternate: this.convertChild(node.elseStatement)
            });
          case SyntaxKind.SwitchStatement:
            if (node.caseBlock.clauses.filter((switchCase) => switchCase.kind === SyntaxKind.DefaultClause).length > 1) {
              __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node, "A 'default' clause cannot appear more than once in a 'switch' statement.");
            }
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.SwitchStatement,
              discriminant: this.convertChild(node.expression),
              cases: node.caseBlock.clauses.map((el) => this.convertChild(el))
            });
          case SyntaxKind.CaseClause:
          case SyntaxKind.DefaultClause:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.SwitchCase,
              // expression is present in case only
              test: node.kind === SyntaxKind.CaseClause ? this.convertChild(node.expression) : null,
              consequent: node.statements.map((el) => this.convertChild(el))
            });
          case SyntaxKind.ThrowStatement:
            if (node.expression.end === node.expression.pos) {
              __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node, "A throw statement must throw an expression.");
            }
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ThrowStatement,
              argument: this.convertChild(node.expression)
            });
          case SyntaxKind.TryStatement:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TryStatement,
              block: this.convertChild(node.tryBlock),
              handler: this.convertChild(node.catchClause),
              finalizer: this.convertChild(node.finallyBlock)
            });
          case SyntaxKind.CatchClause:
            if (node.variableDeclaration?.initializer) {
              __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node.variableDeclaration.initializer, "Catch clause variable cannot have an initializer.");
            }
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.CatchClause,
              param: node.variableDeclaration ? this.convertBindingNameWithTypeAnnotation(node.variableDeclaration.name, node.variableDeclaration.type) : null,
              body: this.convertChild(node.block)
            });
          case SyntaxKind.WhileStatement:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.WhileStatement,
              test: this.convertChild(node.expression),
              body: this.convertChild(node.statement)
            });
          case SyntaxKind.DoStatement:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.DoWhileStatement,
              test: this.convertChild(node.expression),
              body: this.convertChild(node.statement)
            });
          case SyntaxKind.ForStatement:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ForStatement,
              init: this.convertChild(node.initializer),
              test: this.convertChild(node.condition),
              update: this.convertChild(node.incrementor),
              body: this.convertChild(node.statement)
            });
          case SyntaxKind.ForInStatement:
            __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_checkForStatementDeclaration).call(this, node.initializer);
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ForInStatement,
              left: this.convertPattern(node.initializer),
              right: this.convertChild(node.expression),
              body: this.convertChild(node.statement)
            });
          case SyntaxKind.ForOfStatement:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ForOfStatement,
              left: this.convertPattern(node.initializer),
              right: this.convertChild(node.expression),
              body: this.convertChild(node.statement),
              await: Boolean(node.awaitModifier && node.awaitModifier.kind === SyntaxKind.AwaitKeyword)
            });
          case SyntaxKind.FunctionDeclaration: {
            const isDeclare = (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node);
            const isAsync2 = (0, node_utils_1.hasModifier)(SyntaxKind.AsyncKeyword, node);
            const isGenerator = !!node.asteriskToken;
            if (isDeclare) {
              if (node.body) {
                __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node, "An implementation cannot be declared in ambient contexts.");
              } else if (isAsync2) {
                __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node, "'async' modifier cannot be used in an ambient context.");
              } else if (isGenerator) {
                __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node, "Generators are not allowed in an ambient context.");
              }
            } else {
              if (!node.body && isGenerator) {
                __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node, "A function signature cannot be declared as a generator.");
              }
            }
            const result = this.createNode(node, {
              // declare implies no body due to the invariant above
              type: !node.body ? ts_estree_1.AST_NODE_TYPES.TSDeclareFunction : ts_estree_1.AST_NODE_TYPES.FunctionDeclaration,
              async: isAsync2,
              body: this.convertChild(node.body) || void 0,
              declare: isDeclare,
              expression: false,
              generator: isGenerator,
              id: this.convertChild(node.name),
              params: this.convertParameters(node.parameters),
              returnType: node.type && this.convertTypeAnnotation(node.type, node),
              typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters)
            });
            return this.fixExports(node, result);
          }
          case SyntaxKind.VariableDeclaration: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.VariableDeclarator,
              definite: !!node.exclamationToken,
              id: this.convertBindingNameWithTypeAnnotation(node.name, node.type, node),
              init: this.convertChild(node.initializer)
            });
          }
          case SyntaxKind.VariableStatement: {
            const result = this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.VariableDeclaration,
              declarations: node.declarationList.declarations.map((el) => this.convertChild(el)),
              declare: (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node),
              kind: (0, node_utils_1.getDeclarationKind)(node.declarationList)
            });
            if (!result.declarations.length) {
              __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node, "A variable declaration list must have at least one variable declarator.");
            }
            if (result.kind === "using" || result.kind === "await using") {
              node.declarationList.declarations.forEach((declaration, i) => {
                if (result.declarations[i].init == null) {
                  __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, declaration, `'${result.kind}' declarations must be initialized.`);
                }
                if (result.declarations[i].id.type !== ts_estree_1.AST_NODE_TYPES.Identifier) {
                  __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, declaration.name, `'${result.kind}' declarations may not have binding patterns.`);
                }
              });
            }
            return this.fixExports(node, result);
          }
          case SyntaxKind.VariableDeclarationList: {
            const result = this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.VariableDeclaration,
              declarations: node.declarations.map((el) => this.convertChild(el)),
              declare: false,
              kind: (0, node_utils_1.getDeclarationKind)(node)
            });
            if (result.kind === "using" || result.kind === "await using") {
              node.declarations.forEach((declaration, i) => {
                if (result.declarations[i].init != null) {
                  __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, declaration, `'${result.kind}' declarations may not be initialized in for statement.`);
                }
                if (result.declarations[i].id.type !== ts_estree_1.AST_NODE_TYPES.Identifier) {
                  __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, declaration.name, `'${result.kind}' declarations may not have binding patterns.`);
                }
              });
            }
            return result;
          }
          case SyntaxKind.ExpressionStatement:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ExpressionStatement,
              directive: void 0,
              expression: this.convertChild(node.expression)
            });
          case SyntaxKind.ThisKeyword:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ThisExpression
            });
          case SyntaxKind.ArrayLiteralExpression: {
            if (this.allowPattern) {
              return this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.ArrayPattern,
                decorators: [],
                elements: node.elements.map((el) => this.convertPattern(el)),
                optional: false,
                typeAnnotation: void 0
              });
            }
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ArrayExpression,
              elements: node.elements.map((el) => this.convertChild(el))
            });
          }
          case SyntaxKind.ObjectLiteralExpression: {
            if (this.allowPattern) {
              return this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.ObjectPattern,
                decorators: [],
                optional: false,
                properties: node.properties.map((el) => this.convertPattern(el)),
                typeAnnotation: void 0
              });
            }
            const properties = [];
            for (const property of node.properties) {
              if ((property.kind === SyntaxKind.GetAccessor || property.kind === SyntaxKind.SetAccessor || property.kind === SyntaxKind.MethodDeclaration) && !property.body) {
                __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, property.end - 1, "'{' expected.");
              }
              properties.push(this.convertChild(property));
            }
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ObjectExpression,
              properties
            });
          }
          case SyntaxKind.PropertyAssignment: {
            const { questionToken, exclamationToken } = node;
            if (questionToken) {
              __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, questionToken, "A property assignment cannot have a question token.");
            }
            if (exclamationToken) {
              __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, exclamationToken, "A property assignment cannot have an exclamation token.");
            }
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.Property,
              key: this.convertChild(node.name),
              value: this.converter(node.initializer, node, this.allowPattern),
              computed: (0, node_utils_1.isComputedProperty)(node.name),
              method: false,
              optional: false,
              shorthand: false,
              kind: "init"
            });
          }
          case SyntaxKind.ShorthandPropertyAssignment: {
            const { modifiers, questionToken, exclamationToken } = node;
            if (modifiers) {
              __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifiers[0], "A shorthand property assignment cannot have modifiers.");
            }
            if (questionToken) {
              __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, questionToken, "A shorthand property assignment cannot have a question token.");
            }
            if (exclamationToken) {
              __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, exclamationToken, "A shorthand property assignment cannot have an exclamation token.");
            }
            if (node.objectAssignmentInitializer) {
              return this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.Property,
                key: this.convertChild(node.name),
                value: this.createNode(node, {
                  type: ts_estree_1.AST_NODE_TYPES.AssignmentPattern,
                  decorators: [],
                  left: this.convertPattern(node.name),
                  optional: false,
                  right: this.convertChild(node.objectAssignmentInitializer),
                  typeAnnotation: void 0
                }),
                computed: false,
                method: false,
                optional: false,
                shorthand: true,
                kind: "init"
              });
            }
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.Property,
              computed: false,
              key: this.convertChild(node.name),
              kind: "init",
              method: false,
              optional: false,
              shorthand: true,
              value: this.convertChild(node.name)
            });
          }
          case SyntaxKind.ComputedPropertyName:
            return this.convertChild(node.expression);
          case SyntaxKind.PropertyDeclaration: {
            const isAbstract = (0, node_utils_1.hasModifier)(SyntaxKind.AbstractKeyword, node);
            if (isAbstract && node.initializer) {
              __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node.initializer, `Abstract property cannot have an initializer.`);
            }
            const isAccessor = (0, node_utils_1.hasModifier)(SyntaxKind.AccessorKeyword, node);
            const type = (() => {
              if (isAccessor) {
                if (isAbstract) {
                  return ts_estree_1.AST_NODE_TYPES.TSAbstractAccessorProperty;
                }
                return ts_estree_1.AST_NODE_TYPES.AccessorProperty;
              }
              if (isAbstract) {
                return ts_estree_1.AST_NODE_TYPES.TSAbstractPropertyDefinition;
              }
              return ts_estree_1.AST_NODE_TYPES.PropertyDefinition;
            })();
            const key = this.convertChild(node.name);
            return this.createNode(node, {
              type,
              key,
              accessibility: (0, node_utils_1.getTSNodeAccessibility)(node),
              value: isAbstract ? null : this.convertChild(node.initializer),
              computed: (0, node_utils_1.isComputedProperty)(node.name),
              static: (0, node_utils_1.hasModifier)(SyntaxKind.StaticKeyword, node),
              readonly: (0, node_utils_1.hasModifier)(SyntaxKind.ReadonlyKeyword, node),
              decorators: (0, getModifiers_1.getDecorators)(node)?.map((el) => this.convertChild(el)) ?? [],
              declare: (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node),
              override: (0, node_utils_1.hasModifier)(SyntaxKind.OverrideKeyword, node),
              typeAnnotation: node.type && this.convertTypeAnnotation(node.type, node),
              optional: (key.type === ts_estree_1.AST_NODE_TYPES.Literal || node.name.kind === SyntaxKind.Identifier || node.name.kind === SyntaxKind.ComputedPropertyName || node.name.kind === SyntaxKind.PrivateIdentifier) && !!node.questionToken,
              definite: !!node.exclamationToken
            });
          }
          case SyntaxKind.GetAccessor:
          case SyntaxKind.SetAccessor: {
            if (node.parent.kind === SyntaxKind.InterfaceDeclaration || node.parent.kind === SyntaxKind.TypeLiteral) {
              return this.convertMethodSignature(node);
            }
          }
          case SyntaxKind.MethodDeclaration: {
            const method = this.createNode(node, {
              type: !node.body ? ts_estree_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression : ts_estree_1.AST_NODE_TYPES.FunctionExpression,
              id: null,
              generator: !!node.asteriskToken,
              expression: false,
              // ESTreeNode as ESTreeNode here
              async: (0, node_utils_1.hasModifier)(SyntaxKind.AsyncKeyword, node),
              body: this.convertChild(node.body),
              declare: false,
              range: [node.parameters.pos - 1, node.end],
              params: [],
              returnType: node.type && this.convertTypeAnnotation(node.type, node),
              typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters)
            });
            if (method.typeParameters) {
              this.fixParentLocation(method, method.typeParameters.range);
            }
            let result;
            if (parent.kind === SyntaxKind.ObjectLiteralExpression) {
              method.params = node.parameters.map((el) => this.convertChild(el));
              result = this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.Property,
                key: this.convertChild(node.name),
                value: method,
                computed: (0, node_utils_1.isComputedProperty)(node.name),
                optional: !!node.questionToken,
                method: node.kind === SyntaxKind.MethodDeclaration,
                shorthand: false,
                kind: "init"
              });
            } else {
              method.params = this.convertParameters(node.parameters);
              const methodDefinitionType = (0, node_utils_1.hasModifier)(SyntaxKind.AbstractKeyword, node) ? ts_estree_1.AST_NODE_TYPES.TSAbstractMethodDefinition : ts_estree_1.AST_NODE_TYPES.MethodDefinition;
              result = this.createNode(node, {
                type: methodDefinitionType,
                accessibility: (0, node_utils_1.getTSNodeAccessibility)(node),
                computed: (0, node_utils_1.isComputedProperty)(node.name),
                decorators: (0, getModifiers_1.getDecorators)(node)?.map((el) => this.convertChild(el)) ?? [],
                key: this.convertChild(node.name),
                kind: "method",
                optional: !!node.questionToken,
                override: (0, node_utils_1.hasModifier)(SyntaxKind.OverrideKeyword, node),
                static: (0, node_utils_1.hasModifier)(SyntaxKind.StaticKeyword, node),
                value: method
              });
            }
            if (node.kind === SyntaxKind.GetAccessor) {
              result.kind = "get";
            } else if (node.kind === SyntaxKind.SetAccessor) {
              result.kind = "set";
            } else if (!result.static && node.name.kind === SyntaxKind.StringLiteral && node.name.text === "constructor" && result.type !== ts_estree_1.AST_NODE_TYPES.Property) {
              result.kind = "constructor";
            }
            return result;
          }
          case SyntaxKind.Constructor: {
            const lastModifier = (0, node_utils_1.getLastModifier)(node);
            const constructorToken = (lastModifier && (0, node_utils_1.findNextToken)(lastModifier, node, this.ast)) ?? node.getFirstToken();
            const constructor = this.createNode(node, {
              type: !node.body ? ts_estree_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression : ts_estree_1.AST_NODE_TYPES.FunctionExpression,
              async: false,
              body: this.convertChild(node.body),
              declare: false,
              expression: false,
              // is not present in ESTreeNode
              generator: false,
              id: null,
              params: this.convertParameters(node.parameters),
              range: [node.parameters.pos - 1, node.end],
              returnType: node.type && this.convertTypeAnnotation(node.type, node),
              typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters)
            });
            if (constructor.typeParameters) {
              this.fixParentLocation(constructor, constructor.typeParameters.range);
            }
            const constructorKey = this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.Identifier,
              decorators: [],
              name: "constructor",
              optional: false,
              range: [constructorToken.getStart(this.ast), constructorToken.end],
              typeAnnotation: void 0
            });
            const isStatic = (0, node_utils_1.hasModifier)(SyntaxKind.StaticKeyword, node);
            return this.createNode(node, {
              type: (0, node_utils_1.hasModifier)(SyntaxKind.AbstractKeyword, node) ? ts_estree_1.AST_NODE_TYPES.TSAbstractMethodDefinition : ts_estree_1.AST_NODE_TYPES.MethodDefinition,
              accessibility: (0, node_utils_1.getTSNodeAccessibility)(node),
              computed: false,
              decorators: [],
              optional: false,
              key: constructorKey,
              kind: isStatic ? "method" : "constructor",
              override: false,
              static: isStatic,
              value: constructor
            });
          }
          case SyntaxKind.FunctionExpression: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.FunctionExpression,
              async: (0, node_utils_1.hasModifier)(SyntaxKind.AsyncKeyword, node),
              body: this.convertChild(node.body),
              declare: false,
              expression: false,
              generator: !!node.asteriskToken,
              id: this.convertChild(node.name),
              params: this.convertParameters(node.parameters),
              returnType: node.type && this.convertTypeAnnotation(node.type, node),
              typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters)
            });
          }
          case SyntaxKind.SuperKeyword:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.Super
            });
          case SyntaxKind.ArrayBindingPattern:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ArrayPattern,
              decorators: [],
              elements: node.elements.map((el) => this.convertPattern(el)),
              optional: false,
              typeAnnotation: void 0
            });
          case SyntaxKind.OmittedExpression:
            return null;
          case SyntaxKind.ObjectBindingPattern:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ObjectPattern,
              decorators: [],
              optional: false,
              properties: node.elements.map((el) => this.convertPattern(el)),
              typeAnnotation: void 0
            });
          case SyntaxKind.BindingElement: {
            if (parent.kind === SyntaxKind.ArrayBindingPattern) {
              const arrayItem = this.convertChild(node.name, parent);
              if (node.initializer) {
                return this.createNode(node, {
                  type: ts_estree_1.AST_NODE_TYPES.AssignmentPattern,
                  decorators: [],
                  left: arrayItem,
                  optional: false,
                  right: this.convertChild(node.initializer),
                  typeAnnotation: void 0
                });
              } else if (node.dotDotDotToken) {
                return this.createNode(node, {
                  type: ts_estree_1.AST_NODE_TYPES.RestElement,
                  argument: arrayItem,
                  decorators: [],
                  optional: false,
                  typeAnnotation: void 0,
                  value: void 0
                });
              }
              return arrayItem;
            }
            let result;
            if (node.dotDotDotToken) {
              result = this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.RestElement,
                argument: this.convertChild(node.propertyName ?? node.name),
                decorators: [],
                optional: false,
                typeAnnotation: void 0,
                value: void 0
              });
            } else {
              result = this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.Property,
                key: this.convertChild(node.propertyName ?? node.name),
                value: this.convertChild(node.name),
                computed: Boolean(node.propertyName && node.propertyName.kind === SyntaxKind.ComputedPropertyName),
                method: false,
                optional: false,
                shorthand: !node.propertyName,
                kind: "init"
              });
            }
            if (node.initializer) {
              result.value = this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.AssignmentPattern,
                decorators: [],
                left: this.convertChild(node.name),
                optional: false,
                range: [node.name.getStart(this.ast), node.initializer.end],
                right: this.convertChild(node.initializer),
                typeAnnotation: void 0
              });
            }
            return result;
          }
          case SyntaxKind.ArrowFunction: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ArrowFunctionExpression,
              generator: false,
              id: null,
              params: this.convertParameters(node.parameters),
              body: this.convertChild(node.body),
              async: (0, node_utils_1.hasModifier)(SyntaxKind.AsyncKeyword, node),
              expression: node.body.kind !== SyntaxKind.Block,
              returnType: node.type && this.convertTypeAnnotation(node.type, node),
              typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters)
            });
          }
          case SyntaxKind.YieldExpression:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.YieldExpression,
              delegate: !!node.asteriskToken,
              argument: this.convertChild(node.expression)
            });
          case SyntaxKind.AwaitExpression:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.AwaitExpression,
              argument: this.convertChild(node.expression)
            });
          case SyntaxKind.NoSubstitutionTemplateLiteral:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TemplateLiteral,
              quasis: [
                this.createNode(node, {
                  type: ts_estree_1.AST_NODE_TYPES.TemplateElement,
                  value: {
                    raw: this.ast.text.slice(node.getStart(this.ast) + 1, node.end - 1),
                    cooked: node.text
                  },
                  tail: true
                })
              ],
              expressions: []
            });
          case SyntaxKind.TemplateExpression: {
            const result = this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TemplateLiteral,
              quasis: [this.convertChild(node.head)],
              expressions: []
            });
            node.templateSpans.forEach((templateSpan) => {
              result.expressions.push(this.convertChild(templateSpan.expression));
              result.quasis.push(this.convertChild(templateSpan.literal));
            });
            return result;
          }
          case SyntaxKind.TaggedTemplateExpression:
            return this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, {
              type: ts_estree_1.AST_NODE_TYPES.TaggedTemplateExpression,
              typeArguments: node.typeArguments && this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node),
              tag: this.convertChild(node.tag),
              quasi: this.convertChild(node.template)
            }, "typeParameters", "typeArguments"));
          case SyntaxKind.TemplateHead:
          case SyntaxKind.TemplateMiddle:
          case SyntaxKind.TemplateTail: {
            const tail = node.kind === SyntaxKind.TemplateTail;
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TemplateElement,
              value: {
                raw: this.ast.text.slice(node.getStart(this.ast) + 1, node.end - (tail ? 1 : 2)),
                cooked: node.text
              },
              tail
            });
          }
          case SyntaxKind.SpreadAssignment:
          case SyntaxKind.SpreadElement: {
            if (this.allowPattern) {
              return this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.RestElement,
                argument: this.convertPattern(node.expression),
                decorators: [],
                optional: false,
                typeAnnotation: void 0,
                value: void 0
              });
            }
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.SpreadElement,
              argument: this.convertChild(node.expression)
            });
          }
          case SyntaxKind.Parameter: {
            let parameter;
            let result;
            if (node.dotDotDotToken) {
              parameter = result = this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.RestElement,
                argument: this.convertChild(node.name),
                decorators: [],
                optional: false,
                typeAnnotation: void 0,
                value: void 0
              });
            } else if (node.initializer) {
              parameter = this.convertChild(node.name);
              result = this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.AssignmentPattern,
                decorators: [],
                left: parameter,
                optional: false,
                right: this.convertChild(node.initializer),
                typeAnnotation: void 0
              });
              const modifiers2 = (0, getModifiers_1.getModifiers)(node);
              if (modifiers2) {
                result.range[0] = parameter.range[0];
                result.loc = (0, node_utils_1.getLocFor)(result.range, this.ast);
              }
            } else {
              parameter = result = this.convertChild(node.name, parent);
            }
            if (node.type) {
              parameter.typeAnnotation = this.convertTypeAnnotation(node.type, node);
              this.fixParentLocation(parameter, parameter.typeAnnotation.range);
            }
            if (node.questionToken) {
              if (node.questionToken.end > parameter.range[1]) {
                parameter.range[1] = node.questionToken.end;
                parameter.loc.end = (0, node_utils_1.getLineAndCharacterFor)(parameter.range[1], this.ast);
              }
              parameter.optional = true;
            }
            const modifiers = (0, getModifiers_1.getModifiers)(node);
            if (modifiers) {
              return this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.TSParameterProperty,
                accessibility: (0, node_utils_1.getTSNodeAccessibility)(node),
                decorators: [],
                override: (0, node_utils_1.hasModifier)(SyntaxKind.OverrideKeyword, node),
                parameter: result,
                readonly: (0, node_utils_1.hasModifier)(SyntaxKind.ReadonlyKeyword, node),
                static: (0, node_utils_1.hasModifier)(SyntaxKind.StaticKeyword, node)
              });
            }
            return result;
          }
          case SyntaxKind.ClassDeclaration:
            if (!node.name && (!(0, node_utils_1.hasModifier)(ts.SyntaxKind.ExportKeyword, node) || !(0, node_utils_1.hasModifier)(ts.SyntaxKind.DefaultKeyword, node))) {
              __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node, "A class declaration without the 'default' modifier must have a name.");
            }
          case SyntaxKind.ClassExpression: {
            const heritageClauses = node.heritageClauses ?? [];
            const classNodeType = node.kind === SyntaxKind.ClassDeclaration ? ts_estree_1.AST_NODE_TYPES.ClassDeclaration : ts_estree_1.AST_NODE_TYPES.ClassExpression;
            let extendsClause;
            let implementsClause;
            for (const heritageClause of heritageClauses) {
              const { token, types } = heritageClause;
              if (types.length === 0) {
                __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, heritageClause, `'${ts.tokenToString(token)}' list cannot be empty.`);
              }
              if (token === SyntaxKind.ExtendsKeyword) {
                if (extendsClause) {
                  __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, heritageClause, "'extends' clause already seen.");
                }
                if (implementsClause) {
                  __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, heritageClause, "'extends' clause must precede 'implements' clause.");
                }
                if (types.length > 1) {
                  __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, types[1], "Classes can only extend a single class.");
                }
                extendsClause ??= heritageClause;
              } else if (token === SyntaxKind.ImplementsKeyword) {
                if (implementsClause) {
                  __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, heritageClause, "'implements' clause already seen.");
                }
                implementsClause ??= heritageClause;
              }
            }
            const result = this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, {
              type: classNodeType,
              abstract: (0, node_utils_1.hasModifier)(SyntaxKind.AbstractKeyword, node),
              body: this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.ClassBody,
                body: node.members.filter(node_utils_1.isESTreeClassMember).map((el) => this.convertChild(el)),
                range: [node.members.pos - 1, node.end]
              }),
              declare: (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node),
              decorators: (0, getModifiers_1.getDecorators)(node)?.map((el) => this.convertChild(el)) ?? [],
              id: this.convertChild(node.name),
              implements: implementsClause?.types.map((el) => this.convertChild(el)) ?? [],
              superClass: extendsClause?.types[0] ? this.convertChild(extendsClause.types[0].expression) : null,
              superTypeArguments: void 0,
              typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters)
            }, "superTypeParameters", "superTypeArguments"));
            if (extendsClause?.types[0]?.typeArguments) {
              result.superTypeArguments = this.convertTypeArgumentsToTypeParameterInstantiation(extendsClause.types[0].typeArguments, extendsClause.types[0]);
            }
            return this.fixExports(node, result);
          }
          case SyntaxKind.ModuleBlock:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSModuleBlock,
              body: this.convertBodyExpressions(node.statements, node)
            });
          case SyntaxKind.ImportDeclaration: {
            this.assertModuleSpecifier(node, false);
            const result = this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, {
              type: ts_estree_1.AST_NODE_TYPES.ImportDeclaration,
              source: this.convertChild(node.moduleSpecifier),
              specifiers: [],
              importKind: "value",
              attributes: this.convertImportAttributes(
                // eslint-disable-next-line deprecation/deprecation -- TS <5.3
                node.attributes ?? node.assertClause
              )
            }, "assertions", "attributes", true));
            if (node.importClause) {
              if (node.importClause.isTypeOnly) {
                result.importKind = "type";
              }
              if (node.importClause.name) {
                result.specifiers.push(this.convertChild(node.importClause));
              }
              if (node.importClause.namedBindings) {
                switch (node.importClause.namedBindings.kind) {
                  case SyntaxKind.NamespaceImport:
                    result.specifiers.push(this.convertChild(node.importClause.namedBindings));
                    break;
                  case SyntaxKind.NamedImports:
                    result.specifiers = result.specifiers.concat(node.importClause.namedBindings.elements.map((el) => this.convertChild(el)));
                    break;
                }
              }
            }
            return result;
          }
          case SyntaxKind.NamespaceImport:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ImportNamespaceSpecifier,
              local: this.convertChild(node.name)
            });
          case SyntaxKind.ImportSpecifier:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ImportSpecifier,
              local: this.convertChild(node.name),
              imported: this.convertChild(node.propertyName ?? node.name),
              importKind: node.isTypeOnly ? "type" : "value"
            });
          case SyntaxKind.ImportClause: {
            const local = this.convertChild(node.name);
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ImportDefaultSpecifier,
              local,
              range: local.range
            });
          }
          case SyntaxKind.ExportDeclaration: {
            if (node.exportClause?.kind === SyntaxKind.NamedExports) {
              this.assertModuleSpecifier(node, true);
              return this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, {
                type: ts_estree_1.AST_NODE_TYPES.ExportNamedDeclaration,
                source: this.convertChild(node.moduleSpecifier),
                specifiers: node.exportClause.elements.map((el) => this.convertChild(el)),
                exportKind: node.isTypeOnly ? "type" : "value",
                declaration: null,
                attributes: this.convertImportAttributes(
                  // eslint-disable-next-line deprecation/deprecation -- TS <5.3
                  node.attributes ?? node.assertClause
                )
              }, "assertions", "attributes", true));
            }
            this.assertModuleSpecifier(node, false);
            return this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, {
              type: ts_estree_1.AST_NODE_TYPES.ExportAllDeclaration,
              source: this.convertChild(node.moduleSpecifier),
              exportKind: node.isTypeOnly ? "type" : "value",
              exported: node.exportClause?.kind === SyntaxKind.NamespaceExport ? this.convertChild(node.exportClause.name) : null,
              attributes: this.convertImportAttributes(
                // eslint-disable-next-line deprecation/deprecation -- TS <5.3
                node.attributes ?? node.assertClause
              )
            }, "assertions", "attributes", true));
          }
          case SyntaxKind.ExportSpecifier:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ExportSpecifier,
              local: this.convertChild(node.propertyName ?? node.name),
              exported: this.convertChild(node.name),
              exportKind: node.isTypeOnly ? "type" : "value"
            });
          case SyntaxKind.ExportAssignment:
            if (node.isExportEquals) {
              return this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.TSExportAssignment,
                expression: this.convertChild(node.expression)
              });
            }
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ExportDefaultDeclaration,
              declaration: this.convertChild(node.expression),
              exportKind: "value"
            });
          case SyntaxKind.PrefixUnaryExpression:
          case SyntaxKind.PostfixUnaryExpression: {
            const operator = (0, node_utils_1.getTextForTokenKind)(node.operator);
            if (operator === "++" || operator === "--") {
              if (!(0, node_utils_1.isValidAssignmentTarget)(node.operand)) {
                __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node.operand, "Invalid left-hand side expression in unary operation");
              }
              return this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.UpdateExpression,
                operator,
                prefix: node.kind === SyntaxKind.PrefixUnaryExpression,
                argument: this.convertChild(node.operand)
              });
            }
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.UnaryExpression,
              operator,
              prefix: node.kind === SyntaxKind.PrefixUnaryExpression,
              argument: this.convertChild(node.operand)
            });
          }
          case SyntaxKind.DeleteExpression:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.UnaryExpression,
              operator: "delete",
              prefix: true,
              argument: this.convertChild(node.expression)
            });
          case SyntaxKind.VoidExpression:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.UnaryExpression,
              operator: "void",
              prefix: true,
              argument: this.convertChild(node.expression)
            });
          case SyntaxKind.TypeOfExpression:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.UnaryExpression,
              operator: "typeof",
              prefix: true,
              argument: this.convertChild(node.expression)
            });
          case SyntaxKind.TypeOperator:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSTypeOperator,
              operator: (0, node_utils_1.getTextForTokenKind)(node.operator),
              typeAnnotation: this.convertChild(node.type)
            });
          case SyntaxKind.BinaryExpression: {
            if ((0, node_utils_1.isComma)(node.operatorToken)) {
              const result = this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.SequenceExpression,
                expressions: []
              });
              const left = this.convertChild(node.left);
              if (left.type === ts_estree_1.AST_NODE_TYPES.SequenceExpression && node.left.kind !== SyntaxKind.ParenthesizedExpression) {
                result.expressions = result.expressions.concat(left.expressions);
              } else {
                result.expressions.push(left);
              }
              result.expressions.push(this.convertChild(node.right));
              return result;
            }
            const expressionType = (0, node_utils_1.getBinaryExpressionType)(node.operatorToken);
            if (this.allowPattern && expressionType.type === ts_estree_1.AST_NODE_TYPES.AssignmentExpression) {
              return this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.AssignmentPattern,
                decorators: [],
                left: this.convertPattern(node.left, node),
                optional: false,
                right: this.convertChild(node.right),
                typeAnnotation: void 0
              });
            }
            return this.createNode(node, {
              ...expressionType,
              left: this.converter(node.left, node, expressionType.type === ts_estree_1.AST_NODE_TYPES.AssignmentExpression),
              right: this.convertChild(node.right)
            });
          }
          case SyntaxKind.PropertyAccessExpression: {
            const object = this.convertChild(node.expression);
            const property = this.convertChild(node.name);
            const computed = false;
            const result = this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.MemberExpression,
              object,
              property,
              computed,
              optional: node.questionDotToken !== void 0
            });
            return this.convertChainExpression(result, node);
          }
          case SyntaxKind.ElementAccessExpression: {
            const object = this.convertChild(node.expression);
            const property = this.convertChild(node.argumentExpression);
            const computed = true;
            const result = this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.MemberExpression,
              object,
              property,
              computed,
              optional: node.questionDotToken !== void 0
            });
            return this.convertChainExpression(result, node);
          }
          case SyntaxKind.CallExpression: {
            if (node.expression.kind === SyntaxKind.ImportKeyword) {
              if (node.arguments.length !== 1 && node.arguments.length !== 2) {
                __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node.arguments[2] ?? node, "Dynamic import requires exactly one or two arguments.");
              }
              return this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.ImportExpression,
                source: this.convertChild(node.arguments[0]),
                attributes: node.arguments[1] ? this.convertChild(node.arguments[1]) : null
              });
            }
            const callee = this.convertChild(node.expression);
            const args = node.arguments.map((el) => this.convertChild(el));
            const typeArguments = node.typeArguments && this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node);
            const result = this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, {
              type: ts_estree_1.AST_NODE_TYPES.CallExpression,
              callee,
              arguments: args,
              optional: node.questionDotToken !== void 0,
              typeArguments
            }, "typeParameters", "typeArguments"));
            return this.convertChainExpression(result, node);
          }
          case SyntaxKind.NewExpression: {
            const typeArguments = node.typeArguments && this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node);
            return this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, {
              type: ts_estree_1.AST_NODE_TYPES.NewExpression,
              arguments: node.arguments ? node.arguments.map((el) => this.convertChild(el)) : [],
              callee: this.convertChild(node.expression),
              typeArguments
            }, "typeParameters", "typeArguments"));
          }
          case SyntaxKind.ConditionalExpression:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ConditionalExpression,
              test: this.convertChild(node.condition),
              consequent: this.convertChild(node.whenTrue),
              alternate: this.convertChild(node.whenFalse)
            });
          case SyntaxKind.MetaProperty: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.MetaProperty,
              meta: this.createNode(
                // TODO: do we really want to convert it to Token?
                node.getFirstToken(),
                {
                  type: ts_estree_1.AST_NODE_TYPES.Identifier,
                  decorators: [],
                  name: (0, node_utils_1.getTextForTokenKind)(node.keywordToken),
                  optional: false,
                  typeAnnotation: void 0
                }
              ),
              property: this.convertChild(node.name)
            });
          }
          case SyntaxKind.Decorator: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.Decorator,
              expression: this.convertChild(node.expression)
            });
          }
          case SyntaxKind.StringLiteral: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.Literal,
              value: parent.kind === SyntaxKind.JsxAttribute ? (0, node_utils_1.unescapeStringLiteralText)(node.text) : node.text,
              raw: node.getText()
            });
          }
          case SyntaxKind.NumericLiteral: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.Literal,
              value: Number(node.text),
              raw: node.getText()
            });
          }
          case SyntaxKind.BigIntLiteral: {
            const range = (0, node_utils_1.getRange)(node, this.ast);
            const rawValue = this.ast.text.slice(range[0], range[1]);
            const bigint = rawValue.slice(0, -1).replace(/_/g, "");
            const value = typeof BigInt !== "undefined" ? BigInt(bigint) : null;
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.Literal,
              raw: rawValue,
              value,
              bigint: value == null ? bigint : String(value),
              range
            });
          }
          case SyntaxKind.RegularExpressionLiteral: {
            const pattern = node.text.slice(1, node.text.lastIndexOf("/"));
            const flags = node.text.slice(node.text.lastIndexOf("/") + 1);
            let regex = null;
            try {
              regex = new RegExp(pattern, flags);
            } catch {
            }
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.Literal,
              value: regex,
              raw: node.text,
              regex: {
                pattern,
                flags
              }
            });
          }
          case SyntaxKind.TrueKeyword:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.Literal,
              value: true,
              raw: "true"
            });
          case SyntaxKind.FalseKeyword:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.Literal,
              value: false,
              raw: "false"
            });
          case SyntaxKind.NullKeyword: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.Literal,
              value: null,
              raw: "null"
            });
          }
          case SyntaxKind.EmptyStatement:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.EmptyStatement
            });
          case SyntaxKind.DebuggerStatement:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.DebuggerStatement
            });
          case SyntaxKind.JsxElement:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.JSXElement,
              openingElement: this.convertChild(node.openingElement),
              closingElement: this.convertChild(node.closingElement),
              children: node.children.map((el) => this.convertChild(el))
            });
          case SyntaxKind.JsxFragment:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.JSXFragment,
              openingFragment: this.convertChild(node.openingFragment),
              closingFragment: this.convertChild(node.closingFragment),
              children: node.children.map((el) => this.convertChild(el))
            });
          case SyntaxKind.JsxSelfClosingElement: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.JSXElement,
              /**
               * Convert SyntaxKind.JsxSelfClosingElement to SyntaxKind.JsxOpeningElement,
               * TypeScript does not seem to have the idea of openingElement when tag is self-closing
               */
              openingElement: this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, {
                type: ts_estree_1.AST_NODE_TYPES.JSXOpeningElement,
                typeArguments: node.typeArguments ? this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node) : void 0,
                selfClosing: true,
                name: this.convertJSXTagName(node.tagName, node),
                attributes: node.attributes.properties.map((el) => this.convertChild(el)),
                range: (0, node_utils_1.getRange)(node, this.ast)
              }, "typeParameters", "typeArguments")),
              closingElement: null,
              children: []
            });
          }
          case SyntaxKind.JsxOpeningElement: {
            return this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, {
              type: ts_estree_1.AST_NODE_TYPES.JSXOpeningElement,
              typeArguments: node.typeArguments && this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node),
              selfClosing: false,
              name: this.convertJSXTagName(node.tagName, node),
              attributes: node.attributes.properties.map((el) => this.convertChild(el))
            }, "typeParameters", "typeArguments"));
          }
          case SyntaxKind.JsxClosingElement:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.JSXClosingElement,
              name: this.convertJSXTagName(node.tagName, node)
            });
          case SyntaxKind.JsxOpeningFragment:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.JSXOpeningFragment
            });
          case SyntaxKind.JsxClosingFragment:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.JSXClosingFragment
            });
          case SyntaxKind.JsxExpression: {
            const expression = node.expression ? this.convertChild(node.expression) : this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.JSXEmptyExpression,
              range: [node.getStart(this.ast) + 1, node.getEnd() - 1]
            });
            if (node.dotDotDotToken) {
              return this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.JSXSpreadChild,
                expression
              });
            }
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.JSXExpressionContainer,
              expression
            });
          }
          case SyntaxKind.JsxAttribute: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.JSXAttribute,
              name: this.convertJSXNamespaceOrIdentifier(node.name),
              value: this.convertChild(node.initializer)
            });
          }
          case SyntaxKind.JsxText: {
            const start = node.getFullStart();
            const end = node.getEnd();
            const text = this.ast.text.slice(start, end);
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.JSXText,
              value: (0, node_utils_1.unescapeStringLiteralText)(text),
              raw: text,
              range: [start, end]
            });
          }
          case SyntaxKind.JsxSpreadAttribute:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.JSXSpreadAttribute,
              argument: this.convertChild(node.expression)
            });
          case SyntaxKind.QualifiedName: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSQualifiedName,
              left: this.convertChild(node.left),
              right: this.convertChild(node.right)
            });
          }
          case SyntaxKind.TypeReference:
            return this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, {
              type: ts_estree_1.AST_NODE_TYPES.TSTypeReference,
              typeName: this.convertChild(node.typeName),
              typeArguments: node.typeArguments && this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node)
            }, "typeParameters", "typeArguments"));
          case SyntaxKind.TypeParameter: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSTypeParameter,
              name: this.convertChild(node.name),
              constraint: node.constraint && this.convertChild(node.constraint),
              default: node.default ? this.convertChild(node.default) : void 0,
              in: (0, node_utils_1.hasModifier)(SyntaxKind.InKeyword, node),
              out: (0, node_utils_1.hasModifier)(SyntaxKind.OutKeyword, node),
              const: (0, node_utils_1.hasModifier)(SyntaxKind.ConstKeyword, node)
            });
          }
          case SyntaxKind.ThisType:
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSThisType
            });
          case SyntaxKind.AnyKeyword:
          case SyntaxKind.BigIntKeyword:
          case SyntaxKind.BooleanKeyword:
          case SyntaxKind.NeverKeyword:
          case SyntaxKind.NumberKeyword:
          case SyntaxKind.ObjectKeyword:
          case SyntaxKind.StringKeyword:
          case SyntaxKind.SymbolKeyword:
          case SyntaxKind.UnknownKeyword:
          case SyntaxKind.VoidKeyword:
          case SyntaxKind.UndefinedKeyword:
          case SyntaxKind.IntrinsicKeyword: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES[`TS${SyntaxKind[node.kind]}`]
            });
          }
          case SyntaxKind.NonNullExpression: {
            const nnExpr = this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSNonNullExpression,
              expression: this.convertChild(node.expression)
            });
            return this.convertChainExpression(nnExpr, node);
          }
          case SyntaxKind.TypeLiteral: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSTypeLiteral,
              members: node.members.map((el) => this.convertChild(el))
            });
          }
          case SyntaxKind.ArrayType: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSArrayType,
              elementType: this.convertChild(node.elementType)
            });
          }
          case SyntaxKind.IndexedAccessType: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSIndexedAccessType,
              objectType: this.convertChild(node.objectType),
              indexType: this.convertChild(node.indexType)
            });
          }
          case SyntaxKind.ConditionalType: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSConditionalType,
              checkType: this.convertChild(node.checkType),
              extendsType: this.convertChild(node.extendsType),
              trueType: this.convertChild(node.trueType),
              falseType: this.convertChild(node.falseType)
            });
          }
          case SyntaxKind.TypeQuery:
            return this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, {
              type: ts_estree_1.AST_NODE_TYPES.TSTypeQuery,
              exprName: this.convertChild(node.exprName),
              typeArguments: node.typeArguments && this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node)
            }, "typeParameters", "typeArguments"));
          case SyntaxKind.MappedType: {
            if (node.members && node.members.length > 0) {
              __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node.members[0], "A mapped type may not declare properties or methods.");
            }
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSMappedType,
              nameType: this.convertChild(node.nameType) ?? null,
              optional: node.questionToken && (node.questionToken.kind === SyntaxKind.QuestionToken || (0, node_utils_1.getTextForTokenKind)(node.questionToken.kind)),
              readonly: node.readonlyToken && (node.readonlyToken.kind === SyntaxKind.ReadonlyKeyword || (0, node_utils_1.getTextForTokenKind)(node.readonlyToken.kind)),
              typeAnnotation: node.type && this.convertChild(node.type),
              typeParameter: this.convertChild(node.typeParameter)
            });
          }
          case SyntaxKind.ParenthesizedExpression:
            return this.convertChild(node.expression, parent);
          case SyntaxKind.TypeAliasDeclaration: {
            const result = this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSTypeAliasDeclaration,
              declare: (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node),
              id: this.convertChild(node.name),
              typeAnnotation: this.convertChild(node.type),
              typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters)
            });
            return this.fixExports(node, result);
          }
          case SyntaxKind.MethodSignature: {
            return this.convertMethodSignature(node);
          }
          case SyntaxKind.PropertySignature: {
            const { initializer } = node;
            if (initializer) {
              __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, initializer, "A property signature cannot have an initializer.");
            }
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSPropertySignature,
              accessibility: (0, node_utils_1.getTSNodeAccessibility)(node),
              computed: (0, node_utils_1.isComputedProperty)(node.name),
              key: this.convertChild(node.name),
              optional: (0, node_utils_1.isOptional)(node),
              readonly: (0, node_utils_1.hasModifier)(SyntaxKind.ReadonlyKeyword, node),
              static: (0, node_utils_1.hasModifier)(SyntaxKind.StaticKeyword, node),
              typeAnnotation: node.type && this.convertTypeAnnotation(node.type, node)
            });
          }
          case SyntaxKind.IndexSignature: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSIndexSignature,
              accessibility: (0, node_utils_1.getTSNodeAccessibility)(node),
              parameters: node.parameters.map((el) => this.convertChild(el)),
              readonly: (0, node_utils_1.hasModifier)(SyntaxKind.ReadonlyKeyword, node),
              static: (0, node_utils_1.hasModifier)(SyntaxKind.StaticKeyword, node),
              typeAnnotation: node.type && this.convertTypeAnnotation(node.type, node)
            });
          }
          case SyntaxKind.ConstructorType: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSConstructorType,
              abstract: (0, node_utils_1.hasModifier)(SyntaxKind.AbstractKeyword, node),
              params: this.convertParameters(node.parameters),
              returnType: node.type && this.convertTypeAnnotation(node.type, node),
              typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters)
            });
          }
          case SyntaxKind.FunctionType: {
            const { modifiers } = node;
            if (modifiers) {
              __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifiers[0], "A function type cannot have modifiers.");
            }
          }
          case SyntaxKind.ConstructSignature:
          case SyntaxKind.CallSignature: {
            const type = node.kind === SyntaxKind.ConstructSignature ? ts_estree_1.AST_NODE_TYPES.TSConstructSignatureDeclaration : node.kind === SyntaxKind.CallSignature ? ts_estree_1.AST_NODE_TYPES.TSCallSignatureDeclaration : ts_estree_1.AST_NODE_TYPES.TSFunctionType;
            return this.createNode(node, {
              type,
              params: this.convertParameters(node.parameters),
              returnType: node.type && this.convertTypeAnnotation(node.type, node),
              typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters)
            });
          }
          case SyntaxKind.ExpressionWithTypeArguments: {
            const parentKind = parent.kind;
            const type = parentKind === SyntaxKind.InterfaceDeclaration ? ts_estree_1.AST_NODE_TYPES.TSInterfaceHeritage : parentKind === SyntaxKind.HeritageClause ? ts_estree_1.AST_NODE_TYPES.TSClassImplements : ts_estree_1.AST_NODE_TYPES.TSInstantiationExpression;
            return this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, {
              type,
              expression: this.convertChild(node.expression),
              typeArguments: node.typeArguments && this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node)
            }, "typeParameters", "typeArguments"));
          }
          case SyntaxKind.InterfaceDeclaration: {
            const interfaceHeritageClauses = node.heritageClauses ?? [];
            const interfaceExtends = [];
            for (const heritageClause of interfaceHeritageClauses) {
              if (heritageClause.token !== SyntaxKind.ExtendsKeyword) {
                __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, heritageClause, heritageClause.token === SyntaxKind.ImplementsKeyword ? "Interface declaration cannot have 'implements' clause." : "Unexpected token.");
              }
              for (const heritageType of heritageClause.types) {
                interfaceExtends.push(this.convertChild(heritageType, node));
              }
            }
            const result = this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSInterfaceDeclaration,
              body: this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.TSInterfaceBody,
                body: node.members.map((member) => this.convertChild(member)),
                range: [node.members.pos - 1, node.end]
              }),
              declare: (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node),
              extends: interfaceExtends,
              id: this.convertChild(node.name),
              typeParameters: node.typeParameters && this.convertTSTypeParametersToTypeParametersDeclaration(node.typeParameters)
            });
            return this.fixExports(node, result);
          }
          case SyntaxKind.TypePredicate: {
            const result = this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSTypePredicate,
              asserts: node.assertsModifier !== void 0,
              parameterName: this.convertChild(node.parameterName),
              typeAnnotation: null
            });
            if (node.type) {
              result.typeAnnotation = this.convertTypeAnnotation(node.type, node);
              result.typeAnnotation.loc = result.typeAnnotation.typeAnnotation.loc;
              result.typeAnnotation.range = result.typeAnnotation.typeAnnotation.range;
            }
            return result;
          }
          case SyntaxKind.ImportType: {
            const range = (0, node_utils_1.getRange)(node, this.ast);
            if (node.isTypeOf) {
              const token = (0, node_utils_1.findNextToken)(node.getFirstToken(), node, this.ast);
              range[0] = token.getStart(this.ast);
            }
            const result = this.createNode(node, __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_withDeprecatedAliasGetter).call(this, {
              type: ts_estree_1.AST_NODE_TYPES.TSImportType,
              argument: this.convertChild(node.argument),
              qualifier: this.convertChild(node.qualifier),
              typeArguments: node.typeArguments ? this.convertTypeArgumentsToTypeParameterInstantiation(node.typeArguments, node) : null,
              range
            }, "typeParameters", "typeArguments"));
            if (node.isTypeOf) {
              return this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.TSTypeQuery,
                exprName: result,
                typeArguments: void 0,
                typeParameters: void 0
              });
            }
            return result;
          }
          case SyntaxKind.EnumDeclaration: {
            const result = this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSEnumDeclaration,
              const: (0, node_utils_1.hasModifier)(SyntaxKind.ConstKeyword, node),
              declare: (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node),
              id: this.convertChild(node.name),
              members: node.members.map((el) => this.convertChild(el))
            });
            return this.fixExports(node, result);
          }
          case SyntaxKind.EnumMember: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSEnumMember,
              computed: node.name.kind === ts.SyntaxKind.ComputedPropertyName,
              id: this.convertChild(node.name),
              initializer: node.initializer && this.convertChild(node.initializer)
            });
          }
          case SyntaxKind.ModuleDeclaration: {
            let isDeclare = (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node);
            const result = this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSModuleDeclaration,
              ...(() => {
                if (node.flags & ts.NodeFlags.GlobalAugmentation) {
                  const id = this.convertChild(node.name);
                  const body = this.convertChild(node.body);
                  if (body == null || body.type === ts_estree_1.AST_NODE_TYPES.TSModuleDeclaration) {
                    __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node.body ?? node, "Expected a valid module body");
                  }
                  if (id.type !== ts_estree_1.AST_NODE_TYPES.Identifier) {
                    __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node.name, "global module augmentation must have an Identifier id");
                  }
                  return {
                    kind: "global",
                    body,
                    declare: false,
                    global: false,
                    id
                  };
                }
                if (!(node.flags & ts.NodeFlags.Namespace)) {
                  const body = this.convertChild(node.body);
                  return {
                    kind: "module",
                    ...body != null ? { body } : {},
                    declare: false,
                    global: false,
                    id: this.convertChild(node.name)
                  };
                }
                if (node.body == null) {
                  __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node, "Expected a module body");
                }
                if (node.name.kind !== ts.SyntaxKind.Identifier) {
                  __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwUnlessAllowInvalidAST).call(this, node.name, "`namespace`s must have an Identifier id");
                }
                let name = this.createNode(node.name, {
                  decorators: [],
                  name: node.name.text,
                  optional: false,
                  range: [node.name.getStart(this.ast), node.name.getEnd()],
                  type: ts_estree_1.AST_NODE_TYPES.Identifier,
                  typeAnnotation: void 0
                });
                while (node.body && ts.isModuleDeclaration(node.body) && node.body.name) {
                  node = node.body;
                  isDeclare ||= (0, node_utils_1.hasModifier)(SyntaxKind.DeclareKeyword, node);
                  const nextName = node.name;
                  const right = this.createNode(nextName, {
                    decorators: [],
                    name: nextName.text,
                    optional: false,
                    range: [nextName.getStart(this.ast), nextName.getEnd()],
                    type: ts_estree_1.AST_NODE_TYPES.Identifier,
                    typeAnnotation: void 0
                  });
                  name = this.createNode(nextName, {
                    left: name,
                    right,
                    range: [name.range[0], right.range[1]],
                    type: ts_estree_1.AST_NODE_TYPES.TSQualifiedName
                  });
                }
                return {
                  kind: "namespace",
                  body: this.convertChild(node.body),
                  declare: false,
                  global: false,
                  id: name
                };
              })()
            });
            result.declare = isDeclare;
            if (node.flags & ts.NodeFlags.GlobalAugmentation) {
              result.global = true;
            }
            return this.fixExports(node, result);
          }
          case SyntaxKind.ParenthesizedType: {
            return this.convertChild(node.type);
          }
          case SyntaxKind.UnionType: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSUnionType,
              types: node.types.map((el) => this.convertChild(el))
            });
          }
          case SyntaxKind.IntersectionType: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSIntersectionType,
              types: node.types.map((el) => this.convertChild(el))
            });
          }
          case SyntaxKind.AsExpression: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSAsExpression,
              expression: this.convertChild(node.expression),
              typeAnnotation: this.convertChild(node.type)
            });
          }
          case SyntaxKind.InferType: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSInferType,
              typeParameter: this.convertChild(node.typeParameter)
            });
          }
          case SyntaxKind.LiteralType: {
            if (node.literal.kind === SyntaxKind.NullKeyword) {
              return this.createNode(node.literal, {
                type: ts_estree_1.AST_NODE_TYPES.TSNullKeyword
              });
            }
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSLiteralType,
              literal: this.convertChild(node.literal)
            });
          }
          case SyntaxKind.TypeAssertionExpression: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSTypeAssertion,
              typeAnnotation: this.convertChild(node.type),
              expression: this.convertChild(node.expression)
            });
          }
          case SyntaxKind.ImportEqualsDeclaration: {
            return this.fixExports(node, this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSImportEqualsDeclaration,
              id: this.convertChild(node.name),
              importKind: node.isTypeOnly ? "type" : "value",
              moduleReference: this.convertChild(node.moduleReference)
            }));
          }
          case SyntaxKind.ExternalModuleReference: {
            if (node.expression.kind !== SyntaxKind.StringLiteral) {
              __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node.expression, "String literal expected.");
            }
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSExternalModuleReference,
              expression: this.convertChild(node.expression)
            });
          }
          case SyntaxKind.NamespaceExportDeclaration: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSNamespaceExportDeclaration,
              id: this.convertChild(node.name)
            });
          }
          case SyntaxKind.AbstractKeyword: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSAbstractKeyword
            });
          }
          case SyntaxKind.TupleType: {
            const elementTypes = node.elements.map((el) => this.convertChild(el));
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSTupleType,
              elementTypes
            });
          }
          case SyntaxKind.NamedTupleMember: {
            const member = this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSNamedTupleMember,
              elementType: this.convertChild(node.type, node),
              label: this.convertChild(node.name, node),
              optional: node.questionToken != null
            });
            if (node.dotDotDotToken) {
              member.range[0] = member.label.range[0];
              member.loc.start = member.label.loc.start;
              return this.createNode(node, {
                type: ts_estree_1.AST_NODE_TYPES.TSRestType,
                typeAnnotation: member
              });
            }
            return member;
          }
          case SyntaxKind.OptionalType: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSOptionalType,
              typeAnnotation: this.convertChild(node.type)
            });
          }
          case SyntaxKind.RestType: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSRestType,
              typeAnnotation: this.convertChild(node.type)
            });
          }
          case SyntaxKind.TemplateLiteralType: {
            const result = this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSTemplateLiteralType,
              quasis: [this.convertChild(node.head)],
              types: []
            });
            node.templateSpans.forEach((templateSpan) => {
              result.types.push(this.convertChild(templateSpan.type));
              result.quasis.push(this.convertChild(templateSpan.literal));
            });
            return result;
          }
          case SyntaxKind.ClassStaticBlockDeclaration: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.StaticBlock,
              body: this.convertBodyExpressions(node.body.statements, node)
            });
          }
          case SyntaxKind.AssertEntry:
          case SyntaxKind.ImportAttribute: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.ImportAttribute,
              key: this.convertChild(node.name),
              value: this.convertChild(node.value)
            });
          }
          case SyntaxKind.SatisfiesExpression: {
            return this.createNode(node, {
              type: ts_estree_1.AST_NODE_TYPES.TSSatisfiesExpression,
              expression: this.convertChild(node.expression),
              typeAnnotation: this.convertChild(node.type)
            });
          }
          default:
            return this.deeplyCopy(node);
        }
      }
    };
    exports2.Converter = Converter;
    _Converter_instances = /* @__PURE__ */ new WeakSet(), _Converter_checkModifiers = function _Converter_checkModifiers2(node) {
      if (this.options.allowInvalidAST) {
        return;
      }
      if ((0, node_utils_1.nodeHasIllegalDecorators)(node)) {
        __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node.illegalDecorators[0], "Decorators are not valid here.");
      }
      for (const decorator of (0, getModifiers_1.getDecorators)(
        node,
        /* includeIllegalDecorators */
        true
      ) ?? []) {
        if (!(0, node_utils_1.nodeCanBeDecorated)(node)) {
          if (ts.isMethodDeclaration(node) && !(0, node_utils_1.nodeIsPresent)(node.body)) {
            __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, decorator, "A decorator can only decorate a method implementation, not an overload.");
          } else {
            __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, decorator, "Decorators are not valid here.");
          }
        }
      }
      for (const modifier of (0, getModifiers_1.getModifiers)(
        node,
        /* includeIllegalModifiers */
        true
      ) ?? []) {
        if (modifier.kind !== SyntaxKind.ReadonlyKeyword) {
          if (node.kind === SyntaxKind.PropertySignature || node.kind === SyntaxKind.MethodSignature) {
            __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'${ts.tokenToString(modifier.kind)}' modifier cannot appear on a type member`);
          }
          if (node.kind === SyntaxKind.IndexSignature && (modifier.kind !== SyntaxKind.StaticKeyword || !ts.isClassLike(node.parent))) {
            __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'${ts.tokenToString(modifier.kind)}' modifier cannot appear on an index signature`);
          }
        }
        if (modifier.kind !== SyntaxKind.InKeyword && modifier.kind !== SyntaxKind.OutKeyword && modifier.kind !== SyntaxKind.ConstKeyword && node.kind === SyntaxKind.TypeParameter) {
          __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'${ts.tokenToString(modifier.kind)}' modifier cannot appear on a type parameter`);
        }
        if ((modifier.kind === SyntaxKind.InKeyword || modifier.kind === SyntaxKind.OutKeyword) && (node.kind !== SyntaxKind.TypeParameter || !(ts.isInterfaceDeclaration(node.parent) || ts.isClassLike(node.parent) || ts.isTypeAliasDeclaration(node.parent)))) {
          __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'${ts.tokenToString(modifier.kind)}' modifier can only appear on a type parameter of a class, interface or type alias`);
        }
        if (modifier.kind === SyntaxKind.ReadonlyKeyword && node.kind !== SyntaxKind.PropertyDeclaration && node.kind !== SyntaxKind.PropertySignature && node.kind !== SyntaxKind.IndexSignature && node.kind !== SyntaxKind.Parameter) {
          __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, "'readonly' modifier can only appear on a property declaration or index signature.");
        }
        if (modifier.kind === SyntaxKind.DeclareKeyword && ts.isClassLike(node.parent) && !ts.isPropertyDeclaration(node)) {
          __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'${ts.tokenToString(modifier.kind)}' modifier cannot appear on class elements of this kind.`);
        }
        if (modifier.kind === SyntaxKind.DeclareKeyword && ts.isVariableStatement(node)) {
          const declarationKind = (0, node_utils_1.getDeclarationKind)(node.declarationList);
          if (declarationKind === "using" || declarationKind === "await using") {
            __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'declare' modifier cannot appear on a '${declarationKind}' declaration.`);
          }
        }
        if (modifier.kind === SyntaxKind.AbstractKeyword && node.kind !== SyntaxKind.ClassDeclaration && node.kind !== SyntaxKind.ConstructorType && node.kind !== SyntaxKind.MethodDeclaration && node.kind !== SyntaxKind.PropertyDeclaration && node.kind !== SyntaxKind.GetAccessor && node.kind !== SyntaxKind.SetAccessor) {
          __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'${ts.tokenToString(modifier.kind)}' modifier can only appear on a class, method, or property declaration.`);
        }
        if ((modifier.kind === SyntaxKind.StaticKeyword || modifier.kind === SyntaxKind.PublicKeyword || modifier.kind === SyntaxKind.ProtectedKeyword || modifier.kind === SyntaxKind.PrivateKeyword) && (node.parent.kind === SyntaxKind.ModuleBlock || node.parent.kind === SyntaxKind.SourceFile)) {
          __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'${ts.tokenToString(modifier.kind)}' modifier cannot appear on a module or namespace element.`);
        }
        if (modifier.kind === SyntaxKind.AccessorKeyword && node.kind !== SyntaxKind.PropertyDeclaration) {
          __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, "'accessor' modifier can only appear on a property declaration.");
        }
        if (modifier.kind === SyntaxKind.AsyncKeyword && node.kind !== SyntaxKind.MethodDeclaration && node.kind !== SyntaxKind.FunctionDeclaration && node.kind !== SyntaxKind.FunctionExpression && node.kind !== SyntaxKind.ArrowFunction) {
          __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, "'async' modifier cannot be used here.");
        }
        if (node.kind === SyntaxKind.Parameter && (modifier.kind === SyntaxKind.StaticKeyword || modifier.kind === SyntaxKind.ExportKeyword || modifier.kind === SyntaxKind.DeclareKeyword || modifier.kind === SyntaxKind.AsyncKeyword)) {
          __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, `'${ts.tokenToString(modifier.kind)}' modifier cannot appear on a parameter.`);
        }
        if (modifier.kind === SyntaxKind.PublicKeyword || modifier.kind === SyntaxKind.ProtectedKeyword || modifier.kind === SyntaxKind.PrivateKeyword) {
          for (const anotherModifier of (0, getModifiers_1.getModifiers)(node) ?? []) {
            if (anotherModifier !== modifier && (anotherModifier.kind === SyntaxKind.PublicKeyword || anotherModifier.kind === SyntaxKind.ProtectedKeyword || anotherModifier.kind === SyntaxKind.PrivateKeyword)) {
              __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, anotherModifier, `Accessibility modifier already seen.`);
            }
          }
        }
        if (node.kind === SyntaxKind.Parameter && // In `typescript` package, it's `ts.hasSyntacticModifier(node, ts.ModifierFlags.ParameterPropertyModifier)`
        // https://github.com/typescript-eslint/typescript-eslint/pull/6615#discussion_r1136489935
        (modifier.kind === SyntaxKind.PublicKeyword || modifier.kind === SyntaxKind.PrivateKeyword || modifier.kind === SyntaxKind.ProtectedKeyword || modifier.kind === SyntaxKind.ReadonlyKeyword || modifier.kind === SyntaxKind.OverrideKeyword)) {
          const func = (0, node_utils_1.getContainingFunction)(node);
          if (!(func.kind === SyntaxKind.Constructor && (0, node_utils_1.nodeIsPresent)(func.body))) {
            __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, modifier, "A parameter property is only allowed in a constructor implementation.");
          }
        }
      }
    }, _Converter_throwUnlessAllowInvalidAST = function _Converter_throwUnlessAllowInvalidAST2(node, message) {
      if (!this.options.allowInvalidAST) {
        __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, node, message);
      }
    }, _Converter_withDeprecatedAliasGetter = function _Converter_withDeprecatedAliasGetter2(node, aliasKey, valueKey, suppressWarnings = false) {
      let warned = suppressWarnings;
      Object.defineProperty(node, aliasKey, {
        configurable: true,
        get: this.options.suppressDeprecatedPropertyWarnings ? () => node[valueKey] : () => {
          if (!warned) {
            process.emitWarning(`The '${aliasKey}' property is deprecated on ${node.type} nodes. Use '${valueKey}' instead. See https://typescript-eslint.io/troubleshooting/faqs/general#the-key-property-is-deprecated-on-type-nodes-use-key-instead-warnings.`, "DeprecationWarning");
            warned = true;
          }
          return node[valueKey];
        },
        set(value) {
          Object.defineProperty(node, aliasKey, {
            enumerable: true,
            writable: true,
            value
          });
        }
      });
      return node;
    }, _Converter_throwError = function _Converter_throwError2(node, message) {
      let start;
      let end;
      if (typeof node === "number") {
        start = end = node;
      } else {
        start = node.getStart(this.ast);
        end = node.getEnd();
      }
      throw (0, node_utils_1.createError)(message, this.ast, start, end);
    }, _Converter_checkForStatementDeclaration = function _Converter_checkForStatementDeclaration2(initializer) {
      if (ts.isVariableDeclarationList(initializer)) {
        if ((initializer.flags & ts.NodeFlags.Using) !== 0) {
          __classPrivateFieldGet3(this, _Converter_instances, "m", _Converter_throwError).call(this, initializer, "The left-hand side of a 'for...in' statement cannot be a 'using' declaration.");
        }
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/convert-comments.js
var require_convert_comments2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/convert-comments.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.convertComments = convertComments;
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var node_utils_1 = require_node_utils2();
    var ts_estree_1 = require_ts_estree5();
    function convertComments(ast, code) {
      const comments = [];
      tsutils.forEachComment(ast, (_, comment) => {
        const type = comment.kind === ts.SyntaxKind.SingleLineCommentTrivia ? ts_estree_1.AST_TOKEN_TYPES.Line : ts_estree_1.AST_TOKEN_TYPES.Block;
        const range = [comment.pos, comment.end];
        const loc = (0, node_utils_1.getLocFor)(range, ast);
        const textStart = range[0] + 2;
        const textEnd = comment.kind === ts.SyntaxKind.SingleLineCommentTrivia ? (
          // single line comments end at the end
          range[1] - textStart
        ) : (
          // multiline comments end 2 characters early
          range[1] - textStart - 2
        );
        comments.push({
          type,
          value: code.slice(textStart, textStart + textEnd),
          range,
          loc
        });
      }, ast);
      return comments;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/simple-traverse.js
var require_simple_traverse2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/simple-traverse.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.simpleTraverse = simpleTraverse;
    var visitor_keys_1 = require_dist2();
    function isValidNode(x) {
      return typeof x === "object" && x != null && "type" in x && typeof x.type === "string";
    }
    function getVisitorKeysForNode(allVisitorKeys, node) {
      const keys2 = allVisitorKeys[node.type];
      return keys2 ?? [];
    }
    var SimpleTraverser = class {
      constructor(selectors, setParentPointers = false) {
        this.allVisitorKeys = visitor_keys_1.visitorKeys;
        this.selectors = selectors;
        this.setParentPointers = setParentPointers;
        if (selectors.visitorKeys) {
          this.allVisitorKeys = selectors.visitorKeys;
        }
      }
      traverse(node, parent) {
        if (!isValidNode(node)) {
          return;
        }
        if (this.setParentPointers) {
          node.parent = parent;
        }
        if ("enter" in this.selectors) {
          this.selectors.enter(node, parent);
        } else if (node.type in this.selectors.visitors) {
          this.selectors.visitors[node.type](node, parent);
        }
        const keys2 = getVisitorKeysForNode(this.allVisitorKeys, node);
        if (keys2.length < 1) {
          return;
        }
        for (const key of keys2) {
          const childOrChildren = node[key];
          if (Array.isArray(childOrChildren)) {
            for (const child of childOrChildren) {
              this.traverse(child, node);
            }
          } else {
            this.traverse(childOrChildren, node);
          }
        }
      }
    };
    function simpleTraverse(startingNode, options, setParentPointers = false) {
      new SimpleTraverser(options, setParentPointers).traverse(startingNode, void 0);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/ast-converter.js
var require_ast_converter2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/ast-converter.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.astConverter = astConverter;
    var convert_1 = require_convert4();
    var convert_comments_1 = require_convert_comments2();
    var node_utils_1 = require_node_utils2();
    var simple_traverse_1 = require_simple_traverse2();
    function astConverter(ast, parseSettings, shouldPreserveNodeMaps) {
      const { parseDiagnostics } = ast;
      if (parseDiagnostics.length) {
        throw (0, convert_1.convertError)(parseDiagnostics[0]);
      }
      const instance = new convert_1.Converter(ast, {
        allowInvalidAST: parseSettings.allowInvalidAST,
        errorOnUnknownASTType: parseSettings.errorOnUnknownASTType,
        shouldPreserveNodeMaps,
        suppressDeprecatedPropertyWarnings: parseSettings.suppressDeprecatedPropertyWarnings
      });
      const estree = instance.convertProgram();
      if (!parseSettings.range || !parseSettings.loc) {
        (0, simple_traverse_1.simpleTraverse)(estree, {
          enter: (node) => {
            if (!parseSettings.range) {
              delete node.range;
            }
            if (!parseSettings.loc) {
              delete node.loc;
            }
          }
        });
      }
      if (parseSettings.tokens) {
        estree.tokens = (0, node_utils_1.convertTokens)(ast);
      }
      if (parseSettings.comment) {
        estree.comments = (0, convert_comments_1.convertComments)(ast, parseSettings.codeFullText);
      }
      const astMaps = instance.getASTMaps();
      return { estree, astMaps };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/shared.js
var require_shared4 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/shared.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.CORE_COMPILER_OPTIONS = void 0;
    exports2.canonicalDirname = canonicalDirname;
    exports2.createDefaultCompilerOptionsFromExtra = createDefaultCompilerOptionsFromExtra;
    exports2.createHash = createHash;
    exports2.ensureAbsolutePath = ensureAbsolutePath;
    exports2.getCanonicalFileName = getCanonicalFileName;
    exports2.getAstFromProgram = getAstFromProgram;
    var path_1 = __importDefault2(require("path"));
    var ts = __importStar2(require_typescript3());
    var CORE_COMPILER_OPTIONS = {
      noEmit: true,
      // required to avoid parse from causing emit to occur
      /**
       * Flags required to make no-unused-vars work
       */
      noUnusedLocals: true,
      noUnusedParameters: true
    };
    exports2.CORE_COMPILER_OPTIONS = CORE_COMPILER_OPTIONS;
    var DEFAULT_COMPILER_OPTIONS = {
      ...CORE_COMPILER_OPTIONS,
      allowNonTsExtensions: true,
      allowJs: true,
      checkJs: true
    };
    function createDefaultCompilerOptionsFromExtra(parseSettings) {
      if (parseSettings.debugLevel.has("typescript")) {
        return {
          ...DEFAULT_COMPILER_OPTIONS,
          extendedDiagnostics: true
        };
      }
      return DEFAULT_COMPILER_OPTIONS;
    }
    var useCaseSensitiveFileNames = (
      // eslint-disable-next-line @typescript-eslint/no-unnecessary-condition
      ts.sys !== void 0 ? ts.sys.useCaseSensitiveFileNames : true
    );
    var correctPathCasing = useCaseSensitiveFileNames ? (filePath) => filePath : (filePath) => filePath.toLowerCase();
    function getCanonicalFileName(filePath) {
      let normalized = path_1.default.normalize(filePath);
      if (normalized.endsWith(path_1.default.sep)) {
        normalized = normalized.slice(0, -1);
      }
      return correctPathCasing(normalized);
    }
    function ensureAbsolutePath(p, tsconfigRootDir) {
      return path_1.default.isAbsolute(p) ? p : path_1.default.join(tsconfigRootDir || process.cwd(), p);
    }
    function canonicalDirname(p) {
      return path_1.default.dirname(p);
    }
    var DEFINITION_EXTENSIONS = [
      ts.Extension.Dts,
      ts.Extension.Dcts,
      ts.Extension.Dmts
    ];
    function getExtension(fileName) {
      if (!fileName) {
        return null;
      }
      return DEFINITION_EXTENSIONS.find((definitionExt) => fileName.endsWith(definitionExt)) ?? path_1.default.extname(fileName);
    }
    function getAstFromProgram(currentProgram, filePath) {
      const ast = currentProgram.getSourceFile(filePath);
      const expectedExt = getExtension(filePath);
      const returnedExt = getExtension(ast?.fileName);
      if (expectedExt !== returnedExt) {
        return void 0;
      }
      return ast && { ast, program: currentProgram };
    }
    function createHash(content) {
      if (ts.sys?.createHash) {
        return ts.sys.createHash(content);
      }
      return content;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createDefaultProgram.js
var require_createDefaultProgram2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createDefaultProgram.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.createDefaultProgram = createDefaultProgram;
    var debug_1 = __importDefault2(require_src2());
    var path_1 = __importDefault2(require("path"));
    var ts = __importStar2(require_typescript3());
    var shared_1 = require_shared4();
    var log = (0, debug_1.default)("typescript-eslint:typescript-estree:createDefaultProgram");
    function createDefaultProgram(parseSettings) {
      log("Getting default program for: %s", parseSettings.filePath || "unnamed file");
      if (parseSettings.projects.size !== 1) {
        return void 0;
      }
      const tsconfigPath = Array.from(parseSettings.projects.values())[0];
      const commandLine = ts.getParsedCommandLineOfConfigFile(tsconfigPath, (0, shared_1.createDefaultCompilerOptionsFromExtra)(parseSettings), {
        ...ts.sys,
        // TODO: file issue on TypeScript to suggest making optional?
        // eslint-disable-next-line @typescript-eslint/no-empty-function
        onUnRecoverableConfigFileDiagnostic: () => {
        }
      });
      if (!commandLine) {
        return void 0;
      }
      const compilerHost = ts.createCompilerHost(
        commandLine.options,
        /* setParentNodes */
        true
      );
      const oldReadFile = compilerHost.readFile;
      compilerHost.readFile = (fileName) => path_1.default.normalize(fileName) === path_1.default.normalize(parseSettings.filePath) ? parseSettings.codeFullText : oldReadFile(fileName);
      const program = ts.createProgram([parseSettings.filePath], {
        ...commandLine.options,
        jsDocParsingMode: parseSettings.jsDocParsingMode
      }, compilerHost);
      const ast = program.getSourceFile(parseSettings.filePath);
      return ast && { ast, program };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/getScriptKind.js
var require_getScriptKind2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/getScriptKind.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getScriptKind = getScriptKind;
    exports2.getLanguageVariant = getLanguageVariant;
    var path_1 = __importDefault2(require("path"));
    var ts = __importStar2(require_typescript3());
    function getScriptKind(filePath, jsx) {
      const extension = path_1.default.extname(filePath).toLowerCase();
      switch (extension) {
        case ts.Extension.Js:
        case ts.Extension.Cjs:
        case ts.Extension.Mjs:
          return ts.ScriptKind.JS;
        case ts.Extension.Jsx:
          return ts.ScriptKind.JSX;
        case ts.Extension.Ts:
        case ts.Extension.Cts:
        case ts.Extension.Mts:
          return ts.ScriptKind.TS;
        case ts.Extension.Tsx:
          return ts.ScriptKind.TSX;
        case ts.Extension.Json:
          return ts.ScriptKind.JSON;
        default:
          return jsx ? ts.ScriptKind.TSX : ts.ScriptKind.TS;
      }
    }
    function getLanguageVariant(scriptKind) {
      switch (scriptKind) {
        case ts.ScriptKind.TSX:
        case ts.ScriptKind.JSX:
        case ts.ScriptKind.JS:
        case ts.ScriptKind.JSON:
          return ts.LanguageVariant.JSX;
        default:
          return ts.LanguageVariant.Standard;
      }
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createIsolatedProgram.js
var require_createIsolatedProgram2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createIsolatedProgram.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.createIsolatedProgram = createIsolatedProgram;
    var debug_1 = __importDefault2(require_src2());
    var ts = __importStar2(require_typescript3());
    var getScriptKind_1 = require_getScriptKind2();
    var shared_1 = require_shared4();
    var log = (0, debug_1.default)("typescript-eslint:typescript-estree:createIsolatedProgram");
    function createIsolatedProgram(parseSettings) {
      log("Getting isolated program in %s mode for: %s", parseSettings.jsx ? "TSX" : "TS", parseSettings.filePath);
      const compilerHost = {
        fileExists() {
          return true;
        },
        getCanonicalFileName() {
          return parseSettings.filePath;
        },
        getCurrentDirectory() {
          return "";
        },
        getDirectories() {
          return [];
        },
        getDefaultLibFileName() {
          return "lib.d.ts";
        },
        // TODO: Support Windows CRLF
        getNewLine() {
          return "\n";
        },
        getSourceFile(filename) {
          return ts.createSourceFile(
            filename,
            parseSettings.codeFullText,
            ts.ScriptTarget.Latest,
            /* setParentNodes */
            true,
            (0, getScriptKind_1.getScriptKind)(parseSettings.filePath, parseSettings.jsx)
          );
        },
        readFile() {
          return void 0;
        },
        useCaseSensitiveFileNames() {
          return true;
        },
        writeFile() {
          return null;
        }
      };
      const program = ts.createProgram([parseSettings.filePath], {
        jsDocParsingMode: parseSettings.jsDocParsingMode,
        noResolve: true,
        target: ts.ScriptTarget.Latest,
        jsx: parseSettings.jsx ? ts.JsxEmit.Preserve : void 0,
        ...(0, shared_1.createDefaultCompilerOptionsFromExtra)(parseSettings)
      }, compilerHost);
      const ast = program.getSourceFile(parseSettings.filePath);
      if (!ast) {
        throw new Error("Expected an ast to be returned for the single-file isolated program.");
      }
      return { ast, program };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/describeFilePath.js
var require_describeFilePath2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/describeFilePath.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.describeFilePath = describeFilePath;
    var path_1 = __importDefault2(require("path"));
    function describeFilePath(filePath, tsconfigRootDir) {
      const relative2 = path_1.default.relative(tsconfigRootDir, filePath);
      if (relative2 && !relative2.startsWith("..") && !path_1.default.isAbsolute(relative2)) {
        return `/${relative2}`;
      }
      if (/^[(\w+:)\\/~]/.test(filePath)) {
        return filePath;
      }
      if (/\.\.[/\\]\.\./.test(relative2)) {
        return filePath;
      }
      return `/${relative2}`;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createProjectProgram.js
var require_createProjectProgram2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createProjectProgram.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.createProjectProgram = createProjectProgram;
    var debug_1 = __importDefault2(require_src2());
    var path_1 = __importDefault2(require("path"));
    var ts = __importStar2(require_typescript3());
    var node_utils_1 = require_node_utils2();
    var describeFilePath_1 = require_describeFilePath2();
    var shared_1 = require_shared4();
    var log = (0, debug_1.default)("typescript-eslint:typescript-estree:createProjectProgram");
    var DEFAULT_EXTRA_FILE_EXTENSIONS = [
      ts.Extension.Ts,
      ts.Extension.Tsx,
      ts.Extension.Js,
      ts.Extension.Jsx,
      ts.Extension.Mjs,
      ts.Extension.Mts,
      ts.Extension.Cjs,
      ts.Extension.Cts
    ];
    function createProjectProgram(parseSettings, programsForProjects) {
      log("Creating project program for: %s", parseSettings.filePath);
      const astAndProgram = (0, node_utils_1.firstDefined)(programsForProjects, (currentProgram) => (0, shared_1.getAstFromProgram)(currentProgram, parseSettings.filePath));
      if (astAndProgram || parseSettings.DEPRECATED__createDefaultProgram) {
        return astAndProgram;
      }
      const describeProjectFilePath = (projectFile) => (0, describeFilePath_1.describeFilePath)(projectFile, parseSettings.tsconfigRootDir);
      const describedFilePath = (0, describeFilePath_1.describeFilePath)(parseSettings.filePath, parseSettings.tsconfigRootDir);
      const relativeProjects = Array.from(parseSettings.projects.values()).map(describeProjectFilePath);
      const describedPrograms = relativeProjects.length === 1 ? relativeProjects[0] : `
${relativeProjects.map((project) => `- ${project}`).join("\n")}`;
      const errorLines = [
        `ESLint was configured to run on \`${describedFilePath}\` using \`parserOptions.project\`: ${describedPrograms}`
      ];
      let hasMatchedAnError = false;
      const { extraFileExtensions } = parseSettings;
      extraFileExtensions.forEach((extraExtension) => {
        if (!extraExtension.startsWith(".")) {
          errorLines.push(`Found unexpected extension \`${extraExtension}\` specified with the \`parserOptions.extraFileExtensions\` option. Did you mean \`.${extraExtension}\`?`);
        }
        if (DEFAULT_EXTRA_FILE_EXTENSIONS.includes(extraExtension)) {
          errorLines.push(`You unnecessarily included the extension \`${extraExtension}\` with the \`parserOptions.extraFileExtensions\` option. This extension is already handled by the parser by default.`);
        }
      });
      const fileExtension = path_1.default.extname(parseSettings.filePath);
      if (!DEFAULT_EXTRA_FILE_EXTENSIONS.includes(fileExtension)) {
        const nonStandardExt = `The extension for the file (\`${fileExtension}\`) is non-standard`;
        if (extraFileExtensions.length > 0) {
          if (!extraFileExtensions.includes(fileExtension)) {
            errorLines.push(`${nonStandardExt}. It should be added to your existing \`parserOptions.extraFileExtensions\`.`);
            hasMatchedAnError = true;
          }
        } else {
          errorLines.push(`${nonStandardExt}. You should add \`parserOptions.extraFileExtensions\` to your config.`);
          hasMatchedAnError = true;
        }
      }
      if (!hasMatchedAnError) {
        const [describedInclusions, describedSpecifiers] = parseSettings.projects.size === 1 ? ["that TSConfig does not", "that TSConfig"] : ["none of those TSConfigs", "one of those TSConfigs"];
        errorLines.push(`However, ${describedInclusions} include this file. Either:`, `- Change ESLint's list of included files to not include this file`, `- Change ${describedSpecifiers} to include this file`, `- Create a new TSConfig that includes this file and include it in your parserOptions.project`, `See the typescript-eslint docs for more info: https://typescript-eslint.io/troubleshooting/typed-linting#i-get-errors-telling-me-eslint-was-configured-to-run--however-that-tsconfig-does-not--none-of-those-tsconfigs-include-this-file`);
      }
      throw new Error(errorLines.join("\n"));
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/source-files.js
var require_source_files2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/source-files.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isSourceFile = isSourceFile;
    exports2.getCodeText = getCodeText;
    var ts = __importStar2(require_typescript3());
    function isSourceFile(code) {
      if (typeof code !== "object" || code == null) {
        return false;
      }
      const maybeSourceFile = code;
      return maybeSourceFile.kind === ts.SyntaxKind.SourceFile && typeof maybeSourceFile.getFullText === "function";
    }
    function getCodeText(code) {
      return isSourceFile(code) ? code.getFullText(code) : code;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createSourceFile.js
var require_createSourceFile2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createSourceFile.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.createSourceFile = createSourceFile;
    exports2.createNoProgram = createNoProgram;
    var debug_1 = __importDefault2(require_src2());
    var ts = __importStar2(require_typescript3());
    var source_files_1 = require_source_files2();
    var getScriptKind_1 = require_getScriptKind2();
    var log = (0, debug_1.default)("typescript-eslint:typescript-estree:createSourceFile");
    function createSourceFile(parseSettings) {
      log("Getting AST without type information in %s mode for: %s", parseSettings.jsx ? "TSX" : "TS", parseSettings.filePath);
      return (0, source_files_1.isSourceFile)(parseSettings.code) ? parseSettings.code : ts.createSourceFile(
        parseSettings.filePath,
        parseSettings.codeFullText,
        {
          languageVersion: ts.ScriptTarget.Latest,
          jsDocParsingMode: parseSettings.jsDocParsingMode
        },
        /* setParentNodes */
        true,
        (0, getScriptKind_1.getScriptKind)(parseSettings.filePath, parseSettings.jsx)
      );
    }
    function createNoProgram(parseSettings) {
      return {
        ast: createSourceFile(parseSettings),
        program: null
      };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/getWatchProgramsForProjects.js
var require_getWatchProgramsForProjects2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/getWatchProgramsForProjects.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.clearWatchCaches = clearWatchCaches;
    exports2.getWatchProgramsForProjects = getWatchProgramsForProjects;
    var debug_1 = __importDefault2(require_src2());
    var fs_1 = __importDefault2(require("fs"));
    var ts = __importStar2(require_typescript3());
    var source_files_1 = require_source_files2();
    var shared_1 = require_shared4();
    var log = (0, debug_1.default)("typescript-eslint:typescript-estree:createWatchProgram");
    var knownWatchProgramMap = /* @__PURE__ */ new Map();
    var fileWatchCallbackTrackingMap = /* @__PURE__ */ new Map();
    var folderWatchCallbackTrackingMap = /* @__PURE__ */ new Map();
    var programFileListCache = /* @__PURE__ */ new Map();
    var tsconfigLastModifiedTimestampCache = /* @__PURE__ */ new Map();
    var parsedFilesSeenHash = /* @__PURE__ */ new Map();
    function clearWatchCaches() {
      knownWatchProgramMap.clear();
      fileWatchCallbackTrackingMap.clear();
      folderWatchCallbackTrackingMap.clear();
      parsedFilesSeenHash.clear();
      programFileListCache.clear();
      tsconfigLastModifiedTimestampCache.clear();
    }
    function saveWatchCallback(trackingMap) {
      return (fileName, callback) => {
        const normalizedFileName = (0, shared_1.getCanonicalFileName)(fileName);
        const watchers = (() => {
          let watchers2 = trackingMap.get(normalizedFileName);
          if (!watchers2) {
            watchers2 = /* @__PURE__ */ new Set();
            trackingMap.set(normalizedFileName, watchers2);
          }
          return watchers2;
        })();
        watchers.add(callback);
        return {
          close: () => {
            watchers.delete(callback);
          }
        };
      };
    }
    var currentLintOperationState = {
      code: "",
      filePath: ""
    };
    function diagnosticReporter(diagnostic) {
      throw new Error(ts.flattenDiagnosticMessageText(diagnostic.messageText, ts.sys.newLine));
    }
    function updateCachedFileList(tsconfigPath, program, parseSettings) {
      const fileList = parseSettings.EXPERIMENTAL_useSourceOfProjectReferenceRedirect ? new Set(program.getSourceFiles().map((sf) => (0, shared_1.getCanonicalFileName)(sf.fileName))) : new Set(program.getRootFileNames().map((f) => (0, shared_1.getCanonicalFileName)(f)));
      programFileListCache.set(tsconfigPath, fileList);
      return fileList;
    }
    function getWatchProgramsForProjects(parseSettings) {
      const filePath = (0, shared_1.getCanonicalFileName)(parseSettings.filePath);
      const results = [];
      currentLintOperationState.code = parseSettings.code;
      currentLintOperationState.filePath = filePath;
      const fileWatchCallbacks = fileWatchCallbackTrackingMap.get(filePath);
      const codeHash = (0, shared_1.createHash)((0, source_files_1.getCodeText)(parseSettings.code));
      if (parsedFilesSeenHash.get(filePath) !== codeHash && fileWatchCallbacks && fileWatchCallbacks.size > 0) {
        fileWatchCallbacks.forEach((cb) => cb(filePath, ts.FileWatcherEventKind.Changed));
      }
      const currentProjectsFromSettings = new Map(parseSettings.projects);
      for (const [tsconfigPath, existingWatch] of knownWatchProgramMap.entries()) {
        if (!currentProjectsFromSettings.has(tsconfigPath)) {
          continue;
        }
        let fileList = programFileListCache.get(tsconfigPath);
        let updatedProgram = null;
        if (!fileList) {
          updatedProgram = existingWatch.getProgram().getProgram();
          fileList = updateCachedFileList(tsconfigPath, updatedProgram, parseSettings);
        }
        if (fileList.has(filePath)) {
          log("Found existing program for file. %s", filePath);
          updatedProgram ??= existingWatch.getProgram().getProgram();
          updatedProgram.getTypeChecker();
          return [updatedProgram];
        }
      }
      log("File did not belong to any existing programs, moving to create/update. %s", filePath);
      for (const tsconfigPath of parseSettings.projects) {
        const existingWatch = knownWatchProgramMap.get(tsconfigPath[0]);
        if (existingWatch) {
          const updatedProgram = maybeInvalidateProgram(existingWatch, filePath, tsconfigPath[0]);
          if (!updatedProgram) {
            continue;
          }
          updatedProgram.getTypeChecker();
          const fileList2 = updateCachedFileList(tsconfigPath[0], updatedProgram, parseSettings);
          if (fileList2.has(filePath)) {
            log("Found updated program for file. %s", filePath);
            return [updatedProgram];
          }
          results.push(updatedProgram);
          continue;
        }
        const programWatch = createWatchProgram(tsconfigPath[1], parseSettings);
        knownWatchProgramMap.set(tsconfigPath[0], programWatch);
        const program = programWatch.getProgram().getProgram();
        program.getTypeChecker();
        const fileList = updateCachedFileList(tsconfigPath[0], program, parseSettings);
        if (fileList.has(filePath)) {
          log("Found program for file. %s", filePath);
          return [program];
        }
        results.push(program);
      }
      return results;
    }
    function createWatchProgram(tsconfigPath, parseSettings) {
      log("Creating watch program for %s.", tsconfigPath);
      const watchCompilerHost = ts.createWatchCompilerHost(
        tsconfigPath,
        (0, shared_1.createDefaultCompilerOptionsFromExtra)(parseSettings),
        ts.sys,
        ts.createAbstractBuilder,
        diagnosticReporter,
        // TODO: file issue on TypeScript to suggest making optional?
        // eslint-disable-next-line @typescript-eslint/no-empty-function
        /*reportWatchStatus*/
        () => {
        }
      );
      watchCompilerHost.jsDocParsingMode = parseSettings.jsDocParsingMode;
      const oldReadFile = watchCompilerHost.readFile;
      watchCompilerHost.readFile = (filePathIn, encoding) => {
        const filePath = (0, shared_1.getCanonicalFileName)(filePathIn);
        const fileContent = filePath === currentLintOperationState.filePath ? (0, source_files_1.getCodeText)(currentLintOperationState.code) : oldReadFile(filePath, encoding);
        if (fileContent !== void 0) {
          parsedFilesSeenHash.set(filePath, (0, shared_1.createHash)(fileContent));
        }
        return fileContent;
      };
      watchCompilerHost.onUnRecoverableConfigFileDiagnostic = diagnosticReporter;
      watchCompilerHost.afterProgramCreate = (program) => {
        const configFileDiagnostics = program.getConfigFileParsingDiagnostics().filter((diag) => diag.category === ts.DiagnosticCategory.Error && diag.code !== 18003);
        if (configFileDiagnostics.length > 0) {
          diagnosticReporter(configFileDiagnostics[0]);
        }
      };
      watchCompilerHost.watchFile = saveWatchCallback(fileWatchCallbackTrackingMap);
      watchCompilerHost.watchDirectory = saveWatchCallback(folderWatchCallbackTrackingMap);
      const oldOnDirectoryStructureHostCreate = watchCompilerHost.onCachedDirectoryStructureHostCreate;
      watchCompilerHost.onCachedDirectoryStructureHostCreate = (host) => {
        const oldReadDirectory = host.readDirectory;
        host.readDirectory = (path17, extensions, exclude, include, depth2) => oldReadDirectory(path17, !extensions ? void 0 : extensions.concat(parseSettings.extraFileExtensions), exclude, include, depth2);
        oldOnDirectoryStructureHostCreate(host);
      };
      watchCompilerHost.extraFileExtensions = parseSettings.extraFileExtensions.map((extension) => ({
        extension,
        isMixedContent: true,
        scriptKind: ts.ScriptKind.Deferred
      }));
      watchCompilerHost.trace = log;
      watchCompilerHost.useSourceOfProjectReferenceRedirect = () => parseSettings.EXPERIMENTAL_useSourceOfProjectReferenceRedirect;
      watchCompilerHost.setTimeout = void 0;
      watchCompilerHost.clearTimeout = void 0;
      return ts.createWatchProgram(watchCompilerHost);
    }
    function hasTSConfigChanged(tsconfigPath) {
      const stat = fs_1.default.statSync(tsconfigPath);
      const lastModifiedAt = stat.mtimeMs;
      const cachedLastModifiedAt = tsconfigLastModifiedTimestampCache.get(tsconfigPath);
      tsconfigLastModifiedTimestampCache.set(tsconfigPath, lastModifiedAt);
      if (cachedLastModifiedAt === void 0) {
        return false;
      }
      return Math.abs(cachedLastModifiedAt - lastModifiedAt) > Number.EPSILON;
    }
    function maybeInvalidateProgram(existingWatch, filePath, tsconfigPath) {
      let updatedProgram = existingWatch.getProgram().getProgram();
      if (process.env.TSESTREE_NO_INVALIDATION === "true") {
        return updatedProgram;
      }
      if (hasTSConfigChanged(tsconfigPath)) {
        log("tsconfig has changed - triggering program update. %s", tsconfigPath);
        fileWatchCallbackTrackingMap.get(tsconfigPath).forEach((cb) => cb(tsconfigPath, ts.FileWatcherEventKind.Changed));
        programFileListCache.delete(tsconfigPath);
      }
      let sourceFile = updatedProgram.getSourceFile(filePath);
      if (sourceFile) {
        return updatedProgram;
      }
      log("File was not found in program - triggering folder update. %s", filePath);
      const currentDir = (0, shared_1.canonicalDirname)(filePath);
      let current = null;
      let next = currentDir;
      let hasCallback = false;
      while (current !== next) {
        current = next;
        const folderWatchCallbacks = folderWatchCallbackTrackingMap.get(current);
        if (folderWatchCallbacks) {
          for (const cb of folderWatchCallbacks) {
            if (currentDir !== current) {
              cb(currentDir, ts.FileWatcherEventKind.Changed);
            }
            cb(current, ts.FileWatcherEventKind.Changed);
          }
          hasCallback = true;
        }
        next = (0, shared_1.canonicalDirname)(current);
      }
      if (!hasCallback) {
        log("No callback found for file, not part of this program. %s", filePath);
        return null;
      }
      programFileListCache.delete(tsconfigPath);
      updatedProgram = existingWatch.getProgram().getProgram();
      sourceFile = updatedProgram.getSourceFile(filePath);
      if (sourceFile) {
        return updatedProgram;
      }
      log("File was still not found in program after directory update - checking file deletions. %s", filePath);
      const rootFilenames = updatedProgram.getRootFileNames();
      const deletedFile = rootFilenames.find((file) => !fs_1.default.existsSync(file));
      if (!deletedFile) {
        return null;
      }
      const fileWatchCallbacks = fileWatchCallbackTrackingMap.get((0, shared_1.getCanonicalFileName)(deletedFile));
      if (!fileWatchCallbacks) {
        log("Could not find watch callbacks for root file. %s", deletedFile);
        return updatedProgram;
      }
      log("Marking file as deleted. %s", deletedFile);
      fileWatchCallbacks.forEach((cb) => cb(deletedFile, ts.FileWatcherEventKind.Deleted));
      programFileListCache.delete(tsconfigPath);
      updatedProgram = existingWatch.getProgram().getProgram();
      sourceFile = updatedProgram.getSourceFile(filePath);
      if (sourceFile) {
        return updatedProgram;
      }
      log("File was still not found in program after deletion check, assuming it is not part of this program. %s", filePath);
      return null;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/useProvidedPrograms.js
var require_useProvidedPrograms2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/useProvidedPrograms.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.useProvidedPrograms = useProvidedPrograms;
    exports2.createProgramFromConfigFile = createProgramFromConfigFile;
    var debug_1 = __importDefault2(require_src2());
    var fs4 = __importStar2(require("fs"));
    var path17 = __importStar2(require("path"));
    var ts = __importStar2(require_typescript3());
    var shared_1 = require_shared4();
    var log = (0, debug_1.default)("typescript-eslint:typescript-estree:useProvidedProgram");
    function useProvidedPrograms(programInstances, { filePath, tsconfigRootDir }) {
      log("Retrieving ast for %s from provided program instance(s)", filePath);
      let astAndProgram;
      for (const programInstance of programInstances) {
        astAndProgram = (0, shared_1.getAstFromProgram)(programInstance, filePath);
        if (astAndProgram) {
          break;
        }
      }
      if (!astAndProgram) {
        const relativeFilePath = path17.relative(tsconfigRootDir || process.cwd(), filePath);
        const errorLines = [
          '"parserOptions.programs" has been provided for @typescript-eslint/parser.',
          `The file was not found in any of the provided program instance(s): ${relativeFilePath}`
        ];
        throw new Error(errorLines.join("\n"));
      }
      astAndProgram.program.getTypeChecker();
      return astAndProgram;
    }
    function createProgramFromConfigFile(configFile, projectDirectory) {
      if (ts.sys === void 0) {
        throw new Error("`createProgramFromConfigFile` is only supported in a Node-like environment.");
      }
      const parsed = ts.getParsedCommandLineOfConfigFile(configFile, shared_1.CORE_COMPILER_OPTIONS, {
        onUnRecoverableConfigFileDiagnostic: (diag) => {
          throw new Error(formatDiagnostics([diag]));
        },
        fileExists: fs4.existsSync,
        getCurrentDirectory: () => projectDirectory && path17.resolve(projectDirectory) || process.cwd(),
        readDirectory: ts.sys.readDirectory,
        readFile: (file) => fs4.readFileSync(file, "utf-8"),
        useCaseSensitiveFileNames: ts.sys.useCaseSensitiveFileNames
      });
      const result = parsed;
      if (result.errors.length) {
        throw new Error(formatDiagnostics(result.errors));
      }
      const host = ts.createCompilerHost(result.options, true);
      return ts.createProgram(result.fileNames, result.options, host);
    }
    function formatDiagnostics(diagnostics) {
      return ts.formatDiagnostics(diagnostics, {
        getCanonicalFileName: (f) => f,
        getCurrentDirectory: process.cwd,
        getNewLine: () => "\n"
      });
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/createParserServices.js
var require_createParserServices2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/createParserServices.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.createParserServices = createParserServices;
    function createParserServices(astMaps, program) {
      if (!program) {
        return {
          program,
          emitDecoratorMetadata: void 0,
          experimentalDecorators: void 0,
          // we always return the node maps because
          // (a) they don't require type info and
          // (b) they can be useful when using some of TS's internal non-type-aware AST utils
          ...astMaps
        };
      }
      const checker = program.getTypeChecker();
      const compilerOptions = program.getCompilerOptions();
      return {
        program,
        // not set in the config is the same as off
        emitDecoratorMetadata: compilerOptions.emitDecoratorMetadata ?? false,
        experimentalDecorators: compilerOptions.experimentalDecorators ?? false,
        ...astMaps,
        getSymbolAtLocation: (node) => checker.getSymbolAtLocation(astMaps.esTreeNodeToTSNodeMap.get(node)),
        getTypeAtLocation: (node) => checker.getTypeAtLocation(astMaps.esTreeNodeToTSNodeMap.get(node))
      };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/validateDefaultProjectForFilesGlob.js
var require_validateDefaultProjectForFilesGlob2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/validateDefaultProjectForFilesGlob.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.DEFAULT_PROJECT_FILES_ERROR_EXPLANATION = void 0;
    exports2.validateDefaultProjectForFilesGlob = validateDefaultProjectForFilesGlob;
    exports2.DEFAULT_PROJECT_FILES_ERROR_EXPLANATION = `

Having many files run with the default project is known to cause performance issues and slow down linting.

See https://typescript-eslint.io/troubleshooting/typed-linting#allowdefaultprojectforfiles-glob-too-wide
`;
    function validateDefaultProjectForFilesGlob(options) {
      if (!options.allowDefaultProjectForFiles?.length) {
        return;
      }
      for (const glob of options.allowDefaultProjectForFiles) {
        if (glob === "*") {
          throw new Error(`allowDefaultProjectForFiles contains the overly wide '*'.${exports2.DEFAULT_PROJECT_FILES_ERROR_EXPLANATION}`);
        }
        if (glob.includes("**")) {
          throw new Error(`allowDefaultProjectForFiles glob '${glob}' contains a disallowed '**'.${exports2.DEFAULT_PROJECT_FILES_ERROR_EXPLANATION}`);
        }
      }
    }
  }
});

// node_modules/.pnpm/typescript@5.5.4/node_modules/typescript/lib/tsserverlibrary.js
var require_tsserverlibrary2 = __commonJS({
  "node_modules/.pnpm/typescript@5.5.4/node_modules/typescript/lib/tsserverlibrary.js"(exports2, module2) {
    if (typeof module2 !== "undefined" && module2.exports) {
      module2.exports = require_typescript3();
    } else {
      throw new Error("tsserverlibrary requires CommonJS; use typescript.js instead");
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createProjectService.js
var require_createProjectService2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/create-program/createProjectService.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.createProjectService = createProjectService;
    var node_os_1 = __importDefault2(require("node:os"));
    var validateDefaultProjectForFilesGlob_1 = require_validateDefaultProjectForFilesGlob2();
    var DEFAULT_PROJECT_MATCHED_FILES_THRESHOLD = 8;
    var doNothing = () => {
    };
    var createStubFileWatcher = () => ({
      close: doNothing
    });
    function createProjectService(optionsRaw, jsDocParsingMode) {
      const options = typeof optionsRaw === "object" ? optionsRaw : {};
      (0, validateDefaultProjectForFilesGlob_1.validateDefaultProjectForFilesGlob)(options);
      const tsserver = require_tsserverlibrary2();
      const system = {
        ...tsserver.sys,
        clearImmediate,
        clearTimeout,
        setImmediate,
        setTimeout,
        watchDirectory: createStubFileWatcher,
        watchFile: createStubFileWatcher
      };
      const service = new tsserver.server.ProjectService({
        host: system,
        cancellationToken: { isCancellationRequested: () => false },
        useSingleInferredProject: false,
        useInferredProjectPerProjectRoot: false,
        logger: {
          close: doNothing,
          endGroup: doNothing,
          getLogFileName: () => void 0,
          hasLevel: () => false,
          info: doNothing,
          loggingEnabled: () => false,
          msg: doNothing,
          perftrc: doNothing,
          startGroup: doNothing
        },
        session: void 0,
        jsDocParsingMode
      });
      if (options.defaultProject) {
        let configRead;
        try {
          configRead = tsserver.readConfigFile(options.defaultProject, system.readFile);
        } catch (error) {
          throw new Error(`Could not parse default project '${options.defaultProject}': ${error.message}`);
        }
        if (configRead.error) {
          throw new Error(`Could not read default project '${options.defaultProject}': ${tsserver.formatDiagnostic(configRead.error, {
            getCurrentDirectory: system.getCurrentDirectory,
            getCanonicalFileName: (fileName) => fileName,
            getNewLine: () => node_os_1.default.EOL
          })}`);
        }
        service.setCompilerOptionsForInferredProjects(configRead.config.compilerOptions);
      }
      return {
        allowDefaultProjectForFiles: options.allowDefaultProjectForFiles,
        maximumDefaultProjectFileMatchCount: options.maximumDefaultProjectFileMatchCount_THIS_WILL_SLOW_DOWN_LINTING ?? DEFAULT_PROJECT_MATCHED_FILES_THRESHOLD,
        service
      };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/ExpiringCache.js
var require_ExpiringCache2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/ExpiringCache.js"(exports2) {
    "use strict";
    var __classPrivateFieldSet3 = exports2 && exports2.__classPrivateFieldSet || function(receiver, state, value, kind, f) {
      if (kind === "m") throw new TypeError("Private method is not writable");
      if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a setter");
      if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot write private member to an object whose class did not declare it");
      return kind === "a" ? f.call(receiver, value) : f ? f.value = value : state.set(receiver, value), value;
    };
    var __classPrivateFieldGet3 = exports2 && exports2.__classPrivateFieldGet || function(receiver, state, kind, f) {
      if (kind === "a" && !f) throw new TypeError("Private accessor was defined without a getter");
      if (typeof state === "function" ? receiver !== state || !f : !state.has(receiver)) throw new TypeError("Cannot read private member from an object whose class did not declare it");
      return kind === "m" ? f : kind === "a" ? f.call(receiver) : f ? f.value : state.get(receiver);
    };
    var _ExpiringCache_cacheDurationSeconds;
    var _ExpiringCache_map;
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.ExpiringCache = exports2.DEFAULT_TSCONFIG_CACHE_DURATION_SECONDS = void 0;
    exports2.DEFAULT_TSCONFIG_CACHE_DURATION_SECONDS = 30;
    var ZERO_HR_TIME = [0, 0];
    var ExpiringCache = class {
      constructor(cacheDurationSeconds) {
        _ExpiringCache_cacheDurationSeconds.set(this, void 0);
        _ExpiringCache_map.set(this, /* @__PURE__ */ new Map());
        __classPrivateFieldSet3(this, _ExpiringCache_cacheDurationSeconds, cacheDurationSeconds, "f");
      }
      set(key, value) {
        __classPrivateFieldGet3(this, _ExpiringCache_map, "f").set(key, {
          value,
          lastSeen: __classPrivateFieldGet3(this, _ExpiringCache_cacheDurationSeconds, "f") === "Infinity" ? (
            // no need to waste time calculating the hrtime in infinity mode as there's no expiry
            ZERO_HR_TIME
          ) : process.hrtime()
        });
        return this;
      }
      get(key) {
        const entry = __classPrivateFieldGet3(this, _ExpiringCache_map, "f").get(key);
        if (entry?.value != null) {
          if (__classPrivateFieldGet3(this, _ExpiringCache_cacheDurationSeconds, "f") === "Infinity") {
            return entry.value;
          }
          const ageSeconds = process.hrtime(entry.lastSeen)[0];
          if (ageSeconds < __classPrivateFieldGet3(this, _ExpiringCache_cacheDurationSeconds, "f")) {
            return entry.value;
          }
          __classPrivateFieldGet3(this, _ExpiringCache_map, "f").delete(key);
        }
        return void 0;
      }
      clear() {
        __classPrivateFieldGet3(this, _ExpiringCache_map, "f").clear();
      }
    };
    exports2.ExpiringCache = ExpiringCache;
    _ExpiringCache_cacheDurationSeconds = /* @__PURE__ */ new WeakMap(), _ExpiringCache_map = /* @__PURE__ */ new WeakMap();
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/getProjectConfigFiles.js
var require_getProjectConfigFiles2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/getProjectConfigFiles.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getProjectConfigFiles = getProjectConfigFiles;
    var debug_1 = __importDefault2(require_src2());
    var fs4 = __importStar2(require("fs"));
    var path17 = __importStar2(require("path"));
    var log = (0, debug_1.default)("typescript-eslint:typescript-estree:getProjectConfigFiles");
    function getProjectConfigFiles(parseSettings, project) {
      if (project !== true) {
        if (project == null || project === false) {
          return null;
        }
        if (Array.isArray(project)) {
          return project;
        }
        return [project];
      }
      log("Looking for tsconfig.json at or above file: %s", parseSettings.filePath);
      let directory = path17.dirname(parseSettings.filePath);
      const checkedDirectories = [directory];
      do {
        log("Checking tsconfig.json path: %s", directory);
        const tsconfigPath = path17.join(directory, "tsconfig.json");
        const cached = parseSettings.tsconfigMatchCache.get(directory) ?? (fs4.existsSync(tsconfigPath) && tsconfigPath);
        if (cached) {
          for (const directory2 of checkedDirectories) {
            parseSettings.tsconfigMatchCache.set(directory2, cached);
          }
          return [cached];
        }
        directory = path17.dirname(directory);
        checkedDirectories.push(directory);
      } while (directory.length > 1 && directory.length >= parseSettings.tsconfigRootDir.length);
      throw new Error(`project was set to \`true\` but couldn't find any tsconfig.json relative to '${parseSettings.filePath}' within '${parseSettings.tsconfigRootDir}'.`);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/inferSingleRun.js
var require_inferSingleRun2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/inferSingleRun.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.inferSingleRun = inferSingleRun;
    var path_1 = require("path");
    function inferSingleRun(options) {
      if (
        // single-run implies type-aware linting - no projects means we can't be in single-run mode
        options?.project == null || // programs passed via options means the user should be managing the programs, so we shouldn't
        // be creating our own single-run programs accidentally
        options.programs != null
      ) {
        return false;
      }
      if (process.env.TSESTREE_SINGLE_RUN === "false") {
        return false;
      }
      if (process.env.TSESTREE_SINGLE_RUN === "true") {
        return true;
      }
      if (options.allowAutomaticSingleRunInference) {
        const possibleEslintBinPaths = [
          "node_modules/.bin/eslint",
          // npm or yarn repo
          "node_modules/eslint/bin/eslint.js"
          // pnpm repo
        ];
        if (
          // Default to single runs for CI processes. CI=true is set by most CI providers by default.
          process.env.CI === "true" || // This will be true for invocations such as `npx eslint ...` and `./node_modules/.bin/eslint ...`
          possibleEslintBinPaths.some((path17) => process.argv[1].endsWith((0, path_1.normalize)(path17)))
        ) {
          return true;
        }
      }
      return false;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/resolveProjectList.js
var require_resolveProjectList2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/resolveProjectList.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.clearGlobCache = clearGlobCache;
    exports2.resolveProjectList = resolveProjectList;
    exports2.clearGlobResolutionCache = clearGlobResolutionCache;
    var debug_1 = __importDefault2(require_src2());
    var globby_1 = require_globby();
    var is_glob_1 = __importDefault2(require_is_glob());
    var shared_1 = require_shared4();
    var ExpiringCache_1 = require_ExpiringCache2();
    var log = (0, debug_1.default)("typescript-eslint:typescript-estree:parser:parseSettings:resolveProjectList");
    var RESOLUTION_CACHE = null;
    function clearGlobCache() {
      RESOLUTION_CACHE?.clear();
    }
    function resolveProjectList(options) {
      const sanitizedProjects = [];
      if (options.project != null) {
        for (const project of options.project) {
          if (typeof project === "string") {
            sanitizedProjects.push(project);
          }
        }
      }
      if (sanitizedProjects.length === 0) {
        return /* @__PURE__ */ new Map();
      }
      const projectFolderIgnoreList = (options.projectFolderIgnoreList ?? ["**/node_modules/**"]).reduce((acc, folder) => {
        if (typeof folder === "string") {
          acc.push(folder);
        }
        return acc;
      }, []).map((folder) => folder.startsWith("!") ? folder : `!${folder}`);
      const cacheKey = getHash({
        project: sanitizedProjects,
        projectFolderIgnoreList,
        tsconfigRootDir: options.tsconfigRootDir
      });
      if (RESOLUTION_CACHE == null) {
        RESOLUTION_CACHE = new ExpiringCache_1.ExpiringCache(options.singleRun ? "Infinity" : options.cacheLifetime?.glob ?? ExpiringCache_1.DEFAULT_TSCONFIG_CACHE_DURATION_SECONDS);
      } else {
        const cached = RESOLUTION_CACHE.get(cacheKey);
        if (cached) {
          return cached;
        }
      }
      const nonGlobProjects = sanitizedProjects.filter((project) => !(0, is_glob_1.default)(project));
      const globProjects = sanitizedProjects.filter((project) => (0, is_glob_1.default)(project));
      const uniqueCanonicalProjectPaths = new Map(nonGlobProjects.concat(globProjects.length === 0 ? [] : (0, globby_1.sync)([...globProjects, ...projectFolderIgnoreList], {
        cwd: options.tsconfigRootDir
      })).map((project) => [
        (0, shared_1.getCanonicalFileName)((0, shared_1.ensureAbsolutePath)(project, options.tsconfigRootDir)),
        (0, shared_1.ensureAbsolutePath)(project, options.tsconfigRootDir)
      ]));
      log("parserOptions.project (excluding ignored) matched projects: %s", uniqueCanonicalProjectPaths);
      RESOLUTION_CACHE.set(cacheKey, uniqueCanonicalProjectPaths);
      return uniqueCanonicalProjectPaths;
    }
    function getHash({ project, projectFolderIgnoreList, tsconfigRootDir }) {
      const hashObject = {
        tsconfigRootDir,
        // the project order does matter and can impact the resolved globs
        project,
        // the ignore order won't doesn't ever matter
        projectFolderIgnoreList: [...projectFolderIgnoreList].sort()
      };
      return (0, shared_1.createHash)(JSON.stringify(hashObject));
    }
    function clearGlobResolutionCache() {
      RESOLUTION_CACHE?.clear();
      RESOLUTION_CACHE = null;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/warnAboutTSVersion.js
var require_warnAboutTSVersion2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/warnAboutTSVersion.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.warnAboutTSVersion = warnAboutTSVersion;
    var semver_1 = __importDefault2(require_semver2());
    var ts = __importStar2(require_typescript3());
    var SUPPORTED_TYPESCRIPT_VERSIONS = ">=4.7.4 <5.6.0";
    var SUPPORTED_PRERELEASE_RANGES = [];
    var ACTIVE_TYPESCRIPT_VERSION = ts.version;
    var isRunningSupportedTypeScriptVersion = semver_1.default.satisfies(ACTIVE_TYPESCRIPT_VERSION, [SUPPORTED_TYPESCRIPT_VERSIONS].concat(SUPPORTED_PRERELEASE_RANGES).join(" || "));
    var warnedAboutTSVersion = false;
    function warnAboutTSVersion(parseSettings, passedLoggerFn) {
      if (isRunningSupportedTypeScriptVersion || warnedAboutTSVersion) {
        return;
      }
      if (passedLoggerFn || // See https://github.com/typescript-eslint/typescript-eslint/issues/7896
      // eslint-disable-next-line @typescript-eslint/no-unnecessary-condition
      (typeof process === "undefined" ? false : process.stdout?.isTTY)) {
        const border = "=============";
        const versionWarning = [
          border,
          "WARNING: You are currently running a version of TypeScript which is not officially supported by @typescript-eslint/typescript-estree.",
          "You may find that it works just fine, or you may not.",
          `SUPPORTED TYPESCRIPT VERSIONS: ${SUPPORTED_TYPESCRIPT_VERSIONS}`,
          `YOUR TYPESCRIPT VERSION: ${ACTIVE_TYPESCRIPT_VERSION}`,
          "Please only submit bug reports when using the officially supported version.",
          border
        ].join("\n\n");
        parseSettings.log(versionWarning);
      }
      warnedAboutTSVersion = true;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/createParseSettings.js
var require_createParseSettings2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/parseSettings/createParseSettings.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.createParseSettings = createParseSettings;
    exports2.clearTSConfigMatchCache = clearTSConfigMatchCache;
    exports2.clearTSServerProjectService = clearTSServerProjectService;
    var debug_1 = __importDefault2(require_src2());
    var ts = __importStar2(require_typescript3());
    var createProjectService_1 = require_createProjectService2();
    var shared_1 = require_shared4();
    var source_files_1 = require_source_files2();
    var ExpiringCache_1 = require_ExpiringCache2();
    var getProjectConfigFiles_1 = require_getProjectConfigFiles2();
    var inferSingleRun_1 = require_inferSingleRun2();
    var resolveProjectList_1 = require_resolveProjectList2();
    var warnAboutTSVersion_1 = require_warnAboutTSVersion2();
    var log = (0, debug_1.default)("typescript-eslint:typescript-estree:parser:parseSettings:createParseSettings");
    var TSCONFIG_MATCH_CACHE;
    var TSSERVER_PROJECT_SERVICE = null;
    var JSDocParsingMode = {
      ParseAll: ts.JSDocParsingMode?.ParseAll,
      ParseNone: ts.JSDocParsingMode?.ParseNone,
      ParseForTypeErrors: ts.JSDocParsingMode?.ParseForTypeErrors,
      ParseForTypeInfo: ts.JSDocParsingMode?.ParseForTypeInfo
    };
    function createParseSettings(code, options = {}) {
      const codeFullText = enforceCodeString(code);
      const singleRun = (0, inferSingleRun_1.inferSingleRun)(options);
      const tsconfigRootDir = typeof options.tsconfigRootDir === "string" ? options.tsconfigRootDir : process.cwd();
      const passedLoggerFn = typeof options.loggerFn === "function";
      const jsDocParsingMode = (() => {
        switch (options.jsDocParsingMode) {
          case "all":
            return JSDocParsingMode.ParseAll;
          case "none":
            return JSDocParsingMode.ParseNone;
          case "type-info":
            return JSDocParsingMode.ParseForTypeInfo;
          default:
            return JSDocParsingMode.ParseAll;
        }
      })();
      const parseSettings = {
        allowInvalidAST: options.allowInvalidAST === true,
        code,
        codeFullText,
        comment: options.comment === true,
        comments: [],
        DEPRECATED__createDefaultProgram: (
          // eslint-disable-next-line deprecation/deprecation -- will be cleaned up with the next major
          options.DEPRECATED__createDefaultProgram === true
        ),
        debugLevel: options.debugLevel === true ? /* @__PURE__ */ new Set(["typescript-eslint"]) : Array.isArray(options.debugLevel) ? new Set(options.debugLevel) : /* @__PURE__ */ new Set(),
        errorOnTypeScriptSyntacticAndSemanticIssues: false,
        errorOnUnknownASTType: options.errorOnUnknownASTType === true,
        EXPERIMENTAL_projectService: options.EXPERIMENTAL_useProjectService || options.project && options.EXPERIMENTAL_useProjectService !== false && process.env.TYPESCRIPT_ESLINT_EXPERIMENTAL_TSSERVER === "true" ? TSSERVER_PROJECT_SERVICE ??= (0, createProjectService_1.createProjectService)(options.EXPERIMENTAL_useProjectService, jsDocParsingMode) : void 0,
        EXPERIMENTAL_useSourceOfProjectReferenceRedirect: options.EXPERIMENTAL_useSourceOfProjectReferenceRedirect === true,
        extraFileExtensions: Array.isArray(options.extraFileExtensions) && options.extraFileExtensions.every((ext) => typeof ext === "string") ? options.extraFileExtensions : [],
        filePath: (0, shared_1.ensureAbsolutePath)(typeof options.filePath === "string" && options.filePath !== "" ? options.filePath : getFileName(options.jsx), tsconfigRootDir),
        jsDocParsingMode,
        jsx: options.jsx === true,
        loc: options.loc === true,
        log: typeof options.loggerFn === "function" ? options.loggerFn : options.loggerFn === false ? () => {
        } : console.log,
        // eslint-disable-line no-console
        preserveNodeMaps: options.preserveNodeMaps !== false,
        programs: Array.isArray(options.programs) ? options.programs : null,
        projects: /* @__PURE__ */ new Map(),
        range: options.range === true,
        singleRun,
        suppressDeprecatedPropertyWarnings: options.suppressDeprecatedPropertyWarnings ?? process.env.NODE_ENV !== "test",
        tokens: options.tokens === true ? [] : null,
        tsconfigMatchCache: TSCONFIG_MATCH_CACHE ??= new ExpiringCache_1.ExpiringCache(singleRun ? "Infinity" : options.cacheLifetime?.glob ?? ExpiringCache_1.DEFAULT_TSCONFIG_CACHE_DURATION_SECONDS),
        tsconfigRootDir
      };
      if (parseSettings.debugLevel.size > 0) {
        const namespaces = [];
        if (parseSettings.debugLevel.has("typescript-eslint")) {
          namespaces.push("typescript-eslint:*");
        }
        if (parseSettings.debugLevel.has("eslint") || // make sure we don't turn off the eslint debug if it was enabled via --debug
        debug_1.default.enabled("eslint:*,-eslint:code-path")) {
          namespaces.push("eslint:*,-eslint:code-path");
        }
        debug_1.default.enable(namespaces.join(","));
      }
      if (Array.isArray(options.programs)) {
        if (!options.programs.length) {
          throw new Error(`You have set parserOptions.programs to an empty array. This will cause all files to not be found in existing programs. Either provide one or more existing TypeScript Program instances in the array, or remove the parserOptions.programs setting.`);
        }
        log("parserOptions.programs was provided, so parserOptions.project will be ignored.");
      }
      if (!parseSettings.programs && !parseSettings.EXPERIMENTAL_projectService) {
        parseSettings.projects = (0, resolveProjectList_1.resolveProjectList)({
          cacheLifetime: options.cacheLifetime,
          project: (0, getProjectConfigFiles_1.getProjectConfigFiles)(parseSettings, options.project),
          projectFolderIgnoreList: options.projectFolderIgnoreList,
          singleRun: parseSettings.singleRun,
          tsconfigRootDir
        });
      }
      if (options.jsDocParsingMode == null && parseSettings.projects.size === 0 && parseSettings.programs == null && parseSettings.EXPERIMENTAL_projectService == null) {
        parseSettings.jsDocParsingMode = JSDocParsingMode.ParseNone;
      }
      (0, warnAboutTSVersion_1.warnAboutTSVersion)(parseSettings, passedLoggerFn);
      return parseSettings;
    }
    function clearTSConfigMatchCache() {
      TSCONFIG_MATCH_CACHE?.clear();
    }
    function clearTSServerProjectService() {
      TSSERVER_PROJECT_SERVICE = null;
    }
    function enforceCodeString(code) {
      return (0, source_files_1.isSourceFile)(code) ? code.getFullText(code) : typeof code === "string" ? code : String(code);
    }
    function getFileName(jsx) {
      return jsx ? "estree.tsx" : "estree.ts";
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/semantic-or-syntactic-errors.js
var require_semantic_or_syntactic_errors2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/semantic-or-syntactic-errors.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getFirstSemanticOrSyntacticError = getFirstSemanticOrSyntacticError;
    var typescript_1 = require_typescript3();
    function getFirstSemanticOrSyntacticError(program, ast) {
      try {
        const supportedSyntacticDiagnostics = allowlistSupportedDiagnostics(program.getSyntacticDiagnostics(ast));
        if (supportedSyntacticDiagnostics.length > 0) {
          return convertDiagnosticToSemanticOrSyntacticError(supportedSyntacticDiagnostics[0]);
        }
        const supportedSemanticDiagnostics = allowlistSupportedDiagnostics(program.getSemanticDiagnostics(ast));
        if (supportedSemanticDiagnostics.length > 0) {
          return convertDiagnosticToSemanticOrSyntacticError(supportedSemanticDiagnostics[0]);
        }
        return void 0;
      } catch (e) {
        console.warn(`Warning From TSC: "${e.message}`);
        return void 0;
      }
    }
    function allowlistSupportedDiagnostics(diagnostics) {
      return diagnostics.filter((diagnostic) => {
        switch (diagnostic.code) {
          case 1013:
          case 1014:
          case 1044:
          case 1045:
          case 1048:
          case 1049:
          case 1070:
          case 1071:
          case 1085:
          case 1090:
          case 1096:
          case 1097:
          case 1098:
          case 1099:
          case 1117:
          case 1121:
          case 1123:
          case 1141:
          case 1162:
          case 1164:
          case 1172:
          case 1173:
          case 1175:
          case 1176:
          case 1190:
          case 1196:
          case 1200:
          case 1206:
          case 1211:
          case 1242:
          case 1246:
          case 1255:
          case 1308:
          case 2364:
          case 2369:
          case 2452:
          case 2462:
          case 8017:
          case 17012:
          case 17013:
            return true;
        }
        return false;
      });
    }
    function convertDiagnosticToSemanticOrSyntacticError(diagnostic) {
      return {
        ...diagnostic,
        message: (0, typescript_1.flattenDiagnosticMessageText)(diagnostic.messageText, typescript_1.sys.newLine)
      };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/useProgramFromProjectService.js
var require_useProgramFromProjectService2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/useProgramFromProjectService.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.useProgramFromProjectService = useProgramFromProjectService;
    var debug_1 = __importDefault2(require_src2());
    var minimatch_1 = require_commonjs();
    var path_1 = __importDefault2(require("path"));
    var createProjectProgram_1 = require_createProjectProgram2();
    var validateDefaultProjectForFilesGlob_1 = require_validateDefaultProjectForFilesGlob2();
    var log = (0, debug_1.default)("typescript-eslint:typescript-estree:useProgramFromProjectService");
    function useProgramFromProjectService({ allowDefaultProjectForFiles, maximumDefaultProjectFileMatchCount, service }, parseSettings, hasFullTypeInformation, defaultProjectMatchedFiles) {
      const filePathAbsolute = absolutify(parseSettings.filePath);
      log("Opening project service file for: %s at absolute path %s", parseSettings.filePath, filePathAbsolute);
      const opened = service.openClientFile(
        filePathAbsolute,
        parseSettings.codeFullText,
        /* scriptKind */
        void 0,
        parseSettings.tsconfigRootDir
      );
      log("Opened project service file: %o", opened);
      if (hasFullTypeInformation) {
        log("Project service type information enabled; checking for file path match on: %o", allowDefaultProjectForFiles);
        const isDefaultProjectAllowedPath = filePathMatchedBy(parseSettings.filePath, allowDefaultProjectForFiles);
        log("Default project allowed path: %s, based on config file: %s", isDefaultProjectAllowedPath, opened.configFileName);
        if (opened.configFileName) {
          if (isDefaultProjectAllowedPath) {
            throw new Error(`${parseSettings.filePath} was included by allowDefaultProjectForFiles but also was found in the project service. Consider removing it from allowDefaultProjectForFiles.`);
          }
        } else if (!isDefaultProjectAllowedPath) {
          throw new Error(`${parseSettings.filePath} was not found by the project service. Consider either including it in the tsconfig.json or including it in allowDefaultProjectForFiles.`);
        }
      }
      log("Retrieving script info and then program for: %s", filePathAbsolute);
      const scriptInfo = service.getScriptInfo(filePathAbsolute);
      const program = service.getDefaultProjectForFile(scriptInfo.fileName, true).getLanguageService(
        /*ensureSynchronized*/
        true
      ).getProgram();
      if (!program) {
        log("Could not find project service program for: %s", filePathAbsolute);
        return void 0;
      }
      if (!opened.configFileName) {
        defaultProjectMatchedFiles.add(filePathAbsolute);
      }
      if (defaultProjectMatchedFiles.size > maximumDefaultProjectFileMatchCount) {
        const filePrintLimit = 20;
        const filesToPrint = Array.from(defaultProjectMatchedFiles).slice(0, filePrintLimit);
        const truncatedFileCount = defaultProjectMatchedFiles.size - filesToPrint.length;
        throw new Error(`Too many files (>${maximumDefaultProjectFileMatchCount}) have matched the default project.${validateDefaultProjectForFilesGlob_1.DEFAULT_PROJECT_FILES_ERROR_EXPLANATION}
Matching files:
${filesToPrint.map((file) => `- ${file}`).join("\n")}
${truncatedFileCount ? `...and ${truncatedFileCount} more files
` : ""}
If you absolutely need more files included, set parserOptions.EXPERIMENTAL_useProjectService.maximumDefaultProjectFileMatchCount_THIS_WILL_SLOW_DOWN_LINTING to a larger value.
`);
      }
      log("Found project service program for: %s", filePathAbsolute);
      return (0, createProjectProgram_1.createProjectProgram)(parseSettings, [program]);
      function absolutify(filePath) {
        return path_1.default.isAbsolute(filePath) ? filePath : path_1.default.join(service.host.getCurrentDirectory(), filePath);
      }
    }
    function filePathMatchedBy(filePath, allowDefaultProjectForFiles) {
      return !!allowDefaultProjectForFiles?.some((pattern) => (0, minimatch_1.minimatch)(filePath, pattern));
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/parser.js
var require_parser8 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/parser.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.parse = parse2;
    exports2.parseAndGenerateServices = parseAndGenerateServices;
    exports2.clearDefaultProjectMatchedFiles = clearDefaultProjectMatchedFiles;
    exports2.clearProgramCache = clearProgramCache;
    exports2.clearParseAndGenerateServicesCalls = clearParseAndGenerateServicesCalls;
    var debug_1 = __importDefault2(require_src2());
    var ast_converter_1 = require_ast_converter2();
    var convert_1 = require_convert4();
    var createDefaultProgram_1 = require_createDefaultProgram2();
    var createIsolatedProgram_1 = require_createIsolatedProgram2();
    var createProjectProgram_1 = require_createProjectProgram2();
    var createSourceFile_1 = require_createSourceFile2();
    var getWatchProgramsForProjects_1 = require_getWatchProgramsForProjects2();
    var useProvidedPrograms_1 = require_useProvidedPrograms2();
    var createParserServices_1 = require_createParserServices2();
    var createParseSettings_1 = require_createParseSettings2();
    var semantic_or_syntactic_errors_1 = require_semantic_or_syntactic_errors2();
    var useProgramFromProjectService_1 = require_useProgramFromProjectService2();
    var log = (0, debug_1.default)("typescript-eslint:typescript-estree:parser");
    var existingPrograms = /* @__PURE__ */ new Map();
    function clearProgramCache() {
      existingPrograms.clear();
    }
    var defaultProjectMatchedFiles = /* @__PURE__ */ new Set();
    function clearDefaultProjectMatchedFiles() {
      defaultProjectMatchedFiles.clear();
    }
    function getProgramAndAST(parseSettings, hasFullTypeInformation) {
      if (parseSettings.EXPERIMENTAL_projectService) {
        const fromProjectService = (0, useProgramFromProjectService_1.useProgramFromProjectService)(parseSettings.EXPERIMENTAL_projectService, parseSettings, hasFullTypeInformation, defaultProjectMatchedFiles);
        if (fromProjectService) {
          return fromProjectService;
        }
      }
      if (parseSettings.programs) {
        const fromProvidedPrograms = (0, useProvidedPrograms_1.useProvidedPrograms)(parseSettings.programs, parseSettings);
        if (fromProvidedPrograms) {
          return fromProvidedPrograms;
        }
      }
      if (!hasFullTypeInformation) {
        return (0, createSourceFile_1.createNoProgram)(parseSettings);
      }
      const fromProjectProgram = (0, createProjectProgram_1.createProjectProgram)(parseSettings, (0, getWatchProgramsForProjects_1.getWatchProgramsForProjects)(parseSettings));
      if (fromProjectProgram) {
        return fromProjectProgram;
      }
      if (parseSettings.DEPRECATED__createDefaultProgram) {
        const fromDefaultProgram = (0, createDefaultProgram_1.createDefaultProgram)(parseSettings);
        if (fromDefaultProgram) {
          return fromDefaultProgram;
        }
      }
      return (0, createIsolatedProgram_1.createIsolatedProgram)(parseSettings);
    }
    function parse2(code, options) {
      const { ast } = parseWithNodeMapsInternal(code, options, false);
      return ast;
    }
    function parseWithNodeMapsInternal(code, options, shouldPreserveNodeMaps) {
      const parseSettings = (0, createParseSettings_1.createParseSettings)(code, options);
      if (options?.errorOnTypeScriptSyntacticAndSemanticIssues) {
        throw new Error(`"errorOnTypeScriptSyntacticAndSemanticIssues" is only supported for parseAndGenerateServices()`);
      }
      const ast = (0, createSourceFile_1.createSourceFile)(parseSettings);
      const { estree, astMaps } = (0, ast_converter_1.astConverter)(ast, parseSettings, shouldPreserveNodeMaps);
      return {
        ast: estree,
        esTreeNodeToTSNodeMap: astMaps.esTreeNodeToTSNodeMap,
        tsNodeToESTreeNodeMap: astMaps.tsNodeToESTreeNodeMap
      };
    }
    var parseAndGenerateServicesCalls = {};
    function clearParseAndGenerateServicesCalls() {
      parseAndGenerateServicesCalls = {};
    }
    function parseAndGenerateServices(code, options) {
      const parseSettings = (0, createParseSettings_1.createParseSettings)(code, options);
      if (parseSettings.singleRun && !parseSettings.programs && parseSettings.projects.size > 0) {
        parseSettings.programs = {
          *[Symbol.iterator]() {
            for (const configFile of parseSettings.projects) {
              const existingProgram = existingPrograms.get(configFile[0]);
              if (existingProgram) {
                yield existingProgram;
              } else {
                log("Detected single-run/CLI usage, creating Program once ahead of time for project: %s", configFile);
                const newProgram = (0, useProvidedPrograms_1.createProgramFromConfigFile)(configFile[1]);
                existingPrograms.set(configFile[0], newProgram);
                yield newProgram;
              }
            }
          }
        };
      }
      const hasFullTypeInformation = parseSettings.programs != null || parseSettings.projects.size > 0;
      if (typeof options.errorOnTypeScriptSyntacticAndSemanticIssues === "boolean" && options.errorOnTypeScriptSyntacticAndSemanticIssues) {
        parseSettings.errorOnTypeScriptSyntacticAndSemanticIssues = true;
      }
      if (parseSettings.errorOnTypeScriptSyntacticAndSemanticIssues && !hasFullTypeInformation) {
        throw new Error("Cannot calculate TypeScript semantic issues without a valid project.");
      }
      if (parseSettings.singleRun && options.filePath) {
        parseAndGenerateServicesCalls[options.filePath] = (parseAndGenerateServicesCalls[options.filePath] || 0) + 1;
      }
      const { ast, program } = parseSettings.singleRun && options.filePath && parseAndGenerateServicesCalls[options.filePath] > 1 ? (0, createIsolatedProgram_1.createIsolatedProgram)(parseSettings) : getProgramAndAST(parseSettings, hasFullTypeInformation);
      const shouldPreserveNodeMaps = typeof parseSettings.preserveNodeMaps === "boolean" ? parseSettings.preserveNodeMaps : true;
      const { estree, astMaps } = (0, ast_converter_1.astConverter)(ast, parseSettings, shouldPreserveNodeMaps);
      if (program && parseSettings.errorOnTypeScriptSyntacticAndSemanticIssues) {
        const error = (0, semantic_or_syntactic_errors_1.getFirstSemanticOrSyntacticError)(program, ast);
        if (error) {
          throw (0, convert_1.convertError)(error);
        }
      }
      return {
        ast: estree,
        services: (0, createParserServices_1.createParserServices)(astMaps, program)
      };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/clear-caches.js
var require_clear_caches2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/clear-caches.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.clearProgramCache = void 0;
    exports2.clearCaches = clearCaches;
    var getWatchProgramsForProjects_1 = require_getWatchProgramsForProjects2();
    var parser_1 = require_parser8();
    var createParseSettings_1 = require_createParseSettings2();
    var resolveProjectList_1 = require_resolveProjectList2();
    function clearCaches() {
      (0, parser_1.clearDefaultProjectMatchedFiles)();
      (0, parser_1.clearProgramCache)();
      (0, getWatchProgramsForProjects_1.clearWatchCaches)();
      (0, createParseSettings_1.clearTSConfigMatchCache)();
      (0, createParseSettings_1.clearTSServerProjectService)();
      (0, resolveProjectList_1.clearGlobCache)();
    }
    exports2.clearProgramCache = clearCaches;
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/withoutProjectParserOptions.js
var require_withoutProjectParserOptions2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/withoutProjectParserOptions.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.withoutProjectParserOptions = withoutProjectParserOptions;
    function withoutProjectParserOptions(opts) {
      const { EXPERIMENTAL_useProjectService, project, ...rest } = opts;
      return rest;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/package.json
var require_package17 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/package.json"(exports2, module2) {
    module2.exports = {
      name: "@typescript-eslint/typescript-estree",
      version: "7.16.0",
      description: "A parser that converts TypeScript source code into an ESTree compatible form",
      files: [
        "dist",
        "_ts4.3",
        "README.md",
        "LICENSE"
      ],
      type: "commonjs",
      exports: {
        ".": {
          types: "./dist/index.d.ts",
          default: "./dist/index.js"
        },
        "./package.json": "./package.json",
        "./use-at-your-own-risk": {
          types: "./dist/use-at-your-own-risk.d.ts",
          default: "./dist/use-at-your-own-risk.js"
        }
      },
      types: "./dist/index.d.ts",
      engines: {
        node: "^18.18.0 || >=20.0.0"
      },
      repository: {
        type: "git",
        url: "https://github.com/typescript-eslint/typescript-eslint.git",
        directory: "packages/typescript-estree"
      },
      bugs: {
        url: "https://github.com/typescript-eslint/typescript-eslint/issues"
      },
      homepage: "https://typescript-eslint.io/packages/typescript-estree",
      license: "BSD-2-Clause",
      keywords: [
        "ast",
        "estree",
        "ecmascript",
        "javascript",
        "typescript",
        "parser",
        "syntax"
      ],
      scripts: {
        build: "tsc -b tsconfig.build.json",
        postbuild: "downlevel-dts dist _ts4.3/dist --to=4.3",
        clean: "tsc -b tsconfig.build.json --clean",
        postclean: "rimraf dist && rimraf _ts4.3 && rimraf coverage",
        format: 'prettier --write "./**/*.{ts,mts,cts,tsx,js,mjs,cjs,jsx,json,md,css}" --ignore-path ../../.prettierignore',
        lint: "npx nx lint",
        test: "jest --coverage --runInBand --verbose",
        typecheck: "tsc --noEmit"
      },
      dependencies: {
        "@typescript-eslint/types": "7.16.0",
        "@typescript-eslint/visitor-keys": "7.16.0",
        debug: "^4.3.4",
        globby: "^11.1.0",
        "is-glob": "^4.0.3",
        minimatch: "^9.0.4",
        semver: "^7.6.0",
        "ts-api-utils": "^1.3.0"
      },
      devDependencies: {
        "@jest/types": "29.6.3",
        glob: "*",
        jest: "29.7.0",
        prettier: "^3.2.5",
        rimraf: "*",
        tmp: "*",
        typescript: "*"
      },
      peerDependenciesMeta: {
        typescript: {
          optional: true
        }
      },
      funding: {
        type: "opencollective",
        url: "https://opencollective.com/typescript-eslint"
      },
      typesVersions: {
        "<4.7": {
          "*": [
            "_ts4.3/*"
          ]
        }
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/index.js
var require_dist16 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+typescript-estree@7.16.0_typescript@5.5.4/node_modules/@typescript-eslint/typescript-estree/dist/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) {
      for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p);
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.version = exports2.withoutProjectParserOptions = exports2.TSError = exports2.typescriptVersionIsAtLeast = exports2.getCanonicalFileName = exports2.createProgram = exports2.simpleTraverse = exports2.parseAndGenerateServices = exports2.parse = void 0;
    var parser_1 = require_parser8();
    Object.defineProperty(exports2, "parse", { enumerable: true, get: function() {
      return parser_1.parse;
    } });
    Object.defineProperty(exports2, "parseAndGenerateServices", { enumerable: true, get: function() {
      return parser_1.parseAndGenerateServices;
    } });
    var simple_traverse_1 = require_simple_traverse2();
    Object.defineProperty(exports2, "simpleTraverse", { enumerable: true, get: function() {
      return simple_traverse_1.simpleTraverse;
    } });
    __exportStar2(require_ts_estree5(), exports2);
    var useProvidedPrograms_1 = require_useProvidedPrograms2();
    Object.defineProperty(exports2, "createProgram", { enumerable: true, get: function() {
      return useProvidedPrograms_1.createProgramFromConfigFile;
    } });
    __exportStar2(require_getScriptKind2(), exports2);
    var shared_1 = require_shared4();
    Object.defineProperty(exports2, "getCanonicalFileName", { enumerable: true, get: function() {
      return shared_1.getCanonicalFileName;
    } });
    var version_check_1 = require_version_check2();
    Object.defineProperty(exports2, "typescriptVersionIsAtLeast", { enumerable: true, get: function() {
      return version_check_1.typescriptVersionIsAtLeast;
    } });
    __exportStar2(require_getModifiers2(), exports2);
    var node_utils_1 = require_node_utils2();
    Object.defineProperty(exports2, "TSError", { enumerable: true, get: function() {
      return node_utils_1.TSError;
    } });
    __exportStar2(require_clear_caches2(), exports2);
    var withoutProjectParserOptions_1 = require_withoutProjectParserOptions2();
    Object.defineProperty(exports2, "withoutProjectParserOptions", { enumerable: true, get: function() {
      return withoutProjectParserOptions_1.withoutProjectParserOptions;
    } });
    exports2.version = require_package17().version;
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/TypeOrValueSpecifier.js
var require_TypeOrValueSpecifier2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/TypeOrValueSpecifier.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.typeOrValueSpecifierSchema = void 0;
    exports2.typeMatchesSpecifier = typeMatchesSpecifier;
    var typescript_estree_1 = require_dist16();
    var path_1 = __importDefault2(require("path"));
    var tsutils = __importStar2(require_lib23());
    exports2.typeOrValueSpecifierSchema = {
      oneOf: [
        {
          type: "string"
        },
        {
          type: "object",
          additionalProperties: false,
          properties: {
            from: {
              type: "string",
              enum: ["file"]
            },
            name: {
              oneOf: [
                {
                  type: "string"
                },
                {
                  type: "array",
                  minItems: 1,
                  uniqueItems: true,
                  items: {
                    type: "string"
                  }
                }
              ]
            },
            path: {
              type: "string"
            }
          },
          required: ["from", "name"]
        },
        {
          type: "object",
          additionalProperties: false,
          properties: {
            from: {
              type: "string",
              enum: ["lib"]
            },
            name: {
              oneOf: [
                {
                  type: "string"
                },
                {
                  type: "array",
                  minItems: 1,
                  uniqueItems: true,
                  items: {
                    type: "string"
                  }
                }
              ]
            }
          },
          required: ["from", "name"]
        },
        {
          type: "object",
          additionalProperties: false,
          properties: {
            from: {
              type: "string",
              enum: ["package"]
            },
            name: {
              oneOf: [
                {
                  type: "string"
                },
                {
                  type: "array",
                  minItems: 1,
                  uniqueItems: true,
                  items: {
                    type: "string"
                  }
                }
              ]
            },
            package: {
              type: "string"
            }
          },
          required: ["from", "name", "package"]
        }
      ]
    };
    function specifierNameMatches(type, name) {
      if (typeof name === "string") {
        name = [name];
      }
      if (name.some((item) => item === type.intrinsicName)) {
        return true;
      }
      const symbol = type.aliasSymbol ?? type.getSymbol();
      if (symbol === void 0) {
        return false;
      }
      return name.some((item) => item === symbol.escapedName);
    }
    function typeDeclaredInFile(relativePath, declarationFiles, program) {
      if (relativePath === void 0) {
        const cwd = (0, typescript_estree_1.getCanonicalFileName)(program.getCurrentDirectory());
        return declarationFiles.some((declaration) => (0, typescript_estree_1.getCanonicalFileName)(declaration.fileName).startsWith(cwd));
      }
      const absolutePath = (0, typescript_estree_1.getCanonicalFileName)(path_1.default.join(program.getCurrentDirectory(), relativePath));
      return declarationFiles.some((declaration) => (0, typescript_estree_1.getCanonicalFileName)(declaration.fileName) === absolutePath);
    }
    function typeDeclaredInPackage(packageName, declarationFiles, program) {
      const typesPackageName = packageName.replace(/^@([^/]+)\//, "$1__");
      const matcher = new RegExp(`${packageName}|${typesPackageName}`);
      return declarationFiles.some((declaration) => {
        const packageIdName = program.sourceFileToPackageName.get(declaration.path);
        return packageIdName !== void 0 && matcher.test(packageIdName) && program.isSourceFileFromExternalLibrary(declaration);
      });
    }
    function typeDeclaredInLib(declarationFiles, program) {
      if (declarationFiles.length === 0) {
        return true;
      }
      return declarationFiles.some((declaration) => program.isSourceFileDefaultLibrary(declaration));
    }
    function typeMatchesSpecifier(type, specifier, program) {
      if (tsutils.isIntrinsicErrorType(type)) {
        return false;
      }
      if (typeof specifier === "string") {
        return specifierNameMatches(type, specifier);
      }
      if (!specifierNameMatches(type, specifier.name)) {
        return false;
      }
      const symbol = type.getSymbol() ?? type.aliasSymbol;
      const declarationFiles = symbol?.getDeclarations()?.map((declaration) => declaration.getSourceFile()) ?? [];
      switch (specifier.from) {
        case "file":
          return typeDeclaredInFile(specifier.path, declarationFiles, program);
        case "lib":
          return typeDeclaredInLib(declarationFiles, program);
        case "package":
          return typeDeclaredInPackage(specifier.package, declarationFiles, program);
      }
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/isTypeReadonly.js
var require_isTypeReadonly2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/isTypeReadonly.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.readonlynessOptionsDefaults = exports2.readonlynessOptionsSchema = void 0;
    exports2.isTypeReadonly = isTypeReadonly;
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var propertyTypes_1 = require_propertyTypes2();
    var TypeOrValueSpecifier_1 = require_TypeOrValueSpecifier2();
    exports2.readonlynessOptionsSchema = {
      type: "object",
      additionalProperties: false,
      properties: {
        treatMethodsAsReadonly: {
          type: "boolean"
        },
        allow: {
          type: "array",
          items: TypeOrValueSpecifier_1.typeOrValueSpecifierSchema
        }
      }
    };
    exports2.readonlynessOptionsDefaults = {
      treatMethodsAsReadonly: false,
      allow: []
    };
    function hasSymbol(node) {
      return Object.prototype.hasOwnProperty.call(node, "symbol");
    }
    function isTypeReadonlyArrayOrTuple(program, type, options, seenTypes) {
      const checker = program.getTypeChecker();
      function checkTypeArguments(arrayType2) {
        const typeArguments = checker.getTypeArguments(arrayType2);
        if (typeArguments.length === 0) {
          return 3;
        }
        if (typeArguments.some(
          (typeArg) => isTypeReadonlyRecurser(program, typeArg, options, seenTypes) === 2
          /* Readonlyness.Mutable */
        )) {
          return 2;
        }
        return 3;
      }
      if (checker.isArrayType(type)) {
        const symbol = utils_1.ESLintUtils.nullThrows(type.getSymbol(), utils_1.ESLintUtils.NullThrowsReasons.MissingToken("symbol", "array type"));
        const escapedName = symbol.getEscapedName();
        if (escapedName === "Array") {
          return 2;
        }
        return checkTypeArguments(type);
      }
      if (checker.isTupleType(type)) {
        if (!type.target.readonly) {
          return 2;
        }
        return checkTypeArguments(type);
      }
      return 1;
    }
    function isTypeReadonlyObject(program, type, options, seenTypes) {
      const checker = program.getTypeChecker();
      function checkIndexSignature(kind) {
        const indexInfo = checker.getIndexInfoOfType(type, kind);
        if (indexInfo) {
          if (!indexInfo.isReadonly) {
            return 2;
          }
          if (indexInfo.type === type || seenTypes.has(indexInfo.type)) {
            return 3;
          }
          return isTypeReadonlyRecurser(program, indexInfo.type, options, seenTypes);
        }
        return 1;
      }
      const properties = type.getProperties();
      if (properties.length) {
        for (const property of properties) {
          if (options.treatMethodsAsReadonly) {
            if (property.valueDeclaration !== void 0 && hasSymbol(property.valueDeclaration) && tsutils.isSymbolFlagSet(property.valueDeclaration.symbol, ts.SymbolFlags.Method)) {
              continue;
            }
            const declarations = property.getDeclarations();
            const lastDeclaration = declarations !== void 0 && declarations.length > 0 ? declarations[declarations.length - 1] : void 0;
            if (lastDeclaration !== void 0 && hasSymbol(lastDeclaration) && tsutils.isSymbolFlagSet(lastDeclaration.symbol, ts.SymbolFlags.Method)) {
              continue;
            }
          }
          if (tsutils.isPropertyReadonlyInType(type, property.getEscapedName(), checker)) {
            continue;
          }
          const name = ts.getNameOfDeclaration(property.valueDeclaration);
          if (name && ts.isPrivateIdentifier(name)) {
            continue;
          }
          return 2;
        }
        for (const property of properties) {
          const propertyType = utils_1.ESLintUtils.nullThrows((0, propertyTypes_1.getTypeOfPropertyOfType)(checker, type, property), utils_1.ESLintUtils.NullThrowsReasons.MissingToken(`property "${property.name}"`, "type"));
          if (seenTypes.has(propertyType)) {
            continue;
          }
          if (isTypeReadonlyRecurser(program, propertyType, options, seenTypes) === 2) {
            return 2;
          }
        }
      }
      const isStringIndexSigReadonly = checkIndexSignature(ts.IndexKind.String);
      if (isStringIndexSigReadonly === 2) {
        return isStringIndexSigReadonly;
      }
      const isNumberIndexSigReadonly = checkIndexSignature(ts.IndexKind.Number);
      if (isNumberIndexSigReadonly === 2) {
        return isNumberIndexSigReadonly;
      }
      return 3;
    }
    function isTypeReadonlyRecurser(program, type, options, seenTypes) {
      const checker = program.getTypeChecker();
      seenTypes.add(type);
      if (options.allow?.some((specifier) => (0, TypeOrValueSpecifier_1.typeMatchesSpecifier)(type, specifier, program))) {
        return 3;
      }
      if (tsutils.isUnionType(type)) {
        const result = tsutils.unionTypeParts(type).every(
          (t) => seenTypes.has(t) || isTypeReadonlyRecurser(program, t, options, seenTypes) === 3
          /* Readonlyness.Readonly */
        );
        const readonlyness = result ? 3 : 2;
        return readonlyness;
      }
      if (tsutils.isIntersectionType(type)) {
        if (type.types.some((t) => checker.isArrayType(t) || checker.isTupleType(t))) {
          const allReadonlyParts = type.types.every(
            (t) => seenTypes.has(t) || isTypeReadonlyRecurser(program, t, options, seenTypes) === 3
            /* Readonlyness.Readonly */
          );
          return allReadonlyParts ? 3 : 2;
        }
        const isReadonlyObject2 = isTypeReadonlyObject(program, type, options, seenTypes);
        if (isReadonlyObject2 !== 1) {
          return isReadonlyObject2;
        }
      }
      if (tsutils.isConditionalType(type)) {
        const result = [type.root.node.trueType, type.root.node.falseType].map(checker.getTypeFromTypeNode).every(
          (t) => seenTypes.has(t) || isTypeReadonlyRecurser(program, t, options, seenTypes) === 3
          /* Readonlyness.Readonly */
        );
        const readonlyness = result ? 3 : 2;
        return readonlyness;
      }
      if (!tsutils.isObjectType(type)) {
        return 3;
      }
      if (type.getCallSignatures().length > 0 && type.getProperties().length === 0) {
        return 3;
      }
      const isReadonlyArray = isTypeReadonlyArrayOrTuple(program, type, options, seenTypes);
      if (isReadonlyArray !== 1) {
        return isReadonlyArray;
      }
      const isReadonlyObject = isTypeReadonlyObject(program, type, options, seenTypes);
      if (isReadonlyObject !== 1) {
        return isReadonlyObject;
      }
      throw new Error("Unhandled type");
    }
    function isTypeReadonly(program, type, options = exports2.readonlynessOptionsDefaults) {
      return isTypeReadonlyRecurser(program, type, options, /* @__PURE__ */ new Set()) === 3;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/predicates.js
var require_predicates6 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/predicates.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.AnyType = void 0;
    exports2.isNullableType = isNullableType;
    exports2.isTypeArrayTypeOrUnionOfArrayTypes = isTypeArrayTypeOrUnionOfArrayTypes;
    exports2.isTypeNeverType = isTypeNeverType;
    exports2.isTypeUnknownType = isTypeUnknownType;
    exports2.isTypeReferenceType = isTypeReferenceType;
    exports2.isTypeAnyType = isTypeAnyType;
    exports2.isTypeAnyArrayType = isTypeAnyArrayType;
    exports2.isTypeUnknownArrayType = isTypeUnknownArrayType;
    exports2.isAnyOrAnyArrayTypeDiscriminated = isAnyOrAnyArrayTypeDiscriminated;
    exports2.typeIsOrHasBaseType = typeIsOrHasBaseType;
    exports2.isTypeBigIntLiteralType = isTypeBigIntLiteralType;
    exports2.isTypeTemplateLiteralType = isTypeTemplateLiteralType;
    var debug_1 = __importDefault2(require_src2());
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var typeFlagUtils_1 = require_typeFlagUtils2();
    var log = (0, debug_1.default)("typescript-eslint:eslint-plugin:utils:types");
    function isNullableType(type, _deprecated) {
      return (0, typeFlagUtils_1.isTypeFlagSet)(type, ts.TypeFlags.Any | ts.TypeFlags.Unknown | ts.TypeFlags.Null | ts.TypeFlags.Undefined);
    }
    function isTypeArrayTypeOrUnionOfArrayTypes(type, checker) {
      for (const t of tsutils.unionTypeParts(type)) {
        if (!checker.isArrayType(t)) {
          return false;
        }
      }
      return true;
    }
    function isTypeNeverType(type) {
      return (0, typeFlagUtils_1.isTypeFlagSet)(type, ts.TypeFlags.Never);
    }
    function isTypeUnknownType(type) {
      return (0, typeFlagUtils_1.isTypeFlagSet)(type, ts.TypeFlags.Unknown);
    }
    var Nullable = ts.TypeFlags.Undefined | ts.TypeFlags.Null;
    var ObjectFlagsType = ts.TypeFlags.Any | Nullable | ts.TypeFlags.Never | ts.TypeFlags.Object | ts.TypeFlags.Union | ts.TypeFlags.Intersection;
    function isTypeReferenceType(type) {
      if ((type.flags & ObjectFlagsType) === 0) {
        return false;
      }
      const objectTypeFlags = type.objectFlags;
      return (objectTypeFlags & ts.ObjectFlags.Reference) !== 0;
    }
    function isTypeAnyType(type) {
      if ((0, typeFlagUtils_1.isTypeFlagSet)(type, ts.TypeFlags.Any)) {
        if (type.intrinsicName === "error") {
          log('Found an "error" any type');
        }
        return true;
      }
      return false;
    }
    function isTypeAnyArrayType(type, checker) {
      return checker.isArrayType(type) && isTypeAnyType(checker.getTypeArguments(type)[0]);
    }
    function isTypeUnknownArrayType(type, checker) {
      return checker.isArrayType(type) && isTypeUnknownType(checker.getTypeArguments(type)[0]);
    }
    var AnyType;
    (function(AnyType2) {
      AnyType2[AnyType2["Any"] = 0] = "Any";
      AnyType2[AnyType2["AnyArray"] = 1] = "AnyArray";
      AnyType2[AnyType2["Safe"] = 2] = "Safe";
    })(AnyType || (exports2.AnyType = AnyType = {}));
    function isAnyOrAnyArrayTypeDiscriminated(node, checker) {
      const type = checker.getTypeAtLocation(node);
      if (isTypeAnyType(type)) {
        return AnyType.Any;
      }
      if (isTypeAnyArrayType(type, checker)) {
        return AnyType.AnyArray;
      }
      return AnyType.Safe;
    }
    function typeIsOrHasBaseType(type, parentType) {
      const parentSymbol = parentType.getSymbol();
      if (!type.getSymbol() || !parentSymbol) {
        return false;
      }
      const typeAndBaseTypes = [type];
      const ancestorTypes = type.getBaseTypes();
      if (ancestorTypes) {
        typeAndBaseTypes.push(...ancestorTypes);
      }
      for (const baseType of typeAndBaseTypes) {
        const baseSymbol = baseType.getSymbol();
        if (baseSymbol && baseSymbol.name === parentSymbol.name) {
          return true;
        }
      }
      return false;
    }
    function isTypeBigIntLiteralType(type) {
      return (0, typeFlagUtils_1.isTypeFlagSet)(type, ts.TypeFlags.BigIntLiteral);
    }
    function isTypeTemplateLiteralType(type) {
      return (0, typeFlagUtils_1.isTypeFlagSet)(type, ts.TypeFlags.TemplateLiteral);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/isUnsafeAssignment.js
var require_isUnsafeAssignment2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/isUnsafeAssignment.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isUnsafeAssignment = isUnsafeAssignment;
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var predicates_1 = require_predicates6();
    function isUnsafeAssignment(type, receiver, checker, senderNode) {
      return isUnsafeAssignmentWorker(type, receiver, checker, senderNode, /* @__PURE__ */ new Map());
    }
    function isUnsafeAssignmentWorker(type, receiver, checker, senderNode, visited) {
      if ((0, predicates_1.isTypeAnyType)(type)) {
        if ((0, predicates_1.isTypeUnknownType)(receiver)) {
          return false;
        }
        if (!(0, predicates_1.isTypeAnyType)(receiver)) {
          return { sender: type, receiver };
        }
      }
      const typeAlreadyVisited = visited.get(type);
      if (typeAlreadyVisited) {
        if (typeAlreadyVisited.has(receiver)) {
          return false;
        }
        typeAlreadyVisited.add(receiver);
      } else {
        visited.set(type, /* @__PURE__ */ new Set([receiver]));
      }
      if (tsutils.isTypeReference(type) && tsutils.isTypeReference(receiver)) {
        if (type.target !== receiver.target) {
          return false;
        }
        if (senderNode?.type === utils_1.AST_NODE_TYPES.NewExpression && senderNode.callee.type === utils_1.AST_NODE_TYPES.Identifier && senderNode.callee.name === "Map" && senderNode.arguments.length === 0 && senderNode.typeArguments == null) {
          return false;
        }
        const typeArguments = type.typeArguments ?? [];
        const receiverTypeArguments = receiver.typeArguments ?? [];
        for (let i = 0; i < typeArguments.length; i += 1) {
          const arg = typeArguments[i];
          const receiverArg = receiverTypeArguments[i];
          const unsafe = isUnsafeAssignmentWorker(arg, receiverArg, checker, senderNode, visited);
          if (unsafe) {
            return { sender: type, receiver };
          }
        }
        return false;
      }
      return false;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/requiresQuoting.js
var require_requiresQuoting2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/requiresQuoting.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.requiresQuoting = requiresQuoting;
    var ts = __importStar2(require_typescript3());
    function requiresQuoting(name, target = ts.ScriptTarget.ESNext) {
      if (name.length === 0) {
        return true;
      }
      if (!ts.isIdentifierStart(name.charCodeAt(0), target)) {
        return true;
      }
      for (let i = 1; i < name.length; i += 1) {
        if (!ts.isIdentifierPart(name.charCodeAt(i), target)) {
          return true;
        }
      }
      return false;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/index.js
var require_dist17 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+type-utils@7.16.0_eslint@9.5.0_typescript@5.5.4/node_modules/@typescript-eslint/type-utils/dist/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) {
      for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p);
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.typescriptVersionIsAtLeast = exports2.getModifiers = exports2.getDecorators = void 0;
    __exportStar2(require_builtinSymbolLikes2(), exports2);
    __exportStar2(require_containsAllTypesByName2(), exports2);
    __exportStar2(require_getConstrainedTypeAtLocation2(), exports2);
    __exportStar2(require_getContextualType2(), exports2);
    __exportStar2(require_getDeclaration2(), exports2);
    __exportStar2(require_getSourceFileOfNode2(), exports2);
    __exportStar2(require_getTokenAtPosition2(), exports2);
    __exportStar2(require_getTypeArguments2(), exports2);
    __exportStar2(require_getTypeName2(), exports2);
    __exportStar2(require_isSymbolFromDefaultLibrary2(), exports2);
    __exportStar2(require_isTypeReadonly2(), exports2);
    __exportStar2(require_isUnsafeAssignment2(), exports2);
    __exportStar2(require_predicates6(), exports2);
    __exportStar2(require_propertyTypes2(), exports2);
    __exportStar2(require_requiresQuoting2(), exports2);
    __exportStar2(require_TypeOrValueSpecifier2(), exports2);
    __exportStar2(require_typeFlagUtils2(), exports2);
    var typescript_estree_1 = require_dist16();
    Object.defineProperty(exports2, "getDecorators", { enumerable: true, get: function() {
      return typescript_estree_1.getDecorators;
    } });
    Object.defineProperty(exports2, "getModifiers", { enumerable: true, get: function() {
      return typescript_estree_1.getModifiers;
    } });
    Object.defineProperty(exports2, "typescriptVersionIsAtLeast", { enumerable: true, get: function() {
      return typescript_estree_1.typescriptVersionIsAtLeast;
    } });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/misc.js
var require_misc4 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/misc.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.MemberNameType = void 0;
    exports2.arrayGroupByToMap = arrayGroupByToMap;
    exports2.arraysAreEqual = arraysAreEqual;
    exports2.findFirstResult = findFirstResult;
    exports2.formatWordList = formatWordList;
    exports2.getEnumNames = getEnumNames;
    exports2.getNameFromIndexSignature = getNameFromIndexSignature;
    exports2.getNameFromMember = getNameFromMember;
    exports2.isDefinitionFile = isDefinitionFile;
    exports2.isRestParameterDeclaration = isRestParameterDeclaration;
    exports2.isParenlessArrowFunction = isParenlessArrowFunction;
    exports2.typeNodeRequiresParentheses = typeNodeRequiresParentheses;
    exports2.upperCaseFirst = upperCaseFirst;
    exports2.findLastIndex = findLastIndex;
    var type_utils_1 = require_dist17();
    var utils_1 = require_dist15();
    var ts = __importStar2(require_typescript3());
    var astUtils_1 = require_astUtils2();
    var DEFINITION_EXTENSIONS = [
      ts.Extension.Dts,
      ts.Extension.Dcts,
      ts.Extension.Dmts
    ];
    function isDefinitionFile(fileName) {
      const lowerFileName = fileName.toLowerCase();
      for (const definitionExt of DEFINITION_EXTENSIONS) {
        if (lowerFileName.endsWith(definitionExt)) {
          return true;
        }
      }
      return false;
    }
    function upperCaseFirst(str) {
      return str[0].toUpperCase() + str.slice(1);
    }
    function arrayGroupByToMap(array, getKey) {
      const groups = /* @__PURE__ */ new Map();
      for (const item of array) {
        const key = getKey(item);
        const existing = groups.get(key);
        if (existing) {
          existing.push(item);
        } else {
          groups.set(key, [item]);
        }
      }
      return groups;
    }
    function arraysAreEqual(a, b, eq2) {
      return a === b || a !== void 0 && b !== void 0 && a.length === b.length && a.every((x, idx) => eq2(x, b[idx]));
    }
    function findFirstResult(inputs, getResult) {
      for (const element of inputs) {
        const result = getResult(element);
        if (result !== void 0) {
          return result;
        }
      }
      return void 0;
    }
    function getNameFromIndexSignature(node) {
      const propName = node.parameters.find((parameter) => parameter.type === utils_1.AST_NODE_TYPES.Identifier);
      return propName ? propName.name : "(index signature)";
    }
    var MemberNameType;
    (function(MemberNameType2) {
      MemberNameType2[MemberNameType2["Private"] = 1] = "Private";
      MemberNameType2[MemberNameType2["Quoted"] = 2] = "Quoted";
      MemberNameType2[MemberNameType2["Normal"] = 3] = "Normal";
      MemberNameType2[MemberNameType2["Expression"] = 4] = "Expression";
    })(MemberNameType || (exports2.MemberNameType = MemberNameType = {}));
    function getNameFromMember(member, sourceCode) {
      if (member.key.type === utils_1.AST_NODE_TYPES.Identifier) {
        return {
          type: MemberNameType.Normal,
          name: member.key.name
        };
      }
      if (member.key.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
        return {
          type: MemberNameType.Private,
          name: `#${member.key.name}`
        };
      }
      if (member.key.type === utils_1.AST_NODE_TYPES.Literal) {
        const name = `${member.key.value}`;
        if ((0, type_utils_1.requiresQuoting)(name)) {
          return {
            type: MemberNameType.Quoted,
            name: `"${name}"`
          };
        }
        return {
          type: MemberNameType.Normal,
          name
        };
      }
      return {
        type: MemberNameType.Expression,
        name: sourceCode.text.slice(...member.key.range)
      };
    }
    function getEnumNames(myEnum) {
      return Object.keys(myEnum).filter((x) => isNaN(parseInt(x)));
    }
    function formatWordList(words2) {
      if (!words2.length) {
        return "";
      }
      if (words2.length === 1) {
        return words2[0];
      }
      return [words2.slice(0, -1).join(", "), words2.slice(-1)[0]].join(" and ");
    }
    function findLastIndex(members, predicate) {
      let idx = members.length - 1;
      while (idx >= 0) {
        const valid = predicate(members[idx]);
        if (valid) {
          return idx;
        }
        idx--;
      }
      return -1;
    }
    function typeNodeRequiresParentheses(node, text) {
      return node.type === utils_1.AST_NODE_TYPES.TSFunctionType || node.type === utils_1.AST_NODE_TYPES.TSConstructorType || node.type === utils_1.AST_NODE_TYPES.TSConditionalType || node.type === utils_1.AST_NODE_TYPES.TSUnionType && text.startsWith("|") || node.type === utils_1.AST_NODE_TYPES.TSIntersectionType && text.startsWith("&");
    }
    function isRestParameterDeclaration(decl) {
      return ts.isParameter(decl) && decl.dotDotDotToken != null;
    }
    function isParenlessArrowFunction(node, sourceCode) {
      return node.params.length === 1 && !(0, astUtils_1.isParenthesized)(node.params[0], sourceCode);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/objectIterators.js
var require_objectIterators2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/objectIterators.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.objectForEachKey = objectForEachKey;
    exports2.objectMapKey = objectMapKey;
    exports2.objectReduceKey = objectReduceKey;
    function objectForEachKey(obj, callback) {
      const keys2 = Object.keys(obj);
      for (const key of keys2) {
        callback(key);
      }
    }
    function objectMapKey(obj, callback) {
      const values = [];
      objectForEachKey(obj, (key) => {
        values.push(callback(key));
      });
      return values;
    }
    function objectReduceKey(obj, callback, initial) {
      let accumulator = initial;
      objectForEachKey(obj, (key) => {
        accumulator = callback(accumulator, key);
      });
      return accumulator;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/types.js
var require_types5 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/types.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/isAssignee.js
var require_isAssignee2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/isAssignee.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.isAssignee = isAssignee;
    var utils_1 = require_dist15();
    function isAssignee(node) {
      const parent = node.parent;
      if (!parent) {
        return false;
      }
      if (parent.type === utils_1.AST_NODE_TYPES.AssignmentExpression && parent.left === node) {
        return true;
      }
      if (parent.type === utils_1.AST_NODE_TYPES.UnaryExpression && parent.operator === "delete" && parent.argument === node) {
        return true;
      }
      if (parent.type === utils_1.AST_NODE_TYPES.UpdateExpression && parent.argument === node) {
        return true;
      }
      if (parent.type === utils_1.AST_NODE_TYPES.ArrayPattern) {
        return true;
      }
      if (parent.type === utils_1.AST_NODE_TYPES.RestElement) {
        return true;
      }
      if (parent.type === utils_1.AST_NODE_TYPES.Property && parent.value === node && parent.parent.type === utils_1.AST_NODE_TYPES.ObjectExpression && isAssignee(parent.parent)) {
        return true;
      }
      return false;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/index.js
var require_util7 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/index.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __exportStar2 = exports2 && exports2.__exportStar || function(m, exports3) {
      for (var p in m) if (p !== "default" && !Object.prototype.hasOwnProperty.call(exports3, p)) __createBinding2(exports3, m, p);
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.NullThrowsReasons = exports2.nullThrows = exports2.getParserServices = exports2.isObjectNotArray = exports2.deepMerge = exports2.applyDefault = void 0;
    var utils_1 = require_dist15();
    __exportStar2(require_astUtils2(), exports2);
    __exportStar2(require_collectUnusedVariables2(), exports2);
    __exportStar2(require_createRule2(), exports2);
    __exportStar2(require_getFunctionHeadLoc2(), exports2);
    __exportStar2(require_getOperatorPrecedence2(), exports2);
    __exportStar2(require_getStaticStringValue2(), exports2);
    __exportStar2(require_getStringLength2(), exports2);
    __exportStar2(require_getTextWithParentheses2(), exports2);
    __exportStar2(require_getThisExpression2(), exports2);
    __exportStar2(require_getWrappingFixer2(), exports2);
    __exportStar2(require_isNodeEqual2(), exports2);
    __exportStar2(require_isNullLiteral2(), exports2);
    __exportStar2(require_isUndefinedIdentifier2(), exports2);
    __exportStar2(require_misc4(), exports2);
    __exportStar2(require_objectIterators2(), exports2);
    __exportStar2(require_types5(), exports2);
    __exportStar2(require_isAssignee2(), exports2);
    __exportStar2(require_dist17(), exports2);
    var { applyDefault, deepMerge, isObjectNotArray, getParserServices, nullThrows, NullThrowsReasons } = utils_1.ESLintUtils;
    exports2.applyDefault = applyDefault;
    exports2.deepMerge = deepMerge;
    exports2.isObjectNotArray = isObjectNotArray;
    exports2.getParserServices = getParserServices;
    exports2.nullThrows = nullThrows;
    exports2.NullThrowsReasons = NullThrowsReasons;
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/adjacent-overload-signatures.js
var require_adjacent_overload_signatures2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/adjacent-overload-signatures.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "adjacent-overload-signatures",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require that function overload signatures be consecutive",
          recommended: "stylistic"
        },
        schema: [],
        messages: {
          adjacentSignature: "All {{name}} signatures should be adjacent."
        }
      },
      defaultOptions: [],
      create(context) {
        function getMemberMethod(member) {
          switch (member.type) {
            case utils_1.AST_NODE_TYPES.ExportDefaultDeclaration:
            case utils_1.AST_NODE_TYPES.ExportNamedDeclaration: {
              if (!member.declaration) {
                return null;
              }
              return getMemberMethod(member.declaration);
            }
            case utils_1.AST_NODE_TYPES.TSDeclareFunction:
            case utils_1.AST_NODE_TYPES.FunctionDeclaration: {
              const name = member.id?.name ?? null;
              if (name == null) {
                return null;
              }
              return {
                name,
                callSignature: false,
                type: util_1.MemberNameType.Normal
              };
            }
            case utils_1.AST_NODE_TYPES.TSMethodSignature:
              return {
                ...(0, util_1.getNameFromMember)(member, context.sourceCode),
                static: !!member.static,
                callSignature: false
              };
            case utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration:
              return {
                name: "call",
                callSignature: true,
                type: util_1.MemberNameType.Normal
              };
            case utils_1.AST_NODE_TYPES.TSConstructSignatureDeclaration:
              return {
                name: "new",
                callSignature: false,
                type: util_1.MemberNameType.Normal
              };
            case utils_1.AST_NODE_TYPES.MethodDefinition:
              return {
                ...(0, util_1.getNameFromMember)(member, context.sourceCode),
                static: !!member.static,
                callSignature: false
              };
          }
          return null;
        }
        function isSameMethod(method1, method2) {
          return !!method2 && method1.name === method2.name && method1.static === method2.static && method1.callSignature === method2.callSignature && method1.type === method2.type;
        }
        function getMembers(node) {
          switch (node.type) {
            case utils_1.AST_NODE_TYPES.ClassBody:
            case utils_1.AST_NODE_TYPES.Program:
            case utils_1.AST_NODE_TYPES.TSModuleBlock:
            case utils_1.AST_NODE_TYPES.TSInterfaceBody:
            case utils_1.AST_NODE_TYPES.BlockStatement:
              return node.body;
            case utils_1.AST_NODE_TYPES.TSTypeLiteral:
              return node.members;
          }
        }
        function checkBodyForOverloadMethods(node) {
          const members = getMembers(node);
          let lastMethod = null;
          const seenMethods = [];
          members.forEach((member) => {
            const method = getMemberMethod(member);
            if (method == null) {
              lastMethod = null;
              return;
            }
            const index = seenMethods.findIndex((seenMethod) => isSameMethod(method, seenMethod));
            if (index > -1 && !isSameMethod(method, lastMethod)) {
              context.report({
                node: member,
                messageId: "adjacentSignature",
                data: {
                  name: `${method.static ? "static " : ""}${method.name}`
                }
              });
            } else if (index === -1) {
              seenMethods.push(method);
            }
            lastMethod = method;
          });
        }
        return {
          ClassBody: checkBodyForOverloadMethods,
          Program: checkBodyForOverloadMethods,
          TSModuleBlock: checkBodyForOverloadMethods,
          TSTypeLiteral: checkBodyForOverloadMethods,
          TSInterfaceBody: checkBodyForOverloadMethods,
          BlockStatement: checkBodyForOverloadMethods
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/array-type.js
var require_array_type2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/array-type.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    function isSimpleType(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.Identifier:
        case utils_1.AST_NODE_TYPES.TSAnyKeyword:
        case utils_1.AST_NODE_TYPES.TSBooleanKeyword:
        case utils_1.AST_NODE_TYPES.TSNeverKeyword:
        case utils_1.AST_NODE_TYPES.TSNumberKeyword:
        case utils_1.AST_NODE_TYPES.TSBigIntKeyword:
        case utils_1.AST_NODE_TYPES.TSObjectKeyword:
        case utils_1.AST_NODE_TYPES.TSStringKeyword:
        case utils_1.AST_NODE_TYPES.TSSymbolKeyword:
        case utils_1.AST_NODE_TYPES.TSUnknownKeyword:
        case utils_1.AST_NODE_TYPES.TSVoidKeyword:
        case utils_1.AST_NODE_TYPES.TSNullKeyword:
        case utils_1.AST_NODE_TYPES.TSArrayType:
        case utils_1.AST_NODE_TYPES.TSUndefinedKeyword:
        case utils_1.AST_NODE_TYPES.TSThisType:
        case utils_1.AST_NODE_TYPES.TSQualifiedName:
          return true;
        case utils_1.AST_NODE_TYPES.TSTypeReference:
          if (node.typeName.type === utils_1.AST_NODE_TYPES.Identifier && node.typeName.name === "Array") {
            if (!node.typeArguments) {
              return true;
            }
            if (node.typeArguments.params.length === 1) {
              return isSimpleType(node.typeArguments.params[0]);
            }
          } else {
            if (node.typeArguments) {
              return false;
            }
            return isSimpleType(node.typeName);
          }
          return false;
        default:
          return false;
      }
    }
    function typeNeedsParentheses(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.TSTypeReference:
          return typeNeedsParentheses(node.typeName);
        case utils_1.AST_NODE_TYPES.TSUnionType:
        case utils_1.AST_NODE_TYPES.TSFunctionType:
        case utils_1.AST_NODE_TYPES.TSIntersectionType:
        case utils_1.AST_NODE_TYPES.TSTypeOperator:
        case utils_1.AST_NODE_TYPES.TSInferType:
        case utils_1.AST_NODE_TYPES.TSConstructorType:
          return true;
        case utils_1.AST_NODE_TYPES.Identifier:
          return node.name === "ReadonlyArray";
        default:
          return false;
      }
    }
    exports2.default = (0, util_1.createRule)({
      name: "array-type",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require consistently using either `T[]` or `Array` for arrays",
          recommended: "stylistic"
        },
        fixable: "code",
        messages: {
          errorStringGeneric: "Array type using '{{readonlyPrefix}}{{type}}[]' is forbidden. Use '{{className}}<{{type}}>' instead.",
          errorStringArray: "Array type using '{{className}}<{{type}}>' is forbidden. Use '{{readonlyPrefix}}{{type}}[]' instead.",
          errorStringArrayReadonly: "Array type using '{{className}}<{{type}}>' is forbidden. Use '{{readonlyPrefix}}{{type}}' instead.",
          errorStringArraySimple: "Array type using '{{className}}<{{type}}>' is forbidden for simple types. Use '{{readonlyPrefix}}{{type}}[]' instead.",
          errorStringGenericSimple: "Array type using '{{readonlyPrefix}}{{type}}[]' is forbidden for non-simple types. Use '{{className}}<{{type}}>' instead."
        },
        schema: [
          {
            $defs: {
              arrayOption: {
                type: "string",
                enum: ["array", "generic", "array-simple"]
              }
            },
            additionalProperties: false,
            properties: {
              default: {
                $ref: "#/items/0/$defs/arrayOption",
                description: "The array type expected for mutable cases."
              },
              readonly: {
                $ref: "#/items/0/$defs/arrayOption",
                description: "The array type expected for readonly cases. If omitted, the value for `default` will be used."
              }
            },
            type: "object"
          }
        ]
      },
      defaultOptions: [
        {
          default: "array"
        }
      ],
      create(context, [options]) {
        const defaultOption = options.default;
        const readonlyOption = options.readonly ?? defaultOption;
        function getMessageType(node) {
          if (isSimpleType(node)) {
            return context.sourceCode.getText(node);
          }
          return "T";
        }
        return {
          TSArrayType(node) {
            const isReadonly = node.parent.type === utils_1.AST_NODE_TYPES.TSTypeOperator && node.parent.operator === "readonly";
            const currentOption = isReadonly ? readonlyOption : defaultOption;
            if (currentOption === "array" || currentOption === "array-simple" && isSimpleType(node.elementType)) {
              return;
            }
            const messageId4 = currentOption === "generic" ? "errorStringGeneric" : "errorStringGenericSimple";
            const errorNode = isReadonly ? node.parent : node;
            context.report({
              node: errorNode,
              messageId: messageId4,
              data: {
                className: isReadonly ? "ReadonlyArray" : "Array",
                readonlyPrefix: isReadonly ? "readonly " : "",
                type: getMessageType(node.elementType)
              },
              fix(fixer) {
                const typeNode = node.elementType;
                const arrayType2 = isReadonly ? "ReadonlyArray" : "Array";
                return [
                  fixer.replaceTextRange([errorNode.range[0], typeNode.range[0]], `${arrayType2}<`),
                  fixer.replaceTextRange([typeNode.range[1], errorNode.range[1]], ">")
                ];
              }
            });
          },
          TSTypeReference(node) {
            if (node.typeName.type !== utils_1.AST_NODE_TYPES.Identifier || !(node.typeName.name === "Array" || node.typeName.name === "ReadonlyArray" || node.typeName.name === "Readonly") || node.typeName.name === "Readonly" && node.typeArguments?.params[0].type !== utils_1.AST_NODE_TYPES.TSArrayType) {
              return;
            }
            const isReadonlyWithGenericArrayType = node.typeName.name === "Readonly" && node.typeArguments?.params[0].type === utils_1.AST_NODE_TYPES.TSArrayType;
            const isReadonlyArrayType = node.typeName.name === "ReadonlyArray" || isReadonlyWithGenericArrayType;
            const currentOption = isReadonlyArrayType ? readonlyOption : defaultOption;
            if (currentOption === "generic") {
              return;
            }
            const readonlyPrefix = isReadonlyArrayType ? "readonly " : "";
            const typeParams = node.typeArguments?.params;
            const messageId4 = currentOption === "array" ? isReadonlyWithGenericArrayType ? "errorStringArrayReadonly" : "errorStringArray" : "errorStringArraySimple";
            if (!typeParams || typeParams.length === 0) {
              context.report({
                node,
                messageId: messageId4,
                data: {
                  className: isReadonlyArrayType ? "ReadonlyArray" : "Array",
                  readonlyPrefix,
                  type: "any"
                },
                fix(fixer) {
                  return fixer.replaceText(node, `${readonlyPrefix}any[]`);
                }
              });
              return;
            }
            if (typeParams.length !== 1 || currentOption === "array-simple" && !isSimpleType(typeParams[0])) {
              return;
            }
            const type = typeParams[0];
            const typeParens = typeNeedsParentheses(type);
            const parentParens = readonlyPrefix && node.parent.type === utils_1.AST_NODE_TYPES.TSArrayType && !(0, util_1.isParenthesized)(node.parent.elementType, context.sourceCode);
            const start = `${parentParens ? "(" : ""}${readonlyPrefix}${typeParens ? "(" : ""}`;
            const end = `${typeParens ? ")" : ""}${isReadonlyWithGenericArrayType ? "" : `[]`}${parentParens ? ")" : ""}`;
            context.report({
              node,
              messageId: messageId4,
              data: {
                className: isReadonlyArrayType ? node.typeName.name : "Array",
                readonlyPrefix,
                type: getMessageType(type)
              },
              fix(fixer) {
                return [
                  fixer.replaceTextRange([node.range[0], type.range[0]], start),
                  fixer.replaceTextRange([type.range[1], node.range[1]], end)
                ];
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/await-thenable.js
var require_await_thenable2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/await-thenable.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tsutils = __importStar2(require_lib23());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "await-thenable",
      meta: {
        docs: {
          description: "Disallow awaiting a value that is not a Thenable",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        hasSuggestions: true,
        messages: {
          await: 'Unexpected `await` of a non-Promise (non-"Thenable") value.',
          removeAwait: "Remove unnecessary `await`."
        },
        schema: [],
        type: "problem"
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        return {
          AwaitExpression(node) {
            const type = services.getTypeAtLocation(node.argument);
            if ((0, util_1.isTypeAnyType)(type) || (0, util_1.isTypeUnknownType)(type)) {
              return;
            }
            const originalNode = services.esTreeNodeToTSNodeMap.get(node);
            if (!tsutils.isThenableType(checker, originalNode.expression, type)) {
              context.report({
                messageId: "await",
                node,
                suggest: [
                  {
                    messageId: "removeAwait",
                    fix(fixer) {
                      const awaitKeyword = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(node, util_1.isAwaitKeyword), util_1.NullThrowsReasons.MissingToken("await", "await expression"));
                      return fixer.remove(awaitKeyword);
                    }
                  }
                ]
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/ban-ts-comment.js
var require_ban_ts_comment2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/ban-ts-comment.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var defaultMinimumDescriptionLength = 3;
    exports2.default = (0, util_1.createRule)({
      name: "ban-ts-comment",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow `@ts-` comments or require descriptions after directives",
          recommended: {
            recommended: true,
            strict: [{ minimumDescriptionLength: 10 }]
          }
        },
        messages: {
          tsDirectiveComment: 'Do not use "@ts-{{directive}}" because it alters compilation errors.',
          tsIgnoreInsteadOfExpectError: 'Use "@ts-expect-error" instead of "@ts-ignore", as "@ts-ignore" will do nothing if the following line is error-free.',
          tsDirectiveCommentRequiresDescription: 'Include a description after the "@ts-{{directive}}" directive to explain why the @ts-{{directive}} is necessary. The description must be {{minimumDescriptionLength}} characters or longer.',
          tsDirectiveCommentDescriptionNotMatchPattern: 'The description for the "@ts-{{directive}}" directive must match the {{format}} format.',
          replaceTsIgnoreWithTsExpectError: 'Replace "@ts-ignore" with "@ts-expect-error".'
        },
        hasSuggestions: true,
        schema: [
          {
            $defs: {
              directiveConfigSchema: {
                oneOf: [
                  {
                    type: "boolean",
                    default: true
                  },
                  {
                    type: "string",
                    enum: ["allow-with-description"]
                  },
                  {
                    type: "object",
                    additionalProperties: false,
                    properties: {
                      descriptionFormat: { type: "string" }
                    }
                  }
                ]
              }
            },
            properties: {
              "ts-expect-error": { $ref: "#/items/0/$defs/directiveConfigSchema" },
              "ts-ignore": { $ref: "#/items/0/$defs/directiveConfigSchema" },
              "ts-nocheck": { $ref: "#/items/0/$defs/directiveConfigSchema" },
              "ts-check": { $ref: "#/items/0/$defs/directiveConfigSchema" },
              minimumDescriptionLength: {
                type: "number",
                default: defaultMinimumDescriptionLength
              }
            },
            type: "object",
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          "ts-expect-error": "allow-with-description",
          "ts-ignore": true,
          "ts-nocheck": true,
          "ts-check": false,
          minimumDescriptionLength: defaultMinimumDescriptionLength
        }
      ],
      create(context, [options]) {
        const singleLinePragmaRegEx = /^\/\/\/?\s*@ts-(?check|nocheck)(?.*)$/;
        const commentDirectiveRegExSingleLine = /^\/*\s*@ts-(?expect-error|ignore)(?.*)/;
        const commentDirectiveRegExMultiLine = /^\s*(?:\/|\*)*\s*@ts-(?expect-error|ignore)(?.*)/;
        const descriptionFormats = /* @__PURE__ */ new Map();
        for (const directive of [
          "ts-expect-error",
          "ts-ignore",
          "ts-nocheck",
          "ts-check"
        ]) {
          const option = options[directive];
          if (typeof option === "object" && option.descriptionFormat) {
            descriptionFormats.set(directive, new RegExp(option.descriptionFormat));
          }
        }
        function execDirectiveRegEx(regex, str) {
          const match = regex.exec(str);
          if (!match) {
            return null;
          }
          const { directive, description } = (0, util_1.nullThrows)(match.groups, "RegExp should contain groups");
          return {
            directive: (0, util_1.nullThrows)(directive, 'RegExp should contain "directive" group'),
            description: (0, util_1.nullThrows)(description, 'RegExp should contain "description" group')
          };
        }
        function findDirectiveInComment(comment) {
          if (comment.type === utils_1.AST_TOKEN_TYPES.Line) {
            const matchedPragma = execDirectiveRegEx(singleLinePragmaRegEx, `//${comment.value}`);
            if (matchedPragma) {
              return matchedPragma;
            }
            return execDirectiveRegEx(commentDirectiveRegExSingleLine, comment.value);
          }
          const commentLines = comment.value.split("\n");
          return execDirectiveRegEx(commentDirectiveRegExMultiLine, commentLines[commentLines.length - 1]);
        }
        return {
          Program() {
            const comments = context.sourceCode.getAllComments();
            comments.forEach((comment) => {
              const match = findDirectiveInComment(comment);
              if (!match) {
                return;
              }
              const { directive, description } = match;
              const fullDirective = `ts-${directive}`;
              const option = options[fullDirective];
              if (option === true) {
                if (directive === "ignore") {
                  context.report({
                    node: comment,
                    messageId: "tsIgnoreInsteadOfExpectError",
                    suggest: [
                      {
                        messageId: "replaceTsIgnoreWithTsExpectError",
                        fix(fixer) {
                          const commentText = comment.value.replace(/@ts-ignore/, "@ts-expect-error");
                          return fixer.replaceText(comment, comment.type === utils_1.AST_TOKEN_TYPES.Line ? `//${commentText}` : `/*${commentText}*/`);
                        }
                      }
                    ]
                  });
                } else {
                  context.report({
                    data: { directive },
                    node: comment,
                    messageId: "tsDirectiveComment"
                  });
                }
              }
              if (option === "allow-with-description" || typeof option === "object" && option.descriptionFormat) {
                const { minimumDescriptionLength } = options;
                const format2 = descriptionFormats.get(fullDirective);
                if ((0, util_1.getStringLength)(description.trim()) < (0, util_1.nullThrows)(minimumDescriptionLength, "Expected minimumDescriptionLength to be set")) {
                  context.report({
                    data: { directive, minimumDescriptionLength },
                    node: comment,
                    messageId: "tsDirectiveCommentRequiresDescription"
                  });
                } else if (format2 && !format2.test(description)) {
                  context.report({
                    data: { directive, format: format2.source },
                    node: comment,
                    messageId: "tsDirectiveCommentDescriptionNotMatchPattern"
                  });
                }
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/ban-tslint-comment.js
var require_ban_tslint_comment2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/ban-tslint-comment.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var ENABLE_DISABLE_REGEX = /^\s*tslint:(enable|disable)(?:-(line|next-line))?(:|\s|$)/;
    var toText = (text, type) => type === utils_1.AST_TOKEN_TYPES.Line ? ["//", text.trim()].join(" ") : ["/*", text.trim(), "*/"].join(" ");
    exports2.default = (0, util_1.createRule)({
      name: "ban-tslint-comment",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow `// tslint:` comments",
          recommended: "stylistic"
        },
        messages: {
          commentDetected: 'tslint comment detected: "{{ text }}"'
        },
        schema: [],
        fixable: "code"
      },
      defaultOptions: [],
      create: (context) => {
        return {
          Program() {
            const comments = context.sourceCode.getAllComments();
            comments.forEach((c) => {
              if (ENABLE_DISABLE_REGEX.test(c.value)) {
                context.report({
                  data: { text: toText(c.value, c.type) },
                  node: c,
                  messageId: "commentDetected",
                  fix(fixer) {
                    const rangeStart = context.sourceCode.getIndexFromLoc({
                      column: c.loc.start.column > 0 ? c.loc.start.column - 1 : 0,
                      line: c.loc.start.line
                    });
                    const rangeEnd = context.sourceCode.getIndexFromLoc({
                      column: c.loc.end.column,
                      line: c.loc.end.line
                    });
                    return fixer.removeRange([rangeStart, rangeEnd + 1]);
                  }
                });
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/ban-types.js
var require_ban_types2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/ban-types.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.TYPE_KEYWORDS = void 0;
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    function removeSpaces(str) {
      return str.replace(/\s/g, "");
    }
    function stringifyNode(node, sourceCode) {
      return removeSpaces(sourceCode.getText(node));
    }
    function getCustomMessage(bannedType) {
      if (bannedType == null || bannedType === true) {
        return "";
      }
      if (typeof bannedType === "string") {
        return ` ${bannedType}`;
      }
      if (bannedType.message) {
        return ` ${bannedType.message}`;
      }
      return "";
    }
    var defaultTypes = {
      String: {
        message: "Use string instead",
        fixWith: "string"
      },
      Boolean: {
        message: "Use boolean instead",
        fixWith: "boolean"
      },
      Number: {
        message: "Use number instead",
        fixWith: "number"
      },
      Symbol: {
        message: "Use symbol instead",
        fixWith: "symbol"
      },
      BigInt: {
        message: "Use bigint instead",
        fixWith: "bigint"
      },
      Function: {
        message: [
          "The `Function` type accepts any function-like value.",
          "It provides no type safety when calling the function, which can be a common source of bugs.",
          "It also accepts things like class declarations, which will throw at runtime as they will not be called with `new`.",
          "If you are expecting the function to accept certain arguments, you should explicitly define the function shape."
        ].join("\n")
      },
      // object typing
      Object: {
        message: [
          'The `Object` type actually means "any non-nullish value", so it is marginally better than `unknown`.',
          '- If you want a type meaning "any object", you probably want `object` instead.',
          '- If you want a type meaning "any value", you probably want `unknown` instead.',
          '- If you really want a type meaning "any non-nullish value", you probably want `NonNullable` instead.'
        ].join("\n"),
        suggest: ["object", "unknown", "NonNullable"]
      },
      "{}": {
        message: [
          '`{}` actually means "any non-nullish value".',
          '- If you want a type meaning "any object", you probably want `object` instead.',
          '- If you want a type meaning "any value", you probably want `unknown` instead.',
          '- If you want a type meaning "empty object", you probably want `Record` instead.',
          '- If you really want a type meaning "any non-nullish value", you probably want `NonNullable` instead.'
        ].join("\n"),
        suggest: [
          "object",
          "unknown",
          "Record",
          "NonNullable"
        ]
      }
    };
    exports2.TYPE_KEYWORDS = {
      bigint: utils_1.AST_NODE_TYPES.TSBigIntKeyword,
      boolean: utils_1.AST_NODE_TYPES.TSBooleanKeyword,
      never: utils_1.AST_NODE_TYPES.TSNeverKeyword,
      null: utils_1.AST_NODE_TYPES.TSNullKeyword,
      number: utils_1.AST_NODE_TYPES.TSNumberKeyword,
      object: utils_1.AST_NODE_TYPES.TSObjectKeyword,
      string: utils_1.AST_NODE_TYPES.TSStringKeyword,
      symbol: utils_1.AST_NODE_TYPES.TSSymbolKeyword,
      undefined: utils_1.AST_NODE_TYPES.TSUndefinedKeyword,
      unknown: utils_1.AST_NODE_TYPES.TSUnknownKeyword,
      void: utils_1.AST_NODE_TYPES.TSVoidKeyword
    };
    exports2.default = (0, util_1.createRule)({
      name: "ban-types",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow certain types",
          recommended: "recommended"
        },
        fixable: "code",
        hasSuggestions: true,
        messages: {
          bannedTypeMessage: "Don't use `{{name}}` as a type.{{customMessage}}",
          bannedTypeReplacement: "Replace `{{name}}` with `{{replacement}}`."
        },
        schema: [
          {
            $defs: {
              banConfig: {
                oneOf: [
                  {
                    type: "null",
                    description: "Bans the type with the default message"
                  },
                  {
                    type: "boolean",
                    enum: [false],
                    description: "Un-bans the type (useful when paired with `extendDefaults`)"
                  },
                  {
                    type: "boolean",
                    enum: [true],
                    description: "Bans the type with the default message"
                  },
                  {
                    type: "string",
                    description: "Bans the type with a custom message"
                  },
                  {
                    type: "object",
                    description: "Bans a type",
                    properties: {
                      message: {
                        type: "string",
                        description: "Custom error message"
                      },
                      fixWith: {
                        type: "string",
                        description: "Type to autofix replace with. Note that autofixers can be applied automatically - so you need to be careful with this option."
                      },
                      suggest: {
                        type: "array",
                        items: { type: "string" },
                        description: "Types to suggest replacing with.",
                        additionalItems: false
                      }
                    },
                    additionalProperties: false
                  }
                ]
              }
            },
            type: "object",
            properties: {
              types: {
                type: "object",
                additionalProperties: {
                  $ref: "#/items/0/$defs/banConfig"
                }
              },
              extendDefaults: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [{}],
      create(context, [options]) {
        const extendDefaults = options.extendDefaults ?? true;
        const customTypes = options.types ?? {};
        const types = Object.assign({}, extendDefaults ? defaultTypes : {}, customTypes);
        const bannedTypes = new Map(Object.entries(types).map(([type, data]) => [removeSpaces(type), data]));
        function checkBannedTypes(typeNode, name = stringifyNode(typeNode, context.sourceCode)) {
          const bannedType = bannedTypes.get(name);
          if (bannedType === void 0 || bannedType === false) {
            return;
          }
          const customMessage = getCustomMessage(bannedType);
          const fixWith = bannedType && typeof bannedType === "object" && bannedType.fixWith;
          const suggest = bannedType && typeof bannedType === "object" ? bannedType.suggest : void 0;
          context.report({
            node: typeNode,
            messageId: "bannedTypeMessage",
            data: {
              name,
              customMessage
            },
            fix: fixWith ? (fixer) => fixer.replaceText(typeNode, fixWith) : null,
            suggest: suggest?.map((replacement) => ({
              messageId: "bannedTypeReplacement",
              data: {
                name,
                replacement
              },
              fix: (fixer) => fixer.replaceText(typeNode, replacement)
            }))
          });
        }
        const keywordSelectors = (0, util_1.objectReduceKey)(exports2.TYPE_KEYWORDS, (acc, keyword) => {
          if (bannedTypes.has(keyword)) {
            acc[exports2.TYPE_KEYWORDS[keyword]] = (node) => checkBannedTypes(node, keyword);
          }
          return acc;
        }, {});
        return {
          ...keywordSelectors,
          TSTypeLiteral(node) {
            if (node.members.length) {
              return;
            }
            checkBannedTypes(node);
          },
          TSTupleType(node) {
            if (node.elementTypes.length === 0) {
              checkBannedTypes(node);
            }
          },
          TSTypeReference(node) {
            checkBannedTypes(node.typeName);
            if (node.typeArguments) {
              checkBannedTypes(node);
            }
          },
          TSInterfaceHeritage(node) {
            checkBannedTypes(node);
          },
          TSClassImplements(node) {
            checkBannedTypes(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getESLintCoreRule.js
var require_getESLintCoreRule2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getESLintCoreRule.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getESLintCoreRule = void 0;
    exports2.maybeGetESLintCoreRule = maybeGetESLintCoreRule;
    var utils_1 = require_dist15();
    var use_at_your_own_risk_1 = require("eslint/use-at-your-own-risk");
    var getESLintCoreRule = (ruleId) => utils_1.ESLintUtils.nullThrows(use_at_your_own_risk_1.builtinRules.get(ruleId), `ESLint's core rule '${ruleId}' not found.`);
    exports2.getESLintCoreRule = getESLintCoreRule;
    function maybeGetESLintCoreRule(ruleId) {
      try {
        return (0, exports2.getESLintCoreRule)(ruleId);
      } catch {
        return null;
      }
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/block-spacing.js
var require_block_spacing2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/block-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("block-spacing");
    exports2.default = (0, util_1.createRule)({
      name: "block-spacing",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/block-spacing"],
        type: "layout",
        docs: {
          description: "Disallow or enforce spaces inside of blocks after opening block and before closing block",
          extendsBaseRule: true
        },
        fixable: "whitespace",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: ["always"],
      create(context, [whenToApplyOption]) {
        const baseRules = baseRule2.create(context);
        const always = whenToApplyOption !== "never";
        const messageId4 = always ? "missing" : "extra";
        function getOpenBrace(node) {
          return context.sourceCode.getFirstToken(node, {
            filter: (token) => token.type === utils_1.AST_TOKEN_TYPES.Punctuator && token.value === "{"
          });
        }
        function isValid2(left, right) {
          return !(0, util_1.isTokenOnSameLine)(left, right) || context.sourceCode.isSpaceBetween(left, right) === always;
        }
        function checkSpacingInsideBraces(node) {
          const openBrace = getOpenBrace(node);
          const closeBrace = context.sourceCode.getLastToken(node);
          const firstToken = context.sourceCode.getTokenAfter(openBrace, {
            includeComments: true
          });
          const lastToken = context.sourceCode.getTokenBefore(closeBrace, {
            includeComments: true
          });
          if (openBrace.value !== "{" || closeBrace.type !== utils_1.AST_TOKEN_TYPES.Punctuator || closeBrace.value !== "}" || firstToken === closeBrace) {
            return;
          }
          if (!always && firstToken.type === utils_1.AST_TOKEN_TYPES.Line) {
            return;
          }
          if (!isValid2(openBrace, firstToken)) {
            let loc = openBrace.loc;
            if (messageId4 === "extra") {
              loc = {
                start: openBrace.loc.end,
                end: firstToken.loc.start
              };
            }
            context.report({
              node,
              loc,
              messageId: messageId4,
              data: {
                location: "after",
                token: openBrace.value
              },
              fix(fixer) {
                if (always) {
                  return fixer.insertTextBefore(firstToken, " ");
                }
                return fixer.removeRange([openBrace.range[1], firstToken.range[0]]);
              }
            });
          }
          if (!isValid2(lastToken, closeBrace)) {
            let loc = closeBrace.loc;
            if (messageId4 === "extra") {
              loc = {
                start: lastToken.loc.end,
                end: closeBrace.loc.start
              };
            }
            context.report({
              node,
              loc,
              messageId: messageId4,
              data: {
                location: "before",
                token: closeBrace.value
              },
              fix(fixer) {
                if (always) {
                  return fixer.insertTextAfter(lastToken, " ");
                }
                return fixer.removeRange([lastToken.range[1], closeBrace.range[0]]);
              }
            });
          }
        }
        return {
          ...baseRules,
          // This code worked "out of the box" for interface and type literal
          // Enums were very close to match as well, the only reason they are not is that was that enums don't have a body node in the parser
          // So the opening brace punctuator starts in the middle of the node - `getFirstToken` in
          // the base rule did not filter for the first opening brace punctuator
          TSInterfaceBody: baseRules.BlockStatement,
          TSTypeLiteral: baseRules.BlockStatement,
          TSEnumDeclaration: checkSpacingInsideBraces
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/brace-style.js
var require_brace_style2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/brace-style.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("brace-style");
    exports2.default = (0, util_1.createRule)({
      name: "brace-style",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/brace-style"],
        type: "layout",
        docs: {
          description: "Enforce consistent brace style for blocks",
          extendsBaseRule: true
        },
        messages: baseRule2.meta.messages,
        fixable: baseRule2.meta.fixable,
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema
      },
      defaultOptions: ["1tbs"],
      create(context) {
        const [style, { allowSingleLine } = { allowSingleLine: false }] = (
          // eslint-disable-next-line no-restricted-syntax -- Use raw options for extended rules.
          context.options
        );
        const isAllmanStyle = style === "allman";
        const rules = baseRule2.create(context);
        function validateCurlyPair(openingCurlyToken, closingCurlyToken) {
          if (allowSingleLine && (0, util_1.isTokenOnSameLine)(openingCurlyToken, closingCurlyToken)) {
            return;
          }
          const tokenBeforeOpeningCurly = context.sourceCode.getTokenBefore(openingCurlyToken);
          const tokenBeforeClosingCurly = context.sourceCode.getTokenBefore(closingCurlyToken);
          const tokenAfterOpeningCurly = context.sourceCode.getTokenAfter(openingCurlyToken);
          if (!isAllmanStyle && !(0, util_1.isTokenOnSameLine)(tokenBeforeOpeningCurly, openingCurlyToken)) {
            context.report({
              node: openingCurlyToken,
              messageId: "nextLineOpen",
              fix: (fixer) => {
                const textRange = [
                  tokenBeforeOpeningCurly.range[1],
                  openingCurlyToken.range[0]
                ];
                const textBetween = context.sourceCode.text.slice(textRange[0], textRange[1]);
                if (textBetween.trim()) {
                  return null;
                }
                return fixer.replaceTextRange(textRange, " ");
              }
            });
          }
          if (isAllmanStyle && (0, util_1.isTokenOnSameLine)(tokenBeforeOpeningCurly, openingCurlyToken)) {
            context.report({
              node: openingCurlyToken,
              messageId: "sameLineOpen",
              fix: (fixer) => fixer.insertTextBefore(openingCurlyToken, "\n")
            });
          }
          if ((0, util_1.isTokenOnSameLine)(openingCurlyToken, tokenAfterOpeningCurly) && tokenAfterOpeningCurly !== closingCurlyToken) {
            context.report({
              node: openingCurlyToken,
              messageId: "blockSameLine",
              fix: (fixer) => fixer.insertTextAfter(openingCurlyToken, "\n")
            });
          }
          if ((0, util_1.isTokenOnSameLine)(tokenBeforeClosingCurly, closingCurlyToken) && tokenBeforeClosingCurly !== openingCurlyToken) {
            context.report({
              node: closingCurlyToken,
              messageId: "singleLineClose",
              fix: (fixer) => fixer.insertTextBefore(closingCurlyToken, "\n")
            });
          }
        }
        return {
          ...rules,
          "TSInterfaceBody, TSModuleBlock"(node) {
            const openingCurly = context.sourceCode.getFirstToken(node);
            const closingCurly = context.sourceCode.getLastToken(node);
            validateCurlyPair(openingCurly, closingCurly);
          },
          TSEnumDeclaration(node) {
            const closingCurly = context.sourceCode.getLastToken(node);
            const openingCurly = context.sourceCode.getTokenBefore(node.members.length ? node.members[0] : closingCurly);
            validateCurlyPair(openingCurly, closingCurly);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/class-literal-property-style.js
var require_class_literal_property_style2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/class-literal-property-style.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var printNodeModifiers = (node, final) => `${node.accessibility ?? ""}${node.static ? " static" : ""} ${final} `.trimStart();
    var isSupportedLiteral = (node) => {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.Literal:
          return true;
        case utils_1.AST_NODE_TYPES.TaggedTemplateExpression:
          return node.quasi.quasis.length === 1;
        case utils_1.AST_NODE_TYPES.TemplateLiteral:
          return node.quasis.length === 1;
        default:
          return false;
      }
    };
    exports2.default = (0, util_1.createRule)({
      name: "class-literal-property-style",
      meta: {
        type: "problem",
        docs: {
          description: "Enforce that literals on classes are exposed in a consistent style",
          recommended: "stylistic"
        },
        hasSuggestions: true,
        messages: {
          preferFieldStyle: "Literals should be exposed using readonly fields.",
          preferFieldStyleSuggestion: "Replace the literals with readonly fields.",
          preferGetterStyle: "Literals should be exposed using getters.",
          preferGetterStyleSuggestion: "Replace the literals with getters."
        },
        schema: [
          {
            type: "string",
            enum: ["fields", "getters"]
          }
        ]
      },
      defaultOptions: ["fields"],
      create(context, [style]) {
        const propertiesInfoStack = [];
        function getStringValue(node) {
          return (0, util_1.getStaticStringValue)(node) ?? context.sourceCode.getText(node);
        }
        function enterClassBody() {
          propertiesInfoStack.push({
            properties: [],
            excludeSet: /* @__PURE__ */ new Set()
          });
        }
        function exitClassBody() {
          const { properties, excludeSet } = (0, util_1.nullThrows)(propertiesInfoStack.pop(), "Stack should exist on class exit");
          properties.forEach((node) => {
            const { value } = node;
            if (!value || !isSupportedLiteral(value)) {
              return;
            }
            const name = getStringValue(node.key);
            if (excludeSet.has(name)) {
              return;
            }
            context.report({
              node: node.key,
              messageId: "preferGetterStyle",
              suggest: [
                {
                  messageId: "preferGetterStyleSuggestion",
                  fix(fixer) {
                    const name2 = context.sourceCode.getText(node.key);
                    let text = "";
                    text += printNodeModifiers(node, "get");
                    text += node.computed ? `[${name2}]` : name2;
                    text += `() { return ${context.sourceCode.getText(value)}; }`;
                    return fixer.replaceText(node, text);
                  }
                }
              ]
            });
          });
        }
        function excludeAssignedProperty(node) {
          if ((0, util_1.isAssignee)(node)) {
            const { excludeSet } = propertiesInfoStack[propertiesInfoStack.length - 1];
            const name = (0, util_1.getStaticStringValue)(node.property) ?? context.sourceCode.getText(node.property);
            if (name) {
              excludeSet.add(name);
            }
          }
        }
        return {
          ...style === "fields" && {
            MethodDefinition(node) {
              if (node.kind !== "get" || !node.value.body || node.value.body.body.length === 0) {
                return;
              }
              const [statement] = node.value.body.body;
              if (statement.type !== utils_1.AST_NODE_TYPES.ReturnStatement) {
                return;
              }
              const { argument } = statement;
              if (!argument || !isSupportedLiteral(argument)) {
                return;
              }
              const name = getStringValue(node.key);
              if (node.parent.type === utils_1.AST_NODE_TYPES.ClassBody) {
                const hasDuplicateKeySetter = node.parent.body.some((element) => {
                  return element.type === utils_1.AST_NODE_TYPES.MethodDefinition && element.kind === "set" && getStringValue(element.key) === name;
                });
                if (hasDuplicateKeySetter) {
                  return;
                }
              }
              context.report({
                node: node.key,
                messageId: "preferFieldStyle",
                suggest: [
                  {
                    messageId: "preferFieldStyleSuggestion",
                    fix(fixer) {
                      const name2 = context.sourceCode.getText(node.key);
                      let text = "";
                      text += printNodeModifiers(node, "readonly");
                      text += node.computed ? `[${name2}]` : name2;
                      text += ` = ${context.sourceCode.getText(argument)};`;
                      return fixer.replaceText(node, text);
                    }
                  }
                ]
              });
            }
          },
          ...style === "getters" && {
            ClassBody: enterClassBody,
            "ClassBody:exit": exitClassBody,
            'MethodDefinition[kind="constructor"] ThisExpression'(node) {
              if (node.parent.type === utils_1.AST_NODE_TYPES.MemberExpression) {
                let parent = node.parent;
                while (!(0, util_1.isFunction)(parent)) {
                  parent = parent.parent;
                }
                if (parent.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition && parent.parent.kind === "constructor") {
                  excludeAssignedProperty(node.parent);
                }
              }
            },
            PropertyDefinition(node) {
              if (!node.readonly || node.declare) {
                return;
              }
              const { properties } = propertiesInfoStack[propertiesInfoStack.length - 1];
              properties.push(node);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/class-methods-use-this.js
var require_class_methods_use_this2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/class-methods-use-this.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "class-methods-use-this",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce that class methods utilize `this`",
          extendsBaseRule: true,
          requiresTypeChecking: false
        },
        schema: [
          {
            type: "object",
            properties: {
              exceptMethods: {
                type: "array",
                description: "Allows specified method names to be ignored with this rule",
                items: {
                  type: "string"
                }
              },
              enforceForClassFields: {
                type: "boolean",
                description: "Enforces that functions used as instance field initializers utilize `this`",
                default: true
              },
              ignoreOverrideMethods: {
                type: "boolean",
                description: "Ignore members marked with the `override` modifier"
              },
              ignoreClassesThatImplementAnInterface: {
                oneOf: [
                  {
                    type: "boolean",
                    description: "Ignore all classes that implement an interface"
                  },
                  {
                    type: "string",
                    enum: ["public-fields"],
                    description: "Ignore only the public fields of classes that implement an interface"
                  }
                ],
                description: "Ignore classes that specifically implement some interface"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          missingThis: "Expected 'this' to be used by class {{name}}."
        }
      },
      defaultOptions: [
        {
          enforceForClassFields: true,
          exceptMethods: [],
          ignoreClassesThatImplementAnInterface: false,
          ignoreOverrideMethods: false
        }
      ],
      create(context, [{ enforceForClassFields, exceptMethods: exceptMethodsRaw, ignoreClassesThatImplementAnInterface, ignoreOverrideMethods }]) {
        const exceptMethods = new Set(exceptMethodsRaw);
        let stack;
        function pushContext(member) {
          if (member?.parent.type === utils_1.AST_NODE_TYPES.ClassBody) {
            stack = {
              member,
              class: member.parent.parent,
              usesThis: false,
              parent: stack
            };
          } else {
            stack = {
              member: null,
              class: null,
              usesThis: false,
              parent: stack
            };
          }
        }
        function enterFunction(node) {
          if (node.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition || node.parent.type === utils_1.AST_NODE_TYPES.PropertyDefinition) {
            pushContext(node.parent);
          } else {
            pushContext();
          }
        }
        function popContext() {
          const oldStack = stack;
          stack = stack?.parent;
          return oldStack;
        }
        function isPublicField(accessibility) {
          if (!accessibility || accessibility === "public") {
            return true;
          }
          return false;
        }
        function isIncludedInstanceMethod(node) {
          if (node.static || node.type === utils_1.AST_NODE_TYPES.MethodDefinition && node.kind === "constructor" || node.type === utils_1.AST_NODE_TYPES.PropertyDefinition && !enforceForClassFields) {
            return false;
          }
          if (node.computed || exceptMethods.size === 0) {
            return true;
          }
          const hashIfNeeded = node.key.type === utils_1.AST_NODE_TYPES.PrivateIdentifier ? "#" : "";
          const name = node.key.type === utils_1.AST_NODE_TYPES.Literal ? (0, util_1.getStaticStringValue)(node.key) : node.key.name || "";
          return !exceptMethods.has(hashIfNeeded + (name ?? ""));
        }
        function exitFunction(node) {
          const stackContext = popContext();
          if (stackContext?.member == null || stackContext.usesThis || ignoreOverrideMethods && stackContext.member.override || ignoreClassesThatImplementAnInterface === true && stackContext.class.implements.length > 0 || ignoreClassesThatImplementAnInterface === "public-fields" && stackContext.class.implements.length > 0 && isPublicField(stackContext.member.accessibility)) {
            return;
          }
          if (isIncludedInstanceMethod(stackContext.member)) {
            context.report({
              node,
              loc: (0, util_1.getFunctionHeadLoc)(node, context.sourceCode),
              messageId: "missingThis",
              data: {
                name: (0, util_1.getFunctionNameWithKind)(node)
              }
            });
          }
        }
        return {
          // function declarations have their own `this` context
          FunctionDeclaration() {
            pushContext();
          },
          "FunctionDeclaration:exit"() {
            popContext();
          },
          FunctionExpression(node) {
            enterFunction(node);
          },
          "FunctionExpression:exit"(node) {
            exitFunction(node);
          },
          ...enforceForClassFields ? {
            "PropertyDefinition > ArrowFunctionExpression.value"(node) {
              enterFunction(node);
            },
            "PropertyDefinition > ArrowFunctionExpression.value:exit"(node) {
              exitFunction(node);
            }
          } : {},
          /*
           * Class field value are implicit functions.
           */
          "PropertyDefinition > *.key:exit"() {
            pushContext();
          },
          "PropertyDefinition:exit"() {
            popContext();
          },
          /*
           * Class static blocks are implicit functions. They aren't required to use `this`,
           * but we have to push context so that it captures any use of `this` in the static block
           * separately from enclosing contexts, because static blocks have their own `this` and it
           * shouldn't count as used `this` in enclosing contexts.
           */
          StaticBlock() {
            pushContext();
          },
          "StaticBlock:exit"() {
            popContext();
          },
          "ThisExpression, Super"() {
            if (stack) {
              stack.usesThis = true;
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/comma-dangle.js
var require_comma_dangle3 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/comma-dangle.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("comma-dangle");
    var OPTION_VALUE_SCHEME = [
      "always-multiline",
      "always",
      "never",
      "only-multiline"
    ];
    var DEFAULT_OPTION_VALUE = "never";
    function normalizeOptions(options) {
      if (typeof options === "string") {
        return {
          enums: options,
          generics: options,
          tuples: options
        };
      }
      return {
        enums: options.enums ?? DEFAULT_OPTION_VALUE,
        generics: options.generics ?? DEFAULT_OPTION_VALUE,
        tuples: options.tuples ?? DEFAULT_OPTION_VALUE
      };
    }
    exports2.default = (0, util_1.createRule)({
      name: "comma-dangle",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/comma-dangle"],
        type: "layout",
        docs: {
          description: "Require or disallow trailing commas",
          extendsBaseRule: true
        },
        schema: {
          $defs: {
            value: {
              type: "string",
              enum: OPTION_VALUE_SCHEME
            },
            valueWithIgnore: {
              type: "string",
              enum: [...OPTION_VALUE_SCHEME, "ignore"]
            }
          },
          type: "array",
          items: [
            {
              oneOf: [
                {
                  $ref: "#/$defs/value"
                },
                {
                  type: "object",
                  properties: {
                    arrays: { $ref: "#/$defs/valueWithIgnore" },
                    objects: { $ref: "#/$defs/valueWithIgnore" },
                    imports: { $ref: "#/$defs/valueWithIgnore" },
                    exports: { $ref: "#/$defs/valueWithIgnore" },
                    functions: { $ref: "#/$defs/valueWithIgnore" },
                    enums: { $ref: "#/$defs/valueWithIgnore" },
                    generics: { $ref: "#/$defs/valueWithIgnore" },
                    tuples: { $ref: "#/$defs/valueWithIgnore" }
                  },
                  additionalProperties: false
                }
              ]
            }
          ],
          additionalItems: false
        },
        fixable: "code",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        messages: baseRule2.meta.messages
      },
      defaultOptions: ["never"],
      create(context, [options]) {
        const rules = baseRule2.create(context);
        const normalizedOptions = normalizeOptions(options);
        const predicate = {
          always: forceComma,
          "always-multiline": forceCommaIfMultiline,
          "only-multiline": allowCommaIfMultiline,
          never: forbidComma,
          // https://github.com/typescript-eslint/typescript-eslint/issues/7220
          // eslint-disable-next-line @typescript-eslint/explicit-function-return-type, @typescript-eslint/no-empty-function
          ignore: () => {
          }
        };
        function last(nodes) {
          return nodes[nodes.length - 1] ?? null;
        }
        function getLastItem(node) {
          switch (node.type) {
            case utils_1.AST_NODE_TYPES.TSEnumDeclaration:
              return last(node.members);
            case utils_1.AST_NODE_TYPES.TSTypeParameterDeclaration:
              return last(node.params);
            case utils_1.AST_NODE_TYPES.TSTupleType:
              return last(node.elementTypes);
            default:
              return null;
          }
        }
        function getTrailingToken(node) {
          const last2 = getLastItem(node);
          const trailing = last2 && context.sourceCode.getTokenAfter(last2);
          return trailing;
        }
        function isMultiline(node) {
          const last2 = getLastItem(node);
          const lastToken = context.sourceCode.getLastToken(node);
          return last2?.loc.end.line !== lastToken?.loc.end.line;
        }
        function forbidComma(node) {
          const last2 = getLastItem(node);
          const trailing = getTrailingToken(node);
          if (last2 && trailing && (0, util_1.isCommaToken)(trailing)) {
            context.report({
              node,
              messageId: "unexpected",
              fix(fixer) {
                return fixer.remove(trailing);
              }
            });
          }
        }
        function forceComma(node) {
          const last2 = getLastItem(node);
          const trailing = getTrailingToken(node);
          if (last2 && trailing && !(0, util_1.isCommaToken)(trailing)) {
            context.report({
              node,
              messageId: "missing",
              fix(fixer) {
                return fixer.insertTextAfter(last2, ",");
              }
            });
          }
        }
        function allowCommaIfMultiline(node) {
          if (!isMultiline(node)) {
            forbidComma(node);
          }
        }
        function forceCommaIfMultiline(node) {
          if (isMultiline(node)) {
            forceComma(node);
          } else {
            forbidComma(node);
          }
        }
        return {
          ...rules,
          TSEnumDeclaration: predicate[normalizedOptions.enums],
          TSTypeParameterDeclaration: predicate[normalizedOptions.generics],
          TSTupleType: predicate[normalizedOptions.tuples]
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/comma-spacing.js
var require_comma_spacing2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/comma-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "comma-spacing",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/comma-spacing"],
        type: "layout",
        docs: {
          description: "Enforce consistent spacing before and after commas",
          extendsBaseRule: true
        },
        fixable: "whitespace",
        schema: [
          {
            type: "object",
            properties: {
              before: {
                type: "boolean",
                default: false
              },
              after: {
                type: "boolean",
                default: true
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          unexpected: `There should be no space {{loc}} ','.`,
          missing: `A space is required {{loc}} ','.`
        }
      },
      defaultOptions: [
        {
          before: false,
          after: true
        }
      ],
      create(context, [{ before: spaceBefore, after: spaceAfter }]) {
        const tokensAndComments = context.sourceCode.tokensAndComments;
        const ignoredTokens = /* @__PURE__ */ new Set();
        function addNullElementsToIgnoreList(node) {
          let previousToken = context.sourceCode.getFirstToken(node);
          for (const element of node.elements) {
            let token;
            if (element == null) {
              token = context.sourceCode.getTokenAfter(previousToken);
              if (token && (0, util_1.isCommaToken)(token)) {
                ignoredTokens.add(token);
              }
            } else {
              token = context.sourceCode.getTokenAfter(element);
            }
            previousToken = token;
          }
        }
        function addTypeParametersTrailingCommaToIgnoreList(node) {
          const paramLength = node.params.length;
          if (paramLength) {
            const param = node.params[paramLength - 1];
            const afterToken = context.sourceCode.getTokenAfter(param);
            if (afterToken && (0, util_1.isCommaToken)(afterToken)) {
              ignoredTokens.add(afterToken);
            }
          }
        }
        function validateCommaSpacing(commaToken, prevToken, nextToken) {
          if (prevToken && (0, util_1.isTokenOnSameLine)(prevToken, commaToken) && spaceBefore !== context.sourceCode.isSpaceBetween(prevToken, commaToken)) {
            context.report({
              node: commaToken,
              data: {
                loc: "before"
              },
              messageId: spaceBefore ? "missing" : "unexpected",
              fix: (fixer) => spaceBefore ? fixer.insertTextBefore(commaToken, " ") : fixer.replaceTextRange([prevToken.range[1], commaToken.range[0]], "")
            });
          }
          if (nextToken && (0, util_1.isClosingParenToken)(nextToken)) {
            return;
          }
          if (spaceAfter && nextToken && ((0, util_1.isClosingBraceToken)(nextToken) || (0, util_1.isClosingBracketToken)(nextToken))) {
            return;
          }
          if (!spaceAfter && nextToken && nextToken.type === utils_1.AST_TOKEN_TYPES.Line) {
            return;
          }
          if (nextToken && (0, util_1.isTokenOnSameLine)(commaToken, nextToken) && spaceAfter !== context.sourceCode.isSpaceBetween(commaToken, nextToken)) {
            context.report({
              node: commaToken,
              data: {
                loc: "after"
              },
              messageId: spaceAfter ? "missing" : "unexpected",
              fix: (fixer) => spaceAfter ? fixer.insertTextAfter(commaToken, " ") : fixer.replaceTextRange([commaToken.range[1], nextToken.range[0]], "")
            });
          }
        }
        return {
          TSTypeParameterDeclaration: addTypeParametersTrailingCommaToIgnoreList,
          ArrayExpression: addNullElementsToIgnoreList,
          ArrayPattern: addNullElementsToIgnoreList,
          "Program:exit"() {
            tokensAndComments.forEach((token, i) => {
              if (!(0, util_1.isCommaToken)(token)) {
                return;
              }
              const prevToken = tokensAndComments[i - 1];
              const nextToken = tokensAndComments.at(i + 1);
              validateCommaSpacing(token, (0, util_1.isCommaToken)(prevToken) || ignoredTokens.has(token) ? null : prevToken, nextToken && (0, util_1.isCommaToken)(nextToken) || ignoredTokens.has(token) ? null : nextToken ?? null);
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-generic-constructors.js
var require_consistent_generic_constructors2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-generic-constructors.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "consistent-generic-constructors",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce specifying generic type arguments on type annotation or constructor name of a constructor call",
          recommended: "stylistic"
        },
        messages: {
          preferTypeAnnotation: "The generic type arguments should be specified as part of the type annotation.",
          preferConstructor: "The generic type arguments should be specified as part of the constructor type arguments."
        },
        fixable: "code",
        schema: [
          {
            type: "string",
            enum: ["type-annotation", "constructor"]
          }
        ]
      },
      defaultOptions: ["constructor"],
      create(context, [mode]) {
        return {
          "VariableDeclarator,PropertyDefinition,:matches(FunctionDeclaration,FunctionExpression) > AssignmentPattern"(node) {
            function getLHSRHS() {
              switch (node.type) {
                case utils_1.AST_NODE_TYPES.VariableDeclarator:
                  return [node.id, node.init];
                case utils_1.AST_NODE_TYPES.PropertyDefinition:
                  return [node, node.value];
                case utils_1.AST_NODE_TYPES.AssignmentPattern:
                  return [node.left, node.right];
                default:
                  throw new Error(`Unhandled node type: ${node.type}`);
              }
            }
            const [lhsName, rhs] = getLHSRHS();
            const lhs = lhsName.typeAnnotation?.typeAnnotation;
            if (!rhs || rhs.type !== utils_1.AST_NODE_TYPES.NewExpression || rhs.callee.type !== utils_1.AST_NODE_TYPES.Identifier) {
              return;
            }
            if (lhs && (lhs.type !== utils_1.AST_NODE_TYPES.TSTypeReference || lhs.typeName.type !== utils_1.AST_NODE_TYPES.Identifier || lhs.typeName.name !== rhs.callee.name)) {
              return;
            }
            if (mode === "type-annotation") {
              if (!lhs && rhs.typeArguments) {
                const { typeArguments, callee } = rhs;
                const typeAnnotation = context.sourceCode.getText(callee) + context.sourceCode.getText(typeArguments);
                context.report({
                  node,
                  messageId: "preferTypeAnnotation",
                  fix(fixer) {
                    function getIDToAttachAnnotation() {
                      if (node.type !== utils_1.AST_NODE_TYPES.PropertyDefinition) {
                        return lhsName;
                      }
                      if (!node.computed) {
                        return node.key;
                      }
                      return (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.key), util_1.NullThrowsReasons.MissingToken("]", "key"));
                    }
                    return [
                      fixer.remove(typeArguments),
                      fixer.insertTextAfter(getIDToAttachAnnotation(), ": " + typeAnnotation)
                    ];
                  }
                });
              }
              return;
            }
            if (lhs?.typeArguments && !rhs.typeArguments) {
              const hasParens = context.sourceCode.getTokenAfter(rhs.callee)?.value === "(";
              const extraComments = new Set(context.sourceCode.getCommentsInside(lhs.parent));
              context.sourceCode.getCommentsInside(lhs.typeArguments).forEach((c) => extraComments.delete(c));
              context.report({
                node,
                messageId: "preferConstructor",
                *fix(fixer) {
                  yield fixer.remove(lhs.parent);
                  for (const comment of extraComments) {
                    yield fixer.insertTextAfter(rhs.callee, context.sourceCode.getText(comment));
                  }
                  yield fixer.insertTextAfter(rhs.callee, context.sourceCode.getText(lhs.typeArguments));
                  if (!hasParens) {
                    yield fixer.insertTextAfter(rhs.callee, "()");
                  }
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-indexed-object-style.js
var require_consistent_indexed_object_style2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-indexed-object-style.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "consistent-indexed-object-style",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require or disallow the `Record` type",
          recommended: "stylistic"
        },
        messages: {
          preferRecord: "A record is preferred over an index signature.",
          preferIndexSignature: "An index signature is preferred over a record."
        },
        fixable: "code",
        schema: [
          {
            type: "string",
            enum: ["record", "index-signature"]
          }
        ]
      },
      defaultOptions: ["record"],
      create(context, [mode]) {
        function checkMembers(members, node, parentId, prefix, postfix, safeFix = true) {
          if (members.length !== 1) {
            return;
          }
          const [member] = members;
          if (member.type !== utils_1.AST_NODE_TYPES.TSIndexSignature) {
            return;
          }
          const parameter = member.parameters.at(0);
          if (parameter?.type !== utils_1.AST_NODE_TYPES.Identifier) {
            return;
          }
          const keyType = parameter.typeAnnotation;
          if (!keyType) {
            return;
          }
          const valueType = member.typeAnnotation;
          if (!valueType) {
            return;
          }
          if (parentId) {
            const scope = context.sourceCode.getScope(parentId);
            const superVar = utils_1.ASTUtils.findVariable(scope, parentId.name);
            if (superVar) {
              const isCircular = superVar.references.some((item) => item.isTypeReference && node.range[0] <= item.identifier.range[0] && node.range[1] >= item.identifier.range[1]);
              if (isCircular) {
                return;
              }
            }
          }
          context.report({
            node,
            messageId: "preferRecord",
            fix: safeFix ? (fixer) => {
              const key = context.sourceCode.getText(keyType.typeAnnotation);
              const value = context.sourceCode.getText(valueType.typeAnnotation);
              const record = member.readonly ? `Readonly>` : `Record<${key}, ${value}>`;
              return fixer.replaceText(node, `${prefix}${record}${postfix}`);
            } : null
          });
        }
        return {
          ...mode === "index-signature" && {
            TSTypeReference(node) {
              const typeName = node.typeName;
              if (typeName.type !== utils_1.AST_NODE_TYPES.Identifier) {
                return;
              }
              if (typeName.name !== "Record") {
                return;
              }
              const params = node.typeArguments?.params;
              if (params?.length !== 2) {
                return;
              }
              context.report({
                node,
                messageId: "preferIndexSignature",
                fix(fixer) {
                  const key = context.sourceCode.getText(params[0]);
                  const type = context.sourceCode.getText(params[1]);
                  return fixer.replaceText(node, `{ [key: ${key}]: ${type} }`);
                }
              });
            }
          },
          ...mode === "record" && {
            TSTypeLiteral(node) {
              const parent = findParentDeclaration(node);
              checkMembers(node.members, node, parent?.id, "", "");
            },
            TSInterfaceDeclaration(node) {
              let genericTypes = "";
              if (node.typeParameters?.params.length) {
                genericTypes = `<${node.typeParameters.params.map((p) => context.sourceCode.getText(p)).join(", ")}>`;
              }
              checkMembers(node.body.body, node, node.id, `type ${node.id.name}${genericTypes} = `, ";", !node.extends.length);
            }
          }
        };
      }
    });
    function findParentDeclaration(node) {
      if (node.parent && node.parent.type !== utils_1.AST_NODE_TYPES.TSTypeAnnotation) {
        if (node.parent.type === utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration) {
          return node.parent;
        }
        return findParentDeclaration(node.parent);
      }
      return void 0;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-return.js
var require_consistent_return2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-return.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("consistent-return");
    exports2.default = (0, util_1.createRule)({
      name: "consistent-return",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require `return` statements to either always or never specify values",
          extendsBaseRule: true,
          requiresTypeChecking: true
        },
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [{ treatUndefinedAsUnspecified: false }],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const rules = baseRule2.create(context);
        const functions = [];
        const treatUndefinedAsUnspecified = options?.treatUndefinedAsUnspecified === true;
        function enterFunction(node) {
          functions.push(node);
        }
        function exitFunction() {
          functions.pop();
        }
        function getCurrentFunction() {
          return functions[functions.length - 1] ?? null;
        }
        function isPromiseVoid(node, type) {
          if (tsutils.isThenableType(checker, node, type) && tsutils.isTypeReference(type)) {
            const awaitedType = type.typeArguments?.[0];
            if (awaitedType) {
              if ((0, util_1.isTypeFlagSet)(awaitedType, ts.TypeFlags.Void)) {
                return true;
              }
              return isPromiseVoid(node, awaitedType);
            }
          }
          return false;
        }
        function isReturnVoidOrThenableVoid(node) {
          const functionType2 = services.getTypeAtLocation(node);
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          const callSignatures = functionType2.getCallSignatures();
          return callSignatures.some((signature) => {
            const returnType = signature.getReturnType();
            if (node.async) {
              return isPromiseVoid(tsNode, returnType);
            }
            return (0, util_1.isTypeFlagSet)(returnType, ts.TypeFlags.Void);
          });
        }
        return {
          ...rules,
          FunctionDeclaration: enterFunction,
          "FunctionDeclaration:exit"(node) {
            exitFunction();
            rules["FunctionDeclaration:exit"](node);
          },
          FunctionExpression: enterFunction,
          "FunctionExpression:exit"(node) {
            exitFunction();
            rules["FunctionExpression:exit"](node);
          },
          ArrowFunctionExpression: enterFunction,
          "ArrowFunctionExpression:exit"(node) {
            exitFunction();
            rules["ArrowFunctionExpression:exit"](node);
          },
          ReturnStatement(node) {
            const functionNode = getCurrentFunction();
            if (!node.argument && functionNode && isReturnVoidOrThenableVoid(functionNode)) {
              return;
            }
            if (treatUndefinedAsUnspecified && node.argument) {
              const returnValueType = services.getTypeAtLocation(node.argument);
              if (returnValueType.flags === ts.TypeFlags.Undefined) {
                rules.ReturnStatement({
                  ...node,
                  argument: null
                });
                return;
              }
            }
            rules.ReturnStatement(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getWrappedCode.js
var require_getWrappedCode2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getWrappedCode.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getWrappedCode = getWrappedCode;
    function getWrappedCode(text, nodePrecedence, parentPrecedence) {
      return nodePrecedence > parentPrecedence ? text : `(${text})`;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-type-assertions.js
var require_consistent_type_assertions2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-type-assertions.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    var getWrappedCode_1 = require_getWrappedCode2();
    exports2.default = (0, util_1.createRule)({
      name: "consistent-type-assertions",
      meta: {
        type: "suggestion",
        fixable: "code",
        hasSuggestions: true,
        docs: {
          description: "Enforce consistent usage of type assertions",
          recommended: "stylistic"
        },
        messages: {
          as: "Use 'as {{cast}}' instead of '<{{cast}}>'.",
          "angle-bracket": "Use '<{{cast}}>' instead of 'as {{cast}}'.",
          never: "Do not use any type assertions.",
          unexpectedObjectTypeAssertion: "Always prefer const x: T = { ... }.",
          replaceObjectTypeAssertionWithAnnotation: "Use const x: {{cast}} = { ... } instead.",
          replaceObjectTypeAssertionWithSatisfies: "Use const x = { ... } satisfies {{cast}} instead."
        },
        schema: [
          {
            oneOf: [
              {
                type: "object",
                properties: {
                  assertionStyle: {
                    type: "string",
                    enum: ["never"]
                  }
                },
                additionalProperties: false,
                required: ["assertionStyle"]
              },
              {
                type: "object",
                properties: {
                  assertionStyle: {
                    type: "string",
                    enum: ["as", "angle-bracket"]
                  },
                  objectLiteralTypeAssertions: {
                    type: "string",
                    enum: ["allow", "allow-as-parameter", "never"]
                  }
                },
                additionalProperties: false,
                required: ["assertionStyle"]
              }
            ]
          }
        ]
      },
      defaultOptions: [
        {
          assertionStyle: "as",
          objectLiteralTypeAssertions: "allow"
        }
      ],
      create(context, [options]) {
        const parserServices = (0, util_1.getParserServices)(context, true);
        function isConst(node) {
          if (node.type !== utils_1.AST_NODE_TYPES.TSTypeReference) {
            return false;
          }
          return node.typeName.type === utils_1.AST_NODE_TYPES.Identifier && node.typeName.name === "const";
        }
        function reportIncorrectAssertionType(node) {
          const messageId4 = options.assertionStyle;
          if (isConst(node.typeAnnotation) && messageId4 === "never") {
            return;
          }
          context.report({
            node,
            messageId: messageId4,
            data: messageId4 !== "never" ? { cast: context.sourceCode.getText(node.typeAnnotation) } : {},
            fix: messageId4 === "as" ? (fixer) => {
              const tsNode = parserServices.esTreeNodeToTSNodeMap.get(node);
              const expressionCode = context.sourceCode.getText(node.expression);
              const typeAnnotationCode = context.sourceCode.getText(node.typeAnnotation);
              const asPrecedence = (0, util_1.getOperatorPrecedence)(ts.SyntaxKind.AsExpression, ts.SyntaxKind.Unknown);
              const parentPrecedence = (0, util_1.getOperatorPrecedence)(tsNode.parent.kind, ts.isBinaryExpression(tsNode.parent) ? tsNode.parent.operatorToken.kind : ts.SyntaxKind.Unknown, ts.isNewExpression(tsNode.parent) ? tsNode.parent.arguments != null && tsNode.parent.arguments.length > 0 : void 0);
              const expressionPrecedence = (0, util_1.getOperatorPrecedenceForNode)(node.expression);
              const expressionCodeWrapped = (0, getWrappedCode_1.getWrappedCode)(expressionCode, expressionPrecedence, asPrecedence);
              const text = `${expressionCodeWrapped} as ${typeAnnotationCode}`;
              return fixer.replaceText(node, (0, util_1.isParenthesized)(node, context.sourceCode) ? text : (0, getWrappedCode_1.getWrappedCode)(text, asPrecedence, parentPrecedence));
            } : void 0
          });
        }
        function checkType(node) {
          switch (node.type) {
            case utils_1.AST_NODE_TYPES.TSAnyKeyword:
            case utils_1.AST_NODE_TYPES.TSUnknownKeyword:
              return false;
            case utils_1.AST_NODE_TYPES.TSTypeReference:
              return (
                // Ignore `as const` and ``
                !isConst(node) || // Allow qualified names which have dots between identifiers, `Foo.Bar`
                node.typeName.type === utils_1.AST_NODE_TYPES.TSQualifiedName
              );
            default:
              return true;
          }
        }
        function checkExpression(node) {
          if (options.assertionStyle === "never" || options.objectLiteralTypeAssertions === "allow" || node.expression.type !== utils_1.AST_NODE_TYPES.ObjectExpression) {
            return;
          }
          if (options.objectLiteralTypeAssertions === "allow-as-parameter" && (node.parent.type === utils_1.AST_NODE_TYPES.NewExpression || node.parent.type === utils_1.AST_NODE_TYPES.CallExpression || node.parent.type === utils_1.AST_NODE_TYPES.ThrowStatement || node.parent.type === utils_1.AST_NODE_TYPES.AssignmentPattern || node.parent.type === utils_1.AST_NODE_TYPES.JSXExpressionContainer || node.parent.type === utils_1.AST_NODE_TYPES.TemplateLiteral && node.parent.parent.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression)) {
            return;
          }
          if (checkType(node.typeAnnotation)) {
            const suggest = [];
            if (node.parent.type === utils_1.AST_NODE_TYPES.VariableDeclarator && !node.parent.id.typeAnnotation) {
              const { parent } = node;
              suggest.push({
                messageId: "replaceObjectTypeAssertionWithAnnotation",
                data: { cast: context.sourceCode.getText(node.typeAnnotation) },
                fix: (fixer) => [
                  fixer.insertTextAfter(parent.id, `: ${context.sourceCode.getText(node.typeAnnotation)}`),
                  fixer.replaceText(node, (0, util_1.getTextWithParentheses)(context.sourceCode, node.expression))
                ]
              });
            }
            suggest.push({
              messageId: "replaceObjectTypeAssertionWithSatisfies",
              data: { cast: context.sourceCode.getText(node.typeAnnotation) },
              fix: (fixer) => [
                fixer.replaceText(node, (0, util_1.getTextWithParentheses)(context.sourceCode, node.expression)),
                fixer.insertTextAfter(node, ` satisfies ${context.sourceCode.getText(node.typeAnnotation)}`)
              ]
            });
            context.report({
              node,
              messageId: "unexpectedObjectTypeAssertion",
              suggest
            });
          }
        }
        return {
          TSTypeAssertion(node) {
            if (options.assertionStyle !== "angle-bracket") {
              reportIncorrectAssertionType(node);
              return;
            }
            checkExpression(node);
          },
          TSAsExpression(node) {
            if (options.assertionStyle !== "as") {
              reportIncorrectAssertionType(node);
              return;
            }
            checkExpression(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-type-definitions.js
var require_consistent_type_definitions2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-type-definitions.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "consistent-type-definitions",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce type definitions to consistently use either `interface` or `type`",
          recommended: "stylistic"
        },
        messages: {
          interfaceOverType: "Use an `interface` instead of a `type`.",
          typeOverInterface: "Use a `type` instead of an `interface`."
        },
        schema: [
          {
            type: "string",
            enum: ["interface", "type"]
          }
        ],
        fixable: "code"
      },
      defaultOptions: ["interface"],
      create(context, [option]) {
        function isCurrentlyTraversedNodeWithinModuleDeclaration(node) {
          return context.sourceCode.getAncestors(node).some((node2) => node2.type === utils_1.AST_NODE_TYPES.TSModuleDeclaration && node2.declare && node2.kind === "global");
        }
        return {
          ...option === "interface" && {
            "TSTypeAliasDeclaration[typeAnnotation.type='TSTypeLiteral']"(node) {
              context.report({
                node: node.id,
                messageId: "interfaceOverType",
                fix(fixer) {
                  const typeNode = node.typeParameters ?? node.id;
                  const fixes = [];
                  const firstToken = context.sourceCode.getTokenBefore(node.id);
                  if (firstToken) {
                    fixes.push(fixer.replaceText(firstToken, "interface"));
                    fixes.push(fixer.replaceTextRange([typeNode.range[1], node.typeAnnotation.range[0]], " "));
                  }
                  const afterToken = context.sourceCode.getTokenAfter(node.typeAnnotation);
                  if (afterToken && afterToken.type === utils_1.AST_TOKEN_TYPES.Punctuator && afterToken.value === ";") {
                    fixes.push(fixer.remove(afterToken));
                  }
                  return fixes;
                }
              });
            }
          },
          ...option === "type" && {
            TSInterfaceDeclaration(node) {
              const fix11 = isCurrentlyTraversedNodeWithinModuleDeclaration(node) ? null : (fixer) => {
                const typeNode = node.typeParameters ?? node.id;
                const fixes = [];
                const firstToken = context.sourceCode.getTokenBefore(node.id);
                if (firstToken) {
                  fixes.push(fixer.replaceText(firstToken, "type"));
                  fixes.push(fixer.replaceTextRange([typeNode.range[1], node.body.range[0]], " = "));
                }
                node.extends.forEach((heritage) => {
                  const typeIdentifier = context.sourceCode.getText(heritage);
                  fixes.push(fixer.insertTextAfter(node.body, ` & ${typeIdentifier}`));
                });
                if (node.parent.type === utils_1.AST_NODE_TYPES.ExportDefaultDeclaration) {
                  fixes.push(fixer.removeRange([node.parent.range[0], node.range[0]]), fixer.insertTextAfter(node.body, `
export default ${node.id.name}`));
                }
                return fixes;
              };
              context.report({
                node: node.id,
                messageId: "typeOverInterface",
                /**
                 * remove automatically fix when the interface is within a declare global
                 * @see {@link https://github.com/typescript-eslint/typescript-eslint/issues/2707}
                 */
                fix: fix11
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-type-exports.js
var require_consistent_type_exports2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-type-exports.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var typescript_1 = require_typescript3();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "consistent-type-exports",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce consistent usage of type exports",
          requiresTypeChecking: true
        },
        messages: {
          typeOverValue: "All exports in the declaration are only used as types. Use `export type`.",
          singleExportIsType: "Type export {{exportNames}} is not a value and should be exported using `export type`.",
          multipleExportsAreTypes: "Type exports {{exportNames}} are not values and should be exported using `export type`."
        },
        schema: [
          {
            type: "object",
            properties: {
              fixMixedExportsWithInlineTypeSpecifier: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        fixable: "code"
      },
      defaultOptions: [
        {
          fixMixedExportsWithInlineTypeSpecifier: false
        }
      ],
      create(context, [{ fixMixedExportsWithInlineTypeSpecifier }]) {
        const sourceExportsMap = {};
        const services = (0, util_1.getParserServices)(context);
        function isSpecifierTypeBased(specifier) {
          const checker = services.program.getTypeChecker();
          const symbol = services.getSymbolAtLocation(specifier.exported);
          if (!symbol) {
            return void 0;
          }
          const aliasedSymbol = checker.getAliasedSymbol(symbol);
          if (aliasedSymbol.escapedName === "unknown") {
            return void 0;
          }
          return !(aliasedSymbol.flags & typescript_1.SymbolFlags.Value);
        }
        return {
          ExportNamedDeclaration(node) {
            const source = getSourceFromExport(node) ?? "undefined";
            const sourceExports = sourceExportsMap[source] ||= {
              source,
              reportValueExports: [],
              typeOnlyNamedExport: null,
              valueOnlyNamedExport: null
            };
            if (node.exportKind === "type") {
              if (sourceExports.typeOnlyNamedExport == null) {
                sourceExports.typeOnlyNamedExport = node;
              }
            } else if (sourceExports.valueOnlyNamedExport == null) {
              sourceExports.valueOnlyNamedExport = node;
            }
            const typeBasedSpecifiers = [];
            const inlineTypeSpecifiers = [];
            const valueSpecifiers = [];
            if (node.exportKind !== "type") {
              for (const specifier of node.specifiers) {
                if (specifier.exportKind === "type") {
                  inlineTypeSpecifiers.push(specifier);
                  continue;
                }
                const isTypeBased = isSpecifierTypeBased(specifier);
                if (isTypeBased === true) {
                  typeBasedSpecifiers.push(specifier);
                } else if (isTypeBased === false) {
                  valueSpecifiers.push(specifier);
                }
              }
            }
            if (node.exportKind === "value" && typeBasedSpecifiers.length || node.exportKind === "type" && valueSpecifiers.length) {
              sourceExports.reportValueExports.push({
                node,
                typeBasedSpecifiers,
                valueSpecifiers,
                inlineTypeSpecifiers
              });
            }
          },
          "Program:exit"() {
            for (const sourceExports of Object.values(sourceExportsMap)) {
              if (sourceExports.reportValueExports.length === 0) {
                continue;
              }
              for (const report of sourceExports.reportValueExports) {
                if (report.valueSpecifiers.length === 0) {
                  context.report({
                    node: report.node,
                    messageId: "typeOverValue",
                    *fix(fixer) {
                      yield* fixExportInsertType(fixer, context.sourceCode, report.node);
                    }
                  });
                  continue;
                }
                const allExportNames = report.typeBasedSpecifiers.map((specifier) => specifier.local.name);
                if (allExportNames.length === 1) {
                  const exportNames = allExportNames[0];
                  context.report({
                    node: report.node,
                    messageId: "singleExportIsType",
                    data: { exportNames },
                    *fix(fixer) {
                      if (fixMixedExportsWithInlineTypeSpecifier) {
                        yield* fixAddTypeSpecifierToNamedExports(fixer, report);
                      } else {
                        yield* fixSeparateNamedExports(fixer, context.sourceCode, report);
                      }
                    }
                  });
                } else {
                  const exportNames = (0, util_1.formatWordList)(allExportNames);
                  context.report({
                    node: report.node,
                    messageId: "multipleExportsAreTypes",
                    data: { exportNames },
                    *fix(fixer) {
                      if (fixMixedExportsWithInlineTypeSpecifier) {
                        yield* fixAddTypeSpecifierToNamedExports(fixer, report);
                      } else {
                        yield* fixSeparateNamedExports(fixer, context.sourceCode, report);
                      }
                    }
                  });
                }
              }
            }
          }
        };
      }
    });
    function* fixExportInsertType(fixer, sourceCode, node) {
      const exportToken = (0, util_1.nullThrows)(sourceCode.getFirstToken(node), util_1.NullThrowsReasons.MissingToken("export", node.type));
      yield fixer.insertTextAfter(exportToken, " type");
      for (const specifier of node.specifiers) {
        if (specifier.exportKind === "type") {
          const kindToken = (0, util_1.nullThrows)(sourceCode.getFirstToken(specifier), util_1.NullThrowsReasons.MissingToken("export", specifier.type));
          const firstTokenAfter = (0, util_1.nullThrows)(sourceCode.getTokenAfter(kindToken, {
            includeComments: true
          }), "Missing token following the export kind.");
          yield fixer.removeRange([kindToken.range[0], firstTokenAfter.range[0]]);
        }
      }
    }
    function* fixSeparateNamedExports(fixer, sourceCode, report) {
      const { node, typeBasedSpecifiers, inlineTypeSpecifiers, valueSpecifiers } = report;
      const typeSpecifiers = typeBasedSpecifiers.concat(inlineTypeSpecifiers);
      const source = getSourceFromExport(node);
      const specifierNames = typeSpecifiers.map(getSpecifierText).join(", ");
      const exportToken = (0, util_1.nullThrows)(sourceCode.getFirstToken(node), util_1.NullThrowsReasons.MissingToken("export", node.type));
      const filteredSpecifierNames = valueSpecifiers.map(getSpecifierText).join(", ");
      const openToken = (0, util_1.nullThrows)(sourceCode.getFirstToken(node, util_1.isOpeningBraceToken), util_1.NullThrowsReasons.MissingToken("{", node.type));
      const closeToken = (0, util_1.nullThrows)(sourceCode.getLastToken(node, util_1.isClosingBraceToken), util_1.NullThrowsReasons.MissingToken("}", node.type));
      yield fixer.replaceTextRange([openToken.range[1], closeToken.range[0]], ` ${filteredSpecifierNames} `);
      yield fixer.insertTextBefore(exportToken, `export type { ${specifierNames} }${source ? ` from '${source}'` : ""};
`);
    }
    function* fixAddTypeSpecifierToNamedExports(fixer, report) {
      if (report.node.exportKind === "type") {
        return;
      }
      for (const specifier of report.typeBasedSpecifiers) {
        yield fixer.insertTextBefore(specifier, "type ");
      }
    }
    function getSourceFromExport(node) {
      if (node.source?.type === utils_1.AST_NODE_TYPES.Literal && typeof node.source.value === "string") {
        return node.source.value;
      }
      return void 0;
    }
    function getSpecifierText(specifier) {
      return `${specifier.local.name}${specifier.exported.name !== specifier.local.name ? ` as ${specifier.exported.name}` : ""}`;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-type-imports.js
var require_consistent_type_imports2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/consistent-type-imports.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "consistent-type-imports",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce consistent usage of type imports"
        },
        messages: {
          typeOverValue: "All imports in the declaration are only used as types. Use `import type`.",
          someImportsAreOnlyTypes: "Imports {{typeImports}} are only used as type.",
          avoidImportType: "Use an `import` instead of an `import type`.",
          noImportTypeAnnotations: "`import()` type annotations are forbidden."
        },
        schema: [
          {
            type: "object",
            properties: {
              disallowTypeAnnotations: {
                type: "boolean"
              },
              fixStyle: {
                type: "string",
                enum: ["separate-type-imports", "inline-type-imports"]
              },
              prefer: {
                type: "string",
                enum: ["type-imports", "no-type-imports"]
              }
            },
            additionalProperties: false
          }
        ],
        fixable: "code"
      },
      defaultOptions: [
        {
          prefer: "type-imports",
          disallowTypeAnnotations: true,
          fixStyle: "separate-type-imports"
        }
      ],
      create(context, [option]) {
        const prefer = option.prefer ?? "type-imports";
        const disallowTypeAnnotations = option.disallowTypeAnnotations !== false;
        const selectors = {};
        if (disallowTypeAnnotations) {
          selectors.TSImportType = (node) => {
            context.report({
              node,
              messageId: "noImportTypeAnnotations"
            });
          };
        }
        if (prefer === "no-type-imports") {
          return {
            ...selectors,
            'ImportDeclaration[importKind = "type"]'(node) {
              context.report({
                node,
                messageId: "avoidImportType",
                fix(fixer) {
                  return fixRemoveTypeSpecifierFromImportDeclaration(fixer, node);
                }
              });
            },
            'ImportSpecifier[importKind = "type"]'(node) {
              context.report({
                node,
                messageId: "avoidImportType",
                fix(fixer) {
                  return fixRemoveTypeSpecifierFromImportSpecifier(fixer, node);
                }
              });
            }
          };
        }
        const fixStyle = option.fixStyle ?? "separate-type-imports";
        let hasDecoratorMetadata = false;
        const sourceImportsMap = {};
        const emitDecoratorMetadata = (0, util_1.getParserServices)(context, true).emitDecoratorMetadata ?? false;
        const experimentalDecorators = (0, util_1.getParserServices)(context, true).experimentalDecorators ?? false;
        if (experimentalDecorators && emitDecoratorMetadata) {
          selectors.Decorator = () => {
            hasDecoratorMetadata = true;
          };
        }
        return {
          ...selectors,
          ImportDeclaration(node) {
            const source = node.source.value;
            sourceImportsMap[source] ??= {
              source,
              reportValueImports: [],
              // if there is a mismatch where type importKind but value specifiers
              typeOnlyNamedImport: null,
              // if only type imports
              valueOnlyNamedImport: null,
              // if only value imports with named specifiers
              valueImport: null
              // if only value imports
            };
            const sourceImports = sourceImportsMap[source];
            if (node.importKind === "type") {
              if (!sourceImports.typeOnlyNamedImport && node.specifiers.every((specifier) => specifier.type === utils_1.AST_NODE_TYPES.ImportSpecifier)) {
                sourceImports.typeOnlyNamedImport = node;
              }
            } else {
              if (!sourceImports.valueOnlyNamedImport && node.specifiers.length && node.specifiers.every((specifier) => specifier.type === utils_1.AST_NODE_TYPES.ImportSpecifier)) {
                sourceImports.valueOnlyNamedImport = node;
                sourceImports.valueImport = node;
              } else if (!sourceImports.valueImport && node.specifiers.some((specifier) => specifier.type === utils_1.AST_NODE_TYPES.ImportDefaultSpecifier)) {
                sourceImports.valueImport = node;
              }
            }
            const typeSpecifiers = [];
            const inlineTypeSpecifiers = [];
            const valueSpecifiers = [];
            const unusedSpecifiers = [];
            for (const specifier of node.specifiers) {
              if (specifier.type === utils_1.AST_NODE_TYPES.ImportSpecifier && specifier.importKind === "type") {
                inlineTypeSpecifiers.push(specifier);
                continue;
              }
              const [variable] = context.sourceCode.getDeclaredVariables(specifier);
              if (variable.references.length === 0) {
                unusedSpecifiers.push(specifier);
              } else {
                const onlyHasTypeReferences = variable.references.every((ref) => {
                  if (ref.identifier.parent.type === utils_1.AST_NODE_TYPES.ExportSpecifier || ref.identifier.parent.type === utils_1.AST_NODE_TYPES.ExportDefaultDeclaration || ref.identifier.parent.type === utils_1.AST_NODE_TYPES.TSExportAssignment) {
                    if (ref.isValueReference && ref.isTypeReference) {
                      return node.importKind === "type";
                    }
                  }
                  if (ref.isValueReference) {
                    let parent = ref.identifier.parent;
                    let child = ref.identifier;
                    while (parent) {
                      switch (parent.type) {
                        case utils_1.AST_NODE_TYPES.TSTypeQuery:
                          return true;
                        case utils_1.AST_NODE_TYPES.TSQualifiedName:
                          if (parent.left !== child) {
                            return false;
                          }
                          child = parent;
                          parent = parent.parent;
                          continue;
                        case utils_1.AST_NODE_TYPES.TSPropertySignature:
                          return parent.key === child;
                        case utils_1.AST_NODE_TYPES.MemberExpression:
                          if (parent.object !== child) {
                            return false;
                          }
                          child = parent;
                          parent = parent.parent;
                          continue;
                        default:
                          return false;
                      }
                    }
                  }
                  return ref.isTypeReference;
                });
                if (onlyHasTypeReferences) {
                  typeSpecifiers.push(specifier);
                } else {
                  valueSpecifiers.push(specifier);
                }
              }
            }
            if (node.importKind === "value" && typeSpecifiers.length) {
              sourceImports.reportValueImports.push({
                node,
                typeSpecifiers,
                valueSpecifiers,
                unusedSpecifiers,
                inlineTypeSpecifiers
              });
            }
          },
          "Program:exit"() {
            if (hasDecoratorMetadata) {
              return;
            }
            for (const sourceImports of Object.values(sourceImportsMap)) {
              if (sourceImports.reportValueImports.length === 0) {
                continue;
              }
              for (const report of sourceImports.reportValueImports) {
                if (report.valueSpecifiers.length === 0 && report.unusedSpecifiers.length === 0 && report.node.importKind !== "type") {
                  if (report.node.attributes.length === 0) {
                    context.report({
                      node: report.node,
                      messageId: "typeOverValue",
                      *fix(fixer) {
                        yield* fixToTypeImportDeclaration(fixer, report, sourceImports);
                      }
                    });
                  }
                } else {
                  const importNames = report.typeSpecifiers.map((specifier) => `"${specifier.local.name}"`);
                  const message = (() => {
                    const typeImports = (0, util_1.formatWordList)(importNames);
                    if (importNames.length === 1) {
                      return {
                        messageId: "someImportsAreOnlyTypes",
                        data: {
                          typeImports
                        }
                      };
                    }
                    return {
                      messageId: "someImportsAreOnlyTypes",
                      data: {
                        typeImports
                      }
                    };
                  })();
                  context.report({
                    node: report.node,
                    ...message,
                    *fix(fixer) {
                      yield* fixToTypeImportDeclaration(fixer, report, sourceImports);
                    }
                  });
                }
              }
            }
          }
        };
        function classifySpecifier(node) {
          const defaultSpecifier = node.specifiers[0].type === utils_1.AST_NODE_TYPES.ImportDefaultSpecifier ? node.specifiers[0] : null;
          const namespaceSpecifier = node.specifiers.find((specifier) => specifier.type === utils_1.AST_NODE_TYPES.ImportNamespaceSpecifier) ?? null;
          const namedSpecifiers = node.specifiers.filter((specifier) => specifier.type === utils_1.AST_NODE_TYPES.ImportSpecifier);
          return {
            defaultSpecifier,
            namespaceSpecifier,
            namedSpecifiers
          };
        }
        function getFixesNamedSpecifiers(fixer, node, subsetNamedSpecifiers, allNamedSpecifiers) {
          if (allNamedSpecifiers.length === 0) {
            return {
              typeNamedSpecifiersText: "",
              removeTypeNamedSpecifiers: []
            };
          }
          const typeNamedSpecifiersTexts = [];
          const removeTypeNamedSpecifiers = [];
          if (subsetNamedSpecifiers.length === allNamedSpecifiers.length) {
            const openingBraceToken = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(subsetNamedSpecifiers[0], util_1.isOpeningBraceToken), util_1.NullThrowsReasons.MissingToken("{", node.type));
            const commaToken = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(openingBraceToken, util_1.isCommaToken), util_1.NullThrowsReasons.MissingToken(",", node.type));
            const closingBraceToken = (0, util_1.nullThrows)(context.sourceCode.getFirstTokenBetween(openingBraceToken, node.source, util_1.isClosingBraceToken), util_1.NullThrowsReasons.MissingToken("}", node.type));
            removeTypeNamedSpecifiers.push(fixer.removeRange([commaToken.range[0], closingBraceToken.range[1]]));
            typeNamedSpecifiersTexts.push(context.sourceCode.text.slice(openingBraceToken.range[1], closingBraceToken.range[0]));
          } else {
            const namedSpecifierGroups = [];
            let group = [];
            for (const namedSpecifier of allNamedSpecifiers) {
              if (subsetNamedSpecifiers.includes(namedSpecifier)) {
                group.push(namedSpecifier);
              } else if (group.length) {
                namedSpecifierGroups.push(group);
                group = [];
              }
            }
            if (group.length) {
              namedSpecifierGroups.push(group);
            }
            for (const namedSpecifiers of namedSpecifierGroups) {
              const { removeRange, textRange } = getNamedSpecifierRanges(namedSpecifiers, allNamedSpecifiers);
              removeTypeNamedSpecifiers.push(fixer.removeRange(removeRange));
              typeNamedSpecifiersTexts.push(context.sourceCode.text.slice(...textRange));
            }
          }
          return {
            typeNamedSpecifiersText: typeNamedSpecifiersTexts.join(","),
            removeTypeNamedSpecifiers
          };
        }
        function getNamedSpecifierRanges(namedSpecifierGroup, allNamedSpecifiers) {
          const first = namedSpecifierGroup[0];
          const last = namedSpecifierGroup[namedSpecifierGroup.length - 1];
          const removeRange = [first.range[0], last.range[1]];
          const textRange = [...removeRange];
          const before = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(first), util_1.NullThrowsReasons.MissingToken("token", "first specifier"));
          textRange[0] = before.range[1];
          if ((0, util_1.isCommaToken)(before)) {
            removeRange[0] = before.range[0];
          } else {
            removeRange[0] = before.range[1];
          }
          const isFirst = allNamedSpecifiers[0] === first;
          const isLast = allNamedSpecifiers[allNamedSpecifiers.length - 1] === last;
          const after = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(last), util_1.NullThrowsReasons.MissingToken("token", "last specifier"));
          textRange[1] = after.range[0];
          if (isFirst || isLast) {
            if ((0, util_1.isCommaToken)(after)) {
              removeRange[1] = after.range[1];
            }
          }
          return {
            textRange,
            removeRange
          };
        }
        function fixInsertNamedSpecifiersInNamedSpecifierList(fixer, target, insertText) {
          const closingBraceToken = (0, util_1.nullThrows)(context.sourceCode.getFirstTokenBetween((0, util_1.nullThrows)(context.sourceCode.getFirstToken(target), util_1.NullThrowsReasons.MissingToken("token before", "import")), target.source, util_1.isClosingBraceToken), util_1.NullThrowsReasons.MissingToken("}", target.type));
          const before = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(closingBraceToken), util_1.NullThrowsReasons.MissingToken("token before", "closing brace"));
          if (!(0, util_1.isCommaToken)(before) && !(0, util_1.isOpeningBraceToken)(before)) {
            insertText = `,${insertText}`;
          }
          return fixer.insertTextBefore(closingBraceToken, insertText);
        }
        function* fixInsertTypeKeywordInNamedSpecifierList(fixer, typeSpecifiers) {
          for (const spec of typeSpecifiers) {
            const insertText = context.sourceCode.text.slice(...spec.range);
            yield fixer.replaceTextRange(spec.range, `type ${insertText}`);
          }
        }
        function* fixInlineTypeImportDeclaration(fixer, report, sourceImports) {
          const { node } = report;
          const { namedSpecifiers } = classifySpecifier(node);
          const typeNamedSpecifiers = namedSpecifiers.filter((specifier) => report.typeSpecifiers.includes(specifier));
          if (sourceImports.valueImport) {
            const { namedSpecifiers: valueImportNamedSpecifiers } = classifySpecifier(sourceImports.valueImport);
            if (sourceImports.valueOnlyNamedImport || valueImportNamedSpecifiers.length) {
              yield* fixInsertTypeKeywordInNamedSpecifierList(fixer, typeNamedSpecifiers);
            }
          }
        }
        function* fixToTypeImportDeclaration(fixer, report, sourceImports) {
          const { node } = report;
          const { defaultSpecifier, namespaceSpecifier, namedSpecifiers } = classifySpecifier(node);
          if (namespaceSpecifier && !defaultSpecifier) {
            if (node.attributes.length === 0) {
              yield* fixInsertTypeSpecifierForImportDeclaration(fixer, node, false);
            }
            return;
          } else if (defaultSpecifier) {
            if (report.typeSpecifiers.includes(defaultSpecifier) && namedSpecifiers.length === 0 && !namespaceSpecifier) {
              yield* fixInsertTypeSpecifierForImportDeclaration(fixer, node, true);
              return;
            } else if (fixStyle === "inline-type-imports" && !report.typeSpecifiers.includes(defaultSpecifier) && namedSpecifiers.length > 0 && !namespaceSpecifier) {
              yield* fixInlineTypeImportDeclaration(fixer, report, sourceImports);
              return;
            }
          } else if (!namespaceSpecifier) {
            if (fixStyle === "inline-type-imports" && namedSpecifiers.some((specifier) => report.typeSpecifiers.includes(specifier))) {
              yield* fixInlineTypeImportDeclaration(fixer, report, sourceImports);
              return;
            } else if (namedSpecifiers.every((specifier) => report.typeSpecifiers.includes(specifier))) {
              yield* fixInsertTypeSpecifierForImportDeclaration(fixer, node, false);
              return;
            }
          }
          const typeNamedSpecifiers = namedSpecifiers.filter((specifier) => report.typeSpecifiers.includes(specifier));
          const fixesNamedSpecifiers = getFixesNamedSpecifiers(fixer, node, typeNamedSpecifiers, namedSpecifiers);
          const afterFixes = [];
          if (typeNamedSpecifiers.length) {
            if (sourceImports.typeOnlyNamedImport) {
              const insertTypeNamedSpecifiers = fixInsertNamedSpecifiersInNamedSpecifierList(fixer, sourceImports.typeOnlyNamedImport, fixesNamedSpecifiers.typeNamedSpecifiersText);
              if (sourceImports.typeOnlyNamedImport.range[1] <= node.range[0]) {
                yield insertTypeNamedSpecifiers;
              } else {
                afterFixes.push(insertTypeNamedSpecifiers);
              }
            } else {
              if (fixStyle === "inline-type-imports") {
                yield fixer.insertTextBefore(node, `import {${typeNamedSpecifiers.map((spec) => {
                  const insertText = context.sourceCode.text.slice(...spec.range);
                  return `type ${insertText}`;
                }).join(", ")}} from ${context.sourceCode.getText(node.source)};
`);
              } else {
                yield fixer.insertTextBefore(node, `import type {${fixesNamedSpecifiers.typeNamedSpecifiersText}} from ${context.sourceCode.getText(node.source)};
`);
              }
            }
          }
          const fixesRemoveTypeNamespaceSpecifier = [];
          if (namespaceSpecifier && report.typeSpecifiers.includes(namespaceSpecifier)) {
            const commaToken = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(namespaceSpecifier, util_1.isCommaToken), util_1.NullThrowsReasons.MissingToken(",", node.type));
            fixesRemoveTypeNamespaceSpecifier.push(fixer.removeRange([commaToken.range[0], namespaceSpecifier.range[1]]));
            yield fixer.insertTextBefore(node, `import type ${context.sourceCode.getText(namespaceSpecifier)} from ${context.sourceCode.getText(node.source)};
`);
          }
          if (defaultSpecifier && report.typeSpecifiers.includes(defaultSpecifier)) {
            if (report.typeSpecifiers.length === node.specifiers.length) {
              const importToken = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(node, util_1.isImportKeyword), util_1.NullThrowsReasons.MissingToken("import", node.type));
              yield fixer.insertTextAfter(importToken, " type");
            } else {
              const commaToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(defaultSpecifier, util_1.isCommaToken), util_1.NullThrowsReasons.MissingToken(",", defaultSpecifier.type));
              const defaultText = context.sourceCode.text.slice(defaultSpecifier.range[0], commaToken.range[0]).trim();
              yield fixer.insertTextBefore(node, `import type ${defaultText} from ${context.sourceCode.getText(node.source)};
`);
              const afterToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(commaToken, {
                includeComments: true
              }), util_1.NullThrowsReasons.MissingToken("any token", node.type));
              yield fixer.removeRange([
                defaultSpecifier.range[0],
                afterToken.range[0]
              ]);
            }
          }
          yield* fixesNamedSpecifiers.removeTypeNamedSpecifiers;
          yield* fixesRemoveTypeNamespaceSpecifier;
          yield* afterFixes;
        }
        function* fixInsertTypeSpecifierForImportDeclaration(fixer, node, isDefaultImport) {
          const importToken = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(node, util_1.isImportKeyword), util_1.NullThrowsReasons.MissingToken("import", node.type));
          yield fixer.insertTextAfter(importToken, " type");
          if (isDefaultImport) {
            const openingBraceToken = context.sourceCode.getFirstTokenBetween(importToken, node.source, util_1.isOpeningBraceToken);
            if (openingBraceToken) {
              const commaToken = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(openingBraceToken, util_1.isCommaToken), util_1.NullThrowsReasons.MissingToken(",", node.type));
              const closingBraceToken = (0, util_1.nullThrows)(context.sourceCode.getFirstTokenBetween(openingBraceToken, node.source, util_1.isClosingBraceToken), util_1.NullThrowsReasons.MissingToken("}", node.type));
              yield fixer.removeRange([
                commaToken.range[0],
                closingBraceToken.range[1]
              ]);
              const specifiersText = context.sourceCode.text.slice(commaToken.range[1], closingBraceToken.range[1]);
              if (node.specifiers.length > 1) {
                yield fixer.insertTextAfter(node, `
import type${specifiersText} from ${context.sourceCode.getText(node.source)};`);
              }
            }
          }
          for (const specifier of node.specifiers) {
            if (specifier.type === utils_1.AST_NODE_TYPES.ImportSpecifier && specifier.importKind === "type") {
              yield* fixRemoveTypeSpecifierFromImportSpecifier(fixer, specifier);
            }
          }
        }
        function* fixRemoveTypeSpecifierFromImportDeclaration(fixer, node) {
          const importToken = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(node, util_1.isImportKeyword), util_1.NullThrowsReasons.MissingToken("import", node.type));
          const typeToken = (0, util_1.nullThrows)(context.sourceCode.getFirstTokenBetween(importToken, node.specifiers[0]?.local ?? node.source, util_1.isTypeKeyword), util_1.NullThrowsReasons.MissingToken("type", node.type));
          const afterToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(typeToken, { includeComments: true }), util_1.NullThrowsReasons.MissingToken("any token", node.type));
          yield fixer.removeRange([typeToken.range[0], afterToken.range[0]]);
        }
        function* fixRemoveTypeSpecifierFromImportSpecifier(fixer, node) {
          const typeToken = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(node, util_1.isTypeKeyword), util_1.NullThrowsReasons.MissingToken("type", node.type));
          const afterToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(typeToken, { includeComments: true }), util_1.NullThrowsReasons.MissingToken("any token", node.type));
          yield fixer.removeRange([typeToken.range[0], afterToken.range[0]]);
        }
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/default-param-last.js
var require_default_param_last2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/default-param-last.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "default-param-last",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce default parameters to be last",
          extendsBaseRule: true
        },
        schema: [],
        messages: {
          shouldBeLast: "Default parameters should be last."
        }
      },
      defaultOptions: [],
      create(context) {
        function isOptionalParam(node) {
          return (node.type === utils_1.AST_NODE_TYPES.ArrayPattern || node.type === utils_1.AST_NODE_TYPES.AssignmentPattern || node.type === utils_1.AST_NODE_TYPES.Identifier || node.type === utils_1.AST_NODE_TYPES.ObjectPattern || node.type === utils_1.AST_NODE_TYPES.RestElement) && node.optional;
        }
        function isPlainParam(node) {
          return !(node.type === utils_1.AST_NODE_TYPES.AssignmentPattern || node.type === utils_1.AST_NODE_TYPES.RestElement || isOptionalParam(node));
        }
        function checkDefaultParamLast(node) {
          let hasSeenPlainParam = false;
          for (let i = node.params.length - 1; i >= 0; i--) {
            const current = node.params[i];
            const param = current.type === utils_1.AST_NODE_TYPES.TSParameterProperty ? current.parameter : current;
            if (isPlainParam(param)) {
              hasSeenPlainParam = true;
              continue;
            }
            if (hasSeenPlainParam && (isOptionalParam(param) || param.type === utils_1.AST_NODE_TYPES.AssignmentPattern)) {
              context.report({ node: current, messageId: "shouldBeLast" });
            }
          }
        }
        return {
          ArrowFunctionExpression: checkDefaultParamLast,
          FunctionDeclaration: checkDefaultParamLast,
          FunctionExpression: checkDefaultParamLast
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/dot-notation.js
var require_dot_notation2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/dot-notation.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("dot-notation");
    exports2.default = (0, util_1.createRule)({
      name: "dot-notation",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce dot notation whenever possible",
          recommended: "stylistic",
          extendsBaseRule: true,
          requiresTypeChecking: true
        },
        schema: [
          {
            type: "object",
            properties: {
              allowKeywords: {
                type: "boolean",
                default: true
              },
              allowPattern: {
                type: "string",
                default: ""
              },
              allowPrivateClassPropertyAccess: {
                type: "boolean",
                default: false
              },
              allowProtectedClassPropertyAccess: {
                type: "boolean",
                default: false
              },
              allowIndexSignaturePropertyAccess: {
                type: "boolean",
                default: false
              }
            },
            additionalProperties: false
          }
        ],
        fixable: baseRule2.meta.fixable,
        hasSuggestions: baseRule2.meta.hasSuggestions,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        {
          allowPrivateClassPropertyAccess: false,
          allowProtectedClassPropertyAccess: false,
          allowIndexSignaturePropertyAccess: false,
          allowKeywords: true,
          allowPattern: ""
        }
      ],
      create(context, [options]) {
        const rules = baseRule2.create(context);
        const services = (0, util_1.getParserServices)(context);
        const allowPrivateClassPropertyAccess = options.allowPrivateClassPropertyAccess;
        const allowProtectedClassPropertyAccess = options.allowProtectedClassPropertyAccess;
        const allowIndexSignaturePropertyAccess = (options.allowIndexSignaturePropertyAccess ?? false) || tsutils.isCompilerOptionEnabled(services.program.getCompilerOptions(), "noPropertyAccessFromIndexSignature");
        return {
          MemberExpression(node) {
            if ((allowPrivateClassPropertyAccess || allowProtectedClassPropertyAccess || allowIndexSignaturePropertyAccess) && node.computed) {
              const propertySymbol = services.getSymbolAtLocation(node.property) ?? services.getTypeAtLocation(node.object).getNonNullableType().getProperties().find((propertySymbol2) => node.property.type === utils_1.AST_NODE_TYPES.Literal && propertySymbol2.escapedName === node.property.value);
              const modifierKind = (0, util_1.getModifiers)(propertySymbol?.getDeclarations()?.[0])?.[0].kind;
              if (allowPrivateClassPropertyAccess && modifierKind === ts.SyntaxKind.PrivateKeyword || allowProtectedClassPropertyAccess && modifierKind === ts.SyntaxKind.ProtectedKeyword) {
                return;
              }
              if (propertySymbol === void 0 && allowIndexSignaturePropertyAccess) {
                const objectType2 = services.getTypeAtLocation(node.object);
                const indexType = objectType2.getNonNullableType().getStringIndexType();
                if (indexType !== void 0) {
                  return;
                }
              }
            }
            rules.MemberExpression(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/explicitReturnTypeUtils.js
var require_explicitReturnTypeUtils2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/explicitReturnTypeUtils.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.checkFunctionExpressionReturnType = checkFunctionExpressionReturnType;
    exports2.checkFunctionReturnType = checkFunctionReturnType;
    exports2.doesImmediatelyReturnFunctionExpression = doesImmediatelyReturnFunctionExpression;
    exports2.isTypedFunctionExpression = isTypedFunctionExpression;
    exports2.isValidFunctionExpressionReturnType = isValidFunctionExpressionReturnType;
    exports2.ancestorHasReturnType = ancestorHasReturnType;
    var utils_1 = require_dist15();
    var astUtils_1 = require_astUtils2();
    var getFunctionHeadLoc_1 = require_getFunctionHeadLoc2();
    function isVariableDeclaratorWithTypeAnnotation(node) {
      return node.type === utils_1.AST_NODE_TYPES.VariableDeclarator && !!node.id.typeAnnotation;
    }
    function isPropertyDefinitionWithTypeAnnotation(node) {
      return node.type === utils_1.AST_NODE_TYPES.PropertyDefinition && !!node.typeAnnotation;
    }
    function isFunctionArgument(parent, callee) {
      return parent.type === utils_1.AST_NODE_TYPES.CallExpression && // make sure this isn't an IIFE
      parent.callee !== callee;
    }
    function isTypedJSX(node) {
      return node.type === utils_1.AST_NODE_TYPES.JSXExpressionContainer || node.type === utils_1.AST_NODE_TYPES.JSXSpreadAttribute;
    }
    function isTypedParent(parent, callee) {
      return (0, astUtils_1.isTypeAssertion)(parent) || isVariableDeclaratorWithTypeAnnotation(parent) || isDefaultFunctionParameterWithTypeAnnotation(parent) || isPropertyDefinitionWithTypeAnnotation(parent) || isFunctionArgument(parent, callee) || isTypedJSX(parent);
    }
    function isDefaultFunctionParameterWithTypeAnnotation(node) {
      return node.type === utils_1.AST_NODE_TYPES.AssignmentPattern && node.left.typeAnnotation != null;
    }
    function isConstructorArgument(node) {
      return node.type === utils_1.AST_NODE_TYPES.NewExpression;
    }
    function isPropertyOfObjectWithType(property) {
      if (!property || property.type !== utils_1.AST_NODE_TYPES.Property) {
        return false;
      }
      const objectExpr = property.parent;
      if (objectExpr.type !== utils_1.AST_NODE_TYPES.ObjectExpression) {
        return false;
      }
      const parent = objectExpr.parent;
      return isTypedParent(parent) || isPropertyOfObjectWithType(parent);
    }
    function doesImmediatelyReturnFunctionExpression({ node, returns }) {
      if (node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression && utils_1.ASTUtils.isFunction(node.body)) {
        return true;
      }
      if (returns.length === 0) {
        return false;
      }
      return returns.every((node2) => node2.argument && utils_1.ASTUtils.isFunction(node2.argument));
    }
    function returnsConstAssertionDirectly(node) {
      const { body } = node;
      if ((0, astUtils_1.isTypeAssertion)(body)) {
        const { typeAnnotation } = body;
        if (typeAnnotation.type === utils_1.AST_NODE_TYPES.TSTypeReference) {
          const { typeName } = typeAnnotation;
          if (typeName.type === utils_1.AST_NODE_TYPES.Identifier && typeName.name === "const") {
            return true;
          }
        }
      }
      return false;
    }
    function isTypedFunctionExpression(node, options) {
      const parent = utils_1.ESLintUtils.nullThrows(node.parent, utils_1.ESLintUtils.NullThrowsReasons.MissingParent);
      if (!options.allowTypedFunctionExpressions) {
        return false;
      }
      return isTypedParent(parent, node) || isPropertyOfObjectWithType(parent) || isConstructorArgument(parent);
    }
    function isValidFunctionExpressionReturnType(node, options) {
      if (isTypedFunctionExpression(node, options)) {
        return true;
      }
      const parent = utils_1.ESLintUtils.nullThrows(node.parent, utils_1.ESLintUtils.NullThrowsReasons.MissingParent);
      if (options.allowExpressions && parent.type !== utils_1.AST_NODE_TYPES.VariableDeclarator && parent.type !== utils_1.AST_NODE_TYPES.MethodDefinition && parent.type !== utils_1.AST_NODE_TYPES.ExportDefaultDeclaration && parent.type !== utils_1.AST_NODE_TYPES.PropertyDefinition) {
        return true;
      }
      return options.allowDirectConstAssertionInArrowFunctions === true && node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression && returnsConstAssertionDirectly(node);
    }
    function isValidFunctionReturnType({ node, returns }, options) {
      if (options.allowHigherOrderFunctions && doesImmediatelyReturnFunctionExpression({ node, returns })) {
        return true;
      }
      return node.returnType != null || (0, astUtils_1.isConstructor)(node.parent) || (0, astUtils_1.isSetter)(node.parent);
    }
    function checkFunctionReturnType({ node, returns }, options, sourceCode, report) {
      if (isValidFunctionReturnType({ node, returns }, options)) {
        return;
      }
      report((0, getFunctionHeadLoc_1.getFunctionHeadLoc)(node, sourceCode));
    }
    function checkFunctionExpressionReturnType(info, options, sourceCode, report) {
      if (isValidFunctionExpressionReturnType(info.node, options)) {
        return;
      }
      checkFunctionReturnType(info, options, sourceCode, report);
    }
    function ancestorHasReturnType(node) {
      let ancestor = node.parent;
      if (ancestor.type === utils_1.AST_NODE_TYPES.Property) {
        ancestor = ancestor.value;
      }
      const isReturnStatement = ancestor.type === utils_1.AST_NODE_TYPES.ReturnStatement;
      const isBodylessArrow = ancestor.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression && ancestor.body.type !== utils_1.AST_NODE_TYPES.BlockStatement;
      if (!isReturnStatement && !isBodylessArrow) {
        return false;
      }
      while (ancestor) {
        switch (ancestor.type) {
          case utils_1.AST_NODE_TYPES.ArrowFunctionExpression:
          case utils_1.AST_NODE_TYPES.FunctionExpression:
          case utils_1.AST_NODE_TYPES.FunctionDeclaration:
            if (ancestor.returnType) {
              return true;
            }
            break;
          case utils_1.AST_NODE_TYPES.VariableDeclarator:
            return !!ancestor.id.typeAnnotation;
          case utils_1.AST_NODE_TYPES.PropertyDefinition:
            return !!ancestor.typeAnnotation;
          case utils_1.AST_NODE_TYPES.ExpressionStatement:
            return false;
        }
        ancestor = ancestor.parent;
      }
      return false;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/explicit-function-return-type.js
var require_explicit_function_return_type2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/explicit-function-return-type.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var explicitReturnTypeUtils_1 = require_explicitReturnTypeUtils2();
    exports2.default = (0, util_1.createRule)({
      name: "explicit-function-return-type",
      meta: {
        type: "problem",
        docs: {
          description: "Require explicit return types on functions and class methods"
        },
        messages: {
          missingReturnType: "Missing return type on function."
        },
        schema: [
          {
            type: "object",
            properties: {
              allowConciseArrowFunctionExpressionsStartingWithVoid: {
                description: "Whether to allow arrow functions that start with the `void` keyword.",
                type: "boolean"
              },
              allowExpressions: {
                description: "Whether to ignore function expressions (functions which are not part of a declaration).",
                type: "boolean"
              },
              allowHigherOrderFunctions: {
                description: "Whether to ignore functions immediately returning another function expression.",
                type: "boolean"
              },
              allowTypedFunctionExpressions: {
                description: "Whether to ignore type annotations on the variable of function expressions.",
                type: "boolean"
              },
              allowDirectConstAssertionInArrowFunctions: {
                description: "Whether to ignore arrow functions immediately returning a `as const` value.",
                type: "boolean"
              },
              allowFunctionsWithoutTypeParameters: {
                description: "Whether to ignore functions that don't have generic type parameters.",
                type: "boolean"
              },
              allowedNames: {
                description: "An array of function/method names that will not have their arguments or return values checked.",
                items: {
                  type: "string"
                },
                type: "array"
              },
              allowIIFEs: {
                description: "Whether to ignore immediately invoked function expressions (IIFEs).",
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          allowExpressions: false,
          allowTypedFunctionExpressions: true,
          allowHigherOrderFunctions: true,
          allowDirectConstAssertionInArrowFunctions: true,
          allowConciseArrowFunctionExpressionsStartingWithVoid: false,
          allowFunctionsWithoutTypeParameters: false,
          allowedNames: [],
          allowIIFEs: false
        }
      ],
      create(context, [options]) {
        const functionInfoStack = [];
        function enterFunction(node) {
          functionInfoStack.push({
            node,
            returns: []
          });
        }
        function popFunctionInfo(exitNodeType) {
          return (0, util_1.nullThrows)(functionInfoStack.pop(), `Stack should exist on ${exitNodeType} exit`);
        }
        function isAllowedFunction(node) {
          if (options.allowFunctionsWithoutTypeParameters && !node.typeParameters) {
            return true;
          }
          if (options.allowIIFEs && isIIFE(node)) {
            return true;
          }
          if (!options.allowedNames?.length) {
            return false;
          }
          if (node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression || node.type === utils_1.AST_NODE_TYPES.FunctionExpression) {
            const parent = node.parent;
            let funcName;
            if (node.id?.name) {
              funcName = node.id.name;
            } else {
              switch (parent.type) {
                case utils_1.AST_NODE_TYPES.VariableDeclarator: {
                  if (parent.id.type === utils_1.AST_NODE_TYPES.Identifier) {
                    funcName = parent.id.name;
                  }
                  break;
                }
                case utils_1.AST_NODE_TYPES.MethodDefinition:
                case utils_1.AST_NODE_TYPES.PropertyDefinition:
                case utils_1.AST_NODE_TYPES.Property: {
                  if (parent.key.type === utils_1.AST_NODE_TYPES.Identifier && !parent.computed) {
                    funcName = parent.key.name;
                  }
                  break;
                }
              }
            }
            if (!!funcName && !!options.allowedNames.includes(funcName)) {
              return true;
            }
          }
          if (node.type === utils_1.AST_NODE_TYPES.FunctionDeclaration && node.id && !!options.allowedNames.includes(node.id.name)) {
            return true;
          }
          return false;
        }
        function isIIFE(node) {
          return node.parent.type === utils_1.AST_NODE_TYPES.CallExpression;
        }
        function exitFunctionExpression(node) {
          const info = popFunctionInfo("function expression");
          if (options.allowConciseArrowFunctionExpressionsStartingWithVoid && node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression && node.expression && node.body.type === utils_1.AST_NODE_TYPES.UnaryExpression && node.body.operator === "void") {
            return;
          }
          if (isAllowedFunction(node)) {
            return;
          }
          if (options.allowTypedFunctionExpressions && ((0, explicitReturnTypeUtils_1.isValidFunctionExpressionReturnType)(node, options) || (0, explicitReturnTypeUtils_1.ancestorHasReturnType)(node))) {
            return;
          }
          (0, explicitReturnTypeUtils_1.checkFunctionReturnType)(info, options, context.sourceCode, (loc) => context.report({
            node,
            loc,
            messageId: "missingReturnType"
          }));
        }
        return {
          "ArrowFunctionExpression, FunctionExpression, FunctionDeclaration": enterFunction,
          "ArrowFunctionExpression:exit": exitFunctionExpression,
          "FunctionExpression:exit": exitFunctionExpression,
          "FunctionDeclaration:exit"(node) {
            const info = popFunctionInfo("function declaration");
            if (isAllowedFunction(node)) {
              return;
            }
            if (options.allowTypedFunctionExpressions && node.returnType) {
              return;
            }
            (0, explicitReturnTypeUtils_1.checkFunctionReturnType)(info, options, context.sourceCode, (loc) => context.report({
              node,
              loc,
              messageId: "missingReturnType"
            }));
          },
          ReturnStatement(node) {
            functionInfoStack.at(-1)?.returns.push(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getMemberHeadLoc.js
var require_getMemberHeadLoc2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getMemberHeadLoc.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getMemberHeadLoc = getMemberHeadLoc;
    exports2.getParameterPropertyHeadLoc = getParameterPropertyHeadLoc;
    var eslint_utils_1 = require_eslint_utils5();
    function getMemberHeadLoc(sourceCode, node) {
      let start;
      if (node.decorators.length === 0) {
        start = node.loc.start;
      } else {
        const lastDecorator = node.decorators[node.decorators.length - 1];
        const nextToken = (0, eslint_utils_1.nullThrows)(sourceCode.getTokenAfter(lastDecorator), eslint_utils_1.NullThrowsReasons.MissingToken("token", "last decorator"));
        start = nextToken.loc.start;
      }
      let end;
      if (!node.computed) {
        end = node.key.loc.end;
      } else {
        const closingBracket = (0, eslint_utils_1.nullThrows)(sourceCode.getTokenAfter(node.key, (token) => token.value === "]"), eslint_utils_1.NullThrowsReasons.MissingToken("]", node.type));
        end = closingBracket.loc.end;
      }
      return {
        start: structuredClone(start),
        end: structuredClone(end)
      };
    }
    function getParameterPropertyHeadLoc(sourceCode, node, nodeName) {
      let start;
      if (node.decorators.length === 0) {
        start = structuredClone(node.loc.start);
      } else {
        const lastDecorator = node.decorators[node.decorators.length - 1];
        const nextToken = (0, eslint_utils_1.nullThrows)(sourceCode.getTokenAfter(lastDecorator), eslint_utils_1.NullThrowsReasons.MissingToken("token", "last decorator"));
        start = structuredClone(nextToken.loc.start);
      }
      const end = sourceCode.getLocFromIndex(node.parameter.range[0] + nodeName.length);
      return {
        start,
        end
      };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/explicit-member-accessibility.js
var require_explicit_member_accessibility2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/explicit-member-accessibility.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getMemberHeadLoc_1 = require_getMemberHeadLoc2();
    exports2.default = (0, util_1.createRule)({
      name: "explicit-member-accessibility",
      meta: {
        hasSuggestions: true,
        type: "problem",
        docs: {
          description: "Require explicit accessibility modifiers on class properties and methods"
          // too opinionated to be recommended
        },
        fixable: "code",
        messages: {
          missingAccessibility: "Missing accessibility modifier on {{type}} {{name}}.",
          unwantedPublicAccessibility: "Public accessibility modifier on {{type}} {{name}}.",
          addExplicitAccessibility: "Add '{{ type }}' accessibility modifier"
        },
        schema: [
          {
            $defs: {
              accessibilityLevel: {
                oneOf: [
                  {
                    type: "string",
                    enum: ["explicit"],
                    description: "Always require an accessor."
                  },
                  {
                    type: "string",
                    enum: ["no-public"],
                    description: "Require an accessor except when public."
                  },
                  {
                    type: "string",
                    enum: ["off"],
                    description: "Never check whether there is an accessor."
                  }
                ]
              }
            },
            type: "object",
            properties: {
              accessibility: { $ref: "#/items/0/$defs/accessibilityLevel" },
              overrides: {
                type: "object",
                properties: {
                  accessors: { $ref: "#/items/0/$defs/accessibilityLevel" },
                  constructors: { $ref: "#/items/0/$defs/accessibilityLevel" },
                  methods: { $ref: "#/items/0/$defs/accessibilityLevel" },
                  properties: { $ref: "#/items/0/$defs/accessibilityLevel" },
                  parameterProperties: {
                    $ref: "#/items/0/$defs/accessibilityLevel"
                  }
                },
                additionalProperties: false
              },
              ignoredMethodNames: {
                type: "array",
                items: {
                  type: "string"
                }
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [{ accessibility: "explicit" }],
      create(context, [option]) {
        const baseCheck = option.accessibility ?? "explicit";
        const overrides = option.overrides ?? {};
        const ctorCheck = overrides.constructors ?? baseCheck;
        const accessorCheck = overrides.accessors ?? baseCheck;
        const methodCheck = overrides.methods ?? baseCheck;
        const propCheck = overrides.properties ?? baseCheck;
        const paramPropCheck = overrides.parameterProperties ?? baseCheck;
        const ignoredMethodNames = new Set(option.ignoredMethodNames ?? []);
        function checkMethodAccessibilityModifier(methodDefinition) {
          if (methodDefinition.key.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
            return;
          }
          let nodeType = "method definition";
          let check = baseCheck;
          switch (methodDefinition.kind) {
            case "method":
              check = methodCheck;
              break;
            case "constructor":
              check = ctorCheck;
              break;
            case "get":
            case "set":
              check = accessorCheck;
              nodeType = `${methodDefinition.kind} property accessor`;
              break;
          }
          const { name: methodName } = (0, util_1.getNameFromMember)(methodDefinition, context.sourceCode);
          if (check === "off" || ignoredMethodNames.has(methodName)) {
            return;
          }
          if (check === "no-public" && methodDefinition.accessibility === "public") {
            const publicKeyword = findPublicKeyword(methodDefinition);
            context.report({
              loc: rangeToLoc(context.sourceCode, publicKeyword.range),
              messageId: "unwantedPublicAccessibility",
              data: {
                type: nodeType,
                name: methodName
              },
              fix: (fixer) => fixer.removeRange(publicKeyword.rangeToRemove)
            });
          } else if (check === "explicit" && !methodDefinition.accessibility) {
            context.report({
              loc: (0, getMemberHeadLoc_1.getMemberHeadLoc)(context.sourceCode, methodDefinition),
              messageId: "missingAccessibility",
              data: {
                type: nodeType,
                name: methodName
              },
              suggest: getMissingAccessibilitySuggestions(methodDefinition)
            });
          }
        }
        function findPublicKeyword(node) {
          const tokens = context.sourceCode.getTokens(node);
          let rangeToRemove;
          let keywordRange;
          for (let i = 0; i < tokens.length; i++) {
            const token = tokens[i];
            if (token.type === utils_1.AST_TOKEN_TYPES.Keyword && token.value === "public") {
              keywordRange = structuredClone(token.range);
              const commensAfterPublicKeyword = context.sourceCode.getCommentsAfter(token);
              if (commensAfterPublicKeyword.length) {
                rangeToRemove = [
                  token.range[0],
                  commensAfterPublicKeyword[0].range[0]
                ];
                break;
              } else {
                rangeToRemove = [token.range[0], tokens[i + 1].range[0]];
                break;
              }
            }
          }
          return { range: keywordRange, rangeToRemove };
        }
        function getMissingAccessibilitySuggestions(node) {
          function fix11(accessibility, fixer) {
            if (node.decorators.length) {
              const lastDecorator = node.decorators[node.decorators.length - 1];
              const nextToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(lastDecorator), util_1.NullThrowsReasons.MissingToken("token", "last decorator"));
              return fixer.insertTextBefore(nextToken, `${accessibility} `);
            }
            return fixer.insertTextBefore(node, `${accessibility} `);
          }
          return [
            {
              messageId: "addExplicitAccessibility",
              data: { type: "public" },
              fix: (fixer) => fix11("public", fixer)
            },
            {
              messageId: "addExplicitAccessibility",
              data: { type: "private" },
              fix: (fixer) => fix11("private", fixer)
            },
            {
              messageId: "addExplicitAccessibility",
              data: { type: "protected" },
              fix: (fixer) => fix11("protected", fixer)
            }
          ];
        }
        function checkPropertyAccessibilityModifier(propertyDefinition) {
          if (propertyDefinition.key.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
            return;
          }
          const nodeType = "class property";
          const { name: propertyName } = (0, util_1.getNameFromMember)(propertyDefinition, context.sourceCode);
          if (propCheck === "no-public" && propertyDefinition.accessibility === "public") {
            const publicKeywordRange = findPublicKeyword(propertyDefinition);
            context.report({
              loc: rangeToLoc(context.sourceCode, publicKeywordRange.range),
              messageId: "unwantedPublicAccessibility",
              data: {
                type: nodeType,
                name: propertyName
              },
              fix: (fixer) => fixer.removeRange(publicKeywordRange.rangeToRemove)
            });
          } else if (propCheck === "explicit" && !propertyDefinition.accessibility) {
            context.report({
              loc: (0, getMemberHeadLoc_1.getMemberHeadLoc)(context.sourceCode, propertyDefinition),
              messageId: "missingAccessibility",
              data: {
                type: nodeType,
                name: propertyName
              },
              suggest: getMissingAccessibilitySuggestions(propertyDefinition)
            });
          }
        }
        function checkParameterPropertyAccessibilityModifier(node) {
          const nodeType = "parameter property";
          if (node.parameter.type !== utils_1.AST_NODE_TYPES.Identifier && node.parameter.type !== utils_1.AST_NODE_TYPES.AssignmentPattern) {
            return;
          }
          const nodeName = node.parameter.type === utils_1.AST_NODE_TYPES.Identifier ? node.parameter.name : (
            // has to be an Identifier or TSC will throw an error
            node.parameter.left.name
          );
          switch (paramPropCheck) {
            case "explicit": {
              if (!node.accessibility) {
                context.report({
                  loc: (0, getMemberHeadLoc_1.getParameterPropertyHeadLoc)(context.sourceCode, node, nodeName),
                  messageId: "missingAccessibility",
                  data: {
                    type: nodeType,
                    name: nodeName
                  },
                  suggest: getMissingAccessibilitySuggestions(node)
                });
              }
              break;
            }
            case "no-public": {
              if (node.accessibility === "public" && node.readonly) {
                const publicKeyword = findPublicKeyword(node);
                context.report({
                  loc: rangeToLoc(context.sourceCode, publicKeyword.range),
                  messageId: "unwantedPublicAccessibility",
                  data: {
                    type: nodeType,
                    name: nodeName
                  },
                  fix: (fixer) => fixer.removeRange(publicKeyword.rangeToRemove)
                });
              }
              break;
            }
          }
        }
        return {
          "MethodDefinition, TSAbstractMethodDefinition": checkMethodAccessibilityModifier,
          "PropertyDefinition, TSAbstractPropertyDefinition": checkPropertyAccessibilityModifier,
          TSParameterProperty: checkParameterPropertyAccessibilityModifier
        };
      }
    });
    function rangeToLoc(sourceCode, range) {
      return {
        start: sourceCode.getLocFromIndex(range[0]),
        end: sourceCode.getLocFromIndex(range[1])
      };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/explicit-module-boundary-types.js
var require_explicit_module_boundary_types2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/explicit-module-boundary-types.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var explicitReturnTypeUtils_1 = require_explicitReturnTypeUtils2();
    exports2.default = (0, util_1.createRule)({
      name: "explicit-module-boundary-types",
      meta: {
        type: "problem",
        docs: {
          description: "Require explicit return and argument types on exported functions' and classes' public class methods"
        },
        messages: {
          missingReturnType: "Missing return type on function.",
          missingArgType: "Argument '{{name}}' should be typed.",
          missingArgTypeUnnamed: "{{type}} argument should be typed.",
          anyTypedArg: "Argument '{{name}}' should be typed with a non-any type.",
          anyTypedArgUnnamed: "{{type}} argument should be typed with a non-any type."
        },
        schema: [
          {
            type: "object",
            properties: {
              allowArgumentsExplicitlyTypedAsAny: {
                description: "Whether to ignore arguments that are explicitly typed as `any`.",
                type: "boolean"
              },
              allowDirectConstAssertionInArrowFunctions: {
                description: [
                  "Whether to ignore return type annotations on body-less arrow functions that return an `as const` type assertion.",
                  "You must still type the parameters of the function."
                ].join("\n"),
                type: "boolean"
              },
              allowedNames: {
                description: "An array of function/method names that will not have their arguments or return values checked.",
                items: {
                  type: "string"
                },
                type: "array"
              },
              allowHigherOrderFunctions: {
                description: [
                  "Whether to ignore return type annotations on functions immediately returning another function expression.",
                  "You must still type the parameters of the function."
                ].join("\n"),
                type: "boolean"
              },
              allowTypedFunctionExpressions: {
                description: "Whether to ignore type annotations on the variable of a function expression.",
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          allowArgumentsExplicitlyTypedAsAny: false,
          allowDirectConstAssertionInArrowFunctions: true,
          allowedNames: [],
          allowHigherOrderFunctions: true,
          allowTypedFunctionExpressions: true
        }
      ],
      create(context, [options]) {
        const checkedFunctions = /* @__PURE__ */ new Set();
        const functionStack = [];
        const functionReturnsMap = /* @__PURE__ */ new Map();
        const alreadyVisited = /* @__PURE__ */ new Set();
        function getReturnsInFunction(node) {
          return functionReturnsMap.get(node) ?? [];
        }
        function enterFunction(node) {
          functionStack.push(node);
          functionReturnsMap.set(node, []);
        }
        function exitFunction() {
          functionStack.pop();
        }
        return {
          "ExportDefaultDeclaration:exit"(node) {
            checkNode2(node.declaration);
          },
          "ExportNamedDeclaration:not([source]):exit"(node) {
            if (node.declaration) {
              checkNode2(node.declaration);
            } else {
              for (const specifier of node.specifiers) {
                followReference(specifier.local);
              }
            }
          },
          "TSExportAssignment:exit"(node) {
            checkNode2(node.expression);
          },
          "ArrowFunctionExpression, FunctionDeclaration, FunctionExpression": enterFunction,
          "ArrowFunctionExpression:exit": exitFunction,
          "FunctionDeclaration:exit": exitFunction,
          "FunctionExpression:exit": exitFunction,
          "Program:exit"() {
            for (const [node, returns] of functionReturnsMap) {
              if (isExportedHigherOrderFunction({ node, returns })) {
                checkNode2(node);
              }
            }
          },
          ReturnStatement(node) {
            const current = functionStack[functionStack.length - 1];
            functionReturnsMap.get(current)?.push(node);
          }
        };
        function checkParameters(node) {
          function checkParameter(param) {
            function report(namedMessageId, unnamedMessageId) {
              if (param.type === utils_1.AST_NODE_TYPES.Identifier) {
                context.report({
                  node: param,
                  messageId: namedMessageId,
                  data: { name: param.name }
                });
              } else if (param.type === utils_1.AST_NODE_TYPES.ArrayPattern) {
                context.report({
                  node: param,
                  messageId: unnamedMessageId,
                  data: { type: "Array pattern" }
                });
              } else if (param.type === utils_1.AST_NODE_TYPES.ObjectPattern) {
                context.report({
                  node: param,
                  messageId: unnamedMessageId,
                  data: { type: "Object pattern" }
                });
              } else if (param.type === utils_1.AST_NODE_TYPES.RestElement) {
                if (param.argument.type === utils_1.AST_NODE_TYPES.Identifier) {
                  context.report({
                    node: param,
                    messageId: namedMessageId,
                    data: { name: param.argument.name }
                  });
                } else {
                  context.report({
                    node: param,
                    messageId: unnamedMessageId,
                    data: { type: "Rest" }
                  });
                }
              }
            }
            switch (param.type) {
              case utils_1.AST_NODE_TYPES.ArrayPattern:
              case utils_1.AST_NODE_TYPES.Identifier:
              case utils_1.AST_NODE_TYPES.ObjectPattern:
              case utils_1.AST_NODE_TYPES.RestElement:
                if (!param.typeAnnotation) {
                  report("missingArgType", "missingArgTypeUnnamed");
                } else if (options.allowArgumentsExplicitlyTypedAsAny !== true && param.typeAnnotation.typeAnnotation.type === utils_1.AST_NODE_TYPES.TSAnyKeyword) {
                  report("anyTypedArg", "anyTypedArgUnnamed");
                }
                return;
              case utils_1.AST_NODE_TYPES.TSParameterProperty:
                return checkParameter(param.parameter);
              case utils_1.AST_NODE_TYPES.AssignmentPattern:
                return;
            }
          }
          for (const arg of node.params) {
            checkParameter(arg);
          }
        }
        function isAllowedName(node) {
          if (!node || !options.allowedNames || options.allowedNames.length === 0) {
            return false;
          }
          if (node.type === utils_1.AST_NODE_TYPES.VariableDeclarator || node.type === utils_1.AST_NODE_TYPES.FunctionDeclaration) {
            return node.id?.type === utils_1.AST_NODE_TYPES.Identifier && options.allowedNames.includes(node.id.name);
          } else if (node.type === utils_1.AST_NODE_TYPES.MethodDefinition || node.type === utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition || node.type === utils_1.AST_NODE_TYPES.Property && node.method || node.type === utils_1.AST_NODE_TYPES.PropertyDefinition) {
            if (node.key.type === utils_1.AST_NODE_TYPES.Literal && typeof node.key.value === "string") {
              return options.allowedNames.includes(node.key.value);
            }
            if (node.key.type === utils_1.AST_NODE_TYPES.TemplateLiteral && node.key.expressions.length === 0) {
              return options.allowedNames.includes(node.key.quasis[0].value.raw);
            }
            if (!node.computed && node.key.type === utils_1.AST_NODE_TYPES.Identifier) {
              return options.allowedNames.includes(node.key.name);
            }
          }
          return false;
        }
        function isExportedHigherOrderFunction({ node }) {
          let current = node.parent;
          while (current) {
            if (current.type === utils_1.AST_NODE_TYPES.ReturnStatement) {
              current = current.parent.parent;
              continue;
            }
            if (!(0, util_1.isFunction)(current)) {
              return false;
            }
            const returns = getReturnsInFunction(current);
            if (!(0, explicitReturnTypeUtils_1.doesImmediatelyReturnFunctionExpression)({ node: current, returns })) {
              return false;
            }
            if (checkedFunctions.has(current)) {
              return true;
            }
            current = current.parent;
          }
          return false;
        }
        function followReference(node) {
          const scope = context.sourceCode.getScope(node);
          const variable = scope.set.get(node.name);
          if (!variable) {
            return;
          }
          for (const definition of variable.defs) {
            if ([
              scope_manager_1.DefinitionType.ImplicitGlobalVariable,
              scope_manager_1.DefinitionType.ImportBinding,
              scope_manager_1.DefinitionType.CatchClause,
              scope_manager_1.DefinitionType.Parameter
            ].includes(definition.type)) {
              continue;
            }
            checkNode2(definition.node);
          }
          for (const reference of variable.references) {
            if (
              // we don't want to check the initialization ref, as this is handled by the declaration check
              !reference.init && reference.writeExpr
            ) {
              checkNode2(reference.writeExpr);
            }
          }
        }
        function checkNode2(node) {
          if (node == null || alreadyVisited.has(node)) {
            return;
          }
          alreadyVisited.add(node);
          switch (node.type) {
            case utils_1.AST_NODE_TYPES.ArrowFunctionExpression:
            case utils_1.AST_NODE_TYPES.FunctionExpression: {
              const returns = getReturnsInFunction(node);
              return checkFunctionExpression({ node, returns });
            }
            case utils_1.AST_NODE_TYPES.ArrayExpression:
              for (const element of node.elements) {
                checkNode2(element);
              }
              return;
            case utils_1.AST_NODE_TYPES.PropertyDefinition:
              if (node.accessibility === "private" || node.key.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
                return;
              }
              return checkNode2(node.value);
            case utils_1.AST_NODE_TYPES.ClassDeclaration:
            case utils_1.AST_NODE_TYPES.ClassExpression:
              for (const element of node.body.body) {
                checkNode2(element);
              }
              return;
            case utils_1.AST_NODE_TYPES.FunctionDeclaration: {
              const returns = getReturnsInFunction(node);
              return checkFunction({ node, returns });
            }
            case utils_1.AST_NODE_TYPES.MethodDefinition:
            case utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition:
              if (node.accessibility === "private" || node.key.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
                return;
              }
              return checkNode2(node.value);
            case utils_1.AST_NODE_TYPES.Identifier:
              return followReference(node);
            case utils_1.AST_NODE_TYPES.ObjectExpression:
              for (const property of node.properties) {
                checkNode2(property);
              }
              return;
            case utils_1.AST_NODE_TYPES.Property:
              return checkNode2(node.value);
            case utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression:
              return checkEmptyBodyFunctionExpression(node);
            case utils_1.AST_NODE_TYPES.VariableDeclaration:
              for (const declaration of node.declarations) {
                checkNode2(declaration);
              }
              return;
            case utils_1.AST_NODE_TYPES.VariableDeclarator:
              return checkNode2(node.init);
          }
        }
        function checkEmptyBodyFunctionExpression(node) {
          const isConstructor = node.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition && node.parent.kind === "constructor";
          const isSetAccessor = (node.parent.type === utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition || node.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition) && node.parent.kind === "set";
          if (!isConstructor && !isSetAccessor && !node.returnType) {
            context.report({
              node,
              messageId: "missingReturnType"
            });
          }
          checkParameters(node);
        }
        function checkFunctionExpression({ node, returns }) {
          if (checkedFunctions.has(node)) {
            return;
          }
          checkedFunctions.add(node);
          if (isAllowedName(node.parent) || (0, explicitReturnTypeUtils_1.isTypedFunctionExpression)(node, options) || (0, explicitReturnTypeUtils_1.ancestorHasReturnType)(node)) {
            return;
          }
          (0, explicitReturnTypeUtils_1.checkFunctionExpressionReturnType)({ node, returns }, options, context.sourceCode, (loc) => {
            context.report({
              node,
              loc,
              messageId: "missingReturnType"
            });
          });
          checkParameters(node);
        }
        function checkFunction({ node, returns }) {
          if (checkedFunctions.has(node)) {
            return;
          }
          checkedFunctions.add(node);
          if (isAllowedName(node) || (0, explicitReturnTypeUtils_1.ancestorHasReturnType)(node)) {
            return;
          }
          (0, explicitReturnTypeUtils_1.checkFunctionReturnType)({ node, returns }, options, context.sourceCode, (loc) => {
            context.report({
              node,
              loc,
              messageId: "missingReturnType"
            });
          });
          checkParameters(node);
        }
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/func-call-spacing.js
var require_func_call_spacing2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/func-call-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "func-call-spacing",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/func-call-spacing"],
        type: "layout",
        docs: {
          description: "Require or disallow spacing between function identifiers and their invocations",
          extendsBaseRule: true
        },
        fixable: "whitespace",
        schema: {
          anyOf: [
            {
              type: "array",
              items: [
                {
                  type: "string",
                  enum: ["never"]
                }
              ],
              minItems: 0,
              maxItems: 1
            },
            {
              type: "array",
              items: [
                {
                  type: "string",
                  enum: ["always"]
                },
                {
                  type: "object",
                  properties: {
                    allowNewlines: {
                      type: "boolean"
                    }
                  },
                  additionalProperties: false
                }
              ],
              minItems: 0,
              maxItems: 2
            }
          ]
        },
        messages: {
          unexpectedWhitespace: "Unexpected whitespace between function name and paren.",
          unexpectedNewline: "Unexpected newline between function name and paren.",
          missing: "Missing space between function name and paren."
        }
      },
      defaultOptions: ["never", {}],
      create(context, [option, config7]) {
        const text = context.sourceCode.getText();
        function checkSpacing(node) {
          const isOptionalCall = (0, util_1.isOptionalCallExpression)(node);
          const closingParenToken = context.sourceCode.getLastToken(node);
          const lastCalleeTokenWithoutPossibleParens = context.sourceCode.getLastToken(node.typeArguments ?? node.callee);
          const openingParenToken = context.sourceCode.getFirstTokenBetween(lastCalleeTokenWithoutPossibleParens, closingParenToken, util_1.isOpeningParenToken);
          if (!openingParenToken || openingParenToken.range[1] >= node.range[1]) {
            return;
          }
          const lastCalleeToken = context.sourceCode.getTokenBefore(openingParenToken, util_1.isNotOptionalChainPunctuator);
          const textBetweenTokens = text.slice(lastCalleeToken.range[1], openingParenToken.range[0]).replace(/\/\*.*?\*\//gu, "");
          const hasWhitespace = /\s/u.test(textBetweenTokens);
          const hasNewline = hasWhitespace && util_1.LINEBREAK_MATCHER.test(textBetweenTokens);
          if (option === "never") {
            if (hasWhitespace) {
              return context.report({
                node,
                loc: lastCalleeToken.loc.start,
                messageId: "unexpectedWhitespace",
                fix(fixer) {
                  if (!hasNewline && // don't fix optional calls
                  !isOptionalCall) {
                    return fixer.removeRange([
                      lastCalleeToken.range[1],
                      openingParenToken.range[0]
                    ]);
                  }
                  return null;
                }
              });
            }
          } else if (isOptionalCall) {
            if (hasWhitespace || hasNewline) {
              context.report({
                node,
                loc: lastCalleeToken.loc.start,
                messageId: "unexpectedWhitespace"
              });
            }
          } else {
            if (!hasWhitespace) {
              context.report({
                node,
                loc: lastCalleeToken.loc.start,
                messageId: "missing",
                fix(fixer) {
                  return fixer.insertTextBefore(openingParenToken, " ");
                }
              });
            } else if (!config7.allowNewlines && hasNewline) {
              context.report({
                node,
                loc: lastCalleeToken.loc.start,
                messageId: "unexpectedNewline",
                fix(fixer) {
                  return fixer.replaceTextRange([lastCalleeToken.range[1], openingParenToken.range[0]], " ");
                }
              });
            }
          }
        }
        return {
          CallExpression: checkSpacing,
          NewExpression: checkSpacing
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/indent.js
var require_indent4 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/indent.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("indent");
    var KNOWN_NODES = /* @__PURE__ */ new Set([
      // Class properties aren't yet supported by eslint...
      utils_1.AST_NODE_TYPES.PropertyDefinition,
      // ts keywords
      utils_1.AST_NODE_TYPES.TSAbstractKeyword,
      utils_1.AST_NODE_TYPES.TSAnyKeyword,
      utils_1.AST_NODE_TYPES.TSBooleanKeyword,
      utils_1.AST_NODE_TYPES.TSNeverKeyword,
      utils_1.AST_NODE_TYPES.TSNumberKeyword,
      utils_1.AST_NODE_TYPES.TSStringKeyword,
      utils_1.AST_NODE_TYPES.TSSymbolKeyword,
      utils_1.AST_NODE_TYPES.TSUndefinedKeyword,
      utils_1.AST_NODE_TYPES.TSUnknownKeyword,
      utils_1.AST_NODE_TYPES.TSVoidKeyword,
      utils_1.AST_NODE_TYPES.TSNullKeyword,
      // ts specific nodes we want to support
      utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition,
      utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition,
      utils_1.AST_NODE_TYPES.TSArrayType,
      utils_1.AST_NODE_TYPES.TSAsExpression,
      utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration,
      utils_1.AST_NODE_TYPES.TSConditionalType,
      utils_1.AST_NODE_TYPES.TSConstructorType,
      utils_1.AST_NODE_TYPES.TSConstructSignatureDeclaration,
      utils_1.AST_NODE_TYPES.TSDeclareFunction,
      utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression,
      utils_1.AST_NODE_TYPES.TSEnumDeclaration,
      utils_1.AST_NODE_TYPES.TSEnumMember,
      utils_1.AST_NODE_TYPES.TSExportAssignment,
      utils_1.AST_NODE_TYPES.TSExternalModuleReference,
      utils_1.AST_NODE_TYPES.TSFunctionType,
      utils_1.AST_NODE_TYPES.TSImportType,
      utils_1.AST_NODE_TYPES.TSIndexedAccessType,
      utils_1.AST_NODE_TYPES.TSIndexSignature,
      utils_1.AST_NODE_TYPES.TSInferType,
      utils_1.AST_NODE_TYPES.TSInterfaceBody,
      utils_1.AST_NODE_TYPES.TSInterfaceDeclaration,
      utils_1.AST_NODE_TYPES.TSInterfaceHeritage,
      utils_1.AST_NODE_TYPES.TSIntersectionType,
      utils_1.AST_NODE_TYPES.TSImportEqualsDeclaration,
      utils_1.AST_NODE_TYPES.TSLiteralType,
      utils_1.AST_NODE_TYPES.TSMappedType,
      utils_1.AST_NODE_TYPES.TSMethodSignature,
      "TSMinusToken",
      utils_1.AST_NODE_TYPES.TSModuleBlock,
      utils_1.AST_NODE_TYPES.TSModuleDeclaration,
      utils_1.AST_NODE_TYPES.TSNonNullExpression,
      utils_1.AST_NODE_TYPES.TSParameterProperty,
      "TSPlusToken",
      utils_1.AST_NODE_TYPES.TSPropertySignature,
      utils_1.AST_NODE_TYPES.TSQualifiedName,
      "TSQuestionToken",
      utils_1.AST_NODE_TYPES.TSRestType,
      utils_1.AST_NODE_TYPES.TSThisType,
      utils_1.AST_NODE_TYPES.TSTupleType,
      utils_1.AST_NODE_TYPES.TSTypeAnnotation,
      utils_1.AST_NODE_TYPES.TSTypeLiteral,
      utils_1.AST_NODE_TYPES.TSTypeOperator,
      utils_1.AST_NODE_TYPES.TSTypeParameter,
      utils_1.AST_NODE_TYPES.TSTypeParameterDeclaration,
      utils_1.AST_NODE_TYPES.TSTypeParameterInstantiation,
      utils_1.AST_NODE_TYPES.TSTypeReference,
      utils_1.AST_NODE_TYPES.TSUnionType,
      utils_1.AST_NODE_TYPES.Decorator
    ]);
    exports2.default = (0, util_1.createRule)({
      name: "indent",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/indent"],
        type: "layout",
        docs: {
          description: "Enforce consistent indentation",
          // too opinionated to be recommended
          extendsBaseRule: true
        },
        fixable: "whitespace",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        // typescript docs and playground use 4 space indent
        4,
        {
          // typescript docs indent the case from the switch
          // https://www.typescriptlang.org/docs/handbook/release-notes/typescript-1-8.html#example-4
          SwitchCase: 1,
          flatTernaryExpressions: false,
          ignoredNodes: []
        }
      ],
      create(context, optionsWithDefaults) {
        const contextWithDefaults = Object.create(context, {
          options: {
            writable: false,
            configurable: false,
            value: optionsWithDefaults
          }
        });
        const rules = baseRule2.create(contextWithDefaults);
        function TSPropertySignatureToProperty(node, type = utils_1.AST_NODE_TYPES.Property) {
          const base = {
            // indent doesn't actually use these
            key: null,
            value: null,
            // Property flags
            computed: false,
            method: false,
            kind: "init",
            // this will stop eslint from interrogating the type literal
            shorthand: true,
            // location data
            parent: node.parent,
            range: node.range,
            loc: node.loc
          };
          if (type === utils_1.AST_NODE_TYPES.Property) {
            return {
              type,
              ...base
            };
          }
          return {
            type,
            accessibility: void 0,
            declare: false,
            decorators: [],
            definite: false,
            optional: false,
            override: false,
            readonly: false,
            static: false,
            typeAnnotation: void 0,
            ...base
          };
        }
        return Object.assign({}, rules, {
          // overwrite the base rule here so we can use our KNOWN_NODES list instead
          "*:exit"(node) {
            if (!KNOWN_NODES.has(node.type)) {
              rules["*:exit"](node);
            }
          },
          VariableDeclaration(node) {
            if (node.declarations.length === 0) {
              return;
            }
            return rules.VariableDeclaration(node);
          },
          TSAsExpression(node) {
            return rules["BinaryExpression, LogicalExpression"]({
              type: utils_1.AST_NODE_TYPES.BinaryExpression,
              operator: "as",
              left: node.expression,
              // the first typeAnnotation includes the as token
              right: node.typeAnnotation,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          TSConditionalType(node) {
            return rules.ConditionalExpression({
              type: utils_1.AST_NODE_TYPES.ConditionalExpression,
              test: {
                parent: node,
                type: utils_1.AST_NODE_TYPES.BinaryExpression,
                operator: "extends",
                left: node.checkType,
                right: node.extendsType,
                // location data
                range: [node.checkType.range[0], node.extendsType.range[1]],
                loc: {
                  start: node.checkType.loc.start,
                  end: node.extendsType.loc.end
                }
              },
              consequent: node.trueType,
              alternate: node.falseType,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          "TSEnumDeclaration, TSTypeLiteral"(node) {
            return rules["ObjectExpression, ObjectPattern"]({
              type: utils_1.AST_NODE_TYPES.ObjectExpression,
              properties: node.members.map((member) => TSPropertySignatureToProperty(member)),
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          TSImportEqualsDeclaration(node) {
            const { id, moduleReference } = node;
            return rules.VariableDeclaration({
              type: utils_1.AST_NODE_TYPES.VariableDeclaration,
              kind: "const",
              declarations: [
                {
                  type: utils_1.AST_NODE_TYPES.VariableDeclarator,
                  range: [id.range[0], moduleReference.range[1]],
                  loc: {
                    start: id.loc.start,
                    end: moduleReference.loc.end
                  },
                  id,
                  init: {
                    type: utils_1.AST_NODE_TYPES.CallExpression,
                    callee: {
                      type: utils_1.AST_NODE_TYPES.Identifier,
                      name: "require",
                      range: [
                        moduleReference.range[0],
                        moduleReference.range[0] + "require".length
                      ],
                      loc: {
                        start: moduleReference.loc.start,
                        end: {
                          line: moduleReference.loc.end.line,
                          column: moduleReference.loc.start.line + "require".length
                        }
                      }
                    },
                    arguments: "expression" in moduleReference ? [moduleReference.expression] : [],
                    // location data
                    range: moduleReference.range,
                    loc: moduleReference.loc
                  }
                }
              ],
              declare: false,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          TSIndexedAccessType(node) {
            return rules["MemberExpression, JSXMemberExpression, MetaProperty"]({
              type: utils_1.AST_NODE_TYPES.MemberExpression,
              object: node.objectType,
              property: node.indexType,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc,
              optional: false,
              computed: true
            });
          },
          TSInterfaceBody(node) {
            return rules["BlockStatement, ClassBody"]({
              type: utils_1.AST_NODE_TYPES.ClassBody,
              body: node.body.map((p) => TSPropertySignatureToProperty(p, utils_1.AST_NODE_TYPES.PropertyDefinition)),
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          "TSInterfaceDeclaration[extends.length > 0]"(node) {
            return rules["ClassDeclaration[superClass], ClassExpression[superClass]"]({
              type: utils_1.AST_NODE_TYPES.ClassDeclaration,
              body: node.body,
              id: null,
              // TODO: This is invalid, there can be more than one extends in interface
              superClass: node.extends[0].expression,
              abstract: false,
              declare: false,
              decorators: [],
              implements: [],
              superTypeArguments: void 0,
              superTypeParameters: void 0,
              typeParameters: void 0,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          TSMappedType(node) {
            const squareBracketStart = context.sourceCode.getTokenBefore(node.typeParameter);
            return rules["ObjectExpression, ObjectPattern"]({
              type: utils_1.AST_NODE_TYPES.ObjectExpression,
              properties: [
                {
                  parent: node,
                  type: utils_1.AST_NODE_TYPES.Property,
                  key: node.typeParameter,
                  value: node.typeAnnotation,
                  // location data
                  range: [
                    squareBracketStart.range[0],
                    node.typeAnnotation ? node.typeAnnotation.range[1] : squareBracketStart.range[0]
                  ],
                  loc: {
                    start: squareBracketStart.loc.start,
                    end: node.typeAnnotation ? node.typeAnnotation.loc.end : squareBracketStart.loc.end
                  },
                  kind: "init",
                  computed: false,
                  method: false,
                  optional: false,
                  shorthand: false
                }
              ],
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          TSModuleBlock(node) {
            return rules["BlockStatement, ClassBody"]({
              type: utils_1.AST_NODE_TYPES.BlockStatement,
              body: node.body,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          TSQualifiedName(node) {
            return rules["MemberExpression, JSXMemberExpression, MetaProperty"]({
              type: utils_1.AST_NODE_TYPES.MemberExpression,
              object: node.left,
              property: node.right,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc,
              optional: false,
              computed: false
            });
          },
          TSTupleType(node) {
            return rules["ArrayExpression, ArrayPattern"]({
              type: utils_1.AST_NODE_TYPES.ArrayExpression,
              elements: node.elementTypes,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          },
          TSTypeParameterDeclaration(node) {
            if (!node.params.length) {
              return;
            }
            const [name, ...attributes] = node.params;
            return rules.JSXOpeningElement({
              type: utils_1.AST_NODE_TYPES.JSXOpeningElement,
              selfClosing: false,
              name,
              attributes,
              typeArguments: void 0,
              typeParameters: void 0,
              // location data
              parent: node.parent,
              range: node.range,
              loc: node.loc
            });
          }
        });
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/init-declarations.js
var require_init_declarations2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/init-declarations.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("init-declarations");
    exports2.default = (0, util_1.createRule)({
      name: "init-declarations",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require or disallow initialization in variable declarations",
          extendsBaseRule: true
        },
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: ["always"],
      create(context, [mode]) {
        function getBaseContextOverride() {
          const reportOverride = (descriptor) => {
            if ("node" in descriptor && descriptor.loc == null) {
              const { node, ...rest } = descriptor;
              if (node.type === utils_1.AST_NODE_TYPES.VariableDeclarator && node.init == null) {
                context.report({
                  ...rest,
                  loc: getReportLoc(node)
                });
                return;
              }
            }
            context.report(descriptor);
          };
          return new Proxy({}, {
            get: (target, prop, receiver) => prop === "report" ? reportOverride : Reflect.get(context, prop, receiver)
          });
        }
        const rules = baseRule2.create(getBaseContextOverride());
        return {
          "VariableDeclaration:exit"(node) {
            if (mode === "always") {
              if (node.declare) {
                return;
              }
              if (isAncestorNamespaceDeclared(node)) {
                return;
              }
            }
            rules["VariableDeclaration:exit"](node);
          }
        };
        function isAncestorNamespaceDeclared(node) {
          let ancestor = node.parent;
          while (ancestor) {
            if (ancestor.type === utils_1.AST_NODE_TYPES.TSModuleDeclaration && ancestor.declare) {
              return true;
            }
            ancestor = ancestor.parent;
          }
          return false;
        }
      }
    });
    function getReportLoc(node) {
      const start = structuredClone(node.loc.start);
      const end = {
        line: node.loc.start.line,
        // `if (id.type === AST_NODE_TYPES.Identifier)` is a condition for
        // reporting in the base rule (as opposed to things like destructuring
        // assignment), so the type assertion should always be valid.
        column: node.loc.start.column + node.id.name.length
      };
      return {
        start,
        end
      };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/key-spacing.js
var require_key_spacing4 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/key-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("key-spacing");
    var baseSchema = Array.isArray(baseRule2.meta.schema) ? baseRule2.meta.schema[0] : baseRule2.meta.schema;
    exports2.default = (0, util_1.createRule)({
      name: "key-spacing",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/key-spacing"],
        type: "layout",
        docs: {
          description: "Enforce consistent spacing between property names and type annotations in types and interfaces",
          extendsBaseRule: true
        },
        fixable: "whitespace",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: [baseSchema],
        messages: baseRule2.meta.messages
      },
      defaultOptions: [{}],
      create(context, [options]) {
        const baseRules = baseRule2.create(context);
        function adjustedColumn(position) {
          const line = position.line - 1;
          return (0, util_1.getStringLength)(context.sourceCode.lines.at(line).slice(0, position.column));
        }
        function getLastTokenBeforeColon(node) {
          const colonToken = context.sourceCode.getTokenAfter(node, util_1.isColonToken);
          return context.sourceCode.getTokenBefore(colonToken);
        }
        function isKeyTypeNode(node) {
          return (node.type === utils_1.AST_NODE_TYPES.TSPropertySignature || node.type === utils_1.AST_NODE_TYPES.TSIndexSignature || node.type === utils_1.AST_NODE_TYPES.PropertyDefinition) && !!node.typeAnnotation;
        }
        function isApplicable(node) {
          return isKeyTypeNode(node) && node.typeAnnotation.loc.start.line === node.loc.end.line;
        }
        function getKeyText(node) {
          if (node.type !== utils_1.AST_NODE_TYPES.TSIndexSignature) {
            return context.sourceCode.getText(node.key);
          }
          const code = context.sourceCode.getText(node);
          return code.slice(0, context.sourceCode.getTokenAfter(node.parameters.at(-1), util_1.isClosingBracketToken).range[1] - node.range[0]);
        }
        function getKeyLocEnd(node) {
          return getLastTokenBeforeColon(node.type !== utils_1.AST_NODE_TYPES.TSIndexSignature ? node.key : node.parameters.at(-1)).loc.end;
        }
        function checkBeforeColon(node, expectedWhitespaceBeforeColon, mode) {
          const { typeAnnotation } = node;
          const colon = typeAnnotation.loc.start.column;
          const keyEnd = getKeyLocEnd(node);
          const difference = colon - keyEnd.column - expectedWhitespaceBeforeColon;
          if (mode === "strict" ? difference : difference < 0) {
            context.report({
              node,
              messageId: difference > 0 ? "extraKey" : "missingKey",
              fix: (fixer) => {
                if (difference > 0) {
                  return fixer.removeRange([
                    typeAnnotation.range[0] - difference,
                    typeAnnotation.range[0]
                  ]);
                }
                return fixer.insertTextBefore(typeAnnotation, " ".repeat(-difference));
              },
              data: {
                computed: "",
                key: getKeyText(node)
              }
            });
          }
        }
        function checkAfterColon(node, expectedWhitespaceAfterColon, mode) {
          const { typeAnnotation } = node;
          const colonToken = context.sourceCode.getFirstToken(typeAnnotation);
          const typeStart = context.sourceCode.getTokenAfter(colonToken, {
            includeComments: true
          }).loc.start.column;
          const difference = typeStart - colonToken.loc.start.column - 1 - expectedWhitespaceAfterColon;
          if (mode === "strict" ? difference : difference < 0) {
            context.report({
              node,
              messageId: difference > 0 ? "extraValue" : "missingValue",
              fix: (fixer) => {
                if (difference > 0) {
                  return fixer.removeRange([
                    colonToken.range[1],
                    colonToken.range[1] + difference
                  ]);
                }
                return fixer.insertTextAfter(colonToken, " ".repeat(-difference));
              },
              data: {
                computed: "",
                key: getKeyText(node)
              }
            });
          }
        }
        function continuesAlignGroup(lastMember, candidate) {
          const groupEndLine = lastMember.loc.start.line;
          const candidateValueStartLine = (isKeyTypeNode(candidate) ? candidate.typeAnnotation : candidate).loc.start.line;
          if (candidateValueStartLine === groupEndLine) {
            return false;
          }
          if (candidateValueStartLine - groupEndLine === 1) {
            return true;
          }
          const leadingComments = context.sourceCode.getCommentsBefore(candidate);
          if (leadingComments.length && leadingComments[0].loc.start.line - groupEndLine <= 1 && candidateValueStartLine - leadingComments.at(-1).loc.end.line <= 1) {
            for (let i = 1; i < leadingComments.length; i++) {
              if (leadingComments[i].loc.start.line - leadingComments[i - 1].loc.end.line > 1) {
                return false;
              }
            }
            return true;
          }
          return false;
        }
        function checkAlignGroup(group) {
          let alignColumn = 0;
          const align = (typeof options.align === "object" ? options.align.on : typeof options.multiLine?.align === "object" ? options.multiLine.align.on : options.multiLine?.align ?? options.align) ?? "colon";
          const beforeColon = (typeof options.align === "object" ? options.align.beforeColon : options.multiLine ? typeof options.multiLine.align === "object" ? options.multiLine.align.beforeColon : options.multiLine.beforeColon : options.beforeColon) ?? false;
          const expectedWhitespaceBeforeColon = beforeColon ? 1 : 0;
          const afterColon = (typeof options.align === "object" ? options.align.afterColon : options.multiLine ? typeof options.multiLine.align === "object" ? options.multiLine.align.afterColon : options.multiLine.afterColon : options.afterColon) ?? true;
          const expectedWhitespaceAfterColon = afterColon ? 1 : 0;
          const mode = (typeof options.align === "object" ? options.align.mode : options.multiLine ? typeof options.multiLine.align === "object" ? (
            // same behavior as in original rule
            options.multiLine.align.mode ?? options.multiLine.mode
          ) : options.multiLine.mode : options.mode) ?? "strict";
          for (const node of group) {
            if (isKeyTypeNode(node)) {
              const keyEnd = adjustedColumn(getKeyLocEnd(node));
              alignColumn = Math.max(alignColumn, align === "colon" ? keyEnd + expectedWhitespaceBeforeColon : keyEnd + ":".length + expectedWhitespaceAfterColon + expectedWhitespaceBeforeColon);
            }
          }
          for (const node of group) {
            if (!isApplicable(node)) {
              continue;
            }
            const { typeAnnotation } = node;
            const toCheck = align === "colon" ? typeAnnotation : typeAnnotation.typeAnnotation;
            const difference = adjustedColumn(toCheck.loc.start) - alignColumn;
            if (difference) {
              context.report({
                node,
                messageId: difference > 0 ? align === "colon" ? "extraKey" : "extraValue" : align === "colon" ? "missingKey" : "missingValue",
                fix: (fixer) => {
                  if (difference > 0) {
                    return fixer.removeRange([
                      toCheck.range[0] - difference,
                      toCheck.range[0]
                    ]);
                  }
                  return fixer.insertTextBefore(toCheck, " ".repeat(-difference));
                },
                data: {
                  computed: "",
                  key: getKeyText(node)
                }
              });
            }
            if (align === "colon") {
              checkAfterColon(node, expectedWhitespaceAfterColon, mode);
            } else {
              checkBeforeColon(node, expectedWhitespaceBeforeColon, mode);
            }
          }
        }
        function checkIndividualNode(node, { singleLine }) {
          const beforeColon = (singleLine ? options.singleLine ? options.singleLine.beforeColon : options.beforeColon : options.multiLine ? options.multiLine.beforeColon : options.beforeColon) ?? false;
          const expectedWhitespaceBeforeColon = beforeColon ? 1 : 0;
          const afterColon = (singleLine ? options.singleLine ? options.singleLine.afterColon : options.afterColon : options.multiLine ? options.multiLine.afterColon : options.afterColon) ?? true;
          const expectedWhitespaceAfterColon = afterColon ? 1 : 0;
          const mode = (singleLine ? options.singleLine ? options.singleLine.mode : options.mode : options.multiLine ? options.multiLine.mode : options.mode) ?? "strict";
          if (isApplicable(node)) {
            checkBeforeColon(node, expectedWhitespaceBeforeColon, mode);
            checkAfterColon(node, expectedWhitespaceAfterColon, mode);
          }
        }
        function validateBody(body) {
          const isSingleLine = body.loc.start.line === body.loc.end.line;
          const members = body.type === utils_1.AST_NODE_TYPES.TSTypeLiteral ? body.members : body.body;
          let alignGroups = [];
          let unalignedElements = [];
          if (options.align || options.multiLine?.align) {
            let currentAlignGroup = [];
            alignGroups.push(currentAlignGroup);
            let prevNode = void 0;
            for (const node of members) {
              let prevAlignedNode = currentAlignGroup.at(-1);
              if (prevAlignedNode !== prevNode) {
                prevAlignedNode = void 0;
              }
              if (prevAlignedNode && continuesAlignGroup(prevAlignedNode, node)) {
                currentAlignGroup.push(node);
              } else if (prevNode?.loc.start.line === node.loc.start.line) {
                if (prevAlignedNode) {
                  unalignedElements.push(prevAlignedNode);
                  currentAlignGroup.pop();
                }
                unalignedElements.push(node);
              } else {
                currentAlignGroup = [node];
                alignGroups.push(currentAlignGroup);
              }
              prevNode = node;
            }
            unalignedElements = unalignedElements.concat(...alignGroups.filter((group) => group.length === 1));
            alignGroups = alignGroups.filter((group) => group.length >= 2);
          } else {
            unalignedElements = members;
          }
          for (const group of alignGroups) {
            checkAlignGroup(group);
          }
          for (const node of unalignedElements) {
            checkIndividualNode(node, { singleLine: isSingleLine });
          }
        }
        return {
          ...baseRules,
          TSTypeLiteral: validateBody,
          TSInterfaceBody: validateBody,
          ClassBody: validateBody
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/keyword-spacing.js
var require_keyword_spacing2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/keyword-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("keyword-spacing");
    var baseSchema = Array.isArray(baseRule2.meta.schema) ? baseRule2.meta.schema[0] : baseRule2.meta.schema;
    var schema30 = (0, util_1.deepMerge)(
      // eslint-disable-next-line @typescript-eslint/no-unsafe-argument -- https://github.com/microsoft/TypeScript/issues/17002
      baseSchema,
      {
        properties: {
          overrides: {
            properties: {
              // eslint-disable-next-line @typescript-eslint/no-unsafe-assignment, @typescript-eslint/no-unsafe-member-access
              type: baseSchema.properties.overrides.properties.import
            }
          }
        }
      }
    );
    exports2.default = (0, util_1.createRule)({
      name: "keyword-spacing",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/keyword-spacing"],
        type: "layout",
        docs: {
          description: "Enforce consistent spacing before and after keywords",
          extendsBaseRule: true
        },
        fixable: "whitespace",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: [schema30],
        messages: baseRule2.meta.messages
      },
      defaultOptions: [{}],
      create(context, [{ after, overrides }]) {
        const baseRules = baseRule2.create(context);
        return {
          ...baseRules,
          TSAsExpression(node) {
            const asToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.expression, (token) => token.value === "as"), util_1.NullThrowsReasons.MissingToken("as", node.type));
            const oldTokenType = asToken.type;
            asToken.type = utils_1.AST_TOKEN_TYPES.Keyword;
            baseRules.DebuggerStatement(asToken);
            asToken.type = oldTokenType;
          },
          "ImportDeclaration[importKind=type]"(node) {
            const { type: typeOptionOverride = {} } = overrides ?? {};
            const typeToken = context.sourceCode.getFirstToken(node, { skip: 1 });
            const punctuatorToken = context.sourceCode.getTokenAfter(typeToken);
            if (node.specifiers[0]?.type === utils_1.AST_NODE_TYPES.ImportDefaultSpecifier) {
              return;
            }
            const spacesBetweenTypeAndPunctuator = punctuatorToken.range[0] - typeToken.range[1];
            if ((typeOptionOverride.after ?? after) === true && spacesBetweenTypeAndPunctuator === 0) {
              context.report({
                loc: typeToken.loc,
                messageId: "expectedAfter",
                data: { value: "type" },
                fix(fixer) {
                  return fixer.insertTextAfter(typeToken, " ");
                }
              });
            }
            if ((typeOptionOverride.after ?? after) === false && spacesBetweenTypeAndPunctuator > 0) {
              context.report({
                loc: typeToken.loc,
                messageId: "unexpectedAfter",
                data: { value: "type" },
                fix(fixer) {
                  return fixer.removeRange([
                    typeToken.range[1],
                    typeToken.range[1] + spacesBetweenTypeAndPunctuator
                  ]);
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/lines-around-comment.js
var require_lines_around_comment2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/lines-around-comment.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("lines-around-comment");
    var COMMENTS_IGNORE_PATTERN = /^\s*(?:eslint|jshint\s+|jslint\s+|istanbul\s+|globals?\s+|exported\s+|jscs)/u;
    function getEmptyLineNums(lines) {
      const emptyLines = lines.map((line, i) => ({
        code: line.trim(),
        num: i + 1
      })).filter((line) => !line.code).map((line) => line.num);
      return emptyLines;
    }
    function getCommentLineNums(comments) {
      const lines = [];
      comments.forEach((token) => {
        const start = token.loc.start.line;
        const end = token.loc.end.line;
        lines.push(start, end);
      });
      return lines;
    }
    exports2.default = (0, util_1.createRule)({
      name: "lines-around-comment",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/lines-around-comment"],
        type: "layout",
        docs: {
          description: "Require empty lines around comments",
          extendsBaseRule: true
        },
        schema: [
          {
            type: "object",
            properties: {
              beforeBlockComment: {
                type: "boolean",
                default: true
              },
              afterBlockComment: {
                type: "boolean",
                default: false
              },
              beforeLineComment: {
                type: "boolean",
                default: false
              },
              afterLineComment: {
                type: "boolean",
                default: false
              },
              allowBlockStart: {
                type: "boolean",
                default: false
              },
              allowBlockEnd: {
                type: "boolean",
                default: false
              },
              allowClassStart: {
                type: "boolean"
              },
              allowClassEnd: {
                type: "boolean"
              },
              allowObjectStart: {
                type: "boolean"
              },
              allowObjectEnd: {
                type: "boolean"
              },
              allowArrayStart: {
                type: "boolean"
              },
              allowArrayEnd: {
                type: "boolean"
              },
              allowInterfaceStart: {
                type: "boolean"
              },
              allowInterfaceEnd: {
                type: "boolean"
              },
              allowTypeStart: {
                type: "boolean"
              },
              allowTypeEnd: {
                type: "boolean"
              },
              allowEnumStart: {
                type: "boolean"
              },
              allowEnumEnd: {
                type: "boolean"
              },
              allowModuleStart: {
                type: "boolean"
              },
              allowModuleEnd: {
                type: "boolean"
              },
              ignorePattern: {
                type: "string"
              },
              applyDefaultIgnorePatterns: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        fixable: baseRule2.meta.fixable,
        hasSuggestions: baseRule2.meta.hasSuggestions,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        {
          beforeBlockComment: true
        }
      ],
      create(context, [_options]) {
        const options = _options;
        const defaultIgnoreRegExp = COMMENTS_IGNORE_PATTERN;
        const customIgnoreRegExp = new RegExp(options.ignorePattern ?? "", "u");
        const comments = context.sourceCode.getAllComments();
        const lines = context.sourceCode.lines;
        const commentLines = getCommentLineNums(comments);
        const emptyLines = getEmptyLineNums(lines);
        const commentAndEmptyLines = new Set(commentLines.concat(emptyLines));
        function codeAroundComment(token) {
          let currentToken = token;
          do {
            currentToken = context.sourceCode.getTokenBefore(currentToken, {
              includeComments: true
            });
          } while (currentToken && (0, util_1.isCommentToken)(currentToken));
          if (currentToken && (0, util_1.isTokenOnSameLine)(currentToken, token)) {
            return true;
          }
          currentToken = token;
          do {
            currentToken = context.sourceCode.getTokenAfter(currentToken, {
              includeComments: true
            });
          } while (currentToken && (0, util_1.isCommentToken)(currentToken));
          if (currentToken && (0, util_1.isTokenOnSameLine)(token, currentToken)) {
            return true;
          }
          return false;
        }
        function isParentNodeType(parent, nodeType) {
          return parent.type === nodeType;
        }
        function getParentNodeOfToken(token) {
          const node = context.sourceCode.getNodeByRangeIndex(token.range[0]);
          return node;
        }
        function isCommentAtParentStart(token, nodeType) {
          const parent = getParentNodeOfToken(token);
          if (parent && isParentNodeType(parent, nodeType)) {
            const parentStartNodeOrToken = parent;
            return token.loc.start.line - parentStartNodeOrToken.loc.start.line === 1;
          }
          return false;
        }
        function isCommentAtParentEnd(token, nodeType) {
          const parent = getParentNodeOfToken(token);
          return !!parent && isParentNodeType(parent, nodeType) && parent.loc.end.line - token.loc.end.line === 1;
        }
        function isCommentAtInterfaceStart(token) {
          return isCommentAtParentStart(token, utils_1.AST_NODE_TYPES.TSInterfaceBody);
        }
        function isCommentAtInterfaceEnd(token) {
          return isCommentAtParentEnd(token, utils_1.AST_NODE_TYPES.TSInterfaceBody);
        }
        function isCommentAtTypeStart(token) {
          return isCommentAtParentStart(token, utils_1.AST_NODE_TYPES.TSTypeLiteral);
        }
        function isCommentAtTypeEnd(token) {
          return isCommentAtParentEnd(token, utils_1.AST_NODE_TYPES.TSTypeLiteral);
        }
        function isCommentAtEnumStart(token) {
          return isCommentAtParentStart(token, utils_1.AST_NODE_TYPES.TSEnumDeclaration);
        }
        function isCommentAtEnumEnd(token) {
          return isCommentAtParentEnd(token, utils_1.AST_NODE_TYPES.TSEnumDeclaration);
        }
        function isCommentAtModuleStart(token) {
          return isCommentAtParentStart(token, utils_1.AST_NODE_TYPES.TSModuleBlock);
        }
        function isCommentAtModuleEnd(token) {
          return isCommentAtParentEnd(token, utils_1.AST_NODE_TYPES.TSModuleBlock);
        }
        function isCommentNearTSConstruct(token) {
          return isCommentAtInterfaceStart(token) || isCommentAtInterfaceEnd(token) || isCommentAtTypeStart(token) || isCommentAtTypeEnd(token) || isCommentAtEnumStart(token) || isCommentAtEnumEnd(token) || isCommentAtModuleStart(token) || isCommentAtModuleEnd(token);
        }
        function checkForEmptyLine(token, { before, after }) {
          if (!isCommentNearTSConstruct(token)) {
            return;
          }
          if (options.applyDefaultIgnorePatterns !== false && defaultIgnoreRegExp.test(token.value)) {
            return;
          }
          if (options.ignorePattern && customIgnoreRegExp.test(token.value)) {
            return;
          }
          const prevLineNum = token.loc.start.line - 1;
          const nextLineNum = token.loc.end.line + 1;
          if (codeAroundComment(token)) {
            return;
          }
          const interfaceStartAllowed = Boolean(options.allowInterfaceStart) && isCommentAtInterfaceStart(token);
          const interfaceEndAllowed = Boolean(options.allowInterfaceEnd) && isCommentAtInterfaceEnd(token);
          const typeStartAllowed = Boolean(options.allowTypeStart) && isCommentAtTypeStart(token);
          const typeEndAllowed = Boolean(options.allowTypeEnd) && isCommentAtTypeEnd(token);
          const enumStartAllowed = Boolean(options.allowEnumStart) && isCommentAtEnumStart(token);
          const enumEndAllowed = Boolean(options.allowEnumEnd) && isCommentAtEnumEnd(token);
          const moduleStartAllowed = Boolean(options.allowModuleStart) && isCommentAtModuleStart(token);
          const moduleEndAllowed = Boolean(options.allowModuleEnd) && isCommentAtModuleEnd(token);
          const exceptionStartAllowed = interfaceStartAllowed || typeStartAllowed || enumStartAllowed || moduleStartAllowed;
          const exceptionEndAllowed = interfaceEndAllowed || typeEndAllowed || enumEndAllowed || moduleEndAllowed;
          const previousTokenOrComment = context.sourceCode.getTokenBefore(token, {
            includeComments: true
          });
          const nextTokenOrComment = context.sourceCode.getTokenAfter(token, {
            includeComments: true
          });
          if (!exceptionStartAllowed && before && !commentAndEmptyLines.has(prevLineNum) && !((0, util_1.isCommentToken)(previousTokenOrComment) && (0, util_1.isTokenOnSameLine)(previousTokenOrComment, token))) {
            const lineStart = token.range[0] - token.loc.start.column;
            const range = [lineStart, lineStart];
            context.report({
              node: token,
              messageId: "before",
              fix(fixer) {
                return fixer.insertTextBeforeRange(range, "\n");
              }
            });
          }
          if (!exceptionEndAllowed && after && !commentAndEmptyLines.has(nextLineNum) && !((0, util_1.isCommentToken)(nextTokenOrComment) && (0, util_1.isTokenOnSameLine)(token, nextTokenOrComment))) {
            context.report({
              node: token,
              messageId: "after",
              fix(fixer) {
                return fixer.insertTextAfter(token, "\n");
              }
            });
          }
        }
        const customReport = (descriptor) => {
          if ("node" in descriptor) {
            if (descriptor.node.type === utils_1.AST_TOKEN_TYPES.Line || descriptor.node.type === utils_1.AST_TOKEN_TYPES.Block) {
              if (isCommentNearTSConstruct(descriptor.node)) {
                return;
              }
            }
          }
          return context.report(descriptor);
        };
        const customContext = { report: customReport };
        const proxiedContext = new Proxy(customContext, {
          get(target, path17, receiver) {
            if (path17 !== "report") {
              return Reflect.get(context, path17, receiver);
            }
            return Reflect.get(target, path17, receiver);
          }
        });
        const rules = baseRule2.create(proxiedContext);
        return {
          Program() {
            rules.Program();
            comments.forEach((token) => {
              if (token.type === utils_1.AST_TOKEN_TYPES.Line) {
                if (options.beforeLineComment || options.afterLineComment) {
                  checkForEmptyLine(token, {
                    after: options.afterLineComment,
                    before: options.beforeLineComment
                  });
                }
              } else if (options.beforeBlockComment || options.afterBlockComment) {
                checkForEmptyLine(token, {
                  after: options.afterBlockComment,
                  before: options.beforeBlockComment
                });
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/lines-between-class-members.js
var require_lines_between_class_members2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/lines-between-class-members.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("lines-between-class-members");
    var schema30 = Object.values((0, util_1.deepMerge)({ ...baseRule2.meta.schema }, {
      1: {
        properties: {
          exceptAfterOverload: {
            type: "boolean",
            default: true
          }
        }
      }
    }));
    exports2.default = (0, util_1.createRule)({
      name: "lines-between-class-members",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/lines-between-class-members"],
        type: "layout",
        docs: {
          description: "Require or disallow an empty line between class members",
          extendsBaseRule: true
        },
        fixable: "whitespace",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: schema30,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        "always",
        {
          exceptAfterOverload: true,
          exceptAfterSingleLine: false
        }
      ],
      create(context, [firstOption, secondOption]) {
        const rules = baseRule2.create(context);
        const exceptAfterOverload = secondOption?.exceptAfterOverload && firstOption === "always";
        function isOverload(node) {
          return (node.type === utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition || node.type === utils_1.AST_NODE_TYPES.MethodDefinition) && node.value.type === utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression;
        }
        return {
          ClassBody(node) {
            const body = exceptAfterOverload ? node.body.filter((node2) => !isOverload(node2)) : node.body;
            rules.ClassBody({ ...node, body });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/max-params.js
var require_max_params2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/max-params.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("max-params");
    exports2.default = (0, util_1.createRule)({
      name: "max-params",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce a maximum number of parameters in function definitions",
          extendsBaseRule: true
        },
        schema: [
          {
            type: "object",
            properties: {
              maximum: {
                type: "integer",
                minimum: 0
              },
              max: {
                type: "integer",
                minimum: 0
              },
              countVoidThis: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: baseRule2.meta.messages
      },
      defaultOptions: [{ max: 3, countVoidThis: false }],
      create(context, [{ countVoidThis }]) {
        const baseRules = baseRule2.create(context);
        if (countVoidThis === true) {
          return baseRules;
        }
        const removeVoidThisParam = (node) => {
          if (node.params.length === 0 || node.params[0].type !== utils_1.AST_NODE_TYPES.Identifier || node.params[0].name !== "this" || node.params[0].typeAnnotation?.typeAnnotation.type !== utils_1.AST_NODE_TYPES.TSVoidKeyword) {
            return node;
          }
          return {
            ...node,
            params: node.params.slice(1)
          };
        };
        const wrapListener = (listener) => {
          return (node) => {
            listener(removeVoidThisParam(node));
          };
        };
        return {
          ArrowFunctionExpression: wrapListener(baseRules.ArrowFunctionExpression),
          FunctionDeclaration: wrapListener(baseRules.FunctionDeclaration),
          FunctionExpression: wrapListener(baseRules.FunctionExpression)
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/member-delimiter-style.js
var require_member_delimiter_style2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/member-delimiter-style.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var isLastTokenEndOfLine = (token, line) => {
      const positionInLine = token.loc.start.column;
      return positionInLine === line.length - 1;
    };
    var isCommentsEndOfLine = (token, comments, line) => {
      if (!comments) {
        return false;
      }
      if (comments.loc.end.line > token.loc.end.line) {
        return true;
      }
      const positionInLine = comments.loc.end.column;
      return positionInLine === line.length;
    };
    var makeFixFunction = ({ optsNone, optsSemi, lastToken, commentsAfterLastToken, missingDelimiter, lastTokenLine, isSingleLine }) => {
      if (optsNone && !isLastTokenEndOfLine(lastToken, lastTokenLine) && !isCommentsEndOfLine(lastToken, commentsAfterLastToken, lastTokenLine) && !isSingleLine) {
        return null;
      }
      return (fixer) => {
        if (optsNone) {
          return fixer.remove(lastToken);
        }
        const token = optsSemi ? ";" : ",";
        if (missingDelimiter) {
          return fixer.insertTextAfter(lastToken, token);
        }
        return fixer.replaceText(lastToken, token);
      };
    };
    var BASE_SCHEMA = {
      type: "object",
      properties: {
        multiline: {
          type: "object",
          properties: {
            delimiter: { $ref: "#/items/0/$defs/multiLineOption" },
            requireLast: { type: "boolean" }
          },
          additionalProperties: false
        },
        singleline: {
          type: "object",
          properties: {
            delimiter: { $ref: "#/items/0/$defs/singleLineOption" },
            requireLast: { type: "boolean" }
          },
          additionalProperties: false
        }
      },
      additionalProperties: false
    };
    exports2.default = (0, util_1.createRule)({
      name: "member-delimiter-style",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/member-delimiter-style"],
        type: "layout",
        docs: {
          description: "Require a specific member delimiter style for interfaces and type literals"
        },
        fixable: "whitespace",
        messages: {
          unexpectedComma: "Unexpected separator (,).",
          unexpectedSemi: "Unexpected separator (;).",
          expectedComma: "Expected a comma.",
          expectedSemi: "Expected a semicolon."
        },
        schema: [
          {
            $defs: {
              multiLineOption: {
                type: "string",
                enum: ["none", "semi", "comma"]
              },
              // note can't have "none" for single line delimiter as it's invalid syntax
              singleLineOption: {
                type: "string",
                enum: ["semi", "comma"]
              },
              // note - need to define this last as it references the enums
              delimiterConfig: BASE_SCHEMA
            },
            type: "object",
            properties: {
              ...BASE_SCHEMA.properties,
              overrides: {
                type: "object",
                properties: {
                  interface: {
                    $ref: "#/items/0/$defs/delimiterConfig"
                  },
                  typeLiteral: {
                    $ref: "#/items/0/$defs/delimiterConfig"
                  }
                },
                additionalProperties: false
              },
              multilineDetection: {
                type: "string",
                enum: ["brackets", "last-member"]
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          multiline: {
            delimiter: "semi",
            requireLast: true
          },
          singleline: {
            delimiter: "semi",
            requireLast: false
          },
          multilineDetection: "brackets"
        }
      ],
      create(context, [options]) {
        const baseOptions = options;
        const overrides = baseOptions.overrides ?? {};
        const interfaceOptions = (0, util_1.deepMerge)(baseOptions, overrides.interface);
        const typeLiteralOptions = (0, util_1.deepMerge)(baseOptions, overrides.typeLiteral);
        function checkLastToken(member, opts, isLast) {
          function getOption(type) {
            if (isLast && !opts.requireLast) {
              return type === "none";
            }
            return opts.delimiter === type;
          }
          let messageId4 = null;
          let missingDelimiter = false;
          const lastToken = context.sourceCode.getLastToken(member, {
            includeComments: false
          });
          if (!lastToken) {
            return;
          }
          const commentsAfterLastToken = context.sourceCode.getCommentsAfter(lastToken).pop();
          const sourceCodeLines = context.sourceCode.getLines();
          const lastTokenLine = sourceCodeLines[lastToken.loc.start.line - 1];
          const optsSemi = getOption("semi");
          const optsComma = getOption("comma");
          const optsNone = getOption("none");
          if (lastToken.value === ";") {
            if (optsComma) {
              messageId4 = "expectedComma";
            } else if (optsNone) {
              missingDelimiter = true;
              messageId4 = "unexpectedSemi";
            }
          } else if (lastToken.value === ",") {
            if (optsSemi) {
              messageId4 = "expectedSemi";
            } else if (optsNone) {
              missingDelimiter = true;
              messageId4 = "unexpectedComma";
            }
          } else {
            if (optsSemi) {
              missingDelimiter = true;
              messageId4 = "expectedSemi";
            } else if (optsComma) {
              missingDelimiter = true;
              messageId4 = "expectedComma";
            }
          }
          if (messageId4) {
            context.report({
              node: lastToken,
              loc: {
                start: {
                  line: lastToken.loc.end.line,
                  column: lastToken.loc.end.column
                },
                end: {
                  line: lastToken.loc.end.line,
                  column: lastToken.loc.end.column
                }
              },
              messageId: messageId4,
              fix: makeFixFunction({
                optsNone,
                optsSemi,
                lastToken,
                commentsAfterLastToken,
                missingDelimiter,
                lastTokenLine,
                isSingleLine: opts.type === "single-line"
              })
            });
          }
        }
        function checkMemberSeparatorStyle(node) {
          const members = node.type === utils_1.AST_NODE_TYPES.TSInterfaceBody ? node.body : node.members;
          let isSingleLine = node.loc.start.line === node.loc.end.line;
          if (options.multilineDetection === "last-member" && !isSingleLine && members.length > 0) {
            const lastMember = members[members.length - 1];
            if (lastMember.loc.end.line === node.loc.end.line) {
              isSingleLine = true;
            }
          }
          const typeOpts = node.type === utils_1.AST_NODE_TYPES.TSInterfaceBody ? interfaceOptions : typeLiteralOptions;
          const opts = isSingleLine ? { ...typeOpts.singleline, type: "single-line" } : { ...typeOpts.multiline, type: "multi-line" };
          members.forEach((member, index) => {
            checkLastToken(member, opts, index === members.length - 1);
          });
        }
        return {
          TSInterfaceBody: checkMemberSeparatorStyle,
          TSTypeLiteral: checkMemberSeparatorStyle
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/member-ordering.js
var require_member_ordering2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/member-ordering.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.defaultOrder = void 0;
    var utils_1 = require_dist15();
    var natural_compare_1 = __importDefault2(require_natural_compare());
    var util_1 = require_util7();
    var neverConfig = {
      type: "string",
      enum: ["never"]
    };
    var arrayConfig = (memberTypes) => ({
      type: "array",
      items: {
        oneOf: [
          {
            $ref: memberTypes
          },
          {
            type: "array",
            items: {
              $ref: memberTypes
            }
          }
        ]
      }
    });
    var objectConfig = (memberTypes) => ({
      type: "object",
      properties: {
        memberTypes: {
          oneOf: [arrayConfig(memberTypes), neverConfig]
        },
        order: {
          $ref: "#/items/0/$defs/orderOptions"
        },
        optionalityOrder: {
          $ref: "#/items/0/$defs/optionalityOrderOptions"
        }
      },
      additionalProperties: false
    });
    exports2.defaultOrder = [
      // Index signature
      "signature",
      "call-signature",
      // Fields
      "public-static-field",
      "protected-static-field",
      "private-static-field",
      "#private-static-field",
      "public-decorated-field",
      "protected-decorated-field",
      "private-decorated-field",
      "public-instance-field",
      "protected-instance-field",
      "private-instance-field",
      "#private-instance-field",
      "public-abstract-field",
      "protected-abstract-field",
      "public-field",
      "protected-field",
      "private-field",
      "#private-field",
      "static-field",
      "instance-field",
      "abstract-field",
      "decorated-field",
      "field",
      // Static initialization
      "static-initialization",
      // Constructors
      "public-constructor",
      "protected-constructor",
      "private-constructor",
      "constructor",
      // Accessors
      "public-static-accessor",
      "protected-static-accessor",
      "private-static-accessor",
      "#private-static-accessor",
      "public-decorated-accessor",
      "protected-decorated-accessor",
      "private-decorated-accessor",
      "public-instance-accessor",
      "protected-instance-accessor",
      "private-instance-accessor",
      "#private-instance-accessor",
      "public-abstract-accessor",
      "protected-abstract-accessor",
      "public-accessor",
      "protected-accessor",
      "private-accessor",
      "#private-accessor",
      "static-accessor",
      "instance-accessor",
      "abstract-accessor",
      "decorated-accessor",
      "accessor",
      // Getters
      "public-static-get",
      "protected-static-get",
      "private-static-get",
      "#private-static-get",
      "public-decorated-get",
      "protected-decorated-get",
      "private-decorated-get",
      "public-instance-get",
      "protected-instance-get",
      "private-instance-get",
      "#private-instance-get",
      "public-abstract-get",
      "protected-abstract-get",
      "public-get",
      "protected-get",
      "private-get",
      "#private-get",
      "static-get",
      "instance-get",
      "abstract-get",
      "decorated-get",
      "get",
      // Setters
      "public-static-set",
      "protected-static-set",
      "private-static-set",
      "#private-static-set",
      "public-decorated-set",
      "protected-decorated-set",
      "private-decorated-set",
      "public-instance-set",
      "protected-instance-set",
      "private-instance-set",
      "#private-instance-set",
      "public-abstract-set",
      "protected-abstract-set",
      "public-set",
      "protected-set",
      "private-set",
      "#private-set",
      "static-set",
      "instance-set",
      "abstract-set",
      "decorated-set",
      "set",
      // Methods
      "public-static-method",
      "protected-static-method",
      "private-static-method",
      "#private-static-method",
      "public-decorated-method",
      "protected-decorated-method",
      "private-decorated-method",
      "public-instance-method",
      "protected-instance-method",
      "private-instance-method",
      "#private-instance-method",
      "public-abstract-method",
      "protected-abstract-method",
      "public-method",
      "protected-method",
      "private-method",
      "#private-method",
      "static-method",
      "instance-method",
      "abstract-method",
      "decorated-method",
      "method"
    ];
    var allMemberTypes = Array.from([
      "readonly-signature",
      "signature",
      "readonly-field",
      "field",
      "method",
      "call-signature",
      "constructor",
      "accessor",
      "get",
      "set",
      "static-initialization"
    ].reduce((all, type) => {
      all.add(type);
      ["public", "protected", "private", "#private"].forEach((accessibility) => {
        if (type !== "readonly-signature" && type !== "signature" && type !== "static-initialization" && type !== "call-signature" && !(type === "constructor" && accessibility === "#private")) {
          all.add(`${accessibility}-${type}`);
        }
        if (accessibility !== "#private" && (type === "readonly-field" || type === "field" || type === "method" || type === "accessor" || type === "get" || type === "set")) {
          all.add(`${accessibility}-decorated-${type}`);
          all.add(`decorated-${type}`);
        }
        if (type !== "constructor" && type !== "readonly-signature" && type !== "signature" && type !== "call-signature") {
          if (accessibility === "#private" || accessibility === "private") {
            ["static", "instance"].forEach((scope) => {
              all.add(`${scope}-${type}`);
              all.add(`${accessibility}-${scope}-${type}`);
            });
          } else {
            ["static", "instance", "abstract"].forEach((scope) => {
              all.add(`${scope}-${type}`);
              all.add(`${accessibility}-${scope}-${type}`);
            });
          }
        }
      });
      return all;
    }, /* @__PURE__ */ new Set()));
    var functionExpressions = [
      utils_1.AST_NODE_TYPES.FunctionExpression,
      utils_1.AST_NODE_TYPES.ArrowFunctionExpression
    ];
    function getNodeType(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition:
        case utils_1.AST_NODE_TYPES.MethodDefinition:
        case utils_1.AST_NODE_TYPES.TSMethodSignature:
          return node.kind;
        case utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration:
          return "call-signature";
        case utils_1.AST_NODE_TYPES.TSConstructSignatureDeclaration:
          return "constructor";
        case utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition:
          return node.readonly ? "readonly-field" : "field";
        case utils_1.AST_NODE_TYPES.AccessorProperty:
          return "accessor";
        case utils_1.AST_NODE_TYPES.PropertyDefinition:
          return node.value && functionExpressions.includes(node.value.type) ? "method" : node.readonly ? "readonly-field" : "field";
        case utils_1.AST_NODE_TYPES.TSPropertySignature:
          return node.readonly ? "readonly-field" : "field";
        case utils_1.AST_NODE_TYPES.TSIndexSignature:
          return node.readonly ? "readonly-signature" : "signature";
        case utils_1.AST_NODE_TYPES.StaticBlock:
          return "static-initialization";
        default:
          return null;
      }
    }
    function getMemberRawName(member, sourceCode) {
      const { name, type } = (0, util_1.getNameFromMember)(member, sourceCode);
      if (type === util_1.MemberNameType.Quoted) {
        return name.slice(1, -1);
      }
      if (type === util_1.MemberNameType.Private) {
        return name.slice(1);
      }
      return name;
    }
    function getMemberName2(node, sourceCode) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.TSPropertySignature:
        case utils_1.AST_NODE_TYPES.TSMethodSignature:
        case utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition:
        case utils_1.AST_NODE_TYPES.PropertyDefinition:
          return getMemberRawName(node, sourceCode);
        case utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition:
        case utils_1.AST_NODE_TYPES.MethodDefinition:
          return node.kind === "constructor" ? "constructor" : getMemberRawName(node, sourceCode);
        case utils_1.AST_NODE_TYPES.TSConstructSignatureDeclaration:
          return "new";
        case utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration:
          return "call";
        case utils_1.AST_NODE_TYPES.TSIndexSignature:
          return (0, util_1.getNameFromIndexSignature)(node);
        case utils_1.AST_NODE_TYPES.StaticBlock:
          return "static block";
        default:
          return null;
      }
    }
    function isMemberOptional(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.TSPropertySignature:
        case utils_1.AST_NODE_TYPES.TSMethodSignature:
        case utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition:
        case utils_1.AST_NODE_TYPES.PropertyDefinition:
        case utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition:
        case utils_1.AST_NODE_TYPES.MethodDefinition:
          return !!node.optional;
      }
      return false;
    }
    function getRankOrder(memberGroups, orderConfig) {
      let rank = -1;
      const stack = memberGroups.slice();
      while (stack.length > 0 && rank === -1) {
        const memberGroup = stack.shift();
        rank = orderConfig.findIndex((memberType) => Array.isArray(memberType) ? memberType.includes(memberGroup) : memberType === memberGroup);
      }
      return rank;
    }
    function getAccessibility(node) {
      if ("accessibility" in node && node.accessibility) {
        return node.accessibility;
      }
      if ("key" in node && node.key.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
        return "#private";
      }
      return "public";
    }
    function getRank(node, orderConfig, supportsModifiers) {
      const type = getNodeType(node);
      if (type == null) {
        return orderConfig.length - 1;
      }
      const abstract = node.type === utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition || node.type === utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition;
      const scope = "static" in node && node.static ? "static" : abstract ? "abstract" : "instance";
      const accessibility = getAccessibility(node);
      const memberGroups = [];
      if (supportsModifiers) {
        const decorated = "decorators" in node && node.decorators.length > 0;
        if (decorated && (type === "readonly-field" || type === "field" || type === "method" || type === "get" || type === "set")) {
          memberGroups.push(`${accessibility}-decorated-${type}`);
          memberGroups.push(`decorated-${type}`);
          if (type === "readonly-field") {
            memberGroups.push(`${accessibility}-decorated-field`);
            memberGroups.push(`decorated-field`);
          }
        }
        if (type !== "readonly-signature" && type !== "signature" && type !== "static-initialization") {
          if (type !== "constructor") {
            memberGroups.push(`${accessibility}-${scope}-${type}`);
            memberGroups.push(`${scope}-${type}`);
            if (type === "readonly-field") {
              memberGroups.push(`${accessibility}-${scope}-field`);
              memberGroups.push(`${scope}-field`);
            }
          }
          memberGroups.push(`${accessibility}-${type}`);
          if (type === "readonly-field") {
            memberGroups.push(`${accessibility}-field`);
          }
        }
      }
      memberGroups.push(type);
      if (type === "readonly-signature") {
        memberGroups.push("signature");
      } else if (type === "readonly-field") {
        memberGroups.push("field");
      }
      return getRankOrder(memberGroups, orderConfig);
    }
    function groupMembersByType(members, memberTypes, supportsModifiers) {
      const groupedMembers = [];
      const memberRanks = members.map((member) => getRank(member, memberTypes, supportsModifiers));
      let previousRank = void 0;
      members.forEach((member, index) => {
        if (index === members.length - 1) {
          return;
        }
        const rankOfCurrentMember = memberRanks[index];
        const rankOfNextMember = memberRanks[index + 1];
        if (rankOfCurrentMember === previousRank) {
          groupedMembers.at(-1)?.push(member);
        } else if (rankOfCurrentMember === rankOfNextMember) {
          groupedMembers.push([member]);
          previousRank = rankOfCurrentMember;
        }
      });
      return groupedMembers;
    }
    function getLowestRank(ranks, target, order) {
      let lowest = ranks[ranks.length - 1];
      ranks.forEach((rank) => {
        if (rank > target) {
          lowest = Math.min(lowest, rank);
        }
      });
      const lowestRank = order[lowest];
      const lowestRanks = Array.isArray(lowestRank) ? lowestRank : [lowestRank];
      return lowestRanks.map((rank) => rank.replace(/-/g, " ")).join(", ");
    }
    exports2.default = (0, util_1.createRule)({
      name: "member-ordering",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require a consistent member declaration order"
        },
        messages: {
          incorrectOrder: "Member {{member}} should be declared before member {{beforeMember}}.",
          incorrectGroupOrder: "Member {{name}} should be declared before all {{rank}} definitions.",
          incorrectRequiredMembersOrder: `Member {{member}} should be declared after all {{optionalOrRequired}} members.`
        },
        schema: [
          {
            $defs: {
              orderOptions: {
                type: "string",
                enum: [
                  "alphabetically",
                  "alphabetically-case-insensitive",
                  "as-written",
                  "natural",
                  "natural-case-insensitive"
                ]
              },
              optionalityOrderOptions: {
                type: "string",
                enum: ["optional-first", "required-first"]
              },
              allItems: {
                type: "string",
                enum: allMemberTypes
              },
              typeItems: {
                type: "string",
                enum: [
                  "readonly-signature",
                  "signature",
                  "readonly-field",
                  "field",
                  "method",
                  "constructor"
                ]
              },
              baseConfig: {
                oneOf: [
                  neverConfig,
                  arrayConfig("#/items/0/$defs/allItems"),
                  objectConfig("#/items/0/$defs/allItems")
                ]
              },
              typesConfig: {
                oneOf: [
                  neverConfig,
                  arrayConfig("#/items/0/$defs/typeItems"),
                  objectConfig("#/items/0/$defs/typeItems")
                ]
              }
            },
            type: "object",
            properties: {
              default: {
                $ref: "#/items/0/$defs/baseConfig"
              },
              classes: {
                $ref: "#/items/0/$defs/baseConfig"
              },
              classExpressions: {
                $ref: "#/items/0/$defs/baseConfig"
              },
              interfaces: {
                $ref: "#/items/0/$defs/typesConfig"
              },
              typeLiterals: {
                $ref: "#/items/0/$defs/typesConfig"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          default: {
            memberTypes: exports2.defaultOrder
          }
        }
      ],
      create(context, [options]) {
        function checkGroupSort(members, groupOrder, supportsModifiers) {
          const previousRanks = [];
          const memberGroups = [];
          let isCorrectlySorted = true;
          for (const member of members) {
            const rank = getRank(member, groupOrder, supportsModifiers);
            const name = getMemberName2(member, context.sourceCode);
            const rankLastMember = previousRanks[previousRanks.length - 1];
            if (rank === -1) {
              continue;
            }
            if (rank < rankLastMember) {
              context.report({
                node: member,
                messageId: "incorrectGroupOrder",
                data: {
                  name,
                  rank: getLowestRank(previousRanks, rank, groupOrder)
                }
              });
              isCorrectlySorted = false;
            } else if (rank === rankLastMember) {
              memberGroups[memberGroups.length - 1].push(member);
            } else {
              previousRanks.push(rank);
              memberGroups.push([member]);
            }
          }
          return isCorrectlySorted ? memberGroups : null;
        }
        function checkAlphaSort(members, order) {
          let previousName = "";
          let isCorrectlySorted = true;
          members.forEach((member) => {
            const name = getMemberName2(member, context.sourceCode);
            if (name) {
              if (naturalOutOfOrder(name, previousName, order)) {
                context.report({
                  node: member,
                  messageId: "incorrectOrder",
                  data: {
                    member: name,
                    beforeMember: previousName
                  }
                });
                isCorrectlySorted = false;
              }
              previousName = name;
            }
          });
          return isCorrectlySorted;
        }
        function naturalOutOfOrder(name, previousName, order) {
          if (name === previousName) {
            return false;
          }
          switch (order) {
            case "alphabetically":
              return name < previousName;
            case "alphabetically-case-insensitive":
              return name.toLowerCase() < previousName.toLowerCase();
            case "natural":
              return (0, natural_compare_1.default)(name, previousName) !== 1;
            case "natural-case-insensitive":
              return (0, natural_compare_1.default)(name.toLowerCase(), previousName.toLowerCase()) !== 1;
          }
        }
        function checkRequiredOrder(members, optionalityOrder) {
          const switchIndex = members.findIndex((member, i) => i && isMemberOptional(member) !== isMemberOptional(members[i - 1]));
          const report = (member) => context.report({
            messageId: "incorrectRequiredMembersOrder",
            loc: member.loc,
            data: {
              member: getMemberName2(member, context.sourceCode),
              optionalOrRequired: optionalityOrder === "required-first" ? "required" : "optional"
            }
          });
          if (isMemberOptional(members[0]) !== (optionalityOrder === "optional-first")) {
            report(members[0]);
            return false;
          }
          for (let i = switchIndex + 1; i < members.length; i++) {
            if (isMemberOptional(members[i]) !== isMemberOptional(members[switchIndex])) {
              report(members[switchIndex]);
              return false;
            }
          }
          return true;
        }
        function validateMembersOrder(members, orderConfig, supportsModifiers) {
          if (orderConfig === "never") {
            return;
          }
          let order;
          let memberTypes;
          let optionalityOrder;
          const checkAlphaSortForAllMembers = (memberSet) => {
            const hasAlphaSort = !!(order && order !== "as-written");
            if (hasAlphaSort && Array.isArray(memberTypes)) {
              groupMembersByType(memberSet, memberTypes, supportsModifiers).forEach((members2) => {
                checkAlphaSort(members2, order);
              });
            }
          };
          const checkOrder = (memberSet) => {
            const hasAlphaSort = !!(order && order !== "as-written");
            if (Array.isArray(memberTypes)) {
              const grouped = checkGroupSort(memberSet, memberTypes, supportsModifiers);
              if (grouped == null) {
                checkAlphaSortForAllMembers(members);
                return false;
              }
              if (hasAlphaSort) {
                grouped.map((groupMember) => checkAlphaSort(groupMember, order));
              }
            } else if (hasAlphaSort) {
              return checkAlphaSort(memberSet, order);
            }
            return false;
          };
          if (Array.isArray(orderConfig)) {
            memberTypes = orderConfig;
          } else {
            order = orderConfig.order;
            memberTypes = orderConfig.memberTypes;
            optionalityOrder = orderConfig.optionalityOrder;
          }
          if (!optionalityOrder) {
            checkOrder(members);
            return;
          }
          const switchIndex = members.findIndex((member, i) => i && isMemberOptional(member) !== isMemberOptional(members[i - 1]));
          if (switchIndex !== -1) {
            if (!checkRequiredOrder(members, optionalityOrder)) {
              return;
            }
            checkOrder(members.slice(0, switchIndex));
            checkOrder(members.slice(switchIndex));
          } else {
            checkOrder(members);
          }
        }
        return {
          "ClassDeclaration, FunctionDeclaration"(node) {
            if ("superClass" in node) {
            }
          },
          ClassDeclaration(node) {
            validateMembersOrder(node.body.body, options.classes ?? options.default, true);
          },
          ClassExpression(node) {
            validateMembersOrder(node.body.body, options.classExpressions ?? options.default, true);
          },
          TSInterfaceDeclaration(node) {
            validateMembersOrder(node.body.body, options.interfaces ?? options.default, false);
          },
          TSTypeLiteral(node) {
            validateMembersOrder(node.members, options.typeLiterals ?? options.default, false);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/method-signature-style.js
var require_method_signature_style2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/method-signature-style.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "method-signature-style",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce using a particular method signature syntax"
        },
        fixable: "code",
        messages: {
          errorMethod: "Shorthand method signature is forbidden. Use a function property instead.",
          errorProperty: "Function property signature is forbidden. Use a method shorthand instead."
        },
        schema: [
          {
            type: "string",
            enum: ["property", "method"]
          }
        ]
      },
      defaultOptions: ["property"],
      create(context, [mode]) {
        function getMethodKey(node) {
          let key = context.sourceCode.getText(node.key);
          if (node.computed) {
            key = `[${key}]`;
          }
          if (node.optional) {
            key = `${key}?`;
          }
          if (node.readonly) {
            key = `readonly ${key}`;
          }
          return key;
        }
        function getMethodParams(node) {
          let params = "()";
          if (node.params.length > 0) {
            const openingParen = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(node.params[0], util_1.isOpeningParenToken), "Missing opening paren before first parameter");
            const closingParen = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.params[node.params.length - 1], util_1.isClosingParenToken), "Missing closing paren after last parameter");
            params = context.sourceCode.text.substring(openingParen.range[0], closingParen.range[1]);
          }
          if (node.typeParameters != null) {
            const typeParams = context.sourceCode.getText(node.typeParameters);
            params = `${typeParams}${params}`;
          }
          return params;
        }
        function getMethodReturnType(node) {
          return node.returnType == null ? (
            // if the method has no return type, it implicitly has an `any` return type
            // we just make it explicit here so we can do the fix
            "any"
          ) : context.sourceCode.getText(node.returnType.typeAnnotation);
        }
        function getDelimiter(node) {
          const lastToken = context.sourceCode.getLastToken(node);
          if (lastToken && ((0, util_1.isSemicolonToken)(lastToken) || (0, util_1.isCommaToken)(lastToken))) {
            return lastToken.value;
          }
          return "";
        }
        function isNodeParentModuleDeclaration(node) {
          if (!node.parent) {
            return false;
          }
          if (node.parent.type === utils_1.AST_NODE_TYPES.TSModuleDeclaration) {
            return true;
          }
          if (node.parent.type === utils_1.AST_NODE_TYPES.Program) {
            return false;
          }
          return isNodeParentModuleDeclaration(node.parent);
        }
        return {
          ...mode === "property" && {
            TSMethodSignature(methodNode) {
              if (methodNode.kind !== "method") {
                return;
              }
              const parent = methodNode.parent;
              const members = parent.type === utils_1.AST_NODE_TYPES.TSInterfaceBody ? parent.body : parent.type === utils_1.AST_NODE_TYPES.TSTypeLiteral ? parent.members : [];
              const duplicatedKeyMethodNodes = members.filter((element) => element.type === utils_1.AST_NODE_TYPES.TSMethodSignature && element !== methodNode && getMethodKey(element) === getMethodKey(methodNode));
              const isParentModule = isNodeParentModuleDeclaration(methodNode);
              if (duplicatedKeyMethodNodes.length > 0) {
                if (isParentModule) {
                  context.report({
                    node: methodNode,
                    messageId: "errorMethod"
                  });
                } else {
                  context.report({
                    node: methodNode,
                    messageId: "errorMethod",
                    *fix(fixer) {
                      const methodNodes = [
                        methodNode,
                        ...duplicatedKeyMethodNodes
                      ].sort((a, b) => a.range[0] < b.range[0] ? -1 : 1);
                      const typeString = methodNodes.map((node) => {
                        const params = getMethodParams(node);
                        const returnType = getMethodReturnType(node);
                        return `(${params} => ${returnType})`;
                      }).join(" & ");
                      const key = getMethodKey(methodNode);
                      const delimiter2 = getDelimiter(methodNode);
                      yield fixer.replaceText(methodNode, `${key}: ${typeString}${delimiter2}`);
                      for (const node of duplicatedKeyMethodNodes) {
                        const lastToken = context.sourceCode.getLastToken(node);
                        if (lastToken) {
                          const nextToken = context.sourceCode.getTokenAfter(lastToken);
                          if (nextToken) {
                            yield fixer.remove(node);
                            yield fixer.replaceTextRange([lastToken.range[1], nextToken.range[0]], "");
                          }
                        }
                      }
                    }
                  });
                }
                return;
              }
              if (isParentModule) {
                context.report({
                  node: methodNode,
                  messageId: "errorMethod"
                });
              } else {
                context.report({
                  node: methodNode,
                  messageId: "errorMethod",
                  fix: (fixer) => {
                    const key = getMethodKey(methodNode);
                    const params = getMethodParams(methodNode);
                    const returnType = getMethodReturnType(methodNode);
                    const delimiter2 = getDelimiter(methodNode);
                    return fixer.replaceText(methodNode, `${key}: ${params} => ${returnType}${delimiter2}`);
                  }
                });
              }
            }
          },
          ...mode === "method" && {
            TSPropertySignature(propertyNode) {
              const typeNode = propertyNode.typeAnnotation?.typeAnnotation;
              if (typeNode?.type !== utils_1.AST_NODE_TYPES.TSFunctionType) {
                return;
              }
              context.report({
                node: propertyNode,
                messageId: "errorProperty",
                fix: (fixer) => {
                  const key = getMethodKey(propertyNode);
                  const params = getMethodParams(typeNode);
                  const returnType = getMethodReturnType(typeNode);
                  const delimiter2 = getDelimiter(propertyNode);
                  return fixer.replaceText(propertyNode, `${key}${params}: ${returnType}${delimiter2}`);
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/enums.js
var require_enums2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/enums.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.UnderscoreOptions = exports2.TypeModifiers = exports2.Selectors = exports2.PredefinedFormats = exports2.Modifiers = exports2.MetaSelectors = void 0;
    var PredefinedFormats;
    (function(PredefinedFormats2) {
      PredefinedFormats2[PredefinedFormats2["camelCase"] = 1] = "camelCase";
      PredefinedFormats2[PredefinedFormats2["strictCamelCase"] = 2] = "strictCamelCase";
      PredefinedFormats2[PredefinedFormats2["PascalCase"] = 3] = "PascalCase";
      PredefinedFormats2[PredefinedFormats2["StrictPascalCase"] = 4] = "StrictPascalCase";
      PredefinedFormats2[PredefinedFormats2["snake_case"] = 5] = "snake_case";
      PredefinedFormats2[PredefinedFormats2["UPPER_CASE"] = 6] = "UPPER_CASE";
    })(PredefinedFormats || (exports2.PredefinedFormats = PredefinedFormats = {}));
    var UnderscoreOptions;
    (function(UnderscoreOptions2) {
      UnderscoreOptions2[UnderscoreOptions2["forbid"] = 1] = "forbid";
      UnderscoreOptions2[UnderscoreOptions2["allow"] = 2] = "allow";
      UnderscoreOptions2[UnderscoreOptions2["require"] = 3] = "require";
      UnderscoreOptions2[UnderscoreOptions2["requireDouble"] = 4] = "requireDouble";
      UnderscoreOptions2[UnderscoreOptions2["allowDouble"] = 5] = "allowDouble";
      UnderscoreOptions2[UnderscoreOptions2["allowSingleOrDouble"] = 6] = "allowSingleOrDouble";
    })(UnderscoreOptions || (exports2.UnderscoreOptions = UnderscoreOptions = {}));
    var Selectors;
    (function(Selectors2) {
      Selectors2[Selectors2["variable"] = 1] = "variable";
      Selectors2[Selectors2["function"] = 2] = "function";
      Selectors2[Selectors2["parameter"] = 4] = "parameter";
      Selectors2[Selectors2["parameterProperty"] = 8] = "parameterProperty";
      Selectors2[Selectors2["classicAccessor"] = 16] = "classicAccessor";
      Selectors2[Selectors2["enumMember"] = 32] = "enumMember";
      Selectors2[Selectors2["classMethod"] = 64] = "classMethod";
      Selectors2[Selectors2["objectLiteralMethod"] = 128] = "objectLiteralMethod";
      Selectors2[Selectors2["typeMethod"] = 256] = "typeMethod";
      Selectors2[Selectors2["classProperty"] = 512] = "classProperty";
      Selectors2[Selectors2["objectLiteralProperty"] = 1024] = "objectLiteralProperty";
      Selectors2[Selectors2["typeProperty"] = 2048] = "typeProperty";
      Selectors2[Selectors2["autoAccessor"] = 4096] = "autoAccessor";
      Selectors2[Selectors2["class"] = 8192] = "class";
      Selectors2[Selectors2["interface"] = 16384] = "interface";
      Selectors2[Selectors2["typeAlias"] = 32768] = "typeAlias";
      Selectors2[Selectors2["enum"] = 65536] = "enum";
      Selectors2[Selectors2["typeParameter"] = 131072] = "typeParameter";
      Selectors2[Selectors2["import"] = 262144] = "import";
    })(Selectors || (exports2.Selectors = Selectors = {}));
    var MetaSelectors;
    (function(MetaSelectors2) {
      MetaSelectors2[MetaSelectors2["default"] = -1] = "default";
      MetaSelectors2[MetaSelectors2["variableLike"] = 7] = "variableLike";
      MetaSelectors2[MetaSelectors2["memberLike"] = 8184] = "memberLike";
      MetaSelectors2[MetaSelectors2["typeLike"] = 253952] = "typeLike";
      MetaSelectors2[MetaSelectors2["method"] = 448] = "method";
      MetaSelectors2[MetaSelectors2["property"] = 3584] = "property";
      MetaSelectors2[MetaSelectors2["accessor"] = 4112] = "accessor";
    })(MetaSelectors || (exports2.MetaSelectors = MetaSelectors = {}));
    var Modifiers;
    (function(Modifiers2) {
      Modifiers2[Modifiers2["const"] = 1] = "const";
      Modifiers2[Modifiers2["readonly"] = 2] = "readonly";
      Modifiers2[Modifiers2["static"] = 4] = "static";
      Modifiers2[Modifiers2["public"] = 8] = "public";
      Modifiers2[Modifiers2["protected"] = 16] = "protected";
      Modifiers2[Modifiers2["private"] = 32] = "private";
      Modifiers2[Modifiers2["#private"] = 64] = "#private";
      Modifiers2[Modifiers2["abstract"] = 128] = "abstract";
      Modifiers2[Modifiers2["destructured"] = 256] = "destructured";
      Modifiers2[Modifiers2["global"] = 512] = "global";
      Modifiers2[Modifiers2["exported"] = 1024] = "exported";
      Modifiers2[Modifiers2["unused"] = 2048] = "unused";
      Modifiers2[Modifiers2["requiresQuotes"] = 4096] = "requiresQuotes";
      Modifiers2[Modifiers2["override"] = 8192] = "override";
      Modifiers2[Modifiers2["async"] = 16384] = "async";
      Modifiers2[Modifiers2["default"] = 32768] = "default";
      Modifiers2[Modifiers2["namespace"] = 65536] = "namespace";
    })(Modifiers || (exports2.Modifiers = Modifiers = {}));
    var TypeModifiers;
    (function(TypeModifiers2) {
      TypeModifiers2[TypeModifiers2["boolean"] = 131072] = "boolean";
      TypeModifiers2[TypeModifiers2["string"] = 262144] = "string";
      TypeModifiers2[TypeModifiers2["number"] = 524288] = "number";
      TypeModifiers2[TypeModifiers2["function"] = 1048576] = "function";
      TypeModifiers2[TypeModifiers2["array"] = 2097152] = "array";
    })(TypeModifiers || (exports2.TypeModifiers = TypeModifiers = {}));
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/schema.js
var require_schema5 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/schema.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.SCHEMA = void 0;
    var util_1 = require_util7();
    var enums_1 = require_enums2();
    var $DEFS = {
      // enums
      underscoreOptions: {
        type: "string",
        enum: (0, util_1.getEnumNames)(enums_1.UnderscoreOptions)
      },
      predefinedFormats: {
        type: "string",
        enum: (0, util_1.getEnumNames)(enums_1.PredefinedFormats)
      },
      typeModifiers: {
        type: "string",
        enum: (0, util_1.getEnumNames)(enums_1.TypeModifiers)
      },
      // repeated types
      prefixSuffixConfig: {
        type: "array",
        items: {
          type: "string",
          minLength: 1
        },
        additionalItems: false
      },
      matchRegexConfig: {
        type: "object",
        additionalProperties: false,
        properties: {
          match: { type: "boolean" },
          regex: { type: "string" }
        },
        required: ["match", "regex"]
      },
      formatOptionsConfig: {
        oneOf: [
          {
            type: "array",
            items: {
              $ref: "#/$defs/predefinedFormats"
            },
            additionalItems: false
          },
          {
            type: "null"
          }
        ]
      }
    };
    var UNDERSCORE_SCHEMA = {
      $ref: "#/$defs/underscoreOptions"
    };
    var PREFIX_SUFFIX_SCHEMA = {
      $ref: "#/$defs/prefixSuffixConfig"
    };
    var MATCH_REGEX_SCHEMA = {
      $ref: "#/$defs/matchRegexConfig"
    };
    var FORMAT_OPTIONS_PROPERTIES = {
      format: {
        $ref: "#/$defs/formatOptionsConfig"
      },
      custom: MATCH_REGEX_SCHEMA,
      leadingUnderscore: UNDERSCORE_SCHEMA,
      trailingUnderscore: UNDERSCORE_SCHEMA,
      prefix: PREFIX_SUFFIX_SCHEMA,
      suffix: PREFIX_SUFFIX_SCHEMA,
      failureMessage: {
        type: "string"
      }
    };
    function selectorSchema(selectorString, allowType, modifiers) {
      const selector = {
        filter: {
          oneOf: [
            {
              type: "string",
              minLength: 1
            },
            MATCH_REGEX_SCHEMA
          ]
        },
        selector: {
          type: "string",
          enum: [selectorString]
        }
      };
      if (modifiers && modifiers.length > 0) {
        selector.modifiers = {
          type: "array",
          items: {
            type: "string",
            enum: modifiers
          },
          additionalItems: false
        };
      }
      if (allowType) {
        selector.types = {
          type: "array",
          items: {
            $ref: "#/$defs/typeModifiers"
          },
          additionalItems: false
        };
      }
      return [
        {
          type: "object",
          description: `Selector '${selectorString}'`,
          properties: {
            ...FORMAT_OPTIONS_PROPERTIES,
            ...selector
          },
          required: ["selector", "format"],
          additionalProperties: false
        }
      ];
    }
    function selectorsSchema() {
      return {
        type: "object",
        description: "Multiple selectors in one config",
        properties: {
          ...FORMAT_OPTIONS_PROPERTIES,
          ...{
            filter: {
              oneOf: [
                {
                  type: "string",
                  minLength: 1
                },
                MATCH_REGEX_SCHEMA
              ]
            },
            selector: {
              type: "array",
              items: {
                type: "string",
                enum: [...(0, util_1.getEnumNames)(enums_1.MetaSelectors), ...(0, util_1.getEnumNames)(enums_1.Selectors)]
              },
              additionalItems: false
            },
            modifiers: {
              type: "array",
              items: {
                type: "string",
                enum: (0, util_1.getEnumNames)(enums_1.Modifiers)
              },
              additionalItems: false
            },
            types: {
              type: "array",
              items: {
                $ref: "#/$defs/typeModifiers"
              },
              additionalItems: false
            }
          }
        },
        required: ["selector", "format"],
        additionalProperties: false
      };
    }
    var SCHEMA = {
      $defs: $DEFS,
      type: "array",
      items: {
        oneOf: [
          selectorsSchema(),
          ...selectorSchema("default", false, (0, util_1.getEnumNames)(enums_1.Modifiers)),
          ...selectorSchema("variableLike", false, ["unused", "async"]),
          ...selectorSchema("variable", true, [
            "const",
            "destructured",
            "exported",
            "global",
            "unused",
            "async"
          ]),
          ...selectorSchema("function", false, [
            "exported",
            "global",
            "unused",
            "async"
          ]),
          ...selectorSchema("parameter", true, ["destructured", "unused"]),
          ...selectorSchema("memberLike", false, [
            "abstract",
            "private",
            "#private",
            "protected",
            "public",
            "readonly",
            "requiresQuotes",
            "static",
            "override",
            "async"
          ]),
          ...selectorSchema("classProperty", true, [
            "abstract",
            "private",
            "#private",
            "protected",
            "public",
            "readonly",
            "requiresQuotes",
            "static",
            "override"
          ]),
          ...selectorSchema("objectLiteralProperty", true, [
            "public",
            "requiresQuotes"
          ]),
          ...selectorSchema("typeProperty", true, [
            "public",
            "readonly",
            "requiresQuotes"
          ]),
          ...selectorSchema("parameterProperty", true, [
            "private",
            "protected",
            "public",
            "readonly"
          ]),
          ...selectorSchema("property", true, [
            "abstract",
            "private",
            "#private",
            "protected",
            "public",
            "readonly",
            "requiresQuotes",
            "static",
            "override",
            "async"
          ]),
          ...selectorSchema("classMethod", false, [
            "abstract",
            "private",
            "#private",
            "protected",
            "public",
            "requiresQuotes",
            "static",
            "override",
            "async"
          ]),
          ...selectorSchema("objectLiteralMethod", false, [
            "public",
            "requiresQuotes",
            "async"
          ]),
          ...selectorSchema("typeMethod", false, ["public", "requiresQuotes"]),
          ...selectorSchema("method", false, [
            "abstract",
            "private",
            "#private",
            "protected",
            "public",
            "requiresQuotes",
            "static",
            "override",
            "async"
          ]),
          ...selectorSchema("classicAccessor", true, [
            "abstract",
            "private",
            "protected",
            "public",
            "requiresQuotes",
            "static",
            "override"
          ]),
          ...selectorSchema("autoAccessor", true, [
            "abstract",
            "private",
            "protected",
            "public",
            "requiresQuotes",
            "static",
            "override"
          ]),
          ...selectorSchema("accessor", true, [
            "abstract",
            "private",
            "protected",
            "public",
            "requiresQuotes",
            "static",
            "override"
          ]),
          ...selectorSchema("enumMember", false, ["requiresQuotes"]),
          ...selectorSchema("typeLike", false, ["abstract", "exported", "unused"]),
          ...selectorSchema("class", false, ["abstract", "exported", "unused"]),
          ...selectorSchema("interface", false, ["exported", "unused"]),
          ...selectorSchema("typeAlias", false, ["exported", "unused"]),
          ...selectorSchema("enum", false, ["exported", "unused"]),
          ...selectorSchema("typeParameter", false, ["unused"]),
          ...selectorSchema("import", false, ["default", "namespace"])
        ]
      },
      additionalItems: false
    };
    exports2.SCHEMA = SCHEMA;
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/shared.js
var require_shared5 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/shared.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.selectorTypeToMessageString = selectorTypeToMessageString;
    exports2.isMetaSelector = isMetaSelector;
    exports2.isMethodOrPropertySelector = isMethodOrPropertySelector;
    var enums_1 = require_enums2();
    function selectorTypeToMessageString(selectorType) {
      const notCamelCase = selectorType.replace(/([A-Z])/g, " $1");
      return notCamelCase.charAt(0).toUpperCase() + notCamelCase.slice(1);
    }
    function isMetaSelector(selector) {
      return selector in enums_1.MetaSelectors;
    }
    function isMethodOrPropertySelector(selector) {
      return selector === enums_1.MetaSelectors.method || selector === enums_1.MetaSelectors.property;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/format.js
var require_format3 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/format.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.PredefinedFormatToCheckFunction = void 0;
    var enums_1 = require_enums2();
    function isPascalCase(name) {
      return name.length === 0 || name[0] === name[0].toUpperCase() && !name.includes("_");
    }
    function isStrictPascalCase(name) {
      return name.length === 0 || name[0] === name[0].toUpperCase() && hasStrictCamelHumps(name, true);
    }
    function isCamelCase(name) {
      return name.length === 0 || name[0] === name[0].toLowerCase() && !name.includes("_");
    }
    function isStrictCamelCase(name) {
      return name.length === 0 || name[0] === name[0].toLowerCase() && hasStrictCamelHumps(name, false);
    }
    function hasStrictCamelHumps(name, isUpper) {
      function isUppercaseChar(char) {
        return char === char.toUpperCase() && char !== char.toLowerCase();
      }
      if (name.startsWith("_")) {
        return false;
      }
      for (let i = 1; i < name.length; ++i) {
        if (name[i] === "_") {
          return false;
        }
        if (isUpper === isUppercaseChar(name[i])) {
          if (isUpper) {
            return false;
          }
        } else {
          isUpper = !isUpper;
        }
      }
      return true;
    }
    function isSnakeCase(name) {
      return name.length === 0 || name === name.toLowerCase() && validateUnderscores(name);
    }
    function isUpperCase2(name) {
      return name.length === 0 || name === name.toUpperCase() && validateUnderscores(name);
    }
    function validateUnderscores(name) {
      if (name.startsWith("_")) {
        return false;
      }
      let wasUnderscore = false;
      for (let i = 1; i < name.length; ++i) {
        if (name[i] === "_") {
          if (wasUnderscore) {
            return false;
          }
          wasUnderscore = true;
        } else {
          wasUnderscore = false;
        }
      }
      return !wasUnderscore;
    }
    var PredefinedFormatToCheckFunction = {
      [enums_1.PredefinedFormats.PascalCase]: isPascalCase,
      [enums_1.PredefinedFormats.StrictPascalCase]: isStrictPascalCase,
      [enums_1.PredefinedFormats.camelCase]: isCamelCase,
      [enums_1.PredefinedFormats.strictCamelCase]: isStrictCamelCase,
      [enums_1.PredefinedFormats.UPPER_CASE]: isUpperCase2,
      [enums_1.PredefinedFormats.snake_case]: isSnakeCase
    };
    exports2.PredefinedFormatToCheckFunction = PredefinedFormatToCheckFunction;
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/validator.js
var require_validator2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/validator.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.createValidator = createValidator;
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var enums_1 = require_enums2();
    var format_1 = require_format3();
    var shared_1 = require_shared5();
    function createValidator(type, context, allConfigs) {
      const selectorType = enums_1.Selectors[type];
      const configs = allConfigs.filter((c) => (c.selector & selectorType) !== 0 || c.selector === enums_1.MetaSelectors.default).sort((a, b) => {
        if (a.selector === b.selector) {
          return b.modifierWeight - a.modifierWeight;
        }
        const aIsMeta = (0, shared_1.isMetaSelector)(a.selector);
        const bIsMeta = (0, shared_1.isMetaSelector)(b.selector);
        if (aIsMeta && !bIsMeta) {
          return 1;
        }
        if (!aIsMeta && bIsMeta) {
          return -1;
        }
        const aIsMethodOrProperty = (0, shared_1.isMethodOrPropertySelector)(a.selector);
        const bIsMethodOrProperty = (0, shared_1.isMethodOrPropertySelector)(b.selector);
        if (aIsMethodOrProperty && !bIsMethodOrProperty) {
          return -1;
        }
        if (!aIsMethodOrProperty && bIsMethodOrProperty) {
          return 1;
        }
        return b.selector - a.selector;
      });
      return (node, modifiers = /* @__PURE__ */ new Set()) => {
        const originalName = node.type === utils_1.AST_NODE_TYPES.Identifier || node.type === utils_1.AST_NODE_TYPES.PrivateIdentifier ? node.name : `${node.value}`;
        for (const config7 of configs) {
          if (config7.filter?.regex.test(originalName) !== config7.filter?.match) {
            continue;
          }
          if (config7.modifiers?.some((modifier) => !modifiers.has(modifier))) {
            continue;
          }
          if (!isCorrectType(node, config7, context, selectorType)) {
            continue;
          }
          let name = originalName;
          name = validateUnderscore("leading", config7, name, node, originalName);
          if (name == null) {
            return;
          }
          name = validateUnderscore("trailing", config7, name, node, originalName);
          if (name == null) {
            return;
          }
          name = validateAffix("prefix", config7, name, node, originalName);
          if (name == null) {
            return;
          }
          name = validateAffix("suffix", config7, name, node, originalName);
          if (name == null) {
            return;
          }
          if (!validateCustom(config7, name, node, originalName)) {
            return;
          }
          if (!validatePredefinedFormat(config7, name, node, originalName, modifiers)) {
            return;
          }
          return;
        }
      };
      function formatReportData({ affixes, formats, originalName, processedName, position, custom: custom2, count }) {
        return {
          type: (0, shared_1.selectorTypeToMessageString)(type),
          name: originalName,
          processedName,
          position,
          count,
          affixes: affixes?.join(", "),
          formats: formats?.map((f) => enums_1.PredefinedFormats[f]).join(", "),
          regex: custom2?.regex.toString(),
          regexMatch: custom2?.match === true ? "match" : custom2?.match === false ? "not match" : null
        };
      }
      function validateUnderscore(position, config7, name, node, originalName) {
        const option = position === "leading" ? config7.leadingUnderscore : config7.trailingUnderscore;
        if (!option) {
          return name;
        }
        const hasSingleUnderscore = position === "leading" ? () => name.startsWith("_") : () => name.endsWith("_");
        const trimSingleUnderscore = position === "leading" ? () => name.slice(1) : () => name.slice(0, -1);
        const hasDoubleUnderscore = position === "leading" ? () => name.startsWith("__") : () => name.endsWith("__");
        const trimDoubleUnderscore = position === "leading" ? () => name.slice(2) : () => name.slice(0, -2);
        switch (option) {
          case enums_1.UnderscoreOptions.allow: {
            if (hasSingleUnderscore()) {
              return trimSingleUnderscore();
            }
            return name;
          }
          case enums_1.UnderscoreOptions.allowDouble: {
            if (hasDoubleUnderscore()) {
              return trimDoubleUnderscore();
            }
            return name;
          }
          case enums_1.UnderscoreOptions.allowSingleOrDouble: {
            if (hasDoubleUnderscore()) {
              return trimDoubleUnderscore();
            }
            if (hasSingleUnderscore()) {
              return trimSingleUnderscore();
            }
            return name;
          }
          case enums_1.UnderscoreOptions.forbid: {
            if (hasSingleUnderscore()) {
              context.report({
                node,
                messageId: "unexpectedUnderscore",
                data: formatReportData({
                  originalName,
                  position,
                  count: "one"
                })
              });
              return null;
            }
            return name;
          }
          case enums_1.UnderscoreOptions.require: {
            if (!hasSingleUnderscore()) {
              context.report({
                node,
                messageId: "missingUnderscore",
                data: formatReportData({
                  originalName,
                  position,
                  count: "one"
                })
              });
              return null;
            }
            return trimSingleUnderscore();
          }
          case enums_1.UnderscoreOptions.requireDouble: {
            if (!hasDoubleUnderscore()) {
              context.report({
                node,
                messageId: "missingUnderscore",
                data: formatReportData({
                  originalName,
                  position,
                  count: "two"
                })
              });
              return null;
            }
            return trimDoubleUnderscore();
          }
        }
      }
      function validateAffix(position, config7, name, node, originalName) {
        const affixes = config7[position];
        if (!affixes || affixes.length === 0) {
          return name;
        }
        for (const affix of affixes) {
          const hasAffix = position === "prefix" ? name.startsWith(affix) : name.endsWith(affix);
          const trimAffix = position === "prefix" ? () => name.slice(affix.length) : () => name.slice(0, -affix.length);
          if (hasAffix) {
            return trimAffix();
          }
        }
        context.report({
          node,
          messageId: "missingAffix",
          data: formatReportData({
            originalName,
            position,
            affixes
          })
        });
        return null;
      }
      function validateCustom(config7, name, node, originalName) {
        const custom2 = config7.custom;
        if (!custom2) {
          return true;
        }
        const result = custom2.regex.test(name);
        if (custom2.match && result) {
          return true;
        }
        if (!custom2.match && !result) {
          return true;
        }
        context.report({
          node,
          messageId: "satisfyCustom",
          data: formatReportData({
            originalName,
            custom: custom2
          })
        });
        return false;
      }
      function validatePredefinedFormat(config7, name, node, originalName, modifiers) {
        const formats = config7.format;
        if (!formats?.length) {
          return true;
        }
        if (!modifiers.has(enums_1.Modifiers.requiresQuotes)) {
          for (const format2 of formats) {
            const checker = format_1.PredefinedFormatToCheckFunction[format2];
            if (checker(name)) {
              return true;
            }
          }
        }
        context.report({
          node,
          messageId: originalName === name ? "doesNotMatchFormat" : "doesNotMatchFormatTrimmed",
          data: formatReportData({
            originalName,
            processedName: name,
            formats
          })
        });
        return false;
      }
    }
    var SelectorsAllowedToHaveTypes = enums_1.Selectors.variable | enums_1.Selectors.parameter | enums_1.Selectors.classProperty | enums_1.Selectors.objectLiteralProperty | enums_1.Selectors.typeProperty | enums_1.Selectors.parameterProperty | enums_1.Selectors.classicAccessor;
    function isCorrectType(node, config7, context, selector) {
      if (config7.types == null) {
        return true;
      }
      if ((SelectorsAllowedToHaveTypes & selector) === 0) {
        return true;
      }
      const services = (0, util_1.getParserServices)(context);
      const checker = services.program.getTypeChecker();
      const type = services.getTypeAtLocation(node).getNonNullableType();
      for (const allowedType of config7.types) {
        switch (allowedType) {
          case enums_1.TypeModifiers.array:
            if (isAllTypesMatch(type, (t) => checker.isArrayType(t) || checker.isTupleType(t))) {
              return true;
            }
            break;
          case enums_1.TypeModifiers.function:
            if (isAllTypesMatch(type, (t) => t.getCallSignatures().length > 0)) {
              return true;
            }
            break;
          case enums_1.TypeModifiers.boolean:
          case enums_1.TypeModifiers.number:
          case enums_1.TypeModifiers.string: {
            const typeString = checker.typeToString(
              // this will resolve things like true => boolean, 'a' => string and 1 => number
              checker.getWidenedType(checker.getBaseTypeOfLiteralType(type))
            );
            const allowedTypeString = enums_1.TypeModifiers[allowedType];
            if (typeString === allowedTypeString) {
              return true;
            }
            break;
          }
        }
      }
      return false;
    }
    function isAllTypesMatch(type, cb) {
      if (type.isUnion()) {
        return type.types.every((t) => cb(t));
      }
      return cb(type);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/parse-options.js
var require_parse_options3 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/parse-options.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.parseOptions = parseOptions;
    var util_1 = require_util7();
    var enums_1 = require_enums2();
    var shared_1 = require_shared5();
    var validator_1 = require_validator2();
    function normalizeOption(option) {
      let weight = 0;
      option.modifiers?.forEach((mod) => {
        weight |= enums_1.Modifiers[mod];
      });
      option.types?.forEach((mod) => {
        weight |= enums_1.TypeModifiers[mod];
      });
      if (option.filter) {
        weight |= 1 << 30;
      }
      const normalizedOption = {
        // format options
        format: option.format ? option.format.map((f) => enums_1.PredefinedFormats[f]) : null,
        custom: option.custom ? {
          regex: new RegExp(option.custom.regex, "u"),
          match: option.custom.match
        } : null,
        leadingUnderscore: option.leadingUnderscore !== void 0 ? enums_1.UnderscoreOptions[option.leadingUnderscore] : null,
        trailingUnderscore: option.trailingUnderscore !== void 0 ? enums_1.UnderscoreOptions[option.trailingUnderscore] : null,
        prefix: option.prefix && option.prefix.length > 0 ? option.prefix : null,
        suffix: option.suffix && option.suffix.length > 0 ? option.suffix : null,
        modifiers: option.modifiers?.map((m) => enums_1.Modifiers[m]) ?? null,
        types: option.types?.map((m) => enums_1.TypeModifiers[m]) ?? null,
        filter: option.filter !== void 0 ? typeof option.filter === "string" ? {
          regex: new RegExp(option.filter, "u"),
          match: true
        } : {
          regex: new RegExp(option.filter.regex, "u"),
          match: option.filter.match
        } : null,
        // calculated ordering weight based on modifiers
        modifierWeight: weight
      };
      const selectors = Array.isArray(option.selector) ? option.selector : [option.selector];
      return selectors.map((selector) => ({
        selector: (0, shared_1.isMetaSelector)(selector) ? enums_1.MetaSelectors[selector] : enums_1.Selectors[selector],
        ...normalizedOption
      }));
    }
    function parseOptions(context) {
      const normalizedOptions = context.options.flatMap(normalizeOption);
      const result = (0, util_1.getEnumNames)(enums_1.Selectors).reduce((acc, k) => {
        acc[k] = (0, validator_1.createValidator)(k, context, normalizedOptions);
        return acc;
      }, {});
      return result;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/index.js
var require_naming_convention_utils2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention-utils/index.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.parseOptions = exports2.selectorTypeToMessageString = exports2.SCHEMA = exports2.Modifiers = void 0;
    var enums_1 = require_enums2();
    Object.defineProperty(exports2, "Modifiers", { enumerable: true, get: function() {
      return enums_1.Modifiers;
    } });
    var schema_1 = require_schema5();
    Object.defineProperty(exports2, "SCHEMA", { enumerable: true, get: function() {
      return schema_1.SCHEMA;
    } });
    var shared_1 = require_shared5();
    Object.defineProperty(exports2, "selectorTypeToMessageString", { enumerable: true, get: function() {
      return shared_1.selectorTypeToMessageString;
    } });
    var parse_options_1 = require_parse_options3();
    Object.defineProperty(exports2, "parseOptions", { enumerable: true, get: function() {
      return parse_options_1.parseOptions;
    } });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention.js
var require_naming_convention2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/naming-convention.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var naming_convention_utils_1 = require_naming_convention_utils2();
    var defaultCamelCaseAllTheThingsConfig = [
      {
        selector: "default",
        format: ["camelCase"],
        leadingUnderscore: "allow",
        trailingUnderscore: "allow"
      },
      {
        selector: "import",
        format: ["camelCase", "PascalCase"]
      },
      {
        selector: "variable",
        format: ["camelCase", "UPPER_CASE"],
        leadingUnderscore: "allow",
        trailingUnderscore: "allow"
      },
      {
        selector: "typeLike",
        format: ["PascalCase"]
      }
    ];
    exports2.default = (0, util_1.createRule)({
      name: "naming-convention",
      meta: {
        docs: {
          description: "Enforce naming conventions for everything across a codebase",
          // technically only requires type checking if the user uses "type" modifiers
          requiresTypeChecking: true
        },
        type: "suggestion",
        messages: {
          unexpectedUnderscore: "{{type}} name `{{name}}` must not have a {{position}} underscore.",
          missingUnderscore: "{{type}} name `{{name}}` must have {{count}} {{position}} underscore(s).",
          missingAffix: "{{type}} name `{{name}}` must have one of the following {{position}}es: {{affixes}}",
          satisfyCustom: "{{type}} name `{{name}}` must {{regexMatch}} the RegExp: {{regex}}",
          doesNotMatchFormat: "{{type}} name `{{name}}` must match one of the following formats: {{formats}}",
          doesNotMatchFormatTrimmed: "{{type}} name `{{name}}` trimmed as `{{processedName}}` must match one of the following formats: {{formats}}"
        },
        schema: naming_convention_utils_1.SCHEMA
      },
      defaultOptions: defaultCamelCaseAllTheThingsConfig,
      create(contextWithoutDefaults) {
        const context = contextWithoutDefaults.options.length > 0 ? contextWithoutDefaults : (
          // only apply the defaults when the user provides no config
          Object.setPrototypeOf({
            options: defaultCamelCaseAllTheThingsConfig
          }, contextWithoutDefaults)
        );
        const validators = (0, naming_convention_utils_1.parseOptions)(context);
        const compilerOptions = (0, util_1.getParserServices)(context, true).program?.getCompilerOptions() ?? {};
        function handleMember(validator, node, modifiers) {
          const key = node.key;
          if (requiresQuoting(key, compilerOptions.target)) {
            modifiers.add(naming_convention_utils_1.Modifiers.requiresQuotes);
          }
          validator(key, modifiers);
        }
        function getMemberModifiers(node) {
          const modifiers = /* @__PURE__ */ new Set();
          if ("key" in node && node.key.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
            modifiers.add(naming_convention_utils_1.Modifiers["#private"]);
          } else if (node.accessibility) {
            modifiers.add(naming_convention_utils_1.Modifiers[node.accessibility]);
          } else {
            modifiers.add(naming_convention_utils_1.Modifiers.public);
          }
          if (node.static) {
            modifiers.add(naming_convention_utils_1.Modifiers.static);
          }
          if ("readonly" in node && node.readonly) {
            modifiers.add(naming_convention_utils_1.Modifiers.readonly);
          }
          if ("override" in node && node.override) {
            modifiers.add(naming_convention_utils_1.Modifiers.override);
          }
          if (node.type === utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition || node.type === utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition || node.type === utils_1.AST_NODE_TYPES.TSAbstractAccessorProperty) {
            modifiers.add(naming_convention_utils_1.Modifiers.abstract);
          }
          return modifiers;
        }
        const unusedVariables = (0, util_1.collectUnusedVariables)(context);
        function isUnused(name, initialScope) {
          let variable = null;
          let scope = initialScope;
          while (scope) {
            variable = scope.set.get(name) ?? null;
            if (variable) {
              break;
            }
            scope = scope.upper;
          }
          if (!variable) {
            return false;
          }
          return unusedVariables.has(variable);
        }
        function isDestructured(id) {
          return (
            // `const { x }`
            // does not match `const { x: y }`
            id.parent.type === utils_1.AST_NODE_TYPES.Property && id.parent.shorthand || // `const { x = 2 }`
            // does not match const `{ x: y = 2 }`
            id.parent.type === utils_1.AST_NODE_TYPES.AssignmentPattern && id.parent.parent.type === utils_1.AST_NODE_TYPES.Property && id.parent.parent.shorthand
          );
        }
        function isAsyncMemberOrProperty(propertyOrMemberNode) {
          return Boolean("value" in propertyOrMemberNode && propertyOrMemberNode.value && "async" in propertyOrMemberNode.value && propertyOrMemberNode.value.async);
        }
        function isAsyncVariableIdentifier(id) {
          return Boolean("async" in id.parent && id.parent.async || "init" in id.parent && id.parent.init && "async" in id.parent.init && id.parent.init.async);
        }
        const selectors = {
          // #region import
          "ImportDefaultSpecifier, ImportNamespaceSpecifier, ImportSpecifier": {
            validator: validators.import,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set();
              switch (node.type) {
                case utils_1.AST_NODE_TYPES.ImportDefaultSpecifier:
                  modifiers.add(naming_convention_utils_1.Modifiers.default);
                  break;
                case utils_1.AST_NODE_TYPES.ImportNamespaceSpecifier:
                  modifiers.add(naming_convention_utils_1.Modifiers.namespace);
                  break;
                case utils_1.AST_NODE_TYPES.ImportSpecifier:
                  if (node.imported.name !== "default") {
                    return;
                  }
                  modifiers.add(naming_convention_utils_1.Modifiers.default);
                  break;
              }
              validator(node.local, modifiers);
            }
          },
          // #endregion
          // #region variable
          VariableDeclarator: {
            validator: validators.variable,
            handler: (node, validator) => {
              const identifiers = getIdentifiersFromPattern(node.id);
              const baseModifiers = /* @__PURE__ */ new Set();
              const parent = node.parent;
              if (parent.type === utils_1.AST_NODE_TYPES.VariableDeclaration) {
                if (parent.kind === "const") {
                  baseModifiers.add(naming_convention_utils_1.Modifiers.const);
                }
                if (isGlobal(context.sourceCode.getScope(node))) {
                  baseModifiers.add(naming_convention_utils_1.Modifiers.global);
                }
              }
              identifiers.forEach((id) => {
                const modifiers = new Set(baseModifiers);
                if (isDestructured(id)) {
                  modifiers.add(naming_convention_utils_1.Modifiers.destructured);
                }
                const scope = context.sourceCode.getScope(id);
                if (isExported(parent, id.name, scope)) {
                  modifiers.add(naming_convention_utils_1.Modifiers.exported);
                }
                if (isUnused(id.name, scope)) {
                  modifiers.add(naming_convention_utils_1.Modifiers.unused);
                }
                if (isAsyncVariableIdentifier(id)) {
                  modifiers.add(naming_convention_utils_1.Modifiers.async);
                }
                validator(id, modifiers);
              });
            }
          },
          // #endregion
          // #region function
          "FunctionDeclaration, TSDeclareFunction, FunctionExpression": {
            validator: validators.function,
            handler: (node, validator) => {
              if (node.id == null) {
                return;
              }
              const modifiers = /* @__PURE__ */ new Set();
              const scope = context.sourceCode.getScope(node).upper;
              if (isGlobal(scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.global);
              }
              if (isExported(node, node.id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.exported);
              }
              if (isUnused(node.id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.unused);
              }
              if (node.async) {
                modifiers.add(naming_convention_utils_1.Modifiers.async);
              }
              validator(node.id, modifiers);
            }
          },
          // #endregion function
          // #region parameter
          "FunctionDeclaration, TSDeclareFunction, TSEmptyBodyFunctionExpression, FunctionExpression, ArrowFunctionExpression": {
            validator: validators.parameter,
            handler: (node, validator) => {
              node.params.forEach((param) => {
                if (param.type === utils_1.AST_NODE_TYPES.TSParameterProperty) {
                  return;
                }
                const identifiers = getIdentifiersFromPattern(param);
                identifiers.forEach((i) => {
                  const modifiers = /* @__PURE__ */ new Set();
                  if (isDestructured(i)) {
                    modifiers.add(naming_convention_utils_1.Modifiers.destructured);
                  }
                  if (isUnused(i.name, context.sourceCode.getScope(i))) {
                    modifiers.add(naming_convention_utils_1.Modifiers.unused);
                  }
                  validator(i, modifiers);
                });
              });
            }
          },
          // #endregion parameter
          // #region parameterProperty
          TSParameterProperty: {
            validator: validators.parameterProperty,
            handler: (node, validator) => {
              const modifiers = getMemberModifiers(node);
              const identifiers = getIdentifiersFromPattern(node.parameter);
              identifiers.forEach((i) => {
                validator(i, modifiers);
              });
            }
          },
          // #endregion parameterProperty
          // #region property
          ':not(ObjectPattern) > Property[computed = false][kind = "init"][value.type != "ArrowFunctionExpression"][value.type != "FunctionExpression"][value.type != "TSEmptyBodyFunctionExpression"]': {
            validator: validators.objectLiteralProperty,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set([naming_convention_utils_1.Modifiers.public]);
              handleMember(validator, node, modifiers);
            }
          },
          ':matches(PropertyDefinition, TSAbstractPropertyDefinition)[computed = false][value.type != "ArrowFunctionExpression"][value.type != "FunctionExpression"][value.type != "TSEmptyBodyFunctionExpression"]': {
            validator: validators.classProperty,
            handler: (node, validator) => {
              const modifiers = getMemberModifiers(node);
              handleMember(validator, node, modifiers);
            }
          },
          'TSPropertySignature[computed = false][typeAnnotation.typeAnnotation.type != "TSFunctionType"]': {
            validator: validators.typeProperty,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set([naming_convention_utils_1.Modifiers.public]);
              if (node.readonly) {
                modifiers.add(naming_convention_utils_1.Modifiers.readonly);
              }
              handleMember(validator, node, modifiers);
            }
          },
          // #endregion property
          // #region method
          [[
            'Property[computed = false][kind = "init"][value.type = "ArrowFunctionExpression"]',
            'Property[computed = false][kind = "init"][value.type = "FunctionExpression"]',
            'Property[computed = false][kind = "init"][value.type = "TSEmptyBodyFunctionExpression"]'
          ].join(", ")]: {
            validator: validators.objectLiteralMethod,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set([naming_convention_utils_1.Modifiers.public]);
              if (isAsyncMemberOrProperty(node)) {
                modifiers.add(naming_convention_utils_1.Modifiers.async);
              }
              handleMember(validator, node, modifiers);
            }
          },
          [[
            ':matches(PropertyDefinition, TSAbstractPropertyDefinition)[computed = false][value.type = "ArrowFunctionExpression"]',
            ':matches(PropertyDefinition, TSAbstractPropertyDefinition)[computed = false][value.type = "FunctionExpression"]',
            ':matches(PropertyDefinition, TSAbstractPropertyDefinition)[computed = false][value.type = "TSEmptyBodyFunctionExpression"]',
            ':matches(MethodDefinition, TSAbstractMethodDefinition)[computed = false][kind = "method"]'
          ].join(", ")]: {
            validator: validators.classMethod,
            handler: (node, validator) => {
              const modifiers = getMemberModifiers(node);
              if (isAsyncMemberOrProperty(node)) {
                modifiers.add(naming_convention_utils_1.Modifiers.async);
              }
              handleMember(validator, node, modifiers);
            }
          },
          [[
            "TSMethodSignature[computed = false]",
            'TSPropertySignature[computed = false][typeAnnotation.typeAnnotation.type = "TSFunctionType"]'
          ].join(", ")]: {
            validator: validators.typeMethod,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set([naming_convention_utils_1.Modifiers.public]);
              handleMember(validator, node, modifiers);
            }
          },
          // #endregion method
          // #region accessor
          'Property[computed = false]:matches([kind = "get"], [kind = "set"])': {
            validator: validators.classicAccessor,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set([naming_convention_utils_1.Modifiers.public]);
              handleMember(validator, node, modifiers);
            }
          },
          [[
            'MethodDefinition[computed = false]:matches([kind = "get"], [kind = "set"])',
            'TSAbstractMethodDefinition[computed = false]:matches([kind="get"], [kind="set"])'
          ].join(", ")]: {
            validator: validators.classicAccessor,
            handler: (node, validator) => {
              const modifiers = getMemberModifiers(node);
              handleMember(validator, node, modifiers);
            }
          },
          // #endregion accessor
          // #region autoAccessor
          [[
            utils_1.AST_NODE_TYPES.AccessorProperty,
            utils_1.AST_NODE_TYPES.TSAbstractAccessorProperty
          ].join(", ")]: {
            validator: validators.autoAccessor,
            handler: (node, validator) => {
              const modifiers = getMemberModifiers(node);
              handleMember(validator, node, modifiers);
            }
          },
          // #endregion autoAccessor
          // #region enumMember
          // computed is optional, so can't do [computed = false]
          "TSEnumMember[computed != true]": {
            validator: validators.enumMember,
            handler: (node, validator) => {
              const id = node.id;
              const modifiers = /* @__PURE__ */ new Set();
              if (requiresQuoting(id, compilerOptions.target)) {
                modifiers.add(naming_convention_utils_1.Modifiers.requiresQuotes);
              }
              validator(id, modifiers);
            }
          },
          // #endregion enumMember
          // #region class
          "ClassDeclaration, ClassExpression": {
            validator: validators.class,
            handler: (node, validator) => {
              const id = node.id;
              if (id == null) {
                return;
              }
              const modifiers = /* @__PURE__ */ new Set();
              const scope = context.sourceCode.getScope(node).upper;
              if (node.abstract) {
                modifiers.add(naming_convention_utils_1.Modifiers.abstract);
              }
              if (isExported(node, id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.exported);
              }
              if (isUnused(id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.unused);
              }
              validator(id, modifiers);
            }
          },
          // #endregion class
          // #region interface
          TSInterfaceDeclaration: {
            validator: validators.interface,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set();
              const scope = context.sourceCode.getScope(node);
              if (isExported(node, node.id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.exported);
              }
              if (isUnused(node.id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.unused);
              }
              validator(node.id, modifiers);
            }
          },
          // #endregion interface
          // #region typeAlias
          TSTypeAliasDeclaration: {
            validator: validators.typeAlias,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set();
              const scope = context.sourceCode.getScope(node);
              if (isExported(node, node.id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.exported);
              }
              if (isUnused(node.id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.unused);
              }
              validator(node.id, modifiers);
            }
          },
          // #endregion typeAlias
          // #region enum
          TSEnumDeclaration: {
            validator: validators.enum,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set();
              const scope = context.sourceCode.getScope(node).upper;
              if (isExported(node, node.id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.exported);
              }
              if (isUnused(node.id.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.unused);
              }
              validator(node.id, modifiers);
            }
          },
          // #endregion enum
          // #region typeParameter
          "TSTypeParameterDeclaration > TSTypeParameter": {
            validator: validators.typeParameter,
            handler: (node, validator) => {
              const modifiers = /* @__PURE__ */ new Set();
              const scope = context.sourceCode.getScope(node);
              if (isUnused(node.name.name, scope)) {
                modifiers.add(naming_convention_utils_1.Modifiers.unused);
              }
              validator(node.name, modifiers);
            }
          }
          // #endregion typeParameter
        };
        return Object.fromEntries(Object.entries(selectors).map(([selector, { validator, handler }]) => {
          return [
            selector,
            (node) => {
              handler(node, validator);
            }
          ];
        }));
      }
    });
    function getIdentifiersFromPattern(pattern) {
      const identifiers = [];
      const visitor2 = new scope_manager_1.PatternVisitor({}, pattern, (id) => identifiers.push(id));
      visitor2.visit(pattern);
      return identifiers;
    }
    function isExported(node, name, scope) {
      if (node?.parent?.type === utils_1.AST_NODE_TYPES.ExportDefaultDeclaration || node?.parent?.type === utils_1.AST_NODE_TYPES.ExportNamedDeclaration) {
        return true;
      }
      if (scope == null) {
        return false;
      }
      const variable = scope.set.get(name);
      if (variable) {
        for (const ref of variable.references) {
          const refParent = ref.identifier.parent;
          if (refParent.type === utils_1.AST_NODE_TYPES.ExportDefaultDeclaration || refParent.type === utils_1.AST_NODE_TYPES.ExportSpecifier) {
            return true;
          }
        }
      }
      return false;
    }
    function isGlobal(scope) {
      if (scope == null) {
        return false;
      }
      return scope.type === utils_1.TSESLint.Scope.ScopeType.global || scope.type === utils_1.TSESLint.Scope.ScopeType.module;
    }
    function requiresQuoting(node, target) {
      const name = node.type === utils_1.AST_NODE_TYPES.Identifier || node.type === utils_1.AST_NODE_TYPES.PrivateIdentifier ? node.name : `${node.value}`;
      return (0, util_1.requiresQuoting)(name, target);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-array-constructor.js
var require_no_array_constructor2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-array-constructor.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-array-constructor",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow generic `Array` constructors",
          recommended: "recommended",
          extendsBaseRule: true
        },
        fixable: "code",
        messages: {
          useLiteral: "The array literal notation [] is preferable."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        function check(node) {
          if (node.arguments.length !== 1 && node.callee.type === utils_1.AST_NODE_TYPES.Identifier && node.callee.name === "Array" && !node.typeArguments && !(0, util_1.isOptionalCallExpression)(node)) {
            context.report({
              node,
              messageId: "useLiteral",
              fix(fixer) {
                if (node.arguments.length === 0) {
                  return fixer.replaceText(node, "[]");
                }
                const fullText = context.sourceCode.getText(node);
                const preambleLength = node.callee.range[1] - node.range[0];
                return fixer.replaceText(node, `[${fullText.slice(preambleLength + 1, -1)}]`);
              }
            });
          }
        }
        return {
          CallExpression: check,
          NewExpression: check
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-array-delete.js
var require_no_array_delete2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-array-delete.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-array-delete",
      meta: {
        hasSuggestions: true,
        type: "problem",
        docs: {
          description: "Disallow using the `delete` operator on array values",
          recommended: "strict",
          requiresTypeChecking: true
        },
        messages: {
          noArrayDelete: "Using the `delete` operator with an array expression is unsafe.",
          useSplice: "Use `array.splice()` instead."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function isUnderlyingTypeArray(type) {
          const predicate = (t) => checker.isArrayType(t) || checker.isTupleType(t);
          if (type.isUnion()) {
            return type.types.every(predicate);
          }
          if (type.isIntersection()) {
            return type.types.some(predicate);
          }
          return predicate(type);
        }
        return {
          'UnaryExpression[operator="delete"]'(node) {
            const { argument } = node;
            if (argument.type !== utils_1.AST_NODE_TYPES.MemberExpression) {
              return;
            }
            const type = (0, util_1.getConstrainedTypeAtLocation)(services, argument.object);
            if (!isUnderlyingTypeArray(type)) {
              return;
            }
            context.report({
              node,
              messageId: "noArrayDelete",
              suggest: [
                {
                  messageId: "useSplice",
                  fix(fixer) {
                    const { object, property } = argument;
                    const shouldHaveParentheses = property.type === utils_1.AST_NODE_TYPES.SequenceExpression;
                    const nodeMap = services.esTreeNodeToTSNodeMap;
                    const target = nodeMap.get(object).getText();
                    const rawKey = nodeMap.get(property).getText();
                    const key = shouldHaveParentheses ? `(${rawKey})` : rawKey;
                    let suggestion = `${target}.splice(${key}, 1)`;
                    const comments = context.sourceCode.getCommentsInside(node);
                    if (comments.length > 0) {
                      const indentationCount = node.loc.start.column;
                      const indentation = " ".repeat(indentationCount);
                      const commentsText = comments.map((comment) => {
                        return comment.type === utils_1.AST_TOKEN_TYPES.Line ? `//${comment.value}` : `/*${comment.value}*/`;
                      }).join(`
${indentation}`);
                      suggestion = `${commentsText}
${indentation}${suggestion}`;
                    }
                    return fixer.replaceText(node, suggestion);
                  }
                }
              ]
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-base-to-string.js
var require_no_base_to_string2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-base-to-string.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    var Usefulness;
    (function(Usefulness2) {
      Usefulness2["Always"] = "always";
      Usefulness2["Never"] = "will";
      Usefulness2["Sometimes"] = "may";
    })(Usefulness || (Usefulness = {}));
    exports2.default = (0, util_1.createRule)({
      name: "no-base-to-string",
      meta: {
        docs: {
          description: "Require `.toString()` to only be called on objects which provide useful information when stringified",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          baseToString: "'{{name}}' {{certainty}} use Object's default stringification format ('[object Object]') when stringified."
        },
        schema: [
          {
            type: "object",
            properties: {
              ignoredTypeNames: {
                type: "array",
                items: {
                  type: "string"
                }
              }
            },
            additionalProperties: false
          }
        ],
        type: "suggestion"
      },
      defaultOptions: [
        {
          ignoredTypeNames: ["Error", "RegExp", "URL", "URLSearchParams"]
        }
      ],
      create(context, [option]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const ignoredTypeNames = option.ignoredTypeNames ?? [];
        function checkExpression(node, type) {
          if (node.type === utils_1.AST_NODE_TYPES.Literal) {
            return;
          }
          const certainty = collectToStringCertainty(type ?? services.getTypeAtLocation(node));
          if (certainty === Usefulness.Always) {
            return;
          }
          context.report({
            data: {
              certainty,
              name: context.sourceCode.getText(node)
            },
            messageId: "baseToString",
            node
          });
        }
        function collectToStringCertainty(type) {
          const toString2 = checker.getPropertyOfType(type, "toString");
          const declarations = toString2?.getDeclarations();
          if (!toString2 || !declarations || declarations.length === 0) {
            return Usefulness.Always;
          }
          if (type.flags & ts.TypeFlags.Boolean || type.flags & ts.TypeFlags.BooleanLiteral) {
            return Usefulness.Always;
          }
          if (ignoredTypeNames.includes((0, util_1.getTypeName)(checker, type))) {
            return Usefulness.Always;
          }
          if (declarations.every(({ parent }) => !ts.isInterfaceDeclaration(parent) || parent.name.text !== "Object")) {
            return Usefulness.Always;
          }
          if (type.isIntersection()) {
            for (const subType of type.types) {
              const subtypeUsefulness = collectToStringCertainty(subType);
              if (subtypeUsefulness === Usefulness.Always) {
                return Usefulness.Always;
              }
            }
            return Usefulness.Never;
          }
          if (!type.isUnion()) {
            return Usefulness.Never;
          }
          let allSubtypesUseful = true;
          let someSubtypeUseful = false;
          for (const subType of type.types) {
            const subtypeUsefulness = collectToStringCertainty(subType);
            if (subtypeUsefulness !== Usefulness.Always && allSubtypesUseful) {
              allSubtypesUseful = false;
            }
            if (subtypeUsefulness !== Usefulness.Never && !someSubtypeUseful) {
              someSubtypeUseful = true;
            }
          }
          if (allSubtypesUseful && someSubtypeUseful) {
            return Usefulness.Always;
          }
          if (someSubtypeUseful) {
            return Usefulness.Sometimes;
          }
          return Usefulness.Never;
        }
        return {
          'AssignmentExpression[operator = "+="], BinaryExpression[operator = "+"]'(node) {
            const leftType = services.getTypeAtLocation(node.left);
            const rightType = services.getTypeAtLocation(node.right);
            if ((0, util_1.getTypeName)(checker, leftType) === "string") {
              checkExpression(node.right, rightType);
            } else if ((0, util_1.getTypeName)(checker, rightType) === "string" && node.left.type !== utils_1.AST_NODE_TYPES.PrivateIdentifier) {
              checkExpression(node.left, leftType);
            }
          },
          'CallExpression > MemberExpression.callee > Identifier[name = "toString"].property'(node) {
            const memberExpr = node.parent;
            checkExpression(memberExpr.object);
          },
          TemplateLiteral(node) {
            if (node.parent.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression) {
              return;
            }
            for (const expression of node.expressions) {
              checkExpression(expression);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-confusing-non-null-assertion.js
var require_no_confusing_non_null_assertion2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-confusing-non-null-assertion.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-confusing-non-null-assertion",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow non-null assertion in locations that may be confusing",
          recommended: "stylistic"
        },
        hasSuggestions: true,
        messages: {
          confusingEqual: 'Confusing combinations of non-null assertion and equal test like "a! == b", which looks very similar to not equal "a !== b".',
          confusingAssign: 'Confusing combinations of non-null assertion and equal test like "a! = b", which looks very similar to not equal "a != b".',
          notNeedInEqualTest: "Unnecessary non-null assertion (!) in equal test.",
          notNeedInAssign: "Unnecessary non-null assertion (!) in assignment left hand.",
          wrapUpLeft: 'Wrap up left hand to avoid putting non-null assertion "!" and "=" together.'
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        return {
          "BinaryExpression, AssignmentExpression"(node) {
            function isLeftHandPrimaryExpression(node2) {
              return node2.type === utils_1.AST_NODE_TYPES.TSNonNullExpression;
            }
            if (node.operator === "==" || node.operator === "===" || node.operator === "=") {
              const isAssign = node.operator === "=";
              const leftHandFinalToken = context.sourceCode.getLastToken(node.left);
              const tokenAfterLeft = context.sourceCode.getTokenAfter(node.left);
              if (leftHandFinalToken?.type === utils_1.AST_TOKEN_TYPES.Punctuator && leftHandFinalToken.value === "!" && tokenAfterLeft?.value !== ")") {
                if (isLeftHandPrimaryExpression(node.left)) {
                  context.report({
                    node,
                    messageId: isAssign ? "confusingAssign" : "confusingEqual",
                    suggest: [
                      {
                        messageId: isAssign ? "notNeedInAssign" : "notNeedInEqualTest",
                        fix: (fixer) => [
                          fixer.remove(leftHandFinalToken)
                        ]
                      }
                    ]
                  });
                } else {
                  context.report({
                    node,
                    messageId: isAssign ? "confusingAssign" : "confusingEqual",
                    suggest: [
                      {
                        messageId: "wrapUpLeft",
                        fix: (fixer) => [
                          fixer.insertTextBefore(node.left, "("),
                          fixer.insertTextAfter(node.left, ")")
                        ]
                      }
                    ]
                  });
                }
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-confusing-void-expression.js
var require_no_confusing_void_expression2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-confusing-void-expression.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-confusing-void-expression",
      meta: {
        docs: {
          description: "Require expressions of type void to appear in statement position",
          recommended: "strict",
          requiresTypeChecking: true
        },
        messages: {
          invalidVoidExpr: "Placing a void expression inside another expression is forbidden. Move it to its own statement instead.",
          invalidVoidExprWrapVoid: "Void expressions used inside another expression must be moved to its own statement or marked explicitly with the `void` operator.",
          invalidVoidExprArrow: "Returning a void expression from an arrow function shorthand is forbidden. Please add braces to the arrow function.",
          invalidVoidExprArrowWrapVoid: "Void expressions returned from an arrow function shorthand must be marked explicitly with the `void` operator.",
          invalidVoidExprReturn: "Returning a void expression from a function is forbidden. Please move it before the `return` statement.",
          invalidVoidExprReturnLast: "Returning a void expression from a function is forbidden. Please remove the `return` statement.",
          invalidVoidExprReturnWrapVoid: "Void expressions returned from a function must be marked explicitly with the `void` operator.",
          voidExprWrapVoid: "Mark with an explicit `void` operator."
        },
        schema: [
          {
            type: "object",
            properties: {
              ignoreArrowShorthand: { type: "boolean" },
              ignoreVoidOperator: { type: "boolean" }
            },
            additionalProperties: false
          }
        ],
        type: "problem",
        fixable: "code",
        hasSuggestions: true
      },
      defaultOptions: [{ ignoreArrowShorthand: false, ignoreVoidOperator: false }],
      create(context, [options]) {
        return {
          "AwaitExpression, CallExpression, TaggedTemplateExpression"(node) {
            const services = (0, util_1.getParserServices)(context);
            const type = (0, util_1.getConstrainedTypeAtLocation)(services, node);
            if (!tsutils.isTypeFlagSet(type, ts.TypeFlags.VoidLike)) {
              return;
            }
            const invalidAncestor = findInvalidAncestor(node);
            if (invalidAncestor == null) {
              return;
            }
            const wrapVoidFix = (fixer) => {
              const nodeText = context.sourceCode.getText(node);
              const newNodeText = `void ${nodeText}`;
              return fixer.replaceText(node, newNodeText);
            };
            if (invalidAncestor.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression) {
              if (options.ignoreVoidOperator) {
                return context.report({
                  node,
                  messageId: "invalidVoidExprArrowWrapVoid",
                  fix: wrapVoidFix
                });
              }
              const arrowFunction = invalidAncestor;
              return context.report({
                node,
                messageId: "invalidVoidExprArrow",
                fix(fixer) {
                  if (!canFix(arrowFunction)) {
                    return null;
                  }
                  const arrowBody = arrowFunction.body;
                  const arrowBodyText = context.sourceCode.getText(arrowBody);
                  const newArrowBodyText = `{ ${arrowBodyText}; }`;
                  if ((0, util_1.isParenthesized)(arrowBody, context.sourceCode)) {
                    const bodyOpeningParen = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(arrowBody, util_1.isOpeningParenToken), util_1.NullThrowsReasons.MissingToken("opening parenthesis", "arrow body"));
                    const bodyClosingParen = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(arrowBody, util_1.isClosingParenToken), util_1.NullThrowsReasons.MissingToken("closing parenthesis", "arrow body"));
                    return fixer.replaceTextRange([bodyOpeningParen.range[0], bodyClosingParen.range[1]], newArrowBodyText);
                  }
                  return fixer.replaceText(arrowBody, newArrowBodyText);
                }
              });
            }
            if (invalidAncestor.type === utils_1.AST_NODE_TYPES.ReturnStatement) {
              if (options.ignoreVoidOperator) {
                return context.report({
                  node,
                  messageId: "invalidVoidExprReturnWrapVoid",
                  fix: wrapVoidFix
                });
              }
              if (isFinalReturn(invalidAncestor)) {
                return context.report({
                  node,
                  messageId: "invalidVoidExprReturnLast",
                  fix(fixer) {
                    if (!canFix(invalidAncestor)) {
                      return null;
                    }
                    const returnValue = invalidAncestor.argument;
                    const returnValueText = context.sourceCode.getText(returnValue);
                    let newReturnStmtText = `${returnValueText};`;
                    if (isPreventingASI(returnValue)) {
                      newReturnStmtText = `;${newReturnStmtText}`;
                    }
                    return fixer.replaceText(invalidAncestor, newReturnStmtText);
                  }
                });
              }
              return context.report({
                node,
                messageId: "invalidVoidExprReturn",
                fix(fixer) {
                  const returnValue = invalidAncestor.argument;
                  const returnValueText = context.sourceCode.getText(returnValue);
                  let newReturnStmtText = `${returnValueText}; return;`;
                  if (isPreventingASI(returnValue)) {
                    newReturnStmtText = `;${newReturnStmtText}`;
                  }
                  if (invalidAncestor.parent.type !== utils_1.AST_NODE_TYPES.BlockStatement) {
                    newReturnStmtText = `{ ${newReturnStmtText} }`;
                  }
                  return fixer.replaceText(invalidAncestor, newReturnStmtText);
                }
              });
            }
            if (options.ignoreVoidOperator) {
              return context.report({
                node,
                messageId: "invalidVoidExprWrapVoid",
                suggest: [{ messageId: "voidExprWrapVoid", fix: wrapVoidFix }]
              });
            }
            context.report({
              node,
              messageId: "invalidVoidExpr"
            });
          }
        };
        function findInvalidAncestor(node) {
          const parent = (0, util_1.nullThrows)(node.parent, util_1.NullThrowsReasons.MissingParent);
          if (parent.type === utils_1.AST_NODE_TYPES.SequenceExpression) {
            if (node !== parent.expressions[parent.expressions.length - 1]) {
              return null;
            }
          }
          if (parent.type === utils_1.AST_NODE_TYPES.ExpressionStatement) {
            return null;
          }
          if (parent.type === utils_1.AST_NODE_TYPES.LogicalExpression) {
            if (parent.right === node) {
              return findInvalidAncestor(parent);
            }
          }
          if (parent.type === utils_1.AST_NODE_TYPES.ConditionalExpression) {
            if (parent.consequent === node || parent.alternate === node) {
              return findInvalidAncestor(parent);
            }
          }
          if (parent.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression) {
            if (options.ignoreArrowShorthand) {
              return null;
            }
          }
          if (parent.type === utils_1.AST_NODE_TYPES.UnaryExpression) {
            if (parent.operator === "void") {
              if (options.ignoreVoidOperator) {
                return null;
              }
            }
          }
          if (parent.type === utils_1.AST_NODE_TYPES.ChainExpression) {
            return findInvalidAncestor(parent);
          }
          return parent;
        }
        function isFinalReturn(node) {
          const block = (0, util_1.nullThrows)(node.parent, util_1.NullThrowsReasons.MissingParent);
          if (block.type !== utils_1.AST_NODE_TYPES.BlockStatement) {
            return false;
          }
          const blockParent = (0, util_1.nullThrows)(block.parent, util_1.NullThrowsReasons.MissingParent);
          if (![
            utils_1.AST_NODE_TYPES.FunctionDeclaration,
            utils_1.AST_NODE_TYPES.FunctionExpression,
            utils_1.AST_NODE_TYPES.ArrowFunctionExpression
          ].includes(blockParent.type)) {
            return false;
          }
          if (block.body.indexOf(node) < block.body.length - 1) {
            return false;
          }
          return true;
        }
        function isPreventingASI(node) {
          const startToken = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(node), util_1.NullThrowsReasons.MissingToken("first token", node.type));
          return ["(", "[", "`"].includes(startToken.value);
        }
        function canFix(node) {
          const services = (0, util_1.getParserServices)(context);
          const targetNode = node.type === utils_1.AST_NODE_TYPES.ReturnStatement ? node.argument : node.body;
          const type = (0, util_1.getConstrainedTypeAtLocation)(services, targetNode);
          return tsutils.isTypeFlagSet(type, ts.TypeFlags.VoidLike);
        }
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-dupe-class-members.js
var require_no_dupe_class_members2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-dupe-class-members.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-dupe-class-members");
    exports2.default = (0, util_1.createRule)({
      name: "no-dupe-class-members",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow duplicate class members",
          extendsBaseRule: true
        },
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [],
      create(context) {
        const rules = baseRule2.create(context);
        function wrapMemberDefinitionListener(coreListener) {
          return (node) => {
            if (node.computed) {
              return;
            }
            if (node.value && node.value.type === utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression) {
              return;
            }
            return coreListener(node);
          };
        }
        return {
          ...rules,
          "MethodDefinition, PropertyDefinition": wrapMemberDefinitionListener(rules["MethodDefinition, PropertyDefinition"])
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-duplicate-enum-values.js
var require_no_duplicate_enum_values2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-duplicate-enum-values.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-duplicate-enum-values",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow duplicate enum member values",
          recommended: "recommended"
        },
        hasSuggestions: false,
        messages: {
          duplicateValue: "Duplicate enum member value {{value}}."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        function isStringLiteral2(node) {
          return node.type === utils_1.AST_NODE_TYPES.Literal && typeof node.value === "string";
        }
        function isNumberLiteral2(node) {
          return node.type === utils_1.AST_NODE_TYPES.Literal && typeof node.value === "number";
        }
        return {
          TSEnumDeclaration(node) {
            const enumMembers = node.members;
            const seenValues = /* @__PURE__ */ new Set();
            enumMembers.forEach((member) => {
              if (member.initializer === void 0) {
                return;
              }
              let value;
              if (isStringLiteral2(member.initializer)) {
                value = String(member.initializer.value);
              } else if (isNumberLiteral2(member.initializer)) {
                value = Number(member.initializer.value);
              }
              if (value === void 0) {
                return;
              }
              if (seenValues.has(value)) {
                context.report({
                  node: member,
                  messageId: "duplicateValue",
                  data: {
                    value
                  }
                });
              } else {
                seenValues.add(value);
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-duplicate-type-constituents.js
var require_no_duplicate_type_constituents2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-duplicate-type-constituents.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var astIgnoreKeys = /* @__PURE__ */ new Set(["range", "loc", "parent"]);
    var isSameAstNode = (actualNode, expectedNode) => {
      if (actualNode === expectedNode) {
        return true;
      }
      if (actualNode && expectedNode && typeof actualNode === "object" && typeof expectedNode === "object") {
        if (Array.isArray(actualNode) && Array.isArray(expectedNode)) {
          if (actualNode.length !== expectedNode.length) {
            return false;
          }
          return !actualNode.some((nodeEle, index) => !isSameAstNode(nodeEle, expectedNode[index]));
        }
        const actualNodeKeys = Object.keys(actualNode).filter((key) => !astIgnoreKeys.has(key));
        const expectedNodeKeys = Object.keys(expectedNode).filter((key) => !astIgnoreKeys.has(key));
        if (actualNodeKeys.length !== expectedNodeKeys.length) {
          return false;
        }
        if (actualNodeKeys.some((actualNodeKey) => !Object.prototype.hasOwnProperty.call(expectedNode, actualNodeKey))) {
          return false;
        }
        if (actualNodeKeys.some((actualNodeKey) => !isSameAstNode(actualNode[actualNodeKey], expectedNode[actualNodeKey]))) {
          return false;
        }
        return true;
      }
      return false;
    };
    exports2.default = (0, util_1.createRule)({
      name: "no-duplicate-type-constituents",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow duplicate constituents of union or intersection types",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        fixable: "code",
        messages: {
          duplicate: "{{type}} type constituent is duplicated with {{previous}}."
        },
        schema: [
          {
            additionalProperties: false,
            type: "object",
            properties: {
              ignoreIntersections: {
                type: "boolean"
              },
              ignoreUnions: {
                type: "boolean"
              }
            }
          }
        ]
      },
      defaultOptions: [
        {
          ignoreIntersections: false,
          ignoreUnions: false
        }
      ],
      create(context, [{ ignoreIntersections, ignoreUnions }]) {
        const parserServices = (0, util_1.getParserServices)(context);
        const checker = parserServices.program.getTypeChecker();
        function checkDuplicate(node) {
          const cachedTypeMap = /* @__PURE__ */ new Map();
          node.types.reduce((uniqueConstituents, constituentNode) => {
            const duplicatedPreviousConstituentInAst = uniqueConstituents.find((ele) => isSameAstNode(ele, constituentNode));
            if (duplicatedPreviousConstituentInAst) {
              reportDuplicate({
                duplicated: constituentNode,
                duplicatePrevious: duplicatedPreviousConstituentInAst
              }, node);
              return uniqueConstituents;
            }
            const constituentNodeType = checker.getTypeAtLocation(parserServices.esTreeNodeToTSNodeMap.get(constituentNode));
            const duplicatedPreviousConstituentInType = cachedTypeMap.get(constituentNodeType);
            if (duplicatedPreviousConstituentInType) {
              reportDuplicate({
                duplicated: constituentNode,
                duplicatePrevious: duplicatedPreviousConstituentInType
              }, node);
              return uniqueConstituents;
            }
            cachedTypeMap.set(constituentNodeType, constituentNode);
            return [...uniqueConstituents, constituentNode];
          }, []);
        }
        function reportDuplicate(duplicateConstituent, parentNode) {
          const beforeTokens = context.sourceCode.getTokensBefore(duplicateConstituent.duplicated, { filter: (token) => token.value === "|" || token.value === "&" });
          const beforeUnionOrIntersectionToken = beforeTokens[beforeTokens.length - 1];
          const bracketBeforeTokens = context.sourceCode.getTokensBetween(beforeUnionOrIntersectionToken, duplicateConstituent.duplicated);
          const bracketAfterTokens = context.sourceCode.getTokensAfter(duplicateConstituent.duplicated, { count: bracketBeforeTokens.length });
          const reportLocation = {
            start: duplicateConstituent.duplicated.loc.start,
            end: bracketAfterTokens.length > 0 ? bracketAfterTokens[bracketAfterTokens.length - 1].loc.end : duplicateConstituent.duplicated.loc.end
          };
          context.report({
            data: {
              type: parentNode.type === utils_1.AST_NODE_TYPES.TSIntersectionType ? "Intersection" : "Union",
              previous: context.sourceCode.getText(duplicateConstituent.duplicatePrevious)
            },
            messageId: "duplicate",
            node: duplicateConstituent.duplicated,
            loc: reportLocation,
            fix: (fixer) => {
              return [
                beforeUnionOrIntersectionToken,
                ...bracketBeforeTokens,
                duplicateConstituent.duplicated,
                ...bracketAfterTokens
              ].map((token) => fixer.remove(token));
            }
          });
        }
        return {
          ...!ignoreIntersections && {
            TSIntersectionType: checkDuplicate
          },
          ...!ignoreUnions && {
            TSUnionType: checkDuplicate
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-dynamic-delete.js
var require_no_dynamic_delete2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-dynamic-delete.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-dynamic-delete",
      meta: {
        docs: {
          description: "Disallow using the `delete` operator on computed key expressions",
          recommended: "strict"
        },
        fixable: "code",
        messages: {
          dynamicDelete: "Do not delete dynamically computed property keys."
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        function createFixer(member) {
          if (member.property.type === utils_1.AST_NODE_TYPES.Literal && typeof member.property.value === "string") {
            return createPropertyReplacement(member.property, `.${member.property.value}`);
          }
          return void 0;
        }
        return {
          "UnaryExpression[operator=delete]"(node) {
            if (node.argument.type !== utils_1.AST_NODE_TYPES.MemberExpression || !node.argument.computed || isAcceptableIndexExpression(node.argument.property)) {
              return;
            }
            context.report({
              fix: createFixer(node.argument),
              messageId: "dynamicDelete",
              node: node.argument.property
            });
          }
        };
        function createPropertyReplacement(property, replacement) {
          return (fixer) => fixer.replaceTextRange(getTokenRange(property), replacement);
        }
        function getTokenRange(property) {
          return [
            (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(property), util_1.NullThrowsReasons.MissingToken("token before", "property")).range[0],
            (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(property), util_1.NullThrowsReasons.MissingToken("token after", "property")).range[1]
          ];
        }
      }
    });
    function isAcceptableIndexExpression(property) {
      return property.type === utils_1.AST_NODE_TYPES.Literal && ["string", "number"].includes(typeof property.value) || property.type === utils_1.AST_NODE_TYPES.UnaryExpression && property.operator === "-" && property.argument.type === utils_1.AST_NODE_TYPES.Literal && typeof property.argument.value === "number";
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-empty-function.js
var require_no_empty_function2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-empty-function.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-empty-function");
    var schema30 = (0, util_1.deepMerge)(
      // eslint-disable-next-line @typescript-eslint/no-unsafe-argument -- https://github.com/microsoft/TypeScript/issues/17002
      Array.isArray(baseRule2.meta.schema) ? baseRule2.meta.schema[0] : baseRule2.meta.schema,
      {
        properties: {
          allow: {
            items: {
              type: "string",
              enum: [
                "functions",
                "arrowFunctions",
                "generatorFunctions",
                "methods",
                "generatorMethods",
                "getters",
                "setters",
                "constructors",
                "private-constructors",
                "protected-constructors",
                "asyncFunctions",
                "asyncMethods",
                "decoratedFunctions",
                "overrideMethods"
              ]
            }
          }
        }
      }
    );
    exports2.default = (0, util_1.createRule)({
      name: "no-empty-function",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow empty functions",
          recommended: "stylistic",
          extendsBaseRule: true
        },
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: [schema30],
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        {
          allow: []
        }
      ],
      create(context, [{ allow = [] }]) {
        const rules = baseRule2.create(context);
        const isAllowedProtectedConstructors = allow.includes("protected-constructors");
        const isAllowedPrivateConstructors = allow.includes("private-constructors");
        const isAllowedDecoratedFunctions = allow.includes("decoratedFunctions");
        const isAllowedOverrideMethods = allow.includes("overrideMethods");
        function isBodyEmpty(node) {
          return node.body.body.length === 0;
        }
        function hasParameterProperties(node) {
          return node.params.some((param) => param.type === utils_1.AST_NODE_TYPES.TSParameterProperty);
        }
        function isAllowedEmptyConstructor(node) {
          const parent = node.parent;
          if (isBodyEmpty(node) && parent.type === utils_1.AST_NODE_TYPES.MethodDefinition && parent.kind === "constructor") {
            const { accessibility } = parent;
            return (
              // allow protected constructors
              accessibility === "protected" && isAllowedProtectedConstructors || // allow private constructors
              accessibility === "private" && isAllowedPrivateConstructors || // allow constructors which have parameter properties
              hasParameterProperties(node)
            );
          }
          return false;
        }
        function isAllowedEmptyDecoratedFunctions(node) {
          if (isAllowedDecoratedFunctions && isBodyEmpty(node)) {
            const decorators = node.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition ? node.parent.decorators : void 0;
            return !!decorators && !!decorators.length;
          }
          return false;
        }
        function isAllowedEmptyOverrideMethod(node) {
          return isAllowedOverrideMethods && isBodyEmpty(node) && node.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition && node.parent.override;
        }
        return {
          ...rules,
          FunctionExpression(node) {
            if (isAllowedEmptyConstructor(node) || isAllowedEmptyDecoratedFunctions(node) || isAllowedEmptyOverrideMethod(node)) {
              return;
            }
            rules.FunctionExpression(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-empty-interface.js
var require_no_empty_interface2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-empty-interface.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-empty-interface",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow the declaration of empty interfaces",
          recommended: "stylistic"
        },
        fixable: "code",
        hasSuggestions: true,
        messages: {
          noEmpty: "An empty interface is equivalent to `{}`.",
          noEmptyWithSuper: "An interface declaring no members is equivalent to its supertype."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              allowSingleExtends: {
                type: "boolean"
              }
            }
          }
        ]
      },
      defaultOptions: [
        {
          allowSingleExtends: false
        }
      ],
      create(context, [{ allowSingleExtends }]) {
        return {
          TSInterfaceDeclaration(node) {
            if (node.body.body.length !== 0) {
              return;
            }
            const extend = node.extends;
            if (extend.length === 0) {
              context.report({
                node: node.id,
                messageId: "noEmpty"
              });
            } else if (extend.length === 1) {
              if (!allowSingleExtends) {
                const fix11 = (fixer) => {
                  let typeParam = "";
                  if (node.typeParameters) {
                    typeParam = context.sourceCode.getText(node.typeParameters);
                  }
                  return fixer.replaceText(node, `type ${context.sourceCode.getText(node.id)}${typeParam} = ${context.sourceCode.getText(extend[0])}`);
                };
                const scope = context.sourceCode.getScope(node);
                const mergedWithClassDeclaration = scope.set.get(node.id.name)?.defs.some((def) => def.node.type === utils_1.AST_NODE_TYPES.ClassDeclaration);
                const isInAmbientDeclaration = !!((0, util_1.isDefinitionFile)(context.filename) && scope.type === scope_manager_1.ScopeType.tsModule && scope.block.declare);
                const useAutoFix = !(isInAmbientDeclaration || mergedWithClassDeclaration);
                context.report({
                  node: node.id,
                  messageId: "noEmptyWithSuper",
                  ...useAutoFix ? { fix: fix11 } : !mergedWithClassDeclaration ? {
                    suggest: [
                      {
                        messageId: "noEmptyWithSuper",
                        fix: fix11
                      }
                    ]
                  } : null
                });
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-empty-object-type.js
var require_no_empty_object_type2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-empty-object-type.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var noEmptyMessage = (emptyType) => [
      `${emptyType} allows any non-nullish value, including literals like \`0\` and \`""\`.`,
      "- If that's what you want, disable this lint rule with an inline comment or configure the '{{ option }}' rule option.",
      '- If you want a type meaning "any object", you probably want `object` instead.',
      '- If you want a type meaning "any value", you probably want `unknown` instead.'
    ].join("\n");
    exports2.default = (0, util_1.createRule)({
      name: "no-empty-object-type",
      meta: {
        type: "suggestion",
        docs: {
          description: 'Disallow accidentally using the "empty object" type'
        },
        hasSuggestions: true,
        messages: {
          noEmptyInterface: noEmptyMessage("An empty interface declaration"),
          noEmptyObject: noEmptyMessage('The `{}` ("empty object") type'),
          noEmptyInterfaceWithSuper: "An interface declaring no members is equivalent to its supertype.",
          replaceEmptyInterface: "Replace empty interface with `{{replacement}}`.",
          replaceEmptyInterfaceWithSuper: "Replace empty interface with a type alias.",
          replaceEmptyObjectType: "Replace `{}` with `{{replacement}}`."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              allowInterfaces: {
                enum: ["always", "never", "with-single-extends"],
                type: "string"
              },
              allowObjectTypes: {
                enum: ["always", "in-type-alias-with-name", "never"],
                type: "string"
              },
              allowWithName: {
                type: "string"
              }
            }
          }
        ]
      },
      defaultOptions: [
        {
          allowInterfaces: "never",
          allowObjectTypes: "never"
        }
      ],
      create(context, [{ allowInterfaces, allowWithName, allowObjectTypes }]) {
        const allowWithNameTester = allowWithName ? new RegExp(allowWithName, "u") : void 0;
        return {
          ...allowInterfaces !== "always" && {
            TSInterfaceDeclaration(node) {
              if (allowWithNameTester?.test(node.id.name)) {
                return;
              }
              const extend = node.extends;
              if (node.body.body.length !== 0 || extend.length === 1 && allowInterfaces === "with-single-extends" || extend.length > 1) {
                return;
              }
              const scope = context.sourceCode.getScope(node);
              const mergedWithClassDeclaration = scope.set.get(node.id.name)?.defs.some((def) => def.node.type === utils_1.AST_NODE_TYPES.ClassDeclaration);
              if (extend.length === 0) {
                context.report({
                  data: { option: "allowInterfaces" },
                  node: node.id,
                  messageId: "noEmptyInterface",
                  ...!mergedWithClassDeclaration && {
                    suggest: ["object", "unknown"].map((replacement) => ({
                      data: { replacement },
                      fix(fixer) {
                        const id = context.sourceCode.getText(node.id);
                        const typeParam = node.typeParameters ? context.sourceCode.getText(node.typeParameters) : "";
                        return fixer.replaceText(node, `type ${id}${typeParam} = ${replacement}`);
                      },
                      messageId: "replaceEmptyInterface"
                    }))
                  }
                });
                return;
              }
              context.report({
                node: node.id,
                messageId: "noEmptyInterfaceWithSuper",
                ...!mergedWithClassDeclaration && {
                  suggest: [
                    {
                      fix(fixer) {
                        const extended = context.sourceCode.getText(extend[0]);
                        const id = context.sourceCode.getText(node.id);
                        const typeParam = node.typeParameters ? context.sourceCode.getText(node.typeParameters) : "";
                        return fixer.replaceText(node, `type ${id}${typeParam} = ${extended}`);
                      },
                      messageId: "replaceEmptyInterfaceWithSuper"
                    }
                  ]
                }
              });
            }
          },
          ...allowObjectTypes !== "always" && {
            TSTypeLiteral(node) {
              if (node.members.length || node.parent.type === utils_1.AST_NODE_TYPES.TSIntersectionType || allowWithNameTester && node.parent.type === utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration && allowWithNameTester.test(node.parent.id.name)) {
                return;
              }
              context.report({
                data: { option: "allowObjectTypes" },
                messageId: "noEmptyObject",
                node,
                suggest: ["object", "unknown"].map((replacement) => ({
                  data: { replacement },
                  messageId: "replaceEmptyObjectType",
                  fix: (fixer) => fixer.replaceText(node, replacement)
                }))
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-explicit-any.js
var require_no_explicit_any2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-explicit-any.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-explicit-any",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow the `any` type",
          recommended: "recommended"
        },
        fixable: "code",
        hasSuggestions: true,
        messages: {
          unexpectedAny: "Unexpected any. Specify a different type.",
          suggestUnknown: "Use `unknown` instead, this will force you to explicitly, and safely assert the type is correct.",
          suggestNever: "Use `never` instead, this is useful when instantiating generic type parameters that you don't need to know the type of."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              fixToUnknown: {
                description: "Whether to enable auto-fixing in which the `any` type is converted to the `unknown` type.",
                type: "boolean"
              },
              ignoreRestArgs: {
                description: "Whether to ignore rest parameter arrays.",
                type: "boolean"
              }
            }
          }
        ]
      },
      defaultOptions: [
        {
          fixToUnknown: false,
          ignoreRestArgs: false
        }
      ],
      create(context, [{ ignoreRestArgs, fixToUnknown }]) {
        function isNodeValidFunction(node) {
          return [
            utils_1.AST_NODE_TYPES.ArrowFunctionExpression,
            // const x = (...args: any[]) => {};
            utils_1.AST_NODE_TYPES.FunctionDeclaration,
            // function f(...args: any[]) {}
            utils_1.AST_NODE_TYPES.FunctionExpression,
            // const x = function(...args: any[]) {};
            utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression,
            // declare class A { f(...args: any[]): unknown; }
            utils_1.AST_NODE_TYPES.TSFunctionType,
            // type T = (...args: any[]) => unknown;
            utils_1.AST_NODE_TYPES.TSConstructorType,
            // type T = new (...args: any[]) => unknown
            utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration,
            // type T = {(...args: any[]): unknown};
            utils_1.AST_NODE_TYPES.TSConstructSignatureDeclaration,
            // type T = {new (...args: any[]): unknown};
            utils_1.AST_NODE_TYPES.TSMethodSignature,
            // type T = {f(...args: any[]): unknown};
            utils_1.AST_NODE_TYPES.TSDeclareFunction
            // declare function _8(...args: any[]): unknown;
          ].includes(node.type);
        }
        function isNodeRestElementInFunction(node) {
          return node.type === utils_1.AST_NODE_TYPES.RestElement && isNodeValidFunction(node.parent);
        }
        function isNodeReadonlyTSTypeOperator(node) {
          return node.type === utils_1.AST_NODE_TYPES.TSTypeOperator && node.operator === "readonly";
        }
        function isNodeValidArrayTSTypeReference(node) {
          return node.type === utils_1.AST_NODE_TYPES.TSTypeReference && node.typeName.type === utils_1.AST_NODE_TYPES.Identifier && ["Array", "ReadonlyArray"].includes(node.typeName.name);
        }
        function isNodeValidTSType(node) {
          return isNodeReadonlyTSTypeOperator(node) || isNodeValidArrayTSTypeReference(node);
        }
        function isGreatGrandparentRestElement(node) {
          return node.parent?.parent?.parent != null && isNodeRestElementInFunction(node.parent.parent.parent);
        }
        function isGreatGreatGrandparentRestElement(node) {
          return node.parent?.parent?.parent?.parent != null && isNodeValidTSType(node.parent.parent) && isNodeRestElementInFunction(node.parent.parent.parent.parent);
        }
        function isNodeDescendantOfRestElementInFunction(node) {
          return isGreatGrandparentRestElement(node) || isGreatGreatGrandparentRestElement(node);
        }
        return {
          TSAnyKeyword(node) {
            if (ignoreRestArgs && isNodeDescendantOfRestElementInFunction(node)) {
              return;
            }
            const fixOrSuggest = {
              fix: null,
              suggest: [
                {
                  messageId: "suggestUnknown",
                  fix(fixer) {
                    return fixer.replaceText(node, "unknown");
                  }
                },
                {
                  messageId: "suggestNever",
                  fix(fixer) {
                    return fixer.replaceText(node, "never");
                  }
                }
              ]
            };
            if (fixToUnknown) {
              fixOrSuggest.fix = (fixer) => fixer.replaceText(node, "unknown");
            }
            context.report({
              node,
              messageId: "unexpectedAny",
              ...fixOrSuggest
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-extra-non-null-assertion.js
var require_no_extra_non_null_assertion2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-extra-non-null-assertion.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-extra-non-null-assertion",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow extra non-null assertions",
          recommended: "recommended"
        },
        fixable: "code",
        schema: [],
        messages: {
          noExtraNonNullAssertion: "Forbidden extra non-null assertion."
        }
      },
      defaultOptions: [],
      create(context) {
        function checkExtraNonNullAssertion(node) {
          context.report({
            node,
            messageId: "noExtraNonNullAssertion",
            fix(fixer) {
              return fixer.removeRange([node.range[1] - 1, node.range[1]]);
            }
          });
        }
        return {
          "TSNonNullExpression > TSNonNullExpression": checkExtraNonNullAssertion,
          "MemberExpression[optional = true] > TSNonNullExpression.object": checkExtraNonNullAssertion,
          "CallExpression[optional = true] > TSNonNullExpression.callee": checkExtraNonNullAssertion
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-extra-parens.js
var require_no_extra_parens2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-extra-parens.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-extra-parens");
    exports2.default = (0, util_1.createRule)({
      name: "no-extra-parens",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/no-extra-parens"],
        type: "layout",
        docs: {
          description: "Disallow unnecessary parentheses",
          extendsBaseRule: true
        },
        fixable: "code",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: ["all"],
      create(context) {
        const rules = baseRule2.create(context);
        function binaryExp(node) {
          const rule = rules.BinaryExpression;
          const isLeftTypeAssertion = (0, util_1.isTypeAssertion)(node.left);
          const isRightTypeAssertion = (0, util_1.isTypeAssertion)(node.right);
          if (isLeftTypeAssertion && isRightTypeAssertion) {
            return;
          }
          if (isLeftTypeAssertion) {
            return rule({
              ...node,
              left: {
                ...node.left,
                type: utils_1.AST_NODE_TYPES.SequenceExpression
              }
            });
          }
          if (isRightTypeAssertion) {
            return rule({
              ...node,
              right: {
                ...node.right,
                type: utils_1.AST_NODE_TYPES.SequenceExpression
              }
            });
          }
          return rule(node);
        }
        function callExp(node) {
          const rule = rules.CallExpression;
          if ((0, util_1.isTypeAssertion)(node.callee)) {
            return rule({
              ...node,
              callee: {
                ...node.callee,
                type: utils_1.AST_NODE_TYPES.SequenceExpression
              }
            });
          }
          if (node.arguments.length === 1 && // is there any opening parenthesis in type arguments
          context.sourceCode.getTokenAfter(node.callee, util_1.isOpeningParenToken) !== context.sourceCode.getTokenBefore(node.arguments[0], util_1.isOpeningParenToken)) {
            return rule({
              ...node,
              arguments: [
                {
                  ...node.arguments[0],
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              ]
            });
          }
          return rule(node);
        }
        function unaryUpdateExpression(node) {
          const rule = rules.UnaryExpression;
          if ((0, util_1.isTypeAssertion)(node.argument)) {
            return rule({
              ...node,
              argument: {
                ...node.argument,
                type: utils_1.AST_NODE_TYPES.SequenceExpression
              }
            });
          }
          return rule(node);
        }
        const overrides = {
          // ArrayExpression
          ArrowFunctionExpression(node) {
            if (!(0, util_1.isTypeAssertion)(node.body)) {
              return rules.ArrowFunctionExpression(node);
            }
          },
          // AssignmentExpression
          AwaitExpression(node) {
            if ((0, util_1.isTypeAssertion)(node.argument)) {
              return rules.AwaitExpression({
                ...node,
                argument: {
                  ...node.argument,
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              });
            }
            return rules.AwaitExpression(node);
          },
          BinaryExpression: binaryExp,
          CallExpression: callExp,
          ClassDeclaration(node) {
            if (node.superClass?.type === utils_1.AST_NODE_TYPES.TSAsExpression) {
              return rules.ClassDeclaration({
                ...node,
                superClass: {
                  ...node.superClass,
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              });
            }
            return rules.ClassDeclaration(node);
          },
          ClassExpression(node) {
            if (node.superClass?.type === utils_1.AST_NODE_TYPES.TSAsExpression) {
              return rules.ClassExpression({
                ...node,
                superClass: {
                  ...node.superClass,
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              });
            }
            return rules.ClassExpression(node);
          },
          ConditionalExpression(node) {
            if ((0, util_1.isTypeAssertion)(node.test)) {
              return rules.ConditionalExpression({
                ...node,
                test: {
                  ...node.test,
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              });
            }
            if ((0, util_1.isTypeAssertion)(node.consequent)) {
              return rules.ConditionalExpression({
                ...node,
                consequent: {
                  ...node.consequent,
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              });
            }
            if ((0, util_1.isTypeAssertion)(node.alternate)) {
              return rules.ConditionalExpression({
                ...node,
                alternate: {
                  ...node.alternate,
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              });
            }
            return rules.ConditionalExpression(node);
          },
          ForInStatement(node) {
            if ((0, util_1.isTypeAssertion)(node.right)) {
              return;
            }
            return rules.ForInStatement(node);
          },
          ForOfStatement(node) {
            if ((0, util_1.isTypeAssertion)(node.right)) {
              return rules.ForOfStatement({
                ...node,
                type: utils_1.AST_NODE_TYPES.ForOfStatement,
                right: {
                  ...node.right,
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              });
            }
            return rules.ForOfStatement(node);
          },
          // DoWhileStatement
          ForStatement(node) {
            if (node.init && (0, util_1.isTypeAssertion)(node.init)) {
              return rules.ForStatement({
                ...node,
                init: null
              });
            }
            if (node.test && (0, util_1.isTypeAssertion)(node.test)) {
              return rules.ForStatement({
                ...node,
                test: null
              });
            }
            if (node.update && (0, util_1.isTypeAssertion)(node.update)) {
              return rules.ForStatement({
                ...node,
                update: null
              });
            }
            return rules.ForStatement(node);
          },
          "ForStatement > *.init:exit"(node) {
            if (!(0, util_1.isTypeAssertion)(node)) {
              return rules["ForStatement > *.init:exit"](node);
            }
          },
          // IfStatement
          LogicalExpression: binaryExp,
          MemberExpression(node) {
            if ((0, util_1.isTypeAssertion)(node.object)) {
              return rules.MemberExpression({
                ...node,
                object: {
                  ...node.object,
                  type: utils_1.AST_NODE_TYPES.SequenceExpression
                }
              });
            }
            return rules.MemberExpression(node);
          },
          NewExpression: callExp,
          // ObjectExpression
          // ReturnStatement
          // SequenceExpression
          SpreadElement(node) {
            if (!(0, util_1.isTypeAssertion)(node.argument)) {
              return rules.SpreadElement(node);
            }
          },
          SwitchCase(node) {
            if (node.test && !(0, util_1.isTypeAssertion)(node.test)) {
              return rules.SwitchCase(node);
            }
          },
          // SwitchStatement
          ThrowStatement(node) {
            if (node.argument && !(0, util_1.isTypeAssertion)(node.argument)) {
              return rules.ThrowStatement(node);
            }
          },
          UnaryExpression: unaryUpdateExpression,
          UpdateExpression: unaryUpdateExpression,
          // VariableDeclarator
          // WhileStatement
          // WithStatement - i'm not going to even bother implementing this terrible and never used feature
          YieldExpression(node) {
            if (node.argument && !(0, util_1.isTypeAssertion)(node.argument)) {
              return rules.YieldExpression(node);
            }
          }
        };
        return Object.assign({}, rules, overrides);
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-extra-semi.js
var require_no_extra_semi2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-extra-semi.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-extra-semi");
    exports2.default = (0, util_1.createRule)({
      name: "no-extra-semi",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/no-extra-semi"],
        type: "suggestion",
        docs: {
          description: "Disallow unnecessary semicolons",
          extendsBaseRule: true
        },
        fixable: "code",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [],
      create(context) {
        const rules = baseRule2.create(context);
        return {
          ...rules,
          "TSAbstractMethodDefinition, TSAbstractPropertyDefinition"(node) {
            rules["MethodDefinition, PropertyDefinition, StaticBlock"](node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-extraneous-class.js
var require_no_extraneous_class2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-extraneous-class.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-extraneous-class",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow classes used as namespaces",
          recommended: "strict"
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              allowConstructorOnly: {
                description: "Whether to allow extraneous classes that contain only a constructor.",
                type: "boolean"
              },
              allowEmpty: {
                description: "Whether to allow extraneous classes that have no body (i.e. are empty).",
                type: "boolean"
              },
              allowStaticOnly: {
                description: "Whether to allow extraneous classes that only contain static members.",
                type: "boolean"
              },
              allowWithDecorator: {
                description: "Whether to allow extraneous classes that include a decorator.",
                type: "boolean"
              }
            }
          }
        ],
        messages: {
          empty: "Unexpected empty class.",
          onlyStatic: "Unexpected class with only static properties.",
          onlyConstructor: "Unexpected class with only a constructor."
        }
      },
      defaultOptions: [
        {
          allowConstructorOnly: false,
          allowEmpty: false,
          allowStaticOnly: false,
          allowWithDecorator: false
        }
      ],
      create(context, [{ allowConstructorOnly, allowEmpty, allowStaticOnly, allowWithDecorator }]) {
        const isAllowWithDecorator = (node) => {
          return !!(allowWithDecorator && node?.decorators && node.decorators.length !== 0);
        };
        return {
          ClassBody(node) {
            const parent = node.parent;
            if (parent.superClass || isAllowWithDecorator(parent)) {
              return;
            }
            const reportNode = parent.type === utils_1.AST_NODE_TYPES.ClassDeclaration && parent.id ? parent.id : parent;
            if (node.body.length === 0) {
              if (allowEmpty) {
                return;
              }
              context.report({
                node: reportNode,
                messageId: "empty"
              });
              return;
            }
            let onlyStatic = true;
            let onlyConstructor = true;
            for (const prop of node.body) {
              if (prop.type === utils_1.AST_NODE_TYPES.MethodDefinition && prop.kind === "constructor") {
                if (prop.value.params.some((param) => param.type === utils_1.AST_NODE_TYPES.TSParameterProperty)) {
                  onlyConstructor = false;
                  onlyStatic = false;
                }
              } else {
                onlyConstructor = false;
                if ((prop.type === utils_1.AST_NODE_TYPES.PropertyDefinition || prop.type === utils_1.AST_NODE_TYPES.MethodDefinition) && !prop.static || prop.type === utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition || prop.type === utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition) {
                  onlyStatic = false;
                }
              }
              if (!(onlyStatic || onlyConstructor)) {
                break;
              }
            }
            if (onlyConstructor) {
              if (!allowConstructorOnly) {
                context.report({
                  node: reportNode,
                  messageId: "onlyConstructor"
                });
              }
              return;
            }
            if (onlyStatic && !allowStaticOnly) {
              context.report({
                node: reportNode,
                messageId: "onlyStatic"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-floating-promises.js
var require_no_floating_promises2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-floating-promises.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    var messageBase = "Promises must be awaited, end with a call to .catch, or end with a call to .then with a rejection handler.";
    var messageBaseVoid = "Promises must be awaited, end with a call to .catch, end with a call to .then with a rejection handler or be explicitly marked as ignored with the `void` operator.";
    var messageRejectionHandler = "A rejection handler that is not a function will be ignored.";
    var messagePromiseArray = "An array of Promises may be unintentional. Consider handling the promises' fulfillment or rejection with Promise.all or similar.";
    var messagePromiseArrayVoid = "An array of Promises may be unintentional. Consider handling the promises' fulfillment or rejection with Promise.all or similar, or explicitly marking the expression as ignored with the `void` operator.";
    exports2.default = (0, util_1.createRule)({
      name: "no-floating-promises",
      meta: {
        docs: {
          description: "Require Promise-like statements to be handled appropriately",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        hasSuggestions: true,
        messages: {
          floating: messageBase,
          floatingFixAwait: "Add await operator.",
          floatingVoid: messageBaseVoid,
          floatingFixVoid: "Add void operator to ignore.",
          floatingUselessRejectionHandler: messageBase + " " + messageRejectionHandler,
          floatingUselessRejectionHandlerVoid: messageBaseVoid + " " + messageRejectionHandler,
          floatingPromiseArray: messagePromiseArray,
          floatingPromiseArrayVoid: messagePromiseArrayVoid
        },
        schema: [
          {
            type: "object",
            properties: {
              allowForKnownSafePromises: util_1.readonlynessOptionsSchema.properties.allow,
              checkThenables: {
                description: 'Whether to check all "Thenable"s, not just the built-in Promise type.',
                type: "boolean"
              },
              ignoreVoid: {
                description: "Whether to ignore `void` expressions.",
                type: "boolean"
              },
              ignoreIIFE: {
                description: "Whether to ignore async IIFEs (Immediately Invoked Function Expressions).",
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      defaultOptions: [
        {
          allowForKnownSafePromises: util_1.readonlynessOptionsDefaults.allow,
          checkThenables: true,
          ignoreVoid: true,
          ignoreIIFE: false
        }
      ],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const { checkThenables } = options;
        const allowForKnownSafePromises = options.allowForKnownSafePromises;
        return {
          ExpressionStatement(node) {
            if (options.ignoreIIFE && isAsyncIife(node)) {
              return;
            }
            let expression = node.expression;
            if (expression.type === utils_1.AST_NODE_TYPES.ChainExpression) {
              expression = expression.expression;
            }
            const { isUnhandled, nonFunctionHandler, promiseArray } = isUnhandledPromise(checker, expression);
            if (isUnhandled) {
              if (promiseArray) {
                context.report({
                  node,
                  messageId: options.ignoreVoid ? "floatingPromiseArrayVoid" : "floatingPromiseArray"
                });
              } else if (options.ignoreVoid) {
                context.report({
                  node,
                  messageId: nonFunctionHandler ? "floatingUselessRejectionHandlerVoid" : "floatingVoid",
                  suggest: [
                    {
                      messageId: "floatingFixVoid",
                      fix(fixer) {
                        const tsNode = services.esTreeNodeToTSNodeMap.get(node.expression);
                        if (isHigherPrecedenceThanUnary(tsNode)) {
                          return fixer.insertTextBefore(node, "void ");
                        }
                        return [
                          fixer.insertTextBefore(node, "void ("),
                          fixer.insertTextAfterRange([expression.range[1], expression.range[1]], ")")
                        ];
                      }
                    }
                  ]
                });
              } else {
                context.report({
                  node,
                  messageId: nonFunctionHandler ? "floatingUselessRejectionHandler" : "floating",
                  suggest: [
                    {
                      messageId: "floatingFixAwait",
                      fix(fixer) {
                        if (expression.type === utils_1.AST_NODE_TYPES.UnaryExpression && expression.operator === "void") {
                          return fixer.replaceTextRange([expression.range[0], expression.range[0] + 4], "await");
                        }
                        const tsNode = services.esTreeNodeToTSNodeMap.get(node.expression);
                        if (isHigherPrecedenceThanUnary(tsNode)) {
                          return fixer.insertTextBefore(node, "await ");
                        }
                        return [
                          fixer.insertTextBefore(node, "await ("),
                          fixer.insertTextAfterRange([expression.range[1], expression.range[1]], ")")
                        ];
                      }
                    }
                  ]
                });
              }
            }
          }
        };
        function isHigherPrecedenceThanUnary(node) {
          const operator = ts.isBinaryExpression(node) ? node.operatorToken.kind : ts.SyntaxKind.Unknown;
          const nodePrecedence = (0, util_1.getOperatorPrecedence)(node.kind, operator);
          return nodePrecedence > util_1.OperatorPrecedence.Unary;
        }
        function isAsyncIife(node) {
          if (node.expression.type !== utils_1.AST_NODE_TYPES.CallExpression) {
            return false;
          }
          return node.expression.callee.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression || node.expression.callee.type === utils_1.AST_NODE_TYPES.FunctionExpression;
        }
        function isValidRejectionHandler(rejectionHandler) {
          return services.program.getTypeChecker().getTypeAtLocation(services.esTreeNodeToTSNodeMap.get(rejectionHandler)).getCallSignatures().length > 0;
        }
        function isUnhandledPromise(checker2, node) {
          if (node.type === utils_1.AST_NODE_TYPES.SequenceExpression) {
            return node.expressions.map((item) => isUnhandledPromise(checker2, item)).find((result) => result.isUnhandled) ?? { isUnhandled: false };
          }
          if (!options.ignoreVoid && node.type === utils_1.AST_NODE_TYPES.UnaryExpression && node.operator === "void") {
            return isUnhandledPromise(checker2, node.argument);
          }
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          if (isPromiseArray(tsNode)) {
            return { isUnhandled: true, promiseArray: true };
          }
          if (!isPromiseLike(tsNode)) {
            return { isUnhandled: false };
          }
          if (node.type === utils_1.AST_NODE_TYPES.CallExpression) {
            const catchRejectionHandler = getRejectionHandlerFromCatchCall(node);
            if (catchRejectionHandler) {
              if (isValidRejectionHandler(catchRejectionHandler)) {
                return { isUnhandled: false };
              }
              return { isUnhandled: true, nonFunctionHandler: true };
            }
            const thenRejectionHandler = getRejectionHandlerFromThenCall(node);
            if (thenRejectionHandler) {
              if (isValidRejectionHandler(thenRejectionHandler)) {
                return { isUnhandled: false };
              }
              return { isUnhandled: true, nonFunctionHandler: true };
            }
            const promiseFinallyObject = getObjectFromFinallyCall(node);
            if (promiseFinallyObject) {
              return isUnhandledPromise(checker2, promiseFinallyObject);
            }
            return { isUnhandled: true };
          } else if (node.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression) {
            return { isUnhandled: true };
          } else if (node.type === utils_1.AST_NODE_TYPES.ConditionalExpression) {
            const alternateResult = isUnhandledPromise(checker2, node.alternate);
            if (alternateResult.isUnhandled) {
              return alternateResult;
            }
            return isUnhandledPromise(checker2, node.consequent);
          } else if (node.type === utils_1.AST_NODE_TYPES.MemberExpression || node.type === utils_1.AST_NODE_TYPES.Identifier || node.type === utils_1.AST_NODE_TYPES.NewExpression) {
            return { isUnhandled: true };
          } else if (node.type === utils_1.AST_NODE_TYPES.LogicalExpression) {
            const leftResult = isUnhandledPromise(checker2, node.left);
            if (leftResult.isUnhandled) {
              return leftResult;
            }
            return isUnhandledPromise(checker2, node.right);
          }
          return { isUnhandled: false };
        }
        function isPromiseArray(node) {
          const type = checker.getTypeAtLocation(node);
          for (const ty of tsutils.unionTypeParts(type).map((t) => checker.getApparentType(t))) {
            if (checker.isArrayType(ty)) {
              const arrayType2 = checker.getTypeArguments(ty)[0];
              if (isPromiseLike(node, arrayType2)) {
                return true;
              }
            }
            if (checker.isTupleType(ty)) {
              for (const tupleElementType of checker.getTypeArguments(ty)) {
                if (isPromiseLike(node, tupleElementType)) {
                  return true;
                }
              }
            }
          }
          return false;
        }
        function isPromiseLike(node, type) {
          type ??= checker.getTypeAtLocation(node);
          if (allowForKnownSafePromises.some((allowedType) => (0, util_1.typeMatchesSpecifier)(type, allowedType, services.program))) {
            return false;
          }
          const typeParts = tsutils.unionTypeParts(checker.getApparentType(type));
          if (typeParts.some((typePart) => (0, util_1.isBuiltinSymbolLike)(services.program, typePart, "Promise"))) {
            return true;
          }
          if (!checkThenables) {
            return false;
          }
          for (const ty of typeParts) {
            const then = ty.getProperty("then");
            if (then === void 0) {
              continue;
            }
            const thenType = checker.getTypeOfSymbolAtLocation(then, node);
            if (hasMatchingSignature(thenType, (signature) => signature.parameters.length >= 2 && isFunctionParam(checker, signature.parameters[0], node) && isFunctionParam(checker, signature.parameters[1], node))) {
              return true;
            }
          }
          return false;
        }
      }
    });
    function hasMatchingSignature(type, matcher) {
      for (const t of tsutils.unionTypeParts(type)) {
        if (t.getCallSignatures().some(matcher)) {
          return true;
        }
      }
      return false;
    }
    function isFunctionParam(checker, param, node) {
      const type = checker.getApparentType(checker.getTypeOfSymbolAtLocation(param, node));
      for (const t of tsutils.unionTypeParts(type)) {
        if (t.getCallSignatures().length !== 0) {
          return true;
        }
      }
      return false;
    }
    function getRejectionHandlerFromCatchCall(expression) {
      if (expression.callee.type === utils_1.AST_NODE_TYPES.MemberExpression && expression.callee.property.type === utils_1.AST_NODE_TYPES.Identifier && expression.callee.property.name === "catch" && expression.arguments.length >= 1) {
        return expression.arguments[0];
      }
      return void 0;
    }
    function getRejectionHandlerFromThenCall(expression) {
      if (expression.callee.type === utils_1.AST_NODE_TYPES.MemberExpression && expression.callee.property.type === utils_1.AST_NODE_TYPES.Identifier && expression.callee.property.name === "then" && expression.arguments.length >= 2) {
        return expression.arguments[1];
      }
      return void 0;
    }
    function getObjectFromFinallyCall(expression) {
      return expression.callee.type === utils_1.AST_NODE_TYPES.MemberExpression && expression.callee.property.type === utils_1.AST_NODE_TYPES.Identifier && expression.callee.property.name === "finally" ? expression.callee.object : void 0;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getForStatementHeadLoc.js
var require_getForStatementHeadLoc2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/util/getForStatementHeadLoc.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getForStatementHeadLoc = getForStatementHeadLoc;
    var eslint_utils_1 = require_eslint_utils5();
    function getForStatementHeadLoc(sourceCode, node) {
      const closingParens = (0, eslint_utils_1.nullThrows)(sourceCode.getTokenBefore(node.body, (token) => token.value === ")"), "for statement must have a closing parenthesis.");
      return {
        start: structuredClone(node.loc.start),
        end: structuredClone(closingParens.loc.end)
      };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-for-in-array.js
var require_no_for_in_array2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-for-in-array.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    var getForStatementHeadLoc_1 = require_getForStatementHeadLoc2();
    exports2.default = (0, util_1.createRule)({
      name: "no-for-in-array",
      meta: {
        docs: {
          description: "Disallow iterating over an array with a for-in loop",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          forInViolation: "For-in loops over arrays skips holes, returns indices as strings, and may visit the prototype chain or other enumerable properties. Use a more robust iteration method such as for-of or array.forEach instead."
        },
        schema: [],
        type: "problem"
      },
      defaultOptions: [],
      create(context) {
        return {
          ForInStatement(node) {
            const services = (0, util_1.getParserServices)(context);
            const checker = services.program.getTypeChecker();
            const type = (0, util_1.getConstrainedTypeAtLocation)(services, node.right);
            if ((0, util_1.isTypeArrayTypeOrUnionOfArrayTypes)(type, checker) || (type.flags & ts.TypeFlags.StringLike) !== 0) {
              context.report({
                loc: (0, getForStatementHeadLoc_1.getForStatementHeadLoc)(context.sourceCode, node),
                messageId: "forInViolation"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-implied-eval.js
var require_no_implied_eval2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-implied-eval.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    var FUNCTION_CONSTRUCTOR = "Function";
    var GLOBAL_CANDIDATES = /* @__PURE__ */ new Set(["global", "window", "globalThis"]);
    var EVAL_LIKE_METHODS = /* @__PURE__ */ new Set([
      "setImmediate",
      "setInterval",
      "setTimeout",
      "execScript"
    ]);
    exports2.default = (0, util_1.createRule)({
      name: "no-implied-eval",
      meta: {
        docs: {
          description: "Disallow the use of `eval()`-like methods",
          recommended: "recommended",
          extendsBaseRule: true,
          requiresTypeChecking: true
        },
        messages: {
          noImpliedEvalError: "Implied eval. Consider passing a function.",
          noFunctionConstructor: "Implied eval. Do not use the Function constructor to create functions."
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function getCalleeName(node) {
          if (node.type === utils_1.AST_NODE_TYPES.Identifier) {
            return node.name;
          }
          if (node.type === utils_1.AST_NODE_TYPES.MemberExpression && node.object.type === utils_1.AST_NODE_TYPES.Identifier && GLOBAL_CANDIDATES.has(node.object.name)) {
            if (node.property.type === utils_1.AST_NODE_TYPES.Identifier) {
              return node.property.name;
            }
            if (node.property.type === utils_1.AST_NODE_TYPES.Literal && typeof node.property.value === "string") {
              return node.property.value;
            }
          }
          return null;
        }
        function isFunctionType(node) {
          const type = services.getTypeAtLocation(node);
          const symbol = type.getSymbol();
          if (symbol && tsutils.isSymbolFlagSet(symbol, ts.SymbolFlags.Function | ts.SymbolFlags.Method)) {
            return true;
          }
          if ((0, util_1.isBuiltinSymbolLike)(services.program, type, FUNCTION_CONSTRUCTOR)) {
            return true;
          }
          const signatures = checker.getSignaturesOfType(type, ts.SignatureKind.Call);
          return signatures.length > 0;
        }
        function isBind(node) {
          return node.type === utils_1.AST_NODE_TYPES.MemberExpression ? isBind(node.property) : node.type === utils_1.AST_NODE_TYPES.Identifier && node.name === "bind";
        }
        function isFunction3(node) {
          switch (node.type) {
            case utils_1.AST_NODE_TYPES.ArrowFunctionExpression:
            case utils_1.AST_NODE_TYPES.FunctionDeclaration:
            case utils_1.AST_NODE_TYPES.FunctionExpression:
              return true;
            case utils_1.AST_NODE_TYPES.Literal:
            case utils_1.AST_NODE_TYPES.TemplateLiteral:
              return false;
            case utils_1.AST_NODE_TYPES.CallExpression:
              return isBind(node.callee) || isFunctionType(node);
            default:
              return isFunctionType(node);
          }
        }
        function isReferenceToGlobalFunction(calleeName, node) {
          const ref = context.sourceCode.getScope(node).references.find((ref2) => ref2.identifier.name === calleeName);
          return !ref?.resolved || ref.resolved.defs.length === 0;
        }
        function checkImpliedEval(node) {
          const calleeName = getCalleeName(node.callee);
          if (calleeName == null) {
            return;
          }
          if (calleeName === FUNCTION_CONSTRUCTOR) {
            const type = services.getTypeAtLocation(node.callee);
            const symbol = type.getSymbol();
            if (symbol) {
              if ((0, util_1.isBuiltinSymbolLike)(services.program, type, "FunctionConstructor")) {
                context.report({ node, messageId: "noFunctionConstructor" });
                return;
              }
            } else {
              context.report({ node, messageId: "noFunctionConstructor" });
              return;
            }
          }
          if (node.arguments.length === 0) {
            return;
          }
          const [handler] = node.arguments;
          if (EVAL_LIKE_METHODS.has(calleeName) && !isFunction3(handler) && isReferenceToGlobalFunction(calleeName, node)) {
            context.report({ node: handler, messageId: "noImpliedEvalError" });
          }
        }
        return {
          NewExpression: checkImpliedEval,
          CallExpression: checkImpliedEval
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-import-type-side-effects.js
var require_no_import_type_side_effects2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-import-type-side-effects.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-import-type-side-effects",
      meta: {
        type: "problem",
        docs: {
          description: "Enforce the use of top-level import type qualifier when an import only has specifiers with inline type qualifiers"
        },
        fixable: "code",
        messages: {
          useTopLevelQualifier: "TypeScript will only remove the inline type specifiers which will leave behind a side effect import at runtime. Convert this to a top-level type qualifier to properly remove the entire import."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        return {
          'ImportDeclaration[importKind!="type"]'(node) {
            if (node.specifiers.length === 0) {
              return;
            }
            const specifiers = [];
            for (const specifier of node.specifiers) {
              if (specifier.type !== utils_1.AST_NODE_TYPES.ImportSpecifier || specifier.importKind !== "type") {
                return;
              }
              specifiers.push(specifier);
            }
            context.report({
              node,
              messageId: "useTopLevelQualifier",
              fix(fixer) {
                const fixes = [];
                for (const specifier of specifiers) {
                  const qualifier = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(specifier, util_1.isTypeKeyword), util_1.NullThrowsReasons.MissingToken("type keyword", "import specifier"));
                  fixes.push(fixer.removeRange([
                    qualifier.range[0],
                    specifier.imported.range[0]
                  ]));
                }
                const importKeyword = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(node, util_1.isImportKeyword), util_1.NullThrowsReasons.MissingToken("import keyword", "import"));
                fixes.push(fixer.insertTextAfter(importKeyword, " type"));
                return fixes;
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-inferrable-types.js
var require_no_inferrable_types2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-inferrable-types.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-inferrable-types",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow explicit type declarations for variables or parameters initialized to a number, string, or boolean",
          recommended: "stylistic"
        },
        fixable: "code",
        messages: {
          noInferrableType: "Type {{type}} trivially inferred from a {{type}} literal, remove type annotation."
        },
        schema: [
          {
            type: "object",
            properties: {
              ignoreParameters: {
                type: "boolean"
              },
              ignoreProperties: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          ignoreParameters: false,
          ignoreProperties: false
        }
      ],
      create(context, [{ ignoreParameters, ignoreProperties }]) {
        function isFunctionCall2(init, callName) {
          if (init.type === utils_1.AST_NODE_TYPES.ChainExpression) {
            return isFunctionCall2(init.expression, callName);
          }
          return init.type === utils_1.AST_NODE_TYPES.CallExpression && init.callee.type === utils_1.AST_NODE_TYPES.Identifier && init.callee.name === callName;
        }
        function isLiteral2(init, typeName) {
          return init.type === utils_1.AST_NODE_TYPES.Literal && typeof init.value === typeName;
        }
        function isIdentifier(init, ...names) {
          return init.type === utils_1.AST_NODE_TYPES.Identifier && names.includes(init.name);
        }
        function hasUnaryPrefix(init, ...operators) {
          return init.type === utils_1.AST_NODE_TYPES.UnaryExpression && operators.includes(init.operator);
        }
        const keywordMap = {
          [utils_1.AST_NODE_TYPES.TSBigIntKeyword]: "bigint",
          [utils_1.AST_NODE_TYPES.TSBooleanKeyword]: "boolean",
          [utils_1.AST_NODE_TYPES.TSNumberKeyword]: "number",
          [utils_1.AST_NODE_TYPES.TSNullKeyword]: "null",
          [utils_1.AST_NODE_TYPES.TSStringKeyword]: "string",
          [utils_1.AST_NODE_TYPES.TSSymbolKeyword]: "symbol",
          [utils_1.AST_NODE_TYPES.TSUndefinedKeyword]: "undefined"
        };
        function isInferrable(annotation, init) {
          switch (annotation.type) {
            case utils_1.AST_NODE_TYPES.TSBigIntKeyword: {
              const unwrappedInit = hasUnaryPrefix(init, "-") ? init.argument : init;
              return isFunctionCall2(unwrappedInit, "BigInt") || unwrappedInit.type === utils_1.AST_NODE_TYPES.Literal;
            }
            case utils_1.AST_NODE_TYPES.TSBooleanKeyword:
              return hasUnaryPrefix(init, "!") || isFunctionCall2(init, "Boolean") || isLiteral2(init, "boolean");
            case utils_1.AST_NODE_TYPES.TSNumberKeyword: {
              const unwrappedInit = hasUnaryPrefix(init, "+", "-") ? init.argument : init;
              return isIdentifier(unwrappedInit, "Infinity", "NaN") || isFunctionCall2(unwrappedInit, "Number") || isLiteral2(unwrappedInit, "number");
            }
            case utils_1.AST_NODE_TYPES.TSNullKeyword:
              return init.type === utils_1.AST_NODE_TYPES.Literal && init.value == null;
            case utils_1.AST_NODE_TYPES.TSStringKeyword:
              return isFunctionCall2(init, "String") || isLiteral2(init, "string") || init.type === utils_1.AST_NODE_TYPES.TemplateLiteral;
            case utils_1.AST_NODE_TYPES.TSSymbolKeyword:
              return isFunctionCall2(init, "Symbol");
            case utils_1.AST_NODE_TYPES.TSTypeReference: {
              if (annotation.typeName.type === utils_1.AST_NODE_TYPES.Identifier && annotation.typeName.name === "RegExp") {
                const isRegExpLiteral = init.type === utils_1.AST_NODE_TYPES.Literal && init.value instanceof RegExp;
                const isRegExpNewCall = init.type === utils_1.AST_NODE_TYPES.NewExpression && init.callee.type === utils_1.AST_NODE_TYPES.Identifier && init.callee.name === "RegExp";
                const isRegExpCall = isFunctionCall2(init, "RegExp");
                return isRegExpLiteral || isRegExpCall || isRegExpNewCall;
              }
              return false;
            }
            case utils_1.AST_NODE_TYPES.TSUndefinedKeyword:
              return hasUnaryPrefix(init, "void") || isIdentifier(init, "undefined");
          }
          return false;
        }
        function reportInferrableType(node, typeNode, initNode) {
          if (!typeNode || !initNode) {
            return;
          }
          if (!isInferrable(typeNode.typeAnnotation, initNode)) {
            return;
          }
          const type = typeNode.typeAnnotation.type === utils_1.AST_NODE_TYPES.TSTypeReference ? (
            // TODO - if we add more references
            "RegExp"
          ) : keywordMap[typeNode.typeAnnotation.type];
          context.report({
            node,
            messageId: "noInferrableType",
            data: {
              type
            },
            *fix(fixer) {
              if (node.type === utils_1.AST_NODE_TYPES.AssignmentPattern && node.left.optional || node.type === utils_1.AST_NODE_TYPES.PropertyDefinition && node.definite) {
                yield fixer.remove((0, util_1.nullThrows)(context.sourceCode.getTokenBefore(typeNode), util_1.NullThrowsReasons.MissingToken("token before", "type node")));
              }
              yield fixer.remove(typeNode);
            }
          });
        }
        function inferrableVariableVisitor(node) {
          reportInferrableType(node, node.id.typeAnnotation, node.init);
        }
        function inferrableParameterVisitor(node) {
          if (ignoreParameters) {
            return;
          }
          node.params.forEach((param) => {
            if (param.type === utils_1.AST_NODE_TYPES.TSParameterProperty) {
              param = param.parameter;
            }
            if (param.type === utils_1.AST_NODE_TYPES.AssignmentPattern) {
              reportInferrableType(param, param.left.typeAnnotation, param.right);
            }
          });
        }
        function inferrablePropertyVisitor(node) {
          if (ignoreProperties || node.readonly || node.optional) {
            return;
          }
          reportInferrableType(node, node.typeAnnotation, node.value);
        }
        return {
          VariableDeclarator: inferrableVariableVisitor,
          FunctionExpression: inferrableParameterVisitor,
          FunctionDeclaration: inferrableParameterVisitor,
          ArrowFunctionExpression: inferrableParameterVisitor,
          PropertyDefinition: inferrablePropertyVisitor
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-invalid-this.js
var require_no_invalid_this2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-invalid-this.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-invalid-this");
    exports2.default = (0, util_1.createRule)({
      name: "no-invalid-this",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow `this` keywords outside of classes or class-like objects",
          extendsBaseRule: true
        },
        messages: baseRule2.meta.messages,
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema
      },
      defaultOptions: [{ capIsConstructor: true }],
      create(context) {
        const rules = baseRule2.create(context);
        const thisIsValidStack = [];
        return {
          ...rules,
          PropertyDefinition() {
            thisIsValidStack.push(true);
          },
          "PropertyDefinition:exit"() {
            thisIsValidStack.pop();
          },
          AccessorProperty() {
            thisIsValidStack.push(true);
          },
          "AccessorProperty:exit"() {
            thisIsValidStack.pop();
          },
          FunctionDeclaration(node) {
            thisIsValidStack.push(node.params.some((param) => param.type === utils_1.AST_NODE_TYPES.Identifier && param.name === "this"));
          },
          "FunctionDeclaration:exit"() {
            thisIsValidStack.pop();
          },
          FunctionExpression(node) {
            thisIsValidStack.push(node.params.some((param) => param.type === utils_1.AST_NODE_TYPES.Identifier && param.name === "this"));
          },
          "FunctionExpression:exit"() {
            thisIsValidStack.pop();
          },
          ThisExpression(node) {
            const thisIsValidHere = thisIsValidStack[thisIsValidStack.length - 1];
            if (thisIsValidHere) {
              return;
            }
            rules.ThisExpression(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-invalid-void-type.js
var require_no_invalid_void_type2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-invalid-void-type.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-invalid-void-type",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow `void` type outside of generic or return types",
          recommended: "strict"
        },
        messages: {
          invalidVoidForGeneric: "{{ generic }} may not have void as a type argument.",
          invalidVoidNotReturnOrGeneric: "void is only valid as a return type or generic type argument.",
          invalidVoidNotReturn: "void is only valid as a return type.",
          invalidVoidNotReturnOrThisParam: "void is only valid as return type or type of `this` parameter.",
          invalidVoidNotReturnOrThisParamOrGeneric: "void is only valid as a return type or generic type argument or the type of a `this` parameter.",
          invalidVoidUnionConstituent: "void is not valid as a constituent in a union type"
        },
        schema: [
          {
            type: "object",
            properties: {
              allowInGenericTypeArguments: {
                oneOf: [
                  { type: "boolean" },
                  {
                    type: "array",
                    items: { type: "string" },
                    minItems: 1
                  }
                ]
              },
              allowAsThisParameter: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        { allowInGenericTypeArguments: true, allowAsThisParameter: false }
      ],
      create(context, [{ allowInGenericTypeArguments, allowAsThisParameter }]) {
        const validParents = [
          utils_1.AST_NODE_TYPES.TSTypeAnnotation
          //
        ];
        const invalidGrandParents = [
          utils_1.AST_NODE_TYPES.TSPropertySignature,
          utils_1.AST_NODE_TYPES.CallExpression,
          utils_1.AST_NODE_TYPES.PropertyDefinition,
          utils_1.AST_NODE_TYPES.Identifier
        ];
        const validUnionMembers = [
          utils_1.AST_NODE_TYPES.TSVoidKeyword,
          utils_1.AST_NODE_TYPES.TSNeverKeyword
        ];
        if (allowInGenericTypeArguments === true) {
          validParents.push(utils_1.AST_NODE_TYPES.TSTypeParameterInstantiation);
        }
        function checkGenericTypeArgument(node) {
          if (node.parent.type !== utils_1.AST_NODE_TYPES.TSTypeParameterInstantiation || node.parent.parent.type !== utils_1.AST_NODE_TYPES.TSTypeReference) {
            return;
          }
          if (Array.isArray(allowInGenericTypeArguments)) {
            const fullyQualifiedName = context.sourceCode.getText(node.parent.parent.typeName).replace(/ /gu, "");
            if (!allowInGenericTypeArguments.map((s) => s.replace(/ /gu, "")).includes(fullyQualifiedName)) {
              context.report({
                messageId: "invalidVoidForGeneric",
                data: { generic: fullyQualifiedName },
                node
              });
            }
            return;
          }
          if (!allowInGenericTypeArguments) {
            context.report({
              messageId: allowAsThisParameter ? "invalidVoidNotReturnOrThisParam" : "invalidVoidNotReturn",
              node
            });
          }
        }
        function checkDefaultVoid(node, parentNode) {
          if (parentNode.default !== node) {
            context.report({
              messageId: getNotReturnOrGenericMessageId(node),
              node
            });
          }
        }
        function isValidUnionType(node) {
          return node.types.every((member) => validUnionMembers.includes(member.type) || // allows any T<..., void, ...> here, checked by checkGenericTypeArgument
          member.type === utils_1.AST_NODE_TYPES.TSTypeReference && member.typeArguments?.type === utils_1.AST_NODE_TYPES.TSTypeParameterInstantiation && member.typeArguments.params.map((param) => param.type).includes(utils_1.AST_NODE_TYPES.TSVoidKeyword));
        }
        return {
          TSVoidKeyword(node) {
            if (node.parent.type === utils_1.AST_NODE_TYPES.TSTypeParameterInstantiation && node.parent.parent.type === utils_1.AST_NODE_TYPES.TSTypeReference) {
              checkGenericTypeArgument(node);
              return;
            }
            if (allowInGenericTypeArguments && node.parent.type === utils_1.AST_NODE_TYPES.TSTypeParameter && node.parent.default?.type === utils_1.AST_NODE_TYPES.TSVoidKeyword) {
              checkDefaultVoid(node, node.parent);
              return;
            }
            if (node.parent.type === utils_1.AST_NODE_TYPES.TSUnionType && isValidUnionType(node.parent)) {
              return;
            }
            if (allowAsThisParameter && node.parent.type === utils_1.AST_NODE_TYPES.TSTypeAnnotation && node.parent.parent.type === utils_1.AST_NODE_TYPES.Identifier && node.parent.parent.name === "this") {
              return;
            }
            if (validParents.includes(node.parent.type) && // https://github.com/typescript-eslint/typescript-eslint/issues/6225
            // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
            !invalidGrandParents.includes(node.parent.parent.type)) {
              return;
            }
            context.report({
              messageId: allowInGenericTypeArguments && allowAsThisParameter ? "invalidVoidNotReturnOrThisParamOrGeneric" : allowInGenericTypeArguments ? getNotReturnOrGenericMessageId(node) : allowAsThisParameter ? "invalidVoidNotReturnOrThisParam" : "invalidVoidNotReturn",
              node
            });
          }
        };
      }
    });
    function getNotReturnOrGenericMessageId(node) {
      return node.parent.type === utils_1.AST_NODE_TYPES.TSUnionType ? "invalidVoidUnionConstituent" : "invalidVoidNotReturnOrGeneric";
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-loop-func.js
var require_no_loop_func2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-loop-func.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-loop-func");
    exports2.default = (0, util_1.createRule)({
      name: "no-loop-func",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow function declarations that contain unsafe references inside loop statements",
          extendsBaseRule: true
        },
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: [],
        messages: baseRule2.meta.messages
      },
      defaultOptions: [],
      create(context) {
        function checkForLoops(node) {
          const loopNode = getContainingLoopNode(node);
          if (!loopNode) {
            return;
          }
          const references = context.sourceCode.getScope(node).through;
          const unsafeRefs = references.filter((r) => !isSafe(loopNode, r)).map((r) => r.identifier.name);
          if (unsafeRefs.length > 0) {
            context.report({
              node,
              messageId: "unsafeRefs",
              data: { varNames: `'${unsafeRefs.join("', '")}'` }
            });
          }
        }
        return {
          ArrowFunctionExpression: checkForLoops,
          FunctionExpression: checkForLoops,
          FunctionDeclaration: checkForLoops
        };
      }
    });
    function getContainingLoopNode(node) {
      for (let currentNode = node; currentNode.parent; currentNode = currentNode.parent) {
        const parent = currentNode.parent;
        switch (parent.type) {
          case utils_1.AST_NODE_TYPES.WhileStatement:
          case utils_1.AST_NODE_TYPES.DoWhileStatement:
            return parent;
          case utils_1.AST_NODE_TYPES.ForStatement:
            if (parent.init !== currentNode) {
              return parent;
            }
            break;
          case utils_1.AST_NODE_TYPES.ForInStatement:
          case utils_1.AST_NODE_TYPES.ForOfStatement:
            if (parent.right !== currentNode) {
              return parent;
            }
            break;
          case utils_1.AST_NODE_TYPES.ArrowFunctionExpression:
          case utils_1.AST_NODE_TYPES.FunctionExpression:
          case utils_1.AST_NODE_TYPES.FunctionDeclaration:
            return null;
          default:
            break;
        }
      }
      return null;
    }
    function getTopLoopNode(node, excludedNode) {
      const border = excludedNode ? excludedNode.range[1] : 0;
      let retv = node;
      let containingLoopNode = node;
      while (containingLoopNode && containingLoopNode.range[0] >= border) {
        retv = containingLoopNode;
        containingLoopNode = getContainingLoopNode(containingLoopNode);
      }
      return retv;
    }
    function isSafe(loopNode, reference) {
      const variable = reference.resolved;
      const definition = variable?.defs[0];
      const declaration = definition?.parent;
      const kind = declaration?.type === utils_1.AST_NODE_TYPES.VariableDeclaration ? declaration.kind : "";
      if (reference.isTypeReference) {
        return true;
      }
      if (kind === "const") {
        return true;
      }
      if (kind === "let" && declaration && declaration.range[0] > loopNode.range[0] && declaration.range[1] < loopNode.range[1]) {
        return true;
      }
      const border = getTopLoopNode(loopNode, kind === "let" ? declaration : null).range[0];
      function isSafeReference(upperRef) {
        const id = upperRef.identifier;
        return !upperRef.isWrite() || variable?.scope.variableScope === upperRef.from.variableScope && id.range[0] < border;
      }
      return variable?.references.every(isSafeReference) ?? false;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-loss-of-precision.js
var require_no_loss_of_precision2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-loss-of-precision.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-loss-of-precision");
    exports2.default = (0, util_1.createRule)({
      name: "no-loss-of-precision",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow literal numbers that lose precision",
          recommended: "recommended",
          extendsBaseRule: true
        },
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: [],
        messages: baseRule2.meta.messages
      },
      defaultOptions: [],
      create(context) {
        const rules = baseRule2.create(context);
        function isSeparatedNumeric(node) {
          return typeof node.value === "number" && node.raw.includes("_");
        }
        return {
          Literal(node) {
            rules.Literal({
              ...node,
              raw: isSeparatedNumeric(node) ? node.raw.replace(/_/g, "") : node.raw
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-magic-numbers.js
var require_no_magic_numbers2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-magic-numbers.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-magic-numbers");
    var schema30 = (0, util_1.deepMerge)(
      // eslint-disable-next-line @typescript-eslint/no-unsafe-argument -- https://github.com/microsoft/TypeScript/issues/17002
      Array.isArray(baseRule2.meta.schema) ? baseRule2.meta.schema[0] : baseRule2.meta.schema,
      {
        properties: {
          ignoreNumericLiteralTypes: {
            type: "boolean"
          },
          ignoreEnums: {
            type: "boolean"
          },
          ignoreReadonlyClassProperties: {
            type: "boolean"
          },
          ignoreTypeIndexes: {
            type: "boolean"
          }
        }
      }
    );
    exports2.default = (0, util_1.createRule)({
      name: "no-magic-numbers",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow magic numbers",
          extendsBaseRule: true
        },
        schema: [schema30],
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        {
          ignore: [],
          ignoreArrayIndexes: false,
          enforceConst: false,
          detectObjects: false,
          ignoreNumericLiteralTypes: false,
          ignoreEnums: false,
          ignoreReadonlyClassProperties: false,
          ignoreTypeIndexes: false
        }
      ],
      create(context, [options]) {
        const rules = baseRule2.create(context);
        const ignored3 = new Set((options.ignore ?? []).map(normalizeIgnoreValue));
        return {
          Literal(node) {
            if (typeof node.value !== "number" && typeof node.value !== "bigint") {
              return;
            }
            let isAllowed;
            if (ignored3.has(normalizeLiteralValue(node, node.value))) {
              isAllowed = true;
            } else if (isParentTSEnumDeclaration(node)) {
              isAllowed = options.ignoreEnums === true;
            } else if (isTSNumericLiteralType(node)) {
              isAllowed = options.ignoreNumericLiteralTypes === true;
            } else if (isAncestorTSIndexedAccessType(node)) {
              isAllowed = options.ignoreTypeIndexes === true;
            } else if (isParentTSReadonlyPropertyDefinition(node)) {
              isAllowed = options.ignoreReadonlyClassProperties === true;
            }
            if (isAllowed === true) {
              return;
            } else if (isAllowed === false) {
              let fullNumberNode = node;
              let raw = node.raw;
              if (node.parent.type === utils_1.AST_NODE_TYPES.UnaryExpression && // the base rule only shows the operator for negative numbers
              // https://github.com/eslint/eslint/blob/9dfc8501fb1956c90dc11e6377b4cb38a6bea65d/lib/rules/no-magic-numbers.js#L126
              node.parent.operator === "-") {
                fullNumberNode = node.parent;
                raw = `${node.parent.operator}${node.raw}`;
              }
              context.report({
                messageId: "noMagic",
                node: fullNumberNode,
                data: { raw }
              });
              return;
            }
            rules.Literal(node);
          }
        };
      }
    });
    function normalizeIgnoreValue(value) {
      if (typeof value === "string") {
        return BigInt(value.slice(0, -1));
      }
      return value;
    }
    function normalizeLiteralValue(node, value) {
      if (node.parent.type === utils_1.AST_NODE_TYPES.UnaryExpression && ["-", "+"].includes(node.parent.operator)) {
        if (node.parent.operator === "-") {
          return -value;
        }
      }
      return value;
    }
    function getLiteralParent(node) {
      if (node.parent.type === utils_1.AST_NODE_TYPES.UnaryExpression && ["-", "+"].includes(node.parent.operator)) {
        return node.parent.parent;
      }
      return node.parent;
    }
    function isGrandparentTSTypeAliasDeclaration(node) {
      return node.parent?.parent?.type === utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration;
    }
    function isGrandparentTSUnionType(node) {
      if (node.parent?.parent?.type === utils_1.AST_NODE_TYPES.TSUnionType) {
        return isGrandparentTSTypeAliasDeclaration(node.parent);
      }
      return false;
    }
    function isParentTSEnumDeclaration(node) {
      const parent = getLiteralParent(node);
      return parent?.type === utils_1.AST_NODE_TYPES.TSEnumMember;
    }
    function isParentTSLiteralType(node) {
      return node.parent?.type === utils_1.AST_NODE_TYPES.TSLiteralType;
    }
    function isTSNumericLiteralType(node) {
      if (node.parent?.type === utils_1.AST_NODE_TYPES.UnaryExpression && node.parent.operator === "-") {
        node = node.parent;
      }
      if (!isParentTSLiteralType(node)) {
        return false;
      }
      if (isGrandparentTSTypeAliasDeclaration(node)) {
        return true;
      }
      if (isGrandparentTSUnionType(node)) {
        return true;
      }
      return false;
    }
    function isParentTSReadonlyPropertyDefinition(node) {
      const parent = getLiteralParent(node);
      if (parent?.type === utils_1.AST_NODE_TYPES.PropertyDefinition && parent.readonly) {
        return true;
      }
      return false;
    }
    function isAncestorTSIndexedAccessType(node) {
      let ancestor = getLiteralParent(node);
      while (ancestor?.parent?.type === utils_1.AST_NODE_TYPES.TSUnionType || ancestor?.parent?.type === utils_1.AST_NODE_TYPES.TSIntersectionType) {
        ancestor = ancestor.parent;
      }
      return ancestor?.parent?.type === utils_1.AST_NODE_TYPES.TSIndexedAccessType;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-meaningless-void-operator.js
var require_no_meaningless_void_operator2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-meaningless-void-operator.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-meaningless-void-operator",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow the `void` operator except when used to discard a value",
          recommended: "strict",
          requiresTypeChecking: true
        },
        fixable: "code",
        hasSuggestions: true,
        messages: {
          meaninglessVoidOperator: "void operator shouldn't be used on {{type}}; it should convey that a return value is being ignored",
          removeVoid: "Remove 'void'"
        },
        schema: [
          {
            type: "object",
            properties: {
              checkNever: {
                type: "boolean",
                default: false
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [{ checkNever: false }],
      create(context, [{ checkNever }]) {
        const services = utils_1.ESLintUtils.getParserServices(context);
        const checker = services.program.getTypeChecker();
        return {
          'UnaryExpression[operator="void"]'(node) {
            const fix11 = (fixer) => {
              return fixer.removeRange([
                context.sourceCode.getTokens(node)[0].range[0],
                context.sourceCode.getTokens(node)[1].range[0]
              ]);
            };
            const argType = services.getTypeAtLocation(node.argument);
            const unionParts = tsutils.unionTypeParts(argType);
            if (unionParts.every((part) => part.flags & (ts.TypeFlags.Void | ts.TypeFlags.Undefined))) {
              context.report({
                node,
                messageId: "meaninglessVoidOperator",
                data: { type: checker.typeToString(argType) },
                fix: fix11
              });
            } else if (checkNever && unionParts.every((part) => part.flags & (ts.TypeFlags.Void | ts.TypeFlags.Undefined | ts.TypeFlags.Never))) {
              context.report({
                node,
                messageId: "meaninglessVoidOperator",
                data: { type: checker.typeToString(argType) },
                suggest: [{ messageId: "removeVoid", fix: fix11 }]
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-misused-new.js
var require_no_misused_new2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-misused-new.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-misused-new",
      meta: {
        type: "problem",
        docs: {
          description: "Enforce valid definition of `new` and `constructor`",
          recommended: "recommended"
        },
        schema: [],
        messages: {
          errorMessageInterface: "Interfaces cannot be constructed, only classes.",
          errorMessageClass: "Class cannot have method named `new`."
        }
      },
      defaultOptions: [],
      create(context) {
        function getTypeReferenceName(node) {
          if (node) {
            switch (node.type) {
              case utils_1.AST_NODE_TYPES.TSTypeAnnotation:
                return getTypeReferenceName(node.typeAnnotation);
              case utils_1.AST_NODE_TYPES.TSTypeReference:
                return getTypeReferenceName(node.typeName);
              case utils_1.AST_NODE_TYPES.Identifier:
                return node.name;
              default:
                break;
            }
          }
          return null;
        }
        function isMatchingParentType(parent, returnType) {
          if (parent && (parent.type === utils_1.AST_NODE_TYPES.ClassDeclaration || parent.type === utils_1.AST_NODE_TYPES.ClassExpression || parent.type === utils_1.AST_NODE_TYPES.TSInterfaceDeclaration) && parent.id) {
            return getTypeReferenceName(returnType) === parent.id.name;
          }
          return false;
        }
        return {
          "TSInterfaceBody > TSConstructSignatureDeclaration"(node) {
            if (isMatchingParentType(node.parent.parent, node.returnType)) {
              context.report({
                node,
                messageId: "errorMessageInterface"
              });
            }
          },
          "TSMethodSignature[key.name='constructor']"(node) {
            context.report({
              node,
              messageId: "errorMessageInterface"
            });
          },
          "ClassBody > MethodDefinition[key.name='new']"(node) {
            if (node.value.type === utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression) {
              if (isMatchingParentType(node.parent.parent, node.value.returnType)) {
                context.report({
                  node,
                  messageId: "errorMessageClass"
                });
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-misused-promises.js
var require_no_misused_promises2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-misused-promises.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    function parseChecksVoidReturn(checksVoidReturn) {
      switch (checksVoidReturn) {
        case false:
          return false;
        case true:
        case void 0:
          return {
            arguments: true,
            attributes: true,
            properties: true,
            returns: true,
            variables: true
          };
        default:
          return {
            arguments: checksVoidReturn.arguments ?? true,
            attributes: checksVoidReturn.attributes ?? true,
            properties: checksVoidReturn.properties ?? true,
            returns: checksVoidReturn.returns ?? true,
            variables: checksVoidReturn.variables ?? true
          };
      }
    }
    exports2.default = (0, util_1.createRule)({
      name: "no-misused-promises",
      meta: {
        docs: {
          description: "Disallow Promises in places not designed to handle them",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          voidReturnArgument: "Promise returned in function argument where a void return was expected.",
          voidReturnVariable: "Promise-returning function provided to variable where a void return was expected.",
          voidReturnProperty: "Promise-returning function provided to property where a void return was expected.",
          voidReturnReturnValue: "Promise-returning function provided to return value where a void return was expected.",
          voidReturnAttribute: "Promise-returning function provided to attribute where a void return was expected.",
          conditional: "Expected non-Promise value in a boolean conditional.",
          spread: "Expected a non-Promise value to be spreaded in an object."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              checksConditionals: {
                type: "boolean"
              },
              checksVoidReturn: {
                oneOf: [
                  { type: "boolean" },
                  {
                    additionalProperties: false,
                    properties: {
                      arguments: { type: "boolean" },
                      attributes: { type: "boolean" },
                      properties: { type: "boolean" },
                      returns: { type: "boolean" },
                      variables: { type: "boolean" }
                    },
                    type: "object"
                  }
                ]
              },
              checksSpreads: {
                type: "boolean"
              }
            }
          }
        ],
        type: "problem"
      },
      defaultOptions: [
        {
          checksConditionals: true,
          checksVoidReturn: true,
          checksSpreads: true
        }
      ],
      create(context, [{ checksConditionals, checksVoidReturn, checksSpreads }]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const checkedNodes = /* @__PURE__ */ new Set();
        const conditionalChecks = {
          ConditionalExpression: checkTestConditional,
          DoWhileStatement: checkTestConditional,
          ForStatement: checkTestConditional,
          IfStatement: checkTestConditional,
          LogicalExpression: checkConditional,
          'UnaryExpression[operator="!"]'(node) {
            checkConditional(node.argument, true);
          },
          WhileStatement: checkTestConditional
        };
        checksVoidReturn = parseChecksVoidReturn(checksVoidReturn);
        const voidReturnChecks = checksVoidReturn ? {
          ...checksVoidReturn.arguments && {
            CallExpression: checkArguments,
            NewExpression: checkArguments
          },
          ...checksVoidReturn.attributes && {
            JSXAttribute: checkJSXAttribute
          },
          ...checksVoidReturn.properties && {
            Property: checkProperty2
          },
          ...checksVoidReturn.returns && {
            ReturnStatement: checkReturnStatement
          },
          ...checksVoidReturn.variables && {
            AssignmentExpression: checkAssignment,
            VariableDeclarator: checkVariableDeclaration
          }
        } : {};
        const spreadChecks = {
          SpreadElement: checkSpread
        };
        function checkTestConditional(node) {
          if (node.test) {
            checkConditional(node.test, true);
          }
        }
        function checkConditional(node, isTestExpr = false) {
          if (checkedNodes.has(node)) {
            return;
          }
          checkedNodes.add(node);
          if (node.type === utils_1.AST_NODE_TYPES.LogicalExpression) {
            if (node.operator !== "??" || isTestExpr) {
              checkConditional(node.left, isTestExpr);
            }
            if (isTestExpr) {
              checkConditional(node.right, isTestExpr);
            }
            return;
          }
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          if (isAlwaysThenable(checker, tsNode)) {
            context.report({
              messageId: "conditional",
              node
            });
          }
        }
        function checkArguments(node) {
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          const voidArgs = voidFunctionArguments(checker, tsNode);
          if (voidArgs.size === 0) {
            return;
          }
          for (const [index, argument] of node.arguments.entries()) {
            if (!voidArgs.has(index)) {
              continue;
            }
            const tsNode2 = services.esTreeNodeToTSNodeMap.get(argument);
            if (returnsThenable(checker, tsNode2)) {
              context.report({
                messageId: "voidReturnArgument",
                node: argument
              });
            }
          }
        }
        function checkAssignment(node) {
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          const varType = services.getTypeAtLocation(node.left);
          if (!isVoidReturningFunctionType(checker, tsNode.left, varType)) {
            return;
          }
          if (returnsThenable(checker, tsNode.right)) {
            context.report({
              messageId: "voidReturnVariable",
              node: node.right
            });
          }
        }
        function checkVariableDeclaration(node) {
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          if (tsNode.initializer === void 0 || node.init == null) {
            return;
          }
          const varType = services.getTypeAtLocation(node.id);
          if (!isVoidReturningFunctionType(checker, tsNode.initializer, varType)) {
            return;
          }
          if (returnsThenable(checker, tsNode.initializer)) {
            context.report({
              messageId: "voidReturnVariable",
              node: node.init
            });
          }
        }
        function checkProperty2(node) {
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          if (ts.isPropertyAssignment(tsNode)) {
            const contextualType = checker.getContextualType(tsNode.initializer);
            if (contextualType !== void 0 && isVoidReturningFunctionType(checker, tsNode.initializer, contextualType) && returnsThenable(checker, tsNode.initializer)) {
              context.report({
                messageId: "voidReturnProperty",
                node: node.value
              });
            }
          } else if (ts.isShorthandPropertyAssignment(tsNode)) {
            const contextualType = checker.getContextualType(tsNode.name);
            if (contextualType !== void 0 && isVoidReturningFunctionType(checker, tsNode.name, contextualType) && returnsThenable(checker, tsNode.name)) {
              context.report({
                messageId: "voidReturnProperty",
                node: node.value
              });
            }
          } else if (ts.isMethodDeclaration(tsNode)) {
            if (ts.isComputedPropertyName(tsNode.name)) {
              return;
            }
            const obj = tsNode.parent;
            if (!ts.isObjectLiteralExpression(obj)) {
              return;
            }
            if (!returnsThenable(checker, tsNode)) {
              return;
            }
            const objType = checker.getContextualType(obj);
            if (objType === void 0) {
              return;
            }
            const propertySymbol = checker.getPropertyOfType(objType, tsNode.name.text);
            if (propertySymbol === void 0) {
              return;
            }
            const contextualType = checker.getTypeOfSymbolAtLocation(propertySymbol, tsNode.name);
            if (isVoidReturningFunctionType(checker, tsNode.name, contextualType)) {
              context.report({
                messageId: "voidReturnProperty",
                node: node.value
              });
            }
            return;
          }
        }
        function checkReturnStatement(node) {
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          if (tsNode.expression === void 0 || node.argument == null) {
            return;
          }
          const contextualType = checker.getContextualType(tsNode.expression);
          if (contextualType !== void 0 && isVoidReturningFunctionType(checker, tsNode.expression, contextualType) && returnsThenable(checker, tsNode.expression)) {
            context.report({
              messageId: "voidReturnReturnValue",
              node: node.argument
            });
          }
        }
        function checkJSXAttribute(node) {
          if (node.value == null || node.value.type !== utils_1.AST_NODE_TYPES.JSXExpressionContainer) {
            return;
          }
          const expressionContainer = services.esTreeNodeToTSNodeMap.get(node.value);
          const expression = services.esTreeNodeToTSNodeMap.get(node.value.expression);
          const contextualType = checker.getContextualType(expressionContainer);
          if (contextualType !== void 0 && isVoidReturningFunctionType(checker, expressionContainer, contextualType) && returnsThenable(checker, expression)) {
            context.report({
              messageId: "voidReturnAttribute",
              node: node.value
            });
          }
        }
        function checkSpread(node) {
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          if (isSometimesThenable(checker, tsNode.expression)) {
            context.report({
              messageId: "spread",
              node: node.argument
            });
          }
        }
        return {
          ...checksConditionals ? conditionalChecks : {},
          ...checksVoidReturn ? voidReturnChecks : {},
          ...checksSpreads ? spreadChecks : {}
        };
      }
    });
    function isSometimesThenable(checker, node) {
      const type = checker.getTypeAtLocation(node);
      for (const subType of tsutils.unionTypeParts(checker.getApparentType(type))) {
        if (tsutils.isThenableType(checker, node, subType)) {
          return true;
        }
      }
      return false;
    }
    function isAlwaysThenable(checker, node) {
      const type = checker.getTypeAtLocation(node);
      for (const subType of tsutils.unionTypeParts(checker.getApparentType(type))) {
        const thenProp = subType.getProperty("then");
        if (thenProp === void 0) {
          return false;
        }
        const thenType = checker.getTypeOfSymbolAtLocation(thenProp, node);
        let hasThenableSignature = false;
        for (const subType2 of tsutils.unionTypeParts(thenType)) {
          for (const signature of subType2.getCallSignatures()) {
            if (signature.parameters.length !== 0 && isFunctionParam(checker, signature.parameters[0], node)) {
              hasThenableSignature = true;
              break;
            }
          }
          if (hasThenableSignature) {
            break;
          }
        }
        if (!hasThenableSignature) {
          return false;
        }
      }
      return true;
    }
    function isFunctionParam(checker, param, node) {
      const type = checker.getApparentType(checker.getTypeOfSymbolAtLocation(param, node));
      for (const subType of tsutils.unionTypeParts(type)) {
        if (subType.getCallSignatures().length !== 0) {
          return true;
        }
      }
      return false;
    }
    function checkThenableOrVoidArgument(checker, node, type, index, thenableReturnIndices, voidReturnIndices) {
      if (isThenableReturningFunctionType(checker, node.expression, type)) {
        thenableReturnIndices.add(index);
      } else if (isVoidReturningFunctionType(checker, node.expression, type)) {
        if (!thenableReturnIndices.has(index)) {
          voidReturnIndices.add(index);
        }
      }
    }
    function voidFunctionArguments(checker, node) {
      if (!node.arguments) {
        return /* @__PURE__ */ new Set();
      }
      const thenableReturnIndices = /* @__PURE__ */ new Set();
      const voidReturnIndices = /* @__PURE__ */ new Set();
      const type = checker.getTypeAtLocation(node.expression);
      for (const subType of tsutils.unionTypeParts(type)) {
        const signatures = ts.isCallExpression(node) ? subType.getCallSignatures() : subType.getConstructSignatures();
        for (const signature of signatures) {
          for (const [index, parameter] of signature.parameters.entries()) {
            const decl = parameter.valueDeclaration;
            let type2 = checker.getTypeOfSymbolAtLocation(parameter, node.expression);
            if (decl && (0, util_1.isRestParameterDeclaration)(decl)) {
              if (checker.isArrayType(type2)) {
                type2 = checker.getTypeArguments(type2)[0];
                for (let i = index; i < node.arguments.length; i++) {
                  checkThenableOrVoidArgument(checker, node, type2, i, thenableReturnIndices, voidReturnIndices);
                }
              } else if (checker.isTupleType(type2)) {
                const typeArgs = checker.getTypeArguments(type2);
                for (let i = index; i < node.arguments.length && i - index < typeArgs.length; i++) {
                  checkThenableOrVoidArgument(checker, node, typeArgs[i - index], i, thenableReturnIndices, voidReturnIndices);
                }
              }
            } else {
              checkThenableOrVoidArgument(checker, node, type2, index, thenableReturnIndices, voidReturnIndices);
            }
          }
        }
      }
      for (const index of thenableReturnIndices) {
        voidReturnIndices.delete(index);
      }
      return voidReturnIndices;
    }
    function anySignatureIsThenableType(checker, node, type) {
      for (const signature of type.getCallSignatures()) {
        const returnType = signature.getReturnType();
        if (tsutils.isThenableType(checker, node, returnType)) {
          return true;
        }
      }
      return false;
    }
    function isThenableReturningFunctionType(checker, node, type) {
      for (const subType of tsutils.unionTypeParts(type)) {
        if (anySignatureIsThenableType(checker, node, subType)) {
          return true;
        }
      }
      return false;
    }
    function isVoidReturningFunctionType(checker, node, type) {
      let hadVoidReturn = false;
      for (const subType of tsutils.unionTypeParts(type)) {
        for (const signature of subType.getCallSignatures()) {
          const returnType = signature.getReturnType();
          if (tsutils.isThenableType(checker, node, returnType)) {
            return false;
          }
          hadVoidReturn ||= tsutils.isTypeFlagSet(returnType, ts.TypeFlags.Void);
        }
      }
      return hadVoidReturn;
    }
    function returnsThenable(checker, node) {
      const type = checker.getApparentType(checker.getTypeAtLocation(node));
      return tsutils.unionTypeParts(type).some((t) => anySignatureIsThenableType(checker, node, t));
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-mixed-enums.js
var require_no_mixed_enums2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-mixed-enums.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    var AllowedType;
    (function(AllowedType2) {
      AllowedType2[AllowedType2["Number"] = 0] = "Number";
      AllowedType2[AllowedType2["String"] = 1] = "String";
      AllowedType2[AllowedType2["Unknown"] = 2] = "Unknown";
    })(AllowedType || (AllowedType = {}));
    exports2.default = (0, util_1.createRule)({
      name: "no-mixed-enums",
      meta: {
        docs: {
          description: "Disallow enums from having both number and string members",
          recommended: "strict",
          requiresTypeChecking: true
        },
        messages: {
          mixed: `Mixing number and string enums can be confusing.`
        },
        schema: [],
        type: "problem"
      },
      defaultOptions: [],
      create(context) {
        const parserServices = (0, util_1.getParserServices)(context);
        const typeChecker = parserServices.program.getTypeChecker();
        function collectNodeDefinitions(node) {
          const { name } = node.id;
          const found = {
            imports: [],
            previousSibling: void 0
          };
          let scope = context.sourceCode.getScope(node);
          for (const definition of scope.upper?.set.get(name)?.defs ?? []) {
            if (definition.node.type === utils_1.AST_NODE_TYPES.TSEnumDeclaration && definition.node.range[0] < node.range[0] && definition.node.members.length > 0) {
              found.previousSibling = definition.node;
              break;
            }
          }
          while (scope) {
            scope.set.get(name)?.defs.forEach((definition) => {
              if (definition.type === scope_manager_1.DefinitionType.ImportBinding) {
                found.imports.push(definition.node);
              }
            });
            scope = scope.upper;
          }
          return found;
        }
        function getAllowedTypeForNode(node) {
          return tsutils.isTypeFlagSet(typeChecker.getTypeAtLocation(node), ts.TypeFlags.StringLike) ? AllowedType.String : AllowedType.Number;
        }
        function getTypeFromImported(imported) {
          const type = typeChecker.getTypeAtLocation(parserServices.esTreeNodeToTSNodeMap.get(imported));
          const valueDeclaration = type.getSymbol()?.valueDeclaration;
          if (!valueDeclaration || !ts.isEnumDeclaration(valueDeclaration) || valueDeclaration.members.length === 0) {
            return void 0;
          }
          return getAllowedTypeForNode(valueDeclaration.members[0]);
        }
        function getMemberType(member) {
          if (!member.initializer) {
            return AllowedType.Number;
          }
          switch (member.initializer.type) {
            case utils_1.AST_NODE_TYPES.Literal:
              switch (typeof member.initializer.value) {
                case "number":
                  return AllowedType.Number;
                case "string":
                  return AllowedType.String;
                default:
                  return AllowedType.Unknown;
              }
            case utils_1.AST_NODE_TYPES.TemplateLiteral:
              return AllowedType.String;
            default:
              return getAllowedTypeForNode(parserServices.esTreeNodeToTSNodeMap.get(member.initializer));
          }
        }
        function getDesiredTypeForDefinition(node) {
          const { imports, previousSibling } = collectNodeDefinitions(node);
          for (const imported of imports) {
            const typeFromImported = getTypeFromImported(imported);
            if (typeFromImported !== void 0) {
              return typeFromImported;
            }
          }
          if (previousSibling) {
            return getMemberType(previousSibling.members[0]);
          }
          if (node.parent.type === utils_1.AST_NODE_TYPES.ExportNamedDeclaration && node.parent.parent.type === utils_1.AST_NODE_TYPES.TSModuleBlock) {
            const tsNode = parserServices.esTreeNodeToTSNodeMap.get(node.id);
            const declarations = typeChecker.getSymbolAtLocation(tsNode).getDeclarations();
            for (const declaration of declarations) {
              for (const member of declaration.members) {
                return member.initializer ? tsutils.isTypeFlagSet(typeChecker.getTypeAtLocation(member.initializer), ts.TypeFlags.StringLike) ? AllowedType.String : AllowedType.Number : AllowedType.Number;
              }
            }
          }
          return getMemberType(node.members[0]);
        }
        return {
          TSEnumDeclaration(node) {
            if (!node.members.length) {
              return;
            }
            let desiredType = getDesiredTypeForDefinition(node);
            if (desiredType === ts.TypeFlags.Unknown) {
              return;
            }
            for (const member of node.members) {
              const currentType = getMemberType(member);
              if (currentType === AllowedType.Unknown) {
                return;
              }
              if (currentType === AllowedType.Number) {
                desiredType ??= currentType;
              }
              if (currentType !== desiredType) {
                context.report({
                  messageId: "mixed",
                  node: member.initializer ?? member
                });
                return;
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-namespace.js
var require_no_namespace3 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-namespace.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-namespace",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow TypeScript namespaces",
          recommended: "recommended"
        },
        messages: {
          moduleSyntaxIsPreferred: "ES2015 module syntax is preferred over namespaces."
        },
        schema: [
          {
            type: "object",
            properties: {
              allowDeclarations: {
                description: "Whether to allow `declare` with custom TypeScript namespaces.",
                type: "boolean"
              },
              allowDefinitionFiles: {
                description: "Whether to allow `declare` with custom TypeScript namespaces inside definition files.",
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          allowDeclarations: false,
          allowDefinitionFiles: true
        }
      ],
      create(context, [{ allowDeclarations, allowDefinitionFiles }]) {
        function isDeclaration(node) {
          if (node.type === utils_1.AST_NODE_TYPES.TSModuleDeclaration && node.declare) {
            return true;
          }
          return node.parent != null && isDeclaration(node.parent);
        }
        return {
          "TSModuleDeclaration[global!=true][id.type!='Literal']"(node) {
            if (node.parent.type === utils_1.AST_NODE_TYPES.TSModuleDeclaration || allowDefinitionFiles && (0, util_1.isDefinitionFile)(context.filename) || allowDeclarations && isDeclaration(node)) {
              return;
            }
            context.report({
              node,
              messageId: "moduleSyntaxIsPreferred"
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-non-null-asserted-nullish-coalescing.js
var require_no_non_null_asserted_nullish_coalescing2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-non-null-asserted-nullish-coalescing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    function hasAssignmentBeforeNode(variable, node) {
      return variable.references.some((ref) => ref.isWrite() && ref.identifier.range[1] < node.range[1]) || variable.defs.some((def) => isDefinitionWithAssignment(def) && def.node.range[1] < node.range[1]);
    }
    function isDefinitionWithAssignment(definition) {
      if (definition.type !== scope_manager_1.DefinitionType.Variable) {
        return false;
      }
      const variableDeclarator = definition.node;
      return variableDeclarator.definite || variableDeclarator.init != null;
    }
    exports2.default = (0, util_1.createRule)({
      name: "no-non-null-asserted-nullish-coalescing",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow non-null assertions in the left operand of a nullish coalescing operator",
          recommended: "strict"
        },
        messages: {
          noNonNullAssertedNullishCoalescing: "The nullish coalescing operator is designed to handle undefined and null - using a non-null assertion is not needed.",
          suggestRemovingNonNull: "Remove the non-null assertion."
        },
        schema: [],
        hasSuggestions: true
      },
      defaultOptions: [],
      create(context) {
        return {
          'LogicalExpression[operator = "??"] > TSNonNullExpression.left'(node) {
            if (node.expression.type === utils_1.TSESTree.AST_NODE_TYPES.Identifier) {
              const scope = context.sourceCode.getScope(node);
              const identifier = node.expression;
              const variable = utils_1.ASTUtils.findVariable(scope, identifier.name);
              if (variable && !hasAssignmentBeforeNode(variable, node)) {
                return;
              }
            }
            context.report({
              node,
              messageId: "noNonNullAssertedNullishCoalescing",
              /*
                        Use a suggestion instead of a fixer, because this can break type checks.
                        The resulting type of the nullish coalesce is only influenced by the right operand if the left operand can be `null` or `undefined`.
                        After removing the non-null assertion the type of the left operand might contain `null` or `undefined` and then the type of the right operand
                        might change the resulting type of the nullish coalesce.
                        See the following example:
              
                        function test(x?: string): string {
                          const bar = x! ?? false; // type analysis reports `bar` has type `string`
                          //          x  ?? false; // type analysis reports `bar` has type `string | false`
                          return bar;
                        }
                        */
              suggest: [
                {
                  messageId: "suggestRemovingNonNull",
                  fix(fixer) {
                    const exclamationMark = (0, util_1.nullThrows)(context.sourceCode.getLastToken(node, utils_1.ASTUtils.isNonNullAssertionPunctuator), util_1.NullThrowsReasons.MissingToken("!", "Non-null Assertion"));
                    return fixer.remove(exclamationMark);
                  }
                }
              ]
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-non-null-asserted-optional-chain.js
var require_no_non_null_asserted_optional_chain2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-non-null-asserted-optional-chain.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-non-null-asserted-optional-chain",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow non-null assertions after an optional chain expression",
          recommended: "recommended"
        },
        hasSuggestions: true,
        messages: {
          noNonNullOptionalChain: "Optional chain expressions can return undefined by design - using a non-null assertion is unsafe and wrong.",
          suggestRemovingNonNull: "You should remove the non-null assertion."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        return {
          // non-nulling a wrapped chain will scrub all nulls introduced by the chain
          // (x?.y)!
          // (x?.())!
          "TSNonNullExpression > ChainExpression"(node) {
            const parent = node.parent;
            context.report({
              node,
              messageId: "noNonNullOptionalChain",
              // use a suggestion instead of a fixer, because this can obviously break type checks
              suggest: [
                {
                  messageId: "suggestRemovingNonNull",
                  fix(fixer) {
                    return fixer.removeRange([
                      parent.range[1] - 1,
                      parent.range[1]
                    ]);
                  }
                }
              ]
            });
          },
          // non-nulling at the end of a chain will scrub all nulls introduced by the chain
          // x?.y!
          // x?.()!
          "ChainExpression > TSNonNullExpression"(node) {
            context.report({
              node,
              messageId: "noNonNullOptionalChain",
              // use a suggestion instead of a fixer, because this can obviously break type checks
              suggest: [
                {
                  messageId: "suggestRemovingNonNull",
                  fix(fixer) {
                    return fixer.removeRange([node.range[1] - 1, node.range[1]]);
                  }
                }
              ]
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-non-null-assertion.js
var require_no_non_null_assertion2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-non-null-assertion.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-non-null-assertion",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow non-null assertions using the `!` postfix operator",
          recommended: "strict"
        },
        hasSuggestions: true,
        messages: {
          noNonNull: "Forbidden non-null assertion.",
          suggestOptionalChain: "Consider using the optional chain operator `?.` instead. This operator includes runtime checks, so it is safer than the compile-only non-null assertion operator."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        return {
          TSNonNullExpression(node) {
            const suggest = [];
            const nonNullOperator = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.expression, util_1.isNonNullAssertionPunctuator), util_1.NullThrowsReasons.MissingToken("!", "expression"));
            function replaceTokenWithOptional() {
              return (fixer) => fixer.replaceText(nonNullOperator, "?.");
            }
            function removeToken() {
              return (fixer) => fixer.remove(nonNullOperator);
            }
            if (node.parent.type === utils_1.AST_NODE_TYPES.MemberExpression && node.parent.object === node) {
              if (!node.parent.optional) {
                if (node.parent.computed) {
                  suggest.push({
                    messageId: "suggestOptionalChain",
                    fix: replaceTokenWithOptional()
                  });
                } else {
                  suggest.push({
                    messageId: "suggestOptionalChain",
                    fix(fixer) {
                      const punctuator = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(nonNullOperator), util_1.NullThrowsReasons.MissingToken(".", "!"));
                      return [
                        fixer.remove(nonNullOperator),
                        fixer.insertTextBefore(punctuator, "?")
                      ];
                    }
                  });
                }
              } else {
                if (node.parent.computed) {
                  suggest.push({
                    messageId: "suggestOptionalChain",
                    fix: removeToken()
                  });
                } else {
                  suggest.push({
                    messageId: "suggestOptionalChain",
                    fix: removeToken()
                  });
                }
              }
            } else if (node.parent.type === utils_1.AST_NODE_TYPES.CallExpression && node.parent.callee === node) {
              if (!node.parent.optional) {
                suggest.push({
                  messageId: "suggestOptionalChain",
                  fix: replaceTokenWithOptional()
                });
              } else {
                suggest.push({
                  messageId: "suggestOptionalChain",
                  fix: removeToken()
                });
              }
            }
            context.report({
              node,
              messageId: "noNonNull",
              suggest
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-redeclare.js
var require_no_redeclare2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-redeclare.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-redeclare",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow variable redeclaration",
          extendsBaseRule: true
        },
        schema: [
          {
            type: "object",
            properties: {
              builtinGlobals: {
                type: "boolean"
              },
              ignoreDeclarationMerge: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          redeclared: "'{{id}}' is already defined.",
          redeclaredAsBuiltin: "'{{id}}' is already defined as a built-in global variable.",
          redeclaredBySyntax: "'{{id}}' is already defined by a variable declaration."
        }
      },
      defaultOptions: [
        {
          builtinGlobals: true,
          ignoreDeclarationMerge: true
        }
      ],
      create(context, [options]) {
        const CLASS_DECLARATION_MERGE_NODES = /* @__PURE__ */ new Set([
          utils_1.AST_NODE_TYPES.TSInterfaceDeclaration,
          utils_1.AST_NODE_TYPES.TSModuleDeclaration,
          utils_1.AST_NODE_TYPES.ClassDeclaration
        ]);
        const FUNCTION_DECLARATION_MERGE_NODES = /* @__PURE__ */ new Set([
          utils_1.AST_NODE_TYPES.TSModuleDeclaration,
          utils_1.AST_NODE_TYPES.FunctionDeclaration
        ]);
        const ENUM_DECLARATION_MERGE_NODES = /* @__PURE__ */ new Set([
          utils_1.AST_NODE_TYPES.TSEnumDeclaration,
          utils_1.AST_NODE_TYPES.TSModuleDeclaration
        ]);
        function* iterateDeclarations(variable) {
          if (options.builtinGlobals && "eslintImplicitGlobalSetting" in variable && (variable.eslintImplicitGlobalSetting === "readonly" || variable.eslintImplicitGlobalSetting === "writable")) {
            yield { type: "builtin" };
          }
          if ("eslintExplicitGlobalComments" in variable && variable.eslintExplicitGlobalComments) {
            for (const comment of variable.eslintExplicitGlobalComments) {
              yield {
                type: "comment",
                node: comment,
                loc: (0, util_1.getNameLocationInGlobalDirectiveComment)(context.sourceCode, comment, variable.name)
              };
            }
          }
          const identifiers = variable.identifiers.map((id) => ({
            identifier: id,
            parent: id.parent
          })).filter(({ parent }) => parent.type !== utils_1.AST_NODE_TYPES.TSDeclareFunction);
          if (options.ignoreDeclarationMerge && identifiers.length > 1) {
            if (
              // interfaces merging
              identifiers.every(({ parent }) => parent.type === utils_1.AST_NODE_TYPES.TSInterfaceDeclaration)
            ) {
              return;
            }
            if (
              // namespace/module merging
              identifiers.every(({ parent }) => parent.type === utils_1.AST_NODE_TYPES.TSModuleDeclaration)
            ) {
              return;
            }
            if (
              // class + interface/namespace merging
              identifiers.every(({ parent }) => CLASS_DECLARATION_MERGE_NODES.has(parent.type))
            ) {
              const classDecls = identifiers.filter(({ parent }) => parent.type === utils_1.AST_NODE_TYPES.ClassDeclaration);
              if (classDecls.length === 1) {
                return;
              }
              for (const { identifier } of classDecls) {
                yield { type: "syntax", node: identifier, loc: identifier.loc };
              }
              return;
            }
            if (
              // class + interface/namespace merging
              identifiers.every(({ parent }) => FUNCTION_DECLARATION_MERGE_NODES.has(parent.type))
            ) {
              const functionDecls = identifiers.filter(({ parent }) => parent.type === utils_1.AST_NODE_TYPES.FunctionDeclaration);
              if (functionDecls.length === 1) {
                return;
              }
              for (const { identifier } of functionDecls) {
                yield { type: "syntax", node: identifier, loc: identifier.loc };
              }
              return;
            }
            if (
              // enum + namespace merging
              identifiers.every(({ parent }) => ENUM_DECLARATION_MERGE_NODES.has(parent.type))
            ) {
              const enumDecls = identifiers.filter(({ parent }) => parent.type === utils_1.AST_NODE_TYPES.TSEnumDeclaration);
              if (enumDecls.length === 1) {
                return;
              }
              for (const { identifier } of enumDecls) {
                yield { type: "syntax", node: identifier, loc: identifier.loc };
              }
              return;
            }
          }
          for (const { identifier } of identifiers) {
            yield { type: "syntax", node: identifier, loc: identifier.loc };
          }
        }
        function findVariablesInScope(scope) {
          for (const variable of scope.variables) {
            const [declaration, ...extraDeclarations] = iterateDeclarations(variable);
            if (extraDeclarations.length === 0) {
              continue;
            }
            const detailMessageId = declaration.type === "builtin" ? "redeclaredAsBuiltin" : "redeclaredBySyntax";
            const data = { id: variable.name };
            for (const { type, node, loc } of extraDeclarations) {
              const messageId4 = type === declaration.type ? "redeclared" : detailMessageId;
              if (node) {
                context.report({ node, loc, messageId: messageId4, data });
              } else if (loc) {
                context.report({ loc, messageId: messageId4, data });
              }
            }
          }
        }
        function checkForBlock(node) {
          const scope = context.sourceCode.getScope(node);
          if (scope.block === node) {
            findVariablesInScope(scope);
          }
        }
        return {
          Program(node) {
            const scope = context.sourceCode.getScope(node);
            findVariablesInScope(scope);
            if (scope.type === scope_manager_1.ScopeType.global && scope.childScopes[0] && // The special scope's block is the Program node.
            scope.block === scope.childScopes[0].block) {
              findVariablesInScope(scope.childScopes[0]);
            }
          },
          FunctionDeclaration: checkForBlock,
          FunctionExpression: checkForBlock,
          ArrowFunctionExpression: checkForBlock,
          BlockStatement: checkForBlock,
          ForStatement: checkForBlock,
          ForInStatement: checkForBlock,
          ForOfStatement: checkForBlock,
          SwitchStatement: checkForBlock
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-redundant-type-constituents.js
var require_no_redundant_type_constituents2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-redundant-type-constituents.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    var literalToPrimitiveTypeFlags = {
      [ts.TypeFlags.BigIntLiteral]: ts.TypeFlags.BigInt,
      [ts.TypeFlags.BooleanLiteral]: ts.TypeFlags.Boolean,
      [ts.TypeFlags.NumberLiteral]: ts.TypeFlags.Number,
      [ts.TypeFlags.StringLiteral]: ts.TypeFlags.String,
      [ts.TypeFlags.TemplateLiteral]: ts.TypeFlags.String
    };
    var literalTypeFlags = [
      ts.TypeFlags.BigIntLiteral,
      ts.TypeFlags.BooleanLiteral,
      ts.TypeFlags.NumberLiteral,
      ts.TypeFlags.StringLiteral,
      ts.TypeFlags.TemplateLiteral
    ];
    var primitiveTypeFlags = [
      ts.TypeFlags.BigInt,
      ts.TypeFlags.Boolean,
      ts.TypeFlags.Number,
      ts.TypeFlags.String
    ];
    var primitiveTypeFlagNames = {
      [ts.TypeFlags.BigInt]: "bigint",
      [ts.TypeFlags.Boolean]: "boolean",
      [ts.TypeFlags.Number]: "number",
      [ts.TypeFlags.String]: "string"
    };
    var primitiveTypeFlagTypes = {
      bigint: ts.TypeFlags.BigIntLiteral,
      boolean: ts.TypeFlags.BooleanLiteral,
      number: ts.TypeFlags.NumberLiteral,
      string: ts.TypeFlags.StringLiteral
    };
    var keywordNodeTypesToTsTypes = /* @__PURE__ */ new Map([
      [utils_1.TSESTree.AST_NODE_TYPES.TSAnyKeyword, ts.TypeFlags.Any],
      [utils_1.TSESTree.AST_NODE_TYPES.TSBigIntKeyword, ts.TypeFlags.BigInt],
      [utils_1.TSESTree.AST_NODE_TYPES.TSBooleanKeyword, ts.TypeFlags.Boolean],
      [utils_1.TSESTree.AST_NODE_TYPES.TSNeverKeyword, ts.TypeFlags.Never],
      [utils_1.TSESTree.AST_NODE_TYPES.TSUnknownKeyword, ts.TypeFlags.Unknown],
      [utils_1.TSESTree.AST_NODE_TYPES.TSNumberKeyword, ts.TypeFlags.Number],
      [utils_1.TSESTree.AST_NODE_TYPES.TSStringKeyword, ts.TypeFlags.String]
    ]);
    function addToMapGroup(map, key, value) {
      const existing = map.get(key);
      if (existing) {
        existing.push(value);
      } else {
        map.set(key, [value]);
      }
    }
    function describeLiteralType(type) {
      if (type.isStringLiteral()) {
        return JSON.stringify(type.value);
      }
      if ((0, util_1.isTypeBigIntLiteralType)(type)) {
        return `${type.value.negative ? "-" : ""}${type.value.base10Value}n`;
      }
      if (type.isLiteral()) {
        return type.value.toString();
      }
      if ((0, util_1.isTypeAnyType)(type)) {
        return "any";
      }
      if ((0, util_1.isTypeNeverType)(type)) {
        return "never";
      }
      if ((0, util_1.isTypeUnknownType)(type)) {
        return "unknown";
      }
      if ((0, util_1.isTypeTemplateLiteralType)(type)) {
        return "template literal type";
      }
      if ((0, util_1.isTypeBigIntLiteralType)(type)) {
        return `${type.value.negative ? "-" : ""}${type.value.base10Value}n`;
      }
      if (tsutils.isTrueLiteralType(type)) {
        return "true";
      }
      if (tsutils.isFalseLiteralType(type)) {
        return "false";
      }
      return "literal type";
    }
    function describeLiteralTypeNode(typeNode) {
      switch (typeNode.type) {
        case utils_1.AST_NODE_TYPES.TSAnyKeyword:
          return "any";
        case utils_1.AST_NODE_TYPES.TSBooleanKeyword:
          return "boolean";
        case utils_1.AST_NODE_TYPES.TSNeverKeyword:
          return "never";
        case utils_1.AST_NODE_TYPES.TSNumberKeyword:
          return "number";
        case utils_1.AST_NODE_TYPES.TSStringKeyword:
          return "string";
        case utils_1.AST_NODE_TYPES.TSUnknownKeyword:
          return "unknown";
        case utils_1.AST_NODE_TYPES.TSLiteralType:
          switch (typeNode.literal.type) {
            case utils_1.TSESTree.AST_NODE_TYPES.Literal:
              switch (typeof typeNode.literal.value) {
                case "bigint":
                  return `${typeNode.literal.value < 0 ? "-" : ""}${typeNode.literal.value}n`;
                case "string":
                  return JSON.stringify(typeNode.literal.value);
                default:
                  return `${typeNode.literal.value}`;
              }
            case utils_1.TSESTree.AST_NODE_TYPES.TemplateLiteral:
              return "template literal type";
          }
      }
      return "literal type";
    }
    function isNodeInsideReturnType(node) {
      return !!(node.parent.type === utils_1.AST_NODE_TYPES.TSTypeAnnotation && ((0, util_1.isFunctionType)(node.parent.parent) || (0, util_1.isFunction)(node.parent.parent)));
    }
    function unionTypePartsUnlessBoolean(type) {
      return type.isUnion() && type.types.length === 2 && tsutils.isFalseLiteralType(type.types[0]) && tsutils.isTrueLiteralType(type.types[1]) ? [type] : tsutils.unionTypeParts(type);
    }
    exports2.default = (0, util_1.createRule)({
      name: "no-redundant-type-constituents",
      meta: {
        docs: {
          description: "Disallow members of unions and intersections that do nothing or override type information",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          literalOverridden: `{{literal}} is overridden by {{primitive}} in this union type.`,
          primitiveOverridden: `{{primitive}} is overridden by the {{literal}} in this intersection type.`,
          overridden: `'{{typeName}}' is overridden by other types in this {{container}} type.`,
          overrides: `'{{typeName}}' overrides all other types in this {{container}} type.`
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const typesCache = /* @__PURE__ */ new Map();
        function getTypeNodeTypePartFlags(typeNode) {
          const keywordTypeFlags = keywordNodeTypesToTsTypes.get(typeNode.type);
          if (keywordTypeFlags) {
            return [
              {
                typeFlags: keywordTypeFlags,
                typeName: describeLiteralTypeNode(typeNode)
              }
            ];
          }
          if (typeNode.type === utils_1.AST_NODE_TYPES.TSLiteralType && typeNode.literal.type === utils_1.AST_NODE_TYPES.Literal) {
            return [
              {
                typeFlags: primitiveTypeFlagTypes[typeof typeNode.literal.value],
                typeName: describeLiteralTypeNode(typeNode)
              }
            ];
          }
          if (typeNode.type === utils_1.AST_NODE_TYPES.TSUnionType) {
            return typeNode.types.flatMap(getTypeNodeTypePartFlags);
          }
          const nodeType = services.getTypeAtLocation(typeNode);
          const typeParts = unionTypePartsUnlessBoolean(nodeType);
          return typeParts.map((typePart) => ({
            typeFlags: typePart.flags,
            typeName: describeLiteralType(typePart)
          }));
        }
        function getTypeNodeTypePartFlagsCached(typeNode) {
          const existing = typesCache.get(typeNode);
          if (existing) {
            return existing;
          }
          const created = getTypeNodeTypePartFlags(typeNode);
          typesCache.set(typeNode, created);
          return created;
        }
        return {
          "TSIntersectionType:exit"(node) {
            const seenLiteralTypes = /* @__PURE__ */ new Map();
            const seenPrimitiveTypes = /* @__PURE__ */ new Map();
            const seenUnionTypes = /* @__PURE__ */ new Map();
            function checkIntersectionBottomAndTopTypes({ typeFlags, typeName }, typeNode) {
              for (const [messageId4, checkFlag] of [
                ["overrides", ts.TypeFlags.Any],
                ["overrides", ts.TypeFlags.Never],
                ["overridden", ts.TypeFlags.Unknown]
              ]) {
                if (typeFlags === checkFlag) {
                  context.report({
                    data: {
                      container: "intersection",
                      typeName
                    },
                    messageId: messageId4,
                    node: typeNode
                  });
                  return true;
                }
              }
              return false;
            }
            for (const typeNode of node.types) {
              const typePartFlags = getTypeNodeTypePartFlagsCached(typeNode);
              for (const typePart of typePartFlags) {
                if (checkIntersectionBottomAndTopTypes(typePart, typeNode)) {
                  continue;
                }
                for (const literalTypeFlag of literalTypeFlags) {
                  if (typePart.typeFlags === literalTypeFlag) {
                    addToMapGroup(seenLiteralTypes, literalToPrimitiveTypeFlags[literalTypeFlag], typePart.typeName);
                    break;
                  }
                }
                for (const primitiveTypeFlag of primitiveTypeFlags) {
                  if (typePart.typeFlags === primitiveTypeFlag) {
                    addToMapGroup(seenPrimitiveTypes, primitiveTypeFlag, typeNode);
                  }
                }
              }
              if (typePartFlags.length >= 2) {
                seenUnionTypes.set(typeNode, typePartFlags);
              }
            }
            const checkIfUnionsAreAssignable = () => {
              for (const [typeRef, typeValues] of seenUnionTypes) {
                let primitive = void 0;
                for (const { typeFlags } of typeValues) {
                  if (seenPrimitiveTypes.has(literalToPrimitiveTypeFlags[typeFlags])) {
                    primitive = literalToPrimitiveTypeFlags[typeFlags];
                  } else {
                    primitive = void 0;
                    break;
                  }
                }
                if (Number.isInteger(primitive)) {
                  context.report({
                    data: {
                      literal: typeValues.map((name) => name.typeName).join(" | "),
                      primitive: primitiveTypeFlagNames[primitive]
                    },
                    messageId: "primitiveOverridden",
                    node: typeRef
                  });
                }
              }
            };
            if (seenUnionTypes.size > 0) {
              checkIfUnionsAreAssignable();
              return;
            }
            for (const [primitiveTypeFlag, typeNodes] of seenPrimitiveTypes) {
              const matchedLiteralTypes = seenLiteralTypes.get(primitiveTypeFlag);
              if (matchedLiteralTypes) {
                for (const typeNode of typeNodes) {
                  context.report({
                    data: {
                      literal: matchedLiteralTypes.join(" | "),
                      primitive: primitiveTypeFlagNames[primitiveTypeFlag]
                    },
                    messageId: "primitiveOverridden",
                    node: typeNode
                  });
                }
              }
            }
          },
          "TSUnionType:exit"(node) {
            const seenLiteralTypes = /* @__PURE__ */ new Map();
            const seenPrimitiveTypes = /* @__PURE__ */ new Set();
            function checkUnionBottomAndTopTypes({ typeFlags, typeName }, typeNode) {
              for (const checkFlag of [
                ts.TypeFlags.Any,
                ts.TypeFlags.Unknown
              ]) {
                if (typeFlags === checkFlag) {
                  context.report({
                    data: {
                      container: "union",
                      typeName
                    },
                    messageId: "overrides",
                    node: typeNode
                  });
                  return true;
                }
              }
              if (typeFlags === ts.TypeFlags.Never && !isNodeInsideReturnType(node)) {
                context.report({
                  data: {
                    container: "union",
                    typeName: "never"
                  },
                  messageId: "overridden",
                  node: typeNode
                });
                return true;
              }
              return false;
            }
            for (const typeNode of node.types) {
              const typePartFlags = getTypeNodeTypePartFlagsCached(typeNode);
              for (const typePart of typePartFlags) {
                if (checkUnionBottomAndTopTypes(typePart, typeNode)) {
                  continue;
                }
                for (const literalTypeFlag of literalTypeFlags) {
                  if (typePart.typeFlags === literalTypeFlag) {
                    addToMapGroup(seenLiteralTypes, literalToPrimitiveTypeFlags[literalTypeFlag], {
                      literalValue: typePart.typeName,
                      typeNode
                    });
                    break;
                  }
                }
                for (const primitiveTypeFlag of primitiveTypeFlags) {
                  if ((typePart.typeFlags & primitiveTypeFlag) !== 0) {
                    seenPrimitiveTypes.add(primitiveTypeFlag);
                  }
                }
              }
            }
            const overriddenTypeNodes = /* @__PURE__ */ new Map();
            for (const [primitiveTypeFlag, typeNodesWithText] of seenLiteralTypes) {
              if (seenPrimitiveTypes.has(primitiveTypeFlag)) {
                for (const { literalValue, typeNode } of typeNodesWithText) {
                  addToMapGroup(overriddenTypeNodes, typeNode, {
                    literalValue,
                    primitiveTypeFlag
                  });
                }
              }
            }
            for (const [typeNode, typeFlagsWithText] of overriddenTypeNodes) {
              const grouped = (0, util_1.arrayGroupByToMap)(typeFlagsWithText, (pair) => pair.primitiveTypeFlag);
              for (const [primitiveTypeFlag, pairs] of grouped) {
                context.report({
                  data: {
                    literal: pairs.map((pair) => pair.literalValue).join(" | "),
                    primitive: primitiveTypeFlagNames[primitiveTypeFlag]
                  },
                  messageId: "literalOverridden",
                  node: typeNode
                });
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-require-imports.js
var require_no_require_imports2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-require-imports.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util5 = __importStar2(require_util7());
    exports2.default = util5.createRule({
      name: "no-require-imports",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow invocation of `require()`"
        },
        schema: [
          {
            type: "object",
            properties: {
              allow: {
                type: "array",
                items: { type: "string" },
                description: "Patterns of import paths to allow requiring from."
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          noRequireImports: "A `require()` style import is forbidden."
        }
      },
      defaultOptions: [{ allow: [] }],
      create(context, options) {
        const allowPatterns = options[0].allow.map((pattern) => new RegExp(pattern, "u"));
        function isImportPathAllowed(importPath) {
          return allowPatterns.some((pattern) => importPath.match(pattern));
        }
        function isStringOrTemplateLiteral(node) {
          return node.type === utils_1.AST_NODE_TYPES.Literal && typeof node.value === "string" || node.type === utils_1.AST_NODE_TYPES.TemplateLiteral;
        }
        return {
          'CallExpression[callee.name="require"]'(node) {
            if (node.arguments[0] && isStringOrTemplateLiteral(node.arguments[0])) {
              const argValue = util5.getStaticStringValue(node.arguments[0]);
              if (typeof argValue === "string" && isImportPathAllowed(argValue)) {
                return;
              }
            }
            const variable = utils_1.ASTUtils.findVariable(context.sourceCode.getScope(node), "require");
            if (!variable?.identifiers.length) {
              context.report({
                node,
                messageId: "noRequireImports"
              });
            }
          },
          TSExternalModuleReference(node) {
            if (isStringOrTemplateLiteral(node.expression)) {
              const argValue = util5.getStaticStringValue(node.expression);
              if (typeof argValue === "string" && isImportPathAllowed(argValue)) {
                return;
              }
            }
            context.report({
              node,
              messageId: "noRequireImports"
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-restricted-imports.js
var require_no_restricted_imports2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-restricted-imports.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var ignore_1 = __importDefault2(require_ignore());
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-restricted-imports");
    var tryAccess = (getter, fallback) => {
      try {
        return getter();
      } catch {
        return fallback;
      }
    };
    var baseSchema = baseRule2.meta.schema;
    var allowTypeImportsOptionSchema = {
      allowTypeImports: {
        type: "boolean",
        description: "Disallow value imports, but allow type-only imports."
      }
    };
    var arrayOfStringsOrObjects = {
      type: "array",
      items: {
        anyOf: [
          { type: "string" },
          {
            type: "object",
            additionalProperties: false,
            properties: {
              ...tryAccess(() => baseSchema.anyOf[1].items[0].properties.paths.items.anyOf[1].properties, void 0),
              ...allowTypeImportsOptionSchema
            },
            required: tryAccess(() => baseSchema.anyOf[1].items[0].properties.paths.items.anyOf[1].required, void 0)
          }
        ]
      },
      uniqueItems: true
    };
    var arrayOfStringsOrObjectPatterns = {
      anyOf: [
        {
          type: "array",
          items: {
            type: "string"
          },
          uniqueItems: true
        },
        {
          type: "array",
          items: {
            type: "object",
            additionalProperties: false,
            properties: {
              ...tryAccess(() => baseSchema.anyOf[1].items[0].properties.patterns.anyOf[1].items.properties, void 0),
              ...allowTypeImportsOptionSchema
            },
            required: tryAccess(() => baseSchema.anyOf[1].items[0].properties.patterns.anyOf[1].items.required, [])
          },
          uniqueItems: true
        }
      ]
    };
    var schema30 = {
      anyOf: [
        arrayOfStringsOrObjects,
        {
          type: "array",
          items: [
            {
              type: "object",
              properties: {
                paths: arrayOfStringsOrObjects,
                patterns: arrayOfStringsOrObjectPatterns
              },
              additionalProperties: false
            }
          ],
          additionalItems: false
        }
      ]
    };
    function isObjectOfPaths(obj) {
      return Object.prototype.hasOwnProperty.call(obj, "paths");
    }
    function isObjectOfPatterns(obj) {
      return Object.prototype.hasOwnProperty.call(obj, "patterns");
    }
    function isOptionsArrayOfStringOrObject(options) {
      if (isObjectOfPaths(options[0])) {
        return false;
      }
      if (isObjectOfPatterns(options[0])) {
        return false;
      }
      return true;
    }
    function getRestrictedPaths(options) {
      if (isOptionsArrayOfStringOrObject(options)) {
        return options;
      }
      if (isObjectOfPaths(options[0])) {
        return options[0].paths;
      }
      return [];
    }
    function getRestrictedPatterns(options) {
      if (isObjectOfPatterns(options[0])) {
        return options[0].patterns;
      }
      return [];
    }
    function shouldCreateRule(baseRules, options) {
      if (Object.keys(baseRules).length === 0 || options.length === 0) {
        return false;
      }
      if (!isOptionsArrayOfStringOrObject(options)) {
        return !!(options[0].paths?.length || options[0].patterns?.length);
      }
      return true;
    }
    exports2.default = (0, util_1.createRule)({
      name: "no-restricted-imports",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow specified modules when loaded by `import`",
          extendsBaseRule: true
        },
        messages: baseRule2.meta.messages,
        fixable: baseRule2.meta.fixable,
        schema: schema30
      },
      defaultOptions: [],
      create(context) {
        const rules = baseRule2.create(context);
        const { options } = context;
        if (!shouldCreateRule(rules, options)) {
          return {};
        }
        const restrictedPaths = getRestrictedPaths(options);
        const allowedTypeImportPathNameSet = /* @__PURE__ */ new Set();
        for (const restrictedPath of restrictedPaths) {
          if (typeof restrictedPath === "object" && restrictedPath.allowTypeImports) {
            allowedTypeImportPathNameSet.add(restrictedPath.name);
          }
        }
        function isAllowedTypeImportPath(importSource) {
          return allowedTypeImportPathNameSet.has(importSource);
        }
        const restrictedPatterns = getRestrictedPatterns(options);
        const allowedImportTypeMatchers = [];
        for (const restrictedPattern of restrictedPatterns) {
          if (typeof restrictedPattern === "object" && restrictedPattern.allowTypeImports) {
            allowedImportTypeMatchers.push((0, ignore_1.default)({
              allowRelativePaths: true,
              ignoreCase: !restrictedPattern.caseSensitive
            }).add(restrictedPattern.group));
          }
        }
        function isAllowedTypeImportPattern(importSource) {
          return (
            // As long as there's one matching pattern that allows type import
            allowedImportTypeMatchers.some((matcher) => matcher.ignores(importSource))
          );
        }
        function checkImportNode(node) {
          if (node.importKind === "type" || node.specifiers.length > 0 && node.specifiers.every((specifier) => specifier.type === utils_1.AST_NODE_TYPES.ImportSpecifier && specifier.importKind === "type")) {
            const importSource = node.source.value.trim();
            if (!isAllowedTypeImportPath(importSource) && !isAllowedTypeImportPattern(importSource)) {
              return rules.ImportDeclaration(node);
            }
          } else {
            return rules.ImportDeclaration(node);
          }
        }
        return {
          TSImportEqualsDeclaration(node) {
            if (node.moduleReference.type === utils_1.AST_NODE_TYPES.TSExternalModuleReference) {
              const synthesizedImport = {
                ...node,
                type: utils_1.AST_NODE_TYPES.ImportDeclaration,
                source: node.moduleReference.expression,
                assertions: [],
                attributes: [],
                specifiers: [
                  {
                    ...node.id,
                    type: utils_1.AST_NODE_TYPES.ImportDefaultSpecifier,
                    local: node.id
                  }
                ]
              };
              return checkImportNode(synthesizedImport);
            }
          },
          ImportDeclaration: checkImportNode,
          "ExportNamedDeclaration[source]"(node) {
            if (node.exportKind === "type" || node.specifiers.length > 0 && node.specifiers.every((specifier) => specifier.exportKind === "type")) {
              const importSource = node.source.value.trim();
              if (!isAllowedTypeImportPath(importSource) && !isAllowedTypeImportPattern(importSource)) {
                return rules.ExportNamedDeclaration(node);
              }
            } else {
              return rules.ExportNamedDeclaration(node);
            }
          },
          ExportAllDeclaration: rules.ExportAllDeclaration
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-shadow.js
var require_no_shadow2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-shadow.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var allowedFunctionVariableDefTypes = /* @__PURE__ */ new Set([
      utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration,
      utils_1.AST_NODE_TYPES.TSFunctionType,
      utils_1.AST_NODE_TYPES.TSMethodSignature
    ]);
    exports2.default = (0, util_1.createRule)({
      name: "no-shadow",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow variable declarations from shadowing variables declared in the outer scope",
          extendsBaseRule: true
        },
        schema: [
          {
            type: "object",
            properties: {
              builtinGlobals: {
                type: "boolean"
              },
              hoist: {
                type: "string",
                enum: ["all", "functions", "never"]
              },
              allow: {
                type: "array",
                items: {
                  type: "string"
                }
              },
              ignoreOnInitialization: {
                type: "boolean"
              },
              ignoreTypeValueShadow: {
                type: "boolean"
              },
              ignoreFunctionTypeParameterNameValueShadow: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          noShadow: "'{{name}}' is already declared in the upper scope on line {{shadowedLine}} column {{shadowedColumn}}.",
          noShadowGlobal: "'{{name}}' is already a global variable."
        }
      },
      defaultOptions: [
        {
          allow: [],
          builtinGlobals: false,
          hoist: "functions",
          ignoreOnInitialization: false,
          ignoreTypeValueShadow: true,
          ignoreFunctionTypeParameterNameValueShadow: true
        }
      ],
      create(context, [options]) {
        function isGlobalAugmentation(scope) {
          return scope.type === scope_manager_1.ScopeType.tsModule && scope.block.kind === "global" || !!scope.upper && isGlobalAugmentation(scope.upper);
        }
        function isThisParam(variable) {
          return variable.defs[0].type === scope_manager_1.DefinitionType.Parameter && variable.name === "this";
        }
        function isTypeImport2(definition) {
          return definition?.type === scope_manager_1.DefinitionType.ImportBinding && (definition.parent.importKind === "type" || definition.node.type === utils_1.AST_NODE_TYPES.ImportSpecifier && definition.node.importKind === "type");
        }
        function isTypeValueShadow(variable, shadowed) {
          if (options.ignoreTypeValueShadow !== true) {
            return false;
          }
          if (!("isValueVariable" in variable)) {
            return false;
          }
          const firstDefinition = shadowed.defs.at(0);
          const isShadowedValue = !("isValueVariable" in shadowed) || !firstDefinition || !isTypeImport2(firstDefinition) && shadowed.isValueVariable;
          return variable.isValueVariable !== isShadowedValue;
        }
        function isFunctionTypeParameterNameValueShadow(variable, shadowed) {
          if (options.ignoreFunctionTypeParameterNameValueShadow !== true) {
            return false;
          }
          if (!("isValueVariable" in variable)) {
            return false;
          }
          const isShadowedValue = "isValueVariable" in shadowed ? shadowed.isValueVariable : true;
          if (!isShadowedValue) {
            return false;
          }
          return variable.defs.every((def) => allowedFunctionVariableDefTypes.has(def.node.type));
        }
        function isGenericOfStaticMethod(variable) {
          if (!("isTypeVariable" in variable)) {
            return false;
          }
          if (!variable.isTypeVariable) {
            return false;
          }
          if (variable.identifiers.length === 0) {
            return false;
          }
          const typeParameter = variable.identifiers[0].parent;
          if (typeParameter.type !== utils_1.AST_NODE_TYPES.TSTypeParameter) {
            return false;
          }
          const typeParameterDecl = typeParameter.parent;
          if (typeParameterDecl.type !== utils_1.AST_NODE_TYPES.TSTypeParameterDeclaration) {
            return false;
          }
          const functionExpr = typeParameterDecl.parent;
          if (functionExpr.type !== utils_1.AST_NODE_TYPES.FunctionExpression && functionExpr.type !== utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression) {
            return false;
          }
          const methodDefinition = functionExpr.parent;
          if (methodDefinition.type !== utils_1.AST_NODE_TYPES.MethodDefinition) {
            return false;
          }
          return methodDefinition.static;
        }
        function isGenericOfClass(variable) {
          if (!("isTypeVariable" in variable)) {
            return false;
          }
          if (!variable.isTypeVariable) {
            return false;
          }
          if (variable.identifiers.length === 0) {
            return false;
          }
          const typeParameter = variable.identifiers[0].parent;
          if (typeParameter.type !== utils_1.AST_NODE_TYPES.TSTypeParameter) {
            return false;
          }
          const typeParameterDecl = typeParameter.parent;
          if (typeParameterDecl.type !== utils_1.AST_NODE_TYPES.TSTypeParameterDeclaration) {
            return false;
          }
          const classDecl = typeParameterDecl.parent;
          return classDecl.type === utils_1.AST_NODE_TYPES.ClassDeclaration || classDecl.type === utils_1.AST_NODE_TYPES.ClassExpression;
        }
        function isGenericOfAStaticMethodShadow(variable, shadowed) {
          return isGenericOfStaticMethod(variable) && isGenericOfClass(shadowed);
        }
        function isImportDeclaration(definition) {
          return definition.type === utils_1.AST_NODE_TYPES.ImportDeclaration;
        }
        function isExternalModuleDeclarationWithName(scope, name) {
          return scope.type === scope_manager_1.ScopeType.tsModule && scope.block.id.type === utils_1.AST_NODE_TYPES.Literal && scope.block.id.value === name;
        }
        function isExternalDeclarationMerging(scope, variable, shadowed) {
          const [firstDefinition] = shadowed.defs;
          const [secondDefinition] = variable.defs;
          return isTypeImport2(firstDefinition) && isImportDeclaration(firstDefinition.parent) && isExternalModuleDeclarationWithName(scope, firstDefinition.parent.source.value) && secondDefinition.node.type === utils_1.AST_NODE_TYPES.TSInterfaceDeclaration && secondDefinition.node.parent.type === utils_1.AST_NODE_TYPES.ExportNamedDeclaration;
        }
        function isAllowed(variable) {
          return options.allow.includes(variable.name);
        }
        function isDuplicatedClassNameVariable(variable) {
          const block = variable.scope.block;
          return block.type === utils_1.AST_NODE_TYPES.ClassDeclaration && block.id === variable.identifiers[0];
        }
        function isDuplicatedEnumNameVariable(variable) {
          const block = variable.scope.block;
          return block.type === utils_1.AST_NODE_TYPES.TSEnumDeclaration && block.id === variable.identifiers[0];
        }
        function isInRange(node, location) {
          return node && node.range[0] <= location && location <= node.range[1];
        }
        function findSelfOrAncestor(node, match) {
          let currentNode = node;
          while (currentNode && !match(currentNode)) {
            currentNode = currentNode.parent;
          }
          return currentNode;
        }
        function getOuterScope(scope) {
          const upper = scope.upper;
          if (upper?.type === scope_manager_1.ScopeType.functionExpressionName) {
            return upper.upper;
          }
          return upper;
        }
        function isInitPatternNode(variable, shadowedVariable) {
          const outerDef = shadowedVariable.defs.at(0);
          if (!outerDef) {
            return false;
          }
          const { variableScope } = variable.scope;
          if (!((variableScope.block.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression || variableScope.block.type === utils_1.AST_NODE_TYPES.FunctionExpression) && getOuterScope(variableScope) === shadowedVariable.scope)) {
            return false;
          }
          const fun = variableScope.block;
          const { parent } = fun;
          const callExpression = findSelfOrAncestor(parent, (node2) => node2.type === utils_1.AST_NODE_TYPES.CallExpression);
          if (!callExpression) {
            return false;
          }
          let node = outerDef.name;
          const location = callExpression.range[1];
          while (node) {
            if (node.type === utils_1.AST_NODE_TYPES.VariableDeclarator) {
              if (isInRange(node.init, location)) {
                return true;
              }
              if ((node.parent.parent?.type === utils_1.AST_NODE_TYPES.ForInStatement || node.parent.parent?.type === utils_1.AST_NODE_TYPES.ForOfStatement) && isInRange(node.parent.parent.right, location)) {
                return true;
              }
              break;
            } else if (node.type === utils_1.AST_NODE_TYPES.AssignmentPattern) {
              if (isInRange(node.right, location)) {
                return true;
              }
            } else if ([
              utils_1.AST_NODE_TYPES.FunctionDeclaration,
              utils_1.AST_NODE_TYPES.ClassDeclaration,
              utils_1.AST_NODE_TYPES.FunctionExpression,
              utils_1.AST_NODE_TYPES.ClassExpression,
              utils_1.AST_NODE_TYPES.ArrowFunctionExpression,
              utils_1.AST_NODE_TYPES.CatchClause,
              utils_1.AST_NODE_TYPES.ImportDeclaration,
              utils_1.AST_NODE_TYPES.ExportNamedDeclaration
            ].includes(node.type)) {
              break;
            }
            node = node.parent;
          }
          return false;
        }
        function isOnInitializer(variable, scopeVar) {
          const outerScope = scopeVar.scope;
          const outerDef = scopeVar.defs.at(0);
          const outer = outerDef?.parent?.range;
          const innerScope = variable.scope;
          const innerDef = variable.defs.at(0);
          const inner = innerDef?.name.range;
          return !!(outer && inner && outer[0] < inner[0] && inner[1] < outer[1] && (innerDef.type === scope_manager_1.DefinitionType.FunctionName && innerDef.node.type === utils_1.AST_NODE_TYPES.FunctionExpression || innerDef.node.type === utils_1.AST_NODE_TYPES.ClassExpression) && outerScope === innerScope.upper);
        }
        function getNameRange(variable) {
          const def = variable.defs.at(0);
          return def?.name.range;
        }
        function isInTdz(variable, scopeVar) {
          const outerDef = scopeVar.defs.at(0);
          const inner = getNameRange(variable);
          const outer = getNameRange(scopeVar);
          return !!(inner && outer && inner[1] < outer[0] && // Excepts FunctionDeclaration if is {"hoist":"function"}.
          (options.hoist !== "functions" || !outerDef || outerDef.node.type !== utils_1.AST_NODE_TYPES.FunctionDeclaration));
        }
        function getDeclaredLocation(variable) {
          const identifier = variable.identifiers.at(0);
          if (identifier) {
            return {
              global: false,
              line: identifier.loc.start.line,
              column: identifier.loc.start.column + 1
            };
          }
          return {
            global: true
          };
        }
        function checkForShadows(scope) {
          if (isGlobalAugmentation(scope)) {
            return;
          }
          const variables = scope.variables;
          for (const variable of variables) {
            if (variable.identifiers.length === 0) {
              continue;
            }
            if (isThisParam(variable)) {
              continue;
            }
            if (isDuplicatedClassNameVariable(variable)) {
              continue;
            }
            if (isDuplicatedEnumNameVariable(variable)) {
              continue;
            }
            if (isAllowed(variable)) {
              continue;
            }
            const shadowed = scope.upper ? utils_1.ASTUtils.findVariable(scope.upper, variable.name) : null;
            if (!shadowed) {
              continue;
            }
            if (isTypeValueShadow(variable, shadowed)) {
              continue;
            }
            if (isFunctionTypeParameterNameValueShadow(variable, shadowed)) {
              continue;
            }
            if (isGenericOfAStaticMethodShadow(variable, shadowed)) {
              continue;
            }
            if (isExternalDeclarationMerging(scope, variable, shadowed)) {
              continue;
            }
            const isESLintGlobal = "writeable" in shadowed;
            if ((shadowed.identifiers.length > 0 || options.builtinGlobals && isESLintGlobal) && !isOnInitializer(variable, shadowed) && !(options.ignoreOnInitialization && isInitPatternNode(variable, shadowed)) && !(options.hoist !== "all" && isInTdz(variable, shadowed))) {
              const location = getDeclaredLocation(shadowed);
              context.report({
                node: variable.identifiers[0],
                ...location.global ? {
                  messageId: "noShadowGlobal",
                  data: {
                    name: variable.name
                  }
                } : {
                  messageId: "noShadow",
                  data: {
                    name: variable.name,
                    shadowedLine: location.line,
                    shadowedColumn: location.column
                  }
                }
              });
            }
          }
        }
        return {
          "Program:exit"(node) {
            const globalScope = context.sourceCode.getScope(node);
            const stack = globalScope.childScopes.slice();
            while (stack.length) {
              const scope = stack.pop();
              stack.push(...scope.childScopes);
              checkForShadows(scope);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-this-alias.js
var require_no_this_alias2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-this-alias.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-this-alias",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow aliasing `this`",
          recommended: "recommended"
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              allowDestructuring: {
                description: "Whether to ignore destructurings, such as `const { props, state } = this`.",
                type: "boolean"
              },
              allowedNames: {
                description: 'Names to ignore, such as ["self"] for `const self = this;`.',
                type: "array",
                items: {
                  type: "string"
                }
              }
            }
          }
        ],
        messages: {
          thisAssignment: "Unexpected aliasing of 'this' to local variable.",
          thisDestructure: "Unexpected aliasing of members of 'this' to local variables."
        }
      },
      defaultOptions: [
        {
          allowDestructuring: true,
          allowedNames: []
        }
      ],
      create(context, [{ allowDestructuring, allowedNames }]) {
        return {
          "VariableDeclarator[init.type='ThisExpression'], AssignmentExpression[right.type='ThisExpression']"(node) {
            const id = node.type === utils_1.AST_NODE_TYPES.VariableDeclarator ? node.id : node.left;
            if (allowDestructuring && id.type !== utils_1.AST_NODE_TYPES.Identifier) {
              return;
            }
            const hasAllowedName = id.type === utils_1.AST_NODE_TYPES.Identifier ? (
              // https://github.com/typescript-eslint/typescript-eslint/issues/5439
              // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
              allowedNames.includes(id.name)
            ) : false;
            if (!hasAllowedName) {
              context.report({
                node: id,
                messageId: id.type === utils_1.AST_NODE_TYPES.Identifier ? "thisAssignment" : "thisDestructure"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-throw-literal.js
var require_no_throw_literal2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-throw-literal.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-throw-literal",
      meta: {
        type: "problem",
        deprecated: true,
        replacedBy: ["@typescript-eslint/only-throw-error"],
        docs: {
          description: "Disallow throwing literals as exceptions",
          extendsBaseRule: true,
          requiresTypeChecking: true
        },
        schema: [
          {
            type: "object",
            properties: {
              allowThrowingAny: {
                type: "boolean"
              },
              allowThrowingUnknown: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          object: "Expected an error object to be thrown.",
          undef: "Do not throw undefined."
        }
      },
      defaultOptions: [
        {
          allowThrowingAny: true,
          allowThrowingUnknown: true
        }
      ],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        function checkThrowArgument(node) {
          if (node.type === utils_1.AST_NODE_TYPES.AwaitExpression || node.type === utils_1.AST_NODE_TYPES.YieldExpression) {
            return;
          }
          const type = services.getTypeAtLocation(node);
          if (type.flags & ts.TypeFlags.Undefined) {
            context.report({ node, messageId: "undef" });
            return;
          }
          if (options.allowThrowingAny && (0, util_1.isTypeAnyType)(type)) {
            return;
          }
          if (options.allowThrowingUnknown && (0, util_1.isTypeUnknownType)(type)) {
            return;
          }
          if ((0, util_1.isErrorLike)(services.program, type)) {
            return;
          }
          context.report({ node, messageId: "object" });
        }
        return {
          ThrowStatement(node) {
            if (node.argument) {
              checkThrowArgument(node.argument);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-type-alias.js
var require_no_type_alias2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-type-alias.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-type-alias",
      meta: {
        deprecated: true,
        type: "suggestion",
        docs: {
          description: "Disallow type aliases"
          // too opinionated to be recommended
        },
        messages: {
          noTypeAlias: "Type {{alias}} are not allowed.",
          noCompositionAlias: "{{typeName}} in {{compositionType}} types are not allowed."
        },
        schema: [
          {
            $defs: {
              expandedOptions: {
                type: "string",
                enum: [
                  "always",
                  "never",
                  "in-unions",
                  "in-intersections",
                  "in-unions-and-intersections"
                ]
              },
              simpleOptions: {
                type: "string",
                enum: ["always", "never"]
              }
            },
            type: "object",
            properties: {
              allowAliases: {
                description: "Whether to allow direct one-to-one type aliases.",
                $ref: "#/items/0/$defs/expandedOptions"
              },
              allowCallbacks: {
                description: "Whether to allow type aliases for callbacks.",
                $ref: "#/items/0/$defs/simpleOptions"
              },
              allowConditionalTypes: {
                description: "Whether to allow type aliases for conditional types.",
                $ref: "#/items/0/$defs/simpleOptions"
              },
              allowConstructors: {
                description: "Whether to allow type aliases with constructors.",
                $ref: "#/items/0/$defs/simpleOptions"
              },
              allowLiterals: {
                description: "Whether to allow type aliases with object literal types.",
                $ref: "#/items/0/$defs/expandedOptions"
              },
              allowMappedTypes: {
                description: "Whether to allow type aliases with mapped types.",
                $ref: "#/items/0/$defs/expandedOptions"
              },
              allowTupleTypes: {
                description: "Whether to allow type aliases with tuple types.",
                $ref: "#/items/0/$defs/expandedOptions"
              },
              allowGenerics: {
                description: "Whether to allow type aliases with generic types.",
                $ref: "#/items/0/$defs/simpleOptions"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          allowAliases: "never",
          allowCallbacks: "never",
          allowConditionalTypes: "never",
          allowConstructors: "never",
          allowLiterals: "never",
          allowMappedTypes: "never",
          allowTupleTypes: "never",
          allowGenerics: "never"
        }
      ],
      create(context, [{ allowAliases, allowCallbacks, allowConditionalTypes, allowConstructors, allowLiterals, allowMappedTypes, allowTupleTypes, allowGenerics }]) {
        const unions = ["always", "in-unions", "in-unions-and-intersections"];
        const intersections = [
          "always",
          "in-intersections",
          "in-unions-and-intersections"
        ];
        const compositions = [
          "in-unions",
          "in-intersections",
          "in-unions-and-intersections"
        ];
        const aliasTypes = /* @__PURE__ */ new Set([
          utils_1.AST_NODE_TYPES.TSArrayType,
          utils_1.AST_NODE_TYPES.TSImportType,
          utils_1.AST_NODE_TYPES.TSTypeReference,
          utils_1.AST_NODE_TYPES.TSLiteralType,
          utils_1.AST_NODE_TYPES.TSTypeQuery,
          utils_1.AST_NODE_TYPES.TSIndexedAccessType,
          utils_1.AST_NODE_TYPES.TSTemplateLiteralType
        ]);
        function isSupportedComposition(isTopLevel, compositionType, allowed) {
          return !compositions.includes(allowed) || !isTopLevel && (compositionType === utils_1.AST_NODE_TYPES.TSUnionType && unions.includes(allowed) || compositionType === utils_1.AST_NODE_TYPES.TSIntersectionType && intersections.includes(allowed));
        }
        function reportError(node, compositionType, isRoot, type) {
          if (isRoot) {
            return context.report({
              node,
              messageId: "noTypeAlias",
              data: {
                alias: type.toLowerCase()
              }
            });
          }
          return context.report({
            node,
            messageId: "noCompositionAlias",
            data: {
              compositionType: compositionType === utils_1.AST_NODE_TYPES.TSUnionType ? "union" : "intersection",
              typeName: type
            }
          });
        }
        const isValidTupleType = (type) => {
          if (type.node.type === utils_1.AST_NODE_TYPES.TSTupleType) {
            return true;
          }
          if (type.node.type === utils_1.AST_NODE_TYPES.TSTypeOperator) {
            if (["keyof", "readonly"].includes(type.node.operator) && type.node.typeAnnotation && type.node.typeAnnotation.type === utils_1.AST_NODE_TYPES.TSTupleType) {
              return true;
            }
          }
          return false;
        };
        const isValidGeneric = (type) => {
          return type.node.type === utils_1.AST_NODE_TYPES.TSTypeReference && type.node.typeArguments !== void 0;
        };
        const checkAndReport = (optionValue, isTopLevel, type, label) => {
          if (optionValue === "never" || !isSupportedComposition(isTopLevel, type.compositionType, optionValue)) {
            reportError(type.node, type.compositionType, isTopLevel, label);
          }
        };
        function validateTypeAliases(type, isTopLevel = false) {
          if (type.node.type === utils_1.AST_NODE_TYPES.TSFunctionType) {
            if (allowCallbacks === "never") {
              reportError(type.node, type.compositionType, isTopLevel, "Callbacks");
            }
          } else if (type.node.type === utils_1.AST_NODE_TYPES.TSConditionalType) {
            if (allowConditionalTypes === "never") {
              reportError(type.node, type.compositionType, isTopLevel, "Conditional types");
            }
          } else if (type.node.type === utils_1.AST_NODE_TYPES.TSConstructorType) {
            if (allowConstructors === "never") {
              reportError(type.node, type.compositionType, isTopLevel, "Constructors");
            }
          } else if (type.node.type === utils_1.AST_NODE_TYPES.TSTypeLiteral) {
            checkAndReport(allowLiterals, isTopLevel, type, "Literals");
          } else if (type.node.type === utils_1.AST_NODE_TYPES.TSMappedType) {
            checkAndReport(allowMappedTypes, isTopLevel, type, "Mapped types");
          } else if (isValidTupleType(type)) {
            checkAndReport(allowTupleTypes, isTopLevel, type, "Tuple Types");
          } else if (isValidGeneric(type)) {
            if (allowGenerics === "never") {
              reportError(type.node, type.compositionType, isTopLevel, "Generics");
            }
          } else if (type.node.type.endsWith(utils_1.AST_TOKEN_TYPES.Keyword) || aliasTypes.has(type.node.type) || type.node.type === utils_1.AST_NODE_TYPES.TSTypeOperator && (type.node.operator === "keyof" || type.node.operator === "readonly" && type.node.typeAnnotation && aliasTypes.has(type.node.typeAnnotation.type))) {
            checkAndReport(allowAliases, isTopLevel, type, "Aliases");
          } else {
            reportError(type.node, type.compositionType, isTopLevel, "Unhandled");
          }
        }
        function getTypes(node, compositionType = null) {
          if (node.type === utils_1.AST_NODE_TYPES.TSUnionType || node.type === utils_1.AST_NODE_TYPES.TSIntersectionType) {
            return node.types.reduce((acc, type) => {
              acc.push(...getTypes(type, node.type));
              return acc;
            }, []);
          }
          return [{ node, compositionType }];
        }
        return {
          TSTypeAliasDeclaration(node) {
            const types = getTypes(node.typeAnnotation);
            if (types.length === 1) {
              validateTypeAliases(types[0], true);
            } else {
              types.forEach((type) => {
                validateTypeAliases(type);
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-boolean-literal-compare.js
var require_no_unnecessary_boolean_literal_compare2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-boolean-literal-compare.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-unnecessary-boolean-literal-compare",
      meta: {
        docs: {
          description: "Disallow unnecessary equality comparisons against boolean literals",
          recommended: "strict",
          requiresTypeChecking: true
        },
        fixable: "code",
        messages: {
          direct: "This expression unnecessarily compares a boolean value to a boolean instead of using it directly.",
          negated: "This expression unnecessarily compares a boolean value to a boolean instead of negating it.",
          comparingNullableToTrueDirect: "This expression unnecessarily compares a nullable boolean value to true instead of using it directly.",
          comparingNullableToTrueNegated: "This expression unnecessarily compares a nullable boolean value to true instead of negating it.",
          comparingNullableToFalse: "This expression unnecessarily compares a nullable boolean value to false instead of using the ?? operator to provide a default."
        },
        schema: [
          {
            type: "object",
            properties: {
              allowComparingNullableBooleansToTrue: {
                description: "Whether to allow comparisons between nullable boolean variables and `true`.",
                type: "boolean"
              },
              allowComparingNullableBooleansToFalse: {
                description: "Whether to allow comparisons between nullable boolean variables and `false`.",
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        type: "suggestion"
      },
      defaultOptions: [
        {
          allowComparingNullableBooleansToTrue: true,
          allowComparingNullableBooleansToFalse: true
        }
      ],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        function getBooleanComparison(node) {
          const comparison = deconstructComparison(node);
          if (!comparison) {
            return void 0;
          }
          const expressionType = services.getTypeAtLocation(comparison.expression);
          if (isBooleanType(expressionType)) {
            return {
              ...comparison,
              expressionIsNullableBoolean: false
            };
          }
          if (isNullableBoolean(expressionType)) {
            return {
              ...comparison,
              expressionIsNullableBoolean: true
            };
          }
          return void 0;
        }
        function isBooleanType(expressionType) {
          return tsutils.isTypeFlagSet(expressionType, ts.TypeFlags.Boolean | ts.TypeFlags.BooleanLiteral);
        }
        function isNullableBoolean(expressionType) {
          if (!expressionType.isUnion()) {
            return false;
          }
          const { types } = expressionType;
          const nonNullishTypes = types.filter((type) => !tsutils.isTypeFlagSet(type, ts.TypeFlags.Undefined | ts.TypeFlags.Null));
          const hasNonNullishType = nonNullishTypes.length > 0;
          if (!hasNonNullishType) {
            return false;
          }
          const hasNullableType = nonNullishTypes.length < types.length;
          if (!hasNullableType) {
            return false;
          }
          const allNonNullishTypesAreBoolean = nonNullishTypes.every(isBooleanType);
          if (!allNonNullishTypesAreBoolean) {
            return false;
          }
          return true;
        }
        function deconstructComparison(node) {
          const comparisonType = getEqualsKind(node.operator);
          if (!comparisonType) {
            return void 0;
          }
          for (const [against, expression] of [
            [node.right, node.left],
            [node.left, node.right]
          ]) {
            if (against.type !== utils_1.AST_NODE_TYPES.Literal || typeof against.value !== "boolean") {
              continue;
            }
            const { value: literalBooleanInComparison } = against;
            const negated = !comparisonType.isPositive;
            return {
              literalBooleanInComparison,
              expression,
              negated
            };
          }
          return void 0;
        }
        function nodeIsUnaryNegation(node) {
          return node.type === utils_1.AST_NODE_TYPES.UnaryExpression && node.prefix && node.operator === "!";
        }
        return {
          BinaryExpression(node) {
            const comparison = getBooleanComparison(node);
            if (comparison === void 0) {
              return;
            }
            if (comparison.expressionIsNullableBoolean) {
              if (comparison.literalBooleanInComparison && options.allowComparingNullableBooleansToTrue) {
                return;
              }
              if (!comparison.literalBooleanInComparison && options.allowComparingNullableBooleansToFalse) {
                return;
              }
            }
            context.report({
              fix: function* (fixer) {
                const isUnaryNegation = nodeIsUnaryNegation(node.parent);
                const shouldNegate = comparison.negated !== comparison.literalBooleanInComparison;
                const mutatedNode = isUnaryNegation ? node.parent : node;
                yield fixer.replaceText(mutatedNode, context.sourceCode.getText(comparison.expression));
                if (shouldNegate === isUnaryNegation) {
                  yield fixer.insertTextBefore(mutatedNode, "!");
                  if (!(0, util_1.isStrongPrecedenceNode)(comparison.expression)) {
                    yield fixer.insertTextBefore(mutatedNode, "(");
                    yield fixer.insertTextAfter(mutatedNode, ")");
                  }
                }
                if (comparison.expressionIsNullableBoolean && !comparison.literalBooleanInComparison) {
                  yield fixer.insertTextBefore(mutatedNode, "(");
                  yield fixer.insertTextAfter(mutatedNode, " ?? true)");
                }
              },
              messageId: comparison.expressionIsNullableBoolean ? comparison.literalBooleanInComparison ? comparison.negated ? "comparingNullableToTrueNegated" : "comparingNullableToTrueDirect" : "comparingNullableToFalse" : comparison.negated ? "negated" : "direct",
              node
            });
          }
        };
      }
    });
    function getEqualsKind(operator) {
      switch (operator) {
        case "==":
          return {
            isPositive: true,
            isStrict: false
          };
        case "===":
          return {
            isPositive: true,
            isStrict: true
          };
        case "!=":
          return {
            isPositive: false,
            isStrict: false
          };
        case "!==":
          return {
            isPositive: false,
            isStrict: true
          };
        default:
          return void 0;
      }
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-condition.js
var require_no_unnecessary_condition2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-condition.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    var isTruthyLiteral = (type) => tsutils.isTrueLiteralType(type) || //  || type.
    type.isLiteral() && !!type.value;
    var isPossiblyFalsy = (type) => tsutils.unionTypeParts(type).flatMap((type2) => tsutils.intersectionTypeParts(type2)).filter((t) => !isTruthyLiteral(t)).some((type2) => (0, util_1.isTypeFlagSet)(type2, ts.TypeFlags.PossiblyFalsy));
    var isPossiblyTruthy = (type) => tsutils.unionTypeParts(type).map((type2) => tsutils.intersectionTypeParts(type2)).some((intersectionParts) => (
      // It is possible to define intersections that are always falsy,
      // like `"" & { __brand: string }`.
      intersectionParts.every((type2) => !tsutils.isFalsyType(type2))
    ));
    var nullishFlag = ts.TypeFlags.Undefined | ts.TypeFlags.Null;
    var isNullishType = (type) => (0, util_1.isTypeFlagSet)(type, nullishFlag);
    var isPossiblyNullish = (type) => tsutils.unionTypeParts(type).some(isNullishType);
    var isAlwaysNullish = (type) => tsutils.unionTypeParts(type).every(isNullishType);
    var isLiteral2 = (type) => tsutils.isBooleanLiteralType(type) || type.flags === ts.TypeFlags.Undefined || type.flags === ts.TypeFlags.Null || type.flags === ts.TypeFlags.Void || type.isLiteral();
    exports2.default = (0, util_1.createRule)({
      name: "no-unnecessary-condition",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow conditionals where the type is always truthy or always falsy",
          recommended: "strict",
          requiresTypeChecking: true
        },
        schema: [
          {
            type: "object",
            properties: {
              allowConstantLoopConditions: {
                description: "Whether to ignore constant loop conditions, such as `while (true)`.",
                type: "boolean"
              },
              allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing: {
                description: "Whether to not error when running with a tsconfig that has strictNullChecks turned.",
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        fixable: "code",
        messages: {
          alwaysTruthy: "Unnecessary conditional, value is always truthy.",
          alwaysFalsy: "Unnecessary conditional, value is always falsy.",
          alwaysTruthyFunc: "This callback should return a conditional, but return is always truthy.",
          alwaysFalsyFunc: "This callback should return a conditional, but return is always falsy.",
          neverNullish: "Unnecessary conditional, expected left-hand side of `??` operator to be possibly null or undefined.",
          alwaysNullish: "Unnecessary conditional, left-hand side of `??` operator is always `null` or `undefined`.",
          literalBooleanExpression: "Unnecessary conditional, both sides of the expression are literal values.",
          noOverlapBooleanExpression: "Unnecessary conditional, the types have no overlap.",
          never: "Unnecessary conditional, value is `never`.",
          neverOptionalChain: "Unnecessary optional chain on a non-nullish value.",
          noStrictNullCheck: "This rule requires the `strictNullChecks` compiler option to be turned on to function correctly."
        }
      },
      defaultOptions: [
        {
          allowConstantLoopConditions: false,
          allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing: false
        }
      ],
      create(context, [{ allowConstantLoopConditions, allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing }]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const compilerOptions = services.program.getCompilerOptions();
        const isStrictNullChecks = tsutils.isStrictCompilerOptionEnabled(compilerOptions, "strictNullChecks");
        if (!isStrictNullChecks && allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing !== true) {
          context.report({
            loc: {
              start: { line: 0, column: 0 },
              end: { line: 0, column: 0 }
            },
            messageId: "noStrictNullCheck"
          });
        }
        function nodeIsArrayType(node) {
          const nodeType = (0, util_1.getConstrainedTypeAtLocation)(services, node);
          return tsutils.unionTypeParts(nodeType).some((part) => checker.isArrayType(part));
        }
        function nodeIsTupleType(node) {
          const nodeType = (0, util_1.getConstrainedTypeAtLocation)(services, node);
          return tsutils.unionTypeParts(nodeType).some((part) => checker.isTupleType(part));
        }
        function isArrayIndexExpression(node) {
          return (
            // Is an index signature
            node.type === utils_1.AST_NODE_TYPES.MemberExpression && node.computed && // ...into an array type
            (nodeIsArrayType(node.object) || // ... or a tuple type
            nodeIsTupleType(node.object) && // Exception: literal index into a tuple - will have a sound type
            node.property.type !== utils_1.AST_NODE_TYPES.Literal)
          );
        }
        function isNullableMemberExpression(node) {
          const objectType2 = services.getTypeAtLocation(node.object);
          if (node.computed) {
            const propertyType = services.getTypeAtLocation(node.property);
            return isNullablePropertyType(objectType2, propertyType);
          }
          const property = node.property;
          if (property.type === utils_1.AST_NODE_TYPES.Identifier) {
            const propertyType = objectType2.getProperty(property.name);
            if (propertyType && tsutils.isSymbolFlagSet(propertyType, ts.SymbolFlags.Optional)) {
              return true;
            }
          }
          return false;
        }
        function checkNode2(node, isUnaryNotArgument = false) {
          if (node.type === utils_1.AST_NODE_TYPES.UnaryExpression && node.operator === "!") {
            return checkNode2(node.argument, true);
          }
          if (isArrayIndexExpression(node)) {
            return;
          }
          if (node.type === utils_1.AST_NODE_TYPES.LogicalExpression && node.operator !== "??") {
            return checkNode2(node.right);
          }
          const type = (0, util_1.getConstrainedTypeAtLocation)(services, node);
          if (tsutils.unionTypeParts(type).some((part) => (0, util_1.isTypeAnyType)(part) || (0, util_1.isTypeUnknownType)(part) || (0, util_1.isTypeFlagSet)(part, ts.TypeFlags.TypeVariable))) {
            return;
          }
          let messageId4 = null;
          if ((0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Never)) {
            messageId4 = "never";
          } else if (!isPossiblyTruthy(type)) {
            messageId4 = !isUnaryNotArgument ? "alwaysFalsy" : "alwaysTruthy";
          } else if (!isPossiblyFalsy(type)) {
            messageId4 = !isUnaryNotArgument ? "alwaysTruthy" : "alwaysFalsy";
          }
          if (messageId4) {
            context.report({ node, messageId: messageId4 });
          }
        }
        function checkNodeForNullish(node) {
          const type = (0, util_1.getConstrainedTypeAtLocation)(services, node);
          if ((0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Any | ts.TypeFlags.Unknown | ts.TypeFlags.TypeParameter | ts.TypeFlags.TypeVariable)) {
            return;
          }
          let messageId4 = null;
          if ((0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Never)) {
            messageId4 = "never";
          } else if (!isPossiblyNullish(type) && !(node.type === utils_1.AST_NODE_TYPES.MemberExpression && isNullableMemberExpression(node))) {
            if (!isArrayIndexExpression(node) && !(node.type === utils_1.AST_NODE_TYPES.ChainExpression && node.expression.type !== utils_1.AST_NODE_TYPES.TSNonNullExpression && optionChainContainsOptionArrayIndex(node.expression))) {
              messageId4 = "neverNullish";
            }
          } else if (isAlwaysNullish(type)) {
            messageId4 = "alwaysNullish";
          }
          if (messageId4) {
            context.report({ node, messageId: messageId4 });
          }
        }
        const BOOL_OPERATORS = /* @__PURE__ */ new Set([
          "<",
          ">",
          "<=",
          ">=",
          "==",
          "===",
          "!=",
          "!=="
        ]);
        function checkIfBinaryExpressionIsNecessaryConditional(node) {
          if (!BOOL_OPERATORS.has(node.operator)) {
            return;
          }
          const leftType = (0, util_1.getConstrainedTypeAtLocation)(services, node.left);
          const rightType = (0, util_1.getConstrainedTypeAtLocation)(services, node.right);
          if (isLiteral2(leftType) && isLiteral2(rightType)) {
            context.report({ node, messageId: "literalBooleanExpression" });
            return;
          }
          if (isStrictNullChecks) {
            const UNDEFINED = ts.TypeFlags.Undefined;
            const NULL = ts.TypeFlags.Null;
            const VOID = ts.TypeFlags.Void;
            const isComparable = (type, flag) => {
              flag |= ts.TypeFlags.Any | ts.TypeFlags.Unknown | ts.TypeFlags.TypeParameter | ts.TypeFlags.TypeVariable;
              if (node.operator === "==" || node.operator === "!=") {
                flag |= NULL | UNDEFINED | VOID;
              }
              return (0, util_1.isTypeFlagSet)(type, flag);
            };
            if (leftType.flags === UNDEFINED && !isComparable(rightType, UNDEFINED | VOID) || rightType.flags === UNDEFINED && !isComparable(leftType, UNDEFINED | VOID) || leftType.flags === NULL && !isComparable(rightType, NULL) || rightType.flags === NULL && !isComparable(leftType, NULL)) {
              context.report({ node, messageId: "noOverlapBooleanExpression" });
              return;
            }
          }
        }
        function checkLogicalExpressionForUnnecessaryConditionals(node) {
          if (node.operator === "??") {
            checkNodeForNullish(node.left);
            return;
          }
          checkNode2(node.left);
        }
        function checkIfLoopIsNecessaryConditional(node) {
          if (node.test == null) {
            return;
          }
          if (allowConstantLoopConditions && tsutils.isTrueLiteralType((0, util_1.getConstrainedTypeAtLocation)(services, node.test))) {
            return;
          }
          checkNode2(node.test);
        }
        const ARRAY_PREDICATE_FUNCTIONS = /* @__PURE__ */ new Set([
          "filter",
          "find",
          "some",
          "every"
        ]);
        function isArrayPredicateFunction(node) {
          const { callee } = node;
          return (
            // looks like `something.filter` or `something.find`
            callee.type === utils_1.AST_NODE_TYPES.MemberExpression && callee.property.type === utils_1.AST_NODE_TYPES.Identifier && ARRAY_PREDICATE_FUNCTIONS.has(callee.property.name) && // and the left-hand side is an array, according to the types
            (nodeIsArrayType(callee.object) || nodeIsTupleType(callee.object))
          );
        }
        function checkCallExpression(node) {
          if (isArrayPredicateFunction(node) && node.arguments.length) {
            const callback = node.arguments[0];
            if (callback.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression || callback.type === utils_1.AST_NODE_TYPES.FunctionExpression) {
              if (callback.body.type !== utils_1.AST_NODE_TYPES.BlockStatement) {
                return checkNode2(callback.body);
              }
              const callbackBody = callback.body.body;
              if (callbackBody.length === 1 && callbackBody[0].type === utils_1.AST_NODE_TYPES.ReturnStatement && callbackBody[0].argument) {
                return checkNode2(callbackBody[0].argument);
              }
            }
            const returnTypes = tsutils.getCallSignaturesOfType((0, util_1.getConstrainedTypeAtLocation)(services, callback)).map((sig) => sig.getReturnType());
            if (returnTypes.length === 0) {
              return;
            }
            if (returnTypes.some((t) => (0, util_1.isTypeAnyType)(t) || (0, util_1.isTypeUnknownType)(t))) {
              return;
            }
            if (!returnTypes.some(isPossiblyFalsy)) {
              return context.report({
                node: callback,
                messageId: "alwaysTruthyFunc"
              });
            }
            if (!returnTypes.some(isPossiblyTruthy)) {
              return context.report({
                node: callback,
                messageId: "alwaysFalsyFunc"
              });
            }
          }
        }
        function optionChainContainsOptionArrayIndex(node) {
          const lhsNode = node.type === utils_1.AST_NODE_TYPES.CallExpression ? node.callee : node.object;
          if (node.optional && isArrayIndexExpression(lhsNode)) {
            return true;
          }
          if (lhsNode.type === utils_1.AST_NODE_TYPES.MemberExpression || lhsNode.type === utils_1.AST_NODE_TYPES.CallExpression) {
            return optionChainContainsOptionArrayIndex(lhsNode);
          }
          return false;
        }
        function isNullablePropertyType(objType, propertyType) {
          if (propertyType.isUnion()) {
            return propertyType.types.some((type) => isNullablePropertyType(objType, type));
          }
          if (propertyType.isNumberLiteral() || propertyType.isStringLiteral()) {
            const propType = (0, util_1.getTypeOfPropertyOfName)(checker, objType, propertyType.value.toString());
            if (propType) {
              return (0, util_1.isNullableType)(propType);
            }
          }
          const typeName = (0, util_1.getTypeName)(checker, propertyType);
          return !!checker.getIndexInfosOfType(objType).find((info) => (0, util_1.getTypeName)(checker, info.keyType) === typeName);
        }
        function isMemberExpressionNullableOriginFromObject(node) {
          const prevType = (0, util_1.getConstrainedTypeAtLocation)(services, node.object);
          const property = node.property;
          if (prevType.isUnion() && (0, util_1.isIdentifier)(property)) {
            const isOwnNullable = prevType.types.some((type) => {
              if (node.computed) {
                const propertyType = (0, util_1.getConstrainedTypeAtLocation)(services, node.property);
                return isNullablePropertyType(type, propertyType);
              }
              const propType = (0, util_1.getTypeOfPropertyOfName)(checker, type, property.name);
              if (propType) {
                return (0, util_1.isNullableType)(propType);
              }
              return !!checker.getIndexInfoOfType(type, ts.IndexKind.String);
            });
            return !isOwnNullable && (0, util_1.isNullableType)(prevType);
          }
          return false;
        }
        function isCallExpressionNullableOriginFromCallee(node) {
          const prevType = (0, util_1.getConstrainedTypeAtLocation)(services, node.callee);
          if (prevType.isUnion()) {
            const isOwnNullable = prevType.types.some((type) => {
              const signatures = type.getCallSignatures();
              return signatures.some((sig) => (0, util_1.isNullableType)(sig.getReturnType(), { allowUndefined: true }));
            });
            return !isOwnNullable && (0, util_1.isNullableType)(prevType, { allowUndefined: true });
          }
          return false;
        }
        function isOptionableExpression(node) {
          const type = (0, util_1.getConstrainedTypeAtLocation)(services, node);
          const isOwnNullable = node.type === utils_1.AST_NODE_TYPES.MemberExpression ? !isMemberExpressionNullableOriginFromObject(node) : node.type === utils_1.AST_NODE_TYPES.CallExpression ? !isCallExpressionNullableOriginFromCallee(node) : true;
          const possiblyVoid = (0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Void);
          return (0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Any | ts.TypeFlags.Unknown) || isOwnNullable && ((0, util_1.isNullableType)(type) || possiblyVoid);
        }
        function checkOptionalChain(node, beforeOperator, fix11) {
          if (!node.optional) {
            return;
          }
          if (optionChainContainsOptionArrayIndex(node)) {
            return;
          }
          const nodeToCheck = node.type === utils_1.AST_NODE_TYPES.CallExpression ? node.callee : node.object;
          if (isOptionableExpression(nodeToCheck)) {
            return;
          }
          const questionDotOperator = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(beforeOperator, (token) => token.type === utils_1.AST_TOKEN_TYPES.Punctuator && token.value === "?."), util_1.NullThrowsReasons.MissingToken("operator", node.type));
          context.report({
            node,
            loc: questionDotOperator.loc,
            messageId: "neverOptionalChain",
            fix(fixer) {
              return fixer.replaceText(questionDotOperator, fix11);
            }
          });
        }
        function checkOptionalMemberExpression(node) {
          checkOptionalChain(node, node.object, node.computed ? "" : ".");
        }
        function checkOptionalCallExpression(node) {
          checkOptionalChain(node, node.callee, "");
        }
        function checkAssignmentExpression(node) {
          if (["||=", "&&="].includes(node.operator)) {
            checkNode2(node.left);
          } else if (node.operator === "??=") {
            checkNodeForNullish(node.left);
          }
        }
        return {
          AssignmentExpression: checkAssignmentExpression,
          BinaryExpression: checkIfBinaryExpressionIsNecessaryConditional,
          CallExpression: checkCallExpression,
          ConditionalExpression: (node) => checkNode2(node.test),
          DoWhileStatement: checkIfLoopIsNecessaryConditional,
          ForStatement: checkIfLoopIsNecessaryConditional,
          IfStatement: (node) => checkNode2(node.test),
          LogicalExpression: checkLogicalExpressionForUnnecessaryConditionals,
          WhileStatement: checkIfLoopIsNecessaryConditional,
          "MemberExpression[optional = true]": checkOptionalMemberExpression,
          "CallExpression[optional = true]": checkOptionalCallExpression
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-parameter-property-assignment.js
var require_no_unnecessary_parameter_property_assignment2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-parameter-property-assignment.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var UNNECESSARY_OPERATORS = /* @__PURE__ */ new Set(["=", "&&=", "||=", "??="]);
    exports2.default = (0, util_1.createRule)({
      name: "no-unnecessary-parameter-property-assignment",
      meta: {
        docs: {
          description: "Disallow unnecessary assignment of constructor property parameter"
        },
        fixable: "code",
        messages: {
          unnecessaryAssign: "This assignment is unnecessary since it is already assigned by a parameter property."
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        const reportInfoStack = [];
        function isThisMemberExpression(node) {
          return node.type === utils_1.AST_NODE_TYPES.MemberExpression && node.object.type === utils_1.AST_NODE_TYPES.ThisExpression;
        }
        function getPropertyName2(node) {
          if (!isThisMemberExpression(node)) {
            return null;
          }
          if (node.property.type === utils_1.AST_NODE_TYPES.Identifier) {
            return node.property.name;
          }
          if (node.computed) {
            return (0, util_1.getStaticStringValue)(node.property);
          }
          return null;
        }
        function findParentFunction(node) {
          if (!node || node.type === utils_1.AST_NODE_TYPES.FunctionDeclaration || node.type === utils_1.AST_NODE_TYPES.FunctionExpression || node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression) {
            return node;
          }
          return findParentFunction(node.parent);
        }
        function findParentPropertyDefinition(node) {
          if (!node || node.type === utils_1.AST_NODE_TYPES.PropertyDefinition) {
            return node;
          }
          return findParentPropertyDefinition(node.parent);
        }
        function isConstructorFunctionExpression(node) {
          return node?.type === utils_1.AST_NODE_TYPES.FunctionExpression && utils_1.ASTUtils.isConstructor(node.parent);
        }
        function isReferenceFromParameter(node) {
          const scope = context.sourceCode.getScope(node);
          const rightRef = scope.references.find((ref) => ref.identifier.name === node.name);
          return rightRef?.resolved?.defs.at(0)?.type === scope_manager_1.DefinitionType.Parameter;
        }
        function isParameterPropertyWithName(node, name) {
          return node.type === utils_1.AST_NODE_TYPES.TSParameterProperty && (node.parameter.type === utils_1.AST_NODE_TYPES.Identifier && // constructor (public foo) {}
          node.parameter.name === name || node.parameter.type === utils_1.AST_NODE_TYPES.AssignmentPattern && // constructor (public foo = 1) {}
          node.parameter.left.type === utils_1.AST_NODE_TYPES.Identifier && node.parameter.left.name === name);
        }
        function getIdentifier(node) {
          if (node.type === utils_1.AST_NODE_TYPES.Identifier) {
            return node;
          }
          if (node.type === utils_1.AST_NODE_TYPES.TSAsExpression || node.type === utils_1.AST_NODE_TYPES.TSNonNullExpression) {
            return getIdentifier(node.expression);
          }
          return null;
        }
        function isArrowIIFE(node) {
          return node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression && node.parent.type === utils_1.AST_NODE_TYPES.CallExpression;
        }
        return {
          ClassBody() {
            reportInfoStack.push({
              unnecessaryAssignments: [],
              assignedBeforeUnnecessary: /* @__PURE__ */ new Set(),
              assignedBeforeConstructor: /* @__PURE__ */ new Set()
            });
          },
          "ClassBody:exit"() {
            const { unnecessaryAssignments, assignedBeforeConstructor } = (0, util_1.nullThrows)(reportInfoStack.pop(), "The top stack should exist");
            unnecessaryAssignments.forEach(({ name, node }) => {
              if (assignedBeforeConstructor.has(name)) {
                return;
              }
              context.report({
                node,
                messageId: "unnecessaryAssign"
              });
            });
          },
          "PropertyDefinition AssignmentExpression"(node) {
            const name = getPropertyName2(node.left);
            if (!name) {
              return;
            }
            const functionNode = findParentFunction(node);
            if (functionNode) {
              if (!(isArrowIIFE(functionNode) && findParentPropertyDefinition(node)?.value === functionNode.parent)) {
                return;
              }
            }
            const { assignedBeforeConstructor } = (0, util_1.nullThrows)(reportInfoStack.at(-1), "The top stack should exist");
            assignedBeforeConstructor.add(name);
          },
          "MethodDefinition[kind='constructor'] > FunctionExpression AssignmentExpression"(node) {
            const leftName = getPropertyName2(node.left);
            if (!leftName) {
              return;
            }
            let functionNode = findParentFunction(node);
            if (functionNode && isArrowIIFE(functionNode)) {
              functionNode = findParentFunction(functionNode.parent);
            }
            if (!isConstructorFunctionExpression(functionNode)) {
              return;
            }
            const { assignedBeforeUnnecessary, unnecessaryAssignments } = (0, util_1.nullThrows)(reportInfoStack.at(reportInfoStack.length - 1), "The top of stack should exist");
            if (!UNNECESSARY_OPERATORS.has(node.operator)) {
              assignedBeforeUnnecessary.add(leftName);
              return;
            }
            const rightId = getIdentifier(node.right);
            if (leftName !== rightId?.name || !isReferenceFromParameter(rightId)) {
              return;
            }
            const hasParameterProperty = functionNode.params.some((param) => isParameterPropertyWithName(param, rightId.name));
            if (hasParameterProperty && !assignedBeforeUnnecessary.has(leftName)) {
              unnecessaryAssignments.push({
                name: leftName,
                node
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-qualifier.js
var require_no_unnecessary_qualifier2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-qualifier.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-unnecessary-qualifier",
      meta: {
        docs: {
          description: "Disallow unnecessary namespace qualifiers",
          requiresTypeChecking: true
        },
        fixable: "code",
        messages: {
          unnecessaryQualifier: "Qualifier is unnecessary since '{{ name }}' is in scope."
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        const namespacesInScope = [];
        let currentFailedNamespaceExpression = null;
        const services = (0, util_1.getParserServices)(context);
        const esTreeNodeToTSNodeMap = services.esTreeNodeToTSNodeMap;
        const checker = services.program.getTypeChecker();
        function tryGetAliasedSymbol(symbol, checker2) {
          return tsutils.isSymbolFlagSet(symbol, ts.SymbolFlags.Alias) ? checker2.getAliasedSymbol(symbol) : null;
        }
        function symbolIsNamespaceInScope(symbol) {
          const symbolDeclarations = symbol.getDeclarations() ?? [];
          if (symbolDeclarations.some((decl) => namespacesInScope.some((ns) => ns === decl))) {
            return true;
          }
          const alias = tryGetAliasedSymbol(symbol, checker);
          return alias != null && symbolIsNamespaceInScope(alias);
        }
        function getSymbolInScope(node, flags, name) {
          const scope = checker.getSymbolsInScope(node, flags);
          return scope.find((scopeSymbol) => scopeSymbol.name === name);
        }
        function symbolsAreEqual(accessed, inScope) {
          return accessed === checker.getExportSymbolOfSymbol(inScope);
        }
        function qualifierIsUnnecessary(qualifier, name) {
          const namespaceSymbol = services.getSymbolAtLocation(qualifier);
          if (namespaceSymbol === void 0 || !symbolIsNamespaceInScope(namespaceSymbol)) {
            return false;
          }
          const accessedSymbol = services.getSymbolAtLocation(name);
          if (accessedSymbol === void 0) {
            return false;
          }
          const tsQualifier = esTreeNodeToTSNodeMap.get(qualifier);
          const fromScope = getSymbolInScope(tsQualifier, accessedSymbol.flags, context.sourceCode.getText(name));
          return !!fromScope && symbolsAreEqual(accessedSymbol, fromScope);
        }
        function visitNamespaceAccess(node, qualifier, name) {
          if (!currentFailedNamespaceExpression && qualifierIsUnnecessary(qualifier, name)) {
            currentFailedNamespaceExpression = node;
            context.report({
              node: qualifier,
              messageId: "unnecessaryQualifier",
              data: {
                name: context.sourceCode.getText(name)
              },
              fix(fixer) {
                return fixer.removeRange([qualifier.range[0], name.range[0]]);
              }
            });
          }
        }
        function enterDeclaration(node) {
          namespacesInScope.push(esTreeNodeToTSNodeMap.get(node));
        }
        function exitDeclaration() {
          namespacesInScope.pop();
        }
        function resetCurrentNamespaceExpression(node) {
          if (node === currentFailedNamespaceExpression) {
            currentFailedNamespaceExpression = null;
          }
        }
        function isPropertyAccessExpression(node) {
          return node.type === utils_1.AST_NODE_TYPES.MemberExpression && !node.computed;
        }
        function isEntityNameExpression(node) {
          return node.type === utils_1.AST_NODE_TYPES.Identifier || isPropertyAccessExpression(node) && isEntityNameExpression(node.object);
        }
        return {
          "TSModuleDeclaration > TSModuleBlock"(node) {
            enterDeclaration(node.parent);
          },
          TSEnumDeclaration: enterDeclaration,
          'ExportNamedDeclaration[declaration.type="TSModuleDeclaration"]': enterDeclaration,
          'ExportNamedDeclaration[declaration.type="TSEnumDeclaration"]': enterDeclaration,
          "TSModuleDeclaration:exit": exitDeclaration,
          "TSEnumDeclaration:exit": exitDeclaration,
          'ExportNamedDeclaration[declaration.type="TSModuleDeclaration"]:exit': exitDeclaration,
          'ExportNamedDeclaration[declaration.type="TSEnumDeclaration"]:exit': exitDeclaration,
          TSQualifiedName(node) {
            visitNamespaceAccess(node, node.left, node.right);
          },
          "MemberExpression[computed=false]": function(node) {
            const property = node.property;
            if (isEntityNameExpression(node.object)) {
              visitNamespaceAccess(node, node.object, property);
            }
          },
          "TSQualifiedName:exit": resetCurrentNamespaceExpression,
          "MemberExpression:exit": resetCurrentNamespaceExpression
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-template-expression.js
var require_no_unnecessary_template_expression2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-template-expression.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-unnecessary-template-expression",
      meta: {
        fixable: "code",
        type: "suggestion",
        docs: {
          description: "Disallow unnecessary template expressions",
          recommended: "strict",
          requiresTypeChecking: true
        },
        messages: {
          noUnnecessaryTemplateExpression: "Template literal expression is unnecessary and can be simplified."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        function isUnderlyingTypeString(expression) {
          const type = (0, util_1.getConstrainedTypeAtLocation)(services, expression);
          const isString2 = (t) => {
            return (0, util_1.isTypeFlagSet)(t, ts.TypeFlags.StringLike);
          };
          if (type.isUnion()) {
            return type.types.every(isString2);
          }
          if (type.isIntersection()) {
            return type.types.some(isString2);
          }
          return isString2(type);
        }
        function isLiteral2(expression) {
          return expression.type === utils_1.AST_NODE_TYPES.Literal;
        }
        function isTemplateLiteral(expression) {
          return expression.type === utils_1.AST_NODE_TYPES.TemplateLiteral;
        }
        function isInfinityIdentifier(expression) {
          return expression.type === utils_1.AST_NODE_TYPES.Identifier && expression.name === "Infinity";
        }
        function isNaNIdentifier(expression) {
          return expression.type === utils_1.AST_NODE_TYPES.Identifier && expression.name === "NaN";
        }
        return {
          TemplateLiteral(node) {
            if (node.parent.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression) {
              return;
            }
            const hasSingleStringVariable = node.quasis.length === 2 && node.quasis[0].value.raw === "" && node.quasis[1].value.raw === "" && node.expressions.length === 1 && isUnderlyingTypeString(node.expressions[0]);
            if (hasSingleStringVariable) {
              context.report({
                node: node.expressions[0],
                messageId: "noUnnecessaryTemplateExpression",
                fix(fixer) {
                  const [prevQuasi, nextQuasi] = node.quasis;
                  return [
                    fixer.removeRange([
                      prevQuasi.range[1] - 3,
                      node.expressions[0].range[0]
                    ]),
                    fixer.removeRange([
                      node.expressions[0].range[1],
                      nextQuasi.range[0] + 2
                    ])
                  ];
                }
              });
              return;
            }
            const fixableExpressions = node.expressions.filter((expression) => isLiteral2(expression) || isTemplateLiteral(expression) || (0, util_1.isUndefinedIdentifier)(expression) || isInfinityIdentifier(expression) || isNaNIdentifier(expression));
            fixableExpressions.forEach((expression) => {
              context.report({
                node: expression,
                messageId: "noUnnecessaryTemplateExpression",
                fix(fixer) {
                  const index = node.expressions.indexOf(expression);
                  const prevQuasi = node.quasis[index];
                  const nextQuasi = node.quasis[index + 1];
                  const fixes = [
                    fixer.removeRange([
                      prevQuasi.range[1] - 2,
                      expression.range[0]
                    ]),
                    fixer.removeRange([
                      expression.range[1],
                      nextQuasi.range[0] + 1
                    ])
                  ];
                  const stringValue = (0, util_1.getStaticStringValue)(expression);
                  if (stringValue != null) {
                    const escapedValue = stringValue.replace(/([`$\\])/g, "\\$1");
                    fixes.push(fixer.replaceText(expression, escapedValue));
                  } else if (isTemplateLiteral(expression)) {
                    fixes.push(fixer.removeRange([
                      expression.range[0],
                      expression.range[0] + 1
                    ]), fixer.removeRange([
                      expression.range[1] - 1,
                      expression.range[1]
                    ]));
                  }
                  return fixes;
                }
              });
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-type-arguments.js
var require_no_unnecessary_type_arguments2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-type-arguments.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-unnecessary-type-arguments",
      meta: {
        docs: {
          description: "Disallow type arguments that are equal to the default",
          recommended: "strict",
          requiresTypeChecking: true
        },
        fixable: "code",
        messages: {
          unnecessaryTypeParameter: "This is the default value for this type parameter, so it can be omitted."
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function getTypeForComparison(type) {
          if ((0, util_1.isTypeReferenceType)(type)) {
            return {
              type: type.target,
              typeArguments: checker.getTypeArguments(type)
            };
          }
          return {
            type,
            typeArguments: []
          };
        }
        function checkTSArgsAndParameters(esParameters, typeParameters) {
          const i = esParameters.params.length - 1;
          const arg = esParameters.params[i];
          const param = typeParameters.at(i);
          if (!param?.default) {
            return;
          }
          const defaultType = checker.getTypeAtLocation(param.default);
          const argType = services.getTypeAtLocation(arg);
          if (defaultType !== argType) {
            const defaultTypeResolved = getTypeForComparison(defaultType);
            const argTypeResolved = getTypeForComparison(argType);
            if (
              // ensure the resolved type AND all the parameters are the same
              defaultTypeResolved.type !== argTypeResolved.type || defaultTypeResolved.typeArguments.length !== argTypeResolved.typeArguments.length || defaultTypeResolved.typeArguments.some((t, i2) => t !== argTypeResolved.typeArguments[i2])
            ) {
              return;
            }
          }
          context.report({
            node: arg,
            messageId: "unnecessaryTypeParameter",
            fix: (fixer) => fixer.removeRange(i === 0 ? esParameters.range : [esParameters.params[i - 1].range[1], arg.range[1]])
          });
        }
        return {
          TSTypeParameterInstantiation(node) {
            const expression = services.esTreeNodeToTSNodeMap.get(node);
            const typeParameters = getTypeParametersFromNode(expression, checker);
            if (typeParameters) {
              checkTSArgsAndParameters(node, typeParameters);
            }
          }
        };
      }
    });
    function getTypeParametersFromNode(node, checker) {
      if (ts.isExpressionWithTypeArguments(node)) {
        return getTypeParametersFromType(node.expression, checker);
      }
      if (ts.isTypeReferenceNode(node)) {
        return getTypeParametersFromType(node.typeName, checker);
      }
      if (ts.isCallExpression(node) || ts.isNewExpression(node) || ts.isTaggedTemplateExpression(node)) {
        return getTypeParametersFromCall(node, checker);
      }
      return void 0;
    }
    function getTypeParametersFromType(type, checker) {
      const symAtLocation = checker.getSymbolAtLocation(type);
      if (!symAtLocation) {
        return void 0;
      }
      const sym = getAliasedSymbol(symAtLocation, checker);
      const declarations = sym.getDeclarations();
      if (!declarations) {
        return void 0;
      }
      return (0, util_1.findFirstResult)(declarations, (decl) => ts.isClassLike(decl) || ts.isTypeAliasDeclaration(decl) || ts.isInterfaceDeclaration(decl) ? decl.typeParameters : void 0);
    }
    function getTypeParametersFromCall(node, checker) {
      const sig = checker.getResolvedSignature(node);
      const sigDecl = sig?.getDeclaration();
      if (!sigDecl) {
        return ts.isNewExpression(node) ? getTypeParametersFromType(node.expression, checker) : void 0;
      }
      return sigDecl.typeParameters;
    }
    function getAliasedSymbol(symbol, checker) {
      return tsutils.isSymbolFlagSet(symbol, ts.SymbolFlags.Alias) ? checker.getAliasedSymbol(symbol) : symbol;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-type-assertion.js
var require_no_unnecessary_type_assertion2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-type-assertion.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-unnecessary-type-assertion",
      meta: {
        docs: {
          description: "Disallow type assertions that do not change the type of an expression",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        fixable: "code",
        messages: {
          unnecessaryAssertion: "This assertion is unnecessary since it does not change the type of the expression.",
          contextuallyUnnecessary: "This assertion is unnecessary since the receiver accepts the original type of the expression."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              typesToIgnore: {
                description: "A list of type names to ignore.",
                type: "array",
                items: {
                  type: "string"
                }
              }
            }
          }
        ],
        type: "suggestion"
      },
      defaultOptions: [{}],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const compilerOptions = services.program.getCompilerOptions();
        function isPossiblyUsedBeforeAssigned(node) {
          const declaration = (0, util_1.getDeclaration)(services, node);
          if (!declaration) {
            return true;
          }
          if (
            // non-strict mode doesn't care about used before assigned errors
            tsutils.isStrictCompilerOptionEnabled(compilerOptions, "strictNullChecks") && // ignore class properties as they are compile time guarded
            // also ignore function arguments as they can't be used before defined
            ts.isVariableDeclaration(declaration) && // is it `const x!: number`
            declaration.initializer === void 0 && declaration.exclamationToken === void 0 && declaration.type !== void 0
          ) {
            const declarationType = checker.getTypeFromTypeNode(declaration.type);
            const type = (0, util_1.getConstrainedTypeAtLocation)(services, node);
            if (declarationType === type && // `declare`s are never narrowed, so never skip them
            !services.tsNodeToESTreeNodeMap.get(declaration).parent.declare) {
              return true;
            }
          }
          return false;
        }
        function isConstAssertion(node) {
          return node.type === utils_1.AST_NODE_TYPES.TSTypeReference && node.typeName.type === utils_1.AST_NODE_TYPES.Identifier && node.typeName.name === "const";
        }
        function isImplicitlyNarrowedConstDeclaration({ expression, parent }) {
          const maybeDeclarationNode = parent.parent;
          const isTemplateLiteralWithExpressions = expression.type === utils_1.AST_NODE_TYPES.TemplateLiteral && expression.expressions.length !== 0;
          return maybeDeclarationNode.type === utils_1.AST_NODE_TYPES.VariableDeclaration && maybeDeclarationNode.kind === "const" && /**
           * Even on `const` variable declarations, template literals with expressions can sometimes be widened without a type assertion.
           * @see https://github.com/typescript-eslint/typescript-eslint/issues/8737
           */
          !isTemplateLiteralWithExpressions;
        }
        function isTypeUnchanged(uncast, cast) {
          if (uncast === cast) {
            return true;
          }
          if ((0, util_1.isTypeFlagSet)(uncast, ts.TypeFlags.Undefined) && (0, util_1.isTypeFlagSet)(cast, ts.TypeFlags.Undefined) && tsutils.isCompilerOptionEnabled(compilerOptions, "exactOptionalPropertyTypes")) {
            const uncastParts = tsutils.unionTypeParts(uncast).filter((part) => !(0, util_1.isTypeFlagSet)(part, ts.TypeFlags.Undefined));
            const castParts = tsutils.unionTypeParts(cast).filter((part) => !(0, util_1.isTypeFlagSet)(part, ts.TypeFlags.Undefined));
            if (uncastParts.length !== castParts.length) {
              return false;
            }
            const uncastPartsSet = new Set(uncastParts);
            return castParts.every((part) => uncastPartsSet.has(part));
          }
          return false;
        }
        return {
          TSNonNullExpression(node) {
            if (node.parent.type === utils_1.AST_NODE_TYPES.AssignmentExpression && node.parent.operator === "=") {
              if (node.parent.left === node) {
                context.report({
                  node,
                  messageId: "contextuallyUnnecessary",
                  fix(fixer) {
                    return fixer.removeRange([
                      node.expression.range[1],
                      node.range[1]
                    ]);
                  }
                });
              }
              return;
            }
            const originalNode = services.esTreeNodeToTSNodeMap.get(node);
            const type = (0, util_1.getConstrainedTypeAtLocation)(services, node.expression);
            if (!(0, util_1.isNullableType)(type) && !(0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Void)) {
              if (node.expression.type === utils_1.AST_NODE_TYPES.Identifier && isPossiblyUsedBeforeAssigned(node.expression)) {
                return;
              }
              context.report({
                node,
                messageId: "unnecessaryAssertion",
                fix(fixer) {
                  return fixer.removeRange([node.range[1] - 1, node.range[1]]);
                }
              });
            } else {
              const contextualType = (0, util_1.getContextualType)(checker, originalNode);
              if (contextualType) {
                const typeIncludesUndefined = (0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Undefined);
                const typeIncludesNull = (0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Null);
                const typeIncludesVoid = (0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Void);
                const contextualTypeIncludesUndefined = (0, util_1.isTypeFlagSet)(contextualType, ts.TypeFlags.Undefined);
                const contextualTypeIncludesNull = (0, util_1.isTypeFlagSet)(contextualType, ts.TypeFlags.Null);
                const contextualTypeIncludesVoid = (0, util_1.isTypeFlagSet)(contextualType, ts.TypeFlags.Void);
                const isValidUndefined = typeIncludesUndefined ? contextualTypeIncludesUndefined : true;
                const isValidNull = typeIncludesNull ? contextualTypeIncludesNull : true;
                const isValidVoid = typeIncludesVoid ? contextualTypeIncludesVoid : true;
                if (isValidUndefined && isValidNull && isValidVoid) {
                  context.report({
                    node,
                    messageId: "contextuallyUnnecessary",
                    fix(fixer) {
                      return fixer.removeRange([
                        node.expression.range[1],
                        node.range[1]
                      ]);
                    }
                  });
                }
              }
            }
          },
          "TSAsExpression, TSTypeAssertion"(node) {
            if (options.typesToIgnore?.includes(context.sourceCode.getText(node.typeAnnotation))) {
              return;
            }
            const castType = services.getTypeAtLocation(node);
            const uncastType = services.getTypeAtLocation(node.expression);
            const typeIsUnchanged = isTypeUnchanged(uncastType, castType);
            const wouldSameTypeBeInferred = castType.isLiteral() ? isImplicitlyNarrowedConstDeclaration(node) : !isConstAssertion(node.typeAnnotation);
            if (typeIsUnchanged && wouldSameTypeBeInferred) {
              context.report({
                node,
                messageId: "unnecessaryAssertion",
                fix(fixer) {
                  if (node.type === utils_1.AST_NODE_TYPES.TSTypeAssertion) {
                    const openingAngleBracket = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(node.typeAnnotation, (token) => token.type === utils_1.AST_TOKEN_TYPES.Punctuator && token.value === "<"), util_1.NullThrowsReasons.MissingToken("<", "type annotation"));
                    const closingAngleBracket = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.typeAnnotation, (token) => token.type === utils_1.AST_TOKEN_TYPES.Punctuator && token.value === ">"), util_1.NullThrowsReasons.MissingToken(">", "type annotation"));
                    return fixer.removeRange([
                      openingAngleBracket.range[0],
                      closingAngleBracket.range[1]
                    ]);
                  }
                  const asToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.expression, (token) => token.type === utils_1.AST_TOKEN_TYPES.Identifier && token.value === "as"), util_1.NullThrowsReasons.MissingToken(">", "type annotation"));
                  const tokenBeforeAs = (0, util_1.nullThrows)(context.sourceCode.getTokenBefore(asToken, {
                    includeComments: true
                  }), util_1.NullThrowsReasons.MissingToken("comment", "as"));
                  return fixer.removeRange([tokenBeforeAs.range[1], node.range[1]]);
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-type-constraint.js
var require_no_unnecessary_type_constraint2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-type-constraint.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var path_1 = require("path");
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-unnecessary-type-constraint",
      meta: {
        docs: {
          description: "Disallow unnecessary constraints on generic types",
          recommended: "recommended"
        },
        hasSuggestions: true,
        messages: {
          unnecessaryConstraint: "Constraining the generic type `{{name}}` to `{{constraint}}` does nothing and is unnecessary.",
          removeUnnecessaryConstraint: "Remove the unnecessary `{{constraint}}` constraint."
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        const unnecessaryConstraints = /* @__PURE__ */ new Map([
          [utils_1.AST_NODE_TYPES.TSAnyKeyword, "any"],
          [utils_1.AST_NODE_TYPES.TSUnknownKeyword, "unknown"]
        ]);
        function checkRequiresGenericDeclarationDisambiguation(filename) {
          const pathExt = (0, path_1.extname)(filename).toLocaleLowerCase();
          switch (pathExt) {
            case ts.Extension.Cts:
            case ts.Extension.Mts:
            case ts.Extension.Tsx:
              return true;
            default:
              return false;
          }
        }
        const requiresGenericDeclarationDisambiguation = checkRequiresGenericDeclarationDisambiguation(context.filename);
        const checkNode2 = (node, inArrowFunction) => {
          const constraint = unnecessaryConstraints.get(node.constraint.type);
          function shouldAddTrailingComma() {
            if (!inArrowFunction || !requiresGenericDeclarationDisambiguation) {
              return false;
            }
            return node.parent.params.length === 1 && context.sourceCode.getTokensAfter(node)[0].value !== "," && !node.default;
          }
          if (constraint) {
            context.report({
              data: {
                constraint,
                name: node.name.name
              },
              suggest: [
                {
                  messageId: "removeUnnecessaryConstraint",
                  data: {
                    constraint
                  },
                  fix(fixer) {
                    return fixer.replaceTextRange([node.name.range[1], node.constraint.range[1]], shouldAddTrailingComma() ? "," : "");
                  }
                }
              ],
              messageId: "unnecessaryConstraint",
              node
            });
          }
        };
        return {
          ":not(ArrowFunctionExpression) > TSTypeParameterDeclaration > TSTypeParameter[constraint]"(node) {
            checkNode2(node, false);
          },
          "ArrowFunctionExpression > TSTypeParameterDeclaration > TSTypeParameter[constraint]"(node) {
            checkNode2(node, true);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-type-parameters.js
var require_no_unnecessary_type_parameters2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unnecessary-type-parameters.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      defaultOptions: [],
      meta: {
        docs: {
          description: "Disallow type parameters that only appear once",
          requiresTypeChecking: true
        },
        messages: {
          sole: "Type parameter {{name}} is used only once."
        },
        schema: [],
        type: "problem"
      },
      name: "no-unnecessary-type-parameters",
      create(context) {
        const parserServices = (0, util_1.getParserServices)(context);
        return {
          [[
            "ArrowFunctionExpression[typeParameters]",
            "ClassDeclaration[typeParameters]",
            "ClassExpression[typeParameters]",
            "FunctionDeclaration[typeParameters]",
            "FunctionExpression[typeParameters]",
            "TSCallSignatureDeclaration[typeParameters]",
            "TSConstructorType[typeParameters]",
            "TSDeclareFunction[typeParameters]",
            "TSEmptyBodyFunctionExpression[typeParameters]",
            "TSFunctionType[typeParameters]",
            "TSMethodSignature[typeParameters]"
          ].join(", ")](node) {
            const tsNode = parserServices.esTreeNodeToTSNodeMap.get(node);
            const checker = parserServices.program.getTypeChecker();
            let counts;
            for (const typeParameter of tsNode.typeParameters) {
              const esTypeParameter = parserServices.tsNodeToESTreeNodeMap.get(typeParameter);
              const scope = context.sourceCode.getScope(esTypeParameter);
              if (isTypeParameterRepeatedInAST(esTypeParameter, scope.references)) {
                continue;
              }
              counts ??= countTypeParameterUsage(checker, tsNode);
              const identifierCounts = counts.get(typeParameter.name);
              if (!identifierCounts || identifierCounts > 2) {
                continue;
              }
              context.report({
                data: {
                  name: typeParameter.name.text
                },
                node: esTypeParameter,
                messageId: "sole"
              });
            }
          }
        };
      }
    });
    function isTypeParameterRepeatedInAST(node, references) {
      let total = 0;
      for (const reference of references) {
        if (reference.identifier.range[0] < node.range[1] && reference.identifier.range[1] > node.range[0]) {
          continue;
        }
        if (!reference.isTypeReference || reference.identifier.name !== node.name.name) {
          continue;
        }
        if (reference.identifier.parent.type === utils_1.AST_NODE_TYPES.TSTypeReference) {
          const grandparent = skipConstituentsUpward(reference.identifier.parent.parent);
          if (grandparent.type === utils_1.AST_NODE_TYPES.TSTypeParameterInstantiation && grandparent.params.includes(reference.identifier.parent)) {
            return true;
          }
        }
        total += 1;
        if (total > 2) {
          return true;
        }
      }
      return false;
    }
    function skipConstituentsUpward(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.TSIntersectionType:
        case utils_1.AST_NODE_TYPES.TSUnionType:
          return skipConstituentsUpward(node.parent);
        default:
          return node;
      }
    }
    function countTypeParameterUsage(checker, node) {
      const counts = /* @__PURE__ */ new Map();
      if (ts.isClassLike(node)) {
        for (const typeParameter of node.typeParameters) {
          collectTypeParameterUsageCounts(checker, typeParameter, counts);
        }
        for (const member of node.members) {
          collectTypeParameterUsageCounts(checker, member, counts);
        }
      } else {
        collectTypeParameterUsageCounts(checker, node, counts);
      }
      return counts;
    }
    function collectTypeParameterUsageCounts(checker, node, foundIdentifierUsages) {
      const visitedSymbolLists = /* @__PURE__ */ new Set();
      const type = checker.getTypeAtLocation(node);
      const typeUsages = /* @__PURE__ */ new Map();
      const visitedConstraints = /* @__PURE__ */ new Set();
      let functionLikeType = false;
      let visitedDefault = false;
      if (ts.isCallSignatureDeclaration(node) || ts.isConstructorDeclaration(node)) {
        functionLikeType = true;
        visitSignature(checker.getSignatureFromDeclaration(node));
      }
      if (!functionLikeType) {
        visitType(type, false);
      }
      function visitType(type2, assumeMultipleUses) {
        if (!type2 || incrementTypeUsages(type2) > 9) {
          return;
        }
        if (tsutils.isTypeParameter(type2)) {
          const declaration = type2.getSymbol()?.getDeclarations()?.[0];
          if (declaration) {
            incrementIdentifierCount(declaration.name, assumeMultipleUses);
            if (declaration.constraint && !visitedConstraints.has(declaration.constraint)) {
              visitedConstraints.add(declaration.constraint);
              visitType(checker.getTypeAtLocation(declaration.constraint), false);
            }
            if (declaration.default && !visitedDefault) {
              visitedDefault = true;
              visitType(checker.getTypeAtLocation(declaration.default), false);
            }
          }
        } else if (tsutils.isUnionOrIntersectionType(type2)) {
          visitTypesList(type2.types, assumeMultipleUses);
        } else if (tsutils.isIndexedAccessType(type2)) {
          visitType(type2.objectType, assumeMultipleUses);
          visitType(type2.indexType, assumeMultipleUses);
        } else if (tsutils.isTupleType(type2) || tsutils.isTypeReference(type2)) {
          for (const typeArgument of type2.typeArguments ?? []) {
            visitType(typeArgument, true);
          }
        } else if (tsutils.isTemplateLiteralType(type2)) {
          for (const subType of type2.types) {
            visitType(subType, assumeMultipleUses);
          }
        } else if (tsutils.isConditionalType(type2)) {
          visitType(type2.checkType, assumeMultipleUses);
          visitType(type2.extendsType, assumeMultipleUses);
        } else if (tsutils.isObjectType(type2)) {
          visitSymbolsListOnce(type2.getProperties(), false);
          if (isMappedType(type2)) {
            visitType(type2.typeParameter, false);
          }
          for (const typeArgument of type2.aliasTypeArguments ?? []) {
            visitType(typeArgument, true);
          }
          visitType(type2.getNumberIndexType(), true);
          visitType(type2.getStringIndexType(), true);
          type2.getCallSignatures().forEach((signature) => {
            functionLikeType = true;
            visitSignature(signature);
          });
          type2.getConstructSignatures().forEach((signature) => {
            functionLikeType = true;
            visitSignature(signature);
          });
        } else if (isOperatorType(type2)) {
          visitType(type2.type, assumeMultipleUses);
        } else if (type2.aliasTypeArguments) {
          visitTypesList(type2.aliasTypeArguments, true);
        }
      }
      function incrementIdentifierCount(id, assumeMultipleUses) {
        const identifierCount = foundIdentifierUsages.get(id) ?? 0;
        const value = assumeMultipleUses ? 2 : 1;
        foundIdentifierUsages.set(id, identifierCount + value);
      }
      function incrementTypeUsages(type2) {
        const count = (typeUsages.get(type2) ?? 0) + 1;
        typeUsages.set(type2, count);
        return count;
      }
      function visitSignature(signature) {
        if (!signature) {
          return;
        }
        if (signature.thisParameter) {
          visitType(checker.getTypeOfSymbol(signature.thisParameter), false);
        }
        for (const parameter of signature.parameters) {
          visitType(checker.getTypeOfSymbol(parameter), false);
        }
        for (const typeParameter of signature.getTypeParameters() ?? []) {
          visitType(typeParameter, false);
        }
        visitType(checker.getTypePredicateOfSignature(signature)?.type ?? signature.getReturnType(), false);
      }
      function visitSymbolsListOnce(symbols, assumeMultipleUses) {
        if (visitedSymbolLists.has(symbols)) {
          return;
        }
        visitedSymbolLists.add(symbols);
        for (const symbol of symbols) {
          visitType(checker.getTypeOfSymbol(symbol), assumeMultipleUses);
        }
      }
      function visitTypesList(types, assumeMultipleUses) {
        for (const type2 of types) {
          visitType(type2, assumeMultipleUses);
        }
      }
    }
    function isMappedType(type) {
      return "typeParameter" in type;
    }
    function isOperatorType(type) {
      return "type" in type && !!type.type;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-argument.js
var require_no_unsafe_argument2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-argument.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var FunctionSignature = class {
      static create(checker, tsNode) {
        const signature = checker.getResolvedSignature(tsNode);
        if (!signature) {
          return null;
        }
        const paramTypes = [];
        let restType = null;
        const parameters = signature.getParameters();
        for (let i = 0; i < parameters.length; i += 1) {
          const param = parameters[i];
          const type = checker.getTypeOfSymbolAtLocation(param, tsNode);
          const decl = param.getDeclarations()?.[0];
          if (decl && (0, util_1.isRestParameterDeclaration)(decl)) {
            if (checker.isArrayType(type)) {
              restType = {
                type: checker.getTypeArguments(type)[0],
                kind: 0,
                index: i
              };
            } else if (checker.isTupleType(type)) {
              restType = {
                typeArguments: checker.getTypeArguments(type),
                kind: 1,
                index: i
              };
            } else {
              restType = {
                type,
                kind: 2,
                index: i
              };
            }
            break;
          }
          paramTypes.push(type);
        }
        return new this(paramTypes, restType);
      }
      constructor(paramTypes, restType) {
        this.paramTypes = paramTypes;
        this.restType = restType;
        this.parameterTypeIndex = 0;
        this.hasConsumedArguments = false;
      }
      getNextParameterType() {
        const index = this.parameterTypeIndex;
        this.parameterTypeIndex += 1;
        if (index >= this.paramTypes.length || this.hasConsumedArguments) {
          if (this.restType == null) {
            return null;
          }
          switch (this.restType.kind) {
            case 1: {
              const typeArguments = this.restType.typeArguments;
              if (this.hasConsumedArguments) {
                return typeArguments[typeArguments.length - 1];
              }
              const typeIndex = index - this.restType.index;
              if (typeIndex >= typeArguments.length) {
                return typeArguments[typeArguments.length - 1];
              }
              return typeArguments[typeIndex];
            }
            case 0:
            case 2:
              return this.restType.type;
          }
        }
        return this.paramTypes[index];
      }
      consumeRemainingArguments() {
        this.hasConsumedArguments = true;
      }
    };
    exports2.default = (0, util_1.createRule)({
      name: "no-unsafe-argument",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow calling a function with a value with type `any`",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          unsafeArgument: "Unsafe argument of type `{{sender}}` assigned to a parameter of type `{{receiver}}`.",
          unsafeTupleSpread: "Unsafe spread of a tuple type. The argument is of type `{{sender}}` and is assigned to a parameter of type `{{receiver}}`.",
          unsafeArraySpread: "Unsafe spread of an `any` array type.",
          unsafeSpread: "Unsafe spread of an `any` type."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function checkUnsafeArguments(args, callee, node) {
          if (args.length === 0) {
            return;
          }
          if ((0, util_1.isTypeAnyType)(services.getTypeAtLocation(callee))) {
            return;
          }
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          const signature = (0, util_1.nullThrows)(FunctionSignature.create(checker, tsNode), "Expected to a signature resolved");
          if (node.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression) {
            signature.getNextParameterType();
          }
          for (const argument of args) {
            switch (argument.type) {
              case utils_1.AST_NODE_TYPES.SpreadElement: {
                const spreadArgType = services.getTypeAtLocation(argument.argument);
                if ((0, util_1.isTypeAnyType)(spreadArgType)) {
                  context.report({
                    node: argument,
                    messageId: "unsafeSpread"
                  });
                } else if ((0, util_1.isTypeAnyArrayType)(spreadArgType, checker)) {
                  context.report({
                    node: argument,
                    messageId: "unsafeArraySpread"
                  });
                } else if (checker.isTupleType(spreadArgType)) {
                  const spreadTypeArguments = checker.getTypeArguments(spreadArgType);
                  for (const tupleType2 of spreadTypeArguments) {
                    const parameterType = signature.getNextParameterType();
                    if (parameterType == null) {
                      continue;
                    }
                    const result = (0, util_1.isUnsafeAssignment)(
                      tupleType2,
                      parameterType,
                      checker,
                      // we can't pass the individual tuple members in here as this will most likely be a spread variable
                      // not a spread array
                      null
                    );
                    if (result) {
                      context.report({
                        node: argument,
                        messageId: "unsafeTupleSpread",
                        data: {
                          sender: checker.typeToString(tupleType2),
                          receiver: checker.typeToString(parameterType)
                        }
                      });
                    }
                  }
                  if (spreadArgType.target.hasRestElement) {
                    signature.consumeRemainingArguments();
                  }
                } else {
                }
                break;
              }
              default: {
                const parameterType = signature.getNextParameterType();
                if (parameterType == null) {
                  continue;
                }
                const argumentType = services.getTypeAtLocation(argument);
                const result = (0, util_1.isUnsafeAssignment)(argumentType, parameterType, checker, argument);
                if (result) {
                  context.report({
                    node: argument,
                    messageId: "unsafeArgument",
                    data: {
                      sender: checker.typeToString(argumentType),
                      receiver: checker.typeToString(parameterType)
                    }
                  });
                }
              }
            }
          }
        }
        return {
          "CallExpression, NewExpression"(node) {
            checkUnsafeArguments(node.arguments, node.callee, node);
          },
          TaggedTemplateExpression(node) {
            checkUnsafeArguments(node.quasi.expressions, node.tag, node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-assignment.js
var require_no_unsafe_assignment2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-assignment.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-unsafe-assignment",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow assigning a value with type `any` to variables and properties",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          anyAssignment: "Unsafe assignment of an {{sender}} value.",
          anyAssignmentThis: [
            "Unsafe assignment of an {{sender}} value. `this` is typed as `any`.",
            "You can try to fix this by turning on the `noImplicitThis` compiler option, or adding a `this` parameter to the function."
          ].join("\n"),
          unsafeArrayPattern: "Unsafe array destructuring of an {{sender}} array value.",
          unsafeArrayPatternFromTuple: "Unsafe array destructuring of a tuple element with an {{sender}} value.",
          unsafeAssignment: "Unsafe assignment of type {{sender}} to a variable of type {{receiver}}.",
          unsafeArraySpread: "Unsafe spread of an {{sender}} value in an array."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const compilerOptions = services.program.getCompilerOptions();
        const isNoImplicitThis = tsutils.isStrictCompilerOptionEnabled(compilerOptions, "noImplicitThis");
        function checkArrayDestructureHelper(receiverNode, senderNode) {
          if (receiverNode.type !== utils_1.AST_NODE_TYPES.ArrayPattern) {
            return false;
          }
          const senderTsNode = services.esTreeNodeToTSNodeMap.get(senderNode);
          const senderType = services.getTypeAtLocation(senderNode);
          return checkArrayDestructure(receiverNode, senderType, senderTsNode);
        }
        function checkArrayDestructure(receiverNode, senderType, senderNode) {
          if ((0, util_1.isTypeAnyArrayType)(senderType, checker)) {
            context.report({
              node: receiverNode,
              messageId: "unsafeArrayPattern",
              data: createData(senderType)
            });
            return false;
          }
          if (!checker.isTupleType(senderType)) {
            return true;
          }
          const tupleElements = checker.getTypeArguments(senderType);
          let didReport = false;
          for (let receiverIndex = 0; receiverIndex < receiverNode.elements.length; receiverIndex += 1) {
            const receiverElement = receiverNode.elements[receiverIndex];
            if (!receiverElement) {
              continue;
            }
            if (receiverElement.type === utils_1.AST_NODE_TYPES.RestElement) {
              continue;
            }
            const senderType2 = tupleElements[receiverIndex];
            if (!senderType2) {
              continue;
            }
            if ((0, util_1.isTypeAnyType)(senderType2)) {
              context.report({
                node: receiverElement,
                messageId: "unsafeArrayPatternFromTuple",
                data: createData(senderType2)
              });
              didReport = true;
            } else if (receiverElement.type === utils_1.AST_NODE_TYPES.ArrayPattern) {
              didReport = checkArrayDestructure(receiverElement, senderType2, senderNode);
            } else if (receiverElement.type === utils_1.AST_NODE_TYPES.ObjectPattern) {
              didReport = checkObjectDestructure(receiverElement, senderType2, senderNode);
            }
          }
          return didReport;
        }
        function checkObjectDestructureHelper(receiverNode, senderNode) {
          if (receiverNode.type !== utils_1.AST_NODE_TYPES.ObjectPattern) {
            return false;
          }
          const senderTsNode = services.esTreeNodeToTSNodeMap.get(senderNode);
          const senderType = services.getTypeAtLocation(senderNode);
          return checkObjectDestructure(receiverNode, senderType, senderTsNode);
        }
        function checkObjectDestructure(receiverNode, senderType, senderNode) {
          const properties = new Map(senderType.getProperties().map((property) => [
            property.getName(),
            checker.getTypeOfSymbolAtLocation(property, senderNode)
          ]));
          let didReport = false;
          for (const receiverProperty of receiverNode.properties) {
            if (receiverProperty.type === utils_1.AST_NODE_TYPES.RestElement) {
              continue;
            }
            let key;
            if (!receiverProperty.computed) {
              key = receiverProperty.key.type === utils_1.AST_NODE_TYPES.Identifier ? receiverProperty.key.name : String(receiverProperty.key.value);
            } else if (receiverProperty.key.type === utils_1.AST_NODE_TYPES.Literal) {
              key = String(receiverProperty.key.value);
            } else if (receiverProperty.key.type === utils_1.AST_NODE_TYPES.TemplateLiteral && receiverProperty.key.quasis.length === 1) {
              key = String(receiverProperty.key.quasis[0].value.cooked);
            } else {
              continue;
            }
            const senderType2 = properties.get(key);
            if (!senderType2) {
              continue;
            }
            if ((0, util_1.isTypeAnyType)(senderType2)) {
              context.report({
                node: receiverProperty.value,
                messageId: "unsafeArrayPatternFromTuple",
                data: createData(senderType2)
              });
              didReport = true;
            } else if (receiverProperty.value.type === utils_1.AST_NODE_TYPES.ArrayPattern) {
              didReport = checkArrayDestructure(receiverProperty.value, senderType2, senderNode);
            } else if (receiverProperty.value.type === utils_1.AST_NODE_TYPES.ObjectPattern) {
              didReport = checkObjectDestructure(receiverProperty.value, senderType2, senderNode);
            }
          }
          return didReport;
        }
        function checkAssignment(receiverNode, senderNode, reportingNode, comparisonType) {
          const receiverTsNode = services.esTreeNodeToTSNodeMap.get(receiverNode);
          const receiverType = comparisonType === 2 ? (0, util_1.getContextualType)(checker, receiverTsNode) ?? services.getTypeAtLocation(receiverNode) : services.getTypeAtLocation(receiverNode);
          const senderType = services.getTypeAtLocation(senderNode);
          if ((0, util_1.isTypeAnyType)(senderType)) {
            if ((0, util_1.isTypeUnknownType)(receiverType)) {
              return false;
            }
            let messageId4 = "anyAssignment";
            if (!isNoImplicitThis) {
              const thisExpression = (0, util_1.getThisExpression)(senderNode);
              if (thisExpression && (0, util_1.isTypeAnyType)((0, util_1.getConstrainedTypeAtLocation)(services, thisExpression))) {
                messageId4 = "anyAssignmentThis";
              }
            }
            context.report({
              node: reportingNode,
              messageId: messageId4,
              data: createData(senderType)
            });
            return true;
          }
          if (comparisonType === 0) {
            return false;
          }
          const result = (0, util_1.isUnsafeAssignment)(senderType, receiverType, checker, senderNode);
          if (!result) {
            return false;
          }
          const { sender, receiver } = result;
          context.report({
            node: reportingNode,
            messageId: "unsafeAssignment",
            data: createData(sender, receiver)
          });
          return true;
        }
        function getComparisonType(typeAnnotation) {
          return typeAnnotation ? (
            // if there's a type annotation, we can do a comparison
            1
          ) : (
            // no type annotation means the variable's type will just be inferred, thus equal
            0
          );
        }
        function createData(senderType, receiverType) {
          if (receiverType) {
            return {
              sender: "`" + checker.typeToString(senderType) + "`",
              receiver: "`" + checker.typeToString(receiverType) + "`"
            };
          }
          return {
            sender: tsutils.isIntrinsicErrorType(senderType) ? "error typed" : "`any`"
          };
        }
        return {
          "VariableDeclarator[init != null]"(node) {
            const init = (0, util_1.nullThrows)(node.init, util_1.NullThrowsReasons.MissingToken(node.type, "init"));
            let didReport = checkAssignment(node.id, init, node, getComparisonType(node.id.typeAnnotation));
            if (!didReport) {
              didReport = checkArrayDestructureHelper(node.id, init);
            }
            if (!didReport) {
              checkObjectDestructureHelper(node.id, init);
            }
          },
          "PropertyDefinition[value != null]"(node) {
            checkAssignment(node.key, node.value, node, getComparisonType(node.typeAnnotation));
          },
          'AssignmentExpression[operator = "="], AssignmentPattern'(node) {
            let didReport = checkAssignment(
              node.left,
              node.right,
              node,
              1
              /* ComparisonType.Basic */
            );
            if (!didReport) {
              didReport = checkArrayDestructureHelper(node.left, node.right);
            }
            if (!didReport) {
              checkObjectDestructureHelper(node.left, node.right);
            }
          },
          // object pattern props are checked via assignments
          ":not(ObjectPattern) > Property"(node) {
            if (node.value.type === utils_1.AST_NODE_TYPES.AssignmentPattern || node.value.type === utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression) {
              return;
            }
            checkAssignment(
              node.key,
              node.value,
              node,
              2
              /* ComparisonType.Contextual */
            );
          },
          "ArrayExpression > SpreadElement"(node) {
            const restType = services.getTypeAtLocation(node.argument);
            if ((0, util_1.isTypeAnyType)(restType) || (0, util_1.isTypeAnyArrayType)(restType, checker)) {
              context.report({
                node,
                messageId: "unsafeArraySpread",
                data: createData(restType)
              });
            }
          },
          "JSXAttribute[value != null]"(node) {
            const value = (0, util_1.nullThrows)(node.value, util_1.NullThrowsReasons.MissingToken(node.type, "value"));
            if (value.type !== utils_1.AST_NODE_TYPES.JSXExpressionContainer || value.expression.type === utils_1.AST_NODE_TYPES.JSXEmptyExpression) {
              return;
            }
            checkAssignment(
              node.name,
              value.expression,
              value.expression,
              2
              /* ComparisonType.Contextual */
            );
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-call.js
var require_no_unsafe_call2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-call.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tsutils = __importStar2(require_lib23());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-unsafe-call",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow calling a value with type `any`",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          unsafeCall: "Unsafe call of an {{type}} typed value.",
          unsafeCallThis: [
            "Unsafe call of an `any` typed value. `this` is typed as `any`.",
            "You can try to fix this by turning on the `noImplicitThis` compiler option, or adding a `this` parameter to the function."
          ].join("\n"),
          unsafeNew: "Unsafe construction of an any type value.",
          unsafeTemplateTag: "Unsafe any typed template tag."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const compilerOptions = services.program.getCompilerOptions();
        const isNoImplicitThis = tsutils.isStrictCompilerOptionEnabled(compilerOptions, "noImplicitThis");
        function checkCall(node, reportingNode, messageId4) {
          const type = (0, util_1.getConstrainedTypeAtLocation)(services, node);
          if ((0, util_1.isTypeAnyType)(type)) {
            if (!isNoImplicitThis) {
              const thisExpression = (0, util_1.getThisExpression)(node);
              if (thisExpression && (0, util_1.isTypeAnyType)((0, util_1.getConstrainedTypeAtLocation)(services, thisExpression))) {
                messageId4 = "unsafeCallThis";
              }
            }
            const isErrorType = tsutils.isIntrinsicErrorType(type);
            context.report({
              node: reportingNode,
              messageId: messageId4,
              data: {
                type: isErrorType ? "`error` type" : "`any`"
              }
            });
          }
        }
        return {
          "CallExpression > *.callee"(node) {
            checkCall(node, node, "unsafeCall");
          },
          NewExpression(node) {
            checkCall(node.callee, node, "unsafeNew");
          },
          "TaggedTemplateExpression > *.tag"(node) {
            checkCall(node, node, "unsafeTemplateTag");
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-declaration-merging.js
var require_no_unsafe_declaration_merging2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-declaration-merging.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-unsafe-declaration-merging",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow unsafe declaration merging",
          recommended: "recommended",
          requiresTypeChecking: false
        },
        messages: {
          unsafeMerging: "Unsafe declaration merging between classes and interfaces."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        function checkUnsafeDeclaration(scope, node, unsafeKind) {
          const variable = scope.set.get(node.name);
          if (!variable) {
            return;
          }
          const defs = variable.defs;
          if (defs.length <= 1) {
            return;
          }
          if (defs.some((def) => def.node.type === unsafeKind)) {
            context.report({
              node,
              messageId: "unsafeMerging"
            });
          }
        }
        return {
          ClassDeclaration(node) {
            if (node.id) {
              const currentScope = context.sourceCode.getScope(node).upper;
              if (currentScope == null) {
                return;
              }
              checkUnsafeDeclaration(currentScope, node.id, utils_1.AST_NODE_TYPES.TSInterfaceDeclaration);
            }
          },
          TSInterfaceDeclaration(node) {
            checkUnsafeDeclaration(context.sourceCode.getScope(node), node.id, utils_1.AST_NODE_TYPES.ClassDeclaration);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/enum-utils/shared.js
var require_shared6 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/enum-utils/shared.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.getEnumLiterals = getEnumLiterals;
    exports2.getEnumTypes = getEnumTypes;
    exports2.getEnumKeyForLiteral = getEnumKeyForLiteral;
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    function getBaseEnumType(typeChecker, type) {
      const symbol = type.getSymbol();
      if (!tsutils.isSymbolFlagSet(symbol, ts.SymbolFlags.EnumMember)) {
        return type;
      }
      return typeChecker.getTypeAtLocation(symbol.valueDeclaration.parent);
    }
    function getEnumLiterals(type) {
      return tsutils.unionTypeParts(type).filter((subType) => (0, util_1.isTypeFlagSet)(subType, ts.TypeFlags.EnumLiteral));
    }
    function getEnumTypes(typeChecker, type) {
      return getEnumLiterals(type).map((type2) => getBaseEnumType(typeChecker, type2));
    }
    function getEnumKeyForLiteral(enumLiterals, literal) {
      for (const enumLiteral of enumLiterals) {
        if (enumLiteral.value === literal) {
          const { symbol } = enumLiteral;
          const memberDeclaration = symbol.valueDeclaration;
          const enumDeclaration = memberDeclaration.parent;
          const memberNameIdentifier = memberDeclaration.name;
          const enumName = enumDeclaration.name.text;
          switch (memberNameIdentifier.kind) {
            case ts.SyntaxKind.Identifier:
              return `${enumName}.${memberNameIdentifier.text}`;
            case ts.SyntaxKind.StringLiteral: {
              const memberName = memberNameIdentifier.text.replace(/'/g, "\\'");
              return `${enumName}['${memberName}']`;
            }
            case ts.SyntaxKind.ComputedPropertyName:
              return `${enumName}[${memberNameIdentifier.expression.getText()}]`;
            default:
              break;
          }
        }
      }
      return null;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-enum-comparison.js
var require_no_unsafe_enum_comparison2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-enum-comparison.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    var shared_1 = require_shared6();
    function typeViolates(leftTypeParts, right) {
      const leftValueKinds = new Set(leftTypeParts.map(getEnumValueType));
      return leftValueKinds.has(ts.TypeFlags.Number) && tsutils.isTypeFlagSet(right, ts.TypeFlags.Number | ts.TypeFlags.NumberLike) || leftValueKinds.has(ts.TypeFlags.String) && tsutils.isTypeFlagSet(right, ts.TypeFlags.String | ts.TypeFlags.StringLike);
    }
    function getEnumValueType(type) {
      return tsutils.isTypeFlagSet(type, ts.TypeFlags.EnumLike) ? tsutils.isTypeFlagSet(type, ts.TypeFlags.NumberLiteral) ? ts.TypeFlags.Number : ts.TypeFlags.String : void 0;
    }
    exports2.default = (0, util_1.createRule)({
      name: "no-unsafe-enum-comparison",
      meta: {
        hasSuggestions: true,
        type: "suggestion",
        docs: {
          description: "Disallow comparing an enum value with a non-enum value",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          mismatchedCase: "The case statement does not have a shared enum type with the switch predicate.",
          mismatchedCondition: "The two values in this comparison do not have a shared enum type.",
          replaceValueWithEnum: "Replace with an enum value comparison."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const parserServices = (0, util_1.getParserServices)(context);
        const typeChecker = parserServices.program.getTypeChecker();
        function isMismatchedComparison(leftType, rightType) {
          const leftEnumTypes = (0, shared_1.getEnumTypes)(typeChecker, leftType);
          const rightEnumTypes = new Set((0, shared_1.getEnumTypes)(typeChecker, rightType));
          if (leftEnumTypes.length === 0 && rightEnumTypes.size === 0) {
            return false;
          }
          for (const leftEnumType of leftEnumTypes) {
            if (rightEnumTypes.has(leftEnumType)) {
              return false;
            }
          }
          const leftTypeParts = tsutils.unionTypeParts(leftType);
          const rightTypeParts = tsutils.unionTypeParts(rightType);
          for (const leftTypePart of leftTypeParts) {
            if (rightTypeParts.includes(leftTypePart)) {
              return false;
            }
          }
          return typeViolates(leftTypeParts, rightType) || typeViolates(rightTypeParts, leftType);
        }
        return {
          "BinaryExpression[operator=/^[<>!=]?={0,2}$/]"(node) {
            const leftType = parserServices.getTypeAtLocation(node.left);
            const rightType = parserServices.getTypeAtLocation(node.right);
            if (isMismatchedComparison(leftType, rightType)) {
              context.report({
                messageId: "mismatchedCondition",
                node,
                suggest: [
                  {
                    messageId: "replaceValueWithEnum",
                    fix(fixer) {
                      const leftEnumKey = (0, shared_1.getEnumKeyForLiteral)((0, shared_1.getEnumLiterals)(leftType), (0, util_1.getStaticValue)(node.right)?.value);
                      if (leftEnumKey) {
                        return fixer.replaceText(node.right, leftEnumKey);
                      }
                      const rightEnumKey = (0, shared_1.getEnumKeyForLiteral)((0, shared_1.getEnumLiterals)(rightType), (0, util_1.getStaticValue)(node.left)?.value);
                      if (rightEnumKey) {
                        return fixer.replaceText(node.left, rightEnumKey);
                      }
                      return null;
                    }
                  }
                ]
              });
            }
          },
          SwitchCase(node) {
            if (node.test == null) {
              return;
            }
            const { parent } = node;
            const switchStatement = parent;
            const leftType = parserServices.getTypeAtLocation(switchStatement.discriminant);
            const rightType = parserServices.getTypeAtLocation(node.test);
            if (isMismatchedComparison(leftType, rightType)) {
              context.report({
                messageId: "mismatchedCase",
                node
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-member-access.js
var require_no_unsafe_member_access2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-member-access.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var util_1 = require_util7();
    function createDataType(type) {
      const isErrorType = tsutils.isIntrinsicErrorType(type);
      return isErrorType ? "`error` typed" : "`any`";
    }
    exports2.default = (0, util_1.createRule)({
      name: "no-unsafe-member-access",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow member access on a value with type `any`",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          unsafeMemberExpression: "Unsafe member access {{property}} on an {{type}} value.",
          unsafeThisMemberExpression: [
            "Unsafe member access {{property}} on an `any` value. `this` is typed as `any`.",
            "You can try to fix this by turning on the `noImplicitThis` compiler option, or adding a `this` parameter to the function."
          ].join("\n"),
          unsafeComputedMemberAccess: "Computed name {{property}} resolves to an {{type}} value."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const compilerOptions = services.program.getCompilerOptions();
        const isNoImplicitThis = tsutils.isStrictCompilerOptionEnabled(compilerOptions, "noImplicitThis");
        const stateCache = /* @__PURE__ */ new Map();
        function checkMemberExpression2(node) {
          const cachedState = stateCache.get(node);
          if (cachedState) {
            return cachedState;
          }
          if (node.object.type === utils_1.AST_NODE_TYPES.MemberExpression) {
            const objectState = checkMemberExpression2(node.object);
            if (objectState === 1) {
              stateCache.set(node, objectState);
              return objectState;
            }
          }
          const type = services.getTypeAtLocation(node.object);
          const state = (0, util_1.isTypeAnyType)(type) ? 1 : 2;
          stateCache.set(node, state);
          if (state === 1) {
            const propertyName = context.sourceCode.getText(node.property);
            let messageId4 = "unsafeMemberExpression";
            if (!isNoImplicitThis) {
              const thisExpression = (0, util_1.getThisExpression)(node);
              if (thisExpression && (0, util_1.isTypeAnyType)((0, util_1.getConstrainedTypeAtLocation)(services, thisExpression))) {
                messageId4 = "unsafeThisMemberExpression";
              }
            }
            context.report({
              node: node.property,
              messageId: messageId4,
              data: {
                property: node.computed ? `[${propertyName}]` : `.${propertyName}`,
                type: createDataType(type)
              }
            });
          }
          return state;
        }
        return {
          // ignore MemberExpressions with ancestors of type `TSClassImplements` or `TSInterfaceHeritage`
          "MemberExpression:not(TSClassImplements MemberExpression, TSInterfaceHeritage MemberExpression)": checkMemberExpression2,
          "MemberExpression[computed = true] > *.property"(node) {
            if (
              // x[1]
              node.type === utils_1.AST_NODE_TYPES.Literal || // x[1++] x[++x] etc
              // FUN FACT - **all** update expressions return type number, regardless of the argument's type,
              // because JS engines return NaN if there the argument is not a number.
              node.type === utils_1.AST_NODE_TYPES.UpdateExpression
            ) {
              return;
            }
            const type = services.getTypeAtLocation(node);
            if ((0, util_1.isTypeAnyType)(type)) {
              const propertyName = context.sourceCode.getText(node);
              context.report({
                node,
                messageId: "unsafeComputedMemberAccess",
                data: {
                  property: `[${propertyName}]`,
                  type: createDataType(type)
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-return.js
var require_no_unsafe_return2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-return.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-unsafe-return",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow returning a value with type `any` from a function",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          unsafeReturn: "Unsafe return of an {{type}} typed value.",
          unsafeReturnThis: [
            "Unsafe return of an `{{type}}` typed value. `this` is typed as `any`.",
            "You can try to fix this by turning on the `noImplicitThis` compiler option, or adding a `this` parameter to the function."
          ].join("\n"),
          unsafeReturnAssignment: "Unsafe return of type `{{sender}}` from function with return type `{{receiver}}`."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const compilerOptions = services.program.getCompilerOptions();
        const isNoImplicitThis = tsutils.isStrictCompilerOptionEnabled(compilerOptions, "noImplicitThis");
        function getParentFunctionNode(node) {
          let current = node.parent;
          while (current) {
            if (current.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression || current.type === utils_1.AST_NODE_TYPES.FunctionDeclaration || current.type === utils_1.AST_NODE_TYPES.FunctionExpression) {
              return current;
            }
            current = current.parent;
          }
          return null;
        }
        function checkReturn(returnNode, reportingNode = returnNode) {
          const tsNode = services.esTreeNodeToTSNodeMap.get(returnNode);
          const anyType2 = (0, util_1.isAnyOrAnyArrayTypeDiscriminated)(tsNode, checker);
          const functionNode = getParentFunctionNode(returnNode);
          if (!functionNode) {
            return;
          }
          const returnNodeType = (0, util_1.getConstrainedTypeAtLocation)(services, returnNode);
          const functionTSNode = services.esTreeNodeToTSNodeMap.get(functionNode);
          let functionType2 = ts.isFunctionExpression(functionTSNode) || ts.isArrowFunction(functionTSNode) ? (0, util_1.getContextualType)(checker, functionTSNode) : services.getTypeAtLocation(functionNode);
          if (!functionType2) {
            functionType2 = services.getTypeAtLocation(functionNode);
          }
          if (functionTSNode.type) {
            for (const signature of tsutils.getCallSignaturesOfType(functionType2)) {
              if (returnNodeType === signature.getReturnType() || (0, util_1.isTypeFlagSet)(signature.getReturnType(), ts.TypeFlags.Any | ts.TypeFlags.Unknown)) {
                return;
              }
            }
          }
          if (anyType2 !== util_1.AnyType.Safe) {
            for (const signature of functionType2.getCallSignatures()) {
              const functionReturnType = signature.getReturnType();
              if (anyType2 === util_1.AnyType.Any && (0, util_1.isTypeUnknownType)(functionReturnType)) {
                return;
              }
              if (anyType2 === util_1.AnyType.AnyArray && (0, util_1.isTypeUnknownArrayType)(functionReturnType, checker)) {
                return;
              }
            }
            let messageId4 = "unsafeReturn";
            const isErrorType = tsutils.isIntrinsicErrorType(returnNodeType);
            if (!isNoImplicitThis) {
              const thisExpression = (0, util_1.getThisExpression)(returnNode);
              if (thisExpression && (0, util_1.isTypeAnyType)((0, util_1.getConstrainedTypeAtLocation)(services, thisExpression))) {
                messageId4 = "unsafeReturnThis";
              }
            }
            return context.report({
              node: reportingNode,
              messageId: messageId4,
              data: {
                type: isErrorType ? "error" : anyType2 === util_1.AnyType.Any ? "`any`" : "`any[]`"
              }
            });
          }
          for (const signature of functionType2.getCallSignatures()) {
            const functionReturnType = signature.getReturnType();
            const result = (0, util_1.isUnsafeAssignment)(returnNodeType, functionReturnType, checker, returnNode);
            if (!result) {
              return;
            }
            const { sender, receiver } = result;
            return context.report({
              node: reportingNode,
              messageId: "unsafeReturnAssignment",
              data: {
                sender: checker.typeToString(sender),
                receiver: checker.typeToString(receiver)
              }
            });
          }
        }
        return {
          ReturnStatement(node) {
            const argument = node.argument;
            if (!argument) {
              return;
            }
            checkReturn(argument, node);
          },
          "ArrowFunctionExpression > :not(BlockStatement).body": checkReturn
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-unary-minus.js
var require_no_unsafe_unary_minus2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unsafe-unary-minus.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util5 = __importStar2(require_util7());
    exports2.default = util5.createRule({
      name: "no-unsafe-unary-minus",
      meta: {
        type: "problem",
        docs: {
          description: "Require unary negation to take a number",
          requiresTypeChecking: true
        },
        messages: {
          unaryMinus: "Argument of unary negation should be assignable to number | bigint but is {{type}} instead."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        return {
          UnaryExpression(node) {
            if (node.operator !== "-") {
              return;
            }
            const services = util5.getParserServices(context);
            const argType = util5.getConstrainedTypeAtLocation(services, node.argument);
            const checker = services.program.getTypeChecker();
            if (tsutils.unionTypeParts(argType).some((type) => !tsutils.isTypeFlagSet(type, ts.TypeFlags.Any | ts.TypeFlags.Never | ts.TypeFlags.BigIntLike | ts.TypeFlags.NumberLike))) {
              context.report({
                messageId: "unaryMinus",
                node,
                data: { type: checker.typeToString(argType) }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unused-expressions.js
var require_no_unused_expressions2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unused-expressions.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-unused-expressions");
    exports2.default = (0, util_1.createRule)({
      name: "no-unused-expressions",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow unused expressions",
          extendsBaseRule: true
        },
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        {
          allowShortCircuit: false,
          allowTernary: false,
          allowTaggedTemplates: false
        }
      ],
      create(context, [{ allowShortCircuit = false, allowTernary = false }]) {
        const rules = baseRule2.create(context);
        function isValidExpression(node) {
          if (allowShortCircuit && node.type === utils_1.AST_NODE_TYPES.LogicalExpression) {
            return isValidExpression(node.right);
          }
          if (allowTernary && node.type === utils_1.AST_NODE_TYPES.ConditionalExpression) {
            return isValidExpression(node.alternate) && isValidExpression(node.consequent);
          }
          return node.type === utils_1.AST_NODE_TYPES.ChainExpression && node.expression.type === utils_1.AST_NODE_TYPES.CallExpression || node.type === utils_1.AST_NODE_TYPES.ImportExpression;
        }
        return {
          ExpressionStatement(node) {
            if (node.directive || isValidExpression(node.expression)) {
              return;
            }
            const expressionType = node.expression.type;
            if (expressionType === utils_1.TSESTree.AST_NODE_TYPES.TSInstantiationExpression || expressionType === utils_1.TSESTree.AST_NODE_TYPES.TSAsExpression || expressionType === utils_1.TSESTree.AST_NODE_TYPES.TSNonNullExpression || expressionType === utils_1.TSESTree.AST_NODE_TYPES.TSTypeAssertion) {
              rules.ExpressionStatement({
                ...node,
                expression: node.expression.expression
              });
              return;
            }
            rules.ExpressionStatement(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unused-vars.js
var require_no_unused_vars2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-unused-vars.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-unused-vars",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow unused variables",
          recommended: "recommended",
          extendsBaseRule: true
        },
        schema: [
          {
            oneOf: [
              {
                type: "string",
                enum: ["all", "local"]
              },
              {
                type: "object",
                properties: {
                  vars: {
                    type: "string",
                    enum: ["all", "local"]
                  },
                  varsIgnorePattern: {
                    type: "string"
                  },
                  args: {
                    type: "string",
                    enum: ["all", "after-used", "none"]
                  },
                  ignoreRestSiblings: {
                    type: "boolean"
                  },
                  argsIgnorePattern: {
                    type: "string"
                  },
                  caughtErrors: {
                    type: "string",
                    enum: ["all", "none"]
                  },
                  caughtErrorsIgnorePattern: {
                    type: "string"
                  },
                  destructuredArrayIgnorePattern: {
                    type: "string"
                  }
                },
                additionalProperties: false
              }
            ]
          }
        ],
        messages: {
          unusedVar: "'{{varName}}' is {{action}} but never used{{additional}}."
        }
      },
      defaultOptions: [{}],
      create(context, [firstOption]) {
        const MODULE_DECL_CACHE = /* @__PURE__ */ new Map();
        const options = (() => {
          const options2 = {
            vars: "all",
            args: "after-used",
            ignoreRestSiblings: false,
            caughtErrors: "none"
          };
          if (typeof firstOption === "string") {
            options2.vars = firstOption;
          } else {
            options2.vars = firstOption.vars ?? options2.vars;
            options2.args = firstOption.args ?? options2.args;
            options2.ignoreRestSiblings = firstOption.ignoreRestSiblings ?? options2.ignoreRestSiblings;
            options2.caughtErrors = firstOption.caughtErrors ?? options2.caughtErrors;
            if (firstOption.varsIgnorePattern) {
              options2.varsIgnorePattern = new RegExp(firstOption.varsIgnorePattern, "u");
            }
            if (firstOption.argsIgnorePattern) {
              options2.argsIgnorePattern = new RegExp(firstOption.argsIgnorePattern, "u");
            }
            if (firstOption.caughtErrorsIgnorePattern) {
              options2.caughtErrorsIgnorePattern = new RegExp(firstOption.caughtErrorsIgnorePattern, "u");
            }
            if (firstOption.destructuredArrayIgnorePattern) {
              options2.destructuredArrayIgnorePattern = new RegExp(firstOption.destructuredArrayIgnorePattern, "u");
            }
          }
          return options2;
        })();
        function collectUnusedVariables() {
          function hasRestSibling(node) {
            return node.type === utils_1.AST_NODE_TYPES.Property && node.parent.type === utils_1.AST_NODE_TYPES.ObjectPattern && node.parent.properties[node.parent.properties.length - 1].type === utils_1.AST_NODE_TYPES.RestElement;
          }
          function hasRestSpreadSibling(variable) {
            if (options.ignoreRestSiblings) {
              const hasRestSiblingDefinition = variable.defs.some((def) => hasRestSibling(def.name.parent));
              const hasRestSiblingReference = variable.references.some((ref) => hasRestSibling(ref.identifier.parent));
              return hasRestSiblingDefinition || hasRestSiblingReference;
            }
            return false;
          }
          function isAfterLastUsedArg(variable) {
            const def = variable.defs[0];
            const params = context.sourceCode.getDeclaredVariables(def.node);
            const posteriorParams = params.slice(params.indexOf(variable) + 1);
            return !posteriorParams.some((v) => v.references.length > 0 || v.eslintUsed);
          }
          const unusedVariablesOriginal = (0, util_1.collectUnusedVariables)(context);
          const unusedVariablesReturn = [];
          for (const variable of unusedVariablesOriginal) {
            if (variable.defs.length === 0) {
              unusedVariablesReturn.push(variable);
              continue;
            }
            const def = variable.defs[0];
            if (variable.scope.type === utils_1.TSESLint.Scope.ScopeType.global && options.vars === "local") {
              continue;
            }
            const refUsedInArrayPatterns = variable.references.some((ref) => ref.identifier.parent.type === utils_1.AST_NODE_TYPES.ArrayPattern);
            if ((def.name.parent.type === utils_1.AST_NODE_TYPES.ArrayPattern || refUsedInArrayPatterns) && def.name.type === utils_1.AST_NODE_TYPES.Identifier && options.destructuredArrayIgnorePattern?.test(def.name.name)) {
              continue;
            }
            if (def.type === utils_1.TSESLint.Scope.DefinitionType.CatchClause) {
              if (options.caughtErrors === "none") {
                continue;
              }
              if (def.name.type === utils_1.AST_NODE_TYPES.Identifier && options.caughtErrorsIgnorePattern?.test(def.name.name)) {
                continue;
              }
            }
            if (def.type === utils_1.TSESLint.Scope.DefinitionType.Parameter) {
              if (options.args === "none") {
                continue;
              }
              if (def.name.type === utils_1.AST_NODE_TYPES.Identifier && options.argsIgnorePattern?.test(def.name.name)) {
                continue;
              }
              if (options.args === "after-used" && (0, util_1.isFunction)(def.name.parent) && !isAfterLastUsedArg(variable)) {
                continue;
              }
            } else {
              if (def.name.type === utils_1.AST_NODE_TYPES.Identifier && options.varsIgnorePattern?.test(def.name.name)) {
                continue;
              }
            }
            if (hasRestSpreadSibling(variable)) {
              continue;
            }
            if (variable.eslintUsed) {
              continue;
            }
            unusedVariablesReturn.push(variable);
          }
          return unusedVariablesReturn;
        }
        return {
          // declaration file handling
          [ambientDeclarationSelector(utils_1.AST_NODE_TYPES.Program, true)](node) {
            if (!(0, util_1.isDefinitionFile)(context.filename)) {
              return;
            }
            markDeclarationChildAsUsed(node);
          },
          // children of a namespace that is a child of a declared namespace are auto-exported
          [ambientDeclarationSelector("TSModuleDeclaration[declare = true] > TSModuleBlock TSModuleDeclaration > TSModuleBlock", false)](node) {
            markDeclarationChildAsUsed(node);
          },
          // declared namespace handling
          [ambientDeclarationSelector("TSModuleDeclaration[declare = true] > TSModuleBlock", false)](node) {
            const moduleDecl = (0, util_1.nullThrows)(node.parent.parent, util_1.NullThrowsReasons.MissingParent);
            if (moduleDecl.id.type === utils_1.AST_NODE_TYPES.Literal && checkModuleDeclForExportEquals(moduleDecl)) {
              return;
            }
            markDeclarationChildAsUsed(node);
          },
          // collect
          "Program:exit"(programNode) {
            function getDefinedMessageData(unusedVar) {
              const defType = unusedVar.defs[0]?.type;
              let type;
              let pattern;
              if (defType === utils_1.TSESLint.Scope.DefinitionType.CatchClause && options.caughtErrorsIgnorePattern) {
                type = "args";
                pattern = options.caughtErrorsIgnorePattern.toString();
              } else if (defType === utils_1.TSESLint.Scope.DefinitionType.Parameter && options.argsIgnorePattern) {
                type = "args";
                pattern = options.argsIgnorePattern.toString();
              } else if (defType !== utils_1.TSESLint.Scope.DefinitionType.Parameter && options.varsIgnorePattern) {
                type = "vars";
                pattern = options.varsIgnorePattern.toString();
              }
              const additional = type ? `. Allowed unused ${type} must match ${pattern}` : "";
              return {
                varName: unusedVar.name,
                action: "defined",
                additional
              };
            }
            function getAssignedMessageData(unusedVar) {
              const def = unusedVar.defs.at(0);
              let additional = "";
              if (options.destructuredArrayIgnorePattern && def?.name.parent.type === utils_1.AST_NODE_TYPES.ArrayPattern) {
                additional = `. Allowed unused elements of array destructuring patterns must match ${options.destructuredArrayIgnorePattern.toString()}`;
              } else if (options.varsIgnorePattern) {
                additional = `. Allowed unused vars must match ${options.varsIgnorePattern.toString()}`;
              }
              return {
                varName: unusedVar.name,
                action: "assigned a value",
                additional
              };
            }
            const unusedVars = collectUnusedVariables();
            for (const unusedVar of unusedVars) {
              if (unusedVar.defs.length > 0) {
                const writeReferences = unusedVar.references.filter((ref) => ref.isWrite() && ref.from.variableScope === unusedVar.scope.variableScope);
                const id = writeReferences.length ? writeReferences[writeReferences.length - 1].identifier : unusedVar.identifiers[0];
                const { start } = id.loc;
                const idLength = id.name.length;
                const loc = {
                  start,
                  end: {
                    line: start.line,
                    column: start.column + idLength
                  }
                };
                context.report({
                  loc,
                  messageId: "unusedVar",
                  data: unusedVar.references.some((ref) => ref.isWrite()) ? getAssignedMessageData(unusedVar) : getDefinedMessageData(unusedVar)
                });
              } else if ("eslintExplicitGlobalComments" in unusedVar && unusedVar.eslintExplicitGlobalComments) {
                const directiveComment = unusedVar.eslintExplicitGlobalComments[0];
                context.report({
                  node: programNode,
                  loc: (0, util_1.getNameLocationInGlobalDirectiveComment)(context.sourceCode, directiveComment, unusedVar.name),
                  messageId: "unusedVar",
                  data: getDefinedMessageData(unusedVar)
                });
              }
            }
          }
        };
        function checkModuleDeclForExportEquals(node) {
          const cached = MODULE_DECL_CACHE.get(node);
          if (cached != null) {
            return cached;
          }
          if (node.body) {
            for (const statement of node.body.body) {
              if (statement.type === utils_1.AST_NODE_TYPES.TSExportAssignment) {
                MODULE_DECL_CACHE.set(node, true);
                return true;
              }
            }
          }
          MODULE_DECL_CACHE.set(node, false);
          return false;
        }
        function ambientDeclarationSelector(parent, childDeclare) {
          return [
            // Types are ambiently exported
            `${parent} > :matches(${[
              utils_1.AST_NODE_TYPES.TSInterfaceDeclaration,
              utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration
            ].join(", ")})`,
            // Value things are ambiently exported if they are "declare"d
            `${parent} > :matches(${[
              utils_1.AST_NODE_TYPES.ClassDeclaration,
              utils_1.AST_NODE_TYPES.TSDeclareFunction,
              utils_1.AST_NODE_TYPES.TSEnumDeclaration,
              utils_1.AST_NODE_TYPES.TSModuleDeclaration,
              utils_1.AST_NODE_TYPES.VariableDeclaration
            ].join(", ")})${childDeclare ? "[declare = true]" : ""}`
          ].join(", ");
        }
        function markDeclarationChildAsUsed(node) {
          const identifiers = [];
          switch (node.type) {
            case utils_1.AST_NODE_TYPES.TSInterfaceDeclaration:
            case utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration:
            case utils_1.AST_NODE_TYPES.ClassDeclaration:
            case utils_1.AST_NODE_TYPES.FunctionDeclaration:
            case utils_1.AST_NODE_TYPES.TSDeclareFunction:
            case utils_1.AST_NODE_TYPES.TSEnumDeclaration:
            case utils_1.AST_NODE_TYPES.TSModuleDeclaration:
              if (node.id?.type === utils_1.AST_NODE_TYPES.Identifier) {
                identifiers.push(node.id);
              }
              break;
            case utils_1.AST_NODE_TYPES.VariableDeclaration:
              for (const declaration of node.declarations) {
                visitPattern(declaration, (pattern) => {
                  identifiers.push(pattern);
                });
              }
              break;
          }
          let scope = context.sourceCode.getScope(node);
          const shouldUseUpperScope = [
            utils_1.AST_NODE_TYPES.TSModuleDeclaration,
            utils_1.AST_NODE_TYPES.TSDeclareFunction
          ].includes(node.type);
          if (scope.variableScope !== scope) {
            scope = scope.variableScope;
          } else if (shouldUseUpperScope && scope.upper) {
            scope = scope.upper;
          }
          for (const id of identifiers) {
            const superVar = scope.set.get(id.name);
            if (superVar) {
              superVar.eslintUsed = true;
            }
          }
        }
        function visitPattern(node, cb) {
          const visitor2 = new scope_manager_1.PatternVisitor({}, node, cb);
          visitor2.visit(node);
        }
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-use-before-define.js
var require_no_use_before_define2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-use-before-define.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var scope_manager_1 = require_dist3();
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var SENTINEL_TYPE = /^(?:(?:Function|Class)(?:Declaration|Expression)|ArrowFunctionExpression|CatchClause|ImportDeclaration|ExportNamedDeclaration)$/;
    function parseOptions(options) {
      let functions = true;
      let classes = true;
      let enums = true;
      let variables = true;
      let typedefs = true;
      let ignoreTypeReferences = true;
      let allowNamedExports = false;
      if (typeof options === "string") {
        functions = options !== "nofunc";
      } else if (typeof options === "object" && options != null) {
        functions = options.functions !== false;
        classes = options.classes !== false;
        enums = options.enums !== false;
        variables = options.variables !== false;
        typedefs = options.typedefs !== false;
        ignoreTypeReferences = options.ignoreTypeReferences !== false;
        allowNamedExports = options.allowNamedExports !== false;
      }
      return {
        functions,
        classes,
        enums,
        variables,
        typedefs,
        ignoreTypeReferences,
        allowNamedExports
      };
    }
    function isFunction3(variable) {
      return variable.defs[0].type === scope_manager_1.DefinitionType.FunctionName;
    }
    function isTypedef(variable) {
      return variable.defs[0].type === scope_manager_1.DefinitionType.Type;
    }
    function isOuterEnum(variable, reference) {
      return variable.defs[0].type === scope_manager_1.DefinitionType.TSEnumName && variable.scope.variableScope !== reference.from.variableScope;
    }
    function isOuterClass(variable, reference) {
      return variable.defs[0].type === scope_manager_1.DefinitionType.ClassName && variable.scope.variableScope !== reference.from.variableScope;
    }
    function isOuterVariable(variable, reference) {
      return variable.defs[0].type === scope_manager_1.DefinitionType.Variable && variable.scope.variableScope !== reference.from.variableScope;
    }
    function isNamedExports(reference) {
      const { identifier } = reference;
      return identifier.parent.type === utils_1.AST_NODE_TYPES.ExportSpecifier && identifier.parent.local === identifier;
    }
    function referenceContainsTypeQuery(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.TSTypeQuery:
          return true;
        case utils_1.AST_NODE_TYPES.TSQualifiedName:
        case utils_1.AST_NODE_TYPES.Identifier:
          return referenceContainsTypeQuery(node.parent);
        default:
          return false;
      }
    }
    function isTypeReference(reference) {
      return reference.isTypeReference || referenceContainsTypeQuery(reference.identifier);
    }
    function isInRange(node, location) {
      return !!node && node.range[0] <= location && location <= node.range[1];
    }
    function isClassRefInClassDecorator(variable, reference) {
      if (variable.defs[0].type !== scope_manager_1.DefinitionType.ClassName || variable.defs[0].node.decorators.length === 0) {
        return false;
      }
      for (const deco of variable.defs[0].node.decorators) {
        if (reference.identifier.range[0] >= deco.range[0] && reference.identifier.range[1] <= deco.range[1]) {
          return true;
        }
      }
      return false;
    }
    function isInInitializer(variable, reference) {
      if (variable.scope !== reference.from) {
        return false;
      }
      let node = variable.identifiers[0].parent;
      const location = reference.identifier.range[1];
      while (node) {
        if (node.type === utils_1.AST_NODE_TYPES.VariableDeclarator) {
          if (isInRange(node.init, location)) {
            return true;
          }
          if ((node.parent.parent?.type === utils_1.AST_NODE_TYPES.ForInStatement || node.parent.parent?.type === utils_1.AST_NODE_TYPES.ForOfStatement) && isInRange(node.parent.parent.right, location)) {
            return true;
          }
          break;
        } else if (node.type === utils_1.AST_NODE_TYPES.AssignmentPattern) {
          if (isInRange(node.right, location)) {
            return true;
          }
        } else if (SENTINEL_TYPE.test(node.type)) {
          break;
        }
        node = node.parent;
      }
      return false;
    }
    exports2.default = (0, util_1.createRule)({
      name: "no-use-before-define",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow the use of variables before they are defined",
          extendsBaseRule: true
        },
        messages: {
          noUseBeforeDefine: "'{{name}}' was used before it was defined."
        },
        schema: [
          {
            oneOf: [
              {
                type: "string",
                enum: ["nofunc"]
              },
              {
                type: "object",
                properties: {
                  functions: { type: "boolean" },
                  classes: { type: "boolean" },
                  enums: { type: "boolean" },
                  variables: { type: "boolean" },
                  typedefs: { type: "boolean" },
                  ignoreTypeReferences: { type: "boolean" },
                  allowNamedExports: { type: "boolean" }
                },
                additionalProperties: false
              }
            ]
          }
        ]
      },
      defaultOptions: [
        {
          functions: true,
          classes: true,
          enums: true,
          variables: true,
          typedefs: true,
          ignoreTypeReferences: true,
          allowNamedExports: false
        }
      ],
      create(context, optionsWithDefault) {
        const options = parseOptions(optionsWithDefault[0]);
        function isForbidden(variable, reference) {
          if (options.ignoreTypeReferences && isTypeReference(reference)) {
            return false;
          }
          if (isFunction3(variable)) {
            return options.functions;
          }
          if (isOuterClass(variable, reference)) {
            return options.classes;
          }
          if (isOuterVariable(variable, reference)) {
            return options.variables;
          }
          if (isOuterEnum(variable, reference)) {
            return options.enums;
          }
          if (isTypedef(variable)) {
            return options.typedefs;
          }
          return true;
        }
        function isDefinedBeforeUse(variable, reference) {
          return variable.identifiers[0].range[1] <= reference.identifier.range[1] && !(reference.isValueReference && isInInitializer(variable, reference));
        }
        function findVariablesInScope(scope) {
          scope.references.forEach((reference) => {
            const variable = reference.resolved;
            function report() {
              context.report({
                node: reference.identifier,
                messageId: "noUseBeforeDefine",
                data: {
                  name: reference.identifier.name
                }
              });
            }
            if (reference.init) {
              return;
            }
            if (!options.allowNamedExports && isNamedExports(reference)) {
              if (!variable || !isDefinedBeforeUse(variable, reference)) {
                report();
              }
              return;
            }
            if (!variable) {
              return;
            }
            if (variable.identifiers.length === 0 || isDefinedBeforeUse(variable, reference) || !isForbidden(variable, reference) || isClassRefInClassDecorator(variable, reference) || reference.from.type === utils_1.TSESLint.Scope.ScopeType.functionType) {
              return;
            }
            report();
          });
          scope.childScopes.forEach(findVariablesInScope);
        }
        return {
          Program(node) {
            findVariablesInScope(context.sourceCode.getScope(node));
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-useless-constructor.js
var require_no_useless_constructor2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-useless-constructor.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("no-useless-constructor");
    function checkAccessibility(node) {
      switch (node.accessibility) {
        case "protected":
        case "private":
          return false;
        case "public":
          if (node.parent.type === utils_1.AST_NODE_TYPES.ClassBody && node.parent.parent.superClass) {
            return false;
          }
          break;
      }
      return true;
    }
    function checkParams(node) {
      return !node.value.params.some((param) => param.type === utils_1.AST_NODE_TYPES.TSParameterProperty || param.decorators.length);
    }
    exports2.default = (0, util_1.createRule)({
      name: "no-useless-constructor",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow unnecessary constructors",
          recommended: "strict",
          extendsBaseRule: true
        },
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [],
      create(context) {
        const rules = baseRule2.create(context);
        return {
          MethodDefinition(node) {
            if (node.value.type === utils_1.AST_NODE_TYPES.FunctionExpression && checkAccessibility(node) && checkParams(node)) {
              rules.MethodDefinition(node);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-useless-empty-export.js
var require_no_useless_empty_export2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-useless-empty-export.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    function isEmptyExport(node) {
      return node.type === utils_1.AST_NODE_TYPES.ExportNamedDeclaration && node.specifiers.length === 0 && !node.declaration;
    }
    var exportOrImportNodeTypes = /* @__PURE__ */ new Set([
      utils_1.AST_NODE_TYPES.ExportAllDeclaration,
      utils_1.AST_NODE_TYPES.ExportDefaultDeclaration,
      utils_1.AST_NODE_TYPES.ExportNamedDeclaration,
      utils_1.AST_NODE_TYPES.ExportSpecifier,
      utils_1.AST_NODE_TYPES.ImportDeclaration,
      utils_1.AST_NODE_TYPES.TSExportAssignment,
      utils_1.AST_NODE_TYPES.TSImportEqualsDeclaration
    ]);
    exports2.default = (0, util_1.createRule)({
      name: "no-useless-empty-export",
      meta: {
        docs: {
          description: "Disallow empty exports that don't change anything in a module file"
        },
        fixable: "code",
        hasSuggestions: false,
        messages: {
          uselessExport: "Empty export does nothing and can be removed."
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        if ((0, util_1.isDefinitionFile)(context.filename)) {
          return {};
        }
        function checkNode2(node) {
          if (!Array.isArray(node.body)) {
            return;
          }
          const emptyExports = [];
          let foundOtherExport = false;
          for (const statement of node.body) {
            if (isEmptyExport(statement)) {
              emptyExports.push(statement);
            } else if (exportOrImportNodeTypes.has(statement.type)) {
              foundOtherExport = true;
            }
          }
          if (foundOtherExport) {
            for (const emptyExport of emptyExports) {
              context.report({
                fix: (fixer) => fixer.remove(emptyExport),
                messageId: "uselessExport",
                node: emptyExport
              });
            }
          }
        }
        return {
          Program: checkNode2,
          TSModuleDeclaration: checkNode2
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-useless-template-literals.js
var require_no_useless_template_literals2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-useless-template-literals.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-useless-template-literals",
      meta: {
        fixable: "code",
        type: "suggestion",
        docs: {
          description: "Disallow unnecessary template expressions",
          requiresTypeChecking: true
        },
        messages: {
          noUnnecessaryTemplateExpression: "Template literal expression is unnecessary and can be simplified."
        },
        schema: [],
        deprecated: true,
        replacedBy: ["@typescript-eslint/no-unnecessary-template-expression"]
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        function isUnderlyingTypeString(expression) {
          const type = (0, util_1.getConstrainedTypeAtLocation)(services, expression);
          const isString2 = (t) => {
            return (0, util_1.isTypeFlagSet)(t, ts.TypeFlags.StringLike);
          };
          if (type.isUnion()) {
            return type.types.every(isString2);
          }
          if (type.isIntersection()) {
            return type.types.some(isString2);
          }
          return isString2(type);
        }
        function isLiteral2(expression) {
          return expression.type === utils_1.AST_NODE_TYPES.Literal;
        }
        function isTemplateLiteral(expression) {
          return expression.type === utils_1.AST_NODE_TYPES.TemplateLiteral;
        }
        function isInfinityIdentifier(expression) {
          return expression.type === utils_1.AST_NODE_TYPES.Identifier && expression.name === "Infinity";
        }
        function isNaNIdentifier(expression) {
          return expression.type === utils_1.AST_NODE_TYPES.Identifier && expression.name === "NaN";
        }
        return {
          TemplateLiteral(node) {
            if (node.parent.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression) {
              return;
            }
            const hasSingleStringVariable = node.quasis.length === 2 && node.quasis[0].value.raw === "" && node.quasis[1].value.raw === "" && node.expressions.length === 1 && isUnderlyingTypeString(node.expressions[0]);
            if (hasSingleStringVariable) {
              context.report({
                node: node.expressions[0],
                messageId: "noUnnecessaryTemplateExpression",
                fix(fixer) {
                  const [prevQuasi, nextQuasi] = node.quasis;
                  return [
                    fixer.removeRange([
                      prevQuasi.range[1] - 3,
                      node.expressions[0].range[0]
                    ]),
                    fixer.removeRange([
                      node.expressions[0].range[1],
                      nextQuasi.range[0] + 2
                    ])
                  ];
                }
              });
              return;
            }
            const fixableExpressions = node.expressions.filter((expression) => isLiteral2(expression) || isTemplateLiteral(expression) || (0, util_1.isUndefinedIdentifier)(expression) || isInfinityIdentifier(expression) || isNaNIdentifier(expression));
            fixableExpressions.forEach((expression) => {
              context.report({
                node: expression,
                messageId: "noUnnecessaryTemplateExpression",
                fix(fixer) {
                  const index = node.expressions.indexOf(expression);
                  const prevQuasi = node.quasis[index];
                  const nextQuasi = node.quasis[index + 1];
                  const fixes = [
                    fixer.removeRange([
                      prevQuasi.range[1] - 2,
                      expression.range[0]
                    ]),
                    fixer.removeRange([
                      expression.range[1],
                      nextQuasi.range[0] + 1
                    ])
                  ];
                  const stringValue = (0, util_1.getStaticStringValue)(expression);
                  if (stringValue != null) {
                    const escapedValue = stringValue.replace(/([`$\\])/g, "\\$1");
                    fixes.push(fixer.replaceText(expression, escapedValue));
                  } else if (isTemplateLiteral(expression)) {
                    fixes.push(fixer.removeRange([
                      expression.range[0],
                      expression.range[0] + 1
                    ]), fixer.removeRange([
                      expression.range[1] - 1,
                      expression.range[1]
                    ]));
                  }
                  return fixes;
                }
              });
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-var-requires.js
var require_no_var_requires2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/no-var-requires.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "no-var-requires",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow `require` statements except in import statements",
          recommended: "recommended"
        },
        messages: {
          noVarReqs: "Require statement not part of import statement."
        },
        schema: [
          {
            type: "object",
            properties: {
              allow: {
                type: "array",
                items: { type: "string" },
                description: "Patterns of import paths to allow requiring from."
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [{ allow: [] }],
      create(context, options) {
        const allowPatterns = options[0].allow.map((pattern) => new RegExp(pattern, "u"));
        function isImportPathAllowed(importPath) {
          return allowPatterns.some((pattern) => importPath.match(pattern));
        }
        function isStringOrTemplateLiteral(node) {
          return node.type === utils_1.AST_NODE_TYPES.Literal && typeof node.value === "string" || node.type === utils_1.AST_NODE_TYPES.TemplateLiteral;
        }
        return {
          'CallExpression[callee.name="require"]'(node) {
            if (node.arguments[0] && isStringOrTemplateLiteral(node.arguments[0])) {
              const argValue = (0, util_1.getStaticStringValue)(node.arguments[0]);
              if (typeof argValue === "string" && isImportPathAllowed(argValue)) {
                return;
              }
            }
            const parent = node.parent.type === utils_1.AST_NODE_TYPES.ChainExpression ? node.parent.parent : node.parent;
            if ([
              utils_1.AST_NODE_TYPES.CallExpression,
              utils_1.AST_NODE_TYPES.MemberExpression,
              utils_1.AST_NODE_TYPES.NewExpression,
              utils_1.AST_NODE_TYPES.TSAsExpression,
              utils_1.AST_NODE_TYPES.TSTypeAssertion,
              utils_1.AST_NODE_TYPES.VariableDeclarator
            ].includes(parent.type)) {
              const variable = utils_1.ASTUtils.findVariable(context.sourceCode.getScope(node), "require");
              if (!variable?.identifiers.length) {
                context.report({
                  node,
                  messageId: "noVarReqs"
                });
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/non-nullable-type-assertion-style.js
var require_non_nullable_type_assertion_style2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/non-nullable-type-assertion-style.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "non-nullable-type-assertion-style",
      meta: {
        docs: {
          description: "Enforce non-null assertions over explicit type casts",
          recommended: "stylistic",
          requiresTypeChecking: true
        },
        fixable: "code",
        messages: {
          preferNonNullAssertion: "Use a ! assertion to more succinctly remove null and undefined from the type."
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const getTypesIfNotLoose = (node) => {
          const type = services.getTypeAtLocation(node);
          if (tsutils.isTypeFlagSet(type, ts.TypeFlags.Any | ts.TypeFlags.Unknown)) {
            return void 0;
          }
          return tsutils.unionTypeParts(type);
        };
        const couldBeNullish = (type) => {
          if (type.flags & ts.TypeFlags.TypeParameter) {
            const constraint = type.getConstraint();
            return constraint == null || couldBeNullish(constraint);
          } else if (tsutils.isUnionType(type)) {
            for (const part of type.types) {
              if (couldBeNullish(part)) {
                return true;
              }
            }
            return false;
          }
          return (type.flags & (ts.TypeFlags.Null | ts.TypeFlags.Undefined)) !== 0;
        };
        const sameTypeWithoutNullish = (assertedTypes, originalTypes) => {
          const nonNullishOriginalTypes = originalTypes.filter((type) => (type.flags & (ts.TypeFlags.Null | ts.TypeFlags.Undefined)) === 0);
          if (nonNullishOriginalTypes.length === originalTypes.length) {
            return false;
          }
          for (const assertedType of assertedTypes) {
            if (couldBeNullish(assertedType) || !nonNullishOriginalTypes.includes(assertedType)) {
              return false;
            }
          }
          for (const originalType of nonNullishOriginalTypes) {
            if (!assertedTypes.includes(originalType)) {
              return false;
            }
          }
          return true;
        };
        const isConstAssertion = (node) => {
          return node.typeAnnotation.type === utils_1.AST_NODE_TYPES.TSTypeReference && node.typeAnnotation.typeName.type === utils_1.AST_NODE_TYPES.Identifier && node.typeAnnotation.typeName.name === "const";
        };
        return {
          "TSAsExpression, TSTypeAssertion"(node) {
            if (isConstAssertion(node)) {
              return;
            }
            const originalTypes = getTypesIfNotLoose(node.expression);
            if (!originalTypes) {
              return;
            }
            const assertedTypes = getTypesIfNotLoose(node.typeAnnotation);
            if (!assertedTypes) {
              return;
            }
            if (sameTypeWithoutNullish(assertedTypes, originalTypes)) {
              const expressionSourceCode = context.sourceCode.getText(node.expression);
              const higherPrecedenceThanUnary = (0, util_1.getOperatorPrecedence)(services.esTreeNodeToTSNodeMap.get(node.expression).kind, ts.SyntaxKind.Unknown) > util_1.OperatorPrecedence.Unary;
              context.report({
                fix(fixer) {
                  return fixer.replaceText(node, higherPrecedenceThanUnary ? `${expressionSourceCode}!` : `(${expressionSourceCode})!`);
                },
                messageId: "preferNonNullAssertion",
                node
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/object-curly-spacing.js
var require_object_curly_spacing3 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/object-curly-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("object-curly-spacing");
    exports2.default = (0, util_1.createRule)({
      name: "object-curly-spacing",
      // eslint-disable-next-line eslint-plugin/prefer-message-ids,eslint-plugin/require-meta-type,eslint-plugin/require-meta-schema,eslint-plugin/require-meta-fixable -- all in base rule - https://github.com/not-an-aardvark/eslint-plugin-eslint-plugin/issues/274
      meta: {
        ...baseRule2.meta,
        deprecated: true,
        docs: {
          description: "Enforce consistent spacing inside braces",
          extendsBaseRule: true
        },
        replacedBy: ["@stylistic/ts/object-curly-spacing"]
      },
      defaultOptions: ["never"],
      create(context) {
        const [firstOption, secondOption] = context.options;
        const spaced = firstOption === "always";
        function isOptionSet(option) {
          return secondOption ? secondOption[option] === !spaced : false;
        }
        const options = {
          spaced,
          arraysInObjectsException: isOptionSet("arraysInObjects"),
          objectsInObjectsException: isOptionSet("objectsInObjects")
        };
        function reportNoBeginningSpace(node, token) {
          const nextToken = context.sourceCode.getTokenAfter(token, {
            includeComments: true
          });
          context.report({
            node,
            loc: { start: token.loc.end, end: nextToken.loc.start },
            messageId: "unexpectedSpaceAfter",
            data: {
              token: token.value
            },
            fix(fixer) {
              return fixer.removeRange([token.range[1], nextToken.range[0]]);
            }
          });
        }
        function reportNoEndingSpace(node, token) {
          const previousToken = context.sourceCode.getTokenBefore(token, {
            includeComments: true
          });
          context.report({
            node,
            loc: { start: previousToken.loc.end, end: token.loc.start },
            messageId: "unexpectedSpaceBefore",
            data: {
              token: token.value
            },
            fix(fixer) {
              return fixer.removeRange([previousToken.range[1], token.range[0]]);
            }
          });
        }
        function reportRequiredBeginningSpace(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "requireSpaceAfter",
            data: {
              token: token.value
            },
            fix(fixer) {
              return fixer.insertTextAfter(token, " ");
            }
          });
        }
        function reportRequiredEndingSpace(node, token) {
          context.report({
            node,
            loc: token.loc,
            messageId: "requireSpaceBefore",
            data: {
              token: token.value
            },
            fix(fixer) {
              return fixer.insertTextBefore(token, " ");
            }
          });
        }
        function validateBraceSpacing(node, first, second, penultimate, last) {
          if ((0, util_1.isTokenOnSameLine)(first, second)) {
            const firstSpaced = context.sourceCode.isSpaceBetween(first, second);
            const secondType = context.sourceCode.getNodeByRangeIndex(second.range[0]).type;
            const openingCurlyBraceMustBeSpaced = options.arraysInObjectsException && [
              utils_1.AST_NODE_TYPES.TSMappedType,
              utils_1.AST_NODE_TYPES.TSIndexSignature
            ].includes(secondType) ? !options.spaced : options.spaced;
            if (openingCurlyBraceMustBeSpaced && !firstSpaced) {
              reportRequiredBeginningSpace(node, first);
            }
            if (!openingCurlyBraceMustBeSpaced && firstSpaced && second.type !== utils_1.AST_TOKEN_TYPES.Line) {
              reportNoBeginningSpace(node, first);
            }
          }
          if ((0, util_1.isTokenOnSameLine)(penultimate, last)) {
            const shouldCheckPenultimate = options.arraysInObjectsException && (0, util_1.isClosingBracketToken)(penultimate) || options.objectsInObjectsException && (0, util_1.isClosingBraceToken)(penultimate);
            const penultimateType = shouldCheckPenultimate ? context.sourceCode.getNodeByRangeIndex(penultimate.range[0]).type : void 0;
            const closingCurlyBraceMustBeSpaced = options.arraysInObjectsException && penultimateType === utils_1.AST_NODE_TYPES.TSTupleType || options.objectsInObjectsException && penultimateType !== void 0 && [
              utils_1.AST_NODE_TYPES.TSMappedType,
              utils_1.AST_NODE_TYPES.TSTypeLiteral
            ].includes(penultimateType) ? !options.spaced : options.spaced;
            const lastSpaced = context.sourceCode.isSpaceBetween(penultimate, last);
            if (closingCurlyBraceMustBeSpaced && !lastSpaced) {
              reportRequiredEndingSpace(node, last);
            }
            if (!closingCurlyBraceMustBeSpaced && lastSpaced) {
              reportNoEndingSpace(node, last);
            }
          }
        }
        function getClosingBraceOfObject(node) {
          const lastProperty = node.members[node.members.length - 1];
          return context.sourceCode.getTokenAfter(lastProperty, util_1.isClosingBraceToken);
        }
        const rules = baseRule2.create(context);
        return {
          ...rules,
          TSMappedType(node) {
            const first = context.sourceCode.getFirstToken(node);
            const last = context.sourceCode.getLastToken(node);
            const second = context.sourceCode.getTokenAfter(first, {
              includeComments: true
            });
            const penultimate = context.sourceCode.getTokenBefore(last, {
              includeComments: true
            });
            validateBraceSpacing(node, first, second, penultimate, last);
          },
          TSTypeLiteral(node) {
            if (node.members.length === 0) {
              return;
            }
            const first = context.sourceCode.getFirstToken(node);
            const last = getClosingBraceOfObject(node);
            const second = context.sourceCode.getTokenAfter(first, {
              includeComments: true
            });
            const penultimate = context.sourceCode.getTokenBefore(last, {
              includeComments: true
            });
            validateBraceSpacing(node, first, second, penultimate, last);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/only-throw-error.js
var require_only_throw_error2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/only-throw-error.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "only-throw-error",
      meta: {
        type: "problem",
        docs: {
          description: "Disallow throwing non-`Error` values as exceptions",
          recommended: "strict",
          extendsBaseRule: "no-throw-literal",
          requiresTypeChecking: true
        },
        schema: [
          {
            type: "object",
            properties: {
              allowThrowingAny: {
                type: "boolean"
              },
              allowThrowingUnknown: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          object: "Expected an error object to be thrown.",
          undef: "Do not throw undefined."
        }
      },
      defaultOptions: [
        {
          allowThrowingAny: true,
          allowThrowingUnknown: true
        }
      ],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        function checkThrowArgument(node) {
          if (node.type === utils_1.AST_NODE_TYPES.AwaitExpression || node.type === utils_1.AST_NODE_TYPES.YieldExpression) {
            return;
          }
          const type = services.getTypeAtLocation(node);
          if (type.flags & ts.TypeFlags.Undefined) {
            context.report({ node, messageId: "undef" });
            return;
          }
          if (options.allowThrowingAny && (0, util_1.isTypeAnyType)(type)) {
            return;
          }
          if (options.allowThrowingUnknown && (0, util_1.isTypeUnknownType)(type)) {
            return;
          }
          if ((0, util_1.isErrorLike)(services.program, type)) {
            return;
          }
          context.report({ node, messageId: "object" });
        }
        return {
          ThrowStatement(node) {
            if (node.argument) {
              checkThrowArgument(node.argument);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/padding-line-between-statements.js
var require_padding_line_between_statements2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/padding-line-between-statements.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var LT = `[${Array.from(/* @__PURE__ */ new Set(["\r\n", "\r", "\n", "\u2028", "\u2029"])).join("")}]`;
    var PADDING_LINE_SEQUENCE = new RegExp(String.raw`^(\s*?${LT})\s*${LT}(\s*;?)$`, "u");
    function newKeywordTester(type, keyword) {
      return {
        test(node, sourceCode) {
          const isSameKeyword = sourceCode.getFirstToken(node)?.value === keyword;
          const isSameType = Array.isArray(type) ? type.some((val) => val === node.type) : type === node.type;
          return isSameKeyword && isSameType;
        }
      };
    }
    function newSinglelineKeywordTester(keyword) {
      return {
        test(node, sourceCode) {
          return node.loc.start.line === node.loc.end.line && sourceCode.getFirstToken(node).value === keyword;
        }
      };
    }
    function newMultilineKeywordTester(keyword) {
      return {
        test(node, sourceCode) {
          return node.loc.start.line !== node.loc.end.line && sourceCode.getFirstToken(node).value === keyword;
        }
      };
    }
    function newNodeTypeTester(type) {
      return {
        test: (node) => node.type === type
      };
    }
    function skipChainExpression(node) {
      return node.type === utils_1.AST_NODE_TYPES.ChainExpression ? node.expression : node;
    }
    function isIIFEStatement(node) {
      if (node.type === utils_1.AST_NODE_TYPES.ExpressionStatement) {
        let expression = skipChainExpression(node.expression);
        if (expression.type === utils_1.AST_NODE_TYPES.UnaryExpression) {
          expression = skipChainExpression(expression.argument);
        }
        if (expression.type === utils_1.AST_NODE_TYPES.CallExpression) {
          let node2 = expression.callee;
          while (node2.type === utils_1.AST_NODE_TYPES.SequenceExpression) {
            node2 = node2.expressions[node2.expressions.length - 1];
          }
          return (0, util_1.isFunction)(node2);
        }
      }
      return false;
    }
    function isCJSRequire(node) {
      if (node.type === utils_1.AST_NODE_TYPES.VariableDeclaration) {
        const declaration = node.declarations.at(0);
        if (declaration?.init) {
          let call = declaration.init;
          while (call.type === utils_1.AST_NODE_TYPES.MemberExpression) {
            call = call.object;
          }
          if (call.type === utils_1.AST_NODE_TYPES.CallExpression && call.callee.type === utils_1.AST_NODE_TYPES.Identifier) {
            return call.callee.name === "require";
          }
        }
      }
      return false;
    }
    function isBlockLikeStatement(node, sourceCode) {
      if (node.type === utils_1.AST_NODE_TYPES.DoWhileStatement && node.body.type === utils_1.AST_NODE_TYPES.BlockStatement) {
        return true;
      }
      if (isIIFEStatement(node)) {
        return true;
      }
      const lastToken = sourceCode.getLastToken(node, util_1.isNotSemicolonToken);
      const belongingNode = lastToken && (0, util_1.isClosingBraceToken)(lastToken) ? sourceCode.getNodeByRangeIndex(lastToken.range[0]) : null;
      return !!belongingNode && (belongingNode.type === utils_1.AST_NODE_TYPES.BlockStatement || belongingNode.type === utils_1.AST_NODE_TYPES.SwitchStatement);
    }
    function isDirective2(node, sourceCode) {
      return node.type === utils_1.AST_NODE_TYPES.ExpressionStatement && (node.parent.type === utils_1.AST_NODE_TYPES.Program || node.parent.type === utils_1.AST_NODE_TYPES.BlockStatement && (0, util_1.isFunction)(node.parent.parent)) && node.expression.type === utils_1.AST_NODE_TYPES.Literal && typeof node.expression.value === "string" && !(0, util_1.isParenthesized)(node.expression, sourceCode);
    }
    function isDirectivePrologue(node, sourceCode) {
      if (isDirective2(node, sourceCode) && node.parent && "body" in node.parent && Array.isArray(node.parent.body)) {
        for (const sibling of node.parent.body) {
          if (sibling === node) {
            break;
          }
          if (!isDirective2(sibling, sourceCode)) {
            return false;
          }
        }
        return true;
      }
      return false;
    }
    function isCJSExport(node) {
      if (node.type === utils_1.AST_NODE_TYPES.ExpressionStatement) {
        const expression = node.expression;
        if (expression.type === utils_1.AST_NODE_TYPES.AssignmentExpression) {
          let left = expression.left;
          if (left.type === utils_1.AST_NODE_TYPES.MemberExpression) {
            while (left.object.type === utils_1.AST_NODE_TYPES.MemberExpression) {
              left = left.object;
            }
            return left.object.type === utils_1.AST_NODE_TYPES.Identifier && (left.object.name === "exports" || left.object.name === "module" && left.property.type === utils_1.AST_NODE_TYPES.Identifier && left.property.name === "exports");
          }
        }
      }
      return false;
    }
    function isExpression(node, sourceCode) {
      return node.type === utils_1.AST_NODE_TYPES.ExpressionStatement && !isDirectivePrologue(node, sourceCode);
    }
    function getActualLastToken(node, sourceCode) {
      const semiToken = sourceCode.getLastToken(node);
      const prevToken = sourceCode.getTokenBefore(semiToken);
      const nextToken = sourceCode.getTokenAfter(semiToken);
      const isSemicolonLessStyle = prevToken && nextToken && prevToken.range[0] >= node.range[0] && (0, util_1.isSemicolonToken)(semiToken) && semiToken.loc.start.line !== prevToken.loc.end.line && semiToken.loc.end.line === nextToken.loc.start.line;
      return isSemicolonLessStyle ? prevToken : semiToken;
    }
    function replacerToRemovePaddingLines(_, trailingSpaces, indentSpaces) {
      return trailingSpaces + indentSpaces;
    }
    function verifyForAny() {
    }
    function verifyForNever(context, _, nextNode, paddingLines) {
      if (paddingLines.length === 0) {
        return;
      }
      context.report({
        node: nextNode,
        messageId: "unexpectedBlankLine",
        fix(fixer) {
          if (paddingLines.length >= 2) {
            return null;
          }
          const prevToken = paddingLines[0][0];
          const nextToken = paddingLines[0][1];
          const start = prevToken.range[1];
          const end = nextToken.range[0];
          const text = context.sourceCode.text.slice(start, end).replace(PADDING_LINE_SEQUENCE, replacerToRemovePaddingLines);
          return fixer.replaceTextRange([start, end], text);
        }
      });
    }
    function verifyForAlways(context, prevNode, nextNode, paddingLines) {
      if (paddingLines.length > 0) {
        return;
      }
      context.report({
        node: nextNode,
        messageId: "expectedBlankLine",
        fix(fixer) {
          let prevToken = getActualLastToken(prevNode, context.sourceCode);
          const nextToken = context.sourceCode.getFirstTokenBetween(prevToken, nextNode, {
            includeComments: true,
            /**
             * Skip the trailing comments of the previous node.
             * This inserts a blank line after the last trailing comment.
             *
             * For example:
             *
             *     foo(); // trailing comment.
             *     // comment.
             *     bar();
             *
             * Get fixed to:
             *
             *     foo(); // trailing comment.
             *
             *     // comment.
             *     bar();
             * @param token The token to check.
             * @returns `true` if the token is not a trailing comment.
             * @private
             */
            filter(token) {
              if ((0, util_1.isTokenOnSameLine)(prevToken, token)) {
                prevToken = token;
                return false;
              }
              return true;
            }
          }) ?? nextNode;
          const insertText = (0, util_1.isTokenOnSameLine)(prevToken, nextToken) ? "\n\n" : "\n";
          return fixer.insertTextAfter(prevToken, insertText);
        }
      });
    }
    var PaddingTypes = {
      any: { verify: verifyForAny },
      never: { verify: verifyForNever },
      always: { verify: verifyForAlways }
    };
    var StatementTypes = {
      "*": { test: () => true },
      "block-like": { test: isBlockLikeStatement },
      exports: { test: isCJSExport },
      require: { test: isCJSRequire },
      directive: { test: isDirectivePrologue },
      expression: { test: isExpression },
      iife: { test: isIIFEStatement },
      "multiline-block-like": {
        test: (node, sourceCode) => node.loc.start.line !== node.loc.end.line && isBlockLikeStatement(node, sourceCode)
      },
      "multiline-expression": {
        test: (node, sourceCode) => node.loc.start.line !== node.loc.end.line && node.type === utils_1.AST_NODE_TYPES.ExpressionStatement && !isDirectivePrologue(node, sourceCode)
      },
      "multiline-const": newMultilineKeywordTester("const"),
      "multiline-let": newMultilineKeywordTester("let"),
      "multiline-var": newMultilineKeywordTester("var"),
      "singleline-const": newSinglelineKeywordTester("const"),
      "singleline-let": newSinglelineKeywordTester("let"),
      "singleline-var": newSinglelineKeywordTester("var"),
      block: newNodeTypeTester(utils_1.AST_NODE_TYPES.BlockStatement),
      empty: newNodeTypeTester(utils_1.AST_NODE_TYPES.EmptyStatement),
      function: newNodeTypeTester(utils_1.AST_NODE_TYPES.FunctionDeclaration),
      break: newKeywordTester(utils_1.AST_NODE_TYPES.BreakStatement, "break"),
      case: newKeywordTester(utils_1.AST_NODE_TYPES.SwitchCase, "case"),
      class: newKeywordTester(utils_1.AST_NODE_TYPES.ClassDeclaration, "class"),
      const: newKeywordTester(utils_1.AST_NODE_TYPES.VariableDeclaration, "const"),
      continue: newKeywordTester(utils_1.AST_NODE_TYPES.ContinueStatement, "continue"),
      debugger: newKeywordTester(utils_1.AST_NODE_TYPES.DebuggerStatement, "debugger"),
      default: newKeywordTester([utils_1.AST_NODE_TYPES.SwitchCase, utils_1.AST_NODE_TYPES.ExportDefaultDeclaration], "default"),
      do: newKeywordTester(utils_1.AST_NODE_TYPES.DoWhileStatement, "do"),
      export: newKeywordTester([
        utils_1.AST_NODE_TYPES.ExportDefaultDeclaration,
        utils_1.AST_NODE_TYPES.ExportNamedDeclaration
      ], "export"),
      for: newKeywordTester([
        utils_1.AST_NODE_TYPES.ForStatement,
        utils_1.AST_NODE_TYPES.ForInStatement,
        utils_1.AST_NODE_TYPES.ForOfStatement
      ], "for"),
      if: newKeywordTester(utils_1.AST_NODE_TYPES.IfStatement, "if"),
      import: newKeywordTester(utils_1.AST_NODE_TYPES.ImportDeclaration, "import"),
      let: newKeywordTester(utils_1.AST_NODE_TYPES.VariableDeclaration, "let"),
      return: newKeywordTester(utils_1.AST_NODE_TYPES.ReturnStatement, "return"),
      switch: newKeywordTester(utils_1.AST_NODE_TYPES.SwitchStatement, "switch"),
      throw: newKeywordTester(utils_1.AST_NODE_TYPES.ThrowStatement, "throw"),
      try: newKeywordTester(utils_1.AST_NODE_TYPES.TryStatement, "try"),
      var: newKeywordTester(utils_1.AST_NODE_TYPES.VariableDeclaration, "var"),
      while: newKeywordTester([utils_1.AST_NODE_TYPES.WhileStatement, utils_1.AST_NODE_TYPES.DoWhileStatement], "while"),
      with: newKeywordTester(utils_1.AST_NODE_TYPES.WithStatement, "with"),
      // Additional Typescript constructs
      interface: newKeywordTester(utils_1.AST_NODE_TYPES.TSInterfaceDeclaration, "interface"),
      type: newKeywordTester(utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration, "type")
    };
    exports2.default = (0, util_1.createRule)({
      name: "padding-line-between-statements",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/padding-line-between-statements"],
        type: "layout",
        docs: {
          description: "Require or disallow padding lines between statements",
          extendsBaseRule: true
        },
        fixable: "whitespace",
        hasSuggestions: false,
        // This is intentionally an array schema as you can pass 0..n config objects
        schema: {
          $defs: {
            paddingType: {
              type: "string",
              enum: Object.keys(PaddingTypes)
            },
            statementType: {
              anyOf: [
                {
                  type: "string",
                  enum: Object.keys(StatementTypes)
                },
                {
                  type: "array",
                  items: {
                    type: "string",
                    enum: Object.keys(StatementTypes)
                  },
                  minItems: 1,
                  uniqueItems: true,
                  additionalItems: false
                }
              ]
            }
          },
          type: "array",
          additionalItems: false,
          items: {
            type: "object",
            properties: {
              blankLine: { $ref: "#/$defs/paddingType" },
              prev: { $ref: "#/$defs/statementType" },
              next: { $ref: "#/$defs/statementType" }
            },
            additionalProperties: false,
            required: ["blankLine", "prev", "next"]
          }
        },
        messages: {
          unexpectedBlankLine: "Unexpected blank line before this statement.",
          expectedBlankLine: "Expected blank line before this statement."
        }
      },
      defaultOptions: [],
      create(context) {
        const configureList = context.options;
        let scopeInfo = null;
        function enterScope() {
          scopeInfo = {
            upper: scopeInfo,
            prevNode: null
          };
        }
        function exitScope() {
          if (scopeInfo) {
            scopeInfo = scopeInfo.upper;
          }
        }
        function match(node, type) {
          let innerStatementNode = node;
          while (innerStatementNode.type === utils_1.AST_NODE_TYPES.LabeledStatement) {
            innerStatementNode = innerStatementNode.body;
          }
          if (Array.isArray(type)) {
            return type.some(match.bind(null, innerStatementNode));
          }
          return StatementTypes[type].test(innerStatementNode, context.sourceCode);
        }
        function getPaddingType(prevNode, nextNode) {
          for (let i = configureList.length - 1; i >= 0; --i) {
            const configure = configureList[i];
            if (match(prevNode, configure.prev) && match(nextNode, configure.next)) {
              return PaddingTypes[configure.blankLine];
            }
          }
          return PaddingTypes.any;
        }
        function getPaddingLineSequences(prevNode, nextNode) {
          const pairs = [];
          let prevToken = getActualLastToken(prevNode, context.sourceCode);
          if (nextNode.loc.start.line - prevToken.loc.end.line >= 2) {
            do {
              const token = context.sourceCode.getTokenAfter(prevToken, {
                includeComments: true
              });
              if (token.loc.start.line - prevToken.loc.end.line >= 2) {
                pairs.push([prevToken, token]);
              }
              prevToken = token;
            } while (prevToken.range[0] < nextNode.range[0]);
          }
          return pairs;
        }
        function verify(node) {
          if (!node.parent || ![
            utils_1.AST_NODE_TYPES.BlockStatement,
            utils_1.AST_NODE_TYPES.Program,
            utils_1.AST_NODE_TYPES.SwitchCase,
            utils_1.AST_NODE_TYPES.SwitchStatement,
            utils_1.AST_NODE_TYPES.TSModuleBlock
          ].includes(node.parent.type)) {
            return;
          }
          const prevNode = scopeInfo.prevNode;
          if (prevNode) {
            const type = getPaddingType(prevNode, node);
            const paddingLines = getPaddingLineSequences(prevNode, node);
            type.verify(context, prevNode, node, paddingLines);
          }
          scopeInfo.prevNode = node;
        }
        function verifyThenEnterScope(node) {
          verify(node);
          enterScope();
        }
        return {
          Program: enterScope,
          BlockStatement: enterScope,
          SwitchStatement: enterScope,
          TSModuleBlock: enterScope,
          "Program:exit": exitScope,
          "BlockStatement:exit": exitScope,
          "SwitchStatement:exit": exitScope,
          "TSModuleBlock:exit": exitScope,
          ":statement": verify,
          SwitchCase: verifyThenEnterScope,
          TSDeclareFunction: verifyThenEnterScope,
          "SwitchCase:exit": exitScope,
          "TSDeclareFunction:exit": exitScope
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/parameter-properties.js
var require_parameter_properties2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/parameter-properties.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "parameter-properties",
      meta: {
        type: "problem",
        docs: {
          description: "Require or disallow parameter properties in class constructors"
        },
        messages: {
          preferClassProperty: "Property {{parameter}} should be declared as a class property.",
          preferParameterProperty: "Property {{parameter}} should be declared as a parameter property."
        },
        schema: [
          {
            $defs: {
              modifier: {
                type: "string",
                enum: [
                  "readonly",
                  "private",
                  "protected",
                  "public",
                  "private readonly",
                  "protected readonly",
                  "public readonly"
                ]
              }
            },
            type: "object",
            properties: {
              allow: {
                type: "array",
                items: {
                  $ref: "#/items/0/$defs/modifier"
                }
              },
              prefer: {
                type: "string",
                enum: ["class-property", "parameter-property"]
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          allow: [],
          prefer: "class-property"
        }
      ],
      create(context, [{ allow = [], prefer = "class-property" }]) {
        function getModifiers(node) {
          const modifiers = [];
          if (node.accessibility) {
            modifiers.push(node.accessibility);
          }
          if (node.readonly) {
            modifiers.push("readonly");
          }
          return modifiers.filter(Boolean).join(" ");
        }
        if (prefer === "class-property") {
          return {
            TSParameterProperty(node) {
              const modifiers = getModifiers(node);
              if (!allow.includes(modifiers)) {
                if (node.parameter.type !== utils_1.AST_NODE_TYPES.Identifier && node.parameter.type !== utils_1.AST_NODE_TYPES.AssignmentPattern) {
                  return;
                }
                const name = node.parameter.type === utils_1.AST_NODE_TYPES.Identifier ? node.parameter.name : (
                  // has to be an Identifier or TSC will throw an error
                  node.parameter.left.name
                );
                context.report({
                  node,
                  messageId: "preferClassProperty",
                  data: {
                    parameter: name
                  }
                });
              }
            }
          };
        }
        const propertyNodesByNameStack = [];
        function getNodesByName(name) {
          const propertyNodesByName = propertyNodesByNameStack[propertyNodesByNameStack.length - 1];
          const existing = propertyNodesByName.get(name);
          if (existing) {
            return existing;
          }
          const created = {};
          propertyNodesByName.set(name, created);
          return created;
        }
        function typeAnnotationsMatch(classProperty, constructorParameter) {
          if (!classProperty.typeAnnotation || !constructorParameter.typeAnnotation) {
            return classProperty.typeAnnotation === constructorParameter.typeAnnotation;
          }
          return context.sourceCode.getText(classProperty.typeAnnotation) === context.sourceCode.getText(constructorParameter.typeAnnotation);
        }
        return {
          "ClassDeclaration, ClassExpression"() {
            propertyNodesByNameStack.push(/* @__PURE__ */ new Map());
          },
          ":matches(ClassDeclaration, ClassExpression):exit"() {
            const propertyNodesByName = (0, util_1.nullThrows)(propertyNodesByNameStack.pop(), "Stack should exist on class exit");
            for (const [name, nodes] of propertyNodesByName) {
              if (nodes.classProperty && nodes.constructorAssignment && nodes.constructorParameter && typeAnnotationsMatch(nodes.classProperty, nodes.constructorParameter)) {
                context.report({
                  data: {
                    parameter: name
                  },
                  messageId: "preferParameterProperty",
                  node: nodes.classProperty
                });
              }
            }
          },
          ClassBody(node) {
            for (const element of node.body) {
              if (element.type === utils_1.AST_NODE_TYPES.PropertyDefinition && element.key.type === utils_1.AST_NODE_TYPES.Identifier && !element.value && !allow.includes(getModifiers(element))) {
                getNodesByName(element.key.name).classProperty = element;
              }
            }
          },
          'MethodDefinition[kind="constructor"]'(node) {
            for (const parameter of node.value.params) {
              if (parameter.type === utils_1.AST_NODE_TYPES.Identifier) {
                getNodesByName(parameter.name).constructorParameter = parameter;
              }
            }
            for (const statement of node.value.body?.body ?? []) {
              if (statement.type !== utils_1.AST_NODE_TYPES.ExpressionStatement || statement.expression.type !== utils_1.AST_NODE_TYPES.AssignmentExpression || statement.expression.left.type !== utils_1.AST_NODE_TYPES.MemberExpression || statement.expression.left.object.type !== utils_1.AST_NODE_TYPES.ThisExpression || statement.expression.left.property.type !== utils_1.AST_NODE_TYPES.Identifier || statement.expression.right.type !== utils_1.AST_NODE_TYPES.Identifier) {
                break;
              }
              getNodesByName(statement.expression.right.name).constructorAssignment = statement.expression;
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-as-const.js
var require_prefer_as_const2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-as-const.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-as-const",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce the use of `as const` over literal type",
          recommended: "recommended"
        },
        fixable: "code",
        hasSuggestions: true,
        messages: {
          preferConstAssertion: "Expected a `const` instead of a literal type assertion.",
          variableConstAssertion: "Expected a `const` assertion instead of a literal type annotation.",
          variableSuggest: "You should use `as const` instead of type annotation."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        function compareTypes(valueNode, typeNode, canFix) {
          if (valueNode.type === utils_1.AST_NODE_TYPES.Literal && typeNode.type === utils_1.AST_NODE_TYPES.TSLiteralType && typeNode.literal.type === utils_1.AST_NODE_TYPES.Literal && valueNode.raw === typeNode.literal.raw) {
            if (canFix) {
              context.report({
                node: typeNode,
                messageId: "preferConstAssertion",
                fix: (fixer) => fixer.replaceText(typeNode, "const")
              });
            } else {
              context.report({
                node: typeNode,
                messageId: "variableConstAssertion",
                suggest: [
                  {
                    messageId: "variableSuggest",
                    fix: (fixer) => [
                      fixer.remove(typeNode.parent),
                      fixer.insertTextAfter(valueNode, " as const")
                    ]
                  }
                ]
              });
            }
          }
        }
        return {
          TSAsExpression(node) {
            compareTypes(node.expression, node.typeAnnotation, true);
          },
          TSTypeAssertion(node) {
            compareTypes(node.expression, node.typeAnnotation, true);
          },
          PropertyDefinition(node) {
            if (node.value && node.typeAnnotation) {
              compareTypes(node.value, node.typeAnnotation.typeAnnotation, false);
            }
          },
          VariableDeclarator(node) {
            if (node.init && node.id.typeAnnotation) {
              compareTypes(node.init, node.id.typeAnnotation.typeAnnotation, false);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-destructuring.js
var require_prefer_destructuring2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-destructuring.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("prefer-destructuring");
    var destructuringTypeConfig = {
      type: "object",
      properties: {
        array: {
          type: "boolean"
        },
        object: {
          type: "boolean"
        }
      },
      additionalProperties: false
    };
    var schema30 = [
      {
        oneOf: [
          {
            type: "object",
            properties: {
              VariableDeclarator: destructuringTypeConfig,
              AssignmentExpression: destructuringTypeConfig
            },
            additionalProperties: false
          },
          destructuringTypeConfig
        ]
      },
      {
        type: "object",
        properties: {
          enforceForRenamedProperties: {
            type: "boolean"
          },
          enforceForDeclarationWithTypeAnnotation: {
            type: "boolean"
          }
        }
      }
    ];
    exports2.default = (0, util_1.createRule)({
      name: "prefer-destructuring",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require destructuring from arrays and/or objects",
          extendsBaseRule: true,
          requiresTypeChecking: true
        },
        schema: schema30,
        fixable: baseRule2.meta.fixable,
        hasSuggestions: baseRule2.meta.hasSuggestions,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        {
          VariableDeclarator: {
            array: true,
            object: true
          },
          AssignmentExpression: {
            array: true,
            object: true
          }
        },
        {}
      ],
      create(context, [enabledTypes, options]) {
        const { enforceForRenamedProperties = false, enforceForDeclarationWithTypeAnnotation = false } = options;
        const { program, esTreeNodeToTSNodeMap } = (0, util_1.getParserServices)(context);
        const typeChecker = program.getTypeChecker();
        const baseRules = baseRule2.create(context);
        let baseRulesWithoutFixCache = null;
        return {
          VariableDeclarator(node) {
            performCheck(node.id, node.init, node);
          },
          AssignmentExpression(node) {
            if (node.operator !== "=") {
              return;
            }
            performCheck(node.left, node.right, node);
          }
        };
        function performCheck(leftNode, rightNode, reportNode) {
          const rules = leftNode.type === utils_1.AST_NODE_TYPES.Identifier && leftNode.typeAnnotation === void 0 ? baseRules : baseRulesWithoutFix();
          if ((leftNode.type === utils_1.AST_NODE_TYPES.ArrayPattern || leftNode.type === utils_1.AST_NODE_TYPES.Identifier || leftNode.type === utils_1.AST_NODE_TYPES.ObjectPattern) && leftNode.typeAnnotation !== void 0 && !enforceForDeclarationWithTypeAnnotation) {
            return;
          }
          if (rightNode != null && isArrayLiteralIntegerIndexAccess(rightNode) && rightNode.object.type !== utils_1.AST_NODE_TYPES.Super) {
            const tsObj = esTreeNodeToTSNodeMap.get(rightNode.object);
            const objType = typeChecker.getTypeAtLocation(tsObj);
            if (!isTypeAnyOrIterableType(objType, typeChecker)) {
              if (!enforceForRenamedProperties || !getNormalizedEnabledType(reportNode.type, "object")) {
                return;
              }
              context.report({
                node: reportNode,
                messageId: "preferDestructuring",
                data: { type: "object" }
              });
              return;
            }
          }
          if (reportNode.type === utils_1.AST_NODE_TYPES.AssignmentExpression) {
            rules.AssignmentExpression(reportNode);
          } else {
            rules.VariableDeclarator(reportNode);
          }
        }
        function getNormalizedEnabledType(nodeType, destructuringType) {
          if ("object" in enabledTypes || "array" in enabledTypes) {
            return enabledTypes[destructuringType];
          }
          return enabledTypes[nodeType][destructuringType];
        }
        function baseRulesWithoutFix() {
          baseRulesWithoutFixCache ??= baseRule2.create(noFixContext(context));
          return baseRulesWithoutFixCache;
        }
      }
    });
    function noFixContext(context) {
      const customContext = {
        report: (descriptor) => {
          context.report({
            ...descriptor,
            fix: void 0
          });
        }
      };
      return new Proxy(customContext, {
        get(target, path17, receiver) {
          if (path17 !== "report") {
            return Reflect.get(context, path17, receiver);
          }
          return Reflect.get(target, path17, receiver);
        }
      });
    }
    function isTypeAnyOrIterableType(type, typeChecker) {
      if ((0, util_1.isTypeAnyType)(type)) {
        return true;
      }
      if (!type.isUnion()) {
        const iterator = tsutils.getWellKnownSymbolPropertyOfType(type, "iterator", typeChecker);
        return iterator !== void 0;
      }
      return type.types.every((t) => isTypeAnyOrIterableType(t, typeChecker));
    }
    function isArrayLiteralIntegerIndexAccess(node) {
      if (node.type !== utils_1.AST_NODE_TYPES.MemberExpression) {
        return false;
      }
      if (node.property.type !== utils_1.AST_NODE_TYPES.Literal) {
        return false;
      }
      return Number.isInteger(node.property.value);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-enum-initializers.js
var require_prefer_enum_initializers2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-enum-initializers.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-enum-initializers",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require each enum member value to be explicitly initialized"
        },
        hasSuggestions: true,
        messages: {
          defineInitializer: "The value of the member '{{ name }}' should be explicitly defined.",
          defineInitializerSuggestion: "Can be fixed to {{ name }} = {{ suggested }}"
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        function TSEnumDeclaration(node) {
          const { members } = node;
          members.forEach((member, index) => {
            if (member.initializer == null) {
              const name = context.sourceCode.getText(member);
              context.report({
                node: member,
                messageId: "defineInitializer",
                data: {
                  name
                },
                suggest: [
                  {
                    messageId: "defineInitializerSuggestion",
                    data: { name, suggested: index },
                    fix: (fixer) => {
                      return fixer.replaceText(member, `${name} = ${index}`);
                    }
                  },
                  {
                    messageId: "defineInitializerSuggestion",
                    data: { name, suggested: index + 1 },
                    fix: (fixer) => {
                      return fixer.replaceText(member, `${name} = ${index + 1}`);
                    }
                  },
                  {
                    messageId: "defineInitializerSuggestion",
                    data: { name, suggested: `'${name}'` },
                    fix: (fixer) => {
                      return fixer.replaceText(member, `${name} = '${name}'`);
                    }
                  }
                ]
              });
            }
          });
        }
        return {
          TSEnumDeclaration
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-find.js
var require_prefer_find2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-find.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-find",
      meta: {
        docs: {
          description: "Enforce the use of Array.prototype.find() over Array.prototype.filter() followed by [0] when looking for a single result",
          requiresTypeChecking: true
        },
        messages: {
          preferFind: "Prefer .find(...) instead of .filter(...)[0].",
          preferFindSuggestion: "Use .find(...) instead of .filter(...)[0]."
        },
        schema: [],
        type: "suggestion",
        hasSuggestions: true
      },
      defaultOptions: [],
      create(context) {
        const globalScope = context.sourceCode.getScope(context.sourceCode.ast);
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function parseArrayFilterExpressions(expression) {
          if (expression.type === utils_1.AST_NODE_TYPES.SequenceExpression) {
            const lastExpression = (0, util_1.nullThrows)(expression.expressions.at(-1), "Expected to have more than zero expressions in a sequence expression");
            return parseArrayFilterExpressions(lastExpression);
          }
          if (expression.type === utils_1.AST_NODE_TYPES.ChainExpression) {
            return parseArrayFilterExpressions(expression.expression);
          }
          if (expression.type === utils_1.AST_NODE_TYPES.ConditionalExpression) {
            const consequentResult = parseArrayFilterExpressions(expression.consequent);
            if (consequentResult.length === 0) {
              return [];
            }
            const alternateResult = parseArrayFilterExpressions(expression.alternate);
            if (alternateResult.length === 0) {
              return [];
            }
            return [...consequentResult, ...alternateResult];
          }
          if (expression.type === utils_1.AST_NODE_TYPES.CallExpression && !expression.optional) {
            const callee = expression.callee;
            if (callee.type === utils_1.AST_NODE_TYPES.MemberExpression) {
              const isBracketSyntaxForFilter = callee.computed;
              if (isStaticMemberAccessOfValue(callee, "filter", globalScope)) {
                const filterNode = callee.property;
                const filteredObjectType = (0, util_1.getConstrainedTypeAtLocation)(services, callee.object);
                if (isArrayish(filteredObjectType)) {
                  return [
                    {
                      isBracketSyntaxForFilter,
                      filterNode
                    }
                  ];
                }
              }
            }
          }
          return [];
        }
        function isArrayish(type) {
          let isAtLeastOneArrayishComponent = false;
          for (const unionPart of tsutils.unionTypeParts(type)) {
            if (tsutils.isIntrinsicNullType(unionPart) || tsutils.isIntrinsicUndefinedType(unionPart)) {
              continue;
            }
            const isArrayOrIntersectionThereof = tsutils.intersectionTypeParts(unionPart).every((intersectionPart) => checker.isArrayType(intersectionPart) || checker.isTupleType(intersectionPart));
            if (!isArrayOrIntersectionThereof) {
              return false;
            }
            isAtLeastOneArrayishComponent = true;
          }
          return isAtLeastOneArrayishComponent;
        }
        function getObjectIfArrayAtZeroExpression(node) {
          if (node.arguments.length !== 1) {
            return void 0;
          }
          const callee = node.callee;
          if (callee.type === utils_1.AST_NODE_TYPES.MemberExpression && !callee.optional && isStaticMemberAccessOfValue(callee, "at", globalScope)) {
            const atArgument = (0, util_1.getStaticValue)(node.arguments[0], globalScope);
            if (atArgument != null && isTreatedAsZeroByArrayAt(atArgument.value)) {
              return callee.object;
            }
          }
          return void 0;
        }
        function isTreatedAsZeroByArrayAt(value) {
          if (typeof value === "symbol") {
            return false;
          }
          const asNumber = Number(value);
          if (isNaN(asNumber)) {
            return true;
          }
          return Math.trunc(asNumber) === 0;
        }
        function isMemberAccessOfZero(node) {
          const property = (0, util_1.getStaticValue)(node.property, globalScope);
          return !node.optional && property != null && isTreatedAsZeroByMemberAccess(property.value);
        }
        function isTreatedAsZeroByMemberAccess(value) {
          return String(value) === "0";
        }
        function generateFixToRemoveArrayElementAccess(fixer, arrayNode, wholeExpressionBeingFlagged) {
          const tokenToStartDeletingFrom = (0, util_1.nullThrows)(
            // The next `.` or `[` is what we're looking for.
            // think of (...).at(0) or (...)[0] or even (...)["at"](0).
            context.sourceCode.getTokenAfter(arrayNode, (token) => token.value === "." || token.value === "["),
            "Expected to find a member access token!"
          );
          return fixer.removeRange([
            tokenToStartDeletingFrom.range[0],
            wholeExpressionBeingFlagged.range[1]
          ]);
        }
        function generateFixToReplaceFilterWithFind(fixer, filterExpression) {
          return fixer.replaceText(filterExpression.filterNode, filterExpression.isBracketSyntaxForFilter ? '"find"' : "find");
        }
        return {
          // This query will be used to find things like `filteredResults.at(0)`.
          CallExpression(node) {
            const object = getObjectIfArrayAtZeroExpression(node);
            if (object) {
              const filterExpressions = parseArrayFilterExpressions(object);
              if (filterExpressions.length !== 0) {
                context.report({
                  node,
                  messageId: "preferFind",
                  suggest: [
                    {
                      messageId: "preferFindSuggestion",
                      fix: (fixer) => {
                        return [
                          ...filterExpressions.map((filterExpression) => generateFixToReplaceFilterWithFind(fixer, filterExpression)),
                          // Get rid of the .at(0) or ['at'](0).
                          generateFixToRemoveArrayElementAccess(fixer, object, node)
                        ];
                      }
                    }
                  ]
                });
              }
            }
          },
          // This query will be used to find things like `filteredResults[0]`.
          //
          // Note: we're always looking for array member access to be "computed",
          // i.e. `filteredResults[0]`, since `filteredResults.0` isn't a thing.
          ["MemberExpression[computed=true]"](node) {
            if (isMemberAccessOfZero(node)) {
              const object = node.object;
              const filterExpressions = parseArrayFilterExpressions(object);
              if (filterExpressions.length !== 0) {
                context.report({
                  node,
                  messageId: "preferFind",
                  suggest: [
                    {
                      messageId: "preferFindSuggestion",
                      fix: (fixer) => {
                        return [
                          ...filterExpressions.map((filterExpression) => generateFixToReplaceFilterWithFind(fixer, filterExpression)),
                          // Get rid of the [0].
                          generateFixToRemoveArrayElementAccess(fixer, object, node)
                        ];
                      }
                    }
                  ]
                });
              }
            }
          }
        };
      }
    });
    function isStaticMemberAccessOfValue(memberExpression, value, scope) {
      if (!memberExpression.computed) {
        return memberExpression.property.name === value;
      }
      const staticValueResult = (0, util_1.getStaticValue)(memberExpression.property, scope);
      return staticValueResult != null && value === staticValueResult.value;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-for-of.js
var require_prefer_for_of2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-for-of.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-for-of",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce the use of `for-of` loop over the standard `for` loop where possible",
          recommended: "stylistic"
        },
        messages: {
          preferForOf: "Expected a `for-of` loop instead of a `for` loop with this simple iteration."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        function isSingleVariableDeclaration(node) {
          return node?.type === utils_1.AST_NODE_TYPES.VariableDeclaration && node.kind !== "const" && node.declarations.length === 1;
        }
        function isLiteral2(node, value) {
          return node.type === utils_1.AST_NODE_TYPES.Literal && node.value === value;
        }
        function isZeroInitialized(node) {
          return node.init != null && isLiteral2(node.init, 0);
        }
        function isMatchingIdentifier(node, name) {
          return node.type === utils_1.AST_NODE_TYPES.Identifier && node.name === name;
        }
        function isLessThanLengthExpression(node, name) {
          if (node?.type === utils_1.AST_NODE_TYPES.BinaryExpression && node.operator === "<" && isMatchingIdentifier(node.left, name) && node.right.type === utils_1.AST_NODE_TYPES.MemberExpression && isMatchingIdentifier(node.right.property, "length")) {
            return node.right.object;
          }
          return null;
        }
        function isIncrement(node, name) {
          if (!node) {
            return false;
          }
          switch (node.type) {
            case utils_1.AST_NODE_TYPES.UpdateExpression:
              return node.operator === "++" && isMatchingIdentifier(node.argument, name);
            case utils_1.AST_NODE_TYPES.AssignmentExpression:
              if (isMatchingIdentifier(node.left, name)) {
                if (node.operator === "+=") {
                  return isLiteral2(node.right, 1);
                } else if (node.operator === "=") {
                  const expr = node.right;
                  return expr.type === utils_1.AST_NODE_TYPES.BinaryExpression && expr.operator === "+" && (isMatchingIdentifier(expr.left, name) && isLiteral2(expr.right, 1) || isLiteral2(expr.left, 1) && isMatchingIdentifier(expr.right, name));
                }
              }
          }
          return false;
        }
        function contains(outer, inner) {
          return outer.range[0] <= inner.range[0] && outer.range[1] >= inner.range[1];
        }
        function isIndexOnlyUsedWithArray(body, indexVar, arrayExpression) {
          const arrayText = context.sourceCode.getText(arrayExpression);
          return indexVar.references.every((reference) => {
            const id = reference.identifier;
            const node = id.parent;
            return !contains(body, id) || node.type === utils_1.AST_NODE_TYPES.MemberExpression && node.object.type !== utils_1.AST_NODE_TYPES.ThisExpression && node.property === id && context.sourceCode.getText(node.object) === arrayText && !(0, util_1.isAssignee)(node);
          });
        }
        return {
          "ForStatement:exit"(node) {
            if (!isSingleVariableDeclaration(node.init)) {
              return;
            }
            const declarator = node.init.declarations[0];
            if (!declarator || !isZeroInitialized(declarator) || declarator.id.type !== utils_1.AST_NODE_TYPES.Identifier) {
              return;
            }
            const indexName = declarator.id.name;
            const arrayExpression = isLessThanLengthExpression(node.test, indexName);
            if (!arrayExpression) {
              return;
            }
            const [indexVar] = context.sourceCode.getDeclaredVariables(node.init);
            if (isIncrement(node.update, indexName) && isIndexOnlyUsedWithArray(node.body, indexVar, arrayExpression)) {
              context.report({
                node,
                messageId: "preferForOf"
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-function-type.js
var require_prefer_function_type2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-function-type.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.phrases = void 0;
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.phrases = {
      [utils_1.AST_NODE_TYPES.TSTypeLiteral]: "Type literal",
      [utils_1.AST_NODE_TYPES.TSInterfaceDeclaration]: "Interface"
    };
    exports2.default = (0, util_1.createRule)({
      name: "prefer-function-type",
      meta: {
        docs: {
          description: "Enforce using function types instead of interfaces with call signatures",
          recommended: "stylistic"
        },
        fixable: "code",
        messages: {
          functionTypeOverCallableType: "{{ literalOrInterface }} only has a call signature, you should use a function type instead.",
          unexpectedThisOnFunctionOnlyInterface: "`this` refers to the function type '{{ interfaceName }}', did you intend to use a generic `this` parameter like `(this: Self, ...) => Self` instead?"
        },
        schema: [],
        type: "suggestion"
      },
      defaultOptions: [],
      create(context) {
        function hasOneSupertype(node) {
          if (node.extends.length === 0) {
            return false;
          }
          if (node.extends.length !== 1) {
            return true;
          }
          const expr = node.extends[0].expression;
          return expr.type !== utils_1.AST_NODE_TYPES.Identifier || expr.name !== "Function";
        }
        function shouldWrapSuggestion(parent) {
          if (!parent) {
            return false;
          }
          switch (parent.type) {
            case utils_1.AST_NODE_TYPES.TSUnionType:
            case utils_1.AST_NODE_TYPES.TSIntersectionType:
            case utils_1.AST_NODE_TYPES.TSArrayType:
              return true;
            default:
              return false;
          }
        }
        function checkMember(member, node, tsThisTypes2 = null) {
          if ((member.type === utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration || member.type === utils_1.AST_NODE_TYPES.TSConstructSignatureDeclaration) && member.returnType !== void 0) {
            if (tsThisTypes2?.length && node.type === utils_1.AST_NODE_TYPES.TSInterfaceDeclaration) {
              context.report({
                node: tsThisTypes2[0],
                messageId: "unexpectedThisOnFunctionOnlyInterface",
                data: {
                  interfaceName: node.id.name
                }
              });
              return;
            }
            const fixable = node.parent.type === utils_1.AST_NODE_TYPES.ExportDefaultDeclaration;
            const fix11 = fixable ? null : (fixer) => {
              const fixes = [];
              const start = member.range[0];
              const colonPos = member.returnType.range[0] - start;
              const text = context.sourceCode.getText().slice(start, member.range[1]);
              const comments = context.sourceCode.getCommentsBefore(member).concat(context.sourceCode.getCommentsAfter(member));
              let suggestion = `${text.slice(0, colonPos)} =>${text.slice(colonPos + 1)}`;
              const lastChar = suggestion.endsWith(";") ? ";" : "";
              if (lastChar) {
                suggestion = suggestion.slice(0, -1);
              }
              if (shouldWrapSuggestion(node.parent)) {
                suggestion = `(${suggestion})`;
              }
              if (node.type === utils_1.AST_NODE_TYPES.TSInterfaceDeclaration) {
                if (node.typeParameters !== void 0) {
                  suggestion = `type ${context.sourceCode.getText().slice(node.id.range[0], node.typeParameters.range[1])} = ${suggestion}${lastChar}`;
                } else {
                  suggestion = `type ${node.id.name} = ${suggestion}${lastChar}`;
                }
              }
              const isParentExported = node.parent.type === utils_1.AST_NODE_TYPES.ExportNamedDeclaration;
              if (node.type === utils_1.AST_NODE_TYPES.TSInterfaceDeclaration && isParentExported) {
                const commentsText = comments.reduce((text2, comment) => {
                  return text2 + (comment.type === utils_1.AST_TOKEN_TYPES.Line ? `//${comment.value}` : `/*${comment.value}*/`) + "\n";
                }, "");
                fixes.push(fixer.insertTextBefore(node.parent, commentsText));
              } else {
                comments.forEach((comment) => {
                  let commentText = comment.type === utils_1.AST_TOKEN_TYPES.Line ? `//${comment.value}` : `/*${comment.value}*/`;
                  const isCommentOnTheSameLine = comment.loc.start.line === member.loc.start.line;
                  if (!isCommentOnTheSameLine) {
                    commentText += "\n";
                  } else {
                    commentText += " ";
                  }
                  suggestion = commentText + suggestion;
                });
              }
              const fixStart = node.range[0];
              fixes.push(fixer.replaceTextRange([fixStart, node.range[1]], suggestion));
              return fixes;
            };
            context.report({
              node: member,
              messageId: "functionTypeOverCallableType",
              data: {
                literalOrInterface: exports2.phrases[node.type]
              },
              fix: fix11
            });
          }
        }
        let tsThisTypes = null;
        let literalNesting = 0;
        return {
          TSInterfaceDeclaration() {
            tsThisTypes = [];
          },
          "TSInterfaceDeclaration TSThisType"(node) {
            if (literalNesting === 0 && tsThisTypes != null) {
              tsThisTypes.push(node);
            }
          },
          "TSInterfaceDeclaration:exit"(node) {
            if (!hasOneSupertype(node) && node.body.body.length === 1) {
              checkMember(node.body.body[0], node, tsThisTypes);
            }
            tsThisTypes = null;
          },
          // keep track of nested literals to avoid complaining about invalid `this` uses
          "TSInterfaceDeclaration TSTypeLiteral"() {
            literalNesting += 1;
          },
          "TSInterfaceDeclaration TSTypeLiteral:exit"() {
            literalNesting -= 1;
          },
          "TSTypeLiteral[members.length = 1]"(node) {
            checkMember(node.members[0], node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-includes.js
var require_prefer_includes2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-includes.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var regexpp_1 = require_regexpp();
    var utils_1 = require_dist15();
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-includes",
      defaultOptions: [],
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce `includes` method over `indexOf` method",
          recommended: "strict",
          requiresTypeChecking: true
        },
        fixable: "code",
        messages: {
          preferIncludes: "Use 'includes()' method instead.",
          preferStringIncludes: "Use `String#includes()` method with a string instead."
        },
        schema: []
      },
      create(context) {
        const globalScope = context.sourceCode.getScope(context.sourceCode.ast);
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function isNumber2(node, value) {
          const evaluated = (0, util_1.getStaticValue)(node, globalScope);
          return evaluated != null && evaluated.value === value;
        }
        function isPositiveCheck(node) {
          switch (node.operator) {
            case "!==":
            case "!=":
            case ">":
              return isNumber2(node.right, -1);
            case ">=":
              return isNumber2(node.right, 0);
            default:
              return false;
          }
        }
        function isNegativeCheck(node) {
          switch (node.operator) {
            case "===":
            case "==":
            case "<=":
              return isNumber2(node.right, -1);
            case "<":
              return isNumber2(node.right, 0);
            default:
              return false;
          }
        }
        function hasSameParameters(nodeA, nodeB) {
          if (!ts.isFunctionLike(nodeA) || !ts.isFunctionLike(nodeB)) {
            return false;
          }
          const paramsA = nodeA.parameters;
          const paramsB = nodeB.parameters;
          if (paramsA.length !== paramsB.length) {
            return false;
          }
          for (let i = 0; i < paramsA.length; ++i) {
            const paramA = paramsA[i];
            const paramB = paramsB[i];
            if (paramA.getText() !== paramB.getText()) {
              return false;
            }
          }
          return true;
        }
        function parseRegExp2(node) {
          const evaluated = (0, util_1.getStaticValue)(node, globalScope);
          if (evaluated == null || !(evaluated.value instanceof RegExp)) {
            return null;
          }
          const { pattern, flags } = (0, regexpp_1.parseRegExpLiteral)(evaluated.value);
          if (pattern.alternatives.length !== 1 || flags.ignoreCase || flags.global) {
            return null;
          }
          const chars = pattern.alternatives[0].elements;
          if (!chars.every((c) => c.type === "Character")) {
            return null;
          }
          return String.fromCodePoint(...chars.map((c) => c.value));
        }
        function escapeString2(str) {
          const EscapeMap = {
            "\0": "\\0",
            "'": "\\'",
            "\\": "\\\\",
            "\n": "\\n",
            "\r": "\\r",
            "\v": "\\v",
            "	": "\\t",
            "\f": "\\f"
            // "\b" cause unexpected replacements
            // '\b': '\\b',
          };
          const replaceRegex = new RegExp(Object.values(EscapeMap).join("|"), "g");
          return str.replace(replaceRegex, (char) => EscapeMap[char]);
        }
        function checkArrayIndexOf(node, allowFixing) {
          const callNode = node.parent;
          const compareNode = callNode.parent.type === utils_1.AST_NODE_TYPES.ChainExpression ? callNode.parent.parent : callNode.parent;
          const negative = isNegativeCheck(compareNode);
          if (!negative && !isPositiveCheck(compareNode)) {
            return;
          }
          const indexofMethodDeclarations = services.getSymbolAtLocation(node.property)?.getDeclarations();
          if (indexofMethodDeclarations == null || indexofMethodDeclarations.length === 0) {
            return;
          }
          for (const instanceofMethodDecl of indexofMethodDeclarations) {
            const typeDecl = instanceofMethodDecl.parent;
            const type = checker.getTypeAtLocation(typeDecl);
            const includesMethodDecl = type.getProperty("includes")?.getDeclarations();
            if (!includesMethodDecl?.some((includesMethodDecl2) => hasSameParameters(includesMethodDecl2, instanceofMethodDecl))) {
              return;
            }
          }
          context.report({
            node: compareNode,
            messageId: "preferIncludes",
            ...allowFixing && {
              *fix(fixer) {
                if (negative) {
                  yield fixer.insertTextBefore(callNode, "!");
                }
                yield fixer.replaceText(node.property, "includes");
                yield fixer.removeRange([callNode.range[1], compareNode.range[1]]);
              }
            }
          });
        }
        return {
          // a.indexOf(b) !== 1
          "BinaryExpression > CallExpression.left > MemberExpression.callee[property.name='indexOf'][computed=false]"(node) {
            checkArrayIndexOf(
              node,
              /* allowFixing */
              true
            );
          },
          // a?.indexOf(b) !== 1
          "BinaryExpression > ChainExpression.left > CallExpression > MemberExpression.callee[property.name='indexOf'][computed=false]"(node) {
            checkArrayIndexOf(
              node,
              /* allowFixing */
              false
            );
          },
          // /bar/.test(foo)
          'CallExpression[arguments.length=1] > MemberExpression.callee[property.name="test"][computed=false]'(node) {
            const callNode = node.parent;
            const text = parseRegExp2(node.object);
            if (text == null) {
              return;
            }
            const argument = callNode.arguments[0];
            const type = (0, util_1.getConstrainedTypeAtLocation)(services, argument);
            const includesMethodDecl = type.getProperty("includes")?.getDeclarations();
            if (includesMethodDecl == null) {
              return;
            }
            context.report({
              node: callNode,
              messageId: "preferStringIncludes",
              *fix(fixer) {
                const argNode = callNode.arguments[0];
                const needsParen = argNode.type !== utils_1.AST_NODE_TYPES.Literal && argNode.type !== utils_1.AST_NODE_TYPES.TemplateLiteral && argNode.type !== utils_1.AST_NODE_TYPES.Identifier && argNode.type !== utils_1.AST_NODE_TYPES.MemberExpression && argNode.type !== utils_1.AST_NODE_TYPES.CallExpression;
                yield fixer.removeRange([callNode.range[0], argNode.range[0]]);
                yield fixer.removeRange([argNode.range[1], callNode.range[1]]);
                if (needsParen) {
                  yield fixer.insertTextBefore(argNode, "(");
                  yield fixer.insertTextAfter(argNode, ")");
                }
                yield fixer.insertTextAfter(argNode, `${node.optional ? "?." : "."}includes('${escapeString2(text)}')`);
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-literal-enum-member.js
var require_prefer_literal_enum_member2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-literal-enum-member.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-literal-enum-member",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require all enum members to be literal values",
          recommended: "strict",
          requiresTypeChecking: false
        },
        messages: {
          notLiteral: `Explicit enum value must only be a literal value (string, number, boolean, etc).`
        },
        schema: [
          {
            type: "object",
            properties: {
              allowBitwiseExpressions: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          allowBitwiseExpressions: false
        }
      ],
      create(context, [{ allowBitwiseExpressions }]) {
        function isIdentifierWithName2(node, name) {
          return node.type === utils_1.AST_NODE_TYPES.Identifier && node.name === name;
        }
        function hasEnumMember(decl, name) {
          return decl.members.some((member) => isIdentifierWithName2(member.id, name) || member.id.type === utils_1.AST_NODE_TYPES.Literal && (0, util_1.getStaticStringValue)(member.id) === name);
        }
        function isSelfEnumMember(decl, node) {
          if (node.type === utils_1.AST_NODE_TYPES.Identifier) {
            return hasEnumMember(decl, node.name);
          }
          if (node.type === utils_1.AST_NODE_TYPES.MemberExpression && isIdentifierWithName2(node.object, decl.id.name)) {
            if (node.property.type === utils_1.AST_NODE_TYPES.Identifier) {
              return hasEnumMember(decl, node.property.name);
            }
            if (node.computed) {
              const propertyName = (0, util_1.getStaticStringValue)(node.property);
              if (propertyName) {
                return hasEnumMember(decl, propertyName);
              }
            }
          }
          return false;
        }
        function isAllowedBitwiseOperand(decl, node) {
          return node.type === utils_1.AST_NODE_TYPES.Literal || isSelfEnumMember(decl, node);
        }
        return {
          TSEnumMember(node) {
            if (node.initializer == null) {
              return;
            }
            if (node.initializer.type === utils_1.AST_NODE_TYPES.Literal) {
              return;
            }
            if (node.initializer.type === utils_1.AST_NODE_TYPES.TemplateLiteral && node.initializer.expressions.length === 0) {
              return;
            }
            const declaration = node.parent;
            if (node.initializer.type === utils_1.AST_NODE_TYPES.UnaryExpression) {
              if (node.initializer.argument.type === utils_1.AST_NODE_TYPES.Literal && ["+", "-"].includes(node.initializer.operator)) {
                return;
              }
              if (allowBitwiseExpressions && node.initializer.operator === "~" && isAllowedBitwiseOperand(declaration, node.initializer.argument)) {
                return;
              }
            }
            if (node.initializer.type === utils_1.AST_NODE_TYPES.UnaryExpression && node.initializer.argument.type === utils_1.AST_NODE_TYPES.Literal && (["+", "-"].includes(node.initializer.operator) || allowBitwiseExpressions && node.initializer.operator === "~")) {
              return;
            }
            if (allowBitwiseExpressions && node.initializer.type === utils_1.AST_NODE_TYPES.BinaryExpression && ["|", "&", "^", "<<", ">>", ">>>"].includes(node.initializer.operator) && isAllowedBitwiseOperand(declaration, node.initializer.left) && isAllowedBitwiseOperand(declaration, node.initializer.right)) {
              return;
            }
            context.report({
              node: node.id,
              messageId: "notLiteral"
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-namespace-keyword.js
var require_prefer_namespace_keyword2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-namespace-keyword.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-namespace-keyword",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require using `namespace` keyword over `module` keyword to declare custom TypeScript modules",
          recommended: "stylistic"
        },
        fixable: "code",
        messages: {
          useNamespace: "Use 'namespace' instead of 'module' to declare custom TypeScript modules."
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        return {
          TSModuleDeclaration(node) {
            if (node.id.type === utils_1.AST_NODE_TYPES.Literal) {
              return;
            }
            const moduleType = context.sourceCode.getTokenBefore(node.id);
            if (moduleType && moduleType.type === utils_1.AST_TOKEN_TYPES.Identifier && moduleType.value === "module") {
              context.report({
                node,
                messageId: "useNamespace",
                fix(fixer) {
                  return fixer.replaceText(moduleType, "namespace");
                }
              });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-nullish-coalescing.js
var require_prefer_nullish_coalescing2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-nullish-coalescing.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-nullish-coalescing",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce using the nullish coalescing operator instead of logical assignments or chaining",
          recommended: "stylistic",
          requiresTypeChecking: true
        },
        hasSuggestions: true,
        messages: {
          preferNullishOverOr: "Prefer using nullish coalescing operator (`??`) instead of a logical or (`||`), as it is a safer operator.",
          preferNullishOverTernary: "Prefer using nullish coalescing operator (`??`) instead of a ternary expression, as it is simpler to read.",
          suggestNullish: "Fix to nullish coalescing operator (`??`).",
          noStrictNullCheck: "This rule requires the `strictNullChecks` compiler option to be turned on to function correctly."
        },
        schema: [
          {
            type: "object",
            properties: {
              allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing: {
                type: "boolean"
              },
              ignoreConditionalTests: {
                type: "boolean"
              },
              ignoreMixedLogicalExpressions: {
                type: "boolean"
              },
              ignorePrimitives: {
                oneOf: [
                  {
                    type: "object",
                    properties: {
                      bigint: { type: "boolean" },
                      boolean: { type: "boolean" },
                      number: { type: "boolean" },
                      string: { type: "boolean" }
                    }
                  },
                  {
                    type: "boolean",
                    enum: [true]
                  }
                ]
              },
              ignoreTernaryTests: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing: false,
          ignoreConditionalTests: false,
          ignoreTernaryTests: false,
          ignoreMixedLogicalExpressions: false,
          ignorePrimitives: {
            bigint: false,
            boolean: false,
            number: false,
            string: false
          }
        }
      ],
      create(context, [{ allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing, ignoreConditionalTests, ignoreMixedLogicalExpressions, ignorePrimitives, ignoreTernaryTests }]) {
        const parserServices = (0, util_1.getParserServices)(context);
        const compilerOptions = parserServices.program.getCompilerOptions();
        const checker = parserServices.program.getTypeChecker();
        const isStrictNullChecks = tsutils.isStrictCompilerOptionEnabled(compilerOptions, "strictNullChecks");
        if (!isStrictNullChecks && allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing !== true) {
          context.report({
            loc: {
              start: { line: 0, column: 0 },
              end: { line: 0, column: 0 }
            },
            messageId: "noStrictNullCheck"
          });
        }
        return {
          ConditionalExpression(node) {
            if (ignoreTernaryTests) {
              return;
            }
            let operator;
            let nodesInsideTestExpression = [];
            if (node.test.type === utils_1.AST_NODE_TYPES.BinaryExpression) {
              nodesInsideTestExpression = [node.test.left, node.test.right];
              if (node.test.operator === "==" || node.test.operator === "!=" || node.test.operator === "===" || node.test.operator === "!==") {
                operator = node.test.operator;
              }
            } else if (node.test.type === utils_1.AST_NODE_TYPES.LogicalExpression && node.test.left.type === utils_1.AST_NODE_TYPES.BinaryExpression && node.test.right.type === utils_1.AST_NODE_TYPES.BinaryExpression) {
              nodesInsideTestExpression = [
                node.test.left.left,
                node.test.left.right,
                node.test.right.left,
                node.test.right.right
              ];
              if (node.test.operator === "||") {
                if (node.test.left.operator === "===" && node.test.right.operator === "===") {
                  operator = "===";
                } else if ((node.test.left.operator === "===" || node.test.right.operator === "===") && (node.test.left.operator === "==" || node.test.right.operator === "==") || node.test.left.operator === "==" && node.test.right.operator === "==") {
                  operator = "==";
                }
              } else if (node.test.operator === "&&") {
                if (node.test.left.operator === "!==" && node.test.right.operator === "!==") {
                  operator = "!==";
                } else if ((node.test.left.operator === "!==" || node.test.right.operator === "!==") && (node.test.left.operator === "!=" || node.test.right.operator === "!=") || node.test.left.operator === "!=" && node.test.right.operator === "!=") {
                  operator = "!=";
                }
              }
            }
            if (!operator) {
              return;
            }
            let identifier;
            let hasUndefinedCheck = false;
            let hasNullCheck = false;
            for (const testNode of nodesInsideTestExpression) {
              if ((0, util_1.isNullLiteral)(testNode)) {
                hasNullCheck = true;
              } else if ((0, util_1.isUndefinedIdentifier)(testNode)) {
                hasUndefinedCheck = true;
              } else if ((operator === "!==" || operator === "!=") && (0, util_1.isNodeEqual)(testNode, node.consequent)) {
                identifier = testNode;
              } else if ((operator === "===" || operator === "==") && (0, util_1.isNodeEqual)(testNode, node.alternate)) {
                identifier = testNode;
              } else {
                return;
              }
            }
            if (!identifier) {
              return;
            }
            const isFixable2 = (() => {
              if (hasUndefinedCheck === hasNullCheck) {
                return hasUndefinedCheck;
              }
              if (operator === "==" || operator === "!=") {
                return true;
              }
              const tsNode = parserServices.esTreeNodeToTSNodeMap.get(identifier);
              const type = checker.getTypeAtLocation(tsNode);
              const flags = (0, util_1.getTypeFlags)(type);
              if (flags & (ts.TypeFlags.Any | ts.TypeFlags.Unknown)) {
                return false;
              }
              const hasNullType = (flags & ts.TypeFlags.Null) !== 0;
              if (hasUndefinedCheck && !hasNullType) {
                return true;
              }
              const hasUndefinedType = (flags & ts.TypeFlags.Undefined) !== 0;
              return hasNullCheck && !hasUndefinedType;
            })();
            if (isFixable2) {
              context.report({
                node,
                messageId: "preferNullishOverTernary",
                suggest: [
                  {
                    messageId: "suggestNullish",
                    fix(fixer) {
                      const [left, right] = operator === "===" || operator === "==" ? [node.alternate, node.consequent] : [node.consequent, node.alternate];
                      return fixer.replaceText(node, `${(0, util_1.getTextWithParentheses)(context.sourceCode, left)} ?? ${(0, util_1.getTextWithParentheses)(context.sourceCode, right)}`);
                    }
                  }
                ]
              });
            }
          },
          'LogicalExpression[operator = "||"]'(node) {
            const tsNode = parserServices.esTreeNodeToTSNodeMap.get(node);
            const type = checker.getTypeAtLocation(tsNode.left);
            if (!(0, util_1.isTypeFlagSet)(type, ts.TypeFlags.Null | ts.TypeFlags.Undefined)) {
              return;
            }
            if (ignoreConditionalTests === true && isConditionalTest(node)) {
              return;
            }
            const isMixedLogical = isMixedLogicalExpression(node);
            if (ignoreMixedLogicalExpressions === true && isMixedLogical) {
              return;
            }
            const ignorableFlags = [
              (ignorePrimitives === true || ignorePrimitives.bigint) && ts.TypeFlags.BigIntLike,
              (ignorePrimitives === true || ignorePrimitives.boolean) && ts.TypeFlags.BooleanLike,
              (ignorePrimitives === true || ignorePrimitives.number) && ts.TypeFlags.NumberLike,
              (ignorePrimitives === true || ignorePrimitives.string) && ts.TypeFlags.StringLike
            ].filter((flag) => typeof flag === "number").reduce((previous, flag) => previous | flag, 0);
            if (type.flags !== ts.TypeFlags.Null && type.flags !== ts.TypeFlags.Undefined && type.types.some((t) => tsutils.intersectionTypeParts(t).some((t2) => tsutils.isTypeFlagSet(t2, ignorableFlags)))) {
              return;
            }
            const barBarOperator = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.left, (token) => token.type === utils_1.AST_TOKEN_TYPES.Punctuator && token.value === node.operator), util_1.NullThrowsReasons.MissingToken("operator", node.type));
            function* fix11(fixer) {
              if ((0, util_1.isLogicalOrOperator)(node.parent)) {
                if (node.left.type === utils_1.AST_NODE_TYPES.LogicalExpression && !(0, util_1.isLogicalOrOperator)(node.left.left)) {
                  yield fixer.insertTextBefore(node.left.right, "(");
                } else {
                  yield fixer.insertTextBefore(node.left, "(");
                }
                yield fixer.insertTextAfter(node.right, ")");
              }
              yield fixer.replaceText(barBarOperator, "??");
            }
            context.report({
              node: barBarOperator,
              messageId: "preferNullishOverOr",
              suggest: [
                {
                  messageId: "suggestNullish",
                  fix: fix11
                }
              ]
            });
          }
        };
      }
    });
    function isConditionalTest(node) {
      const parents = /* @__PURE__ */ new Set([node]);
      let current = node.parent;
      while (current) {
        parents.add(current);
        if ((current.type === utils_1.AST_NODE_TYPES.ConditionalExpression || current.type === utils_1.AST_NODE_TYPES.DoWhileStatement || current.type === utils_1.AST_NODE_TYPES.IfStatement || current.type === utils_1.AST_NODE_TYPES.ForStatement || current.type === utils_1.AST_NODE_TYPES.WhileStatement) && parents.has(current.test)) {
          return true;
        }
        if ([
          utils_1.AST_NODE_TYPES.ArrowFunctionExpression,
          utils_1.AST_NODE_TYPES.FunctionExpression
        ].includes(current.type)) {
          return false;
        }
        current = current.parent;
      }
      return false;
    }
    function isMixedLogicalExpression(node) {
      const seen = /* @__PURE__ */ new Set();
      const queue = [node.parent, node.left, node.right];
      for (const current of queue) {
        if (seen.has(current)) {
          continue;
        }
        seen.add(current);
        if (current.type === utils_1.AST_NODE_TYPES.LogicalExpression) {
          if (current.operator === "&&") {
            return true;
          } else if (current.operator === "||") {
            queue.push(current.parent, current.left, current.right);
          }
        }
      }
      return false;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain-utils/checkNullishAndReport.js
var require_checkNullishAndReport2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain-utils/checkNullishAndReport.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.checkNullishAndReport = checkNullishAndReport;
    var type_utils_1 = require_dist17();
    var ts_api_utils_1 = require_lib23();
    var ts = __importStar2(require_typescript3());
    function checkNullishAndReport(context, parserServices, { requireNullish }, maybeNullishNodes, descriptor) {
      if (!requireNullish || maybeNullishNodes.some((node) => (0, ts_api_utils_1.unionTypeParts)(parserServices.getTypeAtLocation(node)).some((t) => (0, type_utils_1.isTypeFlagSet)(t, ts.TypeFlags.Null | ts.TypeFlags.Undefined)))) {
        context.report(descriptor);
      }
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain-utils/compareNodes.js
var require_compareNodes2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain-utils/compareNodes.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.compareNodes = compareNodes;
    var utils_1 = require_dist15();
    var visitor_keys_1 = require_dist2();
    function compareArrays(arrayA, arrayB) {
      if (arrayA.length !== arrayB.length) {
        return "Invalid";
      }
      const result = arrayA.every((elA, idx) => {
        const elB = arrayB[idx];
        if (elA == null || elB == null) {
          return elA === elB;
        }
        return compareUnknownValues(elA, elB) === "Equal";
      });
      if (result) {
        return "Equal";
      }
      return "Invalid";
    }
    function isValidNode(x) {
      return typeof x === "object" && x != null && "type" in x && typeof x.type === "string";
    }
    function isValidChainExpressionToLookThrough(node) {
      return !(node.parent?.type === utils_1.AST_NODE_TYPES.MemberExpression && node.parent.object === node) && !(node.parent?.type === utils_1.AST_NODE_TYPES.CallExpression && node.parent.callee === node) && node.type === utils_1.AST_NODE_TYPES.ChainExpression;
    }
    function compareUnknownValues(valueA, valueB) {
      if (valueA == null || valueB == null) {
        if (valueA !== valueB) {
          return "Invalid";
        }
        return "Equal";
      }
      if (!isValidNode(valueA) || !isValidNode(valueB)) {
        return "Invalid";
      }
      return compareNodes(valueA, valueB);
    }
    function compareByVisiting(nodeA, nodeB) {
      const currentVisitorKeys = visitor_keys_1.visitorKeys[nodeA.type];
      if (currentVisitorKeys == null) {
        return "Invalid";
      }
      if (currentVisitorKeys.length === 0) {
        return "Equal";
      }
      for (const key of currentVisitorKeys) {
        const nodeAChildOrChildren = nodeA[key];
        const nodeBChildOrChildren = nodeB[key];
        if (Array.isArray(nodeAChildOrChildren)) {
          const arrayA = nodeAChildOrChildren;
          const arrayB = nodeBChildOrChildren;
          const result = compareArrays(arrayA, arrayB);
          if (result !== "Equal") {
            return "Invalid";
          }
        } else {
          const result = compareUnknownValues(nodeAChildOrChildren, nodeBChildOrChildren);
          if (result !== "Equal") {
            return "Invalid";
          }
        }
      }
      return "Equal";
    }
    function compareNodesUncached(nodeA, nodeB) {
      if (nodeA.type !== nodeB.type) {
        if (isValidChainExpressionToLookThrough(nodeA)) {
          return compareNodes(nodeA.expression, nodeB);
        }
        if (isValidChainExpressionToLookThrough(nodeB)) {
          return compareNodes(nodeA, nodeB.expression);
        }
        if (nodeA.type === utils_1.AST_NODE_TYPES.TSNonNullExpression) {
          return compareNodes(nodeA.expression, nodeB);
        }
        if (nodeB.type === utils_1.AST_NODE_TYPES.TSNonNullExpression) {
          return compareNodes(nodeA, nodeB.expression);
        }
        if (nodeA.type === utils_1.AST_NODE_TYPES.CallExpression || nodeA.type === utils_1.AST_NODE_TYPES.Identifier || nodeA.type === utils_1.AST_NODE_TYPES.MemberExpression || nodeA.type === utils_1.AST_NODE_TYPES.MetaProperty) {
          switch (nodeB.type) {
            case utils_1.AST_NODE_TYPES.MemberExpression:
              if (nodeB.property.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
                return "Invalid";
              }
              if (compareNodes(nodeA, nodeB.object) !== "Invalid") {
                return "Subset";
              }
              return "Invalid";
            case utils_1.AST_NODE_TYPES.CallExpression:
              if (compareNodes(nodeA, nodeB.callee) !== "Invalid") {
                return "Subset";
              }
              return "Invalid";
            default:
              return "Invalid";
          }
        }
        return "Invalid";
      }
      switch (nodeA.type) {
        case utils_1.AST_NODE_TYPES.ArrayExpression:
        case utils_1.AST_NODE_TYPES.ArrowFunctionExpression:
        case utils_1.AST_NODE_TYPES.ClassExpression:
        case utils_1.AST_NODE_TYPES.FunctionExpression:
        case utils_1.AST_NODE_TYPES.JSXElement:
        case utils_1.AST_NODE_TYPES.JSXFragment:
        case utils_1.AST_NODE_TYPES.NewExpression:
        case utils_1.AST_NODE_TYPES.ObjectExpression:
          return "Invalid";
        case utils_1.AST_NODE_TYPES.AssignmentExpression:
          return "Invalid";
        case utils_1.AST_NODE_TYPES.CallExpression: {
          const nodeBCall = nodeB;
          const aSubsetOfB = compareNodes(nodeA, nodeBCall.callee);
          if (aSubsetOfB !== "Invalid") {
            return "Subset";
          }
          const calleeCompare = compareNodes(nodeA.callee, nodeBCall.callee);
          if (calleeCompare !== "Equal") {
            return "Invalid";
          }
          const argumentCompare = compareArrays(nodeA.arguments, nodeBCall.arguments);
          if (argumentCompare !== "Equal") {
            return "Invalid";
          }
          const typeParamCompare = compareNodes(nodeA.typeArguments, nodeBCall.typeArguments);
          if (typeParamCompare === "Equal") {
            return "Equal";
          }
          return "Invalid";
        }
        case utils_1.AST_NODE_TYPES.ChainExpression:
          return compareNodes(nodeA, nodeB.expression);
        case utils_1.AST_NODE_TYPES.Identifier:
        case utils_1.AST_NODE_TYPES.PrivateIdentifier:
          if (nodeA.name === nodeB.name) {
            return "Equal";
          }
          return "Invalid";
        case utils_1.AST_NODE_TYPES.Literal: {
          const nodeBLiteral = nodeB;
          if (nodeA.raw === nodeBLiteral.raw && nodeA.value === nodeBLiteral.value) {
            return "Equal";
          }
          return "Invalid";
        }
        case utils_1.AST_NODE_TYPES.MemberExpression: {
          const nodeBMember = nodeB;
          if (nodeBMember.property.type === utils_1.AST_NODE_TYPES.PrivateIdentifier) {
            return "Invalid";
          }
          const aSubsetOfB = compareNodes(nodeA, nodeBMember.object);
          if (aSubsetOfB !== "Invalid") {
            return "Subset";
          }
          if (nodeA.computed !== nodeBMember.computed) {
            return "Invalid";
          }
          const objectCompare = compareNodes(nodeA.object, nodeBMember.object);
          if (objectCompare !== "Equal") {
            return "Invalid";
          }
          return compareNodes(nodeA.property, nodeBMember.property);
        }
        case utils_1.AST_NODE_TYPES.TSTemplateLiteralType:
        case utils_1.AST_NODE_TYPES.TemplateLiteral: {
          const nodeBTemplate = nodeB;
          const areQuasisEqual = nodeA.quasis.length === nodeBTemplate.quasis.length && nodeA.quasis.every((elA, idx) => {
            const elB = nodeBTemplate.quasis[idx];
            return elA.value.cooked === elB.value.cooked;
          });
          if (!areQuasisEqual) {
            return "Invalid";
          }
          return "Equal";
        }
        case utils_1.AST_NODE_TYPES.TemplateElement: {
          const nodeBElement = nodeB;
          if (nodeA.value.cooked === nodeBElement.value.cooked) {
            return "Equal";
          }
          return "Invalid";
        }
        case utils_1.AST_NODE_TYPES.ArrayPattern:
        case utils_1.AST_NODE_TYPES.ObjectPattern:
          return "Invalid";
        case utils_1.AST_NODE_TYPES.UpdateExpression:
          return "Invalid";
        case utils_1.AST_NODE_TYPES.YieldExpression:
          return "Invalid";
        default:
          return compareByVisiting(nodeA, nodeB);
      }
    }
    var COMPARE_NODES_CACHE = /* @__PURE__ */ new WeakMap();
    function compareNodes(nodeA, nodeB) {
      if (nodeA == null || nodeB == null) {
        if (nodeA !== nodeB) {
          return "Invalid";
        }
        return "Equal";
      }
      const cached = COMPARE_NODES_CACHE.get(nodeA)?.get(nodeB);
      if (cached) {
        return cached;
      }
      const result = compareNodesUncached(nodeA, nodeB);
      let mapA = COMPARE_NODES_CACHE.get(nodeA);
      if (mapA == null) {
        mapA = /* @__PURE__ */ new WeakMap();
        COMPARE_NODES_CACHE.set(nodeA, mapA);
      }
      mapA.set(nodeB, result);
      return result;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain-utils/analyzeChain.js
var require_analyzeChain2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain-utils/analyzeChain.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.analyzeChain = analyzeChain;
    var utils_1 = require_dist15();
    var ts_api_utils_1 = require_lib23();
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    var checkNullishAndReport_1 = require_checkNullishAndReport2();
    var compareNodes_1 = require_compareNodes2();
    function includesType(parserServices, node, typeFlagIn) {
      const typeFlag = typeFlagIn | ts.TypeFlags.Any | ts.TypeFlags.Unknown;
      const types = (0, ts_api_utils_1.unionTypeParts)(parserServices.getTypeAtLocation(node));
      for (const type of types) {
        if ((0, util_1.isTypeFlagSet)(type, typeFlag)) {
          return true;
        }
      }
      return false;
    }
    var analyzeAndChainOperand = (parserServices, operand, index, chain) => {
      switch (operand.comparisonType) {
        case "Boolean": {
          const nextOperand = chain.at(index + 1);
          if (nextOperand?.comparisonType === "NotStrictEqualNull" && operand.comparedName.type === utils_1.AST_NODE_TYPES.Identifier) {
            return null;
          }
          return [operand];
        }
        case "NotEqualNullOrUndefined":
          return [operand];
        case "NotStrictEqualNull": {
          const nextOperand = chain.at(index + 1);
          if (nextOperand?.comparisonType === "NotStrictEqualUndefined" && (0, compareNodes_1.compareNodes)(operand.comparedName, nextOperand.comparedName) === "Equal") {
            return [operand, nextOperand];
          }
          if (includesType(parserServices, operand.comparedName, ts.TypeFlags.Undefined)) {
            return null;
          }
          return [operand];
        }
        case "NotStrictEqualUndefined": {
          const nextOperand = chain.at(index + 1);
          if (nextOperand?.comparisonType === "NotStrictEqualNull" && (0, compareNodes_1.compareNodes)(operand.comparedName, nextOperand.comparedName) === "Equal") {
            return [operand, nextOperand];
          }
          if (includesType(parserServices, operand.comparedName, ts.TypeFlags.Null)) {
            return null;
          }
          return [operand];
        }
        default:
          return null;
      }
    };
    var analyzeOrChainOperand = (parserServices, operand, index, chain) => {
      switch (operand.comparisonType) {
        case "NotBoolean":
        case "EqualNullOrUndefined":
          return [operand];
        case "StrictEqualNull": {
          const nextOperand = chain.at(index + 1);
          if (nextOperand?.comparisonType === "StrictEqualUndefined" && (0, compareNodes_1.compareNodes)(operand.comparedName, nextOperand.comparedName) === "Equal") {
            return [operand, nextOperand];
          }
          if (includesType(parserServices, operand.comparedName, ts.TypeFlags.Undefined)) {
            return null;
          }
          return [operand];
        }
        case "StrictEqualUndefined": {
          const nextOperand = chain.at(index + 1);
          if (nextOperand?.comparisonType === "StrictEqualNull" && (0, compareNodes_1.compareNodes)(operand.comparedName, nextOperand.comparedName) === "Equal") {
            return [operand, nextOperand];
          }
          if (includesType(parserServices, operand.comparedName, ts.TypeFlags.Null)) {
            return null;
          }
          return [operand];
        }
        default:
          return null;
      }
    };
    function getFixer(sourceCode, parserServices, operator, options, chain) {
      const lastOperand = chain[chain.length - 1];
      let useSuggestionFixer;
      if (options.allowPotentiallyUnsafeFixesThatModifyTheReturnTypeIKnowWhatImDoing === true) {
        useSuggestionFixer = false;
      } else {
        if (lastOperand.comparisonType === "EqualNullOrUndefined" || lastOperand.comparisonType === "NotEqualNullOrUndefined" || lastOperand.comparisonType === "StrictEqualUndefined" || lastOperand.comparisonType === "NotStrictEqualUndefined" || operator === "||" && lastOperand.comparisonType === "NotBoolean") {
          useSuggestionFixer = false;
        } else {
          useSuggestionFixer = true;
          for (const operand of chain) {
            if (includesType(parserServices, operand.node, ts.TypeFlags.Undefined)) {
              useSuggestionFixer = false;
              break;
            }
          }
        }
      }
      const parts = [];
      for (const current of chain) {
        const nextOperand = flattenChainExpression(sourceCode, current.comparedName);
        const diff = nextOperand.slice(parts.length);
        if (diff.length > 0) {
          if (parts.length > 0) {
            diff[0].optional = true;
          }
          parts.push(...diff);
        }
      }
      let newCode = parts.map((part) => {
        let str = "";
        if (part.optional) {
          str += "?.";
        } else {
          if (part.nonNull) {
            str += "!";
          }
          if (part.requiresDot) {
            str += ".";
          }
        }
        if (part.precedence !== util_1.OperatorPrecedence.Invalid && part.precedence < util_1.OperatorPrecedence.Member) {
          str += `(${part.text})`;
        } else {
          str += part.text;
        }
        return str;
      }).join("");
      if (lastOperand.node.type === utils_1.AST_NODE_TYPES.BinaryExpression) {
        const operator2 = lastOperand.node.operator;
        const { left, right } = (() => {
          if (lastOperand.isYoda) {
            const unaryOperator2 = lastOperand.node.right.type === utils_1.AST_NODE_TYPES.UnaryExpression ? lastOperand.node.right.operator + " " : "";
            return {
              left: sourceCode.getText(lastOperand.node.left),
              right: unaryOperator2 + newCode
            };
          }
          const unaryOperator = lastOperand.node.left.type === utils_1.AST_NODE_TYPES.UnaryExpression ? lastOperand.node.left.operator + " " : "";
          return {
            left: unaryOperator + newCode,
            right: sourceCode.getText(lastOperand.node.right)
          };
        })();
        newCode = `${left} ${operator2} ${right}`;
      } else if (lastOperand.comparisonType === "NotBoolean") {
        newCode = `!${newCode}`;
      }
      const fix11 = (fixer) => fixer.replaceTextRange([chain[0].node.range[0], lastOperand.node.range[1]], newCode);
      return useSuggestionFixer ? { suggest: [{ fix: fix11, messageId: "optionalChainSuggest" }] } : { fix: fix11 };
      function flattenChainExpression(sourceCode2, node) {
        switch (node.type) {
          case utils_1.AST_NODE_TYPES.ChainExpression:
            return flattenChainExpression(sourceCode2, node.expression);
          case utils_1.AST_NODE_TYPES.CallExpression: {
            const argumentsText = (() => {
              const closingParenToken = (0, util_1.nullThrows)(sourceCode2.getLastToken(node), util_1.NullThrowsReasons.MissingToken("closing parenthesis", node.type));
              const openingParenToken = (0, util_1.nullThrows)(sourceCode2.getFirstTokenBetween(node.typeArguments ?? node.callee, closingParenToken, util_1.isOpeningParenToken), util_1.NullThrowsReasons.MissingToken("opening parenthesis", node.type));
              return sourceCode2.text.substring(openingParenToken.range[0], closingParenToken.range[1]);
            })();
            const typeArgumentsText = (() => {
              if (node.typeArguments == null) {
                return "";
              }
              return sourceCode2.getText(node.typeArguments);
            })();
            return [
              ...flattenChainExpression(sourceCode2, node.callee),
              {
                nonNull: false,
                optional: node.optional,
                // no precedence for this
                precedence: util_1.OperatorPrecedence.Invalid,
                requiresDot: false,
                text: typeArgumentsText + argumentsText
              }
            ];
          }
          case utils_1.AST_NODE_TYPES.MemberExpression: {
            const propertyText = sourceCode2.getText(node.property);
            return [
              ...flattenChainExpression(sourceCode2, node.object),
              {
                nonNull: node.object.type === utils_1.AST_NODE_TYPES.TSNonNullExpression,
                optional: node.optional,
                precedence: node.computed ? (
                  // computed is already wrapped in [] so no need to wrap in () as well
                  util_1.OperatorPrecedence.Invalid
                ) : (0, util_1.getOperatorPrecedenceForNode)(node.property),
                requiresDot: !node.computed,
                text: node.computed ? `[${propertyText}]` : propertyText
              }
            ];
          }
          case utils_1.AST_NODE_TYPES.TSNonNullExpression:
            return flattenChainExpression(sourceCode2, node.expression);
          default:
            return [
              {
                nonNull: false,
                optional: false,
                precedence: (0, util_1.getOperatorPrecedenceForNode)(node),
                requiresDot: false,
                text: sourceCode2.getText(node)
              }
            ];
        }
      }
    }
    function analyzeChain(context, parserServices, options, operator, chain) {
      if (chain.length <= 1 || /* istanbul ignore next -- previous checks make this unreachable, but keep it for exhaustiveness check */
      operator === "??") {
        return;
      }
      const analyzeOperand = (() => {
        switch (operator) {
          case "&&":
            return analyzeAndChainOperand;
          case "||":
            return analyzeOrChainOperand;
        }
      })();
      let subChain = [];
      const maybeReportThenReset = (newChainSeed) => {
        if (subChain.length > 1) {
          const subChainFlat = subChain.flat();
          (0, checkNullishAndReport_1.checkNullishAndReport)(context, parserServices, options, subChainFlat.slice(0, -1).map(({ node }) => node), {
            messageId: "preferOptionalChain",
            loc: {
              start: subChainFlat[0].node.loc.start,
              end: subChainFlat[subChainFlat.length - 1].node.loc.end
            },
            ...getFixer(context.sourceCode, parserServices, operator, options, subChainFlat)
          });
        }
        subChain = newChainSeed ? [newChainSeed] : [];
      };
      for (let i = 0; i < chain.length; i += 1) {
        const lastOperand = subChain.flat().at(-1);
        const operand = chain[i];
        const validatedOperands = analyzeOperand(parserServices, operand, i, chain);
        if (!validatedOperands) {
          maybeReportThenReset();
          continue;
        }
        i += validatedOperands.length - 1;
        const currentOperand = validatedOperands[0];
        if (lastOperand) {
          const comparisonResult = (0, compareNodes_1.compareNodes)(
            lastOperand.comparedName,
            // purposely inspect and push the last operand because the prior operands don't matter
            // this also means we won't false-positive in cases like
            // foo !== null && foo !== undefined
            validatedOperands[validatedOperands.length - 1].comparedName
          );
          if (comparisonResult === "Subset") {
            subChain.push(currentOperand);
          } else if (comparisonResult === "Invalid") {
            maybeReportThenReset(validatedOperands);
          } else {
          }
        } else {
          subChain.push(currentOperand);
        }
      }
      maybeReportThenReset();
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain-utils/gatherLogicalOperands.js
var require_gatherLogicalOperands2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain-utils/gatherLogicalOperands.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    exports2.gatherLogicalOperands = gatherLogicalOperands;
    var utils_1 = require_dist15();
    var ts_api_utils_1 = require_lib23();
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    var NULLISH_FLAGS = ts.TypeFlags.Null | ts.TypeFlags.Undefined;
    function isValidFalseBooleanCheckType(node, disallowFalseyLiteral, parserServices, options) {
      const type = parserServices.getTypeAtLocation(node);
      const types = (0, ts_api_utils_1.unionTypeParts)(type);
      if (disallowFalseyLiteral) {
        if (types.some((t) => (0, ts_api_utils_1.isBooleanLiteralType)(t) && t.intrinsicName === "false") || types.some((t) => (0, ts_api_utils_1.isStringLiteralType)(t) && t.value === "") || types.some((t) => (0, ts_api_utils_1.isNumberLiteralType)(t) && t.value === 0) || types.some((t) => (0, ts_api_utils_1.isBigIntLiteralType)(t) && t.value.base10Value === "0")) {
          return false;
        }
      }
      let allowedFlags = NULLISH_FLAGS | ts.TypeFlags.Object;
      if (options.checkAny === true) {
        allowedFlags |= ts.TypeFlags.Any;
      }
      if (options.checkUnknown === true) {
        allowedFlags |= ts.TypeFlags.Unknown;
      }
      if (options.checkString === true) {
        allowedFlags |= ts.TypeFlags.StringLike;
      }
      if (options.checkNumber === true) {
        allowedFlags |= ts.TypeFlags.NumberLike;
      }
      if (options.checkBoolean === true) {
        allowedFlags |= ts.TypeFlags.BooleanLike;
      }
      if (options.checkBigInt === true) {
        allowedFlags |= ts.TypeFlags.BigIntLike;
      }
      return types.every((t) => (0, util_1.isTypeFlagSet)(t, allowedFlags));
    }
    function gatherLogicalOperands(node, parserServices, sourceCode, options) {
      const result = [];
      const { operands, newlySeenLogicals } = flattenLogicalOperands(node);
      for (const operand of operands) {
        const areMoreOperands = operand !== operands.at(-1);
        switch (operand.type) {
          case utils_1.AST_NODE_TYPES.BinaryExpression: {
            const { comparedExpression, comparedValue, isYoda } = (() => {
              const comparedValueRight = getComparisonValueType(operand.right);
              if (comparedValueRight) {
                return {
                  comparedExpression: operand.left,
                  comparedValue: comparedValueRight,
                  isYoda: false
                };
              }
              return {
                comparedExpression: operand.right,
                comparedValue: getComparisonValueType(operand.left),
                isYoda: true
              };
            })();
            if (comparedValue === "UndefinedStringLiteral") {
              if (comparedExpression.type === utils_1.AST_NODE_TYPES.UnaryExpression && comparedExpression.operator === "typeof") {
                const argument = comparedExpression.argument;
                if (argument.type === utils_1.AST_NODE_TYPES.Identifier) {
                  const reference = sourceCode.getScope(argument).references.find((ref) => ref.identifier.name === argument.name);
                  if (!reference?.resolved?.defs.length) {
                    result.push({
                      type: "Invalid"
                      /* OperandValidity.Invalid */
                    });
                    continue;
                  }
                }
                result.push({
                  type: "Valid",
                  comparedName: comparedExpression.argument,
                  comparisonType: operand.operator.startsWith("!") ? "NotStrictEqualUndefined" : "StrictEqualUndefined",
                  isYoda,
                  node: operand
                });
                continue;
              }
              result.push({
                type: "Invalid"
                /* OperandValidity.Invalid */
              });
              continue;
            }
            switch (operand.operator) {
              case "!=":
              case "==":
                if (comparedValue === "Null" || comparedValue === "Undefined") {
                  result.push({
                    type: "Valid",
                    comparedName: comparedExpression,
                    comparisonType: operand.operator.startsWith("!") ? "NotEqualNullOrUndefined" : "EqualNullOrUndefined",
                    isYoda,
                    node: operand
                  });
                  continue;
                }
                result.push({
                  type: "Invalid"
                  /* OperandValidity.Invalid */
                });
                continue;
              case "!==":
              case "===": {
                const comparedName = comparedExpression;
                switch (comparedValue) {
                  case "Null":
                    result.push({
                      type: "Valid",
                      comparedName,
                      comparisonType: operand.operator.startsWith("!") ? "NotStrictEqualNull" : "StrictEqualNull",
                      isYoda,
                      node: operand
                    });
                    continue;
                  case "Undefined":
                    result.push({
                      type: "Valid",
                      comparedName,
                      comparisonType: operand.operator.startsWith("!") ? "NotStrictEqualUndefined" : "StrictEqualUndefined",
                      isYoda,
                      node: operand
                    });
                    continue;
                  default:
                    result.push({
                      type: "Invalid"
                      /* OperandValidity.Invalid */
                    });
                    continue;
                }
              }
            }
            result.push({
              type: "Invalid"
              /* OperandValidity.Invalid */
            });
            continue;
          }
          case utils_1.AST_NODE_TYPES.UnaryExpression:
            if (operand.operator === "!" && isValidFalseBooleanCheckType(operand.argument, areMoreOperands && node.operator === "||", parserServices, options)) {
              result.push({
                type: "Valid",
                comparedName: operand.argument,
                comparisonType: "NotBoolean",
                isYoda: false,
                node: operand
              });
              continue;
            }
            result.push({
              type: "Invalid"
              /* OperandValidity.Invalid */
            });
            continue;
          case utils_1.AST_NODE_TYPES.LogicalExpression:
            result.push({
              type: "Invalid"
              /* OperandValidity.Invalid */
            });
            continue;
          default:
            if (isValidFalseBooleanCheckType(operand, areMoreOperands && node.operator === "&&", parserServices, options)) {
              result.push({
                type: "Valid",
                comparedName: operand,
                comparisonType: "Boolean",
                isYoda: false,
                node: operand
              });
            } else {
              result.push({
                type: "Invalid"
                /* OperandValidity.Invalid */
              });
            }
            continue;
        }
      }
      return {
        operands: result,
        newlySeenLogicals
      };
      function flattenLogicalOperands(node2) {
        const operands2 = [];
        const newlySeenLogicals2 = /* @__PURE__ */ new Set([node2]);
        const stack = [node2.right, node2.left];
        let current;
        while (current = stack.pop()) {
          if (current.type === utils_1.AST_NODE_TYPES.LogicalExpression && current.operator === node2.operator) {
            newlySeenLogicals2.add(current);
            stack.push(current.right);
            stack.push(current.left);
          } else {
            operands2.push(current);
          }
        }
        return {
          operands: operands2,
          newlySeenLogicals: newlySeenLogicals2
        };
      }
      function getComparisonValueType(node2) {
        switch (node2.type) {
          case utils_1.AST_NODE_TYPES.Literal:
            if (node2.value === null && node2.raw === "null") {
              return "Null";
            }
            if (node2.value === "undefined") {
              return "UndefinedStringLiteral";
            }
            return null;
          case utils_1.AST_NODE_TYPES.Identifier:
            if (node2.name === "undefined") {
              return "Undefined";
            }
            return null;
        }
        return null;
      }
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain.js
var require_prefer_optional_chain2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-optional-chain.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    var analyzeChain_1 = require_analyzeChain2();
    var checkNullishAndReport_1 = require_checkNullishAndReport2();
    var gatherLogicalOperands_1 = require_gatherLogicalOperands2();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-optional-chain",
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce using concise optional chain expressions instead of chained logical ands, negated logical ors, or empty objects",
          recommended: "stylistic",
          requiresTypeChecking: true
        },
        fixable: "code",
        hasSuggestions: true,
        messages: {
          preferOptionalChain: "Prefer using an optional chain expression instead, as it's more concise and easier to read.",
          optionalChainSuggest: "Change to an optional chain."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              checkAny: {
                type: "boolean",
                description: 'Check operands that are typed as `any` when inspecting "loose boolean" operands.'
              },
              checkUnknown: {
                type: "boolean",
                description: 'Check operands that are typed as `unknown` when inspecting "loose boolean" operands.'
              },
              checkString: {
                type: "boolean",
                description: 'Check operands that are typed as `string` when inspecting "loose boolean" operands.'
              },
              checkNumber: {
                type: "boolean",
                description: 'Check operands that are typed as `number` when inspecting "loose boolean" operands.'
              },
              checkBoolean: {
                type: "boolean",
                description: 'Check operands that are typed as `boolean` when inspecting "loose boolean" operands.'
              },
              checkBigInt: {
                type: "boolean",
                description: 'Check operands that are typed as `bigint` when inspecting "loose boolean" operands.'
              },
              requireNullish: {
                type: "boolean",
                description: 'Skip operands that are not typed with `null` and/or `undefined` when inspecting "loose boolean" operands.'
              },
              allowPotentiallyUnsafeFixesThatModifyTheReturnTypeIKnowWhatImDoing: {
                type: "boolean",
                description: "Allow autofixers that will change the return type of the expression. This option is considered unsafe as it may break the build."
              }
            }
          }
        ]
      },
      defaultOptions: [
        {
          checkAny: true,
          checkUnknown: true,
          checkString: true,
          checkNumber: true,
          checkBoolean: true,
          checkBigInt: true,
          requireNullish: false,
          allowPotentiallyUnsafeFixesThatModifyTheReturnTypeIKnowWhatImDoing: false
        }
      ],
      create(context, [options]) {
        const parserServices = (0, util_1.getParserServices)(context);
        const seenLogicals = /* @__PURE__ */ new Set();
        return {
          // specific handling for `(foo ?? {}).bar` / `(foo || {}).bar`
          'LogicalExpression[operator="||"], LogicalExpression[operator="??"]'(node) {
            const leftNode = node.left;
            const rightNode = node.right;
            const parentNode = node.parent;
            const isRightNodeAnEmptyObjectLiteral = rightNode.type === utils_1.AST_NODE_TYPES.ObjectExpression && rightNode.properties.length === 0;
            if (!isRightNodeAnEmptyObjectLiteral || parentNode.type !== utils_1.AST_NODE_TYPES.MemberExpression || parentNode.optional) {
              return;
            }
            seenLogicals.add(node);
            function isLeftSideLowerPrecedence() {
              const logicalTsNode = parserServices.esTreeNodeToTSNodeMap.get(node);
              const leftTsNode = parserServices.esTreeNodeToTSNodeMap.get(leftNode);
              const operator = ts.isBinaryExpression(logicalTsNode) ? logicalTsNode.operatorToken.kind : ts.SyntaxKind.Unknown;
              const leftPrecedence = (0, util_1.getOperatorPrecedence)(leftTsNode.kind, operator);
              return leftPrecedence < util_1.OperatorPrecedence.LeftHandSide;
            }
            (0, checkNullishAndReport_1.checkNullishAndReport)(context, parserServices, options, [leftNode], {
              messageId: "preferOptionalChain",
              node: parentNode,
              suggest: [
                {
                  messageId: "optionalChainSuggest",
                  fix: (fixer) => {
                    const leftNodeText = context.sourceCode.getText(leftNode);
                    const maybeWrappedLeftNode = isLeftSideLowerPrecedence() ? `(${leftNodeText})` : leftNodeText;
                    const propertyToBeOptionalText = context.sourceCode.getText(parentNode.property);
                    const maybeWrappedProperty = parentNode.computed ? `[${propertyToBeOptionalText}]` : propertyToBeOptionalText;
                    return fixer.replaceTextRange(parentNode.range, `${maybeWrappedLeftNode}?.${maybeWrappedProperty}`);
                  }
                }
              ]
            });
          },
          'LogicalExpression[operator!="??"]'(node) {
            if (seenLogicals.has(node)) {
              return;
            }
            const { operands, newlySeenLogicals } = (0, gatherLogicalOperands_1.gatherLogicalOperands)(node, parserServices, context.sourceCode, options);
            for (const logical of newlySeenLogicals) {
              seenLogicals.add(logical);
            }
            let currentChain = [];
            for (const operand of operands) {
              if (operand.type === "Invalid") {
                (0, analyzeChain_1.analyzeChain)(context, parserServices, options, node.operator, currentChain);
                currentChain = [];
              } else {
                currentChain.push(operand);
              }
            }
            if (currentChain.length > 0) {
              (0, analyzeChain_1.analyzeChain)(context, parserServices, options, node.operator, currentChain);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-promise-reject-errors.js
var require_prefer_promise_reject_errors2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-promise-reject-errors.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-promise-reject-errors",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require using Error objects as Promise rejection reasons",
          recommended: "strict",
          extendsBaseRule: true,
          requiresTypeChecking: true
        },
        schema: [
          {
            type: "object",
            properties: {
              allowEmptyReject: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          rejectAnError: "Expected the Promise rejection reason to be an Error."
        }
      },
      defaultOptions: [
        {
          allowEmptyReject: false
        }
      ],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        function checkRejectCall(callExpression) {
          const argument = callExpression.arguments.at(0);
          if (argument) {
            const type = services.getTypeAtLocation(argument);
            if ((0, util_1.isErrorLike)(services.program, type) || (0, util_1.isReadonlyErrorLike)(services.program, type)) {
              return;
            }
          } else if (options.allowEmptyReject) {
            return;
          }
          context.report({
            node: callExpression,
            messageId: "rejectAnError"
          });
        }
        function skipChainExpression(node) {
          return node.type === utils_1.AST_NODE_TYPES.ChainExpression ? node.expression : node;
        }
        function typeAtLocationIsLikePromise(node) {
          const type = services.getTypeAtLocation(node);
          return (0, util_1.isPromiseConstructorLike)(services.program, type) || (0, util_1.isPromiseLike)(services.program, type);
        }
        return {
          CallExpression(node) {
            const callee = skipChainExpression(node.callee);
            if (callee.type !== utils_1.AST_NODE_TYPES.MemberExpression) {
              return;
            }
            const rejectMethodCalled = callee.computed ? callee.property.type === utils_1.AST_NODE_TYPES.Literal && callee.property.value === "reject" : callee.property.name === "reject";
            if (!rejectMethodCalled || !typeAtLocationIsLikePromise(callee.object)) {
              return;
            }
            checkRejectCall(node);
          },
          NewExpression(node) {
            const callee = skipChainExpression(node.callee);
            if (!(0, util_1.isPromiseConstructorLike)(services.program, services.getTypeAtLocation(callee))) {
              return;
            }
            const executor = node.arguments.at(0);
            if (!executor || !(0, util_1.isFunction)(executor)) {
              return;
            }
            const rejectParamNode = executor.params.at(1);
            if (!rejectParamNode || !(0, util_1.isIdentifier)(rejectParamNode)) {
              return;
            }
            const rejectVariable = context.sourceCode.getDeclaredVariables(executor).find((variable) => variable.identifiers.includes(rejectParamNode));
            rejectVariable.references.forEach((ref) => {
              if (ref.identifier.parent.type !== utils_1.AST_NODE_TYPES.CallExpression || ref.identifier !== ref.identifier.parent.callee) {
                return;
              }
              checkRejectCall(ref.identifier.parent);
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-readonly.js
var require_prefer_readonly2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-readonly.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    var getMemberHeadLoc_1 = require_getMemberHeadLoc2();
    var functionScopeBoundaries = [
      utils_1.AST_NODE_TYPES.ArrowFunctionExpression,
      utils_1.AST_NODE_TYPES.FunctionDeclaration,
      utils_1.AST_NODE_TYPES.FunctionExpression,
      utils_1.AST_NODE_TYPES.MethodDefinition
    ].join(", ");
    exports2.default = (0, util_1.createRule)({
      name: "prefer-readonly",
      meta: {
        docs: {
          description: "Require private members to be marked as `readonly` if they're never modified outside of the constructor",
          requiresTypeChecking: true
        },
        fixable: "code",
        messages: {
          preferReadonly: "Member '{{name}}' is never reassigned; mark it as `readonly`."
        },
        schema: [
          {
            additionalProperties: false,
            properties: {
              onlyInlineLambdas: {
                type: "boolean"
              }
            },
            type: "object"
          }
        ],
        type: "suggestion"
      },
      defaultOptions: [{ onlyInlineLambdas: false }],
      create(context, [{ onlyInlineLambdas }]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const classScopeStack = [];
        function handlePropertyAccessExpression(node, parent, classScope) {
          if (ts.isBinaryExpression(parent)) {
            handleParentBinaryExpression(node, parent, classScope);
            return;
          }
          if (ts.isDeleteExpression(parent) || isDestructuringAssignment(node)) {
            classScope.addVariableModification(node);
            return;
          }
          if (ts.isPostfixUnaryExpression(parent) || ts.isPrefixUnaryExpression(parent)) {
            handleParentPostfixOrPrefixUnaryExpression(parent, classScope);
          }
        }
        function handleParentBinaryExpression(node, parent, classScope) {
          if (parent.left === node && tsutils.isAssignmentKind(parent.operatorToken.kind)) {
            classScope.addVariableModification(node);
          }
        }
        function handleParentPostfixOrPrefixUnaryExpression(node, classScope) {
          if (node.operator === ts.SyntaxKind.PlusPlusToken || node.operator === ts.SyntaxKind.MinusMinusToken) {
            classScope.addVariableModification(node.operand);
          }
        }
        function isDestructuringAssignment(node) {
          let current = node.parent;
          while (current) {
            const parent = current.parent;
            if (ts.isObjectLiteralExpression(parent) || ts.isArrayLiteralExpression(parent) || ts.isSpreadAssignment(parent) || ts.isSpreadElement(parent) && ts.isArrayLiteralExpression(parent.parent)) {
              current = parent;
            } else if (ts.isBinaryExpression(parent) && !ts.isPropertyAccessExpression(current)) {
              return parent.left === current && parent.operatorToken.kind === ts.SyntaxKind.EqualsToken;
            } else {
              break;
            }
          }
          return false;
        }
        function isFunctionScopeBoundaryInStack(node) {
          if (classScopeStack.length === 0) {
            return false;
          }
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          if (ts.isConstructorDeclaration(tsNode)) {
            return false;
          }
          return tsutils.isFunctionScopeBoundary(tsNode);
        }
        function getEsNodesFromViolatingNode(violatingNode) {
          return {
            esNode: services.tsNodeToESTreeNodeMap.get(violatingNode),
            nameNode: services.tsNodeToESTreeNodeMap.get(violatingNode.name)
          };
        }
        return {
          "ClassDeclaration, ClassExpression"(node) {
            classScopeStack.push(new ClassScope(checker, services.esTreeNodeToTSNodeMap.get(node), onlyInlineLambdas));
          },
          "ClassDeclaration, ClassExpression:exit"() {
            const finalizedClassScope = (0, util_1.nullThrows)(classScopeStack.pop(), "Stack should exist on class exit");
            for (const violatingNode of finalizedClassScope.finalizeUnmodifiedPrivateNonReadonlys()) {
              const { esNode, nameNode } = getEsNodesFromViolatingNode(violatingNode);
              const reportNodeOrLoc = (() => {
                switch (esNode.type) {
                  case utils_1.AST_NODE_TYPES.MethodDefinition:
                  case utils_1.AST_NODE_TYPES.PropertyDefinition:
                  case utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition:
                    return { loc: (0, getMemberHeadLoc_1.getMemberHeadLoc)(context.sourceCode, esNode) };
                  case utils_1.AST_NODE_TYPES.TSParameterProperty:
                    return {
                      loc: (0, getMemberHeadLoc_1.getParameterPropertyHeadLoc)(context.sourceCode, esNode, nameNode.name)
                    };
                  default:
                    return { node: esNode };
                }
              })();
              context.report({
                ...reportNodeOrLoc,
                data: {
                  name: context.sourceCode.getText(nameNode)
                },
                fix: (fixer) => fixer.insertTextBefore(nameNode, "readonly "),
                messageId: "preferReadonly"
              });
            }
          },
          MemberExpression(node) {
            if (classScopeStack.length !== 0 && !node.computed) {
              const tsNode = services.esTreeNodeToTSNodeMap.get(node);
              handlePropertyAccessExpression(tsNode, tsNode.parent, classScopeStack[classScopeStack.length - 1]);
            }
          },
          [functionScopeBoundaries](node) {
            if (utils_1.ASTUtils.isConstructor(node)) {
              classScopeStack[classScopeStack.length - 1].enterConstructor(services.esTreeNodeToTSNodeMap.get(node));
            } else if (isFunctionScopeBoundaryInStack(node)) {
              classScopeStack[classScopeStack.length - 1].enterNonConstructor();
            }
          },
          [`${functionScopeBoundaries}:exit`](node) {
            if (utils_1.ASTUtils.isConstructor(node)) {
              classScopeStack[classScopeStack.length - 1].exitConstructor();
            } else if (isFunctionScopeBoundaryInStack(node)) {
              classScopeStack[classScopeStack.length - 1].exitNonConstructor();
            }
          }
        };
      }
    });
    var OUTSIDE_CONSTRUCTOR = -1;
    var DIRECTLY_INSIDE_CONSTRUCTOR = 0;
    var TypeToClassRelation;
    (function(TypeToClassRelation2) {
      TypeToClassRelation2[TypeToClassRelation2["ClassAndInstance"] = 0] = "ClassAndInstance";
      TypeToClassRelation2[TypeToClassRelation2["Class"] = 1] = "Class";
      TypeToClassRelation2[TypeToClassRelation2["Instance"] = 2] = "Instance";
      TypeToClassRelation2[TypeToClassRelation2["None"] = 3] = "None";
    })(TypeToClassRelation || (TypeToClassRelation = {}));
    var ClassScope = class {
      constructor(checker, classNode, onlyInlineLambdas) {
        this.checker = checker;
        this.onlyInlineLambdas = onlyInlineLambdas;
        this.privateModifiableMembers = /* @__PURE__ */ new Map();
        this.privateModifiableStatics = /* @__PURE__ */ new Map();
        this.memberVariableModifications = /* @__PURE__ */ new Set();
        this.staticVariableModifications = /* @__PURE__ */ new Set();
        this.constructorScopeDepth = OUTSIDE_CONSTRUCTOR;
        const classType = checker.getTypeAtLocation(classNode);
        if (tsutils.isIntersectionType(classType)) {
          this.classType = classType.types[0];
        } else {
          this.classType = classType;
        }
        for (const member of classNode.members) {
          if (ts.isPropertyDeclaration(member)) {
            this.addDeclaredVariable(member);
          }
        }
      }
      addDeclaredVariable(node) {
        if (!(tsutils.isModifierFlagSet(node, ts.ModifierFlags.Private) || node.name.kind === ts.SyntaxKind.PrivateIdentifier) || tsutils.isModifierFlagSet(node, ts.ModifierFlags.Accessor | ts.ModifierFlags.Readonly) || ts.isComputedPropertyName(node.name)) {
          return;
        }
        if (this.onlyInlineLambdas && node.initializer !== void 0 && !ts.isArrowFunction(node.initializer)) {
          return;
        }
        (tsutils.isModifierFlagSet(node, ts.ModifierFlags.Static) ? this.privateModifiableStatics : this.privateModifiableMembers).set(node.name.getText(), node);
      }
      getTypeToClassRelation(type) {
        if (type.isIntersection()) {
          let result = TypeToClassRelation.None;
          for (const subType of type.types) {
            const subTypeResult = this.getTypeToClassRelation(subType);
            switch (subTypeResult) {
              case TypeToClassRelation.Class:
                if (result === TypeToClassRelation.Instance) {
                  return TypeToClassRelation.ClassAndInstance;
                }
                result = TypeToClassRelation.Class;
                break;
              case TypeToClassRelation.Instance:
                if (result === TypeToClassRelation.Class) {
                  return TypeToClassRelation.ClassAndInstance;
                }
                result = TypeToClassRelation.Instance;
                break;
            }
          }
          return result;
        }
        if (type.isUnion()) {
          return this.getTypeToClassRelation(type.types[0]);
        }
        if (!type.getSymbol() || !(0, util_1.typeIsOrHasBaseType)(type, this.classType)) {
          return TypeToClassRelation.None;
        }
        const typeIsClass = tsutils.isObjectType(type) && tsutils.isObjectFlagSet(type, ts.ObjectFlags.Anonymous);
        if (typeIsClass) {
          return TypeToClassRelation.Class;
        }
        return TypeToClassRelation.Instance;
      }
      addVariableModification(node) {
        const modifierType = this.checker.getTypeAtLocation(node.expression);
        const relationOfModifierTypeToClass = this.getTypeToClassRelation(modifierType);
        if (relationOfModifierTypeToClass === TypeToClassRelation.Instance && this.constructorScopeDepth === DIRECTLY_INSIDE_CONSTRUCTOR) {
          return;
        }
        if (relationOfModifierTypeToClass === TypeToClassRelation.Instance || relationOfModifierTypeToClass === TypeToClassRelation.ClassAndInstance) {
          this.memberVariableModifications.add(node.name.text);
        }
        if (relationOfModifierTypeToClass === TypeToClassRelation.Class || relationOfModifierTypeToClass === TypeToClassRelation.ClassAndInstance) {
          this.staticVariableModifications.add(node.name.text);
        }
      }
      enterConstructor(node) {
        this.constructorScopeDepth = DIRECTLY_INSIDE_CONSTRUCTOR;
        for (const parameter of node.parameters) {
          if (tsutils.isModifierFlagSet(parameter, ts.ModifierFlags.Private)) {
            this.addDeclaredVariable(parameter);
          }
        }
      }
      exitConstructor() {
        this.constructorScopeDepth = OUTSIDE_CONSTRUCTOR;
      }
      enterNonConstructor() {
        if (this.constructorScopeDepth !== OUTSIDE_CONSTRUCTOR) {
          this.constructorScopeDepth += 1;
        }
      }
      exitNonConstructor() {
        if (this.constructorScopeDepth !== OUTSIDE_CONSTRUCTOR) {
          this.constructorScopeDepth -= 1;
        }
      }
      finalizeUnmodifiedPrivateNonReadonlys() {
        this.memberVariableModifications.forEach((variableName) => {
          this.privateModifiableMembers.delete(variableName);
        });
        this.staticVariableModifications.forEach((variableName) => {
          this.privateModifiableStatics.delete(variableName);
        });
        return [
          ...Array.from(this.privateModifiableMembers.values()),
          ...Array.from(this.privateModifiableStatics.values())
        ];
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-readonly-parameter-types.js
var require_prefer_readonly_parameter_types2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-readonly-parameter-types.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-readonly-parameter-types",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require function parameters to be typed as `readonly` to prevent accidental mutation of inputs",
          requiresTypeChecking: true
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              allow: util_1.readonlynessOptionsSchema.properties.allow,
              checkParameterProperties: {
                type: "boolean"
              },
              ignoreInferredTypes: {
                type: "boolean"
              },
              treatMethodsAsReadonly: util_1.readonlynessOptionsSchema.properties.treatMethodsAsReadonly
            }
          }
        ],
        messages: {
          shouldBeReadonly: "Parameter should be a read only type."
        }
      },
      defaultOptions: [
        {
          allow: util_1.readonlynessOptionsDefaults.allow,
          checkParameterProperties: true,
          ignoreInferredTypes: false,
          treatMethodsAsReadonly: util_1.readonlynessOptionsDefaults.treatMethodsAsReadonly
        }
      ],
      create(context, [{ allow, checkParameterProperties, ignoreInferredTypes, treatMethodsAsReadonly }]) {
        const services = (0, util_1.getParserServices)(context);
        return {
          [[
            utils_1.AST_NODE_TYPES.ArrowFunctionExpression,
            utils_1.AST_NODE_TYPES.FunctionDeclaration,
            utils_1.AST_NODE_TYPES.FunctionExpression,
            utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration,
            utils_1.AST_NODE_TYPES.TSConstructSignatureDeclaration,
            utils_1.AST_NODE_TYPES.TSDeclareFunction,
            utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression,
            utils_1.AST_NODE_TYPES.TSFunctionType,
            utils_1.AST_NODE_TYPES.TSMethodSignature
          ].join(", ")](node) {
            for (const param of node.params) {
              if (!checkParameterProperties && param.type === utils_1.AST_NODE_TYPES.TSParameterProperty) {
                continue;
              }
              const actualParam = param.type === utils_1.AST_NODE_TYPES.TSParameterProperty ? param.parameter : param;
              if (ignoreInferredTypes && actualParam.typeAnnotation == null) {
                continue;
              }
              const type = services.getTypeAtLocation(actualParam);
              const isReadOnly = (0, util_1.isTypeReadonly)(services.program, type, {
                treatMethodsAsReadonly: !!treatMethodsAsReadonly,
                allow
              });
              if (!isReadOnly) {
                context.report({
                  node: actualParam,
                  messageId: "shouldBeReadonly"
                });
              }
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-reduce-type-parameter.js
var require_prefer_reduce_type_parameter2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-reduce-type-parameter.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var util_1 = require_util7();
    var getMemberExpressionName = (member) => {
      if (!member.computed) {
        return member.property.name;
      }
      if (member.property.type === utils_1.AST_NODE_TYPES.Literal && typeof member.property.value === "string") {
        return member.property.value;
      }
      return null;
    };
    exports2.default = (0, util_1.createRule)({
      name: "prefer-reduce-type-parameter",
      meta: {
        type: "problem",
        docs: {
          description: "Enforce using type parameter when calling `Array#reduce` instead of casting",
          recommended: "strict",
          requiresTypeChecking: true
        },
        messages: {
          preferTypeParameter: "Unnecessary cast: Array#reduce accepts a type parameter for the default value."
        },
        fixable: "code",
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function isArrayType(type) {
          return tsutils.unionTypeParts(type).every((unionPart) => tsutils.intersectionTypeParts(unionPart).every((t) => checker.isArrayType(t) || checker.isTupleType(t)));
        }
        return {
          "CallExpression > MemberExpression.callee"(callee) {
            if (getMemberExpressionName(callee) !== "reduce") {
              return;
            }
            const [, secondArg] = callee.parent.arguments;
            if (callee.parent.arguments.length < 2 || !(0, util_1.isTypeAssertion)(secondArg)) {
              return;
            }
            const calleeObjType = (0, util_1.getConstrainedTypeAtLocation)(services, callee.object);
            if (isArrayType(calleeObjType)) {
              context.report({
                messageId: "preferTypeParameter",
                node: secondArg,
                fix: (fixer) => {
                  const fixes = [
                    fixer.removeRange([
                      secondArg.range[0],
                      secondArg.expression.range[0]
                    ]),
                    fixer.removeRange([
                      secondArg.expression.range[1],
                      secondArg.range[1]
                    ])
                  ];
                  if (!callee.parent.typeArguments) {
                    fixes.push(fixer.insertTextAfter(callee, `<${context.sourceCode.getText(secondArg.typeAnnotation)}>`));
                  }
                  return fixes;
                }
              });
              return;
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-regexp-exec.js
var require_prefer_regexp_exec2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-regexp-exec.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var util_1 = require_util7();
    var ArgumentType;
    (function(ArgumentType2) {
      ArgumentType2[ArgumentType2["Other"] = 0] = "Other";
      ArgumentType2[ArgumentType2["String"] = 1] = "String";
      ArgumentType2[ArgumentType2["RegExp"] = 2] = "RegExp";
      ArgumentType2[ArgumentType2["Both"] = 3] = "Both";
    })(ArgumentType || (ArgumentType = {}));
    exports2.default = (0, util_1.createRule)({
      name: "prefer-regexp-exec",
      defaultOptions: [],
      meta: {
        type: "suggestion",
        fixable: "code",
        docs: {
          description: "Enforce `RegExp#exec` over `String#match` if no global flag is provided",
          requiresTypeChecking: true
        },
        messages: {
          regExpExecOverStringMatch: "Use the `RegExp#exec()` method instead."
        },
        schema: []
      },
      create(context) {
        const globalScope = context.sourceCode.getScope(context.sourceCode.ast);
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function isStringType(type) {
          return (0, util_1.getTypeName)(checker, type) === "string";
        }
        function isRegExpType(type) {
          return (0, util_1.getTypeName)(checker, type) === "RegExp";
        }
        function collectArgumentTypes(types) {
          let result = ArgumentType.Other;
          for (const type of types) {
            if (isRegExpType(type)) {
              result |= ArgumentType.RegExp;
            } else if (isStringType(type)) {
              result |= ArgumentType.String;
            }
          }
          return result;
        }
        function definitelyDoesNotContainGlobalFlag(node) {
          if ((node.type === utils_1.AST_NODE_TYPES.CallExpression || node.type === utils_1.AST_NODE_TYPES.NewExpression) && node.callee.type === utils_1.AST_NODE_TYPES.Identifier && node.callee.name === "RegExp") {
            const flags = node.arguments.at(1);
            return !(flags?.type === utils_1.AST_NODE_TYPES.Literal && typeof flags.value === "string" && flags.value.includes("g"));
          }
          return false;
        }
        return {
          "CallExpression[arguments.length=1] > MemberExpression.callee[property.name='match'][computed=false]"(memberNode) {
            const objectNode = memberNode.object;
            const callNode = memberNode.parent;
            const [argumentNode] = callNode.arguments;
            const argumentValue = (0, util_1.getStaticValue)(argumentNode, globalScope);
            if (!isStringType(services.getTypeAtLocation(objectNode))) {
              return;
            }
            if (!argumentValue && !definitelyDoesNotContainGlobalFlag(argumentNode) || argumentValue && argumentValue.value instanceof RegExp && argumentValue.value.flags.includes("g")) {
              return;
            }
            if (argumentNode.type === utils_1.AST_NODE_TYPES.Literal && typeof argumentNode.value === "string") {
              let regExp;
              try {
                regExp = RegExp(argumentNode.value);
              } catch {
                return;
              }
              return context.report({
                node: memberNode.property,
                messageId: "regExpExecOverStringMatch",
                fix: (0, util_1.getWrappingFixer)({
                  sourceCode: context.sourceCode,
                  node: callNode,
                  innerNode: [objectNode],
                  wrap: (objectCode) => `${regExp.toString()}.exec(${objectCode})`
                })
              });
            }
            const argumentType = services.getTypeAtLocation(argumentNode);
            const argumentTypes = collectArgumentTypes(tsutils.unionTypeParts(argumentType));
            switch (argumentTypes) {
              case ArgumentType.RegExp:
                return context.report({
                  node: memberNode.property,
                  messageId: "regExpExecOverStringMatch",
                  fix: (0, util_1.getWrappingFixer)({
                    sourceCode: context.sourceCode,
                    node: callNode,
                    innerNode: [objectNode, argumentNode],
                    wrap: (objectCode, argumentCode) => `${argumentCode}.exec(${objectCode})`
                  })
                });
              case ArgumentType.String:
                return context.report({
                  node: memberNode.property,
                  messageId: "regExpExecOverStringMatch",
                  fix: (0, util_1.getWrappingFixer)({
                    sourceCode: context.sourceCode,
                    node: callNode,
                    innerNode: [objectNode, argumentNode],
                    wrap: (objectCode, argumentCode) => `RegExp(${argumentCode}).exec(${objectCode})`
                  })
                });
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-return-this-type.js
var require_prefer_return_this_type2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-return-this-type.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-return-this-type",
      defaultOptions: [],
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce that `this` is used when only `this` type is returned",
          recommended: "strict",
          requiresTypeChecking: true
        },
        messages: {
          useThisType: "Use `this` type instead."
        },
        schema: [],
        fixable: "code"
      },
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function tryGetNameInType(name, typeNode) {
          if (typeNode.type === utils_1.AST_NODE_TYPES.TSTypeReference && typeNode.typeName.type === utils_1.AST_NODE_TYPES.Identifier && typeNode.typeName.name === name) {
            return typeNode;
          }
          if (typeNode.type === utils_1.AST_NODE_TYPES.TSUnionType) {
            for (const type of typeNode.types) {
              const found = tryGetNameInType(name, type);
              if (found) {
                return found;
              }
            }
          }
          return void 0;
        }
        function isThisSpecifiedInParameters(originalFunc) {
          const firstArg = originalFunc.params.at(0);
          return !!(firstArg?.type === utils_1.AST_NODE_TYPES.Identifier && firstArg.name === "this");
        }
        function isFunctionReturningThis(originalFunc, originalClass) {
          if (isThisSpecifiedInParameters(originalFunc)) {
            return false;
          }
          const func = services.esTreeNodeToTSNodeMap.get(originalFunc);
          if (!func.body) {
            return false;
          }
          const classType = services.getTypeAtLocation(originalClass);
          if (func.body.kind !== ts.SyntaxKind.Block) {
            const type = checker.getTypeAtLocation(func.body);
            return classType.thisType === type;
          }
          let hasReturnThis = false;
          let hasReturnClassType = false;
          (0, util_1.forEachReturnStatement)(func.body, (stmt) => {
            const expr = stmt.expression;
            if (!expr) {
              return;
            }
            if (expr.kind === ts.SyntaxKind.ThisKeyword) {
              hasReturnThis = true;
              return;
            }
            const type = checker.getTypeAtLocation(expr);
            if (classType === type) {
              hasReturnClassType = true;
              return true;
            }
            if (classType.thisType === type) {
              hasReturnThis = true;
              return;
            }
            return;
          });
          return !hasReturnClassType && hasReturnThis;
        }
        function checkFunction(originalFunc, originalClass) {
          const className = originalClass.id?.name;
          if (!className || !originalFunc.returnType) {
            return;
          }
          const node = tryGetNameInType(className, originalFunc.returnType.typeAnnotation);
          if (!node) {
            return;
          }
          if (isFunctionReturningThis(originalFunc, originalClass)) {
            context.report({
              node,
              messageId: "useThisType",
              fix: (fixer) => fixer.replaceText(node, "this")
            });
          }
        }
        return {
          "ClassBody > MethodDefinition"(node) {
            checkFunction(node.value, node.parent.parent);
          },
          "ClassBody > PropertyDefinition"(node) {
            if (!(node.value?.type === utils_1.AST_NODE_TYPES.FunctionExpression || node.value?.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression)) {
              return;
            }
            checkFunction(node.value, node.parent.parent);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-string-starts-ends-with.js
var require_prefer_string_starts_ends_with2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-string-starts-ends-with.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var regexpp_1 = require_regexpp();
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var EQ_OPERATORS = /^[=!]=/;
    var regexpp = new regexpp_1.RegExpParser();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-string-starts-ends-with",
      defaultOptions: [{ allowSingleElementEquality: "never" }],
      meta: {
        type: "suggestion",
        docs: {
          description: "Enforce using `String#startsWith` and `String#endsWith` over other equivalent methods of checking substrings",
          recommended: "stylistic",
          requiresTypeChecking: true
        },
        messages: {
          preferStartsWith: "Use 'String#startsWith' method instead.",
          preferEndsWith: "Use the 'String#endsWith' method instead."
        },
        schema: [
          {
            additionalProperties: false,
            properties: {
              allowSingleElementEquality: {
                description: "Whether to allow equality checks against the first or last element of a string.",
                enum: ["always", "never"],
                type: "string"
              }
            },
            type: "object"
          }
        ],
        fixable: "code"
      },
      create(context, [{ allowSingleElementEquality }]) {
        const globalScope = context.sourceCode.getScope(context.sourceCode.ast);
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function isStringType(node) {
          const objectType2 = services.getTypeAtLocation(node);
          return (0, util_1.getTypeName)(checker, objectType2) === "string";
        }
        function isNull(node) {
          const evaluated = (0, util_1.getStaticValue)(node, globalScope);
          return evaluated != null && evaluated.value == null;
        }
        function isNumber2(node, value) {
          const evaluated = (0, util_1.getStaticValue)(node, globalScope);
          return evaluated != null && evaluated.value === value;
        }
        function isCharacter(node) {
          const evaluated = (0, util_1.getStaticValue)(node, globalScope);
          return evaluated != null && typeof evaluated.value === "string" && // checks if the string is a character long
          evaluated.value[0] === evaluated.value;
        }
        function isEqualityComparison(node) {
          return node.type === utils_1.AST_NODE_TYPES.BinaryExpression && EQ_OPERATORS.test(node.operator);
        }
        function isSameTokens(node1, node2) {
          const tokens1 = context.sourceCode.getTokens(node1);
          const tokens2 = context.sourceCode.getTokens(node2);
          if (tokens1.length !== tokens2.length) {
            return false;
          }
          for (let i = 0; i < tokens1.length; ++i) {
            const token1 = tokens1[i];
            const token2 = tokens2[i];
            if (token1.type !== token2.type || token1.value !== token2.value) {
              return false;
            }
          }
          return true;
        }
        function isLengthExpression(node, expectedObjectNode) {
          if (node.type === utils_1.AST_NODE_TYPES.MemberExpression) {
            return (0, util_1.getPropertyName)(node, globalScope) === "length" && isSameTokens(node.object, expectedObjectNode);
          }
          const evaluatedLength = (0, util_1.getStaticValue)(node, globalScope);
          const evaluatedString = (0, util_1.getStaticValue)(expectedObjectNode, globalScope);
          return evaluatedLength != null && evaluatedString != null && typeof evaluatedLength.value === "number" && typeof evaluatedString.value === "string" && evaluatedLength.value === evaluatedString.value.length;
        }
        function isLengthAheadOfEnd(node, substring, parentString) {
          return node.type === utils_1.AST_NODE_TYPES.UnaryExpression && node.operator === "-" && isLengthExpression(node.argument, substring) || node.type === utils_1.AST_NODE_TYPES.BinaryExpression && node.operator === "-" && isLengthExpression(node.left, parentString) && isLengthExpression(node.right, substring);
        }
        function isLastIndexExpression(node, expectedObjectNode) {
          return node.type === utils_1.AST_NODE_TYPES.BinaryExpression && node.operator === "-" && isLengthExpression(node.left, expectedObjectNode) && isNumber2(node.right, 1);
        }
        function getPropertyRange(node) {
          const dotOrOpenBracket = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.object, util_1.isNotClosingParenToken), util_1.NullThrowsReasons.MissingToken("closing parenthesis", "member"));
          return [dotOrOpenBracket.range[0], node.range[1]];
        }
        function parseRegExpText(pattern, unicode) {
          const ast = regexpp.parsePattern(pattern, void 0, void 0, {
            unicode
          });
          if (ast.alternatives.length !== 1) {
            return null;
          }
          const chars = ast.alternatives[0].elements;
          const first = chars[0];
          if (first.type === "Assertion" && first.kind === "start") {
            chars.shift();
          } else {
            chars.pop();
          }
          if (!chars.every((c) => c.type === "Character")) {
            return null;
          }
          return String.fromCodePoint(...chars.map((c) => c.value));
        }
        function parseRegExp2(node) {
          const evaluated = (0, util_1.getStaticValue)(node, globalScope);
          if (evaluated == null || !(evaluated.value instanceof RegExp)) {
            return null;
          }
          const { source, flags } = evaluated.value;
          const isStartsWith = source.startsWith("^");
          const isEndsWith = source.endsWith("$");
          if (isStartsWith === isEndsWith || flags.includes("i") || flags.includes("m")) {
            return null;
          }
          const text = parseRegExpText(source, flags.includes("u"));
          if (text == null) {
            return null;
          }
          return { isEndsWith, isStartsWith, text };
        }
        function getLeftNode(node) {
          if (node.type === utils_1.AST_NODE_TYPES.ChainExpression) {
            return getLeftNode(node.expression);
          }
          let leftNode;
          if (node.type === utils_1.AST_NODE_TYPES.CallExpression) {
            leftNode = node.callee;
          } else {
            leftNode = node;
          }
          if (leftNode.type !== utils_1.AST_NODE_TYPES.MemberExpression) {
            throw new Error(`Expected a MemberExpression, got ${leftNode.type}`);
          }
          return leftNode;
        }
        function* fixWithRightOperand(fixer, node, kind, isNegative2, isOptional) {
          const leftNode = getLeftNode(node.left);
          const propertyRange = getPropertyRange(leftNode);
          if (isNegative2) {
            yield fixer.insertTextBefore(node, "!");
          }
          yield fixer.replaceTextRange([propertyRange[0], node.right.range[0]], `${isOptional ? "?." : "."}${kind}sWith(`);
          yield fixer.replaceTextRange([node.right.range[1], node.range[1]], ")");
        }
        function* fixWithArgument(fixer, node, callNode, calleeNode, kind, negative, isOptional) {
          if (negative) {
            yield fixer.insertTextBefore(node, "!");
          }
          yield fixer.replaceTextRange(getPropertyRange(calleeNode), `${isOptional ? "?." : "."}${kind}sWith`);
          yield fixer.removeRange([callNode.range[1], node.range[1]]);
        }
        function getParent(node) {
          return (0, util_1.nullThrows)(node.parent?.type === utils_1.AST_NODE_TYPES.ChainExpression ? node.parent.parent : node.parent, util_1.NullThrowsReasons.MissingParent);
        }
        return {
          // foo[0] === "a"
          // foo.charAt(0) === "a"
          // foo[foo.length - 1] === "a"
          // foo.charAt(foo.length - 1) === "a"
          [[
            "BinaryExpression > MemberExpression.left[computed=true]",
            'BinaryExpression > CallExpression.left > MemberExpression.callee[property.name="charAt"][computed=false]',
            "BinaryExpression > ChainExpression.left > MemberExpression[computed=true]",
            'BinaryExpression > ChainExpression.left > CallExpression > MemberExpression.callee[property.name="charAt"][computed=false]'
          ].join(", ")](node) {
            let parentNode = getParent(node);
            let indexNode = null;
            if (parentNode.type === utils_1.AST_NODE_TYPES.CallExpression) {
              if (parentNode.arguments.length === 1) {
                indexNode = parentNode.arguments[0];
              }
              parentNode = getParent(parentNode);
            } else {
              indexNode = node.property;
            }
            if (indexNode == null || !isEqualityComparison(parentNode) || !isStringType(node.object)) {
              return;
            }
            const isEndsWith = isLastIndexExpression(indexNode, node.object);
            if (allowSingleElementEquality === "always" && isEndsWith) {
              return;
            }
            const isStartsWith = !isEndsWith && isNumber2(indexNode, 0);
            if (allowSingleElementEquality === "always" && isStartsWith || !isStartsWith && !isEndsWith) {
              return;
            }
            const eqNode = parentNode;
            context.report({
              node: parentNode,
              messageId: isStartsWith ? "preferStartsWith" : "preferEndsWith",
              fix(fixer) {
                if (!isCharacter(eqNode.right)) {
                  return null;
                }
                return fixWithRightOperand(fixer, eqNode, isStartsWith ? "start" : "end", eqNode.operator.startsWith("!"), node.optional);
              }
            });
          },
          // foo.indexOf('bar') === 0
          [[
            'BinaryExpression > CallExpression.left > MemberExpression.callee[property.name="indexOf"][computed=false]',
            'BinaryExpression > ChainExpression.left > CallExpression > MemberExpression.callee[property.name="indexOf"][computed=false]'
          ].join(", ")](node) {
            const callNode = getParent(node);
            const parentNode = getParent(callNode);
            if (callNode.arguments.length !== 1 || !isEqualityComparison(parentNode) || !isNumber2(parentNode.right, 0) || !isStringType(node.object)) {
              return;
            }
            context.report({
              node: parentNode,
              messageId: "preferStartsWith",
              fix(fixer) {
                return fixWithArgument(fixer, parentNode, callNode, node, "start", parentNode.operator.startsWith("!"), node.optional);
              }
            });
          },
          // foo.lastIndexOf('bar') === foo.length - 3
          // foo.lastIndexOf(bar) === foo.length - bar.length
          [[
            'BinaryExpression > CallExpression.left > MemberExpression.callee[property.name="lastIndexOf"][computed=false]',
            'BinaryExpression > ChainExpression.left > CallExpression > MemberExpression.callee[property.name="lastIndexOf"][computed=false]'
          ].join(", ")](node) {
            const callNode = getParent(node);
            const parentNode = getParent(callNode);
            if (callNode.arguments.length !== 1 || !isEqualityComparison(parentNode) || parentNode.right.type !== utils_1.AST_NODE_TYPES.BinaryExpression || parentNode.right.operator !== "-" || !isLengthExpression(parentNode.right.left, node.object) || !isLengthExpression(parentNode.right.right, callNode.arguments[0]) || !isStringType(node.object)) {
              return;
            }
            context.report({
              node: parentNode,
              messageId: "preferEndsWith",
              fix(fixer) {
                return fixWithArgument(fixer, parentNode, callNode, node, "end", parentNode.operator.startsWith("!"), node.optional);
              }
            });
          },
          // foo.match(/^bar/) === null
          // foo.match(/bar$/) === null
          [[
            'BinaryExpression > CallExpression.left > MemberExpression.callee[property.name="match"][computed=false]',
            'BinaryExpression > ChainExpression.left > CallExpression > MemberExpression.callee[property.name="match"][computed=false]'
          ].join(", ")](node) {
            const callNode = getParent(node);
            const parentNode = getParent(callNode);
            if (!isEqualityComparison(parentNode) || !isNull(parentNode.right) || !isStringType(node.object)) {
              return;
            }
            const parsed = callNode.arguments.length === 1 ? parseRegExp2(callNode.arguments[0]) : null;
            if (parsed == null) {
              return;
            }
            const { isStartsWith, text } = parsed;
            context.report({
              node: callNode,
              messageId: isStartsWith ? "preferStartsWith" : "preferEndsWith",
              *fix(fixer) {
                if (!parentNode.operator.startsWith("!")) {
                  yield fixer.insertTextBefore(parentNode, "!");
                }
                yield fixer.replaceTextRange(getPropertyRange(node), `${node.optional ? "?." : "."}${isStartsWith ? "start" : "end"}sWith`);
                yield fixer.replaceText(callNode.arguments[0], JSON.stringify(text));
                yield fixer.removeRange([callNode.range[1], parentNode.range[1]]);
              }
            });
          },
          // foo.slice(0, 3) === 'bar'
          // foo.slice(-3) === 'bar'
          // foo.slice(-3, foo.length) === 'bar'
          // foo.substring(0, 3) === 'bar'
          // foo.substring(foo.length - 3) === 'bar'
          // foo.substring(foo.length - 3, foo.length) === 'bar'
          [[
            'BinaryExpression > CallExpression.left > MemberExpression.callee[property.name="slice"][computed=false]',
            'BinaryExpression > CallExpression.left > MemberExpression.callee[property.name="substring"][computed=false]',
            'BinaryExpression > ChainExpression.left > CallExpression > MemberExpression.callee[property.name="slice"][computed=false]',
            'BinaryExpression > ChainExpression.left > CallExpression > MemberExpression.callee[property.name="substring"][computed=false]'
          ].join(", ")](node) {
            const callNode = getParent(node);
            const parentNode = getParent(callNode);
            if (!isEqualityComparison(parentNode) || !isStringType(node.object)) {
              return;
            }
            let isEndsWith = false;
            let isStartsWith = false;
            if (callNode.arguments.length === 1) {
              if (
                // foo.slice(-bar.length) === bar
                // foo.slice(foo.length - bar.length) === bar
                isLengthAheadOfEnd(callNode.arguments[0], parentNode.right, node.object)
              ) {
                isEndsWith = true;
              }
            } else if (callNode.arguments.length === 2) {
              if (
                // foo.slice(0, bar.length) === bar
                isNumber2(callNode.arguments[0], 0) && isLengthExpression(callNode.arguments[1], parentNode.right)
              ) {
                isStartsWith = true;
              } else if (
                // foo.slice(foo.length - bar.length, foo.length) === bar
                // foo.slice(foo.length - bar.length, 0) === bar
                // foo.slice(-bar.length, foo.length) === bar
                // foo.slice(-bar.length, 0) === bar
                (isLengthExpression(callNode.arguments[1], node.object) || isNumber2(callNode.arguments[1], 0)) && isLengthAheadOfEnd(callNode.arguments[0], parentNode.right, node.object)
              ) {
                isEndsWith = true;
              }
            }
            if (!isStartsWith && !isEndsWith) {
              return;
            }
            const eqNode = parentNode;
            const negativeIndexSupported = node.property.name === "slice";
            context.report({
              node: parentNode,
              messageId: isStartsWith ? "preferStartsWith" : "preferEndsWith",
              fix(fixer) {
                if (eqNode.operator.length === 2 && (eqNode.right.type !== utils_1.AST_NODE_TYPES.Literal || typeof eqNode.right.value !== "string")) {
                  return null;
                }
                if (isStartsWith) {
                  if (!isLengthExpression(callNode.arguments[1], eqNode.right)) {
                    return null;
                  }
                } else {
                  const posNode = callNode.arguments[0];
                  const posNodeIsAbsolutelyValid = posNode.type === utils_1.AST_NODE_TYPES.BinaryExpression && posNode.operator === "-" && isLengthExpression(posNode.left, node.object) && isLengthExpression(posNode.right, eqNode.right) || negativeIndexSupported && posNode.type === utils_1.AST_NODE_TYPES.UnaryExpression && posNode.operator === "-" && isLengthExpression(posNode.argument, eqNode.right);
                  if (!posNodeIsAbsolutelyValid) {
                    return null;
                  }
                }
                return fixWithRightOperand(fixer, parentNode, isStartsWith ? "start" : "end", parentNode.operator.startsWith("!"), node.optional);
              }
            });
          },
          // /^bar/.test(foo)
          // /bar$/.test(foo)
          'CallExpression > MemberExpression.callee[property.name="test"][computed=false]'(node) {
            const callNode = getParent(node);
            const parsed = callNode.arguments.length === 1 ? parseRegExp2(node.object) : null;
            if (parsed == null) {
              return;
            }
            const { isStartsWith, text } = parsed;
            const messageId4 = isStartsWith ? "preferStartsWith" : "preferEndsWith";
            const methodName = isStartsWith ? "startsWith" : "endsWith";
            context.report({
              node: callNode,
              messageId: messageId4,
              *fix(fixer) {
                const argNode = callNode.arguments[0];
                const needsParen = argNode.type !== utils_1.AST_NODE_TYPES.Literal && argNode.type !== utils_1.AST_NODE_TYPES.TemplateLiteral && argNode.type !== utils_1.AST_NODE_TYPES.Identifier && argNode.type !== utils_1.AST_NODE_TYPES.MemberExpression && argNode.type !== utils_1.AST_NODE_TYPES.CallExpression;
                yield fixer.removeRange([callNode.range[0], argNode.range[0]]);
                if (needsParen) {
                  yield fixer.insertTextBefore(argNode, "(");
                  yield fixer.insertTextAfter(argNode, ")");
                }
                yield fixer.insertTextAfter(argNode, `${node.optional ? "?." : "."}${methodName}(${JSON.stringify(text)}`);
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-ts-expect-error.js
var require_prefer_ts_expect_error2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/prefer-ts-expect-error.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "prefer-ts-expect-error",
      meta: {
        type: "problem",
        deprecated: true,
        replacedBy: ["@typescript-eslint/ban-ts-comment"],
        docs: {
          description: "Enforce using `@ts-expect-error` over `@ts-ignore`"
        },
        fixable: "code",
        messages: {
          preferExpectErrorComment: 'Use "@ts-expect-error" to ensure an error is actually being suppressed.'
        },
        schema: []
      },
      defaultOptions: [],
      create(context) {
        const tsIgnoreRegExpSingleLine = /^\s*\/?\s*@ts-ignore/;
        const tsIgnoreRegExpMultiLine = /^\s*(?:\/|\*)*\s*@ts-ignore/;
        function isLineComment(comment) {
          return comment.type === utils_1.AST_TOKEN_TYPES.Line;
        }
        function getLastCommentLine(comment) {
          if (isLineComment(comment)) {
            return comment.value;
          }
          const commentlines = comment.value.split("\n");
          return commentlines[commentlines.length - 1];
        }
        function isValidTsIgnorePresent(comment) {
          const line = getLastCommentLine(comment);
          return isLineComment(comment) ? tsIgnoreRegExpSingleLine.test(line) : tsIgnoreRegExpMultiLine.test(line);
        }
        return {
          Program() {
            const comments = context.sourceCode.getAllComments();
            comments.forEach((comment) => {
              if (isValidTsIgnorePresent(comment)) {
                const lineCommentRuleFixer = (fixer) => fixer.replaceText(comment, `//${comment.value.replace("@ts-ignore", "@ts-expect-error")}`);
                const blockCommentRuleFixer = (fixer) => fixer.replaceText(comment, `/*${comment.value.replace("@ts-ignore", "@ts-expect-error")}*/`);
                context.report({
                  node: comment,
                  messageId: "preferExpectErrorComment",
                  fix: isLineComment(comment) ? lineCommentRuleFixer : blockCommentRuleFixer
                });
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/promise-function-async.js
var require_promise_function_async2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/promise-function-async.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "promise-function-async",
      meta: {
        type: "suggestion",
        fixable: "code",
        docs: {
          description: "Require any function or method that returns a Promise to be marked async",
          requiresTypeChecking: true
        },
        messages: {
          missingAsync: "Functions that return promises must be async."
        },
        schema: [
          {
            type: "object",
            properties: {
              allowAny: {
                description: "Whether to consider `any` and `unknown` to be Promises.",
                type: "boolean"
              },
              allowedPromiseNames: {
                description: "Any extra names of classes or interfaces to be considered Promises.",
                type: "array",
                items: {
                  type: "string"
                }
              },
              checkArrowFunctions: {
                type: "boolean"
              },
              checkFunctionDeclarations: {
                type: "boolean"
              },
              checkFunctionExpressions: {
                type: "boolean"
              },
              checkMethodDeclarations: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          allowAny: true,
          allowedPromiseNames: [],
          checkArrowFunctions: true,
          checkFunctionDeclarations: true,
          checkFunctionExpressions: true,
          checkMethodDeclarations: true
        }
      ],
      create(context, [{ allowAny, allowedPromiseNames, checkArrowFunctions, checkFunctionDeclarations, checkFunctionExpressions, checkMethodDeclarations }]) {
        const allAllowedPromiseNames = /* @__PURE__ */ new Set([
          "Promise",
          // https://github.com/typescript-eslint/typescript-eslint/issues/5439
          // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
          ...allowedPromiseNames
        ]);
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function validateNode(node) {
          const signatures = services.getTypeAtLocation(node).getCallSignatures();
          if (!signatures.length) {
            return;
          }
          const returnType = checker.getReturnTypeOfSignature(signatures[0]);
          if (!(0, util_1.containsAllTypesByName)(
            returnType,
            // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
            allowAny,
            allAllowedPromiseNames,
            // If no return type is explicitly set, we check if any parts of the return type match a Promise (instead of requiring all to match).
            node.returnType == null
          )) {
            return;
          }
          if (node.parent.type === utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition) {
            return;
          }
          if ((node.parent.type === utils_1.AST_NODE_TYPES.Property || node.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition) && (node.parent.kind === "get" || node.parent.kind === "set")) {
            return;
          }
          if ((0, util_1.isTypeFlagSet)(returnType, ts.TypeFlags.Any | ts.TypeFlags.Unknown)) {
            return context.report({
              messageId: "missingAsync",
              node,
              loc: (0, util_1.getFunctionHeadLoc)(node, context.sourceCode)
            });
          }
          context.report({
            messageId: "missingAsync",
            node,
            loc: (0, util_1.getFunctionHeadLoc)(node, context.sourceCode),
            fix: (fixer) => {
              if (node.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition || node.parent.type === utils_1.AST_NODE_TYPES.Property && node.parent.method) {
                const method = node.parent;
                let keyToken = (0, util_1.nullThrows)(context.sourceCode.getFirstToken(method), util_1.NullThrowsReasons.MissingToken("key token", "method"));
                if (method.type === utils_1.AST_NODE_TYPES.MethodDefinition && method.decorators.length) {
                  const lastDecorator = method.decorators[method.decorators.length - 1];
                  keyToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(lastDecorator), util_1.NullThrowsReasons.MissingToken("key token", "last decorator"));
                }
                while (keyToken.type === utils_1.AST_TOKEN_TYPES.Keyword && keyToken.range[0] < method.key.range[0]) {
                  keyToken = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(keyToken), util_1.NullThrowsReasons.MissingToken("token", "keyword"));
                }
                const insertSpace = !context.sourceCode.isSpaceBetween((0, util_1.nullThrows)(context.sourceCode.getTokenBefore(keyToken), util_1.NullThrowsReasons.MissingToken("token", "keyword")), keyToken);
                let code = "async ";
                if (insertSpace) {
                  code = ` ${code}`;
                }
                return fixer.insertTextBefore(keyToken, code);
              }
              return fixer.insertTextBefore(node, "async ");
            }
          });
        }
        return {
          ...checkArrowFunctions && {
            "ArrowFunctionExpression[async = false]"(node) {
              validateNode(node);
            }
          },
          ...checkFunctionDeclarations && {
            "FunctionDeclaration[async = false]"(node) {
              validateNode(node);
            }
          },
          "FunctionExpression[async = false]"(node) {
            if (node.parent.type === utils_1.AST_NODE_TYPES.MethodDefinition && node.parent.kind === "method") {
              if (checkMethodDeclarations) {
                validateNode(node);
              }
              return;
            }
            if (checkFunctionExpressions) {
              validateNode(node);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/quotes.js
var require_quotes4 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/quotes.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("quotes");
    exports2.default = (0, util_1.createRule)({
      name: "quotes",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/quotes"],
        type: "layout",
        docs: {
          description: "Enforce the consistent use of either backticks, double, or single quotes",
          extendsBaseRule: true
        },
        fixable: "code",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        messages: baseRule2.meta.messages,
        schema: baseRule2.meta.schema
      },
      defaultOptions: [
        "double",
        {
          allowTemplateLiterals: false,
          avoidEscape: false
        }
      ],
      create(context, [option]) {
        const rules = baseRule2.create(context);
        function isAllowedAsNonBacktick(node) {
          const parent = node.parent;
          switch (parent.type) {
            case utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition:
            case utils_1.AST_NODE_TYPES.TSMethodSignature:
            case utils_1.AST_NODE_TYPES.TSPropertySignature:
            case utils_1.AST_NODE_TYPES.TSModuleDeclaration:
            case utils_1.AST_NODE_TYPES.TSLiteralType:
            case utils_1.AST_NODE_TYPES.TSExternalModuleReference:
              return true;
            case utils_1.AST_NODE_TYPES.TSEnumMember:
              return node === parent.id;
            case utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition:
            case utils_1.AST_NODE_TYPES.PropertyDefinition:
              return node === parent.key;
            default:
              return false;
          }
        }
        return {
          Literal(node) {
            if (option === "backtick" && isAllowedAsNonBacktick(node)) {
              return;
            }
            rules.Literal(node);
          },
          TemplateLiteral(node) {
            rules.TemplateLiteral(node);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/require-array-sort-compare.js
var require_require_array_sort_compare2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/require-array-sort-compare.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "require-array-sort-compare",
      defaultOptions: [
        {
          ignoreStringArrays: true
        }
      ],
      meta: {
        type: "problem",
        docs: {
          description: "Require `Array#sort` and `Array#toSorted` calls to always provide a `compareFunction`",
          requiresTypeChecking: true
        },
        messages: {
          requireCompare: "Require 'compare' argument."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              ignoreStringArrays: {
                description: "Whether to ignore arrays in which all elements are strings.",
                type: "boolean"
              }
            }
          }
        ]
      },
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function isStringArrayNode(node) {
          const type = services.getTypeAtLocation(node);
          if (checker.isArrayType(type) || checker.isTupleType(type)) {
            const typeArgs = checker.getTypeArguments(type);
            return typeArgs.every((arg) => (0, util_1.getTypeName)(checker, arg) === "string");
          }
          return false;
        }
        function checkSortArgument(callee) {
          const calleeObjType = (0, util_1.getConstrainedTypeAtLocation)(services, callee.object);
          if (options.ignoreStringArrays && isStringArrayNode(callee.object)) {
            return;
          }
          if ((0, util_1.isTypeArrayTypeOrUnionOfArrayTypes)(calleeObjType, checker)) {
            context.report({ node: callee.parent, messageId: "requireCompare" });
          }
        }
        return {
          "CallExpression[arguments.length=0] > MemberExpression[property.name='sort'][computed=false]": checkSortArgument,
          "CallExpression[arguments.length=0] > MemberExpression[property.name='toSorted'][computed=false]": checkSortArgument
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/require-await.js
var require_require_await2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/require-await.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "require-await",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow async functions which do not return promises and have no `await` expression",
          recommended: "recommended",
          requiresTypeChecking: true,
          extendsBaseRule: true
        },
        schema: [],
        messages: {
          missingAwait: "{{name}} has no 'await' expression."
        }
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        let scopeInfo = null;
        function enterFunction(node) {
          scopeInfo = {
            upper: scopeInfo,
            hasAwait: false,
            hasAsync: node.async,
            isGen: node.generator || false,
            isAsyncYield: false
          };
        }
        function exitFunction(node) {
          if (!scopeInfo) {
            return;
          }
          if (node.async && !scopeInfo.hasAwait && !isEmptyFunction(node) && !(scopeInfo.isGen && scopeInfo.isAsyncYield)) {
            context.report({
              node,
              loc: (0, util_1.getFunctionHeadLoc)(node, context.sourceCode),
              messageId: "missingAwait",
              data: {
                name: (0, util_1.upperCaseFirst)((0, util_1.getFunctionNameWithKind)(node))
              }
            });
          }
          scopeInfo = scopeInfo.upper;
        }
        function isThenableType(node) {
          const type = checker.getTypeAtLocation(node);
          return tsutils.isThenableType(checker, node, type);
        }
        function markAsHasAwait() {
          if (!scopeInfo) {
            return;
          }
          scopeInfo.hasAwait = true;
        }
        function visitYieldExpression(node) {
          if (!scopeInfo?.isGen || !node.argument) {
            return;
          }
          if (node.argument.type === utils_1.AST_NODE_TYPES.Literal) {
            return;
          }
          if (!node.delegate) {
            if (isThenableType(services.esTreeNodeToTSNodeMap.get(node.argument))) {
              scopeInfo.isAsyncYield = true;
            }
            return;
          }
          const type = services.getTypeAtLocation(node.argument);
          const typesToCheck = expandUnionOrIntersectionType(type);
          for (const type2 of typesToCheck) {
            const asyncIterator = tsutils.getWellKnownSymbolPropertyOfType(type2, "asyncIterator", checker);
            if (asyncIterator !== void 0) {
              scopeInfo.isAsyncYield = true;
              break;
            }
          }
        }
        return {
          FunctionDeclaration: enterFunction,
          FunctionExpression: enterFunction,
          ArrowFunctionExpression: enterFunction,
          "FunctionDeclaration:exit": exitFunction,
          "FunctionExpression:exit": exitFunction,
          "ArrowFunctionExpression:exit": exitFunction,
          AwaitExpression: markAsHasAwait,
          'VariableDeclaration[kind = "await using"]': markAsHasAwait,
          "ForOfStatement[await = true]": markAsHasAwait,
          YieldExpression: visitYieldExpression,
          // check body-less async arrow function.
          // ignore `async () => await foo` because it's obviously correct
          "ArrowFunctionExpression[async = true] > :not(BlockStatement, AwaitExpression)"(node) {
            const expression = services.esTreeNodeToTSNodeMap.get(node);
            if (isThenableType(expression)) {
              markAsHasAwait();
            }
          },
          ReturnStatement(node) {
            if (!scopeInfo || scopeInfo.hasAwait || !scopeInfo.hasAsync) {
              return;
            }
            const { expression } = services.esTreeNodeToTSNodeMap.get(node);
            if (expression && isThenableType(expression)) {
              markAsHasAwait();
            }
          }
        };
      }
    });
    function isEmptyFunction(node) {
      return node.body.type === utils_1.AST_NODE_TYPES.BlockStatement && node.body.body.length === 0;
    }
    function expandUnionOrIntersectionType(type) {
      if (type.isUnionOrIntersection()) {
        return type.types.flatMap(expandUnionOrIntersectionType);
      }
      return [type];
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/restrict-plus-operands.js
var require_restrict_plus_operands2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/restrict-plus-operands.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "restrict-plus-operands",
      meta: {
        type: "problem",
        docs: {
          description: "Require both operands of addition to be the same type and be `bigint`, `number`, or `string`",
          recommended: {
            recommended: true,
            strict: [
              {
                allowAny: false,
                allowBoolean: false,
                allowNullish: false,
                allowNumberAndString: false,
                allowRegExp: false
              }
            ]
          },
          requiresTypeChecking: true
        },
        messages: {
          bigintAndNumber: "Numeric '+' operations must either be both bigints or both numbers. Got `{{left}}` + `{{right}}`.",
          invalid: "Invalid operand for a '+' operation. Operands must each be a number or {{stringLike}}. Got `{{type}}`.",
          mismatched: "Operands of '+' operations must be a number or {{stringLike}}. Got `{{left}}` + `{{right}}`."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              allowAny: {
                description: "Whether to allow `any` typed values.",
                type: "boolean"
              },
              allowBoolean: {
                description: "Whether to allow `boolean` typed values.",
                type: "boolean"
              },
              allowNullish: {
                description: "Whether to allow potentially `null` or `undefined` typed values.",
                type: "boolean"
              },
              allowNumberAndString: {
                description: "Whether to allow `bigint`/`number` typed values and `string` typed values to be added together.",
                type: "boolean"
              },
              allowRegExp: {
                description: "Whether to allow `regexp` typed values.",
                type: "boolean"
              },
              skipCompoundAssignments: {
                description: "Whether to skip compound assignments such as `+=`.",
                type: "boolean"
              }
            }
          }
        ]
      },
      defaultOptions: [
        {
          allowAny: true,
          allowBoolean: true,
          allowNullish: true,
          allowNumberAndString: true,
          allowRegExp: true,
          skipCompoundAssignments: false
        }
      ],
      create(context, [{ allowAny, allowBoolean, allowNullish, allowNumberAndString, allowRegExp, skipCompoundAssignments }]) {
        const services = (0, util_1.getParserServices)(context);
        const typeChecker = services.program.getTypeChecker();
        const stringLikes = [
          allowAny && "`any`",
          allowBoolean && "`boolean`",
          allowNullish && "`null`",
          allowRegExp && "`RegExp`",
          allowNullish && "`undefined`"
        ].filter((value) => typeof value === "string");
        const stringLike = stringLikes.length ? stringLikes.length === 1 ? `string, allowing a string + ${stringLikes[0]}` : `string, allowing a string + any of: ${stringLikes.join(", ")}` : "string";
        function getTypeConstrained(node) {
          return typeChecker.getBaseTypeOfLiteralType((0, util_1.getConstrainedTypeAtLocation)(services, node));
        }
        function checkPlusOperands(node) {
          const leftType = getTypeConstrained(node.left);
          const rightType = getTypeConstrained(node.right);
          if (leftType === rightType && tsutils.isTypeFlagSet(leftType, ts.TypeFlags.BigIntLike | ts.TypeFlags.NumberLike | ts.TypeFlags.StringLike)) {
            return;
          }
          let hadIndividualComplaint = false;
          for (const [baseNode, baseType, otherType] of [
            [node.left, leftType, rightType],
            [node.right, rightType, leftType]
          ]) {
            if (isTypeFlagSetInUnion(baseType, ts.TypeFlags.ESSymbolLike | ts.TypeFlags.Never | ts.TypeFlags.Unknown) || !allowAny && isTypeFlagSetInUnion(baseType, ts.TypeFlags.Any) || !allowBoolean && isTypeFlagSetInUnion(baseType, ts.TypeFlags.BooleanLike) || !allowNullish && (0, util_1.isTypeFlagSet)(baseType, ts.TypeFlags.Null | ts.TypeFlags.Undefined)) {
              context.report({
                data: {
                  stringLike,
                  type: typeChecker.typeToString(baseType)
                },
                messageId: "invalid",
                node: baseNode
              });
              hadIndividualComplaint = true;
              continue;
            }
            for (const subBaseType of tsutils.unionTypeParts(baseType)) {
              const typeName = (0, util_1.getTypeName)(typeChecker, subBaseType);
              if (typeName === "RegExp" ? !allowRegExp || tsutils.isTypeFlagSet(otherType, ts.TypeFlags.NumberLike) : !allowAny && (0, util_1.isTypeAnyType)(subBaseType) || isDeeplyObjectType(subBaseType)) {
                context.report({
                  data: {
                    stringLike,
                    type: typeChecker.typeToString(subBaseType)
                  },
                  messageId: "invalid",
                  node: baseNode
                });
                hadIndividualComplaint = true;
                continue;
              }
            }
          }
          if (hadIndividualComplaint) {
            return;
          }
          for (const [baseType, otherType] of [
            [leftType, rightType],
            [rightType, leftType]
          ]) {
            if (!allowNumberAndString && isTypeFlagSetInUnion(baseType, ts.TypeFlags.StringLike) && isTypeFlagSetInUnion(otherType, ts.TypeFlags.NumberLike)) {
              return context.report({
                data: {
                  stringLike,
                  left: typeChecker.typeToString(leftType),
                  right: typeChecker.typeToString(rightType)
                },
                messageId: "mismatched",
                node
              });
            }
            if (isTypeFlagSetInUnion(baseType, ts.TypeFlags.NumberLike) && isTypeFlagSetInUnion(otherType, ts.TypeFlags.BigIntLike)) {
              return context.report({
                data: {
                  left: typeChecker.typeToString(leftType),
                  right: typeChecker.typeToString(rightType)
                },
                messageId: "bigintAndNumber",
                node
              });
            }
          }
        }
        return {
          "BinaryExpression[operator='+']": checkPlusOperands,
          ...!skipCompoundAssignments && {
            "AssignmentExpression[operator='+=']"(node) {
              checkPlusOperands(node);
            }
          }
        };
      }
    });
    function isDeeplyObjectType(type) {
      return type.isIntersection() ? tsutils.intersectionTypeParts(type).every(tsutils.isObjectType) : tsutils.unionTypeParts(type).every(tsutils.isObjectType);
    }
    function isTypeFlagSetInUnion(type, flag) {
      return tsutils.unionTypeParts(type).some((subType) => tsutils.isTypeFlagSet(subType, flag));
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/restrict-template-expressions.js
var require_restrict_template_expressions2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/restrict-template-expressions.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var typescript_1 = require_typescript3();
    var util_1 = require_util7();
    var testTypeFlag = (flagsToCheck) => (type) => (0, util_1.isTypeFlagSet)(type, flagsToCheck);
    var optionTesters = [
      ["Any", util_1.isTypeAnyType],
      [
        "Array",
        (type, checker, recursivelyCheckType) => (checker.isArrayType(type) || checker.isTupleType(type)) && // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
        recursivelyCheckType(type.getNumberIndexType())
      ],
      // eslint-disable-next-line @typescript-eslint/internal/prefer-ast-types-enum
      ["Boolean", testTypeFlag(typescript_1.TypeFlags.BooleanLike)],
      ["Nullish", testTypeFlag(typescript_1.TypeFlags.Null | typescript_1.TypeFlags.Undefined)],
      ["Number", testTypeFlag(typescript_1.TypeFlags.NumberLike | typescript_1.TypeFlags.BigIntLike)],
      [
        "RegExp",
        (type, checker) => (0, util_1.getTypeName)(checker, type) === "RegExp"
      ],
      ["Never", util_1.isTypeNeverType]
    ].map(([type, tester]) => ({
      type,
      option: `allow${type}`,
      tester
    }));
    exports2.default = (0, util_1.createRule)({
      name: "restrict-template-expressions",
      meta: {
        type: "problem",
        docs: {
          description: "Enforce template literal expressions to be of `string` type",
          recommended: {
            recommended: true,
            strict: [
              {
                allowAny: false,
                allowBoolean: false,
                allowNullish: false,
                allowNumber: false,
                allowRegExp: false,
                allowNever: false
              }
            ]
          },
          requiresTypeChecking: true
        },
        messages: {
          invalidType: 'Invalid type "{{type}}" of template literal expression.'
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: Object.fromEntries(optionTesters.map(({ option, type }) => [
              option,
              {
                description: `Whether to allow \`${type.toLowerCase()}\` typed values in template expressions.`,
                type: "boolean"
              }
            ]))
          }
        ]
      },
      defaultOptions: [
        {
          allowAny: true,
          allowBoolean: true,
          allowNullish: true,
          allowNumber: true,
          allowRegExp: true
        }
      ],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const enabledOptionTesters = optionTesters.filter(({ option }) => options[option]);
        return {
          TemplateLiteral(node) {
            if (node.parent.type === utils_1.AST_NODE_TYPES.TaggedTemplateExpression) {
              return;
            }
            for (const expression of node.expressions) {
              const expressionType = (0, util_1.getConstrainedTypeAtLocation)(services, expression);
              if (!recursivelyCheckType(expressionType)) {
                context.report({
                  node: expression,
                  messageId: "invalidType",
                  data: { type: checker.typeToString(expressionType) }
                });
              }
            }
          }
        };
        function recursivelyCheckType(innerType) {
          if (innerType.isUnion()) {
            return innerType.types.every(recursivelyCheckType);
          }
          if (innerType.isIntersection()) {
            return innerType.types.some(recursivelyCheckType);
          }
          return (0, util_1.isTypeFlagSet)(innerType, typescript_1.TypeFlags.StringLike) || enabledOptionTesters.some(({ tester }) => tester(innerType, checker, recursivelyCheckType));
        }
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/return-await.js
var require_return_await2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/return-await.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    var getOperatorPrecedence_1 = require_getOperatorPrecedence2();
    exports2.default = (0, util_1.createRule)({
      name: "return-await",
      meta: {
        docs: {
          description: "Enforce consistent awaiting of returned promises",
          requiresTypeChecking: true,
          extendsBaseRule: "no-return-await"
        },
        fixable: "code",
        hasSuggestions: true,
        type: "problem",
        messages: {
          nonPromiseAwait: "Returning an awaited value that is not a promise is not allowed.",
          disallowedPromiseAwait: "Returning an awaited promise is not allowed in this context.",
          requiredPromiseAwait: "Returning an awaited promise is required in this context.",
          requiredPromiseAwaitSuggestion: "Add `await` before the expression. Use caution as this may impact control flow.",
          disallowedPromiseAwaitSuggestion: "Remove `await` before the expression. Use caution as this may impact control flow."
        },
        schema: [
          {
            type: "string",
            enum: ["in-try-catch", "always", "never"]
          }
        ]
      },
      defaultOptions: ["in-try-catch"],
      create(context, [option]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const scopeInfoStack = [];
        function enterFunction(node) {
          scopeInfoStack.push({
            hasAsync: node.async,
            owningFunc: node
          });
        }
        function exitFunction() {
          scopeInfoStack.pop();
        }
        function affectsExplicitResourceManagement(node) {
          let scope = context.sourceCode.getScope(node);
          const functionScope = scope.variableScope;
          while (true) {
            for (const variable of scope.variables) {
              if (variable.defs.length !== 1) {
                continue;
              }
              const declaration = variable.defs[0];
              const declaratorNode = declaration.node;
              const declarationNode = declaratorNode.parent;
              if (["using", "await using"].includes(declarationNode.kind) && declaratorNode.range[1] < node.range[0]) {
                return true;
              }
            }
            if (scope === functionScope) {
              break;
            }
            scope = (0, util_1.nullThrows)(scope.upper, "Expected parent scope to exist. return-await should only operate on return statements within functions");
          }
          return false;
        }
        function affectsExplicitErrorHandling(node) {
          const tryAncestorResult = findContainingTryStatement(node);
          if (tryAncestorResult == null) {
            return false;
          }
          const { tryStatement, block } = tryAncestorResult;
          switch (block) {
            case "try":
              return true;
            case "catch":
              if (tryStatement.finallyBlock != null) {
                return true;
              }
              return affectsExplicitErrorHandling(tryStatement);
            case "finally":
              return affectsExplicitErrorHandling(tryStatement);
            default: {
              const __never = block;
              throw new Error(`Unexpected block type: ${String(__never)}`);
            }
          }
        }
        function findContainingTryStatement(node) {
          let child = node;
          let ancestor = node.parent;
          while (ancestor && !ts.isFunctionLike(ancestor)) {
            if (ts.isTryStatement(ancestor)) {
              let block;
              if (child === ancestor.tryBlock) {
                block = "try";
              } else if (child === ancestor.catchClause) {
                block = "catch";
              } else if (child === ancestor.finallyBlock) {
                block = "finally";
              }
              return {
                tryStatement: ancestor,
                block: (0, util_1.nullThrows)(block, "Child of a try statement must be a try block, catch clause, or finally block")
              };
            }
            child = ancestor;
            ancestor = ancestor.parent;
          }
          return void 0;
        }
        function removeAwait(fixer, node) {
          if (!(0, util_1.isAwaitExpression)(node)) {
            return null;
          }
          const awaitToken = context.sourceCode.getFirstToken(node, util_1.isAwaitKeyword);
          if (!awaitToken) {
            return null;
          }
          const startAt = awaitToken.range[0];
          let endAt = awaitToken.range[1];
          const nextToken = context.sourceCode.getTokenAfter(awaitToken, {
            includeComments: true
          });
          if (nextToken) {
            endAt = nextToken.range[0];
          }
          return fixer.removeRange([startAt, endAt]);
        }
        function insertAwait(fixer, node, isHighPrecendence) {
          if (isHighPrecendence) {
            return fixer.insertTextBefore(node, "await ");
          }
          return [
            fixer.insertTextBefore(node, "await ("),
            fixer.insertTextAfter(node, ")")
          ];
        }
        function isHigherPrecedenceThanAwait(node) {
          const operator = ts.isBinaryExpression(node) ? node.operatorToken.kind : ts.SyntaxKind.Unknown;
          const nodePrecedence = (0, getOperatorPrecedence_1.getOperatorPrecedence)(node.kind, operator);
          const awaitPrecedence = (0, getOperatorPrecedence_1.getOperatorPrecedence)(ts.SyntaxKind.AwaitExpression, ts.SyntaxKind.Unknown);
          return nodePrecedence > awaitPrecedence;
        }
        function test(node, expression) {
          let child;
          const isAwait = ts.isAwaitExpression(expression);
          if (isAwait) {
            child = expression.getChildAt(1);
          } else {
            child = expression;
          }
          const type = checker.getTypeAtLocation(child);
          const isThenable = tsutils.isThenableType(checker, expression, type);
          if (!isAwait && !isThenable) {
            return;
          }
          if (isAwait && !isThenable) {
            const useAutoFix2 = !((0, util_1.isTypeAnyType)(type) || (0, util_1.isTypeUnknownType)(type));
            context.report({
              messageId: "nonPromiseAwait",
              node,
              ...fixOrSuggest(useAutoFix2, {
                messageId: "nonPromiseAwait",
                fix: (fixer) => removeAwait(fixer, node)
              })
            });
            return;
          }
          const affectsErrorHandling = affectsExplicitErrorHandling(expression) || affectsExplicitResourceManagement(node);
          const useAutoFix = !affectsErrorHandling;
          if (option === "always") {
            if (!isAwait && isThenable) {
              context.report({
                messageId: "requiredPromiseAwait",
                node,
                ...fixOrSuggest(useAutoFix, {
                  messageId: "requiredPromiseAwaitSuggestion",
                  fix: (fixer) => insertAwait(fixer, node, isHigherPrecedenceThanAwait(expression))
                })
              });
            }
            return;
          }
          if (option === "never") {
            if (isAwait) {
              context.report({
                messageId: "disallowedPromiseAwait",
                node,
                ...fixOrSuggest(useAutoFix, {
                  messageId: "disallowedPromiseAwaitSuggestion",
                  fix: (fixer) => removeAwait(fixer, node)
                })
              });
            }
            return;
          }
          if (option === "in-try-catch") {
            if (isAwait && !affectsErrorHandling) {
              context.report({
                messageId: "disallowedPromiseAwait",
                node,
                ...fixOrSuggest(useAutoFix, {
                  messageId: "disallowedPromiseAwaitSuggestion",
                  fix: (fixer) => removeAwait(fixer, node)
                })
              });
            } else if (!isAwait && affectsErrorHandling) {
              context.report({
                messageId: "requiredPromiseAwait",
                node,
                ...fixOrSuggest(useAutoFix, {
                  messageId: "requiredPromiseAwaitSuggestion",
                  fix: (fixer) => insertAwait(fixer, node, isHigherPrecedenceThanAwait(expression))
                })
              });
            }
            return;
          }
        }
        function findPossiblyReturnedNodes(node) {
          if (node.type === utils_1.AST_NODE_TYPES.ConditionalExpression) {
            return [
              ...findPossiblyReturnedNodes(node.alternate),
              ...findPossiblyReturnedNodes(node.consequent)
            ];
          }
          return [node];
        }
        return {
          FunctionDeclaration: enterFunction,
          FunctionExpression: enterFunction,
          ArrowFunctionExpression: enterFunction,
          "FunctionDeclaration:exit": exitFunction,
          "FunctionExpression:exit": exitFunction,
          "ArrowFunctionExpression:exit": exitFunction,
          // executes after less specific handler, so exitFunction is called
          "ArrowFunctionExpression[async = true]:exit"(node) {
            if (node.body.type !== utils_1.AST_NODE_TYPES.BlockStatement) {
              findPossiblyReturnedNodes(node.body).forEach((node2) => {
                const tsNode = services.esTreeNodeToTSNodeMap.get(node2);
                test(node2, tsNode);
              });
            }
          },
          ReturnStatement(node) {
            const scopeInfo = scopeInfoStack.at(-1);
            if (!scopeInfo?.hasAsync || !node.argument) {
              return;
            }
            findPossiblyReturnedNodes(node.argument).forEach((node2) => {
              const tsNode = services.esTreeNodeToTSNodeMap.get(node2);
              test(node2, tsNode);
            });
          }
        };
      }
    });
    function fixOrSuggest(useFix, suggestion) {
      return useFix ? { fix: suggestion.fix } : { suggest: [suggestion] };
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/semi.js
var require_semi2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/semi.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("semi");
    exports2.default = (0, util_1.createRule)({
      name: "semi",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/semi"],
        type: "layout",
        docs: {
          description: "Require or disallow semicolons instead of ASI",
          // too opinionated to be recommended
          extendsBaseRule: true
        },
        fixable: "code",
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: baseRule2.meta.messages
      },
      defaultOptions: [
        "always",
        {
          omitLastInOneLineBlock: false,
          beforeStatementContinuationChars: "any"
        }
      ],
      create(context) {
        const rules = baseRule2.create(context);
        const checkForSemicolon = rules.ExpressionStatement;
        const nodesToCheck = [
          utils_1.AST_NODE_TYPES.PropertyDefinition,
          utils_1.AST_NODE_TYPES.TSAbstractPropertyDefinition,
          utils_1.AST_NODE_TYPES.TSDeclareFunction,
          utils_1.AST_NODE_TYPES.TSExportAssignment,
          utils_1.AST_NODE_TYPES.TSImportEqualsDeclaration,
          utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration,
          utils_1.AST_NODE_TYPES.TSEmptyBodyFunctionExpression
        ].reduce((acc, node) => {
          acc[node] = checkForSemicolon;
          return acc;
        }, {});
        return {
          ...rules,
          ...nodesToCheck,
          ExportDefaultDeclaration(node) {
            if (node.declaration.type !== utils_1.AST_NODE_TYPES.TSInterfaceDeclaration) {
              rules.ExportDefaultDeclaration(node);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/sort-type-constituents.js
var require_sort_type_constituents2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/sort-type-constituents.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var Group;
    (function(Group2) {
      Group2["conditional"] = "conditional";
      Group2["function"] = "function";
      Group2["import"] = "import";
      Group2["intersection"] = "intersection";
      Group2["keyword"] = "keyword";
      Group2["nullish"] = "nullish";
      Group2["literal"] = "literal";
      Group2["named"] = "named";
      Group2["object"] = "object";
      Group2["operator"] = "operator";
      Group2["tuple"] = "tuple";
      Group2["union"] = "union";
    })(Group || (Group = {}));
    function getGroup(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.TSConditionalType:
          return Group.conditional;
        case utils_1.AST_NODE_TYPES.TSConstructorType:
        case utils_1.AST_NODE_TYPES.TSFunctionType:
          return Group.function;
        case utils_1.AST_NODE_TYPES.TSImportType:
          return Group.import;
        case utils_1.AST_NODE_TYPES.TSIntersectionType:
          return Group.intersection;
        case utils_1.AST_NODE_TYPES.TSAnyKeyword:
        case utils_1.AST_NODE_TYPES.TSBigIntKeyword:
        case utils_1.AST_NODE_TYPES.TSBooleanKeyword:
        case utils_1.AST_NODE_TYPES.TSNeverKeyword:
        case utils_1.AST_NODE_TYPES.TSNumberKeyword:
        case utils_1.AST_NODE_TYPES.TSObjectKeyword:
        case utils_1.AST_NODE_TYPES.TSStringKeyword:
        case utils_1.AST_NODE_TYPES.TSSymbolKeyword:
        case utils_1.AST_NODE_TYPES.TSThisType:
        case utils_1.AST_NODE_TYPES.TSUnknownKeyword:
        case utils_1.AST_NODE_TYPES.TSIntrinsicKeyword:
          return Group.keyword;
        case utils_1.AST_NODE_TYPES.TSNullKeyword:
        case utils_1.AST_NODE_TYPES.TSUndefinedKeyword:
        case utils_1.AST_NODE_TYPES.TSVoidKeyword:
          return Group.nullish;
        case utils_1.AST_NODE_TYPES.TSLiteralType:
        case utils_1.AST_NODE_TYPES.TSTemplateLiteralType:
          return Group.literal;
        case utils_1.AST_NODE_TYPES.TSArrayType:
        case utils_1.AST_NODE_TYPES.TSIndexedAccessType:
        case utils_1.AST_NODE_TYPES.TSInferType:
        case utils_1.AST_NODE_TYPES.TSTypeReference:
        case utils_1.AST_NODE_TYPES.TSQualifiedName:
          return Group.named;
        case utils_1.AST_NODE_TYPES.TSMappedType:
        case utils_1.AST_NODE_TYPES.TSTypeLiteral:
          return Group.object;
        case utils_1.AST_NODE_TYPES.TSTypeOperator:
        case utils_1.AST_NODE_TYPES.TSTypeQuery:
          return Group.operator;
        case utils_1.AST_NODE_TYPES.TSTupleType:
          return Group.tuple;
        case utils_1.AST_NODE_TYPES.TSUnionType:
          return Group.union;
        case utils_1.AST_NODE_TYPES.TSAbstractKeyword:
        case utils_1.AST_NODE_TYPES.TSAsyncKeyword:
        case utils_1.AST_NODE_TYPES.TSDeclareKeyword:
        case utils_1.AST_NODE_TYPES.TSExportKeyword:
        case utils_1.AST_NODE_TYPES.TSNamedTupleMember:
        case utils_1.AST_NODE_TYPES.TSOptionalType:
        case utils_1.AST_NODE_TYPES.TSPrivateKeyword:
        case utils_1.AST_NODE_TYPES.TSProtectedKeyword:
        case utils_1.AST_NODE_TYPES.TSPublicKeyword:
        case utils_1.AST_NODE_TYPES.TSReadonlyKeyword:
        case utils_1.AST_NODE_TYPES.TSRestType:
        case utils_1.AST_NODE_TYPES.TSStaticKeyword:
        case utils_1.AST_NODE_TYPES.TSTypePredicate:
          throw new Error(`Unexpected Type ${node.type}`);
      }
    }
    function caseSensitiveSort(a, b) {
      if (a < b) {
        return -1;
      } else if (a > b) {
        return 1;
      }
      return 0;
    }
    exports2.default = (0, util_1.createRule)({
      name: "sort-type-constituents",
      meta: {
        deprecated: true,
        replacedBy: [
          "perfectionist/sort-intersection-types",
          "perfectionist/sort-union-types"
        ],
        type: "suggestion",
        docs: {
          description: "Enforce constituents of a type union/intersection to be sorted alphabetically"
        },
        fixable: "code",
        hasSuggestions: true,
        messages: {
          notSorted: "{{type}} type constituents must be sorted.",
          notSortedNamed: "{{type}} type {{name}} constituents must be sorted.",
          suggestFix: "Sort constituents of type (removes all comments)."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              checkIntersections: {
                description: "Whether to check intersection types.",
                type: "boolean"
              },
              checkUnions: {
                description: "Whether to check union types.",
                type: "boolean"
              },
              caseSensitive: {
                description: "Whether to sort using case sensitive sorting.",
                type: "boolean"
              },
              groupOrder: {
                description: "Ordering of the groups.",
                type: "array",
                items: {
                  type: "string",
                  enum: (0, util_1.getEnumNames)(Group)
                }
              }
            }
          }
        ]
      },
      defaultOptions: [
        {
          checkIntersections: true,
          checkUnions: true,
          caseSensitive: false,
          groupOrder: [
            Group.named,
            Group.keyword,
            Group.operator,
            Group.literal,
            Group.function,
            Group.import,
            Group.conditional,
            Group.object,
            Group.tuple,
            Group.intersection,
            Group.union,
            Group.nullish
          ]
        }
      ],
      create(context, [{ checkIntersections, checkUnions, caseSensitive, groupOrder }]) {
        const collator = new Intl.Collator("en", {
          sensitivity: "base",
          numeric: true
        });
        function checkSorting(node) {
          const sourceOrder = node.types.map((type) => {
            const group = groupOrder?.indexOf(getGroup(type)) ?? -1;
            return {
              group: group === -1 ? Number.MAX_SAFE_INTEGER : group,
              node: type,
              text: context.sourceCode.getText(type)
            };
          });
          const expectedOrder = [...sourceOrder].sort((a, b) => {
            if (a.group !== b.group) {
              return a.group - b.group;
            }
            if (caseSensitive) {
              return caseSensitiveSort(a.text, b.text);
            }
            return collator.compare(a.text, b.text) || (a.text < b.text ? -1 : a.text > b.text ? 1 : 0);
          });
          const hasComments = node.types.some((type) => {
            const count = context.sourceCode.getCommentsBefore(type).length + context.sourceCode.getCommentsAfter(type).length;
            return count > 0;
          });
          for (let i = 0; i < expectedOrder.length; i += 1) {
            if (expectedOrder[i].node !== sourceOrder[i].node) {
              let messageId4 = "notSorted";
              const data = {
                name: "",
                type: node.type === utils_1.AST_NODE_TYPES.TSIntersectionType ? "Intersection" : "Union"
              };
              if (node.parent.type === utils_1.AST_NODE_TYPES.TSTypeAliasDeclaration) {
                messageId4 = "notSortedNamed";
                data.name = node.parent.id.name;
              }
              const fix11 = (fixer) => {
                const sorted = expectedOrder.map((t) => (0, util_1.typeNodeRequiresParentheses)(t.node, t.text) || node.type === utils_1.AST_NODE_TYPES.TSIntersectionType && t.node.type === utils_1.AST_NODE_TYPES.TSUnionType ? `(${t.text})` : t.text).join(node.type === utils_1.AST_NODE_TYPES.TSIntersectionType ? " & " : " | ");
                return fixer.replaceText(node, sorted);
              };
              return context.report({
                node,
                messageId: messageId4,
                data,
                // don't autofix if any of the types have leading/trailing comments
                // the logic for preserving them correctly is a pain - we may implement this later
                ...hasComments ? {
                  suggest: [
                    {
                      messageId: "suggestFix",
                      fix: fix11
                    }
                  ]
                } : { fix: fix11 }
              });
            }
          }
        }
        return {
          ...checkIntersections && {
            TSIntersectionType(node) {
              checkSorting(node);
            }
          },
          ...checkUnions && {
            TSUnionType(node) {
              checkSorting(node);
            }
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/space-before-blocks.js
var require_space_before_blocks2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/space-before-blocks.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("space-before-blocks");
    exports2.default = (0, util_1.createRule)({
      name: "space-before-blocks",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/space-before-blocks"],
        type: "layout",
        docs: {
          description: "Enforce consistent spacing before blocks",
          extendsBaseRule: true
        },
        fixable: baseRule2.meta.fixable,
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: {
          // @ts-expect-error -- we report on this messageId so we need to ensure it's there in case ESLint changes in future
          unexpectedSpace: "Unexpected space before opening brace.",
          // @ts-expect-error -- we report on this messageId so we need to ensure it's there in case ESLint changes in future
          missingSpace: "Missing space before opening brace.",
          ...baseRule2.meta.messages
        }
      },
      defaultOptions: ["always"],
      create(context, [config7]) {
        const rules = baseRule2.create(context);
        let requireSpace = true;
        if (typeof config7 === "object") {
          requireSpace = config7.classes === "always";
        } else if (config7 === "never") {
          requireSpace = false;
        }
        function checkPrecedingSpace(node) {
          const precedingToken = context.sourceCode.getTokenBefore(node);
          if (precedingToken && (0, util_1.isTokenOnSameLine)(precedingToken, node)) {
            const hasSpace = context.sourceCode.isSpaceBetween(precedingToken, node);
            if (requireSpace && !hasSpace) {
              context.report({
                node,
                messageId: "missingSpace",
                fix(fixer) {
                  return fixer.insertTextBefore(node, " ");
                }
              });
            } else if (!requireSpace && hasSpace) {
              context.report({
                node,
                messageId: "unexpectedSpace",
                fix(fixer) {
                  return fixer.removeRange([
                    precedingToken.range[1],
                    node.range[0]
                  ]);
                }
              });
            }
          }
        }
        function checkSpaceAfterEnum(node) {
          const punctuator = context.sourceCode.getTokenAfter(node.id);
          if (punctuator) {
            checkPrecedingSpace(punctuator);
          }
        }
        return {
          ...rules,
          TSEnumDeclaration: checkSpaceAfterEnum,
          TSInterfaceBody: checkPrecedingSpace
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/space-before-function-paren.js
var require_space_before_function_paren2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/space-before-function-paren.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "space-before-function-paren",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/space-before-function-paren"],
        type: "layout",
        docs: {
          description: "Enforce consistent spacing before function parenthesis",
          extendsBaseRule: true
        },
        fixable: "whitespace",
        schema: [
          {
            oneOf: [
              {
                type: "string",
                enum: ["always", "never"]
              },
              {
                type: "object",
                properties: {
                  anonymous: {
                    type: "string",
                    enum: ["always", "never", "ignore"]
                  },
                  named: {
                    type: "string",
                    enum: ["always", "never", "ignore"]
                  },
                  asyncArrow: {
                    type: "string",
                    enum: ["always", "never", "ignore"]
                  }
                },
                additionalProperties: false
              }
            ]
          }
        ],
        messages: {
          unexpected: "Unexpected space before function parentheses.",
          missing: "Missing space before function parentheses."
        }
      },
      defaultOptions: ["always"],
      create(context, [firstOption]) {
        const baseConfig = typeof firstOption === "string" ? firstOption : "always";
        const overrideConfig = typeof firstOption === "object" ? firstOption : {};
        function isNamedFunction(node) {
          if (node.id != null) {
            return true;
          }
          const parent = node.parent;
          return parent.type === utils_1.AST_NODE_TYPES.MethodDefinition || parent.type === utils_1.AST_NODE_TYPES.TSAbstractMethodDefinition || parent.type === utils_1.AST_NODE_TYPES.Property && (parent.kind === "get" || parent.kind === "set" || parent.method);
        }
        function getConfigForFunction(node) {
          if (node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression) {
            if (node.async && (0, util_1.isOpeningParenToken)(context.sourceCode.getFirstToken(node, { skip: 1 }))) {
              return overrideConfig.asyncArrow ?? baseConfig;
            }
          } else if (isNamedFunction(node)) {
            return overrideConfig.named ?? baseConfig;
          } else if (!node.generator) {
            return overrideConfig.anonymous ?? baseConfig;
          }
          return "ignore";
        }
        function checkFunction(node) {
          const functionConfig = getConfigForFunction(node);
          if (functionConfig === "ignore") {
            return;
          }
          let leftToken;
          let rightToken;
          if (node.typeParameters) {
            leftToken = context.sourceCode.getLastToken(node.typeParameters);
            rightToken = context.sourceCode.getTokenAfter(leftToken);
          } else {
            rightToken = context.sourceCode.getFirstToken(node, util_1.isOpeningParenToken);
            leftToken = context.sourceCode.getTokenBefore(rightToken);
          }
          const hasSpacing = context.sourceCode.isSpaceBetween(leftToken, rightToken);
          if (hasSpacing && functionConfig === "never") {
            context.report({
              node,
              loc: {
                start: leftToken.loc.end,
                end: rightToken.loc.start
              },
              messageId: "unexpected",
              fix: (fixer) => fixer.removeRange([leftToken.range[1], rightToken.range[0]])
            });
          } else if (!hasSpacing && functionConfig === "always" && (!node.typeParameters || node.id)) {
            context.report({
              node,
              loc: rightToken.loc,
              messageId: "missing",
              fix: (fixer) => fixer.insertTextAfter(leftToken, " ")
            });
          }
        }
        return {
          ArrowFunctionExpression: checkFunction,
          FunctionDeclaration: checkFunction,
          FunctionExpression: checkFunction,
          TSEmptyBodyFunctionExpression: checkFunction,
          TSDeclareFunction: checkFunction
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/space-infix-ops.js
var require_space_infix_ops2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/space-infix-ops.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    var getESLintCoreRule_1 = require_getESLintCoreRule2();
    var baseRule2 = (0, getESLintCoreRule_1.getESLintCoreRule)("space-infix-ops");
    var UNIONS = ["|", "&"];
    exports2.default = (0, util_1.createRule)({
      name: "space-infix-ops",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/space-infix-ops"],
        type: "layout",
        docs: {
          description: "Require spacing around infix operators",
          extendsBaseRule: true
        },
        fixable: baseRule2.meta.fixable,
        hasSuggestions: baseRule2.meta.hasSuggestions,
        schema: baseRule2.meta.schema,
        messages: {
          // @ts-expect-error -- we report on this messageId so we need to ensure it's there in case ESLint changes in future
          missingSpace: "Operator '{{operator}}' must be spaced.",
          ...baseRule2.meta.messages
        }
      },
      defaultOptions: [
        {
          int32Hint: false
        }
      ],
      create(context) {
        const rules = baseRule2.create(context);
        function report(operator) {
          context.report({
            node: operator,
            messageId: "missingSpace",
            data: {
              operator: operator.value
            },
            fix(fixer) {
              const previousToken = context.sourceCode.getTokenBefore(operator);
              const afterToken = context.sourceCode.getTokenAfter(operator);
              let fixString = "";
              if (operator.range[0] - previousToken.range[1] === 0) {
                fixString = " ";
              }
              fixString += operator.value;
              if (afterToken.range[0] - operator.range[1] === 0) {
                fixString += " ";
              }
              return fixer.replaceText(operator, fixString);
            }
          });
        }
        function isSpaceChar(token) {
          return token.type === utils_1.AST_TOKEN_TYPES.Punctuator && /^[=?:]$/.test(token.value);
        }
        function checkAndReportAssignmentSpace(leftNode, rightNode) {
          if (!rightNode || !leftNode) {
            return;
          }
          const operator = context.sourceCode.getFirstTokenBetween(leftNode, rightNode, isSpaceChar);
          const prev = context.sourceCode.getTokenBefore(operator);
          const next = context.sourceCode.getTokenAfter(operator);
          if (!context.sourceCode.isSpaceBetween(prev, operator) || !context.sourceCode.isSpaceBetween(operator, next)) {
            report(operator);
          }
        }
        function checkForEnumAssignmentSpace(node) {
          checkAndReportAssignmentSpace(node.id, node.initializer);
        }
        function checkForPropertyDefinitionAssignmentSpace(node) {
          const leftNode = node.optional && !node.typeAnnotation ? context.sourceCode.getTokenAfter(node.key) : node.typeAnnotation ?? node.key;
          checkAndReportAssignmentSpace(leftNode, node.value);
        }
        function checkForTypeAnnotationSpace(typeAnnotation) {
          const types = typeAnnotation.types;
          types.forEach((type) => {
            const skipFunctionParenthesis = type.type === utils_1.TSESTree.AST_NODE_TYPES.TSFunctionType ? util_1.isNotOpeningParenToken : 0;
            const operator = context.sourceCode.getTokenBefore(type, skipFunctionParenthesis);
            if (operator != null && UNIONS.includes(operator.value)) {
              const prev = context.sourceCode.getTokenBefore(operator);
              const next = context.sourceCode.getTokenAfter(operator);
              if (!context.sourceCode.isSpaceBetween(prev, operator) || !context.sourceCode.isSpaceBetween(operator, next)) {
                report(operator);
              }
            }
          });
        }
        function checkForTypeAliasAssignment(node) {
          checkAndReportAssignmentSpace(node.typeParameters ?? node.id, node.typeAnnotation);
        }
        function checkForTypeConditional(node) {
          checkAndReportAssignmentSpace(node.extendsType, node.trueType);
          checkAndReportAssignmentSpace(node.trueType, node.falseType);
        }
        return {
          ...rules,
          TSEnumMember: checkForEnumAssignmentSpace,
          PropertyDefinition: checkForPropertyDefinitionAssignmentSpace,
          TSTypeAliasDeclaration: checkForTypeAliasAssignment,
          TSUnionType: checkForTypeAnnotationSpace,
          TSIntersectionType: checkForTypeAnnotationSpace,
          TSConditionalType: checkForTypeConditional
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/strict-boolean-expressions.js
var require_strict_boolean_expressions2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/strict-boolean-expressions.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "strict-boolean-expressions",
      meta: {
        type: "suggestion",
        fixable: "code",
        hasSuggestions: true,
        docs: {
          description: "Disallow certain types in boolean expressions",
          requiresTypeChecking: true
        },
        schema: [
          {
            type: "object",
            properties: {
              allowString: { type: "boolean" },
              allowNumber: { type: "boolean" },
              allowNullableObject: { type: "boolean" },
              allowNullableBoolean: { type: "boolean" },
              allowNullableString: { type: "boolean" },
              allowNullableNumber: { type: "boolean" },
              allowNullableEnum: { type: "boolean" },
              allowAny: { type: "boolean" },
              allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing: {
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          conditionErrorOther: "Unexpected value in conditional. A boolean expression is required.",
          conditionErrorAny: "Unexpected any value in conditional. An explicit comparison or type cast is required.",
          conditionErrorNullish: "Unexpected nullish value in conditional. The condition is always false.",
          conditionErrorNullableBoolean: "Unexpected nullable boolean value in conditional. Please handle the nullish case explicitly.",
          conditionErrorString: "Unexpected string value in conditional. An explicit empty string check is required.",
          conditionErrorNullableString: "Unexpected nullable string value in conditional. Please handle the nullish/empty cases explicitly.",
          conditionErrorNumber: "Unexpected number value in conditional. An explicit zero/NaN check is required.",
          conditionErrorNullableNumber: "Unexpected nullable number value in conditional. Please handle the nullish/zero/NaN cases explicitly.",
          conditionErrorObject: "Unexpected object value in conditional. The condition is always true.",
          conditionErrorNullableObject: "Unexpected nullable object value in conditional. An explicit null check is required.",
          conditionErrorNullableEnum: "Unexpected nullable enum value in conditional. Please handle the nullish/zero/NaN cases explicitly.",
          noStrictNullCheck: "This rule requires the `strictNullChecks` compiler option to be turned on to function correctly.",
          conditionFixDefaultFalse: "Explicitly treat nullish value the same as false (`value ?? false`)",
          conditionFixDefaultEmptyString: 'Explicitly treat nullish value the same as an empty string (`value ?? ""`)',
          conditionFixDefaultZero: "Explicitly treat nullish value the same as 0 (`value ?? 0`)",
          conditionFixCompareNullish: "Change condition to check for null/undefined (`value != null`)",
          conditionFixCastBoolean: "Explicitly cast value to a boolean (`Boolean(value)`)",
          conditionFixCompareTrue: "Change condition to check if true (`value === true`)",
          conditionFixCompareFalse: "Change condition to check if false (`value === false`)",
          conditionFixCompareStringLength: "Change condition to check string's length (`value.length !== 0`)",
          conditionFixCompareEmptyString: 'Change condition to check for empty string (`value !== ""`)',
          conditionFixCompareZero: "Change condition to check for 0 (`value !== 0`)",
          conditionFixCompareNaN: "Change condition to check for NaN (`!Number.isNaN(value)`)"
        }
      },
      defaultOptions: [
        {
          allowString: true,
          allowNumber: true,
          allowNullableObject: true,
          allowNullableBoolean: false,
          allowNullableString: false,
          allowNullableNumber: false,
          allowNullableEnum: false,
          allowAny: false,
          allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing: false
        }
      ],
      create(context, [options]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const compilerOptions = services.program.getCompilerOptions();
        const isStrictNullChecks = tsutils.isStrictCompilerOptionEnabled(compilerOptions, "strictNullChecks");
        if (!isStrictNullChecks && options.allowRuleToRunWithoutStrictNullChecksIKnowWhatIAmDoing !== true) {
          context.report({
            loc: {
              start: { line: 0, column: 0 },
              end: { line: 0, column: 0 }
            },
            messageId: "noStrictNullCheck"
          });
        }
        const traversedNodes = /* @__PURE__ */ new Set();
        return {
          ConditionalExpression: traverseTestExpression,
          DoWhileStatement: traverseTestExpression,
          ForStatement: traverseTestExpression,
          IfStatement: traverseTestExpression,
          WhileStatement: traverseTestExpression,
          'LogicalExpression[operator!="??"]': traverseLogicalExpression,
          'UnaryExpression[operator="!"]': traverseUnaryLogicalExpression
        };
        function traverseTestExpression(node) {
          if (node.test == null) {
            return;
          }
          traverseNode(node.test, true);
        }
        function traverseUnaryLogicalExpression(node) {
          traverseNode(node.argument, true);
        }
        function traverseLogicalExpression(node, isCondition = false) {
          traverseNode(node.left, true);
          traverseNode(node.right, isCondition);
        }
        function traverseNode(node, isCondition) {
          if (traversedNodes.has(node)) {
            return;
          }
          traversedNodes.add(node);
          if (node.type === utils_1.AST_NODE_TYPES.LogicalExpression && node.operator !== "??") {
            traverseLogicalExpression(node, isCondition);
            return;
          }
          if (!isCondition) {
            return;
          }
          checkNode2(node);
        }
        function checkNode2(node) {
          const type = (0, util_1.getConstrainedTypeAtLocation)(services, node);
          const types = inspectVariantTypes(tsutils.unionTypeParts(type));
          const is = (...wantedTypes) => types.size === wantedTypes.length && wantedTypes.every((type2) => types.has(type2));
          if (is("boolean") || is("truthy boolean")) {
            return;
          }
          if (is("never")) {
            return;
          }
          if (is("nullish")) {
            context.report({ node, messageId: "conditionErrorNullish" });
            return;
          }
          if (is("nullish", "truthy boolean")) {
            return;
          }
          if (is("nullish", "boolean")) {
            if (!options.allowNullableBoolean) {
              if (isLogicalNegationExpression(node.parent)) {
                context.report({
                  node,
                  messageId: "conditionErrorNullableBoolean",
                  suggest: [
                    {
                      messageId: "conditionFixDefaultFalse",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} ?? false`
                      })
                    },
                    {
                      messageId: "conditionFixCompareFalse",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `${code} === false`
                      })
                    }
                  ]
                });
              } else {
                context.report({
                  node,
                  messageId: "conditionErrorNullableBoolean",
                  suggest: [
                    {
                      messageId: "conditionFixDefaultFalse",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} ?? false`
                      })
                    },
                    {
                      messageId: "conditionFixCompareTrue",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} === true`
                      })
                    }
                  ]
                });
              }
            }
            return;
          }
          if (options.allowNumber && is("nullish", "truthy number") || options.allowString && is("nullish", "truthy string")) {
            return;
          }
          if (is("string") || is("truthy string")) {
            if (!options.allowString) {
              if (isLogicalNegationExpression(node.parent)) {
                context.report({
                  node,
                  messageId: "conditionErrorString",
                  suggest: [
                    {
                      messageId: "conditionFixCompareStringLength",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `${code}.length === 0`
                      })
                    },
                    {
                      messageId: "conditionFixCompareEmptyString",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `${code} === ""`
                      })
                    },
                    {
                      messageId: "conditionFixCastBoolean",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `!Boolean(${code})`
                      })
                    }
                  ]
                });
              } else {
                context.report({
                  node,
                  messageId: "conditionErrorString",
                  suggest: [
                    {
                      messageId: "conditionFixCompareStringLength",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code}.length > 0`
                      })
                    },
                    {
                      messageId: "conditionFixCompareEmptyString",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} !== ""`
                      })
                    },
                    {
                      messageId: "conditionFixCastBoolean",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `Boolean(${code})`
                      })
                    }
                  ]
                });
              }
            }
            return;
          }
          if (is("nullish", "string")) {
            if (!options.allowNullableString) {
              if (isLogicalNegationExpression(node.parent)) {
                context.report({
                  node,
                  messageId: "conditionErrorNullableString",
                  suggest: [
                    {
                      messageId: "conditionFixCompareNullish",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `${code} == null`
                      })
                    },
                    {
                      messageId: "conditionFixDefaultEmptyString",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} ?? ""`
                      })
                    },
                    {
                      messageId: "conditionFixCastBoolean",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `!Boolean(${code})`
                      })
                    }
                  ]
                });
              } else {
                context.report({
                  node,
                  messageId: "conditionErrorNullableString",
                  suggest: [
                    {
                      messageId: "conditionFixCompareNullish",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} != null`
                      })
                    },
                    {
                      messageId: "conditionFixDefaultEmptyString",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} ?? ""`
                      })
                    },
                    {
                      messageId: "conditionFixCastBoolean",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `Boolean(${code})`
                      })
                    }
                  ]
                });
              }
            }
            return;
          }
          if (is("number") || is("truthy number")) {
            if (!options.allowNumber) {
              if (isArrayLengthExpression(node, checker, services)) {
                if (isLogicalNegationExpression(node.parent)) {
                  context.report({
                    node,
                    messageId: "conditionErrorNumber",
                    fix: (0, util_1.getWrappingFixer)({
                      sourceCode: context.sourceCode,
                      node: node.parent,
                      innerNode: node,
                      wrap: (code) => `${code} === 0`
                    })
                  });
                } else {
                  context.report({
                    node,
                    messageId: "conditionErrorNumber",
                    fix: (0, util_1.getWrappingFixer)({
                      sourceCode: context.sourceCode,
                      node,
                      wrap: (code) => `${code} > 0`
                    })
                  });
                }
              } else if (isLogicalNegationExpression(node.parent)) {
                context.report({
                  node,
                  messageId: "conditionErrorNumber",
                  suggest: [
                    {
                      messageId: "conditionFixCompareZero",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        // TODO: we have to compare to 0n if the type is bigint
                        wrap: (code) => `${code} === 0`
                      })
                    },
                    {
                      // TODO: don't suggest this for bigint because it can't be NaN
                      messageId: "conditionFixCompareNaN",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `Number.isNaN(${code})`
                      })
                    },
                    {
                      messageId: "conditionFixCastBoolean",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `!Boolean(${code})`
                      })
                    }
                  ]
                });
              } else {
                context.report({
                  node,
                  messageId: "conditionErrorNumber",
                  suggest: [
                    {
                      messageId: "conditionFixCompareZero",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} !== 0`
                      })
                    },
                    {
                      messageId: "conditionFixCompareNaN",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `!Number.isNaN(${code})`
                      })
                    },
                    {
                      messageId: "conditionFixCastBoolean",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `Boolean(${code})`
                      })
                    }
                  ]
                });
              }
            }
            return;
          }
          if (is("nullish", "number")) {
            if (!options.allowNullableNumber) {
              if (isLogicalNegationExpression(node.parent)) {
                context.report({
                  node,
                  messageId: "conditionErrorNullableNumber",
                  suggest: [
                    {
                      messageId: "conditionFixCompareNullish",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `${code} == null`
                      })
                    },
                    {
                      messageId: "conditionFixDefaultZero",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} ?? 0`
                      })
                    },
                    {
                      messageId: "conditionFixCastBoolean",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `!Boolean(${code})`
                      })
                    }
                  ]
                });
              } else {
                context.report({
                  node,
                  messageId: "conditionErrorNullableNumber",
                  suggest: [
                    {
                      messageId: "conditionFixCompareNullish",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} != null`
                      })
                    },
                    {
                      messageId: "conditionFixDefaultZero",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} ?? 0`
                      })
                    },
                    {
                      messageId: "conditionFixCastBoolean",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `Boolean(${code})`
                      })
                    }
                  ]
                });
              }
            }
            return;
          }
          if (is("object")) {
            context.report({ node, messageId: "conditionErrorObject" });
            return;
          }
          if (is("nullish", "object")) {
            if (!options.allowNullableObject) {
              if (isLogicalNegationExpression(node.parent)) {
                context.report({
                  node,
                  messageId: "conditionErrorNullableObject",
                  suggest: [
                    {
                      messageId: "conditionFixCompareNullish",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node: node.parent,
                        innerNode: node,
                        wrap: (code) => `${code} == null`
                      })
                    }
                  ]
                });
              } else {
                context.report({
                  node,
                  messageId: "conditionErrorNullableObject",
                  suggest: [
                    {
                      messageId: "conditionFixCompareNullish",
                      fix: (0, util_1.getWrappingFixer)({
                        sourceCode: context.sourceCode,
                        node,
                        wrap: (code) => `${code} != null`
                      })
                    }
                  ]
                });
              }
            }
            return;
          }
          if (is("nullish", "number", "enum") || is("nullish", "string", "enum") || is("nullish", "truthy number", "enum") || is("nullish", "truthy string", "enum") || // mixed enums
          is("nullish", "truthy number", "truthy string", "enum") || is("nullish", "truthy number", "string", "enum") || is("nullish", "truthy string", "number", "enum") || is("nullish", "number", "string", "enum")) {
            if (!options.allowNullableEnum) {
              if (isLogicalNegationExpression(node.parent)) {
                context.report({
                  node,
                  messageId: "conditionErrorNullableEnum",
                  fix: (0, util_1.getWrappingFixer)({
                    sourceCode: context.sourceCode,
                    node: node.parent,
                    innerNode: node,
                    wrap: (code) => `${code} == null`
                  })
                });
              } else {
                context.report({
                  node,
                  messageId: "conditionErrorNullableEnum",
                  fix: (0, util_1.getWrappingFixer)({
                    sourceCode: context.sourceCode,
                    node,
                    wrap: (code) => `${code} != null`
                  })
                });
              }
            }
            return;
          }
          if (is("any")) {
            if (!options.allowAny) {
              context.report({
                node,
                messageId: "conditionErrorAny",
                suggest: [
                  {
                    messageId: "conditionFixCastBoolean",
                    fix: (0, util_1.getWrappingFixer)({
                      sourceCode: context.sourceCode,
                      node,
                      wrap: (code) => `Boolean(${code})`
                    })
                  }
                ]
              });
            }
            return;
          }
          context.report({ node, messageId: "conditionErrorOther" });
        }
        function inspectVariantTypes(types) {
          const variantTypes = /* @__PURE__ */ new Set();
          if (types.some((type) => tsutils.isTypeFlagSet(type, ts.TypeFlags.Null | ts.TypeFlags.Undefined | ts.TypeFlags.VoidLike))) {
            variantTypes.add("nullish");
          }
          const booleans = types.filter((type) => tsutils.isTypeFlagSet(type, ts.TypeFlags.BooleanLike));
          if (booleans.length === 1) {
            tsutils.isTrueLiteralType(booleans[0]) ? variantTypes.add("truthy boolean") : variantTypes.add("boolean");
          } else if (booleans.length === 2) {
            variantTypes.add("boolean");
          }
          const strings = types.filter((type) => tsutils.isTypeFlagSet(type, ts.TypeFlags.StringLike));
          if (strings.length) {
            if (strings.every((type) => type.isStringLiteral() && type.value !== "")) {
              variantTypes.add("truthy string");
            } else {
              variantTypes.add("string");
            }
          }
          const numbers = types.filter((type) => tsutils.isTypeFlagSet(type, ts.TypeFlags.NumberLike | ts.TypeFlags.BigIntLike));
          if (numbers.length) {
            if (numbers.every((type) => type.isNumberLiteral() && type.value !== 0)) {
              variantTypes.add("truthy number");
            } else {
              variantTypes.add("number");
            }
          }
          if (types.some((type) => tsutils.isTypeFlagSet(type, ts.TypeFlags.EnumLike))) {
            variantTypes.add("enum");
          }
          if (types.some((type) => !tsutils.isTypeFlagSet(type, ts.TypeFlags.Null | ts.TypeFlags.Undefined | ts.TypeFlags.VoidLike | ts.TypeFlags.BooleanLike | ts.TypeFlags.StringLike | ts.TypeFlags.NumberLike | ts.TypeFlags.BigIntLike | ts.TypeFlags.TypeParameter | ts.TypeFlags.Any | ts.TypeFlags.Unknown | ts.TypeFlags.Never))) {
            variantTypes.add("object");
          }
          if (types.some((type) => tsutils.isTypeFlagSet(type, ts.TypeFlags.TypeParameter | ts.TypeFlags.Any | ts.TypeFlags.Unknown))) {
            variantTypes.add("any");
          }
          if (types.some((type) => tsutils.isTypeFlagSet(type, ts.TypeFlags.Never))) {
            variantTypes.add("never");
          }
          return variantTypes;
        }
      }
    });
    function isLogicalNegationExpression(node) {
      return node.type === utils_1.AST_NODE_TYPES.UnaryExpression && node.operator === "!";
    }
    function isArrayLengthExpression(node, typeChecker, services) {
      if (node.type !== utils_1.AST_NODE_TYPES.MemberExpression) {
        return false;
      }
      if (node.computed) {
        return false;
      }
      if (node.property.name !== "length") {
        return false;
      }
      const objectType2 = (0, util_1.getConstrainedTypeAtLocation)(services, node.object);
      return (0, util_1.isTypeArrayTypeOrUnionOfArrayTypes)(objectType2, typeChecker);
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/switch-exhaustiveness-check.js
var require_switch_exhaustiveness_check2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/switch-exhaustiveness-check.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "switch-exhaustiveness-check",
      meta: {
        type: "suggestion",
        docs: {
          description: "Require switch-case statements to be exhaustive",
          requiresTypeChecking: true
        },
        hasSuggestions: true,
        schema: [
          {
            type: "object",
            properties: {
              allowDefaultCaseForExhaustiveSwitch: {
                description: `If 'true', allow 'default' cases on switch statements with exhaustive cases.`,
                type: "boolean"
              },
              requireDefaultForNonUnion: {
                description: `If 'true', require a 'default' clause for switches on non-union types.`,
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        messages: {
          switchIsNotExhaustive: "Switch is not exhaustive. Cases not matched: {{missingBranches}}",
          dangerousDefaultCase: "The switch statement is exhaustive, so the default case is unnecessary.",
          addMissingCases: "Add branches for missing cases."
        }
      },
      defaultOptions: [
        {
          allowDefaultCaseForExhaustiveSwitch: true,
          requireDefaultForNonUnion: false
        }
      ],
      create(context, [{ allowDefaultCaseForExhaustiveSwitch, requireDefaultForNonUnion }]) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        const compilerOptions = services.program.getCompilerOptions();
        function getSwitchMetadata(node) {
          const defaultCase = node.cases.find((switchCase) => switchCase.test == null);
          const discriminantType = (0, util_1.getConstrainedTypeAtLocation)(services, node.discriminant);
          const symbolName = discriminantType.getSymbol()?.escapedName;
          const containsNonLiteralType = doesTypeContainNonLiteralType(discriminantType);
          const caseTypes = /* @__PURE__ */ new Set();
          for (const switchCase of node.cases) {
            if (switchCase.test == null) {
              continue;
            }
            const caseType = (0, util_1.getConstrainedTypeAtLocation)(services, switchCase.test);
            caseTypes.add(caseType);
          }
          const missingLiteralBranchTypes = [];
          for (const unionPart of tsutils.unionTypeParts(discriminantType)) {
            for (const intersectionPart of tsutils.intersectionTypeParts(unionPart)) {
              if (caseTypes.has(intersectionPart) || !isTypeLiteralLikeType(intersectionPart)) {
                continue;
              }
              missingLiteralBranchTypes.push(intersectionPart);
            }
          }
          return {
            symbolName,
            missingLiteralBranchTypes,
            defaultCase,
            containsNonLiteralType
          };
        }
        function checkSwitchExhaustive(node, switchMetadata) {
          const { missingLiteralBranchTypes, symbolName, defaultCase } = switchMetadata;
          if (missingLiteralBranchTypes.length > 0 && defaultCase === void 0) {
            context.report({
              node: node.discriminant,
              messageId: "switchIsNotExhaustive",
              data: {
                missingBranches: missingLiteralBranchTypes.map((missingType) => tsutils.isTypeFlagSet(missingType, ts.TypeFlags.ESSymbolLike) ? `typeof ${missingType.getSymbol()?.escapedName}` : checker.typeToString(missingType)).join(" | ")
              },
              suggest: [
                {
                  messageId: "addMissingCases",
                  fix(fixer) {
                    return fixSwitch(fixer, node, missingLiteralBranchTypes, symbolName?.toString());
                  }
                }
              ]
            });
          }
        }
        function fixSwitch(fixer, node, missingBranchTypes, symbolName) {
          const lastCase = node.cases.length > 0 ? node.cases[node.cases.length - 1] : null;
          const caseIndent = lastCase ? " ".repeat(lastCase.loc.start.column) : (
            // If there are no cases, use indentation of the switch statement and
            // leave it to the user to format it correctly.
            " ".repeat(node.loc.start.column)
          );
          const missingCases = [];
          for (const missingBranchType of missingBranchTypes) {
            if (missingBranchType == null) {
              missingCases.push(`default: { throw new Error('default case') }`);
              continue;
            }
            const missingBranchName = missingBranchType.getSymbol()?.escapedName;
            let caseTest = tsutils.isTypeFlagSet(missingBranchType, ts.TypeFlags.ESSymbolLike) ? (
              // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
              missingBranchName
            ) : checker.typeToString(missingBranchType);
            if (symbolName && (missingBranchName || missingBranchName === "") && (0, util_1.requiresQuoting)(missingBranchName.toString(), compilerOptions.target)) {
              const escapedBranchName = missingBranchName.replaceAll("'", "\\'").replaceAll("\n", "\\n").replaceAll("\r", "\\r");
              caseTest = `${symbolName}['${escapedBranchName}']`;
            }
            missingCases.push(`case ${caseTest}: { throw new Error('Not implemented yet: ${caseTest.replaceAll("\\", "\\\\").replaceAll("'", "\\'")} case') }`);
          }
          const fixString = missingCases.map((code) => `${caseIndent}${code}`).join("\n");
          if (lastCase) {
            return fixer.insertTextAfter(lastCase, `
${fixString}`);
          }
          const openingBrace = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.discriminant, util_1.isOpeningBraceToken), util_1.NullThrowsReasons.MissingToken("{", "discriminant"));
          const closingBrace = (0, util_1.nullThrows)(context.sourceCode.getTokenAfter(node.discriminant, util_1.isClosingBraceToken), util_1.NullThrowsReasons.MissingToken("}", "discriminant"));
          return fixer.replaceTextRange([openingBrace.range[0], closingBrace.range[1]], ["{", fixString, `${caseIndent}}`].join("\n"));
        }
        function checkSwitchUnnecessaryDefaultCase(switchMetadata) {
          if (allowDefaultCaseForExhaustiveSwitch) {
            return;
          }
          const { missingLiteralBranchTypes, defaultCase, containsNonLiteralType } = switchMetadata;
          if (missingLiteralBranchTypes.length === 0 && defaultCase !== void 0 && !containsNonLiteralType) {
            context.report({
              node: defaultCase,
              messageId: "dangerousDefaultCase"
            });
          }
        }
        function checkSwitchNoUnionDefaultCase(node, switchMetadata) {
          if (!requireDefaultForNonUnion) {
            return;
          }
          const { defaultCase, containsNonLiteralType } = switchMetadata;
          if (containsNonLiteralType && defaultCase === void 0) {
            context.report({
              node: node.discriminant,
              messageId: "switchIsNotExhaustive",
              data: { missingBranches: "default" },
              suggest: [
                {
                  messageId: "addMissingCases",
                  fix(fixer) {
                    return fixSwitch(fixer, node, [null]);
                  }
                }
              ]
            });
          }
        }
        return {
          SwitchStatement(node) {
            const switchMetadata = getSwitchMetadata(node);
            checkSwitchExhaustive(node, switchMetadata);
            checkSwitchUnnecessaryDefaultCase(switchMetadata);
            checkSwitchNoUnionDefaultCase(node, switchMetadata);
          }
        };
      }
    });
    function isTypeLiteralLikeType(type) {
      return tsutils.isTypeFlagSet(type, ts.TypeFlags.Literal | ts.TypeFlags.Undefined | ts.TypeFlags.Null | ts.TypeFlags.UniqueESSymbol);
    }
    function doesTypeContainNonLiteralType(type) {
      return tsutils.unionTypeParts(type).some((type2) => tsutils.intersectionTypeParts(type2).every((subType) => !isTypeLiteralLikeType(subType)));
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/triple-slash-reference.js
var require_triple_slash_reference2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/triple-slash-reference.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "triple-slash-reference",
      meta: {
        type: "suggestion",
        docs: {
          description: "Disallow certain triple slash directives in favor of ES6-style import declarations",
          recommended: "recommended"
        },
        messages: {
          tripleSlashReference: "Do not use a triple slash reference for {{module}}, use `import` style instead."
        },
        schema: [
          {
            type: "object",
            properties: {
              lib: {
                type: "string",
                enum: ["always", "never"]
              },
              path: {
                type: "string",
                enum: ["always", "never"]
              },
              types: {
                type: "string",
                enum: ["always", "never", "prefer-import"]
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        {
          lib: "always",
          path: "never",
          types: "prefer-import"
        }
      ],
      create(context, [{ lib, path: path17, types }]) {
        let programNode;
        const references = [];
        function hasMatchingReference(source) {
          references.forEach((reference) => {
            if (reference.importName === source.value) {
              context.report({
                node: reference.comment,
                messageId: "tripleSlashReference",
                data: {
                  module: reference.importName
                }
              });
            }
          });
        }
        return {
          ImportDeclaration(node) {
            if (programNode) {
              hasMatchingReference(node.source);
            }
          },
          TSImportEqualsDeclaration(node) {
            if (programNode) {
              const reference = node.moduleReference;
              if (reference.type === utils_1.AST_NODE_TYPES.TSExternalModuleReference) {
                hasMatchingReference(reference.expression);
              }
            }
          },
          Program(node) {
            if (lib === "always" && path17 === "always" && types === "always") {
              return;
            }
            programNode = node;
            const referenceRegExp = /^\/\s* {
              if (comment.type !== utils_1.AST_TOKEN_TYPES.Line) {
                return;
              }
              const referenceResult = referenceRegExp.exec(comment.value);
              if (referenceResult) {
                if (referenceResult[1] === "types" && types === "never" || referenceResult[1] === "path" && path17 === "never" || referenceResult[1] === "lib" && lib === "never") {
                  context.report({
                    node: comment,
                    messageId: "tripleSlashReference",
                    data: {
                      module: referenceResult[2]
                    }
                  });
                  return;
                }
                if (referenceResult[1] === "types" && types === "prefer-import") {
                  references.push({ comment, importName: referenceResult[2] });
                }
              }
            });
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/type-annotation-spacing.js
var require_type_annotation_spacing2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/type-annotation-spacing.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var util_1 = require_util7();
    function createRules2(options) {
      const globals2 = {
        ...options?.before !== void 0 ? { before: options.before } : {},
        ...options?.after !== void 0 ? { after: options.after } : {}
      };
      const override = options?.overrides ?? {};
      const colon = {
        ...{ before: false, after: true },
        ...globals2,
        ...override.colon
      };
      const arrow = {
        ...{ before: true, after: true },
        ...globals2,
        ...override.arrow
      };
      return {
        colon,
        arrow,
        variable: { ...colon, ...override.variable },
        property: { ...colon, ...override.property },
        parameter: { ...colon, ...override.parameter },
        returnType: { ...colon, ...override.returnType }
      };
    }
    function getIdentifierRules(rules, node) {
      const scope = node?.parent;
      if ((0, util_1.isVariableDeclarator)(scope)) {
        return rules.variable;
      } else if ((0, util_1.isFunctionOrFunctionType)(scope)) {
        return rules.parameter;
      }
      return rules.colon;
    }
    function getRules(rules, node) {
      const scope = node.parent.parent;
      if ((0, util_1.isTSFunctionType)(scope) || (0, util_1.isTSConstructorType)(scope)) {
        return rules.arrow;
      } else if ((0, util_1.isIdentifier)(scope)) {
        return getIdentifierRules(rules, scope);
      } else if ((0, util_1.isClassOrTypeElement)(scope)) {
        return rules.property;
      } else if ((0, util_1.isFunction)(scope)) {
        return rules.returnType;
      }
      return rules.colon;
    }
    exports2.default = (0, util_1.createRule)({
      name: "type-annotation-spacing",
      meta: {
        deprecated: true,
        replacedBy: ["@stylistic/ts/type-annotation-spacing"],
        type: "layout",
        docs: {
          description: "Require consistent spacing around type annotations"
        },
        fixable: "whitespace",
        messages: {
          expectedSpaceAfter: "Expected a space after the '{{type}}'.",
          expectedSpaceBefore: "Expected a space before the '{{type}}'.",
          unexpectedSpaceAfter: "Unexpected space after the '{{type}}'.",
          unexpectedSpaceBefore: "Unexpected space before the '{{type}}'.",
          unexpectedSpaceBetween: "Unexpected space between the '{{previousToken}}' and the '{{type}}'."
        },
        schema: [
          {
            $defs: {
              spacingConfig: {
                type: "object",
                properties: {
                  before: { type: "boolean" },
                  after: { type: "boolean" }
                },
                additionalProperties: false
              }
            },
            type: "object",
            properties: {
              before: { type: "boolean" },
              after: { type: "boolean" },
              overrides: {
                type: "object",
                properties: {
                  colon: { $ref: "#/items/0/$defs/spacingConfig" },
                  arrow: { $ref: "#/items/0/$defs/spacingConfig" },
                  variable: { $ref: "#/items/0/$defs/spacingConfig" },
                  parameter: { $ref: "#/items/0/$defs/spacingConfig" },
                  property: { $ref: "#/items/0/$defs/spacingConfig" },
                  returnType: { $ref: "#/items/0/$defs/spacingConfig" }
                },
                additionalProperties: false
              }
            },
            additionalProperties: false
          }
        ]
      },
      defaultOptions: [
        // technically there is a default, but the overrides mean
        // that if we apply them here, it will break the no override case.
        {}
      ],
      create(context, [options]) {
        const punctuators = [":", "=>"];
        const ruleSet = createRules2(options);
        function checkTypeAnnotationSpacing(typeAnnotation) {
          const nextToken = typeAnnotation;
          const punctuatorTokenEnd = context.sourceCode.getTokenBefore(nextToken);
          let punctuatorTokenStart = punctuatorTokenEnd;
          let previousToken = (
            // eslint-disable-next-line @typescript-eslint/no-non-null-assertion
            context.sourceCode.getTokenBefore(punctuatorTokenEnd)
          );
          let type = punctuatorTokenEnd.value;
          if (!punctuators.includes(type)) {
            return;
          }
          const { before, after } = getRules(ruleSet, typeAnnotation);
          if (type === ":" && previousToken.value === "?") {
            if (context.sourceCode.isSpaceBetween(previousToken, punctuatorTokenStart)) {
              context.report({
                node: punctuatorTokenStart,
                messageId: "unexpectedSpaceBetween",
                data: {
                  type,
                  previousToken: previousToken.value
                },
                fix(fixer) {
                  return fixer.removeRange([
                    previousToken.range[1],
                    punctuatorTokenStart.range[0]
                  ]);
                }
              });
            }
            type = "?:";
            punctuatorTokenStart = previousToken;
            previousToken = context.sourceCode.getTokenBefore(previousToken);
            if (previousToken.value === "+" || previousToken.value === "-") {
              type = `${previousToken.value}?:`;
              punctuatorTokenStart = previousToken;
              previousToken = context.sourceCode.getTokenBefore(previousToken);
            }
          }
          const previousDelta = punctuatorTokenStart.range[0] - previousToken.range[1];
          const nextDelta = nextToken.range[0] - punctuatorTokenEnd.range[1];
          if (after && nextDelta === 0) {
            context.report({
              node: punctuatorTokenEnd,
              messageId: "expectedSpaceAfter",
              data: {
                type
              },
              fix(fixer) {
                return fixer.insertTextAfter(punctuatorTokenEnd, " ");
              }
            });
          } else if (!after && nextDelta > 0) {
            context.report({
              node: punctuatorTokenEnd,
              messageId: "unexpectedSpaceAfter",
              data: {
                type
              },
              fix(fixer) {
                return fixer.removeRange([
                  punctuatorTokenEnd.range[1],
                  nextToken.range[0]
                ]);
              }
            });
          }
          if (before && previousDelta === 0) {
            context.report({
              node: punctuatorTokenStart,
              messageId: "expectedSpaceBefore",
              data: {
                type
              },
              fix(fixer) {
                return fixer.insertTextAfter(previousToken, " ");
              }
            });
          } else if (!before && previousDelta > 0) {
            context.report({
              node: punctuatorTokenStart,
              messageId: "unexpectedSpaceBefore",
              data: {
                type
              },
              fix(fixer) {
                return fixer.removeRange([
                  previousToken.range[1],
                  punctuatorTokenStart.range[0]
                ]);
              }
            });
          }
        }
        return {
          TSMappedType(node) {
            if (node.typeAnnotation) {
              checkTypeAnnotationSpacing(node.typeAnnotation);
            }
          },
          TSTypeAnnotation(node) {
            checkTypeAnnotationSpacing(node.typeAnnotation);
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/typedef.js
var require_typedef2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/typedef.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "typedef",
      meta: {
        docs: {
          description: "Require type annotations in certain places"
        },
        messages: {
          expectedTypedef: "Expected a type annotation.",
          expectedTypedefNamed: "Expected {{name}} to have a type annotation."
        },
        schema: [
          {
            type: "object",
            additionalProperties: false,
            properties: {
              [
                "arrayDestructuring"
                /* OptionKeys.ArrayDestructuring */
              ]: { type: "boolean" },
              [
                "arrowParameter"
                /* OptionKeys.ArrowParameter */
              ]: { type: "boolean" },
              [
                "memberVariableDeclaration"
                /* OptionKeys.MemberVariableDeclaration */
              ]: { type: "boolean" },
              [
                "objectDestructuring"
                /* OptionKeys.ObjectDestructuring */
              ]: { type: "boolean" },
              [
                "parameter"
                /* OptionKeys.Parameter */
              ]: { type: "boolean" },
              [
                "propertyDeclaration"
                /* OptionKeys.PropertyDeclaration */
              ]: { type: "boolean" },
              [
                "variableDeclaration"
                /* OptionKeys.VariableDeclaration */
              ]: { type: "boolean" },
              [
                "variableDeclarationIgnoreFunction"
                /* OptionKeys.VariableDeclarationIgnoreFunction */
              ]: { type: "boolean" }
            }
          }
        ],
        type: "suggestion"
      },
      defaultOptions: [
        {
          [
            "arrayDestructuring"
            /* OptionKeys.ArrayDestructuring */
          ]: false,
          [
            "arrowParameter"
            /* OptionKeys.ArrowParameter */
          ]: false,
          [
            "memberVariableDeclaration"
            /* OptionKeys.MemberVariableDeclaration */
          ]: false,
          [
            "objectDestructuring"
            /* OptionKeys.ObjectDestructuring */
          ]: false,
          [
            "parameter"
            /* OptionKeys.Parameter */
          ]: false,
          [
            "propertyDeclaration"
            /* OptionKeys.PropertyDeclaration */
          ]: false,
          [
            "variableDeclaration"
            /* OptionKeys.VariableDeclaration */
          ]: false,
          [
            "variableDeclarationIgnoreFunction"
            /* OptionKeys.VariableDeclarationIgnoreFunction */
          ]: false
        }
      ],
      create(context, [{ arrayDestructuring, arrowParameter, memberVariableDeclaration, objectDestructuring, parameter, propertyDeclaration, variableDeclaration, variableDeclarationIgnoreFunction }]) {
        function report(location, name) {
          context.report({
            node: location,
            messageId: name ? "expectedTypedefNamed" : "expectedTypedef",
            data: { name }
          });
        }
        function getNodeName(node) {
          return node.type === utils_1.AST_NODE_TYPES.Identifier ? node.name : void 0;
        }
        function isForOfStatementContext(node) {
          let current = node.parent;
          while (current) {
            switch (current.type) {
              case utils_1.AST_NODE_TYPES.VariableDeclarator:
              case utils_1.AST_NODE_TYPES.VariableDeclaration:
              case utils_1.AST_NODE_TYPES.ObjectPattern:
              case utils_1.AST_NODE_TYPES.ArrayPattern:
              case utils_1.AST_NODE_TYPES.Property:
                current = current.parent;
                break;
              case utils_1.AST_NODE_TYPES.ForOfStatement:
                return true;
              default:
                current = void 0;
            }
          }
          return false;
        }
        function checkParameters(params) {
          for (const param of params) {
            let annotationNode;
            switch (param.type) {
              case utils_1.AST_NODE_TYPES.AssignmentPattern:
                annotationNode = param.left;
                break;
              case utils_1.AST_NODE_TYPES.TSParameterProperty:
                annotationNode = param.parameter;
                if (annotationNode.type === utils_1.AST_NODE_TYPES.AssignmentPattern) {
                  annotationNode = annotationNode.left;
                }
                break;
              default:
                annotationNode = param;
                break;
            }
            if (!annotationNode.typeAnnotation) {
              report(param, getNodeName(param));
            }
          }
        }
        function isVariableDeclarationIgnoreFunction(node) {
          return variableDeclarationIgnoreFunction === true && (node.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression || node.type === utils_1.AST_NODE_TYPES.FunctionExpression);
        }
        function isAncestorHasTypeAnnotation(node) {
          let ancestor = node.parent;
          while (ancestor) {
            if ((ancestor.type === utils_1.AST_NODE_TYPES.ObjectPattern || ancestor.type === utils_1.AST_NODE_TYPES.ArrayPattern) && ancestor.typeAnnotation) {
              return true;
            }
            ancestor = ancestor.parent;
          }
          return false;
        }
        return {
          ...arrayDestructuring && {
            ArrayPattern(node) {
              if (node.parent.type === utils_1.AST_NODE_TYPES.RestElement && node.parent.typeAnnotation) {
                return;
              }
              if (!node.typeAnnotation && !isForOfStatementContext(node) && !isAncestorHasTypeAnnotation(node) && node.parent.type !== utils_1.AST_NODE_TYPES.AssignmentExpression) {
                report(node);
              }
            }
          },
          ...arrowParameter && {
            ArrowFunctionExpression(node) {
              checkParameters(node.params);
            }
          },
          ...memberVariableDeclaration && {
            PropertyDefinition(node) {
              if (!(node.value && isVariableDeclarationIgnoreFunction(node.value)) && !node.typeAnnotation) {
                report(node, node.key.type === utils_1.AST_NODE_TYPES.Identifier ? node.key.name : void 0);
              }
            }
          },
          ...parameter && {
            "FunctionDeclaration, FunctionExpression"(node) {
              checkParameters(node.params);
            }
          },
          ...objectDestructuring && {
            ObjectPattern(node) {
              if (!node.typeAnnotation && !isForOfStatementContext(node) && !isAncestorHasTypeAnnotation(node)) {
                report(node);
              }
            }
          },
          ...propertyDeclaration && {
            "TSIndexSignature, TSPropertySignature"(node) {
              if (!node.typeAnnotation) {
                report(node, node.type === utils_1.AST_NODE_TYPES.TSPropertySignature ? getNodeName(node.key) : void 0);
              }
            }
          },
          VariableDeclarator(node) {
            if (!variableDeclaration || node.id.typeAnnotation || node.id.type === utils_1.AST_NODE_TYPES.ArrayPattern && !arrayDestructuring || node.id.type === utils_1.AST_NODE_TYPES.ObjectPattern && !objectDestructuring || node.init && isVariableDeclarationIgnoreFunction(node.init)) {
              return;
            }
            let current = node.parent;
            while (current) {
              switch (current.type) {
                case utils_1.AST_NODE_TYPES.VariableDeclaration:
                  current = current.parent;
                  break;
                case utils_1.AST_NODE_TYPES.ForOfStatement:
                case utils_1.AST_NODE_TYPES.ForInStatement:
                  return;
                default:
                  current = void 0;
                  break;
              }
            }
            report(node, getNodeName(node.id));
          }
        };
      }
    });
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/unbound-method.js
var require_unbound_method2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/unbound-method.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var ts = __importStar2(require_typescript3());
    var util_1 = require_util7();
    var SUPPORTED_GLOBALS = [
      "Number",
      "Object",
      "String",
      // eslint-disable-line @typescript-eslint/internal/prefer-ast-types-enum
      "RegExp",
      "Symbol",
      "Array",
      "Proxy",
      "Date",
      "Atomics",
      "Reflect",
      "console",
      "Math",
      "JSON",
      "Intl"
    ];
    var nativelyBoundMembers = new Set(SUPPORTED_GLOBALS.flatMap((namespace) => {
      if (!(namespace in global)) {
        return [];
      }
      const object = global[namespace];
      return Object.getOwnPropertyNames(object).filter((name) => !name.startsWith("_") && typeof object[name] === "function").map((name) => `${namespace}.${name}`);
    }));
    var isNotImported = (symbol, currentSourceFile) => {
      const { valueDeclaration } = symbol;
      if (!valueDeclaration) {
        return false;
      }
      return !!currentSourceFile && currentSourceFile !== valueDeclaration.getSourceFile();
    };
    var getNodeName = (node) => node.type === utils_1.AST_NODE_TYPES.Identifier ? node.name : null;
    var getMemberFullName = (node) => `${getNodeName(node.object)}.${getNodeName(node.property)}`;
    var BASE_MESSAGE = "Avoid referencing unbound methods which may cause unintentional scoping of `this`.";
    exports2.default = (0, util_1.createRule)({
      name: "unbound-method",
      meta: {
        docs: {
          description: "Enforce unbound methods are called with their expected scope",
          recommended: "recommended",
          requiresTypeChecking: true
        },
        messages: {
          unbound: BASE_MESSAGE,
          unboundWithoutThisAnnotation: BASE_MESSAGE + "\nIf your function does not access `this`, you can annotate it with `this: void`, or consider using an arrow function instead."
        },
        schema: [
          {
            type: "object",
            properties: {
              ignoreStatic: {
                description: "Whether to skip checking whether `static` methods are correctly bound.",
                type: "boolean"
              }
            },
            additionalProperties: false
          }
        ],
        type: "problem"
      },
      defaultOptions: [
        {
          ignoreStatic: false
        }
      ],
      create(context, [{ ignoreStatic }]) {
        const services = (0, util_1.getParserServices)(context);
        const currentSourceFile = services.program.getSourceFile(context.filename);
        function checkIfMethodAndReport(node, symbol) {
          if (!symbol) {
            return;
          }
          const { dangerous, firstParamIsThis } = checkIfMethod(symbol, ignoreStatic);
          if (dangerous) {
            context.report({
              messageId: firstParamIsThis === false ? "unboundWithoutThisAnnotation" : "unbound",
              node
            });
          }
        }
        return {
          MemberExpression(node) {
            if (isSafeUse(node)) {
              return;
            }
            const objectSymbol = services.getSymbolAtLocation(node.object);
            if (objectSymbol && nativelyBoundMembers.has(getMemberFullName(node)) && isNotImported(objectSymbol, currentSourceFile)) {
              return;
            }
            checkIfMethodAndReport(node, services.getSymbolAtLocation(node));
          },
          "VariableDeclarator, AssignmentExpression"(node) {
            const [idNode, initNode] = node.type === utils_1.AST_NODE_TYPES.VariableDeclarator ? [node.id, node.init] : [node.left, node.right];
            if (initNode && idNode.type === utils_1.AST_NODE_TYPES.ObjectPattern) {
              const rightSymbol = services.getSymbolAtLocation(initNode);
              const initTypes = services.getTypeAtLocation(initNode);
              const notImported = rightSymbol && isNotImported(rightSymbol, currentSourceFile);
              idNode.properties.forEach((property) => {
                if (property.type === utils_1.AST_NODE_TYPES.Property && property.key.type === utils_1.AST_NODE_TYPES.Identifier) {
                  if (notImported && (0, util_1.isIdentifier)(initNode) && nativelyBoundMembers.has(`${initNode.name}.${property.key.name}`)) {
                    return;
                  }
                  checkIfMethodAndReport(property.key, initTypes.getProperty(property.key.name));
                }
              });
            }
          }
        };
      }
    });
    function checkIfMethod(symbol, ignoreStatic) {
      const { valueDeclaration } = symbol;
      if (!valueDeclaration) {
        return { dangerous: false };
      }
      switch (valueDeclaration.kind) {
        case ts.SyntaxKind.PropertyDeclaration:
          return {
            dangerous: valueDeclaration.initializer?.kind === ts.SyntaxKind.FunctionExpression
          };
        case ts.SyntaxKind.PropertyAssignment: {
          const assignee = valueDeclaration.initializer;
          if (assignee.kind !== ts.SyntaxKind.FunctionExpression) {
            return {
              dangerous: false
            };
          }
          return checkMethod(assignee, ignoreStatic);
        }
        case ts.SyntaxKind.MethodDeclaration:
        case ts.SyntaxKind.MethodSignature: {
          return checkMethod(valueDeclaration, ignoreStatic);
        }
      }
      return { dangerous: false };
    }
    function checkMethod(valueDeclaration, ignoreStatic) {
      const firstParam = valueDeclaration.parameters.at(0);
      const firstParamIsThis = firstParam?.name.kind === ts.SyntaxKind.Identifier && // eslint-disable-next-line @typescript-eslint/no-unsafe-enum-comparison
      firstParam.name.escapedText === "this";
      const thisArgIsVoid = firstParamIsThis && firstParam.type?.kind === ts.SyntaxKind.VoidKeyword;
      return {
        dangerous: !thisArgIsVoid && !(ignoreStatic && tsutils.includesModifier((0, util_1.getModifiers)(valueDeclaration), ts.SyntaxKind.StaticKeyword)),
        firstParamIsThis
      };
    }
    function isSafeUse(node) {
      const parent = node.parent;
      switch (parent?.type) {
        case utils_1.AST_NODE_TYPES.IfStatement:
        case utils_1.AST_NODE_TYPES.ForStatement:
        case utils_1.AST_NODE_TYPES.MemberExpression:
        case utils_1.AST_NODE_TYPES.SwitchStatement:
        case utils_1.AST_NODE_TYPES.UpdateExpression:
        case utils_1.AST_NODE_TYPES.WhileStatement:
          return true;
        case utils_1.AST_NODE_TYPES.CallExpression:
          return parent.callee === node;
        case utils_1.AST_NODE_TYPES.ConditionalExpression:
          return parent.test === node;
        case utils_1.AST_NODE_TYPES.TaggedTemplateExpression:
          return parent.tag === node;
        case utils_1.AST_NODE_TYPES.UnaryExpression:
          return ["typeof", "!", "void", "delete"].includes(parent.operator);
        case utils_1.AST_NODE_TYPES.BinaryExpression:
          return ["instanceof", "==", "!=", "===", "!=="].includes(parent.operator);
        case utils_1.AST_NODE_TYPES.AssignmentExpression:
          return parent.operator === "=" && (node === parent.left || node.type === utils_1.AST_NODE_TYPES.MemberExpression && node.object.type === utils_1.AST_NODE_TYPES.Super && parent.left.type === utils_1.AST_NODE_TYPES.MemberExpression && parent.left.object.type === utils_1.AST_NODE_TYPES.ThisExpression);
        case utils_1.AST_NODE_TYPES.ChainExpression:
        case utils_1.AST_NODE_TYPES.TSNonNullExpression:
        case utils_1.AST_NODE_TYPES.TSAsExpression:
        case utils_1.AST_NODE_TYPES.TSTypeAssertion:
          return isSafeUse(parent);
        case utils_1.AST_NODE_TYPES.LogicalExpression:
          if (parent.operator === "&&" && parent.left === node) {
            return true;
          }
          return isSafeUse(parent);
      }
      return false;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/unified-signatures.js
var require_unified_signatures2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/unified-signatures.js"(exports2) {
    "use strict";
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var util_1 = require_util7();
    exports2.default = (0, util_1.createRule)({
      name: "unified-signatures",
      meta: {
        docs: {
          description: "Disallow two overloads that could be unified into one with a union or an optional/rest parameter",
          // too opinionated to be recommended
          recommended: "strict"
        },
        type: "suggestion",
        messages: {
          omittingRestParameter: "{{failureStringStart}} with a rest parameter.",
          omittingSingleParameter: "{{failureStringStart}} with an optional parameter.",
          singleParameterDifference: "{{failureStringStart}} taking `{{type1}} | {{type2}}`."
        },
        schema: [
          {
            additionalProperties: false,
            properties: {
              ignoreDifferentlyNamedParameters: {
                description: "Whether two parameters with different names at the same index should be considered different even if their types are the same.",
                type: "boolean"
              }
            },
            type: "object"
          }
        ]
      },
      defaultOptions: [
        {
          ignoreDifferentlyNamedParameters: false
        }
      ],
      create(context, [{ ignoreDifferentlyNamedParameters }]) {
        function failureStringStart(otherLine) {
          const overloads = otherLine === void 0 ? "These overloads" : `This overload and the one on line ${otherLine}`;
          return `${overloads} can be combined into one signature`;
        }
        function addFailures(failures) {
          for (const failure of failures) {
            const { unify, only2 } = failure;
            switch (unify.kind) {
              case "single-parameter-difference": {
                const { p0, p1 } = unify;
                const lineOfOtherOverload = only2 ? void 0 : p0.loc.start.line;
                const typeAnnotation0 = isTSParameterProperty(p0) ? p0.parameter.typeAnnotation : p0.typeAnnotation;
                const typeAnnotation1 = isTSParameterProperty(p1) ? p1.parameter.typeAnnotation : p1.typeAnnotation;
                context.report({
                  loc: p1.loc,
                  messageId: "singleParameterDifference",
                  data: {
                    failureStringStart: failureStringStart(lineOfOtherOverload),
                    type1: context.sourceCode.getText(typeAnnotation0?.typeAnnotation),
                    type2: context.sourceCode.getText(typeAnnotation1?.typeAnnotation)
                  },
                  node: p1
                });
                break;
              }
              case "extra-parameter": {
                const { extraParameter, otherSignature } = unify;
                const lineOfOtherOverload = only2 ? void 0 : otherSignature.loc.start.line;
                context.report({
                  loc: extraParameter.loc,
                  messageId: extraParameter.type === utils_1.AST_NODE_TYPES.RestElement ? "omittingRestParameter" : "omittingSingleParameter",
                  data: {
                    failureStringStart: failureStringStart(lineOfOtherOverload)
                  },
                  node: extraParameter
                });
              }
            }
          }
        }
        function checkOverloads(signatures, typeParameters) {
          const result = [];
          const isTypeParameter = getIsTypeParameter(typeParameters);
          for (const overloads of signatures) {
            forEachPair(overloads, (a, b) => {
              const signature0 = a.value ?? a;
              const signature1 = b.value ?? b;
              const unify = compareSignatures(signature0, signature1, isTypeParameter);
              if (unify !== void 0) {
                result.push({ unify, only2: overloads.length === 2 });
              }
            });
          }
          return result;
        }
        function compareSignatures(a, b, isTypeParameter) {
          if (!signaturesCanBeUnified(a, b, isTypeParameter)) {
            return void 0;
          }
          return a.params.length === b.params.length ? signaturesDifferBySingleParameter(a.params, b.params) : signaturesDifferByOptionalOrRestParameter(a, b);
        }
        function signaturesCanBeUnified(a, b, isTypeParameter) {
          const aTypeParams = a.typeParameters !== void 0 ? a.typeParameters.params : void 0;
          const bTypeParams = b.typeParameters !== void 0 ? b.typeParameters.params : void 0;
          if (ignoreDifferentlyNamedParameters) {
            const commonParamsLength = Math.min(a.params.length, b.params.length);
            for (let i = 0; i < commonParamsLength; i += 1) {
              if (a.params[i].type === b.params[i].type && getStaticParameterName(a.params[i]) !== getStaticParameterName(b.params[i])) {
                return false;
              }
            }
          }
          return typesAreEqual(a.returnType, b.returnType) && // Must take the same type parameters.
          // If one uses a type parameter (from outside) and the other doesn't, they shouldn't be joined.
          (0, util_1.arraysAreEqual)(aTypeParams, bTypeParams, typeParametersAreEqual) && signatureUsesTypeParameter(a, isTypeParameter) === signatureUsesTypeParameter(b, isTypeParameter);
        }
        function signaturesDifferBySingleParameter(types1, types2) {
          const index = getIndexOfFirstDifference(types1, types2, parametersAreEqual);
          if (index === void 0) {
            return void 0;
          }
          if (!(0, util_1.arraysAreEqual)(types1.slice(index + 1), types2.slice(index + 1), parametersAreEqual)) {
            return void 0;
          }
          const a = types1[index];
          const b = types2[index];
          return parametersHaveEqualSigils(a, b) && a.type !== utils_1.AST_NODE_TYPES.RestElement ? { kind: "single-parameter-difference", p0: a, p1: b } : void 0;
        }
        function signaturesDifferByOptionalOrRestParameter(a, b) {
          const sig1 = a.params;
          const sig2 = b.params;
          const minLength = Math.min(sig1.length, sig2.length);
          const longer = sig1.length < sig2.length ? sig2 : sig1;
          const shorter = sig1.length < sig2.length ? sig1 : sig2;
          const shorterSig = sig1.length < sig2.length ? a : b;
          for (let i = minLength + 1; i < longer.length; i++) {
            if (!parameterMayBeMissing(longer[i])) {
              return void 0;
            }
          }
          for (let i = 0; i < minLength; i++) {
            const sig1i = sig1[i];
            const sig2i = sig2[i];
            const typeAnnotation1 = isTSParameterProperty(sig1i) ? sig1i.parameter.typeAnnotation : sig1i.typeAnnotation;
            const typeAnnotation2 = isTSParameterProperty(sig2i) ? sig2i.parameter.typeAnnotation : sig2i.typeAnnotation;
            if (!typesAreEqual(typeAnnotation1, typeAnnotation2)) {
              return void 0;
            }
          }
          if (minLength > 0 && shorter[minLength - 1].type === utils_1.AST_NODE_TYPES.RestElement) {
            return void 0;
          }
          return {
            extraParameter: longer[longer.length - 1],
            kind: "extra-parameter",
            otherSignature: shorterSig
          };
        }
        function getIsTypeParameter(typeParameters) {
          if (typeParameters === void 0) {
            return () => false;
          }
          const set = /* @__PURE__ */ new Set();
          for (const t of typeParameters.params) {
            set.add(t.name.name);
          }
          return (typeName) => set.has(typeName);
        }
        function signatureUsesTypeParameter(sig, isTypeParameter) {
          return sig.params.some((p) => typeContainsTypeParameter(isTSParameterProperty(p) ? p.parameter.typeAnnotation : p.typeAnnotation));
          function typeContainsTypeParameter(type) {
            if (!type) {
              return false;
            }
            if (type.type === utils_1.AST_NODE_TYPES.TSTypeReference) {
              const typeName = type.typeName;
              if (isIdentifier(typeName) && isTypeParameter(typeName.name)) {
                return true;
              }
            }
            return typeContainsTypeParameter(type.typeAnnotation ?? type.elementType);
          }
        }
        function isTSParameterProperty(node) {
          return node.type === utils_1.AST_NODE_TYPES.TSParameterProperty;
        }
        function parametersAreEqual(a, b) {
          const typeAnnotationA = isTSParameterProperty(a) ? a.parameter.typeAnnotation : a.typeAnnotation;
          const typeAnnotationB = isTSParameterProperty(b) ? b.parameter.typeAnnotation : b.typeAnnotation;
          return parametersHaveEqualSigils(a, b) && typesAreEqual(typeAnnotationA, typeAnnotationB);
        }
        function parameterMayBeMissing(p) {
          const optional = isTSParameterProperty(p) ? p.parameter.optional : p.optional;
          return p.type === utils_1.AST_NODE_TYPES.RestElement || optional;
        }
        function parametersHaveEqualSigils(a, b) {
          const optionalA = isTSParameterProperty(a) ? a.parameter.optional : a.optional;
          const optionalB = isTSParameterProperty(b) ? b.parameter.optional : b.optional;
          return a.type === utils_1.AST_NODE_TYPES.RestElement === (b.type === utils_1.AST_NODE_TYPES.RestElement) && optionalA === optionalB;
        }
        function typeParametersAreEqual(a, b) {
          return a.name.name === b.name.name && constraintsAreEqual(a.constraint, b.constraint);
        }
        function typesAreEqual(a, b) {
          return a === b || a !== void 0 && b !== void 0 && context.sourceCode.getText(a.typeAnnotation) === context.sourceCode.getText(b.typeAnnotation);
        }
        function constraintsAreEqual(a, b) {
          return a === b || a !== void 0 && b !== void 0 && a.type === b.type;
        }
        function getIndexOfFirstDifference(a, b, equal) {
          for (let i = 0; i < a.length && i < b.length; i++) {
            if (!equal(a[i], b[i])) {
              return i;
            }
          }
          return void 0;
        }
        function forEachPair(values, action) {
          for (let i = 0; i < values.length; i++) {
            for (let j = i + 1; j < values.length; j++) {
              action(values[i], values[j]);
            }
          }
        }
        const scopes = [];
        let currentScope = {
          overloads: /* @__PURE__ */ new Map()
        };
        function createScope(parent, typeParameters) {
          currentScope && scopes.push(currentScope);
          currentScope = {
            overloads: /* @__PURE__ */ new Map(),
            parent,
            typeParameters
          };
        }
        function checkScope() {
          const scope = (0, util_1.nullThrows)(currentScope, "checkScope() called without a current scope");
          const failures = checkOverloads(Array.from(scope.overloads.values()), scope.typeParameters);
          addFailures(failures);
          currentScope = scopes.pop();
        }
        function addOverload(signature, key, containingNode) {
          key ??= getOverloadKey(signature);
          if (currentScope && (containingNode ?? signature).parent === currentScope.parent) {
            const overloads = currentScope.overloads.get(key);
            if (overloads !== void 0) {
              overloads.push(signature);
            } else {
              currentScope.overloads.set(key, [signature]);
            }
          }
        }
        return {
          Program: createScope,
          TSModuleBlock: createScope,
          TSInterfaceDeclaration(node) {
            createScope(node.body, node.typeParameters);
          },
          ClassDeclaration(node) {
            createScope(node.body, node.typeParameters);
          },
          TSTypeLiteral: createScope,
          // collect overloads
          TSDeclareFunction(node) {
            const exportingNode = getExportingNode(node);
            addOverload(node, node.id?.name ?? exportingNode?.type, exportingNode);
          },
          TSCallSignatureDeclaration: addOverload,
          TSConstructSignatureDeclaration: addOverload,
          TSMethodSignature: addOverload,
          TSAbstractMethodDefinition(node) {
            if (!node.value.body) {
              addOverload(node);
            }
          },
          MethodDefinition(node) {
            if (!node.value.body) {
              addOverload(node);
            }
          },
          // validate scopes
          "Program:exit": checkScope,
          "TSModuleBlock:exit": checkScope,
          "TSInterfaceDeclaration:exit": checkScope,
          "ClassDeclaration:exit": checkScope,
          "TSTypeLiteral:exit": checkScope
        };
      }
    });
    function getExportingNode(node) {
      return node.parent.type === utils_1.AST_NODE_TYPES.ExportNamedDeclaration || node.parent.type === utils_1.AST_NODE_TYPES.ExportDefaultDeclaration ? node.parent : void 0;
    }
    function getOverloadKey(node) {
      const info = getOverloadInfo(node);
      return (node.computed ? "0" : "1") + (node.static ? "0" : "1") + info;
    }
    function getOverloadInfo(node) {
      switch (node.type) {
        case utils_1.AST_NODE_TYPES.TSConstructSignatureDeclaration:
          return "constructor";
        case utils_1.AST_NODE_TYPES.TSCallSignatureDeclaration:
          return "()";
        default: {
          const { key } = node;
          return isIdentifier(key) ? key.name : key.raw;
        }
      }
    }
    function getStaticParameterName(param) {
      switch (param.type) {
        case utils_1.AST_NODE_TYPES.Identifier:
          return param.name;
        case utils_1.AST_NODE_TYPES.RestElement:
          return getStaticParameterName(param.argument);
        default:
          return void 0;
      }
    }
    function isIdentifier(node) {
      return node.type === utils_1.AST_NODE_TYPES.Identifier;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/use-unknown-in-catch-callback-variable.js
var require_use_unknown_in_catch_callback_variable2 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/use-unknown-in-catch-callback-variable.js"(exports2) {
    "use strict";
    var __createBinding2 = exports2 && exports2.__createBinding || (Object.create ? function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      var desc = Object.getOwnPropertyDescriptor(m, k);
      if (!desc || ("get" in desc ? !m.__esModule : desc.writable || desc.configurable)) {
        desc = { enumerable: true, get: function() {
          return m[k];
        } };
      }
      Object.defineProperty(o, k2, desc);
    } : function(o, m, k, k2) {
      if (k2 === void 0) k2 = k;
      o[k2] = m[k];
    });
    var __setModuleDefault2 = exports2 && exports2.__setModuleDefault || (Object.create ? function(o, v) {
      Object.defineProperty(o, "default", { enumerable: true, value: v });
    } : function(o, v) {
      o["default"] = v;
    });
    var __importStar2 = exports2 && exports2.__importStar || function(mod) {
      if (mod && mod.__esModule) return mod;
      var result = {};
      if (mod != null) {
        for (var k in mod) if (k !== "default" && Object.prototype.hasOwnProperty.call(mod, k)) __createBinding2(result, mod, k);
      }
      __setModuleDefault2(result, mod);
      return result;
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var utils_1 = require_dist15();
    var tsutils = __importStar2(require_lib23());
    var util_1 = require_util7();
    var useUnknownMessageBase = "Prefer the safe `: unknown` for a catch callback variable.";
    exports2.default = (0, util_1.createRule)({
      name: "use-unknown-in-catch-callback-variable",
      meta: {
        docs: {
          description: "Enforce typing arguments in `.catch()` callbacks as `unknown`",
          requiresTypeChecking: true,
          recommended: "strict"
        },
        type: "suggestion",
        messages: {
          useUnknown: useUnknownMessageBase,
          useUnknownArrayDestructuringPattern: useUnknownMessageBase + " The thrown error may not be iterable.",
          useUnknownObjectDestructuringPattern: useUnknownMessageBase + " The thrown error may be nullable, or may not have the expected shape.",
          useUnknownSpreadArgs: useUnknownMessageBase + " The argument list may contain a handler that does not use `unknown` for the catch callback variable.",
          addUnknownTypeAnnotationSuggestion: "Add an explicit `: unknown` type annotation to the catch variable.",
          addUnknownRestTypeAnnotationSuggestion: "Add an explicit `: [unknown]` type annotation to the catch rest variable.",
          wrongTypeAnnotationSuggestion: "Change existing type annotation to `: unknown`.",
          wrongRestTypeAnnotationSuggestion: "Change existing type annotation to `: [unknown]`."
        },
        fixable: "code",
        schema: [],
        hasSuggestions: true
      },
      defaultOptions: [],
      create(context) {
        const services = (0, util_1.getParserServices)(context);
        const checker = services.program.getTypeChecker();
        function isPromiseCatchAccess(node) {
          if (!(node.type === utils_1.AST_NODE_TYPES.MemberExpression && isStaticMemberAccessOfValue(node, "catch"))) {
            return false;
          }
          const objectTsNode = services.esTreeNodeToTSNodeMap.get(node.object);
          const tsNode = services.esTreeNodeToTSNodeMap.get(node);
          return tsutils.isThenableType(checker, tsNode, checker.getTypeAtLocation(objectTsNode));
        }
        function isFlaggableHandlerType(type) {
          for (const unionPart of tsutils.unionTypeParts(type)) {
            const callSignatures = tsutils.getCallSignaturesOfType(unionPart);
            if (callSignatures.length === 0) {
              continue;
            }
            for (const callSignature of callSignatures) {
              const firstParam = callSignature.parameters.at(0);
              if (!firstParam) {
                continue;
              }
              let firstParamType = checker.getTypeOfSymbol(firstParam);
              const decl = firstParam.valueDeclaration;
              if (decl != null && (0, util_1.isRestParameterDeclaration)(decl)) {
                if (checker.isArrayType(firstParamType)) {
                  firstParamType = checker.getTypeArguments(firstParamType)[0];
                } else if (checker.isTupleType(firstParamType)) {
                  firstParamType = checker.getTypeArguments(firstParamType)[0];
                } else {
                  return true;
                }
              }
              if (!tsutils.isIntrinsicUnknownType(firstParamType)) {
                return true;
              }
            }
          }
          return false;
        }
        function shouldFlagArgument(node) {
          const argument = services.esTreeNodeToTSNodeMap.get(node);
          const typeOfArgument = checker.getTypeAtLocation(argument);
          return isFlaggableHandlerType(typeOfArgument);
        }
        function shouldFlagMultipleSpreadArgs(argumentsList) {
          return argumentsList.some((argument) => shouldFlagArgument(argument));
        }
        function shouldFlagSingleSpreadArg(node) {
          const spreadArgs = services.esTreeNodeToTSNodeMap.get(node.argument);
          const spreadArgsType = checker.getTypeAtLocation(spreadArgs);
          if (checker.isArrayType(spreadArgsType)) {
            const arrayType2 = checker.getTypeArguments(spreadArgsType)[0];
            return isFlaggableHandlerType(arrayType2);
          }
          if (checker.isTupleType(spreadArgsType)) {
            const firstType = checker.getTypeArguments(spreadArgsType).at(0);
            if (!firstType) {
              return false;
            }
            return isFlaggableHandlerType(firstType);
          }
          return true;
        }
        function refineReportForNormalArgumentIfPossible(argument) {
          if (!(argument.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression || argument.type === utils_1.AST_NODE_TYPES.FunctionExpression)) {
            return void 0;
          }
          const catchVariableOuterWithIncorrectTypes = (0, util_1.nullThrows)(argument.params.at(0), "There should have been at least one parameter for the rule to have flagged.");
          const catchVariableOuter = catchVariableOuterWithIncorrectTypes;
          const catchVariableInner = catchVariableOuter.type === utils_1.AST_NODE_TYPES.AssignmentPattern ? catchVariableOuter.left : catchVariableOuter;
          switch (catchVariableInner.type) {
            case utils_1.AST_NODE_TYPES.Identifier: {
              const catchVariableTypeAnnotation = catchVariableInner.typeAnnotation;
              if (catchVariableTypeAnnotation == null) {
                return {
                  node: catchVariableOuter,
                  suggest: [
                    {
                      messageId: "addUnknownTypeAnnotationSuggestion",
                      fix: (fixer) => {
                        if (argument.type === utils_1.AST_NODE_TYPES.ArrowFunctionExpression && (0, util_1.isParenlessArrowFunction)(argument, context.sourceCode)) {
                          return [
                            fixer.insertTextBefore(catchVariableInner, "("),
                            fixer.insertTextAfter(catchVariableInner, ": unknown)")
                          ];
                        }
                        return [
                          fixer.insertTextAfter(catchVariableInner, ": unknown")
                        ];
                      }
                    }
                  ]
                };
              }
              return {
                node: catchVariableOuter,
                suggest: [
                  {
                    messageId: "wrongTypeAnnotationSuggestion",
                    fix: (fixer) => fixer.replaceText(catchVariableTypeAnnotation, ": unknown")
                  }
                ]
              };
            }
            case utils_1.AST_NODE_TYPES.ArrayPattern: {
              return {
                node: catchVariableOuter,
                messageId: "useUnknownArrayDestructuringPattern"
              };
            }
            case utils_1.AST_NODE_TYPES.ObjectPattern: {
              return {
                node: catchVariableOuter,
                messageId: "useUnknownObjectDestructuringPattern"
              };
            }
            case utils_1.AST_NODE_TYPES.RestElement: {
              const catchVariableTypeAnnotation = catchVariableInner.typeAnnotation;
              if (catchVariableTypeAnnotation == null) {
                return {
                  node: catchVariableOuter,
                  suggest: [
                    {
                      messageId: "addUnknownRestTypeAnnotationSuggestion",
                      fix: (fixer) => fixer.insertTextAfter(catchVariableInner, ": [unknown]")
                    }
                  ]
                };
              }
              return {
                node: catchVariableOuter,
                suggest: [
                  {
                    messageId: "wrongRestTypeAnnotationSuggestion",
                    fix: (fixer) => fixer.replaceText(catchVariableTypeAnnotation, ": [unknown]")
                  }
                ]
              };
            }
          }
        }
        return {
          CallExpression(node) {
            if (node.arguments.length === 0 || !isPromiseCatchAccess(node.callee)) {
              return;
            }
            const firstArgument = node.arguments[0];
            if (firstArgument.type === utils_1.AST_NODE_TYPES.SpreadElement) {
              if (node.arguments.length === 1) {
                if (shouldFlagSingleSpreadArg(firstArgument)) {
                  context.report({
                    node: firstArgument,
                    messageId: "useUnknown"
                  });
                }
              } else if (shouldFlagMultipleSpreadArgs(node.arguments)) {
                context.report({
                  node,
                  messageId: "useUnknownSpreadArgs"
                });
              }
              return;
            }
            if (shouldFlagArgument(firstArgument)) {
              const overrides = refineReportForNormalArgumentIfPossible(firstArgument);
              context.report({
                node: firstArgument,
                messageId: "useUnknown",
                ...overrides
              });
            }
          }
        };
      }
    });
    function isStaticMemberAccessOfValue(memberExpression, value, scope) {
      if (!memberExpression.computed) {
        return memberExpression.property.name === value;
      }
      const staticValueResult = (0, util_1.getStaticValue)(memberExpression.property, scope);
      return staticValueResult != null && value === staticValueResult.value;
    }
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/index.js
var require_rules7 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/rules/index.js"(exports2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    Object.defineProperty(exports2, "__esModule", { value: true });
    var adjacent_overload_signatures_1 = __importDefault2(require_adjacent_overload_signatures2());
    var array_type_1 = __importDefault2(require_array_type2());
    var await_thenable_1 = __importDefault2(require_await_thenable2());
    var ban_ts_comment_1 = __importDefault2(require_ban_ts_comment2());
    var ban_tslint_comment_1 = __importDefault2(require_ban_tslint_comment2());
    var ban_types_1 = __importDefault2(require_ban_types2());
    var block_spacing_1 = __importDefault2(require_block_spacing2());
    var brace_style_1 = __importDefault2(require_brace_style2());
    var class_literal_property_style_1 = __importDefault2(require_class_literal_property_style2());
    var class_methods_use_this_1 = __importDefault2(require_class_methods_use_this2());
    var comma_dangle_1 = __importDefault2(require_comma_dangle3());
    var comma_spacing_1 = __importDefault2(require_comma_spacing2());
    var consistent_generic_constructors_1 = __importDefault2(require_consistent_generic_constructors2());
    var consistent_indexed_object_style_1 = __importDefault2(require_consistent_indexed_object_style2());
    var consistent_return_1 = __importDefault2(require_consistent_return2());
    var consistent_type_assertions_1 = __importDefault2(require_consistent_type_assertions2());
    var consistent_type_definitions_1 = __importDefault2(require_consistent_type_definitions2());
    var consistent_type_exports_1 = __importDefault2(require_consistent_type_exports2());
    var consistent_type_imports_1 = __importDefault2(require_consistent_type_imports2());
    var default_param_last_1 = __importDefault2(require_default_param_last2());
    var dot_notation_1 = __importDefault2(require_dot_notation2());
    var explicit_function_return_type_1 = __importDefault2(require_explicit_function_return_type2());
    var explicit_member_accessibility_1 = __importDefault2(require_explicit_member_accessibility2());
    var explicit_module_boundary_types_1 = __importDefault2(require_explicit_module_boundary_types2());
    var func_call_spacing_1 = __importDefault2(require_func_call_spacing2());
    var indent_1 = __importDefault2(require_indent4());
    var init_declarations_1 = __importDefault2(require_init_declarations2());
    var key_spacing_1 = __importDefault2(require_key_spacing4());
    var keyword_spacing_1 = __importDefault2(require_keyword_spacing2());
    var lines_around_comment_1 = __importDefault2(require_lines_around_comment2());
    var lines_between_class_members_1 = __importDefault2(require_lines_between_class_members2());
    var max_params_1 = __importDefault2(require_max_params2());
    var member_delimiter_style_1 = __importDefault2(require_member_delimiter_style2());
    var member_ordering_1 = __importDefault2(require_member_ordering2());
    var method_signature_style_1 = __importDefault2(require_method_signature_style2());
    var naming_convention_1 = __importDefault2(require_naming_convention2());
    var no_array_constructor_1 = __importDefault2(require_no_array_constructor2());
    var no_array_delete_1 = __importDefault2(require_no_array_delete2());
    var no_base_to_string_1 = __importDefault2(require_no_base_to_string2());
    var no_confusing_non_null_assertion_1 = __importDefault2(require_no_confusing_non_null_assertion2());
    var no_confusing_void_expression_1 = __importDefault2(require_no_confusing_void_expression2());
    var no_dupe_class_members_1 = __importDefault2(require_no_dupe_class_members2());
    var no_duplicate_enum_values_1 = __importDefault2(require_no_duplicate_enum_values2());
    var no_duplicate_type_constituents_1 = __importDefault2(require_no_duplicate_type_constituents2());
    var no_dynamic_delete_1 = __importDefault2(require_no_dynamic_delete2());
    var no_empty_function_1 = __importDefault2(require_no_empty_function2());
    var no_empty_interface_1 = __importDefault2(require_no_empty_interface2());
    var no_empty_object_type_1 = __importDefault2(require_no_empty_object_type2());
    var no_explicit_any_1 = __importDefault2(require_no_explicit_any2());
    var no_extra_non_null_assertion_1 = __importDefault2(require_no_extra_non_null_assertion2());
    var no_extra_parens_1 = __importDefault2(require_no_extra_parens2());
    var no_extra_semi_1 = __importDefault2(require_no_extra_semi2());
    var no_extraneous_class_1 = __importDefault2(require_no_extraneous_class2());
    var no_floating_promises_1 = __importDefault2(require_no_floating_promises2());
    var no_for_in_array_1 = __importDefault2(require_no_for_in_array2());
    var no_implied_eval_1 = __importDefault2(require_no_implied_eval2());
    var no_import_type_side_effects_1 = __importDefault2(require_no_import_type_side_effects2());
    var no_inferrable_types_1 = __importDefault2(require_no_inferrable_types2());
    var no_invalid_this_1 = __importDefault2(require_no_invalid_this2());
    var no_invalid_void_type_1 = __importDefault2(require_no_invalid_void_type2());
    var no_loop_func_1 = __importDefault2(require_no_loop_func2());
    var no_loss_of_precision_1 = __importDefault2(require_no_loss_of_precision2());
    var no_magic_numbers_1 = __importDefault2(require_no_magic_numbers2());
    var no_meaningless_void_operator_1 = __importDefault2(require_no_meaningless_void_operator2());
    var no_misused_new_1 = __importDefault2(require_no_misused_new2());
    var no_misused_promises_1 = __importDefault2(require_no_misused_promises2());
    var no_mixed_enums_1 = __importDefault2(require_no_mixed_enums2());
    var no_namespace_1 = __importDefault2(require_no_namespace3());
    var no_non_null_asserted_nullish_coalescing_1 = __importDefault2(require_no_non_null_asserted_nullish_coalescing2());
    var no_non_null_asserted_optional_chain_1 = __importDefault2(require_no_non_null_asserted_optional_chain2());
    var no_non_null_assertion_1 = __importDefault2(require_no_non_null_assertion2());
    var no_redeclare_1 = __importDefault2(require_no_redeclare2());
    var no_redundant_type_constituents_1 = __importDefault2(require_no_redundant_type_constituents2());
    var no_require_imports_1 = __importDefault2(require_no_require_imports2());
    var no_restricted_imports_1 = __importDefault2(require_no_restricted_imports2());
    var no_shadow_1 = __importDefault2(require_no_shadow2());
    var no_this_alias_1 = __importDefault2(require_no_this_alias2());
    var no_throw_literal_1 = __importDefault2(require_no_throw_literal2());
    var no_type_alias_1 = __importDefault2(require_no_type_alias2());
    var no_unnecessary_boolean_literal_compare_1 = __importDefault2(require_no_unnecessary_boolean_literal_compare2());
    var no_unnecessary_condition_1 = __importDefault2(require_no_unnecessary_condition2());
    var no_unnecessary_parameter_property_assignment_1 = __importDefault2(require_no_unnecessary_parameter_property_assignment2());
    var no_unnecessary_qualifier_1 = __importDefault2(require_no_unnecessary_qualifier2());
    var no_unnecessary_template_expression_1 = __importDefault2(require_no_unnecessary_template_expression2());
    var no_unnecessary_type_arguments_1 = __importDefault2(require_no_unnecessary_type_arguments2());
    var no_unnecessary_type_assertion_1 = __importDefault2(require_no_unnecessary_type_assertion2());
    var no_unnecessary_type_constraint_1 = __importDefault2(require_no_unnecessary_type_constraint2());
    var no_unnecessary_type_parameters_1 = __importDefault2(require_no_unnecessary_type_parameters2());
    var no_unsafe_argument_1 = __importDefault2(require_no_unsafe_argument2());
    var no_unsafe_assignment_1 = __importDefault2(require_no_unsafe_assignment2());
    var no_unsafe_call_1 = __importDefault2(require_no_unsafe_call2());
    var no_unsafe_declaration_merging_1 = __importDefault2(require_no_unsafe_declaration_merging2());
    var no_unsafe_enum_comparison_1 = __importDefault2(require_no_unsafe_enum_comparison2());
    var no_unsafe_member_access_1 = __importDefault2(require_no_unsafe_member_access2());
    var no_unsafe_return_1 = __importDefault2(require_no_unsafe_return2());
    var no_unsafe_unary_minus_1 = __importDefault2(require_no_unsafe_unary_minus2());
    var no_unused_expressions_1 = __importDefault2(require_no_unused_expressions2());
    var no_unused_vars_1 = __importDefault2(require_no_unused_vars2());
    var no_use_before_define_1 = __importDefault2(require_no_use_before_define2());
    var no_useless_constructor_1 = __importDefault2(require_no_useless_constructor2());
    var no_useless_empty_export_1 = __importDefault2(require_no_useless_empty_export2());
    var no_useless_template_literals_1 = __importDefault2(require_no_useless_template_literals2());
    var no_var_requires_1 = __importDefault2(require_no_var_requires2());
    var non_nullable_type_assertion_style_1 = __importDefault2(require_non_nullable_type_assertion_style2());
    var object_curly_spacing_1 = __importDefault2(require_object_curly_spacing3());
    var only_throw_error_1 = __importDefault2(require_only_throw_error2());
    var padding_line_between_statements_1 = __importDefault2(require_padding_line_between_statements2());
    var parameter_properties_1 = __importDefault2(require_parameter_properties2());
    var prefer_as_const_1 = __importDefault2(require_prefer_as_const2());
    var prefer_destructuring_1 = __importDefault2(require_prefer_destructuring2());
    var prefer_enum_initializers_1 = __importDefault2(require_prefer_enum_initializers2());
    var prefer_find_1 = __importDefault2(require_prefer_find2());
    var prefer_for_of_1 = __importDefault2(require_prefer_for_of2());
    var prefer_function_type_1 = __importDefault2(require_prefer_function_type2());
    var prefer_includes_1 = __importDefault2(require_prefer_includes2());
    var prefer_literal_enum_member_1 = __importDefault2(require_prefer_literal_enum_member2());
    var prefer_namespace_keyword_1 = __importDefault2(require_prefer_namespace_keyword2());
    var prefer_nullish_coalescing_1 = __importDefault2(require_prefer_nullish_coalescing2());
    var prefer_optional_chain_1 = __importDefault2(require_prefer_optional_chain2());
    var prefer_promise_reject_errors_1 = __importDefault2(require_prefer_promise_reject_errors2());
    var prefer_readonly_1 = __importDefault2(require_prefer_readonly2());
    var prefer_readonly_parameter_types_1 = __importDefault2(require_prefer_readonly_parameter_types2());
    var prefer_reduce_type_parameter_1 = __importDefault2(require_prefer_reduce_type_parameter2());
    var prefer_regexp_exec_1 = __importDefault2(require_prefer_regexp_exec2());
    var prefer_return_this_type_1 = __importDefault2(require_prefer_return_this_type2());
    var prefer_string_starts_ends_with_1 = __importDefault2(require_prefer_string_starts_ends_with2());
    var prefer_ts_expect_error_1 = __importDefault2(require_prefer_ts_expect_error2());
    var promise_function_async_1 = __importDefault2(require_promise_function_async2());
    var quotes_1 = __importDefault2(require_quotes4());
    var require_array_sort_compare_1 = __importDefault2(require_require_array_sort_compare2());
    var require_await_1 = __importDefault2(require_require_await2());
    var restrict_plus_operands_1 = __importDefault2(require_restrict_plus_operands2());
    var restrict_template_expressions_1 = __importDefault2(require_restrict_template_expressions2());
    var return_await_1 = __importDefault2(require_return_await2());
    var semi_1 = __importDefault2(require_semi2());
    var sort_type_constituents_1 = __importDefault2(require_sort_type_constituents2());
    var space_before_blocks_1 = __importDefault2(require_space_before_blocks2());
    var space_before_function_paren_1 = __importDefault2(require_space_before_function_paren2());
    var space_infix_ops_1 = __importDefault2(require_space_infix_ops2());
    var strict_boolean_expressions_1 = __importDefault2(require_strict_boolean_expressions2());
    var switch_exhaustiveness_check_1 = __importDefault2(require_switch_exhaustiveness_check2());
    var triple_slash_reference_1 = __importDefault2(require_triple_slash_reference2());
    var type_annotation_spacing_1 = __importDefault2(require_type_annotation_spacing2());
    var typedef_1 = __importDefault2(require_typedef2());
    var unbound_method_1 = __importDefault2(require_unbound_method2());
    var unified_signatures_1 = __importDefault2(require_unified_signatures2());
    var use_unknown_in_catch_callback_variable_1 = __importDefault2(require_use_unknown_in_catch_callback_variable2());
    exports2.default = {
      "adjacent-overload-signatures": adjacent_overload_signatures_1.default,
      "array-type": array_type_1.default,
      "await-thenable": await_thenable_1.default,
      "ban-ts-comment": ban_ts_comment_1.default,
      "ban-tslint-comment": ban_tslint_comment_1.default,
      "ban-types": ban_types_1.default,
      "block-spacing": block_spacing_1.default,
      "brace-style": brace_style_1.default,
      "class-literal-property-style": class_literal_property_style_1.default,
      "class-methods-use-this": class_methods_use_this_1.default,
      "comma-dangle": comma_dangle_1.default,
      "comma-spacing": comma_spacing_1.default,
      "consistent-generic-constructors": consistent_generic_constructors_1.default,
      "consistent-indexed-object-style": consistent_indexed_object_style_1.default,
      "consistent-return": consistent_return_1.default,
      "consistent-type-assertions": consistent_type_assertions_1.default,
      "consistent-type-definitions": consistent_type_definitions_1.default,
      "consistent-type-exports": consistent_type_exports_1.default,
      "consistent-type-imports": consistent_type_imports_1.default,
      "default-param-last": default_param_last_1.default,
      "dot-notation": dot_notation_1.default,
      "explicit-function-return-type": explicit_function_return_type_1.default,
      "explicit-member-accessibility": explicit_member_accessibility_1.default,
      "explicit-module-boundary-types": explicit_module_boundary_types_1.default,
      "func-call-spacing": func_call_spacing_1.default,
      indent: indent_1.default,
      "init-declarations": init_declarations_1.default,
      "key-spacing": key_spacing_1.default,
      "keyword-spacing": keyword_spacing_1.default,
      "lines-around-comment": lines_around_comment_1.default,
      "lines-between-class-members": lines_between_class_members_1.default,
      "max-params": max_params_1.default,
      "member-delimiter-style": member_delimiter_style_1.default,
      "member-ordering": member_ordering_1.default,
      "method-signature-style": method_signature_style_1.default,
      "naming-convention": naming_convention_1.default,
      "no-array-constructor": no_array_constructor_1.default,
      "no-array-delete": no_array_delete_1.default,
      "no-base-to-string": no_base_to_string_1.default,
      "no-confusing-non-null-assertion": no_confusing_non_null_assertion_1.default,
      "no-confusing-void-expression": no_confusing_void_expression_1.default,
      "no-dupe-class-members": no_dupe_class_members_1.default,
      "no-duplicate-enum-values": no_duplicate_enum_values_1.default,
      "no-duplicate-type-constituents": no_duplicate_type_constituents_1.default,
      "no-dynamic-delete": no_dynamic_delete_1.default,
      "no-empty-function": no_empty_function_1.default,
      "no-empty-interface": no_empty_interface_1.default,
      "no-empty-object-type": no_empty_object_type_1.default,
      "no-explicit-any": no_explicit_any_1.default,
      "no-extra-non-null-assertion": no_extra_non_null_assertion_1.default,
      "no-extra-parens": no_extra_parens_1.default,
      "no-extra-semi": no_extra_semi_1.default,
      "no-extraneous-class": no_extraneous_class_1.default,
      "no-floating-promises": no_floating_promises_1.default,
      "no-for-in-array": no_for_in_array_1.default,
      "no-implied-eval": no_implied_eval_1.default,
      "no-import-type-side-effects": no_import_type_side_effects_1.default,
      "no-inferrable-types": no_inferrable_types_1.default,
      "no-invalid-this": no_invalid_this_1.default,
      "no-invalid-void-type": no_invalid_void_type_1.default,
      "no-loop-func": no_loop_func_1.default,
      "no-loss-of-precision": no_loss_of_precision_1.default,
      "no-magic-numbers": no_magic_numbers_1.default,
      "no-meaningless-void-operator": no_meaningless_void_operator_1.default,
      "no-misused-new": no_misused_new_1.default,
      "no-misused-promises": no_misused_promises_1.default,
      "no-mixed-enums": no_mixed_enums_1.default,
      "no-namespace": no_namespace_1.default,
      "no-non-null-asserted-nullish-coalescing": no_non_null_asserted_nullish_coalescing_1.default,
      "no-non-null-asserted-optional-chain": no_non_null_asserted_optional_chain_1.default,
      "no-non-null-assertion": no_non_null_assertion_1.default,
      "no-redeclare": no_redeclare_1.default,
      "no-redundant-type-constituents": no_redundant_type_constituents_1.default,
      "no-require-imports": no_require_imports_1.default,
      "no-restricted-imports": no_restricted_imports_1.default,
      "no-shadow": no_shadow_1.default,
      "no-this-alias": no_this_alias_1.default,
      "no-throw-literal": no_throw_literal_1.default,
      "no-type-alias": no_type_alias_1.default,
      "no-unnecessary-boolean-literal-compare": no_unnecessary_boolean_literal_compare_1.default,
      "no-unnecessary-condition": no_unnecessary_condition_1.default,
      "no-unnecessary-parameter-property-assignment": no_unnecessary_parameter_property_assignment_1.default,
      "no-unnecessary-qualifier": no_unnecessary_qualifier_1.default,
      "no-unnecessary-template-expression": no_unnecessary_template_expression_1.default,
      "no-unnecessary-type-arguments": no_unnecessary_type_arguments_1.default,
      "no-unnecessary-type-assertion": no_unnecessary_type_assertion_1.default,
      "no-unnecessary-type-constraint": no_unnecessary_type_constraint_1.default,
      "no-unnecessary-type-parameters": no_unnecessary_type_parameters_1.default,
      "no-unsafe-argument": no_unsafe_argument_1.default,
      "no-unsafe-assignment": no_unsafe_assignment_1.default,
      "no-unsafe-call": no_unsafe_call_1.default,
      "no-unsafe-declaration-merging": no_unsafe_declaration_merging_1.default,
      "no-unsafe-enum-comparison": no_unsafe_enum_comparison_1.default,
      "no-unsafe-member-access": no_unsafe_member_access_1.default,
      "no-unsafe-return": no_unsafe_return_1.default,
      "no-unsafe-unary-minus": no_unsafe_unary_minus_1.default,
      "no-unused-expressions": no_unused_expressions_1.default,
      "no-unused-vars": no_unused_vars_1.default,
      "no-use-before-define": no_use_before_define_1.default,
      "no-useless-constructor": no_useless_constructor_1.default,
      "no-useless-empty-export": no_useless_empty_export_1.default,
      "no-useless-template-literals": no_useless_template_literals_1.default,
      "no-var-requires": no_var_requires_1.default,
      "non-nullable-type-assertion-style": non_nullable_type_assertion_style_1.default,
      "object-curly-spacing": object_curly_spacing_1.default,
      "only-throw-error": only_throw_error_1.default,
      "padding-line-between-statements": padding_line_between_statements_1.default,
      "parameter-properties": parameter_properties_1.default,
      "prefer-as-const": prefer_as_const_1.default,
      "prefer-destructuring": prefer_destructuring_1.default,
      "prefer-enum-initializers": prefer_enum_initializers_1.default,
      "prefer-find": prefer_find_1.default,
      "prefer-for-of": prefer_for_of_1.default,
      "prefer-function-type": prefer_function_type_1.default,
      "prefer-includes": prefer_includes_1.default,
      "prefer-literal-enum-member": prefer_literal_enum_member_1.default,
      "prefer-namespace-keyword": prefer_namespace_keyword_1.default,
      "prefer-nullish-coalescing": prefer_nullish_coalescing_1.default,
      "prefer-optional-chain": prefer_optional_chain_1.default,
      "prefer-promise-reject-errors": prefer_promise_reject_errors_1.default,
      "prefer-readonly": prefer_readonly_1.default,
      "prefer-readonly-parameter-types": prefer_readonly_parameter_types_1.default,
      "prefer-reduce-type-parameter": prefer_reduce_type_parameter_1.default,
      "prefer-regexp-exec": prefer_regexp_exec_1.default,
      "prefer-return-this-type": prefer_return_this_type_1.default,
      "prefer-string-starts-ends-with": prefer_string_starts_ends_with_1.default,
      "prefer-ts-expect-error": prefer_ts_expect_error_1.default,
      "promise-function-async": promise_function_async_1.default,
      quotes: quotes_1.default,
      "require-array-sort-compare": require_array_sort_compare_1.default,
      "require-await": require_await_1.default,
      "restrict-plus-operands": restrict_plus_operands_1.default,
      "restrict-template-expressions": restrict_template_expressions_1.default,
      "return-await": return_await_1.default,
      semi: semi_1.default,
      "sort-type-constituents": sort_type_constituents_1.default,
      "space-before-blocks": space_before_blocks_1.default,
      "space-before-function-paren": space_before_function_paren_1.default,
      "space-infix-ops": space_infix_ops_1.default,
      "strict-boolean-expressions": strict_boolean_expressions_1.default,
      "switch-exhaustiveness-check": switch_exhaustiveness_check_1.default,
      "triple-slash-reference": triple_slash_reference_1.default,
      "type-annotation-spacing": type_annotation_spacing_1.default,
      typedef: typedef_1.default,
      "unbound-method": unbound_method_1.default,
      "unified-signatures": unified_signatures_1.default,
      "use-unknown-in-catch-callback-variable": use_unknown_in_catch_callback_variable_1.default
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/package.json
var require_package18 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/package.json"(exports2, module2) {
    module2.exports = {
      name: "@typescript-eslint/eslint-plugin",
      version: "7.16.0",
      description: "TypeScript plugin for ESLint",
      files: [
        "dist",
        "docs",
        "index.d.ts",
        "rules.d.ts",
        "package.json",
        "README.md",
        "LICENSE"
      ],
      type: "commonjs",
      exports: {
        ".": {
          types: "./index.d.ts",
          default: "./dist/index.js"
        },
        "./package.json": "./package.json",
        "./use-at-your-own-risk/rules": {
          types: "./rules.d.ts",
          default: "./dist/rules/index.js"
        },
        "./use-at-your-own-risk/eslint-recommended-raw": {
          types: "./eslint-recommended-raw.d.ts",
          default: "./dist/configs/eslint-recommended-raw.js"
        }
      },
      engines: {
        node: "^18.18.0 || >=20.0.0"
      },
      repository: {
        type: "git",
        url: "https://github.com/typescript-eslint/typescript-eslint.git",
        directory: "packages/eslint-plugin"
      },
      bugs: {
        url: "https://github.com/typescript-eslint/typescript-eslint/issues"
      },
      homepage: "https://typescript-eslint.io/packages/eslint-plugin",
      license: "MIT",
      keywords: [
        "eslint",
        "eslintplugin",
        "eslint-plugin",
        "typescript"
      ],
      scripts: {
        build: "tsc -b tsconfig.build.json",
        clean: "tsc -b tsconfig.build.json --clean",
        postclean: "rimraf dist && rimraf coverage",
        format: 'prettier --write "./**/*.{ts,mts,cts,tsx,js,mjs,cjs,jsx,json,md,css}" --ignore-path ../../.prettierignore',
        "generate:breaking-changes": "tsx tools/generate-breaking-changes.mts",
        "generate:configs": "npx nx run repo-tools:generate-configs",
        lint: "npx nx lint",
        test: 'cross-env NODE_OPTIONS="--experimental-vm-modules" jest --coverage --logHeapUsage',
        "test-single": 'cross-env NODE_OPTIONS="--experimental-vm-modules" jest --no-coverage',
        typecheck: "tsc --noEmit"
      },
      dependencies: {
        "@eslint-community/regexpp": "^4.10.0",
        "@typescript-eslint/scope-manager": "7.16.0",
        "@typescript-eslint/type-utils": "7.16.0",
        "@typescript-eslint/utils": "7.16.0",
        "@typescript-eslint/visitor-keys": "7.16.0",
        graphemer: "^1.4.0",
        ignore: "^5.3.1",
        "natural-compare": "^1.4.0",
        "ts-api-utils": "^1.3.0"
      },
      devDependencies: {
        "@jest/types": "29.6.3",
        "@types/marked": "^5.0.2",
        "@types/mdast": "^4.0.3",
        "@types/natural-compare": "*",
        "@typescript-eslint/rule-schema-to-typescript-types": "7.16.0",
        "@typescript-eslint/rule-tester": "7.16.0",
        ajv: "^6.12.6",
        "cross-env": "^7.0.3",
        "cross-fetch": "*",
        eslint: "*",
        espree: "^10.0.1",
        jest: "29.7.0",
        "jest-specific-snapshot": "^8.0.0",
        "json-schema": "*",
        "markdown-table": "^3.0.3",
        marked: "^5.1.2",
        "mdast-util-from-markdown": "^2.0.0",
        "mdast-util-mdx": "^3.0.0",
        "micromark-extension-mdxjs": "^3.0.0",
        prettier: "^3.2.5",
        rimraf: "*",
        "title-case": "^3.0.3",
        tsx: "*",
        typescript: "*",
        "unist-util-visit": "^5.0.0"
      },
      peerDependencies: {
        "@typescript-eslint/parser": "^7.0.0",
        eslint: "^8.56.0"
      },
      peerDependenciesMeta: {
        typescript: {
          optional: true
        }
      },
      funding: {
        type: "opencollective",
        url: "https://opencollective.com/typescript-eslint"
      }
    };
  }
});

// node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/index.js
var require_dist18 = __commonJS({
  "node_modules/.pnpm/@typescript-eslint+eslint-plugin@7.16.0_@typescript-eslint+parser@8.10.0_eslint@9.5.0_typescr_xihkafahdwpempkpyfg26gxkoq/node_modules/@typescript-eslint/eslint-plugin/dist/index.js"(exports2, module2) {
    "use strict";
    var __importDefault2 = exports2 && exports2.__importDefault || function(mod) {
      return mod && mod.__esModule ? mod : { "default": mod };
    };
    var all_1 = __importDefault2(require_all4());
    var base_1 = __importDefault2(require_base7());
    var disable_type_checked_1 = __importDefault2(require_disable_type_checked2());
    var eslint_recommended_1 = __importDefault2(require_eslint_recommended4());
    var recommended_1 = __importDefault2(require_recommended7());
    var recommended_type_checked_1 = __importDefault2(require_recommended_type_checked2());
    var recommended_type_checked_only_1 = __importDefault2(require_recommended_type_checked_only2());
    var strict_1 = __importDefault2(require_strict2());
    var strict_type_checked_1 = __importDefault2(require_strict_type_checked2());
    var strict_type_checked_only_1 = __importDefault2(require_strict_type_checked_only2());
    var stylistic_1 = __importDefault2(require_stylistic2());
    var stylistic_type_checked_1 = __importDefault2(require_stylistic_type_checked2());
    var stylistic_type_checked_only_1 = __importDefault2(require_stylistic_type_checked_only2());
    var rules_1 = __importDefault2(require_rules7());
    var { name, version } = require_package18();
    module2.exports = {
      configs: {
        all: all_1.default,
        base: base_1.default,
        "disable-type-checked": disable_type_checked_1.default,
        "eslint-recommended": eslint_recommended_1.default,
        recommended: recommended_1.default,
        /** @deprecated - please use "recommended-type-checked" instead. */
        "recommended-requiring-type-checking": recommended_type_checked_1.default,
        "recommended-type-checked": recommended_type_checked_1.default,
        "recommended-type-checked-only": recommended_type_checked_only_1.default,
        strict: strict_1.default,
        "strict-type-checked": strict_type_checked_1.default,
        "strict-type-checked-only": strict_type_checked_only_1.default,
        stylistic: stylistic_1.default,
        "stylistic-type-checked": stylistic_type_checked_1.default,
        "stylistic-type-checked-only": stylistic_type_checked_only_1.default
      },
      meta: {
        name,
        version
      },
      rules: rules_1.default
    };
  }
});

// node_modules/.pnpm/escape-string-regexp@1.0.5/node_modules/escape-string-regexp/index.js
var require_escape_string_regexp = __commonJS({
  "node_modules/.pnpm/escape-string-regexp@1.0.5/node_modules/escape-string-regexp/index.js"(exports2, module2) {
    "use strict";
    var matchOperatorsRe = /[|\\{}()[\]^$+*?.]/g;
    module2.exports = function(str) {
      if (typeof str !== "string") {
        throw new TypeError("Expected a string");
      }
      return str.replace(matchOperatorsRe, "\\$&");
    };
  }
});

// node_modules/.pnpm/clean-regexp@1.0.0/node_modules/clean-regexp/lib/mappings.js
var require_mappings = __commonJS({
  "node_modules/.pnpm/clean-regexp@1.0.0/node_modules/clean-regexp/lib/mappings.js"(exports2, module2) {
    "use strict";
    module2.exports = /* @__PURE__ */ new Map([
      ["[0-9]", { value: "\\d" }],
      ["[^0-9]", { value: "\\D" }],
      // Word
      ["[a-zA-Z0-9_]", { value: "\\w" }],
      ["[a-zA-Z_0-9]", { value: "\\w" }],
      ["[a-z0-9A-Z_]", { value: "\\w" }],
      ["[a-z0-9_A-Z]", { value: "\\w" }],
      ["[a-z_A-Z0-9]", { value: "\\w" }],
      ["[a-z_0-9A-Z]", { value: "\\w" }],
      ["[A-Za-z0-9_]", { value: "\\w" }],
      ["[A-Za-z_0-9]", { value: "\\w" }],
      ["[A-Z0-9a-z_]", { value: "\\w" }],
      ["[A-Z0-9_a-z]", { value: "\\w" }],
      ["[A-Z_a-z0-9]", { value: "\\w" }],
      ["[A-Z_0-9a-z]", { value: "\\w" }],
      ["[0-9a-zA-Z_]", { value: "\\w" }],
      ["[0-9a-z_A-Z]", { value: "\\w" }],
      ["[0-9A-Za-z_]", { value: "\\w" }],
      ["[0-9A-Z_a-z]", { value: "\\w" }],
      ["[0-9_a-zA-Z]", { value: "\\w" }],
      ["[0-9_A-Za-z]", { value: "\\w" }],
      ["[_a-zA-Z0-9]", { value: "\\w" }],
      ["[_a-z0-9A-Z]", { value: "\\w" }],
      ["[_A-Za-z0-9]", { value: "\\w" }],
      ["[_A-Z0-9a-z]", { value: "\\w" }],
      ["[_0-9a-zA-Z]", { value: "\\w" }],
      ["[_0-9A-Za-z]", { value: "\\w" }],
      // Word with digit
      ["[a-zA-Z\\d_]", { value: "\\w" }],
      ["[a-zA-Z_\\d]", { value: "\\w" }],
      ["[a-z\\dA-Z_]", { value: "\\w" }],
      ["[a-z\\d_A-Z]", { value: "\\w" }],
      ["[a-z_A-Z\\d]", { value: "\\w" }],
      ["[a-z_\\dA-Z]", { value: "\\w" }],
      ["[A-Za-z\\d_]", { value: "\\w" }],
      ["[A-Za-z_\\d]", { value: "\\w" }],
      ["[A-Z\\da-z_]", { value: "\\w" }],
      ["[A-Z\\d_a-z]", { value: "\\w" }],
      ["[A-Z_a-z\\d]", { value: "\\w" }],
      ["[A-Z_\\da-z]", { value: "\\w" }],
      ["[\\da-zA-Z_]", { value: "\\w" }],
      ["[\\da-z_A-Z]", { value: "\\w" }],
      ["[\\dA-Za-z_]", { value: "\\w" }],
      ["[\\dA-Z_a-z]", { value: "\\w" }],
      ["[\\d_a-zA-Z]", { value: "\\w" }],
      ["[\\d_A-Za-z]", { value: "\\w" }],
      ["[_a-zA-Z\\d]", { value: "\\w" }],
      ["[_a-z\\dA-Z]", { value: "\\w" }],
      ["[_A-Za-z\\d]", { value: "\\w" }],
      ["[_A-Z\\da-z]", { value: "\\w" }],
      ["[_\\da-zA-Z]", { value: "\\w" }],
      ["[_\\dA-Za-z]", { value: "\\w" }],
      // Non-word
      ["[^a-zA-Z0-9_]", { value: "\\W" }],
      ["[^a-zA-Z_0-9]", { value: "\\W" }],
      ["[^a-z0-9A-Z_]", { value: "\\W" }],
      ["[^a-z0-9_A-Z]", { value: "\\W" }],
      ["[^a-z_A-Z0-9]", { value: "\\W" }],
      ["[^a-z_0-9A-Z]", { value: "\\W" }],
      ["[^A-Za-z0-9_]", { value: "\\W" }],
      ["[^A-Za-z_0-9]", { value: "\\W" }],
      ["[^A-Z0-9a-z_]", { value: "\\W" }],
      ["[^A-Z0-9_a-z]", { value: "\\W" }],
      ["[^A-Z_a-z0-9]", { value: "\\W" }],
      ["[^A-Z_0-9a-z]", { value: "\\W" }],
      ["[^0-9a-zA-Z_]", { value: "\\W" }],
      ["[^0-9a-z_A-Z]", { value: "\\W" }],
      ["[^0-9A-Za-z_]", { value: "\\W" }],
      ["[^0-9A-Z_a-z]", { value: "\\W" }],
      ["[^0-9_a-zA-Z]", { value: "\\W" }],
      ["[^0-9_A-Za-z]", { value: "\\W" }],
      ["[^_a-zA-Z0-9]", { value: "\\W" }],
      ["[^_a-z0-9A-Z]", { value: "\\W" }],
      ["[^_A-Za-z0-9]", { value: "\\W" }],
      ["[^_A-Z0-9a-z]", { value: "\\W" }],
      ["[^_0-9a-zA-Z]", { value: "\\W" }],
      ["[^_0-9A-Za-z]", { value: "\\W" }],
      // Non-word with digit
      ["[^a-zA-Z\\d_]", { value: "\\W" }],
      ["[^a-zA-Z_\\d]", { value: "\\W" }],
      ["[^a-z\\dA-Z_]", { value: "\\W" }],
      ["[^a-z\\d_A-Z]", { value: "\\W" }],
      ["[^a-z_A-Z\\d]", { value: "\\W" }],
      ["[^a-z_\\dA-Z]", { value: "\\W" }],
      ["[^A-Za-z\\d_]", { value: "\\W" }],
      ["[^A-Za-z_\\d]", { value: "\\W" }],
      ["[^A-Z\\da-z_]", { value: "\\W" }],
      ["[^A-Z\\d_a-z]", { value: "\\W" }],
      ["[^A-Z_a-z\\d]", { value: "\\W" }],
      ["[^A-Z_\\da-z]", { value: "\\W" }],
      ["[^\\da-zA-Z_]", { value: "\\W" }],
      ["[^\\da-z_A-Z]", { value: "\\W" }],
      ["[^\\dA-Za-z_]", { value: "\\W" }],
      ["[^\\dA-Z_a-z]", { value: "\\W" }],
      ["[^\\d_a-zA-Z]", { value: "\\W" }],
      ["[^\\d_A-Za-z]", { value: "\\W" }],
      ["[^_a-zA-Z\\d]", { value: "\\W" }],
      ["[^_a-z\\dA-Z]", { value: "\\W" }],
      ["[^_A-Za-z\\d]", { value: "\\W" }],
      ["[^_A-Z\\da-z]", { value: "\\W" }],
      ["[^_\\da-zA-Z]", { value: "\\W" }],
      ["[^_\\dA-Za-z]", { value: "\\W" }],
      // Word with case insensitivity
      ["[a-z0-9_]", { value: "\\w", flags: "i" }],
      ["[a-z_0-9]", { value: "\\w", flags: "i" }],
      ["[0-9a-z_]", { value: "\\w", flags: "i" }],
      ["[0-9_a-z]", { value: "\\w", flags: "i" }],
      ["[_a-z0-9]", { value: "\\w", flags: "i" }],
      ["[_0-9a-z]", { value: "\\w", flags: "i" }],
      ["[^a-z0-9_]", { value: "\\W", flags: "i" }],
      // Word with case insensitivity and digit
      ["[a-z\\d_]", { value: "\\w", flags: "i" }],
      ["[a-z_\\d]", { value: "\\w", flags: "i" }],
      ["[\\da-z_]", { value: "\\w", flags: "i" }],
      ["[\\d_a-z]", { value: "\\w", flags: "i" }],
      ["[_a-z\\d]", { value: "\\w", flags: "i" }],
      ["[_\\da-z]", { value: "\\w", flags: "i" }],
      // Non-word with case insensitivity
      ["[^a-z0-9_]", { value: "\\W", flags: "i" }],
      ["[^a-z_0-9]", { value: "\\W", flags: "i" }],
      ["[^0-9a-z_]", { value: "\\W", flags: "i" }],
      ["[^0-9_a-z]", { value: "\\W", flags: "i" }],
      ["[^_a-z0-9]", { value: "\\W", flags: "i" }],
      ["[^_0-9a-z]", { value: "\\W", flags: "i" }],
      // Non-word with case insensitivity and digit
      ["[^a-z\\d_]", { value: "\\W", flags: "i" }],
      ["[^a-z_\\d]", { value: "\\W", flags: "i" }],
      ["[^\\da-z_]", { value: "\\W", flags: "i" }],
      ["[^\\d_a-z]", { value: "\\W", flags: "i" }],
      ["[^_a-z\\d]", { value: "\\W", flags: "i" }],
      ["[^_\\da-z]", { value: "\\W", flags: "i" }]
    ]);
  }
});

// node_modules/.pnpm/clean-regexp@1.0.0/node_modules/clean-regexp/index.js
var require_clean_regexp = __commonJS({
  "node_modules/.pnpm/clean-regexp@1.0.0/node_modules/clean-regexp/index.js"(exports2, module2) {
    "use strict";
    var escapeStringRegexp = require_escape_string_regexp();
    var mapping = require_mappings();
    var hasFlags = (regexFlags, replaceFlags) => {
      if (!replaceFlags) {
        return true;
      }
      return replaceFlags.split("").every((flag) => regexFlags.includes(flag));
    };
    module2.exports = (regexp, flags) => {
      flags = flags || "";
      if (typeof regexp !== "string") {
        throw new TypeError(`Expected regexp to be of type \`string\`, got \`${typeof regexp}\``);
      }
      if (typeof flags !== "string") {
        throw new TypeError(`Expected flags to be of type \`string\`, got \`${typeof flags}\``);
      }
      for (const replace of mapping) {
        const key = replace[0];
        const replacement = replace[1];
        if (hasFlags(flags, replacement.flags)) {
          regexp = regexp.replace(new RegExp(escapeStringRegexp(key), "g"), replacement.value);
        }
      }
      return regexp;
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/compat-transpiler/transforms/compat-dotall-s-transform.js
var require_compat_dotall_s_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/compat-transpiler/transforms/compat-dotall-s-transform.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      // Whether `u` flag present. In which case we transform to
      // \u{10FFFF} instead of \uFFFF.
      _hasUFlag: false,
      // Only run this plugin if we have `s` flag.
      shouldRun: function shouldRun(ast) {
        var shouldRun2 = ast.flags.includes("s");
        if (!shouldRun2) {
          return false;
        }
        ast.flags = ast.flags.replace("s", "");
        this._hasUFlag = ast.flags.includes("u");
        return true;
      },
      Char: function Char(path17) {
        var node = path17.node;
        if (node.kind !== "meta" || node.value !== ".") {
          return;
        }
        var toValue = "\\uFFFF";
        var toSymbol = "\uFFFF";
        if (this._hasUFlag) {
          toValue = "\\u{10FFFF}";
          toSymbol = "\u{10FFFF}";
        }
        path17.replace({
          type: "CharacterClass",
          expressions: [{
            type: "ClassRange",
            from: {
              type: "Char",
              value: "\\0",
              kind: "decimal",
              symbol: "\0"
            },
            to: {
              type: "Char",
              value: toValue,
              kind: "unicode",
              symbol: toSymbol
            }
          }]
        });
      }
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/compat-transpiler/transforms/compat-named-capturing-groups-transform.js
var require_compat_named_capturing_groups_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/compat-transpiler/transforms/compat-named-capturing-groups-transform.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      // To track the names of the groups, and return them
      // in the transform result state.
      //
      // A map from name to number: {foo: 2, bar: 4}
      _groupNames: {},
      /**
       * Initialises the trasnform.
       */
      init: function init() {
        this._groupNames = {};
      },
      /**
       * Returns extra state, which eventually is returned to
       */
      getExtra: function getExtra() {
        return this._groupNames;
      },
      Group: function Group(path17) {
        var node = path17.node;
        if (!node.name) {
          return;
        }
        this._groupNames[node.name] = node.number;
        delete node.name;
        delete node.nameRaw;
      },
      Backreference: function Backreference(path17) {
        var node = path17.node;
        if (node.kind !== "name") {
          return;
        }
        node.kind = "number";
        node.reference = node.number;
        delete node.referenceRaw;
      }
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/compat-transpiler/transforms/compat-x-flag-transform.js
var require_compat_x_flag_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/compat-transpiler/transforms/compat-x-flag-transform.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      RegExp: function RegExp2(_ref) {
        var node = _ref.node;
        if (node.flags.includes("x")) {
          node.flags = node.flags.replace("x", "");
        }
      }
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/compat-transpiler/transforms/index.js
var require_transforms = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/compat-transpiler/transforms/index.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      // "dotAll" `s` flag
      dotAll: require_compat_dotall_s_transform(),
      // Named capturing groups.
      namedCapturingGroups: require_compat_named_capturing_groups_transform(),
      // `x` flag
      xFlag: require_compat_x_flag_transform()
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/generator/index.js
var require_generator = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/generator/index.js"(exports2, module2) {
    "use strict";
    function gen(node) {
      return node ? generator[node.type](node) : "";
    }
    var generator = {
      RegExp: function RegExp2(node) {
        return "/" + gen(node.body) + "/" + node.flags;
      },
      Alternative: function Alternative(node) {
        return (node.expressions || []).map(gen).join("");
      },
      Disjunction: function Disjunction(node) {
        return gen(node.left) + "|" + gen(node.right);
      },
      Group: function Group(node) {
        var expression = gen(node.expression);
        if (node.capturing) {
          if (node.name) {
            return "(?<" + (node.nameRaw || node.name) + ">" + expression + ")";
          }
          return "(" + expression + ")";
        }
        return "(?:" + expression + ")";
      },
      Backreference: function Backreference(node) {
        switch (node.kind) {
          case "number":
            return "\\" + node.reference;
          case "name":
            return "\\k<" + (node.referenceRaw || node.reference) + ">";
          default:
            throw new TypeError("Unknown Backreference kind: " + node.kind);
        }
      },
      Assertion: function Assertion(node) {
        switch (node.kind) {
          case "^":
          case "$":
          case "\\b":
          case "\\B":
            return node.kind;
          case "Lookahead": {
            var assertion = gen(node.assertion);
            if (node.negative) {
              return "(?!" + assertion + ")";
            }
            return "(?=" + assertion + ")";
          }
          case "Lookbehind": {
            var _assertion = gen(node.assertion);
            if (node.negative) {
              return "(?/, function() {
      var groupName = yytext.slice(3, -1);
      validateUnicodeGroupName(groupName, this.getCurrentState());
      return "NAMED_GROUP_REF";
    }], [/^\\b/, function() {
      return "ESC_b";
    }], [/^\\B/, function() {
      return "ESC_B";
    }], [/^\\c[a-zA-Z]/, function() {
      return "CTRL_CH";
    }], [/^\\0\d{1,2}/, function() {
      return "OCT_CODE";
    }], [/^\\0/, function() {
      return "DEC_CODE";
    }], [/^\\\d{1,3}/, function() {
      return "DEC_CODE";
    }], [/^\\u[dD][89abAB][0-9a-fA-F]{2}\\u[dD][c-fC-F][0-9a-fA-F]{2}/, function() {
      return "U_CODE_SURROGATE";
    }], [/^\\u\{[0-9a-fA-F]{1,}\}/, function() {
      return "U_CODE";
    }], [/^\\u[0-9a-fA-F]{4}/, function() {
      return "U_CODE";
    }], [/^\\[pP]\{\w+(?:=\w+)?\}/, function() {
      return "U_PROP_VALUE_EXP";
    }], [/^\\x[0-9a-fA-F]{2}/, function() {
      return "HEX_CODE";
    }], [/^\\[tnrdDsSwWvf]/, function() {
      return "META_CHAR";
    }], [/^\\\//, function() {
      return "ESC_CHAR";
    }], [/^\\[ #]/, function() {
      return "ESC_CHAR";
    }], [/^\\[\^\$\.\*\+\?\(\)\\\[\]\{\}\|\/]/, function() {
      return "ESC_CHAR";
    }], [/^\\[^*?+\[()\\|]/, function() {
      var s = this.getCurrentState();
      if (s === "u_class" && yytext === "\\-") {
        return "ESC_CHAR";
      } else if (s === "u" || s === "xu" || s === "u_class") {
        throw new SyntaxError("invalid Unicode escape " + yytext);
      }
      return "ESC_CHAR";
    }], [/^\(/, function() {
      return "CHAR";
    }], [/^\)/, function() {
      return "CHAR";
    }], [/^\(\?=/, function() {
      return "POS_LA_ASSERT";
    }], [/^\(\?!/, function() {
      return "NEG_LA_ASSERT";
    }], [/^\(\?<=/, function() {
      return "POS_LB_ASSERT";
    }], [/^\(\?/, function() {
      yytext = yytext.slice(3, -1);
      validateUnicodeGroupName(yytext, this.getCurrentState());
      return "NAMED_CAPTURE_GROUP";
    }], [/^\(/, function() {
      return "L_PAREN";
    }], [/^\)/, function() {
      return "R_PAREN";
    }], [/^[*?+[^$]/, function() {
      return "CHAR";
    }], [/^\\\]/, function() {
      return "ESC_CHAR";
    }], [/^\]/, function() {
      this.popState();
      return "R_BRACKET";
    }], [/^\^/, function() {
      return "BOS";
    }], [/^\$/, function() {
      return "EOS";
    }], [/^\*/, function() {
      return "STAR";
    }], [/^\?/, function() {
      return "Q_MARK";
    }], [/^\+/, function() {
      return "PLUS";
    }], [/^\|/, function() {
      return "BAR";
    }], [/^\./, function() {
      return "ANY";
    }], [/^\//, function() {
      return "SLASH";
    }], [/^[^*?+\[()\\|]/, function() {
      return "CHAR";
    }], [/^\[\^/, function() {
      var s = this.getCurrentState();
      this.pushState(s === "u" || s === "xu" ? "u_class" : "class");
      return "NEG_CLASS";
    }], [/^\[/, function() {
      var s = this.getCurrentState();
      this.pushState(s === "u" || s === "xu" ? "u_class" : "class");
      return "L_BRACKET";
    }]];
    var lexRulesByConditions = { "INITIAL": [8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 20, 22, 23, 24, 26, 27, 30, 31, 32, 33, 34, 35, 36, 37, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "u": [8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 26, 27, 30, 31, 32, 33, 34, 35, 36, 37, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "xu": [0, 1, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 30, 31, 32, 33, 34, 35, 36, 37, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "x": [0, 1, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 20, 22, 23, 24, 26, 27, 30, 31, 32, 33, 34, 35, 36, 37, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "u_class": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51], "class": [2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 20, 22, 23, 24, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51] };
    var EOF_TOKEN = {
      type: EOF,
      value: ""
    };
    tokenizer = {
      initString: function initString(string) {
        this._string = string;
        this._cursor = 0;
        this._states = ["INITIAL"];
        this._tokensQueue = [];
        this._currentLine = 1;
        this._currentColumn = 0;
        this._currentLineBeginOffset = 0;
        this._tokenStartOffset = 0;
        this._tokenEndOffset = 0;
        this._tokenStartLine = 1;
        this._tokenEndLine = 1;
        this._tokenStartColumn = 0;
        this._tokenEndColumn = 0;
        return this;
      },
      /**
       * Returns tokenizer states.
       */
      getStates: function getStates() {
        return this._states;
      },
      getCurrentState: function getCurrentState() {
        return this._states[this._states.length - 1];
      },
      pushState: function pushState(state) {
        this._states.push(state);
      },
      begin: function begin(state) {
        this.pushState(state);
      },
      popState: function popState() {
        if (this._states.length > 1) {
          return this._states.pop();
        }
        return this._states[0];
      },
      getNextToken: function getNextToken() {
        if (this._tokensQueue.length > 0) {
          return this.onToken(this._toToken(this._tokensQueue.shift()));
        }
        if (!this.hasMoreTokens()) {
          return this.onToken(EOF_TOKEN);
        }
        var string = this._string.slice(this._cursor);
        var lexRulesForState = lexRulesByConditions[this.getCurrentState()];
        for (var i = 0; i < lexRulesForState.length; i++) {
          var lexRuleIndex = lexRulesForState[i];
          var lexRule = lexRules[lexRuleIndex];
          var matched = this._match(string, lexRule[0]);
          if (string === "" && matched === "") {
            this._cursor++;
          }
          if (matched !== null) {
            yytext = matched;
            yyleng = yytext.length;
            var token = lexRule[1].call(this);
            if (!token) {
              return this.getNextToken();
            }
            if (Array.isArray(token)) {
              var tokensToQueue = token.slice(1);
              token = token[0];
              if (tokensToQueue.length > 0) {
                var _tokensQueue;
                (_tokensQueue = this._tokensQueue).unshift.apply(_tokensQueue, _toConsumableArray(tokensToQueue));
              }
            }
            return this.onToken(this._toToken(token, yytext));
          }
        }
        if (this.isEOF()) {
          this._cursor++;
          return EOF_TOKEN;
        }
        this.throwUnexpectedToken(string[0], this._currentLine, this._currentColumn);
      },
      /**
       * Throws default "Unexpected token" exception, showing the actual
       * line from the source, pointing with the ^ marker to the bad token.
       * In addition, shows `line:column` location.
       */
      throwUnexpectedToken: function throwUnexpectedToken(symbol, line, column) {
        var lineSource = this._string.split("\n")[line - 1];
        var lineData = "";
        if (lineSource) {
          var pad = " ".repeat(column);
          lineData = "\n\n" + lineSource + "\n" + pad + "^\n";
        }
        throw new SyntaxError(lineData + 'Unexpected token: "' + symbol + '" ' + ("at " + line + ":" + column + "."));
      },
      getCursor: function getCursor() {
        return this._cursor;
      },
      getCurrentLine: function getCurrentLine() {
        return this._currentLine;
      },
      getCurrentColumn: function getCurrentColumn() {
        return this._currentColumn;
      },
      _captureLocation: function _captureLocation(matched) {
        var nlRe = /\n/g;
        this._tokenStartOffset = this._cursor;
        this._tokenStartLine = this._currentLine;
        this._tokenStartColumn = this._tokenStartOffset - this._currentLineBeginOffset;
        var nlMatch = void 0;
        while ((nlMatch = nlRe.exec(matched)) !== null) {
          this._currentLine++;
          this._currentLineBeginOffset = this._tokenStartOffset + nlMatch.index + 1;
        }
        this._tokenEndOffset = this._cursor + matched.length;
        this._tokenEndLine = this._currentLine;
        this._tokenEndColumn = this._currentColumn = this._tokenEndOffset - this._currentLineBeginOffset;
      },
      _toToken: function _toToken(tokenType) {
        var yytext2 = arguments.length > 1 && arguments[1] !== void 0 ? arguments[1] : "";
        return {
          // Basic data.
          type: tokenType,
          value: yytext2,
          // Location data.
          startOffset: this._tokenStartOffset,
          endOffset: this._tokenEndOffset,
          startLine: this._tokenStartLine,
          endLine: this._tokenEndLine,
          startColumn: this._tokenStartColumn,
          endColumn: this._tokenEndColumn
        };
      },
      isEOF: function isEOF() {
        return this._cursor === this._string.length;
      },
      hasMoreTokens: function hasMoreTokens() {
        return this._cursor <= this._string.length;
      },
      _match: function _match(string, regexp) {
        var matched = string.match(regexp);
        if (matched) {
          this._captureLocation(matched[0]);
          this._cursor += matched[0].length;
          return matched[0];
        }
        return null;
      },
      /**
       * Allows analyzing, and transforming token. Default implementation
       * just passes the token through.
       */
      onToken: function onToken(token) {
        return token;
      }
    };
    yy.lexer = tokenizer;
    yy.tokenizer = tokenizer;
    yy.options = {
      captureLocations: true
    };
    var yyparse = {
      /**
       * Sets global parsing options.
       */
      setOptions: function setOptions(options) {
        yy.options = options;
        return this;
      },
      /**
       * Returns parsing options.
       */
      getOptions: function getOptions() {
        return yy.options;
      },
      /**
       * Parses a string.
       */
      parse: function parse2(string, parseOptions) {
        if (!tokenizer) {
          throw new Error("Tokenizer instance wasn't specified.");
        }
        tokenizer.initString(string);
        var globalOptions = yy.options;
        if (parseOptions) {
          yy.options = Object.assign({}, yy.options, parseOptions);
        }
        yyparse.onParseBegin(string, tokenizer, yy.options);
        stack.length = 0;
        stack.push(0);
        var token = tokenizer.getNextToken();
        var shiftedToken = null;
        do {
          if (!token) {
            yy.options = globalOptions;
            unexpectedEndOfInput();
          }
          var state = stack[stack.length - 1];
          var column = tokens[token.type];
          if (!table[state].hasOwnProperty(column)) {
            yy.options = globalOptions;
            unexpectedToken(token);
          }
          var entry = table[state][column];
          if (entry[0] === "s") {
            var _loc2 = null;
            if (yy.options.captureLocations) {
              _loc2 = {
                startOffset: token.startOffset,
                endOffset: token.endOffset,
                startLine: token.startLine,
                endLine: token.endLine,
                startColumn: token.startColumn,
                endColumn: token.endColumn
              };
            }
            shiftedToken = this.onShift(token);
            stack.push({ symbol: tokens[shiftedToken.type], semanticValue: shiftedToken.value, loc: _loc2 }, Number(entry.slice(1)));
            token = tokenizer.getNextToken();
          } else if (entry[0] === "r") {
            var productionNumber = entry.slice(1);
            var production = productions[productionNumber];
            var hasSemanticAction = typeof production[2] === "function";
            var semanticValueArgs = hasSemanticAction ? [] : null;
            var locationArgs = hasSemanticAction && yy.options.captureLocations ? [] : null;
            if (production[1] !== 0) {
              var rhsLength = production[1];
              while (rhsLength-- > 0) {
                stack.pop();
                var stackEntry = stack.pop();
                if (hasSemanticAction) {
                  semanticValueArgs.unshift(stackEntry.semanticValue);
                  if (locationArgs) {
                    locationArgs.unshift(stackEntry.loc);
                  }
                }
              }
            }
            var reduceStackEntry = { symbol: production[0] };
            if (hasSemanticAction) {
              yytext = shiftedToken ? shiftedToken.value : null;
              yyleng = shiftedToken ? shiftedToken.value.length : null;
              var semanticActionArgs = locationArgs !== null ? semanticValueArgs.concat(locationArgs) : semanticValueArgs;
              production[2].apply(production, _toConsumableArray(semanticActionArgs));
              reduceStackEntry.semanticValue = __;
              if (locationArgs) {
                reduceStackEntry.loc = __loc;
              }
            }
            var nextState = stack[stack.length - 1];
            var symbolToReduceWith = production[0];
            stack.push(reduceStackEntry, table[nextState][symbolToReduceWith]);
          } else if (entry === "acc") {
            stack.pop();
            var parsed = stack.pop();
            if (stack.length !== 1 || stack[0] !== 0 || tokenizer.hasMoreTokens()) {
              yy.options = globalOptions;
              unexpectedToken(token);
            }
            if (parsed.hasOwnProperty("semanticValue")) {
              yy.options = globalOptions;
              yyparse.onParseEnd(parsed.semanticValue);
              return parsed.semanticValue;
            }
            yyparse.onParseEnd();
            yy.options = globalOptions;
            return true;
          }
        } while (tokenizer.hasMoreTokens() || stack.length > 1);
      },
      setTokenizer: function setTokenizer(customTokenizer) {
        tokenizer = customTokenizer;
        return yyparse;
      },
      getTokenizer: function getTokenizer() {
        return tokenizer;
      },
      onParseBegin: function onParseBegin(string, tokenizer2, options) {
      },
      onParseEnd: function onParseEnd(parsed) {
      },
      /**
       * Allows analyzing, and transforming shifted token. Default implementation
       * just passes the token through.
       */
      onShift: function onShift(token) {
        return token;
      }
    };
    var capturingGroupsCount = 0;
    var namedGroups = {};
    var parsingString = "";
    yyparse.onParseBegin = function(string, lexer) {
      parsingString = string;
      capturingGroupsCount = 0;
      namedGroups = {};
      var lastSlash = string.lastIndexOf("/");
      var flags = string.slice(lastSlash);
      if (flags.includes("x") && flags.includes("u")) {
        lexer.pushState("xu");
      } else {
        if (flags.includes("x")) {
          lexer.pushState("x");
        }
        if (flags.includes("u")) {
          lexer.pushState("u");
        }
      }
    };
    yyparse.onShift = function(token) {
      if (token.type === "L_PAREN" || token.type === "NAMED_CAPTURE_GROUP") {
        token.value = new String(token.value);
        token.value.groupNumber = ++capturingGroupsCount;
      }
      return token;
    };
    function getRange(text) {
      var range = text.match(/\d+/g).map(Number);
      if (Number.isFinite(range[1]) && range[1] < range[0]) {
        throw new SyntaxError("Numbers out of order in " + text + " quantifier");
      }
      return range;
    }
    function checkClassRange(from, to) {
      if (from.kind === "control" || to.kind === "control" || !isNaN(from.codePoint) && !isNaN(to.codePoint) && from.codePoint > to.codePoint) {
        throw new SyntaxError("Range " + from.value + "-" + to.value + " out of order in character class");
      }
    }
    var unicodeProperties = require_parser_unicode_properties();
    function UnicodeProperty(matched, loc2) {
      var negative = matched[1] === "P";
      var separatorIdx = matched.indexOf("=");
      var name = matched.slice(3, separatorIdx !== -1 ? separatorIdx : -1);
      var value = void 0;
      var isShorthand = separatorIdx === -1 && unicodeProperties.isGeneralCategoryValue(name);
      var isBinaryProperty = separatorIdx === -1 && unicodeProperties.isBinaryPropertyName(name);
      if (isShorthand) {
        value = name;
        name = "General_Category";
      } else if (isBinaryProperty) {
        value = name;
      } else {
        if (!unicodeProperties.isValidName(name)) {
          throw new SyntaxError("Invalid unicode property name: " + name + ".");
        }
        value = matched.slice(separatorIdx + 1, -1);
        if (!unicodeProperties.isValidValue(name, value)) {
          throw new SyntaxError("Invalid " + name + " unicode property value: " + value + ".");
        }
      }
      return Node({
        type: "UnicodeProperty",
        name,
        value,
        negative,
        shorthand: isShorthand,
        binary: isBinaryProperty,
        canonicalName: unicodeProperties.getCanonicalName(name) || name,
        canonicalValue: unicodeProperties.getCanonicalValue(value) || value
      }, loc2);
    }
    function Char(value, kind, loc2) {
      var symbol = void 0;
      var codePoint = void 0;
      switch (kind) {
        case "decimal": {
          codePoint = Number(value.slice(1));
          symbol = String.fromCodePoint(codePoint);
          break;
        }
        case "oct": {
          codePoint = parseInt(value.slice(1), 8);
          symbol = String.fromCodePoint(codePoint);
          break;
        }
        case "hex":
        case "unicode": {
          if (value.lastIndexOf("\\u") > 0) {
            var _value$split$slice = value.split("\\u").slice(1), _value$split$slice2 = _slicedToArray(_value$split$slice, 2), lead = _value$split$slice2[0], trail = _value$split$slice2[1];
            lead = parseInt(lead, 16);
            trail = parseInt(trail, 16);
            codePoint = (lead - 55296) * 1024 + (trail - 56320) + 65536;
            symbol = String.fromCodePoint(codePoint);
          } else {
            var hex = value.slice(2).replace("{", "");
            codePoint = parseInt(hex, 16);
            if (codePoint > 1114111) {
              throw new SyntaxError("Bad character escape sequence: " + value);
            }
            symbol = String.fromCodePoint(codePoint);
          }
          break;
        }
        case "meta": {
          switch (value) {
            case "\\t":
              symbol = "	";
              codePoint = symbol.codePointAt(0);
              break;
            case "\\n":
              symbol = "\n";
              codePoint = symbol.codePointAt(0);
              break;
            case "\\r":
              symbol = "\r";
              codePoint = symbol.codePointAt(0);
              break;
            case "\\v":
              symbol = "\v";
              codePoint = symbol.codePointAt(0);
              break;
            case "\\f":
              symbol = "\f";
              codePoint = symbol.codePointAt(0);
              break;
            case "\\b":
              symbol = "\b";
              codePoint = symbol.codePointAt(0);
            case "\\0":
              symbol = "\0";
              codePoint = 0;
            case ".":
              symbol = ".";
              codePoint = NaN;
              break;
            default:
              codePoint = NaN;
          }
          break;
        }
        case "simple": {
          symbol = value;
          codePoint = symbol.codePointAt(0);
          break;
        }
      }
      return Node({
        type: "Char",
        value,
        kind,
        symbol,
        codePoint
      }, loc2);
    }
    var validFlags = "gimsuxy";
    function checkFlags(flags) {
      var seen = /* @__PURE__ */ new Set();
      var _iteratorNormalCompletion = true;
      var _didIteratorError = false;
      var _iteratorError = void 0;
      try {
        for (var _iterator = flags[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
          var flag = _step.value;
          if (seen.has(flag) || !validFlags.includes(flag)) {
            throw new SyntaxError("Invalid flags: " + flags);
          }
          seen.add(flag);
        }
      } catch (err) {
        _didIteratorError = true;
        _iteratorError = err;
      } finally {
        try {
          if (!_iteratorNormalCompletion && _iterator.return) {
            _iterator.return();
          }
        } finally {
          if (_didIteratorError) {
            throw _iteratorError;
          }
        }
      }
      return flags.split("").sort().join("");
    }
    function GroupRefOrDecChar(text, textLoc) {
      var reference = Number(text.slice(1));
      if (reference > 0 && reference <= capturingGroupsCount) {
        return Node({
          type: "Backreference",
          kind: "number",
          number: reference,
          reference
        }, textLoc);
      }
      return Char(text, "decimal", textLoc);
    }
    var uReStart = /^\\u[0-9a-fA-F]{4}/;
    var ucpReStart = /^\\u\{[0-9a-fA-F]{1,}\}/;
    var ucpReAnywhere = /\\u\{[0-9a-fA-F]{1,}\}/;
    function validateUnicodeGroupName(name, state) {
      var isUnicodeName = ucpReAnywhere.test(name);
      var isUnicodeState = state === "u" || state === "xu" || state === "u_class";
      if (isUnicodeName && !isUnicodeState) {
        throw new SyntaxError('invalid group Unicode name "' + name + '", use `u` flag.');
      }
      return name;
    }
    var uidRe = /\\u(?:([dD][89aAbB][0-9a-fA-F]{2})\\u([dD][c-fC-F][0-9a-fA-F]{2})|([dD][89aAbB][0-9a-fA-F]{2})|([dD][c-fC-F][0-9a-fA-F]{2})|([0-9a-ce-fA-CE-F][0-9a-fA-F]{3}|[dD][0-7][0-9a-fA-F]{2})|\{(0*(?:[0-9a-fA-F]{1,5}|10[0-9a-fA-F]{4}))\})/;
    function decodeUnicodeGroupName(name) {
      return name.replace(new RegExp(uidRe, "g"), function(_, leadSurrogate, trailSurrogate, leadSurrogateOnly, trailSurrogateOnly, nonSurrogate, codePoint) {
        if (leadSurrogate) {
          return String.fromCodePoint(parseInt(leadSurrogate, 16), parseInt(trailSurrogate, 16));
        }
        if (leadSurrogateOnly) {
          return String.fromCodePoint(parseInt(leadSurrogateOnly, 16));
        }
        if (trailSurrogateOnly) {
          return String.fromCodePoint(parseInt(trailSurrogateOnly, 16));
        }
        if (nonSurrogate) {
          return String.fromCodePoint(parseInt(nonSurrogate, 16));
        }
        if (codePoint) {
          return String.fromCodePoint(parseInt(codePoint, 16));
        }
        return _;
      });
    }
    function NamedGroupRefOrChars(text, textLoc) {
      var referenceRaw = text.slice(3, -1);
      var reference = decodeUnicodeGroupName(referenceRaw);
      if (namedGroups.hasOwnProperty(reference)) {
        return Node({
          type: "Backreference",
          kind: "name",
          number: namedGroups[reference],
          reference,
          referenceRaw
        }, textLoc);
      }
      var startOffset = null;
      var startLine = null;
      var endLine = null;
      var startColumn = null;
      if (textLoc) {
        startOffset = textLoc.startOffset;
        startLine = textLoc.startLine;
        endLine = textLoc.endLine;
        startColumn = textLoc.startColumn;
      }
      var charRe = /^[\w$<>]/;
      var loc2 = void 0;
      var chars = [
        // Init to first \k, taking 2 symbols.
        Char(text.slice(1, 2), "simple", startOffset ? {
          startLine,
          endLine,
          startColumn,
          startOffset,
          endOffset: startOffset += 2,
          endColumn: startColumn += 2
        } : null)
      ];
      chars[0].escaped = true;
      text = text.slice(2);
      while (text.length > 0) {
        var matched = null;
        if ((matched = text.match(uReStart)) || (matched = text.match(ucpReStart))) {
          if (startOffset) {
            loc2 = {
              startLine,
              endLine,
              startColumn,
              startOffset,
              endOffset: startOffset += matched[0].length,
              endColumn: startColumn += matched[0].length
            };
          }
          chars.push(Char(matched[0], "unicode", loc2));
          text = text.slice(matched[0].length);
        } else if (matched = text.match(charRe)) {
          if (startOffset) {
            loc2 = {
              startLine,
              endLine,
              startColumn,
              startOffset,
              endOffset: ++startOffset,
              endColumn: ++startColumn
            };
          }
          chars.push(Char(matched[0], "simple", loc2));
          text = text.slice(1);
        }
      }
      return chars;
    }
    function Node(node, loc2) {
      if (yy.options.captureLocations) {
        node.loc = {
          source: parsingString.slice(loc2.startOffset, loc2.endOffset),
          start: {
            line: loc2.startLine,
            column: loc2.startColumn,
            offset: loc2.startOffset
          },
          end: {
            line: loc2.endLine,
            column: loc2.endColumn,
            offset: loc2.endOffset
          }
        };
      }
      return node;
    }
    function loc(start, end) {
      if (!yy.options.captureLocations) {
        return null;
      }
      return {
        startOffset: start.startOffset,
        endOffset: end.endOffset,
        startLine: start.startLine,
        endLine: end.endLine,
        startColumn: start.startColumn,
        endColumn: end.endColumn
      };
    }
    function unexpectedToken(token) {
      if (token.type === EOF) {
        unexpectedEndOfInput();
      }
      tokenizer.throwUnexpectedToken(token.value, token.startLine, token.startColumn);
    }
    function unexpectedEndOfInput() {
      parseError("Unexpected end of input.");
    }
    function parseError(message) {
      throw new SyntaxError(message);
    }
    module2.exports = yyparse;
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/parser/index.js
var require_parser9 = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/parser/index.js"(exports2, module2) {
    "use strict";
    var regexpTreeParser = require_regexp_tree();
    var generatedParseFn = regexpTreeParser.parse.bind(regexpTreeParser);
    regexpTreeParser.parse = function(regexp, options) {
      return generatedParseFn("" + regexp, options);
    };
    regexpTreeParser.setOptions({ captureLocations: false });
    module2.exports = regexpTreeParser;
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/traverse/node-path.js
var require_node_path = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/traverse/node-path.js"(exports2, module2) {
    "use strict";
    var _createClass = /* @__PURE__ */ function() {
      function defineProperties(target, props) {
        for (var i = 0; i < props.length; i++) {
          var descriptor = props[i];
          descriptor.enumerable = descriptor.enumerable || false;
          descriptor.configurable = true;
          if ("value" in descriptor) descriptor.writable = true;
          Object.defineProperty(target, descriptor.key, descriptor);
        }
      }
      return function(Constructor, protoProps, staticProps) {
        if (protoProps) defineProperties(Constructor.prototype, protoProps);
        if (staticProps) defineProperties(Constructor, staticProps);
        return Constructor;
      };
    }();
    function _classCallCheck(instance, Constructor) {
      if (!(instance instanceof Constructor)) {
        throw new TypeError("Cannot call a class as a function");
      }
    }
    var DEFAULT_COLLECTION_PROP = "expressions";
    var DEFAULT_SINGLE_PROP = "expression";
    var NodePath = function() {
      function NodePath2(node) {
        var parentPath = arguments.length > 1 && arguments[1] !== void 0 ? arguments[1] : null;
        var property = arguments.length > 2 && arguments[2] !== void 0 ? arguments[2] : null;
        var index = arguments.length > 3 && arguments[3] !== void 0 ? arguments[3] : null;
        _classCallCheck(this, NodePath2);
        this.node = node;
        this.parentPath = parentPath;
        this.parent = parentPath ? parentPath.node : null;
        this.property = property;
        this.index = index;
      }
      _createClass(NodePath2, [{
        key: "_enforceProp",
        value: function _enforceProp(property) {
          if (!this.node.hasOwnProperty(property)) {
            throw new Error("Node of type " + this.node.type + ` doesn't have "` + property + '" collection.');
          }
        }
        /**
         * Sets a node into a children collection or the single child.
         * By default child nodes are supposed to be under `expressions` property.
         * An explicit property can be passed.
         *
         * @param Object node - a node to set into a collection or as single child
         * @param number index - index at which to set
         * @param string property - name of the collection or single property
         */
      }, {
        key: "setChild",
        value: function setChild(node) {
          var index = arguments.length > 1 && arguments[1] !== void 0 ? arguments[1] : null;
          var property = arguments.length > 2 && arguments[2] !== void 0 ? arguments[2] : null;
          var childPath = void 0;
          if (index != null) {
            if (!property) {
              property = DEFAULT_COLLECTION_PROP;
            }
            this._enforceProp(property);
            this.node[property][index] = node;
            childPath = NodePath2.getForNode(node, this, property, index);
          } else {
            if (!property) {
              property = DEFAULT_SINGLE_PROP;
            }
            this._enforceProp(property);
            this.node[property] = node;
            childPath = NodePath2.getForNode(node, this, property, null);
          }
          return childPath;
        }
        /**
         * Appends a node to a children collection.
         * By default child nodes are supposed to be under `expressions` property.
         * An explicit property can be passed.
         *
         * @param Object node - a node to set into a collection or as single child
         * @param string property - name of the collection or single property
         */
      }, {
        key: "appendChild",
        value: function appendChild(node) {
          var property = arguments.length > 1 && arguments[1] !== void 0 ? arguments[1] : null;
          if (!property) {
            property = DEFAULT_COLLECTION_PROP;
          }
          this._enforceProp(property);
          var end = this.node[property].length;
          return this.setChild(node, end, property);
        }
        /**
         * Inserts a node into a collection.
         * By default child nodes are supposed to be under `expressions` property.
         * An explicit property can be passed.
         *
         * @param Object node - a node to insert into a collection
         * @param number index - index at which to insert
         * @param string property - name of the collection property
         */
      }, {
        key: "insertChildAt",
        value: function insertChildAt(node, index) {
          var property = arguments.length > 2 && arguments[2] !== void 0 ? arguments[2] : DEFAULT_COLLECTION_PROP;
          this._enforceProp(property);
          this.node[property].splice(index, 0, node);
          if (index <= NodePath2.getTraversingIndex()) {
            NodePath2.updateTraversingIndex(1);
          }
          this._rebuildIndex(this.node, property);
        }
        /**
         * Removes a node.
         */
      }, {
        key: "remove",
        value: function remove() {
          if (this.isRemoved()) {
            return;
          }
          NodePath2.registry.delete(this.node);
          this.node = null;
          if (!this.parent) {
            return;
          }
          if (this.index !== null) {
            this.parent[this.property].splice(this.index, 1);
            if (this.index <= NodePath2.getTraversingIndex()) {
              NodePath2.updateTraversingIndex(-1);
            }
            this._rebuildIndex(this.parent, this.property);
            this.index = null;
            this.property = null;
            return;
          }
          delete this.parent[this.property];
          this.property = null;
        }
        /**
         * Rebuilds child nodes index (used on remove/insert).
         */
      }, {
        key: "_rebuildIndex",
        value: function _rebuildIndex(parent, property) {
          var parentPath = NodePath2.getForNode(parent);
          for (var i = 0; i < parent[property].length; i++) {
            var path17 = NodePath2.getForNode(parent[property][i], parentPath, property, i);
            path17.index = i;
          }
        }
        /**
         * Whether the path was removed.
         */
      }, {
        key: "isRemoved",
        value: function isRemoved() {
          return this.node === null;
        }
        /**
         * Replaces a node with the passed one.
         */
      }, {
        key: "replace",
        value: function replace(newNode) {
          NodePath2.registry.delete(this.node);
          this.node = newNode;
          if (!this.parent) {
            return null;
          }
          if (this.index !== null) {
            this.parent[this.property][this.index] = newNode;
          } else {
            this.parent[this.property] = newNode;
          }
          return NodePath2.getForNode(newNode, this.parentPath, this.property, this.index);
        }
        /**
         * Updates a node inline.
         */
      }, {
        key: "update",
        value: function update(nodeProps) {
          Object.assign(this.node, nodeProps);
        }
        /**
         * Returns parent.
         */
      }, {
        key: "getParent",
        value: function getParent() {
          return this.parentPath;
        }
        /**
         * Returns nth child.
         */
      }, {
        key: "getChild",
        value: function getChild() {
          var n = arguments.length > 0 && arguments[0] !== void 0 ? arguments[0] : 0;
          if (this.node.expressions) {
            return NodePath2.getForNode(this.node.expressions[n], this, DEFAULT_COLLECTION_PROP, n);
          } else if (this.node.expression && n == 0) {
            return NodePath2.getForNode(this.node.expression, this, DEFAULT_SINGLE_PROP);
          }
          return null;
        }
        /**
         * Whether a path node is syntactically equal to the passed one.
         *
         * NOTE: we don't rely on `source` property from the `loc` data
         * (which would be the fastest comparison), since it might be unsync
         * after several modifications. We use here simple `JSON.stringify`
         * excluding the `loc` data.
         *
         * @param NodePath other - path to compare to.
         * @return boolean
         */
      }, {
        key: "hasEqualSource",
        value: function hasEqualSource(path17) {
          return JSON.stringify(this.node, jsonSkipLoc) === JSON.stringify(path17.node, jsonSkipLoc);
        }
        /**
         * JSON-encodes a node skipping location.
         */
      }, {
        key: "jsonEncode",
        value: function jsonEncode() {
          var _ref = arguments.length > 0 && arguments[0] !== void 0 ? arguments[0] : {}, format2 = _ref.format, useLoc = _ref.useLoc;
          return JSON.stringify(this.node, useLoc ? null : jsonSkipLoc, format2);
        }
        /**
         * Returns previous sibling.
         */
      }, {
        key: "getPreviousSibling",
        value: function getPreviousSibling() {
          if (!this.parent || this.index == null) {
            return null;
          }
          return NodePath2.getForNode(this.parent[this.property][this.index - 1], NodePath2.getForNode(this.parent), this.property, this.index - 1);
        }
        /**
         * Returns next sibling.
         */
      }, {
        key: "getNextSibling",
        value: function getNextSibling() {
          if (!this.parent || this.index == null) {
            return null;
          }
          return NodePath2.getForNode(this.parent[this.property][this.index + 1], NodePath2.getForNode(this.parent), this.property, this.index + 1);
        }
        /**
         * Returns a NodePath instance for a node.
         *
         * The same NodePath can be reused in several places, e.g.
         * a parent node passed for all its children.
         */
      }], [{
        key: "getForNode",
        value: function getForNode(node) {
          var parentPath = arguments.length > 1 && arguments[1] !== void 0 ? arguments[1] : null;
          var prop = arguments.length > 2 && arguments[2] !== void 0 ? arguments[2] : null;
          var index = arguments.length > 3 && arguments[3] !== void 0 ? arguments[3] : -1;
          if (!node) {
            return null;
          }
          if (!NodePath2.registry.has(node)) {
            NodePath2.registry.set(node, new NodePath2(node, parentPath, prop, index == -1 ? null : index));
          }
          var path17 = NodePath2.registry.get(node);
          if (parentPath !== null) {
            path17.parentPath = parentPath;
            path17.parent = path17.parentPath.node;
          }
          if (prop !== null) {
            path17.property = prop;
          }
          if (index >= 0) {
            path17.index = index;
          }
          return path17;
        }
        /**
         * Initializes the NodePath registry. The registry is a map from
         * a node to its NodePath instance.
         */
      }, {
        key: "initRegistry",
        value: function initRegistry() {
          if (!NodePath2.registry) {
            NodePath2.registry = /* @__PURE__ */ new Map();
          }
          NodePath2.registry.clear();
        }
        /**
         * Updates index of a currently traversing collection.
         */
      }, {
        key: "updateTraversingIndex",
        value: function updateTraversingIndex(dx) {
          return NodePath2.traversingIndexStack[NodePath2.traversingIndexStack.length - 1] += dx;
        }
        /**
         * Returns current traversing index.
         */
      }, {
        key: "getTraversingIndex",
        value: function getTraversingIndex() {
          return NodePath2.traversingIndexStack[NodePath2.traversingIndexStack.length - 1];
        }
      }]);
      return NodePath2;
    }();
    NodePath.initRegistry();
    NodePath.traversingIndexStack = [];
    function jsonSkipLoc(prop, value) {
      if (prop === "loc") {
        return void 0;
      }
      return value;
    }
    module2.exports = NodePath;
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/traverse/index.js
var require_traverse3 = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/traverse/index.js"(exports2, module2) {
    "use strict";
    var NodePath = require_node_path();
    function astTraverse(root2) {
      var options = arguments.length > 1 && arguments[1] !== void 0 ? arguments[1] : {};
      var pre = options.pre;
      var post = options.post;
      var skipProperty = options.skipProperty;
      function visit(node, parent, prop, idx) {
        if (!node || typeof node.type !== "string") {
          return;
        }
        var res = void 0;
        if (pre) {
          res = pre(node, parent, prop, idx);
        }
        if (res !== false) {
          if (parent && parent[prop]) {
            if (!isNaN(idx)) {
              node = parent[prop][idx];
            } else {
              node = parent[prop];
            }
          }
          for (var _prop in node) {
            if (node.hasOwnProperty(_prop)) {
              if (skipProperty ? skipProperty(_prop, node) : _prop[0] === "$") {
                continue;
              }
              var child = node[_prop];
              if (Array.isArray(child)) {
                var index = 0;
                NodePath.traversingIndexStack.push(index);
                while (index < child.length) {
                  visit(child[index], node, _prop, index);
                  index = NodePath.updateTraversingIndex(1);
                }
                NodePath.traversingIndexStack.pop();
              } else {
                visit(child, node, _prop);
              }
            }
          }
        }
        if (post) {
          post(node, parent, prop, idx);
        }
      }
      visit(root2, null);
    }
    module2.exports = {
      /**
       * Traverses an AST.
       *
       * @param Object ast - an AST node
       *
       * @param Object | Array handlers:
       *
       *   an object (or an array of objects)
       *
       *   Each such object contains a handler function per node.
       *   In case of an array of handlers, they are applied in order.
       *   A handler may return a transformed node (or a different type).
       *
       *   The per-node function may instead be an object with functions pre and post.
       *   pre is called before visiting the node, post after.
       *   If a handler is a function, it is treated as the pre function, with an empty post.
       *
       * @param Object options:
       *
       *   a config object, specifying traversal options:
       *
       *   `asNodes`: boolean - whether handlers should receives raw AST nodes
       *   (false by default), instead of a `NodePath` wrapper. Note, by default
       *   `NodePath` wrapper provides a set of convenient method to manipulate
       *   a traversing AST, and also has access to all parents list. A raw
       *   nodes traversal should be used in rare cases, when no `NodePath`
       *   features are needed.
       *
       * Special hooks:
       *
       *   - `shouldRun(ast)` - a predicate determining whether the handler
       *                        should be applied.
       *
       * NOTE: Multiple handlers are used as an optimization of applying all of
       * them in one AST traversal pass.
       */
      traverse: function traverse(ast, handlers) {
        var options = arguments.length > 2 && arguments[2] !== void 0 ? arguments[2] : { asNodes: false };
        if (!Array.isArray(handlers)) {
          handlers = [handlers];
        }
        handlers = handlers.filter(function(handler) {
          if (typeof handler.shouldRun !== "function") {
            return true;
          }
          return handler.shouldRun(ast);
        });
        NodePath.initRegistry();
        handlers.forEach(function(handler) {
          if (typeof handler.init === "function") {
            handler.init(ast);
          }
        });
        function getPathFor(node, parent, prop, index) {
          var parentPath = NodePath.getForNode(parent);
          var nodePath = NodePath.getForNode(node, parentPath, prop, index);
          return nodePath;
        }
        astTraverse(ast, {
          /**
           * Handler on node enter.
           */
          pre: function pre(node, parent, prop, index) {
            var nodePath = void 0;
            if (!options.asNodes) {
              nodePath = getPathFor(node, parent, prop, index);
            }
            var _iteratorNormalCompletion = true;
            var _didIteratorError = false;
            var _iteratorError = void 0;
            try {
              for (var _iterator = handlers[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
                var handler = _step.value;
                if (typeof handler["*"] === "function") {
                  if (nodePath) {
                    if (!nodePath.isRemoved()) {
                      var handlerResult = handler["*"](nodePath);
                      if (handlerResult === false) {
                        return false;
                      }
                    }
                  } else {
                    handler["*"](node, parent, prop, index);
                  }
                }
                var handlerFuncPre = void 0;
                if (typeof handler[node.type] === "function") {
                  handlerFuncPre = handler[node.type];
                } else if (typeof handler[node.type] === "object" && typeof handler[node.type].pre === "function") {
                  handlerFuncPre = handler[node.type].pre;
                }
                if (handlerFuncPre) {
                  if (nodePath) {
                    if (!nodePath.isRemoved()) {
                      var _handlerResult = handlerFuncPre.call(handler, nodePath);
                      if (_handlerResult === false) {
                        return false;
                      }
                    }
                  } else {
                    handlerFuncPre.call(handler, node, parent, prop, index);
                  }
                }
              }
            } catch (err) {
              _didIteratorError = true;
              _iteratorError = err;
            } finally {
              try {
                if (!_iteratorNormalCompletion && _iterator.return) {
                  _iterator.return();
                }
              } finally {
                if (_didIteratorError) {
                  throw _iteratorError;
                }
              }
            }
          },
          // pre func
          /**
           * Handler on node exit.
           */
          post: function post(node, parent, prop, index) {
            if (!node) {
              return;
            }
            var nodePath = void 0;
            if (!options.asNodes) {
              nodePath = getPathFor(node, parent, prop, index);
            }
            var _iteratorNormalCompletion2 = true;
            var _didIteratorError2 = false;
            var _iteratorError2 = void 0;
            try {
              for (var _iterator2 = handlers[Symbol.iterator](), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) {
                var handler = _step2.value;
                var handlerFuncPost = void 0;
                if (typeof handler[node.type] === "object" && typeof handler[node.type].post === "function") {
                  handlerFuncPost = handler[node.type].post;
                }
                if (handlerFuncPost) {
                  if (nodePath) {
                    if (!nodePath.isRemoved()) {
                      var handlerResult = handlerFuncPost.call(handler, nodePath);
                      if (handlerResult === false) {
                        return false;
                      }
                    }
                  } else {
                    handlerFuncPost.call(handler, node, parent, prop, index);
                  }
                }
              }
            } catch (err) {
              _didIteratorError2 = true;
              _iteratorError2 = err;
            } finally {
              try {
                if (!_iteratorNormalCompletion2 && _iterator2.return) {
                  _iterator2.return();
                }
              } finally {
                if (_didIteratorError2) {
                  throw _iteratorError2;
                }
              }
            }
          },
          // post func
          /**
           * Skip locations by default.
           */
          skipProperty: function skipProperty(prop) {
            return prop === "loc";
          }
        });
      }
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/transform/index.js
var require_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/transform/index.js"(exports2, module2) {
    "use strict";
    var _createClass = /* @__PURE__ */ function() {
      function defineProperties(target, props) {
        for (var i = 0; i < props.length; i++) {
          var descriptor = props[i];
          descriptor.enumerable = descriptor.enumerable || false;
          descriptor.configurable = true;
          if ("value" in descriptor) descriptor.writable = true;
          Object.defineProperty(target, descriptor.key, descriptor);
        }
      }
      return function(Constructor, protoProps, staticProps) {
        if (protoProps) defineProperties(Constructor.prototype, protoProps);
        if (staticProps) defineProperties(Constructor, staticProps);
        return Constructor;
      };
    }();
    function _classCallCheck(instance, Constructor) {
      if (!(instance instanceof Constructor)) {
        throw new TypeError("Cannot call a class as a function");
      }
    }
    var generator = require_generator();
    var parser = require_parser9();
    var traverse = require_traverse3();
    var TransformResult = function() {
      function TransformResult2(ast) {
        var extra = arguments.length > 1 && arguments[1] !== void 0 ? arguments[1] : null;
        _classCallCheck(this, TransformResult2);
        this._ast = ast;
        this._source = null;
        this._string = null;
        this._regexp = null;
        this._extra = extra;
      }
      _createClass(TransformResult2, [{
        key: "getAST",
        value: function getAST() {
          return this._ast;
        }
      }, {
        key: "setExtra",
        value: function setExtra(extra) {
          this._extra = extra;
        }
      }, {
        key: "getExtra",
        value: function getExtra() {
          return this._extra;
        }
      }, {
        key: "toRegExp",
        value: function toRegExp() {
          if (!this._regexp) {
            this._regexp = new RegExp(this.getSource(), this._ast.flags);
          }
          return this._regexp;
        }
      }, {
        key: "getSource",
        value: function getSource() {
          if (!this._source) {
            this._source = generator.generate(this._ast.body);
          }
          return this._source;
        }
      }, {
        key: "getFlags",
        value: function getFlags() {
          return this._ast.flags;
        }
      }, {
        key: "toString",
        value: function toString2() {
          if (!this._string) {
            this._string = generator.generate(this._ast);
          }
          return this._string;
        }
      }]);
      return TransformResult2;
    }();
    module2.exports = {
      /**
       * Expose `TransformResult`.
       */
      TransformResult,
      /**
       * Transforms a regular expression applying a set of
       * transformation handlers.
       *
       * @param string | AST | RegExp:
       *
       *   a regular expression in different representations: a string,
       *   a RegExp object, or an AST.
       *
       * @param Object | Array:
       *
       *   a handler (or a list of handlers) from `traverse` API.
       *
       * @return TransformResult instance.
       *
       * Example:
       *
       *   transform(/[a-z]/i, {
       *     onChar(path) {
       *       const {node} = path;
       *
       *       if (...) {
       *         path.remove();
       *       }
       *     }
       *   });
       */
      transform: function transform(regexp, handlers) {
        var ast = regexp;
        if (regexp instanceof RegExp) {
          regexp = "" + regexp;
        }
        if (typeof regexp === "string") {
          ast = parser.parse(regexp, {
            captureLocations: true
          });
        }
        traverse.traverse(ast, handlers);
        return new TransformResult(ast);
      }
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/compat-transpiler/index.js
var require_compat_transpiler = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/compat-transpiler/index.js"(exports2, module2) {
    "use strict";
    var compatTransforms = require_transforms();
    var _transform = require_transform();
    module2.exports = {
      /**
       * Translates a regexp in new syntax to equivalent regexp in old syntax.
       *
       * @param string|RegExp|AST - regexp
       * @param Array transformsWhitelist - names of the transforms to apply
       */
      transform: function transform(regexp) {
        var transformsWhitelist = arguments.length > 1 && arguments[1] !== void 0 ? arguments[1] : [];
        var transformToApply = transformsWhitelist.length > 0 ? transformsWhitelist : Object.keys(compatTransforms);
        var result = void 0;
        var extra = {};
        transformToApply.forEach(function(transformName) {
          if (!compatTransforms.hasOwnProperty(transformName)) {
            throw new Error("Unknown compat-transform: " + transformName + ". Available transforms are: " + Object.keys(compatTransforms).join(", "));
          }
          var handler = compatTransforms[transformName];
          result = _transform.transform(regexp, handler);
          regexp = result.getAST();
          if (typeof handler.getExtra === "function") {
            extra[transformName] = handler.getExtra();
          }
        });
        result.setExtra(extra);
        return result;
      }
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/utils/clone.js
var require_clone2 = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/utils/clone.js"(exports2, module2) {
    "use strict";
    module2.exports = function clone(obj) {
      if (obj === null || typeof obj !== "object") {
        return obj;
      }
      var res = void 0;
      if (Array.isArray(obj)) {
        res = [];
      } else {
        res = {};
      }
      for (var i in obj) {
        res[i] = clone(obj[i]);
      }
      return res;
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-surrogate-pair-to-single-unicode-transform.js
var require_char_surrogate_pair_to_single_unicode_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-surrogate-pair-to-single-unicode-transform.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      shouldRun: function shouldRun(ast) {
        return ast.flags.includes("u");
      },
      Char: function Char(path17) {
        var node = path17.node;
        if (node.kind !== "unicode" || !node.isSurrogatePair || isNaN(node.codePoint)) {
          return;
        }
        node.value = "\\u{" + node.codePoint.toString(16) + "}";
        delete node.isSurrogatePair;
      }
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-code-to-simple-char-transform.js
var require_char_code_to_simple_char_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-code-to-simple-char-transform.js"(exports2, module2) {
    "use strict";
    var UPPER_A_CP = "A".codePointAt(0);
    var UPPER_Z_CP = "Z".codePointAt(0);
    var LOWER_A_CP = "a".codePointAt(0);
    var LOWER_Z_CP = "z".codePointAt(0);
    var DIGIT_0_CP = "0".codePointAt(0);
    var DIGIT_9_CP = "9".codePointAt(0);
    module2.exports = {
      Char: function Char(path17) {
        var node = path17.node, parent = path17.parent;
        if (isNaN(node.codePoint) || node.kind === "simple") {
          return;
        }
        if (parent.type === "ClassRange") {
          if (!isSimpleRange(parent)) {
            return;
          }
        }
        if (!isPrintableASCIIChar(node.codePoint)) {
          return;
        }
        var symbol = String.fromCodePoint(node.codePoint);
        var newChar = {
          type: "Char",
          kind: "simple",
          value: symbol,
          symbol,
          codePoint: node.codePoint
        };
        if (needsEscape(symbol, parent.type)) {
          newChar.escaped = true;
        }
        path17.replace(newChar);
      }
    };
    function isSimpleRange(classRange) {
      var from = classRange.from, to = classRange.to;
      return from.codePoint >= DIGIT_0_CP && from.codePoint <= DIGIT_9_CP && to.codePoint >= DIGIT_0_CP && to.codePoint <= DIGIT_9_CP || from.codePoint >= UPPER_A_CP && from.codePoint <= UPPER_Z_CP && to.codePoint >= UPPER_A_CP && to.codePoint <= UPPER_Z_CP || from.codePoint >= LOWER_A_CP && from.codePoint <= LOWER_Z_CP && to.codePoint >= LOWER_A_CP && to.codePoint <= LOWER_Z_CP;
    }
    function isPrintableASCIIChar(codePoint) {
      return codePoint >= 32 && codePoint <= 126;
    }
    function needsEscape(symbol, parentType) {
      if (parentType === "ClassRange" || parentType === "CharacterClass") {
        return /[\]\\^-]/.test(symbol);
      }
      return /[*[()+?^$./\\|{}]/.test(symbol);
    }
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-case-insensitive-lowercase-transform.js
var require_char_case_insensitive_lowercase_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-case-insensitive-lowercase-transform.js"(exports2, module2) {
    "use strict";
    var UPPER_A_CP = "A".codePointAt(0);
    var UPPER_Z_CP = "Z".codePointAt(0);
    module2.exports = {
      _AZClassRanges: null,
      _hasUFlag: false,
      init: function init(ast) {
        this._AZClassRanges = /* @__PURE__ */ new Set();
        this._hasUFlag = ast.flags.includes("u");
      },
      shouldRun: function shouldRun(ast) {
        return ast.flags.includes("i");
      },
      Char: function Char(path17) {
        var node = path17.node, parent = path17.parent;
        if (isNaN(node.codePoint)) {
          return;
        }
        if (!this._hasUFlag && node.codePoint >= 4096) {
          return;
        }
        if (parent.type === "ClassRange") {
          if (!this._AZClassRanges.has(parent) && !isAZClassRange(parent)) {
            return;
          }
          this._AZClassRanges.add(parent);
        }
        var lower = node.symbol.toLowerCase();
        if (lower !== node.symbol) {
          node.value = displaySymbolAsValue(lower, node);
          node.symbol = lower;
          node.codePoint = lower.codePointAt(0);
        }
      }
    };
    function isAZClassRange(classRange) {
      var from = classRange.from, to = classRange.to;
      return from.codePoint >= UPPER_A_CP && from.codePoint <= UPPER_Z_CP && to.codePoint >= UPPER_A_CP && to.codePoint <= UPPER_Z_CP;
    }
    function displaySymbolAsValue(symbol, node) {
      var codePoint = symbol.codePointAt(0);
      if (node.kind === "decimal") {
        return "\\" + codePoint;
      }
      if (node.kind === "oct") {
        return "\\0" + codePoint.toString(8);
      }
      if (node.kind === "hex") {
        return "\\x" + codePoint.toString(16);
      }
      if (node.kind === "unicode") {
        if (node.isSurrogatePair) {
          var _getSurrogatePairFrom = getSurrogatePairFromCodePoint(codePoint), lead = _getSurrogatePairFrom.lead, trail = _getSurrogatePairFrom.trail;
          return "\\u" + "0".repeat(4 - lead.length) + lead + "\\u" + "0".repeat(4 - trail.length) + trail;
        } else if (node.value.includes("{")) {
          return "\\u{" + codePoint.toString(16) + "}";
        } else {
          var code = codePoint.toString(16);
          return "\\u" + "0".repeat(4 - code.length) + code;
        }
      }
      return symbol;
    }
    function getSurrogatePairFromCodePoint(codePoint) {
      var lead = Math.floor((codePoint - 65536) / 1024) + 55296;
      var trail = (codePoint - 65536) % 1024 + 56320;
      return {
        lead: lead.toString(16),
        trail: trail.toString(16)
      };
    }
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-class-remove-duplicates-transform.js
var require_char_class_remove_duplicates_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-class-remove-duplicates-transform.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      CharacterClass: function CharacterClass(path17) {
        var node = path17.node;
        var sources = {};
        for (var i = 0; i < node.expressions.length; i++) {
          var childPath = path17.getChild(i);
          var source = childPath.jsonEncode();
          if (sources.hasOwnProperty(source)) {
            childPath.remove();
            i--;
          }
          sources[source] = true;
        }
      }
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/transform/utils.js
var require_utils12 = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/transform/utils.js"(exports2, module2) {
    "use strict";
    function _toConsumableArray(arr) {
      if (Array.isArray(arr)) {
        for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) {
          arr2[i] = arr[i];
        }
        return arr2;
      } else {
        return Array.from(arr);
      }
    }
    function disjunctionToList(node) {
      if (node.type !== "Disjunction") {
        throw new TypeError('Expected "Disjunction" node, got "' + node.type + '"');
      }
      var list = [];
      if (node.left && node.left.type === "Disjunction") {
        list.push.apply(list, _toConsumableArray(disjunctionToList(node.left)).concat([node.right]));
      } else {
        list.push(node.left, node.right);
      }
      return list;
    }
    function listToDisjunction(list) {
      return list.reduce(function(left, right) {
        return {
          type: "Disjunction",
          left,
          right
        };
      });
    }
    function increaseQuantifierByOne(quantifier) {
      if (quantifier.kind === "*") {
        quantifier.kind = "+";
      } else if (quantifier.kind === "+") {
        quantifier.kind = "Range";
        quantifier.from = 2;
        delete quantifier.to;
      } else if (quantifier.kind === "?") {
        quantifier.kind = "Range";
        quantifier.from = 1;
        quantifier.to = 2;
      } else if (quantifier.kind === "Range") {
        quantifier.from += 1;
        if (quantifier.to) {
          quantifier.to += 1;
        }
      }
    }
    module2.exports = {
      disjunctionToList,
      listToDisjunction,
      increaseQuantifierByOne
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/quantifiers-merge-transform.js
var require_quantifiers_merge_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/quantifiers-merge-transform.js"(exports2, module2) {
    "use strict";
    var _require = require_utils12();
    var increaseQuantifierByOne = _require.increaseQuantifierByOne;
    module2.exports = {
      Repetition: function Repetition(path17) {
        var node = path17.node, parent = path17.parent;
        if (parent.type !== "Alternative" || !path17.index) {
          return;
        }
        var previousSibling = path17.getPreviousSibling();
        if (!previousSibling) {
          return;
        }
        if (previousSibling.node.type === "Repetition") {
          if (!previousSibling.getChild().hasEqualSource(path17.getChild())) {
            return;
          }
          var _extractFromTo = extractFromTo(previousSibling.node.quantifier), previousSiblingFrom = _extractFromTo.from, previousSiblingTo = _extractFromTo.to;
          var _extractFromTo2 = extractFromTo(node.quantifier), nodeFrom = _extractFromTo2.from, nodeTo = _extractFromTo2.to;
          if (previousSibling.node.quantifier.greedy !== node.quantifier.greedy && !isGreedyOpenRange(previousSibling.node.quantifier) && !isGreedyOpenRange(node.quantifier)) {
            return;
          }
          node.quantifier.kind = "Range";
          node.quantifier.from = previousSiblingFrom + nodeFrom;
          if (previousSiblingTo && nodeTo) {
            node.quantifier.to = previousSiblingTo + nodeTo;
          } else {
            delete node.quantifier.to;
          }
          if (isGreedyOpenRange(previousSibling.node.quantifier) || isGreedyOpenRange(node.quantifier)) {
            node.quantifier.greedy = true;
          }
          previousSibling.remove();
        } else {
          if (!previousSibling.hasEqualSource(path17.getChild())) {
            return;
          }
          increaseQuantifierByOne(node.quantifier);
          previousSibling.remove();
        }
      }
    };
    function isGreedyOpenRange(quantifier) {
      return quantifier.greedy && (quantifier.kind === "+" || quantifier.kind === "*" || quantifier.kind === "Range" && !quantifier.to);
    }
    function extractFromTo(quantifier) {
      var from = void 0, to = void 0;
      if (quantifier.kind === "*") {
        from = 0;
      } else if (quantifier.kind === "+") {
        from = 1;
      } else if (quantifier.kind === "?") {
        from = 0;
        to = 1;
      } else {
        from = quantifier.from;
        if (quantifier.to) {
          to = quantifier.to;
        }
      }
      return { from, to };
    }
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/quantifier-range-to-symbol-transform.js
var require_quantifier_range_to_symbol_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/quantifier-range-to-symbol-transform.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      Quantifier: function Quantifier(path17) {
        var node = path17.node;
        if (node.kind !== "Range") {
          return;
        }
        rewriteOpenZero(path17);
        rewriteOpenOne(path17);
        rewriteExactOne(path17);
      }
    };
    function rewriteOpenZero(path17) {
      var node = path17.node;
      if (node.from !== 0 || node.to) {
        return;
      }
      node.kind = "*";
      delete node.from;
    }
    function rewriteOpenOne(path17) {
      var node = path17.node;
      if (node.from !== 1 || node.to) {
        return;
      }
      node.kind = "+";
      delete node.from;
    }
    function rewriteExactOne(path17) {
      var node = path17.node;
      if (node.from !== 1 || node.to !== 1) {
        return;
      }
      path17.parentPath.replace(path17.parentPath.node.expression);
    }
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-class-classranges-to-chars-transform.js
var require_char_class_classranges_to_chars_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-class-classranges-to-chars-transform.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      ClassRange: function ClassRange(path17) {
        var node = path17.node;
        if (node.from.codePoint === node.to.codePoint) {
          path17.replace(node.from);
        } else if (node.from.codePoint === node.to.codePoint - 1) {
          path17.getParent().insertChildAt(node.to, path17.index + 1);
          path17.replace(node.from);
        }
      }
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-class-to-meta-transform.js
var require_char_class_to_meta_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-class-to-meta-transform.js"(exports2, module2) {
    "use strict";
    function _toConsumableArray(arr) {
      if (Array.isArray(arr)) {
        for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) {
          arr2[i] = arr[i];
        }
        return arr2;
      } else {
        return Array.from(arr);
      }
    }
    module2.exports = {
      _hasIFlag: false,
      _hasUFlag: false,
      init: function init(ast) {
        this._hasIFlag = ast.flags.includes("i");
        this._hasUFlag = ast.flags.includes("u");
      },
      CharacterClass: function CharacterClass(path17) {
        rewriteNumberRanges(path17);
        rewriteWordRanges(path17, this._hasIFlag, this._hasUFlag);
        rewriteWhitespaceRanges(path17);
      }
    };
    function rewriteNumberRanges(path17) {
      var node = path17.node;
      node.expressions.forEach(function(expression, i) {
        if (isFullNumberRange(expression)) {
          path17.getChild(i).replace({
            type: "Char",
            value: "\\d",
            kind: "meta"
          });
        }
      });
    }
    function rewriteWordRanges(path17, hasIFlag, hasUFlag) {
      var node = path17.node;
      var numberPath = null;
      var lowerCasePath = null;
      var upperCasePath = null;
      var underscorePath = null;
      var u017fPath = null;
      var u212aPath = null;
      node.expressions.forEach(function(expression, i) {
        if (isMetaChar(expression, "\\d")) {
          numberPath = path17.getChild(i);
        } else if (isLowerCaseRange(expression)) {
          lowerCasePath = path17.getChild(i);
        } else if (isUpperCaseRange(expression)) {
          upperCasePath = path17.getChild(i);
        } else if (isUnderscore(expression)) {
          underscorePath = path17.getChild(i);
        } else if (hasIFlag && hasUFlag && isCodePoint(expression, 383)) {
          u017fPath = path17.getChild(i);
        } else if (hasIFlag && hasUFlag && isCodePoint(expression, 8490)) {
          u212aPath = path17.getChild(i);
        }
      });
      if (numberPath && (lowerCasePath && upperCasePath || hasIFlag && (lowerCasePath || upperCasePath)) && underscorePath && (!hasUFlag || !hasIFlag || u017fPath && u212aPath)) {
        numberPath.replace({
          type: "Char",
          value: "\\w",
          kind: "meta"
        });
        if (lowerCasePath) {
          lowerCasePath.remove();
        }
        if (upperCasePath) {
          upperCasePath.remove();
        }
        underscorePath.remove();
        if (u017fPath) {
          u017fPath.remove();
        }
        if (u212aPath) {
          u212aPath.remove();
        }
      }
    }
    var whitespaceRangeTests = [function(node) {
      return isChar(node, " ");
    }].concat(_toConsumableArray(["\\f", "\\n", "\\r", "\\t", "\\v"].map(function(char) {
      return function(node) {
        return isMetaChar(node, char);
      };
    })), _toConsumableArray([160, 5760, 8232, 8233, 8239, 8287, 12288, 65279].map(function(codePoint) {
      return function(node) {
        return isCodePoint(node, codePoint);
      };
    })), [function(node) {
      return node.type === "ClassRange" && isCodePoint(node.from, 8192) && isCodePoint(node.to, 8202);
    }]);
    function rewriteWhitespaceRanges(path17) {
      var node = path17.node;
      if (node.expressions.length < whitespaceRangeTests.length || !whitespaceRangeTests.every(function(test) {
        return node.expressions.some(function(expression) {
          return test(expression);
        });
      })) {
        return;
      }
      var nNode = node.expressions.find(function(expression) {
        return isMetaChar(expression, "\\n");
      });
      nNode.value = "\\s";
      nNode.symbol = void 0;
      nNode.codePoint = NaN;
      node.expressions.map(function(expression, i) {
        return whitespaceRangeTests.some(function(test) {
          return test(expression);
        }) ? path17.getChild(i) : void 0;
      }).filter(Boolean).forEach(function(path18) {
        return path18.remove();
      });
    }
    function isFullNumberRange(node) {
      return node.type === "ClassRange" && node.from.value === "0" && node.to.value === "9";
    }
    function isChar(node, value) {
      var kind = arguments.length > 2 && arguments[2] !== void 0 ? arguments[2] : "simple";
      return node.type === "Char" && node.value === value && node.kind === kind;
    }
    function isMetaChar(node, value) {
      return isChar(node, value, "meta");
    }
    function isLowerCaseRange(node) {
      return node.type === "ClassRange" && node.from.value === "a" && node.to.value === "z";
    }
    function isUpperCaseRange(node) {
      return node.type === "ClassRange" && node.from.value === "A" && node.to.value === "Z";
    }
    function isUnderscore(node) {
      return node.type === "Char" && node.value === "_" && node.kind === "simple";
    }
    function isCodePoint(node, codePoint) {
      return node.type === "Char" && node.kind === "unicode" && node.codePoint === codePoint;
    }
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-class-to-single-char-transform.js
var require_char_class_to_single_char_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-class-to-single-char-transform.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      CharacterClass: function CharacterClass(path17) {
        var node = path17.node;
        if (node.expressions.length !== 1 || !hasAppropriateSiblings(path17) || !isAppropriateChar(node.expressions[0])) {
          return;
        }
        var _node$expressions$ = node.expressions[0], value = _node$expressions$.value, kind = _node$expressions$.kind, escaped = _node$expressions$.escaped;
        if (node.negative) {
          if (!isMeta(value)) {
            return;
          }
          value = getInverseMeta(value);
        }
        path17.replace({
          type: "Char",
          value,
          kind,
          escaped: escaped || shouldEscape(value)
        });
      }
    };
    function isAppropriateChar(node) {
      return node.type === "Char" && // We don't extract [\b] (backspace) since \b has different
      // semantics (word boundary).
      node.value !== "\\b";
    }
    function isMeta(value) {
      return /^\\[dwsDWS]$/.test(value);
    }
    function getInverseMeta(value) {
      return /[dws]/.test(value) ? value.toUpperCase() : value.toLowerCase();
    }
    function hasAppropriateSiblings(path17) {
      var parent = path17.parent, index = path17.index;
      if (parent.type !== "Alternative") {
        return true;
      }
      var previousNode = parent.expressions[index - 1];
      if (previousNode == null) {
        return true;
      }
      if (previousNode.type === "Backreference" && previousNode.kind === "number") {
        return false;
      }
      if (previousNode.type === "Char" && previousNode.kind === "decimal") {
        return false;
      }
      return true;
    }
    function shouldEscape(value) {
      return /[*[()+?$./{}|]/.test(value);
    }
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-escape-unescape-transform.js
var require_char_escape_unescape_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-escape-unescape-transform.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      _hasXFlag: false,
      init: function init(ast) {
        this._hasXFlag = ast.flags.includes("x");
      },
      Char: function Char(path17) {
        var node = path17.node;
        if (!node.escaped) {
          return;
        }
        if (shouldUnescape(path17, this._hasXFlag)) {
          delete node.escaped;
        }
      }
    };
    function shouldUnescape(path17, hasXFlag) {
      var value = path17.node.value, index = path17.index, parent = path17.parent;
      if (parent.type !== "CharacterClass" && parent.type !== "ClassRange") {
        return !preservesEscape(value, index, parent, hasXFlag);
      }
      return !preservesInCharClass(value, index, parent);
    }
    function preservesInCharClass(value, index, parent) {
      if (value === "^") {
        return index === 0 && !parent.negative;
      }
      if (value === "-") {
        return true;
      }
      return /[\]\\]/.test(value);
    }
    function preservesEscape(value, index, parent, hasXFlag) {
      if (value === "{") {
        return preservesOpeningCurlyBraceEscape(index, parent);
      }
      if (value === "}") {
        return preservesClosingCurlyBraceEscape(index, parent);
      }
      if (hasXFlag && /[ #]/.test(value)) {
        return true;
      }
      return /[*[()+?^$./\\|]/.test(value);
    }
    function consumeNumbers(startIndex, parent, rtl) {
      var i = startIndex;
      var siblingNode = (rtl ? i >= 0 : i < parent.expressions.length) && parent.expressions[i];
      while (siblingNode && siblingNode.type === "Char" && siblingNode.kind === "simple" && !siblingNode.escaped && /\d/.test(siblingNode.value)) {
        rtl ? i-- : i++;
        siblingNode = (rtl ? i >= 0 : i < parent.expressions.length) && parent.expressions[i];
      }
      return Math.abs(startIndex - i);
    }
    function isSimpleChar(node, value) {
      return node && node.type === "Char" && node.kind === "simple" && !node.escaped && node.value === value;
    }
    function preservesOpeningCurlyBraceEscape(index, parent) {
      if (index == null) {
        return false;
      }
      var nbFollowingNumbers = consumeNumbers(index + 1, parent);
      var i = index + nbFollowingNumbers + 1;
      var nextSiblingNode = i < parent.expressions.length && parent.expressions[i];
      if (nbFollowingNumbers) {
        if (isSimpleChar(nextSiblingNode, "}")) {
          return true;
        }
        if (isSimpleChar(nextSiblingNode, ",")) {
          nbFollowingNumbers = consumeNumbers(i + 1, parent);
          i = i + nbFollowingNumbers + 1;
          nextSiblingNode = i < parent.expressions.length && parent.expressions[i];
          return isSimpleChar(nextSiblingNode, "}");
        }
      }
      return false;
    }
    function preservesClosingCurlyBraceEscape(index, parent) {
      if (index == null) {
        return false;
      }
      var nbPrecedingNumbers = consumeNumbers(index - 1, parent, true);
      var i = index - nbPrecedingNumbers - 1;
      var previousSiblingNode = i >= 0 && parent.expressions[i];
      if (nbPrecedingNumbers && isSimpleChar(previousSiblingNode, "{")) {
        return true;
      }
      if (isSimpleChar(previousSiblingNode, ",")) {
        nbPrecedingNumbers = consumeNumbers(i - 1, parent, true);
        i = i - nbPrecedingNumbers - 1;
        previousSiblingNode = i < parent.expressions.length && parent.expressions[i];
        return nbPrecedingNumbers && isSimpleChar(previousSiblingNode, "{");
      }
      return false;
    }
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-class-classranges-merge-transform.js
var require_char_class_classranges_merge_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/char-class-classranges-merge-transform.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      _hasIUFlags: false,
      init: function init(ast) {
        this._hasIUFlags = ast.flags.includes("i") && ast.flags.includes("u");
      },
      CharacterClass: function CharacterClass(path17) {
        var node = path17.node;
        var expressions = node.expressions;
        var metas = [];
        expressions.forEach(function(expression2) {
          if (isMeta(expression2)) {
            metas.push(expression2.value);
          }
        });
        expressions.sort(sortCharClass);
        for (var i = 0; i < expressions.length; i++) {
          var expression = expressions[i];
          if (fitsInMetas(expression, metas, this._hasIUFlags) || combinesWithPrecedingClassRange(expression, expressions[i - 1]) || combinesWithFollowingClassRange(expression, expressions[i + 1])) {
            expressions.splice(i, 1);
            i--;
          } else {
            var nbMergedChars = charCombinesWithPrecedingChars(expression, i, expressions);
            expressions.splice(i - nbMergedChars + 1, nbMergedChars);
            i -= nbMergedChars;
          }
        }
      }
    };
    function sortCharClass(a, b) {
      var aValue = getSortValue(a);
      var bValue = getSortValue(b);
      if (aValue === bValue) {
        if (a.type === "ClassRange" && b.type !== "ClassRange") {
          return -1;
        }
        if (b.type === "ClassRange" && a.type !== "ClassRange") {
          return 1;
        }
        if (a.type === "ClassRange" && b.type === "ClassRange") {
          return getSortValue(a.to) - getSortValue(b.to);
        }
        if (isMeta(a) && isMeta(b) || isControl(a) && isControl(b)) {
          return a.value < b.value ? -1 : 1;
        }
      }
      return aValue - bValue;
    }
    function getSortValue(expression) {
      if (expression.type === "Char") {
        if (expression.value === "-") {
          return Infinity;
        }
        if (expression.kind === "control") {
          return Infinity;
        }
        if (expression.kind === "meta" && isNaN(expression.codePoint)) {
          return -1;
        }
        return expression.codePoint;
      }
      return expression.from.codePoint;
    }
    function isMeta(expression) {
      var value = arguments.length > 1 && arguments[1] !== void 0 ? arguments[1] : null;
      return expression.type === "Char" && expression.kind === "meta" && (value ? expression.value === value : /^\\[dws]$/i.test(expression.value));
    }
    function isControl(expression) {
      return expression.type === "Char" && expression.kind === "control";
    }
    function fitsInMetas(expression, metas, hasIUFlags) {
      for (var i = 0; i < metas.length; i++) {
        if (fitsInMeta(expression, metas[i], hasIUFlags)) {
          return true;
        }
      }
      return false;
    }
    function fitsInMeta(expression, meta, hasIUFlags) {
      if (expression.type === "ClassRange") {
        return fitsInMeta(expression.from, meta, hasIUFlags) && fitsInMeta(expression.to, meta, hasIUFlags);
      }
      if (meta === "\\S" && (isMeta(expression, "\\w") || isMeta(expression, "\\d"))) {
        return true;
      }
      if (meta === "\\D" && (isMeta(expression, "\\W") || isMeta(expression, "\\s"))) {
        return true;
      }
      if (meta === "\\w" && isMeta(expression, "\\d")) {
        return true;
      }
      if (meta === "\\W" && isMeta(expression, "\\s")) {
        return true;
      }
      if (expression.type !== "Char" || isNaN(expression.codePoint)) {
        return false;
      }
      if (meta === "\\s") {
        return fitsInMetaS(expression);
      }
      if (meta === "\\S") {
        return !fitsInMetaS(expression);
      }
      if (meta === "\\d") {
        return fitsInMetaD(expression);
      }
      if (meta === "\\D") {
        return !fitsInMetaD(expression);
      }
      if (meta === "\\w") {
        return fitsInMetaW(expression, hasIUFlags);
      }
      if (meta === "\\W") {
        return !fitsInMetaW(expression, hasIUFlags);
      }
      return false;
    }
    function fitsInMetaS(expression) {
      return expression.codePoint === 9 || // \t
      expression.codePoint === 10 || // \n
      expression.codePoint === 11 || // \v
      expression.codePoint === 12 || // \f
      expression.codePoint === 13 || // \r
      expression.codePoint === 32 || // space
      expression.codePoint === 160 || // nbsp
      expression.codePoint === 5760 || // part of Zs
      expression.codePoint >= 8192 && expression.codePoint <= 8202 || // part of Zs
      expression.codePoint === 8232 || // line separator
      expression.codePoint === 8233 || // paragraph separator
      expression.codePoint === 8239 || // part of Zs
      expression.codePoint === 8287 || // part of Zs
      expression.codePoint === 12288 || // part of Zs
      expression.codePoint === 65279;
    }
    function fitsInMetaD(expression) {
      return expression.codePoint >= 48 && expression.codePoint <= 57;
    }
    function fitsInMetaW(expression, hasIUFlags) {
      return fitsInMetaD(expression) || expression.codePoint >= 65 && expression.codePoint <= 90 || // A-Z
      expression.codePoint >= 97 && expression.codePoint <= 122 || // a-z
      expression.value === "_" || hasIUFlags && (expression.codePoint === 383 || expression.codePoint === 8490);
    }
    function combinesWithPrecedingClassRange(expression, classRange) {
      if (classRange && classRange.type === "ClassRange") {
        if (fitsInClassRange(expression, classRange)) {
          return true;
        } else if (
          // We only want \w chars or char codes to keep readability
          isMetaWCharOrCode(expression) && classRange.to.codePoint === expression.codePoint - 1
        ) {
          classRange.to = expression;
          return true;
        } else if (expression.type === "ClassRange" && expression.from.codePoint <= classRange.to.codePoint + 1 && expression.to.codePoint >= classRange.from.codePoint - 1) {
          if (expression.from.codePoint < classRange.from.codePoint) {
            classRange.from = expression.from;
          }
          if (expression.to.codePoint > classRange.to.codePoint) {
            classRange.to = expression.to;
          }
          return true;
        }
      }
      return false;
    }
    function combinesWithFollowingClassRange(expression, classRange) {
      if (classRange && classRange.type === "ClassRange") {
        if (
          // We only want \w chars or char codes to keep readability
          isMetaWCharOrCode(expression) && classRange.from.codePoint === expression.codePoint + 1
        ) {
          classRange.from = expression;
          return true;
        }
      }
      return false;
    }
    function fitsInClassRange(expression, classRange) {
      if (expression.type === "Char" && isNaN(expression.codePoint)) {
        return false;
      }
      if (expression.type === "ClassRange") {
        return fitsInClassRange(expression.from, classRange) && fitsInClassRange(expression.to, classRange);
      }
      return expression.codePoint >= classRange.from.codePoint && expression.codePoint <= classRange.to.codePoint;
    }
    function charCombinesWithPrecedingChars(expression, index, expressions) {
      if (!isMetaWCharOrCode(expression)) {
        return 0;
      }
      var nbMergedChars = 0;
      while (index > 0) {
        var currentExpression = expressions[index];
        var precedingExpresion = expressions[index - 1];
        if (isMetaWCharOrCode(precedingExpresion) && precedingExpresion.codePoint === currentExpression.codePoint - 1) {
          nbMergedChars++;
          index--;
        } else {
          break;
        }
      }
      if (nbMergedChars > 1) {
        expressions[index] = {
          type: "ClassRange",
          from: expressions[index],
          to: expression
        };
        return nbMergedChars;
      }
      return 0;
    }
    function isMetaWCharOrCode(expression) {
      return expression && expression.type === "Char" && !isNaN(expression.codePoint) && (fitsInMetaW(expression, false) || expression.kind === "unicode" || expression.kind === "hex" || expression.kind === "oct" || expression.kind === "decimal");
    }
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/disjunction-remove-duplicates-transform.js
var require_disjunction_remove_duplicates_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/disjunction-remove-duplicates-transform.js"(exports2, module2) {
    "use strict";
    var NodePath = require_node_path();
    var _require = require_utils12();
    var disjunctionToList = _require.disjunctionToList;
    var listToDisjunction = _require.listToDisjunction;
    module2.exports = {
      Disjunction: function Disjunction(path17) {
        var node = path17.node;
        var uniqueNodesMap = {};
        var parts = disjunctionToList(node).filter(function(part) {
          var encoded = part ? NodePath.getForNode(part).jsonEncode() : "null";
          if (uniqueNodesMap.hasOwnProperty(encoded)) {
            return false;
          }
          uniqueNodesMap[encoded] = part;
          return true;
        });
        path17.replace(listToDisjunction(parts));
      }
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/group-single-chars-to-char-class.js
var require_group_single_chars_to_char_class = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/group-single-chars-to-char-class.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      Disjunction: function Disjunction(path17) {
        var node = path17.node, parent = path17.parent;
        if (!handlers[parent.type]) {
          return;
        }
        var charset = /* @__PURE__ */ new Map();
        if (!shouldProcess(node, charset) || !charset.size) {
          return;
        }
        var characterClass = {
          type: "CharacterClass",
          expressions: Array.from(charset.keys()).sort().map(function(key) {
            return charset.get(key);
          })
        };
        handlers[parent.type](path17.getParent(), characterClass);
      }
    };
    var handlers = {
      RegExp: function RegExp2(path17, characterClass) {
        var node = path17.node;
        node.body = characterClass;
      },
      Group: function Group(path17, characterClass) {
        var node = path17.node;
        if (node.capturing) {
          node.expression = characterClass;
        } else {
          path17.replace(characterClass);
        }
      }
    };
    function shouldProcess(expression, charset) {
      if (!expression) {
        return false;
      }
      var type = expression.type;
      if (type === "Disjunction") {
        var left = expression.left, right = expression.right;
        return shouldProcess(left, charset) && shouldProcess(right, charset);
      } else if (type === "Char") {
        if (expression.kind === "meta" && expression.symbol === ".") {
          return false;
        }
        var value = expression.value;
        charset.set(value, expression);
        return true;
      } else if (type === "CharacterClass" && !expression.negative) {
        return expression.expressions.every(function(expression2) {
          return shouldProcess(expression2, charset);
        });
      }
      return false;
    }
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/remove-empty-group-transform.js
var require_remove_empty_group_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/remove-empty-group-transform.js"(exports2, module2) {
    "use strict";
    module2.exports = {
      Group: function Group(path17) {
        var node = path17.node, parent = path17.parent;
        var childPath = path17.getChild();
        if (node.capturing || childPath) {
          return;
        }
        if (parent.type === "Repetition") {
          path17.getParent().replace(node);
        } else if (parent.type !== "RegExp") {
          path17.remove();
        }
      }
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/ungroup-transform.js
var require_ungroup_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/ungroup-transform.js"(exports2, module2) {
    "use strict";
    function _toConsumableArray(arr) {
      if (Array.isArray(arr)) {
        for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) {
          arr2[i] = arr[i];
        }
        return arr2;
      } else {
        return Array.from(arr);
      }
    }
    module2.exports = {
      Group: function Group(path17) {
        var node = path17.node, parent = path17.parent;
        var childPath = path17.getChild();
        if (node.capturing || !childPath) {
          return;
        }
        if (!hasAppropriateSiblings(path17)) {
          return;
        }
        if (childPath.node.type === "Disjunction" && parent.type !== "RegExp") {
          return;
        }
        if (parent.type === "Repetition" && childPath.node.type !== "Char" && childPath.node.type !== "CharacterClass") {
          return;
        }
        if (childPath.node.type === "Alternative") {
          var parentPath = path17.getParent();
          if (parentPath.node.type === "Alternative") {
            parentPath.replace({
              type: "Alternative",
              expressions: [].concat(_toConsumableArray(parent.expressions.slice(0, path17.index)), _toConsumableArray(childPath.node.expressions), _toConsumableArray(parent.expressions.slice(path17.index + 1)))
            });
          }
        } else {
          path17.replace(childPath.node);
        }
      }
    };
    function hasAppropriateSiblings(path17) {
      var parent = path17.parent, index = path17.index;
      if (parent.type !== "Alternative") {
        return true;
      }
      var previousNode = parent.expressions[index - 1];
      if (previousNode == null) {
        return true;
      }
      if (previousNode.type === "Backreference" && previousNode.kind === "number") {
        return false;
      }
      if (previousNode.type === "Char" && previousNode.kind === "decimal") {
        return false;
      }
      return true;
    }
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/combine-repeating-patterns-transform.js
var require_combine_repeating_patterns_transform = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/combine-repeating-patterns-transform.js"(exports2, module2) {
    "use strict";
    function _toConsumableArray(arr) {
      if (Array.isArray(arr)) {
        for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) {
          arr2[i] = arr[i];
        }
        return arr2;
      } else {
        return Array.from(arr);
      }
    }
    var NodePath = require_node_path();
    var _require = require_utils12();
    var increaseQuantifierByOne = _require.increaseQuantifierByOne;
    module2.exports = {
      Alternative: function Alternative(path17) {
        var node = path17.node;
        var index = 1;
        while (index < node.expressions.length) {
          var child = path17.getChild(index);
          index = Math.max(1, combineRepeatingPatternLeft(path17, child, index));
          if (index >= node.expressions.length) {
            break;
          }
          child = path17.getChild(index);
          index = Math.max(1, combineWithPreviousRepetition(path17, child, index));
          if (index >= node.expressions.length) {
            break;
          }
          child = path17.getChild(index);
          index = Math.max(1, combineRepetitionWithPrevious(path17, child, index));
          index++;
        }
      }
    };
    function combineRepeatingPatternLeft(alternative, child, index) {
      var node = alternative.node;
      var nbPossibleLengths = Math.ceil(index / 2);
      var i = 0;
      while (i < nbPossibleLengths) {
        var startIndex = index - 2 * i - 1;
        var right = void 0, left = void 0;
        if (i === 0) {
          right = child;
          left = alternative.getChild(startIndex);
        } else {
          right = NodePath.getForNode({
            type: "Alternative",
            expressions: [].concat(_toConsumableArray(node.expressions.slice(index - i, index)), [child.node])
          });
          left = NodePath.getForNode({
            type: "Alternative",
            expressions: [].concat(_toConsumableArray(node.expressions.slice(startIndex, index - i)))
          });
        }
        if (right.hasEqualSource(left)) {
          for (var j = 0; j < 2 * i + 1; j++) {
            alternative.getChild(startIndex).remove();
          }
          child.replace({
            type: "Repetition",
            expression: i === 0 && right.node.type !== "Repetition" ? right.node : {
              type: "Group",
              capturing: false,
              expression: right.node
            },
            quantifier: {
              type: "Quantifier",
              kind: "Range",
              from: 2,
              to: 2,
              greedy: true
            }
          });
          return startIndex;
        }
        i++;
      }
      return index;
    }
    function combineWithPreviousRepetition(alternative, child, index) {
      var node = alternative.node;
      var i = 0;
      while (i < index) {
        var previousChild = alternative.getChild(i);
        if (previousChild.node.type === "Repetition" && previousChild.node.quantifier.greedy) {
          var left = previousChild.getChild();
          var right = void 0;
          if (left.node.type === "Group" && !left.node.capturing) {
            left = left.getChild();
          }
          if (i + 1 === index) {
            right = child;
            if (right.node.type === "Group" && !right.node.capturing) {
              right = right.getChild();
            }
          } else {
            right = NodePath.getForNode({
              type: "Alternative",
              expressions: [].concat(_toConsumableArray(node.expressions.slice(i + 1, index + 1)))
            });
          }
          if (left.hasEqualSource(right)) {
            for (var j = i; j < index; j++) {
              alternative.getChild(i + 1).remove();
            }
            increaseQuantifierByOne(previousChild.node.quantifier);
            return i;
          }
        }
        i++;
      }
      return index;
    }
    function combineRepetitionWithPrevious(alternative, child, index) {
      var node = alternative.node;
      if (child.node.type === "Repetition" && child.node.quantifier.greedy) {
        var right = child.getChild();
        var left = void 0;
        if (right.node.type === "Group" && !right.node.capturing) {
          right = right.getChild();
        }
        var rightLength = void 0;
        if (right.node.type === "Alternative") {
          rightLength = right.node.expressions.length;
          left = NodePath.getForNode({
            type: "Alternative",
            expressions: [].concat(_toConsumableArray(node.expressions.slice(index - rightLength, index)))
          });
        } else {
          rightLength = 1;
          left = alternative.getChild(index - 1);
          if (left.node.type === "Group" && !left.node.capturing) {
            left = left.getChild();
          }
        }
        if (left.hasEqualSource(right)) {
          for (var j = index - rightLength; j < index; j++) {
            alternative.getChild(index - rightLength).remove();
          }
          increaseQuantifierByOne(child.node.quantifier);
          return index - rightLength;
        }
      }
      return index;
    }
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/index.js
var require_transforms2 = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/transforms/index.js"(exports2, module2) {
    "use strict";
    module2.exports = /* @__PURE__ */ new Map([
      // \ud83d\ude80 -> \u{1f680}
      ["charSurrogatePairToSingleUnicode", require_char_surrogate_pair_to_single_unicode_transform()],
      // \u0061 -> a
      ["charCodeToSimpleChar", require_char_code_to_simple_char_transform()],
      // /Aa/i -> /aa/i
      ["charCaseInsensitiveLowerCaseTransform", require_char_case_insensitive_lowercase_transform()],
      // [\d\d] -> [\d]
      ["charClassRemoveDuplicates", require_char_class_remove_duplicates_transform()],
      // a{1,2}a{2,3} -> a{3,5}
      ["quantifiersMerge", require_quantifiers_merge_transform()],
      // a{1,} -> a+, a{3,3} -> a{3}, a{1} -> a
      ["quantifierRangeToSymbol", require_quantifier_range_to_symbol_transform()],
      // [a-a] -> [a], [a-b] -> [ab]
      ["charClassClassrangesToChars", require_char_class_classranges_to_chars_transform()],
      // [0-9] -> [\d]
      ["charClassToMeta", require_char_class_to_meta_transform()],
      // [\d] -> \d, [^\w] -> \W
      ["charClassToSingleChar", require_char_class_to_single_char_transform()],
      // \e -> e
      ["charEscapeUnescape", require_char_escape_unescape_transform()],
      // [a-de-f] -> [a-f]
      ["charClassClassrangesMerge", require_char_class_classranges_merge_transform()],
      // (ab|ab) -> (ab)
      ["disjunctionRemoveDuplicates", require_disjunction_remove_duplicates_transform()],
      // (a|b|c) -> [abc]
      ["groupSingleCharsToCharClass", require_group_single_chars_to_char_class()],
      // (?:)a -> a
      ["removeEmptyGroup", require_remove_empty_group_transform()],
      // (?:a) -> a
      ["ungroup", require_ungroup_transform()],
      // abcabcabc -> (?:abc){3}
      ["combineRepeatingPatterns", require_combine_repeating_patterns_transform()]
    ]);
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/index.js
var require_optimizer = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/optimizer/index.js"(exports2, module2) {
    "use strict";
    var clone = require_clone2();
    var parser = require_parser9();
    var transform = require_transform();
    var optimizationTransforms = require_transforms2();
    module2.exports = {
      /**
       * Optimizer transforms a regular expression into an optimized version,
       * replacing some sub-expressions with their idiomatic patterns.
       *
       * @param string | RegExp | AST - a regexp to optimize.
       *
       * @return TransformResult - an optimized regexp.
       *
       * Example:
       *
       *   /[a-zA-Z_0-9][a-zA-Z_0-9]*\e{1,}/
       *
       * Optimized to:
       *
       *   /\w+e+/
       */
      optimize: function optimize2(regexp) {
        var _ref = arguments.length > 1 && arguments[1] !== void 0 ? arguments[1] : {}, _ref$whitelist = _ref.whitelist, whitelist = _ref$whitelist === void 0 ? [] : _ref$whitelist, _ref$blacklist = _ref.blacklist, blacklist = _ref$blacklist === void 0 ? [] : _ref$blacklist;
        var transformsRaw = whitelist.length > 0 ? whitelist : Array.from(optimizationTransforms.keys());
        var transformToApply = transformsRaw.filter(function(transform2) {
          return !blacklist.includes(transform2);
        });
        var ast = regexp;
        if (regexp instanceof RegExp) {
          regexp = "" + regexp;
        }
        if (typeof regexp === "string") {
          ast = parser.parse(regexp);
        }
        var result = new transform.TransformResult(ast);
        var prevResultString = void 0;
        do {
          prevResultString = result.toString();
          ast = clone(result.getAST());
          transformToApply.forEach(function(transformName) {
            if (!optimizationTransforms.has(transformName)) {
              throw new Error("Unknown optimization-transform: " + transformName + ". Available transforms are: " + Array.from(optimizationTransforms.keys()).join(", "));
            }
            var transformer = optimizationTransforms.get(transformName);
            var newResult = transform.transform(ast, transformer);
            if (newResult.toString() !== result.toString()) {
              if (newResult.toString().length <= result.toString().length) {
                result = newResult;
              } else {
                ast = clone(result.getAST());
              }
            }
          });
        } while (result.toString() !== prevResultString);
        return result;
      }
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/special-symbols.js
var require_special_symbols = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/special-symbols.js"(exports2, module2) {
    "use strict";
    var EPSILON = "\u03B5";
    var EPSILON_CLOSURE = EPSILON + "*";
    module2.exports = {
      EPSILON,
      EPSILON_CLOSURE
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/nfa/nfa.js
var require_nfa = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/nfa/nfa.js"(exports2, module2) {
    "use strict";
    var _slicedToArray = /* @__PURE__ */ function() {
      function sliceIterator(arr, i) {
        var _arr = [];
        var _n = true;
        var _d = false;
        var _e = void 0;
        try {
          for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) {
            _arr.push(_s.value);
            if (i && _arr.length === i) break;
          }
        } catch (err) {
          _d = true;
          _e = err;
        } finally {
          try {
            if (!_n && _i["return"]) _i["return"]();
          } finally {
            if (_d) throw _e;
          }
        }
        return _arr;
      }
      return function(arr, i) {
        if (Array.isArray(arr)) {
          return arr;
        } else if (Symbol.iterator in Object(arr)) {
          return sliceIterator(arr, i);
        } else {
          throw new TypeError("Invalid attempt to destructure non-iterable instance");
        }
      };
    }();
    var _createClass = /* @__PURE__ */ function() {
      function defineProperties(target, props) {
        for (var i = 0; i < props.length; i++) {
          var descriptor = props[i];
          descriptor.enumerable = descriptor.enumerable || false;
          descriptor.configurable = true;
          if ("value" in descriptor) descriptor.writable = true;
          Object.defineProperty(target, descriptor.key, descriptor);
        }
      }
      return function(Constructor, protoProps, staticProps) {
        if (protoProps) defineProperties(Constructor.prototype, protoProps);
        if (staticProps) defineProperties(Constructor, staticProps);
        return Constructor;
      };
    }();
    function _toConsumableArray(arr) {
      if (Array.isArray(arr)) {
        for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) {
          arr2[i] = arr[i];
        }
        return arr2;
      } else {
        return Array.from(arr);
      }
    }
    function _classCallCheck(instance, Constructor) {
      if (!(instance instanceof Constructor)) {
        throw new TypeError("Cannot call a class as a function");
      }
    }
    var _require = require_special_symbols();
    var EPSILON = _require.EPSILON;
    var EPSILON_CLOSURE = _require.EPSILON_CLOSURE;
    var NFA = function() {
      function NFA2(inState, outState) {
        _classCallCheck(this, NFA2);
        this.in = inState;
        this.out = outState;
      }
      _createClass(NFA2, [{
        key: "matches",
        value: function matches(string) {
          return this.in.matches(string);
        }
        /**
         * Returns an alphabet for this NFA.
         */
      }, {
        key: "getAlphabet",
        value: function getAlphabet() {
          if (!this._alphabet) {
            this._alphabet = /* @__PURE__ */ new Set();
            var table = this.getTransitionTable();
            for (var state in table) {
              var transitions = table[state];
              for (var symbol in transitions) {
                if (symbol !== EPSILON_CLOSURE) {
                  this._alphabet.add(symbol);
                }
              }
            }
          }
          return this._alphabet;
        }
        /**
         * Returns set of accepting states.
         */
      }, {
        key: "getAcceptingStates",
        value: function getAcceptingStates() {
          if (!this._acceptingStates) {
            this.getTransitionTable();
          }
          return this._acceptingStates;
        }
        /**
         * Returns accepting state numbers.
         */
      }, {
        key: "getAcceptingStateNumbers",
        value: function getAcceptingStateNumbers() {
          if (!this._acceptingStateNumbers) {
            this._acceptingStateNumbers = /* @__PURE__ */ new Set();
            var _iteratorNormalCompletion = true;
            var _didIteratorError = false;
            var _iteratorError = void 0;
            try {
              for (var _iterator = this.getAcceptingStates()[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
                var acceptingState = _step.value;
                this._acceptingStateNumbers.add(acceptingState.number);
              }
            } catch (err) {
              _didIteratorError = true;
              _iteratorError = err;
            } finally {
              try {
                if (!_iteratorNormalCompletion && _iterator.return) {
                  _iterator.return();
                }
              } finally {
                if (_didIteratorError) {
                  throw _iteratorError;
                }
              }
            }
          }
          return this._acceptingStateNumbers;
        }
        /**
         * Builds and returns transition table.
         */
      }, {
        key: "getTransitionTable",
        value: function getTransitionTable() {
          var _this = this;
          if (!this._transitionTable) {
            this._transitionTable = {};
            this._acceptingStates = /* @__PURE__ */ new Set();
            var visited = /* @__PURE__ */ new Set();
            var symbols = /* @__PURE__ */ new Set();
            var visitState = function visitState2(state) {
              if (visited.has(state)) {
                return;
              }
              visited.add(state);
              state.number = visited.size;
              _this._transitionTable[state.number] = {};
              if (state.accepting) {
                _this._acceptingStates.add(state);
              }
              var transitions = state.getTransitions();
              var _iteratorNormalCompletion2 = true;
              var _didIteratorError2 = false;
              var _iteratorError2 = void 0;
              try {
                for (var _iterator2 = transitions[Symbol.iterator](), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) {
                  var _ref = _step2.value;
                  var _ref2 = _slicedToArray(_ref, 2);
                  var symbol = _ref2[0];
                  var symbolTransitions = _ref2[1];
                  var combinedState = [];
                  symbols.add(symbol);
                  var _iteratorNormalCompletion3 = true;
                  var _didIteratorError3 = false;
                  var _iteratorError3 = void 0;
                  try {
                    for (var _iterator3 = symbolTransitions[Symbol.iterator](), _step3; !(_iteratorNormalCompletion3 = (_step3 = _iterator3.next()).done); _iteratorNormalCompletion3 = true) {
                      var nextState = _step3.value;
                      visitState2(nextState);
                      combinedState.push(nextState.number);
                    }
                  } catch (err) {
                    _didIteratorError3 = true;
                    _iteratorError3 = err;
                  } finally {
                    try {
                      if (!_iteratorNormalCompletion3 && _iterator3.return) {
                        _iterator3.return();
                      }
                    } finally {
                      if (_didIteratorError3) {
                        throw _iteratorError3;
                      }
                    }
                  }
                  _this._transitionTable[state.number][symbol] = combinedState;
                }
              } catch (err) {
                _didIteratorError2 = true;
                _iteratorError2 = err;
              } finally {
                try {
                  if (!_iteratorNormalCompletion2 && _iterator2.return) {
                    _iterator2.return();
                  }
                } finally {
                  if (_didIteratorError2) {
                    throw _iteratorError2;
                  }
                }
              }
            };
            visitState(this.in);
            visited.forEach(function(state) {
              delete _this._transitionTable[state.number][EPSILON];
              _this._transitionTable[state.number][EPSILON_CLOSURE] = [].concat(_toConsumableArray(state.getEpsilonClosure())).map(function(s) {
                return s.number;
              });
            });
          }
          return this._transitionTable;
        }
      }]);
      return NFA2;
    }();
    module2.exports = NFA;
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/dfa/dfa-minimizer.js
var require_dfa_minimizer = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/dfa/dfa-minimizer.js"(exports2, module2) {
    "use strict";
    var _slicedToArray = /* @__PURE__ */ function() {
      function sliceIterator(arr, i) {
        var _arr = [];
        var _n = true;
        var _d = false;
        var _e = void 0;
        try {
          for (var _i = arr[Symbol.iterator](), _s; !(_n = (_s = _i.next()).done); _n = true) {
            _arr.push(_s.value);
            if (i && _arr.length === i) break;
          }
        } catch (err) {
          _d = true;
          _e = err;
        } finally {
          try {
            if (!_n && _i["return"]) _i["return"]();
          } finally {
            if (_d) throw _e;
          }
        }
        return _arr;
      }
      return function(arr, i) {
        if (Array.isArray(arr)) {
          return arr;
        } else if (Symbol.iterator in Object(arr)) {
          return sliceIterator(arr, i);
        } else {
          throw new TypeError("Invalid attempt to destructure non-iterable instance");
        }
      };
    }();
    function _toArray(arr) {
      return Array.isArray(arr) ? arr : Array.from(arr);
    }
    function _toConsumableArray(arr) {
      if (Array.isArray(arr)) {
        for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) {
          arr2[i] = arr[i];
        }
        return arr2;
      } else {
        return Array.from(arr);
      }
    }
    var currentTransitionMap = null;
    function minimize(dfa) {
      var table = dfa.getTransitionTable();
      var allStates = Object.keys(table);
      var alphabet = dfa.getAlphabet();
      var accepting = dfa.getAcceptingStateNumbers();
      currentTransitionMap = {};
      var nonAccepting = /* @__PURE__ */ new Set();
      allStates.forEach(function(state) {
        state = Number(state);
        var isAccepting = accepting.has(state);
        if (isAccepting) {
          currentTransitionMap[state] = accepting;
        } else {
          nonAccepting.add(state);
          currentTransitionMap[state] = nonAccepting;
        }
      });
      var all = [
        // 0-equivalent sets.
        [nonAccepting, accepting].filter(function(set2) {
          return set2.size > 0;
        })
      ];
      var current = void 0;
      var previous = void 0;
      current = all[all.length - 1];
      previous = all[all.length - 2];
      var _loop = function _loop2() {
        var newTransitionMap = {};
        var _iteratorNormalCompletion3 = true;
        var _didIteratorError3 = false;
        var _iteratorError3 = void 0;
        try {
          for (var _iterator3 = current[Symbol.iterator](), _step3; !(_iteratorNormalCompletion3 = (_step3 = _iterator3.next()).done); _iteratorNormalCompletion3 = true) {
            var _set = _step3.value;
            var handledStates = {};
            var _set2 = _toArray(_set), first = _set2[0], rest = _set2.slice(1);
            handledStates[first] = /* @__PURE__ */ new Set([first]);
            var _iteratorNormalCompletion4 = true;
            var _didIteratorError4 = false;
            var _iteratorError4 = void 0;
            try {
              restSets: for (var _iterator4 = rest[Symbol.iterator](), _step4; !(_iteratorNormalCompletion4 = (_step4 = _iterator4.next()).done); _iteratorNormalCompletion4 = true) {
                var state = _step4.value;
                var _iteratorNormalCompletion5 = true;
                var _didIteratorError5 = false;
                var _iteratorError5 = void 0;
                try {
                  for (var _iterator5 = Object.keys(handledStates)[Symbol.iterator](), _step5; !(_iteratorNormalCompletion5 = (_step5 = _iterator5.next()).done); _iteratorNormalCompletion5 = true) {
                    var handledState = _step5.value;
                    if (areEquivalent(state, handledState, table, alphabet)) {
                      handledStates[handledState].add(state);
                      handledStates[state] = handledStates[handledState];
                      continue restSets;
                    }
                  }
                } catch (err) {
                  _didIteratorError5 = true;
                  _iteratorError5 = err;
                } finally {
                  try {
                    if (!_iteratorNormalCompletion5 && _iterator5.return) {
                      _iterator5.return();
                    }
                  } finally {
                    if (_didIteratorError5) {
                      throw _iteratorError5;
                    }
                  }
                }
                handledStates[state] = /* @__PURE__ */ new Set([state]);
              }
            } catch (err) {
              _didIteratorError4 = true;
              _iteratorError4 = err;
            } finally {
              try {
                if (!_iteratorNormalCompletion4 && _iterator4.return) {
                  _iterator4.return();
                }
              } finally {
                if (_didIteratorError4) {
                  throw _iteratorError4;
                }
              }
            }
            Object.assign(newTransitionMap, handledStates);
          }
        } catch (err) {
          _didIteratorError3 = true;
          _iteratorError3 = err;
        } finally {
          try {
            if (!_iteratorNormalCompletion3 && _iterator3.return) {
              _iterator3.return();
            }
          } finally {
            if (_didIteratorError3) {
              throw _iteratorError3;
            }
          }
        }
        currentTransitionMap = newTransitionMap;
        var newSets = new Set(Object.keys(newTransitionMap).map(function(state2) {
          return newTransitionMap[state2];
        }));
        all.push([].concat(_toConsumableArray(newSets)));
        current = all[all.length - 1];
        previous = all[all.length - 2];
      };
      while (!sameRow(current, previous)) {
        _loop();
      }
      var remaped = /* @__PURE__ */ new Map();
      var idx = 1;
      current.forEach(function(set2) {
        return remaped.set(set2, idx++);
      });
      var minimizedTable = {};
      var minimizedAcceptingStates = /* @__PURE__ */ new Set();
      var updateAcceptingStates = function updateAcceptingStates2(set2, idx2) {
        var _iteratorNormalCompletion = true;
        var _didIteratorError = false;
        var _iteratorError = void 0;
        try {
          for (var _iterator = set2[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
            var state = _step.value;
            if (accepting.has(state)) {
              minimizedAcceptingStates.add(idx2);
            }
          }
        } catch (err) {
          _didIteratorError = true;
          _iteratorError = err;
        } finally {
          try {
            if (!_iteratorNormalCompletion && _iterator.return) {
              _iterator.return();
            }
          } finally {
            if (_didIteratorError) {
              throw _iteratorError;
            }
          }
        }
      };
      var _iteratorNormalCompletion2 = true;
      var _didIteratorError2 = false;
      var _iteratorError2 = void 0;
      try {
        for (var _iterator2 = remaped.entries()[Symbol.iterator](), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) {
          var _ref = _step2.value;
          var _ref2 = _slicedToArray(_ref, 2);
          var set = _ref2[0];
          var _idx = _ref2[1];
          minimizedTable[_idx] = {};
          var _iteratorNormalCompletion6 = true;
          var _didIteratorError6 = false;
          var _iteratorError6 = void 0;
          try {
            for (var _iterator6 = alphabet[Symbol.iterator](), _step6; !(_iteratorNormalCompletion6 = (_step6 = _iterator6.next()).done); _iteratorNormalCompletion6 = true) {
              var symbol = _step6.value;
              updateAcceptingStates(set, _idx);
              var originalTransition = void 0;
              var _iteratorNormalCompletion7 = true;
              var _didIteratorError7 = false;
              var _iteratorError7 = void 0;
              try {
                for (var _iterator7 = set[Symbol.iterator](), _step7; !(_iteratorNormalCompletion7 = (_step7 = _iterator7.next()).done); _iteratorNormalCompletion7 = true) {
                  var originalState = _step7.value;
                  originalTransition = table[originalState][symbol];
                  if (originalTransition) {
                    break;
                  }
                }
              } catch (err) {
                _didIteratorError7 = true;
                _iteratorError7 = err;
              } finally {
                try {
                  if (!_iteratorNormalCompletion7 && _iterator7.return) {
                    _iterator7.return();
                  }
                } finally {
                  if (_didIteratorError7) {
                    throw _iteratorError7;
                  }
                }
              }
              if (originalTransition) {
                minimizedTable[_idx][symbol] = remaped.get(currentTransitionMap[originalTransition]);
              }
            }
          } catch (err) {
            _didIteratorError6 = true;
            _iteratorError6 = err;
          } finally {
            try {
              if (!_iteratorNormalCompletion6 && _iterator6.return) {
                _iterator6.return();
              }
            } finally {
              if (_didIteratorError6) {
                throw _iteratorError6;
              }
            }
          }
        }
      } catch (err) {
        _didIteratorError2 = true;
        _iteratorError2 = err;
      } finally {
        try {
          if (!_iteratorNormalCompletion2 && _iterator2.return) {
            _iterator2.return();
          }
        } finally {
          if (_didIteratorError2) {
            throw _iteratorError2;
          }
        }
      }
      dfa.setTransitionTable(minimizedTable);
      dfa.setAcceptingStateNumbers(minimizedAcceptingStates);
      return dfa;
    }
    function sameRow(r1, r2) {
      if (!r2) {
        return false;
      }
      if (r1.length !== r2.length) {
        return false;
      }
      for (var i = 0; i < r1.length; i++) {
        var s1 = r1[i];
        var s2 = r2[i];
        if (s1.size !== s2.size) {
          return false;
        }
        if ([].concat(_toConsumableArray(s1)).sort().join(",") !== [].concat(_toConsumableArray(s2)).sort().join(",")) {
          return false;
        }
      }
      return true;
    }
    function areEquivalent(s1, s2, table, alphabet) {
      var _iteratorNormalCompletion8 = true;
      var _didIteratorError8 = false;
      var _iteratorError8 = void 0;
      try {
        for (var _iterator8 = alphabet[Symbol.iterator](), _step8; !(_iteratorNormalCompletion8 = (_step8 = _iterator8.next()).done); _iteratorNormalCompletion8 = true) {
          var symbol = _step8.value;
          if (!goToSameSet(s1, s2, table, symbol)) {
            return false;
          }
        }
      } catch (err) {
        _didIteratorError8 = true;
        _iteratorError8 = err;
      } finally {
        try {
          if (!_iteratorNormalCompletion8 && _iterator8.return) {
            _iterator8.return();
          }
        } finally {
          if (_didIteratorError8) {
            throw _iteratorError8;
          }
        }
      }
      return true;
    }
    function goToSameSet(s1, s2, table, symbol) {
      if (!currentTransitionMap[s1] || !currentTransitionMap[s2]) {
        return false;
      }
      var originalTransitionS1 = table[s1][symbol];
      var originalTransitionS2 = table[s2][symbol];
      if (!originalTransitionS1 && !originalTransitionS2) {
        return true;
      }
      return currentTransitionMap[s1].has(originalTransitionS1) && currentTransitionMap[s2].has(originalTransitionS2);
    }
    module2.exports = {
      minimize
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/dfa/dfa.js
var require_dfa = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/dfa/dfa.js"(exports2, module2) {
    "use strict";
    var _createClass = /* @__PURE__ */ function() {
      function defineProperties(target, props) {
        for (var i = 0; i < props.length; i++) {
          var descriptor = props[i];
          descriptor.enumerable = descriptor.enumerable || false;
          descriptor.configurable = true;
          if ("value" in descriptor) descriptor.writable = true;
          Object.defineProperty(target, descriptor.key, descriptor);
        }
      }
      return function(Constructor, protoProps, staticProps) {
        if (protoProps) defineProperties(Constructor.prototype, protoProps);
        if (staticProps) defineProperties(Constructor, staticProps);
        return Constructor;
      };
    }();
    function _toConsumableArray(arr) {
      if (Array.isArray(arr)) {
        for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) {
          arr2[i] = arr[i];
        }
        return arr2;
      } else {
        return Array.from(arr);
      }
    }
    function _classCallCheck(instance, Constructor) {
      if (!(instance instanceof Constructor)) {
        throw new TypeError("Cannot call a class as a function");
      }
    }
    var DFAMinimizer = require_dfa_minimizer();
    var _require = require_special_symbols();
    var EPSILON_CLOSURE = _require.EPSILON_CLOSURE;
    var DFA = function() {
      function DFA2(nfa) {
        _classCallCheck(this, DFA2);
        this._nfa = nfa;
      }
      _createClass(DFA2, [{
        key: "minimize",
        value: function minimize() {
          this.getTransitionTable();
          this._originalAcceptingStateNumbers = this._acceptingStateNumbers;
          this._originalTransitionTable = this._transitionTable;
          DFAMinimizer.minimize(this);
        }
        /**
         * Returns alphabet for this DFA.
         */
      }, {
        key: "getAlphabet",
        value: function getAlphabet() {
          return this._nfa.getAlphabet();
        }
        /**
         * Returns accepting states.
         */
      }, {
        key: "getAcceptingStateNumbers",
        value: function getAcceptingStateNumbers() {
          if (!this._acceptingStateNumbers) {
            this.getTransitionTable();
          }
          return this._acceptingStateNumbers;
        }
        /**
         * Returns original accepting states.
         */
      }, {
        key: "getOriginaAcceptingStateNumbers",
        value: function getOriginaAcceptingStateNumbers() {
          if (!this._originalAcceptingStateNumbers) {
            this.getTransitionTable();
          }
          return this._originalAcceptingStateNumbers;
        }
        /**
         * Sets transition table.
         */
      }, {
        key: "setTransitionTable",
        value: function setTransitionTable(table) {
          this._transitionTable = table;
        }
        /**
         * Sets accepting states.
         */
      }, {
        key: "setAcceptingStateNumbers",
        value: function setAcceptingStateNumbers(stateNumbers) {
          this._acceptingStateNumbers = stateNumbers;
        }
        /**
         * DFA transition table is built from NFA table.
         */
      }, {
        key: "getTransitionTable",
        value: function getTransitionTable() {
          var _this = this;
          if (this._transitionTable) {
            return this._transitionTable;
          }
          var nfaTable = this._nfa.getTransitionTable();
          var nfaStates = Object.keys(nfaTable);
          this._acceptingStateNumbers = /* @__PURE__ */ new Set();
          var startState = nfaTable[nfaStates[0]][EPSILON_CLOSURE];
          var worklist = [startState];
          var alphabet = this.getAlphabet();
          var nfaAcceptingStates = this._nfa.getAcceptingStateNumbers();
          var dfaTable = {};
          var updateAcceptingStates = function updateAcceptingStates2(states2) {
            var _iteratorNormalCompletion = true;
            var _didIteratorError = false;
            var _iteratorError = void 0;
            try {
              for (var _iterator = nfaAcceptingStates[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
                var nfaAcceptingState = _step.value;
                if (states2.indexOf(nfaAcceptingState) !== -1) {
                  _this._acceptingStateNumbers.add(states2.join(","));
                  break;
                }
              }
            } catch (err) {
              _didIteratorError = true;
              _iteratorError = err;
            } finally {
              try {
                if (!_iteratorNormalCompletion && _iterator.return) {
                  _iterator.return();
                }
              } finally {
                if (_didIteratorError) {
                  throw _iteratorError;
                }
              }
            }
          };
          while (worklist.length > 0) {
            var states = worklist.shift();
            var dfaStateLabel = states.join(",");
            dfaTable[dfaStateLabel] = {};
            var _iteratorNormalCompletion2 = true;
            var _didIteratorError2 = false;
            var _iteratorError2 = void 0;
            try {
              for (var _iterator2 = alphabet[Symbol.iterator](), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) {
                var symbol = _step2.value;
                var onSymbol = [];
                updateAcceptingStates(states);
                var _iteratorNormalCompletion3 = true;
                var _didIteratorError3 = false;
                var _iteratorError3 = void 0;
                try {
                  for (var _iterator3 = states[Symbol.iterator](), _step3; !(_iteratorNormalCompletion3 = (_step3 = _iterator3.next()).done); _iteratorNormalCompletion3 = true) {
                    var state = _step3.value;
                    var nfaStatesOnSymbol = nfaTable[state][symbol];
                    if (!nfaStatesOnSymbol) {
                      continue;
                    }
                    var _iteratorNormalCompletion4 = true;
                    var _didIteratorError4 = false;
                    var _iteratorError4 = void 0;
                    try {
                      for (var _iterator4 = nfaStatesOnSymbol[Symbol.iterator](), _step4; !(_iteratorNormalCompletion4 = (_step4 = _iterator4.next()).done); _iteratorNormalCompletion4 = true) {
                        var nfaStateOnSymbol = _step4.value;
                        if (!nfaTable[nfaStateOnSymbol]) {
                          continue;
                        }
                        onSymbol.push.apply(onSymbol, _toConsumableArray(nfaTable[nfaStateOnSymbol][EPSILON_CLOSURE]));
                      }
                    } catch (err) {
                      _didIteratorError4 = true;
                      _iteratorError4 = err;
                    } finally {
                      try {
                        if (!_iteratorNormalCompletion4 && _iterator4.return) {
                          _iterator4.return();
                        }
                      } finally {
                        if (_didIteratorError4) {
                          throw _iteratorError4;
                        }
                      }
                    }
                  }
                } catch (err) {
                  _didIteratorError3 = true;
                  _iteratorError3 = err;
                } finally {
                  try {
                    if (!_iteratorNormalCompletion3 && _iterator3.return) {
                      _iterator3.return();
                    }
                  } finally {
                    if (_didIteratorError3) {
                      throw _iteratorError3;
                    }
                  }
                }
                var dfaStatesOnSymbolSet = new Set(onSymbol);
                var dfaStatesOnSymbol = [].concat(_toConsumableArray(dfaStatesOnSymbolSet));
                if (dfaStatesOnSymbol.length > 0) {
                  var dfaOnSymbolStr = dfaStatesOnSymbol.join(",");
                  dfaTable[dfaStateLabel][symbol] = dfaOnSymbolStr;
                  if (!dfaTable.hasOwnProperty(dfaOnSymbolStr)) {
                    worklist.unshift(dfaStatesOnSymbol);
                  }
                }
              }
            } catch (err) {
              _didIteratorError2 = true;
              _iteratorError2 = err;
            } finally {
              try {
                if (!_iteratorNormalCompletion2 && _iterator2.return) {
                  _iterator2.return();
                }
              } finally {
                if (_didIteratorError2) {
                  throw _iteratorError2;
                }
              }
            }
          }
          return this._transitionTable = this._remapStateNumbers(dfaTable);
        }
        /**
         * Remaps state numbers in the resulting table:
         * combined states '1,2,3' -> 1, '3,4' -> 2, etc.
         */
      }, {
        key: "_remapStateNumbers",
        value: function _remapStateNumbers(calculatedDFATable) {
          var newStatesMap = {};
          this._originalTransitionTable = calculatedDFATable;
          var transitionTable = {};
          Object.keys(calculatedDFATable).forEach(function(originalNumber2, newNumber) {
            newStatesMap[originalNumber2] = newNumber + 1;
          });
          for (var originalNumber in calculatedDFATable) {
            var originalRow = calculatedDFATable[originalNumber];
            var row = {};
            for (var symbol in originalRow) {
              row[symbol] = newStatesMap[originalRow[symbol]];
            }
            transitionTable[newStatesMap[originalNumber]] = row;
          }
          this._originalAcceptingStateNumbers = this._acceptingStateNumbers;
          this._acceptingStateNumbers = /* @__PURE__ */ new Set();
          var _iteratorNormalCompletion5 = true;
          var _didIteratorError5 = false;
          var _iteratorError5 = void 0;
          try {
            for (var _iterator5 = this._originalAcceptingStateNumbers[Symbol.iterator](), _step5; !(_iteratorNormalCompletion5 = (_step5 = _iterator5.next()).done); _iteratorNormalCompletion5 = true) {
              var _originalNumber = _step5.value;
              this._acceptingStateNumbers.add(newStatesMap[_originalNumber]);
            }
          } catch (err) {
            _didIteratorError5 = true;
            _iteratorError5 = err;
          } finally {
            try {
              if (!_iteratorNormalCompletion5 && _iterator5.return) {
                _iterator5.return();
              }
            } finally {
              if (_didIteratorError5) {
                throw _iteratorError5;
              }
            }
          }
          return transitionTable;
        }
        /**
         * Returns original DFA table, where state numbers
         * are combined numbers from NFA.
         */
      }, {
        key: "getOriginalTransitionTable",
        value: function getOriginalTransitionTable() {
          if (!this._originalTransitionTable) {
            this.getTransitionTable();
          }
          return this._originalTransitionTable;
        }
        /**
         * Checks whether this DFA accepts a string.
         */
      }, {
        key: "matches",
        value: function matches(string) {
          var state = 1;
          var i = 0;
          var table = this.getTransitionTable();
          while (string[i]) {
            state = table[state][string[i++]];
            if (!state) {
              return false;
            }
          }
          if (!this.getAcceptingStateNumbers().has(state)) {
            return false;
          }
          return true;
        }
      }]);
      return DFA2;
    }();
    module2.exports = DFA;
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/state.js
var require_state = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/state.js"(exports2, module2) {
    "use strict";
    var _createClass = /* @__PURE__ */ function() {
      function defineProperties(target, props) {
        for (var i = 0; i < props.length; i++) {
          var descriptor = props[i];
          descriptor.enumerable = descriptor.enumerable || false;
          descriptor.configurable = true;
          if ("value" in descriptor) descriptor.writable = true;
          Object.defineProperty(target, descriptor.key, descriptor);
        }
      }
      return function(Constructor, protoProps, staticProps) {
        if (protoProps) defineProperties(Constructor.prototype, protoProps);
        if (staticProps) defineProperties(Constructor, staticProps);
        return Constructor;
      };
    }();
    function _classCallCheck(instance, Constructor) {
      if (!(instance instanceof Constructor)) {
        throw new TypeError("Cannot call a class as a function");
      }
    }
    var State = function() {
      function State2() {
        var _ref = arguments.length > 0 && arguments[0] !== void 0 ? arguments[0] : {}, _ref$accepting = _ref.accepting, accepting = _ref$accepting === void 0 ? false : _ref$accepting;
        _classCallCheck(this, State2);
        this._transitions = /* @__PURE__ */ new Map();
        this.accepting = accepting;
      }
      _createClass(State2, [{
        key: "getTransitions",
        value: function getTransitions() {
          return this._transitions;
        }
        /**
         * Creates a transition on symbol.
         */
      }, {
        key: "addTransition",
        value: function addTransition(symbol, toState) {
          this.getTransitionsOnSymbol(symbol).add(toState);
          return this;
        }
        /**
         * Returns transitions set on symbol.
         */
      }, {
        key: "getTransitionsOnSymbol",
        value: function getTransitionsOnSymbol(symbol) {
          var transitions = this._transitions.get(symbol);
          if (!transitions) {
            transitions = /* @__PURE__ */ new Set();
            this._transitions.set(symbol, transitions);
          }
          return transitions;
        }
      }]);
      return State2;
    }();
    module2.exports = State;
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/nfa/nfa-state.js
var require_nfa_state = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/nfa/nfa-state.js"(exports2, module2) {
    "use strict";
    var _createClass = /* @__PURE__ */ function() {
      function defineProperties(target, props) {
        for (var i = 0; i < props.length; i++) {
          var descriptor = props[i];
          descriptor.enumerable = descriptor.enumerable || false;
          descriptor.configurable = true;
          if ("value" in descriptor) descriptor.writable = true;
          Object.defineProperty(target, descriptor.key, descriptor);
        }
      }
      return function(Constructor, protoProps, staticProps) {
        if (protoProps) defineProperties(Constructor.prototype, protoProps);
        if (staticProps) defineProperties(Constructor, staticProps);
        return Constructor;
      };
    }();
    function _classCallCheck(instance, Constructor) {
      if (!(instance instanceof Constructor)) {
        throw new TypeError("Cannot call a class as a function");
      }
    }
    function _possibleConstructorReturn(self2, call) {
      if (!self2) {
        throw new ReferenceError("this hasn't been initialised - super() hasn't been called");
      }
      return call && (typeof call === "object" || typeof call === "function") ? call : self2;
    }
    function _inherits(subClass, superClass) {
      if (typeof superClass !== "function" && superClass !== null) {
        throw new TypeError("Super expression must either be null or a function, not " + typeof superClass);
      }
      subClass.prototype = Object.create(superClass && superClass.prototype, { constructor: { value: subClass, enumerable: false, writable: true, configurable: true } });
      if (superClass) Object.setPrototypeOf ? Object.setPrototypeOf(subClass, superClass) : subClass.__proto__ = superClass;
    }
    var State = require_state();
    var _require = require_special_symbols();
    var EPSILON = _require.EPSILON;
    var NFAState = function(_State) {
      _inherits(NFAState2, _State);
      function NFAState2() {
        _classCallCheck(this, NFAState2);
        return _possibleConstructorReturn(this, (NFAState2.__proto__ || Object.getPrototypeOf(NFAState2)).apply(this, arguments));
      }
      _createClass(NFAState2, [{
        key: "matches",
        /**
         * Whether this state matches a string.
         *
         * We maintain set of visited epsilon-states to avoid infinite loops
         * when an epsilon-transition goes eventually to itself.
         *
         * NOTE: this function is rather "educational", since we use DFA for strings
         * matching. DFA is built on top of NFA, and uses fast transition table.
         */
        value: function matches(string) {
          var visited = arguments.length > 1 && arguments[1] !== void 0 ? arguments[1] : /* @__PURE__ */ new Set();
          if (visited.has(this)) {
            return false;
          }
          visited.add(this);
          if (string.length === 0) {
            if (this.accepting) {
              return true;
            }
            var _iteratorNormalCompletion = true;
            var _didIteratorError = false;
            var _iteratorError = void 0;
            try {
              for (var _iterator = this.getTransitionsOnSymbol(EPSILON)[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
                var nextState = _step.value;
                if (nextState.matches("", visited)) {
                  return true;
                }
              }
            } catch (err) {
              _didIteratorError = true;
              _iteratorError = err;
            } finally {
              try {
                if (!_iteratorNormalCompletion && _iterator.return) {
                  _iterator.return();
                }
              } finally {
                if (_didIteratorError) {
                  throw _iteratorError;
                }
              }
            }
            return false;
          }
          var symbol = string[0];
          var rest = string.slice(1);
          var symbolTransitions = this.getTransitionsOnSymbol(symbol);
          var _iteratorNormalCompletion2 = true;
          var _didIteratorError2 = false;
          var _iteratorError2 = void 0;
          try {
            for (var _iterator2 = symbolTransitions[Symbol.iterator](), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) {
              var _nextState = _step2.value;
              if (_nextState.matches(rest)) {
                return true;
              }
            }
          } catch (err) {
            _didIteratorError2 = true;
            _iteratorError2 = err;
          } finally {
            try {
              if (!_iteratorNormalCompletion2 && _iterator2.return) {
                _iterator2.return();
              }
            } finally {
              if (_didIteratorError2) {
                throw _iteratorError2;
              }
            }
          }
          var _iteratorNormalCompletion3 = true;
          var _didIteratorError3 = false;
          var _iteratorError3 = void 0;
          try {
            for (var _iterator3 = this.getTransitionsOnSymbol(EPSILON)[Symbol.iterator](), _step3; !(_iteratorNormalCompletion3 = (_step3 = _iterator3.next()).done); _iteratorNormalCompletion3 = true) {
              var _nextState2 = _step3.value;
              if (_nextState2.matches(string, visited)) {
                return true;
              }
            }
          } catch (err) {
            _didIteratorError3 = true;
            _iteratorError3 = err;
          } finally {
            try {
              if (!_iteratorNormalCompletion3 && _iterator3.return) {
                _iterator3.return();
              }
            } finally {
              if (_didIteratorError3) {
                throw _iteratorError3;
              }
            }
          }
          return false;
        }
        /**
         * Returns an ε-closure for this state:
         * self + all states following ε-transitions.
         */
      }, {
        key: "getEpsilonClosure",
        value: function getEpsilonClosure() {
          var _this2 = this;
          if (!this._epsilonClosure) {
            (function() {
              var epsilonTransitions = _this2.getTransitionsOnSymbol(EPSILON);
              var closure = _this2._epsilonClosure = /* @__PURE__ */ new Set();
              closure.add(_this2);
              var _iteratorNormalCompletion4 = true;
              var _didIteratorError4 = false;
              var _iteratorError4 = void 0;
              try {
                for (var _iterator4 = epsilonTransitions[Symbol.iterator](), _step4; !(_iteratorNormalCompletion4 = (_step4 = _iterator4.next()).done); _iteratorNormalCompletion4 = true) {
                  var nextState = _step4.value;
                  if (!closure.has(nextState)) {
                    closure.add(nextState);
                    var nextClosure = nextState.getEpsilonClosure();
                    nextClosure.forEach(function(state) {
                      return closure.add(state);
                    });
                  }
                }
              } catch (err) {
                _didIteratorError4 = true;
                _iteratorError4 = err;
              } finally {
                try {
                  if (!_iteratorNormalCompletion4 && _iterator4.return) {
                    _iterator4.return();
                  }
                } finally {
                  if (_didIteratorError4) {
                    throw _iteratorError4;
                  }
                }
              }
            })();
          }
          return this._epsilonClosure;
        }
      }]);
      return NFAState2;
    }(State);
    module2.exports = NFAState;
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/nfa/builders.js
var require_builders = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/nfa/builders.js"(exports2, module2) {
    "use strict";
    var NFA = require_nfa();
    var NFAState = require_nfa_state();
    var _require = require_special_symbols();
    var EPSILON = _require.EPSILON;
    function char(c) {
      var inState = new NFAState();
      var outState = new NFAState({
        accepting: true
      });
      return new NFA(inState.addTransition(c, outState), outState);
    }
    function e() {
      return char(EPSILON);
    }
    function altPair(first, second) {
      first.out.accepting = false;
      second.out.accepting = true;
      first.out.addTransition(EPSILON, second.in);
      return new NFA(first.in, second.out);
    }
    function alt(first) {
      for (var _len = arguments.length, fragments = Array(_len > 1 ? _len - 1 : 0), _key = 1; _key < _len; _key++) {
        fragments[_key - 1] = arguments[_key];
      }
      var _iteratorNormalCompletion = true;
      var _didIteratorError = false;
      var _iteratorError = void 0;
      try {
        for (var _iterator = fragments[Symbol.iterator](), _step; !(_iteratorNormalCompletion = (_step = _iterator.next()).done); _iteratorNormalCompletion = true) {
          var fragment = _step.value;
          first = altPair(first, fragment);
        }
      } catch (err) {
        _didIteratorError = true;
        _iteratorError = err;
      } finally {
        try {
          if (!_iteratorNormalCompletion && _iterator.return) {
            _iterator.return();
          }
        } finally {
          if (_didIteratorError) {
            throw _iteratorError;
          }
        }
      }
      return first;
    }
    function orPair(first, second) {
      var inState = new NFAState();
      var outState = new NFAState();
      inState.addTransition(EPSILON, first.in);
      inState.addTransition(EPSILON, second.in);
      outState.accepting = true;
      first.out.accepting = false;
      second.out.accepting = false;
      first.out.addTransition(EPSILON, outState);
      second.out.addTransition(EPSILON, outState);
      return new NFA(inState, outState);
    }
    function or(first) {
      for (var _len2 = arguments.length, fragments = Array(_len2 > 1 ? _len2 - 1 : 0), _key2 = 1; _key2 < _len2; _key2++) {
        fragments[_key2 - 1] = arguments[_key2];
      }
      var _iteratorNormalCompletion2 = true;
      var _didIteratorError2 = false;
      var _iteratorError2 = void 0;
      try {
        for (var _iterator2 = fragments[Symbol.iterator](), _step2; !(_iteratorNormalCompletion2 = (_step2 = _iterator2.next()).done); _iteratorNormalCompletion2 = true) {
          var fragment = _step2.value;
          first = orPair(first, fragment);
        }
      } catch (err) {
        _didIteratorError2 = true;
        _iteratorError2 = err;
      } finally {
        try {
          if (!_iteratorNormalCompletion2 && _iterator2.return) {
            _iterator2.return();
          }
        } finally {
          if (_didIteratorError2) {
            throw _iteratorError2;
          }
        }
      }
      return first;
    }
    function repExplicit(fragment) {
      var inState = new NFAState();
      var outState = new NFAState({
        accepting: true
      });
      inState.addTransition(EPSILON, fragment.in);
      inState.addTransition(EPSILON, outState);
      fragment.out.accepting = false;
      fragment.out.addTransition(EPSILON, outState);
      outState.addTransition(EPSILON, fragment.in);
      return new NFA(inState, outState);
    }
    function rep(fragment) {
      fragment.in.addTransition(EPSILON, fragment.out);
      fragment.out.addTransition(EPSILON, fragment.in);
      return fragment;
    }
    function plusRep(fragment) {
      fragment.out.addTransition(EPSILON, fragment.in);
      return fragment;
    }
    function questionRep(fragment) {
      fragment.in.addTransition(EPSILON, fragment.out);
      return fragment;
    }
    module2.exports = {
      alt,
      char,
      e,
      or,
      rep,
      repExplicit,
      plusRep,
      questionRep
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/nfa/nfa-from-regexp.js
var require_nfa_from_regexp = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/nfa/nfa-from-regexp.js"(exports2, module2) {
    "use strict";
    function _toConsumableArray(arr) {
      if (Array.isArray(arr)) {
        for (var i = 0, arr2 = Array(arr.length); i < arr.length; i++) {
          arr2[i] = arr[i];
        }
        return arr2;
      } else {
        return Array.from(arr);
      }
    }
    var parser = require_parser9();
    var _require = require_builders();
    var alt = _require.alt;
    var char = _require.char;
    var or = _require.or;
    var rep = _require.rep;
    var plusRep = _require.plusRep;
    var questionRep = _require.questionRep;
    function gen(node) {
      if (node && !generator[node.type]) {
        throw new Error(node.type + " is not supported in NFA/DFA interpreter.");
      }
      return node ? generator[node.type](node) : "";
    }
    var generator = {
      RegExp: function RegExp2(node) {
        if (node.flags !== "") {
          throw new Error("NFA/DFA: Flags are not supported yet.");
        }
        return gen(node.body);
      },
      Alternative: function Alternative(node) {
        var fragments = (node.expressions || []).map(gen);
        return alt.apply(void 0, _toConsumableArray(fragments));
      },
      Disjunction: function Disjunction(node) {
        return or(gen(node.left), gen(node.right));
      },
      Repetition: function Repetition(node) {
        switch (node.quantifier.kind) {
          case "*":
            return rep(gen(node.expression));
          case "+":
            return plusRep(gen(node.expression));
          case "?":
            return questionRep(gen(node.expression));
          default:
            throw new Error("Unknown repeatition: " + node.quantifier.kind + ".");
        }
      },
      Char: function Char(node) {
        if (node.kind !== "simple") {
          throw new Error("NFA/DFA: Only simple chars are supported yet.");
        }
        return char(node.value);
      },
      Group: function Group(node) {
        return gen(node.expression);
      }
    };
    module2.exports = {
      /**
       * Builds an NFA from the passed regexp.
       */
      build: function build(regexp) {
        var ast = regexp;
        if (regexp instanceof RegExp) {
          regexp = "" + regexp;
        }
        if (typeof regexp === "string") {
          ast = parser.parse(regexp, {
            captureLocations: true
          });
        }
        return gen(ast);
      }
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/index.js
var require_finite_automaton = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/interpreter/finite-automaton/index.js"(exports2, module2) {
    "use strict";
    var NFA = require_nfa();
    var DFA = require_dfa();
    var nfaFromRegExp = require_nfa_from_regexp();
    var builders = require_builders();
    module2.exports = {
      /**
       * Export NFA and DFA classes.
       */
      NFA,
      DFA,
      /**
       * Expose builders.
       */
      builders,
      /**
       * Builds an NFA for the passed regexp.
       *
       * @param string | AST | RegExp:
       *
       *   a regular expression in different representations: a string,
       *   a RegExp object, or an AST.
       */
      toNFA: function toNFA(regexp) {
        return nfaFromRegExp.build(regexp);
      },
      /**
       * Builds DFA for the passed regexp.
       *
       * @param string | AST | RegExp:
       *
       *   a regular expression in different representations: a string,
       *   a RegExp object, or an AST.
       */
      toDFA: function toDFA(regexp) {
        return new DFA(this.toNFA(regexp));
      },
      /**
       * Returns true if regexp accepts the string.
       */
      test: function test(regexp, string) {
        return this.toDFA(regexp).matches(string);
      }
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/compat-transpiler/runtime/index.js
var require_runtime = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/compat-transpiler/runtime/index.js"(exports2, module2) {
    "use strict";
    var _createClass = /* @__PURE__ */ function() {
      function defineProperties(target, props) {
        for (var i = 0; i < props.length; i++) {
          var descriptor = props[i];
          descriptor.enumerable = descriptor.enumerable || false;
          descriptor.configurable = true;
          if ("value" in descriptor) descriptor.writable = true;
          Object.defineProperty(target, descriptor.key, descriptor);
        }
      }
      return function(Constructor, protoProps, staticProps) {
        if (protoProps) defineProperties(Constructor.prototype, protoProps);
        if (staticProps) defineProperties(Constructor, staticProps);
        return Constructor;
      };
    }();
    function _classCallCheck(instance, Constructor) {
      if (!(instance instanceof Constructor)) {
        throw new TypeError("Cannot call a class as a function");
      }
    }
    var RegExpTree = function() {
      function RegExpTree2(re, _ref) {
        var flags = _ref.flags, groups = _ref.groups, source = _ref.source;
        _classCallCheck(this, RegExpTree2);
        this._re = re;
        this._groups = groups;
        this.flags = flags;
        this.source = source || re.source;
        this.dotAll = flags.includes("s");
        this.global = re.global;
        this.ignoreCase = re.ignoreCase;
        this.multiline = re.multiline;
        this.sticky = re.sticky;
        this.unicode = re.unicode;
      }
      _createClass(RegExpTree2, [{
        key: "test",
        value: function test(string) {
          return this._re.test(string);
        }
        /**
         * Facade wrapper for RegExp `compile` method.
         */
      }, {
        key: "compile",
        value: function compile(string) {
          return this._re.compile(string);
        }
        /**
         * Facade wrapper for RegExp `toString` method.
         */
      }, {
        key: "toString",
        value: function toString2() {
          if (!this._toStringResult) {
            this._toStringResult = "/" + this.source + "/" + this.flags;
          }
          return this._toStringResult;
        }
        /**
         * Facade wrapper for RegExp `exec` method.
         */
      }, {
        key: "exec",
        value: function exec(string) {
          var result = this._re.exec(string);
          if (!this._groups || !result) {
            return result;
          }
          result.groups = {};
          for (var group in this._groups) {
            var groupNumber = this._groups[group];
            result.groups[group] = result[groupNumber];
          }
          return result;
        }
      }]);
      return RegExpTree2;
    }();
    module2.exports = {
      RegExpTree
    };
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/regexp-tree.js
var require_regexp_tree2 = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/dist/regexp-tree.js"(exports2, module2) {
    "use strict";
    var compatTranspiler = require_compat_transpiler();
    var generator = require_generator();
    var optimizer = require_optimizer();
    var parser = require_parser9();
    var _transform = require_transform();
    var _traverse = require_traverse3();
    var fa = require_finite_automaton();
    var _require = require_runtime();
    var RegExpTree = _require.RegExpTree;
    var regexpTree = {
      /**
       * Parser module exposed.
       */
      parser,
      /**
       * Expose finite-automaton module.
       */
      fa,
      /**
       * `TransformResult` exposed.
       */
      TransformResult: _transform.TransformResult,
      /**
       * Parses a regexp string, producing an AST.
       *
       * @param string regexp
       *
       *   a regular expression in different formats: string, AST, RegExp.
       *
       * @param Object options
       *
       *   parsing options for this parse call. Default are:
       *
       *     - captureLocations: boolean
       *     - any other custom options
       *
       * @return Object AST
       */
      parse: function parse2(regexp, options) {
        return parser.parse("" + regexp, options);
      },
      /**
       * Traverses a RegExp AST.
       *
       * @param Object ast
       * @param Object | Array handlers
       *
       * Each `handler` is an object containing handler function for needed
       * node types. Example:
       *
       *   regexpTree.traverse(ast, {
       *     onChar(node) {
       *       ...
       *     },
       *   });
       *
       * The value for a node type may also be an object with functions pre and post.
       * This enables more context-aware analyses, e.g. measuring star height.
       */
      traverse: function traverse(ast, handlers, options) {
        return _traverse.traverse(ast, handlers, options);
      },
      /**
       * Transforms a regular expression.
       *
       * A regexp can be passed in different formats (string, regexp or AST),
       * applying a set of transformations. It is a convenient wrapper
       * on top of "parse-traverse-generate" tool chain.
       *
       * @param string | AST | RegExp regexp - a regular expression;
       * @param Object | Array handlers - a list of handlers.
       *
       * @return TransformResult - a transformation result.
       */
      transform: function transform(regexp, handlers) {
        return _transform.transform(regexp, handlers);
      },
      /**
       * Generates a RegExp string from an AST.
       *
       * @param Object ast
       *
       * Invariant:
       *
       *   regexpTree.generate(regexpTree.parse('/[a-z]+/i')); // '/[a-z]+/i'
       */
      generate: function generate(ast) {
        return generator.generate(ast);
      },
      /**
       * Creates a RegExp object from a regexp string.
       *
       * @param string regexp
       */
      toRegExp: function toRegExp(regexp) {
        var compat4 = this.compatTranspile(regexp);
        return new RegExp(compat4.getSource(), compat4.getFlags());
      },
      /**
       * Optimizes a regular expression by replacing some
       * sub-expressions with their idiomatic patterns.
       *
       * @param string regexp
       *
       * @return TransformResult object
       */
      optimize: function optimize2(regexp, whitelist) {
        var _ref = arguments.length > 2 && arguments[2] !== void 0 ? arguments[2] : {}, blacklist = _ref.blacklist;
        return optimizer.optimize(regexp, { whitelist, blacklist });
      },
      /**
       * Translates a regular expression in new syntax or in new format
       * into equivalent expressions in old syntax.
       *
       * @param string regexp
       *
       * @return TransformResult object
       */
      compatTranspile: function compatTranspile(regexp, whitelist) {
        return compatTranspiler.transform(regexp, whitelist);
      },
      /**
       * Executes a regular expression on a string.
       *
       * @param RegExp|string re - a regular expression.
       * @param string string - a testing string.
       */
      exec: function exec(re, string) {
        if (typeof re === "string") {
          var compat4 = this.compatTranspile(re);
          var extra = compat4.getExtra();
          if (extra.namedCapturingGroups) {
            re = new RegExpTree(compat4.toRegExp(), {
              flags: compat4.getFlags(),
              source: compat4.getSource(),
              groups: extra.namedCapturingGroups
            });
          } else {
            re = compat4.toRegExp();
          }
        }
        return re.exec(string);
      }
    };
    module2.exports = regexpTree;
  }
});

// node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/index.js
var require_regexp_tree3 = __commonJS({
  "node_modules/.pnpm/regexp-tree@0.1.27/node_modules/regexp-tree/index.js"(exports2, module2) {
    "use strict";
    module2.exports = require_regexp_tree2();
  }
});

// node_modules/.pnpm/jsesc@3.0.2/node_modules/jsesc/jsesc.js
var require_jsesc = __commonJS({
  "node_modules/.pnpm/jsesc@3.0.2/node_modules/jsesc/jsesc.js"(exports2, module2) {
    "use strict";
    var object = {};
    var hasOwnProperty10 = object.hasOwnProperty;
    var forOwn = (object2, callback) => {
      for (const key in object2) {
        if (hasOwnProperty10.call(object2, key)) {
          callback(key, object2[key]);
        }
      }
    };
    var extend = (destination, source) => {
      if (!source) {
        return destination;
      }
      forOwn(source, (key, value) => {
        destination[key] = value;
      });
      return destination;
    };
    var forEach = (array, callback) => {
      const length = array.length;
      let index = -1;
      while (++index < length) {
        callback(array[index]);
      }
    };
    var fourHexEscape = (hex) => {
      return "\\u" + ("0000" + hex).slice(-4);
    };
    var hexadecimal = (code, lowercase) => {
      let hexadecimal2 = code.toString(16);
      if (lowercase) return hexadecimal2;
      return hexadecimal2.toUpperCase();
    };
    var toString2 = object.toString;
    var isArray3 = Array.isArray;
    var isBuffer2 = (value) => {
      return typeof Buffer === "function" && Buffer.isBuffer(value);
    };
    var isObject2 = (value) => {
      return toString2.call(value) == "[object Object]";
    };
    var isString2 = (value) => {
      return typeof value == "string" || toString2.call(value) == "[object String]";
    };
    var isNumber2 = (value) => {
      return typeof value == "number" || toString2.call(value) == "[object Number]";
    };
    var isFunction3 = (value) => {
      return typeof value == "function";
    };
    var isMap = (value) => {
      return toString2.call(value) == "[object Map]";
    };
    var isSet2 = (value) => {
      return toString2.call(value) == "[object Set]";
    };
    var singleEscapes = {
      "\\": "\\\\",
      "\b": "\\b",
      "\f": "\\f",
      "\n": "\\n",
      "\r": "\\r",
      "	": "\\t"
      // `\v` is omitted intentionally, because in IE < 9, '\v' == 'v'.
      // '\v': '\\x0B'
    };
    var regexSingleEscape = /[\\\b\f\n\r\t]/;
    var regexDigit = /[0-9]/;
    var regexWhitespace = /[\xA0\u1680\u2000-\u200A\u2028\u2029\u202F\u205F\u3000]/;
    var escapeEverythingRegex = /([\uD800-\uDBFF][\uDC00-\uDFFF])|([\uD800-\uDFFF])|(['"`])|[^]/g;
    var escapeNonAsciiRegex = /([\uD800-\uDBFF][\uDC00-\uDFFF])|([\uD800-\uDFFF])|(['"`])|[^ !#-&\(-\[\]-_a-~]/g;
    var jsesc2 = (argument, options) => {
      const increaseIndentation = () => {
        oldIndent = indent;
        ++options.indentLevel;
        indent = options.indent.repeat(options.indentLevel);
      };
      const defaults = {
        "escapeEverything": false,
        "minimal": false,
        "isScriptContext": false,
        "quotes": "single",
        "wrap": false,
        "es6": false,
        "json": false,
        "compact": true,
        "lowercaseHex": false,
        "numbers": "decimal",
        "indent": "	",
        "indentLevel": 0,
        "__inline1__": false,
        "__inline2__": false
      };
      const json = options && options.json;
      if (json) {
        defaults.quotes = "double";
        defaults.wrap = true;
      }
      options = extend(defaults, options);
      if (options.quotes != "single" && options.quotes != "double" && options.quotes != "backtick") {
        options.quotes = "single";
      }
      const quote = options.quotes == "double" ? '"' : options.quotes == "backtick" ? "`" : "'";
      const compact = options.compact;
      const lowercaseHex = options.lowercaseHex;
      let indent = options.indent.repeat(options.indentLevel);
      let oldIndent = "";
      const inline1 = options.__inline1__;
      const inline2 = options.__inline2__;
      const newLine = compact ? "" : "\n";
      let result;
      let isEmpty2 = true;
      const useBinNumbers = options.numbers == "binary";
      const useOctNumbers = options.numbers == "octal";
      const useDecNumbers = options.numbers == "decimal";
      const useHexNumbers = options.numbers == "hexadecimal";
      if (json && argument && isFunction3(argument.toJSON)) {
        argument = argument.toJSON();
      }
      if (!isString2(argument)) {
        if (isMap(argument)) {
          if (argument.size == 0) {
            return "new Map()";
          }
          if (!compact) {
            options.__inline1__ = true;
            options.__inline2__ = false;
          }
          return "new Map(" + jsesc2(Array.from(argument), options) + ")";
        }
        if (isSet2(argument)) {
          if (argument.size == 0) {
            return "new Set()";
          }
          return "new Set(" + jsesc2(Array.from(argument), options) + ")";
        }
        if (isBuffer2(argument)) {
          if (argument.length == 0) {
            return "Buffer.from([])";
          }
          return "Buffer.from(" + jsesc2(Array.from(argument), options) + ")";
        }
        if (isArray3(argument)) {
          result = [];
          options.wrap = true;
          if (inline1) {
            options.__inline1__ = false;
            options.__inline2__ = true;
          }
          if (!inline2) {
            increaseIndentation();
          }
          forEach(argument, (value) => {
            isEmpty2 = false;
            if (inline2) {
              options.__inline2__ = false;
            }
            result.push(
              (compact || inline2 ? "" : indent) + jsesc2(value, options)
            );
          });
          if (isEmpty2) {
            return "[]";
          }
          if (inline2) {
            return "[" + result.join(", ") + "]";
          }
          return "[" + newLine + result.join("," + newLine) + newLine + (compact ? "" : oldIndent) + "]";
        } else if (isNumber2(argument)) {
          if (json) {
            return JSON.stringify(argument);
          }
          if (useDecNumbers) {
            return String(argument);
          }
          if (useHexNumbers) {
            let hexadecimal2 = argument.toString(16);
            if (!lowercaseHex) {
              hexadecimal2 = hexadecimal2.toUpperCase();
            }
            return "0x" + hexadecimal2;
          }
          if (useBinNumbers) {
            return "0b" + argument.toString(2);
          }
          if (useOctNumbers) {
            return "0o" + argument.toString(8);
          }
        } else if (!isObject2(argument)) {
          if (json) {
            return JSON.stringify(argument) || "null";
          }
          return String(argument);
        } else {
          result = [];
          options.wrap = true;
          increaseIndentation();
          forOwn(argument, (key, value) => {
            isEmpty2 = false;
            result.push(
              (compact ? "" : indent) + jsesc2(key, options) + ":" + (compact ? "" : " ") + jsesc2(value, options)
            );
          });
          if (isEmpty2) {
            return "{}";
          }
          return "{" + newLine + result.join("," + newLine) + newLine + (compact ? "" : oldIndent) + "}";
        }
      }
      const regex = options.escapeEverything ? escapeEverythingRegex : escapeNonAsciiRegex;
      result = argument.replace(regex, (char, pair, lone, quoteChar, index, string) => {
        if (pair) {
          if (options.minimal) return pair;
          const first = pair.charCodeAt(0);
          const second = pair.charCodeAt(1);
          if (options.es6) {
            const codePoint = (first - 55296) * 1024 + second - 56320 + 65536;
            const hex2 = hexadecimal(codePoint, lowercaseHex);
            return "\\u{" + hex2 + "}";
          }
          return fourHexEscape(hexadecimal(first, lowercaseHex)) + fourHexEscape(hexadecimal(second, lowercaseHex));
        }
        if (lone) {
          return fourHexEscape(hexadecimal(lone.charCodeAt(0), lowercaseHex));
        }
        if (char == "\0" && !json && !regexDigit.test(string.charAt(index + 1))) {
          return "\\0";
        }
        if (quoteChar) {
          if (quoteChar == quote || options.escapeEverything) {
            return "\\" + quoteChar;
          }
          return quoteChar;
        }
        if (regexSingleEscape.test(char)) {
          return singleEscapes[char];
        }
        if (options.minimal && !regexWhitespace.test(char)) {
          return char;
        }
        const hex = hexadecimal(char.charCodeAt(0), lowercaseHex);
        if (json || hex.length > 2) {
          return fourHexEscape(hex);
        }
        return "\\x" + ("00" + hex).slice(-2);
      });
      if (quote == "`") {
        result = result.replace(/\$\{/g, "\\${");
      }
      if (options.isScriptContext) {
        result = result.replace(/<\/(script|style)/gi, "<\\/$1").replace(/